From 1c55102ae3322390582bb5418f72f3a6f111f050 Mon Sep 17 00:00:00 2001 From: Rafael Rivera Date: Tue, 20 Feb 2024 09:48:51 -0800 Subject: [PATCH] Generate features index for windows and sys crates (#2859) --- crates/libs/bindgen/Cargo.toml | 7 +++ crates/libs/bindgen/src/rust/index.rs | 69 ++++++++++++++++++++++++++ crates/libs/bindgen/src/rust/mod.rs | 11 ++-- crates/libs/bindgen/src/rust/writer.rs | 16 ++++++ crates/libs/sys/Cargo.toml | 1 + crates/libs/sys/features.json | 1 + crates/libs/windows/Cargo.toml | 1 + crates/libs/windows/features.json | 1 + 8 files changed, 104 insertions(+), 3 deletions(-) create mode 100644 crates/libs/bindgen/src/rust/index.rs create mode 100644 crates/libs/sys/features.json create mode 100644 crates/libs/windows/features.json diff --git a/crates/libs/bindgen/Cargo.toml b/crates/libs/bindgen/Cargo.toml index aef5561a19..87930c9b44 100644 --- a/crates/libs/bindgen/Cargo.toml +++ b/crates/libs/bindgen/Cargo.toml @@ -31,3 +31,10 @@ features = ["full", "extra-traits"] [dependencies.proc-macro2] version = "1.0" features = ["span-locations"] + +[dependencies.serde] +version = "1.0.196" +features = ["derive"] + +[dependencies.serde_json] +version = "1.0.113" diff --git a/crates/libs/bindgen/src/rust/index.rs b/crates/libs/bindgen/src/rust/index.rs new file mode 100644 index 0000000000..f7466de6a3 --- /dev/null +++ b/crates/libs/bindgen/src/rust/index.rs @@ -0,0 +1,69 @@ +use super::*; +use rust::cfg::*; +use serde::Serialize; +use std::collections::BTreeMap; +use windows_metadata::Item; + +#[derive(Default, Serialize)] +struct Index { + namespace_map: Vec, + feature_map: Vec, + namespaces: BTreeMap>, +} + +#[derive(Default, Serialize)] +struct IndexItem { + name: String, + features: Vec, +} + +pub fn gen_index(writer: &Writer) -> String { + let mut feature_index = Index { ..Default::default() }; + + for namespace in writer.reader.namespaces() { + let namespace_idx = match feature_index.namespace_map.iter().position(|ns| ns == namespace) { + Some(idx) => idx, + None => { + feature_index.namespace_map.push(namespace.to_string()); + feature_index.namespace_map.len() - 1 + } + }; + + for item in writer.reader.namespace_items(namespace) { + let mut index_item = IndexItem { ..Default::default() }; + let mut cfg = Cfg::default(); + cfg.add_feature(namespace); + + cfg = match item { + Item::Type(def) => { + index_item.name = def.name().to_string(); + cfg.union(&type_def_cfg(writer, def, &[])) + } + Item::Const(field) => { + index_item.name = field.name().to_string(); + cfg.union(&field_cfg(writer, field)) + } + Item::Fn(method, _) => { + index_item.name = method.name().to_string(); + cfg.union(&signature_cfg(writer, method)) + } + }; + + let cfg_features = cfg_features(&cfg); + index_item.features = cfg_features + .iter() + .map(|feature| match feature_index.feature_map.iter().position(|f| f == feature) { + Some(idx) => idx, + None => { + feature_index.feature_map.push(feature.to_string()); + feature_index.feature_map.len() - 1 + } + }) + .collect(); + + feature_index.namespaces.entry(namespace_idx).or_default().push(index_item); + } + } + + serde_json::to_string(&feature_index).unwrap() +} diff --git a/crates/libs/bindgen/src/rust/mod.rs b/crates/libs/bindgen/src/rust/mod.rs index 43078c4749..76c26680b3 100644 --- a/crates/libs/bindgen/src/rust/mod.rs +++ b/crates/libs/bindgen/src/rust/mod.rs @@ -8,6 +8,7 @@ mod extensions; mod functions; mod handles; mod implements; +mod index; mod interfaces; mod iterators; mod method_names; @@ -16,8 +17,11 @@ mod structs; mod try_format; mod winrt_methods; mod writer; + use super::*; +use index::*; use rayon::prelude::*; +use writer::*; pub fn from_reader(reader: &'static metadata::Reader, mut config: std::collections::BTreeMap<&str, &str>, output: &str) -> Result<()> { let mut writer = Writer::new(reader, output); @@ -101,7 +105,8 @@ fn gen_package(writer: &Writer) -> Result<()> { Ok::<(), Error>(()) })?; - let cargo_toml = format!("{}/Cargo.toml", super::directory(directory)); + let package_root = super::directory(directory); + let cargo_toml = format!("{package_root}/Cargo.toml"); let mut toml = String::new(); for line in read_file_lines(&cargo_toml)? { @@ -129,14 +134,14 @@ fn gen_package(writer: &Writer) -> Result<()> { } } - write_to_file(&cargo_toml, toml) + write_to_file(&cargo_toml, toml)?; + write_to_file(&format!("{package_root}/features.json"), gen_index(writer)) } use method_names::*; use std::fmt::Write; use tokens::*; use try_format::*; -use writer::*; fn namespace(writer: &Writer, tree: &Tree) -> String { let writer = &mut writer.clone(); diff --git a/crates/libs/bindgen/src/rust/writer.rs b/crates/libs/bindgen/src/rust/writer.rs index 77cb47d725..5d62a722b5 100644 --- a/crates/libs/bindgen/src/rust/writer.rs +++ b/crates/libs/bindgen/src/rust/writer.rs @@ -1185,6 +1185,22 @@ fn const_ptrs(pointers: usize) -> TokenStream { "*const ".repeat(pointers).into() } +pub fn cfg_features(cfg: &cfg::Cfg) -> Vec { + let mut compact = Vec::<&'static str>::new(); + for feature in cfg.types.keys() { + if !feature.is_empty() { + for pos in 0..compact.len() { + if starts_with(feature, unsafe { compact.get_unchecked(pos) }) { + compact.remove(pos); + break; + } + } + compact.push(feature); + } + } + compact.into_iter().map(to_feature).collect() +} + fn to_feature(name: &str) -> String { let mut feature = String::new(); diff --git a/crates/libs/sys/Cargo.toml b/crates/libs/sys/Cargo.toml index 9d36d5f16a..4f85f0f126 100644 --- a/crates/libs/sys/Cargo.toml +++ b/crates/libs/sys/Cargo.toml @@ -9,6 +9,7 @@ description = "Rust for Windows" repository = "https://github.com/microsoft/windows-rs" readme = "readme.md" categories = ["os::windows-apis"] +exclude = ["features.json"] [lints] workspace = true diff --git a/crates/libs/sys/features.json b/crates/libs/sys/features.json new file mode 100644 index 0000000000..497f2aa490 --- /dev/null +++ b/crates/libs/sys/features.json @@ -0,0 +1 @@ +{"namespace_map":["Windows.AI.MachineLearning","Windows.AI.MachineLearning.Preview","Windows.ApplicationModel","Windows.ApplicationModel.Activation","Windows.ApplicationModel.AppExtensions","Windows.ApplicationModel.AppService","Windows.ApplicationModel.Appointments","Windows.ApplicationModel.Appointments.AppointmentsProvider","Windows.ApplicationModel.Appointments.DataProvider","Windows.ApplicationModel.Background","Windows.ApplicationModel.Calls","Windows.ApplicationModel.Calls.Background","Windows.ApplicationModel.Calls.Provider","Windows.ApplicationModel.Chat","Windows.ApplicationModel.CommunicationBlocking","Windows.ApplicationModel.Contacts","Windows.ApplicationModel.Contacts.DataProvider","Windows.ApplicationModel.Contacts.Provider","Windows.ApplicationModel.ConversationalAgent","Windows.ApplicationModel.Core","Windows.ApplicationModel.DataTransfer","Windows.ApplicationModel.DataTransfer.DragDrop","Windows.ApplicationModel.DataTransfer.DragDrop.Core","Windows.ApplicationModel.DataTransfer.ShareTarget","Windows.ApplicationModel.Email","Windows.ApplicationModel.Email.DataProvider","Windows.ApplicationModel.ExtendedExecution","Windows.ApplicationModel.ExtendedExecution.Foreground","Windows.ApplicationModel.Holographic","Windows.ApplicationModel.LockScreen","Windows.ApplicationModel.Payments","Windows.ApplicationModel.Payments.Provider","Windows.ApplicationModel.Preview.Holographic","Windows.ApplicationModel.Preview.InkWorkspace","Windows.ApplicationModel.Preview.Notes","Windows.ApplicationModel.Resources","Windows.ApplicationModel.Resources.Core","Windows.ApplicationModel.Resources.Management","Windows.ApplicationModel.Search","Windows.ApplicationModel.Search.Core","Windows.ApplicationModel.SocialInfo","Windows.ApplicationModel.SocialInfo.Provider","Windows.ApplicationModel.Store","Windows.ApplicationModel.Store.LicenseManagement","Windows.ApplicationModel.Store.Preview","Windows.ApplicationModel.Store.Preview.InstallControl","Windows.ApplicationModel.UserActivities","Windows.ApplicationModel.UserActivities.Core","Windows.ApplicationModel.UserDataAccounts","Windows.ApplicationModel.UserDataAccounts.Provider","Windows.ApplicationModel.UserDataAccounts.SystemAccess","Windows.ApplicationModel.UserDataTasks","Windows.ApplicationModel.UserDataTasks.DataProvider","Windows.ApplicationModel.VoiceCommands","Windows.ApplicationModel.Wallet","Windows.ApplicationModel.Wallet.System","Windows.Data.Html","Windows.Data.Json","Windows.Data.Pdf","Windows.Data.Text","Windows.Data.Xml.Dom","Windows.Data.Xml.Xsl","Windows.Devices","Windows.Devices.Adc","Windows.Devices.Adc.Provider","Windows.Devices.AllJoyn","Windows.Devices.Background","Windows.Devices.Bluetooth","Windows.Devices.Bluetooth.Advertisement","Windows.Devices.Bluetooth.Background","Windows.Devices.Bluetooth.GenericAttributeProfile","Windows.Devices.Bluetooth.Rfcomm","Windows.Devices.Custom","Windows.Devices.Display","Windows.Devices.Display.Core","Windows.Devices.Enumeration","Windows.Devices.Enumeration.Pnp","Windows.Devices.Geolocation","Windows.Devices.Geolocation.Geofencing","Windows.Devices.Geolocation.Provider","Windows.Devices.Gpio","Windows.Devices.Gpio.Provider","Windows.Devices.Haptics","Windows.Devices.HumanInterfaceDevice","Windows.Devices.I2c","Windows.Devices.I2c.Provider","Windows.Devices.Input","Windows.Devices.Input.Preview","Windows.Devices.Lights","Windows.Devices.Lights.Effects","Windows.Devices.Midi","Windows.Devices.Perception","Windows.Devices.Perception.Provider","Windows.Devices.PointOfService","Windows.Devices.PointOfService.Provider","Windows.Devices.Portable","Windows.Devices.Power","Windows.Devices.Printers","Windows.Devices.Printers.Extensions","Windows.Devices.Pwm","Windows.Devices.Pwm.Provider","Windows.Devices.Radios","Windows.Devices.Scanners","Windows.Devices.Sensors","Windows.Devices.Sensors.Custom","Windows.Devices.SerialCommunication","Windows.Devices.SmartCards","Windows.Devices.Sms","Windows.Devices.Spi","Windows.Devices.Spi.Provider","Windows.Devices.Usb","Windows.Devices.WiFi","Windows.Devices.WiFiDirect","Windows.Devices.WiFiDirect.Services","Windows.Embedded.DeviceLockdown","Windows.Foundation","Windows.Foundation.Collections","Windows.Foundation.Diagnostics","Windows.Foundation.Metadata","Windows.Foundation.Numerics","Windows.Gaming.Input","Windows.Gaming.Input.Custom","Windows.Gaming.Input.ForceFeedback","Windows.Gaming.Input.Preview","Windows.Gaming.Preview","Windows.Gaming.Preview.GamesEnumeration","Windows.Gaming.UI","Windows.Gaming.XboxLive","Windows.Gaming.XboxLive.Storage","Windows.Globalization","Windows.Globalization.Collation","Windows.Globalization.DateTimeFormatting","Windows.Globalization.Fonts","Windows.Globalization.NumberFormatting","Windows.Globalization.PhoneNumberFormatting","Windows.Graphics","Windows.Graphics.Capture","Windows.Graphics.DirectX","Windows.Graphics.DirectX.Direct3D11","Windows.Graphics.Display","Windows.Graphics.Display.Core","Windows.Graphics.Effects","Windows.Graphics.Holographic","Windows.Graphics.Imaging","Windows.Graphics.Printing","Windows.Graphics.Printing.OptionDetails","Windows.Graphics.Printing.PrintSupport","Windows.Graphics.Printing.PrintTicket","Windows.Graphics.Printing.Workflow","Windows.Graphics.Printing3D","Windows.Management","Windows.Management.Core","Windows.Management.Deployment","Windows.Management.Deployment.Preview","Windows.Management.Policies","Windows.Management.Update","Windows.Management.Workplace","Windows.Media","Windows.Media.AppBroadcasting","Windows.Media.AppRecording","Windows.Media.Audio","Windows.Media.Capture","Windows.Media.Capture.Core","Windows.Media.Capture.Frames","Windows.Media.Casting","Windows.Media.ClosedCaptioning","Windows.Media.ContentRestrictions","Windows.Media.Control","Windows.Media.Core","Windows.Media.Core.Preview","Windows.Media.Devices","Windows.Media.Devices.Core","Windows.Media.DialProtocol","Windows.Media.Editing","Windows.Media.Effects","Windows.Media.FaceAnalysis","Windows.Media.Import","Windows.Media.MediaProperties","Windows.Media.Miracast","Windows.Media.Ocr","Windows.Media.PlayTo","Windows.Media.Playback","Windows.Media.Playlists","Windows.Media.Protection","Windows.Media.Protection.PlayReady","Windows.Media.Render","Windows.Media.SpeechRecognition","Windows.Media.SpeechSynthesis","Windows.Media.Streaming.Adaptive","Windows.Media.Transcoding","Windows.Networking","Windows.Networking.BackgroundTransfer","Windows.Networking.Connectivity","Windows.Networking.NetworkOperators","Windows.Networking.Proximity","Windows.Networking.PushNotifications","Windows.Networking.ServiceDiscovery.Dnssd","Windows.Networking.Sockets","Windows.Networking.Vpn","Windows.Networking.XboxLive","Windows.Perception","Windows.Perception.Automation.Core","Windows.Perception.People","Windows.Perception.Spatial","Windows.Perception.Spatial.Preview","Windows.Perception.Spatial.Surfaces","Windows.Phone","Windows.Phone.ApplicationModel","Windows.Phone.Devices.Notification","Windows.Phone.Devices.Power","Windows.Phone.Management.Deployment","Windows.Phone.Media.Devices","Windows.Phone.Notification.Management","Windows.Phone.PersonalInformation","Windows.Phone.PersonalInformation.Provisioning","Windows.Phone.Speech.Recognition","Windows.Phone.StartScreen","Windows.Phone.System","Windows.Phone.System.Power","Windows.Phone.System.Profile","Windows.Phone.System.UserProfile.GameServices.Core","Windows.Phone.UI.Input","Windows.Security.Authentication.Identity","Windows.Security.Authentication.Identity.Core","Windows.Security.Authentication.Identity.Provider","Windows.Security.Authentication.OnlineId","Windows.Security.Authentication.Web","Windows.Security.Authentication.Web.Core","Windows.Security.Authentication.Web.Provider","Windows.Security.Authorization.AppCapabilityAccess","Windows.Security.Credentials","Windows.Security.Credentials.UI","Windows.Security.Cryptography","Windows.Security.Cryptography.Certificates","Windows.Security.Cryptography.Core","Windows.Security.Cryptography.DataProtection","Windows.Security.DataProtection","Windows.Security.EnterpriseData","Windows.Security.ExchangeActiveSyncProvisioning","Windows.Security.Isolation","Windows.Services.Cortana","Windows.Services.Maps","Windows.Services.Maps.Guidance","Windows.Services.Maps.LocalSearch","Windows.Services.Maps.OfflineMaps","Windows.Services.Store","Windows.Services.TargetedContent","Windows.Storage","Windows.Storage.AccessCache","Windows.Storage.BulkAccess","Windows.Storage.Compression","Windows.Storage.FileProperties","Windows.Storage.Pickers","Windows.Storage.Pickers.Provider","Windows.Storage.Provider","Windows.Storage.Search","Windows.Storage.Streams","Windows.System","Windows.System.Diagnostics","Windows.System.Diagnostics.DevicePortal","Windows.System.Diagnostics.Telemetry","Windows.System.Diagnostics.TraceReporting","Windows.System.Display","Windows.System.Implementation.FileExplorer","Windows.System.Inventory","Windows.System.Power","Windows.System.Power.Diagnostics","Windows.System.Preview","Windows.System.Profile","Windows.System.Profile.SystemManufacturers","Windows.System.RemoteDesktop","Windows.System.RemoteDesktop.Input","Windows.System.RemoteDesktop.Provider","Windows.System.RemoteSystems","Windows.System.Threading","Windows.System.Threading.Core","Windows.System.Update","Windows.System.UserProfile","Windows.UI","Windows.UI.Accessibility","Windows.UI.ApplicationSettings","Windows.UI.Composition","Windows.UI.Composition.Core","Windows.UI.Composition.Desktop","Windows.UI.Composition.Diagnostics","Windows.UI.Composition.Effects","Windows.UI.Composition.Interactions","Windows.UI.Composition.Scenes","Windows.UI.Core","Windows.UI.Core.AnimationMetrics","Windows.UI.Core.Preview","Windows.UI.Input","Windows.UI.Input.Core","Windows.UI.Input.Inking","Windows.UI.Input.Inking.Analysis","Windows.UI.Input.Inking.Core","Windows.UI.Input.Inking.Preview","Windows.UI.Input.Preview","Windows.UI.Input.Preview.Injection","Windows.UI.Input.Spatial","Windows.UI.Notifications","Windows.UI.Notifications.Management","Windows.UI.Notifications.Preview","Windows.UI.Popups","Windows.UI.Shell","Windows.UI.StartScreen","Windows.UI.Text","Windows.UI.Text.Core","Windows.UI.UIAutomation","Windows.UI.UIAutomation.Core","Windows.UI.ViewManagement","Windows.UI.ViewManagement.Core","Windows.UI.WebUI","Windows.UI.WebUI.Core","Windows.UI.WindowManagement","Windows.UI.WindowManagement.Preview","Windows.UI.Xaml","Windows.UI.Xaml.Automation","Windows.UI.Xaml.Automation.Peers","Windows.UI.Xaml.Automation.Provider","Windows.UI.Xaml.Automation.Text","Windows.UI.Xaml.Controls","Windows.UI.Xaml.Controls.Maps","Windows.UI.Xaml.Controls.Primitives","Windows.UI.Xaml.Core.Direct","Windows.UI.Xaml.Data","Windows.UI.Xaml.Documents","Windows.UI.Xaml.Hosting","Windows.UI.Xaml.Input","Windows.UI.Xaml.Interop","Windows.UI.Xaml.Markup","Windows.UI.Xaml.Media","Windows.UI.Xaml.Media.Animation","Windows.UI.Xaml.Media.Imaging","Windows.UI.Xaml.Media.Media3D","Windows.UI.Xaml.Navigation","Windows.UI.Xaml.Printing","Windows.UI.Xaml.Resources","Windows.UI.Xaml.Shapes","Windows.Wdk.Devices.HumanInterfaceDevice","Windows.Wdk.Foundation","Windows.Wdk.Graphics.Direct3D","Windows.Wdk.NetworkManagement.Ndis","Windows.Wdk.NetworkManagement.WindowsFilteringPlatform","Windows.Wdk.Storage.FileSystem","Windows.Wdk.Storage.FileSystem.Minifilters","Windows.Wdk.System.IO","Windows.Wdk.System.OfflineRegistry","Windows.Wdk.System.Registry","Windows.Wdk.System.SystemInformation","Windows.Wdk.System.SystemServices","Windows.Wdk.System.Threading","Windows.Web","Windows.Web.AtomPub","Windows.Web.Http","Windows.Web.Http.Diagnostics","Windows.Web.Http.Filters","Windows.Web.Http.Headers","Windows.Web.Syndication","Windows.Web.UI","Windows.Web.UI.Interop","Windows.Win32.AI.MachineLearning.DirectML","Windows.Win32.AI.MachineLearning.WinML","Windows.Win32.Data.HtmlHelp","Windows.Win32.Data.RightsManagement","Windows.Win32.Data.Xml.MsXml","Windows.Win32.Data.Xml.XmlLite","Windows.Win32.Devices.AllJoyn","Windows.Win32.Devices.BiometricFramework","Windows.Win32.Devices.Bluetooth","Windows.Win32.Devices.Communication","Windows.Win32.Devices.DeviceAccess","Windows.Win32.Devices.DeviceAndDriverInstallation","Windows.Win32.Devices.DeviceQuery","Windows.Win32.Devices.Display","Windows.Win32.Devices.Enumeration.Pnp","Windows.Win32.Devices.Fax","Windows.Win32.Devices.FunctionDiscovery","Windows.Win32.Devices.Geolocation","Windows.Win32.Devices.HumanInterfaceDevice","Windows.Win32.Devices.ImageAcquisition","Windows.Win32.Devices.PortableDevices","Windows.Win32.Devices.Properties","Windows.Win32.Devices.Pwm","Windows.Win32.Devices.Sensors","Windows.Win32.Devices.SerialCommunication","Windows.Win32.Devices.Tapi","Windows.Win32.Devices.Usb","Windows.Win32.Devices.WebServicesOnDevices","Windows.Win32.Foundation","Windows.Win32.Foundation.Metadata","Windows.Win32.Gaming","Windows.Win32.Globalization","Windows.Win32.Graphics.CompositionSwapchain","Windows.Win32.Graphics.DXCore","Windows.Win32.Graphics.Direct2D","Windows.Win32.Graphics.Direct2D.Common","Windows.Win32.Graphics.Direct3D","Windows.Win32.Graphics.Direct3D.Dxc","Windows.Win32.Graphics.Direct3D.Fxc","Windows.Win32.Graphics.Direct3D10","Windows.Win32.Graphics.Direct3D11","Windows.Win32.Graphics.Direct3D11on12","Windows.Win32.Graphics.Direct3D12","Windows.Win32.Graphics.Direct3D9","Windows.Win32.Graphics.Direct3D9on12","Windows.Win32.Graphics.DirectComposition","Windows.Win32.Graphics.DirectDraw","Windows.Win32.Graphics.DirectManipulation","Windows.Win32.Graphics.DirectWrite","Windows.Win32.Graphics.Dwm","Windows.Win32.Graphics.Dxgi","Windows.Win32.Graphics.Dxgi.Common","Windows.Win32.Graphics.Gdi","Windows.Win32.Graphics.GdiPlus","Windows.Win32.Graphics.Hlsl","Windows.Win32.Graphics.Imaging","Windows.Win32.Graphics.Imaging.D2D","Windows.Win32.Graphics.OpenGL","Windows.Win32.Graphics.Printing","Windows.Win32.Graphics.Printing.PrintTicket","Windows.Win32.Management.MobileDeviceManagementRegistration","Windows.Win32.Media","Windows.Win32.Media.Audio","Windows.Win32.Media.Audio.Apo","Windows.Win32.Media.Audio.DirectMusic","Windows.Win32.Media.Audio.DirectSound","Windows.Win32.Media.Audio.Endpoints","Windows.Win32.Media.Audio.XAudio2","Windows.Win32.Media.DeviceManager","Windows.Win32.Media.DirectShow","Windows.Win32.Media.DirectShow.Tv","Windows.Win32.Media.DirectShow.Xml","Windows.Win32.Media.DxMediaObjects","Windows.Win32.Media.KernelStreaming","Windows.Win32.Media.LibrarySharingServices","Windows.Win32.Media.MediaFoundation","Windows.Win32.Media.MediaPlayer","Windows.Win32.Media.Multimedia","Windows.Win32.Media.PictureAcquisition","Windows.Win32.Media.Speech","Windows.Win32.Media.Streaming","Windows.Win32.Media.WindowsMediaFormat","Windows.Win32.NetworkManagement.Dhcp","Windows.Win32.NetworkManagement.Dns","Windows.Win32.NetworkManagement.InternetConnectionWizard","Windows.Win32.NetworkManagement.IpHelper","Windows.Win32.NetworkManagement.MobileBroadband","Windows.Win32.NetworkManagement.Multicast","Windows.Win32.NetworkManagement.Ndis","Windows.Win32.NetworkManagement.NetBios","Windows.Win32.NetworkManagement.NetManagement","Windows.Win32.NetworkManagement.NetShell","Windows.Win32.NetworkManagement.NetworkDiagnosticsFramework","Windows.Win32.NetworkManagement.NetworkPolicyServer","Windows.Win32.NetworkManagement.P2P","Windows.Win32.NetworkManagement.QoS","Windows.Win32.NetworkManagement.Rras","Windows.Win32.NetworkManagement.Snmp","Windows.Win32.NetworkManagement.WNet","Windows.Win32.NetworkManagement.WebDav","Windows.Win32.NetworkManagement.WiFi","Windows.Win32.NetworkManagement.WindowsConnectNow","Windows.Win32.NetworkManagement.WindowsConnectionManager","Windows.Win32.NetworkManagement.WindowsFilteringPlatform","Windows.Win32.NetworkManagement.WindowsFirewall","Windows.Win32.NetworkManagement.WindowsNetworkVirtualization","Windows.Win32.Networking.ActiveDirectory","Windows.Win32.Networking.BackgroundIntelligentTransferService","Windows.Win32.Networking.Clustering","Windows.Win32.Networking.HttpServer","Windows.Win32.Networking.Ldap","Windows.Win32.Networking.NetworkListManager","Windows.Win32.Networking.RemoteDifferentialCompression","Windows.Win32.Networking.WebSocket","Windows.Win32.Networking.WinHttp","Windows.Win32.Networking.WinInet","Windows.Win32.Networking.WinSock","Windows.Win32.Networking.WindowsWebServices","Windows.Win32.Security","Windows.Win32.Security.AppLocker","Windows.Win32.Security.Authentication.Identity","Windows.Win32.Security.Authentication.Identity.Provider","Windows.Win32.Security.Authorization","Windows.Win32.Security.Authorization.UI","Windows.Win32.Security.ConfigurationSnapin","Windows.Win32.Security.Credentials","Windows.Win32.Security.Cryptography","Windows.Win32.Security.Cryptography.Catalog","Windows.Win32.Security.Cryptography.Certificates","Windows.Win32.Security.Cryptography.Sip","Windows.Win32.Security.Cryptography.UI","Windows.Win32.Security.DiagnosticDataQuery","Windows.Win32.Security.DirectoryServices","Windows.Win32.Security.EnterpriseData","Windows.Win32.Security.ExtensibleAuthenticationProtocol","Windows.Win32.Security.Isolation","Windows.Win32.Security.LicenseProtection","Windows.Win32.Security.NetworkAccessProtection","Windows.Win32.Security.Tpm","Windows.Win32.Security.WinTrust","Windows.Win32.Security.WinWlx","Windows.Win32.Storage.Cabinets","Windows.Win32.Storage.CloudFilters","Windows.Win32.Storage.Compression","Windows.Win32.Storage.DataDeduplication","Windows.Win32.Storage.DistributedFileSystem","Windows.Win32.Storage.EnhancedStorage","Windows.Win32.Storage.FileHistory","Windows.Win32.Storage.FileServerResourceManager","Windows.Win32.Storage.FileSystem","Windows.Win32.Storage.Imapi","Windows.Win32.Storage.IndexServer","Windows.Win32.Storage.InstallableFileSystems","Windows.Win32.Storage.IscsiDisc","Windows.Win32.Storage.Jet","Windows.Win32.Storage.Nvme","Windows.Win32.Storage.OfflineFiles","Windows.Win32.Storage.OperationRecorder","Windows.Win32.Storage.Packaging.Appx","Windows.Win32.Storage.Packaging.Opc","Windows.Win32.Storage.ProjectedFileSystem","Windows.Win32.Storage.StructuredStorage","Windows.Win32.Storage.Vhd","Windows.Win32.Storage.VirtualDiskService","Windows.Win32.Storage.Vss","Windows.Win32.Storage.Xps","Windows.Win32.Storage.Xps.Printing","Windows.Win32.System.AddressBook","Windows.Win32.System.Antimalware","Windows.Win32.System.ApplicationInstallationAndServicing","Windows.Win32.System.ApplicationVerifier","Windows.Win32.System.AssessmentTool","Windows.Win32.System.ClrHosting","Windows.Win32.System.Com","Windows.Win32.System.Com.CallObj","Windows.Win32.System.Com.ChannelCredentials","Windows.Win32.System.Com.Events","Windows.Win32.System.Com.Marshal","Windows.Win32.System.Com.StructuredStorage","Windows.Win32.System.Com.UI","Windows.Win32.System.Com.Urlmon","Windows.Win32.System.ComponentServices","Windows.Win32.System.Console","Windows.Win32.System.Contacts","Windows.Win32.System.CorrelationVector","Windows.Win32.System.DataExchange","Windows.Win32.System.DeploymentServices","Windows.Win32.System.DesktopSharing","Windows.Win32.System.DeveloperLicensing","Windows.Win32.System.Diagnostics.Ceip","Windows.Win32.System.Diagnostics.ClrProfiling","Windows.Win32.System.Diagnostics.Debug","Windows.Win32.System.Diagnostics.Debug.ActiveScript","Windows.Win32.System.Diagnostics.Debug.Extensions","Windows.Win32.System.Diagnostics.Debug.WebApp","Windows.Win32.System.Diagnostics.Etw","Windows.Win32.System.Diagnostics.ProcessSnapshotting","Windows.Win32.System.Diagnostics.ToolHelp","Windows.Win32.System.Diagnostics.TraceLogging","Windows.Win32.System.DistributedTransactionCoordinator","Windows.Win32.System.Environment","Windows.Win32.System.ErrorReporting","Windows.Win32.System.EventCollector","Windows.Win32.System.EventLog","Windows.Win32.System.EventNotificationService","Windows.Win32.System.GroupPolicy","Windows.Win32.System.HostCompute","Windows.Win32.System.HostComputeNetwork","Windows.Win32.System.HostComputeSystem","Windows.Win32.System.Hypervisor","Windows.Win32.System.IO","Windows.Win32.System.Iis","Windows.Win32.System.Ioctl","Windows.Win32.System.JobObjects","Windows.Win32.System.Js","Windows.Win32.System.Kernel","Windows.Win32.System.LibraryLoader","Windows.Win32.System.Mailslots","Windows.Win32.System.Mapi","Windows.Win32.System.Memory","Windows.Win32.System.Memory.NonVolatile","Windows.Win32.System.MessageQueuing","Windows.Win32.System.MixedReality","Windows.Win32.System.Mmc","Windows.Win32.System.Ole","Windows.Win32.System.ParentalControls","Windows.Win32.System.PasswordManagement","Windows.Win32.System.Performance","Windows.Win32.System.Performance.HardwareCounterProfiling","Windows.Win32.System.Pipes","Windows.Win32.System.Power","Windows.Win32.System.ProcessStatus","Windows.Win32.System.RealTimeCommunications","Windows.Win32.System.Recovery","Windows.Win32.System.Registry","Windows.Win32.System.RemoteAssistance","Windows.Win32.System.RemoteDesktop","Windows.Win32.System.RemoteManagement","Windows.Win32.System.RestartManager","Windows.Win32.System.Restore","Windows.Win32.System.Rpc","Windows.Win32.System.Search","Windows.Win32.System.Search.Common","Windows.Win32.System.SecurityCenter","Windows.Win32.System.ServerBackup","Windows.Win32.System.Services","Windows.Win32.System.SettingsManagementInfrastructure","Windows.Win32.System.SetupAndMigration","Windows.Win32.System.Shutdown","Windows.Win32.System.SideShow","Windows.Win32.System.StationsAndDesktops","Windows.Win32.System.SubsystemForLinux","Windows.Win32.System.SystemInformation","Windows.Win32.System.SystemServices","Windows.Win32.System.TaskScheduler","Windows.Win32.System.Threading","Windows.Win32.System.Time","Windows.Win32.System.TpmBaseServices","Windows.Win32.System.TransactionServer","Windows.Win32.System.UpdateAgent","Windows.Win32.System.UpdateAssessment","Windows.Win32.System.UserAccessLogging","Windows.Win32.System.Variant","Windows.Win32.System.VirtualDosMachines","Windows.Win32.System.WinRT","Windows.Win32.System.WinRT.AllJoyn","Windows.Win32.System.WinRT.Composition","Windows.Win32.System.WinRT.CoreInputView","Windows.Win32.System.WinRT.Direct3D11","Windows.Win32.System.WinRT.Display","Windows.Win32.System.WinRT.Graphics.Capture","Windows.Win32.System.WinRT.Graphics.Direct2D","Windows.Win32.System.WinRT.Graphics.Imaging","Windows.Win32.System.WinRT.Holographic","Windows.Win32.System.WinRT.Isolation","Windows.Win32.System.WinRT.ML","Windows.Win32.System.WinRT.Media","Windows.Win32.System.WinRT.Metadata","Windows.Win32.System.WinRT.Pdf","Windows.Win32.System.WinRT.Printing","Windows.Win32.System.WinRT.Shell","Windows.Win32.System.WinRT.Storage","Windows.Win32.System.WinRT.Xaml","Windows.Win32.System.WindowsProgramming","Windows.Win32.System.WindowsSync","Windows.Win32.System.Wmi","Windows.Win32.UI.Accessibility","Windows.Win32.UI.Animation","Windows.Win32.UI.ColorSystem","Windows.Win32.UI.Controls","Windows.Win32.UI.Controls.Dialogs","Windows.Win32.UI.Controls.RichEdit","Windows.Win32.UI.HiDpi","Windows.Win32.UI.Input","Windows.Win32.UI.Input.Ime","Windows.Win32.UI.Input.Ink","Windows.Win32.UI.Input.KeyboardAndMouse","Windows.Win32.UI.Input.Pointer","Windows.Win32.UI.Input.Radial","Windows.Win32.UI.Input.Touch","Windows.Win32.UI.Input.XboxController","Windows.Win32.UI.InteractionContext","Windows.Win32.UI.LegacyWindowsEnvironmentFeatures","Windows.Win32.UI.Magnification","Windows.Win32.UI.Notifications","Windows.Win32.UI.Ribbon","Windows.Win32.UI.Shell","Windows.Win32.UI.Shell.Common","Windows.Win32.UI.Shell.PropertiesSystem","Windows.Win32.UI.TabletPC","Windows.Win32.UI.TextServices","Windows.Win32.UI.WindowsAndMessaging","Windows.Win32.UI.Wpf","Windows.Win32.UI.Xaml.Diagnostics","Windows.Win32.Web.InternetExplorer","Windows.Win32.Web.MsHtml"],"feature_map":["Wdk_Devices_HumanInterfaceDevice","Win32_Foundation","Wdk_Foundation","Wdk_System_SystemServices","Win32_Security","Wdk_Storage_FileSystem","Win32_System_IO","Win32_System_Kernel","Win32_System_Power","Wdk_Graphics_Direct3D","Win32_Graphics_Direct3D9","Win32_Graphics_DirectDraw","Win32_Graphics_Gdi","Win32_Graphics_Direct3D","Wdk_NetworkManagement_Ndis","Win32_Networking_WinSock","Win32_NetworkManagement_Ndis","Wdk_NetworkManagement_WindowsFilteringPlatform","Win32_NetworkManagement_WindowsFilteringPlatform","Win32_System_Rpc","Win32_System_Memory","Win32_Storage_FileSystem","Win32_System_Ioctl","Win32_Security_Authentication_Identity","Wdk_Storage_FileSystem_Minifilters","Win32_Storage_InstallableFileSystems","Wdk_System_IO","Wdk_System_OfflineRegistry","Wdk_System_Registry","Wdk_System_SystemInformation","Win32_System_Diagnostics_Debug","Win32_System_Diagnostics_Etw","Win32_System_SystemInformation","Win32_Storage_IscsiDisc","Win32_System_WindowsProgramming","Win32_Devices_Properties","Win32_System_SystemServices","Win32_System_Threading","Wdk_System_Threading","Win32_Data_HtmlHelp","Win32_UI_Controls","Win32_System_Com","Win32_System_Variant","Win32_Data_RightsManagement","Win32_Devices_AllJoyn","Win32_Devices_BiometricFramework","Win32_Devices_Bluetooth","Win32_Devices_Communication","Win32_Devices_DeviceAndDriverInstallation","Win32_System_Registry","Win32_UI_WindowsAndMessaging","Win32_Devices_DeviceQuery","Win32_Devices_Display","Win32_System_Console","Win32_Graphics_OpenGL","Win32_UI_ColorSystem","Win32_Devices_Enumeration_Pnp","Win32_Devices_Fax","Win32_Devices_HumanInterfaceDevice","Win32_Devices_PortableDevices","Win32_UI_Shell_PropertiesSystem","Win32_Devices_Pwm","Win32_Devices_Sensors","Win32_System_Com_StructuredStorage","Win32_Devices_SerialCommunication","Win32_Devices_Tapi","Win32_Devices_Usb","Win32_Devices_WebServicesOnDevices","Win32_Security_Cryptography","Win32_Gaming","Win32_Globalization","Win32_Graphics_Dwm","Win32_Graphics_GdiPlus","Win32_Graphics_Hlsl","Win32_Graphics_Printing","Win32_Storage_Xps","Win32_Graphics_Printing_PrintTicket","Win32_Management_MobileDeviceManagementRegistration","Win32_Media","Win32_Media_Multimedia","Win32_Media_Audio","Win32_Media_DxMediaObjects","Win32_Media_KernelStreaming","Win32_Media_MediaFoundation","Win32_UI_Controls_Dialogs","Win32_Media_Streaming","Win32_Media_WindowsMediaFormat","Win32_NetworkManagement_Dhcp","Win32_NetworkManagement_Dns","Win32_NetworkManagement_InternetConnectionWizard","Win32_NetworkManagement_IpHelper","Win32_NetworkManagement_Multicast","Win32_NetworkManagement_NetBios","Win32_NetworkManagement_NetManagement","Win32_NetworkManagement_NetShell","Win32_NetworkManagement_NetworkDiagnosticsFramework","Win32_NetworkManagement_P2P","Win32_NetworkManagement_QoS","Win32_NetworkManagement_Rras","Win32_NetworkManagement_Snmp","Win32_NetworkManagement_WNet","Win32_NetworkManagement_WebDav","Win32_NetworkManagement_WiFi","Win32_Security_ExtensibleAuthenticationProtocol","Win32_System_RemoteDesktop","Win32_NetworkManagement_WindowsConnectionManager","Win32_NetworkManagement_WindowsFirewall","Win32_NetworkManagement_WindowsNetworkVirtualization","Win32_Networking_ActiveDirectory","Win32_UI_Shell","Win32_Networking_Clustering","Win32_Networking_HttpServer","Win32_Networking_Ldap","Win32_Networking_WebSocket","Win32_Networking_WinHttp","Win32_Networking_WinInet","Win32_Networking_WindowsWebServices","Win32_Security_AppLocker","Win32_Security_Credentials","Win32_System_PasswordManagement","Win32_Security_Authorization","Win32_Security_Cryptography_Catalog","Win32_Security_Cryptography_Sip","Win32_Security_Cryptography_Certificates","Win32_Security_Cryptography_UI","Win32_Security_WinTrust","Win32_Security_DiagnosticDataQuery","Win32_Security_DirectoryServices","Win32_Security_EnterpriseData","Win32_Storage_Packaging_Appx","Win32_Security_Isolation","Win32_Security_LicenseProtection","Win32_Security_NetworkAccessProtection","Win32_Security_WinWlx","Win32_System_StationsAndDesktops","Win32_Storage_Cabinets","Win32_Storage_CloudFilters","Win32_System_CorrelationVector","Win32_Storage_Compression","Win32_Storage_DistributedFileSystem","Win32_Storage_FileHistory","Win32_Storage_Imapi","Win32_System_AddressBook","Win32_Storage_IndexServer","Win32_Storage_Jet","Win32_Storage_StructuredStorage","Win32_Storage_Nvme","Win32_Storage_OfflineFiles","Win32_Storage_OperationRecorder","Win32_Storage_ProjectedFileSystem","Win32_Storage_Vhd","Win32_System_Antimalware","Win32_System_ApplicationInstallationAndServicing","Win32_System_ApplicationVerifier","Win32_System_ClrHosting","Win32_System_Ole","Win32_System_Com_Marshal","Win32_System_Com_Urlmon","Win32_System_ComponentServices","Win32_System_DataExchange","Win32_System_DeploymentServices","Win32_System_DeveloperLicensing","Win32_System_Diagnostics_Ceip","Win32_System_Time","Win32_System_Diagnostics_Debug_Extensions","Win32_System_Diagnostics_ProcessSnapshotting","Win32_System_Diagnostics_ToolHelp","Win32_System_Diagnostics_TraceLogging","Win32_System_DistributedTransactionCoordinator","Win32_System_Environment","Win32_System_ErrorReporting","Win32_System_EventCollector","Win32_System_EventLog","Win32_System_EventNotificationService","Win32_System_GroupPolicy","Win32_System_HostCompute","Win32_System_HostComputeNetwork","Win32_System_HostComputeSystem","Win32_System_Hypervisor","Win32_System_Iis","Win32_System_JobObjects","Win32_System_Js","Win32_System_Diagnostics_Debug_ActiveScript","Win32_System_LibraryLoader","Win32_System_Mailslots","Win32_System_Mapi","Win32_System_Memory_NonVolatile","Win32_System_MessageQueuing","Win32_System_MixedReality","Win32_System_Performance","Win32_System_Performance_HardwareCounterProfiling","Win32_System_Pipes","Win32_System_ProcessStatus","Win32_System_Recovery","Win32_System_RemoteManagement","Win32_System_RestartManager","Win32_System_Restore","Win32_System_Search","Win32_System_Search_Common","Win32_System_SecurityCenter","Win32_System_Services","Win32_System_SetupAndMigration","Win32_System_Shutdown","Win32_System_SubsystemForLinux","Win32_System_TpmBaseServices","Win32_System_UserAccessLogging","Win32_System_VirtualDosMachines","Win32_System_Wmi","Win32_UI_Accessibility","Win32_UI_Input_Pointer","Win32_UI_HiDpi","Win32_UI_Input","Win32_UI_Input_Ime","Win32_UI_TextServices","Win32_UI_Input_KeyboardAndMouse","Win32_UI_Input_Touch","Win32_UI_Input_XboxController","Win32_UI_InteractionContext","Win32_UI_Magnification","Win32_UI_Shell_Common","Win32_UI_TabletPC","Win32_Web_InternetExplorer"],"namespaces":{"339":[{"name":"EVT_VHF_ASYNC_OPERATION","features":[0]},{"name":"EVT_VHF_CLEANUP","features":[0]},{"name":"EVT_VHF_READY_FOR_NEXT_READ_REPORT","features":[0]},{"name":"HID_XFER_PACKET","features":[0]},{"name":"PEVT_VHF_ASYNC_OPERATION","features":[0]},{"name":"PEVT_VHF_CLEANUP","features":[0]},{"name":"PEVT_VHF_READY_FOR_NEXT_READ_REPORT","features":[0]},{"name":"VHF_CONFIG","features":[0,1]},{"name":"VhfAsyncOperationComplete","features":[0,1]},{"name":"VhfCreate","features":[0,1]},{"name":"VhfDelete","features":[0,1]},{"name":"VhfReadReportSubmit","features":[0,1]},{"name":"VhfStart","features":[0,1]}],"340":[{"name":"ACCESS_STATE","features":[2,3,1,4]},{"name":"DEVICE_OBJECT","features":[2,5,3,1,4,6,7,8]},{"name":"DEVOBJ_EXTENSION","features":[2,5,3,1,4,6,7,8]},{"name":"DISPATCHER_HEADER","features":[2,1,7]},{"name":"DMA_COMMON_BUFFER_VECTOR","features":[2]},{"name":"DRIVER_ADD_DEVICE","features":[2,5,3,1,4,6,7,8]},{"name":"DRIVER_CANCEL","features":[2,5,3,1,4,6,7,8]},{"name":"DRIVER_CONTROL","features":[2,5,3,1,4,6,7,8]},{"name":"DRIVER_DISPATCH","features":[2,5,3,1,4,6,7,8]},{"name":"DRIVER_DISPATCH_PAGED","features":[2,5,3,1,4,6,7,8]},{"name":"DRIVER_EXTENSION","features":[2,5,3,1,4,6,7,8]},{"name":"DRIVER_FS_NOTIFICATION","features":[2,5,3,1,4,6,7,8]},{"name":"DRIVER_INITIALIZE","features":[2,5,3,1,4,6,7,8]},{"name":"DRIVER_NOTIFICATION_CALLBACK_ROUTINE","features":[2,1]},{"name":"DRIVER_OBJECT","features":[2,5,3,1,4,6,7,8]},{"name":"DRIVER_REINITIALIZE","features":[2,5,3,1,4,6,7,8]},{"name":"DRIVER_STARTIO","features":[2,5,3,1,4,6,7,8]},{"name":"DRIVER_UNLOAD","features":[2,5,3,1,4,6,7,8]},{"name":"DontUseThisType","features":[2]},{"name":"DontUseThisTypeSession","features":[2]},{"name":"ECP_HEADER","features":[2]},{"name":"ECP_LIST","features":[2]},{"name":"ERESOURCE","features":[2,7]},{"name":"FAST_IO_ACQUIRE_FILE","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_ACQUIRE_FOR_CCFLUSH","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_ACQUIRE_FOR_MOD_WRITE","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_CHECK_IF_POSSIBLE","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_DETACH_DEVICE","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_DEVICE_CONTROL","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_DISPATCH","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_LOCK","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_MDL_READ","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_MDL_READ_COMPLETE","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_MDL_READ_COMPLETE_COMPRESSED","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_MDL_WRITE_COMPLETE","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_MDL_WRITE_COMPLETE_COMPRESSED","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_PREPARE_MDL_WRITE","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_QUERY_BASIC_INFO","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_QUERY_NETWORK_OPEN_INFO","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_QUERY_OPEN","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_QUERY_STANDARD_INFO","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_READ","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_READ_COMPRESSED","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_RELEASE_FILE","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_RELEASE_FOR_CCFLUSH","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_RELEASE_FOR_MOD_WRITE","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_UNLOCK_ALL","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_UNLOCK_ALL_BY_KEY","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_UNLOCK_SINGLE","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_WRITE","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_IO_WRITE_COMPRESSED","features":[2,5,3,1,4,6,7,8]},{"name":"FAST_MUTEX","features":[2,1,7]},{"name":"FILE_OBJECT","features":[2,5,3,1,4,6,7,8]},{"name":"IOMMU_DMA_DEVICE","features":[2]},{"name":"IOMMU_DMA_DOMAIN","features":[2]},{"name":"IO_COMPLETION_CONTEXT","features":[2]},{"name":"IO_PRIORITY_HINT","features":[2]},{"name":"IO_SECURITY_CONTEXT","features":[2,3,1,4]},{"name":"IO_STACK_LOCATION","features":[2,5,3,1,4,6,7,8]},{"name":"IRP","features":[2,5,3,1,4,6,7,8]},{"name":"IoPriorityCritical","features":[2]},{"name":"IoPriorityHigh","features":[2]},{"name":"IoPriorityLow","features":[2]},{"name":"IoPriorityNormal","features":[2]},{"name":"IoPriorityVeryLow","features":[2]},{"name":"KDEVICE_QUEUE","features":[2,1,7]},{"name":"KDPC","features":[2,7]},{"name":"KENLISTMENT","features":[2]},{"name":"KEVENT","features":[2,1,7]},{"name":"KGDT","features":[2]},{"name":"KIDT","features":[2]},{"name":"KMUTANT","features":[2,1,7]},{"name":"KPCR","features":[2]},{"name":"KPRCB","features":[2]},{"name":"KQUEUE","features":[2,1,7]},{"name":"KRESOURCEMANAGER","features":[2]},{"name":"KSPIN_LOCK_QUEUE_NUMBER","features":[2]},{"name":"KTM","features":[2]},{"name":"KTRANSACTION","features":[2]},{"name":"KTSS","features":[2]},{"name":"KWAIT_BLOCK","features":[2,1,7]},{"name":"LOADER_PARAMETER_BLOCK","features":[2]},{"name":"LockQueueAfdWorkQueueLock","features":[2]},{"name":"LockQueueBcbLock","features":[2]},{"name":"LockQueueIoCancelLock","features":[2]},{"name":"LockQueueIoCompletionLock","features":[2]},{"name":"LockQueueIoDatabaseLock","features":[2]},{"name":"LockQueueIoVpbLock","features":[2]},{"name":"LockQueueMasterLock","features":[2]},{"name":"LockQueueMaximumLock","features":[2]},{"name":"LockQueueNonPagedPoolLock","features":[2]},{"name":"LockQueueNtfsStructLock","features":[2]},{"name":"LockQueueUnusedSpare0","features":[2]},{"name":"LockQueueUnusedSpare1","features":[2]},{"name":"LockQueueUnusedSpare15","features":[2]},{"name":"LockQueueUnusedSpare16","features":[2]},{"name":"LockQueueUnusedSpare2","features":[2]},{"name":"LockQueueUnusedSpare3","features":[2]},{"name":"LockQueueUnusedSpare8","features":[2]},{"name":"LockQueueVacbLock","features":[2]},{"name":"MDL","features":[2]},{"name":"MaxIoPriorityTypes","features":[2]},{"name":"MaxPoolType","features":[2]},{"name":"NTSTRSAFE_MAX_CCH","features":[2]},{"name":"NTSTRSAFE_MAX_LENGTH","features":[2]},{"name":"NTSTRSAFE_UNICODE_STRING_MAX_CCH","features":[2]},{"name":"NTSTRSAFE_USE_SECURE_CRT","features":[2]},{"name":"NonPagedPool","features":[2]},{"name":"NonPagedPoolBase","features":[2]},{"name":"NonPagedPoolBaseCacheAligned","features":[2]},{"name":"NonPagedPoolBaseCacheAlignedMustS","features":[2]},{"name":"NonPagedPoolBaseMustSucceed","features":[2]},{"name":"NonPagedPoolCacheAligned","features":[2]},{"name":"NonPagedPoolCacheAlignedMustS","features":[2]},{"name":"NonPagedPoolCacheAlignedMustSSession","features":[2]},{"name":"NonPagedPoolCacheAlignedSession","features":[2]},{"name":"NonPagedPoolExecute","features":[2]},{"name":"NonPagedPoolMustSucceed","features":[2]},{"name":"NonPagedPoolMustSucceedSession","features":[2]},{"name":"NonPagedPoolNx","features":[2]},{"name":"NonPagedPoolNxCacheAligned","features":[2]},{"name":"NonPagedPoolSession","features":[2]},{"name":"NonPagedPoolSessionNx","features":[2]},{"name":"NtClose","features":[2,1]},{"name":"NtQueryObject","features":[2,1]},{"name":"OBJECT_ATTRIBUTES","features":[2,1]},{"name":"OBJECT_ATTRIBUTES32","features":[2]},{"name":"OBJECT_ATTRIBUTES64","features":[2]},{"name":"OBJECT_INFORMATION_CLASS","features":[2]},{"name":"OBJECT_NAME_INFORMATION","features":[2,1]},{"name":"OWNER_ENTRY","features":[2]},{"name":"ObjectBasicInformation","features":[2]},{"name":"ObjectTypeInformation","features":[2]},{"name":"PAFFINITY_TOKEN","features":[2]},{"name":"PBUS_HANDLER","features":[2]},{"name":"PCALLBACK_OBJECT","features":[2]},{"name":"PDEVICE_HANDLER_OBJECT","features":[2]},{"name":"PEJOB","features":[2]},{"name":"PEPROCESS","features":[2]},{"name":"PESILO","features":[2]},{"name":"PETHREAD","features":[2]},{"name":"PEX_RUNDOWN_REF_CACHE_AWARE","features":[2]},{"name":"PEX_TIMER","features":[2]},{"name":"PFREE_FUNCTION","features":[2]},{"name":"PIO_COMPLETION_ROUTINE","features":[2,1]},{"name":"PIO_REMOVE_LOCK_TRACKING_BLOCK","features":[2]},{"name":"PIO_TIMER","features":[2]},{"name":"PIO_WORKITEM","features":[2]},{"name":"PKDEFERRED_ROUTINE","features":[2]},{"name":"PKINTERRUPT","features":[2]},{"name":"PKPROCESS","features":[2]},{"name":"PKTHREAD","features":[2]},{"name":"PNOTIFY_SYNC","features":[2]},{"name":"POBJECT_TYPE","features":[2]},{"name":"POHANDLE","features":[2]},{"name":"POOL_TYPE","features":[2]},{"name":"PPCW_BUFFER","features":[2]},{"name":"PPCW_INSTANCE","features":[2]},{"name":"PPCW_REGISTRATION","features":[2]},{"name":"PRKPROCESS","features":[2]},{"name":"PRKTHREAD","features":[2]},{"name":"PSILO_MONITOR","features":[2]},{"name":"PWORKER_THREAD_ROUTINE","features":[2]},{"name":"PagedPool","features":[2]},{"name":"PagedPoolCacheAligned","features":[2]},{"name":"PagedPoolCacheAlignedSession","features":[2]},{"name":"PagedPoolSession","features":[2]},{"name":"RTL_SPLAY_LINKS","features":[2]},{"name":"SECTION_OBJECT_POINTERS","features":[2]},{"name":"SECURITY_SUBJECT_CONTEXT","features":[2,4]},{"name":"STRSAFE_FILL_BEHIND","features":[2]},{"name":"STRSAFE_FILL_BEHIND_NULL","features":[2]},{"name":"STRSAFE_FILL_ON_FAILURE","features":[2]},{"name":"STRSAFE_IGNORE_NULLS","features":[2]},{"name":"STRSAFE_NO_TRUNCATION","features":[2]},{"name":"STRSAFE_NULL_ON_FAILURE","features":[2]},{"name":"STRSAFE_ZERO_LENGTH_ON_FAILURE","features":[2]},{"name":"SspiAsyncContext","features":[2]},{"name":"TARGET_DEVICE_CUSTOM_NOTIFICATION","features":[2,5,3,1,4,6,7,8]},{"name":"VPB","features":[2,5,3,1,4,6,7,8]},{"name":"WORK_QUEUE_ITEM","features":[2,7]},{"name":"_DEVICE_OBJECT_POWER_EXTENSION","features":[2]},{"name":"_IORING_OBJECT","features":[2]},{"name":"_SCSI_REQUEST_BLOCK","features":[2]},{"name":"__WARNING_BANNED_API_USAGE","features":[2]},{"name":"__WARNING_CYCLOMATIC_COMPLEXITY","features":[2]},{"name":"__WARNING_DEREF_NULL_PTR","features":[2]},{"name":"__WARNING_HIGH_PRIORITY_OVERFLOW_POSTCONDITION","features":[2]},{"name":"__WARNING_INCORRECT_ANNOTATION","features":[2]},{"name":"__WARNING_INVALID_PARAM_VALUE_1","features":[2]},{"name":"__WARNING_INVALID_PARAM_VALUE_3","features":[2]},{"name":"__WARNING_MISSING_ZERO_TERMINATION2","features":[2]},{"name":"__WARNING_POSTCONDITION_NULLTERMINATION_VIOLATION","features":[2]},{"name":"__WARNING_POST_EXPECTED","features":[2]},{"name":"__WARNING_POTENTIAL_BUFFER_OVERFLOW_HIGH_PRIORITY","features":[2]},{"name":"__WARNING_POTENTIAL_RANGE_POSTCONDITION_VIOLATION","features":[2]},{"name":"__WARNING_PRECONDITION_NULLTERMINATION_VIOLATION","features":[2]},{"name":"__WARNING_RANGE_POSTCONDITION_VIOLATION","features":[2]},{"name":"__WARNING_RETURNING_BAD_RESULT","features":[2]},{"name":"__WARNING_RETURN_UNINIT_VAR","features":[2]},{"name":"__WARNING_USING_UNINIT_VAR","features":[2]}],"341":[{"name":"D3DCAPS8","features":[9,10]},{"name":"D3DCLEAR_COMPUTERECTS","features":[9]},{"name":"D3DDDIARG_CREATERESOURCE","features":[9,1]},{"name":"D3DDDIARG_CREATERESOURCE2","features":[9,1]},{"name":"D3DDDICB_DESTROYALLOCATION2FLAGS","features":[9]},{"name":"D3DDDICB_LOCK2FLAGS","features":[9]},{"name":"D3DDDICB_LOCKFLAGS","features":[9]},{"name":"D3DDDICB_SIGNALFLAGS","features":[9]},{"name":"D3DDDIFMT_A1","features":[9]},{"name":"D3DDDIFMT_A16B16G16R16","features":[9]},{"name":"D3DDDIFMT_A16B16G16R16F","features":[9]},{"name":"D3DDDIFMT_A1R5G5B5","features":[9]},{"name":"D3DDDIFMT_A2B10G10R10","features":[9]},{"name":"D3DDDIFMT_A2B10G10R10_XR_BIAS","features":[9]},{"name":"D3DDDIFMT_A2R10G10B10","features":[9]},{"name":"D3DDDIFMT_A2W10V10U10","features":[9]},{"name":"D3DDDIFMT_A32B32G32R32F","features":[9]},{"name":"D3DDDIFMT_A4L4","features":[9]},{"name":"D3DDDIFMT_A4R4G4B4","features":[9]},{"name":"D3DDDIFMT_A8","features":[9]},{"name":"D3DDDIFMT_A8B8G8R8","features":[9]},{"name":"D3DDDIFMT_A8L8","features":[9]},{"name":"D3DDDIFMT_A8P8","features":[9]},{"name":"D3DDDIFMT_A8R3G3B2","features":[9]},{"name":"D3DDDIFMT_A8R8G8B8","features":[9]},{"name":"D3DDDIFMT_BINARYBUFFER","features":[9]},{"name":"D3DDDIFMT_BITSTREAMDATA","features":[9]},{"name":"D3DDDIFMT_CxV8U8","features":[9]},{"name":"D3DDDIFMT_D15S1","features":[9]},{"name":"D3DDDIFMT_D16","features":[9]},{"name":"D3DDDIFMT_D16_LOCKABLE","features":[9]},{"name":"D3DDDIFMT_D24FS8","features":[9]},{"name":"D3DDDIFMT_D24S8","features":[9]},{"name":"D3DDDIFMT_D24X4S4","features":[9]},{"name":"D3DDDIFMT_D24X8","features":[9]},{"name":"D3DDDIFMT_D32","features":[9]},{"name":"D3DDDIFMT_D32F_LOCKABLE","features":[9]},{"name":"D3DDDIFMT_D32_LOCKABLE","features":[9]},{"name":"D3DDDIFMT_DEBLOCKINGDATA","features":[9]},{"name":"D3DDDIFMT_DXT1","features":[9]},{"name":"D3DDDIFMT_DXT2","features":[9]},{"name":"D3DDDIFMT_DXT3","features":[9]},{"name":"D3DDDIFMT_DXT4","features":[9]},{"name":"D3DDDIFMT_DXT5","features":[9]},{"name":"D3DDDIFMT_DXVACOMPBUFFER_BASE","features":[9]},{"name":"D3DDDIFMT_DXVACOMPBUFFER_MAX","features":[9]},{"name":"D3DDDIFMT_DXVA_RESERVED10","features":[9]},{"name":"D3DDDIFMT_DXVA_RESERVED11","features":[9]},{"name":"D3DDDIFMT_DXVA_RESERVED12","features":[9]},{"name":"D3DDDIFMT_DXVA_RESERVED13","features":[9]},{"name":"D3DDDIFMT_DXVA_RESERVED14","features":[9]},{"name":"D3DDDIFMT_DXVA_RESERVED15","features":[9]},{"name":"D3DDDIFMT_DXVA_RESERVED16","features":[9]},{"name":"D3DDDIFMT_DXVA_RESERVED17","features":[9]},{"name":"D3DDDIFMT_DXVA_RESERVED18","features":[9]},{"name":"D3DDDIFMT_DXVA_RESERVED19","features":[9]},{"name":"D3DDDIFMT_DXVA_RESERVED20","features":[9]},{"name":"D3DDDIFMT_DXVA_RESERVED21","features":[9]},{"name":"D3DDDIFMT_DXVA_RESERVED22","features":[9]},{"name":"D3DDDIFMT_DXVA_RESERVED23","features":[9]},{"name":"D3DDDIFMT_DXVA_RESERVED24","features":[9]},{"name":"D3DDDIFMT_DXVA_RESERVED25","features":[9]},{"name":"D3DDDIFMT_DXVA_RESERVED26","features":[9]},{"name":"D3DDDIFMT_DXVA_RESERVED27","features":[9]},{"name":"D3DDDIFMT_DXVA_RESERVED28","features":[9]},{"name":"D3DDDIFMT_DXVA_RESERVED29","features":[9]},{"name":"D3DDDIFMT_DXVA_RESERVED30","features":[9]},{"name":"D3DDDIFMT_DXVA_RESERVED31","features":[9]},{"name":"D3DDDIFMT_DXVA_RESERVED9","features":[9]},{"name":"D3DDDIFMT_FILMGRAINBUFFER","features":[9]},{"name":"D3DDDIFMT_G16R16","features":[9]},{"name":"D3DDDIFMT_G16R16F","features":[9]},{"name":"D3DDDIFMT_G32R32F","features":[9]},{"name":"D3DDDIFMT_G8R8","features":[9]},{"name":"D3DDDIFMT_G8R8_G8B8","features":[9]},{"name":"D3DDDIFMT_INDEX16","features":[9]},{"name":"D3DDDIFMT_INDEX32","features":[9]},{"name":"D3DDDIFMT_INVERSEQUANTIZATIONDATA","features":[9]},{"name":"D3DDDIFMT_L16","features":[9]},{"name":"D3DDDIFMT_L6V5U5","features":[9]},{"name":"D3DDDIFMT_L8","features":[9]},{"name":"D3DDDIFMT_MACROBLOCKDATA","features":[9]},{"name":"D3DDDIFMT_MOTIONVECTORBUFFER","features":[9]},{"name":"D3DDDIFMT_MULTI2_ARGB8","features":[9]},{"name":"D3DDDIFMT_P8","features":[9]},{"name":"D3DDDIFMT_PICTUREPARAMSDATA","features":[9]},{"name":"D3DDDIFMT_Q16W16V16U16","features":[9]},{"name":"D3DDDIFMT_Q8W8V8U8","features":[9]},{"name":"D3DDDIFMT_R16F","features":[9]},{"name":"D3DDDIFMT_R32F","features":[9]},{"name":"D3DDDIFMT_R3G3B2","features":[9]},{"name":"D3DDDIFMT_R5G6B5","features":[9]},{"name":"D3DDDIFMT_R8","features":[9]},{"name":"D3DDDIFMT_R8G8B8","features":[9]},{"name":"D3DDDIFMT_R8G8_B8G8","features":[9]},{"name":"D3DDDIFMT_RESIDUALDIFFERENCEDATA","features":[9]},{"name":"D3DDDIFMT_S1D15","features":[9]},{"name":"D3DDDIFMT_S8D24","features":[9]},{"name":"D3DDDIFMT_S8_LOCKABLE","features":[9]},{"name":"D3DDDIFMT_SLICECONTROLDATA","features":[9]},{"name":"D3DDDIFMT_UNKNOWN","features":[9]},{"name":"D3DDDIFMT_UYVY","features":[9]},{"name":"D3DDDIFMT_V16U16","features":[9]},{"name":"D3DDDIFMT_V8U8","features":[9]},{"name":"D3DDDIFMT_VERTEXDATA","features":[9]},{"name":"D3DDDIFMT_W11V11U10","features":[9]},{"name":"D3DDDIFMT_X1R5G5B5","features":[9]},{"name":"D3DDDIFMT_X4R4G4B4","features":[9]},{"name":"D3DDDIFMT_X4S4D24","features":[9]},{"name":"D3DDDIFMT_X8B8G8R8","features":[9]},{"name":"D3DDDIFMT_X8D24","features":[9]},{"name":"D3DDDIFMT_X8L8V8U8","features":[9]},{"name":"D3DDDIFMT_X8R8G8B8","features":[9]},{"name":"D3DDDIFMT_YUY2","features":[9]},{"name":"D3DDDIFORMAT","features":[9]},{"name":"D3DDDIGPUVIRTUALADDRESS_PROTECTION_TYPE","features":[9]},{"name":"D3DDDIGPUVIRTUALADDRESS_RESERVATION_TYPE","features":[9]},{"name":"D3DDDIGPUVIRTUALADDRESS_RESERVE_NO_ACCESS","features":[9]},{"name":"D3DDDIGPUVIRTUALADDRESS_RESERVE_NO_COMMIT","features":[9]},{"name":"D3DDDIGPUVIRTUALADDRESS_RESERVE_ZERO","features":[9]},{"name":"D3DDDIMULTISAMPLE_10_SAMPLES","features":[9]},{"name":"D3DDDIMULTISAMPLE_11_SAMPLES","features":[9]},{"name":"D3DDDIMULTISAMPLE_12_SAMPLES","features":[9]},{"name":"D3DDDIMULTISAMPLE_13_SAMPLES","features":[9]},{"name":"D3DDDIMULTISAMPLE_14_SAMPLES","features":[9]},{"name":"D3DDDIMULTISAMPLE_15_SAMPLES","features":[9]},{"name":"D3DDDIMULTISAMPLE_16_SAMPLES","features":[9]},{"name":"D3DDDIMULTISAMPLE_2_SAMPLES","features":[9]},{"name":"D3DDDIMULTISAMPLE_3_SAMPLES","features":[9]},{"name":"D3DDDIMULTISAMPLE_4_SAMPLES","features":[9]},{"name":"D3DDDIMULTISAMPLE_5_SAMPLES","features":[9]},{"name":"D3DDDIMULTISAMPLE_6_SAMPLES","features":[9]},{"name":"D3DDDIMULTISAMPLE_7_SAMPLES","features":[9]},{"name":"D3DDDIMULTISAMPLE_8_SAMPLES","features":[9]},{"name":"D3DDDIMULTISAMPLE_9_SAMPLES","features":[9]},{"name":"D3DDDIMULTISAMPLE_NONE","features":[9]},{"name":"D3DDDIMULTISAMPLE_NONMASKABLE","features":[9]},{"name":"D3DDDIMULTISAMPLE_TYPE","features":[9]},{"name":"D3DDDIPOOL_LOCALVIDMEM","features":[9]},{"name":"D3DDDIPOOL_NONLOCALVIDMEM","features":[9]},{"name":"D3DDDIPOOL_STAGINGMEM","features":[9]},{"name":"D3DDDIPOOL_SYSTEMMEM","features":[9]},{"name":"D3DDDIPOOL_VIDEOMEMORY","features":[9]},{"name":"D3DDDIRECT","features":[9]},{"name":"D3DDDI_ALLOCATIONINFO","features":[9]},{"name":"D3DDDI_ALLOCATIONINFO2","features":[9,1]},{"name":"D3DDDI_ALLOCATIONLIST","features":[9]},{"name":"D3DDDI_ALLOCATIONPRIORITY_HIGH","features":[9]},{"name":"D3DDDI_ALLOCATIONPRIORITY_LOW","features":[9]},{"name":"D3DDDI_ALLOCATIONPRIORITY_MAXIMUM","features":[9]},{"name":"D3DDDI_ALLOCATIONPRIORITY_MINIMUM","features":[9]},{"name":"D3DDDI_ALLOCATIONPRIORITY_NORMAL","features":[9]},{"name":"D3DDDI_COLOR_SPACE_CUSTOM","features":[9]},{"name":"D3DDDI_COLOR_SPACE_RESERVED","features":[9]},{"name":"D3DDDI_COLOR_SPACE_RGB_FULL_G10_NONE_P709","features":[9]},{"name":"D3DDDI_COLOR_SPACE_RGB_FULL_G2084_NONE_P2020","features":[9]},{"name":"D3DDDI_COLOR_SPACE_RGB_FULL_G22_NONE_P2020","features":[9]},{"name":"D3DDDI_COLOR_SPACE_RGB_FULL_G22_NONE_P709","features":[9]},{"name":"D3DDDI_COLOR_SPACE_RGB_STUDIO_G2084_NONE_P2020","features":[9]},{"name":"D3DDDI_COLOR_SPACE_RGB_STUDIO_G22_NONE_P2020","features":[9]},{"name":"D3DDDI_COLOR_SPACE_RGB_STUDIO_G22_NONE_P709","features":[9]},{"name":"D3DDDI_COLOR_SPACE_RGB_STUDIO_G24_NONE_P2020","features":[9]},{"name":"D3DDDI_COLOR_SPACE_RGB_STUDIO_G24_NONE_P709","features":[9]},{"name":"D3DDDI_COLOR_SPACE_TYPE","features":[9]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_FULL_G22_LEFT_P2020","features":[9]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_FULL_G22_LEFT_P601","features":[9]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_FULL_G22_LEFT_P709","features":[9]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_FULL_G22_NONE_P709_X601","features":[9]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_FULL_GHLG_TOPLEFT_P2020","features":[9]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_STUDIO_G2084_LEFT_P2020","features":[9]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_STUDIO_G2084_TOPLEFT_P2020","features":[9]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_STUDIO_G22_LEFT_P2020","features":[9]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_STUDIO_G22_LEFT_P601","features":[9]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_STUDIO_G22_LEFT_P709","features":[9]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_STUDIO_G22_TOPLEFT_P2020","features":[9]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_STUDIO_G24_LEFT_P2020","features":[9]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_STUDIO_G24_LEFT_P709","features":[9]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_STUDIO_G24_TOPLEFT_P2020","features":[9]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_STUDIO_GHLG_TOPLEFT_P2020","features":[9]},{"name":"D3DDDI_CPU_NOTIFICATION","features":[9]},{"name":"D3DDDI_CREATECONTEXTFLAGS","features":[9]},{"name":"D3DDDI_CREATEHWCONTEXTFLAGS","features":[9]},{"name":"D3DDDI_CREATEHWQUEUEFLAGS","features":[9]},{"name":"D3DDDI_CREATENATIVEFENCEINFO","features":[9]},{"name":"D3DDDI_DESTROYPAGINGQUEUE","features":[9]},{"name":"D3DDDI_DOORBELLSTATUS","features":[9]},{"name":"D3DDDI_DOORBELLSTATUS_CONNECTED","features":[9]},{"name":"D3DDDI_DOORBELLSTATUS_CONNECTED_NOTIFY_KMD","features":[9]},{"name":"D3DDDI_DOORBELLSTATUS_DISCONNECTED_ABORT","features":[9]},{"name":"D3DDDI_DOORBELLSTATUS_DISCONNECTED_RETRY","features":[9]},{"name":"D3DDDI_DOORBELL_PRIVATEDATA_MAX_BYTES_WDDM3_1","features":[9]},{"name":"D3DDDI_DRIVERESCAPETYPE","features":[9]},{"name":"D3DDDI_DRIVERESCAPETYPE_CPUEVENTUSAGE","features":[9]},{"name":"D3DDDI_DRIVERESCAPETYPE_MAX","features":[9]},{"name":"D3DDDI_DRIVERESCAPETYPE_TRANSLATEALLOCATIONHANDLE","features":[9]},{"name":"D3DDDI_DRIVERESCAPETYPE_TRANSLATERESOURCEHANDLE","features":[9]},{"name":"D3DDDI_DRIVERESCAPE_CPUEVENTUSAGE","features":[9]},{"name":"D3DDDI_DRIVERESCAPE_TRANSLATEALLOCATIONEHANDLE","features":[9]},{"name":"D3DDDI_DRIVERESCAPE_TRANSLATERESOURCEHANDLE","features":[9]},{"name":"D3DDDI_DXGI_RGB","features":[9]},{"name":"D3DDDI_ESCAPEFLAGS","features":[9]},{"name":"D3DDDI_EVICT_FLAGS","features":[9]},{"name":"D3DDDI_FENCE","features":[9]},{"name":"D3DDDI_FLIPINTERVAL_FOUR","features":[9]},{"name":"D3DDDI_FLIPINTERVAL_IMMEDIATE","features":[9]},{"name":"D3DDDI_FLIPINTERVAL_IMMEDIATE_ALLOW_TEARING","features":[9]},{"name":"D3DDDI_FLIPINTERVAL_ONE","features":[9]},{"name":"D3DDDI_FLIPINTERVAL_THREE","features":[9]},{"name":"D3DDDI_FLIPINTERVAL_TWO","features":[9]},{"name":"D3DDDI_FLIPINTERVAL_TYPE","features":[9]},{"name":"D3DDDI_GAMMARAMP_DEFAULT","features":[9]},{"name":"D3DDDI_GAMMARAMP_DXGI_1","features":[9]},{"name":"D3DDDI_GAMMARAMP_MATRIX_3x4","features":[9]},{"name":"D3DDDI_GAMMARAMP_MATRIX_V2","features":[9]},{"name":"D3DDDI_GAMMARAMP_RGB256x3x16","features":[9]},{"name":"D3DDDI_GAMMARAMP_TYPE","features":[9]},{"name":"D3DDDI_GAMMARAMP_UNINITIALIZED","features":[9]},{"name":"D3DDDI_GAMMA_RAMP_DXGI_1","features":[9]},{"name":"D3DDDI_GAMMA_RAMP_RGB256x3x16","features":[9]},{"name":"D3DDDI_GETRESOURCEPRESENTPRIVATEDRIVERDATA","features":[9]},{"name":"D3DDDI_HDR_METADATA_HDR10","features":[9]},{"name":"D3DDDI_HDR_METADATA_HDR10PLUS","features":[9]},{"name":"D3DDDI_HDR_METADATA_TYPE","features":[9]},{"name":"D3DDDI_HDR_METADATA_TYPE_HDR10","features":[9]},{"name":"D3DDDI_HDR_METADATA_TYPE_HDR10PLUS","features":[9]},{"name":"D3DDDI_HDR_METADATA_TYPE_NONE","features":[9]},{"name":"D3DDDI_KERNELOVERLAYINFO","features":[9]},{"name":"D3DDDI_MAKERESIDENT","features":[9]},{"name":"D3DDDI_MAKERESIDENT_FLAGS","features":[9]},{"name":"D3DDDI_MAPGPUVIRTUALADDRESS","features":[9]},{"name":"D3DDDI_MAX_BROADCAST_CONTEXT","features":[9]},{"name":"D3DDDI_MAX_MPO_PRESENT_DIRTY_RECTS","features":[9]},{"name":"D3DDDI_MAX_OBJECT_SIGNALED","features":[9]},{"name":"D3DDDI_MAX_OBJECT_WAITED_ON","features":[9]},{"name":"D3DDDI_MAX_WRITTEN_PRIMARIES","features":[9]},{"name":"D3DDDI_MONITORED_FENCE","features":[9]},{"name":"D3DDDI_MULTISAMPLINGMETHOD","features":[9]},{"name":"D3DDDI_NATIVEFENCEMAPPING","features":[9]},{"name":"D3DDDI_OFFER_FLAGS","features":[9]},{"name":"D3DDDI_OFFER_PRIORITY","features":[9]},{"name":"D3DDDI_OFFER_PRIORITY_AUTO","features":[9]},{"name":"D3DDDI_OFFER_PRIORITY_HIGH","features":[9]},{"name":"D3DDDI_OFFER_PRIORITY_LOW","features":[9]},{"name":"D3DDDI_OFFER_PRIORITY_NONE","features":[9]},{"name":"D3DDDI_OFFER_PRIORITY_NORMAL","features":[9]},{"name":"D3DDDI_OPENALLOCATIONINFO","features":[9]},{"name":"D3DDDI_OPENALLOCATIONINFO2","features":[9]},{"name":"D3DDDI_OUTPUT_WIRE_COLOR_SPACE_G2084_P2020","features":[9]},{"name":"D3DDDI_OUTPUT_WIRE_COLOR_SPACE_G2084_P2020_DVLL","features":[9]},{"name":"D3DDDI_OUTPUT_WIRE_COLOR_SPACE_G2084_P2020_HDR10PLUS","features":[9]},{"name":"D3DDDI_OUTPUT_WIRE_COLOR_SPACE_G22_P2020","features":[9]},{"name":"D3DDDI_OUTPUT_WIRE_COLOR_SPACE_G22_P709","features":[9]},{"name":"D3DDDI_OUTPUT_WIRE_COLOR_SPACE_G22_P709_WCG","features":[9]},{"name":"D3DDDI_OUTPUT_WIRE_COLOR_SPACE_RESERVED","features":[9]},{"name":"D3DDDI_OUTPUT_WIRE_COLOR_SPACE_TYPE","features":[9]},{"name":"D3DDDI_PAGINGQUEUE_PRIORITY","features":[9]},{"name":"D3DDDI_PAGINGQUEUE_PRIORITY_ABOVE_NORMAL","features":[9]},{"name":"D3DDDI_PAGINGQUEUE_PRIORITY_BELOW_NORMAL","features":[9]},{"name":"D3DDDI_PAGINGQUEUE_PRIORITY_NORMAL","features":[9]},{"name":"D3DDDI_PATCHLOCATIONLIST","features":[9]},{"name":"D3DDDI_PERIODIC_MONITORED_FENCE","features":[9]},{"name":"D3DDDI_POOL","features":[9]},{"name":"D3DDDI_QUERYREGISTRY_ADAPTERKEY","features":[9]},{"name":"D3DDDI_QUERYREGISTRY_DRIVERIMAGEPATH","features":[9]},{"name":"D3DDDI_QUERYREGISTRY_DRIVERSTOREPATH","features":[9]},{"name":"D3DDDI_QUERYREGISTRY_FLAGS","features":[9]},{"name":"D3DDDI_QUERYREGISTRY_INFO","features":[9]},{"name":"D3DDDI_QUERYREGISTRY_MAX","features":[9]},{"name":"D3DDDI_QUERYREGISTRY_SERVICEKEY","features":[9]},{"name":"D3DDDI_QUERYREGISTRY_STATUS","features":[9]},{"name":"D3DDDI_QUERYREGISTRY_STATUS_BUFFER_OVERFLOW","features":[9]},{"name":"D3DDDI_QUERYREGISTRY_STATUS_FAIL","features":[9]},{"name":"D3DDDI_QUERYREGISTRY_STATUS_MAX","features":[9]},{"name":"D3DDDI_QUERYREGISTRY_STATUS_SUCCESS","features":[9]},{"name":"D3DDDI_QUERYREGISTRY_TYPE","features":[9]},{"name":"D3DDDI_RATIONAL","features":[9]},{"name":"D3DDDI_RECLAIM_RESULT","features":[9]},{"name":"D3DDDI_RECLAIM_RESULT_DISCARDED","features":[9]},{"name":"D3DDDI_RECLAIM_RESULT_NOT_COMMITTED","features":[9]},{"name":"D3DDDI_RECLAIM_RESULT_OK","features":[9]},{"name":"D3DDDI_RESERVEGPUVIRTUALADDRESS","features":[9]},{"name":"D3DDDI_RESOURCEFLAGS","features":[9]},{"name":"D3DDDI_RESOURCEFLAGS2","features":[9]},{"name":"D3DDDI_ROTATION","features":[9]},{"name":"D3DDDI_ROTATION_180","features":[9]},{"name":"D3DDDI_ROTATION_270","features":[9]},{"name":"D3DDDI_ROTATION_90","features":[9]},{"name":"D3DDDI_ROTATION_IDENTITY","features":[9]},{"name":"D3DDDI_SCANLINEORDERING","features":[9]},{"name":"D3DDDI_SCANLINEORDERING_INTERLACED","features":[9]},{"name":"D3DDDI_SCANLINEORDERING_PROGRESSIVE","features":[9]},{"name":"D3DDDI_SCANLINEORDERING_UNKNOWN","features":[9]},{"name":"D3DDDI_SEGMENTPREFERENCE","features":[9]},{"name":"D3DDDI_SEMAPHORE","features":[9]},{"name":"D3DDDI_SURFACEINFO","features":[9]},{"name":"D3DDDI_SYNCHRONIZATIONOBJECTINFO","features":[9,1]},{"name":"D3DDDI_SYNCHRONIZATIONOBJECTINFO2","features":[9,1]},{"name":"D3DDDI_SYNCHRONIZATIONOBJECT_FLAGS","features":[9]},{"name":"D3DDDI_SYNCHRONIZATIONOBJECT_TYPE","features":[9]},{"name":"D3DDDI_SYNCHRONIZATION_MUTEX","features":[9]},{"name":"D3DDDI_SYNCHRONIZATION_TYPE_LIMIT","features":[9]},{"name":"D3DDDI_SYNC_OBJECT_SIGNAL","features":[9]},{"name":"D3DDDI_SYNC_OBJECT_WAIT","features":[9]},{"name":"D3DDDI_TRIMRESIDENCYSET_FLAGS","features":[9]},{"name":"D3DDDI_UPDATEALLOCPROPERTY","features":[9]},{"name":"D3DDDI_UPDATEALLOCPROPERTY_FLAGS","features":[9]},{"name":"D3DDDI_UPDATEGPUVIRTUALADDRESS_COPY","features":[9]},{"name":"D3DDDI_UPDATEGPUVIRTUALADDRESS_MAP","features":[9]},{"name":"D3DDDI_UPDATEGPUVIRTUALADDRESS_MAP_PROTECT","features":[9]},{"name":"D3DDDI_UPDATEGPUVIRTUALADDRESS_OPERATION","features":[9]},{"name":"D3DDDI_UPDATEGPUVIRTUALADDRESS_OPERATION_TYPE","features":[9]},{"name":"D3DDDI_UPDATEGPUVIRTUALADDRESS_UNMAP","features":[9]},{"name":"D3DDDI_VIDEO_SIGNAL_SCANLINE_ORDERING","features":[9]},{"name":"D3DDDI_VSSLO_INTERLACED_LOWERFIELDFIRST","features":[9]},{"name":"D3DDDI_VSSLO_INTERLACED_UPPERFIELDFIRST","features":[9]},{"name":"D3DDDI_VSSLO_OTHER","features":[9]},{"name":"D3DDDI_VSSLO_PROGRESSIVE","features":[9]},{"name":"D3DDDI_VSSLO_UNINITIALIZED","features":[9]},{"name":"D3DDDI_WAITFORSYNCHRONIZATIONOBJECTFROMCPU_FLAGS","features":[9]},{"name":"D3DDEVCAPS_HWINDEXBUFFER","features":[9]},{"name":"D3DDEVCAPS_HWVERTEXBUFFER","features":[9]},{"name":"D3DDEVCAPS_SUBVOLUMELOCK","features":[9]},{"name":"D3DDEVICEDESC_V1","features":[9,1,10]},{"name":"D3DDEVICEDESC_V2","features":[9,1,10]},{"name":"D3DDEVICEDESC_V3","features":[9,1,10]},{"name":"D3DDEVINFOID_VCACHE","features":[9]},{"name":"D3DDP2OP_ADDDIRTYBOX","features":[9]},{"name":"D3DDP2OP_ADDDIRTYRECT","features":[9]},{"name":"D3DDP2OP_BLT","features":[9]},{"name":"D3DDP2OP_BUFFERBLT","features":[9]},{"name":"D3DDP2OP_CLEAR","features":[9]},{"name":"D3DDP2OP_CLIPPEDTRIANGLEFAN","features":[9]},{"name":"D3DDP2OP_COLORFILL","features":[9]},{"name":"D3DDP2OP_COMPOSERECTS","features":[9]},{"name":"D3DDP2OP_CREATELIGHT","features":[9]},{"name":"D3DDP2OP_CREATEPIXELSHADER","features":[9]},{"name":"D3DDP2OP_CREATEQUERY","features":[9]},{"name":"D3DDP2OP_CREATEVERTEXSHADER","features":[9]},{"name":"D3DDP2OP_CREATEVERTEXSHADERDECL","features":[9]},{"name":"D3DDP2OP_CREATEVERTEXSHADERFUNC","features":[9]},{"name":"D3DDP2OP_DELETEPIXELSHADER","features":[9]},{"name":"D3DDP2OP_DELETEQUERY","features":[9]},{"name":"D3DDP2OP_DELETEVERTEXSHADER","features":[9]},{"name":"D3DDP2OP_DELETEVERTEXSHADERDECL","features":[9]},{"name":"D3DDP2OP_DELETEVERTEXSHADERFUNC","features":[9]},{"name":"D3DDP2OP_DRAWINDEXEDPRIMITIVE","features":[9]},{"name":"D3DDP2OP_DRAWINDEXEDPRIMITIVE2","features":[9]},{"name":"D3DDP2OP_DRAWPRIMITIVE","features":[9]},{"name":"D3DDP2OP_DRAWPRIMITIVE2","features":[9]},{"name":"D3DDP2OP_DRAWRECTPATCH","features":[9]},{"name":"D3DDP2OP_DRAWTRIPATCH","features":[9]},{"name":"D3DDP2OP_GENERATEMIPSUBLEVELS","features":[9]},{"name":"D3DDP2OP_INDEXEDLINELIST","features":[9]},{"name":"D3DDP2OP_INDEXEDLINELIST2","features":[9]},{"name":"D3DDP2OP_INDEXEDLINESTRIP","features":[9]},{"name":"D3DDP2OP_INDEXEDTRIANGLEFAN","features":[9]},{"name":"D3DDP2OP_INDEXEDTRIANGLELIST","features":[9]},{"name":"D3DDP2OP_INDEXEDTRIANGLELIST2","features":[9]},{"name":"D3DDP2OP_INDEXEDTRIANGLESTRIP","features":[9]},{"name":"D3DDP2OP_ISSUEQUERY","features":[9]},{"name":"D3DDP2OP_LINELIST","features":[9]},{"name":"D3DDP2OP_LINELIST_IMM","features":[9]},{"name":"D3DDP2OP_LINESTRIP","features":[9]},{"name":"D3DDP2OP_MULTIPLYTRANSFORM","features":[9]},{"name":"D3DDP2OP_POINTS","features":[9]},{"name":"D3DDP2OP_RENDERSTATE","features":[9]},{"name":"D3DDP2OP_RESPONSECONTINUE","features":[9]},{"name":"D3DDP2OP_RESPONSEQUERY","features":[9]},{"name":"D3DDP2OP_SETCLIPPLANE","features":[9]},{"name":"D3DDP2OP_SETCONVOLUTIONKERNELMONO","features":[9]},{"name":"D3DDP2OP_SETDEPTHSTENCIL","features":[9]},{"name":"D3DDP2OP_SETINDICES","features":[9]},{"name":"D3DDP2OP_SETLIGHT","features":[9]},{"name":"D3DDP2OP_SETMATERIAL","features":[9]},{"name":"D3DDP2OP_SETPALETTE","features":[9]},{"name":"D3DDP2OP_SETPIXELSHADER","features":[9]},{"name":"D3DDP2OP_SETPIXELSHADERCONST","features":[9]},{"name":"D3DDP2OP_SETPIXELSHADERCONSTB","features":[9]},{"name":"D3DDP2OP_SETPIXELSHADERCONSTI","features":[9]},{"name":"D3DDP2OP_SETPRIORITY","features":[9]},{"name":"D3DDP2OP_SETRENDERTARGET","features":[9]},{"name":"D3DDP2OP_SETRENDERTARGET2","features":[9]},{"name":"D3DDP2OP_SETSCISSORRECT","features":[9]},{"name":"D3DDP2OP_SETSTREAMSOURCE","features":[9]},{"name":"D3DDP2OP_SETSTREAMSOURCE2","features":[9]},{"name":"D3DDP2OP_SETSTREAMSOURCEFREQ","features":[9]},{"name":"D3DDP2OP_SETSTREAMSOURCEUM","features":[9]},{"name":"D3DDP2OP_SETTEXLOD","features":[9]},{"name":"D3DDP2OP_SETTRANSFORM","features":[9]},{"name":"D3DDP2OP_SETVERTEXSHADER","features":[9]},{"name":"D3DDP2OP_SETVERTEXSHADERCONST","features":[9]},{"name":"D3DDP2OP_SETVERTEXSHADERCONSTB","features":[9]},{"name":"D3DDP2OP_SETVERTEXSHADERCONSTI","features":[9]},{"name":"D3DDP2OP_SETVERTEXSHADERDECL","features":[9]},{"name":"D3DDP2OP_SETVERTEXSHADERFUNC","features":[9]},{"name":"D3DDP2OP_STATESET","features":[9]},{"name":"D3DDP2OP_SURFACEBLT","features":[9]},{"name":"D3DDP2OP_TEXBLT","features":[9]},{"name":"D3DDP2OP_TEXTURESTAGESTATE","features":[9]},{"name":"D3DDP2OP_TRIANGLEFAN","features":[9]},{"name":"D3DDP2OP_TRIANGLEFAN_IMM","features":[9]},{"name":"D3DDP2OP_TRIANGLELIST","features":[9]},{"name":"D3DDP2OP_TRIANGLESTRIP","features":[9]},{"name":"D3DDP2OP_UPDATEPALETTE","features":[9]},{"name":"D3DDP2OP_VIEWPORTINFO","features":[9]},{"name":"D3DDP2OP_VOLUMEBLT","features":[9]},{"name":"D3DDP2OP_WINFO","features":[9]},{"name":"D3DDP2OP_ZRANGE","features":[9]},{"name":"D3DFVF_FOG","features":[9]},{"name":"D3DGDI2_MAGIC","features":[9]},{"name":"D3DGDI2_TYPE_DEFERRED_AGP_AWARE","features":[9]},{"name":"D3DGDI2_TYPE_DEFER_AGP_FREES","features":[9]},{"name":"D3DGDI2_TYPE_DXVERSION","features":[9]},{"name":"D3DGDI2_TYPE_FREE_DEFERRED_AGP","features":[9]},{"name":"D3DGDI2_TYPE_GETADAPTERGROUP","features":[9]},{"name":"D3DGDI2_TYPE_GETD3DCAPS8","features":[9]},{"name":"D3DGDI2_TYPE_GETD3DCAPS9","features":[9]},{"name":"D3DGDI2_TYPE_GETD3DQUERY","features":[9]},{"name":"D3DGDI2_TYPE_GETD3DQUERYCOUNT","features":[9]},{"name":"D3DGDI2_TYPE_GETDDIVERSION","features":[9]},{"name":"D3DGDI2_TYPE_GETEXTENDEDMODE","features":[9]},{"name":"D3DGDI2_TYPE_GETEXTENDEDMODECOUNT","features":[9]},{"name":"D3DGDI2_TYPE_GETFORMAT","features":[9]},{"name":"D3DGDI2_TYPE_GETFORMATCOUNT","features":[9]},{"name":"D3DGDI2_TYPE_GETMULTISAMPLEQUALITYLEVELS","features":[9]},{"name":"D3DGPU_NULL","features":[9]},{"name":"D3DGPU_PHYSICAL_ADDRESS","features":[9]},{"name":"D3DHAL2_CB32_CLEAR","features":[9]},{"name":"D3DHAL2_CB32_DRAWONEINDEXEDPRIMITIVE","features":[9]},{"name":"D3DHAL2_CB32_DRAWONEPRIMITIVE","features":[9]},{"name":"D3DHAL2_CB32_DRAWPRIMITIVES","features":[9]},{"name":"D3DHAL2_CB32_SETRENDERTARGET","features":[9]},{"name":"D3DHAL3_CB32_CLEAR2","features":[9]},{"name":"D3DHAL3_CB32_DRAWPRIMITIVES2","features":[9]},{"name":"D3DHAL3_CB32_RESERVED","features":[9]},{"name":"D3DHAL3_CB32_VALIDATETEXTURESTAGESTATE","features":[9]},{"name":"D3DHALDP2_EXECUTEBUFFER","features":[9]},{"name":"D3DHALDP2_REQCOMMANDBUFSIZE","features":[9]},{"name":"D3DHALDP2_REQVERTEXBUFSIZE","features":[9]},{"name":"D3DHALDP2_SWAPCOMMANDBUFFER","features":[9]},{"name":"D3DHALDP2_SWAPVERTEXBUFFER","features":[9]},{"name":"D3DHALDP2_USERMEMVERTICES","features":[9]},{"name":"D3DHALDP2_VIDMEMCOMMANDBUF","features":[9]},{"name":"D3DHALDP2_VIDMEMVERTEXBUF","features":[9]},{"name":"D3DHALSTATE_GET_LIGHT","features":[9]},{"name":"D3DHALSTATE_GET_RENDER","features":[9]},{"name":"D3DHALSTATE_GET_TRANSFORM","features":[9]},{"name":"D3DHAL_CALLBACKS","features":[9,1,10,11,12]},{"name":"D3DHAL_CALLBACKS2","features":[9,1,10,11,12]},{"name":"D3DHAL_CALLBACKS3","features":[9,1,10,11,12]},{"name":"D3DHAL_CLEAR2DATA","features":[9,10]},{"name":"D3DHAL_CLEARDATA","features":[9,10]},{"name":"D3DHAL_CLIPPEDTRIANGLEFAN","features":[9]},{"name":"D3DHAL_COL_WEIGHTS","features":[9]},{"name":"D3DHAL_CONTEXTCREATEDATA","features":[9,1,11,12]},{"name":"D3DHAL_CONTEXTDESTROYALLDATA","features":[9]},{"name":"D3DHAL_CONTEXTDESTROYDATA","features":[9]},{"name":"D3DHAL_CONTEXT_BAD","features":[9]},{"name":"D3DHAL_D3DDX6EXTENDEDCAPS","features":[9]},{"name":"D3DHAL_D3DEXTENDEDCAPS","features":[9]},{"name":"D3DHAL_DP2ADDDIRTYBOX","features":[9,10]},{"name":"D3DHAL_DP2ADDDIRTYRECT","features":[9,1]},{"name":"D3DHAL_DP2BLT","features":[9,1]},{"name":"D3DHAL_DP2BUFFERBLT","features":[9,10]},{"name":"D3DHAL_DP2CLEAR","features":[9,1]},{"name":"D3DHAL_DP2COLORFILL","features":[9,1]},{"name":"D3DHAL_DP2COMMAND","features":[9]},{"name":"D3DHAL_DP2COMPOSERECTS","features":[9,10]},{"name":"D3DHAL_DP2CREATELIGHT","features":[9]},{"name":"D3DHAL_DP2CREATEPIXELSHADER","features":[9]},{"name":"D3DHAL_DP2CREATEQUERY","features":[9,10]},{"name":"D3DHAL_DP2CREATEVERTEXSHADER","features":[9]},{"name":"D3DHAL_DP2CREATEVERTEXSHADERDECL","features":[9]},{"name":"D3DHAL_DP2CREATEVERTEXSHADERFUNC","features":[9]},{"name":"D3DHAL_DP2DELETEQUERY","features":[9]},{"name":"D3DHAL_DP2DRAWINDEXEDPRIMITIVE","features":[9,10]},{"name":"D3DHAL_DP2DRAWINDEXEDPRIMITIVE2","features":[9,10]},{"name":"D3DHAL_DP2DRAWPRIMITIVE","features":[9,10]},{"name":"D3DHAL_DP2DRAWPRIMITIVE2","features":[9,10]},{"name":"D3DHAL_DP2DRAWRECTPATCH","features":[9]},{"name":"D3DHAL_DP2DRAWTRIPATCH","features":[9]},{"name":"D3DHAL_DP2EXT","features":[9]},{"name":"D3DHAL_DP2GENERATEMIPSUBLEVELS","features":[9,10]},{"name":"D3DHAL_DP2INDEXEDLINELIST","features":[9]},{"name":"D3DHAL_DP2INDEXEDLINESTRIP","features":[9]},{"name":"D3DHAL_DP2INDEXEDTRIANGLEFAN","features":[9]},{"name":"D3DHAL_DP2INDEXEDTRIANGLELIST","features":[9]},{"name":"D3DHAL_DP2INDEXEDTRIANGLELIST2","features":[9]},{"name":"D3DHAL_DP2INDEXEDTRIANGLESTRIP","features":[9]},{"name":"D3DHAL_DP2ISSUEQUERY","features":[9]},{"name":"D3DHAL_DP2LINELIST","features":[9]},{"name":"D3DHAL_DP2LINESTRIP","features":[9]},{"name":"D3DHAL_DP2MULTIPLYTRANSFORM","features":[9,13,10]},{"name":"D3DHAL_DP2OPERATION","features":[9]},{"name":"D3DHAL_DP2PIXELSHADER","features":[9]},{"name":"D3DHAL_DP2POINTS","features":[9]},{"name":"D3DHAL_DP2RENDERSTATE","features":[9,10]},{"name":"D3DHAL_DP2RESPONSE","features":[9]},{"name":"D3DHAL_DP2RESPONSEQUERY","features":[9]},{"name":"D3DHAL_DP2SETCLIPPLANE","features":[9]},{"name":"D3DHAL_DP2SETCONVOLUTIONKERNELMONO","features":[9]},{"name":"D3DHAL_DP2SETDEPTHSTENCIL","features":[9]},{"name":"D3DHAL_DP2SETINDICES","features":[9]},{"name":"D3DHAL_DP2SETLIGHT","features":[9]},{"name":"D3DHAL_DP2SETPALETTE","features":[9]},{"name":"D3DHAL_DP2SETPIXELSHADERCONST","features":[9]},{"name":"D3DHAL_DP2SETPRIORITY","features":[9]},{"name":"D3DHAL_DP2SETRENDERTARGET","features":[9]},{"name":"D3DHAL_DP2SETRENDERTARGET2","features":[9]},{"name":"D3DHAL_DP2SETSTREAMSOURCE","features":[9]},{"name":"D3DHAL_DP2SETSTREAMSOURCE2","features":[9]},{"name":"D3DHAL_DP2SETSTREAMSOURCEFREQ","features":[9]},{"name":"D3DHAL_DP2SETSTREAMSOURCEUM","features":[9]},{"name":"D3DHAL_DP2SETTEXLOD","features":[9]},{"name":"D3DHAL_DP2SETTRANSFORM","features":[9,13,10]},{"name":"D3DHAL_DP2SETVERTEXSHADERCONST","features":[9]},{"name":"D3DHAL_DP2STARTVERTEX","features":[9]},{"name":"D3DHAL_DP2STATESET","features":[9,10]},{"name":"D3DHAL_DP2SURFACEBLT","features":[9,1]},{"name":"D3DHAL_DP2TEXBLT","features":[9,1]},{"name":"D3DHAL_DP2TEXTURESTAGESTATE","features":[9]},{"name":"D3DHAL_DP2TRIANGLEFAN","features":[9]},{"name":"D3DHAL_DP2TRIANGLEFAN_IMM","features":[9]},{"name":"D3DHAL_DP2TRIANGLELIST","features":[9]},{"name":"D3DHAL_DP2TRIANGLESTRIP","features":[9]},{"name":"D3DHAL_DP2UPDATEPALETTE","features":[9]},{"name":"D3DHAL_DP2VERTEXSHADER","features":[9]},{"name":"D3DHAL_DP2VIEWPORTINFO","features":[9]},{"name":"D3DHAL_DP2VOLUMEBLT","features":[9,10]},{"name":"D3DHAL_DP2WINFO","features":[9]},{"name":"D3DHAL_DP2ZRANGE","features":[9]},{"name":"D3DHAL_DRAWONEINDEXEDPRIMITIVEDATA","features":[9,10]},{"name":"D3DHAL_DRAWONEPRIMITIVEDATA","features":[9,10]},{"name":"D3DHAL_DRAWPRIMCOUNTS","features":[9]},{"name":"D3DHAL_DRAWPRIMITIVES2DATA","features":[9,1,11,12]},{"name":"D3DHAL_DRAWPRIMITIVESDATA","features":[9]},{"name":"D3DHAL_EXECUTE_ABORT","features":[9]},{"name":"D3DHAL_EXECUTE_NORMAL","features":[9]},{"name":"D3DHAL_EXECUTE_OVERRIDE","features":[9]},{"name":"D3DHAL_EXECUTE_UNHANDLED","features":[9]},{"name":"D3DHAL_GETSTATEDATA","features":[9,10]},{"name":"D3DHAL_GLOBALDRIVERDATA","features":[9,1,10,11]},{"name":"D3DHAL_MAX_RSTATES","features":[9]},{"name":"D3DHAL_MAX_RSTATES_DX6","features":[9]},{"name":"D3DHAL_MAX_RSTATES_DX7","features":[9]},{"name":"D3DHAL_MAX_RSTATES_DX8","features":[9]},{"name":"D3DHAL_MAX_RSTATES_DX9","features":[9]},{"name":"D3DHAL_MAX_TEXTURESTATES","features":[9]},{"name":"D3DHAL_NUMCLIPVERTICES","features":[9]},{"name":"D3DHAL_OUTOFCONTEXTS","features":[9]},{"name":"D3DHAL_RENDERPRIMITIVEDATA","features":[9,10]},{"name":"D3DHAL_RENDERSTATEDATA","features":[9]},{"name":"D3DHAL_ROW_WEIGHTS","features":[9]},{"name":"D3DHAL_SAMPLER_MAXSAMP","features":[9]},{"name":"D3DHAL_SAMPLER_MAXVERTEXSAMP","features":[9]},{"name":"D3DHAL_SCENECAPTUREDATA","features":[9]},{"name":"D3DHAL_SCENE_CAPTURE_END","features":[9]},{"name":"D3DHAL_SCENE_CAPTURE_START","features":[9]},{"name":"D3DHAL_SETLIGHT_DATA","features":[9]},{"name":"D3DHAL_SETLIGHT_DISABLE","features":[9]},{"name":"D3DHAL_SETLIGHT_ENABLE","features":[9]},{"name":"D3DHAL_SETRENDERTARGETDATA","features":[9,1,11,12]},{"name":"D3DHAL_STATESETBEGIN","features":[9]},{"name":"D3DHAL_STATESETCAPTURE","features":[9]},{"name":"D3DHAL_STATESETCREATE","features":[9]},{"name":"D3DHAL_STATESETDELETE","features":[9]},{"name":"D3DHAL_STATESETEND","features":[9]},{"name":"D3DHAL_STATESETEXECUTE","features":[9]},{"name":"D3DHAL_TEXTURECREATEDATA","features":[9]},{"name":"D3DHAL_TEXTUREDESTROYDATA","features":[9]},{"name":"D3DHAL_TEXTUREGETSURFDATA","features":[9]},{"name":"D3DHAL_TEXTURESTATEBUF_SIZE","features":[9]},{"name":"D3DHAL_TEXTURESWAPDATA","features":[9]},{"name":"D3DHAL_TSS_MAXSTAGES","features":[9]},{"name":"D3DHAL_TSS_RENDERSTATEBASE","features":[9]},{"name":"D3DHAL_TSS_STATESPERSTAGE","features":[9]},{"name":"D3DHAL_VALIDATETEXTURESTAGESTATEDATA","features":[9]},{"name":"D3DINFINITEINSTRUCTIONS","features":[9]},{"name":"D3DKMDT_2DREGION","features":[9]},{"name":"D3DKMDT_3x4_COLORSPACE_TRANSFORM","features":[9]},{"name":"D3DKMDT_BITS_PER_COMPONENT_06","features":[9]},{"name":"D3DKMDT_BITS_PER_COMPONENT_08","features":[9]},{"name":"D3DKMDT_BITS_PER_COMPONENT_10","features":[9]},{"name":"D3DKMDT_BITS_PER_COMPONENT_12","features":[9]},{"name":"D3DKMDT_BITS_PER_COMPONENT_14","features":[9]},{"name":"D3DKMDT_BITS_PER_COMPONENT_16","features":[9]},{"name":"D3DKMDT_CB_INTENSITY","features":[9]},{"name":"D3DKMDT_CB_SCRGB","features":[9]},{"name":"D3DKMDT_CB_SRGB","features":[9]},{"name":"D3DKMDT_CB_UNINITIALIZED","features":[9]},{"name":"D3DKMDT_CB_YCBCR","features":[9]},{"name":"D3DKMDT_CB_YPBPR","features":[9]},{"name":"D3DKMDT_COLORSPACE_TRANSFORM_MATRIX_V2","features":[9]},{"name":"D3DKMDT_COLORSPACE_TRANSFORM_STAGE_CONTROL","features":[9]},{"name":"D3DKMDT_COLORSPACE_TRANSFORM_STAGE_CONTROL_BYPASS","features":[9]},{"name":"D3DKMDT_COLORSPACE_TRANSFORM_STAGE_CONTROL_ENABLE","features":[9]},{"name":"D3DKMDT_COLORSPACE_TRANSFORM_STAGE_CONTROL_NO_CHANGE","features":[9]},{"name":"D3DKMDT_COLOR_BASIS","features":[9]},{"name":"D3DKMDT_COLOR_COEFF_DYNAMIC_RANGES","features":[9]},{"name":"D3DKMDT_COMPUTE_PREEMPTION_DISPATCH_BOUNDARY","features":[9]},{"name":"D3DKMDT_COMPUTE_PREEMPTION_DMA_BUFFER_BOUNDARY","features":[9]},{"name":"D3DKMDT_COMPUTE_PREEMPTION_GRANULARITY","features":[9]},{"name":"D3DKMDT_COMPUTE_PREEMPTION_NONE","features":[9]},{"name":"D3DKMDT_COMPUTE_PREEMPTION_SHADER_BOUNDARY","features":[9]},{"name":"D3DKMDT_COMPUTE_PREEMPTION_THREAD_BOUNDARY","features":[9]},{"name":"D3DKMDT_COMPUTE_PREEMPTION_THREAD_GROUP_BOUNDARY","features":[9]},{"name":"D3DKMDT_DISPLAYMODE_FLAGS","features":[9]},{"name":"D3DKMDT_ENUMCOFUNCMODALITY_PIVOT_TYPE","features":[9]},{"name":"D3DKMDT_EPT_NOPIVOT","features":[9]},{"name":"D3DKMDT_EPT_ROTATION","features":[9]},{"name":"D3DKMDT_EPT_SCALING","features":[9]},{"name":"D3DKMDT_EPT_UNINITIALIZED","features":[9]},{"name":"D3DKMDT_EPT_VIDPNSOURCE","features":[9]},{"name":"D3DKMDT_EPT_VIDPNTARGET","features":[9]},{"name":"D3DKMDT_FREQUENCY_RANGE","features":[9]},{"name":"D3DKMDT_GAMMA_RAMP","features":[9]},{"name":"D3DKMDT_GDISURFACEDATA","features":[9]},{"name":"D3DKMDT_GDISURFACEFLAGS","features":[9]},{"name":"D3DKMDT_GDISURFACETYPE","features":[9]},{"name":"D3DKMDT_GDISURFACE_EXISTINGSYSMEM","features":[9]},{"name":"D3DKMDT_GDISURFACE_INVALID","features":[9]},{"name":"D3DKMDT_GDISURFACE_LOOKUPTABLE","features":[9]},{"name":"D3DKMDT_GDISURFACE_STAGING","features":[9]},{"name":"D3DKMDT_GDISURFACE_STAGING_CPUVISIBLE","features":[9]},{"name":"D3DKMDT_GDISURFACE_TEXTURE","features":[9]},{"name":"D3DKMDT_GDISURFACE_TEXTURE_CPUVISIBLE","features":[9]},{"name":"D3DKMDT_GDISURFACE_TEXTURE_CPUVISIBLE_CROSSADAPTER","features":[9]},{"name":"D3DKMDT_GDISURFACE_TEXTURE_CROSSADAPTER","features":[9]},{"name":"D3DKMDT_GRAPHICS_PREEMPTION_DMA_BUFFER_BOUNDARY","features":[9]},{"name":"D3DKMDT_GRAPHICS_PREEMPTION_GRANULARITY","features":[9]},{"name":"D3DKMDT_GRAPHICS_PREEMPTION_NONE","features":[9]},{"name":"D3DKMDT_GRAPHICS_PREEMPTION_PIXEL_BOUNDARY","features":[9]},{"name":"D3DKMDT_GRAPHICS_PREEMPTION_PRIMITIVE_BOUNDARY","features":[9]},{"name":"D3DKMDT_GRAPHICS_PREEMPTION_SHADER_BOUNDARY","features":[9]},{"name":"D3DKMDT_GRAPHICS_PREEMPTION_TRIANGLE_BOUNDARY","features":[9]},{"name":"D3DKMDT_GRAPHICS_RENDERING_FORMAT","features":[9]},{"name":"D3DKMDT_GTFCOMPLIANCE","features":[9]},{"name":"D3DKMDT_GTF_COMPLIANT","features":[9]},{"name":"D3DKMDT_GTF_NOTCOMPLIANT","features":[9]},{"name":"D3DKMDT_GTF_UNINITIALIZED","features":[9]},{"name":"D3DKMDT_MACROVISION_OEMCOPYPROTECTION_SIZE","features":[9]},{"name":"D3DKMDT_MAX_OVERLAYS_BITCOUNT","features":[9]},{"name":"D3DKMDT_MAX_VIDPN_SOURCES_BITCOUNT","features":[9]},{"name":"D3DKMDT_MCC_ENFORCE","features":[9]},{"name":"D3DKMDT_MCC_IGNORE","features":[9]},{"name":"D3DKMDT_MCC_UNINITIALIZED","features":[9]},{"name":"D3DKMDT_MCO_DEFAULTMONITORPROFILE","features":[9]},{"name":"D3DKMDT_MCO_DRIVER","features":[9]},{"name":"D3DKMDT_MCO_MONITORDESCRIPTOR","features":[9]},{"name":"D3DKMDT_MCO_MONITORDESCRIPTOR_REGISTRYOVERRIDE","features":[9]},{"name":"D3DKMDT_MCO_SPECIFICCAP_REGISTRYOVERRIDE","features":[9]},{"name":"D3DKMDT_MCO_UNINITIALIZED","features":[9]},{"name":"D3DKMDT_MDT_OTHER","features":[9]},{"name":"D3DKMDT_MDT_UNINITIALIZED","features":[9]},{"name":"D3DKMDT_MDT_VESA_EDID_V1_BASEBLOCK","features":[9]},{"name":"D3DKMDT_MDT_VESA_EDID_V1_BLOCKMAP","features":[9]},{"name":"D3DKMDT_MFRC_ACTIVESIZE","features":[9]},{"name":"D3DKMDT_MFRC_MAXPIXELRATE","features":[9]},{"name":"D3DKMDT_MFRC_UNINITIALIZED","features":[9]},{"name":"D3DKMDT_MOA_INTERRUPTIBLE","features":[9]},{"name":"D3DKMDT_MOA_NONE","features":[9]},{"name":"D3DKMDT_MOA_POLLED","features":[9]},{"name":"D3DKMDT_MOA_UNINITIALIZED","features":[9]},{"name":"D3DKMDT_MODE_PREFERENCE","features":[9]},{"name":"D3DKMDT_MODE_PRUNING_REASON","features":[9]},{"name":"D3DKMDT_MONITOR_CAPABILITIES_ORIGIN","features":[9]},{"name":"D3DKMDT_MONITOR_CONNECTIVITY_CHECKS","features":[9]},{"name":"D3DKMDT_MONITOR_DESCRIPTOR","features":[9]},{"name":"D3DKMDT_MONITOR_DESCRIPTOR_TYPE","features":[9]},{"name":"D3DKMDT_MONITOR_FREQUENCY_RANGE","features":[9]},{"name":"D3DKMDT_MONITOR_FREQUENCY_RANGE_CONSTRAINT","features":[9]},{"name":"D3DKMDT_MONITOR_ORIENTATION","features":[9]},{"name":"D3DKMDT_MONITOR_ORIENTATION_AWARENESS","features":[9]},{"name":"D3DKMDT_MONITOR_SOURCE_MODE","features":[9]},{"name":"D3DKMDT_MONITOR_TIMING_TYPE","features":[9]},{"name":"D3DKMDT_MO_0DEG","features":[9]},{"name":"D3DKMDT_MO_180DEG","features":[9]},{"name":"D3DKMDT_MO_270DEG","features":[9]},{"name":"D3DKMDT_MO_90DEG","features":[9]},{"name":"D3DKMDT_MO_UNINITIALIZED","features":[9]},{"name":"D3DKMDT_MPR_ALLCAPS","features":[9]},{"name":"D3DKMDT_MPR_CLONE_PATH_PRUNED","features":[9]},{"name":"D3DKMDT_MPR_DEFAULT_PROFILE_MONITOR_SOURCE_MODE","features":[9]},{"name":"D3DKMDT_MPR_DESCRIPTOR_MONITOR_FREQUENCY_RANGE","features":[9]},{"name":"D3DKMDT_MPR_DESCRIPTOR_MONITOR_SOURCE_MODE","features":[9]},{"name":"D3DKMDT_MPR_DESCRIPTOR_OVERRIDE_MONITOR_FREQUENCY_RANGE","features":[9]},{"name":"D3DKMDT_MPR_DESCRIPTOR_OVERRIDE_MONITOR_SOURCE_MODE","features":[9]},{"name":"D3DKMDT_MPR_DRIVER_RECOMMENDED_MONITOR_SOURCE_MODE","features":[9]},{"name":"D3DKMDT_MPR_MAXVALID","features":[9]},{"name":"D3DKMDT_MPR_MONITOR_FREQUENCY_RANGE_OVERRIDE","features":[9]},{"name":"D3DKMDT_MPR_UNINITIALIZED","features":[9]},{"name":"D3DKMDT_MP_NOTPREFERRED","features":[9]},{"name":"D3DKMDT_MP_PREFERRED","features":[9]},{"name":"D3DKMDT_MP_UNINITIALIZED","features":[9]},{"name":"D3DKMDT_MTT_DEFAULTMONITORPROFILE","features":[9]},{"name":"D3DKMDT_MTT_DETAILED","features":[9]},{"name":"D3DKMDT_MTT_DRIVER","features":[9]},{"name":"D3DKMDT_MTT_ESTABLISHED","features":[9]},{"name":"D3DKMDT_MTT_EXTRASTANDARD","features":[9]},{"name":"D3DKMDT_MTT_STANDARD","features":[9]},{"name":"D3DKMDT_MTT_UNINITIALIZED","features":[9]},{"name":"D3DKMDT_PALETTEDATA","features":[9]},{"name":"D3DKMDT_PIXEL_VALUE_ACCESS_MODE","features":[9]},{"name":"D3DKMDT_PREEMPTION_CAPS","features":[9]},{"name":"D3DKMDT_PVAM_DIRECT","features":[9]},{"name":"D3DKMDT_PVAM_PRESETPALETTE","features":[9]},{"name":"D3DKMDT_PVAM_SETTABLEPALETTE","features":[9]},{"name":"D3DKMDT_PVAM_UNINITIALIZED","features":[9]},{"name":"D3DKMDT_RMT_GRAPHICS","features":[9]},{"name":"D3DKMDT_RMT_GRAPHICS_STEREO","features":[9]},{"name":"D3DKMDT_RMT_GRAPHICS_STEREO_ADVANCED_SCAN","features":[9]},{"name":"D3DKMDT_RMT_TEXT","features":[9]},{"name":"D3DKMDT_RMT_UNINITIALIZED","features":[9]},{"name":"D3DKMDT_SHADOWSURFACEDATA","features":[9]},{"name":"D3DKMDT_SHAREDPRIMARYSURFACEDATA","features":[9]},{"name":"D3DKMDT_STAGINGSURFACEDATA","features":[9]},{"name":"D3DKMDT_STANDARDALLOCATION_GDISURFACE","features":[9]},{"name":"D3DKMDT_STANDARDALLOCATION_SHADOWSURFACE","features":[9]},{"name":"D3DKMDT_STANDARDALLOCATION_SHAREDPRIMARYSURFACE","features":[9]},{"name":"D3DKMDT_STANDARDALLOCATION_STAGINGSURFACE","features":[9]},{"name":"D3DKMDT_STANDARDALLOCATION_TYPE","features":[9]},{"name":"D3DKMDT_STANDARDALLOCATION_VGPU","features":[9]},{"name":"D3DKMDT_TEXT_RENDERING_FORMAT","features":[9]},{"name":"D3DKMDT_TRF_UNINITIALIZED","features":[9]},{"name":"D3DKMDT_VIDEO_OUTPUT_TECHNOLOGY","features":[9]},{"name":"D3DKMDT_VIDEO_PRESENT_SOURCE","features":[9]},{"name":"D3DKMDT_VIDEO_PRESENT_TARGET","features":[9,1]},{"name":"D3DKMDT_VIDEO_SIGNAL_INFO","features":[9]},{"name":"D3DKMDT_VIDEO_SIGNAL_STANDARD","features":[9]},{"name":"D3DKMDT_VIDPN_HW_CAPABILITY","features":[9]},{"name":"D3DKMDT_VIDPN_PRESENT_PATH","features":[9]},{"name":"D3DKMDT_VIDPN_PRESENT_PATH_CONTENT","features":[9]},{"name":"D3DKMDT_VIDPN_PRESENT_PATH_COPYPROTECTION","features":[9]},{"name":"D3DKMDT_VIDPN_PRESENT_PATH_COPYPROTECTION_SUPPORT","features":[9]},{"name":"D3DKMDT_VIDPN_PRESENT_PATH_COPYPROTECTION_TYPE","features":[9]},{"name":"D3DKMDT_VIDPN_PRESENT_PATH_IMPORTANCE","features":[9]},{"name":"D3DKMDT_VIDPN_PRESENT_PATH_ROTATION","features":[9]},{"name":"D3DKMDT_VIDPN_PRESENT_PATH_ROTATION_SUPPORT","features":[9]},{"name":"D3DKMDT_VIDPN_PRESENT_PATH_SCALING","features":[9]},{"name":"D3DKMDT_VIDPN_PRESENT_PATH_SCALING_SUPPORT","features":[9]},{"name":"D3DKMDT_VIDPN_PRESENT_PATH_TRANSFORMATION","features":[9]},{"name":"D3DKMDT_VIDPN_SOURCE_MODE","features":[9]},{"name":"D3DKMDT_VIDPN_SOURCE_MODE_TYPE","features":[9]},{"name":"D3DKMDT_VIDPN_TARGET_MODE","features":[9]},{"name":"D3DKMDT_VIRTUALGPUSURFACEDATA","features":[9]},{"name":"D3DKMDT_VOT_BNC","features":[9]},{"name":"D3DKMDT_VOT_COMPONENT_VIDEO","features":[9]},{"name":"D3DKMDT_VOT_COMPOSITE_VIDEO","features":[9]},{"name":"D3DKMDT_VOT_DISPLAYPORT_EMBEDDED","features":[9]},{"name":"D3DKMDT_VOT_DISPLAYPORT_EXTERNAL","features":[9]},{"name":"D3DKMDT_VOT_DVI","features":[9]},{"name":"D3DKMDT_VOT_D_JPN","features":[9]},{"name":"D3DKMDT_VOT_HD15","features":[9]},{"name":"D3DKMDT_VOT_HDMI","features":[9]},{"name":"D3DKMDT_VOT_INDIRECT_WIRED","features":[9]},{"name":"D3DKMDT_VOT_INTERNAL","features":[9]},{"name":"D3DKMDT_VOT_LVDS","features":[9]},{"name":"D3DKMDT_VOT_MIRACAST","features":[9]},{"name":"D3DKMDT_VOT_OTHER","features":[9]},{"name":"D3DKMDT_VOT_RCA_3COMPONENT","features":[9]},{"name":"D3DKMDT_VOT_RF","features":[9]},{"name":"D3DKMDT_VOT_SDI","features":[9]},{"name":"D3DKMDT_VOT_SDTVDONGLE","features":[9]},{"name":"D3DKMDT_VOT_SVIDEO","features":[9]},{"name":"D3DKMDT_VOT_SVIDEO_4PIN","features":[9]},{"name":"D3DKMDT_VOT_SVIDEO_7PIN","features":[9]},{"name":"D3DKMDT_VOT_UDI_EMBEDDED","features":[9]},{"name":"D3DKMDT_VOT_UDI_EXTERNAL","features":[9]},{"name":"D3DKMDT_VOT_UNINITIALIZED","features":[9]},{"name":"D3DKMDT_VPPC_GRAPHICS","features":[9]},{"name":"D3DKMDT_VPPC_NOTSPECIFIED","features":[9]},{"name":"D3DKMDT_VPPC_UNINITIALIZED","features":[9]},{"name":"D3DKMDT_VPPC_VIDEO","features":[9]},{"name":"D3DKMDT_VPPI_DENARY","features":[9]},{"name":"D3DKMDT_VPPI_NONARY","features":[9]},{"name":"D3DKMDT_VPPI_OCTONARY","features":[9]},{"name":"D3DKMDT_VPPI_PRIMARY","features":[9]},{"name":"D3DKMDT_VPPI_QUATERNARY","features":[9]},{"name":"D3DKMDT_VPPI_QUINARY","features":[9]},{"name":"D3DKMDT_VPPI_SECONDARY","features":[9]},{"name":"D3DKMDT_VPPI_SENARY","features":[9]},{"name":"D3DKMDT_VPPI_SEPTENARY","features":[9]},{"name":"D3DKMDT_VPPI_TERTIARY","features":[9]},{"name":"D3DKMDT_VPPI_UNINITIALIZED","features":[9]},{"name":"D3DKMDT_VPPMT_MACROVISION_APSTRIGGER","features":[9]},{"name":"D3DKMDT_VPPMT_MACROVISION_FULLSUPPORT","features":[9]},{"name":"D3DKMDT_VPPMT_NOPROTECTION","features":[9]},{"name":"D3DKMDT_VPPMT_UNINITIALIZED","features":[9]},{"name":"D3DKMDT_VPPR_IDENTITY","features":[9]},{"name":"D3DKMDT_VPPR_IDENTITY_OFFSET180","features":[9]},{"name":"D3DKMDT_VPPR_IDENTITY_OFFSET270","features":[9]},{"name":"D3DKMDT_VPPR_IDENTITY_OFFSET90","features":[9]},{"name":"D3DKMDT_VPPR_NOTSPECIFIED","features":[9]},{"name":"D3DKMDT_VPPR_ROTATE180","features":[9]},{"name":"D3DKMDT_VPPR_ROTATE180_OFFSET180","features":[9]},{"name":"D3DKMDT_VPPR_ROTATE180_OFFSET270","features":[9]},{"name":"D3DKMDT_VPPR_ROTATE180_OFFSET90","features":[9]},{"name":"D3DKMDT_VPPR_ROTATE270","features":[9]},{"name":"D3DKMDT_VPPR_ROTATE270_OFFSET180","features":[9]},{"name":"D3DKMDT_VPPR_ROTATE270_OFFSET270","features":[9]},{"name":"D3DKMDT_VPPR_ROTATE270_OFFSET90","features":[9]},{"name":"D3DKMDT_VPPR_ROTATE90","features":[9]},{"name":"D3DKMDT_VPPR_ROTATE90_OFFSET180","features":[9]},{"name":"D3DKMDT_VPPR_ROTATE90_OFFSET270","features":[9]},{"name":"D3DKMDT_VPPR_ROTATE90_OFFSET90","features":[9]},{"name":"D3DKMDT_VPPR_UNINITIALIZED","features":[9]},{"name":"D3DKMDT_VPPR_UNPINNED","features":[9]},{"name":"D3DKMDT_VPPS_ASPECTRATIOCENTEREDMAX","features":[9]},{"name":"D3DKMDT_VPPS_CENTERED","features":[9]},{"name":"D3DKMDT_VPPS_CUSTOM","features":[9]},{"name":"D3DKMDT_VPPS_IDENTITY","features":[9]},{"name":"D3DKMDT_VPPS_NOTSPECIFIED","features":[9]},{"name":"D3DKMDT_VPPS_RESERVED1","features":[9]},{"name":"D3DKMDT_VPPS_STRETCHED","features":[9]},{"name":"D3DKMDT_VPPS_UNINITIALIZED","features":[9]},{"name":"D3DKMDT_VPPS_UNPINNED","features":[9]},{"name":"D3DKMDT_VSS_APPLE","features":[9]},{"name":"D3DKMDT_VSS_EIA_861","features":[9]},{"name":"D3DKMDT_VSS_EIA_861A","features":[9]},{"name":"D3DKMDT_VSS_EIA_861B","features":[9]},{"name":"D3DKMDT_VSS_IBM","features":[9]},{"name":"D3DKMDT_VSS_NTSC_443","features":[9]},{"name":"D3DKMDT_VSS_NTSC_J","features":[9]},{"name":"D3DKMDT_VSS_NTSC_M","features":[9]},{"name":"D3DKMDT_VSS_OTHER","features":[9]},{"name":"D3DKMDT_VSS_PAL_B","features":[9]},{"name":"D3DKMDT_VSS_PAL_B1","features":[9]},{"name":"D3DKMDT_VSS_PAL_D","features":[9]},{"name":"D3DKMDT_VSS_PAL_G","features":[9]},{"name":"D3DKMDT_VSS_PAL_H","features":[9]},{"name":"D3DKMDT_VSS_PAL_I","features":[9]},{"name":"D3DKMDT_VSS_PAL_K","features":[9]},{"name":"D3DKMDT_VSS_PAL_K1","features":[9]},{"name":"D3DKMDT_VSS_PAL_L","features":[9]},{"name":"D3DKMDT_VSS_PAL_M","features":[9]},{"name":"D3DKMDT_VSS_PAL_N","features":[9]},{"name":"D3DKMDT_VSS_PAL_NC","features":[9]},{"name":"D3DKMDT_VSS_SECAM_B","features":[9]},{"name":"D3DKMDT_VSS_SECAM_D","features":[9]},{"name":"D3DKMDT_VSS_SECAM_G","features":[9]},{"name":"D3DKMDT_VSS_SECAM_H","features":[9]},{"name":"D3DKMDT_VSS_SECAM_K","features":[9]},{"name":"D3DKMDT_VSS_SECAM_K1","features":[9]},{"name":"D3DKMDT_VSS_SECAM_L","features":[9]},{"name":"D3DKMDT_VSS_SECAM_L1","features":[9]},{"name":"D3DKMDT_VSS_UNINITIALIZED","features":[9]},{"name":"D3DKMDT_VSS_VESA_CVT","features":[9]},{"name":"D3DKMDT_VSS_VESA_DMT","features":[9]},{"name":"D3DKMDT_VSS_VESA_GTF","features":[9]},{"name":"D3DKMDT_WIRE_FORMAT_AND_PREFERENCE","features":[9]},{"name":"D3DKMTAcquireKeyedMutex","features":[9,1]},{"name":"D3DKMTAcquireKeyedMutex2","features":[9,1]},{"name":"D3DKMTAdjustFullscreenGamma","features":[9,1]},{"name":"D3DKMTCancelPresents","features":[9,1]},{"name":"D3DKMTChangeSurfacePointer","features":[9,1,12]},{"name":"D3DKMTChangeVideoMemoryReservation","features":[9,1]},{"name":"D3DKMTCheckExclusiveOwnership","features":[9,1]},{"name":"D3DKMTCheckMonitorPowerState","features":[9,1]},{"name":"D3DKMTCheckMultiPlaneOverlaySupport","features":[9,1]},{"name":"D3DKMTCheckMultiPlaneOverlaySupport2","features":[9,1]},{"name":"D3DKMTCheckMultiPlaneOverlaySupport3","features":[9,1]},{"name":"D3DKMTCheckOcclusion","features":[9,1]},{"name":"D3DKMTCheckSharedResourceAccess","features":[9,1]},{"name":"D3DKMTCheckVidPnExclusiveOwnership","features":[9,1]},{"name":"D3DKMTCloseAdapter","features":[9,1]},{"name":"D3DKMTConfigureSharedResource","features":[9,1]},{"name":"D3DKMTCreateAllocation","features":[9,1]},{"name":"D3DKMTCreateAllocation2","features":[9,1]},{"name":"D3DKMTCreateContext","features":[9,1]},{"name":"D3DKMTCreateContextVirtual","features":[9,1]},{"name":"D3DKMTCreateDCFromMemory","features":[9,1,12]},{"name":"D3DKMTCreateDevice","features":[9,1]},{"name":"D3DKMTCreateHwContext","features":[9,1]},{"name":"D3DKMTCreateHwQueue","features":[9,1]},{"name":"D3DKMTCreateKeyedMutex","features":[9,1]},{"name":"D3DKMTCreateKeyedMutex2","features":[9,1]},{"name":"D3DKMTCreateOutputDupl","features":[9,1]},{"name":"D3DKMTCreateOverlay","features":[9,1]},{"name":"D3DKMTCreatePagingQueue","features":[9,1]},{"name":"D3DKMTCreateProtectedSession","features":[9,1]},{"name":"D3DKMTCreateSynchronizationObject","features":[9,1]},{"name":"D3DKMTCreateSynchronizationObject2","features":[9,1]},{"name":"D3DKMTDestroyAllocation","features":[9,1]},{"name":"D3DKMTDestroyAllocation2","features":[9,1]},{"name":"D3DKMTDestroyContext","features":[9,1]},{"name":"D3DKMTDestroyDCFromMemory","features":[9,1,12]},{"name":"D3DKMTDestroyDevice","features":[9,1]},{"name":"D3DKMTDestroyHwContext","features":[9,1]},{"name":"D3DKMTDestroyHwQueue","features":[9,1]},{"name":"D3DKMTDestroyKeyedMutex","features":[9,1]},{"name":"D3DKMTDestroyOutputDupl","features":[9,1]},{"name":"D3DKMTDestroyOverlay","features":[9,1]},{"name":"D3DKMTDestroyPagingQueue","features":[9,1]},{"name":"D3DKMTDestroyProtectedSession","features":[9,1]},{"name":"D3DKMTDestroySynchronizationObject","features":[9,1]},{"name":"D3DKMTEnumAdapters","features":[9,1]},{"name":"D3DKMTEnumAdapters2","features":[9,1]},{"name":"D3DKMTEnumAdapters3","features":[9,1]},{"name":"D3DKMTEscape","features":[9,1]},{"name":"D3DKMTEvict","features":[9,1]},{"name":"D3DKMTFlipOverlay","features":[9,1]},{"name":"D3DKMTFlushHeapTransitions","features":[9,1]},{"name":"D3DKMTFreeGpuVirtualAddress","features":[9,1]},{"name":"D3DKMTGetAllocationPriority","features":[9,1]},{"name":"D3DKMTGetContextInProcessSchedulingPriority","features":[9,1]},{"name":"D3DKMTGetContextSchedulingPriority","features":[9,1]},{"name":"D3DKMTGetDWMVerticalBlankEvent","features":[9,1]},{"name":"D3DKMTGetDeviceState","features":[9,1]},{"name":"D3DKMTGetDisplayModeList","features":[9,1]},{"name":"D3DKMTGetMultiPlaneOverlayCaps","features":[9,1]},{"name":"D3DKMTGetMultisampleMethodList","features":[9,1]},{"name":"D3DKMTGetOverlayState","features":[9,1]},{"name":"D3DKMTGetPostCompositionCaps","features":[9,1]},{"name":"D3DKMTGetPresentHistory","features":[9,1]},{"name":"D3DKMTGetPresentQueueEvent","features":[9,1]},{"name":"D3DKMTGetProcessDeviceRemovalSupport","features":[9,1]},{"name":"D3DKMTGetProcessSchedulingPriorityClass","features":[9,1]},{"name":"D3DKMTGetResourcePresentPrivateDriverData","features":[9,1]},{"name":"D3DKMTGetRuntimeData","features":[9,1]},{"name":"D3DKMTGetScanLine","features":[9,1]},{"name":"D3DKMTGetSharedPrimaryHandle","features":[9,1]},{"name":"D3DKMTGetSharedResourceAdapterLuid","features":[9,1]},{"name":"D3DKMTInvalidateActiveVidPn","features":[9,1]},{"name":"D3DKMTInvalidateCache","features":[9,1]},{"name":"D3DKMTLock","features":[9,1]},{"name":"D3DKMTLock2","features":[9,1]},{"name":"D3DKMTMakeResident","features":[9,1]},{"name":"D3DKMTMapGpuVirtualAddress","features":[9,1]},{"name":"D3DKMTMarkDeviceAsError","features":[9,1]},{"name":"D3DKMTOfferAllocations","features":[9,1]},{"name":"D3DKMTOpenAdapterFromDeviceName","features":[9,1]},{"name":"D3DKMTOpenAdapterFromGdiDisplayName","features":[9,1]},{"name":"D3DKMTOpenAdapterFromHdc","features":[9,1,12]},{"name":"D3DKMTOpenAdapterFromLuid","features":[9,1]},{"name":"D3DKMTOpenKeyedMutex","features":[9,1]},{"name":"D3DKMTOpenKeyedMutex2","features":[9,1]},{"name":"D3DKMTOpenKeyedMutexFromNtHandle","features":[9,1]},{"name":"D3DKMTOpenNtHandleFromName","features":[2,9,1]},{"name":"D3DKMTOpenProtectedSessionFromNtHandle","features":[9,1]},{"name":"D3DKMTOpenResource","features":[9,1]},{"name":"D3DKMTOpenResource2","features":[9,1]},{"name":"D3DKMTOpenResourceFromNtHandle","features":[9,1]},{"name":"D3DKMTOpenSyncObjectFromNtHandle","features":[9,1]},{"name":"D3DKMTOpenSyncObjectFromNtHandle2","features":[9,1]},{"name":"D3DKMTOpenSyncObjectNtHandleFromName","features":[2,9,1]},{"name":"D3DKMTOpenSynchronizationObject","features":[9,1]},{"name":"D3DKMTOutputDuplGetFrameInfo","features":[9,1]},{"name":"D3DKMTOutputDuplGetMetaData","features":[9,1]},{"name":"D3DKMTOutputDuplGetPointerShapeData","features":[9,1]},{"name":"D3DKMTOutputDuplPresent","features":[9,1]},{"name":"D3DKMTOutputDuplPresentToHwQueue","features":[9,1]},{"name":"D3DKMTOutputDuplReleaseFrame","features":[9,1]},{"name":"D3DKMTPollDisplayChildren","features":[9,1]},{"name":"D3DKMTPresent","features":[9,1]},{"name":"D3DKMTPresentMultiPlaneOverlay","features":[9,1]},{"name":"D3DKMTPresentMultiPlaneOverlay2","features":[9,1]},{"name":"D3DKMTPresentMultiPlaneOverlay3","features":[9,1]},{"name":"D3DKMTPresentRedirected","features":[9,1]},{"name":"D3DKMTQueryAdapterInfo","features":[9,1]},{"name":"D3DKMTQueryAllocationResidency","features":[9,1]},{"name":"D3DKMTQueryClockCalibration","features":[9,1]},{"name":"D3DKMTQueryFSEBlock","features":[9,1]},{"name":"D3DKMTQueryProcessOfferInfo","features":[9,1]},{"name":"D3DKMTQueryProtectedSessionInfoFromNtHandle","features":[9,1]},{"name":"D3DKMTQueryProtectedSessionStatus","features":[9,1]},{"name":"D3DKMTQueryRemoteVidPnSourceFromGdiDisplayName","features":[9,1]},{"name":"D3DKMTQueryResourceInfo","features":[9,1]},{"name":"D3DKMTQueryResourceInfoFromNtHandle","features":[9,1]},{"name":"D3DKMTQueryStatistics","features":[9,1]},{"name":"D3DKMTQueryVidPnExclusiveOwnership","features":[9,1]},{"name":"D3DKMTQueryVideoMemoryInfo","features":[9,1]},{"name":"D3DKMTReclaimAllocations","features":[9,1]},{"name":"D3DKMTReclaimAllocations2","features":[9,1]},{"name":"D3DKMTRegisterTrimNotification","features":[9,1]},{"name":"D3DKMTRegisterVailProcess","features":[9,1]},{"name":"D3DKMTReleaseKeyedMutex","features":[9,1]},{"name":"D3DKMTReleaseKeyedMutex2","features":[9,1]},{"name":"D3DKMTReleaseProcessVidPnSourceOwners","features":[9,1]},{"name":"D3DKMTRender","features":[9,1]},{"name":"D3DKMTReserveGpuVirtualAddress","features":[9,1]},{"name":"D3DKMTSetAllocationPriority","features":[9,1]},{"name":"D3DKMTSetContextInProcessSchedulingPriority","features":[9,1]},{"name":"D3DKMTSetContextSchedulingPriority","features":[9,1]},{"name":"D3DKMTSetDisplayMode","features":[9,1]},{"name":"D3DKMTSetDisplayPrivateDriverFormat","features":[9,1]},{"name":"D3DKMTSetFSEBlock","features":[9,1]},{"name":"D3DKMTSetGammaRamp","features":[9,1]},{"name":"D3DKMTSetHwProtectionTeardownRecovery","features":[9,1]},{"name":"D3DKMTSetMonitorColorSpaceTransform","features":[9,1]},{"name":"D3DKMTSetProcessSchedulingPriorityClass","features":[9,1]},{"name":"D3DKMTSetQueuedLimit","features":[9,1]},{"name":"D3DKMTSetStablePowerState","features":[9,1]},{"name":"D3DKMTSetSyncRefreshCountWaitTarget","features":[9,1]},{"name":"D3DKMTSetVidPnSourceHwProtection","features":[9,1]},{"name":"D3DKMTSetVidPnSourceOwner","features":[9,1]},{"name":"D3DKMTSetVidPnSourceOwner1","features":[9,1]},{"name":"D3DKMTSetVidPnSourceOwner2","features":[9,1]},{"name":"D3DKMTShareObjects","features":[2,9,1]},{"name":"D3DKMTSharedPrimaryLockNotification","features":[9,1]},{"name":"D3DKMTSharedPrimaryUnLockNotification","features":[9,1]},{"name":"D3DKMTSignalSynchronizationObject","features":[9,1]},{"name":"D3DKMTSignalSynchronizationObject2","features":[9,1]},{"name":"D3DKMTSignalSynchronizationObjectFromCpu","features":[9,1]},{"name":"D3DKMTSignalSynchronizationObjectFromGpu","features":[9,1]},{"name":"D3DKMTSignalSynchronizationObjectFromGpu2","features":[9,1]},{"name":"D3DKMTSubmitCommand","features":[9,1]},{"name":"D3DKMTSubmitCommandToHwQueue","features":[9,1]},{"name":"D3DKMTSubmitPresentBltToHwQueue","features":[9,1]},{"name":"D3DKMTSubmitPresentToHwQueue","features":[9,1]},{"name":"D3DKMTSubmitSignalSyncObjectsToHwQueue","features":[9,1]},{"name":"D3DKMTSubmitWaitForSyncObjectsToHwQueue","features":[9,1]},{"name":"D3DKMTTrimProcessCommitment","features":[9,1]},{"name":"D3DKMTUnlock","features":[9,1]},{"name":"D3DKMTUnlock2","features":[9,1]},{"name":"D3DKMTUnregisterTrimNotification","features":[9,1]},{"name":"D3DKMTUpdateAllocationProperty","features":[9,1]},{"name":"D3DKMTUpdateGpuVirtualAddress","features":[9,1]},{"name":"D3DKMTUpdateOverlay","features":[9,1]},{"name":"D3DKMTWaitForIdle","features":[9,1]},{"name":"D3DKMTWaitForSynchronizationObject","features":[9,1]},{"name":"D3DKMTWaitForSynchronizationObject2","features":[9,1]},{"name":"D3DKMTWaitForSynchronizationObjectFromCpu","features":[9,1]},{"name":"D3DKMTWaitForSynchronizationObjectFromGpu","features":[9,1]},{"name":"D3DKMTWaitForVerticalBlankEvent","features":[9,1]},{"name":"D3DKMTWaitForVerticalBlankEvent2","features":[9,1]},{"name":"D3DKMT_ACQUIREKEYEDMUTEX","features":[9]},{"name":"D3DKMT_ACQUIREKEYEDMUTEX2","features":[9]},{"name":"D3DKMT_ACTIVATE_SPECIFIC_DIAG_ESCAPE","features":[9,1]},{"name":"D3DKMT_ACTIVATE_SPECIFIC_DIAG_TYPE","features":[9]},{"name":"D3DKMT_ACTIVATE_SPECIFIC_DIAG_TYPE_EXTRA_CCD_DATABASE_INFO","features":[9]},{"name":"D3DKMT_ACTIVATE_SPECIFIC_DIAG_TYPE_MODES_PRUNED","features":[9]},{"name":"D3DKMT_ADAPTERADDRESS","features":[9]},{"name":"D3DKMT_ADAPTERINFO","features":[9,1]},{"name":"D3DKMT_ADAPTERREGISTRYINFO","features":[9]},{"name":"D3DKMT_ADAPTERTYPE","features":[9]},{"name":"D3DKMT_ADAPTER_PERFDATA","features":[9]},{"name":"D3DKMT_ADAPTER_PERFDATACAPS","features":[9]},{"name":"D3DKMT_ADAPTER_VERIFIER_OPTION","features":[9]},{"name":"D3DKMT_ADAPTER_VERIFIER_OPTION_DATA","features":[9]},{"name":"D3DKMT_ADAPTER_VERIFIER_OPTION_TYPE","features":[9]},{"name":"D3DKMT_ADAPTER_VERIFIER_OPTION_VIDMM_FLAGS","features":[9]},{"name":"D3DKMT_ADAPTER_VERIFIER_OPTION_VIDMM_TRIM_INTERVAL","features":[9]},{"name":"D3DKMT_ADAPTER_VERIFIER_VIDMM_FLAGS","features":[9]},{"name":"D3DKMT_ADAPTER_VERIFIER_VIDMM_TRIM_INTERVAL","features":[9]},{"name":"D3DKMT_ADJUSTFULLSCREENGAMMA","features":[9]},{"name":"D3DKMT_ALLOCATIONRESIDENCYSTATUS","features":[9]},{"name":"D3DKMT_ALLOCATIONRESIDENCYSTATUS_NOTRESIDENT","features":[9]},{"name":"D3DKMT_ALLOCATIONRESIDENCYSTATUS_RESIDENTINGPUMEMORY","features":[9]},{"name":"D3DKMT_ALLOCATIONRESIDENCYSTATUS_RESIDENTINSHAREDMEMORY","features":[9]},{"name":"D3DKMT_AUXILIARYPRESENTINFO","features":[9]},{"name":"D3DKMT_AUXILIARYPRESENTINFO_TYPE","features":[9]},{"name":"D3DKMT_AUXILIARYPRESENTINFO_TYPE_FLIPMANAGER","features":[9]},{"name":"D3DKMT_AllocationPriorityClassHigh","features":[9]},{"name":"D3DKMT_AllocationPriorityClassLow","features":[9]},{"name":"D3DKMT_AllocationPriorityClassMaximum","features":[9]},{"name":"D3DKMT_AllocationPriorityClassMinimum","features":[9]},{"name":"D3DKMT_AllocationPriorityClassNormal","features":[9]},{"name":"D3DKMT_BDDFALLBACK_CTL","features":[9,1]},{"name":"D3DKMT_BLOCKLIST_INFO","features":[9]},{"name":"D3DKMT_BLTMODEL_PRESENTHISTORYTOKEN","features":[9,1]},{"name":"D3DKMT_BRIGHTNESS_INFO","features":[9,1]},{"name":"D3DKMT_BRIGHTNESS_INFO_BEGIN_MANUAL_MODE","features":[9]},{"name":"D3DKMT_BRIGHTNESS_INFO_END_MANUAL_MODE","features":[9]},{"name":"D3DKMT_BRIGHTNESS_INFO_GET","features":[9]},{"name":"D3DKMT_BRIGHTNESS_INFO_GET_CAPS","features":[9]},{"name":"D3DKMT_BRIGHTNESS_INFO_GET_NIT_RANGES","features":[9]},{"name":"D3DKMT_BRIGHTNESS_INFO_GET_POSSIBLE_LEVELS","features":[9]},{"name":"D3DKMT_BRIGHTNESS_INFO_GET_REDUCTION","features":[9]},{"name":"D3DKMT_BRIGHTNESS_INFO_SET","features":[9]},{"name":"D3DKMT_BRIGHTNESS_INFO_SET_OPTIMIZATION","features":[9]},{"name":"D3DKMT_BRIGHTNESS_INFO_SET_STATE","features":[9]},{"name":"D3DKMT_BRIGHTNESS_INFO_TOGGLE_LOGGING","features":[9]},{"name":"D3DKMT_BRIGHTNESS_INFO_TYPE","features":[9]},{"name":"D3DKMT_BRIGHTNESS_POSSIBLE_LEVELS","features":[9]},{"name":"D3DKMT_BUDGETCHANGENOTIFICATION","features":[9]},{"name":"D3DKMT_CANCEL_PRESENTS","features":[9,1]},{"name":"D3DKMT_CANCEL_PRESENTS_FLAGS","features":[9]},{"name":"D3DKMT_CANCEL_PRESENTS_OPERATION","features":[9]},{"name":"D3DKMT_CANCEL_PRESENTS_OPERATION_CANCEL_FROM","features":[9]},{"name":"D3DKMT_CANCEL_PRESENTS_OPERATION_REPROGRAM_INTERRUPT","features":[9]},{"name":"D3DKMT_CHANGESURFACEPOINTER","features":[9,1,12]},{"name":"D3DKMT_CHANGEVIDEOMEMORYRESERVATION","features":[9,1]},{"name":"D3DKMT_CHECKMONITORPOWERSTATE","features":[9]},{"name":"D3DKMT_CHECKMULTIPLANEOVERLAYSUPPORT","features":[9,1]},{"name":"D3DKMT_CHECKMULTIPLANEOVERLAYSUPPORT2","features":[9,1]},{"name":"D3DKMT_CHECKMULTIPLANEOVERLAYSUPPORT3","features":[9,1]},{"name":"D3DKMT_CHECKOCCLUSION","features":[9,1]},{"name":"D3DKMT_CHECKSHAREDRESOURCEACCESS","features":[9]},{"name":"D3DKMT_CHECKVIDPNEXCLUSIVEOWNERSHIP","features":[9]},{"name":"D3DKMT_CHECK_MULTIPLANE_OVERLAY_PLANE","features":[9,1]},{"name":"D3DKMT_CHECK_MULTIPLANE_OVERLAY_PLANE2","features":[9,1]},{"name":"D3DKMT_CHECK_MULTIPLANE_OVERLAY_PLANE3","features":[9,1]},{"name":"D3DKMT_CHECK_MULTIPLANE_OVERLAY_SUPPORT_RETURN_INFO","features":[9]},{"name":"D3DKMT_CLIENTHINT","features":[9]},{"name":"D3DKMT_CLIENTHINT_11ON12","features":[9]},{"name":"D3DKMT_CLIENTHINT_9ON12","features":[9]},{"name":"D3DKMT_CLIENTHINT_CDD","features":[9]},{"name":"D3DKMT_CLIENTHINT_CLON12","features":[9]},{"name":"D3DKMT_CLIENTHINT_CUDA","features":[9]},{"name":"D3DKMT_CLIENTHINT_DML_PYTORCH","features":[9]},{"name":"D3DKMT_CLIENTHINT_DML_TENSORFLOW","features":[9]},{"name":"D3DKMT_CLIENTHINT_DX10","features":[9]},{"name":"D3DKMT_CLIENTHINT_DX11","features":[9]},{"name":"D3DKMT_CLIENTHINT_DX12","features":[9]},{"name":"D3DKMT_CLIENTHINT_DX7","features":[9]},{"name":"D3DKMT_CLIENTHINT_DX8","features":[9]},{"name":"D3DKMT_CLIENTHINT_DX9","features":[9]},{"name":"D3DKMT_CLIENTHINT_GLON12","features":[9]},{"name":"D3DKMT_CLIENTHINT_MAX","features":[9]},{"name":"D3DKMT_CLIENTHINT_MFT_ENCODE","features":[9]},{"name":"D3DKMT_CLIENTHINT_ONEAPI_LEVEL0","features":[9]},{"name":"D3DKMT_CLIENTHINT_OPENCL","features":[9]},{"name":"D3DKMT_CLIENTHINT_OPENGL","features":[9]},{"name":"D3DKMT_CLIENTHINT_RESERVED","features":[9]},{"name":"D3DKMT_CLIENTHINT_UNKNOWN","features":[9]},{"name":"D3DKMT_CLIENTHINT_VULKAN","features":[9]},{"name":"D3DKMT_CLOSEADAPTER","features":[9]},{"name":"D3DKMT_COMPOSITION_PRESENTHISTORYTOKEN","features":[9]},{"name":"D3DKMT_CONFIGURESHAREDRESOURCE","features":[9,1]},{"name":"D3DKMT_CONNECT_DOORBELL","features":[9]},{"name":"D3DKMT_CONNECT_DOORBELL_FLAGS","features":[9]},{"name":"D3DKMT_CPDRIVERNAME","features":[9]},{"name":"D3DKMT_CREATEALLOCATION","features":[9,1]},{"name":"D3DKMT_CREATEALLOCATIONFLAGS","features":[9]},{"name":"D3DKMT_CREATECONTEXT","features":[9]},{"name":"D3DKMT_CREATECONTEXTVIRTUAL","features":[9]},{"name":"D3DKMT_CREATEDCFROMMEMORY","features":[9,1,12]},{"name":"D3DKMT_CREATEDEVICE","features":[9]},{"name":"D3DKMT_CREATEDEVICEFLAGS","features":[9]},{"name":"D3DKMT_CREATEHWCONTEXT","features":[9]},{"name":"D3DKMT_CREATEHWQUEUE","features":[9]},{"name":"D3DKMT_CREATEKEYEDMUTEX","features":[9]},{"name":"D3DKMT_CREATEKEYEDMUTEX2","features":[9]},{"name":"D3DKMT_CREATEKEYEDMUTEX2_FLAGS","features":[9]},{"name":"D3DKMT_CREATENATIVEFENCE","features":[9]},{"name":"D3DKMT_CREATEOVERLAY","features":[9]},{"name":"D3DKMT_CREATEPAGINGQUEUE","features":[9]},{"name":"D3DKMT_CREATEPROTECTEDSESSION","features":[9]},{"name":"D3DKMT_CREATESTANDARDALLOCATION","features":[9]},{"name":"D3DKMT_CREATESTANDARDALLOCATIONFLAGS","features":[9]},{"name":"D3DKMT_CREATESYNCFILE","features":[9]},{"name":"D3DKMT_CREATESYNCHRONIZATIONOBJECT","features":[9,1]},{"name":"D3DKMT_CREATESYNCHRONIZATIONOBJECT2","features":[9,1]},{"name":"D3DKMT_CREATE_DOORBELL","features":[9]},{"name":"D3DKMT_CREATE_DOORBELL_FLAGS","features":[9]},{"name":"D3DKMT_CREATE_OUTPUTDUPL","features":[9,1]},{"name":"D3DKMT_CROSSADAPTERRESOURCE_SUPPORT","features":[9]},{"name":"D3DKMT_CROSSADAPTERRESOURCE_SUPPORT_TIER","features":[9]},{"name":"D3DKMT_CROSSADAPTERRESOURCE_SUPPORT_TIER_COPY","features":[9]},{"name":"D3DKMT_CROSSADAPTERRESOURCE_SUPPORT_TIER_NONE","features":[9]},{"name":"D3DKMT_CROSSADAPTERRESOURCE_SUPPORT_TIER_SCANOUT","features":[9]},{"name":"D3DKMT_CROSSADAPTERRESOURCE_SUPPORT_TIER_TEXTURE","features":[9]},{"name":"D3DKMT_CROSS_ADAPTER_RESOURCE_HEIGHT_ALIGNMENT","features":[9]},{"name":"D3DKMT_CROSS_ADAPTER_RESOURCE_PITCH_ALIGNMENT","features":[9]},{"name":"D3DKMT_CURRENTDISPLAYMODE","features":[9]},{"name":"D3DKMT_ClientPagingBuffer","features":[9]},{"name":"D3DKMT_ClientRenderBuffer","features":[9]},{"name":"D3DKMT_DEBUG_SNAPSHOT_ESCAPE","features":[9]},{"name":"D3DKMT_DEFRAG_ESCAPE_DEFRAG_DOWNWARD","features":[9]},{"name":"D3DKMT_DEFRAG_ESCAPE_DEFRAG_PASS","features":[9]},{"name":"D3DKMT_DEFRAG_ESCAPE_DEFRAG_UPWARD","features":[9]},{"name":"D3DKMT_DEFRAG_ESCAPE_GET_FRAGMENTATION_STATS","features":[9]},{"name":"D3DKMT_DEFRAG_ESCAPE_OPERATION","features":[9]},{"name":"D3DKMT_DEFRAG_ESCAPE_VERIFY_TRANSFER","features":[9]},{"name":"D3DKMT_DESTROYALLOCATION","features":[9]},{"name":"D3DKMT_DESTROYALLOCATION2","features":[9]},{"name":"D3DKMT_DESTROYCONTEXT","features":[9]},{"name":"D3DKMT_DESTROYDCFROMMEMORY","features":[9,1,12]},{"name":"D3DKMT_DESTROYDEVICE","features":[9]},{"name":"D3DKMT_DESTROYHWCONTEXT","features":[9]},{"name":"D3DKMT_DESTROYHWQUEUE","features":[9]},{"name":"D3DKMT_DESTROYKEYEDMUTEX","features":[9]},{"name":"D3DKMT_DESTROYOVERLAY","features":[9]},{"name":"D3DKMT_DESTROYPROTECTEDSESSION","features":[9]},{"name":"D3DKMT_DESTROYSYNCHRONIZATIONOBJECT","features":[9]},{"name":"D3DKMT_DESTROY_DOORBELL","features":[9]},{"name":"D3DKMT_DESTROY_OUTPUTDUPL","features":[9,1]},{"name":"D3DKMT_DEVICEESCAPE_RESTOREGAMMA","features":[9]},{"name":"D3DKMT_DEVICEESCAPE_TYPE","features":[9]},{"name":"D3DKMT_DEVICEESCAPE_VIDPNFROMALLOCATION","features":[9]},{"name":"D3DKMT_DEVICEEXECUTION_ACTIVE","features":[9]},{"name":"D3DKMT_DEVICEEXECUTION_ERROR_DMAFAULT","features":[9]},{"name":"D3DKMT_DEVICEEXECUTION_ERROR_DMAPAGEFAULT","features":[9]},{"name":"D3DKMT_DEVICEEXECUTION_ERROR_OUTOFMEMORY","features":[9]},{"name":"D3DKMT_DEVICEEXECUTION_HUNG","features":[9]},{"name":"D3DKMT_DEVICEEXECUTION_RESET","features":[9]},{"name":"D3DKMT_DEVICEEXECUTION_STATE","features":[9]},{"name":"D3DKMT_DEVICEEXECUTION_STOPPED","features":[9]},{"name":"D3DKMT_DEVICEPAGEFAULT_STATE","features":[9]},{"name":"D3DKMT_DEVICEPRESENT_QUEUE_STATE","features":[9,1]},{"name":"D3DKMT_DEVICEPRESENT_STATE","features":[9]},{"name":"D3DKMT_DEVICEPRESENT_STATE_DWM","features":[9]},{"name":"D3DKMT_DEVICERESET_STATE","features":[9]},{"name":"D3DKMT_DEVICESTATE_EXECUTION","features":[9]},{"name":"D3DKMT_DEVICESTATE_PAGE_FAULT","features":[9]},{"name":"D3DKMT_DEVICESTATE_PRESENT","features":[9]},{"name":"D3DKMT_DEVICESTATE_PRESENT_DWM","features":[9]},{"name":"D3DKMT_DEVICESTATE_PRESENT_QUEUE","features":[9]},{"name":"D3DKMT_DEVICESTATE_RESET","features":[9]},{"name":"D3DKMT_DEVICESTATE_TYPE","features":[9]},{"name":"D3DKMT_DEVICE_ERROR_REASON","features":[9]},{"name":"D3DKMT_DEVICE_ERROR_REASON_DRIVER_ERROR","features":[9]},{"name":"D3DKMT_DEVICE_ERROR_REASON_GENERIC","features":[9]},{"name":"D3DKMT_DEVICE_ESCAPE","features":[9]},{"name":"D3DKMT_DEVICE_IDS","features":[9]},{"name":"D3DKMT_DIRECTFLIP_SUPPORT","features":[9,1]},{"name":"D3DKMT_DIRTYREGIONS","features":[9,1]},{"name":"D3DKMT_DISPLAYMODE","features":[9]},{"name":"D3DKMT_DISPLAYMODELIST","features":[9]},{"name":"D3DKMT_DISPLAY_CAPS","features":[9]},{"name":"D3DKMT_DISPLAY_UMD_FILENAMEINFO","features":[9]},{"name":"D3DKMT_DLIST_DRIVER_NAME","features":[9]},{"name":"D3DKMT_DMMESCAPETYPE","features":[9]},{"name":"D3DKMT_DMMESCAPETYPE_ACTIVEVIDPN_COFUNCPATHMODALITY_INFO","features":[9]},{"name":"D3DKMT_DMMESCAPETYPE_ACTIVEVIDPN_SOURCEMODESET_INFO","features":[9]},{"name":"D3DKMT_DMMESCAPETYPE_GET_ACTIVEVIDPN_INFO","features":[9]},{"name":"D3DKMT_DMMESCAPETYPE_GET_LASTCLIENTCOMMITTEDVIDPN_INFO","features":[9]},{"name":"D3DKMT_DMMESCAPETYPE_GET_MONITORS_INFO","features":[9]},{"name":"D3DKMT_DMMESCAPETYPE_GET_SUMMARY_INFO","features":[9]},{"name":"D3DKMT_DMMESCAPETYPE_GET_VERSION_INFO","features":[9]},{"name":"D3DKMT_DMMESCAPETYPE_GET_VIDEO_PRESENT_SOURCES_INFO","features":[9]},{"name":"D3DKMT_DMMESCAPETYPE_GET_VIDEO_PRESENT_TARGETS_INFO","features":[9]},{"name":"D3DKMT_DMMESCAPETYPE_RECENTLY_COMMITTED_VIDPNS_INFO","features":[9]},{"name":"D3DKMT_DMMESCAPETYPE_RECENTLY_RECOMMENDED_VIDPNS_INFO","features":[9]},{"name":"D3DKMT_DMMESCAPETYPE_RECENT_MODECHANGE_REQUESTS_INFO","features":[9]},{"name":"D3DKMT_DMMESCAPETYPE_RECENT_MONITOR_PRESENCE_EVENTS_INFO","features":[9]},{"name":"D3DKMT_DMMESCAPETYPE_UNINITIALIZED","features":[9]},{"name":"D3DKMT_DMMESCAPETYPE_VIDPN_MGR_DIAGNOSTICS","features":[9]},{"name":"D3DKMT_DMM_ESCAPE","features":[9]},{"name":"D3DKMT_DOD_SET_DIRTYRECT_MODE","features":[9,1]},{"name":"D3DKMT_DRIVERCAPS_EXT","features":[9]},{"name":"D3DKMT_DRIVERVERSION","features":[9]},{"name":"D3DKMT_DRIVER_DESCRIPTION","features":[9]},{"name":"D3DKMT_DeferredCommandBuffer","features":[9]},{"name":"D3DKMT_DeviceCommandBuffer","features":[9]},{"name":"D3DKMT_DmaPacketTypeMax","features":[9]},{"name":"D3DKMT_ENUMADAPTERS","features":[9,1]},{"name":"D3DKMT_ENUMADAPTERS2","features":[9,1]},{"name":"D3DKMT_ENUMADAPTERS3","features":[9,1]},{"name":"D3DKMT_ENUMADAPTERS_FILTER","features":[9]},{"name":"D3DKMT_ESCAPE","features":[9]},{"name":"D3DKMT_ESCAPETYPE","features":[9]},{"name":"D3DKMT_ESCAPE_ACTIVATE_SPECIFIC_DIAG","features":[9]},{"name":"D3DKMT_ESCAPE_ADAPTER_VERIFIER_OPTION","features":[9]},{"name":"D3DKMT_ESCAPE_BDD_FALLBACK","features":[9]},{"name":"D3DKMT_ESCAPE_BDD_PNP","features":[9]},{"name":"D3DKMT_ESCAPE_BRIGHTNESS","features":[9]},{"name":"D3DKMT_ESCAPE_CCD_DATABASE","features":[9]},{"name":"D3DKMT_ESCAPE_DEBUG_SNAPSHOT","features":[9]},{"name":"D3DKMT_ESCAPE_DEVICE","features":[9]},{"name":"D3DKMT_ESCAPE_DIAGNOSTICS","features":[9]},{"name":"D3DKMT_ESCAPE_DMM","features":[9]},{"name":"D3DKMT_ESCAPE_DOD_SET_DIRTYRECT_MODE","features":[9]},{"name":"D3DKMT_ESCAPE_DRIVERPRIVATE","features":[9]},{"name":"D3DKMT_ESCAPE_DRT_TEST","features":[9]},{"name":"D3DKMT_ESCAPE_EDID_CACHE","features":[9]},{"name":"D3DKMT_ESCAPE_FORCE_BDDFALLBACK_HEADLESS","features":[9]},{"name":"D3DKMT_ESCAPE_GET_DISPLAY_CONFIGURATIONS","features":[9]},{"name":"D3DKMT_ESCAPE_GET_EXTERNAL_DIAGNOSTICS","features":[9]},{"name":"D3DKMT_ESCAPE_HISTORY_BUFFER_STATUS","features":[9]},{"name":"D3DKMT_ESCAPE_IDD_REQUEST","features":[9]},{"name":"D3DKMT_ESCAPE_LOG_CODEPOINT_PACKET","features":[9]},{"name":"D3DKMT_ESCAPE_LOG_USERMODE_DAIG_PACKET","features":[9]},{"name":"D3DKMT_ESCAPE_MIRACAST_ADAPTER_DIAG_INFO","features":[9]},{"name":"D3DKMT_ESCAPE_MIRACAST_DISPLAY_REQUEST","features":[9]},{"name":"D3DKMT_ESCAPE_MODES_PRUNED_OUT","features":[9]},{"name":"D3DKMT_ESCAPE_OUTPUTDUPL_DIAGNOSTICS","features":[9]},{"name":"D3DKMT_ESCAPE_OUTPUTDUPL_SNAPSHOT","features":[9]},{"name":"D3DKMT_ESCAPE_PFN_CONTROL_COMMAND","features":[9]},{"name":"D3DKMT_ESCAPE_PFN_CONTROL_DEFAULT","features":[9]},{"name":"D3DKMT_ESCAPE_PFN_CONTROL_FORCE_CPU","features":[9]},{"name":"D3DKMT_ESCAPE_PFN_CONTROL_FORCE_GPU","features":[9]},{"name":"D3DKMT_ESCAPE_PROCESS_VERIFIER_OPTION","features":[9]},{"name":"D3DKMT_ESCAPE_QUERY_DMA_REMAPPING_STATUS","features":[9]},{"name":"D3DKMT_ESCAPE_QUERY_IOMMU_STATUS","features":[9]},{"name":"D3DKMT_ESCAPE_REQUEST_MACHINE_CRASH","features":[9]},{"name":"D3DKMT_ESCAPE_SOFTGPU_ENABLE_DISABLE_HMD","features":[9]},{"name":"D3DKMT_ESCAPE_TDRDBGCTRL","features":[9]},{"name":"D3DKMT_ESCAPE_VIDMM","features":[9]},{"name":"D3DKMT_ESCAPE_VIDSCH","features":[9]},{"name":"D3DKMT_ESCAPE_VIRTUAL_REFRESH_RATE","features":[9,1]},{"name":"D3DKMT_ESCAPE_VIRTUAL_REFRESH_RATE_TYPE","features":[9]},{"name":"D3DKMT_ESCAPE_VIRTUAL_REFRESH_RATE_TYPE_SET_BASE_DESKTOP_DURATION","features":[9]},{"name":"D3DKMT_ESCAPE_VIRTUAL_REFRESH_RATE_TYPE_SET_PROCESS_BOOST_ELIGIBLE","features":[9]},{"name":"D3DKMT_ESCAPE_VIRTUAL_REFRESH_RATE_TYPE_SET_VSYNC_MULTIPLIER","features":[9]},{"name":"D3DKMT_ESCAPE_WHQL_INFO","features":[9]},{"name":"D3DKMT_ESCAPE_WIN32K_BDD_FALLBACK","features":[9]},{"name":"D3DKMT_ESCAPE_WIN32K_COLOR_PROFILE_INFO","features":[9]},{"name":"D3DKMT_ESCAPE_WIN32K_DDA_TEST_CTL","features":[9]},{"name":"D3DKMT_ESCAPE_WIN32K_DISPBROKER_TEST","features":[9]},{"name":"D3DKMT_ESCAPE_WIN32K_DPI_INFO","features":[9]},{"name":"D3DKMT_ESCAPE_WIN32K_HIP_DEVICE_INFO","features":[9]},{"name":"D3DKMT_ESCAPE_WIN32K_PRESENTER_VIEW_INFO","features":[9]},{"name":"D3DKMT_ESCAPE_WIN32K_QUERY_CD_ROTATION_BLOCK","features":[9]},{"name":"D3DKMT_ESCAPE_WIN32K_SET_DIMMED_STATE","features":[9]},{"name":"D3DKMT_ESCAPE_WIN32K_SPECIALIZED_DISPLAY_TEST","features":[9]},{"name":"D3DKMT_ESCAPE_WIN32K_START","features":[9]},{"name":"D3DKMT_ESCAPE_WIN32K_SYSTEM_DPI","features":[9]},{"name":"D3DKMT_ESCAPE_WIN32K_USER_DETECTED_BLACK_SCREEN","features":[9]},{"name":"D3DKMT_EVICT","features":[9]},{"name":"D3DKMT_EVICTION_CRITERIA","features":[9]},{"name":"D3DKMT_FENCE_PRESENTHISTORYTOKEN","features":[9]},{"name":"D3DKMT_FLIPINFOFLAGS","features":[9]},{"name":"D3DKMT_FLIPMANAGER_AUXILIARYPRESENTINFO","features":[9,1]},{"name":"D3DKMT_FLIPMANAGER_PRESENTHISTORYTOKEN","features":[9]},{"name":"D3DKMT_FLIPMODEL_INDEPENDENT_FLIP_STAGE","features":[9]},{"name":"D3DKMT_FLIPMODEL_INDEPENDENT_FLIP_STAGE_FLIP_COMPLETE","features":[9]},{"name":"D3DKMT_FLIPMODEL_INDEPENDENT_FLIP_STAGE_FLIP_SUBMITTED","features":[9]},{"name":"D3DKMT_FLIPMODEL_PRESENTHISTORYTOKEN","features":[9,1]},{"name":"D3DKMT_FLIPMODEL_PRESENTHISTORYTOKENFLAGS","features":[9]},{"name":"D3DKMT_FLIPOVERLAY","features":[9]},{"name":"D3DKMT_FLIPQUEUEINFO","features":[9]},{"name":"D3DKMT_FLUSHHEAPTRANSITIONS","features":[9]},{"name":"D3DKMT_FREEGPUVIRTUALADDRESS","features":[9]},{"name":"D3DKMT_GDIMODEL_PRESENTHISTORYTOKEN","features":[9,1]},{"name":"D3DKMT_GDIMODEL_SYSMEM_PRESENTHISTORYTOKEN","features":[9]},{"name":"D3DKMT_GDI_STYLE_HANDLE_DECORATION","features":[9]},{"name":"D3DKMT_GETALLOCATIONPRIORITY","features":[9]},{"name":"D3DKMT_GETCONTEXTINPROCESSSCHEDULINGPRIORITY","features":[9]},{"name":"D3DKMT_GETCONTEXTSCHEDULINGPRIORITY","features":[9]},{"name":"D3DKMT_GETDEVICESTATE","features":[9,1]},{"name":"D3DKMT_GETDISPLAYMODELIST","features":[9]},{"name":"D3DKMT_GETMULTISAMPLEMETHODLIST","features":[9]},{"name":"D3DKMT_GETOVERLAYSTATE","features":[9,1]},{"name":"D3DKMT_GETPRESENTHISTORY","features":[9,1]},{"name":"D3DKMT_GETPRESENTHISTORY_MAXTOKENS","features":[9]},{"name":"D3DKMT_GETPROCESSDEVICEREMOVALSUPPORT","features":[9,1]},{"name":"D3DKMT_GETRUNTIMEDATA","features":[9]},{"name":"D3DKMT_GETSCANLINE","features":[9,1]},{"name":"D3DKMT_GETSHAREDPRIMARYHANDLE","features":[9]},{"name":"D3DKMT_GETSHAREDRESOURCEADAPTERLUID","features":[9,1]},{"name":"D3DKMT_GETVERTICALBLANKEVENT","features":[9]},{"name":"D3DKMT_GET_DEVICE_VIDPN_OWNERSHIP_INFO","features":[9,1]},{"name":"D3DKMT_GET_GPUMMU_CAPS","features":[9,1]},{"name":"D3DKMT_GET_MULTIPLANE_OVERLAY_CAPS","features":[9]},{"name":"D3DKMT_GET_POST_COMPOSITION_CAPS","features":[9]},{"name":"D3DKMT_GET_PTE","features":[9,1]},{"name":"D3DKMT_GET_PTE_MAX","features":[9]},{"name":"D3DKMT_GET_QUEUEDLIMIT_PRESENT","features":[9]},{"name":"D3DKMT_GET_SEGMENT_CAPS","features":[9,1]},{"name":"D3DKMT_GPUMMU_CAPS","features":[9]},{"name":"D3DKMT_GPUVERSION","features":[9]},{"name":"D3DKMT_GPU_PREFERENCE_QUERY_STATE","features":[9]},{"name":"D3DKMT_GPU_PREFERENCE_QUERY_TYPE","features":[9]},{"name":"D3DKMT_GPU_PREFERENCE_STATE_HIGH_PERFORMANCE","features":[9]},{"name":"D3DKMT_GPU_PREFERENCE_STATE_MINIMUM_POWER","features":[9]},{"name":"D3DKMT_GPU_PREFERENCE_STATE_NOT_FOUND","features":[9]},{"name":"D3DKMT_GPU_PREFERENCE_STATE_UNINITIALIZED","features":[9]},{"name":"D3DKMT_GPU_PREFERENCE_STATE_UNSPECIFIED","features":[9]},{"name":"D3DKMT_GPU_PREFERENCE_STATE_USER_SPECIFIED_GPU","features":[9]},{"name":"D3DKMT_GPU_PREFERENCE_TYPE_DX_DATABASE","features":[9]},{"name":"D3DKMT_GPU_PREFERENCE_TYPE_IHV_DLIST","features":[9]},{"name":"D3DKMT_GPU_PREFERENCE_TYPE_USER_PREFERENCE","features":[9]},{"name":"D3DKMT_HISTORY_BUFFER_STATUS","features":[9,1]},{"name":"D3DKMT_HWDRM_SUPPORT","features":[9,1]},{"name":"D3DKMT_HYBRID_DLIST_DLL_SUPPORT","features":[9,1]},{"name":"D3DKMT_HYBRID_LIST","features":[9,1]},{"name":"D3DKMT_INDEPENDENTFLIP_SECONDARY_SUPPORT","features":[9,1]},{"name":"D3DKMT_INDEPENDENTFLIP_SUPPORT","features":[9,1]},{"name":"D3DKMT_INVALIDATEACTIVEVIDPN","features":[9]},{"name":"D3DKMT_INVALIDATECACHE","features":[9]},{"name":"D3DKMT_ISBADDRIVERFORHWPROTECTIONDISABLED","features":[9,1]},{"name":"D3DKMT_KMD_DRIVER_VERSION","features":[9]},{"name":"D3DKMT_LOCK","features":[9]},{"name":"D3DKMT_LOCK2","features":[9]},{"name":"D3DKMT_MARKDEVICEASERROR","features":[9]},{"name":"D3DKMT_MAX_BUNDLE_OBJECTS_PER_HANDLE","features":[9]},{"name":"D3DKMT_MAX_DMM_ESCAPE_DATASIZE","features":[9]},{"name":"D3DKMT_MAX_MULTIPLANE_OVERLAY_ALLOCATIONS_PER_PLANE","features":[9]},{"name":"D3DKMT_MAX_MULTIPLANE_OVERLAY_PLANES","features":[9]},{"name":"D3DKMT_MAX_OBJECTS_PER_HANDLE","features":[9]},{"name":"D3DKMT_MAX_PRESENT_HISTORY_RECTS","features":[9]},{"name":"D3DKMT_MAX_PRESENT_HISTORY_SCATTERBLTS","features":[9]},{"name":"D3DKMT_MAX_SEGMENT_COUNT","features":[9]},{"name":"D3DKMT_MAX_WAITFORVERTICALBLANK_OBJECTS","features":[9]},{"name":"D3DKMT_MEMORY_SEGMENT_GROUP","features":[9]},{"name":"D3DKMT_MEMORY_SEGMENT_GROUP_LOCAL","features":[9]},{"name":"D3DKMT_MEMORY_SEGMENT_GROUP_NON_LOCAL","features":[9]},{"name":"D3DKMT_MIRACASTCOMPANIONDRIVERNAME","features":[9]},{"name":"D3DKMT_MIRACAST_CHUNK_DATA","features":[9]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS","features":[9]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_CANCELLED","features":[9]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_DEVICE_ERROR","features":[9]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_DEVICE_NOT_FOUND","features":[9]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_DEVICE_NOT_STARTED","features":[9]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_GPU_RESOURCE_IN_USE","features":[9]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_INSUFFICIENT_BANDWIDTH","features":[9]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_INSUFFICIENT_MEMORY","features":[9]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_INVALID_PARAMETER","features":[9]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_PENDING","features":[9]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_REMOTE_SESSION","features":[9]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_SUCCESS","features":[9]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_SUCCESS_NO_MONITOR","features":[9]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_UNKOWN_ERROR","features":[9]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_UNKOWN_PAIRING","features":[9]},{"name":"D3DKMT_MIRACAST_DISPLAY_DEVICE_CAPS","features":[9,1]},{"name":"D3DKMT_MIRACAST_DISPLAY_DEVICE_STATE","features":[9]},{"name":"D3DKMT_MIRACAST_DISPLAY_DEVICE_STATUS","features":[9]},{"name":"D3DKMT_MIRACAST_DISPLAY_STOP_SESSIONS","features":[9,1]},{"name":"D3DKMT_MIRACAST_DRIVER_IHV","features":[9]},{"name":"D3DKMT_MIRACAST_DRIVER_MS","features":[9]},{"name":"D3DKMT_MIRACAST_DRIVER_NOT_SUPPORTED","features":[9]},{"name":"D3DKMT_MIRACAST_DRIVER_TYPE","features":[9]},{"name":"D3DKMT_MOVE_RECT","features":[9,1]},{"name":"D3DKMT_MPO3DDI_SUPPORT","features":[9,1]},{"name":"D3DKMT_MPOKERNELCAPS_SUPPORT","features":[9,1]},{"name":"D3DKMT_MULIIPLANE_OVERLAY_VIDEO_FRAME_FORMAT_PROGRESSIVE","features":[9]},{"name":"D3DKMT_MULTIPLANEOVERLAY_DECODE_SUPPORT","features":[9,1]},{"name":"D3DKMT_MULTIPLANEOVERLAY_HUD_SUPPORT","features":[9,1]},{"name":"D3DKMT_MULTIPLANEOVERLAY_SECONDARY_SUPPORT","features":[9,1]},{"name":"D3DKMT_MULTIPLANEOVERLAY_STRETCH_SUPPORT","features":[9,1]},{"name":"D3DKMT_MULTIPLANEOVERLAY_SUPPORT","features":[9,1]},{"name":"D3DKMT_MULTIPLANE_OVERLAY","features":[9,1]},{"name":"D3DKMT_MULTIPLANE_OVERLAY2","features":[9,1]},{"name":"D3DKMT_MULTIPLANE_OVERLAY3","features":[9,1]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_ATTRIBUTES","features":[9,1]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_ATTRIBUTES2","features":[9,1]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_ATTRIBUTES3","features":[9,1]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_BLEND","features":[9]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_BLEND_ALPHABLEND","features":[9]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_BLEND_OPAQUE","features":[9]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_CAPS","features":[9]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_FLAGS","features":[9]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_FLAG_HORIZONTAL_FLIP","features":[9]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_FLAG_STATIC_CHECK","features":[9]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_FLAG_VERTICAL_FLIP","features":[9]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_POST_COMPOSITION","features":[9,1]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_POST_COMPOSITION_FLAGS","features":[9]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_POST_COMPOSITION_WITH_SOURCE","features":[9,1]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_STEREO_FORMAT","features":[9]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_STEREO_FORMAT_HORIZONTAL","features":[9]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_STEREO_FORMAT_VERTICAL","features":[9]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_VIDEO_FRAME_FORMAT","features":[9]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_VIDEO_FRAME_FORMAT_INTERLACED_BOTTOM_FIELD_FIRST","features":[9]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_VIDEO_FRAME_FORMAT_INTERLACED_TOP_FIELD_FIRST","features":[9]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_YCbCr_FLAGS","features":[9]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_YCbCr_FLAG_BT709","features":[9]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_YCbCr_FLAG_NOMINAL_RANGE","features":[9]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_YCbCr_FLAG_xvYCC","features":[9]},{"name":"D3DKMT_MULTISAMPLEMETHOD","features":[9]},{"name":"D3DKMT_MaxAllocationPriorityClass","features":[9]},{"name":"D3DKMT_MmIoFlipCommandBuffer","features":[9]},{"name":"D3DKMT_NODEMETADATA","features":[9,1]},{"name":"D3DKMT_NODE_PERFDATA","features":[9]},{"name":"D3DKMT_NOTIFY_WORK_SUBMISSION","features":[9]},{"name":"D3DKMT_NOTIFY_WORK_SUBMISSION_FLAGS","features":[9]},{"name":"D3DKMT_OFFERALLOCATIONS","features":[9]},{"name":"D3DKMT_OFFER_FLAGS","features":[9]},{"name":"D3DKMT_OFFER_PRIORITY","features":[9]},{"name":"D3DKMT_OFFER_PRIORITY_AUTO","features":[9]},{"name":"D3DKMT_OFFER_PRIORITY_HIGH","features":[9]},{"name":"D3DKMT_OFFER_PRIORITY_LOW","features":[9]},{"name":"D3DKMT_OFFER_PRIORITY_NORMAL","features":[9]},{"name":"D3DKMT_OPENADAPTERFROMDEVICENAME","features":[9,1]},{"name":"D3DKMT_OPENADAPTERFROMGDIDISPLAYNAME","features":[9,1]},{"name":"D3DKMT_OPENADAPTERFROMHDC","features":[9,1,12]},{"name":"D3DKMT_OPENADAPTERFROMLUID","features":[9,1]},{"name":"D3DKMT_OPENGLINFO","features":[9]},{"name":"D3DKMT_OPENKEYEDMUTEX","features":[9]},{"name":"D3DKMT_OPENKEYEDMUTEX2","features":[9]},{"name":"D3DKMT_OPENKEYEDMUTEXFROMNTHANDLE","features":[9,1]},{"name":"D3DKMT_OPENNATIVEFENCEFROMNTHANDLE","features":[9,1]},{"name":"D3DKMT_OPENNTHANDLEFROMNAME","features":[2,9,1]},{"name":"D3DKMT_OPENPROTECTEDSESSIONFROMNTHANDLE","features":[9,1]},{"name":"D3DKMT_OPENRESOURCE","features":[9]},{"name":"D3DKMT_OPENRESOURCEFROMNTHANDLE","features":[9,1]},{"name":"D3DKMT_OPENSYNCHRONIZATIONOBJECT","features":[9]},{"name":"D3DKMT_OPENSYNCOBJECTFROMNTHANDLE","features":[9,1]},{"name":"D3DKMT_OPENSYNCOBJECTFROMNTHANDLE2","features":[9,1]},{"name":"D3DKMT_OPENSYNCOBJECTNTHANDLEFROMNAME","features":[2,9,1]},{"name":"D3DKMT_OUTDUPL_POINTER_SHAPE_INFO","features":[9,1]},{"name":"D3DKMT_OUTDUPL_POINTER_SHAPE_TYPE","features":[9]},{"name":"D3DKMT_OUTDUPL_POINTER_SHAPE_TYPE_COLOR","features":[9]},{"name":"D3DKMT_OUTDUPL_POINTER_SHAPE_TYPE_MASKED_COLOR","features":[9]},{"name":"D3DKMT_OUTDUPL_POINTER_SHAPE_TYPE_MONOCHROME","features":[9]},{"name":"D3DKMT_OUTPUTDUPLCONTEXTSCOUNT","features":[9]},{"name":"D3DKMT_OUTPUTDUPLCREATIONFLAGS","features":[9]},{"name":"D3DKMT_OUTPUTDUPLPRESENT","features":[9,1]},{"name":"D3DKMT_OUTPUTDUPLPRESENTFLAGS","features":[9]},{"name":"D3DKMT_OUTPUTDUPLPRESENTTOHWQUEUE","features":[9,1]},{"name":"D3DKMT_OUTPUTDUPL_FRAMEINFO","features":[9,1]},{"name":"D3DKMT_OUTPUTDUPL_GET_FRAMEINFO","features":[9,1]},{"name":"D3DKMT_OUTPUTDUPL_GET_POINTER_SHAPE_DATA","features":[9,1]},{"name":"D3DKMT_OUTPUTDUPL_KEYEDMUTEX","features":[9,1]},{"name":"D3DKMT_OUTPUTDUPL_METADATA","features":[9]},{"name":"D3DKMT_OUTPUTDUPL_METADATATYPE","features":[9]},{"name":"D3DKMT_OUTPUTDUPL_METADATATYPE_DIRTY_RECTS","features":[9]},{"name":"D3DKMT_OUTPUTDUPL_METADATATYPE_MOVE_RECTS","features":[9]},{"name":"D3DKMT_OUTPUTDUPL_POINTER_POSITION","features":[9,1]},{"name":"D3DKMT_OUTPUTDUPL_RELEASE_FRAME","features":[9]},{"name":"D3DKMT_OUTPUTDUPL_SNAPSHOT","features":[9,1]},{"name":"D3DKMT_PAGE_TABLE_LEVEL_DESC","features":[9]},{"name":"D3DKMT_PANELFITTER_SUPPORT","features":[9,1]},{"name":"D3DKMT_PARAVIRTUALIZATION","features":[9,1]},{"name":"D3DKMT_PHYSICAL_ADAPTER_COUNT","features":[9]},{"name":"D3DKMT_PINDIRECTFLIPRESOURCES","features":[9]},{"name":"D3DKMT_PLANE_SPECIFIC_INPUT_FLAGS","features":[9]},{"name":"D3DKMT_PLANE_SPECIFIC_OUTPUT_FLAGS","features":[9]},{"name":"D3DKMT_PM_FLIPMANAGER","features":[9]},{"name":"D3DKMT_PM_REDIRECTED_BLT","features":[9]},{"name":"D3DKMT_PM_REDIRECTED_COMPOSITION","features":[9]},{"name":"D3DKMT_PM_REDIRECTED_FLIP","features":[9]},{"name":"D3DKMT_PM_REDIRECTED_GDI","features":[9]},{"name":"D3DKMT_PM_REDIRECTED_GDI_SYSMEM","features":[9]},{"name":"D3DKMT_PM_REDIRECTED_VISTABLT","features":[9]},{"name":"D3DKMT_PM_SCREENCAPTUREFENCE","features":[9]},{"name":"D3DKMT_PM_SURFACECOMPLETE","features":[9]},{"name":"D3DKMT_PM_UNINITIALIZED","features":[9]},{"name":"D3DKMT_PNP_KEY_HARDWARE","features":[9]},{"name":"D3DKMT_PNP_KEY_SOFTWARE","features":[9]},{"name":"D3DKMT_PNP_KEY_TYPE","features":[9]},{"name":"D3DKMT_POLLDISPLAYCHILDREN","features":[9]},{"name":"D3DKMT_PRESENT","features":[9,1]},{"name":"D3DKMT_PRESENTFLAGS","features":[9]},{"name":"D3DKMT_PRESENTHISTORYTOKEN","features":[9,1]},{"name":"D3DKMT_PRESENT_MODEL","features":[9]},{"name":"D3DKMT_PRESENT_MULTIPLANE_OVERLAY","features":[9,1]},{"name":"D3DKMT_PRESENT_MULTIPLANE_OVERLAY2","features":[9,1]},{"name":"D3DKMT_PRESENT_MULTIPLANE_OVERLAY3","features":[9,1]},{"name":"D3DKMT_PRESENT_MULTIPLANE_OVERLAY_FLAGS","features":[9]},{"name":"D3DKMT_PRESENT_REDIRECTED","features":[9,1]},{"name":"D3DKMT_PRESENT_REDIRECTED_FLAGS","features":[9]},{"name":"D3DKMT_PRESENT_RGNS","features":[9,1]},{"name":"D3DKMT_PRESENT_STATS","features":[9]},{"name":"D3DKMT_PRESENT_STATS_DWM","features":[9]},{"name":"D3DKMT_PRESENT_STATS_DWM2","features":[9]},{"name":"D3DKMT_PROCESS_VERIFIER_OPTION","features":[9,1]},{"name":"D3DKMT_PROCESS_VERIFIER_OPTION_DATA","features":[9]},{"name":"D3DKMT_PROCESS_VERIFIER_OPTION_TYPE","features":[9]},{"name":"D3DKMT_PROCESS_VERIFIER_OPTION_VIDMM_FLAGS","features":[9]},{"name":"D3DKMT_PROCESS_VERIFIER_OPTION_VIDMM_RESTRICT_BUDGET","features":[9]},{"name":"D3DKMT_PROCESS_VERIFIER_VIDMM_FLAGS","features":[9]},{"name":"D3DKMT_PROCESS_VERIFIER_VIDMM_RESTRICT_BUDGET","features":[9]},{"name":"D3DKMT_PROTECTED_SESSION_STATUS","features":[9]},{"name":"D3DKMT_PROTECTED_SESSION_STATUS_INVALID","features":[9]},{"name":"D3DKMT_PROTECTED_SESSION_STATUS_OK","features":[9]},{"name":"D3DKMT_PreemptionAttempt","features":[9]},{"name":"D3DKMT_PreemptionAttemptMissAlreadyPreempting","features":[9]},{"name":"D3DKMT_PreemptionAttemptMissAlreadyRunning","features":[9]},{"name":"D3DKMT_PreemptionAttemptMissFenceCommand","features":[9]},{"name":"D3DKMT_PreemptionAttemptMissGlobalBlock","features":[9]},{"name":"D3DKMT_PreemptionAttemptMissLessPriority","features":[9]},{"name":"D3DKMT_PreemptionAttemptMissNextFence","features":[9]},{"name":"D3DKMT_PreemptionAttemptMissNoCommand","features":[9]},{"name":"D3DKMT_PreemptionAttemptMissNotEnabled","features":[9]},{"name":"D3DKMT_PreemptionAttemptMissNotMakingProgress","features":[9]},{"name":"D3DKMT_PreemptionAttemptMissPagingCommand","features":[9]},{"name":"D3DKMT_PreemptionAttemptMissRemainingPreemptionQuantum","features":[9]},{"name":"D3DKMT_PreemptionAttemptMissRemainingQuantum","features":[9]},{"name":"D3DKMT_PreemptionAttemptMissRenderPendingFlip","features":[9]},{"name":"D3DKMT_PreemptionAttemptMissSplittedCommand","features":[9]},{"name":"D3DKMT_PreemptionAttemptStatisticsMax","features":[9]},{"name":"D3DKMT_PreemptionAttemptSuccess","features":[9]},{"name":"D3DKMT_QUERYADAPTERINFO","features":[9]},{"name":"D3DKMT_QUERYALLOCATIONRESIDENCY","features":[9]},{"name":"D3DKMT_QUERYCLOCKCALIBRATION","features":[9]},{"name":"D3DKMT_QUERYFSEBLOCK","features":[9,1]},{"name":"D3DKMT_QUERYFSEBLOCKFLAGS","features":[9]},{"name":"D3DKMT_QUERYPROCESSOFFERINFO","features":[9,1]},{"name":"D3DKMT_QUERYPROTECTEDSESSIONINFOFROMNTHANDLE","features":[9,1]},{"name":"D3DKMT_QUERYPROTECTEDSESSIONSTATUS","features":[9]},{"name":"D3DKMT_QUERYREMOTEVIDPNSOURCEFROMGDIDISPLAYNAME","features":[9]},{"name":"D3DKMT_QUERYRESOURCEINFO","features":[9]},{"name":"D3DKMT_QUERYRESOURCEINFOFROMNTHANDLE","features":[9,1]},{"name":"D3DKMT_QUERYRESULT_PREEMPTION_ATTEMPT_RESULT","features":[9]},{"name":"D3DKMT_QUERYRESULT_PREEMPTION_ATTEMPT_RESULT_MAX","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS","features":[9,1]},{"name":"D3DKMT_QUERYSTATISTICS_ADAPTER","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_ADAPTER2","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_ADAPTER_INFORMATION","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_ADAPTER_INFORMATION_FLAGS","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_ALLOCATION_PRIORITY_CLASS","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_ALLOCATION_PRIORITY_CLASS_MAX","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_COMMITMENT_DATA","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_COUNTER","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_DMA_BUFFER","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_DMA_PACKET_TYPE","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_DMA_PACKET_TYPE_INFORMATION","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_DMA_PACKET_TYPE_MAX","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_MEMORY","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_MEMORY_USAGE","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_NODE","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_NODE2","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_NODE_INFORMATION","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_PACKET_INFORMATION","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_PHYSICAL_ADAPTER","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_PHYSICAL_ADAPTER_INFORMATION","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_POLICY","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_PREEMPTION_INFORMATION","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_ADAPTER","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_ADAPTER2","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_ADAPTER_INFORMATION","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_INFORMATION","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_INTERFERENCE_BUCKET_COUNT","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_INTERFERENCE_COUNTERS","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_NODE","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_NODE2","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_NODE_INFORMATION","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_SEGMENT","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_SEGMENT2","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_SEGMENT_GROUP","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_SEGMENT_GROUP2","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_SEGMENT_GROUP_INFORMATION","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_SEGMENT_INFORMATION","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_SEGMENT_POLICY","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_VIDPNSOURCE","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_VIDPNSOURCE_INFORMATION","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_QUERY_ADAPTER2","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_QUERY_ADAPTER_INFORMATION2","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_QUERY_NODE","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_QUERY_NODE2","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_QUERY_PHYSICAL_ADAPTER","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_QUERY_PROCESS_SEGMENT_GROUP2","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_QUERY_SEGMENT","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_QUERY_SEGMENT2","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_QUERY_SEGMENT_GROUP_USAGE","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_QUERY_SEGMENT_USAGE","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_QUERY_VIDPNSOURCE","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_QUEUE_PACKET_TYPE","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_QUEUE_PACKET_TYPE_INFORMATION","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_QUEUE_PACKET_TYPE_MAX","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_RESULT","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_SEGMENT","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_SEGMENT2","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_SEGMENT_GROUP_USAGE","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_SEGMENT_INFORMATION","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_SEGMENT_PREFERENCE_MAX","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_SEGMENT_TYPE","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_SEGMENT_TYPE_APERTURE","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_SEGMENT_TYPE_MEMORY","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_SEGMENT_TYPE_SYSMEM","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_SEGMENT_USAGE","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_SYSTEM_MEMORY","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_TYPE","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_VIDEO_MEMORY","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_VIDPNSOURCE","features":[9]},{"name":"D3DKMT_QUERYSTATISTICS_VIDPNSOURCE_INFORMATION","features":[9]},{"name":"D3DKMT_QUERYSTATSTICS_ALLOCATIONS","features":[9]},{"name":"D3DKMT_QUERYSTATSTICS_LOCKS","features":[9]},{"name":"D3DKMT_QUERYSTATSTICS_PAGING_FAULT","features":[9]},{"name":"D3DKMT_QUERYSTATSTICS_PAGING_TRANSFER","features":[9]},{"name":"D3DKMT_QUERYSTATSTICS_PREPRATION","features":[9]},{"name":"D3DKMT_QUERYSTATSTICS_REFERENCE_DMA_BUFFER","features":[9]},{"name":"D3DKMT_QUERYSTATSTICS_RENAMING","features":[9]},{"name":"D3DKMT_QUERYSTATSTICS_SWIZZLING_RANGE","features":[9]},{"name":"D3DKMT_QUERYSTATSTICS_TERMINATIONS","features":[9]},{"name":"D3DKMT_QUERYVIDEOMEMORYINFO","features":[9,1]},{"name":"D3DKMT_QUERYVIDPNEXCLUSIVEOWNERSHIP","features":[9,1]},{"name":"D3DKMT_QUERY_ADAPTER_UNIQUE_GUID","features":[9]},{"name":"D3DKMT_QUERY_DEVICE_IDS","features":[9]},{"name":"D3DKMT_QUERY_GPUMMU_CAPS","features":[9]},{"name":"D3DKMT_QUERY_MIRACAST_DRIVER_TYPE","features":[9]},{"name":"D3DKMT_QUERY_PHYSICAL_ADAPTER_PNP_KEY","features":[9]},{"name":"D3DKMT_QUERY_SCANOUT_CAPS","features":[9]},{"name":"D3DKMT_QUEUEDLIMIT_TYPE","features":[9]},{"name":"D3DKMT_QueuePacketTypeMax","features":[9]},{"name":"D3DKMT_RECLAIMALLOCATIONS","features":[9,1]},{"name":"D3DKMT_RECLAIMALLOCATIONS2","features":[9,1]},{"name":"D3DKMT_REGISTERBUDGETCHANGENOTIFICATION","features":[9]},{"name":"D3DKMT_REGISTERTRIMNOTIFICATION","features":[9,1]},{"name":"D3DKMT_RELEASEKEYEDMUTEX","features":[9]},{"name":"D3DKMT_RELEASEKEYEDMUTEX2","features":[9]},{"name":"D3DKMT_RENDER","features":[9]},{"name":"D3DKMT_RENDERFLAGS","features":[9]},{"name":"D3DKMT_REQUEST_MACHINE_CRASH_ESCAPE","features":[9]},{"name":"D3DKMT_RenderCommandBuffer","features":[9]},{"name":"D3DKMT_SCATTERBLT","features":[9,1]},{"name":"D3DKMT_SCATTERBLTS","features":[9,1]},{"name":"D3DKMT_SCHEDULINGPRIORITYCLASS","features":[9]},{"name":"D3DKMT_SCHEDULINGPRIORITYCLASS_ABOVE_NORMAL","features":[9]},{"name":"D3DKMT_SCHEDULINGPRIORITYCLASS_BELOW_NORMAL","features":[9]},{"name":"D3DKMT_SCHEDULINGPRIORITYCLASS_HIGH","features":[9]},{"name":"D3DKMT_SCHEDULINGPRIORITYCLASS_IDLE","features":[9]},{"name":"D3DKMT_SCHEDULINGPRIORITYCLASS_NORMAL","features":[9]},{"name":"D3DKMT_SCHEDULINGPRIORITYCLASS_REALTIME","features":[9]},{"name":"D3DKMT_SEGMENTGROUPSIZEINFO","features":[9]},{"name":"D3DKMT_SEGMENTSIZEINFO","features":[9]},{"name":"D3DKMT_SEGMENT_CAPS","features":[9,1]},{"name":"D3DKMT_SETALLOCATIONPRIORITY","features":[9]},{"name":"D3DKMT_SETCONTEXTINPROCESSSCHEDULINGPRIORITY","features":[9]},{"name":"D3DKMT_SETCONTEXTSCHEDULINGPRIORITY","features":[9]},{"name":"D3DKMT_SETCONTEXTSCHEDULINGPRIORITY_ABSOLUTE","features":[9]},{"name":"D3DKMT_SETDISPLAYMODE","features":[9]},{"name":"D3DKMT_SETDISPLAYMODE_FLAGS","features":[9]},{"name":"D3DKMT_SETDISPLAYPRIVATEDRIVERFORMAT","features":[9]},{"name":"D3DKMT_SETFSEBLOCK","features":[9,1]},{"name":"D3DKMT_SETFSEBLOCKFLAGS","features":[9]},{"name":"D3DKMT_SETGAMMARAMP","features":[9]},{"name":"D3DKMT_SETHWPROTECTIONTEARDOWNRECOVERY","features":[9,1]},{"name":"D3DKMT_SETQUEUEDLIMIT","features":[9]},{"name":"D3DKMT_SETSTABLEPOWERSTATE","features":[9,1]},{"name":"D3DKMT_SETSYNCREFRESHCOUNTWAITTARGET","features":[9]},{"name":"D3DKMT_SETVIDPNSOURCEHWPROTECTION","features":[9,1]},{"name":"D3DKMT_SETVIDPNSOURCEOWNER","features":[9]},{"name":"D3DKMT_SETVIDPNSOURCEOWNER1","features":[9]},{"name":"D3DKMT_SETVIDPNSOURCEOWNER2","features":[9]},{"name":"D3DKMT_SET_COLORSPACE_TRANSFORM","features":[9,1]},{"name":"D3DKMT_SET_QUEUEDLIMIT_PRESENT","features":[9]},{"name":"D3DKMT_SHAREDPRIMARYLOCKNOTIFICATION","features":[9,1]},{"name":"D3DKMT_SHAREDPRIMARYUNLOCKNOTIFICATION","features":[9,1]},{"name":"D3DKMT_SHAREOBJECTWITHHOST","features":[9]},{"name":"D3DKMT_SIGNALSYNCHRONIZATIONOBJECT","features":[9]},{"name":"D3DKMT_SIGNALSYNCHRONIZATIONOBJECT2","features":[9,1]},{"name":"D3DKMT_SIGNALSYNCHRONIZATIONOBJECTFROMCPU","features":[9]},{"name":"D3DKMT_SIGNALSYNCHRONIZATIONOBJECTFROMGPU","features":[9]},{"name":"D3DKMT_SIGNALSYNCHRONIZATIONOBJECTFROMGPU2","features":[9,1]},{"name":"D3DKMT_STANDARDALLOCATIONTYPE","features":[9]},{"name":"D3DKMT_STANDARDALLOCATIONTYPE_EXISTINGHEAP","features":[9]},{"name":"D3DKMT_STANDARDALLOCATIONTYPE_INTERNALBACKINGSTORE","features":[9]},{"name":"D3DKMT_STANDARDALLOCATIONTYPE_MAX","features":[9]},{"name":"D3DKMT_STANDARDALLOCATION_EXISTINGHEAP","features":[9]},{"name":"D3DKMT_SUBKEY_DX9","features":[9]},{"name":"D3DKMT_SUBKEY_OPENGL","features":[9]},{"name":"D3DKMT_SUBMITCOMMAND","features":[9]},{"name":"D3DKMT_SUBMITCOMMANDFLAGS","features":[9]},{"name":"D3DKMT_SUBMITCOMMANDTOHWQUEUE","features":[9]},{"name":"D3DKMT_SUBMITPRESENTBLTTOHWQUEUE","features":[9,1]},{"name":"D3DKMT_SUBMITPRESENTTOHWQUEUE","features":[9,1]},{"name":"D3DKMT_SUBMITSIGNALSYNCOBJECTSTOHWQUEUE","features":[9]},{"name":"D3DKMT_SUBMITWAITFORSYNCOBJECTSTOHWQUEUE","features":[9]},{"name":"D3DKMT_SURFACECOMPLETE_PRESENTHISTORYTOKEN","features":[9]},{"name":"D3DKMT_SignalCommandBuffer","features":[9]},{"name":"D3DKMT_SoftwareCommandBuffer","features":[9]},{"name":"D3DKMT_SystemCommandBuffer","features":[9]},{"name":"D3DKMT_SystemPagingBuffer","features":[9]},{"name":"D3DKMT_SystemPreemptionBuffer","features":[9]},{"name":"D3DKMT_TDRDBGCTRLTYPE","features":[9]},{"name":"D3DKMT_TDRDBGCTRLTYPE_DISABLEBREAK","features":[9]},{"name":"D3DKMT_TDRDBGCTRLTYPE_ENABLEBREAK","features":[9]},{"name":"D3DKMT_TDRDBGCTRLTYPE_ENGINETDR","features":[9]},{"name":"D3DKMT_TDRDBGCTRLTYPE_FORCEDODTDR","features":[9]},{"name":"D3DKMT_TDRDBGCTRLTYPE_FORCEDODVSYNCTDR","features":[9]},{"name":"D3DKMT_TDRDBGCTRLTYPE_FORCETDR","features":[9]},{"name":"D3DKMT_TDRDBGCTRLTYPE_GPUTDR","features":[9]},{"name":"D3DKMT_TDRDBGCTRLTYPE_UNCONDITIONAL","features":[9]},{"name":"D3DKMT_TDRDBGCTRLTYPE_VSYNCTDR","features":[9]},{"name":"D3DKMT_TDRDBGCTRL_ESCAPE","features":[9]},{"name":"D3DKMT_TRACKEDWORKLOAD_SUPPORT","features":[9,1]},{"name":"D3DKMT_TRIMNOTIFICATION","features":[9]},{"name":"D3DKMT_TRIMPROCESSCOMMITMENT","features":[9,1]},{"name":"D3DKMT_TRIMPROCESSCOMMITMENT_FLAGS","features":[9]},{"name":"D3DKMT_UMDFILENAMEINFO","features":[9]},{"name":"D3DKMT_UMD_DRIVER_VERSION","features":[9]},{"name":"D3DKMT_UNLOCK","features":[9]},{"name":"D3DKMT_UNLOCK2","features":[9]},{"name":"D3DKMT_UNPINDIRECTFLIPRESOURCES","features":[9]},{"name":"D3DKMT_UNREGISTERBUDGETCHANGENOTIFICATION","features":[9]},{"name":"D3DKMT_UNREGISTERTRIMNOTIFICATION","features":[9]},{"name":"D3DKMT_UPDATEGPUVIRTUALADDRESS","features":[9]},{"name":"D3DKMT_UPDATEOVERLAY","features":[9]},{"name":"D3DKMT_VAD_DESC","features":[9]},{"name":"D3DKMT_VAD_ESCAPE_COMMAND","features":[9]},{"name":"D3DKMT_VAD_ESCAPE_GETNUMVADS","features":[9]},{"name":"D3DKMT_VAD_ESCAPE_GETVAD","features":[9]},{"name":"D3DKMT_VAD_ESCAPE_GETVADRANGE","features":[9]},{"name":"D3DKMT_VAD_ESCAPE_GET_GPUMMU_CAPS","features":[9]},{"name":"D3DKMT_VAD_ESCAPE_GET_PTE","features":[9]},{"name":"D3DKMT_VAD_ESCAPE_GET_SEGMENT_CAPS","features":[9]},{"name":"D3DKMT_VA_RANGE_DESC","features":[9]},{"name":"D3DKMT_VERIFIER_OPTION_MODE","features":[9]},{"name":"D3DKMT_VERIFIER_OPTION_QUERY","features":[9]},{"name":"D3DKMT_VERIFIER_OPTION_SET","features":[9]},{"name":"D3DKMT_VGPUINTERFACEID","features":[9]},{"name":"D3DKMT_VIDMMESCAPETYPE","features":[9]},{"name":"D3DKMT_VIDMMESCAPETYPE_APERTURE_CORRUPTION_CHECK","features":[9]},{"name":"D3DKMT_VIDMMESCAPETYPE_DEFRAG","features":[9]},{"name":"D3DKMT_VIDMMESCAPETYPE_DELAYEXECUTION","features":[9]},{"name":"D3DKMT_VIDMMESCAPETYPE_EVICT","features":[9]},{"name":"D3DKMT_VIDMMESCAPETYPE_EVICT_BY_CRITERIA","features":[9]},{"name":"D3DKMT_VIDMMESCAPETYPE_EVICT_BY_NT_HANDLE","features":[9]},{"name":"D3DKMT_VIDMMESCAPETYPE_GET_BUDGET","features":[9]},{"name":"D3DKMT_VIDMMESCAPETYPE_GET_VAD_INFO","features":[9]},{"name":"D3DKMT_VIDMMESCAPETYPE_RESUME_PROCESS","features":[9]},{"name":"D3DKMT_VIDMMESCAPETYPE_RUN_COHERENCY_TEST","features":[9]},{"name":"D3DKMT_VIDMMESCAPETYPE_RUN_UNMAP_TO_DUMMY_PAGE_TEST","features":[9]},{"name":"D3DKMT_VIDMMESCAPETYPE_SETFAULT","features":[9]},{"name":"D3DKMT_VIDMMESCAPETYPE_SET_BUDGET","features":[9]},{"name":"D3DKMT_VIDMMESCAPETYPE_SET_EVICTION_CONFIG","features":[9]},{"name":"D3DKMT_VIDMMESCAPETYPE_SET_TRIM_INTERVALS","features":[9]},{"name":"D3DKMT_VIDMMESCAPETYPE_SUSPEND_CPU_ACCESS_TEST","features":[9]},{"name":"D3DKMT_VIDMMESCAPETYPE_SUSPEND_PROCESS","features":[9]},{"name":"D3DKMT_VIDMMESCAPETYPE_VALIDATE_INTEGRITY","features":[9]},{"name":"D3DKMT_VIDMMESCAPETYPE_WAKE","features":[9]},{"name":"D3DKMT_VIDMM_ESCAPE","features":[9,1]},{"name":"D3DKMT_VIDPNSOURCEOWNER_EMULATED","features":[9]},{"name":"D3DKMT_VIDPNSOURCEOWNER_EXCLUSIVE","features":[9]},{"name":"D3DKMT_VIDPNSOURCEOWNER_EXCLUSIVEGDI","features":[9]},{"name":"D3DKMT_VIDPNSOURCEOWNER_FLAGS","features":[9]},{"name":"D3DKMT_VIDPNSOURCEOWNER_SHARED","features":[9]},{"name":"D3DKMT_VIDPNSOURCEOWNER_TYPE","features":[9]},{"name":"D3DKMT_VIDPNSOURCEOWNER_UNOWNED","features":[9]},{"name":"D3DKMT_VIDSCHESCAPETYPE","features":[9]},{"name":"D3DKMT_VIDSCHESCAPETYPE_CONFIGURE_TDR_LIMIT","features":[9]},{"name":"D3DKMT_VIDSCHESCAPETYPE_ENABLECONTEXTDELAY","features":[9]},{"name":"D3DKMT_VIDSCHESCAPETYPE_PFN_CONTROL","features":[9]},{"name":"D3DKMT_VIDSCHESCAPETYPE_PREEMPTIONCONTROL","features":[9]},{"name":"D3DKMT_VIDSCHESCAPETYPE_SUSPENDRESUME","features":[9]},{"name":"D3DKMT_VIDSCHESCAPETYPE_SUSPENDSCHEDULER","features":[9]},{"name":"D3DKMT_VIDSCHESCAPETYPE_TDRCONTROL","features":[9]},{"name":"D3DKMT_VIDSCHESCAPETYPE_VGPU_RESET","features":[9]},{"name":"D3DKMT_VIDSCHESCAPETYPE_VIRTUAL_REFRESH_RATE","features":[9]},{"name":"D3DKMT_VIDSCH_ESCAPE","features":[9,1]},{"name":"D3DKMT_VIRTUALADDRESSFLAGS","features":[9]},{"name":"D3DKMT_VIRTUALADDRESSINFO","features":[9]},{"name":"D3DKMT_WAITFORIDLE","features":[9]},{"name":"D3DKMT_WAITFORSYNCHRONIZATIONOBJECT","features":[9]},{"name":"D3DKMT_WAITFORSYNCHRONIZATIONOBJECT2","features":[9]},{"name":"D3DKMT_WAITFORSYNCHRONIZATIONOBJECTFROMCPU","features":[9,1]},{"name":"D3DKMT_WAITFORSYNCHRONIZATIONOBJECTFROMGPU","features":[9]},{"name":"D3DKMT_WAITFORVERTICALBLANKEVENT","features":[9]},{"name":"D3DKMT_WAITFORVERTICALBLANKEVENT2","features":[9]},{"name":"D3DKMT_WDDM_1_2_CAPS","features":[9]},{"name":"D3DKMT_WDDM_1_3_CAPS","features":[9]},{"name":"D3DKMT_WDDM_2_0_CAPS","features":[9]},{"name":"D3DKMT_WDDM_2_7_CAPS","features":[9]},{"name":"D3DKMT_WDDM_2_9_CAPS","features":[9]},{"name":"D3DKMT_WDDM_3_0_CAPS","features":[9]},{"name":"D3DKMT_WDDM_3_1_CAPS","features":[9]},{"name":"D3DKMT_WORKINGSETFLAGS","features":[9]},{"name":"D3DKMT_WORKINGSETINFO","features":[9]},{"name":"D3DKMT_WSAUMDIMAGENAME","features":[9]},{"name":"D3DKMT_WaitCommandBuffer","features":[9]},{"name":"D3DKMT_XBOX","features":[9,1]},{"name":"D3DLINEPATTERN","features":[9]},{"name":"D3DNTCLEAR_COMPUTERECTS","features":[9]},{"name":"D3DNTDEVICEDESC_V3","features":[9,1,10]},{"name":"D3DNTDP2OP_ADDDIRTYBOX","features":[9]},{"name":"D3DNTDP2OP_ADDDIRTYRECT","features":[9]},{"name":"D3DNTDP2OP_BLT","features":[9]},{"name":"D3DNTDP2OP_BUFFERBLT","features":[9]},{"name":"D3DNTDP2OP_CLEAR","features":[9]},{"name":"D3DNTDP2OP_CLIPPEDTRIANGLEFAN","features":[9]},{"name":"D3DNTDP2OP_COLORFILL","features":[9]},{"name":"D3DNTDP2OP_COMPOSERECTS","features":[9]},{"name":"D3DNTDP2OP_CREATELIGHT","features":[9]},{"name":"D3DNTDP2OP_CREATEPIXELSHADER","features":[9]},{"name":"D3DNTDP2OP_CREATEQUERY","features":[9]},{"name":"D3DNTDP2OP_CREATEVERTEXSHADER","features":[9]},{"name":"D3DNTDP2OP_CREATEVERTEXSHADERDECL","features":[9]},{"name":"D3DNTDP2OP_CREATEVERTEXSHADERFUNC","features":[9]},{"name":"D3DNTDP2OP_DELETEPIXELSHADER","features":[9]},{"name":"D3DNTDP2OP_DELETEQUERY","features":[9]},{"name":"D3DNTDP2OP_DELETEVERTEXSHADER","features":[9]},{"name":"D3DNTDP2OP_DELETEVERTEXSHADERDECL","features":[9]},{"name":"D3DNTDP2OP_DELETEVERTEXSHADERFUNC","features":[9]},{"name":"D3DNTDP2OP_DRAWINDEXEDPRIMITIVE","features":[9]},{"name":"D3DNTDP2OP_DRAWINDEXEDPRIMITIVE2","features":[9]},{"name":"D3DNTDP2OP_DRAWPRIMITIVE","features":[9]},{"name":"D3DNTDP2OP_DRAWPRIMITIVE2","features":[9]},{"name":"D3DNTDP2OP_DRAWRECTPATCH","features":[9]},{"name":"D3DNTDP2OP_DRAWTRIPATCH","features":[9]},{"name":"D3DNTDP2OP_GENERATEMIPSUBLEVELS","features":[9]},{"name":"D3DNTDP2OP_INDEXEDLINELIST","features":[9]},{"name":"D3DNTDP2OP_INDEXEDLINELIST2","features":[9]},{"name":"D3DNTDP2OP_INDEXEDLINESTRIP","features":[9]},{"name":"D3DNTDP2OP_INDEXEDTRIANGLEFAN","features":[9]},{"name":"D3DNTDP2OP_INDEXEDTRIANGLELIST","features":[9]},{"name":"D3DNTDP2OP_INDEXEDTRIANGLELIST2","features":[9]},{"name":"D3DNTDP2OP_INDEXEDTRIANGLESTRIP","features":[9]},{"name":"D3DNTDP2OP_ISSUEQUERY","features":[9]},{"name":"D3DNTDP2OP_LINELIST","features":[9]},{"name":"D3DNTDP2OP_LINELIST_IMM","features":[9]},{"name":"D3DNTDP2OP_LINESTRIP","features":[9]},{"name":"D3DNTDP2OP_MULTIPLYTRANSFORM","features":[9]},{"name":"D3DNTDP2OP_POINTS","features":[9]},{"name":"D3DNTDP2OP_RENDERSTATE","features":[9]},{"name":"D3DNTDP2OP_RESPONSECONTINUE","features":[9]},{"name":"D3DNTDP2OP_RESPONSEQUERY","features":[9]},{"name":"D3DNTDP2OP_SETCLIPPLANE","features":[9]},{"name":"D3DNTDP2OP_SETCONVOLUTIONKERNELMONO","features":[9]},{"name":"D3DNTDP2OP_SETDEPTHSTENCIL","features":[9]},{"name":"D3DNTDP2OP_SETINDICES","features":[9]},{"name":"D3DNTDP2OP_SETLIGHT","features":[9]},{"name":"D3DNTDP2OP_SETMATERIAL","features":[9]},{"name":"D3DNTDP2OP_SETPALETTE","features":[9]},{"name":"D3DNTDP2OP_SETPIXELSHADER","features":[9]},{"name":"D3DNTDP2OP_SETPIXELSHADERCONST","features":[9]},{"name":"D3DNTDP2OP_SETPIXELSHADERCONSTB","features":[9]},{"name":"D3DNTDP2OP_SETPIXELSHADERCONSTI","features":[9]},{"name":"D3DNTDP2OP_SETPRIORITY","features":[9]},{"name":"D3DNTDP2OP_SETRENDERTARGET","features":[9]},{"name":"D3DNTDP2OP_SETRENDERTARGET2","features":[9]},{"name":"D3DNTDP2OP_SETSCISSORRECT","features":[9]},{"name":"D3DNTDP2OP_SETSTREAMSOURCE","features":[9]},{"name":"D3DNTDP2OP_SETSTREAMSOURCE2","features":[9]},{"name":"D3DNTDP2OP_SETSTREAMSOURCEFREQ","features":[9]},{"name":"D3DNTDP2OP_SETSTREAMSOURCEUM","features":[9]},{"name":"D3DNTDP2OP_SETTEXLOD","features":[9]},{"name":"D3DNTDP2OP_SETTRANSFORM","features":[9]},{"name":"D3DNTDP2OP_SETVERTEXSHADER","features":[9]},{"name":"D3DNTDP2OP_SETVERTEXSHADERCONST","features":[9]},{"name":"D3DNTDP2OP_SETVERTEXSHADERCONSTB","features":[9]},{"name":"D3DNTDP2OP_SETVERTEXSHADERCONSTI","features":[9]},{"name":"D3DNTDP2OP_SETVERTEXSHADERDECL","features":[9]},{"name":"D3DNTDP2OP_SETVERTEXSHADERFUNC","features":[9]},{"name":"D3DNTDP2OP_STATESET","features":[9]},{"name":"D3DNTDP2OP_SURFACEBLT","features":[9]},{"name":"D3DNTDP2OP_TEXBLT","features":[9]},{"name":"D3DNTDP2OP_TEXTURESTAGESTATE","features":[9]},{"name":"D3DNTDP2OP_TRIANGLEFAN","features":[9]},{"name":"D3DNTDP2OP_TRIANGLEFAN_IMM","features":[9]},{"name":"D3DNTDP2OP_TRIANGLELIST","features":[9]},{"name":"D3DNTDP2OP_TRIANGLESTRIP","features":[9]},{"name":"D3DNTDP2OP_UPDATEPALETTE","features":[9]},{"name":"D3DNTDP2OP_VIEWPORTINFO","features":[9]},{"name":"D3DNTDP2OP_VOLUMEBLT","features":[9]},{"name":"D3DNTDP2OP_WINFO","features":[9]},{"name":"D3DNTDP2OP_ZRANGE","features":[9]},{"name":"D3DNTHAL2_CB32_SETRENDERTARGET","features":[9]},{"name":"D3DNTHAL3_CB32_CLEAR2","features":[9]},{"name":"D3DNTHAL3_CB32_DRAWPRIMITIVES2","features":[9]},{"name":"D3DNTHAL3_CB32_RESERVED","features":[9]},{"name":"D3DNTHAL3_CB32_VALIDATETEXTURESTAGESTATE","features":[9]},{"name":"D3DNTHALDEVICEDESC_V1","features":[9,1,10]},{"name":"D3DNTHALDEVICEDESC_V2","features":[9,1,10]},{"name":"D3DNTHALDP2_EXECUTEBUFFER","features":[9]},{"name":"D3DNTHALDP2_REQCOMMANDBUFSIZE","features":[9]},{"name":"D3DNTHALDP2_REQVERTEXBUFSIZE","features":[9]},{"name":"D3DNTHALDP2_SWAPCOMMANDBUFFER","features":[9]},{"name":"D3DNTHALDP2_SWAPVERTEXBUFFER","features":[9]},{"name":"D3DNTHALDP2_USERMEMVERTICES","features":[9]},{"name":"D3DNTHALDP2_VIDMEMCOMMANDBUF","features":[9]},{"name":"D3DNTHALDP2_VIDMEMVERTEXBUF","features":[9]},{"name":"D3DNTHAL_CALLBACKS","features":[9,1,11]},{"name":"D3DNTHAL_CALLBACKS2","features":[9,1,11]},{"name":"D3DNTHAL_CALLBACKS3","features":[9,1,10,11]},{"name":"D3DNTHAL_CLEAR2DATA","features":[9,10]},{"name":"D3DNTHAL_CLIPPEDTRIANGLEFAN","features":[9]},{"name":"D3DNTHAL_COL_WEIGHTS","features":[9]},{"name":"D3DNTHAL_CONTEXTCREATEDATA","features":[9,1,11]},{"name":"D3DNTHAL_CONTEXTDESTROYALLDATA","features":[9]},{"name":"D3DNTHAL_CONTEXTDESTROYDATA","features":[9]},{"name":"D3DNTHAL_CONTEXT_BAD","features":[9]},{"name":"D3DNTHAL_D3DDX6EXTENDEDCAPS","features":[9]},{"name":"D3DNTHAL_D3DEXTENDEDCAPS","features":[9]},{"name":"D3DNTHAL_DP2ADDDIRTYBOX","features":[9,10]},{"name":"D3DNTHAL_DP2ADDDIRTYRECT","features":[9,1]},{"name":"D3DNTHAL_DP2BLT","features":[9,1]},{"name":"D3DNTHAL_DP2BUFFERBLT","features":[9,10]},{"name":"D3DNTHAL_DP2CLEAR","features":[9,1]},{"name":"D3DNTHAL_DP2COLORFILL","features":[9,1]},{"name":"D3DNTHAL_DP2COMMAND","features":[9]},{"name":"D3DNTHAL_DP2COMPOSERECTS","features":[9,10]},{"name":"D3DNTHAL_DP2CREATELIGHT","features":[9]},{"name":"D3DNTHAL_DP2CREATEPIXELSHADER","features":[9]},{"name":"D3DNTHAL_DP2CREATEQUERY","features":[9,10]},{"name":"D3DNTHAL_DP2CREATEVERTEXSHADER","features":[9]},{"name":"D3DNTHAL_DP2CREATEVERTEXSHADERDECL","features":[9]},{"name":"D3DNTHAL_DP2CREATEVERTEXSHADERFUNC","features":[9]},{"name":"D3DNTHAL_DP2DELETEQUERY","features":[9]},{"name":"D3DNTHAL_DP2DRAWINDEXEDPRIMITIVE","features":[9,10]},{"name":"D3DNTHAL_DP2DRAWINDEXEDPRIMITIVE2","features":[9,10]},{"name":"D3DNTHAL_DP2DRAWPRIMITIVE","features":[9,10]},{"name":"D3DNTHAL_DP2DRAWPRIMITIVE2","features":[9,10]},{"name":"D3DNTHAL_DP2DRAWRECTPATCH","features":[9]},{"name":"D3DNTHAL_DP2DRAWTRIPATCH","features":[9]},{"name":"D3DNTHAL_DP2EXT","features":[9]},{"name":"D3DNTHAL_DP2GENERATEMIPSUBLEVELS","features":[9,10]},{"name":"D3DNTHAL_DP2INDEXEDLINELIST","features":[9]},{"name":"D3DNTHAL_DP2INDEXEDLINESTRIP","features":[9]},{"name":"D3DNTHAL_DP2INDEXEDTRIANGLEFAN","features":[9]},{"name":"D3DNTHAL_DP2INDEXEDTRIANGLELIST","features":[9]},{"name":"D3DNTHAL_DP2INDEXEDTRIANGLELIST2","features":[9]},{"name":"D3DNTHAL_DP2INDEXEDTRIANGLESTRIP","features":[9]},{"name":"D3DNTHAL_DP2ISSUEQUERY","features":[9]},{"name":"D3DNTHAL_DP2LINELIST","features":[9]},{"name":"D3DNTHAL_DP2LINESTRIP","features":[9]},{"name":"D3DNTHAL_DP2MULTIPLYTRANSFORM","features":[9,13,10]},{"name":"D3DNTHAL_DP2OPERATION","features":[9]},{"name":"D3DNTHAL_DP2PIXELSHADER","features":[9]},{"name":"D3DNTHAL_DP2POINTS","features":[9]},{"name":"D3DNTHAL_DP2RENDERSTATE","features":[9,10]},{"name":"D3DNTHAL_DP2RESPONSE","features":[9]},{"name":"D3DNTHAL_DP2RESPONSEQUERY","features":[9]},{"name":"D3DNTHAL_DP2SETCLIPPLANE","features":[9]},{"name":"D3DNTHAL_DP2SETCONVOLUTIONKERNELMONO","features":[9]},{"name":"D3DNTHAL_DP2SETDEPTHSTENCIL","features":[9]},{"name":"D3DNTHAL_DP2SETINDICES","features":[9]},{"name":"D3DNTHAL_DP2SETLIGHT","features":[9]},{"name":"D3DNTHAL_DP2SETPALETTE","features":[9]},{"name":"D3DNTHAL_DP2SETPIXELSHADERCONST","features":[9]},{"name":"D3DNTHAL_DP2SETPRIORITY","features":[9]},{"name":"D3DNTHAL_DP2SETRENDERTARGET","features":[9]},{"name":"D3DNTHAL_DP2SETRENDERTARGET2","features":[9]},{"name":"D3DNTHAL_DP2SETSTREAMSOURCE","features":[9]},{"name":"D3DNTHAL_DP2SETSTREAMSOURCE2","features":[9]},{"name":"D3DNTHAL_DP2SETSTREAMSOURCEFREQ","features":[9]},{"name":"D3DNTHAL_DP2SETSTREAMSOURCEUM","features":[9]},{"name":"D3DNTHAL_DP2SETTEXLOD","features":[9]},{"name":"D3DNTHAL_DP2SETTRANSFORM","features":[9,13,10]},{"name":"D3DNTHAL_DP2SETVERTEXSHADERCONST","features":[9]},{"name":"D3DNTHAL_DP2STARTVERTEX","features":[9]},{"name":"D3DNTHAL_DP2STATESET","features":[9,10]},{"name":"D3DNTHAL_DP2SURFACEBLT","features":[9,1]},{"name":"D3DNTHAL_DP2TEXBLT","features":[9,1]},{"name":"D3DNTHAL_DP2TEXTURESTAGESTATE","features":[9]},{"name":"D3DNTHAL_DP2TRIANGLEFAN","features":[9]},{"name":"D3DNTHAL_DP2TRIANGLEFAN_IMM","features":[9]},{"name":"D3DNTHAL_DP2TRIANGLELIST","features":[9]},{"name":"D3DNTHAL_DP2TRIANGLESTRIP","features":[9]},{"name":"D3DNTHAL_DP2UPDATEPALETTE","features":[9]},{"name":"D3DNTHAL_DP2VERTEXSHADER","features":[9]},{"name":"D3DNTHAL_DP2VIEWPORTINFO","features":[9]},{"name":"D3DNTHAL_DP2VOLUMEBLT","features":[9,10]},{"name":"D3DNTHAL_DP2WINFO","features":[9]},{"name":"D3DNTHAL_DP2ZRANGE","features":[9]},{"name":"D3DNTHAL_DRAWPRIMITIVES2DATA","features":[9,1,11]},{"name":"D3DNTHAL_GLOBALDRIVERDATA","features":[9,1,10,11]},{"name":"D3DNTHAL_NUMCLIPVERTICES","features":[9]},{"name":"D3DNTHAL_OUTOFCONTEXTS","features":[9]},{"name":"D3DNTHAL_ROW_WEIGHTS","features":[9]},{"name":"D3DNTHAL_SCENECAPTUREDATA","features":[9]},{"name":"D3DNTHAL_SCENE_CAPTURE_END","features":[9]},{"name":"D3DNTHAL_SCENE_CAPTURE_START","features":[9]},{"name":"D3DNTHAL_SETRENDERTARGETDATA","features":[9,1,11]},{"name":"D3DNTHAL_STATESETCREATE","features":[9]},{"name":"D3DNTHAL_TEXTURECREATEDATA","features":[9,1]},{"name":"D3DNTHAL_TEXTUREDESTROYDATA","features":[9]},{"name":"D3DNTHAL_TEXTUREGETSURFDATA","features":[9,1]},{"name":"D3DNTHAL_TEXTURESWAPDATA","features":[9]},{"name":"D3DNTHAL_TSS_MAXSTAGES","features":[9]},{"name":"D3DNTHAL_TSS_RENDERSTATEBASE","features":[9]},{"name":"D3DNTHAL_TSS_STATESPERSTAGE","features":[9]},{"name":"D3DNTHAL_VALIDATETEXTURESTAGESTATEDATA","features":[9]},{"name":"D3DPMISCCAPS_FOGINFVF","features":[9]},{"name":"D3DPMISCCAPS_LINEPATTERNREP","features":[9]},{"name":"D3DPRASTERCAPS_PAT","features":[9]},{"name":"D3DPRASTERCAPS_STRETCHBLTMULTISAMPLE","features":[9]},{"name":"D3DPS_COLOROUT_MAX_V2_0","features":[9]},{"name":"D3DPS_COLOROUT_MAX_V2_1","features":[9]},{"name":"D3DPS_COLOROUT_MAX_V3_0","features":[9]},{"name":"D3DPS_CONSTBOOLREG_MAX_SW_DX9","features":[9]},{"name":"D3DPS_CONSTBOOLREG_MAX_V2_1","features":[9]},{"name":"D3DPS_CONSTBOOLREG_MAX_V3_0","features":[9]},{"name":"D3DPS_CONSTINTREG_MAX_SW_DX9","features":[9]},{"name":"D3DPS_CONSTINTREG_MAX_V2_1","features":[9]},{"name":"D3DPS_CONSTINTREG_MAX_V3_0","features":[9]},{"name":"D3DPS_CONSTREG_MAX_DX8","features":[9]},{"name":"D3DPS_CONSTREG_MAX_SW_DX9","features":[9]},{"name":"D3DPS_CONSTREG_MAX_V1_1","features":[9]},{"name":"D3DPS_CONSTREG_MAX_V1_2","features":[9]},{"name":"D3DPS_CONSTREG_MAX_V1_3","features":[9]},{"name":"D3DPS_CONSTREG_MAX_V1_4","features":[9]},{"name":"D3DPS_CONSTREG_MAX_V2_0","features":[9]},{"name":"D3DPS_CONSTREG_MAX_V2_1","features":[9]},{"name":"D3DPS_CONSTREG_MAX_V3_0","features":[9]},{"name":"D3DPS_INPUTREG_MAX_DX8","features":[9]},{"name":"D3DPS_INPUTREG_MAX_SW_DX9","features":[9]},{"name":"D3DPS_INPUTREG_MAX_V1_1","features":[9]},{"name":"D3DPS_INPUTREG_MAX_V1_2","features":[9]},{"name":"D3DPS_INPUTREG_MAX_V1_3","features":[9]},{"name":"D3DPS_INPUTREG_MAX_V1_4","features":[9]},{"name":"D3DPS_INPUTREG_MAX_V2_0","features":[9]},{"name":"D3DPS_INPUTREG_MAX_V2_1","features":[9]},{"name":"D3DPS_INPUTREG_MAX_V3_0","features":[9]},{"name":"D3DPS_MAXLOOPINITVALUE_V2_1","features":[9]},{"name":"D3DPS_MAXLOOPINITVALUE_V3_0","features":[9]},{"name":"D3DPS_MAXLOOPITERATIONCOUNT_V2_1","features":[9]},{"name":"D3DPS_MAXLOOPITERATIONCOUNT_V3_0","features":[9]},{"name":"D3DPS_MAXLOOPSTEP_V2_1","features":[9]},{"name":"D3DPS_MAXLOOPSTEP_V3_0","features":[9]},{"name":"D3DPS_PREDICATE_MAX_V2_1","features":[9]},{"name":"D3DPS_PREDICATE_MAX_V3_0","features":[9]},{"name":"D3DPS_TEMPREG_MAX_DX8","features":[9]},{"name":"D3DPS_TEMPREG_MAX_V1_1","features":[9]},{"name":"D3DPS_TEMPREG_MAX_V1_2","features":[9]},{"name":"D3DPS_TEMPREG_MAX_V1_3","features":[9]},{"name":"D3DPS_TEMPREG_MAX_V1_4","features":[9]},{"name":"D3DPS_TEMPREG_MAX_V2_0","features":[9]},{"name":"D3DPS_TEMPREG_MAX_V2_1","features":[9]},{"name":"D3DPS_TEMPREG_MAX_V3_0","features":[9]},{"name":"D3DPS_TEXTUREREG_MAX_DX8","features":[9]},{"name":"D3DPS_TEXTUREREG_MAX_V1_1","features":[9]},{"name":"D3DPS_TEXTUREREG_MAX_V1_2","features":[9]},{"name":"D3DPS_TEXTUREREG_MAX_V1_3","features":[9]},{"name":"D3DPS_TEXTUREREG_MAX_V1_4","features":[9]},{"name":"D3DPS_TEXTUREREG_MAX_V2_0","features":[9]},{"name":"D3DPS_TEXTUREREG_MAX_V2_1","features":[9]},{"name":"D3DPS_TEXTUREREG_MAX_V3_0","features":[9]},{"name":"D3DRENDERSTATE_EVICTMANAGEDTEXTURES","features":[9]},{"name":"D3DRENDERSTATE_SCENECAPTURE","features":[9]},{"name":"D3DRS_DELETERTPATCH","features":[9]},{"name":"D3DRS_MAXPIXELSHADERINST","features":[9]},{"name":"D3DRS_MAXVERTEXSHADERINST","features":[9]},{"name":"D3DTEXF_FLATCUBIC","features":[9]},{"name":"D3DTEXF_GAUSSIANCUBIC","features":[9]},{"name":"D3DTRANSFORMSTATE_WORLD1_DX7","features":[9]},{"name":"D3DTRANSFORMSTATE_WORLD2_DX7","features":[9]},{"name":"D3DTRANSFORMSTATE_WORLD3_DX7","features":[9]},{"name":"D3DTRANSFORMSTATE_WORLD_DX7","features":[9]},{"name":"D3DTSS_TEXTUREMAP","features":[9]},{"name":"D3DVSDE_BLENDINDICES","features":[9]},{"name":"D3DVSDE_BLENDWEIGHT","features":[9]},{"name":"D3DVSDE_DIFFUSE","features":[9]},{"name":"D3DVSDE_NORMAL","features":[9]},{"name":"D3DVSDE_NORMAL2","features":[9]},{"name":"D3DVSDE_POSITION","features":[9]},{"name":"D3DVSDE_POSITION2","features":[9]},{"name":"D3DVSDE_PSIZE","features":[9]},{"name":"D3DVSDE_SPECULAR","features":[9]},{"name":"D3DVSDE_TEXCOORD0","features":[9]},{"name":"D3DVSDE_TEXCOORD1","features":[9]},{"name":"D3DVSDE_TEXCOORD2","features":[9]},{"name":"D3DVSDE_TEXCOORD3","features":[9]},{"name":"D3DVSDE_TEXCOORD4","features":[9]},{"name":"D3DVSDE_TEXCOORD5","features":[9]},{"name":"D3DVSDE_TEXCOORD6","features":[9]},{"name":"D3DVSDE_TEXCOORD7","features":[9]},{"name":"D3DVSDT_D3DCOLOR","features":[9]},{"name":"D3DVSDT_FLOAT1","features":[9]},{"name":"D3DVSDT_FLOAT2","features":[9]},{"name":"D3DVSDT_FLOAT3","features":[9]},{"name":"D3DVSDT_FLOAT4","features":[9]},{"name":"D3DVSDT_SHORT2","features":[9]},{"name":"D3DVSDT_SHORT4","features":[9]},{"name":"D3DVSDT_UBYTE4","features":[9]},{"name":"D3DVSD_CONSTADDRESSSHIFT","features":[9]},{"name":"D3DVSD_CONSTCOUNTSHIFT","features":[9]},{"name":"D3DVSD_CONSTRSSHIFT","features":[9]},{"name":"D3DVSD_DATALOADTYPESHIFT","features":[9]},{"name":"D3DVSD_DATATYPESHIFT","features":[9]},{"name":"D3DVSD_EXTCOUNTSHIFT","features":[9]},{"name":"D3DVSD_EXTINFOSHIFT","features":[9]},{"name":"D3DVSD_SKIPCOUNTSHIFT","features":[9]},{"name":"D3DVSD_STREAMNUMBERSHIFT","features":[9]},{"name":"D3DVSD_STREAMTESSSHIFT","features":[9]},{"name":"D3DVSD_TOKENTYPE","features":[9]},{"name":"D3DVSD_TOKENTYPESHIFT","features":[9]},{"name":"D3DVSD_TOKEN_CONSTMEM","features":[9]},{"name":"D3DVSD_TOKEN_END","features":[9]},{"name":"D3DVSD_TOKEN_EXT","features":[9]},{"name":"D3DVSD_TOKEN_NOP","features":[9]},{"name":"D3DVSD_TOKEN_STREAM","features":[9]},{"name":"D3DVSD_TOKEN_STREAMDATA","features":[9]},{"name":"D3DVSD_TOKEN_TESSELLATOR","features":[9]},{"name":"D3DVSD_VERTEXREGINSHIFT","features":[9]},{"name":"D3DVSD_VERTEXREGSHIFT","features":[9]},{"name":"D3DVS_ADDRREG_MAX_V1_1","features":[9]},{"name":"D3DVS_ADDRREG_MAX_V2_0","features":[9]},{"name":"D3DVS_ADDRREG_MAX_V2_1","features":[9]},{"name":"D3DVS_ADDRREG_MAX_V3_0","features":[9]},{"name":"D3DVS_ATTROUTREG_MAX_V1_1","features":[9]},{"name":"D3DVS_ATTROUTREG_MAX_V2_0","features":[9]},{"name":"D3DVS_ATTROUTREG_MAX_V2_1","features":[9]},{"name":"D3DVS_CONSTBOOLREG_MAX_SW_DX9","features":[9]},{"name":"D3DVS_CONSTBOOLREG_MAX_V2_0","features":[9]},{"name":"D3DVS_CONSTBOOLREG_MAX_V2_1","features":[9]},{"name":"D3DVS_CONSTBOOLREG_MAX_V3_0","features":[9]},{"name":"D3DVS_CONSTINTREG_MAX_SW_DX9","features":[9]},{"name":"D3DVS_CONSTINTREG_MAX_V2_0","features":[9]},{"name":"D3DVS_CONSTINTREG_MAX_V2_1","features":[9]},{"name":"D3DVS_CONSTINTREG_MAX_V3_0","features":[9]},{"name":"D3DVS_CONSTREG_MAX_V1_1","features":[9]},{"name":"D3DVS_CONSTREG_MAX_V2_0","features":[9]},{"name":"D3DVS_CONSTREG_MAX_V2_1","features":[9]},{"name":"D3DVS_CONSTREG_MAX_V3_0","features":[9]},{"name":"D3DVS_INPUTREG_MAX_V1_1","features":[9]},{"name":"D3DVS_INPUTREG_MAX_V2_0","features":[9]},{"name":"D3DVS_INPUTREG_MAX_V2_1","features":[9]},{"name":"D3DVS_INPUTREG_MAX_V3_0","features":[9]},{"name":"D3DVS_LABEL_MAX_V3_0","features":[9]},{"name":"D3DVS_MAXINSTRUCTIONCOUNT_V1_1","features":[9]},{"name":"D3DVS_MAXLOOPINITVALUE_V2_0","features":[9]},{"name":"D3DVS_MAXLOOPINITVALUE_V2_1","features":[9]},{"name":"D3DVS_MAXLOOPINITVALUE_V3_0","features":[9]},{"name":"D3DVS_MAXLOOPITERATIONCOUNT_V2_0","features":[9]},{"name":"D3DVS_MAXLOOPITERATIONCOUNT_V2_1","features":[9]},{"name":"D3DVS_MAXLOOPITERATIONCOUNT_V3_0","features":[9]},{"name":"D3DVS_MAXLOOPSTEP_V2_0","features":[9]},{"name":"D3DVS_MAXLOOPSTEP_V2_1","features":[9]},{"name":"D3DVS_MAXLOOPSTEP_V3_0","features":[9]},{"name":"D3DVS_OUTPUTREG_MAX_SW_DX9","features":[9]},{"name":"D3DVS_OUTPUTREG_MAX_V3_0","features":[9]},{"name":"D3DVS_PREDICATE_MAX_V2_1","features":[9]},{"name":"D3DVS_PREDICATE_MAX_V3_0","features":[9]},{"name":"D3DVS_TCRDOUTREG_MAX_V1_1","features":[9]},{"name":"D3DVS_TCRDOUTREG_MAX_V2_0","features":[9]},{"name":"D3DVS_TCRDOUTREG_MAX_V2_1","features":[9]},{"name":"D3DVS_TEMPREG_MAX_V1_1","features":[9]},{"name":"D3DVS_TEMPREG_MAX_V2_0","features":[9]},{"name":"D3DVS_TEMPREG_MAX_V2_1","features":[9]},{"name":"D3DVS_TEMPREG_MAX_V3_0","features":[9]},{"name":"D3DVTXPCAPS_NO_VSDT_UBYTE4","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_VISTA","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM1_3","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_0","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_0_M1","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_0_M1_3","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_0_M2_2","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_1","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_1_1","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_1_2","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_1_3","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_1_4","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_2","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_2_1","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_2_2","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_3","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_3_1","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_3_2","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_4","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_4_1","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_4_2","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_5","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_5_1","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_5_2","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_5_3","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_6","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_6_1","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_6_2","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_6_3","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_6_4","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_7","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_7_1","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_7_2","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_8","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_8_1","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_9","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_9_1","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM3_0","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM3_0_1","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM3_1","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM3_1_1","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WIN7","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WIN8","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WIN8_CP","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WIN8_M3","features":[9]},{"name":"D3D_UMD_INTERFACE_VERSION_WIN8_RC","features":[9]},{"name":"DDBLT_EXTENDED_PRESENTATION_STRETCHFACTOR","features":[9]},{"name":"DDNT_DEFERRED_AGP_AWARE_DATA","features":[9]},{"name":"DDNT_DXVERSION","features":[9]},{"name":"DDNT_FREE_DEFERRED_AGP_DATA","features":[9]},{"name":"DDNT_GETADAPTERGROUPDATA","features":[9]},{"name":"DDNT_GETD3DQUERYCOUNTDATA","features":[9]},{"name":"DDNT_GETD3DQUERYDATA","features":[9,10]},{"name":"DDNT_GETDDIVERSIONDATA","features":[9]},{"name":"DDNT_GETDRIVERINFO2DATA","features":[9]},{"name":"DDNT_GETEXTENDEDMODECOUNTDATA","features":[9]},{"name":"DDNT_GETEXTENDEDMODEDATA","features":[9,10]},{"name":"DDNT_GETFORMATCOUNTDATA","features":[9]},{"name":"DDNT_GETFORMATDATA","features":[9,11]},{"name":"DDNT_MULTISAMPLEQUALITYLEVELSDATA","features":[9,10]},{"name":"DD_DEFERRED_AGP_AWARE_DATA","features":[9]},{"name":"DD_DXVERSION","features":[9]},{"name":"DD_FREE_DEFERRED_AGP_DATA","features":[9]},{"name":"DD_GETADAPTERGROUPDATA","features":[9]},{"name":"DD_GETD3DQUERYCOUNTDATA","features":[9]},{"name":"DD_GETD3DQUERYDATA","features":[9,10]},{"name":"DD_GETDDIVERSIONDATA","features":[9]},{"name":"DD_GETDRIVERINFO2DATA","features":[9]},{"name":"DD_GETEXTENDEDMODECOUNTDATA","features":[9]},{"name":"DD_GETEXTENDEDMODEDATA","features":[9,10]},{"name":"DD_GETFORMATCOUNTDATA","features":[9]},{"name":"DD_GETFORMATDATA","features":[9,11]},{"name":"DD_MULTISAMPLEQUALITYLEVELSDATA","features":[9,10]},{"name":"DIDDT1_AspectRatio_15x9","features":[9]},{"name":"DIDDT1_AspectRatio_16x10","features":[9]},{"name":"DIDDT1_AspectRatio_16x9","features":[9]},{"name":"DIDDT1_AspectRatio_1x1","features":[9]},{"name":"DIDDT1_AspectRatio_4x3","features":[9]},{"name":"DIDDT1_AspectRatio_5x4","features":[9]},{"name":"DIDDT1_Dependent","features":[9]},{"name":"DIDDT1_Interlaced","features":[9]},{"name":"DIDDT1_Monoscopic","features":[9]},{"name":"DIDDT1_Progressive","features":[9]},{"name":"DIDDT1_Stereo","features":[9]},{"name":"DIDDT1_Sync_Negative","features":[9]},{"name":"DIDDT1_Sync_Positive","features":[9]},{"name":"DISPLAYID_DETAILED_TIMING_TYPE_I","features":[9]},{"name":"DISPLAYID_DETAILED_TIMING_TYPE_I_ASPECT_RATIO","features":[9]},{"name":"DISPLAYID_DETAILED_TIMING_TYPE_I_SCANNING_MODE","features":[9]},{"name":"DISPLAYID_DETAILED_TIMING_TYPE_I_SIZE","features":[9]},{"name":"DISPLAYID_DETAILED_TIMING_TYPE_I_STEREO_MODE","features":[9]},{"name":"DISPLAYID_DETAILED_TIMING_TYPE_I_SYNC_POLARITY","features":[9]},{"name":"DP2BLT_LINEAR","features":[9]},{"name":"DP2BLT_POINT","features":[9]},{"name":"DX9_DDI_VERSION","features":[9]},{"name":"DXGKARG_SETPALETTE","features":[9]},{"name":"DXGKDDI_INTERFACE_VERSION","features":[9]},{"name":"DXGKDDI_INTERFACE_VERSION_VISTA","features":[9]},{"name":"DXGKDDI_INTERFACE_VERSION_VISTA_SP1","features":[9]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM1_3","features":[9]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM1_3_PATH_INDEPENDENT_ROTATION","features":[9]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_0","features":[9]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_1","features":[9]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_1_5","features":[9]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_1_6","features":[9]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_2","features":[9]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_3","features":[9]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_4","features":[9]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_5","features":[9]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_6","features":[9]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_7","features":[9]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_8","features":[9]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_9","features":[9]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM3_0","features":[9]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM3_1","features":[9]},{"name":"DXGKDDI_INTERFACE_VERSION_WIN7","features":[9]},{"name":"DXGKDDI_INTERFACE_VERSION_WIN8","features":[9]},{"name":"DXGKDT_OPM_DVI_CHARACTERISTICS","features":[9]},{"name":"DXGKMDT_CERTIFICATE_TYPE","features":[9]},{"name":"DXGKMDT_COPP_CERTIFICATE","features":[9]},{"name":"DXGKMDT_I2C_DEVICE_TRANSMITS_DATA_LENGTH","features":[9]},{"name":"DXGKMDT_I2C_NO_FLAGS","features":[9]},{"name":"DXGKMDT_INDIRECT_DISPLAY_CERTIFICATE","features":[9]},{"name":"DXGKMDT_OPM_128_BIT_RANDOM_NUMBER_SIZE","features":[9]},{"name":"DXGKMDT_OPM_ACP_AND_CGMSA_SIGNALING","features":[9]},{"name":"DXGKMDT_OPM_ACP_LEVEL_ONE","features":[9]},{"name":"DXGKMDT_OPM_ACP_LEVEL_THREE","features":[9]},{"name":"DXGKMDT_OPM_ACP_LEVEL_TWO","features":[9]},{"name":"DXGKMDT_OPM_ACP_OFF","features":[9]},{"name":"DXGKMDT_OPM_ACP_PROTECTION_LEVEL","features":[9]},{"name":"DXGKMDT_OPM_ACTUAL_OUTPUT_FORMAT","features":[9]},{"name":"DXGKMDT_OPM_ASPECT_RATIO_EN300294_BOX_14_BY_9_CENTER","features":[9]},{"name":"DXGKMDT_OPM_ASPECT_RATIO_EN300294_BOX_14_BY_9_TOP","features":[9]},{"name":"DXGKMDT_OPM_ASPECT_RATIO_EN300294_BOX_16_BY_9_CENTER","features":[9]},{"name":"DXGKMDT_OPM_ASPECT_RATIO_EN300294_BOX_16_BY_9_TOP","features":[9]},{"name":"DXGKMDT_OPM_ASPECT_RATIO_EN300294_BOX_GT_16_BY_9_CENTER","features":[9]},{"name":"DXGKMDT_OPM_ASPECT_RATIO_EN300294_FULL_FORMAT_16_BY_9_ANAMORPHIC","features":[9]},{"name":"DXGKMDT_OPM_ASPECT_RATIO_EN300294_FULL_FORMAT_4_BY_3","features":[9]},{"name":"DXGKMDT_OPM_ASPECT_RATIO_EN300294_FULL_FORMAT_4_BY_3_PROTECTED_CENTER","features":[9]},{"name":"DXGKMDT_OPM_BUS_IMPLEMENTATION_MODIFIER_DAUGHTER_BOARD_CONNECTOR","features":[9]},{"name":"DXGKMDT_OPM_BUS_IMPLEMENTATION_MODIFIER_DAUGHTER_BOARD_CONNECTOR_INSIDE_OF_NUAE","features":[9]},{"name":"DXGKMDT_OPM_BUS_IMPLEMENTATION_MODIFIER_INSIDE_OF_CHIPSET","features":[9]},{"name":"DXGKMDT_OPM_BUS_IMPLEMENTATION_MODIFIER_NON_STANDARD","features":[9]},{"name":"DXGKMDT_OPM_BUS_IMPLEMENTATION_MODIFIER_TRACKS_ON_MOTHER_BOARD_TO_CHIP","features":[9]},{"name":"DXGKMDT_OPM_BUS_IMPLEMENTATION_MODIFIER_TRACKS_ON_MOTHER_BOARD_TO_SOCKET","features":[9]},{"name":"DXGKMDT_OPM_BUS_TYPE_AGP","features":[9]},{"name":"DXGKMDT_OPM_BUS_TYPE_AND_IMPLEMENTATION","features":[9]},{"name":"DXGKMDT_OPM_BUS_TYPE_OTHER","features":[9]},{"name":"DXGKMDT_OPM_BUS_TYPE_PCI","features":[9]},{"name":"DXGKMDT_OPM_BUS_TYPE_PCIEXPRESS","features":[9]},{"name":"DXGKMDT_OPM_BUS_TYPE_PCIX","features":[9]},{"name":"DXGKMDT_OPM_CERTIFICATE","features":[9]},{"name":"DXGKMDT_OPM_CGMSA","features":[9]},{"name":"DXGKMDT_OPM_CGMSA_COPY_FREELY","features":[9]},{"name":"DXGKMDT_OPM_CGMSA_COPY_NEVER","features":[9]},{"name":"DXGKMDT_OPM_CGMSA_COPY_NO_MORE","features":[9]},{"name":"DXGKMDT_OPM_CGMSA_COPY_ONE_GENERATION","features":[9]},{"name":"DXGKMDT_OPM_CGMSA_OFF","features":[9]},{"name":"DXGKMDT_OPM_CONFIGURE_PARAMETERS","features":[9]},{"name":"DXGKMDT_OPM_CONFIGURE_SETTING_DATA_SIZE","features":[9]},{"name":"DXGKMDT_OPM_CONNECTED_HDCP_DEVICE_INFORMATION","features":[9]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE","features":[9]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_COMPONENT_VIDEO","features":[9]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_COMPOSITE_VIDEO","features":[9]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_DISPLAYPORT_EMBEDDED","features":[9]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_DISPLAYPORT_EXTERNAL","features":[9]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_DVI","features":[9]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_D_JPN","features":[9]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_HD15","features":[9]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_HDMI","features":[9]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_LVDS","features":[9]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_MIRACAST","features":[9]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_OTHER","features":[9]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_RESERVED","features":[9]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_SDI","features":[9]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_SVIDEO","features":[9]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_TRANSPORT_AGNOSTIC_DIGITAL_MODE_A","features":[9]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_TRANSPORT_AGNOSTIC_DIGITAL_MODE_B","features":[9]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_UDI_EMBEDDED","features":[9]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_UDI_EXTERNAL","features":[9]},{"name":"DXGKMDT_OPM_COPP_COMPATIBLE_BUS_TYPE_INTEGRATED","features":[9]},{"name":"DXGKMDT_OPM_COPP_COMPATIBLE_CONNECTOR_TYPE_INTERNAL","features":[9]},{"name":"DXGKMDT_OPM_COPP_COMPATIBLE_GET_INFO_PARAMETERS","features":[9]},{"name":"DXGKMDT_OPM_CREATE_VIDEO_OUTPUT_FOR_TARGET_PARAMETERS","features":[9,1]},{"name":"DXGKMDT_OPM_DPCP_OFF","features":[9]},{"name":"DXGKMDT_OPM_DPCP_ON","features":[9]},{"name":"DXGKMDT_OPM_DPCP_PROTECTION_LEVEL","features":[9]},{"name":"DXGKMDT_OPM_DVI_CHARACTERISTIC_1_0","features":[9]},{"name":"DXGKMDT_OPM_DVI_CHARACTERISTIC_1_1_OR_ABOVE","features":[9]},{"name":"DXGKMDT_OPM_ENCRYPTED_PARAMETERS","features":[9]},{"name":"DXGKMDT_OPM_ENCRYPTED_PARAMETERS_SIZE","features":[9]},{"name":"DXGKMDT_OPM_GET_ACP_AND_CGMSA_SIGNALING","features":[9]},{"name":"DXGKMDT_OPM_GET_ACTUAL_OUTPUT_FORMAT","features":[9]},{"name":"DXGKMDT_OPM_GET_ACTUAL_PROTECTION_LEVEL","features":[9]},{"name":"DXGKMDT_OPM_GET_ADAPTER_BUS_TYPE","features":[9]},{"name":"DXGKMDT_OPM_GET_CODEC_INFO","features":[9]},{"name":"DXGKMDT_OPM_GET_CONNECTED_HDCP_DEVICE_INFORMATION","features":[9]},{"name":"DXGKMDT_OPM_GET_CONNECTOR_TYPE","features":[9]},{"name":"DXGKMDT_OPM_GET_CURRENT_HDCP_SRM_VERSION","features":[9]},{"name":"DXGKMDT_OPM_GET_DVI_CHARACTERISTICS","features":[9]},{"name":"DXGKMDT_OPM_GET_INFORMATION_PARAMETERS_SIZE","features":[9]},{"name":"DXGKMDT_OPM_GET_INFO_PARAMETERS","features":[9]},{"name":"DXGKMDT_OPM_GET_OUTPUT_HARDWARE_PROTECTION_SUPPORT","features":[9]},{"name":"DXGKMDT_OPM_GET_OUTPUT_ID","features":[9]},{"name":"DXGKMDT_OPM_GET_SUPPORTED_PROTECTION_TYPES","features":[9]},{"name":"DXGKMDT_OPM_GET_VIRTUAL_PROTECTION_LEVEL","features":[9]},{"name":"DXGKMDT_OPM_HDCP_FLAG","features":[9]},{"name":"DXGKMDT_OPM_HDCP_FLAG_NONE","features":[9]},{"name":"DXGKMDT_OPM_HDCP_FLAG_REPEATER","features":[9]},{"name":"DXGKMDT_OPM_HDCP_KEY_SELECTION_VECTOR","features":[9]},{"name":"DXGKMDT_OPM_HDCP_KEY_SELECTION_VECTOR_SIZE","features":[9]},{"name":"DXGKMDT_OPM_HDCP_OFF","features":[9]},{"name":"DXGKMDT_OPM_HDCP_ON","features":[9]},{"name":"DXGKMDT_OPM_HDCP_PROTECTION_LEVEL","features":[9]},{"name":"DXGKMDT_OPM_IMAGE_ASPECT_RATIO_EN300294","features":[9]},{"name":"DXGKMDT_OPM_INTERLEAVE_FORMAT","features":[9]},{"name":"DXGKMDT_OPM_INTERLEAVE_FORMAT_INTERLEAVED_EVEN_FIRST","features":[9]},{"name":"DXGKMDT_OPM_INTERLEAVE_FORMAT_INTERLEAVED_ODD_FIRST","features":[9]},{"name":"DXGKMDT_OPM_INTERLEAVE_FORMAT_OTHER","features":[9]},{"name":"DXGKMDT_OPM_INTERLEAVE_FORMAT_PROGRESSIVE","features":[9]},{"name":"DXGKMDT_OPM_OMAC","features":[9]},{"name":"DXGKMDT_OPM_OMAC_SIZE","features":[9]},{"name":"DXGKMDT_OPM_OUTPUT_HARDWARE_PROTECTION","features":[9]},{"name":"DXGKMDT_OPM_OUTPUT_HARDWARE_PROTECTION_NOT_SUPPORTED","features":[9]},{"name":"DXGKMDT_OPM_OUTPUT_HARDWARE_PROTECTION_SUPPORTED","features":[9]},{"name":"DXGKMDT_OPM_OUTPUT_ID","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_ARIBTRB15_1125I","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_ARIBTRB15_525I","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_ARIBTRB15_525P","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_ARIBTRB15_750P","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_CEA805A_TYPEA_1125I","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_CEA805A_TYPEA_525P","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_CEA805A_TYPEA_750P","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_CEA805A_TYPEB_1125I","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_CEA805A_TYPEB_525P","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_CEA805A_TYPEB_750P","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_EIA608B_525","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_EN300294_625I","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_IEC61880_2_525I","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_IEC61880_525I","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_IEC62375_625P","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_NONE","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_OTHER","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_TYPE","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_TYPE_ACP","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_TYPE_CGMSA","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_TYPE_COPP_COMPATIBLE_HDCP","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_TYPE_DPCP","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_TYPE_HDCP","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_TYPE_MASK","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_TYPE_NONE","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_TYPE_OTHER","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_TYPE_SIZE","features":[9]},{"name":"DXGKMDT_OPM_PROTECTION_TYPE_TYPE_ENFORCEMENT_HDCP","features":[9]},{"name":"DXGKMDT_OPM_RANDOM_NUMBER","features":[9]},{"name":"DXGKMDT_OPM_REDISTRIBUTION_CONTROL_REQUIRED","features":[9]},{"name":"DXGKMDT_OPM_REQUESTED_INFORMATION","features":[9]},{"name":"DXGKMDT_OPM_REQUESTED_INFORMATION_SIZE","features":[9]},{"name":"DXGKMDT_OPM_SET_ACP_AND_CGMSA_SIGNALING","features":[9]},{"name":"DXGKMDT_OPM_SET_ACP_AND_CGMSA_SIGNALING_PARAMETERS","features":[9]},{"name":"DXGKMDT_OPM_SET_HDCP_SRM","features":[9]},{"name":"DXGKMDT_OPM_SET_HDCP_SRM_PARAMETERS","features":[9]},{"name":"DXGKMDT_OPM_SET_PROTECTION_LEVEL","features":[9]},{"name":"DXGKMDT_OPM_SET_PROTECTION_LEVEL_ACCORDING_TO_CSS_DVD","features":[9]},{"name":"DXGKMDT_OPM_SET_PROTECTION_LEVEL_PARAMETERS","features":[9]},{"name":"DXGKMDT_OPM_STANDARD_INFORMATION","features":[9]},{"name":"DXGKMDT_OPM_STATUS","features":[9]},{"name":"DXGKMDT_OPM_STATUS_LINK_LOST","features":[9]},{"name":"DXGKMDT_OPM_STATUS_NORMAL","features":[9]},{"name":"DXGKMDT_OPM_STATUS_RENEGOTIATION_REQUIRED","features":[9]},{"name":"DXGKMDT_OPM_STATUS_REVOKED_HDCP_DEVICE_ATTACHED","features":[9]},{"name":"DXGKMDT_OPM_STATUS_TAMPERING_DETECTED","features":[9]},{"name":"DXGKMDT_OPM_TYPE_ENFORCEMENT_HDCP_OFF","features":[9]},{"name":"DXGKMDT_OPM_TYPE_ENFORCEMENT_HDCP_ON_WITH_NO_TYPE_RESTRICTION","features":[9]},{"name":"DXGKMDT_OPM_TYPE_ENFORCEMENT_HDCP_ON_WITH_TYPE1_RESTRICTION","features":[9]},{"name":"DXGKMDT_OPM_TYPE_ENFORCEMENT_HDCP_PROTECTION_LEVEL","features":[9]},{"name":"DXGKMDT_OPM_VIDEO_OUTPUT_SEMANTICS","features":[9]},{"name":"DXGKMDT_OPM_VOS_COPP_SEMANTICS","features":[9]},{"name":"DXGKMDT_OPM_VOS_OPM_INDIRECT_DISPLAY","features":[9]},{"name":"DXGKMDT_OPM_VOS_OPM_SEMANTICS","features":[9]},{"name":"DXGKMDT_UAB_CERTIFICATE","features":[9]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STEREO_FLIP_FRAME0","features":[9]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STEREO_FLIP_FRAME1","features":[9]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STEREO_FLIP_MODE","features":[9]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STEREO_FLIP_NONE","features":[9]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STEREO_FORMAT_CHECKERBOARD","features":[9]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STEREO_FORMAT_COLUMN_INTERLEAVED","features":[9]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STEREO_FORMAT_MONO","features":[9]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STEREO_FORMAT_MONO_OFFSET","features":[9]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STEREO_FORMAT_ROW_INTERLEAVED","features":[9]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STEREO_FORMAT_SEPARATE","features":[9]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STRETCH_QUALITY","features":[9]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STRETCH_QUALITY_BILINEAR","features":[9]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STRETCH_QUALITY_HIGH","features":[9]},{"name":"DXGKMT_POWER_SHARED_TYPE","features":[9]},{"name":"DXGKMT_POWER_SHARED_TYPE_AUDIO","features":[9]},{"name":"DXGKVGPU_ESCAPE_HEAD","features":[9,1]},{"name":"DXGKVGPU_ESCAPE_INITIALIZE","features":[9,1]},{"name":"DXGKVGPU_ESCAPE_PAUSE","features":[9,1]},{"name":"DXGKVGPU_ESCAPE_POWERTRANSITIONCOMPLETE","features":[9,1]},{"name":"DXGKVGPU_ESCAPE_READ_PCI_CONFIG","features":[9,1]},{"name":"DXGKVGPU_ESCAPE_READ_VGPU_TYPE","features":[9,1]},{"name":"DXGKVGPU_ESCAPE_RELEASE","features":[9,1]},{"name":"DXGKVGPU_ESCAPE_RESUME","features":[9,1]},{"name":"DXGKVGPU_ESCAPE_TYPE","features":[9]},{"name":"DXGKVGPU_ESCAPE_TYPE_GET_VGPU_TYPE","features":[9]},{"name":"DXGKVGPU_ESCAPE_TYPE_INITIALIZE","features":[9]},{"name":"DXGKVGPU_ESCAPE_TYPE_PAUSE","features":[9]},{"name":"DXGKVGPU_ESCAPE_TYPE_POWERTRANSITIONCOMPLETE","features":[9]},{"name":"DXGKVGPU_ESCAPE_TYPE_READ_PCI_CONFIG","features":[9]},{"name":"DXGKVGPU_ESCAPE_TYPE_RELEASE","features":[9]},{"name":"DXGKVGPU_ESCAPE_TYPE_RESUME","features":[9]},{"name":"DXGKVGPU_ESCAPE_TYPE_WRITE_PCI_CONFIG","features":[9]},{"name":"DXGKVGPU_ESCAPE_WRITE_PCI_CONFIG","features":[9,1]},{"name":"DXGK_ADAPTER_PERFDATA","features":[9]},{"name":"DXGK_ADAPTER_PERFDATACAPS","features":[9]},{"name":"DXGK_BACKLIGHT_INFO","features":[9]},{"name":"DXGK_BACKLIGHT_OPTIMIZATION_LEVEL","features":[9]},{"name":"DXGK_BRIGHTNESS_CAPS","features":[9]},{"name":"DXGK_BRIGHTNESS_GET_NIT_RANGES_OUT","features":[9]},{"name":"DXGK_BRIGHTNESS_GET_OUT","features":[9]},{"name":"DXGK_BRIGHTNESS_MAXIMUM_NIT_RANGE_COUNT","features":[9]},{"name":"DXGK_BRIGHTNESS_NIT_RANGE","features":[9]},{"name":"DXGK_BRIGHTNESS_SENSOR_DATA","features":[9]},{"name":"DXGK_BRIGHTNESS_SENSOR_DATA_CHROMATICITY","features":[9]},{"name":"DXGK_BRIGHTNESS_SET_IN","features":[9]},{"name":"DXGK_BRIGHTNESS_STATE","features":[9]},{"name":"DXGK_CHILD_DEVICE_HPD_AWARENESS","features":[9]},{"name":"DXGK_DDT_DISPLAYID","features":[9]},{"name":"DXGK_DDT_EDID","features":[9]},{"name":"DXGK_DDT_INVALID","features":[9]},{"name":"DXGK_DIAG_PROCESS_NAME_LENGTH","features":[9]},{"name":"DXGK_DISPLAY_DESCRIPTOR_TYPE","features":[9]},{"name":"DXGK_DISPLAY_INFORMATION","features":[9]},{"name":"DXGK_DISPLAY_TECHNOLOGY","features":[9]},{"name":"DXGK_DISPLAY_USAGE","features":[9]},{"name":"DXGK_DT_INVALID","features":[9]},{"name":"DXGK_DT_LCD","features":[9]},{"name":"DXGK_DT_MAX","features":[9]},{"name":"DXGK_DT_OLED","features":[9]},{"name":"DXGK_DT_OTHER","features":[9]},{"name":"DXGK_DT_PROJECTOR","features":[9]},{"name":"DXGK_DU_ACCESSORY","features":[9]},{"name":"DXGK_DU_AR","features":[9]},{"name":"DXGK_DU_GENERIC","features":[9]},{"name":"DXGK_DU_INVALID","features":[9]},{"name":"DXGK_DU_MAX","features":[9]},{"name":"DXGK_DU_MEDICAL_IMAGING","features":[9]},{"name":"DXGK_DU_VR","features":[9]},{"name":"DXGK_ENGINE_TYPE","features":[9]},{"name":"DXGK_ENGINE_TYPE_3D","features":[9]},{"name":"DXGK_ENGINE_TYPE_COPY","features":[9]},{"name":"DXGK_ENGINE_TYPE_CRYPTO","features":[9]},{"name":"DXGK_ENGINE_TYPE_MAX","features":[9]},{"name":"DXGK_ENGINE_TYPE_OTHER","features":[9]},{"name":"DXGK_ENGINE_TYPE_OVERLAY","features":[9]},{"name":"DXGK_ENGINE_TYPE_SCENE_ASSEMBLY","features":[9]},{"name":"DXGK_ENGINE_TYPE_VIDEO_DECODE","features":[9]},{"name":"DXGK_ENGINE_TYPE_VIDEO_ENCODE","features":[9]},{"name":"DXGK_ENGINE_TYPE_VIDEO_PROCESSING","features":[9]},{"name":"DXGK_ESCAPE_GPUMMUCAPS","features":[9,1]},{"name":"DXGK_FAULT_ERROR_CODE","features":[9]},{"name":"DXGK_GENERAL_ERROR_CODE","features":[9]},{"name":"DXGK_GENERAL_ERROR_INVALID_INSTRUCTION","features":[9]},{"name":"DXGK_GENERAL_ERROR_PAGE_FAULT","features":[9]},{"name":"DXGK_GPUCLOCKDATA","features":[9]},{"name":"DXGK_GPUCLOCKDATA_FLAGS","features":[9]},{"name":"DXGK_GPUVERSION","features":[9]},{"name":"DXGK_GRAPHICSPOWER_REGISTER_INPUT_V_1_2","features":[9,1,8]},{"name":"DXGK_GRAPHICSPOWER_REGISTER_OUTPUT","features":[9,1,8]},{"name":"DXGK_GRAPHICSPOWER_VERSION","features":[9]},{"name":"DXGK_GRAPHICSPOWER_VERSION_1_0","features":[9]},{"name":"DXGK_GRAPHICSPOWER_VERSION_1_1","features":[9]},{"name":"DXGK_GRAPHICSPOWER_VERSION_1_2","features":[9]},{"name":"DXGK_MAX_GPUVERSION_NAME_LENGTH","features":[9]},{"name":"DXGK_MAX_METADATA_NAME_LENGTH","features":[9]},{"name":"DXGK_MAX_PAGE_TABLE_LEVEL_COUNT","features":[9]},{"name":"DXGK_MIN_PAGE_TABLE_LEVEL_COUNT","features":[9]},{"name":"DXGK_MIRACAST_CHUNK_ID","features":[9]},{"name":"DXGK_MIRACAST_CHUNK_INFO","features":[9]},{"name":"DXGK_MIRACAST_CHUNK_TYPE","features":[9]},{"name":"DXGK_MIRACAST_CHUNK_TYPE_COLOR_CONVERT_COMPLETE","features":[9]},{"name":"DXGK_MIRACAST_CHUNK_TYPE_ENCODE_COMPLETE","features":[9]},{"name":"DXGK_MIRACAST_CHUNK_TYPE_ENCODE_DRIVER_DEFINED_1","features":[9]},{"name":"DXGK_MIRACAST_CHUNK_TYPE_ENCODE_DRIVER_DEFINED_2","features":[9]},{"name":"DXGK_MIRACAST_CHUNK_TYPE_FRAME_DROPPED","features":[9]},{"name":"DXGK_MIRACAST_CHUNK_TYPE_FRAME_START","features":[9]},{"name":"DXGK_MIRACAST_CHUNK_TYPE_UNKNOWN","features":[9]},{"name":"DXGK_MONITORLINKINFO_CAPABILITIES","features":[9]},{"name":"DXGK_MONITORLINKINFO_USAGEHINTS","features":[9]},{"name":"DXGK_NODEMETADATA","features":[9,1]},{"name":"DXGK_NODEMETADATA_FLAGS","features":[9]},{"name":"DXGK_NODE_PERFDATA","features":[9]},{"name":"DXGK_PAGE_FAULT_ADAPTER_RESET_REQUIRED","features":[9]},{"name":"DXGK_PAGE_FAULT_ENGINE_RESET_REQUIRED","features":[9]},{"name":"DXGK_PAGE_FAULT_FATAL_HARDWARE_ERROR","features":[9]},{"name":"DXGK_PAGE_FAULT_FENCE_INVALID","features":[9]},{"name":"DXGK_PAGE_FAULT_FLAGS","features":[9]},{"name":"DXGK_PAGE_FAULT_HW_CONTEXT_VALID","features":[9]},{"name":"DXGK_PAGE_FAULT_IOMMU","features":[9]},{"name":"DXGK_PAGE_FAULT_PROCESS_HANDLE_VALID","features":[9]},{"name":"DXGK_PAGE_FAULT_WRITE","features":[9]},{"name":"DXGK_PTE","features":[9]},{"name":"DXGK_PTE_PAGE_SIZE","features":[9]},{"name":"DXGK_PTE_PAGE_TABLE_PAGE_4KB","features":[9]},{"name":"DXGK_PTE_PAGE_TABLE_PAGE_64KB","features":[9]},{"name":"DXGK_RENDER_PIPELINE_STAGE","features":[9]},{"name":"DXGK_RENDER_PIPELINE_STAGE_GEOMETRY_SHADER","features":[9]},{"name":"DXGK_RENDER_PIPELINE_STAGE_INPUT_ASSEMBLER","features":[9]},{"name":"DXGK_RENDER_PIPELINE_STAGE_OUTPUT_MERGER","features":[9]},{"name":"DXGK_RENDER_PIPELINE_STAGE_PIXEL_SHADER","features":[9]},{"name":"DXGK_RENDER_PIPELINE_STAGE_RASTERIZER","features":[9]},{"name":"DXGK_RENDER_PIPELINE_STAGE_STREAM_OUTPUT","features":[9]},{"name":"DXGK_RENDER_PIPELINE_STAGE_UNKNOWN","features":[9]},{"name":"DXGK_RENDER_PIPELINE_STAGE_VERTEX_SHADER","features":[9]},{"name":"DXGK_TARGETMODE_DETAIL_TIMING","features":[9]},{"name":"DxgkBacklightOptimizationDesktop","features":[9]},{"name":"DxgkBacklightOptimizationDimmed","features":[9]},{"name":"DxgkBacklightOptimizationDisable","features":[9]},{"name":"DxgkBacklightOptimizationDynamic","features":[9]},{"name":"DxgkBacklightOptimizationEDR","features":[9]},{"name":"FLIPEX_TIMEOUT_USER","features":[9]},{"name":"GPUP_DRIVER_ESCAPE_INPUT","features":[9,1]},{"name":"GUID_DEVINTERFACE_GRAPHICSPOWER","features":[9]},{"name":"HpdAwarenessAlwaysConnected","features":[9]},{"name":"HpdAwarenessInterruptible","features":[9]},{"name":"HpdAwarenessNone","features":[9]},{"name":"HpdAwarenessPolled","features":[9]},{"name":"HpdAwarenessUninitialized","features":[9]},{"name":"IOCTL_GPUP_DRIVER_ESCAPE","features":[9]},{"name":"IOCTL_INTERNAL_GRAPHICSPOWER_REGISTER","features":[9]},{"name":"KMTQAITYPE_ADAPTERADDRESS","features":[9]},{"name":"KMTQAITYPE_ADAPTERADDRESS_RENDER","features":[9]},{"name":"KMTQAITYPE_ADAPTERGUID","features":[9]},{"name":"KMTQAITYPE_ADAPTERGUID_RENDER","features":[9]},{"name":"KMTQAITYPE_ADAPTERPERFDATA","features":[9]},{"name":"KMTQAITYPE_ADAPTERPERFDATA_CAPS","features":[9]},{"name":"KMTQAITYPE_ADAPTERREGISTRYINFO","features":[9]},{"name":"KMTQAITYPE_ADAPTERREGISTRYINFO_RENDER","features":[9]},{"name":"KMTQAITYPE_ADAPTERTYPE","features":[9]},{"name":"KMTQAITYPE_ADAPTERTYPE_RENDER","features":[9]},{"name":"KMTQAITYPE_BLOCKLIST_KERNEL","features":[9]},{"name":"KMTQAITYPE_BLOCKLIST_RUNTIME","features":[9]},{"name":"KMTQAITYPE_CHECKDRIVERUPDATESTATUS","features":[9]},{"name":"KMTQAITYPE_CHECKDRIVERUPDATESTATUS_RENDER","features":[9]},{"name":"KMTQAITYPE_CPDRIVERNAME","features":[9]},{"name":"KMTQAITYPE_CROSSADAPTERRESOURCE_SUPPORT","features":[9]},{"name":"KMTQAITYPE_CURRENTDISPLAYMODE","features":[9]},{"name":"KMTQAITYPE_DIRECTFLIP_SUPPORT","features":[9]},{"name":"KMTQAITYPE_DISPLAY_CAPS","features":[9]},{"name":"KMTQAITYPE_DISPLAY_UMDRIVERNAME","features":[9]},{"name":"KMTQAITYPE_DLIST_DRIVER_NAME","features":[9]},{"name":"KMTQAITYPE_DRIVERCAPS_EXT","features":[9]},{"name":"KMTQAITYPE_DRIVERVERSION","features":[9]},{"name":"KMTQAITYPE_DRIVERVERSION_RENDER","features":[9]},{"name":"KMTQAITYPE_DRIVER_DESCRIPTION","features":[9]},{"name":"KMTQAITYPE_DRIVER_DESCRIPTION_RENDER","features":[9]},{"name":"KMTQAITYPE_FLIPQUEUEINFO","features":[9]},{"name":"KMTQAITYPE_GETSEGMENTGROUPSIZE","features":[9]},{"name":"KMTQAITYPE_GETSEGMENTSIZE","features":[9]},{"name":"KMTQAITYPE_GET_DEVICE_VIDPN_OWNERSHIP_INFO","features":[9]},{"name":"KMTQAITYPE_HWDRM_SUPPORT","features":[9]},{"name":"KMTQAITYPE_HYBRID_DLIST_DLL_SUPPORT","features":[9]},{"name":"KMTQAITYPE_INDEPENDENTFLIP_SECONDARY_SUPPORT","features":[9]},{"name":"KMTQAITYPE_INDEPENDENTFLIP_SUPPORT","features":[9]},{"name":"KMTQAITYPE_KMD_DRIVER_VERSION","features":[9]},{"name":"KMTQAITYPE_MIRACASTCOMPANIONDRIVERNAME","features":[9]},{"name":"KMTQAITYPE_MODELIST","features":[9]},{"name":"KMTQAITYPE_MPO3DDI_SUPPORT","features":[9]},{"name":"KMTQAITYPE_MPOKERNELCAPS_SUPPORT","features":[9]},{"name":"KMTQAITYPE_MULTIPLANEOVERLAY_HUD_SUPPORT","features":[9]},{"name":"KMTQAITYPE_MULTIPLANEOVERLAY_SECONDARY_SUPPORT","features":[9]},{"name":"KMTQAITYPE_MULTIPLANEOVERLAY_STRETCH_SUPPORT","features":[9]},{"name":"KMTQAITYPE_MULTIPLANEOVERLAY_SUPPORT","features":[9]},{"name":"KMTQAITYPE_NODEMETADATA","features":[9]},{"name":"KMTQAITYPE_NODEPERFDATA","features":[9]},{"name":"KMTQAITYPE_OUTPUTDUPLCONTEXTSCOUNT","features":[9]},{"name":"KMTQAITYPE_PANELFITTER_SUPPORT","features":[9]},{"name":"KMTQAITYPE_PARAVIRTUALIZATION_RENDER","features":[9]},{"name":"KMTQAITYPE_PHYSICALADAPTERCOUNT","features":[9]},{"name":"KMTQAITYPE_PHYSICALADAPTERDEVICEIDS","features":[9]},{"name":"KMTQAITYPE_PHYSICALADAPTERPNPKEY","features":[9]},{"name":"KMTQAITYPE_QUERYREGISTRY","features":[9]},{"name":"KMTQAITYPE_QUERY_ADAPTER_UNIQUE_GUID","features":[9]},{"name":"KMTQAITYPE_QUERY_GPUMMU_CAPS","features":[9]},{"name":"KMTQAITYPE_QUERY_HW_PROTECTION_TEARDOWN_COUNT","features":[9]},{"name":"KMTQAITYPE_QUERY_ISBADDRIVERFORHWPROTECTIONDISABLED","features":[9]},{"name":"KMTQAITYPE_QUERY_MIRACAST_DRIVER_TYPE","features":[9]},{"name":"KMTQAITYPE_QUERY_MULTIPLANEOVERLAY_DECODE_SUPPORT","features":[9]},{"name":"KMTQAITYPE_SCANOUT_CAPS","features":[9]},{"name":"KMTQAITYPE_SERVICENAME","features":[9]},{"name":"KMTQAITYPE_SETWORKINGSETINFO","features":[9]},{"name":"KMTQAITYPE_TRACKEDWORKLOAD_SUPPORT","features":[9]},{"name":"KMTQAITYPE_UMDRIVERNAME","features":[9]},{"name":"KMTQAITYPE_UMDRIVERPRIVATE","features":[9]},{"name":"KMTQAITYPE_UMD_DRIVER_VERSION","features":[9]},{"name":"KMTQAITYPE_UMOPENGLINFO","features":[9]},{"name":"KMTQAITYPE_VGPUINTERFACEID","features":[9]},{"name":"KMTQAITYPE_VIRTUALADDRESSINFO","features":[9]},{"name":"KMTQAITYPE_WDDM_1_2_CAPS","features":[9]},{"name":"KMTQAITYPE_WDDM_1_2_CAPS_RENDER","features":[9]},{"name":"KMTQAITYPE_WDDM_1_3_CAPS","features":[9]},{"name":"KMTQAITYPE_WDDM_1_3_CAPS_RENDER","features":[9]},{"name":"KMTQAITYPE_WDDM_2_0_CAPS","features":[9]},{"name":"KMTQAITYPE_WDDM_2_7_CAPS","features":[9]},{"name":"KMTQAITYPE_WDDM_2_9_CAPS","features":[9]},{"name":"KMTQAITYPE_WDDM_3_0_CAPS","features":[9]},{"name":"KMTQAITYPE_WDDM_3_1_CAPS","features":[9]},{"name":"KMTQAITYPE_WSAUMDIMAGENAME","features":[9]},{"name":"KMTQAITYPE_XBOX","features":[9]},{"name":"KMTQUERYADAPTERINFOTYPE","features":[9]},{"name":"KMTQUITYPE_GPUVERSION","features":[9]},{"name":"KMTUMDVERSION","features":[9]},{"name":"KMTUMDVERSION_DX10","features":[9]},{"name":"KMTUMDVERSION_DX11","features":[9]},{"name":"KMTUMDVERSION_DX12","features":[9]},{"name":"KMTUMDVERSION_DX12_WSA32","features":[9]},{"name":"KMTUMDVERSION_DX12_WSA64","features":[9]},{"name":"KMTUMDVERSION_DX9","features":[9]},{"name":"KMT_DISPLAY_UMDVERSION_1","features":[9]},{"name":"KMT_DISPLAY_UMD_VERSION","features":[9]},{"name":"KMT_DRIVERVERSION_WDDM_1_0","features":[9]},{"name":"KMT_DRIVERVERSION_WDDM_1_1","features":[9]},{"name":"KMT_DRIVERVERSION_WDDM_1_1_PRERELEASE","features":[9]},{"name":"KMT_DRIVERVERSION_WDDM_1_2","features":[9]},{"name":"KMT_DRIVERVERSION_WDDM_1_3","features":[9]},{"name":"KMT_DRIVERVERSION_WDDM_2_0","features":[9]},{"name":"KMT_DRIVERVERSION_WDDM_2_1","features":[9]},{"name":"KMT_DRIVERVERSION_WDDM_2_2","features":[9]},{"name":"KMT_DRIVERVERSION_WDDM_2_3","features":[9]},{"name":"KMT_DRIVERVERSION_WDDM_2_4","features":[9]},{"name":"KMT_DRIVERVERSION_WDDM_2_5","features":[9]},{"name":"KMT_DRIVERVERSION_WDDM_2_6","features":[9]},{"name":"KMT_DRIVERVERSION_WDDM_2_7","features":[9]},{"name":"KMT_DRIVERVERSION_WDDM_2_8","features":[9]},{"name":"KMT_DRIVERVERSION_WDDM_2_9","features":[9]},{"name":"KMT_DRIVERVERSION_WDDM_3_0","features":[9]},{"name":"KMT_DRIVERVERSION_WDDM_3_1","features":[9]},{"name":"LPD3DHAL_CLEAR2CB","features":[9,10]},{"name":"LPD3DHAL_CLEARCB","features":[9,10]},{"name":"LPD3DHAL_CONTEXTCREATECB","features":[9,1,11,12]},{"name":"LPD3DHAL_CONTEXTDESTROYALLCB","features":[9]},{"name":"LPD3DHAL_CONTEXTDESTROYCB","features":[9]},{"name":"LPD3DHAL_DRAWONEINDEXEDPRIMITIVECB","features":[9,10]},{"name":"LPD3DHAL_DRAWONEPRIMITIVECB","features":[9,10]},{"name":"LPD3DHAL_DRAWPRIMITIVES2CB","features":[9,1,11,12]},{"name":"LPD3DHAL_DRAWPRIMITIVESCB","features":[9]},{"name":"LPD3DHAL_GETSTATECB","features":[9,10]},{"name":"LPD3DHAL_RENDERPRIMITIVECB","features":[9,10]},{"name":"LPD3DHAL_RENDERSTATECB","features":[9]},{"name":"LPD3DHAL_SCENECAPTURECB","features":[9]},{"name":"LPD3DHAL_SETRENDERTARGETCB","features":[9,1,11,12]},{"name":"LPD3DHAL_TEXTURECREATECB","features":[9]},{"name":"LPD3DHAL_TEXTUREDESTROYCB","features":[9]},{"name":"LPD3DHAL_TEXTUREGETSURFCB","features":[9]},{"name":"LPD3DHAL_TEXTURESWAPCB","features":[9]},{"name":"LPD3DHAL_VALIDATETEXTURESTAGESTATECB","features":[9]},{"name":"LPD3DNTHAL_CLEAR2CB","features":[9,10]},{"name":"LPD3DNTHAL_CONTEXTCREATECB","features":[9,1,11]},{"name":"LPD3DNTHAL_CONTEXTDESTROYALLCB","features":[9]},{"name":"LPD3DNTHAL_CONTEXTDESTROYCB","features":[9]},{"name":"LPD3DNTHAL_DRAWPRIMITIVES2CB","features":[9,1,11]},{"name":"LPD3DNTHAL_SCENECAPTURECB","features":[9]},{"name":"LPD3DNTHAL_SETRENDERTARGETCB","features":[9,1,11]},{"name":"LPD3DNTHAL_TEXTURECREATECB","features":[9,1]},{"name":"LPD3DNTHAL_TEXTUREDESTROYCB","features":[9]},{"name":"LPD3DNTHAL_TEXTUREGETSURFCB","features":[9,1]},{"name":"LPD3DNTHAL_TEXTURESWAPCB","features":[9]},{"name":"LPD3DNTHAL_VALIDATETEXTURESTAGESTATECB","features":[9]},{"name":"MAX_ENUM_ADAPTERS","features":[9]},{"name":"MiracastStartPending","features":[9]},{"name":"MiracastStarted","features":[9]},{"name":"MiracastStopPending","features":[9]},{"name":"MiracastStopped","features":[9]},{"name":"NUM_KMTUMDVERSIONS","features":[9]},{"name":"NUM_KMT_DISPLAY_UMDVERSIONS","features":[9]},{"name":"OUTPUTDUPL_CONTEXT_DEBUG_INFO","features":[9,1]},{"name":"OUTPUTDUPL_CONTEXT_DEBUG_STATUS","features":[9]},{"name":"OUTPUTDUPL_CONTEXT_DEBUG_STATUS_ACTIVE","features":[9]},{"name":"OUTPUTDUPL_CONTEXT_DEBUG_STATUS_INACTIVE","features":[9]},{"name":"OUTPUTDUPL_CONTEXT_DEBUG_STATUS_PENDING_DESTROY","features":[9]},{"name":"OUTPUTDUPL_CREATE_MAX_KEYEDMUTXES","features":[9]},{"name":"PDXGK_FSTATE_NOTIFICATION","features":[9,1]},{"name":"PDXGK_GRAPHICSPOWER_UNREGISTER","features":[9,1]},{"name":"PDXGK_INITIAL_COMPONENT_STATE","features":[9,1]},{"name":"PDXGK_POWER_NOTIFICATION","features":[9,1,8]},{"name":"PDXGK_REMOVAL_NOTIFICATION","features":[9]},{"name":"PDXGK_SET_SHARED_POWER_COMPONENT_STATE","features":[9,1]},{"name":"PFND3DKMT_ACQUIREKEYEDMUTEX","features":[9,1]},{"name":"PFND3DKMT_ACQUIREKEYEDMUTEX2","features":[9,1]},{"name":"PFND3DKMT_ADJUSTFULLSCREENGAMMA","features":[9,1]},{"name":"PFND3DKMT_BUDGETCHANGENOTIFICATIONCALLBACK","features":[9]},{"name":"PFND3DKMT_CANCELPRESENTS","features":[9,1]},{"name":"PFND3DKMT_CHANGESURFACEPOINTER","features":[9,1,12]},{"name":"PFND3DKMT_CHANGEVIDEOMEMORYRESERVATION","features":[9,1]},{"name":"PFND3DKMT_CHECKEXCLUSIVEOWNERSHIP","features":[9,1]},{"name":"PFND3DKMT_CHECKMONITORPOWERSTATE","features":[9,1]},{"name":"PFND3DKMT_CHECKMULTIPLANEOVERLAYSUPPORT","features":[9,1]},{"name":"PFND3DKMT_CHECKMULTIPLANEOVERLAYSUPPORT2","features":[9,1]},{"name":"PFND3DKMT_CHECKMULTIPLANEOVERLAYSUPPORT3","features":[9,1]},{"name":"PFND3DKMT_CHECKOCCLUSION","features":[9,1]},{"name":"PFND3DKMT_CHECKSHAREDRESOURCEACCESS","features":[9,1]},{"name":"PFND3DKMT_CHECKVIDPNEXCLUSIVEOWNERSHIP","features":[9,1]},{"name":"PFND3DKMT_CLOSEADAPTER","features":[9,1]},{"name":"PFND3DKMT_CONFIGURESHAREDRESOURCE","features":[9,1]},{"name":"PFND3DKMT_CONNECTDOORBELL","features":[9,1]},{"name":"PFND3DKMT_CREATEALLOCATION","features":[9,1]},{"name":"PFND3DKMT_CREATEALLOCATION2","features":[9,1]},{"name":"PFND3DKMT_CREATECONTEXT","features":[9,1]},{"name":"PFND3DKMT_CREATECONTEXTVIRTUAL","features":[9,1]},{"name":"PFND3DKMT_CREATEDCFROMMEMORY","features":[9,1,12]},{"name":"PFND3DKMT_CREATEDEVICE","features":[9,1]},{"name":"PFND3DKMT_CREATEDOORBELL","features":[9,1]},{"name":"PFND3DKMT_CREATEHWQUEUE","features":[9,1]},{"name":"PFND3DKMT_CREATEKEYEDMUTEX","features":[9,1]},{"name":"PFND3DKMT_CREATEKEYEDMUTEX2","features":[9,1]},{"name":"PFND3DKMT_CREATENATIVEFENCE","features":[9,1]},{"name":"PFND3DKMT_CREATEOUTPUTDUPL","features":[9,1]},{"name":"PFND3DKMT_CREATEOVERLAY","features":[9,1]},{"name":"PFND3DKMT_CREATEPAGINGQUEUE","features":[9,1]},{"name":"PFND3DKMT_CREATEPROTECTEDSESSION","features":[9,1]},{"name":"PFND3DKMT_CREATESYNCHRONIZATIONOBJECT","features":[9,1]},{"name":"PFND3DKMT_CREATESYNCHRONIZATIONOBJECT2","features":[9,1]},{"name":"PFND3DKMT_DESTROYALLOCATION","features":[9,1]},{"name":"PFND3DKMT_DESTROYALLOCATION2","features":[9,1]},{"name":"PFND3DKMT_DESTROYCONTEXT","features":[9,1]},{"name":"PFND3DKMT_DESTROYDCFROMMEMORY","features":[9,1,12]},{"name":"PFND3DKMT_DESTROYDEVICE","features":[9,1]},{"name":"PFND3DKMT_DESTROYDOORBELL","features":[9,1]},{"name":"PFND3DKMT_DESTROYHWQUEUE","features":[9,1]},{"name":"PFND3DKMT_DESTROYKEYEDMUTEX","features":[9,1]},{"name":"PFND3DKMT_DESTROYOUTPUTDUPL","features":[9,1]},{"name":"PFND3DKMT_DESTROYOVERLAY","features":[9,1]},{"name":"PFND3DKMT_DESTROYPAGINGQUEUE","features":[9,1]},{"name":"PFND3DKMT_DESTROYPROTECTEDSESSION","features":[9,1]},{"name":"PFND3DKMT_DESTROYSYNCHRONIZATIONOBJECT","features":[9,1]},{"name":"PFND3DKMT_ENUMADAPTERS","features":[9,1]},{"name":"PFND3DKMT_ENUMADAPTERS2","features":[9,1]},{"name":"PFND3DKMT_ENUMADAPTERS3","features":[9,1]},{"name":"PFND3DKMT_ESCAPE","features":[9,1]},{"name":"PFND3DKMT_EVICT","features":[9,1]},{"name":"PFND3DKMT_FLIPOVERLAY","features":[9,1]},{"name":"PFND3DKMT_FLUSHHEAPTRANSITIONS","features":[9,1]},{"name":"PFND3DKMT_FREEGPUVIRTUALADDRESS","features":[9,1]},{"name":"PFND3DKMT_GETALLOCATIONPRIORITY","features":[9,1]},{"name":"PFND3DKMT_GETCONTEXTINPROCESSSCHEDULINGPRIORITY","features":[9,1]},{"name":"PFND3DKMT_GETCONTEXTSCHEDULINGPRIORITY","features":[9,1]},{"name":"PFND3DKMT_GETDEVICESTATE","features":[9,1]},{"name":"PFND3DKMT_GETDISPLAYMODELIST","features":[9,1]},{"name":"PFND3DKMT_GETDWMVERTICALBLANKEVENT","features":[9,1]},{"name":"PFND3DKMT_GETMULTIPLANEOVERLAYCAPS","features":[9,1]},{"name":"PFND3DKMT_GETMULTISAMPLEMETHODLIST","features":[9,1]},{"name":"PFND3DKMT_GETOVERLAYSTATE","features":[9,1]},{"name":"PFND3DKMT_GETPOSTCOMPOSITIONCAPS","features":[9,1]},{"name":"PFND3DKMT_GETPRESENTHISTORY","features":[9,1]},{"name":"PFND3DKMT_GETPROCESSDEVICEREMOVALSUPPORT","features":[9,1]},{"name":"PFND3DKMT_GETPROCESSSCHEDULINGPRIORITYCLASS","features":[9,1]},{"name":"PFND3DKMT_GETRESOURCEPRESENTPRIVATEDRIVERDATA","features":[9,1]},{"name":"PFND3DKMT_GETRUNTIMEDATA","features":[9,1]},{"name":"PFND3DKMT_GETSCANLINE","features":[9,1]},{"name":"PFND3DKMT_GETSHAREDPRIMARYHANDLE","features":[9,1]},{"name":"PFND3DKMT_GETSHAREDRESOURCEADAPTERLUID","features":[9,1]},{"name":"PFND3DKMT_INVALIDATEACTIVEVIDPN","features":[9,1]},{"name":"PFND3DKMT_INVALIDATECACHE","features":[9,1]},{"name":"PFND3DKMT_LOCK","features":[9,1]},{"name":"PFND3DKMT_LOCK2","features":[9,1]},{"name":"PFND3DKMT_MAKERESIDENT","features":[9,1]},{"name":"PFND3DKMT_MAPGPUVIRTUALADDRESS","features":[9,1]},{"name":"PFND3DKMT_MARKDEVICEASERROR","features":[9,1]},{"name":"PFND3DKMT_NOTIFYWORKSUBMISSION","features":[9,1]},{"name":"PFND3DKMT_OFFERALLOCATIONS","features":[9,1]},{"name":"PFND3DKMT_OPENADAPTERFROMDEVICENAME","features":[9,1]},{"name":"PFND3DKMT_OPENADAPTERFROMGDIDISPLAYNAME","features":[9,1]},{"name":"PFND3DKMT_OPENADAPTERFROMHDC","features":[9,1,12]},{"name":"PFND3DKMT_OPENADAPTERFROMLUID","features":[9,1]},{"name":"PFND3DKMT_OPENKEYEDMUTEX","features":[9,1]},{"name":"PFND3DKMT_OPENKEYEDMUTEX2","features":[9,1]},{"name":"PFND3DKMT_OPENKEYEDMUTEXFROMNTHANDLE","features":[9,1]},{"name":"PFND3DKMT_OPENNATIVEFENCEFROMNTHANDLE","features":[9,1]},{"name":"PFND3DKMT_OPENNTHANDLEFROMNAME","features":[2,9,1]},{"name":"PFND3DKMT_OPENPROTECTEDSESSIONFROMNTHANDLE","features":[9,1]},{"name":"PFND3DKMT_OPENRESOURCE","features":[9,1]},{"name":"PFND3DKMT_OPENRESOURCE2","features":[9,1]},{"name":"PFND3DKMT_OPENRESOURCEFROMNTHANDLE","features":[9,1]},{"name":"PFND3DKMT_OPENSYNCHRONIZATIONOBJECT","features":[9,1]},{"name":"PFND3DKMT_OPENSYNCOBJECTFROMNTHANDLE","features":[9,1]},{"name":"PFND3DKMT_OPENSYNCOBJECTFROMNTHANDLE2","features":[9,1]},{"name":"PFND3DKMT_OPENSYNCOBJECTNTHANDLEFROMNAME","features":[2,9,1]},{"name":"PFND3DKMT_OUTPUTDUPLGETFRAMEINFO","features":[9,1]},{"name":"PFND3DKMT_OUTPUTDUPLGETMETADATA","features":[9,1]},{"name":"PFND3DKMT_OUTPUTDUPLGETPOINTERSHAPEDATA","features":[9,1]},{"name":"PFND3DKMT_OUTPUTDUPLPRESENT","features":[9,1]},{"name":"PFND3DKMT_OUTPUTDUPLPRESENTTOHWQUEUE","features":[9,1]},{"name":"PFND3DKMT_OUTPUTDUPLRELEASEFRAME","features":[9,1]},{"name":"PFND3DKMT_PINDIRECTFLIPRESOURCES","features":[9,1]},{"name":"PFND3DKMT_POLLDISPLAYCHILDREN","features":[9,1]},{"name":"PFND3DKMT_PRESENT","features":[9,1]},{"name":"PFND3DKMT_PRESENTMULTIPLANEOVERLAY","features":[9,1]},{"name":"PFND3DKMT_PRESENTMULTIPLANEOVERLAY2","features":[9,1]},{"name":"PFND3DKMT_PRESENTMULTIPLANEOVERLAY3","features":[9,1]},{"name":"PFND3DKMT_QUERYADAPTERINFO","features":[9,1]},{"name":"PFND3DKMT_QUERYALLOCATIONRESIDENCY","features":[9,1]},{"name":"PFND3DKMT_QUERYCLOCKCALIBRATION","features":[9,1]},{"name":"PFND3DKMT_QUERYFSEBLOCK","features":[9,1]},{"name":"PFND3DKMT_QUERYHYBRIDLISTVALUE","features":[9,1]},{"name":"PFND3DKMT_QUERYPROCESSOFFERINFO","features":[9,1]},{"name":"PFND3DKMT_QUERYPROTECTEDSESSIONINFOFROMNTHANDLE","features":[9,1]},{"name":"PFND3DKMT_QUERYPROTECTEDSESSIONSTATUS","features":[9,1]},{"name":"PFND3DKMT_QUERYREMOTEVIDPNSOURCEFROMGDIDISPLAYNAME","features":[9,1]},{"name":"PFND3DKMT_QUERYRESOURCEINFO","features":[9,1]},{"name":"PFND3DKMT_QUERYRESOURCEINFOFROMNTHANDLE","features":[9,1]},{"name":"PFND3DKMT_QUERYSTATISTICS","features":[9,1]},{"name":"PFND3DKMT_QUERYVIDEOMEMORYINFO","features":[9,1]},{"name":"PFND3DKMT_QUERYVIDPNEXCLUSIVEOWNERSHIP","features":[9,1]},{"name":"PFND3DKMT_RECLAIMALLOCATIONS","features":[9,1]},{"name":"PFND3DKMT_RECLAIMALLOCATIONS2","features":[9,1]},{"name":"PFND3DKMT_REGISTERBUDGETCHANGENOTIFICATION","features":[9,1]},{"name":"PFND3DKMT_REGISTERTRIMNOTIFICATION","features":[9,1]},{"name":"PFND3DKMT_RELEASEKEYEDMUTEX","features":[9,1]},{"name":"PFND3DKMT_RELEASEKEYEDMUTEX2","features":[9,1]},{"name":"PFND3DKMT_RELEASEPROCESSVIDPNSOURCEOWNERS","features":[9,1]},{"name":"PFND3DKMT_RENDER","features":[9,1]},{"name":"PFND3DKMT_RESERVEGPUVIRTUALADDRESS","features":[9,1]},{"name":"PFND3DKMT_SETALLOCATIONPRIORITY","features":[9,1]},{"name":"PFND3DKMT_SETCONTEXTINPROCESSSCHEDULINGPRIORITY","features":[9,1]},{"name":"PFND3DKMT_SETCONTEXTSCHEDULINGPRIORITY","features":[9,1]},{"name":"PFND3DKMT_SETDISPLAYMODE","features":[9,1]},{"name":"PFND3DKMT_SETDISPLAYPRIVATEDRIVERFORMAT","features":[9,1]},{"name":"PFND3DKMT_SETFSEBLOCK","features":[9,1]},{"name":"PFND3DKMT_SETGAMMARAMP","features":[9,1]},{"name":"PFND3DKMT_SETHWPROTECTIONTEARDOWNRECOVERY","features":[9,1]},{"name":"PFND3DKMT_SETHYBRIDLISTVVALUE","features":[9,1]},{"name":"PFND3DKMT_SETPROCESSSCHEDULINGPRIORITYCLASS","features":[9,1]},{"name":"PFND3DKMT_SETQUEUEDLIMIT","features":[9,1]},{"name":"PFND3DKMT_SETSTABLEPOWERSTATE","features":[9,1]},{"name":"PFND3DKMT_SETSTEREOENABLED","features":[9,1]},{"name":"PFND3DKMT_SETSYNCREFRESHCOUNTWAITTARGET","features":[9,1]},{"name":"PFND3DKMT_SETVIDPNSOURCEHWPROTECTION","features":[9,1]},{"name":"PFND3DKMT_SETVIDPNSOURCEOWNER","features":[9,1]},{"name":"PFND3DKMT_SETVIDPNSOURCEOWNER1","features":[9,1]},{"name":"PFND3DKMT_SETVIDPNSOURCEOWNER2","features":[9,1]},{"name":"PFND3DKMT_SHAREDPRIMARYLOCKNOTIFICATION","features":[9,1]},{"name":"PFND3DKMT_SHAREDPRIMARYUNLOCKNOTIFICATION","features":[9,1]},{"name":"PFND3DKMT_SHAREOBJECTS","features":[2,9,1]},{"name":"PFND3DKMT_SIGNALSYNCHRONIZATIONOBJECT","features":[9,1]},{"name":"PFND3DKMT_SIGNALSYNCHRONIZATIONOBJECT2","features":[9,1]},{"name":"PFND3DKMT_SIGNALSYNCHRONIZATIONOBJECTFROMCPU","features":[9,1]},{"name":"PFND3DKMT_SIGNALSYNCHRONIZATIONOBJECTFROMGPU","features":[9,1]},{"name":"PFND3DKMT_SIGNALSYNCHRONIZATIONOBJECTFROMGPU2","features":[9,1]},{"name":"PFND3DKMT_SUBMITCOMMAND","features":[9,1]},{"name":"PFND3DKMT_SUBMITCOMMANDTOHWQUEUE","features":[9,1]},{"name":"PFND3DKMT_SUBMITPRESENTBLTTOHWQUEUE","features":[9,1]},{"name":"PFND3DKMT_SUBMITPRESENTTOHWQUEUE","features":[9,1]},{"name":"PFND3DKMT_SUBMITSIGNALSYNCOBJECTSTOHWQUEUE","features":[9,1]},{"name":"PFND3DKMT_SUBMITWAITFORSYNCOBJECTSTOHWQUEUE","features":[9,1]},{"name":"PFND3DKMT_TRIMNOTIFICATIONCALLBACK","features":[9]},{"name":"PFND3DKMT_TRIMPROCESSCOMMITMENT","features":[9,1]},{"name":"PFND3DKMT_UNLOCK","features":[9,1]},{"name":"PFND3DKMT_UNLOCK2","features":[9,1]},{"name":"PFND3DKMT_UNPINDIRECTFLIPRESOURCES","features":[9,1]},{"name":"PFND3DKMT_UNREGISTERBUDGETCHANGENOTIFICATION","features":[9,1]},{"name":"PFND3DKMT_UNREGISTERTRIMNOTIFICATION","features":[9,1]},{"name":"PFND3DKMT_UPDATEALLOCATIONPROPERTY","features":[9,1]},{"name":"PFND3DKMT_UPDATEGPUVIRTUALADDRESS","features":[9,1]},{"name":"PFND3DKMT_UPDATEOVERLAY","features":[9,1]},{"name":"PFND3DKMT_WAITFORIDLE","features":[9,1]},{"name":"PFND3DKMT_WAITFORSYNCHRONIZATIONOBJECT","features":[9,1]},{"name":"PFND3DKMT_WAITFORSYNCHRONIZATIONOBJECT2","features":[9,1]},{"name":"PFND3DKMT_WAITFORSYNCHRONIZATIONOBJECTFROMCPU","features":[9,1]},{"name":"PFND3DKMT_WAITFORSYNCHRONIZATIONOBJECTFROMGPU","features":[9,1]},{"name":"PFND3DKMT_WAITFORVERTICALBLANKEVENT","features":[9,1]},{"name":"PFND3DKMT_WAITFORVERTICALBLANKEVENT2","features":[9,1]},{"name":"PFND3DNTPARSEUNKNOWNCOMMAND","features":[9]},{"name":"PFND3DPARSEUNKNOWNCOMMAND","features":[9]},{"name":"RTPATCHFLAG_HASINFO","features":[9]},{"name":"RTPATCHFLAG_HASSEGS","features":[9]},{"name":"SHARED_ALLOCATION_WRITE","features":[9]},{"name":"_NT_D3DDEVCAPS_HWINDEXBUFFER","features":[9]},{"name":"_NT_D3DDEVCAPS_HWVERTEXBUFFER","features":[9]},{"name":"_NT_D3DDEVCAPS_SUBVOLUMELOCK","features":[9]},{"name":"_NT_D3DFVF_FOG","features":[9]},{"name":"_NT_D3DGDI2_MAGIC","features":[9]},{"name":"_NT_D3DGDI2_TYPE_DEFERRED_AGP_AWARE","features":[9]},{"name":"_NT_D3DGDI2_TYPE_DEFER_AGP_FREES","features":[9]},{"name":"_NT_D3DGDI2_TYPE_DXVERSION","features":[9]},{"name":"_NT_D3DGDI2_TYPE_FREE_DEFERRED_AGP","features":[9]},{"name":"_NT_D3DGDI2_TYPE_GETADAPTERGROUP","features":[9]},{"name":"_NT_D3DGDI2_TYPE_GETD3DCAPS8","features":[9]},{"name":"_NT_D3DGDI2_TYPE_GETD3DCAPS9","features":[9]},{"name":"_NT_D3DGDI2_TYPE_GETD3DQUERY","features":[9]},{"name":"_NT_D3DGDI2_TYPE_GETD3DQUERYCOUNT","features":[9]},{"name":"_NT_D3DGDI2_TYPE_GETDDIVERSION","features":[9]},{"name":"_NT_D3DGDI2_TYPE_GETEXTENDEDMODE","features":[9]},{"name":"_NT_D3DGDI2_TYPE_GETEXTENDEDMODECOUNT","features":[9]},{"name":"_NT_D3DGDI2_TYPE_GETFORMAT","features":[9]},{"name":"_NT_D3DGDI2_TYPE_GETFORMATCOUNT","features":[9]},{"name":"_NT_D3DGDI2_TYPE_GETMULTISAMPLEQUALITYLEVELS","features":[9]},{"name":"_NT_D3DLINEPATTERN","features":[9]},{"name":"_NT_D3DPMISCCAPS_FOGINFVF","features":[9]},{"name":"_NT_D3DPS_COLOROUT_MAX_V2_0","features":[9]},{"name":"_NT_D3DPS_COLOROUT_MAX_V2_1","features":[9]},{"name":"_NT_D3DPS_COLOROUT_MAX_V3_0","features":[9]},{"name":"_NT_D3DPS_CONSTBOOLREG_MAX_SW_DX9","features":[9]},{"name":"_NT_D3DPS_CONSTBOOLREG_MAX_V2_1","features":[9]},{"name":"_NT_D3DPS_CONSTBOOLREG_MAX_V3_0","features":[9]},{"name":"_NT_D3DPS_CONSTINTREG_MAX_SW_DX9","features":[9]},{"name":"_NT_D3DPS_CONSTINTREG_MAX_V2_1","features":[9]},{"name":"_NT_D3DPS_CONSTINTREG_MAX_V3_0","features":[9]},{"name":"_NT_D3DPS_CONSTREG_MAX_DX8","features":[9]},{"name":"_NT_D3DPS_CONSTREG_MAX_SW_DX9","features":[9]},{"name":"_NT_D3DPS_CONSTREG_MAX_V1_1","features":[9]},{"name":"_NT_D3DPS_CONSTREG_MAX_V1_2","features":[9]},{"name":"_NT_D3DPS_CONSTREG_MAX_V1_3","features":[9]},{"name":"_NT_D3DPS_CONSTREG_MAX_V1_4","features":[9]},{"name":"_NT_D3DPS_CONSTREG_MAX_V2_0","features":[9]},{"name":"_NT_D3DPS_CONSTREG_MAX_V2_1","features":[9]},{"name":"_NT_D3DPS_CONSTREG_MAX_V3_0","features":[9]},{"name":"_NT_D3DPS_INPUTREG_MAX_DX8","features":[9]},{"name":"_NT_D3DPS_INPUTREG_MAX_V1_1","features":[9]},{"name":"_NT_D3DPS_INPUTREG_MAX_V1_2","features":[9]},{"name":"_NT_D3DPS_INPUTREG_MAX_V1_3","features":[9]},{"name":"_NT_D3DPS_INPUTREG_MAX_V1_4","features":[9]},{"name":"_NT_D3DPS_INPUTREG_MAX_V2_0","features":[9]},{"name":"_NT_D3DPS_INPUTREG_MAX_V2_1","features":[9]},{"name":"_NT_D3DPS_INPUTREG_MAX_V3_0","features":[9]},{"name":"_NT_D3DPS_MAXLOOPINITVALUE_V2_1","features":[9]},{"name":"_NT_D3DPS_MAXLOOPINITVALUE_V3_0","features":[9]},{"name":"_NT_D3DPS_MAXLOOPITERATIONCOUNT_V2_1","features":[9]},{"name":"_NT_D3DPS_MAXLOOPITERATIONCOUNT_V3_0","features":[9]},{"name":"_NT_D3DPS_MAXLOOPSTEP_V2_1","features":[9]},{"name":"_NT_D3DPS_MAXLOOPSTEP_V3_0","features":[9]},{"name":"_NT_D3DPS_PREDICATE_MAX_V2_1","features":[9]},{"name":"_NT_D3DPS_PREDICATE_MAX_V3_0","features":[9]},{"name":"_NT_D3DPS_TEMPREG_MAX_DX8","features":[9]},{"name":"_NT_D3DPS_TEMPREG_MAX_V1_1","features":[9]},{"name":"_NT_D3DPS_TEMPREG_MAX_V1_2","features":[9]},{"name":"_NT_D3DPS_TEMPREG_MAX_V1_3","features":[9]},{"name":"_NT_D3DPS_TEMPREG_MAX_V1_4","features":[9]},{"name":"_NT_D3DPS_TEMPREG_MAX_V2_0","features":[9]},{"name":"_NT_D3DPS_TEMPREG_MAX_V2_1","features":[9]},{"name":"_NT_D3DPS_TEMPREG_MAX_V3_0","features":[9]},{"name":"_NT_D3DPS_TEXTUREREG_MAX_DX8","features":[9]},{"name":"_NT_D3DPS_TEXTUREREG_MAX_V1_1","features":[9]},{"name":"_NT_D3DPS_TEXTUREREG_MAX_V1_2","features":[9]},{"name":"_NT_D3DPS_TEXTUREREG_MAX_V1_3","features":[9]},{"name":"_NT_D3DPS_TEXTUREREG_MAX_V1_4","features":[9]},{"name":"_NT_D3DPS_TEXTUREREG_MAX_V2_0","features":[9]},{"name":"_NT_D3DPS_TEXTUREREG_MAX_V2_1","features":[9]},{"name":"_NT_D3DPS_TEXTUREREG_MAX_V3_0","features":[9]},{"name":"_NT_D3DRS_DELETERTPATCH","features":[9]},{"name":"_NT_D3DVS_ADDRREG_MAX_V1_1","features":[9]},{"name":"_NT_D3DVS_ADDRREG_MAX_V2_0","features":[9]},{"name":"_NT_D3DVS_ADDRREG_MAX_V2_1","features":[9]},{"name":"_NT_D3DVS_ADDRREG_MAX_V3_0","features":[9]},{"name":"_NT_D3DVS_ATTROUTREG_MAX_V1_1","features":[9]},{"name":"_NT_D3DVS_ATTROUTREG_MAX_V2_0","features":[9]},{"name":"_NT_D3DVS_ATTROUTREG_MAX_V2_1","features":[9]},{"name":"_NT_D3DVS_CONSTBOOLREG_MAX_SW_DX9","features":[9]},{"name":"_NT_D3DVS_CONSTBOOLREG_MAX_V2_0","features":[9]},{"name":"_NT_D3DVS_CONSTBOOLREG_MAX_V2_1","features":[9]},{"name":"_NT_D3DVS_CONSTBOOLREG_MAX_V3_0","features":[9]},{"name":"_NT_D3DVS_CONSTINTREG_MAX_SW_DX9","features":[9]},{"name":"_NT_D3DVS_CONSTINTREG_MAX_V2_0","features":[9]},{"name":"_NT_D3DVS_CONSTINTREG_MAX_V2_1","features":[9]},{"name":"_NT_D3DVS_CONSTINTREG_MAX_V3_0","features":[9]},{"name":"_NT_D3DVS_CONSTREG_MAX_V1_1","features":[9]},{"name":"_NT_D3DVS_CONSTREG_MAX_V2_0","features":[9]},{"name":"_NT_D3DVS_CONSTREG_MAX_V2_1","features":[9]},{"name":"_NT_D3DVS_CONSTREG_MAX_V3_0","features":[9]},{"name":"_NT_D3DVS_INPUTREG_MAX_V1_1","features":[9]},{"name":"_NT_D3DVS_INPUTREG_MAX_V2_0","features":[9]},{"name":"_NT_D3DVS_INPUTREG_MAX_V2_1","features":[9]},{"name":"_NT_D3DVS_INPUTREG_MAX_V3_0","features":[9]},{"name":"_NT_D3DVS_LABEL_MAX_V3_0","features":[9]},{"name":"_NT_D3DVS_MAXINSTRUCTIONCOUNT_V1_1","features":[9]},{"name":"_NT_D3DVS_MAXLOOPINITVALUE_V2_0","features":[9]},{"name":"_NT_D3DVS_MAXLOOPINITVALUE_V2_1","features":[9]},{"name":"_NT_D3DVS_MAXLOOPINITVALUE_V3_0","features":[9]},{"name":"_NT_D3DVS_MAXLOOPITERATIONCOUNT_V2_0","features":[9]},{"name":"_NT_D3DVS_MAXLOOPITERATIONCOUNT_V2_1","features":[9]},{"name":"_NT_D3DVS_MAXLOOPITERATIONCOUNT_V3_0","features":[9]},{"name":"_NT_D3DVS_MAXLOOPSTEP_V2_0","features":[9]},{"name":"_NT_D3DVS_MAXLOOPSTEP_V2_1","features":[9]},{"name":"_NT_D3DVS_MAXLOOPSTEP_V3_0","features":[9]},{"name":"_NT_D3DVS_OUTPUTREG_MAX_SW_DX9","features":[9]},{"name":"_NT_D3DVS_OUTPUTREG_MAX_V3_0","features":[9]},{"name":"_NT_D3DVS_PREDICATE_MAX_V2_1","features":[9]},{"name":"_NT_D3DVS_PREDICATE_MAX_V3_0","features":[9]},{"name":"_NT_D3DVS_TCRDOUTREG_MAX_V1_1","features":[9]},{"name":"_NT_D3DVS_TCRDOUTREG_MAX_V2_0","features":[9]},{"name":"_NT_D3DVS_TCRDOUTREG_MAX_V2_1","features":[9]},{"name":"_NT_D3DVS_TEMPREG_MAX_V1_1","features":[9]},{"name":"_NT_D3DVS_TEMPREG_MAX_V2_0","features":[9]},{"name":"_NT_D3DVS_TEMPREG_MAX_V2_1","features":[9]},{"name":"_NT_D3DVS_TEMPREG_MAX_V3_0","features":[9]},{"name":"_NT_RTPATCHFLAG_HASINFO","features":[9]},{"name":"_NT_RTPATCHFLAG_HASSEGS","features":[9]}],"342":[{"name":"AUTHENTICATE","features":[14]},{"name":"BINARY_COMPATIBLE","features":[14]},{"name":"BINARY_DATA","features":[14]},{"name":"BROADCAST_VC","features":[14]},{"name":"BSSID_INFO","features":[14]},{"name":"CALL_PARAMETERS_CHANGED","features":[14]},{"name":"CLOCK_NETWORK_DERIVED","features":[14]},{"name":"CLOCK_PRECISION","features":[14]},{"name":"CL_ADD_PARTY_COMPLETE_HANDLER","features":[14]},{"name":"CL_CALL_CONNECTED_HANDLER","features":[14]},{"name":"CL_CLOSE_AF_COMPLETE_HANDLER","features":[14]},{"name":"CL_CLOSE_CALL_COMPLETE_HANDLER","features":[14]},{"name":"CL_DEREG_SAP_COMPLETE_HANDLER","features":[14]},{"name":"CL_DROP_PARTY_COMPLETE_HANDLER","features":[14]},{"name":"CL_INCOMING_CALL_HANDLER","features":[14]},{"name":"CL_INCOMING_CALL_QOS_CHANGE_HANDLER","features":[14]},{"name":"CL_INCOMING_CLOSE_CALL_HANDLER","features":[14]},{"name":"CL_INCOMING_DROP_PARTY_HANDLER","features":[14]},{"name":"CL_MAKE_CALL_COMPLETE_HANDLER","features":[14]},{"name":"CL_MODIFY_CALL_QOS_COMPLETE_HANDLER","features":[14]},{"name":"CL_OPEN_AF_COMPLETE_HANDLER","features":[14]},{"name":"CL_REG_SAP_COMPLETE_HANDLER","features":[14]},{"name":"CM_ACTIVATE_VC_COMPLETE_HANDLER","features":[14]},{"name":"CM_ADD_PARTY_HANDLER","features":[14]},{"name":"CM_CLOSE_AF_HANDLER","features":[14]},{"name":"CM_CLOSE_CALL_HANDLER","features":[14]},{"name":"CM_DEACTIVATE_VC_COMPLETE_HANDLER","features":[14]},{"name":"CM_DEREG_SAP_HANDLER","features":[14]},{"name":"CM_DROP_PARTY_HANDLER","features":[14]},{"name":"CM_INCOMING_CALL_COMPLETE_HANDLER","features":[14]},{"name":"CM_MAKE_CALL_HANDLER","features":[14]},{"name":"CM_MODIFY_CALL_QOS_HANDLER","features":[14]},{"name":"CM_OPEN_AF_HANDLER","features":[14]},{"name":"CM_REG_SAP_HANDLER","features":[14]},{"name":"CO_ADDRESS","features":[14]},{"name":"CO_ADDRESS_FAMILY","features":[14]},{"name":"CO_ADDRESS_FAMILY_PROXY","features":[14]},{"name":"CO_ADDRESS_LIST","features":[14]},{"name":"CO_AF_REGISTER_NOTIFY_HANDLER","features":[14]},{"name":"CO_CALL_MANAGER_PARAMETERS","features":[14,15]},{"name":"CO_CALL_PARAMETERS","features":[14]},{"name":"CO_CREATE_VC_HANDLER","features":[14]},{"name":"CO_DELETE_VC_HANDLER","features":[14]},{"name":"CO_MEDIA_PARAMETERS","features":[14]},{"name":"CO_PVC","features":[14]},{"name":"CO_SAP","features":[14]},{"name":"CO_SEND_FLAG_SET_DISCARD_ELIBILITY","features":[14]},{"name":"CO_SPECIFIC_PARAMETERS","features":[14]},{"name":"CRYPTO_GENERIC_ERROR","features":[14]},{"name":"CRYPTO_INVALID_PACKET_SYNTAX","features":[14]},{"name":"CRYPTO_INVALID_PROTOCOL","features":[14]},{"name":"CRYPTO_SUCCESS","features":[14]},{"name":"CRYPTO_TRANSPORT_AH_AUTH_FAILED","features":[14]},{"name":"CRYPTO_TRANSPORT_ESP_AUTH_FAILED","features":[14]},{"name":"CRYPTO_TUNNEL_AH_AUTH_FAILED","features":[14]},{"name":"CRYPTO_TUNNEL_ESP_AUTH_FAILED","features":[14]},{"name":"CachedNetBufferList","features":[14]},{"name":"ClassificationHandlePacketInfo","features":[14]},{"name":"DD_NDIS_DEVICE_NAME","features":[14]},{"name":"DOT11_RSN_KCK_LENGTH","features":[14]},{"name":"DOT11_RSN_KEK_LENGTH","features":[14]},{"name":"DOT11_RSN_MAX_CIPHER_KEY_LENGTH","features":[14]},{"name":"EAPOL_REQUEST_ID_WOL_FLAG_MUST_ENCRYPT","features":[14]},{"name":"ENCRYPT","features":[14]},{"name":"ERRED_PACKET_INDICATION","features":[14]},{"name":"ETHERNET_LENGTH_OF_ADDRESS","features":[14]},{"name":"ETH_FILTER","features":[14]},{"name":"FILTERDBS","features":[14]},{"name":"GEN_GET_NETCARD_TIME","features":[14]},{"name":"GEN_GET_TIME_CAPS","features":[14]},{"name":"GUID_NDIS_NDK_CAPABILITIES","features":[14]},{"name":"GUID_NDIS_NDK_STATE","features":[14]},{"name":"INDICATE_END_OF_TX","features":[14]},{"name":"INDICATE_ERRED_PACKETS","features":[14]},{"name":"IOCTL_NDIS_RESERVED5","features":[14]},{"name":"IOCTL_NDIS_RESERVED6","features":[14]},{"name":"IPSEC_OFFLOAD_V2_AND_TCP_CHECKSUM_COEXISTENCE","features":[14]},{"name":"IPSEC_OFFLOAD_V2_AND_UDP_CHECKSUM_COEXISTENCE","features":[14]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_AES_GCM_128","features":[14]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_AES_GCM_192","features":[14]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_AES_GCM_256","features":[14]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_MD5","features":[14]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_SHA_1","features":[14]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_SHA_256","features":[14]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_3_DES_CBC","features":[14]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_CBC_128","features":[14]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_CBC_192","features":[14]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_CBC_256","features":[14]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_GCM_128","features":[14]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_GCM_192","features":[14]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_GCM_256","features":[14]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_DES_CBC","features":[14]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_NONE","features":[14]},{"name":"IPSEC_OFFLOAD_V2_ESN_SA","features":[14]},{"name":"IPSEC_OFFLOAD_V2_INBOUND","features":[14]},{"name":"IPSEC_OFFLOAD_V2_IPv6","features":[14]},{"name":"IPSEC_OFFLOAD_V2_MAX_EXTENSION_HEADERS","features":[14]},{"name":"IPSEC_OFFLOAD_V2_TRANSPORT_OVER_UDP_ESP_ENCAPSULATION_TUNNEL","features":[14]},{"name":"IPSEC_OFFLOAD_V2_UDP_ESP_ENCAPSULATION_NONE","features":[14]},{"name":"IPSEC_OFFLOAD_V2_UDP_ESP_ENCAPSULATION_TRANSPORT","features":[14]},{"name":"IPSEC_OFFLOAD_V2_UDP_ESP_ENCAPSULATION_TRANSPORT_OVER_TUNNEL","features":[14]},{"name":"IPSEC_OFFLOAD_V2_UDP_ESP_ENCAPSULATION_TUNNEL","features":[14]},{"name":"IPSEC_TPTOVERTUN_UDPESP_ENCAPTYPE_IKE","features":[14]},{"name":"IPSEC_TPTOVERTUN_UDPESP_ENCAPTYPE_OTHER","features":[14]},{"name":"IPSEC_TPT_UDPESP_ENCAPTYPE_IKE","features":[14]},{"name":"IPSEC_TPT_UDPESP_ENCAPTYPE_OTHER","features":[14]},{"name":"IPSEC_TPT_UDPESP_OVER_PURE_TUN_ENCAPTYPE_IKE","features":[14]},{"name":"IPSEC_TPT_UDPESP_OVER_PURE_TUN_ENCAPTYPE_OTHER","features":[14]},{"name":"IPSEC_TUN_UDPESP_ENCAPTYPE_IKE","features":[14]},{"name":"IPSEC_TUN_UDPESP_ENCAPTYPE_OTHER","features":[14]},{"name":"Ieee8021QInfo","features":[14]},{"name":"IpSecPacketInfo","features":[14]},{"name":"LOCK_STATE","features":[14]},{"name":"MAXIMUM_IP_OPER_STATUS_ADDRESS_FAMILIES_SUPPORTED","features":[14]},{"name":"MAX_HASHES","features":[14]},{"name":"MEDIA_SPECIFIC_INFORMATION","features":[14]},{"name":"MINIPORT_CO_ACTIVATE_VC","features":[14]},{"name":"MINIPORT_CO_CREATE_VC","features":[14]},{"name":"MINIPORT_CO_DEACTIVATE_VC","features":[14]},{"name":"MINIPORT_CO_DELETE_VC","features":[14]},{"name":"MULTIPOINT_VC","features":[14]},{"name":"MaxPerPacketInfo","features":[14]},{"name":"NBL_FLAGS_MINIPORT_RESERVED","features":[14]},{"name":"NBL_FLAGS_NDIS_RESERVED","features":[14]},{"name":"NBL_FLAGS_PROTOCOL_RESERVED","features":[14]},{"name":"NBL_FLAGS_SCRATCH","features":[14]},{"name":"NBL_PROT_RSVD_FLAGS","features":[14]},{"name":"NDIS630_MINIPORT","features":[14]},{"name":"NDIS685_MINIPORT","features":[14]},{"name":"NDIS_802_11_AI_REQFI","features":[14]},{"name":"NDIS_802_11_AI_REQFI_CAPABILITIES","features":[14]},{"name":"NDIS_802_11_AI_REQFI_CURRENTAPADDRESS","features":[14]},{"name":"NDIS_802_11_AI_REQFI_LISTENINTERVAL","features":[14]},{"name":"NDIS_802_11_AI_RESFI","features":[14]},{"name":"NDIS_802_11_AI_RESFI_ASSOCIATIONID","features":[14]},{"name":"NDIS_802_11_AI_RESFI_CAPABILITIES","features":[14]},{"name":"NDIS_802_11_AI_RESFI_STATUSCODE","features":[14]},{"name":"NDIS_802_11_ASSOCIATION_INFORMATION","features":[14]},{"name":"NDIS_802_11_AUTHENTICATION_ENCRYPTION","features":[14]},{"name":"NDIS_802_11_AUTHENTICATION_EVENT","features":[14]},{"name":"NDIS_802_11_AUTHENTICATION_MODE","features":[14]},{"name":"NDIS_802_11_AUTHENTICATION_REQUEST","features":[14]},{"name":"NDIS_802_11_AUTH_REQUEST_AUTH_FIELDS","features":[14]},{"name":"NDIS_802_11_AUTH_REQUEST_GROUP_ERROR","features":[14]},{"name":"NDIS_802_11_AUTH_REQUEST_KEYUPDATE","features":[14]},{"name":"NDIS_802_11_AUTH_REQUEST_PAIRWISE_ERROR","features":[14]},{"name":"NDIS_802_11_AUTH_REQUEST_REAUTH","features":[14]},{"name":"NDIS_802_11_BSSID_LIST","features":[14]},{"name":"NDIS_802_11_BSSID_LIST_EX","features":[14]},{"name":"NDIS_802_11_CAPABILITY","features":[14]},{"name":"NDIS_802_11_CONFIGURATION","features":[14]},{"name":"NDIS_802_11_CONFIGURATION_FH","features":[14]},{"name":"NDIS_802_11_FIXED_IEs","features":[14]},{"name":"NDIS_802_11_KEY","features":[14]},{"name":"NDIS_802_11_LENGTH_RATES","features":[14]},{"name":"NDIS_802_11_LENGTH_RATES_EX","features":[14]},{"name":"NDIS_802_11_LENGTH_SSID","features":[14]},{"name":"NDIS_802_11_MEDIA_STREAM_MODE","features":[14]},{"name":"NDIS_802_11_NETWORK_INFRASTRUCTURE","features":[14]},{"name":"NDIS_802_11_NETWORK_TYPE","features":[14]},{"name":"NDIS_802_11_NETWORK_TYPE_LIST","features":[14]},{"name":"NDIS_802_11_NON_BCAST_SSID_LIST","features":[14]},{"name":"NDIS_802_11_PMKID","features":[14]},{"name":"NDIS_802_11_PMKID_CANDIDATE_LIST","features":[14]},{"name":"NDIS_802_11_PMKID_CANDIDATE_PREAUTH_ENABLED","features":[14]},{"name":"NDIS_802_11_POWER_MODE","features":[14]},{"name":"NDIS_802_11_PRIVACY_FILTER","features":[14]},{"name":"NDIS_802_11_RADIO_STATUS","features":[14]},{"name":"NDIS_802_11_RELOAD_DEFAULTS","features":[14]},{"name":"NDIS_802_11_REMOVE_KEY","features":[14]},{"name":"NDIS_802_11_SSID","features":[14]},{"name":"NDIS_802_11_STATISTICS","features":[14]},{"name":"NDIS_802_11_STATUS_INDICATION","features":[14]},{"name":"NDIS_802_11_STATUS_TYPE","features":[14]},{"name":"NDIS_802_11_TEST","features":[14]},{"name":"NDIS_802_11_VARIABLE_IEs","features":[14]},{"name":"NDIS_802_11_WEP","features":[14]},{"name":"NDIS_802_11_WEP_STATUS","features":[14]},{"name":"NDIS_802_3_MAC_OPTION_PRIORITY","features":[14]},{"name":"NDIS_802_5_RING_STATE","features":[14]},{"name":"NDIS_AF_LIST","features":[14]},{"name":"NDIS_ANY_NUMBER_OF_NBLS","features":[14]},{"name":"NDIS_ATTRIBUTE_BUS_MASTER","features":[14]},{"name":"NDIS_ATTRIBUTE_DESERIALIZE","features":[14]},{"name":"NDIS_ATTRIBUTE_DO_NOT_BIND_TO_ALL_CO","features":[14]},{"name":"NDIS_ATTRIBUTE_IGNORE_PACKET_TIMEOUT","features":[14]},{"name":"NDIS_ATTRIBUTE_IGNORE_REQUEST_TIMEOUT","features":[14]},{"name":"NDIS_ATTRIBUTE_IGNORE_TOKEN_RING_ERRORS","features":[14]},{"name":"NDIS_ATTRIBUTE_INTERMEDIATE_DRIVER","features":[14]},{"name":"NDIS_ATTRIBUTE_MINIPORT_PADS_SHORT_PACKETS","features":[14]},{"name":"NDIS_ATTRIBUTE_NOT_CO_NDIS","features":[14]},{"name":"NDIS_ATTRIBUTE_NO_HALT_ON_SUSPEND","features":[14]},{"name":"NDIS_ATTRIBUTE_SURPRISE_REMOVE_OK","features":[14]},{"name":"NDIS_ATTRIBUTE_USES_SAFE_BUFFER_APIS","features":[14]},{"name":"NDIS_BIND_FAILED_NOTIFICATION_REVISION_1","features":[14]},{"name":"NDIS_BIND_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_BIND_PARAMETERS_REVISION_2","features":[14]},{"name":"NDIS_BIND_PARAMETERS_REVISION_3","features":[14]},{"name":"NDIS_BIND_PARAMETERS_REVISION_4","features":[14]},{"name":"NDIS_CALL_MANAGER_CHARACTERISTICS","features":[14]},{"name":"NDIS_CLASS_ID","features":[14]},{"name":"NDIS_CLONE_FLAGS_RESERVED","features":[14]},{"name":"NDIS_CLONE_FLAGS_USE_ORIGINAL_MDLS","features":[14]},{"name":"NDIS_CONFIGURATION_OBJECT_REVISION_1","features":[14]},{"name":"NDIS_CONFIGURATION_PARAMETER","features":[14,1]},{"name":"NDIS_CONFIG_FLAG_FILTER_INSTANCE_CONFIGURATION","features":[14]},{"name":"NDIS_CO_CALL_MANAGER_OPTIONAL_HANDLERS_REVISION_1","features":[14]},{"name":"NDIS_CO_CLIENT_OPTIONAL_HANDLERS_REVISION_1","features":[14]},{"name":"NDIS_CO_DEVICE_PROFILE","features":[14]},{"name":"NDIS_CO_LINK_SPEED","features":[14]},{"name":"NDIS_CO_MAC_OPTION_DYNAMIC_LINK_SPEED","features":[14]},{"name":"NDIS_DEFAULT_RECEIVE_FILTER_ID","features":[14]},{"name":"NDIS_DEFAULT_RECEIVE_QUEUE_GROUP_ID","features":[14]},{"name":"NDIS_DEFAULT_RECEIVE_QUEUE_ID","features":[14]},{"name":"NDIS_DEFAULT_SWITCH_ID","features":[14]},{"name":"NDIS_DEFAULT_VPORT_ID","features":[14]},{"name":"NDIS_DEVICE_OBJECT_ATTRIBUTES_REVISION_1","features":[14]},{"name":"NDIS_DEVICE_PNP_EVENT","features":[14]},{"name":"NDIS_DEVICE_POWER_STATE","features":[14]},{"name":"NDIS_DEVICE_TYPE_ENDPOINT","features":[14]},{"name":"NDIS_DEVICE_WAKE_ON_MAGIC_PACKET_ENABLE","features":[14]},{"name":"NDIS_DEVICE_WAKE_ON_PATTERN_MATCH_ENABLE","features":[14]},{"name":"NDIS_DEVICE_WAKE_UP_ENABLE","features":[14]},{"name":"NDIS_DMA_BLOCK","features":[2,14,1,7]},{"name":"NDIS_DMA_DESCRIPTION","features":[14,3,1]},{"name":"NDIS_DRIVER_FLAGS_RESERVED","features":[14]},{"name":"NDIS_ENCAPSULATED_PACKET_TASK_OFFLOAD_INNER_IPV4","features":[14]},{"name":"NDIS_ENCAPSULATED_PACKET_TASK_OFFLOAD_INNER_IPV6","features":[14]},{"name":"NDIS_ENCAPSULATED_PACKET_TASK_OFFLOAD_NOT_SUPPORTED","features":[14]},{"name":"NDIS_ENCAPSULATED_PACKET_TASK_OFFLOAD_OUTER_IPV4","features":[14]},{"name":"NDIS_ENCAPSULATED_PACKET_TASK_OFFLOAD_OUTER_IPV6","features":[14]},{"name":"NDIS_ENCAPSULATION_IEEE_802_3","features":[14]},{"name":"NDIS_ENCAPSULATION_IEEE_802_3_P_AND_Q","features":[14]},{"name":"NDIS_ENCAPSULATION_IEEE_802_3_P_AND_Q_IN_OOB","features":[14]},{"name":"NDIS_ENCAPSULATION_IEEE_LLC_SNAP_ROUTED","features":[14]},{"name":"NDIS_ENCAPSULATION_NOT_SUPPORTED","features":[14]},{"name":"NDIS_ENCAPSULATION_NULL","features":[14]},{"name":"NDIS_ENCAPSULATION_TYPE_GRE_MAC","features":[14]},{"name":"NDIS_ENCAPSULATION_TYPE_VXLAN","features":[14]},{"name":"NDIS_ENUM_FILTERS_REVISION_1","features":[14]},{"name":"NDIS_ENVIRONMENT_TYPE","features":[14]},{"name":"NDIS_ETH_TYPE_802_1Q","features":[14]},{"name":"NDIS_ETH_TYPE_802_1X","features":[14]},{"name":"NDIS_ETH_TYPE_ARP","features":[14]},{"name":"NDIS_ETH_TYPE_IPV4","features":[14]},{"name":"NDIS_ETH_TYPE_IPV6","features":[14]},{"name":"NDIS_ETH_TYPE_SLOW_PROTOCOL","features":[14]},{"name":"NDIS_EVENT","features":[2,14,1,7]},{"name":"NDIS_FDDI_ATTACHMENT_TYPE","features":[14]},{"name":"NDIS_FDDI_LCONNECTION_STATE","features":[14]},{"name":"NDIS_FDDI_RING_MGT_STATE","features":[14]},{"name":"NDIS_FILTER_ATTACH_FLAGS_IGNORE_MANDATORY","features":[14]},{"name":"NDIS_FILTER_ATTACH_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_FILTER_ATTACH_PARAMETERS_REVISION_2","features":[14]},{"name":"NDIS_FILTER_ATTACH_PARAMETERS_REVISION_3","features":[14]},{"name":"NDIS_FILTER_ATTACH_PARAMETERS_REVISION_4","features":[14]},{"name":"NDIS_FILTER_ATTRIBUTES_REVISION_1","features":[14]},{"name":"NDIS_FILTER_CHARACTERISTICS_REVISION_1","features":[14]},{"name":"NDIS_FILTER_CHARACTERISTICS_REVISION_2","features":[14]},{"name":"NDIS_FILTER_CHARACTERISTICS_REVISION_3","features":[14]},{"name":"NDIS_FILTER_DRIVER_MANDATORY","features":[14]},{"name":"NDIS_FILTER_DRIVER_SUPPORTS_CURRENT_MAC_ADDRESS_CHANGE","features":[14]},{"name":"NDIS_FILTER_DRIVER_SUPPORTS_L2_MTU_SIZE_CHANGE","features":[14]},{"name":"NDIS_FILTER_INTERFACE_IM_FILTER","features":[14]},{"name":"NDIS_FILTER_INTERFACE_LW_FILTER","features":[14]},{"name":"NDIS_FILTER_INTERFACE_RECEIVE_BYPASS","features":[14]},{"name":"NDIS_FILTER_INTERFACE_REVISION_1","features":[14]},{"name":"NDIS_FILTER_INTERFACE_REVISION_2","features":[14]},{"name":"NDIS_FILTER_INTERFACE_SEND_BYPASS","features":[14]},{"name":"NDIS_FILTER_MAJOR_VERSION","features":[14]},{"name":"NDIS_FILTER_MINIMUM_MAJOR_VERSION","features":[14]},{"name":"NDIS_FILTER_MINIMUM_MINOR_VERSION","features":[14]},{"name":"NDIS_FILTER_MINOR_VERSION","features":[14]},{"name":"NDIS_FILTER_PARTIAL_CHARACTERISTICS_REVISION_1","features":[14]},{"name":"NDIS_FILTER_PAUSE_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_FILTER_RESTART_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_FLAGS_DONT_LOOPBACK","features":[14]},{"name":"NDIS_FLAGS_DOUBLE_BUFFERED","features":[14]},{"name":"NDIS_FLAGS_IS_LOOPBACK_PACKET","features":[14]},{"name":"NDIS_FLAGS_LOOPBACK_ONLY","features":[14]},{"name":"NDIS_FLAGS_MULTICAST_PACKET","features":[14]},{"name":"NDIS_FLAGS_PADDED","features":[14]},{"name":"NDIS_FLAGS_PROTOCOL_ID_MASK","features":[14]},{"name":"NDIS_FLAGS_RESERVED2","features":[14]},{"name":"NDIS_FLAGS_RESERVED3","features":[14]},{"name":"NDIS_FLAGS_RESERVED4","features":[14]},{"name":"NDIS_FLAGS_SENT_AT_DPC","features":[14]},{"name":"NDIS_FLAGS_USES_ORIGINAL_PACKET","features":[14]},{"name":"NDIS_FLAGS_USES_SG_BUFFER_LIST","features":[14]},{"name":"NDIS_FLAGS_XLATE_AT_TOP","features":[14]},{"name":"NDIS_GFP_ENCAPSULATION_TYPE_IP_IN_GRE","features":[14]},{"name":"NDIS_GFP_ENCAPSULATION_TYPE_IP_IN_IP","features":[14]},{"name":"NDIS_GFP_ENCAPSULATION_TYPE_NOT_ENCAPSULATED","features":[14]},{"name":"NDIS_GFP_ENCAPSULATION_TYPE_NVGRE","features":[14]},{"name":"NDIS_GFP_ENCAPSULATION_TYPE_VXLAN","features":[14]},{"name":"NDIS_GFP_EXACT_MATCH_PROFILE_RDMA_FLOW","features":[14]},{"name":"NDIS_GFP_EXACT_MATCH_PROFILE_REVISION_1","features":[14]},{"name":"NDIS_GFP_HEADER_GROUP_EXACT_MATCH_IS_TTL_ONE","features":[14]},{"name":"NDIS_GFP_HEADER_GROUP_EXACT_MATCH_PROFILE_IS_TTL_ONE","features":[14]},{"name":"NDIS_GFP_HEADER_GROUP_EXACT_MATCH_PROFILE_REVISION_1","features":[14]},{"name":"NDIS_GFP_HEADER_GROUP_EXACT_MATCH_REVISION_1","features":[14]},{"name":"NDIS_GFP_HEADER_GROUP_WILDCARD_MATCH_IS_TTL_ONE","features":[14]},{"name":"NDIS_GFP_HEADER_GROUP_WILDCARD_MATCH_PROFILE_IS_TTL_ONE","features":[14]},{"name":"NDIS_GFP_HEADER_GROUP_WILDCARD_MATCH_PROFILE_REVISION_1","features":[14]},{"name":"NDIS_GFP_HEADER_GROUP_WILDCARD_MATCH_REVISION_1","features":[14]},{"name":"NDIS_GFP_HEADER_PRESENT_ESP","features":[14]},{"name":"NDIS_GFP_HEADER_PRESENT_ETHERNET","features":[14]},{"name":"NDIS_GFP_HEADER_PRESENT_ICMP","features":[14]},{"name":"NDIS_GFP_HEADER_PRESENT_IPV4","features":[14]},{"name":"NDIS_GFP_HEADER_PRESENT_IPV6","features":[14]},{"name":"NDIS_GFP_HEADER_PRESENT_IP_IN_GRE_ENCAP","features":[14]},{"name":"NDIS_GFP_HEADER_PRESENT_IP_IN_IP_ENCAP","features":[14]},{"name":"NDIS_GFP_HEADER_PRESENT_NO_ENCAP","features":[14]},{"name":"NDIS_GFP_HEADER_PRESENT_NVGRE_ENCAP","features":[14]},{"name":"NDIS_GFP_HEADER_PRESENT_TCP","features":[14]},{"name":"NDIS_GFP_HEADER_PRESENT_UDP","features":[14]},{"name":"NDIS_GFP_HEADER_PRESENT_VXLAN_ENCAP","features":[14]},{"name":"NDIS_GFP_UNDEFINED_PROFILE_ID","features":[14]},{"name":"NDIS_GFP_WILDCARD_MATCH_PROFILE_REVISION_1","features":[14]},{"name":"NDIS_GFT_COUNTER_INFO_ARRAY_REVISION_1","features":[14]},{"name":"NDIS_GFT_COUNTER_INFO_REVISION_1","features":[14]},{"name":"NDIS_GFT_COUNTER_PARAMETERS_CLIENT_SPECIFIED_ADDRESS","features":[14]},{"name":"NDIS_GFT_COUNTER_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_GFT_COUNTER_VALUE_ARRAY_GET_VALUES","features":[14]},{"name":"NDIS_GFT_COUNTER_VALUE_ARRAY_REVISION_1","features":[14]},{"name":"NDIS_GFT_COUNTER_VALUE_ARRAY_UPDATE_MEMORY_MAPPED_COUNTERS","features":[14]},{"name":"NDIS_GFT_CUSTOM_ACTION_LAST_ACTION","features":[14]},{"name":"NDIS_GFT_CUSTOM_ACTION_PROFILE_REVISION_1","features":[14]},{"name":"NDIS_GFT_CUSTOM_ACTION_REVISION_1","features":[14]},{"name":"NDIS_GFT_DELETE_PROFILE_ALL_PROFILES","features":[14]},{"name":"NDIS_GFT_DELETE_PROFILE_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_GFT_DELETE_TABLE_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_GFT_EMFE_ADD_IN_ACTIVATED_STATE","features":[14]},{"name":"NDIS_GFT_EMFE_ALL_VPORT_FLOW_ENTRIES","features":[14]},{"name":"NDIS_GFT_EMFE_COPY_AFTER_TCP_FIN_FLAG_SET","features":[14]},{"name":"NDIS_GFT_EMFE_COPY_AFTER_TCP_RST_FLAG_SET","features":[14]},{"name":"NDIS_GFT_EMFE_COPY_ALL_PACKETS","features":[14]},{"name":"NDIS_GFT_EMFE_COPY_CONDITION_CHANGED","features":[14]},{"name":"NDIS_GFT_EMFE_COPY_FIRST_PACKET","features":[14]},{"name":"NDIS_GFT_EMFE_COPY_WHEN_TCP_FLAG_SET","features":[14]},{"name":"NDIS_GFT_EMFE_COUNTER_ALLOCATE","features":[14]},{"name":"NDIS_GFT_EMFE_COUNTER_CLIENT_SPECIFIED_ADDRESS","features":[14]},{"name":"NDIS_GFT_EMFE_COUNTER_MEMORY_MAPPED","features":[14]},{"name":"NDIS_GFT_EMFE_COUNTER_TRACK_TCP_FLOW","features":[14]},{"name":"NDIS_GFT_EMFE_CUSTOM_ACTION_PRESENT","features":[14]},{"name":"NDIS_GFT_EMFE_MATCH_AND_ACTION_MUST_BE_SUPPORTED","features":[14]},{"name":"NDIS_GFT_EMFE_META_ACTION_BEFORE_HEADER_TRANSPOSITION","features":[14]},{"name":"NDIS_GFT_EMFE_RDMA_FLOW","features":[14]},{"name":"NDIS_GFT_EMFE_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT","features":[14]},{"name":"NDIS_GFT_EMFE_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[14]},{"name":"NDIS_GFT_EMFE_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT","features":[14]},{"name":"NDIS_GFT_EMFE_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[14]},{"name":"NDIS_GFT_EXACT_MATCH_FLOW_ENTRY_REVISION_1","features":[14]},{"name":"NDIS_GFT_FLOW_ENTRY_ARRAY_REVISION_1","features":[14]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ALL_NIC_SWITCH_FLOW_ENTRIES","features":[14]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ALL_TABLE_FLOW_ENTRIES","features":[14]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ALL_VPORT_FLOW_ENTRIES","features":[14]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ARRAY_COUNTER_VALUES","features":[14]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ARRAY_DEFINED","features":[14]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ARRAY_REVISION_1","features":[14]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_RANGE_DEFINED","features":[14]},{"name":"NDIS_GFT_FLOW_ENTRY_INFO_ALL_FLOW_ENTRIES","features":[14]},{"name":"NDIS_GFT_FLOW_ENTRY_INFO_ARRAY_REVISION_1","features":[14]},{"name":"NDIS_GFT_FREE_COUNTER_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_GFT_HEADER_GROUP_TRANSPOSITION_DECREMENT_TTL_IF_NOT_ONE","features":[14]},{"name":"NDIS_GFT_HEADER_GROUP_TRANSPOSITION_PROFILE_DECREMENT_TTL_IF_NOT_ONE","features":[14]},{"name":"NDIS_GFT_HEADER_GROUP_TRANSPOSITION_PROFILE_REVISION_1","features":[14]},{"name":"NDIS_GFT_HEADER_GROUP_TRANSPOSITION_REVISION_1","features":[14]},{"name":"NDIS_GFT_HEADER_TRANSPOSITION_PROFILE_REVISION_1","features":[14]},{"name":"NDIS_GFT_HTP_COPY_ALL_PACKETS","features":[14]},{"name":"NDIS_GFT_HTP_COPY_FIRST_PACKET","features":[14]},{"name":"NDIS_GFT_HTP_COPY_WHEN_TCP_FLAG_SET","features":[14]},{"name":"NDIS_GFT_HTP_CUSTOM_ACTION_PRESENT","features":[14]},{"name":"NDIS_GFT_HTP_META_ACTION_BEFORE_HEADER_TRANSPOSITION","features":[14]},{"name":"NDIS_GFT_HTP_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT","features":[14]},{"name":"NDIS_GFT_HTP_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[14]},{"name":"NDIS_GFT_HTP_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT","features":[14]},{"name":"NDIS_GFT_HTP_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[14]},{"name":"NDIS_GFT_MAX_COUNTER_OBJECTS_PER_FLOW_ENTRY","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPABILITIES_REVISION_1","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_8021P_PRIORITY_MASK","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_ADD_FLOW_ENTRY_DEACTIVATED_PREFERRED","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_ALLOW","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_CLIENT_SPECIFIED_MEMORY_MAPPED_COUNTERS","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_COMBINED_COUNTER_AND_STATE","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_COPY_ALL","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_COPY_FIRST","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_COPY_WHEN_TCP_FLAG_SET","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_DESIGNATED_EXCEPTION_VPORT","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_DROP","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_DSCP_MASK","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EGRESS_AGGREGATE_COUNTERS","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EGRESS_EXACT_MATCH","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EGRESS_WILDCARD_MATCH","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EXT_VPORT_EGRESS_EXACT_MATCH","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EXT_VPORT_EGRESS_WILDCARD_MATCH","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EXT_VPORT_INGRESS_EXACT_MATCH","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EXT_VPORT_INGRESS_WILDCARD_MATCH","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_IGNORE_ACTION_SUPPORTED","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_INGRESS_AGGREGATE_COUNTERS","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_INGRESS_EXACT_MATCH","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_INGRESS_WILDCARD_MATCH","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_MEMORY_MAPPED_COUNTERS","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_MEMORY_MAPPED_PAKCET_AND_BYTE_COUNTERS","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_META_ACTION_AFTER_HEADER_TRANSPOSITION","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_META_ACTION_BEFORE_HEADER_TRANSPOSITION","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_MODIFY","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_PER_FLOW_ENTRY_COUNTERS","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_PER_PACKET_COUNTER_UPDATE","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_PER_VPORT_EXCEPTION_VPORT","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_POP","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_PUSH","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_RATE_LIMITING_QUEUE_SUPPORTED","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_SAMPLE","features":[14]},{"name":"NDIS_GFT_OFFLOAD_CAPS_TRACK_TCP_FLOW_STATE","features":[14]},{"name":"NDIS_GFT_OFFLOAD_INFO_COPY_PACKET","features":[14]},{"name":"NDIS_GFT_OFFLOAD_INFO_DIRECTION_INGRESS","features":[14]},{"name":"NDIS_GFT_OFFLOAD_INFO_EXCEPTION_PACKET","features":[14]},{"name":"NDIS_GFT_OFFLOAD_INFO_SAMPLE_PACKET","features":[14]},{"name":"NDIS_GFT_OFFLOAD_PARAMETERS_CUSTOM_PROVIDER_RESERVED","features":[14]},{"name":"NDIS_GFT_OFFLOAD_PARAMETERS_ENABLE_OFFLOAD","features":[14]},{"name":"NDIS_GFT_OFFLOAD_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_GFT_PROFILE_INFO_ARRAY_REVISION_1","features":[14]},{"name":"NDIS_GFT_PROFILE_INFO_REVISION_1","features":[14]},{"name":"NDIS_GFT_RESERVED_CUSTOM_ACTIONS","features":[14]},{"name":"NDIS_GFT_STATISTICS_REVISION_1","features":[14]},{"name":"NDIS_GFT_TABLE_INCLUDE_EXTERNAL_VPPORT","features":[14]},{"name":"NDIS_GFT_TABLE_INFO_ARRAY_REVISION_1","features":[14]},{"name":"NDIS_GFT_TABLE_INFO_REVISION_1","features":[14]},{"name":"NDIS_GFT_TABLE_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_GFT_UNDEFINED_COUNTER_ID","features":[14]},{"name":"NDIS_GFT_UNDEFINED_CUSTOM_ACTION","features":[14]},{"name":"NDIS_GFT_UNDEFINED_FLOW_ENTRY_ID","features":[14]},{"name":"NDIS_GFT_UNDEFINED_TABLE_ID","features":[14]},{"name":"NDIS_GFT_VPORT_DSCP_FLAGS_CHANGED","features":[14]},{"name":"NDIS_GFT_VPORT_DSCP_GUARD_ENABLE_RX","features":[14]},{"name":"NDIS_GFT_VPORT_DSCP_GUARD_ENABLE_TX","features":[14]},{"name":"NDIS_GFT_VPORT_DSCP_MASK_CHANGED","features":[14]},{"name":"NDIS_GFT_VPORT_DSCP_MASK_ENABLE_RX","features":[14]},{"name":"NDIS_GFT_VPORT_DSCP_MASK_ENABLE_TX","features":[14]},{"name":"NDIS_GFT_VPORT_ENABLE","features":[14]},{"name":"NDIS_GFT_VPORT_ENABLE_STATE_CHANGED","features":[14]},{"name":"NDIS_GFT_VPORT_EXCEPTION_VPORT_CHANGED","features":[14]},{"name":"NDIS_GFT_VPORT_MAX_DSCP_MASK_COUNTER_OBJECTS","features":[14]},{"name":"NDIS_GFT_VPORT_MAX_PRIORITY_MASK_COUNTER_OBJECTS","features":[14]},{"name":"NDIS_GFT_VPORT_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_GFT_VPORT_PARAMS_CHANGE_MASK","features":[14]},{"name":"NDIS_GFT_VPORT_PARAMS_CUSTOM_PROVIDER_RESERVED","features":[14]},{"name":"NDIS_GFT_VPORT_PARSE_VXLAN","features":[14]},{"name":"NDIS_GFT_VPORT_PARSE_VXLAN_NOT_IN_SRC_PORT_RANGE","features":[14]},{"name":"NDIS_GFT_VPORT_PRIORITY_MASK_CHANGED","features":[14]},{"name":"NDIS_GFT_VPORT_SAMPLING_RATE_CHANGED","features":[14]},{"name":"NDIS_GFT_VPORT_VXLAN_SETTINGS_CHANGED","features":[14]},{"name":"NDIS_GFT_WCFE_ADD_IN_ACTIVATED_STATE","features":[14]},{"name":"NDIS_GFT_WCFE_COPY_ALL_PACKETS","features":[14]},{"name":"NDIS_GFT_WCFE_COUNTER_ALLOCATE","features":[14]},{"name":"NDIS_GFT_WCFE_COUNTER_CLIENT_SPECIFIED_ADDRESS","features":[14]},{"name":"NDIS_GFT_WCFE_COUNTER_MEMORY_MAPPED","features":[14]},{"name":"NDIS_GFT_WCFE_CUSTOM_ACTION_PRESENT","features":[14]},{"name":"NDIS_GFT_WCFE_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT","features":[14]},{"name":"NDIS_GFT_WCFE_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[14]},{"name":"NDIS_GFT_WCFE_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT","features":[14]},{"name":"NDIS_GFT_WCFE_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[14]},{"name":"NDIS_GFT_WILDCARD_MATCH_FLOW_ENTRY_REVISION_1","features":[14]},{"name":"NDIS_GUID","features":[14]},{"name":"NDIS_HARDWARE_CROSSTIMESTAMP","features":[14]},{"name":"NDIS_HARDWARE_CROSSTIMESTAMP_REVISION_1","features":[14]},{"name":"NDIS_HARDWARE_STATUS","features":[14]},{"name":"NDIS_HASH_FUNCTION_MASK","features":[14]},{"name":"NDIS_HASH_IPV4","features":[14]},{"name":"NDIS_HASH_IPV6","features":[14]},{"name":"NDIS_HASH_IPV6_EX","features":[14]},{"name":"NDIS_HASH_TCP_IPV4","features":[14]},{"name":"NDIS_HASH_TCP_IPV6","features":[14]},{"name":"NDIS_HASH_TCP_IPV6_EX","features":[14]},{"name":"NDIS_HASH_TYPE_MASK","features":[14]},{"name":"NDIS_HASH_UDP_IPV4","features":[14]},{"name":"NDIS_HASH_UDP_IPV6","features":[14]},{"name":"NDIS_HASH_UDP_IPV6_EX","features":[14]},{"name":"NDIS_HD_SPLIT_ATTRIBUTES_REVISION_1","features":[14]},{"name":"NDIS_HD_SPLIT_CAPS_SUPPORTS_HEADER_DATA_SPLIT","features":[14]},{"name":"NDIS_HD_SPLIT_CAPS_SUPPORTS_IPV4_OPTIONS","features":[14]},{"name":"NDIS_HD_SPLIT_CAPS_SUPPORTS_IPV6_EXTENSION_HEADERS","features":[14]},{"name":"NDIS_HD_SPLIT_CAPS_SUPPORTS_TCP_OPTIONS","features":[14]},{"name":"NDIS_HD_SPLIT_COMBINE_ALL_HEADERS","features":[14]},{"name":"NDIS_HD_SPLIT_CURRENT_CONFIG_REVISION_1","features":[14]},{"name":"NDIS_HD_SPLIT_ENABLE_HEADER_DATA_SPLIT","features":[14]},{"name":"NDIS_HD_SPLIT_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_HYPERVISOR_INFO_FLAG_HYPERVISOR_PRESENT","features":[14]},{"name":"NDIS_HYPERVISOR_INFO_REVISION_1","features":[14]},{"name":"NDIS_INTERFACE_TYPE","features":[14]},{"name":"NDIS_INTERMEDIATE_DRIVER","features":[14]},{"name":"NDIS_INTERRUPT_MODERATION","features":[14]},{"name":"NDIS_INTERRUPT_MODERATION_CHANGE_NEEDS_REINITIALIZE","features":[14]},{"name":"NDIS_INTERRUPT_MODERATION_CHANGE_NEEDS_RESET","features":[14]},{"name":"NDIS_INTERRUPT_MODERATION_PARAMETERS","features":[14]},{"name":"NDIS_INTERRUPT_MODERATION_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_IPSEC_OFFLOAD_V1","features":[14]},{"name":"NDIS_IPSEC_OFFLOAD_V2_ADD_SA_EX_REVISION_1","features":[14]},{"name":"NDIS_IPSEC_OFFLOAD_V2_ADD_SA_REVISION_1","features":[14]},{"name":"NDIS_IPSEC_OFFLOAD_V2_DELETE_SA_REVISION_1","features":[14]},{"name":"NDIS_IPSEC_OFFLOAD_V2_UPDATE_SA_REVISION_1","features":[14]},{"name":"NDIS_IP_OPER_STATE","features":[14,16]},{"name":"NDIS_IP_OPER_STATE_REVISION_1","features":[14]},{"name":"NDIS_IP_OPER_STATUS","features":[14,16]},{"name":"NDIS_IP_OPER_STATUS_INFO","features":[14,16]},{"name":"NDIS_IP_OPER_STATUS_INFO_REVISION_1","features":[14]},{"name":"NDIS_IRDA_PACKET_INFO","features":[14]},{"name":"NDIS_ISOLATION_NAME_MAX_STRING_SIZE","features":[14]},{"name":"NDIS_ISOLATION_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_KDNET_ADD_PF_REVISION_1","features":[14]},{"name":"NDIS_KDNET_ENUMERATE_PFS_REVISION_1","features":[14]},{"name":"NDIS_KDNET_PF_ENUM_ELEMENT_REVISION_1","features":[14]},{"name":"NDIS_KDNET_QUERY_PF_INFORMATION_REVISION_1","features":[14]},{"name":"NDIS_KDNET_REMOVE_PF_REVISION_1","features":[14]},{"name":"NDIS_LARGE_SEND_OFFLOAD_MAX_HEADER_LENGTH","features":[14]},{"name":"NDIS_LEGACY_DRIVER","features":[14]},{"name":"NDIS_LEGACY_MINIPORT","features":[14]},{"name":"NDIS_LEGACY_PROTOCOL","features":[14]},{"name":"NDIS_LINK_PARAMETERS","features":[14,16]},{"name":"NDIS_LINK_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_LINK_SPEED","features":[14]},{"name":"NDIS_LINK_STATE","features":[14,16]},{"name":"NDIS_LINK_STATE_DUPLEX_AUTO_NEGOTIATED","features":[14]},{"name":"NDIS_LINK_STATE_PAUSE_FUNCTIONS_AUTO_NEGOTIATED","features":[14]},{"name":"NDIS_LINK_STATE_RCV_LINK_SPEED_AUTO_NEGOTIATED","features":[14]},{"name":"NDIS_LINK_STATE_REVISION_1","features":[14]},{"name":"NDIS_LINK_STATE_XMIT_LINK_SPEED_AUTO_NEGOTIATED","features":[14]},{"name":"NDIS_MAC_OPTION_8021P_PRIORITY","features":[14]},{"name":"NDIS_MAC_OPTION_8021Q_VLAN","features":[14]},{"name":"NDIS_MAC_OPTION_COPY_LOOKAHEAD_DATA","features":[14]},{"name":"NDIS_MAC_OPTION_EOTX_INDICATION","features":[14]},{"name":"NDIS_MAC_OPTION_FULL_DUPLEX","features":[14]},{"name":"NDIS_MAC_OPTION_NO_LOOPBACK","features":[14]},{"name":"NDIS_MAC_OPTION_RECEIVE_AT_DPC","features":[14]},{"name":"NDIS_MAC_OPTION_RECEIVE_SERIALIZED","features":[14]},{"name":"NDIS_MAC_OPTION_RESERVED","features":[14]},{"name":"NDIS_MAC_OPTION_SUPPORTS_MAC_ADDRESS_OVERWRITE","features":[14]},{"name":"NDIS_MAC_OPTION_TRANSFERS_NOT_PEND","features":[14]},{"name":"NDIS_MAXIMUM_PORTS","features":[14]},{"name":"NDIS_MAX_LOOKAHEAD_SIZE_ACCESSED_UNDEFINED","features":[14]},{"name":"NDIS_MAX_PROCESSOR_COUNT","features":[14]},{"name":"NDIS_MEDIA_CAP_RECEIVE","features":[14]},{"name":"NDIS_MEDIA_CAP_TRANSMIT","features":[14]},{"name":"NDIS_MEDIA_SPECIFIC_INFO_EAPOL","features":[14]},{"name":"NDIS_MEDIA_SPECIFIC_INFO_FCOE","features":[14]},{"name":"NDIS_MEDIA_SPECIFIC_INFO_LLDP","features":[14]},{"name":"NDIS_MEDIA_SPECIFIC_INFO_TIMESYNC","features":[14]},{"name":"NDIS_MEDIA_SPECIFIC_INFO_TUNDL","features":[14]},{"name":"NDIS_MEDIA_STATE","features":[14]},{"name":"NDIS_MEDIUM","features":[14]},{"name":"NDIS_MEMORY_CONTIGUOUS","features":[14]},{"name":"NDIS_MEMORY_NONCACHED","features":[14]},{"name":"NDIS_MINIPORT_ADAPTER_802_11_ATTRIBUTES_REVISION_1","features":[14]},{"name":"NDIS_MINIPORT_ADAPTER_802_11_ATTRIBUTES_REVISION_2","features":[14]},{"name":"NDIS_MINIPORT_ADAPTER_802_11_ATTRIBUTES_REVISION_3","features":[14]},{"name":"NDIS_MINIPORT_ADAPTER_GENERAL_ATTRIBUTES_REVISION_1","features":[14]},{"name":"NDIS_MINIPORT_ADAPTER_GENERAL_ATTRIBUTES_REVISION_2","features":[14]},{"name":"NDIS_MINIPORT_ADAPTER_HARDWARE_ASSIST_ATTRIBUTES_REVISION_1","features":[14]},{"name":"NDIS_MINIPORT_ADAPTER_HARDWARE_ASSIST_ATTRIBUTES_REVISION_2","features":[14]},{"name":"NDIS_MINIPORT_ADAPTER_HARDWARE_ASSIST_ATTRIBUTES_REVISION_3","features":[14]},{"name":"NDIS_MINIPORT_ADAPTER_HARDWARE_ASSIST_ATTRIBUTES_REVISION_4","features":[14]},{"name":"NDIS_MINIPORT_ADAPTER_NDK_ATTRIBUTES_REVISION_1","features":[14]},{"name":"NDIS_MINIPORT_ADAPTER_OFFLOAD_ATTRIBUTES_REVISION_1","features":[14]},{"name":"NDIS_MINIPORT_ADAPTER_PACKET_DIRECT_ATTRIBUTES_REVISION_1","features":[14]},{"name":"NDIS_MINIPORT_ADAPTER_REGISTRATION_ATTRIBUTES_REVISION_1","features":[14]},{"name":"NDIS_MINIPORT_ADAPTER_REGISTRATION_ATTRIBUTES_REVISION_2","features":[14]},{"name":"NDIS_MINIPORT_ADD_DEVICE_REGISTRATION_ATTRIBUTES_REVISION_1","features":[14]},{"name":"NDIS_MINIPORT_ATTRIBUTES_BUS_MASTER","features":[14]},{"name":"NDIS_MINIPORT_ATTRIBUTES_CONTROLS_DEFAULT_PORT","features":[14]},{"name":"NDIS_MINIPORT_ATTRIBUTES_DO_NOT_BIND_TO_ALL_CO","features":[14]},{"name":"NDIS_MINIPORT_ATTRIBUTES_HARDWARE_DEVICE","features":[14]},{"name":"NDIS_MINIPORT_ATTRIBUTES_NDIS_WDM","features":[14]},{"name":"NDIS_MINIPORT_ATTRIBUTES_NOT_CO_NDIS","features":[14]},{"name":"NDIS_MINIPORT_ATTRIBUTES_NO_HALT_ON_SUSPEND","features":[14]},{"name":"NDIS_MINIPORT_ATTRIBUTES_NO_OID_INTERCEPT_ON_NONDEFAULT_PORTS","features":[14]},{"name":"NDIS_MINIPORT_ATTRIBUTES_NO_PAUSE_ON_SUSPEND","features":[14]},{"name":"NDIS_MINIPORT_ATTRIBUTES_REGISTER_BUGCHECK_CALLBACK","features":[14]},{"name":"NDIS_MINIPORT_ATTRIBUTES_SURPRISE_REMOVE_OK","features":[14]},{"name":"NDIS_MINIPORT_BLOCK","features":[14]},{"name":"NDIS_MINIPORT_CO_CHARACTERISTICS_REVISION_1","features":[14]},{"name":"NDIS_MINIPORT_DRIVER","features":[14]},{"name":"NDIS_MINIPORT_DRIVER_CHARACTERISTICS_REVISION_1","features":[14]},{"name":"NDIS_MINIPORT_DRIVER_CHARACTERISTICS_REVISION_2","features":[14]},{"name":"NDIS_MINIPORT_DRIVER_CHARACTERISTICS_REVISION_3","features":[14]},{"name":"NDIS_MINIPORT_INIT_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_MINIPORT_INTERRUPT_REVISION_1","features":[14]},{"name":"NDIS_MINIPORT_MAJOR_VERSION","features":[14]},{"name":"NDIS_MINIPORT_MINIMUM_MAJOR_VERSION","features":[14]},{"name":"NDIS_MINIPORT_MINIMUM_MINOR_VERSION","features":[14]},{"name":"NDIS_MINIPORT_MINOR_VERSION","features":[14]},{"name":"NDIS_MINIPORT_PAUSE_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_MINIPORT_PNP_CHARACTERISTICS_REVISION_1","features":[14]},{"name":"NDIS_MINIPORT_RESTART_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_MINIPORT_SS_CHARACTERISTICS_REVISION_1","features":[14]},{"name":"NDIS_MINIPORT_TIMER","features":[2,14,3,1,7]},{"name":"NDIS_MIN_API","features":[14]},{"name":"NDIS_MONITOR_CONFIG_REVISION_1","features":[14]},{"name":"NDIS_MSIX_CONFIG_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_M_DRIVER_BLOCK","features":[14]},{"name":"NDIS_M_MAX_LOOKAHEAD","features":[14]},{"name":"NDIS_NBL_FLAGS_CAPTURE_TIMESTAMP_ON_TRANSMIT","features":[14]},{"name":"NDIS_NBL_FLAGS_HD_SPLIT","features":[14]},{"name":"NDIS_NBL_FLAGS_IS_IPV4","features":[14]},{"name":"NDIS_NBL_FLAGS_IS_IPV6","features":[14]},{"name":"NDIS_NBL_FLAGS_IS_LOOPBACK_PACKET","features":[14]},{"name":"NDIS_NBL_FLAGS_IS_TCP","features":[14]},{"name":"NDIS_NBL_FLAGS_IS_UDP","features":[14]},{"name":"NDIS_NBL_FLAGS_RECV_READ_ONLY","features":[14]},{"name":"NDIS_NBL_FLAGS_SEND_READ_ONLY","features":[14]},{"name":"NDIS_NBL_FLAGS_SPLIT_AT_UPPER_LAYER_PROTOCOL_HEADER","features":[14]},{"name":"NDIS_NBL_FLAGS_SPLIT_AT_UPPER_LAYER_PROTOCOL_PAYLOAD","features":[14]},{"name":"NDIS_NBL_MEDIA_SPECIFIC_INFO_REVISION_1","features":[14]},{"name":"NDIS_NDK_CAPABILITIES_REVISION_1","features":[14]},{"name":"NDIS_NDK_CONNECTIONS_REVISION_1","features":[14]},{"name":"NDIS_NDK_LOCAL_ENDPOINTS_REVISION_1","features":[14]},{"name":"NDIS_NDK_STATISTICS_INFO_REVISION_1","features":[14]},{"name":"NDIS_NETWORK_CHANGE_TYPE","features":[14]},{"name":"NDIS_NIC_SWITCH_CAPABILITIES_REVISION_1","features":[14]},{"name":"NDIS_NIC_SWITCH_CAPABILITIES_REVISION_2","features":[14]},{"name":"NDIS_NIC_SWITCH_CAPABILITIES_REVISION_3","features":[14]},{"name":"NDIS_NIC_SWITCH_CAPS_ASYMMETRIC_QUEUE_PAIRS_FOR_NONDEFAULT_VPORT_SUPPORTED","features":[14]},{"name":"NDIS_NIC_SWITCH_CAPS_NIC_SWITCH_WITHOUT_IOV_SUPPORTED","features":[14]},{"name":"NDIS_NIC_SWITCH_CAPS_PER_VPORT_INTERRUPT_MODERATION_SUPPORTED","features":[14]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_ON_PF_VPORTS_SUPPORTED","features":[14]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PARAMETERS_PER_PF_VPORT_SUPPORTED","features":[14]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PER_PF_VPORT_HASH_FUNCTION_SUPPORTED","features":[14]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PER_PF_VPORT_HASH_KEY_SUPPORTED","features":[14]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PER_PF_VPORT_HASH_TYPE_SUPPORTED","features":[14]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PER_PF_VPORT_INDIRECTION_TABLE_SIZE_RESTRICTED","features":[14]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PER_PF_VPORT_INDIRECTION_TABLE_SUPPORTED","features":[14]},{"name":"NDIS_NIC_SWITCH_CAPS_SINGLE_VPORT_POOL","features":[14]},{"name":"NDIS_NIC_SWITCH_CAPS_VF_RSS_SUPPORTED","features":[14]},{"name":"NDIS_NIC_SWITCH_CAPS_VLAN_SUPPORTED","features":[14]},{"name":"NDIS_NIC_SWITCH_DELETE_SWITCH_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_NIC_SWITCH_DELETE_VPORT_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_NIC_SWITCH_FREE_VF_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_NIC_SWITCH_INFO_ARRAY_REVISION_1","features":[14]},{"name":"NDIS_NIC_SWITCH_INFO_REVISION_1","features":[14]},{"name":"NDIS_NIC_SWITCH_PARAMETERS_CHANGE_MASK","features":[14]},{"name":"NDIS_NIC_SWITCH_PARAMETERS_DEFAULT_NUMBER_OF_QUEUE_PAIRS_FOR_DEFAULT_VPORT","features":[14]},{"name":"NDIS_NIC_SWITCH_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_NIC_SWITCH_PARAMETERS_REVISION_2","features":[14]},{"name":"NDIS_NIC_SWITCH_PARAMETERS_SWITCH_NAME_CHANGED","features":[14]},{"name":"NDIS_NIC_SWITCH_VF_INFO_ARRAY_ENUM_ON_SPECIFIC_SWITCH","features":[14]},{"name":"NDIS_NIC_SWITCH_VF_INFO_ARRAY_REVISION_1","features":[14]},{"name":"NDIS_NIC_SWITCH_VF_INFO_REVISION_1","features":[14]},{"name":"NDIS_NIC_SWITCH_VF_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_ARRAY_ENUM_ON_SPECIFIC_FUNCTION","features":[14]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_ARRAY_ENUM_ON_SPECIFIC_SWITCH","features":[14]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_ARRAY_REVISION_1","features":[14]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_GFT_ENABLED","features":[14]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_LOOKAHEAD_SPLIT_ENABLED","features":[14]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_PACKET_DIRECT_RX_ONLY","features":[14]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_REVISION_1","features":[14]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMETERS_REVISION_2","features":[14]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_CHANGE_MASK","features":[14]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_ENFORCE_MAX_SG_LIST","features":[14]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_FLAGS_CHANGED","features":[14]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_INT_MOD_CHANGED","features":[14]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_LOOKAHEAD_SPLIT_ENABLED","features":[14]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_NAME_CHANGED","features":[14]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_NDK_PARAMS_CHANGED","features":[14]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_NUM_QUEUE_PAIRS_CHANGED","features":[14]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_PACKET_DIRECT_RX_ONLY","features":[14]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_PROCESSOR_AFFINITY_CHANGED","features":[14]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_QOS_SQ_ID_CHANGED","features":[14]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_STATE_CHANGED","features":[14]},{"name":"NDIS_NT","features":[14]},{"name":"NDIS_OBJECT_HEADER","features":[14]},{"name":"NDIS_OBJECT_REVISION_1","features":[14]},{"name":"NDIS_OBJECT_TYPE_BIND_PARAMETERS","features":[14]},{"name":"NDIS_OBJECT_TYPE_CLIENT_CHIMNEY_OFFLOAD_CHARACTERISTICS","features":[14]},{"name":"NDIS_OBJECT_TYPE_CLIENT_CHIMNEY_OFFLOAD_GENERIC_CHARACTERISTICS","features":[14]},{"name":"NDIS_OBJECT_TYPE_CONFIGURATION_OBJECT","features":[14]},{"name":"NDIS_OBJECT_TYPE_CO_CALL_MANAGER_OPTIONAL_HANDLERS","features":[14]},{"name":"NDIS_OBJECT_TYPE_CO_CLIENT_OPTIONAL_HANDLERS","features":[14]},{"name":"NDIS_OBJECT_TYPE_CO_MINIPORT_CHARACTERISTICS","features":[14]},{"name":"NDIS_OBJECT_TYPE_CO_PROTOCOL_CHARACTERISTICS","features":[14]},{"name":"NDIS_OBJECT_TYPE_DEFAULT","features":[14]},{"name":"NDIS_OBJECT_TYPE_DEVICE_OBJECT_ATTRIBUTES","features":[14]},{"name":"NDIS_OBJECT_TYPE_DRIVER_WRAPPER_OBJECT","features":[14]},{"name":"NDIS_OBJECT_TYPE_DRIVER_WRAPPER_REVISION_1","features":[14]},{"name":"NDIS_OBJECT_TYPE_FILTER_ATTACH_PARAMETERS","features":[14]},{"name":"NDIS_OBJECT_TYPE_FILTER_ATTRIBUTES","features":[14]},{"name":"NDIS_OBJECT_TYPE_FILTER_DRIVER_CHARACTERISTICS","features":[14]},{"name":"NDIS_OBJECT_TYPE_FILTER_PARTIAL_CHARACTERISTICS","features":[14]},{"name":"NDIS_OBJECT_TYPE_FILTER_PAUSE_PARAMETERS","features":[14]},{"name":"NDIS_OBJECT_TYPE_FILTER_RESTART_PARAMETERS","features":[14]},{"name":"NDIS_OBJECT_TYPE_HD_SPLIT_ATTRIBUTES","features":[14]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_GENERAL_ATTRIBUTES","features":[14]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_HARDWARE_ASSIST_ATTRIBUTES","features":[14]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_NATIVE_802_11_ATTRIBUTES","features":[14]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_NDK_ATTRIBUTES","features":[14]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_OFFLOAD_ATTRIBUTES","features":[14]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_PACKET_DIRECT_ATTRIBUTES","features":[14]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_REGISTRATION_ATTRIBUTES","features":[14]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADD_DEVICE_REGISTRATION_ATTRIBUTES","features":[14]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_DEVICE_POWER_NOTIFICATION","features":[14]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_DRIVER_CHARACTERISTICS","features":[14]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_INIT_PARAMETERS","features":[14]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_INTERRUPT","features":[14]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_PNP_CHARACTERISTICS","features":[14]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_SS_CHARACTERISTICS","features":[14]},{"name":"NDIS_OBJECT_TYPE_NDK_PROVIDER_CHARACTERISTICS","features":[14]},{"name":"NDIS_OBJECT_TYPE_NSI_COMPARTMENT_RW_STRUCT","features":[14]},{"name":"NDIS_OBJECT_TYPE_NSI_INTERFACE_PERSIST_RW_STRUCT","features":[14]},{"name":"NDIS_OBJECT_TYPE_NSI_NETWORK_RW_STRUCT","features":[14]},{"name":"NDIS_OBJECT_TYPE_OFFLOAD","features":[14]},{"name":"NDIS_OBJECT_TYPE_OFFLOAD_ENCAPSULATION","features":[14]},{"name":"NDIS_OBJECT_TYPE_OID_REQUEST","features":[14]},{"name":"NDIS_OBJECT_TYPE_OPEN_PARAMETERS","features":[14]},{"name":"NDIS_OBJECT_TYPE_PCI_DEVICE_CUSTOM_PROPERTIES_REVISION_1","features":[14]},{"name":"NDIS_OBJECT_TYPE_PCI_DEVICE_CUSTOM_PROPERTIES_REVISION_2","features":[14]},{"name":"NDIS_OBJECT_TYPE_PD_RECEIVE_QUEUE","features":[14]},{"name":"NDIS_OBJECT_TYPE_PD_TRANSMIT_QUEUE","features":[14]},{"name":"NDIS_OBJECT_TYPE_PORT_CHARACTERISTICS","features":[14]},{"name":"NDIS_OBJECT_TYPE_PORT_STATE","features":[14]},{"name":"NDIS_OBJECT_TYPE_PROTOCOL_DRIVER_CHARACTERISTICS","features":[14]},{"name":"NDIS_OBJECT_TYPE_PROTOCOL_RESTART_PARAMETERS","features":[14]},{"name":"NDIS_OBJECT_TYPE_PROVIDER_CHIMNEY_OFFLOAD_CHARACTERISTICS","features":[14]},{"name":"NDIS_OBJECT_TYPE_PROVIDER_CHIMNEY_OFFLOAD_GENERIC_CHARACTERISTICS","features":[14]},{"name":"NDIS_OBJECT_TYPE_QOS_CAPABILITIES","features":[14]},{"name":"NDIS_OBJECT_TYPE_QOS_CLASSIFICATION_ELEMENT","features":[14]},{"name":"NDIS_OBJECT_TYPE_QOS_PARAMETERS","features":[14]},{"name":"NDIS_OBJECT_TYPE_REQUEST_EX","features":[14]},{"name":"NDIS_OBJECT_TYPE_RESTART_GENERAL_ATTRIBUTES","features":[14]},{"name":"NDIS_OBJECT_TYPE_RSS_CAPABILITIES","features":[14]},{"name":"NDIS_OBJECT_TYPE_RSS_PARAMETERS","features":[14]},{"name":"NDIS_OBJECT_TYPE_RSS_PARAMETERS_V2","features":[14]},{"name":"NDIS_OBJECT_TYPE_RSS_PROCESSOR_INFO","features":[14]},{"name":"NDIS_OBJECT_TYPE_RSS_SET_INDIRECTION_ENTRIES","features":[14]},{"name":"NDIS_OBJECT_TYPE_SG_DMA_DESCRIPTION","features":[14]},{"name":"NDIS_OBJECT_TYPE_SHARED_MEMORY_PROVIDER_CHARACTERISTICS","features":[14]},{"name":"NDIS_OBJECT_TYPE_STATUS_INDICATION","features":[14]},{"name":"NDIS_OBJECT_TYPE_SWITCH_OPTIONAL_HANDLERS","features":[14]},{"name":"NDIS_OBJECT_TYPE_TIMER_CHARACTERISTICS","features":[14]},{"name":"NDIS_OFFLOAD","features":[14]},{"name":"NDIS_OFFLOAD_ENCAPSULATION_REVISION_1","features":[14]},{"name":"NDIS_OFFLOAD_FLAGS_GROUP_CHECKSUM_CAPABILITIES","features":[14]},{"name":"NDIS_OFFLOAD_NOT_SUPPORTED","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_CONNECTION_OFFLOAD_DISABLED","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_CONNECTION_OFFLOAD_ENABLED","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV1_AH_AND_ESP_ENABLED","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV1_AH_ENABLED","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV1_DISABLED","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV1_ESP_ENABLED","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV2_AH_AND_ESP_ENABLED","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV2_AH_ENABLED","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV2_DISABLED","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV2_ESP_ENABLED","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_LSOV1_DISABLED","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_LSOV1_ENABLED","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_LSOV2_DISABLED","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_LSOV2_ENABLED","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_NO_CHANGE","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_REVISION_2","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_REVISION_3","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_REVISION_4","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_REVISION_5","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_RSC_DISABLED","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_RSC_ENABLED","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_RX_ENABLED_TX_DISABLED","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_SKIP_REGISTRY_UPDATE","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_TX_ENABLED_RX_DISABLED","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_TX_RX_DISABLED","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_TX_RX_ENABLED","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_USO_DISABLED","features":[14]},{"name":"NDIS_OFFLOAD_PARAMETERS_USO_ENABLED","features":[14]},{"name":"NDIS_OFFLOAD_REVISION_1","features":[14]},{"name":"NDIS_OFFLOAD_REVISION_2","features":[14]},{"name":"NDIS_OFFLOAD_REVISION_3","features":[14]},{"name":"NDIS_OFFLOAD_REVISION_4","features":[14]},{"name":"NDIS_OFFLOAD_REVISION_5","features":[14]},{"name":"NDIS_OFFLOAD_REVISION_6","features":[14]},{"name":"NDIS_OFFLOAD_REVISION_7","features":[14]},{"name":"NDIS_OFFLOAD_SET_NO_CHANGE","features":[14]},{"name":"NDIS_OFFLOAD_SET_OFF","features":[14]},{"name":"NDIS_OFFLOAD_SET_ON","features":[14]},{"name":"NDIS_OFFLOAD_SUPPORTED","features":[14]},{"name":"NDIS_OID_REQUEST_FLAGS_VPORT_ID_VALID","features":[14]},{"name":"NDIS_OID_REQUEST_NDIS_RESERVED_SIZE","features":[14]},{"name":"NDIS_OID_REQUEST_REVISION_1","features":[14]},{"name":"NDIS_OID_REQUEST_REVISION_2","features":[14]},{"name":"NDIS_OID_REQUEST_TIMEOUT_INFINITE","features":[14]},{"name":"NDIS_OPEN_BLOCK","features":[14]},{"name":"NDIS_OPEN_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_OPEN_RECEIVE_NOT_REENTRANT","features":[14]},{"name":"NDIS_OPER_STATE","features":[14,16]},{"name":"NDIS_OPER_STATE_REVISION_1","features":[14]},{"name":"NDIS_PACKET_8021Q_INFO","features":[14]},{"name":"NDIS_PACKET_TYPE_ALL_FUNCTIONAL","features":[14]},{"name":"NDIS_PACKET_TYPE_ALL_LOCAL","features":[14]},{"name":"NDIS_PACKET_TYPE_ALL_MULTICAST","features":[14]},{"name":"NDIS_PACKET_TYPE_BROADCAST","features":[14]},{"name":"NDIS_PACKET_TYPE_DIRECTED","features":[14]},{"name":"NDIS_PACKET_TYPE_FUNCTIONAL","features":[14]},{"name":"NDIS_PACKET_TYPE_GROUP","features":[14]},{"name":"NDIS_PACKET_TYPE_MAC_FRAME","features":[14]},{"name":"NDIS_PACKET_TYPE_MULTICAST","features":[14]},{"name":"NDIS_PACKET_TYPE_NO_LOCAL","features":[14]},{"name":"NDIS_PACKET_TYPE_PROMISCUOUS","features":[14]},{"name":"NDIS_PACKET_TYPE_SMT","features":[14]},{"name":"NDIS_PACKET_TYPE_SOURCE_ROUTING","features":[14]},{"name":"NDIS_PARAMETER_TYPE","features":[14]},{"name":"NDIS_PAUSE_ATTACH_FILTER","features":[14]},{"name":"NDIS_PAUSE_BIND_PROTOCOL","features":[14]},{"name":"NDIS_PAUSE_DETACH_FILTER","features":[14]},{"name":"NDIS_PAUSE_FILTER_RESTART_STACK","features":[14]},{"name":"NDIS_PAUSE_LOW_POWER","features":[14]},{"name":"NDIS_PAUSE_MINIPORT_DEVICE_REMOVE","features":[14]},{"name":"NDIS_PAUSE_NDIS_INTERNAL","features":[14]},{"name":"NDIS_PAUSE_UNBIND_PROTOCOL","features":[14]},{"name":"NDIS_PCI_DEVICE_CUSTOM_PROPERTIES","features":[14]},{"name":"NDIS_PD_ACQUIRE_QUEUES_FLAG_DRAIN_NOTIFICATION","features":[14]},{"name":"NDIS_PD_ACQUIRE_QUEUES_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_PD_CAPABILITIES_REVISION_1","features":[14]},{"name":"NDIS_PD_CAPS_DRAIN_NOTIFICATIONS_SUPPORTED","features":[14]},{"name":"NDIS_PD_CAPS_NOTIFICATION_MODERATION_COUNT_SUPPORTED","features":[14]},{"name":"NDIS_PD_CAPS_NOTIFICATION_MODERATION_INTERVAL_SUPPORTED","features":[14]},{"name":"NDIS_PD_CAPS_RECEIVE_FILTER_COUNTERS_SUPPORTED","features":[14]},{"name":"NDIS_PD_CLOSE_PROVIDER_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_PD_CONFIG_REVISION_1","features":[14]},{"name":"NDIS_PD_COUNTER_HANDLE","features":[14]},{"name":"NDIS_PD_COUNTER_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_PD_FILTER_HANDLE","features":[14]},{"name":"NDIS_PD_FILTER_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_PD_OPEN_PROVIDER_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_PD_PROVIDER_DISPATCH_REVISION_1","features":[14]},{"name":"NDIS_PD_PROVIDER_HANDLE","features":[14]},{"name":"NDIS_PD_QUEUE_DISPATCH_REVISION_1","features":[14]},{"name":"NDIS_PD_QUEUE_FLAG_DRAIN_NOTIFICATION","features":[14]},{"name":"NDIS_PD_QUEUE_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_PD_QUEUE_REVISION_1","features":[14]},{"name":"NDIS_PER_PACKET_INFO","features":[14]},{"name":"NDIS_PHYSICAL_ADDRESS_UNIT","features":[14]},{"name":"NDIS_PHYSICAL_MEDIUM","features":[14]},{"name":"NDIS_PM_CAPABILITIES_REVISION_1","features":[14]},{"name":"NDIS_PM_CAPABILITIES_REVISION_2","features":[14]},{"name":"NDIS_PM_MAX_PATTERN_ID","features":[14]},{"name":"NDIS_PM_MAX_STRING_SIZE","features":[14]},{"name":"NDIS_PM_PACKET_PATTERN","features":[14]},{"name":"NDIS_PM_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_PM_PARAMETERS_REVISION_2","features":[14]},{"name":"NDIS_PM_PRIVATE_PATTERN_ID","features":[14]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_80211_RSN_REKEY_ENABLED","features":[14]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_80211_RSN_REKEY_SUPPORTED","features":[14]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_ARP_ENABLED","features":[14]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_ARP_SUPPORTED","features":[14]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_NS_ENABLED","features":[14]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_NS_SUPPORTED","features":[14]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_PRIORITY_HIGHEST","features":[14]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_PRIORITY_LOWEST","features":[14]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_PRIORITY_NORMAL","features":[14]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_REVISION_1","features":[14]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_REVISION_2","features":[14]},{"name":"NDIS_PM_SELECTIVE_SUSPEND_ENABLED","features":[14]},{"name":"NDIS_PM_SELECTIVE_SUSPEND_SUPPORTED","features":[14]},{"name":"NDIS_PM_WAKE_ON_LINK_CHANGE_ENABLED","features":[14]},{"name":"NDIS_PM_WAKE_ON_MEDIA_CONNECT_SUPPORTED","features":[14]},{"name":"NDIS_PM_WAKE_ON_MEDIA_DISCONNECT_ENABLED","features":[14]},{"name":"NDIS_PM_WAKE_ON_MEDIA_DISCONNECT_SUPPORTED","features":[14]},{"name":"NDIS_PM_WAKE_PACKET_INDICATION_SUPPORTED","features":[14]},{"name":"NDIS_PM_WAKE_PACKET_REVISION_1","features":[14]},{"name":"NDIS_PM_WAKE_REASON_REVISION_1","features":[14]},{"name":"NDIS_PM_WAKE_UP_CAPABILITIES","features":[14]},{"name":"NDIS_PM_WOL_BITMAP_PATTERN_ENABLED","features":[14]},{"name":"NDIS_PM_WOL_BITMAP_PATTERN_SUPPORTED","features":[14]},{"name":"NDIS_PM_WOL_EAPOL_REQUEST_ID_MESSAGE_ENABLED","features":[14]},{"name":"NDIS_PM_WOL_EAPOL_REQUEST_ID_MESSAGE_SUPPORTED","features":[14]},{"name":"NDIS_PM_WOL_IPV4_DEST_ADDR_WILDCARD_ENABLED","features":[14]},{"name":"NDIS_PM_WOL_IPV4_DEST_ADDR_WILDCARD_SUPPORTED","features":[14]},{"name":"NDIS_PM_WOL_IPV4_TCP_SYN_ENABLED","features":[14]},{"name":"NDIS_PM_WOL_IPV4_TCP_SYN_SUPPORTED","features":[14]},{"name":"NDIS_PM_WOL_IPV6_DEST_ADDR_WILDCARD_ENABLED","features":[14]},{"name":"NDIS_PM_WOL_IPV6_DEST_ADDR_WILDCARD_SUPPORTED","features":[14]},{"name":"NDIS_PM_WOL_IPV6_TCP_SYN_ENABLED","features":[14]},{"name":"NDIS_PM_WOL_IPV6_TCP_SYN_SUPPORTED","features":[14]},{"name":"NDIS_PM_WOL_MAGIC_PACKET_ENABLED","features":[14]},{"name":"NDIS_PM_WOL_MAGIC_PACKET_SUPPORTED","features":[14]},{"name":"NDIS_PM_WOL_PATTERN_REVISION_1","features":[14]},{"name":"NDIS_PM_WOL_PATTERN_REVISION_2","features":[14]},{"name":"NDIS_PM_WOL_PRIORITY_HIGHEST","features":[14]},{"name":"NDIS_PM_WOL_PRIORITY_LOWEST","features":[14]},{"name":"NDIS_PM_WOL_PRIORITY_NORMAL","features":[14]},{"name":"NDIS_PNP_CAPABILITIES","features":[14]},{"name":"NDIS_PNP_WAKE_UP_LINK_CHANGE","features":[14]},{"name":"NDIS_PNP_WAKE_UP_MAGIC_PACKET","features":[14]},{"name":"NDIS_PNP_WAKE_UP_PATTERN_MATCH","features":[14]},{"name":"NDIS_POLL_CHARACTERISTICS_REVISION_1","features":[14]},{"name":"NDIS_POLL_DATA_REVISION_1","features":[14]},{"name":"NDIS_POLL_HANDLE","features":[14]},{"name":"NDIS_POLL_NOTIFICATION_REVISION_1","features":[14]},{"name":"NDIS_PORT","features":[14,16]},{"name":"NDIS_PORT_ARRAY","features":[14,16]},{"name":"NDIS_PORT_ARRAY_REVISION_1","features":[14]},{"name":"NDIS_PORT_AUTHENTICATION_PARAMETERS","features":[14]},{"name":"NDIS_PORT_AUTHENTICATION_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_PORT_AUTHORIZATION_STATE","features":[14]},{"name":"NDIS_PORT_CHARACTERISTICS","features":[14,16]},{"name":"NDIS_PORT_CHARACTERISTICS_REVISION_1","features":[14]},{"name":"NDIS_PORT_CHAR_USE_DEFAULT_AUTH_SETTINGS","features":[14]},{"name":"NDIS_PORT_CONTROL_STATE","features":[14]},{"name":"NDIS_PORT_STATE","features":[14,16]},{"name":"NDIS_PORT_STATE_REVISION_1","features":[14]},{"name":"NDIS_PORT_TYPE","features":[14]},{"name":"NDIS_POWER_PROFILE","features":[14]},{"name":"NDIS_PROC","features":[14]},{"name":"NDIS_PROCESSOR_TYPE","features":[14]},{"name":"NDIS_PROCESSOR_VENDOR","features":[14]},{"name":"NDIS_PROC_CALLBACK","features":[14]},{"name":"NDIS_PROTOCOL_BLOCK","features":[14]},{"name":"NDIS_PROTOCOL_CO_CHARACTERISTICS_REVISION_1","features":[14]},{"name":"NDIS_PROTOCOL_DRIVER_CHARACTERISTICS_REVISION_1","features":[14]},{"name":"NDIS_PROTOCOL_DRIVER_CHARACTERISTICS_REVISION_2","features":[14]},{"name":"NDIS_PROTOCOL_DRIVER_SUPPORTS_CURRENT_MAC_ADDRESS_CHANGE","features":[14]},{"name":"NDIS_PROTOCOL_DRIVER_SUPPORTS_L2_MTU_SIZE_CHANGE","features":[14]},{"name":"NDIS_PROTOCOL_ID_DEFAULT","features":[14]},{"name":"NDIS_PROTOCOL_ID_IP6","features":[14]},{"name":"NDIS_PROTOCOL_ID_IPX","features":[14]},{"name":"NDIS_PROTOCOL_ID_MASK","features":[14]},{"name":"NDIS_PROTOCOL_ID_MAX","features":[14]},{"name":"NDIS_PROTOCOL_ID_NBF","features":[14]},{"name":"NDIS_PROTOCOL_ID_TCP_IP","features":[14]},{"name":"NDIS_PROTOCOL_MAJOR_VERSION","features":[14]},{"name":"NDIS_PROTOCOL_MINIMUM_MAJOR_VERSION","features":[14]},{"name":"NDIS_PROTOCOL_MINIMUM_MINOR_VERSION","features":[14]},{"name":"NDIS_PROTOCOL_MINOR_VERSION","features":[14]},{"name":"NDIS_PROTOCOL_PAUSE_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_PROTOCOL_RESTART_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_PROT_OPTION_ESTIMATED_LENGTH","features":[14]},{"name":"NDIS_PROT_OPTION_NO_LOOPBACK","features":[14]},{"name":"NDIS_PROT_OPTION_NO_RSVD_ON_RCVPKT","features":[14]},{"name":"NDIS_PROT_OPTION_SEND_RESTRICTED","features":[14]},{"name":"NDIS_QOS_ACTION_MAXIMUM","features":[14]},{"name":"NDIS_QOS_ACTION_PRIORITY","features":[14]},{"name":"NDIS_QOS_CAPABILITIES_CEE_DCBX_SUPPORTED","features":[14]},{"name":"NDIS_QOS_CAPABILITIES_IEEE_DCBX_SUPPORTED","features":[14]},{"name":"NDIS_QOS_CAPABILITIES_MACSEC_BYPASS_SUPPORTED","features":[14]},{"name":"NDIS_QOS_CAPABILITIES_REVISION_1","features":[14]},{"name":"NDIS_QOS_CAPABILITIES_STRICT_TSA_SUPPORTED","features":[14]},{"name":"NDIS_QOS_CLASSIFICATION_ELEMENT_REVISION_1","features":[14]},{"name":"NDIS_QOS_CLASSIFICATION_ENFORCED_BY_MINIPORT","features":[14]},{"name":"NDIS_QOS_CLASSIFICATION_SET_BY_MINIPORT_MASK","features":[14]},{"name":"NDIS_QOS_CONDITION_DEFAULT","features":[14]},{"name":"NDIS_QOS_CONDITION_ETHERTYPE","features":[14]},{"name":"NDIS_QOS_CONDITION_MAXIMUM","features":[14]},{"name":"NDIS_QOS_CONDITION_NETDIRECT_PORT","features":[14]},{"name":"NDIS_QOS_CONDITION_RESERVED","features":[14]},{"name":"NDIS_QOS_CONDITION_TCP_OR_UDP_PORT","features":[14]},{"name":"NDIS_QOS_CONDITION_TCP_PORT","features":[14]},{"name":"NDIS_QOS_CONDITION_UDP_PORT","features":[14]},{"name":"NDIS_QOS_DEFAULT_SQ_ID","features":[14]},{"name":"NDIS_QOS_MAXIMUM_PRIORITIES","features":[14]},{"name":"NDIS_QOS_MAXIMUM_TRAFFIC_CLASSES","features":[14]},{"name":"NDIS_QOS_OFFLOAD_CAPABILITIES_REVISION_1","features":[14]},{"name":"NDIS_QOS_OFFLOAD_CAPABILITIES_REVISION_2","features":[14]},{"name":"NDIS_QOS_OFFLOAD_CAPS_GFT_SQ","features":[14]},{"name":"NDIS_QOS_OFFLOAD_CAPS_STANDARD_SQ","features":[14]},{"name":"NDIS_QOS_PARAMETERS_CLASSIFICATION_CHANGED","features":[14]},{"name":"NDIS_QOS_PARAMETERS_CLASSIFICATION_CONFIGURED","features":[14]},{"name":"NDIS_QOS_PARAMETERS_ETS_CHANGED","features":[14]},{"name":"NDIS_QOS_PARAMETERS_ETS_CONFIGURED","features":[14]},{"name":"NDIS_QOS_PARAMETERS_PFC_CHANGED","features":[14]},{"name":"NDIS_QOS_PARAMETERS_PFC_CONFIGURED","features":[14]},{"name":"NDIS_QOS_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_QOS_PARAMETERS_WILLING","features":[14]},{"name":"NDIS_QOS_SQ_ARRAY_REVISION_1","features":[14]},{"name":"NDIS_QOS_SQ_PARAMETERS_ARRAY_REVISION_1","features":[14]},{"name":"NDIS_QOS_SQ_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_QOS_SQ_PARAMETERS_REVISION_2","features":[14]},{"name":"NDIS_QOS_SQ_RECEIVE_CAP_ENABLED","features":[14]},{"name":"NDIS_QOS_SQ_STATS_REVISION_1","features":[14]},{"name":"NDIS_QOS_SQ_TRANSMIT_CAP_ENABLED","features":[14]},{"name":"NDIS_QOS_SQ_TRANSMIT_RESERVATION_ENABLED","features":[14]},{"name":"NDIS_QOS_TSA_CBS","features":[14]},{"name":"NDIS_QOS_TSA_ETS","features":[14]},{"name":"NDIS_QOS_TSA_MAXIMUM","features":[14]},{"name":"NDIS_QOS_TSA_STRICT","features":[14]},{"name":"NDIS_RECEIVE_FILTER_ANY_VLAN_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_ARP_HEADER_OPERATION_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_ARP_HEADER_SPA_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_ARP_HEADER_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_ARP_HEADER_TPA_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_CAPABILITIES_REVISION_1","features":[14]},{"name":"NDIS_RECEIVE_FILTER_CAPABILITIES_REVISION_2","features":[14]},{"name":"NDIS_RECEIVE_FILTER_CLEAR_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_RECEIVE_FILTER_DYNAMIC_PROCESSOR_AFFINITY_CHANGE_FOR_DEFAULT_QUEUE_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_DYNAMIC_PROCESSOR_AFFINITY_CHANGE_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_FIELD_MAC_HEADER_VLAN_UNTAGGED_OR_ZERO","features":[14]},{"name":"NDIS_RECEIVE_FILTER_FIELD_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_RECEIVE_FILTER_FIELD_PARAMETERS_REVISION_2","features":[14]},{"name":"NDIS_RECEIVE_FILTER_FLAGS_RESERVED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_GLOBAL_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_RECEIVE_FILTER_IMPLAT_MIN_OF_QUEUES_MODE","features":[14]},{"name":"NDIS_RECEIVE_FILTER_IMPLAT_SUM_OF_QUEUES_MODE","features":[14]},{"name":"NDIS_RECEIVE_FILTER_INFO_ARRAY_REVISION_1","features":[14]},{"name":"NDIS_RECEIVE_FILTER_INFO_ARRAY_REVISION_2","features":[14]},{"name":"NDIS_RECEIVE_FILTER_INFO_ARRAY_VPORT_ID_SPECIFIED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_INFO_REVISION_1","features":[14]},{"name":"NDIS_RECEIVE_FILTER_INTERRUPT_VECTOR_COALESCING_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_IPV4_HEADER_PROTOCOL_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_IPV4_HEADER_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_IPV6_HEADER_PROTOCOL_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_IPV6_HEADER_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_LOOKAHEAD_SPLIT_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_DEST_ADDR_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_PACKET_TYPE_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_PRIORITY_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_PROTOCOL_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_SOURCE_ADDR_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_VLAN_ID_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_MOVE_FILTER_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_RECEIVE_FILTER_MSI_X_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_PACKET_COALESCING_FILTERS_ENABLED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_PACKET_COALESCING_SUPPORTED_ON_DEFAULT_QUEUE","features":[14]},{"name":"NDIS_RECEIVE_FILTER_PACKET_ENCAPSULATION","features":[14]},{"name":"NDIS_RECEIVE_FILTER_PACKET_ENCAPSULATION_GRE","features":[14]},{"name":"NDIS_RECEIVE_FILTER_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_RECEIVE_FILTER_PARAMETERS_REVISION_2","features":[14]},{"name":"NDIS_RECEIVE_FILTER_QUEUE_STATE_CHANGE_REVISION_1","features":[14]},{"name":"NDIS_RECEIVE_FILTER_RESERVED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_TEST_HEADER_FIELD_EQUAL_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_TEST_HEADER_FIELD_MASK_EQUAL_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_TEST_HEADER_FIELD_NOT_EQUAL_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_UDP_HEADER_DEST_PORT_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_UDP_HEADER_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_VMQ_FILTERS_ENABLED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_VM_QUEUES_ENABLED","features":[14]},{"name":"NDIS_RECEIVE_FILTER_VM_QUEUE_SUPPORTED","features":[14]},{"name":"NDIS_RECEIVE_FLAGS_DISPATCH_LEVEL","features":[14]},{"name":"NDIS_RECEIVE_FLAGS_MORE_NBLS","features":[14]},{"name":"NDIS_RECEIVE_FLAGS_PERFECT_FILTERED","features":[14]},{"name":"NDIS_RECEIVE_FLAGS_RESOURCES","features":[14]},{"name":"NDIS_RECEIVE_FLAGS_SHARED_MEMORY_INFO_VALID","features":[14]},{"name":"NDIS_RECEIVE_FLAGS_SINGLE_ETHER_TYPE","features":[14]},{"name":"NDIS_RECEIVE_FLAGS_SINGLE_QUEUE","features":[14]},{"name":"NDIS_RECEIVE_FLAGS_SINGLE_VLAN","features":[14]},{"name":"NDIS_RECEIVE_FLAGS_SWITCH_DESTINATION_GROUP","features":[14]},{"name":"NDIS_RECEIVE_FLAGS_SWITCH_SINGLE_SOURCE","features":[14]},{"name":"NDIS_RECEIVE_HASH_FLAG_ENABLE_HASH","features":[14]},{"name":"NDIS_RECEIVE_HASH_FLAG_HASH_INFO_UNCHANGED","features":[14]},{"name":"NDIS_RECEIVE_HASH_FLAG_HASH_KEY_UNCHANGED","features":[14]},{"name":"NDIS_RECEIVE_HASH_PARAMETERS","features":[14]},{"name":"NDIS_RECEIVE_HASH_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_RECEIVE_QUEUE_ALLOCATION_COMPLETE_ARRAY_REVISION_1","features":[14]},{"name":"NDIS_RECEIVE_QUEUE_ALLOCATION_COMPLETE_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_RECEIVE_QUEUE_FREE_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_RECEIVE_QUEUE_INFO_ARRAY_REVISION_1","features":[14]},{"name":"NDIS_RECEIVE_QUEUE_INFO_REVISION_1","features":[14]},{"name":"NDIS_RECEIVE_QUEUE_INFO_REVISION_2","features":[14]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_CHANGE_MASK","features":[14]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_FLAGS_CHANGED","features":[14]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_INTERRUPT_COALESCING_DOMAIN_ID_CHANGED","features":[14]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_LOOKAHEAD_SPLIT_REQUIRED","features":[14]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_NAME_CHANGED","features":[14]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_PER_QUEUE_RECEIVE_INDICATION","features":[14]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_PROCESSOR_AFFINITY_CHANGED","features":[14]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_QOS_SQ_ID_CHANGED","features":[14]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_REVISION_2","features":[14]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_REVISION_3","features":[14]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_SUGGESTED_RECV_BUFFER_NUMBERS_CHANGED","features":[14]},{"name":"NDIS_RECEIVE_QUEUE_STATE_REVISION_1","features":[14]},{"name":"NDIS_RECEIVE_SCALE_CAPABILITIES","features":[14]},{"name":"NDIS_RECEIVE_SCALE_CAPABILITIES_REVISION_1","features":[14]},{"name":"NDIS_RECEIVE_SCALE_CAPABILITIES_REVISION_2","features":[14]},{"name":"NDIS_RECEIVE_SCALE_CAPABILITIES_REVISION_3","features":[14]},{"name":"NDIS_RECEIVE_SCALE_PARAMETERS","features":[14]},{"name":"NDIS_RECEIVE_SCALE_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_RECEIVE_SCALE_PARAMETERS_REVISION_2","features":[14]},{"name":"NDIS_RECEIVE_SCALE_PARAMETERS_REVISION_3","features":[14]},{"name":"NDIS_RECEIVE_SCALE_PARAMETERS_V2_REVISION_1","features":[14]},{"name":"NDIS_RECEIVE_SCALE_PARAM_ENABLE_RSS","features":[14]},{"name":"NDIS_RECEIVE_SCALE_PARAM_HASH_INFO_CHANGED","features":[14]},{"name":"NDIS_RECEIVE_SCALE_PARAM_HASH_KEY_CHANGED","features":[14]},{"name":"NDIS_RECEIVE_SCALE_PARAM_NUMBER_OF_ENTRIES_CHANGED","features":[14]},{"name":"NDIS_RECEIVE_SCALE_PARAM_NUMBER_OF_QUEUES_CHANGED","features":[14]},{"name":"NDIS_REQUEST_TYPE","features":[14]},{"name":"NDIS_RESTART_GENERAL_ATTRIBUTES_MAX_LOOKAHEAD_ACCESSED_DEFINED","features":[14]},{"name":"NDIS_RESTART_GENERAL_ATTRIBUTES_REVISION_1","features":[14]},{"name":"NDIS_RESTART_GENERAL_ATTRIBUTES_REVISION_2","features":[14]},{"name":"NDIS_RETURN_FLAGS_DISPATCH_LEVEL","features":[14]},{"name":"NDIS_RETURN_FLAGS_SINGLE_QUEUE","features":[14]},{"name":"NDIS_RETURN_FLAGS_SWITCH_SINGLE_SOURCE","features":[14]},{"name":"NDIS_RING_AUTO_REMOVAL_ERROR","features":[14]},{"name":"NDIS_RING_COUNTER_OVERFLOW","features":[14]},{"name":"NDIS_RING_HARD_ERROR","features":[14]},{"name":"NDIS_RING_LOBE_WIRE_FAULT","features":[14]},{"name":"NDIS_RING_REMOVE_RECEIVED","features":[14]},{"name":"NDIS_RING_RING_RECOVERY","features":[14]},{"name":"NDIS_RING_SIGNAL_LOSS","features":[14]},{"name":"NDIS_RING_SINGLE_STATION","features":[14]},{"name":"NDIS_RING_SOFT_ERROR","features":[14]},{"name":"NDIS_RING_TRANSMIT_BEACON","features":[14]},{"name":"NDIS_ROUTING_DOMAIN_ENTRY_REVISION_1","features":[14]},{"name":"NDIS_ROUTING_DOMAIN_ISOLATION_ENTRY_REVISION_1","features":[14]},{"name":"NDIS_RSC_STATISTICS_REVISION_1","features":[14]},{"name":"NDIS_RSS_CAPS_CLASSIFICATION_AT_DPC","features":[14]},{"name":"NDIS_RSS_CAPS_CLASSIFICATION_AT_ISR","features":[14]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_TCP_IPV4","features":[14]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_TCP_IPV6","features":[14]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_TCP_IPV6_EX","features":[14]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_UDP_IPV4","features":[14]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_UDP_IPV6","features":[14]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_UDP_IPV6_EX","features":[14]},{"name":"NDIS_RSS_CAPS_MESSAGE_SIGNALED_INTERRUPTS","features":[14]},{"name":"NDIS_RSS_CAPS_RSS_AVAILABLE_ON_PORTS","features":[14]},{"name":"NDIS_RSS_CAPS_SUPPORTS_INDEPENDENT_ENTRY_MOVE","features":[14]},{"name":"NDIS_RSS_CAPS_SUPPORTS_MSI_X","features":[14]},{"name":"NDIS_RSS_CAPS_USING_MSI_X","features":[14]},{"name":"NDIS_RSS_HASH_SECRET_KEY_MAX_SIZE_REVISION_1","features":[14]},{"name":"NDIS_RSS_HASH_SECRET_KEY_MAX_SIZE_REVISION_2","features":[14]},{"name":"NDIS_RSS_HASH_SECRET_KEY_MAX_SIZE_REVISION_3","features":[14]},{"name":"NDIS_RSS_HASH_SECRET_KEY_SIZE_REVISION_1","features":[14]},{"name":"NDIS_RSS_INDIRECTION_TABLE_MAX_SIZE_REVISION_1","features":[14]},{"name":"NDIS_RSS_INDIRECTION_TABLE_SIZE_REVISION_1","features":[14]},{"name":"NDIS_RSS_PARAM_FLAG_BASE_CPU_UNCHANGED","features":[14]},{"name":"NDIS_RSS_PARAM_FLAG_DEFAULT_PROCESSOR_UNCHANGED","features":[14]},{"name":"NDIS_RSS_PARAM_FLAG_DISABLE_RSS","features":[14]},{"name":"NDIS_RSS_PARAM_FLAG_HASH_INFO_UNCHANGED","features":[14]},{"name":"NDIS_RSS_PARAM_FLAG_HASH_KEY_UNCHANGED","features":[14]},{"name":"NDIS_RSS_PARAM_FLAG_ITABLE_UNCHANGED","features":[14]},{"name":"NDIS_RSS_PROCESSOR_INFO_REVISION_1","features":[14]},{"name":"NDIS_RSS_PROCESSOR_INFO_REVISION_2","features":[14]},{"name":"NDIS_RSS_SET_INDIRECTION_ENTRIES_REVISION_1","features":[14]},{"name":"NDIS_RSS_SET_INDIRECTION_ENTRY_FLAG_DEFAULT_PROCESSOR","features":[14]},{"name":"NDIS_RSS_SET_INDIRECTION_ENTRY_FLAG_PRIMARY_PROCESSOR","features":[14]},{"name":"NDIS_RUNTIME_VERSION_60","features":[14]},{"name":"NDIS_RWL_AT_DISPATCH_LEVEL","features":[14]},{"name":"NDIS_RW_LOCK","features":[14,1]},{"name":"NDIS_RW_LOCK_REFCOUNT","features":[14]},{"name":"NDIS_SCATTER_GATHER_LIST_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_SEND_COMPLETE_FLAGS_DISPATCH_LEVEL","features":[14]},{"name":"NDIS_SEND_COMPLETE_FLAGS_SINGLE_QUEUE","features":[14]},{"name":"NDIS_SEND_COMPLETE_FLAGS_SWITCH_SINGLE_SOURCE","features":[14]},{"name":"NDIS_SEND_FLAGS_CHECK_FOR_LOOPBACK","features":[14]},{"name":"NDIS_SEND_FLAGS_DISPATCH_LEVEL","features":[14]},{"name":"NDIS_SEND_FLAGS_SINGLE_QUEUE","features":[14]},{"name":"NDIS_SEND_FLAGS_SWITCH_DESTINATION_GROUP","features":[14]},{"name":"NDIS_SEND_FLAGS_SWITCH_SINGLE_SOURCE","features":[14]},{"name":"NDIS_SG_DMA_64_BIT_ADDRESS","features":[14]},{"name":"NDIS_SG_DMA_DESCRIPTION_REVISION_1","features":[14]},{"name":"NDIS_SG_DMA_DESCRIPTION_REVISION_2","features":[14]},{"name":"NDIS_SG_DMA_HYBRID_DMA","features":[14]},{"name":"NDIS_SG_DMA_V3_HAL_API","features":[14]},{"name":"NDIS_SG_LIST_WRITE_TO_DEVICE","features":[14]},{"name":"NDIS_SHARED_MEMORY_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_SHARED_MEMORY_PARAMETERS_REVISION_2","features":[14]},{"name":"NDIS_SHARED_MEMORY_PROVIDER_CHARACTERISTICS_REVISION_1","features":[14]},{"name":"NDIS_SHARED_MEMORY_PROVIDER_CHAR_SUPPORTS_PF_VPORTS","features":[14]},{"name":"NDIS_SHARED_MEM_PARAMETERS_CONTIGOUS","features":[14]},{"name":"NDIS_SHARED_MEM_PARAMETERS_CONTIGUOUS","features":[14]},{"name":"NDIS_SIZEOF_NDIS_PM_PROTOCOL_OFFLOAD_REVISION_1","features":[14]},{"name":"NDIS_SPIN_LOCK","features":[14]},{"name":"NDIS_SRIOV_BAR_RESOURCES_INFO_REVISION_1","features":[14]},{"name":"NDIS_SRIOV_CAPABILITIES_REVISION_1","features":[14]},{"name":"NDIS_SRIOV_CAPS_PF_MINIPORT","features":[14]},{"name":"NDIS_SRIOV_CAPS_SRIOV_SUPPORTED","features":[14]},{"name":"NDIS_SRIOV_CAPS_VF_MINIPORT","features":[14]},{"name":"NDIS_SRIOV_CONFIG_STATE_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_SRIOV_OVERLYING_ADAPTER_INFO_VERSION_1","features":[14]},{"name":"NDIS_SRIOV_PF_LUID_INFO_REVISION_1","features":[14]},{"name":"NDIS_SRIOV_PROBED_BARS_INFO_REVISION_1","features":[14]},{"name":"NDIS_SRIOV_READ_VF_CONFIG_BLOCK_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_SRIOV_READ_VF_CONFIG_SPACE_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_SRIOV_RESET_VF_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_SRIOV_SET_VF_POWER_STATE_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_SRIOV_VF_INVALIDATE_CONFIG_BLOCK_INFO_REVISION_1","features":[14]},{"name":"NDIS_SRIOV_VF_SERIAL_NUMBER_INFO_REVISION_1","features":[14]},{"name":"NDIS_SRIOV_VF_VENDOR_DEVICE_ID_INFO_REVISION_1","features":[14]},{"name":"NDIS_SRIOV_WRITE_VF_CONFIG_BLOCK_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_SRIOV_WRITE_VF_CONFIG_SPACE_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_STATISTICS_BROADCAST_BYTES_RCV_SUPPORTED","features":[14]},{"name":"NDIS_STATISTICS_BROADCAST_BYTES_XMIT_SUPPORTED","features":[14]},{"name":"NDIS_STATISTICS_BROADCAST_FRAMES_RCV_SUPPORTED","features":[14]},{"name":"NDIS_STATISTICS_BROADCAST_FRAMES_XMIT_SUPPORTED","features":[14]},{"name":"NDIS_STATISTICS_BYTES_RCV_SUPPORTED","features":[14]},{"name":"NDIS_STATISTICS_BYTES_XMIT_SUPPORTED","features":[14]},{"name":"NDIS_STATISTICS_DIRECTED_BYTES_RCV_SUPPORTED","features":[14]},{"name":"NDIS_STATISTICS_DIRECTED_BYTES_XMIT_SUPPORTED","features":[14]},{"name":"NDIS_STATISTICS_DIRECTED_FRAMES_RCV_SUPPORTED","features":[14]},{"name":"NDIS_STATISTICS_DIRECTED_FRAMES_XMIT_SUPPORTED","features":[14]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BROADCAST_BYTES_RCV","features":[14]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BROADCAST_BYTES_XMIT","features":[14]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BROADCAST_FRAMES_RCV","features":[14]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BROADCAST_FRAMES_XMIT","features":[14]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BYTES_RCV","features":[14]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BYTES_XMIT","features":[14]},{"name":"NDIS_STATISTICS_FLAGS_VALID_DIRECTED_BYTES_RCV","features":[14]},{"name":"NDIS_STATISTICS_FLAGS_VALID_DIRECTED_BYTES_XMIT","features":[14]},{"name":"NDIS_STATISTICS_FLAGS_VALID_DIRECTED_FRAMES_RCV","features":[14]},{"name":"NDIS_STATISTICS_FLAGS_VALID_DIRECTED_FRAMES_XMIT","features":[14]},{"name":"NDIS_STATISTICS_FLAGS_VALID_MULTICAST_BYTES_RCV","features":[14]},{"name":"NDIS_STATISTICS_FLAGS_VALID_MULTICAST_BYTES_XMIT","features":[14]},{"name":"NDIS_STATISTICS_FLAGS_VALID_MULTICAST_FRAMES_RCV","features":[14]},{"name":"NDIS_STATISTICS_FLAGS_VALID_MULTICAST_FRAMES_XMIT","features":[14]},{"name":"NDIS_STATISTICS_FLAGS_VALID_RCV_DISCARDS","features":[14]},{"name":"NDIS_STATISTICS_FLAGS_VALID_RCV_ERROR","features":[14]},{"name":"NDIS_STATISTICS_FLAGS_VALID_XMIT_DISCARDS","features":[14]},{"name":"NDIS_STATISTICS_FLAGS_VALID_XMIT_ERROR","features":[14]},{"name":"NDIS_STATISTICS_GEN_STATISTICS_SUPPORTED","features":[14]},{"name":"NDIS_STATISTICS_INFO","features":[14]},{"name":"NDIS_STATISTICS_INFO_REVISION_1","features":[14]},{"name":"NDIS_STATISTICS_MULTICAST_BYTES_RCV_SUPPORTED","features":[14]},{"name":"NDIS_STATISTICS_MULTICAST_BYTES_XMIT_SUPPORTED","features":[14]},{"name":"NDIS_STATISTICS_MULTICAST_FRAMES_RCV_SUPPORTED","features":[14]},{"name":"NDIS_STATISTICS_MULTICAST_FRAMES_XMIT_SUPPORTED","features":[14]},{"name":"NDIS_STATISTICS_RCV_CRC_ERROR_SUPPORTED","features":[14]},{"name":"NDIS_STATISTICS_RCV_DISCARDS_SUPPORTED","features":[14]},{"name":"NDIS_STATISTICS_RCV_ERROR_SUPPORTED","features":[14]},{"name":"NDIS_STATISTICS_RCV_NO_BUFFER_SUPPORTED","features":[14]},{"name":"NDIS_STATISTICS_RCV_OK_SUPPORTED","features":[14]},{"name":"NDIS_STATISTICS_TRANSMIT_QUEUE_LENGTH_SUPPORTED","features":[14]},{"name":"NDIS_STATISTICS_VALUE","features":[14]},{"name":"NDIS_STATISTICS_VALUE_EX","features":[14]},{"name":"NDIS_STATISTICS_XMIT_DISCARDS_SUPPORTED","features":[14]},{"name":"NDIS_STATISTICS_XMIT_ERROR_SUPPORTED","features":[14]},{"name":"NDIS_STATISTICS_XMIT_OK_SUPPORTED","features":[14]},{"name":"NDIS_STATUS_INDICATION_FLAGS_MEDIA_CONNECT_TO_CONNECT","features":[14]},{"name":"NDIS_STATUS_INDICATION_FLAGS_NDIS_RESERVED","features":[14]},{"name":"NDIS_STATUS_INDICATION_REVISION_1","features":[14]},{"name":"NDIS_SUPPORTED_PAUSE_FUNCTIONS","features":[14]},{"name":"NDIS_SUPPORT_60_COMPATIBLE_API","features":[14]},{"name":"NDIS_SUPPORT_NDIS6","features":[14]},{"name":"NDIS_SUPPORT_NDIS61","features":[14]},{"name":"NDIS_SUPPORT_NDIS620","features":[14]},{"name":"NDIS_SUPPORT_NDIS630","features":[14]},{"name":"NDIS_SUPPORT_NDIS640","features":[14]},{"name":"NDIS_SUPPORT_NDIS650","features":[14]},{"name":"NDIS_SUPPORT_NDIS651","features":[14]},{"name":"NDIS_SUPPORT_NDIS660","features":[14]},{"name":"NDIS_SUPPORT_NDIS670","features":[14]},{"name":"NDIS_SUPPORT_NDIS680","features":[14]},{"name":"NDIS_SUPPORT_NDIS681","features":[14]},{"name":"NDIS_SUPPORT_NDIS682","features":[14]},{"name":"NDIS_SUPPORT_NDIS683","features":[14]},{"name":"NDIS_SUPPORT_NDIS684","features":[14]},{"name":"NDIS_SUPPORT_NDIS685","features":[14]},{"name":"NDIS_SUPPORT_NDIS686","features":[14]},{"name":"NDIS_SUPPORT_NDIS687","features":[14]},{"name":"NDIS_SWITCH_COPY_NBL_INFO_FLAGS_PRESERVE_DESTINATIONS","features":[14]},{"name":"NDIS_SWITCH_COPY_NBL_INFO_FLAGS_PRESERVE_SWITCH_INFO_ONLY","features":[14]},{"name":"NDIS_SWITCH_DEFAULT_NIC_INDEX","features":[14]},{"name":"NDIS_SWITCH_DEFAULT_PORT_ID","features":[14]},{"name":"NDIS_SWITCH_FEATURE_STATUS_CUSTOM_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_FEATURE_STATUS_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_FORWARDING_DESTINATION_ARRAY_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_NET_BUFFER_LIST_CONTEXT_TYPE_INFO_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_NIC_ARRAY_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_NIC_FLAGS_MAPPED_NIC_UPDATED","features":[14]},{"name":"NDIS_SWITCH_NIC_FLAGS_NIC_INITIALIZING","features":[14]},{"name":"NDIS_SWITCH_NIC_FLAGS_NIC_SUSPENDED","features":[14]},{"name":"NDIS_SWITCH_NIC_FLAGS_NIC_SUSPENDED_LM","features":[14]},{"name":"NDIS_SWITCH_NIC_OID_REQUEST_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_NIC_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_NIC_PARAMETERS_REVISION_2","features":[14]},{"name":"NDIS_SWITCH_NIC_SAVE_STATE_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_NIC_SAVE_STATE_REVISION_2","features":[14]},{"name":"NDIS_SWITCH_NIC_STATUS_INDICATION_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_OBJECT_SERIALIZATION_VERSION_1","features":[14]},{"name":"NDIS_SWITCH_OPTIONAL_HANDLERS_PD_RESERVED_SIZE","features":[14]},{"name":"NDIS_SWITCH_OPTIONAL_HANDLERS_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_OPTIONAL_HANDLERS_REVISION_2","features":[14]},{"name":"NDIS_SWITCH_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_PORT_ARRAY_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_PORT_FEATURE_STATUS_CUSTOM_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_PORT_FEATURE_STATUS_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_PORT_PARAMETERS_FLAG_RESTORING_PORT","features":[14]},{"name":"NDIS_SWITCH_PORT_PARAMETERS_FLAG_UNTRUSTED_INTERNAL_PORT","features":[14]},{"name":"NDIS_SWITCH_PORT_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_PORT_PROPERTY_CUSTOM_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_PORT_PROPERTY_DELETE_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_PORT_PROPERTY_ENUM_INFO_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_PORT_PROPERTY_ENUM_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_PORT_PROPERTY_ISOLATION_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_PORT_PROPERTY_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_PORT_PROPERTY_PROFILE_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_PORT_PROPERTY_ROUTING_DOMAIN_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_PORT_PROPERTY_SECURITY_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_PORT_PROPERTY_SECURITY_REVISION_2","features":[14]},{"name":"NDIS_SWITCH_PORT_PROPERTY_VLAN_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_PROPERTY_CUSTOM_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_PROPERTY_DELETE_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_PROPERTY_ENUM_INFO_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_PROPERTY_ENUM_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_PROPERTY_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_SWITCH_REPORT_FILTERED_NBL_FLAGS_IS_INCOMING","features":[14]},{"name":"NDIS_SYSTEM_PROCESSOR_INFO_EX_REVISION_1","features":[14]},{"name":"NDIS_SYSTEM_PROCESSOR_INFO_REVISION_1","features":[14]},{"name":"NDIS_TASK_OFFLOAD_VERSION","features":[14]},{"name":"NDIS_TASK_TCP_LARGE_SEND_V0","features":[14]},{"name":"NDIS_TCP_CONNECTION_OFFLOAD","features":[14]},{"name":"NDIS_TCP_CONNECTION_OFFLOAD_REVISION_1","features":[14]},{"name":"NDIS_TCP_CONNECTION_OFFLOAD_REVISION_2","features":[14]},{"name":"NDIS_TCP_IP_CHECKSUM_OFFLOAD","features":[14]},{"name":"NDIS_TCP_IP_CHECKSUM_PACKET_INFO","features":[14]},{"name":"NDIS_TCP_LARGE_SEND_OFFLOAD_IPv4","features":[14]},{"name":"NDIS_TCP_LARGE_SEND_OFFLOAD_IPv6","features":[14]},{"name":"NDIS_TCP_LARGE_SEND_OFFLOAD_V1","features":[14]},{"name":"NDIS_TCP_LARGE_SEND_OFFLOAD_V1_TYPE","features":[14]},{"name":"NDIS_TCP_LARGE_SEND_OFFLOAD_V2","features":[14]},{"name":"NDIS_TCP_LARGE_SEND_OFFLOAD_V2_TYPE","features":[14]},{"name":"NDIS_TCP_RECV_SEG_COALESC_OFFLOAD_REVISION_1","features":[14]},{"name":"NDIS_TIMEOUT_DPC_REQUEST_CAPABILITIES","features":[14]},{"name":"NDIS_TIMEOUT_DPC_REQUEST_CAPABILITIES_REVISION_1","features":[14]},{"name":"NDIS_TIMER","features":[2,14,3,1,7]},{"name":"NDIS_TIMER_CHARACTERISTICS_REVISION_1","features":[14]},{"name":"NDIS_TIMER_FUNCTION","features":[14]},{"name":"NDIS_TIMESTAMP_CAPABILITIES","features":[14,1]},{"name":"NDIS_TIMESTAMP_CAPABILITIES_REVISION_1","features":[14]},{"name":"NDIS_TIMESTAMP_CAPABILITY_FLAGS","features":[14,1]},{"name":"NDIS_UDP_SEGMENTATION_OFFLOAD_IPV4","features":[14]},{"name":"NDIS_UDP_SEGMENTATION_OFFLOAD_IPV6","features":[14]},{"name":"NDIS_VAR_DATA_DESC","features":[14]},{"name":"NDIS_WAN_FRAGMENT","features":[14]},{"name":"NDIS_WAN_GET_STATS","features":[14]},{"name":"NDIS_WAN_HEADER_FORMAT","features":[14]},{"name":"NDIS_WAN_LINE_DOWN","features":[14]},{"name":"NDIS_WAN_LINE_UP","features":[14,1]},{"name":"NDIS_WAN_MEDIUM_SUBTYPE","features":[14]},{"name":"NDIS_WAN_PROTOCOL_CAPS","features":[14]},{"name":"NDIS_WAN_QUALITY","features":[14]},{"name":"NDIS_WDF","features":[14]},{"name":"NDIS_WDM","features":[14]},{"name":"NDIS_WDM_DRIVER","features":[14]},{"name":"NDIS_WLAN_BSSID","features":[14]},{"name":"NDIS_WLAN_BSSID_EX","features":[14]},{"name":"NDIS_WLAN_WAKE_ON_4WAY_HANDSHAKE_REQUEST_ENABLED","features":[14]},{"name":"NDIS_WLAN_WAKE_ON_4WAY_HANDSHAKE_REQUEST_SUPPORTED","features":[14]},{"name":"NDIS_WLAN_WAKE_ON_AP_ASSOCIATION_LOST_ENABLED","features":[14]},{"name":"NDIS_WLAN_WAKE_ON_AP_ASSOCIATION_LOST_SUPPORTED","features":[14]},{"name":"NDIS_WLAN_WAKE_ON_GTK_HANDSHAKE_ERROR_ENABLED","features":[14]},{"name":"NDIS_WLAN_WAKE_ON_GTK_HANDSHAKE_ERROR_SUPPORTED","features":[14]},{"name":"NDIS_WLAN_WAKE_ON_NLO_DISCOVERY_ENABLED","features":[14]},{"name":"NDIS_WLAN_WAKE_ON_NLO_DISCOVERY_SUPPORTED","features":[14]},{"name":"NDIS_WMI_DEFAULT_METHOD_ID","features":[14]},{"name":"NDIS_WMI_ENUM_ADAPTER","features":[14,16]},{"name":"NDIS_WMI_ENUM_ADAPTER_REVISION_1","features":[14]},{"name":"NDIS_WMI_EVENT_HEADER","features":[14,16]},{"name":"NDIS_WMI_EVENT_HEADER_REVISION_1","features":[14]},{"name":"NDIS_WMI_IPSEC_OFFLOAD_V1","features":[14]},{"name":"NDIS_WMI_METHOD_HEADER","features":[14,16]},{"name":"NDIS_WMI_METHOD_HEADER_REVISION_1","features":[14]},{"name":"NDIS_WMI_OBJECT_TYPE_ENUM_ADAPTER","features":[14]},{"name":"NDIS_WMI_OBJECT_TYPE_EVENT","features":[14]},{"name":"NDIS_WMI_OBJECT_TYPE_METHOD","features":[14]},{"name":"NDIS_WMI_OBJECT_TYPE_OUTPUT_INFO","features":[14]},{"name":"NDIS_WMI_OBJECT_TYPE_SET","features":[14]},{"name":"NDIS_WMI_OFFLOAD","features":[14]},{"name":"NDIS_WMI_OUTPUT_INFO","features":[14]},{"name":"NDIS_WMI_PM_ACTIVE_CAPABILITIES_REVISION_1","features":[14]},{"name":"NDIS_WMI_PM_ADMIN_CONFIG_REVISION_1","features":[14]},{"name":"NDIS_WMI_RECEIVE_QUEUE_INFO_REVISION_1","features":[14]},{"name":"NDIS_WMI_RECEIVE_QUEUE_PARAMETERS_REVISION_1","features":[14]},{"name":"NDIS_WMI_SET_HEADER","features":[14,16]},{"name":"NDIS_WMI_SET_HEADER_REVISION_1","features":[14]},{"name":"NDIS_WMI_TCP_CONNECTION_OFFLOAD","features":[14]},{"name":"NDIS_WMI_TCP_IP_CHECKSUM_OFFLOAD","features":[14]},{"name":"NDIS_WMI_TCP_LARGE_SEND_OFFLOAD_V1","features":[14]},{"name":"NDIS_WMI_TCP_LARGE_SEND_OFFLOAD_V2","features":[14]},{"name":"NDIS_WORK_ITEM","features":[14]},{"name":"NDIS_WRAPPER_HANDLE","features":[14]},{"name":"NDIS_WWAN_WAKE_ON_PACKET_STATE_ENABLED","features":[14]},{"name":"NDIS_WWAN_WAKE_ON_PACKET_STATE_SUPPORTED","features":[14]},{"name":"NDIS_WWAN_WAKE_ON_REGISTER_STATE_ENABLED","features":[14]},{"name":"NDIS_WWAN_WAKE_ON_REGISTER_STATE_SUPPORTED","features":[14]},{"name":"NDIS_WWAN_WAKE_ON_SMS_RECEIVE_ENABLED","features":[14]},{"name":"NDIS_WWAN_WAKE_ON_SMS_RECEIVE_SUPPORTED","features":[14]},{"name":"NDIS_WWAN_WAKE_ON_UICC_CHANGE_ENABLED","features":[14]},{"name":"NDIS_WWAN_WAKE_ON_UICC_CHANGE_SUPPORTED","features":[14]},{"name":"NDIS_WWAN_WAKE_ON_USSD_RECEIVE_ENABLED","features":[14]},{"name":"NDIS_WWAN_WAKE_ON_USSD_RECEIVE_SUPPORTED","features":[14]},{"name":"NETWORK_ADDRESS","features":[14]},{"name":"NETWORK_ADDRESS_IP","features":[14]},{"name":"NETWORK_ADDRESS_IP6","features":[14]},{"name":"NETWORK_ADDRESS_IPX","features":[14]},{"name":"NETWORK_ADDRESS_LIST","features":[14]},{"name":"NET_BUFFER_LIST_POOL_FLAG_VERIFY","features":[14]},{"name":"NET_BUFFER_LIST_POOL_PARAMETERS_REVISION_1","features":[14]},{"name":"NET_BUFFER_LIST_POOL_PARAMETERS_REVISION_2","features":[14]},{"name":"NET_BUFFER_POOL_FLAG_VERIFY","features":[14]},{"name":"NET_BUFFER_POOL_PARAMETERS_REVISION_1","features":[14]},{"name":"NET_BUFFER_POOL_PARAMETERS_REVISION_2","features":[14]},{"name":"NET_DEVICE_PNP_EVENT_REVISION_1","features":[14]},{"name":"NET_EVENT_FLAGS_VPORT_ID_VALID","features":[14]},{"name":"NET_EVENT_HALT_MINIPORT_ON_LOW_POWER","features":[14]},{"name":"NET_PNP_EVENT_NOTIFICATION_REVISION_1","features":[14]},{"name":"NET_PNP_EVENT_NOTIFICATION_REVISION_2","features":[14]},{"name":"NULL_FILTER","features":[14]},{"name":"Ndis802_11AuthModeAutoSwitch","features":[14]},{"name":"Ndis802_11AuthModeMax","features":[14]},{"name":"Ndis802_11AuthModeOpen","features":[14]},{"name":"Ndis802_11AuthModeShared","features":[14]},{"name":"Ndis802_11AuthModeWPA","features":[14]},{"name":"Ndis802_11AuthModeWPA2","features":[14]},{"name":"Ndis802_11AuthModeWPA2PSK","features":[14]},{"name":"Ndis802_11AuthModeWPA3","features":[14]},{"name":"Ndis802_11AuthModeWPA3Ent","features":[14]},{"name":"Ndis802_11AuthModeWPA3Ent192","features":[14]},{"name":"Ndis802_11AuthModeWPA3SAE","features":[14]},{"name":"Ndis802_11AuthModeWPANone","features":[14]},{"name":"Ndis802_11AuthModeWPAPSK","features":[14]},{"name":"Ndis802_11AutoUnknown","features":[14]},{"name":"Ndis802_11Automode","features":[14]},{"name":"Ndis802_11DS","features":[14]},{"name":"Ndis802_11Encryption1Enabled","features":[14]},{"name":"Ndis802_11Encryption1KeyAbsent","features":[14]},{"name":"Ndis802_11Encryption2Enabled","features":[14]},{"name":"Ndis802_11Encryption2KeyAbsent","features":[14]},{"name":"Ndis802_11Encryption3Enabled","features":[14]},{"name":"Ndis802_11Encryption3KeyAbsent","features":[14]},{"name":"Ndis802_11EncryptionDisabled","features":[14]},{"name":"Ndis802_11EncryptionNotSupported","features":[14]},{"name":"Ndis802_11FH","features":[14]},{"name":"Ndis802_11IBSS","features":[14]},{"name":"Ndis802_11Infrastructure","features":[14]},{"name":"Ndis802_11InfrastructureMax","features":[14]},{"name":"Ndis802_11MediaStreamOff","features":[14]},{"name":"Ndis802_11MediaStreamOn","features":[14]},{"name":"Ndis802_11NetworkTypeMax","features":[14]},{"name":"Ndis802_11OFDM24","features":[14]},{"name":"Ndis802_11OFDM5","features":[14]},{"name":"Ndis802_11PowerModeCAM","features":[14]},{"name":"Ndis802_11PowerModeFast_PSP","features":[14]},{"name":"Ndis802_11PowerModeMAX_PSP","features":[14]},{"name":"Ndis802_11PowerModeMax","features":[14]},{"name":"Ndis802_11PrivFilter8021xWEP","features":[14]},{"name":"Ndis802_11PrivFilterAcceptAll","features":[14]},{"name":"Ndis802_11RadioStatusHardwareOff","features":[14]},{"name":"Ndis802_11RadioStatusHardwareSoftwareOff","features":[14]},{"name":"Ndis802_11RadioStatusMax","features":[14]},{"name":"Ndis802_11RadioStatusOn","features":[14]},{"name":"Ndis802_11RadioStatusSoftwareOff","features":[14]},{"name":"Ndis802_11ReloadWEPKeys","features":[14]},{"name":"Ndis802_11StatusTypeMax","features":[14]},{"name":"Ndis802_11StatusType_Authentication","features":[14]},{"name":"Ndis802_11StatusType_MediaStreamMode","features":[14]},{"name":"Ndis802_11StatusType_PMKID_CandidateList","features":[14]},{"name":"Ndis802_11WEPDisabled","features":[14]},{"name":"Ndis802_11WEPEnabled","features":[14]},{"name":"Ndis802_11WEPKeyAbsent","features":[14]},{"name":"Ndis802_11WEPNotSupported","features":[14]},{"name":"NdisAcquireReadWriteLock","features":[14,1]},{"name":"NdisAllocateMemoryWithTag","features":[14]},{"name":"NdisCancelTimer","features":[2,14,3,1,7]},{"name":"NdisClAddParty","features":[14]},{"name":"NdisClCloseAddressFamily","features":[14]},{"name":"NdisClCloseCall","features":[14]},{"name":"NdisClDeregisterSap","features":[14]},{"name":"NdisClDropParty","features":[14]},{"name":"NdisClGetProtocolVcContextFromTapiCallId","features":[14,1]},{"name":"NdisClIncomingCallComplete","features":[14]},{"name":"NdisClMakeCall","features":[14]},{"name":"NdisClModifyCallQoS","features":[14]},{"name":"NdisClRegisterSap","features":[14]},{"name":"NdisClass802_3Priority","features":[14]},{"name":"NdisClassAtmAALInfo","features":[14]},{"name":"NdisClassIrdaPacketInfo","features":[14]},{"name":"NdisClassWirelessWanMbxMailbox","features":[14]},{"name":"NdisCloseConfiguration","features":[14]},{"name":"NdisCloseFile","features":[14]},{"name":"NdisCmActivateVc","features":[14]},{"name":"NdisCmAddPartyComplete","features":[14]},{"name":"NdisCmCloseAddressFamilyComplete","features":[14]},{"name":"NdisCmCloseCallComplete","features":[14]},{"name":"NdisCmDeactivateVc","features":[14]},{"name":"NdisCmDeregisterSapComplete","features":[14]},{"name":"NdisCmDispatchCallConnected","features":[14]},{"name":"NdisCmDispatchIncomingCall","features":[14]},{"name":"NdisCmDispatchIncomingCallQoSChange","features":[14]},{"name":"NdisCmDispatchIncomingCloseCall","features":[14]},{"name":"NdisCmDispatchIncomingDropParty","features":[14]},{"name":"NdisCmDropPartyComplete","features":[14]},{"name":"NdisCmMakeCallComplete","features":[14]},{"name":"NdisCmModifyCallQoSComplete","features":[14]},{"name":"NdisCmOpenAddressFamilyComplete","features":[14]},{"name":"NdisCmRegisterSapComplete","features":[14]},{"name":"NdisCoAssignInstanceName","features":[14,1]},{"name":"NdisCoCreateVc","features":[14]},{"name":"NdisCoDeleteVc","features":[14]},{"name":"NdisCoGetTapiCallId","features":[14]},{"name":"NdisCompleteDmaTransfer","features":[2,14,1]},{"name":"NdisCopyBuffer","features":[2,14]},{"name":"NdisDefinitelyNetworkChange","features":[14]},{"name":"NdisDeregisterTdiCallBack","features":[14]},{"name":"NdisDevicePnPEventMaximum","features":[14]},{"name":"NdisDevicePnPEventPowerProfileChanged","features":[14]},{"name":"NdisDevicePnPEventQueryRemoved","features":[14]},{"name":"NdisDevicePnPEventQueryStopped","features":[14]},{"name":"NdisDevicePnPEventRemoved","features":[14]},{"name":"NdisDevicePnPEventStopped","features":[14]},{"name":"NdisDevicePnPEventSurpriseRemoved","features":[14]},{"name":"NdisDeviceStateD0","features":[14]},{"name":"NdisDeviceStateD1","features":[14]},{"name":"NdisDeviceStateD2","features":[14]},{"name":"NdisDeviceStateD3","features":[14]},{"name":"NdisDeviceStateMaximum","features":[14]},{"name":"NdisDeviceStateUnspecified","features":[14]},{"name":"NdisEnvironmentWindows","features":[14]},{"name":"NdisEnvironmentWindowsNt","features":[14]},{"name":"NdisFddiRingDetect","features":[14]},{"name":"NdisFddiRingDirected","features":[14]},{"name":"NdisFddiRingIsolated","features":[14]},{"name":"NdisFddiRingNonOperational","features":[14]},{"name":"NdisFddiRingNonOperationalDup","features":[14]},{"name":"NdisFddiRingOperational","features":[14]},{"name":"NdisFddiRingOperationalDup","features":[14]},{"name":"NdisFddiRingTrace","features":[14]},{"name":"NdisFddiStateActive","features":[14]},{"name":"NdisFddiStateBreak","features":[14]},{"name":"NdisFddiStateConnect","features":[14]},{"name":"NdisFddiStateJoin","features":[14]},{"name":"NdisFddiStateMaintenance","features":[14]},{"name":"NdisFddiStateNext","features":[14]},{"name":"NdisFddiStateOff","features":[14]},{"name":"NdisFddiStateSignal","features":[14]},{"name":"NdisFddiStateTrace","features":[14]},{"name":"NdisFddiStateVerify","features":[14]},{"name":"NdisFddiTypeCWrapA","features":[14]},{"name":"NdisFddiTypeCWrapB","features":[14]},{"name":"NdisFddiTypeCWrapS","features":[14]},{"name":"NdisFddiTypeIsolated","features":[14]},{"name":"NdisFddiTypeLocalA","features":[14]},{"name":"NdisFddiTypeLocalAB","features":[14]},{"name":"NdisFddiTypeLocalB","features":[14]},{"name":"NdisFddiTypeLocalS","features":[14]},{"name":"NdisFddiTypeThrough","features":[14]},{"name":"NdisFddiTypeWrapA","features":[14]},{"name":"NdisFddiTypeWrapAB","features":[14]},{"name":"NdisFddiTypeWrapB","features":[14]},{"name":"NdisFddiTypeWrapS","features":[14]},{"name":"NdisFreeMemory","features":[14]},{"name":"NdisGeneratePartialCancelId","features":[14]},{"name":"NdisGetCurrentProcessorCounts","features":[14]},{"name":"NdisGetCurrentProcessorCpuUsage","features":[14]},{"name":"NdisGetRoutineAddress","features":[14,1]},{"name":"NdisGetSharedDataAlignment","features":[14]},{"name":"NdisGetVersion","features":[14]},{"name":"NdisHardwareStatusClosing","features":[14]},{"name":"NdisHardwareStatusInitializing","features":[14]},{"name":"NdisHardwareStatusNotReady","features":[14]},{"name":"NdisHardwareStatusReady","features":[14]},{"name":"NdisHardwareStatusReset","features":[14]},{"name":"NdisHashFunctionReserved1","features":[14]},{"name":"NdisHashFunctionReserved2","features":[14]},{"name":"NdisHashFunctionReserved3","features":[14]},{"name":"NdisHashFunctionToeplitz","features":[14]},{"name":"NdisIMAssociateMiniport","features":[14]},{"name":"NdisIMCancelInitializeDeviceInstance","features":[14,1]},{"name":"NdisIMDeInitializeDeviceInstance","features":[14]},{"name":"NdisIMGetBindingContext","features":[14]},{"name":"NdisIMInitializeDeviceInstanceEx","features":[14,1]},{"name":"NdisInitializeEvent","features":[2,14,1,7]},{"name":"NdisInitializeReadWriteLock","features":[14,1]},{"name":"NdisInitializeString","features":[14,1]},{"name":"NdisInitializeTimer","features":[2,14,3,1,7]},{"name":"NdisInterface1394","features":[14]},{"name":"NdisInterfaceCBus","features":[14]},{"name":"NdisInterfaceEisa","features":[14]},{"name":"NdisInterfaceInternal","features":[14]},{"name":"NdisInterfaceInternalPowerBus","features":[14]},{"name":"NdisInterfaceIrda","features":[14]},{"name":"NdisInterfaceIsa","features":[14]},{"name":"NdisInterfaceMPIBus","features":[14]},{"name":"NdisInterfaceMPSABus","features":[14]},{"name":"NdisInterfaceMca","features":[14]},{"name":"NdisInterfacePNPBus","features":[14]},{"name":"NdisInterfacePNPISABus","features":[14]},{"name":"NdisInterfacePcMcia","features":[14]},{"name":"NdisInterfacePci","features":[14]},{"name":"NdisInterfaceProcessorInternal","features":[14]},{"name":"NdisInterfaceTurboChannel","features":[14]},{"name":"NdisInterfaceUSB","features":[14]},{"name":"NdisInterruptModerationDisabled","features":[14]},{"name":"NdisInterruptModerationEnabled","features":[14]},{"name":"NdisInterruptModerationNotSupported","features":[14]},{"name":"NdisInterruptModerationUnknown","features":[14]},{"name":"NdisMAllocateSharedMemory","features":[14,1]},{"name":"NdisMAllocateSharedMemoryAsync","features":[14,1]},{"name":"NdisMCancelTimer","features":[2,14,3,1,7]},{"name":"NdisMCloseLog","features":[14]},{"name":"NdisMCmActivateVc","features":[14]},{"name":"NdisMCmCreateVc","features":[14]},{"name":"NdisMCmDeactivateVc","features":[14]},{"name":"NdisMCmDeleteVc","features":[14]},{"name":"NdisMCmRegisterAddressFamily","features":[14]},{"name":"NdisMCoActivateVcComplete","features":[14]},{"name":"NdisMCoDeactivateVcComplete","features":[14]},{"name":"NdisMCreateLog","features":[14]},{"name":"NdisMDeregisterDmaChannel","features":[14]},{"name":"NdisMDeregisterIoPortRange","features":[14]},{"name":"NdisMFlushLog","features":[14]},{"name":"NdisMFreeSharedMemory","features":[14,1]},{"name":"NdisMGetDeviceProperty","features":[2,14,5,3,1,4,6,7,8]},{"name":"NdisMGetDmaAlignment","features":[14]},{"name":"NdisMInitializeTimer","features":[2,14,3,1,7]},{"name":"NdisMMapIoSpace","features":[14]},{"name":"NdisMQueryAdapterInstanceName","features":[14,1]},{"name":"NdisMReadDmaCounter","features":[14]},{"name":"NdisMRegisterDmaChannel","features":[14,3,1]},{"name":"NdisMRegisterIoPortRange","features":[14]},{"name":"NdisMRemoveMiniport","features":[14]},{"name":"NdisMSetPeriodicTimer","features":[2,14,3,1,7]},{"name":"NdisMSleep","features":[14]},{"name":"NdisMUnmapIoSpace","features":[14]},{"name":"NdisMWriteLogData","features":[14]},{"name":"NdisMapFile","features":[14]},{"name":"NdisMaximumInterfaceType","features":[14]},{"name":"NdisMediaStateConnected","features":[14]},{"name":"NdisMediaStateDisconnected","features":[14]},{"name":"NdisMedium1394","features":[14]},{"name":"NdisMedium802_3","features":[14]},{"name":"NdisMedium802_5","features":[14]},{"name":"NdisMediumArcnet878_2","features":[14]},{"name":"NdisMediumArcnetRaw","features":[14]},{"name":"NdisMediumAtm","features":[14]},{"name":"NdisMediumBpc","features":[14]},{"name":"NdisMediumCoWan","features":[14]},{"name":"NdisMediumDix","features":[14]},{"name":"NdisMediumFddi","features":[14]},{"name":"NdisMediumIP","features":[14]},{"name":"NdisMediumInfiniBand","features":[14]},{"name":"NdisMediumIrda","features":[14]},{"name":"NdisMediumLocalTalk","features":[14]},{"name":"NdisMediumLoopback","features":[14]},{"name":"NdisMediumMax","features":[14]},{"name":"NdisMediumNative802_11","features":[14]},{"name":"NdisMediumTunnel","features":[14]},{"name":"NdisMediumWan","features":[14]},{"name":"NdisMediumWiMAX","features":[14]},{"name":"NdisMediumWirelessWan","features":[14]},{"name":"NdisNetworkChangeFromMediaConnect","features":[14]},{"name":"NdisNetworkChangeMax","features":[14]},{"name":"NdisOpenConfigurationKeyByIndex","features":[14,1]},{"name":"NdisOpenConfigurationKeyByName","features":[14,1]},{"name":"NdisOpenFile","features":[14,1]},{"name":"NdisParameterBinary","features":[14]},{"name":"NdisParameterHexInteger","features":[14]},{"name":"NdisParameterInteger","features":[14]},{"name":"NdisParameterMultiString","features":[14]},{"name":"NdisParameterString","features":[14]},{"name":"NdisPauseFunctionsReceiveOnly","features":[14]},{"name":"NdisPauseFunctionsSendAndReceive","features":[14]},{"name":"NdisPauseFunctionsSendOnly","features":[14]},{"name":"NdisPauseFunctionsUnknown","features":[14]},{"name":"NdisPauseFunctionsUnsupported","features":[14]},{"name":"NdisPhysicalMedium1394","features":[14]},{"name":"NdisPhysicalMedium802_3","features":[14]},{"name":"NdisPhysicalMedium802_5","features":[14]},{"name":"NdisPhysicalMediumBluetooth","features":[14]},{"name":"NdisPhysicalMediumCableModem","features":[14]},{"name":"NdisPhysicalMediumDSL","features":[14]},{"name":"NdisPhysicalMediumFibreChannel","features":[14]},{"name":"NdisPhysicalMediumInfiniband","features":[14]},{"name":"NdisPhysicalMediumIrda","features":[14]},{"name":"NdisPhysicalMediumMax","features":[14]},{"name":"NdisPhysicalMediumNative802_11","features":[14]},{"name":"NdisPhysicalMediumNative802_15_4","features":[14]},{"name":"NdisPhysicalMediumOther","features":[14]},{"name":"NdisPhysicalMediumPhoneLine","features":[14]},{"name":"NdisPhysicalMediumPowerLine","features":[14]},{"name":"NdisPhysicalMediumUWB","features":[14]},{"name":"NdisPhysicalMediumUnspecified","features":[14]},{"name":"NdisPhysicalMediumWiMax","features":[14]},{"name":"NdisPhysicalMediumWiredCoWan","features":[14]},{"name":"NdisPhysicalMediumWiredWAN","features":[14]},{"name":"NdisPhysicalMediumWirelessLan","features":[14]},{"name":"NdisPhysicalMediumWirelessWan","features":[14]},{"name":"NdisPortAuthorizationUnknown","features":[14]},{"name":"NdisPortAuthorized","features":[14]},{"name":"NdisPortControlStateControlled","features":[14]},{"name":"NdisPortControlStateUncontrolled","features":[14]},{"name":"NdisPortControlStateUnknown","features":[14]},{"name":"NdisPortReauthorizing","features":[14]},{"name":"NdisPortType8021xSupplicant","features":[14]},{"name":"NdisPortTypeBridge","features":[14]},{"name":"NdisPortTypeMax","features":[14]},{"name":"NdisPortTypeRasConnection","features":[14]},{"name":"NdisPortTypeUndefined","features":[14]},{"name":"NdisPortUnauthorized","features":[14]},{"name":"NdisPossibleNetworkChange","features":[14]},{"name":"NdisPowerProfileAcOnLine","features":[14]},{"name":"NdisPowerProfileBattery","features":[14]},{"name":"NdisProcessorAlpha","features":[14]},{"name":"NdisProcessorAmd64","features":[14]},{"name":"NdisProcessorArm","features":[14]},{"name":"NdisProcessorArm64","features":[14]},{"name":"NdisProcessorIA64","features":[14]},{"name":"NdisProcessorMips","features":[14]},{"name":"NdisProcessorPpc","features":[14]},{"name":"NdisProcessorVendorAuthenticAMD","features":[14]},{"name":"NdisProcessorVendorGenuinIntel","features":[14]},{"name":"NdisProcessorVendorGenuineIntel","features":[14]},{"name":"NdisProcessorVendorUnknown","features":[14]},{"name":"NdisProcessorX86","features":[14]},{"name":"NdisQueryAdapterInstanceName","features":[14,1]},{"name":"NdisQueryBindInstanceName","features":[14,1]},{"name":"NdisReEnumerateProtocolBindings","features":[14]},{"name":"NdisReadConfiguration","features":[14,1]},{"name":"NdisReadNetworkAddress","features":[14]},{"name":"NdisRegisterTdiCallBack","features":[14,1]},{"name":"NdisReleaseReadWriteLock","features":[14,1]},{"name":"NdisRequestClose","features":[14]},{"name":"NdisRequestGeneric1","features":[14]},{"name":"NdisRequestGeneric2","features":[14]},{"name":"NdisRequestGeneric3","features":[14]},{"name":"NdisRequestGeneric4","features":[14]},{"name":"NdisRequestOpen","features":[14]},{"name":"NdisRequestQueryInformation","features":[14]},{"name":"NdisRequestQueryStatistics","features":[14]},{"name":"NdisRequestReset","features":[14]},{"name":"NdisRequestSend","features":[14]},{"name":"NdisRequestSetInformation","features":[14]},{"name":"NdisRequestTransferData","features":[14]},{"name":"NdisReserved","features":[14]},{"name":"NdisResetEvent","features":[2,14,1,7]},{"name":"NdisRingStateClosed","features":[14]},{"name":"NdisRingStateClosing","features":[14]},{"name":"NdisRingStateOpenFailure","features":[14]},{"name":"NdisRingStateOpened","features":[14]},{"name":"NdisRingStateOpening","features":[14]},{"name":"NdisRingStateRingFailure","features":[14]},{"name":"NdisSetEvent","features":[2,14,1,7]},{"name":"NdisSetPeriodicTimer","features":[2,14,3,1,7]},{"name":"NdisSetTimer","features":[2,14,3,1,7]},{"name":"NdisSetTimerEx","features":[2,14,3,1,7]},{"name":"NdisSetupDmaTransfer","features":[2,14,1]},{"name":"NdisSystemProcessorCount","features":[14]},{"name":"NdisUnmapFile","features":[14]},{"name":"NdisUpdateSharedMemory","features":[14]},{"name":"NdisWaitEvent","features":[2,14,1,7]},{"name":"NdisWanErrorControl","features":[14]},{"name":"NdisWanHeaderEthernet","features":[14]},{"name":"NdisWanHeaderNative","features":[14]},{"name":"NdisWanMediumAgileVPN","features":[14]},{"name":"NdisWanMediumAtm","features":[14]},{"name":"NdisWanMediumFrameRelay","features":[14]},{"name":"NdisWanMediumGre","features":[14]},{"name":"NdisWanMediumHub","features":[14]},{"name":"NdisWanMediumIrda","features":[14]},{"name":"NdisWanMediumIsdn","features":[14]},{"name":"NdisWanMediumL2TP","features":[14]},{"name":"NdisWanMediumPPTP","features":[14]},{"name":"NdisWanMediumParallel","features":[14]},{"name":"NdisWanMediumPppoe","features":[14]},{"name":"NdisWanMediumSSTP","features":[14]},{"name":"NdisWanMediumSW56K","features":[14]},{"name":"NdisWanMediumSerial","features":[14]},{"name":"NdisWanMediumSonet","features":[14]},{"name":"NdisWanMediumSubTypeMax","features":[14]},{"name":"NdisWanMediumX_25","features":[14]},{"name":"NdisWanRaw","features":[14]},{"name":"NdisWanReliable","features":[14]},{"name":"NdisWriteConfiguration","features":[14,1]},{"name":"NdisWriteErrorLogEntry","features":[14]},{"name":"NdisWriteEventLogEntry","features":[14]},{"name":"OFFLOAD_ALGO_INFO","features":[14]},{"name":"OFFLOAD_CONF_ALGO","features":[14]},{"name":"OFFLOAD_INBOUND_SA","features":[14]},{"name":"OFFLOAD_INTEGRITY_ALGO","features":[14]},{"name":"OFFLOAD_IPSEC_ADD_SA","features":[14,1]},{"name":"OFFLOAD_IPSEC_ADD_UDPESP_SA","features":[14,1]},{"name":"OFFLOAD_IPSEC_CONF_3_DES","features":[14]},{"name":"OFFLOAD_IPSEC_CONF_DES","features":[14]},{"name":"OFFLOAD_IPSEC_CONF_MAX","features":[14]},{"name":"OFFLOAD_IPSEC_CONF_NONE","features":[14]},{"name":"OFFLOAD_IPSEC_CONF_RESERVED","features":[14]},{"name":"OFFLOAD_IPSEC_DELETE_SA","features":[14,1]},{"name":"OFFLOAD_IPSEC_DELETE_UDPESP_SA","features":[14,1]},{"name":"OFFLOAD_IPSEC_INTEGRITY_MAX","features":[14]},{"name":"OFFLOAD_IPSEC_INTEGRITY_MD5","features":[14]},{"name":"OFFLOAD_IPSEC_INTEGRITY_NONE","features":[14]},{"name":"OFFLOAD_IPSEC_INTEGRITY_SHA","features":[14]},{"name":"OFFLOAD_IPSEC_UDPESP_ENCAPTYPE_ENTRY","features":[14]},{"name":"OFFLOAD_IPSEC_UDPESP_ENCAPTYPE_IKE","features":[14]},{"name":"OFFLOAD_IPSEC_UDPESP_ENCAPTYPE_OTHER","features":[14]},{"name":"OFFLOAD_MAX_SAS","features":[14]},{"name":"OFFLOAD_OPERATION_E","features":[14]},{"name":"OFFLOAD_OUTBOUND_SA","features":[14]},{"name":"OFFLOAD_SECURITY_ASSOCIATION","features":[14]},{"name":"OID_1394_LOCAL_NODE_INFO","features":[14]},{"name":"OID_1394_VC_INFO","features":[14]},{"name":"OID_802_11_ADD_KEY","features":[14]},{"name":"OID_802_11_ADD_WEP","features":[14]},{"name":"OID_802_11_ASSOCIATION_INFORMATION","features":[14]},{"name":"OID_802_11_AUTHENTICATION_MODE","features":[14]},{"name":"OID_802_11_BSSID","features":[14]},{"name":"OID_802_11_BSSID_LIST","features":[14]},{"name":"OID_802_11_BSSID_LIST_SCAN","features":[14]},{"name":"OID_802_11_CAPABILITY","features":[14]},{"name":"OID_802_11_CONFIGURATION","features":[14]},{"name":"OID_802_11_DESIRED_RATES","features":[14]},{"name":"OID_802_11_DISASSOCIATE","features":[14]},{"name":"OID_802_11_ENCRYPTION_STATUS","features":[14]},{"name":"OID_802_11_FRAGMENTATION_THRESHOLD","features":[14]},{"name":"OID_802_11_INFRASTRUCTURE_MODE","features":[14]},{"name":"OID_802_11_MEDIA_STREAM_MODE","features":[14]},{"name":"OID_802_11_NETWORK_TYPES_SUPPORTED","features":[14]},{"name":"OID_802_11_NETWORK_TYPE_IN_USE","features":[14]},{"name":"OID_802_11_NON_BCAST_SSID_LIST","features":[14]},{"name":"OID_802_11_NUMBER_OF_ANTENNAS","features":[14]},{"name":"OID_802_11_PMKID","features":[14]},{"name":"OID_802_11_POWER_MODE","features":[14]},{"name":"OID_802_11_PRIVACY_FILTER","features":[14]},{"name":"OID_802_11_RADIO_STATUS","features":[14]},{"name":"OID_802_11_RELOAD_DEFAULTS","features":[14]},{"name":"OID_802_11_REMOVE_KEY","features":[14]},{"name":"OID_802_11_REMOVE_WEP","features":[14]},{"name":"OID_802_11_RSSI","features":[14]},{"name":"OID_802_11_RSSI_TRIGGER","features":[14]},{"name":"OID_802_11_RTS_THRESHOLD","features":[14]},{"name":"OID_802_11_RX_ANTENNA_SELECTED","features":[14]},{"name":"OID_802_11_SSID","features":[14]},{"name":"OID_802_11_STATISTICS","features":[14]},{"name":"OID_802_11_SUPPORTED_RATES","features":[14]},{"name":"OID_802_11_TEST","features":[14]},{"name":"OID_802_11_TX_ANTENNA_SELECTED","features":[14]},{"name":"OID_802_11_TX_POWER_LEVEL","features":[14]},{"name":"OID_802_11_WEP_STATUS","features":[14]},{"name":"OID_802_3_ADD_MULTICAST_ADDRESS","features":[14]},{"name":"OID_802_3_CURRENT_ADDRESS","features":[14]},{"name":"OID_802_3_DELETE_MULTICAST_ADDRESS","features":[14]},{"name":"OID_802_3_MAC_OPTIONS","features":[14]},{"name":"OID_802_3_MAXIMUM_LIST_SIZE","features":[14]},{"name":"OID_802_3_MULTICAST_LIST","features":[14]},{"name":"OID_802_3_PERMANENT_ADDRESS","features":[14]},{"name":"OID_802_3_RCV_ERROR_ALIGNMENT","features":[14]},{"name":"OID_802_3_RCV_OVERRUN","features":[14]},{"name":"OID_802_3_XMIT_DEFERRED","features":[14]},{"name":"OID_802_3_XMIT_HEARTBEAT_FAILURE","features":[14]},{"name":"OID_802_3_XMIT_LATE_COLLISIONS","features":[14]},{"name":"OID_802_3_XMIT_MAX_COLLISIONS","features":[14]},{"name":"OID_802_3_XMIT_MORE_COLLISIONS","features":[14]},{"name":"OID_802_3_XMIT_ONE_COLLISION","features":[14]},{"name":"OID_802_3_XMIT_TIMES_CRS_LOST","features":[14]},{"name":"OID_802_3_XMIT_UNDERRUN","features":[14]},{"name":"OID_802_5_ABORT_DELIMETERS","features":[14]},{"name":"OID_802_5_AC_ERRORS","features":[14]},{"name":"OID_802_5_BURST_ERRORS","features":[14]},{"name":"OID_802_5_CURRENT_ADDRESS","features":[14]},{"name":"OID_802_5_CURRENT_FUNCTIONAL","features":[14]},{"name":"OID_802_5_CURRENT_GROUP","features":[14]},{"name":"OID_802_5_CURRENT_RING_STATE","features":[14]},{"name":"OID_802_5_CURRENT_RING_STATUS","features":[14]},{"name":"OID_802_5_FRAME_COPIED_ERRORS","features":[14]},{"name":"OID_802_5_FREQUENCY_ERRORS","features":[14]},{"name":"OID_802_5_INTERNAL_ERRORS","features":[14]},{"name":"OID_802_5_LAST_OPEN_STATUS","features":[14]},{"name":"OID_802_5_LINE_ERRORS","features":[14]},{"name":"OID_802_5_LOST_FRAMES","features":[14]},{"name":"OID_802_5_PERMANENT_ADDRESS","features":[14]},{"name":"OID_802_5_TOKEN_ERRORS","features":[14]},{"name":"OID_ARCNET_CURRENT_ADDRESS","features":[14]},{"name":"OID_ARCNET_PERMANENT_ADDRESS","features":[14]},{"name":"OID_ARCNET_RECONFIGURATIONS","features":[14]},{"name":"OID_ATM_ACQUIRE_ACCESS_NET_RESOURCES","features":[14]},{"name":"OID_ATM_ALIGNMENT_REQUIRED","features":[14]},{"name":"OID_ATM_ASSIGNED_VPI","features":[14]},{"name":"OID_ATM_CALL_ALERTING","features":[14]},{"name":"OID_ATM_CALL_NOTIFY","features":[14]},{"name":"OID_ATM_CALL_PROCEEDING","features":[14]},{"name":"OID_ATM_CELLS_HEC_ERROR","features":[14]},{"name":"OID_ATM_DIGITAL_BROADCAST_VPIVCI","features":[14]},{"name":"OID_ATM_GET_NEAREST_FLOW","features":[14]},{"name":"OID_ATM_HW_CURRENT_ADDRESS","features":[14]},{"name":"OID_ATM_ILMI_VPIVCI","features":[14]},{"name":"OID_ATM_LECS_ADDRESS","features":[14]},{"name":"OID_ATM_MAX_AAL0_PACKET_SIZE","features":[14]},{"name":"OID_ATM_MAX_AAL1_PACKET_SIZE","features":[14]},{"name":"OID_ATM_MAX_AAL34_PACKET_SIZE","features":[14]},{"name":"OID_ATM_MAX_AAL5_PACKET_SIZE","features":[14]},{"name":"OID_ATM_MAX_ACTIVE_VCI_BITS","features":[14]},{"name":"OID_ATM_MAX_ACTIVE_VCS","features":[14]},{"name":"OID_ATM_MAX_ACTIVE_VPI_BITS","features":[14]},{"name":"OID_ATM_MY_IP_NM_ADDRESS","features":[14]},{"name":"OID_ATM_PARTY_ALERTING","features":[14]},{"name":"OID_ATM_RCV_CELLS_DROPPED","features":[14]},{"name":"OID_ATM_RCV_CELLS_OK","features":[14]},{"name":"OID_ATM_RCV_INVALID_VPI_VCI","features":[14]},{"name":"OID_ATM_RCV_REASSEMBLY_ERROR","features":[14]},{"name":"OID_ATM_RELEASE_ACCESS_NET_RESOURCES","features":[14]},{"name":"OID_ATM_SERVICE_ADDRESS","features":[14]},{"name":"OID_ATM_SIGNALING_VPIVCI","features":[14]},{"name":"OID_ATM_SUPPORTED_AAL_TYPES","features":[14]},{"name":"OID_ATM_SUPPORTED_SERVICE_CATEGORY","features":[14]},{"name":"OID_ATM_SUPPORTED_VC_RATES","features":[14]},{"name":"OID_ATM_XMIT_CELLS_OK","features":[14]},{"name":"OID_CO_ADDRESS_CHANGE","features":[14]},{"name":"OID_CO_ADD_ADDRESS","features":[14]},{"name":"OID_CO_ADD_PVC","features":[14]},{"name":"OID_CO_AF_CLOSE","features":[14]},{"name":"OID_CO_DELETE_ADDRESS","features":[14]},{"name":"OID_CO_DELETE_PVC","features":[14]},{"name":"OID_CO_GET_ADDRESSES","features":[14]},{"name":"OID_CO_GET_CALL_INFORMATION","features":[14]},{"name":"OID_CO_SIGNALING_DISABLED","features":[14]},{"name":"OID_CO_SIGNALING_ENABLED","features":[14]},{"name":"OID_CO_TAPI_ADDRESS_CAPS","features":[14]},{"name":"OID_CO_TAPI_CM_CAPS","features":[14]},{"name":"OID_CO_TAPI_DONT_REPORT_DIGITS","features":[14]},{"name":"OID_CO_TAPI_GET_CALL_DIAGNOSTICS","features":[14]},{"name":"OID_CO_TAPI_LINE_CAPS","features":[14]},{"name":"OID_CO_TAPI_REPORT_DIGITS","features":[14]},{"name":"OID_CO_TAPI_TRANSLATE_NDIS_CALLPARAMS","features":[14]},{"name":"OID_CO_TAPI_TRANSLATE_TAPI_CALLPARAMS","features":[14]},{"name":"OID_CO_TAPI_TRANSLATE_TAPI_SAP","features":[14]},{"name":"OID_FDDI_ATTACHMENT_TYPE","features":[14]},{"name":"OID_FDDI_DOWNSTREAM_NODE_LONG","features":[14]},{"name":"OID_FDDI_FRAMES_LOST","features":[14]},{"name":"OID_FDDI_FRAME_ERRORS","features":[14]},{"name":"OID_FDDI_IF_ADMIN_STATUS","features":[14]},{"name":"OID_FDDI_IF_DESCR","features":[14]},{"name":"OID_FDDI_IF_IN_DISCARDS","features":[14]},{"name":"OID_FDDI_IF_IN_ERRORS","features":[14]},{"name":"OID_FDDI_IF_IN_NUCAST_PKTS","features":[14]},{"name":"OID_FDDI_IF_IN_OCTETS","features":[14]},{"name":"OID_FDDI_IF_IN_UCAST_PKTS","features":[14]},{"name":"OID_FDDI_IF_IN_UNKNOWN_PROTOS","features":[14]},{"name":"OID_FDDI_IF_LAST_CHANGE","features":[14]},{"name":"OID_FDDI_IF_MTU","features":[14]},{"name":"OID_FDDI_IF_OPER_STATUS","features":[14]},{"name":"OID_FDDI_IF_OUT_DISCARDS","features":[14]},{"name":"OID_FDDI_IF_OUT_ERRORS","features":[14]},{"name":"OID_FDDI_IF_OUT_NUCAST_PKTS","features":[14]},{"name":"OID_FDDI_IF_OUT_OCTETS","features":[14]},{"name":"OID_FDDI_IF_OUT_QLEN","features":[14]},{"name":"OID_FDDI_IF_OUT_UCAST_PKTS","features":[14]},{"name":"OID_FDDI_IF_PHYS_ADDRESS","features":[14]},{"name":"OID_FDDI_IF_SPECIFIC","features":[14]},{"name":"OID_FDDI_IF_SPEED","features":[14]},{"name":"OID_FDDI_IF_TYPE","features":[14]},{"name":"OID_FDDI_LCONNECTION_STATE","features":[14]},{"name":"OID_FDDI_LCT_FAILURES","features":[14]},{"name":"OID_FDDI_LEM_REJECTS","features":[14]},{"name":"OID_FDDI_LONG_CURRENT_ADDR","features":[14]},{"name":"OID_FDDI_LONG_MAX_LIST_SIZE","features":[14]},{"name":"OID_FDDI_LONG_MULTICAST_LIST","features":[14]},{"name":"OID_FDDI_LONG_PERMANENT_ADDR","features":[14]},{"name":"OID_FDDI_MAC_AVAILABLE_PATHS","features":[14]},{"name":"OID_FDDI_MAC_BRIDGE_FUNCTIONS","features":[14]},{"name":"OID_FDDI_MAC_COPIED_CT","features":[14]},{"name":"OID_FDDI_MAC_CURRENT_PATH","features":[14]},{"name":"OID_FDDI_MAC_DA_FLAG","features":[14]},{"name":"OID_FDDI_MAC_DOWNSTREAM_NBR","features":[14]},{"name":"OID_FDDI_MAC_DOWNSTREAM_PORT_TYPE","features":[14]},{"name":"OID_FDDI_MAC_DUP_ADDRESS_TEST","features":[14]},{"name":"OID_FDDI_MAC_ERROR_CT","features":[14]},{"name":"OID_FDDI_MAC_FRAME_CT","features":[14]},{"name":"OID_FDDI_MAC_FRAME_ERROR_FLAG","features":[14]},{"name":"OID_FDDI_MAC_FRAME_ERROR_RATIO","features":[14]},{"name":"OID_FDDI_MAC_FRAME_ERROR_THRESHOLD","features":[14]},{"name":"OID_FDDI_MAC_FRAME_STATUS_FUNCTIONS","features":[14]},{"name":"OID_FDDI_MAC_HARDWARE_PRESENT","features":[14]},{"name":"OID_FDDI_MAC_INDEX","features":[14]},{"name":"OID_FDDI_MAC_LATE_CT","features":[14]},{"name":"OID_FDDI_MAC_LONG_GRP_ADDRESS","features":[14]},{"name":"OID_FDDI_MAC_LOST_CT","features":[14]},{"name":"OID_FDDI_MAC_MA_UNITDATA_AVAILABLE","features":[14]},{"name":"OID_FDDI_MAC_MA_UNITDATA_ENABLE","features":[14]},{"name":"OID_FDDI_MAC_NOT_COPIED_CT","features":[14]},{"name":"OID_FDDI_MAC_NOT_COPIED_FLAG","features":[14]},{"name":"OID_FDDI_MAC_NOT_COPIED_RATIO","features":[14]},{"name":"OID_FDDI_MAC_NOT_COPIED_THRESHOLD","features":[14]},{"name":"OID_FDDI_MAC_OLD_DOWNSTREAM_NBR","features":[14]},{"name":"OID_FDDI_MAC_OLD_UPSTREAM_NBR","features":[14]},{"name":"OID_FDDI_MAC_REQUESTED_PATHS","features":[14]},{"name":"OID_FDDI_MAC_RING_OP_CT","features":[14]},{"name":"OID_FDDI_MAC_RMT_STATE","features":[14]},{"name":"OID_FDDI_MAC_SHORT_GRP_ADDRESS","features":[14]},{"name":"OID_FDDI_MAC_SMT_ADDRESS","features":[14]},{"name":"OID_FDDI_MAC_TOKEN_CT","features":[14]},{"name":"OID_FDDI_MAC_TRANSMIT_CT","features":[14]},{"name":"OID_FDDI_MAC_TVX_CAPABILITY","features":[14]},{"name":"OID_FDDI_MAC_TVX_EXPIRED_CT","features":[14]},{"name":"OID_FDDI_MAC_TVX_VALUE","features":[14]},{"name":"OID_FDDI_MAC_T_MAX","features":[14]},{"name":"OID_FDDI_MAC_T_MAX_CAPABILITY","features":[14]},{"name":"OID_FDDI_MAC_T_NEG","features":[14]},{"name":"OID_FDDI_MAC_T_PRI0","features":[14]},{"name":"OID_FDDI_MAC_T_PRI1","features":[14]},{"name":"OID_FDDI_MAC_T_PRI2","features":[14]},{"name":"OID_FDDI_MAC_T_PRI3","features":[14]},{"name":"OID_FDDI_MAC_T_PRI4","features":[14]},{"name":"OID_FDDI_MAC_T_PRI5","features":[14]},{"name":"OID_FDDI_MAC_T_PRI6","features":[14]},{"name":"OID_FDDI_MAC_T_REQ","features":[14]},{"name":"OID_FDDI_MAC_UNDA_FLAG","features":[14]},{"name":"OID_FDDI_MAC_UPSTREAM_NBR","features":[14]},{"name":"OID_FDDI_PATH_CONFIGURATION","features":[14]},{"name":"OID_FDDI_PATH_INDEX","features":[14]},{"name":"OID_FDDI_PATH_MAX_T_REQ","features":[14]},{"name":"OID_FDDI_PATH_RING_LATENCY","features":[14]},{"name":"OID_FDDI_PATH_SBA_AVAILABLE","features":[14]},{"name":"OID_FDDI_PATH_SBA_OVERHEAD","features":[14]},{"name":"OID_FDDI_PATH_SBA_PAYLOAD","features":[14]},{"name":"OID_FDDI_PATH_TRACE_STATUS","features":[14]},{"name":"OID_FDDI_PATH_TVX_LOWER_BOUND","features":[14]},{"name":"OID_FDDI_PATH_T_MAX_LOWER_BOUND","features":[14]},{"name":"OID_FDDI_PATH_T_R_MODE","features":[14]},{"name":"OID_FDDI_PORT_ACTION","features":[14]},{"name":"OID_FDDI_PORT_AVAILABLE_PATHS","features":[14]},{"name":"OID_FDDI_PORT_BS_FLAG","features":[14]},{"name":"OID_FDDI_PORT_CONNECTION_CAPABILITIES","features":[14]},{"name":"OID_FDDI_PORT_CONNECTION_POLICIES","features":[14]},{"name":"OID_FDDI_PORT_CONNNECT_STATE","features":[14]},{"name":"OID_FDDI_PORT_CURRENT_PATH","features":[14]},{"name":"OID_FDDI_PORT_EB_ERROR_CT","features":[14]},{"name":"OID_FDDI_PORT_HARDWARE_PRESENT","features":[14]},{"name":"OID_FDDI_PORT_INDEX","features":[14]},{"name":"OID_FDDI_PORT_LCT_FAIL_CT","features":[14]},{"name":"OID_FDDI_PORT_LEM_CT","features":[14]},{"name":"OID_FDDI_PORT_LEM_REJECT_CT","features":[14]},{"name":"OID_FDDI_PORT_LER_ALARM","features":[14]},{"name":"OID_FDDI_PORT_LER_CUTOFF","features":[14]},{"name":"OID_FDDI_PORT_LER_ESTIMATE","features":[14]},{"name":"OID_FDDI_PORT_LER_FLAG","features":[14]},{"name":"OID_FDDI_PORT_MAC_INDICATED","features":[14]},{"name":"OID_FDDI_PORT_MAC_LOOP_TIME","features":[14]},{"name":"OID_FDDI_PORT_MAC_PLACEMENT","features":[14]},{"name":"OID_FDDI_PORT_MAINT_LS","features":[14]},{"name":"OID_FDDI_PORT_MY_TYPE","features":[14]},{"name":"OID_FDDI_PORT_NEIGHBOR_TYPE","features":[14]},{"name":"OID_FDDI_PORT_PCM_STATE","features":[14]},{"name":"OID_FDDI_PORT_PC_LS","features":[14]},{"name":"OID_FDDI_PORT_PC_WITHHOLD","features":[14]},{"name":"OID_FDDI_PORT_PMD_CLASS","features":[14]},{"name":"OID_FDDI_PORT_REQUESTED_PATHS","features":[14]},{"name":"OID_FDDI_RING_MGT_STATE","features":[14]},{"name":"OID_FDDI_SHORT_CURRENT_ADDR","features":[14]},{"name":"OID_FDDI_SHORT_MAX_LIST_SIZE","features":[14]},{"name":"OID_FDDI_SHORT_MULTICAST_LIST","features":[14]},{"name":"OID_FDDI_SHORT_PERMANENT_ADDR","features":[14]},{"name":"OID_FDDI_SMT_AVAILABLE_PATHS","features":[14]},{"name":"OID_FDDI_SMT_BYPASS_PRESENT","features":[14]},{"name":"OID_FDDI_SMT_CF_STATE","features":[14]},{"name":"OID_FDDI_SMT_CONFIG_CAPABILITIES","features":[14]},{"name":"OID_FDDI_SMT_CONFIG_POLICY","features":[14]},{"name":"OID_FDDI_SMT_CONNECTION_POLICY","features":[14]},{"name":"OID_FDDI_SMT_ECM_STATE","features":[14]},{"name":"OID_FDDI_SMT_HI_VERSION_ID","features":[14]},{"name":"OID_FDDI_SMT_HOLD_STATE","features":[14]},{"name":"OID_FDDI_SMT_LAST_SET_STATION_ID","features":[14]},{"name":"OID_FDDI_SMT_LO_VERSION_ID","features":[14]},{"name":"OID_FDDI_SMT_MAC_CT","features":[14]},{"name":"OID_FDDI_SMT_MAC_INDEXES","features":[14]},{"name":"OID_FDDI_SMT_MANUFACTURER_DATA","features":[14]},{"name":"OID_FDDI_SMT_MASTER_CT","features":[14]},{"name":"OID_FDDI_SMT_MIB_VERSION_ID","features":[14]},{"name":"OID_FDDI_SMT_MSG_TIME_STAMP","features":[14]},{"name":"OID_FDDI_SMT_NON_MASTER_CT","features":[14]},{"name":"OID_FDDI_SMT_OP_VERSION_ID","features":[14]},{"name":"OID_FDDI_SMT_PEER_WRAP_FLAG","features":[14]},{"name":"OID_FDDI_SMT_PORT_INDEXES","features":[14]},{"name":"OID_FDDI_SMT_REMOTE_DISCONNECT_FLAG","features":[14]},{"name":"OID_FDDI_SMT_SET_COUNT","features":[14]},{"name":"OID_FDDI_SMT_STATION_ACTION","features":[14]},{"name":"OID_FDDI_SMT_STATION_ID","features":[14]},{"name":"OID_FDDI_SMT_STATION_STATUS","features":[14]},{"name":"OID_FDDI_SMT_STAT_RPT_POLICY","features":[14]},{"name":"OID_FDDI_SMT_TRACE_MAX_EXPIRATION","features":[14]},{"name":"OID_FDDI_SMT_TRANSITION_TIME_STAMP","features":[14]},{"name":"OID_FDDI_SMT_T_NOTIFY","features":[14]},{"name":"OID_FDDI_SMT_USER_DATA","features":[14]},{"name":"OID_FDDI_UPSTREAM_NODE_LONG","features":[14]},{"name":"OID_FFP_ADAPTER_STATS","features":[14]},{"name":"OID_FFP_CONTROL","features":[14]},{"name":"OID_FFP_DATA","features":[14]},{"name":"OID_FFP_DRIVER_STATS","features":[14]},{"name":"OID_FFP_FLUSH","features":[14]},{"name":"OID_FFP_PARAMS","features":[14]},{"name":"OID_FFP_SUPPORT","features":[14]},{"name":"OID_GEN_ADMIN_STATUS","features":[14]},{"name":"OID_GEN_ALIAS","features":[14]},{"name":"OID_GEN_BROADCAST_BYTES_RCV","features":[14]},{"name":"OID_GEN_BROADCAST_BYTES_XMIT","features":[14]},{"name":"OID_GEN_BROADCAST_FRAMES_RCV","features":[14]},{"name":"OID_GEN_BROADCAST_FRAMES_XMIT","features":[14]},{"name":"OID_GEN_BYTES_RCV","features":[14]},{"name":"OID_GEN_BYTES_XMIT","features":[14]},{"name":"OID_GEN_CO_BYTES_RCV","features":[14]},{"name":"OID_GEN_CO_BYTES_XMIT","features":[14]},{"name":"OID_GEN_CO_BYTES_XMIT_OUTSTANDING","features":[14]},{"name":"OID_GEN_CO_DEVICE_PROFILE","features":[14]},{"name":"OID_GEN_CO_DRIVER_VERSION","features":[14]},{"name":"OID_GEN_CO_GET_NETCARD_TIME","features":[14]},{"name":"OID_GEN_CO_GET_TIME_CAPS","features":[14]},{"name":"OID_GEN_CO_HARDWARE_STATUS","features":[14]},{"name":"OID_GEN_CO_LINK_SPEED","features":[14]},{"name":"OID_GEN_CO_MAC_OPTIONS","features":[14]},{"name":"OID_GEN_CO_MEDIA_CONNECT_STATUS","features":[14]},{"name":"OID_GEN_CO_MEDIA_IN_USE","features":[14]},{"name":"OID_GEN_CO_MEDIA_SUPPORTED","features":[14]},{"name":"OID_GEN_CO_MINIMUM_LINK_SPEED","features":[14]},{"name":"OID_GEN_CO_NETCARD_LOAD","features":[14]},{"name":"OID_GEN_CO_PROTOCOL_OPTIONS","features":[14]},{"name":"OID_GEN_CO_RCV_CRC_ERROR","features":[14]},{"name":"OID_GEN_CO_RCV_PDUS_ERROR","features":[14]},{"name":"OID_GEN_CO_RCV_PDUS_NO_BUFFER","features":[14]},{"name":"OID_GEN_CO_RCV_PDUS_OK","features":[14]},{"name":"OID_GEN_CO_SUPPORTED_GUIDS","features":[14]},{"name":"OID_GEN_CO_SUPPORTED_LIST","features":[14]},{"name":"OID_GEN_CO_TRANSMIT_QUEUE_LENGTH","features":[14]},{"name":"OID_GEN_CO_VENDOR_DESCRIPTION","features":[14]},{"name":"OID_GEN_CO_VENDOR_DRIVER_VERSION","features":[14]},{"name":"OID_GEN_CO_VENDOR_ID","features":[14]},{"name":"OID_GEN_CO_XMIT_PDUS_ERROR","features":[14]},{"name":"OID_GEN_CO_XMIT_PDUS_OK","features":[14]},{"name":"OID_GEN_CURRENT_LOOKAHEAD","features":[14]},{"name":"OID_GEN_CURRENT_PACKET_FILTER","features":[14]},{"name":"OID_GEN_DEVICE_PROFILE","features":[14]},{"name":"OID_GEN_DIRECTED_BYTES_RCV","features":[14]},{"name":"OID_GEN_DIRECTED_BYTES_XMIT","features":[14]},{"name":"OID_GEN_DIRECTED_FRAMES_RCV","features":[14]},{"name":"OID_GEN_DIRECTED_FRAMES_XMIT","features":[14]},{"name":"OID_GEN_DISCONTINUITY_TIME","features":[14]},{"name":"OID_GEN_DRIVER_VERSION","features":[14]},{"name":"OID_GEN_ENUMERATE_PORTS","features":[14]},{"name":"OID_GEN_FRIENDLY_NAME","features":[14]},{"name":"OID_GEN_GET_NETCARD_TIME","features":[14]},{"name":"OID_GEN_GET_TIME_CAPS","features":[14]},{"name":"OID_GEN_HARDWARE_STATUS","features":[14]},{"name":"OID_GEN_HD_SPLIT_CURRENT_CONFIG","features":[14]},{"name":"OID_GEN_HD_SPLIT_PARAMETERS","features":[14]},{"name":"OID_GEN_INIT_TIME_MS","features":[14]},{"name":"OID_GEN_INTERFACE_INFO","features":[14]},{"name":"OID_GEN_INTERRUPT_MODERATION","features":[14]},{"name":"OID_GEN_IP_OPER_STATUS","features":[14]},{"name":"OID_GEN_ISOLATION_PARAMETERS","features":[14]},{"name":"OID_GEN_LAST_CHANGE","features":[14]},{"name":"OID_GEN_LINK_PARAMETERS","features":[14]},{"name":"OID_GEN_LINK_SPEED","features":[14]},{"name":"OID_GEN_LINK_SPEED_EX","features":[14]},{"name":"OID_GEN_LINK_STATE","features":[14]},{"name":"OID_GEN_MACHINE_NAME","features":[14]},{"name":"OID_GEN_MAC_ADDRESS","features":[14]},{"name":"OID_GEN_MAC_OPTIONS","features":[14]},{"name":"OID_GEN_MAXIMUM_FRAME_SIZE","features":[14]},{"name":"OID_GEN_MAXIMUM_LOOKAHEAD","features":[14]},{"name":"OID_GEN_MAXIMUM_SEND_PACKETS","features":[14]},{"name":"OID_GEN_MAXIMUM_TOTAL_SIZE","features":[14]},{"name":"OID_GEN_MAX_LINK_SPEED","features":[14]},{"name":"OID_GEN_MEDIA_CAPABILITIES","features":[14]},{"name":"OID_GEN_MEDIA_CONNECT_STATUS","features":[14]},{"name":"OID_GEN_MEDIA_CONNECT_STATUS_EX","features":[14]},{"name":"OID_GEN_MEDIA_DUPLEX_STATE","features":[14]},{"name":"OID_GEN_MEDIA_IN_USE","features":[14]},{"name":"OID_GEN_MEDIA_SENSE_COUNTS","features":[14]},{"name":"OID_GEN_MEDIA_SUPPORTED","features":[14]},{"name":"OID_GEN_MINIPORT_RESTART_ATTRIBUTES","features":[14]},{"name":"OID_GEN_MULTICAST_BYTES_RCV","features":[14]},{"name":"OID_GEN_MULTICAST_BYTES_XMIT","features":[14]},{"name":"OID_GEN_MULTICAST_FRAMES_RCV","features":[14]},{"name":"OID_GEN_MULTICAST_FRAMES_XMIT","features":[14]},{"name":"OID_GEN_NDIS_RESERVED_1","features":[14]},{"name":"OID_GEN_NDIS_RESERVED_2","features":[14]},{"name":"OID_GEN_NDIS_RESERVED_3","features":[14]},{"name":"OID_GEN_NDIS_RESERVED_4","features":[14]},{"name":"OID_GEN_NDIS_RESERVED_5","features":[14]},{"name":"OID_GEN_NDIS_RESERVED_6","features":[14]},{"name":"OID_GEN_NDIS_RESERVED_7","features":[14]},{"name":"OID_GEN_NETCARD_LOAD","features":[14]},{"name":"OID_GEN_NETWORK_LAYER_ADDRESSES","features":[14]},{"name":"OID_GEN_OPERATIONAL_STATUS","features":[14]},{"name":"OID_GEN_PACKET_MONITOR","features":[14]},{"name":"OID_GEN_PCI_DEVICE_CUSTOM_PROPERTIES","features":[14]},{"name":"OID_GEN_PHYSICAL_MEDIUM","features":[14]},{"name":"OID_GEN_PHYSICAL_MEDIUM_EX","features":[14]},{"name":"OID_GEN_PORT_AUTHENTICATION_PARAMETERS","features":[14]},{"name":"OID_GEN_PORT_STATE","features":[14]},{"name":"OID_GEN_PROMISCUOUS_MODE","features":[14]},{"name":"OID_GEN_PROTOCOL_OPTIONS","features":[14]},{"name":"OID_GEN_RCV_CRC_ERROR","features":[14]},{"name":"OID_GEN_RCV_DISCARDS","features":[14]},{"name":"OID_GEN_RCV_ERROR","features":[14]},{"name":"OID_GEN_RCV_LINK_SPEED","features":[14]},{"name":"OID_GEN_RCV_NO_BUFFER","features":[14]},{"name":"OID_GEN_RCV_OK","features":[14]},{"name":"OID_GEN_RECEIVE_BLOCK_SIZE","features":[14]},{"name":"OID_GEN_RECEIVE_BUFFER_SPACE","features":[14]},{"name":"OID_GEN_RECEIVE_HASH","features":[14]},{"name":"OID_GEN_RECEIVE_SCALE_CAPABILITIES","features":[14]},{"name":"OID_GEN_RECEIVE_SCALE_PARAMETERS","features":[14]},{"name":"OID_GEN_RECEIVE_SCALE_PARAMETERS_V2","features":[14]},{"name":"OID_GEN_RESET_COUNTS","features":[14]},{"name":"OID_GEN_RNDIS_CONFIG_PARAMETER","features":[14]},{"name":"OID_GEN_RSS_SET_INDIRECTION_TABLE_ENTRIES","features":[14]},{"name":"OID_GEN_STATISTICS","features":[14]},{"name":"OID_GEN_SUPPORTED_GUIDS","features":[14]},{"name":"OID_GEN_SUPPORTED_LIST","features":[14]},{"name":"OID_GEN_TIMEOUT_DPC_REQUEST_CAPABILITIES","features":[14]},{"name":"OID_GEN_TRANSMIT_BLOCK_SIZE","features":[14]},{"name":"OID_GEN_TRANSMIT_BUFFER_SPACE","features":[14]},{"name":"OID_GEN_TRANSMIT_QUEUE_LENGTH","features":[14]},{"name":"OID_GEN_TRANSPORT_HEADER_OFFSET","features":[14]},{"name":"OID_GEN_UNKNOWN_PROTOS","features":[14]},{"name":"OID_GEN_VENDOR_DESCRIPTION","features":[14]},{"name":"OID_GEN_VENDOR_DRIVER_VERSION","features":[14]},{"name":"OID_GEN_VENDOR_ID","features":[14]},{"name":"OID_GEN_VLAN_ID","features":[14]},{"name":"OID_GEN_XMIT_DISCARDS","features":[14]},{"name":"OID_GEN_XMIT_ERROR","features":[14]},{"name":"OID_GEN_XMIT_LINK_SPEED","features":[14]},{"name":"OID_GEN_XMIT_OK","features":[14]},{"name":"OID_GFT_ACTIVATE_FLOW_ENTRIES","features":[14]},{"name":"OID_GFT_ADD_FLOW_ENTRIES","features":[14]},{"name":"OID_GFT_ALLOCATE_COUNTERS","features":[14]},{"name":"OID_GFT_COUNTER_VALUES","features":[14]},{"name":"OID_GFT_CREATE_LOGICAL_VPORT","features":[14]},{"name":"OID_GFT_CREATE_TABLE","features":[14]},{"name":"OID_GFT_CURRENT_CAPABILITIES","features":[14]},{"name":"OID_GFT_DEACTIVATE_FLOW_ENTRIES","features":[14]},{"name":"OID_GFT_DELETE_FLOW_ENTRIES","features":[14]},{"name":"OID_GFT_DELETE_LOGICAL_VPORT","features":[14]},{"name":"OID_GFT_DELETE_PROFILE","features":[14]},{"name":"OID_GFT_DELETE_TABLE","features":[14]},{"name":"OID_GFT_ENUM_COUNTERS","features":[14]},{"name":"OID_GFT_ENUM_FLOW_ENTRIES","features":[14]},{"name":"OID_GFT_ENUM_LOGICAL_VPORTS","features":[14]},{"name":"OID_GFT_ENUM_PROFILES","features":[14]},{"name":"OID_GFT_ENUM_TABLES","features":[14]},{"name":"OID_GFT_EXACT_MATCH_PROFILE","features":[14]},{"name":"OID_GFT_FLOW_ENTRY_PARAMETERS","features":[14]},{"name":"OID_GFT_FREE_COUNTERS","features":[14]},{"name":"OID_GFT_GLOBAL_PARAMETERS","features":[14]},{"name":"OID_GFT_HARDWARE_CAPABILITIES","features":[14]},{"name":"OID_GFT_HEADER_TRANSPOSITION_PROFILE","features":[14]},{"name":"OID_GFT_STATISTICS","features":[14]},{"name":"OID_GFT_VPORT_PARAMETERS","features":[14]},{"name":"OID_GFT_WILDCARD_MATCH_PROFILE","features":[14]},{"name":"OID_IP4_OFFLOAD_STATS","features":[14]},{"name":"OID_IP6_OFFLOAD_STATS","features":[14]},{"name":"OID_IRDA_EXTRA_RCV_BOFS","features":[14]},{"name":"OID_IRDA_LINK_SPEED","features":[14]},{"name":"OID_IRDA_MAX_RECEIVE_WINDOW_SIZE","features":[14]},{"name":"OID_IRDA_MAX_SEND_WINDOW_SIZE","features":[14]},{"name":"OID_IRDA_MAX_UNICAST_LIST_SIZE","features":[14]},{"name":"OID_IRDA_MEDIA_BUSY","features":[14]},{"name":"OID_IRDA_RATE_SNIFF","features":[14]},{"name":"OID_IRDA_RECEIVING","features":[14]},{"name":"OID_IRDA_RESERVED1","features":[14]},{"name":"OID_IRDA_RESERVED2","features":[14]},{"name":"OID_IRDA_SUPPORTED_SPEEDS","features":[14]},{"name":"OID_IRDA_TURNAROUND_TIME","features":[14]},{"name":"OID_IRDA_UNICAST_LIST","features":[14]},{"name":"OID_KDNET_ADD_PF","features":[14]},{"name":"OID_KDNET_ENUMERATE_PFS","features":[14]},{"name":"OID_KDNET_QUERY_PF_INFORMATION","features":[14]},{"name":"OID_KDNET_REMOVE_PF","features":[14]},{"name":"OID_LTALK_COLLISIONS","features":[14]},{"name":"OID_LTALK_CURRENT_NODE_ID","features":[14]},{"name":"OID_LTALK_DEFERS","features":[14]},{"name":"OID_LTALK_FCS_ERRORS","features":[14]},{"name":"OID_LTALK_IN_BROADCASTS","features":[14]},{"name":"OID_LTALK_IN_LENGTH_ERRORS","features":[14]},{"name":"OID_LTALK_NO_DATA_ERRORS","features":[14]},{"name":"OID_LTALK_OUT_NO_HANDLERS","features":[14]},{"name":"OID_LTALK_RANDOM_CTS_ERRORS","features":[14]},{"name":"OID_NDK_CONNECTIONS","features":[14]},{"name":"OID_NDK_LOCAL_ENDPOINTS","features":[14]},{"name":"OID_NDK_SET_STATE","features":[14]},{"name":"OID_NDK_STATISTICS","features":[14]},{"name":"OID_NIC_SWITCH_ALLOCATE_VF","features":[14]},{"name":"OID_NIC_SWITCH_CREATE_SWITCH","features":[14]},{"name":"OID_NIC_SWITCH_CREATE_VPORT","features":[14]},{"name":"OID_NIC_SWITCH_CURRENT_CAPABILITIES","features":[14]},{"name":"OID_NIC_SWITCH_DELETE_SWITCH","features":[14]},{"name":"OID_NIC_SWITCH_DELETE_VPORT","features":[14]},{"name":"OID_NIC_SWITCH_ENUM_SWITCHES","features":[14]},{"name":"OID_NIC_SWITCH_ENUM_VFS","features":[14]},{"name":"OID_NIC_SWITCH_ENUM_VPORTS","features":[14]},{"name":"OID_NIC_SWITCH_FREE_VF","features":[14]},{"name":"OID_NIC_SWITCH_HARDWARE_CAPABILITIES","features":[14]},{"name":"OID_NIC_SWITCH_PARAMETERS","features":[14]},{"name":"OID_NIC_SWITCH_VF_PARAMETERS","features":[14]},{"name":"OID_NIC_SWITCH_VPORT_PARAMETERS","features":[14]},{"name":"OID_OFFLOAD_ENCAPSULATION","features":[14]},{"name":"OID_PACKET_COALESCING_FILTER_MATCH_COUNT","features":[14]},{"name":"OID_PD_CLOSE_PROVIDER","features":[14]},{"name":"OID_PD_OPEN_PROVIDER","features":[14]},{"name":"OID_PD_QUERY_CURRENT_CONFIG","features":[14]},{"name":"OID_PM_ADD_PROTOCOL_OFFLOAD","features":[14]},{"name":"OID_PM_ADD_WOL_PATTERN","features":[14]},{"name":"OID_PM_CURRENT_CAPABILITIES","features":[14]},{"name":"OID_PM_GET_PROTOCOL_OFFLOAD","features":[14]},{"name":"OID_PM_HARDWARE_CAPABILITIES","features":[14]},{"name":"OID_PM_PARAMETERS","features":[14]},{"name":"OID_PM_PROTOCOL_OFFLOAD_LIST","features":[14]},{"name":"OID_PM_REMOVE_PROTOCOL_OFFLOAD","features":[14]},{"name":"OID_PM_REMOVE_WOL_PATTERN","features":[14]},{"name":"OID_PM_RESERVED_1","features":[14]},{"name":"OID_PM_WOL_PATTERN_LIST","features":[14]},{"name":"OID_PNP_ADD_WAKE_UP_PATTERN","features":[14]},{"name":"OID_PNP_CAPABILITIES","features":[14]},{"name":"OID_PNP_ENABLE_WAKE_UP","features":[14]},{"name":"OID_PNP_QUERY_POWER","features":[14]},{"name":"OID_PNP_REMOVE_WAKE_UP_PATTERN","features":[14]},{"name":"OID_PNP_SET_POWER","features":[14]},{"name":"OID_PNP_WAKE_UP_ERROR","features":[14]},{"name":"OID_PNP_WAKE_UP_OK","features":[14]},{"name":"OID_PNP_WAKE_UP_PATTERN_LIST","features":[14]},{"name":"OID_QOS_CURRENT_CAPABILITIES","features":[14]},{"name":"OID_QOS_HARDWARE_CAPABILITIES","features":[14]},{"name":"OID_QOS_OFFLOAD_CREATE_SQ","features":[14]},{"name":"OID_QOS_OFFLOAD_CURRENT_CAPABILITIES","features":[14]},{"name":"OID_QOS_OFFLOAD_DELETE_SQ","features":[14]},{"name":"OID_QOS_OFFLOAD_ENUM_SQS","features":[14]},{"name":"OID_QOS_OFFLOAD_HARDWARE_CAPABILITIES","features":[14]},{"name":"OID_QOS_OFFLOAD_SQ_STATS","features":[14]},{"name":"OID_QOS_OFFLOAD_UPDATE_SQ","features":[14]},{"name":"OID_QOS_OPERATIONAL_PARAMETERS","features":[14]},{"name":"OID_QOS_PARAMETERS","features":[14]},{"name":"OID_QOS_REMOTE_PARAMETERS","features":[14]},{"name":"OID_QOS_RESERVED1","features":[14]},{"name":"OID_QOS_RESERVED10","features":[14]},{"name":"OID_QOS_RESERVED11","features":[14]},{"name":"OID_QOS_RESERVED12","features":[14]},{"name":"OID_QOS_RESERVED13","features":[14]},{"name":"OID_QOS_RESERVED14","features":[14]},{"name":"OID_QOS_RESERVED15","features":[14]},{"name":"OID_QOS_RESERVED16","features":[14]},{"name":"OID_QOS_RESERVED17","features":[14]},{"name":"OID_QOS_RESERVED18","features":[14]},{"name":"OID_QOS_RESERVED19","features":[14]},{"name":"OID_QOS_RESERVED2","features":[14]},{"name":"OID_QOS_RESERVED20","features":[14]},{"name":"OID_QOS_RESERVED3","features":[14]},{"name":"OID_QOS_RESERVED4","features":[14]},{"name":"OID_QOS_RESERVED5","features":[14]},{"name":"OID_QOS_RESERVED6","features":[14]},{"name":"OID_QOS_RESERVED7","features":[14]},{"name":"OID_QOS_RESERVED8","features":[14]},{"name":"OID_QOS_RESERVED9","features":[14]},{"name":"OID_RECEIVE_FILTER_ALLOCATE_QUEUE","features":[14]},{"name":"OID_RECEIVE_FILTER_CLEAR_FILTER","features":[14]},{"name":"OID_RECEIVE_FILTER_CURRENT_CAPABILITIES","features":[14]},{"name":"OID_RECEIVE_FILTER_ENUM_FILTERS","features":[14]},{"name":"OID_RECEIVE_FILTER_ENUM_QUEUES","features":[14]},{"name":"OID_RECEIVE_FILTER_FREE_QUEUE","features":[14]},{"name":"OID_RECEIVE_FILTER_GLOBAL_PARAMETERS","features":[14]},{"name":"OID_RECEIVE_FILTER_HARDWARE_CAPABILITIES","features":[14]},{"name":"OID_RECEIVE_FILTER_MOVE_FILTER","features":[14]},{"name":"OID_RECEIVE_FILTER_PARAMETERS","features":[14]},{"name":"OID_RECEIVE_FILTER_QUEUE_ALLOCATION_COMPLETE","features":[14]},{"name":"OID_RECEIVE_FILTER_QUEUE_PARAMETERS","features":[14]},{"name":"OID_RECEIVE_FILTER_SET_FILTER","features":[14]},{"name":"OID_SRIOV_BAR_RESOURCES","features":[14]},{"name":"OID_SRIOV_CONFIG_STATE","features":[14]},{"name":"OID_SRIOV_CURRENT_CAPABILITIES","features":[14]},{"name":"OID_SRIOV_HARDWARE_CAPABILITIES","features":[14]},{"name":"OID_SRIOV_OVERLYING_ADAPTER_INFO","features":[14]},{"name":"OID_SRIOV_PF_LUID","features":[14]},{"name":"OID_SRIOV_PROBED_BARS","features":[14]},{"name":"OID_SRIOV_READ_VF_CONFIG_BLOCK","features":[14]},{"name":"OID_SRIOV_READ_VF_CONFIG_SPACE","features":[14]},{"name":"OID_SRIOV_RESET_VF","features":[14]},{"name":"OID_SRIOV_SET_VF_POWER_STATE","features":[14]},{"name":"OID_SRIOV_VF_INVALIDATE_CONFIG_BLOCK","features":[14]},{"name":"OID_SRIOV_VF_SERIAL_NUMBER","features":[14]},{"name":"OID_SRIOV_VF_VENDOR_DEVICE_ID","features":[14]},{"name":"OID_SRIOV_WRITE_VF_CONFIG_BLOCK","features":[14]},{"name":"OID_SRIOV_WRITE_VF_CONFIG_SPACE","features":[14]},{"name":"OID_SWITCH_FEATURE_STATUS_QUERY","features":[14]},{"name":"OID_SWITCH_NIC_ARRAY","features":[14]},{"name":"OID_SWITCH_NIC_CONNECT","features":[14]},{"name":"OID_SWITCH_NIC_CREATE","features":[14]},{"name":"OID_SWITCH_NIC_DELETE","features":[14]},{"name":"OID_SWITCH_NIC_DIRECT_REQUEST","features":[14]},{"name":"OID_SWITCH_NIC_DISCONNECT","features":[14]},{"name":"OID_SWITCH_NIC_REQUEST","features":[14]},{"name":"OID_SWITCH_NIC_RESTORE","features":[14]},{"name":"OID_SWITCH_NIC_RESTORE_COMPLETE","features":[14]},{"name":"OID_SWITCH_NIC_RESUME","features":[14]},{"name":"OID_SWITCH_NIC_SAVE","features":[14]},{"name":"OID_SWITCH_NIC_SAVE_COMPLETE","features":[14]},{"name":"OID_SWITCH_NIC_SUSPEND","features":[14]},{"name":"OID_SWITCH_NIC_SUSPENDED_LM_SOURCE_FINISHED","features":[14]},{"name":"OID_SWITCH_NIC_SUSPENDED_LM_SOURCE_STARTED","features":[14]},{"name":"OID_SWITCH_NIC_UPDATED","features":[14]},{"name":"OID_SWITCH_PARAMETERS","features":[14]},{"name":"OID_SWITCH_PORT_ARRAY","features":[14]},{"name":"OID_SWITCH_PORT_CREATE","features":[14]},{"name":"OID_SWITCH_PORT_DELETE","features":[14]},{"name":"OID_SWITCH_PORT_FEATURE_STATUS_QUERY","features":[14]},{"name":"OID_SWITCH_PORT_PROPERTY_ADD","features":[14]},{"name":"OID_SWITCH_PORT_PROPERTY_DELETE","features":[14]},{"name":"OID_SWITCH_PORT_PROPERTY_ENUM","features":[14]},{"name":"OID_SWITCH_PORT_PROPERTY_UPDATE","features":[14]},{"name":"OID_SWITCH_PORT_TEARDOWN","features":[14]},{"name":"OID_SWITCH_PORT_UPDATED","features":[14]},{"name":"OID_SWITCH_PROPERTY_ADD","features":[14]},{"name":"OID_SWITCH_PROPERTY_DELETE","features":[14]},{"name":"OID_SWITCH_PROPERTY_ENUM","features":[14]},{"name":"OID_SWITCH_PROPERTY_UPDATE","features":[14]},{"name":"OID_TAPI_ACCEPT","features":[14]},{"name":"OID_TAPI_ANSWER","features":[14]},{"name":"OID_TAPI_CLOSE","features":[14]},{"name":"OID_TAPI_CLOSE_CALL","features":[14]},{"name":"OID_TAPI_CONDITIONAL_MEDIA_DETECTION","features":[14]},{"name":"OID_TAPI_CONFIG_DIALOG","features":[14]},{"name":"OID_TAPI_DEV_SPECIFIC","features":[14]},{"name":"OID_TAPI_DIAL","features":[14]},{"name":"OID_TAPI_DROP","features":[14]},{"name":"OID_TAPI_GATHER_DIGITS","features":[14]},{"name":"OID_TAPI_GET_ADDRESS_CAPS","features":[14]},{"name":"OID_TAPI_GET_ADDRESS_ID","features":[14]},{"name":"OID_TAPI_GET_ADDRESS_STATUS","features":[14]},{"name":"OID_TAPI_GET_CALL_ADDRESS_ID","features":[14]},{"name":"OID_TAPI_GET_CALL_INFO","features":[14]},{"name":"OID_TAPI_GET_CALL_STATUS","features":[14]},{"name":"OID_TAPI_GET_DEV_CAPS","features":[14]},{"name":"OID_TAPI_GET_DEV_CONFIG","features":[14]},{"name":"OID_TAPI_GET_EXTENSION_ID","features":[14]},{"name":"OID_TAPI_GET_ID","features":[14]},{"name":"OID_TAPI_GET_LINE_DEV_STATUS","features":[14]},{"name":"OID_TAPI_MAKE_CALL","features":[14]},{"name":"OID_TAPI_MONITOR_DIGITS","features":[14]},{"name":"OID_TAPI_NEGOTIATE_EXT_VERSION","features":[14]},{"name":"OID_TAPI_OPEN","features":[14]},{"name":"OID_TAPI_PROVIDER_INITIALIZE","features":[14]},{"name":"OID_TAPI_PROVIDER_SHUTDOWN","features":[14]},{"name":"OID_TAPI_SECURE_CALL","features":[14]},{"name":"OID_TAPI_SELECT_EXT_VERSION","features":[14]},{"name":"OID_TAPI_SEND_USER_USER_INFO","features":[14]},{"name":"OID_TAPI_SET_APP_SPECIFIC","features":[14]},{"name":"OID_TAPI_SET_CALL_PARAMS","features":[14]},{"name":"OID_TAPI_SET_DEFAULT_MEDIA_DETECTION","features":[14]},{"name":"OID_TAPI_SET_DEV_CONFIG","features":[14]},{"name":"OID_TAPI_SET_MEDIA_MODE","features":[14]},{"name":"OID_TAPI_SET_STATUS_MESSAGES","features":[14]},{"name":"OID_TCP4_OFFLOAD_STATS","features":[14]},{"name":"OID_TCP6_OFFLOAD_STATS","features":[14]},{"name":"OID_TCP_CONNECTION_OFFLOAD_CURRENT_CONFIG","features":[14]},{"name":"OID_TCP_CONNECTION_OFFLOAD_HARDWARE_CAPABILITIES","features":[14]},{"name":"OID_TCP_CONNECTION_OFFLOAD_PARAMETERS","features":[14]},{"name":"OID_TCP_OFFLOAD_CURRENT_CONFIG","features":[14]},{"name":"OID_TCP_OFFLOAD_HARDWARE_CAPABILITIES","features":[14]},{"name":"OID_TCP_OFFLOAD_PARAMETERS","features":[14]},{"name":"OID_TCP_RSC_STATISTICS","features":[14]},{"name":"OID_TCP_SAN_SUPPORT","features":[14]},{"name":"OID_TCP_TASK_IPSEC_ADD_SA","features":[14]},{"name":"OID_TCP_TASK_IPSEC_ADD_UDPESP_SA","features":[14]},{"name":"OID_TCP_TASK_IPSEC_DELETE_SA","features":[14]},{"name":"OID_TCP_TASK_IPSEC_DELETE_UDPESP_SA","features":[14]},{"name":"OID_TCP_TASK_IPSEC_OFFLOAD_V2_ADD_SA","features":[14]},{"name":"OID_TCP_TASK_IPSEC_OFFLOAD_V2_ADD_SA_EX","features":[14]},{"name":"OID_TCP_TASK_IPSEC_OFFLOAD_V2_DELETE_SA","features":[14]},{"name":"OID_TCP_TASK_IPSEC_OFFLOAD_V2_UPDATE_SA","features":[14]},{"name":"OID_TCP_TASK_OFFLOAD","features":[14]},{"name":"OID_TIMESTAMP_CAPABILITY","features":[14]},{"name":"OID_TIMESTAMP_CURRENT_CONFIG","features":[14]},{"name":"OID_TIMESTAMP_GET_CROSSTIMESTAMP","features":[14]},{"name":"OID_TUNNEL_INTERFACE_RELEASE_OID","features":[14]},{"name":"OID_TUNNEL_INTERFACE_SET_OID","features":[14]},{"name":"OID_VLAN_RESERVED1","features":[14]},{"name":"OID_VLAN_RESERVED2","features":[14]},{"name":"OID_VLAN_RESERVED3","features":[14]},{"name":"OID_VLAN_RESERVED4","features":[14]},{"name":"OID_WAN_CO_GET_COMP_INFO","features":[14]},{"name":"OID_WAN_CO_GET_INFO","features":[14]},{"name":"OID_WAN_CO_GET_LINK_INFO","features":[14]},{"name":"OID_WAN_CO_GET_STATS_INFO","features":[14]},{"name":"OID_WAN_CO_SET_COMP_INFO","features":[14]},{"name":"OID_WAN_CO_SET_LINK_INFO","features":[14]},{"name":"OID_WAN_CURRENT_ADDRESS","features":[14]},{"name":"OID_WAN_GET_BRIDGE_INFO","features":[14]},{"name":"OID_WAN_GET_COMP_INFO","features":[14]},{"name":"OID_WAN_GET_INFO","features":[14]},{"name":"OID_WAN_GET_LINK_INFO","features":[14]},{"name":"OID_WAN_GET_STATS_INFO","features":[14]},{"name":"OID_WAN_HEADER_FORMAT","features":[14]},{"name":"OID_WAN_LINE_COUNT","features":[14]},{"name":"OID_WAN_MEDIUM_SUBTYPE","features":[14]},{"name":"OID_WAN_PERMANENT_ADDRESS","features":[14]},{"name":"OID_WAN_PROTOCOL_CAPS","features":[14]},{"name":"OID_WAN_PROTOCOL_TYPE","features":[14]},{"name":"OID_WAN_QUALITY_OF_SERVICE","features":[14]},{"name":"OID_WAN_SET_BRIDGE_INFO","features":[14]},{"name":"OID_WAN_SET_COMP_INFO","features":[14]},{"name":"OID_WAN_SET_LINK_INFO","features":[14]},{"name":"OID_WWAN_AUTH_CHALLENGE","features":[14]},{"name":"OID_WWAN_BASE_STATIONS_INFO","features":[14]},{"name":"OID_WWAN_CONNECT","features":[14]},{"name":"OID_WWAN_CREATE_MAC","features":[14]},{"name":"OID_WWAN_DELETE_MAC","features":[14]},{"name":"OID_WWAN_DEVICE_BINDINGS","features":[14]},{"name":"OID_WWAN_DEVICE_CAPS","features":[14]},{"name":"OID_WWAN_DEVICE_CAPS_EX","features":[14]},{"name":"OID_WWAN_DEVICE_RESET","features":[14]},{"name":"OID_WWAN_DEVICE_SERVICE_COMMAND","features":[14]},{"name":"OID_WWAN_DEVICE_SERVICE_SESSION","features":[14]},{"name":"OID_WWAN_DEVICE_SERVICE_SESSION_WRITE","features":[14]},{"name":"OID_WWAN_DRIVER_CAPS","features":[14]},{"name":"OID_WWAN_ENUMERATE_DEVICE_SERVICES","features":[14]},{"name":"OID_WWAN_ENUMERATE_DEVICE_SERVICE_COMMANDS","features":[14]},{"name":"OID_WWAN_HOME_PROVIDER","features":[14]},{"name":"OID_WWAN_IMS_VOICE_STATE","features":[14]},{"name":"OID_WWAN_LOCATION_STATE","features":[14]},{"name":"OID_WWAN_LTE_ATTACH_CONFIG","features":[14]},{"name":"OID_WWAN_LTE_ATTACH_STATUS","features":[14]},{"name":"OID_WWAN_MBIM_VERSION","features":[14]},{"name":"OID_WWAN_MODEM_CONFIG_INFO","features":[14]},{"name":"OID_WWAN_MODEM_LOGGING_CONFIG","features":[14]},{"name":"OID_WWAN_MPDP","features":[14]},{"name":"OID_WWAN_NETWORK_BLACKLIST","features":[14]},{"name":"OID_WWAN_NETWORK_IDLE_HINT","features":[14]},{"name":"OID_WWAN_NETWORK_PARAMS","features":[14]},{"name":"OID_WWAN_NITZ","features":[14]},{"name":"OID_WWAN_PACKET_SERVICE","features":[14]},{"name":"OID_WWAN_PCO","features":[14]},{"name":"OID_WWAN_PIN","features":[14]},{"name":"OID_WWAN_PIN_EX","features":[14]},{"name":"OID_WWAN_PIN_EX2","features":[14]},{"name":"OID_WWAN_PIN_LIST","features":[14]},{"name":"OID_WWAN_PREFERRED_MULTICARRIER_PROVIDERS","features":[14]},{"name":"OID_WWAN_PREFERRED_PROVIDERS","features":[14]},{"name":"OID_WWAN_PRESHUTDOWN","features":[14]},{"name":"OID_WWAN_PROVISIONED_CONTEXTS","features":[14]},{"name":"OID_WWAN_PS_MEDIA_CONFIG","features":[14]},{"name":"OID_WWAN_RADIO_STATE","features":[14]},{"name":"OID_WWAN_READY_INFO","features":[14]},{"name":"OID_WWAN_REGISTER_PARAMS","features":[14]},{"name":"OID_WWAN_REGISTER_STATE","features":[14]},{"name":"OID_WWAN_REGISTER_STATE_EX","features":[14]},{"name":"OID_WWAN_SAR_CONFIG","features":[14]},{"name":"OID_WWAN_SAR_TRANSMISSION_STATUS","features":[14]},{"name":"OID_WWAN_SERVICE_ACTIVATION","features":[14]},{"name":"OID_WWAN_SIGNAL_STATE","features":[14]},{"name":"OID_WWAN_SIGNAL_STATE_EX","features":[14]},{"name":"OID_WWAN_SLOT_INFO_STATUS","features":[14]},{"name":"OID_WWAN_SMS_CONFIGURATION","features":[14]},{"name":"OID_WWAN_SMS_DELETE","features":[14]},{"name":"OID_WWAN_SMS_READ","features":[14]},{"name":"OID_WWAN_SMS_SEND","features":[14]},{"name":"OID_WWAN_SMS_STATUS","features":[14]},{"name":"OID_WWAN_SUBSCRIBE_DEVICE_SERVICE_EVENTS","features":[14]},{"name":"OID_WWAN_SYS_CAPS","features":[14]},{"name":"OID_WWAN_SYS_SLOTMAPPINGS","features":[14]},{"name":"OID_WWAN_UE_POLICY","features":[14]},{"name":"OID_WWAN_UICC_ACCESS_BINARY","features":[14]},{"name":"OID_WWAN_UICC_ACCESS_RECORD","features":[14]},{"name":"OID_WWAN_UICC_APDU","features":[14]},{"name":"OID_WWAN_UICC_APP_LIST","features":[14]},{"name":"OID_WWAN_UICC_ATR","features":[14]},{"name":"OID_WWAN_UICC_CLOSE_CHANNEL","features":[14]},{"name":"OID_WWAN_UICC_FILE_STATUS","features":[14]},{"name":"OID_WWAN_UICC_OPEN_CHANNEL","features":[14]},{"name":"OID_WWAN_UICC_RESET","features":[14]},{"name":"OID_WWAN_UICC_TERMINAL_CAPABILITY","features":[14]},{"name":"OID_WWAN_USSD","features":[14]},{"name":"OID_WWAN_VENDOR_SPECIFIC","features":[14]},{"name":"OID_WWAN_VISIBLE_PROVIDERS","features":[14]},{"name":"OID_XBOX_ACC_RESERVED0","features":[14]},{"name":"OriginalNetBufferList","features":[14]},{"name":"OriginalPacketInfo","features":[14]},{"name":"PD_BUFFER_ATTR_BUILT_IN_DATA_BUFFER","features":[14]},{"name":"PD_BUFFER_FLAG_PARTIAL_PACKET_HEAD","features":[14]},{"name":"PD_BUFFER_MIN_RX_DATA_START_ALIGNMENT","features":[14]},{"name":"PD_BUFFER_MIN_RX_DATA_START_VALUE","features":[14]},{"name":"PD_BUFFER_MIN_TX_DATA_START_ALIGNMENT","features":[14]},{"name":"PERMANENT_VC","features":[14]},{"name":"PMKID_CANDIDATE","features":[14]},{"name":"PNDIS_TIMER_FUNCTION","features":[14]},{"name":"PROTCOL_CO_AF_REGISTER_NOTIFY","features":[14]},{"name":"PROTOCOL_CL_ADD_PARTY_COMPLETE","features":[14]},{"name":"PROTOCOL_CL_CALL_CONNECTED","features":[14]},{"name":"PROTOCOL_CL_CLOSE_AF_COMPLETE","features":[14]},{"name":"PROTOCOL_CL_CLOSE_CALL_COMPLETE","features":[14]},{"name":"PROTOCOL_CL_DEREGISTER_SAP_COMPLETE","features":[14]},{"name":"PROTOCOL_CL_DROP_PARTY_COMPLETE","features":[14]},{"name":"PROTOCOL_CL_INCOMING_CALL","features":[14]},{"name":"PROTOCOL_CL_INCOMING_CALL_QOS_CHANGE","features":[14]},{"name":"PROTOCOL_CL_INCOMING_CLOSE_CALL","features":[14]},{"name":"PROTOCOL_CL_INCOMING_DROP_PARTY","features":[14]},{"name":"PROTOCOL_CL_MAKE_CALL_COMPLETE","features":[14]},{"name":"PROTOCOL_CL_MODIFY_CALL_QOS_COMPLETE","features":[14]},{"name":"PROTOCOL_CL_OPEN_AF_COMPLETE","features":[14]},{"name":"PROTOCOL_CL_REGISTER_SAP_COMPLETE","features":[14]},{"name":"PROTOCOL_CM_ACTIVATE_VC_COMPLETE","features":[14]},{"name":"PROTOCOL_CM_ADD_PARTY","features":[14]},{"name":"PROTOCOL_CM_CLOSE_AF","features":[14]},{"name":"PROTOCOL_CM_CLOSE_CALL","features":[14]},{"name":"PROTOCOL_CM_DEACTIVATE_VC_COMPLETE","features":[14]},{"name":"PROTOCOL_CM_DEREGISTER_SAP","features":[14]},{"name":"PROTOCOL_CM_DROP_PARTY","features":[14]},{"name":"PROTOCOL_CM_INCOMING_CALL_COMPLETE","features":[14]},{"name":"PROTOCOL_CM_MAKE_CALL","features":[14]},{"name":"PROTOCOL_CM_MODIFY_QOS_CALL","features":[14]},{"name":"PROTOCOL_CM_OPEN_AF","features":[14]},{"name":"PROTOCOL_CM_REG_SAP","features":[14]},{"name":"PROTOCOL_CO_AF_REGISTER_NOTIFY","features":[14]},{"name":"PROTOCOL_CO_CREATE_VC","features":[14]},{"name":"PROTOCOL_CO_DELETE_VC","features":[14]},{"name":"PacketCancelId","features":[14]},{"name":"QUERY_CALL_PARAMETERS","features":[14]},{"name":"READABLE_LOCAL_CLOCK","features":[14]},{"name":"RECEIVE_TIME_INDICATION","features":[14]},{"name":"RECEIVE_TIME_INDICATION_CAPABLE","features":[14]},{"name":"RECEIVE_VC","features":[14]},{"name":"REFERENCE","features":[14,1]},{"name":"RESERVE_RESOURCES_VC","features":[14]},{"name":"ROUND_DOWN_FLOW","features":[14]},{"name":"ROUND_UP_FLOW","features":[14]},{"name":"STRINGFORMAT_ASCII","features":[14]},{"name":"STRINGFORMAT_BINARY","features":[14]},{"name":"STRINGFORMAT_DBCS","features":[14]},{"name":"STRINGFORMAT_UNICODE","features":[14]},{"name":"ScatterGatherListPacketInfo","features":[14]},{"name":"ShortPacketPaddingInfo","features":[14]},{"name":"TDI_PNP_HANDLER","features":[14,1]},{"name":"TDI_REGISTER_CALLBACK","features":[14,1]},{"name":"TIMED_SEND_CAPABLE","features":[14]},{"name":"TIME_STAMP_CAPABLE","features":[14]},{"name":"TRANSMIT_VC","features":[14]},{"name":"TRANSPORT_HEADER_OFFSET","features":[14]},{"name":"TRUNCATED_HASH_LEN","features":[14]},{"name":"TR_FILTER","features":[14]},{"name":"TcpIpChecksumPacketInfo","features":[14]},{"name":"TcpLargeSendPacketInfo","features":[14]},{"name":"UDP_ENCAP_TYPE","features":[14]},{"name":"USE_TIME_STAMPS","features":[14]},{"name":"VAR_STRING","features":[14]},{"name":"WAN_PROTOCOL_KEEPS_STATS","features":[14]},{"name":"W_CO_ACTIVATE_VC_HANDLER","features":[14]},{"name":"W_CO_CREATE_VC_HANDLER","features":[14]},{"name":"W_CO_DEACTIVATE_VC_HANDLER","features":[14]},{"name":"W_CO_DELETE_VC_HANDLER","features":[14]},{"name":"fNDIS_GUID_ALLOW_READ","features":[14]},{"name":"fNDIS_GUID_ALLOW_WRITE","features":[14]},{"name":"fNDIS_GUID_ANSI_STRING","features":[14]},{"name":"fNDIS_GUID_ARRAY","features":[14]},{"name":"fNDIS_GUID_METHOD","features":[14]},{"name":"fNDIS_GUID_NDIS_RESERVED","features":[14]},{"name":"fNDIS_GUID_SUPPORT_COMMON_HEADER","features":[14]},{"name":"fNDIS_GUID_TO_OID","features":[14]},{"name":"fNDIS_GUID_TO_STATUS","features":[14]},{"name":"fNDIS_GUID_UNICODE_STRING","features":[14]},{"name":"fPACKET_ALLOCATED_BY_NDIS","features":[14]},{"name":"fPACKET_CONTAINS_MEDIA_SPECIFIC_INFO","features":[14]},{"name":"fPACKET_WRAPPER_RESERVED","features":[14]}],"343":[{"name":"FWPM_SERVICE_STATE_CHANGE_CALLBACK0","features":[17,18]},{"name":"FwpmBfeStateGet0","features":[17,18]},{"name":"FwpmBfeStateSubscribeChanges0","features":[17,1,18]},{"name":"FwpmBfeStateUnsubscribeChanges0","features":[17,1]},{"name":"FwpmCalloutAdd0","features":[17,1,18,4]},{"name":"FwpmCalloutCreateEnumHandle0","features":[17,1,18]},{"name":"FwpmCalloutDeleteById0","features":[17,1]},{"name":"FwpmCalloutDeleteByKey0","features":[17,1]},{"name":"FwpmCalloutDestroyEnumHandle0","features":[17,1]},{"name":"FwpmCalloutEnum0","features":[17,1,18]},{"name":"FwpmCalloutGetById0","features":[17,1,18]},{"name":"FwpmCalloutGetByKey0","features":[17,1,18]},{"name":"FwpmCalloutGetSecurityInfoByKey0","features":[17,1,4]},{"name":"FwpmCalloutSetSecurityInfoByKey0","features":[17,1,4]},{"name":"FwpmConnectionCreateEnumHandle0","features":[17,1,18]},{"name":"FwpmConnectionDestroyEnumHandle0","features":[17,1]},{"name":"FwpmConnectionEnum0","features":[17,1,18]},{"name":"FwpmConnectionGetById0","features":[17,1,18]},{"name":"FwpmConnectionGetSecurityInfo0","features":[17,1,4]},{"name":"FwpmConnectionSetSecurityInfo0","features":[17,1,4]},{"name":"FwpmEngineClose0","features":[17,1]},{"name":"FwpmEngineGetOption0","features":[17,1,18,4]},{"name":"FwpmEngineGetSecurityInfo0","features":[17,1,4]},{"name":"FwpmEngineOpen0","features":[17,1,18,4,19]},{"name":"FwpmEngineSetOption0","features":[17,1,18,4]},{"name":"FwpmEngineSetSecurityInfo0","features":[17,1,4]},{"name":"FwpmFilterAdd0","features":[17,1,18,4]},{"name":"FwpmFilterCreateEnumHandle0","features":[17,1,18,4]},{"name":"FwpmFilterDeleteById0","features":[17,1]},{"name":"FwpmFilterDeleteByKey0","features":[17,1]},{"name":"FwpmFilterDestroyEnumHandle0","features":[17,1]},{"name":"FwpmFilterEnum0","features":[17,1,18,4]},{"name":"FwpmFilterGetById0","features":[17,1,18,4]},{"name":"FwpmFilterGetByKey0","features":[17,1,18,4]},{"name":"FwpmFilterGetSecurityInfoByKey0","features":[17,1,4]},{"name":"FwpmFilterSetSecurityInfoByKey0","features":[17,1,4]},{"name":"FwpmFreeMemory0","features":[17]},{"name":"FwpmIPsecTunnelAdd0","features":[17,1,18,4]},{"name":"FwpmIPsecTunnelAdd1","features":[17,1,18,4]},{"name":"FwpmIPsecTunnelAdd2","features":[17,1,18,4]},{"name":"FwpmIPsecTunnelAdd3","features":[17,1,18,4]},{"name":"FwpmIPsecTunnelDeleteByKey0","features":[17,1]},{"name":"FwpmLayerCreateEnumHandle0","features":[17,1,18]},{"name":"FwpmLayerDestroyEnumHandle0","features":[17,1]},{"name":"FwpmLayerEnum0","features":[17,1,18]},{"name":"FwpmLayerGetById0","features":[17,1,18]},{"name":"FwpmLayerGetByKey0","features":[17,1,18]},{"name":"FwpmLayerGetSecurityInfoByKey0","features":[17,1,4]},{"name":"FwpmLayerSetSecurityInfoByKey0","features":[17,1,4]},{"name":"FwpmNetEventCreateEnumHandle0","features":[17,1,18,4]},{"name":"FwpmNetEventDestroyEnumHandle0","features":[17,1]},{"name":"FwpmNetEventEnum0","features":[17,1,18,4]},{"name":"FwpmNetEventEnum1","features":[17,1,18,4]},{"name":"FwpmNetEventEnum2","features":[17,1,18,4]},{"name":"FwpmNetEventEnum3","features":[17,1,18,4]},{"name":"FwpmNetEventEnum4","features":[17,1,18,4]},{"name":"FwpmNetEventEnum5","features":[17,1,18,4]},{"name":"FwpmNetEventsGetSecurityInfo0","features":[17,1,4]},{"name":"FwpmNetEventsSetSecurityInfo0","features":[17,1,4]},{"name":"FwpmProviderAdd0","features":[17,1,18,4]},{"name":"FwpmProviderContextAdd0","features":[17,1,18,4]},{"name":"FwpmProviderContextAdd1","features":[17,1,18,4]},{"name":"FwpmProviderContextAdd2","features":[17,1,18,4]},{"name":"FwpmProviderContextAdd3","features":[17,1,18,4]},{"name":"FwpmProviderContextCreateEnumHandle0","features":[17,1,18]},{"name":"FwpmProviderContextDeleteById0","features":[17,1]},{"name":"FwpmProviderContextDeleteByKey0","features":[17,1]},{"name":"FwpmProviderContextDestroyEnumHandle0","features":[17,1]},{"name":"FwpmProviderContextEnum0","features":[17,1,18,4]},{"name":"FwpmProviderContextEnum1","features":[17,1,18,4]},{"name":"FwpmProviderContextEnum2","features":[17,1,18,4]},{"name":"FwpmProviderContextEnum3","features":[17,1,18,4]},{"name":"FwpmProviderContextGetById0","features":[17,1,18,4]},{"name":"FwpmProviderContextGetById1","features":[17,1,18,4]},{"name":"FwpmProviderContextGetById2","features":[17,1,18,4]},{"name":"FwpmProviderContextGetById3","features":[17,1,18,4]},{"name":"FwpmProviderContextGetByKey0","features":[17,1,18,4]},{"name":"FwpmProviderContextGetByKey1","features":[17,1,18,4]},{"name":"FwpmProviderContextGetByKey2","features":[17,1,18,4]},{"name":"FwpmProviderContextGetByKey3","features":[17,1,18,4]},{"name":"FwpmProviderContextGetSecurityInfoByKey0","features":[17,1,4]},{"name":"FwpmProviderContextSetSecurityInfoByKey0","features":[17,1,4]},{"name":"FwpmProviderCreateEnumHandle0","features":[17,1,18]},{"name":"FwpmProviderDeleteByKey0","features":[17,1]},{"name":"FwpmProviderDestroyEnumHandle0","features":[17,1]},{"name":"FwpmProviderEnum0","features":[17,1,18]},{"name":"FwpmProviderGetByKey0","features":[17,1,18]},{"name":"FwpmProviderGetSecurityInfoByKey0","features":[17,1,4]},{"name":"FwpmProviderSetSecurityInfoByKey0","features":[17,1,4]},{"name":"FwpmSessionCreateEnumHandle0","features":[17,1,18]},{"name":"FwpmSessionDestroyEnumHandle0","features":[17,1]},{"name":"FwpmSessionEnum0","features":[17,1,18,4]},{"name":"FwpmSubLayerAdd0","features":[17,1,18,4]},{"name":"FwpmSubLayerCreateEnumHandle0","features":[17,1,18]},{"name":"FwpmSubLayerDeleteByKey0","features":[17,1]},{"name":"FwpmSubLayerDestroyEnumHandle0","features":[17,1]},{"name":"FwpmSubLayerEnum0","features":[17,1,18]},{"name":"FwpmSubLayerGetByKey0","features":[17,1,18]},{"name":"FwpmSubLayerGetSecurityInfoByKey0","features":[17,1,4]},{"name":"FwpmSubLayerSetSecurityInfoByKey0","features":[17,1,4]},{"name":"FwpmTransactionAbort0","features":[17,1]},{"name":"FwpmTransactionBegin0","features":[17,1]},{"name":"FwpmTransactionCommit0","features":[17,1]},{"name":"FwpmvSwitchEventsGetSecurityInfo0","features":[17,1,4]},{"name":"FwpmvSwitchEventsSetSecurityInfo0","features":[17,1,4]},{"name":"IPsecDospGetSecurityInfo0","features":[17,1,4]},{"name":"IPsecDospGetStatistics0","features":[17,1,18]},{"name":"IPsecDospSetSecurityInfo0","features":[17,1,4]},{"name":"IPsecDospStateCreateEnumHandle0","features":[17,1,18]},{"name":"IPsecDospStateDestroyEnumHandle0","features":[17,1]},{"name":"IPsecDospStateEnum0","features":[17,1,18]},{"name":"IPsecGetStatistics0","features":[17,1,18]},{"name":"IPsecGetStatistics1","features":[17,1,18]},{"name":"IPsecSaContextAddInbound0","features":[17,1,18]},{"name":"IPsecSaContextAddInbound1","features":[17,1,18]},{"name":"IPsecSaContextAddOutbound0","features":[17,1,18]},{"name":"IPsecSaContextAddOutbound1","features":[17,1,18]},{"name":"IPsecSaContextCreate0","features":[17,1,18]},{"name":"IPsecSaContextCreate1","features":[17,1,18]},{"name":"IPsecSaContextCreateEnumHandle0","features":[17,1,18,4]},{"name":"IPsecSaContextDeleteById0","features":[17,1]},{"name":"IPsecSaContextDestroyEnumHandle0","features":[17,1]},{"name":"IPsecSaContextEnum0","features":[17,1,18,4]},{"name":"IPsecSaContextEnum1","features":[17,1,18,4]},{"name":"IPsecSaContextExpire0","features":[17,1]},{"name":"IPsecSaContextGetById0","features":[17,1,18,4]},{"name":"IPsecSaContextGetById1","features":[17,1,18,4]},{"name":"IPsecSaContextGetSpi0","features":[17,1,18]},{"name":"IPsecSaContextGetSpi1","features":[17,1,18]},{"name":"IPsecSaContextSetSpi0","features":[17,1,18]},{"name":"IPsecSaContextUpdate0","features":[17,1,18,4]},{"name":"IPsecSaCreateEnumHandle0","features":[17,1,18]},{"name":"IPsecSaDbGetSecurityInfo0","features":[17,1,4]},{"name":"IPsecSaDbSetSecurityInfo0","features":[17,1,4]},{"name":"IPsecSaDestroyEnumHandle0","features":[17,1]},{"name":"IPsecSaEnum0","features":[17,1,18,4]},{"name":"IPsecSaEnum1","features":[17,1,18,4]},{"name":"IkeextGetStatistics0","features":[17,1,18]},{"name":"IkeextGetStatistics1","features":[17,1,18]},{"name":"IkeextSaCreateEnumHandle0","features":[17,1,18,4]},{"name":"IkeextSaDbGetSecurityInfo0","features":[17,1,4]},{"name":"IkeextSaDbSetSecurityInfo0","features":[17,1,4]},{"name":"IkeextSaDeleteById0","features":[17,1]},{"name":"IkeextSaDestroyEnumHandle0","features":[17,1]},{"name":"IkeextSaEnum0","features":[17,1,18]},{"name":"IkeextSaEnum1","features":[17,1,18]},{"name":"IkeextSaEnum2","features":[17,1,18]},{"name":"IkeextSaGetById0","features":[17,1,18]},{"name":"IkeextSaGetById1","features":[17,1,18]},{"name":"IkeextSaGetById2","features":[17,1,18]}],"344":[{"name":"ACE_HEADER","features":[5]},{"name":"ALLOCATE_VIRTUAL_MEMORY_EX_CALLBACK","features":[5,1,20]},{"name":"ATOMIC_CREATE_ECP_CONTEXT","features":[5]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_BEST_EFFORT","features":[5]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_EOF_SPECIFIED","features":[5]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_FILE_ATTRIBUTES_SPECIFIED","features":[5]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_GEN_FLAGS_SPECIFIED","features":[5]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_MARK_USN_SOURCE_INFO","features":[5]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_OPERATION_MASK","features":[5]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_OP_FLAGS_SPECIFIED","features":[5]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_REPARSE_POINT_SPECIFIED","features":[5]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_SPARSE_SPECIFIED","features":[5]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_SUPPRESS_DIR_CHANGE_NOTIFY","features":[5]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_SUPPRESS_FILE_ATTRIBUTE_INHERITANCE","features":[5]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_SUPPRESS_PARENT_TIMESTAMPS_UPDATE","features":[5]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_TIMESTAMPS_SPECIFIED","features":[5]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_VDL_SPECIFIED","features":[5]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_WRITE_USN_CLOSE_RECORD","features":[5]},{"name":"ATOMIC_CREATE_ECP_IN_OP_FLAG_CASE_SENSITIVE_FLAGS_SPECIFIED","features":[5]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_EOF_SET","features":[5]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_FILE_ATTRIBUTES_RETURNED","features":[5]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_FILE_ATTRIBUTES_SET","features":[5]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_FILE_ATTRIBUTE_INHERITANCE_SUPPRESSED","features":[5]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_OPERATION_MASK","features":[5]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_OP_FLAGS_HONORED","features":[5]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_REPARSE_POINT_SET","features":[5]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_SPARSE_SET","features":[5]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_TIMESTAMPS_RETURNED","features":[5]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_TIMESTAMPS_SET","features":[5]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_USN_CLOSE_RECORD_WRITTEN","features":[5]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_USN_RETURNED","features":[5]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_USN_SOURCE_INFO_MARKED","features":[5]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_VDL_SET","features":[5]},{"name":"ATOMIC_CREATE_ECP_OUT_OP_FLAG_CASE_SENSITIVE_FLAGS_SET","features":[5]},{"name":"ApplyControlToken","features":[5]},{"name":"AuditAccessCheck","features":[5]},{"name":"AuditCloseNonObject","features":[5]},{"name":"AuditCloseObject","features":[5]},{"name":"AuditDeleteObject","features":[5]},{"name":"AuditHandleCreation","features":[5]},{"name":"AuditObjectReference","features":[5]},{"name":"AuditOpenNonObject","features":[5]},{"name":"AuditOpenObject","features":[5]},{"name":"AuditOpenObjectForDelete","features":[5]},{"name":"AuditOpenObjectForDeleteWithTransaction","features":[5]},{"name":"AuditOpenObjectWithTransaction","features":[5]},{"name":"AuditPrivilegeObject","features":[5]},{"name":"AuditPrivilegeService","features":[5]},{"name":"BASE_MCB","features":[5]},{"name":"BOOT_AREA_INFO","features":[5]},{"name":"CACHE_MANAGER_CALLBACKS","features":[5,1]},{"name":"CACHE_MANAGER_CALLBACKS_EX","features":[5,1]},{"name":"CACHE_MANAGER_CALLBACKS_EX_V1","features":[5]},{"name":"CACHE_MANAGER_CALLBACK_FUNCTIONS","features":[5,1]},{"name":"CACHE_UNINITIALIZE_EVENT","features":[2,5,1,7]},{"name":"CACHE_USE_DIRECT_ACCESS_MAPPING","features":[5]},{"name":"CACHE_VALID_FLAGS","features":[5]},{"name":"CC_ACQUIRE_DONT_WAIT","features":[5]},{"name":"CC_ACQUIRE_SUPPORTS_ASYNC_LAZYWRITE","features":[5]},{"name":"CC_AGGRESSIVE_UNMAP_BEHIND","features":[5]},{"name":"CC_ASYNC_READ_CONTEXT","features":[2,5,1]},{"name":"CC_DISABLE_DIRTY_PAGE_TRACKING","features":[5]},{"name":"CC_DISABLE_READ_AHEAD","features":[5]},{"name":"CC_DISABLE_UNMAP_BEHIND","features":[5]},{"name":"CC_DISABLE_WRITE_BEHIND","features":[5]},{"name":"CC_ENABLE_CPU_CACHE","features":[5]},{"name":"CC_ENABLE_DISK_IO_ACCOUNTING","features":[5]},{"name":"CC_ERROR_CALLBACK_CONTEXT","features":[5,1]},{"name":"CC_FILE_SIZES","features":[5]},{"name":"CC_FLUSH_AND_PURGE_GATHER_DIRTY_BITS","features":[5]},{"name":"CC_FLUSH_AND_PURGE_NO_PURGE","features":[5]},{"name":"CC_FLUSH_AND_PURGE_WRITEABLE_VIEWS_NOTSEEN","features":[5]},{"name":"COMPRESSED_DATA_INFO","features":[5]},{"name":"COMPRESSION_ENGINE_MASK","features":[5]},{"name":"COMPRESSION_ENGINE_MAX","features":[5]},{"name":"COMPRESSION_FORMAT_MASK","features":[5]},{"name":"COMPRESSION_FORMAT_MAX","features":[5]},{"name":"CONTAINER_ROOT_INFO_INPUT","features":[5]},{"name":"CONTAINER_ROOT_INFO_OUTPUT","features":[5]},{"name":"CONTAINER_VOLUME_STATE","features":[5]},{"name":"COPY_INFORMATION","features":[2,5,3,1,4,6,7,8]},{"name":"CPTABLEINFO","features":[5]},{"name":"CREATE_REDIRECTION_ECP_CONTEXT","features":[5,21]},{"name":"CREATE_REDIRECTION_FLAGS_SERVICED_FROM_LAYER","features":[5]},{"name":"CREATE_REDIRECTION_FLAGS_SERVICED_FROM_REGISTERED_LAYER","features":[5]},{"name":"CREATE_REDIRECTION_FLAGS_SERVICED_FROM_REMOTE_LAYER","features":[5]},{"name":"CREATE_REDIRECTION_FLAGS_SERVICED_FROM_SCRATCH","features":[5]},{"name":"CREATE_REDIRECTION_FLAGS_SERVICED_FROM_USER_MODE","features":[5]},{"name":"CREATE_USN_JOURNAL_DATA","features":[5]},{"name":"CSV_DOWN_LEVEL_FILE_TYPE","features":[5]},{"name":"CSV_DOWN_LEVEL_OPEN_ECP_CONTEXT","features":[5,1]},{"name":"CSV_QUERY_FILE_REVISION_ECP_CONTEXT","features":[5]},{"name":"CSV_QUERY_FILE_REVISION_ECP_CONTEXT_FILE_ID_128","features":[5,21]},{"name":"CSV_SET_HANDLE_PROPERTIES_ECP_CONTEXT","features":[5]},{"name":"CSV_SET_HANDLE_PROPERTIES_ECP_CONTEXT_FLAGS_VALID_ONLY_IF_CSV_COORDINATOR","features":[5]},{"name":"CcAsyncCopyRead","features":[2,5,3,1,4,6,7,8]},{"name":"CcCanIWrite","features":[2,5,3,1,4,6,7,8]},{"name":"CcCoherencyFlushAndPurgeCache","features":[2,5,1,6]},{"name":"CcCopyRead","features":[2,5,3,1,4,6,7,8]},{"name":"CcCopyReadEx","features":[2,5,3,1,4,6,7,8]},{"name":"CcCopyWrite","features":[2,5,3,1,4,6,7,8]},{"name":"CcCopyWriteEx","features":[2,5,3,1,4,6,7,8]},{"name":"CcCopyWriteWontFlush","features":[2,5,3,1,4,6,7,8]},{"name":"CcDeferWrite","features":[2,5,3,1,4,6,7,8]},{"name":"CcErrorCallbackRoutine","features":[5,1]},{"name":"CcFastCopyRead","features":[2,5,3,1,4,6,7,8]},{"name":"CcFastCopyWrite","features":[2,5,3,1,4,6,7,8]},{"name":"CcFlushCache","features":[2,5,1,6]},{"name":"CcGetDirtyPages","features":[2,5,3,1,4,6,7,8]},{"name":"CcGetFileObjectFromBcb","features":[2,5,3,1,4,6,7,8]},{"name":"CcGetFileObjectFromSectionPtrs","features":[2,5,3,1,4,6,7,8]},{"name":"CcGetFileObjectFromSectionPtrsRef","features":[2,5,3,1,4,6,7,8]},{"name":"CcGetFlushedValidData","features":[2,5,1]},{"name":"CcInitializeCacheMap","features":[2,5,3,1,4,6,7,8]},{"name":"CcInitializeCacheMapEx","features":[2,5,3,1,4,6,7,8]},{"name":"CcIsCacheManagerCallbackNeeded","features":[5,1]},{"name":"CcIsThereDirtyData","features":[2,5,3,1,4,6,7,8]},{"name":"CcIsThereDirtyDataEx","features":[2,5,3,1,4,6,7,8]},{"name":"CcMapData","features":[2,5,3,1,4,6,7,8]},{"name":"CcMdlRead","features":[2,5,3,1,4,6,7,8]},{"name":"CcMdlReadComplete","features":[2,5,3,1,4,6,7,8]},{"name":"CcMdlWriteAbort","features":[2,5,3,1,4,6,7,8]},{"name":"CcMdlWriteComplete","features":[2,5,3,1,4,6,7,8]},{"name":"CcPinMappedData","features":[2,5,3,1,4,6,7,8]},{"name":"CcPinRead","features":[2,5,3,1,4,6,7,8]},{"name":"CcPrepareMdlWrite","features":[2,5,3,1,4,6,7,8]},{"name":"CcPreparePinWrite","features":[2,5,3,1,4,6,7,8]},{"name":"CcPurgeCacheSection","features":[2,5,1]},{"name":"CcRemapBcb","features":[5]},{"name":"CcRepinBcb","features":[5]},{"name":"CcScheduleReadAhead","features":[2,5,3,1,4,6,7,8]},{"name":"CcScheduleReadAheadEx","features":[2,5,3,1,4,6,7,8]},{"name":"CcSetAdditionalCacheAttributes","features":[2,5,3,1,4,6,7,8]},{"name":"CcSetAdditionalCacheAttributesEx","features":[2,5,3,1,4,6,7,8]},{"name":"CcSetBcbOwnerPointer","features":[5]},{"name":"CcSetDirtyPageThreshold","features":[2,5,3,1,4,6,7,8]},{"name":"CcSetDirtyPinnedData","features":[5]},{"name":"CcSetFileSizes","features":[2,5,3,1,4,6,7,8]},{"name":"CcSetFileSizesEx","features":[2,5,3,1,4,6,7,8]},{"name":"CcSetLogHandleForFile","features":[2,5,3,1,4,6,7,8]},{"name":"CcSetParallelFlushFile","features":[2,5,3,1,4,6,7,8]},{"name":"CcSetReadAheadGranularity","features":[2,5,3,1,4,6,7,8]},{"name":"CcUninitializeCacheMap","features":[2,5,3,1,4,6,7,8]},{"name":"CcUnpinData","features":[5]},{"name":"CcUnpinDataForThread","features":[5]},{"name":"CcUnpinRepinnedBcb","features":[5,1,6]},{"name":"CcWaitForCurrentLazyWriterActivity","features":[5,1]},{"name":"CcZeroData","features":[2,5,3,1,4,6,7,8]},{"name":"ChangeDataControlArea","features":[5]},{"name":"ChangeImageControlArea","features":[5]},{"name":"ChangeSharedCacheMap","features":[5]},{"name":"CompleteAuthToken","features":[5]},{"name":"CsvCsvFsInternalFileObject","features":[5]},{"name":"CsvDownLevelFileObject","features":[5]},{"name":"DD_MUP_DEVICE_NAME","features":[5]},{"name":"DEVICE_RESET_KEEP_STACK","features":[5]},{"name":"DEVICE_RESET_RESERVED_0","features":[5]},{"name":"DEVICE_RESET_RESERVED_1","features":[5]},{"name":"DO_BOOT_CRITICAL","features":[5]},{"name":"DO_BUFFERED_IO","features":[5]},{"name":"DO_BUS_ENUMERATED_DEVICE","features":[5]},{"name":"DO_DAX_VOLUME","features":[5]},{"name":"DO_DEVICE_HAS_NAME","features":[5]},{"name":"DO_DEVICE_INITIALIZING","features":[5]},{"name":"DO_DEVICE_IRP_REQUIRES_EXTENSION","features":[5]},{"name":"DO_DEVICE_TO_BE_RESET","features":[5]},{"name":"DO_DIRECT_IO","features":[5]},{"name":"DO_DISALLOW_EXECUTE","features":[5]},{"name":"DO_EXCLUSIVE","features":[5]},{"name":"DO_FORCE_NEITHER_IO","features":[5]},{"name":"DO_LONG_TERM_REQUESTS","features":[5]},{"name":"DO_LOW_PRIORITY_FILESYSTEM","features":[5]},{"name":"DO_MAP_IO_BUFFER","features":[5]},{"name":"DO_NEVER_LAST_DEVICE","features":[5]},{"name":"DO_NOT_PURGE_DIRTY_PAGES","features":[5]},{"name":"DO_NOT_RETRY_PURGE","features":[5]},{"name":"DO_POWER_INRUSH","features":[5]},{"name":"DO_POWER_PAGABLE","features":[5]},{"name":"DO_SHUTDOWN_REGISTERED","features":[5]},{"name":"DO_SUPPORTS_PERSISTENT_ACLS","features":[5]},{"name":"DO_SUPPORTS_TRANSACTIONS","features":[5]},{"name":"DO_SYSTEM_BOOT_PARTITION","features":[5]},{"name":"DO_SYSTEM_CRITICAL_PARTITION","features":[5]},{"name":"DO_SYSTEM_SYSTEM_PARTITION","features":[5]},{"name":"DO_VERIFY_VOLUME","features":[5]},{"name":"DO_VOLUME_DEVICE_OBJECT","features":[5]},{"name":"DUAL_OPLOCK_KEY_ECP_CONTEXT","features":[5,1]},{"name":"DUPLICATE_CLUSTER_DATA","features":[5]},{"name":"DfsLinkTrackingInformation","features":[5]},{"name":"EA_NAME_NETWORK_OPEN_ECP_INTEGRITY","features":[5]},{"name":"EA_NAME_NETWORK_OPEN_ECP_INTEGRITY_U","features":[5]},{"name":"EA_NAME_NETWORK_OPEN_ECP_PRIVACY","features":[5]},{"name":"EA_NAME_NETWORK_OPEN_ECP_PRIVACY_U","features":[5]},{"name":"ECP_OPEN_PARAMETERS","features":[5]},{"name":"ECP_OPEN_PARAMETERS_FLAG_FAIL_ON_CASE_SENSITIVE_DIR","features":[5]},{"name":"ECP_OPEN_PARAMETERS_FLAG_IGNORE_DIR_CASE_SENSITIVITY","features":[5]},{"name":"ECP_OPEN_PARAMETERS_FLAG_OPEN_FOR_DELETE","features":[5]},{"name":"ECP_OPEN_PARAMETERS_FLAG_OPEN_FOR_READ","features":[5]},{"name":"ECP_OPEN_PARAMETERS_FLAG_OPEN_FOR_WRITE","features":[5]},{"name":"ECP_TYPE_CLFS_CREATE_CONTAINER","features":[5]},{"name":"ECP_TYPE_IO_STOP_ON_SYMLINK_FILTER_GUID","features":[5]},{"name":"ECP_TYPE_OPEN_REPARSE_GUID","features":[5]},{"name":"EOF_WAIT_BLOCK","features":[2,5,1,7]},{"name":"EVENT_INCREMENT","features":[5]},{"name":"EXTENT_READ_CACHE_INFO_BUFFER","features":[5]},{"name":"EqualTo","features":[5]},{"name":"ExDisableResourceBoostLite","features":[2,5,7]},{"name":"ExQueryPoolBlockSize","features":[5,1]},{"name":"ExportSecurityContext","features":[5]},{"name":"FAST_IO_POSSIBLE","features":[5]},{"name":"FILE_ACCESS_INFORMATION","features":[5]},{"name":"FILE_ACTION_ADDED_STREAM","features":[5]},{"name":"FILE_ACTION_ID_NOT_TUNNELLED","features":[5]},{"name":"FILE_ACTION_MODIFIED_STREAM","features":[5]},{"name":"FILE_ACTION_REMOVED_BY_DELETE","features":[5]},{"name":"FILE_ACTION_REMOVED_STREAM","features":[5]},{"name":"FILE_ACTION_TUNNELLED_ID_COLLISION","features":[5]},{"name":"FILE_ALIGNMENT_INFORMATION","features":[5]},{"name":"FILE_ALLOCATION_INFORMATION","features":[5]},{"name":"FILE_ALL_INFORMATION","features":[5,1]},{"name":"FILE_BASIC_INFORMATION","features":[5]},{"name":"FILE_BOTH_DIR_INFORMATION","features":[5]},{"name":"FILE_CASE_SENSITIVE_INFORMATION","features":[5]},{"name":"FILE_CLEANUP_FILE_DELETED","features":[5]},{"name":"FILE_CLEANUP_FILE_REMAINS","features":[5]},{"name":"FILE_CLEANUP_LINK_DELETED","features":[5]},{"name":"FILE_CLEANUP_POSIX_STYLE_DELETE","features":[5]},{"name":"FILE_CLEANUP_STREAM_DELETED","features":[5]},{"name":"FILE_CLEANUP_UNKNOWN","features":[5]},{"name":"FILE_CLEANUP_WRONG_DEVICE","features":[5]},{"name":"FILE_COMPLETE_IF_OPLOCKED","features":[5]},{"name":"FILE_COMPLETION_INFORMATION","features":[5,1]},{"name":"FILE_COMPRESSION_INFORMATION","features":[5]},{"name":"FILE_CONTAINS_EXTENDED_CREATE_INFORMATION","features":[5]},{"name":"FILE_CREATE","features":[5]},{"name":"FILE_CREATE_TREE_CONNECTION","features":[5]},{"name":"FILE_DELETE_ON_CLOSE","features":[5]},{"name":"FILE_DIRECTORY_FILE","features":[5]},{"name":"FILE_DIRECTORY_INFORMATION","features":[5]},{"name":"FILE_DISALLOW_EXCLUSIVE","features":[5]},{"name":"FILE_DISPOSITION_DELETE","features":[5]},{"name":"FILE_DISPOSITION_DO_NOT_DELETE","features":[5]},{"name":"FILE_DISPOSITION_FORCE_IMAGE_SECTION_CHECK","features":[5]},{"name":"FILE_DISPOSITION_IGNORE_READONLY_ATTRIBUTE","features":[5]},{"name":"FILE_DISPOSITION_INFORMATION","features":[5,1]},{"name":"FILE_DISPOSITION_INFORMATION_EX","features":[5]},{"name":"FILE_DISPOSITION_INFORMATION_EX_FLAGS","features":[5]},{"name":"FILE_DISPOSITION_ON_CLOSE","features":[5]},{"name":"FILE_DISPOSITION_POSIX_SEMANTICS","features":[5]},{"name":"FILE_EA_INFORMATION","features":[5]},{"name":"FILE_EA_TYPE_ASCII","features":[5]},{"name":"FILE_EA_TYPE_ASN1","features":[5]},{"name":"FILE_EA_TYPE_BINARY","features":[5]},{"name":"FILE_EA_TYPE_BITMAP","features":[5]},{"name":"FILE_EA_TYPE_EA","features":[5]},{"name":"FILE_EA_TYPE_FAMILY_IDS","features":[5]},{"name":"FILE_EA_TYPE_ICON","features":[5]},{"name":"FILE_EA_TYPE_METAFILE","features":[5]},{"name":"FILE_EA_TYPE_MVMT","features":[5]},{"name":"FILE_EA_TYPE_MVST","features":[5]},{"name":"FILE_END_OF_FILE_INFORMATION_EX","features":[5]},{"name":"FILE_FS_ATTRIBUTE_INFORMATION","features":[5]},{"name":"FILE_FS_CONTROL_INFORMATION","features":[5]},{"name":"FILE_FS_DATA_COPY_INFORMATION","features":[5]},{"name":"FILE_FS_DRIVER_PATH_INFORMATION","features":[5,1]},{"name":"FILE_FS_SECTOR_SIZE_INFORMATION","features":[5]},{"name":"FILE_FS_VOLUME_FLAGS_INFORMATION","features":[5]},{"name":"FILE_FULL_DIR_INFORMATION","features":[5]},{"name":"FILE_FULL_EA_INFORMATION","features":[5]},{"name":"FILE_GET_EA_INFORMATION","features":[5]},{"name":"FILE_GET_QUOTA_INFORMATION","features":[5,4]},{"name":"FILE_ID_BOTH_DIR_INFORMATION","features":[5]},{"name":"FILE_ID_EXTD_BOTH_DIR_INFORMATION","features":[5,21]},{"name":"FILE_ID_EXTD_DIR_INFORMATION","features":[5,21]},{"name":"FILE_ID_FULL_DIR_INFORMATION","features":[5]},{"name":"FILE_ID_GLOBAL_TX_DIR_INFORMATION","features":[5]},{"name":"FILE_ID_GLOBAL_TX_DIR_INFO_FLAG_VISIBLE_OUTSIDE_TX","features":[5]},{"name":"FILE_ID_GLOBAL_TX_DIR_INFO_FLAG_VISIBLE_TO_TX","features":[5]},{"name":"FILE_ID_GLOBAL_TX_DIR_INFO_FLAG_WRITELOCKED","features":[5]},{"name":"FILE_ID_INFORMATION","features":[5,21]},{"name":"FILE_INFORMATION_CLASS","features":[5]},{"name":"FILE_INFORMATION_DEFINITION","features":[5]},{"name":"FILE_INTERNAL_INFORMATION","features":[5]},{"name":"FILE_KNOWN_FOLDER_INFORMATION","features":[5]},{"name":"FILE_KNOWN_FOLDER_TYPE","features":[5]},{"name":"FILE_LINKS_FULL_ID_INFORMATION","features":[5,21]},{"name":"FILE_LINKS_INFORMATION","features":[5]},{"name":"FILE_LINK_ENTRY_FULL_ID_INFORMATION","features":[5,21]},{"name":"FILE_LINK_ENTRY_INFORMATION","features":[5]},{"name":"FILE_LINK_FORCE_RESIZE_SOURCE_SR","features":[5]},{"name":"FILE_LINK_FORCE_RESIZE_SR","features":[5]},{"name":"FILE_LINK_FORCE_RESIZE_TARGET_SR","features":[5]},{"name":"FILE_LINK_IGNORE_READONLY_ATTRIBUTE","features":[5]},{"name":"FILE_LINK_INFORMATION","features":[5,1]},{"name":"FILE_LINK_NO_DECREASE_AVAILABLE_SPACE","features":[5]},{"name":"FILE_LINK_NO_INCREASE_AVAILABLE_SPACE","features":[5]},{"name":"FILE_LINK_POSIX_SEMANTICS","features":[5]},{"name":"FILE_LINK_PRESERVE_AVAILABLE_SPACE","features":[5]},{"name":"FILE_LINK_REPLACE_IF_EXISTS","features":[5]},{"name":"FILE_LINK_SUPPRESS_STORAGE_RESERVE_INHERITANCE","features":[5]},{"name":"FILE_LOCK","features":[2,5,3,1,4,6,7,8]},{"name":"FILE_LOCK_INFO","features":[2,5,3,1,4,6,7,8]},{"name":"FILE_MAILSLOT_QUERY_INFORMATION","features":[5]},{"name":"FILE_MAILSLOT_SET_INFORMATION","features":[5]},{"name":"FILE_MODE_INFORMATION","features":[5]},{"name":"FILE_MOVE_CLUSTER_INFORMATION","features":[5,1]},{"name":"FILE_NAMES_INFORMATION","features":[5]},{"name":"FILE_NAME_INFORMATION","features":[5]},{"name":"FILE_NEED_EA","features":[5]},{"name":"FILE_NETWORK_OPEN_INFORMATION","features":[5]},{"name":"FILE_NETWORK_PHYSICAL_NAME_INFORMATION","features":[5]},{"name":"FILE_NON_DIRECTORY_FILE","features":[5]},{"name":"FILE_NOTIFY_CHANGE_EA","features":[5]},{"name":"FILE_NOTIFY_CHANGE_NAME","features":[5]},{"name":"FILE_NOTIFY_CHANGE_STREAM_NAME","features":[5]},{"name":"FILE_NOTIFY_CHANGE_STREAM_SIZE","features":[5]},{"name":"FILE_NOTIFY_CHANGE_STREAM_WRITE","features":[5]},{"name":"FILE_NOTIFY_VALID_MASK","features":[5]},{"name":"FILE_NO_COMPRESSION","features":[5]},{"name":"FILE_NO_EA_KNOWLEDGE","features":[5]},{"name":"FILE_NO_INTERMEDIATE_BUFFERING","features":[5]},{"name":"FILE_OBJECTID_INFORMATION","features":[5]},{"name":"FILE_OPBATCH_BREAK_UNDERWAY","features":[5]},{"name":"FILE_OPEN","features":[5]},{"name":"FILE_OPEN_BY_FILE_ID","features":[5]},{"name":"FILE_OPEN_FOR_BACKUP_INTENT","features":[5]},{"name":"FILE_OPEN_FOR_FREE_SPACE_QUERY","features":[5]},{"name":"FILE_OPEN_IF","features":[5]},{"name":"FILE_OPEN_NO_RECALL","features":[5]},{"name":"FILE_OPEN_REPARSE_POINT","features":[5]},{"name":"FILE_OPEN_REQUIRING_OPLOCK","features":[5]},{"name":"FILE_OPLOCK_BROKEN_TO_LEVEL_2","features":[5]},{"name":"FILE_OPLOCK_BROKEN_TO_NONE","features":[5]},{"name":"FILE_OVERWRITE","features":[5]},{"name":"FILE_OVERWRITE_IF","features":[5]},{"name":"FILE_PIPE_ACCEPT_REMOTE_CLIENTS","features":[5]},{"name":"FILE_PIPE_ASSIGN_EVENT_BUFFER","features":[5,1]},{"name":"FILE_PIPE_BYTE_STREAM_MODE","features":[5]},{"name":"FILE_PIPE_BYTE_STREAM_TYPE","features":[5]},{"name":"FILE_PIPE_CLIENT_END","features":[5]},{"name":"FILE_PIPE_CLIENT_PROCESS_BUFFER","features":[5]},{"name":"FILE_PIPE_CLIENT_PROCESS_BUFFER_EX","features":[5]},{"name":"FILE_PIPE_CLIENT_PROCESS_BUFFER_V2","features":[5]},{"name":"FILE_PIPE_CLOSING_STATE","features":[5]},{"name":"FILE_PIPE_COMPLETE_OPERATION","features":[5]},{"name":"FILE_PIPE_COMPUTER_NAME_LENGTH","features":[5]},{"name":"FILE_PIPE_CONNECTED_STATE","features":[5]},{"name":"FILE_PIPE_CREATE_SYMLINK_INPUT","features":[5]},{"name":"FILE_PIPE_DELETE_SYMLINK_INPUT","features":[5]},{"name":"FILE_PIPE_DISCONNECTED_STATE","features":[5]},{"name":"FILE_PIPE_EVENT_BUFFER","features":[5]},{"name":"FILE_PIPE_FULL_DUPLEX","features":[5]},{"name":"FILE_PIPE_INBOUND","features":[5]},{"name":"FILE_PIPE_INFORMATION","features":[5]},{"name":"FILE_PIPE_LISTENING_STATE","features":[5]},{"name":"FILE_PIPE_LOCAL_INFORMATION","features":[5]},{"name":"FILE_PIPE_MESSAGE_MODE","features":[5]},{"name":"FILE_PIPE_MESSAGE_TYPE","features":[5]},{"name":"FILE_PIPE_OUTBOUND","features":[5]},{"name":"FILE_PIPE_PEEK_BUFFER","features":[5]},{"name":"FILE_PIPE_QUEUE_OPERATION","features":[5]},{"name":"FILE_PIPE_READ_DATA","features":[5]},{"name":"FILE_PIPE_REJECT_REMOTE_CLIENTS","features":[5]},{"name":"FILE_PIPE_REMOTE_INFORMATION","features":[5]},{"name":"FILE_PIPE_SERVER_END","features":[5]},{"name":"FILE_PIPE_SILO_ARRIVAL_INPUT","features":[5,1]},{"name":"FILE_PIPE_SYMLINK_FLAG_GLOBAL","features":[5]},{"name":"FILE_PIPE_SYMLINK_FLAG_RELATIVE","features":[5]},{"name":"FILE_PIPE_TYPE_VALID_MASK","features":[5]},{"name":"FILE_PIPE_WAIT_FOR_BUFFER","features":[5,1]},{"name":"FILE_PIPE_WRITE_SPACE","features":[5]},{"name":"FILE_POSITION_INFORMATION","features":[5]},{"name":"FILE_QUOTA_INFORMATION","features":[5,4]},{"name":"FILE_RANDOM_ACCESS","features":[5]},{"name":"FILE_REMOTE_PROTOCOL_INFORMATION","features":[5]},{"name":"FILE_RENAME_FORCE_RESIZE_SOURCE_SR","features":[5]},{"name":"FILE_RENAME_FORCE_RESIZE_SR","features":[5]},{"name":"FILE_RENAME_FORCE_RESIZE_TARGET_SR","features":[5]},{"name":"FILE_RENAME_IGNORE_READONLY_ATTRIBUTE","features":[5]},{"name":"FILE_RENAME_INFORMATION","features":[5,1]},{"name":"FILE_RENAME_NO_DECREASE_AVAILABLE_SPACE","features":[5]},{"name":"FILE_RENAME_NO_INCREASE_AVAILABLE_SPACE","features":[5]},{"name":"FILE_RENAME_POSIX_SEMANTICS","features":[5]},{"name":"FILE_RENAME_PRESERVE_AVAILABLE_SPACE","features":[5]},{"name":"FILE_RENAME_REPLACE_IF_EXISTS","features":[5]},{"name":"FILE_RENAME_SUPPRESS_PIN_STATE_INHERITANCE","features":[5]},{"name":"FILE_RENAME_SUPPRESS_STORAGE_RESERVE_INHERITANCE","features":[5]},{"name":"FILE_REPARSE_POINT_INFORMATION","features":[5]},{"name":"FILE_RESERVE_OPFILTER","features":[5]},{"name":"FILE_SEQUENTIAL_ONLY","features":[5]},{"name":"FILE_SESSION_AWARE","features":[5]},{"name":"FILE_STANDARD_INFORMATION","features":[5,1]},{"name":"FILE_STANDARD_LINK_INFORMATION","features":[5,1]},{"name":"FILE_STAT_INFORMATION","features":[5]},{"name":"FILE_STAT_LX_INFORMATION","features":[5]},{"name":"FILE_STORAGE_RESERVE_ID_INFORMATION","features":[5,22]},{"name":"FILE_STREAM_INFORMATION","features":[5]},{"name":"FILE_SUPERSEDE","features":[5]},{"name":"FILE_SYNCHRONOUS_IO_ALERT","features":[5]},{"name":"FILE_SYNCHRONOUS_IO_NONALERT","features":[5]},{"name":"FILE_TIMESTAMPS","features":[5]},{"name":"FILE_TRACKING_INFORMATION","features":[5,1]},{"name":"FILE_VC_CONTENT_INDEX_DISABLED","features":[5]},{"name":"FILE_VC_LOG_QUOTA_LIMIT","features":[5]},{"name":"FILE_VC_LOG_QUOTA_THRESHOLD","features":[5]},{"name":"FILE_VC_LOG_VOLUME_LIMIT","features":[5]},{"name":"FILE_VC_LOG_VOLUME_THRESHOLD","features":[5]},{"name":"FILE_VC_QUOTAS_INCOMPLETE","features":[5]},{"name":"FILE_VC_QUOTAS_REBUILDING","features":[5]},{"name":"FILE_VC_QUOTA_ENFORCE","features":[5]},{"name":"FILE_VC_QUOTA_MASK","features":[5]},{"name":"FILE_VC_QUOTA_NONE","features":[5]},{"name":"FILE_VC_QUOTA_TRACK","features":[5]},{"name":"FILE_VC_VALID_MASK","features":[5]},{"name":"FILE_VOLUME_NAME_INFORMATION","features":[5]},{"name":"FILE_WRITE_THROUGH","features":[5]},{"name":"FLAGS_DELAY_REASONS_BITMAP_SCANNED","features":[5]},{"name":"FLAGS_DELAY_REASONS_LOG_FILE_FULL","features":[5]},{"name":"FLAGS_END_OF_FILE_INFO_EX_EXTEND_PAGING","features":[5]},{"name":"FLAGS_END_OF_FILE_INFO_EX_NO_EXTRA_PAGING_EXTEND","features":[5]},{"name":"FLAGS_END_OF_FILE_INFO_EX_TIME_CONSTRAINED","features":[5]},{"name":"FREE_VIRTUAL_MEMORY_EX_CALLBACK","features":[5,1]},{"name":"FSCTL_GHOST_FILE_EXTENTS_INPUT_BUFFER","features":[5]},{"name":"FSCTL_LMR_GET_LINK_TRACKING_INFORMATION","features":[5]},{"name":"FSCTL_LMR_SET_LINK_TRACKING_INFORMATION","features":[5]},{"name":"FSCTL_MAILSLOT_PEEK","features":[5]},{"name":"FSCTL_PIPE_ASSIGN_EVENT","features":[5]},{"name":"FSCTL_PIPE_CREATE_SYMLINK","features":[5]},{"name":"FSCTL_PIPE_DELETE_SYMLINK","features":[5]},{"name":"FSCTL_PIPE_DISABLE_IMPERSONATE","features":[5]},{"name":"FSCTL_PIPE_DISCONNECT","features":[5]},{"name":"FSCTL_PIPE_FLUSH","features":[5]},{"name":"FSCTL_PIPE_GET_CONNECTION_ATTRIBUTE","features":[5]},{"name":"FSCTL_PIPE_GET_HANDLE_ATTRIBUTE","features":[5]},{"name":"FSCTL_PIPE_GET_PIPE_ATTRIBUTE","features":[5]},{"name":"FSCTL_PIPE_IMPERSONATE","features":[5]},{"name":"FSCTL_PIPE_INTERNAL_READ","features":[5]},{"name":"FSCTL_PIPE_INTERNAL_READ_OVFLOW","features":[5]},{"name":"FSCTL_PIPE_INTERNAL_TRANSCEIVE","features":[5]},{"name":"FSCTL_PIPE_INTERNAL_WRITE","features":[5]},{"name":"FSCTL_PIPE_LISTEN","features":[5]},{"name":"FSCTL_PIPE_PEEK","features":[5]},{"name":"FSCTL_PIPE_QUERY_CLIENT_PROCESS","features":[5]},{"name":"FSCTL_PIPE_QUERY_CLIENT_PROCESS_V2","features":[5]},{"name":"FSCTL_PIPE_QUERY_EVENT","features":[5]},{"name":"FSCTL_PIPE_SET_CLIENT_PROCESS","features":[5]},{"name":"FSCTL_PIPE_SET_CONNECTION_ATTRIBUTE","features":[5]},{"name":"FSCTL_PIPE_SET_HANDLE_ATTRIBUTE","features":[5]},{"name":"FSCTL_PIPE_SET_PIPE_ATTRIBUTE","features":[5]},{"name":"FSCTL_PIPE_SILO_ARRIVAL","features":[5]},{"name":"FSCTL_PIPE_TRANSCEIVE","features":[5]},{"name":"FSCTL_PIPE_WAIT","features":[5]},{"name":"FSCTL_QUERY_GHOSTED_FILE_EXTENTS_INPUT_RANGE","features":[5]},{"name":"FSCTL_QUERY_GHOSTED_FILE_EXTENTS_OUTPUT","features":[5]},{"name":"FSCTL_QUERY_VOLUME_NUMA_INFO_OUTPUT","features":[5]},{"name":"FSCTL_UNMAP_SPACE_INPUT_BUFFER","features":[5]},{"name":"FSCTL_UNMAP_SPACE_OUTPUT","features":[5]},{"name":"FSRTL_ADD_TC_CASE_SENSITIVE","features":[5]},{"name":"FSRTL_ADD_TC_KEY_BY_SHORT_NAME","features":[5]},{"name":"FSRTL_ADVANCED_FCB_HEADER","features":[2,5,1,7]},{"name":"FSRTL_ALLOCATE_ECPLIST_FLAG_CHARGE_QUOTA","features":[5]},{"name":"FSRTL_ALLOCATE_ECP_FLAG_CHARGE_QUOTA","features":[5]},{"name":"FSRTL_ALLOCATE_ECP_FLAG_NONPAGED_POOL","features":[5]},{"name":"FSRTL_AUXILIARY_BUFFER","features":[2,5]},{"name":"FSRTL_AUXILIARY_FLAG_DEALLOCATE","features":[5]},{"name":"FSRTL_CC_FLUSH_ERROR_FLAG_NO_HARD_ERROR","features":[5]},{"name":"FSRTL_CC_FLUSH_ERROR_FLAG_NO_LOG_ENTRY","features":[5]},{"name":"FSRTL_CHANGE_BACKING_TYPE","features":[5]},{"name":"FSRTL_COMMON_FCB_HEADER","features":[2,5,7]},{"name":"FSRTL_COMPARISON_RESULT","features":[5]},{"name":"FSRTL_DRIVER_BACKING_FLAG_USE_PAGE_FILE","features":[5]},{"name":"FSRTL_ECP_LOOKASIDE_FLAG_NONPAGED_POOL","features":[5]},{"name":"FSRTL_FAT_LEGAL","features":[5]},{"name":"FSRTL_FCB_HEADER_V0","features":[5]},{"name":"FSRTL_FCB_HEADER_V1","features":[5]},{"name":"FSRTL_FCB_HEADER_V2","features":[5]},{"name":"FSRTL_FCB_HEADER_V3","features":[5]},{"name":"FSRTL_FCB_HEADER_V4","features":[5]},{"name":"FSRTL_FIND_TC_CASE_SENSITIVE","features":[5]},{"name":"FSRTL_FLAG2_BYPASSIO_STREAM_PAUSED","features":[5]},{"name":"FSRTL_FLAG2_DO_MODIFIED_WRITE","features":[5]},{"name":"FSRTL_FLAG2_IS_PAGING_FILE","features":[5]},{"name":"FSRTL_FLAG2_PURGE_WHEN_MAPPED","features":[5]},{"name":"FSRTL_FLAG2_SUPPORTS_FILTER_CONTEXTS","features":[5]},{"name":"FSRTL_FLAG2_WRITABLE_USER_MAPPED_FILE","features":[5]},{"name":"FSRTL_FLAG_ACQUIRE_MAIN_RSRC_EX","features":[5]},{"name":"FSRTL_FLAG_ACQUIRE_MAIN_RSRC_SH","features":[5]},{"name":"FSRTL_FLAG_ADVANCED_HEADER","features":[5]},{"name":"FSRTL_FLAG_EOF_ADVANCE_ACTIVE","features":[5]},{"name":"FSRTL_FLAG_FILE_LENGTH_CHANGED","features":[5]},{"name":"FSRTL_FLAG_FILE_MODIFIED","features":[5]},{"name":"FSRTL_FLAG_LIMIT_MODIFIED_PAGES","features":[5]},{"name":"FSRTL_FLAG_USER_MAPPED_FILE","features":[5]},{"name":"FSRTL_HPFS_LEGAL","features":[5]},{"name":"FSRTL_MUP_PROVIDER_INFO_LEVEL_1","features":[5]},{"name":"FSRTL_MUP_PROVIDER_INFO_LEVEL_2","features":[5,1]},{"name":"FSRTL_NTFS_LEGAL","features":[5]},{"name":"FSRTL_OLE_LEGAL","features":[5]},{"name":"FSRTL_PER_FILEOBJECT_CONTEXT","features":[5,7]},{"name":"FSRTL_PER_FILE_CONTEXT","features":[2,5,7]},{"name":"FSRTL_PER_STREAM_CONTEXT","features":[2,5,7]},{"name":"FSRTL_UNC_HARDENING_CAPABILITIES_INTEGRITY","features":[5]},{"name":"FSRTL_UNC_HARDENING_CAPABILITIES_MUTUAL_AUTH","features":[5]},{"name":"FSRTL_UNC_HARDENING_CAPABILITIES_PRIVACY","features":[5]},{"name":"FSRTL_UNC_PROVIDER_FLAGS_CONTAINER_AWARE","features":[5]},{"name":"FSRTL_UNC_PROVIDER_FLAGS_CSC_ENABLED","features":[5]},{"name":"FSRTL_UNC_PROVIDER_FLAGS_DOMAIN_SVC_AWARE","features":[5]},{"name":"FSRTL_UNC_PROVIDER_FLAGS_MAILSLOTS_SUPPORTED","features":[5]},{"name":"FSRTL_UNC_PROVIDER_REGISTRATION","features":[5]},{"name":"FSRTL_UNC_REGISTRATION_CURRENT_VERSION","features":[5]},{"name":"FSRTL_UNC_REGISTRATION_VERSION_0200","features":[5]},{"name":"FSRTL_UNC_REGISTRATION_VERSION_0201","features":[5]},{"name":"FSRTL_VIRTDISK_FULLY_ALLOCATED","features":[5]},{"name":"FSRTL_VIRTDISK_NO_DRIVE_LETTER","features":[5]},{"name":"FSRTL_VOLUME_BACKGROUND_FORMAT","features":[5]},{"name":"FSRTL_VOLUME_CHANGE_SIZE","features":[5]},{"name":"FSRTL_VOLUME_DISMOUNT","features":[5]},{"name":"FSRTL_VOLUME_DISMOUNT_FAILED","features":[5]},{"name":"FSRTL_VOLUME_FORCED_CLOSED","features":[5]},{"name":"FSRTL_VOLUME_INFO_MAKE_COMPAT","features":[5]},{"name":"FSRTL_VOLUME_LOCK","features":[5]},{"name":"FSRTL_VOLUME_LOCK_FAILED","features":[5]},{"name":"FSRTL_VOLUME_MOUNT","features":[5]},{"name":"FSRTL_VOLUME_NEEDS_CHKDSK","features":[5]},{"name":"FSRTL_VOLUME_PREPARING_EJECT","features":[5]},{"name":"FSRTL_VOLUME_UNLOCK","features":[5]},{"name":"FSRTL_VOLUME_WEARING_OUT","features":[5]},{"name":"FSRTL_VOLUME_WORM_NEAR_FULL","features":[5]},{"name":"FSRTL_WILD_CHARACTER","features":[5]},{"name":"FS_BPIO_INFO","features":[5]},{"name":"FS_BPIO_INPUT","features":[5,22]},{"name":"FS_FILTER_ACQUIRE_FOR_CC_FLUSH","features":[5]},{"name":"FS_FILTER_ACQUIRE_FOR_MOD_WRITE","features":[5]},{"name":"FS_FILTER_ACQUIRE_FOR_SECTION_SYNCHRONIZATION","features":[5]},{"name":"FS_FILTER_CALLBACKS","features":[2,5,3,1,4,6,7,8]},{"name":"FS_FILTER_CALLBACK_DATA","features":[2,5,3,1,4,6,7,8]},{"name":"FS_FILTER_PARAMETERS","features":[2,5,3,1,4,6,7,8]},{"name":"FS_FILTER_QUERY_OPEN","features":[5]},{"name":"FS_FILTER_RELEASE_FOR_CC_FLUSH","features":[5]},{"name":"FS_FILTER_RELEASE_FOR_MOD_WRITE","features":[5]},{"name":"FS_FILTER_RELEASE_FOR_SECTION_SYNCHRONIZATION","features":[5]},{"name":"FS_FILTER_SECTION_SYNC_IMAGE_EXTENTS_ARE_NOT_RVA","features":[5]},{"name":"FS_FILTER_SECTION_SYNC_IN_FLAG_DONT_UPDATE_LAST_ACCESS","features":[5]},{"name":"FS_FILTER_SECTION_SYNC_IN_FLAG_DONT_UPDATE_LAST_WRITE","features":[5]},{"name":"FS_FILTER_SECTION_SYNC_OUTPUT","features":[5]},{"name":"FS_FILTER_SECTION_SYNC_SUPPORTS_ASYNC_PARALLEL_IO","features":[5]},{"name":"FS_FILTER_SECTION_SYNC_SUPPORTS_DIRECT_MAP_DATA","features":[5]},{"name":"FS_FILTER_SECTION_SYNC_SUPPORTS_DIRECT_MAP_IMAGE","features":[5]},{"name":"FS_FILTER_SECTION_SYNC_TYPE","features":[5]},{"name":"FS_FILTER_STREAM_FO_NOTIFICATION_TYPE","features":[5]},{"name":"FS_INFORMATION_CLASS","features":[5]},{"name":"FastIoIsNotPossible","features":[5]},{"name":"FastIoIsPossible","features":[5]},{"name":"FastIoIsQuestionable","features":[5]},{"name":"FileAccessInformation","features":[5]},{"name":"FileAlignmentInformation","features":[5]},{"name":"FileAllInformation","features":[5]},{"name":"FileAllocationInformation","features":[5]},{"name":"FileAlternateNameInformation","features":[5]},{"name":"FileAttributeTagInformation","features":[5]},{"name":"FileBasicInformation","features":[5]},{"name":"FileBothDirectoryInformation","features":[5]},{"name":"FileCaseSensitiveInformation","features":[5]},{"name":"FileCaseSensitiveInformationForceAccessCheck","features":[5]},{"name":"FileCompletionInformation","features":[5]},{"name":"FileCompressionInformation","features":[5]},{"name":"FileDesiredStorageClassInformation","features":[5]},{"name":"FileDirectoryInformation","features":[5]},{"name":"FileDispositionInformation","features":[5]},{"name":"FileDispositionInformationEx","features":[5]},{"name":"FileEaInformation","features":[5]},{"name":"FileEndOfFileInformation","features":[5]},{"name":"FileFsAttributeInformation","features":[5]},{"name":"FileFsControlInformation","features":[5]},{"name":"FileFsDataCopyInformation","features":[5]},{"name":"FileFsDeviceInformation","features":[5]},{"name":"FileFsDriverPathInformation","features":[5]},{"name":"FileFsFullSizeInformation","features":[5]},{"name":"FileFsFullSizeInformationEx","features":[5]},{"name":"FileFsLabelInformation","features":[5]},{"name":"FileFsMaximumInformation","features":[5]},{"name":"FileFsMetadataSizeInformation","features":[5]},{"name":"FileFsObjectIdInformation","features":[5]},{"name":"FileFsSectorSizeInformation","features":[5]},{"name":"FileFsSizeInformation","features":[5]},{"name":"FileFsVolumeFlagsInformation","features":[5]},{"name":"FileFsVolumeInformation","features":[5]},{"name":"FileFullDirectoryInformation","features":[5]},{"name":"FileFullEaInformation","features":[5]},{"name":"FileHardLinkFullIdInformation","features":[5]},{"name":"FileHardLinkInformation","features":[5]},{"name":"FileIdBothDirectoryInformation","features":[5]},{"name":"FileIdExtdBothDirectoryInformation","features":[5]},{"name":"FileIdExtdDirectoryInformation","features":[5]},{"name":"FileIdFullDirectoryInformation","features":[5]},{"name":"FileIdGlobalTxDirectoryInformation","features":[5]},{"name":"FileIdInformation","features":[5]},{"name":"FileInternalInformation","features":[5]},{"name":"FileIoCompletionNotificationInformation","features":[5]},{"name":"FileIoPriorityHintInformation","features":[5]},{"name":"FileIoStatusBlockRangeInformation","features":[5]},{"name":"FileIsRemoteDeviceInformation","features":[5]},{"name":"FileKnownFolderInformation","features":[5]},{"name":"FileLinkInformation","features":[5]},{"name":"FileLinkInformationBypassAccessCheck","features":[5]},{"name":"FileLinkInformationEx","features":[5]},{"name":"FileLinkInformationExBypassAccessCheck","features":[5]},{"name":"FileMailslotQueryInformation","features":[5]},{"name":"FileMailslotSetInformation","features":[5]},{"name":"FileMaximumInformation","features":[5]},{"name":"FileMemoryPartitionInformation","features":[5]},{"name":"FileModeInformation","features":[5]},{"name":"FileMoveClusterInformation","features":[5]},{"name":"FileNameInformation","features":[5]},{"name":"FileNamesInformation","features":[5]},{"name":"FileNetworkOpenInformation","features":[5]},{"name":"FileNetworkPhysicalNameInformation","features":[5]},{"name":"FileNormalizedNameInformation","features":[5]},{"name":"FileNumaNodeInformation","features":[5]},{"name":"FileObjectIdInformation","features":[5]},{"name":"FilePipeInformation","features":[5]},{"name":"FilePipeLocalInformation","features":[5]},{"name":"FilePipeRemoteInformation","features":[5]},{"name":"FilePositionInformation","features":[5]},{"name":"FileProcessIdsUsingFileInformation","features":[5]},{"name":"FileQuotaInformation","features":[5]},{"name":"FileRemoteProtocolInformation","features":[5]},{"name":"FileRenameInformation","features":[5]},{"name":"FileRenameInformationBypassAccessCheck","features":[5]},{"name":"FileRenameInformationEx","features":[5]},{"name":"FileRenameInformationExBypassAccessCheck","features":[5]},{"name":"FileReparsePointInformation","features":[5]},{"name":"FileReplaceCompletionInformation","features":[5]},{"name":"FileSfioReserveInformation","features":[5]},{"name":"FileSfioVolumeInformation","features":[5]},{"name":"FileShortNameInformation","features":[5]},{"name":"FileStandardInformation","features":[5]},{"name":"FileStandardLinkInformation","features":[5]},{"name":"FileStatInformation","features":[5]},{"name":"FileStatLxInformation","features":[5]},{"name":"FileStorageReserveIdInformation","features":[5]},{"name":"FileStreamInformation","features":[5]},{"name":"FileTrackingInformation","features":[5]},{"name":"FileUnusedInformation","features":[5]},{"name":"FileValidDataLengthInformation","features":[5]},{"name":"FileVolumeNameInformation","features":[5]},{"name":"FsRtlAcknowledgeEcp","features":[5]},{"name":"FsRtlAcquireFileExclusive","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlAddBaseMcbEntry","features":[5,1]},{"name":"FsRtlAddBaseMcbEntryEx","features":[5,1]},{"name":"FsRtlAddLargeMcbEntry","features":[2,5,1,7]},{"name":"FsRtlAddMcbEntry","features":[2,5,1,7]},{"name":"FsRtlAddToTunnelCache","features":[2,5,1,7]},{"name":"FsRtlAddToTunnelCacheEx","features":[2,5,1,7]},{"name":"FsRtlAllocateAePushLock","features":[2,5]},{"name":"FsRtlAllocateExtraCreateParameter","features":[5,1]},{"name":"FsRtlAllocateExtraCreateParameterFromLookasideList","features":[5,1]},{"name":"FsRtlAllocateExtraCreateParameterList","features":[2,5,1]},{"name":"FsRtlAllocateFileLock","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlAllocateResource","features":[2,5,7]},{"name":"FsRtlAreNamesEqual","features":[5,1]},{"name":"FsRtlAreThereCurrentOrInProgressFileLocks","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlAreThereWaitingFileLocks","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlAreVolumeStartupApplicationsComplete","features":[5,1]},{"name":"FsRtlBalanceReads","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlCancellableWaitForMultipleObjects","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlCancellableWaitForSingleObject","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlChangeBackingFileObject","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlCheckLockForOplockRequest","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlCheckLockForReadAccess","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlCheckLockForWriteAccess","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlCheckOplock","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlCheckOplockEx","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlCheckOplockEx2","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlCheckUpperOplock","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlCopyRead","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlCopyWrite","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlCreateSectionForDataScan","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlCurrentBatchOplock","features":[5,1]},{"name":"FsRtlCurrentOplock","features":[5,1]},{"name":"FsRtlCurrentOplockH","features":[5,1]},{"name":"FsRtlDeleteExtraCreateParameterLookasideList","features":[5]},{"name":"FsRtlDeleteKeyFromTunnelCache","features":[2,5,1,7]},{"name":"FsRtlDeleteTunnelCache","features":[2,5,1,7]},{"name":"FsRtlDeregisterUncProvider","features":[5,1]},{"name":"FsRtlDismountComplete","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlDissectDbcs","features":[5,7]},{"name":"FsRtlDissectName","features":[5,1]},{"name":"FsRtlDoesDbcsContainWildCards","features":[5,1,7]},{"name":"FsRtlDoesNameContainWildCards","features":[5,1]},{"name":"FsRtlFastCheckLockForRead","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlFastCheckLockForWrite","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlFastUnlockAll","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlFastUnlockAllByKey","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlFastUnlockSingle","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlFindExtraCreateParameter","features":[2,5,1]},{"name":"FsRtlFindInTunnelCache","features":[2,5,1,7]},{"name":"FsRtlFindInTunnelCacheEx","features":[2,5,1,7]},{"name":"FsRtlFreeAePushLock","features":[5]},{"name":"FsRtlFreeExtraCreateParameter","features":[5]},{"name":"FsRtlFreeExtraCreateParameterList","features":[2,5]},{"name":"FsRtlFreeFileLock","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlGetCurrentProcessLoaderList","features":[5,7]},{"name":"FsRtlGetEcpListFromIrp","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlGetFileSize","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlGetNextBaseMcbEntry","features":[5,1]},{"name":"FsRtlGetNextExtraCreateParameter","features":[2,5,1]},{"name":"FsRtlGetNextFileLock","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlGetNextLargeMcbEntry","features":[2,5,1,7]},{"name":"FsRtlGetNextMcbEntry","features":[2,5,1,7]},{"name":"FsRtlGetSectorSizeInformation","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlGetSupportedFeatures","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlGetVirtualDiskNestingLevel","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlIncrementCcFastMdlReadWait","features":[5]},{"name":"FsRtlIncrementCcFastReadNoWait","features":[5]},{"name":"FsRtlIncrementCcFastReadNotPossible","features":[5]},{"name":"FsRtlIncrementCcFastReadResourceMiss","features":[5]},{"name":"FsRtlIncrementCcFastReadWait","features":[5]},{"name":"FsRtlInitExtraCreateParameterLookasideList","features":[5]},{"name":"FsRtlInitializeBaseMcb","features":[2,5]},{"name":"FsRtlInitializeBaseMcbEx","features":[2,5,1]},{"name":"FsRtlInitializeExtraCreateParameter","features":[2,5]},{"name":"FsRtlInitializeExtraCreateParameterList","features":[2,5,1]},{"name":"FsRtlInitializeFileLock","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlInitializeLargeMcb","features":[2,5,1,7]},{"name":"FsRtlInitializeMcb","features":[2,5,1,7]},{"name":"FsRtlInitializeOplock","features":[5]},{"name":"FsRtlInitializeTunnelCache","features":[2,5,1,7]},{"name":"FsRtlInsertExtraCreateParameter","features":[2,5,1]},{"name":"FsRtlInsertPerFileContext","features":[2,5,1,7]},{"name":"FsRtlInsertPerFileObjectContext","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlInsertPerStreamContext","features":[2,5,1,7]},{"name":"FsRtlIs32BitProcess","features":[2,5,1]},{"name":"FsRtlIsDaxVolume","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlIsDbcsInExpression","features":[5,1,7]},{"name":"FsRtlIsEcpAcknowledged","features":[5,1]},{"name":"FsRtlIsEcpFromUserMode","features":[5,1]},{"name":"FsRtlIsExtentDangling","features":[5]},{"name":"FsRtlIsFatDbcsLegal","features":[5,1,7]},{"name":"FsRtlIsHpfsDbcsLegal","features":[5,1,7]},{"name":"FsRtlIsMobileOS","features":[5,1]},{"name":"FsRtlIsNameInExpression","features":[5,1]},{"name":"FsRtlIsNameInUnUpcasedExpression","features":[5,1]},{"name":"FsRtlIsNonEmptyDirectoryReparsePointAllowed","features":[5,1]},{"name":"FsRtlIsNtstatusExpected","features":[5,1]},{"name":"FsRtlIsPagingFile","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlIsSystemPagingFile","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlIssueDeviceIoControl","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlKernelFsControlFile","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlLogCcFlushError","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlLookupBaseMcbEntry","features":[5,1]},{"name":"FsRtlLookupLargeMcbEntry","features":[2,5,1,7]},{"name":"FsRtlLookupLastBaseMcbEntry","features":[5,1]},{"name":"FsRtlLookupLastBaseMcbEntryAndIndex","features":[5,1]},{"name":"FsRtlLookupLastLargeMcbEntry","features":[2,5,1,7]},{"name":"FsRtlLookupLastLargeMcbEntryAndIndex","features":[2,5,1,7]},{"name":"FsRtlLookupLastMcbEntry","features":[2,5,1,7]},{"name":"FsRtlLookupMcbEntry","features":[2,5,1,7]},{"name":"FsRtlLookupPerFileContext","features":[2,5,7]},{"name":"FsRtlLookupPerFileObjectContext","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlLookupPerStreamContextInternal","features":[2,5,1,7]},{"name":"FsRtlMdlReadCompleteDev","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlMdlReadDev","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlMdlReadEx","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlMdlWriteCompleteDev","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlMupGetProviderIdFromName","features":[5,1]},{"name":"FsRtlMupGetProviderInfoFromFileObject","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlNormalizeNtstatus","features":[5,1]},{"name":"FsRtlNotifyCleanup","features":[2,5,7]},{"name":"FsRtlNotifyCleanupAll","features":[2,5,7]},{"name":"FsRtlNotifyFilterChangeDirectory","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlNotifyFilterReportChange","features":[2,5,7]},{"name":"FsRtlNotifyFullChangeDirectory","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlNotifyFullReportChange","features":[2,5,7]},{"name":"FsRtlNotifyInitializeSync","features":[2,5]},{"name":"FsRtlNotifyUninitializeSync","features":[2,5]},{"name":"FsRtlNotifyVolumeEvent","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlNotifyVolumeEventEx","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlNumberOfRunsInBaseMcb","features":[5]},{"name":"FsRtlNumberOfRunsInLargeMcb","features":[2,5,1,7]},{"name":"FsRtlNumberOfRunsInMcb","features":[2,5,1,7]},{"name":"FsRtlOplockBreakH","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlOplockBreakH2","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlOplockBreakToNone","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlOplockBreakToNoneEx","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlOplockFsctrl","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlOplockFsctrlEx","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlOplockGetAnyBreakOwnerProcess","features":[2,5]},{"name":"FsRtlOplockIsFastIoPossible","features":[5,1]},{"name":"FsRtlOplockIsSharedRequest","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlOplockKeysEqual","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlPostPagingFileStackOverflow","features":[2,5,1,7]},{"name":"FsRtlPostStackOverflow","features":[2,5,1,7]},{"name":"FsRtlPrepareMdlWriteDev","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlPrepareMdlWriteEx","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlPrepareToReuseEcp","features":[5]},{"name":"FsRtlPrivateLock","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlProcessFileLock","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlQueryCachedVdl","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlQueryInformationFile","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlQueryKernelEaFile","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlQueryMaximumVirtualDiskNestingLevel","features":[5]},{"name":"FsRtlRegisterFileSystemFilterCallbacks","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlRegisterUncProvider","features":[5,1]},{"name":"FsRtlRegisterUncProviderEx","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlRegisterUncProviderEx2","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlReleaseFile","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlRemoveBaseMcbEntry","features":[5,1]},{"name":"FsRtlRemoveDotsFromPath","features":[5,1]},{"name":"FsRtlRemoveExtraCreateParameter","features":[2,5,1]},{"name":"FsRtlRemoveLargeMcbEntry","features":[2,5,1,7]},{"name":"FsRtlRemoveMcbEntry","features":[2,5,1,7]},{"name":"FsRtlRemovePerFileContext","features":[2,5,7]},{"name":"FsRtlRemovePerFileObjectContext","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlRemovePerStreamContext","features":[2,5,1,7]},{"name":"FsRtlResetBaseMcb","features":[5]},{"name":"FsRtlResetLargeMcb","features":[2,5,1,7]},{"name":"FsRtlSetDriverBacking","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlSetEcpListIntoIrp","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlSetKernelEaFile","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlSplitBaseMcb","features":[5,1]},{"name":"FsRtlSplitLargeMcb","features":[2,5,1,7]},{"name":"FsRtlTeardownPerFileContexts","features":[5]},{"name":"FsRtlTeardownPerStreamContexts","features":[2,5,1,7]},{"name":"FsRtlTruncateBaseMcb","features":[5]},{"name":"FsRtlTruncateLargeMcb","features":[2,5,1,7]},{"name":"FsRtlTruncateMcb","features":[2,5,1,7]},{"name":"FsRtlUninitializeBaseMcb","features":[5]},{"name":"FsRtlUninitializeFileLock","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlUninitializeLargeMcb","features":[2,5,1,7]},{"name":"FsRtlUninitializeMcb","features":[2,5,1,7]},{"name":"FsRtlUninitializeOplock","features":[5]},{"name":"FsRtlUpdateDiskCounters","features":[5]},{"name":"FsRtlUpperOplockFsctrl","features":[2,5,3,1,4,6,7,8]},{"name":"FsRtlValidateReparsePointBuffer","features":[5,1]},{"name":"FsRtlVolumeDeviceToCorrelationId","features":[2,5,3,1,4,6,7,8]},{"name":"GCR_ALLOW_LM","features":[5]},{"name":"GCR_ALLOW_NO_TARGET","features":[5]},{"name":"GCR_ALLOW_NTLM","features":[5]},{"name":"GCR_MACHINE_CREDENTIAL","features":[5]},{"name":"GCR_NTLM3_PARMS","features":[5]},{"name":"GCR_TARGET_INFO","features":[5]},{"name":"GCR_USE_OEM_SET","features":[5]},{"name":"GCR_USE_OWF_PASSWORD","features":[5]},{"name":"GCR_VSM_PROTECTED_PASSWORD","features":[5]},{"name":"GENERATE_CLIENT_CHALLENGE","features":[5]},{"name":"GENERATE_NAME_CONTEXT","features":[5,1]},{"name":"GHOSTED_FILE_EXTENT","features":[5]},{"name":"GUID_ECP_ATOMIC_CREATE","features":[5]},{"name":"GUID_ECP_CLOUDFILES_ATTRIBUTION","features":[5]},{"name":"GUID_ECP_CREATE_REDIRECTION","features":[5]},{"name":"GUID_ECP_CSV_DOWN_LEVEL_OPEN","features":[5]},{"name":"GUID_ECP_CSV_QUERY_FILE_REVISION","features":[5]},{"name":"GUID_ECP_CSV_QUERY_FILE_REVISION_FILE_ID_128","features":[5]},{"name":"GUID_ECP_CSV_SET_HANDLE_PROPERTIES","features":[5]},{"name":"GUID_ECP_DUAL_OPLOCK_KEY","features":[5]},{"name":"GUID_ECP_IO_DEVICE_HINT","features":[5]},{"name":"GUID_ECP_NETWORK_APP_INSTANCE","features":[5]},{"name":"GUID_ECP_NETWORK_APP_INSTANCE_VERSION","features":[5]},{"name":"GUID_ECP_NETWORK_OPEN_CONTEXT","features":[5]},{"name":"GUID_ECP_NFS_OPEN","features":[5]},{"name":"GUID_ECP_OPEN_PARAMETERS","features":[5]},{"name":"GUID_ECP_OPLOCK_KEY","features":[5]},{"name":"GUID_ECP_PREFETCH_OPEN","features":[5]},{"name":"GUID_ECP_QUERY_ON_CREATE","features":[5]},{"name":"GUID_ECP_RKF_BYPASS","features":[5]},{"name":"GUID_ECP_SRV_OPEN","features":[5]},{"name":"GetSecurityUserInfo","features":[5,1,23]},{"name":"GreaterThan","features":[5]},{"name":"HEAP_CLASS_0","features":[5]},{"name":"HEAP_CLASS_1","features":[5]},{"name":"HEAP_CLASS_2","features":[5]},{"name":"HEAP_CLASS_3","features":[5]},{"name":"HEAP_CLASS_4","features":[5]},{"name":"HEAP_CLASS_5","features":[5]},{"name":"HEAP_CLASS_6","features":[5]},{"name":"HEAP_CLASS_7","features":[5]},{"name":"HEAP_CLASS_8","features":[5]},{"name":"HEAP_CLASS_MASK","features":[5]},{"name":"HEAP_CREATE_ALIGN_16","features":[5]},{"name":"HEAP_CREATE_ENABLE_EXECUTE","features":[5]},{"name":"HEAP_CREATE_ENABLE_TRACING","features":[5]},{"name":"HEAP_CREATE_HARDENED","features":[5]},{"name":"HEAP_CREATE_SEGMENT_HEAP","features":[5]},{"name":"HEAP_DISABLE_COALESCE_ON_FREE","features":[5]},{"name":"HEAP_FREE_CHECKING_ENABLED","features":[5]},{"name":"HEAP_GENERATE_EXCEPTIONS","features":[5]},{"name":"HEAP_GLOBAL_TAG","features":[5]},{"name":"HEAP_GROWABLE","features":[5]},{"name":"HEAP_MAXIMUM_TAG","features":[5]},{"name":"HEAP_MEMORY_INFO_CLASS","features":[5]},{"name":"HEAP_NO_SERIALIZE","features":[5]},{"name":"HEAP_PSEUDO_TAG_FLAG","features":[5]},{"name":"HEAP_REALLOC_IN_PLACE_ONLY","features":[5]},{"name":"HEAP_SETTABLE_USER_FLAG1","features":[5]},{"name":"HEAP_SETTABLE_USER_FLAG2","features":[5]},{"name":"HEAP_SETTABLE_USER_FLAG3","features":[5]},{"name":"HEAP_SETTABLE_USER_FLAGS","features":[5]},{"name":"HEAP_SETTABLE_USER_VALUE","features":[5]},{"name":"HEAP_TAG_SHIFT","features":[5]},{"name":"HEAP_TAIL_CHECKING_ENABLED","features":[5]},{"name":"HEAP_ZERO_MEMORY","features":[5]},{"name":"HeapMemoryBasicInformation","features":[5]},{"name":"INVALID_PROCESSOR_INDEX","features":[5]},{"name":"IOCTL_LMR_ARE_FILE_OBJECTS_ON_SAME_SERVER","features":[5]},{"name":"IOCTL_REDIR_QUERY_PATH","features":[5]},{"name":"IOCTL_REDIR_QUERY_PATH_EX","features":[5]},{"name":"IOCTL_VOLSNAP_FLUSH_AND_HOLD_WRITES","features":[5]},{"name":"IO_CD_ROM_INCREMENT","features":[5]},{"name":"IO_CREATE_STREAM_FILE_LITE","features":[5]},{"name":"IO_CREATE_STREAM_FILE_OPTIONS","features":[2,5,3,1,4,6,7,8]},{"name":"IO_CREATE_STREAM_FILE_RAISE_ON_ERROR","features":[5]},{"name":"IO_DEVICE_HINT_ECP_CONTEXT","features":[2,5,3,1,4,6,7,8]},{"name":"IO_DISK_INCREMENT","features":[5]},{"name":"IO_FILE_OBJECT_NON_PAGED_POOL_CHARGE","features":[5]},{"name":"IO_FILE_OBJECT_PAGED_POOL_CHARGE","features":[5]},{"name":"IO_IGNORE_READONLY_ATTRIBUTE","features":[5]},{"name":"IO_MAILSLOT_INCREMENT","features":[5]},{"name":"IO_MM_PAGING_FILE","features":[5]},{"name":"IO_NAMED_PIPE_INCREMENT","features":[5]},{"name":"IO_NETWORK_INCREMENT","features":[5]},{"name":"IO_NO_INCREMENT","features":[5]},{"name":"IO_OPEN_PAGING_FILE","features":[5]},{"name":"IO_OPEN_TARGET_DIRECTORY","features":[5]},{"name":"IO_PRIORITY_INFO","features":[2,5]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_0","features":[5]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_1","features":[5]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_2","features":[5]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_3","features":[5]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_4","features":[5]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_5","features":[5]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_6","features":[5]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_7","features":[5]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_8","features":[5]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_9","features":[5]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_A","features":[5]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_B","features":[5]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_C","features":[5]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_D","features":[5]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_E","features":[5]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_F","features":[5]},{"name":"IO_REPARSE_TAG_ACTIVISION_HSM","features":[5]},{"name":"IO_REPARSE_TAG_ADA_HSM","features":[5]},{"name":"IO_REPARSE_TAG_ADOBE_HSM","features":[5]},{"name":"IO_REPARSE_TAG_ALERTBOOT","features":[5]},{"name":"IO_REPARSE_TAG_ALTIRIS_HSM","features":[5]},{"name":"IO_REPARSE_TAG_APPXSTRM","features":[5]},{"name":"IO_REPARSE_TAG_ARCO_BACKUP","features":[5]},{"name":"IO_REPARSE_TAG_ARKIVIO","features":[5]},{"name":"IO_REPARSE_TAG_AURISTOR_FS","features":[5]},{"name":"IO_REPARSE_TAG_AUTN_HSM","features":[5]},{"name":"IO_REPARSE_TAG_BRIDGEHEAD_HSM","features":[5]},{"name":"IO_REPARSE_TAG_C2CSYSTEMS_HSM","features":[5]},{"name":"IO_REPARSE_TAG_CARINGO_HSM","features":[5]},{"name":"IO_REPARSE_TAG_CARROLL_HSM","features":[5]},{"name":"IO_REPARSE_TAG_CITRIX_PM","features":[5]},{"name":"IO_REPARSE_TAG_COMMVAULT","features":[5]},{"name":"IO_REPARSE_TAG_COMMVAULT_HSM","features":[5]},{"name":"IO_REPARSE_TAG_COMTRADE_HSM","features":[5]},{"name":"IO_REPARSE_TAG_CTERA_HSM","features":[5]},{"name":"IO_REPARSE_TAG_DATAFIRST_HSM","features":[5]},{"name":"IO_REPARSE_TAG_DATAGLOBAL_HSM","features":[5]},{"name":"IO_REPARSE_TAG_DATASTOR_SIS","features":[5]},{"name":"IO_REPARSE_TAG_DFM","features":[5]},{"name":"IO_REPARSE_TAG_DOR_HSM","features":[5]},{"name":"IO_REPARSE_TAG_DOUBLE_TAKE_HSM","features":[5]},{"name":"IO_REPARSE_TAG_DOUBLE_TAKE_SIS","features":[5]},{"name":"IO_REPARSE_TAG_DRIVE_EXTENDER","features":[5]},{"name":"IO_REPARSE_TAG_DROPBOX_HSM","features":[5]},{"name":"IO_REPARSE_TAG_EASEFILTER_HSM","features":[5]},{"name":"IO_REPARSE_TAG_EASEVAULT_HSM","features":[5]},{"name":"IO_REPARSE_TAG_EDSI_HSM","features":[5]},{"name":"IO_REPARSE_TAG_ELTAN_HSM","features":[5]},{"name":"IO_REPARSE_TAG_EMC_HSM","features":[5]},{"name":"IO_REPARSE_TAG_ENIGMA_HSM","features":[5]},{"name":"IO_REPARSE_TAG_FILTER_MANAGER","features":[5]},{"name":"IO_REPARSE_TAG_GLOBAL360_HSM","features":[5]},{"name":"IO_REPARSE_TAG_GOOGLE_HSM","features":[5]},{"name":"IO_REPARSE_TAG_GRAU_DATASTORAGE_HSM","features":[5]},{"name":"IO_REPARSE_TAG_HDS_HCP_HSM","features":[5]},{"name":"IO_REPARSE_TAG_HDS_HSM","features":[5]},{"name":"IO_REPARSE_TAG_HERMES_HSM","features":[5]},{"name":"IO_REPARSE_TAG_HP_BACKUP","features":[5]},{"name":"IO_REPARSE_TAG_HP_DATA_PROTECT","features":[5]},{"name":"IO_REPARSE_TAG_HP_HSM","features":[5]},{"name":"IO_REPARSE_TAG_HSAG_HSM","features":[5]},{"name":"IO_REPARSE_TAG_HUBSTOR_HSM","features":[5]},{"name":"IO_REPARSE_TAG_IFSTEST_CONGRUENT","features":[5]},{"name":"IO_REPARSE_TAG_IIS_CACHE","features":[5]},{"name":"IO_REPARSE_TAG_IMANAGE_HSM","features":[5]},{"name":"IO_REPARSE_TAG_INTERCOPE_HSM","features":[5]},{"name":"IO_REPARSE_TAG_ITSTATION","features":[5]},{"name":"IO_REPARSE_TAG_KOM_NETWORKS_HSM","features":[5]},{"name":"IO_REPARSE_TAG_LX_BLK","features":[5]},{"name":"IO_REPARSE_TAG_LX_CHR","features":[5]},{"name":"IO_REPARSE_TAG_LX_FIFO","features":[5]},{"name":"IO_REPARSE_TAG_LX_SYMLINK","features":[5]},{"name":"IO_REPARSE_TAG_MAGINATICS_RDR","features":[5]},{"name":"IO_REPARSE_TAG_MAXISCALE_HSM","features":[5]},{"name":"IO_REPARSE_TAG_MEMORY_TECH_HSM","features":[5]},{"name":"IO_REPARSE_TAG_MIMOSA_HSM","features":[5]},{"name":"IO_REPARSE_TAG_MOONWALK_HSM","features":[5]},{"name":"IO_REPARSE_TAG_MTALOS","features":[5]},{"name":"IO_REPARSE_TAG_NEUSHIELD","features":[5]},{"name":"IO_REPARSE_TAG_NEXSAN_HSM","features":[5]},{"name":"IO_REPARSE_TAG_NIPPON_HSM","features":[5]},{"name":"IO_REPARSE_TAG_NVIDIA_UNIONFS","features":[5]},{"name":"IO_REPARSE_TAG_OPENAFS_DFS","features":[5]},{"name":"IO_REPARSE_TAG_OSR_SAMPLE","features":[5]},{"name":"IO_REPARSE_TAG_OVERTONE","features":[5]},{"name":"IO_REPARSE_TAG_POINTSOFT_HSM","features":[5]},{"name":"IO_REPARSE_TAG_QI_TECH_HSM","features":[5]},{"name":"IO_REPARSE_TAG_QUADDRA_HSM","features":[5]},{"name":"IO_REPARSE_TAG_QUEST_HSM","features":[5]},{"name":"IO_REPARSE_TAG_REDSTOR_HSM","features":[5]},{"name":"IO_REPARSE_TAG_RIVERBED_HSM","features":[5]},{"name":"IO_REPARSE_TAG_SER_HSM","features":[5]},{"name":"IO_REPARSE_TAG_SHX_BACKUP","features":[5]},{"name":"IO_REPARSE_TAG_SOLUTIONSOFT","features":[5]},{"name":"IO_REPARSE_TAG_SONY_HSM","features":[5]},{"name":"IO_REPARSE_TAG_SPHARSOFT","features":[5]},{"name":"IO_REPARSE_TAG_SYMANTEC_HSM","features":[5]},{"name":"IO_REPARSE_TAG_SYMANTEC_HSM2","features":[5]},{"name":"IO_REPARSE_TAG_TSINGHUA_UNIVERSITY_RESEARCH","features":[5]},{"name":"IO_REPARSE_TAG_UTIXO_HSM","features":[5]},{"name":"IO_REPARSE_TAG_VALID_VALUES","features":[5]},{"name":"IO_REPARSE_TAG_VMWARE_PM","features":[5]},{"name":"IO_REPARSE_TAG_WATERFORD","features":[5]},{"name":"IO_REPARSE_TAG_WISDATA_HSM","features":[5]},{"name":"IO_REPARSE_TAG_ZLTI_HSM","features":[5]},{"name":"IO_STOP_ON_SYMLINK","features":[5]},{"name":"IO_STOP_ON_SYMLINK_FILTER_ECP_v0","features":[5]},{"name":"IoAcquireVpbSpinLock","features":[5]},{"name":"IoApplyPriorityInfoThread","features":[2,5,1]},{"name":"IoCheckDesiredAccess","features":[5,1]},{"name":"IoCheckEaBufferValidity","features":[5,1]},{"name":"IoCheckFunctionAccess","features":[5,1]},{"name":"IoCheckQuerySetFileInformation","features":[5,1]},{"name":"IoCheckQuerySetVolumeInformation","features":[5,1]},{"name":"IoCheckQuotaBufferValidity","features":[5,1,4]},{"name":"IoClearFsTrackOffsetState","features":[2,5,3,1,4,6,7,8]},{"name":"IoCreateStreamFileObject","features":[2,5,3,1,4,6,7,8]},{"name":"IoCreateStreamFileObjectEx","features":[2,5,3,1,4,6,7,8]},{"name":"IoCreateStreamFileObjectEx2","features":[2,5,3,1,4,6,7,8]},{"name":"IoCreateStreamFileObjectLite","features":[2,5,3,1,4,6,7,8]},{"name":"IoEnumerateDeviceObjectList","features":[2,5,3,1,4,6,7,8]},{"name":"IoEnumerateRegisteredFiltersList","features":[2,5,3,1,4,6,7,8]},{"name":"IoFastQueryNetworkAttributes","features":[2,5,1,6]},{"name":"IoGetAttachedDevice","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetBaseFileSystemDeviceObject","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetDeviceAttachmentBaseRef","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetDeviceToVerify","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetDiskDeviceObject","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetFsTrackOffsetState","features":[2,5,3,1,4,6,22,7,8]},{"name":"IoGetLowerDeviceObject","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetOplockKeyContext","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetOplockKeyContextEx","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetRequestorProcess","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetRequestorProcessId","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetRequestorSessionId","features":[2,5,3,1,4,6,7,8]},{"name":"IoIrpHasFsTrackOffsetExtensionType","features":[2,5,3,1,4,6,7,8]},{"name":"IoIsOperationSynchronous","features":[2,5,3,1,4,6,7,8]},{"name":"IoIsSystemThread","features":[2,5,1]},{"name":"IoIsValidNameGraftingBuffer","features":[2,5,3,1,4,6,7,8]},{"name":"IoPageRead","features":[2,5,3,1,4,6,7,8]},{"name":"IoQueryFileDosDeviceName","features":[2,5,3,1,4,6,7,8]},{"name":"IoQueryFileInformation","features":[2,5,3,1,4,6,7,8]},{"name":"IoQueryVolumeInformation","features":[2,5,3,1,4,6,7,8]},{"name":"IoQueueThreadIrp","features":[2,5,3,1,4,6,7,8]},{"name":"IoRegisterFileSystem","features":[2,5,3,1,4,6,7,8]},{"name":"IoRegisterFsRegistrationChange","features":[2,5,3,1,4,6,7,8]},{"name":"IoRegisterFsRegistrationChangeMountAware","features":[2,5,3,1,4,6,7,8]},{"name":"IoReleaseVpbSpinLock","features":[5]},{"name":"IoReplaceFileObjectName","features":[2,5,3,1,4,6,7,8]},{"name":"IoRequestDeviceRemovalForReset","features":[2,5,3,1,4,6,7,8]},{"name":"IoRetrievePriorityInfo","features":[2,5,3,1,4,6,7,8]},{"name":"IoSetDeviceToVerify","features":[2,5,3,1,4,6,7,8]},{"name":"IoSetFsTrackOffsetState","features":[2,5,3,1,4,6,22,7,8]},{"name":"IoSetInformation","features":[2,5,3,1,4,6,7,8]},{"name":"IoSynchronousPageWrite","features":[2,5,3,1,4,6,7,8]},{"name":"IoThreadToProcess","features":[2,5]},{"name":"IoUnregisterFileSystem","features":[2,5,3,1,4,6,7,8]},{"name":"IoUnregisterFsRegistrationChange","features":[2,5,3,1,4,6,7,8]},{"name":"IoVerifyVolume","features":[2,5,3,1,4,6,7,8]},{"name":"KAPC_STATE","features":[5,1,7]},{"name":"KeAcquireQueuedSpinLock","features":[2,5]},{"name":"KeAcquireSpinLockRaiseToSynch","features":[5]},{"name":"KeAttachProcess","features":[2,5]},{"name":"KeDetachProcess","features":[5]},{"name":"KeInitializeMutant","features":[2,5,1,7]},{"name":"KeInitializeQueue","features":[2,5,1,7]},{"name":"KeInsertHeadQueue","features":[2,5,1,7]},{"name":"KeInsertQueue","features":[2,5,1,7]},{"name":"KeReadStateMutant","features":[2,5,1,7]},{"name":"KeReadStateQueue","features":[2,5,1,7]},{"name":"KeReleaseMutant","features":[2,5,1,7]},{"name":"KeReleaseQueuedSpinLock","features":[2,5]},{"name":"KeRemoveQueue","features":[2,5,1,7]},{"name":"KeRemoveQueueEx","features":[2,5,1,7]},{"name":"KeRundownQueue","features":[2,5,1,7]},{"name":"KeSetIdealProcessorThread","features":[2,5]},{"name":"KeSetKernelStackSwapEnable","features":[5,1]},{"name":"KeStackAttachProcess","features":[2,5,1,7]},{"name":"KeTryToAcquireQueuedSpinLock","features":[2,5]},{"name":"KeUnstackDetachProcess","features":[5,1,7]},{"name":"KnownFolderDesktop","features":[5]},{"name":"KnownFolderDocuments","features":[5]},{"name":"KnownFolderDownloads","features":[5]},{"name":"KnownFolderMax","features":[5]},{"name":"KnownFolderMusic","features":[5]},{"name":"KnownFolderNone","features":[5]},{"name":"KnownFolderOther","features":[5]},{"name":"KnownFolderPictures","features":[5]},{"name":"KnownFolderVideos","features":[5]},{"name":"LARGE_MCB","features":[2,5,1,7]},{"name":"LCN_CHECKSUM_VALID","features":[5]},{"name":"LCN_WEAK_REFERENCE_BUFFER","features":[5]},{"name":"LCN_WEAK_REFERENCE_CREATE_INPUT_BUFFER","features":[5]},{"name":"LCN_WEAK_REFERENCE_VALID","features":[5]},{"name":"LINK_TRACKING_INFORMATION","features":[5]},{"name":"LINK_TRACKING_INFORMATION_TYPE","features":[5]},{"name":"LX_FILE_CASE_SENSITIVE_DIR","features":[5]},{"name":"LX_FILE_METADATA_DEVICE_ID_EA_NAME","features":[5]},{"name":"LX_FILE_METADATA_GID_EA_NAME","features":[5]},{"name":"LX_FILE_METADATA_HAS_DEVICE_ID","features":[5]},{"name":"LX_FILE_METADATA_HAS_GID","features":[5]},{"name":"LX_FILE_METADATA_HAS_MODE","features":[5]},{"name":"LX_FILE_METADATA_HAS_UID","features":[5]},{"name":"LX_FILE_METADATA_MODE_EA_NAME","features":[5]},{"name":"LX_FILE_METADATA_UID_EA_NAME","features":[5]},{"name":"LessThan","features":[5]},{"name":"MAP_DISABLE_PAGEFAULT_CLUSTERING","features":[5]},{"name":"MAP_HIGH_PRIORITY","features":[5]},{"name":"MAP_NO_READ","features":[5]},{"name":"MAP_WAIT","features":[5]},{"name":"MAXIMUM_LEADBYTES","features":[5]},{"name":"MAX_UNICODE_STACK_BUFFER_LENGTH","features":[5]},{"name":"MCB","features":[2,5,1,7]},{"name":"MCB_FLAG_RAISE_ON_ALLOCATION_FAILURE","features":[5]},{"name":"MEMORY_INFORMATION_CLASS","features":[5]},{"name":"MEMORY_RANGE_ENTRY","features":[5]},{"name":"MFT_ENUM_DATA","features":[5]},{"name":"MMFLUSH_TYPE","features":[5]},{"name":"MM_FORCE_CLOSED_DATA","features":[5]},{"name":"MM_FORCE_CLOSED_IMAGE","features":[5]},{"name":"MM_FORCE_CLOSED_LATER_OK","features":[5]},{"name":"MM_IS_FILE_SECTION_ACTIVE_DATA","features":[5]},{"name":"MM_IS_FILE_SECTION_ACTIVE_IMAGE","features":[5]},{"name":"MM_IS_FILE_SECTION_ACTIVE_USER","features":[5]},{"name":"MM_PREFETCH_FLAGS","features":[5]},{"name":"MSV1_0_AVID","features":[5]},{"name":"MSV1_0_ENUMUSERS_REQUEST","features":[5,23]},{"name":"MSV1_0_ENUMUSERS_RESPONSE","features":[5,1,23]},{"name":"MSV1_0_GETCHALLENRESP_REQUEST","features":[5,1,23]},{"name":"MSV1_0_GETCHALLENRESP_REQUEST_V1","features":[5,1,23]},{"name":"MSV1_0_GETCHALLENRESP_RESPONSE","features":[5,1,23,7]},{"name":"MSV1_0_GETUSERINFO_REQUEST","features":[5,1,23]},{"name":"MSV1_0_GETUSERINFO_RESPONSE","features":[5,1,23]},{"name":"MSV1_0_LM20_CHALLENGE_REQUEST","features":[5,23]},{"name":"MSV1_0_LM20_CHALLENGE_RESPONSE","features":[5,23]},{"name":"MakeSignature","features":[5]},{"name":"MapSecurityError","features":[5,1]},{"name":"MemoryBasicInformation","features":[5]},{"name":"MemoryType64KPage","features":[5]},{"name":"MemoryTypeCustom","features":[5]},{"name":"MemoryTypeHugePage","features":[5]},{"name":"MemoryTypeLargePage","features":[5]},{"name":"MemoryTypeMax","features":[5]},{"name":"MemoryTypeNonPaged","features":[5]},{"name":"MemoryTypePaged","features":[5]},{"name":"MmCanFileBeTruncated","features":[2,5,1]},{"name":"MmDoesFileHaveUserWritableReferences","features":[2,5]},{"name":"MmFlushForDelete","features":[5]},{"name":"MmFlushForWrite","features":[5]},{"name":"MmFlushImageSection","features":[2,5,1]},{"name":"MmForceSectionClosed","features":[2,5,1]},{"name":"MmForceSectionClosedEx","features":[2,5,1]},{"name":"MmGetMaximumFileSectionSize","features":[5]},{"name":"MmIsFileSectionActive","features":[2,5,1]},{"name":"MmIsRecursiveIoFault","features":[5,1]},{"name":"MmMdlPagesAreZero","features":[2,5]},{"name":"MmPrefetchPages","features":[2,5,3,1,4,21,6,7,8]},{"name":"MmSetAddressRangeModified","features":[5,1]},{"name":"MsvAvChannelBindings","features":[5]},{"name":"MsvAvDnsComputerName","features":[5]},{"name":"MsvAvDnsDomainName","features":[5]},{"name":"MsvAvDnsTreeName","features":[5]},{"name":"MsvAvEOL","features":[5]},{"name":"MsvAvFlags","features":[5]},{"name":"MsvAvNbComputerName","features":[5]},{"name":"MsvAvNbDomainName","features":[5]},{"name":"MsvAvRestrictions","features":[5]},{"name":"MsvAvTargetName","features":[5]},{"name":"MsvAvTimestamp","features":[5]},{"name":"NETWORK_APP_INSTANCE_ECP_CONTEXT","features":[5]},{"name":"NETWORK_APP_INSTANCE_VERSION_ECP_CONTEXT","features":[5]},{"name":"NETWORK_OPEN_ECP_CONTEXT","features":[5]},{"name":"NETWORK_OPEN_ECP_CONTEXT_V0","features":[5]},{"name":"NETWORK_OPEN_ECP_IN_FLAG_DISABLE_HANDLE_COLLAPSING","features":[5]},{"name":"NETWORK_OPEN_ECP_IN_FLAG_DISABLE_HANDLE_DURABILITY","features":[5]},{"name":"NETWORK_OPEN_ECP_IN_FLAG_DISABLE_OPLOCKS","features":[5]},{"name":"NETWORK_OPEN_ECP_IN_FLAG_FORCE_BUFFERED_SYNCHRONOUS_IO_HACK","features":[5]},{"name":"NETWORK_OPEN_ECP_IN_FLAG_FORCE_MAX_EOF_HACK","features":[5]},{"name":"NETWORK_OPEN_ECP_IN_FLAG_REQ_MUTUAL_AUTH","features":[5]},{"name":"NETWORK_OPEN_ECP_OUT_FLAG_RET_MUTUAL_AUTH","features":[5]},{"name":"NETWORK_OPEN_INTEGRITY_QUALIFIER","features":[5]},{"name":"NETWORK_OPEN_LOCATION_QUALIFIER","features":[5]},{"name":"NFS_OPEN_ECP_CONTEXT","features":[5,1,15]},{"name":"NLSTABLEINFO","features":[5]},{"name":"NO_8DOT3_NAME_PRESENT","features":[5]},{"name":"NTCREATEFILE_CREATE_DISPOSITION","features":[5]},{"name":"NTCREATEFILE_CREATE_OPTIONS","features":[5]},{"name":"NetworkOpenIntegrityAny","features":[5]},{"name":"NetworkOpenIntegrityEncrypted","features":[5]},{"name":"NetworkOpenIntegrityMaximum","features":[5]},{"name":"NetworkOpenIntegrityNone","features":[5]},{"name":"NetworkOpenIntegritySigned","features":[5]},{"name":"NetworkOpenLocationAny","features":[5]},{"name":"NetworkOpenLocationLoopback","features":[5]},{"name":"NetworkOpenLocationRemote","features":[5]},{"name":"NotifyTypeCreate","features":[5]},{"name":"NotifyTypeRetired","features":[5]},{"name":"NtAccessCheckAndAuditAlarm","features":[5,1,4]},{"name":"NtAccessCheckByTypeAndAuditAlarm","features":[5,1,4]},{"name":"NtAccessCheckByTypeResultListAndAuditAlarm","features":[5,1,4]},{"name":"NtAccessCheckByTypeResultListAndAuditAlarmByHandle","features":[5,1,4]},{"name":"NtAdjustGroupsToken","features":[5,1,4]},{"name":"NtAdjustPrivilegesToken","features":[5,1,4]},{"name":"NtAllocateVirtualMemory","features":[5,1]},{"name":"NtCancelIoFileEx","features":[5,1,6]},{"name":"NtCloseObjectAuditAlarm","features":[5,1]},{"name":"NtCreateFile","features":[2,5,1,21,6]},{"name":"NtCreateSection","features":[2,5,1]},{"name":"NtCreateSectionEx","features":[2,5,1,20]},{"name":"NtDeleteObjectAuditAlarm","features":[5,1]},{"name":"NtDuplicateToken","features":[2,5,1,4]},{"name":"NtFilterToken","features":[5,1,4]},{"name":"NtFlushBuffersFileEx","features":[5,1,6]},{"name":"NtFreeVirtualMemory","features":[5,1]},{"name":"NtFsControlFile","features":[5,1,6]},{"name":"NtImpersonateAnonymousToken","features":[5,1]},{"name":"NtLockFile","features":[5,1,6]},{"name":"NtOpenFile","features":[2,5,1,6]},{"name":"NtOpenObjectAuditAlarm","features":[5,1,4]},{"name":"NtOpenProcessToken","features":[5,1]},{"name":"NtOpenProcessTokenEx","features":[5,1]},{"name":"NtOpenThreadToken","features":[5,1]},{"name":"NtOpenThreadTokenEx","features":[5,1]},{"name":"NtPrivilegeCheck","features":[5,1,4]},{"name":"NtPrivilegeObjectAuditAlarm","features":[5,1,4]},{"name":"NtPrivilegedServiceAuditAlarm","features":[5,1,4]},{"name":"NtQueryDirectoryFile","features":[5,1,6]},{"name":"NtQueryDirectoryFileEx","features":[5,1,6]},{"name":"NtQueryInformationByName","features":[2,5,1,6]},{"name":"NtQueryInformationFile","features":[5,1,6]},{"name":"NtQueryInformationToken","features":[5,1,4]},{"name":"NtQueryQuotaInformationFile","features":[5,1,6]},{"name":"NtQuerySecurityObject","features":[5,1,4]},{"name":"NtQueryVirtualMemory","features":[5,1]},{"name":"NtQueryVolumeInformationFile","features":[5,1,6]},{"name":"NtReadFile","features":[5,1,6]},{"name":"NtSetInformationFile","features":[5,1,6]},{"name":"NtSetInformationToken","features":[5,1,4]},{"name":"NtSetInformationVirtualMemory","features":[5,1]},{"name":"NtSetQuotaInformationFile","features":[5,1,6]},{"name":"NtSetSecurityObject","features":[5,1,4]},{"name":"NtSetVolumeInformationFile","features":[5,1,6]},{"name":"NtUnlockFile","features":[5,1,6]},{"name":"NtWriteFile","features":[5,1,6]},{"name":"NtfsLinkTrackingInformation","features":[5]},{"name":"OPEN_REPARSE_LIST","features":[5,7]},{"name":"OPEN_REPARSE_LIST_ENTRY","features":[5,7]},{"name":"OPEN_REPARSE_POINT_OVERRIDE_CREATE_OPTION","features":[5]},{"name":"OPEN_REPARSE_POINT_REPARSE_ALWAYS","features":[5]},{"name":"OPEN_REPARSE_POINT_REPARSE_IF_CHILD_EXISTS","features":[5]},{"name":"OPEN_REPARSE_POINT_REPARSE_IF_CHILD_NOT_EXISTS","features":[5]},{"name":"OPEN_REPARSE_POINT_REPARSE_IF_DIRECTORY_FINAL_COMPONENT","features":[5]},{"name":"OPEN_REPARSE_POINT_REPARSE_IF_DIRECTORY_FINAL_COMPONENT_ALWAYS","features":[5]},{"name":"OPEN_REPARSE_POINT_REPARSE_IF_FINAL_COMPONENT","features":[5]},{"name":"OPEN_REPARSE_POINT_REPARSE_IF_FINAL_COMPONENT_ALWAYS","features":[5]},{"name":"OPEN_REPARSE_POINT_REPARSE_IF_NON_DIRECTORY_FINAL_COMPONENT","features":[5]},{"name":"OPEN_REPARSE_POINT_REPARSE_IF_NON_DIRECTORY_FINAL_COMPONENT_ALWAYS","features":[5]},{"name":"OPEN_REPARSE_POINT_REPARSE_IF_NON_DIRECTORY_NON_FINAL_COMPONENT","features":[5]},{"name":"OPEN_REPARSE_POINT_REPARSE_IF_NON_DIRECTORY_NON_FINAL_COMPONENT_ALWAYS","features":[5]},{"name":"OPEN_REPARSE_POINT_REPARSE_IF_NON_FINAL_COMPONENT","features":[5]},{"name":"OPEN_REPARSE_POINT_RETURN_REPARSE_DATA_BUFFER","features":[5]},{"name":"OPEN_REPARSE_POINT_TAG_ENCOUNTERED","features":[5]},{"name":"OPEN_REPARSE_POINT_VERSION_EX","features":[5]},{"name":"OPLOCK_FLAG_BACK_OUT_ATOMIC_OPLOCK","features":[5]},{"name":"OPLOCK_FLAG_BREAKING_FOR_SHARING_VIOLATION","features":[5]},{"name":"OPLOCK_FLAG_CLOSING_DELETE_ON_CLOSE","features":[5]},{"name":"OPLOCK_FLAG_COMPLETE_IF_OPLOCKED","features":[5]},{"name":"OPLOCK_FLAG_IGNORE_OPLOCK_KEYS","features":[5]},{"name":"OPLOCK_FLAG_OPLOCK_KEY_CHECK_ONLY","features":[5]},{"name":"OPLOCK_FLAG_PARENT_OBJECT","features":[5]},{"name":"OPLOCK_FLAG_REMOVING_FILE_OR_LINK","features":[5]},{"name":"OPLOCK_FSCTRL_FLAG_ALL_KEYS_MATCH","features":[5]},{"name":"OPLOCK_KEY_CONTEXT","features":[5]},{"name":"OPLOCK_KEY_ECP_CONTEXT","features":[5]},{"name":"OPLOCK_NOTIFY_BREAK_WAIT_INTERIM_TIMEOUT","features":[5]},{"name":"OPLOCK_NOTIFY_BREAK_WAIT_TERMINATED","features":[5]},{"name":"OPLOCK_NOTIFY_PARAMS","features":[2,5,3,1,4,6,7,8]},{"name":"OPLOCK_NOTIFY_REASON","features":[5]},{"name":"OPLOCK_UPPER_FLAG_CHECK_NO_BREAK","features":[5]},{"name":"OPLOCK_UPPER_FLAG_NOTIFY_REFRESH_READ","features":[5]},{"name":"ObInsertObject","features":[2,5,3,1,4]},{"name":"ObIsKernelHandle","features":[5,1]},{"name":"ObMakeTemporaryObject","features":[5]},{"name":"ObOpenObjectByPointer","features":[2,5,3,1,4]},{"name":"ObOpenObjectByPointerWithTag","features":[2,5,3,1,4]},{"name":"ObQueryNameString","features":[2,5,1]},{"name":"ObQueryObjectAuditingByHandle","features":[5,1]},{"name":"PACQUIRE_FOR_LAZY_WRITE","features":[5,1]},{"name":"PACQUIRE_FOR_LAZY_WRITE_EX","features":[5,1]},{"name":"PACQUIRE_FOR_READ_AHEAD","features":[5,1]},{"name":"PALLOCATE_VIRTUAL_MEMORY_EX_CALLBACK","features":[5,1]},{"name":"PASYNC_READ_COMPLETION_CALLBACK","features":[5,1]},{"name":"PCC_POST_DEFERRED_WRITE","features":[5]},{"name":"PCHECK_FOR_TRAVERSE_ACCESS","features":[2,5,1,4]},{"name":"PCOMPLETE_LOCK_IRP_ROUTINE","features":[2,5,3,1,4,6,7,8]},{"name":"PDIRTY_PAGE_ROUTINE","features":[2,5,3,1,4,6,7,8]},{"name":"PFILTER_REPORT_CHANGE","features":[5,1]},{"name":"PFLUSH_TO_LSN","features":[5]},{"name":"PFN_FSRTLTEARDOWNPERSTREAMCONTEXTS","features":[2,5,1,7]},{"name":"PFREE_VIRTUAL_MEMORY_EX_CALLBACK","features":[5,1]},{"name":"PFSRTL_EXTRA_CREATE_PARAMETER_CLEANUP_CALLBACK","features":[5]},{"name":"PFSRTL_STACK_OVERFLOW_ROUTINE","features":[2,5,1,7]},{"name":"PFS_FILTER_CALLBACK","features":[2,5,3,1,4,6,7,8]},{"name":"PFS_FILTER_COMPLETION_CALLBACK","features":[2,5,3,1,4,6,7,8]},{"name":"PHYSICAL_EXTENTS_DESCRIPTOR","features":[5]},{"name":"PHYSICAL_MEMORY_DESCRIPTOR","features":[5]},{"name":"PHYSICAL_MEMORY_RUN","features":[5]},{"name":"PIN_CALLER_TRACKS_DIRTY_DATA","features":[5]},{"name":"PIN_EXCLUSIVE","features":[5]},{"name":"PIN_HIGH_PRIORITY","features":[5]},{"name":"PIN_IF_BCB","features":[5]},{"name":"PIN_NO_READ","features":[5]},{"name":"PIN_VERIFY_REQUIRED","features":[5]},{"name":"PIN_WAIT","features":[5]},{"name":"POLICY_AUDIT_SUBCATEGORY_COUNT","features":[5]},{"name":"POPLOCK_FS_PREPOST_IRP","features":[2,5,3,1,4,6,7,8]},{"name":"POPLOCK_NOTIFY_ROUTINE","features":[2,5,3,1,4,6,7,8]},{"name":"POPLOCK_WAIT_COMPLETE_ROUTINE","features":[2,5,3,1,4,6,7,8]},{"name":"PO_CB_AC_STATUS","features":[5]},{"name":"PO_CB_BUTTON_COLLISION","features":[5]},{"name":"PO_CB_LID_SWITCH_STATE","features":[5]},{"name":"PO_CB_PROCESSOR_POWER_POLICY","features":[5]},{"name":"PO_CB_SYSTEM_POWER_POLICY","features":[5]},{"name":"PO_CB_SYSTEM_STATE_LOCK","features":[5]},{"name":"PQUERY_LOG_USAGE","features":[5]},{"name":"PQUERY_VIRTUAL_MEMORY_CALLBACK","features":[5,1]},{"name":"PREFETCH_OPEN_ECP_CONTEXT","features":[5]},{"name":"PREFIX_TABLE","features":[2,5,7]},{"name":"PREFIX_TABLE_ENTRY","features":[2,5,7]},{"name":"PRELEASE_FROM_LAZY_WRITE","features":[5]},{"name":"PRELEASE_FROM_READ_AHEAD","features":[5]},{"name":"PRTL_ALLOCATE_STRING_ROUTINE","features":[5]},{"name":"PRTL_FREE_STRING_ROUTINE","features":[5]},{"name":"PRTL_HEAP_COMMIT_ROUTINE","features":[5,1]},{"name":"PRTL_REALLOCATE_STRING_ROUTINE","features":[5]},{"name":"PSE_LOGON_SESSION_TERMINATED_ROUTINE","features":[5,1]},{"name":"PSE_LOGON_SESSION_TERMINATED_ROUTINE_EX","features":[5,1]},{"name":"PSMP_MAXIMUM_SYSAPP_CLAIM_VALUES","features":[5]},{"name":"PSMP_MINIMUM_SYSAPP_CLAIM_VALUES","features":[5]},{"name":"PUBLIC_BCB","features":[5]},{"name":"PUNLOCK_ROUTINE","features":[2,5,3,1,4,6,7,8]},{"name":"PURGE_WITH_ACTIVE_VIEWS","features":[5]},{"name":"PfxFindPrefix","features":[2,5,7]},{"name":"PfxInitialize","features":[2,5,7]},{"name":"PfxInsertPrefix","features":[2,5,1,7]},{"name":"PfxRemovePrefix","features":[2,5,7]},{"name":"PoQueueShutdownWorkItem","features":[2,5,1,7]},{"name":"PsAssignImpersonationToken","features":[2,5,1]},{"name":"PsChargePoolQuota","features":[2,5]},{"name":"PsChargeProcessPoolQuota","features":[2,5,1]},{"name":"PsDereferenceImpersonationToken","features":[5]},{"name":"PsDereferencePrimaryToken","features":[5]},{"name":"PsDisableImpersonation","features":[2,5,1,4]},{"name":"PsGetProcessExitTime","features":[5]},{"name":"PsGetThreadProcess","features":[2,5]},{"name":"PsImpersonateClient","features":[2,5,1,4]},{"name":"PsIsDiskCountersEnabled","features":[5,1]},{"name":"PsIsSystemThread","features":[2,5,1]},{"name":"PsIsThreadTerminating","features":[2,5,1]},{"name":"PsLookupProcessByProcessId","features":[2,5,1]},{"name":"PsLookupThreadByThreadId","features":[2,5,1]},{"name":"PsReferenceImpersonationToken","features":[2,5,1,4]},{"name":"PsReferencePrimaryToken","features":[2,5]},{"name":"PsRestoreImpersonation","features":[2,5,1,4]},{"name":"PsReturnPoolQuota","features":[2,5]},{"name":"PsRevertToSelf","features":[5]},{"name":"PsUpdateDiskCounters","features":[2,5]},{"name":"QUERY_BAD_RANGES_INPUT","features":[5,22]},{"name":"QUERY_DIRECT_ACCESS_DATA_EXTENTS","features":[5]},{"name":"QUERY_DIRECT_ACCESS_EXTENTS","features":[5]},{"name":"QUERY_DIRECT_ACCESS_IMAGE_EXTENTS","features":[5]},{"name":"QUERY_ON_CREATE_EA_INFORMATION","features":[5]},{"name":"QUERY_ON_CREATE_ECP_CONTEXT","features":[5]},{"name":"QUERY_ON_CREATE_FILE_LX_INFORMATION","features":[5]},{"name":"QUERY_ON_CREATE_FILE_STAT_INFORMATION","features":[5]},{"name":"QUERY_PATH_REQUEST","features":[2,5,3,1,4]},{"name":"QUERY_PATH_REQUEST_EX","features":[2,5,3,1,4]},{"name":"QUERY_PATH_RESPONSE","features":[5]},{"name":"QUERY_VIRTUAL_MEMORY_CALLBACK","features":[5,1]},{"name":"QoCFileEaInformation","features":[5]},{"name":"QoCFileLxInformation","features":[5]},{"name":"QoCFileStatInformation","features":[5]},{"name":"QuerySecurityContextToken","features":[5]},{"name":"READ_AHEAD_PARAMETERS","features":[5]},{"name":"READ_LIST","features":[2,5,3,1,4,21,6,7,8]},{"name":"READ_USN_JOURNAL_DATA","features":[5]},{"name":"REFS_COMPRESSION_FORMATS","features":[5]},{"name":"REFS_COMPRESSION_FORMAT_LZ4","features":[5]},{"name":"REFS_COMPRESSION_FORMAT_MAX","features":[5]},{"name":"REFS_COMPRESSION_FORMAT_UNCOMPRESSED","features":[5]},{"name":"REFS_COMPRESSION_FORMAT_ZSTD","features":[5]},{"name":"REFS_DEALLOCATE_RANGES_ALLOCATOR","features":[5]},{"name":"REFS_DEALLOCATE_RANGES_ALLOCATOR_CAA","features":[5]},{"name":"REFS_DEALLOCATE_RANGES_ALLOCATOR_MAA","features":[5]},{"name":"REFS_DEALLOCATE_RANGES_ALLOCATOR_NONE","features":[5]},{"name":"REFS_DEALLOCATE_RANGES_ALLOCATOR_SAA","features":[5]},{"name":"REFS_DEALLOCATE_RANGES_INPUT_BUFFER","features":[5]},{"name":"REFS_DEALLOCATE_RANGES_INPUT_BUFFER_EX","features":[5]},{"name":"REFS_DEALLOCATE_RANGES_RANGE","features":[5]},{"name":"REFS_QUERY_VOLUME_COMPRESSION_INFO_OUTPUT_BUFFER","features":[5]},{"name":"REFS_QUERY_VOLUME_DEDUP_INFO_OUTPUT_BUFFER","features":[5,1]},{"name":"REFS_REMOVE_HARDLINK_BACKPOINTER","features":[5]},{"name":"REFS_SET_VOLUME_COMPRESSION_INFO_FLAGS","features":[5]},{"name":"REFS_SET_VOLUME_COMPRESSION_INFO_FLAG_COMPRESS_SYNC","features":[5]},{"name":"REFS_SET_VOLUME_COMPRESSION_INFO_FLAG_MAX","features":[5]},{"name":"REFS_SET_VOLUME_COMPRESSION_INFO_INPUT_BUFFER","features":[5]},{"name":"REFS_SET_VOLUME_DEDUP_INFO_INPUT_BUFFER","features":[5,1]},{"name":"REFS_STREAM_EXTENT","features":[5]},{"name":"REFS_STREAM_EXTENT_PROPERTY_CRC32","features":[5]},{"name":"REFS_STREAM_EXTENT_PROPERTY_CRC64","features":[5]},{"name":"REFS_STREAM_EXTENT_PROPERTY_GHOSTED","features":[5]},{"name":"REFS_STREAM_EXTENT_PROPERTY_READONLY","features":[5]},{"name":"REFS_STREAM_EXTENT_PROPERTY_SPARSE","features":[5]},{"name":"REFS_STREAM_EXTENT_PROPERTY_STREAM_RESERVED","features":[5]},{"name":"REFS_STREAM_EXTENT_PROPERTY_VALID","features":[5]},{"name":"REFS_STREAM_SNAPSHOT_LIST_OUTPUT_BUFFER","features":[5]},{"name":"REFS_STREAM_SNAPSHOT_LIST_OUTPUT_BUFFER_ENTRY","features":[5]},{"name":"REFS_STREAM_SNAPSHOT_MANAGEMENT_INPUT_BUFFER","features":[5]},{"name":"REFS_STREAM_SNAPSHOT_OPERATION","features":[5]},{"name":"REFS_STREAM_SNAPSHOT_OPERATION_CLEAR_SHADOW_BTREE","features":[5]},{"name":"REFS_STREAM_SNAPSHOT_OPERATION_CREATE","features":[5]},{"name":"REFS_STREAM_SNAPSHOT_OPERATION_INVALID","features":[5]},{"name":"REFS_STREAM_SNAPSHOT_OPERATION_LIST","features":[5]},{"name":"REFS_STREAM_SNAPSHOT_OPERATION_MAX","features":[5]},{"name":"REFS_STREAM_SNAPSHOT_OPERATION_QUERY_DELTAS","features":[5]},{"name":"REFS_STREAM_SNAPSHOT_OPERATION_REVERT","features":[5]},{"name":"REFS_STREAM_SNAPSHOT_OPERATION_SET_SHADOW_BTREE","features":[5]},{"name":"REFS_STREAM_SNAPSHOT_QUERY_DELTAS_INPUT_BUFFER","features":[5]},{"name":"REFS_STREAM_SNAPSHOT_QUERY_DELTAS_OUTPUT_BUFFER","features":[5]},{"name":"REFS_VOLUME_COUNTER_INFO_INPUT_BUFFER","features":[5,1]},{"name":"REFS_VOLUME_DATA_BUFFER","features":[5]},{"name":"REMOTE_LINK_TRACKING_INFORMATION","features":[5]},{"name":"REMOTE_PROTOCOL_FLAG_INTEGRITY","features":[5]},{"name":"REMOTE_PROTOCOL_FLAG_LOOPBACK","features":[5]},{"name":"REMOTE_PROTOCOL_FLAG_MUTUAL_AUTH","features":[5]},{"name":"REMOTE_PROTOCOL_FLAG_OFFLINE","features":[5]},{"name":"REMOTE_PROTOCOL_FLAG_PERSISTENT_HANDLE","features":[5]},{"name":"REMOTE_PROTOCOL_FLAG_PRIVACY","features":[5]},{"name":"REMOVED_8DOT3_NAME","features":[5]},{"name":"REPARSE_DATA_BUFFER","features":[5]},{"name":"REPARSE_DATA_BUFFER_EX","features":[5,21]},{"name":"REPARSE_DATA_EX_FLAG_GIVEN_TAG_OR_NONE","features":[5]},{"name":"REPARSE_INDEX_KEY","features":[5]},{"name":"RETRIEVAL_POINTERS_AND_REFCOUNT_BUFFER","features":[5]},{"name":"RETURN_NON_NT_USER_SESSION_KEY","features":[5]},{"name":"RETURN_PRIMARY_LOGON_DOMAINNAME","features":[5]},{"name":"RETURN_PRIMARY_USERNAME","features":[5]},{"name":"RETURN_RESERVED_PARAMETER","features":[5]},{"name":"RKF_BYPASS_ECP_CONTEXT","features":[5]},{"name":"RPI_SMB2_SERVERCAP_DFS","features":[5]},{"name":"RPI_SMB2_SERVERCAP_DIRECTORY_LEASING","features":[5]},{"name":"RPI_SMB2_SERVERCAP_ENCRYPTION_AWARE","features":[5]},{"name":"RPI_SMB2_SERVERCAP_LARGEMTU","features":[5]},{"name":"RPI_SMB2_SERVERCAP_LEASING","features":[5]},{"name":"RPI_SMB2_SERVERCAP_MULTICHANNEL","features":[5]},{"name":"RPI_SMB2_SERVERCAP_PERSISTENT_HANDLES","features":[5]},{"name":"RPI_SMB2_SHARECAP_ACCESS_BASED_DIRECTORY_ENUM","features":[5]},{"name":"RPI_SMB2_SHARECAP_ASYMMETRIC_SCALEOUT","features":[5]},{"name":"RPI_SMB2_SHARECAP_CLUSTER","features":[5]},{"name":"RPI_SMB2_SHARECAP_CONTINUOUS_AVAILABILITY","features":[5]},{"name":"RPI_SMB2_SHARECAP_DFS","features":[5]},{"name":"RPI_SMB2_SHARECAP_ENCRYPTED","features":[5]},{"name":"RPI_SMB2_SHARECAP_IDENTITY_REMOTING","features":[5]},{"name":"RPI_SMB2_SHARECAP_SCALEOUT","features":[5]},{"name":"RPI_SMB2_SHARECAP_TIMEWARP","features":[5]},{"name":"RPI_SMB2_SHARETYPE_DISK","features":[5]},{"name":"RPI_SMB2_SHARETYPE_PIPE","features":[5]},{"name":"RPI_SMB2_SHARETYPE_PRINT","features":[5]},{"name":"RTL_ALLOCATE_STRING_ROUTINE","features":[5]},{"name":"RTL_DUPLICATE_UNICODE_STRING_ALLOCATE_NULL_STRING","features":[5]},{"name":"RTL_DUPLICATE_UNICODE_STRING_NULL_TERMINATE","features":[5]},{"name":"RTL_FREE_STRING_ROUTINE","features":[5]},{"name":"RTL_HEAP_COMMIT_ROUTINE","features":[5,1]},{"name":"RTL_HEAP_MEMORY_LIMIT_CURRENT_VERSION","features":[5]},{"name":"RTL_HEAP_MEMORY_LIMIT_DATA","features":[5]},{"name":"RTL_HEAP_MEMORY_LIMIT_INFO","features":[5]},{"name":"RTL_HEAP_PARAMETERS","features":[5,1]},{"name":"RTL_MEMORY_TYPE","features":[5]},{"name":"RTL_NLS_STATE","features":[5]},{"name":"RTL_REALLOCATE_STRING_ROUTINE","features":[5]},{"name":"RTL_SEGMENT_HEAP_MEMORY_SOURCE","features":[5,1]},{"name":"RTL_SEGMENT_HEAP_PARAMETERS","features":[5,1]},{"name":"RTL_SEGMENT_HEAP_VA_CALLBACKS","features":[5,1]},{"name":"RTL_SYSTEM_VOLUME_INFORMATION_FOLDER","features":[5]},{"name":"RtlAbsoluteToSelfRelativeSD","features":[5,1,4]},{"name":"RtlAddAccessAllowedAce","features":[5,1,4]},{"name":"RtlAddAccessAllowedAceEx","features":[5,1,4]},{"name":"RtlAddAce","features":[5,1,4]},{"name":"RtlAllocateAndInitializeSid","features":[5,1,4]},{"name":"RtlAllocateAndInitializeSidEx","features":[5,1,4]},{"name":"RtlAllocateHeap","features":[5]},{"name":"RtlAppendStringToString","features":[5,1,7]},{"name":"RtlCompareAltitudes","features":[5,1]},{"name":"RtlCompareMemoryUlong","features":[5]},{"name":"RtlCompressBuffer","features":[5,1]},{"name":"RtlCompressChunks","features":[5,1]},{"name":"RtlCopyLuid","features":[5,1]},{"name":"RtlCopySid","features":[5,1]},{"name":"RtlCreateAcl","features":[5,1,4]},{"name":"RtlCreateHeap","features":[5,1]},{"name":"RtlCreateServiceSid","features":[5,1]},{"name":"RtlCreateSystemVolumeInformationFolder","features":[5,1]},{"name":"RtlCreateUnicodeString","features":[5,1]},{"name":"RtlCreateVirtualAccountSid","features":[5,1]},{"name":"RtlCustomCPToUnicodeN","features":[5,1]},{"name":"RtlDecompressBuffer","features":[5,1]},{"name":"RtlDecompressBufferEx","features":[5,1]},{"name":"RtlDecompressBufferEx2","features":[5,1]},{"name":"RtlDecompressChunks","features":[5,1]},{"name":"RtlDecompressFragment","features":[5,1]},{"name":"RtlDecompressFragmentEx","features":[5,1]},{"name":"RtlDeleteAce","features":[5,1,4]},{"name":"RtlDescribeChunk","features":[5,1]},{"name":"RtlDestroyHeap","features":[5]},{"name":"RtlDowncaseUnicodeString","features":[5,1]},{"name":"RtlDuplicateUnicodeString","features":[5,1]},{"name":"RtlEqualPrefixSid","features":[5,1]},{"name":"RtlEqualSid","features":[5,1]},{"name":"RtlFindUnicodePrefix","features":[2,5,1]},{"name":"RtlFreeHeap","features":[5]},{"name":"RtlFreeSid","features":[5,1]},{"name":"RtlGenerate8dot3Name","features":[5,1]},{"name":"RtlGetAce","features":[5,1,4]},{"name":"RtlGetCompressionWorkSpaceSize","features":[5,1]},{"name":"RtlGetDaclSecurityDescriptor","features":[5,1,4]},{"name":"RtlGetGroupSecurityDescriptor","features":[5,1,4]},{"name":"RtlGetOwnerSecurityDescriptor","features":[5,1,4]},{"name":"RtlGetSaclSecurityDescriptor","features":[5,1,4]},{"name":"RtlIdentifierAuthoritySid","features":[5,1,4]},{"name":"RtlIdnToAscii","features":[5,1]},{"name":"RtlIdnToNameprepUnicode","features":[5,1]},{"name":"RtlIdnToUnicode","features":[5,1]},{"name":"RtlInitCodePageTable","features":[5]},{"name":"RtlInitUnicodeStringEx","features":[5,1]},{"name":"RtlInitializeSid","features":[5,1,4]},{"name":"RtlInitializeSidEx","features":[5,1,4]},{"name":"RtlInitializeUnicodePrefix","features":[2,5,1]},{"name":"RtlInsertUnicodePrefix","features":[2,5,1]},{"name":"RtlIsCloudFilesPlaceholder","features":[5,1]},{"name":"RtlIsNonEmptyDirectoryReparsePointAllowed","features":[5,1]},{"name":"RtlIsNormalizedString","features":[5,1]},{"name":"RtlIsPartialPlaceholder","features":[5,1]},{"name":"RtlIsPartialPlaceholderFileHandle","features":[5,1]},{"name":"RtlIsPartialPlaceholderFileInfo","features":[5,1]},{"name":"RtlIsSandboxedToken","features":[2,5,1,4]},{"name":"RtlIsValidOemCharacter","features":[5,1]},{"name":"RtlLengthRequiredSid","features":[5]},{"name":"RtlLengthSid","features":[5,1]},{"name":"RtlMultiByteToUnicodeN","features":[5,1]},{"name":"RtlMultiByteToUnicodeSize","features":[5,1]},{"name":"RtlNextUnicodePrefix","features":[2,5,1]},{"name":"RtlNormalizeString","features":[5,1]},{"name":"RtlNtStatusToDosErrorNoTeb","features":[5,1]},{"name":"RtlOemStringToCountedUnicodeString","features":[5,1,7]},{"name":"RtlOemStringToUnicodeString","features":[5,1,7]},{"name":"RtlOemToUnicodeN","features":[5,1]},{"name":"RtlPrefixString","features":[5,1,7]},{"name":"RtlQueryPackageIdentity","features":[5,1]},{"name":"RtlQueryPackageIdentityEx","features":[5,1]},{"name":"RtlQueryProcessPlaceholderCompatibilityMode","features":[5]},{"name":"RtlQueryThreadPlaceholderCompatibilityMode","features":[5]},{"name":"RtlRandom","features":[5]},{"name":"RtlRandomEx","features":[5]},{"name":"RtlRemoveUnicodePrefix","features":[2,5,1]},{"name":"RtlReplaceSidInSd","features":[5,1,4]},{"name":"RtlReserveChunk","features":[5,1]},{"name":"RtlSecondsSince1970ToTime","features":[5]},{"name":"RtlSecondsSince1980ToTime","features":[5]},{"name":"RtlSelfRelativeToAbsoluteSD","features":[5,1,4]},{"name":"RtlSetGroupSecurityDescriptor","features":[5,1,4]},{"name":"RtlSetOwnerSecurityDescriptor","features":[5,1,4]},{"name":"RtlSetProcessPlaceholderCompatibilityMode","features":[5]},{"name":"RtlSetThreadPlaceholderCompatibilityMode","features":[5]},{"name":"RtlSubAuthorityCountSid","features":[5,1]},{"name":"RtlSubAuthoritySid","features":[5,1]},{"name":"RtlTimeToSecondsSince1980","features":[5,1]},{"name":"RtlUnicodeStringToCountedOemString","features":[5,1,7]},{"name":"RtlUnicodeToCustomCPN","features":[5,1]},{"name":"RtlUnicodeToMultiByteN","features":[5,1]},{"name":"RtlUnicodeToOemN","features":[5,1]},{"name":"RtlUpcaseUnicodeStringToCountedOemString","features":[5,1,7]},{"name":"RtlUpcaseUnicodeStringToOemString","features":[5,1,7]},{"name":"RtlUpcaseUnicodeToCustomCPN","features":[5,1]},{"name":"RtlUpcaseUnicodeToMultiByteN","features":[5,1]},{"name":"RtlUpcaseUnicodeToOemN","features":[5,1]},{"name":"RtlValidSid","features":[5,1]},{"name":"RtlValidateUnicodeString","features":[5,1]},{"name":"RtlxOemStringToUnicodeSize","features":[5,7]},{"name":"RtlxUnicodeStringToOemSize","features":[5,1]},{"name":"SECURITY_ANONYMOUS_LOGON_RID","features":[5]},{"name":"SECURITY_CLIENT_CONTEXT","features":[5,1,4]},{"name":"SEC_APPLICATION_PROTOCOLS","features":[5,23]},{"name":"SEC_DTLS_MTU","features":[5]},{"name":"SEC_FLAGS","features":[5]},{"name":"SEC_NEGOTIATION_INFO","features":[5]},{"name":"SEC_PRESHAREDKEY","features":[5]},{"name":"SEC_SRTP_MASTER_KEY_IDENTIFIER","features":[5]},{"name":"SEGMENT_HEAP_FLG_USE_PAGE_HEAP","features":[5]},{"name":"SEGMENT_HEAP_PARAMETERS_VERSION","features":[5]},{"name":"SEGMENT_HEAP_PARAMS_VALID_FLAGS","features":[5]},{"name":"SEMAPHORE_INCREMENT","features":[5]},{"name":"SET_CACHED_RUNS_STATE_INPUT_BUFFER","features":[5,1]},{"name":"SET_PURGE_FAILURE_MODE_DISABLED","features":[5]},{"name":"SE_AUDIT_INFO","features":[5,1,4]},{"name":"SE_AUDIT_OPERATION","features":[5]},{"name":"SE_BACKUP_PRIVILEGES_CHECKED","features":[5]},{"name":"SE_DACL_UNTRUSTED","features":[5]},{"name":"SE_EXPORTS","features":[5,1]},{"name":"SE_LOGON_SESSION_TERMINATED_ROUTINE","features":[5,1]},{"name":"SE_LOGON_SESSION_TERMINATED_ROUTINE_EX","features":[2,5,1]},{"name":"SE_SERVER_SECURITY","features":[5]},{"name":"SPECIAL_ENCRYPTED_OPEN","features":[5]},{"name":"SRV_INSTANCE_TYPE","features":[5]},{"name":"SRV_OPEN_ECP_CONTEXT","features":[5,1,15]},{"name":"SRV_OPEN_ECP_CONTEXT_VERSION_2","features":[5]},{"name":"SUPPORTED_FS_FEATURES_BYPASS_IO","features":[5]},{"name":"SUPPORTED_FS_FEATURES_OFFLOAD_READ","features":[5]},{"name":"SUPPORTED_FS_FEATURES_OFFLOAD_WRITE","features":[5]},{"name":"SUPPORTED_FS_FEATURES_QUERY_OPEN","features":[5]},{"name":"SYMLINK_DIRECTORY","features":[5]},{"name":"SYMLINK_FILE","features":[5]},{"name":"SYMLINK_FLAG_RELATIVE","features":[5]},{"name":"SYMLINK_RESERVED_MASK","features":[5]},{"name":"SYSTEM_PAGE_PRIORITY_BITS","features":[5]},{"name":"SYSTEM_PROCESS_TRUST_LABEL_ACE","features":[5]},{"name":"SeAccessCheckFromState","features":[5,1,4]},{"name":"SeAccessCheckFromStateEx","features":[5,1,4]},{"name":"SeAdjustAccessStateForAccessConstraints","features":[2,5,3,1,4]},{"name":"SeAdjustAccessStateForTrustLabel","features":[2,5,3,1,4]},{"name":"SeAdjustObjectSecurity","features":[2,5,1,4]},{"name":"SeAppendPrivileges","features":[2,5,3,1,4]},{"name":"SeAuditFipsCryptoSelftests","features":[5,1]},{"name":"SeAuditHardLinkCreation","features":[5,1]},{"name":"SeAuditHardLinkCreationWithTransaction","features":[5,1]},{"name":"SeAuditTransactionStateChange","features":[5]},{"name":"SeAuditingAnyFileEventsWithContext","features":[2,5,1,4]},{"name":"SeAuditingAnyFileEventsWithContextEx","features":[2,5,1,4]},{"name":"SeAuditingFileEvents","features":[5,1,4]},{"name":"SeAuditingFileEventsWithContext","features":[2,5,1,4]},{"name":"SeAuditingFileEventsWithContextEx","features":[2,5,1,4]},{"name":"SeAuditingFileOrGlobalEvents","features":[2,5,1,4]},{"name":"SeAuditingHardLinkEvents","features":[5,1,4]},{"name":"SeAuditingHardLinkEventsWithContext","features":[2,5,1,4]},{"name":"SeCaptureSubjectContextEx","features":[2,5,4]},{"name":"SeCheckForCriticalAceRemoval","features":[2,5,1,4]},{"name":"SeCreateClientSecurity","features":[2,5,1,4]},{"name":"SeCreateClientSecurityFromSubjectContext","features":[2,5,1,4]},{"name":"SeDeleteClientSecurity","features":[5,1,4]},{"name":"SeDeleteObjectAuditAlarm","features":[5,1]},{"name":"SeDeleteObjectAuditAlarmWithTransaction","features":[5,1]},{"name":"SeExamineSacl","features":[5,1,4]},{"name":"SeFilterToken","features":[5,1,4]},{"name":"SeFreePrivileges","features":[5,1,4]},{"name":"SeImpersonateClient","features":[2,5,1,4]},{"name":"SeImpersonateClientEx","features":[2,5,1,4]},{"name":"SeLocateProcessImageName","features":[2,5,1]},{"name":"SeMarkLogonSessionForTerminationNotification","features":[5,1]},{"name":"SeMarkLogonSessionForTerminationNotificationEx","features":[2,5,1]},{"name":"SeOpenObjectAuditAlarm","features":[2,5,3,1,4]},{"name":"SeOpenObjectAuditAlarmWithTransaction","features":[2,5,3,1,4]},{"name":"SeOpenObjectForDeleteAuditAlarm","features":[2,5,3,1,4]},{"name":"SeOpenObjectForDeleteAuditAlarmWithTransaction","features":[2,5,3,1,4]},{"name":"SePrivilegeCheck","features":[2,5,1,4]},{"name":"SeQueryAuthenticationIdToken","features":[5,1]},{"name":"SeQueryInformationToken","features":[5,1,4]},{"name":"SeQuerySecurityDescriptorInfo","features":[5,1,4]},{"name":"SeQueryServerSiloToken","features":[2,5,1]},{"name":"SeQuerySessionIdToken","features":[5,1]},{"name":"SeQuerySessionIdTokenEx","features":[5,1]},{"name":"SeRegisterLogonSessionTerminatedRoutine","features":[5,1]},{"name":"SeRegisterLogonSessionTerminatedRoutineEx","features":[5,1]},{"name":"SeReportSecurityEventWithSubCategory","features":[5,1,23]},{"name":"SeSetAccessStateGenericMapping","features":[2,5,3,1,4]},{"name":"SeSetSecurityDescriptorInfo","features":[2,5,1,4]},{"name":"SeSetSecurityDescriptorInfoEx","features":[2,5,1,4]},{"name":"SeShouldCheckForAccessRightsFromParent","features":[2,5,3,1,4]},{"name":"SeTokenFromAccessInformation","features":[5,1,4]},{"name":"SeTokenIsAdmin","features":[5,1]},{"name":"SeTokenIsRestricted","features":[5,1]},{"name":"SeTokenIsWriteRestricted","features":[5,1]},{"name":"SeTokenType","features":[5,4]},{"name":"SeUnregisterLogonSessionTerminatedRoutine","features":[5,1]},{"name":"SeUnregisterLogonSessionTerminatedRoutineEx","features":[5,1]},{"name":"SecBuffer","features":[5]},{"name":"SecBufferDesc","features":[5]},{"name":"SecHandle","features":[5]},{"name":"SecLookupAccountName","features":[5,1,4]},{"name":"SecLookupAccountSid","features":[5,1,4]},{"name":"SecLookupWellKnownSid","features":[5,1,4]},{"name":"SecMakeSPN","features":[5,1]},{"name":"SecMakeSPNEx","features":[5,1]},{"name":"SecMakeSPNEx2","features":[5,1]},{"name":"SetContextAttributesW","features":[5]},{"name":"SharedVirtualDiskCDPSnapshotsSupported","features":[5]},{"name":"SharedVirtualDiskHandleState","features":[5]},{"name":"SharedVirtualDiskHandleStateFileShared","features":[5]},{"name":"SharedVirtualDiskHandleStateHandleShared","features":[5]},{"name":"SharedVirtualDiskHandleStateNone","features":[5]},{"name":"SharedVirtualDiskSnapshotsSupported","features":[5]},{"name":"SharedVirtualDiskSupportType","features":[5]},{"name":"SharedVirtualDisksSupported","features":[5]},{"name":"SharedVirtualDisksUnsupported","features":[5]},{"name":"SrvInstanceTypeCsv","features":[5]},{"name":"SrvInstanceTypePrimary","features":[5]},{"name":"SrvInstanceTypeSBL","features":[5]},{"name":"SrvInstanceTypeSR","features":[5]},{"name":"SrvInstanceTypeUndefined","features":[5]},{"name":"SrvInstanceTypeVSMB","features":[5]},{"name":"SspiAcceptSecurityContextAsync","features":[2,5]},{"name":"SspiAcquireCredentialsHandleAsyncA","features":[2,5,23]},{"name":"SspiAcquireCredentialsHandleAsyncW","features":[2,5,1,23]},{"name":"SspiAsyncNotifyCallback","features":[2,5]},{"name":"SspiCreateAsyncContext","features":[2,5]},{"name":"SspiDeleteSecurityContextAsync","features":[2,5]},{"name":"SspiFreeAsyncContext","features":[2,5]},{"name":"SspiFreeCredentialsHandleAsync","features":[2,5]},{"name":"SspiGetAsyncCallStatus","features":[2,5]},{"name":"SspiInitializeSecurityContextAsyncA","features":[2,5]},{"name":"SspiInitializeSecurityContextAsyncW","features":[2,5,1]},{"name":"SspiReinitAsyncContext","features":[2,5,1]},{"name":"SspiSetAsyncNotifyCallback","features":[2,5]},{"name":"SyncTypeCreateSection","features":[5]},{"name":"SyncTypeOther","features":[5]},{"name":"TOKEN_AUDIT_NO_CHILD_PROCESS","features":[5]},{"name":"TOKEN_AUDIT_REDIRECTION_TRUST","features":[5]},{"name":"TOKEN_DO_NOT_USE_GLOBAL_ATTRIBS_FOR_QUERY","features":[5]},{"name":"TOKEN_ENFORCE_REDIRECTION_TRUST","features":[5]},{"name":"TOKEN_HAS_BACKUP_PRIVILEGE","features":[5]},{"name":"TOKEN_HAS_IMPERSONATE_PRIVILEGE","features":[5]},{"name":"TOKEN_HAS_OWN_CLAIM_ATTRIBUTES","features":[5]},{"name":"TOKEN_HAS_RESTORE_PRIVILEGE","features":[5]},{"name":"TOKEN_HAS_TRAVERSE_PRIVILEGE","features":[5]},{"name":"TOKEN_IS_FILTERED","features":[5]},{"name":"TOKEN_IS_RESTRICTED","features":[5]},{"name":"TOKEN_LEARNING_MODE_LOGGING","features":[5]},{"name":"TOKEN_LOWBOX","features":[5]},{"name":"TOKEN_NOT_LOW","features":[5]},{"name":"TOKEN_NO_CHILD_PROCESS","features":[5]},{"name":"TOKEN_NO_CHILD_PROCESS_UNLESS_SECURE","features":[5]},{"name":"TOKEN_PERMISSIVE_LEARNING_MODE","features":[5]},{"name":"TOKEN_PRIVATE_NAMESPACE","features":[5]},{"name":"TOKEN_SANDBOX_INERT","features":[5]},{"name":"TOKEN_SESSION_NOT_REFERENCED","features":[5]},{"name":"TOKEN_UIACCESS","features":[5]},{"name":"TOKEN_VIRTUALIZE_ALLOWED","features":[5]},{"name":"TOKEN_VIRTUALIZE_ENABLED","features":[5]},{"name":"TOKEN_WRITE_RESTRICTED","features":[5]},{"name":"TUNNEL","features":[2,5,1,7]},{"name":"UNICODE_PREFIX_TABLE","features":[2,5,1]},{"name":"UNICODE_PREFIX_TABLE_ENTRY","features":[2,5,1]},{"name":"UNINITIALIZE_CACHE_MAPS","features":[5]},{"name":"USE_PRIMARY_PASSWORD","features":[5]},{"name":"USN_DELETE_FLAG_DELETE","features":[5]},{"name":"USN_JOURNAL_DATA","features":[5]},{"name":"USN_RECORD","features":[5]},{"name":"VACB_MAPPING_GRANULARITY","features":[5]},{"name":"VACB_OFFSET_SHIFT","features":[5]},{"name":"VALID_INHERIT_FLAGS","features":[5]},{"name":"VCN_RANGE_INPUT_BUFFER","features":[5]},{"name":"VIRTUAL_MEMORY_INFORMATION_CLASS","features":[5]},{"name":"VOLSNAPCONTROLTYPE","features":[5]},{"name":"VOLUME_REFS_INFO_BUFFER","features":[5]},{"name":"VerifySignature","features":[5]},{"name":"VmPrefetchInformation","features":[5]},{"name":"WCIFS_REDIRECTION_FLAGS_CREATE_SERVICED_FROM_LAYER","features":[5]},{"name":"WCIFS_REDIRECTION_FLAGS_CREATE_SERVICED_FROM_REGISTERED_LAYER","features":[5]},{"name":"WCIFS_REDIRECTION_FLAGS_CREATE_SERVICED_FROM_REMOTE_LAYER","features":[5]},{"name":"WCIFS_REDIRECTION_FLAGS_CREATE_SERVICED_FROM_SCRATCH","features":[5]},{"name":"ZwAllocateVirtualMemory","features":[5,1]},{"name":"ZwAllocateVirtualMemoryEx","features":[5,1,20]},{"name":"ZwCreateEvent","features":[2,5,1,7]},{"name":"ZwDeleteFile","features":[2,5,1]},{"name":"ZwDuplicateObject","features":[5,1]},{"name":"ZwDuplicateToken","features":[2,5,1,4]},{"name":"ZwFlushBuffersFile","features":[5,1,6]},{"name":"ZwFlushBuffersFileEx","features":[5,1,6]},{"name":"ZwFlushVirtualMemory","features":[5,1,6]},{"name":"ZwFreeVirtualMemory","features":[5,1]},{"name":"ZwFsControlFile","features":[5,1,6]},{"name":"ZwLockFile","features":[5,1,6]},{"name":"ZwNotifyChangeKey","features":[5,1,6]},{"name":"ZwOpenDirectoryObject","features":[2,5,1]},{"name":"ZwOpenProcessTokenEx","features":[5,1]},{"name":"ZwOpenThreadTokenEx","features":[5,1]},{"name":"ZwQueryDirectoryFile","features":[5,1,6]},{"name":"ZwQueryDirectoryFileEx","features":[5,1,6]},{"name":"ZwQueryEaFile","features":[5,1,6]},{"name":"ZwQueryFullAttributesFile","features":[2,5,1]},{"name":"ZwQueryInformationToken","features":[5,1,4]},{"name":"ZwQueryObject","features":[2,5,1]},{"name":"ZwQueryQuotaInformationFile","features":[5,1,6]},{"name":"ZwQuerySecurityObject","features":[5,1,4]},{"name":"ZwQueryVirtualMemory","features":[5,1]},{"name":"ZwQueryVolumeInformationFile","features":[5,1,6]},{"name":"ZwSetEaFile","features":[5,1,6]},{"name":"ZwSetEvent","features":[5,1]},{"name":"ZwSetInformationToken","features":[5,1,4]},{"name":"ZwSetInformationVirtualMemory","features":[5,1]},{"name":"ZwSetQuotaInformationFile","features":[5,1,6]},{"name":"ZwSetSecurityObject","features":[5,1,4]},{"name":"ZwSetVolumeInformationFile","features":[5,1,6]},{"name":"ZwUnlockFile","features":[5,1,6]},{"name":"ZwWaitForSingleObject","features":[5,1]},{"name":"_LCN_WEAK_REFERENCE_STATE","features":[5]},{"name":"_REFS_STREAM_EXTENT_PROPERTIES","features":[5]}],"345":[{"name":"FLTFL_CALLBACK_DATA_DIRTY","features":[24]},{"name":"FLTFL_CALLBACK_DATA_DRAINING_IO","features":[24]},{"name":"FLTFL_CALLBACK_DATA_FAST_IO_OPERATION","features":[24]},{"name":"FLTFL_CALLBACK_DATA_FS_FILTER_OPERATION","features":[24]},{"name":"FLTFL_CALLBACK_DATA_GENERATED_IO","features":[24]},{"name":"FLTFL_CALLBACK_DATA_IRP_OPERATION","features":[24]},{"name":"FLTFL_CALLBACK_DATA_NEW_SYSTEM_BUFFER","features":[24]},{"name":"FLTFL_CALLBACK_DATA_POST_OPERATION","features":[24]},{"name":"FLTFL_CALLBACK_DATA_REISSUED_IO","features":[24]},{"name":"FLTFL_CALLBACK_DATA_REISSUE_MASK","features":[24]},{"name":"FLTFL_CALLBACK_DATA_SYSTEM_BUFFER","features":[24]},{"name":"FLTFL_CONTEXT_REGISTRATION_NO_EXACT_SIZE_MATCH","features":[24]},{"name":"FLTFL_FILE_NAME_PARSED_EXTENSION","features":[24]},{"name":"FLTFL_FILE_NAME_PARSED_FINAL_COMPONENT","features":[24]},{"name":"FLTFL_FILE_NAME_PARSED_PARENT_DIR","features":[24]},{"name":"FLTFL_FILE_NAME_PARSED_STREAM","features":[24]},{"name":"FLTFL_FILTER_UNLOAD_MANDATORY","features":[24]},{"name":"FLTFL_INSTANCE_SETUP_AUTOMATIC_ATTACHMENT","features":[24]},{"name":"FLTFL_INSTANCE_SETUP_DETACHED_VOLUME","features":[24]},{"name":"FLTFL_INSTANCE_SETUP_MANUAL_ATTACHMENT","features":[24]},{"name":"FLTFL_INSTANCE_SETUP_NEWLY_MOUNTED_VOLUME","features":[24]},{"name":"FLTFL_INSTANCE_TEARDOWN_FILTER_UNLOAD","features":[24]},{"name":"FLTFL_INSTANCE_TEARDOWN_INTERNAL_ERROR","features":[24]},{"name":"FLTFL_INSTANCE_TEARDOWN_MANDATORY_FILTER_UNLOAD","features":[24]},{"name":"FLTFL_INSTANCE_TEARDOWN_MANUAL","features":[24]},{"name":"FLTFL_INSTANCE_TEARDOWN_VOLUME_DISMOUNT","features":[24]},{"name":"FLTFL_IO_OPERATION_DO_NOT_UPDATE_BYTE_OFFSET","features":[24]},{"name":"FLTFL_IO_OPERATION_NON_CACHED","features":[24]},{"name":"FLTFL_IO_OPERATION_PAGING","features":[24]},{"name":"FLTFL_IO_OPERATION_SYNCHRONOUS_PAGING","features":[24]},{"name":"FLTFL_NORMALIZE_NAME_CASE_SENSITIVE","features":[24]},{"name":"FLTFL_NORMALIZE_NAME_DESTINATION_FILE_NAME","features":[24]},{"name":"FLTFL_OPERATION_REGISTRATION_SKIP_CACHED_IO","features":[24]},{"name":"FLTFL_OPERATION_REGISTRATION_SKIP_NON_CACHED_NON_PAGING_IO","features":[24]},{"name":"FLTFL_OPERATION_REGISTRATION_SKIP_NON_DASD_IO","features":[24]},{"name":"FLTFL_OPERATION_REGISTRATION_SKIP_PAGING_IO","features":[24]},{"name":"FLTFL_POST_OPERATION_DRAINING","features":[24]},{"name":"FLTFL_REGISTRATION_DO_NOT_SUPPORT_SERVICE_STOP","features":[24]},{"name":"FLTFL_REGISTRATION_SUPPORT_DAX_VOLUME","features":[24]},{"name":"FLTFL_REGISTRATION_SUPPORT_NPFS_MSFS","features":[24]},{"name":"FLTFL_REGISTRATION_SUPPORT_WCOS","features":[24]},{"name":"FLTTCFL_AUTO_REPARSE","features":[24]},{"name":"FLT_ALLOCATE_CALLBACK_DATA_PREALLOCATE_ALL_MEMORY","features":[24]},{"name":"FLT_CALLBACK_DATA","features":[2,24,3,1,4,6,7,8]},{"name":"FLT_CALLBACK_DATA_QUEUE","features":[2,24,3,1,4,6,7,8]},{"name":"FLT_CALLBACK_DATA_QUEUE_FLAGS","features":[24]},{"name":"FLT_CONTEXT_END","features":[24]},{"name":"FLT_CONTEXT_REGISTRATION","features":[2,24]},{"name":"FLT_CREATEFILE_TARGET_ECP_CONTEXT","features":[24,1]},{"name":"FLT_FILE_CONTEXT","features":[24]},{"name":"FLT_FILE_NAME_ALLOW_QUERY_ON_REPARSE","features":[24]},{"name":"FLT_FILE_NAME_DO_NOT_CACHE","features":[24]},{"name":"FLT_FILE_NAME_INFORMATION","features":[24,1]},{"name":"FLT_FILE_NAME_NORMALIZED","features":[24]},{"name":"FLT_FILE_NAME_OPENED","features":[24]},{"name":"FLT_FILE_NAME_QUERY_ALWAYS_ALLOW_CACHE_LOOKUP","features":[24]},{"name":"FLT_FILE_NAME_QUERY_CACHE_ONLY","features":[24]},{"name":"FLT_FILE_NAME_QUERY_DEFAULT","features":[24]},{"name":"FLT_FILE_NAME_QUERY_FILESYSTEM_ONLY","features":[24]},{"name":"FLT_FILE_NAME_REQUEST_FROM_CURRENT_PROVIDER","features":[24]},{"name":"FLT_FILE_NAME_SHORT","features":[24]},{"name":"FLT_FLUSH_TYPE_DATA_SYNC_ONLY","features":[24]},{"name":"FLT_FLUSH_TYPE_FILE_DATA_ONLY","features":[24]},{"name":"FLT_FLUSH_TYPE_FLUSH_AND_PURGE","features":[24]},{"name":"FLT_FLUSH_TYPE_NO_SYNC","features":[24]},{"name":"FLT_INSTANCE_CONTEXT","features":[24]},{"name":"FLT_INTERNAL_OPERATION_COUNT","features":[24]},{"name":"FLT_IO_PARAMETER_BLOCK","features":[2,24,3,1,4,6,7,8]},{"name":"FLT_MAX_DEVICE_REPARSE_ATTEMPTS","features":[24]},{"name":"FLT_NAME_CONTROL","features":[24,1]},{"name":"FLT_OPERATION_REGISTRATION","features":[2,24,3,1,4,6,7,8]},{"name":"FLT_PARAMETERS","features":[2,24,3,1,4,6,7,8]},{"name":"FLT_PORT_CONNECT","features":[24]},{"name":"FLT_POSTOP_CALLBACK_STATUS","features":[24]},{"name":"FLT_POSTOP_DISALLOW_FSFILTER_IO","features":[24]},{"name":"FLT_POSTOP_FINISHED_PROCESSING","features":[24]},{"name":"FLT_POSTOP_MORE_PROCESSING_REQUIRED","features":[24]},{"name":"FLT_PREOP_CALLBACK_STATUS","features":[24]},{"name":"FLT_PREOP_COMPLETE","features":[24]},{"name":"FLT_PREOP_DISALLOW_FASTIO","features":[24]},{"name":"FLT_PREOP_DISALLOW_FSFILTER_IO","features":[24]},{"name":"FLT_PREOP_PENDING","features":[24]},{"name":"FLT_PREOP_SUCCESS_NO_CALLBACK","features":[24]},{"name":"FLT_PREOP_SUCCESS_WITH_CALLBACK","features":[24]},{"name":"FLT_PREOP_SYNCHRONIZE","features":[24]},{"name":"FLT_PUSH_LOCK_DISABLE_AUTO_BOOST","features":[24]},{"name":"FLT_PUSH_LOCK_ENABLE_AUTO_BOOST","features":[24]},{"name":"FLT_PUSH_LOCK_VALID_FLAGS","features":[24]},{"name":"FLT_REGISTRATION","features":[2,24,3,1,4,25,6,7,8]},{"name":"FLT_REGISTRATION_VERSION","features":[24]},{"name":"FLT_REGISTRATION_VERSION_0200","features":[24]},{"name":"FLT_REGISTRATION_VERSION_0201","features":[24]},{"name":"FLT_REGISTRATION_VERSION_0202","features":[24]},{"name":"FLT_REGISTRATION_VERSION_0203","features":[24]},{"name":"FLT_RELATED_CONTEXTS","features":[24]},{"name":"FLT_RELATED_CONTEXTS_EX","features":[24]},{"name":"FLT_RELATED_OBJECTS","features":[2,24,3,1,4,6,7,8]},{"name":"FLT_SECTION_CONTEXT","features":[24]},{"name":"FLT_SET_CONTEXT_KEEP_IF_EXISTS","features":[24]},{"name":"FLT_SET_CONTEXT_OPERATION","features":[24]},{"name":"FLT_SET_CONTEXT_REPLACE_IF_EXISTS","features":[24]},{"name":"FLT_STREAMHANDLE_CONTEXT","features":[24]},{"name":"FLT_STREAM_CONTEXT","features":[24]},{"name":"FLT_TAG_DATA_BUFFER","features":[24]},{"name":"FLT_TRANSACTION_CONTEXT","features":[24]},{"name":"FLT_VALID_FILE_NAME_FLAGS","features":[24]},{"name":"FLT_VALID_FILE_NAME_FORMATS","features":[24]},{"name":"FLT_VALID_FILE_NAME_QUERY_METHODS","features":[24]},{"name":"FLT_VOLUME_CONTEXT","features":[24]},{"name":"FLT_VOLUME_PROPERTIES","features":[24,1]},{"name":"FltAcknowledgeEcp","features":[24]},{"name":"FltAcquirePushLockExclusive","features":[24]},{"name":"FltAcquirePushLockExclusiveEx","features":[24]},{"name":"FltAcquirePushLockShared","features":[24]},{"name":"FltAcquirePushLockSharedEx","features":[24]},{"name":"FltAcquireResourceExclusive","features":[2,24,7]},{"name":"FltAcquireResourceShared","features":[2,24,7]},{"name":"FltAddOpenReparseEntry","features":[2,24,3,1,4,6,7,8]},{"name":"FltAdjustDeviceStackSizeForIoRedirection","features":[24,1]},{"name":"FltAllocateCallbackData","features":[2,24,3,1,4,6,7,8]},{"name":"FltAllocateCallbackDataEx","features":[2,24,3,1,4,6,7,8]},{"name":"FltAllocateContext","features":[2,24,1]},{"name":"FltAllocateDeferredIoWorkItem","features":[24]},{"name":"FltAllocateExtraCreateParameter","features":[24,1]},{"name":"FltAllocateExtraCreateParameterFromLookasideList","features":[24,1]},{"name":"FltAllocateExtraCreateParameterList","features":[2,24,1]},{"name":"FltAllocateFileLock","features":[2,24,3,1,4,6,7,8]},{"name":"FltAllocateGenericWorkItem","features":[24]},{"name":"FltAllocatePoolAlignedWithTag","features":[2,24]},{"name":"FltApplyPriorityInfoThread","features":[2,24,1]},{"name":"FltAttachVolume","features":[24,1]},{"name":"FltAttachVolumeAtAltitude","features":[24,1]},{"name":"FltBuildDefaultSecurityDescriptor","features":[24,1,4]},{"name":"FltCancelFileOpen","features":[2,24,3,1,4,6,7,8]},{"name":"FltCancelIo","features":[2,24,3,1,4,6,7,8]},{"name":"FltCancellableWaitForMultipleObjects","features":[2,24,3,1,4,6,7,8]},{"name":"FltCancellableWaitForSingleObject","features":[2,24,3,1,4,6,7,8]},{"name":"FltCbdqDisable","features":[2,24,3,1,4,6,7,8]},{"name":"FltCbdqEnable","features":[2,24,3,1,4,6,7,8]},{"name":"FltCbdqInitialize","features":[2,24,3,1,4,6,7,8]},{"name":"FltCbdqInsertIo","features":[2,24,3,1,4,6,7,8]},{"name":"FltCbdqRemoveIo","features":[2,24,3,1,4,6,7,8]},{"name":"FltCbdqRemoveNextIo","features":[2,24,3,1,4,6,7,8]},{"name":"FltCheckAndGrowNameControl","features":[24,1]},{"name":"FltCheckLockForReadAccess","features":[2,24,3,1,4,6,7,8]},{"name":"FltCheckLockForWriteAccess","features":[2,24,3,1,4,6,7,8]},{"name":"FltCheckOplock","features":[2,24,3,1,4,6,7,8]},{"name":"FltCheckOplockEx","features":[2,24,3,1,4,6,7,8]},{"name":"FltClearCallbackDataDirty","features":[2,24,3,1,4,6,7,8]},{"name":"FltClearCancelCompletion","features":[2,24,3,1,4,6,7,8]},{"name":"FltClose","features":[24,1]},{"name":"FltCloseClientPort","features":[24]},{"name":"FltCloseCommunicationPort","features":[24]},{"name":"FltCloseSectionForDataScan","features":[24,1]},{"name":"FltCommitComplete","features":[2,24,1]},{"name":"FltCommitFinalizeComplete","features":[2,24,1]},{"name":"FltCompareInstanceAltitudes","features":[24]},{"name":"FltCompletePendedPostOperation","features":[2,24,3,1,4,6,7,8]},{"name":"FltCompletePendedPreOperation","features":[2,24,3,1,4,6,7,8]},{"name":"FltCopyOpenReparseList","features":[2,24,3,1,4,6,7,8]},{"name":"FltCreateCommunicationPort","features":[2,24,1]},{"name":"FltCreateFile","features":[2,24,1,6]},{"name":"FltCreateFileEx","features":[2,24,3,1,4,6,7,8]},{"name":"FltCreateFileEx2","features":[2,24,3,1,4,6,7,8]},{"name":"FltCreateMailslotFile","features":[2,24,3,1,4,6,7,8]},{"name":"FltCreateNamedPipeFile","features":[2,24,3,1,4,6,7,8]},{"name":"FltCreateSectionForDataScan","features":[2,24,3,1,4,6,7,8]},{"name":"FltCreateSystemVolumeInformationFolder","features":[24,1]},{"name":"FltCurrentBatchOplock","features":[24,1]},{"name":"FltCurrentOplock","features":[24,1]},{"name":"FltCurrentOplockH","features":[24,1]},{"name":"FltDecodeParameters","features":[2,24,3,1,4,6,7,8]},{"name":"FltDeleteContext","features":[24]},{"name":"FltDeleteExtraCreateParameterLookasideList","features":[24]},{"name":"FltDeleteFileContext","features":[2,24,3,1,4,6,7,8]},{"name":"FltDeleteInstanceContext","features":[24,1]},{"name":"FltDeletePushLock","features":[24]},{"name":"FltDeleteStreamContext","features":[2,24,3,1,4,6,7,8]},{"name":"FltDeleteStreamHandleContext","features":[2,24,3,1,4,6,7,8]},{"name":"FltDeleteTransactionContext","features":[2,24,1]},{"name":"FltDeleteVolumeContext","features":[24,1]},{"name":"FltDetachVolume","features":[24,1]},{"name":"FltDeviceIoControlFile","features":[2,24,3,1,4,6,7,8]},{"name":"FltDoCompletionProcessingWhenSafe","features":[2,24,3,1,4,6,7,8]},{"name":"FltEnlistInTransaction","features":[2,24,1]},{"name":"FltEnumerateFilterInformation","features":[24,1,25]},{"name":"FltEnumerateFilters","features":[24,1]},{"name":"FltEnumerateInstanceInformationByDeviceObject","features":[2,24,3,1,4,25,6,7,8]},{"name":"FltEnumerateInstanceInformationByFilter","features":[24,1,25]},{"name":"FltEnumerateInstanceInformationByVolume","features":[24,1,25]},{"name":"FltEnumerateInstanceInformationByVolumeName","features":[24,1,25]},{"name":"FltEnumerateInstances","features":[24,1]},{"name":"FltEnumerateVolumeInformation","features":[24,1,25]},{"name":"FltEnumerateVolumes","features":[24,1]},{"name":"FltFastIoMdlRead","features":[2,24,3,1,4,6,7,8]},{"name":"FltFastIoMdlReadComplete","features":[2,24,3,1,4,6,7,8]},{"name":"FltFastIoMdlWriteComplete","features":[2,24,3,1,4,6,7,8]},{"name":"FltFastIoPrepareMdlWrite","features":[2,24,3,1,4,6,7,8]},{"name":"FltFindExtraCreateParameter","features":[2,24,1]},{"name":"FltFlushBuffers","features":[2,24,3,1,4,6,7,8]},{"name":"FltFlushBuffers2","features":[2,24,3,1,4,6,7,8]},{"name":"FltFreeCallbackData","features":[2,24,3,1,4,6,7,8]},{"name":"FltFreeDeferredIoWorkItem","features":[24]},{"name":"FltFreeExtraCreateParameter","features":[24]},{"name":"FltFreeExtraCreateParameterList","features":[2,24]},{"name":"FltFreeFileLock","features":[2,24,3,1,4,6,7,8]},{"name":"FltFreeGenericWorkItem","features":[24]},{"name":"FltFreeOpenReparseList","features":[2,24]},{"name":"FltFreePoolAlignedWithTag","features":[24]},{"name":"FltFreeSecurityDescriptor","features":[24,4]},{"name":"FltFsControlFile","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetActivityIdCallbackData","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetBottomInstance","features":[24,1]},{"name":"FltGetContexts","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetContextsEx","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetDestinationFileNameInformation","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetDeviceObject","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetDiskDeviceObject","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetEcpListFromCallbackData","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetFileContext","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetFileNameInformation","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetFileNameInformationUnsafe","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetFileSystemType","features":[24,1,25]},{"name":"FltGetFilterFromInstance","features":[24,1]},{"name":"FltGetFilterFromName","features":[24,1]},{"name":"FltGetFilterInformation","features":[24,1,25]},{"name":"FltGetFsZeroingOffset","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetInstanceContext","features":[24,1]},{"name":"FltGetInstanceInformation","features":[24,1,25]},{"name":"FltGetIoAttributionHandleFromCallbackData","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetIoPriorityHint","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetIoPriorityHintFromCallbackData","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetIoPriorityHintFromFileObject","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetIoPriorityHintFromThread","features":[2,24]},{"name":"FltGetIrpName","features":[24]},{"name":"FltGetLowerInstance","features":[24,1]},{"name":"FltGetNewSystemBufferAddress","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetNextExtraCreateParameter","features":[2,24,1]},{"name":"FltGetRequestorProcess","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetRequestorProcessId","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetRequestorProcessIdEx","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetRequestorSessionId","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetRoutineAddress","features":[24]},{"name":"FltGetSectionContext","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetStreamContext","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetStreamHandleContext","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetSwappedBufferMdlAddress","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetTopInstance","features":[24,1]},{"name":"FltGetTransactionContext","features":[2,24,1]},{"name":"FltGetTunneledName","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetUpperInstance","features":[24,1]},{"name":"FltGetVolumeContext","features":[24,1]},{"name":"FltGetVolumeFromDeviceObject","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetVolumeFromFileObject","features":[2,24,3,1,4,6,7,8]},{"name":"FltGetVolumeFromInstance","features":[24,1]},{"name":"FltGetVolumeFromName","features":[24,1]},{"name":"FltGetVolumeGuidName","features":[24,1]},{"name":"FltGetVolumeInformation","features":[24,1,25]},{"name":"FltGetVolumeInstanceFromName","features":[24,1]},{"name":"FltGetVolumeName","features":[24,1]},{"name":"FltGetVolumeProperties","features":[24,1]},{"name":"FltInitExtraCreateParameterLookasideList","features":[24]},{"name":"FltInitializeFileLock","features":[2,24,3,1,4,6,7,8]},{"name":"FltInitializeOplock","features":[24]},{"name":"FltInitializePushLock","features":[24]},{"name":"FltInsertExtraCreateParameter","features":[2,24,1]},{"name":"FltIs32bitProcess","features":[2,24,3,1,4,6,7,8]},{"name":"FltIsCallbackDataDirty","features":[2,24,3,1,4,6,7,8]},{"name":"FltIsDirectory","features":[2,24,3,1,4,6,7,8]},{"name":"FltIsEcpAcknowledged","features":[24,1]},{"name":"FltIsEcpFromUserMode","features":[24,1]},{"name":"FltIsFltMgrVolumeDeviceObject","features":[2,24,3,1,4,6,7,8]},{"name":"FltIsIoCanceled","features":[2,24,3,1,4,6,7,8]},{"name":"FltIsIoRedirectionAllowed","features":[24,1]},{"name":"FltIsIoRedirectionAllowedForOperation","features":[2,24,3,1,4,6,7,8]},{"name":"FltIsOperationSynchronous","features":[2,24,3,1,4,6,7,8]},{"name":"FltIsVolumeSnapshot","features":[24,1]},{"name":"FltIsVolumeWritable","features":[24,1]},{"name":"FltLoadFilter","features":[24,1]},{"name":"FltLockUserBuffer","features":[2,24,3,1,4,6,7,8]},{"name":"FltNotifyFilterChangeDirectory","features":[2,24,3,1,4,6,7,8]},{"name":"FltObjectDereference","features":[24]},{"name":"FltObjectReference","features":[24,1]},{"name":"FltOpenVolume","features":[2,24,3,1,4,6,7,8]},{"name":"FltOplockBreakH","features":[2,24,3,1,4,6,7,8]},{"name":"FltOplockBreakToNone","features":[2,24,3,1,4,6,7,8]},{"name":"FltOplockBreakToNoneEx","features":[2,24,3,1,4,6,7,8]},{"name":"FltOplockFsctrl","features":[2,24,3,1,4,6,7,8]},{"name":"FltOplockFsctrlEx","features":[2,24,3,1,4,6,7,8]},{"name":"FltOplockIsFastIoPossible","features":[24,1]},{"name":"FltOplockIsSharedRequest","features":[2,24,3,1,4,6,7,8]},{"name":"FltOplockKeysEqual","features":[2,24,3,1,4,6,7,8]},{"name":"FltParseFileName","features":[24,1]},{"name":"FltParseFileNameInformation","features":[24,1]},{"name":"FltPerformAsynchronousIo","features":[2,24,3,1,4,6,7,8]},{"name":"FltPerformSynchronousIo","features":[2,24,3,1,4,6,7,8]},{"name":"FltPrePrepareComplete","features":[2,24,1]},{"name":"FltPrepareComplete","features":[2,24,1]},{"name":"FltPrepareToReuseEcp","features":[24]},{"name":"FltProcessFileLock","features":[2,24,3,1,4,6,7,8]},{"name":"FltPropagateActivityIdToThread","features":[2,24,3,1,4,6,7,8]},{"name":"FltPropagateIrpExtension","features":[2,24,3,1,4,6,7,8]},{"name":"FltPurgeFileNameInformationCache","features":[2,24,3,1,4,6,7,8]},{"name":"FltQueryDirectoryFile","features":[2,24,3,1,4,6,7,8]},{"name":"FltQueryDirectoryFileEx","features":[2,24,3,1,4,6,7,8]},{"name":"FltQueryEaFile","features":[2,24,3,1,4,6,7,8]},{"name":"FltQueryInformationByName","features":[2,24,3,1,6]},{"name":"FltQueryInformationFile","features":[2,24,3,1,4,6,7,8]},{"name":"FltQueryQuotaInformationFile","features":[2,24,3,1,4,6,7,8]},{"name":"FltQuerySecurityObject","features":[2,24,3,1,4,6,7,8]},{"name":"FltQueryVolumeInformation","features":[24,1,6]},{"name":"FltQueryVolumeInformationFile","features":[2,24,3,1,4,6,7,8]},{"name":"FltQueueDeferredIoWorkItem","features":[2,24,3,1,4,6,7,8]},{"name":"FltQueueGenericWorkItem","features":[24,3,1]},{"name":"FltReadFile","features":[2,24,3,1,4,6,7,8]},{"name":"FltReadFileEx","features":[2,24,3,1,4,6,7,8]},{"name":"FltReferenceContext","features":[24]},{"name":"FltReferenceFileNameInformation","features":[24,1]},{"name":"FltRegisterFilter","features":[2,24,3,1,4,25,6,7,8]},{"name":"FltRegisterForDataScan","features":[24,1]},{"name":"FltReissueSynchronousIo","features":[2,24,3,1,4,6,7,8]},{"name":"FltReleaseContext","features":[24]},{"name":"FltReleaseContexts","features":[24]},{"name":"FltReleaseContextsEx","features":[24]},{"name":"FltReleaseFileNameInformation","features":[24,1]},{"name":"FltReleasePushLock","features":[24]},{"name":"FltReleasePushLockEx","features":[24]},{"name":"FltReleaseResource","features":[2,24,7]},{"name":"FltRemoveExtraCreateParameter","features":[2,24,1]},{"name":"FltRemoveOpenReparseEntry","features":[2,24,3,1,4,6,7,8]},{"name":"FltRequestFileInfoOnCreateCompletion","features":[2,24,3,1,4,6,7,8]},{"name":"FltRequestOperationStatusCallback","features":[2,24,3,1,4,6,7,8]},{"name":"FltRetainSwappedBufferMdlAddress","features":[2,24,3,1,4,6,7,8]},{"name":"FltRetrieveFileInfoOnCreateCompletion","features":[2,24,3,1,4,6,7,8]},{"name":"FltRetrieveFileInfoOnCreateCompletionEx","features":[2,24,3,1,4,6,7,8]},{"name":"FltRetrieveIoPriorityInfo","features":[2,24,3,1,4,6,7,8]},{"name":"FltReuseCallbackData","features":[2,24,3,1,4,6,7,8]},{"name":"FltRollbackComplete","features":[2,24,1]},{"name":"FltRollbackEnlistment","features":[2,24,1]},{"name":"FltSendMessage","features":[24,1]},{"name":"FltSetActivityIdCallbackData","features":[2,24,3,1,4,6,7,8]},{"name":"FltSetCallbackDataDirty","features":[2,24,3,1,4,6,7,8]},{"name":"FltSetCancelCompletion","features":[2,24,3,1,4,6,7,8]},{"name":"FltSetEaFile","features":[2,24,3,1,4,6,7,8]},{"name":"FltSetEcpListIntoCallbackData","features":[2,24,3,1,4,6,7,8]},{"name":"FltSetFileContext","features":[2,24,3,1,4,6,7,8]},{"name":"FltSetFsZeroingOffset","features":[2,24,3,1,4,6,7,8]},{"name":"FltSetFsZeroingOffsetRequired","features":[2,24,3,1,4,6,7,8]},{"name":"FltSetInformationFile","features":[2,24,3,1,4,6,7,8]},{"name":"FltSetInstanceContext","features":[24,1]},{"name":"FltSetIoPriorityHintIntoCallbackData","features":[2,24,3,1,4,6,7,8]},{"name":"FltSetIoPriorityHintIntoFileObject","features":[2,24,3,1,4,6,7,8]},{"name":"FltSetIoPriorityHintIntoThread","features":[2,24,1]},{"name":"FltSetQuotaInformationFile","features":[2,24,3,1,4,6,7,8]},{"name":"FltSetSecurityObject","features":[2,24,3,1,4,6,7,8]},{"name":"FltSetStreamContext","features":[2,24,3,1,4,6,7,8]},{"name":"FltSetStreamHandleContext","features":[2,24,3,1,4,6,7,8]},{"name":"FltSetTransactionContext","features":[2,24,1]},{"name":"FltSetVolumeContext","features":[24,1]},{"name":"FltSetVolumeInformation","features":[24,1,6]},{"name":"FltStartFiltering","features":[24,1]},{"name":"FltSupportsFileContexts","features":[2,24,3,1,4,6,7,8]},{"name":"FltSupportsFileContextsEx","features":[2,24,3,1,4,6,7,8]},{"name":"FltSupportsStreamContexts","features":[2,24,3,1,4,6,7,8]},{"name":"FltSupportsStreamHandleContexts","features":[2,24,3,1,4,6,7,8]},{"name":"FltTagFile","features":[2,24,3,1,4,6,7,8]},{"name":"FltTagFileEx","features":[2,24,3,1,4,6,7,8]},{"name":"FltUninitializeFileLock","features":[2,24,3,1,4,6,7,8]},{"name":"FltUninitializeOplock","features":[24]},{"name":"FltUnloadFilter","features":[24,1]},{"name":"FltUnregisterFilter","features":[24]},{"name":"FltUntagFile","features":[2,24,3,1,4,6,7,8]},{"name":"FltVetoBypassIo","features":[2,24,3,1,4,6,7,8]},{"name":"FltWriteFile","features":[2,24,3,1,4,6,7,8]},{"name":"FltWriteFileEx","features":[2,24,3,1,4,6,7,8]},{"name":"FltpTraceRedirectedFileIo","features":[2,24,3,1,4,6,7,8]},{"name":"GUID_ECP_FLT_CREATEFILE_TARGET","features":[24]},{"name":"IRP_MJ_ACQUIRE_FOR_CC_FLUSH","features":[24]},{"name":"IRP_MJ_ACQUIRE_FOR_MOD_WRITE","features":[24]},{"name":"IRP_MJ_ACQUIRE_FOR_SECTION_SYNCHRONIZATION","features":[24]},{"name":"IRP_MJ_FAST_IO_CHECK_IF_POSSIBLE","features":[24]},{"name":"IRP_MJ_MDL_READ","features":[24]},{"name":"IRP_MJ_MDL_READ_COMPLETE","features":[24]},{"name":"IRP_MJ_MDL_WRITE_COMPLETE","features":[24]},{"name":"IRP_MJ_NETWORK_QUERY_OPEN","features":[24]},{"name":"IRP_MJ_OPERATION_END","features":[24]},{"name":"IRP_MJ_PREPARE_MDL_WRITE","features":[24]},{"name":"IRP_MJ_QUERY_OPEN","features":[24]},{"name":"IRP_MJ_RELEASE_FOR_CC_FLUSH","features":[24]},{"name":"IRP_MJ_RELEASE_FOR_MOD_WRITE","features":[24]},{"name":"IRP_MJ_RELEASE_FOR_SECTION_SYNCHRONIZATION","features":[24]},{"name":"IRP_MJ_VOLUME_DISMOUNT","features":[24]},{"name":"IRP_MJ_VOLUME_MOUNT","features":[24]},{"name":"PFLTOPLOCK_PREPOST_CALLBACKDATA_ROUTINE","features":[2,24,3,1,4,6,7,8]},{"name":"PFLTOPLOCK_WAIT_COMPLETE_ROUTINE","features":[2,24,3,1,4,6,7,8]},{"name":"PFLT_CALLBACK_DATA_QUEUE_ACQUIRE","features":[2,24,3,1,4,6,7,8]},{"name":"PFLT_CALLBACK_DATA_QUEUE_COMPLETE_CANCELED_IO","features":[2,24,3,1,4,6,7,8]},{"name":"PFLT_CALLBACK_DATA_QUEUE_INSERT_IO","features":[2,24,3,1,4,6,7,8]},{"name":"PFLT_CALLBACK_DATA_QUEUE_PEEK_NEXT_IO","features":[2,24,3,1,4,6,7,8]},{"name":"PFLT_CALLBACK_DATA_QUEUE_RELEASE","features":[2,24,3,1,4,6,7,8]},{"name":"PFLT_CALLBACK_DATA_QUEUE_REMOVE_IO","features":[2,24,3,1,4,6,7,8]},{"name":"PFLT_COMPLETED_ASYNC_IO_CALLBACK","features":[2,24,3,1,4,6,7,8]},{"name":"PFLT_COMPLETE_CANCELED_CALLBACK","features":[2,24,3,1,4,6,7,8]},{"name":"PFLT_COMPLETE_LOCK_CALLBACK_DATA_ROUTINE","features":[2,24,3,1,4,6,7,8]},{"name":"PFLT_CONNECT_NOTIFY","features":[24,1]},{"name":"PFLT_CONTEXT","features":[24]},{"name":"PFLT_CONTEXT_ALLOCATE_CALLBACK","features":[2,24]},{"name":"PFLT_CONTEXT_CLEANUP_CALLBACK","features":[24]},{"name":"PFLT_CONTEXT_FREE_CALLBACK","features":[24]},{"name":"PFLT_DEFERRED_IO_WORKITEM","features":[24]},{"name":"PFLT_DEFERRED_IO_WORKITEM_ROUTINE","features":[2,24,3,1,4,6,7,8]},{"name":"PFLT_DISCONNECT_NOTIFY","features":[24]},{"name":"PFLT_FILTER","features":[24]},{"name":"PFLT_FILTER_UNLOAD_CALLBACK","features":[24,1]},{"name":"PFLT_GENERATE_FILE_NAME","features":[2,24,3,1,4,6,7,8]},{"name":"PFLT_GENERIC_WORKITEM","features":[24]},{"name":"PFLT_GENERIC_WORKITEM_ROUTINE","features":[24]},{"name":"PFLT_GET_OPERATION_STATUS_CALLBACK","features":[2,24,3,1,4,6,7,8]},{"name":"PFLT_INSTANCE","features":[24]},{"name":"PFLT_INSTANCE_QUERY_TEARDOWN_CALLBACK","features":[2,24,3,1,4,6,7,8]},{"name":"PFLT_INSTANCE_SETUP_CALLBACK","features":[2,24,3,1,4,25,6,7,8]},{"name":"PFLT_INSTANCE_TEARDOWN_CALLBACK","features":[2,24,3,1,4,6,7,8]},{"name":"PFLT_MESSAGE_NOTIFY","features":[24,1]},{"name":"PFLT_NORMALIZE_CONTEXT_CLEANUP","features":[24]},{"name":"PFLT_NORMALIZE_NAME_COMPONENT","features":[24,1]},{"name":"PFLT_NORMALIZE_NAME_COMPONENT_EX","features":[2,24,3,1,4,6,7,8]},{"name":"PFLT_PORT","features":[24]},{"name":"PFLT_POST_OPERATION_CALLBACK","features":[2,24,3,1,4,6,7,8]},{"name":"PFLT_PRE_OPERATION_CALLBACK","features":[2,24,3,1,4,6,7,8]},{"name":"PFLT_SECTION_CONFLICT_NOTIFICATION_CALLBACK","features":[2,24,3,1,4,6,7,8]},{"name":"PFLT_TRANSACTION_NOTIFICATION_CALLBACK","features":[2,24,3,1,4,6,7,8]},{"name":"PFLT_VOLUME","features":[24]},{"name":"VOL_PROP_FL_DAX_VOLUME","features":[24]}],"346":[{"name":"NtDeviceIoControlFile","features":[26,1,6]}],"347":[{"name":"ORCloseHive","features":[27,1]},{"name":"ORCloseKey","features":[27,1]},{"name":"ORCreateHive","features":[27,1]},{"name":"ORCreateKey","features":[27,1,4]},{"name":"ORDeleteKey","features":[27,1]},{"name":"ORDeleteValue","features":[27,1]},{"name":"OREnumKey","features":[27,1]},{"name":"OREnumValue","features":[27,1]},{"name":"ORGetKeySecurity","features":[27,1,4]},{"name":"ORGetValue","features":[27,1]},{"name":"ORGetVersion","features":[27,1]},{"name":"ORGetVirtualFlags","features":[27,1]},{"name":"ORHKEY","features":[27]},{"name":"ORMergeHives","features":[27,1]},{"name":"OROpenHive","features":[27,1]},{"name":"OROpenHiveByHandle","features":[27,1]},{"name":"OROpenKey","features":[27,1]},{"name":"ORQueryInfoKey","features":[27,1]},{"name":"ORRenameKey","features":[27,1]},{"name":"ORSaveHive","features":[27,1]},{"name":"ORSetKeySecurity","features":[27,1,4]},{"name":"ORSetValue","features":[27,1]},{"name":"ORSetVirtualFlags","features":[27,1]},{"name":"ORShutdown","features":[27,1]},{"name":"ORStart","features":[27,1]}],"348":[{"name":"KEY_SET_INFORMATION_CLASS","features":[28]},{"name":"KEY_VALUE_ENTRY","features":[28,1]},{"name":"KeyControlFlagsInformation","features":[28]},{"name":"KeySetDebugInformation","features":[28]},{"name":"KeySetHandleTagsInformation","features":[28]},{"name":"KeySetLayerInformation","features":[28]},{"name":"KeySetVirtualizationInformation","features":[28]},{"name":"KeyWow64FlagsInformation","features":[28]},{"name":"KeyWriteTimeInformation","features":[28]},{"name":"MaxKeySetInfoClass","features":[28]},{"name":"NtNotifyChangeMultipleKeys","features":[2,28,1,6]},{"name":"NtQueryMultipleValueKey","features":[28,1]},{"name":"NtRenameKey","features":[28,1]},{"name":"NtSetInformationKey","features":[28,1]},{"name":"REG_QUERY_MULTIPLE_VALUE_KEY_INFORMATION","features":[28,1]},{"name":"REG_SET_INFORMATION_KEY_INFORMATION","features":[28]},{"name":"ZwSetInformationKey","features":[28,1]}],"349":[{"name":"NtQuerySystemInformation","features":[29,1]},{"name":"NtQuerySystemTime","features":[29,1]},{"name":"NtQueryTimerResolution","features":[29,1]},{"name":"SYSTEM_INFORMATION_CLASS","features":[29]},{"name":"SystemBasicInformation","features":[29]},{"name":"SystemCodeIntegrityInformation","features":[29]},{"name":"SystemExceptionInformation","features":[29]},{"name":"SystemInterruptInformation","features":[29]},{"name":"SystemLookasideInformation","features":[29]},{"name":"SystemPerformanceInformation","features":[29]},{"name":"SystemPolicyInformation","features":[29]},{"name":"SystemProcessInformation","features":[29]},{"name":"SystemProcessorPerformanceInformation","features":[29]},{"name":"SystemRegistryQuotaInformation","features":[29]},{"name":"SystemTimeOfDayInformation","features":[29]}],"350":[{"name":"ACPIBus","features":[3]},{"name":"ACPI_DEBUGGING_DEVICE_IN_USE","features":[3]},{"name":"ACPI_INTERFACE_STANDARD","features":[2,5,3,1,4,6,7,8]},{"name":"ACPI_INTERFACE_STANDARD2","features":[3,1]},{"name":"ADAPTER_INFO_API_BYPASS","features":[3]},{"name":"ADAPTER_INFO_SYNCHRONOUS_CALLBACK","features":[3]},{"name":"AGP_TARGET_BUS_INTERFACE_STANDARD","features":[3]},{"name":"ALLOCATE_FUNCTION","features":[2,3]},{"name":"ALLOC_DATA_PRAGMA","features":[3]},{"name":"ALLOC_PRAGMA","features":[3]},{"name":"ALTERNATIVE_ARCHITECTURE_TYPE","features":[3]},{"name":"AMD_L1_CACHE_INFO","features":[3]},{"name":"AMD_L2_CACHE_INFO","features":[3]},{"name":"AMD_L3_CACHE_INFO","features":[3]},{"name":"ANY_SIZE","features":[3]},{"name":"APC_LEVEL","features":[3]},{"name":"ARBITER_ACTION","features":[3]},{"name":"ARBITER_ADD_RESERVED_PARAMETERS","features":[2,5,3,1,4,6,7,8]},{"name":"ARBITER_BOOT_ALLOCATION_PARAMETERS","features":[3,7]},{"name":"ARBITER_CONFLICT_INFO","features":[2,5,3,1,4,6,7,8]},{"name":"ARBITER_FLAG_BOOT_CONFIG","features":[3]},{"name":"ARBITER_FLAG_OTHER_ENUM","features":[3]},{"name":"ARBITER_FLAG_ROOT_ENUM","features":[3]},{"name":"ARBITER_INTERFACE","features":[2,5,3,1,4,6,7,8]},{"name":"ARBITER_LIST_ENTRY","features":[2,5,3,1,4,6,7,8]},{"name":"ARBITER_PARAMETERS","features":[2,5,3,1,4,6,7,8]},{"name":"ARBITER_PARTIAL","features":[3]},{"name":"ARBITER_QUERY_ALLOCATED_RESOURCES_PARAMETERS","features":[3]},{"name":"ARBITER_QUERY_ARBITRATE_PARAMETERS","features":[3,7]},{"name":"ARBITER_QUERY_CONFLICT_PARAMETERS","features":[2,5,3,1,4,6,7,8]},{"name":"ARBITER_REQUEST_SOURCE","features":[3]},{"name":"ARBITER_RESULT","features":[3]},{"name":"ARBITER_RETEST_ALLOCATION_PARAMETERS","features":[3,7]},{"name":"ARBITER_TEST_ALLOCATION_PARAMETERS","features":[3,7]},{"name":"ARM64_NT_CONTEXT","features":[3,30]},{"name":"ARM64_PCR_RESERVED_MASK","features":[3]},{"name":"ARM_PROCESSOR_ERROR_SECTION_GUID","features":[3]},{"name":"ATS_DEVICE_SVM_OPTOUT","features":[3]},{"name":"AccessFlagFault","features":[3]},{"name":"AddressSizeFault","features":[3]},{"name":"AgpControl","features":[3]},{"name":"AllLoggerHandlesClass","features":[3]},{"name":"AperturePageSize","features":[3]},{"name":"ApertureSize","features":[3]},{"name":"ApicDestinationModeLogicalClustered","features":[3]},{"name":"ApicDestinationModeLogicalFlat","features":[3]},{"name":"ApicDestinationModePhysical","features":[3]},{"name":"ApicDestinationModeUnknown","features":[3]},{"name":"ArbiterActionAddReserved","features":[3]},{"name":"ArbiterActionBootAllocation","features":[3]},{"name":"ArbiterActionCommitAllocation","features":[3]},{"name":"ArbiterActionQueryAllocatedResources","features":[3]},{"name":"ArbiterActionQueryArbitrate","features":[3]},{"name":"ArbiterActionQueryConflict","features":[3]},{"name":"ArbiterActionRetestAllocation","features":[3]},{"name":"ArbiterActionRollbackAllocation","features":[3]},{"name":"ArbiterActionTestAllocation","features":[3]},{"name":"ArbiterActionWriteReservedResources","features":[3]},{"name":"ArbiterRequestHalReported","features":[3]},{"name":"ArbiterRequestLegacyAssigned","features":[3]},{"name":"ArbiterRequestLegacyReported","features":[3]},{"name":"ArbiterRequestPnpDetected","features":[3]},{"name":"ArbiterRequestPnpEnumerated","features":[3]},{"name":"ArbiterRequestUndefined","features":[3]},{"name":"ArbiterResultExternalConflict","features":[3]},{"name":"ArbiterResultNullRequest","features":[3]},{"name":"ArbiterResultSuccess","features":[3]},{"name":"ArbiterResultUndefined","features":[3]},{"name":"ArcSystem","features":[3]},{"name":"AssignSecurityDescriptor","features":[3]},{"name":"AudioController","features":[3]},{"name":"BDCB_CALLBACK_TYPE","features":[3]},{"name":"BDCB_CLASSIFICATION","features":[3]},{"name":"BDCB_IMAGE_INFORMATION","features":[3,1]},{"name":"BDCB_STATUS_UPDATE_CONTEXT","features":[3]},{"name":"BDCB_STATUS_UPDATE_TYPE","features":[3]},{"name":"BMC_NOTIFY_TYPE_GUID","features":[3]},{"name":"BOOTDISK_INFORMATION","features":[3]},{"name":"BOOTDISK_INFORMATION_EX","features":[3,1]},{"name":"BOOTDISK_INFORMATION_LITE","features":[3]},{"name":"BOOT_DRIVER_CALLBACK_FUNCTION","features":[3,1]},{"name":"BOOT_NOTIFY_TYPE_GUID","features":[3]},{"name":"BOUND_CALLBACK","features":[3]},{"name":"BOUND_CALLBACK_STATUS","features":[3]},{"name":"BUS_DATA_TYPE","features":[3]},{"name":"BUS_INTERFACE_STANDARD","features":[2,5,3,1,4,6,7,8]},{"name":"BUS_QUERY_ID_TYPE","features":[3]},{"name":"BUS_RESOURCE_UPDATE_INTERFACE","features":[3,1]},{"name":"BUS_SPECIFIC_RESET_FLAGS","features":[3]},{"name":"BackgroundWorkQueue","features":[3]},{"name":"BdCbClassificationEnd","features":[3]},{"name":"BdCbClassificationKnownBadImage","features":[3]},{"name":"BdCbClassificationKnownBadImageBootCritical","features":[3]},{"name":"BdCbClassificationKnownGoodImage","features":[3]},{"name":"BdCbClassificationUnknownImage","features":[3]},{"name":"BdCbInitializeImage","features":[3]},{"name":"BdCbStatusPrepareForDependencyLoad","features":[3]},{"name":"BdCbStatusPrepareForDriverLoad","features":[3]},{"name":"BdCbStatusPrepareForUnload","features":[3]},{"name":"BdCbStatusUpdate","features":[3]},{"name":"BoundExceptionContinueSearch","features":[3]},{"name":"BoundExceptionError","features":[3]},{"name":"BoundExceptionHandled","features":[3]},{"name":"BoundExceptionMaximum","features":[3]},{"name":"BufferEmpty","features":[3]},{"name":"BufferFinished","features":[3]},{"name":"BufferIncomplete","features":[3]},{"name":"BufferInserted","features":[3]},{"name":"BufferStarted","features":[3]},{"name":"BusQueryCompatibleIDs","features":[3]},{"name":"BusQueryContainerID","features":[3]},{"name":"BusQueryDeviceID","features":[3]},{"name":"BusQueryDeviceSerialNumber","features":[3]},{"name":"BusQueryHardwareIDs","features":[3]},{"name":"BusQueryInstanceID","features":[3]},{"name":"BusRelations","features":[3]},{"name":"BusWidth32Bits","features":[3]},{"name":"BusWidth64Bits","features":[3]},{"name":"CBus","features":[3]},{"name":"CLFS_MAX_CONTAINER_INFO","features":[3]},{"name":"CLFS_MGMT_CLIENT_REGISTRATION","features":[2,5,3,1,4,21,6,7,8]},{"name":"CLFS_SCAN_BACKWARD","features":[3]},{"name":"CLFS_SCAN_BUFFERED","features":[3]},{"name":"CLFS_SCAN_CLOSE","features":[3]},{"name":"CLFS_SCAN_FORWARD","features":[3]},{"name":"CLFS_SCAN_INIT","features":[3]},{"name":"CLFS_SCAN_INITIALIZED","features":[3]},{"name":"CLOCK1_LEVEL","features":[3]},{"name":"CLOCK2_LEVEL","features":[3]},{"name":"CLOCK_LEVEL","features":[3]},{"name":"CMCI_LEVEL","features":[3]},{"name":"CMCI_NOTIFY_TYPE_GUID","features":[3]},{"name":"CMC_DRIVER_INFO","features":[2,3]},{"name":"CMC_NOTIFY_TYPE_GUID","features":[3]},{"name":"CM_COMPONENT_INFORMATION","features":[3]},{"name":"CM_DISK_GEOMETRY_DEVICE_DATA","features":[3]},{"name":"CM_EISA_FUNCTION_INFORMATION","features":[3]},{"name":"CM_EISA_SLOT_INFORMATION","features":[3]},{"name":"CM_FLOPPY_DEVICE_DATA","features":[3]},{"name":"CM_FULL_RESOURCE_DESCRIPTOR","features":[3]},{"name":"CM_INT13_DRIVE_PARAMETER","features":[3]},{"name":"CM_KEYBOARD_DEVICE_DATA","features":[3]},{"name":"CM_MCA_POS_DATA","features":[3]},{"name":"CM_MONITOR_DEVICE_DATA","features":[3]},{"name":"CM_PARTIAL_RESOURCE_DESCRIPTOR","features":[3]},{"name":"CM_PARTIAL_RESOURCE_LIST","features":[3]},{"name":"CM_PCCARD_DEVICE_DATA","features":[3]},{"name":"CM_PNP_BIOS_DEVICE_NODE","features":[3]},{"name":"CM_PNP_BIOS_INSTALLATION_CHECK","features":[3]},{"name":"CM_POWER_DATA","features":[3,8]},{"name":"CM_RESOURCE_CONNECTION_CLASS_FUNCTION_CONFIG","features":[3]},{"name":"CM_RESOURCE_CONNECTION_CLASS_GPIO","features":[3]},{"name":"CM_RESOURCE_CONNECTION_CLASS_SERIAL","features":[3]},{"name":"CM_RESOURCE_CONNECTION_TYPE_FUNCTION_CONFIG","features":[3]},{"name":"CM_RESOURCE_CONNECTION_TYPE_GPIO_IO","features":[3]},{"name":"CM_RESOURCE_CONNECTION_TYPE_SERIAL_I2C","features":[3]},{"name":"CM_RESOURCE_CONNECTION_TYPE_SERIAL_SPI","features":[3]},{"name":"CM_RESOURCE_CONNECTION_TYPE_SERIAL_UART","features":[3]},{"name":"CM_RESOURCE_DMA_16","features":[3]},{"name":"CM_RESOURCE_DMA_32","features":[3]},{"name":"CM_RESOURCE_DMA_8","features":[3]},{"name":"CM_RESOURCE_DMA_8_AND_16","features":[3]},{"name":"CM_RESOURCE_DMA_BUS_MASTER","features":[3]},{"name":"CM_RESOURCE_DMA_TYPE_A","features":[3]},{"name":"CM_RESOURCE_DMA_TYPE_B","features":[3]},{"name":"CM_RESOURCE_DMA_TYPE_F","features":[3]},{"name":"CM_RESOURCE_DMA_V3","features":[3]},{"name":"CM_RESOURCE_INTERRUPT_LATCHED","features":[3]},{"name":"CM_RESOURCE_INTERRUPT_LEVEL_LATCHED_BITS","features":[3]},{"name":"CM_RESOURCE_INTERRUPT_LEVEL_SENSITIVE","features":[3]},{"name":"CM_RESOURCE_INTERRUPT_MESSAGE","features":[3]},{"name":"CM_RESOURCE_INTERRUPT_POLICY_INCLUDED","features":[3]},{"name":"CM_RESOURCE_INTERRUPT_SECONDARY_INTERRUPT","features":[3]},{"name":"CM_RESOURCE_INTERRUPT_WAKE_HINT","features":[3]},{"name":"CM_RESOURCE_LIST","features":[3]},{"name":"CM_RESOURCE_MEMORY_24","features":[3]},{"name":"CM_RESOURCE_MEMORY_BAR","features":[3]},{"name":"CM_RESOURCE_MEMORY_CACHEABLE","features":[3]},{"name":"CM_RESOURCE_MEMORY_COMBINEDWRITE","features":[3]},{"name":"CM_RESOURCE_MEMORY_COMPAT_FOR_INACCESSIBLE_RANGE","features":[3]},{"name":"CM_RESOURCE_MEMORY_LARGE","features":[3]},{"name":"CM_RESOURCE_MEMORY_LARGE_40","features":[3]},{"name":"CM_RESOURCE_MEMORY_LARGE_40_MAXLEN","features":[3]},{"name":"CM_RESOURCE_MEMORY_LARGE_48","features":[3]},{"name":"CM_RESOURCE_MEMORY_LARGE_48_MAXLEN","features":[3]},{"name":"CM_RESOURCE_MEMORY_LARGE_64","features":[3]},{"name":"CM_RESOURCE_MEMORY_LARGE_64_MAXLEN","features":[3]},{"name":"CM_RESOURCE_MEMORY_PREFETCHABLE","features":[3]},{"name":"CM_RESOURCE_MEMORY_READ_ONLY","features":[3]},{"name":"CM_RESOURCE_MEMORY_READ_WRITE","features":[3]},{"name":"CM_RESOURCE_MEMORY_WINDOW_DECODE","features":[3]},{"name":"CM_RESOURCE_MEMORY_WRITEABILITY_MASK","features":[3]},{"name":"CM_RESOURCE_MEMORY_WRITE_ONLY","features":[3]},{"name":"CM_RESOURCE_PORT_10_BIT_DECODE","features":[3]},{"name":"CM_RESOURCE_PORT_12_BIT_DECODE","features":[3]},{"name":"CM_RESOURCE_PORT_16_BIT_DECODE","features":[3]},{"name":"CM_RESOURCE_PORT_BAR","features":[3]},{"name":"CM_RESOURCE_PORT_IO","features":[3]},{"name":"CM_RESOURCE_PORT_MEMORY","features":[3]},{"name":"CM_RESOURCE_PORT_PASSIVE_DECODE","features":[3]},{"name":"CM_RESOURCE_PORT_POSITIVE_DECODE","features":[3]},{"name":"CM_RESOURCE_PORT_WINDOW_DECODE","features":[3]},{"name":"CM_ROM_BLOCK","features":[3]},{"name":"CM_SCSI_DEVICE_DATA","features":[3]},{"name":"CM_SERIAL_DEVICE_DATA","features":[3]},{"name":"CM_SERVICE_MEASURED_BOOT_LOAD","features":[3]},{"name":"CM_SHARE_DISPOSITION","features":[3]},{"name":"CM_SONIC_DEVICE_DATA","features":[3]},{"name":"CM_VIDEO_DEVICE_DATA","features":[3]},{"name":"CONFIGURATION_INFORMATION","features":[3,1]},{"name":"CONFIGURATION_TYPE","features":[3]},{"name":"CONNECT_CURRENT_VERSION","features":[3]},{"name":"CONNECT_FULLY_SPECIFIED","features":[3]},{"name":"CONNECT_FULLY_SPECIFIED_GROUP","features":[3]},{"name":"CONNECT_LINE_BASED","features":[3]},{"name":"CONNECT_MESSAGE_BASED","features":[3]},{"name":"CONNECT_MESSAGE_BASED_PASSIVE","features":[3]},{"name":"CONTROLLER_OBJECT","features":[2,3,1,7]},{"name":"COUNTED_REASON_CONTEXT","features":[3,1]},{"name":"CP15_PCR_RESERVED_MASK","features":[3]},{"name":"CPER_EMPTY_GUID","features":[3]},{"name":"CPE_DRIVER_INFO","features":[2,3]},{"name":"CPE_NOTIFY_TYPE_GUID","features":[3]},{"name":"CP_GET_ERROR","features":[3]},{"name":"CP_GET_NODATA","features":[3]},{"name":"CP_GET_SUCCESS","features":[3]},{"name":"CRASHDUMP_FUNCTIONS_INTERFACE","features":[3,1]},{"name":"CREATE_FILE_TYPE","features":[3]},{"name":"CREATE_USER_PROCESS_ECP_CONTEXT","features":[3]},{"name":"CardPresent","features":[3]},{"name":"CbusConfiguration","features":[3]},{"name":"CdromController","features":[3]},{"name":"CentralProcessor","features":[3]},{"name":"ClfsAddLogContainer","features":[2,5,3,1,4,6,7,8]},{"name":"ClfsAddLogContainerSet","features":[2,5,3,1,4,6,7,8]},{"name":"ClfsAdvanceLogBase","features":[3,1,21]},{"name":"ClfsAlignReservedLog","features":[3,1]},{"name":"ClfsAllocReservedLog","features":[3,1]},{"name":"ClfsClientRecord","features":[3]},{"name":"ClfsCloseAndResetLogFile","features":[2,5,3,1,4,6,7,8]},{"name":"ClfsCloseLogFileObject","features":[2,5,3,1,4,6,7,8]},{"name":"ClfsContainerActive","features":[3]},{"name":"ClfsContainerActivePendingDelete","features":[3]},{"name":"ClfsContainerInactive","features":[3]},{"name":"ClfsContainerInitializing","features":[3]},{"name":"ClfsContainerPendingArchive","features":[3]},{"name":"ClfsContainerPendingArchiveAndDelete","features":[3]},{"name":"ClfsCreateLogFile","features":[2,5,3,1,4,6,7,8]},{"name":"ClfsCreateMarshallingArea","features":[2,5,3,1,4,6,7,8]},{"name":"ClfsCreateMarshallingAreaEx","features":[2,5,3,1,4,6,7,8]},{"name":"ClfsCreateScanContext","features":[2,5,3,1,4,21,6,7,8]},{"name":"ClfsDataRecord","features":[3]},{"name":"ClfsDeleteLogByPointer","features":[2,5,3,1,4,6,7,8]},{"name":"ClfsDeleteLogFile","features":[3,1]},{"name":"ClfsDeleteMarshallingArea","features":[3,1]},{"name":"ClfsEarlierLsn","features":[3,21]},{"name":"ClfsFinalize","features":[3]},{"name":"ClfsFlushBuffers","features":[3,1]},{"name":"ClfsFlushToLsn","features":[3,1,21]},{"name":"ClfsFreeReservedLog","features":[3,1]},{"name":"ClfsGetContainerName","features":[2,5,3,1,4,6,7,8]},{"name":"ClfsGetIoStatistics","features":[2,5,3,1,4,21,6,7,8]},{"name":"ClfsGetLogFileInformation","features":[2,5,3,1,4,21,6,7,8]},{"name":"ClfsInitialize","features":[3,1]},{"name":"ClfsLaterLsn","features":[3,21]},{"name":"ClfsLsnBlockOffset","features":[3,21]},{"name":"ClfsLsnContainer","features":[3,21]},{"name":"ClfsLsnCreate","features":[3,21]},{"name":"ClfsLsnDifference","features":[3,1,21]},{"name":"ClfsLsnEqual","features":[3,1,21]},{"name":"ClfsLsnGreater","features":[3,1,21]},{"name":"ClfsLsnInvalid","features":[3,1,21]},{"name":"ClfsLsnLess","features":[3,1,21]},{"name":"ClfsLsnNull","features":[3,1,21]},{"name":"ClfsLsnRecordSequence","features":[3,21]},{"name":"ClfsMgmtDeregisterManagedClient","features":[3,1]},{"name":"ClfsMgmtHandleLogFileFull","features":[3,1]},{"name":"ClfsMgmtInstallPolicy","features":[2,5,3,1,4,21,6,7,8]},{"name":"ClfsMgmtQueryPolicy","features":[2,5,3,1,4,21,6,7,8]},{"name":"ClfsMgmtRegisterManagedClient","features":[2,5,3,1,4,21,6,7,8]},{"name":"ClfsMgmtRemovePolicy","features":[2,5,3,1,4,21,6,7,8]},{"name":"ClfsMgmtSetLogFileSize","features":[2,5,3,1,4,6,7,8]},{"name":"ClfsMgmtSetLogFileSizeAsClient","features":[2,5,3,1,4,6,7,8]},{"name":"ClfsMgmtTailAdvanceFailure","features":[3,1]},{"name":"ClfsNullRecord","features":[3]},{"name":"ClfsQueryLogFileInformation","features":[2,5,3,1,4,21,6,7,8]},{"name":"ClfsReadLogRecord","features":[3,1,21]},{"name":"ClfsReadNextLogRecord","features":[3,1,21]},{"name":"ClfsReadPreviousRestartArea","features":[3,1,21]},{"name":"ClfsReadRestartArea","features":[3,1,21]},{"name":"ClfsRemoveLogContainer","features":[2,5,3,1,4,6,7,8]},{"name":"ClfsRemoveLogContainerSet","features":[2,5,3,1,4,6,7,8]},{"name":"ClfsReserveAndAppendLog","features":[3,1,21]},{"name":"ClfsReserveAndAppendLogAligned","features":[3,1,21]},{"name":"ClfsRestartRecord","features":[3]},{"name":"ClfsScanLogContainers","features":[3,1,21]},{"name":"ClfsSetArchiveTail","features":[2,5,3,1,4,21,6,7,8]},{"name":"ClfsSetEndOfLog","features":[2,5,3,1,4,21,6,7,8]},{"name":"ClfsSetLogFileInformation","features":[2,5,3,1,4,21,6,7,8]},{"name":"ClfsTerminateReadLog","features":[3,1]},{"name":"ClfsWriteRestartArea","features":[3,1,21]},{"name":"ClsContainerActive","features":[3]},{"name":"ClsContainerActivePendingDelete","features":[3]},{"name":"ClsContainerInactive","features":[3]},{"name":"ClsContainerInitializing","features":[3]},{"name":"ClsContainerPendingArchive","features":[3]},{"name":"ClsContainerPendingArchiveAndDelete","features":[3]},{"name":"CmCallbackGetKeyObjectID","features":[3,1]},{"name":"CmCallbackGetKeyObjectIDEx","features":[3,1]},{"name":"CmCallbackReleaseKeyObjectIDEx","features":[3,1]},{"name":"CmGetBoundTransaction","features":[3]},{"name":"CmGetCallbackVersion","features":[3]},{"name":"CmRegisterCallback","features":[3,1]},{"name":"CmRegisterCallbackEx","features":[3,1]},{"name":"CmResourceShareDeviceExclusive","features":[3]},{"name":"CmResourceShareDriverExclusive","features":[3]},{"name":"CmResourceShareShared","features":[3]},{"name":"CmResourceShareUndetermined","features":[3]},{"name":"CmResourceTypeBusNumber","features":[3]},{"name":"CmResourceTypeConfigData","features":[3]},{"name":"CmResourceTypeConnection","features":[3]},{"name":"CmResourceTypeDevicePrivate","features":[3]},{"name":"CmResourceTypeDeviceSpecific","features":[3]},{"name":"CmResourceTypeDma","features":[3]},{"name":"CmResourceTypeInterrupt","features":[3]},{"name":"CmResourceTypeMaximum","features":[3]},{"name":"CmResourceTypeMemory","features":[3]},{"name":"CmResourceTypeMemoryLarge","features":[3]},{"name":"CmResourceTypeMfCardConfig","features":[3]},{"name":"CmResourceTypeNonArbitrated","features":[3]},{"name":"CmResourceTypeNull","features":[3]},{"name":"CmResourceTypePcCardConfig","features":[3]},{"name":"CmResourceTypePort","features":[3]},{"name":"CmSetCallbackObjectContext","features":[3,1]},{"name":"CmUnRegisterCallback","features":[3,1]},{"name":"Cmos","features":[3]},{"name":"CommonBufferConfigTypeHardwareAccessPermissions","features":[3]},{"name":"CommonBufferConfigTypeLogicalAddressLimits","features":[3]},{"name":"CommonBufferConfigTypeMax","features":[3]},{"name":"CommonBufferConfigTypeSubSection","features":[3]},{"name":"CommonBufferHardwareAccessMax","features":[3]},{"name":"CommonBufferHardwareAccessReadOnly","features":[3]},{"name":"CommonBufferHardwareAccessReadWrite","features":[3]},{"name":"CommonBufferHardwareAccessWriteOnly","features":[3]},{"name":"Compatible","features":[3]},{"name":"ConfigurationSpaceUndefined","features":[3]},{"name":"ContinueCompletion","features":[3]},{"name":"CreateFileTypeMailslot","features":[3]},{"name":"CreateFileTypeNamedPipe","features":[3]},{"name":"CreateFileTypeNone","features":[3]},{"name":"CriticalWorkQueue","features":[3]},{"name":"CustomPriorityWorkQueue","features":[3]},{"name":"D3COLD_AUX_POWER_AND_TIMING_INTERFACE","features":[3,1]},{"name":"D3COLD_LAST_TRANSITION_STATUS","features":[3]},{"name":"D3COLD_REQUEST_AUX_POWER","features":[3,1]},{"name":"D3COLD_REQUEST_CORE_POWER_RAIL","features":[3,1]},{"name":"D3COLD_REQUEST_PERST_DELAY","features":[3,1]},{"name":"D3COLD_SUPPORT_INTERFACE","features":[3,1]},{"name":"D3COLD_SUPPORT_INTERFACE_VERSION","features":[3]},{"name":"DBG_DEVICE_FLAG_BARS_MAPPED","features":[3]},{"name":"DBG_DEVICE_FLAG_HAL_SCRATCH_ALLOCATED","features":[3]},{"name":"DBG_DEVICE_FLAG_HOST_VISIBLE_ALLOCATED","features":[3]},{"name":"DBG_DEVICE_FLAG_SCRATCH_ALLOCATED","features":[3]},{"name":"DBG_DEVICE_FLAG_SYNTHETIC","features":[3]},{"name":"DBG_DEVICE_FLAG_UNCACHED_MEMORY","features":[3]},{"name":"DBG_STATUS_BUGCHECK_FIRST","features":[3]},{"name":"DBG_STATUS_BUGCHECK_SECOND","features":[3]},{"name":"DBG_STATUS_CONTROL_C","features":[3]},{"name":"DBG_STATUS_DEBUG_CONTROL","features":[3]},{"name":"DBG_STATUS_FATAL","features":[3]},{"name":"DBG_STATUS_SYSRQ","features":[3]},{"name":"DBG_STATUS_WORKER","features":[3]},{"name":"DEBUGGING_DEVICE_IN_USE","features":[3]},{"name":"DEBUGGING_DEVICE_IN_USE_INFORMATION","features":[3]},{"name":"DEBUG_DEVICE_ADDRESS","features":[3,1]},{"name":"DEBUG_DEVICE_DESCRIPTOR","features":[3,1]},{"name":"DEBUG_EFI_IOMMU_DATA","features":[3]},{"name":"DEBUG_MEMORY_REQUIREMENTS","features":[3,1]},{"name":"DEBUG_TRANSPORT_DATA","features":[3,1]},{"name":"DEFAULT_DEVICE_DRIVER_CREATOR_GUID","features":[3]},{"name":"DEVICE_BUS_SPECIFIC_RESET_HANDLER","features":[3,1]},{"name":"DEVICE_BUS_SPECIFIC_RESET_INFO","features":[3]},{"name":"DEVICE_BUS_SPECIFIC_RESET_TYPE","features":[3]},{"name":"DEVICE_CAPABILITIES","features":[3,8]},{"name":"DEVICE_CHANGE_COMPLETE_CALLBACK","features":[3]},{"name":"DEVICE_DESCRIPTION","features":[3,1]},{"name":"DEVICE_DESCRIPTION_VERSION","features":[3]},{"name":"DEVICE_DESCRIPTION_VERSION1","features":[3]},{"name":"DEVICE_DESCRIPTION_VERSION2","features":[3]},{"name":"DEVICE_DESCRIPTION_VERSION3","features":[3]},{"name":"DEVICE_DIRECTORY_TYPE","features":[3]},{"name":"DEVICE_DRIVER_NOTIFY_TYPE_GUID","features":[3]},{"name":"DEVICE_FAULT_CONFIGURATION","features":[3]},{"name":"DEVICE_FLAGS","features":[3]},{"name":"DEVICE_INSTALL_STATE","features":[3]},{"name":"DEVICE_INTERFACE_CHANGE_NOTIFICATION","features":[3,1]},{"name":"DEVICE_INTERFACE_INCLUDE_NONACTIVE","features":[3]},{"name":"DEVICE_QUERY_BUS_SPECIFIC_RESET_HANDLER","features":[3,1]},{"name":"DEVICE_REGISTRY_PROPERTY","features":[3]},{"name":"DEVICE_RELATIONS","features":[2,5,3,1,4,6,7,8]},{"name":"DEVICE_RELATION_TYPE","features":[3]},{"name":"DEVICE_REMOVAL_POLICY","features":[3]},{"name":"DEVICE_RESET_COMPLETION","features":[3,1]},{"name":"DEVICE_RESET_HANDLER","features":[3,1]},{"name":"DEVICE_RESET_INTERFACE_STANDARD","features":[3,1]},{"name":"DEVICE_RESET_INTERFACE_VERSION","features":[3]},{"name":"DEVICE_RESET_INTERFACE_VERSION_1","features":[3]},{"name":"DEVICE_RESET_INTERFACE_VERSION_2","features":[3]},{"name":"DEVICE_RESET_INTERFACE_VERSION_3","features":[3]},{"name":"DEVICE_RESET_STATUS_FLAGS","features":[3]},{"name":"DEVICE_RESET_TYPE","features":[3]},{"name":"DEVICE_TEXT_TYPE","features":[3]},{"name":"DEVICE_USAGE_NOTIFICATION_TYPE","features":[3]},{"name":"DEVICE_WAKE_DEPTH","features":[3]},{"name":"DIRECTORY_CREATE_OBJECT","features":[3]},{"name":"DIRECTORY_CREATE_SUBDIRECTORY","features":[3]},{"name":"DIRECTORY_NOTIFY_INFORMATION_CLASS","features":[3]},{"name":"DIRECTORY_QUERY","features":[3]},{"name":"DIRECTORY_TRAVERSE","features":[3]},{"name":"DISK_SIGNATURE","features":[3]},{"name":"DISPATCH_LEVEL","features":[3]},{"name":"DMAV3_TRANFER_WIDTH_128","features":[3]},{"name":"DMAV3_TRANFER_WIDTH_16","features":[3]},{"name":"DMAV3_TRANFER_WIDTH_256","features":[3]},{"name":"DMAV3_TRANFER_WIDTH_32","features":[3]},{"name":"DMAV3_TRANFER_WIDTH_64","features":[3]},{"name":"DMAV3_TRANFER_WIDTH_8","features":[3]},{"name":"DMA_ADAPTER","features":[2,5,3,1,4,6,7,8]},{"name":"DMA_ADAPTER_INFO","features":[3,1]},{"name":"DMA_ADAPTER_INFO_CRASHDUMP","features":[3,1]},{"name":"DMA_ADAPTER_INFO_V1","features":[3]},{"name":"DMA_ADAPTER_INFO_VERSION1","features":[3]},{"name":"DMA_COMMON_BUFFER_EXTENDED_CONFIGURATION","features":[3]},{"name":"DMA_COMMON_BUFFER_EXTENDED_CONFIGURATION_ACCESS_TYPE","features":[3]},{"name":"DMA_COMMON_BUFFER_EXTENDED_CONFIGURATION_TYPE","features":[3]},{"name":"DMA_COMPLETION_ROUTINE","features":[2,5,3,1,4,6,7,8]},{"name":"DMA_COMPLETION_STATUS","features":[3]},{"name":"DMA_CONFIGURATION_BYTE0","features":[3]},{"name":"DMA_CONFIGURATION_BYTE1","features":[3]},{"name":"DMA_FAIL_ON_BOUNCE","features":[3]},{"name":"DMA_IOMMU_INTERFACE","features":[3,1]},{"name":"DMA_IOMMU_INTERFACE_EX","features":[3,1]},{"name":"DMA_IOMMU_INTERFACE_EX_VERSION","features":[3]},{"name":"DMA_IOMMU_INTERFACE_EX_VERSION_1","features":[3]},{"name":"DMA_IOMMU_INTERFACE_EX_VERSION_2","features":[3]},{"name":"DMA_IOMMU_INTERFACE_EX_VERSION_MAX","features":[3]},{"name":"DMA_IOMMU_INTERFACE_EX_VERSION_MIN","features":[3]},{"name":"DMA_IOMMU_INTERFACE_V1","features":[3,1]},{"name":"DMA_IOMMU_INTERFACE_V2","features":[3,1]},{"name":"DMA_IOMMU_INTERFACE_VERSION","features":[3]},{"name":"DMA_IOMMU_INTERFACE_VERSION_1","features":[3]},{"name":"DMA_OPERATIONS","features":[2,5,3,1,4,6,7,8]},{"name":"DMA_SPEED","features":[3]},{"name":"DMA_SYNCHRONOUS_CALLBACK","features":[3]},{"name":"DMA_TRANSFER_CONTEXT_SIZE_V1","features":[3]},{"name":"DMA_TRANSFER_CONTEXT_VERSION1","features":[3]},{"name":"DMA_TRANSFER_INFO","features":[3]},{"name":"DMA_TRANSFER_INFO_V1","features":[3]},{"name":"DMA_TRANSFER_INFO_V2","features":[3]},{"name":"DMA_TRANSFER_INFO_VERSION1","features":[3]},{"name":"DMA_TRANSFER_INFO_VERSION2","features":[3]},{"name":"DMA_WIDTH","features":[3]},{"name":"DMA_ZERO_BUFFERS","features":[3]},{"name":"DOMAIN_COMMON_BUFFER_LARGE_PAGE","features":[3]},{"name":"DOMAIN_CONFIGURATION","features":[3,1]},{"name":"DOMAIN_CONFIGURATION_ARCH","features":[3]},{"name":"DOMAIN_CONFIGURATION_ARM64","features":[3,1]},{"name":"DOMAIN_CONFIGURATION_X64","features":[3,1]},{"name":"DPC_NORMAL","features":[3]},{"name":"DPC_THREADED","features":[3]},{"name":"DPC_WATCHDOG_GLOBAL_TRIAGE_BLOCK","features":[3]},{"name":"DPC_WATCHDOG_GLOBAL_TRIAGE_BLOCK_REVISION_1","features":[3]},{"name":"DPC_WATCHDOG_GLOBAL_TRIAGE_BLOCK_SIGNATURE","features":[3]},{"name":"DRIVER_DIRECTORY_TYPE","features":[3]},{"name":"DRIVER_LIST_CONTROL","features":[2,5,3,1,4,6,7,8]},{"name":"DRIVER_REGKEY_TYPE","features":[3]},{"name":"DRIVER_RUNTIME_INIT_FLAGS","features":[3]},{"name":"DRIVER_VERIFIER_FORCE_IRQL_CHECKING","features":[3]},{"name":"DRIVER_VERIFIER_INJECT_ALLOCATION_FAILURES","features":[3]},{"name":"DRIVER_VERIFIER_IO_CHECKING","features":[3]},{"name":"DRIVER_VERIFIER_SPECIAL_POOLING","features":[3]},{"name":"DRIVER_VERIFIER_THUNK_PAIRS","features":[3]},{"name":"DRIVER_VERIFIER_TRACK_POOL_ALLOCATIONS","features":[3]},{"name":"DRS_LEVEL","features":[3]},{"name":"DRVO_BOOTREINIT_REGISTERED","features":[3]},{"name":"DRVO_BUILTIN_DRIVER","features":[3]},{"name":"DRVO_INITIALIZED","features":[3]},{"name":"DRVO_LEGACY_DRIVER","features":[3]},{"name":"DRVO_LEGACY_RESOURCES","features":[3]},{"name":"DRVO_REINIT_REGISTERED","features":[3]},{"name":"DRVO_UNLOAD_INVOKED","features":[3]},{"name":"DUPLICATE_SAME_ATTRIBUTES","features":[3]},{"name":"DbgBreakPointWithStatus","features":[3]},{"name":"DbgPrint","features":[3]},{"name":"DbgPrintEx","features":[3]},{"name":"DbgPrintReturnControlC","features":[3]},{"name":"DbgPrompt","features":[3]},{"name":"DbgQueryDebugFilterState","features":[3,1]},{"name":"DbgSetDebugFilterState","features":[3,1]},{"name":"DbgSetDebugPrintCallback","features":[3,1,7]},{"name":"DeallocateObject","features":[3]},{"name":"DeallocateObjectKeepRegisters","features":[3]},{"name":"DelayExecution","features":[3]},{"name":"DelayedWorkQueue","features":[3]},{"name":"DeleteSecurityDescriptor","features":[3]},{"name":"DeviceDirectoryData","features":[3]},{"name":"DevicePowerState","features":[3]},{"name":"DevicePropertyAddress","features":[3]},{"name":"DevicePropertyAllocatedResources","features":[3]},{"name":"DevicePropertyBootConfiguration","features":[3]},{"name":"DevicePropertyBootConfigurationTranslated","features":[3]},{"name":"DevicePropertyBusNumber","features":[3]},{"name":"DevicePropertyBusTypeGuid","features":[3]},{"name":"DevicePropertyClassGuid","features":[3]},{"name":"DevicePropertyClassName","features":[3]},{"name":"DevicePropertyCompatibleIDs","features":[3]},{"name":"DevicePropertyContainerID","features":[3]},{"name":"DevicePropertyDeviceDescription","features":[3]},{"name":"DevicePropertyDriverKeyName","features":[3]},{"name":"DevicePropertyEnumeratorName","features":[3]},{"name":"DevicePropertyFriendlyName","features":[3]},{"name":"DevicePropertyHardwareID","features":[3]},{"name":"DevicePropertyInstallState","features":[3]},{"name":"DevicePropertyLegacyBusType","features":[3]},{"name":"DevicePropertyLocationInformation","features":[3]},{"name":"DevicePropertyManufacturer","features":[3]},{"name":"DevicePropertyPhysicalDeviceObjectName","features":[3]},{"name":"DevicePropertyRemovalPolicy","features":[3]},{"name":"DevicePropertyResourceRequirements","features":[3]},{"name":"DevicePropertyUINumber","features":[3]},{"name":"DeviceTextDescription","features":[3]},{"name":"DeviceTextLocationInformation","features":[3]},{"name":"DeviceUsageTypeBoot","features":[3]},{"name":"DeviceUsageTypeDumpFile","features":[3]},{"name":"DeviceUsageTypeGuestAssigned","features":[3]},{"name":"DeviceUsageTypeHibernation","features":[3]},{"name":"DeviceUsageTypePaging","features":[3]},{"name":"DeviceUsageTypePostDisplay","features":[3]},{"name":"DeviceUsageTypeUndefined","features":[3]},{"name":"DeviceWakeDepthD0","features":[3]},{"name":"DeviceWakeDepthD1","features":[3]},{"name":"DeviceWakeDepthD2","features":[3]},{"name":"DeviceWakeDepthD3cold","features":[3]},{"name":"DeviceWakeDepthD3hot","features":[3]},{"name":"DeviceWakeDepthMaximum","features":[3]},{"name":"DeviceWakeDepthNotWakeable","features":[3]},{"name":"DirectoryNotifyExtendedInformation","features":[3]},{"name":"DirectoryNotifyFullInformation","features":[3]},{"name":"DirectoryNotifyInformation","features":[3]},{"name":"DirectoryNotifyMaximumInformation","features":[3]},{"name":"DisabledControl","features":[3]},{"name":"DiskController","features":[3]},{"name":"DiskIoNotifyRoutinesClass","features":[3]},{"name":"DiskPeripheral","features":[3]},{"name":"DisplayController","features":[3]},{"name":"DmaAborted","features":[3]},{"name":"DmaCancelled","features":[3]},{"name":"DmaComplete","features":[3]},{"name":"DmaError","features":[3]},{"name":"DockingInformation","features":[3]},{"name":"DomainConfigurationArm64","features":[3]},{"name":"DomainConfigurationInvalid","features":[3]},{"name":"DomainConfigurationX64","features":[3]},{"name":"DomainTypeMax","features":[3]},{"name":"DomainTypePassThrough","features":[3]},{"name":"DomainTypeTranslate","features":[3]},{"name":"DomainTypeUnmanaged","features":[3]},{"name":"DriverDirectoryData","features":[3]},{"name":"DriverDirectoryImage","features":[3]},{"name":"DriverDirectorySharedData","features":[3]},{"name":"DriverRegKeyParameters","features":[3]},{"name":"DriverRegKeyPersistentState","features":[3]},{"name":"DriverRegKeySharedPersistentState","features":[3]},{"name":"DrvRtPoolNxOptIn","features":[3]},{"name":"DtiAdapter","features":[3]},{"name":"EFI_ACPI_RAS_SIGNAL_TABLE","features":[3]},{"name":"EFLAG_SIGN","features":[3]},{"name":"EFLAG_ZERO","features":[3]},{"name":"EISA_DMA_CONFIGURATION","features":[3]},{"name":"EISA_EMPTY_SLOT","features":[3]},{"name":"EISA_FREE_FORM_DATA","features":[3]},{"name":"EISA_FUNCTION_ENABLED","features":[3]},{"name":"EISA_HAS_DMA_ENTRY","features":[3]},{"name":"EISA_HAS_IRQ_ENTRY","features":[3]},{"name":"EISA_HAS_MEMORY_ENTRY","features":[3]},{"name":"EISA_HAS_PORT_INIT_ENTRY","features":[3]},{"name":"EISA_HAS_PORT_RANGE","features":[3]},{"name":"EISA_HAS_TYPE_ENTRY","features":[3]},{"name":"EISA_INVALID_BIOS_CALL","features":[3]},{"name":"EISA_INVALID_CONFIGURATION","features":[3]},{"name":"EISA_INVALID_FUNCTION","features":[3]},{"name":"EISA_INVALID_SLOT","features":[3]},{"name":"EISA_IRQ_CONFIGURATION","features":[3]},{"name":"EISA_IRQ_DESCRIPTOR","features":[3]},{"name":"EISA_MEMORY_CONFIGURATION","features":[3]},{"name":"EISA_MEMORY_TYPE","features":[3]},{"name":"EISA_MEMORY_TYPE_RAM","features":[3]},{"name":"EISA_MORE_ENTRIES","features":[3]},{"name":"EISA_PORT_CONFIGURATION","features":[3]},{"name":"EISA_PORT_DESCRIPTOR","features":[3]},{"name":"EISA_SYSTEM_MEMORY","features":[3]},{"name":"ENABLE_VIRTUALIZATION","features":[3,1]},{"name":"ERROR_LOG_LIMIT_SIZE","features":[3]},{"name":"ERROR_MAJOR_REVISION_SAL_03_00","features":[3]},{"name":"ERROR_MEMORY_GUID","features":[3]},{"name":"ERROR_MINOR_REVISION_SAL_03_00","features":[3]},{"name":"ERROR_PCI_BUS_GUID","features":[3]},{"name":"ERROR_PCI_COMPONENT_GUID","features":[3]},{"name":"ERROR_PLATFORM_BUS_GUID","features":[3]},{"name":"ERROR_PLATFORM_HOST_CONTROLLER_GUID","features":[3]},{"name":"ERROR_PLATFORM_SPECIFIC_GUID","features":[3]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_BUS_CHECK_MASK","features":[3]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_BUS_CHECK_SHIFT","features":[3]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_CACHE_CHECK_MASK","features":[3]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_CACHE_CHECK_SHIFT","features":[3]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_MICROARCH_CHECK_MASK","features":[3]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_MICROARCH_CHECK_SHIFT","features":[3]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_REG_CHECK_MASK","features":[3]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_REG_CHECK_SHIFT","features":[3]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_TLB_CHECK_MASK","features":[3]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_TLB_CHECK_SHIFT","features":[3]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_UNKNOWN_CHECK_MASK","features":[3]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_UNKNOWN_CHECK_SHIFT","features":[3]},{"name":"ERROR_SMBIOS_GUID","features":[3]},{"name":"ERROR_SYSTEM_EVENT_LOG_GUID","features":[3]},{"name":"ERRTYP_BUS","features":[3]},{"name":"ERRTYP_CACHE","features":[3]},{"name":"ERRTYP_FLOW","features":[3]},{"name":"ERRTYP_FUNCTION","features":[3]},{"name":"ERRTYP_IMPROPER","features":[3]},{"name":"ERRTYP_INTERNAL","features":[3]},{"name":"ERRTYP_LOSSOFLOCKSTEP","features":[3]},{"name":"ERRTYP_MAP","features":[3]},{"name":"ERRTYP_MEM","features":[3]},{"name":"ERRTYP_PARITY","features":[3]},{"name":"ERRTYP_PATHERROR","features":[3]},{"name":"ERRTYP_POISONED","features":[3]},{"name":"ERRTYP_PROTOCOL","features":[3]},{"name":"ERRTYP_RESPONSE","features":[3]},{"name":"ERRTYP_SELFTEST","features":[3]},{"name":"ERRTYP_TIMEOUT","features":[3]},{"name":"ERRTYP_TLB","features":[3]},{"name":"ERRTYP_UNIMPL","features":[3]},{"name":"ETWENABLECALLBACK","features":[3,31]},{"name":"ETW_TRACE_SESSION_SETTINGS","features":[3]},{"name":"EVENT_QUERY_STATE","features":[3]},{"name":"EXCEPTION_ALIGNMENT_CHECK","features":[3]},{"name":"EXCEPTION_BOUND_CHECK","features":[3]},{"name":"EXCEPTION_CP_FAULT","features":[3]},{"name":"EXCEPTION_DEBUG","features":[3]},{"name":"EXCEPTION_DIVIDED_BY_ZERO","features":[3]},{"name":"EXCEPTION_DOUBLE_FAULT","features":[3]},{"name":"EXCEPTION_GP_FAULT","features":[3]},{"name":"EXCEPTION_INT3","features":[3]},{"name":"EXCEPTION_INVALID_OPCODE","features":[3]},{"name":"EXCEPTION_INVALID_TSS","features":[3]},{"name":"EXCEPTION_NMI","features":[3]},{"name":"EXCEPTION_NPX_ERROR","features":[3]},{"name":"EXCEPTION_NPX_NOT_AVAILABLE","features":[3]},{"name":"EXCEPTION_NPX_OVERRUN","features":[3]},{"name":"EXCEPTION_RESERVED_TRAP","features":[3]},{"name":"EXCEPTION_SEGMENT_NOT_PRESENT","features":[3]},{"name":"EXCEPTION_SE_FAULT","features":[3]},{"name":"EXCEPTION_SOFTWARE_ORIGINATE","features":[3]},{"name":"EXCEPTION_STACK_FAULT","features":[3]},{"name":"EXCEPTION_VIRTUALIZATION_FAULT","features":[3]},{"name":"EXPAND_STACK_CALLOUT","features":[3]},{"name":"EXTENDED_AGP_REGISTER","features":[3]},{"name":"EXTENDED_CREATE_INFORMATION","features":[3]},{"name":"EXTENDED_CREATE_INFORMATION_32","features":[3]},{"name":"EXTINT_NOTIFY_TYPE_GUID","features":[3]},{"name":"EXT_CALLBACK","features":[2,3]},{"name":"EXT_DELETE_CALLBACK","features":[3]},{"name":"EXT_DELETE_PARAMETERS","features":[3]},{"name":"EX_CALLBACK_FUNCTION","features":[3,1]},{"name":"EX_CARR_ALLOCATE_NONPAGED_POOL","features":[3]},{"name":"EX_CARR_ALLOCATE_PAGED_POOL","features":[3]},{"name":"EX_CARR_DISABLE_EXPANSION","features":[3]},{"name":"EX_CREATE_FLAG_FILE_DEST_OPEN_FOR_COPY","features":[3]},{"name":"EX_CREATE_FLAG_FILE_SOURCE_OPEN_FOR_COPY","features":[3]},{"name":"EX_DEFAULT_PUSH_LOCK_FLAGS","features":[3]},{"name":"EX_LOOKASIDE_LIST_EX_FLAGS_FAIL_NO_RAISE","features":[3]},{"name":"EX_LOOKASIDE_LIST_EX_FLAGS_RAISE_ON_FAIL","features":[3]},{"name":"EX_MAXIMUM_LOOKASIDE_DEPTH_BASE","features":[3]},{"name":"EX_MAXIMUM_LOOKASIDE_DEPTH_LIMIT","features":[3]},{"name":"EX_POOL_PRIORITY","features":[3]},{"name":"EX_RUNDOWN_ACTIVE","features":[3]},{"name":"EX_RUNDOWN_COUNT_SHIFT","features":[3]},{"name":"EX_RUNDOWN_REF","features":[3]},{"name":"EX_TIMER_HIGH_RESOLUTION","features":[3]},{"name":"EX_TIMER_NO_WAKE","features":[3]},{"name":"Eisa","features":[3]},{"name":"EisaAdapter","features":[3]},{"name":"EisaConfiguration","features":[3]},{"name":"EjectionRelations","features":[3]},{"name":"EndAlternatives","features":[3]},{"name":"EtwActivityIdControl","features":[3,1]},{"name":"EtwEventEnabled","features":[3,1,31]},{"name":"EtwProviderEnabled","features":[3,1]},{"name":"EtwRegister","features":[3,1]},{"name":"EtwSetInformation","features":[3,1,31]},{"name":"EtwUnregister","features":[3,1]},{"name":"EtwWrite","features":[3,1,31]},{"name":"EtwWriteEx","features":[3,1,31]},{"name":"EtwWriteString","features":[3,1]},{"name":"EtwWriteTransfer","features":[3,1,31]},{"name":"EventCategoryDeviceInterfaceChange","features":[3]},{"name":"EventCategoryHardwareProfileChange","features":[3]},{"name":"EventCategoryKernelSoftRestart","features":[3]},{"name":"EventCategoryReserved","features":[3]},{"name":"EventCategoryTargetDeviceChange","features":[3]},{"name":"EventLoggerHandleClass","features":[3]},{"name":"ExAcquireFastMutex","features":[2,3,1,7]},{"name":"ExAcquireFastMutexUnsafe","features":[2,3,1,7]},{"name":"ExAcquirePushLockExclusiveEx","features":[3]},{"name":"ExAcquirePushLockSharedEx","features":[3]},{"name":"ExAcquireResourceExclusiveLite","features":[2,3,1,7]},{"name":"ExAcquireResourceSharedLite","features":[2,3,1,7]},{"name":"ExAcquireRundownProtection","features":[3,1]},{"name":"ExAcquireRundownProtectionCacheAware","features":[2,3,1]},{"name":"ExAcquireRundownProtectionCacheAwareEx","features":[2,3,1]},{"name":"ExAcquireRundownProtectionEx","features":[3,1]},{"name":"ExAcquireSharedStarveExclusive","features":[2,3,1,7]},{"name":"ExAcquireSharedWaitForExclusive","features":[2,3,1,7]},{"name":"ExAcquireSpinLockExclusive","features":[3]},{"name":"ExAcquireSpinLockExclusiveAtDpcLevel","features":[3]},{"name":"ExAcquireSpinLockShared","features":[3]},{"name":"ExAcquireSpinLockSharedAtDpcLevel","features":[3]},{"name":"ExAllocateCacheAwareRundownProtection","features":[2,3]},{"name":"ExAllocatePool","features":[2,3]},{"name":"ExAllocatePool2","features":[3]},{"name":"ExAllocatePool3","features":[3,1]},{"name":"ExAllocatePoolWithQuota","features":[2,3]},{"name":"ExAllocatePoolWithQuotaTag","features":[2,3]},{"name":"ExAllocatePoolWithTag","features":[2,3]},{"name":"ExAllocatePoolWithTagPriority","features":[2,3]},{"name":"ExAllocateTimer","features":[2,3]},{"name":"ExCancelTimer","features":[2,3,1]},{"name":"ExCleanupRundownProtectionCacheAware","features":[2,3]},{"name":"ExConvertExclusiveToSharedLite","features":[2,3,7]},{"name":"ExCreateCallback","features":[2,3,1]},{"name":"ExCreatePool","features":[3,1]},{"name":"ExDeleteResourceLite","features":[2,3,1,7]},{"name":"ExDeleteTimer","features":[2,3,1]},{"name":"ExDestroyPool","features":[3,1]},{"name":"ExEnterCriticalRegionAndAcquireResourceExclusive","features":[2,3,7]},{"name":"ExEnterCriticalRegionAndAcquireResourceShared","features":[2,3,7]},{"name":"ExEnterCriticalRegionAndAcquireSharedWaitForExclusive","features":[2,3,7]},{"name":"ExEnumerateSystemFirmwareTables","features":[3,1]},{"name":"ExExtendZone","features":[3,1,7]},{"name":"ExFreeCacheAwareRundownProtection","features":[2,3]},{"name":"ExFreePool","features":[3]},{"name":"ExFreePool2","features":[3,1]},{"name":"ExFreePoolWithTag","features":[3]},{"name":"ExGetExclusiveWaiterCount","features":[2,3,7]},{"name":"ExGetFirmwareEnvironmentVariable","features":[3,1]},{"name":"ExGetFirmwareType","features":[3,32]},{"name":"ExGetPreviousMode","features":[3]},{"name":"ExGetSharedWaiterCount","features":[2,3,7]},{"name":"ExGetSystemFirmwareTable","features":[3,1]},{"name":"ExInitializePushLock","features":[3]},{"name":"ExInitializeResourceLite","features":[2,3,1,7]},{"name":"ExInitializeRundownProtection","features":[3]},{"name":"ExInitializeRundownProtectionCacheAware","features":[2,3]},{"name":"ExInitializeRundownProtectionCacheAwareEx","features":[2,3]},{"name":"ExInitializeZone","features":[3,1,7]},{"name":"ExInterlockedAddLargeInteger","features":[3]},{"name":"ExInterlockedExtendZone","features":[3,1,7]},{"name":"ExIsManufacturingModeEnabled","features":[3,1]},{"name":"ExIsProcessorFeaturePresent","features":[3,1]},{"name":"ExIsResourceAcquiredExclusiveLite","features":[2,3,1,7]},{"name":"ExIsResourceAcquiredSharedLite","features":[2,3,7]},{"name":"ExIsSoftBoot","features":[3,1]},{"name":"ExLocalTimeToSystemTime","features":[3]},{"name":"ExNotifyCallback","features":[3]},{"name":"ExQueryTimerResolution","features":[3]},{"name":"ExQueueWorkItem","features":[2,3,7]},{"name":"ExRaiseAccessViolation","features":[3]},{"name":"ExRaiseDatatypeMisalignment","features":[3]},{"name":"ExRaiseStatus","features":[3,1]},{"name":"ExReInitializeRundownProtection","features":[3]},{"name":"ExReInitializeRundownProtectionCacheAware","features":[2,3]},{"name":"ExRegisterCallback","features":[2,3]},{"name":"ExReinitializeResourceLite","features":[2,3,1,7]},{"name":"ExReleaseFastMutex","features":[2,3,1,7]},{"name":"ExReleaseFastMutexUnsafe","features":[2,3,1,7]},{"name":"ExReleasePushLockExclusiveEx","features":[3]},{"name":"ExReleasePushLockSharedEx","features":[3]},{"name":"ExReleaseResourceAndLeaveCriticalRegion","features":[2,3,7]},{"name":"ExReleaseResourceForThreadLite","features":[2,3,7]},{"name":"ExReleaseResourceLite","features":[2,3,7]},{"name":"ExReleaseRundownProtection","features":[3]},{"name":"ExReleaseRundownProtectionCacheAware","features":[2,3]},{"name":"ExReleaseRundownProtectionCacheAwareEx","features":[2,3]},{"name":"ExReleaseRundownProtectionEx","features":[3]},{"name":"ExReleaseSpinLockExclusive","features":[3]},{"name":"ExReleaseSpinLockExclusiveFromDpcLevel","features":[3]},{"name":"ExReleaseSpinLockShared","features":[3]},{"name":"ExReleaseSpinLockSharedFromDpcLevel","features":[3]},{"name":"ExRundownCompleted","features":[3]},{"name":"ExRundownCompletedCacheAware","features":[2,3]},{"name":"ExSecurePoolUpdate","features":[3,1]},{"name":"ExSecurePoolValidate","features":[3,1]},{"name":"ExSetFirmwareEnvironmentVariable","features":[3,1]},{"name":"ExSetResourceOwnerPointer","features":[2,3,7]},{"name":"ExSetResourceOwnerPointerEx","features":[2,3,7]},{"name":"ExSetTimer","features":[2,3,1]},{"name":"ExSetTimerResolution","features":[3,1]},{"name":"ExSizeOfRundownProtectionCacheAware","features":[3]},{"name":"ExSystemTimeToLocalTime","features":[3]},{"name":"ExTryAcquireSpinLockExclusiveAtDpcLevel","features":[3]},{"name":"ExTryAcquireSpinLockSharedAtDpcLevel","features":[3]},{"name":"ExTryConvertSharedSpinLockExclusive","features":[3]},{"name":"ExTryToAcquireFastMutex","features":[2,3,1,7]},{"name":"ExUnregisterCallback","features":[3]},{"name":"ExUuidCreate","features":[3,1]},{"name":"ExVerifySuite","features":[3,1,7]},{"name":"ExWaitForRundownProtectionRelease","features":[3]},{"name":"ExWaitForRundownProtectionReleaseCacheAware","features":[2,3]},{"name":"Executive","features":[3]},{"name":"ExternalFault","features":[3]},{"name":"FAULT_INFORMATION","features":[2,5,3,1,4,6,7,8]},{"name":"FAULT_INFORMATION_ARCH","features":[3]},{"name":"FAULT_INFORMATION_ARM64","features":[2,5,3,1,4,6,7,8]},{"name":"FAULT_INFORMATION_ARM64_FLAGS","features":[3]},{"name":"FAULT_INFORMATION_ARM64_TYPE","features":[3]},{"name":"FAULT_INFORMATION_X64","features":[3]},{"name":"FAULT_INFORMATION_X64_FLAGS","features":[3]},{"name":"FILE_128_BYTE_ALIGNMENT","features":[3]},{"name":"FILE_256_BYTE_ALIGNMENT","features":[3]},{"name":"FILE_32_BYTE_ALIGNMENT","features":[3]},{"name":"FILE_512_BYTE_ALIGNMENT","features":[3]},{"name":"FILE_64_BYTE_ALIGNMENT","features":[3]},{"name":"FILE_ATTRIBUTE_TAG_INFORMATION","features":[3]},{"name":"FILE_ATTRIBUTE_VALID_FLAGS","features":[3]},{"name":"FILE_ATTRIBUTE_VALID_KERNEL_SET_FLAGS","features":[3]},{"name":"FILE_ATTRIBUTE_VALID_SET_FLAGS","features":[3]},{"name":"FILE_AUTOGENERATED_DEVICE_NAME","features":[3]},{"name":"FILE_BYTE_ALIGNMENT","features":[3]},{"name":"FILE_CHARACTERISTICS_EXPECT_ORDERLY_REMOVAL","features":[3]},{"name":"FILE_CHARACTERISTICS_EXPECT_ORDERLY_REMOVAL_DEPRECATED","features":[3]},{"name":"FILE_CHARACTERISTICS_EXPECT_ORDERLY_REMOVAL_EX","features":[3]},{"name":"FILE_CHARACTERISTICS_EXPECT_SURPRISE_REMOVAL","features":[3]},{"name":"FILE_CHARACTERISTICS_EXPECT_SURPRISE_REMOVAL_DEPRECATED","features":[3]},{"name":"FILE_CHARACTERISTICS_EXPECT_SURPRISE_REMOVAL_EX","features":[3]},{"name":"FILE_CHARACTERISTICS_REMOVAL_POLICY_MASK","features":[3]},{"name":"FILE_CHARACTERISTICS_REMOVAL_POLICY_MASK_DEPRECATED","features":[3]},{"name":"FILE_CHARACTERISTICS_REMOVAL_POLICY_MASK_EX","features":[3]},{"name":"FILE_CHARACTERISTIC_CSV","features":[3]},{"name":"FILE_CHARACTERISTIC_PNP_DEVICE","features":[3]},{"name":"FILE_CHARACTERISTIC_TS_DEVICE","features":[3]},{"name":"FILE_CHARACTERISTIC_WEBDAV_DEVICE","features":[3]},{"name":"FILE_DEVICE_ALLOW_APPCONTAINER_TRAVERSAL","features":[3]},{"name":"FILE_DEVICE_IS_MOUNTED","features":[3]},{"name":"FILE_DEVICE_REQUIRE_SECURITY_CHECK","features":[3]},{"name":"FILE_DEVICE_SECURE_OPEN","features":[3]},{"name":"FILE_END_OF_FILE_INFORMATION","features":[3]},{"name":"FILE_FLOPPY_DISKETTE","features":[3]},{"name":"FILE_FS_DEVICE_INFORMATION","features":[3]},{"name":"FILE_FS_FULL_SIZE_INFORMATION","features":[3]},{"name":"FILE_FS_FULL_SIZE_INFORMATION_EX","features":[3]},{"name":"FILE_FS_LABEL_INFORMATION","features":[3]},{"name":"FILE_FS_METADATA_SIZE_INFORMATION","features":[3]},{"name":"FILE_FS_OBJECTID_INFORMATION","features":[3]},{"name":"FILE_FS_SIZE_INFORMATION","features":[3]},{"name":"FILE_FS_VOLUME_INFORMATION","features":[3,1]},{"name":"FILE_IOSTATUSBLOCK_RANGE_INFORMATION","features":[3]},{"name":"FILE_IO_COMPLETION_NOTIFICATION_INFORMATION","features":[3]},{"name":"FILE_IO_PRIORITY_HINT_INFORMATION","features":[2,3]},{"name":"FILE_IO_PRIORITY_HINT_INFORMATION_EX","features":[2,3,1]},{"name":"FILE_IS_REMOTE_DEVICE_INFORMATION","features":[3,1]},{"name":"FILE_LONG_ALIGNMENT","features":[3]},{"name":"FILE_MEMORY_PARTITION_INFORMATION","features":[3]},{"name":"FILE_NUMA_NODE_INFORMATION","features":[3]},{"name":"FILE_OCTA_ALIGNMENT","features":[3]},{"name":"FILE_PORTABLE_DEVICE","features":[3]},{"name":"FILE_PROCESS_IDS_USING_FILE_INFORMATION","features":[3]},{"name":"FILE_QUAD_ALIGNMENT","features":[3]},{"name":"FILE_QUERY_INDEX_SPECIFIED","features":[3]},{"name":"FILE_QUERY_NO_CURSOR_UPDATE","features":[3]},{"name":"FILE_QUERY_RESTART_SCAN","features":[3]},{"name":"FILE_QUERY_RETURN_ON_DISK_ENTRIES_ONLY","features":[3]},{"name":"FILE_QUERY_RETURN_SINGLE_ENTRY","features":[3]},{"name":"FILE_READ_ONLY_DEVICE","features":[3]},{"name":"FILE_REMOTE_DEVICE","features":[3]},{"name":"FILE_REMOTE_DEVICE_VSMB","features":[3]},{"name":"FILE_REMOVABLE_MEDIA","features":[3]},{"name":"FILE_SFIO_RESERVE_INFORMATION","features":[3,1]},{"name":"FILE_SFIO_VOLUME_INFORMATION","features":[3]},{"name":"FILE_SHARE_VALID_FLAGS","features":[3]},{"name":"FILE_SKIP_SET_USER_EVENT_ON_FAST_IO","features":[3]},{"name":"FILE_STANDARD_INFORMATION_EX","features":[3,1]},{"name":"FILE_USE_FILE_POINTER_POSITION","features":[3]},{"name":"FILE_VALID_DATA_LENGTH_INFORMATION","features":[3]},{"name":"FILE_VALID_EXTENDED_OPTION_FLAGS","features":[3]},{"name":"FILE_VIRTUAL_VOLUME","features":[3]},{"name":"FILE_WORD_ALIGNMENT","features":[3]},{"name":"FILE_WRITE_ONCE_MEDIA","features":[3]},{"name":"FILE_WRITE_TO_END_OF_FILE","features":[3]},{"name":"FIRMWARE_ERROR_RECORD_REFERENCE_GUID","features":[3]},{"name":"FLAG_OWNER_POINTER_IS_THREAD","features":[3]},{"name":"FLOATING_SAVE_AREA","features":[3]},{"name":"FLUSH_MULTIPLE_MAXIMUM","features":[3]},{"name":"FM_LOCK_BIT","features":[3]},{"name":"FM_LOCK_BIT_V","features":[3]},{"name":"FO_ALERTABLE_IO","features":[3]},{"name":"FO_BYPASS_IO_ENABLED","features":[3]},{"name":"FO_CACHE_SUPPORTED","features":[3]},{"name":"FO_CLEANUP_COMPLETE","features":[3]},{"name":"FO_DELETE_ON_CLOSE","features":[3]},{"name":"FO_DIRECT_DEVICE_OPEN","features":[3]},{"name":"FO_DISALLOW_EXCLUSIVE","features":[3]},{"name":"FO_FILE_FAST_IO_READ","features":[3]},{"name":"FO_FILE_MODIFIED","features":[3]},{"name":"FO_FILE_OPEN","features":[3]},{"name":"FO_FILE_OPEN_CANCELLED","features":[3]},{"name":"FO_FILE_SIZE_CHANGED","features":[3]},{"name":"FO_FLAGS_VALID_ONLY_DURING_CREATE","features":[3]},{"name":"FO_GENERATE_AUDIT_ON_CLOSE","features":[3]},{"name":"FO_HANDLE_CREATED","features":[3]},{"name":"FO_INDIRECT_WAIT_OBJECT","features":[3]},{"name":"FO_MAILSLOT","features":[3]},{"name":"FO_NAMED_PIPE","features":[3]},{"name":"FO_NO_INTERMEDIATE_BUFFERING","features":[3]},{"name":"FO_OPENED_CASE_SENSITIVE","features":[3]},{"name":"FO_QUEUE_IRP_TO_THREAD","features":[3]},{"name":"FO_RANDOM_ACCESS","features":[3]},{"name":"FO_REMOTE_ORIGIN","features":[3]},{"name":"FO_SECTION_MINSTORE_TREATMENT","features":[3]},{"name":"FO_SEQUENTIAL_ONLY","features":[3]},{"name":"FO_SKIP_COMPLETION_PORT","features":[3]},{"name":"FO_SKIP_SET_EVENT","features":[3]},{"name":"FO_SKIP_SET_FAST_IO","features":[3]},{"name":"FO_STREAM_FILE","features":[3]},{"name":"FO_SYNCHRONOUS_IO","features":[3]},{"name":"FO_TEMPORARY_FILE","features":[3]},{"name":"FO_VOLUME_OPEN","features":[3]},{"name":"FO_WRITE_THROUGH","features":[3]},{"name":"FPB_MEM_HIGH_VECTOR_GRANULARITY_16GB","features":[3]},{"name":"FPB_MEM_HIGH_VECTOR_GRANULARITY_1GB","features":[3]},{"name":"FPB_MEM_HIGH_VECTOR_GRANULARITY_1MB","features":[3]},{"name":"FPB_MEM_HIGH_VECTOR_GRANULARITY_256MB","features":[3]},{"name":"FPB_MEM_HIGH_VECTOR_GRANULARITY_2GB","features":[3]},{"name":"FPB_MEM_HIGH_VECTOR_GRANULARITY_32GB","features":[3]},{"name":"FPB_MEM_HIGH_VECTOR_GRANULARITY_4GB","features":[3]},{"name":"FPB_MEM_HIGH_VECTOR_GRANULARITY_512MB","features":[3]},{"name":"FPB_MEM_HIGH_VECTOR_GRANULARITY_8GB","features":[3]},{"name":"FPB_MEM_LOW_VECTOR_GRANULARITY_16MB","features":[3]},{"name":"FPB_MEM_LOW_VECTOR_GRANULARITY_1MB","features":[3]},{"name":"FPB_MEM_LOW_VECTOR_GRANULARITY_2MB","features":[3]},{"name":"FPB_MEM_LOW_VECTOR_GRANULARITY_4MB","features":[3]},{"name":"FPB_MEM_LOW_VECTOR_GRANULARITY_8MB","features":[3]},{"name":"FPB_MEM_VECTOR_GRANULARITY_1B","features":[3]},{"name":"FPB_RID_VECTOR_GRANULARITY_256RIDS","features":[3]},{"name":"FPB_RID_VECTOR_GRANULARITY_64RIDS","features":[3]},{"name":"FPB_RID_VECTOR_GRANULARITY_8RIDS","features":[3]},{"name":"FPB_VECTOR_SELECT_MEM_HIGH","features":[3]},{"name":"FPB_VECTOR_SELECT_MEM_LOW","features":[3]},{"name":"FPB_VECTOR_SELECT_RID","features":[3]},{"name":"FPB_VECTOR_SIZE_SUPPORTED_1KBITS","features":[3]},{"name":"FPB_VECTOR_SIZE_SUPPORTED_256BITS","features":[3]},{"name":"FPB_VECTOR_SIZE_SUPPORTED_2KBITS","features":[3]},{"name":"FPB_VECTOR_SIZE_SUPPORTED_4KBITS","features":[3]},{"name":"FPB_VECTOR_SIZE_SUPPORTED_512BITS","features":[3]},{"name":"FPB_VECTOR_SIZE_SUPPORTED_8KBITS","features":[3]},{"name":"FPGA_BUS_SCAN","features":[3]},{"name":"FPGA_CONTROL_CONFIG_SPACE","features":[3,1]},{"name":"FPGA_CONTROL_ERROR_REPORTING","features":[3,1]},{"name":"FPGA_CONTROL_INTERFACE","features":[3,1]},{"name":"FPGA_CONTROL_LINK","features":[3,1]},{"name":"FREE_FUNCTION","features":[3]},{"name":"FUNCTION_LEVEL_DEVICE_RESET_PARAMETERS","features":[3]},{"name":"FWMI_NOTIFICATION_CALLBACK","features":[3]},{"name":"FailControl","features":[3]},{"name":"FaultInformationArm64","features":[3]},{"name":"FaultInformationInvalid","features":[3]},{"name":"FaultInformationX64","features":[3]},{"name":"FloatingPointProcessor","features":[3]},{"name":"FloppyDiskPeripheral","features":[3]},{"name":"FltIoNotifyRoutinesClass","features":[3]},{"name":"FreePage","features":[3]},{"name":"FsRtlIsTotalDeviceFailure","features":[3,1]},{"name":"FunctionLevelDeviceReset","features":[3]},{"name":"GENERIC_NOTIFY_TYPE_GUID","features":[3]},{"name":"GENERIC_SECTION_GUID","features":[3]},{"name":"GENPROC_FLAGS_CORRECTED","features":[3]},{"name":"GENPROC_FLAGS_OVERFLOW","features":[3]},{"name":"GENPROC_FLAGS_PRECISEIP","features":[3]},{"name":"GENPROC_FLAGS_RESTARTABLE","features":[3]},{"name":"GENPROC_OP_DATAREAD","features":[3]},{"name":"GENPROC_OP_DATAWRITE","features":[3]},{"name":"GENPROC_OP_GENERIC","features":[3]},{"name":"GENPROC_OP_INSTRUCTIONEXE","features":[3]},{"name":"GENPROC_PROCERRTYPE_BUS","features":[3]},{"name":"GENPROC_PROCERRTYPE_CACHE","features":[3]},{"name":"GENPROC_PROCERRTYPE_MAE","features":[3]},{"name":"GENPROC_PROCERRTYPE_TLB","features":[3]},{"name":"GENPROC_PROCERRTYPE_UNKNOWN","features":[3]},{"name":"GENPROC_PROCISA_ARM32","features":[3]},{"name":"GENPROC_PROCISA_ARM64","features":[3]},{"name":"GENPROC_PROCISA_IPF","features":[3]},{"name":"GENPROC_PROCISA_X64","features":[3]},{"name":"GENPROC_PROCISA_X86","features":[3]},{"name":"GENPROC_PROCTYPE_ARM","features":[3]},{"name":"GENPROC_PROCTYPE_IPF","features":[3]},{"name":"GENPROC_PROCTYPE_XPF","features":[3]},{"name":"GET_D3COLD_CAPABILITY","features":[3,1]},{"name":"GET_D3COLD_LAST_TRANSITION_STATUS","features":[3]},{"name":"GET_DEVICE_RESET_STATUS","features":[3,1]},{"name":"GET_DMA_ADAPTER","features":[2,5,3,1,4,6,7,8]},{"name":"GET_IDLE_WAKE_INFO","features":[3,1,8]},{"name":"GET_SDEV_IDENTIFIER","features":[3]},{"name":"GET_SET_DEVICE_DATA","features":[3]},{"name":"GET_UPDATED_BUS_RESOURCE","features":[3,1]},{"name":"GET_VIRTUAL_DEVICE_DATA","features":[3]},{"name":"GET_VIRTUAL_DEVICE_LOCATION","features":[3,1]},{"name":"GET_VIRTUAL_DEVICE_RESOURCES","features":[3]},{"name":"GET_VIRTUAL_FUNCTION_PROBED_BARS","features":[3,1]},{"name":"GUID_ECP_CREATE_USER_PROCESS","features":[3]},{"name":"GartHigh","features":[3]},{"name":"GartLow","features":[3]},{"name":"GenericEqual","features":[3]},{"name":"GenericGreaterThan","features":[3]},{"name":"GenericLessThan","features":[3]},{"name":"GlobalLoggerHandleClass","features":[3]},{"name":"GroupAffinityAllGroupZero","features":[3]},{"name":"GroupAffinityDontCare","features":[3]},{"name":"HAL_AMLI_BAD_IO_ADDRESS_LIST","features":[3,1]},{"name":"HAL_APIC_DESTINATION_MODE","features":[3]},{"name":"HAL_BUS_INFORMATION","features":[3]},{"name":"HAL_CALLBACKS","features":[2,3]},{"name":"HAL_DISPATCH","features":[2,5,3,1,4,6,22,7,8]},{"name":"HAL_DISPATCH_VERSION","features":[3]},{"name":"HAL_DISPLAY_BIOS_INFORMATION","features":[3]},{"name":"HAL_DMA_ADAPTER_VERSION_1","features":[3]},{"name":"HAL_DMA_CRASH_DUMP_REGISTER_TYPE","features":[3]},{"name":"HAL_ERROR_INFO","features":[3]},{"name":"HAL_MASK_UNMASK_FLAGS_NONE","features":[3]},{"name":"HAL_MASK_UNMASK_FLAGS_SERVICING_COMPLETE","features":[3]},{"name":"HAL_MASK_UNMASK_FLAGS_SERVICING_DEFERRED","features":[3]},{"name":"HAL_MCA_INTERFACE","features":[3,1]},{"name":"HAL_MCA_RECORD","features":[3]},{"name":"HAL_MCE_RECORD","features":[3]},{"name":"HAL_PLATFORM_ACPI_TABLES_CACHED","features":[3]},{"name":"HAL_PLATFORM_DISABLE_PTCG","features":[3]},{"name":"HAL_PLATFORM_DISABLE_UC_MAIN_MEMORY","features":[3]},{"name":"HAL_PLATFORM_DISABLE_WRITE_COMBINING","features":[3]},{"name":"HAL_PLATFORM_ENABLE_WRITE_COMBINING_MMIO","features":[3]},{"name":"HAL_PLATFORM_INFORMATION","features":[3]},{"name":"HAL_POWER_INFORMATION","features":[3]},{"name":"HAL_PROCESSOR_FEATURE","features":[3]},{"name":"HAL_PROCESSOR_SPEED_INFORMATION","features":[3]},{"name":"HAL_QUERY_INFORMATION_CLASS","features":[3]},{"name":"HAL_SET_INFORMATION_CLASS","features":[3]},{"name":"HARDWARE_COUNTER","features":[3]},{"name":"HARDWARE_COUNTER_TYPE","features":[3]},{"name":"HASH_STRING_ALGORITHM_DEFAULT","features":[3]},{"name":"HASH_STRING_ALGORITHM_INVALID","features":[3]},{"name":"HASH_STRING_ALGORITHM_X65599","features":[3]},{"name":"HIGH_LEVEL","features":[3]},{"name":"HIGH_PRIORITY","features":[3]},{"name":"HVL_WHEA_ERROR_NOTIFICATION","features":[3,1]},{"name":"HWPROFILE_CHANGE_NOTIFICATION","features":[3]},{"name":"HalAcpiAuditInformation","features":[3]},{"name":"HalAcquireDisplayOwnership","features":[3,1]},{"name":"HalAllocateAdapterChannel","features":[2,5,3,1,4,33,6,7,8]},{"name":"HalAllocateCommonBuffer","features":[3,1,33]},{"name":"HalAllocateCrashDumpRegisters","features":[3,33]},{"name":"HalAllocateHardwareCounters","features":[3,1,32]},{"name":"HalAssignSlotResources","features":[2,5,3,1,4,6,7,8]},{"name":"HalBugCheckSystem","features":[3,1,30]},{"name":"HalCallbackInformation","features":[3]},{"name":"HalChannelTopologyInformation","features":[3]},{"name":"HalCmcLog","features":[3]},{"name":"HalCmcLogInformation","features":[3]},{"name":"HalCmcRegisterDriver","features":[3]},{"name":"HalCpeLog","features":[3]},{"name":"HalCpeLogInformation","features":[3]},{"name":"HalCpeRegisterDriver","features":[3]},{"name":"HalDisplayBiosInformation","features":[3]},{"name":"HalDisplayEmulatedBios","features":[3]},{"name":"HalDisplayInt10Bios","features":[3]},{"name":"HalDisplayNoBios","features":[3]},{"name":"HalDmaAllocateCrashDumpRegistersEx","features":[3,1,33]},{"name":"HalDmaCrashDumpRegisterSet1","features":[3]},{"name":"HalDmaCrashDumpRegisterSet2","features":[3]},{"name":"HalDmaCrashDumpRegisterSetMax","features":[3]},{"name":"HalDmaFreeCrashDumpRegistersEx","features":[3,1,33]},{"name":"HalDmaRemappingInformation","features":[3]},{"name":"HalEnlightenment","features":[3]},{"name":"HalErrorInformation","features":[3]},{"name":"HalExamineMBR","features":[2,5,3,1,4,6,7,8]},{"name":"HalExternalCacheInformation","features":[3]},{"name":"HalFrameBufferCachingInformation","features":[3]},{"name":"HalFreeCommonBuffer","features":[3,1,33]},{"name":"HalFreeHardwareCounters","features":[3,1]},{"name":"HalFrequencyInformation","features":[3]},{"name":"HalFwBootPerformanceInformation","features":[3]},{"name":"HalFwS3PerformanceInformation","features":[3]},{"name":"HalGenerateCmcInterrupt","features":[3]},{"name":"HalGetAdapter","features":[3,1,33]},{"name":"HalGetBusData","features":[3]},{"name":"HalGetBusDataByOffset","features":[3]},{"name":"HalGetChannelPowerInformation","features":[3]},{"name":"HalGetInterruptVector","features":[3]},{"name":"HalHardwareWatchdogInformation","features":[3]},{"name":"HalHeterogeneousMemoryAttributesInterface","features":[3]},{"name":"HalHypervisorInformation","features":[3]},{"name":"HalI386ExceptionChainTerminatorInformation","features":[3]},{"name":"HalInformationClassUnused1","features":[3]},{"name":"HalInitLogInformation","features":[3]},{"name":"HalInstalledBusInformation","features":[3]},{"name":"HalInterruptControllerInformation","features":[3]},{"name":"HalIrtInformation","features":[3]},{"name":"HalKernelErrorHandler","features":[3]},{"name":"HalMakeBeep","features":[3,1]},{"name":"HalMapRegisterInformation","features":[3]},{"name":"HalMcaLog","features":[3]},{"name":"HalMcaLogInformation","features":[3]},{"name":"HalMcaRegisterDriver","features":[3]},{"name":"HalNumaRangeTableInformation","features":[3]},{"name":"HalNumaTopologyInterface","features":[3]},{"name":"HalParkingPageInformation","features":[3]},{"name":"HalPartitionIpiInterface","features":[3]},{"name":"HalPlatformInformation","features":[3]},{"name":"HalPlatformTimerInformation","features":[3]},{"name":"HalPowerInformation","features":[3]},{"name":"HalProcessorBrandString","features":[3]},{"name":"HalProcessorFeatureInformation","features":[3]},{"name":"HalProcessorSpeedInformation","features":[3]},{"name":"HalProfileDpgoSourceInterruptHandler","features":[3]},{"name":"HalProfileSourceAdd","features":[3]},{"name":"HalProfileSourceInformation","features":[3]},{"name":"HalProfileSourceInterruptHandler","features":[3]},{"name":"HalProfileSourceInterval","features":[3]},{"name":"HalProfileSourceRemove","features":[3]},{"name":"HalProfileSourceTimerHandler","features":[3]},{"name":"HalPsciInformation","features":[3]},{"name":"HalQueryAMLIIllegalIOPortAddresses","features":[3]},{"name":"HalQueryAcpiWakeAlarmSystemPowerStateInformation","features":[3]},{"name":"HalQueryArmErrataInformation","features":[3]},{"name":"HalQueryDebuggerInformation","features":[3]},{"name":"HalQueryHyperlaunchEntrypoint","features":[3]},{"name":"HalQueryIommuReservedRegionInformation","features":[3]},{"name":"HalQueryMaxHotPlugMemoryAddress","features":[3]},{"name":"HalQueryMcaInterface","features":[3]},{"name":"HalQueryPerDeviceMsiLimitInformation","features":[3]},{"name":"HalQueryProcessorEfficiencyInformation","features":[3]},{"name":"HalQueryProfileCorruptionStatus","features":[3]},{"name":"HalQueryProfileCounterOwnership","features":[3]},{"name":"HalQueryProfileNumberOfCounters","features":[3]},{"name":"HalQueryProfileSourceList","features":[3]},{"name":"HalQueryStateElementInformation","features":[3]},{"name":"HalQueryUnused0001","features":[3]},{"name":"HalReadDmaCounter","features":[3,33]},{"name":"HalRegisterSecondaryInterruptInterface","features":[3]},{"name":"HalSecondaryInterruptInformation","features":[3]},{"name":"HalSetBusData","features":[3]},{"name":"HalSetBusDataByOffset","features":[3]},{"name":"HalSetChannelPowerInformation","features":[3]},{"name":"HalSetClockTimerMinimumInterval","features":[3]},{"name":"HalSetHvciEnabled","features":[3]},{"name":"HalSetProcessorTraceInterruptHandler","features":[3]},{"name":"HalSetPsciSuspendMode","features":[3]},{"name":"HalSetResetParkDisposition","features":[3]},{"name":"HalSetSwInterruptHandler","features":[3]},{"name":"HalTranslateBusAddress","features":[3,1]},{"name":"HighImportance","features":[3]},{"name":"HighPagePriority","features":[3]},{"name":"HighPoolPriority","features":[3]},{"name":"HighPoolPrioritySpecialPoolOverrun","features":[3]},{"name":"HighPoolPrioritySpecialPoolUnderrun","features":[3]},{"name":"HotSpareControl","features":[3]},{"name":"HvlRegisterWheaErrorNotification","features":[3,1]},{"name":"HvlUnregisterWheaErrorNotification","features":[3,1]},{"name":"HyperCriticalWorkQueue","features":[3]},{"name":"IMAGE_ADDRESSING_MODE_32BIT","features":[3]},{"name":"IMAGE_INFO","features":[3]},{"name":"IMAGE_INFO_EX","features":[2,5,3,1,4,6,7,8]},{"name":"INITIAL_PRIVILEGE_COUNT","features":[3]},{"name":"INITIAL_PRIVILEGE_SET","features":[3,1,4]},{"name":"INIT_NOTIFY_TYPE_GUID","features":[3]},{"name":"INJECT_ERRTYPE_MEMORY_CORRECTABLE","features":[3]},{"name":"INJECT_ERRTYPE_MEMORY_UNCORRECTABLEFATAL","features":[3]},{"name":"INJECT_ERRTYPE_MEMORY_UNCORRECTABLENONFATAL","features":[3]},{"name":"INJECT_ERRTYPE_PCIEXPRESS_CORRECTABLE","features":[3]},{"name":"INJECT_ERRTYPE_PCIEXPRESS_UNCORRECTABLEFATAL","features":[3]},{"name":"INJECT_ERRTYPE_PCIEXPRESS_UNCORRECTABLENONFATAL","features":[3]},{"name":"INJECT_ERRTYPE_PLATFORM_CORRECTABLE","features":[3]},{"name":"INJECT_ERRTYPE_PLATFORM_UNCORRECTABLEFATAL","features":[3]},{"name":"INJECT_ERRTYPE_PLATFORM_UNCORRECTABLENONFATAL","features":[3]},{"name":"INJECT_ERRTYPE_PROCESSOR_CORRECTABLE","features":[3]},{"name":"INJECT_ERRTYPE_PROCESSOR_UNCORRECTABLEFATAL","features":[3]},{"name":"INJECT_ERRTYPE_PROCESSOR_UNCORRECTABLENONFATAL","features":[3]},{"name":"INPUT_MAPPING_ELEMENT","features":[3]},{"name":"INTEL_CACHE_INFO_EAX","features":[3]},{"name":"INTEL_CACHE_INFO_EBX","features":[3]},{"name":"INTEL_CACHE_TYPE","features":[3]},{"name":"INTERFACE","features":[3]},{"name":"INTERFACE_TYPE","features":[3]},{"name":"INTERLOCKED_RESULT","features":[3]},{"name":"IOCTL_CANCEL_DEVICE_WAKE","features":[3]},{"name":"IOCTL_QUERY_DEVICE_POWER_STATE","features":[3]},{"name":"IOCTL_SET_DEVICE_WAKE","features":[3]},{"name":"IOMMU_ACCESS_NONE","features":[3]},{"name":"IOMMU_ACCESS_READ","features":[3]},{"name":"IOMMU_ACCESS_WRITE","features":[3]},{"name":"IOMMU_DEVICE_CREATE","features":[2,5,3,1,4,6,7,8]},{"name":"IOMMU_DEVICE_CREATION_CONFIGURATION","features":[3,7]},{"name":"IOMMU_DEVICE_CREATION_CONFIGURATION_ACPI","features":[3]},{"name":"IOMMU_DEVICE_CREATION_CONFIGURATION_TYPE","features":[3]},{"name":"IOMMU_DEVICE_DELETE","features":[2,3,1]},{"name":"IOMMU_DEVICE_FAULT_HANDLER","features":[2,5,3,1,4,6,7,8]},{"name":"IOMMU_DEVICE_QUERY_DOMAIN_TYPES","features":[2,3]},{"name":"IOMMU_DMA_DOMAIN_CREATION_FLAGS","features":[3]},{"name":"IOMMU_DMA_DOMAIN_TYPE","features":[3]},{"name":"IOMMU_DMA_LOGICAL_ADDRESS_TOKEN","features":[3]},{"name":"IOMMU_DMA_LOGICAL_ADDRESS_TOKEN_MAPPED_SEGMENT","features":[3]},{"name":"IOMMU_DMA_LOGICAL_ALLOCATOR_CONFIG","features":[3]},{"name":"IOMMU_DMA_LOGICAL_ALLOCATOR_TYPE","features":[3]},{"name":"IOMMU_DMA_RESERVED_REGION","features":[3,1]},{"name":"IOMMU_DOMAIN_ATTACH_DEVICE","features":[2,5,3,1,4,6,7,8]},{"name":"IOMMU_DOMAIN_ATTACH_DEVICE_EX","features":[2,3,1]},{"name":"IOMMU_DOMAIN_CONFIGURE","features":[2,3,1]},{"name":"IOMMU_DOMAIN_CREATE","features":[2,3,1]},{"name":"IOMMU_DOMAIN_CREATE_EX","features":[2,3,1]},{"name":"IOMMU_DOMAIN_DELETE","features":[2,3,1]},{"name":"IOMMU_DOMAIN_DETACH_DEVICE","features":[2,5,3,1,4,6,7,8]},{"name":"IOMMU_DOMAIN_DETACH_DEVICE_EX","features":[2,3,1]},{"name":"IOMMU_FLUSH_DOMAIN","features":[2,3,1]},{"name":"IOMMU_FLUSH_DOMAIN_VA_LIST","features":[2,3,1]},{"name":"IOMMU_FREE_RESERVED_LOGICAL_ADDRESS_RANGE","features":[3,1]},{"name":"IOMMU_INTERFACE_STATE_CHANGE","features":[3]},{"name":"IOMMU_INTERFACE_STATE_CHANGE_CALLBACK","features":[3]},{"name":"IOMMU_INTERFACE_STATE_CHANGE_FIELDS","features":[3]},{"name":"IOMMU_MAP_IDENTITY_RANGE","features":[2,3,1]},{"name":"IOMMU_MAP_IDENTITY_RANGE_EX","features":[2,3,1]},{"name":"IOMMU_MAP_LOGICAL_RANGE","features":[2,3,1]},{"name":"IOMMU_MAP_LOGICAL_RANGE_EX","features":[2,3,1]},{"name":"IOMMU_MAP_PHYSICAL_ADDRESS","features":[2,3]},{"name":"IOMMU_MAP_PHYSICAL_ADDRESS_TYPE","features":[3]},{"name":"IOMMU_MAP_RESERVED_LOGICAL_RANGE","features":[2,3,1]},{"name":"IOMMU_QUERY_INPUT_MAPPINGS","features":[2,5,3,1,4,6,7,8]},{"name":"IOMMU_REGISTER_INTERFACE_STATE_CHANGE_CALLBACK","features":[2,3,1]},{"name":"IOMMU_RESERVE_LOGICAL_ADDRESS_RANGE","features":[2,3,1]},{"name":"IOMMU_SET_DEVICE_FAULT_REPORTING","features":[2,5,3,1,4,6,7,8]},{"name":"IOMMU_SET_DEVICE_FAULT_REPORTING_EX","features":[2,3,1]},{"name":"IOMMU_UNMAP_IDENTITY_RANGE","features":[2,3,1]},{"name":"IOMMU_UNMAP_IDENTITY_RANGE_EX","features":[2,3,1]},{"name":"IOMMU_UNMAP_LOGICAL_RANGE","features":[2,3,1]},{"name":"IOMMU_UNMAP_RESERVED_LOGICAL_RANGE","features":[3,1]},{"name":"IOMMU_UNREGISTER_INTERFACE_STATE_CHANGE_CALLBACK","features":[2,3,1]},{"name":"IO_ACCESS_MODE","features":[3]},{"name":"IO_ACCESS_TYPE","features":[3]},{"name":"IO_ALLOCATION_ACTION","features":[3]},{"name":"IO_ATTACH_DEVICE","features":[3]},{"name":"IO_ATTRIBUTION_INFORMATION","features":[3]},{"name":"IO_ATTRIBUTION_INFO_V1","features":[3]},{"name":"IO_CHECK_CREATE_PARAMETERS","features":[3]},{"name":"IO_CHECK_SHARE_ACCESS_DONT_CHECK_DELETE","features":[3]},{"name":"IO_CHECK_SHARE_ACCESS_DONT_CHECK_READ","features":[3]},{"name":"IO_CHECK_SHARE_ACCESS_DONT_CHECK_WRITE","features":[3]},{"name":"IO_CHECK_SHARE_ACCESS_DONT_UPDATE_FILE_OBJECT","features":[3]},{"name":"IO_CHECK_SHARE_ACCESS_FORCE_CHECK","features":[3]},{"name":"IO_CHECK_SHARE_ACCESS_FORCE_USING_SCB","features":[3]},{"name":"IO_CHECK_SHARE_ACCESS_UPDATE_SHARE_ACCESS","features":[3]},{"name":"IO_COMPLETION_ROUTINE","features":[2,5,3,1,4,6,7,8]},{"name":"IO_COMPLETION_ROUTINE_RESULT","features":[3]},{"name":"IO_CONNECT_INTERRUPT_FULLY_SPECIFIED_PARAMETERS","features":[2,5,3,1,4,6,7,8]},{"name":"IO_CONNECT_INTERRUPT_LINE_BASED_PARAMETERS","features":[2,5,3,1,4,6,7,8]},{"name":"IO_CONNECT_INTERRUPT_MESSAGE_BASED_PARAMETERS","features":[2,5,3,1,4,6,7,8]},{"name":"IO_CONNECT_INTERRUPT_PARAMETERS","features":[2,5,3,1,4,6,7,8]},{"name":"IO_CONTAINER_INFORMATION_CLASS","features":[3]},{"name":"IO_CONTAINER_NOTIFICATION_CLASS","features":[3]},{"name":"IO_CSQ","features":[2,5,3,1,4,6,7,8]},{"name":"IO_CSQ_ACQUIRE_LOCK","features":[2,5,3,1,4,6,7,8]},{"name":"IO_CSQ_COMPLETE_CANCELED_IRP","features":[2,5,3,1,4,6,7,8]},{"name":"IO_CSQ_INSERT_IRP","features":[2,5,3,1,4,6,7,8]},{"name":"IO_CSQ_INSERT_IRP_EX","features":[2,5,3,1,4,6,7,8]},{"name":"IO_CSQ_IRP_CONTEXT","features":[2,5,3,1,4,6,7,8]},{"name":"IO_CSQ_PEEK_NEXT_IRP","features":[2,5,3,1,4,6,7,8]},{"name":"IO_CSQ_RELEASE_LOCK","features":[2,5,3,1,4,6,7,8]},{"name":"IO_CSQ_REMOVE_IRP","features":[2,5,3,1,4,6,7,8]},{"name":"IO_DISCONNECT_INTERRUPT_PARAMETERS","features":[2,3]},{"name":"IO_DPC_ROUTINE","features":[2,5,3,1,4,6,7,8]},{"name":"IO_DRIVER_CREATE_CONTEXT","features":[2,3]},{"name":"IO_ERROR_LOG_MESSAGE","features":[3,1]},{"name":"IO_ERROR_LOG_PACKET","features":[3,1]},{"name":"IO_FOEXT_SHADOW_FILE","features":[2,5,3,1,4,6,7,8]},{"name":"IO_FOEXT_SILO_PARAMETERS","features":[2,3]},{"name":"IO_FORCE_ACCESS_CHECK","features":[3]},{"name":"IO_IGNORE_SHARE_ACCESS_CHECK","features":[3]},{"name":"IO_INTERRUPT_MESSAGE_INFO","features":[2,3]},{"name":"IO_INTERRUPT_MESSAGE_INFO_ENTRY","features":[2,3]},{"name":"IO_KEYBOARD_INCREMENT","features":[3]},{"name":"IO_MOUSE_INCREMENT","features":[3]},{"name":"IO_NOTIFICATION_EVENT_CATEGORY","features":[3]},{"name":"IO_NO_PARAMETER_CHECKING","features":[3]},{"name":"IO_PAGING_PRIORITY","features":[3]},{"name":"IO_PARALLEL_INCREMENT","features":[3]},{"name":"IO_PERSISTED_MEMORY_ENUMERATION_CALLBACK","features":[2,5,3,1,4,6,7,8]},{"name":"IO_QUERY_DEVICE_DATA_FORMAT","features":[3]},{"name":"IO_REMOUNT","features":[3]},{"name":"IO_REMOVE_LOCK","features":[2,3,1,7]},{"name":"IO_REMOVE_LOCK_COMMON_BLOCK","features":[2,3,1,7]},{"name":"IO_REMOVE_LOCK_DBG_BLOCK","features":[2,3,7]},{"name":"IO_REPARSE","features":[3]},{"name":"IO_REPARSE_GLOBAL","features":[3]},{"name":"IO_REPORT_INTERRUPT_ACTIVE_STATE_PARAMETERS","features":[2,3]},{"name":"IO_RESOURCE_ALTERNATIVE","features":[3]},{"name":"IO_RESOURCE_DEFAULT","features":[3]},{"name":"IO_RESOURCE_DESCRIPTOR","features":[3]},{"name":"IO_RESOURCE_LIST","features":[3]},{"name":"IO_RESOURCE_PREFERRED","features":[3]},{"name":"IO_RESOURCE_REQUIREMENTS_LIST","features":[3]},{"name":"IO_SERIAL_INCREMENT","features":[3]},{"name":"IO_SESSION_CONNECT_INFO","features":[3,1]},{"name":"IO_SESSION_EVENT","features":[3]},{"name":"IO_SESSION_MAX_PAYLOAD_SIZE","features":[3]},{"name":"IO_SESSION_NOTIFICATION_FUNCTION","features":[3,1]},{"name":"IO_SESSION_STATE","features":[3]},{"name":"IO_SESSION_STATE_ALL_EVENTS","features":[3]},{"name":"IO_SESSION_STATE_CONNECT_EVENT","features":[3]},{"name":"IO_SESSION_STATE_CREATION_EVENT","features":[3]},{"name":"IO_SESSION_STATE_DISCONNECT_EVENT","features":[3]},{"name":"IO_SESSION_STATE_INFORMATION","features":[3,1]},{"name":"IO_SESSION_STATE_LOGOFF_EVENT","features":[3]},{"name":"IO_SESSION_STATE_LOGON_EVENT","features":[3]},{"name":"IO_SESSION_STATE_NOTIFICATION","features":[3]},{"name":"IO_SESSION_STATE_TERMINATION_EVENT","features":[3]},{"name":"IO_SESSION_STATE_VALID_EVENT_MASK","features":[3]},{"name":"IO_SET_IRP_IO_ATTRIBUTION_FLAGS_MASK","features":[3]},{"name":"IO_SET_IRP_IO_ATTRIBUTION_FROM_PROCESS","features":[3]},{"name":"IO_SET_IRP_IO_ATTRIBUTION_FROM_THREAD","features":[3]},{"name":"IO_SHARE_ACCESS_NON_PRIMARY_STREAM","features":[3]},{"name":"IO_SHARE_ACCESS_NO_WRITE_PERMISSION","features":[3]},{"name":"IO_SOUND_INCREMENT","features":[3]},{"name":"IO_STATUS_BLOCK32","features":[3,1]},{"name":"IO_STATUS_BLOCK64","features":[3,1]},{"name":"IO_TIMER_ROUTINE","features":[2,5,3,1,4,6,7,8]},{"name":"IO_TYPE_ADAPTER","features":[3]},{"name":"IO_TYPE_CONTROLLER","features":[3]},{"name":"IO_TYPE_CSQ","features":[3]},{"name":"IO_TYPE_CSQ_EX","features":[3]},{"name":"IO_TYPE_CSQ_IRP_CONTEXT","features":[3]},{"name":"IO_TYPE_DEVICE","features":[3]},{"name":"IO_TYPE_DEVICE_OBJECT_EXTENSION","features":[3]},{"name":"IO_TYPE_DRIVER","features":[3]},{"name":"IO_TYPE_ERROR_LOG","features":[3]},{"name":"IO_TYPE_ERROR_MESSAGE","features":[3]},{"name":"IO_TYPE_FILE","features":[3]},{"name":"IO_TYPE_IORING","features":[3]},{"name":"IO_TYPE_IRP","features":[3]},{"name":"IO_TYPE_MASTER_ADAPTER","features":[3]},{"name":"IO_TYPE_OPEN_PACKET","features":[3]},{"name":"IO_TYPE_TIMER","features":[3]},{"name":"IO_TYPE_VPB","features":[3]},{"name":"IO_VIDEO_INCREMENT","features":[3]},{"name":"IO_WORKITEM_ROUTINE","features":[2,5,3,1,4,6,7,8]},{"name":"IO_WORKITEM_ROUTINE_EX","features":[2,3]},{"name":"IPF_SAL_RECORD_SECTION_GUID","features":[3]},{"name":"IPI_LEVEL","features":[3]},{"name":"IPMI_MSR_DUMP_SECTION_GUID","features":[3]},{"name":"IRP_ALLOCATED_FIXED_SIZE","features":[3]},{"name":"IRP_ALLOCATED_MUST_SUCCEED","features":[3]},{"name":"IRP_ASSOCIATED_IRP","features":[3]},{"name":"IRP_BUFFERED_IO","features":[3]},{"name":"IRP_CLOSE_OPERATION","features":[3]},{"name":"IRP_CREATE_OPERATION","features":[3]},{"name":"IRP_DEALLOCATE_BUFFER","features":[3]},{"name":"IRP_DEFER_IO_COMPLETION","features":[3]},{"name":"IRP_HOLD_DEVICE_QUEUE","features":[3]},{"name":"IRP_INPUT_OPERATION","features":[3]},{"name":"IRP_LOOKASIDE_ALLOCATION","features":[3]},{"name":"IRP_MJ_CLEANUP","features":[3]},{"name":"IRP_MJ_CLOSE","features":[3]},{"name":"IRP_MJ_CREATE","features":[3]},{"name":"IRP_MJ_CREATE_MAILSLOT","features":[3]},{"name":"IRP_MJ_CREATE_NAMED_PIPE","features":[3]},{"name":"IRP_MJ_DEVICE_CHANGE","features":[3]},{"name":"IRP_MJ_DEVICE_CONTROL","features":[3]},{"name":"IRP_MJ_DIRECTORY_CONTROL","features":[3]},{"name":"IRP_MJ_FILE_SYSTEM_CONTROL","features":[3]},{"name":"IRP_MJ_FLUSH_BUFFERS","features":[3]},{"name":"IRP_MJ_INTERNAL_DEVICE_CONTROL","features":[3]},{"name":"IRP_MJ_LOCK_CONTROL","features":[3]},{"name":"IRP_MJ_MAXIMUM_FUNCTION","features":[3]},{"name":"IRP_MJ_PNP","features":[3]},{"name":"IRP_MJ_PNP_POWER","features":[3]},{"name":"IRP_MJ_POWER","features":[3]},{"name":"IRP_MJ_QUERY_EA","features":[3]},{"name":"IRP_MJ_QUERY_INFORMATION","features":[3]},{"name":"IRP_MJ_QUERY_QUOTA","features":[3]},{"name":"IRP_MJ_QUERY_SECURITY","features":[3]},{"name":"IRP_MJ_QUERY_VOLUME_INFORMATION","features":[3]},{"name":"IRP_MJ_READ","features":[3]},{"name":"IRP_MJ_SCSI","features":[3]},{"name":"IRP_MJ_SET_EA","features":[3]},{"name":"IRP_MJ_SET_INFORMATION","features":[3]},{"name":"IRP_MJ_SET_QUOTA","features":[3]},{"name":"IRP_MJ_SET_SECURITY","features":[3]},{"name":"IRP_MJ_SET_VOLUME_INFORMATION","features":[3]},{"name":"IRP_MJ_SHUTDOWN","features":[3]},{"name":"IRP_MJ_SYSTEM_CONTROL","features":[3]},{"name":"IRP_MJ_WRITE","features":[3]},{"name":"IRP_MN_CANCEL_REMOVE_DEVICE","features":[3]},{"name":"IRP_MN_CANCEL_STOP_DEVICE","features":[3]},{"name":"IRP_MN_CHANGE_SINGLE_INSTANCE","features":[3]},{"name":"IRP_MN_CHANGE_SINGLE_ITEM","features":[3]},{"name":"IRP_MN_COMPLETE","features":[3]},{"name":"IRP_MN_COMPRESSED","features":[3]},{"name":"IRP_MN_DEVICE_ENUMERATED","features":[3]},{"name":"IRP_MN_DEVICE_USAGE_NOTIFICATION","features":[3]},{"name":"IRP_MN_DISABLE_COLLECTION","features":[3]},{"name":"IRP_MN_DISABLE_EVENTS","features":[3]},{"name":"IRP_MN_DPC","features":[3]},{"name":"IRP_MN_EJECT","features":[3]},{"name":"IRP_MN_ENABLE_COLLECTION","features":[3]},{"name":"IRP_MN_ENABLE_EVENTS","features":[3]},{"name":"IRP_MN_EXECUTE_METHOD","features":[3]},{"name":"IRP_MN_FILTER_RESOURCE_REQUIREMENTS","features":[3]},{"name":"IRP_MN_FLUSH_AND_PURGE","features":[3]},{"name":"IRP_MN_FLUSH_DATA_ONLY","features":[3]},{"name":"IRP_MN_FLUSH_DATA_SYNC_ONLY","features":[3]},{"name":"IRP_MN_FLUSH_NO_SYNC","features":[3]},{"name":"IRP_MN_KERNEL_CALL","features":[3]},{"name":"IRP_MN_LOAD_FILE_SYSTEM","features":[3]},{"name":"IRP_MN_LOCK","features":[3]},{"name":"IRP_MN_MDL","features":[3]},{"name":"IRP_MN_MOUNT_VOLUME","features":[3]},{"name":"IRP_MN_NORMAL","features":[3]},{"name":"IRP_MN_NOTIFY_CHANGE_DIRECTORY","features":[3]},{"name":"IRP_MN_NOTIFY_CHANGE_DIRECTORY_EX","features":[3]},{"name":"IRP_MN_POWER_SEQUENCE","features":[3]},{"name":"IRP_MN_QUERY_ALL_DATA","features":[3]},{"name":"IRP_MN_QUERY_BUS_INFORMATION","features":[3]},{"name":"IRP_MN_QUERY_CAPABILITIES","features":[3]},{"name":"IRP_MN_QUERY_DEVICE_RELATIONS","features":[3]},{"name":"IRP_MN_QUERY_DEVICE_TEXT","features":[3]},{"name":"IRP_MN_QUERY_DIRECTORY","features":[3]},{"name":"IRP_MN_QUERY_ID","features":[3]},{"name":"IRP_MN_QUERY_INTERFACE","features":[3]},{"name":"IRP_MN_QUERY_LEGACY_BUS_INFORMATION","features":[3]},{"name":"IRP_MN_QUERY_PNP_DEVICE_STATE","features":[3]},{"name":"IRP_MN_QUERY_POWER","features":[3]},{"name":"IRP_MN_QUERY_REMOVE_DEVICE","features":[3]},{"name":"IRP_MN_QUERY_RESOURCES","features":[3]},{"name":"IRP_MN_QUERY_RESOURCE_REQUIREMENTS","features":[3]},{"name":"IRP_MN_QUERY_SINGLE_INSTANCE","features":[3]},{"name":"IRP_MN_QUERY_STOP_DEVICE","features":[3]},{"name":"IRP_MN_READ_CONFIG","features":[3]},{"name":"IRP_MN_REGINFO","features":[3]},{"name":"IRP_MN_REGINFO_EX","features":[3]},{"name":"IRP_MN_REMOVE_DEVICE","features":[3]},{"name":"IRP_MN_SCSI_CLASS","features":[3]},{"name":"IRP_MN_SET_LOCK","features":[3]},{"name":"IRP_MN_SET_POWER","features":[3]},{"name":"IRP_MN_START_DEVICE","features":[3]},{"name":"IRP_MN_STOP_DEVICE","features":[3]},{"name":"IRP_MN_SURPRISE_REMOVAL","features":[3]},{"name":"IRP_MN_TRACK_LINK","features":[3]},{"name":"IRP_MN_UNLOCK_ALL","features":[3]},{"name":"IRP_MN_UNLOCK_ALL_BY_KEY","features":[3]},{"name":"IRP_MN_UNLOCK_SINGLE","features":[3]},{"name":"IRP_MN_USER_FS_REQUEST","features":[3]},{"name":"IRP_MN_VERIFY_VOLUME","features":[3]},{"name":"IRP_MN_WAIT_WAKE","features":[3]},{"name":"IRP_MN_WRITE_CONFIG","features":[3]},{"name":"IRP_MOUNT_COMPLETION","features":[3]},{"name":"IRP_NOCACHE","features":[3]},{"name":"IRP_OB_QUERY_NAME","features":[3]},{"name":"IRP_PAGING_IO","features":[3]},{"name":"IRP_QUOTA_CHARGED","features":[3]},{"name":"IRP_READ_OPERATION","features":[3]},{"name":"IRP_SYNCHRONOUS_API","features":[3]},{"name":"IRP_SYNCHRONOUS_PAGING_IO","features":[3]},{"name":"IRP_UM_DRIVER_INITIATED_IO","features":[3]},{"name":"IRP_WRITE_OPERATION","features":[3]},{"name":"IRQ_DEVICE_POLICY","features":[3]},{"name":"IRQ_GROUP_POLICY","features":[3]},{"name":"IRQ_PRIORITY","features":[3]},{"name":"InACriticalArrayControl","features":[3]},{"name":"InAFailedArrayControl","features":[3]},{"name":"IndicatorBlink","features":[3]},{"name":"IndicatorOff","features":[3]},{"name":"IndicatorOn","features":[3]},{"name":"InitiateReset","features":[3]},{"name":"InstallStateFailedInstall","features":[3]},{"name":"InstallStateFinishInstall","features":[3]},{"name":"InstallStateInstalled","features":[3]},{"name":"InstallStateNeedsReinstall","features":[3]},{"name":"IntelCacheData","features":[3]},{"name":"IntelCacheInstruction","features":[3]},{"name":"IntelCacheNull","features":[3]},{"name":"IntelCacheRam","features":[3]},{"name":"IntelCacheTrace","features":[3]},{"name":"IntelCacheUnified","features":[3]},{"name":"InterfaceTypeUndefined","features":[3]},{"name":"Internal","features":[3]},{"name":"InternalPowerBus","features":[3]},{"name":"InterruptActiveBoth","features":[3]},{"name":"InterruptActiveBothTriggerHigh","features":[3]},{"name":"InterruptActiveBothTriggerLow","features":[3]},{"name":"InterruptActiveHigh","features":[3]},{"name":"InterruptActiveLow","features":[3]},{"name":"InterruptFallingEdge","features":[3]},{"name":"InterruptPolarityUnknown","features":[3]},{"name":"InterruptRisingEdge","features":[3]},{"name":"InvalidDeviceTypeControl","features":[3]},{"name":"IoAcquireCancelSpinLock","features":[3]},{"name":"IoAcquireKsrPersistentMemory","features":[2,5,3,1,4,6,7,8]},{"name":"IoAcquireKsrPersistentMemoryEx","features":[2,5,3,1,4,6,7,8]},{"name":"IoAcquireRemoveLockEx","features":[2,3,1,7]},{"name":"IoAllocateAdapterChannel","features":[2,5,3,1,4,33,6,7,8]},{"name":"IoAllocateController","features":[2,5,3,1,4,6,7,8]},{"name":"IoAllocateDriverObjectExtension","features":[2,5,3,1,4,6,7,8]},{"name":"IoAllocateErrorLogEntry","features":[3]},{"name":"IoAllocateIrp","features":[2,5,3,1,4,6,7,8]},{"name":"IoAllocateIrpEx","features":[2,5,3,1,4,6,7,8]},{"name":"IoAllocateMdl","features":[2,5,3,1,4,6,7,8]},{"name":"IoAllocateSfioStreamIdentifier","features":[2,5,3,1,4,6,7,8]},{"name":"IoAllocateWorkItem","features":[2,5,3,1,4,6,7,8]},{"name":"IoAssignResources","features":[2,5,3,1,4,6,7,8]},{"name":"IoAttachDevice","features":[2,5,3,1,4,6,7,8]},{"name":"IoAttachDeviceByPointer","features":[2,5,3,1,4,6,7,8]},{"name":"IoAttachDeviceToDeviceStack","features":[2,5,3,1,4,6,7,8]},{"name":"IoAttachDeviceToDeviceStackSafe","features":[2,5,3,1,4,6,7,8]},{"name":"IoBuildAsynchronousFsdRequest","features":[2,5,3,1,4,6,7,8]},{"name":"IoBuildDeviceIoControlRequest","features":[2,5,3,1,4,6,7,8]},{"name":"IoBuildPartialMdl","features":[2,3]},{"name":"IoBuildSynchronousFsdRequest","features":[2,5,3,1,4,6,7,8]},{"name":"IoCancelFileOpen","features":[2,5,3,1,4,6,7,8]},{"name":"IoCancelIrp","features":[2,5,3,1,4,6,7,8]},{"name":"IoCheckLinkShareAccess","features":[2,5,3,1,4,6,7,8]},{"name":"IoCheckShareAccess","features":[2,5,3,1,4,6,7,8]},{"name":"IoCheckShareAccessEx","features":[2,5,3,1,4,6,7,8]},{"name":"IoCleanupIrp","features":[2,5,3,1,4,6,7,8]},{"name":"IoClearActivityIdThread","features":[3]},{"name":"IoClearIrpExtraCreateParameter","features":[2,5,3,1,4,6,7,8]},{"name":"IoConnectInterrupt","features":[2,3,1]},{"name":"IoConnectInterruptEx","features":[2,5,3,1,4,6,7,8]},{"name":"IoCreateController","features":[2,3,1,7]},{"name":"IoCreateDevice","features":[2,5,3,1,4,6,7,8]},{"name":"IoCreateDisk","features":[2,5,3,1,4,6,22,7,8]},{"name":"IoCreateFile","features":[2,3,1,6]},{"name":"IoCreateFileEx","features":[2,3,1,6]},{"name":"IoCreateFileSpecifyDeviceObjectHint","features":[2,3,1,6]},{"name":"IoCreateNotificationEvent","features":[2,3,1,7]},{"name":"IoCreateSymbolicLink","features":[3,1]},{"name":"IoCreateSynchronizationEvent","features":[2,3,1,7]},{"name":"IoCreateSystemThread","features":[2,3,1,34]},{"name":"IoCreateUnprotectedSymbolicLink","features":[3,1]},{"name":"IoCsqInitialize","features":[2,5,3,1,4,6,7,8]},{"name":"IoCsqInitializeEx","features":[2,5,3,1,4,6,7,8]},{"name":"IoCsqInsertIrp","features":[2,5,3,1,4,6,7,8]},{"name":"IoCsqInsertIrpEx","features":[2,5,3,1,4,6,7,8]},{"name":"IoCsqRemoveIrp","features":[2,5,3,1,4,6,7,8]},{"name":"IoCsqRemoveNextIrp","features":[2,5,3,1,4,6,7,8]},{"name":"IoDecrementKeepAliveCount","features":[2,5,3,1,4,6,7,8]},{"name":"IoDeleteController","features":[2,3,1,7]},{"name":"IoDeleteDevice","features":[2,5,3,1,4,6,7,8]},{"name":"IoDeleteSymbolicLink","features":[3,1]},{"name":"IoDetachDevice","features":[2,5,3,1,4,6,7,8]},{"name":"IoDisconnectInterrupt","features":[2,3]},{"name":"IoDisconnectInterruptEx","features":[2,3]},{"name":"IoEnumerateKsrPersistentMemoryEx","features":[2,5,3,1,4,6,7,8]},{"name":"IoFlushAdapterBuffers","features":[2,3,1,33]},{"name":"IoForwardIrpSynchronously","features":[2,5,3,1,4,6,7,8]},{"name":"IoFreeAdapterChannel","features":[3,33]},{"name":"IoFreeController","features":[2,3,1,7]},{"name":"IoFreeErrorLogEntry","features":[3]},{"name":"IoFreeIrp","features":[2,5,3,1,4,6,7,8]},{"name":"IoFreeKsrPersistentMemory","features":[3,1]},{"name":"IoFreeMapRegisters","features":[3,33]},{"name":"IoFreeMdl","features":[2,3]},{"name":"IoFreeSfioStreamIdentifier","features":[2,5,3,1,4,6,7,8]},{"name":"IoFreeWorkItem","features":[2,3]},{"name":"IoGetActivityIdIrp","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetActivityIdThread","features":[3]},{"name":"IoGetAffinityInterrupt","features":[2,3,1,32]},{"name":"IoGetAttachedDeviceReference","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetBootDiskInformation","features":[3,1]},{"name":"IoGetBootDiskInformationLite","features":[3,1]},{"name":"IoGetConfigurationInformation","features":[3,1]},{"name":"IoGetContainerInformation","features":[3,1]},{"name":"IoGetCurrentProcess","features":[2,3]},{"name":"IoGetDeviceDirectory","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetDeviceInterfaceAlias","features":[3,1]},{"name":"IoGetDeviceInterfacePropertyData","features":[3,35,1]},{"name":"IoGetDeviceInterfaces","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetDeviceNumaNode","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetDeviceObjectPointer","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetDeviceProperty","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetDevicePropertyData","features":[2,5,3,35,1,4,6,7,8]},{"name":"IoGetDmaAdapter","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetDriverDirectory","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetDriverObjectExtension","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetFileObjectGenericMapping","features":[3,4]},{"name":"IoGetFsZeroingOffset","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetInitialStack","features":[3]},{"name":"IoGetInitiatorProcess","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetIoAttributionHandle","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetIoPriorityHint","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetIommuInterface","features":[3,1]},{"name":"IoGetIommuInterfaceEx","features":[3,1]},{"name":"IoGetIrpExtraCreateParameter","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetPagingIoPriority","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetRelatedDeviceObject","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetSfioStreamIdentifier","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetSilo","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetSiloParameters","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetStackLimits","features":[3]},{"name":"IoGetTopLevelIrp","features":[2,5,3,1,4,6,7,8]},{"name":"IoGetTransactionParameterBlock","features":[2,5,3,1,4,6,7,8]},{"name":"IoIncrementKeepAliveCount","features":[2,5,3,1,4,6,7,8]},{"name":"IoInitializeIrp","features":[2,5,3,1,4,6,7,8]},{"name":"IoInitializeIrpEx","features":[2,5,3,1,4,6,7,8]},{"name":"IoInitializeRemoveLockEx","features":[2,3,1,7]},{"name":"IoInitializeTimer","features":[2,5,3,1,4,6,7,8]},{"name":"IoInitializeWorkItem","features":[2,3]},{"name":"IoInvalidateDeviceRelations","features":[2,5,3,1,4,6,7,8]},{"name":"IoInvalidateDeviceState","features":[2,5,3,1,4,6,7,8]},{"name":"IoIs32bitProcess","features":[2,5,3,1,4,6,7,8]},{"name":"IoIsFileObjectIgnoringSharing","features":[2,5,3,1,4,6,7,8]},{"name":"IoIsFileOriginRemote","features":[2,5,3,1,4,6,7,8]},{"name":"IoIsInitiator32bitProcess","features":[2,5,3,1,4,6,7,8]},{"name":"IoIsValidIrpStatus","features":[3,1]},{"name":"IoIsWdmVersionAvailable","features":[3,1]},{"name":"IoMakeAssociatedIrp","features":[2,5,3,1,4,6,7,8]},{"name":"IoMakeAssociatedIrpEx","features":[2,5,3,1,4,6,7,8]},{"name":"IoMapTransfer","features":[2,3,1,33]},{"name":"IoMaxContainerInformationClass","features":[3]},{"name":"IoMaxContainerNotificationClass","features":[3]},{"name":"IoModifyAccess","features":[3]},{"name":"IoOpenDeviceInterfaceRegistryKey","features":[3,1]},{"name":"IoOpenDeviceRegistryKey","features":[2,5,3,1,4,6,7,8]},{"name":"IoOpenDriverRegistryKey","features":[2,5,3,1,4,6,7,8]},{"name":"IoPagingPriorityHigh","features":[3]},{"name":"IoPagingPriorityInvalid","features":[3]},{"name":"IoPagingPriorityNormal","features":[3]},{"name":"IoPagingPriorityReserved1","features":[3]},{"name":"IoPagingPriorityReserved2","features":[3]},{"name":"IoPropagateActivityIdToThread","features":[2,5,3,1,4,6,7,8]},{"name":"IoQueryDeviceComponentInformation","features":[3]},{"name":"IoQueryDeviceConfigurationData","features":[3]},{"name":"IoQueryDeviceDescription","features":[3,1]},{"name":"IoQueryDeviceIdentifier","features":[3]},{"name":"IoQueryDeviceMaxData","features":[3]},{"name":"IoQueryFullDriverPath","features":[2,5,3,1,4,6,7,8]},{"name":"IoQueryInformationByName","features":[2,5,3,1,6]},{"name":"IoQueryKsrPersistentMemorySize","features":[2,5,3,1,4,6,7,8]},{"name":"IoQueryKsrPersistentMemorySizeEx","features":[2,5,3,1,4,6,7,8]},{"name":"IoQueueWorkItem","features":[2,3]},{"name":"IoQueueWorkItemEx","features":[2,3]},{"name":"IoRaiseHardError","features":[2,5,3,1,4,6,7,8]},{"name":"IoRaiseInformationalHardError","features":[2,3,1]},{"name":"IoReadAccess","features":[3]},{"name":"IoReadDiskSignature","features":[2,5,3,1,4,6,7,8]},{"name":"IoReadPartitionTable","features":[2,5,3,1,4,6,22,7,8]},{"name":"IoReadPartitionTableEx","features":[2,5,3,1,4,6,22,7,8]},{"name":"IoRecordIoAttribution","features":[3,1]},{"name":"IoRegisterBootDriverCallback","features":[3]},{"name":"IoRegisterBootDriverReinitialization","features":[2,5,3,1,4,6,7,8]},{"name":"IoRegisterContainerNotification","features":[3,1]},{"name":"IoRegisterDeviceInterface","features":[2,5,3,1,4,6,7,8]},{"name":"IoRegisterDriverReinitialization","features":[2,5,3,1,4,6,7,8]},{"name":"IoRegisterLastChanceShutdownNotification","features":[2,5,3,1,4,6,7,8]},{"name":"IoRegisterPlugPlayNotification","features":[2,5,3,1,4,6,7,8]},{"name":"IoRegisterShutdownNotification","features":[2,5,3,1,4,6,7,8]},{"name":"IoReleaseCancelSpinLock","features":[3]},{"name":"IoReleaseRemoveLockAndWaitEx","features":[2,3,1,7]},{"name":"IoReleaseRemoveLockEx","features":[2,3,1,7]},{"name":"IoRemoveLinkShareAccess","features":[2,5,3,1,4,6,7,8]},{"name":"IoRemoveLinkShareAccessEx","features":[2,5,3,1,4,6,7,8]},{"name":"IoRemoveShareAccess","features":[2,5,3,1,4,6,7,8]},{"name":"IoReplacePartitionUnit","features":[2,5,3,1,4,6,7,8]},{"name":"IoReportDetectedDevice","features":[2,5,3,1,4,6,7,8]},{"name":"IoReportInterruptActive","features":[2,3]},{"name":"IoReportInterruptInactive","features":[2,3]},{"name":"IoReportResourceForDetection","features":[2,5,3,1,4,6,7,8]},{"name":"IoReportResourceUsage","features":[2,5,3,1,4,6,7,8]},{"name":"IoReportRootDevice","features":[2,5,3,1,4,6,7,8]},{"name":"IoReportTargetDeviceChange","features":[2,5,3,1,4,6,7,8]},{"name":"IoReportTargetDeviceChangeAsynchronous","features":[2,5,3,1,4,6,7,8]},{"name":"IoRequestDeviceEject","features":[2,5,3,1,4,6,7,8]},{"name":"IoRequestDeviceEjectEx","features":[2,5,3,1,4,6,7,8]},{"name":"IoReserveKsrPersistentMemory","features":[2,5,3,1,4,6,7,8]},{"name":"IoReserveKsrPersistentMemoryEx","features":[2,5,3,1,4,6,7,8]},{"name":"IoReuseIrp","features":[2,5,3,1,4,6,7,8]},{"name":"IoSessionEventConnected","features":[3]},{"name":"IoSessionEventCreated","features":[3]},{"name":"IoSessionEventDisconnected","features":[3]},{"name":"IoSessionEventIgnore","features":[3]},{"name":"IoSessionEventLogoff","features":[3]},{"name":"IoSessionEventLogon","features":[3]},{"name":"IoSessionEventMax","features":[3]},{"name":"IoSessionEventTerminated","features":[3]},{"name":"IoSessionStateConnected","features":[3]},{"name":"IoSessionStateCreated","features":[3]},{"name":"IoSessionStateDisconnected","features":[3]},{"name":"IoSessionStateDisconnectedLoggedOn","features":[3]},{"name":"IoSessionStateInformation","features":[3]},{"name":"IoSessionStateInitialized","features":[3]},{"name":"IoSessionStateLoggedOff","features":[3]},{"name":"IoSessionStateLoggedOn","features":[3]},{"name":"IoSessionStateMax","features":[3]},{"name":"IoSessionStateNotification","features":[3]},{"name":"IoSessionStateTerminated","features":[3]},{"name":"IoSetActivityIdIrp","features":[2,5,3,1,4,6,7,8]},{"name":"IoSetActivityIdThread","features":[3]},{"name":"IoSetCompletionRoutineEx","features":[2,5,3,1,4,6,7,8]},{"name":"IoSetDeviceInterfacePropertyData","features":[3,35,1]},{"name":"IoSetDeviceInterfaceState","features":[3,1]},{"name":"IoSetDevicePropertyData","features":[2,5,3,35,1,4,6,7,8]},{"name":"IoSetFileObjectIgnoreSharing","features":[2,5,3,1,4,6,7,8]},{"name":"IoSetFileOrigin","features":[2,5,3,1,4,6,7,8]},{"name":"IoSetFsZeroingOffset","features":[2,5,3,1,4,6,7,8]},{"name":"IoSetFsZeroingOffsetRequired","features":[2,5,3,1,4,6,7,8]},{"name":"IoSetHardErrorOrVerifyDevice","features":[2,5,3,1,4,6,7,8]},{"name":"IoSetIoAttributionIrp","features":[2,5,3,1,4,6,7,8]},{"name":"IoSetIoPriorityHint","features":[2,5,3,1,4,6,7,8]},{"name":"IoSetIrpExtraCreateParameter","features":[2,5,3,1,4,6,7,8]},{"name":"IoSetLinkShareAccess","features":[2,5,3,1,4,6,7,8]},{"name":"IoSetMasterIrpStatus","features":[2,5,3,1,4,6,7,8]},{"name":"IoSetPartitionInformation","features":[2,5,3,1,4,6,7,8]},{"name":"IoSetPartitionInformationEx","features":[2,5,3,1,4,6,22,7,8]},{"name":"IoSetShareAccess","features":[2,5,3,1,4,6,7,8]},{"name":"IoSetShareAccessEx","features":[2,5,3,1,4,6,7,8]},{"name":"IoSetStartIoAttributes","features":[2,5,3,1,4,6,7,8]},{"name":"IoSetSystemPartition","features":[3,1]},{"name":"IoSetThreadHardErrorMode","features":[3,1]},{"name":"IoSetTopLevelIrp","features":[2,5,3,1,4,6,7,8]},{"name":"IoSizeOfIrpEx","features":[2,5,3,1,4,6,7,8]},{"name":"IoSizeofWorkItem","features":[3]},{"name":"IoStartNextPacket","features":[2,5,3,1,4,6,7,8]},{"name":"IoStartNextPacketByKey","features":[2,5,3,1,4,6,7,8]},{"name":"IoStartPacket","features":[2,5,3,1,4,6,7,8]},{"name":"IoStartTimer","features":[2,5,3,1,4,6,7,8]},{"name":"IoStopTimer","features":[2,5,3,1,4,6,7,8]},{"name":"IoSynchronousCallDriver","features":[2,5,3,1,4,6,7,8]},{"name":"IoTransferActivityId","features":[3]},{"name":"IoTranslateBusAddress","features":[3,1]},{"name":"IoTryQueueWorkItem","features":[2,3,1]},{"name":"IoUninitializeWorkItem","features":[2,3]},{"name":"IoUnregisterBootDriverCallback","features":[3]},{"name":"IoUnregisterContainerNotification","features":[3]},{"name":"IoUnregisterPlugPlayNotification","features":[3,1]},{"name":"IoUnregisterPlugPlayNotificationEx","features":[3,1]},{"name":"IoUnregisterShutdownNotification","features":[2,5,3,1,4,6,7,8]},{"name":"IoUpdateLinkShareAccess","features":[2,5,3,1,4,6,7,8]},{"name":"IoUpdateLinkShareAccessEx","features":[2,5,3,1,4,6,7,8]},{"name":"IoUpdateShareAccess","features":[2,5,3,1,4,6,7,8]},{"name":"IoValidateDeviceIoControlAccess","features":[2,5,3,1,4,6,7,8]},{"name":"IoVerifyPartitionTable","features":[2,5,3,1,4,6,7,8]},{"name":"IoVolumeDeviceNameToGuid","features":[3,1]},{"name":"IoVolumeDeviceNameToGuidPath","features":[3,1]},{"name":"IoVolumeDeviceToDosName","features":[3,1]},{"name":"IoVolumeDeviceToGuid","features":[3,1]},{"name":"IoVolumeDeviceToGuidPath","features":[3,1]},{"name":"IoWMIAllocateInstanceIds","features":[3,1]},{"name":"IoWMIDeviceObjectToInstanceName","features":[2,5,3,1,4,6,7,8]},{"name":"IoWMIExecuteMethod","features":[3,1]},{"name":"IoWMIHandleToInstanceName","features":[3,1]},{"name":"IoWMIOpenBlock","features":[3,1]},{"name":"IoWMIQueryAllData","features":[3,1]},{"name":"IoWMIQueryAllDataMultiple","features":[3,1]},{"name":"IoWMIQuerySingleInstance","features":[3,1]},{"name":"IoWMIQuerySingleInstanceMultiple","features":[3,1]},{"name":"IoWMIRegistrationControl","features":[2,5,3,1,4,6,7,8]},{"name":"IoWMISetNotificationCallback","features":[3,1]},{"name":"IoWMISetSingleInstance","features":[3,1]},{"name":"IoWMISetSingleItem","features":[3,1]},{"name":"IoWMISuggestInstanceName","features":[2,5,3,1,4,6,7,8]},{"name":"IoWMIWriteEvent","features":[3,1]},{"name":"IoWithinStackLimits","features":[3]},{"name":"IoWriteAccess","features":[3]},{"name":"IoWriteErrorLogEntry","features":[3]},{"name":"IoWriteKsrPersistentMemory","features":[3,1]},{"name":"IoWritePartitionTable","features":[2,5,3,1,4,6,22,7,8]},{"name":"IoWritePartitionTableEx","features":[2,5,3,1,4,6,22,7,8]},{"name":"IofCallDriver","features":[2,5,3,1,4,6,7,8]},{"name":"IofCompleteRequest","features":[2,5,3,1,4,6,7,8]},{"name":"IommuDeviceCreationConfigTypeAcpi","features":[3]},{"name":"IommuDeviceCreationConfigTypeDeviceId","features":[3]},{"name":"IommuDeviceCreationConfigTypeMax","features":[3]},{"name":"IommuDeviceCreationConfigTypeNone","features":[3]},{"name":"IommuDmaLogicalAllocatorBuddy","features":[3]},{"name":"IommuDmaLogicalAllocatorMax","features":[3]},{"name":"IommuDmaLogicalAllocatorNone","features":[3]},{"name":"IrqPolicyAllCloseProcessors","features":[3]},{"name":"IrqPolicyAllProcessorsInMachine","features":[3]},{"name":"IrqPolicyAllProcessorsInMachineWhenSteered","features":[3]},{"name":"IrqPolicyMachineDefault","features":[3]},{"name":"IrqPolicyOneCloseProcessor","features":[3]},{"name":"IrqPolicySpecifiedProcessors","features":[3]},{"name":"IrqPolicySpreadMessagesAcrossAllProcessors","features":[3]},{"name":"IrqPriorityHigh","features":[3]},{"name":"IrqPriorityLow","features":[3]},{"name":"IrqPriorityNormal","features":[3]},{"name":"IrqPriorityUndefined","features":[3]},{"name":"Isa","features":[3]},{"name":"IsochCommand","features":[3]},{"name":"IsochStatus","features":[3]},{"name":"KADDRESS_BASE","features":[3]},{"name":"KADDRESS_RANGE","features":[3]},{"name":"KADDRESS_RANGE_DESCRIPTOR","features":[3]},{"name":"KAPC","features":[3,1,7]},{"name":"KBUGCHECK_ADD_PAGES","features":[3]},{"name":"KBUGCHECK_BUFFER_DUMP_STATE","features":[3]},{"name":"KBUGCHECK_CALLBACK_REASON","features":[3]},{"name":"KBUGCHECK_CALLBACK_RECORD","features":[3,7]},{"name":"KBUGCHECK_CALLBACK_ROUTINE","features":[3]},{"name":"KBUGCHECK_DUMP_IO","features":[3]},{"name":"KBUGCHECK_DUMP_IO_TYPE","features":[3]},{"name":"KBUGCHECK_REASON_CALLBACK_RECORD","features":[3,7]},{"name":"KBUGCHECK_REASON_CALLBACK_ROUTINE","features":[3,7]},{"name":"KBUGCHECK_REMOVE_PAGES","features":[3]},{"name":"KBUGCHECK_SECONDARY_DUMP_DATA","features":[3]},{"name":"KBUGCHECK_SECONDARY_DUMP_DATA_EX","features":[3]},{"name":"KBUGCHECK_TRIAGE_DUMP_DATA","features":[3,7]},{"name":"KB_ADD_PAGES_FLAG_ADDITIONAL_RANGES_EXIST","features":[3]},{"name":"KB_ADD_PAGES_FLAG_PHYSICAL_ADDRESS","features":[3]},{"name":"KB_ADD_PAGES_FLAG_VIRTUAL_ADDRESS","features":[3]},{"name":"KB_REMOVE_PAGES_FLAG_ADDITIONAL_RANGES_EXIST","features":[3]},{"name":"KB_REMOVE_PAGES_FLAG_PHYSICAL_ADDRESS","features":[3]},{"name":"KB_REMOVE_PAGES_FLAG_VIRTUAL_ADDRESS","features":[3]},{"name":"KB_SECONDARY_DATA_FLAG_ADDITIONAL_DATA","features":[3]},{"name":"KB_SECONDARY_DATA_FLAG_NO_DEVICE_ACCESS","features":[3]},{"name":"KB_TRIAGE_DUMP_DATA_FLAG_BUGCHECK_ACTIVE","features":[3]},{"name":"KDEFERRED_ROUTINE","features":[2,3,7]},{"name":"KDEVICE_QUEUE_ENTRY","features":[3,1,7]},{"name":"KDPC_IMPORTANCE","features":[3]},{"name":"KDPC_WATCHDOG_INFORMATION","features":[3]},{"name":"KD_CALLBACK_ACTION","features":[3]},{"name":"KD_NAMESPACE_ENUM","features":[3]},{"name":"KD_OPTION","features":[3]},{"name":"KD_OPTION_SET_BLOCK_ENABLE","features":[3]},{"name":"KENCODED_TIMER_PROCESSOR","features":[3]},{"name":"KERNEL_LARGE_STACK_COMMIT","features":[3]},{"name":"KERNEL_LARGE_STACK_SIZE","features":[3]},{"name":"KERNEL_MCA_EXCEPTION_STACK_SIZE","features":[3]},{"name":"KERNEL_SOFT_RESTART_NOTIFICATION","features":[3]},{"name":"KERNEL_SOFT_RESTART_NOTIFICATION_VERSION","features":[3]},{"name":"KERNEL_STACK_SIZE","features":[3]},{"name":"KERNEL_USER_TIMES","features":[3]},{"name":"KEY_BASIC_INFORMATION","features":[3]},{"name":"KEY_CACHED_INFORMATION","features":[3]},{"name":"KEY_CONTROL_FLAGS_INFORMATION","features":[3]},{"name":"KEY_FULL_INFORMATION","features":[3]},{"name":"KEY_INFORMATION_CLASS","features":[3]},{"name":"KEY_LAYER_INFORMATION","features":[3]},{"name":"KEY_NAME_INFORMATION","features":[3]},{"name":"KEY_NODE_INFORMATION","features":[3]},{"name":"KEY_SET_VIRTUALIZATION_INFORMATION","features":[3]},{"name":"KEY_TRUST_INFORMATION","features":[3]},{"name":"KEY_VALUE_BASIC_INFORMATION","features":[3]},{"name":"KEY_VALUE_FULL_INFORMATION","features":[3]},{"name":"KEY_VALUE_INFORMATION_CLASS","features":[3]},{"name":"KEY_VALUE_LAYER_INFORMATION","features":[3]},{"name":"KEY_VALUE_PARTIAL_INFORMATION","features":[3]},{"name":"KEY_VALUE_PARTIAL_INFORMATION_ALIGN64","features":[3]},{"name":"KEY_VIRTUALIZATION_INFORMATION","features":[3]},{"name":"KEY_WOW64_FLAGS_INFORMATION","features":[3]},{"name":"KEY_WRITE_TIME_INFORMATION","features":[3]},{"name":"KE_MAX_TRIAGE_DUMP_DATA_MEMORY_SIZE","features":[3]},{"name":"KE_PROCESSOR_CHANGE_ADD_EXISTING","features":[3]},{"name":"KE_PROCESSOR_CHANGE_NOTIFY_CONTEXT","features":[3,1,7]},{"name":"KE_PROCESSOR_CHANGE_NOTIFY_STATE","features":[3]},{"name":"KFLOATING_SAVE","features":[3]},{"name":"KGATE","features":[2,3,1,7]},{"name":"KINTERRUPT_MODE","features":[3]},{"name":"KINTERRUPT_POLARITY","features":[3]},{"name":"KIPI_BROADCAST_WORKER","features":[3]},{"name":"KI_USER_SHARED_DATA","features":[3]},{"name":"KLOCK_QUEUE_HANDLE","features":[3]},{"name":"KMESSAGE_SERVICE_ROUTINE","features":[3,1]},{"name":"KPROFILE_SOURCE","features":[3]},{"name":"KSEMAPHORE","features":[2,3,1,7]},{"name":"KSERVICE_ROUTINE","features":[3,1]},{"name":"KSPIN_LOCK_QUEUE","features":[3]},{"name":"KSTART_ROUTINE","features":[3]},{"name":"KSYNCHRONIZE_ROUTINE","features":[3,1]},{"name":"KSYSTEM_TIME","features":[3]},{"name":"KTIMER","features":[2,3,1,7]},{"name":"KTRIAGE_DUMP_DATA_ARRAY","features":[3,7]},{"name":"KUMS_UCH_VOLATILE_BIT","features":[3]},{"name":"KUSER_SHARED_DATA","features":[3,1,30,7]},{"name":"KWAIT_CHAIN","features":[3]},{"name":"KWAIT_REASON","features":[3]},{"name":"KbCallbackAddPages","features":[3]},{"name":"KbCallbackDumpIo","features":[3]},{"name":"KbCallbackInvalid","features":[3]},{"name":"KbCallbackRemovePages","features":[3]},{"name":"KbCallbackReserved1","features":[3]},{"name":"KbCallbackReserved2","features":[3]},{"name":"KbCallbackSecondaryDumpData","features":[3]},{"name":"KbCallbackSecondaryMultiPartDumpData","features":[3]},{"name":"KbCallbackTriageDumpData","features":[3]},{"name":"KbDumpIoBody","features":[3]},{"name":"KbDumpIoComplete","features":[3]},{"name":"KbDumpIoHeader","features":[3]},{"name":"KbDumpIoInvalid","features":[3]},{"name":"KbDumpIoSecondaryData","features":[3]},{"name":"KdChangeOption","features":[3,1]},{"name":"KdConfigureDeviceAndContinue","features":[3]},{"name":"KdConfigureDeviceAndStop","features":[3]},{"name":"KdDisableDebugger","features":[3,1]},{"name":"KdEnableDebugger","features":[3,1]},{"name":"KdNameSpaceACPI","features":[3]},{"name":"KdNameSpaceAny","features":[3]},{"name":"KdNameSpaceMax","features":[3]},{"name":"KdNameSpaceNone","features":[3]},{"name":"KdNameSpacePCI","features":[3]},{"name":"KdRefreshDebuggerNotPresent","features":[3,1]},{"name":"KdSkipDeviceAndContinue","features":[3]},{"name":"KdSkipDeviceAndStop","features":[3]},{"name":"KeAcquireGuardedMutex","features":[2,3,1,7]},{"name":"KeAcquireGuardedMutexUnsafe","features":[2,3,1,7]},{"name":"KeAcquireInStackQueuedSpinLock","features":[3]},{"name":"KeAcquireInStackQueuedSpinLockAtDpcLevel","features":[3]},{"name":"KeAcquireInStackQueuedSpinLockForDpc","features":[3]},{"name":"KeAcquireInterruptSpinLock","features":[2,3]},{"name":"KeAcquireSpinLockForDpc","features":[3]},{"name":"KeAddTriageDumpDataBlock","features":[3,1,7]},{"name":"KeAreAllApcsDisabled","features":[3,1]},{"name":"KeAreApcsDisabled","features":[3,1]},{"name":"KeBugCheck","features":[3,30]},{"name":"KeBugCheckEx","features":[3,30]},{"name":"KeCancelTimer","features":[2,3,1,7]},{"name":"KeClearEvent","features":[2,3,1,7]},{"name":"KeConvertAuxiliaryCounterToPerformanceCounter","features":[3,1]},{"name":"KeConvertPerformanceCounterToAuxiliaryCounter","features":[3,1]},{"name":"KeDelayExecutionThread","features":[3,1]},{"name":"KeDeregisterBoundCallback","features":[3,1]},{"name":"KeDeregisterBugCheckCallback","features":[3,1,7]},{"name":"KeDeregisterBugCheckReasonCallback","features":[3,1,7]},{"name":"KeDeregisterNmiCallback","features":[3,1]},{"name":"KeDeregisterProcessorChangeCallback","features":[3]},{"name":"KeEnterCriticalRegion","features":[3]},{"name":"KeEnterGuardedRegion","features":[3]},{"name":"KeExpandKernelStackAndCallout","features":[3,1]},{"name":"KeExpandKernelStackAndCalloutEx","features":[3,1]},{"name":"KeFlushIoBuffers","features":[2,3,1]},{"name":"KeFlushQueuedDpcs","features":[3]},{"name":"KeFlushWriteBuffer","features":[3]},{"name":"KeGetCurrentIrql","features":[3]},{"name":"KeGetCurrentNodeNumber","features":[3]},{"name":"KeGetCurrentProcessorNumberEx","features":[3,7]},{"name":"KeGetProcessorIndexFromNumber","features":[3,7]},{"name":"KeGetProcessorNumberFromIndex","features":[3,1,7]},{"name":"KeGetRecommendedSharedDataAlignment","features":[3]},{"name":"KeInitializeCrashDumpHeader","features":[3,1]},{"name":"KeInitializeDeviceQueue","features":[2,3,1,7]},{"name":"KeInitializeDpc","features":[2,3,7]},{"name":"KeInitializeEvent","features":[2,3,1,7]},{"name":"KeInitializeGuardedMutex","features":[2,3,1,7]},{"name":"KeInitializeMutex","features":[2,3,1,7]},{"name":"KeInitializeSemaphore","features":[2,3,1,7]},{"name":"KeInitializeSpinLock","features":[3]},{"name":"KeInitializeThreadedDpc","features":[2,3,7]},{"name":"KeInitializeTimer","features":[2,3,1,7]},{"name":"KeInitializeTimerEx","features":[2,3,1,7]},{"name":"KeInitializeTriageDumpDataArray","features":[3,1,7]},{"name":"KeInsertByKeyDeviceQueue","features":[2,3,1,7]},{"name":"KeInsertDeviceQueue","features":[2,3,1,7]},{"name":"KeInsertQueueDpc","features":[2,3,1,7]},{"name":"KeInvalidateAllCaches","features":[3,1]},{"name":"KeInvalidateRangeAllCaches","features":[3]},{"name":"KeIpiGenericCall","features":[3]},{"name":"KeIsExecutingDpc","features":[3]},{"name":"KeLeaveCriticalRegion","features":[3]},{"name":"KeLeaveGuardedRegion","features":[3]},{"name":"KeProcessorAddCompleteNotify","features":[3]},{"name":"KeProcessorAddFailureNotify","features":[3]},{"name":"KeProcessorAddStartNotify","features":[3]},{"name":"KePulseEvent","features":[2,3,1,7]},{"name":"KeQueryActiveGroupCount","features":[3]},{"name":"KeQueryActiveProcessorCount","features":[3]},{"name":"KeQueryActiveProcessorCountEx","features":[3]},{"name":"KeQueryActiveProcessors","features":[3]},{"name":"KeQueryAuxiliaryCounterFrequency","features":[3,1]},{"name":"KeQueryDpcWatchdogInformation","features":[3,1]},{"name":"KeQueryGroupAffinity","features":[3]},{"name":"KeQueryHardwareCounterConfiguration","features":[3,1]},{"name":"KeQueryHighestNodeNumber","features":[3]},{"name":"KeQueryInterruptTimePrecise","features":[3]},{"name":"KeQueryLogicalProcessorRelationship","features":[3,1,7,32]},{"name":"KeQueryMaximumGroupCount","features":[3]},{"name":"KeQueryMaximumProcessorCount","features":[3]},{"name":"KeQueryMaximumProcessorCountEx","features":[3]},{"name":"KeQueryNodeActiveAffinity","features":[3,32]},{"name":"KeQueryNodeActiveAffinity2","features":[3,1,32]},{"name":"KeQueryNodeActiveProcessorCount","features":[3]},{"name":"KeQueryNodeMaximumProcessorCount","features":[3]},{"name":"KeQueryPerformanceCounter","features":[3]},{"name":"KeQueryPriorityThread","features":[2,3]},{"name":"KeQueryRuntimeThread","features":[2,3]},{"name":"KeQuerySystemTimePrecise","features":[3]},{"name":"KeQueryTimeIncrement","features":[3]},{"name":"KeQueryTotalCycleTimeThread","features":[2,3]},{"name":"KeQueryUnbiasedInterruptTime","features":[3]},{"name":"KeQueryUnbiasedInterruptTimePrecise","features":[3]},{"name":"KeReadStateEvent","features":[2,3,1,7]},{"name":"KeReadStateMutex","features":[2,3,1,7]},{"name":"KeReadStateSemaphore","features":[2,3,1,7]},{"name":"KeReadStateTimer","features":[2,3,1,7]},{"name":"KeRegisterBoundCallback","features":[3]},{"name":"KeRegisterBugCheckCallback","features":[3,1,7]},{"name":"KeRegisterBugCheckReasonCallback","features":[3,1,7]},{"name":"KeRegisterNmiCallback","features":[3,1]},{"name":"KeRegisterProcessorChangeCallback","features":[3]},{"name":"KeReleaseGuardedMutex","features":[2,3,1,7]},{"name":"KeReleaseGuardedMutexUnsafe","features":[2,3,1,7]},{"name":"KeReleaseInStackQueuedSpinLock","features":[3]},{"name":"KeReleaseInStackQueuedSpinLockForDpc","features":[3]},{"name":"KeReleaseInStackQueuedSpinLockFromDpcLevel","features":[3]},{"name":"KeReleaseInterruptSpinLock","features":[2,3]},{"name":"KeReleaseMutex","features":[2,3,1,7]},{"name":"KeReleaseSemaphore","features":[2,3,1,7]},{"name":"KeReleaseSpinLockForDpc","features":[3]},{"name":"KeRemoveByKeyDeviceQueue","features":[2,3,1,7]},{"name":"KeRemoveByKeyDeviceQueueIfBusy","features":[2,3,1,7]},{"name":"KeRemoveDeviceQueue","features":[2,3,1,7]},{"name":"KeRemoveEntryDeviceQueue","features":[2,3,1,7]},{"name":"KeRemoveQueueDpc","features":[2,3,1,7]},{"name":"KeRemoveQueueDpcEx","features":[2,3,1,7]},{"name":"KeResetEvent","features":[2,3,1,7]},{"name":"KeRestoreExtendedProcessorState","features":[3,30]},{"name":"KeRevertToUserAffinityThread","features":[3]},{"name":"KeRevertToUserAffinityThreadEx","features":[3]},{"name":"KeRevertToUserGroupAffinityThread","features":[3,32]},{"name":"KeSaveExtendedProcessorState","features":[3,1,30]},{"name":"KeSetBasePriorityThread","features":[2,3]},{"name":"KeSetCoalescableTimer","features":[2,3,1,7]},{"name":"KeSetEvent","features":[2,3,1,7]},{"name":"KeSetHardwareCounterConfiguration","features":[3,1]},{"name":"KeSetImportanceDpc","features":[2,3,7]},{"name":"KeSetPriorityThread","features":[2,3]},{"name":"KeSetSystemAffinityThread","features":[3]},{"name":"KeSetSystemAffinityThreadEx","features":[3]},{"name":"KeSetSystemGroupAffinityThread","features":[3,32]},{"name":"KeSetTargetProcessorDpc","features":[2,3,7]},{"name":"KeSetTargetProcessorDpcEx","features":[2,3,1,7]},{"name":"KeSetTimer","features":[2,3,1,7]},{"name":"KeSetTimerEx","features":[2,3,1,7]},{"name":"KeShouldYieldProcessor","features":[3]},{"name":"KeStallExecutionProcessor","features":[3]},{"name":"KeSynchronizeExecution","features":[2,3,1]},{"name":"KeTestSpinLock","features":[3,1]},{"name":"KeTryToAcquireGuardedMutex","features":[2,3,1,7]},{"name":"KeTryToAcquireSpinLockAtDpcLevel","features":[3,1]},{"name":"KeWaitForMultipleObjects","features":[2,3,1,7]},{"name":"KeWaitForSingleObject","features":[3,1]},{"name":"KeepObject","features":[3]},{"name":"KernelMode","features":[3]},{"name":"KeyBasicInformation","features":[3]},{"name":"KeyCachedInformation","features":[3]},{"name":"KeyFlagsInformation","features":[3]},{"name":"KeyFullInformation","features":[3]},{"name":"KeyHandleTagsInformation","features":[3]},{"name":"KeyLayerInformation","features":[3]},{"name":"KeyNameInformation","features":[3]},{"name":"KeyNodeInformation","features":[3]},{"name":"KeyTrustInformation","features":[3]},{"name":"KeyValueBasicInformation","features":[3]},{"name":"KeyValueFullInformation","features":[3]},{"name":"KeyValueFullInformationAlign64","features":[3]},{"name":"KeyValueLayerInformation","features":[3]},{"name":"KeyValuePartialInformation","features":[3]},{"name":"KeyValuePartialInformationAlign64","features":[3]},{"name":"KeyVirtualizationInformation","features":[3]},{"name":"KeyboardController","features":[3]},{"name":"KeyboardPeripheral","features":[3]},{"name":"KfRaiseIrql","features":[3]},{"name":"L0sAndL1EntryDisabled","features":[3]},{"name":"L0sAndL1EntryEnabled","features":[3]},{"name":"L0sAndL1EntrySupport","features":[3]},{"name":"L0sEntryEnabled","features":[3]},{"name":"L0sEntrySupport","features":[3]},{"name":"L0s_128ns_256ns","features":[3]},{"name":"L0s_1us_2us","features":[3]},{"name":"L0s_256ns_512ns","features":[3]},{"name":"L0s_2us_4us","features":[3]},{"name":"L0s_512ns_1us","features":[3]},{"name":"L0s_64ns_128ns","features":[3]},{"name":"L0s_Above4us","features":[3]},{"name":"L0s_Below64ns","features":[3]},{"name":"L1EntryEnabled","features":[3]},{"name":"L1EntrySupport","features":[3]},{"name":"L1_16us_32us","features":[3]},{"name":"L1_1us_2us","features":[3]},{"name":"L1_2us_4us","features":[3]},{"name":"L1_32us_64us","features":[3]},{"name":"L1_4us_8us","features":[3]},{"name":"L1_8us_16us","features":[3]},{"name":"L1_Above64us","features":[3]},{"name":"L1_Below1us","features":[3]},{"name":"LEGACY_BUS_INFORMATION","features":[3]},{"name":"LINK_SHARE_ACCESS","features":[3]},{"name":"LOADER_PARTITION_INFORMATION_EX","features":[3]},{"name":"LOCK_OPERATION","features":[3]},{"name":"LOCK_QUEUE_HALTED","features":[3]},{"name":"LOCK_QUEUE_HALTED_BIT","features":[3]},{"name":"LOCK_QUEUE_OWNER","features":[3]},{"name":"LOCK_QUEUE_OWNER_BIT","features":[3]},{"name":"LOCK_QUEUE_WAIT","features":[3]},{"name":"LOCK_QUEUE_WAIT_BIT","features":[3]},{"name":"LONG_2ND_MOST_SIGNIFICANT_BIT","features":[3]},{"name":"LONG_3RD_MOST_SIGNIFICANT_BIT","features":[3]},{"name":"LONG_LEAST_SIGNIFICANT_BIT","features":[3]},{"name":"LONG_MOST_SIGNIFICANT_BIT","features":[3]},{"name":"LOWBYTE_MASK","features":[3]},{"name":"LOW_LEVEL","features":[3]},{"name":"LOW_PRIORITY","features":[3]},{"name":"LOW_REALTIME_PRIORITY","features":[3]},{"name":"LastDStateTransitionD3cold","features":[3]},{"name":"LastDStateTransitionD3hot","features":[3]},{"name":"LastDStateTransitionStatusUnknown","features":[3]},{"name":"LastDrvRtFlag","features":[3]},{"name":"Latched","features":[3]},{"name":"LevelSensitive","features":[3]},{"name":"LinePeripheral","features":[3]},{"name":"LocateControl","features":[3]},{"name":"LocationTypeFileSystem","features":[3]},{"name":"LocationTypeMaximum","features":[3]},{"name":"LocationTypeRegistry","features":[3]},{"name":"LoggerEventsLoggedClass","features":[3]},{"name":"LoggerEventsLostClass","features":[3]},{"name":"LowImportance","features":[3]},{"name":"LowPagePriority","features":[3]},{"name":"LowPoolPriority","features":[3]},{"name":"LowPoolPrioritySpecialPoolOverrun","features":[3]},{"name":"LowPoolPrioritySpecialPoolUnderrun","features":[3]},{"name":"MAILSLOT_CREATE_PARAMETERS","features":[3,1]},{"name":"MAP_REGISTER_ENTRY","features":[3,1]},{"name":"MAXIMUM_DEBUG_BARS","features":[3]},{"name":"MAXIMUM_FILENAME_LENGTH","features":[3]},{"name":"MAXIMUM_PRIORITY","features":[3]},{"name":"MAX_EVENT_COUNTERS","features":[3]},{"name":"MCA_DRIVER_INFO","features":[2,3]},{"name":"MCA_EXCEPTION","features":[3]},{"name":"MCA_EXCEPTION_TYPE","features":[3]},{"name":"MCA_EXTREG_V2MAX","features":[3]},{"name":"MCE_NOTIFY_TYPE_GUID","features":[3]},{"name":"MCG_CAP","features":[3]},{"name":"MCG_STATUS","features":[3]},{"name":"MCI_ADDR","features":[3]},{"name":"MCI_STATS","features":[3]},{"name":"MCI_STATUS","features":[3]},{"name":"MCI_STATUS_AMD_BITS","features":[3]},{"name":"MCI_STATUS_BITS_COMMON","features":[3]},{"name":"MCI_STATUS_INTEL_BITS","features":[3]},{"name":"MDL_ALLOCATED_FIXED_SIZE","features":[3]},{"name":"MDL_DESCRIBES_AWE","features":[3]},{"name":"MDL_FREE_EXTRA_PTES","features":[3]},{"name":"MDL_INTERNAL","features":[3]},{"name":"MDL_LOCKED_PAGE_TABLES","features":[3]},{"name":"MDL_PAGE_CONTENTS_INVARIANT","features":[3]},{"name":"MEMORY_CACHING_TYPE","features":[3]},{"name":"MEMORY_CACHING_TYPE_ORIG","features":[3]},{"name":"MEMORY_CORRECTABLE_ERROR_SUMMARY_SECTION_GUID","features":[3]},{"name":"MEMORY_ERROR_SECTION_GUID","features":[3]},{"name":"MEMORY_PARTITION_DEDICATED_MEMORY_OPEN_INFORMATION","features":[3,1]},{"name":"MEM_COMMIT","features":[3]},{"name":"MEM_DECOMMIT","features":[3]},{"name":"MEM_DEDICATED_ATTRIBUTE_TYPE","features":[3]},{"name":"MEM_EXTENDED_PARAMETER_EC_CODE","features":[3]},{"name":"MEM_EXTENDED_PARAMETER_TYPE_BITS","features":[3]},{"name":"MEM_LARGE_PAGES","features":[3]},{"name":"MEM_MAPPED","features":[3]},{"name":"MEM_PRIVATE","features":[3]},{"name":"MEM_RELEASE","features":[3]},{"name":"MEM_RESERVE","features":[3]},{"name":"MEM_RESET","features":[3]},{"name":"MEM_RESET_UNDO","features":[3]},{"name":"MEM_SECTION_EXTENDED_PARAMETER_TYPE","features":[3]},{"name":"MEM_TOP_DOWN","features":[3]},{"name":"MM_ADD_PHYSICAL_MEMORY_ALREADY_ZEROED","features":[3]},{"name":"MM_ADD_PHYSICAL_MEMORY_HUGE_PAGES_ONLY","features":[3]},{"name":"MM_ADD_PHYSICAL_MEMORY_LARGE_PAGES_ONLY","features":[3]},{"name":"MM_ALLOCATE_AND_HOT_REMOVE","features":[3]},{"name":"MM_ALLOCATE_CONTIGUOUS_MEMORY_FAST_ONLY","features":[3]},{"name":"MM_ALLOCATE_FAST_LARGE_PAGES","features":[3]},{"name":"MM_ALLOCATE_FROM_LOCAL_NODE_ONLY","features":[3]},{"name":"MM_ALLOCATE_FULLY_REQUIRED","features":[3]},{"name":"MM_ALLOCATE_NO_WAIT","features":[3]},{"name":"MM_ALLOCATE_PREFER_CONTIGUOUS","features":[3]},{"name":"MM_ALLOCATE_REQUIRE_CONTIGUOUS_CHUNKS","features":[3]},{"name":"MM_ALLOCATE_TRIM_IF_NECESSARY","features":[3]},{"name":"MM_ANY_NODE_OK","features":[3]},{"name":"MM_COPY_ADDRESS","features":[3]},{"name":"MM_COPY_MEMORY_PHYSICAL","features":[3]},{"name":"MM_COPY_MEMORY_VIRTUAL","features":[3]},{"name":"MM_DONT_ZERO_ALLOCATION","features":[3]},{"name":"MM_DUMP_MAP_CACHED","features":[3]},{"name":"MM_DUMP_MAP_INVALIDATE","features":[3]},{"name":"MM_FREE_MDL_PAGES_ZERO","features":[3]},{"name":"MM_GET_CACHE_ATTRIBUTE_IO_SPACE","features":[3]},{"name":"MM_GET_PHYSICAL_MEMORY_RANGES_INCLUDE_ALL_PARTITIONS","features":[3]},{"name":"MM_GET_PHYSICAL_MEMORY_RANGES_INCLUDE_FILE_ONLY","features":[3]},{"name":"MM_MAPPING_ADDRESS_DIVISIBLE","features":[3]},{"name":"MM_MAXIMUM_DISK_IO_SIZE","features":[3]},{"name":"MM_MDL_PAGE_CONTENTS_STATE","features":[3]},{"name":"MM_MDL_ROUTINE","features":[3]},{"name":"MM_PAGE_PRIORITY","features":[3]},{"name":"MM_PERMANENT_ADDRESS_IS_IO_SPACE","features":[3]},{"name":"MM_PHYSICAL_ADDRESS_LIST","features":[3]},{"name":"MM_PROTECT_DRIVER_SECTION_ALLOW_UNLOAD","features":[3]},{"name":"MM_PROTECT_DRIVER_SECTION_VALID_FLAGS","features":[3]},{"name":"MM_REMOVE_PHYSICAL_MEMORY_BAD_ONLY","features":[3]},{"name":"MM_ROTATE_DIRECTION","features":[3]},{"name":"MM_SECURE_EXCLUSIVE","features":[3]},{"name":"MM_SECURE_NO_CHANGE","features":[3]},{"name":"MM_SECURE_NO_INHERIT","features":[3]},{"name":"MM_SECURE_USER_MODE_ONLY","features":[3]},{"name":"MM_SYSTEMSIZE","features":[3]},{"name":"MM_SYSTEM_SPACE_END","features":[3]},{"name":"MM_SYSTEM_VIEW_EXCEPTIONS_FOR_INPAGE_ERRORS","features":[3]},{"name":"MODE","features":[3]},{"name":"MPIBus","features":[3]},{"name":"MPIConfiguration","features":[3]},{"name":"MPSABus","features":[3]},{"name":"MPSAConfiguration","features":[3]},{"name":"MRLClosed","features":[3]},{"name":"MRLOpen","features":[3]},{"name":"MU_TELEMETRY_SECTION","features":[3]},{"name":"MU_TELEMETRY_SECTION_GUID","features":[3]},{"name":"MapPhysicalAddressTypeContiguousRange","features":[3]},{"name":"MapPhysicalAddressTypeMax","features":[3]},{"name":"MapPhysicalAddressTypeMdl","features":[3]},{"name":"MapPhysicalAddressTypePfn","features":[3]},{"name":"MaxFaultType","features":[3]},{"name":"MaxHardwareCounterType","features":[3]},{"name":"MaxKeyInfoClass","features":[3]},{"name":"MaxKeyValueInfoClass","features":[3]},{"name":"MaxPayload1024Bytes","features":[3]},{"name":"MaxPayload128Bytes","features":[3]},{"name":"MaxPayload2048Bytes","features":[3]},{"name":"MaxPayload256Bytes","features":[3]},{"name":"MaxPayload4096Bytes","features":[3]},{"name":"MaxPayload512Bytes","features":[3]},{"name":"MaxRegNtNotifyClass","features":[3]},{"name":"MaxSubsystemInformationType","features":[3]},{"name":"MaxTimerInfoClass","features":[3]},{"name":"MaxTraceInformationClass","features":[3]},{"name":"MaximumBusDataType","features":[3]},{"name":"MaximumDmaSpeed","features":[3]},{"name":"MaximumDmaWidth","features":[3]},{"name":"MaximumInterfaceType","features":[3]},{"name":"MaximumMode","features":[3]},{"name":"MaximumType","features":[3]},{"name":"MaximumWaitReason","features":[3]},{"name":"MaximumWorkQueue","features":[3]},{"name":"MdlMappingNoExecute","features":[3]},{"name":"MdlMappingNoWrite","features":[3]},{"name":"MdlMappingWithGuardPtes","features":[3]},{"name":"MediumHighImportance","features":[3]},{"name":"MediumImportance","features":[3]},{"name":"MemDedicatedAttributeMax","features":[3]},{"name":"MemDedicatedAttributeReadBandwidth","features":[3]},{"name":"MemDedicatedAttributeReadLatency","features":[3]},{"name":"MemDedicatedAttributeWriteBandwidth","features":[3]},{"name":"MemDedicatedAttributeWriteLatency","features":[3]},{"name":"MemSectionExtendedParameterInvalidType","features":[3]},{"name":"MemSectionExtendedParameterMax","features":[3]},{"name":"MemSectionExtendedParameterNumaNode","features":[3]},{"name":"MemSectionExtendedParameterSigningLevel","features":[3]},{"name":"MemSectionExtendedParameterUserPhysicalFlags","features":[3]},{"name":"MicroChannel","features":[3]},{"name":"MmAddPhysicalMemory","features":[3,1]},{"name":"MmAddVerifierSpecialThunks","features":[3,1]},{"name":"MmAddVerifierThunks","features":[3,1]},{"name":"MmAdvanceMdl","features":[2,3,1]},{"name":"MmAllocateContiguousMemory","features":[3]},{"name":"MmAllocateContiguousMemoryEx","features":[3,1]},{"name":"MmAllocateContiguousMemorySpecifyCache","features":[3]},{"name":"MmAllocateContiguousMemorySpecifyCacheNode","features":[3]},{"name":"MmAllocateContiguousNodeMemory","features":[3]},{"name":"MmAllocateMappingAddress","features":[3]},{"name":"MmAllocateMappingAddressEx","features":[3]},{"name":"MmAllocateMdlForIoSpace","features":[2,3,1]},{"name":"MmAllocateNodePagesForMdlEx","features":[2,3]},{"name":"MmAllocateNonCachedMemory","features":[3]},{"name":"MmAllocatePagesForMdl","features":[2,3]},{"name":"MmAllocatePagesForMdlEx","features":[2,3]},{"name":"MmAllocatePartitionNodePagesForMdlEx","features":[2,3]},{"name":"MmAreMdlPagesCached","features":[2,3]},{"name":"MmBuildMdlForNonPagedPool","features":[2,3]},{"name":"MmCached","features":[3]},{"name":"MmCopyMemory","features":[3,1]},{"name":"MmCreateMdl","features":[2,3]},{"name":"MmCreateMirror","features":[3,1]},{"name":"MmFrameBufferCached","features":[3]},{"name":"MmFreeContiguousMemory","features":[3]},{"name":"MmFreeContiguousMemorySpecifyCache","features":[3]},{"name":"MmFreeMappingAddress","features":[3]},{"name":"MmFreeNonCachedMemory","features":[3]},{"name":"MmFreePagesFromMdl","features":[2,3]},{"name":"MmFreePagesFromMdlEx","features":[2,3]},{"name":"MmGetCacheAttribute","features":[3,1]},{"name":"MmGetCacheAttributeEx","features":[3,1]},{"name":"MmGetPhysicalAddress","features":[3]},{"name":"MmGetPhysicalMemoryRanges","features":[3]},{"name":"MmGetPhysicalMemoryRangesEx","features":[3]},{"name":"MmGetPhysicalMemoryRangesEx2","features":[3]},{"name":"MmGetSystemRoutineAddress","features":[3,1]},{"name":"MmGetVirtualForPhysical","features":[3]},{"name":"MmHardwareCoherentCached","features":[3]},{"name":"MmIsAddressValid","features":[3,1]},{"name":"MmIsDriverSuspectForVerifier","features":[2,5,3,1,4,6,7,8]},{"name":"MmIsDriverVerifying","features":[2,5,3,1,4,6,7,8]},{"name":"MmIsDriverVerifyingByAddress","features":[3]},{"name":"MmIsIoSpaceActive","features":[3]},{"name":"MmIsNonPagedSystemAddressValid","features":[3,1]},{"name":"MmIsThisAnNtAsSystem","features":[3,1]},{"name":"MmIsVerifierEnabled","features":[3,1]},{"name":"MmLargeSystem","features":[3]},{"name":"MmLockPagableDataSection","features":[3]},{"name":"MmLockPagableSectionByHandle","features":[3]},{"name":"MmMapIoSpace","features":[3]},{"name":"MmMapIoSpaceEx","features":[3]},{"name":"MmMapLockedPages","features":[2,3]},{"name":"MmMapLockedPagesSpecifyCache","features":[2,3]},{"name":"MmMapLockedPagesWithReservedMapping","features":[2,3]},{"name":"MmMapMdl","features":[2,3,1]},{"name":"MmMapMemoryDumpMdlEx","features":[2,3,1]},{"name":"MmMapUserAddressesToPage","features":[3,1]},{"name":"MmMapVideoDisplay","features":[3]},{"name":"MmMapViewInSessionSpace","features":[3,1]},{"name":"MmMapViewInSessionSpaceEx","features":[3,1]},{"name":"MmMapViewInSystemSpace","features":[3,1]},{"name":"MmMapViewInSystemSpaceEx","features":[3,1]},{"name":"MmMaximumCacheType","features":[3]},{"name":"MmMaximumRotateDirection","features":[3]},{"name":"MmMdlPageContentsDynamic","features":[3]},{"name":"MmMdlPageContentsInvariant","features":[3]},{"name":"MmMdlPageContentsQuery","features":[3]},{"name":"MmMdlPageContentsState","features":[2,3]},{"name":"MmMediumSystem","features":[3]},{"name":"MmNonCached","features":[3]},{"name":"MmNonCachedUnordered","features":[3]},{"name":"MmNotMapped","features":[3]},{"name":"MmPageEntireDriver","features":[3]},{"name":"MmProbeAndLockPages","features":[2,3]},{"name":"MmProbeAndLockProcessPages","features":[2,3]},{"name":"MmProbeAndLockSelectedPages","features":[2,3,21]},{"name":"MmProtectDriverSection","features":[3,1]},{"name":"MmProtectMdlSystemAddress","features":[2,3,1]},{"name":"MmQuerySystemSize","features":[3]},{"name":"MmRemovePhysicalMemory","features":[3,1]},{"name":"MmResetDriverPaging","features":[3]},{"name":"MmRotatePhysicalView","features":[2,3,1]},{"name":"MmSecureVirtualMemory","features":[3,1]},{"name":"MmSecureVirtualMemoryEx","features":[3,1]},{"name":"MmSetPermanentCacheAttribute","features":[3,1]},{"name":"MmSizeOfMdl","features":[3]},{"name":"MmSmallSystem","features":[3]},{"name":"MmToFrameBuffer","features":[3]},{"name":"MmToFrameBufferNoCopy","features":[3]},{"name":"MmToRegularMemory","features":[3]},{"name":"MmToRegularMemoryNoCopy","features":[3]},{"name":"MmUSWCCached","features":[3]},{"name":"MmUnlockPagableImageSection","features":[3]},{"name":"MmUnlockPages","features":[2,3]},{"name":"MmUnmapIoSpace","features":[3]},{"name":"MmUnmapLockedPages","features":[2,3]},{"name":"MmUnmapReservedMapping","features":[2,3]},{"name":"MmUnmapVideoDisplay","features":[3]},{"name":"MmUnmapViewInSessionSpace","features":[3,1]},{"name":"MmUnmapViewInSystemSpace","features":[3,1]},{"name":"MmUnsecureVirtualMemory","features":[3,1]},{"name":"MmWriteCombined","features":[3]},{"name":"ModemPeripheral","features":[3]},{"name":"ModifyAccess","features":[3]},{"name":"MonitorPeripheral","features":[3]},{"name":"MonitorRequestReasonAcDcDisplayBurst","features":[3]},{"name":"MonitorRequestReasonAcDcDisplayBurstSuppressed","features":[3]},{"name":"MonitorRequestReasonBatteryCountChange","features":[3]},{"name":"MonitorRequestReasonBatteryCountChangeSuppressed","features":[3]},{"name":"MonitorRequestReasonBatteryPreCritical","features":[3]},{"name":"MonitorRequestReasonBuiltinPanel","features":[3]},{"name":"MonitorRequestReasonDP","features":[3]},{"name":"MonitorRequestReasonDim","features":[3]},{"name":"MonitorRequestReasonDirectedDrips","features":[3]},{"name":"MonitorRequestReasonDisplayRequiredUnDim","features":[3]},{"name":"MonitorRequestReasonFullWake","features":[3]},{"name":"MonitorRequestReasonGracePeriod","features":[3]},{"name":"MonitorRequestReasonIdleTimeout","features":[3]},{"name":"MonitorRequestReasonLid","features":[3]},{"name":"MonitorRequestReasonMax","features":[3]},{"name":"MonitorRequestReasonNearProximity","features":[3]},{"name":"MonitorRequestReasonPdcSignal","features":[3]},{"name":"MonitorRequestReasonPdcSignalFingerprint","features":[3]},{"name":"MonitorRequestReasonPdcSignalHeyCortana","features":[3]},{"name":"MonitorRequestReasonPdcSignalHolographicShell","features":[3]},{"name":"MonitorRequestReasonPdcSignalSensorsHumanPresence","features":[3]},{"name":"MonitorRequestReasonPdcSignalWindowsMobilePwrNotif","features":[3]},{"name":"MonitorRequestReasonPdcSignalWindowsMobileShell","features":[3]},{"name":"MonitorRequestReasonPnP","features":[3]},{"name":"MonitorRequestReasonPoSetSystemState","features":[3]},{"name":"MonitorRequestReasonPolicyChange","features":[3]},{"name":"MonitorRequestReasonPowerButton","features":[3]},{"name":"MonitorRequestReasonRemoteConnection","features":[3]},{"name":"MonitorRequestReasonResumeModernStandby","features":[3]},{"name":"MonitorRequestReasonResumePdc","features":[3]},{"name":"MonitorRequestReasonResumeS4","features":[3]},{"name":"MonitorRequestReasonScMonitorpower","features":[3]},{"name":"MonitorRequestReasonScreenOffRequest","features":[3]},{"name":"MonitorRequestReasonSessionUnlock","features":[3]},{"name":"MonitorRequestReasonSetThreadExecutionState","features":[3]},{"name":"MonitorRequestReasonSleepButton","features":[3]},{"name":"MonitorRequestReasonSxTransition","features":[3]},{"name":"MonitorRequestReasonSystemIdle","features":[3]},{"name":"MonitorRequestReasonSystemStateEntered","features":[3]},{"name":"MonitorRequestReasonTerminal","features":[3]},{"name":"MonitorRequestReasonTerminalInit","features":[3]},{"name":"MonitorRequestReasonThermalStandby","features":[3]},{"name":"MonitorRequestReasonUnknown","features":[3]},{"name":"MonitorRequestReasonUserDisplayBurst","features":[3]},{"name":"MonitorRequestReasonUserInput","features":[3]},{"name":"MonitorRequestReasonUserInputAccelerometer","features":[3]},{"name":"MonitorRequestReasonUserInputHid","features":[3]},{"name":"MonitorRequestReasonUserInputInitialization","features":[3]},{"name":"MonitorRequestReasonUserInputKeyboard","features":[3]},{"name":"MonitorRequestReasonUserInputMouse","features":[3]},{"name":"MonitorRequestReasonUserInputPen","features":[3]},{"name":"MonitorRequestReasonUserInputPoUserPresent","features":[3]},{"name":"MonitorRequestReasonUserInputSessionSwitch","features":[3]},{"name":"MonitorRequestReasonUserInputTouch","features":[3]},{"name":"MonitorRequestReasonUserInputTouchpad","features":[3]},{"name":"MonitorRequestReasonWinrt","features":[3]},{"name":"MonitorRequestTypeOff","features":[3]},{"name":"MonitorRequestTypeOnAndPresent","features":[3]},{"name":"MonitorRequestTypeToggleOn","features":[3]},{"name":"MultiFunctionAdapter","features":[3]},{"name":"NAMED_PIPE_CREATE_PARAMETERS","features":[3,1]},{"name":"NEC98x86","features":[3]},{"name":"NMI_CALLBACK","features":[3,1]},{"name":"NMI_NOTIFY_TYPE_GUID","features":[3]},{"name":"NMI_SECTION_GUID","features":[3]},{"name":"NPEM_CAPABILITY_STANDARD","features":[3]},{"name":"NPEM_CONTROL_ENABLE_DISABLE","features":[3,1]},{"name":"NPEM_CONTROL_INTERFACE","features":[3,1]},{"name":"NPEM_CONTROL_INTERFACE_CURRENT_VERSION","features":[3]},{"name":"NPEM_CONTROL_INTERFACE_VERSION1","features":[3]},{"name":"NPEM_CONTROL_INTERFACE_VERSION2","features":[3]},{"name":"NPEM_CONTROL_QUERY_CONTROL","features":[3]},{"name":"NPEM_CONTROL_QUERY_STANDARD_CAPABILITIES","features":[3,1]},{"name":"NPEM_CONTROL_SET_STANDARD_CONTROL","features":[3,1]},{"name":"NPEM_CONTROL_STANDARD_CONTROL_BIT","features":[3]},{"name":"NTFS_DEREF_EXPORTED_SECURITY_DESCRIPTOR","features":[3,4]},{"name":"NT_PAGING_LEVELS","features":[3]},{"name":"NT_TIB32","features":[3]},{"name":"NX_SUPPORT_POLICY_ALWAYSOFF","features":[3]},{"name":"NX_SUPPORT_POLICY_ALWAYSON","features":[3]},{"name":"NX_SUPPORT_POLICY_OPTIN","features":[3]},{"name":"NX_SUPPORT_POLICY_OPTOUT","features":[3]},{"name":"NetworkController","features":[3]},{"name":"NetworkPeripheral","features":[3]},{"name":"NoAspmSupport","features":[3]},{"name":"NormalPagePriority","features":[3]},{"name":"NormalPoolPriority","features":[3]},{"name":"NormalPoolPrioritySpecialPoolOverrun","features":[3]},{"name":"NormalPoolPrioritySpecialPoolUnderrun","features":[3]},{"name":"NormalWorkQueue","features":[3]},{"name":"NtCommitComplete","features":[3,1]},{"name":"NtCommitEnlistment","features":[3,1]},{"name":"NtCommitTransaction","features":[3,1]},{"name":"NtCreateEnlistment","features":[2,3,1]},{"name":"NtCreateResourceManager","features":[2,3,1]},{"name":"NtCreateTransaction","features":[2,3,1]},{"name":"NtCreateTransactionManager","features":[2,3,1]},{"name":"NtEnumerateTransactionObject","features":[3,1,36]},{"name":"NtGetNotificationResourceManager","features":[3,1,21]},{"name":"NtManagePartition","features":[3,1]},{"name":"NtOpenEnlistment","features":[2,3,1]},{"name":"NtOpenProcess","features":[2,3,1,34]},{"name":"NtOpenRegistryTransaction","features":[2,3,1]},{"name":"NtOpenResourceManager","features":[2,3,1]},{"name":"NtOpenTransaction","features":[2,3,1]},{"name":"NtOpenTransactionManager","features":[2,3,1]},{"name":"NtPowerInformation","features":[3,1,8]},{"name":"NtPrePrepareComplete","features":[3,1]},{"name":"NtPrePrepareEnlistment","features":[3,1]},{"name":"NtPrepareComplete","features":[3,1]},{"name":"NtPrepareEnlistment","features":[3,1]},{"name":"NtPropagationComplete","features":[3,1]},{"name":"NtPropagationFailed","features":[3,1]},{"name":"NtQueryInformationEnlistment","features":[3,1,36]},{"name":"NtQueryInformationResourceManager","features":[3,1,36]},{"name":"NtQueryInformationTransaction","features":[3,1,36]},{"name":"NtQueryInformationTransactionManager","features":[3,1,36]},{"name":"NtReadOnlyEnlistment","features":[3,1]},{"name":"NtRecoverEnlistment","features":[3,1]},{"name":"NtRecoverResourceManager","features":[3,1]},{"name":"NtRecoverTransactionManager","features":[3,1]},{"name":"NtRegisterProtocolAddressInformation","features":[3,1]},{"name":"NtRenameTransactionManager","features":[3,1]},{"name":"NtRollbackComplete","features":[3,1]},{"name":"NtRollbackEnlistment","features":[3,1]},{"name":"NtRollbackRegistryTransaction","features":[3,1]},{"name":"NtRollbackTransaction","features":[3,1]},{"name":"NtRollforwardTransactionManager","features":[3,1]},{"name":"NtSetInformationEnlistment","features":[3,1,36]},{"name":"NtSetInformationResourceManager","features":[3,1,36]},{"name":"NtSetInformationTransaction","features":[3,1,36]},{"name":"NtSetInformationTransactionManager","features":[3,1,36]},{"name":"NtSinglePhaseReject","features":[3,1]},{"name":"NuBus","features":[3]},{"name":"NuBusConfiguration","features":[3]},{"name":"OBJECT_HANDLE_INFORMATION","features":[3]},{"name":"OBJECT_TYPE_CREATE","features":[3]},{"name":"OB_CALLBACK_REGISTRATION","features":[2,3,1]},{"name":"OB_FLT_REGISTRATION_VERSION","features":[3]},{"name":"OB_FLT_REGISTRATION_VERSION_0100","features":[3]},{"name":"OB_OPERATION_HANDLE_CREATE","features":[3]},{"name":"OB_OPERATION_HANDLE_DUPLICATE","features":[3]},{"name":"OB_OPERATION_REGISTRATION","features":[2,3,1]},{"name":"OB_POST_CREATE_HANDLE_INFORMATION","features":[3]},{"name":"OB_POST_DUPLICATE_HANDLE_INFORMATION","features":[3]},{"name":"OB_POST_OPERATION_INFORMATION","features":[2,3,1]},{"name":"OB_POST_OPERATION_PARAMETERS","features":[3]},{"name":"OB_PREOP_CALLBACK_STATUS","features":[3]},{"name":"OB_PREOP_SUCCESS","features":[3]},{"name":"OB_PRE_CREATE_HANDLE_INFORMATION","features":[3]},{"name":"OB_PRE_DUPLICATE_HANDLE_INFORMATION","features":[3]},{"name":"OB_PRE_OPERATION_INFORMATION","features":[2,3]},{"name":"OB_PRE_OPERATION_PARAMETERS","features":[3]},{"name":"OPLOCK_KEY_FLAG_PARENT_KEY","features":[3]},{"name":"OPLOCK_KEY_FLAG_TARGET_KEY","features":[3]},{"name":"OPLOCK_KEY_VERSION_WIN7","features":[3]},{"name":"OPLOCK_KEY_VERSION_WIN8","features":[3]},{"name":"OSC_CAPABILITIES_MASKED","features":[3]},{"name":"OSC_FIRMWARE_FAILURE","features":[3]},{"name":"OSC_UNRECOGNIZED_REVISION","features":[3]},{"name":"OSC_UNRECOGNIZED_UUID","features":[3]},{"name":"ObCloseHandle","features":[3,1]},{"name":"ObDereferenceObjectDeferDelete","features":[3]},{"name":"ObDereferenceObjectDeferDeleteWithTag","features":[3]},{"name":"ObGetFilterVersion","features":[3]},{"name":"ObGetObjectSecurity","features":[3,1,4]},{"name":"ObReferenceObjectByHandle","features":[2,3,1]},{"name":"ObReferenceObjectByHandleWithTag","features":[2,3,1]},{"name":"ObReferenceObjectByPointer","features":[2,3,1]},{"name":"ObReferenceObjectByPointerWithTag","features":[2,3,1]},{"name":"ObReferenceObjectSafe","features":[3,1]},{"name":"ObReferenceObjectSafeWithTag","features":[3,1]},{"name":"ObRegisterCallbacks","features":[2,3,1]},{"name":"ObReleaseObjectSecurity","features":[3,1,4]},{"name":"ObUnRegisterCallbacks","features":[3]},{"name":"ObfDereferenceObject","features":[3]},{"name":"ObfDereferenceObjectWithTag","features":[3]},{"name":"ObfReferenceObject","features":[3]},{"name":"ObfReferenceObjectWithTag","features":[3]},{"name":"OkControl","features":[3]},{"name":"OtherController","features":[3]},{"name":"OtherPeripheral","features":[3]},{"name":"PAGE_ENCLAVE_NO_CHANGE","features":[3]},{"name":"PAGE_ENCLAVE_THREAD_CONTROL","features":[3]},{"name":"PAGE_ENCLAVE_UNVALIDATED","features":[3]},{"name":"PAGE_EXECUTE","features":[3]},{"name":"PAGE_EXECUTE_READ","features":[3]},{"name":"PAGE_EXECUTE_READWRITE","features":[3]},{"name":"PAGE_EXECUTE_WRITECOPY","features":[3]},{"name":"PAGE_GRAPHICS_COHERENT","features":[3]},{"name":"PAGE_GRAPHICS_EXECUTE","features":[3]},{"name":"PAGE_GRAPHICS_EXECUTE_READ","features":[3]},{"name":"PAGE_GRAPHICS_EXECUTE_READWRITE","features":[3]},{"name":"PAGE_GRAPHICS_NOACCESS","features":[3]},{"name":"PAGE_GRAPHICS_NOCACHE","features":[3]},{"name":"PAGE_GRAPHICS_READONLY","features":[3]},{"name":"PAGE_GRAPHICS_READWRITE","features":[3]},{"name":"PAGE_GUARD","features":[3]},{"name":"PAGE_NOACCESS","features":[3]},{"name":"PAGE_NOCACHE","features":[3]},{"name":"PAGE_PRIORITY_INFORMATION","features":[3]},{"name":"PAGE_READONLY","features":[3]},{"name":"PAGE_READWRITE","features":[3]},{"name":"PAGE_REVERT_TO_FILE_MAP","features":[3]},{"name":"PAGE_SHIFT","features":[3]},{"name":"PAGE_SIZE","features":[3]},{"name":"PAGE_TARGETS_INVALID","features":[3]},{"name":"PAGE_TARGETS_NO_UPDATE","features":[3]},{"name":"PAGE_WRITECOMBINE","features":[3]},{"name":"PAGE_WRITECOPY","features":[3]},{"name":"PALLOCATE_ADAPTER_CHANNEL","features":[2,5,3,1,4,6,7,8]},{"name":"PALLOCATE_ADAPTER_CHANNEL_EX","features":[2,5,3,1,4,6,7,8]},{"name":"PALLOCATE_COMMON_BUFFER","features":[2,5,3,1,4,6,7,8]},{"name":"PALLOCATE_COMMON_BUFFER_EX","features":[2,5,3,1,4,6,7,8]},{"name":"PALLOCATE_COMMON_BUFFER_VECTOR","features":[2,5,3,1,4,6,7,8]},{"name":"PALLOCATE_COMMON_BUFFER_WITH_BOUNDS","features":[2,5,3,1,4,6,7,8]},{"name":"PALLOCATE_DOMAIN_COMMON_BUFFER","features":[2,5,3,1,4,6,7,8]},{"name":"PALLOCATE_FUNCTION","features":[3]},{"name":"PALLOCATE_FUNCTION_EX","features":[3]},{"name":"PARBITER_HANDLER","features":[2,5,3,1,4,6,7,8]},{"name":"PARKING_TOPOLOGY_POLICY_DISABLED","features":[3]},{"name":"PARTITION_INFORMATION_CLASS","features":[3]},{"name":"PASSIVE_LEVEL","features":[3]},{"name":"PBOOT_DRIVER_CALLBACK_FUNCTION","features":[3]},{"name":"PBOUND_CALLBACK","features":[3]},{"name":"PBUILD_MDL_FROM_SCATTER_GATHER_LIST","features":[2,5,3,1,4,6,7,8]},{"name":"PBUILD_SCATTER_GATHER_LIST","features":[2,5,3,1,4,6,7,8]},{"name":"PBUILD_SCATTER_GATHER_LIST_EX","features":[2,5,3,1,4,6,7,8]},{"name":"PCALCULATE_SCATTER_GATHER_LIST_SIZE","features":[2,5,3,1,4,6,7,8]},{"name":"PCALLBACK_FUNCTION","features":[3]},{"name":"PCANCEL_ADAPTER_CHANNEL","features":[2,5,3,1,4,6,7,8]},{"name":"PCANCEL_MAPPED_TRANSFER","features":[2,5,3,1,4,6,7,8]},{"name":"PCCARD_DEVICE_PCI","features":[3]},{"name":"PCCARD_DUP_LEGACY_BASE","features":[3]},{"name":"PCCARD_MAP_ERROR","features":[3]},{"name":"PCCARD_MAP_ZERO","features":[3]},{"name":"PCCARD_NO_CONTROLLERS","features":[3]},{"name":"PCCARD_NO_LEGACY_BASE","features":[3]},{"name":"PCCARD_NO_PIC","features":[3]},{"name":"PCCARD_NO_TIMER","features":[3]},{"name":"PCCARD_SCAN_DISABLED","features":[3]},{"name":"PCIBUSDATA","features":[3]},{"name":"PCIBus","features":[3]},{"name":"PCIConfiguration","features":[3]},{"name":"PCIEXPRESS_ERROR_SECTION_GUID","features":[3]},{"name":"PCIE_CORRECTABLE_ERROR_SUMMARY_SECTION_GUID","features":[3]},{"name":"PCIXBUS_ERROR_SECTION_GUID","features":[3]},{"name":"PCIXBUS_ERRTYPE_ADDRESSPARITY","features":[3]},{"name":"PCIXBUS_ERRTYPE_BUSTIMEOUT","features":[3]},{"name":"PCIXBUS_ERRTYPE_COMMANDPARITY","features":[3]},{"name":"PCIXBUS_ERRTYPE_DATAPARITY","features":[3]},{"name":"PCIXBUS_ERRTYPE_MASTERABORT","features":[3]},{"name":"PCIXBUS_ERRTYPE_MASTERDATAPARITY","features":[3]},{"name":"PCIXBUS_ERRTYPE_SYSTEM","features":[3]},{"name":"PCIXBUS_ERRTYPE_UNKNOWN","features":[3]},{"name":"PCIXDEVICE_ERROR_SECTION_GUID","features":[3]},{"name":"PCIX_BRIDGE_CAPABILITY","features":[3]},{"name":"PCIX_MODE1_100MHZ","features":[3]},{"name":"PCIX_MODE1_133MHZ","features":[3]},{"name":"PCIX_MODE1_66MHZ","features":[3]},{"name":"PCIX_MODE2_266_100MHZ","features":[3]},{"name":"PCIX_MODE2_266_133MHZ","features":[3]},{"name":"PCIX_MODE2_266_66MHZ","features":[3]},{"name":"PCIX_MODE2_533_100MHZ","features":[3]},{"name":"PCIX_MODE2_533_133MHZ","features":[3]},{"name":"PCIX_MODE2_533_66MHZ","features":[3]},{"name":"PCIX_MODE_CONVENTIONAL_PCI","features":[3]},{"name":"PCIX_VERSION_DUAL_MODE_ECC","features":[3]},{"name":"PCIX_VERSION_MODE1_ONLY","features":[3]},{"name":"PCIX_VERSION_MODE2_ECC","features":[3]},{"name":"PCI_ACS_ALLOWED","features":[3]},{"name":"PCI_ACS_BIT","features":[3]},{"name":"PCI_ACS_BLOCKED","features":[3]},{"name":"PCI_ACS_REDIRECTED","features":[3]},{"name":"PCI_ADDRESS_IO_ADDRESS_MASK","features":[3]},{"name":"PCI_ADDRESS_IO_SPACE","features":[3]},{"name":"PCI_ADDRESS_MEMORY_ADDRESS_MASK","features":[3]},{"name":"PCI_ADDRESS_MEMORY_PREFETCHABLE","features":[3]},{"name":"PCI_ADDRESS_MEMORY_TYPE_MASK","features":[3]},{"name":"PCI_ADDRESS_ROM_ADDRESS_MASK","features":[3]},{"name":"PCI_ADVANCED_FEATURES_CAPABILITY","features":[3]},{"name":"PCI_AGP_APERTURE_PAGE_SIZE","features":[3]},{"name":"PCI_AGP_CAPABILITY","features":[3]},{"name":"PCI_AGP_CONTROL","features":[3]},{"name":"PCI_AGP_EXTENDED_CAPABILITY","features":[3]},{"name":"PCI_AGP_ISOCH_COMMAND","features":[3]},{"name":"PCI_AGP_ISOCH_STATUS","features":[3]},{"name":"PCI_AGP_RATE_1X","features":[3]},{"name":"PCI_AGP_RATE_2X","features":[3]},{"name":"PCI_AGP_RATE_4X","features":[3]},{"name":"PCI_ATS_INTERFACE","features":[3,1]},{"name":"PCI_ATS_INTERFACE_VERSION","features":[3]},{"name":"PCI_BRIDGE_TYPE","features":[3]},{"name":"PCI_BUS_INTERFACE_STANDARD","features":[3]},{"name":"PCI_BUS_INTERFACE_STANDARD_VERSION","features":[3]},{"name":"PCI_BUS_WIDTH","features":[3]},{"name":"PCI_CAPABILITIES_HEADER","features":[3]},{"name":"PCI_CAPABILITY_ID_ADVANCED_FEATURES","features":[3]},{"name":"PCI_CAPABILITY_ID_AGP","features":[3]},{"name":"PCI_CAPABILITY_ID_AGP_TARGET","features":[3]},{"name":"PCI_CAPABILITY_ID_CPCI_HOTSWAP","features":[3]},{"name":"PCI_CAPABILITY_ID_CPCI_RES_CTRL","features":[3]},{"name":"PCI_CAPABILITY_ID_DEBUG_PORT","features":[3]},{"name":"PCI_CAPABILITY_ID_FPB","features":[3]},{"name":"PCI_CAPABILITY_ID_HYPERTRANSPORT","features":[3]},{"name":"PCI_CAPABILITY_ID_MSI","features":[3]},{"name":"PCI_CAPABILITY_ID_MSIX","features":[3]},{"name":"PCI_CAPABILITY_ID_P2P_SSID","features":[3]},{"name":"PCI_CAPABILITY_ID_PCIX","features":[3]},{"name":"PCI_CAPABILITY_ID_PCI_EXPRESS","features":[3]},{"name":"PCI_CAPABILITY_ID_POWER_MANAGEMENT","features":[3]},{"name":"PCI_CAPABILITY_ID_SATA_CONFIG","features":[3]},{"name":"PCI_CAPABILITY_ID_SECURE","features":[3]},{"name":"PCI_CAPABILITY_ID_SHPC","features":[3]},{"name":"PCI_CAPABILITY_ID_SLOT_ID","features":[3]},{"name":"PCI_CAPABILITY_ID_VENDOR_SPECIFIC","features":[3]},{"name":"PCI_CAPABILITY_ID_VPD","features":[3]},{"name":"PCI_CARDBUS_BRIDGE_TYPE","features":[3]},{"name":"PCI_CLASS_BASE_SYSTEM_DEV","features":[3]},{"name":"PCI_CLASS_BRIDGE_DEV","features":[3]},{"name":"PCI_CLASS_DATA_ACQ_SIGNAL_PROC","features":[3]},{"name":"PCI_CLASS_DISPLAY_CTLR","features":[3]},{"name":"PCI_CLASS_DOCKING_STATION","features":[3]},{"name":"PCI_CLASS_ENCRYPTION_DECRYPTION","features":[3]},{"name":"PCI_CLASS_INPUT_DEV","features":[3]},{"name":"PCI_CLASS_INTELLIGENT_IO_CTLR","features":[3]},{"name":"PCI_CLASS_MASS_STORAGE_CTLR","features":[3]},{"name":"PCI_CLASS_MEMORY_CTLR","features":[3]},{"name":"PCI_CLASS_MULTIMEDIA_DEV","features":[3]},{"name":"PCI_CLASS_NETWORK_CTLR","features":[3]},{"name":"PCI_CLASS_NOT_DEFINED","features":[3]},{"name":"PCI_CLASS_PRE_20","features":[3]},{"name":"PCI_CLASS_PROCESSOR","features":[3]},{"name":"PCI_CLASS_SATELLITE_COMMS_CTLR","features":[3]},{"name":"PCI_CLASS_SERIAL_BUS_CTLR","features":[3]},{"name":"PCI_CLASS_SIMPLE_COMMS_CTLR","features":[3]},{"name":"PCI_CLASS_WIRELESS_CTLR","features":[3]},{"name":"PCI_COMMON_CONFIG","features":[3]},{"name":"PCI_COMMON_HEADER","features":[3]},{"name":"PCI_DATA_VERSION","features":[3]},{"name":"PCI_DEBUGGING_DEVICE_IN_USE","features":[3]},{"name":"PCI_DEVICE_D3COLD_STATE_REASON","features":[3]},{"name":"PCI_DEVICE_PRESENCE_PARAMETERS","features":[3]},{"name":"PCI_DEVICE_PRESENT_INTERFACE","features":[3,1]},{"name":"PCI_DEVICE_PRESENT_INTERFACE_VERSION","features":[3]},{"name":"PCI_DEVICE_TYPE","features":[3]},{"name":"PCI_DISABLE_LEVEL_INTERRUPT","features":[3]},{"name":"PCI_ENABLE_BUS_MASTER","features":[3]},{"name":"PCI_ENABLE_FAST_BACK_TO_BACK","features":[3]},{"name":"PCI_ENABLE_IO_SPACE","features":[3]},{"name":"PCI_ENABLE_MEMORY_SPACE","features":[3]},{"name":"PCI_ENABLE_PARITY","features":[3]},{"name":"PCI_ENABLE_SERR","features":[3]},{"name":"PCI_ENABLE_SPECIAL_CYCLES","features":[3]},{"name":"PCI_ENABLE_VGA_COMPATIBLE_PALETTE","features":[3]},{"name":"PCI_ENABLE_WAIT_CYCLE","features":[3]},{"name":"PCI_ENABLE_WRITE_AND_INVALIDATE","features":[3]},{"name":"PCI_ERROR_HANDLER_CALLBACK","features":[3]},{"name":"PCI_EXPRESS_ACCESS_CONTROL_SERVICES_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_ACS_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_ACS_CAPABILITY_REGISTER","features":[3]},{"name":"PCI_EXPRESS_ACS_CONTROL","features":[3]},{"name":"PCI_EXPRESS_ADVANCED_ERROR_REPORTING_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_AER_CAPABILITIES","features":[3]},{"name":"PCI_EXPRESS_AER_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_ARI_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_ARI_CAPABILITY_REGISTER","features":[3]},{"name":"PCI_EXPRESS_ARI_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_ARI_CONTROL_REGISTER","features":[3]},{"name":"PCI_EXPRESS_ASPM_CONTROL","features":[3]},{"name":"PCI_EXPRESS_ASPM_SUPPORT","features":[3]},{"name":"PCI_EXPRESS_ATS_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_ATS_CAPABILITY_REGISTER","features":[3]},{"name":"PCI_EXPRESS_ATS_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_ATS_CONTROL_REGISTER","features":[3]},{"name":"PCI_EXPRESS_BRIDGE_AER_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_CAPABILITIES_REGISTER","features":[3]},{"name":"PCI_EXPRESS_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_CARD_PRESENCE","features":[3]},{"name":"PCI_EXPRESS_CONFIGURATION_ACCESS_CORRELATION_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_CORRECTABLE_ERROR_MASK","features":[3]},{"name":"PCI_EXPRESS_CORRECTABLE_ERROR_STATUS","features":[3]},{"name":"PCI_EXPRESS_CXL_DVSEC_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_CXL_DVSEC_CAPABILITY_REGISTER_V11","features":[3]},{"name":"PCI_EXPRESS_CXL_DVSEC_CAPABILITY_V11","features":[3]},{"name":"PCI_EXPRESS_CXL_DVSEC_CONTROL_REGISTER","features":[3]},{"name":"PCI_EXPRESS_CXL_DVSEC_LOCK_REGISTER","features":[3]},{"name":"PCI_EXPRESS_CXL_DVSEC_RANGE_BASE_HIGH_REGISTER","features":[3]},{"name":"PCI_EXPRESS_CXL_DVSEC_RANGE_BASE_LOW_REGISTER","features":[3]},{"name":"PCI_EXPRESS_CXL_DVSEC_RANGE_SIZE_HIGH_REGISTER","features":[3]},{"name":"PCI_EXPRESS_CXL_DVSEC_RANGE_SIZE_LOW_REGISTER_V11","features":[3]},{"name":"PCI_EXPRESS_CXL_DVSEC_STATUS_REGISTER","features":[3]},{"name":"PCI_EXPRESS_DESIGNATED_VENDOR_SPECIFIC_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_DESIGNATED_VENDOR_SPECIFIC_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_DESIGNATED_VENDOR_SPECIFIC_HEADER_1","features":[3]},{"name":"PCI_EXPRESS_DESIGNATED_VENDOR_SPECIFIC_HEADER_2","features":[3]},{"name":"PCI_EXPRESS_DEVICE_CAPABILITIES_2_REGISTER","features":[3]},{"name":"PCI_EXPRESS_DEVICE_CAPABILITIES_REGISTER","features":[3]},{"name":"PCI_EXPRESS_DEVICE_CONTROL_2_REGISTER","features":[3]},{"name":"PCI_EXPRESS_DEVICE_CONTROL_REGISTER","features":[3]},{"name":"PCI_EXPRESS_DEVICE_SERIAL_NUMBER_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_DEVICE_STATUS_2_REGISTER","features":[3]},{"name":"PCI_EXPRESS_DEVICE_STATUS_REGISTER","features":[3]},{"name":"PCI_EXPRESS_DEVICE_TYPE","features":[3]},{"name":"PCI_EXPRESS_DPA_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_DPC_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_DPC_CAPS_REGISTER","features":[3]},{"name":"PCI_EXPRESS_DPC_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_DPC_CONTROL_REGISTER","features":[3]},{"name":"PCI_EXPRESS_DPC_ERROR_SOURCE_ID","features":[3]},{"name":"PCI_EXPRESS_DPC_RP_PIO_EXCEPTION_REGISTER","features":[3]},{"name":"PCI_EXPRESS_DPC_RP_PIO_HEADERLOG_REGISTER","features":[3]},{"name":"PCI_EXPRESS_DPC_RP_PIO_IMPSPECLOG_REGISTER","features":[3]},{"name":"PCI_EXPRESS_DPC_RP_PIO_MASK_REGISTER","features":[3]},{"name":"PCI_EXPRESS_DPC_RP_PIO_SEVERITY_REGISTER","features":[3]},{"name":"PCI_EXPRESS_DPC_RP_PIO_STATUS_REGISTER","features":[3]},{"name":"PCI_EXPRESS_DPC_RP_PIO_SYSERR_REGISTER","features":[3]},{"name":"PCI_EXPRESS_DPC_RP_PIO_TLPPREFIXLOG_REGISTER","features":[3]},{"name":"PCI_EXPRESS_DPC_STATUS_REGISTER","features":[3]},{"name":"PCI_EXPRESS_ENHANCED_CAPABILITY_HEADER","features":[3]},{"name":"PCI_EXPRESS_ENTER_LINK_QUIESCENT_MODE","features":[3,1]},{"name":"PCI_EXPRESS_ERROR_SOURCE_ID","features":[3]},{"name":"PCI_EXPRESS_EVENT_COLLECTOR_ENDPOINT_ASSOCIATION_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_EXIT_LINK_QUIESCENT_MODE","features":[3,1]},{"name":"PCI_EXPRESS_FRS_QUEUEING_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_INDICATOR_STATE","features":[3]},{"name":"PCI_EXPRESS_L0s_EXIT_LATENCY","features":[3]},{"name":"PCI_EXPRESS_L1_EXIT_LATENCY","features":[3]},{"name":"PCI_EXPRESS_L1_PM_SS_CAPABILITIES_REGISTER","features":[3]},{"name":"PCI_EXPRESS_L1_PM_SS_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_L1_PM_SS_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_L1_PM_SS_CONTROL_1_REGISTER","features":[3]},{"name":"PCI_EXPRESS_L1_PM_SS_CONTROL_2_REGISTER","features":[3]},{"name":"PCI_EXPRESS_LANE_ERROR_STATUS","features":[3]},{"name":"PCI_EXPRESS_LINK_CAPABILITIES_2_REGISTER","features":[3]},{"name":"PCI_EXPRESS_LINK_CAPABILITIES_REGISTER","features":[3]},{"name":"PCI_EXPRESS_LINK_CONTROL3","features":[3]},{"name":"PCI_EXPRESS_LINK_CONTROL_2_REGISTER","features":[3]},{"name":"PCI_EXPRESS_LINK_CONTROL_REGISTER","features":[3]},{"name":"PCI_EXPRESS_LINK_QUIESCENT_INTERFACE","features":[3,1]},{"name":"PCI_EXPRESS_LINK_QUIESCENT_INTERFACE_VERSION","features":[3]},{"name":"PCI_EXPRESS_LINK_STATUS_2_REGISTER","features":[3]},{"name":"PCI_EXPRESS_LINK_STATUS_REGISTER","features":[3]},{"name":"PCI_EXPRESS_LINK_SUBSTATE","features":[3]},{"name":"PCI_EXPRESS_LN_REQUESTER_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_LTR_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_LTR_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_LTR_MAX_LATENCY_REGISTER","features":[3]},{"name":"PCI_EXPRESS_MAX_PAYLOAD_SIZE","features":[3]},{"name":"PCI_EXPRESS_MFVC_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_MPCIE_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_MRL_STATE","features":[3]},{"name":"PCI_EXPRESS_MULTICAST_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_MULTI_ROOT_IO_VIRTUALIZATION_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_NPEM_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_NPEM_CAPABILITY_REGISTER","features":[3]},{"name":"PCI_EXPRESS_NPEM_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_NPEM_CONTROL_REGISTER","features":[3]},{"name":"PCI_EXPRESS_NPEM_STATUS_REGISTER","features":[3]},{"name":"PCI_EXPRESS_PAGE_REQUEST_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_PASID_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_PASID_CAPABILITY_REGISTER","features":[3]},{"name":"PCI_EXPRESS_PASID_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_PASID_CONTROL_REGISTER","features":[3]},{"name":"PCI_EXPRESS_PME_REQUESTOR_ID","features":[3]},{"name":"PCI_EXPRESS_PMUX_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_POWER_BUDGETING_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_POWER_STATE","features":[3]},{"name":"PCI_EXPRESS_PRI_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_PRI_CONTROL_REGISTER","features":[3]},{"name":"PCI_EXPRESS_PRI_STATUS_REGISTER","features":[3]},{"name":"PCI_EXPRESS_PTM_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_PTM_CAPABILITY_REGISTER","features":[3]},{"name":"PCI_EXPRESS_PTM_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_PTM_CONTROL_REGISTER","features":[3]},{"name":"PCI_EXPRESS_RCB","features":[3]},{"name":"PCI_EXPRESS_RCRB_HEADER_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_RC_EVENT_COLLECTOR_ENDPOINT_ASSOCIATION_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_RC_INTERNAL_LINK_CONTROL_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_RC_LINK_DECLARATION_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_READINESS_TIME_REPORTING_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_RESERVED_FOR_AMD_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_RESIZABLE_BAR_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_RESIZABLE_BAR_CAPABILITY_REGISTER","features":[3]},{"name":"PCI_EXPRESS_RESIZABLE_BAR_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_RESIZABLE_BAR_CONTROL_REGISTER","features":[3]},{"name":"PCI_EXPRESS_RESIZABLE_BAR_ENTRY","features":[3]},{"name":"PCI_EXPRESS_ROOTPORT_AER_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_ROOT_CAPABILITIES_REGISTER","features":[3]},{"name":"PCI_EXPRESS_ROOT_CONTROL_REGISTER","features":[3]},{"name":"PCI_EXPRESS_ROOT_ERROR_COMMAND","features":[3]},{"name":"PCI_EXPRESS_ROOT_ERROR_STATUS","features":[3]},{"name":"PCI_EXPRESS_ROOT_PORT_INTERFACE","features":[3]},{"name":"PCI_EXPRESS_ROOT_PORT_INTERFACE_VERSION","features":[3]},{"name":"PCI_EXPRESS_ROOT_STATUS_REGISTER","features":[3]},{"name":"PCI_EXPRESS_SECONDARY_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_SECONDARY_PCI_EXPRESS_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_SEC_AER_CAPABILITIES","features":[3]},{"name":"PCI_EXPRESS_SEC_UNCORRECTABLE_ERROR_MASK","features":[3]},{"name":"PCI_EXPRESS_SEC_UNCORRECTABLE_ERROR_SEVERITY","features":[3]},{"name":"PCI_EXPRESS_SEC_UNCORRECTABLE_ERROR_STATUS","features":[3]},{"name":"PCI_EXPRESS_SERIAL_NUMBER_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_SINGLE_ROOT_IO_VIRTUALIZATION_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_SLOT_CAPABILITIES_REGISTER","features":[3]},{"name":"PCI_EXPRESS_SLOT_CONTROL_REGISTER","features":[3]},{"name":"PCI_EXPRESS_SLOT_STATUS_REGISTER","features":[3]},{"name":"PCI_EXPRESS_SRIOV_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_SRIOV_CAPS","features":[3]},{"name":"PCI_EXPRESS_SRIOV_CONTROL","features":[3]},{"name":"PCI_EXPRESS_SRIOV_MIGRATION_STATE_ARRAY","features":[3]},{"name":"PCI_EXPRESS_SRIOV_STATUS","features":[3]},{"name":"PCI_EXPRESS_TPH_REQUESTER_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_TPH_REQUESTER_CAPABILITY_REGISTER","features":[3]},{"name":"PCI_EXPRESS_TPH_REQUESTER_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_TPH_REQUESTER_CONTROL_REGISTER","features":[3]},{"name":"PCI_EXPRESS_TPH_ST_LOCATION_MSIX_TABLE","features":[3]},{"name":"PCI_EXPRESS_TPH_ST_LOCATION_NONE","features":[3]},{"name":"PCI_EXPRESS_TPH_ST_LOCATION_RESERVED","features":[3]},{"name":"PCI_EXPRESS_TPH_ST_LOCATION_TPH_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_TPH_ST_TABLE_ENTRY","features":[3]},{"name":"PCI_EXPRESS_UNCORRECTABLE_ERROR_MASK","features":[3]},{"name":"PCI_EXPRESS_UNCORRECTABLE_ERROR_SEVERITY","features":[3]},{"name":"PCI_EXPRESS_UNCORRECTABLE_ERROR_STATUS","features":[3]},{"name":"PCI_EXPRESS_VC_AND_MFVC_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_VENDOR_SPECIFIC_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_VENDOR_SPECIFIC_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_VIRTUAL_CHANNEL_CAPABILITY","features":[3]},{"name":"PCI_EXPRESS_VIRTUAL_CHANNEL_CAP_ID","features":[3]},{"name":"PCI_EXPRESS_WAKE_CONTROL","features":[3,1]},{"name":"PCI_EXTENDED_CONFIG_LENGTH","features":[3]},{"name":"PCI_FIRMWARE_BUS_CAPS","features":[3]},{"name":"PCI_FIRMWARE_BUS_CAPS_RETURN_BUFFER","features":[3]},{"name":"PCI_FPB_CAPABILITIES_REGISTER","features":[3]},{"name":"PCI_FPB_CAPABILITY","features":[3]},{"name":"PCI_FPB_CAPABILITY_HEADER","features":[3]},{"name":"PCI_FPB_MEM_HIGH_VECTOR_CONTROL1_REGISTER","features":[3]},{"name":"PCI_FPB_MEM_HIGH_VECTOR_CONTROL2_REGISTER","features":[3]},{"name":"PCI_FPB_MEM_LOW_VECTOR_CONTROL_REGISTER","features":[3]},{"name":"PCI_FPB_RID_VECTOR_CONTROL1_REGISTER","features":[3]},{"name":"PCI_FPB_RID_VECTOR_CONTROL2_REGISTER","features":[3]},{"name":"PCI_FPB_VECTOR_ACCESS_CONTROL_REGISTER","features":[3]},{"name":"PCI_FPB_VECTOR_ACCESS_DATA_REGISTER","features":[3]},{"name":"PCI_HARDWARE_INTERFACE","features":[3]},{"name":"PCI_INVALID_ALTERNATE_FUNCTION_NUMBER","features":[3]},{"name":"PCI_INVALID_VENDORID","features":[3]},{"name":"PCI_IS_DEVICE_PRESENT","features":[3,1]},{"name":"PCI_IS_DEVICE_PRESENT_EX","features":[3,1]},{"name":"PCI_LINE_TO_PIN","features":[3]},{"name":"PCI_MAX_BRIDGE_NUMBER","features":[3]},{"name":"PCI_MAX_DEVICES","features":[3]},{"name":"PCI_MAX_FUNCTION","features":[3]},{"name":"PCI_MAX_SEGMENT_NUMBER","features":[3]},{"name":"PCI_MSIX_GET_ENTRY","features":[3,1]},{"name":"PCI_MSIX_GET_TABLE_SIZE","features":[3,1]},{"name":"PCI_MSIX_MASKUNMASK_ENTRY","features":[3,1]},{"name":"PCI_MSIX_SET_ENTRY","features":[3,1]},{"name":"PCI_MSIX_TABLE_CONFIG_INTERFACE","features":[3,1]},{"name":"PCI_MSIX_TABLE_CONFIG_INTERFACE_VERSION","features":[3]},{"name":"PCI_MULTIFUNCTION","features":[3]},{"name":"PCI_PIN_TO_LINE","features":[3]},{"name":"PCI_PMC","features":[3]},{"name":"PCI_PMCSR","features":[3]},{"name":"PCI_PMCSR_BSE","features":[3]},{"name":"PCI_PM_CAPABILITY","features":[3]},{"name":"PCI_PREPARE_MULTISTAGE_RESUME","features":[3]},{"name":"PCI_PROGRAMMING_INTERFACE_MSC_NVM_EXPRESS","features":[3]},{"name":"PCI_PTM_TIME_SOURCE_AUX","features":[3]},{"name":"PCI_READ_WRITE_CONFIG","features":[3]},{"name":"PCI_RECOVERY_SECTION_GUID","features":[3]},{"name":"PCI_ROMADDRESS_ENABLED","features":[3]},{"name":"PCI_ROOT_BUS_CAPABILITY","features":[3,1]},{"name":"PCI_ROOT_BUS_HARDWARE_CAPABILITY","features":[3,1]},{"name":"PCI_ROOT_BUS_OSC_CONTROL_FIELD","features":[3]},{"name":"PCI_ROOT_BUS_OSC_METHOD_CAPABILITY_REVISION","features":[3]},{"name":"PCI_ROOT_BUS_OSC_SUPPORT_FIELD","features":[3]},{"name":"PCI_SECURITY_DIRECT_TRANSLATED_P2P","features":[3]},{"name":"PCI_SECURITY_ENHANCED","features":[3]},{"name":"PCI_SECURITY_FULLY_SUPPORTED","features":[3]},{"name":"PCI_SECURITY_GUEST_ASSIGNED","features":[3]},{"name":"PCI_SECURITY_INTERFACE","features":[3,1]},{"name":"PCI_SECURITY_INTERFACE2","features":[3,1]},{"name":"PCI_SECURITY_INTERFACE_VERSION","features":[3]},{"name":"PCI_SECURITY_INTERFACE_VERSION2","features":[3]},{"name":"PCI_SECURITY_SRIOV_DIRECT_TRANSLATED_P2P","features":[3]},{"name":"PCI_SEGMENT_BUS_NUMBER","features":[3]},{"name":"PCI_SET_ACS","features":[3,1]},{"name":"PCI_SET_ACS2","features":[3,1]},{"name":"PCI_SET_ATS","features":[3,1]},{"name":"PCI_SLOT_NUMBER","features":[3]},{"name":"PCI_STATUS_66MHZ_CAPABLE","features":[3]},{"name":"PCI_STATUS_CAPABILITIES_LIST","features":[3]},{"name":"PCI_STATUS_DATA_PARITY_DETECTED","features":[3]},{"name":"PCI_STATUS_DETECTED_PARITY_ERROR","features":[3]},{"name":"PCI_STATUS_DEVSEL","features":[3]},{"name":"PCI_STATUS_FAST_BACK_TO_BACK","features":[3]},{"name":"PCI_STATUS_IMMEDIATE_READINESS","features":[3]},{"name":"PCI_STATUS_INTERRUPT_PENDING","features":[3]},{"name":"PCI_STATUS_RECEIVED_MASTER_ABORT","features":[3]},{"name":"PCI_STATUS_RECEIVED_TARGET_ABORT","features":[3]},{"name":"PCI_STATUS_SIGNALED_SYSTEM_ERROR","features":[3]},{"name":"PCI_STATUS_SIGNALED_TARGET_ABORT","features":[3]},{"name":"PCI_STATUS_UDF_SUPPORTED","features":[3]},{"name":"PCI_SUBCLASS_BR_CARDBUS","features":[3]},{"name":"PCI_SUBCLASS_BR_EISA","features":[3]},{"name":"PCI_SUBCLASS_BR_HOST","features":[3]},{"name":"PCI_SUBCLASS_BR_ISA","features":[3]},{"name":"PCI_SUBCLASS_BR_MCA","features":[3]},{"name":"PCI_SUBCLASS_BR_NUBUS","features":[3]},{"name":"PCI_SUBCLASS_BR_OTHER","features":[3]},{"name":"PCI_SUBCLASS_BR_PCI_TO_PCI","features":[3]},{"name":"PCI_SUBCLASS_BR_PCMCIA","features":[3]},{"name":"PCI_SUBCLASS_BR_RACEWAY","features":[3]},{"name":"PCI_SUBCLASS_COM_MODEM","features":[3]},{"name":"PCI_SUBCLASS_COM_MULTIPORT","features":[3]},{"name":"PCI_SUBCLASS_COM_OTHER","features":[3]},{"name":"PCI_SUBCLASS_COM_PARALLEL","features":[3]},{"name":"PCI_SUBCLASS_COM_SERIAL","features":[3]},{"name":"PCI_SUBCLASS_CRYPTO_ENTERTAINMENT","features":[3]},{"name":"PCI_SUBCLASS_CRYPTO_NET_COMP","features":[3]},{"name":"PCI_SUBCLASS_CRYPTO_OTHER","features":[3]},{"name":"PCI_SUBCLASS_DASP_DPIO","features":[3]},{"name":"PCI_SUBCLASS_DASP_OTHER","features":[3]},{"name":"PCI_SUBCLASS_DOC_GENERIC","features":[3]},{"name":"PCI_SUBCLASS_DOC_OTHER","features":[3]},{"name":"PCI_SUBCLASS_INP_DIGITIZER","features":[3]},{"name":"PCI_SUBCLASS_INP_GAMEPORT","features":[3]},{"name":"PCI_SUBCLASS_INP_KEYBOARD","features":[3]},{"name":"PCI_SUBCLASS_INP_MOUSE","features":[3]},{"name":"PCI_SUBCLASS_INP_OTHER","features":[3]},{"name":"PCI_SUBCLASS_INP_SCANNER","features":[3]},{"name":"PCI_SUBCLASS_INTIO_I2O","features":[3]},{"name":"PCI_SUBCLASS_MEM_FLASH","features":[3]},{"name":"PCI_SUBCLASS_MEM_OTHER","features":[3]},{"name":"PCI_SUBCLASS_MEM_RAM","features":[3]},{"name":"PCI_SUBCLASS_MM_AUDIO_DEV","features":[3]},{"name":"PCI_SUBCLASS_MM_OTHER","features":[3]},{"name":"PCI_SUBCLASS_MM_TELEPHONY_DEV","features":[3]},{"name":"PCI_SUBCLASS_MM_VIDEO_DEV","features":[3]},{"name":"PCI_SUBCLASS_MSC_AHCI_CTLR","features":[3]},{"name":"PCI_SUBCLASS_MSC_FLOPPY_CTLR","features":[3]},{"name":"PCI_SUBCLASS_MSC_IDE_CTLR","features":[3]},{"name":"PCI_SUBCLASS_MSC_IPI_CTLR","features":[3]},{"name":"PCI_SUBCLASS_MSC_NVM_CTLR","features":[3]},{"name":"PCI_SUBCLASS_MSC_OTHER","features":[3]},{"name":"PCI_SUBCLASS_MSC_RAID_CTLR","features":[3]},{"name":"PCI_SUBCLASS_MSC_SCSI_BUS_CTLR","features":[3]},{"name":"PCI_SUBCLASS_NET_ATM_CTLR","features":[3]},{"name":"PCI_SUBCLASS_NET_ETHERNET_CTLR","features":[3]},{"name":"PCI_SUBCLASS_NET_FDDI_CTLR","features":[3]},{"name":"PCI_SUBCLASS_NET_ISDN_CTLR","features":[3]},{"name":"PCI_SUBCLASS_NET_OTHER","features":[3]},{"name":"PCI_SUBCLASS_NET_TOKEN_RING_CTLR","features":[3]},{"name":"PCI_SUBCLASS_PRE_20_NON_VGA","features":[3]},{"name":"PCI_SUBCLASS_PRE_20_VGA","features":[3]},{"name":"PCI_SUBCLASS_PROC_386","features":[3]},{"name":"PCI_SUBCLASS_PROC_486","features":[3]},{"name":"PCI_SUBCLASS_PROC_ALPHA","features":[3]},{"name":"PCI_SUBCLASS_PROC_COPROCESSOR","features":[3]},{"name":"PCI_SUBCLASS_PROC_PENTIUM","features":[3]},{"name":"PCI_SUBCLASS_PROC_POWERPC","features":[3]},{"name":"PCI_SUBCLASS_SAT_AUDIO","features":[3]},{"name":"PCI_SUBCLASS_SAT_DATA","features":[3]},{"name":"PCI_SUBCLASS_SAT_TV","features":[3]},{"name":"PCI_SUBCLASS_SAT_VOICE","features":[3]},{"name":"PCI_SUBCLASS_SB_ACCESS","features":[3]},{"name":"PCI_SUBCLASS_SB_FIBRE_CHANNEL","features":[3]},{"name":"PCI_SUBCLASS_SB_IEEE1394","features":[3]},{"name":"PCI_SUBCLASS_SB_SMBUS","features":[3]},{"name":"PCI_SUBCLASS_SB_SSA","features":[3]},{"name":"PCI_SUBCLASS_SB_THUNDERBOLT","features":[3]},{"name":"PCI_SUBCLASS_SB_USB","features":[3]},{"name":"PCI_SUBCLASS_SYS_DMA_CTLR","features":[3]},{"name":"PCI_SUBCLASS_SYS_GEN_HOTPLUG_CTLR","features":[3]},{"name":"PCI_SUBCLASS_SYS_INTERRUPT_CTLR","features":[3]},{"name":"PCI_SUBCLASS_SYS_OTHER","features":[3]},{"name":"PCI_SUBCLASS_SYS_RCEC","features":[3]},{"name":"PCI_SUBCLASS_SYS_REAL_TIME_CLOCK","features":[3]},{"name":"PCI_SUBCLASS_SYS_SDIO_CTRL","features":[3]},{"name":"PCI_SUBCLASS_SYS_SYSTEM_TIMER","features":[3]},{"name":"PCI_SUBCLASS_VID_OTHER","features":[3]},{"name":"PCI_SUBCLASS_VID_VGA_CTLR","features":[3]},{"name":"PCI_SUBCLASS_VID_XGA_CTLR","features":[3]},{"name":"PCI_SUBCLASS_WIRELESS_CON_IR","features":[3]},{"name":"PCI_SUBCLASS_WIRELESS_IRDA","features":[3]},{"name":"PCI_SUBCLASS_WIRELESS_OTHER","features":[3]},{"name":"PCI_SUBCLASS_WIRELESS_RF","features":[3]},{"name":"PCI_SUBLCASS_VID_3D_CTLR","features":[3]},{"name":"PCI_SUBSYSTEM_IDS_CAPABILITY","features":[3]},{"name":"PCI_TYPE0_ADDRESSES","features":[3]},{"name":"PCI_TYPE1_ADDRESSES","features":[3]},{"name":"PCI_TYPE2_ADDRESSES","features":[3]},{"name":"PCI_TYPE_20BIT","features":[3]},{"name":"PCI_TYPE_32BIT","features":[3]},{"name":"PCI_TYPE_64BIT","features":[3]},{"name":"PCI_USE_CLASS_SUBCLASS","features":[3]},{"name":"PCI_USE_LOCAL_BUS","features":[3]},{"name":"PCI_USE_LOCAL_DEVICE","features":[3]},{"name":"PCI_USE_PROGIF","features":[3]},{"name":"PCI_USE_REVISION","features":[3]},{"name":"PCI_USE_SUBSYSTEM_IDS","features":[3]},{"name":"PCI_USE_VENDEV_IDS","features":[3]},{"name":"PCI_VENDOR_SPECIFIC_CAPABILITY","features":[3]},{"name":"PCI_VIRTUALIZATION_INTERFACE","features":[3,1]},{"name":"PCI_WHICHSPACE_CONFIG","features":[3]},{"name":"PCI_WHICHSPACE_ROM","features":[3]},{"name":"PCI_X_CAPABILITY","features":[3]},{"name":"PCIe_NOTIFY_TYPE_GUID","features":[3]},{"name":"PCLFS_CLIENT_ADVANCE_TAIL_CALLBACK","features":[2,5,3,1,4,21,6,7,8]},{"name":"PCLFS_CLIENT_LFF_HANDLER_COMPLETE_CALLBACK","features":[2,5,3,1,4,6,7,8]},{"name":"PCLFS_CLIENT_LOG_UNPINNED_CALLBACK","features":[2,5,3,1,4,6,7,8]},{"name":"PCLFS_SET_LOG_SIZE_COMPLETE_CALLBACK","features":[2,5,3,1,4,6,7,8]},{"name":"PCMCIABus","features":[3]},{"name":"PCMCIAConfiguration","features":[3]},{"name":"PCONFIGURE_ADAPTER_CHANNEL","features":[2,5,3,1,4,6,7,8]},{"name":"PCRASHDUMP_POWER_ON","features":[3,1]},{"name":"PCREATE_COMMON_BUFFER_FROM_MDL","features":[2,5,3,1,4,6,7,8]},{"name":"PCREATE_PROCESS_NOTIFY_ROUTINE","features":[3,1]},{"name":"PCREATE_PROCESS_NOTIFY_ROUTINE_EX","features":[2,5,3,1,4,6,7,8,34]},{"name":"PCREATE_THREAD_NOTIFY_ROUTINE","features":[3,1]},{"name":"PCR_BTI_MITIGATION_CSWAP_HVC","features":[3]},{"name":"PCR_BTI_MITIGATION_CSWAP_SMC","features":[3]},{"name":"PCR_BTI_MITIGATION_NONE","features":[3]},{"name":"PCR_BTI_MITIGATION_VBAR_MASK","features":[3]},{"name":"PCR_MAJOR_VERSION","features":[3]},{"name":"PCR_MINOR_VERSION","features":[3]},{"name":"PCW_CALLBACK","features":[2,3,1,7]},{"name":"PCW_CALLBACK_INFORMATION","features":[2,3,1,7]},{"name":"PCW_CALLBACK_TYPE","features":[3]},{"name":"PCW_COUNTER_DESCRIPTOR","features":[3]},{"name":"PCW_COUNTER_INFORMATION","features":[3,1]},{"name":"PCW_CURRENT_VERSION","features":[3]},{"name":"PCW_DATA","features":[3]},{"name":"PCW_MASK_INFORMATION","features":[2,3,1,7]},{"name":"PCW_REGISTRATION_FLAGS","features":[3]},{"name":"PCW_REGISTRATION_INFORMATION","features":[3,1]},{"name":"PCW_VERSION_1","features":[3]},{"name":"PCW_VERSION_2","features":[3]},{"name":"PD3COLD_REQUEST_AUX_POWER","features":[3,1]},{"name":"PD3COLD_REQUEST_CORE_POWER_RAIL","features":[3]},{"name":"PD3COLD_REQUEST_PERST_DELAY","features":[3,1]},{"name":"PDEBUG_DEVICE_FOUND_FUNCTION","features":[3,1]},{"name":"PDEBUG_PRINT_CALLBACK","features":[3,7]},{"name":"PDEVICE_BUS_SPECIFIC_RESET_HANDLER","features":[3,1]},{"name":"PDEVICE_CHANGE_COMPLETE_CALLBACK","features":[3]},{"name":"PDEVICE_NOTIFY_CALLBACK","features":[3]},{"name":"PDEVICE_NOTIFY_CALLBACK2","features":[3]},{"name":"PDEVICE_QUERY_BUS_SPECIFIC_RESET_HANDLER","features":[3,1]},{"name":"PDEVICE_RESET_COMPLETION","features":[3]},{"name":"PDEVICE_RESET_HANDLER","features":[3,1]},{"name":"PDE_BASE","features":[3]},{"name":"PDE_PER_PAGE","features":[3]},{"name":"PDE_TOP","features":[3]},{"name":"PDI_SHIFT","features":[3]},{"name":"PDMA_COMPLETION_ROUTINE","features":[3]},{"name":"PDRIVER_CMC_EXCEPTION_CALLBACK","features":[3]},{"name":"PDRIVER_CPE_EXCEPTION_CALLBACK","features":[3]},{"name":"PDRIVER_EXCPTN_CALLBACK","features":[3]},{"name":"PDRIVER_VERIFIER_THUNK_ROUTINE","features":[3]},{"name":"PEI_NOTIFY_TYPE_GUID","features":[3]},{"name":"PENABLE_VIRTUALIZATION","features":[3,1]},{"name":"PETWENABLECALLBACK","features":[3]},{"name":"PEXPAND_STACK_CALLOUT","features":[3]},{"name":"PEXT_CALLBACK","features":[3]},{"name":"PEXT_DELETE_CALLBACK","features":[3]},{"name":"PEX_CALLBACK_FUNCTION","features":[3,1]},{"name":"PFAControl","features":[3]},{"name":"PFLUSH_ADAPTER_BUFFERS","features":[2,5,3,1,4,6,7,8]},{"name":"PFLUSH_ADAPTER_BUFFERS_EX","features":[2,5,3,1,4,6,7,8]},{"name":"PFLUSH_DMA_BUFFER","features":[2,5,3,1,4,6,7,8]},{"name":"PFNFTH","features":[3,1]},{"name":"PFN_IN_USE_PAGE_OFFLINE_NOTIFY","features":[3,1]},{"name":"PFN_NT_COMMIT_TRANSACTION","features":[3,1]},{"name":"PFN_NT_CREATE_TRANSACTION","features":[2,3,1]},{"name":"PFN_NT_OPEN_TRANSACTION","features":[2,3,1]},{"name":"PFN_NT_QUERY_INFORMATION_TRANSACTION","features":[3,1,36]},{"name":"PFN_NT_ROLLBACK_TRANSACTION","features":[3,1]},{"name":"PFN_NT_SET_INFORMATION_TRANSACTION","features":[3,1,36]},{"name":"PFN_RTL_IS_NTDDI_VERSION_AVAILABLE","features":[3,1]},{"name":"PFN_RTL_IS_SERVICE_PACK_VERSION_INSTALLED","features":[3,1]},{"name":"PFN_WHEA_HIGH_IRQL_LOG_SEL_EVENT_HANDLER","features":[3,1,30]},{"name":"PFPGA_BUS_SCAN","features":[3]},{"name":"PFPGA_CONTROL_CONFIG_SPACE","features":[3,1]},{"name":"PFPGA_CONTROL_ERROR_REPORTING","features":[3,1]},{"name":"PFPGA_CONTROL_LINK","features":[3,1]},{"name":"PFREE_ADAPTER_CHANNEL","features":[2,5,3,1,4,6,7,8]},{"name":"PFREE_ADAPTER_OBJECT","features":[2,5,3,1,4,6,7,8]},{"name":"PFREE_COMMON_BUFFER","features":[2,5,3,1,4,6,7,8]},{"name":"PFREE_COMMON_BUFFER_FROM_VECTOR","features":[2,5,3,1,4,6,7,8]},{"name":"PFREE_COMMON_BUFFER_VECTOR","features":[2,5,3,1,4,6,7,8]},{"name":"PFREE_FUNCTION_EX","features":[3]},{"name":"PFREE_MAP_REGISTERS","features":[2,5,3,1,4,6,7,8]},{"name":"PGET_COMMON_BUFFER_FROM_VECTOR_BY_INDEX","features":[2,5,3,1,4,6,7,8]},{"name":"PGET_D3COLD_CAPABILITY","features":[3,1]},{"name":"PGET_D3COLD_LAST_TRANSITION_STATUS","features":[3]},{"name":"PGET_DEVICE_RESET_STATUS","features":[3,1]},{"name":"PGET_DMA_ADAPTER","features":[2,5,3,1,4,6,7,8]},{"name":"PGET_DMA_ADAPTER_INFO","features":[2,5,3,1,4,6,7,8]},{"name":"PGET_DMA_ALIGNMENT","features":[2,5,3,1,4,6,7,8]},{"name":"PGET_DMA_DOMAIN","features":[2,5,3,1,4,6,7,8]},{"name":"PGET_DMA_TRANSFER_INFO","features":[2,5,3,1,4,6,7,8]},{"name":"PGET_IDLE_WAKE_INFO","features":[3,1]},{"name":"PGET_LOCATION_STRING","features":[3,1]},{"name":"PGET_SCATTER_GATHER_LIST","features":[2,5,3,1,4,6,7,8]},{"name":"PGET_SCATTER_GATHER_LIST_EX","features":[2,5,3,1,4,6,7,8]},{"name":"PGET_SDEV_IDENTIFIER","features":[3]},{"name":"PGET_SET_DEVICE_DATA","features":[3]},{"name":"PGET_UPDATED_BUS_RESOURCE","features":[3,1]},{"name":"PGET_VIRTUAL_DEVICE_DATA","features":[3]},{"name":"PGET_VIRTUAL_DEVICE_LOCATION","features":[3,1]},{"name":"PGET_VIRTUAL_DEVICE_RESOURCES","features":[3]},{"name":"PGET_VIRTUAL_FUNCTION_PROBED_BARS","features":[3,1]},{"name":"PGPE_CLEAR_STATUS","features":[2,5,3,1,4,6,7,8]},{"name":"PGPE_CLEAR_STATUS2","features":[3,1]},{"name":"PGPE_CONNECT_VECTOR","features":[2,5,3,1,4,6,7,8]},{"name":"PGPE_CONNECT_VECTOR2","features":[3,1]},{"name":"PGPE_DISABLE_EVENT","features":[2,5,3,1,4,6,7,8]},{"name":"PGPE_DISABLE_EVENT2","features":[3,1]},{"name":"PGPE_DISCONNECT_VECTOR","features":[3,1]},{"name":"PGPE_DISCONNECT_VECTOR2","features":[3,1]},{"name":"PGPE_ENABLE_EVENT","features":[2,5,3,1,4,6,7,8]},{"name":"PGPE_ENABLE_EVENT2","features":[3,1]},{"name":"PGPE_SERVICE_ROUTINE","features":[3,1]},{"name":"PGPE_SERVICE_ROUTINE2","features":[3,1]},{"name":"PHALIOREADWRITEHANDLER","features":[3,1]},{"name":"PHALMCAINTERFACELOCK","features":[3]},{"name":"PHALMCAINTERFACEREADREGISTER","features":[3,1]},{"name":"PHALMCAINTERFACEUNLOCK","features":[3]},{"name":"PHAL_RESET_DISPLAY_PARAMETERS","features":[3,1]},{"name":"PHVL_WHEA_ERROR_NOTIFICATION","features":[3,1]},{"name":"PHYSICAL_COUNTER_EVENT_BUFFER_CONFIGURATION","features":[3,1]},{"name":"PHYSICAL_COUNTER_RESOURCE_DESCRIPTOR","features":[3,1]},{"name":"PHYSICAL_COUNTER_RESOURCE_DESCRIPTOR_TYPE","features":[3]},{"name":"PHYSICAL_COUNTER_RESOURCE_LIST","features":[3,1]},{"name":"PHYSICAL_MEMORY_RANGE","features":[3]},{"name":"PINITIALIZE_DMA_TRANSFER_CONTEXT","features":[2,5,3,1,4,6,7,8]},{"name":"PINTERFACE_DEREFERENCE","features":[3]},{"name":"PINTERFACE_REFERENCE","features":[3]},{"name":"PIOMMU_DEVICE_CREATE","features":[3,1]},{"name":"PIOMMU_DEVICE_DELETE","features":[3,1]},{"name":"PIOMMU_DEVICE_FAULT_HANDLER","features":[3]},{"name":"PIOMMU_DEVICE_QUERY_DOMAIN_TYPES","features":[3]},{"name":"PIOMMU_DOMAIN_ATTACH_DEVICE","features":[3,1]},{"name":"PIOMMU_DOMAIN_ATTACH_DEVICE_EX","features":[3,1]},{"name":"PIOMMU_DOMAIN_CONFIGURE","features":[3,1]},{"name":"PIOMMU_DOMAIN_CREATE","features":[3,1]},{"name":"PIOMMU_DOMAIN_CREATE_EX","features":[3,1]},{"name":"PIOMMU_DOMAIN_DELETE","features":[3,1]},{"name":"PIOMMU_DOMAIN_DETACH_DEVICE","features":[3,1]},{"name":"PIOMMU_DOMAIN_DETACH_DEVICE_EX","features":[3,1]},{"name":"PIOMMU_FLUSH_DOMAIN","features":[3,1]},{"name":"PIOMMU_FLUSH_DOMAIN_VA_LIST","features":[3,1]},{"name":"PIOMMU_FREE_RESERVED_LOGICAL_ADDRESS_RANGE","features":[3,1]},{"name":"PIOMMU_INTERFACE_STATE_CHANGE_CALLBACK","features":[3]},{"name":"PIOMMU_MAP_IDENTITY_RANGE","features":[3,1]},{"name":"PIOMMU_MAP_IDENTITY_RANGE_EX","features":[3,1]},{"name":"PIOMMU_MAP_LOGICAL_RANGE","features":[3,1]},{"name":"PIOMMU_MAP_LOGICAL_RANGE_EX","features":[3,1]},{"name":"PIOMMU_MAP_RESERVED_LOGICAL_RANGE","features":[3,1]},{"name":"PIOMMU_QUERY_INPUT_MAPPINGS","features":[3,1]},{"name":"PIOMMU_REGISTER_INTERFACE_STATE_CHANGE_CALLBACK","features":[3,1]},{"name":"PIOMMU_RESERVE_LOGICAL_ADDRESS_RANGE","features":[3,1]},{"name":"PIOMMU_SET_DEVICE_FAULT_REPORTING","features":[3,1]},{"name":"PIOMMU_SET_DEVICE_FAULT_REPORTING_EX","features":[3,1]},{"name":"PIOMMU_UNMAP_IDENTITY_RANGE","features":[3,1]},{"name":"PIOMMU_UNMAP_IDENTITY_RANGE_EX","features":[3,1]},{"name":"PIOMMU_UNMAP_LOGICAL_RANGE","features":[3,1]},{"name":"PIOMMU_UNMAP_RESERVED_LOGICAL_RANGE","features":[3,1]},{"name":"PIOMMU_UNREGISTER_INTERFACE_STATE_CHANGE_CALLBACK","features":[3,1]},{"name":"PIO_CONTAINER_NOTIFICATION_FUNCTION","features":[3,1]},{"name":"PIO_CSQ_ACQUIRE_LOCK","features":[3]},{"name":"PIO_CSQ_COMPLETE_CANCELED_IRP","features":[3]},{"name":"PIO_CSQ_INSERT_IRP","features":[3]},{"name":"PIO_CSQ_INSERT_IRP_EX","features":[3,1]},{"name":"PIO_CSQ_PEEK_NEXT_IRP","features":[2,5,3,1,4,6,7,8]},{"name":"PIO_CSQ_RELEASE_LOCK","features":[3]},{"name":"PIO_CSQ_REMOVE_IRP","features":[3]},{"name":"PIO_DEVICE_EJECT_CALLBACK","features":[3,1]},{"name":"PIO_DPC_ROUTINE","features":[3]},{"name":"PIO_PERSISTED_MEMORY_ENUMERATION_CALLBACK","features":[3,1]},{"name":"PIO_QUERY_DEVICE_ROUTINE","features":[3,1]},{"name":"PIO_SESSION_NOTIFICATION_FUNCTION","features":[3,1]},{"name":"PIO_TIMER_ROUTINE","features":[3]},{"name":"PIO_WORKITEM_ROUTINE","features":[3]},{"name":"PIO_WORKITEM_ROUTINE_EX","features":[3]},{"name":"PJOIN_DMA_DOMAIN","features":[2,5,3,1,4,6,7,8]},{"name":"PKBUGCHECK_CALLBACK_ROUTINE","features":[3]},{"name":"PKBUGCHECK_REASON_CALLBACK_ROUTINE","features":[3]},{"name":"PKIPI_BROADCAST_WORKER","features":[3]},{"name":"PKMESSAGE_SERVICE_ROUTINE","features":[3,1]},{"name":"PKSERVICE_ROUTINE","features":[3,1]},{"name":"PKSTART_ROUTINE","features":[3]},{"name":"PKSYNCHRONIZE_ROUTINE","features":[3,1]},{"name":"PLEAVE_DMA_DOMAIN","features":[2,5,3,1,4,6,7,8]},{"name":"PLOAD_IMAGE_NOTIFY_ROUTINE","features":[3,1]},{"name":"PLUGPLAY_NOTIFICATION_HEADER","features":[3]},{"name":"PLUGPLAY_PROPERTY_PERSISTENT","features":[3]},{"name":"PLUGPLAY_REGKEY_CURRENT_HWPROFILE","features":[3]},{"name":"PLUGPLAY_REGKEY_DEVICE","features":[3]},{"name":"PLUGPLAY_REGKEY_DRIVER","features":[3]},{"name":"PMAP_TRANSFER","features":[2,5,3,1,4,6,7,8]},{"name":"PMAP_TRANSFER_EX","features":[2,5,3,1,4,6,7,8]},{"name":"PMCCounter","features":[3]},{"name":"PMEM_ERROR_SECTION_GUID","features":[3]},{"name":"PMM_DLL_INITIALIZE","features":[3,1]},{"name":"PMM_DLL_UNLOAD","features":[3,1]},{"name":"PMM_GET_SYSTEM_ROUTINE_ADDRESS_EX","features":[3,1]},{"name":"PMM_MDL_ROUTINE","features":[3]},{"name":"PMM_ROTATE_COPY_CALLBACK_FUNCTION","features":[2,3,1]},{"name":"PM_DISPATCH_TABLE","features":[3]},{"name":"PNMI_CALLBACK","features":[3,1]},{"name":"PNPBus","features":[3]},{"name":"PNPEM_CONTROL_ENABLE_DISABLE","features":[3,1]},{"name":"PNPEM_CONTROL_QUERY_CONTROL","features":[3]},{"name":"PNPEM_CONTROL_QUERY_STANDARD_CAPABILITIES","features":[3,1]},{"name":"PNPEM_CONTROL_SET_STANDARD_CONTROL","features":[3,1]},{"name":"PNPISABus","features":[3]},{"name":"PNPISAConfiguration","features":[3]},{"name":"PNPNOTIFY_DEVICE_INTERFACE_INCLUDE_EXISTING_INTERFACES","features":[3]},{"name":"PNP_BUS_INFORMATION","features":[3]},{"name":"PNP_DEVICE_ASSIGNED_TO_GUEST","features":[3]},{"name":"PNP_DEVICE_DISABLED","features":[3]},{"name":"PNP_DEVICE_DISCONNECTED","features":[3]},{"name":"PNP_DEVICE_DONT_DISPLAY_IN_UI","features":[3]},{"name":"PNP_DEVICE_FAILED","features":[3]},{"name":"PNP_DEVICE_NOT_DISABLEABLE","features":[3]},{"name":"PNP_DEVICE_REMOVED","features":[3]},{"name":"PNP_DEVICE_RESOURCE_REQUIREMENTS_CHANGED","features":[3]},{"name":"PNP_DEVICE_RESOURCE_UPDATED","features":[3]},{"name":"PNP_EXTENDED_ADDRESS_INTERFACE","features":[3]},{"name":"PNP_EXTENDED_ADDRESS_INTERFACE_VERSION","features":[3]},{"name":"PNP_LOCATION_INTERFACE","features":[3,1]},{"name":"PNP_REPLACE_DRIVER_INTERFACE","features":[3,1]},{"name":"PNP_REPLACE_DRIVER_INTERFACE_VERSION","features":[3]},{"name":"PNP_REPLACE_HARDWARE_MEMORY_MIRRORING","features":[3]},{"name":"PNP_REPLACE_HARDWARE_PAGE_COPY","features":[3]},{"name":"PNP_REPLACE_HARDWARE_QUIESCE","features":[3]},{"name":"PNP_REPLACE_MEMORY_LIST","features":[3]},{"name":"PNP_REPLACE_MEMORY_SUPPORTED","features":[3]},{"name":"PNP_REPLACE_PARAMETERS","features":[3,1]},{"name":"PNP_REPLACE_PARAMETERS_VERSION","features":[3]},{"name":"PNP_REPLACE_PROCESSOR_LIST","features":[3]},{"name":"PNP_REPLACE_PROCESSOR_LIST_V1","features":[3]},{"name":"PNP_REPLACE_PROCESSOR_SUPPORTED","features":[3]},{"name":"PNTFS_DEREF_EXPORTED_SECURITY_DESCRIPTOR","features":[3]},{"name":"POB_POST_OPERATION_CALLBACK","features":[2,3,1]},{"name":"POB_PRE_OPERATION_CALLBACK","features":[2,3]},{"name":"POOLED_USAGE_AND_LIMITS","features":[3]},{"name":"POOL_COLD_ALLOCATION","features":[3]},{"name":"POOL_CREATE_EXTENDED_PARAMS","features":[3]},{"name":"POOL_CREATE_FLG_SECURE_POOL","features":[3]},{"name":"POOL_CREATE_FLG_USE_GLOBAL_POOL","features":[3]},{"name":"POOL_CREATE_PARAMS_VERSION","features":[3]},{"name":"POOL_EXTENDED_PARAMETER","features":[3,1]},{"name":"POOL_EXTENDED_PARAMETER_REQUIRED_FIELD_BITS","features":[3]},{"name":"POOL_EXTENDED_PARAMETER_TYPE","features":[3]},{"name":"POOL_EXTENDED_PARAMETER_TYPE_BITS","features":[3]},{"name":"POOL_EXTENDED_PARAMS_SECURE_POOL","features":[3,1]},{"name":"POOL_NX_ALLOCATION","features":[3]},{"name":"POOL_NX_OPTIN_AUTO","features":[3]},{"name":"POOL_QUOTA_FAIL_INSTEAD_OF_RAISE","features":[3]},{"name":"POOL_RAISE_IF_ALLOCATION_FAILURE","features":[3]},{"name":"POOL_TAGGING","features":[3]},{"name":"POOL_ZEROING_INFORMATION","features":[3]},{"name":"POOL_ZERO_ALLOCATION","features":[3]},{"name":"PORT_MAXIMUM_MESSAGE_LENGTH","features":[3]},{"name":"POWER_LEVEL","features":[3]},{"name":"POWER_MONITOR_INVOCATION","features":[3,1]},{"name":"POWER_MONITOR_REQUEST_REASON","features":[3]},{"name":"POWER_MONITOR_REQUEST_TYPE","features":[3]},{"name":"POWER_PLATFORM_INFORMATION","features":[3,1]},{"name":"POWER_PLATFORM_ROLE","features":[3]},{"name":"POWER_PLATFORM_ROLE_V1","features":[3]},{"name":"POWER_PLATFORM_ROLE_V2","features":[3]},{"name":"POWER_PLATFORM_ROLE_VERSION","features":[3]},{"name":"POWER_SEQUENCE","features":[3]},{"name":"POWER_SESSION_CONNECT","features":[3,1]},{"name":"POWER_SESSION_RIT_STATE","features":[3,1]},{"name":"POWER_SESSION_TIMEOUTS","features":[3]},{"name":"POWER_SESSION_WINLOGON","features":[3,1]},{"name":"POWER_SETTING_CALLBACK","features":[3,1]},{"name":"POWER_SETTING_VALUE_VERSION","features":[3]},{"name":"POWER_STATE","features":[3,8]},{"name":"POWER_STATE_TYPE","features":[3]},{"name":"POWER_THROTTLING_PROCESS_CURRENT_VERSION","features":[3]},{"name":"POWER_THROTTLING_PROCESS_DELAYTIMERS","features":[3]},{"name":"POWER_THROTTLING_PROCESS_EXECUTION_SPEED","features":[3]},{"name":"POWER_THROTTLING_PROCESS_IGNORE_TIMER_RESOLUTION","features":[3]},{"name":"POWER_THROTTLING_PROCESS_STATE","features":[3]},{"name":"POWER_THROTTLING_THREAD_CURRENT_VERSION","features":[3]},{"name":"POWER_THROTTLING_THREAD_EXECUTION_SPEED","features":[3]},{"name":"POWER_THROTTLING_THREAD_STATE","features":[3]},{"name":"POWER_THROTTLING_THREAD_VALID_FLAGS","features":[3]},{"name":"POWER_USER_PRESENCE_TYPE","features":[3]},{"name":"PO_FX_COMPONENT_ACTIVE_CONDITION_CALLBACK","features":[3]},{"name":"PO_FX_COMPONENT_CRITICAL_TRANSITION_CALLBACK","features":[3,1]},{"name":"PO_FX_COMPONENT_FLAG_F0_ON_DX","features":[3]},{"name":"PO_FX_COMPONENT_FLAG_NO_DEBOUNCE","features":[3]},{"name":"PO_FX_COMPONENT_IDLE_CONDITION_CALLBACK","features":[3]},{"name":"PO_FX_COMPONENT_IDLE_STATE","features":[3]},{"name":"PO_FX_COMPONENT_IDLE_STATE_CALLBACK","features":[3]},{"name":"PO_FX_COMPONENT_PERF_INFO","features":[3,1]},{"name":"PO_FX_COMPONENT_PERF_SET","features":[3,1]},{"name":"PO_FX_COMPONENT_PERF_STATE_CALLBACK","features":[3,1]},{"name":"PO_FX_COMPONENT_V1","features":[3]},{"name":"PO_FX_COMPONENT_V2","features":[3]},{"name":"PO_FX_DEVICE_POWER_NOT_REQUIRED_CALLBACK","features":[3]},{"name":"PO_FX_DEVICE_POWER_REQUIRED_CALLBACK","features":[3]},{"name":"PO_FX_DEVICE_V1","features":[3,1]},{"name":"PO_FX_DEVICE_V2","features":[3,1]},{"name":"PO_FX_DEVICE_V3","features":[3,1]},{"name":"PO_FX_DIRECTED_FX_DEFAULT_IDLE_TIMEOUT","features":[3]},{"name":"PO_FX_DIRECTED_POWER_DOWN_CALLBACK","features":[3]},{"name":"PO_FX_DIRECTED_POWER_UP_CALLBACK","features":[3]},{"name":"PO_FX_DRIPS_WATCHDOG_CALLBACK","features":[2,5,3,1,4,6,7,8]},{"name":"PO_FX_FLAG_ASYNC_ONLY","features":[3]},{"name":"PO_FX_FLAG_BLOCKING","features":[3]},{"name":"PO_FX_FLAG_PERF_PEP_OPTIONAL","features":[3]},{"name":"PO_FX_FLAG_PERF_QUERY_ON_ALL_IDLE_STATES","features":[3]},{"name":"PO_FX_FLAG_PERF_QUERY_ON_F0","features":[3]},{"name":"PO_FX_PERF_STATE","features":[3]},{"name":"PO_FX_PERF_STATE_CHANGE","features":[3]},{"name":"PO_FX_PERF_STATE_TYPE","features":[3]},{"name":"PO_FX_PERF_STATE_UNIT","features":[3]},{"name":"PO_FX_POWER_CONTROL_CALLBACK","features":[3,1]},{"name":"PO_FX_UNKNOWN_POWER","features":[3]},{"name":"PO_FX_UNKNOWN_TIME","features":[3]},{"name":"PO_FX_VERSION","features":[3]},{"name":"PO_FX_VERSION_V1","features":[3]},{"name":"PO_FX_VERSION_V2","features":[3]},{"name":"PO_FX_VERSION_V3","features":[3]},{"name":"PO_MEM_BOOT_PHASE","features":[3]},{"name":"PO_MEM_CLONE","features":[3]},{"name":"PO_MEM_CL_OR_NCHK","features":[3]},{"name":"PO_MEM_DISCARD","features":[3]},{"name":"PO_MEM_PAGE_ADDRESS","features":[3]},{"name":"PO_MEM_PRESERVE","features":[3]},{"name":"PO_THERMAL_REQUEST_TYPE","features":[3]},{"name":"PPCI_EXPRESS_ENTER_LINK_QUIESCENT_MODE","features":[3,1]},{"name":"PPCI_EXPRESS_EXIT_LINK_QUIESCENT_MODE","features":[3,1]},{"name":"PPCI_EXPRESS_ROOT_PORT_READ_CONFIG_SPACE","features":[3]},{"name":"PPCI_EXPRESS_ROOT_PORT_WRITE_CONFIG_SPACE","features":[3]},{"name":"PPCI_EXPRESS_WAKE_CONTROL","features":[3]},{"name":"PPCI_IS_DEVICE_PRESENT","features":[3,1]},{"name":"PPCI_IS_DEVICE_PRESENT_EX","features":[3,1]},{"name":"PPCI_LINE_TO_PIN","features":[3]},{"name":"PPCI_MSIX_GET_ENTRY","features":[3,1]},{"name":"PPCI_MSIX_GET_TABLE_SIZE","features":[3,1]},{"name":"PPCI_MSIX_MASKUNMASK_ENTRY","features":[3,1]},{"name":"PPCI_MSIX_SET_ENTRY","features":[3,1]},{"name":"PPCI_PIN_TO_LINE","features":[3]},{"name":"PPCI_PREPARE_MULTISTAGE_RESUME","features":[3]},{"name":"PPCI_READ_WRITE_CONFIG","features":[3]},{"name":"PPCI_ROOT_BUS_CAPABILITY","features":[3]},{"name":"PPCI_SET_ACS","features":[3,1]},{"name":"PPCI_SET_ACS2","features":[3,1]},{"name":"PPCI_SET_ATS","features":[3,1]},{"name":"PPCW_CALLBACK","features":[3,1]},{"name":"PPHYSICAL_COUNTER_EVENT_BUFFER_OVERFLOW_HANDLER","features":[3,1]},{"name":"PPHYSICAL_COUNTER_OVERFLOW_HANDLER","features":[3,1]},{"name":"PPI_SHIFT","features":[3]},{"name":"PPOWER_SETTING_CALLBACK","features":[3,1]},{"name":"PPO_FX_COMPONENT_ACTIVE_CONDITION_CALLBACK","features":[3]},{"name":"PPO_FX_COMPONENT_CRITICAL_TRANSITION_CALLBACK","features":[3]},{"name":"PPO_FX_COMPONENT_IDLE_CONDITION_CALLBACK","features":[3]},{"name":"PPO_FX_COMPONENT_IDLE_STATE_CALLBACK","features":[3]},{"name":"PPO_FX_COMPONENT_PERF_STATE_CALLBACK","features":[3]},{"name":"PPO_FX_DEVICE_POWER_NOT_REQUIRED_CALLBACK","features":[3]},{"name":"PPO_FX_DEVICE_POWER_REQUIRED_CALLBACK","features":[3]},{"name":"PPO_FX_DIRECTED_POWER_DOWN_CALLBACK","features":[3]},{"name":"PPO_FX_DIRECTED_POWER_UP_CALLBACK","features":[3]},{"name":"PPO_FX_DRIPS_WATCHDOG_CALLBACK","features":[3]},{"name":"PPO_FX_POWER_CONTROL_CALLBACK","features":[3,1]},{"name":"PPROCESSOR_CALLBACK_FUNCTION","features":[3]},{"name":"PPROCESSOR_HALT_ROUTINE","features":[3,1]},{"name":"PPTM_DEVICE_DISABLE","features":[3,1]},{"name":"PPTM_DEVICE_ENABLE","features":[3,1]},{"name":"PPTM_DEVICE_QUERY_GRANULARITY","features":[3,1]},{"name":"PPTM_DEVICE_QUERY_TIME_SOURCE","features":[3,1]},{"name":"PPUT_DMA_ADAPTER","features":[2,5,3,1,4,6,7,8]},{"name":"PPUT_SCATTER_GATHER_LIST","features":[2,5,3,1,4,6,7,8]},{"name":"PQUERYEXTENDEDADDRESS","features":[3]},{"name":"PREAD_DMA_COUNTER","features":[2,5,3,1,4,6,7,8]},{"name":"PREENUMERATE_SELF","features":[3]},{"name":"PREGISTER_FOR_DEVICE_NOTIFICATIONS","features":[2,5,3,1,4,6,7,8]},{"name":"PREGISTER_FOR_DEVICE_NOTIFICATIONS2","features":[3,1]},{"name":"PREPLACE_BEGIN","features":[3,1]},{"name":"PREPLACE_DRIVER_INIT","features":[3,1]},{"name":"PREPLACE_ENABLE_DISABLE_HARDWARE_QUIESCE","features":[3,1]},{"name":"PREPLACE_END","features":[3,1]},{"name":"PREPLACE_GET_MEMORY_DESTINATION","features":[3,1]},{"name":"PREPLACE_INITIATE_HARDWARE_MIRROR","features":[3,1]},{"name":"PREPLACE_MAP_MEMORY","features":[3,1]},{"name":"PREPLACE_MIRROR_PHYSICAL_MEMORY","features":[3,1]},{"name":"PREPLACE_MIRROR_PLATFORM_MEMORY","features":[3,1]},{"name":"PREPLACE_SET_PROCESSOR_ID","features":[3,1]},{"name":"PREPLACE_SWAP","features":[3,1]},{"name":"PREPLACE_UNLOAD","features":[3]},{"name":"PREQUEST_POWER_COMPLETE","features":[3]},{"name":"PRIVILEGE_SET_ALL_NECESSARY","features":[3]},{"name":"PROCESSOR_CALLBACK_FUNCTION","features":[3,1,7]},{"name":"PROCESSOR_FEATURE_MAX","features":[3]},{"name":"PROCESSOR_GENERIC_ERROR_SECTION_GUID","features":[3]},{"name":"PROCESSOR_HALT_ROUTINE","features":[3,1]},{"name":"PROCESS_ACCESS_TOKEN","features":[3,1]},{"name":"PROCESS_DEVICEMAP_INFORMATION","features":[3,1]},{"name":"PROCESS_DEVICEMAP_INFORMATION_EX","features":[3,1]},{"name":"PROCESS_EXCEPTION_PORT","features":[3,1]},{"name":"PROCESS_EXCEPTION_PORT_ALL_STATE_BITS","features":[3]},{"name":"PROCESS_EXTENDED_BASIC_INFORMATION","features":[3,1,7,37]},{"name":"PROCESS_HANDLE_EXCEPTIONS_ENABLED","features":[3]},{"name":"PROCESS_HANDLE_RAISE_UM_EXCEPTION_ON_INVALID_HANDLE_CLOSE_DISABLED","features":[3]},{"name":"PROCESS_HANDLE_RAISE_UM_EXCEPTION_ON_INVALID_HANDLE_CLOSE_ENABLED","features":[3]},{"name":"PROCESS_HANDLE_TRACING_ENABLE","features":[3]},{"name":"PROCESS_HANDLE_TRACING_ENABLE_EX","features":[3]},{"name":"PROCESS_HANDLE_TRACING_ENTRY","features":[3,1,34]},{"name":"PROCESS_HANDLE_TRACING_MAX_STACKS","features":[3]},{"name":"PROCESS_HANDLE_TRACING_QUERY","features":[3,1,34]},{"name":"PROCESS_KEEPALIVE_COUNT_INFORMATION","features":[3]},{"name":"PROCESS_LUID_DOSDEVICES_ONLY","features":[3]},{"name":"PROCESS_MEMBERSHIP_INFORMATION","features":[3]},{"name":"PROCESS_REVOKE_FILE_HANDLES_INFORMATION","features":[3,1]},{"name":"PROCESS_SESSION_INFORMATION","features":[3]},{"name":"PROCESS_SYSCALL_PROVIDER_INFORMATION","features":[3]},{"name":"PROCESS_WS_WATCH_INFORMATION","features":[3]},{"name":"PROFILE_LEVEL","features":[3]},{"name":"PROTECTED_POOL","features":[3]},{"name":"PRTL_AVL_ALLOCATE_ROUTINE","features":[3]},{"name":"PRTL_AVL_COMPARE_ROUTINE","features":[3]},{"name":"PRTL_AVL_FREE_ROUTINE","features":[3]},{"name":"PRTL_AVL_MATCH_FUNCTION","features":[3,1]},{"name":"PRTL_GENERIC_ALLOCATE_ROUTINE","features":[3]},{"name":"PRTL_GENERIC_COMPARE_ROUTINE","features":[3]},{"name":"PRTL_GENERIC_FREE_ROUTINE","features":[3]},{"name":"PRTL_QUERY_REGISTRY_ROUTINE","features":[3,1]},{"name":"PRTL_RUN_ONCE_INIT_FN","features":[3]},{"name":"PSCREATEPROCESSNOTIFYTYPE","features":[3]},{"name":"PSCREATETHREADNOTIFYTYPE","features":[3]},{"name":"PSECURE_DRIVER_PROCESS_DEREFERENCE","features":[3]},{"name":"PSECURE_DRIVER_PROCESS_REFERENCE","features":[2,3]},{"name":"PSET_D3COLD_SUPPORT","features":[3]},{"name":"PSET_VIRTUAL_DEVICE_DATA","features":[3]},{"name":"PSE_IMAGE_VERIFICATION_CALLBACK_FUNCTION","features":[3]},{"name":"PSHED_PI_ATTEMPT_ERROR_RECOVERY","features":[3,1]},{"name":"PSHED_PI_CLEAR_ERROR_RECORD","features":[3,1]},{"name":"PSHED_PI_CLEAR_ERROR_STATUS","features":[3,1,30]},{"name":"PSHED_PI_DISABLE_ERROR_SOURCE","features":[3,1,30]},{"name":"PSHED_PI_ENABLE_ERROR_SOURCE","features":[3,1,30]},{"name":"PSHED_PI_ERR_READING_PCIE_OVERRIDES","features":[3]},{"name":"PSHED_PI_FINALIZE_ERROR_RECORD","features":[3,1,30]},{"name":"PSHED_PI_GET_ALL_ERROR_SOURCES","features":[3,1,30]},{"name":"PSHED_PI_GET_ERROR_SOURCE_INFO","features":[3,1,30]},{"name":"PSHED_PI_GET_INJECTION_CAPABILITIES","features":[3,1]},{"name":"PSHED_PI_INJECT_ERROR","features":[3,1]},{"name":"PSHED_PI_READ_ERROR_RECORD","features":[3,1]},{"name":"PSHED_PI_RETRIEVE_ERROR_INFO","features":[3,1,30]},{"name":"PSHED_PI_SET_ERROR_SOURCE_INFO","features":[3,1,30]},{"name":"PSHED_PI_WRITE_ERROR_RECORD","features":[3,1]},{"name":"PS_CREATE_NOTIFY_INFO","features":[2,5,3,1,4,6,7,8,34]},{"name":"PS_IMAGE_NOTIFY_CONFLICTING_ARCHITECTURE","features":[3]},{"name":"PS_INVALID_SILO_CONTEXT_SLOT","features":[3]},{"name":"PTE_BASE","features":[3]},{"name":"PTE_PER_PAGE","features":[3]},{"name":"PTE_TOP","features":[3]},{"name":"PTIMER_APC_ROUTINE","features":[3]},{"name":"PTI_SHIFT","features":[3]},{"name":"PTM_CONTROL_INTERFACE","features":[3,1]},{"name":"PTM_DEVICE_DISABLE","features":[3,1]},{"name":"PTM_DEVICE_ENABLE","features":[3,1]},{"name":"PTM_DEVICE_QUERY_GRANULARITY","features":[3,1]},{"name":"PTM_DEVICE_QUERY_TIME_SOURCE","features":[3,1]},{"name":"PTM_PROPAGATE_ROUTINE","features":[3,1]},{"name":"PTM_RM_NOTIFICATION","features":[2,3,1]},{"name":"PTRANSLATE_BUS_ADDRESS","features":[3,1]},{"name":"PTRANSLATE_RESOURCE_HANDLER","features":[2,5,3,1,4,6,7,8]},{"name":"PTRANSLATE_RESOURCE_REQUIREMENTS_HANDLER","features":[2,5,3,1,4,6,7,8]},{"name":"PUNREGISTER_FOR_DEVICE_NOTIFICATIONS","features":[2,5,3,1,4,6,7,8]},{"name":"PUNREGISTER_FOR_DEVICE_NOTIFICATIONS2","features":[3]},{"name":"PageIn","features":[3]},{"name":"ParallelController","features":[3]},{"name":"PciAcsBitDisable","features":[3]},{"name":"PciAcsBitDontCare","features":[3]},{"name":"PciAcsBitEnable","features":[3]},{"name":"PciAcsReserved","features":[3]},{"name":"PciAddressParityError","features":[3]},{"name":"PciBusDataParityError","features":[3]},{"name":"PciBusMasterAbort","features":[3]},{"name":"PciBusSystemError","features":[3]},{"name":"PciBusTimeOut","features":[3]},{"name":"PciBusUnknownError","features":[3]},{"name":"PciCommandParityError","features":[3]},{"name":"PciConventional","features":[3]},{"name":"PciDeviceD3Cold_Reason_Default_State_BitIndex","features":[3]},{"name":"PciDeviceD3Cold_Reason_INF_BitIndex","features":[3]},{"name":"PciDeviceD3Cold_Reason_Interface_Api_BitIndex","features":[3]},{"name":"PciDeviceD3Cold_State_Disabled_BitIndex","features":[3]},{"name":"PciDeviceD3Cold_State_Disabled_Bridge_HackFlags_BitIndex","features":[3]},{"name":"PciDeviceD3Cold_State_Enabled_BitIndex","features":[3]},{"name":"PciDeviceD3Cold_State_ParentRootPortS0WakeSupported_BitIndex","features":[3]},{"name":"PciExpress","features":[3]},{"name":"PciExpressASPMLinkSubState_L11_BitIndex","features":[3]},{"name":"PciExpressASPMLinkSubState_L12_BitIndex","features":[3]},{"name":"PciExpressDownstreamSwitchPort","features":[3]},{"name":"PciExpressEndpoint","features":[3]},{"name":"PciExpressLegacyEndpoint","features":[3]},{"name":"PciExpressPciPmLinkSubState_L11_BitIndex","features":[3]},{"name":"PciExpressPciPmLinkSubState_L12_BitIndex","features":[3]},{"name":"PciExpressRootComplexEventCollector","features":[3]},{"name":"PciExpressRootComplexIntegratedEndpoint","features":[3]},{"name":"PciExpressRootPort","features":[3]},{"name":"PciExpressToPciXBridge","features":[3]},{"name":"PciExpressUpstreamSwitchPort","features":[3]},{"name":"PciLine2Pin","features":[3]},{"name":"PciMasterDataParityError","features":[3]},{"name":"PciPin2Line","features":[3]},{"name":"PciReadWriteConfig","features":[3]},{"name":"PciXMode1","features":[3]},{"name":"PciXMode2","features":[3]},{"name":"PciXToExpressBridge","features":[3]},{"name":"PcwAddInstance","features":[2,3,1]},{"name":"PcwCallbackAddCounter","features":[3]},{"name":"PcwCallbackCollectData","features":[3]},{"name":"PcwCallbackEnumerateInstances","features":[3]},{"name":"PcwCallbackRemoveCounter","features":[3]},{"name":"PcwCloseInstance","features":[2,3]},{"name":"PcwCreateInstance","features":[2,3,1]},{"name":"PcwRegister","features":[2,3,1]},{"name":"PcwRegistrationNone","features":[3]},{"name":"PcwRegistrationSiloNeutral","features":[3]},{"name":"PcwUnregister","features":[2,3]},{"name":"PermissionFault","features":[3]},{"name":"PlatformLevelDeviceReset","features":[3]},{"name":"PlatformRoleAppliancePC","features":[3]},{"name":"PlatformRoleDesktop","features":[3]},{"name":"PlatformRoleEnterpriseServer","features":[3]},{"name":"PlatformRoleMaximum","features":[3]},{"name":"PlatformRoleMobile","features":[3]},{"name":"PlatformRolePerformanceServer","features":[3]},{"name":"PlatformRoleSOHOServer","features":[3]},{"name":"PlatformRoleSlate","features":[3]},{"name":"PlatformRoleUnspecified","features":[3]},{"name":"PlatformRoleWorkstation","features":[3]},{"name":"PoAc","features":[3]},{"name":"PoCallDriver","features":[2,5,3,1,4,6,7,8]},{"name":"PoClearPowerRequest","features":[3,1,8]},{"name":"PoConditionMaximum","features":[3]},{"name":"PoCreatePowerRequest","features":[2,5,3,1,4,6,7,8]},{"name":"PoCreateThermalRequest","features":[2,5,3,1,4,6,7,8]},{"name":"PoDc","features":[3]},{"name":"PoDeletePowerRequest","features":[3]},{"name":"PoDeleteThermalRequest","features":[3]},{"name":"PoEndDeviceBusy","features":[3]},{"name":"PoFxActivateComponent","features":[2,3]},{"name":"PoFxCompleteDevicePowerNotRequired","features":[2,3]},{"name":"PoFxCompleteDirectedPowerDown","features":[2,3]},{"name":"PoFxCompleteIdleCondition","features":[2,3]},{"name":"PoFxCompleteIdleState","features":[2,3]},{"name":"PoFxIdleComponent","features":[2,3]},{"name":"PoFxIssueComponentPerfStateChange","features":[2,3]},{"name":"PoFxIssueComponentPerfStateChangeMultiple","features":[2,3]},{"name":"PoFxNotifySurprisePowerOn","features":[2,5,3,1,4,6,7,8]},{"name":"PoFxPerfStateTypeDiscrete","features":[3]},{"name":"PoFxPerfStateTypeMaximum","features":[3]},{"name":"PoFxPerfStateTypeRange","features":[3]},{"name":"PoFxPerfStateUnitBandwidth","features":[3]},{"name":"PoFxPerfStateUnitFrequency","features":[3]},{"name":"PoFxPerfStateUnitMaximum","features":[3]},{"name":"PoFxPerfStateUnitOther","features":[3]},{"name":"PoFxPowerControl","features":[2,3,1]},{"name":"PoFxPowerOnCrashdumpDevice","features":[2,3,1]},{"name":"PoFxQueryCurrentComponentPerfState","features":[2,3,1]},{"name":"PoFxRegisterComponentPerfStates","features":[2,3,1]},{"name":"PoFxRegisterCrashdumpDevice","features":[2,3,1]},{"name":"PoFxRegisterDevice","features":[2,5,3,1,4,6,7,8]},{"name":"PoFxRegisterDripsWatchdogCallback","features":[2,5,3,1,4,6,7,8]},{"name":"PoFxReportDevicePoweredOn","features":[2,3]},{"name":"PoFxSetComponentLatency","features":[2,3]},{"name":"PoFxSetComponentResidency","features":[2,3]},{"name":"PoFxSetComponentWake","features":[2,3,1]},{"name":"PoFxSetDeviceIdleTimeout","features":[2,3]},{"name":"PoFxSetTargetDripsDevicePowerState","features":[2,3,1,8]},{"name":"PoFxStartDevicePowerManagement","features":[2,3]},{"name":"PoFxUnregisterDevice","features":[2,3]},{"name":"PoGetSystemWake","features":[2,5,3,1,4,6,7,8]},{"name":"PoGetThermalRequestSupport","features":[3,1]},{"name":"PoHot","features":[3]},{"name":"PoQueryWatchdogTime","features":[2,5,3,1,4,6,7,8]},{"name":"PoRegisterDeviceForIdleDetection","features":[2,5,3,1,4,6,7,8]},{"name":"PoRegisterPowerSettingCallback","features":[2,5,3,1,4,6,7,8]},{"name":"PoRegisterSystemState","features":[3]},{"name":"PoRequestPowerIrp","features":[2,5,3,1,4,6,7,8]},{"name":"PoSetDeviceBusyEx","features":[3]},{"name":"PoSetHiberRange","features":[3]},{"name":"PoSetPowerRequest","features":[3,1,8]},{"name":"PoSetPowerState","features":[2,5,3,1,4,6,7,8]},{"name":"PoSetSystemState","features":[3]},{"name":"PoSetSystemWake","features":[2,5,3,1,4,6,7,8]},{"name":"PoSetSystemWakeDevice","features":[2,5,3,1,4,6,7,8]},{"name":"PoSetThermalActiveCooling","features":[3,1]},{"name":"PoSetThermalPassiveCooling","features":[3,1]},{"name":"PoStartDeviceBusy","features":[3]},{"name":"PoStartNextPowerIrp","features":[2,5,3,1,4,6,7,8]},{"name":"PoThermalRequestActive","features":[3]},{"name":"PoThermalRequestPassive","features":[3]},{"name":"PoUnregisterPowerSettingCallback","features":[3,1]},{"name":"PoUnregisterSystemState","features":[3]},{"name":"PointerController","features":[3]},{"name":"PointerPeripheral","features":[3]},{"name":"PoolAllocation","features":[3]},{"name":"PoolExtendedParameterInvalidType","features":[3]},{"name":"PoolExtendedParameterMax","features":[3]},{"name":"PoolExtendedParameterNumaNode","features":[3]},{"name":"PoolExtendedParameterPriority","features":[3]},{"name":"PoolExtendedParameterSecurePool","features":[3]},{"name":"Pos","features":[3]},{"name":"PowerOff","features":[3]},{"name":"PowerOn","features":[3]},{"name":"PowerRelations","features":[3]},{"name":"PrimaryDcache","features":[3]},{"name":"PrimaryIcache","features":[3]},{"name":"PrinterPeripheral","features":[3]},{"name":"ProbeForRead","features":[3]},{"name":"ProbeForWrite","features":[3]},{"name":"ProcessorInternal","features":[3]},{"name":"Profile2Issue","features":[3]},{"name":"Profile3Issue","features":[3]},{"name":"Profile4Issue","features":[3]},{"name":"ProfileAlignmentFixup","features":[3]},{"name":"ProfileBranchInstructions","features":[3]},{"name":"ProfileBranchMispredictions","features":[3]},{"name":"ProfileCacheMisses","features":[3]},{"name":"ProfileDcacheAccesses","features":[3]},{"name":"ProfileDcacheMisses","features":[3]},{"name":"ProfileFpInstructions","features":[3]},{"name":"ProfileIcacheIssues","features":[3]},{"name":"ProfileIcacheMisses","features":[3]},{"name":"ProfileIntegerInstructions","features":[3]},{"name":"ProfileLoadInstructions","features":[3]},{"name":"ProfileLoadLinkedIssues","features":[3]},{"name":"ProfileMaximum","features":[3]},{"name":"ProfileMemoryBarrierCycles","features":[3]},{"name":"ProfilePipelineDry","features":[3]},{"name":"ProfilePipelineFrozen","features":[3]},{"name":"ProfileSpecialInstructions","features":[3]},{"name":"ProfileStoreInstructions","features":[3]},{"name":"ProfileTime","features":[3]},{"name":"ProfileTotalCycles","features":[3]},{"name":"ProfileTotalIssues","features":[3]},{"name":"ProfileTotalNonissues","features":[3]},{"name":"PsAcquireSiloHardReference","features":[2,3,1]},{"name":"PsAllocSiloContextSlot","features":[3,1]},{"name":"PsAllocateAffinityToken","features":[2,3,1]},{"name":"PsAttachSiloToCurrentThread","features":[2,3]},{"name":"PsCreateProcessNotifySubsystems","features":[3]},{"name":"PsCreateSiloContext","features":[2,3,1]},{"name":"PsCreateSystemThread","features":[2,3,1,34]},{"name":"PsCreateThreadNotifyNonSystem","features":[3]},{"name":"PsCreateThreadNotifySubsystems","features":[3]},{"name":"PsDereferenceSiloContext","features":[3]},{"name":"PsDetachSiloFromCurrentThread","features":[2,3]},{"name":"PsFreeAffinityToken","features":[2,3]},{"name":"PsFreeSiloContextSlot","features":[3,1]},{"name":"PsGetCurrentProcessId","features":[3,1]},{"name":"PsGetCurrentServerSilo","features":[2,3]},{"name":"PsGetCurrentServerSiloName","features":[3,1]},{"name":"PsGetCurrentSilo","features":[2,3]},{"name":"PsGetCurrentThreadId","features":[3,1]},{"name":"PsGetCurrentThreadTeb","features":[3]},{"name":"PsGetEffectiveServerSilo","features":[2,3]},{"name":"PsGetHostSilo","features":[2,3]},{"name":"PsGetJobServerSilo","features":[2,3,1]},{"name":"PsGetJobSilo","features":[2,3,1]},{"name":"PsGetParentSilo","features":[2,3]},{"name":"PsGetPermanentSiloContext","features":[2,3,1]},{"name":"PsGetProcessCreateTimeQuadPart","features":[2,3]},{"name":"PsGetProcessExitStatus","features":[2,3,1]},{"name":"PsGetProcessId","features":[2,3,1]},{"name":"PsGetProcessStartKey","features":[2,3]},{"name":"PsGetServerSiloServiceSessionId","features":[2,3]},{"name":"PsGetSiloContainerId","features":[2,3]},{"name":"PsGetSiloContext","features":[2,3,1]},{"name":"PsGetSiloMonitorContextSlot","features":[2,3]},{"name":"PsGetThreadCreateTime","features":[2,3]},{"name":"PsGetThreadExitStatus","features":[2,3,1]},{"name":"PsGetThreadId","features":[2,3,1]},{"name":"PsGetThreadProcessId","features":[2,3,1]},{"name":"PsGetThreadProperty","features":[2,3]},{"name":"PsGetThreadServerSilo","features":[2,3]},{"name":"PsGetVersion","features":[3,1]},{"name":"PsInsertPermanentSiloContext","features":[2,3,1]},{"name":"PsInsertSiloContext","features":[2,3,1]},{"name":"PsIsCurrentThreadInServerSilo","features":[3,1]},{"name":"PsIsCurrentThreadPrefetching","features":[3,1]},{"name":"PsIsHostSilo","features":[2,3,1]},{"name":"PsMakeSiloContextPermanent","features":[2,3,1]},{"name":"PsQueryTotalCycleTimeProcess","features":[2,3]},{"name":"PsReferenceSiloContext","features":[3]},{"name":"PsRegisterSiloMonitor","features":[2,3,1]},{"name":"PsReleaseSiloHardReference","features":[2,3]},{"name":"PsRemoveCreateThreadNotifyRoutine","features":[3,1]},{"name":"PsRemoveLoadImageNotifyRoutine","features":[3,1]},{"name":"PsRemoveSiloContext","features":[2,3,1]},{"name":"PsReplaceSiloContext","features":[2,3,1]},{"name":"PsRevertToUserMultipleGroupAffinityThread","features":[2,3]},{"name":"PsSetCreateProcessNotifyRoutine","features":[3,1]},{"name":"PsSetCreateProcessNotifyRoutineEx","features":[2,5,3,1,4,6,7,8,34]},{"name":"PsSetCreateProcessNotifyRoutineEx2","features":[3,1]},{"name":"PsSetCreateThreadNotifyRoutine","features":[3,1]},{"name":"PsSetCreateThreadNotifyRoutineEx","features":[3,1]},{"name":"PsSetCurrentThreadPrefetching","features":[3,1]},{"name":"PsSetLoadImageNotifyRoutine","features":[3,1]},{"name":"PsSetLoadImageNotifyRoutineEx","features":[3,1]},{"name":"PsSetSystemMultipleGroupAffinityThread","features":[2,3,1,32]},{"name":"PsStartSiloMonitor","features":[2,3,1]},{"name":"PsTerminateServerSilo","features":[2,3,1]},{"name":"PsTerminateSystemThread","features":[3,1]},{"name":"PsUnregisterSiloMonitor","features":[2,3]},{"name":"PsWrapApcWow64Thread","features":[3,1]},{"name":"PshedAllocateMemory","features":[3]},{"name":"PshedFADiscovery","features":[3]},{"name":"PshedFAErrorInfoRetrieval","features":[3]},{"name":"PshedFAErrorInjection","features":[3]},{"name":"PshedFAErrorRecordPersistence","features":[3]},{"name":"PshedFAErrorRecovery","features":[3]},{"name":"PshedFAErrorSourceControl","features":[3]},{"name":"PshedFreeMemory","features":[3]},{"name":"PshedIsSystemWheaEnabled","features":[3,1]},{"name":"PshedPiEnableNotifyErrorCreateNotifyEvent","features":[3]},{"name":"PshedPiEnableNotifyErrorCreateSystemThread","features":[3]},{"name":"PshedPiEnableNotifyErrorMax","features":[3]},{"name":"PshedPiErrReadingPcieOverridesBadSignature","features":[3]},{"name":"PshedPiErrReadingPcieOverridesBadSize","features":[3]},{"name":"PshedPiErrReadingPcieOverridesNoCapOffset","features":[3]},{"name":"PshedPiErrReadingPcieOverridesNoErr","features":[3]},{"name":"PshedPiErrReadingPcieOverridesNoMemory","features":[3]},{"name":"PshedPiErrReadingPcieOverridesNotBinary","features":[3]},{"name":"PshedPiErrReadingPcieOverridesQueryErr","features":[3]},{"name":"PshedRegisterPlugin","features":[3,1,30]},{"name":"PshedSynchronizeExecution","features":[3,1,30]},{"name":"PshedUnregisterPlugin","features":[3]},{"name":"QuerySecurityDescriptor","features":[3]},{"name":"RCB128Bytes","features":[3]},{"name":"RCB64Bytes","features":[3]},{"name":"RECOVERY_INFO_SECTION_GUID","features":[3]},{"name":"REENUMERATE_SELF_INTERFACE_STANDARD","features":[3]},{"name":"REG_CALLBACK_CONTEXT_CLEANUP_INFORMATION","features":[3]},{"name":"REG_CREATE_KEY_INFORMATION","features":[3,1]},{"name":"REG_CREATE_KEY_INFORMATION_V1","features":[3,1]},{"name":"REG_DELETE_KEY_INFORMATION","features":[3]},{"name":"REG_DELETE_VALUE_KEY_INFORMATION","features":[3,1]},{"name":"REG_ENUMERATE_KEY_INFORMATION","features":[3]},{"name":"REG_ENUMERATE_VALUE_KEY_INFORMATION","features":[3]},{"name":"REG_KEY_HANDLE_CLOSE_INFORMATION","features":[3]},{"name":"REG_LOAD_KEY_INFORMATION","features":[3,1]},{"name":"REG_LOAD_KEY_INFORMATION_V2","features":[3,1]},{"name":"REG_NOTIFY_CLASS","features":[3]},{"name":"REG_POST_CREATE_KEY_INFORMATION","features":[3,1]},{"name":"REG_POST_OPERATION_INFORMATION","features":[3,1]},{"name":"REG_PRE_CREATE_KEY_INFORMATION","features":[3,1]},{"name":"REG_QUERY_KEY_INFORMATION","features":[3]},{"name":"REG_QUERY_KEY_NAME","features":[2,3,1]},{"name":"REG_QUERY_KEY_SECURITY_INFORMATION","features":[3,4]},{"name":"REG_QUERY_VALUE_KEY_INFORMATION","features":[3,1]},{"name":"REG_RENAME_KEY_INFORMATION","features":[3,1]},{"name":"REG_REPLACE_KEY_INFORMATION","features":[3,1]},{"name":"REG_RESTORE_KEY_INFORMATION","features":[3,1]},{"name":"REG_SAVE_KEY_INFORMATION","features":[3,1]},{"name":"REG_SAVE_MERGED_KEY_INFORMATION","features":[3,1]},{"name":"REG_SET_KEY_SECURITY_INFORMATION","features":[3,4]},{"name":"REG_SET_VALUE_KEY_INFORMATION","features":[3,1]},{"name":"REG_UNLOAD_KEY_INFORMATION","features":[3]},{"name":"REQUEST_POWER_COMPLETE","features":[2,5,3,1,4,6,7,8]},{"name":"RESOURCE_HASH_ENTRY","features":[3,7]},{"name":"RESOURCE_HASH_TABLE_SIZE","features":[3]},{"name":"RESOURCE_PERFORMANCE_DATA","features":[3,7]},{"name":"RESOURCE_TRANSLATION_DIRECTION","features":[3]},{"name":"RESULT_NEGATIVE","features":[3]},{"name":"RESULT_POSITIVE","features":[3]},{"name":"RESULT_ZERO","features":[3]},{"name":"ROOT_CMD_ENABLE_CORRECTABLE_ERROR_REPORTING","features":[3]},{"name":"ROOT_CMD_ENABLE_FATAL_ERROR_REPORTING","features":[3]},{"name":"ROOT_CMD_ENABLE_NONFATAL_ERROR_REPORTING","features":[3]},{"name":"RTL_AVL_ALLOCATE_ROUTINE","features":[3]},{"name":"RTL_AVL_COMPARE_ROUTINE","features":[3]},{"name":"RTL_AVL_FREE_ROUTINE","features":[3]},{"name":"RTL_AVL_MATCH_FUNCTION","features":[3,1]},{"name":"RTL_AVL_TABLE","features":[3]},{"name":"RTL_BALANCED_LINKS","features":[3]},{"name":"RTL_BITMAP","features":[3]},{"name":"RTL_BITMAP_RUN","features":[3]},{"name":"RTL_DYNAMIC_HASH_TABLE","features":[3]},{"name":"RTL_DYNAMIC_HASH_TABLE_CONTEXT","features":[3,7]},{"name":"RTL_DYNAMIC_HASH_TABLE_ENTRY","features":[3,7]},{"name":"RTL_DYNAMIC_HASH_TABLE_ENUMERATOR","features":[3,7]},{"name":"RTL_GENERIC_ALLOCATE_ROUTINE","features":[2,3,7]},{"name":"RTL_GENERIC_COMPARE_RESULTS","features":[3]},{"name":"RTL_GENERIC_COMPARE_ROUTINE","features":[2,3,7]},{"name":"RTL_GENERIC_FREE_ROUTINE","features":[2,3,7]},{"name":"RTL_GENERIC_TABLE","features":[2,3,7]},{"name":"RTL_GUID_STRING_SIZE","features":[3]},{"name":"RTL_HASH_ALLOCATED_HEADER","features":[3]},{"name":"RTL_HASH_RESERVED_SIGNATURE","features":[3]},{"name":"RTL_QUERY_REGISTRY_DELETE","features":[3]},{"name":"RTL_QUERY_REGISTRY_DIRECT","features":[3]},{"name":"RTL_QUERY_REGISTRY_NOEXPAND","features":[3]},{"name":"RTL_QUERY_REGISTRY_NOSTRING","features":[3]},{"name":"RTL_QUERY_REGISTRY_NOVALUE","features":[3]},{"name":"RTL_QUERY_REGISTRY_REQUIRED","features":[3]},{"name":"RTL_QUERY_REGISTRY_ROUTINE","features":[3,1]},{"name":"RTL_QUERY_REGISTRY_SUBKEY","features":[3]},{"name":"RTL_QUERY_REGISTRY_TABLE","features":[3,1]},{"name":"RTL_QUERY_REGISTRY_TOPKEY","features":[3]},{"name":"RTL_QUERY_REGISTRY_TYPECHECK","features":[3]},{"name":"RTL_QUERY_REGISTRY_TYPECHECK_SHIFT","features":[3]},{"name":"RTL_REGISTRY_ABSOLUTE","features":[3]},{"name":"RTL_REGISTRY_CONTROL","features":[3]},{"name":"RTL_REGISTRY_DEVICEMAP","features":[3]},{"name":"RTL_REGISTRY_HANDLE","features":[3]},{"name":"RTL_REGISTRY_MAXIMUM","features":[3]},{"name":"RTL_REGISTRY_OPTIONAL","features":[3]},{"name":"RTL_REGISTRY_SERVICES","features":[3]},{"name":"RTL_REGISTRY_USER","features":[3]},{"name":"RTL_REGISTRY_WINDOWS_NT","features":[3]},{"name":"RTL_RUN_ONCE_INIT_FN","features":[3,37]},{"name":"RTL_STACK_WALKING_MODE_FRAMES_TO_SKIP_SHIFT","features":[3]},{"name":"RandomAccess","features":[3]},{"name":"ReadAccess","features":[3]},{"name":"RealModeIrqRoutingTable","features":[3]},{"name":"RealModePCIEnumeration","features":[3]},{"name":"RealTimeWorkQueue","features":[3]},{"name":"RebuildControl","features":[3]},{"name":"RegNtCallbackObjectContextCleanup","features":[3]},{"name":"RegNtDeleteKey","features":[3]},{"name":"RegNtDeleteValueKey","features":[3]},{"name":"RegNtEnumerateKey","features":[3]},{"name":"RegNtEnumerateValueKey","features":[3]},{"name":"RegNtKeyHandleClose","features":[3]},{"name":"RegNtPostCreateKey","features":[3]},{"name":"RegNtPostCreateKeyEx","features":[3]},{"name":"RegNtPostDeleteKey","features":[3]},{"name":"RegNtPostDeleteValueKey","features":[3]},{"name":"RegNtPostEnumerateKey","features":[3]},{"name":"RegNtPostEnumerateValueKey","features":[3]},{"name":"RegNtPostFlushKey","features":[3]},{"name":"RegNtPostKeyHandleClose","features":[3]},{"name":"RegNtPostLoadKey","features":[3]},{"name":"RegNtPostOpenKey","features":[3]},{"name":"RegNtPostOpenKeyEx","features":[3]},{"name":"RegNtPostQueryKey","features":[3]},{"name":"RegNtPostQueryKeyName","features":[3]},{"name":"RegNtPostQueryKeySecurity","features":[3]},{"name":"RegNtPostQueryMultipleValueKey","features":[3]},{"name":"RegNtPostQueryValueKey","features":[3]},{"name":"RegNtPostRenameKey","features":[3]},{"name":"RegNtPostReplaceKey","features":[3]},{"name":"RegNtPostRestoreKey","features":[3]},{"name":"RegNtPostSaveKey","features":[3]},{"name":"RegNtPostSaveMergedKey","features":[3]},{"name":"RegNtPostSetInformationKey","features":[3]},{"name":"RegNtPostSetKeySecurity","features":[3]},{"name":"RegNtPostSetValueKey","features":[3]},{"name":"RegNtPostUnLoadKey","features":[3]},{"name":"RegNtPreCreateKey","features":[3]},{"name":"RegNtPreCreateKeyEx","features":[3]},{"name":"RegNtPreDeleteKey","features":[3]},{"name":"RegNtPreDeleteValueKey","features":[3]},{"name":"RegNtPreEnumerateKey","features":[3]},{"name":"RegNtPreEnumerateValueKey","features":[3]},{"name":"RegNtPreFlushKey","features":[3]},{"name":"RegNtPreKeyHandleClose","features":[3]},{"name":"RegNtPreLoadKey","features":[3]},{"name":"RegNtPreOpenKey","features":[3]},{"name":"RegNtPreOpenKeyEx","features":[3]},{"name":"RegNtPreQueryKey","features":[3]},{"name":"RegNtPreQueryKeyName","features":[3]},{"name":"RegNtPreQueryKeySecurity","features":[3]},{"name":"RegNtPreQueryMultipleValueKey","features":[3]},{"name":"RegNtPreQueryValueKey","features":[3]},{"name":"RegNtPreRenameKey","features":[3]},{"name":"RegNtPreReplaceKey","features":[3]},{"name":"RegNtPreRestoreKey","features":[3]},{"name":"RegNtPreSaveKey","features":[3]},{"name":"RegNtPreSaveMergedKey","features":[3]},{"name":"RegNtPreSetInformationKey","features":[3]},{"name":"RegNtPreSetKeySecurity","features":[3]},{"name":"RegNtPreSetValueKey","features":[3]},{"name":"RegNtPreUnLoadKey","features":[3]},{"name":"RegNtQueryKey","features":[3]},{"name":"RegNtQueryMultipleValueKey","features":[3]},{"name":"RegNtQueryValueKey","features":[3]},{"name":"RegNtRenameKey","features":[3]},{"name":"RegNtSetInformationKey","features":[3]},{"name":"RegNtSetValueKey","features":[3]},{"name":"RemovalPolicyExpectNoRemoval","features":[3]},{"name":"RemovalPolicyExpectOrderlyRemoval","features":[3]},{"name":"RemovalPolicyExpectSurpriseRemoval","features":[3]},{"name":"RemovalRelations","features":[3]},{"name":"ResourceNeverExclusive","features":[3]},{"name":"ResourceOwnedExclusive","features":[3]},{"name":"ResourceReleaseByOtherThread","features":[3]},{"name":"ResourceTypeEventBuffer","features":[3]},{"name":"ResourceTypeExtendedCounterConfiguration","features":[3]},{"name":"ResourceTypeIdenitificationTag","features":[3]},{"name":"ResourceTypeMax","features":[3]},{"name":"ResourceTypeOverflow","features":[3]},{"name":"ResourceTypeRange","features":[3]},{"name":"ResourceTypeSingle","features":[3]},{"name":"ResultNegative","features":[3]},{"name":"ResultPositive","features":[3]},{"name":"ResultZero","features":[3]},{"name":"RtlAppendUnicodeStringToString","features":[3,1]},{"name":"RtlAppendUnicodeToString","features":[3,1]},{"name":"RtlAreBitsClear","features":[3,1]},{"name":"RtlAreBitsSet","features":[3,1]},{"name":"RtlAssert","features":[3]},{"name":"RtlCheckRegistryKey","features":[3,1]},{"name":"RtlClearAllBits","features":[3]},{"name":"RtlClearBit","features":[3]},{"name":"RtlClearBits","features":[3]},{"name":"RtlCmDecodeMemIoResource","features":[3]},{"name":"RtlCmEncodeMemIoResource","features":[3,1]},{"name":"RtlCompareString","features":[3,1,7]},{"name":"RtlCompareUnicodeString","features":[3,1]},{"name":"RtlCompareUnicodeStrings","features":[3,1]},{"name":"RtlContractHashTable","features":[3,1]},{"name":"RtlCopyBitMap","features":[3]},{"name":"RtlCopyString","features":[3,7]},{"name":"RtlCopyUnicodeString","features":[3,1]},{"name":"RtlCreateHashTable","features":[3,1]},{"name":"RtlCreateHashTableEx","features":[3,1]},{"name":"RtlCreateRegistryKey","features":[3,1]},{"name":"RtlCreateSecurityDescriptor","features":[3,1,4]},{"name":"RtlDelete","features":[2,3]},{"name":"RtlDeleteElementGenericTable","features":[2,3,1,7]},{"name":"RtlDeleteElementGenericTableAvl","features":[3,1]},{"name":"RtlDeleteElementGenericTableAvlEx","features":[3]},{"name":"RtlDeleteHashTable","features":[3]},{"name":"RtlDeleteNoSplay","features":[2,3]},{"name":"RtlDeleteRegistryValue","features":[3,1]},{"name":"RtlDowncaseUnicodeChar","features":[3]},{"name":"RtlEndEnumerationHashTable","features":[3,7]},{"name":"RtlEndStrongEnumerationHashTable","features":[3,7]},{"name":"RtlEndWeakEnumerationHashTable","features":[3,7]},{"name":"RtlEnumerateEntryHashTable","features":[3,7]},{"name":"RtlEnumerateGenericTable","features":[2,3,1,7]},{"name":"RtlEnumerateGenericTableAvl","features":[3,1]},{"name":"RtlEnumerateGenericTableLikeADirectory","features":[3,1]},{"name":"RtlEnumerateGenericTableWithoutSplaying","features":[2,3,7]},{"name":"RtlEnumerateGenericTableWithoutSplayingAvl","features":[3]},{"name":"RtlEqualString","features":[3,1,7]},{"name":"RtlEqualUnicodeString","features":[3,1]},{"name":"RtlExpandHashTable","features":[3,1]},{"name":"RtlExtractBitMap","features":[3]},{"name":"RtlFindClearBits","features":[3]},{"name":"RtlFindClearBitsAndSet","features":[3]},{"name":"RtlFindClearRuns","features":[3,1]},{"name":"RtlFindClosestEncodableLength","features":[3,1]},{"name":"RtlFindFirstRunClear","features":[3]},{"name":"RtlFindLastBackwardRunClear","features":[3]},{"name":"RtlFindLeastSignificantBit","features":[3]},{"name":"RtlFindLongestRunClear","features":[3]},{"name":"RtlFindMostSignificantBit","features":[3]},{"name":"RtlFindNextForwardRunClear","features":[3]},{"name":"RtlFindSetBits","features":[3]},{"name":"RtlFindSetBitsAndClear","features":[3]},{"name":"RtlFreeUTF8String","features":[3,7]},{"name":"RtlGUIDFromString","features":[3,1]},{"name":"RtlGenerateClass5Guid","features":[3,1]},{"name":"RtlGetActiveConsoleId","features":[3]},{"name":"RtlGetCallersAddress","features":[3]},{"name":"RtlGetConsoleSessionForegroundProcessId","features":[3]},{"name":"RtlGetElementGenericTable","features":[2,3,7]},{"name":"RtlGetElementGenericTableAvl","features":[3]},{"name":"RtlGetEnabledExtendedFeatures","features":[3]},{"name":"RtlGetNextEntryHashTable","features":[3,7]},{"name":"RtlGetNtProductType","features":[3,1,7]},{"name":"RtlGetNtSystemRoot","features":[3]},{"name":"RtlGetPersistedStateLocation","features":[3,1]},{"name":"RtlGetSuiteMask","features":[3]},{"name":"RtlGetVersion","features":[3,1,32]},{"name":"RtlHashUnicodeString","features":[3,1]},{"name":"RtlInitEnumerationHashTable","features":[3,1,7]},{"name":"RtlInitStrongEnumerationHashTable","features":[3,1,7]},{"name":"RtlInitUTF8String","features":[3,7]},{"name":"RtlInitUTF8StringEx","features":[3,1,7]},{"name":"RtlInitWeakEnumerationHashTable","features":[3,1,7]},{"name":"RtlInitializeBitMap","features":[3]},{"name":"RtlInitializeGenericTable","features":[2,3,7]},{"name":"RtlInitializeGenericTableAvl","features":[3]},{"name":"RtlInsertElementGenericTable","features":[2,3,1,7]},{"name":"RtlInsertElementGenericTableAvl","features":[3,1]},{"name":"RtlInsertElementGenericTableFull","features":[2,3,1,7]},{"name":"RtlInsertElementGenericTableFullAvl","features":[3,1]},{"name":"RtlInsertEntryHashTable","features":[3,1,7]},{"name":"RtlInt64ToUnicodeString","features":[3,1]},{"name":"RtlIntegerToUnicodeString","features":[3,1]},{"name":"RtlIoDecodeMemIoResource","features":[3]},{"name":"RtlIoEncodeMemIoResource","features":[3,1]},{"name":"RtlIsApiSetImplemented","features":[3,1]},{"name":"RtlIsGenericTableEmpty","features":[2,3,1,7]},{"name":"RtlIsGenericTableEmptyAvl","features":[3,1]},{"name":"RtlIsMultiSessionSku","features":[3,1]},{"name":"RtlIsMultiUsersInSessionSku","features":[3,1]},{"name":"RtlIsNtDdiVersionAvailable","features":[3,1]},{"name":"RtlIsServicePackVersionInstalled","features":[3,1]},{"name":"RtlIsStateSeparationEnabled","features":[3,1]},{"name":"RtlIsUntrustedObject","features":[3,1]},{"name":"RtlLengthSecurityDescriptor","features":[3,4]},{"name":"RtlLookupElementGenericTable","features":[2,3,7]},{"name":"RtlLookupElementGenericTableAvl","features":[3]},{"name":"RtlLookupElementGenericTableFull","features":[2,3,7]},{"name":"RtlLookupElementGenericTableFullAvl","features":[3]},{"name":"RtlLookupEntryHashTable","features":[3,7]},{"name":"RtlLookupFirstMatchingElementGenericTableAvl","features":[3]},{"name":"RtlMapGenericMask","features":[3,4]},{"name":"RtlNormalizeSecurityDescriptor","features":[3,1,4]},{"name":"RtlNumberGenericTableElements","features":[2,3,7]},{"name":"RtlNumberGenericTableElementsAvl","features":[3]},{"name":"RtlNumberOfClearBits","features":[3]},{"name":"RtlNumberOfClearBitsInRange","features":[3]},{"name":"RtlNumberOfSetBits","features":[3]},{"name":"RtlNumberOfSetBitsInRange","features":[3]},{"name":"RtlNumberOfSetBitsUlongPtr","features":[3]},{"name":"RtlPrefetchMemoryNonTemporal","features":[3]},{"name":"RtlPrefixUnicodeString","features":[3,1]},{"name":"RtlQueryRegistryValueWithFallback","features":[3,1]},{"name":"RtlQueryRegistryValues","features":[3,1]},{"name":"RtlQueryValidationRunlevel","features":[3,1]},{"name":"RtlRealPredecessor","features":[2,3]},{"name":"RtlRealSuccessor","features":[2,3]},{"name":"RtlRemoveEntryHashTable","features":[3,1,7]},{"name":"RtlRunOnceBeginInitialize","features":[3,1,37]},{"name":"RtlRunOnceComplete","features":[3,1,37]},{"name":"RtlRunOnceExecuteOnce","features":[3,1,37]},{"name":"RtlRunOnceInitialize","features":[3,37]},{"name":"RtlSetAllBits","features":[3]},{"name":"RtlSetBit","features":[3]},{"name":"RtlSetBits","features":[3]},{"name":"RtlSetDaclSecurityDescriptor","features":[3,1,4]},{"name":"RtlSetSystemGlobalData","features":[3,1,32]},{"name":"RtlSplay","features":[2,3]},{"name":"RtlStringFromGUID","features":[3,1]},{"name":"RtlStronglyEnumerateEntryHashTable","features":[3,7]},{"name":"RtlSubtreePredecessor","features":[2,3]},{"name":"RtlSubtreeSuccessor","features":[2,3]},{"name":"RtlSuffixUnicodeString","features":[3,1]},{"name":"RtlTestBit","features":[3,1]},{"name":"RtlTimeFieldsToTime","features":[3,1]},{"name":"RtlTimeToTimeFields","features":[3]},{"name":"RtlUTF8StringToUnicodeString","features":[3,1,7]},{"name":"RtlUTF8ToUnicodeN","features":[3,1]},{"name":"RtlUnicodeStringToInt64","features":[3,1]},{"name":"RtlUnicodeStringToInteger","features":[3,1]},{"name":"RtlUnicodeStringToUTF8String","features":[3,1,7]},{"name":"RtlUnicodeToUTF8N","features":[3,1]},{"name":"RtlUpcaseUnicodeChar","features":[3]},{"name":"RtlUpcaseUnicodeString","features":[3,1]},{"name":"RtlUpperChar","features":[3]},{"name":"RtlUpperString","features":[3,7]},{"name":"RtlValidRelativeSecurityDescriptor","features":[3,1,4]},{"name":"RtlValidSecurityDescriptor","features":[3,1,4]},{"name":"RtlVerifyVersionInfo","features":[3,1,32]},{"name":"RtlVolumeDeviceToDosName","features":[3,1]},{"name":"RtlWalkFrameChain","features":[3]},{"name":"RtlWeaklyEnumerateEntryHashTable","features":[3,7]},{"name":"RtlWriteRegistryValue","features":[3,1]},{"name":"RtlxAnsiStringToUnicodeSize","features":[3,7]},{"name":"RtlxUnicodeStringToAnsiSize","features":[3,1]},{"name":"SCATTER_GATHER_ELEMENT","features":[3]},{"name":"SCATTER_GATHER_LIST","features":[3]},{"name":"SCI_NOTIFY_TYPE_GUID","features":[3]},{"name":"SDEV_IDENTIFIER_INTERFACE","features":[3]},{"name":"SDEV_IDENTIFIER_INTERFACE_VERSION","features":[3]},{"name":"SEA_NOTIFY_TYPE_GUID","features":[3]},{"name":"SEA_SECTION_GUID","features":[3]},{"name":"SECTION_INHERIT","features":[3]},{"name":"SECTION_MAP_EXECUTE","features":[3]},{"name":"SECTION_MAP_EXECUTE_EXPLICIT","features":[3]},{"name":"SECTION_MAP_READ","features":[3]},{"name":"SECTION_MAP_WRITE","features":[3]},{"name":"SECTION_QUERY","features":[3]},{"name":"SECURE_DRIVER_INTERFACE","features":[2,3]},{"name":"SECURE_DRIVER_INTERFACE_VERSION","features":[3]},{"name":"SECURE_DRIVER_PROCESS_DEREFERENCE","features":[2,3]},{"name":"SECURE_DRIVER_PROCESS_REFERENCE","features":[2,3]},{"name":"SECURE_POOL_FLAGS_FREEABLE","features":[3]},{"name":"SECURE_POOL_FLAGS_MODIFIABLE","features":[3]},{"name":"SECURE_POOL_FLAGS_NONE","features":[3]},{"name":"SECURE_SECTION_ALLOW_PARTIAL_MDL","features":[3]},{"name":"SECURITY_CONTEXT_TRACKING_MODE","features":[3]},{"name":"SECURITY_OPERATION_CODE","features":[3]},{"name":"SEC_LARGE_PAGES","features":[3]},{"name":"SEH_VALIDATION_POLICY_DEFER","features":[3]},{"name":"SEH_VALIDATION_POLICY_OFF","features":[3]},{"name":"SEH_VALIDATION_POLICY_ON","features":[3]},{"name":"SEH_VALIDATION_POLICY_TELEMETRY","features":[3]},{"name":"SEI_NOTIFY_TYPE_GUID","features":[3]},{"name":"SEI_SECTION_GUID","features":[3]},{"name":"SEMAPHORE_QUERY_STATE","features":[3]},{"name":"SET_D3COLD_SUPPORT","features":[3,1]},{"name":"SET_VIRTUAL_DEVICE_DATA","features":[3]},{"name":"SE_ASSIGNPRIMARYTOKEN_PRIVILEGE","features":[3]},{"name":"SE_AUDIT_PRIVILEGE","features":[3]},{"name":"SE_BACKUP_PRIVILEGE","features":[3]},{"name":"SE_CHANGE_NOTIFY_PRIVILEGE","features":[3]},{"name":"SE_CREATE_GLOBAL_PRIVILEGE","features":[3]},{"name":"SE_CREATE_PAGEFILE_PRIVILEGE","features":[3]},{"name":"SE_CREATE_PERMANENT_PRIVILEGE","features":[3]},{"name":"SE_CREATE_SYMBOLIC_LINK_PRIVILEGE","features":[3]},{"name":"SE_CREATE_TOKEN_PRIVILEGE","features":[3]},{"name":"SE_DEBUG_PRIVILEGE","features":[3]},{"name":"SE_DELEGATE_SESSION_USER_IMPERSONATE_PRIVILEGE","features":[3]},{"name":"SE_ENABLE_DELEGATION_PRIVILEGE","features":[3]},{"name":"SE_IMAGE_TYPE","features":[3]},{"name":"SE_IMAGE_VERIFICATION_CALLBACK_FUNCTION","features":[3,1]},{"name":"SE_IMAGE_VERIFICATION_CALLBACK_TYPE","features":[3]},{"name":"SE_IMPERSONATE_PRIVILEGE","features":[3]},{"name":"SE_INCREASE_QUOTA_PRIVILEGE","features":[3]},{"name":"SE_INC_BASE_PRIORITY_PRIVILEGE","features":[3]},{"name":"SE_INC_WORKING_SET_PRIVILEGE","features":[3]},{"name":"SE_LOAD_DRIVER_PRIVILEGE","features":[3]},{"name":"SE_LOCK_MEMORY_PRIVILEGE","features":[3]},{"name":"SE_MACHINE_ACCOUNT_PRIVILEGE","features":[3]},{"name":"SE_MANAGE_VOLUME_PRIVILEGE","features":[3]},{"name":"SE_MAX_WELL_KNOWN_PRIVILEGE","features":[3]},{"name":"SE_MIN_WELL_KNOWN_PRIVILEGE","features":[3]},{"name":"SE_PROF_SINGLE_PROCESS_PRIVILEGE","features":[3]},{"name":"SE_RELABEL_PRIVILEGE","features":[3]},{"name":"SE_REMOTE_SHUTDOWN_PRIVILEGE","features":[3]},{"name":"SE_RESTORE_PRIVILEGE","features":[3]},{"name":"SE_SECURITY_PRIVILEGE","features":[3]},{"name":"SE_SHUTDOWN_PRIVILEGE","features":[3]},{"name":"SE_SYNC_AGENT_PRIVILEGE","features":[3]},{"name":"SE_SYSTEMTIME_PRIVILEGE","features":[3]},{"name":"SE_SYSTEM_ENVIRONMENT_PRIVILEGE","features":[3]},{"name":"SE_SYSTEM_PROFILE_PRIVILEGE","features":[3]},{"name":"SE_TAKE_OWNERSHIP_PRIVILEGE","features":[3]},{"name":"SE_TCB_PRIVILEGE","features":[3]},{"name":"SE_TIME_ZONE_PRIVILEGE","features":[3]},{"name":"SE_TRUSTED_CREDMAN_ACCESS_PRIVILEGE","features":[3]},{"name":"SE_UNDOCK_PRIVILEGE","features":[3]},{"name":"SE_UNSOLICITED_INPUT_PRIVILEGE","features":[3]},{"name":"SHARED_GLOBAL_FLAGS_CLEAR_GLOBAL_DATA_FLAG","features":[3]},{"name":"SHARED_GLOBAL_FLAGS_CONSOLE_BROKER_ENABLED_V","features":[3]},{"name":"SHARED_GLOBAL_FLAGS_DYNAMIC_PROC_ENABLED_V","features":[3]},{"name":"SHARED_GLOBAL_FLAGS_ELEVATION_ENABLED_V","features":[3]},{"name":"SHARED_GLOBAL_FLAGS_ERROR_PORT_V","features":[3]},{"name":"SHARED_GLOBAL_FLAGS_INSTALLER_DETECT_ENABLED_V","features":[3]},{"name":"SHARED_GLOBAL_FLAGS_LKG_ENABLED_V","features":[3]},{"name":"SHARED_GLOBAL_FLAGS_MULTIUSERS_IN_SESSION_SKU_V","features":[3]},{"name":"SHARED_GLOBAL_FLAGS_MULTI_SESSION_SKU_V","features":[3]},{"name":"SHARED_GLOBAL_FLAGS_QPC_BYPASS_A73_ERRATA","features":[3]},{"name":"SHARED_GLOBAL_FLAGS_QPC_BYPASS_DISABLE_32BIT","features":[3]},{"name":"SHARED_GLOBAL_FLAGS_QPC_BYPASS_ENABLED","features":[3]},{"name":"SHARED_GLOBAL_FLAGS_QPC_BYPASS_USE_HV_PAGE","features":[3]},{"name":"SHARED_GLOBAL_FLAGS_QPC_BYPASS_USE_LFENCE","features":[3]},{"name":"SHARED_GLOBAL_FLAGS_QPC_BYPASS_USE_MFENCE","features":[3]},{"name":"SHARED_GLOBAL_FLAGS_QPC_BYPASS_USE_RDTSCP","features":[3]},{"name":"SHARED_GLOBAL_FLAGS_SECURE_BOOT_ENABLED_V","features":[3]},{"name":"SHARED_GLOBAL_FLAGS_SET_GLOBAL_DATA_FLAG","features":[3]},{"name":"SHARED_GLOBAL_FLAGS_STATE_SEPARATION_ENABLED_V","features":[3]},{"name":"SHARED_GLOBAL_FLAGS_VIRT_ENABLED_V","features":[3]},{"name":"SHARE_ACCESS","features":[3]},{"name":"SHORT_LEAST_SIGNIFICANT_BIT","features":[3]},{"name":"SHORT_MOST_SIGNIFICANT_BIT","features":[3]},{"name":"SIGNAL_REG_VALUE","features":[3]},{"name":"SILO_CONTEXT_CLEANUP_CALLBACK","features":[3]},{"name":"SILO_MONITOR_CREATE_CALLBACK","features":[2,3,1]},{"name":"SILO_MONITOR_REGISTRATION","features":[2,3,1]},{"name":"SILO_MONITOR_REGISTRATION_VERSION","features":[3]},{"name":"SILO_MONITOR_TERMINATE_CALLBACK","features":[2,3]},{"name":"SINGLE_GROUP_LEGACY_API","features":[3]},{"name":"SL_ALLOW_RAW_MOUNT","features":[3]},{"name":"SL_BYPASS_ACCESS_CHECK","features":[3]},{"name":"SL_BYPASS_IO","features":[3]},{"name":"SL_CASE_SENSITIVE","features":[3]},{"name":"SL_ERROR_RETURNED","features":[3]},{"name":"SL_EXCLUSIVE_LOCK","features":[3]},{"name":"SL_FAIL_IMMEDIATELY","features":[3]},{"name":"SL_FORCE_ACCESS_CHECK","features":[3]},{"name":"SL_FORCE_ASYNCHRONOUS","features":[3]},{"name":"SL_FORCE_DIRECT_WRITE","features":[3]},{"name":"SL_FT_SEQUENTIAL_WRITE","features":[3]},{"name":"SL_IGNORE_READONLY_ATTRIBUTE","features":[3]},{"name":"SL_INDEX_SPECIFIED","features":[3]},{"name":"SL_INFO_FORCE_ACCESS_CHECK","features":[3]},{"name":"SL_INFO_IGNORE_READONLY_ATTRIBUTE","features":[3]},{"name":"SL_INVOKE_ON_CANCEL","features":[3]},{"name":"SL_INVOKE_ON_ERROR","features":[3]},{"name":"SL_INVOKE_ON_SUCCESS","features":[3]},{"name":"SL_KEY_SPECIFIED","features":[3]},{"name":"SL_NO_CURSOR_UPDATE","features":[3]},{"name":"SL_OPEN_PAGING_FILE","features":[3]},{"name":"SL_OPEN_TARGET_DIRECTORY","features":[3]},{"name":"SL_OVERRIDE_VERIFY_VOLUME","features":[3]},{"name":"SL_PENDING_RETURNED","features":[3]},{"name":"SL_PERSISTENT_MEMORY_FIXED_MAPPING","features":[3]},{"name":"SL_QUERY_DIRECTORY_MASK","features":[3]},{"name":"SL_READ_ACCESS_GRANTED","features":[3]},{"name":"SL_REALTIME_STREAM","features":[3]},{"name":"SL_RESTART_SCAN","features":[3]},{"name":"SL_RETURN_ON_DISK_ENTRIES_ONLY","features":[3]},{"name":"SL_RETURN_SINGLE_ENTRY","features":[3]},{"name":"SL_STOP_ON_SYMLINK","features":[3]},{"name":"SL_WATCH_TREE","features":[3]},{"name":"SL_WRITE_ACCESS_GRANTED","features":[3]},{"name":"SL_WRITE_THROUGH","features":[3]},{"name":"SOC_SUBSYSTEM_FAILURE_DETAILS","features":[3]},{"name":"SOC_SUBSYSTEM_TYPE","features":[3]},{"name":"SOC_SUBSYS_AUDIO_DSP","features":[3]},{"name":"SOC_SUBSYS_COMPUTE_DSP","features":[3]},{"name":"SOC_SUBSYS_SECURE_PROC","features":[3]},{"name":"SOC_SUBSYS_SENSORS","features":[3]},{"name":"SOC_SUBSYS_VENDOR_DEFINED","features":[3]},{"name":"SOC_SUBSYS_WIRELESS_MODEM","features":[3]},{"name":"SOC_SUBSYS_WIRELSS_CONNECTIVITY","features":[3]},{"name":"SSINFO_FLAGS_ALIGNED_DEVICE","features":[3]},{"name":"SSINFO_FLAGS_BYTE_ADDRESSABLE","features":[3]},{"name":"SSINFO_FLAGS_NO_SEEK_PENALTY","features":[3]},{"name":"SSINFO_FLAGS_PARTITION_ALIGNED_ON_DEVICE","features":[3]},{"name":"SSINFO_FLAGS_TRIM_ENABLED","features":[3]},{"name":"SSINFO_OFFSET_UNKNOWN","features":[3]},{"name":"STATE_LOCATION_TYPE","features":[3]},{"name":"SUBSYSTEM_INFORMATION_TYPE","features":[3]},{"name":"SYMBOLIC_LINK_QUERY","features":[3]},{"name":"SYMBOLIC_LINK_SET","features":[3]},{"name":"SYSTEM_CALL_INT_2E","features":[3]},{"name":"SYSTEM_CALL_SYSCALL","features":[3]},{"name":"SYSTEM_FIRMWARE_TABLE_ACTION","features":[3]},{"name":"SYSTEM_FIRMWARE_TABLE_HANDLER","features":[3,1]},{"name":"SYSTEM_FIRMWARE_TABLE_INFORMATION","features":[3]},{"name":"SYSTEM_POWER_CONDITION","features":[3]},{"name":"SYSTEM_POWER_STATE_CONTEXT","features":[3]},{"name":"ScsiAdapter","features":[3]},{"name":"SeAccessCheck","features":[2,3,1,4]},{"name":"SeAssignSecurity","features":[2,3,1,4]},{"name":"SeAssignSecurityEx","features":[2,3,1,4]},{"name":"SeCaptureSubjectContext","features":[2,3,4]},{"name":"SeComputeAutoInheritByObjectType","features":[3,4]},{"name":"SeDeassignSecurity","features":[3,1,4]},{"name":"SeEtwWriteKMCveEvent","features":[3,1]},{"name":"SeImageTypeDriver","features":[3]},{"name":"SeImageTypeDynamicCodeFile","features":[3]},{"name":"SeImageTypeElamDriver","features":[3]},{"name":"SeImageTypeMax","features":[3]},{"name":"SeImageTypePlatformSecureFile","features":[3]},{"name":"SeImageVerificationCallbackInformational","features":[3]},{"name":"SeLockSubjectContext","features":[2,3,4]},{"name":"SeRegisterImageVerificationCallback","features":[3,1]},{"name":"SeReleaseSubjectContext","features":[2,3,4]},{"name":"SeReportSecurityEvent","features":[3,1,23]},{"name":"SeSetAuditParameter","features":[3,1,23]},{"name":"SeSinglePrivilegeCheck","features":[3,1]},{"name":"SeUnlockSubjectContext","features":[2,3,4]},{"name":"SeUnregisterImageVerificationCallback","features":[3]},{"name":"SeValidSecurityDescriptor","features":[3,1,4]},{"name":"SecondaryCache","features":[3]},{"name":"SecondaryDcache","features":[3]},{"name":"SecondaryIcache","features":[3]},{"name":"SequentialAccess","features":[3]},{"name":"SerialController","features":[3]},{"name":"SetSecurityDescriptor","features":[3]},{"name":"SgiInternalConfiguration","features":[3]},{"name":"SharedInterruptTime","features":[3]},{"name":"SharedSystemTime","features":[3]},{"name":"SharedTickCount","features":[3]},{"name":"SingleBusRelations","features":[3]},{"name":"SlotEmpty","features":[3]},{"name":"StandardDesign","features":[3]},{"name":"StopCompletion","features":[3]},{"name":"SubsystemInformationTypeWSL","features":[3]},{"name":"SubsystemInformationTypeWin32","features":[3]},{"name":"SuperCriticalWorkQueue","features":[3]},{"name":"Suspended","features":[3]},{"name":"SystemFirmwareTable_Enumerate","features":[3]},{"name":"SystemFirmwareTable_Get","features":[3]},{"name":"SystemMemory","features":[3]},{"name":"SystemMemoryPartitionDedicatedMemoryInformation","features":[3]},{"name":"SystemMemoryPartitionInformation","features":[3]},{"name":"SystemMemoryPartitionOpenDedicatedMemory","features":[3]},{"name":"SystemPowerState","features":[3]},{"name":"TABLE_SEARCH_RESULT","features":[3]},{"name":"TARGET_DEVICE_REMOVAL_NOTIFICATION","features":[2,5,3,1,4,6,7,8]},{"name":"THREAD_ALERT","features":[3]},{"name":"THREAD_CSWITCH_PMU_DISABLE","features":[3]},{"name":"THREAD_CSWITCH_PMU_ENABLE","features":[3]},{"name":"THREAD_GET_CONTEXT","features":[3]},{"name":"THREAD_WAIT_OBJECTS","features":[3]},{"name":"TIMER_EXPIRED_INDEX_BITS","features":[3]},{"name":"TIMER_PROCESSOR_INDEX_BITS","features":[3]},{"name":"TIMER_SET_COALESCABLE_TIMER_INFO","features":[3,1]},{"name":"TIMER_SET_INFORMATION_CLASS","features":[3]},{"name":"TIMER_TOLERABLE_DELAY_BITS","features":[3]},{"name":"TIME_FIELDS","features":[3]},{"name":"TRACE_INFORMATION_CLASS","features":[3]},{"name":"TRANSLATE_BUS_ADDRESS","features":[3,1]},{"name":"TRANSLATOR_INTERFACE","features":[2,5,3,1,4,6,7,8]},{"name":"TREE_CONNECT_NO_CLIENT_BUFFERING","features":[3]},{"name":"TREE_CONNECT_WRITE_THROUGH","features":[3]},{"name":"TXF_MINIVERSION_DEFAULT_VIEW","features":[3]},{"name":"TXN_PARAMETER_BLOCK","features":[3]},{"name":"TableEmptyTree","features":[3]},{"name":"TableFoundNode","features":[3]},{"name":"TableInsertAsLeft","features":[3]},{"name":"TableInsertAsRight","features":[3]},{"name":"TapeController","features":[3]},{"name":"TapePeripheral","features":[3]},{"name":"TargetDeviceRelation","features":[3]},{"name":"TcAdapter","features":[3]},{"name":"TerminalPeripheral","features":[3]},{"name":"TimerSetCoalescableTimer","features":[3]},{"name":"TlbMatchConflict","features":[3]},{"name":"TmCommitComplete","features":[2,3,1]},{"name":"TmCommitEnlistment","features":[2,3,1]},{"name":"TmCommitTransaction","features":[2,3,1]},{"name":"TmCreateEnlistment","features":[2,3,1]},{"name":"TmDereferenceEnlistmentKey","features":[2,3,1]},{"name":"TmEnableCallbacks","features":[2,3,1]},{"name":"TmGetTransactionId","features":[2,3]},{"name":"TmInitializeTransactionManager","features":[3,1]},{"name":"TmIsTransactionActive","features":[2,3,1]},{"name":"TmPrePrepareComplete","features":[2,3,1]},{"name":"TmPrePrepareEnlistment","features":[2,3,1]},{"name":"TmPrepareComplete","features":[2,3,1]},{"name":"TmPrepareEnlistment","features":[2,3,1]},{"name":"TmPropagationComplete","features":[2,3,1]},{"name":"TmPropagationFailed","features":[2,3,1]},{"name":"TmReadOnlyEnlistment","features":[2,3,1]},{"name":"TmRecoverEnlistment","features":[2,3,1]},{"name":"TmRecoverResourceManager","features":[2,3,1]},{"name":"TmRecoverTransactionManager","features":[2,3,1]},{"name":"TmReferenceEnlistmentKey","features":[2,3,1]},{"name":"TmRenameTransactionManager","features":[3,1]},{"name":"TmRequestOutcomeEnlistment","features":[2,3,1]},{"name":"TmRollbackComplete","features":[2,3,1]},{"name":"TmRollbackEnlistment","features":[2,3,1]},{"name":"TmRollbackTransaction","features":[2,3,1]},{"name":"TmSinglePhaseReject","features":[2,3,1]},{"name":"TraceEnableFlagsClass","features":[3]},{"name":"TraceEnableLevelClass","features":[3]},{"name":"TraceHandleByNameClass","features":[3]},{"name":"TraceHandleClass","features":[3]},{"name":"TraceIdClass","features":[3]},{"name":"TraceInformationClassReserved1","features":[3]},{"name":"TraceInformationClassReserved2","features":[3]},{"name":"TraceSessionSettingsClass","features":[3]},{"name":"TranslateChildToParent","features":[3]},{"name":"TranslateParentToChild","features":[3]},{"name":"TranslationFault","features":[3]},{"name":"TransportRelations","features":[3]},{"name":"TurboChannel","features":[3]},{"name":"TypeA","features":[3]},{"name":"TypeB","features":[3]},{"name":"TypeC","features":[3]},{"name":"TypeF","features":[3]},{"name":"UADDRESS_BASE","features":[3]},{"name":"UnsupportedUpstreamTransaction","features":[3]},{"name":"UserMode","features":[3]},{"name":"UserNotPresent","features":[3]},{"name":"UserPresent","features":[3]},{"name":"UserRequest","features":[3]},{"name":"UserUnknown","features":[3]},{"name":"VIRTUAL_CHANNEL_CAPABILITIES1","features":[3]},{"name":"VIRTUAL_CHANNEL_CAPABILITIES2","features":[3]},{"name":"VIRTUAL_CHANNEL_CONTROL","features":[3]},{"name":"VIRTUAL_CHANNEL_STATUS","features":[3]},{"name":"VIRTUAL_RESOURCE","features":[3]},{"name":"VIRTUAL_RESOURCE_CAPABILITY","features":[3]},{"name":"VIRTUAL_RESOURCE_CONTROL","features":[3]},{"name":"VIRTUAL_RESOURCE_STATUS","features":[3]},{"name":"VMEBus","features":[3]},{"name":"VMEConfiguration","features":[3]},{"name":"VM_COUNTERS","features":[3]},{"name":"VM_COUNTERS_EX","features":[3]},{"name":"VM_COUNTERS_EX2","features":[3]},{"name":"VPB_DIRECT_WRITES_ALLOWED","features":[3]},{"name":"VPB_DISMOUNTING","features":[3]},{"name":"VPB_FLAGS_BYPASSIO_BLOCKED","features":[3]},{"name":"VPB_LOCKED","features":[3]},{"name":"VPB_MOUNTED","features":[3]},{"name":"VPB_PERSISTENT","features":[3]},{"name":"VPB_RAW_MOUNT","features":[3]},{"name":"VPB_REMOVE_PENDING","features":[3]},{"name":"ViewShare","features":[3]},{"name":"ViewUnmap","features":[3]},{"name":"Vmcs","features":[3]},{"name":"VslCreateSecureSection","features":[2,3,1]},{"name":"VslDeleteSecureSection","features":[3,1]},{"name":"WAIT_CONTEXT_BLOCK","features":[2,5,3,1,4,6,7,8]},{"name":"WCS_RAS_REGISTER_NAME_MAX_LENGTH","features":[3]},{"name":"WDM_MAJORVERSION","features":[3]},{"name":"WDM_MINORVERSION","features":[3]},{"name":"WHEA128A","features":[3]},{"name":"WHEAP_ACPI_TIMEOUT_EVENT","features":[3]},{"name":"WHEAP_ADD_REMOVE_ERROR_SOURCE_EVENT","features":[3,1,30]},{"name":"WHEAP_ATTEMPT_RECOVERY_EVENT","features":[3,1]},{"name":"WHEAP_BAD_HEST_NOTIFY_DATA_EVENT","features":[3,30]},{"name":"WHEAP_CLEARED_POISON_EVENT","features":[3]},{"name":"WHEAP_CMCI_IMPLEMENTED_EVENT","features":[3,1]},{"name":"WHEAP_CMCI_INITERR_EVENT","features":[3]},{"name":"WHEAP_CMCI_RESTART_EVENT","features":[3]},{"name":"WHEAP_CREATE_GENERIC_RECORD_EVENT","features":[3,1]},{"name":"WHEAP_DEFERRED_EVENT","features":[3,7]},{"name":"WHEAP_DEVICE_DRV_EVENT","features":[3]},{"name":"WHEAP_DPC_ERROR_EVENT","features":[3]},{"name":"WHEAP_DPC_ERROR_EVENT_TYPE","features":[3]},{"name":"WHEAP_DROPPED_CORRECTED_ERROR_EVENT","features":[3,30]},{"name":"WHEAP_EDPC_ENABLED_EVENT","features":[3,1]},{"name":"WHEAP_ERROR_CLEARED_EVENT","features":[3]},{"name":"WHEAP_ERROR_RECORD_EVENT","features":[3]},{"name":"WHEAP_ERR_SRC_ARRAY_INVALID_EVENT","features":[3]},{"name":"WHEAP_ERR_SRC_INVALID_EVENT","features":[3,1,30]},{"name":"WHEAP_FOUND_ERROR_IN_BANK_EVENT","features":[3]},{"name":"WHEAP_GENERIC_ERR_MEM_MAP_EVENT","features":[3]},{"name":"WHEAP_OSC_IMPLEMENTED","features":[3,1]},{"name":"WHEAP_PCIE_CONFIG_INFO","features":[3]},{"name":"WHEAP_PCIE_OVERRIDE_INFO","features":[3]},{"name":"WHEAP_PCIE_READ_OVERRIDES_ERR","features":[3,1]},{"name":"WHEAP_PFA_MEMORY_OFFLINED","features":[3,1]},{"name":"WHEAP_PFA_MEMORY_POLICY","features":[3,1]},{"name":"WHEAP_PFA_MEMORY_REMOVE_MONITOR","features":[3]},{"name":"WHEAP_PFA_OFFLINE_DECISION_TYPE","features":[3]},{"name":"WHEAP_PLUGIN_DEFECT_LIST_CORRUPT","features":[3]},{"name":"WHEAP_PLUGIN_DEFECT_LIST_FULL_EVENT","features":[3]},{"name":"WHEAP_PLUGIN_DEFECT_LIST_UEFI_VAR_FAILED","features":[3]},{"name":"WHEAP_PLUGIN_PFA_EVENT","features":[3,1]},{"name":"WHEAP_PROCESS_EINJ_EVENT","features":[3,1]},{"name":"WHEAP_PROCESS_HEST_EVENT","features":[3,1]},{"name":"WHEAP_PSHED_INJECT_ERROR","features":[3,1]},{"name":"WHEAP_PSHED_PLUGIN_REGISTER","features":[3,1]},{"name":"WHEAP_ROW_FAILURE_EVENT","features":[3]},{"name":"WHEAP_SPURIOUS_AER_EVENT","features":[3]},{"name":"WHEAP_STARTED_REPORT_HW_ERROR","features":[3,30]},{"name":"WHEAP_STUCK_ERROR_EVENT","features":[3]},{"name":"WHEA_ACPI_HEADER","features":[3]},{"name":"WHEA_AMD_EXTENDED_REGISTERS","features":[3]},{"name":"WHEA_AMD_EXT_REG_NUM","features":[3]},{"name":"WHEA_ARMV8_AARCH32_GPRS","features":[3]},{"name":"WHEA_ARMV8_AARCH64_EL3_CSR","features":[3]},{"name":"WHEA_ARMV8_AARCH64_GPRS","features":[3]},{"name":"WHEA_ARM_AARCH32_EL1_CSR","features":[3]},{"name":"WHEA_ARM_AARCH32_EL2_CSR","features":[3]},{"name":"WHEA_ARM_AARCH32_SECURE_CSR","features":[3]},{"name":"WHEA_ARM_AARCH64_EL1_CSR","features":[3]},{"name":"WHEA_ARM_AARCH64_EL2_CSR","features":[3]},{"name":"WHEA_ARM_BUS_ERROR","features":[3]},{"name":"WHEA_ARM_BUS_ERROR_VALID_BITS","features":[3]},{"name":"WHEA_ARM_CACHE_ERROR","features":[3]},{"name":"WHEA_ARM_CACHE_ERROR_VALID_BITS","features":[3]},{"name":"WHEA_ARM_MISC_CSR","features":[3]},{"name":"WHEA_ARM_PROCESSOR_ERROR","features":[3]},{"name":"WHEA_ARM_PROCESSOR_ERROR_CONTEXT_INFORMATION_HEADER","features":[3]},{"name":"WHEA_ARM_PROCESSOR_ERROR_CONTEXT_INFORMATION_HEADER_FLAGS","features":[3]},{"name":"WHEA_ARM_PROCESSOR_ERROR_INFORMATION","features":[3]},{"name":"WHEA_ARM_PROCESSOR_ERROR_INFORMATION_VALID_BITS","features":[3]},{"name":"WHEA_ARM_PROCESSOR_ERROR_SECTION","features":[3]},{"name":"WHEA_ARM_PROCESSOR_ERROR_SECTION_VALID_BITS","features":[3]},{"name":"WHEA_ARM_TLB_ERROR","features":[3]},{"name":"WHEA_ARM_TLB_ERROR_VALID_BITS","features":[3]},{"name":"WHEA_AZCC_ROOT_BUS_ERR_EVENT","features":[3,1]},{"name":"WHEA_AZCC_ROOT_BUS_LIST_EVENT","features":[3]},{"name":"WHEA_AZCC_SET_POISON_EVENT","features":[3,1]},{"name":"WHEA_BUGCHECK_RECOVERY_LOG_TYPE","features":[3]},{"name":"WHEA_BUSCHECK_GUID","features":[3]},{"name":"WHEA_CACHECHECK_GUID","features":[3]},{"name":"WHEA_CPU_VENDOR","features":[3]},{"name":"WHEA_DEVICE_ERROR_SUMMARY_GUID","features":[3]},{"name":"WHEA_DPC_CAPABILITY_SECTION_GUID","features":[3]},{"name":"WHEA_ERROR_INJECTION_CAPABILITIES","features":[3]},{"name":"WHEA_ERROR_LOG_ENTRY_VERSION","features":[3]},{"name":"WHEA_ERROR_PACKET_DATA_FORMAT","features":[3]},{"name":"WHEA_ERROR_PACKET_FLAGS","features":[3]},{"name":"WHEA_ERROR_PACKET_SECTION_GUID","features":[3]},{"name":"WHEA_ERROR_PACKET_V1","features":[3,30]},{"name":"WHEA_ERROR_PACKET_V1_VERSION","features":[3]},{"name":"WHEA_ERROR_PACKET_V2","features":[3,30]},{"name":"WHEA_ERROR_PACKET_V2_VERSION","features":[3]},{"name":"WHEA_ERROR_PACKET_VERSION","features":[3]},{"name":"WHEA_ERROR_PKT_VERSION","features":[3]},{"name":"WHEA_ERROR_RECORD","features":[3]},{"name":"WHEA_ERROR_RECORD_FLAGS_DEVICE_DRIVER","features":[3]},{"name":"WHEA_ERROR_RECORD_FLAGS_PREVIOUSERROR","features":[3]},{"name":"WHEA_ERROR_RECORD_FLAGS_RECOVERED","features":[3]},{"name":"WHEA_ERROR_RECORD_FLAGS_SIMULATED","features":[3]},{"name":"WHEA_ERROR_RECORD_HEADER","features":[3]},{"name":"WHEA_ERROR_RECORD_HEADER_FLAGS","features":[3]},{"name":"WHEA_ERROR_RECORD_HEADER_VALIDBITS","features":[3]},{"name":"WHEA_ERROR_RECORD_REVISION","features":[3]},{"name":"WHEA_ERROR_RECORD_SECTION_DESCRIPTOR","features":[3]},{"name":"WHEA_ERROR_RECORD_SECTION_DESCRIPTOR_FLAGS","features":[3]},{"name":"WHEA_ERROR_RECORD_SECTION_DESCRIPTOR_REVISION","features":[3]},{"name":"WHEA_ERROR_RECORD_SECTION_DESCRIPTOR_VALIDBITS","features":[3]},{"name":"WHEA_ERROR_RECORD_SIGNATURE_END","features":[3]},{"name":"WHEA_ERROR_RECORD_VALID_PARTITIONID","features":[3]},{"name":"WHEA_ERROR_RECORD_VALID_PLATFORMID","features":[3]},{"name":"WHEA_ERROR_RECORD_VALID_TIMESTAMP","features":[3]},{"name":"WHEA_ERROR_RECOVERY_INFO_SECTION","features":[3,1]},{"name":"WHEA_ERROR_SEVERITY","features":[3]},{"name":"WHEA_ERROR_SOURCE_CONFIGURATION","features":[3,1]},{"name":"WHEA_ERROR_SOURCE_CORRECT","features":[3,1]},{"name":"WHEA_ERROR_SOURCE_CREATE_RECORD","features":[3,1]},{"name":"WHEA_ERROR_SOURCE_INITIALIZE","features":[3,1]},{"name":"WHEA_ERROR_SOURCE_OVERRIDE_SETTINGS","features":[3,30]},{"name":"WHEA_ERROR_SOURCE_RECOVER","features":[3,1]},{"name":"WHEA_ERROR_SOURCE_UNINITIALIZE","features":[3]},{"name":"WHEA_ERROR_STATUS","features":[3]},{"name":"WHEA_ERROR_TEXT_LEN","features":[3]},{"name":"WHEA_ERROR_TYPE","features":[3]},{"name":"WHEA_ERR_SRC_OVERRIDE_FLAG","features":[3]},{"name":"WHEA_ETW_OVERFLOW_EVENT","features":[3]},{"name":"WHEA_EVENT_LOG_ENTRY","features":[3]},{"name":"WHEA_EVENT_LOG_ENTRY_FLAGS","features":[3]},{"name":"WHEA_EVENT_LOG_ENTRY_HEADER","features":[3]},{"name":"WHEA_EVENT_LOG_ENTRY_ID","features":[3]},{"name":"WHEA_EVENT_LOG_ENTRY_TYPE","features":[3]},{"name":"WHEA_FAILED_ADD_DEFECT_LIST_EVENT","features":[3]},{"name":"WHEA_FIRMWARE_ERROR_RECORD_REFERENCE","features":[3]},{"name":"WHEA_FIRMWARE_RECORD_TYPE_IPFSAL","features":[3]},{"name":"WHEA_GENERIC_ENTRY_TEXT_LEN","features":[3]},{"name":"WHEA_GENERIC_ENTRY_V2_VERSION","features":[3]},{"name":"WHEA_GENERIC_ENTRY_VERSION","features":[3]},{"name":"WHEA_GENERIC_ERROR","features":[3]},{"name":"WHEA_GENERIC_ERROR_BLOCKSTATUS","features":[3]},{"name":"WHEA_GENERIC_ERROR_DATA_ENTRY_V1","features":[3]},{"name":"WHEA_GENERIC_ERROR_DATA_ENTRY_V2","features":[3]},{"name":"WHEA_INVALID_ERR_SRC_ID","features":[3]},{"name":"WHEA_IN_USE_PAGE_NOTIFY_FLAGS","features":[3]},{"name":"WHEA_IN_USE_PAGE_NOTIFY_FLAG_NOTIFYALL","features":[3]},{"name":"WHEA_IN_USE_PAGE_NOTIFY_FLAG_PAGEOFFLINED","features":[3]},{"name":"WHEA_IN_USE_PAGE_NOTIFY_FLAG_PLATFORMDIRECTED","features":[3]},{"name":"WHEA_MAX_LOG_DATA_LEN","features":[3]},{"name":"WHEA_MEMERRTYPE_INVALIDADDRESS","features":[3]},{"name":"WHEA_MEMERRTYPE_MASTERABORT","features":[3]},{"name":"WHEA_MEMERRTYPE_MEMORYSPARING","features":[3]},{"name":"WHEA_MEMERRTYPE_MIRRORBROKEN","features":[3]},{"name":"WHEA_MEMERRTYPE_MULTIBITECC","features":[3]},{"name":"WHEA_MEMERRTYPE_MULTISYMCHIPKILL","features":[3]},{"name":"WHEA_MEMERRTYPE_NOERROR","features":[3]},{"name":"WHEA_MEMERRTYPE_PARITYERROR","features":[3]},{"name":"WHEA_MEMERRTYPE_SINGLEBITECC","features":[3]},{"name":"WHEA_MEMERRTYPE_SINGLESYMCHIPKILL","features":[3]},{"name":"WHEA_MEMERRTYPE_TARGETABORT","features":[3]},{"name":"WHEA_MEMERRTYPE_UNKNOWN","features":[3]},{"name":"WHEA_MEMERRTYPE_WATCHDOGTIMEOUT","features":[3]},{"name":"WHEA_MEMORY_CORRECTABLE_ERROR_DATA","features":[3]},{"name":"WHEA_MEMORY_CORRECTABLE_ERROR_HEADER","features":[3]},{"name":"WHEA_MEMORY_CORRECTABLE_ERROR_SECTION","features":[3]},{"name":"WHEA_MEMORY_CORRECTABLE_ERROR_SECTION_VALIDBITS","features":[3]},{"name":"WHEA_MEMORY_ERROR_SECTION","features":[3]},{"name":"WHEA_MEMORY_ERROR_SECTION_VALIDBITS","features":[3]},{"name":"WHEA_MEMORY_THROTTLE_SUMMARY_FAILED_EVENT","features":[3,1]},{"name":"WHEA_MSCHECK_GUID","features":[3]},{"name":"WHEA_MSR_DUMP_SECTION","features":[3]},{"name":"WHEA_NMI_ERROR_SECTION","features":[3]},{"name":"WHEA_NMI_ERROR_SECTION_FLAGS","features":[3]},{"name":"WHEA_OFFLINE_DONE_EVENT","features":[3]},{"name":"WHEA_PACKET_LOG_DATA","features":[3]},{"name":"WHEA_PCIEXPRESS_BRIDGE_CONTROL_STATUS","features":[3]},{"name":"WHEA_PCIEXPRESS_COMMAND_STATUS","features":[3]},{"name":"WHEA_PCIEXPRESS_DEVICE_ID","features":[3]},{"name":"WHEA_PCIEXPRESS_DEVICE_TYPE","features":[3]},{"name":"WHEA_PCIEXPRESS_ERROR_SECTION","features":[3]},{"name":"WHEA_PCIEXPRESS_ERROR_SECTION_VALIDBITS","features":[3]},{"name":"WHEA_PCIEXPRESS_VERSION","features":[3]},{"name":"WHEA_PCIE_ADDRESS","features":[3]},{"name":"WHEA_PCIE_CORRECTABLE_ERROR_DEVICES","features":[3]},{"name":"WHEA_PCIE_CORRECTABLE_ERROR_DEVICES_VALIDBITS","features":[3]},{"name":"WHEA_PCIE_CORRECTABLE_ERROR_SECTION","features":[3]},{"name":"WHEA_PCIE_CORRECTABLE_ERROR_SECTION_COUNT_SIZE","features":[3]},{"name":"WHEA_PCIE_CORRECTABLE_ERROR_SECTION_HEADER","features":[3]},{"name":"WHEA_PCIXBUS_COMMAND","features":[3]},{"name":"WHEA_PCIXBUS_ERROR_SECTION","features":[3]},{"name":"WHEA_PCIXBUS_ERROR_SECTION_VALIDBITS","features":[3]},{"name":"WHEA_PCIXBUS_ID","features":[3]},{"name":"WHEA_PCIXDEVICE_ERROR_SECTION","features":[3]},{"name":"WHEA_PCIXDEVICE_ERROR_SECTION_VALIDBITS","features":[3]},{"name":"WHEA_PCIXDEVICE_ID","features":[3]},{"name":"WHEA_PCIXDEVICE_REGISTER_PAIR","features":[3]},{"name":"WHEA_PCI_RECOVERY_SECTION","features":[3,1]},{"name":"WHEA_PCI_RECOVERY_SIGNAL","features":[3]},{"name":"WHEA_PCI_RECOVERY_STATUS","features":[3]},{"name":"WHEA_PERSISTENCE_INFO","features":[3]},{"name":"WHEA_PFA_REMOVE_TRIGGER","features":[3]},{"name":"WHEA_PLUGIN_REGISTRATION_PACKET_V1","features":[3]},{"name":"WHEA_PLUGIN_REGISTRATION_PACKET_V2","features":[3]},{"name":"WHEA_PLUGIN_REGISTRATION_PACKET_VERSION","features":[3]},{"name":"WHEA_PMEM_ERROR_SECTION","features":[3]},{"name":"WHEA_PMEM_ERROR_SECTION_LOCATION_INFO_SIZE","features":[3]},{"name":"WHEA_PMEM_ERROR_SECTION_MAX_PAGES","features":[3]},{"name":"WHEA_PMEM_ERROR_SECTION_VALIDBITS","features":[3]},{"name":"WHEA_PMEM_PAGE_RANGE","features":[3]},{"name":"WHEA_PROCESSOR_FAMILY_INFO","features":[3]},{"name":"WHEA_PROCESSOR_GENERIC_ERROR_SECTION","features":[3]},{"name":"WHEA_PROCESSOR_GENERIC_ERROR_SECTION_VALIDBITS","features":[3]},{"name":"WHEA_PSHED_PI_CPU_BUSES_INIT_FAILED_EVENT","features":[3,1]},{"name":"WHEA_PSHED_PI_TRACE_EVENT","features":[3]},{"name":"WHEA_PSHED_PLUGIN_CALLBACKS","features":[3,1,30]},{"name":"WHEA_PSHED_PLUGIN_DIMM_MISMATCH","features":[3]},{"name":"WHEA_PSHED_PLUGIN_ENABLE_NOTIFY_ERRORS","features":[3]},{"name":"WHEA_PSHED_PLUGIN_ENABLE_NOTIFY_FAILED_EVENT","features":[3]},{"name":"WHEA_PSHED_PLUGIN_HEARTBEAT","features":[3]},{"name":"WHEA_PSHED_PLUGIN_INIT_FAILED_EVENT","features":[3,1]},{"name":"WHEA_PSHED_PLUGIN_LOAD_EVENT","features":[3]},{"name":"WHEA_PSHED_PLUGIN_PLATFORM_SUPPORT_EVENT","features":[3,1]},{"name":"WHEA_PSHED_PLUGIN_REGISTRATION_PACKET_V1","features":[3,1,30]},{"name":"WHEA_PSHED_PLUGIN_REGISTRATION_PACKET_V2","features":[3,1,30]},{"name":"WHEA_PSHED_PLUGIN_UNLOAD_EVENT","features":[3]},{"name":"WHEA_RAW_DATA_FORMAT","features":[3]},{"name":"WHEA_RECORD_CREATOR_GUID","features":[3]},{"name":"WHEA_RECOVERY_ACTION","features":[3]},{"name":"WHEA_RECOVERY_CONTEXT","features":[3,1]},{"name":"WHEA_RECOVERY_CONTEXT_ERROR_TYPE","features":[3]},{"name":"WHEA_RECOVERY_FAILURE_REASON","features":[3]},{"name":"WHEA_RECOVERY_TYPE","features":[3]},{"name":"WHEA_REGISTER_KEY_NOTIFICATION_FAILED_EVENT","features":[3]},{"name":"WHEA_REPORT_HW_ERROR_DEVICE_DRIVER_FLAGS","features":[3]},{"name":"WHEA_REVISION","features":[3]},{"name":"WHEA_SEA_SECTION","features":[3,1]},{"name":"WHEA_SECTION_DESCRIPTOR_FLAGS_CONTAINMENTWRN","features":[3]},{"name":"WHEA_SECTION_DESCRIPTOR_FLAGS_FRU_TEXT_BY_PLUGIN","features":[3]},{"name":"WHEA_SECTION_DESCRIPTOR_FLAGS_LATENTERROR","features":[3]},{"name":"WHEA_SECTION_DESCRIPTOR_FLAGS_PRIMARY","features":[3]},{"name":"WHEA_SECTION_DESCRIPTOR_FLAGS_PROPAGATED","features":[3]},{"name":"WHEA_SECTION_DESCRIPTOR_FLAGS_RESET","features":[3]},{"name":"WHEA_SECTION_DESCRIPTOR_FLAGS_RESOURCENA","features":[3]},{"name":"WHEA_SECTION_DESCRIPTOR_FLAGS_THRESHOLDEXCEEDED","features":[3]},{"name":"WHEA_SECTION_DESCRIPTOR_REVISION","features":[3]},{"name":"WHEA_SEI_SECTION","features":[3]},{"name":"WHEA_SEL_BUGCHECK_PROGRESS","features":[3]},{"name":"WHEA_SEL_BUGCHECK_RECOVERY_STATUS_MULTIPLE_BUGCHECK_EVENT","features":[3,1]},{"name":"WHEA_SEL_BUGCHECK_RECOVERY_STATUS_PHASE1_EVENT","features":[3,1]},{"name":"WHEA_SEL_BUGCHECK_RECOVERY_STATUS_PHASE1_VERSION","features":[3]},{"name":"WHEA_SEL_BUGCHECK_RECOVERY_STATUS_PHASE2_EVENT","features":[3,1]},{"name":"WHEA_SEL_BUGCHECK_RECOVERY_STATUS_START_EVENT","features":[3]},{"name":"WHEA_SIGNAL_HANDLER_OVERRIDE_CALLBACK","features":[3,1]},{"name":"WHEA_SRAR_DETAIL_EVENT","features":[3,1]},{"name":"WHEA_SRAS_TABLE_ENTRIES_EVENT","features":[3]},{"name":"WHEA_SRAS_TABLE_ERROR","features":[3]},{"name":"WHEA_SRAS_TABLE_NOT_FOUND","features":[3]},{"name":"WHEA_THROTTLE_ADD_ERR_SRC_FAILED_EVENT","features":[3]},{"name":"WHEA_THROTTLE_MEMORY_ADD_OR_REMOVE_EVENT","features":[3]},{"name":"WHEA_THROTTLE_PCIE_ADD_EVENT","features":[3,1]},{"name":"WHEA_THROTTLE_PCIE_REMOVE_EVENT","features":[3]},{"name":"WHEA_THROTTLE_REGISTRY_CORRUPT_EVENT","features":[3]},{"name":"WHEA_THROTTLE_REG_DATA_IGNORED_EVENT","features":[3]},{"name":"WHEA_THROTTLE_TYPE","features":[3]},{"name":"WHEA_TIMESTAMP","features":[3]},{"name":"WHEA_TLBCHECK_GUID","features":[3]},{"name":"WHEA_WRITE_FLAG_DUMMY","features":[3]},{"name":"WHEA_X64_REGISTER_STATE","features":[3]},{"name":"WHEA_X86_REGISTER_STATE","features":[3]},{"name":"WHEA_XPF_BUS_CHECK","features":[3]},{"name":"WHEA_XPF_CACHE_CHECK","features":[3]},{"name":"WHEA_XPF_CONTEXT_INFO","features":[3]},{"name":"WHEA_XPF_MCA_EXTREG_MAX_COUNT","features":[3]},{"name":"WHEA_XPF_MCA_SECTION","features":[3,1]},{"name":"WHEA_XPF_MCA_SECTION_VERSION","features":[3]},{"name":"WHEA_XPF_MCA_SECTION_VERSION_2","features":[3]},{"name":"WHEA_XPF_MCA_SECTION_VERSION_3","features":[3]},{"name":"WHEA_XPF_MS_CHECK","features":[3]},{"name":"WHEA_XPF_PROCESSOR_ERROR_SECTION","features":[3]},{"name":"WHEA_XPF_PROCESSOR_ERROR_SECTION_VALIDBITS","features":[3]},{"name":"WHEA_XPF_PROCINFO","features":[3]},{"name":"WHEA_XPF_PROCINFO_VALIDBITS","features":[3]},{"name":"WHEA_XPF_TLB_CHECK","features":[3]},{"name":"WMIREGISTER","features":[3]},{"name":"WMIREG_ACTION_BLOCK_IRPS","features":[3]},{"name":"WMIREG_ACTION_DEREGISTER","features":[3]},{"name":"WMIREG_ACTION_REGISTER","features":[3]},{"name":"WMIREG_ACTION_REREGISTER","features":[3]},{"name":"WMIREG_ACTION_UPDATE_GUIDS","features":[3]},{"name":"WMIUPDATE","features":[3]},{"name":"WMI_NOTIFICATION_CALLBACK","features":[3]},{"name":"WORKER_THREAD_ROUTINE","features":[3]},{"name":"WORK_QUEUE_TYPE","features":[3]},{"name":"WdfNotifyRoutinesClass","features":[3]},{"name":"WheaAddErrorSource","features":[3,1,30]},{"name":"WheaAddErrorSourceDeviceDriver","features":[3,1,30]},{"name":"WheaAddErrorSourceDeviceDriverV1","features":[3,1,30]},{"name":"WheaAddHwErrorReportSectionDeviceDriver","features":[3,1,30]},{"name":"WheaConfigureErrorSource","features":[3,1,30]},{"name":"WheaCpuVendorAmd","features":[3]},{"name":"WheaCpuVendorIntel","features":[3]},{"name":"WheaCpuVendorOther","features":[3]},{"name":"WheaCreateHwErrorReportDeviceDriver","features":[2,5,3,1,4,6,7,8]},{"name":"WheaDataFormatGeneric","features":[3]},{"name":"WheaDataFormatIPFSalRecord","features":[3]},{"name":"WheaDataFormatMax","features":[3]},{"name":"WheaDataFormatMemory","features":[3]},{"name":"WheaDataFormatNMIPort","features":[3]},{"name":"WheaDataFormatPCIExpress","features":[3]},{"name":"WheaDataFormatPCIXBus","features":[3]},{"name":"WheaDataFormatPCIXDevice","features":[3]},{"name":"WheaDataFormatXPFMCA","features":[3]},{"name":"WheaErrSevCorrected","features":[3]},{"name":"WheaErrSevFatal","features":[3]},{"name":"WheaErrSevInformational","features":[3]},{"name":"WheaErrSevRecoverable","features":[3]},{"name":"WheaErrTypeGeneric","features":[3]},{"name":"WheaErrTypeMemory","features":[3]},{"name":"WheaErrTypeNMI","features":[3]},{"name":"WheaErrTypePCIExpress","features":[3]},{"name":"WheaErrTypePCIXBus","features":[3]},{"name":"WheaErrTypePCIXDevice","features":[3]},{"name":"WheaErrTypePmem","features":[3]},{"name":"WheaErrTypeProcessor","features":[3]},{"name":"WheaErrorSourceGetState","features":[3,30]},{"name":"WheaEventBugCheckRecoveryEntry","features":[3]},{"name":"WheaEventBugCheckRecoveryMax","features":[3]},{"name":"WheaEventBugCheckRecoveryReturn","features":[3]},{"name":"WheaEventLogAzccRootBusList","features":[3]},{"name":"WheaEventLogAzccRootBusPoisonSet","features":[3]},{"name":"WheaEventLogAzccRootBusSearchErr","features":[3]},{"name":"WheaEventLogCmciFinalRestart","features":[3]},{"name":"WheaEventLogCmciRestart","features":[3]},{"name":"WheaEventLogEntryEarlyError","features":[3]},{"name":"WheaEventLogEntryEtwOverFlow","features":[3]},{"name":"WheaEventLogEntryIdAcpiTimeOut","features":[3]},{"name":"WheaEventLogEntryIdAddRemoveErrorSource","features":[3]},{"name":"WheaEventLogEntryIdAerNotGrantedToOs","features":[3]},{"name":"WheaEventLogEntryIdAttemptErrorRecovery","features":[3]},{"name":"WheaEventLogEntryIdBadHestNotifyData","features":[3]},{"name":"WheaEventLogEntryIdBadPageLimitReached","features":[3]},{"name":"WheaEventLogEntryIdClearedPoison","features":[3]},{"name":"WheaEventLogEntryIdCmcPollingTimeout","features":[3]},{"name":"WheaEventLogEntryIdCmcSwitchToPolling","features":[3]},{"name":"WheaEventLogEntryIdCmciImplPresent","features":[3]},{"name":"WheaEventLogEntryIdCmciInitError","features":[3]},{"name":"WheaEventLogEntryIdCpuBusesInitFailed","features":[3]},{"name":"WheaEventLogEntryIdCpusFrozen","features":[3]},{"name":"WheaEventLogEntryIdCpusFrozenNoCrashDump","features":[3]},{"name":"WheaEventLogEntryIdCreateGenericRecord","features":[3]},{"name":"WheaEventLogEntryIdDefectListCorrupt","features":[3]},{"name":"WheaEventLogEntryIdDefectListFull","features":[3]},{"name":"WheaEventLogEntryIdDefectListUEFIVarFailed","features":[3]},{"name":"WheaEventLogEntryIdDeviceDriver","features":[3]},{"name":"WheaEventLogEntryIdDroppedCorrectedError","features":[3]},{"name":"WheaEventLogEntryIdDrvErrSrcInvalid","features":[3]},{"name":"WheaEventLogEntryIdDrvHandleBusy","features":[3]},{"name":"WheaEventLogEntryIdEnableKeyNotifFailed","features":[3]},{"name":"WheaEventLogEntryIdErrDimmInfoMismatch","features":[3]},{"name":"WheaEventLogEntryIdErrSrcArrayInvalid","features":[3]},{"name":"WheaEventLogEntryIdErrSrcInvalid","features":[3]},{"name":"WheaEventLogEntryIdErrorRecord","features":[3]},{"name":"WheaEventLogEntryIdErrorRecordLimit","features":[3]},{"name":"WheaEventLogEntryIdFailedAddToDefectList","features":[3]},{"name":"WheaEventLogEntryIdGenericErrMemMap","features":[3]},{"name":"WheaEventLogEntryIdKeyNotificationFailed","features":[3]},{"name":"WheaEventLogEntryIdMcaErrorCleared","features":[3]},{"name":"WheaEventLogEntryIdMcaFoundErrorInBank","features":[3]},{"name":"WheaEventLogEntryIdMcaStuckErrorCheck","features":[3]},{"name":"WheaEventLogEntryIdMemoryAddDevice","features":[3]},{"name":"WheaEventLogEntryIdMemoryRemoveDevice","features":[3]},{"name":"WheaEventLogEntryIdMemorySummaryFailed","features":[3]},{"name":"WheaEventLogEntryIdOscCapabilities","features":[3]},{"name":"WheaEventLogEntryIdPFAMemoryOfflined","features":[3]},{"name":"WheaEventLogEntryIdPFAMemoryPolicy","features":[3]},{"name":"WheaEventLogEntryIdPFAMemoryRemoveMonitor","features":[3]},{"name":"WheaEventLogEntryIdPcieAddDevice","features":[3]},{"name":"WheaEventLogEntryIdPcieConfigInfo","features":[3]},{"name":"WheaEventLogEntryIdPcieDpcError","features":[3]},{"name":"WheaEventLogEntryIdPcieOverrideInfo","features":[3]},{"name":"WheaEventLogEntryIdPcieRemoveDevice","features":[3]},{"name":"WheaEventLogEntryIdPcieSpuriousErrSource","features":[3]},{"name":"WheaEventLogEntryIdPcieSummaryFailed","features":[3]},{"name":"WheaEventLogEntryIdProcessEINJ","features":[3]},{"name":"WheaEventLogEntryIdProcessHEST","features":[3]},{"name":"WheaEventLogEntryIdPshedCallbackCollision","features":[3]},{"name":"WheaEventLogEntryIdPshedInjectError","features":[3]},{"name":"WheaEventLogEntryIdPshedPiTraceLog","features":[3]},{"name":"WheaEventLogEntryIdPshedPluginInitFailed","features":[3]},{"name":"WheaEventLogEntryIdPshedPluginLoad","features":[3]},{"name":"WheaEventLogEntryIdPshedPluginRegister","features":[3]},{"name":"WheaEventLogEntryIdPshedPluginSupported","features":[3]},{"name":"WheaEventLogEntryIdPshedPluginUnload","features":[3]},{"name":"WheaEventLogEntryIdReadPcieOverridesErr","features":[3]},{"name":"WheaEventLogEntryIdRowFailure","features":[3]},{"name":"WheaEventLogEntryIdSELBugCheckInfo","features":[3]},{"name":"WheaEventLogEntryIdSELBugCheckProgress","features":[3]},{"name":"WheaEventLogEntryIdSELBugCheckRecovery","features":[3]},{"name":"WheaEventLogEntryIdSrasTableEntries","features":[3]},{"name":"WheaEventLogEntryIdSrasTableError","features":[3]},{"name":"WheaEventLogEntryIdSrasTableNotFound","features":[3]},{"name":"WheaEventLogEntryIdStartedReportHwError","features":[3]},{"name":"WheaEventLogEntryIdThrottleAddErrSrcFailed","features":[3]},{"name":"WheaEventLogEntryIdThrottleRegCorrupt","features":[3]},{"name":"WheaEventLogEntryIdThrottleRegDataIgnored","features":[3]},{"name":"WheaEventLogEntryIdWheaHeartbeat","features":[3]},{"name":"WheaEventLogEntryIdWheaInit","features":[3]},{"name":"WheaEventLogEntryIdWorkQueueItem","features":[3]},{"name":"WheaEventLogEntryIdeDpcEnabled","features":[3]},{"name":"WheaEventLogEntryPageOfflineDone","features":[3]},{"name":"WheaEventLogEntryPageOfflinePendMax","features":[3]},{"name":"WheaEventLogEntrySrarDetail","features":[3]},{"name":"WheaEventLogEntryTypeError","features":[3]},{"name":"WheaEventLogEntryTypeInformational","features":[3]},{"name":"WheaEventLogEntryTypeWarning","features":[3]},{"name":"WheaGetNotifyAllOfflinesPolicy","features":[3,1]},{"name":"WheaHighIrqlLogSelEventHandlerRegister","features":[3,1,30]},{"name":"WheaHighIrqlLogSelEventHandlerUnregister","features":[3]},{"name":"WheaHwErrorReportAbandonDeviceDriver","features":[3,1]},{"name":"WheaHwErrorReportSetSectionNameDeviceDriver","features":[3,1,30]},{"name":"WheaHwErrorReportSetSeverityDeviceDriver","features":[3,1]},{"name":"WheaHwErrorReportSubmitDeviceDriver","features":[3,1]},{"name":"WheaInitializeRecordHeader","features":[3,1]},{"name":"WheaIsCriticalState","features":[3,1]},{"name":"WheaLogInternalEvent","features":[3]},{"name":"WheaMemoryThrottle","features":[3]},{"name":"WheaPciExpressDownstreamSwitchPort","features":[3]},{"name":"WheaPciExpressEndpoint","features":[3]},{"name":"WheaPciExpressLegacyEndpoint","features":[3]},{"name":"WheaPciExpressRootComplexEventCollector","features":[3]},{"name":"WheaPciExpressRootComplexIntegratedEndpoint","features":[3]},{"name":"WheaPciExpressRootPort","features":[3]},{"name":"WheaPciExpressToPciXBridge","features":[3]},{"name":"WheaPciExpressUpstreamSwitchPort","features":[3]},{"name":"WheaPciREcoveryStatusUnknown","features":[3]},{"name":"WheaPciRecoverySignalAer","features":[3]},{"name":"WheaPciRecoverySignalDpc","features":[3]},{"name":"WheaPciRecoverySignalUnknown","features":[3]},{"name":"WheaPciRecoveryStatusBusNotFound","features":[3]},{"name":"WheaPciRecoveryStatusComplexTree","features":[3]},{"name":"WheaPciRecoveryStatusLinkDisableTimeout","features":[3]},{"name":"WheaPciRecoveryStatusLinkEnableTimeout","features":[3]},{"name":"WheaPciRecoveryStatusNoError","features":[3]},{"name":"WheaPciRecoveryStatusRpBusyTimeout","features":[3]},{"name":"WheaPciXToExpressBridge","features":[3]},{"name":"WheaPcieThrottle","features":[3]},{"name":"WheaPfaRemoveCapacity","features":[3]},{"name":"WheaPfaRemoveErrorThreshold","features":[3]},{"name":"WheaPfaRemoveTimeout","features":[3]},{"name":"WheaRawDataFormatAMD64MCA","features":[3]},{"name":"WheaRawDataFormatGeneric","features":[3]},{"name":"WheaRawDataFormatIA32MCA","features":[3]},{"name":"WheaRawDataFormatIPFSalRecord","features":[3]},{"name":"WheaRawDataFormatIntel64MCA","features":[3]},{"name":"WheaRawDataFormatMax","features":[3]},{"name":"WheaRawDataFormatMemory","features":[3]},{"name":"WheaRawDataFormatNMIPort","features":[3]},{"name":"WheaRawDataFormatPCIExpress","features":[3]},{"name":"WheaRawDataFormatPCIXBus","features":[3]},{"name":"WheaRawDataFormatPCIXDevice","features":[3]},{"name":"WheaRecoveryContextErrorTypeMax","features":[3]},{"name":"WheaRecoveryContextErrorTypeMemory","features":[3]},{"name":"WheaRecoveryContextErrorTypePmem","features":[3]},{"name":"WheaRecoveryFailureReasonFarNotValid","features":[3]},{"name":"WheaRecoveryFailureReasonHighIrql","features":[3]},{"name":"WheaRecoveryFailureReasonInsufficientAltContextWrappers","features":[3]},{"name":"WheaRecoveryFailureReasonInterruptsDisabled","features":[3]},{"name":"WheaRecoveryFailureReasonInvalidAddressMode","features":[3]},{"name":"WheaRecoveryFailureReasonKernelCouldNotMarkMemoryBad","features":[3]},{"name":"WheaRecoveryFailureReasonKernelMarkMemoryBadTimedOut","features":[3]},{"name":"WheaRecoveryFailureReasonKernelWillPageFaultBCAtCurrentIrql","features":[3]},{"name":"WheaRecoveryFailureReasonMax","features":[3]},{"name":"WheaRecoveryFailureReasonMiscOrAddrNotValid","features":[3]},{"name":"WheaRecoveryFailureReasonNoRecoveryContext","features":[3]},{"name":"WheaRecoveryFailureReasonNotContinuable","features":[3]},{"name":"WheaRecoveryFailureReasonNotSupported","features":[3]},{"name":"WheaRecoveryFailureReasonOverflow","features":[3]},{"name":"WheaRecoveryFailureReasonPcc","features":[3]},{"name":"WheaRecoveryFailureReasonStackOverflow","features":[3]},{"name":"WheaRecoveryFailureReasonSwapBusy","features":[3]},{"name":"WheaRecoveryFailureReasonUnexpectedFailure","features":[3]},{"name":"WheaRecoveryTypeActionOptional","features":[3]},{"name":"WheaRecoveryTypeActionRequired","features":[3]},{"name":"WheaRecoveryTypeMax","features":[3]},{"name":"WheaRegisterInUsePageOfflineNotification","features":[3,1]},{"name":"WheaRemoveErrorSource","features":[3]},{"name":"WheaRemoveErrorSourceDeviceDriver","features":[3,1]},{"name":"WheaReportHwError","features":[3,1,30]},{"name":"WheaReportHwErrorDeviceDriver","features":[2,5,3,1,4,6,7,8]},{"name":"WheaUnconfigureErrorSource","features":[3,1,30]},{"name":"WheaUnregisterInUsePageOfflineNotification","features":[3,1]},{"name":"WheapDpcErrBusNotFound","features":[3]},{"name":"WheapDpcErrDeviceIdBad","features":[3]},{"name":"WheapDpcErrDpcedSubtree","features":[3]},{"name":"WheapDpcErrNoChildren","features":[3]},{"name":"WheapDpcErrNoErr","features":[3]},{"name":"WheapDpcErrResetFailed","features":[3]},{"name":"WheapPfaOfflinePredictiveFailure","features":[3]},{"name":"WheapPfaOfflineUncorrectedError","features":[3]},{"name":"Width16Bits","features":[3]},{"name":"Width32Bits","features":[3]},{"name":"Width64Bits","features":[3]},{"name":"Width8Bits","features":[3]},{"name":"WidthNoWrap","features":[3]},{"name":"WmiQueryTraceInformation","features":[3,1]},{"name":"WormController","features":[3]},{"name":"WrAlertByThreadId","features":[3]},{"name":"WrCalloutStack","features":[3]},{"name":"WrCpuRateControl","features":[3]},{"name":"WrDeferredPreempt","features":[3]},{"name":"WrDelayExecution","features":[3]},{"name":"WrDispatchInt","features":[3]},{"name":"WrExecutive","features":[3]},{"name":"WrFastMutex","features":[3]},{"name":"WrFreePage","features":[3]},{"name":"WrGuardedMutex","features":[3]},{"name":"WrIoRing","features":[3]},{"name":"WrKernel","features":[3]},{"name":"WrKeyedEvent","features":[3]},{"name":"WrLpcReceive","features":[3]},{"name":"WrLpcReply","features":[3]},{"name":"WrMdlCache","features":[3]},{"name":"WrMutex","features":[3]},{"name":"WrPageIn","features":[3]},{"name":"WrPageOut","features":[3]},{"name":"WrPhysicalFault","features":[3]},{"name":"WrPoolAllocation","features":[3]},{"name":"WrPreempted","features":[3]},{"name":"WrProcessInSwap","features":[3]},{"name":"WrPushLock","features":[3]},{"name":"WrQuantumEnd","features":[3]},{"name":"WrQueue","features":[3]},{"name":"WrRendezvous","features":[3]},{"name":"WrResource","features":[3]},{"name":"WrRundown","features":[3]},{"name":"WrSpare0","features":[3]},{"name":"WrSuspended","features":[3]},{"name":"WrTerminated","features":[3]},{"name":"WrUserRequest","features":[3]},{"name":"WrVirtualMemory","features":[3]},{"name":"WrYieldExecution","features":[3]},{"name":"WriteAccess","features":[3]},{"name":"XPF_BUS_CHECK_ADDRESS_IO","features":[3]},{"name":"XPF_BUS_CHECK_ADDRESS_MEMORY","features":[3]},{"name":"XPF_BUS_CHECK_ADDRESS_OTHER","features":[3]},{"name":"XPF_BUS_CHECK_ADDRESS_RESERVED","features":[3]},{"name":"XPF_BUS_CHECK_OPERATION_DATAREAD","features":[3]},{"name":"XPF_BUS_CHECK_OPERATION_DATAWRITE","features":[3]},{"name":"XPF_BUS_CHECK_OPERATION_GENERIC","features":[3]},{"name":"XPF_BUS_CHECK_OPERATION_GENREAD","features":[3]},{"name":"XPF_BUS_CHECK_OPERATION_GENWRITE","features":[3]},{"name":"XPF_BUS_CHECK_OPERATION_INSTRUCTIONFETCH","features":[3]},{"name":"XPF_BUS_CHECK_OPERATION_PREFETCH","features":[3]},{"name":"XPF_BUS_CHECK_PARTICIPATION_GENERIC","features":[3]},{"name":"XPF_BUS_CHECK_PARTICIPATION_PROCOBSERVED","features":[3]},{"name":"XPF_BUS_CHECK_PARTICIPATION_PROCORIGINATED","features":[3]},{"name":"XPF_BUS_CHECK_PARTICIPATION_PROCRESPONDED","features":[3]},{"name":"XPF_BUS_CHECK_TRANSACTIONTYPE_DATAACCESS","features":[3]},{"name":"XPF_BUS_CHECK_TRANSACTIONTYPE_GENERIC","features":[3]},{"name":"XPF_BUS_CHECK_TRANSACTIONTYPE_INSTRUCTION","features":[3]},{"name":"XPF_CACHE_CHECK_OPERATION_DATAREAD","features":[3]},{"name":"XPF_CACHE_CHECK_OPERATION_DATAWRITE","features":[3]},{"name":"XPF_CACHE_CHECK_OPERATION_EVICTION","features":[3]},{"name":"XPF_CACHE_CHECK_OPERATION_GENERIC","features":[3]},{"name":"XPF_CACHE_CHECK_OPERATION_GENREAD","features":[3]},{"name":"XPF_CACHE_CHECK_OPERATION_GENWRITE","features":[3]},{"name":"XPF_CACHE_CHECK_OPERATION_INSTRUCTIONFETCH","features":[3]},{"name":"XPF_CACHE_CHECK_OPERATION_PREFETCH","features":[3]},{"name":"XPF_CACHE_CHECK_OPERATION_SNOOP","features":[3]},{"name":"XPF_CACHE_CHECK_TRANSACTIONTYPE_DATAACCESS","features":[3]},{"name":"XPF_CACHE_CHECK_TRANSACTIONTYPE_GENERIC","features":[3]},{"name":"XPF_CACHE_CHECK_TRANSACTIONTYPE_INSTRUCTION","features":[3]},{"name":"XPF_CONTEXT_INFO_32BITCONTEXT","features":[3]},{"name":"XPF_CONTEXT_INFO_32BITDEBUGREGS","features":[3]},{"name":"XPF_CONTEXT_INFO_64BITCONTEXT","features":[3]},{"name":"XPF_CONTEXT_INFO_64BITDEBUGREGS","features":[3]},{"name":"XPF_CONTEXT_INFO_FXSAVE","features":[3]},{"name":"XPF_CONTEXT_INFO_MMREGISTERS","features":[3]},{"name":"XPF_CONTEXT_INFO_MSRREGISTERS","features":[3]},{"name":"XPF_CONTEXT_INFO_UNCLASSIFIEDDATA","features":[3]},{"name":"XPF_MCA_SECTION_GUID","features":[3]},{"name":"XPF_MS_CHECK_ERRORTYPE_EXTERNAL","features":[3]},{"name":"XPF_MS_CHECK_ERRORTYPE_FRC","features":[3]},{"name":"XPF_MS_CHECK_ERRORTYPE_INTERNALUNCLASSIFIED","features":[3]},{"name":"XPF_MS_CHECK_ERRORTYPE_MCROMPARITY","features":[3]},{"name":"XPF_MS_CHECK_ERRORTYPE_NOERROR","features":[3]},{"name":"XPF_MS_CHECK_ERRORTYPE_UNCLASSIFIED","features":[3]},{"name":"XPF_PROCESSOR_ERROR_SECTION_GUID","features":[3]},{"name":"XPF_RECOVERY_INFO","features":[3,1]},{"name":"XPF_TLB_CHECK_OPERATION_DATAREAD","features":[3]},{"name":"XPF_TLB_CHECK_OPERATION_DATAWRITE","features":[3]},{"name":"XPF_TLB_CHECK_OPERATION_GENERIC","features":[3]},{"name":"XPF_TLB_CHECK_OPERATION_GENREAD","features":[3]},{"name":"XPF_TLB_CHECK_OPERATION_GENWRITE","features":[3]},{"name":"XPF_TLB_CHECK_OPERATION_INSTRUCTIONFETCH","features":[3]},{"name":"XPF_TLB_CHECK_OPERATION_PREFETCH","features":[3]},{"name":"XPF_TLB_CHECK_TRANSACTIONTYPE_DATAACCESS","features":[3]},{"name":"XPF_TLB_CHECK_TRANSACTIONTYPE_GENERIC","features":[3]},{"name":"XPF_TLB_CHECK_TRANSACTIONTYPE_INSTRUCTION","features":[3]},{"name":"XSAVE_FORMAT","features":[3,30]},{"name":"XSTATE_CONTEXT","features":[3,30]},{"name":"XSTATE_SAVE","features":[3,30]},{"name":"ZONE_HEADER","features":[3,7]},{"name":"ZONE_SEGMENT_HEADER","features":[3,7]},{"name":"ZwAllocateLocallyUniqueId","features":[3,1]},{"name":"ZwCancelTimer","features":[3,1]},{"name":"ZwClose","features":[3,1]},{"name":"ZwCommitComplete","features":[3,1]},{"name":"ZwCommitEnlistment","features":[3,1]},{"name":"ZwCommitRegistryTransaction","features":[3,1]},{"name":"ZwCommitTransaction","features":[3,1]},{"name":"ZwCreateDirectoryObject","features":[2,3,1]},{"name":"ZwCreateEnlistment","features":[2,3,1]},{"name":"ZwCreateFile","features":[2,3,1,6]},{"name":"ZwCreateKey","features":[2,3,1]},{"name":"ZwCreateKeyTransacted","features":[2,3,1]},{"name":"ZwCreateRegistryTransaction","features":[2,3,1]},{"name":"ZwCreateResourceManager","features":[2,3,1]},{"name":"ZwCreateSection","features":[2,3,1]},{"name":"ZwCreateTimer","features":[2,3,1,7]},{"name":"ZwCreateTransaction","features":[2,3,1]},{"name":"ZwCreateTransactionManager","features":[2,3,1]},{"name":"ZwDeleteKey","features":[3,1]},{"name":"ZwDeleteValueKey","features":[3,1]},{"name":"ZwDeviceIoControlFile","features":[3,1,6]},{"name":"ZwDisplayString","features":[3,1]},{"name":"ZwEnumerateKey","features":[3,1]},{"name":"ZwEnumerateTransactionObject","features":[3,1,36]},{"name":"ZwEnumerateValueKey","features":[3,1]},{"name":"ZwFlushKey","features":[3,1]},{"name":"ZwGetNotificationResourceManager","features":[3,1,21]},{"name":"ZwLoadDriver","features":[3,1]},{"name":"ZwMakeTemporaryObject","features":[3,1]},{"name":"ZwMapViewOfSection","features":[3,1]},{"name":"ZwOpenEnlistment","features":[2,3,1]},{"name":"ZwOpenEvent","features":[2,3,1]},{"name":"ZwOpenFile","features":[2,3,1,6]},{"name":"ZwOpenKey","features":[2,3,1]},{"name":"ZwOpenKeyEx","features":[2,3,1]},{"name":"ZwOpenKeyTransacted","features":[2,3,1]},{"name":"ZwOpenKeyTransactedEx","features":[2,3,1]},{"name":"ZwOpenProcess","features":[2,3,1,34]},{"name":"ZwOpenResourceManager","features":[2,3,1]},{"name":"ZwOpenSection","features":[2,3,1]},{"name":"ZwOpenSymbolicLinkObject","features":[2,3,1]},{"name":"ZwOpenTimer","features":[2,3,1]},{"name":"ZwOpenTransaction","features":[2,3,1]},{"name":"ZwOpenTransactionManager","features":[2,3,1]},{"name":"ZwPowerInformation","features":[3,1,8]},{"name":"ZwPrePrepareComplete","features":[3,1]},{"name":"ZwPrePrepareEnlistment","features":[3,1]},{"name":"ZwPrepareComplete","features":[3,1]},{"name":"ZwPrepareEnlistment","features":[3,1]},{"name":"ZwQueryInformationByName","features":[2,5,3,1,6]},{"name":"ZwQueryInformationEnlistment","features":[3,1,36]},{"name":"ZwQueryInformationFile","features":[5,3,1,6]},{"name":"ZwQueryInformationResourceManager","features":[3,1,36]},{"name":"ZwQueryInformationTransaction","features":[3,1,36]},{"name":"ZwQueryInformationTransactionManager","features":[3,1,36]},{"name":"ZwQueryKey","features":[3,1]},{"name":"ZwQuerySymbolicLinkObject","features":[3,1]},{"name":"ZwQueryValueKey","features":[3,1]},{"name":"ZwReadFile","features":[3,1,6]},{"name":"ZwReadOnlyEnlistment","features":[3,1]},{"name":"ZwRecoverEnlistment","features":[3,1]},{"name":"ZwRecoverResourceManager","features":[3,1]},{"name":"ZwRecoverTransactionManager","features":[3,1]},{"name":"ZwRenameKey","features":[3,1]},{"name":"ZwRestoreKey","features":[3,1]},{"name":"ZwRollbackComplete","features":[3,1]},{"name":"ZwRollbackEnlistment","features":[3,1]},{"name":"ZwRollbackTransaction","features":[3,1]},{"name":"ZwRollforwardTransactionManager","features":[3,1]},{"name":"ZwSaveKey","features":[3,1]},{"name":"ZwSaveKeyEx","features":[3,1]},{"name":"ZwSetInformationEnlistment","features":[3,1,36]},{"name":"ZwSetInformationFile","features":[5,3,1,6]},{"name":"ZwSetInformationResourceManager","features":[3,1,36]},{"name":"ZwSetInformationTransaction","features":[3,1,36]},{"name":"ZwSetInformationTransactionManager","features":[3,1,36]},{"name":"ZwSetTimer","features":[3,1]},{"name":"ZwSetTimerEx","features":[3,1]},{"name":"ZwSetValueKey","features":[3,1]},{"name":"ZwSinglePhaseReject","features":[3,1]},{"name":"ZwTerminateProcess","features":[3,1]},{"name":"ZwUnloadDriver","features":[3,1]},{"name":"ZwUnmapViewOfSection","features":[3,1]},{"name":"ZwWriteFile","features":[3,1,6]},{"name":"_EXT_SET_PARAMETERS_V0","features":[3]},{"name":"_STRSAFE_USE_SECURE_CRT","features":[3]},{"name":"_WHEA_ERROR_SOURCE_CORRECT","features":[3,1,30]},{"name":"_WHEA_ERROR_SOURCE_CREATE_RECORD","features":[3,1,30]},{"name":"_WHEA_ERROR_SOURCE_INITIALIZE","features":[3,1,30]},{"name":"_WHEA_ERROR_SOURCE_RECOVER","features":[3,1]},{"name":"_WHEA_ERROR_SOURCE_UNINITIALIZE","features":[3]},{"name":"_WHEA_SIGNAL_HANDLER_OVERRIDE_CALLBACK","features":[3,1]},{"name":"__guid_type","features":[3]},{"name":"__multiString_type","features":[3]},{"name":"__string_type","features":[3]},{"name":"pHalAssignSlotResources","features":[2,5,3,1,4,6,7,8]},{"name":"pHalEndMirroring","features":[3,1]},{"name":"pHalEndOfBoot","features":[3]},{"name":"pHalExamineMBR","features":[2,5,3,1,4,6,7,8]},{"name":"pHalFindBusAddressTranslation","features":[3,1]},{"name":"pHalGetAcpiTable","features":[3]},{"name":"pHalGetDmaAdapter","features":[2,5,3,1,4,6,7,8]},{"name":"pHalGetInterruptTranslator","features":[2,5,3,1,4,6,7,8]},{"name":"pHalGetPrmCache","features":[3,7]},{"name":"pHalHaltSystem","features":[3]},{"name":"pHalHandlerForBus","features":[2,3]},{"name":"pHalInitPnpDriver","features":[3,1]},{"name":"pHalInitPowerManagement","features":[3,1]},{"name":"pHalIoReadPartitionTable","features":[2,5,3,1,4,6,22,7,8]},{"name":"pHalIoSetPartitionInformation","features":[2,5,3,1,4,6,7,8]},{"name":"pHalIoWritePartitionTable","features":[2,5,3,1,4,6,22,7,8]},{"name":"pHalMirrorPhysicalMemory","features":[3,1]},{"name":"pHalMirrorVerify","features":[3,1]},{"name":"pHalQueryBusSlots","features":[2,3,1]},{"name":"pHalQuerySystemInformation","features":[3,1]},{"name":"pHalReferenceBusHandler","features":[2,3]},{"name":"pHalResetDisplay","features":[3,1]},{"name":"pHalSetPciErrorHandlerCallback","features":[3]},{"name":"pHalSetSystemInformation","features":[3,1]},{"name":"pHalStartMirroring","features":[3,1]},{"name":"pHalTranslateBusAddress","features":[3,1]},{"name":"pHalVectorToIDTEntry","features":[3]},{"name":"pKdCheckPowerButton","features":[3]},{"name":"pKdEnumerateDebuggingDevices","features":[3,1]},{"name":"pKdGetAcpiTablePhase0","features":[3]},{"name":"pKdGetPciDataByOffset","features":[3]},{"name":"pKdMapPhysicalMemory64","features":[3,1]},{"name":"pKdReleaseIntegratedDeviceForDebugging","features":[3,1]},{"name":"pKdReleasePciDeviceForDebugging","features":[3,1]},{"name":"pKdSetPciDataByOffset","features":[3]},{"name":"pKdSetupIntegratedDeviceForDebugging","features":[3,1]},{"name":"pKdSetupPciDeviceForDebugging","features":[3,1]},{"name":"pKdUnmapVirtualAddress","features":[3,1]},{"name":"vDbgPrintEx","features":[3]},{"name":"vDbgPrintExWithPrefix","features":[3]}],"351":[{"name":"MaxProcessInfoClass","features":[38]},{"name":"MaxThreadInfoClass","features":[38]},{"name":"NtQueryInformationProcess","features":[38,1]},{"name":"NtQueryInformationThread","features":[38,1]},{"name":"NtSetInformationThread","features":[38,1]},{"name":"NtWaitForSingleObject","features":[38,1]},{"name":"PROCESSINFOCLASS","features":[38]},{"name":"ProcessAccessToken","features":[38]},{"name":"ProcessAffinityMask","features":[38]},{"name":"ProcessAffinityUpdateMode","features":[38]},{"name":"ProcessBasePriority","features":[38]},{"name":"ProcessBasicInformation","features":[38]},{"name":"ProcessBreakOnTermination","features":[38]},{"name":"ProcessCheckStackExtentsMode","features":[38]},{"name":"ProcessCommandLineInformation","features":[38]},{"name":"ProcessCommitReleaseInformation","features":[38]},{"name":"ProcessCookie","features":[38]},{"name":"ProcessCycleTime","features":[38]},{"name":"ProcessDebugFlags","features":[38]},{"name":"ProcessDebugObjectHandle","features":[38]},{"name":"ProcessDebugPort","features":[38]},{"name":"ProcessDefaultHardErrorMode","features":[38]},{"name":"ProcessDeviceMap","features":[38]},{"name":"ProcessDynamicFunctionTableInformation","features":[38]},{"name":"ProcessEnableAlignmentFaultFixup","features":[38]},{"name":"ProcessEnergyTrackingState","features":[38]},{"name":"ProcessExceptionPort","features":[38]},{"name":"ProcessExecuteFlags","features":[38]},{"name":"ProcessFaultInformation","features":[38]},{"name":"ProcessForegroundInformation","features":[38]},{"name":"ProcessGroupInformation","features":[38]},{"name":"ProcessHandleCheckingMode","features":[38]},{"name":"ProcessHandleCount","features":[38]},{"name":"ProcessHandleInformation","features":[38]},{"name":"ProcessHandleTable","features":[38]},{"name":"ProcessHandleTracing","features":[38]},{"name":"ProcessImageFileMapping","features":[38]},{"name":"ProcessImageFileName","features":[38]},{"name":"ProcessImageFileNameWin32","features":[38]},{"name":"ProcessImageInformation","features":[38]},{"name":"ProcessInPrivate","features":[38]},{"name":"ProcessInstrumentationCallback","features":[38]},{"name":"ProcessIoCounters","features":[38]},{"name":"ProcessIoPortHandlers","features":[38]},{"name":"ProcessIoPriority","features":[38]},{"name":"ProcessKeepAliveCount","features":[38]},{"name":"ProcessLUIDDeviceMapsEnabled","features":[38]},{"name":"ProcessLdtInformation","features":[38]},{"name":"ProcessLdtSize","features":[38]},{"name":"ProcessMemoryAllocationMode","features":[38]},{"name":"ProcessMemoryExhaustion","features":[38]},{"name":"ProcessMitigationPolicy","features":[38]},{"name":"ProcessOwnerInformation","features":[38]},{"name":"ProcessPagePriority","features":[38]},{"name":"ProcessPooledUsageAndLimits","features":[38]},{"name":"ProcessPriorityBoost","features":[38]},{"name":"ProcessPriorityClass","features":[38]},{"name":"ProcessProtectionInformation","features":[38]},{"name":"ProcessQuotaLimits","features":[38]},{"name":"ProcessRaisePriority","features":[38]},{"name":"ProcessRaiseUMExceptionOnInvalidHandleClose","features":[38]},{"name":"ProcessReserved1Information","features":[38]},{"name":"ProcessReserved2Information","features":[38]},{"name":"ProcessRevokeFileHandles","features":[38]},{"name":"ProcessSessionInformation","features":[38]},{"name":"ProcessSubsystemInformation","features":[38]},{"name":"ProcessSubsystemProcess","features":[38]},{"name":"ProcessTelemetryIdInformation","features":[38]},{"name":"ProcessThreadStackAllocation","features":[38]},{"name":"ProcessTimes","features":[38]},{"name":"ProcessTlsInformation","features":[38]},{"name":"ProcessTokenVirtualizationEnabled","features":[38]},{"name":"ProcessUserModeIOPL","features":[38]},{"name":"ProcessVmCounters","features":[38]},{"name":"ProcessWin32kSyscallFilterInformation","features":[38]},{"name":"ProcessWindowInformation","features":[38]},{"name":"ProcessWorkingSetControl","features":[38]},{"name":"ProcessWorkingSetWatch","features":[38]},{"name":"ProcessWorkingSetWatchEx","features":[38]},{"name":"ProcessWow64Information","features":[38]},{"name":"ProcessWx86Information","features":[38]},{"name":"THREADINFOCLASS","features":[38]},{"name":"ThreadActualBasePriority","features":[38]},{"name":"ThreadActualGroupAffinity","features":[38]},{"name":"ThreadAffinityMask","features":[38]},{"name":"ThreadAmILastThread","features":[38]},{"name":"ThreadBasePriority","features":[38]},{"name":"ThreadBasicInformation","features":[38]},{"name":"ThreadBreakOnTermination","features":[38]},{"name":"ThreadCSwitchMon","features":[38]},{"name":"ThreadCSwitchPmu","features":[38]},{"name":"ThreadCounterProfiling","features":[38]},{"name":"ThreadCpuAccountingInformation","features":[38]},{"name":"ThreadCycleTime","features":[38]},{"name":"ThreadDescriptorTableEntry","features":[38]},{"name":"ThreadDynamicCodePolicyInfo","features":[38]},{"name":"ThreadEnableAlignmentFaultFixup","features":[38]},{"name":"ThreadEventPair_Reusable","features":[38]},{"name":"ThreadGroupInformation","features":[38]},{"name":"ThreadHideFromDebugger","features":[38]},{"name":"ThreadIdealProcessor","features":[38]},{"name":"ThreadIdealProcessorEx","features":[38]},{"name":"ThreadImpersonationToken","features":[38]},{"name":"ThreadIoPriority","features":[38]},{"name":"ThreadIsIoPending","features":[38]},{"name":"ThreadIsTerminated","features":[38]},{"name":"ThreadLastSystemCall","features":[38]},{"name":"ThreadPagePriority","features":[38]},{"name":"ThreadPerformanceCount","features":[38]},{"name":"ThreadPriority","features":[38]},{"name":"ThreadPriorityBoost","features":[38]},{"name":"ThreadQuerySetWin32StartAddress","features":[38]},{"name":"ThreadSetTlsArrayAddress","features":[38]},{"name":"ThreadSubsystemInformation","features":[38]},{"name":"ThreadSuspendCount","features":[38]},{"name":"ThreadSwitchLegacyState","features":[38]},{"name":"ThreadTebInformation","features":[38]},{"name":"ThreadTimes","features":[38]},{"name":"ThreadUmsInformation","features":[38]},{"name":"ThreadWow64Context","features":[38]},{"name":"ThreadZeroTlsCell","features":[38]},{"name":"ZwSetInformationThread","features":[38,1]}],"363":[{"name":"CLSID_IITCmdInt","features":[39]},{"name":"CLSID_IITDatabase","features":[39]},{"name":"CLSID_IITDatabaseLocal","features":[39]},{"name":"CLSID_IITGroupUpdate","features":[39]},{"name":"CLSID_IITIndexBuild","features":[39]},{"name":"CLSID_IITPropList","features":[39]},{"name":"CLSID_IITResultSet","features":[39]},{"name":"CLSID_IITSvMgr","features":[39]},{"name":"CLSID_IITWWFilterBuild","features":[39]},{"name":"CLSID_IITWordWheel","features":[39]},{"name":"CLSID_IITWordWheelLocal","features":[39]},{"name":"CLSID_IITWordWheelUpdate","features":[39]},{"name":"CLSID_ITEngStemmer","features":[39]},{"name":"CLSID_ITStdBreaker","features":[39]},{"name":"COLUMNSTATUS","features":[39]},{"name":"CProperty","features":[39,1]},{"name":"E_ALL_WILD","features":[39]},{"name":"E_ALREADYINIT","features":[39]},{"name":"E_ALREADYOPEN","features":[39]},{"name":"E_ASSERT","features":[39]},{"name":"E_BADBREAKER","features":[39]},{"name":"E_BADFILE","features":[39]},{"name":"E_BADFILTERSIZE","features":[39]},{"name":"E_BADFORMAT","features":[39]},{"name":"E_BADINDEXFLAGS","features":[39]},{"name":"E_BADPARAM","features":[39]},{"name":"E_BADRANGEOP","features":[39]},{"name":"E_BADVALUE","features":[39]},{"name":"E_BADVERSION","features":[39]},{"name":"E_CANTFINDDLL","features":[39]},{"name":"E_DISKFULL","features":[39]},{"name":"E_DUPLICATE","features":[39]},{"name":"E_EXPECTEDTERM","features":[39]},{"name":"E_FILECLOSE","features":[39]},{"name":"E_FILECREATE","features":[39]},{"name":"E_FILEDELETE","features":[39]},{"name":"E_FILEINVALID","features":[39]},{"name":"E_FILENOTFOUND","features":[39]},{"name":"E_FILEREAD","features":[39]},{"name":"E_FILESEEK","features":[39]},{"name":"E_FILEWRITE","features":[39]},{"name":"E_GETLASTERROR","features":[39]},{"name":"E_GROUPIDTOOBIG","features":[39]},{"name":"E_INTERRUPT","features":[39]},{"name":"E_INVALIDSTATE","features":[39]},{"name":"E_MISSINGPROP","features":[39]},{"name":"E_MISSLPAREN","features":[39]},{"name":"E_MISSQUOTE","features":[39]},{"name":"E_MISSRPAREN","features":[39]},{"name":"E_NAMETOOLONG","features":[39]},{"name":"E_NOHANDLE","features":[39]},{"name":"E_NOKEYPROP","features":[39]},{"name":"E_NOMERGEDDATA","features":[39]},{"name":"E_NOPERMISSION","features":[39]},{"name":"E_NOSTEMMER","features":[39]},{"name":"E_NOTEXIST","features":[39]},{"name":"E_NOTFOUND","features":[39]},{"name":"E_NOTINIT","features":[39]},{"name":"E_NOTOPEN","features":[39]},{"name":"E_NOTSUPPORTED","features":[39]},{"name":"E_NULLQUERY","features":[39]},{"name":"E_OUTOFRANGE","features":[39]},{"name":"E_PROPLISTEMPTY","features":[39]},{"name":"E_PROPLISTNOTEMPTY","features":[39]},{"name":"E_RESULTSETEMPTY","features":[39]},{"name":"E_STOPWORD","features":[39]},{"name":"E_TOODEEP","features":[39]},{"name":"E_TOOMANYCOLUMNS","features":[39]},{"name":"E_TOOMANYDUPS","features":[39]},{"name":"E_TOOMANYOBJECTS","features":[39]},{"name":"E_TOOMANYTITLES","features":[39]},{"name":"E_TOOMANYTOPICS","features":[39]},{"name":"E_TREETOOBIG","features":[39]},{"name":"E_UNKNOWN_TRANSPORT","features":[39]},{"name":"E_UNMATCHEDTYPE","features":[39]},{"name":"E_UNSUPPORTED_TRANSPORT","features":[39]},{"name":"E_WILD_IN_DTYPE","features":[39]},{"name":"E_WORDTOOLONG","features":[39]},{"name":"HHACT_BACK","features":[39]},{"name":"HHACT_CONTRACT","features":[39]},{"name":"HHACT_CUSTOMIZE","features":[39]},{"name":"HHACT_EXPAND","features":[39]},{"name":"HHACT_FORWARD","features":[39]},{"name":"HHACT_HIGHLIGHT","features":[39]},{"name":"HHACT_HOME","features":[39]},{"name":"HHACT_JUMP1","features":[39]},{"name":"HHACT_JUMP2","features":[39]},{"name":"HHACT_LAST_ENUM","features":[39]},{"name":"HHACT_NOTES","features":[39]},{"name":"HHACT_OPTIONS","features":[39]},{"name":"HHACT_PRINT","features":[39]},{"name":"HHACT_REFRESH","features":[39]},{"name":"HHACT_STOP","features":[39]},{"name":"HHACT_SYNC","features":[39]},{"name":"HHACT_TAB_CONTENTS","features":[39]},{"name":"HHACT_TAB_FAVORITES","features":[39]},{"name":"HHACT_TAB_HISTORY","features":[39]},{"name":"HHACT_TAB_INDEX","features":[39]},{"name":"HHACT_TAB_SEARCH","features":[39]},{"name":"HHACT_TOC_NEXT","features":[39]},{"name":"HHACT_TOC_PREV","features":[39]},{"name":"HHACT_ZOOM","features":[39]},{"name":"HHNTRACK","features":[39,1,40]},{"name":"HHN_FIRST","features":[39]},{"name":"HHN_LAST","features":[39]},{"name":"HHN_NAVCOMPLETE","features":[39]},{"name":"HHN_NOTIFY","features":[39,1,40]},{"name":"HHN_TRACK","features":[39]},{"name":"HHN_WINDOW_CREATE","features":[39]},{"name":"HHWIN_BUTTON_BACK","features":[39]},{"name":"HHWIN_BUTTON_BROWSE_BCK","features":[39]},{"name":"HHWIN_BUTTON_BROWSE_FWD","features":[39]},{"name":"HHWIN_BUTTON_CONTENTS","features":[39]},{"name":"HHWIN_BUTTON_EXPAND","features":[39]},{"name":"HHWIN_BUTTON_FAVORITES","features":[39]},{"name":"HHWIN_BUTTON_FORWARD","features":[39]},{"name":"HHWIN_BUTTON_HISTORY","features":[39]},{"name":"HHWIN_BUTTON_HOME","features":[39]},{"name":"HHWIN_BUTTON_INDEX","features":[39]},{"name":"HHWIN_BUTTON_JUMP1","features":[39]},{"name":"HHWIN_BUTTON_JUMP2","features":[39]},{"name":"HHWIN_BUTTON_NOTES","features":[39]},{"name":"HHWIN_BUTTON_OPTIONS","features":[39]},{"name":"HHWIN_BUTTON_PRINT","features":[39]},{"name":"HHWIN_BUTTON_REFRESH","features":[39]},{"name":"HHWIN_BUTTON_SEARCH","features":[39]},{"name":"HHWIN_BUTTON_STOP","features":[39]},{"name":"HHWIN_BUTTON_SYNC","features":[39]},{"name":"HHWIN_BUTTON_TOC_NEXT","features":[39]},{"name":"HHWIN_BUTTON_TOC_PREV","features":[39]},{"name":"HHWIN_BUTTON_ZOOM","features":[39]},{"name":"HHWIN_NAVTAB_BOTTOM","features":[39]},{"name":"HHWIN_NAVTAB_LEFT","features":[39]},{"name":"HHWIN_NAVTAB_TOP","features":[39]},{"name":"HHWIN_NAVTYPE_AUTHOR","features":[39]},{"name":"HHWIN_NAVTYPE_CUSTOM_FIRST","features":[39]},{"name":"HHWIN_NAVTYPE_FAVORITES","features":[39]},{"name":"HHWIN_NAVTYPE_HISTORY","features":[39]},{"name":"HHWIN_NAVTYPE_INDEX","features":[39]},{"name":"HHWIN_NAVTYPE_SEARCH","features":[39]},{"name":"HHWIN_NAVTYPE_TOC","features":[39]},{"name":"HHWIN_PARAM_CUR_TAB","features":[39]},{"name":"HHWIN_PARAM_EXPANSION","features":[39]},{"name":"HHWIN_PARAM_EXSTYLES","features":[39]},{"name":"HHWIN_PARAM_HISTORY_COUNT","features":[39]},{"name":"HHWIN_PARAM_INFOTYPES","features":[39]},{"name":"HHWIN_PARAM_NAV_WIDTH","features":[39]},{"name":"HHWIN_PARAM_PROPERTIES","features":[39]},{"name":"HHWIN_PARAM_RECT","features":[39]},{"name":"HHWIN_PARAM_SHOWSTATE","features":[39]},{"name":"HHWIN_PARAM_STYLES","features":[39]},{"name":"HHWIN_PARAM_TABORDER","features":[39]},{"name":"HHWIN_PARAM_TABPOS","features":[39]},{"name":"HHWIN_PARAM_TB_FLAGS","features":[39]},{"name":"HHWIN_PROP_AUTO_SYNC","features":[39]},{"name":"HHWIN_PROP_CHANGE_TITLE","features":[39]},{"name":"HHWIN_PROP_MENU","features":[39]},{"name":"HHWIN_PROP_NAV_ONLY_WIN","features":[39]},{"name":"HHWIN_PROP_NODEF_EXSTYLES","features":[39]},{"name":"HHWIN_PROP_NODEF_STYLES","features":[39]},{"name":"HHWIN_PROP_NOTB_TEXT","features":[39]},{"name":"HHWIN_PROP_NOTITLEBAR","features":[39]},{"name":"HHWIN_PROP_NO_TOOLBAR","features":[39]},{"name":"HHWIN_PROP_ONTOP","features":[39]},{"name":"HHWIN_PROP_POST_QUIT","features":[39]},{"name":"HHWIN_PROP_TAB_ADVSEARCH","features":[39]},{"name":"HHWIN_PROP_TAB_AUTOHIDESHOW","features":[39]},{"name":"HHWIN_PROP_TAB_CUSTOM1","features":[39]},{"name":"HHWIN_PROP_TAB_CUSTOM2","features":[39]},{"name":"HHWIN_PROP_TAB_CUSTOM3","features":[39]},{"name":"HHWIN_PROP_TAB_CUSTOM4","features":[39]},{"name":"HHWIN_PROP_TAB_CUSTOM5","features":[39]},{"name":"HHWIN_PROP_TAB_CUSTOM6","features":[39]},{"name":"HHWIN_PROP_TAB_CUSTOM7","features":[39]},{"name":"HHWIN_PROP_TAB_CUSTOM8","features":[39]},{"name":"HHWIN_PROP_TAB_CUSTOM9","features":[39]},{"name":"HHWIN_PROP_TAB_FAVORITES","features":[39]},{"name":"HHWIN_PROP_TAB_HISTORY","features":[39]},{"name":"HHWIN_PROP_TAB_SEARCH","features":[39]},{"name":"HHWIN_PROP_TRACKING","features":[39]},{"name":"HHWIN_PROP_TRI_PANE","features":[39]},{"name":"HHWIN_PROP_USER_POS","features":[39]},{"name":"HHWIN_TB_MARGIN","features":[39]},{"name":"HH_AKLINK","features":[39,1]},{"name":"HH_ALINK_LOOKUP","features":[39]},{"name":"HH_CLOSE_ALL","features":[39]},{"name":"HH_DISPLAY_INDEX","features":[39]},{"name":"HH_DISPLAY_SEARCH","features":[39]},{"name":"HH_DISPLAY_TEXT_POPUP","features":[39]},{"name":"HH_DISPLAY_TOC","features":[39]},{"name":"HH_DISPLAY_TOPIC","features":[39]},{"name":"HH_ENUM_CAT","features":[39]},{"name":"HH_ENUM_CATEGORY","features":[39]},{"name":"HH_ENUM_CATEGORY_IT","features":[39]},{"name":"HH_ENUM_INFO_TYPE","features":[39]},{"name":"HH_ENUM_IT","features":[39]},{"name":"HH_FTS_DEFAULT_PROXIMITY","features":[39]},{"name":"HH_FTS_QUERY","features":[39,1]},{"name":"HH_GET_LAST_ERROR","features":[39]},{"name":"HH_GET_WIN_HANDLE","features":[39]},{"name":"HH_GET_WIN_TYPE","features":[39]},{"name":"HH_GLOBAL_PROPERTY","features":[39,1,41,42]},{"name":"HH_GPROPID","features":[39]},{"name":"HH_GPROPID_CONTENT_LANGUAGE","features":[39]},{"name":"HH_GPROPID_CURRENT_SUBSET","features":[39]},{"name":"HH_GPROPID_SINGLETHREAD","features":[39]},{"name":"HH_GPROPID_TOOLBAR_MARGIN","features":[39]},{"name":"HH_GPROPID_UI_LANGUAGE","features":[39]},{"name":"HH_HELP_CONTEXT","features":[39]},{"name":"HH_HELP_FINDER","features":[39]},{"name":"HH_INITIALIZE","features":[39]},{"name":"HH_KEYWORD_LOOKUP","features":[39]},{"name":"HH_MAX_TABS","features":[39]},{"name":"HH_MAX_TABS_CUSTOM","features":[39]},{"name":"HH_POPUP","features":[39,1]},{"name":"HH_PRETRANSLATEMESSAGE","features":[39]},{"name":"HH_RESERVED1","features":[39]},{"name":"HH_RESERVED2","features":[39]},{"name":"HH_RESERVED3","features":[39]},{"name":"HH_RESET_IT_FILTER","features":[39]},{"name":"HH_SAFE_DISPLAY_TOPIC","features":[39]},{"name":"HH_SET_EXCLUSIVE_FILTER","features":[39]},{"name":"HH_SET_GLOBAL_PROPERTY","features":[39]},{"name":"HH_SET_INCLUSIVE_FILTER","features":[39]},{"name":"HH_SET_INFOTYPE","features":[39]},{"name":"HH_SET_INFO_TYPE","features":[39]},{"name":"HH_SET_QUERYSERVICE","features":[39]},{"name":"HH_SET_WIN_TYPE","features":[39]},{"name":"HH_SYNC","features":[39]},{"name":"HH_TAB_AUTHOR","features":[39]},{"name":"HH_TAB_CONTENTS","features":[39]},{"name":"HH_TAB_CUSTOM_FIRST","features":[39]},{"name":"HH_TAB_CUSTOM_LAST","features":[39]},{"name":"HH_TAB_FAVORITES","features":[39]},{"name":"HH_TAB_HISTORY","features":[39]},{"name":"HH_TAB_INDEX","features":[39]},{"name":"HH_TAB_SEARCH","features":[39]},{"name":"HH_TP_HELP_CONTEXTMENU","features":[39]},{"name":"HH_TP_HELP_WM_HELP","features":[39]},{"name":"HH_UNINITIALIZE","features":[39]},{"name":"HH_WINTYPE","features":[39,1]},{"name":"HTML_HELP_COMMAND","features":[39]},{"name":"HtmlHelpA","features":[39,1]},{"name":"HtmlHelpW","features":[39,1]},{"name":"IDTB_BACK","features":[39]},{"name":"IDTB_BROWSE_BACK","features":[39]},{"name":"IDTB_BROWSE_FWD","features":[39]},{"name":"IDTB_CONTENTS","features":[39]},{"name":"IDTB_CONTRACT","features":[39]},{"name":"IDTB_CUSTOMIZE","features":[39]},{"name":"IDTB_EXPAND","features":[39]},{"name":"IDTB_FAVORITES","features":[39]},{"name":"IDTB_FORWARD","features":[39]},{"name":"IDTB_HISTORY","features":[39]},{"name":"IDTB_HOME","features":[39]},{"name":"IDTB_INDEX","features":[39]},{"name":"IDTB_JUMP1","features":[39]},{"name":"IDTB_JUMP2","features":[39]},{"name":"IDTB_NOTES","features":[39]},{"name":"IDTB_OPTIONS","features":[39]},{"name":"IDTB_PRINT","features":[39]},{"name":"IDTB_REFRESH","features":[39]},{"name":"IDTB_SEARCH","features":[39]},{"name":"IDTB_STOP","features":[39]},{"name":"IDTB_SYNC","features":[39]},{"name":"IDTB_TOC_NEXT","features":[39]},{"name":"IDTB_TOC_PREV","features":[39]},{"name":"IDTB_ZOOM","features":[39]},{"name":"IITDatabase","features":[39]},{"name":"IITPropList","features":[39]},{"name":"IITResultSet","features":[39]},{"name":"IITWBC_BREAK_ACCEPT_WILDCARDS","features":[39]},{"name":"IITWBC_BREAK_AND_STEM","features":[39]},{"name":"IStemSink","features":[39]},{"name":"IStemmerConfig","features":[39]},{"name":"ITWW_CBKEY_MAX","features":[39]},{"name":"ITWW_OPEN_NOCONNECT","features":[39]},{"name":"IT_EXCLUSIVE","features":[39]},{"name":"IT_HIDDEN","features":[39]},{"name":"IT_INCLUSIVE","features":[39]},{"name":"IWordBreakerConfig","features":[39]},{"name":"MAX_COLUMNS","features":[39]},{"name":"PFNCOLHEAPFREE","features":[39]},{"name":"PRIORITY","features":[39]},{"name":"PRIORITY_HIGH","features":[39]},{"name":"PRIORITY_LOW","features":[39]},{"name":"PRIORITY_NORMAL","features":[39]},{"name":"PROP_ADD","features":[39]},{"name":"PROP_DELETE","features":[39]},{"name":"PROP_UPDATE","features":[39]},{"name":"ROWSTATUS","features":[39]},{"name":"STDPROP_DISPLAYKEY","features":[39]},{"name":"STDPROP_INDEX_BREAK","features":[39]},{"name":"STDPROP_INDEX_DTYPE","features":[39]},{"name":"STDPROP_INDEX_LENGTH","features":[39]},{"name":"STDPROP_INDEX_TERM","features":[39]},{"name":"STDPROP_INDEX_TERM_RAW_LENGTH","features":[39]},{"name":"STDPROP_INDEX_TEXT","features":[39]},{"name":"STDPROP_INDEX_VFLD","features":[39]},{"name":"STDPROP_KEY","features":[39]},{"name":"STDPROP_SORTKEY","features":[39]},{"name":"STDPROP_SORTORDINAL","features":[39]},{"name":"STDPROP_TITLE","features":[39]},{"name":"STDPROP_UID","features":[39]},{"name":"STDPROP_USERDATA","features":[39]},{"name":"STDPROP_USERPROP_BASE","features":[39]},{"name":"STDPROP_USERPROP_MAX","features":[39]},{"name":"SZ_WWDEST_GLOBAL","features":[39]},{"name":"SZ_WWDEST_KEY","features":[39]},{"name":"SZ_WWDEST_OCC","features":[39]},{"name":"TYPE_POINTER","features":[39]},{"name":"TYPE_STRING","features":[39]},{"name":"TYPE_VALUE","features":[39]}],"364":[{"name":"DRMACTSERVINFOVERSION","features":[43]},{"name":"DRMATTESTTYPE","features":[43]},{"name":"DRMATTESTTYPE_FULLENVIRONMENT","features":[43]},{"name":"DRMATTESTTYPE_HASHONLY","features":[43]},{"name":"DRMAcquireAdvisories","features":[43]},{"name":"DRMAcquireIssuanceLicenseTemplate","features":[43]},{"name":"DRMAcquireLicense","features":[43]},{"name":"DRMActivate","features":[43,1]},{"name":"DRMAddLicense","features":[43]},{"name":"DRMAddRightWithUser","features":[43]},{"name":"DRMAttest","features":[43]},{"name":"DRMBINDINGFLAGS_IGNORE_VALIDITY_INTERVALS","features":[43]},{"name":"DRMBOUNDLICENSEPARAMS","features":[43]},{"name":"DRMBOUNDLICENSEPARAMSVERSION","features":[43]},{"name":"DRMCALLBACK","features":[43]},{"name":"DRMCALLBACKVERSION","features":[43]},{"name":"DRMCLIENTSTRUCTVERSION","features":[43]},{"name":"DRMCheckSecurity","features":[43]},{"name":"DRMClearAllRights","features":[43]},{"name":"DRMCloseEnvironmentHandle","features":[43]},{"name":"DRMCloseHandle","features":[43]},{"name":"DRMClosePubHandle","features":[43]},{"name":"DRMCloseQueryHandle","features":[43]},{"name":"DRMCloseSession","features":[43]},{"name":"DRMConstructCertificateChain","features":[43]},{"name":"DRMCreateBoundLicense","features":[43]},{"name":"DRMCreateClientSession","features":[43]},{"name":"DRMCreateEnablingBitsDecryptor","features":[43]},{"name":"DRMCreateEnablingBitsEncryptor","features":[43]},{"name":"DRMCreateEnablingPrincipal","features":[43]},{"name":"DRMCreateIssuanceLicense","features":[43,1]},{"name":"DRMCreateLicenseStorageSession","features":[43]},{"name":"DRMCreateRight","features":[43,1]},{"name":"DRMCreateUser","features":[43]},{"name":"DRMDecode","features":[43]},{"name":"DRMDeconstructCertificateChain","features":[43]},{"name":"DRMDecrypt","features":[43]},{"name":"DRMDeleteLicense","features":[43]},{"name":"DRMDuplicateEnvironmentHandle","features":[43]},{"name":"DRMDuplicateHandle","features":[43]},{"name":"DRMDuplicatePubHandle","features":[43]},{"name":"DRMDuplicateSession","features":[43]},{"name":"DRMENCODINGTYPE","features":[43]},{"name":"DRMENCODINGTYPE_BASE64","features":[43]},{"name":"DRMENCODINGTYPE_LONG","features":[43]},{"name":"DRMENCODINGTYPE_RAW","features":[43]},{"name":"DRMENCODINGTYPE_STRING","features":[43]},{"name":"DRMENCODINGTYPE_TIME","features":[43]},{"name":"DRMENCODINGTYPE_UINT","features":[43]},{"name":"DRMENVHANDLE_INVALID","features":[43]},{"name":"DRMEncode","features":[43]},{"name":"DRMEncrypt","features":[43]},{"name":"DRMEnumerateLicense","features":[43,1]},{"name":"DRMGLOBALOPTIONS","features":[43]},{"name":"DRMGLOBALOPTIONS_USE_SERVERSECURITYPROCESSOR","features":[43]},{"name":"DRMGLOBALOPTIONS_USE_WINHTTP","features":[43]},{"name":"DRMGetApplicationSpecificData","features":[43]},{"name":"DRMGetBoundLicenseAttribute","features":[43]},{"name":"DRMGetBoundLicenseAttributeCount","features":[43]},{"name":"DRMGetBoundLicenseObject","features":[43]},{"name":"DRMGetBoundLicenseObjectCount","features":[43]},{"name":"DRMGetCertificateChainCount","features":[43]},{"name":"DRMGetClientVersion","features":[43]},{"name":"DRMGetEnvironmentInfo","features":[43]},{"name":"DRMGetInfo","features":[43]},{"name":"DRMGetIntervalTime","features":[43]},{"name":"DRMGetIssuanceLicenseInfo","features":[43,1]},{"name":"DRMGetIssuanceLicenseTemplate","features":[43]},{"name":"DRMGetMetaData","features":[43]},{"name":"DRMGetNameAndDescription","features":[43]},{"name":"DRMGetOwnerLicense","features":[43]},{"name":"DRMGetProcAddress","features":[43,1]},{"name":"DRMGetRevocationPoint","features":[43,1]},{"name":"DRMGetRightExtendedInfo","features":[43]},{"name":"DRMGetRightInfo","features":[43,1]},{"name":"DRMGetSecurityProvider","features":[43]},{"name":"DRMGetServiceLocation","features":[43]},{"name":"DRMGetSignedIssuanceLicense","features":[43]},{"name":"DRMGetSignedIssuanceLicenseEx","features":[43]},{"name":"DRMGetTime","features":[43,1]},{"name":"DRMGetUnboundLicenseAttribute","features":[43]},{"name":"DRMGetUnboundLicenseAttributeCount","features":[43]},{"name":"DRMGetUnboundLicenseObject","features":[43]},{"name":"DRMGetUnboundLicenseObjectCount","features":[43]},{"name":"DRMGetUsagePolicy","features":[43,1]},{"name":"DRMGetUserInfo","features":[43]},{"name":"DRMGetUserRights","features":[43]},{"name":"DRMGetUsers","features":[43]},{"name":"DRMHANDLE_INVALID","features":[43]},{"name":"DRMHSESSION_INVALID","features":[43]},{"name":"DRMID","features":[43]},{"name":"DRMIDVERSION","features":[43]},{"name":"DRMInitEnvironment","features":[43]},{"name":"DRMIsActivated","features":[43]},{"name":"DRMIsWindowProtected","features":[43,1]},{"name":"DRMLICENSEACQDATAVERSION","features":[43]},{"name":"DRMLoadLibrary","features":[43]},{"name":"DRMPUBHANDLE_INVALID","features":[43]},{"name":"DRMParseUnboundLicense","features":[43]},{"name":"DRMQUERYHANDLE_INVALID","features":[43]},{"name":"DRMRegisterContent","features":[43,1]},{"name":"DRMRegisterProtectedWindow","features":[43,1]},{"name":"DRMRegisterRevocationList","features":[43]},{"name":"DRMRepair","features":[43]},{"name":"DRMSECURITYPROVIDERTYPE","features":[43]},{"name":"DRMSECURITYPROVIDERTYPE_SOFTWARESECREP","features":[43]},{"name":"DRMSPECTYPE","features":[43]},{"name":"DRMSPECTYPE_FILENAME","features":[43]},{"name":"DRMSPECTYPE_UNKNOWN","features":[43]},{"name":"DRMSetApplicationSpecificData","features":[43,1]},{"name":"DRMSetGlobalOptions","features":[43]},{"name":"DRMSetIntervalTime","features":[43]},{"name":"DRMSetMetaData","features":[43]},{"name":"DRMSetNameAndDescription","features":[43,1]},{"name":"DRMSetRevocationPoint","features":[43,1]},{"name":"DRMSetUsagePolicy","features":[43,1]},{"name":"DRMTIMETYPE","features":[43]},{"name":"DRMTIMETYPE_SYSTEMLOCAL","features":[43]},{"name":"DRMTIMETYPE_SYSTEMUTC","features":[43]},{"name":"DRMVerify","features":[43]},{"name":"DRM_ACTIVATE_CANCEL","features":[43]},{"name":"DRM_ACTIVATE_DELAYED","features":[43]},{"name":"DRM_ACTIVATE_GROUPIDENTITY","features":[43]},{"name":"DRM_ACTIVATE_MACHINE","features":[43]},{"name":"DRM_ACTIVATE_SHARED_GROUPIDENTITY","features":[43]},{"name":"DRM_ACTIVATE_SILENT","features":[43]},{"name":"DRM_ACTIVATE_TEMPORARY","features":[43]},{"name":"DRM_ACTSERV_INFO","features":[43]},{"name":"DRM_ADD_LICENSE_NOPERSIST","features":[43]},{"name":"DRM_ADD_LICENSE_PERSIST","features":[43]},{"name":"DRM_AILT_CANCEL","features":[43]},{"name":"DRM_AILT_NONSILENT","features":[43]},{"name":"DRM_AILT_OBTAIN_ALL","features":[43]},{"name":"DRM_AL_CANCEL","features":[43]},{"name":"DRM_AL_FETCHNOADVISORY","features":[43]},{"name":"DRM_AL_NONSILENT","features":[43]},{"name":"DRM_AL_NOPERSIST","features":[43]},{"name":"DRM_AL_NOUI","features":[43]},{"name":"DRM_AUTO_GENERATE_KEY","features":[43]},{"name":"DRM_CLIENT_VERSION_INFO","features":[43]},{"name":"DRM_DEFAULTGROUPIDTYPE_PASSPORT","features":[43]},{"name":"DRM_DEFAULTGROUPIDTYPE_WINDOWSAUTH","features":[43]},{"name":"DRM_DISTRIBUTION_POINT_INFO","features":[43]},{"name":"DRM_DISTRIBUTION_POINT_LICENSE_ACQUISITION","features":[43]},{"name":"DRM_DISTRIBUTION_POINT_PUBLISHING","features":[43]},{"name":"DRM_DISTRIBUTION_POINT_REFERRAL_INFO","features":[43]},{"name":"DRM_EL_CLIENTLICENSOR","features":[43]},{"name":"DRM_EL_CLIENTLICENSOR_LID","features":[43]},{"name":"DRM_EL_EUL","features":[43]},{"name":"DRM_EL_EUL_LID","features":[43]},{"name":"DRM_EL_EXPIRED","features":[43]},{"name":"DRM_EL_GROUPIDENTITY","features":[43]},{"name":"DRM_EL_GROUPIDENTITY_LID","features":[43]},{"name":"DRM_EL_GROUPIDENTITY_NAME","features":[43]},{"name":"DRM_EL_ISSUANCELICENSE_TEMPLATE","features":[43]},{"name":"DRM_EL_ISSUANCELICENSE_TEMPLATE_LID","features":[43]},{"name":"DRM_EL_ISSUERNAME","features":[43]},{"name":"DRM_EL_MACHINE","features":[43]},{"name":"DRM_EL_REVOCATIONLIST","features":[43]},{"name":"DRM_EL_REVOCATIONLIST_LID","features":[43]},{"name":"DRM_EL_SPECIFIED_CLIENTLICENSOR","features":[43]},{"name":"DRM_EL_SPECIFIED_GROUPIDENTITY","features":[43]},{"name":"DRM_LICENSE_ACQ_DATA","features":[43]},{"name":"DRM_LOCKBOXTYPE_BLACKBOX","features":[43]},{"name":"DRM_LOCKBOXTYPE_DEFAULT","features":[43]},{"name":"DRM_LOCKBOXTYPE_NONE","features":[43]},{"name":"DRM_LOCKBOXTYPE_WHITEBOX","features":[43]},{"name":"DRM_MSG_ACQUIRE_ADVISORY","features":[43]},{"name":"DRM_MSG_ACQUIRE_CLIENTLICENSOR","features":[43]},{"name":"DRM_MSG_ACQUIRE_ISSUANCE_LICENSE_TEMPLATE","features":[43]},{"name":"DRM_MSG_ACQUIRE_LICENSE","features":[43]},{"name":"DRM_MSG_ACTIVATE_GROUPIDENTITY","features":[43]},{"name":"DRM_MSG_ACTIVATE_MACHINE","features":[43]},{"name":"DRM_MSG_SIGN_ISSUANCE_LICENSE","features":[43]},{"name":"DRM_OWNER_LICENSE_NOPERSIST","features":[43]},{"name":"DRM_REUSE_KEY","features":[43]},{"name":"DRM_SERVER_ISSUANCELICENSE","features":[43]},{"name":"DRM_SERVICE_LOCATION_ENTERPRISE","features":[43]},{"name":"DRM_SERVICE_LOCATION_INTERNET","features":[43]},{"name":"DRM_SERVICE_TYPE_ACTIVATION","features":[43]},{"name":"DRM_SERVICE_TYPE_CERTIFICATION","features":[43]},{"name":"DRM_SERVICE_TYPE_CLIENTLICENSOR","features":[43]},{"name":"DRM_SERVICE_TYPE_PUBLISHING","features":[43]},{"name":"DRM_SERVICE_TYPE_SILENT","features":[43]},{"name":"DRM_SIGN_CANCEL","features":[43]},{"name":"DRM_SIGN_OFFLINE","features":[43]},{"name":"DRM_SIGN_ONLINE","features":[43]},{"name":"DRM_STATUS_MSG","features":[43]},{"name":"DRM_USAGEPOLICY_TYPE","features":[43]},{"name":"DRM_USAGEPOLICY_TYPE_BYDIGEST","features":[43]},{"name":"DRM_USAGEPOLICY_TYPE_BYNAME","features":[43]},{"name":"DRM_USAGEPOLICY_TYPE_BYPUBLICKEY","features":[43]},{"name":"DRM_USAGEPOLICY_TYPE_OSEXCLUSION","features":[43]},{"name":"MSDRM_CLIENT_ZONE","features":[43]},{"name":"MSDRM_POLICY_ZONE","features":[43]}],"367":[{"name":"AJ_IFC_SECURITY_INHERIT","features":[44]},{"name":"AJ_IFC_SECURITY_OFF","features":[44]},{"name":"AJ_IFC_SECURITY_REQUIRED","features":[44]},{"name":"ALLJOYN_ARRAY","features":[44]},{"name":"ALLJOYN_BIG_ENDIAN","features":[44]},{"name":"ALLJOYN_BOOLEAN","features":[44]},{"name":"ALLJOYN_BOOLEAN_ARRAY","features":[44]},{"name":"ALLJOYN_BYTE","features":[44]},{"name":"ALLJOYN_BYTE_ARRAY","features":[44]},{"name":"ALLJOYN_CRED_CERT_CHAIN","features":[44]},{"name":"ALLJOYN_CRED_EXPIRATION","features":[44]},{"name":"ALLJOYN_CRED_LOGON_ENTRY","features":[44]},{"name":"ALLJOYN_CRED_NEW_PASSWORD","features":[44]},{"name":"ALLJOYN_CRED_ONE_TIME_PWD","features":[44]},{"name":"ALLJOYN_CRED_PASSWORD","features":[44]},{"name":"ALLJOYN_CRED_PRIVATE_KEY","features":[44]},{"name":"ALLJOYN_CRED_USER_NAME","features":[44]},{"name":"ALLJOYN_DICT_ENTRY","features":[44]},{"name":"ALLJOYN_DICT_ENTRY_CLOSE","features":[44]},{"name":"ALLJOYN_DICT_ENTRY_OPEN","features":[44]},{"name":"ALLJOYN_DISCONNECTED","features":[44]},{"name":"ALLJOYN_DOUBLE","features":[44]},{"name":"ALLJOYN_DOUBLE_ARRAY","features":[44]},{"name":"ALLJOYN_HANDLE","features":[44]},{"name":"ALLJOYN_INT16","features":[44]},{"name":"ALLJOYN_INT16_ARRAY","features":[44]},{"name":"ALLJOYN_INT32","features":[44]},{"name":"ALLJOYN_INT32_ARRAY","features":[44]},{"name":"ALLJOYN_INT64","features":[44]},{"name":"ALLJOYN_INT64_ARRAY","features":[44]},{"name":"ALLJOYN_INVALID","features":[44]},{"name":"ALLJOYN_LITTLE_ENDIAN","features":[44]},{"name":"ALLJOYN_MEMBER_ANNOTATE_DEPRECATED","features":[44]},{"name":"ALLJOYN_MEMBER_ANNOTATE_GLOBAL_BROADCAST","features":[44]},{"name":"ALLJOYN_MEMBER_ANNOTATE_NO_REPLY","features":[44]},{"name":"ALLJOYN_MEMBER_ANNOTATE_SESSIONCAST","features":[44]},{"name":"ALLJOYN_MEMBER_ANNOTATE_SESSIONLESS","features":[44]},{"name":"ALLJOYN_MEMBER_ANNOTATE_UNICAST","features":[44]},{"name":"ALLJOYN_MESSAGE_DEFAULT_TIMEOUT","features":[44]},{"name":"ALLJOYN_MESSAGE_ERROR","features":[44]},{"name":"ALLJOYN_MESSAGE_FLAG_ALLOW_REMOTE_MSG","features":[44]},{"name":"ALLJOYN_MESSAGE_FLAG_AUTO_START","features":[44]},{"name":"ALLJOYN_MESSAGE_FLAG_ENCRYPTED","features":[44]},{"name":"ALLJOYN_MESSAGE_FLAG_GLOBAL_BROADCAST","features":[44]},{"name":"ALLJOYN_MESSAGE_FLAG_NO_REPLY_EXPECTED","features":[44]},{"name":"ALLJOYN_MESSAGE_FLAG_SESSIONLESS","features":[44]},{"name":"ALLJOYN_MESSAGE_INVALID","features":[44]},{"name":"ALLJOYN_MESSAGE_METHOD_CALL","features":[44]},{"name":"ALLJOYN_MESSAGE_METHOD_RET","features":[44]},{"name":"ALLJOYN_MESSAGE_SIGNAL","features":[44]},{"name":"ALLJOYN_NAMED_PIPE_CONNECT_SPEC","features":[44]},{"name":"ALLJOYN_OBJECT_PATH","features":[44]},{"name":"ALLJOYN_PROP_ACCESS_READ","features":[44]},{"name":"ALLJOYN_PROP_ACCESS_RW","features":[44]},{"name":"ALLJOYN_PROP_ACCESS_WRITE","features":[44]},{"name":"ALLJOYN_PROXIMITY_ANY","features":[44]},{"name":"ALLJOYN_PROXIMITY_NETWORK","features":[44]},{"name":"ALLJOYN_PROXIMITY_PHYSICAL","features":[44]},{"name":"ALLJOYN_READ_READY","features":[44]},{"name":"ALLJOYN_SESSIONLOST_INVALID","features":[44]},{"name":"ALLJOYN_SESSIONLOST_LINK_TIMEOUT","features":[44]},{"name":"ALLJOYN_SESSIONLOST_REASON_OTHER","features":[44]},{"name":"ALLJOYN_SESSIONLOST_REMOTE_END_CLOSED_ABRUPTLY","features":[44]},{"name":"ALLJOYN_SESSIONLOST_REMOTE_END_LEFT_SESSION","features":[44]},{"name":"ALLJOYN_SESSIONLOST_REMOVED_BY_BINDER","features":[44]},{"name":"ALLJOYN_SIGNATURE","features":[44]},{"name":"ALLJOYN_STRING","features":[44]},{"name":"ALLJOYN_STRUCT","features":[44]},{"name":"ALLJOYN_STRUCT_CLOSE","features":[44]},{"name":"ALLJOYN_STRUCT_OPEN","features":[44]},{"name":"ALLJOYN_TRAFFIC_TYPE_MESSAGES","features":[44]},{"name":"ALLJOYN_TRAFFIC_TYPE_RAW_RELIABLE","features":[44]},{"name":"ALLJOYN_TRAFFIC_TYPE_RAW_UNRELIABLE","features":[44]},{"name":"ALLJOYN_UINT16","features":[44]},{"name":"ALLJOYN_UINT16_ARRAY","features":[44]},{"name":"ALLJOYN_UINT32","features":[44]},{"name":"ALLJOYN_UINT32_ARRAY","features":[44]},{"name":"ALLJOYN_UINT64","features":[44]},{"name":"ALLJOYN_UINT64_ARRAY","features":[44]},{"name":"ALLJOYN_VARIANT","features":[44]},{"name":"ALLJOYN_WILDCARD","features":[44]},{"name":"ALLJOYN_WRITE_READY","features":[44]},{"name":"ANNOUNCED","features":[44]},{"name":"AllJoynAcceptBusConnection","features":[44,1]},{"name":"AllJoynCloseBusHandle","features":[44,1]},{"name":"AllJoynConnectToBus","features":[44,1]},{"name":"AllJoynCreateBus","features":[44,1,4]},{"name":"AllJoynEnumEvents","features":[44,1]},{"name":"AllJoynEventSelect","features":[44,1]},{"name":"AllJoynReceiveFromBus","features":[44,1]},{"name":"AllJoynSendToBus","features":[44,1]},{"name":"CAPABLE_ECDHE_ECDSA","features":[44]},{"name":"CAPABLE_ECDHE_NULL","features":[44]},{"name":"CAPABLE_ECDHE_SPEKE","features":[44]},{"name":"CLAIMABLE","features":[44]},{"name":"CLAIMED","features":[44]},{"name":"ER_ABOUT_ABOUTDATA_MISSING_REQUIRED_FIELD","features":[44]},{"name":"ER_ABOUT_DEFAULT_LANGUAGE_NOT_SPECIFIED","features":[44]},{"name":"ER_ABOUT_FIELD_ALREADY_SPECIFIED","features":[44]},{"name":"ER_ABOUT_INVALID_ABOUTDATA_FIELD_APPID_SIZE","features":[44]},{"name":"ER_ABOUT_INVALID_ABOUTDATA_FIELD_VALUE","features":[44]},{"name":"ER_ABOUT_INVALID_ABOUTDATA_LISTENER","features":[44]},{"name":"ER_ABOUT_SESSIONPORT_NOT_BOUND","features":[44]},{"name":"ER_ALERTED_THREAD","features":[44]},{"name":"ER_ALLJOYN_ACCESS_PERMISSION_ERROR","features":[44]},{"name":"ER_ALLJOYN_ACCESS_PERMISSION_WARNING","features":[44]},{"name":"ER_ALLJOYN_ADVERTISENAME_REPLY_ALREADY_ADVERTISING","features":[44]},{"name":"ER_ALLJOYN_ADVERTISENAME_REPLY_FAILED","features":[44]},{"name":"ER_ALLJOYN_ADVERTISENAME_REPLY_TRANSPORT_NOT_AVAILABLE","features":[44]},{"name":"ER_ALLJOYN_BINDSESSIONPORT_REPLY_ALREADY_EXISTS","features":[44]},{"name":"ER_ALLJOYN_BINDSESSIONPORT_REPLY_FAILED","features":[44]},{"name":"ER_ALLJOYN_BINDSESSIONPORT_REPLY_INVALID_OPTS","features":[44]},{"name":"ER_ALLJOYN_CANCELADVERTISENAME_REPLY_FAILED","features":[44]},{"name":"ER_ALLJOYN_CANCELFINDADVERTISEDNAME_REPLY_FAILED","features":[44]},{"name":"ER_ALLJOYN_FINDADVERTISEDNAME_REPLY_ALREADY_DISCOVERING","features":[44]},{"name":"ER_ALLJOYN_FINDADVERTISEDNAME_REPLY_FAILED","features":[44]},{"name":"ER_ALLJOYN_FINDADVERTISEDNAME_REPLY_TRANSPORT_NOT_AVAILABLE","features":[44]},{"name":"ER_ALLJOYN_JOINSESSION_REPLY_ALREADY_JOINED","features":[44]},{"name":"ER_ALLJOYN_JOINSESSION_REPLY_BAD_SESSION_OPTS","features":[44]},{"name":"ER_ALLJOYN_JOINSESSION_REPLY_CONNECT_FAILED","features":[44]},{"name":"ER_ALLJOYN_JOINSESSION_REPLY_FAILED","features":[44]},{"name":"ER_ALLJOYN_JOINSESSION_REPLY_NO_SESSION","features":[44]},{"name":"ER_ALLJOYN_JOINSESSION_REPLY_REJECTED","features":[44]},{"name":"ER_ALLJOYN_JOINSESSION_REPLY_UNREACHABLE","features":[44]},{"name":"ER_ALLJOYN_LEAVESESSION_REPLY_FAILED","features":[44]},{"name":"ER_ALLJOYN_LEAVESESSION_REPLY_NO_SESSION","features":[44]},{"name":"ER_ALLJOYN_ONAPPRESUME_REPLY_FAILED","features":[44]},{"name":"ER_ALLJOYN_ONAPPRESUME_REPLY_UNSUPPORTED","features":[44]},{"name":"ER_ALLJOYN_ONAPPSUSPEND_REPLY_FAILED","features":[44]},{"name":"ER_ALLJOYN_ONAPPSUSPEND_REPLY_UNSUPPORTED","features":[44]},{"name":"ER_ALLJOYN_PING_FAILED","features":[44]},{"name":"ER_ALLJOYN_PING_REPLY_FAILED","features":[44]},{"name":"ER_ALLJOYN_PING_REPLY_INCOMPATIBLE_REMOTE_ROUTING_NODE","features":[44]},{"name":"ER_ALLJOYN_PING_REPLY_IN_PROGRESS","features":[44]},{"name":"ER_ALLJOYN_PING_REPLY_TIMEOUT","features":[44]},{"name":"ER_ALLJOYN_PING_REPLY_UNKNOWN_NAME","features":[44]},{"name":"ER_ALLJOYN_PING_REPLY_UNREACHABLE","features":[44]},{"name":"ER_ALLJOYN_REMOVESESSIONMEMBER_INCOMPATIBLE_REMOTE_DAEMON","features":[44]},{"name":"ER_ALLJOYN_REMOVESESSIONMEMBER_NOT_BINDER","features":[44]},{"name":"ER_ALLJOYN_REMOVESESSIONMEMBER_NOT_FOUND","features":[44]},{"name":"ER_ALLJOYN_REMOVESESSIONMEMBER_NOT_MULTIPOINT","features":[44]},{"name":"ER_ALLJOYN_REMOVESESSIONMEMBER_REPLY_FAILED","features":[44]},{"name":"ER_ALLJOYN_REMOVESESSIONMEMBER_REPLY_NO_SESSION","features":[44]},{"name":"ER_ALLJOYN_SETLINKTIMEOUT_REPLY_FAILED","features":[44]},{"name":"ER_ALLJOYN_SETLINKTIMEOUT_REPLY_NOT_SUPPORTED","features":[44]},{"name":"ER_ALLJOYN_SETLINKTIMEOUT_REPLY_NO_DEST_SUPPORT","features":[44]},{"name":"ER_ALLJOYN_UNBINDSESSIONPORT_REPLY_BAD_PORT","features":[44]},{"name":"ER_ALLJOYN_UNBINDSESSIONPORT_REPLY_FAILED","features":[44]},{"name":"ER_APPLICATION_STATE_LISTENER_ALREADY_EXISTS","features":[44]},{"name":"ER_APPLICATION_STATE_LISTENER_NO_SUCH_LISTENER","features":[44]},{"name":"ER_ARDP_BACKPRESSURE","features":[44]},{"name":"ER_ARDP_DISCONNECTING","features":[44]},{"name":"ER_ARDP_INVALID_CONNECTION","features":[44]},{"name":"ER_ARDP_INVALID_RESPONSE","features":[44]},{"name":"ER_ARDP_INVALID_STATE","features":[44]},{"name":"ER_ARDP_PERSIST_TIMEOUT","features":[44]},{"name":"ER_ARDP_PROBE_TIMEOUT","features":[44]},{"name":"ER_ARDP_REMOTE_CONNECTION_RESET","features":[44]},{"name":"ER_ARDP_TTL_EXPIRED","features":[44]},{"name":"ER_ARDP_VERSION_NOT_SUPPORTED","features":[44]},{"name":"ER_ARDP_WRITE_BLOCKED","features":[44]},{"name":"ER_AUTH_FAIL","features":[44]},{"name":"ER_AUTH_USER_REJECT","features":[44]},{"name":"ER_BAD_ARG_1","features":[44]},{"name":"ER_BAD_ARG_2","features":[44]},{"name":"ER_BAD_ARG_3","features":[44]},{"name":"ER_BAD_ARG_4","features":[44]},{"name":"ER_BAD_ARG_5","features":[44]},{"name":"ER_BAD_ARG_6","features":[44]},{"name":"ER_BAD_ARG_7","features":[44]},{"name":"ER_BAD_ARG_8","features":[44]},{"name":"ER_BAD_ARG_COUNT","features":[44]},{"name":"ER_BAD_HOSTNAME","features":[44]},{"name":"ER_BAD_STRING_ENCODING","features":[44]},{"name":"ER_BAD_TRANSPORT_MASK","features":[44]},{"name":"ER_BUFFER_TOO_SMALL","features":[44]},{"name":"ER_BUS_ALREADY_CONNECTED","features":[44]},{"name":"ER_BUS_ALREADY_LISTENING","features":[44]},{"name":"ER_BUS_ANNOTATION_ALREADY_EXISTS","features":[44]},{"name":"ER_BUS_AUTHENTICATION_PENDING","features":[44]},{"name":"ER_BUS_BAD_BODY_LEN","features":[44]},{"name":"ER_BUS_BAD_BUS_NAME","features":[44]},{"name":"ER_BUS_BAD_CHILD_PATH","features":[44]},{"name":"ER_BUS_BAD_ERROR_NAME","features":[44]},{"name":"ER_BUS_BAD_HDR_FLAGS","features":[44]},{"name":"ER_BUS_BAD_HEADER_FIELD","features":[44]},{"name":"ER_BUS_BAD_HEADER_LEN","features":[44]},{"name":"ER_BUS_BAD_INTERFACE_NAME","features":[44]},{"name":"ER_BUS_BAD_LENGTH","features":[44]},{"name":"ER_BUS_BAD_MEMBER_NAME","features":[44]},{"name":"ER_BUS_BAD_OBJ_PATH","features":[44]},{"name":"ER_BUS_BAD_SENDER_ID","features":[44]},{"name":"ER_BUS_BAD_SEND_PARAMETER","features":[44]},{"name":"ER_BUS_BAD_SESSION_OPTS","features":[44]},{"name":"ER_BUS_BAD_SIGNATURE","features":[44]},{"name":"ER_BUS_BAD_TRANSPORT_ARGS","features":[44]},{"name":"ER_BUS_BAD_VALUE","features":[44]},{"name":"ER_BUS_BAD_VALUE_TYPE","features":[44]},{"name":"ER_BUS_BAD_XML","features":[44]},{"name":"ER_BUS_BLOCKING_CALL_NOT_ALLOWED","features":[44]},{"name":"ER_BUS_BUS_ALREADY_STARTED","features":[44]},{"name":"ER_BUS_BUS_NOT_STARTED","features":[44]},{"name":"ER_BUS_CANNOT_ADD_HANDLER","features":[44]},{"name":"ER_BUS_CANNOT_ADD_INTERFACE","features":[44]},{"name":"ER_BUS_CANNOT_EXPAND_MESSAGE","features":[44]},{"name":"ER_BUS_CONNECTION_REJECTED","features":[44]},{"name":"ER_BUS_CONNECT_FAILED","features":[44]},{"name":"ER_BUS_CORRUPT_KEYSTORE","features":[44]},{"name":"ER_BUS_DESCRIPTION_ALREADY_EXISTS","features":[44]},{"name":"ER_BUS_DESTINATION_NOT_AUTHENTICATED","features":[44]},{"name":"ER_BUS_ELEMENT_NOT_FOUND","features":[44]},{"name":"ER_BUS_EMPTY_MESSAGE","features":[44]},{"name":"ER_BUS_ENDPOINT_CLOSING","features":[44]},{"name":"ER_BUS_ENDPOINT_REDIRECTED","features":[44]},{"name":"ER_BUS_ERRORS","features":[44]},{"name":"ER_BUS_ERROR_NAME_MISSING","features":[44]},{"name":"ER_BUS_ERROR_RESPONSE","features":[44]},{"name":"ER_BUS_ESTABLISH_FAILED","features":[44]},{"name":"ER_BUS_HANDLES_MISMATCH","features":[44]},{"name":"ER_BUS_HANDLES_NOT_ENABLED","features":[44]},{"name":"ER_BUS_HDR_EXPANSION_INVALID","features":[44]},{"name":"ER_BUS_IFACE_ALREADY_EXISTS","features":[44]},{"name":"ER_BUS_INCOMPATIBLE_DAEMON","features":[44]},{"name":"ER_BUS_INTERFACE_ACTIVATED","features":[44]},{"name":"ER_BUS_INTERFACE_MISMATCH","features":[44]},{"name":"ER_BUS_INTERFACE_MISSING","features":[44]},{"name":"ER_BUS_INTERFACE_NO_SUCH_MEMBER","features":[44]},{"name":"ER_BUS_INVALID_AUTH_MECHANISM","features":[44]},{"name":"ER_BUS_INVALID_HEADER_CHECKSUM","features":[44]},{"name":"ER_BUS_INVALID_HEADER_SERIAL","features":[44]},{"name":"ER_BUS_KEYBLOB_OP_INVALID","features":[44]},{"name":"ER_BUS_KEYSTORE_NOT_LOADED","features":[44]},{"name":"ER_BUS_KEYSTORE_VERSION_MISMATCH","features":[44]},{"name":"ER_BUS_KEY_EXPIRED","features":[44]},{"name":"ER_BUS_KEY_STORE_NOT_LOADED","features":[44]},{"name":"ER_BUS_KEY_UNAVAILABLE","features":[44]},{"name":"ER_BUS_LISTENER_ALREADY_SET","features":[44]},{"name":"ER_BUS_MATCH_RULE_NOT_FOUND","features":[44]},{"name":"ER_BUS_MEMBER_ALREADY_EXISTS","features":[44]},{"name":"ER_BUS_MEMBER_MISSING","features":[44]},{"name":"ER_BUS_MEMBER_NO_SUCH_SIGNATURE","features":[44]},{"name":"ER_BUS_MESSAGE_DECRYPTION_FAILED","features":[44]},{"name":"ER_BUS_MESSAGE_NOT_ENCRYPTED","features":[44]},{"name":"ER_BUS_METHOD_CALL_ABORTED","features":[44]},{"name":"ER_BUS_MISSING_COMPRESSION_TOKEN","features":[44]},{"name":"ER_BUS_NAME_TOO_LONG","features":[44]},{"name":"ER_BUS_NOT_ALLOWED","features":[44]},{"name":"ER_BUS_NOT_AUTHENTICATING","features":[44]},{"name":"ER_BUS_NOT_AUTHORIZED","features":[44]},{"name":"ER_BUS_NOT_A_COMPLETE_TYPE","features":[44]},{"name":"ER_BUS_NOT_A_DICTIONARY","features":[44]},{"name":"ER_BUS_NOT_COMPRESSED","features":[44]},{"name":"ER_BUS_NOT_CONNECTED","features":[44]},{"name":"ER_BUS_NOT_NUL_TERMINATED","features":[44]},{"name":"ER_BUS_NOT_OWNER","features":[44]},{"name":"ER_BUS_NO_AUTHENTICATION_MECHANISM","features":[44]},{"name":"ER_BUS_NO_CALL_FOR_REPLY","features":[44]},{"name":"ER_BUS_NO_ENDPOINT","features":[44]},{"name":"ER_BUS_NO_LISTENER","features":[44]},{"name":"ER_BUS_NO_PEER_GUID","features":[44]},{"name":"ER_BUS_NO_ROUTE","features":[44]},{"name":"ER_BUS_NO_SESSION","features":[44]},{"name":"ER_BUS_NO_SUCH_ANNOTATION","features":[44]},{"name":"ER_BUS_NO_SUCH_HANDLE","features":[44]},{"name":"ER_BUS_NO_SUCH_INTERFACE","features":[44]},{"name":"ER_BUS_NO_SUCH_MESSAGE","features":[44]},{"name":"ER_BUS_NO_SUCH_OBJECT","features":[44]},{"name":"ER_BUS_NO_SUCH_PROPERTY","features":[44]},{"name":"ER_BUS_NO_SUCH_SERVICE","features":[44]},{"name":"ER_BUS_NO_TRANSPORTS","features":[44]},{"name":"ER_BUS_OBJECT_NOT_REGISTERED","features":[44]},{"name":"ER_BUS_OBJECT_NO_SUCH_INTERFACE","features":[44]},{"name":"ER_BUS_OBJECT_NO_SUCH_MEMBER","features":[44]},{"name":"ER_BUS_OBJ_ALREADY_EXISTS","features":[44]},{"name":"ER_BUS_OBJ_NOT_FOUND","features":[44]},{"name":"ER_BUS_PATH_MISSING","features":[44]},{"name":"ER_BUS_PEER_AUTH_VERSION_MISMATCH","features":[44]},{"name":"ER_BUS_PING_GROUP_NOT_FOUND","features":[44]},{"name":"ER_BUS_POLICY_VIOLATION","features":[44]},{"name":"ER_BUS_PROPERTY_ACCESS_DENIED","features":[44]},{"name":"ER_BUS_PROPERTY_ALREADY_EXISTS","features":[44]},{"name":"ER_BUS_PROPERTY_VALUE_NOT_SET","features":[44]},{"name":"ER_BUS_READ_ERROR","features":[44]},{"name":"ER_BUS_REMOVED_BY_BINDER","features":[44]},{"name":"ER_BUS_REMOVED_BY_BINDER_SELF","features":[44]},{"name":"ER_BUS_REPLY_IS_ERROR_MESSAGE","features":[44]},{"name":"ER_BUS_REPLY_SERIAL_MISSING","features":[44]},{"name":"ER_BUS_SECURITY_FATAL","features":[44]},{"name":"ER_BUS_SECURITY_NOT_ENABLED","features":[44]},{"name":"ER_BUS_SELF_CONNECT","features":[44]},{"name":"ER_BUS_SET_PROPERTY_REJECTED","features":[44]},{"name":"ER_BUS_SET_WRONG_SIGNATURE","features":[44]},{"name":"ER_BUS_SIGNATURE_MISMATCH","features":[44]},{"name":"ER_BUS_STOPPING","features":[44]},{"name":"ER_BUS_TIME_TO_LIVE_EXPIRED","features":[44]},{"name":"ER_BUS_TRANSPORT_ACCESS_DENIED","features":[44]},{"name":"ER_BUS_TRANSPORT_NOT_AVAILABLE","features":[44]},{"name":"ER_BUS_TRANSPORT_NOT_STARTED","features":[44]},{"name":"ER_BUS_TRUNCATED","features":[44]},{"name":"ER_BUS_UNEXPECTED_DISPOSITION","features":[44]},{"name":"ER_BUS_UNEXPECTED_SIGNATURE","features":[44]},{"name":"ER_BUS_UNKNOWN_INTERFACE","features":[44]},{"name":"ER_BUS_UNKNOWN_PATH","features":[44]},{"name":"ER_BUS_UNKNOWN_SERIAL","features":[44]},{"name":"ER_BUS_UNMATCHED_REPLY_SERIAL","features":[44]},{"name":"ER_BUS_WAIT_FAILED","features":[44]},{"name":"ER_BUS_WRITE_ERROR","features":[44]},{"name":"ER_BUS_WRITE_QUEUE_FULL","features":[44]},{"name":"ER_CERTIFICATE_NOT_FOUND","features":[44]},{"name":"ER_COMMON_ERRORS","features":[44]},{"name":"ER_CONNECTION_LIMIT_EXCEEDED","features":[44]},{"name":"ER_CONN_REFUSED","features":[44]},{"name":"ER_CORRUPT_KEYBLOB","features":[44]},{"name":"ER_CRYPTO_ERROR","features":[44]},{"name":"ER_CRYPTO_HASH_UNINITIALIZED","features":[44]},{"name":"ER_CRYPTO_ILLEGAL_PARAMETERS","features":[44]},{"name":"ER_CRYPTO_INSUFFICIENT_SECURITY","features":[44]},{"name":"ER_CRYPTO_KEY_UNAVAILABLE","features":[44]},{"name":"ER_CRYPTO_KEY_UNUSABLE","features":[44]},{"name":"ER_CRYPTO_TRUNCATED","features":[44]},{"name":"ER_DBUS_RELEASE_NAME_REPLY_NON_EXISTENT","features":[44]},{"name":"ER_DBUS_RELEASE_NAME_REPLY_NOT_OWNER","features":[44]},{"name":"ER_DBUS_RELEASE_NAME_REPLY_RELEASED","features":[44]},{"name":"ER_DBUS_REQUEST_NAME_REPLY_ALREADY_OWNER","features":[44]},{"name":"ER_DBUS_REQUEST_NAME_REPLY_EXISTS","features":[44]},{"name":"ER_DBUS_REQUEST_NAME_REPLY_IN_QUEUE","features":[44]},{"name":"ER_DBUS_REQUEST_NAME_REPLY_PRIMARY_OWNER","features":[44]},{"name":"ER_DBUS_START_REPLY_ALREADY_RUNNING","features":[44]},{"name":"ER_DEADLOCK","features":[44]},{"name":"ER_DEAD_THREAD","features":[44]},{"name":"ER_DIGEST_MISMATCH","features":[44]},{"name":"ER_DUPLICATE_CERTIFICATE","features":[44]},{"name":"ER_DUPLICATE_KEY","features":[44]},{"name":"ER_EMPTY_KEY_BLOB","features":[44]},{"name":"ER_END_OF_DATA","features":[44]},{"name":"ER_EOF","features":[44]},{"name":"ER_EXTERNAL_THREAD","features":[44]},{"name":"ER_FAIL","features":[44]},{"name":"ER_FEATURE_NOT_AVAILABLE","features":[44]},{"name":"ER_INIT_FAILED","features":[44]},{"name":"ER_INVALID_ADDRESS","features":[44]},{"name":"ER_INVALID_APPLICATION_STATE","features":[44]},{"name":"ER_INVALID_CERTIFICATE","features":[44]},{"name":"ER_INVALID_CERTIFICATE_USAGE","features":[44]},{"name":"ER_INVALID_CERT_CHAIN","features":[44]},{"name":"ER_INVALID_CONFIG","features":[44]},{"name":"ER_INVALID_DATA","features":[44]},{"name":"ER_INVALID_GUID","features":[44]},{"name":"ER_INVALID_HTTP_METHOD_USED_FOR_RENDEZVOUS_SERVER_INTERFACE_MESSAGE","features":[44]},{"name":"ER_INVALID_KEY_ENCODING","features":[44]},{"name":"ER_INVALID_ON_DEMAND_CONNECTION_MESSAGE_RESPONSE","features":[44]},{"name":"ER_INVALID_PERSISTENT_CONNECTION_MESSAGE_RESPONSE","features":[44]},{"name":"ER_INVALID_RENDEZVOUS_SERVER_INTERFACE_MESSAGE","features":[44]},{"name":"ER_INVALID_SIGNAL_EMISSION_TYPE","features":[44]},{"name":"ER_INVALID_STREAM","features":[44]},{"name":"ER_IODISPATCH_STOPPING","features":[44]},{"name":"ER_KEY_STORE_ALREADY_INITIALIZED","features":[44]},{"name":"ER_KEY_STORE_ID_NOT_YET_SET","features":[44]},{"name":"ER_LANGUAGE_NOT_SUPPORTED","features":[44]},{"name":"ER_MANAGEMENT_ALREADY_STARTED","features":[44]},{"name":"ER_MANAGEMENT_NOT_STARTED","features":[44]},{"name":"ER_MANIFEST_NOT_FOUND","features":[44]},{"name":"ER_MANIFEST_REJECTED","features":[44]},{"name":"ER_MISSING_DIGEST_IN_CERTIFICATE","features":[44]},{"name":"ER_NONE","features":[44]},{"name":"ER_NOT_CONN","features":[44]},{"name":"ER_NOT_CONNECTED_TO_RENDEZVOUS_SERVER","features":[44]},{"name":"ER_NOT_IMPLEMENTED","features":[44]},{"name":"ER_NO_COMMON_TRUST","features":[44]},{"name":"ER_NO_SUCH_ALARM","features":[44]},{"name":"ER_NO_SUCH_DEVICE","features":[44]},{"name":"ER_NO_TRUST_ANCHOR","features":[44]},{"name":"ER_OK","features":[44]},{"name":"ER_OPEN_FAILED","features":[44]},{"name":"ER_OS_ERROR","features":[44]},{"name":"ER_OUT_OF_MEMORY","features":[44]},{"name":"ER_P2P","features":[44]},{"name":"ER_P2P_BUSY","features":[44]},{"name":"ER_P2P_DISABLED","features":[44]},{"name":"ER_P2P_FORBIDDEN","features":[44]},{"name":"ER_P2P_NOT_CONNECTED","features":[44]},{"name":"ER_P2P_NO_GO","features":[44]},{"name":"ER_P2P_NO_STA","features":[44]},{"name":"ER_P2P_TIMEOUT","features":[44]},{"name":"ER_PACKET_BAD_CRC","features":[44]},{"name":"ER_PACKET_BAD_FORMAT","features":[44]},{"name":"ER_PACKET_BAD_PARAMETER","features":[44]},{"name":"ER_PACKET_BUS_NO_SUCH_CHANNEL","features":[44]},{"name":"ER_PACKET_CHANNEL_FAIL","features":[44]},{"name":"ER_PACKET_CONNECT_TIMEOUT","features":[44]},{"name":"ER_PACKET_TOO_LARGE","features":[44]},{"name":"ER_PARSE_ERROR","features":[44]},{"name":"ER_PERMISSION_DENIED","features":[44]},{"name":"ER_POLICY_NOT_NEWER","features":[44]},{"name":"ER_PROXIMITY_CONNECTION_ESTABLISH_FAIL","features":[44]},{"name":"ER_PROXIMITY_NO_PEERS_FOUND","features":[44]},{"name":"ER_READ_ERROR","features":[44]},{"name":"ER_RENDEZVOUS_SERVER_DEACTIVATED_USER","features":[44]},{"name":"ER_RENDEZVOUS_SERVER_ERR401_UNAUTHORIZED_REQUEST","features":[44]},{"name":"ER_RENDEZVOUS_SERVER_ERR500_INTERNAL_ERROR","features":[44]},{"name":"ER_RENDEZVOUS_SERVER_ERR503_STATUS_UNAVAILABLE","features":[44]},{"name":"ER_RENDEZVOUS_SERVER_ROOT_CERTIFICATE_UNINITIALIZED","features":[44]},{"name":"ER_RENDEZVOUS_SERVER_UNKNOWN_USER","features":[44]},{"name":"ER_RENDEZVOUS_SERVER_UNRECOVERABLE_ERROR","features":[44]},{"name":"ER_SLAP_CRC_ERROR","features":[44]},{"name":"ER_SLAP_ERROR","features":[44]},{"name":"ER_SLAP_HDR_CHECKSUM_ERROR","features":[44]},{"name":"ER_SLAP_INVALID_PACKET_LEN","features":[44]},{"name":"ER_SLAP_INVALID_PACKET_TYPE","features":[44]},{"name":"ER_SLAP_LEN_MISMATCH","features":[44]},{"name":"ER_SLAP_OTHER_END_CLOSED","features":[44]},{"name":"ER_SLAP_PACKET_TYPE_MISMATCH","features":[44]},{"name":"ER_SOCKET_BIND_ERROR","features":[44]},{"name":"ER_SOCK_CLOSING","features":[44]},{"name":"ER_SOCK_OTHER_END_CLOSED","features":[44]},{"name":"ER_SSL_CONNECT","features":[44]},{"name":"ER_SSL_ERRORS","features":[44]},{"name":"ER_SSL_INIT","features":[44]},{"name":"ER_SSL_VERIFY","features":[44]},{"name":"ER_STOPPING_THREAD","features":[44]},{"name":"ER_TCP_MAX_UNTRUSTED","features":[44]},{"name":"ER_THREADPOOL_EXHAUSTED","features":[44]},{"name":"ER_THREADPOOL_STOPPING","features":[44]},{"name":"ER_THREAD_NO_WAIT","features":[44]},{"name":"ER_THREAD_RUNNING","features":[44]},{"name":"ER_THREAD_STOPPING","features":[44]},{"name":"ER_TIMEOUT","features":[44]},{"name":"ER_TIMER_EXITING","features":[44]},{"name":"ER_TIMER_FALLBEHIND","features":[44]},{"name":"ER_TIMER_FULL","features":[44]},{"name":"ER_TIMER_NOT_ALLOWED","features":[44]},{"name":"ER_UDP_BACKPRESSURE","features":[44]},{"name":"ER_UDP_BUSHELLO","features":[44]},{"name":"ER_UDP_DEMUX_NO_ENDPOINT","features":[44]},{"name":"ER_UDP_DISCONNECT","features":[44]},{"name":"ER_UDP_EARLY_EXIT","features":[44]},{"name":"ER_UDP_ENDPOINT_NOT_STARTED","features":[44]},{"name":"ER_UDP_ENDPOINT_REMOVED","features":[44]},{"name":"ER_UDP_ENDPOINT_STALLED","features":[44]},{"name":"ER_UDP_INVALID","features":[44]},{"name":"ER_UDP_LOCAL_DISCONNECT","features":[44]},{"name":"ER_UDP_LOCAL_DISCONNECT_FAIL","features":[44]},{"name":"ER_UDP_MESSAGE","features":[44]},{"name":"ER_UDP_MSG_TOO_LONG","features":[44]},{"name":"ER_UDP_NOT_DISCONNECTED","features":[44]},{"name":"ER_UDP_NOT_IMPLEMENTED","features":[44]},{"name":"ER_UDP_NO_LISTENER","features":[44]},{"name":"ER_UDP_NO_NETWORK","features":[44]},{"name":"ER_UDP_STOPPING","features":[44]},{"name":"ER_UDP_UNEXPECTED_FLOW","features":[44]},{"name":"ER_UDP_UNEXPECTED_LENGTH","features":[44]},{"name":"ER_UDP_UNSUPPORTED","features":[44]},{"name":"ER_UNABLE_TO_CONNECT_TO_RENDEZVOUS_SERVER","features":[44]},{"name":"ER_UNABLE_TO_SEND_MESSAGE_TO_RENDEZVOUS_SERVER","features":[44]},{"name":"ER_UNKNOWN_CERTIFICATE","features":[44]},{"name":"ER_UTF_CONVERSION_FAILED","features":[44]},{"name":"ER_WARNING","features":[44]},{"name":"ER_WOULDBLOCK","features":[44]},{"name":"ER_WRITE_ERROR","features":[44]},{"name":"ER_XML_ACLS_MISSING","features":[44]},{"name":"ER_XML_ACL_ALL_TYPE_PEER_WITH_OTHERS","features":[44]},{"name":"ER_XML_ACL_PEERS_MISSING","features":[44]},{"name":"ER_XML_ACL_PEER_NOT_UNIQUE","features":[44]},{"name":"ER_XML_ACL_PEER_PUBLIC_KEY_SET","features":[44]},{"name":"ER_XML_ANNOTATION_NOT_UNIQUE","features":[44]},{"name":"ER_XML_CONVERTER_ERROR","features":[44]},{"name":"ER_XML_INTERFACE_MEMBERS_MISSING","features":[44]},{"name":"ER_XML_INTERFACE_NAME_NOT_UNIQUE","features":[44]},{"name":"ER_XML_INVALID_ACL_PEER_CHILDREN_COUNT","features":[44]},{"name":"ER_XML_INVALID_ACL_PEER_PUBLIC_KEY","features":[44]},{"name":"ER_XML_INVALID_ACL_PEER_TYPE","features":[44]},{"name":"ER_XML_INVALID_ANNOTATIONS_COUNT","features":[44]},{"name":"ER_XML_INVALID_ATTRIBUTE_VALUE","features":[44]},{"name":"ER_XML_INVALID_BASE64","features":[44]},{"name":"ER_XML_INVALID_ELEMENT_CHILDREN_COUNT","features":[44]},{"name":"ER_XML_INVALID_ELEMENT_NAME","features":[44]},{"name":"ER_XML_INVALID_INTERFACE_NAME","features":[44]},{"name":"ER_XML_INVALID_MANIFEST_VERSION","features":[44]},{"name":"ER_XML_INVALID_MEMBER_ACTION","features":[44]},{"name":"ER_XML_INVALID_MEMBER_NAME","features":[44]},{"name":"ER_XML_INVALID_MEMBER_TYPE","features":[44]},{"name":"ER_XML_INVALID_OBJECT_PATH","features":[44]},{"name":"ER_XML_INVALID_OID","features":[44]},{"name":"ER_XML_INVALID_POLICY_SERIAL_NUMBER","features":[44]},{"name":"ER_XML_INVALID_POLICY_VERSION","features":[44]},{"name":"ER_XML_INVALID_RULES_COUNT","features":[44]},{"name":"ER_XML_INVALID_SECURITY_LEVEL_ANNOTATION_VALUE","features":[44]},{"name":"ER_XML_MALFORMED","features":[44]},{"name":"ER_XML_MEMBER_DENY_ACTION_WITH_OTHER","features":[44]},{"name":"ER_XML_MEMBER_NAME_NOT_UNIQUE","features":[44]},{"name":"ER_XML_OBJECT_PATH_NOT_UNIQUE","features":[44]},{"name":"NEED_UPDATE","features":[44]},{"name":"NOT_CLAIMABLE","features":[44]},{"name":"PASSWORD_GENERATED_BY_APPLICATION","features":[44]},{"name":"PASSWORD_GENERATED_BY_SECURITY_MANAGER","features":[44]},{"name":"QCC_FALSE","features":[44]},{"name":"QCC_StatusText","features":[44]},{"name":"QCC_TRUE","features":[44]},{"name":"QStatus","features":[44]},{"name":"UNANNOUNCED","features":[44]},{"name":"alljoyn_about_announced_ptr","features":[44]},{"name":"alljoyn_about_announceflag","features":[44]},{"name":"alljoyn_aboutdata","features":[44]},{"name":"alljoyn_aboutdata_create","features":[44]},{"name":"alljoyn_aboutdata_create_empty","features":[44]},{"name":"alljoyn_aboutdata_create_full","features":[44]},{"name":"alljoyn_aboutdata_createfrommsgarg","features":[44]},{"name":"alljoyn_aboutdata_createfromxml","features":[44]},{"name":"alljoyn_aboutdata_destroy","features":[44]},{"name":"alljoyn_aboutdata_getaboutdata","features":[44]},{"name":"alljoyn_aboutdata_getajsoftwareversion","features":[44]},{"name":"alljoyn_aboutdata_getannouncedaboutdata","features":[44]},{"name":"alljoyn_aboutdata_getappid","features":[44]},{"name":"alljoyn_aboutdata_getappname","features":[44]},{"name":"alljoyn_aboutdata_getdateofmanufacture","features":[44]},{"name":"alljoyn_aboutdata_getdefaultlanguage","features":[44]},{"name":"alljoyn_aboutdata_getdescription","features":[44]},{"name":"alljoyn_aboutdata_getdeviceid","features":[44]},{"name":"alljoyn_aboutdata_getdevicename","features":[44]},{"name":"alljoyn_aboutdata_getfield","features":[44]},{"name":"alljoyn_aboutdata_getfields","features":[44]},{"name":"alljoyn_aboutdata_getfieldsignature","features":[44]},{"name":"alljoyn_aboutdata_gethardwareversion","features":[44]},{"name":"alljoyn_aboutdata_getmanufacturer","features":[44]},{"name":"alljoyn_aboutdata_getmodelnumber","features":[44]},{"name":"alljoyn_aboutdata_getsoftwareversion","features":[44]},{"name":"alljoyn_aboutdata_getsupportedlanguages","features":[44]},{"name":"alljoyn_aboutdata_getsupporturl","features":[44]},{"name":"alljoyn_aboutdata_isfieldannounced","features":[44]},{"name":"alljoyn_aboutdata_isfieldlocalized","features":[44]},{"name":"alljoyn_aboutdata_isfieldrequired","features":[44]},{"name":"alljoyn_aboutdata_isvalid","features":[44]},{"name":"alljoyn_aboutdata_setappid","features":[44]},{"name":"alljoyn_aboutdata_setappid_fromstring","features":[44]},{"name":"alljoyn_aboutdata_setappname","features":[44]},{"name":"alljoyn_aboutdata_setdateofmanufacture","features":[44]},{"name":"alljoyn_aboutdata_setdefaultlanguage","features":[44]},{"name":"alljoyn_aboutdata_setdescription","features":[44]},{"name":"alljoyn_aboutdata_setdeviceid","features":[44]},{"name":"alljoyn_aboutdata_setdevicename","features":[44]},{"name":"alljoyn_aboutdata_setfield","features":[44]},{"name":"alljoyn_aboutdata_sethardwareversion","features":[44]},{"name":"alljoyn_aboutdata_setmanufacturer","features":[44]},{"name":"alljoyn_aboutdata_setmodelnumber","features":[44]},{"name":"alljoyn_aboutdata_setsoftwareversion","features":[44]},{"name":"alljoyn_aboutdata_setsupportedlanguage","features":[44]},{"name":"alljoyn_aboutdata_setsupporturl","features":[44]},{"name":"alljoyn_aboutdatalistener","features":[44]},{"name":"alljoyn_aboutdatalistener_callbacks","features":[44]},{"name":"alljoyn_aboutdatalistener_create","features":[44]},{"name":"alljoyn_aboutdatalistener_destroy","features":[44]},{"name":"alljoyn_aboutdatalistener_getaboutdata_ptr","features":[44]},{"name":"alljoyn_aboutdatalistener_getannouncedaboutdata_ptr","features":[44]},{"name":"alljoyn_abouticon","features":[44]},{"name":"alljoyn_abouticon_clear","features":[44]},{"name":"alljoyn_abouticon_create","features":[44]},{"name":"alljoyn_abouticon_destroy","features":[44]},{"name":"alljoyn_abouticon_getcontent","features":[44]},{"name":"alljoyn_abouticon_geturl","features":[44]},{"name":"alljoyn_abouticon_setcontent","features":[44]},{"name":"alljoyn_abouticon_setcontent_frommsgarg","features":[44]},{"name":"alljoyn_abouticon_seturl","features":[44]},{"name":"alljoyn_abouticonobj","features":[44]},{"name":"alljoyn_abouticonobj_create","features":[44]},{"name":"alljoyn_abouticonobj_destroy","features":[44]},{"name":"alljoyn_abouticonproxy","features":[44]},{"name":"alljoyn_abouticonproxy_create","features":[44]},{"name":"alljoyn_abouticonproxy_destroy","features":[44]},{"name":"alljoyn_abouticonproxy_geticon","features":[44]},{"name":"alljoyn_abouticonproxy_getversion","features":[44]},{"name":"alljoyn_aboutlistener","features":[44]},{"name":"alljoyn_aboutlistener_callback","features":[44]},{"name":"alljoyn_aboutlistener_create","features":[44]},{"name":"alljoyn_aboutlistener_destroy","features":[44]},{"name":"alljoyn_aboutobj","features":[44]},{"name":"alljoyn_aboutobj_announce","features":[44]},{"name":"alljoyn_aboutobj_announce_using_datalistener","features":[44]},{"name":"alljoyn_aboutobj_create","features":[44]},{"name":"alljoyn_aboutobj_destroy","features":[44]},{"name":"alljoyn_aboutobj_unannounce","features":[44]},{"name":"alljoyn_aboutobjectdescription","features":[44]},{"name":"alljoyn_aboutobjectdescription_clear","features":[44]},{"name":"alljoyn_aboutobjectdescription_create","features":[44]},{"name":"alljoyn_aboutobjectdescription_create_full","features":[44]},{"name":"alljoyn_aboutobjectdescription_createfrommsgarg","features":[44]},{"name":"alljoyn_aboutobjectdescription_destroy","features":[44]},{"name":"alljoyn_aboutobjectdescription_getinterfacepaths","features":[44]},{"name":"alljoyn_aboutobjectdescription_getinterfaces","features":[44]},{"name":"alljoyn_aboutobjectdescription_getmsgarg","features":[44]},{"name":"alljoyn_aboutobjectdescription_getpaths","features":[44]},{"name":"alljoyn_aboutobjectdescription_hasinterface","features":[44]},{"name":"alljoyn_aboutobjectdescription_hasinterfaceatpath","features":[44]},{"name":"alljoyn_aboutobjectdescription_haspath","features":[44]},{"name":"alljoyn_aboutproxy","features":[44]},{"name":"alljoyn_aboutproxy_create","features":[44]},{"name":"alljoyn_aboutproxy_destroy","features":[44]},{"name":"alljoyn_aboutproxy_getaboutdata","features":[44]},{"name":"alljoyn_aboutproxy_getobjectdescription","features":[44]},{"name":"alljoyn_aboutproxy_getversion","features":[44]},{"name":"alljoyn_applicationstate","features":[44]},{"name":"alljoyn_applicationstatelistener","features":[44]},{"name":"alljoyn_applicationstatelistener_callbacks","features":[44]},{"name":"alljoyn_applicationstatelistener_create","features":[44]},{"name":"alljoyn_applicationstatelistener_destroy","features":[44]},{"name":"alljoyn_applicationstatelistener_state_ptr","features":[44]},{"name":"alljoyn_authlistener","features":[44]},{"name":"alljoyn_authlistener_authenticationcomplete_ptr","features":[44]},{"name":"alljoyn_authlistener_callbacks","features":[44]},{"name":"alljoyn_authlistener_create","features":[44]},{"name":"alljoyn_authlistener_destroy","features":[44]},{"name":"alljoyn_authlistener_requestcredentials_ptr","features":[44]},{"name":"alljoyn_authlistener_requestcredentialsasync_ptr","features":[44]},{"name":"alljoyn_authlistener_requestcredentialsresponse","features":[44]},{"name":"alljoyn_authlistener_securityviolation_ptr","features":[44]},{"name":"alljoyn_authlistener_setsharedsecret","features":[44]},{"name":"alljoyn_authlistener_verifycredentials_ptr","features":[44]},{"name":"alljoyn_authlistener_verifycredentialsasync_ptr","features":[44]},{"name":"alljoyn_authlistener_verifycredentialsresponse","features":[44]},{"name":"alljoyn_authlistenerasync_callbacks","features":[44]},{"name":"alljoyn_authlistenerasync_create","features":[44]},{"name":"alljoyn_authlistenerasync_destroy","features":[44]},{"name":"alljoyn_autopinger","features":[44]},{"name":"alljoyn_autopinger_adddestination","features":[44]},{"name":"alljoyn_autopinger_addpinggroup","features":[44]},{"name":"alljoyn_autopinger_create","features":[44]},{"name":"alljoyn_autopinger_destination_found_ptr","features":[44]},{"name":"alljoyn_autopinger_destination_lost_ptr","features":[44]},{"name":"alljoyn_autopinger_destroy","features":[44]},{"name":"alljoyn_autopinger_pause","features":[44]},{"name":"alljoyn_autopinger_removedestination","features":[44]},{"name":"alljoyn_autopinger_removepinggroup","features":[44]},{"name":"alljoyn_autopinger_resume","features":[44]},{"name":"alljoyn_autopinger_setpinginterval","features":[44]},{"name":"alljoyn_busattachment","features":[44]},{"name":"alljoyn_busattachment_addlogonentry","features":[44]},{"name":"alljoyn_busattachment_addmatch","features":[44]},{"name":"alljoyn_busattachment_advertisename","features":[44]},{"name":"alljoyn_busattachment_bindsessionport","features":[44]},{"name":"alljoyn_busattachment_canceladvertisename","features":[44]},{"name":"alljoyn_busattachment_cancelfindadvertisedname","features":[44]},{"name":"alljoyn_busattachment_cancelfindadvertisednamebytransport","features":[44]},{"name":"alljoyn_busattachment_cancelwhoimplements_interface","features":[44]},{"name":"alljoyn_busattachment_cancelwhoimplements_interfaces","features":[44]},{"name":"alljoyn_busattachment_clearkeys","features":[44]},{"name":"alljoyn_busattachment_clearkeystore","features":[44]},{"name":"alljoyn_busattachment_connect","features":[44]},{"name":"alljoyn_busattachment_create","features":[44]},{"name":"alljoyn_busattachment_create_concurrency","features":[44]},{"name":"alljoyn_busattachment_createinterface","features":[44]},{"name":"alljoyn_busattachment_createinterface_secure","features":[44]},{"name":"alljoyn_busattachment_createinterfacesfromxml","features":[44]},{"name":"alljoyn_busattachment_deletedefaultkeystore","features":[44]},{"name":"alljoyn_busattachment_deleteinterface","features":[44]},{"name":"alljoyn_busattachment_destroy","features":[44]},{"name":"alljoyn_busattachment_disconnect","features":[44]},{"name":"alljoyn_busattachment_enableconcurrentcallbacks","features":[44]},{"name":"alljoyn_busattachment_enablepeersecurity","features":[44]},{"name":"alljoyn_busattachment_enablepeersecuritywithpermissionconfigurationlistener","features":[44]},{"name":"alljoyn_busattachment_findadvertisedname","features":[44]},{"name":"alljoyn_busattachment_findadvertisednamebytransport","features":[44]},{"name":"alljoyn_busattachment_getalljoyndebugobj","features":[44]},{"name":"alljoyn_busattachment_getalljoynproxyobj","features":[44]},{"name":"alljoyn_busattachment_getconcurrency","features":[44]},{"name":"alljoyn_busattachment_getconnectspec","features":[44]},{"name":"alljoyn_busattachment_getdbusproxyobj","features":[44]},{"name":"alljoyn_busattachment_getglobalguidstring","features":[44]},{"name":"alljoyn_busattachment_getinterface","features":[44]},{"name":"alljoyn_busattachment_getinterfaces","features":[44]},{"name":"alljoyn_busattachment_getkeyexpiration","features":[44]},{"name":"alljoyn_busattachment_getpeerguid","features":[44]},{"name":"alljoyn_busattachment_getpermissionconfigurator","features":[44]},{"name":"alljoyn_busattachment_gettimestamp","features":[44]},{"name":"alljoyn_busattachment_getuniquename","features":[44]},{"name":"alljoyn_busattachment_isconnected","features":[44]},{"name":"alljoyn_busattachment_ispeersecurityenabled","features":[44]},{"name":"alljoyn_busattachment_isstarted","features":[44]},{"name":"alljoyn_busattachment_isstopping","features":[44]},{"name":"alljoyn_busattachment_join","features":[44]},{"name":"alljoyn_busattachment_joinsession","features":[44]},{"name":"alljoyn_busattachment_joinsessionasync","features":[44]},{"name":"alljoyn_busattachment_joinsessioncb_ptr","features":[44]},{"name":"alljoyn_busattachment_leavesession","features":[44]},{"name":"alljoyn_busattachment_namehasowner","features":[44]},{"name":"alljoyn_busattachment_ping","features":[44]},{"name":"alljoyn_busattachment_registeraboutlistener","features":[44]},{"name":"alljoyn_busattachment_registerapplicationstatelistener","features":[44]},{"name":"alljoyn_busattachment_registerbuslistener","features":[44]},{"name":"alljoyn_busattachment_registerbusobject","features":[44]},{"name":"alljoyn_busattachment_registerbusobject_secure","features":[44]},{"name":"alljoyn_busattachment_registerkeystorelistener","features":[44]},{"name":"alljoyn_busattachment_registersignalhandler","features":[44]},{"name":"alljoyn_busattachment_registersignalhandlerwithrule","features":[44]},{"name":"alljoyn_busattachment_releasename","features":[44]},{"name":"alljoyn_busattachment_reloadkeystore","features":[44]},{"name":"alljoyn_busattachment_removematch","features":[44]},{"name":"alljoyn_busattachment_removesessionmember","features":[44]},{"name":"alljoyn_busattachment_requestname","features":[44]},{"name":"alljoyn_busattachment_secureconnection","features":[44]},{"name":"alljoyn_busattachment_secureconnectionasync","features":[44]},{"name":"alljoyn_busattachment_setdaemondebug","features":[44]},{"name":"alljoyn_busattachment_setkeyexpiration","features":[44]},{"name":"alljoyn_busattachment_setlinktimeout","features":[44]},{"name":"alljoyn_busattachment_setlinktimeoutasync","features":[44]},{"name":"alljoyn_busattachment_setlinktimeoutcb_ptr","features":[44]},{"name":"alljoyn_busattachment_setsessionlistener","features":[44]},{"name":"alljoyn_busattachment_start","features":[44]},{"name":"alljoyn_busattachment_stop","features":[44]},{"name":"alljoyn_busattachment_unbindsessionport","features":[44]},{"name":"alljoyn_busattachment_unregisteraboutlistener","features":[44]},{"name":"alljoyn_busattachment_unregisterallaboutlisteners","features":[44]},{"name":"alljoyn_busattachment_unregisterallhandlers","features":[44]},{"name":"alljoyn_busattachment_unregisterapplicationstatelistener","features":[44]},{"name":"alljoyn_busattachment_unregisterbuslistener","features":[44]},{"name":"alljoyn_busattachment_unregisterbusobject","features":[44]},{"name":"alljoyn_busattachment_unregistersignalhandler","features":[44]},{"name":"alljoyn_busattachment_unregistersignalhandlerwithrule","features":[44]},{"name":"alljoyn_busattachment_whoimplements_interface","features":[44]},{"name":"alljoyn_busattachment_whoimplements_interfaces","features":[44]},{"name":"alljoyn_buslistener","features":[44]},{"name":"alljoyn_buslistener_bus_disconnected_ptr","features":[44]},{"name":"alljoyn_buslistener_bus_prop_changed_ptr","features":[44]},{"name":"alljoyn_buslistener_bus_stopping_ptr","features":[44]},{"name":"alljoyn_buslistener_callbacks","features":[44]},{"name":"alljoyn_buslistener_create","features":[44]},{"name":"alljoyn_buslistener_destroy","features":[44]},{"name":"alljoyn_buslistener_found_advertised_name_ptr","features":[44]},{"name":"alljoyn_buslistener_listener_registered_ptr","features":[44]},{"name":"alljoyn_buslistener_listener_unregistered_ptr","features":[44]},{"name":"alljoyn_buslistener_lost_advertised_name_ptr","features":[44]},{"name":"alljoyn_buslistener_name_owner_changed_ptr","features":[44]},{"name":"alljoyn_busobject","features":[44]},{"name":"alljoyn_busobject_addinterface","features":[44]},{"name":"alljoyn_busobject_addinterface_announced","features":[44]},{"name":"alljoyn_busobject_addmethodhandler","features":[44]},{"name":"alljoyn_busobject_addmethodhandlers","features":[44]},{"name":"alljoyn_busobject_callbacks","features":[44]},{"name":"alljoyn_busobject_cancelsessionlessmessage","features":[44]},{"name":"alljoyn_busobject_cancelsessionlessmessage_serial","features":[44]},{"name":"alljoyn_busobject_create","features":[44]},{"name":"alljoyn_busobject_destroy","features":[44]},{"name":"alljoyn_busobject_emitpropertieschanged","features":[44]},{"name":"alljoyn_busobject_emitpropertychanged","features":[44]},{"name":"alljoyn_busobject_getannouncedinterfacenames","features":[44]},{"name":"alljoyn_busobject_getbusattachment","features":[44]},{"name":"alljoyn_busobject_getname","features":[44]},{"name":"alljoyn_busobject_getpath","features":[44]},{"name":"alljoyn_busobject_issecure","features":[44]},{"name":"alljoyn_busobject_methodentry","features":[44]},{"name":"alljoyn_busobject_methodreply_args","features":[44]},{"name":"alljoyn_busobject_methodreply_err","features":[44]},{"name":"alljoyn_busobject_methodreply_status","features":[44]},{"name":"alljoyn_busobject_object_registration_ptr","features":[44]},{"name":"alljoyn_busobject_prop_get_ptr","features":[44]},{"name":"alljoyn_busobject_prop_set_ptr","features":[44]},{"name":"alljoyn_busobject_setannounceflag","features":[44]},{"name":"alljoyn_busobject_signal","features":[44]},{"name":"alljoyn_certificateid","features":[44]},{"name":"alljoyn_certificateidarray","features":[44]},{"name":"alljoyn_claimcapability_masks","features":[44]},{"name":"alljoyn_claimcapabilityadditionalinfo_masks","features":[44]},{"name":"alljoyn_credentials","features":[44]},{"name":"alljoyn_credentials_clear","features":[44]},{"name":"alljoyn_credentials_create","features":[44]},{"name":"alljoyn_credentials_destroy","features":[44]},{"name":"alljoyn_credentials_getcertchain","features":[44]},{"name":"alljoyn_credentials_getexpiration","features":[44]},{"name":"alljoyn_credentials_getlogonentry","features":[44]},{"name":"alljoyn_credentials_getpassword","features":[44]},{"name":"alljoyn_credentials_getprivateKey","features":[44]},{"name":"alljoyn_credentials_getusername","features":[44]},{"name":"alljoyn_credentials_isset","features":[44]},{"name":"alljoyn_credentials_setcertchain","features":[44]},{"name":"alljoyn_credentials_setexpiration","features":[44]},{"name":"alljoyn_credentials_setlogonentry","features":[44]},{"name":"alljoyn_credentials_setpassword","features":[44]},{"name":"alljoyn_credentials_setprivatekey","features":[44]},{"name":"alljoyn_credentials_setusername","features":[44]},{"name":"alljoyn_getbuildinfo","features":[44]},{"name":"alljoyn_getnumericversion","features":[44]},{"name":"alljoyn_getversion","features":[44]},{"name":"alljoyn_init","features":[44]},{"name":"alljoyn_interfacedescription","features":[44]},{"name":"alljoyn_interfacedescription_activate","features":[44]},{"name":"alljoyn_interfacedescription_addannotation","features":[44]},{"name":"alljoyn_interfacedescription_addargannotation","features":[44]},{"name":"alljoyn_interfacedescription_addmember","features":[44]},{"name":"alljoyn_interfacedescription_addmemberannotation","features":[44]},{"name":"alljoyn_interfacedescription_addmethod","features":[44]},{"name":"alljoyn_interfacedescription_addproperty","features":[44]},{"name":"alljoyn_interfacedescription_addpropertyannotation","features":[44]},{"name":"alljoyn_interfacedescription_addsignal","features":[44]},{"name":"alljoyn_interfacedescription_eql","features":[44]},{"name":"alljoyn_interfacedescription_getannotation","features":[44]},{"name":"alljoyn_interfacedescription_getannotationatindex","features":[44]},{"name":"alljoyn_interfacedescription_getannotationscount","features":[44]},{"name":"alljoyn_interfacedescription_getargdescriptionforlanguage","features":[44]},{"name":"alljoyn_interfacedescription_getdescriptionforlanguage","features":[44]},{"name":"alljoyn_interfacedescription_getdescriptionlanguages","features":[44]},{"name":"alljoyn_interfacedescription_getdescriptionlanguages2","features":[44]},{"name":"alljoyn_interfacedescription_getdescriptiontranslationcallback","features":[44]},{"name":"alljoyn_interfacedescription_getmember","features":[44]},{"name":"alljoyn_interfacedescription_getmemberannotation","features":[44]},{"name":"alljoyn_interfacedescription_getmemberargannotation","features":[44]},{"name":"alljoyn_interfacedescription_getmemberdescriptionforlanguage","features":[44]},{"name":"alljoyn_interfacedescription_getmembers","features":[44]},{"name":"alljoyn_interfacedescription_getmethod","features":[44]},{"name":"alljoyn_interfacedescription_getname","features":[44]},{"name":"alljoyn_interfacedescription_getproperties","features":[44]},{"name":"alljoyn_interfacedescription_getproperty","features":[44]},{"name":"alljoyn_interfacedescription_getpropertyannotation","features":[44]},{"name":"alljoyn_interfacedescription_getpropertydescriptionforlanguage","features":[44]},{"name":"alljoyn_interfacedescription_getsecuritypolicy","features":[44]},{"name":"alljoyn_interfacedescription_getsignal","features":[44]},{"name":"alljoyn_interfacedescription_hasdescription","features":[44]},{"name":"alljoyn_interfacedescription_hasmember","features":[44]},{"name":"alljoyn_interfacedescription_hasproperties","features":[44]},{"name":"alljoyn_interfacedescription_hasproperty","features":[44]},{"name":"alljoyn_interfacedescription_introspect","features":[44]},{"name":"alljoyn_interfacedescription_issecure","features":[44]},{"name":"alljoyn_interfacedescription_member","features":[44]},{"name":"alljoyn_interfacedescription_member_eql","features":[44]},{"name":"alljoyn_interfacedescription_member_getannotation","features":[44]},{"name":"alljoyn_interfacedescription_member_getannotationatindex","features":[44]},{"name":"alljoyn_interfacedescription_member_getannotationscount","features":[44]},{"name":"alljoyn_interfacedescription_member_getargannotation","features":[44]},{"name":"alljoyn_interfacedescription_member_getargannotationatindex","features":[44]},{"name":"alljoyn_interfacedescription_member_getargannotationscount","features":[44]},{"name":"alljoyn_interfacedescription_property","features":[44]},{"name":"alljoyn_interfacedescription_property_eql","features":[44]},{"name":"alljoyn_interfacedescription_property_getannotation","features":[44]},{"name":"alljoyn_interfacedescription_property_getannotationatindex","features":[44]},{"name":"alljoyn_interfacedescription_property_getannotationscount","features":[44]},{"name":"alljoyn_interfacedescription_securitypolicy","features":[44]},{"name":"alljoyn_interfacedescription_setargdescription","features":[44]},{"name":"alljoyn_interfacedescription_setargdescriptionforlanguage","features":[44]},{"name":"alljoyn_interfacedescription_setdescription","features":[44]},{"name":"alljoyn_interfacedescription_setdescriptionforlanguage","features":[44]},{"name":"alljoyn_interfacedescription_setdescriptionlanguage","features":[44]},{"name":"alljoyn_interfacedescription_setdescriptiontranslationcallback","features":[44]},{"name":"alljoyn_interfacedescription_setmemberdescription","features":[44]},{"name":"alljoyn_interfacedescription_setmemberdescriptionforlanguage","features":[44]},{"name":"alljoyn_interfacedescription_setpropertydescription","features":[44]},{"name":"alljoyn_interfacedescription_setpropertydescriptionforlanguage","features":[44]},{"name":"alljoyn_interfacedescription_translation_callback_ptr","features":[44]},{"name":"alljoyn_keystore","features":[44]},{"name":"alljoyn_keystorelistener","features":[44]},{"name":"alljoyn_keystorelistener_acquireexclusivelock_ptr","features":[44]},{"name":"alljoyn_keystorelistener_callbacks","features":[44]},{"name":"alljoyn_keystorelistener_create","features":[44]},{"name":"alljoyn_keystorelistener_destroy","features":[44]},{"name":"alljoyn_keystorelistener_getkeys","features":[44]},{"name":"alljoyn_keystorelistener_loadrequest_ptr","features":[44]},{"name":"alljoyn_keystorelistener_putkeys","features":[44]},{"name":"alljoyn_keystorelistener_releaseexclusivelock_ptr","features":[44]},{"name":"alljoyn_keystorelistener_storerequest_ptr","features":[44]},{"name":"alljoyn_keystorelistener_with_synchronization_callbacks","features":[44]},{"name":"alljoyn_keystorelistener_with_synchronization_create","features":[44]},{"name":"alljoyn_manifestarray","features":[44]},{"name":"alljoyn_message","features":[44]},{"name":"alljoyn_message_create","features":[44]},{"name":"alljoyn_message_description","features":[44]},{"name":"alljoyn_message_destroy","features":[44]},{"name":"alljoyn_message_eql","features":[44]},{"name":"alljoyn_message_getarg","features":[44]},{"name":"alljoyn_message_getargs","features":[44]},{"name":"alljoyn_message_getauthmechanism","features":[44]},{"name":"alljoyn_message_getcallserial","features":[44]},{"name":"alljoyn_message_getcompressiontoken","features":[44]},{"name":"alljoyn_message_getdestination","features":[44]},{"name":"alljoyn_message_geterrorname","features":[44]},{"name":"alljoyn_message_getflags","features":[44]},{"name":"alljoyn_message_getinterface","features":[44]},{"name":"alljoyn_message_getmembername","features":[44]},{"name":"alljoyn_message_getobjectpath","features":[44]},{"name":"alljoyn_message_getreceiveendpointname","features":[44]},{"name":"alljoyn_message_getreplyserial","features":[44]},{"name":"alljoyn_message_getsender","features":[44]},{"name":"alljoyn_message_getsessionid","features":[44]},{"name":"alljoyn_message_getsignature","features":[44]},{"name":"alljoyn_message_gettimestamp","features":[44]},{"name":"alljoyn_message_gettype","features":[44]},{"name":"alljoyn_message_isbroadcastsignal","features":[44]},{"name":"alljoyn_message_isencrypted","features":[44]},{"name":"alljoyn_message_isexpired","features":[44]},{"name":"alljoyn_message_isglobalbroadcast","features":[44]},{"name":"alljoyn_message_issessionless","features":[44]},{"name":"alljoyn_message_isunreliable","features":[44]},{"name":"alljoyn_message_parseargs","features":[44]},{"name":"alljoyn_message_setendianess","features":[44]},{"name":"alljoyn_message_tostring","features":[44]},{"name":"alljoyn_messagereceiver_methodhandler_ptr","features":[44]},{"name":"alljoyn_messagereceiver_replyhandler_ptr","features":[44]},{"name":"alljoyn_messagereceiver_signalhandler_ptr","features":[44]},{"name":"alljoyn_messagetype","features":[44]},{"name":"alljoyn_msgarg","features":[44]},{"name":"alljoyn_msgarg_array_create","features":[44]},{"name":"alljoyn_msgarg_array_element","features":[44]},{"name":"alljoyn_msgarg_array_get","features":[44]},{"name":"alljoyn_msgarg_array_set","features":[44]},{"name":"alljoyn_msgarg_array_set_offset","features":[44]},{"name":"alljoyn_msgarg_array_signature","features":[44]},{"name":"alljoyn_msgarg_array_tostring","features":[44]},{"name":"alljoyn_msgarg_clear","features":[44]},{"name":"alljoyn_msgarg_clone","features":[44]},{"name":"alljoyn_msgarg_copy","features":[44]},{"name":"alljoyn_msgarg_create","features":[44]},{"name":"alljoyn_msgarg_create_and_set","features":[44]},{"name":"alljoyn_msgarg_destroy","features":[44]},{"name":"alljoyn_msgarg_equal","features":[44]},{"name":"alljoyn_msgarg_get","features":[44]},{"name":"alljoyn_msgarg_get_array_element","features":[44]},{"name":"alljoyn_msgarg_get_array_elementsignature","features":[44]},{"name":"alljoyn_msgarg_get_array_numberofelements","features":[44]},{"name":"alljoyn_msgarg_get_bool","features":[44]},{"name":"alljoyn_msgarg_get_bool_array","features":[44]},{"name":"alljoyn_msgarg_get_double","features":[44]},{"name":"alljoyn_msgarg_get_double_array","features":[44]},{"name":"alljoyn_msgarg_get_int16","features":[44]},{"name":"alljoyn_msgarg_get_int16_array","features":[44]},{"name":"alljoyn_msgarg_get_int32","features":[44]},{"name":"alljoyn_msgarg_get_int32_array","features":[44]},{"name":"alljoyn_msgarg_get_int64","features":[44]},{"name":"alljoyn_msgarg_get_int64_array","features":[44]},{"name":"alljoyn_msgarg_get_objectpath","features":[44]},{"name":"alljoyn_msgarg_get_signature","features":[44]},{"name":"alljoyn_msgarg_get_string","features":[44]},{"name":"alljoyn_msgarg_get_uint16","features":[44]},{"name":"alljoyn_msgarg_get_uint16_array","features":[44]},{"name":"alljoyn_msgarg_get_uint32","features":[44]},{"name":"alljoyn_msgarg_get_uint32_array","features":[44]},{"name":"alljoyn_msgarg_get_uint64","features":[44]},{"name":"alljoyn_msgarg_get_uint64_array","features":[44]},{"name":"alljoyn_msgarg_get_uint8","features":[44]},{"name":"alljoyn_msgarg_get_uint8_array","features":[44]},{"name":"alljoyn_msgarg_get_variant","features":[44]},{"name":"alljoyn_msgarg_get_variant_array","features":[44]},{"name":"alljoyn_msgarg_getdictelement","features":[44]},{"name":"alljoyn_msgarg_getkey","features":[44]},{"name":"alljoyn_msgarg_getmember","features":[44]},{"name":"alljoyn_msgarg_getnummembers","features":[44]},{"name":"alljoyn_msgarg_gettype","features":[44]},{"name":"alljoyn_msgarg_getvalue","features":[44]},{"name":"alljoyn_msgarg_hassignature","features":[44]},{"name":"alljoyn_msgarg_set","features":[44]},{"name":"alljoyn_msgarg_set_and_stabilize","features":[44]},{"name":"alljoyn_msgarg_set_bool","features":[44]},{"name":"alljoyn_msgarg_set_bool_array","features":[44]},{"name":"alljoyn_msgarg_set_double","features":[44]},{"name":"alljoyn_msgarg_set_double_array","features":[44]},{"name":"alljoyn_msgarg_set_int16","features":[44]},{"name":"alljoyn_msgarg_set_int16_array","features":[44]},{"name":"alljoyn_msgarg_set_int32","features":[44]},{"name":"alljoyn_msgarg_set_int32_array","features":[44]},{"name":"alljoyn_msgarg_set_int64","features":[44]},{"name":"alljoyn_msgarg_set_int64_array","features":[44]},{"name":"alljoyn_msgarg_set_objectpath","features":[44]},{"name":"alljoyn_msgarg_set_objectpath_array","features":[44]},{"name":"alljoyn_msgarg_set_signature","features":[44]},{"name":"alljoyn_msgarg_set_signature_array","features":[44]},{"name":"alljoyn_msgarg_set_string","features":[44]},{"name":"alljoyn_msgarg_set_string_array","features":[44]},{"name":"alljoyn_msgarg_set_uint16","features":[44]},{"name":"alljoyn_msgarg_set_uint16_array","features":[44]},{"name":"alljoyn_msgarg_set_uint32","features":[44]},{"name":"alljoyn_msgarg_set_uint32_array","features":[44]},{"name":"alljoyn_msgarg_set_uint64","features":[44]},{"name":"alljoyn_msgarg_set_uint64_array","features":[44]},{"name":"alljoyn_msgarg_set_uint8","features":[44]},{"name":"alljoyn_msgarg_set_uint8_array","features":[44]},{"name":"alljoyn_msgarg_setdictentry","features":[44]},{"name":"alljoyn_msgarg_setstruct","features":[44]},{"name":"alljoyn_msgarg_signature","features":[44]},{"name":"alljoyn_msgarg_stabilize","features":[44]},{"name":"alljoyn_msgarg_tostring","features":[44]},{"name":"alljoyn_observer","features":[44]},{"name":"alljoyn_observer_create","features":[44]},{"name":"alljoyn_observer_destroy","features":[44]},{"name":"alljoyn_observer_get","features":[44]},{"name":"alljoyn_observer_getfirst","features":[44]},{"name":"alljoyn_observer_getnext","features":[44]},{"name":"alljoyn_observer_object_discovered_ptr","features":[44]},{"name":"alljoyn_observer_object_lost_ptr","features":[44]},{"name":"alljoyn_observer_registerlistener","features":[44]},{"name":"alljoyn_observer_unregisteralllisteners","features":[44]},{"name":"alljoyn_observer_unregisterlistener","features":[44]},{"name":"alljoyn_observerlistener","features":[44]},{"name":"alljoyn_observerlistener_callback","features":[44]},{"name":"alljoyn_observerlistener_create","features":[44]},{"name":"alljoyn_observerlistener_destroy","features":[44]},{"name":"alljoyn_passwordmanager_setcredentials","features":[44]},{"name":"alljoyn_permissionconfigurationlistener","features":[44]},{"name":"alljoyn_permissionconfigurationlistener_callbacks","features":[44]},{"name":"alljoyn_permissionconfigurationlistener_create","features":[44]},{"name":"alljoyn_permissionconfigurationlistener_destroy","features":[44]},{"name":"alljoyn_permissionconfigurationlistener_endmanagement_ptr","features":[44]},{"name":"alljoyn_permissionconfigurationlistener_factoryreset_ptr","features":[44]},{"name":"alljoyn_permissionconfigurationlistener_policychanged_ptr","features":[44]},{"name":"alljoyn_permissionconfigurationlistener_startmanagement_ptr","features":[44]},{"name":"alljoyn_permissionconfigurator","features":[44]},{"name":"alljoyn_permissionconfigurator_certificatechain_destroy","features":[44]},{"name":"alljoyn_permissionconfigurator_certificateid_cleanup","features":[44]},{"name":"alljoyn_permissionconfigurator_certificateidarray_cleanup","features":[44]},{"name":"alljoyn_permissionconfigurator_claim","features":[44]},{"name":"alljoyn_permissionconfigurator_endmanagement","features":[44]},{"name":"alljoyn_permissionconfigurator_getapplicationstate","features":[44]},{"name":"alljoyn_permissionconfigurator_getclaimcapabilities","features":[44]},{"name":"alljoyn_permissionconfigurator_getclaimcapabilitiesadditionalinfo","features":[44]},{"name":"alljoyn_permissionconfigurator_getdefaultclaimcapabilities","features":[44]},{"name":"alljoyn_permissionconfigurator_getdefaultpolicy","features":[44]},{"name":"alljoyn_permissionconfigurator_getidentity","features":[44]},{"name":"alljoyn_permissionconfigurator_getidentitycertificateid","features":[44]},{"name":"alljoyn_permissionconfigurator_getmanifests","features":[44]},{"name":"alljoyn_permissionconfigurator_getmanifesttemplate","features":[44]},{"name":"alljoyn_permissionconfigurator_getmembershipsummaries","features":[44]},{"name":"alljoyn_permissionconfigurator_getpolicy","features":[44]},{"name":"alljoyn_permissionconfigurator_getpublickey","features":[44]},{"name":"alljoyn_permissionconfigurator_installmanifests","features":[44]},{"name":"alljoyn_permissionconfigurator_installmembership","features":[44]},{"name":"alljoyn_permissionconfigurator_manifestarray_cleanup","features":[44]},{"name":"alljoyn_permissionconfigurator_manifesttemplate_destroy","features":[44]},{"name":"alljoyn_permissionconfigurator_policy_destroy","features":[44]},{"name":"alljoyn_permissionconfigurator_publickey_destroy","features":[44]},{"name":"alljoyn_permissionconfigurator_removemembership","features":[44]},{"name":"alljoyn_permissionconfigurator_reset","features":[44]},{"name":"alljoyn_permissionconfigurator_resetpolicy","features":[44]},{"name":"alljoyn_permissionconfigurator_setapplicationstate","features":[44]},{"name":"alljoyn_permissionconfigurator_setclaimcapabilities","features":[44]},{"name":"alljoyn_permissionconfigurator_setclaimcapabilitiesadditionalinfo","features":[44]},{"name":"alljoyn_permissionconfigurator_setmanifesttemplatefromxml","features":[44]},{"name":"alljoyn_permissionconfigurator_startmanagement","features":[44]},{"name":"alljoyn_permissionconfigurator_updateidentity","features":[44]},{"name":"alljoyn_permissionconfigurator_updatepolicy","features":[44]},{"name":"alljoyn_pinglistener","features":[44]},{"name":"alljoyn_pinglistener_callback","features":[44]},{"name":"alljoyn_pinglistener_create","features":[44]},{"name":"alljoyn_pinglistener_destroy","features":[44]},{"name":"alljoyn_proxybusobject","features":[44]},{"name":"alljoyn_proxybusobject_addchild","features":[44]},{"name":"alljoyn_proxybusobject_addinterface","features":[44]},{"name":"alljoyn_proxybusobject_addinterface_by_name","features":[44]},{"name":"alljoyn_proxybusobject_copy","features":[44]},{"name":"alljoyn_proxybusobject_create","features":[44]},{"name":"alljoyn_proxybusobject_create_secure","features":[44]},{"name":"alljoyn_proxybusobject_destroy","features":[44]},{"name":"alljoyn_proxybusobject_enablepropertycaching","features":[44]},{"name":"alljoyn_proxybusobject_getallproperties","features":[44]},{"name":"alljoyn_proxybusobject_getallpropertiesasync","features":[44]},{"name":"alljoyn_proxybusobject_getchild","features":[44]},{"name":"alljoyn_proxybusobject_getchildren","features":[44]},{"name":"alljoyn_proxybusobject_getinterface","features":[44]},{"name":"alljoyn_proxybusobject_getinterfaces","features":[44]},{"name":"alljoyn_proxybusobject_getpath","features":[44]},{"name":"alljoyn_proxybusobject_getproperty","features":[44]},{"name":"alljoyn_proxybusobject_getpropertyasync","features":[44]},{"name":"alljoyn_proxybusobject_getservicename","features":[44]},{"name":"alljoyn_proxybusobject_getsessionid","features":[44]},{"name":"alljoyn_proxybusobject_getuniquename","features":[44]},{"name":"alljoyn_proxybusobject_implementsinterface","features":[44]},{"name":"alljoyn_proxybusobject_introspectremoteobject","features":[44]},{"name":"alljoyn_proxybusobject_introspectremoteobjectasync","features":[44]},{"name":"alljoyn_proxybusobject_issecure","features":[44]},{"name":"alljoyn_proxybusobject_isvalid","features":[44]},{"name":"alljoyn_proxybusobject_listener_getallpropertiescb_ptr","features":[44]},{"name":"alljoyn_proxybusobject_listener_getpropertycb_ptr","features":[44]},{"name":"alljoyn_proxybusobject_listener_introspectcb_ptr","features":[44]},{"name":"alljoyn_proxybusobject_listener_propertieschanged_ptr","features":[44]},{"name":"alljoyn_proxybusobject_listener_setpropertycb_ptr","features":[44]},{"name":"alljoyn_proxybusobject_methodcall","features":[44]},{"name":"alljoyn_proxybusobject_methodcall_member","features":[44]},{"name":"alljoyn_proxybusobject_methodcall_member_noreply","features":[44]},{"name":"alljoyn_proxybusobject_methodcall_noreply","features":[44]},{"name":"alljoyn_proxybusobject_methodcallasync","features":[44]},{"name":"alljoyn_proxybusobject_methodcallasync_member","features":[44]},{"name":"alljoyn_proxybusobject_parsexml","features":[44]},{"name":"alljoyn_proxybusobject_ref","features":[44]},{"name":"alljoyn_proxybusobject_ref_create","features":[44]},{"name":"alljoyn_proxybusobject_ref_decref","features":[44]},{"name":"alljoyn_proxybusobject_ref_get","features":[44]},{"name":"alljoyn_proxybusobject_ref_incref","features":[44]},{"name":"alljoyn_proxybusobject_registerpropertieschangedlistener","features":[44]},{"name":"alljoyn_proxybusobject_removechild","features":[44]},{"name":"alljoyn_proxybusobject_secureconnection","features":[44]},{"name":"alljoyn_proxybusobject_secureconnectionasync","features":[44]},{"name":"alljoyn_proxybusobject_setproperty","features":[44]},{"name":"alljoyn_proxybusobject_setpropertyasync","features":[44]},{"name":"alljoyn_proxybusobject_unregisterpropertieschangedlistener","features":[44]},{"name":"alljoyn_routerinit","features":[44]},{"name":"alljoyn_routerinitwithconfig","features":[44]},{"name":"alljoyn_routershutdown","features":[44]},{"name":"alljoyn_securityapplicationproxy","features":[44]},{"name":"alljoyn_securityapplicationproxy_claim","features":[44]},{"name":"alljoyn_securityapplicationproxy_computemanifestdigest","features":[44]},{"name":"alljoyn_securityapplicationproxy_create","features":[44]},{"name":"alljoyn_securityapplicationproxy_destroy","features":[44]},{"name":"alljoyn_securityapplicationproxy_digest_destroy","features":[44]},{"name":"alljoyn_securityapplicationproxy_eccpublickey_destroy","features":[44]},{"name":"alljoyn_securityapplicationproxy_endmanagement","features":[44]},{"name":"alljoyn_securityapplicationproxy_getapplicationstate","features":[44]},{"name":"alljoyn_securityapplicationproxy_getclaimcapabilities","features":[44]},{"name":"alljoyn_securityapplicationproxy_getclaimcapabilitiesadditionalinfo","features":[44]},{"name":"alljoyn_securityapplicationproxy_getdefaultpolicy","features":[44]},{"name":"alljoyn_securityapplicationproxy_geteccpublickey","features":[44]},{"name":"alljoyn_securityapplicationproxy_getmanifesttemplate","features":[44]},{"name":"alljoyn_securityapplicationproxy_getpermissionmanagementsessionport","features":[44]},{"name":"alljoyn_securityapplicationproxy_getpolicy","features":[44]},{"name":"alljoyn_securityapplicationproxy_installmembership","features":[44]},{"name":"alljoyn_securityapplicationproxy_manifest_destroy","features":[44]},{"name":"alljoyn_securityapplicationproxy_manifesttemplate_destroy","features":[44]},{"name":"alljoyn_securityapplicationproxy_policy_destroy","features":[44]},{"name":"alljoyn_securityapplicationproxy_reset","features":[44]},{"name":"alljoyn_securityapplicationproxy_resetpolicy","features":[44]},{"name":"alljoyn_securityapplicationproxy_setmanifestsignature","features":[44]},{"name":"alljoyn_securityapplicationproxy_signmanifest","features":[44]},{"name":"alljoyn_securityapplicationproxy_startmanagement","features":[44]},{"name":"alljoyn_securityapplicationproxy_updateidentity","features":[44]},{"name":"alljoyn_securityapplicationproxy_updatepolicy","features":[44]},{"name":"alljoyn_sessionlistener","features":[44]},{"name":"alljoyn_sessionlistener_callbacks","features":[44]},{"name":"alljoyn_sessionlistener_create","features":[44]},{"name":"alljoyn_sessionlistener_destroy","features":[44]},{"name":"alljoyn_sessionlistener_sessionlost_ptr","features":[44]},{"name":"alljoyn_sessionlistener_sessionmemberadded_ptr","features":[44]},{"name":"alljoyn_sessionlistener_sessionmemberremoved_ptr","features":[44]},{"name":"alljoyn_sessionlostreason","features":[44]},{"name":"alljoyn_sessionopts","features":[44]},{"name":"alljoyn_sessionopts_cmp","features":[44]},{"name":"alljoyn_sessionopts_create","features":[44]},{"name":"alljoyn_sessionopts_destroy","features":[44]},{"name":"alljoyn_sessionopts_get_multipoint","features":[44]},{"name":"alljoyn_sessionopts_get_proximity","features":[44]},{"name":"alljoyn_sessionopts_get_traffic","features":[44]},{"name":"alljoyn_sessionopts_get_transports","features":[44]},{"name":"alljoyn_sessionopts_iscompatible","features":[44]},{"name":"alljoyn_sessionopts_set_multipoint","features":[44]},{"name":"alljoyn_sessionopts_set_proximity","features":[44]},{"name":"alljoyn_sessionopts_set_traffic","features":[44]},{"name":"alljoyn_sessionopts_set_transports","features":[44]},{"name":"alljoyn_sessionportlistener","features":[44]},{"name":"alljoyn_sessionportlistener_acceptsessionjoiner_ptr","features":[44]},{"name":"alljoyn_sessionportlistener_callbacks","features":[44]},{"name":"alljoyn_sessionportlistener_create","features":[44]},{"name":"alljoyn_sessionportlistener_destroy","features":[44]},{"name":"alljoyn_sessionportlistener_sessionjoined_ptr","features":[44]},{"name":"alljoyn_shutdown","features":[44]},{"name":"alljoyn_typeid","features":[44]},{"name":"alljoyn_unity_deferred_callbacks_process","features":[44]},{"name":"alljoyn_unity_set_deferred_callback_mainthread_only","features":[44]}],"368":[{"name":"FACILITY_NONE","features":[45]},{"name":"FACILITY_WINBIO","features":[45]},{"name":"GUID_DEVINTERFACE_BIOMETRIC_READER","features":[45]},{"name":"IOCTL_BIOMETRIC_VENDOR","features":[45]},{"name":"PIBIO_ENGINE_ACCEPT_PRIVATE_SENSOR_TYPE_INFO_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_ACCEPT_SAMPLE_DATA_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_ACTIVATE_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_ATTACH_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_CHECK_FOR_DUPLICATE_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_CLEAR_CONTEXT_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_COMMIT_ENROLLMENT_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_CONTROL_UNIT_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_CONTROL_UNIT_PRIVILEGED_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_CREATE_ENROLLMENT_AUTHENTICATED_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_CREATE_ENROLLMENT_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_CREATE_KEY_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_DEACTIVATE_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_DETACH_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_DISCARD_ENROLLMENT_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_EXPORT_ENGINE_DATA_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_GET_ENROLLMENT_HASH_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_GET_ENROLLMENT_STATUS_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_IDENTIFY_ALL_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_IDENTIFY_FEATURE_SET_AUTHENTICATED_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_IDENTIFY_FEATURE_SET_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_IDENTIFY_FEATURE_SET_SECURE_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_NOTIFY_POWER_CHANGE_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_PIPELINE_CLEANUP_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_PIPELINE_INIT_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_QUERY_CALIBRATION_DATA_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_QUERY_EXTENDED_ENROLLMENT_STATUS_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_QUERY_EXTENDED_INFO_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_QUERY_HASH_ALGORITHMS_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_QUERY_INDEX_VECTOR_SIZE_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_QUERY_PREFERRED_FORMAT_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_QUERY_SAMPLE_HINT_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_REFRESH_CACHE_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_RESERVED_1_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_SELECT_CALIBRATION_FORMAT_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_SET_ACCOUNT_POLICY_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_SET_ENROLLMENT_PARAMETERS_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_SET_ENROLLMENT_SELECTOR_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_SET_HASH_ALGORITHM_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_UPDATE_ENROLLMENT_FN","features":[45,1,6]},{"name":"PIBIO_ENGINE_VERIFY_FEATURE_SET_FN","features":[45,1,6]},{"name":"PIBIO_FRAMEWORK_ALLOCATE_MEMORY_FN","features":[45,1,6]},{"name":"PIBIO_FRAMEWORK_FREE_MEMORY_FN","features":[45,1,6]},{"name":"PIBIO_FRAMEWORK_GET_PROPERTY_FN","features":[45,1,6]},{"name":"PIBIO_FRAMEWORK_LOCK_AND_VALIDATE_SECURE_BUFFER_FN","features":[45,1,6]},{"name":"PIBIO_FRAMEWORK_RELEASE_SECURE_BUFFER_FN","features":[45,1,6]},{"name":"PIBIO_FRAMEWORK_SET_UNIT_STATUS_FN","features":[45,1,6]},{"name":"PIBIO_FRAMEWORK_VSM_CACHE_CLEAR_FN","features":[45,1,6]},{"name":"PIBIO_FRAMEWORK_VSM_CACHE_EXPORT_BEGIN_FN","features":[45,1,6]},{"name":"PIBIO_FRAMEWORK_VSM_CACHE_EXPORT_END_FN","features":[45,1,6]},{"name":"PIBIO_FRAMEWORK_VSM_CACHE_EXPORT_NEXT_FN","features":[45,1,6]},{"name":"PIBIO_FRAMEWORK_VSM_CACHE_IMPORT_BEGIN_FN","features":[45,1,6]},{"name":"PIBIO_FRAMEWORK_VSM_CACHE_IMPORT_END_FN","features":[45,1,6]},{"name":"PIBIO_FRAMEWORK_VSM_CACHE_IMPORT_NEXT_FN","features":[45,1,6]},{"name":"PIBIO_FRAMEWORK_VSM_DECRYPT_SAMPLE_FN","features":[45,1,6]},{"name":"PIBIO_FRAMEWORK_VSM_QUERY_AUTHORIZED_ENROLLMENTS_FN","features":[45,1,6]},{"name":"PIBIO_FRAMEWORK_VSM_STORAGE_RESERVED_1_FN","features":[45,1,6]},{"name":"PIBIO_FRAMEWORK_VSM_STORAGE_RESERVED_2_FN","features":[45,1,6]},{"name":"PIBIO_FRAMEWORK_VSM_STORAGE_RESERVED_3_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_ACCEPT_CALIBRATION_DATA_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_ACTIVATE_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_ASYNC_IMPORT_RAW_BUFFER_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_ASYNC_IMPORT_SECURE_BUFFER_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_ATTACH_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_CANCEL_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_CLEAR_CONTEXT_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_CONNECT_SECURE_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_CONTROL_UNIT_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_CONTROL_UNIT_PRIVILEGED_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_DEACTIVATE_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_DETACH_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_EXPORT_SENSOR_DATA_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_FINISH_CAPTURE_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_FINISH_NOTIFY_WAKE_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_GET_INDICATOR_STATUS_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_NOTIFY_POWER_CHANGE_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_PIPELINE_CLEANUP_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_PIPELINE_INIT_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_PUSH_DATA_TO_ENGINE_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_QUERY_CALIBRATION_FORMATS_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_QUERY_EXTENDED_INFO_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_QUERY_PRIVATE_SENSOR_TYPE_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_QUERY_STATUS_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_RESET_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_SET_CALIBRATION_FORMAT_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_SET_INDICATOR_STATUS_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_SET_MODE_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_START_CAPTURE_EX_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_START_CAPTURE_FN","features":[45,1,6]},{"name":"PIBIO_SENSOR_START_NOTIFY_WAKE_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_ACTIVATE_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_ADD_RECORD_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_ATTACH_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_CLEAR_CONTEXT_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_CLOSE_DATABASE_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_CONTROL_UNIT_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_CONTROL_UNIT_PRIVILEGED_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_CREATE_DATABASE_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_DEACTIVATE_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_DELETE_RECORD_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_DETACH_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_ERASE_DATABASE_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_FIRST_RECORD_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_GET_CURRENT_RECORD_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_GET_DATABASE_SIZE_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_GET_DATA_FORMAT_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_GET_RECORD_COUNT_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_NEXT_RECORD_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_NOTIFY_DATABASE_CHANGE_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_NOTIFY_POWER_CHANGE_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_OPEN_DATABASE_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_PIPELINE_CLEANUP_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_PIPELINE_INIT_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_QUERY_BY_CONTENT_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_QUERY_BY_SUBJECT_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_QUERY_EXTENDED_INFO_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_RESERVED_1_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_RESERVED_2_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_UPDATE_RECORD_BEGIN_FN","features":[45,1,6]},{"name":"PIBIO_STORAGE_UPDATE_RECORD_COMMIT_FN","features":[45,1,6]},{"name":"PWINBIO_ASYNC_COMPLETION_CALLBACK","features":[45,1]},{"name":"PWINBIO_CAPTURE_CALLBACK","features":[45]},{"name":"PWINBIO_ENROLL_CAPTURE_CALLBACK","features":[45]},{"name":"PWINBIO_EVENT_CALLBACK","features":[45]},{"name":"PWINBIO_IDENTIFY_CALLBACK","features":[45]},{"name":"PWINBIO_LOCATE_SENSOR_CALLBACK","features":[45]},{"name":"PWINBIO_QUERY_ENGINE_INTERFACE_FN","features":[45,1,6]},{"name":"PWINBIO_QUERY_SENSOR_INTERFACE_FN","features":[45,1,6]},{"name":"PWINBIO_QUERY_STORAGE_INTERFACE_FN","features":[45,1,6]},{"name":"PWINBIO_VERIFY_CALLBACK","features":[45,1]},{"name":"WINBIO_ACCOUNT_POLICY","features":[45]},{"name":"WINBIO_ADAPTER_INTERFACE_VERSION","features":[45]},{"name":"WINBIO_ANSI_381_IMG_BIT_PACKED","features":[45]},{"name":"WINBIO_ANSI_381_IMG_COMPRESSED_JPEG","features":[45]},{"name":"WINBIO_ANSI_381_IMG_COMPRESSED_JPEG2000","features":[45]},{"name":"WINBIO_ANSI_381_IMG_COMPRESSED_PNG","features":[45]},{"name":"WINBIO_ANSI_381_IMG_COMPRESSED_WSQ","features":[45]},{"name":"WINBIO_ANSI_381_IMG_UNCOMPRESSED","features":[45]},{"name":"WINBIO_ANSI_381_IMP_TYPE_LATENT","features":[45]},{"name":"WINBIO_ANSI_381_IMP_TYPE_LIVE_SCAN_CONTACTLESS","features":[45]},{"name":"WINBIO_ANSI_381_IMP_TYPE_LIVE_SCAN_PLAIN","features":[45]},{"name":"WINBIO_ANSI_381_IMP_TYPE_LIVE_SCAN_ROLLED","features":[45]},{"name":"WINBIO_ANSI_381_IMP_TYPE_NONLIVE_SCAN_PLAIN","features":[45]},{"name":"WINBIO_ANSI_381_IMP_TYPE_NONLIVE_SCAN_ROLLED","features":[45]},{"name":"WINBIO_ANSI_381_IMP_TYPE_SWIPE","features":[45]},{"name":"WINBIO_ANSI_381_PIXELS_PER_CM","features":[45]},{"name":"WINBIO_ANSI_381_PIXELS_PER_INCH","features":[45]},{"name":"WINBIO_ANTI_SPOOF_DISABLE","features":[45]},{"name":"WINBIO_ANTI_SPOOF_ENABLE","features":[45]},{"name":"WINBIO_ANTI_SPOOF_POLICY","features":[45]},{"name":"WINBIO_ANTI_SPOOF_POLICY_ACTION","features":[45]},{"name":"WINBIO_ANTI_SPOOF_REMOVE","features":[45]},{"name":"WINBIO_ASYNC_NOTIFICATION_METHOD","features":[45]},{"name":"WINBIO_ASYNC_NOTIFY_CALLBACK","features":[45]},{"name":"WINBIO_ASYNC_NOTIFY_MAXIMUM_VALUE","features":[45]},{"name":"WINBIO_ASYNC_NOTIFY_MESSAGE","features":[45]},{"name":"WINBIO_ASYNC_NOTIFY_NONE","features":[45]},{"name":"WINBIO_ASYNC_RESULT","features":[45,1]},{"name":"WINBIO_BDB_ANSI_381_HEADER","features":[45]},{"name":"WINBIO_BDB_ANSI_381_RECORD","features":[45]},{"name":"WINBIO_BIR","features":[45]},{"name":"WINBIO_BIR_ALGIN_SIZE","features":[45]},{"name":"WINBIO_BIR_ALIGN_SIZE","features":[45]},{"name":"WINBIO_BIR_DATA","features":[45]},{"name":"WINBIO_BIR_HEADER","features":[45]},{"name":"WINBIO_BLANK_PAYLOAD","features":[45]},{"name":"WINBIO_BSP_SCHEMA","features":[45]},{"name":"WINBIO_CALIBRATION_INFO","features":[45]},{"name":"WINBIO_CAPTURE_DATA","features":[45]},{"name":"WINBIO_CAPTURE_PARAMETERS","features":[45]},{"name":"WINBIO_COMPONENT","features":[45]},{"name":"WINBIO_COMPONENT_ENGINE","features":[45]},{"name":"WINBIO_COMPONENT_SENSOR","features":[45]},{"name":"WINBIO_COMPONENT_STORAGE","features":[45]},{"name":"WINBIO_CREDENTIAL_ALL","features":[45]},{"name":"WINBIO_CREDENTIAL_FORMAT","features":[45]},{"name":"WINBIO_CREDENTIAL_NOT_SET","features":[45]},{"name":"WINBIO_CREDENTIAL_PASSWORD","features":[45]},{"name":"WINBIO_CREDENTIAL_SET","features":[45]},{"name":"WINBIO_CREDENTIAL_STATE","features":[45]},{"name":"WINBIO_CREDENTIAL_TYPE","features":[45]},{"name":"WINBIO_DATA","features":[45]},{"name":"WINBIO_DATA_FLAG_INTEGRITY","features":[45]},{"name":"WINBIO_DATA_FLAG_INTERMEDIATE","features":[45]},{"name":"WINBIO_DATA_FLAG_OPTION_MASK_PRESENT","features":[45]},{"name":"WINBIO_DATA_FLAG_PRIVACY","features":[45]},{"name":"WINBIO_DATA_FLAG_PROCESSED","features":[45]},{"name":"WINBIO_DATA_FLAG_RAW","features":[45]},{"name":"WINBIO_DATA_FLAG_SIGNED","features":[45]},{"name":"WINBIO_DIAGNOSTICS","features":[45]},{"name":"WINBIO_ENCRYPTED_CAPTURE_PARAMS","features":[45]},{"name":"WINBIO_ENGINE_INTERFACE","features":[45,1,6]},{"name":"WINBIO_EVENT","features":[45]},{"name":"WINBIO_EXTENDED_ENGINE_INFO","features":[45]},{"name":"WINBIO_EXTENDED_ENROLLMENT_PARAMETERS","features":[45]},{"name":"WINBIO_EXTENDED_ENROLLMENT_STATUS","features":[45,1]},{"name":"WINBIO_EXTENDED_SENSOR_INFO","features":[45,1]},{"name":"WINBIO_EXTENDED_STORAGE_INFO","features":[45]},{"name":"WINBIO_EXTENDED_UNIT_STATUS","features":[45]},{"name":"WINBIO_E_ADAPTER_INTEGRITY_FAILURE","features":[45]},{"name":"WINBIO_E_AUTO_LOGON_DISABLED","features":[45]},{"name":"WINBIO_E_BAD_CAPTURE","features":[45]},{"name":"WINBIO_E_CALIBRATION_BUFFER_INVALID","features":[45]},{"name":"WINBIO_E_CALIBRATION_BUFFER_TOO_LARGE","features":[45]},{"name":"WINBIO_E_CALIBRATION_BUFFER_TOO_SMALL","features":[45]},{"name":"WINBIO_E_CANCELED","features":[45]},{"name":"WINBIO_E_CAPTURE_ABORTED","features":[45]},{"name":"WINBIO_E_CONFIGURATION_FAILURE","features":[45]},{"name":"WINBIO_E_CRED_PROV_DISABLED","features":[45]},{"name":"WINBIO_E_CRED_PROV_NO_CREDENTIAL","features":[45]},{"name":"WINBIO_E_CRED_PROV_SECURITY_LOCKOUT","features":[45]},{"name":"WINBIO_E_DATABASE_ALREADY_EXISTS","features":[45]},{"name":"WINBIO_E_DATABASE_BAD_INDEX_VECTOR","features":[45]},{"name":"WINBIO_E_DATABASE_CANT_CLOSE","features":[45]},{"name":"WINBIO_E_DATABASE_CANT_CREATE","features":[45]},{"name":"WINBIO_E_DATABASE_CANT_ERASE","features":[45]},{"name":"WINBIO_E_DATABASE_CANT_FIND","features":[45]},{"name":"WINBIO_E_DATABASE_CANT_OPEN","features":[45]},{"name":"WINBIO_E_DATABASE_CORRUPTED","features":[45]},{"name":"WINBIO_E_DATABASE_EOF","features":[45]},{"name":"WINBIO_E_DATABASE_FULL","features":[45]},{"name":"WINBIO_E_DATABASE_LOCKED","features":[45]},{"name":"WINBIO_E_DATABASE_NO_MORE_RECORDS","features":[45]},{"name":"WINBIO_E_DATABASE_NO_RESULTS","features":[45]},{"name":"WINBIO_E_DATABASE_NO_SUCH_RECORD","features":[45]},{"name":"WINBIO_E_DATABASE_READ_ERROR","features":[45]},{"name":"WINBIO_E_DATABASE_WRITE_ERROR","features":[45]},{"name":"WINBIO_E_DATA_COLLECTION_IN_PROGRESS","features":[45]},{"name":"WINBIO_E_DATA_PROTECTION_FAILURE","features":[45]},{"name":"WINBIO_E_DEADLOCK_DETECTED","features":[45]},{"name":"WINBIO_E_DEVICE_BUSY","features":[45]},{"name":"WINBIO_E_DEVICE_FAILURE","features":[45]},{"name":"WINBIO_E_DISABLED","features":[45]},{"name":"WINBIO_E_DUPLICATE_ENROLLMENT","features":[45]},{"name":"WINBIO_E_DUPLICATE_TEMPLATE","features":[45]},{"name":"WINBIO_E_ENROLLMENT_CANCELED_BY_SUSPEND","features":[45]},{"name":"WINBIO_E_ENROLLMENT_IN_PROGRESS","features":[45]},{"name":"WINBIO_E_EVENT_MONITOR_ACTIVE","features":[45]},{"name":"WINBIO_E_FAST_USER_SWITCH_DISABLED","features":[45]},{"name":"WINBIO_E_INCORRECT_BSP","features":[45]},{"name":"WINBIO_E_INCORRECT_SENSOR_POOL","features":[45]},{"name":"WINBIO_E_INCORRECT_SESSION_TYPE","features":[45]},{"name":"WINBIO_E_INSECURE_SENSOR","features":[45]},{"name":"WINBIO_E_INVALID_BUFFER","features":[45]},{"name":"WINBIO_E_INVALID_BUFFER_ID","features":[45]},{"name":"WINBIO_E_INVALID_CALIBRATION_FORMAT_ARRAY","features":[45]},{"name":"WINBIO_E_INVALID_CONTROL_CODE","features":[45]},{"name":"WINBIO_E_INVALID_DEVICE_STATE","features":[45]},{"name":"WINBIO_E_INVALID_KEY_IDENTIFIER","features":[45]},{"name":"WINBIO_E_INVALID_OPERATION","features":[45]},{"name":"WINBIO_E_INVALID_PROPERTY_ID","features":[45]},{"name":"WINBIO_E_INVALID_PROPERTY_TYPE","features":[45]},{"name":"WINBIO_E_INVALID_SENSOR_MODE","features":[45]},{"name":"WINBIO_E_INVALID_SUBFACTOR","features":[45]},{"name":"WINBIO_E_INVALID_TICKET","features":[45]},{"name":"WINBIO_E_INVALID_UNIT","features":[45]},{"name":"WINBIO_E_KEY_CREATION_FAILED","features":[45]},{"name":"WINBIO_E_KEY_IDENTIFIER_BUFFER_TOO_SMALL","features":[45]},{"name":"WINBIO_E_LOCK_VIOLATION","features":[45]},{"name":"WINBIO_E_MAX_ERROR_COUNT_EXCEEDED","features":[45]},{"name":"WINBIO_E_NOT_ACTIVE_CONSOLE","features":[45]},{"name":"WINBIO_E_NO_CAPTURE_DATA","features":[45]},{"name":"WINBIO_E_NO_MATCH","features":[45]},{"name":"WINBIO_E_NO_PREBOOT_IDENTITY","features":[45]},{"name":"WINBIO_E_NO_SUPPORTED_CALIBRATION_FORMAT","features":[45]},{"name":"WINBIO_E_POLICY_PROTECTION_UNAVAILABLE","features":[45]},{"name":"WINBIO_E_PRESENCE_MONITOR_ACTIVE","features":[45]},{"name":"WINBIO_E_PROPERTY_UNAVAILABLE","features":[45]},{"name":"WINBIO_E_SAS_ENABLED","features":[45]},{"name":"WINBIO_E_SELECTION_REQUIRED","features":[45]},{"name":"WINBIO_E_SENSOR_UNAVAILABLE","features":[45]},{"name":"WINBIO_E_SESSION_BUSY","features":[45]},{"name":"WINBIO_E_SESSION_HANDLE_CLOSED","features":[45]},{"name":"WINBIO_E_TICKET_QUOTA_EXCEEDED","features":[45]},{"name":"WINBIO_E_TRUSTLET_INTEGRITY_FAIL","features":[45]},{"name":"WINBIO_E_UNKNOWN_ID","features":[45]},{"name":"WINBIO_E_UNSUPPORTED_DATA_FORMAT","features":[45]},{"name":"WINBIO_E_UNSUPPORTED_DATA_TYPE","features":[45]},{"name":"WINBIO_E_UNSUPPORTED_FACTOR","features":[45]},{"name":"WINBIO_E_UNSUPPORTED_POOL_TYPE","features":[45]},{"name":"WINBIO_E_UNSUPPORTED_PROPERTY","features":[45]},{"name":"WINBIO_E_UNSUPPORTED_PURPOSE","features":[45]},{"name":"WINBIO_E_UNSUPPORTED_SENSOR_CALIBRATION_FORMAT","features":[45]},{"name":"WINBIO_FP_BU_STATE","features":[45,1]},{"name":"WINBIO_FRAMEWORK_INTERFACE","features":[45,1,6]},{"name":"WINBIO_GESTURE_METADATA","features":[45]},{"name":"WINBIO_GET_INDICATOR","features":[45]},{"name":"WINBIO_IDENTITY","features":[45]},{"name":"WINBIO_I_EXTENDED_STATUS_INFORMATION","features":[45]},{"name":"WINBIO_I_MORE_DATA","features":[45]},{"name":"WINBIO_MAX_STRING_LEN","features":[45]},{"name":"WINBIO_NOTIFY_WAKE","features":[45]},{"name":"WINBIO_PASSWORD_GENERIC","features":[45]},{"name":"WINBIO_PASSWORD_PACKED","features":[45]},{"name":"WINBIO_PASSWORD_PROTECTED","features":[45]},{"name":"WINBIO_PIPELINE","features":[45,1,6]},{"name":"WINBIO_POLICY_ADMIN","features":[45]},{"name":"WINBIO_POLICY_DEFAULT","features":[45]},{"name":"WINBIO_POLICY_LOCAL","features":[45]},{"name":"WINBIO_POLICY_SOURCE","features":[45]},{"name":"WINBIO_POLICY_UNKNOWN","features":[45]},{"name":"WINBIO_POOL","features":[45]},{"name":"WINBIO_POOL_PRIVATE","features":[45]},{"name":"WINBIO_POOL_SYSTEM","features":[45]},{"name":"WINBIO_PRESENCE","features":[45,1]},{"name":"WINBIO_PRESENCE_PROPERTIES","features":[45,1]},{"name":"WINBIO_PRIVATE_SENSOR_TYPE_INFO","features":[45]},{"name":"WINBIO_PROTECTION_POLICY","features":[45]},{"name":"WINBIO_REGISTERED_FORMAT","features":[45]},{"name":"WINBIO_SCP_CURVE_FIELD_SIZE_V1","features":[45]},{"name":"WINBIO_SCP_DIGEST_SIZE_V1","features":[45]},{"name":"WINBIO_SCP_ENCRYPTION_BLOCK_SIZE_V1","features":[45]},{"name":"WINBIO_SCP_ENCRYPTION_KEY_SIZE_V1","features":[45]},{"name":"WINBIO_SCP_PRIVATE_KEY_SIZE_V1","features":[45]},{"name":"WINBIO_SCP_PUBLIC_KEY_SIZE_V1","features":[45]},{"name":"WINBIO_SCP_RANDOM_SIZE_V1","features":[45]},{"name":"WINBIO_SCP_SIGNATURE_SIZE_V1","features":[45]},{"name":"WINBIO_SCP_VERSION_1","features":[45]},{"name":"WINBIO_SECURE_BUFFER_HEADER_V1","features":[45]},{"name":"WINBIO_SECURE_CONNECTION_DATA","features":[45]},{"name":"WINBIO_SECURE_CONNECTION_PARAMS","features":[45]},{"name":"WINBIO_SENSOR_ATTRIBUTES","features":[45]},{"name":"WINBIO_SENSOR_INTERFACE","features":[45,1,6]},{"name":"WINBIO_SETTING_SOURCE","features":[45]},{"name":"WINBIO_SETTING_SOURCE_DEFAULT","features":[45]},{"name":"WINBIO_SETTING_SOURCE_INVALID","features":[45]},{"name":"WINBIO_SETTING_SOURCE_LOCAL","features":[45]},{"name":"WINBIO_SETTING_SOURCE_POLICY","features":[45]},{"name":"WINBIO_SET_INDICATOR","features":[45]},{"name":"WINBIO_STORAGE_INTERFACE","features":[45,1,6]},{"name":"WINBIO_STORAGE_RECORD","features":[45]},{"name":"WINBIO_STORAGE_SCHEMA","features":[45]},{"name":"WINBIO_SUPPORTED_ALGORITHMS","features":[45]},{"name":"WINBIO_UNIT_SCHEMA","features":[45]},{"name":"WINBIO_UPDATE_FIRMWARE","features":[45]},{"name":"WINBIO_VERSION","features":[45]},{"name":"WINBIO_WBDI_MAJOR_VERSION","features":[45]},{"name":"WINBIO_WBDI_MINOR_VERSION","features":[45]},{"name":"WINIBIO_ENGINE_CONTEXT","features":[45]},{"name":"WINIBIO_SENSOR_CONTEXT","features":[45]},{"name":"WINIBIO_STORAGE_CONTEXT","features":[45]},{"name":"WinBioAcquireFocus","features":[45]},{"name":"WinBioAsyncEnumBiometricUnits","features":[45]},{"name":"WinBioAsyncEnumDatabases","features":[45]},{"name":"WinBioAsyncEnumServiceProviders","features":[45]},{"name":"WinBioAsyncMonitorFrameworkChanges","features":[45]},{"name":"WinBioAsyncOpenFramework","features":[45,1]},{"name":"WinBioAsyncOpenSession","features":[45,1]},{"name":"WinBioCancel","features":[45]},{"name":"WinBioCaptureSample","features":[45]},{"name":"WinBioCaptureSampleWithCallback","features":[45]},{"name":"WinBioCloseFramework","features":[45]},{"name":"WinBioCloseSession","features":[45]},{"name":"WinBioControlUnit","features":[45]},{"name":"WinBioControlUnitPrivileged","features":[45]},{"name":"WinBioDeleteTemplate","features":[45]},{"name":"WinBioEnrollBegin","features":[45]},{"name":"WinBioEnrollCapture","features":[45]},{"name":"WinBioEnrollCaptureWithCallback","features":[45]},{"name":"WinBioEnrollCommit","features":[45]},{"name":"WinBioEnrollDiscard","features":[45]},{"name":"WinBioEnrollSelect","features":[45]},{"name":"WinBioEnumBiometricUnits","features":[45]},{"name":"WinBioEnumDatabases","features":[45]},{"name":"WinBioEnumEnrollments","features":[45]},{"name":"WinBioEnumServiceProviders","features":[45]},{"name":"WinBioFree","features":[45]},{"name":"WinBioGetCredentialState","features":[45]},{"name":"WinBioGetDomainLogonSetting","features":[45]},{"name":"WinBioGetEnabledSetting","features":[45]},{"name":"WinBioGetEnrolledFactors","features":[45]},{"name":"WinBioGetLogonSetting","features":[45]},{"name":"WinBioGetProperty","features":[45]},{"name":"WinBioIdentify","features":[45]},{"name":"WinBioIdentifyWithCallback","features":[45]},{"name":"WinBioImproveBegin","features":[45]},{"name":"WinBioImproveEnd","features":[45]},{"name":"WinBioLocateSensor","features":[45]},{"name":"WinBioLocateSensorWithCallback","features":[45]},{"name":"WinBioLockUnit","features":[45]},{"name":"WinBioLogonIdentifiedUser","features":[45]},{"name":"WinBioMonitorPresence","features":[45]},{"name":"WinBioOpenSession","features":[45]},{"name":"WinBioRegisterEventMonitor","features":[45]},{"name":"WinBioReleaseFocus","features":[45]},{"name":"WinBioRemoveAllCredentials","features":[45]},{"name":"WinBioRemoveAllDomainCredentials","features":[45]},{"name":"WinBioRemoveCredential","features":[45]},{"name":"WinBioSetCredential","features":[45]},{"name":"WinBioSetProperty","features":[45]},{"name":"WinBioUnlockUnit","features":[45]},{"name":"WinBioUnregisterEventMonitor","features":[45]},{"name":"WinBioVerify","features":[45]},{"name":"WinBioVerifyWithCallback","features":[45,1]},{"name":"WinBioWait","features":[45]}],"369":[{"name":"A2DP_SINK_SUPPORTED_FEATURES_AMPLIFIER","features":[46]},{"name":"A2DP_SINK_SUPPORTED_FEATURES_HEADPHONE","features":[46]},{"name":"A2DP_SINK_SUPPORTED_FEATURES_RECORDER","features":[46]},{"name":"A2DP_SINK_SUPPORTED_FEATURES_SPEAKER","features":[46]},{"name":"A2DP_SOURCE_SUPPORTED_FEATURES_MICROPHONE","features":[46]},{"name":"A2DP_SOURCE_SUPPORTED_FEATURES_MIXER","features":[46]},{"name":"A2DP_SOURCE_SUPPORTED_FEATURES_PLAYER","features":[46]},{"name":"A2DP_SOURCE_SUPPORTED_FEATURES_TUNER","features":[46]},{"name":"AF_BTH","features":[46]},{"name":"ATT_PROTOCOL_UUID16","features":[46]},{"name":"AUTHENTICATION_REQUIREMENTS","features":[46]},{"name":"AVCTP_PROTOCOL_UUID16","features":[46]},{"name":"AVDTP_PROTOCOL_UUID16","features":[46]},{"name":"AVRCP_SUPPORTED_FEATURES_CATEGORY_1","features":[46]},{"name":"AVRCP_SUPPORTED_FEATURES_CATEGORY_2","features":[46]},{"name":"AVRCP_SUPPORTED_FEATURES_CATEGORY_3","features":[46]},{"name":"AVRCP_SUPPORTED_FEATURES_CATEGORY_4","features":[46]},{"name":"AVRCP_SUPPORTED_FEATURES_CT_BROWSING","features":[46]},{"name":"AVRCP_SUPPORTED_FEATURES_CT_COVER_ART_IMAGE","features":[46]},{"name":"AVRCP_SUPPORTED_FEATURES_CT_COVER_ART_IMAGE_PROPERTIES","features":[46]},{"name":"AVRCP_SUPPORTED_FEATURES_CT_COVER_ART_LINKED_THUMBNAIL","features":[46]},{"name":"AVRCP_SUPPORTED_FEATURES_TG_BROWSING","features":[46]},{"name":"AVRCP_SUPPORTED_FEATURES_TG_COVER_ART","features":[46]},{"name":"AVRCP_SUPPORTED_FEATURES_TG_GROUP_NAVIGATION","features":[46]},{"name":"AVRCP_SUPPORTED_FEATURES_TG_MULTIPLE_PLAYER_APPLICATIONS","features":[46]},{"name":"AVRCP_SUPPORTED_FEATURES_TG_PLAYER_APPLICATION_SETTINGS","features":[46]},{"name":"AVRemoteControlControllerServiceClass_UUID16","features":[46]},{"name":"AVRemoteControlServiceClassID_UUID16","features":[46]},{"name":"AVRemoteControlTargetServiceClassID_UUID16","features":[46]},{"name":"AdvancedAudioDistributionProfileID_UUID16","features":[46]},{"name":"AdvancedAudioDistributionServiceClassID_UUID16","features":[46]},{"name":"AudioSinkServiceClassID_UUID16","features":[46]},{"name":"AudioSinkSourceServiceClassID_UUID16","features":[46]},{"name":"AudioSourceServiceClassID_UUID16","features":[46]},{"name":"AudioVideoServiceClassID_UUID16","features":[46]},{"name":"AudioVideoServiceClass_UUID16","features":[46]},{"name":"BDIF_ADDRESS","features":[46]},{"name":"BDIF_BR","features":[46]},{"name":"BDIF_BR_SECURE_CONNECTION_PAIRED","features":[46]},{"name":"BDIF_COD","features":[46]},{"name":"BDIF_CONNECTED","features":[46]},{"name":"BDIF_DEBUGKEY","features":[46]},{"name":"BDIF_EIR","features":[46]},{"name":"BDIF_LE","features":[46]},{"name":"BDIF_LE_CONNECTABLE","features":[46]},{"name":"BDIF_LE_CONNECTED","features":[46]},{"name":"BDIF_LE_DEBUGKEY","features":[46]},{"name":"BDIF_LE_DISCOVERABLE","features":[46]},{"name":"BDIF_LE_MITM_PROTECTED","features":[46]},{"name":"BDIF_LE_NAME","features":[46]},{"name":"BDIF_LE_PAIRED","features":[46]},{"name":"BDIF_LE_PERSONAL","features":[46]},{"name":"BDIF_LE_PRIVACY_ENABLED","features":[46]},{"name":"BDIF_LE_RANDOM_ADDRESS_TYPE","features":[46]},{"name":"BDIF_LE_SECURE_CONNECTION_PAIRED","features":[46]},{"name":"BDIF_LE_VISIBLE","features":[46]},{"name":"BDIF_NAME","features":[46]},{"name":"BDIF_PAIRED","features":[46]},{"name":"BDIF_PERSONAL","features":[46]},{"name":"BDIF_RSSI","features":[46]},{"name":"BDIF_SHORT_NAME","features":[46]},{"name":"BDIF_SSP_MITM_PROTECTED","features":[46]},{"name":"BDIF_SSP_PAIRED","features":[46]},{"name":"BDIF_SSP_SUPPORTED","features":[46]},{"name":"BDIF_TX_POWER","features":[46]},{"name":"BDIF_VISIBLE","features":[46]},{"name":"BLUETOOTH_ADDRESS","features":[46]},{"name":"BLUETOOTH_AUTHENTICATE_RESPONSE","features":[46]},{"name":"BLUETOOTH_AUTHENTICATION_CALLBACK_PARAMS","features":[46,1]},{"name":"BLUETOOTH_AUTHENTICATION_METHOD","features":[46]},{"name":"BLUETOOTH_AUTHENTICATION_METHOD_LEGACY","features":[46]},{"name":"BLUETOOTH_AUTHENTICATION_METHOD_NUMERIC_COMPARISON","features":[46]},{"name":"BLUETOOTH_AUTHENTICATION_METHOD_OOB","features":[46]},{"name":"BLUETOOTH_AUTHENTICATION_METHOD_PASSKEY","features":[46]},{"name":"BLUETOOTH_AUTHENTICATION_METHOD_PASSKEY_NOTIFICATION","features":[46]},{"name":"BLUETOOTH_AUTHENTICATION_REQUIREMENTS","features":[46]},{"name":"BLUETOOTH_COD_PAIRS","features":[46]},{"name":"BLUETOOTH_DEVICE_INFO","features":[46,1]},{"name":"BLUETOOTH_DEVICE_NAME_SIZE","features":[46]},{"name":"BLUETOOTH_DEVICE_SEARCH_PARAMS","features":[46,1]},{"name":"BLUETOOTH_FIND_RADIO_PARAMS","features":[46]},{"name":"BLUETOOTH_GATT_FLAG_CONNECTION_AUTHENTICATED","features":[46]},{"name":"BLUETOOTH_GATT_FLAG_CONNECTION_ENCRYPTED","features":[46]},{"name":"BLUETOOTH_GATT_FLAG_FORCE_READ_FROM_CACHE","features":[46]},{"name":"BLUETOOTH_GATT_FLAG_FORCE_READ_FROM_DEVICE","features":[46]},{"name":"BLUETOOTH_GATT_FLAG_NONE","features":[46]},{"name":"BLUETOOTH_GATT_FLAG_RETURN_ALL","features":[46]},{"name":"BLUETOOTH_GATT_FLAG_SIGNED_WRITE","features":[46]},{"name":"BLUETOOTH_GATT_FLAG_WRITE_WITHOUT_RESPONSE","features":[46]},{"name":"BLUETOOTH_GATT_VALUE_CHANGED_EVENT","features":[46]},{"name":"BLUETOOTH_GATT_VALUE_CHANGED_EVENT_REGISTRATION","features":[46,1]},{"name":"BLUETOOTH_IO_CAPABILITY","features":[46]},{"name":"BLUETOOTH_IO_CAPABILITY_DISPLAYONLY","features":[46]},{"name":"BLUETOOTH_IO_CAPABILITY_DISPLAYYESNO","features":[46]},{"name":"BLUETOOTH_IO_CAPABILITY_KEYBOARDONLY","features":[46]},{"name":"BLUETOOTH_IO_CAPABILITY_NOINPUTNOOUTPUT","features":[46]},{"name":"BLUETOOTH_IO_CAPABILITY_UNDEFINED","features":[46]},{"name":"BLUETOOTH_LOCAL_SERVICE_INFO","features":[46,1]},{"name":"BLUETOOTH_MAX_NAME_SIZE","features":[46]},{"name":"BLUETOOTH_MAX_PASSKEY_BUFFER_SIZE","features":[46]},{"name":"BLUETOOTH_MAX_PASSKEY_SIZE","features":[46]},{"name":"BLUETOOTH_MAX_SERVICE_NAME_SIZE","features":[46]},{"name":"BLUETOOTH_MITM_ProtectionNotDefined","features":[46]},{"name":"BLUETOOTH_MITM_ProtectionNotRequired","features":[46]},{"name":"BLUETOOTH_MITM_ProtectionNotRequiredBonding","features":[46]},{"name":"BLUETOOTH_MITM_ProtectionNotRequiredGeneralBonding","features":[46]},{"name":"BLUETOOTH_MITM_ProtectionRequired","features":[46]},{"name":"BLUETOOTH_MITM_ProtectionRequiredBonding","features":[46]},{"name":"BLUETOOTH_MITM_ProtectionRequiredGeneralBonding","features":[46]},{"name":"BLUETOOTH_NUMERIC_COMPARISON_INFO","features":[46]},{"name":"BLUETOOTH_OOB_DATA_INFO","features":[46]},{"name":"BLUETOOTH_PASSKEY_INFO","features":[46]},{"name":"BLUETOOTH_PIN_INFO","features":[46]},{"name":"BLUETOOTH_RADIO_INFO","features":[46]},{"name":"BLUETOOTH_SELECT_DEVICE_PARAMS","features":[46,1]},{"name":"BLUETOOTH_SERVICE_DISABLE","features":[46]},{"name":"BLUETOOTH_SERVICE_ENABLE","features":[46]},{"name":"BNEP_PROTOCOL_UUID16","features":[46]},{"name":"BTHLEENUM_ATT_MTU_DEFAULT","features":[46]},{"name":"BTHLEENUM_ATT_MTU_INITIAL_NEGOTIATION","features":[46]},{"name":"BTHLEENUM_ATT_MTU_MAX","features":[46]},{"name":"BTHLEENUM_ATT_MTU_MIN","features":[46]},{"name":"BTHNS_RESULT_DEVICE_AUTHENTICATED","features":[46]},{"name":"BTHNS_RESULT_DEVICE_CONNECTED","features":[46]},{"name":"BTHNS_RESULT_DEVICE_REMEMBERED","features":[46]},{"name":"BTHPROTO_L2CAP","features":[46]},{"name":"BTHPROTO_RFCOMM","features":[46]},{"name":"BTH_ADDR_GIAC","features":[46]},{"name":"BTH_ADDR_IAC_FIRST","features":[46]},{"name":"BTH_ADDR_IAC_LAST","features":[46]},{"name":"BTH_ADDR_LIAC","features":[46]},{"name":"BTH_ADDR_STRING_SIZE","features":[46]},{"name":"BTH_DEVICE_INFO","features":[46]},{"name":"BTH_EIR_128_UUIDS_COMPLETE_ID","features":[46]},{"name":"BTH_EIR_128_UUIDS_PARTIAL_ID","features":[46]},{"name":"BTH_EIR_16_UUIDS_COMPLETE_ID","features":[46]},{"name":"BTH_EIR_16_UUIDS_PARTIAL_ID","features":[46]},{"name":"BTH_EIR_32_UUIDS_COMPLETE_ID","features":[46]},{"name":"BTH_EIR_32_UUIDS_PARTIAL_ID","features":[46]},{"name":"BTH_EIR_FLAGS_ID","features":[46]},{"name":"BTH_EIR_LOCAL_NAME_COMPLETE_ID","features":[46]},{"name":"BTH_EIR_LOCAL_NAME_PARTIAL_ID","features":[46]},{"name":"BTH_EIR_MANUFACTURER_ID","features":[46]},{"name":"BTH_EIR_OOB_BD_ADDR_ID","features":[46]},{"name":"BTH_EIR_OOB_COD_ID","features":[46]},{"name":"BTH_EIR_OOB_OPT_DATA_LEN_ID","features":[46]},{"name":"BTH_EIR_OOB_SP_HASH_ID","features":[46]},{"name":"BTH_EIR_OOB_SP_RANDOMIZER_ID","features":[46]},{"name":"BTH_EIR_SIZE","features":[46]},{"name":"BTH_EIR_TX_POWER_LEVEL_ID","features":[46]},{"name":"BTH_ERROR_ACL_CONNECTION_ALREADY_EXISTS","features":[46]},{"name":"BTH_ERROR_AUTHENTICATION_FAILURE","features":[46]},{"name":"BTH_ERROR_CHANNEL_CLASSIFICATION_NOT_SUPPORTED","features":[46]},{"name":"BTH_ERROR_COARSE_CLOCK_ADJUSTMENT_REJECTED","features":[46]},{"name":"BTH_ERROR_COMMAND_DISALLOWED","features":[46]},{"name":"BTH_ERROR_CONNECTION_FAILED_TO_BE_ESTABLISHED","features":[46]},{"name":"BTH_ERROR_CONNECTION_REJECTED_DUE_TO_NO_SUITABLE_CHANNEL_FOUND","features":[46]},{"name":"BTH_ERROR_CONNECTION_TERMINATED_DUE_TO_MIC_FAILURE","features":[46]},{"name":"BTH_ERROR_CONNECTION_TIMEOUT","features":[46]},{"name":"BTH_ERROR_CONTROLLER_BUSY","features":[46]},{"name":"BTH_ERROR_DIFFERENT_TRANSACTION_COLLISION","features":[46]},{"name":"BTH_ERROR_DIRECTED_ADVERTISING_TIMEOUT","features":[46]},{"name":"BTH_ERROR_ENCRYPTION_MODE_NOT_ACCEPTABLE","features":[46]},{"name":"BTH_ERROR_EXTENDED_INQUIRY_RESPONSE_TOO_LARGE","features":[46]},{"name":"BTH_ERROR_HARDWARE_FAILURE","features":[46]},{"name":"BTH_ERROR_HOST_BUSY_PAIRING","features":[46]},{"name":"BTH_ERROR_HOST_REJECTED_LIMITED_RESOURCES","features":[46]},{"name":"BTH_ERROR_HOST_REJECTED_PERSONAL_DEVICE","features":[46]},{"name":"BTH_ERROR_HOST_REJECTED_SECURITY_REASONS","features":[46]},{"name":"BTH_ERROR_HOST_TIMEOUT","features":[46]},{"name":"BTH_ERROR_INSTANT_PASSED","features":[46]},{"name":"BTH_ERROR_INSUFFICIENT_SECURITY","features":[46]},{"name":"BTH_ERROR_INVALID_HCI_PARAMETER","features":[46]},{"name":"BTH_ERROR_INVALID_LMP_PARAMETERS","features":[46]},{"name":"BTH_ERROR_KEY_MISSING","features":[46]},{"name":"BTH_ERROR_LIMIT_REACHED","features":[46]},{"name":"BTH_ERROR_LMP_PDU_NOT_ALLOWED","features":[46]},{"name":"BTH_ERROR_LMP_RESPONSE_TIMEOUT","features":[46]},{"name":"BTH_ERROR_LMP_TRANSACTION_COLLISION","features":[46]},{"name":"BTH_ERROR_LOCAL_HOST_TERMINATED_CONNECTION","features":[46]},{"name":"BTH_ERROR_MAC_CONNECTION_FAILED","features":[46]},{"name":"BTH_ERROR_MAX_NUMBER_OF_CONNECTIONS","features":[46]},{"name":"BTH_ERROR_MAX_NUMBER_OF_SCO_CONNECTIONS","features":[46]},{"name":"BTH_ERROR_MEMORY_FULL","features":[46]},{"name":"BTH_ERROR_NO_CONNECTION","features":[46]},{"name":"BTH_ERROR_OPERATION_CANCELLED_BY_HOST","features":[46]},{"name":"BTH_ERROR_PACKET_TOO_LONG","features":[46]},{"name":"BTH_ERROR_PAGE_TIMEOUT","features":[46]},{"name":"BTH_ERROR_PAIRING_NOT_ALLOWED","features":[46]},{"name":"BTH_ERROR_PAIRING_WITH_UNIT_KEY_NOT_SUPPORTED","features":[46]},{"name":"BTH_ERROR_PARAMETER_OUT_OF_MANDATORY_RANGE","features":[46]},{"name":"BTH_ERROR_QOS_IS_NOT_SUPPORTED","features":[46]},{"name":"BTH_ERROR_QOS_REJECTED","features":[46]},{"name":"BTH_ERROR_QOS_UNACCEPTABLE_PARAMETER","features":[46]},{"name":"BTH_ERROR_REMOTE_LOW_RESOURCES","features":[46]},{"name":"BTH_ERROR_REMOTE_POWERING_OFF","features":[46]},{"name":"BTH_ERROR_REMOTE_USER_ENDED_CONNECTION","features":[46]},{"name":"BTH_ERROR_REPEATED_ATTEMPTS","features":[46]},{"name":"BTH_ERROR_RESERVED_SLOT_VIOLATION","features":[46]},{"name":"BTH_ERROR_ROLE_CHANGE_NOT_ALLOWED","features":[46]},{"name":"BTH_ERROR_ROLE_SWITCH_FAILED","features":[46]},{"name":"BTH_ERROR_ROLE_SWITCH_PENDING","features":[46]},{"name":"BTH_ERROR_SCO_AIRMODE_REJECTED","features":[46]},{"name":"BTH_ERROR_SCO_INTERVAL_REJECTED","features":[46]},{"name":"BTH_ERROR_SCO_OFFSET_REJECTED","features":[46]},{"name":"BTH_ERROR_SECURE_SIMPLE_PAIRING_NOT_SUPPORTED_BY_HOST","features":[46]},{"name":"BTH_ERROR_SUCCESS","features":[46]},{"name":"BTH_ERROR_TYPE_0_SUBMAP_NOT_DEFINED","features":[46]},{"name":"BTH_ERROR_UKNOWN_LMP_PDU","features":[46]},{"name":"BTH_ERROR_UNACCEPTABLE_CONNECTION_INTERVAL","features":[46]},{"name":"BTH_ERROR_UNIT_KEY_NOT_USED","features":[46]},{"name":"BTH_ERROR_UNKNOWN_ADVERTISING_IDENTIFIER","features":[46]},{"name":"BTH_ERROR_UNKNOWN_HCI_COMMAND","features":[46]},{"name":"BTH_ERROR_UNSPECIFIED","features":[46]},{"name":"BTH_ERROR_UNSPECIFIED_ERROR","features":[46]},{"name":"BTH_ERROR_UNSUPPORTED_FEATURE_OR_PARAMETER","features":[46]},{"name":"BTH_ERROR_UNSUPPORTED_LMP_PARM_VALUE","features":[46]},{"name":"BTH_ERROR_UNSUPPORTED_REMOTE_FEATURE","features":[46]},{"name":"BTH_HCI_EVENT_INFO","features":[46]},{"name":"BTH_HOST_FEATURE_ENHANCED_RETRANSMISSION_MODE","features":[46]},{"name":"BTH_HOST_FEATURE_LOW_ENERGY","features":[46]},{"name":"BTH_HOST_FEATURE_SCO_HCI","features":[46]},{"name":"BTH_HOST_FEATURE_SCO_HCIBYPASS","features":[46]},{"name":"BTH_HOST_FEATURE_STREAMING_MODE","features":[46]},{"name":"BTH_INFO_REQ","features":[46]},{"name":"BTH_INFO_RSP","features":[46]},{"name":"BTH_IOCTL_BASE","features":[46]},{"name":"BTH_L2CAP_EVENT_INFO","features":[46]},{"name":"BTH_LE_ATT_BLUETOOTH_BASE_GUID","features":[46]},{"name":"BTH_LE_ATT_CID","features":[46]},{"name":"BTH_LE_ATT_MAX_VALUE_SIZE","features":[46]},{"name":"BTH_LE_ATT_TRANSACTION_TIMEOUT","features":[46]},{"name":"BTH_LE_ERROR_ATTRIBUTE_NOT_FOUND","features":[46]},{"name":"BTH_LE_ERROR_ATTRIBUTE_NOT_LONG","features":[46]},{"name":"BTH_LE_ERROR_INSUFFICIENT_AUTHENTICATION","features":[46]},{"name":"BTH_LE_ERROR_INSUFFICIENT_AUTHORIZATION","features":[46]},{"name":"BTH_LE_ERROR_INSUFFICIENT_ENCRYPTION","features":[46]},{"name":"BTH_LE_ERROR_INSUFFICIENT_ENCRYPTION_KEY_SIZE","features":[46]},{"name":"BTH_LE_ERROR_INSUFFICIENT_RESOURCES","features":[46]},{"name":"BTH_LE_ERROR_INVALID_ATTRIBUTE_VALUE_LENGTH","features":[46]},{"name":"BTH_LE_ERROR_INVALID_HANDLE","features":[46]},{"name":"BTH_LE_ERROR_INVALID_OFFSET","features":[46]},{"name":"BTH_LE_ERROR_INVALID_PDU","features":[46]},{"name":"BTH_LE_ERROR_PREPARE_QUEUE_FULL","features":[46]},{"name":"BTH_LE_ERROR_READ_NOT_PERMITTED","features":[46]},{"name":"BTH_LE_ERROR_REQUEST_NOT_SUPPORTED","features":[46]},{"name":"BTH_LE_ERROR_UNKNOWN","features":[46]},{"name":"BTH_LE_ERROR_UNLIKELY","features":[46]},{"name":"BTH_LE_ERROR_UNSUPPORTED_GROUP_TYPE","features":[46]},{"name":"BTH_LE_ERROR_WRITE_NOT_PERMITTED","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SINK_SUBCATEGORY_BOOKSHELF_SPEAKER","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SINK_SUBCATEGORY_SOUNDBAR","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SINK_SUBCATEGORY_SPEAKERPHONE","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SINK_SUBCATEGORY_STANDALONE_SPEAKER","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SINK_SUBCATEGORY_STANDMOUNTED_SPEAKER","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SOURCE_SUBCATEGORY_ALARM","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SOURCE_SUBCATEGORY_AUDITORIUM","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SOURCE_SUBCATEGORY_BELL","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SOURCE_SUBCATEGORY_BROADCASTING_DEVICE","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SOURCE_SUBCATEGORY_BROADCASTING_ROOM","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SOURCE_SUBCATEGORY_HORN","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SOURCE_SUBCATEGORY_KIOSK","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SOURCE_SUBCATEGORY_MICROPHONE","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SOURCE_SUBCATEGORY_SERVICE_DESK","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_BLOOD_PRESSURE_SUBCATEGORY_ARM","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_BLOOD_PRESSURE_SUBCATEGORY_WRIST","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_ACCESS_CONTROL","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_AIRCRAFT","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_AIR_CONDITIONING","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_AUDIO_SINK","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_AUDIO_SOURCE","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_AV_EQUIPMENT","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_BARCODE_SCANNER","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_BLOOD_PRESSURE","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_CLOCK","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_COMPUTER","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_CONTINUOUS_GLUCOSE_MONITOR","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_CONTROL_DEVICE","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_CYCLING","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_DISPLAY","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_DISPLAY_EQUIPMENT","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_DOMESTIC_APPLIANCE","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_EYE_GLASSES","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_FAN","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_GAMING","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_GLUCOSE_METER","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_HEARING_AID","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_HEART_RATE","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_HEATING","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_HID","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_HUMIDIFIER","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_HVAC","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_INSULIN_PUMP","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_KEYRING","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_LIGHT_FIXTURES","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_LIGHT_SOURCE","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_MASK","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_MEDIA_PLAYER","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_MEDICATION_DELIVERY","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_MOTORIZED_DEVICE","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_MOTORIZED_VEHICLE","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_NETWORK_DEVICE","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_OFFSET","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_OUTDOOR_SPORTS_ACTIVITY","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_PERSONAL_MOBILITY_DEVICE","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_PHONE","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_PLUSE_OXIMETER","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_POWER_DEVICE","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_REMOTE_CONTROL","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_RUNNING_WALKING_SENSOR","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_SENSOR","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_SIGNAGE","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_TAG","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_THERMOMETER","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_UNCATEGORIZED","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_WATCH","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_WEARABLE_AUDIO_DEVICE","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_WEIGHT_SCALE","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_WINDOW_COVERING","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CYCLING_SUBCATEGORY_CADENCE_SENSOR","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CYCLING_SUBCATEGORY_CYCLING_COMPUTER","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CYCLING_SUBCATEGORY_POWER_SENSOR","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CYCLING_SUBCATEGORY_SPEED_AND_CADENCE_SENSOR","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_CYCLING_SUBCATEGORY_SPEED_SENSOR","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_HEARING_AID_SUBCATEGORY_BEHIND_EAR_HEARING_AID","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_HEARING_AID_SUBCATEGORY_COCHLEAR_IMPLANT","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_HEARING_AID_SUBCATEGORY_IN_EAR_HEARING_AID","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_HEART_RATE_SUBCATEGORY_HEART_RATE_BELT","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_HID_SUBCATEGORY_BARCODE_SCANNER","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_HID_SUBCATEGORY_CARD_READER","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_HID_SUBCATEGORY_DIGITAL_PEN","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_HID_SUBCATEGORY_DIGITIZER_TABLET","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_HID_SUBCATEGORY_GAMEPAD","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_HID_SUBCATEGORY_JOYSTICK","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_HID_SUBCATEGORY_KEYBOARD","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_HID_SUBCATEGORY_MOUSE","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_OUTDOOR_SPORTS_ACTIVITY_SUBCATEGORY_LOCATION_DISPLAY_DEVICE","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_OUTDOOR_SPORTS_ACTIVITY_SUBCATEGORY_LOCATION_NAVIGATION_DISPLAY_DEVICE","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_OUTDOOR_SPORTS_ACTIVITY_SUBCATEGORY_LOCATION_NAVIGATION_POD","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_OUTDOOR_SPORTS_ACTIVITY_SUBCATEGORY_LOCATION_POD","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_PULSE_OXIMETER_SUBCATEGORY_FINGERTIP","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_PULSE_OXIMETER_SUBCATEGORY_WRIST_WORN","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_RUNNING_WALKING_SENSOR_SUBCATEGORY_IN_SHOE","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_RUNNING_WALKING_SENSOR_SUBCATEGORY_ON_HIP","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_RUNNING_WALKING_SENSOR_SUBCATEGORY_ON_SHOE","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_SUBCATEGORY_GENERIC","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_SUB_CATEGORY_MASK","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_THERMOMETER_SUBCATEGORY_EAR","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_WATCH_SUBCATEGORY_SPORTS_WATCH","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_WEARABLE_AUDIO_DEVICE_SUBCATEGORY_EARBUD","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_WEARABLE_AUDIO_DEVICE_SUBCATEGORY_HEADPHONES","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_WEARABLE_AUDIO_DEVICE_SUBCATEGORY_HEADSET","features":[46]},{"name":"BTH_LE_GAP_APPEARANCE_WEARABLE_AUDIO_DEVICE_SUBCATEGORY_NECKBAND","features":[46]},{"name":"BTH_LE_GATT_ATTRIBUTE_TYPE_CHARACTERISTIC","features":[46]},{"name":"BTH_LE_GATT_ATTRIBUTE_TYPE_INCLUDE","features":[46]},{"name":"BTH_LE_GATT_ATTRIBUTE_TYPE_PRIMARY_SERVICE","features":[46]},{"name":"BTH_LE_GATT_ATTRIBUTE_TYPE_SECONDARY_SERVICE","features":[46]},{"name":"BTH_LE_GATT_CHARACTERISTIC","features":[46,1]},{"name":"BTH_LE_GATT_CHARACTERISTIC_DESCRIPTOR_AGGREGATE_FORMAT","features":[46]},{"name":"BTH_LE_GATT_CHARACTERISTIC_DESCRIPTOR_CLIENT_CONFIGURATION","features":[46]},{"name":"BTH_LE_GATT_CHARACTERISTIC_DESCRIPTOR_EXTENDED_PROPERTIES","features":[46]},{"name":"BTH_LE_GATT_CHARACTERISTIC_DESCRIPTOR_FORMAT","features":[46]},{"name":"BTH_LE_GATT_CHARACTERISTIC_DESCRIPTOR_SERVER_CONFIGURATION","features":[46]},{"name":"BTH_LE_GATT_CHARACTERISTIC_DESCRIPTOR_USER_DESCRIPTION","features":[46]},{"name":"BTH_LE_GATT_CHARACTERISTIC_TYPE_APPEARANCE","features":[46]},{"name":"BTH_LE_GATT_CHARACTERISTIC_TYPE_DEVICE_NAME","features":[46]},{"name":"BTH_LE_GATT_CHARACTERISTIC_TYPE_PERIPHERAL_PREFERED_CONNECTION_PARAMETER","features":[46]},{"name":"BTH_LE_GATT_CHARACTERISTIC_TYPE_PERIPHERAL_PRIVACY_FLAG","features":[46]},{"name":"BTH_LE_GATT_CHARACTERISTIC_TYPE_RECONNECTION_ADDRESS","features":[46]},{"name":"BTH_LE_GATT_CHARACTERISTIC_TYPE_SERVICE_CHANGED","features":[46]},{"name":"BTH_LE_GATT_CHARACTERISTIC_VALUE","features":[46]},{"name":"BTH_LE_GATT_DEFAULT_MAX_INCLUDED_SERVICES_DEPTH","features":[46]},{"name":"BTH_LE_GATT_DESCRIPTOR","features":[46,1]},{"name":"BTH_LE_GATT_DESCRIPTOR_TYPE","features":[46]},{"name":"BTH_LE_GATT_DESCRIPTOR_VALUE","features":[46,1]},{"name":"BTH_LE_GATT_EVENT_TYPE","features":[46]},{"name":"BTH_LE_GATT_SERVICE","features":[46,1]},{"name":"BTH_LE_SERVICE_GAP","features":[46]},{"name":"BTH_LE_SERVICE_GATT","features":[46]},{"name":"BTH_LE_UUID","features":[46,1]},{"name":"BTH_LINK_KEY_LENGTH","features":[46]},{"name":"BTH_MAJORVERSION","features":[46]},{"name":"BTH_MAX_NAME_SIZE","features":[46]},{"name":"BTH_MAX_PIN_SIZE","features":[46]},{"name":"BTH_MAX_SERVICE_NAME_SIZE","features":[46]},{"name":"BTH_MFG_3COM","features":[46]},{"name":"BTH_MFG_ALCATEL","features":[46]},{"name":"BTH_MFG_APPLE","features":[46]},{"name":"BTH_MFG_ARUBA_NETWORKS","features":[46]},{"name":"BTH_MFG_ATMEL","features":[46]},{"name":"BTH_MFG_AVM_BERLIN","features":[46]},{"name":"BTH_MFG_BANDSPEED","features":[46]},{"name":"BTH_MFG_BROADCOM","features":[46]},{"name":"BTH_MFG_CONEXANT","features":[46]},{"name":"BTH_MFG_CSR","features":[46]},{"name":"BTH_MFG_C_TECHNOLOGIES","features":[46]},{"name":"BTH_MFG_DIGIANSWER","features":[46]},{"name":"BTH_MFG_ERICSSON","features":[46]},{"name":"BTH_MFG_HITACHI","features":[46]},{"name":"BTH_MFG_IBM","features":[46]},{"name":"BTH_MFG_INFINEON","features":[46]},{"name":"BTH_MFG_INTEL","features":[46]},{"name":"BTH_MFG_INTERNAL_USE","features":[46]},{"name":"BTH_MFG_INVENTEL","features":[46]},{"name":"BTH_MFG_KC_TECHNOLOGY","features":[46]},{"name":"BTH_MFG_LUCENT","features":[46]},{"name":"BTH_MFG_MACRONIX_INTERNATIONAL","features":[46]},{"name":"BTH_MFG_MANSELLA","features":[46]},{"name":"BTH_MFG_MARVELL","features":[46]},{"name":"BTH_MFG_MICROSOFT","features":[46]},{"name":"BTH_MFG_MITEL","features":[46]},{"name":"BTH_MFG_MITSIBUSHI","features":[46]},{"name":"BTH_MFG_MOTOROLA","features":[46]},{"name":"BTH_MFG_NEC","features":[46]},{"name":"BTH_MFG_NEWLOGIC","features":[46]},{"name":"BTH_MFG_NOKIA","features":[46]},{"name":"BTH_MFG_NORDIC_SEMICONDUCTORS_ASA","features":[46]},{"name":"BTH_MFG_OPEN_INTERFACE","features":[46]},{"name":"BTH_MFG_PARTHUS","features":[46]},{"name":"BTH_MFG_PHILIPS_SEMICONDUCTOR","features":[46]},{"name":"BTH_MFG_QUALCOMM","features":[46]},{"name":"BTH_MFG_RF_MICRO_DEVICES","features":[46]},{"name":"BTH_MFG_ROHDE_SCHWARZ","features":[46]},{"name":"BTH_MFG_RTX_TELECOM","features":[46]},{"name":"BTH_MFG_SIGNIA","features":[46]},{"name":"BTH_MFG_SILICONWAVE","features":[46]},{"name":"BTH_MFG_SYMBOL_TECHNOLOGIES","features":[46]},{"name":"BTH_MFG_TENOVIS","features":[46]},{"name":"BTH_MFG_TI","features":[46]},{"name":"BTH_MFG_TOSHIBA","features":[46]},{"name":"BTH_MFG_TRANSILICA","features":[46]},{"name":"BTH_MFG_TTPCOM","features":[46]},{"name":"BTH_MFG_WAVEPLUS_TECHNOLOGY_CO","features":[46]},{"name":"BTH_MFG_WIDCOMM","features":[46]},{"name":"BTH_MFG_ZEEVO","features":[46]},{"name":"BTH_MINORVERSION","features":[46]},{"name":"BTH_PING_REQ","features":[46]},{"name":"BTH_PING_RSP","features":[46]},{"name":"BTH_QUERY_DEVICE","features":[46]},{"name":"BTH_QUERY_SERVICE","features":[46]},{"name":"BTH_RADIO_IN_RANGE","features":[46]},{"name":"BTH_SDP_VERSION","features":[46]},{"name":"BTH_SET_SERVICE","features":[46,1]},{"name":"BTH_VID_DEFAULT_VALUE","features":[46]},{"name":"BT_PORT_DYN_FIRST","features":[46]},{"name":"BT_PORT_MAX","features":[46]},{"name":"BT_PORT_MIN","features":[46]},{"name":"BasicPrintingProfileID_UUID16","features":[46]},{"name":"BasicPrintingServiceClassID_UUID16","features":[46]},{"name":"BluetoothAuthenticateDevice","features":[46,1]},{"name":"BluetoothAuthenticateDeviceEx","features":[46,1]},{"name":"BluetoothAuthenticateMultipleDevices","features":[46,1]},{"name":"BluetoothDisplayDeviceProperties","features":[46,1]},{"name":"BluetoothEnableDiscovery","features":[46,1]},{"name":"BluetoothEnableIncomingConnections","features":[46,1]},{"name":"BluetoothEnumerateInstalledServices","features":[46,1]},{"name":"BluetoothFindDeviceClose","features":[46,1]},{"name":"BluetoothFindFirstDevice","features":[46,1]},{"name":"BluetoothFindFirstRadio","features":[46,1]},{"name":"BluetoothFindNextDevice","features":[46,1]},{"name":"BluetoothFindNextRadio","features":[46,1]},{"name":"BluetoothFindRadioClose","features":[46,1]},{"name":"BluetoothGATTAbortReliableWrite","features":[46,1]},{"name":"BluetoothGATTBeginReliableWrite","features":[46,1]},{"name":"BluetoothGATTEndReliableWrite","features":[46,1]},{"name":"BluetoothGATTGetCharacteristicValue","features":[46,1]},{"name":"BluetoothGATTGetCharacteristics","features":[46,1]},{"name":"BluetoothGATTGetDescriptorValue","features":[46,1]},{"name":"BluetoothGATTGetDescriptors","features":[46,1]},{"name":"BluetoothGATTGetIncludedServices","features":[46,1]},{"name":"BluetoothGATTGetServices","features":[46,1]},{"name":"BluetoothGATTRegisterEvent","features":[46,1]},{"name":"BluetoothGATTSetCharacteristicValue","features":[46,1]},{"name":"BluetoothGATTSetDescriptorValue","features":[46,1]},{"name":"BluetoothGATTUnregisterEvent","features":[46]},{"name":"BluetoothGetDeviceInfo","features":[46,1]},{"name":"BluetoothGetRadioInfo","features":[46,1]},{"name":"BluetoothIsConnectable","features":[46,1]},{"name":"BluetoothIsDiscoverable","features":[46,1]},{"name":"BluetoothIsVersionAvailable","features":[46,1]},{"name":"BluetoothRegisterForAuthentication","features":[46,1]},{"name":"BluetoothRegisterForAuthenticationEx","features":[46,1]},{"name":"BluetoothRemoveDevice","features":[46]},{"name":"BluetoothSdpEnumAttributes","features":[46,1]},{"name":"BluetoothSdpGetAttributeValue","features":[46]},{"name":"BluetoothSdpGetContainerElementData","features":[46]},{"name":"BluetoothSdpGetElementData","features":[46]},{"name":"BluetoothSdpGetString","features":[46]},{"name":"BluetoothSelectDevices","features":[46,1]},{"name":"BluetoothSelectDevicesFree","features":[46,1]},{"name":"BluetoothSendAuthenticationResponse","features":[46,1]},{"name":"BluetoothSendAuthenticationResponseEx","features":[46,1]},{"name":"BluetoothSetLocalServiceInfo","features":[46,1]},{"name":"BluetoothSetServiceState","features":[46,1]},{"name":"BluetoothUnregisterAuthentication","features":[46,1]},{"name":"BluetoothUpdateDeviceRecord","features":[46,1]},{"name":"Bluetooth_Base_UUID","features":[46]},{"name":"BrowseGroupDescriptorServiceClassID_UUID16","features":[46]},{"name":"CMPT_PROTOCOL_UUID16","features":[46]},{"name":"COD_AUDIO_MINOR_CAMCORDER","features":[46]},{"name":"COD_AUDIO_MINOR_CAR_AUDIO","features":[46]},{"name":"COD_AUDIO_MINOR_GAMING_TOY","features":[46]},{"name":"COD_AUDIO_MINOR_HANDS_FREE","features":[46]},{"name":"COD_AUDIO_MINOR_HEADPHONES","features":[46]},{"name":"COD_AUDIO_MINOR_HEADSET","features":[46]},{"name":"COD_AUDIO_MINOR_HEADSET_HANDS_FREE","features":[46]},{"name":"COD_AUDIO_MINOR_HIFI_AUDIO","features":[46]},{"name":"COD_AUDIO_MINOR_LOUDSPEAKER","features":[46]},{"name":"COD_AUDIO_MINOR_MICROPHONE","features":[46]},{"name":"COD_AUDIO_MINOR_PORTABLE_AUDIO","features":[46]},{"name":"COD_AUDIO_MINOR_SET_TOP_BOX","features":[46]},{"name":"COD_AUDIO_MINOR_UNCLASSIFIED","features":[46]},{"name":"COD_AUDIO_MINOR_VCR","features":[46]},{"name":"COD_AUDIO_MINOR_VIDEO_CAMERA","features":[46]},{"name":"COD_AUDIO_MINOR_VIDEO_DISPLAY_CONFERENCING","features":[46]},{"name":"COD_AUDIO_MINOR_VIDEO_DISPLAY_LOUDSPEAKER","features":[46]},{"name":"COD_AUDIO_MINOR_VIDEO_MONITOR","features":[46]},{"name":"COD_COMPUTER_MINOR_DESKTOP","features":[46]},{"name":"COD_COMPUTER_MINOR_HANDHELD","features":[46]},{"name":"COD_COMPUTER_MINOR_LAPTOP","features":[46]},{"name":"COD_COMPUTER_MINOR_PALM","features":[46]},{"name":"COD_COMPUTER_MINOR_SERVER","features":[46]},{"name":"COD_COMPUTER_MINOR_UNCLASSIFIED","features":[46]},{"name":"COD_COMPUTER_MINOR_WEARABLE","features":[46]},{"name":"COD_FORMAT_BIT_OFFSET","features":[46]},{"name":"COD_FORMAT_MASK","features":[46]},{"name":"COD_HEALTH_MINOR_BLOOD_PRESSURE_MONITOR","features":[46]},{"name":"COD_HEALTH_MINOR_GLUCOSE_METER","features":[46]},{"name":"COD_HEALTH_MINOR_HEALTH_DATA_DISPLAY","features":[46]},{"name":"COD_HEALTH_MINOR_HEART_PULSE_MONITOR","features":[46]},{"name":"COD_HEALTH_MINOR_PULSE_OXIMETER","features":[46]},{"name":"COD_HEALTH_MINOR_STEP_COUNTER","features":[46]},{"name":"COD_HEALTH_MINOR_THERMOMETER","features":[46]},{"name":"COD_HEALTH_MINOR_WEIGHING_SCALE","features":[46]},{"name":"COD_IMAGING_MINOR_CAMERA_MASK","features":[46]},{"name":"COD_IMAGING_MINOR_DISPLAY_MASK","features":[46]},{"name":"COD_IMAGING_MINOR_PRINTER_MASK","features":[46]},{"name":"COD_IMAGING_MINOR_SCANNER_MASK","features":[46]},{"name":"COD_LAN_ACCESS_0_USED","features":[46]},{"name":"COD_LAN_ACCESS_17_USED","features":[46]},{"name":"COD_LAN_ACCESS_33_USED","features":[46]},{"name":"COD_LAN_ACCESS_50_USED","features":[46]},{"name":"COD_LAN_ACCESS_67_USED","features":[46]},{"name":"COD_LAN_ACCESS_83_USED","features":[46]},{"name":"COD_LAN_ACCESS_99_USED","features":[46]},{"name":"COD_LAN_ACCESS_BIT_OFFSET","features":[46]},{"name":"COD_LAN_ACCESS_FULL","features":[46]},{"name":"COD_LAN_ACCESS_MASK","features":[46]},{"name":"COD_LAN_MINOR_MASK","features":[46]},{"name":"COD_LAN_MINOR_UNCLASSIFIED","features":[46]},{"name":"COD_MAJOR_AUDIO","features":[46]},{"name":"COD_MAJOR_COMPUTER","features":[46]},{"name":"COD_MAJOR_HEALTH","features":[46]},{"name":"COD_MAJOR_IMAGING","features":[46]},{"name":"COD_MAJOR_LAN_ACCESS","features":[46]},{"name":"COD_MAJOR_MASK","features":[46]},{"name":"COD_MAJOR_MISCELLANEOUS","features":[46]},{"name":"COD_MAJOR_PERIPHERAL","features":[46]},{"name":"COD_MAJOR_PHONE","features":[46]},{"name":"COD_MAJOR_TOY","features":[46]},{"name":"COD_MAJOR_UNCLASSIFIED","features":[46]},{"name":"COD_MAJOR_WEARABLE","features":[46]},{"name":"COD_MINOR_BIT_OFFSET","features":[46]},{"name":"COD_MINOR_MASK","features":[46]},{"name":"COD_PERIPHERAL_MINOR_GAMEPAD","features":[46]},{"name":"COD_PERIPHERAL_MINOR_JOYSTICK","features":[46]},{"name":"COD_PERIPHERAL_MINOR_KEYBOARD_MASK","features":[46]},{"name":"COD_PERIPHERAL_MINOR_NO_CATEGORY","features":[46]},{"name":"COD_PERIPHERAL_MINOR_POINTER_MASK","features":[46]},{"name":"COD_PERIPHERAL_MINOR_REMOTE_CONTROL","features":[46]},{"name":"COD_PERIPHERAL_MINOR_SENSING","features":[46]},{"name":"COD_PHONE_MINOR_CELLULAR","features":[46]},{"name":"COD_PHONE_MINOR_CORDLESS","features":[46]},{"name":"COD_PHONE_MINOR_SMART","features":[46]},{"name":"COD_PHONE_MINOR_UNCLASSIFIED","features":[46]},{"name":"COD_PHONE_MINOR_WIRED_MODEM","features":[46]},{"name":"COD_SERVICE_AUDIO","features":[46]},{"name":"COD_SERVICE_CAPTURING","features":[46]},{"name":"COD_SERVICE_INFORMATION","features":[46]},{"name":"COD_SERVICE_LE_AUDIO","features":[46]},{"name":"COD_SERVICE_LIMITED","features":[46]},{"name":"COD_SERVICE_MASK","features":[46]},{"name":"COD_SERVICE_MAX_COUNT","features":[46]},{"name":"COD_SERVICE_NETWORKING","features":[46]},{"name":"COD_SERVICE_OBJECT_XFER","features":[46]},{"name":"COD_SERVICE_POSITIONING","features":[46]},{"name":"COD_SERVICE_RENDERING","features":[46]},{"name":"COD_SERVICE_TELEPHONY","features":[46]},{"name":"COD_TOY_MINOR_CONTROLLER","features":[46]},{"name":"COD_TOY_MINOR_DOLL_ACTION_FIGURE","features":[46]},{"name":"COD_TOY_MINOR_GAME","features":[46]},{"name":"COD_TOY_MINOR_ROBOT","features":[46]},{"name":"COD_TOY_MINOR_VEHICLE","features":[46]},{"name":"COD_VERSION","features":[46]},{"name":"COD_WEARABLE_MINOR_GLASSES","features":[46]},{"name":"COD_WEARABLE_MINOR_HELMET","features":[46]},{"name":"COD_WEARABLE_MINOR_JACKET","features":[46]},{"name":"COD_WEARABLE_MINOR_PAGER","features":[46]},{"name":"COD_WEARABLE_MINOR_WRIST_WATCH","features":[46]},{"name":"CORDLESS_EXTERNAL_NETWORK_ANALOG_CELLULAR","features":[46]},{"name":"CORDLESS_EXTERNAL_NETWORK_CDMA","features":[46]},{"name":"CORDLESS_EXTERNAL_NETWORK_GSM","features":[46]},{"name":"CORDLESS_EXTERNAL_NETWORK_ISDN","features":[46]},{"name":"CORDLESS_EXTERNAL_NETWORK_OTHER","features":[46]},{"name":"CORDLESS_EXTERNAL_NETWORK_PACKET_SWITCHED","features":[46]},{"name":"CORDLESS_EXTERNAL_NETWORK_PSTN","features":[46]},{"name":"CTNAccessServiceClassID_UUID16","features":[46]},{"name":"CTNNotificationServiceClassID_UUID16","features":[46]},{"name":"CTNProfileID_UUID16","features":[46]},{"name":"CharacteristicAggregateFormat","features":[46]},{"name":"CharacteristicExtendedProperties","features":[46]},{"name":"CharacteristicFormat","features":[46]},{"name":"CharacteristicUserDescription","features":[46]},{"name":"CharacteristicValueChangedEvent","features":[46]},{"name":"ClientCharacteristicConfiguration","features":[46]},{"name":"CommonISDNAccessServiceClassID_UUID16","features":[46]},{"name":"CommonISDNAccessServiceClass_UUID16","features":[46]},{"name":"CordlessServiceClassID_UUID16","features":[46]},{"name":"CordlessTelephonyServiceClassID_UUID16","features":[46]},{"name":"CustomDescriptor","features":[46]},{"name":"DI_VENDOR_ID_SOURCE_BLUETOOTH_SIG","features":[46]},{"name":"DI_VENDOR_ID_SOURCE_USB_IF","features":[46]},{"name":"DialupNetworkingServiceClassID_UUID16","features":[46]},{"name":"DirectPrintingReferenceObjectsServiceClassID_UUID16","features":[46]},{"name":"DirectPrintingServiceClassID_UUID16","features":[46]},{"name":"ENCODING_UTF_8","features":[46]},{"name":"ESdpUpnpIpLapServiceClassID_UUID16","features":[46]},{"name":"ESdpUpnpIpPanServiceClassID_UUID16","features":[46]},{"name":"ESdpUpnpL2capServiceClassID_UUID16","features":[46]},{"name":"FTP_PROTOCOL_UUID16","features":[46]},{"name":"FaxServiceClassID_UUID16","features":[46]},{"name":"GNSSProfileID_UUID16","features":[46]},{"name":"GNSSServerServiceClassID_UUID16","features":[46]},{"name":"GNServiceClassID_UUID16","features":[46]},{"name":"GUID_BLUETOOTHLE_DEVICE_INTERFACE","features":[46]},{"name":"GUID_BLUETOOTH_AUTHENTICATION_REQUEST","features":[46]},{"name":"GUID_BLUETOOTH_GATT_SERVICE_DEVICE_INTERFACE","features":[46]},{"name":"GUID_BLUETOOTH_HCI_EVENT","features":[46]},{"name":"GUID_BLUETOOTH_HCI_VENDOR_EVENT","features":[46]},{"name":"GUID_BLUETOOTH_KEYPRESS_EVENT","features":[46]},{"name":"GUID_BLUETOOTH_L2CAP_EVENT","features":[46]},{"name":"GUID_BLUETOOTH_RADIO_IN_RANGE","features":[46]},{"name":"GUID_BLUETOOTH_RADIO_OUT_OF_RANGE","features":[46]},{"name":"GUID_BTHPORT_DEVICE_INTERFACE","features":[46]},{"name":"GUID_BTH_RFCOMM_SERVICE_DEVICE_INTERFACE","features":[46]},{"name":"GenericAudioServiceClassID_UUID16","features":[46]},{"name":"GenericFileTransferServiceClassID_UUID16","features":[46]},{"name":"GenericNetworkingServiceClassID_UUID16","features":[46]},{"name":"GenericTelephonyServiceClassID_UUID16","features":[46]},{"name":"HANDLE_SDP_TYPE","features":[46]},{"name":"HBLUETOOTH_DEVICE_FIND","features":[46]},{"name":"HBLUETOOTH_RADIO_FIND","features":[46]},{"name":"HCCC_PROTOCOL_UUID16","features":[46]},{"name":"HCDC_PROTOCOL_UUID16","features":[46]},{"name":"HCI_CONNECTION_TYPE_ACL","features":[46]},{"name":"HCI_CONNECTION_TYPE_LE","features":[46]},{"name":"HCI_CONNECTION_TYPE_SCO","features":[46]},{"name":"HCI_CONNNECTION_TYPE_ACL","features":[46]},{"name":"HCI_CONNNECTION_TYPE_SCO","features":[46]},{"name":"HCN_PROTOCOL_UUID16","features":[46]},{"name":"HCRPrintServiceClassID_UUID16","features":[46]},{"name":"HCRScanServiceClassID_UUID16","features":[46]},{"name":"HID_PROTOCOL_UUID16","features":[46]},{"name":"HTTP_PROTOCOL_UUID16","features":[46]},{"name":"HandsfreeAudioGatewayServiceClassID_UUID16","features":[46]},{"name":"HandsfreeServiceClassID_UUID16","features":[46]},{"name":"HardcopyCableReplacementProfileID_UUID16","features":[46]},{"name":"HardcopyCableReplacementServiceClassID_UUID16","features":[46]},{"name":"HeadsetAudioGatewayServiceClassID_UUID16","features":[46]},{"name":"HeadsetHSServiceClassID_UUID16","features":[46]},{"name":"HeadsetServiceClassID_UUID16","features":[46]},{"name":"HealthDeviceProfileID_UUID16","features":[46]},{"name":"HealthDeviceProfileSinkServiceClassID_UUID16","features":[46]},{"name":"HealthDeviceProfileSourceServiceClassID_UUID16","features":[46]},{"name":"HumanInterfaceDeviceServiceClassID_UUID16","features":[46]},{"name":"IO_CAPABILITY","features":[46]},{"name":"IP_PROTOCOL_UUID16","features":[46]},{"name":"ImagingAutomaticArchiveServiceClassID_UUID16","features":[46]},{"name":"ImagingReferenceObjectsServiceClassID_UUID16","features":[46]},{"name":"ImagingResponderServiceClassID_UUID16","features":[46]},{"name":"ImagingServiceClassID_UUID16","features":[46]},{"name":"ImagingServiceProfileID_UUID16","features":[46]},{"name":"IntercomServiceClassID_UUID16","features":[46]},{"name":"IoCaps_DisplayOnly","features":[46]},{"name":"IoCaps_DisplayYesNo","features":[46]},{"name":"IoCaps_KeyboardOnly","features":[46]},{"name":"IoCaps_NoInputNoOutput","features":[46]},{"name":"IoCaps_Undefined","features":[46]},{"name":"IrMCSyncServiceClassID_UUID16","features":[46]},{"name":"IrMcSyncCommandServiceClassID_UUID16","features":[46]},{"name":"L2CAP_DEFAULT_MTU","features":[46]},{"name":"L2CAP_MAX_MTU","features":[46]},{"name":"L2CAP_MIN_MTU","features":[46]},{"name":"L2CAP_PROTOCOL_UUID16","features":[46]},{"name":"LANAccessUsingPPPServiceClassID_UUID16","features":[46]},{"name":"LANGUAGE_EN_US","features":[46]},{"name":"LANG_BASE_ENCODING_INDEX","features":[46]},{"name":"LANG_BASE_LANGUAGE_INDEX","features":[46]},{"name":"LANG_BASE_OFFSET_INDEX","features":[46]},{"name":"LANG_DEFAULT_ID","features":[46]},{"name":"LAP_GIAC_VALUE","features":[46]},{"name":"LAP_LIAC_VALUE","features":[46]},{"name":"MAX_L2CAP_INFO_DATA_LENGTH","features":[46]},{"name":"MAX_L2CAP_PING_DATA_LENGTH","features":[46]},{"name":"MAX_UUIDS_IN_QUERY","features":[46]},{"name":"MITMProtectionNotDefined","features":[46]},{"name":"MITMProtectionNotRequired","features":[46]},{"name":"MITMProtectionNotRequiredBonding","features":[46]},{"name":"MITMProtectionNotRequiredGeneralBonding","features":[46]},{"name":"MITMProtectionRequired","features":[46]},{"name":"MITMProtectionRequiredBonding","features":[46]},{"name":"MITMProtectionRequiredGeneralBonding","features":[46]},{"name":"MPSProfileID_UUID16","features":[46]},{"name":"MPSServiceClassID_UUID16","features":[46]},{"name":"MessageAccessProfileID_UUID16","features":[46]},{"name":"MessageAccessServerServiceClassID_UUID16","features":[46]},{"name":"MessageNotificationServerServiceClassID_UUID16","features":[46]},{"name":"NAPServiceClassID_UUID16","features":[46]},{"name":"NS_BTH","features":[46]},{"name":"NodeContainerType","features":[46]},{"name":"NodeContainerTypeAlternative","features":[46]},{"name":"NodeContainerTypeSequence","features":[46]},{"name":"OBEXFileTransferServiceClassID_UUID16","features":[46]},{"name":"OBEXObjectPushServiceClassID_UUID16","features":[46]},{"name":"OBEX_PROTOCOL_UUID16","features":[46]},{"name":"OBJECT_PUSH_FORMAT_ANY","features":[46]},{"name":"OBJECT_PUSH_FORMAT_ICAL_2_0","features":[46]},{"name":"OBJECT_PUSH_FORMAT_VCAL_1_0","features":[46]},{"name":"OBJECT_PUSH_FORMAT_VCARD_2_1","features":[46]},{"name":"OBJECT_PUSH_FORMAT_VCARD_3_0","features":[46]},{"name":"OBJECT_PUSH_FORMAT_VMESSAGE","features":[46]},{"name":"OBJECT_PUSH_FORMAT_VNOTE","features":[46]},{"name":"PANUServiceClassID_UUID16","features":[46]},{"name":"PFNBLUETOOTH_GATT_EVENT_CALLBACK","features":[46]},{"name":"PFN_AUTHENTICATION_CALLBACK","features":[46,1]},{"name":"PFN_AUTHENTICATION_CALLBACK_EX","features":[46,1]},{"name":"PFN_BLUETOOTH_ENUM_ATTRIBUTES_CALLBACK","features":[46,1]},{"name":"PFN_DEVICE_CALLBACK","features":[46,1]},{"name":"PF_BTH","features":[46]},{"name":"PSM_3DSP","features":[46]},{"name":"PSM_ATT","features":[46]},{"name":"PSM_AVCTP","features":[46]},{"name":"PSM_AVCTP_BROWSE","features":[46]},{"name":"PSM_AVDTP","features":[46]},{"name":"PSM_BNEP","features":[46]},{"name":"PSM_HID_CONTROL","features":[46]},{"name":"PSM_HID_INTERRUPT","features":[46]},{"name":"PSM_LE_IPSP","features":[46]},{"name":"PSM_RFCOMM","features":[46]},{"name":"PSM_SDP","features":[46]},{"name":"PSM_TCS_BIN","features":[46]},{"name":"PSM_TCS_BIN_CORDLESS","features":[46]},{"name":"PSM_UDI_C_PLANE","features":[46]},{"name":"PSM_UPNP","features":[46]},{"name":"PhonebookAccessPceServiceClassID_UUID16","features":[46]},{"name":"PhonebookAccessProfileID_UUID16","features":[46]},{"name":"PhonebookAccessPseServiceClassID_UUID16","features":[46]},{"name":"PnPInformationServiceClassID_UUID16","features":[46]},{"name":"PrintingStatusServiceClassID_UUID16","features":[46]},{"name":"PublicBrowseGroupServiceClassID_UUID16","features":[46]},{"name":"RFCOMM_CMD_MSC","features":[46]},{"name":"RFCOMM_CMD_NONE","features":[46]},{"name":"RFCOMM_CMD_RLS","features":[46]},{"name":"RFCOMM_CMD_RPN","features":[46]},{"name":"RFCOMM_CMD_RPN_REQUEST","features":[46]},{"name":"RFCOMM_CMD_RPN_RESPONSE","features":[46]},{"name":"RFCOMM_COMMAND","features":[46]},{"name":"RFCOMM_MAX_MTU","features":[46]},{"name":"RFCOMM_MIN_MTU","features":[46]},{"name":"RFCOMM_MSC_DATA","features":[46]},{"name":"RFCOMM_PROTOCOL_UUID16","features":[46]},{"name":"RFCOMM_RLS_DATA","features":[46]},{"name":"RFCOMM_RPN_DATA","features":[46]},{"name":"RLS_ERROR","features":[46]},{"name":"RLS_FRAMING","features":[46]},{"name":"RLS_OVERRUN","features":[46]},{"name":"RLS_PARITY","features":[46]},{"name":"RPN_BAUD_115200","features":[46]},{"name":"RPN_BAUD_19200","features":[46]},{"name":"RPN_BAUD_230400","features":[46]},{"name":"RPN_BAUD_2400","features":[46]},{"name":"RPN_BAUD_38400","features":[46]},{"name":"RPN_BAUD_4800","features":[46]},{"name":"RPN_BAUD_57600","features":[46]},{"name":"RPN_BAUD_7200","features":[46]},{"name":"RPN_BAUD_9600","features":[46]},{"name":"RPN_DATA_5","features":[46]},{"name":"RPN_DATA_6","features":[46]},{"name":"RPN_DATA_7","features":[46]},{"name":"RPN_DATA_8","features":[46]},{"name":"RPN_FLOW_RTC_IN","features":[46]},{"name":"RPN_FLOW_RTC_OUT","features":[46]},{"name":"RPN_FLOW_RTR_IN","features":[46]},{"name":"RPN_FLOW_RTR_OUT","features":[46]},{"name":"RPN_FLOW_X_IN","features":[46]},{"name":"RPN_FLOW_X_OUT","features":[46]},{"name":"RPN_PARAM_BAUD","features":[46]},{"name":"RPN_PARAM_DATA","features":[46]},{"name":"RPN_PARAM_PARITY","features":[46]},{"name":"RPN_PARAM_P_TYPE","features":[46]},{"name":"RPN_PARAM_RTC_IN","features":[46]},{"name":"RPN_PARAM_RTC_OUT","features":[46]},{"name":"RPN_PARAM_RTR_IN","features":[46]},{"name":"RPN_PARAM_RTR_OUT","features":[46]},{"name":"RPN_PARAM_STOP","features":[46]},{"name":"RPN_PARAM_XOFF","features":[46]},{"name":"RPN_PARAM_XON","features":[46]},{"name":"RPN_PARAM_X_IN","features":[46]},{"name":"RPN_PARAM_X_OUT","features":[46]},{"name":"RPN_PARITY_EVEN","features":[46]},{"name":"RPN_PARITY_MARK","features":[46]},{"name":"RPN_PARITY_NONE","features":[46]},{"name":"RPN_PARITY_ODD","features":[46]},{"name":"RPN_PARITY_SPACE","features":[46]},{"name":"RPN_STOP_1","features":[46]},{"name":"RPN_STOP_1_5","features":[46]},{"name":"ReferencePrintingServiceClassID_UUID16","features":[46]},{"name":"ReflectsUIServiceClassID_UUID16","features":[46]},{"name":"SAP_BIT_OFFSET","features":[46]},{"name":"SDP_ATTRIB_A2DP_SUPPORTED_FEATURES","features":[46]},{"name":"SDP_ATTRIB_ADDITIONAL_PROTOCOL_DESCRIPTOR_LIST","features":[46]},{"name":"SDP_ATTRIB_AVAILABILITY","features":[46]},{"name":"SDP_ATTRIB_AVRCP_SUPPORTED_FEATURES","features":[46]},{"name":"SDP_ATTRIB_BROWSE_GROUP_ID","features":[46]},{"name":"SDP_ATTRIB_BROWSE_GROUP_LIST","features":[46]},{"name":"SDP_ATTRIB_CLASS_ID_LIST","features":[46]},{"name":"SDP_ATTRIB_CLIENT_EXECUTABLE_URL","features":[46]},{"name":"SDP_ATTRIB_CORDLESS_EXTERNAL_NETWORK","features":[46]},{"name":"SDP_ATTRIB_DI_PRIMARY_RECORD","features":[46]},{"name":"SDP_ATTRIB_DI_PRODUCT_ID","features":[46]},{"name":"SDP_ATTRIB_DI_SPECIFICATION_ID","features":[46]},{"name":"SDP_ATTRIB_DI_VENDOR_ID","features":[46]},{"name":"SDP_ATTRIB_DI_VENDOR_ID_SOURCE","features":[46]},{"name":"SDP_ATTRIB_DI_VERSION","features":[46]},{"name":"SDP_ATTRIB_DOCUMENTATION_URL","features":[46]},{"name":"SDP_ATTRIB_FAX_AUDIO_FEEDBACK_SUPPORT","features":[46]},{"name":"SDP_ATTRIB_FAX_CLASS_1_SUPPORT","features":[46]},{"name":"SDP_ATTRIB_FAX_CLASS_2_0_SUPPORT","features":[46]},{"name":"SDP_ATTRIB_FAX_CLASS_2_SUPPORT","features":[46]},{"name":"SDP_ATTRIB_HEADSET_REMOTE_AUDIO_VOLUME_CONTROL","features":[46]},{"name":"SDP_ATTRIB_HFP_SUPPORTED_FEATURES","features":[46]},{"name":"SDP_ATTRIB_HID_BATTERY_POWER","features":[46]},{"name":"SDP_ATTRIB_HID_BOOT_DEVICE","features":[46]},{"name":"SDP_ATTRIB_HID_COUNTRY_CODE","features":[46]},{"name":"SDP_ATTRIB_HID_DESCRIPTOR_LIST","features":[46]},{"name":"SDP_ATTRIB_HID_DEVICE_RELEASE_NUMBER","features":[46]},{"name":"SDP_ATTRIB_HID_DEVICE_SUBCLASS","features":[46]},{"name":"SDP_ATTRIB_HID_LANG_ID_BASE_LIST","features":[46]},{"name":"SDP_ATTRIB_HID_NORMALLY_CONNECTABLE","features":[46]},{"name":"SDP_ATTRIB_HID_PARSER_VERSION","features":[46]},{"name":"SDP_ATTRIB_HID_PROFILE_VERSION","features":[46]},{"name":"SDP_ATTRIB_HID_RECONNECT_INITIATE","features":[46]},{"name":"SDP_ATTRIB_HID_REMOTE_WAKE","features":[46]},{"name":"SDP_ATTRIB_HID_SDP_DISABLE","features":[46]},{"name":"SDP_ATTRIB_HID_SSR_HOST_MAX_LATENCY","features":[46]},{"name":"SDP_ATTRIB_HID_SSR_HOST_MIN_TIMEOUT","features":[46]},{"name":"SDP_ATTRIB_HID_SUPERVISION_TIMEOUT","features":[46]},{"name":"SDP_ATTRIB_HID_VIRTUAL_CABLE","features":[46]},{"name":"SDP_ATTRIB_ICON_URL","features":[46]},{"name":"SDP_ATTRIB_IMAGING_SUPPORTED_CAPABILITIES","features":[46]},{"name":"SDP_ATTRIB_IMAGING_SUPPORTED_FEATURES","features":[46]},{"name":"SDP_ATTRIB_IMAGING_SUPPORTED_FUNCTIONS","features":[46]},{"name":"SDP_ATTRIB_IMAGING_TOTAL_DATA_CAPACITY","features":[46]},{"name":"SDP_ATTRIB_INFO_TIME_TO_LIVE","features":[46]},{"name":"SDP_ATTRIB_LANG_BASE_ATTRIB_ID_LIST","features":[46]},{"name":"SDP_ATTRIB_LAN_LPSUBNET","features":[46]},{"name":"SDP_ATTRIB_OBJECT_PUSH_SUPPORTED_FORMATS_LIST","features":[46]},{"name":"SDP_ATTRIB_PAN_HOME_PAGE_URL","features":[46]},{"name":"SDP_ATTRIB_PAN_MAX_NET_ACCESS_RATE","features":[46]},{"name":"SDP_ATTRIB_PAN_NETWORK_ADDRESS","features":[46]},{"name":"SDP_ATTRIB_PAN_NET_ACCESS_TYPE","features":[46]},{"name":"SDP_ATTRIB_PAN_SECURITY_DESCRIPTION","features":[46]},{"name":"SDP_ATTRIB_PAN_WAP_GATEWAY","features":[46]},{"name":"SDP_ATTRIB_PAN_WAP_STACK_TYPE","features":[46]},{"name":"SDP_ATTRIB_PROFILE_DESCRIPTOR_LIST","features":[46]},{"name":"SDP_ATTRIB_PROFILE_SPECIFIC","features":[46]},{"name":"SDP_ATTRIB_PROTOCOL_DESCRIPTOR_LIST","features":[46]},{"name":"SDP_ATTRIB_RECORD_HANDLE","features":[46]},{"name":"SDP_ATTRIB_RECORD_STATE","features":[46]},{"name":"SDP_ATTRIB_SDP_DATABASE_STATE","features":[46]},{"name":"SDP_ATTRIB_SDP_VERSION_NUMBER_LIST","features":[46]},{"name":"SDP_ATTRIB_SERVICE_ID","features":[46]},{"name":"SDP_ATTRIB_SERVICE_VERSION","features":[46]},{"name":"SDP_ATTRIB_SYNCH_SUPPORTED_DATA_STORES_LIST","features":[46]},{"name":"SDP_CONNECT_ALLOW_PIN","features":[46]},{"name":"SDP_CONNECT_CACHE","features":[46]},{"name":"SDP_DEFAULT_INQUIRY_MAX_RESPONSES","features":[46]},{"name":"SDP_DEFAULT_INQUIRY_SECONDS","features":[46]},{"name":"SDP_ELEMENT_DATA","features":[46]},{"name":"SDP_ERROR_INSUFFICIENT_RESOURCES","features":[46]},{"name":"SDP_ERROR_INVALID_CONTINUATION_STATE","features":[46]},{"name":"SDP_ERROR_INVALID_PDU_SIZE","features":[46]},{"name":"SDP_ERROR_INVALID_RECORD_HANDLE","features":[46]},{"name":"SDP_ERROR_INVALID_REQUEST_SYNTAX","features":[46]},{"name":"SDP_ERROR_INVALID_SDP_VERSION","features":[46]},{"name":"SDP_LARGE_INTEGER_16","features":[46]},{"name":"SDP_MAX_INQUIRY_SECONDS","features":[46]},{"name":"SDP_PROTOCOL_UUID16","features":[46]},{"name":"SDP_REQUEST_TO_DEFAULT","features":[46]},{"name":"SDP_REQUEST_TO_MAX","features":[46]},{"name":"SDP_REQUEST_TO_MIN","features":[46]},{"name":"SDP_SEARCH_NO_FORMAT_CHECK","features":[46]},{"name":"SDP_SEARCH_NO_PARSE_CHECK","features":[46]},{"name":"SDP_SERVICE_ATTRIBUTE_REQUEST","features":[46]},{"name":"SDP_SERVICE_SEARCH_ATTRIBUTE_REQUEST","features":[46]},{"name":"SDP_SERVICE_SEARCH_REQUEST","features":[46]},{"name":"SDP_SPECIFICTYPE","features":[46]},{"name":"SDP_STRING_TYPE_DATA","features":[46]},{"name":"SDP_ST_INT128","features":[46]},{"name":"SDP_ST_INT16","features":[46]},{"name":"SDP_ST_INT32","features":[46]},{"name":"SDP_ST_INT64","features":[46]},{"name":"SDP_ST_INT8","features":[46]},{"name":"SDP_ST_NONE","features":[46]},{"name":"SDP_ST_UINT128","features":[46]},{"name":"SDP_ST_UINT16","features":[46]},{"name":"SDP_ST_UINT32","features":[46]},{"name":"SDP_ST_UINT64","features":[46]},{"name":"SDP_ST_UINT8","features":[46]},{"name":"SDP_ST_UUID128","features":[46]},{"name":"SDP_ST_UUID16","features":[46]},{"name":"SDP_ST_UUID32","features":[46]},{"name":"SDP_TYPE","features":[46]},{"name":"SDP_TYPE_ALTERNATIVE","features":[46]},{"name":"SDP_TYPE_BOOLEAN","features":[46]},{"name":"SDP_TYPE_CONTAINER","features":[46]},{"name":"SDP_TYPE_INT","features":[46]},{"name":"SDP_TYPE_NIL","features":[46]},{"name":"SDP_TYPE_SEQUENCE","features":[46]},{"name":"SDP_TYPE_STRING","features":[46]},{"name":"SDP_TYPE_UINT","features":[46]},{"name":"SDP_TYPE_URL","features":[46]},{"name":"SDP_TYPE_UUID","features":[46]},{"name":"SDP_ULARGE_INTEGER_16","features":[46]},{"name":"SERVICE_OPTION_DO_NOT_PUBLISH","features":[46]},{"name":"SERVICE_OPTION_DO_NOT_PUBLISH_EIR","features":[46]},{"name":"SERVICE_OPTION_NO_PUBLIC_BROWSE","features":[46]},{"name":"SERVICE_SECURITY_AUTHENTICATE","features":[46]},{"name":"SERVICE_SECURITY_AUTHORIZE","features":[46]},{"name":"SERVICE_SECURITY_DISABLED","features":[46]},{"name":"SERVICE_SECURITY_ENCRYPT_OPTIONAL","features":[46]},{"name":"SERVICE_SECURITY_ENCRYPT_REQUIRED","features":[46]},{"name":"SERVICE_SECURITY_NONE","features":[46]},{"name":"SERVICE_SECURITY_NO_ASK","features":[46]},{"name":"SERVICE_SECURITY_USE_DEFAULTS","features":[46]},{"name":"SOCKADDR_BTH","features":[46]},{"name":"SOL_L2CAP","features":[46]},{"name":"SOL_RFCOMM","features":[46]},{"name":"SOL_SDP","features":[46]},{"name":"SO_BTH_AUTHENTICATE","features":[46]},{"name":"SO_BTH_ENCRYPT","features":[46]},{"name":"SO_BTH_MTU","features":[46]},{"name":"SO_BTH_MTU_MAX","features":[46]},{"name":"SO_BTH_MTU_MIN","features":[46]},{"name":"STRING_DESCRIPTION_OFFSET","features":[46]},{"name":"STRING_NAME_OFFSET","features":[46]},{"name":"STRING_PROVIDER_NAME_OFFSET","features":[46]},{"name":"STR_ADDR_FMT","features":[46]},{"name":"STR_ADDR_FMTA","features":[46]},{"name":"STR_ADDR_FMTW","features":[46]},{"name":"STR_ADDR_SHORT_FMT","features":[46]},{"name":"STR_ADDR_SHORT_FMTA","features":[46]},{"name":"STR_ADDR_SHORT_FMTW","features":[46]},{"name":"STR_USBHCI_CLASS_HARDWAREID","features":[46]},{"name":"STR_USBHCI_CLASS_HARDWAREIDA","features":[46]},{"name":"STR_USBHCI_CLASS_HARDWAREIDW","features":[46]},{"name":"SVCID_BTH_PROVIDER","features":[46]},{"name":"SYNCH_DATA_STORE_CALENDAR","features":[46]},{"name":"SYNCH_DATA_STORE_MESSAGES","features":[46]},{"name":"SYNCH_DATA_STORE_NOTES","features":[46]},{"name":"SYNCH_DATA_STORE_PHONEBOOK","features":[46]},{"name":"SdpAttributeRange","features":[46]},{"name":"SdpQueryUuid","features":[46]},{"name":"SdpQueryUuidUnion","features":[46]},{"name":"SerialPortServiceClassID_UUID16","features":[46]},{"name":"ServerCharacteristicConfiguration","features":[46]},{"name":"ServiceDiscoveryServerServiceClassID_UUID16","features":[46]},{"name":"SimAccessServiceClassID_UUID16","features":[46]},{"name":"TCP_PROTOCOL_UUID16","features":[46]},{"name":"TCSAT_PROTOCOL_UUID16","features":[46]},{"name":"TCSBIN_PROTOCOL_UUID16","features":[46]},{"name":"ThreeDimensionalDisplayServiceClassID_UUID16","features":[46]},{"name":"ThreeDimensionalGlassesServiceClassID_UUID16","features":[46]},{"name":"ThreeDimensionalSynchronizationProfileID_UUID16","features":[46]},{"name":"UDIMTServiceClassID_UUID16","features":[46]},{"name":"UDIMTServiceClass_UUID16","features":[46]},{"name":"UDITAServiceClassID_UUID16","features":[46]},{"name":"UDITAServiceClass_UUID16","features":[46]},{"name":"UDI_C_PLANE_PROTOCOL_UUID16","features":[46]},{"name":"UDP_PROTOCOL_UUID16","features":[46]},{"name":"UPNP_PROTOCOL_UUID16","features":[46]},{"name":"UPnpIpServiceClassID_UUID16","features":[46]},{"name":"UPnpServiceClassID_UUID16","features":[46]},{"name":"VideoConferencingGWServiceClassID_UUID16","features":[46]},{"name":"VideoConferencingGWServiceClass_UUID16","features":[46]},{"name":"VideoConferencingServiceClassID_UUID16","features":[46]},{"name":"VideoDistributionProfileID_UUID16","features":[46]},{"name":"VideoSinkServiceClassID_UUID16","features":[46]},{"name":"VideoSourceServiceClassID_UUID16","features":[46]},{"name":"WAPClientServiceClassID_UUID16","features":[46]},{"name":"WAPServiceClassID_UUID16","features":[46]},{"name":"WSP_PROTOCOL_UUID16","features":[46]}],"370":[{"name":"BuildCommDCBA","features":[47,1]},{"name":"BuildCommDCBAndTimeoutsA","features":[47,1]},{"name":"BuildCommDCBAndTimeoutsW","features":[47,1]},{"name":"BuildCommDCBW","features":[47,1]},{"name":"CE_BREAK","features":[47]},{"name":"CE_FRAME","features":[47]},{"name":"CE_OVERRUN","features":[47]},{"name":"CE_RXOVER","features":[47]},{"name":"CE_RXPARITY","features":[47]},{"name":"CLEAR_COMM_ERROR_FLAGS","features":[47]},{"name":"CLRBREAK","features":[47]},{"name":"CLRDTR","features":[47]},{"name":"CLRRTS","features":[47]},{"name":"COMMCONFIG","features":[47]},{"name":"COMMPROP","features":[47]},{"name":"COMMPROP_STOP_PARITY","features":[47]},{"name":"COMMTIMEOUTS","features":[47]},{"name":"COMM_EVENT_MASK","features":[47]},{"name":"COMSTAT","features":[47]},{"name":"ClearCommBreak","features":[47,1]},{"name":"ClearCommError","features":[47,1]},{"name":"CommConfigDialogA","features":[47,1]},{"name":"CommConfigDialogW","features":[47,1]},{"name":"DCB","features":[47]},{"name":"DCB_PARITY","features":[47]},{"name":"DCB_STOP_BITS","features":[47]},{"name":"DIALOPTION_BILLING","features":[47]},{"name":"DIALOPTION_DIALTONE","features":[47]},{"name":"DIALOPTION_QUIET","features":[47]},{"name":"ESCAPE_COMM_FUNCTION","features":[47]},{"name":"EVENPARITY","features":[47]},{"name":"EV_BREAK","features":[47]},{"name":"EV_CTS","features":[47]},{"name":"EV_DSR","features":[47]},{"name":"EV_ERR","features":[47]},{"name":"EV_EVENT1","features":[47]},{"name":"EV_EVENT2","features":[47]},{"name":"EV_PERR","features":[47]},{"name":"EV_RING","features":[47]},{"name":"EV_RLSD","features":[47]},{"name":"EV_RX80FULL","features":[47]},{"name":"EV_RXCHAR","features":[47]},{"name":"EV_RXFLAG","features":[47]},{"name":"EV_TXEMPTY","features":[47]},{"name":"EscapeCommFunction","features":[47,1]},{"name":"GetCommConfig","features":[47,1]},{"name":"GetCommMask","features":[47,1]},{"name":"GetCommModemStatus","features":[47,1]},{"name":"GetCommPorts","features":[47]},{"name":"GetCommProperties","features":[47,1]},{"name":"GetCommState","features":[47,1]},{"name":"GetCommTimeouts","features":[47,1]},{"name":"GetDefaultCommConfigA","features":[47,1]},{"name":"GetDefaultCommConfigW","features":[47,1]},{"name":"MARKPARITY","features":[47]},{"name":"MAXLENGTH_NAI","features":[47]},{"name":"MAXLENGTH_UICCDATASTORE","features":[47]},{"name":"MDMSPKRFLAG_CALLSETUP","features":[47]},{"name":"MDMSPKRFLAG_DIAL","features":[47]},{"name":"MDMSPKRFLAG_OFF","features":[47]},{"name":"MDMSPKRFLAG_ON","features":[47]},{"name":"MDMSPKR_CALLSETUP","features":[47]},{"name":"MDMSPKR_DIAL","features":[47]},{"name":"MDMSPKR_OFF","features":[47]},{"name":"MDMSPKR_ON","features":[47]},{"name":"MDMVOLFLAG_HIGH","features":[47]},{"name":"MDMVOLFLAG_LOW","features":[47]},{"name":"MDMVOLFLAG_MEDIUM","features":[47]},{"name":"MDMVOL_HIGH","features":[47]},{"name":"MDMVOL_LOW","features":[47]},{"name":"MDMVOL_MEDIUM","features":[47]},{"name":"MDM_ANALOG_RLP_OFF","features":[47]},{"name":"MDM_ANALOG_RLP_ON","features":[47]},{"name":"MDM_ANALOG_V34","features":[47]},{"name":"MDM_AUTO_ML_2","features":[47]},{"name":"MDM_AUTO_ML_DEFAULT","features":[47]},{"name":"MDM_AUTO_ML_NONE","features":[47]},{"name":"MDM_AUTO_SPEED_DEFAULT","features":[47]},{"name":"MDM_BEARERMODE_ANALOG","features":[47]},{"name":"MDM_BEARERMODE_GSM","features":[47]},{"name":"MDM_BEARERMODE_ISDN","features":[47]},{"name":"MDM_BLIND_DIAL","features":[47]},{"name":"MDM_CCITT_OVERRIDE","features":[47]},{"name":"MDM_CELLULAR","features":[47]},{"name":"MDM_COMPRESSION","features":[47]},{"name":"MDM_DIAGNOSTICS","features":[47]},{"name":"MDM_ERROR_CONTROL","features":[47]},{"name":"MDM_FLOWCONTROL_HARD","features":[47]},{"name":"MDM_FLOWCONTROL_SOFT","features":[47]},{"name":"MDM_FORCED_EC","features":[47]},{"name":"MDM_HDLCPPP_AUTH_CHAP","features":[47]},{"name":"MDM_HDLCPPP_AUTH_DEFAULT","features":[47]},{"name":"MDM_HDLCPPP_AUTH_MSCHAP","features":[47]},{"name":"MDM_HDLCPPP_AUTH_NONE","features":[47]},{"name":"MDM_HDLCPPP_AUTH_PAP","features":[47]},{"name":"MDM_HDLCPPP_ML_2","features":[47]},{"name":"MDM_HDLCPPP_ML_DEFAULT","features":[47]},{"name":"MDM_HDLCPPP_ML_NONE","features":[47]},{"name":"MDM_HDLCPPP_SPEED_56K","features":[47]},{"name":"MDM_HDLCPPP_SPEED_64K","features":[47]},{"name":"MDM_HDLCPPP_SPEED_DEFAULT","features":[47]},{"name":"MDM_MASK_AUTO_SPEED","features":[47]},{"name":"MDM_MASK_BEARERMODE","features":[47]},{"name":"MDM_MASK_HDLCPPP_SPEED","features":[47]},{"name":"MDM_MASK_PROTOCOLDATA","features":[47]},{"name":"MDM_MASK_PROTOCOLID","features":[47]},{"name":"MDM_MASK_V110_SPEED","features":[47]},{"name":"MDM_MASK_V120_SPEED","features":[47]},{"name":"MDM_MASK_X75_DATA","features":[47]},{"name":"MDM_PIAFS_INCOMING","features":[47]},{"name":"MDM_PIAFS_OUTGOING","features":[47]},{"name":"MDM_PROTOCOLID_ANALOG","features":[47]},{"name":"MDM_PROTOCOLID_AUTO","features":[47]},{"name":"MDM_PROTOCOLID_DEFAULT","features":[47]},{"name":"MDM_PROTOCOLID_GPRS","features":[47]},{"name":"MDM_PROTOCOLID_HDLCPPP","features":[47]},{"name":"MDM_PROTOCOLID_PIAFS","features":[47]},{"name":"MDM_PROTOCOLID_V110","features":[47]},{"name":"MDM_PROTOCOLID_V120","features":[47]},{"name":"MDM_PROTOCOLID_V128","features":[47]},{"name":"MDM_PROTOCOLID_X75","features":[47]},{"name":"MDM_SHIFT_AUTO_ML","features":[47]},{"name":"MDM_SHIFT_AUTO_SPEED","features":[47]},{"name":"MDM_SHIFT_BEARERMODE","features":[47]},{"name":"MDM_SHIFT_EXTENDEDINFO","features":[47]},{"name":"MDM_SHIFT_HDLCPPP_AUTH","features":[47]},{"name":"MDM_SHIFT_HDLCPPP_ML","features":[47]},{"name":"MDM_SHIFT_HDLCPPP_SPEED","features":[47]},{"name":"MDM_SHIFT_PROTOCOLDATA","features":[47]},{"name":"MDM_SHIFT_PROTOCOLID","features":[47]},{"name":"MDM_SHIFT_PROTOCOLINFO","features":[47]},{"name":"MDM_SHIFT_V110_SPEED","features":[47]},{"name":"MDM_SHIFT_V120_ML","features":[47]},{"name":"MDM_SHIFT_V120_SPEED","features":[47]},{"name":"MDM_SHIFT_X75_DATA","features":[47]},{"name":"MDM_SPEED_ADJUST","features":[47]},{"name":"MDM_TONE_DIAL","features":[47]},{"name":"MDM_V110_SPEED_12DOT0K","features":[47]},{"name":"MDM_V110_SPEED_14DOT4K","features":[47]},{"name":"MDM_V110_SPEED_19DOT2K","features":[47]},{"name":"MDM_V110_SPEED_1DOT2K","features":[47]},{"name":"MDM_V110_SPEED_28DOT8K","features":[47]},{"name":"MDM_V110_SPEED_2DOT4K","features":[47]},{"name":"MDM_V110_SPEED_38DOT4K","features":[47]},{"name":"MDM_V110_SPEED_4DOT8K","features":[47]},{"name":"MDM_V110_SPEED_57DOT6K","features":[47]},{"name":"MDM_V110_SPEED_9DOT6K","features":[47]},{"name":"MDM_V110_SPEED_DEFAULT","features":[47]},{"name":"MDM_V120_ML_2","features":[47]},{"name":"MDM_V120_ML_DEFAULT","features":[47]},{"name":"MDM_V120_ML_NONE","features":[47]},{"name":"MDM_V120_SPEED_56K","features":[47]},{"name":"MDM_V120_SPEED_64K","features":[47]},{"name":"MDM_V120_SPEED_DEFAULT","features":[47]},{"name":"MDM_V23_OVERRIDE","features":[47]},{"name":"MDM_X75_DATA_128K","features":[47]},{"name":"MDM_X75_DATA_64K","features":[47]},{"name":"MDM_X75_DATA_BTX","features":[47]},{"name":"MDM_X75_DATA_DEFAULT","features":[47]},{"name":"MDM_X75_DATA_T_70","features":[47]},{"name":"MODEMDEVCAPS","features":[47]},{"name":"MODEMDEVCAPS_DIAL_OPTIONS","features":[47]},{"name":"MODEMDEVCAPS_SPEAKER_MODE","features":[47]},{"name":"MODEMDEVCAPS_SPEAKER_VOLUME","features":[47]},{"name":"MODEMSETTINGS","features":[47]},{"name":"MODEMSETTINGS_SPEAKER_MODE","features":[47]},{"name":"MODEM_SPEAKER_VOLUME","features":[47]},{"name":"MODEM_STATUS_FLAGS","features":[47]},{"name":"MS_CTS_ON","features":[47]},{"name":"MS_DSR_ON","features":[47]},{"name":"MS_RING_ON","features":[47]},{"name":"MS_RLSD_ON","features":[47]},{"name":"NOPARITY","features":[47]},{"name":"ODDPARITY","features":[47]},{"name":"ONE5STOPBITS","features":[47]},{"name":"ONESTOPBIT","features":[47]},{"name":"OpenCommPort","features":[47,1]},{"name":"PARITY_EVEN","features":[47]},{"name":"PARITY_MARK","features":[47]},{"name":"PARITY_NONE","features":[47]},{"name":"PARITY_ODD","features":[47]},{"name":"PARITY_SPACE","features":[47]},{"name":"PURGE_COMM_FLAGS","features":[47]},{"name":"PURGE_RXABORT","features":[47]},{"name":"PURGE_RXCLEAR","features":[47]},{"name":"PURGE_TXABORT","features":[47]},{"name":"PURGE_TXCLEAR","features":[47]},{"name":"PurgeComm","features":[47,1]},{"name":"SETBREAK","features":[47]},{"name":"SETDTR","features":[47]},{"name":"SETRTS","features":[47]},{"name":"SETXOFF","features":[47]},{"name":"SETXON","features":[47]},{"name":"SID_3GPP_SUPSVCMODEL","features":[47]},{"name":"SPACEPARITY","features":[47]},{"name":"STOPBITS_10","features":[47]},{"name":"STOPBITS_15","features":[47]},{"name":"STOPBITS_20","features":[47]},{"name":"SetCommBreak","features":[47,1]},{"name":"SetCommConfig","features":[47,1]},{"name":"SetCommMask","features":[47,1]},{"name":"SetCommState","features":[47,1]},{"name":"SetCommTimeouts","features":[47,1]},{"name":"SetDefaultCommConfigA","features":[47,1]},{"name":"SetDefaultCommConfigW","features":[47,1]},{"name":"SetupComm","features":[47,1]},{"name":"TWOSTOPBITS","features":[47]},{"name":"TransmitCommChar","features":[47,1]},{"name":"WaitCommEvent","features":[47,1,6]}],"372":[{"name":"ALLOC_LOG_CONF","features":[48]},{"name":"BASIC_LOG_CONF","features":[48]},{"name":"BOOT_LOG_CONF","features":[48]},{"name":"BUSNUMBER_DES","features":[48]},{"name":"BUSNUMBER_RANGE","features":[48]},{"name":"BUSNUMBER_RESOURCE","features":[48]},{"name":"CABINET_INFO_A","features":[48]},{"name":"CABINET_INFO_A","features":[48]},{"name":"CABINET_INFO_W","features":[48]},{"name":"CABINET_INFO_W","features":[48]},{"name":"CMP_WaitNoPendingInstallEvents","features":[48]},{"name":"CM_ADD_ID_BITS","features":[48]},{"name":"CM_ADD_ID_COMPATIBLE","features":[48]},{"name":"CM_ADD_ID_HARDWARE","features":[48]},{"name":"CM_ADD_RANGE_ADDIFCONFLICT","features":[48]},{"name":"CM_ADD_RANGE_BITS","features":[48]},{"name":"CM_ADD_RANGE_DONOTADDIFCONFLICT","features":[48]},{"name":"CM_Add_Empty_Log_Conf","features":[39,48]},{"name":"CM_Add_Empty_Log_Conf_Ex","features":[39,48]},{"name":"CM_Add_IDA","features":[48]},{"name":"CM_Add_IDW","features":[48]},{"name":"CM_Add_ID_ExA","features":[48]},{"name":"CM_Add_ID_ExW","features":[48]},{"name":"CM_Add_Range","features":[48]},{"name":"CM_Add_Res_Des","features":[48]},{"name":"CM_Add_Res_Des_Ex","features":[48]},{"name":"CM_CDFLAGS","features":[48]},{"name":"CM_CDFLAGS_DRIVER","features":[48]},{"name":"CM_CDFLAGS_RESERVED","features":[48]},{"name":"CM_CDFLAGS_ROOT_OWNED","features":[48]},{"name":"CM_CDMASK","features":[48]},{"name":"CM_CDMASK_DESCRIPTION","features":[48]},{"name":"CM_CDMASK_DEVINST","features":[48]},{"name":"CM_CDMASK_FLAGS","features":[48]},{"name":"CM_CDMASK_RESDES","features":[48]},{"name":"CM_CDMASK_VALID","features":[48]},{"name":"CM_CLASS_PROPERTY_BITS","features":[48]},{"name":"CM_CLASS_PROPERTY_INSTALLER","features":[48]},{"name":"CM_CLASS_PROPERTY_INTERFACE","features":[48]},{"name":"CM_CREATE_DEVINST_BITS","features":[48]},{"name":"CM_CREATE_DEVINST_DO_NOT_INSTALL","features":[48]},{"name":"CM_CREATE_DEVINST_GENERATE_ID","features":[48]},{"name":"CM_CREATE_DEVINST_NORMAL","features":[48]},{"name":"CM_CREATE_DEVINST_NO_WAIT_INSTALL","features":[48]},{"name":"CM_CREATE_DEVINST_PHANTOM","features":[48]},{"name":"CM_CREATE_DEVNODE_BITS","features":[48]},{"name":"CM_CREATE_DEVNODE_DO_NOT_INSTALL","features":[48]},{"name":"CM_CREATE_DEVNODE_GENERATE_ID","features":[48]},{"name":"CM_CREATE_DEVNODE_NORMAL","features":[48]},{"name":"CM_CREATE_DEVNODE_NO_WAIT_INSTALL","features":[48]},{"name":"CM_CREATE_DEVNODE_PHANTOM","features":[48]},{"name":"CM_CRP_CHARACTERISTICS","features":[48]},{"name":"CM_CRP_DEVTYPE","features":[48]},{"name":"CM_CRP_EXCLUSIVE","features":[48]},{"name":"CM_CRP_LOWERFILTERS","features":[48]},{"name":"CM_CRP_MAX","features":[48]},{"name":"CM_CRP_MIN","features":[48]},{"name":"CM_CRP_SECURITY","features":[48]},{"name":"CM_CRP_SECURITY_SDS","features":[48]},{"name":"CM_CRP_UPPERFILTERS","features":[48]},{"name":"CM_CUSTOMDEVPROP_BITS","features":[48]},{"name":"CM_CUSTOMDEVPROP_MERGE_MULTISZ","features":[48]},{"name":"CM_Connect_MachineA","features":[48]},{"name":"CM_Connect_MachineW","features":[48]},{"name":"CM_Create_DevNodeA","features":[48]},{"name":"CM_Create_DevNodeW","features":[48]},{"name":"CM_Create_DevNode_ExA","features":[48]},{"name":"CM_Create_DevNode_ExW","features":[48]},{"name":"CM_Create_Range_List","features":[48]},{"name":"CM_DELETE_CLASS_BITS","features":[48]},{"name":"CM_DELETE_CLASS_INTERFACE","features":[48]},{"name":"CM_DELETE_CLASS_ONLY","features":[48]},{"name":"CM_DELETE_CLASS_SUBKEYS","features":[48]},{"name":"CM_DETECT_BITS","features":[48]},{"name":"CM_DETECT_CRASHED","features":[48]},{"name":"CM_DETECT_HWPROF_FIRST_BOOT","features":[48]},{"name":"CM_DETECT_NEW_PROFILE","features":[48]},{"name":"CM_DETECT_RUN","features":[48]},{"name":"CM_DEVCAP","features":[48]},{"name":"CM_DEVCAP_DOCKDEVICE","features":[48]},{"name":"CM_DEVCAP_EJECTSUPPORTED","features":[48]},{"name":"CM_DEVCAP_HARDWAREDISABLED","features":[48]},{"name":"CM_DEVCAP_LOCKSUPPORTED","features":[48]},{"name":"CM_DEVCAP_NONDYNAMIC","features":[48]},{"name":"CM_DEVCAP_RAWDEVICEOK","features":[48]},{"name":"CM_DEVCAP_REMOVABLE","features":[48]},{"name":"CM_DEVCAP_SECUREDEVICE","features":[48]},{"name":"CM_DEVCAP_SILENTINSTALL","features":[48]},{"name":"CM_DEVCAP_SURPRISEREMOVALOK","features":[48]},{"name":"CM_DEVCAP_UNIQUEID","features":[48]},{"name":"CM_DEVICE_PANEL_EDGE_BOTTOM","features":[48]},{"name":"CM_DEVICE_PANEL_EDGE_LEFT","features":[48]},{"name":"CM_DEVICE_PANEL_EDGE_RIGHT","features":[48]},{"name":"CM_DEVICE_PANEL_EDGE_TOP","features":[48]},{"name":"CM_DEVICE_PANEL_EDGE_UNKNOWN","features":[48]},{"name":"CM_DEVICE_PANEL_JOINT_TYPE_HINGE","features":[48]},{"name":"CM_DEVICE_PANEL_JOINT_TYPE_PIVOT","features":[48]},{"name":"CM_DEVICE_PANEL_JOINT_TYPE_PLANAR","features":[48]},{"name":"CM_DEVICE_PANEL_JOINT_TYPE_SWIVEL","features":[48]},{"name":"CM_DEVICE_PANEL_JOINT_TYPE_UNKNOWN","features":[48]},{"name":"CM_DEVICE_PANEL_ORIENTATION_HORIZONTAL","features":[48]},{"name":"CM_DEVICE_PANEL_ORIENTATION_VERTICAL","features":[48]},{"name":"CM_DEVICE_PANEL_SHAPE_OVAL","features":[48]},{"name":"CM_DEVICE_PANEL_SHAPE_RECTANGLE","features":[48]},{"name":"CM_DEVICE_PANEL_SHAPE_UNKNOWN","features":[48]},{"name":"CM_DEVICE_PANEL_SIDE_BACK","features":[48]},{"name":"CM_DEVICE_PANEL_SIDE_BOTTOM","features":[48]},{"name":"CM_DEVICE_PANEL_SIDE_FRONT","features":[48]},{"name":"CM_DEVICE_PANEL_SIDE_LEFT","features":[48]},{"name":"CM_DEVICE_PANEL_SIDE_RIGHT","features":[48]},{"name":"CM_DEVICE_PANEL_SIDE_TOP","features":[48]},{"name":"CM_DEVICE_PANEL_SIDE_UNKNOWN","features":[48]},{"name":"CM_DEVNODE_STATUS_FLAGS","features":[48]},{"name":"CM_DISABLE_ABSOLUTE","features":[48]},{"name":"CM_DISABLE_BITS","features":[48]},{"name":"CM_DISABLE_HARDWARE","features":[48]},{"name":"CM_DISABLE_PERSIST","features":[48]},{"name":"CM_DISABLE_POLITE","features":[48]},{"name":"CM_DISABLE_UI_NOT_OK","features":[48]},{"name":"CM_DRP_ADDRESS","features":[48]},{"name":"CM_DRP_BASE_CONTAINERID","features":[48]},{"name":"CM_DRP_BUSNUMBER","features":[48]},{"name":"CM_DRP_BUSTYPEGUID","features":[48]},{"name":"CM_DRP_CAPABILITIES","features":[48]},{"name":"CM_DRP_CHARACTERISTICS","features":[48]},{"name":"CM_DRP_CLASS","features":[48]},{"name":"CM_DRP_CLASSGUID","features":[48]},{"name":"CM_DRP_COMPATIBLEIDS","features":[48]},{"name":"CM_DRP_CONFIGFLAGS","features":[48]},{"name":"CM_DRP_DEVICEDESC","features":[48]},{"name":"CM_DRP_DEVICE_POWER_DATA","features":[48]},{"name":"CM_DRP_DEVTYPE","features":[48]},{"name":"CM_DRP_DRIVER","features":[48]},{"name":"CM_DRP_ENUMERATOR_NAME","features":[48]},{"name":"CM_DRP_EXCLUSIVE","features":[48]},{"name":"CM_DRP_FRIENDLYNAME","features":[48]},{"name":"CM_DRP_HARDWAREID","features":[48]},{"name":"CM_DRP_INSTALL_STATE","features":[48]},{"name":"CM_DRP_LEGACYBUSTYPE","features":[48]},{"name":"CM_DRP_LOCATION_INFORMATION","features":[48]},{"name":"CM_DRP_LOCATION_PATHS","features":[48]},{"name":"CM_DRP_LOWERFILTERS","features":[48]},{"name":"CM_DRP_MAX","features":[48]},{"name":"CM_DRP_MFG","features":[48]},{"name":"CM_DRP_MIN","features":[48]},{"name":"CM_DRP_PHYSICAL_DEVICE_OBJECT_NAME","features":[48]},{"name":"CM_DRP_REMOVAL_POLICY","features":[48]},{"name":"CM_DRP_REMOVAL_POLICY_HW_DEFAULT","features":[48]},{"name":"CM_DRP_REMOVAL_POLICY_OVERRIDE","features":[48]},{"name":"CM_DRP_SECURITY","features":[48]},{"name":"CM_DRP_SECURITY_SDS","features":[48]},{"name":"CM_DRP_SERVICE","features":[48]},{"name":"CM_DRP_UI_NUMBER","features":[48]},{"name":"CM_DRP_UI_NUMBER_DESC_FORMAT","features":[48]},{"name":"CM_DRP_UNUSED0","features":[48]},{"name":"CM_DRP_UNUSED1","features":[48]},{"name":"CM_DRP_UNUSED2","features":[48]},{"name":"CM_DRP_UPPERFILTERS","features":[48]},{"name":"CM_Delete_Class_Key","features":[48]},{"name":"CM_Delete_Class_Key_Ex","features":[48]},{"name":"CM_Delete_DevNode_Key","features":[48]},{"name":"CM_Delete_DevNode_Key_Ex","features":[48]},{"name":"CM_Delete_Device_Interface_KeyA","features":[48]},{"name":"CM_Delete_Device_Interface_KeyW","features":[48]},{"name":"CM_Delete_Device_Interface_Key_ExA","features":[48]},{"name":"CM_Delete_Device_Interface_Key_ExW","features":[48]},{"name":"CM_Delete_Range","features":[48]},{"name":"CM_Detect_Resource_Conflict","features":[48,1]},{"name":"CM_Detect_Resource_Conflict_Ex","features":[48,1]},{"name":"CM_Disable_DevNode","features":[48]},{"name":"CM_Disable_DevNode_Ex","features":[48]},{"name":"CM_Disconnect_Machine","features":[48]},{"name":"CM_Dup_Range_List","features":[48]},{"name":"CM_ENUMERATE_CLASSES_BITS","features":[48]},{"name":"CM_ENUMERATE_CLASSES_INSTALLER","features":[48]},{"name":"CM_ENUMERATE_CLASSES_INTERFACE","features":[48]},{"name":"CM_ENUMERATE_FLAGS","features":[48]},{"name":"CM_Enable_DevNode","features":[48]},{"name":"CM_Enable_DevNode_Ex","features":[48]},{"name":"CM_Enumerate_Classes","features":[48]},{"name":"CM_Enumerate_Classes_Ex","features":[48]},{"name":"CM_Enumerate_EnumeratorsA","features":[48]},{"name":"CM_Enumerate_EnumeratorsW","features":[48]},{"name":"CM_Enumerate_Enumerators_ExA","features":[48]},{"name":"CM_Enumerate_Enumerators_ExW","features":[48]},{"name":"CM_Find_Range","features":[48]},{"name":"CM_First_Range","features":[48]},{"name":"CM_Free_Log_Conf","features":[48]},{"name":"CM_Free_Log_Conf_Ex","features":[48]},{"name":"CM_Free_Log_Conf_Handle","features":[48]},{"name":"CM_Free_Range_List","features":[48]},{"name":"CM_Free_Res_Des","features":[48]},{"name":"CM_Free_Res_Des_Ex","features":[48]},{"name":"CM_Free_Res_Des_Handle","features":[48]},{"name":"CM_Free_Resource_Conflict_Handle","features":[48]},{"name":"CM_GETIDLIST_DONOTGENERATE","features":[48]},{"name":"CM_GETIDLIST_FILTER_BITS","features":[48]},{"name":"CM_GETIDLIST_FILTER_BUSRELATIONS","features":[48]},{"name":"CM_GETIDLIST_FILTER_CLASS","features":[48]},{"name":"CM_GETIDLIST_FILTER_EJECTRELATIONS","features":[48]},{"name":"CM_GETIDLIST_FILTER_ENUMERATOR","features":[48]},{"name":"CM_GETIDLIST_FILTER_NONE","features":[48]},{"name":"CM_GETIDLIST_FILTER_POWERRELATIONS","features":[48]},{"name":"CM_GETIDLIST_FILTER_PRESENT","features":[48]},{"name":"CM_GETIDLIST_FILTER_REMOVALRELATIONS","features":[48]},{"name":"CM_GETIDLIST_FILTER_SERVICE","features":[48]},{"name":"CM_GETIDLIST_FILTER_TRANSPORTRELATIONS","features":[48]},{"name":"CM_GET_DEVICE_INTERFACE_LIST_ALL_DEVICES","features":[48]},{"name":"CM_GET_DEVICE_INTERFACE_LIST_BITS","features":[48]},{"name":"CM_GET_DEVICE_INTERFACE_LIST_FLAGS","features":[48]},{"name":"CM_GET_DEVICE_INTERFACE_LIST_PRESENT","features":[48]},{"name":"CM_GLOBAL_STATE_CAN_DO_UI","features":[48]},{"name":"CM_GLOBAL_STATE_DETECTION_PENDING","features":[48]},{"name":"CM_GLOBAL_STATE_ON_BIG_STACK","features":[48]},{"name":"CM_GLOBAL_STATE_REBOOT_REQUIRED","features":[48]},{"name":"CM_GLOBAL_STATE_SERVICES_AVAILABLE","features":[48]},{"name":"CM_GLOBAL_STATE_SHUTTING_DOWN","features":[48]},{"name":"CM_Get_Child","features":[48]},{"name":"CM_Get_Child_Ex","features":[48]},{"name":"CM_Get_Class_Key_NameA","features":[48]},{"name":"CM_Get_Class_Key_NameW","features":[48]},{"name":"CM_Get_Class_Key_Name_ExA","features":[48]},{"name":"CM_Get_Class_Key_Name_ExW","features":[48]},{"name":"CM_Get_Class_NameA","features":[48]},{"name":"CM_Get_Class_NameW","features":[48]},{"name":"CM_Get_Class_Name_ExA","features":[48]},{"name":"CM_Get_Class_Name_ExW","features":[48]},{"name":"CM_Get_Class_PropertyW","features":[48,35]},{"name":"CM_Get_Class_Property_ExW","features":[48,35]},{"name":"CM_Get_Class_Property_Keys","features":[48,35]},{"name":"CM_Get_Class_Property_Keys_Ex","features":[48,35]},{"name":"CM_Get_Class_Registry_PropertyA","features":[48]},{"name":"CM_Get_Class_Registry_PropertyW","features":[48]},{"name":"CM_Get_Depth","features":[48]},{"name":"CM_Get_Depth_Ex","features":[48]},{"name":"CM_Get_DevNode_Custom_PropertyA","features":[48]},{"name":"CM_Get_DevNode_Custom_PropertyW","features":[48]},{"name":"CM_Get_DevNode_Custom_Property_ExA","features":[48]},{"name":"CM_Get_DevNode_Custom_Property_ExW","features":[48]},{"name":"CM_Get_DevNode_PropertyW","features":[48,35]},{"name":"CM_Get_DevNode_Property_ExW","features":[48,35]},{"name":"CM_Get_DevNode_Property_Keys","features":[48,35]},{"name":"CM_Get_DevNode_Property_Keys_Ex","features":[48,35]},{"name":"CM_Get_DevNode_Registry_PropertyA","features":[48]},{"name":"CM_Get_DevNode_Registry_PropertyW","features":[48]},{"name":"CM_Get_DevNode_Registry_Property_ExA","features":[48]},{"name":"CM_Get_DevNode_Registry_Property_ExW","features":[48]},{"name":"CM_Get_DevNode_Status","features":[48]},{"name":"CM_Get_DevNode_Status_Ex","features":[48]},{"name":"CM_Get_Device_IDA","features":[48]},{"name":"CM_Get_Device_IDW","features":[48]},{"name":"CM_Get_Device_ID_ExA","features":[48]},{"name":"CM_Get_Device_ID_ExW","features":[48]},{"name":"CM_Get_Device_ID_ListA","features":[48]},{"name":"CM_Get_Device_ID_ListW","features":[48]},{"name":"CM_Get_Device_ID_List_ExA","features":[48]},{"name":"CM_Get_Device_ID_List_ExW","features":[48]},{"name":"CM_Get_Device_ID_List_SizeA","features":[48]},{"name":"CM_Get_Device_ID_List_SizeW","features":[48]},{"name":"CM_Get_Device_ID_List_Size_ExA","features":[48]},{"name":"CM_Get_Device_ID_List_Size_ExW","features":[48]},{"name":"CM_Get_Device_ID_Size","features":[48]},{"name":"CM_Get_Device_ID_Size_Ex","features":[48]},{"name":"CM_Get_Device_Interface_AliasA","features":[48]},{"name":"CM_Get_Device_Interface_AliasW","features":[48]},{"name":"CM_Get_Device_Interface_Alias_ExA","features":[48]},{"name":"CM_Get_Device_Interface_Alias_ExW","features":[48]},{"name":"CM_Get_Device_Interface_ListA","features":[48]},{"name":"CM_Get_Device_Interface_ListW","features":[48]},{"name":"CM_Get_Device_Interface_List_ExA","features":[48]},{"name":"CM_Get_Device_Interface_List_ExW","features":[48]},{"name":"CM_Get_Device_Interface_List_SizeA","features":[48]},{"name":"CM_Get_Device_Interface_List_SizeW","features":[48]},{"name":"CM_Get_Device_Interface_List_Size_ExA","features":[48]},{"name":"CM_Get_Device_Interface_List_Size_ExW","features":[48]},{"name":"CM_Get_Device_Interface_PropertyW","features":[48,35]},{"name":"CM_Get_Device_Interface_Property_ExW","features":[48,35]},{"name":"CM_Get_Device_Interface_Property_KeysW","features":[48,35]},{"name":"CM_Get_Device_Interface_Property_Keys_ExW","features":[48,35]},{"name":"CM_Get_First_Log_Conf","features":[48]},{"name":"CM_Get_First_Log_Conf_Ex","features":[48]},{"name":"CM_Get_Global_State","features":[48]},{"name":"CM_Get_Global_State_Ex","features":[48]},{"name":"CM_Get_HW_Prof_FlagsA","features":[48]},{"name":"CM_Get_HW_Prof_FlagsW","features":[48]},{"name":"CM_Get_HW_Prof_Flags_ExA","features":[48]},{"name":"CM_Get_HW_Prof_Flags_ExW","features":[48]},{"name":"CM_Get_Hardware_Profile_InfoA","features":[48]},{"name":"CM_Get_Hardware_Profile_InfoW","features":[48]},{"name":"CM_Get_Hardware_Profile_Info_ExA","features":[48]},{"name":"CM_Get_Hardware_Profile_Info_ExW","features":[48]},{"name":"CM_Get_Log_Conf_Priority","features":[48]},{"name":"CM_Get_Log_Conf_Priority_Ex","features":[48]},{"name":"CM_Get_Next_Log_Conf","features":[48]},{"name":"CM_Get_Next_Log_Conf_Ex","features":[48]},{"name":"CM_Get_Next_Res_Des","features":[48]},{"name":"CM_Get_Next_Res_Des_Ex","features":[48]},{"name":"CM_Get_Parent","features":[48]},{"name":"CM_Get_Parent_Ex","features":[48]},{"name":"CM_Get_Res_Des_Data","features":[48]},{"name":"CM_Get_Res_Des_Data_Ex","features":[48]},{"name":"CM_Get_Res_Des_Data_Size","features":[48]},{"name":"CM_Get_Res_Des_Data_Size_Ex","features":[48]},{"name":"CM_Get_Resource_Conflict_Count","features":[48]},{"name":"CM_Get_Resource_Conflict_DetailsA","features":[48]},{"name":"CM_Get_Resource_Conflict_DetailsW","features":[48]},{"name":"CM_Get_Sibling","features":[48]},{"name":"CM_Get_Sibling_Ex","features":[48]},{"name":"CM_Get_Version","features":[48]},{"name":"CM_Get_Version_Ex","features":[48]},{"name":"CM_HWPI_DOCKED","features":[48]},{"name":"CM_HWPI_NOT_DOCKABLE","features":[48]},{"name":"CM_HWPI_UNDOCKED","features":[48]},{"name":"CM_INSTALL_STATE","features":[48]},{"name":"CM_INSTALL_STATE_FAILED_INSTALL","features":[48]},{"name":"CM_INSTALL_STATE_FINISH_INSTALL","features":[48]},{"name":"CM_INSTALL_STATE_INSTALLED","features":[48]},{"name":"CM_INSTALL_STATE_NEEDS_REINSTALL","features":[48]},{"name":"CM_Intersect_Range_List","features":[48]},{"name":"CM_Invert_Range_List","features":[48]},{"name":"CM_Is_Dock_Station_Present","features":[48,1]},{"name":"CM_Is_Dock_Station_Present_Ex","features":[48,1]},{"name":"CM_Is_Version_Available","features":[48,1]},{"name":"CM_Is_Version_Available_Ex","features":[48,1]},{"name":"CM_LOCATE_DEVNODE_BITS","features":[48]},{"name":"CM_LOCATE_DEVNODE_CANCELREMOVE","features":[48]},{"name":"CM_LOCATE_DEVNODE_FLAGS","features":[48]},{"name":"CM_LOCATE_DEVNODE_NORMAL","features":[48]},{"name":"CM_LOCATE_DEVNODE_NOVALIDATION","features":[48]},{"name":"CM_LOCATE_DEVNODE_PHANTOM","features":[48]},{"name":"CM_LOG_CONF","features":[48]},{"name":"CM_Locate_DevNodeA","features":[48]},{"name":"CM_Locate_DevNodeW","features":[48]},{"name":"CM_Locate_DevNode_ExA","features":[48]},{"name":"CM_Locate_DevNode_ExW","features":[48]},{"name":"CM_MapCrToWin32Err","features":[48]},{"name":"CM_Merge_Range_List","features":[48]},{"name":"CM_Modify_Res_Des","features":[48]},{"name":"CM_Modify_Res_Des_Ex","features":[48]},{"name":"CM_Move_DevNode","features":[48]},{"name":"CM_Move_DevNode_Ex","features":[48]},{"name":"CM_NAME_ATTRIBUTE_NAME_RETRIEVED_FROM_DEVICE","features":[48]},{"name":"CM_NAME_ATTRIBUTE_USER_ASSIGNED_NAME","features":[48]},{"name":"CM_NOTIFY_ACTION","features":[48]},{"name":"CM_NOTIFY_ACTION_DEVICECUSTOMEVENT","features":[48]},{"name":"CM_NOTIFY_ACTION_DEVICEINSTANCEENUMERATED","features":[48]},{"name":"CM_NOTIFY_ACTION_DEVICEINSTANCEREMOVED","features":[48]},{"name":"CM_NOTIFY_ACTION_DEVICEINSTANCESTARTED","features":[48]},{"name":"CM_NOTIFY_ACTION_DEVICEINTERFACEARRIVAL","features":[48]},{"name":"CM_NOTIFY_ACTION_DEVICEINTERFACEREMOVAL","features":[48]},{"name":"CM_NOTIFY_ACTION_DEVICEQUERYREMOVE","features":[48]},{"name":"CM_NOTIFY_ACTION_DEVICEQUERYREMOVEFAILED","features":[48]},{"name":"CM_NOTIFY_ACTION_DEVICEREMOVECOMPLETE","features":[48]},{"name":"CM_NOTIFY_ACTION_DEVICEREMOVEPENDING","features":[48]},{"name":"CM_NOTIFY_ACTION_MAX","features":[48]},{"name":"CM_NOTIFY_EVENT_DATA","features":[48]},{"name":"CM_NOTIFY_FILTER","features":[48,1]},{"name":"CM_NOTIFY_FILTER_FLAG_ALL_DEVICE_INSTANCES","features":[48]},{"name":"CM_NOTIFY_FILTER_FLAG_ALL_INTERFACE_CLASSES","features":[48]},{"name":"CM_NOTIFY_FILTER_TYPE","features":[48]},{"name":"CM_NOTIFY_FILTER_TYPE_DEVICEHANDLE","features":[48]},{"name":"CM_NOTIFY_FILTER_TYPE_DEVICEINSTANCE","features":[48]},{"name":"CM_NOTIFY_FILTER_TYPE_DEVICEINTERFACE","features":[48]},{"name":"CM_NOTIFY_FILTER_TYPE_MAX","features":[48]},{"name":"CM_Next_Range","features":[48]},{"name":"CM_OPEN_CLASS_KEY_BITS","features":[48]},{"name":"CM_OPEN_CLASS_KEY_INSTALLER","features":[48]},{"name":"CM_OPEN_CLASS_KEY_INTERFACE","features":[48]},{"name":"CM_Open_Class_KeyA","features":[48,49]},{"name":"CM_Open_Class_KeyW","features":[48,49]},{"name":"CM_Open_Class_Key_ExA","features":[48,49]},{"name":"CM_Open_Class_Key_ExW","features":[48,49]},{"name":"CM_Open_DevNode_Key","features":[48,49]},{"name":"CM_Open_DevNode_Key_Ex","features":[48,49]},{"name":"CM_Open_Device_Interface_KeyA","features":[48,49]},{"name":"CM_Open_Device_Interface_KeyW","features":[48,49]},{"name":"CM_Open_Device_Interface_Key_ExA","features":[48,49]},{"name":"CM_Open_Device_Interface_Key_ExW","features":[48,49]},{"name":"CM_PROB","features":[48]},{"name":"CM_PROB_BIOS_TABLE","features":[48]},{"name":"CM_PROB_BOOT_CONFIG_CONFLICT","features":[48]},{"name":"CM_PROB_CANT_SHARE_IRQ","features":[48]},{"name":"CM_PROB_CONSOLE_LOCKED","features":[48]},{"name":"CM_PROB_DEVICE_NOT_THERE","features":[48]},{"name":"CM_PROB_DEVICE_RESET","features":[48]},{"name":"CM_PROB_DEVLOADER_FAILED","features":[48]},{"name":"CM_PROB_DEVLOADER_NOT_FOUND","features":[48]},{"name":"CM_PROB_DEVLOADER_NOT_READY","features":[48]},{"name":"CM_PROB_DISABLED","features":[48]},{"name":"CM_PROB_DISABLED_SERVICE","features":[48]},{"name":"CM_PROB_DRIVER_BLOCKED","features":[48]},{"name":"CM_PROB_DRIVER_FAILED_LOAD","features":[48]},{"name":"CM_PROB_DRIVER_FAILED_PRIOR_UNLOAD","features":[48]},{"name":"CM_PROB_DRIVER_SERVICE_KEY_INVALID","features":[48]},{"name":"CM_PROB_DUPLICATE_DEVICE","features":[48]},{"name":"CM_PROB_ENTRY_IS_WRONG_TYPE","features":[48]},{"name":"CM_PROB_FAILED_ADD","features":[48]},{"name":"CM_PROB_FAILED_DRIVER_ENTRY","features":[48]},{"name":"CM_PROB_FAILED_FILTER","features":[48]},{"name":"CM_PROB_FAILED_INSTALL","features":[48]},{"name":"CM_PROB_FAILED_POST_START","features":[48]},{"name":"CM_PROB_FAILED_START","features":[48]},{"name":"CM_PROB_GUEST_ASSIGNMENT_FAILED","features":[48]},{"name":"CM_PROB_HALTED","features":[48]},{"name":"CM_PROB_HARDWARE_DISABLED","features":[48]},{"name":"CM_PROB_HELD_FOR_EJECT","features":[48]},{"name":"CM_PROB_INVALID_DATA","features":[48]},{"name":"CM_PROB_IRQ_TRANSLATION_FAILED","features":[48]},{"name":"CM_PROB_LACKED_ARBITRATOR","features":[48]},{"name":"CM_PROB_LEGACY_SERVICE_NO_DEVICES","features":[48]},{"name":"CM_PROB_LIAR","features":[48]},{"name":"CM_PROB_MOVED","features":[48]},{"name":"CM_PROB_NEED_CLASS_CONFIG","features":[48]},{"name":"CM_PROB_NEED_RESTART","features":[48]},{"name":"CM_PROB_NORMAL_CONFLICT","features":[48]},{"name":"CM_PROB_NOT_CONFIGURED","features":[48]},{"name":"CM_PROB_NOT_VERIFIED","features":[48]},{"name":"CM_PROB_NO_SOFTCONFIG","features":[48]},{"name":"CM_PROB_NO_VALID_LOG_CONF","features":[48]},{"name":"CM_PROB_OUT_OF_MEMORY","features":[48]},{"name":"CM_PROB_PARTIAL_LOG_CONF","features":[48]},{"name":"CM_PROB_PHANTOM","features":[48]},{"name":"CM_PROB_REENUMERATION","features":[48]},{"name":"CM_PROB_REGISTRY","features":[48]},{"name":"CM_PROB_REGISTRY_TOO_LARGE","features":[48]},{"name":"CM_PROB_REINSTALL","features":[48]},{"name":"CM_PROB_SETPROPERTIES_FAILED","features":[48]},{"name":"CM_PROB_SYSTEM_SHUTDOWN","features":[48]},{"name":"CM_PROB_TOO_EARLY","features":[48]},{"name":"CM_PROB_TRANSLATION_FAILED","features":[48]},{"name":"CM_PROB_UNKNOWN_RESOURCE","features":[48]},{"name":"CM_PROB_UNSIGNED_DRIVER","features":[48]},{"name":"CM_PROB_USED_BY_DEBUGGER","features":[48]},{"name":"CM_PROB_VXDLDR","features":[48]},{"name":"CM_PROB_WAITING_ON_DEPENDENCY","features":[48]},{"name":"CM_PROB_WILL_BE_REMOVED","features":[48]},{"name":"CM_QUERY_ARBITRATOR_BITS","features":[48]},{"name":"CM_QUERY_ARBITRATOR_RAW","features":[48]},{"name":"CM_QUERY_ARBITRATOR_TRANSLATED","features":[48]},{"name":"CM_QUERY_REMOVE_UI_NOT_OK","features":[48]},{"name":"CM_QUERY_REMOVE_UI_OK","features":[48]},{"name":"CM_Query_And_Remove_SubTreeA","features":[48]},{"name":"CM_Query_And_Remove_SubTreeW","features":[48]},{"name":"CM_Query_And_Remove_SubTree_ExA","features":[48]},{"name":"CM_Query_And_Remove_SubTree_ExW","features":[48]},{"name":"CM_Query_Arbitrator_Free_Data","features":[48]},{"name":"CM_Query_Arbitrator_Free_Data_Ex","features":[48]},{"name":"CM_Query_Arbitrator_Free_Size","features":[48]},{"name":"CM_Query_Arbitrator_Free_Size_Ex","features":[48]},{"name":"CM_Query_Remove_SubTree","features":[48]},{"name":"CM_Query_Remove_SubTree_Ex","features":[48]},{"name":"CM_Query_Resource_Conflict_List","features":[48]},{"name":"CM_REENUMERATE_ASYNCHRONOUS","features":[48]},{"name":"CM_REENUMERATE_BITS","features":[48]},{"name":"CM_REENUMERATE_FLAGS","features":[48]},{"name":"CM_REENUMERATE_NORMAL","features":[48]},{"name":"CM_REENUMERATE_RETRY_INSTALLATION","features":[48]},{"name":"CM_REENUMERATE_SYNCHRONOUS","features":[48]},{"name":"CM_REGISTER_DEVICE_DRIVER_BITS","features":[48]},{"name":"CM_REGISTER_DEVICE_DRIVER_DISABLEABLE","features":[48]},{"name":"CM_REGISTER_DEVICE_DRIVER_REMOVABLE","features":[48]},{"name":"CM_REGISTER_DEVICE_DRIVER_STATIC","features":[48]},{"name":"CM_REGISTRY_BITS","features":[48]},{"name":"CM_REGISTRY_CONFIG","features":[48]},{"name":"CM_REGISTRY_HARDWARE","features":[48]},{"name":"CM_REGISTRY_SOFTWARE","features":[48]},{"name":"CM_REGISTRY_USER","features":[48]},{"name":"CM_REMOVAL_POLICY","features":[48]},{"name":"CM_REMOVAL_POLICY_EXPECT_NO_REMOVAL","features":[48]},{"name":"CM_REMOVAL_POLICY_EXPECT_ORDERLY_REMOVAL","features":[48]},{"name":"CM_REMOVAL_POLICY_EXPECT_SURPRISE_REMOVAL","features":[48]},{"name":"CM_REMOVE_BITS","features":[48]},{"name":"CM_REMOVE_DISABLE","features":[48]},{"name":"CM_REMOVE_NO_RESTART","features":[48]},{"name":"CM_REMOVE_UI_NOT_OK","features":[48]},{"name":"CM_REMOVE_UI_OK","features":[48]},{"name":"CM_RESDES_WIDTH_32","features":[48]},{"name":"CM_RESDES_WIDTH_64","features":[48]},{"name":"CM_RESDES_WIDTH_BITS","features":[48]},{"name":"CM_RESDES_WIDTH_DEFAULT","features":[48]},{"name":"CM_RESTYPE","features":[48]},{"name":"CM_Reenumerate_DevNode","features":[48]},{"name":"CM_Reenumerate_DevNode_Ex","features":[48]},{"name":"CM_Register_Device_Driver","features":[48]},{"name":"CM_Register_Device_Driver_Ex","features":[48]},{"name":"CM_Register_Device_InterfaceA","features":[48]},{"name":"CM_Register_Device_InterfaceW","features":[48]},{"name":"CM_Register_Device_Interface_ExA","features":[48]},{"name":"CM_Register_Device_Interface_ExW","features":[48]},{"name":"CM_Register_Notification","features":[48,1]},{"name":"CM_Remove_SubTree","features":[48]},{"name":"CM_Remove_SubTree_Ex","features":[48]},{"name":"CM_Request_Device_EjectA","features":[48]},{"name":"CM_Request_Device_EjectW","features":[48]},{"name":"CM_Request_Device_Eject_ExA","features":[48]},{"name":"CM_Request_Device_Eject_ExW","features":[48]},{"name":"CM_Request_Eject_PC","features":[48]},{"name":"CM_Request_Eject_PC_Ex","features":[48]},{"name":"CM_Run_Detection","features":[48]},{"name":"CM_Run_Detection_Ex","features":[48]},{"name":"CM_SETUP_BITS","features":[48]},{"name":"CM_SETUP_DEVINST_CONFIG","features":[48]},{"name":"CM_SETUP_DEVINST_CONFIG_CLASS","features":[48]},{"name":"CM_SETUP_DEVINST_CONFIG_EXTENSIONS","features":[48]},{"name":"CM_SETUP_DEVINST_CONFIG_RESET","features":[48]},{"name":"CM_SETUP_DEVINST_READY","features":[48]},{"name":"CM_SETUP_DEVINST_RESET","features":[48]},{"name":"CM_SETUP_DEVNODE_CONFIG","features":[48]},{"name":"CM_SETUP_DEVNODE_CONFIG_CLASS","features":[48]},{"name":"CM_SETUP_DEVNODE_CONFIG_EXTENSIONS","features":[48]},{"name":"CM_SETUP_DEVNODE_CONFIG_RESET","features":[48]},{"name":"CM_SETUP_DEVNODE_READY","features":[48]},{"name":"CM_SETUP_DEVNODE_RESET","features":[48]},{"name":"CM_SETUP_DOWNLOAD","features":[48]},{"name":"CM_SETUP_PROP_CHANGE","features":[48]},{"name":"CM_SETUP_WRITE_LOG_CONFS","features":[48]},{"name":"CM_SET_DEVINST_PROBLEM_BITS","features":[48]},{"name":"CM_SET_DEVINST_PROBLEM_NORMAL","features":[48]},{"name":"CM_SET_DEVINST_PROBLEM_OVERRIDE","features":[48]},{"name":"CM_SET_DEVNODE_PROBLEM_BITS","features":[48]},{"name":"CM_SET_DEVNODE_PROBLEM_NORMAL","features":[48]},{"name":"CM_SET_DEVNODE_PROBLEM_OVERRIDE","features":[48]},{"name":"CM_SET_HW_PROF_FLAGS_BITS","features":[48]},{"name":"CM_SET_HW_PROF_FLAGS_UI_NOT_OK","features":[48]},{"name":"CM_Set_Class_PropertyW","features":[48,35]},{"name":"CM_Set_Class_Property_ExW","features":[48,35]},{"name":"CM_Set_Class_Registry_PropertyA","features":[48]},{"name":"CM_Set_Class_Registry_PropertyW","features":[48]},{"name":"CM_Set_DevNode_Problem","features":[48]},{"name":"CM_Set_DevNode_Problem_Ex","features":[48]},{"name":"CM_Set_DevNode_PropertyW","features":[48,35]},{"name":"CM_Set_DevNode_Property_ExW","features":[48,35]},{"name":"CM_Set_DevNode_Registry_PropertyA","features":[48]},{"name":"CM_Set_DevNode_Registry_PropertyW","features":[48]},{"name":"CM_Set_DevNode_Registry_Property_ExA","features":[48]},{"name":"CM_Set_DevNode_Registry_Property_ExW","features":[48]},{"name":"CM_Set_Device_Interface_PropertyW","features":[48,35]},{"name":"CM_Set_Device_Interface_Property_ExW","features":[48,35]},{"name":"CM_Set_HW_Prof","features":[48]},{"name":"CM_Set_HW_Prof_Ex","features":[48]},{"name":"CM_Set_HW_Prof_FlagsA","features":[48]},{"name":"CM_Set_HW_Prof_FlagsW","features":[48]},{"name":"CM_Set_HW_Prof_Flags_ExA","features":[48]},{"name":"CM_Set_HW_Prof_Flags_ExW","features":[48]},{"name":"CM_Setup_DevNode","features":[48]},{"name":"CM_Setup_DevNode_Ex","features":[48]},{"name":"CM_Test_Range_Available","features":[48]},{"name":"CM_Uninstall_DevNode","features":[48]},{"name":"CM_Uninstall_DevNode_Ex","features":[48]},{"name":"CM_Unregister_Device_InterfaceA","features":[48]},{"name":"CM_Unregister_Device_InterfaceW","features":[48]},{"name":"CM_Unregister_Device_Interface_ExA","features":[48]},{"name":"CM_Unregister_Device_Interface_ExW","features":[48]},{"name":"CM_Unregister_Notification","features":[48]},{"name":"COINSTALLER_CONTEXT_DATA","features":[48,1]},{"name":"COINSTALLER_CONTEXT_DATA","features":[48,1]},{"name":"CONFIGFLAG_BOOT_DEVICE","features":[48]},{"name":"CONFIGFLAG_CANTSTOPACHILD","features":[48]},{"name":"CONFIGFLAG_DISABLED","features":[48]},{"name":"CONFIGFLAG_FAILEDINSTALL","features":[48]},{"name":"CONFIGFLAG_FINISHINSTALL_ACTION","features":[48]},{"name":"CONFIGFLAG_FINISHINSTALL_UI","features":[48]},{"name":"CONFIGFLAG_FINISH_INSTALL","features":[48]},{"name":"CONFIGFLAG_IGNORE_BOOT_LC","features":[48]},{"name":"CONFIGFLAG_MANUAL_INSTALL","features":[48]},{"name":"CONFIGFLAG_NEEDS_CLASS_CONFIG","features":[48]},{"name":"CONFIGFLAG_NEEDS_FORCED_CONFIG","features":[48]},{"name":"CONFIGFLAG_NETBOOT_CARD","features":[48]},{"name":"CONFIGFLAG_NET_BOOT","features":[48]},{"name":"CONFIGFLAG_NOREMOVEEXIT","features":[48]},{"name":"CONFIGFLAG_OKREMOVEROM","features":[48]},{"name":"CONFIGFLAG_PARTIAL_LOG_CONF","features":[48]},{"name":"CONFIGFLAG_REINSTALL","features":[48]},{"name":"CONFIGFLAG_REMOVED","features":[48]},{"name":"CONFIGFLAG_SUPPRESS_SURPRISE","features":[48]},{"name":"CONFIGFLAG_VERIFY_HARDWARE","features":[48]},{"name":"CONFIGMG_VERSION","features":[48]},{"name":"CONFIGRET","features":[48]},{"name":"CONFLICT_DETAILS_A","features":[48]},{"name":"CONFLICT_DETAILS_W","features":[48]},{"name":"CONNECTION_DES","features":[48]},{"name":"CONNECTION_RESOURCE","features":[48]},{"name":"COPYFLG_FORCE_FILE_IN_USE","features":[48]},{"name":"COPYFLG_IN_USE_TRY_RENAME","features":[48]},{"name":"COPYFLG_NODECOMP","features":[48]},{"name":"COPYFLG_NOPRUNE","features":[48]},{"name":"COPYFLG_NOSKIP","features":[48]},{"name":"COPYFLG_NOVERSIONCHECK","features":[48]},{"name":"COPYFLG_NO_OVERWRITE","features":[48]},{"name":"COPYFLG_NO_VERSION_DIALOG","features":[48]},{"name":"COPYFLG_OVERWRITE_OLDER_ONLY","features":[48]},{"name":"COPYFLG_PROTECTED_WINDOWS_DRIVER_FILE","features":[48]},{"name":"COPYFLG_REPLACEONLY","features":[48]},{"name":"COPYFLG_REPLACE_BOOT_FILE","features":[48]},{"name":"COPYFLG_WARN_IF_SKIP","features":[48]},{"name":"CR_ACCESS_DENIED","features":[48]},{"name":"CR_ALREADY_SUCH_DEVINST","features":[48]},{"name":"CR_ALREADY_SUCH_DEVNODE","features":[48]},{"name":"CR_APM_VETOED","features":[48]},{"name":"CR_BUFFER_SMALL","features":[48]},{"name":"CR_CALL_NOT_IMPLEMENTED","features":[48]},{"name":"CR_CANT_SHARE_IRQ","features":[48]},{"name":"CR_CREATE_BLOCKED","features":[48]},{"name":"CR_DEFAULT","features":[48]},{"name":"CR_DEVICE_INTERFACE_ACTIVE","features":[48]},{"name":"CR_DEVICE_NOT_THERE","features":[48]},{"name":"CR_DEVINST_HAS_REQS","features":[48]},{"name":"CR_DEVLOADER_NOT_READY","features":[48]},{"name":"CR_DEVNODE_HAS_REQS","features":[48]},{"name":"CR_DLVXD_NOT_FOUND","features":[48]},{"name":"CR_FAILURE","features":[48]},{"name":"CR_FREE_RESOURCES","features":[48]},{"name":"CR_INVALID_API","features":[48]},{"name":"CR_INVALID_ARBITRATOR","features":[48]},{"name":"CR_INVALID_CONFLICT_LIST","features":[48]},{"name":"CR_INVALID_DATA","features":[48]},{"name":"CR_INVALID_DEVICE_ID","features":[48]},{"name":"CR_INVALID_DEVINST","features":[48]},{"name":"CR_INVALID_DEVNODE","features":[48]},{"name":"CR_INVALID_FLAG","features":[48]},{"name":"CR_INVALID_INDEX","features":[48]},{"name":"CR_INVALID_LOAD_TYPE","features":[48]},{"name":"CR_INVALID_LOG_CONF","features":[48]},{"name":"CR_INVALID_MACHINENAME","features":[48]},{"name":"CR_INVALID_NODELIST","features":[48]},{"name":"CR_INVALID_POINTER","features":[48]},{"name":"CR_INVALID_PRIORITY","features":[48]},{"name":"CR_INVALID_PROPERTY","features":[48]},{"name":"CR_INVALID_RANGE","features":[48]},{"name":"CR_INVALID_RANGE_LIST","features":[48]},{"name":"CR_INVALID_REFERENCE_STRING","features":[48]},{"name":"CR_INVALID_RESOURCEID","features":[48]},{"name":"CR_INVALID_RES_DES","features":[48]},{"name":"CR_INVALID_STRUCTURE_SIZE","features":[48]},{"name":"CR_MACHINE_UNAVAILABLE","features":[48]},{"name":"CR_NEED_RESTART","features":[48]},{"name":"CR_NOT_DISABLEABLE","features":[48]},{"name":"CR_NOT_SYSTEM_VM","features":[48]},{"name":"CR_NO_ARBITRATOR","features":[48]},{"name":"CR_NO_CM_SERVICES","features":[48]},{"name":"CR_NO_DEPENDENT","features":[48]},{"name":"CR_NO_MORE_HW_PROFILES","features":[48]},{"name":"CR_NO_MORE_LOG_CONF","features":[48]},{"name":"CR_NO_MORE_RES_DES","features":[48]},{"name":"CR_NO_REGISTRY_HANDLE","features":[48]},{"name":"CR_NO_SUCH_DEVICE_INTERFACE","features":[48]},{"name":"CR_NO_SUCH_DEVINST","features":[48]},{"name":"CR_NO_SUCH_DEVNODE","features":[48]},{"name":"CR_NO_SUCH_LOGICAL_DEV","features":[48]},{"name":"CR_NO_SUCH_REGISTRY_KEY","features":[48]},{"name":"CR_NO_SUCH_VALUE","features":[48]},{"name":"CR_OUT_OF_MEMORY","features":[48]},{"name":"CR_QUERY_VETOED","features":[48]},{"name":"CR_REGISTRY_ERROR","features":[48]},{"name":"CR_REMOTE_COMM_FAILURE","features":[48]},{"name":"CR_REMOVE_VETOED","features":[48]},{"name":"CR_SAME_RESOURCES","features":[48]},{"name":"CR_SUCCESS","features":[48]},{"name":"CR_WRONG_TYPE","features":[48]},{"name":"CS_DES","features":[48]},{"name":"CS_RESOURCE","features":[48]},{"name":"DD_FLAGS","features":[48]},{"name":"DELFLG_IN_USE","features":[48]},{"name":"DELFLG_IN_USE1","features":[48]},{"name":"DEVPRIVATE_DES","features":[48]},{"name":"DEVPRIVATE_RANGE","features":[48]},{"name":"DEVPRIVATE_RESOURCE","features":[48]},{"name":"DIBCI_NODISPLAYCLASS","features":[48]},{"name":"DIBCI_NOINSTALLCLASS","features":[48]},{"name":"DICD_GENERATE_ID","features":[48]},{"name":"DICD_INHERIT_CLASSDRVS","features":[48]},{"name":"DICLASSPROP_INSTALLER","features":[48]},{"name":"DICLASSPROP_INTERFACE","features":[48]},{"name":"DICS_DISABLE","features":[48]},{"name":"DICS_ENABLE","features":[48]},{"name":"DICS_FLAG_CONFIGGENERAL","features":[48]},{"name":"DICS_FLAG_CONFIGSPECIFIC","features":[48]},{"name":"DICS_FLAG_GLOBAL","features":[48]},{"name":"DICS_PROPCHANGE","features":[48]},{"name":"DICS_START","features":[48]},{"name":"DICS_STOP","features":[48]},{"name":"DICUSTOMDEVPROP_MERGE_MULTISZ","features":[48]},{"name":"DIF_ADDPROPERTYPAGE_ADVANCED","features":[48]},{"name":"DIF_ADDPROPERTYPAGE_BASIC","features":[48]},{"name":"DIF_ADDREMOTEPROPERTYPAGE_ADVANCED","features":[48]},{"name":"DIF_ALLOW_INSTALL","features":[48]},{"name":"DIF_ASSIGNRESOURCES","features":[48]},{"name":"DIF_CALCDISKSPACE","features":[48]},{"name":"DIF_DESTROYPRIVATEDATA","features":[48]},{"name":"DIF_DESTROYWIZARDDATA","features":[48]},{"name":"DIF_DETECT","features":[48]},{"name":"DIF_DETECTCANCEL","features":[48]},{"name":"DIF_DETECTVERIFY","features":[48]},{"name":"DIF_ENABLECLASS","features":[48]},{"name":"DIF_FINISHINSTALL_ACTION","features":[48]},{"name":"DIF_FIRSTTIMESETUP","features":[48]},{"name":"DIF_FOUNDDEVICE","features":[48]},{"name":"DIF_INSTALLCLASSDRIVERS","features":[48]},{"name":"DIF_INSTALLDEVICE","features":[48]},{"name":"DIF_INSTALLDEVICEFILES","features":[48]},{"name":"DIF_INSTALLINTERFACES","features":[48]},{"name":"DIF_INSTALLWIZARD","features":[48]},{"name":"DIF_MOVEDEVICE","features":[48]},{"name":"DIF_NEWDEVICEWIZARD_FINISHINSTALL","features":[48]},{"name":"DIF_NEWDEVICEWIZARD_POSTANALYZE","features":[48]},{"name":"DIF_NEWDEVICEWIZARD_PREANALYZE","features":[48]},{"name":"DIF_NEWDEVICEWIZARD_PRESELECT","features":[48]},{"name":"DIF_NEWDEVICEWIZARD_SELECT","features":[48]},{"name":"DIF_POWERMESSAGEWAKE","features":[48]},{"name":"DIF_PROPERTIES","features":[48]},{"name":"DIF_PROPERTYCHANGE","features":[48]},{"name":"DIF_REGISTERDEVICE","features":[48]},{"name":"DIF_REGISTER_COINSTALLERS","features":[48]},{"name":"DIF_REMOVE","features":[48]},{"name":"DIF_RESERVED1","features":[48]},{"name":"DIF_RESERVED2","features":[48]},{"name":"DIF_SELECTBESTCOMPATDRV","features":[48]},{"name":"DIF_SELECTCLASSDRIVERS","features":[48]},{"name":"DIF_SELECTDEVICE","features":[48]},{"name":"DIF_TROUBLESHOOTER","features":[48]},{"name":"DIF_UNREMOVE","features":[48]},{"name":"DIF_UNUSED1","features":[48]},{"name":"DIF_UPDATEDRIVER_UI","features":[48]},{"name":"DIF_VALIDATECLASSDRIVERS","features":[48]},{"name":"DIF_VALIDATEDRIVER","features":[48]},{"name":"DIGCDP_FLAG_ADVANCED","features":[48]},{"name":"DIGCDP_FLAG_BASIC","features":[48]},{"name":"DIGCDP_FLAG_REMOTE_ADVANCED","features":[48]},{"name":"DIGCDP_FLAG_REMOTE_BASIC","features":[48]},{"name":"DIGCF_ALLCLASSES","features":[48]},{"name":"DIGCF_DEFAULT","features":[48]},{"name":"DIGCF_DEVICEINTERFACE","features":[48]},{"name":"DIGCF_INTERFACEDEVICE","features":[48]},{"name":"DIGCF_PRESENT","features":[48]},{"name":"DIGCF_PROFILE","features":[48]},{"name":"DIIDFLAG_BITS","features":[48]},{"name":"DIIDFLAG_INSTALLCOPYINFDRIVERS","features":[48]},{"name":"DIIDFLAG_INSTALLNULLDRIVER","features":[48]},{"name":"DIIDFLAG_NOFINISHINSTALLUI","features":[48]},{"name":"DIIDFLAG_SHOWSEARCHUI","features":[48]},{"name":"DIINSTALLDEVICE_FLAGS","features":[48]},{"name":"DIINSTALLDRIVER_FLAGS","features":[48]},{"name":"DIIRFLAG_BITS","features":[48]},{"name":"DIIRFLAG_FORCE_INF","features":[48]},{"name":"DIIRFLAG_HOTPATCH","features":[48]},{"name":"DIIRFLAG_HW_USING_THE_INF","features":[48]},{"name":"DIIRFLAG_INF_ALREADY_COPIED","features":[48]},{"name":"DIIRFLAG_INSTALL_AS_SET","features":[48]},{"name":"DIIRFLAG_NOBACKUP","features":[48]},{"name":"DIIRFLAG_PRE_CONFIGURE_INF","features":[48]},{"name":"DIIRFLAG_SYSTEM_BITS","features":[48]},{"name":"DIOCR_INSTALLER","features":[48]},{"name":"DIOCR_INTERFACE","features":[48]},{"name":"DIODI_NO_ADD","features":[48]},{"name":"DIOD_CANCEL_REMOVE","features":[48]},{"name":"DIOD_INHERIT_CLASSDRVS","features":[48]},{"name":"DIREG_BOTH","features":[48]},{"name":"DIREG_DEV","features":[48]},{"name":"DIREG_DRV","features":[48]},{"name":"DIRID_ABSOLUTE","features":[48]},{"name":"DIRID_ABSOLUTE_16BIT","features":[48]},{"name":"DIRID_APPS","features":[48]},{"name":"DIRID_BOOT","features":[48]},{"name":"DIRID_COLOR","features":[48]},{"name":"DIRID_COMMON_APPDATA","features":[48]},{"name":"DIRID_COMMON_DESKTOPDIRECTORY","features":[48]},{"name":"DIRID_COMMON_DOCUMENTS","features":[48]},{"name":"DIRID_COMMON_FAVORITES","features":[48]},{"name":"DIRID_COMMON_PROGRAMS","features":[48]},{"name":"DIRID_COMMON_STARTMENU","features":[48]},{"name":"DIRID_COMMON_STARTUP","features":[48]},{"name":"DIRID_COMMON_TEMPLATES","features":[48]},{"name":"DIRID_DEFAULT","features":[48]},{"name":"DIRID_DRIVERS","features":[48]},{"name":"DIRID_DRIVER_STORE","features":[48]},{"name":"DIRID_FONTS","features":[48]},{"name":"DIRID_HELP","features":[48]},{"name":"DIRID_INF","features":[48]},{"name":"DIRID_IOSUBSYS","features":[48]},{"name":"DIRID_LOADER","features":[48]},{"name":"DIRID_NULL","features":[48]},{"name":"DIRID_PRINTPROCESSOR","features":[48]},{"name":"DIRID_PROGRAM_FILES","features":[48]},{"name":"DIRID_PROGRAM_FILES_COMMON","features":[48]},{"name":"DIRID_PROGRAM_FILES_COMMONX86","features":[48]},{"name":"DIRID_PROGRAM_FILES_X86","features":[48]},{"name":"DIRID_SHARED","features":[48]},{"name":"DIRID_SPOOL","features":[48]},{"name":"DIRID_SPOOLDRIVERS","features":[48]},{"name":"DIRID_SRCPATH","features":[48]},{"name":"DIRID_SYSTEM","features":[48]},{"name":"DIRID_SYSTEM16","features":[48]},{"name":"DIRID_SYSTEM_X86","features":[48]},{"name":"DIRID_USER","features":[48]},{"name":"DIRID_USERPROFILE","features":[48]},{"name":"DIRID_VIEWERS","features":[48]},{"name":"DIRID_WINDOWS","features":[48]},{"name":"DIROLLBACKDRIVER_FLAGS","features":[48]},{"name":"DIUNINSTALLDRIVER_FLAGS","features":[48]},{"name":"DIURFLAG_NO_REMOVE_INF","features":[48]},{"name":"DIURFLAG_RESERVED","features":[48]},{"name":"DIURFLAG_VALID","features":[48]},{"name":"DI_AUTOASSIGNRES","features":[48]},{"name":"DI_CLASSINSTALLPARAMS","features":[48]},{"name":"DI_COMPAT_FROM_CLASS","features":[48]},{"name":"DI_DIDCLASS","features":[48]},{"name":"DI_DIDCOMPAT","features":[48]},{"name":"DI_DISABLED","features":[48]},{"name":"DI_DONOTCALLCONFIGMG","features":[48]},{"name":"DI_DRIVERPAGE_ADDED","features":[48]},{"name":"DI_ENUMSINGLEINF","features":[48]},{"name":"DI_FLAGSEX_ALLOWEXCLUDEDDRVS","features":[48]},{"name":"DI_FLAGSEX_ALTPLATFORM_DRVSEARCH","features":[48]},{"name":"DI_FLAGSEX_ALWAYSWRITEIDS","features":[48]},{"name":"DI_FLAGSEX_APPENDDRIVERLIST","features":[48]},{"name":"DI_FLAGSEX_BACKUPONREPLACE","features":[48]},{"name":"DI_FLAGSEX_CI_FAILED","features":[48]},{"name":"DI_FLAGSEX_DEVICECHANGE","features":[48]},{"name":"DI_FLAGSEX_DIDCOMPATINFO","features":[48]},{"name":"DI_FLAGSEX_DIDINFOLIST","features":[48]},{"name":"DI_FLAGSEX_DRIVERLIST_FROM_URL","features":[48]},{"name":"DI_FLAGSEX_EXCLUDE_OLD_INET_DRIVERS","features":[48]},{"name":"DI_FLAGSEX_FILTERCLASSES","features":[48]},{"name":"DI_FLAGSEX_FILTERSIMILARDRIVERS","features":[48]},{"name":"DI_FLAGSEX_FINISHINSTALL_ACTION","features":[48]},{"name":"DI_FLAGSEX_INET_DRIVER","features":[48]},{"name":"DI_FLAGSEX_INSTALLEDDRIVER","features":[48]},{"name":"DI_FLAGSEX_IN_SYSTEM_SETUP","features":[48]},{"name":"DI_FLAGSEX_NOUIONQUERYREMOVE","features":[48]},{"name":"DI_FLAGSEX_NO_CLASSLIST_NODE_MERGE","features":[48]},{"name":"DI_FLAGSEX_NO_DRVREG_MODIFY","features":[48]},{"name":"DI_FLAGSEX_POWERPAGE_ADDED","features":[48]},{"name":"DI_FLAGSEX_PREINSTALLBACKUP","features":[48]},{"name":"DI_FLAGSEX_PROPCHANGE_PENDING","features":[48]},{"name":"DI_FLAGSEX_RECURSIVESEARCH","features":[48]},{"name":"DI_FLAGSEX_RESERVED1","features":[48]},{"name":"DI_FLAGSEX_RESERVED2","features":[48]},{"name":"DI_FLAGSEX_RESERVED3","features":[48]},{"name":"DI_FLAGSEX_RESERVED4","features":[48]},{"name":"DI_FLAGSEX_RESTART_DEVICE_ONLY","features":[48]},{"name":"DI_FLAGSEX_SEARCH_PUBLISHED_INFS","features":[48]},{"name":"DI_FLAGSEX_SETFAILEDINSTALL","features":[48]},{"name":"DI_FLAGSEX_USECLASSFORCOMPAT","features":[48]},{"name":"DI_FORCECOPY","features":[48]},{"name":"DI_FUNCTION","features":[48]},{"name":"DI_GENERALPAGE_ADDED","features":[48]},{"name":"DI_INF_IS_SORTED","features":[48]},{"name":"DI_INSTALLDISABLED","features":[48]},{"name":"DI_MULTMFGS","features":[48]},{"name":"DI_NEEDREBOOT","features":[48]},{"name":"DI_NEEDRESTART","features":[48]},{"name":"DI_NOBROWSE","features":[48]},{"name":"DI_NODI_DEFAULTACTION","features":[48]},{"name":"DI_NOFILECOPY","features":[48]},{"name":"DI_NOSELECTICONS","features":[48]},{"name":"DI_NOVCP","features":[48]},{"name":"DI_NOWRITE_IDS","features":[48]},{"name":"DI_OVERRIDE_INFFLAGS","features":[48]},{"name":"DI_PROPERTIES_CHANGE","features":[48]},{"name":"DI_PROPS_NOCHANGEUSAGE","features":[48]},{"name":"DI_QUIETINSTALL","features":[48]},{"name":"DI_REMOVEDEVICE_CONFIGSPECIFIC","features":[48]},{"name":"DI_REMOVEDEVICE_GLOBAL","features":[48]},{"name":"DI_RESOURCEPAGE_ADDED","features":[48]},{"name":"DI_SHOWALL","features":[48]},{"name":"DI_SHOWCLASS","features":[48]},{"name":"DI_SHOWCOMPAT","features":[48]},{"name":"DI_SHOWOEM","features":[48]},{"name":"DI_UNREMOVEDEVICE_CONFIGSPECIFIC","features":[48]},{"name":"DI_USECI_SELECTSTRINGS","features":[48]},{"name":"DMA_DES","features":[48]},{"name":"DMA_RANGE","features":[48]},{"name":"DMA_RESOURCE","features":[48]},{"name":"DMI_BKCOLOR","features":[48]},{"name":"DMI_MASK","features":[48]},{"name":"DMI_USERECT","features":[48]},{"name":"DNF_ALWAYSEXCLUDEFROMLIST","features":[48]},{"name":"DNF_AUTHENTICODE_SIGNED","features":[48]},{"name":"DNF_BAD_DRIVER","features":[48]},{"name":"DNF_BASIC_DRIVER","features":[48]},{"name":"DNF_CLASS_DRIVER","features":[48]},{"name":"DNF_COMPATIBLE_DRIVER","features":[48]},{"name":"DNF_DUPDESC","features":[48]},{"name":"DNF_DUPDRIVERVER","features":[48]},{"name":"DNF_DUPPROVIDER","features":[48]},{"name":"DNF_EXCLUDEFROMLIST","features":[48]},{"name":"DNF_INBOX_DRIVER","features":[48]},{"name":"DNF_INET_DRIVER","features":[48]},{"name":"DNF_INF_IS_SIGNED","features":[48]},{"name":"DNF_INSTALLEDDRIVER","features":[48]},{"name":"DNF_LEGACYINF","features":[48]},{"name":"DNF_NODRIVER","features":[48]},{"name":"DNF_OEM_F6_INF","features":[48]},{"name":"DNF_OLDDRIVER","features":[48]},{"name":"DNF_OLD_INET_DRIVER","features":[48]},{"name":"DNF_REQUESTADDITIONALSOFTWARE","features":[48]},{"name":"DNF_UNUSED1","features":[48]},{"name":"DNF_UNUSED2","features":[48]},{"name":"DNF_UNUSED_22","features":[48]},{"name":"DNF_UNUSED_23","features":[48]},{"name":"DNF_UNUSED_24","features":[48]},{"name":"DNF_UNUSED_25","features":[48]},{"name":"DNF_UNUSED_26","features":[48]},{"name":"DNF_UNUSED_27","features":[48]},{"name":"DNF_UNUSED_28","features":[48]},{"name":"DNF_UNUSED_29","features":[48]},{"name":"DNF_UNUSED_30","features":[48]},{"name":"DNF_UNUSED_31","features":[48]},{"name":"DN_APM_DRIVER","features":[48]},{"name":"DN_APM_ENUMERATOR","features":[48]},{"name":"DN_ARM_WAKEUP","features":[48]},{"name":"DN_BAD_PARTIAL","features":[48]},{"name":"DN_BOOT_LOG_PROB","features":[48]},{"name":"DN_CHANGEABLE_FLAGS","features":[48]},{"name":"DN_CHILD_WITH_INVALID_ID","features":[48]},{"name":"DN_DEVICE_DISCONNECTED","features":[48]},{"name":"DN_DISABLEABLE","features":[48]},{"name":"DN_DRIVER_BLOCKED","features":[48]},{"name":"DN_DRIVER_LOADED","features":[48]},{"name":"DN_ENUM_LOADED","features":[48]},{"name":"DN_FILTERED","features":[48]},{"name":"DN_HARDWARE_ENUM","features":[48]},{"name":"DN_HAS_MARK","features":[48]},{"name":"DN_HAS_PROBLEM","features":[48]},{"name":"DN_LEGACY_DRIVER","features":[48]},{"name":"DN_LIAR","features":[48]},{"name":"DN_MANUAL","features":[48]},{"name":"DN_MF_CHILD","features":[48]},{"name":"DN_MF_PARENT","features":[48]},{"name":"DN_MOVED","features":[48]},{"name":"DN_NEEDS_LOCKING","features":[48]},{"name":"DN_NEED_RESTART","features":[48]},{"name":"DN_NEED_TO_ENUM","features":[48]},{"name":"DN_NOT_FIRST_TIME","features":[48]},{"name":"DN_NOT_FIRST_TIMEE","features":[48]},{"name":"DN_NO_SHOW_IN_DM","features":[48]},{"name":"DN_NT_DRIVER","features":[48]},{"name":"DN_NT_ENUMERATOR","features":[48]},{"name":"DN_PRIVATE_PROBLEM","features":[48]},{"name":"DN_QUERY_REMOVE_ACTIVE","features":[48]},{"name":"DN_QUERY_REMOVE_PENDING","features":[48]},{"name":"DN_REBAL_CANDIDATE","features":[48]},{"name":"DN_REMOVABLE","features":[48]},{"name":"DN_ROOT_ENUMERATED","features":[48]},{"name":"DN_SILENT_INSTALL","features":[48]},{"name":"DN_STARTED","features":[48]},{"name":"DN_STOP_FREE_RES","features":[48]},{"name":"DN_WILL_BE_REMOVED","features":[48]},{"name":"DPROMPT_BUFFERTOOSMALL","features":[48]},{"name":"DPROMPT_CANCEL","features":[48]},{"name":"DPROMPT_OUTOFMEMORY","features":[48]},{"name":"DPROMPT_SKIPFILE","features":[48]},{"name":"DPROMPT_SUCCESS","features":[48]},{"name":"DRIVER_COMPATID_RANK","features":[48]},{"name":"DRIVER_HARDWAREID_MASK","features":[48]},{"name":"DRIVER_HARDWAREID_RANK","features":[48]},{"name":"DRIVER_UNTRUSTED_COMPATID_RANK","features":[48]},{"name":"DRIVER_UNTRUSTED_HARDWAREID_RANK","features":[48]},{"name":"DRIVER_UNTRUSTED_RANK","features":[48]},{"name":"DRIVER_W9X_SUSPECT_COMPATID_RANK","features":[48]},{"name":"DRIVER_W9X_SUSPECT_HARDWAREID_RANK","features":[48]},{"name":"DRIVER_W9X_SUSPECT_RANK","features":[48]},{"name":"DWORD_MAX","features":[48]},{"name":"DYNAWIZ_FLAG_ANALYZE_HANDLECONFLICT","features":[48]},{"name":"DYNAWIZ_FLAG_INSTALLDET_NEXT","features":[48]},{"name":"DYNAWIZ_FLAG_INSTALLDET_PREV","features":[48]},{"name":"DYNAWIZ_FLAG_PAGESADDED","features":[48]},{"name":"DiInstallDevice","features":[48,1]},{"name":"DiInstallDriverA","features":[48,1]},{"name":"DiInstallDriverW","features":[48,1]},{"name":"DiRollbackDriver","features":[48,1]},{"name":"DiShowUpdateDevice","features":[48,1]},{"name":"DiShowUpdateDriver","features":[48,1]},{"name":"DiUninstallDevice","features":[48,1]},{"name":"DiUninstallDriverA","features":[48,1]},{"name":"DiUninstallDriverW","features":[48,1]},{"name":"ENABLECLASS_FAILURE","features":[48]},{"name":"ENABLECLASS_QUERY","features":[48]},{"name":"ENABLECLASS_SUCCESS","features":[48]},{"name":"FILEOP_ABORT","features":[48]},{"name":"FILEOP_BACKUP","features":[48]},{"name":"FILEOP_COPY","features":[48]},{"name":"FILEOP_DELETE","features":[48]},{"name":"FILEOP_DOIT","features":[48]},{"name":"FILEOP_NEWPATH","features":[48]},{"name":"FILEOP_RENAME","features":[48]},{"name":"FILEOP_RETRY","features":[48]},{"name":"FILEOP_SKIP","features":[48]},{"name":"FILEPATHS_A","features":[48]},{"name":"FILEPATHS_A","features":[48]},{"name":"FILEPATHS_SIGNERINFO_A","features":[48]},{"name":"FILEPATHS_SIGNERINFO_A","features":[48]},{"name":"FILEPATHS_SIGNERINFO_W","features":[48]},{"name":"FILEPATHS_SIGNERINFO_W","features":[48]},{"name":"FILEPATHS_W","features":[48]},{"name":"FILEPATHS_W","features":[48]},{"name":"FILE_COMPRESSION_MSZIP","features":[48]},{"name":"FILE_COMPRESSION_NONE","features":[48]},{"name":"FILE_COMPRESSION_NTCAB","features":[48]},{"name":"FILE_COMPRESSION_WINLZA","features":[48]},{"name":"FILE_IN_CABINET_INFO_A","features":[48]},{"name":"FILE_IN_CABINET_INFO_A","features":[48]},{"name":"FILE_IN_CABINET_INFO_W","features":[48]},{"name":"FILE_IN_CABINET_INFO_W","features":[48]},{"name":"FILTERED_LOG_CONF","features":[48]},{"name":"FLG_ADDPROPERTY_AND","features":[48]},{"name":"FLG_ADDPROPERTY_APPEND","features":[48]},{"name":"FLG_ADDPROPERTY_NOCLOBBER","features":[48]},{"name":"FLG_ADDPROPERTY_OR","features":[48]},{"name":"FLG_ADDPROPERTY_OVERWRITEONLY","features":[48]},{"name":"FLG_ADDREG_32BITKEY","features":[48]},{"name":"FLG_ADDREG_64BITKEY","features":[48]},{"name":"FLG_ADDREG_APPEND","features":[48]},{"name":"FLG_ADDREG_BINVALUETYPE","features":[48]},{"name":"FLG_ADDREG_DELREG_BIT","features":[48]},{"name":"FLG_ADDREG_DELVAL","features":[48]},{"name":"FLG_ADDREG_KEYONLY","features":[48]},{"name":"FLG_ADDREG_KEYONLY_COMMON","features":[48]},{"name":"FLG_ADDREG_NOCLOBBER","features":[48]},{"name":"FLG_ADDREG_OVERWRITEONLY","features":[48]},{"name":"FLG_ADDREG_TYPE_EXPAND_SZ","features":[48]},{"name":"FLG_ADDREG_TYPE_MULTI_SZ","features":[48]},{"name":"FLG_ADDREG_TYPE_SZ","features":[48]},{"name":"FLG_BITREG_32BITKEY","features":[48]},{"name":"FLG_BITREG_64BITKEY","features":[48]},{"name":"FLG_BITREG_CLEARBITS","features":[48]},{"name":"FLG_BITREG_SETBITS","features":[48]},{"name":"FLG_DELPROPERTY_MULTI_SZ_DELSTRING","features":[48]},{"name":"FLG_DELREG_32BITKEY","features":[48]},{"name":"FLG_DELREG_64BITKEY","features":[48]},{"name":"FLG_DELREG_KEYONLY_COMMON","features":[48]},{"name":"FLG_DELREG_OPERATION_MASK","features":[48]},{"name":"FLG_DELREG_TYPE_EXPAND_SZ","features":[48]},{"name":"FLG_DELREG_TYPE_MULTI_SZ","features":[48]},{"name":"FLG_DELREG_TYPE_SZ","features":[48]},{"name":"FLG_DELREG_VALUE","features":[48]},{"name":"FLG_INI2REG_32BITKEY","features":[48]},{"name":"FLG_INI2REG_64BITKEY","features":[48]},{"name":"FLG_PROFITEM_CSIDL","features":[48]},{"name":"FLG_PROFITEM_CURRENTUSER","features":[48]},{"name":"FLG_PROFITEM_DELETE","features":[48]},{"name":"FLG_PROFITEM_GROUP","features":[48]},{"name":"FLG_REGSVR_DLLINSTALL","features":[48]},{"name":"FLG_REGSVR_DLLREGISTER","features":[48]},{"name":"FORCED_LOG_CONF","features":[48]},{"name":"GUID_ACPI_CMOS_INTERFACE_STANDARD","features":[48]},{"name":"GUID_ACPI_INTERFACE_STANDARD","features":[48]},{"name":"GUID_ACPI_INTERFACE_STANDARD2","features":[48]},{"name":"GUID_ACPI_PORT_RANGES_INTERFACE_STANDARD","features":[48]},{"name":"GUID_ACPI_REGS_INTERFACE_STANDARD","features":[48]},{"name":"GUID_AGP_TARGET_BUS_INTERFACE_STANDARD","features":[48]},{"name":"GUID_ARBITER_INTERFACE_STANDARD","features":[48]},{"name":"GUID_BUS_INTERFACE_STANDARD","features":[48]},{"name":"GUID_BUS_RESOURCE_UPDATE_INTERFACE","features":[48]},{"name":"GUID_BUS_TYPE_1394","features":[48]},{"name":"GUID_BUS_TYPE_ACPI","features":[48]},{"name":"GUID_BUS_TYPE_AVC","features":[48]},{"name":"GUID_BUS_TYPE_DOT4PRT","features":[48]},{"name":"GUID_BUS_TYPE_EISA","features":[48]},{"name":"GUID_BUS_TYPE_HID","features":[48]},{"name":"GUID_BUS_TYPE_INTERNAL","features":[48]},{"name":"GUID_BUS_TYPE_IRDA","features":[48]},{"name":"GUID_BUS_TYPE_ISAPNP","features":[48]},{"name":"GUID_BUS_TYPE_LPTENUM","features":[48]},{"name":"GUID_BUS_TYPE_MCA","features":[48]},{"name":"GUID_BUS_TYPE_PCI","features":[48]},{"name":"GUID_BUS_TYPE_PCMCIA","features":[48]},{"name":"GUID_BUS_TYPE_SCM","features":[48]},{"name":"GUID_BUS_TYPE_SD","features":[48]},{"name":"GUID_BUS_TYPE_SERENUM","features":[48]},{"name":"GUID_BUS_TYPE_SW_DEVICE","features":[48]},{"name":"GUID_BUS_TYPE_USB","features":[48]},{"name":"GUID_BUS_TYPE_USBPRINT","features":[48]},{"name":"GUID_D3COLD_AUX_POWER_AND_TIMING_INTERFACE","features":[48]},{"name":"GUID_D3COLD_SUPPORT_INTERFACE","features":[48]},{"name":"GUID_DEVCLASS_1394","features":[48]},{"name":"GUID_DEVCLASS_1394DEBUG","features":[48]},{"name":"GUID_DEVCLASS_61883","features":[48]},{"name":"GUID_DEVCLASS_ADAPTER","features":[48]},{"name":"GUID_DEVCLASS_APMSUPPORT","features":[48]},{"name":"GUID_DEVCLASS_AVC","features":[48]},{"name":"GUID_DEVCLASS_BATTERY","features":[48]},{"name":"GUID_DEVCLASS_BIOMETRIC","features":[48]},{"name":"GUID_DEVCLASS_BLUETOOTH","features":[48]},{"name":"GUID_DEVCLASS_CAMERA","features":[48]},{"name":"GUID_DEVCLASS_CDROM","features":[48]},{"name":"GUID_DEVCLASS_COMPUTEACCELERATOR","features":[48]},{"name":"GUID_DEVCLASS_COMPUTER","features":[48]},{"name":"GUID_DEVCLASS_DECODER","features":[48]},{"name":"GUID_DEVCLASS_DISKDRIVE","features":[48]},{"name":"GUID_DEVCLASS_DISPLAY","features":[48]},{"name":"GUID_DEVCLASS_DOT4","features":[48]},{"name":"GUID_DEVCLASS_DOT4PRINT","features":[48]},{"name":"GUID_DEVCLASS_EHSTORAGESILO","features":[48]},{"name":"GUID_DEVCLASS_ENUM1394","features":[48]},{"name":"GUID_DEVCLASS_EXTENSION","features":[48]},{"name":"GUID_DEVCLASS_FDC","features":[48]},{"name":"GUID_DEVCLASS_FIRMWARE","features":[48]},{"name":"GUID_DEVCLASS_FLOPPYDISK","features":[48]},{"name":"GUID_DEVCLASS_FSFILTER_ACTIVITYMONITOR","features":[48]},{"name":"GUID_DEVCLASS_FSFILTER_ANTIVIRUS","features":[48]},{"name":"GUID_DEVCLASS_FSFILTER_BOTTOM","features":[48]},{"name":"GUID_DEVCLASS_FSFILTER_CFSMETADATASERVER","features":[48]},{"name":"GUID_DEVCLASS_FSFILTER_COMPRESSION","features":[48]},{"name":"GUID_DEVCLASS_FSFILTER_CONTENTSCREENER","features":[48]},{"name":"GUID_DEVCLASS_FSFILTER_CONTINUOUSBACKUP","features":[48]},{"name":"GUID_DEVCLASS_FSFILTER_COPYPROTECTION","features":[48]},{"name":"GUID_DEVCLASS_FSFILTER_ENCRYPTION","features":[48]},{"name":"GUID_DEVCLASS_FSFILTER_HSM","features":[48]},{"name":"GUID_DEVCLASS_FSFILTER_INFRASTRUCTURE","features":[48]},{"name":"GUID_DEVCLASS_FSFILTER_OPENFILEBACKUP","features":[48]},{"name":"GUID_DEVCLASS_FSFILTER_PHYSICALQUOTAMANAGEMENT","features":[48]},{"name":"GUID_DEVCLASS_FSFILTER_QUOTAMANAGEMENT","features":[48]},{"name":"GUID_DEVCLASS_FSFILTER_REPLICATION","features":[48]},{"name":"GUID_DEVCLASS_FSFILTER_SECURITYENHANCER","features":[48]},{"name":"GUID_DEVCLASS_FSFILTER_SYSTEM","features":[48]},{"name":"GUID_DEVCLASS_FSFILTER_SYSTEMRECOVERY","features":[48]},{"name":"GUID_DEVCLASS_FSFILTER_TOP","features":[48]},{"name":"GUID_DEVCLASS_FSFILTER_UNDELETE","features":[48]},{"name":"GUID_DEVCLASS_FSFILTER_VIRTUALIZATION","features":[48]},{"name":"GUID_DEVCLASS_GENERIC","features":[48]},{"name":"GUID_DEVCLASS_GPS","features":[48]},{"name":"GUID_DEVCLASS_HDC","features":[48]},{"name":"GUID_DEVCLASS_HIDCLASS","features":[48]},{"name":"GUID_DEVCLASS_HOLOGRAPHIC","features":[48]},{"name":"GUID_DEVCLASS_IMAGE","features":[48]},{"name":"GUID_DEVCLASS_INFINIBAND","features":[48]},{"name":"GUID_DEVCLASS_INFRARED","features":[48]},{"name":"GUID_DEVCLASS_KEYBOARD","features":[48]},{"name":"GUID_DEVCLASS_LEGACYDRIVER","features":[48]},{"name":"GUID_DEVCLASS_MEDIA","features":[48]},{"name":"GUID_DEVCLASS_MEDIUM_CHANGER","features":[48]},{"name":"GUID_DEVCLASS_MEMORY","features":[48]},{"name":"GUID_DEVCLASS_MODEM","features":[48]},{"name":"GUID_DEVCLASS_MONITOR","features":[48]},{"name":"GUID_DEVCLASS_MOUSE","features":[48]},{"name":"GUID_DEVCLASS_MTD","features":[48]},{"name":"GUID_DEVCLASS_MULTIFUNCTION","features":[48]},{"name":"GUID_DEVCLASS_MULTIPORTSERIAL","features":[48]},{"name":"GUID_DEVCLASS_NET","features":[48]},{"name":"GUID_DEVCLASS_NETCLIENT","features":[48]},{"name":"GUID_DEVCLASS_NETDRIVER","features":[48]},{"name":"GUID_DEVCLASS_NETSERVICE","features":[48]},{"name":"GUID_DEVCLASS_NETTRANS","features":[48]},{"name":"GUID_DEVCLASS_NETUIO","features":[48]},{"name":"GUID_DEVCLASS_NODRIVER","features":[48]},{"name":"GUID_DEVCLASS_PCMCIA","features":[48]},{"name":"GUID_DEVCLASS_PNPPRINTERS","features":[48]},{"name":"GUID_DEVCLASS_PORTS","features":[48]},{"name":"GUID_DEVCLASS_PRIMITIVE","features":[48]},{"name":"GUID_DEVCLASS_PRINTER","features":[48]},{"name":"GUID_DEVCLASS_PRINTERUPGRADE","features":[48]},{"name":"GUID_DEVCLASS_PRINTQUEUE","features":[48]},{"name":"GUID_DEVCLASS_PROCESSOR","features":[48]},{"name":"GUID_DEVCLASS_SBP2","features":[48]},{"name":"GUID_DEVCLASS_SCMDISK","features":[48]},{"name":"GUID_DEVCLASS_SCMVOLUME","features":[48]},{"name":"GUID_DEVCLASS_SCSIADAPTER","features":[48]},{"name":"GUID_DEVCLASS_SECURITYACCELERATOR","features":[48]},{"name":"GUID_DEVCLASS_SENSOR","features":[48]},{"name":"GUID_DEVCLASS_SIDESHOW","features":[48]},{"name":"GUID_DEVCLASS_SMARTCARDREADER","features":[48]},{"name":"GUID_DEVCLASS_SMRDISK","features":[48]},{"name":"GUID_DEVCLASS_SMRVOLUME","features":[48]},{"name":"GUID_DEVCLASS_SOFTWARECOMPONENT","features":[48]},{"name":"GUID_DEVCLASS_SOUND","features":[48]},{"name":"GUID_DEVCLASS_SYSTEM","features":[48]},{"name":"GUID_DEVCLASS_TAPEDRIVE","features":[48]},{"name":"GUID_DEVCLASS_UCM","features":[48]},{"name":"GUID_DEVCLASS_UNKNOWN","features":[48]},{"name":"GUID_DEVCLASS_USB","features":[48]},{"name":"GUID_DEVCLASS_VOLUME","features":[48]},{"name":"GUID_DEVCLASS_VOLUMESNAPSHOT","features":[48]},{"name":"GUID_DEVCLASS_WCEUSBS","features":[48]},{"name":"GUID_DEVCLASS_WPD","features":[48]},{"name":"GUID_DEVICE_INTERFACE_ARRIVAL","features":[48]},{"name":"GUID_DEVICE_INTERFACE_REMOVAL","features":[48]},{"name":"GUID_DEVICE_RESET_INTERFACE_STANDARD","features":[48]},{"name":"GUID_DMA_CACHE_COHERENCY_INTERFACE","features":[48]},{"name":"GUID_HWPROFILE_CHANGE_CANCELLED","features":[48]},{"name":"GUID_HWPROFILE_CHANGE_COMPLETE","features":[48]},{"name":"GUID_HWPROFILE_QUERY_CHANGE","features":[48]},{"name":"GUID_INT_ROUTE_INTERFACE_STANDARD","features":[48]},{"name":"GUID_IOMMU_BUS_INTERFACE","features":[48]},{"name":"GUID_KERNEL_SOFT_RESTART_CANCEL","features":[48]},{"name":"GUID_KERNEL_SOFT_RESTART_FINALIZE","features":[48]},{"name":"GUID_KERNEL_SOFT_RESTART_PREPARE","features":[48]},{"name":"GUID_LEGACY_DEVICE_DETECTION_STANDARD","features":[48]},{"name":"GUID_MF_ENUMERATION_INTERFACE","features":[48]},{"name":"GUID_MSIX_TABLE_CONFIG_INTERFACE","features":[48]},{"name":"GUID_NPEM_CONTROL_INTERFACE","features":[48]},{"name":"GUID_PARTITION_UNIT_INTERFACE_STANDARD","features":[48]},{"name":"GUID_PCC_INTERFACE_INTERNAL","features":[48]},{"name":"GUID_PCC_INTERFACE_STANDARD","features":[48]},{"name":"GUID_PCI_ATS_INTERFACE","features":[48]},{"name":"GUID_PCI_BUS_INTERFACE_STANDARD","features":[48]},{"name":"GUID_PCI_BUS_INTERFACE_STANDARD2","features":[48]},{"name":"GUID_PCI_DEVICE_PRESENT_INTERFACE","features":[48]},{"name":"GUID_PCI_EXPRESS_LINK_QUIESCENT_INTERFACE","features":[48]},{"name":"GUID_PCI_EXPRESS_ROOT_PORT_INTERFACE","features":[48]},{"name":"GUID_PCI_FPGA_CONTROL_INTERFACE","features":[48]},{"name":"GUID_PCI_PTM_CONTROL_INTERFACE","features":[48]},{"name":"GUID_PCI_SECURITY_INTERFACE","features":[48]},{"name":"GUID_PCI_VIRTUALIZATION_INTERFACE","features":[48]},{"name":"GUID_PCMCIA_BUS_INTERFACE_STANDARD","features":[48]},{"name":"GUID_PNP_CUSTOM_NOTIFICATION","features":[48]},{"name":"GUID_PNP_EXTENDED_ADDRESS_INTERFACE","features":[48]},{"name":"GUID_PNP_LOCATION_INTERFACE","features":[48]},{"name":"GUID_PNP_POWER_NOTIFICATION","features":[48]},{"name":"GUID_PNP_POWER_SETTING_CHANGE","features":[48]},{"name":"GUID_POWER_DEVICE_ENABLE","features":[48]},{"name":"GUID_POWER_DEVICE_TIMEOUTS","features":[48]},{"name":"GUID_POWER_DEVICE_WAKE_ENABLE","features":[48]},{"name":"GUID_PROCESSOR_PCC_INTERFACE_STANDARD","features":[48]},{"name":"GUID_QUERY_CRASHDUMP_FUNCTIONS","features":[48]},{"name":"GUID_RECOVERY_NVMED_PREPARE_SHUTDOWN","features":[48]},{"name":"GUID_RECOVERY_PCI_PREPARE_SHUTDOWN","features":[48]},{"name":"GUID_REENUMERATE_SELF_INTERFACE_STANDARD","features":[48]},{"name":"GUID_SCM_BUS_INTERFACE","features":[48]},{"name":"GUID_SCM_BUS_LD_INTERFACE","features":[48]},{"name":"GUID_SCM_BUS_NVD_INTERFACE","features":[48]},{"name":"GUID_SCM_PHYSICAL_NVDIMM_INTERFACE","features":[48]},{"name":"GUID_SDEV_IDENTIFIER_INTERFACE","features":[48]},{"name":"GUID_SECURE_DRIVER_INTERFACE","features":[48]},{"name":"GUID_TARGET_DEVICE_QUERY_REMOVE","features":[48]},{"name":"GUID_TARGET_DEVICE_REMOVE_CANCELLED","features":[48]},{"name":"GUID_TARGET_DEVICE_REMOVE_COMPLETE","features":[48]},{"name":"GUID_TARGET_DEVICE_TRANSPORT_RELATIONS_CHANGED","features":[48]},{"name":"GUID_THERMAL_COOLING_INTERFACE","features":[48]},{"name":"GUID_TRANSLATOR_INTERFACE_STANDARD","features":[48]},{"name":"GUID_WUDF_DEVICE_HOST_PROBLEM","features":[48]},{"name":"HCMNOTIFICATION","features":[48]},{"name":"HDEVINFO","features":[48]},{"name":"HWPROFILEINFO_A","features":[48]},{"name":"HWPROFILEINFO_W","features":[48]},{"name":"IDD_DYNAWIZ_ANALYZEDEV_PAGE","features":[48]},{"name":"IDD_DYNAWIZ_ANALYZE_NEXTPAGE","features":[48]},{"name":"IDD_DYNAWIZ_ANALYZE_PREVPAGE","features":[48]},{"name":"IDD_DYNAWIZ_FIRSTPAGE","features":[48]},{"name":"IDD_DYNAWIZ_INSTALLDETECTEDDEVS_PAGE","features":[48]},{"name":"IDD_DYNAWIZ_INSTALLDETECTED_NEXTPAGE","features":[48]},{"name":"IDD_DYNAWIZ_INSTALLDETECTED_NODEVS","features":[48]},{"name":"IDD_DYNAWIZ_INSTALLDETECTED_PREVPAGE","features":[48]},{"name":"IDD_DYNAWIZ_SELECTCLASS_PAGE","features":[48]},{"name":"IDD_DYNAWIZ_SELECTDEV_PAGE","features":[48]},{"name":"IDD_DYNAWIZ_SELECT_NEXTPAGE","features":[48]},{"name":"IDD_DYNAWIZ_SELECT_PREVPAGE","features":[48]},{"name":"IDF_CHECKFIRST","features":[48]},{"name":"IDF_NOBEEP","features":[48]},{"name":"IDF_NOBROWSE","features":[48]},{"name":"IDF_NOCOMPRESSED","features":[48]},{"name":"IDF_NODETAILS","features":[48]},{"name":"IDF_NOFOREGROUND","features":[48]},{"name":"IDF_NOREMOVABLEMEDIAPROMPT","features":[48]},{"name":"IDF_NOSKIP","features":[48]},{"name":"IDF_OEMDISK","features":[48]},{"name":"IDF_USEDISKNAMEASPROMPT","features":[48]},{"name":"IDF_WARNIFSKIP","features":[48]},{"name":"IDI_CLASSICON_OVERLAYFIRST","features":[48]},{"name":"IDI_CLASSICON_OVERLAYLAST","features":[48]},{"name":"IDI_CONFLICT","features":[48]},{"name":"IDI_DISABLED_OVL","features":[48]},{"name":"IDI_FORCED_OVL","features":[48]},{"name":"IDI_PROBLEM_OVL","features":[48]},{"name":"IDI_RESOURCE","features":[48]},{"name":"IDI_RESOURCEFIRST","features":[48]},{"name":"IDI_RESOURCELAST","features":[48]},{"name":"IDI_RESOURCEOVERLAYFIRST","features":[48]},{"name":"IDI_RESOURCEOVERLAYLAST","features":[48]},{"name":"INFCONTEXT","features":[48]},{"name":"INFCONTEXT","features":[48]},{"name":"INFINFO_DEFAULT_SEARCH","features":[48]},{"name":"INFINFO_INF_NAME_IS_ABSOLUTE","features":[48]},{"name":"INFINFO_INF_PATH_LIST_SEARCH","features":[48]},{"name":"INFINFO_INF_SPEC_IS_HINF","features":[48]},{"name":"INFINFO_REVERSE_DEFAULT_SEARCH","features":[48]},{"name":"INFSTR_BUS_ALL","features":[48]},{"name":"INFSTR_BUS_EISA","features":[48]},{"name":"INFSTR_BUS_ISA","features":[48]},{"name":"INFSTR_BUS_MCA","features":[48]},{"name":"INFSTR_CFGPRI_DESIRED","features":[48]},{"name":"INFSTR_CFGPRI_DISABLED","features":[48]},{"name":"INFSTR_CFGPRI_FORCECONFIG","features":[48]},{"name":"INFSTR_CFGPRI_HARDRECONFIG","features":[48]},{"name":"INFSTR_CFGPRI_HARDWIRED","features":[48]},{"name":"INFSTR_CFGPRI_NORMAL","features":[48]},{"name":"INFSTR_CFGPRI_POWEROFF","features":[48]},{"name":"INFSTR_CFGPRI_REBOOT","features":[48]},{"name":"INFSTR_CFGPRI_RESTART","features":[48]},{"name":"INFSTR_CFGPRI_SUBOPTIMAL","features":[48]},{"name":"INFSTR_CFGTYPE_BASIC","features":[48]},{"name":"INFSTR_CFGTYPE_FORCED","features":[48]},{"name":"INFSTR_CFGTYPE_OVERRIDE","features":[48]},{"name":"INFSTR_CLASS_SAFEEXCL","features":[48]},{"name":"INFSTR_CONTROLFLAGS_SECTION","features":[48]},{"name":"INFSTR_DRIVERSELECT_FUNCTIONS","features":[48]},{"name":"INFSTR_DRIVERSELECT_SECTION","features":[48]},{"name":"INFSTR_DRIVERVERSION_SECTION","features":[48]},{"name":"INFSTR_KEY_ACTION","features":[48]},{"name":"INFSTR_KEY_ALWAYSEXCLUDEFROMSELECT","features":[48]},{"name":"INFSTR_KEY_BUFFER_SIZE","features":[48]},{"name":"INFSTR_KEY_CATALOGFILE","features":[48]},{"name":"INFSTR_KEY_CHANNEL_ACCESS","features":[48]},{"name":"INFSTR_KEY_CHANNEL_ENABLED","features":[48]},{"name":"INFSTR_KEY_CHANNEL_ISOLATION","features":[48]},{"name":"INFSTR_KEY_CHANNEL_VALUE","features":[48]},{"name":"INFSTR_KEY_CLASS","features":[48]},{"name":"INFSTR_KEY_CLASSGUID","features":[48]},{"name":"INFSTR_KEY_CLOCK_TYPE","features":[48]},{"name":"INFSTR_KEY_CONFIGPRIORITY","features":[48]},{"name":"INFSTR_KEY_COPYFILESONLY","features":[48]},{"name":"INFSTR_KEY_DATA_ITEM","features":[48]},{"name":"INFSTR_KEY_DELAYEDAUTOSTART","features":[48]},{"name":"INFSTR_KEY_DEPENDENCIES","features":[48]},{"name":"INFSTR_KEY_DESCRIPTION","features":[48]},{"name":"INFSTR_KEY_DETECTLIST","features":[48]},{"name":"INFSTR_KEY_DETPARAMS","features":[48]},{"name":"INFSTR_KEY_DISABLE_REALTIME_PERSISTENCE","features":[48]},{"name":"INFSTR_KEY_DISPLAYNAME","features":[48]},{"name":"INFSTR_KEY_DMA","features":[48]},{"name":"INFSTR_KEY_DMACONFIG","features":[48]},{"name":"INFSTR_KEY_DRIVERSET","features":[48]},{"name":"INFSTR_KEY_ENABLED","features":[48]},{"name":"INFSTR_KEY_ENABLE_FLAGS","features":[48]},{"name":"INFSTR_KEY_ENABLE_LEVEL","features":[48]},{"name":"INFSTR_KEY_ENABLE_PROPERTY","features":[48]},{"name":"INFSTR_KEY_ERRORCONTROL","features":[48]},{"name":"INFSTR_KEY_EXCLUDEFROMSELECT","features":[48]},{"name":"INFSTR_KEY_EXCLUDERES","features":[48]},{"name":"INFSTR_KEY_EXTENSIONID","features":[48]},{"name":"INFSTR_KEY_FAILURE_ACTION","features":[48]},{"name":"INFSTR_KEY_FILE_MAX","features":[48]},{"name":"INFSTR_KEY_FILE_NAME","features":[48]},{"name":"INFSTR_KEY_FLUSH_TIMER","features":[48]},{"name":"INFSTR_KEY_FROMINET","features":[48]},{"name":"INFSTR_KEY_HARDWARE_CLASS","features":[48]},{"name":"INFSTR_KEY_HARDWARE_CLASSGUID","features":[48]},{"name":"INFSTR_KEY_INTERACTIVEINSTALL","features":[48]},{"name":"INFSTR_KEY_IO","features":[48]},{"name":"INFSTR_KEY_IOCONFIG","features":[48]},{"name":"INFSTR_KEY_IRQ","features":[48]},{"name":"INFSTR_KEY_IRQCONFIG","features":[48]},{"name":"INFSTR_KEY_LOADORDERGROUP","features":[48]},{"name":"INFSTR_KEY_LOGGING_AUTOBACKUP","features":[48]},{"name":"INFSTR_KEY_LOGGING_MAXSIZE","features":[48]},{"name":"INFSTR_KEY_LOGGING_RETENTION","features":[48]},{"name":"INFSTR_KEY_LOG_FILE_MODE","features":[48]},{"name":"INFSTR_KEY_MATCH_ALL_KEYWORD","features":[48]},{"name":"INFSTR_KEY_MATCH_ANY_KEYWORD","features":[48]},{"name":"INFSTR_KEY_MAXIMUM_BUFFERS","features":[48]},{"name":"INFSTR_KEY_MAX_FILE_SIZE","features":[48]},{"name":"INFSTR_KEY_MEM","features":[48]},{"name":"INFSTR_KEY_MEMCONFIG","features":[48]},{"name":"INFSTR_KEY_MEMLARGECONFIG","features":[48]},{"name":"INFSTR_KEY_MESSAGE_FILE","features":[48]},{"name":"INFSTR_KEY_MFCARDCONFIG","features":[48]},{"name":"INFSTR_KEY_MINIMUM_BUFFERS","features":[48]},{"name":"INFSTR_KEY_NAME","features":[48]},{"name":"INFSTR_KEY_NON_CRASH_FAILURES","features":[48]},{"name":"INFSTR_KEY_NOSETUPINF","features":[48]},{"name":"INFSTR_KEY_PARAMETER_FILE","features":[48]},{"name":"INFSTR_KEY_PATH","features":[48]},{"name":"INFSTR_KEY_PCCARDCONFIG","features":[48]},{"name":"INFSTR_KEY_PNPLOCKDOWN","features":[48]},{"name":"INFSTR_KEY_PROVIDER","features":[48]},{"name":"INFSTR_KEY_PROVIDER_NAME","features":[48]},{"name":"INFSTR_KEY_REQUESTADDITIONALSOFTWARE","features":[48]},{"name":"INFSTR_KEY_REQUIREDPRIVILEGES","features":[48]},{"name":"INFSTR_KEY_RESET_PERIOD","features":[48]},{"name":"INFSTR_KEY_RESOURCE_FILE","features":[48]},{"name":"INFSTR_KEY_SECURITY","features":[48]},{"name":"INFSTR_KEY_SERVICEBINARY","features":[48]},{"name":"INFSTR_KEY_SERVICESIDTYPE","features":[48]},{"name":"INFSTR_KEY_SERVICETYPE","features":[48]},{"name":"INFSTR_KEY_SIGNATURE","features":[48]},{"name":"INFSTR_KEY_SKIPLIST","features":[48]},{"name":"INFSTR_KEY_START","features":[48]},{"name":"INFSTR_KEY_STARTNAME","features":[48]},{"name":"INFSTR_KEY_STARTTYPE","features":[48]},{"name":"INFSTR_KEY_SUB_TYPE","features":[48]},{"name":"INFSTR_KEY_TRIGGER_TYPE","features":[48]},{"name":"INFSTR_PLATFORM_NT","features":[48]},{"name":"INFSTR_PLATFORM_NTALPHA","features":[48]},{"name":"INFSTR_PLATFORM_NTAMD64","features":[48]},{"name":"INFSTR_PLATFORM_NTARM","features":[48]},{"name":"INFSTR_PLATFORM_NTARM64","features":[48]},{"name":"INFSTR_PLATFORM_NTAXP64","features":[48]},{"name":"INFSTR_PLATFORM_NTIA64","features":[48]},{"name":"INFSTR_PLATFORM_NTMIPS","features":[48]},{"name":"INFSTR_PLATFORM_NTPPC","features":[48]},{"name":"INFSTR_PLATFORM_NTX86","features":[48]},{"name":"INFSTR_PLATFORM_WIN","features":[48]},{"name":"INFSTR_REBOOT","features":[48]},{"name":"INFSTR_RESTART","features":[48]},{"name":"INFSTR_RISK_BIOSROMRD","features":[48]},{"name":"INFSTR_RISK_DELICATE","features":[48]},{"name":"INFSTR_RISK_IORD","features":[48]},{"name":"INFSTR_RISK_IOWR","features":[48]},{"name":"INFSTR_RISK_LOW","features":[48]},{"name":"INFSTR_RISK_MEMRD","features":[48]},{"name":"INFSTR_RISK_MEMWR","features":[48]},{"name":"INFSTR_RISK_NONE","features":[48]},{"name":"INFSTR_RISK_QUERYDRV","features":[48]},{"name":"INFSTR_RISK_SWINT","features":[48]},{"name":"INFSTR_RISK_UNRELIABLE","features":[48]},{"name":"INFSTR_RISK_VERYHIGH","features":[48]},{"name":"INFSTR_RISK_VERYLOW","features":[48]},{"name":"INFSTR_SECT_AUTOEXECBAT","features":[48]},{"name":"INFSTR_SECT_AVOIDCFGSYSDEV","features":[48]},{"name":"INFSTR_SECT_AVOIDENVDEV","features":[48]},{"name":"INFSTR_SECT_AVOIDINIDEV","features":[48]},{"name":"INFSTR_SECT_BADACPIBIOS","features":[48]},{"name":"INFSTR_SECT_BADDISKBIOS","features":[48]},{"name":"INFSTR_SECT_BADDSBIOS","features":[48]},{"name":"INFSTR_SECT_BADPMCALLBIOS","features":[48]},{"name":"INFSTR_SECT_BADPNPBIOS","features":[48]},{"name":"INFSTR_SECT_BADRMCALLBIOS","features":[48]},{"name":"INFSTR_SECT_BADROUTINGTABLEBIOS","features":[48]},{"name":"INFSTR_SECT_CFGSYS","features":[48]},{"name":"INFSTR_SECT_CLASS_INSTALL","features":[48]},{"name":"INFSTR_SECT_CLASS_INSTALL_32","features":[48]},{"name":"INFSTR_SECT_DEFAULT_INSTALL","features":[48]},{"name":"INFSTR_SECT_DEFAULT_UNINSTALL","features":[48]},{"name":"INFSTR_SECT_DETCLASSINFO","features":[48]},{"name":"INFSTR_SECT_DETMODULES","features":[48]},{"name":"INFSTR_SECT_DETOPTIONS","features":[48]},{"name":"INFSTR_SECT_DEVINFS","features":[48]},{"name":"INFSTR_SECT_DISPLAY_CLEANUP","features":[48]},{"name":"INFSTR_SECT_EXTENSIONCONTRACTS","features":[48]},{"name":"INFSTR_SECT_FORCEHWVERIFY","features":[48]},{"name":"INFSTR_SECT_GOODACPIBIOS","features":[48]},{"name":"INFSTR_SECT_HPOMNIBOOK","features":[48]},{"name":"INFSTR_SECT_INTERFACE_INSTALL_32","features":[48]},{"name":"INFSTR_SECT_MACHINEIDBIOS","features":[48]},{"name":"INFSTR_SECT_MANUALDEV","features":[48]},{"name":"INFSTR_SECT_MFG","features":[48]},{"name":"INFSTR_SECT_REGCFGSYSDEV","features":[48]},{"name":"INFSTR_SECT_REGENVDEV","features":[48]},{"name":"INFSTR_SECT_REGINIDEV","features":[48]},{"name":"INFSTR_SECT_SYSINI","features":[48]},{"name":"INFSTR_SECT_SYSINIDRV","features":[48]},{"name":"INFSTR_SECT_TARGETCOMPUTERS","features":[48]},{"name":"INFSTR_SECT_VERSION","features":[48]},{"name":"INFSTR_SECT_WININIRUN","features":[48]},{"name":"INFSTR_SOFTWAREVERSION_SECTION","features":[48]},{"name":"INFSTR_STRKEY_DRVDESC","features":[48]},{"name":"INFSTR_SUBKEY_COINSTALLERS","features":[48]},{"name":"INFSTR_SUBKEY_CTL","features":[48]},{"name":"INFSTR_SUBKEY_DET","features":[48]},{"name":"INFSTR_SUBKEY_EVENTS","features":[48]},{"name":"INFSTR_SUBKEY_FACTDEF","features":[48]},{"name":"INFSTR_SUBKEY_FILTERS","features":[48]},{"name":"INFSTR_SUBKEY_HW","features":[48]},{"name":"INFSTR_SUBKEY_INTERFACES","features":[48]},{"name":"INFSTR_SUBKEY_LOGCONFIG","features":[48]},{"name":"INFSTR_SUBKEY_LOGCONFIGOVERRIDE","features":[48]},{"name":"INFSTR_SUBKEY_NORESOURCEDUPS","features":[48]},{"name":"INFSTR_SUBKEY_POSSIBLEDUPS","features":[48]},{"name":"INFSTR_SUBKEY_SERVICES","features":[48]},{"name":"INFSTR_SUBKEY_SOFTWARE","features":[48]},{"name":"INFSTR_SUBKEY_WMI","features":[48]},{"name":"INF_STYLE","features":[48]},{"name":"INF_STYLE_CACHE_DISABLE","features":[48]},{"name":"INF_STYLE_CACHE_ENABLE","features":[48]},{"name":"INF_STYLE_CACHE_IGNORE","features":[48]},{"name":"INF_STYLE_NONE","features":[48]},{"name":"INF_STYLE_OLDNT","features":[48]},{"name":"INF_STYLE_WIN4","features":[48]},{"name":"INSTALLFLAG_BITS","features":[48]},{"name":"INSTALLFLAG_FORCE","features":[48]},{"name":"INSTALLFLAG_NONINTERACTIVE","features":[48]},{"name":"INSTALLFLAG_READONLY","features":[48]},{"name":"IOA_Local","features":[48]},{"name":"IOD_DESFLAGS","features":[48]},{"name":"IO_ALIAS_10_BIT_DECODE","features":[48]},{"name":"IO_ALIAS_12_BIT_DECODE","features":[48]},{"name":"IO_ALIAS_16_BIT_DECODE","features":[48]},{"name":"IO_ALIAS_POSITIVE_DECODE","features":[48]},{"name":"IO_DES","features":[48]},{"name":"IO_RANGE","features":[48]},{"name":"IO_RESOURCE","features":[48]},{"name":"IRQD_FLAGS","features":[48]},{"name":"IRQ_DES_32","features":[48]},{"name":"IRQ_DES_64","features":[48]},{"name":"IRQ_RANGE","features":[48]},{"name":"IRQ_RESOURCE_32","features":[48]},{"name":"IRQ_RESOURCE_64","features":[48]},{"name":"InstallHinfSectionA","features":[48,1]},{"name":"InstallHinfSectionW","features":[48,1]},{"name":"LCPRI_BOOTCONFIG","features":[48]},{"name":"LCPRI_DESIRED","features":[48]},{"name":"LCPRI_DISABLED","features":[48]},{"name":"LCPRI_FORCECONFIG","features":[48]},{"name":"LCPRI_HARDRECONFIG","features":[48]},{"name":"LCPRI_HARDWIRED","features":[48]},{"name":"LCPRI_IMPOSSIBLE","features":[48]},{"name":"LCPRI_LASTBESTCONFIG","features":[48]},{"name":"LCPRI_LASTSOFTCONFIG","features":[48]},{"name":"LCPRI_NORMAL","features":[48]},{"name":"LCPRI_POWEROFF","features":[48]},{"name":"LCPRI_REBOOT","features":[48]},{"name":"LCPRI_RESTART","features":[48]},{"name":"LCPRI_SUBOPTIMAL","features":[48]},{"name":"LINE_LEN","features":[48]},{"name":"LOG_CONF_BITS","features":[48]},{"name":"LogSevError","features":[48]},{"name":"LogSevFatalError","features":[48]},{"name":"LogSevInformation","features":[48]},{"name":"LogSevMaximum","features":[48]},{"name":"LogSevWarning","features":[48]},{"name":"MAX_CLASS_NAME_LEN","features":[48]},{"name":"MAX_CONFIG_VALUE","features":[48]},{"name":"MAX_DEVICE_ID_LEN","features":[48]},{"name":"MAX_DEVNODE_ID_LEN","features":[48]},{"name":"MAX_DMA_CHANNELS","features":[48]},{"name":"MAX_GUID_STRING_LEN","features":[48]},{"name":"MAX_IDD_DYNAWIZ_RESOURCE_ID","features":[48]},{"name":"MAX_INFSTR_STRKEY_LEN","features":[48]},{"name":"MAX_INF_FLAG","features":[48]},{"name":"MAX_INF_SECTION_NAME_LENGTH","features":[48]},{"name":"MAX_INF_STRING_LENGTH","features":[48]},{"name":"MAX_INSTALLWIZARD_DYNAPAGES","features":[48]},{"name":"MAX_INSTANCE_VALUE","features":[48]},{"name":"MAX_INSTRUCTION_LEN","features":[48]},{"name":"MAX_IO_PORTS","features":[48]},{"name":"MAX_IRQS","features":[48]},{"name":"MAX_KEY_LEN","features":[48]},{"name":"MAX_LABEL_LEN","features":[48]},{"name":"MAX_LCPRI","features":[48]},{"name":"MAX_MEM_REGISTERS","features":[48]},{"name":"MAX_PRIORITYSTR_LEN","features":[48]},{"name":"MAX_PROFILE_LEN","features":[48]},{"name":"MAX_SERVICE_NAME_LEN","features":[48]},{"name":"MAX_SUBTITLE_LEN","features":[48]},{"name":"MAX_TITLE_LEN","features":[48]},{"name":"MD_FLAGS","features":[48]},{"name":"MEM_DES","features":[48]},{"name":"MEM_LARGE_DES","features":[48]},{"name":"MEM_LARGE_RANGE","features":[48]},{"name":"MEM_LARGE_RESOURCE","features":[48]},{"name":"MEM_RANGE","features":[48]},{"name":"MEM_RESOURCE","features":[48]},{"name":"MFCARD_DES","features":[48]},{"name":"MFCARD_RESOURCE","features":[48]},{"name":"MIN_IDD_DYNAWIZ_RESOURCE_ID","features":[48]},{"name":"NDW_INSTALLFLAG_CI_PICKED_OEM","features":[48]},{"name":"NDW_INSTALLFLAG_DIDFACTDEFS","features":[48]},{"name":"NDW_INSTALLFLAG_EXPRESSINTRO","features":[48]},{"name":"NDW_INSTALLFLAG_HARDWAREALLREADYIN","features":[48]},{"name":"NDW_INSTALLFLAG_INSTALLSPECIFIC","features":[48]},{"name":"NDW_INSTALLFLAG_KNOWNCLASS","features":[48]},{"name":"NDW_INSTALLFLAG_NEEDSHUTDOWN","features":[48]},{"name":"NDW_INSTALLFLAG_NODETECTEDDEVS","features":[48]},{"name":"NDW_INSTALLFLAG_PCMCIADEVICE","features":[48]},{"name":"NDW_INSTALLFLAG_PCMCIAMODE","features":[48]},{"name":"NDW_INSTALLFLAG_SKIPCLASSLIST","features":[48]},{"name":"NDW_INSTALLFLAG_SKIPISDEVINSTALLED","features":[48]},{"name":"NDW_INSTALLFLAG_USERCANCEL","features":[48]},{"name":"NUM_CM_PROB","features":[48]},{"name":"NUM_CM_PROB_V1","features":[48]},{"name":"NUM_CM_PROB_V2","features":[48]},{"name":"NUM_CM_PROB_V3","features":[48]},{"name":"NUM_CM_PROB_V4","features":[48]},{"name":"NUM_CM_PROB_V5","features":[48]},{"name":"NUM_CM_PROB_V6","features":[48]},{"name":"NUM_CM_PROB_V7","features":[48]},{"name":"NUM_CM_PROB_V8","features":[48]},{"name":"NUM_CM_PROB_V9","features":[48]},{"name":"NUM_CR_RESULTS","features":[48]},{"name":"NUM_LOG_CONF","features":[48]},{"name":"OEM_SOURCE_MEDIA_TYPE","features":[48]},{"name":"OVERRIDE_LOG_CONF","features":[48]},{"name":"PCCARD_DES","features":[48]},{"name":"PCCARD_RESOURCE","features":[48]},{"name":"PCD_FLAGS","features":[48]},{"name":"PCD_MAX_IO","features":[48]},{"name":"PCD_MAX_MEMORY","features":[48]},{"name":"PCM_NOTIFY_CALLBACK","features":[48]},{"name":"PDETECT_PROGRESS_NOTIFY","features":[48,1]},{"name":"PMF_FLAGS","features":[48]},{"name":"PNP_VETO_TYPE","features":[48]},{"name":"PNP_VetoAlreadyRemoved","features":[48]},{"name":"PNP_VetoDevice","features":[48]},{"name":"PNP_VetoDriver","features":[48]},{"name":"PNP_VetoIllegalDeviceRequest","features":[48]},{"name":"PNP_VetoInsufficientPower","features":[48]},{"name":"PNP_VetoInsufficientRights","features":[48]},{"name":"PNP_VetoLegacyDevice","features":[48]},{"name":"PNP_VetoLegacyDriver","features":[48]},{"name":"PNP_VetoNonDisableable","features":[48]},{"name":"PNP_VetoOutstandingOpen","features":[48]},{"name":"PNP_VetoPendingClose","features":[48]},{"name":"PNP_VetoTypeUnknown","features":[48]},{"name":"PNP_VetoWindowsApp","features":[48]},{"name":"PNP_VetoWindowsService","features":[48]},{"name":"PRIORITY_BIT","features":[48]},{"name":"PRIORITY_EQUAL_FIRST","features":[48]},{"name":"PRIORITY_EQUAL_LAST","features":[48]},{"name":"PSP_DETSIG_CMPPROC","features":[48]},{"name":"PSP_FILE_CALLBACK_A","features":[48]},{"name":"PSP_FILE_CALLBACK_W","features":[48]},{"name":"ROLLBACK_BITS","features":[48]},{"name":"ROLLBACK_FLAG_NO_UI","features":[48]},{"name":"RegDisposition_Bits","features":[48]},{"name":"RegDisposition_OpenAlways","features":[48]},{"name":"RegDisposition_OpenExisting","features":[48]},{"name":"ResType_All","features":[48]},{"name":"ResType_BusNumber","features":[48]},{"name":"ResType_ClassSpecific","features":[48]},{"name":"ResType_Connection","features":[48]},{"name":"ResType_DMA","features":[48]},{"name":"ResType_DevicePrivate","features":[48]},{"name":"ResType_DoNotUse","features":[48]},{"name":"ResType_IO","features":[48]},{"name":"ResType_IRQ","features":[48]},{"name":"ResType_Ignored_Bit","features":[48]},{"name":"ResType_MAX","features":[48]},{"name":"ResType_Mem","features":[48]},{"name":"ResType_MemLarge","features":[48]},{"name":"ResType_MfCardConfig","features":[48]},{"name":"ResType_None","features":[48]},{"name":"ResType_PcCardConfig","features":[48]},{"name":"ResType_Reserved","features":[48]},{"name":"SCWMI_CLOBBER_SECURITY","features":[48]},{"name":"SETDIRID_NOT_FULL_PATH","features":[48]},{"name":"SETUPSCANFILEQUEUE_FLAGS","features":[48]},{"name":"SETUP_DI_DEVICE_CONFIGURATION_FLAGS","features":[48]},{"name":"SETUP_DI_DEVICE_CREATION_FLAGS","features":[48]},{"name":"SETUP_DI_DEVICE_INSTALL_FLAGS","features":[48]},{"name":"SETUP_DI_DEVICE_INSTALL_FLAGS_EX","features":[48]},{"name":"SETUP_DI_DRIVER_INSTALL_FLAGS","features":[48]},{"name":"SETUP_DI_DRIVER_TYPE","features":[48]},{"name":"SETUP_DI_GET_CLASS_DEVS_FLAGS","features":[48]},{"name":"SETUP_DI_PROPERTY_CHANGE_SCOPE","features":[48]},{"name":"SETUP_DI_REGISTRY_PROPERTY","features":[48]},{"name":"SETUP_DI_REMOVE_DEVICE_SCOPE","features":[48]},{"name":"SETUP_DI_STATE_CHANGE","features":[48]},{"name":"SETUP_FILE_OPERATION","features":[48]},{"name":"SIGNERSCORE_AUTHENTICODE","features":[48]},{"name":"SIGNERSCORE_INBOX","features":[48]},{"name":"SIGNERSCORE_LOGO_PREMIUM","features":[48]},{"name":"SIGNERSCORE_LOGO_STANDARD","features":[48]},{"name":"SIGNERSCORE_MASK","features":[48]},{"name":"SIGNERSCORE_SIGNED_MASK","features":[48]},{"name":"SIGNERSCORE_UNCLASSIFIED","features":[48]},{"name":"SIGNERSCORE_UNKNOWN","features":[48]},{"name":"SIGNERSCORE_UNSIGNED","features":[48]},{"name":"SIGNERSCORE_W9X_SUSPECT","features":[48]},{"name":"SIGNERSCORE_WHQL","features":[48]},{"name":"SOURCE_MEDIA_A","features":[48]},{"name":"SOURCE_MEDIA_A","features":[48]},{"name":"SOURCE_MEDIA_W","features":[48]},{"name":"SOURCE_MEDIA_W","features":[48]},{"name":"SPCRP_CHARACTERISTICS","features":[48]},{"name":"SPCRP_DEVTYPE","features":[48]},{"name":"SPCRP_EXCLUSIVE","features":[48]},{"name":"SPCRP_LOWERFILTERS","features":[48]},{"name":"SPCRP_MAXIMUM_PROPERTY","features":[48]},{"name":"SPCRP_SECURITY","features":[48]},{"name":"SPCRP_SECURITY_SDS","features":[48]},{"name":"SPCRP_UPPERFILTERS","features":[48]},{"name":"SPDIT_CLASSDRIVER","features":[48]},{"name":"SPDIT_COMPATDRIVER","features":[48]},{"name":"SPDIT_NODRIVER","features":[48]},{"name":"SPDRP_ADDRESS","features":[48]},{"name":"SPDRP_BASE_CONTAINERID","features":[48]},{"name":"SPDRP_BUSNUMBER","features":[48]},{"name":"SPDRP_BUSTYPEGUID","features":[48]},{"name":"SPDRP_CAPABILITIES","features":[48]},{"name":"SPDRP_CHARACTERISTICS","features":[48]},{"name":"SPDRP_CLASS","features":[48]},{"name":"SPDRP_CLASSGUID","features":[48]},{"name":"SPDRP_COMPATIBLEIDS","features":[48]},{"name":"SPDRP_CONFIGFLAGS","features":[48]},{"name":"SPDRP_DEVICEDESC","features":[48]},{"name":"SPDRP_DEVICE_POWER_DATA","features":[48]},{"name":"SPDRP_DEVTYPE","features":[48]},{"name":"SPDRP_DRIVER","features":[48]},{"name":"SPDRP_ENUMERATOR_NAME","features":[48]},{"name":"SPDRP_EXCLUSIVE","features":[48]},{"name":"SPDRP_FRIENDLYNAME","features":[48]},{"name":"SPDRP_HARDWAREID","features":[48]},{"name":"SPDRP_INSTALL_STATE","features":[48]},{"name":"SPDRP_LEGACYBUSTYPE","features":[48]},{"name":"SPDRP_LOCATION_INFORMATION","features":[48]},{"name":"SPDRP_LOCATION_PATHS","features":[48]},{"name":"SPDRP_LOWERFILTERS","features":[48]},{"name":"SPDRP_MAXIMUM_PROPERTY","features":[48]},{"name":"SPDRP_MFG","features":[48]},{"name":"SPDRP_PHYSICAL_DEVICE_OBJECT_NAME","features":[48]},{"name":"SPDRP_REMOVAL_POLICY","features":[48]},{"name":"SPDRP_REMOVAL_POLICY_HW_DEFAULT","features":[48]},{"name":"SPDRP_REMOVAL_POLICY_OVERRIDE","features":[48]},{"name":"SPDRP_SECURITY","features":[48]},{"name":"SPDRP_SECURITY_SDS","features":[48]},{"name":"SPDRP_SERVICE","features":[48]},{"name":"SPDRP_UI_NUMBER","features":[48]},{"name":"SPDRP_UI_NUMBER_DESC_FORMAT","features":[48]},{"name":"SPDRP_UNUSED0","features":[48]},{"name":"SPDRP_UNUSED1","features":[48]},{"name":"SPDRP_UNUSED2","features":[48]},{"name":"SPDRP_UPPERFILTERS","features":[48]},{"name":"SPDSL_DISALLOW_NEGATIVE_ADJUST","features":[48]},{"name":"SPDSL_IGNORE_DISK","features":[48]},{"name":"SPFILELOG_FORCENEW","features":[48]},{"name":"SPFILELOG_OEMFILE","features":[48]},{"name":"SPFILELOG_QUERYONLY","features":[48]},{"name":"SPFILELOG_SYSTEMLOG","features":[48]},{"name":"SPFILENOTIFY_BACKUPERROR","features":[48]},{"name":"SPFILENOTIFY_CABINETINFO","features":[48]},{"name":"SPFILENOTIFY_COPYERROR","features":[48]},{"name":"SPFILENOTIFY_DELETEERROR","features":[48]},{"name":"SPFILENOTIFY_ENDBACKUP","features":[48]},{"name":"SPFILENOTIFY_ENDCOPY","features":[48]},{"name":"SPFILENOTIFY_ENDDELETE","features":[48]},{"name":"SPFILENOTIFY_ENDQUEUE","features":[48]},{"name":"SPFILENOTIFY_ENDREGISTRATION","features":[48]},{"name":"SPFILENOTIFY_ENDRENAME","features":[48]},{"name":"SPFILENOTIFY_ENDSUBQUEUE","features":[48]},{"name":"SPFILENOTIFY_FILEEXTRACTED","features":[48]},{"name":"SPFILENOTIFY_FILEINCABINET","features":[48]},{"name":"SPFILENOTIFY_FILEOPDELAYED","features":[48]},{"name":"SPFILENOTIFY_LANGMISMATCH","features":[48]},{"name":"SPFILENOTIFY_NEEDMEDIA","features":[48]},{"name":"SPFILENOTIFY_NEEDNEWCABINET","features":[48]},{"name":"SPFILENOTIFY_QUEUESCAN","features":[48]},{"name":"SPFILENOTIFY_QUEUESCAN_EX","features":[48]},{"name":"SPFILENOTIFY_QUEUESCAN_SIGNERINFO","features":[48]},{"name":"SPFILENOTIFY_RENAMEERROR","features":[48]},{"name":"SPFILENOTIFY_STARTBACKUP","features":[48]},{"name":"SPFILENOTIFY_STARTCOPY","features":[48]},{"name":"SPFILENOTIFY_STARTDELETE","features":[48]},{"name":"SPFILENOTIFY_STARTQUEUE","features":[48]},{"name":"SPFILENOTIFY_STARTREGISTRATION","features":[48]},{"name":"SPFILENOTIFY_STARTRENAME","features":[48]},{"name":"SPFILENOTIFY_STARTSUBQUEUE","features":[48]},{"name":"SPFILENOTIFY_TARGETEXISTS","features":[48]},{"name":"SPFILENOTIFY_TARGETNEWER","features":[48]},{"name":"SPFILEQ_FILE_IN_USE","features":[48]},{"name":"SPFILEQ_REBOOT_IN_PROGRESS","features":[48]},{"name":"SPFILEQ_REBOOT_RECOMMENDED","features":[48]},{"name":"SPID_ACTIVE","features":[48]},{"name":"SPID_DEFAULT","features":[48]},{"name":"SPID_REMOVED","features":[48]},{"name":"SPINST_ALL","features":[48]},{"name":"SPINST_BITREG","features":[48]},{"name":"SPINST_COPYINF","features":[48]},{"name":"SPINST_DEVICEINSTALL","features":[48]},{"name":"SPINST_FILES","features":[48]},{"name":"SPINST_INI2REG","features":[48]},{"name":"SPINST_INIFILES","features":[48]},{"name":"SPINST_LOGCONFIG","features":[48]},{"name":"SPINST_LOGCONFIGS_ARE_OVERRIDES","features":[48]},{"name":"SPINST_LOGCONFIG_IS_FORCED","features":[48]},{"name":"SPINST_PROFILEITEMS","features":[48]},{"name":"SPINST_PROPERTIES","features":[48]},{"name":"SPINST_REGISTERCALLBACKAWARE","features":[48]},{"name":"SPINST_REGISTRY","features":[48]},{"name":"SPINST_REGSVR","features":[48]},{"name":"SPINST_SINGLESECTION","features":[48]},{"name":"SPINST_UNREGSVR","features":[48]},{"name":"SPINT_ACTIVE","features":[48]},{"name":"SPINT_DEFAULT","features":[48]},{"name":"SPINT_REMOVED","features":[48]},{"name":"SPOST_MAX","features":[48]},{"name":"SPOST_NONE","features":[48]},{"name":"SPOST_PATH","features":[48]},{"name":"SPOST_URL","features":[48]},{"name":"SPPSR_ENUM_ADV_DEVICE_PROPERTIES","features":[48]},{"name":"SPPSR_ENUM_BASIC_DEVICE_PROPERTIES","features":[48]},{"name":"SPPSR_SELECT_DEVICE_RESOURCES","features":[48]},{"name":"SPQ_DELAYED_COPY","features":[48]},{"name":"SPQ_FLAG_ABORT_IF_UNSIGNED","features":[48]},{"name":"SPQ_FLAG_BACKUP_AWARE","features":[48]},{"name":"SPQ_FLAG_DO_SHUFFLEMOVE","features":[48]},{"name":"SPQ_FLAG_FILES_MODIFIED","features":[48]},{"name":"SPQ_FLAG_VALID","features":[48]},{"name":"SPQ_SCAN_ACTIVATE_DRP","features":[48]},{"name":"SPQ_SCAN_FILE_COMPARISON","features":[48]},{"name":"SPQ_SCAN_FILE_PRESENCE","features":[48]},{"name":"SPQ_SCAN_FILE_PRESENCE_WITHOUT_SOURCE","features":[48]},{"name":"SPQ_SCAN_FILE_VALIDITY","features":[48]},{"name":"SPQ_SCAN_INFORM_USER","features":[48]},{"name":"SPQ_SCAN_PRUNE_COPY_QUEUE","features":[48]},{"name":"SPQ_SCAN_PRUNE_DELREN","features":[48]},{"name":"SPQ_SCAN_USE_CALLBACK","features":[48]},{"name":"SPQ_SCAN_USE_CALLBACKEX","features":[48]},{"name":"SPQ_SCAN_USE_CALLBACK_SIGNERINFO","features":[48]},{"name":"SPRDI_FIND_DUPS","features":[48]},{"name":"SPREG_DLLINSTALL","features":[48]},{"name":"SPREG_GETPROCADDR","features":[48]},{"name":"SPREG_LOADLIBRARY","features":[48]},{"name":"SPREG_REGSVR","features":[48]},{"name":"SPREG_SUCCESS","features":[48]},{"name":"SPREG_TIMEOUT","features":[48]},{"name":"SPREG_UNKNOWN","features":[48]},{"name":"SPSVCINST_ASSOCSERVICE","features":[48]},{"name":"SPSVCINST_CLOBBER_SECURITY","features":[48]},{"name":"SPSVCINST_DELETEEVENTLOGENTRY","features":[48]},{"name":"SPSVCINST_FLAGS","features":[48]},{"name":"SPSVCINST_NOCLOBBER_DELAYEDAUTOSTART","features":[48]},{"name":"SPSVCINST_NOCLOBBER_DEPENDENCIES","features":[48]},{"name":"SPSVCINST_NOCLOBBER_DESCRIPTION","features":[48]},{"name":"SPSVCINST_NOCLOBBER_DISPLAYNAME","features":[48]},{"name":"SPSVCINST_NOCLOBBER_ERRORCONTROL","features":[48]},{"name":"SPSVCINST_NOCLOBBER_FAILUREACTIONS","features":[48]},{"name":"SPSVCINST_NOCLOBBER_LOADORDERGROUP","features":[48]},{"name":"SPSVCINST_NOCLOBBER_REQUIREDPRIVILEGES","features":[48]},{"name":"SPSVCINST_NOCLOBBER_SERVICESIDTYPE","features":[48]},{"name":"SPSVCINST_NOCLOBBER_STARTTYPE","features":[48]},{"name":"SPSVCINST_NOCLOBBER_TRIGGERS","features":[48]},{"name":"SPSVCINST_STARTSERVICE","features":[48]},{"name":"SPSVCINST_STOPSERVICE","features":[48]},{"name":"SPSVCINST_TAGTOFRONT","features":[48]},{"name":"SPSVCINST_UNIQUE_NAME","features":[48]},{"name":"SPWPT_SELECTDEVICE","features":[48]},{"name":"SPWP_USE_DEVINFO_DATA","features":[48]},{"name":"SP_ALTPLATFORM_FLAGS_SUITE_MASK","features":[48]},{"name":"SP_ALTPLATFORM_FLAGS_VERSION_RANGE","features":[48]},{"name":"SP_ALTPLATFORM_INFO_V1","features":[48,30]},{"name":"SP_ALTPLATFORM_INFO_V1","features":[48,30]},{"name":"SP_ALTPLATFORM_INFO_V2","features":[48,30,32]},{"name":"SP_ALTPLATFORM_INFO_V2","features":[48,30,32]},{"name":"SP_ALTPLATFORM_INFO_V3","features":[48]},{"name":"SP_ALTPLATFORM_INFO_V3","features":[48]},{"name":"SP_BACKUP_BACKUPPASS","features":[48]},{"name":"SP_BACKUP_BOOTFILE","features":[48]},{"name":"SP_BACKUP_DEMANDPASS","features":[48]},{"name":"SP_BACKUP_QUEUE_PARAMS_V1_A","features":[48]},{"name":"SP_BACKUP_QUEUE_PARAMS_V1_A","features":[48]},{"name":"SP_BACKUP_QUEUE_PARAMS_V1_W","features":[48]},{"name":"SP_BACKUP_QUEUE_PARAMS_V1_W","features":[48]},{"name":"SP_BACKUP_QUEUE_PARAMS_V2_A","features":[48]},{"name":"SP_BACKUP_QUEUE_PARAMS_V2_A","features":[48]},{"name":"SP_BACKUP_QUEUE_PARAMS_V2_W","features":[48]},{"name":"SP_BACKUP_QUEUE_PARAMS_V2_W","features":[48]},{"name":"SP_BACKUP_SPECIAL","features":[48]},{"name":"SP_CLASSIMAGELIST_DATA","features":[48,40]},{"name":"SP_CLASSIMAGELIST_DATA","features":[48,40]},{"name":"SP_CLASSINSTALL_HEADER","features":[48]},{"name":"SP_CLASSINSTALL_HEADER","features":[48]},{"name":"SP_COPY_ALREADYDECOMP","features":[48]},{"name":"SP_COPY_DELETESOURCE","features":[48]},{"name":"SP_COPY_FORCE_IN_USE","features":[48]},{"name":"SP_COPY_FORCE_NEWER","features":[48]},{"name":"SP_COPY_FORCE_NOOVERWRITE","features":[48]},{"name":"SP_COPY_HARDLINK","features":[48]},{"name":"SP_COPY_INBOX_INF","features":[48]},{"name":"SP_COPY_IN_USE_NEEDS_REBOOT","features":[48]},{"name":"SP_COPY_IN_USE_TRY_RENAME","features":[48]},{"name":"SP_COPY_LANGUAGEAWARE","features":[48]},{"name":"SP_COPY_NEWER","features":[48]},{"name":"SP_COPY_NEWER_ONLY","features":[48]},{"name":"SP_COPY_NEWER_OR_SAME","features":[48]},{"name":"SP_COPY_NOBROWSE","features":[48]},{"name":"SP_COPY_NODECOMP","features":[48]},{"name":"SP_COPY_NOOVERWRITE","features":[48]},{"name":"SP_COPY_NOPRUNE","features":[48]},{"name":"SP_COPY_NOSKIP","features":[48]},{"name":"SP_COPY_OEMINF_CATALOG_ONLY","features":[48]},{"name":"SP_COPY_OEM_F6_INF","features":[48]},{"name":"SP_COPY_PNPLOCKED","features":[48]},{"name":"SP_COPY_REPLACEONLY","features":[48]},{"name":"SP_COPY_REPLACE_BOOT_FILE","features":[48]},{"name":"SP_COPY_RESERVED","features":[48]},{"name":"SP_COPY_SOURCEPATH_ABSOLUTE","features":[48]},{"name":"SP_COPY_SOURCE_ABSOLUTE","features":[48]},{"name":"SP_COPY_STYLE","features":[48]},{"name":"SP_COPY_WARNIFSKIP","features":[48]},{"name":"SP_COPY_WINDOWS_SIGNED","features":[48]},{"name":"SP_DETECTDEVICE_PARAMS","features":[48,1]},{"name":"SP_DETECTDEVICE_PARAMS","features":[48,1]},{"name":"SP_DEVICE_INTERFACE_DATA","features":[48]},{"name":"SP_DEVICE_INTERFACE_DATA","features":[48]},{"name":"SP_DEVICE_INTERFACE_DETAIL_DATA_A","features":[48]},{"name":"SP_DEVICE_INTERFACE_DETAIL_DATA_A","features":[48]},{"name":"SP_DEVICE_INTERFACE_DETAIL_DATA_W","features":[48]},{"name":"SP_DEVICE_INTERFACE_DETAIL_DATA_W","features":[48]},{"name":"SP_DEVINFO_DATA","features":[48]},{"name":"SP_DEVINFO_DATA","features":[48]},{"name":"SP_DEVINFO_LIST_DETAIL_DATA_A","features":[48,1]},{"name":"SP_DEVINFO_LIST_DETAIL_DATA_A","features":[48,1]},{"name":"SP_DEVINFO_LIST_DETAIL_DATA_W","features":[48,1]},{"name":"SP_DEVINFO_LIST_DETAIL_DATA_W","features":[48,1]},{"name":"SP_DEVINSTALL_PARAMS_A","features":[48,1]},{"name":"SP_DEVINSTALL_PARAMS_A","features":[48,1]},{"name":"SP_DEVINSTALL_PARAMS_W","features":[48,1]},{"name":"SP_DEVINSTALL_PARAMS_W","features":[48,1]},{"name":"SP_DRVINFO_DATA_V1_A","features":[48]},{"name":"SP_DRVINFO_DATA_V1_A","features":[48]},{"name":"SP_DRVINFO_DATA_V1_W","features":[48]},{"name":"SP_DRVINFO_DATA_V1_W","features":[48]},{"name":"SP_DRVINFO_DATA_V2_A","features":[48,1]},{"name":"SP_DRVINFO_DATA_V2_A","features":[48,1]},{"name":"SP_DRVINFO_DATA_V2_W","features":[48,1]},{"name":"SP_DRVINFO_DATA_V2_W","features":[48,1]},{"name":"SP_DRVINFO_DETAIL_DATA_A","features":[48,1]},{"name":"SP_DRVINFO_DETAIL_DATA_A","features":[48,1]},{"name":"SP_DRVINFO_DETAIL_DATA_W","features":[48,1]},{"name":"SP_DRVINFO_DETAIL_DATA_W","features":[48,1]},{"name":"SP_DRVINSTALL_PARAMS","features":[48]},{"name":"SP_DRVINSTALL_PARAMS","features":[48]},{"name":"SP_ENABLECLASS_PARAMS","features":[48]},{"name":"SP_ENABLECLASS_PARAMS","features":[48]},{"name":"SP_FILE_COPY_PARAMS_A","features":[48]},{"name":"SP_FILE_COPY_PARAMS_A","features":[48]},{"name":"SP_FILE_COPY_PARAMS_W","features":[48]},{"name":"SP_FILE_COPY_PARAMS_W","features":[48]},{"name":"SP_FLAG_CABINETCONTINUATION","features":[48]},{"name":"SP_INF_INFORMATION","features":[48]},{"name":"SP_INF_INFORMATION","features":[48]},{"name":"SP_INF_SIGNER_INFO_V1_A","features":[48]},{"name":"SP_INF_SIGNER_INFO_V1_A","features":[48]},{"name":"SP_INF_SIGNER_INFO_V1_W","features":[48]},{"name":"SP_INF_SIGNER_INFO_V1_W","features":[48]},{"name":"SP_INF_SIGNER_INFO_V2_A","features":[48]},{"name":"SP_INF_SIGNER_INFO_V2_A","features":[48]},{"name":"SP_INF_SIGNER_INFO_V2_W","features":[48]},{"name":"SP_INF_SIGNER_INFO_V2_W","features":[48]},{"name":"SP_INSTALLWIZARD_DATA","features":[48,1,40]},{"name":"SP_INSTALLWIZARD_DATA","features":[48,1,40]},{"name":"SP_MAX_MACHINENAME_LENGTH","features":[48]},{"name":"SP_NEWDEVICEWIZARD_DATA","features":[48,1,40]},{"name":"SP_NEWDEVICEWIZARD_DATA","features":[48,1,40]},{"name":"SP_ORIGINAL_FILE_INFO_A","features":[48]},{"name":"SP_ORIGINAL_FILE_INFO_A","features":[48]},{"name":"SP_ORIGINAL_FILE_INFO_W","features":[48]},{"name":"SP_ORIGINAL_FILE_INFO_W","features":[48]},{"name":"SP_POWERMESSAGEWAKE_PARAMS_A","features":[48]},{"name":"SP_POWERMESSAGEWAKE_PARAMS_W","features":[48]},{"name":"SP_POWERMESSAGEWAKE_PARAMS_W","features":[48]},{"name":"SP_PROPCHANGE_PARAMS","features":[48]},{"name":"SP_PROPCHANGE_PARAMS","features":[48]},{"name":"SP_PROPSHEETPAGE_REQUEST","features":[48]},{"name":"SP_PROPSHEETPAGE_REQUEST","features":[48]},{"name":"SP_REGISTER_CONTROL_STATUSA","features":[48]},{"name":"SP_REGISTER_CONTROL_STATUSA","features":[48]},{"name":"SP_REGISTER_CONTROL_STATUSW","features":[48]},{"name":"SP_REGISTER_CONTROL_STATUSW","features":[48]},{"name":"SP_REMOVEDEVICE_PARAMS","features":[48]},{"name":"SP_REMOVEDEVICE_PARAMS","features":[48]},{"name":"SP_SELECTDEVICE_PARAMS_A","features":[48]},{"name":"SP_SELECTDEVICE_PARAMS_W","features":[48]},{"name":"SP_SELECTDEVICE_PARAMS_W","features":[48]},{"name":"SP_TROUBLESHOOTER_PARAMS_A","features":[48]},{"name":"SP_TROUBLESHOOTER_PARAMS_W","features":[48]},{"name":"SP_TROUBLESHOOTER_PARAMS_W","features":[48]},{"name":"SP_UNREMOVEDEVICE_PARAMS","features":[48]},{"name":"SP_UNREMOVEDEVICE_PARAMS","features":[48]},{"name":"SRCINFO_DESCRIPTION","features":[48]},{"name":"SRCINFO_FLAGS","features":[48]},{"name":"SRCINFO_PATH","features":[48]},{"name":"SRCINFO_TAGFILE","features":[48]},{"name":"SRCINFO_TAGFILE2","features":[48]},{"name":"SRCLIST_APPEND","features":[48]},{"name":"SRCLIST_NOBROWSE","features":[48]},{"name":"SRCLIST_NOSTRIPPLATFORM","features":[48]},{"name":"SRCLIST_SUBDIRS","features":[48]},{"name":"SRCLIST_SYSIFADMIN","features":[48]},{"name":"SRCLIST_SYSTEM","features":[48]},{"name":"SRCLIST_TEMPORARY","features":[48]},{"name":"SRCLIST_USER","features":[48]},{"name":"SRC_FLAGS_CABFILE","features":[48]},{"name":"SUOI_FORCEDELETE","features":[48]},{"name":"SUOI_INTERNAL1","features":[48]},{"name":"SZ_KEY_ADDAUTOLOGGER","features":[48]},{"name":"SZ_KEY_ADDAUTOLOGGERPROVIDER","features":[48]},{"name":"SZ_KEY_ADDCHANNEL","features":[48]},{"name":"SZ_KEY_ADDEVENTPROVIDER","features":[48]},{"name":"SZ_KEY_ADDFILTER","features":[48]},{"name":"SZ_KEY_ADDIME","features":[48]},{"name":"SZ_KEY_ADDINTERFACE","features":[48]},{"name":"SZ_KEY_ADDPOWERSETTING","features":[48]},{"name":"SZ_KEY_ADDPROP","features":[48]},{"name":"SZ_KEY_ADDREG","features":[48]},{"name":"SZ_KEY_ADDREGNOCLOBBER","features":[48]},{"name":"SZ_KEY_ADDSERVICE","features":[48]},{"name":"SZ_KEY_ADDTRIGGER","features":[48]},{"name":"SZ_KEY_BITREG","features":[48]},{"name":"SZ_KEY_CLEANONLY","features":[48]},{"name":"SZ_KEY_COPYFILES","features":[48]},{"name":"SZ_KEY_COPYINF","features":[48]},{"name":"SZ_KEY_DEFAULTOPTION","features":[48]},{"name":"SZ_KEY_DEFDESTDIR","features":[48]},{"name":"SZ_KEY_DELFILES","features":[48]},{"name":"SZ_KEY_DELIME","features":[48]},{"name":"SZ_KEY_DELPROP","features":[48]},{"name":"SZ_KEY_DELREG","features":[48]},{"name":"SZ_KEY_DELSERVICE","features":[48]},{"name":"SZ_KEY_DESTDIRS","features":[48]},{"name":"SZ_KEY_EXCLUDEID","features":[48]},{"name":"SZ_KEY_FAILUREACTIONS","features":[48]},{"name":"SZ_KEY_FEATURESCORE","features":[48]},{"name":"SZ_KEY_FILTERLEVEL","features":[48]},{"name":"SZ_KEY_FILTERPOSITION","features":[48]},{"name":"SZ_KEY_HARDWARE","features":[48]},{"name":"SZ_KEY_IMPORTCHANNEL","features":[48]},{"name":"SZ_KEY_INI2REG","features":[48]},{"name":"SZ_KEY_LAYOUT_FILE","features":[48]},{"name":"SZ_KEY_LDIDOEM","features":[48]},{"name":"SZ_KEY_LFN_SECTION","features":[48]},{"name":"SZ_KEY_LISTOPTIONS","features":[48]},{"name":"SZ_KEY_LOGCONFIG","features":[48]},{"name":"SZ_KEY_MODULES","features":[48]},{"name":"SZ_KEY_OPTIONDESC","features":[48]},{"name":"SZ_KEY_PHASE1","features":[48]},{"name":"SZ_KEY_PROFILEITEMS","features":[48]},{"name":"SZ_KEY_REGSVR","features":[48]},{"name":"SZ_KEY_RENFILES","features":[48]},{"name":"SZ_KEY_SFN_SECTION","features":[48]},{"name":"SZ_KEY_SRCDISKFILES","features":[48]},{"name":"SZ_KEY_SRCDISKNAMES","features":[48]},{"name":"SZ_KEY_STRINGS","features":[48]},{"name":"SZ_KEY_UNREGSVR","features":[48]},{"name":"SZ_KEY_UPDATEAUTOLOGGER","features":[48]},{"name":"SZ_KEY_UPDATEINIFIELDS","features":[48]},{"name":"SZ_KEY_UPDATEINIS","features":[48]},{"name":"SZ_KEY_UPGRADEONLY","features":[48]},{"name":"SetupAddInstallSectionToDiskSpaceListA","features":[48,1]},{"name":"SetupAddInstallSectionToDiskSpaceListW","features":[48,1]},{"name":"SetupAddSectionToDiskSpaceListA","features":[48,1]},{"name":"SetupAddSectionToDiskSpaceListW","features":[48,1]},{"name":"SetupAddToDiskSpaceListA","features":[48,1]},{"name":"SetupAddToDiskSpaceListW","features":[48,1]},{"name":"SetupAddToSourceListA","features":[48,1]},{"name":"SetupAddToSourceListW","features":[48,1]},{"name":"SetupAdjustDiskSpaceListA","features":[48,1]},{"name":"SetupAdjustDiskSpaceListW","features":[48,1]},{"name":"SetupBackupErrorA","features":[48,1]},{"name":"SetupBackupErrorW","features":[48,1]},{"name":"SetupCancelTemporarySourceList","features":[48,1]},{"name":"SetupCloseFileQueue","features":[48,1]},{"name":"SetupCloseInfFile","features":[48]},{"name":"SetupCloseLog","features":[48]},{"name":"SetupCommitFileQueueA","features":[48,1]},{"name":"SetupCommitFileQueueW","features":[48,1]},{"name":"SetupConfigureWmiFromInfSectionA","features":[48,1]},{"name":"SetupConfigureWmiFromInfSectionW","features":[48,1]},{"name":"SetupCopyErrorA","features":[48,1]},{"name":"SetupCopyErrorW","features":[48,1]},{"name":"SetupCopyOEMInfA","features":[48,1]},{"name":"SetupCopyOEMInfW","features":[48,1]},{"name":"SetupCreateDiskSpaceListA","features":[48]},{"name":"SetupCreateDiskSpaceListW","features":[48]},{"name":"SetupDecompressOrCopyFileA","features":[48]},{"name":"SetupDecompressOrCopyFileW","features":[48]},{"name":"SetupDefaultQueueCallbackA","features":[48]},{"name":"SetupDefaultQueueCallbackW","features":[48]},{"name":"SetupDeleteErrorA","features":[48,1]},{"name":"SetupDeleteErrorW","features":[48,1]},{"name":"SetupDestroyDiskSpaceList","features":[48,1]},{"name":"SetupDiAskForOEMDisk","features":[48,1]},{"name":"SetupDiBuildClassInfoList","features":[48,1]},{"name":"SetupDiBuildClassInfoListExA","features":[48,1]},{"name":"SetupDiBuildClassInfoListExW","features":[48,1]},{"name":"SetupDiBuildDriverInfoList","features":[48,1]},{"name":"SetupDiCallClassInstaller","features":[48,1]},{"name":"SetupDiCancelDriverInfoSearch","features":[48,1]},{"name":"SetupDiChangeState","features":[48,1]},{"name":"SetupDiClassGuidsFromNameA","features":[48,1]},{"name":"SetupDiClassGuidsFromNameExA","features":[48,1]},{"name":"SetupDiClassGuidsFromNameExW","features":[48,1]},{"name":"SetupDiClassGuidsFromNameW","features":[48,1]},{"name":"SetupDiClassNameFromGuidA","features":[48,1]},{"name":"SetupDiClassNameFromGuidExA","features":[48,1]},{"name":"SetupDiClassNameFromGuidExW","features":[48,1]},{"name":"SetupDiClassNameFromGuidW","features":[48,1]},{"name":"SetupDiCreateDevRegKeyA","features":[48,49]},{"name":"SetupDiCreateDevRegKeyW","features":[48,49]},{"name":"SetupDiCreateDeviceInfoA","features":[48,1]},{"name":"SetupDiCreateDeviceInfoList","features":[48,1]},{"name":"SetupDiCreateDeviceInfoListExA","features":[48,1]},{"name":"SetupDiCreateDeviceInfoListExW","features":[48,1]},{"name":"SetupDiCreateDeviceInfoW","features":[48,1]},{"name":"SetupDiCreateDeviceInterfaceA","features":[48,1]},{"name":"SetupDiCreateDeviceInterfaceRegKeyA","features":[48,49]},{"name":"SetupDiCreateDeviceInterfaceRegKeyW","features":[48,49]},{"name":"SetupDiCreateDeviceInterfaceW","features":[48,1]},{"name":"SetupDiDeleteDevRegKey","features":[48,1]},{"name":"SetupDiDeleteDeviceInfo","features":[48,1]},{"name":"SetupDiDeleteDeviceInterfaceData","features":[48,1]},{"name":"SetupDiDeleteDeviceInterfaceRegKey","features":[48,1]},{"name":"SetupDiDestroyClassImageList","features":[48,1,40]},{"name":"SetupDiDestroyDeviceInfoList","features":[48,1]},{"name":"SetupDiDestroyDriverInfoList","features":[48,1]},{"name":"SetupDiDrawMiniIcon","features":[48,1,12]},{"name":"SetupDiEnumDeviceInfo","features":[48,1]},{"name":"SetupDiEnumDeviceInterfaces","features":[48,1]},{"name":"SetupDiEnumDriverInfoA","features":[48,1]},{"name":"SetupDiEnumDriverInfoW","features":[48,1]},{"name":"SetupDiGetActualModelsSectionA","features":[48,1,30,32]},{"name":"SetupDiGetActualModelsSectionW","features":[48,1,30,32]},{"name":"SetupDiGetActualSectionToInstallA","features":[48,1]},{"name":"SetupDiGetActualSectionToInstallExA","features":[48,1,30,32]},{"name":"SetupDiGetActualSectionToInstallExW","features":[48,1,30,32]},{"name":"SetupDiGetActualSectionToInstallW","features":[48,1]},{"name":"SetupDiGetClassBitmapIndex","features":[48,1]},{"name":"SetupDiGetClassDescriptionA","features":[48,1]},{"name":"SetupDiGetClassDescriptionExA","features":[48,1]},{"name":"SetupDiGetClassDescriptionExW","features":[48,1]},{"name":"SetupDiGetClassDescriptionW","features":[48,1]},{"name":"SetupDiGetClassDevPropertySheetsA","features":[48,1,12,40,50]},{"name":"SetupDiGetClassDevPropertySheetsW","features":[48,1,12,40,50]},{"name":"SetupDiGetClassDevsA","features":[48,1]},{"name":"SetupDiGetClassDevsExA","features":[48,1]},{"name":"SetupDiGetClassDevsExW","features":[48,1]},{"name":"SetupDiGetClassDevsW","features":[48,1]},{"name":"SetupDiGetClassImageIndex","features":[48,1,40]},{"name":"SetupDiGetClassImageList","features":[48,1,40]},{"name":"SetupDiGetClassImageListExA","features":[48,1,40]},{"name":"SetupDiGetClassImageListExW","features":[48,1,40]},{"name":"SetupDiGetClassInstallParamsA","features":[48,1]},{"name":"SetupDiGetClassInstallParamsW","features":[48,1]},{"name":"SetupDiGetClassPropertyExW","features":[48,35,1]},{"name":"SetupDiGetClassPropertyKeys","features":[48,35,1]},{"name":"SetupDiGetClassPropertyKeysExW","features":[48,35,1]},{"name":"SetupDiGetClassPropertyW","features":[48,35,1]},{"name":"SetupDiGetClassRegistryPropertyA","features":[48,1]},{"name":"SetupDiGetClassRegistryPropertyW","features":[48,1]},{"name":"SetupDiGetCustomDevicePropertyA","features":[48,1]},{"name":"SetupDiGetCustomDevicePropertyW","features":[48,1]},{"name":"SetupDiGetDeviceInfoListClass","features":[48,1]},{"name":"SetupDiGetDeviceInfoListDetailA","features":[48,1]},{"name":"SetupDiGetDeviceInfoListDetailW","features":[48,1]},{"name":"SetupDiGetDeviceInstallParamsA","features":[48,1]},{"name":"SetupDiGetDeviceInstallParamsW","features":[48,1]},{"name":"SetupDiGetDeviceInstanceIdA","features":[48,1]},{"name":"SetupDiGetDeviceInstanceIdW","features":[48,1]},{"name":"SetupDiGetDeviceInterfaceAlias","features":[48,1]},{"name":"SetupDiGetDeviceInterfaceDetailA","features":[48,1]},{"name":"SetupDiGetDeviceInterfaceDetailW","features":[48,1]},{"name":"SetupDiGetDeviceInterfacePropertyKeys","features":[48,35,1]},{"name":"SetupDiGetDeviceInterfacePropertyW","features":[48,35,1]},{"name":"SetupDiGetDevicePropertyKeys","features":[48,35,1]},{"name":"SetupDiGetDevicePropertyW","features":[48,35,1]},{"name":"SetupDiGetDeviceRegistryPropertyA","features":[48,1]},{"name":"SetupDiGetDeviceRegistryPropertyW","features":[48,1]},{"name":"SetupDiGetDriverInfoDetailA","features":[48,1]},{"name":"SetupDiGetDriverInfoDetailW","features":[48,1]},{"name":"SetupDiGetDriverInstallParamsA","features":[48,1]},{"name":"SetupDiGetDriverInstallParamsW","features":[48,1]},{"name":"SetupDiGetHwProfileFriendlyNameA","features":[48,1]},{"name":"SetupDiGetHwProfileFriendlyNameExA","features":[48,1]},{"name":"SetupDiGetHwProfileFriendlyNameExW","features":[48,1]},{"name":"SetupDiGetHwProfileFriendlyNameW","features":[48,1]},{"name":"SetupDiGetHwProfileList","features":[48,1]},{"name":"SetupDiGetHwProfileListExA","features":[48,1]},{"name":"SetupDiGetHwProfileListExW","features":[48,1]},{"name":"SetupDiGetINFClassA","features":[48,1]},{"name":"SetupDiGetINFClassW","features":[48,1]},{"name":"SetupDiGetSelectedDevice","features":[48,1]},{"name":"SetupDiGetSelectedDriverA","features":[48,1]},{"name":"SetupDiGetSelectedDriverW","features":[48,1]},{"name":"SetupDiGetWizardPage","features":[48,1,40]},{"name":"SetupDiInstallClassA","features":[48,1]},{"name":"SetupDiInstallClassExA","features":[48,1]},{"name":"SetupDiInstallClassExW","features":[48,1]},{"name":"SetupDiInstallClassW","features":[48,1]},{"name":"SetupDiInstallDevice","features":[48,1]},{"name":"SetupDiInstallDeviceInterfaces","features":[48,1]},{"name":"SetupDiInstallDriverFiles","features":[48,1]},{"name":"SetupDiLoadClassIcon","features":[48,1,50]},{"name":"SetupDiLoadDeviceIcon","features":[48,1,50]},{"name":"SetupDiOpenClassRegKey","features":[48,49]},{"name":"SetupDiOpenClassRegKeyExA","features":[48,49]},{"name":"SetupDiOpenClassRegKeyExW","features":[48,49]},{"name":"SetupDiOpenDevRegKey","features":[48,49]},{"name":"SetupDiOpenDeviceInfoA","features":[48,1]},{"name":"SetupDiOpenDeviceInfoW","features":[48,1]},{"name":"SetupDiOpenDeviceInterfaceA","features":[48,1]},{"name":"SetupDiOpenDeviceInterfaceRegKey","features":[48,49]},{"name":"SetupDiOpenDeviceInterfaceW","features":[48,1]},{"name":"SetupDiRegisterCoDeviceInstallers","features":[48,1]},{"name":"SetupDiRegisterDeviceInfo","features":[48,1]},{"name":"SetupDiRemoveDevice","features":[48,1]},{"name":"SetupDiRemoveDeviceInterface","features":[48,1]},{"name":"SetupDiRestartDevices","features":[48,1]},{"name":"SetupDiSelectBestCompatDrv","features":[48,1]},{"name":"SetupDiSelectDevice","features":[48,1]},{"name":"SetupDiSelectOEMDrv","features":[48,1]},{"name":"SetupDiSetClassInstallParamsA","features":[48,1]},{"name":"SetupDiSetClassInstallParamsW","features":[48,1]},{"name":"SetupDiSetClassPropertyExW","features":[48,35,1]},{"name":"SetupDiSetClassPropertyW","features":[48,35,1]},{"name":"SetupDiSetClassRegistryPropertyA","features":[48,1]},{"name":"SetupDiSetClassRegistryPropertyW","features":[48,1]},{"name":"SetupDiSetDeviceInstallParamsA","features":[48,1]},{"name":"SetupDiSetDeviceInstallParamsW","features":[48,1]},{"name":"SetupDiSetDeviceInterfaceDefault","features":[48,1]},{"name":"SetupDiSetDeviceInterfacePropertyW","features":[48,35,1]},{"name":"SetupDiSetDevicePropertyW","features":[48,35,1]},{"name":"SetupDiSetDeviceRegistryPropertyA","features":[48,1]},{"name":"SetupDiSetDeviceRegistryPropertyW","features":[48,1]},{"name":"SetupDiSetDriverInstallParamsA","features":[48,1]},{"name":"SetupDiSetDriverInstallParamsW","features":[48,1]},{"name":"SetupDiSetSelectedDevice","features":[48,1]},{"name":"SetupDiSetSelectedDriverA","features":[48,1]},{"name":"SetupDiSetSelectedDriverW","features":[48,1]},{"name":"SetupDiUnremoveDevice","features":[48,1]},{"name":"SetupDuplicateDiskSpaceListA","features":[48]},{"name":"SetupDuplicateDiskSpaceListW","features":[48]},{"name":"SetupEnumInfSectionsA","features":[48,1]},{"name":"SetupEnumInfSectionsW","features":[48,1]},{"name":"SetupFileLogChecksum","features":[48]},{"name":"SetupFileLogDiskDescription","features":[48]},{"name":"SetupFileLogDiskTagfile","features":[48]},{"name":"SetupFileLogInfo","features":[48]},{"name":"SetupFileLogMax","features":[48]},{"name":"SetupFileLogOtherInfo","features":[48]},{"name":"SetupFileLogSourceFilename","features":[48]},{"name":"SetupFindFirstLineA","features":[48,1]},{"name":"SetupFindFirstLineW","features":[48,1]},{"name":"SetupFindNextLine","features":[48,1]},{"name":"SetupFindNextMatchLineA","features":[48,1]},{"name":"SetupFindNextMatchLineW","features":[48,1]},{"name":"SetupFreeSourceListA","features":[48,1]},{"name":"SetupFreeSourceListW","features":[48,1]},{"name":"SetupGetBackupInformationA","features":[48,1]},{"name":"SetupGetBackupInformationW","features":[48,1]},{"name":"SetupGetBinaryField","features":[48,1]},{"name":"SetupGetFieldCount","features":[48]},{"name":"SetupGetFileCompressionInfoA","features":[48]},{"name":"SetupGetFileCompressionInfoExA","features":[48,1]},{"name":"SetupGetFileCompressionInfoExW","features":[48,1]},{"name":"SetupGetFileCompressionInfoW","features":[48]},{"name":"SetupGetFileQueueCount","features":[48,1]},{"name":"SetupGetFileQueueFlags","features":[48,1]},{"name":"SetupGetInfDriverStoreLocationA","features":[48,1,30,32]},{"name":"SetupGetInfDriverStoreLocationW","features":[48,1,30,32]},{"name":"SetupGetInfFileListA","features":[48,1]},{"name":"SetupGetInfFileListW","features":[48,1]},{"name":"SetupGetInfInformationA","features":[48,1]},{"name":"SetupGetInfInformationW","features":[48,1]},{"name":"SetupGetInfPublishedNameA","features":[48,1]},{"name":"SetupGetInfPublishedNameW","features":[48,1]},{"name":"SetupGetIntField","features":[48,1]},{"name":"SetupGetLineByIndexA","features":[48,1]},{"name":"SetupGetLineByIndexW","features":[48,1]},{"name":"SetupGetLineCountA","features":[48]},{"name":"SetupGetLineCountW","features":[48]},{"name":"SetupGetLineTextA","features":[48,1]},{"name":"SetupGetLineTextW","features":[48,1]},{"name":"SetupGetMultiSzFieldA","features":[48,1]},{"name":"SetupGetMultiSzFieldW","features":[48,1]},{"name":"SetupGetNonInteractiveMode","features":[48,1]},{"name":"SetupGetSourceFileLocationA","features":[48,1]},{"name":"SetupGetSourceFileLocationW","features":[48,1]},{"name":"SetupGetSourceFileSizeA","features":[48,1]},{"name":"SetupGetSourceFileSizeW","features":[48,1]},{"name":"SetupGetSourceInfoA","features":[48,1]},{"name":"SetupGetSourceInfoW","features":[48,1]},{"name":"SetupGetStringFieldA","features":[48,1]},{"name":"SetupGetStringFieldW","features":[48,1]},{"name":"SetupGetTargetPathA","features":[48,1]},{"name":"SetupGetTargetPathW","features":[48,1]},{"name":"SetupGetThreadLogToken","features":[48]},{"name":"SetupInitDefaultQueueCallback","features":[48,1]},{"name":"SetupInitDefaultQueueCallbackEx","features":[48,1]},{"name":"SetupInitializeFileLogA","features":[48]},{"name":"SetupInitializeFileLogW","features":[48]},{"name":"SetupInstallFileA","features":[48,1]},{"name":"SetupInstallFileExA","features":[48,1]},{"name":"SetupInstallFileExW","features":[48,1]},{"name":"SetupInstallFileW","features":[48,1]},{"name":"SetupInstallFilesFromInfSectionA","features":[48,1]},{"name":"SetupInstallFilesFromInfSectionW","features":[48,1]},{"name":"SetupInstallFromInfSectionA","features":[48,1,49]},{"name":"SetupInstallFromInfSectionW","features":[48,1,49]},{"name":"SetupInstallServicesFromInfSectionA","features":[48,1]},{"name":"SetupInstallServicesFromInfSectionExA","features":[48,1]},{"name":"SetupInstallServicesFromInfSectionExW","features":[48,1]},{"name":"SetupInstallServicesFromInfSectionW","features":[48,1]},{"name":"SetupIterateCabinetA","features":[48,1]},{"name":"SetupIterateCabinetW","features":[48,1]},{"name":"SetupLogErrorA","features":[48,1]},{"name":"SetupLogErrorW","features":[48,1]},{"name":"SetupLogFileA","features":[48,1]},{"name":"SetupLogFileW","features":[48,1]},{"name":"SetupOpenAppendInfFileA","features":[48,1]},{"name":"SetupOpenAppendInfFileW","features":[48,1]},{"name":"SetupOpenFileQueue","features":[48]},{"name":"SetupOpenInfFileA","features":[48]},{"name":"SetupOpenInfFileW","features":[48]},{"name":"SetupOpenLog","features":[48,1]},{"name":"SetupOpenMasterInf","features":[48]},{"name":"SetupPrepareQueueForRestoreA","features":[48,1]},{"name":"SetupPrepareQueueForRestoreW","features":[48,1]},{"name":"SetupPromptForDiskA","features":[48,1]},{"name":"SetupPromptForDiskW","features":[48,1]},{"name":"SetupPromptReboot","features":[48,1]},{"name":"SetupQueryDrivesInDiskSpaceListA","features":[48,1]},{"name":"SetupQueryDrivesInDiskSpaceListW","features":[48,1]},{"name":"SetupQueryFileLogA","features":[48,1]},{"name":"SetupQueryFileLogW","features":[48,1]},{"name":"SetupQueryInfFileInformationA","features":[48,1]},{"name":"SetupQueryInfFileInformationW","features":[48,1]},{"name":"SetupQueryInfOriginalFileInformationA","features":[48,1,30,32]},{"name":"SetupQueryInfOriginalFileInformationW","features":[48,1,30,32]},{"name":"SetupQueryInfVersionInformationA","features":[48,1]},{"name":"SetupQueryInfVersionInformationW","features":[48,1]},{"name":"SetupQuerySourceListA","features":[48,1]},{"name":"SetupQuerySourceListW","features":[48,1]},{"name":"SetupQuerySpaceRequiredOnDriveA","features":[48,1]},{"name":"SetupQuerySpaceRequiredOnDriveW","features":[48,1]},{"name":"SetupQueueCopyA","features":[48,1]},{"name":"SetupQueueCopyIndirectA","features":[48,1]},{"name":"SetupQueueCopyIndirectW","features":[48,1]},{"name":"SetupQueueCopySectionA","features":[48,1]},{"name":"SetupQueueCopySectionW","features":[48,1]},{"name":"SetupQueueCopyW","features":[48,1]},{"name":"SetupQueueDefaultCopyA","features":[48,1]},{"name":"SetupQueueDefaultCopyW","features":[48,1]},{"name":"SetupQueueDeleteA","features":[48,1]},{"name":"SetupQueueDeleteSectionA","features":[48,1]},{"name":"SetupQueueDeleteSectionW","features":[48,1]},{"name":"SetupQueueDeleteW","features":[48,1]},{"name":"SetupQueueRenameA","features":[48,1]},{"name":"SetupQueueRenameSectionA","features":[48,1]},{"name":"SetupQueueRenameSectionW","features":[48,1]},{"name":"SetupQueueRenameW","features":[48,1]},{"name":"SetupRemoveFileLogEntryA","features":[48,1]},{"name":"SetupRemoveFileLogEntryW","features":[48,1]},{"name":"SetupRemoveFromDiskSpaceListA","features":[48,1]},{"name":"SetupRemoveFromDiskSpaceListW","features":[48,1]},{"name":"SetupRemoveFromSourceListA","features":[48,1]},{"name":"SetupRemoveFromSourceListW","features":[48,1]},{"name":"SetupRemoveInstallSectionFromDiskSpaceListA","features":[48,1]},{"name":"SetupRemoveInstallSectionFromDiskSpaceListW","features":[48,1]},{"name":"SetupRemoveSectionFromDiskSpaceListA","features":[48,1]},{"name":"SetupRemoveSectionFromDiskSpaceListW","features":[48,1]},{"name":"SetupRenameErrorA","features":[48,1]},{"name":"SetupRenameErrorW","features":[48,1]},{"name":"SetupScanFileQueueA","features":[48,1]},{"name":"SetupScanFileQueueW","features":[48,1]},{"name":"SetupSetDirectoryIdA","features":[48,1]},{"name":"SetupSetDirectoryIdExA","features":[48,1]},{"name":"SetupSetDirectoryIdExW","features":[48,1]},{"name":"SetupSetDirectoryIdW","features":[48,1]},{"name":"SetupSetFileQueueAlternatePlatformA","features":[48,1,30,32]},{"name":"SetupSetFileQueueAlternatePlatformW","features":[48,1,30,32]},{"name":"SetupSetFileQueueFlags","features":[48,1]},{"name":"SetupSetNonInteractiveMode","features":[48,1]},{"name":"SetupSetPlatformPathOverrideA","features":[48,1]},{"name":"SetupSetPlatformPathOverrideW","features":[48,1]},{"name":"SetupSetSourceListA","features":[48,1]},{"name":"SetupSetSourceListW","features":[48,1]},{"name":"SetupSetThreadLogToken","features":[48]},{"name":"SetupTermDefaultQueueCallback","features":[48]},{"name":"SetupTerminateFileLog","features":[48,1]},{"name":"SetupUninstallNewlyCopiedInfs","features":[48,1]},{"name":"SetupUninstallOEMInfA","features":[48,1]},{"name":"SetupUninstallOEMInfW","features":[48,1]},{"name":"SetupVerifyInfFileA","features":[48,1,30,32]},{"name":"SetupVerifyInfFileW","features":[48,1,30,32]},{"name":"SetupWriteTextLog","features":[48]},{"name":"SetupWriteTextLogError","features":[48]},{"name":"SetupWriteTextLogInfLine","features":[48]},{"name":"UPDATEDRIVERFORPLUGANDPLAYDEVICES_FLAGS","features":[48]},{"name":"UpdateDriverForPlugAndPlayDevicesA","features":[48,1]},{"name":"UpdateDriverForPlugAndPlayDevicesW","features":[48,1]},{"name":"fDD_BYTE","features":[48]},{"name":"fDD_BYTE_AND_WORD","features":[48]},{"name":"fDD_BusMaster","features":[48]},{"name":"fDD_DWORD","features":[48]},{"name":"fDD_NoBusMaster","features":[48]},{"name":"fDD_TypeA","features":[48]},{"name":"fDD_TypeB","features":[48]},{"name":"fDD_TypeF","features":[48]},{"name":"fDD_TypeStandard","features":[48]},{"name":"fDD_WORD","features":[48]},{"name":"fIOD_10_BIT_DECODE","features":[48]},{"name":"fIOD_12_BIT_DECODE","features":[48]},{"name":"fIOD_16_BIT_DECODE","features":[48]},{"name":"fIOD_DECODE","features":[48]},{"name":"fIOD_IO","features":[48]},{"name":"fIOD_Memory","features":[48]},{"name":"fIOD_PASSIVE_DECODE","features":[48]},{"name":"fIOD_PORT_BAR","features":[48]},{"name":"fIOD_POSITIVE_DECODE","features":[48]},{"name":"fIOD_PortType","features":[48]},{"name":"fIOD_WINDOW_DECODE","features":[48]},{"name":"fIRQD_Edge","features":[48]},{"name":"fIRQD_Exclusive","features":[48]},{"name":"fIRQD_Level","features":[48]},{"name":"fIRQD_Level_Bit","features":[48]},{"name":"fIRQD_Share","features":[48]},{"name":"fIRQD_Share_Bit","features":[48]},{"name":"fMD_24","features":[48]},{"name":"fMD_32","features":[48]},{"name":"fMD_32_24","features":[48]},{"name":"fMD_Cacheable","features":[48]},{"name":"fMD_CombinedWrite","features":[48]},{"name":"fMD_CombinedWriteAllowed","features":[48]},{"name":"fMD_CombinedWriteDisallowed","features":[48]},{"name":"fMD_MEMORY_BAR","features":[48]},{"name":"fMD_MemoryType","features":[48]},{"name":"fMD_NonCacheable","features":[48]},{"name":"fMD_Pref","features":[48]},{"name":"fMD_PrefetchAllowed","features":[48]},{"name":"fMD_PrefetchDisallowed","features":[48]},{"name":"fMD_Prefetchable","features":[48]},{"name":"fMD_RAM","features":[48]},{"name":"fMD_ROM","features":[48]},{"name":"fMD_ReadAllowed","features":[48]},{"name":"fMD_ReadDisallowed","features":[48]},{"name":"fMD_Readable","features":[48]},{"name":"fMD_WINDOW_DECODE","features":[48]},{"name":"fPCD_ATTRIBUTES_PER_WINDOW","features":[48]},{"name":"fPCD_IO1_16","features":[48]},{"name":"fPCD_IO1_SRC_16","features":[48]},{"name":"fPCD_IO1_WS_16","features":[48]},{"name":"fPCD_IO1_ZW_8","features":[48]},{"name":"fPCD_IO2_16","features":[48]},{"name":"fPCD_IO2_SRC_16","features":[48]},{"name":"fPCD_IO2_WS_16","features":[48]},{"name":"fPCD_IO2_ZW_8","features":[48]},{"name":"fPCD_IO_16","features":[48]},{"name":"fPCD_IO_8","features":[48]},{"name":"fPCD_IO_SRC_16","features":[48]},{"name":"fPCD_IO_WS_16","features":[48]},{"name":"fPCD_IO_ZW_8","features":[48]},{"name":"fPCD_MEM1_16","features":[48]},{"name":"fPCD_MEM1_A","features":[48]},{"name":"fPCD_MEM1_WS_ONE","features":[48]},{"name":"fPCD_MEM1_WS_THREE","features":[48]},{"name":"fPCD_MEM1_WS_TWO","features":[48]},{"name":"fPCD_MEM2_16","features":[48]},{"name":"fPCD_MEM2_A","features":[48]},{"name":"fPCD_MEM2_WS_ONE","features":[48]},{"name":"fPCD_MEM2_WS_THREE","features":[48]},{"name":"fPCD_MEM2_WS_TWO","features":[48]},{"name":"fPCD_MEM_16","features":[48]},{"name":"fPCD_MEM_8","features":[48]},{"name":"fPCD_MEM_A","features":[48]},{"name":"fPCD_MEM_WS_ONE","features":[48]},{"name":"fPCD_MEM_WS_THREE","features":[48]},{"name":"fPCD_MEM_WS_TWO","features":[48]},{"name":"fPMF_AUDIO_ENABLE","features":[48]},{"name":"mDD_BusMaster","features":[48]},{"name":"mDD_Type","features":[48]},{"name":"mDD_Width","features":[48]},{"name":"mIRQD_Edge_Level","features":[48]},{"name":"mIRQD_Share","features":[48]},{"name":"mMD_32_24","features":[48]},{"name":"mMD_Cacheable","features":[48]},{"name":"mMD_CombinedWrite","features":[48]},{"name":"mMD_MemoryType","features":[48]},{"name":"mMD_Prefetchable","features":[48]},{"name":"mMD_Readable","features":[48]},{"name":"mPCD_IO_8_16","features":[48]},{"name":"mPCD_MEM1_WS","features":[48]},{"name":"mPCD_MEM2_WS","features":[48]},{"name":"mPCD_MEM_8_16","features":[48]},{"name":"mPCD_MEM_A_C","features":[48]},{"name":"mPCD_MEM_WS","features":[48]},{"name":"mPMF_AUDIO_ENABLE","features":[48]}],"373":[{"name":"DEVPROP_FILTER_EXPRESSION","features":[51,35]},{"name":"DEVPROP_OPERATOR","features":[51]},{"name":"DEVPROP_OPERATOR_AND_CLOSE","features":[51]},{"name":"DEVPROP_OPERATOR_AND_OPEN","features":[51]},{"name":"DEVPROP_OPERATOR_ARRAY_CONTAINS","features":[51]},{"name":"DEVPROP_OPERATOR_BEGINS_WITH","features":[51]},{"name":"DEVPROP_OPERATOR_BEGINS_WITH_IGNORE_CASE","features":[51]},{"name":"DEVPROP_OPERATOR_BITWISE_AND","features":[51]},{"name":"DEVPROP_OPERATOR_BITWISE_OR","features":[51]},{"name":"DEVPROP_OPERATOR_CONTAINS","features":[51]},{"name":"DEVPROP_OPERATOR_CONTAINS_IGNORE_CASE","features":[51]},{"name":"DEVPROP_OPERATOR_ENDS_WITH","features":[51]},{"name":"DEVPROP_OPERATOR_ENDS_WITH_IGNORE_CASE","features":[51]},{"name":"DEVPROP_OPERATOR_EQUALS","features":[51]},{"name":"DEVPROP_OPERATOR_EQUALS_IGNORE_CASE","features":[51]},{"name":"DEVPROP_OPERATOR_EXISTS","features":[51]},{"name":"DEVPROP_OPERATOR_GREATER_THAN","features":[51]},{"name":"DEVPROP_OPERATOR_GREATER_THAN_EQUALS","features":[51]},{"name":"DEVPROP_OPERATOR_LESS_THAN","features":[51]},{"name":"DEVPROP_OPERATOR_LESS_THAN_EQUALS","features":[51]},{"name":"DEVPROP_OPERATOR_LIST_CONTAINS","features":[51]},{"name":"DEVPROP_OPERATOR_LIST_CONTAINS_IGNORE_CASE","features":[51]},{"name":"DEVPROP_OPERATOR_LIST_ELEMENT_BEGINS_WITH","features":[51]},{"name":"DEVPROP_OPERATOR_LIST_ELEMENT_BEGINS_WITH_IGNORE_CASE","features":[51]},{"name":"DEVPROP_OPERATOR_LIST_ELEMENT_CONTAINS","features":[51]},{"name":"DEVPROP_OPERATOR_LIST_ELEMENT_CONTAINS_IGNORE_CASE","features":[51]},{"name":"DEVPROP_OPERATOR_LIST_ELEMENT_ENDS_WITH","features":[51]},{"name":"DEVPROP_OPERATOR_LIST_ELEMENT_ENDS_WITH_IGNORE_CASE","features":[51]},{"name":"DEVPROP_OPERATOR_MASK_ARRAY","features":[51]},{"name":"DEVPROP_OPERATOR_MASK_EVAL","features":[51]},{"name":"DEVPROP_OPERATOR_MASK_LIST","features":[51]},{"name":"DEVPROP_OPERATOR_MASK_LOGICAL","features":[51]},{"name":"DEVPROP_OPERATOR_MASK_MODIFIER","features":[51]},{"name":"DEVPROP_OPERATOR_MASK_NOT_LOGICAL","features":[51]},{"name":"DEVPROP_OPERATOR_MODIFIER_IGNORE_CASE","features":[51]},{"name":"DEVPROP_OPERATOR_MODIFIER_NOT","features":[51]},{"name":"DEVPROP_OPERATOR_NONE","features":[51]},{"name":"DEVPROP_OPERATOR_NOT_CLOSE","features":[51]},{"name":"DEVPROP_OPERATOR_NOT_EQUALS","features":[51]},{"name":"DEVPROP_OPERATOR_NOT_EQUALS_IGNORE_CASE","features":[51]},{"name":"DEVPROP_OPERATOR_NOT_EXISTS","features":[51]},{"name":"DEVPROP_OPERATOR_NOT_OPEN","features":[51]},{"name":"DEVPROP_OPERATOR_OR_CLOSE","features":[51]},{"name":"DEVPROP_OPERATOR_OR_OPEN","features":[51]},{"name":"DEV_OBJECT","features":[51,35]},{"name":"DEV_OBJECT_TYPE","features":[51]},{"name":"DEV_QUERY_FLAGS","features":[51]},{"name":"DEV_QUERY_PARAMETER","features":[51,35]},{"name":"DEV_QUERY_RESULT_ACTION","features":[51]},{"name":"DEV_QUERY_RESULT_ACTION_DATA","features":[51,35]},{"name":"DEV_QUERY_STATE","features":[51]},{"name":"DevCloseObjectQuery","features":[51]},{"name":"DevCreateObjectQuery","features":[51,35]},{"name":"DevCreateObjectQueryEx","features":[51,35]},{"name":"DevCreateObjectQueryFromId","features":[51,35]},{"name":"DevCreateObjectQueryFromIdEx","features":[51,35]},{"name":"DevCreateObjectQueryFromIds","features":[51,35]},{"name":"DevCreateObjectQueryFromIdsEx","features":[51,35]},{"name":"DevFindProperty","features":[51,35]},{"name":"DevFreeObjectProperties","features":[51,35]},{"name":"DevFreeObjects","features":[51,35]},{"name":"DevGetObjectProperties","features":[51,35]},{"name":"DevGetObjectPropertiesEx","features":[51,35]},{"name":"DevGetObjects","features":[51,35]},{"name":"DevGetObjectsEx","features":[51,35]},{"name":"DevObjectTypeAEP","features":[51]},{"name":"DevObjectTypeAEPContainer","features":[51]},{"name":"DevObjectTypeAEPService","features":[51]},{"name":"DevObjectTypeDevice","features":[51]},{"name":"DevObjectTypeDeviceContainer","features":[51]},{"name":"DevObjectTypeDeviceContainerDisplay","features":[51]},{"name":"DevObjectTypeDeviceInstallerClass","features":[51]},{"name":"DevObjectTypeDeviceInterface","features":[51]},{"name":"DevObjectTypeDeviceInterfaceClass","features":[51]},{"name":"DevObjectTypeDeviceInterfaceDisplay","features":[51]},{"name":"DevObjectTypeDevicePanel","features":[51]},{"name":"DevObjectTypeUnknown","features":[51]},{"name":"DevQueryFlagAllProperties","features":[51]},{"name":"DevQueryFlagAsyncClose","features":[51]},{"name":"DevQueryFlagLocalize","features":[51]},{"name":"DevQueryFlagNone","features":[51]},{"name":"DevQueryFlagUpdateResults","features":[51]},{"name":"DevQueryResultAdd","features":[51]},{"name":"DevQueryResultRemove","features":[51]},{"name":"DevQueryResultStateChange","features":[51]},{"name":"DevQueryResultUpdate","features":[51]},{"name":"DevQueryStateAborted","features":[51]},{"name":"DevQueryStateClosed","features":[51]},{"name":"DevQueryStateEnumCompleted","features":[51]},{"name":"DevQueryStateInitialized","features":[51]},{"name":"HDEVQUERY","features":[51]},{"name":"PDEV_QUERY_RESULT_CALLBACK","features":[51,35]}],"374":[{"name":"AR_DISABLED","features":[52]},{"name":"AR_DOCKED","features":[52]},{"name":"AR_ENABLED","features":[52]},{"name":"AR_LAPTOP","features":[52]},{"name":"AR_MULTIMON","features":[52]},{"name":"AR_NOSENSOR","features":[52]},{"name":"AR_NOT_SUPPORTED","features":[52]},{"name":"AR_REMOTESESSION","features":[52]},{"name":"AR_STATE","features":[52]},{"name":"AR_SUPPRESSED","features":[52]},{"name":"Adapter","features":[52]},{"name":"Adapters","features":[52]},{"name":"BACKLIGHT_OPTIMIZATION_LEVEL","features":[52]},{"name":"BACKLIGHT_REDUCTION_GAMMA_RAMP","features":[52]},{"name":"BANK_POSITION","features":[52]},{"name":"BITMAP_ARRAY_BYTE","features":[52]},{"name":"BITMAP_BITS_BYTE_ALIGN","features":[52]},{"name":"BITMAP_BITS_PIXEL","features":[52]},{"name":"BITMAP_BITS_WORD_ALIGN","features":[52]},{"name":"BITMAP_PLANES","features":[52]},{"name":"BLENDOBJ","features":[52,12]},{"name":"BMF_16BPP","features":[52]},{"name":"BMF_1BPP","features":[52]},{"name":"BMF_24BPP","features":[52]},{"name":"BMF_32BPP","features":[52]},{"name":"BMF_4BPP","features":[52]},{"name":"BMF_4RLE","features":[52]},{"name":"BMF_8BPP","features":[52]},{"name":"BMF_8RLE","features":[52]},{"name":"BMF_ACC_NOTIFY","features":[52]},{"name":"BMF_DONTCACHE","features":[52]},{"name":"BMF_JPEG","features":[52]},{"name":"BMF_KMSECTION","features":[52]},{"name":"BMF_NOTSYSMEM","features":[52]},{"name":"BMF_NOZEROINIT","features":[52]},{"name":"BMF_PNG","features":[52]},{"name":"BMF_RESERVED","features":[52]},{"name":"BMF_RMT_ENTER","features":[52]},{"name":"BMF_TEMP_ALPHA","features":[52]},{"name":"BMF_TOPDOWN","features":[52]},{"name":"BMF_UMPDMEM","features":[52]},{"name":"BMF_USERMEM","features":[52]},{"name":"BMF_WINDOW_BLT","features":[52]},{"name":"BRIGHTNESS_INTERFACE_VERSION","features":[52]},{"name":"BRIGHTNESS_INTERFACE_VERSION_1","features":[52]},{"name":"BRIGHTNESS_INTERFACE_VERSION_2","features":[52]},{"name":"BRIGHTNESS_INTERFACE_VERSION_3","features":[52]},{"name":"BRIGHTNESS_LEVEL","features":[52]},{"name":"BRIGHTNESS_MAX_LEVEL_COUNT","features":[52]},{"name":"BRIGHTNESS_MAX_NIT_RANGE_COUNT","features":[52]},{"name":"BRIGHTNESS_NIT_RANGE","features":[52]},{"name":"BRIGHTNESS_NIT_RANGES","features":[52]},{"name":"BRUSHOBJ","features":[52]},{"name":"BRUSHOBJ_hGetColorTransform","features":[52,1]},{"name":"BRUSHOBJ_pvAllocRbrush","features":[52]},{"name":"BRUSHOBJ_pvGetRbrush","features":[52]},{"name":"BRUSHOBJ_ulGetBrushColor","features":[52]},{"name":"BR_CMYKCOLOR","features":[52]},{"name":"BR_DEVICE_ICM","features":[52]},{"name":"BR_HOST_ICM","features":[52]},{"name":"BR_ORIGCOLOR","features":[52]},{"name":"BacklightOptimizationDesktop","features":[52]},{"name":"BacklightOptimizationDimmed","features":[52]},{"name":"BacklightOptimizationDisable","features":[52]},{"name":"BacklightOptimizationDynamic","features":[52]},{"name":"BacklightOptimizationEDR","features":[52]},{"name":"BlackScreenDiagnosticsCalloutParam","features":[52]},{"name":"BlackScreenDiagnosticsData","features":[52]},{"name":"BlackScreenDisplayRecovery","features":[52]},{"name":"CDBEX_CROSSADAPTER","features":[52]},{"name":"CDBEX_DXINTEROP","features":[52]},{"name":"CDBEX_NTSHAREDSURFACEHANDLE","features":[52]},{"name":"CDBEX_REDIRECTION","features":[52]},{"name":"CDBEX_REUSE","features":[52]},{"name":"CDDDXGK_REDIRBITMAPPRESENTINFO","features":[52,1]},{"name":"CD_ANY","features":[52]},{"name":"CD_LEFTDOWN","features":[52]},{"name":"CD_LEFTUP","features":[52]},{"name":"CD_LEFTWARDS","features":[52]},{"name":"CD_RIGHTDOWN","features":[52]},{"name":"CD_RIGHTUP","features":[52]},{"name":"CD_UPWARDS","features":[52]},{"name":"CHAR_IMAGE_INFO","features":[52,53]},{"name":"CHAR_TYPE_LEADING","features":[52]},{"name":"CHAR_TYPE_SBCS","features":[52]},{"name":"CHAR_TYPE_TRAILING","features":[52]},{"name":"CHROMATICITY_COORDINATE","features":[52]},{"name":"CIECHROMA","features":[52]},{"name":"CLIPLINE","features":[52]},{"name":"CLIPOBJ","features":[52,1]},{"name":"CLIPOBJ_bEnum","features":[52,1]},{"name":"CLIPOBJ_cEnumStart","features":[52,1]},{"name":"CLIPOBJ_ppoGetPath","features":[52,1]},{"name":"COLORINFO","features":[52]},{"name":"COLORSPACE_TRANSFORM","features":[52]},{"name":"COLORSPACE_TRANSFORM_1DLUT_CAP","features":[52]},{"name":"COLORSPACE_TRANSFORM_3x4","features":[52]},{"name":"COLORSPACE_TRANSFORM_DATA_CAP","features":[52]},{"name":"COLORSPACE_TRANSFORM_DATA_TYPE","features":[52]},{"name":"COLORSPACE_TRANSFORM_DATA_TYPE_FIXED_POINT","features":[52]},{"name":"COLORSPACE_TRANSFORM_DATA_TYPE_FLOAT","features":[52]},{"name":"COLORSPACE_TRANSFORM_MATRIX_CAP","features":[52]},{"name":"COLORSPACE_TRANSFORM_MATRIX_V2","features":[52]},{"name":"COLORSPACE_TRANSFORM_SET_INPUT","features":[52]},{"name":"COLORSPACE_TRANSFORM_STAGE_CONTROL","features":[52]},{"name":"COLORSPACE_TRANSFORM_TARGET_CAPS","features":[52]},{"name":"COLORSPACE_TRANSFORM_TARGET_CAPS_VERSION","features":[52]},{"name":"COLORSPACE_TRANSFORM_TYPE","features":[52]},{"name":"COLORSPACE_TRANSFORM_TYPE_DEFAULT","features":[52]},{"name":"COLORSPACE_TRANSFORM_TYPE_DXGI_1","features":[52]},{"name":"COLORSPACE_TRANSFORM_TYPE_MATRIX_3x4","features":[52]},{"name":"COLORSPACE_TRANSFORM_TYPE_MATRIX_V2","features":[52]},{"name":"COLORSPACE_TRANSFORM_TYPE_RGB256x3x16","features":[52]},{"name":"COLORSPACE_TRANSFORM_TYPE_UNINITIALIZED","features":[52]},{"name":"COLORSPACE_TRANSFORM_VERSION_1","features":[52]},{"name":"COLORSPACE_TRANSFORM_VERSION_DEFAULT","features":[52]},{"name":"COLORSPACE_TRANSFORM_VERSION_NOT_SUPPORTED","features":[52]},{"name":"CT_RECTANGLES","features":[52]},{"name":"CapabilitiesRequestAndCapabilitiesReply","features":[52,1]},{"name":"ColorSpaceTransformStageControl_Bypass","features":[52]},{"name":"ColorSpaceTransformStageControl_Enable","features":[52]},{"name":"ColorSpaceTransformStageControl_No_Change","features":[52]},{"name":"DCR_DRIVER","features":[52]},{"name":"DCR_HALFTONE","features":[52]},{"name":"DCR_SOLID","features":[52]},{"name":"DCT_DEFAULT","features":[52]},{"name":"DCT_FORCE_HIGH_PERFORMANCE","features":[52]},{"name":"DCT_FORCE_LOW_POWER","features":[52]},{"name":"DC_COMPLEX","features":[52]},{"name":"DC_RECT","features":[52]},{"name":"DC_TRIVIAL","features":[52]},{"name":"DDI_DRIVER_VERSION_NT4","features":[52]},{"name":"DDI_DRIVER_VERSION_NT5","features":[52]},{"name":"DDI_DRIVER_VERSION_NT5_01","features":[52]},{"name":"DDI_DRIVER_VERSION_NT5_01_SP1","features":[52]},{"name":"DDI_DRIVER_VERSION_SP3","features":[52]},{"name":"DDI_ERROR","features":[52]},{"name":"DD_FULLSCREEN_VIDEO_DEVICE_NAME","features":[52]},{"name":"DEVHTADJDATA","features":[52]},{"name":"DEVHTADJF_ADDITIVE_DEVICE","features":[52]},{"name":"DEVHTADJF_COLOR_DEVICE","features":[52]},{"name":"DEVHTINFO","features":[52]},{"name":"DEVINFO","features":[52,12]},{"name":"DEVPKEY_Device_ActivityId","features":[52,35]},{"name":"DEVPKEY_Device_AdapterLuid","features":[52,35]},{"name":"DEVPKEY_Device_TerminalLuid","features":[52,35]},{"name":"DEVPKEY_IndirectDisplay","features":[52,35]},{"name":"DHPDEV","features":[52]},{"name":"DHSURF","features":[52]},{"name":"DISPLAYCONFIG_2DREGION","features":[52]},{"name":"DISPLAYCONFIG_ADAPTER_NAME","features":[52,1]},{"name":"DISPLAYCONFIG_DESKTOP_IMAGE_INFO","features":[52,1]},{"name":"DISPLAYCONFIG_DEVICE_INFO_GET_ADAPTER_NAME","features":[52]},{"name":"DISPLAYCONFIG_DEVICE_INFO_GET_ADVANCED_COLOR_INFO","features":[52]},{"name":"DISPLAYCONFIG_DEVICE_INFO_GET_MONITOR_SPECIALIZATION","features":[52]},{"name":"DISPLAYCONFIG_DEVICE_INFO_GET_SDR_WHITE_LEVEL","features":[52]},{"name":"DISPLAYCONFIG_DEVICE_INFO_GET_SOURCE_NAME","features":[52]},{"name":"DISPLAYCONFIG_DEVICE_INFO_GET_SUPPORT_VIRTUAL_RESOLUTION","features":[52]},{"name":"DISPLAYCONFIG_DEVICE_INFO_GET_TARGET_BASE_TYPE","features":[52]},{"name":"DISPLAYCONFIG_DEVICE_INFO_GET_TARGET_NAME","features":[52]},{"name":"DISPLAYCONFIG_DEVICE_INFO_GET_TARGET_PREFERRED_MODE","features":[52]},{"name":"DISPLAYCONFIG_DEVICE_INFO_HEADER","features":[52,1]},{"name":"DISPLAYCONFIG_DEVICE_INFO_SET_ADVANCED_COLOR_STATE","features":[52]},{"name":"DISPLAYCONFIG_DEVICE_INFO_SET_MONITOR_SPECIALIZATION","features":[52]},{"name":"DISPLAYCONFIG_DEVICE_INFO_SET_SUPPORT_VIRTUAL_RESOLUTION","features":[52]},{"name":"DISPLAYCONFIG_DEVICE_INFO_SET_TARGET_PERSISTENCE","features":[52]},{"name":"DISPLAYCONFIG_DEVICE_INFO_TYPE","features":[52]},{"name":"DISPLAYCONFIG_GET_ADVANCED_COLOR_INFO","features":[52,1,12]},{"name":"DISPLAYCONFIG_GET_MONITOR_SPECIALIZATION","features":[52,1]},{"name":"DISPLAYCONFIG_MODE_INFO","features":[52,1]},{"name":"DISPLAYCONFIG_MODE_INFO_TYPE","features":[52]},{"name":"DISPLAYCONFIG_MODE_INFO_TYPE_DESKTOP_IMAGE","features":[52]},{"name":"DISPLAYCONFIG_MODE_INFO_TYPE_SOURCE","features":[52]},{"name":"DISPLAYCONFIG_MODE_INFO_TYPE_TARGET","features":[52]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_COMPONENT_VIDEO","features":[52]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_COMPOSITE_VIDEO","features":[52]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_DISPLAYPORT_EMBEDDED","features":[52]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_DISPLAYPORT_EXTERNAL","features":[52]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_DISPLAYPORT_USB_TUNNEL","features":[52]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_DVI","features":[52]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_D_JPN","features":[52]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_HD15","features":[52]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_HDMI","features":[52]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_INDIRECT_VIRTUAL","features":[52]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_INDIRECT_WIRED","features":[52]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_INTERNAL","features":[52]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_LVDS","features":[52]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_MIRACAST","features":[52]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_OTHER","features":[52]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_SDI","features":[52]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_SDTVDONGLE","features":[52]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_SVIDEO","features":[52]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_UDI_EMBEDDED","features":[52]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_UDI_EXTERNAL","features":[52]},{"name":"DISPLAYCONFIG_PATH_INFO","features":[52,1]},{"name":"DISPLAYCONFIG_PATH_SOURCE_INFO","features":[52,1]},{"name":"DISPLAYCONFIG_PATH_TARGET_INFO","features":[52,1]},{"name":"DISPLAYCONFIG_PIXELFORMAT","features":[52]},{"name":"DISPLAYCONFIG_PIXELFORMAT_16BPP","features":[52]},{"name":"DISPLAYCONFIG_PIXELFORMAT_24BPP","features":[52]},{"name":"DISPLAYCONFIG_PIXELFORMAT_32BPP","features":[52]},{"name":"DISPLAYCONFIG_PIXELFORMAT_8BPP","features":[52]},{"name":"DISPLAYCONFIG_PIXELFORMAT_NONGDI","features":[52]},{"name":"DISPLAYCONFIG_RATIONAL","features":[52]},{"name":"DISPLAYCONFIG_ROTATION","features":[52]},{"name":"DISPLAYCONFIG_ROTATION_IDENTITY","features":[52]},{"name":"DISPLAYCONFIG_ROTATION_ROTATE180","features":[52]},{"name":"DISPLAYCONFIG_ROTATION_ROTATE270","features":[52]},{"name":"DISPLAYCONFIG_ROTATION_ROTATE90","features":[52]},{"name":"DISPLAYCONFIG_SCALING","features":[52]},{"name":"DISPLAYCONFIG_SCALING_ASPECTRATIOCENTEREDMAX","features":[52]},{"name":"DISPLAYCONFIG_SCALING_CENTERED","features":[52]},{"name":"DISPLAYCONFIG_SCALING_CUSTOM","features":[52]},{"name":"DISPLAYCONFIG_SCALING_IDENTITY","features":[52]},{"name":"DISPLAYCONFIG_SCALING_PREFERRED","features":[52]},{"name":"DISPLAYCONFIG_SCALING_STRETCHED","features":[52]},{"name":"DISPLAYCONFIG_SCANLINE_ORDERING","features":[52]},{"name":"DISPLAYCONFIG_SCANLINE_ORDERING_INTERLACED","features":[52]},{"name":"DISPLAYCONFIG_SCANLINE_ORDERING_INTERLACED_LOWERFIELDFIRST","features":[52]},{"name":"DISPLAYCONFIG_SCANLINE_ORDERING_INTERLACED_UPPERFIELDFIRST","features":[52]},{"name":"DISPLAYCONFIG_SCANLINE_ORDERING_PROGRESSIVE","features":[52]},{"name":"DISPLAYCONFIG_SCANLINE_ORDERING_UNSPECIFIED","features":[52]},{"name":"DISPLAYCONFIG_SDR_WHITE_LEVEL","features":[52,1]},{"name":"DISPLAYCONFIG_SET_ADVANCED_COLOR_STATE","features":[52,1]},{"name":"DISPLAYCONFIG_SET_MONITOR_SPECIALIZATION","features":[52,1]},{"name":"DISPLAYCONFIG_SET_TARGET_PERSISTENCE","features":[52,1]},{"name":"DISPLAYCONFIG_SOURCE_DEVICE_NAME","features":[52,1]},{"name":"DISPLAYCONFIG_SOURCE_MODE","features":[52,1]},{"name":"DISPLAYCONFIG_SUPPORT_VIRTUAL_RESOLUTION","features":[52,1]},{"name":"DISPLAYCONFIG_TARGET_BASE_TYPE","features":[52,1]},{"name":"DISPLAYCONFIG_TARGET_DEVICE_NAME","features":[52,1]},{"name":"DISPLAYCONFIG_TARGET_DEVICE_NAME_FLAGS","features":[52]},{"name":"DISPLAYCONFIG_TARGET_MODE","features":[52]},{"name":"DISPLAYCONFIG_TARGET_PREFERRED_MODE","features":[52,1]},{"name":"DISPLAYCONFIG_TOPOLOGY_CLONE","features":[52]},{"name":"DISPLAYCONFIG_TOPOLOGY_EXTEND","features":[52]},{"name":"DISPLAYCONFIG_TOPOLOGY_EXTERNAL","features":[52]},{"name":"DISPLAYCONFIG_TOPOLOGY_ID","features":[52]},{"name":"DISPLAYCONFIG_TOPOLOGY_INTERNAL","features":[52]},{"name":"DISPLAYCONFIG_VIDEO_OUTPUT_TECHNOLOGY","features":[52]},{"name":"DISPLAYCONFIG_VIDEO_SIGNAL_INFO","features":[52]},{"name":"DISPLAYPOLICY_AC","features":[52]},{"name":"DISPLAYPOLICY_DC","features":[52]},{"name":"DISPLAY_BRIGHTNESS","features":[52]},{"name":"DM_DEFAULT","features":[52]},{"name":"DM_MONOCHROME","features":[52]},{"name":"DN_ACCELERATION_LEVEL","features":[52]},{"name":"DN_ASSOCIATE_WINDOW","features":[52]},{"name":"DN_COMPOSITION_CHANGED","features":[52]},{"name":"DN_DEVICE_ORIGIN","features":[52]},{"name":"DN_DRAWING_BEGIN","features":[52]},{"name":"DN_DRAWING_BEGIN_APIBITMAP","features":[52]},{"name":"DN_SLEEP_MODE","features":[52]},{"name":"DN_SURFOBJ_DESTRUCTION","features":[52]},{"name":"DRD_ERROR","features":[52]},{"name":"DRD_SUCCESS","features":[52]},{"name":"DRH_APIBITMAP","features":[52]},{"name":"DRH_APIBITMAPDATA","features":[52,1]},{"name":"DRIVEROBJ","features":[52,1]},{"name":"DRVENABLEDATA","features":[52]},{"name":"DRVFN","features":[52]},{"name":"DRVQUERY_USERMODE","features":[52]},{"name":"DSI_CHECKSUM_ERROR_CORRECTED","features":[52]},{"name":"DSI_CHECKSUM_ERROR_NOT_CORRECTED","features":[52]},{"name":"DSI_CONTENTION_DETECTED","features":[52]},{"name":"DSI_CONTROL_TRANSMISSION_MODE","features":[52]},{"name":"DSI_DSI_DATA_TYPE_NOT_RECOGNIZED","features":[52]},{"name":"DSI_DSI_PROTOCOL_VIOLATION","features":[52]},{"name":"DSI_DSI_VC_ID_INVALID","features":[52]},{"name":"DSI_EOT_SYNC_ERROR","features":[52]},{"name":"DSI_ESCAPE_MODE_ENTRY_COMMAND_ERROR","features":[52]},{"name":"DSI_FALSE_CONTROL_ERROR","features":[52]},{"name":"DSI_INVALID_PACKET_INDEX","features":[52]},{"name":"DSI_INVALID_TRANSMISSION_LENGTH","features":[52]},{"name":"DSI_LONG_PACKET_PAYLOAD_CHECKSUM_ERROR","features":[52]},{"name":"DSI_LOW_POWER_TRANSMIT_SYNC_ERROR","features":[52]},{"name":"DSI_PACKET_EMBEDDED_PAYLOAD_SIZE","features":[52]},{"name":"DSI_PERIPHERAL_TIMEOUT_ERROR","features":[52]},{"name":"DSI_SOT_ERROR","features":[52]},{"name":"DSI_SOT_SYNC_ERROR","features":[52]},{"name":"DSS_FLUSH_EVENT","features":[52]},{"name":"DSS_RESERVED","features":[52]},{"name":"DSS_RESERVED1","features":[52]},{"name":"DSS_RESERVED2","features":[52]},{"name":"DSS_TIMER_EVENT","features":[52]},{"name":"DXGK_WIN32K_PARAM_DATA","features":[52]},{"name":"DXGK_WIN32K_PARAM_FLAG_DISABLEVIEW","features":[52]},{"name":"DXGK_WIN32K_PARAM_FLAG_MODESWITCH","features":[52]},{"name":"DXGK_WIN32K_PARAM_FLAG_UPDATEREGISTRY","features":[52]},{"name":"DegaussMonitor","features":[52,1]},{"name":"DestroyPhysicalMonitor","features":[52,1]},{"name":"DestroyPhysicalMonitors","features":[52,1]},{"name":"DisplayConfigGetDeviceInfo","features":[52,1]},{"name":"DisplayConfigSetDeviceInfo","features":[52,1]},{"name":"DisplayMode","features":[52,1,12]},{"name":"DisplayModes","features":[52,1,12]},{"name":"ECS_REDRAW","features":[52]},{"name":"ECS_TEARDOWN","features":[52]},{"name":"ED_ABORTDOC","features":[52]},{"name":"EHN_ERROR","features":[52]},{"name":"EHN_RESTORED","features":[52]},{"name":"EMFINFO","features":[52,12]},{"name":"ENDCAP_BUTT","features":[52]},{"name":"ENDCAP_ROUND","features":[52]},{"name":"ENDCAP_SQUARE","features":[52]},{"name":"ENGSAFESEMAPHORE","features":[52]},{"name":"ENG_DEVICE_ATTRIBUTE","features":[52]},{"name":"ENG_EVENT","features":[52]},{"name":"ENG_FNT_CACHE_READ_FAULT","features":[52]},{"name":"ENG_FNT_CACHE_WRITE_FAULT","features":[52]},{"name":"ENG_SYSTEM_ATTRIBUTE","features":[52]},{"name":"ENG_TIME_FIELDS","features":[52]},{"name":"ENUMRECTS","features":[52,1]},{"name":"EngAcquireSemaphore","features":[52]},{"name":"EngAlphaBlend","features":[52,1,12]},{"name":"EngAssociateSurface","features":[52,1]},{"name":"EngBitBlt","features":[52,1]},{"name":"EngCheckAbort","features":[52,1]},{"name":"EngComputeGlyphSet","features":[52]},{"name":"EngCopyBits","features":[52,1]},{"name":"EngCreateBitmap","features":[52,1,12]},{"name":"EngCreateClip","features":[52,1]},{"name":"EngCreateDeviceBitmap","features":[52,1,12]},{"name":"EngCreateDeviceSurface","features":[52,1]},{"name":"EngCreatePalette","features":[52,12]},{"name":"EngCreateSemaphore","features":[52]},{"name":"EngDeleteClip","features":[52,1]},{"name":"EngDeletePalette","features":[52,1,12]},{"name":"EngDeletePath","features":[52]},{"name":"EngDeleteSemaphore","features":[52]},{"name":"EngDeleteSurface","features":[52,1]},{"name":"EngEraseSurface","features":[52,1]},{"name":"EngFillPath","features":[52,1]},{"name":"EngFindResource","features":[52,1]},{"name":"EngFreeModule","features":[52,1]},{"name":"EngGetCurrentCodePage","features":[52]},{"name":"EngGetDriverName","features":[52]},{"name":"EngGetPrinterDataFileName","features":[52]},{"name":"EngGradientFill","features":[52,1,12]},{"name":"EngLineTo","features":[52,1]},{"name":"EngLoadModule","features":[52,1]},{"name":"EngLockSurface","features":[52,1]},{"name":"EngMarkBandingSurface","features":[52,1]},{"name":"EngMultiByteToUnicodeN","features":[52]},{"name":"EngMultiByteToWideChar","features":[52]},{"name":"EngNumberOfProcessors","features":[52]},{"name":"EngOptimumAvailableSystemMemory","features":[52]},{"name":"EngOptimumAvailableUserMemory","features":[52]},{"name":"EngPaint","features":[52,1]},{"name":"EngPlgBlt","features":[52,1,12]},{"name":"EngProcessorFeature","features":[52]},{"name":"EngQueryEMFInfo","features":[52,1,12]},{"name":"EngQueryLocalTime","features":[52]},{"name":"EngReleaseSemaphore","features":[52]},{"name":"EngStretchBlt","features":[52,1,12]},{"name":"EngStretchBltROP","features":[52,1,12]},{"name":"EngStrokeAndFillPath","features":[52,1]},{"name":"EngStrokePath","features":[52,1]},{"name":"EngTextOut","features":[52,1]},{"name":"EngTransparentBlt","features":[52,1]},{"name":"EngUnicodeToMultiByteN","features":[52]},{"name":"EngUnlockSurface","features":[52,1]},{"name":"EngWideCharToMultiByte","features":[52]},{"name":"FC_COMPLEX","features":[52]},{"name":"FC_RECT","features":[52]},{"name":"FC_RECT4","features":[52]},{"name":"FDM_TYPE_BM_SIDE_CONST","features":[52]},{"name":"FDM_TYPE_CHAR_INC_EQUAL_BM_BASE","features":[52]},{"name":"FDM_TYPE_CONST_BEARINGS","features":[52]},{"name":"FDM_TYPE_MAXEXT_EQUAL_BM_SIDE","features":[52]},{"name":"FDM_TYPE_ZERO_BEARINGS","features":[52]},{"name":"FD_DEVICEMETRICS","features":[52,1]},{"name":"FD_ERROR","features":[52]},{"name":"FD_GLYPHATTR","features":[52]},{"name":"FD_GLYPHSET","features":[52]},{"name":"FD_KERNINGPAIR","features":[52]},{"name":"FD_LIGATURE","features":[52]},{"name":"FD_NEGATIVE_FONT","features":[52]},{"name":"FD_XFORM","features":[52]},{"name":"FD_XFORM","features":[52]},{"name":"FF_IGNORED_SIGNATURE","features":[52]},{"name":"FF_SIGNATURE_VERIFIED","features":[52]},{"name":"FLOATOBJ","features":[52]},{"name":"FLOATOBJ_XFORM","features":[52]},{"name":"FLOATOBJ_XFORM","features":[52]},{"name":"FLOAT_LONG","features":[52]},{"name":"FLOAT_LONG","features":[52]},{"name":"FL_NONPAGED_MEMORY","features":[52]},{"name":"FL_NON_SESSION","features":[52]},{"name":"FL_ZERO_MEMORY","features":[52]},{"name":"FM_EDITABLE_EMBED","features":[52]},{"name":"FM_INFO_16BPP","features":[52]},{"name":"FM_INFO_1BPP","features":[52]},{"name":"FM_INFO_24BPP","features":[52]},{"name":"FM_INFO_32BPP","features":[52]},{"name":"FM_INFO_4BPP","features":[52]},{"name":"FM_INFO_8BPP","features":[52]},{"name":"FM_INFO_90DEGREE_ROTATIONS","features":[52]},{"name":"FM_INFO_ANISOTROPIC_SCALING_ONLY","features":[52]},{"name":"FM_INFO_ARB_XFORMS","features":[52]},{"name":"FM_INFO_CONSTANT_WIDTH","features":[52]},{"name":"FM_INFO_DBCS_FIXED_PITCH","features":[52]},{"name":"FM_INFO_DO_NOT_ENUMERATE","features":[52]},{"name":"FM_INFO_DSIG","features":[52]},{"name":"FM_INFO_FAMILY_EQUIV","features":[52]},{"name":"FM_INFO_IGNORE_TC_RA_ABLE","features":[52]},{"name":"FM_INFO_INTEGER_WIDTH","features":[52]},{"name":"FM_INFO_INTEGRAL_SCALING","features":[52]},{"name":"FM_INFO_ISOTROPIC_SCALING_ONLY","features":[52]},{"name":"FM_INFO_NONNEGATIVE_AC","features":[52]},{"name":"FM_INFO_NOT_CONTIGUOUS","features":[52]},{"name":"FM_INFO_OPTICALLY_FIXED_PITCH","features":[52]},{"name":"FM_INFO_RETURNS_BITMAPS","features":[52]},{"name":"FM_INFO_RETURNS_OUTLINES","features":[52]},{"name":"FM_INFO_RETURNS_STROKES","features":[52]},{"name":"FM_INFO_RIGHT_HANDED","features":[52]},{"name":"FM_INFO_TECH_BITMAP","features":[52]},{"name":"FM_INFO_TECH_CFF","features":[52]},{"name":"FM_INFO_TECH_MM","features":[52]},{"name":"FM_INFO_TECH_OUTLINE_NOT_TRUETYPE","features":[52]},{"name":"FM_INFO_TECH_STROKE","features":[52]},{"name":"FM_INFO_TECH_TRUETYPE","features":[52]},{"name":"FM_INFO_TECH_TYPE1","features":[52]},{"name":"FM_NO_EMBEDDING","features":[52]},{"name":"FM_PANOSE_CULTURE_LATIN","features":[52]},{"name":"FM_READONLY_EMBED","features":[52]},{"name":"FM_SEL_BOLD","features":[52]},{"name":"FM_SEL_ITALIC","features":[52]},{"name":"FM_SEL_NEGATIVE","features":[52]},{"name":"FM_SEL_OUTLINED","features":[52]},{"name":"FM_SEL_REGULAR","features":[52]},{"name":"FM_SEL_STRIKEOUT","features":[52]},{"name":"FM_SEL_UNDERSCORE","features":[52]},{"name":"FM_TYPE_LICENSED","features":[52]},{"name":"FM_VERSION_NUMBER","features":[52]},{"name":"FONTDIFF","features":[52,1]},{"name":"FONTINFO","features":[52]},{"name":"FONTOBJ","features":[52,1]},{"name":"FONTOBJ_cGetAllGlyphHandles","features":[52,1]},{"name":"FONTOBJ_cGetGlyphs","features":[52,1]},{"name":"FONTOBJ_pQueryGlyphAttrs","features":[52,1]},{"name":"FONTOBJ_pfdg","features":[52,1]},{"name":"FONTOBJ_pifi","features":[52,1,12]},{"name":"FONTOBJ_pvTrueTypeFontFile","features":[52,1]},{"name":"FONTOBJ_pxoGetXform","features":[52,1]},{"name":"FONTOBJ_vGetInfo","features":[52,1]},{"name":"FONTSIM","features":[52]},{"name":"FONT_IMAGE_INFO","features":[52,53]},{"name":"FO_ATTR_MODE_ROTATE","features":[52]},{"name":"FO_CFF","features":[52]},{"name":"FO_CLEARTYPENATURAL_X","features":[52]},{"name":"FO_CLEARTYPE_X","features":[52]},{"name":"FO_CLEARTYPE_Y","features":[52]},{"name":"FO_DBCS_FONT","features":[52]},{"name":"FO_DEVICE_FONT","features":[52]},{"name":"FO_EM_HEIGHT","features":[52]},{"name":"FO_GLYPHBITS","features":[52]},{"name":"FO_GRAY16","features":[52]},{"name":"FO_HGLYPHS","features":[52]},{"name":"FO_MULTIPLEMASTER","features":[52]},{"name":"FO_NOCLEARTYPE","features":[52]},{"name":"FO_NOGRAY16","features":[52]},{"name":"FO_NOHINTS","features":[52]},{"name":"FO_NO_CHOICE","features":[52]},{"name":"FO_OUTLINE_CAPABLE","features":[52]},{"name":"FO_PATHOBJ","features":[52]},{"name":"FO_POSTSCRIPT","features":[52]},{"name":"FO_SIM_BOLD","features":[52]},{"name":"FO_SIM_ITALIC","features":[52]},{"name":"FO_VERT_FACE","features":[52]},{"name":"FP_ALTERNATEMODE","features":[52]},{"name":"FP_WINDINGMODE","features":[52]},{"name":"FREEOBJPROC","features":[52,1]},{"name":"FSCNTL_SCREEN_INFO","features":[52,53]},{"name":"FSVIDEO_COPY_FRAME_BUFFER","features":[52,53]},{"name":"FSVIDEO_CURSOR_POSITION","features":[52]},{"name":"FSVIDEO_MODE_INFORMATION","features":[52]},{"name":"FSVIDEO_REVERSE_MOUSE_POINTER","features":[52,53]},{"name":"FSVIDEO_SCREEN_INFORMATION","features":[52,53]},{"name":"FSVIDEO_WRITE_TO_FRAME_BUFFER","features":[52,53]},{"name":"GAMMARAMP","features":[52]},{"name":"GAMMA_RAMP_DXGI_1","features":[52]},{"name":"GAMMA_RAMP_RGB","features":[52]},{"name":"GAMMA_RAMP_RGB256x3x16","features":[52]},{"name":"GCAPS2_ACC_DRIVER","features":[52]},{"name":"GCAPS2_ALPHACURSOR","features":[52]},{"name":"GCAPS2_BITMAPEXREUSE","features":[52]},{"name":"GCAPS2_CHANGEGAMMARAMP","features":[52]},{"name":"GCAPS2_CLEARTYPE","features":[52]},{"name":"GCAPS2_EXCLUDELAYERED","features":[52]},{"name":"GCAPS2_ICD_MULTIMON","features":[52]},{"name":"GCAPS2_INCLUDEAPIBITMAPS","features":[52]},{"name":"GCAPS2_JPEGSRC","features":[52]},{"name":"GCAPS2_MOUSETRAILS","features":[52]},{"name":"GCAPS2_PNGSRC","features":[52]},{"name":"GCAPS2_REMOTEDRIVER","features":[52]},{"name":"GCAPS2_RESERVED1","features":[52]},{"name":"GCAPS2_SHOWHIDDENPOINTER","features":[52]},{"name":"GCAPS2_SYNCFLUSH","features":[52]},{"name":"GCAPS2_SYNCTIMER","features":[52]},{"name":"GCAPS2_xxxx","features":[52]},{"name":"GCAPS_ALTERNATEFILL","features":[52]},{"name":"GCAPS_ARBRUSHOPAQUE","features":[52]},{"name":"GCAPS_ARBRUSHTEXT","features":[52]},{"name":"GCAPS_ASYNCCHANGE","features":[52]},{"name":"GCAPS_ASYNCMOVE","features":[52]},{"name":"GCAPS_BEZIERS","features":[52]},{"name":"GCAPS_CMYKCOLOR","features":[52]},{"name":"GCAPS_COLOR_DITHER","features":[52]},{"name":"GCAPS_DIRECTDRAW","features":[52]},{"name":"GCAPS_DITHERONREALIZE","features":[52]},{"name":"GCAPS_DONTJOURNAL","features":[52]},{"name":"GCAPS_FONT_RASTERIZER","features":[52]},{"name":"GCAPS_FORCEDITHER","features":[52]},{"name":"GCAPS_GEOMETRICWIDE","features":[52]},{"name":"GCAPS_GRAY16","features":[52]},{"name":"GCAPS_HALFTONE","features":[52]},{"name":"GCAPS_HIGHRESTEXT","features":[52]},{"name":"GCAPS_HORIZSTRIKE","features":[52]},{"name":"GCAPS_ICM","features":[52]},{"name":"GCAPS_LAYERED","features":[52]},{"name":"GCAPS_MONO_DITHER","features":[52]},{"name":"GCAPS_NO64BITMEMACCESS","features":[52]},{"name":"GCAPS_NUP","features":[52]},{"name":"GCAPS_OPAQUERECT","features":[52]},{"name":"GCAPS_PALMANAGED","features":[52]},{"name":"GCAPS_PANNING","features":[52]},{"name":"GCAPS_SCREENPRECISION","features":[52]},{"name":"GCAPS_VECTORFONT","features":[52]},{"name":"GCAPS_VERTSTRIKE","features":[52]},{"name":"GCAPS_WINDINGFILL","features":[52]},{"name":"GDIINFO","features":[52,1]},{"name":"GDI_DRIVER_VERSION","features":[52]},{"name":"GETCONNECTEDIDS_SOURCE","features":[52]},{"name":"GETCONNECTEDIDS_TARGET","features":[52]},{"name":"GLYPHBITS","features":[52,1]},{"name":"GLYPHDATA","features":[52,1]},{"name":"GLYPHDEF","features":[52,1]},{"name":"GLYPHPOS","features":[52,1]},{"name":"GS_16BIT_HANDLES","features":[52]},{"name":"GS_8BIT_HANDLES","features":[52]},{"name":"GS_UNICODE_HANDLES","features":[52]},{"name":"GUID_DEVINTERFACE_DISPLAY_ADAPTER","features":[52]},{"name":"GUID_DEVINTERFACE_MONITOR","features":[52]},{"name":"GUID_DEVINTERFACE_VIDEO_OUTPUT_ARRIVAL","features":[52]},{"name":"GUID_DISPLAY_DEVICE_ARRIVAL","features":[52]},{"name":"GUID_MONITOR_OVERRIDE_PSEUDO_SPECIALIZED","features":[52]},{"name":"GX_GENERAL","features":[52]},{"name":"GX_IDENTITY","features":[52]},{"name":"GX_OFFSET","features":[52]},{"name":"GX_SCALE","features":[52]},{"name":"GetAutoRotationState","features":[52,1]},{"name":"GetCapabilitiesStringLength","features":[52,1]},{"name":"GetDisplayAutoRotationPreferences","features":[52,1]},{"name":"GetDisplayConfigBufferSizes","features":[52,1]},{"name":"GetMonitorBrightness","features":[52,1]},{"name":"GetMonitorCapabilities","features":[52,1]},{"name":"GetMonitorColorTemperature","features":[52,1]},{"name":"GetMonitorContrast","features":[52,1]},{"name":"GetMonitorDisplayAreaPosition","features":[52,1]},{"name":"GetMonitorDisplayAreaSize","features":[52,1]},{"name":"GetMonitorRedGreenOrBlueDrive","features":[52,1]},{"name":"GetMonitorRedGreenOrBlueGain","features":[52,1]},{"name":"GetMonitorTechnologyType","features":[52,1]},{"name":"GetNumberOfPhysicalMonitorsFromHMONITOR","features":[52,1,12]},{"name":"GetNumberOfPhysicalMonitorsFromIDirect3DDevice9","features":[52]},{"name":"GetPhysicalMonitorsFromHMONITOR","features":[52,1,12]},{"name":"GetPhysicalMonitorsFromIDirect3DDevice9","features":[52,1]},{"name":"GetTimingReport","features":[52,1]},{"name":"GetVCPFeatureAndVCPFeatureReply","features":[52,1]},{"name":"HBM","features":[52]},{"name":"HDEV","features":[52]},{"name":"HDRVOBJ","features":[52]},{"name":"HFASTMUTEX","features":[52]},{"name":"HOOK_ALPHABLEND","features":[52]},{"name":"HOOK_BITBLT","features":[52]},{"name":"HOOK_COPYBITS","features":[52]},{"name":"HOOK_FILLPATH","features":[52]},{"name":"HOOK_FLAGS","features":[52]},{"name":"HOOK_GRADIENTFILL","features":[52]},{"name":"HOOK_LINETO","features":[52]},{"name":"HOOK_MOVEPANNING","features":[52]},{"name":"HOOK_PAINT","features":[52]},{"name":"HOOK_PLGBLT","features":[52]},{"name":"HOOK_STRETCHBLT","features":[52]},{"name":"HOOK_STRETCHBLTROP","features":[52]},{"name":"HOOK_STROKEANDFILLPATH","features":[52]},{"name":"HOOK_STROKEPATH","features":[52]},{"name":"HOOK_SYNCHRONIZE","features":[52]},{"name":"HOOK_SYNCHRONIZEACCESS","features":[52]},{"name":"HOOK_TEXTOUT","features":[52]},{"name":"HOOK_TRANSPARENTBLT","features":[52]},{"name":"HOST_DSI_BAD_TRANSMISSION_MODE","features":[52]},{"name":"HOST_DSI_DEVICE_NOT_READY","features":[52]},{"name":"HOST_DSI_DEVICE_RESET","features":[52]},{"name":"HOST_DSI_DRIVER_REJECTED_PACKET","features":[52]},{"name":"HOST_DSI_INTERFACE_RESET","features":[52]},{"name":"HOST_DSI_INVALID_TRANSMISSION","features":[52]},{"name":"HOST_DSI_OS_REJECTED_PACKET","features":[52]},{"name":"HOST_DSI_TRANSMISSION_CANCELLED","features":[52]},{"name":"HOST_DSI_TRANSMISSION_DROPPED","features":[52]},{"name":"HOST_DSI_TRANSMISSION_TIMEOUT","features":[52]},{"name":"HSEMAPHORE","features":[52]},{"name":"HSURF","features":[52]},{"name":"HS_DDI_MAX","features":[52]},{"name":"HT_FLAG_8BPP_CMY332_MASK","features":[52]},{"name":"HT_FLAG_ADDITIVE_PRIMS","features":[52]},{"name":"HT_FLAG_DO_DEVCLR_XFORM","features":[52]},{"name":"HT_FLAG_HAS_BLACK_DYE","features":[52]},{"name":"HT_FLAG_INK_ABSORPTION_IDX0","features":[52]},{"name":"HT_FLAG_INK_ABSORPTION_IDX1","features":[52]},{"name":"HT_FLAG_INK_ABSORPTION_IDX2","features":[52]},{"name":"HT_FLAG_INK_ABSORPTION_IDX3","features":[52]},{"name":"HT_FLAG_INK_ABSORPTION_INDICES","features":[52]},{"name":"HT_FLAG_INK_HIGH_ABSORPTION","features":[52]},{"name":"HT_FLAG_INVERT_8BPP_BITMASK_IDX","features":[52]},{"name":"HT_FLAG_LOWER_INK_ABSORPTION","features":[52]},{"name":"HT_FLAG_LOWEST_INK_ABSORPTION","features":[52]},{"name":"HT_FLAG_LOW_INK_ABSORPTION","features":[52]},{"name":"HT_FLAG_NORMAL_INK_ABSORPTION","features":[52]},{"name":"HT_FLAG_OUTPUT_CMY","features":[52]},{"name":"HT_FLAG_PRINT_DRAFT_MODE","features":[52]},{"name":"HT_FLAG_SQUARE_DEVICE_PEL","features":[52]},{"name":"HT_FLAG_USE_8BPP_BITMASK","features":[52]},{"name":"HT_FORMAT_16BPP","features":[52]},{"name":"HT_FORMAT_1BPP","features":[52]},{"name":"HT_FORMAT_24BPP","features":[52]},{"name":"HT_FORMAT_32BPP","features":[52]},{"name":"HT_FORMAT_4BPP","features":[52]},{"name":"HT_FORMAT_4BPP_IRGB","features":[52]},{"name":"HT_FORMAT_8BPP","features":[52]},{"name":"HT_Get8BPPFormatPalette","features":[52,12]},{"name":"HT_Get8BPPMaskPalette","features":[52,1,12]},{"name":"HT_PATSIZE_10x10","features":[52]},{"name":"HT_PATSIZE_10x10_M","features":[52]},{"name":"HT_PATSIZE_12x12","features":[52]},{"name":"HT_PATSIZE_12x12_M","features":[52]},{"name":"HT_PATSIZE_14x14","features":[52]},{"name":"HT_PATSIZE_14x14_M","features":[52]},{"name":"HT_PATSIZE_16x16","features":[52]},{"name":"HT_PATSIZE_16x16_M","features":[52]},{"name":"HT_PATSIZE_2x2","features":[52]},{"name":"HT_PATSIZE_2x2_M","features":[52]},{"name":"HT_PATSIZE_4x4","features":[52]},{"name":"HT_PATSIZE_4x4_M","features":[52]},{"name":"HT_PATSIZE_6x6","features":[52]},{"name":"HT_PATSIZE_6x6_M","features":[52]},{"name":"HT_PATSIZE_8x8","features":[52]},{"name":"HT_PATSIZE_8x8_M","features":[52]},{"name":"HT_PATSIZE_DEFAULT","features":[52]},{"name":"HT_PATSIZE_MAX_INDEX","features":[52]},{"name":"HT_PATSIZE_SUPERCELL","features":[52]},{"name":"HT_PATSIZE_SUPERCELL_M","features":[52]},{"name":"HT_PATSIZE_USER","features":[52]},{"name":"HT_USERPAT_CX_MAX","features":[52]},{"name":"HT_USERPAT_CX_MIN","features":[52]},{"name":"HT_USERPAT_CY_MAX","features":[52]},{"name":"HT_USERPAT_CY_MIN","features":[52]},{"name":"ICloneViewHelper","features":[52]},{"name":"IFIEXTRA","features":[52]},{"name":"IFIMETRICS","features":[52,1,12]},{"name":"IFIMETRICS","features":[52,1,12]},{"name":"IGRF_RGB_256BYTES","features":[52]},{"name":"IGRF_RGB_256WORDS","features":[52]},{"name":"INDEX_DrvAccumulateD3DDirtyRect","features":[52]},{"name":"INDEX_DrvAlphaBlend","features":[52]},{"name":"INDEX_DrvAssertMode","features":[52]},{"name":"INDEX_DrvAssociateSharedSurface","features":[52]},{"name":"INDEX_DrvBitBlt","features":[52]},{"name":"INDEX_DrvCompletePDEV","features":[52]},{"name":"INDEX_DrvCopyBits","features":[52]},{"name":"INDEX_DrvCreateDeviceBitmap","features":[52]},{"name":"INDEX_DrvCreateDeviceBitmapEx","features":[52]},{"name":"INDEX_DrvDeleteDeviceBitmap","features":[52]},{"name":"INDEX_DrvDeleteDeviceBitmapEx","features":[52]},{"name":"INDEX_DrvDeriveSurface","features":[52]},{"name":"INDEX_DrvDescribePixelFormat","features":[52]},{"name":"INDEX_DrvDestroyFont","features":[52]},{"name":"INDEX_DrvDisableDirectDraw","features":[52]},{"name":"INDEX_DrvDisableDriver","features":[52]},{"name":"INDEX_DrvDisablePDEV","features":[52]},{"name":"INDEX_DrvDisableSurface","features":[52]},{"name":"INDEX_DrvDitherColor","features":[52]},{"name":"INDEX_DrvDrawEscape","features":[52]},{"name":"INDEX_DrvEnableDirectDraw","features":[52]},{"name":"INDEX_DrvEnablePDEV","features":[52]},{"name":"INDEX_DrvEnableSurface","features":[52]},{"name":"INDEX_DrvEndDoc","features":[52]},{"name":"INDEX_DrvEndDxInterop","features":[52]},{"name":"INDEX_DrvEscape","features":[52]},{"name":"INDEX_DrvFillPath","features":[52]},{"name":"INDEX_DrvFontManagement","features":[52]},{"name":"INDEX_DrvFree","features":[52]},{"name":"INDEX_DrvGetDirectDrawInfo","features":[52]},{"name":"INDEX_DrvGetGlyphMode","features":[52]},{"name":"INDEX_DrvGetModes","features":[52]},{"name":"INDEX_DrvGetSynthesizedFontFiles","features":[52]},{"name":"INDEX_DrvGetTrueTypeFile","features":[52]},{"name":"INDEX_DrvGradientFill","features":[52]},{"name":"INDEX_DrvIcmCheckBitmapBits","features":[52]},{"name":"INDEX_DrvIcmCreateColorTransform","features":[52]},{"name":"INDEX_DrvIcmDeleteColorTransform","features":[52]},{"name":"INDEX_DrvIcmSetDeviceGammaRamp","features":[52]},{"name":"INDEX_DrvLineTo","features":[52]},{"name":"INDEX_DrvLoadFontFile","features":[52]},{"name":"INDEX_DrvLockDisplayArea","features":[52]},{"name":"INDEX_DrvMovePanning","features":[52]},{"name":"INDEX_DrvMovePointer","features":[52]},{"name":"INDEX_DrvNextBand","features":[52]},{"name":"INDEX_DrvNotify","features":[52]},{"name":"INDEX_DrvOffset","features":[52]},{"name":"INDEX_DrvPaint","features":[52]},{"name":"INDEX_DrvPlgBlt","features":[52]},{"name":"INDEX_DrvQueryAdvanceWidths","features":[52]},{"name":"INDEX_DrvQueryDeviceSupport","features":[52]},{"name":"INDEX_DrvQueryFont","features":[52]},{"name":"INDEX_DrvQueryFontCaps","features":[52]},{"name":"INDEX_DrvQueryFontData","features":[52]},{"name":"INDEX_DrvQueryFontFile","features":[52]},{"name":"INDEX_DrvQueryFontTree","features":[52]},{"name":"INDEX_DrvQueryGlyphAttrs","features":[52]},{"name":"INDEX_DrvQueryPerBandInfo","features":[52]},{"name":"INDEX_DrvQuerySpoolType","features":[52]},{"name":"INDEX_DrvQueryTrueTypeOutline","features":[52]},{"name":"INDEX_DrvQueryTrueTypeTable","features":[52]},{"name":"INDEX_DrvRealizeBrush","features":[52]},{"name":"INDEX_DrvRenderHint","features":[52]},{"name":"INDEX_DrvReserved1","features":[52]},{"name":"INDEX_DrvReserved10","features":[52]},{"name":"INDEX_DrvReserved11","features":[52]},{"name":"INDEX_DrvReserved2","features":[52]},{"name":"INDEX_DrvReserved3","features":[52]},{"name":"INDEX_DrvReserved4","features":[52]},{"name":"INDEX_DrvReserved5","features":[52]},{"name":"INDEX_DrvReserved6","features":[52]},{"name":"INDEX_DrvReserved7","features":[52]},{"name":"INDEX_DrvReserved8","features":[52]},{"name":"INDEX_DrvReserved9","features":[52]},{"name":"INDEX_DrvResetDevice","features":[52]},{"name":"INDEX_DrvResetPDEV","features":[52]},{"name":"INDEX_DrvSaveScreenBits","features":[52]},{"name":"INDEX_DrvSendPage","features":[52]},{"name":"INDEX_DrvSetPalette","features":[52]},{"name":"INDEX_DrvSetPixelFormat","features":[52]},{"name":"INDEX_DrvSetPointerShape","features":[52]},{"name":"INDEX_DrvStartBanding","features":[52]},{"name":"INDEX_DrvStartDoc","features":[52]},{"name":"INDEX_DrvStartDxInterop","features":[52]},{"name":"INDEX_DrvStartPage","features":[52]},{"name":"INDEX_DrvStretchBlt","features":[52]},{"name":"INDEX_DrvStretchBltROP","features":[52]},{"name":"INDEX_DrvStrokeAndFillPath","features":[52]},{"name":"INDEX_DrvStrokePath","features":[52]},{"name":"INDEX_DrvSurfaceComplete","features":[52]},{"name":"INDEX_DrvSwapBuffers","features":[52]},{"name":"INDEX_DrvSynchronize","features":[52]},{"name":"INDEX_DrvSynchronizeRedirectionBitmaps","features":[52]},{"name":"INDEX_DrvSynchronizeSurface","features":[52]},{"name":"INDEX_DrvSynthesizeFont","features":[52]},{"name":"INDEX_DrvTextOut","features":[52]},{"name":"INDEX_DrvTransparentBlt","features":[52]},{"name":"INDEX_DrvUnloadFontFile","features":[52]},{"name":"INDEX_DrvUnlockDisplayArea","features":[52]},{"name":"INDEX_LAST","features":[52]},{"name":"INDIRECT_DISPLAY_INFO","features":[52,1]},{"name":"INDIRECT_DISPLAY_INFO_FLAGS_CREATED_IDDCX_ADAPTER","features":[52]},{"name":"IOCTL_COLORSPACE_TRANSFORM_QUERY_TARGET_CAPS","features":[52]},{"name":"IOCTL_COLORSPACE_TRANSFORM_SET","features":[52]},{"name":"IOCTL_FSVIDEO_COPY_FRAME_BUFFER","features":[52]},{"name":"IOCTL_FSVIDEO_REVERSE_MOUSE_POINTER","features":[52]},{"name":"IOCTL_FSVIDEO_SET_CURRENT_MODE","features":[52]},{"name":"IOCTL_FSVIDEO_SET_CURSOR_POSITION","features":[52]},{"name":"IOCTL_FSVIDEO_SET_SCREEN_INFORMATION","features":[52]},{"name":"IOCTL_FSVIDEO_WRITE_TO_FRAME_BUFFER","features":[52]},{"name":"IOCTL_MIPI_DSI_QUERY_CAPS","features":[52]},{"name":"IOCTL_MIPI_DSI_RESET","features":[52]},{"name":"IOCTL_MIPI_DSI_TRANSMISSION","features":[52]},{"name":"IOCTL_PANEL_GET_BACKLIGHT_REDUCTION","features":[52]},{"name":"IOCTL_PANEL_GET_BRIGHTNESS","features":[52]},{"name":"IOCTL_PANEL_GET_MANUFACTURING_MODE","features":[52]},{"name":"IOCTL_PANEL_QUERY_BRIGHTNESS_CAPS","features":[52]},{"name":"IOCTL_PANEL_QUERY_BRIGHTNESS_RANGES","features":[52]},{"name":"IOCTL_PANEL_SET_BACKLIGHT_OPTIMIZATION","features":[52]},{"name":"IOCTL_PANEL_SET_BRIGHTNESS","features":[52]},{"name":"IOCTL_PANEL_SET_BRIGHTNESS_STATE","features":[52]},{"name":"IOCTL_SET_ACTIVE_COLOR_PROFILE_NAME","features":[52]},{"name":"IOCTL_VIDEO_DISABLE_CURSOR","features":[52]},{"name":"IOCTL_VIDEO_DISABLE_POINTER","features":[52]},{"name":"IOCTL_VIDEO_DISABLE_VDM","features":[52]},{"name":"IOCTL_VIDEO_ENABLE_CURSOR","features":[52]},{"name":"IOCTL_VIDEO_ENABLE_POINTER","features":[52]},{"name":"IOCTL_VIDEO_ENABLE_VDM","features":[52]},{"name":"IOCTL_VIDEO_ENUM_MONITOR_PDO","features":[52]},{"name":"IOCTL_VIDEO_FREE_PUBLIC_ACCESS_RANGES","features":[52]},{"name":"IOCTL_VIDEO_GET_BANK_SELECT_CODE","features":[52]},{"name":"IOCTL_VIDEO_GET_CHILD_STATE","features":[52]},{"name":"IOCTL_VIDEO_GET_OUTPUT_DEVICE_POWER_STATE","features":[52]},{"name":"IOCTL_VIDEO_GET_POWER_MANAGEMENT","features":[52]},{"name":"IOCTL_VIDEO_HANDLE_VIDEOPARAMETERS","features":[52]},{"name":"IOCTL_VIDEO_INIT_WIN32K_CALLBACKS","features":[52]},{"name":"IOCTL_VIDEO_IS_VGA_DEVICE","features":[52]},{"name":"IOCTL_VIDEO_LOAD_AND_SET_FONT","features":[52]},{"name":"IOCTL_VIDEO_MAP_VIDEO_MEMORY","features":[52]},{"name":"IOCTL_VIDEO_MONITOR_DEVICE","features":[52]},{"name":"IOCTL_VIDEO_PREPARE_FOR_EARECOVERY","features":[52]},{"name":"IOCTL_VIDEO_QUERY_AVAIL_MODES","features":[52]},{"name":"IOCTL_VIDEO_QUERY_COLOR_CAPABILITIES","features":[52]},{"name":"IOCTL_VIDEO_QUERY_CURRENT_MODE","features":[52]},{"name":"IOCTL_VIDEO_QUERY_CURSOR_ATTR","features":[52]},{"name":"IOCTL_VIDEO_QUERY_CURSOR_POSITION","features":[52]},{"name":"IOCTL_VIDEO_QUERY_DISPLAY_BRIGHTNESS","features":[52]},{"name":"IOCTL_VIDEO_QUERY_NUM_AVAIL_MODES","features":[52]},{"name":"IOCTL_VIDEO_QUERY_POINTER_ATTR","features":[52]},{"name":"IOCTL_VIDEO_QUERY_POINTER_CAPABILITIES","features":[52]},{"name":"IOCTL_VIDEO_QUERY_POINTER_POSITION","features":[52]},{"name":"IOCTL_VIDEO_QUERY_PUBLIC_ACCESS_RANGES","features":[52]},{"name":"IOCTL_VIDEO_QUERY_SUPPORTED_BRIGHTNESS","features":[52]},{"name":"IOCTL_VIDEO_REGISTER_VDM","features":[52]},{"name":"IOCTL_VIDEO_RESET_DEVICE","features":[52]},{"name":"IOCTL_VIDEO_RESTORE_HARDWARE_STATE","features":[52]},{"name":"IOCTL_VIDEO_SAVE_HARDWARE_STATE","features":[52]},{"name":"IOCTL_VIDEO_SET_BANK_POSITION","features":[52]},{"name":"IOCTL_VIDEO_SET_CHILD_STATE_CONFIGURATION","features":[52]},{"name":"IOCTL_VIDEO_SET_COLOR_LUT_DATA","features":[52]},{"name":"IOCTL_VIDEO_SET_COLOR_REGISTERS","features":[52]},{"name":"IOCTL_VIDEO_SET_CURRENT_MODE","features":[52]},{"name":"IOCTL_VIDEO_SET_CURSOR_ATTR","features":[52]},{"name":"IOCTL_VIDEO_SET_CURSOR_POSITION","features":[52]},{"name":"IOCTL_VIDEO_SET_DISPLAY_BRIGHTNESS","features":[52]},{"name":"IOCTL_VIDEO_SET_OUTPUT_DEVICE_POWER_STATE","features":[52]},{"name":"IOCTL_VIDEO_SET_PALETTE_REGISTERS","features":[52]},{"name":"IOCTL_VIDEO_SET_POINTER_ATTR","features":[52]},{"name":"IOCTL_VIDEO_SET_POINTER_POSITION","features":[52]},{"name":"IOCTL_VIDEO_SET_POWER_MANAGEMENT","features":[52]},{"name":"IOCTL_VIDEO_SHARE_VIDEO_MEMORY","features":[52]},{"name":"IOCTL_VIDEO_SWITCH_DUALVIEW","features":[52]},{"name":"IOCTL_VIDEO_UNMAP_VIDEO_MEMORY","features":[52]},{"name":"IOCTL_VIDEO_UNSHARE_VIDEO_MEMORY","features":[52]},{"name":"IOCTL_VIDEO_USE_DEVICE_IN_SESSION","features":[52]},{"name":"IOCTL_VIDEO_VALIDATE_CHILD_STATE_CONFIGURATION","features":[52]},{"name":"IViewHelper","features":[52]},{"name":"JOIN_BEVEL","features":[52]},{"name":"JOIN_MITER","features":[52]},{"name":"JOIN_ROUND","features":[52]},{"name":"LA_ALTERNATE","features":[52]},{"name":"LA_GEOMETRIC","features":[52]},{"name":"LA_STARTGAP","features":[52]},{"name":"LA_STYLED","features":[52]},{"name":"LIGATURE","features":[52]},{"name":"LINEATTRS","features":[52]},{"name":"LINEATTRS","features":[52]},{"name":"MAXCHARSETS","features":[52]},{"name":"MAX_PACKET_COUNT","features":[52]},{"name":"MC_APERTURE_GRILL_CATHODE_RAY_TUBE","features":[52]},{"name":"MC_BLUE_DRIVE","features":[52]},{"name":"MC_BLUE_GAIN","features":[52]},{"name":"MC_CAPS_BRIGHTNESS","features":[52]},{"name":"MC_CAPS_COLOR_TEMPERATURE","features":[52]},{"name":"MC_CAPS_CONTRAST","features":[52]},{"name":"MC_CAPS_DEGAUSS","features":[52]},{"name":"MC_CAPS_DISPLAY_AREA_POSITION","features":[52]},{"name":"MC_CAPS_DISPLAY_AREA_SIZE","features":[52]},{"name":"MC_CAPS_MONITOR_TECHNOLOGY_TYPE","features":[52]},{"name":"MC_CAPS_NONE","features":[52]},{"name":"MC_CAPS_RED_GREEN_BLUE_DRIVE","features":[52]},{"name":"MC_CAPS_RED_GREEN_BLUE_GAIN","features":[52]},{"name":"MC_CAPS_RESTORE_FACTORY_COLOR_DEFAULTS","features":[52]},{"name":"MC_CAPS_RESTORE_FACTORY_DEFAULTS","features":[52]},{"name":"MC_COLOR_TEMPERATURE","features":[52]},{"name":"MC_COLOR_TEMPERATURE_10000K","features":[52]},{"name":"MC_COLOR_TEMPERATURE_11500K","features":[52]},{"name":"MC_COLOR_TEMPERATURE_4000K","features":[52]},{"name":"MC_COLOR_TEMPERATURE_5000K","features":[52]},{"name":"MC_COLOR_TEMPERATURE_6500K","features":[52]},{"name":"MC_COLOR_TEMPERATURE_7500K","features":[52]},{"name":"MC_COLOR_TEMPERATURE_8200K","features":[52]},{"name":"MC_COLOR_TEMPERATURE_9300K","features":[52]},{"name":"MC_COLOR_TEMPERATURE_UNKNOWN","features":[52]},{"name":"MC_DISPLAY_TECHNOLOGY_TYPE","features":[52]},{"name":"MC_DRIVE_TYPE","features":[52]},{"name":"MC_ELECTROLUMINESCENT","features":[52]},{"name":"MC_FIELD_EMISSION_DEVICE","features":[52]},{"name":"MC_GAIN_TYPE","features":[52]},{"name":"MC_GREEN_DRIVE","features":[52]},{"name":"MC_GREEN_GAIN","features":[52]},{"name":"MC_HEIGHT","features":[52]},{"name":"MC_HORIZONTAL_POSITION","features":[52]},{"name":"MC_LIQUID_CRYSTAL_ON_SILICON","features":[52]},{"name":"MC_MICROELECTROMECHANICAL","features":[52]},{"name":"MC_MOMENTARY","features":[52]},{"name":"MC_ORGANIC_LIGHT_EMITTING_DIODE","features":[52]},{"name":"MC_PLASMA","features":[52]},{"name":"MC_POSITION_TYPE","features":[52]},{"name":"MC_RED_DRIVE","features":[52]},{"name":"MC_RED_GAIN","features":[52]},{"name":"MC_RESTORE_FACTORY_DEFAULTS_ENABLES_MONITOR_SETTINGS","features":[52]},{"name":"MC_SET_PARAMETER","features":[52]},{"name":"MC_SHADOW_MASK_CATHODE_RAY_TUBE","features":[52]},{"name":"MC_SIZE_TYPE","features":[52]},{"name":"MC_SUPPORTED_COLOR_TEMPERATURE_10000K","features":[52]},{"name":"MC_SUPPORTED_COLOR_TEMPERATURE_11500K","features":[52]},{"name":"MC_SUPPORTED_COLOR_TEMPERATURE_4000K","features":[52]},{"name":"MC_SUPPORTED_COLOR_TEMPERATURE_5000K","features":[52]},{"name":"MC_SUPPORTED_COLOR_TEMPERATURE_6500K","features":[52]},{"name":"MC_SUPPORTED_COLOR_TEMPERATURE_7500K","features":[52]},{"name":"MC_SUPPORTED_COLOR_TEMPERATURE_8200K","features":[52]},{"name":"MC_SUPPORTED_COLOR_TEMPERATURE_9300K","features":[52]},{"name":"MC_SUPPORTED_COLOR_TEMPERATURE_NONE","features":[52]},{"name":"MC_THIN_FILM_TRANSISTOR","features":[52]},{"name":"MC_TIMING_REPORT","features":[52]},{"name":"MC_VCP_CODE_TYPE","features":[52]},{"name":"MC_VERTICAL_POSITION","features":[52]},{"name":"MC_WIDTH","features":[52]},{"name":"MIPI_DSI_CAPS","features":[52]},{"name":"MIPI_DSI_PACKET","features":[52]},{"name":"MIPI_DSI_RESET","features":[52]},{"name":"MIPI_DSI_TRANSMISSION","features":[52]},{"name":"MS_CDDDEVICEBITMAP","features":[52]},{"name":"MS_NOTSYSTEMMEMORY","features":[52]},{"name":"MS_REUSEDDEVICEBITMAP","features":[52]},{"name":"MS_SHAREDACCESS","features":[52]},{"name":"NumVideoBankTypes","features":[52]},{"name":"OC_BANK_CLIP","features":[52]},{"name":"OPENGL_CMD","features":[52]},{"name":"OPENGL_GETINFO","features":[52]},{"name":"ORIENTATION_PREFERENCE","features":[52]},{"name":"ORIENTATION_PREFERENCE_LANDSCAPE","features":[52]},{"name":"ORIENTATION_PREFERENCE_LANDSCAPE_FLIPPED","features":[52]},{"name":"ORIENTATION_PREFERENCE_NONE","features":[52]},{"name":"ORIENTATION_PREFERENCE_PORTRAIT","features":[52]},{"name":"ORIENTATION_PREFERENCE_PORTRAIT_FLIPPED","features":[52]},{"name":"OUTPUT_COLOR_ENCODING","features":[52]},{"name":"OUTPUT_COLOR_ENCODING_INTENSITY","features":[52]},{"name":"OUTPUT_COLOR_ENCODING_RGB","features":[52]},{"name":"OUTPUT_COLOR_ENCODING_YCBCR420","features":[52]},{"name":"OUTPUT_COLOR_ENCODING_YCBCR422","features":[52]},{"name":"OUTPUT_COLOR_ENCODING_YCBCR444","features":[52]},{"name":"OUTPUT_WIRE_COLOR_SPACE_G2084_P2020","features":[52]},{"name":"OUTPUT_WIRE_COLOR_SPACE_G2084_P2020_DVLL","features":[52]},{"name":"OUTPUT_WIRE_COLOR_SPACE_G2084_P2020_HDR10PLUS","features":[52]},{"name":"OUTPUT_WIRE_COLOR_SPACE_G22_P2020","features":[52]},{"name":"OUTPUT_WIRE_COLOR_SPACE_G22_P709","features":[52]},{"name":"OUTPUT_WIRE_COLOR_SPACE_G22_P709_WCG","features":[52]},{"name":"OUTPUT_WIRE_COLOR_SPACE_RESERVED","features":[52]},{"name":"OUTPUT_WIRE_COLOR_SPACE_TYPE","features":[52]},{"name":"OUTPUT_WIRE_FORMAT","features":[52]},{"name":"PALOBJ","features":[52]},{"name":"PAL_BGR","features":[52]},{"name":"PAL_BITFIELDS","features":[52]},{"name":"PAL_CMYK","features":[52]},{"name":"PAL_INDEXED","features":[52]},{"name":"PAL_RGB","features":[52]},{"name":"PANEL_BRIGHTNESS_SENSOR_DATA","features":[52]},{"name":"PANEL_GET_BACKLIGHT_REDUCTION","features":[52]},{"name":"PANEL_GET_BRIGHTNESS","features":[52]},{"name":"PANEL_QUERY_BRIGHTNESS_CAPS","features":[52]},{"name":"PANEL_QUERY_BRIGHTNESS_RANGES","features":[52]},{"name":"PANEL_SET_BACKLIGHT_OPTIMIZATION","features":[52]},{"name":"PANEL_SET_BRIGHTNESS","features":[52]},{"name":"PANEL_SET_BRIGHTNESS_STATE","features":[52]},{"name":"PATHDATA","features":[52]},{"name":"PATHOBJ","features":[52]},{"name":"PATHOBJ_bEnum","features":[52,1]},{"name":"PATHOBJ_bEnumClipLines","features":[52,1]},{"name":"PATHOBJ_vEnumStart","features":[52]},{"name":"PATHOBJ_vEnumStartClipLines","features":[52,1]},{"name":"PATHOBJ_vGetBounds","features":[52]},{"name":"PD_BEGINSUBPATH","features":[52]},{"name":"PD_BEZIERS","features":[52]},{"name":"PD_CLOSEFIGURE","features":[52]},{"name":"PD_ENDSUBPATH","features":[52]},{"name":"PD_RESETSTYLE","features":[52]},{"name":"PERBANDINFO","features":[52,1]},{"name":"PFN","features":[52]},{"name":"PFN_DrvAccumulateD3DDirtyRect","features":[52,1]},{"name":"PFN_DrvAlphaBlend","features":[52,1,12]},{"name":"PFN_DrvAssertMode","features":[52,1]},{"name":"PFN_DrvAssociateSharedSurface","features":[52,1]},{"name":"PFN_DrvBitBlt","features":[52,1]},{"name":"PFN_DrvCompletePDEV","features":[52]},{"name":"PFN_DrvCopyBits","features":[52,1]},{"name":"PFN_DrvCreateDeviceBitmap","features":[52,1,12]},{"name":"PFN_DrvCreateDeviceBitmapEx","features":[52,1,12]},{"name":"PFN_DrvDeleteDeviceBitmap","features":[52]},{"name":"PFN_DrvDeleteDeviceBitmapEx","features":[52]},{"name":"PFN_DrvDeriveSurface","features":[52,1,11,12]},{"name":"PFN_DrvDescribePixelFormat","features":[52,54]},{"name":"PFN_DrvDestroyFont","features":[52,1]},{"name":"PFN_DrvDisableDirectDraw","features":[52]},{"name":"PFN_DrvDisableDriver","features":[52]},{"name":"PFN_DrvDisablePDEV","features":[52]},{"name":"PFN_DrvDisableSurface","features":[52]},{"name":"PFN_DrvDitherColor","features":[52]},{"name":"PFN_DrvDrawEscape","features":[52,1]},{"name":"PFN_DrvEnableDirectDraw","features":[52,1,11,12]},{"name":"PFN_DrvEnableDriver","features":[52,1]},{"name":"PFN_DrvEnablePDEV","features":[52,1,12]},{"name":"PFN_DrvEnableSurface","features":[52]},{"name":"PFN_DrvEndDoc","features":[52,1]},{"name":"PFN_DrvEndDxInterop","features":[52,1]},{"name":"PFN_DrvEscape","features":[52,1]},{"name":"PFN_DrvFillPath","features":[52,1]},{"name":"PFN_DrvFontManagement","features":[52,1]},{"name":"PFN_DrvFree","features":[52]},{"name":"PFN_DrvGetDirectDrawInfo","features":[52,1,11]},{"name":"PFN_DrvGetGlyphMode","features":[52,1]},{"name":"PFN_DrvGetModes","features":[52,1,12]},{"name":"PFN_DrvGetTrueTypeFile","features":[52]},{"name":"PFN_DrvGradientFill","features":[52,1,12]},{"name":"PFN_DrvIcmCheckBitmapBits","features":[52,1]},{"name":"PFN_DrvIcmCreateColorTransform","features":[52,1,12,55]},{"name":"PFN_DrvIcmDeleteColorTransform","features":[52,1]},{"name":"PFN_DrvIcmSetDeviceGammaRamp","features":[52,1]},{"name":"PFN_DrvLineTo","features":[52,1]},{"name":"PFN_DrvLoadFontFile","features":[52,12]},{"name":"PFN_DrvLockDisplayArea","features":[52,1]},{"name":"PFN_DrvMovePointer","features":[52,1]},{"name":"PFN_DrvNextBand","features":[52,1]},{"name":"PFN_DrvNotify","features":[52,1]},{"name":"PFN_DrvPaint","features":[52,1]},{"name":"PFN_DrvPlgBlt","features":[52,1,12]},{"name":"PFN_DrvQueryAdvanceWidths","features":[52,1]},{"name":"PFN_DrvQueryDeviceSupport","features":[52,1]},{"name":"PFN_DrvQueryFont","features":[52,1,12]},{"name":"PFN_DrvQueryFontCaps","features":[52]},{"name":"PFN_DrvQueryFontData","features":[52,1]},{"name":"PFN_DrvQueryFontFile","features":[52]},{"name":"PFN_DrvQueryFontTree","features":[52]},{"name":"PFN_DrvQueryGlyphAttrs","features":[52,1]},{"name":"PFN_DrvQueryPerBandInfo","features":[52,1]},{"name":"PFN_DrvQuerySpoolType","features":[52,1]},{"name":"PFN_DrvQueryTrueTypeOutline","features":[52,1,12]},{"name":"PFN_DrvQueryTrueTypeSection","features":[52,1]},{"name":"PFN_DrvQueryTrueTypeTable","features":[52]},{"name":"PFN_DrvRealizeBrush","features":[52,1]},{"name":"PFN_DrvRenderHint","features":[52]},{"name":"PFN_DrvResetDevice","features":[52]},{"name":"PFN_DrvResetPDEV","features":[52,1]},{"name":"PFN_DrvSaveScreenBits","features":[52,1]},{"name":"PFN_DrvSendPage","features":[52,1]},{"name":"PFN_DrvSetPalette","features":[52,1]},{"name":"PFN_DrvSetPixelFormat","features":[52,1]},{"name":"PFN_DrvSetPointerShape","features":[52,1]},{"name":"PFN_DrvStartBanding","features":[52,1]},{"name":"PFN_DrvStartDoc","features":[52,1]},{"name":"PFN_DrvStartDxInterop","features":[52,1]},{"name":"PFN_DrvStartPage","features":[52,1]},{"name":"PFN_DrvStretchBlt","features":[52,1,12]},{"name":"PFN_DrvStretchBltROP","features":[52,1,12]},{"name":"PFN_DrvStrokeAndFillPath","features":[52,1]},{"name":"PFN_DrvStrokePath","features":[52,1]},{"name":"PFN_DrvSurfaceComplete","features":[52,1]},{"name":"PFN_DrvSwapBuffers","features":[52,1]},{"name":"PFN_DrvSynchronize","features":[52,1]},{"name":"PFN_DrvSynchronizeRedirectionBitmaps","features":[52,1]},{"name":"PFN_DrvSynchronizeSurface","features":[52,1]},{"name":"PFN_DrvTextOut","features":[52,1]},{"name":"PFN_DrvTransparentBlt","features":[52,1]},{"name":"PFN_DrvUnloadFontFile","features":[52,1]},{"name":"PFN_DrvUnlockDisplayArea","features":[52,1]},{"name":"PFN_EngCombineRgn","features":[52,1]},{"name":"PFN_EngCopyRgn","features":[52,1]},{"name":"PFN_EngCreateRectRgn","features":[52,1]},{"name":"PFN_EngDeleteRgn","features":[52,1]},{"name":"PFN_EngIntersectRgn","features":[52,1]},{"name":"PFN_EngSubtractRgn","features":[52,1]},{"name":"PFN_EngUnionRgn","features":[52,1]},{"name":"PFN_EngXorRgn","features":[52,1]},{"name":"PHYSICAL_MONITOR","features":[52,1]},{"name":"PHYSICAL_MONITOR_DESCRIPTION_SIZE","features":[52]},{"name":"PLANAR_HC","features":[52]},{"name":"POINTE","features":[52]},{"name":"POINTE","features":[52]},{"name":"POINTFIX","features":[52]},{"name":"POINTQF","features":[52]},{"name":"PO_ALL_INTEGERS","features":[52]},{"name":"PO_BEZIERS","features":[52]},{"name":"PO_ELLIPSE","features":[52]},{"name":"PO_ENUM_AS_INTEGERS","features":[52]},{"name":"PO_WIDENED","features":[52]},{"name":"PPC_BGR_ORDER_HORIZONTAL_STRIPES","features":[52]},{"name":"PPC_BGR_ORDER_VERTICAL_STRIPES","features":[52]},{"name":"PPC_DEFAULT","features":[52]},{"name":"PPC_RGB_ORDER_HORIZONTAL_STRIPES","features":[52]},{"name":"PPC_RGB_ORDER_VERTICAL_STRIPES","features":[52]},{"name":"PPC_UNDEFINED","features":[52]},{"name":"PPG_DEFAULT","features":[52]},{"name":"PPG_SRGB","features":[52]},{"name":"PRIMARY_ORDER_ABC","features":[52]},{"name":"PRIMARY_ORDER_ACB","features":[52]},{"name":"PRIMARY_ORDER_BAC","features":[52]},{"name":"PRIMARY_ORDER_BCA","features":[52]},{"name":"PRIMARY_ORDER_CAB","features":[52]},{"name":"PRIMARY_ORDER_CBA","features":[52]},{"name":"PVIDEO_WIN32K_CALLOUT","features":[52]},{"name":"QAW_GETEASYWIDTHS","features":[52]},{"name":"QAW_GETWIDTHS","features":[52]},{"name":"QC_1BIT","features":[52]},{"name":"QC_4BIT","features":[52]},{"name":"QC_OUTLINES","features":[52]},{"name":"QDA_ACCELERATION_LEVEL","features":[52]},{"name":"QDA_RESERVED","features":[52]},{"name":"QDC_ALL_PATHS","features":[52]},{"name":"QDC_DATABASE_CURRENT","features":[52]},{"name":"QDC_INCLUDE_HMD","features":[52]},{"name":"QDC_ONLY_ACTIVE_PATHS","features":[52]},{"name":"QDC_VIRTUAL_MODE_AWARE","features":[52]},{"name":"QDC_VIRTUAL_REFRESH_RATE_AWARE","features":[52]},{"name":"QDS_CHECKJPEGFORMAT","features":[52]},{"name":"QDS_CHECKPNGFORMAT","features":[52]},{"name":"QFD_GLYPHANDBITMAP","features":[52]},{"name":"QFD_GLYPHANDOUTLINE","features":[52]},{"name":"QFD_MAXEXTENTS","features":[52]},{"name":"QFD_TT_GLYPHANDBITMAP","features":[52]},{"name":"QFD_TT_GRAY1_BITMAP","features":[52]},{"name":"QFD_TT_GRAY2_BITMAP","features":[52]},{"name":"QFD_TT_GRAY4_BITMAP","features":[52]},{"name":"QFD_TT_GRAY8_BITMAP","features":[52]},{"name":"QFD_TT_MONO_BITMAP","features":[52]},{"name":"QFF_DESCRIPTION","features":[52]},{"name":"QFF_NUMFACES","features":[52]},{"name":"QFT_GLYPHSET","features":[52]},{"name":"QFT_KERNPAIRS","features":[52]},{"name":"QFT_LIGATURES","features":[52]},{"name":"QSA_3DNOW","features":[52]},{"name":"QSA_MMX","features":[52]},{"name":"QSA_SSE","features":[52]},{"name":"QSA_SSE1","features":[52]},{"name":"QSA_SSE2","features":[52]},{"name":"QSA_SSE3","features":[52]},{"name":"QUERY_DISPLAY_CONFIG_FLAGS","features":[52]},{"name":"QueryDisplayConfig","features":[52,1]},{"name":"RB_DITHERCOLOR","features":[52]},{"name":"RECTFX","features":[52]},{"name":"RUN","features":[52]},{"name":"RestoreMonitorFactoryColorDefaults","features":[52,1]},{"name":"RestoreMonitorFactoryDefaults","features":[52,1]},{"name":"SDC_ALLOW_CHANGES","features":[52]},{"name":"SDC_ALLOW_PATH_ORDER_CHANGES","features":[52]},{"name":"SDC_APPLY","features":[52]},{"name":"SDC_FORCE_MODE_ENUMERATION","features":[52]},{"name":"SDC_NO_OPTIMIZATION","features":[52]},{"name":"SDC_PATH_PERSIST_IF_REQUIRED","features":[52]},{"name":"SDC_SAVE_TO_DATABASE","features":[52]},{"name":"SDC_TOPOLOGY_CLONE","features":[52]},{"name":"SDC_TOPOLOGY_EXTEND","features":[52]},{"name":"SDC_TOPOLOGY_EXTERNAL","features":[52]},{"name":"SDC_TOPOLOGY_INTERNAL","features":[52]},{"name":"SDC_TOPOLOGY_SUPPLIED","features":[52]},{"name":"SDC_USE_DATABASE_CURRENT","features":[52]},{"name":"SDC_USE_SUPPLIED_DISPLAY_CONFIG","features":[52]},{"name":"SDC_VALIDATE","features":[52]},{"name":"SDC_VIRTUAL_MODE_AWARE","features":[52]},{"name":"SDC_VIRTUAL_REFRESH_RATE_AWARE","features":[52]},{"name":"SETCONFIGURATION_STATUS_ADDITIONAL","features":[52]},{"name":"SETCONFIGURATION_STATUS_APPLIED","features":[52]},{"name":"SETCONFIGURATION_STATUS_OVERRIDDEN","features":[52]},{"name":"SET_ACTIVE_COLOR_PROFILE_NAME","features":[52]},{"name":"SET_DISPLAY_CONFIG_FLAGS","features":[52]},{"name":"SGI_EXTRASPACE","features":[52]},{"name":"SORTCOMP","features":[52]},{"name":"SO_BREAK_EXTRA","features":[52]},{"name":"SO_CHARACTER_EXTRA","features":[52]},{"name":"SO_CHAR_INC_EQUAL_BM_BASE","features":[52]},{"name":"SO_DO_NOT_SUBSTITUTE_DEVICE_FONT","features":[52]},{"name":"SO_DXDY","features":[52]},{"name":"SO_ESC_NOT_ORIENT","features":[52]},{"name":"SO_FLAG_DEFAULT_PLACEMENT","features":[52]},{"name":"SO_GLYPHINDEX_TEXTOUT","features":[52]},{"name":"SO_HORIZONTAL","features":[52]},{"name":"SO_MAXEXT_EQUAL_BM_SIDE","features":[52]},{"name":"SO_REVERSED","features":[52]},{"name":"SO_VERTICAL","features":[52]},{"name":"SO_ZERO_BEARINGS","features":[52]},{"name":"SPS_ACCEPT_EXCLUDE","features":[52]},{"name":"SPS_ACCEPT_NOEXCLUDE","features":[52]},{"name":"SPS_ACCEPT_SYNCHRONOUS","features":[52]},{"name":"SPS_ALPHA","features":[52]},{"name":"SPS_ANIMATESTART","features":[52]},{"name":"SPS_ANIMATEUPDATE","features":[52]},{"name":"SPS_ASYNCCHANGE","features":[52]},{"name":"SPS_CHANGE","features":[52]},{"name":"SPS_DECLINE","features":[52]},{"name":"SPS_ERROR","features":[52]},{"name":"SPS_FLAGSMASK","features":[52]},{"name":"SPS_FREQMASK","features":[52]},{"name":"SPS_LENGTHMASK","features":[52]},{"name":"SPS_RESERVED","features":[52]},{"name":"SPS_RESERVED1","features":[52]},{"name":"SS_FREE","features":[52]},{"name":"SS_RESTORE","features":[52]},{"name":"SS_SAVE","features":[52]},{"name":"STROBJ","features":[52,1]},{"name":"STROBJ_bEnum","features":[52,1]},{"name":"STROBJ_bEnumPositionsOnly","features":[52,1]},{"name":"STROBJ_bGetAdvanceWidths","features":[52,1]},{"name":"STROBJ_dwGetCodePage","features":[52,1]},{"name":"STROBJ_vEnumStart","features":[52,1]},{"name":"STYPE_BITMAP","features":[52]},{"name":"STYPE_DEVBITMAP","features":[52]},{"name":"SURFOBJ","features":[52,1]},{"name":"S_INIT","features":[52]},{"name":"SaveCurrentMonitorSettings","features":[52,1]},{"name":"SaveCurrentSettings","features":[52,1]},{"name":"SetDisplayAutoRotationPreferences","features":[52,1]},{"name":"SetDisplayConfig","features":[52,1]},{"name":"SetMonitorBrightness","features":[52,1]},{"name":"SetMonitorColorTemperature","features":[52,1]},{"name":"SetMonitorContrast","features":[52,1]},{"name":"SetMonitorDisplayAreaPosition","features":[52,1]},{"name":"SetMonitorDisplayAreaSize","features":[52,1]},{"name":"SetMonitorRedGreenOrBlueDrive","features":[52,1]},{"name":"SetMonitorRedGreenOrBlueGain","features":[52,1]},{"name":"SetVCPFeature","features":[52,1]},{"name":"Sources","features":[52]},{"name":"TC_PATHOBJ","features":[52]},{"name":"TC_RECTANGLES","features":[52]},{"name":"TTO_METRICS_ONLY","features":[52]},{"name":"TTO_QUBICS","features":[52]},{"name":"TTO_UNHINTED","features":[52]},{"name":"TYPE1_FONT","features":[52,1]},{"name":"VGA_CHAR","features":[52]},{"name":"VIDEOPARAMETERS","features":[52]},{"name":"VIDEO_BANK_SELECT","features":[52]},{"name":"VIDEO_BANK_TYPE","features":[52]},{"name":"VIDEO_BRIGHTNESS_POLICY","features":[52,1]},{"name":"VIDEO_CLUT","features":[52]},{"name":"VIDEO_CLUTDATA","features":[52]},{"name":"VIDEO_COLOR_CAPABILITIES","features":[52]},{"name":"VIDEO_COLOR_LUT_DATA","features":[52]},{"name":"VIDEO_COLOR_LUT_DATA_FORMAT_PRIVATEFORMAT","features":[52]},{"name":"VIDEO_COLOR_LUT_DATA_FORMAT_RGB256WORDS","features":[52]},{"name":"VIDEO_CURSOR_ATTRIBUTES","features":[52]},{"name":"VIDEO_CURSOR_POSITION","features":[52]},{"name":"VIDEO_DEVICE_COLOR","features":[52]},{"name":"VIDEO_DEVICE_NAME","features":[52]},{"name":"VIDEO_DEVICE_SESSION_STATUS","features":[52]},{"name":"VIDEO_DUALVIEW_PRIMARY","features":[52]},{"name":"VIDEO_DUALVIEW_REMOVABLE","features":[52]},{"name":"VIDEO_DUALVIEW_SECONDARY","features":[52]},{"name":"VIDEO_DUALVIEW_WDDM_VGA","features":[52]},{"name":"VIDEO_HARDWARE_STATE","features":[52]},{"name":"VIDEO_HARDWARE_STATE_HEADER","features":[52]},{"name":"VIDEO_LOAD_FONT_INFORMATION","features":[52]},{"name":"VIDEO_LUT_RGB256WORDS","features":[52]},{"name":"VIDEO_MAX_REASON","features":[52]},{"name":"VIDEO_MEMORY","features":[52]},{"name":"VIDEO_MEMORY_INFORMATION","features":[52]},{"name":"VIDEO_MODE","features":[52]},{"name":"VIDEO_MODE_ANIMATE_START","features":[52]},{"name":"VIDEO_MODE_ANIMATE_UPDATE","features":[52]},{"name":"VIDEO_MODE_ASYNC_POINTER","features":[52]},{"name":"VIDEO_MODE_BANKED","features":[52]},{"name":"VIDEO_MODE_COLOR","features":[52]},{"name":"VIDEO_MODE_COLOR_POINTER","features":[52]},{"name":"VIDEO_MODE_GRAPHICS","features":[52]},{"name":"VIDEO_MODE_INFORMATION","features":[52]},{"name":"VIDEO_MODE_INTERLACED","features":[52]},{"name":"VIDEO_MODE_LINEAR","features":[52]},{"name":"VIDEO_MODE_MANAGED_PALETTE","features":[52]},{"name":"VIDEO_MODE_MAP_MEM_LINEAR","features":[52]},{"name":"VIDEO_MODE_MONO_POINTER","features":[52]},{"name":"VIDEO_MODE_NO_64_BIT_ACCESS","features":[52]},{"name":"VIDEO_MODE_NO_OFF_SCREEN","features":[52]},{"name":"VIDEO_MODE_NO_ZERO_MEMORY","features":[52]},{"name":"VIDEO_MODE_PALETTE_DRIVEN","features":[52]},{"name":"VIDEO_MONITOR_DESCRIPTOR","features":[52]},{"name":"VIDEO_NUM_MODES","features":[52]},{"name":"VIDEO_OPTIONAL_GAMMET_TABLE","features":[52]},{"name":"VIDEO_PALETTE_DATA","features":[52]},{"name":"VIDEO_PERFORMANCE_COUNTER","features":[52]},{"name":"VIDEO_POINTER_ATTRIBUTES","features":[52]},{"name":"VIDEO_POINTER_CAPABILITIES","features":[52]},{"name":"VIDEO_POINTER_POSITION","features":[52]},{"name":"VIDEO_POWER_MANAGEMENT","features":[52]},{"name":"VIDEO_POWER_STATE","features":[52]},{"name":"VIDEO_PUBLIC_ACCESS_RANGES","features":[52]},{"name":"VIDEO_QUERY_PERFORMANCE_COUNTER","features":[52]},{"name":"VIDEO_REASON_ALLOCATION","features":[52]},{"name":"VIDEO_REASON_CONFIGURATION","features":[52]},{"name":"VIDEO_REASON_FAILED_ROTATION","features":[52]},{"name":"VIDEO_REASON_LOCK","features":[52]},{"name":"VIDEO_REASON_NONE","features":[52]},{"name":"VIDEO_REASON_POLICY1","features":[52]},{"name":"VIDEO_REASON_POLICY2","features":[52]},{"name":"VIDEO_REASON_POLICY3","features":[52]},{"name":"VIDEO_REASON_POLICY4","features":[52]},{"name":"VIDEO_REASON_SCRATCH","features":[52]},{"name":"VIDEO_REGISTER_VDM","features":[52]},{"name":"VIDEO_SHARE_MEMORY","features":[52,1]},{"name":"VIDEO_SHARE_MEMORY_INFORMATION","features":[52]},{"name":"VIDEO_STATE_NON_STANDARD_VGA","features":[52]},{"name":"VIDEO_STATE_PACKED_CHAIN4_MODE","features":[52]},{"name":"VIDEO_STATE_UNEMULATED_VGA_STATE","features":[52]},{"name":"VIDEO_VDM","features":[52,1]},{"name":"VIDEO_WIN32K_CALLBACKS","features":[52,1]},{"name":"VIDEO_WIN32K_CALLBACKS_PARAMS","features":[52,1]},{"name":"VIDEO_WIN32K_CALLBACKS_PARAMS_TYPE","features":[52]},{"name":"VideoBanked1R1W","features":[52]},{"name":"VideoBanked1RW","features":[52]},{"name":"VideoBanked2RW","features":[52]},{"name":"VideoBlackScreenDiagnostics","features":[52]},{"name":"VideoDesktopDuplicationChange","features":[52]},{"name":"VideoDisableMultiPlaneOverlay","features":[52]},{"name":"VideoDxgkDisplaySwitchCallout","features":[52]},{"name":"VideoDxgkFindAdapterTdrCallout","features":[52]},{"name":"VideoDxgkHardwareProtectionTeardown","features":[52]},{"name":"VideoEnumChildPdoNotifyCallout","features":[52]},{"name":"VideoFindAdapterCallout","features":[52]},{"name":"VideoNotBanked","features":[52]},{"name":"VideoPnpNotifyCallout","features":[52]},{"name":"VideoPowerHibernate","features":[52]},{"name":"VideoPowerMaximum","features":[52]},{"name":"VideoPowerNotifyCallout","features":[52]},{"name":"VideoPowerOff","features":[52]},{"name":"VideoPowerOn","features":[52]},{"name":"VideoPowerShutdown","features":[52]},{"name":"VideoPowerStandBy","features":[52]},{"name":"VideoPowerSuspend","features":[52]},{"name":"VideoPowerUnspecified","features":[52]},{"name":"VideoRepaintDesktop","features":[52]},{"name":"VideoUpdateCursor","features":[52]},{"name":"WCRUN","features":[52]},{"name":"WINDDI_MAXSETPALETTECOLORINDEX","features":[52]},{"name":"WINDDI_MAXSETPALETTECOLORS","features":[52]},{"name":"WINDDI_MAX_BROADCAST_CONTEXT","features":[52]},{"name":"WNDOBJ","features":[52,1]},{"name":"WNDOBJCHANGEPROC","features":[52,1]},{"name":"WNDOBJ_SETUP","features":[52]},{"name":"WOC_CHANGED","features":[52]},{"name":"WOC_DELETE","features":[52]},{"name":"WOC_DRAWN","features":[52]},{"name":"WOC_RGN_CLIENT","features":[52]},{"name":"WOC_RGN_CLIENT_DELTA","features":[52]},{"name":"WOC_RGN_SPRITE","features":[52]},{"name":"WOC_RGN_SURFACE","features":[52]},{"name":"WOC_RGN_SURFACE_DELTA","features":[52]},{"name":"WOC_SPRITE_NO_OVERLAP","features":[52]},{"name":"WOC_SPRITE_OVERLAP","features":[52]},{"name":"WO_DRAW_NOTIFY","features":[52]},{"name":"WO_RGN_CLIENT","features":[52]},{"name":"WO_RGN_CLIENT_DELTA","features":[52]},{"name":"WO_RGN_DESKTOP_COORD","features":[52]},{"name":"WO_RGN_SPRITE","features":[52]},{"name":"WO_RGN_SURFACE","features":[52]},{"name":"WO_RGN_SURFACE_DELTA","features":[52]},{"name":"WO_RGN_UPDATE_ALL","features":[52]},{"name":"WO_RGN_WINDOW","features":[52]},{"name":"WO_SPRITE_NOTIFY","features":[52]},{"name":"WVIDEO_DEVICE_NAME","features":[52]},{"name":"XFORML","features":[52]},{"name":"XFORML","features":[52]},{"name":"XFORMOBJ","features":[52]},{"name":"XFORMOBJ_bApplyXform","features":[52,1]},{"name":"XFORMOBJ_iGetXform","features":[52]},{"name":"XF_INV_FXTOL","features":[52]},{"name":"XF_INV_LTOL","features":[52]},{"name":"XF_LTOFX","features":[52]},{"name":"XF_LTOL","features":[52]},{"name":"XLATEOBJ","features":[52]},{"name":"XLATEOBJ_cGetPalette","features":[52]},{"name":"XLATEOBJ_hGetColorTransform","features":[52,1]},{"name":"XLATEOBJ_iXlate","features":[52]},{"name":"XLATEOBJ_piVector","features":[52]},{"name":"XO_DESTBITFIELDS","features":[52]},{"name":"XO_DESTDCPALETTE","features":[52]},{"name":"XO_DESTPALETTE","features":[52]},{"name":"XO_DEVICE_ICM","features":[52]},{"name":"XO_FROM_CMYK","features":[52]},{"name":"XO_HOST_ICM","features":[52]},{"name":"XO_SRCBITFIELDS","features":[52]},{"name":"XO_SRCPALETTE","features":[52]},{"name":"XO_TABLE","features":[52]},{"name":"XO_TO_MONO","features":[52]},{"name":"XO_TRIVIAL","features":[52]}],"375":[{"name":"ADDRESS_FAMILY_VALUE_NAME","features":[56]},{"name":"FAULT_ACTION_SPECIFIC_BASE","features":[56]},{"name":"FAULT_ACTION_SPECIFIC_MAX","features":[56]},{"name":"FAULT_DEVICE_INTERNAL_ERROR","features":[56]},{"name":"FAULT_INVALID_ACTION","features":[56]},{"name":"FAULT_INVALID_ARG","features":[56]},{"name":"FAULT_INVALID_SEQUENCE_NUMBER","features":[56]},{"name":"FAULT_INVALID_VARIABLE","features":[56]},{"name":"HSWDEVICE","features":[56]},{"name":"IUPnPAddressFamilyControl","features":[56]},{"name":"IUPnPAsyncResult","features":[56]},{"name":"IUPnPDescriptionDocument","features":[56]},{"name":"IUPnPDescriptionDocumentCallback","features":[56]},{"name":"IUPnPDevice","features":[56]},{"name":"IUPnPDeviceControl","features":[56]},{"name":"IUPnPDeviceControlHttpHeaders","features":[56]},{"name":"IUPnPDeviceDocumentAccess","features":[56]},{"name":"IUPnPDeviceDocumentAccessEx","features":[56]},{"name":"IUPnPDeviceFinder","features":[56]},{"name":"IUPnPDeviceFinderAddCallbackWithInterface","features":[56]},{"name":"IUPnPDeviceFinderCallback","features":[56]},{"name":"IUPnPDeviceProvider","features":[56]},{"name":"IUPnPDevices","features":[56]},{"name":"IUPnPEventSink","features":[56]},{"name":"IUPnPEventSource","features":[56]},{"name":"IUPnPHttpHeaderControl","features":[56]},{"name":"IUPnPRegistrar","features":[56]},{"name":"IUPnPRemoteEndpointInfo","features":[56]},{"name":"IUPnPReregistrar","features":[56]},{"name":"IUPnPService","features":[56]},{"name":"IUPnPServiceAsync","features":[56]},{"name":"IUPnPServiceCallback","features":[56]},{"name":"IUPnPServiceDocumentAccess","features":[56]},{"name":"IUPnPServiceEnumProperty","features":[56]},{"name":"IUPnPServices","features":[56]},{"name":"REMOTE_ADDRESS_VALUE_NAME","features":[56]},{"name":"SWDeviceCapabilitiesDriverRequired","features":[56]},{"name":"SWDeviceCapabilitiesNoDisplayInUI","features":[56]},{"name":"SWDeviceCapabilitiesNone","features":[56]},{"name":"SWDeviceCapabilitiesRemovable","features":[56]},{"name":"SWDeviceCapabilitiesSilentInstall","features":[56]},{"name":"SWDeviceLifetimeHandle","features":[56]},{"name":"SWDeviceLifetimeMax","features":[56]},{"name":"SWDeviceLifetimeParentPresent","features":[56]},{"name":"SW_DEVICE_CAPABILITIES","features":[56]},{"name":"SW_DEVICE_CREATE_CALLBACK","features":[56]},{"name":"SW_DEVICE_CREATE_INFO","features":[56,1,4]},{"name":"SW_DEVICE_LIFETIME","features":[56]},{"name":"SwDeviceClose","features":[56]},{"name":"SwDeviceCreate","features":[56,35,1,4]},{"name":"SwDeviceGetLifetime","features":[56]},{"name":"SwDeviceInterfacePropertySet","features":[56,35]},{"name":"SwDeviceInterfaceRegister","features":[56,35,1]},{"name":"SwDeviceInterfaceSetState","features":[56,1]},{"name":"SwDevicePropertySet","features":[56,35]},{"name":"SwDeviceSetLifetime","features":[56]},{"name":"SwMemFree","features":[56]},{"name":"UPNP_ADDRESSFAMILY_BOTH","features":[56]},{"name":"UPNP_ADDRESSFAMILY_IPv4","features":[56]},{"name":"UPNP_ADDRESSFAMILY_IPv6","features":[56]},{"name":"UPNP_E_ACTION_REQUEST_FAILED","features":[56]},{"name":"UPNP_E_ACTION_SPECIFIC_BASE","features":[56]},{"name":"UPNP_E_DEVICE_ELEMENT_EXPECTED","features":[56]},{"name":"UPNP_E_DEVICE_ERROR","features":[56]},{"name":"UPNP_E_DEVICE_NODE_INCOMPLETE","features":[56]},{"name":"UPNP_E_DEVICE_NOTREGISTERED","features":[56]},{"name":"UPNP_E_DEVICE_RUNNING","features":[56]},{"name":"UPNP_E_DEVICE_TIMEOUT","features":[56]},{"name":"UPNP_E_DUPLICATE_NOT_ALLOWED","features":[56]},{"name":"UPNP_E_DUPLICATE_SERVICE_ID","features":[56]},{"name":"UPNP_E_ERROR_PROCESSING_RESPONSE","features":[56]},{"name":"UPNP_E_EVENT_SUBSCRIPTION_FAILED","features":[56]},{"name":"UPNP_E_ICON_ELEMENT_EXPECTED","features":[56]},{"name":"UPNP_E_ICON_NODE_INCOMPLETE","features":[56]},{"name":"UPNP_E_INVALID_ACTION","features":[56]},{"name":"UPNP_E_INVALID_ARGUMENTS","features":[56]},{"name":"UPNP_E_INVALID_DESCRIPTION","features":[56]},{"name":"UPNP_E_INVALID_DOCUMENT","features":[56]},{"name":"UPNP_E_INVALID_ICON","features":[56]},{"name":"UPNP_E_INVALID_ROOT_NAMESPACE","features":[56]},{"name":"UPNP_E_INVALID_SERVICE","features":[56]},{"name":"UPNP_E_INVALID_VARIABLE","features":[56]},{"name":"UPNP_E_INVALID_XML","features":[56]},{"name":"UPNP_E_OUT_OF_SYNC","features":[56]},{"name":"UPNP_E_PROTOCOL_ERROR","features":[56]},{"name":"UPNP_E_REQUIRED_ELEMENT_ERROR","features":[56]},{"name":"UPNP_E_ROOT_ELEMENT_EXPECTED","features":[56]},{"name":"UPNP_E_SERVICE_ELEMENT_EXPECTED","features":[56]},{"name":"UPNP_E_SERVICE_NODE_INCOMPLETE","features":[56]},{"name":"UPNP_E_SUFFIX_TOO_LONG","features":[56]},{"name":"UPNP_E_TRANSPORT_ERROR","features":[56]},{"name":"UPNP_E_URLBASE_PRESENT","features":[56]},{"name":"UPNP_E_VALUE_TOO_LONG","features":[56]},{"name":"UPNP_E_VARIABLE_VALUE_UNKNOWN","features":[56]},{"name":"UPNP_SERVICE_DELAY_SCPD_AND_SUBSCRIPTION","features":[56]},{"name":"UPnPDescriptionDocument","features":[56]},{"name":"UPnPDescriptionDocumentEx","features":[56]},{"name":"UPnPDevice","features":[56]},{"name":"UPnPDeviceFinder","features":[56]},{"name":"UPnPDeviceFinderEx","features":[56]},{"name":"UPnPDevices","features":[56]},{"name":"UPnPRegistrar","features":[56]},{"name":"UPnPRemoteEndpointInfo","features":[56]},{"name":"UPnPService","features":[56]},{"name":"UPnPServices","features":[56]}],"376":[{"name":"CF_MSFAXSRV_DEVICE_ID","features":[57]},{"name":"CF_MSFAXSRV_FSP_GUID","features":[57]},{"name":"CF_MSFAXSRV_ROUTEEXT_NAME","features":[57]},{"name":"CF_MSFAXSRV_ROUTING_METHOD_GUID","features":[57]},{"name":"CF_MSFAXSRV_SERVER_NAME","features":[57]},{"name":"CLSID_Sti","features":[57]},{"name":"CanSendToFaxRecipient","features":[57,1]},{"name":"DEVPKEY_WIA_DeviceType","features":[57,35]},{"name":"DEVPKEY_WIA_USDClassId","features":[57,35]},{"name":"DEV_ID_SRC_FAX","features":[57]},{"name":"DEV_ID_SRC_TAPI","features":[57]},{"name":"DRT_EMAIL","features":[57]},{"name":"DRT_INBOX","features":[57]},{"name":"DRT_NONE","features":[57]},{"name":"FAXDEVRECEIVE_SIZE","features":[57]},{"name":"FAXDEVREPORTSTATUS_SIZE","features":[57]},{"name":"FAXLOG_CATEGORY_INBOUND","features":[57]},{"name":"FAXLOG_CATEGORY_INIT","features":[57]},{"name":"FAXLOG_CATEGORY_OUTBOUND","features":[57]},{"name":"FAXLOG_CATEGORY_UNKNOWN","features":[57]},{"name":"FAXLOG_LEVEL_MAX","features":[57]},{"name":"FAXLOG_LEVEL_MED","features":[57]},{"name":"FAXLOG_LEVEL_MIN","features":[57]},{"name":"FAXLOG_LEVEL_NONE","features":[57]},{"name":"FAXROUTE_ENABLE","features":[57]},{"name":"FAXSRV_DEVICE_NODETYPE_GUID","features":[57]},{"name":"FAXSRV_DEVICE_PROVIDER_NODETYPE_GUID","features":[57]},{"name":"FAXSRV_ROUTING_METHOD_NODETYPE_GUID","features":[57]},{"name":"FAX_ACCESS_RIGHTS_ENUM","features":[57]},{"name":"FAX_ACCESS_RIGHTS_ENUM_2","features":[57]},{"name":"FAX_ACCOUNT_EVENTS_TYPE_ENUM","features":[57]},{"name":"FAX_CONFIGURATIONA","features":[57,1]},{"name":"FAX_CONFIGURATIONW","features":[57,1]},{"name":"FAX_CONFIG_QUERY","features":[57]},{"name":"FAX_CONFIG_SET","features":[57]},{"name":"FAX_CONTEXT_INFOA","features":[57,12]},{"name":"FAX_CONTEXT_INFOW","features":[57,12]},{"name":"FAX_COVERPAGE_INFOA","features":[57,1]},{"name":"FAX_COVERPAGE_INFOW","features":[57,1]},{"name":"FAX_COVERPAGE_TYPE_ENUM","features":[57]},{"name":"FAX_DEVICE_RECEIVE_MODE_ENUM","features":[57]},{"name":"FAX_DEVICE_STATUSA","features":[57,1]},{"name":"FAX_DEVICE_STATUSW","features":[57,1]},{"name":"FAX_DEV_STATUS","features":[57]},{"name":"FAX_ENUM_DELIVERY_REPORT_TYPES","features":[57]},{"name":"FAX_ENUM_DEVICE_ID_SOURCE","features":[57]},{"name":"FAX_ENUM_JOB_COMMANDS","features":[57]},{"name":"FAX_ENUM_JOB_SEND_ATTRIBUTES","features":[57]},{"name":"FAX_ENUM_LOG_CATEGORIES","features":[57]},{"name":"FAX_ENUM_LOG_LEVELS","features":[57]},{"name":"FAX_ENUM_PORT_OPEN_TYPE","features":[57]},{"name":"FAX_ERR_BAD_GROUP_CONFIGURATION","features":[57]},{"name":"FAX_ERR_DEVICE_NUM_LIMIT_EXCEEDED","features":[57]},{"name":"FAX_ERR_DIRECTORY_IN_USE","features":[57]},{"name":"FAX_ERR_END","features":[57]},{"name":"FAX_ERR_FILE_ACCESS_DENIED","features":[57]},{"name":"FAX_ERR_GROUP_IN_USE","features":[57]},{"name":"FAX_ERR_GROUP_NOT_FOUND","features":[57]},{"name":"FAX_ERR_MESSAGE_NOT_FOUND","features":[57]},{"name":"FAX_ERR_NOT_NTFS","features":[57]},{"name":"FAX_ERR_NOT_SUPPORTED_ON_THIS_SKU","features":[57]},{"name":"FAX_ERR_RECIPIENTS_LIMIT","features":[57]},{"name":"FAX_ERR_RULE_NOT_FOUND","features":[57]},{"name":"FAX_ERR_SRV_OUTOFMEMORY","features":[57]},{"name":"FAX_ERR_START","features":[57]},{"name":"FAX_ERR_VERSION_MISMATCH","features":[57]},{"name":"FAX_EVENTA","features":[57,1]},{"name":"FAX_EVENTW","features":[57,1]},{"name":"FAX_E_BAD_GROUP_CONFIGURATION","features":[57]},{"name":"FAX_E_DEVICE_NUM_LIMIT_EXCEEDED","features":[57]},{"name":"FAX_E_DIRECTORY_IN_USE","features":[57]},{"name":"FAX_E_FILE_ACCESS_DENIED","features":[57]},{"name":"FAX_E_GROUP_IN_USE","features":[57]},{"name":"FAX_E_GROUP_NOT_FOUND","features":[57]},{"name":"FAX_E_MESSAGE_NOT_FOUND","features":[57]},{"name":"FAX_E_NOT_NTFS","features":[57]},{"name":"FAX_E_NOT_SUPPORTED_ON_THIS_SKU","features":[57]},{"name":"FAX_E_RECIPIENTS_LIMIT","features":[57]},{"name":"FAX_E_RULE_NOT_FOUND","features":[57]},{"name":"FAX_E_SRV_OUTOFMEMORY","features":[57]},{"name":"FAX_E_VERSION_MISMATCH","features":[57]},{"name":"FAX_GLOBAL_ROUTING_INFOA","features":[57]},{"name":"FAX_GLOBAL_ROUTING_INFOW","features":[57]},{"name":"FAX_GROUP_STATUS_ENUM","features":[57]},{"name":"FAX_JOB_ENTRYA","features":[57,1]},{"name":"FAX_JOB_ENTRYW","features":[57,1]},{"name":"FAX_JOB_EXTENDED_STATUS_ENUM","features":[57]},{"name":"FAX_JOB_MANAGE","features":[57]},{"name":"FAX_JOB_OPERATIONS_ENUM","features":[57]},{"name":"FAX_JOB_PARAMA","features":[57,1]},{"name":"FAX_JOB_PARAMW","features":[57,1]},{"name":"FAX_JOB_QUERY","features":[57]},{"name":"FAX_JOB_STATUS_ENUM","features":[57]},{"name":"FAX_JOB_SUBMIT","features":[57]},{"name":"FAX_JOB_TYPE_ENUM","features":[57]},{"name":"FAX_LOG_CATEGORYA","features":[57]},{"name":"FAX_LOG_CATEGORYW","features":[57]},{"name":"FAX_LOG_LEVEL_ENUM","features":[57]},{"name":"FAX_PORT_INFOA","features":[57]},{"name":"FAX_PORT_INFOW","features":[57]},{"name":"FAX_PORT_QUERY","features":[57]},{"name":"FAX_PORT_SET","features":[57]},{"name":"FAX_PRINT_INFOA","features":[57]},{"name":"FAX_PRINT_INFOW","features":[57]},{"name":"FAX_PRIORITY_TYPE_ENUM","features":[57]},{"name":"FAX_PROVIDER_STATUS_ENUM","features":[57]},{"name":"FAX_RECEIPT_TYPE_ENUM","features":[57]},{"name":"FAX_RECEIVE","features":[57]},{"name":"FAX_ROUTE","features":[57]},{"name":"FAX_ROUTE_CALLBACKROUTINES","features":[57,1]},{"name":"FAX_ROUTING_METHODA","features":[57,1]},{"name":"FAX_ROUTING_METHODW","features":[57,1]},{"name":"FAX_ROUTING_RULE_CODE_ENUM","features":[57]},{"name":"FAX_RULE_STATUS_ENUM","features":[57]},{"name":"FAX_SCHEDULE_TYPE_ENUM","features":[57]},{"name":"FAX_SEND","features":[57,1]},{"name":"FAX_SERVER_APIVERSION_ENUM","features":[57]},{"name":"FAX_SERVER_EVENTS_TYPE_ENUM","features":[57]},{"name":"FAX_SMTP_AUTHENTICATION_TYPE_ENUM","features":[57]},{"name":"FAX_TIME","features":[57]},{"name":"FEI_ABORTING","features":[57]},{"name":"FEI_ANSWERED","features":[57]},{"name":"FEI_BAD_ADDRESS","features":[57]},{"name":"FEI_BUSY","features":[57]},{"name":"FEI_CALL_BLACKLISTED","features":[57]},{"name":"FEI_CALL_DELAYED","features":[57]},{"name":"FEI_COMPLETED","features":[57]},{"name":"FEI_DELETED","features":[57]},{"name":"FEI_DIALING","features":[57]},{"name":"FEI_DISCONNECTED","features":[57]},{"name":"FEI_FATAL_ERROR","features":[57]},{"name":"FEI_FAXSVC_ENDED","features":[57]},{"name":"FEI_FAXSVC_STARTED","features":[57]},{"name":"FEI_HANDLED","features":[57]},{"name":"FEI_IDLE","features":[57]},{"name":"FEI_INITIALIZING","features":[57]},{"name":"FEI_JOB_QUEUED","features":[57]},{"name":"FEI_LINE_UNAVAILABLE","features":[57]},{"name":"FEI_MODEM_POWERED_OFF","features":[57]},{"name":"FEI_MODEM_POWERED_ON","features":[57]},{"name":"FEI_NEVENTS","features":[57]},{"name":"FEI_NOT_FAX_CALL","features":[57]},{"name":"FEI_NO_ANSWER","features":[57]},{"name":"FEI_NO_DIAL_TONE","features":[57]},{"name":"FEI_RECEIVING","features":[57]},{"name":"FEI_RINGING","features":[57]},{"name":"FEI_ROUTING","features":[57]},{"name":"FEI_SENDING","features":[57]},{"name":"FPF_RECEIVE","features":[57]},{"name":"FPF_SEND","features":[57]},{"name":"FPF_VIRTUAL","features":[57]},{"name":"FPS_ABORTING","features":[57]},{"name":"FPS_ANSWERED","features":[57]},{"name":"FPS_AVAILABLE","features":[57]},{"name":"FPS_BAD_ADDRESS","features":[57]},{"name":"FPS_BUSY","features":[57]},{"name":"FPS_CALL_BLACKLISTED","features":[57]},{"name":"FPS_CALL_DELAYED","features":[57]},{"name":"FPS_COMPLETED","features":[57]},{"name":"FPS_DIALING","features":[57]},{"name":"FPS_DISCONNECTED","features":[57]},{"name":"FPS_FATAL_ERROR","features":[57]},{"name":"FPS_HANDLED","features":[57]},{"name":"FPS_INITIALIZING","features":[57]},{"name":"FPS_NOT_FAX_CALL","features":[57]},{"name":"FPS_NO_ANSWER","features":[57]},{"name":"FPS_NO_DIAL_TONE","features":[57]},{"name":"FPS_OFFLINE","features":[57]},{"name":"FPS_RECEIVING","features":[57]},{"name":"FPS_RINGING","features":[57]},{"name":"FPS_ROUTING","features":[57]},{"name":"FPS_SENDING","features":[57]},{"name":"FPS_UNAVAILABLE","features":[57]},{"name":"FS_ANSWERED","features":[57]},{"name":"FS_BAD_ADDRESS","features":[57]},{"name":"FS_BUSY","features":[57]},{"name":"FS_CALL_BLACKLISTED","features":[57]},{"name":"FS_CALL_DELAYED","features":[57]},{"name":"FS_COMPLETED","features":[57]},{"name":"FS_DIALING","features":[57]},{"name":"FS_DISCONNECTED","features":[57]},{"name":"FS_FATAL_ERROR","features":[57]},{"name":"FS_HANDLED","features":[57]},{"name":"FS_INITIALIZING","features":[57]},{"name":"FS_LINE_UNAVAILABLE","features":[57]},{"name":"FS_NOT_FAX_CALL","features":[57]},{"name":"FS_NO_ANSWER","features":[57]},{"name":"FS_NO_DIAL_TONE","features":[57]},{"name":"FS_RECEIVING","features":[57]},{"name":"FS_TRANSMITTING","features":[57]},{"name":"FS_USER_ABORT","features":[57]},{"name":"FaxAbort","features":[57,1]},{"name":"FaxAccessCheck","features":[57,1]},{"name":"FaxAccount","features":[57]},{"name":"FaxAccountFolders","features":[57]},{"name":"FaxAccountIncomingArchive","features":[57]},{"name":"FaxAccountIncomingQueue","features":[57]},{"name":"FaxAccountOutgoingArchive","features":[57]},{"name":"FaxAccountOutgoingQueue","features":[57]},{"name":"FaxAccountSet","features":[57]},{"name":"FaxAccounts","features":[57]},{"name":"FaxActivity","features":[57]},{"name":"FaxActivityLogging","features":[57]},{"name":"FaxClose","features":[57,1]},{"name":"FaxCompleteJobParamsA","features":[57,1]},{"name":"FaxCompleteJobParamsW","features":[57,1]},{"name":"FaxConfiguration","features":[57]},{"name":"FaxConnectFaxServerA","features":[57,1]},{"name":"FaxConnectFaxServerW","features":[57,1]},{"name":"FaxDevice","features":[57]},{"name":"FaxDeviceIds","features":[57]},{"name":"FaxDeviceProvider","features":[57]},{"name":"FaxDeviceProviders","features":[57]},{"name":"FaxDevices","features":[57]},{"name":"FaxDocument","features":[57]},{"name":"FaxEnableRoutingMethodA","features":[57,1]},{"name":"FaxEnableRoutingMethodW","features":[57,1]},{"name":"FaxEnumGlobalRoutingInfoA","features":[57,1]},{"name":"FaxEnumGlobalRoutingInfoW","features":[57,1]},{"name":"FaxEnumJobsA","features":[57,1]},{"name":"FaxEnumJobsW","features":[57,1]},{"name":"FaxEnumPortsA","features":[57,1]},{"name":"FaxEnumPortsW","features":[57,1]},{"name":"FaxEnumRoutingMethodsA","features":[57,1]},{"name":"FaxEnumRoutingMethodsW","features":[57,1]},{"name":"FaxEventLogging","features":[57]},{"name":"FaxFolders","features":[57]},{"name":"FaxFreeBuffer","features":[57]},{"name":"FaxGetConfigurationA","features":[57,1]},{"name":"FaxGetConfigurationW","features":[57,1]},{"name":"FaxGetDeviceStatusA","features":[57,1]},{"name":"FaxGetDeviceStatusW","features":[57,1]},{"name":"FaxGetJobA","features":[57,1]},{"name":"FaxGetJobW","features":[57,1]},{"name":"FaxGetLoggingCategoriesA","features":[57,1]},{"name":"FaxGetLoggingCategoriesW","features":[57,1]},{"name":"FaxGetPageData","features":[57,1]},{"name":"FaxGetPortA","features":[57,1]},{"name":"FaxGetPortW","features":[57,1]},{"name":"FaxGetRoutingInfoA","features":[57,1]},{"name":"FaxGetRoutingInfoW","features":[57,1]},{"name":"FaxInboundRouting","features":[57]},{"name":"FaxInboundRoutingExtension","features":[57]},{"name":"FaxInboundRoutingExtensions","features":[57]},{"name":"FaxInboundRoutingMethod","features":[57]},{"name":"FaxInboundRoutingMethods","features":[57]},{"name":"FaxIncomingArchive","features":[57]},{"name":"FaxIncomingJob","features":[57]},{"name":"FaxIncomingJobs","features":[57]},{"name":"FaxIncomingMessage","features":[57]},{"name":"FaxIncomingMessageIterator","features":[57]},{"name":"FaxIncomingQueue","features":[57]},{"name":"FaxInitializeEventQueue","features":[57,1]},{"name":"FaxJobStatus","features":[57]},{"name":"FaxLoggingOptions","features":[57]},{"name":"FaxOpenPort","features":[57,1]},{"name":"FaxOutboundRouting","features":[57]},{"name":"FaxOutboundRoutingGroup","features":[57]},{"name":"FaxOutboundRoutingGroups","features":[57]},{"name":"FaxOutboundRoutingRule","features":[57]},{"name":"FaxOutboundRoutingRules","features":[57]},{"name":"FaxOutgoingArchive","features":[57]},{"name":"FaxOutgoingJob","features":[57]},{"name":"FaxOutgoingJobs","features":[57]},{"name":"FaxOutgoingMessage","features":[57]},{"name":"FaxOutgoingMessageIterator","features":[57]},{"name":"FaxOutgoingQueue","features":[57]},{"name":"FaxPrintCoverPageA","features":[57,1,12]},{"name":"FaxPrintCoverPageW","features":[57,1,12]},{"name":"FaxReceiptOptions","features":[57]},{"name":"FaxRecipient","features":[57]},{"name":"FaxRecipients","features":[57]},{"name":"FaxRegisterRoutingExtensionW","features":[57,1]},{"name":"FaxRegisterServiceProviderW","features":[57,1]},{"name":"FaxSecurity","features":[57]},{"name":"FaxSecurity2","features":[57]},{"name":"FaxSendDocumentA","features":[57,1]},{"name":"FaxSendDocumentForBroadcastA","features":[57,1]},{"name":"FaxSendDocumentForBroadcastW","features":[57,1]},{"name":"FaxSendDocumentW","features":[57,1]},{"name":"FaxSender","features":[57]},{"name":"FaxServer","features":[57]},{"name":"FaxSetConfigurationA","features":[57,1]},{"name":"FaxSetConfigurationW","features":[57,1]},{"name":"FaxSetGlobalRoutingInfoA","features":[57,1]},{"name":"FaxSetGlobalRoutingInfoW","features":[57,1]},{"name":"FaxSetJobA","features":[57,1]},{"name":"FaxSetJobW","features":[57,1]},{"name":"FaxSetLoggingCategoriesA","features":[57,1]},{"name":"FaxSetLoggingCategoriesW","features":[57,1]},{"name":"FaxSetPortA","features":[57,1]},{"name":"FaxSetPortW","features":[57,1]},{"name":"FaxSetRoutingInfoA","features":[57,1]},{"name":"FaxSetRoutingInfoW","features":[57,1]},{"name":"FaxStartPrintJobA","features":[57,1,12]},{"name":"FaxStartPrintJobW","features":[57,1,12]},{"name":"FaxUnregisterServiceProviderW","features":[57,1]},{"name":"GUID_DeviceArrivedLaunch","features":[57]},{"name":"GUID_STIUserDefined1","features":[57]},{"name":"GUID_STIUserDefined2","features":[57]},{"name":"GUID_STIUserDefined3","features":[57]},{"name":"GUID_ScanFaxImage","features":[57]},{"name":"GUID_ScanImage","features":[57]},{"name":"GUID_ScanPrintImage","features":[57]},{"name":"IFaxAccount","features":[57]},{"name":"IFaxAccountFolders","features":[57]},{"name":"IFaxAccountIncomingArchive","features":[57]},{"name":"IFaxAccountIncomingQueue","features":[57]},{"name":"IFaxAccountNotify","features":[57]},{"name":"IFaxAccountOutgoingArchive","features":[57]},{"name":"IFaxAccountOutgoingQueue","features":[57]},{"name":"IFaxAccountSet","features":[57]},{"name":"IFaxAccounts","features":[57]},{"name":"IFaxActivity","features":[57]},{"name":"IFaxActivityLogging","features":[57]},{"name":"IFaxConfiguration","features":[57]},{"name":"IFaxDevice","features":[57]},{"name":"IFaxDeviceIds","features":[57]},{"name":"IFaxDeviceProvider","features":[57]},{"name":"IFaxDeviceProviders","features":[57]},{"name":"IFaxDevices","features":[57]},{"name":"IFaxDocument","features":[57]},{"name":"IFaxDocument2","features":[57]},{"name":"IFaxEventLogging","features":[57]},{"name":"IFaxFolders","features":[57]},{"name":"IFaxInboundRouting","features":[57]},{"name":"IFaxInboundRoutingExtension","features":[57]},{"name":"IFaxInboundRoutingExtensions","features":[57]},{"name":"IFaxInboundRoutingMethod","features":[57]},{"name":"IFaxInboundRoutingMethods","features":[57]},{"name":"IFaxIncomingArchive","features":[57]},{"name":"IFaxIncomingJob","features":[57]},{"name":"IFaxIncomingJobs","features":[57]},{"name":"IFaxIncomingMessage","features":[57]},{"name":"IFaxIncomingMessage2","features":[57]},{"name":"IFaxIncomingMessageIterator","features":[57]},{"name":"IFaxIncomingQueue","features":[57]},{"name":"IFaxJobStatus","features":[57]},{"name":"IFaxLoggingOptions","features":[57]},{"name":"IFaxOutboundRouting","features":[57]},{"name":"IFaxOutboundRoutingGroup","features":[57]},{"name":"IFaxOutboundRoutingGroups","features":[57]},{"name":"IFaxOutboundRoutingRule","features":[57]},{"name":"IFaxOutboundRoutingRules","features":[57]},{"name":"IFaxOutgoingArchive","features":[57]},{"name":"IFaxOutgoingJob","features":[57]},{"name":"IFaxOutgoingJob2","features":[57]},{"name":"IFaxOutgoingJobs","features":[57]},{"name":"IFaxOutgoingMessage","features":[57]},{"name":"IFaxOutgoingMessage2","features":[57]},{"name":"IFaxOutgoingMessageIterator","features":[57]},{"name":"IFaxOutgoingQueue","features":[57]},{"name":"IFaxReceiptOptions","features":[57]},{"name":"IFaxRecipient","features":[57]},{"name":"IFaxRecipients","features":[57]},{"name":"IFaxSecurity","features":[57]},{"name":"IFaxSecurity2","features":[57]},{"name":"IFaxSender","features":[57]},{"name":"IFaxServer","features":[57]},{"name":"IFaxServer2","features":[57]},{"name":"IFaxServerNotify","features":[57]},{"name":"IFaxServerNotify2","features":[57]},{"name":"IS_DIGITAL_CAMERA_STR","features":[57]},{"name":"IS_DIGITAL_CAMERA_VAL","features":[57]},{"name":"IStiDevice","features":[57]},{"name":"IStiDeviceControl","features":[57]},{"name":"IStiUSD","features":[57]},{"name":"IStillImageW","features":[57]},{"name":"JC_DELETE","features":[57]},{"name":"JC_PAUSE","features":[57]},{"name":"JC_RESUME","features":[57]},{"name":"JC_UNKNOWN","features":[57]},{"name":"JSA_DISCOUNT_PERIOD","features":[57]},{"name":"JSA_NOW","features":[57]},{"name":"JSA_SPECIFIC_TIME","features":[57]},{"name":"JS_DELETING","features":[57]},{"name":"JS_FAILED","features":[57]},{"name":"JS_INPROGRESS","features":[57]},{"name":"JS_NOLINE","features":[57]},{"name":"JS_PAUSED","features":[57]},{"name":"JS_PENDING","features":[57]},{"name":"JS_RETRIES_EXCEEDED","features":[57]},{"name":"JS_RETRYING","features":[57]},{"name":"JT_FAIL_RECEIVE","features":[57]},{"name":"JT_RECEIVE","features":[57]},{"name":"JT_ROUTING","features":[57]},{"name":"JT_SEND","features":[57]},{"name":"JT_UNKNOWN","features":[57]},{"name":"MAX_NOTIFICATION_DATA","features":[57]},{"name":"MS_FAXROUTE_EMAIL_GUID","features":[57]},{"name":"MS_FAXROUTE_FOLDER_GUID","features":[57]},{"name":"MS_FAXROUTE_PRINTING_GUID","features":[57]},{"name":"PFAXABORT","features":[57,1]},{"name":"PFAXACCESSCHECK","features":[57,1]},{"name":"PFAXCLOSE","features":[57,1]},{"name":"PFAXCOMPLETEJOBPARAMSA","features":[57,1]},{"name":"PFAXCOMPLETEJOBPARAMSW","features":[57,1]},{"name":"PFAXCONNECTFAXSERVERA","features":[57,1]},{"name":"PFAXCONNECTFAXSERVERW","features":[57,1]},{"name":"PFAXDEVABORTOPERATION","features":[57,1]},{"name":"PFAXDEVCONFIGURE","features":[57,1,40]},{"name":"PFAXDEVENDJOB","features":[57,1]},{"name":"PFAXDEVINITIALIZE","features":[57,1]},{"name":"PFAXDEVRECEIVE","features":[57,1]},{"name":"PFAXDEVREPORTSTATUS","features":[57,1]},{"name":"PFAXDEVSEND","features":[57,1]},{"name":"PFAXDEVSHUTDOWN","features":[57]},{"name":"PFAXDEVSTARTJOB","features":[57,1]},{"name":"PFAXDEVVIRTUALDEVICECREATION","features":[57,1]},{"name":"PFAXENABLEROUTINGMETHODA","features":[57,1]},{"name":"PFAXENABLEROUTINGMETHODW","features":[57,1]},{"name":"PFAXENUMGLOBALROUTINGINFOA","features":[57,1]},{"name":"PFAXENUMGLOBALROUTINGINFOW","features":[57,1]},{"name":"PFAXENUMJOBSA","features":[57,1]},{"name":"PFAXENUMJOBSW","features":[57,1]},{"name":"PFAXENUMPORTSA","features":[57,1]},{"name":"PFAXENUMPORTSW","features":[57,1]},{"name":"PFAXENUMROUTINGMETHODSA","features":[57,1]},{"name":"PFAXENUMROUTINGMETHODSW","features":[57,1]},{"name":"PFAXFREEBUFFER","features":[57]},{"name":"PFAXGETCONFIGURATIONA","features":[57,1]},{"name":"PFAXGETCONFIGURATIONW","features":[57,1]},{"name":"PFAXGETDEVICESTATUSA","features":[57,1]},{"name":"PFAXGETDEVICESTATUSW","features":[57,1]},{"name":"PFAXGETJOBA","features":[57,1]},{"name":"PFAXGETJOBW","features":[57,1]},{"name":"PFAXGETLOGGINGCATEGORIESA","features":[57,1]},{"name":"PFAXGETLOGGINGCATEGORIESW","features":[57,1]},{"name":"PFAXGETPAGEDATA","features":[57,1]},{"name":"PFAXGETPORTA","features":[57,1]},{"name":"PFAXGETPORTW","features":[57,1]},{"name":"PFAXGETROUTINGINFOA","features":[57,1]},{"name":"PFAXGETROUTINGINFOW","features":[57,1]},{"name":"PFAXINITIALIZEEVENTQUEUE","features":[57,1]},{"name":"PFAXOPENPORT","features":[57,1]},{"name":"PFAXPRINTCOVERPAGEA","features":[57,1,12]},{"name":"PFAXPRINTCOVERPAGEW","features":[57,1,12]},{"name":"PFAXREGISTERROUTINGEXTENSIONW","features":[57,1]},{"name":"PFAXREGISTERSERVICEPROVIDERW","features":[57,1]},{"name":"PFAXROUTEADDFILE","features":[57]},{"name":"PFAXROUTEDELETEFILE","features":[57]},{"name":"PFAXROUTEDEVICECHANGENOTIFICATION","features":[57,1]},{"name":"PFAXROUTEDEVICEENABLE","features":[57,1]},{"name":"PFAXROUTEENUMFILE","features":[57,1]},{"name":"PFAXROUTEENUMFILES","features":[57,1]},{"name":"PFAXROUTEGETFILE","features":[57,1]},{"name":"PFAXROUTEGETROUTINGINFO","features":[57,1]},{"name":"PFAXROUTEINITIALIZE","features":[57,1]},{"name":"PFAXROUTEMETHOD","features":[57,1]},{"name":"PFAXROUTEMODIFYROUTINGDATA","features":[57,1]},{"name":"PFAXROUTESETROUTINGINFO","features":[57,1]},{"name":"PFAXSENDDOCUMENTA","features":[57,1]},{"name":"PFAXSENDDOCUMENTFORBROADCASTA","features":[57,1]},{"name":"PFAXSENDDOCUMENTFORBROADCASTW","features":[57,1]},{"name":"PFAXSENDDOCUMENTW","features":[57,1]},{"name":"PFAXSETCONFIGURATIONA","features":[57,1]},{"name":"PFAXSETCONFIGURATIONW","features":[57,1]},{"name":"PFAXSETGLOBALROUTINGINFOA","features":[57,1]},{"name":"PFAXSETGLOBALROUTINGINFOW","features":[57,1]},{"name":"PFAXSETJOBA","features":[57,1]},{"name":"PFAXSETJOBW","features":[57,1]},{"name":"PFAXSETLOGGINGCATEGORIESA","features":[57,1]},{"name":"PFAXSETLOGGINGCATEGORIESW","features":[57,1]},{"name":"PFAXSETPORTA","features":[57,1]},{"name":"PFAXSETPORTW","features":[57,1]},{"name":"PFAXSETROUTINGINFOA","features":[57,1]},{"name":"PFAXSETROUTINGINFOW","features":[57,1]},{"name":"PFAXSTARTPRINTJOBA","features":[57,1,12]},{"name":"PFAXSTARTPRINTJOBW","features":[57,1,12]},{"name":"PFAXUNREGISTERSERVICEPROVIDERW","features":[57,1]},{"name":"PFAX_EXT_CONFIG_CHANGE","features":[57]},{"name":"PFAX_EXT_FREE_BUFFER","features":[57]},{"name":"PFAX_EXT_GET_DATA","features":[57]},{"name":"PFAX_EXT_INITIALIZE_CONFIG","features":[57,1]},{"name":"PFAX_EXT_REGISTER_FOR_EVENTS","features":[57,1]},{"name":"PFAX_EXT_SET_DATA","features":[57,1]},{"name":"PFAX_EXT_UNREGISTER_FOR_EVENTS","features":[57,1]},{"name":"PFAX_LINECALLBACK","features":[57,1]},{"name":"PFAX_RECIPIENT_CALLBACKA","features":[57,1]},{"name":"PFAX_RECIPIENT_CALLBACKW","features":[57,1]},{"name":"PFAX_ROUTING_INSTALLATION_CALLBACKW","features":[57,1]},{"name":"PFAX_SEND_CALLBACK","features":[57,1]},{"name":"PFAX_SERVICE_CALLBACK","features":[57,1]},{"name":"PORT_OPEN_MODIFY","features":[57]},{"name":"PORT_OPEN_QUERY","features":[57]},{"name":"QUERY_STATUS","features":[57]},{"name":"REGSTR_VAL_BAUDRATE","features":[57]},{"name":"REGSTR_VAL_BAUDRATE_A","features":[57]},{"name":"REGSTR_VAL_DATA_W","features":[57]},{"name":"REGSTR_VAL_DEVICESUBTYPE_W","features":[57]},{"name":"REGSTR_VAL_DEVICETYPE_W","features":[57]},{"name":"REGSTR_VAL_DEVICE_NAME_W","features":[57]},{"name":"REGSTR_VAL_DEV_NAME_W","features":[57]},{"name":"REGSTR_VAL_DRIVER_DESC_W","features":[57]},{"name":"REGSTR_VAL_FRIENDLY_NAME_W","features":[57]},{"name":"REGSTR_VAL_GENERIC_CAPS_W","features":[57]},{"name":"REGSTR_VAL_GUID","features":[57]},{"name":"REGSTR_VAL_GUID_W","features":[57]},{"name":"REGSTR_VAL_HARDWARE","features":[57]},{"name":"REGSTR_VAL_HARDWARE_W","features":[57]},{"name":"REGSTR_VAL_LAUNCHABLE","features":[57]},{"name":"REGSTR_VAL_LAUNCHABLE_W","features":[57]},{"name":"REGSTR_VAL_LAUNCH_APPS","features":[57]},{"name":"REGSTR_VAL_LAUNCH_APPS_W","features":[57]},{"name":"REGSTR_VAL_SHUTDOWNDELAY","features":[57]},{"name":"REGSTR_VAL_SHUTDOWNDELAY_W","features":[57]},{"name":"REGSTR_VAL_TYPE_W","features":[57]},{"name":"REGSTR_VAL_VENDOR_NAME_W","features":[57]},{"name":"SEND_TO_FAX_RECIPIENT_ATTACHMENT","features":[57]},{"name":"STATUS_DISABLE","features":[57]},{"name":"STATUS_ENABLE","features":[57]},{"name":"STIEDFL_ALLDEVICES","features":[57]},{"name":"STIEDFL_ATTACHEDONLY","features":[57]},{"name":"STIERR_ALREADY_INITIALIZED","features":[57]},{"name":"STIERR_BADDRIVER","features":[57]},{"name":"STIERR_BETA_VERSION","features":[57]},{"name":"STIERR_DEVICENOTREG","features":[57]},{"name":"STIERR_DEVICE_LOCKED","features":[57]},{"name":"STIERR_DEVICE_NOTREADY","features":[57]},{"name":"STIERR_GENERIC","features":[57]},{"name":"STIERR_HANDLEEXISTS","features":[57]},{"name":"STIERR_INVALID_DEVICE_NAME","features":[57]},{"name":"STIERR_INVALID_HW_TYPE","features":[57]},{"name":"STIERR_INVALID_PARAM","features":[57]},{"name":"STIERR_NEEDS_LOCK","features":[57]},{"name":"STIERR_NOEVENTS","features":[57]},{"name":"STIERR_NOINTERFACE","features":[57]},{"name":"STIERR_NOTINITIALIZED","features":[57]},{"name":"STIERR_NOT_INITIALIZED","features":[57]},{"name":"STIERR_OBJECTNOTFOUND","features":[57]},{"name":"STIERR_OLD_VERSION","features":[57]},{"name":"STIERR_OUTOFMEMORY","features":[57]},{"name":"STIERR_READONLY","features":[57]},{"name":"STIERR_SHARING_VIOLATION","features":[57]},{"name":"STIERR_UNSUPPORTED","features":[57]},{"name":"STINOTIFY","features":[57]},{"name":"STISUBSCRIBE","features":[57,1]},{"name":"STI_ADD_DEVICE_BROADCAST_ACTION","features":[57]},{"name":"STI_ADD_DEVICE_BROADCAST_STRING","features":[57]},{"name":"STI_CHANGENOEFFECT","features":[57]},{"name":"STI_DEVICE_CREATE_BOTH","features":[57]},{"name":"STI_DEVICE_CREATE_DATA","features":[57]},{"name":"STI_DEVICE_CREATE_FOR_MONITOR","features":[57]},{"name":"STI_DEVICE_CREATE_MASK","features":[57]},{"name":"STI_DEVICE_CREATE_STATUS","features":[57]},{"name":"STI_DEVICE_INFORMATIONW","features":[57]},{"name":"STI_DEVICE_MJ_TYPE","features":[57]},{"name":"STI_DEVICE_STATUS","features":[57]},{"name":"STI_DEVICE_VALUE_DEFAULT_LAUNCHAPP","features":[57]},{"name":"STI_DEVICE_VALUE_DEFAULT_LAUNCHAPP_A","features":[57]},{"name":"STI_DEVICE_VALUE_DISABLE_NOTIFICATIONS","features":[57]},{"name":"STI_DEVICE_VALUE_DISABLE_NOTIFICATIONS_A","features":[57]},{"name":"STI_DEVICE_VALUE_ICM_PROFILE","features":[57]},{"name":"STI_DEVICE_VALUE_ICM_PROFILE_A","features":[57]},{"name":"STI_DEVICE_VALUE_ISIS_NAME","features":[57]},{"name":"STI_DEVICE_VALUE_ISIS_NAME_A","features":[57]},{"name":"STI_DEVICE_VALUE_TIMEOUT","features":[57]},{"name":"STI_DEVICE_VALUE_TIMEOUT_A","features":[57]},{"name":"STI_DEVICE_VALUE_TWAIN_NAME","features":[57]},{"name":"STI_DEVICE_VALUE_TWAIN_NAME_A","features":[57]},{"name":"STI_DEVSTATUS_EVENTS_STATE","features":[57]},{"name":"STI_DEVSTATUS_ONLINE_STATE","features":[57]},{"name":"STI_DEV_CAPS","features":[57]},{"name":"STI_DIAG","features":[57]},{"name":"STI_DIAGCODE_HWPRESENCE","features":[57]},{"name":"STI_ERROR_NO_ERROR","features":[57]},{"name":"STI_EVENTHANDLING_ENABLED","features":[57]},{"name":"STI_EVENTHANDLING_PENDING","features":[57]},{"name":"STI_EVENTHANDLING_POLLING","features":[57]},{"name":"STI_GENCAP_AUTO_PORTSELECT","features":[57]},{"name":"STI_GENCAP_COMMON_MASK","features":[57]},{"name":"STI_GENCAP_GENERATE_ARRIVALEVENT","features":[57]},{"name":"STI_GENCAP_NOTIFICATIONS","features":[57]},{"name":"STI_GENCAP_POLLING_NEEDED","features":[57]},{"name":"STI_GENCAP_SUBSET","features":[57]},{"name":"STI_GENCAP_WIA","features":[57]},{"name":"STI_HW_CONFIG_PARALLEL","features":[57]},{"name":"STI_HW_CONFIG_SCSI","features":[57]},{"name":"STI_HW_CONFIG_SERIAL","features":[57]},{"name":"STI_HW_CONFIG_UNKNOWN","features":[57]},{"name":"STI_HW_CONFIG_USB","features":[57]},{"name":"STI_MAX_INTERNAL_NAME_LENGTH","features":[57]},{"name":"STI_NOTCONNECTED","features":[57]},{"name":"STI_OK","features":[57]},{"name":"STI_ONLINESTATE_BUSY","features":[57]},{"name":"STI_ONLINESTATE_ERROR","features":[57]},{"name":"STI_ONLINESTATE_INITIALIZING","features":[57]},{"name":"STI_ONLINESTATE_IO_ACTIVE","features":[57]},{"name":"STI_ONLINESTATE_OFFLINE","features":[57]},{"name":"STI_ONLINESTATE_OPERATIONAL","features":[57]},{"name":"STI_ONLINESTATE_PAPER_JAM","features":[57]},{"name":"STI_ONLINESTATE_PAPER_PROBLEM","features":[57]},{"name":"STI_ONLINESTATE_PAUSED","features":[57]},{"name":"STI_ONLINESTATE_PENDING","features":[57]},{"name":"STI_ONLINESTATE_POWER_SAVE","features":[57]},{"name":"STI_ONLINESTATE_TRANSFERRING","features":[57]},{"name":"STI_ONLINESTATE_USER_INTERVENTION","features":[57]},{"name":"STI_ONLINESTATE_WARMING_UP","features":[57]},{"name":"STI_RAW_RESERVED","features":[57]},{"name":"STI_REMOVE_DEVICE_BROADCAST_ACTION","features":[57]},{"name":"STI_REMOVE_DEVICE_BROADCAST_STRING","features":[57]},{"name":"STI_SUBSCRIBE_FLAG_EVENT","features":[57]},{"name":"STI_SUBSCRIBE_FLAG_WINDOW","features":[57]},{"name":"STI_TRACE_ERROR","features":[57]},{"name":"STI_TRACE_INFORMATION","features":[57]},{"name":"STI_TRACE_WARNING","features":[57]},{"name":"STI_UNICODE","features":[57]},{"name":"STI_USD_CAPS","features":[57]},{"name":"STI_USD_GENCAP_NATIVE_PUSHSUPPORT","features":[57]},{"name":"STI_VERSION","features":[57]},{"name":"STI_VERSION_FLAG_MASK","features":[57]},{"name":"STI_VERSION_FLAG_UNICODE","features":[57]},{"name":"STI_VERSION_MIN_ALLOWED","features":[57]},{"name":"STI_VERSION_REAL","features":[57]},{"name":"STI_WIA_DEVICE_INFORMATIONW","features":[57]},{"name":"SUPPORTS_MSCPLUS_STR","features":[57]},{"name":"SUPPORTS_MSCPLUS_VAL","features":[57]},{"name":"SendToFaxRecipient","features":[57]},{"name":"SendToMode","features":[57]},{"name":"StiCreateInstanceW","features":[57,1]},{"name":"StiDeviceTypeDefault","features":[57]},{"name":"StiDeviceTypeDigitalCamera","features":[57]},{"name":"StiDeviceTypeScanner","features":[57]},{"name":"StiDeviceTypeStreamingVideo","features":[57]},{"name":"WIA_INCOMPAT_XP","features":[57]},{"name":"_ERROR_INFOW","features":[57]},{"name":"faetFXSSVC_ENDED","features":[57]},{"name":"faetIN_ARCHIVE","features":[57]},{"name":"faetIN_QUEUE","features":[57]},{"name":"faetNONE","features":[57]},{"name":"faetOUT_ARCHIVE","features":[57]},{"name":"faetOUT_QUEUE","features":[57]},{"name":"far2MANAGE_ARCHIVES","features":[57]},{"name":"far2MANAGE_CONFIG","features":[57]},{"name":"far2MANAGE_OUT_JOBS","features":[57]},{"name":"far2MANAGE_RECEIVE_FOLDER","features":[57]},{"name":"far2QUERY_ARCHIVES","features":[57]},{"name":"far2QUERY_CONFIG","features":[57]},{"name":"far2QUERY_OUT_JOBS","features":[57]},{"name":"far2SUBMIT_HIGH","features":[57]},{"name":"far2SUBMIT_LOW","features":[57]},{"name":"far2SUBMIT_NORMAL","features":[57]},{"name":"farMANAGE_CONFIG","features":[57]},{"name":"farMANAGE_IN_ARCHIVE","features":[57]},{"name":"farMANAGE_JOBS","features":[57]},{"name":"farMANAGE_OUT_ARCHIVE","features":[57]},{"name":"farQUERY_CONFIG","features":[57]},{"name":"farQUERY_IN_ARCHIVE","features":[57]},{"name":"farQUERY_JOBS","features":[57]},{"name":"farQUERY_OUT_ARCHIVE","features":[57]},{"name":"farSUBMIT_HIGH","features":[57]},{"name":"farSUBMIT_LOW","features":[57]},{"name":"farSUBMIT_NORMAL","features":[57]},{"name":"fcptLOCAL","features":[57]},{"name":"fcptNONE","features":[57]},{"name":"fcptSERVER","features":[57]},{"name":"fdrmAUTO_ANSWER","features":[57]},{"name":"fdrmMANUAL_ANSWER","features":[57]},{"name":"fdrmNO_ANSWER","features":[57]},{"name":"fgsALL_DEV_NOT_VALID","features":[57]},{"name":"fgsALL_DEV_VALID","features":[57]},{"name":"fgsEMPTY","features":[57]},{"name":"fgsSOME_DEV_NOT_VALID","features":[57]},{"name":"fjesANSWERED","features":[57]},{"name":"fjesBAD_ADDRESS","features":[57]},{"name":"fjesBUSY","features":[57]},{"name":"fjesCALL_ABORTED","features":[57]},{"name":"fjesCALL_BLACKLISTED","features":[57]},{"name":"fjesCALL_COMPLETED","features":[57]},{"name":"fjesCALL_DELAYED","features":[57]},{"name":"fjesDIALING","features":[57]},{"name":"fjesDISCONNECTED","features":[57]},{"name":"fjesFATAL_ERROR","features":[57]},{"name":"fjesHANDLED","features":[57]},{"name":"fjesINITIALIZING","features":[57]},{"name":"fjesLINE_UNAVAILABLE","features":[57]},{"name":"fjesNONE","features":[57]},{"name":"fjesNOT_FAX_CALL","features":[57]},{"name":"fjesNO_ANSWER","features":[57]},{"name":"fjesNO_DIAL_TONE","features":[57]},{"name":"fjesPARTIALLY_RECEIVED","features":[57]},{"name":"fjesPROPRIETARY","features":[57]},{"name":"fjesRECEIVING","features":[57]},{"name":"fjesTRANSMITTING","features":[57]},{"name":"fjoDELETE","features":[57]},{"name":"fjoPAUSE","features":[57]},{"name":"fjoRECIPIENT_INFO","features":[57]},{"name":"fjoRESTART","features":[57]},{"name":"fjoRESUME","features":[57]},{"name":"fjoSENDER_INFO","features":[57]},{"name":"fjoVIEW","features":[57]},{"name":"fjsCANCELED","features":[57]},{"name":"fjsCANCELING","features":[57]},{"name":"fjsCOMPLETED","features":[57]},{"name":"fjsFAILED","features":[57]},{"name":"fjsINPROGRESS","features":[57]},{"name":"fjsNOLINE","features":[57]},{"name":"fjsPAUSED","features":[57]},{"name":"fjsPENDING","features":[57]},{"name":"fjsRETRIES_EXCEEDED","features":[57]},{"name":"fjsRETRYING","features":[57]},{"name":"fjsROUTING","features":[57]},{"name":"fjtRECEIVE","features":[57]},{"name":"fjtROUTING","features":[57]},{"name":"fjtSEND","features":[57]},{"name":"fllMAX","features":[57]},{"name":"fllMED","features":[57]},{"name":"fllMIN","features":[57]},{"name":"fllNONE","features":[57]},{"name":"fpsBAD_GUID","features":[57]},{"name":"fpsBAD_VERSION","features":[57]},{"name":"fpsCANT_INIT","features":[57]},{"name":"fpsCANT_LINK","features":[57]},{"name":"fpsCANT_LOAD","features":[57]},{"name":"fpsSERVER_ERROR","features":[57]},{"name":"fpsSUCCESS","features":[57]},{"name":"fptHIGH","features":[57]},{"name":"fptLOW","features":[57]},{"name":"fptNORMAL","features":[57]},{"name":"frrcANY_CODE","features":[57]},{"name":"frsALL_GROUP_DEV_NOT_VALID","features":[57]},{"name":"frsBAD_DEVICE","features":[57]},{"name":"frsEMPTY_GROUP","features":[57]},{"name":"frsSOME_GROUP_DEV_NOT_VALID","features":[57]},{"name":"frsVALID","features":[57]},{"name":"frtMAIL","features":[57]},{"name":"frtMSGBOX","features":[57]},{"name":"frtNONE","features":[57]},{"name":"fsAPI_VERSION_0","features":[57]},{"name":"fsAPI_VERSION_1","features":[57]},{"name":"fsAPI_VERSION_2","features":[57]},{"name":"fsAPI_VERSION_3","features":[57]},{"name":"fsatANONYMOUS","features":[57]},{"name":"fsatBASIC","features":[57]},{"name":"fsatNTLM","features":[57]},{"name":"fsetACTIVITY","features":[57]},{"name":"fsetCONFIG","features":[57]},{"name":"fsetDEVICE_STATUS","features":[57]},{"name":"fsetFXSSVC_ENDED","features":[57]},{"name":"fsetINCOMING_CALL","features":[57]},{"name":"fsetIN_ARCHIVE","features":[57]},{"name":"fsetIN_QUEUE","features":[57]},{"name":"fsetNONE","features":[57]},{"name":"fsetOUT_ARCHIVE","features":[57]},{"name":"fsetOUT_QUEUE","features":[57]},{"name":"fsetQUEUE_STATE","features":[57]},{"name":"fstDISCOUNT_PERIOD","features":[57]},{"name":"fstNOW","features":[57]},{"name":"fstSPECIFIC_TIME","features":[57]},{"name":"lDEFAULT_PREFETCH_SIZE","features":[57]},{"name":"prv_DEFAULT_PREFETCH_SIZE","features":[57]},{"name":"wcharREASSIGN_RECIPIENTS_DELIMITER","features":[57]}],"379":[{"name":"BALLPOINT_I8042_HARDWARE","features":[58]},{"name":"BALLPOINT_SERIAL_HARDWARE","features":[58]},{"name":"BUTTON_BIT_ALLBUTTONSMASK","features":[58]},{"name":"BUTTON_BIT_BACK","features":[58]},{"name":"BUTTON_BIT_CAMERAFOCUS","features":[58]},{"name":"BUTTON_BIT_CAMERALENS","features":[58]},{"name":"BUTTON_BIT_CAMERASHUTTER","features":[58]},{"name":"BUTTON_BIT_HEADSET","features":[58]},{"name":"BUTTON_BIT_HWKBDEPLOY","features":[58]},{"name":"BUTTON_BIT_OEMCUSTOM","features":[58]},{"name":"BUTTON_BIT_OEMCUSTOM2","features":[58]},{"name":"BUTTON_BIT_OEMCUSTOM3","features":[58]},{"name":"BUTTON_BIT_POWER","features":[58]},{"name":"BUTTON_BIT_RINGERTOGGLE","features":[58]},{"name":"BUTTON_BIT_ROTATION_LOCK","features":[58]},{"name":"BUTTON_BIT_SEARCH","features":[58]},{"name":"BUTTON_BIT_VOLUMEDOWN","features":[58]},{"name":"BUTTON_BIT_VOLUMEUP","features":[58]},{"name":"BUTTON_BIT_WINDOWS","features":[58]},{"name":"CLSID_DirectInput","features":[58]},{"name":"CLSID_DirectInput8","features":[58]},{"name":"CLSID_DirectInputDevice","features":[58]},{"name":"CLSID_DirectInputDevice8","features":[58]},{"name":"CPOINT","features":[58]},{"name":"DD_KEYBOARD_DEVICE_NAME","features":[58]},{"name":"DD_KEYBOARD_DEVICE_NAME_U","features":[58]},{"name":"DD_MOUSE_DEVICE_NAME","features":[58]},{"name":"DD_MOUSE_DEVICE_NAME_U","features":[58]},{"name":"DEVPKEY_DeviceInterface_HID_BackgroundAccess","features":[58,35]},{"name":"DEVPKEY_DeviceInterface_HID_IsReadOnly","features":[58,35]},{"name":"DEVPKEY_DeviceInterface_HID_ProductId","features":[58,35]},{"name":"DEVPKEY_DeviceInterface_HID_UsageId","features":[58,35]},{"name":"DEVPKEY_DeviceInterface_HID_UsagePage","features":[58,35]},{"name":"DEVPKEY_DeviceInterface_HID_VendorId","features":[58,35]},{"name":"DEVPKEY_DeviceInterface_HID_VersionNumber","features":[58,35]},{"name":"DEVPKEY_DeviceInterface_HID_WakeScreenOnInputCapable","features":[58,35]},{"name":"DI8DEVCLASS_ALL","features":[58]},{"name":"DI8DEVCLASS_DEVICE","features":[58]},{"name":"DI8DEVCLASS_GAMECTRL","features":[58]},{"name":"DI8DEVCLASS_KEYBOARD","features":[58]},{"name":"DI8DEVCLASS_POINTER","features":[58]},{"name":"DI8DEVTYPE1STPERSON_LIMITED","features":[58]},{"name":"DI8DEVTYPE1STPERSON_SHOOTER","features":[58]},{"name":"DI8DEVTYPE1STPERSON_SIXDOF","features":[58]},{"name":"DI8DEVTYPE1STPERSON_UNKNOWN","features":[58]},{"name":"DI8DEVTYPEDEVICECTRL_COMMSSELECTION","features":[58]},{"name":"DI8DEVTYPEDEVICECTRL_COMMSSELECTION_HARDWIRED","features":[58]},{"name":"DI8DEVTYPEDEVICECTRL_UNKNOWN","features":[58]},{"name":"DI8DEVTYPEDRIVING_COMBINEDPEDALS","features":[58]},{"name":"DI8DEVTYPEDRIVING_DUALPEDALS","features":[58]},{"name":"DI8DEVTYPEDRIVING_HANDHELD","features":[58]},{"name":"DI8DEVTYPEDRIVING_LIMITED","features":[58]},{"name":"DI8DEVTYPEDRIVING_THREEPEDALS","features":[58]},{"name":"DI8DEVTYPEFLIGHT_LIMITED","features":[58]},{"name":"DI8DEVTYPEFLIGHT_RC","features":[58]},{"name":"DI8DEVTYPEFLIGHT_STICK","features":[58]},{"name":"DI8DEVTYPEFLIGHT_YOKE","features":[58]},{"name":"DI8DEVTYPEGAMEPAD_LIMITED","features":[58]},{"name":"DI8DEVTYPEGAMEPAD_STANDARD","features":[58]},{"name":"DI8DEVTYPEGAMEPAD_TILT","features":[58]},{"name":"DI8DEVTYPEJOYSTICK_LIMITED","features":[58]},{"name":"DI8DEVTYPEJOYSTICK_STANDARD","features":[58]},{"name":"DI8DEVTYPEKEYBOARD_J3100","features":[58]},{"name":"DI8DEVTYPEKEYBOARD_JAPAN106","features":[58]},{"name":"DI8DEVTYPEKEYBOARD_JAPANAX","features":[58]},{"name":"DI8DEVTYPEKEYBOARD_NEC98","features":[58]},{"name":"DI8DEVTYPEKEYBOARD_NEC98106","features":[58]},{"name":"DI8DEVTYPEKEYBOARD_NEC98LAPTOP","features":[58]},{"name":"DI8DEVTYPEKEYBOARD_NOKIA1050","features":[58]},{"name":"DI8DEVTYPEKEYBOARD_NOKIA9140","features":[58]},{"name":"DI8DEVTYPEKEYBOARD_OLIVETTI","features":[58]},{"name":"DI8DEVTYPEKEYBOARD_PCAT","features":[58]},{"name":"DI8DEVTYPEKEYBOARD_PCENH","features":[58]},{"name":"DI8DEVTYPEKEYBOARD_PCXT","features":[58]},{"name":"DI8DEVTYPEKEYBOARD_UNKNOWN","features":[58]},{"name":"DI8DEVTYPEMOUSE_ABSOLUTE","features":[58]},{"name":"DI8DEVTYPEMOUSE_FINGERSTICK","features":[58]},{"name":"DI8DEVTYPEMOUSE_TOUCHPAD","features":[58]},{"name":"DI8DEVTYPEMOUSE_TRACKBALL","features":[58]},{"name":"DI8DEVTYPEMOUSE_TRADITIONAL","features":[58]},{"name":"DI8DEVTYPEMOUSE_UNKNOWN","features":[58]},{"name":"DI8DEVTYPEREMOTE_UNKNOWN","features":[58]},{"name":"DI8DEVTYPESCREENPTR_LIGHTGUN","features":[58]},{"name":"DI8DEVTYPESCREENPTR_LIGHTPEN","features":[58]},{"name":"DI8DEVTYPESCREENPTR_TOUCH","features":[58]},{"name":"DI8DEVTYPESCREENPTR_UNKNOWN","features":[58]},{"name":"DI8DEVTYPESUPPLEMENTAL_2NDHANDCONTROLLER","features":[58]},{"name":"DI8DEVTYPESUPPLEMENTAL_COMBINEDPEDALS","features":[58]},{"name":"DI8DEVTYPESUPPLEMENTAL_DUALPEDALS","features":[58]},{"name":"DI8DEVTYPESUPPLEMENTAL_HANDTRACKER","features":[58]},{"name":"DI8DEVTYPESUPPLEMENTAL_HEADTRACKER","features":[58]},{"name":"DI8DEVTYPESUPPLEMENTAL_RUDDERPEDALS","features":[58]},{"name":"DI8DEVTYPESUPPLEMENTAL_SHIFTER","features":[58]},{"name":"DI8DEVTYPESUPPLEMENTAL_SHIFTSTICKGATE","features":[58]},{"name":"DI8DEVTYPESUPPLEMENTAL_SPLITTHROTTLE","features":[58]},{"name":"DI8DEVTYPESUPPLEMENTAL_THREEPEDALS","features":[58]},{"name":"DI8DEVTYPESUPPLEMENTAL_THROTTLE","features":[58]},{"name":"DI8DEVTYPESUPPLEMENTAL_UNKNOWN","features":[58]},{"name":"DI8DEVTYPE_1STPERSON","features":[58]},{"name":"DI8DEVTYPE_DEVICE","features":[58]},{"name":"DI8DEVTYPE_DEVICECTRL","features":[58]},{"name":"DI8DEVTYPE_DRIVING","features":[58]},{"name":"DI8DEVTYPE_FLIGHT","features":[58]},{"name":"DI8DEVTYPE_GAMEPAD","features":[58]},{"name":"DI8DEVTYPE_JOYSTICK","features":[58]},{"name":"DI8DEVTYPE_KEYBOARD","features":[58]},{"name":"DI8DEVTYPE_LIMITEDGAMESUBTYPE","features":[58]},{"name":"DI8DEVTYPE_MOUSE","features":[58]},{"name":"DI8DEVTYPE_REMOTE","features":[58]},{"name":"DI8DEVTYPE_SCREENPOINTER","features":[58]},{"name":"DI8DEVTYPE_SUPPLEMENTAL","features":[58]},{"name":"DIACTIONA","features":[58]},{"name":"DIACTIONFORMATA","features":[58,1]},{"name":"DIACTIONFORMATW","features":[58,1]},{"name":"DIACTIONW","features":[58]},{"name":"DIAFTS_NEWDEVICEHIGH","features":[58]},{"name":"DIAFTS_NEWDEVICELOW","features":[58]},{"name":"DIAFTS_UNUSEDDEVICEHIGH","features":[58]},{"name":"DIAFTS_UNUSEDDEVICELOW","features":[58]},{"name":"DIAH_APPREQUESTED","features":[58]},{"name":"DIAH_DEFAULT","features":[58]},{"name":"DIAH_ERROR","features":[58]},{"name":"DIAH_HWAPP","features":[58]},{"name":"DIAH_HWDEFAULT","features":[58]},{"name":"DIAH_UNMAPPED","features":[58]},{"name":"DIAH_USERCONFIG","features":[58]},{"name":"DIAPPIDFLAG_NOSIZE","features":[58]},{"name":"DIAPPIDFLAG_NOTIME","features":[58]},{"name":"DIAXIS_2DCONTROL_INOUT","features":[58]},{"name":"DIAXIS_2DCONTROL_LATERAL","features":[58]},{"name":"DIAXIS_2DCONTROL_MOVE","features":[58]},{"name":"DIAXIS_2DCONTROL_ROTATEZ","features":[58]},{"name":"DIAXIS_3DCONTROL_INOUT","features":[58]},{"name":"DIAXIS_3DCONTROL_LATERAL","features":[58]},{"name":"DIAXIS_3DCONTROL_MOVE","features":[58]},{"name":"DIAXIS_3DCONTROL_ROTATEX","features":[58]},{"name":"DIAXIS_3DCONTROL_ROTATEY","features":[58]},{"name":"DIAXIS_3DCONTROL_ROTATEZ","features":[58]},{"name":"DIAXIS_ANY_1","features":[58]},{"name":"DIAXIS_ANY_2","features":[58]},{"name":"DIAXIS_ANY_3","features":[58]},{"name":"DIAXIS_ANY_4","features":[58]},{"name":"DIAXIS_ANY_A_1","features":[58]},{"name":"DIAXIS_ANY_A_2","features":[58]},{"name":"DIAXIS_ANY_B_1","features":[58]},{"name":"DIAXIS_ANY_B_2","features":[58]},{"name":"DIAXIS_ANY_C_1","features":[58]},{"name":"DIAXIS_ANY_C_2","features":[58]},{"name":"DIAXIS_ANY_R_1","features":[58]},{"name":"DIAXIS_ANY_R_2","features":[58]},{"name":"DIAXIS_ANY_S_1","features":[58]},{"name":"DIAXIS_ANY_S_2","features":[58]},{"name":"DIAXIS_ANY_U_1","features":[58]},{"name":"DIAXIS_ANY_U_2","features":[58]},{"name":"DIAXIS_ANY_V_1","features":[58]},{"name":"DIAXIS_ANY_V_2","features":[58]},{"name":"DIAXIS_ANY_X_1","features":[58]},{"name":"DIAXIS_ANY_X_2","features":[58]},{"name":"DIAXIS_ANY_Y_1","features":[58]},{"name":"DIAXIS_ANY_Y_2","features":[58]},{"name":"DIAXIS_ANY_Z_1","features":[58]},{"name":"DIAXIS_ANY_Z_2","features":[58]},{"name":"DIAXIS_ARCADEP_LATERAL","features":[58]},{"name":"DIAXIS_ARCADEP_MOVE","features":[58]},{"name":"DIAXIS_ARCADES_LATERAL","features":[58]},{"name":"DIAXIS_ARCADES_MOVE","features":[58]},{"name":"DIAXIS_BASEBALLB_LATERAL","features":[58]},{"name":"DIAXIS_BASEBALLB_MOVE","features":[58]},{"name":"DIAXIS_BASEBALLF_LATERAL","features":[58]},{"name":"DIAXIS_BASEBALLF_MOVE","features":[58]},{"name":"DIAXIS_BASEBALLP_LATERAL","features":[58]},{"name":"DIAXIS_BASEBALLP_MOVE","features":[58]},{"name":"DIAXIS_BBALLD_LATERAL","features":[58]},{"name":"DIAXIS_BBALLD_MOVE","features":[58]},{"name":"DIAXIS_BBALLO_LATERAL","features":[58]},{"name":"DIAXIS_BBALLO_MOVE","features":[58]},{"name":"DIAXIS_BIKINGM_BRAKE","features":[58]},{"name":"DIAXIS_BIKINGM_PEDAL","features":[58]},{"name":"DIAXIS_BIKINGM_TURN","features":[58]},{"name":"DIAXIS_BROWSER_LATERAL","features":[58]},{"name":"DIAXIS_BROWSER_MOVE","features":[58]},{"name":"DIAXIS_BROWSER_VIEW","features":[58]},{"name":"DIAXIS_CADF_INOUT","features":[58]},{"name":"DIAXIS_CADF_LATERAL","features":[58]},{"name":"DIAXIS_CADF_MOVE","features":[58]},{"name":"DIAXIS_CADF_ROTATEX","features":[58]},{"name":"DIAXIS_CADF_ROTATEY","features":[58]},{"name":"DIAXIS_CADF_ROTATEZ","features":[58]},{"name":"DIAXIS_CADM_INOUT","features":[58]},{"name":"DIAXIS_CADM_LATERAL","features":[58]},{"name":"DIAXIS_CADM_MOVE","features":[58]},{"name":"DIAXIS_CADM_ROTATEX","features":[58]},{"name":"DIAXIS_CADM_ROTATEY","features":[58]},{"name":"DIAXIS_CADM_ROTATEZ","features":[58]},{"name":"DIAXIS_DRIVINGC_ACCELERATE","features":[58]},{"name":"DIAXIS_DRIVINGC_ACCEL_AND_BRAKE","features":[58]},{"name":"DIAXIS_DRIVINGC_BRAKE","features":[58]},{"name":"DIAXIS_DRIVINGC_STEER","features":[58]},{"name":"DIAXIS_DRIVINGR_ACCELERATE","features":[58]},{"name":"DIAXIS_DRIVINGR_ACCEL_AND_BRAKE","features":[58]},{"name":"DIAXIS_DRIVINGR_BRAKE","features":[58]},{"name":"DIAXIS_DRIVINGR_STEER","features":[58]},{"name":"DIAXIS_DRIVINGT_ACCELERATE","features":[58]},{"name":"DIAXIS_DRIVINGT_ACCEL_AND_BRAKE","features":[58]},{"name":"DIAXIS_DRIVINGT_BARREL","features":[58]},{"name":"DIAXIS_DRIVINGT_BRAKE","features":[58]},{"name":"DIAXIS_DRIVINGT_ROTATE","features":[58]},{"name":"DIAXIS_DRIVINGT_STEER","features":[58]},{"name":"DIAXIS_FIGHTINGH_LATERAL","features":[58]},{"name":"DIAXIS_FIGHTINGH_MOVE","features":[58]},{"name":"DIAXIS_FIGHTINGH_ROTATE","features":[58]},{"name":"DIAXIS_FISHING_LATERAL","features":[58]},{"name":"DIAXIS_FISHING_MOVE","features":[58]},{"name":"DIAXIS_FISHING_ROTATE","features":[58]},{"name":"DIAXIS_FLYINGC_BANK","features":[58]},{"name":"DIAXIS_FLYINGC_BRAKE","features":[58]},{"name":"DIAXIS_FLYINGC_FLAPS","features":[58]},{"name":"DIAXIS_FLYINGC_PITCH","features":[58]},{"name":"DIAXIS_FLYINGC_RUDDER","features":[58]},{"name":"DIAXIS_FLYINGC_THROTTLE","features":[58]},{"name":"DIAXIS_FLYINGH_BANK","features":[58]},{"name":"DIAXIS_FLYINGH_COLLECTIVE","features":[58]},{"name":"DIAXIS_FLYINGH_PITCH","features":[58]},{"name":"DIAXIS_FLYINGH_THROTTLE","features":[58]},{"name":"DIAXIS_FLYINGH_TORQUE","features":[58]},{"name":"DIAXIS_FLYINGM_BANK","features":[58]},{"name":"DIAXIS_FLYINGM_BRAKE","features":[58]},{"name":"DIAXIS_FLYINGM_FLAPS","features":[58]},{"name":"DIAXIS_FLYINGM_PITCH","features":[58]},{"name":"DIAXIS_FLYINGM_RUDDER","features":[58]},{"name":"DIAXIS_FLYINGM_THROTTLE","features":[58]},{"name":"DIAXIS_FOOTBALLD_LATERAL","features":[58]},{"name":"DIAXIS_FOOTBALLD_MOVE","features":[58]},{"name":"DIAXIS_FOOTBALLO_LATERAL","features":[58]},{"name":"DIAXIS_FOOTBALLO_MOVE","features":[58]},{"name":"DIAXIS_FOOTBALLQ_LATERAL","features":[58]},{"name":"DIAXIS_FOOTBALLQ_MOVE","features":[58]},{"name":"DIAXIS_FPS_LOOKUPDOWN","features":[58]},{"name":"DIAXIS_FPS_MOVE","features":[58]},{"name":"DIAXIS_FPS_ROTATE","features":[58]},{"name":"DIAXIS_FPS_SIDESTEP","features":[58]},{"name":"DIAXIS_GOLF_LATERAL","features":[58]},{"name":"DIAXIS_GOLF_MOVE","features":[58]},{"name":"DIAXIS_HOCKEYD_LATERAL","features":[58]},{"name":"DIAXIS_HOCKEYD_MOVE","features":[58]},{"name":"DIAXIS_HOCKEYG_LATERAL","features":[58]},{"name":"DIAXIS_HOCKEYG_MOVE","features":[58]},{"name":"DIAXIS_HOCKEYO_LATERAL","features":[58]},{"name":"DIAXIS_HOCKEYO_MOVE","features":[58]},{"name":"DIAXIS_HUNTING_LATERAL","features":[58]},{"name":"DIAXIS_HUNTING_MOVE","features":[58]},{"name":"DIAXIS_HUNTING_ROTATE","features":[58]},{"name":"DIAXIS_MECHA_ROTATE","features":[58]},{"name":"DIAXIS_MECHA_STEER","features":[58]},{"name":"DIAXIS_MECHA_THROTTLE","features":[58]},{"name":"DIAXIS_MECHA_TORSO","features":[58]},{"name":"DIAXIS_RACQUET_LATERAL","features":[58]},{"name":"DIAXIS_RACQUET_MOVE","features":[58]},{"name":"DIAXIS_REMOTE_SLIDER","features":[58]},{"name":"DIAXIS_REMOTE_SLIDER2","features":[58]},{"name":"DIAXIS_SKIING_SPEED","features":[58]},{"name":"DIAXIS_SKIING_TURN","features":[58]},{"name":"DIAXIS_SOCCERD_LATERAL","features":[58]},{"name":"DIAXIS_SOCCERD_MOVE","features":[58]},{"name":"DIAXIS_SOCCERO_BEND","features":[58]},{"name":"DIAXIS_SOCCERO_LATERAL","features":[58]},{"name":"DIAXIS_SOCCERO_MOVE","features":[58]},{"name":"DIAXIS_SPACESIM_CLIMB","features":[58]},{"name":"DIAXIS_SPACESIM_LATERAL","features":[58]},{"name":"DIAXIS_SPACESIM_MOVE","features":[58]},{"name":"DIAXIS_SPACESIM_ROTATE","features":[58]},{"name":"DIAXIS_SPACESIM_THROTTLE","features":[58]},{"name":"DIAXIS_STRATEGYR_LATERAL","features":[58]},{"name":"DIAXIS_STRATEGYR_MOVE","features":[58]},{"name":"DIAXIS_STRATEGYR_ROTATE","features":[58]},{"name":"DIAXIS_STRATEGYT_LATERAL","features":[58]},{"name":"DIAXIS_STRATEGYT_MOVE","features":[58]},{"name":"DIAXIS_TPS_MOVE","features":[58]},{"name":"DIAXIS_TPS_STEP","features":[58]},{"name":"DIAXIS_TPS_TURN","features":[58]},{"name":"DIA_APPFIXED","features":[58]},{"name":"DIA_APPMAPPED","features":[58]},{"name":"DIA_APPNOMAP","features":[58]},{"name":"DIA_FORCEFEEDBACK","features":[58]},{"name":"DIA_NORANGE","features":[58]},{"name":"DIBUTTON_2DCONTROL_DEVICE","features":[58]},{"name":"DIBUTTON_2DCONTROL_DISPLAY","features":[58]},{"name":"DIBUTTON_2DCONTROL_MENU","features":[58]},{"name":"DIBUTTON_2DCONTROL_PAUSE","features":[58]},{"name":"DIBUTTON_2DCONTROL_SELECT","features":[58]},{"name":"DIBUTTON_2DCONTROL_SPECIAL","features":[58]},{"name":"DIBUTTON_2DCONTROL_SPECIAL1","features":[58]},{"name":"DIBUTTON_2DCONTROL_SPECIAL2","features":[58]},{"name":"DIBUTTON_3DCONTROL_DEVICE","features":[58]},{"name":"DIBUTTON_3DCONTROL_DISPLAY","features":[58]},{"name":"DIBUTTON_3DCONTROL_MENU","features":[58]},{"name":"DIBUTTON_3DCONTROL_PAUSE","features":[58]},{"name":"DIBUTTON_3DCONTROL_SELECT","features":[58]},{"name":"DIBUTTON_3DCONTROL_SPECIAL","features":[58]},{"name":"DIBUTTON_3DCONTROL_SPECIAL1","features":[58]},{"name":"DIBUTTON_3DCONTROL_SPECIAL2","features":[58]},{"name":"DIBUTTON_ARCADEP_BACK_LINK","features":[58]},{"name":"DIBUTTON_ARCADEP_CROUCH","features":[58]},{"name":"DIBUTTON_ARCADEP_DEVICE","features":[58]},{"name":"DIBUTTON_ARCADEP_FIRE","features":[58]},{"name":"DIBUTTON_ARCADEP_FIRESECONDARY","features":[58]},{"name":"DIBUTTON_ARCADEP_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_ARCADEP_JUMP","features":[58]},{"name":"DIBUTTON_ARCADEP_LEFT_LINK","features":[58]},{"name":"DIBUTTON_ARCADEP_MENU","features":[58]},{"name":"DIBUTTON_ARCADEP_PAUSE","features":[58]},{"name":"DIBUTTON_ARCADEP_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_ARCADEP_SELECT","features":[58]},{"name":"DIBUTTON_ARCADEP_SPECIAL","features":[58]},{"name":"DIBUTTON_ARCADEP_VIEW_DOWN_LINK","features":[58]},{"name":"DIBUTTON_ARCADEP_VIEW_LEFT_LINK","features":[58]},{"name":"DIBUTTON_ARCADEP_VIEW_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_ARCADEP_VIEW_UP_LINK","features":[58]},{"name":"DIBUTTON_ARCADES_ATTACK","features":[58]},{"name":"DIBUTTON_ARCADES_BACK_LINK","features":[58]},{"name":"DIBUTTON_ARCADES_CARRY","features":[58]},{"name":"DIBUTTON_ARCADES_DEVICE","features":[58]},{"name":"DIBUTTON_ARCADES_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_ARCADES_LEFT_LINK","features":[58]},{"name":"DIBUTTON_ARCADES_MENU","features":[58]},{"name":"DIBUTTON_ARCADES_PAUSE","features":[58]},{"name":"DIBUTTON_ARCADES_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_ARCADES_SELECT","features":[58]},{"name":"DIBUTTON_ARCADES_SPECIAL","features":[58]},{"name":"DIBUTTON_ARCADES_THROW","features":[58]},{"name":"DIBUTTON_ARCADES_VIEW_DOWN_LINK","features":[58]},{"name":"DIBUTTON_ARCADES_VIEW_LEFT_LINK","features":[58]},{"name":"DIBUTTON_ARCADES_VIEW_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_ARCADES_VIEW_UP_LINK","features":[58]},{"name":"DIBUTTON_BASEBALLB_BACK_LINK","features":[58]},{"name":"DIBUTTON_BASEBALLB_BOX","features":[58]},{"name":"DIBUTTON_BASEBALLB_BUNT","features":[58]},{"name":"DIBUTTON_BASEBALLB_BURST","features":[58]},{"name":"DIBUTTON_BASEBALLB_CONTACT","features":[58]},{"name":"DIBUTTON_BASEBALLB_DEVICE","features":[58]},{"name":"DIBUTTON_BASEBALLB_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_BASEBALLB_LEFT_LINK","features":[58]},{"name":"DIBUTTON_BASEBALLB_MENU","features":[58]},{"name":"DIBUTTON_BASEBALLB_NORMAL","features":[58]},{"name":"DIBUTTON_BASEBALLB_NOSTEAL","features":[58]},{"name":"DIBUTTON_BASEBALLB_PAUSE","features":[58]},{"name":"DIBUTTON_BASEBALLB_POWER","features":[58]},{"name":"DIBUTTON_BASEBALLB_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_BASEBALLB_SELECT","features":[58]},{"name":"DIBUTTON_BASEBALLB_SLIDE","features":[58]},{"name":"DIBUTTON_BASEBALLB_STEAL","features":[58]},{"name":"DIBUTTON_BASEBALLF_AIM_LEFT_LINK","features":[58]},{"name":"DIBUTTON_BASEBALLF_AIM_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_BASEBALLF_BACK_LINK","features":[58]},{"name":"DIBUTTON_BASEBALLF_BURST","features":[58]},{"name":"DIBUTTON_BASEBALLF_DEVICE","features":[58]},{"name":"DIBUTTON_BASEBALLF_DIVE","features":[58]},{"name":"DIBUTTON_BASEBALLF_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_BASEBALLF_JUMP","features":[58]},{"name":"DIBUTTON_BASEBALLF_MENU","features":[58]},{"name":"DIBUTTON_BASEBALLF_NEAREST","features":[58]},{"name":"DIBUTTON_BASEBALLF_PAUSE","features":[58]},{"name":"DIBUTTON_BASEBALLF_SHIFTIN","features":[58]},{"name":"DIBUTTON_BASEBALLF_SHIFTOUT","features":[58]},{"name":"DIBUTTON_BASEBALLF_THROW1","features":[58]},{"name":"DIBUTTON_BASEBALLF_THROW2","features":[58]},{"name":"DIBUTTON_BASEBALLP_BACK_LINK","features":[58]},{"name":"DIBUTTON_BASEBALLP_BASE","features":[58]},{"name":"DIBUTTON_BASEBALLP_DEVICE","features":[58]},{"name":"DIBUTTON_BASEBALLP_FAKE","features":[58]},{"name":"DIBUTTON_BASEBALLP_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_BASEBALLP_LEFT_LINK","features":[58]},{"name":"DIBUTTON_BASEBALLP_LOOK","features":[58]},{"name":"DIBUTTON_BASEBALLP_MENU","features":[58]},{"name":"DIBUTTON_BASEBALLP_PAUSE","features":[58]},{"name":"DIBUTTON_BASEBALLP_PITCH","features":[58]},{"name":"DIBUTTON_BASEBALLP_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_BASEBALLP_SELECT","features":[58]},{"name":"DIBUTTON_BASEBALLP_THROW","features":[58]},{"name":"DIBUTTON_BASEBALLP_WALK","features":[58]},{"name":"DIBUTTON_BBALLD_BACK_LINK","features":[58]},{"name":"DIBUTTON_BBALLD_BURST","features":[58]},{"name":"DIBUTTON_BBALLD_DEVICE","features":[58]},{"name":"DIBUTTON_BBALLD_FAKE","features":[58]},{"name":"DIBUTTON_BBALLD_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_BBALLD_JUMP","features":[58]},{"name":"DIBUTTON_BBALLD_LEFT_LINK","features":[58]},{"name":"DIBUTTON_BBALLD_MENU","features":[58]},{"name":"DIBUTTON_BBALLD_PAUSE","features":[58]},{"name":"DIBUTTON_BBALLD_PLAY","features":[58]},{"name":"DIBUTTON_BBALLD_PLAYER","features":[58]},{"name":"DIBUTTON_BBALLD_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_BBALLD_SPECIAL","features":[58]},{"name":"DIBUTTON_BBALLD_STEAL","features":[58]},{"name":"DIBUTTON_BBALLD_SUBSTITUTE","features":[58]},{"name":"DIBUTTON_BBALLD_TIMEOUT","features":[58]},{"name":"DIBUTTON_BBALLO_BACK_LINK","features":[58]},{"name":"DIBUTTON_BBALLO_BURST","features":[58]},{"name":"DIBUTTON_BBALLO_CALL","features":[58]},{"name":"DIBUTTON_BBALLO_DEVICE","features":[58]},{"name":"DIBUTTON_BBALLO_DUNK","features":[58]},{"name":"DIBUTTON_BBALLO_FAKE","features":[58]},{"name":"DIBUTTON_BBALLO_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_BBALLO_JAB","features":[58]},{"name":"DIBUTTON_BBALLO_LEFT_LINK","features":[58]},{"name":"DIBUTTON_BBALLO_MENU","features":[58]},{"name":"DIBUTTON_BBALLO_PASS","features":[58]},{"name":"DIBUTTON_BBALLO_PAUSE","features":[58]},{"name":"DIBUTTON_BBALLO_PLAY","features":[58]},{"name":"DIBUTTON_BBALLO_PLAYER","features":[58]},{"name":"DIBUTTON_BBALLO_POST","features":[58]},{"name":"DIBUTTON_BBALLO_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_BBALLO_SCREEN","features":[58]},{"name":"DIBUTTON_BBALLO_SHOOT","features":[58]},{"name":"DIBUTTON_BBALLO_SPECIAL","features":[58]},{"name":"DIBUTTON_BBALLO_SUBSTITUTE","features":[58]},{"name":"DIBUTTON_BBALLO_TIMEOUT","features":[58]},{"name":"DIBUTTON_BIKINGM_BRAKE_BUTTON_LINK","features":[58]},{"name":"DIBUTTON_BIKINGM_CAMERA","features":[58]},{"name":"DIBUTTON_BIKINGM_DEVICE","features":[58]},{"name":"DIBUTTON_BIKINGM_FASTER_LINK","features":[58]},{"name":"DIBUTTON_BIKINGM_JUMP","features":[58]},{"name":"DIBUTTON_BIKINGM_LEFT_LINK","features":[58]},{"name":"DIBUTTON_BIKINGM_MENU","features":[58]},{"name":"DIBUTTON_BIKINGM_PAUSE","features":[58]},{"name":"DIBUTTON_BIKINGM_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_BIKINGM_SELECT","features":[58]},{"name":"DIBUTTON_BIKINGM_SLOWER_LINK","features":[58]},{"name":"DIBUTTON_BIKINGM_SPECIAL1","features":[58]},{"name":"DIBUTTON_BIKINGM_SPECIAL2","features":[58]},{"name":"DIBUTTON_BIKINGM_ZOOM","features":[58]},{"name":"DIBUTTON_BROWSER_DEVICE","features":[58]},{"name":"DIBUTTON_BROWSER_FAVORITES","features":[58]},{"name":"DIBUTTON_BROWSER_HISTORY","features":[58]},{"name":"DIBUTTON_BROWSER_HOME","features":[58]},{"name":"DIBUTTON_BROWSER_MENU","features":[58]},{"name":"DIBUTTON_BROWSER_NEXT","features":[58]},{"name":"DIBUTTON_BROWSER_PAUSE","features":[58]},{"name":"DIBUTTON_BROWSER_PREVIOUS","features":[58]},{"name":"DIBUTTON_BROWSER_PRINT","features":[58]},{"name":"DIBUTTON_BROWSER_REFRESH","features":[58]},{"name":"DIBUTTON_BROWSER_SEARCH","features":[58]},{"name":"DIBUTTON_BROWSER_SELECT","features":[58]},{"name":"DIBUTTON_BROWSER_STOP","features":[58]},{"name":"DIBUTTON_CADF_DEVICE","features":[58]},{"name":"DIBUTTON_CADF_DISPLAY","features":[58]},{"name":"DIBUTTON_CADF_MENU","features":[58]},{"name":"DIBUTTON_CADF_PAUSE","features":[58]},{"name":"DIBUTTON_CADF_SELECT","features":[58]},{"name":"DIBUTTON_CADF_SPECIAL","features":[58]},{"name":"DIBUTTON_CADF_SPECIAL1","features":[58]},{"name":"DIBUTTON_CADF_SPECIAL2","features":[58]},{"name":"DIBUTTON_CADM_DEVICE","features":[58]},{"name":"DIBUTTON_CADM_DISPLAY","features":[58]},{"name":"DIBUTTON_CADM_MENU","features":[58]},{"name":"DIBUTTON_CADM_PAUSE","features":[58]},{"name":"DIBUTTON_CADM_SELECT","features":[58]},{"name":"DIBUTTON_CADM_SPECIAL","features":[58]},{"name":"DIBUTTON_CADM_SPECIAL1","features":[58]},{"name":"DIBUTTON_CADM_SPECIAL2","features":[58]},{"name":"DIBUTTON_DRIVINGC_ACCELERATE_LINK","features":[58]},{"name":"DIBUTTON_DRIVINGC_AIDS","features":[58]},{"name":"DIBUTTON_DRIVINGC_BRAKE","features":[58]},{"name":"DIBUTTON_DRIVINGC_DASHBOARD","features":[58]},{"name":"DIBUTTON_DRIVINGC_DEVICE","features":[58]},{"name":"DIBUTTON_DRIVINGC_FIRE","features":[58]},{"name":"DIBUTTON_DRIVINGC_FIRESECONDARY","features":[58]},{"name":"DIBUTTON_DRIVINGC_GLANCE_LEFT_LINK","features":[58]},{"name":"DIBUTTON_DRIVINGC_GLANCE_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_DRIVINGC_MENU","features":[58]},{"name":"DIBUTTON_DRIVINGC_PAUSE","features":[58]},{"name":"DIBUTTON_DRIVINGC_SHIFTDOWN","features":[58]},{"name":"DIBUTTON_DRIVINGC_SHIFTUP","features":[58]},{"name":"DIBUTTON_DRIVINGC_STEER_LEFT_LINK","features":[58]},{"name":"DIBUTTON_DRIVINGC_STEER_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_DRIVINGC_TARGET","features":[58]},{"name":"DIBUTTON_DRIVINGC_WEAPONS","features":[58]},{"name":"DIBUTTON_DRIVINGR_ACCELERATE_LINK","features":[58]},{"name":"DIBUTTON_DRIVINGR_AIDS","features":[58]},{"name":"DIBUTTON_DRIVINGR_BOOST","features":[58]},{"name":"DIBUTTON_DRIVINGR_BRAKE","features":[58]},{"name":"DIBUTTON_DRIVINGR_DASHBOARD","features":[58]},{"name":"DIBUTTON_DRIVINGR_DEVICE","features":[58]},{"name":"DIBUTTON_DRIVINGR_GLANCE_LEFT_LINK","features":[58]},{"name":"DIBUTTON_DRIVINGR_GLANCE_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_DRIVINGR_MAP","features":[58]},{"name":"DIBUTTON_DRIVINGR_MENU","features":[58]},{"name":"DIBUTTON_DRIVINGR_PAUSE","features":[58]},{"name":"DIBUTTON_DRIVINGR_PIT","features":[58]},{"name":"DIBUTTON_DRIVINGR_SHIFTDOWN","features":[58]},{"name":"DIBUTTON_DRIVINGR_SHIFTUP","features":[58]},{"name":"DIBUTTON_DRIVINGR_STEER_LEFT_LINK","features":[58]},{"name":"DIBUTTON_DRIVINGR_STEER_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_DRIVINGR_VIEW","features":[58]},{"name":"DIBUTTON_DRIVINGT_ACCELERATE_LINK","features":[58]},{"name":"DIBUTTON_DRIVINGT_BARREL_DOWN_LINK","features":[58]},{"name":"DIBUTTON_DRIVINGT_BARREL_UP_LINK","features":[58]},{"name":"DIBUTTON_DRIVINGT_BRAKE","features":[58]},{"name":"DIBUTTON_DRIVINGT_DASHBOARD","features":[58]},{"name":"DIBUTTON_DRIVINGT_DEVICE","features":[58]},{"name":"DIBUTTON_DRIVINGT_FIRE","features":[58]},{"name":"DIBUTTON_DRIVINGT_FIRESECONDARY","features":[58]},{"name":"DIBUTTON_DRIVINGT_GLANCE_LEFT_LINK","features":[58]},{"name":"DIBUTTON_DRIVINGT_GLANCE_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_DRIVINGT_MENU","features":[58]},{"name":"DIBUTTON_DRIVINGT_PAUSE","features":[58]},{"name":"DIBUTTON_DRIVINGT_ROTATE_LEFT_LINK","features":[58]},{"name":"DIBUTTON_DRIVINGT_ROTATE_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_DRIVINGT_STEER_LEFT_LINK","features":[58]},{"name":"DIBUTTON_DRIVINGT_STEER_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_DRIVINGT_TARGET","features":[58]},{"name":"DIBUTTON_DRIVINGT_VIEW","features":[58]},{"name":"DIBUTTON_DRIVINGT_WEAPONS","features":[58]},{"name":"DIBUTTON_FIGHTINGH_BACKWARD_LINK","features":[58]},{"name":"DIBUTTON_FIGHTINGH_BLOCK","features":[58]},{"name":"DIBUTTON_FIGHTINGH_CROUCH","features":[58]},{"name":"DIBUTTON_FIGHTINGH_DEVICE","features":[58]},{"name":"DIBUTTON_FIGHTINGH_DISPLAY","features":[58]},{"name":"DIBUTTON_FIGHTINGH_DODGE","features":[58]},{"name":"DIBUTTON_FIGHTINGH_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_FIGHTINGH_JUMP","features":[58]},{"name":"DIBUTTON_FIGHTINGH_KICK","features":[58]},{"name":"DIBUTTON_FIGHTINGH_LEFT_LINK","features":[58]},{"name":"DIBUTTON_FIGHTINGH_MENU","features":[58]},{"name":"DIBUTTON_FIGHTINGH_PAUSE","features":[58]},{"name":"DIBUTTON_FIGHTINGH_PUNCH","features":[58]},{"name":"DIBUTTON_FIGHTINGH_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_FIGHTINGH_SELECT","features":[58]},{"name":"DIBUTTON_FIGHTINGH_SPECIAL1","features":[58]},{"name":"DIBUTTON_FIGHTINGH_SPECIAL2","features":[58]},{"name":"DIBUTTON_FISHING_BACK_LINK","features":[58]},{"name":"DIBUTTON_FISHING_BAIT","features":[58]},{"name":"DIBUTTON_FISHING_BINOCULAR","features":[58]},{"name":"DIBUTTON_FISHING_CAST","features":[58]},{"name":"DIBUTTON_FISHING_CROUCH","features":[58]},{"name":"DIBUTTON_FISHING_DEVICE","features":[58]},{"name":"DIBUTTON_FISHING_DISPLAY","features":[58]},{"name":"DIBUTTON_FISHING_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_FISHING_JUMP","features":[58]},{"name":"DIBUTTON_FISHING_LEFT_LINK","features":[58]},{"name":"DIBUTTON_FISHING_MAP","features":[58]},{"name":"DIBUTTON_FISHING_MENU","features":[58]},{"name":"DIBUTTON_FISHING_PAUSE","features":[58]},{"name":"DIBUTTON_FISHING_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_FISHING_ROTATE_LEFT_LINK","features":[58]},{"name":"DIBUTTON_FISHING_ROTATE_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_FISHING_TYPE","features":[58]},{"name":"DIBUTTON_FLYINGC_BRAKE_LINK","features":[58]},{"name":"DIBUTTON_FLYINGC_DEVICE","features":[58]},{"name":"DIBUTTON_FLYINGC_DISPLAY","features":[58]},{"name":"DIBUTTON_FLYINGC_FASTER_LINK","features":[58]},{"name":"DIBUTTON_FLYINGC_FLAPSDOWN","features":[58]},{"name":"DIBUTTON_FLYINGC_FLAPSUP","features":[58]},{"name":"DIBUTTON_FLYINGC_GEAR","features":[58]},{"name":"DIBUTTON_FLYINGC_GLANCE_DOWN_LINK","features":[58]},{"name":"DIBUTTON_FLYINGC_GLANCE_LEFT_LINK","features":[58]},{"name":"DIBUTTON_FLYINGC_GLANCE_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_FLYINGC_GLANCE_UP_LINK","features":[58]},{"name":"DIBUTTON_FLYINGC_MENU","features":[58]},{"name":"DIBUTTON_FLYINGC_PAUSE","features":[58]},{"name":"DIBUTTON_FLYINGC_SLOWER_LINK","features":[58]},{"name":"DIBUTTON_FLYINGC_VIEW","features":[58]},{"name":"DIBUTTON_FLYINGH_COUNTER","features":[58]},{"name":"DIBUTTON_FLYINGH_DEVICE","features":[58]},{"name":"DIBUTTON_FLYINGH_FASTER_LINK","features":[58]},{"name":"DIBUTTON_FLYINGH_FIRE","features":[58]},{"name":"DIBUTTON_FLYINGH_FIRESECONDARY","features":[58]},{"name":"DIBUTTON_FLYINGH_GEAR","features":[58]},{"name":"DIBUTTON_FLYINGH_GLANCE_DOWN_LINK","features":[58]},{"name":"DIBUTTON_FLYINGH_GLANCE_LEFT_LINK","features":[58]},{"name":"DIBUTTON_FLYINGH_GLANCE_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_FLYINGH_GLANCE_UP_LINK","features":[58]},{"name":"DIBUTTON_FLYINGH_MENU","features":[58]},{"name":"DIBUTTON_FLYINGH_PAUSE","features":[58]},{"name":"DIBUTTON_FLYINGH_SLOWER_LINK","features":[58]},{"name":"DIBUTTON_FLYINGH_TARGET","features":[58]},{"name":"DIBUTTON_FLYINGH_VIEW","features":[58]},{"name":"DIBUTTON_FLYINGH_WEAPONS","features":[58]},{"name":"DIBUTTON_FLYINGM_BRAKE_LINK","features":[58]},{"name":"DIBUTTON_FLYINGM_COUNTER","features":[58]},{"name":"DIBUTTON_FLYINGM_DEVICE","features":[58]},{"name":"DIBUTTON_FLYINGM_DISPLAY","features":[58]},{"name":"DIBUTTON_FLYINGM_FASTER_LINK","features":[58]},{"name":"DIBUTTON_FLYINGM_FIRE","features":[58]},{"name":"DIBUTTON_FLYINGM_FIRESECONDARY","features":[58]},{"name":"DIBUTTON_FLYINGM_FLAPSDOWN","features":[58]},{"name":"DIBUTTON_FLYINGM_FLAPSUP","features":[58]},{"name":"DIBUTTON_FLYINGM_GEAR","features":[58]},{"name":"DIBUTTON_FLYINGM_GLANCE_DOWN_LINK","features":[58]},{"name":"DIBUTTON_FLYINGM_GLANCE_LEFT_LINK","features":[58]},{"name":"DIBUTTON_FLYINGM_GLANCE_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_FLYINGM_GLANCE_UP_LINK","features":[58]},{"name":"DIBUTTON_FLYINGM_MENU","features":[58]},{"name":"DIBUTTON_FLYINGM_PAUSE","features":[58]},{"name":"DIBUTTON_FLYINGM_SLOWER_LINK","features":[58]},{"name":"DIBUTTON_FLYINGM_TARGET","features":[58]},{"name":"DIBUTTON_FLYINGM_VIEW","features":[58]},{"name":"DIBUTTON_FLYINGM_WEAPONS","features":[58]},{"name":"DIBUTTON_FOOTBALLD_AUDIBLE","features":[58]},{"name":"DIBUTTON_FOOTBALLD_BACK_LINK","features":[58]},{"name":"DIBUTTON_FOOTBALLD_BULLRUSH","features":[58]},{"name":"DIBUTTON_FOOTBALLD_DEVICE","features":[58]},{"name":"DIBUTTON_FOOTBALLD_FAKE","features":[58]},{"name":"DIBUTTON_FOOTBALLD_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_FOOTBALLD_JUMP","features":[58]},{"name":"DIBUTTON_FOOTBALLD_LEFT_LINK","features":[58]},{"name":"DIBUTTON_FOOTBALLD_MENU","features":[58]},{"name":"DIBUTTON_FOOTBALLD_PAUSE","features":[58]},{"name":"DIBUTTON_FOOTBALLD_PLAY","features":[58]},{"name":"DIBUTTON_FOOTBALLD_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_FOOTBALLD_RIP","features":[58]},{"name":"DIBUTTON_FOOTBALLD_SELECT","features":[58]},{"name":"DIBUTTON_FOOTBALLD_SPIN","features":[58]},{"name":"DIBUTTON_FOOTBALLD_SUBSTITUTE","features":[58]},{"name":"DIBUTTON_FOOTBALLD_SUPERTACKLE","features":[58]},{"name":"DIBUTTON_FOOTBALLD_SWIM","features":[58]},{"name":"DIBUTTON_FOOTBALLD_TACKLE","features":[58]},{"name":"DIBUTTON_FOOTBALLD_ZOOM","features":[58]},{"name":"DIBUTTON_FOOTBALLO_BACK_LINK","features":[58]},{"name":"DIBUTTON_FOOTBALLO_DEVICE","features":[58]},{"name":"DIBUTTON_FOOTBALLO_DIVE","features":[58]},{"name":"DIBUTTON_FOOTBALLO_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_FOOTBALLO_JUKE","features":[58]},{"name":"DIBUTTON_FOOTBALLO_JUMP","features":[58]},{"name":"DIBUTTON_FOOTBALLO_LEFTARM","features":[58]},{"name":"DIBUTTON_FOOTBALLO_LEFT_LINK","features":[58]},{"name":"DIBUTTON_FOOTBALLO_MENU","features":[58]},{"name":"DIBUTTON_FOOTBALLO_PAUSE","features":[58]},{"name":"DIBUTTON_FOOTBALLO_RIGHTARM","features":[58]},{"name":"DIBUTTON_FOOTBALLO_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_FOOTBALLO_SHOULDER","features":[58]},{"name":"DIBUTTON_FOOTBALLO_SPIN","features":[58]},{"name":"DIBUTTON_FOOTBALLO_SUBSTITUTE","features":[58]},{"name":"DIBUTTON_FOOTBALLO_THROW","features":[58]},{"name":"DIBUTTON_FOOTBALLO_TURBO","features":[58]},{"name":"DIBUTTON_FOOTBALLO_ZOOM","features":[58]},{"name":"DIBUTTON_FOOTBALLP_DEVICE","features":[58]},{"name":"DIBUTTON_FOOTBALLP_HELP","features":[58]},{"name":"DIBUTTON_FOOTBALLP_MENU","features":[58]},{"name":"DIBUTTON_FOOTBALLP_PAUSE","features":[58]},{"name":"DIBUTTON_FOOTBALLP_PLAY","features":[58]},{"name":"DIBUTTON_FOOTBALLP_SELECT","features":[58]},{"name":"DIBUTTON_FOOTBALLQ_AUDIBLE","features":[58]},{"name":"DIBUTTON_FOOTBALLQ_BACK_LINK","features":[58]},{"name":"DIBUTTON_FOOTBALLQ_DEVICE","features":[58]},{"name":"DIBUTTON_FOOTBALLQ_FAKE","features":[58]},{"name":"DIBUTTON_FOOTBALLQ_FAKESNAP","features":[58]},{"name":"DIBUTTON_FOOTBALLQ_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_FOOTBALLQ_JUMP","features":[58]},{"name":"DIBUTTON_FOOTBALLQ_LEFT_LINK","features":[58]},{"name":"DIBUTTON_FOOTBALLQ_MENU","features":[58]},{"name":"DIBUTTON_FOOTBALLQ_MOTION","features":[58]},{"name":"DIBUTTON_FOOTBALLQ_PASS","features":[58]},{"name":"DIBUTTON_FOOTBALLQ_PAUSE","features":[58]},{"name":"DIBUTTON_FOOTBALLQ_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_FOOTBALLQ_SELECT","features":[58]},{"name":"DIBUTTON_FOOTBALLQ_SLIDE","features":[58]},{"name":"DIBUTTON_FOOTBALLQ_SNAP","features":[58]},{"name":"DIBUTTON_FPS_APPLY","features":[58]},{"name":"DIBUTTON_FPS_BACKWARD_LINK","features":[58]},{"name":"DIBUTTON_FPS_CROUCH","features":[58]},{"name":"DIBUTTON_FPS_DEVICE","features":[58]},{"name":"DIBUTTON_FPS_DISPLAY","features":[58]},{"name":"DIBUTTON_FPS_DODGE","features":[58]},{"name":"DIBUTTON_FPS_FIRE","features":[58]},{"name":"DIBUTTON_FPS_FIRESECONDARY","features":[58]},{"name":"DIBUTTON_FPS_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_FPS_GLANCEL","features":[58]},{"name":"DIBUTTON_FPS_GLANCER","features":[58]},{"name":"DIBUTTON_FPS_GLANCE_DOWN_LINK","features":[58]},{"name":"DIBUTTON_FPS_GLANCE_UP_LINK","features":[58]},{"name":"DIBUTTON_FPS_JUMP","features":[58]},{"name":"DIBUTTON_FPS_MENU","features":[58]},{"name":"DIBUTTON_FPS_PAUSE","features":[58]},{"name":"DIBUTTON_FPS_ROTATE_LEFT_LINK","features":[58]},{"name":"DIBUTTON_FPS_ROTATE_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_FPS_SELECT","features":[58]},{"name":"DIBUTTON_FPS_STEP_LEFT_LINK","features":[58]},{"name":"DIBUTTON_FPS_STEP_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_FPS_STRAFE","features":[58]},{"name":"DIBUTTON_FPS_WEAPONS","features":[58]},{"name":"DIBUTTON_GOLF_BACK_LINK","features":[58]},{"name":"DIBUTTON_GOLF_DEVICE","features":[58]},{"name":"DIBUTTON_GOLF_DOWN","features":[58]},{"name":"DIBUTTON_GOLF_FLYBY","features":[58]},{"name":"DIBUTTON_GOLF_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_GOLF_LEFT_LINK","features":[58]},{"name":"DIBUTTON_GOLF_MENU","features":[58]},{"name":"DIBUTTON_GOLF_PAUSE","features":[58]},{"name":"DIBUTTON_GOLF_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_GOLF_SELECT","features":[58]},{"name":"DIBUTTON_GOLF_SUBSTITUTE","features":[58]},{"name":"DIBUTTON_GOLF_SWING","features":[58]},{"name":"DIBUTTON_GOLF_TERRAIN","features":[58]},{"name":"DIBUTTON_GOLF_TIMEOUT","features":[58]},{"name":"DIBUTTON_GOLF_UP","features":[58]},{"name":"DIBUTTON_GOLF_ZOOM","features":[58]},{"name":"DIBUTTON_HOCKEYD_BACK_LINK","features":[58]},{"name":"DIBUTTON_HOCKEYD_BLOCK","features":[58]},{"name":"DIBUTTON_HOCKEYD_BURST","features":[58]},{"name":"DIBUTTON_HOCKEYD_DEVICE","features":[58]},{"name":"DIBUTTON_HOCKEYD_FAKE","features":[58]},{"name":"DIBUTTON_HOCKEYD_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_HOCKEYD_LEFT_LINK","features":[58]},{"name":"DIBUTTON_HOCKEYD_MENU","features":[58]},{"name":"DIBUTTON_HOCKEYD_PAUSE","features":[58]},{"name":"DIBUTTON_HOCKEYD_PLAYER","features":[58]},{"name":"DIBUTTON_HOCKEYD_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_HOCKEYD_STEAL","features":[58]},{"name":"DIBUTTON_HOCKEYD_STRATEGY","features":[58]},{"name":"DIBUTTON_HOCKEYD_SUBSTITUTE","features":[58]},{"name":"DIBUTTON_HOCKEYD_TIMEOUT","features":[58]},{"name":"DIBUTTON_HOCKEYD_ZOOM","features":[58]},{"name":"DIBUTTON_HOCKEYG_BACK_LINK","features":[58]},{"name":"DIBUTTON_HOCKEYG_BLOCK","features":[58]},{"name":"DIBUTTON_HOCKEYG_DEVICE","features":[58]},{"name":"DIBUTTON_HOCKEYG_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_HOCKEYG_LEFT_LINK","features":[58]},{"name":"DIBUTTON_HOCKEYG_MENU","features":[58]},{"name":"DIBUTTON_HOCKEYG_PASS","features":[58]},{"name":"DIBUTTON_HOCKEYG_PAUSE","features":[58]},{"name":"DIBUTTON_HOCKEYG_POKE","features":[58]},{"name":"DIBUTTON_HOCKEYG_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_HOCKEYG_STEAL","features":[58]},{"name":"DIBUTTON_HOCKEYG_STRATEGY","features":[58]},{"name":"DIBUTTON_HOCKEYG_SUBSTITUTE","features":[58]},{"name":"DIBUTTON_HOCKEYG_TIMEOUT","features":[58]},{"name":"DIBUTTON_HOCKEYG_ZOOM","features":[58]},{"name":"DIBUTTON_HOCKEYO_BACK_LINK","features":[58]},{"name":"DIBUTTON_HOCKEYO_BURST","features":[58]},{"name":"DIBUTTON_HOCKEYO_DEVICE","features":[58]},{"name":"DIBUTTON_HOCKEYO_FAKE","features":[58]},{"name":"DIBUTTON_HOCKEYO_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_HOCKEYO_LEFT_LINK","features":[58]},{"name":"DIBUTTON_HOCKEYO_MENU","features":[58]},{"name":"DIBUTTON_HOCKEYO_PASS","features":[58]},{"name":"DIBUTTON_HOCKEYO_PAUSE","features":[58]},{"name":"DIBUTTON_HOCKEYO_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_HOCKEYO_SHOOT","features":[58]},{"name":"DIBUTTON_HOCKEYO_SPECIAL","features":[58]},{"name":"DIBUTTON_HOCKEYO_STRATEGY","features":[58]},{"name":"DIBUTTON_HOCKEYO_SUBSTITUTE","features":[58]},{"name":"DIBUTTON_HOCKEYO_TIMEOUT","features":[58]},{"name":"DIBUTTON_HOCKEYO_ZOOM","features":[58]},{"name":"DIBUTTON_HUNTING_AIM","features":[58]},{"name":"DIBUTTON_HUNTING_BACK_LINK","features":[58]},{"name":"DIBUTTON_HUNTING_BINOCULAR","features":[58]},{"name":"DIBUTTON_HUNTING_CALL","features":[58]},{"name":"DIBUTTON_HUNTING_CROUCH","features":[58]},{"name":"DIBUTTON_HUNTING_DEVICE","features":[58]},{"name":"DIBUTTON_HUNTING_DISPLAY","features":[58]},{"name":"DIBUTTON_HUNTING_FIRE","features":[58]},{"name":"DIBUTTON_HUNTING_FIRESECONDARY","features":[58]},{"name":"DIBUTTON_HUNTING_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_HUNTING_JUMP","features":[58]},{"name":"DIBUTTON_HUNTING_LEFT_LINK","features":[58]},{"name":"DIBUTTON_HUNTING_MAP","features":[58]},{"name":"DIBUTTON_HUNTING_MENU","features":[58]},{"name":"DIBUTTON_HUNTING_PAUSE","features":[58]},{"name":"DIBUTTON_HUNTING_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_HUNTING_ROTATE_LEFT_LINK","features":[58]},{"name":"DIBUTTON_HUNTING_ROTATE_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_HUNTING_SPECIAL","features":[58]},{"name":"DIBUTTON_HUNTING_WEAPON","features":[58]},{"name":"DIBUTTON_MECHA_BACK_LINK","features":[58]},{"name":"DIBUTTON_MECHA_CENTER","features":[58]},{"name":"DIBUTTON_MECHA_DEVICE","features":[58]},{"name":"DIBUTTON_MECHA_FASTER_LINK","features":[58]},{"name":"DIBUTTON_MECHA_FIRE","features":[58]},{"name":"DIBUTTON_MECHA_FIRESECONDARY","features":[58]},{"name":"DIBUTTON_MECHA_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_MECHA_JUMP","features":[58]},{"name":"DIBUTTON_MECHA_LEFT_LINK","features":[58]},{"name":"DIBUTTON_MECHA_MENU","features":[58]},{"name":"DIBUTTON_MECHA_PAUSE","features":[58]},{"name":"DIBUTTON_MECHA_REVERSE","features":[58]},{"name":"DIBUTTON_MECHA_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_MECHA_ROTATE_LEFT_LINK","features":[58]},{"name":"DIBUTTON_MECHA_ROTATE_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_MECHA_SLOWER_LINK","features":[58]},{"name":"DIBUTTON_MECHA_TARGET","features":[58]},{"name":"DIBUTTON_MECHA_VIEW","features":[58]},{"name":"DIBUTTON_MECHA_WEAPONS","features":[58]},{"name":"DIBUTTON_MECHA_ZOOM","features":[58]},{"name":"DIBUTTON_RACQUET_BACKSWING","features":[58]},{"name":"DIBUTTON_RACQUET_BACK_LINK","features":[58]},{"name":"DIBUTTON_RACQUET_DEVICE","features":[58]},{"name":"DIBUTTON_RACQUET_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_RACQUET_LEFT_LINK","features":[58]},{"name":"DIBUTTON_RACQUET_MENU","features":[58]},{"name":"DIBUTTON_RACQUET_PAUSE","features":[58]},{"name":"DIBUTTON_RACQUET_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_RACQUET_SELECT","features":[58]},{"name":"DIBUTTON_RACQUET_SMASH","features":[58]},{"name":"DIBUTTON_RACQUET_SPECIAL","features":[58]},{"name":"DIBUTTON_RACQUET_SUBSTITUTE","features":[58]},{"name":"DIBUTTON_RACQUET_SWING","features":[58]},{"name":"DIBUTTON_RACQUET_TIMEOUT","features":[58]},{"name":"DIBUTTON_REMOTE_ADJUST","features":[58]},{"name":"DIBUTTON_REMOTE_CABLE","features":[58]},{"name":"DIBUTTON_REMOTE_CD","features":[58]},{"name":"DIBUTTON_REMOTE_CHANGE","features":[58]},{"name":"DIBUTTON_REMOTE_CUE","features":[58]},{"name":"DIBUTTON_REMOTE_DEVICE","features":[58]},{"name":"DIBUTTON_REMOTE_DIGIT0","features":[58]},{"name":"DIBUTTON_REMOTE_DIGIT1","features":[58]},{"name":"DIBUTTON_REMOTE_DIGIT2","features":[58]},{"name":"DIBUTTON_REMOTE_DIGIT3","features":[58]},{"name":"DIBUTTON_REMOTE_DIGIT4","features":[58]},{"name":"DIBUTTON_REMOTE_DIGIT5","features":[58]},{"name":"DIBUTTON_REMOTE_DIGIT6","features":[58]},{"name":"DIBUTTON_REMOTE_DIGIT7","features":[58]},{"name":"DIBUTTON_REMOTE_DIGIT8","features":[58]},{"name":"DIBUTTON_REMOTE_DIGIT9","features":[58]},{"name":"DIBUTTON_REMOTE_DVD","features":[58]},{"name":"DIBUTTON_REMOTE_MENU","features":[58]},{"name":"DIBUTTON_REMOTE_MUTE","features":[58]},{"name":"DIBUTTON_REMOTE_PAUSE","features":[58]},{"name":"DIBUTTON_REMOTE_PLAY","features":[58]},{"name":"DIBUTTON_REMOTE_RECORD","features":[58]},{"name":"DIBUTTON_REMOTE_REVIEW","features":[58]},{"name":"DIBUTTON_REMOTE_SELECT","features":[58]},{"name":"DIBUTTON_REMOTE_TUNER","features":[58]},{"name":"DIBUTTON_REMOTE_TV","features":[58]},{"name":"DIBUTTON_REMOTE_VCR","features":[58]},{"name":"DIBUTTON_SKIING_CAMERA","features":[58]},{"name":"DIBUTTON_SKIING_CROUCH","features":[58]},{"name":"DIBUTTON_SKIING_DEVICE","features":[58]},{"name":"DIBUTTON_SKIING_FASTER_LINK","features":[58]},{"name":"DIBUTTON_SKIING_JUMP","features":[58]},{"name":"DIBUTTON_SKIING_LEFT_LINK","features":[58]},{"name":"DIBUTTON_SKIING_MENU","features":[58]},{"name":"DIBUTTON_SKIING_PAUSE","features":[58]},{"name":"DIBUTTON_SKIING_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_SKIING_SELECT","features":[58]},{"name":"DIBUTTON_SKIING_SLOWER_LINK","features":[58]},{"name":"DIBUTTON_SKIING_SPECIAL1","features":[58]},{"name":"DIBUTTON_SKIING_SPECIAL2","features":[58]},{"name":"DIBUTTON_SKIING_ZOOM","features":[58]},{"name":"DIBUTTON_SOCCERD_BACK_LINK","features":[58]},{"name":"DIBUTTON_SOCCERD_BLOCK","features":[58]},{"name":"DIBUTTON_SOCCERD_CLEAR","features":[58]},{"name":"DIBUTTON_SOCCERD_DEVICE","features":[58]},{"name":"DIBUTTON_SOCCERD_FAKE","features":[58]},{"name":"DIBUTTON_SOCCERD_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_SOCCERD_FOUL","features":[58]},{"name":"DIBUTTON_SOCCERD_GOALIECHARGE","features":[58]},{"name":"DIBUTTON_SOCCERD_HEAD","features":[58]},{"name":"DIBUTTON_SOCCERD_LEFT_LINK","features":[58]},{"name":"DIBUTTON_SOCCERD_MENU","features":[58]},{"name":"DIBUTTON_SOCCERD_PAUSE","features":[58]},{"name":"DIBUTTON_SOCCERD_PLAYER","features":[58]},{"name":"DIBUTTON_SOCCERD_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_SOCCERD_SELECT","features":[58]},{"name":"DIBUTTON_SOCCERD_SLIDE","features":[58]},{"name":"DIBUTTON_SOCCERD_SPECIAL","features":[58]},{"name":"DIBUTTON_SOCCERD_STEAL","features":[58]},{"name":"DIBUTTON_SOCCERD_SUBSTITUTE","features":[58]},{"name":"DIBUTTON_SOCCERO_BACK_LINK","features":[58]},{"name":"DIBUTTON_SOCCERO_CONTROL","features":[58]},{"name":"DIBUTTON_SOCCERO_DEVICE","features":[58]},{"name":"DIBUTTON_SOCCERO_FAKE","features":[58]},{"name":"DIBUTTON_SOCCERO_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_SOCCERO_HEAD","features":[58]},{"name":"DIBUTTON_SOCCERO_LEFT_LINK","features":[58]},{"name":"DIBUTTON_SOCCERO_MENU","features":[58]},{"name":"DIBUTTON_SOCCERO_PASS","features":[58]},{"name":"DIBUTTON_SOCCERO_PASSTHRU","features":[58]},{"name":"DIBUTTON_SOCCERO_PAUSE","features":[58]},{"name":"DIBUTTON_SOCCERO_PLAYER","features":[58]},{"name":"DIBUTTON_SOCCERO_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_SOCCERO_SELECT","features":[58]},{"name":"DIBUTTON_SOCCERO_SHOOT","features":[58]},{"name":"DIBUTTON_SOCCERO_SHOOTHIGH","features":[58]},{"name":"DIBUTTON_SOCCERO_SHOOTLOW","features":[58]},{"name":"DIBUTTON_SOCCERO_SPECIAL1","features":[58]},{"name":"DIBUTTON_SOCCERO_SPRINT","features":[58]},{"name":"DIBUTTON_SOCCERO_SUBSTITUTE","features":[58]},{"name":"DIBUTTON_SPACESIM_BACKWARD_LINK","features":[58]},{"name":"DIBUTTON_SPACESIM_DEVICE","features":[58]},{"name":"DIBUTTON_SPACESIM_DISPLAY","features":[58]},{"name":"DIBUTTON_SPACESIM_FASTER_LINK","features":[58]},{"name":"DIBUTTON_SPACESIM_FIRE","features":[58]},{"name":"DIBUTTON_SPACESIM_FIRESECONDARY","features":[58]},{"name":"DIBUTTON_SPACESIM_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_SPACESIM_GEAR","features":[58]},{"name":"DIBUTTON_SPACESIM_GLANCE_DOWN_LINK","features":[58]},{"name":"DIBUTTON_SPACESIM_GLANCE_LEFT_LINK","features":[58]},{"name":"DIBUTTON_SPACESIM_GLANCE_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_SPACESIM_GLANCE_UP_LINK","features":[58]},{"name":"DIBUTTON_SPACESIM_LEFT_LINK","features":[58]},{"name":"DIBUTTON_SPACESIM_LOWER","features":[58]},{"name":"DIBUTTON_SPACESIM_MENU","features":[58]},{"name":"DIBUTTON_SPACESIM_PAUSE","features":[58]},{"name":"DIBUTTON_SPACESIM_RAISE","features":[58]},{"name":"DIBUTTON_SPACESIM_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_SPACESIM_SLOWER_LINK","features":[58]},{"name":"DIBUTTON_SPACESIM_TARGET","features":[58]},{"name":"DIBUTTON_SPACESIM_TURN_LEFT_LINK","features":[58]},{"name":"DIBUTTON_SPACESIM_TURN_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_SPACESIM_VIEW","features":[58]},{"name":"DIBUTTON_SPACESIM_WEAPONS","features":[58]},{"name":"DIBUTTON_STRATEGYR_APPLY","features":[58]},{"name":"DIBUTTON_STRATEGYR_ATTACK","features":[58]},{"name":"DIBUTTON_STRATEGYR_BACK_LINK","features":[58]},{"name":"DIBUTTON_STRATEGYR_CAST","features":[58]},{"name":"DIBUTTON_STRATEGYR_CROUCH","features":[58]},{"name":"DIBUTTON_STRATEGYR_DEVICE","features":[58]},{"name":"DIBUTTON_STRATEGYR_DISPLAY","features":[58]},{"name":"DIBUTTON_STRATEGYR_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_STRATEGYR_GET","features":[58]},{"name":"DIBUTTON_STRATEGYR_JUMP","features":[58]},{"name":"DIBUTTON_STRATEGYR_LEFT_LINK","features":[58]},{"name":"DIBUTTON_STRATEGYR_MAP","features":[58]},{"name":"DIBUTTON_STRATEGYR_MENU","features":[58]},{"name":"DIBUTTON_STRATEGYR_PAUSE","features":[58]},{"name":"DIBUTTON_STRATEGYR_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_STRATEGYR_ROTATE_LEFT_LINK","features":[58]},{"name":"DIBUTTON_STRATEGYR_ROTATE_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_STRATEGYR_SELECT","features":[58]},{"name":"DIBUTTON_STRATEGYT_APPLY","features":[58]},{"name":"DIBUTTON_STRATEGYT_BACK_LINK","features":[58]},{"name":"DIBUTTON_STRATEGYT_DEVICE","features":[58]},{"name":"DIBUTTON_STRATEGYT_DISPLAY","features":[58]},{"name":"DIBUTTON_STRATEGYT_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_STRATEGYT_INSTRUCT","features":[58]},{"name":"DIBUTTON_STRATEGYT_LEFT_LINK","features":[58]},{"name":"DIBUTTON_STRATEGYT_MAP","features":[58]},{"name":"DIBUTTON_STRATEGYT_MENU","features":[58]},{"name":"DIBUTTON_STRATEGYT_PAUSE","features":[58]},{"name":"DIBUTTON_STRATEGYT_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_STRATEGYT_SELECT","features":[58]},{"name":"DIBUTTON_STRATEGYT_TEAM","features":[58]},{"name":"DIBUTTON_STRATEGYT_TURN","features":[58]},{"name":"DIBUTTON_STRATEGYT_ZOOM","features":[58]},{"name":"DIBUTTON_TPS_ACTION","features":[58]},{"name":"DIBUTTON_TPS_BACKWARD_LINK","features":[58]},{"name":"DIBUTTON_TPS_DEVICE","features":[58]},{"name":"DIBUTTON_TPS_DODGE","features":[58]},{"name":"DIBUTTON_TPS_FORWARD_LINK","features":[58]},{"name":"DIBUTTON_TPS_GLANCE_DOWN_LINK","features":[58]},{"name":"DIBUTTON_TPS_GLANCE_LEFT_LINK","features":[58]},{"name":"DIBUTTON_TPS_GLANCE_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_TPS_GLANCE_UP_LINK","features":[58]},{"name":"DIBUTTON_TPS_INVENTORY","features":[58]},{"name":"DIBUTTON_TPS_JUMP","features":[58]},{"name":"DIBUTTON_TPS_MENU","features":[58]},{"name":"DIBUTTON_TPS_PAUSE","features":[58]},{"name":"DIBUTTON_TPS_RUN","features":[58]},{"name":"DIBUTTON_TPS_SELECT","features":[58]},{"name":"DIBUTTON_TPS_STEPLEFT","features":[58]},{"name":"DIBUTTON_TPS_STEPRIGHT","features":[58]},{"name":"DIBUTTON_TPS_TURN_LEFT_LINK","features":[58]},{"name":"DIBUTTON_TPS_TURN_RIGHT_LINK","features":[58]},{"name":"DIBUTTON_TPS_USE","features":[58]},{"name":"DIBUTTON_TPS_VIEW","features":[58]},{"name":"DICD_DEFAULT","features":[58]},{"name":"DICD_EDIT","features":[58]},{"name":"DICOLORSET","features":[58]},{"name":"DICONDITION","features":[58]},{"name":"DICONFIGUREDEVICESPARAMSA","features":[58,1]},{"name":"DICONFIGUREDEVICESPARAMSW","features":[58,1]},{"name":"DICONSTANTFORCE","features":[58]},{"name":"DICUSTOMFORCE","features":[58]},{"name":"DIDAL_BOTTOMALIGNED","features":[58]},{"name":"DIDAL_CENTERED","features":[58]},{"name":"DIDAL_LEFTALIGNED","features":[58]},{"name":"DIDAL_MIDDLE","features":[58]},{"name":"DIDAL_RIGHTALIGNED","features":[58]},{"name":"DIDAL_TOPALIGNED","features":[58]},{"name":"DIDATAFORMAT","features":[58]},{"name":"DIDBAM_DEFAULT","features":[58]},{"name":"DIDBAM_HWDEFAULTS","features":[58]},{"name":"DIDBAM_INITIALIZE","features":[58]},{"name":"DIDBAM_PRESERVE","features":[58]},{"name":"DIDC_ALIAS","features":[58]},{"name":"DIDC_ATTACHED","features":[58]},{"name":"DIDC_DEADBAND","features":[58]},{"name":"DIDC_EMULATED","features":[58]},{"name":"DIDC_FFATTACK","features":[58]},{"name":"DIDC_FFFADE","features":[58]},{"name":"DIDC_FORCEFEEDBACK","features":[58]},{"name":"DIDC_HIDDEN","features":[58]},{"name":"DIDC_PHANTOM","features":[58]},{"name":"DIDC_POLLEDDATAFORMAT","features":[58]},{"name":"DIDC_POLLEDDEVICE","features":[58]},{"name":"DIDC_POSNEGCOEFFICIENTS","features":[58]},{"name":"DIDC_POSNEGSATURATION","features":[58]},{"name":"DIDC_SATURATION","features":[58]},{"name":"DIDC_STARTDELAY","features":[58]},{"name":"DIDEVCAPS","features":[58]},{"name":"DIDEVCAPS_DX3","features":[58]},{"name":"DIDEVICEIMAGEINFOA","features":[58,1]},{"name":"DIDEVICEIMAGEINFOHEADERA","features":[58,1]},{"name":"DIDEVICEIMAGEINFOHEADERW","features":[58,1]},{"name":"DIDEVICEIMAGEINFOW","features":[58,1]},{"name":"DIDEVICEINSTANCEA","features":[58]},{"name":"DIDEVICEINSTANCEW","features":[58]},{"name":"DIDEVICEINSTANCE_DX3A","features":[58]},{"name":"DIDEVICEINSTANCE_DX3W","features":[58]},{"name":"DIDEVICEOBJECTDATA","features":[58]},{"name":"DIDEVICEOBJECTDATA_DX3","features":[58]},{"name":"DIDEVICEOBJECTINSTANCEA","features":[58]},{"name":"DIDEVICEOBJECTINSTANCEW","features":[58]},{"name":"DIDEVICEOBJECTINSTANCE_DX3A","features":[58]},{"name":"DIDEVICEOBJECTINSTANCE_DX3W","features":[58]},{"name":"DIDEVICESTATE","features":[58]},{"name":"DIDEVTYPEJOYSTICK_FLIGHTSTICK","features":[58]},{"name":"DIDEVTYPEJOYSTICK_GAMEPAD","features":[58]},{"name":"DIDEVTYPEJOYSTICK_HEADTRACKER","features":[58]},{"name":"DIDEVTYPEJOYSTICK_RUDDER","features":[58]},{"name":"DIDEVTYPEJOYSTICK_TRADITIONAL","features":[58]},{"name":"DIDEVTYPEJOYSTICK_UNKNOWN","features":[58]},{"name":"DIDEVTYPEJOYSTICK_WHEEL","features":[58]},{"name":"DIDEVTYPEKEYBOARD_J3100","features":[58]},{"name":"DIDEVTYPEKEYBOARD_JAPAN106","features":[58]},{"name":"DIDEVTYPEKEYBOARD_JAPANAX","features":[58]},{"name":"DIDEVTYPEKEYBOARD_NEC98","features":[58]},{"name":"DIDEVTYPEKEYBOARD_NEC98106","features":[58]},{"name":"DIDEVTYPEKEYBOARD_NEC98LAPTOP","features":[58]},{"name":"DIDEVTYPEKEYBOARD_NOKIA1050","features":[58]},{"name":"DIDEVTYPEKEYBOARD_NOKIA9140","features":[58]},{"name":"DIDEVTYPEKEYBOARD_OLIVETTI","features":[58]},{"name":"DIDEVTYPEKEYBOARD_PCAT","features":[58]},{"name":"DIDEVTYPEKEYBOARD_PCENH","features":[58]},{"name":"DIDEVTYPEKEYBOARD_PCXT","features":[58]},{"name":"DIDEVTYPEKEYBOARD_UNKNOWN","features":[58]},{"name":"DIDEVTYPEMOUSE_FINGERSTICK","features":[58]},{"name":"DIDEVTYPEMOUSE_TOUCHPAD","features":[58]},{"name":"DIDEVTYPEMOUSE_TRACKBALL","features":[58]},{"name":"DIDEVTYPEMOUSE_TRADITIONAL","features":[58]},{"name":"DIDEVTYPEMOUSE_UNKNOWN","features":[58]},{"name":"DIDEVTYPE_DEVICE","features":[58]},{"name":"DIDEVTYPE_HID","features":[58]},{"name":"DIDEVTYPE_JOYSTICK","features":[58]},{"name":"DIDEVTYPE_KEYBOARD","features":[58]},{"name":"DIDEVTYPE_MOUSE","features":[58]},{"name":"DIDFT_ABSAXIS","features":[58]},{"name":"DIDFT_ALIAS","features":[58]},{"name":"DIDFT_ALL","features":[58]},{"name":"DIDFT_ANYINSTANCE","features":[58]},{"name":"DIDFT_AXIS","features":[58]},{"name":"DIDFT_BUTTON","features":[58]},{"name":"DIDFT_COLLECTION","features":[58]},{"name":"DIDFT_FFACTUATOR","features":[58]},{"name":"DIDFT_FFEFFECTTRIGGER","features":[58]},{"name":"DIDFT_INSTANCEMASK","features":[58]},{"name":"DIDFT_NOCOLLECTION","features":[58]},{"name":"DIDFT_NODATA","features":[58]},{"name":"DIDFT_OUTPUT","features":[58]},{"name":"DIDFT_POV","features":[58]},{"name":"DIDFT_PSHBUTTON","features":[58]},{"name":"DIDFT_RELAXIS","features":[58]},{"name":"DIDFT_TGLBUTTON","features":[58]},{"name":"DIDFT_VENDORDEFINED","features":[58]},{"name":"DIDF_ABSAXIS","features":[58]},{"name":"DIDF_RELAXIS","features":[58]},{"name":"DIDIFT_CONFIGURATION","features":[58]},{"name":"DIDIFT_DELETE","features":[58]},{"name":"DIDIFT_OVERLAY","features":[58]},{"name":"DIDOI_ASPECTACCEL","features":[58]},{"name":"DIDOI_ASPECTFORCE","features":[58]},{"name":"DIDOI_ASPECTMASK","features":[58]},{"name":"DIDOI_ASPECTPOSITION","features":[58]},{"name":"DIDOI_ASPECTVELOCITY","features":[58]},{"name":"DIDOI_FFACTUATOR","features":[58]},{"name":"DIDOI_FFEFFECTTRIGGER","features":[58]},{"name":"DIDOI_GUIDISUSAGE","features":[58]},{"name":"DIDOI_POLLED","features":[58]},{"name":"DIDRIVERVERSIONS","features":[58]},{"name":"DIDSAM_DEFAULT","features":[58]},{"name":"DIDSAM_FORCESAVE","features":[58]},{"name":"DIDSAM_NOUSER","features":[58]},{"name":"DIEB_NOTRIGGER","features":[58]},{"name":"DIEDBSFL_ATTACHEDONLY","features":[58]},{"name":"DIEDBSFL_AVAILABLEDEVICES","features":[58]},{"name":"DIEDBSFL_FORCEFEEDBACK","features":[58]},{"name":"DIEDBSFL_MULTIMICEKEYBOARDS","features":[58]},{"name":"DIEDBSFL_NONGAMINGDEVICES","features":[58]},{"name":"DIEDBSFL_THISUSER","features":[58]},{"name":"DIEDBSFL_VALID","features":[58]},{"name":"DIEDBS_MAPPEDPRI1","features":[58]},{"name":"DIEDBS_MAPPEDPRI2","features":[58]},{"name":"DIEDBS_NEWDEVICE","features":[58]},{"name":"DIEDBS_RECENTDEVICE","features":[58]},{"name":"DIEDFL_ALLDEVICES","features":[58]},{"name":"DIEDFL_ATTACHEDONLY","features":[58]},{"name":"DIEDFL_FORCEFEEDBACK","features":[58]},{"name":"DIEDFL_INCLUDEALIASES","features":[58]},{"name":"DIEDFL_INCLUDEHIDDEN","features":[58]},{"name":"DIEDFL_INCLUDEPHANTOMS","features":[58]},{"name":"DIEFFECT","features":[58]},{"name":"DIEFFECTATTRIBUTES","features":[58]},{"name":"DIEFFECTINFOA","features":[58]},{"name":"DIEFFECTINFOW","features":[58]},{"name":"DIEFFECT_DX5","features":[58]},{"name":"DIEFFESCAPE","features":[58]},{"name":"DIEFF_CARTESIAN","features":[58]},{"name":"DIEFF_OBJECTIDS","features":[58]},{"name":"DIEFF_OBJECTOFFSETS","features":[58]},{"name":"DIEFF_POLAR","features":[58]},{"name":"DIEFF_SPHERICAL","features":[58]},{"name":"DIEFT_ALL","features":[58]},{"name":"DIEFT_CONDITION","features":[58]},{"name":"DIEFT_CONSTANTFORCE","features":[58]},{"name":"DIEFT_CUSTOMFORCE","features":[58]},{"name":"DIEFT_DEADBAND","features":[58]},{"name":"DIEFT_FFATTACK","features":[58]},{"name":"DIEFT_FFFADE","features":[58]},{"name":"DIEFT_HARDWARE","features":[58]},{"name":"DIEFT_PERIODIC","features":[58]},{"name":"DIEFT_POSNEGCOEFFICIENTS","features":[58]},{"name":"DIEFT_POSNEGSATURATION","features":[58]},{"name":"DIEFT_RAMPFORCE","features":[58]},{"name":"DIEFT_SATURATION","features":[58]},{"name":"DIEFT_STARTDELAY","features":[58]},{"name":"DIEGES_EMULATED","features":[58]},{"name":"DIEGES_PLAYING","features":[58]},{"name":"DIENUM_CONTINUE","features":[58]},{"name":"DIENUM_STOP","features":[58]},{"name":"DIENVELOPE","features":[58]},{"name":"DIEP_ALLPARAMS","features":[58]},{"name":"DIEP_ALLPARAMS_DX5","features":[58]},{"name":"DIEP_AXES","features":[58]},{"name":"DIEP_DIRECTION","features":[58]},{"name":"DIEP_DURATION","features":[58]},{"name":"DIEP_ENVELOPE","features":[58]},{"name":"DIEP_GAIN","features":[58]},{"name":"DIEP_NODOWNLOAD","features":[58]},{"name":"DIEP_NORESTART","features":[58]},{"name":"DIEP_SAMPLEPERIOD","features":[58]},{"name":"DIEP_START","features":[58]},{"name":"DIEP_STARTDELAY","features":[58]},{"name":"DIEP_TRIGGERBUTTON","features":[58]},{"name":"DIEP_TRIGGERREPEATINTERVAL","features":[58]},{"name":"DIEP_TYPESPECIFICPARAMS","features":[58]},{"name":"DIERR_ACQUIRED","features":[58]},{"name":"DIERR_ALREADYINITIALIZED","features":[58]},{"name":"DIERR_BADDRIVERVER","features":[58]},{"name":"DIERR_BADINF","features":[58]},{"name":"DIERR_BETADIRECTINPUTVERSION","features":[58]},{"name":"DIERR_CANCELLED","features":[58]},{"name":"DIERR_DEVICEFULL","features":[58]},{"name":"DIERR_DEVICENOTREG","features":[58]},{"name":"DIERR_DRIVERFIRST","features":[58]},{"name":"DIERR_DRIVERLAST","features":[58]},{"name":"DIERR_EFFECTPLAYING","features":[58]},{"name":"DIERR_GENERIC","features":[58]},{"name":"DIERR_HANDLEEXISTS","features":[58]},{"name":"DIERR_HASEFFECTS","features":[58]},{"name":"DIERR_INCOMPLETEEFFECT","features":[58]},{"name":"DIERR_INPUTLOST","features":[58]},{"name":"DIERR_INSUFFICIENTPRIVS","features":[58]},{"name":"DIERR_INVALIDCLASSINSTALLER","features":[58]},{"name":"DIERR_INVALIDPARAM","features":[58]},{"name":"DIERR_MAPFILEFAIL","features":[58]},{"name":"DIERR_MOREDATA","features":[58]},{"name":"DIERR_NOAGGREGATION","features":[58]},{"name":"DIERR_NOINTERFACE","features":[58]},{"name":"DIERR_NOMOREITEMS","features":[58]},{"name":"DIERR_NOTACQUIRED","features":[58]},{"name":"DIERR_NOTBUFFERED","features":[58]},{"name":"DIERR_NOTDOWNLOADED","features":[58]},{"name":"DIERR_NOTEXCLUSIVEACQUIRED","features":[58]},{"name":"DIERR_NOTFOUND","features":[58]},{"name":"DIERR_NOTINITIALIZED","features":[58]},{"name":"DIERR_OBJECTNOTFOUND","features":[58]},{"name":"DIERR_OLDDIRECTINPUTVERSION","features":[58]},{"name":"DIERR_OTHERAPPHASPRIO","features":[58]},{"name":"DIERR_OUTOFMEMORY","features":[58]},{"name":"DIERR_READONLY","features":[58]},{"name":"DIERR_REPORTFULL","features":[58]},{"name":"DIERR_UNPLUGGED","features":[58]},{"name":"DIERR_UNSUPPORTED","features":[58]},{"name":"DIES_NODOWNLOAD","features":[58]},{"name":"DIES_SOLO","features":[58]},{"name":"DIFEF_DEFAULT","features":[58]},{"name":"DIFEF_INCLUDENONSTANDARD","features":[58]},{"name":"DIFEF_MODIFYIFNEEDED","features":[58]},{"name":"DIFFDEVICEATTRIBUTES","features":[58]},{"name":"DIFFOBJECTATTRIBUTES","features":[58]},{"name":"DIFILEEFFECT","features":[58]},{"name":"DIGDD_PEEK","features":[58]},{"name":"DIGFFS_ACTUATORSOFF","features":[58]},{"name":"DIGFFS_ACTUATORSON","features":[58]},{"name":"DIGFFS_DEVICELOST","features":[58]},{"name":"DIGFFS_EMPTY","features":[58]},{"name":"DIGFFS_PAUSED","features":[58]},{"name":"DIGFFS_POWEROFF","features":[58]},{"name":"DIGFFS_POWERON","features":[58]},{"name":"DIGFFS_SAFETYSWITCHOFF","features":[58]},{"name":"DIGFFS_SAFETYSWITCHON","features":[58]},{"name":"DIGFFS_STOPPED","features":[58]},{"name":"DIGFFS_USERFFSWITCHOFF","features":[58]},{"name":"DIGFFS_USERFFSWITCHON","features":[58]},{"name":"DIHATSWITCH_2DCONTROL_HATSWITCH","features":[58]},{"name":"DIHATSWITCH_3DCONTROL_HATSWITCH","features":[58]},{"name":"DIHATSWITCH_ARCADEP_VIEW","features":[58]},{"name":"DIHATSWITCH_ARCADES_VIEW","features":[58]},{"name":"DIHATSWITCH_BBALLD_GLANCE","features":[58]},{"name":"DIHATSWITCH_BBALLO_GLANCE","features":[58]},{"name":"DIHATSWITCH_BIKINGM_SCROLL","features":[58]},{"name":"DIHATSWITCH_CADF_HATSWITCH","features":[58]},{"name":"DIHATSWITCH_CADM_HATSWITCH","features":[58]},{"name":"DIHATSWITCH_DRIVINGC_GLANCE","features":[58]},{"name":"DIHATSWITCH_DRIVINGR_GLANCE","features":[58]},{"name":"DIHATSWITCH_DRIVINGT_GLANCE","features":[58]},{"name":"DIHATSWITCH_FIGHTINGH_SLIDE","features":[58]},{"name":"DIHATSWITCH_FISHING_GLANCE","features":[58]},{"name":"DIHATSWITCH_FLYINGC_GLANCE","features":[58]},{"name":"DIHATSWITCH_FLYINGH_GLANCE","features":[58]},{"name":"DIHATSWITCH_FLYINGM_GLANCE","features":[58]},{"name":"DIHATSWITCH_FPS_GLANCE","features":[58]},{"name":"DIHATSWITCH_GOLF_SCROLL","features":[58]},{"name":"DIHATSWITCH_HOCKEYD_SCROLL","features":[58]},{"name":"DIHATSWITCH_HOCKEYG_SCROLL","features":[58]},{"name":"DIHATSWITCH_HOCKEYO_SCROLL","features":[58]},{"name":"DIHATSWITCH_HUNTING_GLANCE","features":[58]},{"name":"DIHATSWITCH_MECHA_GLANCE","features":[58]},{"name":"DIHATSWITCH_RACQUET_GLANCE","features":[58]},{"name":"DIHATSWITCH_SKIING_GLANCE","features":[58]},{"name":"DIHATSWITCH_SOCCERD_GLANCE","features":[58]},{"name":"DIHATSWITCH_SOCCERO_GLANCE","features":[58]},{"name":"DIHATSWITCH_SPACESIM_GLANCE","features":[58]},{"name":"DIHATSWITCH_STRATEGYR_GLANCE","features":[58]},{"name":"DIHATSWITCH_TPS_GLANCE","features":[58]},{"name":"DIHIDFFINITINFO","features":[58]},{"name":"DIJC_CALLOUT","features":[58]},{"name":"DIJC_GAIN","features":[58]},{"name":"DIJC_GUIDINSTANCE","features":[58]},{"name":"DIJC_REGHWCONFIGTYPE","features":[58]},{"name":"DIJC_WDMGAMEPORT","features":[58]},{"name":"DIJOYCONFIG","features":[58]},{"name":"DIJOYCONFIG_DX5","features":[58]},{"name":"DIJOYSTATE","features":[58]},{"name":"DIJOYSTATE2","features":[58]},{"name":"DIJOYTYPEINFO","features":[58]},{"name":"DIJOYTYPEINFO_DX5","features":[58]},{"name":"DIJOYTYPEINFO_DX6","features":[58]},{"name":"DIJOYUSERVALUES","features":[58]},{"name":"DIJU_GAMEPORTEMULATOR","features":[58]},{"name":"DIJU_GLOBALDRIVER","features":[58]},{"name":"DIJU_USERVALUES","features":[58]},{"name":"DIKEYBOARD_0","features":[58]},{"name":"DIKEYBOARD_1","features":[58]},{"name":"DIKEYBOARD_2","features":[58]},{"name":"DIKEYBOARD_3","features":[58]},{"name":"DIKEYBOARD_4","features":[58]},{"name":"DIKEYBOARD_5","features":[58]},{"name":"DIKEYBOARD_6","features":[58]},{"name":"DIKEYBOARD_7","features":[58]},{"name":"DIKEYBOARD_8","features":[58]},{"name":"DIKEYBOARD_9","features":[58]},{"name":"DIKEYBOARD_A","features":[58]},{"name":"DIKEYBOARD_ABNT_C1","features":[58]},{"name":"DIKEYBOARD_ABNT_C2","features":[58]},{"name":"DIKEYBOARD_ADD","features":[58]},{"name":"DIKEYBOARD_APOSTROPHE","features":[58]},{"name":"DIKEYBOARD_APPS","features":[58]},{"name":"DIKEYBOARD_AT","features":[58]},{"name":"DIKEYBOARD_AX","features":[58]},{"name":"DIKEYBOARD_B","features":[58]},{"name":"DIKEYBOARD_BACK","features":[58]},{"name":"DIKEYBOARD_BACKSLASH","features":[58]},{"name":"DIKEYBOARD_C","features":[58]},{"name":"DIKEYBOARD_CALCULATOR","features":[58]},{"name":"DIKEYBOARD_CAPITAL","features":[58]},{"name":"DIKEYBOARD_COLON","features":[58]},{"name":"DIKEYBOARD_COMMA","features":[58]},{"name":"DIKEYBOARD_CONVERT","features":[58]},{"name":"DIKEYBOARD_D","features":[58]},{"name":"DIKEYBOARD_DECIMAL","features":[58]},{"name":"DIKEYBOARD_DELETE","features":[58]},{"name":"DIKEYBOARD_DIVIDE","features":[58]},{"name":"DIKEYBOARD_DOWN","features":[58]},{"name":"DIKEYBOARD_E","features":[58]},{"name":"DIKEYBOARD_END","features":[58]},{"name":"DIKEYBOARD_EQUALS","features":[58]},{"name":"DIKEYBOARD_ESCAPE","features":[58]},{"name":"DIKEYBOARD_F","features":[58]},{"name":"DIKEYBOARD_F1","features":[58]},{"name":"DIKEYBOARD_F10","features":[58]},{"name":"DIKEYBOARD_F11","features":[58]},{"name":"DIKEYBOARD_F12","features":[58]},{"name":"DIKEYBOARD_F13","features":[58]},{"name":"DIKEYBOARD_F14","features":[58]},{"name":"DIKEYBOARD_F15","features":[58]},{"name":"DIKEYBOARD_F2","features":[58]},{"name":"DIKEYBOARD_F3","features":[58]},{"name":"DIKEYBOARD_F4","features":[58]},{"name":"DIKEYBOARD_F5","features":[58]},{"name":"DIKEYBOARD_F6","features":[58]},{"name":"DIKEYBOARD_F7","features":[58]},{"name":"DIKEYBOARD_F8","features":[58]},{"name":"DIKEYBOARD_F9","features":[58]},{"name":"DIKEYBOARD_G","features":[58]},{"name":"DIKEYBOARD_GRAVE","features":[58]},{"name":"DIKEYBOARD_H","features":[58]},{"name":"DIKEYBOARD_HOME","features":[58]},{"name":"DIKEYBOARD_I","features":[58]},{"name":"DIKEYBOARD_INSERT","features":[58]},{"name":"DIKEYBOARD_J","features":[58]},{"name":"DIKEYBOARD_K","features":[58]},{"name":"DIKEYBOARD_KANA","features":[58]},{"name":"DIKEYBOARD_KANJI","features":[58]},{"name":"DIKEYBOARD_L","features":[58]},{"name":"DIKEYBOARD_LBRACKET","features":[58]},{"name":"DIKEYBOARD_LCONTROL","features":[58]},{"name":"DIKEYBOARD_LEFT","features":[58]},{"name":"DIKEYBOARD_LMENU","features":[58]},{"name":"DIKEYBOARD_LSHIFT","features":[58]},{"name":"DIKEYBOARD_LWIN","features":[58]},{"name":"DIKEYBOARD_M","features":[58]},{"name":"DIKEYBOARD_MAIL","features":[58]},{"name":"DIKEYBOARD_MEDIASELECT","features":[58]},{"name":"DIKEYBOARD_MEDIASTOP","features":[58]},{"name":"DIKEYBOARD_MINUS","features":[58]},{"name":"DIKEYBOARD_MULTIPLY","features":[58]},{"name":"DIKEYBOARD_MUTE","features":[58]},{"name":"DIKEYBOARD_MYCOMPUTER","features":[58]},{"name":"DIKEYBOARD_N","features":[58]},{"name":"DIKEYBOARD_NEXT","features":[58]},{"name":"DIKEYBOARD_NEXTTRACK","features":[58]},{"name":"DIKEYBOARD_NOCONVERT","features":[58]},{"name":"DIKEYBOARD_NUMLOCK","features":[58]},{"name":"DIKEYBOARD_NUMPAD0","features":[58]},{"name":"DIKEYBOARD_NUMPAD1","features":[58]},{"name":"DIKEYBOARD_NUMPAD2","features":[58]},{"name":"DIKEYBOARD_NUMPAD3","features":[58]},{"name":"DIKEYBOARD_NUMPAD4","features":[58]},{"name":"DIKEYBOARD_NUMPAD5","features":[58]},{"name":"DIKEYBOARD_NUMPAD6","features":[58]},{"name":"DIKEYBOARD_NUMPAD7","features":[58]},{"name":"DIKEYBOARD_NUMPAD8","features":[58]},{"name":"DIKEYBOARD_NUMPAD9","features":[58]},{"name":"DIKEYBOARD_NUMPADCOMMA","features":[58]},{"name":"DIKEYBOARD_NUMPADENTER","features":[58]},{"name":"DIKEYBOARD_NUMPADEQUALS","features":[58]},{"name":"DIKEYBOARD_O","features":[58]},{"name":"DIKEYBOARD_OEM_102","features":[58]},{"name":"DIKEYBOARD_P","features":[58]},{"name":"DIKEYBOARD_PAUSE","features":[58]},{"name":"DIKEYBOARD_PERIOD","features":[58]},{"name":"DIKEYBOARD_PLAYPAUSE","features":[58]},{"name":"DIKEYBOARD_POWER","features":[58]},{"name":"DIKEYBOARD_PREVTRACK","features":[58]},{"name":"DIKEYBOARD_PRIOR","features":[58]},{"name":"DIKEYBOARD_Q","features":[58]},{"name":"DIKEYBOARD_R","features":[58]},{"name":"DIKEYBOARD_RBRACKET","features":[58]},{"name":"DIKEYBOARD_RCONTROL","features":[58]},{"name":"DIKEYBOARD_RETURN","features":[58]},{"name":"DIKEYBOARD_RIGHT","features":[58]},{"name":"DIKEYBOARD_RMENU","features":[58]},{"name":"DIKEYBOARD_RSHIFT","features":[58]},{"name":"DIKEYBOARD_RWIN","features":[58]},{"name":"DIKEYBOARD_S","features":[58]},{"name":"DIKEYBOARD_SCROLL","features":[58]},{"name":"DIKEYBOARD_SEMICOLON","features":[58]},{"name":"DIKEYBOARD_SLASH","features":[58]},{"name":"DIKEYBOARD_SLEEP","features":[58]},{"name":"DIKEYBOARD_SPACE","features":[58]},{"name":"DIKEYBOARD_STOP","features":[58]},{"name":"DIKEYBOARD_SUBTRACT","features":[58]},{"name":"DIKEYBOARD_SYSRQ","features":[58]},{"name":"DIKEYBOARD_T","features":[58]},{"name":"DIKEYBOARD_TAB","features":[58]},{"name":"DIKEYBOARD_U","features":[58]},{"name":"DIKEYBOARD_UNDERLINE","features":[58]},{"name":"DIKEYBOARD_UNLABELED","features":[58]},{"name":"DIKEYBOARD_UP","features":[58]},{"name":"DIKEYBOARD_V","features":[58]},{"name":"DIKEYBOARD_VOLUMEDOWN","features":[58]},{"name":"DIKEYBOARD_VOLUMEUP","features":[58]},{"name":"DIKEYBOARD_W","features":[58]},{"name":"DIKEYBOARD_WAKE","features":[58]},{"name":"DIKEYBOARD_WEBBACK","features":[58]},{"name":"DIKEYBOARD_WEBFAVORITES","features":[58]},{"name":"DIKEYBOARD_WEBFORWARD","features":[58]},{"name":"DIKEYBOARD_WEBHOME","features":[58]},{"name":"DIKEYBOARD_WEBREFRESH","features":[58]},{"name":"DIKEYBOARD_WEBSEARCH","features":[58]},{"name":"DIKEYBOARD_WEBSTOP","features":[58]},{"name":"DIKEYBOARD_X","features":[58]},{"name":"DIKEYBOARD_Y","features":[58]},{"name":"DIKEYBOARD_YEN","features":[58]},{"name":"DIKEYBOARD_Z","features":[58]},{"name":"DIK_0","features":[58]},{"name":"DIK_1","features":[58]},{"name":"DIK_2","features":[58]},{"name":"DIK_3","features":[58]},{"name":"DIK_4","features":[58]},{"name":"DIK_5","features":[58]},{"name":"DIK_6","features":[58]},{"name":"DIK_7","features":[58]},{"name":"DIK_8","features":[58]},{"name":"DIK_9","features":[58]},{"name":"DIK_A","features":[58]},{"name":"DIK_ABNT_C1","features":[58]},{"name":"DIK_ABNT_C2","features":[58]},{"name":"DIK_ADD","features":[58]},{"name":"DIK_APOSTROPHE","features":[58]},{"name":"DIK_APPS","features":[58]},{"name":"DIK_AT","features":[58]},{"name":"DIK_AX","features":[58]},{"name":"DIK_B","features":[58]},{"name":"DIK_BACK","features":[58]},{"name":"DIK_BACKSLASH","features":[58]},{"name":"DIK_BACKSPACE","features":[58]},{"name":"DIK_C","features":[58]},{"name":"DIK_CALCULATOR","features":[58]},{"name":"DIK_CAPITAL","features":[58]},{"name":"DIK_CAPSLOCK","features":[58]},{"name":"DIK_CIRCUMFLEX","features":[58]},{"name":"DIK_COLON","features":[58]},{"name":"DIK_COMMA","features":[58]},{"name":"DIK_CONVERT","features":[58]},{"name":"DIK_D","features":[58]},{"name":"DIK_DECIMAL","features":[58]},{"name":"DIK_DELETE","features":[58]},{"name":"DIK_DIVIDE","features":[58]},{"name":"DIK_DOWN","features":[58]},{"name":"DIK_DOWNARROW","features":[58]},{"name":"DIK_E","features":[58]},{"name":"DIK_END","features":[58]},{"name":"DIK_EQUALS","features":[58]},{"name":"DIK_ESCAPE","features":[58]},{"name":"DIK_F","features":[58]},{"name":"DIK_F1","features":[58]},{"name":"DIK_F10","features":[58]},{"name":"DIK_F11","features":[58]},{"name":"DIK_F12","features":[58]},{"name":"DIK_F13","features":[58]},{"name":"DIK_F14","features":[58]},{"name":"DIK_F15","features":[58]},{"name":"DIK_F2","features":[58]},{"name":"DIK_F3","features":[58]},{"name":"DIK_F4","features":[58]},{"name":"DIK_F5","features":[58]},{"name":"DIK_F6","features":[58]},{"name":"DIK_F7","features":[58]},{"name":"DIK_F8","features":[58]},{"name":"DIK_F9","features":[58]},{"name":"DIK_G","features":[58]},{"name":"DIK_GRAVE","features":[58]},{"name":"DIK_H","features":[58]},{"name":"DIK_HOME","features":[58]},{"name":"DIK_I","features":[58]},{"name":"DIK_INSERT","features":[58]},{"name":"DIK_J","features":[58]},{"name":"DIK_K","features":[58]},{"name":"DIK_KANA","features":[58]},{"name":"DIK_KANJI","features":[58]},{"name":"DIK_L","features":[58]},{"name":"DIK_LALT","features":[58]},{"name":"DIK_LBRACKET","features":[58]},{"name":"DIK_LCONTROL","features":[58]},{"name":"DIK_LEFT","features":[58]},{"name":"DIK_LEFTARROW","features":[58]},{"name":"DIK_LMENU","features":[58]},{"name":"DIK_LSHIFT","features":[58]},{"name":"DIK_LWIN","features":[58]},{"name":"DIK_M","features":[58]},{"name":"DIK_MAIL","features":[58]},{"name":"DIK_MEDIASELECT","features":[58]},{"name":"DIK_MEDIASTOP","features":[58]},{"name":"DIK_MINUS","features":[58]},{"name":"DIK_MULTIPLY","features":[58]},{"name":"DIK_MUTE","features":[58]},{"name":"DIK_MYCOMPUTER","features":[58]},{"name":"DIK_N","features":[58]},{"name":"DIK_NEXT","features":[58]},{"name":"DIK_NEXTTRACK","features":[58]},{"name":"DIK_NOCONVERT","features":[58]},{"name":"DIK_NUMLOCK","features":[58]},{"name":"DIK_NUMPAD0","features":[58]},{"name":"DIK_NUMPAD1","features":[58]},{"name":"DIK_NUMPAD2","features":[58]},{"name":"DIK_NUMPAD3","features":[58]},{"name":"DIK_NUMPAD4","features":[58]},{"name":"DIK_NUMPAD5","features":[58]},{"name":"DIK_NUMPAD6","features":[58]},{"name":"DIK_NUMPAD7","features":[58]},{"name":"DIK_NUMPAD8","features":[58]},{"name":"DIK_NUMPAD9","features":[58]},{"name":"DIK_NUMPADCOMMA","features":[58]},{"name":"DIK_NUMPADENTER","features":[58]},{"name":"DIK_NUMPADEQUALS","features":[58]},{"name":"DIK_NUMPADMINUS","features":[58]},{"name":"DIK_NUMPADPERIOD","features":[58]},{"name":"DIK_NUMPADPLUS","features":[58]},{"name":"DIK_NUMPADSLASH","features":[58]},{"name":"DIK_NUMPADSTAR","features":[58]},{"name":"DIK_O","features":[58]},{"name":"DIK_OEM_102","features":[58]},{"name":"DIK_P","features":[58]},{"name":"DIK_PAUSE","features":[58]},{"name":"DIK_PERIOD","features":[58]},{"name":"DIK_PGDN","features":[58]},{"name":"DIK_PGUP","features":[58]},{"name":"DIK_PLAYPAUSE","features":[58]},{"name":"DIK_POWER","features":[58]},{"name":"DIK_PREVTRACK","features":[58]},{"name":"DIK_PRIOR","features":[58]},{"name":"DIK_Q","features":[58]},{"name":"DIK_R","features":[58]},{"name":"DIK_RALT","features":[58]},{"name":"DIK_RBRACKET","features":[58]},{"name":"DIK_RCONTROL","features":[58]},{"name":"DIK_RETURN","features":[58]},{"name":"DIK_RIGHT","features":[58]},{"name":"DIK_RIGHTARROW","features":[58]},{"name":"DIK_RMENU","features":[58]},{"name":"DIK_RSHIFT","features":[58]},{"name":"DIK_RWIN","features":[58]},{"name":"DIK_S","features":[58]},{"name":"DIK_SCROLL","features":[58]},{"name":"DIK_SEMICOLON","features":[58]},{"name":"DIK_SLASH","features":[58]},{"name":"DIK_SLEEP","features":[58]},{"name":"DIK_SPACE","features":[58]},{"name":"DIK_STOP","features":[58]},{"name":"DIK_SUBTRACT","features":[58]},{"name":"DIK_SYSRQ","features":[58]},{"name":"DIK_T","features":[58]},{"name":"DIK_TAB","features":[58]},{"name":"DIK_U","features":[58]},{"name":"DIK_UNDERLINE","features":[58]},{"name":"DIK_UNLABELED","features":[58]},{"name":"DIK_UP","features":[58]},{"name":"DIK_UPARROW","features":[58]},{"name":"DIK_V","features":[58]},{"name":"DIK_VOLUMEDOWN","features":[58]},{"name":"DIK_VOLUMEUP","features":[58]},{"name":"DIK_W","features":[58]},{"name":"DIK_WAKE","features":[58]},{"name":"DIK_WEBBACK","features":[58]},{"name":"DIK_WEBFAVORITES","features":[58]},{"name":"DIK_WEBFORWARD","features":[58]},{"name":"DIK_WEBHOME","features":[58]},{"name":"DIK_WEBREFRESH","features":[58]},{"name":"DIK_WEBSEARCH","features":[58]},{"name":"DIK_WEBSTOP","features":[58]},{"name":"DIK_X","features":[58]},{"name":"DIK_Y","features":[58]},{"name":"DIK_YEN","features":[58]},{"name":"DIK_Z","features":[58]},{"name":"DIMOUSESTATE","features":[58]},{"name":"DIMOUSESTATE2","features":[58]},{"name":"DIMSGWP_DX8APPSTART","features":[58]},{"name":"DIMSGWP_DX8MAPPERAPPSTART","features":[58]},{"name":"DIMSGWP_NEWAPPSTART","features":[58]},{"name":"DIOBJECTATTRIBUTES","features":[58]},{"name":"DIOBJECTCALIBRATION","features":[58]},{"name":"DIOBJECTDATAFORMAT","features":[58]},{"name":"DIPERIODIC","features":[58]},{"name":"DIPH_BYID","features":[58]},{"name":"DIPH_BYOFFSET","features":[58]},{"name":"DIPH_BYUSAGE","features":[58]},{"name":"DIPH_DEVICE","features":[58]},{"name":"DIPOVCALIBRATION","features":[58]},{"name":"DIPOV_ANY_1","features":[58]},{"name":"DIPOV_ANY_2","features":[58]},{"name":"DIPOV_ANY_3","features":[58]},{"name":"DIPOV_ANY_4","features":[58]},{"name":"DIPROPAUTOCENTER_OFF","features":[58]},{"name":"DIPROPAUTOCENTER_ON","features":[58]},{"name":"DIPROPAXISMODE_ABS","features":[58]},{"name":"DIPROPAXISMODE_REL","features":[58]},{"name":"DIPROPCAL","features":[58]},{"name":"DIPROPCALIBRATIONMODE_COOKED","features":[58]},{"name":"DIPROPCALIBRATIONMODE_RAW","features":[58]},{"name":"DIPROPCALPOV","features":[58]},{"name":"DIPROPCPOINTS","features":[58]},{"name":"DIPROPDWORD","features":[58]},{"name":"DIPROPGUIDANDPATH","features":[58]},{"name":"DIPROPHEADER","features":[58]},{"name":"DIPROPPOINTER","features":[58]},{"name":"DIPROPRANGE","features":[58]},{"name":"DIPROPSTRING","features":[58]},{"name":"DIPROP_APPDATA","features":[58]},{"name":"DIPROP_AUTOCENTER","features":[58]},{"name":"DIPROP_AXISMODE","features":[58]},{"name":"DIPROP_BUFFERSIZE","features":[58]},{"name":"DIPROP_CALIBRATION","features":[58]},{"name":"DIPROP_CALIBRATIONMODE","features":[58]},{"name":"DIPROP_CPOINTS","features":[58]},{"name":"DIPROP_DEADZONE","features":[58]},{"name":"DIPROP_FFGAIN","features":[58]},{"name":"DIPROP_FFLOAD","features":[58]},{"name":"DIPROP_GETPORTDISPLAYNAME","features":[58]},{"name":"DIPROP_GRANULARITY","features":[58]},{"name":"DIPROP_GUIDANDPATH","features":[58]},{"name":"DIPROP_INSTANCENAME","features":[58]},{"name":"DIPROP_JOYSTICKID","features":[58]},{"name":"DIPROP_KEYNAME","features":[58]},{"name":"DIPROP_LOGICALRANGE","features":[58]},{"name":"DIPROP_PHYSICALRANGE","features":[58]},{"name":"DIPROP_PRODUCTNAME","features":[58]},{"name":"DIPROP_RANGE","features":[58]},{"name":"DIPROP_SATURATION","features":[58]},{"name":"DIPROP_SCANCODE","features":[58]},{"name":"DIPROP_TYPENAME","features":[58]},{"name":"DIPROP_USERNAME","features":[58]},{"name":"DIPROP_VIDPID","features":[58]},{"name":"DIRAMPFORCE","features":[58]},{"name":"DIRECTINPUT_HEADER_VERSION","features":[58]},{"name":"DIRECTINPUT_NOTIFICATION_MSGSTRING","features":[58]},{"name":"DIRECTINPUT_NOTIFICATION_MSGSTRINGA","features":[58]},{"name":"DIRECTINPUT_NOTIFICATION_MSGSTRINGW","features":[58]},{"name":"DIRECTINPUT_REGSTR_KEY_LASTAPP","features":[58]},{"name":"DIRECTINPUT_REGSTR_KEY_LASTAPPA","features":[58]},{"name":"DIRECTINPUT_REGSTR_KEY_LASTAPPW","features":[58]},{"name":"DIRECTINPUT_REGSTR_KEY_LASTMAPAPP","features":[58]},{"name":"DIRECTINPUT_REGSTR_KEY_LASTMAPAPPA","features":[58]},{"name":"DIRECTINPUT_REGSTR_KEY_LASTMAPAPPW","features":[58]},{"name":"DIRECTINPUT_REGSTR_VAL_APPIDFLAG","features":[58]},{"name":"DIRECTINPUT_REGSTR_VAL_APPIDFLAGA","features":[58]},{"name":"DIRECTINPUT_REGSTR_VAL_APPIDFLAGW","features":[58]},{"name":"DIRECTINPUT_REGSTR_VAL_ID","features":[58]},{"name":"DIRECTINPUT_REGSTR_VAL_IDA","features":[58]},{"name":"DIRECTINPUT_REGSTR_VAL_IDW","features":[58]},{"name":"DIRECTINPUT_REGSTR_VAL_LASTSTART","features":[58]},{"name":"DIRECTINPUT_REGSTR_VAL_LASTSTARTA","features":[58]},{"name":"DIRECTINPUT_REGSTR_VAL_LASTSTARTW","features":[58]},{"name":"DIRECTINPUT_REGSTR_VAL_MAPPER","features":[58]},{"name":"DIRECTINPUT_REGSTR_VAL_MAPPERA","features":[58]},{"name":"DIRECTINPUT_REGSTR_VAL_MAPPERW","features":[58]},{"name":"DIRECTINPUT_REGSTR_VAL_NAME","features":[58]},{"name":"DIRECTINPUT_REGSTR_VAL_NAMEA","features":[58]},{"name":"DIRECTINPUT_REGSTR_VAL_NAMEW","features":[58]},{"name":"DIRECTINPUT_REGSTR_VAL_VERSION","features":[58]},{"name":"DIRECTINPUT_REGSTR_VAL_VERSIONA","features":[58]},{"name":"DIRECTINPUT_REGSTR_VAL_VERSIONW","features":[58]},{"name":"DIRECTINPUT_VERSION","features":[58]},{"name":"DISCL_BACKGROUND","features":[58]},{"name":"DISCL_EXCLUSIVE","features":[58]},{"name":"DISCL_FOREGROUND","features":[58]},{"name":"DISCL_NONEXCLUSIVE","features":[58]},{"name":"DISCL_NOWINKEY","features":[58]},{"name":"DISDD_CONTINUE","features":[58]},{"name":"DISFFC_CONTINUE","features":[58]},{"name":"DISFFC_PAUSE","features":[58]},{"name":"DISFFC_RESET","features":[58]},{"name":"DISFFC_SETACTUATORSOFF","features":[58]},{"name":"DISFFC_SETACTUATORSON","features":[58]},{"name":"DISFFC_STOPALL","features":[58]},{"name":"DITC_CALLOUT","features":[58]},{"name":"DITC_CLSIDCONFIG","features":[58]},{"name":"DITC_DISPLAYNAME","features":[58]},{"name":"DITC_FLAGS1","features":[58]},{"name":"DITC_FLAGS2","features":[58]},{"name":"DITC_HARDWAREID","features":[58]},{"name":"DITC_MAPFILE","features":[58]},{"name":"DITC_REGHWSETTINGS","features":[58]},{"name":"DIVIRTUAL_ARCADE_PLATFORM","features":[58]},{"name":"DIVIRTUAL_ARCADE_SIDE2SIDE","features":[58]},{"name":"DIVIRTUAL_BROWSER_CONTROL","features":[58]},{"name":"DIVIRTUAL_CAD_2DCONTROL","features":[58]},{"name":"DIVIRTUAL_CAD_3DCONTROL","features":[58]},{"name":"DIVIRTUAL_CAD_FLYBY","features":[58]},{"name":"DIVIRTUAL_CAD_MODEL","features":[58]},{"name":"DIVIRTUAL_DRIVING_COMBAT","features":[58]},{"name":"DIVIRTUAL_DRIVING_MECHA","features":[58]},{"name":"DIVIRTUAL_DRIVING_RACE","features":[58]},{"name":"DIVIRTUAL_DRIVING_TANK","features":[58]},{"name":"DIVIRTUAL_FIGHTING_FPS","features":[58]},{"name":"DIVIRTUAL_FIGHTING_HAND2HAND","features":[58]},{"name":"DIVIRTUAL_FIGHTING_THIRDPERSON","features":[58]},{"name":"DIVIRTUAL_FLYING_CIVILIAN","features":[58]},{"name":"DIVIRTUAL_FLYING_HELICOPTER","features":[58]},{"name":"DIVIRTUAL_FLYING_MILITARY","features":[58]},{"name":"DIVIRTUAL_REMOTE_CONTROL","features":[58]},{"name":"DIVIRTUAL_SPACESIM","features":[58]},{"name":"DIVIRTUAL_SPORTS_BASEBALL_BAT","features":[58]},{"name":"DIVIRTUAL_SPORTS_BASEBALL_FIELD","features":[58]},{"name":"DIVIRTUAL_SPORTS_BASEBALL_PITCH","features":[58]},{"name":"DIVIRTUAL_SPORTS_BASKETBALL_DEFENSE","features":[58]},{"name":"DIVIRTUAL_SPORTS_BASKETBALL_OFFENSE","features":[58]},{"name":"DIVIRTUAL_SPORTS_BIKING_MOUNTAIN","features":[58]},{"name":"DIVIRTUAL_SPORTS_FISHING","features":[58]},{"name":"DIVIRTUAL_SPORTS_FOOTBALL_DEFENSE","features":[58]},{"name":"DIVIRTUAL_SPORTS_FOOTBALL_FIELD","features":[58]},{"name":"DIVIRTUAL_SPORTS_FOOTBALL_OFFENSE","features":[58]},{"name":"DIVIRTUAL_SPORTS_FOOTBALL_QBCK","features":[58]},{"name":"DIVIRTUAL_SPORTS_GOLF","features":[58]},{"name":"DIVIRTUAL_SPORTS_HOCKEY_DEFENSE","features":[58]},{"name":"DIVIRTUAL_SPORTS_HOCKEY_GOALIE","features":[58]},{"name":"DIVIRTUAL_SPORTS_HOCKEY_OFFENSE","features":[58]},{"name":"DIVIRTUAL_SPORTS_HUNTING","features":[58]},{"name":"DIVIRTUAL_SPORTS_RACQUET","features":[58]},{"name":"DIVIRTUAL_SPORTS_SKIING","features":[58]},{"name":"DIVIRTUAL_SPORTS_SOCCER_DEFENSE","features":[58]},{"name":"DIVIRTUAL_SPORTS_SOCCER_OFFENSE","features":[58]},{"name":"DIVIRTUAL_STRATEGY_ROLEPLAYING","features":[58]},{"name":"DIVIRTUAL_STRATEGY_TURN","features":[58]},{"name":"DIVOICE_ALL","features":[58]},{"name":"DIVOICE_CHANNEL1","features":[58]},{"name":"DIVOICE_CHANNEL2","features":[58]},{"name":"DIVOICE_CHANNEL3","features":[58]},{"name":"DIVOICE_CHANNEL4","features":[58]},{"name":"DIVOICE_CHANNEL5","features":[58]},{"name":"DIVOICE_CHANNEL6","features":[58]},{"name":"DIVOICE_CHANNEL7","features":[58]},{"name":"DIVOICE_CHANNEL8","features":[58]},{"name":"DIVOICE_PLAYBACKMUTE","features":[58]},{"name":"DIVOICE_RECORDMUTE","features":[58]},{"name":"DIVOICE_TEAM","features":[58]},{"name":"DIVOICE_TRANSMIT","features":[58]},{"name":"DIVOICE_VOICECOMMAND","features":[58]},{"name":"DI_BUFFEROVERFLOW","features":[58]},{"name":"DI_DEGREES","features":[58]},{"name":"DI_DOWNLOADSKIPPED","features":[58]},{"name":"DI_EFFECTRESTARTED","features":[58]},{"name":"DI_FFNOMINALMAX","features":[58]},{"name":"DI_NOEFFECT","features":[58]},{"name":"DI_NOTATTACHED","features":[58]},{"name":"DI_OK","features":[58]},{"name":"DI_POLLEDDEVICE","features":[58]},{"name":"DI_PROPNOEFFECT","features":[58]},{"name":"DI_SECONDS","features":[58]},{"name":"DI_SETTINGSNOTSAVED","features":[58]},{"name":"DI_TRUNCATED","features":[58]},{"name":"DI_TRUNCATEDANDRESTARTED","features":[58]},{"name":"DI_WRITEPROTECT","features":[58]},{"name":"DirectInput8Create","features":[58,1]},{"name":"GPIOBUTTONS_BUTTON_TYPE","features":[58]},{"name":"GPIO_BUTTON_BACK","features":[58]},{"name":"GPIO_BUTTON_CAMERA_FOCUS","features":[58]},{"name":"GPIO_BUTTON_CAMERA_LENS","features":[58]},{"name":"GPIO_BUTTON_CAMERA_SHUTTER","features":[58]},{"name":"GPIO_BUTTON_COUNT","features":[58]},{"name":"GPIO_BUTTON_COUNT_MIN","features":[58]},{"name":"GPIO_BUTTON_HEADSET","features":[58]},{"name":"GPIO_BUTTON_HWKB_DEPLOY","features":[58]},{"name":"GPIO_BUTTON_OEM_CUSTOM","features":[58]},{"name":"GPIO_BUTTON_OEM_CUSTOM2","features":[58]},{"name":"GPIO_BUTTON_OEM_CUSTOM3","features":[58]},{"name":"GPIO_BUTTON_POWER","features":[58]},{"name":"GPIO_BUTTON_RINGER_TOGGLE","features":[58]},{"name":"GPIO_BUTTON_ROTATION_LOCK","features":[58]},{"name":"GPIO_BUTTON_SEARCH","features":[58]},{"name":"GPIO_BUTTON_VOLUME_DOWN","features":[58]},{"name":"GPIO_BUTTON_VOLUME_UP","features":[58]},{"name":"GPIO_BUTTON_WINDOWS","features":[58]},{"name":"GUID_Button","features":[58]},{"name":"GUID_ConstantForce","features":[58]},{"name":"GUID_CustomForce","features":[58]},{"name":"GUID_DEVINTERFACE_HID","features":[58]},{"name":"GUID_DEVINTERFACE_KEYBOARD","features":[58]},{"name":"GUID_DEVINTERFACE_MOUSE","features":[58]},{"name":"GUID_Damper","features":[58]},{"name":"GUID_Friction","features":[58]},{"name":"GUID_HIDClass","features":[58]},{"name":"GUID_HID_INTERFACE_HIDPARSE","features":[58]},{"name":"GUID_HID_INTERFACE_NOTIFY","features":[58]},{"name":"GUID_Inertia","features":[58]},{"name":"GUID_Joystick","features":[58]},{"name":"GUID_Key","features":[58]},{"name":"GUID_KeyboardClass","features":[58]},{"name":"GUID_MediaClass","features":[58]},{"name":"GUID_MouseClass","features":[58]},{"name":"GUID_POV","features":[58]},{"name":"GUID_RampForce","features":[58]},{"name":"GUID_RxAxis","features":[58]},{"name":"GUID_RyAxis","features":[58]},{"name":"GUID_RzAxis","features":[58]},{"name":"GUID_SawtoothDown","features":[58]},{"name":"GUID_SawtoothUp","features":[58]},{"name":"GUID_Sine","features":[58]},{"name":"GUID_Slider","features":[58]},{"name":"GUID_Spring","features":[58]},{"name":"GUID_Square","features":[58]},{"name":"GUID_SysKeyboard","features":[58]},{"name":"GUID_SysKeyboardEm","features":[58]},{"name":"GUID_SysKeyboardEm2","features":[58]},{"name":"GUID_SysMouse","features":[58]},{"name":"GUID_SysMouseEm","features":[58]},{"name":"GUID_SysMouseEm2","features":[58]},{"name":"GUID_Triangle","features":[58]},{"name":"GUID_Unknown","features":[58]},{"name":"GUID_XAxis","features":[58]},{"name":"GUID_YAxis","features":[58]},{"name":"GUID_ZAxis","features":[58]},{"name":"HIDD_ATTRIBUTES","features":[58]},{"name":"HIDD_CONFIGURATION","features":[58]},{"name":"HIDP_BUTTON_ARRAY_DATA","features":[58,1]},{"name":"HIDP_BUTTON_CAPS","features":[58,1]},{"name":"HIDP_CAPS","features":[58]},{"name":"HIDP_DATA","features":[58,1]},{"name":"HIDP_EXTENDED_ATTRIBUTES","features":[58]},{"name":"HIDP_KEYBOARD_DIRECTION","features":[58]},{"name":"HIDP_KEYBOARD_MODIFIER_STATE","features":[58]},{"name":"HIDP_LINK_COLLECTION_NODE","features":[58]},{"name":"HIDP_REPORT_TYPE","features":[58]},{"name":"HIDP_STATUS_BAD_LOG_PHY_VALUES","features":[58,1]},{"name":"HIDP_STATUS_BUFFER_TOO_SMALL","features":[58,1]},{"name":"HIDP_STATUS_BUTTON_NOT_PRESSED","features":[58,1]},{"name":"HIDP_STATUS_DATA_INDEX_NOT_FOUND","features":[58,1]},{"name":"HIDP_STATUS_DATA_INDEX_OUT_OF_RANGE","features":[58,1]},{"name":"HIDP_STATUS_I8042_TRANS_UNKNOWN","features":[58,1]},{"name":"HIDP_STATUS_I8242_TRANS_UNKNOWN","features":[58,1]},{"name":"HIDP_STATUS_INCOMPATIBLE_REPORT_ID","features":[58,1]},{"name":"HIDP_STATUS_INTERNAL_ERROR","features":[58,1]},{"name":"HIDP_STATUS_INVALID_PREPARSED_DATA","features":[58,1]},{"name":"HIDP_STATUS_INVALID_REPORT_LENGTH","features":[58,1]},{"name":"HIDP_STATUS_INVALID_REPORT_TYPE","features":[58,1]},{"name":"HIDP_STATUS_IS_VALUE_ARRAY","features":[58,1]},{"name":"HIDP_STATUS_NOT_BUTTON_ARRAY","features":[58,1]},{"name":"HIDP_STATUS_NOT_IMPLEMENTED","features":[58,1]},{"name":"HIDP_STATUS_NOT_VALUE_ARRAY","features":[58,1]},{"name":"HIDP_STATUS_NULL","features":[58,1]},{"name":"HIDP_STATUS_REPORT_DOES_NOT_EXIST","features":[58,1]},{"name":"HIDP_STATUS_SUCCESS","features":[58,1]},{"name":"HIDP_STATUS_USAGE_NOT_FOUND","features":[58,1]},{"name":"HIDP_STATUS_VALUE_OUT_OF_RANGE","features":[58,1]},{"name":"HIDP_UNKNOWN_TOKEN","features":[58]},{"name":"HIDP_VALUE_CAPS","features":[58,1]},{"name":"HID_COLLECTION_INFORMATION","features":[58,1]},{"name":"HID_DRIVER_CONFIG","features":[58]},{"name":"HID_REVISION","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_14_SEGMENT_DIRECT_MAP","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_7_SEGMENT_DIRECT_MAP","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_ALPHANUMERIC_DISPLAY","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_ASCII_CHARACTER_SET","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_ATTRIBUTE_DATA","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_ATTRIBUTE_READBACK","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_BITMAPPED_DISPLAY","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_BITMAP_SIZE_X","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_BITMAP_SIZE_Y","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_BIT_DEPTH_FORMAT","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_BLIT_DATA","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_BLIT_RECTANGLE_X1","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_BLIT_RECTANGLE_X2","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_BLIT_RECTANGLE_Y1","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_BLIT_RECTANGLE_Y2","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_BLIT_REPORT","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_CHARACTER_ATTRIBUTE","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_CHARACTER_REPORT","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_CHAR_ATTR_BLINK","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_CHAR_ATTR_ENHANCE","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_CHAR_ATTR_UNDERLINE","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_CHAR_HEIGHT","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_CHAR_SPACING_HORIZONTAL","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_CHAR_SPACING_VERTICAL","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_CHAR_WIDTH","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_CLEAR_DISPLAY","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_COLUMN","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_COLUMNS","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_CURSOR_BLINK","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_CURSOR_ENABLE","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_CURSOR_MODE","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_CURSOR_PIXEL_POSITIONING","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_CURSOR_POSITION_REPORT","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_DATA_READ_BACK","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_DISPLAY_ATTRIBUTES_REPORT","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_DISPLAY_BRIGHTNESS","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_DISPLAY_CONTRAST","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_DISPLAY_CONTROL_REPORT","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_DISPLAY_DATA","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_DISPLAY_ENABLE","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_DISPLAY_ORIENTATION","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_DISPLAY_STATUS","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_ERR_FONT_DATA_CANNOT_BE_READ","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_ERR_NOT_A_LOADABLE_CHARACTER","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_FONT_14_SEGMENT","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_FONT_7_SEGMENT","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_FONT_DATA","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_FONT_READ_BACK","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_FONT_REPORT","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_HORIZONTAL_SCROLL","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_PALETTE_DATA","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_PALETTE_DATA_OFFSET","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_PALETTE_DATA_SIZE","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_PALETTE_REPORT","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_ROW","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_ROWS","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_SCREEN_SAVER_DELAY","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_SCREEN_SAVER_ENABLE","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_SOFT_BUTTON","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_SOFT_BUTTON_ID","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_SOFT_BUTTON_OFFSET1","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_SOFT_BUTTON_OFFSET2","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_SOFT_BUTTON_REPORT","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_SOFT_BUTTON_SIDE","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_STATUS_NOT_READY","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_STATUS_READY","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_UNICODE_CHAR_SET","features":[58]},{"name":"HID_USAGE_ALPHANUMERIC_VERTICAL_SCROLL","features":[58]},{"name":"HID_USAGE_CAMERA_AUTO_FOCUS","features":[58]},{"name":"HID_USAGE_CAMERA_SHUTTER","features":[58]},{"name":"HID_USAGE_CONSUMERCTRL","features":[58]},{"name":"HID_USAGE_CONSUMER_AC_BACK","features":[58]},{"name":"HID_USAGE_CONSUMER_AC_BOOKMARKS","features":[58]},{"name":"HID_USAGE_CONSUMER_AC_FORWARD","features":[58]},{"name":"HID_USAGE_CONSUMER_AC_GOTO","features":[58]},{"name":"HID_USAGE_CONSUMER_AC_HOME","features":[58]},{"name":"HID_USAGE_CONSUMER_AC_NEXT","features":[58]},{"name":"HID_USAGE_CONSUMER_AC_PAN","features":[58]},{"name":"HID_USAGE_CONSUMER_AC_PREVIOUS","features":[58]},{"name":"HID_USAGE_CONSUMER_AC_REFRESH","features":[58]},{"name":"HID_USAGE_CONSUMER_AC_SEARCH","features":[58]},{"name":"HID_USAGE_CONSUMER_AC_STOP","features":[58]},{"name":"HID_USAGE_CONSUMER_AL_BROWSER","features":[58]},{"name":"HID_USAGE_CONSUMER_AL_CALCULATOR","features":[58]},{"name":"HID_USAGE_CONSUMER_AL_CONFIGURATION","features":[58]},{"name":"HID_USAGE_CONSUMER_AL_EMAIL","features":[58]},{"name":"HID_USAGE_CONSUMER_AL_SEARCH","features":[58]},{"name":"HID_USAGE_CONSUMER_BALANCE","features":[58]},{"name":"HID_USAGE_CONSUMER_BASS","features":[58]},{"name":"HID_USAGE_CONSUMER_BASS_BOOST","features":[58]},{"name":"HID_USAGE_CONSUMER_BASS_DECREMENT","features":[58]},{"name":"HID_USAGE_CONSUMER_BASS_INCREMENT","features":[58]},{"name":"HID_USAGE_CONSUMER_CHANNEL_DECREMENT","features":[58]},{"name":"HID_USAGE_CONSUMER_CHANNEL_INCREMENT","features":[58]},{"name":"HID_USAGE_CONSUMER_EXTENDED_KEYBOARD_ATTRIBUTES_COLLECTION","features":[58]},{"name":"HID_USAGE_CONSUMER_FAST_FORWARD","features":[58]},{"name":"HID_USAGE_CONSUMER_GAMEDVR_OPEN_GAMEBAR","features":[58]},{"name":"HID_USAGE_CONSUMER_GAMEDVR_RECORD_CLIP","features":[58]},{"name":"HID_USAGE_CONSUMER_GAMEDVR_SCREENSHOT","features":[58]},{"name":"HID_USAGE_CONSUMER_GAMEDVR_TOGGLE_BROADCAST","features":[58]},{"name":"HID_USAGE_CONSUMER_GAMEDVR_TOGGLE_CAMERA","features":[58]},{"name":"HID_USAGE_CONSUMER_GAMEDVR_TOGGLE_INDICATOR","features":[58]},{"name":"HID_USAGE_CONSUMER_GAMEDVR_TOGGLE_MICROPHONE","features":[58]},{"name":"HID_USAGE_CONSUMER_GAMEDVR_TOGGLE_RECORD","features":[58]},{"name":"HID_USAGE_CONSUMER_IMPLEMENTED_KEYBOARD_INPUT_ASSIST_CONTROLS","features":[58]},{"name":"HID_USAGE_CONSUMER_KEYBOARD_FORM_FACTOR","features":[58]},{"name":"HID_USAGE_CONSUMER_KEYBOARD_IETF_LANGUAGE_TAG_INDEX","features":[58]},{"name":"HID_USAGE_CONSUMER_KEYBOARD_KEY_TYPE","features":[58]},{"name":"HID_USAGE_CONSUMER_KEYBOARD_PHYSICAL_LAYOUT","features":[58]},{"name":"HID_USAGE_CONSUMER_LOUDNESS","features":[58]},{"name":"HID_USAGE_CONSUMER_MPX","features":[58]},{"name":"HID_USAGE_CONSUMER_MUTE","features":[58]},{"name":"HID_USAGE_CONSUMER_PAUSE","features":[58]},{"name":"HID_USAGE_CONSUMER_PLAY","features":[58]},{"name":"HID_USAGE_CONSUMER_PLAY_PAUSE","features":[58]},{"name":"HID_USAGE_CONSUMER_RECORD","features":[58]},{"name":"HID_USAGE_CONSUMER_REWIND","features":[58]},{"name":"HID_USAGE_CONSUMER_SCAN_NEXT_TRACK","features":[58]},{"name":"HID_USAGE_CONSUMER_SCAN_PREV_TRACK","features":[58]},{"name":"HID_USAGE_CONSUMER_STOP","features":[58]},{"name":"HID_USAGE_CONSUMER_SURROUND_MODE","features":[58]},{"name":"HID_USAGE_CONSUMER_TREBLE","features":[58]},{"name":"HID_USAGE_CONSUMER_TREBLE_DECREMENT","features":[58]},{"name":"HID_USAGE_CONSUMER_TREBLE_INCREMENT","features":[58]},{"name":"HID_USAGE_CONSUMER_VENDOR_SPECIFIC_KEYBOARD_PHYSICAL_LAYOUT","features":[58]},{"name":"HID_USAGE_CONSUMER_VOLUME","features":[58]},{"name":"HID_USAGE_CONSUMER_VOLUME_DECREMENT","features":[58]},{"name":"HID_USAGE_CONSUMER_VOLUME_INCREMENT","features":[58]},{"name":"HID_USAGE_DIGITIZER_3D_DIGITIZER","features":[58]},{"name":"HID_USAGE_DIGITIZER_ALTITUDE","features":[58]},{"name":"HID_USAGE_DIGITIZER_ARMATURE","features":[58]},{"name":"HID_USAGE_DIGITIZER_ARTICULATED_ARM","features":[58]},{"name":"HID_USAGE_DIGITIZER_AZIMUTH","features":[58]},{"name":"HID_USAGE_DIGITIZER_BARREL_PRESSURE","features":[58]},{"name":"HID_USAGE_DIGITIZER_BARREL_SWITCH","features":[58]},{"name":"HID_USAGE_DIGITIZER_BATTERY_STRENGTH","features":[58]},{"name":"HID_USAGE_DIGITIZER_COORD_MEASURING","features":[58]},{"name":"HID_USAGE_DIGITIZER_DATA_VALID","features":[58]},{"name":"HID_USAGE_DIGITIZER_DIGITIZER","features":[58]},{"name":"HID_USAGE_DIGITIZER_ERASER","features":[58]},{"name":"HID_USAGE_DIGITIZER_FINGER","features":[58]},{"name":"HID_USAGE_DIGITIZER_FREE_SPACE_WAND","features":[58]},{"name":"HID_USAGE_DIGITIZER_HEAT_MAP","features":[58]},{"name":"HID_USAGE_DIGITIZER_HEAT_MAP_FRAME_DATA","features":[58]},{"name":"HID_USAGE_DIGITIZER_HEAT_MAP_PROTOCOL_VENDOR_ID","features":[58]},{"name":"HID_USAGE_DIGITIZER_HEAT_MAP_PROTOCOL_VERSION","features":[58]},{"name":"HID_USAGE_DIGITIZER_INVERT","features":[58]},{"name":"HID_USAGE_DIGITIZER_IN_RANGE","features":[58]},{"name":"HID_USAGE_DIGITIZER_LIGHT_PEN","features":[58]},{"name":"HID_USAGE_DIGITIZER_MULTI_POINT","features":[58]},{"name":"HID_USAGE_DIGITIZER_PEN","features":[58]},{"name":"HID_USAGE_DIGITIZER_PROG_CHANGE_KEYS","features":[58]},{"name":"HID_USAGE_DIGITIZER_PUCK","features":[58]},{"name":"HID_USAGE_DIGITIZER_QUALITY","features":[58]},{"name":"HID_USAGE_DIGITIZER_SECONDARY_TIP_SWITCH","features":[58]},{"name":"HID_USAGE_DIGITIZER_STEREO_PLOTTER","features":[58]},{"name":"HID_USAGE_DIGITIZER_STYLUS","features":[58]},{"name":"HID_USAGE_DIGITIZER_TABLET_FUNC_KEYS","features":[58]},{"name":"HID_USAGE_DIGITIZER_TABLET_PICK","features":[58]},{"name":"HID_USAGE_DIGITIZER_TAP","features":[58]},{"name":"HID_USAGE_DIGITIZER_TIP_PRESSURE","features":[58]},{"name":"HID_USAGE_DIGITIZER_TIP_SWITCH","features":[58]},{"name":"HID_USAGE_DIGITIZER_TOUCH","features":[58]},{"name":"HID_USAGE_DIGITIZER_TOUCH_PAD","features":[58]},{"name":"HID_USAGE_DIGITIZER_TOUCH_SCREEN","features":[58]},{"name":"HID_USAGE_DIGITIZER_TRANSDUCER_CONNECTED","features":[58]},{"name":"HID_USAGE_DIGITIZER_TRANSDUCER_INDEX","features":[58]},{"name":"HID_USAGE_DIGITIZER_TRANSDUCER_PRODUCT","features":[58]},{"name":"HID_USAGE_DIGITIZER_TRANSDUCER_SERIAL","features":[58]},{"name":"HID_USAGE_DIGITIZER_TRANSDUCER_SERIAL_PART2","features":[58]},{"name":"HID_USAGE_DIGITIZER_TRANSDUCER_VENDOR","features":[58]},{"name":"HID_USAGE_DIGITIZER_TWIST","features":[58]},{"name":"HID_USAGE_DIGITIZER_UNTOUCH","features":[58]},{"name":"HID_USAGE_DIGITIZER_WHITE_BOARD","features":[58]},{"name":"HID_USAGE_DIGITIZER_X_TILT","features":[58]},{"name":"HID_USAGE_DIGITIZER_Y_TILT","features":[58]},{"name":"HID_USAGE_GAME_3D_GAME_CONTROLLER","features":[58]},{"name":"HID_USAGE_GAME_BUMP","features":[58]},{"name":"HID_USAGE_GAME_FLIPPER","features":[58]},{"name":"HID_USAGE_GAME_GAMEPAD_FIRE_JUMP","features":[58]},{"name":"HID_USAGE_GAME_GAMEPAD_TRIGGER","features":[58]},{"name":"HID_USAGE_GAME_GUN_AUTOMATIC","features":[58]},{"name":"HID_USAGE_GAME_GUN_BOLT","features":[58]},{"name":"HID_USAGE_GAME_GUN_BURST","features":[58]},{"name":"HID_USAGE_GAME_GUN_CLIP","features":[58]},{"name":"HID_USAGE_GAME_GUN_DEVICE","features":[58]},{"name":"HID_USAGE_GAME_GUN_SAFETY","features":[58]},{"name":"HID_USAGE_GAME_GUN_SELECTOR","features":[58]},{"name":"HID_USAGE_GAME_GUN_SINGLE_SHOT","features":[58]},{"name":"HID_USAGE_GAME_LEAN_FORWARD_BACK","features":[58]},{"name":"HID_USAGE_GAME_LEAN_RIGHT_LEFT","features":[58]},{"name":"HID_USAGE_GAME_MOVE_FORWARD_BACK","features":[58]},{"name":"HID_USAGE_GAME_MOVE_RIGHT_LEFT","features":[58]},{"name":"HID_USAGE_GAME_MOVE_UP_DOWN","features":[58]},{"name":"HID_USAGE_GAME_NEW_GAME","features":[58]},{"name":"HID_USAGE_GAME_PINBALL_DEVICE","features":[58]},{"name":"HID_USAGE_GAME_PITCH_FORWARD_BACK","features":[58]},{"name":"HID_USAGE_GAME_PLAYER","features":[58]},{"name":"HID_USAGE_GAME_POINT_OF_VIEW","features":[58]},{"name":"HID_USAGE_GAME_POV_HEIGHT","features":[58]},{"name":"HID_USAGE_GAME_ROLL_RIGHT_LEFT","features":[58]},{"name":"HID_USAGE_GAME_SECONDARY_FLIPPER","features":[58]},{"name":"HID_USAGE_GAME_SHOOT_BALL","features":[58]},{"name":"HID_USAGE_GAME_TURN_RIGHT_LEFT","features":[58]},{"name":"HID_USAGE_GENERIC_BYTE_COUNT","features":[58]},{"name":"HID_USAGE_GENERIC_CONTROL_ENABLE","features":[58]},{"name":"HID_USAGE_GENERIC_COUNTED_BUFFER","features":[58]},{"name":"HID_USAGE_GENERIC_DEVICE_BATTERY_STRENGTH","features":[58]},{"name":"HID_USAGE_GENERIC_DEVICE_DISCOVER_WIRELESS_CONTROL","features":[58]},{"name":"HID_USAGE_GENERIC_DEVICE_SECURITY_CODE_CHAR_ENTERED","features":[58]},{"name":"HID_USAGE_GENERIC_DEVICE_SECURITY_CODE_CHAR_ERASED","features":[58]},{"name":"HID_USAGE_GENERIC_DEVICE_SECURITY_CODE_CLEARED","features":[58]},{"name":"HID_USAGE_GENERIC_DEVICE_WIRELESS_CHANNEL","features":[58]},{"name":"HID_USAGE_GENERIC_DEVICE_WIRELESS_ID","features":[58]},{"name":"HID_USAGE_GENERIC_DIAL","features":[58]},{"name":"HID_USAGE_GENERIC_DPAD_DOWN","features":[58]},{"name":"HID_USAGE_GENERIC_DPAD_LEFT","features":[58]},{"name":"HID_USAGE_GENERIC_DPAD_RIGHT","features":[58]},{"name":"HID_USAGE_GENERIC_DPAD_UP","features":[58]},{"name":"HID_USAGE_GENERIC_FEATURE_NOTIFICATION","features":[58]},{"name":"HID_USAGE_GENERIC_GAMEPAD","features":[58]},{"name":"HID_USAGE_GENERIC_HATSWITCH","features":[58]},{"name":"HID_USAGE_GENERIC_INTERACTIVE_CONTROL","features":[58]},{"name":"HID_USAGE_GENERIC_JOYSTICK","features":[58]},{"name":"HID_USAGE_GENERIC_KEYBOARD","features":[58]},{"name":"HID_USAGE_GENERIC_KEYPAD","features":[58]},{"name":"HID_USAGE_GENERIC_MOTION_WAKEUP","features":[58]},{"name":"HID_USAGE_GENERIC_MOUSE","features":[58]},{"name":"HID_USAGE_GENERIC_MULTI_AXIS_CONTROLLER","features":[58]},{"name":"HID_USAGE_GENERIC_POINTER","features":[58]},{"name":"HID_USAGE_GENERIC_PORTABLE_DEVICE_CONTROL","features":[58]},{"name":"HID_USAGE_GENERIC_RESOLUTION_MULTIPLIER","features":[58]},{"name":"HID_USAGE_GENERIC_RX","features":[58]},{"name":"HID_USAGE_GENERIC_RY","features":[58]},{"name":"HID_USAGE_GENERIC_RZ","features":[58]},{"name":"HID_USAGE_GENERIC_SELECT","features":[58]},{"name":"HID_USAGE_GENERIC_SLIDER","features":[58]},{"name":"HID_USAGE_GENERIC_START","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_APP_BREAK","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_APP_DBG_BREAK","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_APP_MENU","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_COLD_RESTART","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_CONTEXT_MENU","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_DISMISS_NOTIFICATION","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_DISP_AUTOSCALE","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_DISP_BOTH","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_DISP_DUAL","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_DISP_EXTERNAL","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_DISP_INTERNAL","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_DISP_INVERT","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_DISP_SWAP","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_DISP_TOGGLE","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_DOCK","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_FN","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_FN_LOCK","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_FN_LOCK_INDICATOR","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_HELP_MENU","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_HIBERNATE","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_MAIN_MENU","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_MENU_DOWN","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_MENU_EXIT","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_MENU_LEFT","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_MENU_RIGHT","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_MENU_SELECT","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_MENU_UP","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_MUTE","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_POWER","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_SETUP","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_SLEEP","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_SYS_BREAK","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_SYS_DBG_BREAK","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_UNDOCK","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_WAKE","features":[58]},{"name":"HID_USAGE_GENERIC_SYSCTL_WARM_RESTART","features":[58]},{"name":"HID_USAGE_GENERIC_SYSTEM_CTL","features":[58]},{"name":"HID_USAGE_GENERIC_SYSTEM_DISPLAY_ROTATION_LOCK_BUTTON","features":[58]},{"name":"HID_USAGE_GENERIC_SYSTEM_DISPLAY_ROTATION_LOCK_SLIDER_SWITCH","features":[58]},{"name":"HID_USAGE_GENERIC_TABLET_PC_SYSTEM_CTL","features":[58]},{"name":"HID_USAGE_GENERIC_VBRX","features":[58]},{"name":"HID_USAGE_GENERIC_VBRY","features":[58]},{"name":"HID_USAGE_GENERIC_VBRZ","features":[58]},{"name":"HID_USAGE_GENERIC_VNO","features":[58]},{"name":"HID_USAGE_GENERIC_VX","features":[58]},{"name":"HID_USAGE_GENERIC_VY","features":[58]},{"name":"HID_USAGE_GENERIC_VZ","features":[58]},{"name":"HID_USAGE_GENERIC_WHEEL","features":[58]},{"name":"HID_USAGE_GENERIC_X","features":[58]},{"name":"HID_USAGE_GENERIC_Y","features":[58]},{"name":"HID_USAGE_GENERIC_Z","features":[58]},{"name":"HID_USAGE_HAPTICS_AUTO_ASSOCIATED_CONTROL","features":[58]},{"name":"HID_USAGE_HAPTICS_AUTO_TRIGGER","features":[58]},{"name":"HID_USAGE_HAPTICS_DURATION_LIST","features":[58]},{"name":"HID_USAGE_HAPTICS_INTENSITY","features":[58]},{"name":"HID_USAGE_HAPTICS_MANUAL_TRIGGER","features":[58]},{"name":"HID_USAGE_HAPTICS_REPEAT_COUNT","features":[58]},{"name":"HID_USAGE_HAPTICS_RETRIGGER_PERIOD","features":[58]},{"name":"HID_USAGE_HAPTICS_SIMPLE_CONTROLLER","features":[58]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_BEGIN","features":[58]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_BUZZ","features":[58]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_CLICK","features":[58]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_CUTOFF_TIME","features":[58]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_END","features":[58]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_LIST","features":[58]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_NULL","features":[58]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_PRESS","features":[58]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_RELEASE","features":[58]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_RUMBLE","features":[58]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_STOP","features":[58]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_VENDOR_BEGIN","features":[58]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_VENDOR_END","features":[58]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_VENDOR_ID","features":[58]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_VENDOR_PAGE","features":[58]},{"name":"HID_USAGE_KEYBOARD_CAPS_LOCK","features":[58]},{"name":"HID_USAGE_KEYBOARD_DELETE","features":[58]},{"name":"HID_USAGE_KEYBOARD_DELETE_FORWARD","features":[58]},{"name":"HID_USAGE_KEYBOARD_ESCAPE","features":[58]},{"name":"HID_USAGE_KEYBOARD_F1","features":[58]},{"name":"HID_USAGE_KEYBOARD_F10","features":[58]},{"name":"HID_USAGE_KEYBOARD_F11","features":[58]},{"name":"HID_USAGE_KEYBOARD_F12","features":[58]},{"name":"HID_USAGE_KEYBOARD_F13","features":[58]},{"name":"HID_USAGE_KEYBOARD_F14","features":[58]},{"name":"HID_USAGE_KEYBOARD_F15","features":[58]},{"name":"HID_USAGE_KEYBOARD_F16","features":[58]},{"name":"HID_USAGE_KEYBOARD_F17","features":[58]},{"name":"HID_USAGE_KEYBOARD_F18","features":[58]},{"name":"HID_USAGE_KEYBOARD_F19","features":[58]},{"name":"HID_USAGE_KEYBOARD_F2","features":[58]},{"name":"HID_USAGE_KEYBOARD_F20","features":[58]},{"name":"HID_USAGE_KEYBOARD_F21","features":[58]},{"name":"HID_USAGE_KEYBOARD_F22","features":[58]},{"name":"HID_USAGE_KEYBOARD_F23","features":[58]},{"name":"HID_USAGE_KEYBOARD_F24","features":[58]},{"name":"HID_USAGE_KEYBOARD_F3","features":[58]},{"name":"HID_USAGE_KEYBOARD_F4","features":[58]},{"name":"HID_USAGE_KEYBOARD_F5","features":[58]},{"name":"HID_USAGE_KEYBOARD_F6","features":[58]},{"name":"HID_USAGE_KEYBOARD_F7","features":[58]},{"name":"HID_USAGE_KEYBOARD_F8","features":[58]},{"name":"HID_USAGE_KEYBOARD_F9","features":[58]},{"name":"HID_USAGE_KEYBOARD_KEYPAD_0_AND_INSERT","features":[58]},{"name":"HID_USAGE_KEYBOARD_KEYPAD_1_AND_END","features":[58]},{"name":"HID_USAGE_KEYBOARD_LALT","features":[58]},{"name":"HID_USAGE_KEYBOARD_LCTRL","features":[58]},{"name":"HID_USAGE_KEYBOARD_LGUI","features":[58]},{"name":"HID_USAGE_KEYBOARD_LSHFT","features":[58]},{"name":"HID_USAGE_KEYBOARD_NOEVENT","features":[58]},{"name":"HID_USAGE_KEYBOARD_NUM_LOCK","features":[58]},{"name":"HID_USAGE_KEYBOARD_ONE","features":[58]},{"name":"HID_USAGE_KEYBOARD_POSTFAIL","features":[58]},{"name":"HID_USAGE_KEYBOARD_PRINT_SCREEN","features":[58]},{"name":"HID_USAGE_KEYBOARD_RALT","features":[58]},{"name":"HID_USAGE_KEYBOARD_RCTRL","features":[58]},{"name":"HID_USAGE_KEYBOARD_RETURN","features":[58]},{"name":"HID_USAGE_KEYBOARD_RGUI","features":[58]},{"name":"HID_USAGE_KEYBOARD_ROLLOVER","features":[58]},{"name":"HID_USAGE_KEYBOARD_RSHFT","features":[58]},{"name":"HID_USAGE_KEYBOARD_SCROLL_LOCK","features":[58]},{"name":"HID_USAGE_KEYBOARD_UNDEFINED","features":[58]},{"name":"HID_USAGE_KEYBOARD_ZERO","features":[58]},{"name":"HID_USAGE_KEYBOARD_aA","features":[58]},{"name":"HID_USAGE_KEYBOARD_zZ","features":[58]},{"name":"HID_USAGE_LAMPARRAY","features":[58]},{"name":"HID_USAGE_LAMPARRAY_ATTRBIUTES_REPORT","features":[58]},{"name":"HID_USAGE_LAMPARRAY_AUTONOMOUS_MODE","features":[58]},{"name":"HID_USAGE_LAMPARRAY_BLUE_LEVEL_COUNT","features":[58]},{"name":"HID_USAGE_LAMPARRAY_BOUNDING_BOX_DEPTH_IN_MICROMETERS","features":[58]},{"name":"HID_USAGE_LAMPARRAY_BOUNDING_BOX_HEIGHT_IN_MICROMETERS","features":[58]},{"name":"HID_USAGE_LAMPARRAY_BOUNDING_BOX_WIDTH_IN_MICROMETERS","features":[58]},{"name":"HID_USAGE_LAMPARRAY_CONTROL_REPORT","features":[58]},{"name":"HID_USAGE_LAMPARRAY_GREEN_LEVEL_COUNT","features":[58]},{"name":"HID_USAGE_LAMPARRAY_INPUT_BINDING","features":[58]},{"name":"HID_USAGE_LAMPARRAY_INTENSITY_LEVEL_COUNT","features":[58]},{"name":"HID_USAGE_LAMPARRAY_IS_PROGRAMMABLE","features":[58]},{"name":"HID_USAGE_LAMPARRAY_KIND","features":[58]},{"name":"HID_USAGE_LAMPARRAY_LAMP_ATTRIBUTES_REQUEST_REPORT","features":[58]},{"name":"HID_USAGE_LAMPARRAY_LAMP_ATTRIBUTES_RESPONSE_REPORT","features":[58]},{"name":"HID_USAGE_LAMPARRAY_LAMP_BLUE_UPDATE_CHANNEL","features":[58]},{"name":"HID_USAGE_LAMPARRAY_LAMP_COUNT","features":[58]},{"name":"HID_USAGE_LAMPARRAY_LAMP_GREEN_UPDATE_CHANNEL","features":[58]},{"name":"HID_USAGE_LAMPARRAY_LAMP_ID","features":[58]},{"name":"HID_USAGE_LAMPARRAY_LAMP_ID_END","features":[58]},{"name":"HID_USAGE_LAMPARRAY_LAMP_ID_START","features":[58]},{"name":"HID_USAGE_LAMPARRAY_LAMP_INTENSITY_UPDATE_CHANNEL","features":[58]},{"name":"HID_USAGE_LAMPARRAY_LAMP_MULTI_UPDATE_REPORT","features":[58]},{"name":"HID_USAGE_LAMPARRAY_LAMP_PURPOSES","features":[58]},{"name":"HID_USAGE_LAMPARRAY_LAMP_RANGE_UPDATE_REPORT","features":[58]},{"name":"HID_USAGE_LAMPARRAY_LAMP_RED_UPDATE_CHANNEL","features":[58]},{"name":"HID_USAGE_LAMPARRAY_LAMP_UPDATE_FLAGS","features":[58]},{"name":"HID_USAGE_LAMPARRAY_MIN_UPDATE_INTERVAL_IN_MICROSECONDS","features":[58]},{"name":"HID_USAGE_LAMPARRAY_POSITION_X_IN_MICROMETERS","features":[58]},{"name":"HID_USAGE_LAMPARRAY_POSITION_Y_IN_MICROMETERS","features":[58]},{"name":"HID_USAGE_LAMPARRAY_POSITION_Z_IN_MICROMETERS","features":[58]},{"name":"HID_USAGE_LAMPARRAY_RED_LEVEL_COUNT","features":[58]},{"name":"HID_USAGE_LAMPARRAY_UPDATE_LATENCY_IN_MICROSECONDS","features":[58]},{"name":"HID_USAGE_LED_AMBER","features":[58]},{"name":"HID_USAGE_LED_BATTERY_LOW","features":[58]},{"name":"HID_USAGE_LED_BATTERY_OK","features":[58]},{"name":"HID_USAGE_LED_BATTERY_OPERATION","features":[58]},{"name":"HID_USAGE_LED_BUSY","features":[58]},{"name":"HID_USAGE_LED_CALL_PICKUP","features":[58]},{"name":"HID_USAGE_LED_CAMERA_OFF","features":[58]},{"name":"HID_USAGE_LED_CAMERA_ON","features":[58]},{"name":"HID_USAGE_LED_CAPS_LOCK","features":[58]},{"name":"HID_USAGE_LED_CAV","features":[58]},{"name":"HID_USAGE_LED_CLV","features":[58]},{"name":"HID_USAGE_LED_COMPOSE","features":[58]},{"name":"HID_USAGE_LED_CONFERENCE","features":[58]},{"name":"HID_USAGE_LED_COVERAGE","features":[58]},{"name":"HID_USAGE_LED_DATA_MODE","features":[58]},{"name":"HID_USAGE_LED_DO_NOT_DISTURB","features":[58]},{"name":"HID_USAGE_LED_EQUALIZER_ENABLE","features":[58]},{"name":"HID_USAGE_LED_ERROR","features":[58]},{"name":"HID_USAGE_LED_EXTERNAL_POWER","features":[58]},{"name":"HID_USAGE_LED_FAST_BLINK_OFF_TIME","features":[58]},{"name":"HID_USAGE_LED_FAST_BLINK_ON_TIME","features":[58]},{"name":"HID_USAGE_LED_FAST_FORWARD","features":[58]},{"name":"HID_USAGE_LED_FLASH_ON_TIME","features":[58]},{"name":"HID_USAGE_LED_FORWARD","features":[58]},{"name":"HID_USAGE_LED_GENERIC_INDICATOR","features":[58]},{"name":"HID_USAGE_LED_GREEN","features":[58]},{"name":"HID_USAGE_LED_HEAD_SET","features":[58]},{"name":"HID_USAGE_LED_HIGH_CUT_FILTER","features":[58]},{"name":"HID_USAGE_LED_HOLD","features":[58]},{"name":"HID_USAGE_LED_INDICATOR_COLOR","features":[58]},{"name":"HID_USAGE_LED_INDICATOR_FAST_BLINK","features":[58]},{"name":"HID_USAGE_LED_INDICATOR_FLASH","features":[58]},{"name":"HID_USAGE_LED_INDICATOR_OFF","features":[58]},{"name":"HID_USAGE_LED_INDICATOR_ON","features":[58]},{"name":"HID_USAGE_LED_INDICATOR_SLOW_BLINK","features":[58]},{"name":"HID_USAGE_LED_IN_USE_INDICATOR","features":[58]},{"name":"HID_USAGE_LED_KANA","features":[58]},{"name":"HID_USAGE_LED_LOW_CUT_FILTER","features":[58]},{"name":"HID_USAGE_LED_MESSAGE_WAITING","features":[58]},{"name":"HID_USAGE_LED_MICROPHONE","features":[58]},{"name":"HID_USAGE_LED_MULTI_MODE_INDICATOR","features":[58]},{"name":"HID_USAGE_LED_MUTE","features":[58]},{"name":"HID_USAGE_LED_NIGHT_MODE","features":[58]},{"name":"HID_USAGE_LED_NUM_LOCK","features":[58]},{"name":"HID_USAGE_LED_OFF_HOOK","features":[58]},{"name":"HID_USAGE_LED_OFF_LINE","features":[58]},{"name":"HID_USAGE_LED_ON_LINE","features":[58]},{"name":"HID_USAGE_LED_PAPER_JAM","features":[58]},{"name":"HID_USAGE_LED_PAPER_OUT","features":[58]},{"name":"HID_USAGE_LED_PAUSE","features":[58]},{"name":"HID_USAGE_LED_PLAY","features":[58]},{"name":"HID_USAGE_LED_POWER","features":[58]},{"name":"HID_USAGE_LED_READY","features":[58]},{"name":"HID_USAGE_LED_RECORD","features":[58]},{"name":"HID_USAGE_LED_RECORDING_FORMAT_DET","features":[58]},{"name":"HID_USAGE_LED_RED","features":[58]},{"name":"HID_USAGE_LED_REMOTE","features":[58]},{"name":"HID_USAGE_LED_REPEAT","features":[58]},{"name":"HID_USAGE_LED_REVERSE","features":[58]},{"name":"HID_USAGE_LED_REWIND","features":[58]},{"name":"HID_USAGE_LED_RING","features":[58]},{"name":"HID_USAGE_LED_SAMPLING_RATE_DETECT","features":[58]},{"name":"HID_USAGE_LED_SCROLL_LOCK","features":[58]},{"name":"HID_USAGE_LED_SELECTED_INDICATOR","features":[58]},{"name":"HID_USAGE_LED_SEND_CALLS","features":[58]},{"name":"HID_USAGE_LED_SHIFT","features":[58]},{"name":"HID_USAGE_LED_SLOW_BLINK_OFF_TIME","features":[58]},{"name":"HID_USAGE_LED_SLOW_BLINK_ON_TIME","features":[58]},{"name":"HID_USAGE_LED_SOUND_FIELD_ON","features":[58]},{"name":"HID_USAGE_LED_SPEAKER","features":[58]},{"name":"HID_USAGE_LED_SPINNING","features":[58]},{"name":"HID_USAGE_LED_STAND_BY","features":[58]},{"name":"HID_USAGE_LED_STEREO","features":[58]},{"name":"HID_USAGE_LED_STOP","features":[58]},{"name":"HID_USAGE_LED_SURROUND_FIELD_ON","features":[58]},{"name":"HID_USAGE_LED_SYSTEM_SUSPEND","features":[58]},{"name":"HID_USAGE_LED_TONE_ENABLE","features":[58]},{"name":"HID_USAGE_MS_BTH_HF_DIALMEMORY","features":[58]},{"name":"HID_USAGE_MS_BTH_HF_DIALNUMBER","features":[58]},{"name":"HID_USAGE_PAGE_ALPHANUMERIC","features":[58]},{"name":"HID_USAGE_PAGE_ARCADE","features":[58]},{"name":"HID_USAGE_PAGE_BARCODE_SCANNER","features":[58]},{"name":"HID_USAGE_PAGE_BUTTON","features":[58]},{"name":"HID_USAGE_PAGE_CAMERA_CONTROL","features":[58]},{"name":"HID_USAGE_PAGE_CONSUMER","features":[58]},{"name":"HID_USAGE_PAGE_DIGITIZER","features":[58]},{"name":"HID_USAGE_PAGE_GAME","features":[58]},{"name":"HID_USAGE_PAGE_GENERIC","features":[58]},{"name":"HID_USAGE_PAGE_GENERIC_DEVICE","features":[58]},{"name":"HID_USAGE_PAGE_HAPTICS","features":[58]},{"name":"HID_USAGE_PAGE_KEYBOARD","features":[58]},{"name":"HID_USAGE_PAGE_LED","features":[58]},{"name":"HID_USAGE_PAGE_LIGHTING_ILLUMINATION","features":[58]},{"name":"HID_USAGE_PAGE_MAGNETIC_STRIPE_READER","features":[58]},{"name":"HID_USAGE_PAGE_MICROSOFT_BLUETOOTH_HANDSFREE","features":[58]},{"name":"HID_USAGE_PAGE_ORDINAL","features":[58]},{"name":"HID_USAGE_PAGE_PID","features":[58]},{"name":"HID_USAGE_PAGE_SENSOR","features":[58]},{"name":"HID_USAGE_PAGE_SIMULATION","features":[58]},{"name":"HID_USAGE_PAGE_SPORT","features":[58]},{"name":"HID_USAGE_PAGE_TELEPHONY","features":[58]},{"name":"HID_USAGE_PAGE_UNDEFINED","features":[58]},{"name":"HID_USAGE_PAGE_UNICODE","features":[58]},{"name":"HID_USAGE_PAGE_VENDOR_DEFINED_BEGIN","features":[58]},{"name":"HID_USAGE_PAGE_VENDOR_DEFINED_END","features":[58]},{"name":"HID_USAGE_PAGE_VR","features":[58]},{"name":"HID_USAGE_PAGE_WEIGHING_DEVICE","features":[58]},{"name":"HID_USAGE_SIMULATION_ACCELLERATOR","features":[58]},{"name":"HID_USAGE_SIMULATION_AILERON","features":[58]},{"name":"HID_USAGE_SIMULATION_AILERON_TRIM","features":[58]},{"name":"HID_USAGE_SIMULATION_AIRPLANE_SIMULATION_DEVICE","features":[58]},{"name":"HID_USAGE_SIMULATION_ANTI_TORQUE_CONTROL","features":[58]},{"name":"HID_USAGE_SIMULATION_AUTOMOBILE_SIMULATION_DEVICE","features":[58]},{"name":"HID_USAGE_SIMULATION_AUTOPIOLOT_ENABLE","features":[58]},{"name":"HID_USAGE_SIMULATION_BALLAST","features":[58]},{"name":"HID_USAGE_SIMULATION_BARREL_ELEVATION","features":[58]},{"name":"HID_USAGE_SIMULATION_BICYCLE_CRANK","features":[58]},{"name":"HID_USAGE_SIMULATION_BICYCLE_SIMULATION_DEVICE","features":[58]},{"name":"HID_USAGE_SIMULATION_BRAKE","features":[58]},{"name":"HID_USAGE_SIMULATION_CHAFF_RELEASE","features":[58]},{"name":"HID_USAGE_SIMULATION_CLUTCH","features":[58]},{"name":"HID_USAGE_SIMULATION_COLLECTIVE_CONTROL","features":[58]},{"name":"HID_USAGE_SIMULATION_CYCLIC_CONTROL","features":[58]},{"name":"HID_USAGE_SIMULATION_CYCLIC_TRIM","features":[58]},{"name":"HID_USAGE_SIMULATION_DIVE_BRAKE","features":[58]},{"name":"HID_USAGE_SIMULATION_DIVE_PLANE","features":[58]},{"name":"HID_USAGE_SIMULATION_ELECTRONIC_COUNTERMEASURES","features":[58]},{"name":"HID_USAGE_SIMULATION_ELEVATOR","features":[58]},{"name":"HID_USAGE_SIMULATION_ELEVATOR_TRIM","features":[58]},{"name":"HID_USAGE_SIMULATION_FLARE_RELEASE","features":[58]},{"name":"HID_USAGE_SIMULATION_FLIGHT_COMMUNICATIONS","features":[58]},{"name":"HID_USAGE_SIMULATION_FLIGHT_CONTROL_STICK","features":[58]},{"name":"HID_USAGE_SIMULATION_FLIGHT_SIMULATION_DEVICE","features":[58]},{"name":"HID_USAGE_SIMULATION_FLIGHT_STICK","features":[58]},{"name":"HID_USAGE_SIMULATION_FLIGHT_YOKE","features":[58]},{"name":"HID_USAGE_SIMULATION_FRONT_BRAKE","features":[58]},{"name":"HID_USAGE_SIMULATION_HANDLE_BARS","features":[58]},{"name":"HID_USAGE_SIMULATION_HELICOPTER_SIMULATION_DEVICE","features":[58]},{"name":"HID_USAGE_SIMULATION_LANDING_GEAR","features":[58]},{"name":"HID_USAGE_SIMULATION_MAGIC_CARPET_SIMULATION_DEVICE","features":[58]},{"name":"HID_USAGE_SIMULATION_MOTORCYCLE_SIMULATION_DEVICE","features":[58]},{"name":"HID_USAGE_SIMULATION_REAR_BRAKE","features":[58]},{"name":"HID_USAGE_SIMULATION_RUDDER","features":[58]},{"name":"HID_USAGE_SIMULATION_SAILING_SIMULATION_DEVICE","features":[58]},{"name":"HID_USAGE_SIMULATION_SHIFTER","features":[58]},{"name":"HID_USAGE_SIMULATION_SPACESHIP_SIMULATION_DEVICE","features":[58]},{"name":"HID_USAGE_SIMULATION_SPORTS_SIMULATION_DEVICE","features":[58]},{"name":"HID_USAGE_SIMULATION_STEERING","features":[58]},{"name":"HID_USAGE_SIMULATION_SUBMARINE_SIMULATION_DEVICE","features":[58]},{"name":"HID_USAGE_SIMULATION_TANK_SIMULATION_DEVICE","features":[58]},{"name":"HID_USAGE_SIMULATION_THROTTLE","features":[58]},{"name":"HID_USAGE_SIMULATION_TOE_BRAKE","features":[58]},{"name":"HID_USAGE_SIMULATION_TRACK_CONTROL","features":[58]},{"name":"HID_USAGE_SIMULATION_TRIGGER","features":[58]},{"name":"HID_USAGE_SIMULATION_TURRET_DIRECTION","features":[58]},{"name":"HID_USAGE_SIMULATION_WEAPONS_ARM","features":[58]},{"name":"HID_USAGE_SIMULATION_WEAPONS_SELECT","features":[58]},{"name":"HID_USAGE_SIMULATION_WING_FLAPS","features":[58]},{"name":"HID_USAGE_SPORT_10_IRON","features":[58]},{"name":"HID_USAGE_SPORT_11_IRON","features":[58]},{"name":"HID_USAGE_SPORT_1_IRON","features":[58]},{"name":"HID_USAGE_SPORT_1_WOOD","features":[58]},{"name":"HID_USAGE_SPORT_2_IRON","features":[58]},{"name":"HID_USAGE_SPORT_3_IRON","features":[58]},{"name":"HID_USAGE_SPORT_3_WOOD","features":[58]},{"name":"HID_USAGE_SPORT_4_IRON","features":[58]},{"name":"HID_USAGE_SPORT_5_IRON","features":[58]},{"name":"HID_USAGE_SPORT_5_WOOD","features":[58]},{"name":"HID_USAGE_SPORT_6_IRON","features":[58]},{"name":"HID_USAGE_SPORT_7_IRON","features":[58]},{"name":"HID_USAGE_SPORT_7_WOOD","features":[58]},{"name":"HID_USAGE_SPORT_8_IRON","features":[58]},{"name":"HID_USAGE_SPORT_9_IRON","features":[58]},{"name":"HID_USAGE_SPORT_9_WOOD","features":[58]},{"name":"HID_USAGE_SPORT_BASEBALL_BAT","features":[58]},{"name":"HID_USAGE_SPORT_FOLLOW_THROUGH","features":[58]},{"name":"HID_USAGE_SPORT_GOLF_CLUB","features":[58]},{"name":"HID_USAGE_SPORT_HEEL_TOE","features":[58]},{"name":"HID_USAGE_SPORT_HEIGHT","features":[58]},{"name":"HID_USAGE_SPORT_LOFT_WEDGE","features":[58]},{"name":"HID_USAGE_SPORT_OAR","features":[58]},{"name":"HID_USAGE_SPORT_POWER_WEDGE","features":[58]},{"name":"HID_USAGE_SPORT_PUTTER","features":[58]},{"name":"HID_USAGE_SPORT_RATE","features":[58]},{"name":"HID_USAGE_SPORT_ROWING_MACHINE","features":[58]},{"name":"HID_USAGE_SPORT_SAND_WEDGE","features":[58]},{"name":"HID_USAGE_SPORT_SLOPE","features":[58]},{"name":"HID_USAGE_SPORT_STICK_FACE_ANGLE","features":[58]},{"name":"HID_USAGE_SPORT_STICK_SPEED","features":[58]},{"name":"HID_USAGE_SPORT_STICK_TYPE","features":[58]},{"name":"HID_USAGE_SPORT_TEMPO","features":[58]},{"name":"HID_USAGE_SPORT_TREADMILL","features":[58]},{"name":"HID_USAGE_TELEPHONY_ANSWERING_MACHINE","features":[58]},{"name":"HID_USAGE_TELEPHONY_DROP","features":[58]},{"name":"HID_USAGE_TELEPHONY_HANDSET","features":[58]},{"name":"HID_USAGE_TELEPHONY_HEADSET","features":[58]},{"name":"HID_USAGE_TELEPHONY_HOST_AVAILABLE","features":[58]},{"name":"HID_USAGE_TELEPHONY_KEYPAD","features":[58]},{"name":"HID_USAGE_TELEPHONY_KEYPAD_0","features":[58]},{"name":"HID_USAGE_TELEPHONY_KEYPAD_D","features":[58]},{"name":"HID_USAGE_TELEPHONY_LINE","features":[58]},{"name":"HID_USAGE_TELEPHONY_MESSAGE_CONTROLS","features":[58]},{"name":"HID_USAGE_TELEPHONY_PHONE","features":[58]},{"name":"HID_USAGE_TELEPHONY_PROGRAMMABLE_BUTTON","features":[58]},{"name":"HID_USAGE_TELEPHONY_REDIAL","features":[58]},{"name":"HID_USAGE_TELEPHONY_RING_ENABLE","features":[58]},{"name":"HID_USAGE_TELEPHONY_SEND","features":[58]},{"name":"HID_USAGE_TELEPHONY_TRANSFER","features":[58]},{"name":"HID_USAGE_VR_ANIMATRONIC_DEVICE","features":[58]},{"name":"HID_USAGE_VR_BELT","features":[58]},{"name":"HID_USAGE_VR_BODY_SUIT","features":[58]},{"name":"HID_USAGE_VR_DISPLAY_ENABLE","features":[58]},{"name":"HID_USAGE_VR_FLEXOR","features":[58]},{"name":"HID_USAGE_VR_GLOVE","features":[58]},{"name":"HID_USAGE_VR_HAND_TRACKER","features":[58]},{"name":"HID_USAGE_VR_HEAD_MOUNTED_DISPLAY","features":[58]},{"name":"HID_USAGE_VR_HEAD_TRACKER","features":[58]},{"name":"HID_USAGE_VR_OCULOMETER","features":[58]},{"name":"HID_USAGE_VR_STEREO_ENABLE","features":[58]},{"name":"HID_USAGE_VR_VEST","features":[58]},{"name":"HID_XFER_PACKET","features":[58]},{"name":"HORIZONTAL_WHEEL_PRESENT","features":[58]},{"name":"HidD_FlushQueue","features":[58,1]},{"name":"HidD_FreePreparsedData","features":[58,1]},{"name":"HidD_GetAttributes","features":[58,1]},{"name":"HidD_GetConfiguration","features":[58,1]},{"name":"HidD_GetFeature","features":[58,1]},{"name":"HidD_GetHidGuid","features":[58]},{"name":"HidD_GetIndexedString","features":[58,1]},{"name":"HidD_GetInputReport","features":[58,1]},{"name":"HidD_GetManufacturerString","features":[58,1]},{"name":"HidD_GetMsGenreDescriptor","features":[58,1]},{"name":"HidD_GetNumInputBuffers","features":[58,1]},{"name":"HidD_GetPhysicalDescriptor","features":[58,1]},{"name":"HidD_GetPreparsedData","features":[58,1]},{"name":"HidD_GetProductString","features":[58,1]},{"name":"HidD_GetSerialNumberString","features":[58,1]},{"name":"HidD_SetConfiguration","features":[58,1]},{"name":"HidD_SetFeature","features":[58,1]},{"name":"HidD_SetNumInputBuffers","features":[58,1]},{"name":"HidD_SetOutputReport","features":[58,1]},{"name":"HidP_Feature","features":[58]},{"name":"HidP_GetButtonArray","features":[58,1]},{"name":"HidP_GetButtonCaps","features":[58,1]},{"name":"HidP_GetCaps","features":[58,1]},{"name":"HidP_GetData","features":[58,1]},{"name":"HidP_GetExtendedAttributes","features":[58,1]},{"name":"HidP_GetLinkCollectionNodes","features":[58,1]},{"name":"HidP_GetScaledUsageValue","features":[58,1]},{"name":"HidP_GetSpecificButtonCaps","features":[58,1]},{"name":"HidP_GetSpecificValueCaps","features":[58,1]},{"name":"HidP_GetUsageValue","features":[58,1]},{"name":"HidP_GetUsageValueArray","features":[58,1]},{"name":"HidP_GetUsages","features":[58,1]},{"name":"HidP_GetUsagesEx","features":[58,1]},{"name":"HidP_GetValueCaps","features":[58,1]},{"name":"HidP_InitializeReportForID","features":[58,1]},{"name":"HidP_Input","features":[58]},{"name":"HidP_Keyboard_Break","features":[58]},{"name":"HidP_Keyboard_Make","features":[58]},{"name":"HidP_MaxDataListLength","features":[58]},{"name":"HidP_MaxUsageListLength","features":[58]},{"name":"HidP_Output","features":[58]},{"name":"HidP_SetButtonArray","features":[58,1]},{"name":"HidP_SetData","features":[58,1]},{"name":"HidP_SetScaledUsageValue","features":[58,1]},{"name":"HidP_SetUsageValue","features":[58,1]},{"name":"HidP_SetUsageValueArray","features":[58,1]},{"name":"HidP_SetUsages","features":[58,1]},{"name":"HidP_TranslateUsagesToI8042ScanCodes","features":[58,1]},{"name":"HidP_UnsetUsages","features":[58,1]},{"name":"HidP_UsageListDifference","features":[58,1]},{"name":"IDirectInput2A","features":[58]},{"name":"IDirectInput2W","features":[58]},{"name":"IDirectInput7A","features":[58]},{"name":"IDirectInput7W","features":[58]},{"name":"IDirectInput8A","features":[58]},{"name":"IDirectInput8W","features":[58]},{"name":"IDirectInputA","features":[58]},{"name":"IDirectInputDevice2A","features":[58]},{"name":"IDirectInputDevice2W","features":[58]},{"name":"IDirectInputDevice7A","features":[58]},{"name":"IDirectInputDevice7W","features":[58]},{"name":"IDirectInputDevice8A","features":[58]},{"name":"IDirectInputDevice8W","features":[58]},{"name":"IDirectInputDeviceA","features":[58]},{"name":"IDirectInputDeviceW","features":[58]},{"name":"IDirectInputEffect","features":[58]},{"name":"IDirectInputEffectDriver","features":[58]},{"name":"IDirectInputJoyConfig","features":[58]},{"name":"IDirectInputJoyConfig8","features":[58]},{"name":"IDirectInputW","features":[58]},{"name":"INDICATOR_LIST","features":[58]},{"name":"INPUT_BUTTON_ENABLE_INFO","features":[58,1]},{"name":"IOCTL_BUTTON_GET_ENABLED_ON_IDLE","features":[58]},{"name":"IOCTL_BUTTON_SET_ENABLED_ON_IDLE","features":[58]},{"name":"IOCTL_KEYBOARD_INSERT_DATA","features":[58]},{"name":"IOCTL_KEYBOARD_QUERY_ATTRIBUTES","features":[58]},{"name":"IOCTL_KEYBOARD_QUERY_EXTENDED_ATTRIBUTES","features":[58]},{"name":"IOCTL_KEYBOARD_QUERY_IME_STATUS","features":[58]},{"name":"IOCTL_KEYBOARD_QUERY_INDICATORS","features":[58]},{"name":"IOCTL_KEYBOARD_QUERY_INDICATOR_TRANSLATION","features":[58]},{"name":"IOCTL_KEYBOARD_QUERY_TYPEMATIC","features":[58]},{"name":"IOCTL_KEYBOARD_SET_IME_STATUS","features":[58]},{"name":"IOCTL_KEYBOARD_SET_INDICATORS","features":[58]},{"name":"IOCTL_KEYBOARD_SET_TYPEMATIC","features":[58]},{"name":"IOCTL_MOUSE_INSERT_DATA","features":[58]},{"name":"IOCTL_MOUSE_QUERY_ATTRIBUTES","features":[58]},{"name":"JOYCALIBRATE","features":[58]},{"name":"JOYPOS","features":[58]},{"name":"JOYRANGE","features":[58]},{"name":"JOYREGHWCONFIG","features":[58]},{"name":"JOYREGHWSETTINGS","features":[58]},{"name":"JOYREGHWVALUES","features":[58]},{"name":"JOYREGUSERVALUES","features":[58]},{"name":"JOYTYPE_ANALOGCOMPAT","features":[58]},{"name":"JOYTYPE_DEFAULTPROPSHEET","features":[58]},{"name":"JOYTYPE_DEVICEHIDE","features":[58]},{"name":"JOYTYPE_ENABLEINPUTREPORT","features":[58]},{"name":"JOYTYPE_GAMEHIDE","features":[58]},{"name":"JOYTYPE_HIDEACTIVE","features":[58]},{"name":"JOYTYPE_INFODEFAULT","features":[58]},{"name":"JOYTYPE_INFOMASK","features":[58]},{"name":"JOYTYPE_INFOYRPEDALS","features":[58]},{"name":"JOYTYPE_INFOYYPEDALS","features":[58]},{"name":"JOYTYPE_INFOZISSLIDER","features":[58]},{"name":"JOYTYPE_INFOZISZ","features":[58]},{"name":"JOYTYPE_INFOZRPEDALS","features":[58]},{"name":"JOYTYPE_INFOZYPEDALS","features":[58]},{"name":"JOYTYPE_KEYBHIDE","features":[58]},{"name":"JOYTYPE_MOUSEHIDE","features":[58]},{"name":"JOYTYPE_NOAUTODETECTGAMEPORT","features":[58]},{"name":"JOYTYPE_NOHIDDIRECT","features":[58]},{"name":"JOYTYPE_ZEROGAMEENUMOEMDATA","features":[58]},{"name":"JOY_HWS_AUTOLOAD","features":[58]},{"name":"JOY_HWS_GAMEPORTBUSBUSY","features":[58]},{"name":"JOY_HWS_HASPOV","features":[58]},{"name":"JOY_HWS_HASR","features":[58]},{"name":"JOY_HWS_HASU","features":[58]},{"name":"JOY_HWS_HASV","features":[58]},{"name":"JOY_HWS_HASZ","features":[58]},{"name":"JOY_HWS_ISANALOGPORTDRIVER","features":[58]},{"name":"JOY_HWS_ISCARCTRL","features":[58]},{"name":"JOY_HWS_ISGAMEPAD","features":[58]},{"name":"JOY_HWS_ISGAMEPORTBUS","features":[58]},{"name":"JOY_HWS_ISGAMEPORTDRIVER","features":[58]},{"name":"JOY_HWS_ISHEADTRACKER","features":[58]},{"name":"JOY_HWS_ISYOKE","features":[58]},{"name":"JOY_HWS_NODEVNODE","features":[58]},{"name":"JOY_HWS_POVISBUTTONCOMBOS","features":[58]},{"name":"JOY_HWS_POVISJ1X","features":[58]},{"name":"JOY_HWS_POVISJ1Y","features":[58]},{"name":"JOY_HWS_POVISJ2X","features":[58]},{"name":"JOY_HWS_POVISPOLL","features":[58]},{"name":"JOY_HWS_RISJ1X","features":[58]},{"name":"JOY_HWS_RISJ1Y","features":[58]},{"name":"JOY_HWS_RISJ2Y","features":[58]},{"name":"JOY_HWS_XISJ1Y","features":[58]},{"name":"JOY_HWS_XISJ2X","features":[58]},{"name":"JOY_HWS_XISJ2Y","features":[58]},{"name":"JOY_HWS_YISJ1X","features":[58]},{"name":"JOY_HWS_YISJ2X","features":[58]},{"name":"JOY_HWS_YISJ2Y","features":[58]},{"name":"JOY_HWS_ZISJ1X","features":[58]},{"name":"JOY_HWS_ZISJ1Y","features":[58]},{"name":"JOY_HWS_ZISJ2X","features":[58]},{"name":"JOY_HW_2A_2B_GENERIC","features":[58]},{"name":"JOY_HW_2A_4B_GENERIC","features":[58]},{"name":"JOY_HW_2B_FLIGHTYOKE","features":[58]},{"name":"JOY_HW_2B_FLIGHTYOKETHROTTLE","features":[58]},{"name":"JOY_HW_2B_GAMEPAD","features":[58]},{"name":"JOY_HW_3A_2B_GENERIC","features":[58]},{"name":"JOY_HW_3A_4B_GENERIC","features":[58]},{"name":"JOY_HW_4B_FLIGHTYOKE","features":[58]},{"name":"JOY_HW_4B_FLIGHTYOKETHROTTLE","features":[58]},{"name":"JOY_HW_4B_GAMEPAD","features":[58]},{"name":"JOY_HW_CUSTOM","features":[58]},{"name":"JOY_HW_LASTENTRY","features":[58]},{"name":"JOY_HW_NONE","features":[58]},{"name":"JOY_HW_TWO_2A_2B_WITH_Y","features":[58]},{"name":"JOY_ISCAL_POV","features":[58]},{"name":"JOY_ISCAL_R","features":[58]},{"name":"JOY_ISCAL_U","features":[58]},{"name":"JOY_ISCAL_V","features":[58]},{"name":"JOY_ISCAL_XY","features":[58]},{"name":"JOY_ISCAL_Z","features":[58]},{"name":"JOY_OEMPOLL_PASSDRIVERDATA","features":[58]},{"name":"JOY_PASSDRIVERDATA","features":[58]},{"name":"JOY_POVVAL_BACKWARD","features":[58]},{"name":"JOY_POVVAL_FORWARD","features":[58]},{"name":"JOY_POVVAL_LEFT","features":[58]},{"name":"JOY_POVVAL_RIGHT","features":[58]},{"name":"JOY_POV_NUMDIRS","features":[58]},{"name":"JOY_US_HASRUDDER","features":[58]},{"name":"JOY_US_ISOEM","features":[58]},{"name":"JOY_US_PRESENT","features":[58]},{"name":"JOY_US_RESERVED","features":[58]},{"name":"JOY_US_VOLATILE","features":[58]},{"name":"KEYBOARD_ATTRIBUTES","features":[58]},{"name":"KEYBOARD_CAPS_LOCK_ON","features":[58]},{"name":"KEYBOARD_ERROR_VALUE_BASE","features":[58]},{"name":"KEYBOARD_EXTENDED_ATTRIBUTES","features":[58]},{"name":"KEYBOARD_EXTENDED_ATTRIBUTES_STRUCT_VERSION_1","features":[58]},{"name":"KEYBOARD_ID","features":[58]},{"name":"KEYBOARD_IME_STATUS","features":[58]},{"name":"KEYBOARD_INDICATOR_PARAMETERS","features":[58]},{"name":"KEYBOARD_INDICATOR_TRANSLATION","features":[58]},{"name":"KEYBOARD_INPUT_DATA","features":[58]},{"name":"KEYBOARD_KANA_LOCK_ON","features":[58]},{"name":"KEYBOARD_LED_INJECTED","features":[58]},{"name":"KEYBOARD_NUM_LOCK_ON","features":[58]},{"name":"KEYBOARD_OVERRUN_MAKE_CODE","features":[58]},{"name":"KEYBOARD_SCROLL_LOCK_ON","features":[58]},{"name":"KEYBOARD_SHADOW","features":[58]},{"name":"KEYBOARD_TYPEMATIC_PARAMETERS","features":[58]},{"name":"KEYBOARD_UNIT_ID_PARAMETER","features":[58]},{"name":"KEY_BREAK","features":[58]},{"name":"KEY_E0","features":[58]},{"name":"KEY_E1","features":[58]},{"name":"KEY_FROM_KEYBOARD_OVERRIDER","features":[58]},{"name":"KEY_MAKE","features":[58]},{"name":"KEY_RIM_VKEY","features":[58]},{"name":"KEY_TERMSRV_SET_LED","features":[58]},{"name":"KEY_TERMSRV_SHADOW","features":[58]},{"name":"KEY_TERMSRV_VKPACKET","features":[58]},{"name":"KEY_UNICODE_SEQUENCE_END","features":[58]},{"name":"KEY_UNICODE_SEQUENCE_ITEM","features":[58]},{"name":"LPDICONFIGUREDEVICESCALLBACK","features":[58,1]},{"name":"LPDIENUMCREATEDEFFECTOBJECTSCALLBACK","features":[58,1]},{"name":"LPDIENUMDEVICEOBJECTSCALLBACKA","features":[58,1]},{"name":"LPDIENUMDEVICEOBJECTSCALLBACKW","features":[58,1]},{"name":"LPDIENUMDEVICESBYSEMANTICSCBA","features":[58,1]},{"name":"LPDIENUMDEVICESBYSEMANTICSCBW","features":[58,1]},{"name":"LPDIENUMDEVICESCALLBACKA","features":[58,1]},{"name":"LPDIENUMDEVICESCALLBACKW","features":[58,1]},{"name":"LPDIENUMEFFECTSCALLBACKA","features":[58,1]},{"name":"LPDIENUMEFFECTSCALLBACKW","features":[58,1]},{"name":"LPDIENUMEFFECTSINFILECALLBACK","features":[58,1]},{"name":"LPDIJOYTYPECALLBACK","features":[58,1]},{"name":"LPFNSHOWJOYCPL","features":[58,1]},{"name":"MAXCPOINTSNUM","features":[58]},{"name":"MAX_JOYSTICKOEMVXDNAME","features":[58]},{"name":"MAX_JOYSTRING","features":[58]},{"name":"MOUSE_ATTRIBUTES","features":[58]},{"name":"MOUSE_BUTTON_1_DOWN","features":[58]},{"name":"MOUSE_BUTTON_1_UP","features":[58]},{"name":"MOUSE_BUTTON_2_DOWN","features":[58]},{"name":"MOUSE_BUTTON_2_UP","features":[58]},{"name":"MOUSE_BUTTON_3_DOWN","features":[58]},{"name":"MOUSE_BUTTON_3_UP","features":[58]},{"name":"MOUSE_BUTTON_4_DOWN","features":[58]},{"name":"MOUSE_BUTTON_4_UP","features":[58]},{"name":"MOUSE_BUTTON_5_DOWN","features":[58]},{"name":"MOUSE_BUTTON_5_UP","features":[58]},{"name":"MOUSE_ERROR_VALUE_BASE","features":[58]},{"name":"MOUSE_HID_HARDWARE","features":[58]},{"name":"MOUSE_HWHEEL","features":[58]},{"name":"MOUSE_I8042_HARDWARE","features":[58]},{"name":"MOUSE_INPORT_HARDWARE","features":[58]},{"name":"MOUSE_INPUT_DATA","features":[58]},{"name":"MOUSE_LEFT_BUTTON_DOWN","features":[58]},{"name":"MOUSE_LEFT_BUTTON_UP","features":[58]},{"name":"MOUSE_MIDDLE_BUTTON_DOWN","features":[58]},{"name":"MOUSE_MIDDLE_BUTTON_UP","features":[58]},{"name":"MOUSE_RIGHT_BUTTON_DOWN","features":[58]},{"name":"MOUSE_RIGHT_BUTTON_UP","features":[58]},{"name":"MOUSE_SERIAL_HARDWARE","features":[58]},{"name":"MOUSE_TERMSRV_SRC_SHADOW","features":[58]},{"name":"MOUSE_UNIT_ID_PARAMETER","features":[58]},{"name":"MOUSE_WHEEL","features":[58]},{"name":"PFN_HidP_GetVersionInternal","features":[58,1]},{"name":"PHIDP_INSERT_SCANCODES","features":[58,1]},{"name":"PHIDP_PREPARSED_DATA","features":[58]},{"name":"USAGE_AND_PAGE","features":[58]},{"name":"WHEELMOUSE_HID_HARDWARE","features":[58]},{"name":"WHEELMOUSE_I8042_HARDWARE","features":[58]},{"name":"WHEELMOUSE_SERIAL_HARDWARE","features":[58]},{"name":"joyConfigChanged","features":[58]}],"381":[{"name":"CLSID_WPD_NAMESPACE_EXTENSION","features":[59]},{"name":"DELETE_OBJECT_OPTIONS","features":[59]},{"name":"DEVICE_RADIO_STATE","features":[59]},{"name":"DEVPKEY_MTPBTH_IsConnected","features":[59,35]},{"name":"DEVSVCTYPE_ABSTRACT","features":[59]},{"name":"DEVSVCTYPE_DEFAULT","features":[59]},{"name":"DEVSVC_SERVICEINFO_VERSION","features":[59]},{"name":"DMProcessConfigXMLFiltered","features":[59]},{"name":"DRS_HW_RADIO_OFF","features":[59]},{"name":"DRS_HW_RADIO_OFF_UNCONTROLLABLE","features":[59]},{"name":"DRS_HW_RADIO_ON_UNCONTROLLABLE","features":[59]},{"name":"DRS_RADIO_INVALID","features":[59]},{"name":"DRS_RADIO_MAX","features":[59]},{"name":"DRS_RADIO_ON","features":[59]},{"name":"DRS_SW_HW_RADIO_OFF","features":[59]},{"name":"DRS_SW_RADIO_OFF","features":[59]},{"name":"ENUM_AnchorResults_AnchorStateInvalid","features":[59]},{"name":"ENUM_AnchorResults_AnchorStateNormal","features":[59]},{"name":"ENUM_AnchorResults_AnchorStateOld","features":[59]},{"name":"ENUM_AnchorResults_ItemStateChanged","features":[59]},{"name":"ENUM_AnchorResults_ItemStateCreated","features":[59]},{"name":"ENUM_AnchorResults_ItemStateDeleted","features":[59]},{"name":"ENUM_AnchorResults_ItemStateInvalid","features":[59]},{"name":"ENUM_AnchorResults_ItemStateUpdated","features":[59]},{"name":"ENUM_CalendarObj_BusyStatusBusy","features":[59]},{"name":"ENUM_CalendarObj_BusyStatusFree","features":[59]},{"name":"ENUM_CalendarObj_BusyStatusOutOfOffice","features":[59]},{"name":"ENUM_CalendarObj_BusyStatusTentative","features":[59]},{"name":"ENUM_DeviceMetadataObj_DefaultCABFalse","features":[59]},{"name":"ENUM_DeviceMetadataObj_DefaultCABTrue","features":[59]},{"name":"ENUM_MessageObj_PatternInstanceFirst","features":[59]},{"name":"ENUM_MessageObj_PatternInstanceFourth","features":[59]},{"name":"ENUM_MessageObj_PatternInstanceLast","features":[59]},{"name":"ENUM_MessageObj_PatternInstanceNone","features":[59]},{"name":"ENUM_MessageObj_PatternInstanceSecond","features":[59]},{"name":"ENUM_MessageObj_PatternInstanceThird","features":[59]},{"name":"ENUM_MessageObj_PatternTypeDaily","features":[59]},{"name":"ENUM_MessageObj_PatternTypeMonthly","features":[59]},{"name":"ENUM_MessageObj_PatternTypeWeekly","features":[59]},{"name":"ENUM_MessageObj_PatternTypeYearly","features":[59]},{"name":"ENUM_MessageObj_PriorityHighest","features":[59]},{"name":"ENUM_MessageObj_PriorityLowest","features":[59]},{"name":"ENUM_MessageObj_PriorityNormal","features":[59]},{"name":"ENUM_MessageObj_ReadFalse","features":[59]},{"name":"ENUM_MessageObj_ReadTrue","features":[59]},{"name":"ENUM_StatusSvc_ChargingActive","features":[59]},{"name":"ENUM_StatusSvc_ChargingInactive","features":[59]},{"name":"ENUM_StatusSvc_ChargingUnknown","features":[59]},{"name":"ENUM_StatusSvc_RoamingActive","features":[59]},{"name":"ENUM_StatusSvc_RoamingInactive","features":[59]},{"name":"ENUM_StatusSvc_RoamingUnknown","features":[59]},{"name":"ENUM_SyncSvc_SyncObjectReferencesDisabled","features":[59]},{"name":"ENUM_SyncSvc_SyncObjectReferencesEnabled","features":[59]},{"name":"ENUM_TaskObj_CompleteFalse","features":[59]},{"name":"ENUM_TaskObj_CompleteTrue","features":[59]},{"name":"E_WPD_DEVICE_ALREADY_OPENED","features":[59]},{"name":"E_WPD_DEVICE_IS_HUNG","features":[59]},{"name":"E_WPD_DEVICE_NOT_OPEN","features":[59]},{"name":"E_WPD_OBJECT_ALREADY_ATTACHED_TO_DEVICE","features":[59]},{"name":"E_WPD_OBJECT_ALREADY_ATTACHED_TO_SERVICE","features":[59]},{"name":"E_WPD_OBJECT_NOT_ATTACHED_TO_DEVICE","features":[59]},{"name":"E_WPD_OBJECT_NOT_ATTACHED_TO_SERVICE","features":[59]},{"name":"E_WPD_OBJECT_NOT_COMMITED","features":[59]},{"name":"E_WPD_SERVICE_ALREADY_OPENED","features":[59]},{"name":"E_WPD_SERVICE_BAD_PARAMETER_ORDER","features":[59]},{"name":"E_WPD_SERVICE_NOT_OPEN","features":[59]},{"name":"E_WPD_SMS_INVALID_MESSAGE_BODY","features":[59]},{"name":"E_WPD_SMS_INVALID_RECIPIENT","features":[59]},{"name":"E_WPD_SMS_SERVICE_UNAVAILABLE","features":[59]},{"name":"EnumBthMtpConnectors","features":[59]},{"name":"FACILITY_WPD","features":[59]},{"name":"FLAG_MessageObj_DayOfWeekFriday","features":[59]},{"name":"FLAG_MessageObj_DayOfWeekMonday","features":[59]},{"name":"FLAG_MessageObj_DayOfWeekNone","features":[59]},{"name":"FLAG_MessageObj_DayOfWeekSaturday","features":[59]},{"name":"FLAG_MessageObj_DayOfWeekSunday","features":[59]},{"name":"FLAG_MessageObj_DayOfWeekThursday","features":[59]},{"name":"FLAG_MessageObj_DayOfWeekTuesday","features":[59]},{"name":"FLAG_MessageObj_DayOfWeekWednesday","features":[59]},{"name":"GUID_DEVINTERFACE_WPD","features":[59]},{"name":"GUID_DEVINTERFACE_WPD_PRIVATE","features":[59]},{"name":"GUID_DEVINTERFACE_WPD_SERVICE","features":[59]},{"name":"IConnectionRequestCallback","features":[59]},{"name":"IEnumPortableDeviceConnectors","features":[59]},{"name":"IEnumPortableDeviceObjectIDs","features":[59]},{"name":"IMediaRadioManager","features":[59]},{"name":"IMediaRadioManagerNotifySink","features":[59]},{"name":"IOCTL_WPD_MESSAGE_READWRITE_ACCESS","features":[59]},{"name":"IOCTL_WPD_MESSAGE_READ_ACCESS","features":[59]},{"name":"IPortableDevice","features":[59]},{"name":"IPortableDeviceCapabilities","features":[59]},{"name":"IPortableDeviceConnector","features":[59]},{"name":"IPortableDeviceContent","features":[59]},{"name":"IPortableDeviceContent2","features":[59]},{"name":"IPortableDeviceDataStream","features":[59]},{"name":"IPortableDeviceDispatchFactory","features":[59]},{"name":"IPortableDeviceEventCallback","features":[59]},{"name":"IPortableDeviceKeyCollection","features":[59]},{"name":"IPortableDeviceManager","features":[59]},{"name":"IPortableDevicePropVariantCollection","features":[59]},{"name":"IPortableDeviceProperties","features":[59]},{"name":"IPortableDevicePropertiesBulk","features":[59]},{"name":"IPortableDevicePropertiesBulkCallback","features":[59]},{"name":"IPortableDeviceResources","features":[59]},{"name":"IPortableDeviceService","features":[59]},{"name":"IPortableDeviceServiceActivation","features":[59]},{"name":"IPortableDeviceServiceCapabilities","features":[59]},{"name":"IPortableDeviceServiceManager","features":[59]},{"name":"IPortableDeviceServiceMethodCallback","features":[59]},{"name":"IPortableDeviceServiceMethods","features":[59]},{"name":"IPortableDeviceServiceOpenCallback","features":[59]},{"name":"IPortableDeviceUnitsStream","features":[59]},{"name":"IPortableDeviceValues","features":[59]},{"name":"IPortableDeviceValuesCollection","features":[59]},{"name":"IPortableDeviceWebControl","features":[59]},{"name":"IRadioInstance","features":[59]},{"name":"IRadioInstanceCollection","features":[59]},{"name":"IWpdSerializer","features":[59]},{"name":"NAME_3GPP2File","features":[59]},{"name":"NAME_3GPPFile","features":[59]},{"name":"NAME_AACFile","features":[59]},{"name":"NAME_AIFFFile","features":[59]},{"name":"NAME_AMRFile","features":[59]},{"name":"NAME_ASFFile","features":[59]},{"name":"NAME_ASXPlaylist","features":[59]},{"name":"NAME_ATSCTSFile","features":[59]},{"name":"NAME_AVCHDFile","features":[59]},{"name":"NAME_AVIFile","features":[59]},{"name":"NAME_AbstractActivity","features":[59]},{"name":"NAME_AbstractActivityOccurrence","features":[59]},{"name":"NAME_AbstractAudioAlbum","features":[59]},{"name":"NAME_AbstractAudioPlaylist","features":[59]},{"name":"NAME_AbstractAudioVideoAlbum","features":[59]},{"name":"NAME_AbstractChapteredProduction","features":[59]},{"name":"NAME_AbstractContact","features":[59]},{"name":"NAME_AbstractContactGroup","features":[59]},{"name":"NAME_AbstractDocument","features":[59]},{"name":"NAME_AbstractImageAlbum","features":[59]},{"name":"NAME_AbstractMediacast","features":[59]},{"name":"NAME_AbstractMessage","features":[59]},{"name":"NAME_AbstractMessageFolder","features":[59]},{"name":"NAME_AbstractMultimediaAlbum","features":[59]},{"name":"NAME_AbstractNote","features":[59]},{"name":"NAME_AbstractTask","features":[59]},{"name":"NAME_AbstractVideoAlbum","features":[59]},{"name":"NAME_AbstractVideoPlaylist","features":[59]},{"name":"NAME_AnchorResults","features":[59]},{"name":"NAME_AnchorResults_Anchor","features":[59]},{"name":"NAME_AnchorResults_AnchorState","features":[59]},{"name":"NAME_AnchorResults_ResultObjectID","features":[59]},{"name":"NAME_AnchorSyncKnowledge","features":[59]},{"name":"NAME_AnchorSyncSvc","features":[59]},{"name":"NAME_AnchorSyncSvc_BeginSync","features":[59]},{"name":"NAME_AnchorSyncSvc_CurrentAnchor","features":[59]},{"name":"NAME_AnchorSyncSvc_EndSync","features":[59]},{"name":"NAME_AnchorSyncSvc_FilterType","features":[59]},{"name":"NAME_AnchorSyncSvc_GetChangesSinceAnchor","features":[59]},{"name":"NAME_AnchorSyncSvc_KnowledgeObjectID","features":[59]},{"name":"NAME_AnchorSyncSvc_LastSyncProxyID","features":[59]},{"name":"NAME_AnchorSyncSvc_LocalOnlyDelete","features":[59]},{"name":"NAME_AnchorSyncSvc_ProviderVersion","features":[59]},{"name":"NAME_AnchorSyncSvc_ReplicaID","features":[59]},{"name":"NAME_AnchorSyncSvc_SyncFormat","features":[59]},{"name":"NAME_AnchorSyncSvc_VersionProps","features":[59]},{"name":"NAME_Association","features":[59]},{"name":"NAME_AudibleFile","features":[59]},{"name":"NAME_AudioObj_AudioBitDepth","features":[59]},{"name":"NAME_AudioObj_AudioBitRate","features":[59]},{"name":"NAME_AudioObj_AudioBlockAlignment","features":[59]},{"name":"NAME_AudioObj_AudioFormatCode","features":[59]},{"name":"NAME_AudioObj_Channels","features":[59]},{"name":"NAME_AudioObj_Lyrics","features":[59]},{"name":"NAME_BMPImage","features":[59]},{"name":"NAME_CIFFImage","features":[59]},{"name":"NAME_CalendarObj_Accepted","features":[59]},{"name":"NAME_CalendarObj_BeginDateTime","features":[59]},{"name":"NAME_CalendarObj_BusyStatus","features":[59]},{"name":"NAME_CalendarObj_Declined","features":[59]},{"name":"NAME_CalendarObj_EndDateTime","features":[59]},{"name":"NAME_CalendarObj_Location","features":[59]},{"name":"NAME_CalendarObj_PatternDuration","features":[59]},{"name":"NAME_CalendarObj_PatternStartTime","features":[59]},{"name":"NAME_CalendarObj_ReminderOffset","features":[59]},{"name":"NAME_CalendarObj_Tentative","features":[59]},{"name":"NAME_CalendarObj_TimeZone","features":[59]},{"name":"NAME_CalendarSvc","features":[59]},{"name":"NAME_CalendarSvc_SyncWindowEnd","features":[59]},{"name":"NAME_CalendarSvc_SyncWindowStart","features":[59]},{"name":"NAME_ContactObj_AnniversaryDate","features":[59]},{"name":"NAME_ContactObj_Assistant","features":[59]},{"name":"NAME_ContactObj_Birthdate","features":[59]},{"name":"NAME_ContactObj_BusinessAddressCity","features":[59]},{"name":"NAME_ContactObj_BusinessAddressCountry","features":[59]},{"name":"NAME_ContactObj_BusinessAddressFull","features":[59]},{"name":"NAME_ContactObj_BusinessAddressLine2","features":[59]},{"name":"NAME_ContactObj_BusinessAddressPostalCode","features":[59]},{"name":"NAME_ContactObj_BusinessAddressRegion","features":[59]},{"name":"NAME_ContactObj_BusinessAddressStreet","features":[59]},{"name":"NAME_ContactObj_BusinessEmail","features":[59]},{"name":"NAME_ContactObj_BusinessEmail2","features":[59]},{"name":"NAME_ContactObj_BusinessFax","features":[59]},{"name":"NAME_ContactObj_BusinessPhone","features":[59]},{"name":"NAME_ContactObj_BusinessPhone2","features":[59]},{"name":"NAME_ContactObj_BusinessWebAddress","features":[59]},{"name":"NAME_ContactObj_Children","features":[59]},{"name":"NAME_ContactObj_Email","features":[59]},{"name":"NAME_ContactObj_FamilyName","features":[59]},{"name":"NAME_ContactObj_Fax","features":[59]},{"name":"NAME_ContactObj_GivenName","features":[59]},{"name":"NAME_ContactObj_IMAddress","features":[59]},{"name":"NAME_ContactObj_IMAddress2","features":[59]},{"name":"NAME_ContactObj_IMAddress3","features":[59]},{"name":"NAME_ContactObj_MiddleNames","features":[59]},{"name":"NAME_ContactObj_MobilePhone","features":[59]},{"name":"NAME_ContactObj_MobilePhone2","features":[59]},{"name":"NAME_ContactObj_Organization","features":[59]},{"name":"NAME_ContactObj_OtherAddressCity","features":[59]},{"name":"NAME_ContactObj_OtherAddressCountry","features":[59]},{"name":"NAME_ContactObj_OtherAddressFull","features":[59]},{"name":"NAME_ContactObj_OtherAddressLine2","features":[59]},{"name":"NAME_ContactObj_OtherAddressPostalCode","features":[59]},{"name":"NAME_ContactObj_OtherAddressRegion","features":[59]},{"name":"NAME_ContactObj_OtherAddressStreet","features":[59]},{"name":"NAME_ContactObj_OtherEmail","features":[59]},{"name":"NAME_ContactObj_OtherPhone","features":[59]},{"name":"NAME_ContactObj_Pager","features":[59]},{"name":"NAME_ContactObj_PersonalAddressCity","features":[59]},{"name":"NAME_ContactObj_PersonalAddressCountry","features":[59]},{"name":"NAME_ContactObj_PersonalAddressFull","features":[59]},{"name":"NAME_ContactObj_PersonalAddressLine2","features":[59]},{"name":"NAME_ContactObj_PersonalAddressPostalCode","features":[59]},{"name":"NAME_ContactObj_PersonalAddressRegion","features":[59]},{"name":"NAME_ContactObj_PersonalAddressStreet","features":[59]},{"name":"NAME_ContactObj_PersonalEmail","features":[59]},{"name":"NAME_ContactObj_PersonalEmail2","features":[59]},{"name":"NAME_ContactObj_PersonalFax","features":[59]},{"name":"NAME_ContactObj_PersonalPhone","features":[59]},{"name":"NAME_ContactObj_PersonalPhone2","features":[59]},{"name":"NAME_ContactObj_PersonalWebAddress","features":[59]},{"name":"NAME_ContactObj_Phone","features":[59]},{"name":"NAME_ContactObj_PhoneticFamilyName","features":[59]},{"name":"NAME_ContactObj_PhoneticGivenName","features":[59]},{"name":"NAME_ContactObj_PhoneticOrganization","features":[59]},{"name":"NAME_ContactObj_Ringtone","features":[59]},{"name":"NAME_ContactObj_Role","features":[59]},{"name":"NAME_ContactObj_Spouse","features":[59]},{"name":"NAME_ContactObj_Suffix","features":[59]},{"name":"NAME_ContactObj_Title","features":[59]},{"name":"NAME_ContactObj_WebAddress","features":[59]},{"name":"NAME_ContactSvc_SyncWithPhoneOnly","features":[59]},{"name":"NAME_ContactsSvc","features":[59]},{"name":"NAME_DPOFDocument","features":[59]},{"name":"NAME_DVBTSFile","features":[59]},{"name":"NAME_DeviceExecutable","features":[59]},{"name":"NAME_DeviceMetadataCAB","features":[59]},{"name":"NAME_DeviceMetadataObj_ContentID","features":[59]},{"name":"NAME_DeviceMetadataObj_DefaultCAB","features":[59]},{"name":"NAME_DeviceMetadataSvc","features":[59]},{"name":"NAME_DeviceScript","features":[59]},{"name":"NAME_EXIFImage","features":[59]},{"name":"NAME_ExcelDocument","features":[59]},{"name":"NAME_FLACFile","features":[59]},{"name":"NAME_FirmwareFile","features":[59]},{"name":"NAME_FlashPixImage","features":[59]},{"name":"NAME_FullEnumSyncKnowledge","features":[59]},{"name":"NAME_FullEnumSyncSvc","features":[59]},{"name":"NAME_FullEnumSyncSvc_BeginSync","features":[59]},{"name":"NAME_FullEnumSyncSvc_EndSync","features":[59]},{"name":"NAME_FullEnumSyncSvc_FilterType","features":[59]},{"name":"NAME_FullEnumSyncSvc_KnowledgeObjectID","features":[59]},{"name":"NAME_FullEnumSyncSvc_LastSyncProxyID","features":[59]},{"name":"NAME_FullEnumSyncSvc_LocalOnlyDelete","features":[59]},{"name":"NAME_FullEnumSyncSvc_ProviderVersion","features":[59]},{"name":"NAME_FullEnumSyncSvc_ReplicaID","features":[59]},{"name":"NAME_FullEnumSyncSvc_SyncFormat","features":[59]},{"name":"NAME_FullEnumSyncSvc_VersionProps","features":[59]},{"name":"NAME_GIFImage","features":[59]},{"name":"NAME_GenericObj_AllowedFolderContents","features":[59]},{"name":"NAME_GenericObj_AssociationDesc","features":[59]},{"name":"NAME_GenericObj_AssociationType","features":[59]},{"name":"NAME_GenericObj_Copyright","features":[59]},{"name":"NAME_GenericObj_Corrupt","features":[59]},{"name":"NAME_GenericObj_DRMStatus","features":[59]},{"name":"NAME_GenericObj_DateAccessed","features":[59]},{"name":"NAME_GenericObj_DateAdded","features":[59]},{"name":"NAME_GenericObj_DateAuthored","features":[59]},{"name":"NAME_GenericObj_DateCreated","features":[59]},{"name":"NAME_GenericObj_DateModified","features":[59]},{"name":"NAME_GenericObj_DateRevised","features":[59]},{"name":"NAME_GenericObj_Description","features":[59]},{"name":"NAME_GenericObj_Hidden","features":[59]},{"name":"NAME_GenericObj_Keywords","features":[59]},{"name":"NAME_GenericObj_LanguageLocale","features":[59]},{"name":"NAME_GenericObj_Name","features":[59]},{"name":"NAME_GenericObj_NonConsumable","features":[59]},{"name":"NAME_GenericObj_ObjectFileName","features":[59]},{"name":"NAME_GenericObj_ObjectFormat","features":[59]},{"name":"NAME_GenericObj_ObjectID","features":[59]},{"name":"NAME_GenericObj_ObjectSize","features":[59]},{"name":"NAME_GenericObj_ParentID","features":[59]},{"name":"NAME_GenericObj_PersistentUID","features":[59]},{"name":"NAME_GenericObj_PropertyBag","features":[59]},{"name":"NAME_GenericObj_ProtectionStatus","features":[59]},{"name":"NAME_GenericObj_ReferenceParentID","features":[59]},{"name":"NAME_GenericObj_StorageID","features":[59]},{"name":"NAME_GenericObj_SubDescription","features":[59]},{"name":"NAME_GenericObj_SyncID","features":[59]},{"name":"NAME_GenericObj_SystemObject","features":[59]},{"name":"NAME_GenericObj_TimeToLive","features":[59]},{"name":"NAME_HDPhotoImage","features":[59]},{"name":"NAME_HTMLDocument","features":[59]},{"name":"NAME_HintsSvc","features":[59]},{"name":"NAME_ICalendarActivity","features":[59]},{"name":"NAME_ImageObj_Aperature","features":[59]},{"name":"NAME_ImageObj_Exposure","features":[59]},{"name":"NAME_ImageObj_ISOSpeed","features":[59]},{"name":"NAME_ImageObj_ImageBitDepth","features":[59]},{"name":"NAME_ImageObj_IsColorCorrected","features":[59]},{"name":"NAME_ImageObj_IsCropped","features":[59]},{"name":"NAME_JFIFImage","features":[59]},{"name":"NAME_JP2Image","features":[59]},{"name":"NAME_JPEGXRImage","features":[59]},{"name":"NAME_JPXImage","features":[59]},{"name":"NAME_M3UPlaylist","features":[59]},{"name":"NAME_MHTDocument","features":[59]},{"name":"NAME_MP3File","features":[59]},{"name":"NAME_MPEG2File","features":[59]},{"name":"NAME_MPEG4File","features":[59]},{"name":"NAME_MPEGFile","features":[59]},{"name":"NAME_MPLPlaylist","features":[59]},{"name":"NAME_MediaObj_AlbumArtist","features":[59]},{"name":"NAME_MediaObj_AlbumName","features":[59]},{"name":"NAME_MediaObj_Artist","features":[59]},{"name":"NAME_MediaObj_AudioEncodingProfile","features":[59]},{"name":"NAME_MediaObj_BitRateType","features":[59]},{"name":"NAME_MediaObj_BookmarkByte","features":[59]},{"name":"NAME_MediaObj_BookmarkObject","features":[59]},{"name":"NAME_MediaObj_BookmarkTime","features":[59]},{"name":"NAME_MediaObj_BufferSize","features":[59]},{"name":"NAME_MediaObj_Composer","features":[59]},{"name":"NAME_MediaObj_Credits","features":[59]},{"name":"NAME_MediaObj_DateOriginalRelease","features":[59]},{"name":"NAME_MediaObj_Duration","features":[59]},{"name":"NAME_MediaObj_Editor","features":[59]},{"name":"NAME_MediaObj_EffectiveRating","features":[59]},{"name":"NAME_MediaObj_EncodingProfile","features":[59]},{"name":"NAME_MediaObj_EncodingQuality","features":[59]},{"name":"NAME_MediaObj_Genre","features":[59]},{"name":"NAME_MediaObj_GeographicOrigin","features":[59]},{"name":"NAME_MediaObj_Height","features":[59]},{"name":"NAME_MediaObj_MediaType","features":[59]},{"name":"NAME_MediaObj_MediaUID","features":[59]},{"name":"NAME_MediaObj_Mood","features":[59]},{"name":"NAME_MediaObj_Owner","features":[59]},{"name":"NAME_MediaObj_ParentalRating","features":[59]},{"name":"NAME_MediaObj_Producer","features":[59]},{"name":"NAME_MediaObj_SampleRate","features":[59]},{"name":"NAME_MediaObj_SkipCount","features":[59]},{"name":"NAME_MediaObj_SubscriptionContentID","features":[59]},{"name":"NAME_MediaObj_Subtitle","features":[59]},{"name":"NAME_MediaObj_TotalBitRate","features":[59]},{"name":"NAME_MediaObj_Track","features":[59]},{"name":"NAME_MediaObj_URLLink","features":[59]},{"name":"NAME_MediaObj_URLSource","features":[59]},{"name":"NAME_MediaObj_UseCount","features":[59]},{"name":"NAME_MediaObj_UserRating","features":[59]},{"name":"NAME_MediaObj_WebMaster","features":[59]},{"name":"NAME_MediaObj_Width","features":[59]},{"name":"NAME_MessageObj_BCC","features":[59]},{"name":"NAME_MessageObj_Body","features":[59]},{"name":"NAME_MessageObj_CC","features":[59]},{"name":"NAME_MessageObj_Category","features":[59]},{"name":"NAME_MessageObj_PatternDayOfMonth","features":[59]},{"name":"NAME_MessageObj_PatternDayOfWeek","features":[59]},{"name":"NAME_MessageObj_PatternDeleteDates","features":[59]},{"name":"NAME_MessageObj_PatternInstance","features":[59]},{"name":"NAME_MessageObj_PatternMonthOfYear","features":[59]},{"name":"NAME_MessageObj_PatternOriginalDateTime","features":[59]},{"name":"NAME_MessageObj_PatternPeriod","features":[59]},{"name":"NAME_MessageObj_PatternType","features":[59]},{"name":"NAME_MessageObj_PatternValidEndDate","features":[59]},{"name":"NAME_MessageObj_PatternValidStartDate","features":[59]},{"name":"NAME_MessageObj_Priority","features":[59]},{"name":"NAME_MessageObj_Read","features":[59]},{"name":"NAME_MessageObj_ReceivedTime","features":[59]},{"name":"NAME_MessageObj_Sender","features":[59]},{"name":"NAME_MessageObj_Subject","features":[59]},{"name":"NAME_MessageObj_To","features":[59]},{"name":"NAME_MessageSvc","features":[59]},{"name":"NAME_NotesSvc","features":[59]},{"name":"NAME_OGGFile","features":[59]},{"name":"NAME_PCDImage","features":[59]},{"name":"NAME_PICTImage","features":[59]},{"name":"NAME_PNGImage","features":[59]},{"name":"NAME_PSLPlaylist","features":[59]},{"name":"NAME_PowerPointDocument","features":[59]},{"name":"NAME_QCELPFile","features":[59]},{"name":"NAME_RingtonesSvc","features":[59]},{"name":"NAME_RingtonesSvc_DefaultRingtone","features":[59]},{"name":"NAME_Services_ServiceDisplayName","features":[59]},{"name":"NAME_Services_ServiceIcon","features":[59]},{"name":"NAME_Services_ServiceLocale","features":[59]},{"name":"NAME_StatusSvc","features":[59]},{"name":"NAME_StatusSvc_BatteryLife","features":[59]},{"name":"NAME_StatusSvc_ChargingState","features":[59]},{"name":"NAME_StatusSvc_MissedCalls","features":[59]},{"name":"NAME_StatusSvc_NetworkName","features":[59]},{"name":"NAME_StatusSvc_NetworkType","features":[59]},{"name":"NAME_StatusSvc_NewPictures","features":[59]},{"name":"NAME_StatusSvc_Roaming","features":[59]},{"name":"NAME_StatusSvc_SignalStrength","features":[59]},{"name":"NAME_StatusSvc_StorageCapacity","features":[59]},{"name":"NAME_StatusSvc_StorageFreeSpace","features":[59]},{"name":"NAME_StatusSvc_TextMessages","features":[59]},{"name":"NAME_StatusSvc_VoiceMail","features":[59]},{"name":"NAME_SyncObj_LastAuthorProxyID","features":[59]},{"name":"NAME_SyncSvc_BeginSync","features":[59]},{"name":"NAME_SyncSvc_EndSync","features":[59]},{"name":"NAME_SyncSvc_FilterType","features":[59]},{"name":"NAME_SyncSvc_LocalOnlyDelete","features":[59]},{"name":"NAME_SyncSvc_SyncFormat","features":[59]},{"name":"NAME_SyncSvc_SyncObjectReferences","features":[59]},{"name":"NAME_TIFFEPImage","features":[59]},{"name":"NAME_TIFFITImage","features":[59]},{"name":"NAME_TIFFImage","features":[59]},{"name":"NAME_TaskObj_BeginDate","features":[59]},{"name":"NAME_TaskObj_Complete","features":[59]},{"name":"NAME_TaskObj_EndDate","features":[59]},{"name":"NAME_TaskObj_ReminderDateTime","features":[59]},{"name":"NAME_TasksSvc","features":[59]},{"name":"NAME_TasksSvc_SyncActiveOnly","features":[59]},{"name":"NAME_TextDocument","features":[59]},{"name":"NAME_Undefined","features":[59]},{"name":"NAME_UndefinedAudio","features":[59]},{"name":"NAME_UndefinedCollection","features":[59]},{"name":"NAME_UndefinedDocument","features":[59]},{"name":"NAME_UndefinedVideo","features":[59]},{"name":"NAME_UnknownImage","features":[59]},{"name":"NAME_VCalendar1Activity","features":[59]},{"name":"NAME_VCard2Contact","features":[59]},{"name":"NAME_VCard3Contact","features":[59]},{"name":"NAME_VideoObj_KeyFrameDistance","features":[59]},{"name":"NAME_VideoObj_ScanType","features":[59]},{"name":"NAME_VideoObj_Source","features":[59]},{"name":"NAME_VideoObj_VideoBitRate","features":[59]},{"name":"NAME_VideoObj_VideoFormatCode","features":[59]},{"name":"NAME_VideoObj_VideoFrameRate","features":[59]},{"name":"NAME_WAVFile","features":[59]},{"name":"NAME_WBMPImage","features":[59]},{"name":"NAME_WMAFile","features":[59]},{"name":"NAME_WMVFile","features":[59]},{"name":"NAME_WPLPlaylist","features":[59]},{"name":"NAME_WordDocument","features":[59]},{"name":"NAME_XMLDocument","features":[59]},{"name":"PORTABLE_DEVICE_DELETE_NO_RECURSION","features":[59]},{"name":"PORTABLE_DEVICE_DELETE_WITH_RECURSION","features":[59]},{"name":"PORTABLE_DEVICE_DRM_SCHEME_PDDRM","features":[59]},{"name":"PORTABLE_DEVICE_DRM_SCHEME_WMDRM10_PD","features":[59]},{"name":"PORTABLE_DEVICE_ICON","features":[59]},{"name":"PORTABLE_DEVICE_IS_MASS_STORAGE","features":[59]},{"name":"PORTABLE_DEVICE_NAMESPACE_EXCLUDE_FROM_SHELL","features":[59]},{"name":"PORTABLE_DEVICE_NAMESPACE_THUMBNAIL_CONTENT_TYPES","features":[59]},{"name":"PORTABLE_DEVICE_NAMESPACE_TIMEOUT","features":[59]},{"name":"PORTABLE_DEVICE_TYPE","features":[59]},{"name":"PortableDevice","features":[59]},{"name":"PortableDeviceDispatchFactory","features":[59]},{"name":"PortableDeviceFTM","features":[59]},{"name":"PortableDeviceKeyCollection","features":[59]},{"name":"PortableDeviceManager","features":[59]},{"name":"PortableDevicePropVariantCollection","features":[59]},{"name":"PortableDeviceService","features":[59]},{"name":"PortableDeviceServiceFTM","features":[59]},{"name":"PortableDeviceValues","features":[59]},{"name":"PortableDeviceValuesCollection","features":[59]},{"name":"PortableDeviceWebControl","features":[59]},{"name":"RANGEMAX_MessageObj_PatternDayOfMonth","features":[59]},{"name":"RANGEMAX_MessageObj_PatternMonthOfYear","features":[59]},{"name":"RANGEMAX_StatusSvc_BatteryLife","features":[59]},{"name":"RANGEMAX_StatusSvc_MissedCalls","features":[59]},{"name":"RANGEMAX_StatusSvc_NewPictures","features":[59]},{"name":"RANGEMAX_StatusSvc_SignalStrength","features":[59]},{"name":"RANGEMAX_StatusSvc_TextMessages","features":[59]},{"name":"RANGEMAX_StatusSvc_VoiceMail","features":[59]},{"name":"RANGEMIN_MessageObj_PatternDayOfMonth","features":[59]},{"name":"RANGEMIN_MessageObj_PatternMonthOfYear","features":[59]},{"name":"RANGEMIN_StatusSvc_BatteryLife","features":[59]},{"name":"RANGEMIN_StatusSvc_SignalStrength","features":[59]},{"name":"RANGESTEP_MessageObj_PatternDayOfMonth","features":[59]},{"name":"RANGESTEP_MessageObj_PatternMonthOfYear","features":[59]},{"name":"RANGESTEP_StatusSvc_BatteryLife","features":[59]},{"name":"RANGESTEP_StatusSvc_SignalStrength","features":[59]},{"name":"SMS_BINARY_MESSAGE","features":[59]},{"name":"SMS_ENCODING_7_BIT","features":[59]},{"name":"SMS_ENCODING_8_BIT","features":[59]},{"name":"SMS_ENCODING_UTF_16","features":[59]},{"name":"SMS_MESSAGE_TYPES","features":[59]},{"name":"SMS_TEXT_MESSAGE","features":[59]},{"name":"SRS_RADIO_DISABLED","features":[59]},{"name":"SRS_RADIO_ENABLED","features":[59]},{"name":"STR_WPDNSE_FAST_ENUM","features":[59]},{"name":"STR_WPDNSE_SIMPLE_ITEM","features":[59]},{"name":"SYNCSVC_FILTER_CALENDAR_WINDOW_WITH_RECURRENCE","features":[59]},{"name":"SYNCSVC_FILTER_CONTACTS_WITH_PHONE","features":[59]},{"name":"SYNCSVC_FILTER_NONE","features":[59]},{"name":"SYNCSVC_FILTER_TASK_ACTIVE","features":[59]},{"name":"SYSTEM_RADIO_STATE","features":[59]},{"name":"TYPE_AnchorSyncSvc","features":[59]},{"name":"TYPE_CalendarSvc","features":[59]},{"name":"TYPE_ContactsSvc","features":[59]},{"name":"TYPE_DeviceMetadataSvc","features":[59]},{"name":"TYPE_FullEnumSyncSvc","features":[59]},{"name":"TYPE_HintsSvc","features":[59]},{"name":"TYPE_MessageSvc","features":[59]},{"name":"TYPE_NotesSvc","features":[59]},{"name":"TYPE_RingtonesSvc","features":[59]},{"name":"TYPE_StatusSvc","features":[59]},{"name":"TYPE_TasksSvc","features":[59]},{"name":"WPDNSE_OBJECT_HAS_ALBUM_ART","features":[59,60]},{"name":"WPDNSE_OBJECT_HAS_AUDIO_CLIP","features":[59,60]},{"name":"WPDNSE_OBJECT_HAS_CONTACT_PHOTO","features":[59,60]},{"name":"WPDNSE_OBJECT_HAS_ICON","features":[59,60]},{"name":"WPDNSE_OBJECT_HAS_THUMBNAIL","features":[59,60]},{"name":"WPDNSE_OBJECT_OPTIMAL_READ_BLOCK_SIZE","features":[59,60]},{"name":"WPDNSE_OBJECT_PROPERTIES_V1","features":[59]},{"name":"WPDNSE_PROPSHEET_CONTENT_DETAILS","features":[59]},{"name":"WPDNSE_PROPSHEET_CONTENT_GENERAL","features":[59]},{"name":"WPDNSE_PROPSHEET_CONTENT_REFERENCES","features":[59]},{"name":"WPDNSE_PROPSHEET_CONTENT_RESOURCES","features":[59]},{"name":"WPDNSE_PROPSHEET_DEVICE_GENERAL","features":[59]},{"name":"WPDNSE_PROPSHEET_STORAGE_GENERAL","features":[59]},{"name":"WPD_API_OPTIONS_V1","features":[59]},{"name":"WPD_API_OPTION_IOCTL_ACCESS","features":[59,60]},{"name":"WPD_API_OPTION_USE_CLEAR_DATA_STREAM","features":[59,60]},{"name":"WPD_APPOINTMENT_ACCEPTED_ATTENDEES","features":[59,60]},{"name":"WPD_APPOINTMENT_DECLINED_ATTENDEES","features":[59,60]},{"name":"WPD_APPOINTMENT_LOCATION","features":[59,60]},{"name":"WPD_APPOINTMENT_OBJECT_PROPERTIES_V1","features":[59]},{"name":"WPD_APPOINTMENT_OPTIONAL_ATTENDEES","features":[59,60]},{"name":"WPD_APPOINTMENT_REQUIRED_ATTENDEES","features":[59,60]},{"name":"WPD_APPOINTMENT_RESOURCES","features":[59,60]},{"name":"WPD_APPOINTMENT_TENTATIVE_ATTENDEES","features":[59,60]},{"name":"WPD_APPOINTMENT_TYPE","features":[59,60]},{"name":"WPD_AUDIO_BITRATE","features":[59,60]},{"name":"WPD_AUDIO_BIT_DEPTH","features":[59,60]},{"name":"WPD_AUDIO_BLOCK_ALIGNMENT","features":[59,60]},{"name":"WPD_AUDIO_CHANNEL_COUNT","features":[59,60]},{"name":"WPD_AUDIO_FORMAT_CODE","features":[59,60]},{"name":"WPD_BITRATE_TYPES","features":[59]},{"name":"WPD_BITRATE_TYPE_DISCRETE","features":[59]},{"name":"WPD_BITRATE_TYPE_FREE","features":[59]},{"name":"WPD_BITRATE_TYPE_UNUSED","features":[59]},{"name":"WPD_BITRATE_TYPE_VARIABLE","features":[59]},{"name":"WPD_CAPTURE_MODES","features":[59]},{"name":"WPD_CAPTURE_MODE_BURST","features":[59]},{"name":"WPD_CAPTURE_MODE_NORMAL","features":[59]},{"name":"WPD_CAPTURE_MODE_TIMELAPSE","features":[59]},{"name":"WPD_CAPTURE_MODE_UNDEFINED","features":[59]},{"name":"WPD_CATEGORY_CAPABILITIES","features":[59]},{"name":"WPD_CATEGORY_COMMON","features":[59]},{"name":"WPD_CATEGORY_DEVICE_HINTS","features":[59]},{"name":"WPD_CATEGORY_MEDIA_CAPTURE","features":[59]},{"name":"WPD_CATEGORY_MTP_EXT_VENDOR_OPERATIONS","features":[59]},{"name":"WPD_CATEGORY_NETWORK_CONFIGURATION","features":[59]},{"name":"WPD_CATEGORY_NULL","features":[59]},{"name":"WPD_CATEGORY_OBJECT_ENUMERATION","features":[59]},{"name":"WPD_CATEGORY_OBJECT_MANAGEMENT","features":[59]},{"name":"WPD_CATEGORY_OBJECT_PROPERTIES","features":[59]},{"name":"WPD_CATEGORY_OBJECT_PROPERTIES_BULK","features":[59]},{"name":"WPD_CATEGORY_OBJECT_RESOURCES","features":[59]},{"name":"WPD_CATEGORY_SERVICE_CAPABILITIES","features":[59]},{"name":"WPD_CATEGORY_SERVICE_COMMON","features":[59]},{"name":"WPD_CATEGORY_SERVICE_METHODS","features":[59]},{"name":"WPD_CATEGORY_SMS","features":[59]},{"name":"WPD_CATEGORY_STILL_IMAGE_CAPTURE","features":[59]},{"name":"WPD_CATEGORY_STORAGE","features":[59]},{"name":"WPD_CLASS_EXTENSION_OPTIONS_DEVICE_IDENTIFICATION_VALUES","features":[59,60]},{"name":"WPD_CLASS_EXTENSION_OPTIONS_DONT_REGISTER_WPD_DEVICE_INTERFACE","features":[59,60]},{"name":"WPD_CLASS_EXTENSION_OPTIONS_MULTITRANSPORT_MODE","features":[59,60]},{"name":"WPD_CLASS_EXTENSION_OPTIONS_REGISTER_WPD_PRIVATE_DEVICE_INTERFACE","features":[59,60]},{"name":"WPD_CLASS_EXTENSION_OPTIONS_SILENCE_AUTOPLAY","features":[59,60]},{"name":"WPD_CLASS_EXTENSION_OPTIONS_SUPPORTED_CONTENT_TYPES","features":[59,60]},{"name":"WPD_CLASS_EXTENSION_OPTIONS_TRANSPORT_BANDWIDTH","features":[59,60]},{"name":"WPD_CLASS_EXTENSION_OPTIONS_V1","features":[59]},{"name":"WPD_CLASS_EXTENSION_OPTIONS_V2","features":[59]},{"name":"WPD_CLASS_EXTENSION_OPTIONS_V3","features":[59]},{"name":"WPD_CLASS_EXTENSION_V1","features":[59]},{"name":"WPD_CLASS_EXTENSION_V2","features":[59]},{"name":"WPD_CLIENT_DESIRED_ACCESS","features":[59,60]},{"name":"WPD_CLIENT_EVENT_COOKIE","features":[59,60]},{"name":"WPD_CLIENT_INFORMATION_PROPERTIES_V1","features":[59]},{"name":"WPD_CLIENT_MAJOR_VERSION","features":[59,60]},{"name":"WPD_CLIENT_MANUAL_CLOSE_ON_DISCONNECT","features":[59,60]},{"name":"WPD_CLIENT_MINIMUM_RESULTS_BUFFER_SIZE","features":[59,60]},{"name":"WPD_CLIENT_MINOR_VERSION","features":[59,60]},{"name":"WPD_CLIENT_NAME","features":[59,60]},{"name":"WPD_CLIENT_REVISION","features":[59,60]},{"name":"WPD_CLIENT_SECURITY_QUALITY_OF_SERVICE","features":[59,60]},{"name":"WPD_CLIENT_SHARE_MODE","features":[59,60]},{"name":"WPD_CLIENT_WMDRM_APPLICATION_CERTIFICATE","features":[59,60]},{"name":"WPD_CLIENT_WMDRM_APPLICATION_PRIVATE_KEY","features":[59,60]},{"name":"WPD_COLOR_CORRECTED_STATUS_CORRECTED","features":[59]},{"name":"WPD_COLOR_CORRECTED_STATUS_NOT_CORRECTED","features":[59]},{"name":"WPD_COLOR_CORRECTED_STATUS_SHOULD_NOT_BE_CORRECTED","features":[59]},{"name":"WPD_COLOR_CORRECTED_STATUS_VALUES","features":[59]},{"name":"WPD_COMMAND_ACCESS_FROM_ATTRIBUTE_WITH_METHOD_ACCESS","features":[59]},{"name":"WPD_COMMAND_ACCESS_FROM_PROPERTY_WITH_FILE_ACCESS","features":[59]},{"name":"WPD_COMMAND_ACCESS_FROM_PROPERTY_WITH_STGM_ACCESS","features":[59]},{"name":"WPD_COMMAND_ACCESS_LOOKUP_ENTRY","features":[59,60]},{"name":"WPD_COMMAND_ACCESS_READ","features":[59]},{"name":"WPD_COMMAND_ACCESS_READWRITE","features":[59]},{"name":"WPD_COMMAND_ACCESS_TYPES","features":[59]},{"name":"WPD_COMMAND_CAPABILITIES_GET_COMMAND_OPTIONS","features":[59,60]},{"name":"WPD_COMMAND_CAPABILITIES_GET_EVENT_OPTIONS","features":[59,60]},{"name":"WPD_COMMAND_CAPABILITIES_GET_FIXED_PROPERTY_ATTRIBUTES","features":[59,60]},{"name":"WPD_COMMAND_CAPABILITIES_GET_FUNCTIONAL_OBJECTS","features":[59,60]},{"name":"WPD_COMMAND_CAPABILITIES_GET_SUPPORTED_COMMANDS","features":[59,60]},{"name":"WPD_COMMAND_CAPABILITIES_GET_SUPPORTED_CONTENT_TYPES","features":[59,60]},{"name":"WPD_COMMAND_CAPABILITIES_GET_SUPPORTED_EVENTS","features":[59,60]},{"name":"WPD_COMMAND_CAPABILITIES_GET_SUPPORTED_FORMATS","features":[59,60]},{"name":"WPD_COMMAND_CAPABILITIES_GET_SUPPORTED_FORMAT_PROPERTIES","features":[59,60]},{"name":"WPD_COMMAND_CAPABILITIES_GET_SUPPORTED_FUNCTIONAL_CATEGORIES","features":[59,60]},{"name":"WPD_COMMAND_CLASS_EXTENSION_REGISTER_SERVICE_INTERFACES","features":[59,60]},{"name":"WPD_COMMAND_CLASS_EXTENSION_UNREGISTER_SERVICE_INTERFACES","features":[59,60]},{"name":"WPD_COMMAND_CLASS_EXTENSION_WRITE_DEVICE_INFORMATION","features":[59,60]},{"name":"WPD_COMMAND_COMMIT_KEYPAIR","features":[59,60]},{"name":"WPD_COMMAND_COMMON_GET_OBJECT_IDS_FROM_PERSISTENT_UNIQUE_IDS","features":[59,60]},{"name":"WPD_COMMAND_COMMON_RESET_DEVICE","features":[59,60]},{"name":"WPD_COMMAND_COMMON_SAVE_CLIENT_INFORMATION","features":[59,60]},{"name":"WPD_COMMAND_DEVICE_HINTS_GET_CONTENT_LOCATION","features":[59,60]},{"name":"WPD_COMMAND_GENERATE_KEYPAIR","features":[59,60]},{"name":"WPD_COMMAND_MEDIA_CAPTURE_PAUSE","features":[59,60]},{"name":"WPD_COMMAND_MEDIA_CAPTURE_START","features":[59,60]},{"name":"WPD_COMMAND_MEDIA_CAPTURE_STOP","features":[59,60]},{"name":"WPD_COMMAND_MTP_EXT_END_DATA_TRANSFER","features":[59,60]},{"name":"WPD_COMMAND_MTP_EXT_EXECUTE_COMMAND_WITHOUT_DATA_PHASE","features":[59,60]},{"name":"WPD_COMMAND_MTP_EXT_EXECUTE_COMMAND_WITH_DATA_TO_READ","features":[59,60]},{"name":"WPD_COMMAND_MTP_EXT_EXECUTE_COMMAND_WITH_DATA_TO_WRITE","features":[59,60]},{"name":"WPD_COMMAND_MTP_EXT_GET_SUPPORTED_VENDOR_OPCODES","features":[59,60]},{"name":"WPD_COMMAND_MTP_EXT_GET_VENDOR_EXTENSION_DESCRIPTION","features":[59,60]},{"name":"WPD_COMMAND_MTP_EXT_READ_DATA","features":[59,60]},{"name":"WPD_COMMAND_MTP_EXT_WRITE_DATA","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_ENUMERATION_END_FIND","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_ENUMERATION_FIND_NEXT","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_ENUMERATION_START_FIND","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_MANAGEMENT_COMMIT_OBJECT","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_MANAGEMENT_COPY_OBJECTS","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_MANAGEMENT_CREATE_OBJECT_WITH_PROPERTIES_AND_DATA","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_MANAGEMENT_CREATE_OBJECT_WITH_PROPERTIES_ONLY","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_MANAGEMENT_DELETE_OBJECTS","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_MANAGEMENT_MOVE_OBJECTS","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_MANAGEMENT_REVERT_OBJECT","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_MANAGEMENT_UPDATE_OBJECT_WITH_PROPERTIES_AND_DATA","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_MANAGEMENT_WRITE_OBJECT_DATA","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_BULK_GET_VALUES_BY_OBJECT_FORMAT_END","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_BULK_GET_VALUES_BY_OBJECT_FORMAT_NEXT","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_BULK_GET_VALUES_BY_OBJECT_FORMAT_START","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_BULK_GET_VALUES_BY_OBJECT_LIST_END","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_BULK_GET_VALUES_BY_OBJECT_LIST_NEXT","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_BULK_GET_VALUES_BY_OBJECT_LIST_START","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_BULK_SET_VALUES_BY_OBJECT_LIST_END","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_BULK_SET_VALUES_BY_OBJECT_LIST_NEXT","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_BULK_SET_VALUES_BY_OBJECT_LIST_START","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_DELETE","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_GET","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_GET_ALL","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_GET_ATTRIBUTES","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_GET_SUPPORTED","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_SET","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_CLOSE","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_COMMIT","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_CREATE_RESOURCE","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_DELETE","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_GET_ATTRIBUTES","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_GET_SUPPORTED","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_OPEN","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_READ","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_REVERT","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_SEEK","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_SEEK_IN_UNITS","features":[59,60]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_WRITE","features":[59,60]},{"name":"WPD_COMMAND_PROCESS_WIRELESS_PROFILE","features":[59,60]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_COMMAND_OPTIONS","features":[59,60]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_EVENT_ATTRIBUTES","features":[59,60]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_EVENT_PARAMETER_ATTRIBUTES","features":[59,60]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_FORMAT_ATTRIBUTES","features":[59,60]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_FORMAT_PROPERTY_ATTRIBUTES","features":[59,60]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_FORMAT_RENDERING_PROFILES","features":[59,60]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_INHERITED_SERVICES","features":[59,60]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_METHOD_ATTRIBUTES","features":[59,60]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_METHOD_PARAMETER_ATTRIBUTES","features":[59,60]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_SUPPORTED_COMMANDS","features":[59,60]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_SUPPORTED_EVENTS","features":[59,60]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_SUPPORTED_FORMATS","features":[59,60]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_SUPPORTED_FORMAT_PROPERTIES","features":[59,60]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_SUPPORTED_METHODS","features":[59,60]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_SUPPORTED_METHODS_BY_FORMAT","features":[59,60]},{"name":"WPD_COMMAND_SERVICE_COMMON_GET_SERVICE_OBJECT_ID","features":[59,60]},{"name":"WPD_COMMAND_SERVICE_METHODS_CANCEL_INVOKE","features":[59,60]},{"name":"WPD_COMMAND_SERVICE_METHODS_END_INVOKE","features":[59,60]},{"name":"WPD_COMMAND_SERVICE_METHODS_START_INVOKE","features":[59,60]},{"name":"WPD_COMMAND_SMS_SEND","features":[59,60]},{"name":"WPD_COMMAND_STILL_IMAGE_CAPTURE_INITIATE","features":[59,60]},{"name":"WPD_COMMAND_STORAGE_EJECT","features":[59,60]},{"name":"WPD_COMMAND_STORAGE_FORMAT","features":[59,60]},{"name":"WPD_COMMON_INFORMATION_BODY_TEXT","features":[59,60]},{"name":"WPD_COMMON_INFORMATION_END_DATETIME","features":[59,60]},{"name":"WPD_COMMON_INFORMATION_NOTES","features":[59,60]},{"name":"WPD_COMMON_INFORMATION_OBJECT_PROPERTIES_V1","features":[59]},{"name":"WPD_COMMON_INFORMATION_PRIORITY","features":[59,60]},{"name":"WPD_COMMON_INFORMATION_START_DATETIME","features":[59,60]},{"name":"WPD_COMMON_INFORMATION_SUBJECT","features":[59,60]},{"name":"WPD_CONTACT_ANNIVERSARY_DATE","features":[59,60]},{"name":"WPD_CONTACT_ASSISTANT","features":[59,60]},{"name":"WPD_CONTACT_BIRTHDATE","features":[59,60]},{"name":"WPD_CONTACT_BUSINESS_EMAIL","features":[59,60]},{"name":"WPD_CONTACT_BUSINESS_EMAIL2","features":[59,60]},{"name":"WPD_CONTACT_BUSINESS_FAX","features":[59,60]},{"name":"WPD_CONTACT_BUSINESS_FULL_POSTAL_ADDRESS","features":[59,60]},{"name":"WPD_CONTACT_BUSINESS_PHONE","features":[59,60]},{"name":"WPD_CONTACT_BUSINESS_PHONE2","features":[59,60]},{"name":"WPD_CONTACT_BUSINESS_POSTAL_ADDRESS_CITY","features":[59,60]},{"name":"WPD_CONTACT_BUSINESS_POSTAL_ADDRESS_COUNTRY","features":[59,60]},{"name":"WPD_CONTACT_BUSINESS_POSTAL_ADDRESS_LINE1","features":[59,60]},{"name":"WPD_CONTACT_BUSINESS_POSTAL_ADDRESS_LINE2","features":[59,60]},{"name":"WPD_CONTACT_BUSINESS_POSTAL_ADDRESS_POSTAL_CODE","features":[59,60]},{"name":"WPD_CONTACT_BUSINESS_POSTAL_ADDRESS_REGION","features":[59,60]},{"name":"WPD_CONTACT_BUSINESS_WEB_ADDRESS","features":[59,60]},{"name":"WPD_CONTACT_CHILDREN","features":[59,60]},{"name":"WPD_CONTACT_COMPANY_NAME","features":[59,60]},{"name":"WPD_CONTACT_DISPLAY_NAME","features":[59,60]},{"name":"WPD_CONTACT_FIRST_NAME","features":[59,60]},{"name":"WPD_CONTACT_INSTANT_MESSENGER","features":[59,60]},{"name":"WPD_CONTACT_INSTANT_MESSENGER2","features":[59,60]},{"name":"WPD_CONTACT_INSTANT_MESSENGER3","features":[59,60]},{"name":"WPD_CONTACT_LAST_NAME","features":[59,60]},{"name":"WPD_CONTACT_MIDDLE_NAMES","features":[59,60]},{"name":"WPD_CONTACT_MOBILE_PHONE","features":[59,60]},{"name":"WPD_CONTACT_MOBILE_PHONE2","features":[59,60]},{"name":"WPD_CONTACT_OBJECT_PROPERTIES_V1","features":[59]},{"name":"WPD_CONTACT_OTHER_EMAILS","features":[59,60]},{"name":"WPD_CONTACT_OTHER_FULL_POSTAL_ADDRESS","features":[59,60]},{"name":"WPD_CONTACT_OTHER_PHONES","features":[59,60]},{"name":"WPD_CONTACT_OTHER_POSTAL_ADDRESS_CITY","features":[59,60]},{"name":"WPD_CONTACT_OTHER_POSTAL_ADDRESS_LINE1","features":[59,60]},{"name":"WPD_CONTACT_OTHER_POSTAL_ADDRESS_LINE2","features":[59,60]},{"name":"WPD_CONTACT_OTHER_POSTAL_ADDRESS_POSTAL_CODE","features":[59,60]},{"name":"WPD_CONTACT_OTHER_POSTAL_ADDRESS_POSTAL_COUNTRY","features":[59,60]},{"name":"WPD_CONTACT_OTHER_POSTAL_ADDRESS_REGION","features":[59,60]},{"name":"WPD_CONTACT_PAGER","features":[59,60]},{"name":"WPD_CONTACT_PERSONAL_EMAIL","features":[59,60]},{"name":"WPD_CONTACT_PERSONAL_EMAIL2","features":[59,60]},{"name":"WPD_CONTACT_PERSONAL_FAX","features":[59,60]},{"name":"WPD_CONTACT_PERSONAL_FULL_POSTAL_ADDRESS","features":[59,60]},{"name":"WPD_CONTACT_PERSONAL_PHONE","features":[59,60]},{"name":"WPD_CONTACT_PERSONAL_PHONE2","features":[59,60]},{"name":"WPD_CONTACT_PERSONAL_POSTAL_ADDRESS_CITY","features":[59,60]},{"name":"WPD_CONTACT_PERSONAL_POSTAL_ADDRESS_COUNTRY","features":[59,60]},{"name":"WPD_CONTACT_PERSONAL_POSTAL_ADDRESS_LINE1","features":[59,60]},{"name":"WPD_CONTACT_PERSONAL_POSTAL_ADDRESS_LINE2","features":[59,60]},{"name":"WPD_CONTACT_PERSONAL_POSTAL_ADDRESS_POSTAL_CODE","features":[59,60]},{"name":"WPD_CONTACT_PERSONAL_POSTAL_ADDRESS_REGION","features":[59,60]},{"name":"WPD_CONTACT_PERSONAL_WEB_ADDRESS","features":[59,60]},{"name":"WPD_CONTACT_PHONETIC_COMPANY_NAME","features":[59,60]},{"name":"WPD_CONTACT_PHONETIC_FIRST_NAME","features":[59,60]},{"name":"WPD_CONTACT_PHONETIC_LAST_NAME","features":[59,60]},{"name":"WPD_CONTACT_PREFIX","features":[59,60]},{"name":"WPD_CONTACT_PRIMARY_EMAIL_ADDRESS","features":[59,60]},{"name":"WPD_CONTACT_PRIMARY_FAX","features":[59,60]},{"name":"WPD_CONTACT_PRIMARY_PHONE","features":[59,60]},{"name":"WPD_CONTACT_PRIMARY_WEB_ADDRESS","features":[59,60]},{"name":"WPD_CONTACT_RINGTONE","features":[59,60]},{"name":"WPD_CONTACT_ROLE","features":[59,60]},{"name":"WPD_CONTACT_SPOUSE","features":[59,60]},{"name":"WPD_CONTACT_SUFFIX","features":[59,60]},{"name":"WPD_CONTENT_TYPE_ALL","features":[59]},{"name":"WPD_CONTENT_TYPE_APPOINTMENT","features":[59]},{"name":"WPD_CONTENT_TYPE_AUDIO","features":[59]},{"name":"WPD_CONTENT_TYPE_AUDIO_ALBUM","features":[59]},{"name":"WPD_CONTENT_TYPE_CALENDAR","features":[59]},{"name":"WPD_CONTENT_TYPE_CERTIFICATE","features":[59]},{"name":"WPD_CONTENT_TYPE_CONTACT","features":[59]},{"name":"WPD_CONTENT_TYPE_CONTACT_GROUP","features":[59]},{"name":"WPD_CONTENT_TYPE_DOCUMENT","features":[59]},{"name":"WPD_CONTENT_TYPE_EMAIL","features":[59]},{"name":"WPD_CONTENT_TYPE_FOLDER","features":[59]},{"name":"WPD_CONTENT_TYPE_FUNCTIONAL_OBJECT","features":[59]},{"name":"WPD_CONTENT_TYPE_GENERIC_FILE","features":[59]},{"name":"WPD_CONTENT_TYPE_GENERIC_MESSAGE","features":[59]},{"name":"WPD_CONTENT_TYPE_IMAGE","features":[59]},{"name":"WPD_CONTENT_TYPE_IMAGE_ALBUM","features":[59]},{"name":"WPD_CONTENT_TYPE_MEDIA_CAST","features":[59]},{"name":"WPD_CONTENT_TYPE_MEMO","features":[59]},{"name":"WPD_CONTENT_TYPE_MIXED_CONTENT_ALBUM","features":[59]},{"name":"WPD_CONTENT_TYPE_NETWORK_ASSOCIATION","features":[59]},{"name":"WPD_CONTENT_TYPE_PLAYLIST","features":[59]},{"name":"WPD_CONTENT_TYPE_PROGRAM","features":[59]},{"name":"WPD_CONTENT_TYPE_SECTION","features":[59]},{"name":"WPD_CONTENT_TYPE_TASK","features":[59]},{"name":"WPD_CONTENT_TYPE_TELEVISION","features":[59]},{"name":"WPD_CONTENT_TYPE_UNSPECIFIED","features":[59]},{"name":"WPD_CONTENT_TYPE_VIDEO","features":[59]},{"name":"WPD_CONTENT_TYPE_VIDEO_ALBUM","features":[59]},{"name":"WPD_CONTENT_TYPE_WIRELESS_PROFILE","features":[59]},{"name":"WPD_CONTROL_FUNCTION_GENERIC_MESSAGE","features":[59]},{"name":"WPD_CROPPED_STATUS_CROPPED","features":[59]},{"name":"WPD_CROPPED_STATUS_NOT_CROPPED","features":[59]},{"name":"WPD_CROPPED_STATUS_SHOULD_NOT_BE_CROPPED","features":[59]},{"name":"WPD_CROPPED_STATUS_VALUES","features":[59]},{"name":"WPD_DEVICE_DATETIME","features":[59,60]},{"name":"WPD_DEVICE_EDP_IDENTITY","features":[59,60]},{"name":"WPD_DEVICE_FIRMWARE_VERSION","features":[59,60]},{"name":"WPD_DEVICE_FRIENDLY_NAME","features":[59,60]},{"name":"WPD_DEVICE_FUNCTIONAL_UNIQUE_ID","features":[59,60]},{"name":"WPD_DEVICE_MANUFACTURER","features":[59,60]},{"name":"WPD_DEVICE_MODEL","features":[59,60]},{"name":"WPD_DEVICE_MODEL_UNIQUE_ID","features":[59,60]},{"name":"WPD_DEVICE_NETWORK_IDENTIFIER","features":[59,60]},{"name":"WPD_DEVICE_OBJECT_ID","features":[59]},{"name":"WPD_DEVICE_POWER_LEVEL","features":[59,60]},{"name":"WPD_DEVICE_POWER_SOURCE","features":[59,60]},{"name":"WPD_DEVICE_PROPERTIES_V1","features":[59]},{"name":"WPD_DEVICE_PROPERTIES_V2","features":[59]},{"name":"WPD_DEVICE_PROPERTIES_V3","features":[59]},{"name":"WPD_DEVICE_PROTOCOL","features":[59,60]},{"name":"WPD_DEVICE_SERIAL_NUMBER","features":[59,60]},{"name":"WPD_DEVICE_SUPPORTED_DRM_SCHEMES","features":[59,60]},{"name":"WPD_DEVICE_SUPPORTED_FORMATS_ARE_ORDERED","features":[59,60]},{"name":"WPD_DEVICE_SUPPORTS_NON_CONSUMABLE","features":[59,60]},{"name":"WPD_DEVICE_SYNC_PARTNER","features":[59,60]},{"name":"WPD_DEVICE_TRANSPORT","features":[59,60]},{"name":"WPD_DEVICE_TRANSPORTS","features":[59]},{"name":"WPD_DEVICE_TRANSPORT_BLUETOOTH","features":[59]},{"name":"WPD_DEVICE_TRANSPORT_IP","features":[59]},{"name":"WPD_DEVICE_TRANSPORT_UNSPECIFIED","features":[59]},{"name":"WPD_DEVICE_TRANSPORT_USB","features":[59]},{"name":"WPD_DEVICE_TYPE","features":[59,60]},{"name":"WPD_DEVICE_TYPES","features":[59]},{"name":"WPD_DEVICE_TYPE_AUDIO_RECORDER","features":[59]},{"name":"WPD_DEVICE_TYPE_CAMERA","features":[59]},{"name":"WPD_DEVICE_TYPE_GENERIC","features":[59]},{"name":"WPD_DEVICE_TYPE_MEDIA_PLAYER","features":[59]},{"name":"WPD_DEVICE_TYPE_PERSONAL_INFORMATION_MANAGER","features":[59]},{"name":"WPD_DEVICE_TYPE_PHONE","features":[59]},{"name":"WPD_DEVICE_TYPE_VIDEO","features":[59]},{"name":"WPD_DEVICE_USE_DEVICE_STAGE","features":[59,60]},{"name":"WPD_DOCUMENT_OBJECT_PROPERTIES_V1","features":[59]},{"name":"WPD_EFFECT_MODES","features":[59]},{"name":"WPD_EFFECT_MODE_BLACK_AND_WHITE","features":[59]},{"name":"WPD_EFFECT_MODE_COLOR","features":[59]},{"name":"WPD_EFFECT_MODE_SEPIA","features":[59]},{"name":"WPD_EFFECT_MODE_UNDEFINED","features":[59]},{"name":"WPD_EMAIL_BCC_LINE","features":[59,60]},{"name":"WPD_EMAIL_CC_LINE","features":[59,60]},{"name":"WPD_EMAIL_HAS_ATTACHMENTS","features":[59,60]},{"name":"WPD_EMAIL_HAS_BEEN_READ","features":[59,60]},{"name":"WPD_EMAIL_OBJECT_PROPERTIES_V1","features":[59]},{"name":"WPD_EMAIL_RECEIVED_TIME","features":[59,60]},{"name":"WPD_EMAIL_SENDER_ADDRESS","features":[59,60]},{"name":"WPD_EMAIL_TO_LINE","features":[59,60]},{"name":"WPD_EVENT_ATTRIBUTES_V1","features":[59]},{"name":"WPD_EVENT_ATTRIBUTE_NAME","features":[59,60]},{"name":"WPD_EVENT_ATTRIBUTE_OPTIONS","features":[59,60]},{"name":"WPD_EVENT_ATTRIBUTE_PARAMETERS","features":[59,60]},{"name":"WPD_EVENT_DEVICE_CAPABILITIES_UPDATED","features":[59]},{"name":"WPD_EVENT_DEVICE_REMOVED","features":[59]},{"name":"WPD_EVENT_DEVICE_RESET","features":[59]},{"name":"WPD_EVENT_MTP_VENDOR_EXTENDED_EVENTS","features":[59]},{"name":"WPD_EVENT_NOTIFICATION","features":[59]},{"name":"WPD_EVENT_OBJECT_ADDED","features":[59]},{"name":"WPD_EVENT_OBJECT_REMOVED","features":[59]},{"name":"WPD_EVENT_OBJECT_TRANSFER_REQUESTED","features":[59]},{"name":"WPD_EVENT_OBJECT_UPDATED","features":[59]},{"name":"WPD_EVENT_OPTIONS_V1","features":[59]},{"name":"WPD_EVENT_OPTION_IS_AUTOPLAY_EVENT","features":[59,60]},{"name":"WPD_EVENT_OPTION_IS_BROADCAST_EVENT","features":[59,60]},{"name":"WPD_EVENT_PARAMETER_CHILD_HIERARCHY_CHANGED","features":[59,60]},{"name":"WPD_EVENT_PARAMETER_EVENT_ID","features":[59,60]},{"name":"WPD_EVENT_PARAMETER_OBJECT_CREATION_COOKIE","features":[59,60]},{"name":"WPD_EVENT_PARAMETER_OBJECT_PARENT_PERSISTENT_UNIQUE_ID","features":[59,60]},{"name":"WPD_EVENT_PARAMETER_OPERATION_PROGRESS","features":[59,60]},{"name":"WPD_EVENT_PARAMETER_OPERATION_STATE","features":[59,60]},{"name":"WPD_EVENT_PARAMETER_PNP_DEVICE_ID","features":[59,60]},{"name":"WPD_EVENT_PARAMETER_SERVICE_METHOD_CONTEXT","features":[59,60]},{"name":"WPD_EVENT_PROPERTIES_V1","features":[59]},{"name":"WPD_EVENT_PROPERTIES_V2","features":[59]},{"name":"WPD_EVENT_SERVICE_METHOD_COMPLETE","features":[59]},{"name":"WPD_EVENT_STORAGE_FORMAT","features":[59]},{"name":"WPD_EXPOSURE_METERING_MODES","features":[59]},{"name":"WPD_EXPOSURE_METERING_MODE_AVERAGE","features":[59]},{"name":"WPD_EXPOSURE_METERING_MODE_CENTER_SPOT","features":[59]},{"name":"WPD_EXPOSURE_METERING_MODE_CENTER_WEIGHTED_AVERAGE","features":[59]},{"name":"WPD_EXPOSURE_METERING_MODE_MULTI_SPOT","features":[59]},{"name":"WPD_EXPOSURE_METERING_MODE_UNDEFINED","features":[59]},{"name":"WPD_EXPOSURE_PROGRAM_MODES","features":[59]},{"name":"WPD_EXPOSURE_PROGRAM_MODE_ACTION","features":[59]},{"name":"WPD_EXPOSURE_PROGRAM_MODE_APERTURE_PRIORITY","features":[59]},{"name":"WPD_EXPOSURE_PROGRAM_MODE_AUTO","features":[59]},{"name":"WPD_EXPOSURE_PROGRAM_MODE_CREATIVE","features":[59]},{"name":"WPD_EXPOSURE_PROGRAM_MODE_MANUAL","features":[59]},{"name":"WPD_EXPOSURE_PROGRAM_MODE_PORTRAIT","features":[59]},{"name":"WPD_EXPOSURE_PROGRAM_MODE_SHUTTER_PRIORITY","features":[59]},{"name":"WPD_EXPOSURE_PROGRAM_MODE_UNDEFINED","features":[59]},{"name":"WPD_FLASH_MODES","features":[59]},{"name":"WPD_FLASH_MODE_AUTO","features":[59]},{"name":"WPD_FLASH_MODE_EXTERNAL_SYNC","features":[59]},{"name":"WPD_FLASH_MODE_FILL","features":[59]},{"name":"WPD_FLASH_MODE_OFF","features":[59]},{"name":"WPD_FLASH_MODE_RED_EYE_AUTO","features":[59]},{"name":"WPD_FLASH_MODE_RED_EYE_FILL","features":[59]},{"name":"WPD_FLASH_MODE_UNDEFINED","features":[59]},{"name":"WPD_FOCUS_AUTOMATIC","features":[59]},{"name":"WPD_FOCUS_AUTOMATIC_MACRO","features":[59]},{"name":"WPD_FOCUS_MANUAL","features":[59]},{"name":"WPD_FOCUS_METERING_MODES","features":[59]},{"name":"WPD_FOCUS_METERING_MODE_CENTER_SPOT","features":[59]},{"name":"WPD_FOCUS_METERING_MODE_MULTI_SPOT","features":[59]},{"name":"WPD_FOCUS_METERING_MODE_UNDEFINED","features":[59]},{"name":"WPD_FOCUS_MODES","features":[59]},{"name":"WPD_FOCUS_UNDEFINED","features":[59]},{"name":"WPD_FOLDER_CONTENT_TYPES_ALLOWED","features":[59,60]},{"name":"WPD_FOLDER_OBJECT_PROPERTIES_V1","features":[59]},{"name":"WPD_FORMAT_ATTRIBUTES_V1","features":[59]},{"name":"WPD_FORMAT_ATTRIBUTE_MIMETYPE","features":[59,60]},{"name":"WPD_FORMAT_ATTRIBUTE_NAME","features":[59,60]},{"name":"WPD_FUNCTIONAL_CATEGORY_ALL","features":[59]},{"name":"WPD_FUNCTIONAL_CATEGORY_AUDIO_CAPTURE","features":[59]},{"name":"WPD_FUNCTIONAL_CATEGORY_DEVICE","features":[59]},{"name":"WPD_FUNCTIONAL_CATEGORY_NETWORK_CONFIGURATION","features":[59]},{"name":"WPD_FUNCTIONAL_CATEGORY_RENDERING_INFORMATION","features":[59]},{"name":"WPD_FUNCTIONAL_CATEGORY_SMS","features":[59]},{"name":"WPD_FUNCTIONAL_CATEGORY_STILL_IMAGE_CAPTURE","features":[59]},{"name":"WPD_FUNCTIONAL_CATEGORY_STORAGE","features":[59]},{"name":"WPD_FUNCTIONAL_CATEGORY_VIDEO_CAPTURE","features":[59]},{"name":"WPD_FUNCTIONAL_OBJECT_CATEGORY","features":[59,60]},{"name":"WPD_FUNCTIONAL_OBJECT_PROPERTIES_V1","features":[59]},{"name":"WPD_IMAGE_BITDEPTH","features":[59,60]},{"name":"WPD_IMAGE_COLOR_CORRECTED_STATUS","features":[59,60]},{"name":"WPD_IMAGE_CROPPED_STATUS","features":[59,60]},{"name":"WPD_IMAGE_EXPOSURE_INDEX","features":[59,60]},{"name":"WPD_IMAGE_EXPOSURE_TIME","features":[59,60]},{"name":"WPD_IMAGE_FNUMBER","features":[59,60]},{"name":"WPD_IMAGE_HORIZONTAL_RESOLUTION","features":[59,60]},{"name":"WPD_IMAGE_OBJECT_PROPERTIES_V1","features":[59]},{"name":"WPD_IMAGE_VERTICAL_RESOLUTION","features":[59,60]},{"name":"WPD_MEDIA_ALBUM_ARTIST","features":[59,60]},{"name":"WPD_MEDIA_ARTIST","features":[59,60]},{"name":"WPD_MEDIA_AUDIO_ENCODING_PROFILE","features":[59,60]},{"name":"WPD_MEDIA_BITRATE_TYPE","features":[59,60]},{"name":"WPD_MEDIA_BUY_NOW","features":[59,60]},{"name":"WPD_MEDIA_BYTE_BOOKMARK","features":[59,60]},{"name":"WPD_MEDIA_COMPOSER","features":[59,60]},{"name":"WPD_MEDIA_COPYRIGHT","features":[59,60]},{"name":"WPD_MEDIA_DESCRIPTION","features":[59,60]},{"name":"WPD_MEDIA_DESTINATION_URL","features":[59,60]},{"name":"WPD_MEDIA_DURATION","features":[59,60]},{"name":"WPD_MEDIA_EFFECTIVE_RATING","features":[59,60]},{"name":"WPD_MEDIA_ENCODING_PROFILE","features":[59,60]},{"name":"WPD_MEDIA_GENRE","features":[59,60]},{"name":"WPD_MEDIA_GUID","features":[59,60]},{"name":"WPD_MEDIA_HEIGHT","features":[59,60]},{"name":"WPD_MEDIA_LAST_ACCESSED_TIME","features":[59,60]},{"name":"WPD_MEDIA_LAST_BUILD_DATE","features":[59,60]},{"name":"WPD_MEDIA_MANAGING_EDITOR","features":[59,60]},{"name":"WPD_MEDIA_META_GENRE","features":[59,60]},{"name":"WPD_MEDIA_OBJECT_BOOKMARK","features":[59,60]},{"name":"WPD_MEDIA_OWNER","features":[59,60]},{"name":"WPD_MEDIA_PARENTAL_RATING","features":[59,60]},{"name":"WPD_MEDIA_PROPERTIES_V1","features":[59]},{"name":"WPD_MEDIA_RELEASE_DATE","features":[59,60]},{"name":"WPD_MEDIA_SAMPLE_RATE","features":[59,60]},{"name":"WPD_MEDIA_SKIP_COUNT","features":[59,60]},{"name":"WPD_MEDIA_SOURCE_URL","features":[59,60]},{"name":"WPD_MEDIA_STAR_RATING","features":[59,60]},{"name":"WPD_MEDIA_SUBSCRIPTION_CONTENT_ID","features":[59,60]},{"name":"WPD_MEDIA_SUB_DESCRIPTION","features":[59,60]},{"name":"WPD_MEDIA_SUB_TITLE","features":[59,60]},{"name":"WPD_MEDIA_TIME_BOOKMARK","features":[59,60]},{"name":"WPD_MEDIA_TIME_TO_LIVE","features":[59,60]},{"name":"WPD_MEDIA_TITLE","features":[59,60]},{"name":"WPD_MEDIA_TOTAL_BITRATE","features":[59,60]},{"name":"WPD_MEDIA_USER_EFFECTIVE_RATING","features":[59,60]},{"name":"WPD_MEDIA_USE_COUNT","features":[59,60]},{"name":"WPD_MEDIA_WEBMASTER","features":[59,60]},{"name":"WPD_MEDIA_WIDTH","features":[59,60]},{"name":"WPD_MEMO_OBJECT_PROPERTIES_V1","features":[59]},{"name":"WPD_META_GENRES","features":[59]},{"name":"WPD_META_GENRE_AUDIO_PODCAST","features":[59]},{"name":"WPD_META_GENRE_FEATURE_FILM_VIDEO_FILE","features":[59]},{"name":"WPD_META_GENRE_GENERIC_MUSIC_AUDIO_FILE","features":[59]},{"name":"WPD_META_GENRE_GENERIC_NON_AUDIO_NON_VIDEO","features":[59]},{"name":"WPD_META_GENRE_GENERIC_NON_MUSIC_AUDIO_FILE","features":[59]},{"name":"WPD_META_GENRE_GENERIC_VIDEO_FILE","features":[59]},{"name":"WPD_META_GENRE_HOME_VIDEO_FILE","features":[59]},{"name":"WPD_META_GENRE_MIXED_PODCAST","features":[59]},{"name":"WPD_META_GENRE_MUSIC_VIDEO_FILE","features":[59]},{"name":"WPD_META_GENRE_NEWS_VIDEO_FILE","features":[59]},{"name":"WPD_META_GENRE_PHOTO_MONTAGE_VIDEO_FILE","features":[59]},{"name":"WPD_META_GENRE_SPOKEN_WORD_AUDIO_BOOK_FILES","features":[59]},{"name":"WPD_META_GENRE_SPOKEN_WORD_FILES_NON_AUDIO_BOOK","features":[59]},{"name":"WPD_META_GENRE_SPOKEN_WORD_NEWS","features":[59]},{"name":"WPD_META_GENRE_SPOKEN_WORD_TALK_SHOWS","features":[59]},{"name":"WPD_META_GENRE_TELEVISION_VIDEO_FILE","features":[59]},{"name":"WPD_META_GENRE_TRAINING_EDUCATIONAL_VIDEO_FILE","features":[59]},{"name":"WPD_META_GENRE_UNUSED","features":[59]},{"name":"WPD_META_GENRE_VIDEO_PODCAST","features":[59]},{"name":"WPD_METHOD_ATTRIBUTES_V1","features":[59]},{"name":"WPD_METHOD_ATTRIBUTE_ACCESS","features":[59,60]},{"name":"WPD_METHOD_ATTRIBUTE_ASSOCIATED_FORMAT","features":[59,60]},{"name":"WPD_METHOD_ATTRIBUTE_NAME","features":[59,60]},{"name":"WPD_METHOD_ATTRIBUTE_PARAMETERS","features":[59,60]},{"name":"WPD_MUSIC_ALBUM","features":[59,60]},{"name":"WPD_MUSIC_LYRICS","features":[59,60]},{"name":"WPD_MUSIC_MOOD","features":[59,60]},{"name":"WPD_MUSIC_OBJECT_PROPERTIES_V1","features":[59]},{"name":"WPD_MUSIC_TRACK","features":[59,60]},{"name":"WPD_NETWORK_ASSOCIATION_HOST_NETWORK_IDENTIFIERS","features":[59,60]},{"name":"WPD_NETWORK_ASSOCIATION_PROPERTIES_V1","features":[59]},{"name":"WPD_NETWORK_ASSOCIATION_X509V3SEQUENCE","features":[59,60]},{"name":"WPD_OBJECT_BACK_REFERENCES","features":[59,60]},{"name":"WPD_OBJECT_CAN_DELETE","features":[59,60]},{"name":"WPD_OBJECT_CONTAINER_FUNCTIONAL_OBJECT_ID","features":[59,60]},{"name":"WPD_OBJECT_CONTENT_TYPE","features":[59,60]},{"name":"WPD_OBJECT_DATE_AUTHORED","features":[59,60]},{"name":"WPD_OBJECT_DATE_CREATED","features":[59,60]},{"name":"WPD_OBJECT_DATE_MODIFIED","features":[59,60]},{"name":"WPD_OBJECT_FORMAT","features":[59,60]},{"name":"WPD_OBJECT_FORMAT_3G2","features":[59]},{"name":"WPD_OBJECT_FORMAT_3G2A","features":[59]},{"name":"WPD_OBJECT_FORMAT_3GP","features":[59]},{"name":"WPD_OBJECT_FORMAT_3GPA","features":[59]},{"name":"WPD_OBJECT_FORMAT_AAC","features":[59]},{"name":"WPD_OBJECT_FORMAT_ABSTRACT_CONTACT","features":[59]},{"name":"WPD_OBJECT_FORMAT_ABSTRACT_CONTACT_GROUP","features":[59]},{"name":"WPD_OBJECT_FORMAT_ABSTRACT_MEDIA_CAST","features":[59]},{"name":"WPD_OBJECT_FORMAT_AIFF","features":[59]},{"name":"WPD_OBJECT_FORMAT_ALL","features":[59]},{"name":"WPD_OBJECT_FORMAT_AMR","features":[59]},{"name":"WPD_OBJECT_FORMAT_ASF","features":[59]},{"name":"WPD_OBJECT_FORMAT_ASXPLAYLIST","features":[59]},{"name":"WPD_OBJECT_FORMAT_ATSCTS","features":[59]},{"name":"WPD_OBJECT_FORMAT_AUDIBLE","features":[59]},{"name":"WPD_OBJECT_FORMAT_AVCHD","features":[59]},{"name":"WPD_OBJECT_FORMAT_AVI","features":[59]},{"name":"WPD_OBJECT_FORMAT_BMP","features":[59]},{"name":"WPD_OBJECT_FORMAT_CIFF","features":[59]},{"name":"WPD_OBJECT_FORMAT_DPOF","features":[59]},{"name":"WPD_OBJECT_FORMAT_DVBTS","features":[59]},{"name":"WPD_OBJECT_FORMAT_EXECUTABLE","features":[59]},{"name":"WPD_OBJECT_FORMAT_EXIF","features":[59]},{"name":"WPD_OBJECT_FORMAT_FLAC","features":[59]},{"name":"WPD_OBJECT_FORMAT_FLASHPIX","features":[59]},{"name":"WPD_OBJECT_FORMAT_GIF","features":[59]},{"name":"WPD_OBJECT_FORMAT_HTML","features":[59]},{"name":"WPD_OBJECT_FORMAT_ICALENDAR","features":[59]},{"name":"WPD_OBJECT_FORMAT_ICON","features":[59]},{"name":"WPD_OBJECT_FORMAT_JFIF","features":[59]},{"name":"WPD_OBJECT_FORMAT_JP2","features":[59]},{"name":"WPD_OBJECT_FORMAT_JPEGXR","features":[59]},{"name":"WPD_OBJECT_FORMAT_JPX","features":[59]},{"name":"WPD_OBJECT_FORMAT_M3UPLAYLIST","features":[59]},{"name":"WPD_OBJECT_FORMAT_M4A","features":[59]},{"name":"WPD_OBJECT_FORMAT_MHT_COMPILED_HTML","features":[59]},{"name":"WPD_OBJECT_FORMAT_MICROSOFT_EXCEL","features":[59]},{"name":"WPD_OBJECT_FORMAT_MICROSOFT_POWERPOINT","features":[59]},{"name":"WPD_OBJECT_FORMAT_MICROSOFT_WFC","features":[59]},{"name":"WPD_OBJECT_FORMAT_MICROSOFT_WORD","features":[59]},{"name":"WPD_OBJECT_FORMAT_MKV","features":[59]},{"name":"WPD_OBJECT_FORMAT_MP2","features":[59]},{"name":"WPD_OBJECT_FORMAT_MP3","features":[59]},{"name":"WPD_OBJECT_FORMAT_MP4","features":[59]},{"name":"WPD_OBJECT_FORMAT_MPEG","features":[59]},{"name":"WPD_OBJECT_FORMAT_MPLPLAYLIST","features":[59]},{"name":"WPD_OBJECT_FORMAT_NETWORK_ASSOCIATION","features":[59]},{"name":"WPD_OBJECT_FORMAT_OGG","features":[59]},{"name":"WPD_OBJECT_FORMAT_PCD","features":[59]},{"name":"WPD_OBJECT_FORMAT_PICT","features":[59]},{"name":"WPD_OBJECT_FORMAT_PLSPLAYLIST","features":[59]},{"name":"WPD_OBJECT_FORMAT_PNG","features":[59]},{"name":"WPD_OBJECT_FORMAT_PROPERTIES_ONLY","features":[59]},{"name":"WPD_OBJECT_FORMAT_QCELP","features":[59]},{"name":"WPD_OBJECT_FORMAT_SCRIPT","features":[59]},{"name":"WPD_OBJECT_FORMAT_TEXT","features":[59]},{"name":"WPD_OBJECT_FORMAT_TIFF","features":[59]},{"name":"WPD_OBJECT_FORMAT_TIFFEP","features":[59]},{"name":"WPD_OBJECT_FORMAT_TIFFIT","features":[59]},{"name":"WPD_OBJECT_FORMAT_UNSPECIFIED","features":[59]},{"name":"WPD_OBJECT_FORMAT_VCALENDAR1","features":[59]},{"name":"WPD_OBJECT_FORMAT_VCARD2","features":[59]},{"name":"WPD_OBJECT_FORMAT_VCARD3","features":[59]},{"name":"WPD_OBJECT_FORMAT_WAVE","features":[59]},{"name":"WPD_OBJECT_FORMAT_WBMP","features":[59]},{"name":"WPD_OBJECT_FORMAT_WINDOWSIMAGEFORMAT","features":[59]},{"name":"WPD_OBJECT_FORMAT_WMA","features":[59]},{"name":"WPD_OBJECT_FORMAT_WMV","features":[59]},{"name":"WPD_OBJECT_FORMAT_WPLPLAYLIST","features":[59]},{"name":"WPD_OBJECT_FORMAT_X509V3CERTIFICATE","features":[59]},{"name":"WPD_OBJECT_FORMAT_XML","features":[59]},{"name":"WPD_OBJECT_GENERATE_THUMBNAIL_FROM_RESOURCE","features":[59,60]},{"name":"WPD_OBJECT_HINT_LOCATION_DISPLAY_NAME","features":[59,60]},{"name":"WPD_OBJECT_ID","features":[59,60]},{"name":"WPD_OBJECT_ISHIDDEN","features":[59,60]},{"name":"WPD_OBJECT_ISSYSTEM","features":[59,60]},{"name":"WPD_OBJECT_IS_DRM_PROTECTED","features":[59,60]},{"name":"WPD_OBJECT_KEYWORDS","features":[59,60]},{"name":"WPD_OBJECT_LANGUAGE_LOCALE","features":[59,60]},{"name":"WPD_OBJECT_NAME","features":[59,60]},{"name":"WPD_OBJECT_NON_CONSUMABLE","features":[59,60]},{"name":"WPD_OBJECT_ORIGINAL_FILE_NAME","features":[59,60]},{"name":"WPD_OBJECT_PARENT_ID","features":[59,60]},{"name":"WPD_OBJECT_PERSISTENT_UNIQUE_ID","features":[59,60]},{"name":"WPD_OBJECT_PROPERTIES_V1","features":[59]},{"name":"WPD_OBJECT_PROPERTIES_V2","features":[59]},{"name":"WPD_OBJECT_REFERENCES","features":[59,60]},{"name":"WPD_OBJECT_SIZE","features":[59,60]},{"name":"WPD_OBJECT_SUPPORTED_UNITS","features":[59,60]},{"name":"WPD_OBJECT_SYNC_ID","features":[59,60]},{"name":"WPD_OPERATION_STATES","features":[59]},{"name":"WPD_OPERATION_STATE_ABORTED","features":[59]},{"name":"WPD_OPERATION_STATE_CANCELLED","features":[59]},{"name":"WPD_OPERATION_STATE_FINISHED","features":[59]},{"name":"WPD_OPERATION_STATE_PAUSED","features":[59]},{"name":"WPD_OPERATION_STATE_RUNNING","features":[59]},{"name":"WPD_OPERATION_STATE_STARTED","features":[59]},{"name":"WPD_OPERATION_STATE_UNSPECIFIED","features":[59]},{"name":"WPD_OPTION_OBJECT_MANAGEMENT_RECURSIVE_DELETE_SUPPORTED","features":[59,60]},{"name":"WPD_OPTION_OBJECT_RESOURCES_NO_INPUT_BUFFER_ON_READ","features":[59,60]},{"name":"WPD_OPTION_OBJECT_RESOURCES_SEEK_ON_READ_SUPPORTED","features":[59,60]},{"name":"WPD_OPTION_OBJECT_RESOURCES_SEEK_ON_WRITE_SUPPORTED","features":[59,60]},{"name":"WPD_OPTION_SMS_BINARY_MESSAGE_SUPPORTED","features":[59,60]},{"name":"WPD_OPTION_VALID_OBJECT_IDS","features":[59,60]},{"name":"WPD_PARAMETER_ATTRIBUTES_V1","features":[59]},{"name":"WPD_PARAMETER_ATTRIBUTE_DEFAULT_VALUE","features":[59,60]},{"name":"WPD_PARAMETER_ATTRIBUTE_ENUMERATION_ELEMENTS","features":[59,60]},{"name":"WPD_PARAMETER_ATTRIBUTE_FORM","features":[59,60]},{"name":"WPD_PARAMETER_ATTRIBUTE_FORM_ENUMERATION","features":[59]},{"name":"WPD_PARAMETER_ATTRIBUTE_FORM_OBJECT_IDENTIFIER","features":[59]},{"name":"WPD_PARAMETER_ATTRIBUTE_FORM_RANGE","features":[59]},{"name":"WPD_PARAMETER_ATTRIBUTE_FORM_REGULAR_EXPRESSION","features":[59]},{"name":"WPD_PARAMETER_ATTRIBUTE_FORM_UNSPECIFIED","features":[59]},{"name":"WPD_PARAMETER_ATTRIBUTE_MAX_SIZE","features":[59,60]},{"name":"WPD_PARAMETER_ATTRIBUTE_NAME","features":[59,60]},{"name":"WPD_PARAMETER_ATTRIBUTE_ORDER","features":[59,60]},{"name":"WPD_PARAMETER_ATTRIBUTE_RANGE_MAX","features":[59,60]},{"name":"WPD_PARAMETER_ATTRIBUTE_RANGE_MIN","features":[59,60]},{"name":"WPD_PARAMETER_ATTRIBUTE_RANGE_STEP","features":[59,60]},{"name":"WPD_PARAMETER_ATTRIBUTE_REGULAR_EXPRESSION","features":[59,60]},{"name":"WPD_PARAMETER_ATTRIBUTE_USAGE","features":[59,60]},{"name":"WPD_PARAMETER_ATTRIBUTE_VARTYPE","features":[59,60]},{"name":"WPD_PARAMETER_USAGE_IN","features":[59]},{"name":"WPD_PARAMETER_USAGE_INOUT","features":[59]},{"name":"WPD_PARAMETER_USAGE_OUT","features":[59]},{"name":"WPD_PARAMETER_USAGE_RETURN","features":[59]},{"name":"WPD_PARAMETER_USAGE_TYPES","features":[59]},{"name":"WPD_POWER_SOURCES","features":[59]},{"name":"WPD_POWER_SOURCE_BATTERY","features":[59]},{"name":"WPD_POWER_SOURCE_EXTERNAL","features":[59]},{"name":"WPD_PROPERTIES_MTP_VENDOR_EXTENDED_DEVICE_PROPS","features":[59]},{"name":"WPD_PROPERTIES_MTP_VENDOR_EXTENDED_OBJECT_PROPS","features":[59]},{"name":"WPD_PROPERTY_ATTRIBUTES_V1","features":[59]},{"name":"WPD_PROPERTY_ATTRIBUTES_V2","features":[59]},{"name":"WPD_PROPERTY_ATTRIBUTE_CAN_DELETE","features":[59,60]},{"name":"WPD_PROPERTY_ATTRIBUTE_CAN_READ","features":[59,60]},{"name":"WPD_PROPERTY_ATTRIBUTE_CAN_WRITE","features":[59,60]},{"name":"WPD_PROPERTY_ATTRIBUTE_DEFAULT_VALUE","features":[59,60]},{"name":"WPD_PROPERTY_ATTRIBUTE_ENUMERATION_ELEMENTS","features":[59,60]},{"name":"WPD_PROPERTY_ATTRIBUTE_FAST_PROPERTY","features":[59,60]},{"name":"WPD_PROPERTY_ATTRIBUTE_FORM","features":[59,60]},{"name":"WPD_PROPERTY_ATTRIBUTE_FORM_ENUMERATION","features":[59]},{"name":"WPD_PROPERTY_ATTRIBUTE_FORM_OBJECT_IDENTIFIER","features":[59]},{"name":"WPD_PROPERTY_ATTRIBUTE_FORM_RANGE","features":[59]},{"name":"WPD_PROPERTY_ATTRIBUTE_FORM_REGULAR_EXPRESSION","features":[59]},{"name":"WPD_PROPERTY_ATTRIBUTE_FORM_UNSPECIFIED","features":[59]},{"name":"WPD_PROPERTY_ATTRIBUTE_MAX_SIZE","features":[59,60]},{"name":"WPD_PROPERTY_ATTRIBUTE_NAME","features":[59,60]},{"name":"WPD_PROPERTY_ATTRIBUTE_RANGE_MAX","features":[59,60]},{"name":"WPD_PROPERTY_ATTRIBUTE_RANGE_MIN","features":[59,60]},{"name":"WPD_PROPERTY_ATTRIBUTE_RANGE_STEP","features":[59,60]},{"name":"WPD_PROPERTY_ATTRIBUTE_REGULAR_EXPRESSION","features":[59,60]},{"name":"WPD_PROPERTY_ATTRIBUTE_VARTYPE","features":[59,60]},{"name":"WPD_PROPERTY_CAPABILITIES_COMMAND","features":[59,60]},{"name":"WPD_PROPERTY_CAPABILITIES_COMMAND_OPTIONS","features":[59,60]},{"name":"WPD_PROPERTY_CAPABILITIES_CONTENT_TYPE","features":[59,60]},{"name":"WPD_PROPERTY_CAPABILITIES_CONTENT_TYPES","features":[59,60]},{"name":"WPD_PROPERTY_CAPABILITIES_EVENT","features":[59,60]},{"name":"WPD_PROPERTY_CAPABILITIES_EVENT_OPTIONS","features":[59,60]},{"name":"WPD_PROPERTY_CAPABILITIES_FORMAT","features":[59,60]},{"name":"WPD_PROPERTY_CAPABILITIES_FORMATS","features":[59,60]},{"name":"WPD_PROPERTY_CAPABILITIES_FUNCTIONAL_CATEGORIES","features":[59,60]},{"name":"WPD_PROPERTY_CAPABILITIES_FUNCTIONAL_CATEGORY","features":[59,60]},{"name":"WPD_PROPERTY_CAPABILITIES_FUNCTIONAL_OBJECTS","features":[59,60]},{"name":"WPD_PROPERTY_CAPABILITIES_PROPERTY_ATTRIBUTES","features":[59,60]},{"name":"WPD_PROPERTY_CAPABILITIES_PROPERTY_KEYS","features":[59,60]},{"name":"WPD_PROPERTY_CAPABILITIES_SUPPORTED_COMMANDS","features":[59,60]},{"name":"WPD_PROPERTY_CAPABILITIES_SUPPORTED_EVENTS","features":[59,60]},{"name":"WPD_PROPERTY_CLASS_EXTENSION_DEVICE_INFORMATION_VALUES","features":[59,60]},{"name":"WPD_PROPERTY_CLASS_EXTENSION_DEVICE_INFORMATION_WRITE_RESULTS","features":[59,60]},{"name":"WPD_PROPERTY_CLASS_EXTENSION_SERVICE_INTERFACES","features":[59,60]},{"name":"WPD_PROPERTY_CLASS_EXTENSION_SERVICE_OBJECT_ID","features":[59,60]},{"name":"WPD_PROPERTY_CLASS_EXTENSION_SERVICE_REGISTRATION_RESULTS","features":[59,60]},{"name":"WPD_PROPERTY_COMMON_ACTIVITY_ID","features":[59,60]},{"name":"WPD_PROPERTY_COMMON_CLIENT_INFORMATION","features":[59,60]},{"name":"WPD_PROPERTY_COMMON_CLIENT_INFORMATION_CONTEXT","features":[59,60]},{"name":"WPD_PROPERTY_COMMON_COMMAND_CATEGORY","features":[59,60]},{"name":"WPD_PROPERTY_COMMON_COMMAND_ID","features":[59,60]},{"name":"WPD_PROPERTY_COMMON_COMMAND_TARGET","features":[59,60]},{"name":"WPD_PROPERTY_COMMON_DRIVER_ERROR_CODE","features":[59,60]},{"name":"WPD_PROPERTY_COMMON_HRESULT","features":[59,60]},{"name":"WPD_PROPERTY_COMMON_OBJECT_IDS","features":[59,60]},{"name":"WPD_PROPERTY_COMMON_PERSISTENT_UNIQUE_IDS","features":[59,60]},{"name":"WPD_PROPERTY_DEVICE_HINTS_CONTENT_LOCATIONS","features":[59,60]},{"name":"WPD_PROPERTY_DEVICE_HINTS_CONTENT_TYPE","features":[59,60]},{"name":"WPD_PROPERTY_MTP_EXT_EVENT_PARAMS","features":[59,60]},{"name":"WPD_PROPERTY_MTP_EXT_OPERATION_CODE","features":[59,60]},{"name":"WPD_PROPERTY_MTP_EXT_OPERATION_PARAMS","features":[59,60]},{"name":"WPD_PROPERTY_MTP_EXT_OPTIMAL_TRANSFER_BUFFER_SIZE","features":[59,60]},{"name":"WPD_PROPERTY_MTP_EXT_RESPONSE_CODE","features":[59,60]},{"name":"WPD_PROPERTY_MTP_EXT_RESPONSE_PARAMS","features":[59,60]},{"name":"WPD_PROPERTY_MTP_EXT_TRANSFER_CONTEXT","features":[59,60]},{"name":"WPD_PROPERTY_MTP_EXT_TRANSFER_DATA","features":[59,60]},{"name":"WPD_PROPERTY_MTP_EXT_TRANSFER_NUM_BYTES_READ","features":[59,60]},{"name":"WPD_PROPERTY_MTP_EXT_TRANSFER_NUM_BYTES_TO_READ","features":[59,60]},{"name":"WPD_PROPERTY_MTP_EXT_TRANSFER_NUM_BYTES_TO_WRITE","features":[59,60]},{"name":"WPD_PROPERTY_MTP_EXT_TRANSFER_NUM_BYTES_WRITTEN","features":[59,60]},{"name":"WPD_PROPERTY_MTP_EXT_TRANSFER_TOTAL_DATA_SIZE","features":[59,60]},{"name":"WPD_PROPERTY_MTP_EXT_VENDOR_EXTENSION_DESCRIPTION","features":[59,60]},{"name":"WPD_PROPERTY_MTP_EXT_VENDOR_OPERATION_CODES","features":[59,60]},{"name":"WPD_PROPERTY_NULL","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_ENUMERATION_CONTEXT","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_ENUMERATION_FILTER","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_ENUMERATION_NUM_OBJECTS_REQUESTED","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_ENUMERATION_OBJECT_IDS","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_ENUMERATION_PARENT_ID","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_CONTEXT","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_COPY_RESULTS","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_CREATION_PROPERTIES","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_DATA","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_DELETE_OPTIONS","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_DELETE_RESULTS","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_DESTINATION_FOLDER_OBJECT_ID","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_MOVE_RESULTS","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_NUM_BYTES_TO_WRITE","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_NUM_BYTES_WRITTEN","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_OBJECT_FORMAT","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_OBJECT_ID","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_OBJECT_IDS","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_OPTIMAL_TRANSFER_BUFFER_SIZE","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_PROPERTY_KEYS","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_UPDATE_PROPERTIES","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_BULK_CONTEXT","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_BULK_DEPTH","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_BULK_OBJECT_FORMAT","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_BULK_OBJECT_IDS","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_BULK_PARENT_OBJECT_ID","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_BULK_PROPERTY_KEYS","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_BULK_VALUES","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_BULK_WRITE_RESULTS","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_OBJECT_ID","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_PROPERTY_ATTRIBUTES","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_PROPERTY_DELETE_RESULTS","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_PROPERTY_KEYS","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_PROPERTY_VALUES","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_PROPERTY_WRITE_RESULTS","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_ACCESS_MODE","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_CONTEXT","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_DATA","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_NUM_BYTES_READ","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_NUM_BYTES_TO_READ","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_NUM_BYTES_TO_WRITE","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_NUM_BYTES_WRITTEN","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_OBJECT_ID","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_OPTIMAL_TRANSFER_BUFFER_SIZE","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_POSITION_FROM_START","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_RESOURCE_ATTRIBUTES","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_RESOURCE_KEYS","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_SEEK_OFFSET","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_SEEK_ORIGIN_FLAG","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_STREAM_UNITS","features":[59,60]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_SUPPORTS_UNITS","features":[59,60]},{"name":"WPD_PROPERTY_PUBLIC_KEY","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_COMMAND","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_COMMAND_OPTIONS","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_EVENT","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_EVENT_ATTRIBUTES","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_FORMAT","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_FORMATS","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_FORMAT_ATTRIBUTES","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_INHERITANCE_TYPE","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_INHERITED_SERVICES","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_METHOD","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_METHOD_ATTRIBUTES","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_PARAMETER","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_PARAMETER_ATTRIBUTES","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_PROPERTY_ATTRIBUTES","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_PROPERTY_KEYS","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_RENDERING_PROFILES","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_SUPPORTED_COMMANDS","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_SUPPORTED_EVENTS","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_SUPPORTED_METHODS","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_METHOD","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_METHOD_CONTEXT","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_METHOD_HRESULT","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_METHOD_PARAMETER_VALUES","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_METHOD_RESULT_VALUES","features":[59,60]},{"name":"WPD_PROPERTY_SERVICE_OBJECT_ID","features":[59,60]},{"name":"WPD_PROPERTY_SMS_BINARY_MESSAGE","features":[59,60]},{"name":"WPD_PROPERTY_SMS_MESSAGE_TYPE","features":[59,60]},{"name":"WPD_PROPERTY_SMS_RECIPIENT","features":[59,60]},{"name":"WPD_PROPERTY_SMS_TEXT_MESSAGE","features":[59,60]},{"name":"WPD_PROPERTY_STORAGE_DESTINATION_OBJECT_ID","features":[59,60]},{"name":"WPD_PROPERTY_STORAGE_OBJECT_ID","features":[59,60]},{"name":"WPD_RENDERING_INFORMATION_OBJECT_PROPERTIES_V1","features":[59]},{"name":"WPD_RENDERING_INFORMATION_PROFILES","features":[59,60]},{"name":"WPD_RENDERING_INFORMATION_PROFILE_ENTRY_CREATABLE_RESOURCES","features":[59,60]},{"name":"WPD_RENDERING_INFORMATION_PROFILE_ENTRY_TYPE","features":[59,60]},{"name":"WPD_RENDERING_INFORMATION_PROFILE_ENTRY_TYPES","features":[59]},{"name":"WPD_RENDERING_INFORMATION_PROFILE_ENTRY_TYPE_OBJECT","features":[59]},{"name":"WPD_RENDERING_INFORMATION_PROFILE_ENTRY_TYPE_RESOURCE","features":[59]},{"name":"WPD_RESOURCE_ALBUM_ART","features":[59,60]},{"name":"WPD_RESOURCE_ATTRIBUTES_V1","features":[59]},{"name":"WPD_RESOURCE_ATTRIBUTE_CAN_DELETE","features":[59,60]},{"name":"WPD_RESOURCE_ATTRIBUTE_CAN_READ","features":[59,60]},{"name":"WPD_RESOURCE_ATTRIBUTE_CAN_WRITE","features":[59,60]},{"name":"WPD_RESOURCE_ATTRIBUTE_FORMAT","features":[59,60]},{"name":"WPD_RESOURCE_ATTRIBUTE_OPTIMAL_READ_BUFFER_SIZE","features":[59,60]},{"name":"WPD_RESOURCE_ATTRIBUTE_OPTIMAL_WRITE_BUFFER_SIZE","features":[59,60]},{"name":"WPD_RESOURCE_ATTRIBUTE_RESOURCE_KEY","features":[59,60]},{"name":"WPD_RESOURCE_ATTRIBUTE_TOTAL_SIZE","features":[59,60]},{"name":"WPD_RESOURCE_AUDIO_CLIP","features":[59,60]},{"name":"WPD_RESOURCE_BRANDING_ART","features":[59,60]},{"name":"WPD_RESOURCE_CONTACT_PHOTO","features":[59,60]},{"name":"WPD_RESOURCE_DEFAULT","features":[59,60]},{"name":"WPD_RESOURCE_GENERIC","features":[59,60]},{"name":"WPD_RESOURCE_ICON","features":[59,60]},{"name":"WPD_RESOURCE_THUMBNAIL","features":[59,60]},{"name":"WPD_RESOURCE_VIDEO_CLIP","features":[59,60]},{"name":"WPD_SECTION_DATA_LENGTH","features":[59,60]},{"name":"WPD_SECTION_DATA_OFFSET","features":[59,60]},{"name":"WPD_SECTION_DATA_REFERENCED_OBJECT_RESOURCE","features":[59,60]},{"name":"WPD_SECTION_DATA_UNITS","features":[59,60]},{"name":"WPD_SECTION_DATA_UNITS_BYTES","features":[59]},{"name":"WPD_SECTION_DATA_UNITS_MILLISECONDS","features":[59]},{"name":"WPD_SECTION_DATA_UNITS_VALUES","features":[59]},{"name":"WPD_SECTION_OBJECT_PROPERTIES_V1","features":[59]},{"name":"WPD_SERVICE_INHERITANCE_IMPLEMENTATION","features":[59]},{"name":"WPD_SERVICE_INHERITANCE_TYPES","features":[59]},{"name":"WPD_SERVICE_PROPERTIES_V1","features":[59]},{"name":"WPD_SERVICE_VERSION","features":[59,60]},{"name":"WPD_SMS_ENCODING","features":[59,60]},{"name":"WPD_SMS_ENCODING_TYPES","features":[59]},{"name":"WPD_SMS_MAX_PAYLOAD","features":[59,60]},{"name":"WPD_SMS_OBJECT_PROPERTIES_V1","features":[59]},{"name":"WPD_SMS_PROVIDER","features":[59,60]},{"name":"WPD_SMS_TIMEOUT","features":[59,60]},{"name":"WPD_STILL_IMAGE_ARTIST","features":[59,60]},{"name":"WPD_STILL_IMAGE_BURST_INTERVAL","features":[59,60]},{"name":"WPD_STILL_IMAGE_BURST_NUMBER","features":[59,60]},{"name":"WPD_STILL_IMAGE_CAMERA_MANUFACTURER","features":[59,60]},{"name":"WPD_STILL_IMAGE_CAMERA_MODEL","features":[59,60]},{"name":"WPD_STILL_IMAGE_CAPTURE_DELAY","features":[59,60]},{"name":"WPD_STILL_IMAGE_CAPTURE_FORMAT","features":[59,60]},{"name":"WPD_STILL_IMAGE_CAPTURE_MODE","features":[59,60]},{"name":"WPD_STILL_IMAGE_CAPTURE_OBJECT_PROPERTIES_V1","features":[59]},{"name":"WPD_STILL_IMAGE_CAPTURE_RESOLUTION","features":[59,60]},{"name":"WPD_STILL_IMAGE_COMPRESSION_SETTING","features":[59,60]},{"name":"WPD_STILL_IMAGE_CONTRAST","features":[59,60]},{"name":"WPD_STILL_IMAGE_DIGITAL_ZOOM","features":[59,60]},{"name":"WPD_STILL_IMAGE_EFFECT_MODE","features":[59,60]},{"name":"WPD_STILL_IMAGE_EXPOSURE_BIAS_COMPENSATION","features":[59,60]},{"name":"WPD_STILL_IMAGE_EXPOSURE_INDEX","features":[59,60]},{"name":"WPD_STILL_IMAGE_EXPOSURE_METERING_MODE","features":[59,60]},{"name":"WPD_STILL_IMAGE_EXPOSURE_PROGRAM_MODE","features":[59,60]},{"name":"WPD_STILL_IMAGE_EXPOSURE_TIME","features":[59,60]},{"name":"WPD_STILL_IMAGE_FLASH_MODE","features":[59,60]},{"name":"WPD_STILL_IMAGE_FNUMBER","features":[59,60]},{"name":"WPD_STILL_IMAGE_FOCAL_LENGTH","features":[59,60]},{"name":"WPD_STILL_IMAGE_FOCUS_DISTANCE","features":[59,60]},{"name":"WPD_STILL_IMAGE_FOCUS_METERING_MODE","features":[59,60]},{"name":"WPD_STILL_IMAGE_FOCUS_MODE","features":[59,60]},{"name":"WPD_STILL_IMAGE_RGB_GAIN","features":[59,60]},{"name":"WPD_STILL_IMAGE_SHARPNESS","features":[59,60]},{"name":"WPD_STILL_IMAGE_TIMELAPSE_INTERVAL","features":[59,60]},{"name":"WPD_STILL_IMAGE_TIMELAPSE_NUMBER","features":[59,60]},{"name":"WPD_STILL_IMAGE_UPLOAD_URL","features":[59,60]},{"name":"WPD_STILL_IMAGE_WHITE_BALANCE","features":[59,60]},{"name":"WPD_STORAGE_ACCESS_CAPABILITY","features":[59,60]},{"name":"WPD_STORAGE_ACCESS_CAPABILITY_READWRITE","features":[59]},{"name":"WPD_STORAGE_ACCESS_CAPABILITY_READ_ONLY_WITHOUT_OBJECT_DELETION","features":[59]},{"name":"WPD_STORAGE_ACCESS_CAPABILITY_READ_ONLY_WITH_OBJECT_DELETION","features":[59]},{"name":"WPD_STORAGE_ACCESS_CAPABILITY_VALUES","features":[59]},{"name":"WPD_STORAGE_CAPACITY","features":[59,60]},{"name":"WPD_STORAGE_CAPACITY_IN_OBJECTS","features":[59,60]},{"name":"WPD_STORAGE_DESCRIPTION","features":[59,60]},{"name":"WPD_STORAGE_FILE_SYSTEM_TYPE","features":[59,60]},{"name":"WPD_STORAGE_FREE_SPACE_IN_BYTES","features":[59,60]},{"name":"WPD_STORAGE_FREE_SPACE_IN_OBJECTS","features":[59,60]},{"name":"WPD_STORAGE_MAX_OBJECT_SIZE","features":[59,60]},{"name":"WPD_STORAGE_OBJECT_PROPERTIES_V1","features":[59]},{"name":"WPD_STORAGE_SERIAL_NUMBER","features":[59,60]},{"name":"WPD_STORAGE_TYPE","features":[59,60]},{"name":"WPD_STORAGE_TYPE_FIXED_RAM","features":[59]},{"name":"WPD_STORAGE_TYPE_FIXED_ROM","features":[59]},{"name":"WPD_STORAGE_TYPE_REMOVABLE_RAM","features":[59]},{"name":"WPD_STORAGE_TYPE_REMOVABLE_ROM","features":[59]},{"name":"WPD_STORAGE_TYPE_UNDEFINED","features":[59]},{"name":"WPD_STORAGE_TYPE_VALUES","features":[59]},{"name":"WPD_STREAM_UNITS","features":[59]},{"name":"WPD_STREAM_UNITS_BYTES","features":[59]},{"name":"WPD_STREAM_UNITS_FRAMES","features":[59]},{"name":"WPD_STREAM_UNITS_MICROSECONDS","features":[59]},{"name":"WPD_STREAM_UNITS_MILLISECONDS","features":[59]},{"name":"WPD_STREAM_UNITS_ROWS","features":[59]},{"name":"WPD_TASK_OBJECT_PROPERTIES_V1","features":[59]},{"name":"WPD_TASK_OWNER","features":[59,60]},{"name":"WPD_TASK_PERCENT_COMPLETE","features":[59,60]},{"name":"WPD_TASK_REMINDER_DATE","features":[59,60]},{"name":"WPD_TASK_STATUS","features":[59,60]},{"name":"WPD_VIDEO_AUTHOR","features":[59,60]},{"name":"WPD_VIDEO_BITRATE","features":[59,60]},{"name":"WPD_VIDEO_BUFFER_SIZE","features":[59,60]},{"name":"WPD_VIDEO_CREDITS","features":[59,60]},{"name":"WPD_VIDEO_FOURCC_CODE","features":[59,60]},{"name":"WPD_VIDEO_FRAMERATE","features":[59,60]},{"name":"WPD_VIDEO_KEY_FRAME_DISTANCE","features":[59,60]},{"name":"WPD_VIDEO_OBJECT_PROPERTIES_V1","features":[59]},{"name":"WPD_VIDEO_QUALITY_SETTING","features":[59,60]},{"name":"WPD_VIDEO_RECORDEDTV_CHANNEL_NUMBER","features":[59,60]},{"name":"WPD_VIDEO_RECORDEDTV_REPEAT","features":[59,60]},{"name":"WPD_VIDEO_RECORDEDTV_STATION_NAME","features":[59,60]},{"name":"WPD_VIDEO_SCAN_TYPE","features":[59,60]},{"name":"WPD_VIDEO_SCAN_TYPES","features":[59]},{"name":"WPD_VIDEO_SCAN_TYPE_FIELD_INTERLEAVED_LOWER_FIRST","features":[59]},{"name":"WPD_VIDEO_SCAN_TYPE_FIELD_INTERLEAVED_UPPER_FIRST","features":[59]},{"name":"WPD_VIDEO_SCAN_TYPE_FIELD_SINGLE_LOWER_FIRST","features":[59]},{"name":"WPD_VIDEO_SCAN_TYPE_FIELD_SINGLE_UPPER_FIRST","features":[59]},{"name":"WPD_VIDEO_SCAN_TYPE_MIXED_INTERLACE","features":[59]},{"name":"WPD_VIDEO_SCAN_TYPE_MIXED_INTERLACE_AND_PROGRESSIVE","features":[59]},{"name":"WPD_VIDEO_SCAN_TYPE_PROGRESSIVE","features":[59]},{"name":"WPD_VIDEO_SCAN_TYPE_UNUSED","features":[59]},{"name":"WPD_WHITE_BALANCE_AUTOMATIC","features":[59]},{"name":"WPD_WHITE_BALANCE_DAYLIGHT","features":[59]},{"name":"WPD_WHITE_BALANCE_FLASH","features":[59]},{"name":"WPD_WHITE_BALANCE_FLORESCENT","features":[59]},{"name":"WPD_WHITE_BALANCE_MANUAL","features":[59]},{"name":"WPD_WHITE_BALANCE_ONE_PUSH_AUTOMATIC","features":[59]},{"name":"WPD_WHITE_BALANCE_SETTINGS","features":[59]},{"name":"WPD_WHITE_BALANCE_TUNGSTEN","features":[59]},{"name":"WPD_WHITE_BALANCE_UNDEFINED","features":[59]},{"name":"WpdAttributeForm","features":[59]},{"name":"WpdParameterAttributeForm","features":[59]},{"name":"WpdSerializer","features":[59]}],"382":[{"name":"DEVPKEY_DevQuery_ObjectType","features":[35]},{"name":"DEVPKEY_DeviceClass_Characteristics","features":[35]},{"name":"DEVPKEY_DeviceClass_ClassCoInstallers","features":[35]},{"name":"DEVPKEY_DeviceClass_ClassInstaller","features":[35]},{"name":"DEVPKEY_DeviceClass_ClassName","features":[35]},{"name":"DEVPKEY_DeviceClass_DHPRebalanceOptOut","features":[35]},{"name":"DEVPKEY_DeviceClass_DefaultService","features":[35]},{"name":"DEVPKEY_DeviceClass_DevType","features":[35]},{"name":"DEVPKEY_DeviceClass_Exclusive","features":[35]},{"name":"DEVPKEY_DeviceClass_Icon","features":[35]},{"name":"DEVPKEY_DeviceClass_IconPath","features":[35]},{"name":"DEVPKEY_DeviceClass_LowerFilters","features":[35]},{"name":"DEVPKEY_DeviceClass_Name","features":[35]},{"name":"DEVPKEY_DeviceClass_NoDisplayClass","features":[35]},{"name":"DEVPKEY_DeviceClass_NoInstallClass","features":[35]},{"name":"DEVPKEY_DeviceClass_NoUseClass","features":[35]},{"name":"DEVPKEY_DeviceClass_PropPageProvider","features":[35]},{"name":"DEVPKEY_DeviceClass_Security","features":[35]},{"name":"DEVPKEY_DeviceClass_SecuritySDS","features":[35]},{"name":"DEVPKEY_DeviceClass_SilentInstall","features":[35]},{"name":"DEVPKEY_DeviceClass_UpperFilters","features":[35]},{"name":"DEVPKEY_DeviceContainer_Address","features":[35]},{"name":"DEVPKEY_DeviceContainer_AlwaysShowDeviceAsConnected","features":[35]},{"name":"DEVPKEY_DeviceContainer_AssociationArray","features":[35]},{"name":"DEVPKEY_DeviceContainer_BaselineExperienceId","features":[35]},{"name":"DEVPKEY_DeviceContainer_Category","features":[35]},{"name":"DEVPKEY_DeviceContainer_CategoryGroup_Desc","features":[35]},{"name":"DEVPKEY_DeviceContainer_CategoryGroup_Icon","features":[35]},{"name":"DEVPKEY_DeviceContainer_Category_Desc_Plural","features":[35]},{"name":"DEVPKEY_DeviceContainer_Category_Desc_Singular","features":[35]},{"name":"DEVPKEY_DeviceContainer_Category_Icon","features":[35]},{"name":"DEVPKEY_DeviceContainer_ConfigFlags","features":[35]},{"name":"DEVPKEY_DeviceContainer_CustomPrivilegedPackageFamilyNames","features":[35]},{"name":"DEVPKEY_DeviceContainer_DeviceDescription1","features":[35]},{"name":"DEVPKEY_DeviceContainer_DeviceDescription2","features":[35]},{"name":"DEVPKEY_DeviceContainer_DeviceFunctionSubRank","features":[35]},{"name":"DEVPKEY_DeviceContainer_DiscoveryMethod","features":[35]},{"name":"DEVPKEY_DeviceContainer_ExperienceId","features":[35]},{"name":"DEVPKEY_DeviceContainer_FriendlyName","features":[35]},{"name":"DEVPKEY_DeviceContainer_HasProblem","features":[35]},{"name":"DEVPKEY_DeviceContainer_Icon","features":[35]},{"name":"DEVPKEY_DeviceContainer_InstallInProgress","features":[35]},{"name":"DEVPKEY_DeviceContainer_IsAuthenticated","features":[35]},{"name":"DEVPKEY_DeviceContainer_IsConnected","features":[35]},{"name":"DEVPKEY_DeviceContainer_IsDefaultDevice","features":[35]},{"name":"DEVPKEY_DeviceContainer_IsDeviceUniquelyIdentifiable","features":[35]},{"name":"DEVPKEY_DeviceContainer_IsEncrypted","features":[35]},{"name":"DEVPKEY_DeviceContainer_IsLocalMachine","features":[35]},{"name":"DEVPKEY_DeviceContainer_IsMetadataSearchInProgress","features":[35]},{"name":"DEVPKEY_DeviceContainer_IsNetworkDevice","features":[35]},{"name":"DEVPKEY_DeviceContainer_IsNotInterestingForDisplay","features":[35]},{"name":"DEVPKEY_DeviceContainer_IsPaired","features":[35]},{"name":"DEVPKEY_DeviceContainer_IsRebootRequired","features":[35]},{"name":"DEVPKEY_DeviceContainer_IsSharedDevice","features":[35]},{"name":"DEVPKEY_DeviceContainer_IsShowInDisconnectedState","features":[35]},{"name":"DEVPKEY_DeviceContainer_Last_Connected","features":[35]},{"name":"DEVPKEY_DeviceContainer_Last_Seen","features":[35]},{"name":"DEVPKEY_DeviceContainer_LaunchDeviceStageFromExplorer","features":[35]},{"name":"DEVPKEY_DeviceContainer_LaunchDeviceStageOnDeviceConnect","features":[35]},{"name":"DEVPKEY_DeviceContainer_Manufacturer","features":[35]},{"name":"DEVPKEY_DeviceContainer_MetadataCabinet","features":[35]},{"name":"DEVPKEY_DeviceContainer_MetadataChecksum","features":[35]},{"name":"DEVPKEY_DeviceContainer_MetadataPath","features":[35]},{"name":"DEVPKEY_DeviceContainer_ModelName","features":[35]},{"name":"DEVPKEY_DeviceContainer_ModelNumber","features":[35]},{"name":"DEVPKEY_DeviceContainer_PrimaryCategory","features":[35]},{"name":"DEVPKEY_DeviceContainer_PrivilegedPackageFamilyNames","features":[35]},{"name":"DEVPKEY_DeviceContainer_RequiresPairingElevation","features":[35]},{"name":"DEVPKEY_DeviceContainer_RequiresUninstallElevation","features":[35]},{"name":"DEVPKEY_DeviceContainer_UnpairUninstall","features":[35]},{"name":"DEVPKEY_DeviceContainer_Version","features":[35]},{"name":"DEVPKEY_DeviceInterfaceClass_DefaultInterface","features":[35]},{"name":"DEVPKEY_DeviceInterfaceClass_Name","features":[35]},{"name":"DEVPKEY_DeviceInterface_Autoplay_Silent","features":[35]},{"name":"DEVPKEY_DeviceInterface_ClassGuid","features":[35]},{"name":"DEVPKEY_DeviceInterface_Enabled","features":[35]},{"name":"DEVPKEY_DeviceInterface_FriendlyName","features":[35]},{"name":"DEVPKEY_DeviceInterface_ReferenceString","features":[35]},{"name":"DEVPKEY_DeviceInterface_Restricted","features":[35]},{"name":"DEVPKEY_DeviceInterface_SchematicName","features":[35]},{"name":"DEVPKEY_DeviceInterface_UnrestrictedAppCapabilities","features":[35]},{"name":"DEVPKEY_Device_AdditionalSoftwareRequested","features":[35]},{"name":"DEVPKEY_Device_Address","features":[35]},{"name":"DEVPKEY_Device_AssignedToGuest","features":[35]},{"name":"DEVPKEY_Device_BaseContainerId","features":[35]},{"name":"DEVPKEY_Device_BiosDeviceName","features":[35]},{"name":"DEVPKEY_Device_BusNumber","features":[35]},{"name":"DEVPKEY_Device_BusRelations","features":[35]},{"name":"DEVPKEY_Device_BusReportedDeviceDesc","features":[35]},{"name":"DEVPKEY_Device_BusTypeGuid","features":[35]},{"name":"DEVPKEY_Device_Capabilities","features":[35]},{"name":"DEVPKEY_Device_Characteristics","features":[35]},{"name":"DEVPKEY_Device_Children","features":[35]},{"name":"DEVPKEY_Device_Class","features":[35]},{"name":"DEVPKEY_Device_ClassGuid","features":[35]},{"name":"DEVPKEY_Device_CompanionApps","features":[35]},{"name":"DEVPKEY_Device_CompatibleIds","features":[35]},{"name":"DEVPKEY_Device_ConfigFlags","features":[35]},{"name":"DEVPKEY_Device_ConfigurationId","features":[35]},{"name":"DEVPKEY_Device_ContainerId","features":[35]},{"name":"DEVPKEY_Device_CreatorProcessId","features":[35]},{"name":"DEVPKEY_Device_DHP_Rebalance_Policy","features":[35]},{"name":"DEVPKEY_Device_DebuggerSafe","features":[35]},{"name":"DEVPKEY_Device_DependencyDependents","features":[35]},{"name":"DEVPKEY_Device_DependencyProviders","features":[35]},{"name":"DEVPKEY_Device_DevNodeStatus","features":[35]},{"name":"DEVPKEY_Device_DevType","features":[35]},{"name":"DEVPKEY_Device_DeviceDesc","features":[35]},{"name":"DEVPKEY_Device_Driver","features":[35]},{"name":"DEVPKEY_Device_DriverCoInstallers","features":[35]},{"name":"DEVPKEY_Device_DriverDate","features":[35]},{"name":"DEVPKEY_Device_DriverDesc","features":[35]},{"name":"DEVPKEY_Device_DriverInfPath","features":[35]},{"name":"DEVPKEY_Device_DriverInfSection","features":[35]},{"name":"DEVPKEY_Device_DriverInfSectionExt","features":[35]},{"name":"DEVPKEY_Device_DriverLogoLevel","features":[35]},{"name":"DEVPKEY_Device_DriverProblemDesc","features":[35]},{"name":"DEVPKEY_Device_DriverPropPageProvider","features":[35]},{"name":"DEVPKEY_Device_DriverProvider","features":[35]},{"name":"DEVPKEY_Device_DriverRank","features":[35]},{"name":"DEVPKEY_Device_DriverVersion","features":[35]},{"name":"DEVPKEY_Device_EjectionRelations","features":[35]},{"name":"DEVPKEY_Device_EnumeratorName","features":[35]},{"name":"DEVPKEY_Device_Exclusive","features":[35]},{"name":"DEVPKEY_Device_ExtendedAddress","features":[35]},{"name":"DEVPKEY_Device_ExtendedConfigurationIds","features":[35]},{"name":"DEVPKEY_Device_FirmwareDate","features":[35]},{"name":"DEVPKEY_Device_FirmwareRevision","features":[35]},{"name":"DEVPKEY_Device_FirmwareVendor","features":[35]},{"name":"DEVPKEY_Device_FirmwareVersion","features":[35]},{"name":"DEVPKEY_Device_FirstInstallDate","features":[35]},{"name":"DEVPKEY_Device_FriendlyName","features":[35]},{"name":"DEVPKEY_Device_FriendlyNameAttributes","features":[35]},{"name":"DEVPKEY_Device_GenericDriverInstalled","features":[35]},{"name":"DEVPKEY_Device_HardwareIds","features":[35]},{"name":"DEVPKEY_Device_HasProblem","features":[35]},{"name":"DEVPKEY_Device_InLocalMachineContainer","features":[35]},{"name":"DEVPKEY_Device_InstallDate","features":[35]},{"name":"DEVPKEY_Device_InstallState","features":[35]},{"name":"DEVPKEY_Device_InstanceId","features":[35]},{"name":"DEVPKEY_Device_IsAssociateableByUserAction","features":[35]},{"name":"DEVPKEY_Device_IsPresent","features":[35]},{"name":"DEVPKEY_Device_IsRebootRequired","features":[35]},{"name":"DEVPKEY_Device_LastArrivalDate","features":[35]},{"name":"DEVPKEY_Device_LastRemovalDate","features":[35]},{"name":"DEVPKEY_Device_Legacy","features":[35]},{"name":"DEVPKEY_Device_LegacyBusType","features":[35]},{"name":"DEVPKEY_Device_LocationInfo","features":[35]},{"name":"DEVPKEY_Device_LocationPaths","features":[35]},{"name":"DEVPKEY_Device_LowerFilters","features":[35]},{"name":"DEVPKEY_Device_Manufacturer","features":[35]},{"name":"DEVPKEY_Device_ManufacturerAttributes","features":[35]},{"name":"DEVPKEY_Device_MatchingDeviceId","features":[35]},{"name":"DEVPKEY_Device_Model","features":[35]},{"name":"DEVPKEY_Device_ModelId","features":[35]},{"name":"DEVPKEY_Device_NoConnectSound","features":[35]},{"name":"DEVPKEY_Device_Numa_Node","features":[35]},{"name":"DEVPKEY_Device_Numa_Proximity_Domain","features":[35]},{"name":"DEVPKEY_Device_PDOName","features":[35]},{"name":"DEVPKEY_Device_Parent","features":[35]},{"name":"DEVPKEY_Device_PhysicalDeviceLocation","features":[35]},{"name":"DEVPKEY_Device_PostInstallInProgress","features":[35]},{"name":"DEVPKEY_Device_PowerData","features":[35]},{"name":"DEVPKEY_Device_PowerRelations","features":[35]},{"name":"DEVPKEY_Device_PresenceNotForDevice","features":[35]},{"name":"DEVPKEY_Device_PrimaryCompanionApp","features":[35]},{"name":"DEVPKEY_Device_ProblemCode","features":[35]},{"name":"DEVPKEY_Device_ProblemStatus","features":[35]},{"name":"DEVPKEY_Device_RemovalPolicy","features":[35]},{"name":"DEVPKEY_Device_RemovalPolicyDefault","features":[35]},{"name":"DEVPKEY_Device_RemovalPolicyOverride","features":[35]},{"name":"DEVPKEY_Device_RemovalRelations","features":[35]},{"name":"DEVPKEY_Device_Reported","features":[35]},{"name":"DEVPKEY_Device_ReportedDeviceIdsHash","features":[35]},{"name":"DEVPKEY_Device_ResourcePickerExceptions","features":[35]},{"name":"DEVPKEY_Device_ResourcePickerTags","features":[35]},{"name":"DEVPKEY_Device_SafeRemovalRequired","features":[35]},{"name":"DEVPKEY_Device_SafeRemovalRequiredOverride","features":[35]},{"name":"DEVPKEY_Device_Security","features":[35]},{"name":"DEVPKEY_Device_SecuritySDS","features":[35]},{"name":"DEVPKEY_Device_Service","features":[35]},{"name":"DEVPKEY_Device_SessionId","features":[35]},{"name":"DEVPKEY_Device_ShowInUninstallUI","features":[35]},{"name":"DEVPKEY_Device_Siblings","features":[35]},{"name":"DEVPKEY_Device_SignalStrength","features":[35]},{"name":"DEVPKEY_Device_SoftRestartSupported","features":[35]},{"name":"DEVPKEY_Device_Stack","features":[35]},{"name":"DEVPKEY_Device_TransportRelations","features":[35]},{"name":"DEVPKEY_Device_UINumber","features":[35]},{"name":"DEVPKEY_Device_UINumberDescFormat","features":[35]},{"name":"DEVPKEY_Device_UpperFilters","features":[35]},{"name":"DEVPKEY_DrvPkg_BrandingIcon","features":[35]},{"name":"DEVPKEY_DrvPkg_DetailedDescription","features":[35]},{"name":"DEVPKEY_DrvPkg_DocumentationLink","features":[35]},{"name":"DEVPKEY_DrvPkg_Icon","features":[35]},{"name":"DEVPKEY_DrvPkg_Model","features":[35]},{"name":"DEVPKEY_DrvPkg_VendorWebSite","features":[35]},{"name":"DEVPKEY_NAME","features":[35]},{"name":"DEVPROPCOMPKEY","features":[35]},{"name":"DEVPROPERTY","features":[35]},{"name":"DEVPROPID_FIRST_USABLE","features":[35]},{"name":"DEVPROPKEY","features":[35]},{"name":"DEVPROPSTORE","features":[35]},{"name":"DEVPROPTYPE","features":[35]},{"name":"DEVPROP_BOOLEAN","features":[35]},{"name":"DEVPROP_FALSE","features":[35]},{"name":"DEVPROP_MASK_TYPE","features":[35]},{"name":"DEVPROP_MASK_TYPEMOD","features":[35]},{"name":"DEVPROP_STORE_SYSTEM","features":[35]},{"name":"DEVPROP_STORE_USER","features":[35]},{"name":"DEVPROP_TRUE","features":[35]},{"name":"DEVPROP_TYPEMOD_ARRAY","features":[35]},{"name":"DEVPROP_TYPEMOD_LIST","features":[35]},{"name":"DEVPROP_TYPE_BINARY","features":[35]},{"name":"DEVPROP_TYPE_BOOLEAN","features":[35]},{"name":"DEVPROP_TYPE_BYTE","features":[35]},{"name":"DEVPROP_TYPE_CURRENCY","features":[35]},{"name":"DEVPROP_TYPE_DATE","features":[35]},{"name":"DEVPROP_TYPE_DECIMAL","features":[35]},{"name":"DEVPROP_TYPE_DEVPROPKEY","features":[35]},{"name":"DEVPROP_TYPE_DEVPROPTYPE","features":[35]},{"name":"DEVPROP_TYPE_DOUBLE","features":[35]},{"name":"DEVPROP_TYPE_EMPTY","features":[35]},{"name":"DEVPROP_TYPE_ERROR","features":[35]},{"name":"DEVPROP_TYPE_FILETIME","features":[35]},{"name":"DEVPROP_TYPE_FLOAT","features":[35]},{"name":"DEVPROP_TYPE_GUID","features":[35]},{"name":"DEVPROP_TYPE_INT16","features":[35]},{"name":"DEVPROP_TYPE_INT32","features":[35]},{"name":"DEVPROP_TYPE_INT64","features":[35]},{"name":"DEVPROP_TYPE_NTSTATUS","features":[35]},{"name":"DEVPROP_TYPE_NULL","features":[35]},{"name":"DEVPROP_TYPE_SBYTE","features":[35]},{"name":"DEVPROP_TYPE_SECURITY_DESCRIPTOR","features":[35]},{"name":"DEVPROP_TYPE_SECURITY_DESCRIPTOR_STRING","features":[35]},{"name":"DEVPROP_TYPE_STRING","features":[35]},{"name":"DEVPROP_TYPE_STRING_INDIRECT","features":[35]},{"name":"DEVPROP_TYPE_STRING_LIST","features":[35]},{"name":"DEVPROP_TYPE_UINT16","features":[35]},{"name":"DEVPROP_TYPE_UINT32","features":[35]},{"name":"DEVPROP_TYPE_UINT64","features":[35]},{"name":"MAX_DEVPROP_TYPE","features":[35]},{"name":"MAX_DEVPROP_TYPEMOD","features":[35]}],"383":[{"name":"GUID_DEVINTERFACE_PWM_CONTROLLER","features":[61]},{"name":"GUID_DEVINTERFACE_PWM_CONTROLLER_WSZ","features":[61]},{"name":"IOCTL_PWM_CONTROLLER_GET_ACTUAL_PERIOD","features":[61]},{"name":"IOCTL_PWM_CONTROLLER_GET_INFO","features":[61]},{"name":"IOCTL_PWM_CONTROLLER_SET_DESIRED_PERIOD","features":[61]},{"name":"IOCTL_PWM_PIN_GET_ACTIVE_DUTY_CYCLE_PERCENTAGE","features":[61]},{"name":"IOCTL_PWM_PIN_GET_POLARITY","features":[61]},{"name":"IOCTL_PWM_PIN_IS_STARTED","features":[61]},{"name":"IOCTL_PWM_PIN_SET_ACTIVE_DUTY_CYCLE_PERCENTAGE","features":[61]},{"name":"IOCTL_PWM_PIN_SET_POLARITY","features":[61]},{"name":"IOCTL_PWM_PIN_START","features":[61]},{"name":"IOCTL_PWM_PIN_STOP","features":[61]},{"name":"PWM_ACTIVE_HIGH","features":[61]},{"name":"PWM_ACTIVE_LOW","features":[61]},{"name":"PWM_CONTROLLER_GET_ACTUAL_PERIOD_OUTPUT","features":[61]},{"name":"PWM_CONTROLLER_INFO","features":[61]},{"name":"PWM_CONTROLLER_SET_DESIRED_PERIOD_INPUT","features":[61]},{"name":"PWM_CONTROLLER_SET_DESIRED_PERIOD_OUTPUT","features":[61]},{"name":"PWM_IOCTL_ID_CONTROLLER_GET_ACTUAL_PERIOD","features":[61]},{"name":"PWM_IOCTL_ID_CONTROLLER_GET_INFO","features":[61]},{"name":"PWM_IOCTL_ID_CONTROLLER_SET_DESIRED_PERIOD","features":[61]},{"name":"PWM_IOCTL_ID_PIN_GET_ACTIVE_DUTY_CYCLE_PERCENTAGE","features":[61]},{"name":"PWM_IOCTL_ID_PIN_GET_POLARITY","features":[61]},{"name":"PWM_IOCTL_ID_PIN_IS_STARTED","features":[61]},{"name":"PWM_IOCTL_ID_PIN_SET_ACTIVE_DUTY_CYCLE_PERCENTAGE","features":[61]},{"name":"PWM_IOCTL_ID_PIN_SET_POLARITY","features":[61]},{"name":"PWM_IOCTL_ID_PIN_START","features":[61]},{"name":"PWM_IOCTL_ID_PIN_STOP","features":[61]},{"name":"PWM_PIN_GET_ACTIVE_DUTY_CYCLE_PERCENTAGE_OUTPUT","features":[61]},{"name":"PWM_PIN_GET_POLARITY_OUTPUT","features":[61]},{"name":"PWM_PIN_IS_STARTED_OUTPUT","features":[61,1]},{"name":"PWM_PIN_SET_ACTIVE_DUTY_CYCLE_PERCENTAGE_INPUT","features":[61]},{"name":"PWM_PIN_SET_POLARITY_INPUT","features":[61]},{"name":"PWM_POLARITY","features":[61]}],"384":[{"name":"ACTIVITY_STATE","features":[62]},{"name":"ACTIVITY_STATE_COUNT","features":[62]},{"name":"AXIS","features":[62]},{"name":"AXIS_MAX","features":[62]},{"name":"AXIS_X","features":[62]},{"name":"AXIS_Y","features":[62]},{"name":"AXIS_Z","features":[62]},{"name":"ActivityStateCount","features":[62]},{"name":"ActivityState_Biking","features":[62]},{"name":"ActivityState_Fidgeting","features":[62]},{"name":"ActivityState_Force_Dword","features":[62]},{"name":"ActivityState_Idle","features":[62]},{"name":"ActivityState_InVehicle","features":[62]},{"name":"ActivityState_Max","features":[62]},{"name":"ActivityState_Running","features":[62]},{"name":"ActivityState_Stationary","features":[62]},{"name":"ActivityState_Unknown","features":[62]},{"name":"ActivityState_Walking","features":[62]},{"name":"CollectionsListAllocateBufferAndSerialize","features":[62,1,63,42,60]},{"name":"CollectionsListCopyAndMarshall","features":[62,1,63,42,60]},{"name":"CollectionsListDeserializeFromBuffer","features":[62,1,63,42,60]},{"name":"CollectionsListGetFillableCount","features":[62]},{"name":"CollectionsListGetMarshalledSize","features":[62,1,63,42,60]},{"name":"CollectionsListGetMarshalledSizeWithoutSerialization","features":[62,1,63,42,60]},{"name":"CollectionsListGetSerializedSize","features":[62,1,63,42,60]},{"name":"CollectionsListMarshall","features":[62,1,63,42,60]},{"name":"CollectionsListSerializeToBuffer","features":[62,1,63,42,60]},{"name":"CollectionsListSortSubscribedActivitiesByConfidence","features":[62,1,63,42,60]},{"name":"CollectionsListUpdateMarshalledPointer","features":[62,1,63,42,60]},{"name":"ELEVATION_CHANGE_MODE","features":[62]},{"name":"ElevationChangeMode_Elevator","features":[62]},{"name":"ElevationChangeMode_Force_Dword","features":[62]},{"name":"ElevationChangeMode_Max","features":[62]},{"name":"ElevationChangeMode_Stepping","features":[62]},{"name":"ElevationChangeMode_Unknown","features":[62]},{"name":"EvaluateActivityThresholds","features":[62,1,63,42,60]},{"name":"GNSS_CLEAR_ALL_ASSISTANCE_DATA","features":[62]},{"name":"GUID_DEVINTERFACE_SENSOR","features":[62]},{"name":"GUID_SensorCategory_All","features":[62]},{"name":"GUID_SensorCategory_Biometric","features":[62]},{"name":"GUID_SensorCategory_Electrical","features":[62]},{"name":"GUID_SensorCategory_Environmental","features":[62]},{"name":"GUID_SensorCategory_Light","features":[62]},{"name":"GUID_SensorCategory_Location","features":[62]},{"name":"GUID_SensorCategory_Mechanical","features":[62]},{"name":"GUID_SensorCategory_Motion","features":[62]},{"name":"GUID_SensorCategory_Orientation","features":[62]},{"name":"GUID_SensorCategory_Other","features":[62]},{"name":"GUID_SensorCategory_PersonalActivity","features":[62]},{"name":"GUID_SensorCategory_Scanner","features":[62]},{"name":"GUID_SensorCategory_Unsupported","features":[62]},{"name":"GUID_SensorType_Accelerometer3D","features":[62]},{"name":"GUID_SensorType_ActivityDetection","features":[62]},{"name":"GUID_SensorType_AmbientLight","features":[62]},{"name":"GUID_SensorType_Barometer","features":[62]},{"name":"GUID_SensorType_Custom","features":[62]},{"name":"GUID_SensorType_FloorElevation","features":[62]},{"name":"GUID_SensorType_GeomagneticOrientation","features":[62]},{"name":"GUID_SensorType_GravityVector","features":[62]},{"name":"GUID_SensorType_Gyrometer3D","features":[62]},{"name":"GUID_SensorType_HingeAngle","features":[62]},{"name":"GUID_SensorType_Humidity","features":[62]},{"name":"GUID_SensorType_LinearAccelerometer","features":[62]},{"name":"GUID_SensorType_Magnetometer3D","features":[62]},{"name":"GUID_SensorType_Orientation","features":[62]},{"name":"GUID_SensorType_Pedometer","features":[62]},{"name":"GUID_SensorType_Proximity","features":[62]},{"name":"GUID_SensorType_RelativeOrientation","features":[62]},{"name":"GUID_SensorType_SimpleDeviceOrientation","features":[62]},{"name":"GUID_SensorType_Temperature","features":[62]},{"name":"GetPerformanceTime","features":[62,1]},{"name":"HUMAN_PRESENCE_DETECTION_TYPE","features":[62]},{"name":"HUMAN_PRESENCE_DETECTION_TYPE_COUNT","features":[62]},{"name":"HumanPresenceDetectionTypeCount","features":[62]},{"name":"HumanPresenceDetectionType_AudioBiometric","features":[62]},{"name":"HumanPresenceDetectionType_FacialBiometric","features":[62]},{"name":"HumanPresenceDetectionType_Force_Dword","features":[62]},{"name":"HumanPresenceDetectionType_Undefined","features":[62]},{"name":"HumanPresenceDetectionType_VendorDefinedBiometric","features":[62]},{"name":"HumanPresenceDetectionType_VendorDefinedNonBiometric","features":[62]},{"name":"ILocationPermissions","features":[62]},{"name":"ISensor","features":[62]},{"name":"ISensorCollection","features":[62]},{"name":"ISensorDataReport","features":[62]},{"name":"ISensorEvents","features":[62]},{"name":"ISensorManager","features":[62]},{"name":"ISensorManagerEvents","features":[62]},{"name":"InitPropVariantFromCLSIDArray","features":[62,1,63,42]},{"name":"InitPropVariantFromFloat","features":[62,1,63,42]},{"name":"IsCollectionListSame","features":[62,1,63,42,60]},{"name":"IsGUIDPresentInList","features":[62,1]},{"name":"IsKeyPresentInCollectionList","features":[62,1,63,42,60]},{"name":"IsKeyPresentInPropertyList","features":[62,1,60]},{"name":"IsSensorSubscribed","features":[62,1,63,42,60]},{"name":"LOCATION_DESIRED_ACCURACY","features":[62]},{"name":"LOCATION_DESIRED_ACCURACY_DEFAULT","features":[62]},{"name":"LOCATION_DESIRED_ACCURACY_HIGH","features":[62]},{"name":"LOCATION_POSITION_SOURCE","features":[62]},{"name":"LOCATION_POSITION_SOURCE_CELLULAR","features":[62]},{"name":"LOCATION_POSITION_SOURCE_IPADDRESS","features":[62]},{"name":"LOCATION_POSITION_SOURCE_SATELLITE","features":[62]},{"name":"LOCATION_POSITION_SOURCE_UNKNOWN","features":[62]},{"name":"LOCATION_POSITION_SOURCE_WIFI","features":[62]},{"name":"MAGNETOMETER_ACCURACY","features":[62]},{"name":"MAGNETOMETER_ACCURACY_APPROXIMATE","features":[62]},{"name":"MAGNETOMETER_ACCURACY_HIGH","features":[62]},{"name":"MAGNETOMETER_ACCURACY_UNKNOWN","features":[62]},{"name":"MAGNETOMETER_ACCURACY_UNRELIABLE","features":[62]},{"name":"MATRIX3X3","features":[62]},{"name":"MagnetometerAccuracy","features":[62]},{"name":"MagnetometerAccuracy_Approximate","features":[62]},{"name":"MagnetometerAccuracy_High","features":[62]},{"name":"MagnetometerAccuracy_Unknown","features":[62]},{"name":"MagnetometerAccuracy_Unreliable","features":[62]},{"name":"PEDOMETER_STEP_TYPE","features":[62]},{"name":"PEDOMETER_STEP_TYPE_COUNT","features":[62]},{"name":"PROXIMITY_SENSOR_CAPABILITIES","features":[62]},{"name":"PROXIMITY_TYPE","features":[62]},{"name":"PedometerStepTypeCount","features":[62]},{"name":"PedometerStepType_Force_Dword","features":[62]},{"name":"PedometerStepType_Max","features":[62]},{"name":"PedometerStepType_Running","features":[62]},{"name":"PedometerStepType_Unknown","features":[62]},{"name":"PedometerStepType_Walking","features":[62]},{"name":"PropKeyFindKeyGetBool","features":[62,1,63,42,60]},{"name":"PropKeyFindKeyGetDouble","features":[62,1,63,42,60]},{"name":"PropKeyFindKeyGetFileTime","features":[62,1,63,42,60]},{"name":"PropKeyFindKeyGetFloat","features":[62,1,63,42,60]},{"name":"PropKeyFindKeyGetGuid","features":[62,1,63,42,60]},{"name":"PropKeyFindKeyGetInt32","features":[62,1,63,42,60]},{"name":"PropKeyFindKeyGetInt64","features":[62,1,63,42,60]},{"name":"PropKeyFindKeyGetNthInt64","features":[62,1,63,42,60]},{"name":"PropKeyFindKeyGetNthUlong","features":[62,1,63,42,60]},{"name":"PropKeyFindKeyGetNthUshort","features":[62,1,63,42,60]},{"name":"PropKeyFindKeyGetPropVariant","features":[62,1,63,42,60]},{"name":"PropKeyFindKeyGetUlong","features":[62,1,63,42,60]},{"name":"PropKeyFindKeyGetUshort","features":[62,1,63,42,60]},{"name":"PropKeyFindKeySetPropVariant","features":[62,1,63,42,60]},{"name":"PropVariantGetInformation","features":[35,62,1,63,42]},{"name":"PropertiesListCopy","features":[62,1,60]},{"name":"PropertiesListGetFillableCount","features":[62]},{"name":"ProximityType_Force_Dword","features":[62]},{"name":"ProximityType_HumanProximity","features":[62]},{"name":"ProximityType_ObjectProximity","features":[62]},{"name":"Proximity_Sensor_Human_Engagement_Capable","features":[62]},{"name":"Proximity_Sensor_Human_Presence_Capable","features":[62]},{"name":"Proximity_Sensor_Supported_Capabilities","features":[62]},{"name":"QUATERNION","features":[62]},{"name":"SENSOR_CATEGORY_ALL","features":[62]},{"name":"SENSOR_CATEGORY_BIOMETRIC","features":[62]},{"name":"SENSOR_CATEGORY_ELECTRICAL","features":[62]},{"name":"SENSOR_CATEGORY_ENVIRONMENTAL","features":[62]},{"name":"SENSOR_CATEGORY_LIGHT","features":[62]},{"name":"SENSOR_CATEGORY_LOCATION","features":[62]},{"name":"SENSOR_CATEGORY_MECHANICAL","features":[62]},{"name":"SENSOR_CATEGORY_MOTION","features":[62]},{"name":"SENSOR_CATEGORY_ORIENTATION","features":[62]},{"name":"SENSOR_CATEGORY_OTHER","features":[62]},{"name":"SENSOR_CATEGORY_SCANNER","features":[62]},{"name":"SENSOR_CATEGORY_UNSUPPORTED","features":[62]},{"name":"SENSOR_COLLECTION_LIST","features":[62,1,63,42,60]},{"name":"SENSOR_CONNECTION_TYPES","features":[62]},{"name":"SENSOR_CONNECTION_TYPE_PC_ATTACHED","features":[62]},{"name":"SENSOR_CONNECTION_TYPE_PC_EXTERNAL","features":[62]},{"name":"SENSOR_CONNECTION_TYPE_PC_INTEGRATED","features":[62]},{"name":"SENSOR_DATA_TYPE_ABSOLUTE_PRESSURE_PASCAL","features":[62,60]},{"name":"SENSOR_DATA_TYPE_ACCELERATION_X_G","features":[62,60]},{"name":"SENSOR_DATA_TYPE_ACCELERATION_Y_G","features":[62,60]},{"name":"SENSOR_DATA_TYPE_ACCELERATION_Z_G","features":[62,60]},{"name":"SENSOR_DATA_TYPE_ADDRESS1","features":[62,60]},{"name":"SENSOR_DATA_TYPE_ADDRESS2","features":[62,60]},{"name":"SENSOR_DATA_TYPE_ALTITUDE_ANTENNA_SEALEVEL_METERS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_ALTITUDE_ELLIPSOID_ERROR_METERS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_ALTITUDE_ELLIPSOID_METERS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_ALTITUDE_SEALEVEL_ERROR_METERS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_ALTITUDE_SEALEVEL_METERS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_ANGULAR_ACCELERATION_X_DEGREES_PER_SECOND_SQUARED","features":[62,60]},{"name":"SENSOR_DATA_TYPE_ANGULAR_ACCELERATION_Y_DEGREES_PER_SECOND_SQUARED","features":[62,60]},{"name":"SENSOR_DATA_TYPE_ANGULAR_ACCELERATION_Z_DEGREES_PER_SECOND_SQUARED","features":[62,60]},{"name":"SENSOR_DATA_TYPE_ANGULAR_VELOCITY_X_DEGREES_PER_SECOND","features":[62,60]},{"name":"SENSOR_DATA_TYPE_ANGULAR_VELOCITY_Y_DEGREES_PER_SECOND","features":[62,60]},{"name":"SENSOR_DATA_TYPE_ANGULAR_VELOCITY_Z_DEGREES_PER_SECOND","features":[62,60]},{"name":"SENSOR_DATA_TYPE_ATMOSPHERIC_PRESSURE_BAR","features":[62,60]},{"name":"SENSOR_DATA_TYPE_BIOMETRIC_GUID","features":[62]},{"name":"SENSOR_DATA_TYPE_BOOLEAN_SWITCH_ARRAY_STATES","features":[62,60]},{"name":"SENSOR_DATA_TYPE_BOOLEAN_SWITCH_STATE","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CAPACITANCE_FARAD","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CITY","features":[62,60]},{"name":"SENSOR_DATA_TYPE_COMMON_GUID","features":[62]},{"name":"SENSOR_DATA_TYPE_COUNTRY_REGION","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CURRENT_AMPS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_BOOLEAN_ARRAY","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_GUID","features":[62]},{"name":"SENSOR_DATA_TYPE_CUSTOM_USAGE","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE1","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE10","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE11","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE12","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE13","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE14","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE15","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE16","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE17","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE18","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE19","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE2","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE20","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE21","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE22","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE23","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE24","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE25","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE26","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE27","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE28","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE3","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE4","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE5","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE6","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE7","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE8","features":[62,60]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE9","features":[62,60]},{"name":"SENSOR_DATA_TYPE_DGPS_DATA_AGE","features":[62,60]},{"name":"SENSOR_DATA_TYPE_DIFFERENTIAL_REFERENCE_STATION_ID","features":[62,60]},{"name":"SENSOR_DATA_TYPE_DISTANCE_X_METERS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_DISTANCE_Y_METERS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_DISTANCE_Z_METERS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_ELECTRICAL_FREQUENCY_HERTZ","features":[62,60]},{"name":"SENSOR_DATA_TYPE_ELECTRICAL_GUID","features":[62]},{"name":"SENSOR_DATA_TYPE_ELECTRICAL_PERCENT_OF_RANGE","features":[62,60]},{"name":"SENSOR_DATA_TYPE_ELECTRICAL_POWER_WATTS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_ENVIRONMENTAL_GUID","features":[62]},{"name":"SENSOR_DATA_TYPE_ERROR_RADIUS_METERS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_FIX_QUALITY","features":[62,60]},{"name":"SENSOR_DATA_TYPE_FIX_TYPE","features":[62,60]},{"name":"SENSOR_DATA_TYPE_FORCE_NEWTONS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_GAUGE_PRESSURE_PASCAL","features":[62,60]},{"name":"SENSOR_DATA_TYPE_GEOIDAL_SEPARATION","features":[62,60]},{"name":"SENSOR_DATA_TYPE_GPS_OPERATION_MODE","features":[62,60]},{"name":"SENSOR_DATA_TYPE_GPS_SELECTION_MODE","features":[62,60]},{"name":"SENSOR_DATA_TYPE_GPS_STATUS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_GUID_MECHANICAL_GUID","features":[62]},{"name":"SENSOR_DATA_TYPE_HORIZONAL_DILUTION_OF_PRECISION","features":[62,60]},{"name":"SENSOR_DATA_TYPE_HUMAN_PRESENCE","features":[62,60]},{"name":"SENSOR_DATA_TYPE_HUMAN_PROXIMITY_METERS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_INDUCTANCE_HENRY","features":[62,60]},{"name":"SENSOR_DATA_TYPE_LATITUDE_DEGREES","features":[62,60]},{"name":"SENSOR_DATA_TYPE_LIGHT_CHROMACITY","features":[62,60]},{"name":"SENSOR_DATA_TYPE_LIGHT_GUID","features":[62]},{"name":"SENSOR_DATA_TYPE_LIGHT_LEVEL_LUX","features":[62,60]},{"name":"SENSOR_DATA_TYPE_LIGHT_TEMPERATURE_KELVIN","features":[62,60]},{"name":"SENSOR_DATA_TYPE_LOCATION_GUID","features":[62]},{"name":"SENSOR_DATA_TYPE_LOCATION_SOURCE","features":[62,60]},{"name":"SENSOR_DATA_TYPE_LONGITUDE_DEGREES","features":[62,60]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_FIELD_STRENGTH_X_MILLIGAUSS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_FIELD_STRENGTH_Y_MILLIGAUSS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_FIELD_STRENGTH_Z_MILLIGAUSS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_HEADING_COMPENSATED_MAGNETIC_NORTH_DEGREES","features":[62,60]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_HEADING_COMPENSATED_TRUE_NORTH_DEGREES","features":[62,60]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_HEADING_DEGREES","features":[62,60]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_HEADING_MAGNETIC_NORTH_DEGREES","features":[62,60]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_HEADING_TRUE_NORTH_DEGREES","features":[62,60]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_HEADING_X_DEGREES","features":[62,60]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_HEADING_Y_DEGREES","features":[62,60]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_HEADING_Z_DEGREES","features":[62,60]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_VARIATION","features":[62,60]},{"name":"SENSOR_DATA_TYPE_MAGNETOMETER_ACCURACY","features":[62,60]},{"name":"SENSOR_DATA_TYPE_MOTION_GUID","features":[62]},{"name":"SENSOR_DATA_TYPE_MOTION_STATE","features":[62,60]},{"name":"SENSOR_DATA_TYPE_MULTIVALUE_SWITCH_STATE","features":[62,60]},{"name":"SENSOR_DATA_TYPE_NMEA_SENTENCE","features":[62,60]},{"name":"SENSOR_DATA_TYPE_ORIENTATION_GUID","features":[62]},{"name":"SENSOR_DATA_TYPE_POSITION_DILUTION_OF_PRECISION","features":[62,60]},{"name":"SENSOR_DATA_TYPE_POSTALCODE","features":[62,60]},{"name":"SENSOR_DATA_TYPE_QUADRANT_ANGLE_DEGREES","features":[62,60]},{"name":"SENSOR_DATA_TYPE_QUATERNION","features":[62,60]},{"name":"SENSOR_DATA_TYPE_RELATIVE_HUMIDITY_PERCENT","features":[62,60]},{"name":"SENSOR_DATA_TYPE_RESISTANCE_OHMS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_RFID_TAG_40_BIT","features":[62,60]},{"name":"SENSOR_DATA_TYPE_ROTATION_MATRIX","features":[62,60]},{"name":"SENSOR_DATA_TYPE_SATELLITES_IN_VIEW","features":[62,60]},{"name":"SENSOR_DATA_TYPE_SATELLITES_IN_VIEW_AZIMUTH","features":[62,60]},{"name":"SENSOR_DATA_TYPE_SATELLITES_IN_VIEW_ELEVATION","features":[62,60]},{"name":"SENSOR_DATA_TYPE_SATELLITES_IN_VIEW_ID","features":[62,60]},{"name":"SENSOR_DATA_TYPE_SATELLITES_IN_VIEW_PRNS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_SATELLITES_IN_VIEW_STN_RATIO","features":[62,60]},{"name":"SENSOR_DATA_TYPE_SATELLITES_USED_COUNT","features":[62,60]},{"name":"SENSOR_DATA_TYPE_SATELLITES_USED_PRNS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_SATELLITES_USED_PRNS_AND_CONSTELLATIONS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_SCANNER_GUID","features":[62]},{"name":"SENSOR_DATA_TYPE_SIMPLE_DEVICE_ORIENTATION","features":[62,60]},{"name":"SENSOR_DATA_TYPE_SPEED_KNOTS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_SPEED_METERS_PER_SECOND","features":[62,60]},{"name":"SENSOR_DATA_TYPE_STATE_PROVINCE","features":[62,60]},{"name":"SENSOR_DATA_TYPE_STRAIN","features":[62,60]},{"name":"SENSOR_DATA_TYPE_TEMPERATURE_CELSIUS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_TILT_X_DEGREES","features":[62,60]},{"name":"SENSOR_DATA_TYPE_TILT_Y_DEGREES","features":[62,60]},{"name":"SENSOR_DATA_TYPE_TILT_Z_DEGREES","features":[62,60]},{"name":"SENSOR_DATA_TYPE_TIMESTAMP","features":[62,60]},{"name":"SENSOR_DATA_TYPE_TOUCH_STATE","features":[62,60]},{"name":"SENSOR_DATA_TYPE_TRUE_HEADING_DEGREES","features":[62,60]},{"name":"SENSOR_DATA_TYPE_VERTICAL_DILUTION_OF_PRECISION","features":[62,60]},{"name":"SENSOR_DATA_TYPE_VOLTAGE_VOLTS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_WEIGHT_KILOGRAMS","features":[62,60]},{"name":"SENSOR_DATA_TYPE_WIND_DIRECTION_DEGREES_ANTICLOCKWISE","features":[62,60]},{"name":"SENSOR_DATA_TYPE_WIND_SPEED_METERS_PER_SECOND","features":[62,60]},{"name":"SENSOR_ERROR_PARAMETER_COMMON_GUID","features":[62]},{"name":"SENSOR_EVENT_ACCELEROMETER_SHAKE","features":[62]},{"name":"SENSOR_EVENT_DATA_UPDATED","features":[62]},{"name":"SENSOR_EVENT_PARAMETER_COMMON_GUID","features":[62]},{"name":"SENSOR_EVENT_PARAMETER_EVENT_ID","features":[62,60]},{"name":"SENSOR_EVENT_PARAMETER_STATE","features":[62,60]},{"name":"SENSOR_EVENT_PROPERTY_CHANGED","features":[62]},{"name":"SENSOR_EVENT_STATE_CHANGED","features":[62]},{"name":"SENSOR_PROPERTY_ACCURACY","features":[62,60]},{"name":"SENSOR_PROPERTY_CHANGE_SENSITIVITY","features":[62,60]},{"name":"SENSOR_PROPERTY_CLEAR_ASSISTANCE_DATA","features":[62,60]},{"name":"SENSOR_PROPERTY_COMMON_GUID","features":[62]},{"name":"SENSOR_PROPERTY_CONNECTION_TYPE","features":[62,60]},{"name":"SENSOR_PROPERTY_CURRENT_REPORT_INTERVAL","features":[62,60]},{"name":"SENSOR_PROPERTY_DESCRIPTION","features":[62,60]},{"name":"SENSOR_PROPERTY_DEVICE_PATH","features":[62,60]},{"name":"SENSOR_PROPERTY_FRIENDLY_NAME","features":[62,60]},{"name":"SENSOR_PROPERTY_HID_USAGE","features":[62,60]},{"name":"SENSOR_PROPERTY_LIGHT_RESPONSE_CURVE","features":[62,60]},{"name":"SENSOR_PROPERTY_LIST","features":[62,60]},{"name":"SENSOR_PROPERTY_LIST_HEADER_SIZE","features":[62]},{"name":"SENSOR_PROPERTY_LOCATION_DESIRED_ACCURACY","features":[62,60]},{"name":"SENSOR_PROPERTY_MANUFACTURER","features":[62,60]},{"name":"SENSOR_PROPERTY_MIN_REPORT_INTERVAL","features":[62,60]},{"name":"SENSOR_PROPERTY_MODEL","features":[62,60]},{"name":"SENSOR_PROPERTY_PERSISTENT_UNIQUE_ID","features":[62,60]},{"name":"SENSOR_PROPERTY_RADIO_STATE","features":[62,60]},{"name":"SENSOR_PROPERTY_RADIO_STATE_PREVIOUS","features":[62,60]},{"name":"SENSOR_PROPERTY_RANGE_MAXIMUM","features":[62,60]},{"name":"SENSOR_PROPERTY_RANGE_MINIMUM","features":[62,60]},{"name":"SENSOR_PROPERTY_RESOLUTION","features":[62,60]},{"name":"SENSOR_PROPERTY_SERIAL_NUMBER","features":[62,60]},{"name":"SENSOR_PROPERTY_STATE","features":[62,60]},{"name":"SENSOR_PROPERTY_TEST_GUID","features":[62]},{"name":"SENSOR_PROPERTY_TURN_ON_OFF_NMEA","features":[62,60]},{"name":"SENSOR_PROPERTY_TYPE","features":[62,60]},{"name":"SENSOR_STATE","features":[62]},{"name":"SENSOR_STATE_ACCESS_DENIED","features":[62]},{"name":"SENSOR_STATE_ERROR","features":[62]},{"name":"SENSOR_STATE_INITIALIZING","features":[62]},{"name":"SENSOR_STATE_MAX","features":[62]},{"name":"SENSOR_STATE_MIN","features":[62]},{"name":"SENSOR_STATE_NOT_AVAILABLE","features":[62]},{"name":"SENSOR_STATE_NO_DATA","features":[62]},{"name":"SENSOR_STATE_READY","features":[62]},{"name":"SENSOR_TYPE_ACCELEROMETER_1D","features":[62]},{"name":"SENSOR_TYPE_ACCELEROMETER_2D","features":[62]},{"name":"SENSOR_TYPE_ACCELEROMETER_3D","features":[62]},{"name":"SENSOR_TYPE_AGGREGATED_DEVICE_ORIENTATION","features":[62]},{"name":"SENSOR_TYPE_AGGREGATED_QUADRANT_ORIENTATION","features":[62]},{"name":"SENSOR_TYPE_AGGREGATED_SIMPLE_DEVICE_ORIENTATION","features":[62]},{"name":"SENSOR_TYPE_AMBIENT_LIGHT","features":[62]},{"name":"SENSOR_TYPE_BARCODE_SCANNER","features":[62]},{"name":"SENSOR_TYPE_BOOLEAN_SWITCH","features":[62]},{"name":"SENSOR_TYPE_BOOLEAN_SWITCH_ARRAY","features":[62]},{"name":"SENSOR_TYPE_CAPACITANCE","features":[62]},{"name":"SENSOR_TYPE_COMPASS_1D","features":[62]},{"name":"SENSOR_TYPE_COMPASS_2D","features":[62]},{"name":"SENSOR_TYPE_COMPASS_3D","features":[62]},{"name":"SENSOR_TYPE_CURRENT","features":[62]},{"name":"SENSOR_TYPE_CUSTOM","features":[62]},{"name":"SENSOR_TYPE_DISTANCE_1D","features":[62]},{"name":"SENSOR_TYPE_DISTANCE_2D","features":[62]},{"name":"SENSOR_TYPE_DISTANCE_3D","features":[62]},{"name":"SENSOR_TYPE_ELECTRICAL_POWER","features":[62]},{"name":"SENSOR_TYPE_ENVIRONMENTAL_ATMOSPHERIC_PRESSURE","features":[62]},{"name":"SENSOR_TYPE_ENVIRONMENTAL_HUMIDITY","features":[62]},{"name":"SENSOR_TYPE_ENVIRONMENTAL_TEMPERATURE","features":[62]},{"name":"SENSOR_TYPE_ENVIRONMENTAL_WIND_DIRECTION","features":[62]},{"name":"SENSOR_TYPE_ENVIRONMENTAL_WIND_SPEED","features":[62]},{"name":"SENSOR_TYPE_FORCE","features":[62]},{"name":"SENSOR_TYPE_FREQUENCY","features":[62]},{"name":"SENSOR_TYPE_GYROMETER_1D","features":[62]},{"name":"SENSOR_TYPE_GYROMETER_2D","features":[62]},{"name":"SENSOR_TYPE_GYROMETER_3D","features":[62]},{"name":"SENSOR_TYPE_HUMAN_PRESENCE","features":[62]},{"name":"SENSOR_TYPE_HUMAN_PROXIMITY","features":[62]},{"name":"SENSOR_TYPE_INCLINOMETER_1D","features":[62]},{"name":"SENSOR_TYPE_INCLINOMETER_2D","features":[62]},{"name":"SENSOR_TYPE_INCLINOMETER_3D","features":[62]},{"name":"SENSOR_TYPE_INDUCTANCE","features":[62]},{"name":"SENSOR_TYPE_LOCATION_BROADCAST","features":[62]},{"name":"SENSOR_TYPE_LOCATION_DEAD_RECKONING","features":[62]},{"name":"SENSOR_TYPE_LOCATION_GPS","features":[62]},{"name":"SENSOR_TYPE_LOCATION_LOOKUP","features":[62]},{"name":"SENSOR_TYPE_LOCATION_OTHER","features":[62]},{"name":"SENSOR_TYPE_LOCATION_STATIC","features":[62]},{"name":"SENSOR_TYPE_LOCATION_TRIANGULATION","features":[62]},{"name":"SENSOR_TYPE_MOTION_DETECTOR","features":[62]},{"name":"SENSOR_TYPE_MULTIVALUE_SWITCH","features":[62]},{"name":"SENSOR_TYPE_POTENTIOMETER","features":[62]},{"name":"SENSOR_TYPE_PRESSURE","features":[62]},{"name":"SENSOR_TYPE_RESISTANCE","features":[62]},{"name":"SENSOR_TYPE_RFID_SCANNER","features":[62]},{"name":"SENSOR_TYPE_SCALE","features":[62]},{"name":"SENSOR_TYPE_SPEEDOMETER","features":[62]},{"name":"SENSOR_TYPE_STRAIN","features":[62]},{"name":"SENSOR_TYPE_TOUCH","features":[62]},{"name":"SENSOR_TYPE_UNKNOWN","features":[62]},{"name":"SENSOR_TYPE_VOLTAGE","features":[62]},{"name":"SENSOR_VALUE_PAIR","features":[62,1,63,42,60]},{"name":"SIMPLE_DEVICE_ORIENTATION","features":[62]},{"name":"SIMPLE_DEVICE_ORIENTATION_NOT_ROTATED","features":[62]},{"name":"SIMPLE_DEVICE_ORIENTATION_ROTATED_180","features":[62]},{"name":"SIMPLE_DEVICE_ORIENTATION_ROTATED_270","features":[62]},{"name":"SIMPLE_DEVICE_ORIENTATION_ROTATED_90","features":[62]},{"name":"SIMPLE_DEVICE_ORIENTATION_ROTATED_FACE_DOWN","features":[62]},{"name":"SIMPLE_DEVICE_ORIENTATION_ROTATED_FACE_UP","features":[62]},{"name":"Sensor","features":[62]},{"name":"SensorCollection","features":[62]},{"name":"SensorCollectionGetAt","features":[62,1,63,42,60]},{"name":"SensorConnectionType","features":[62]},{"name":"SensorConnectionType_Attached","features":[62]},{"name":"SensorConnectionType_External","features":[62]},{"name":"SensorConnectionType_Integrated","features":[62]},{"name":"SensorDataReport","features":[62]},{"name":"SensorManager","features":[62]},{"name":"SensorState","features":[62]},{"name":"SensorState_Active","features":[62]},{"name":"SensorState_Error","features":[62]},{"name":"SensorState_Idle","features":[62]},{"name":"SensorState_Initializing","features":[62]},{"name":"SerializationBufferAllocate","features":[62,1]},{"name":"SerializationBufferFree","features":[62]},{"name":"SimpleDeviceOrientation","features":[62]},{"name":"SimpleDeviceOrientation_Facedown","features":[62]},{"name":"SimpleDeviceOrientation_Faceup","features":[62]},{"name":"SimpleDeviceOrientation_NotRotated","features":[62]},{"name":"SimpleDeviceOrientation_Rotated180DegreesCounterclockwise","features":[62]},{"name":"SimpleDeviceOrientation_Rotated270DegreesCounterclockwise","features":[62]},{"name":"SimpleDeviceOrientation_Rotated90DegreesCounterclockwise","features":[62]},{"name":"VEC3D","features":[62]}],"385":[{"name":"CDB_REPORT_BITS","features":[64]},{"name":"CDB_REPORT_BYTES","features":[64]},{"name":"COMDB_MAX_PORTS_ARBITRATED","features":[64]},{"name":"COMDB_MIN_PORTS_ARBITRATED","features":[64]},{"name":"ComDBClaimNextFreePort","features":[64]},{"name":"ComDBClaimPort","features":[64,1]},{"name":"ComDBClose","features":[64]},{"name":"ComDBGetCurrentPortUsage","features":[64]},{"name":"ComDBOpen","features":[64]},{"name":"ComDBReleasePort","features":[64]},{"name":"ComDBResizeDatabase","features":[64]},{"name":"DEVPKEY_DeviceInterface_Serial_PortName","features":[35,64]},{"name":"DEVPKEY_DeviceInterface_Serial_UsbProductId","features":[35,64]},{"name":"DEVPKEY_DeviceInterface_Serial_UsbVendorId","features":[35,64]},{"name":"EVEN_PARITY","features":[64]},{"name":"HCOMDB","features":[64]},{"name":"IOCTL_INTERNAL_SERENUM_REMOVE_SELF","features":[64]},{"name":"IOCTL_SERIAL_APPLY_DEFAULT_CONFIGURATION","features":[64]},{"name":"IOCTL_SERIAL_CLEAR_STATS","features":[64]},{"name":"IOCTL_SERIAL_CLR_DTR","features":[64]},{"name":"IOCTL_SERIAL_CLR_RTS","features":[64]},{"name":"IOCTL_SERIAL_CONFIG_SIZE","features":[64]},{"name":"IOCTL_SERIAL_GET_BAUD_RATE","features":[64]},{"name":"IOCTL_SERIAL_GET_CHARS","features":[64]},{"name":"IOCTL_SERIAL_GET_COMMCONFIG","features":[64]},{"name":"IOCTL_SERIAL_GET_COMMSTATUS","features":[64]},{"name":"IOCTL_SERIAL_GET_DTRRTS","features":[64]},{"name":"IOCTL_SERIAL_GET_HANDFLOW","features":[64]},{"name":"IOCTL_SERIAL_GET_LINE_CONTROL","features":[64]},{"name":"IOCTL_SERIAL_GET_MODEMSTATUS","features":[64]},{"name":"IOCTL_SERIAL_GET_MODEM_CONTROL","features":[64]},{"name":"IOCTL_SERIAL_GET_PROPERTIES","features":[64]},{"name":"IOCTL_SERIAL_GET_STATS","features":[64]},{"name":"IOCTL_SERIAL_GET_TIMEOUTS","features":[64]},{"name":"IOCTL_SERIAL_GET_WAIT_MASK","features":[64]},{"name":"IOCTL_SERIAL_IMMEDIATE_CHAR","features":[64]},{"name":"IOCTL_SERIAL_INTERNAL_BASIC_SETTINGS","features":[64]},{"name":"IOCTL_SERIAL_INTERNAL_CANCEL_WAIT_WAKE","features":[64]},{"name":"IOCTL_SERIAL_INTERNAL_DO_WAIT_WAKE","features":[64]},{"name":"IOCTL_SERIAL_INTERNAL_RESTORE_SETTINGS","features":[64]},{"name":"IOCTL_SERIAL_PURGE","features":[64]},{"name":"IOCTL_SERIAL_RESET_DEVICE","features":[64]},{"name":"IOCTL_SERIAL_SET_BAUD_RATE","features":[64]},{"name":"IOCTL_SERIAL_SET_BREAK_OFF","features":[64]},{"name":"IOCTL_SERIAL_SET_BREAK_ON","features":[64]},{"name":"IOCTL_SERIAL_SET_CHARS","features":[64]},{"name":"IOCTL_SERIAL_SET_COMMCONFIG","features":[64]},{"name":"IOCTL_SERIAL_SET_DTR","features":[64]},{"name":"IOCTL_SERIAL_SET_FIFO_CONTROL","features":[64]},{"name":"IOCTL_SERIAL_SET_HANDFLOW","features":[64]},{"name":"IOCTL_SERIAL_SET_INTERVAL_TIMER_RESOLUTION","features":[64]},{"name":"IOCTL_SERIAL_SET_LINE_CONTROL","features":[64]},{"name":"IOCTL_SERIAL_SET_MODEM_CONTROL","features":[64]},{"name":"IOCTL_SERIAL_SET_QUEUE_SIZE","features":[64]},{"name":"IOCTL_SERIAL_SET_RTS","features":[64]},{"name":"IOCTL_SERIAL_SET_TIMEOUTS","features":[64]},{"name":"IOCTL_SERIAL_SET_WAIT_MASK","features":[64]},{"name":"IOCTL_SERIAL_SET_XOFF","features":[64]},{"name":"IOCTL_SERIAL_SET_XON","features":[64]},{"name":"IOCTL_SERIAL_WAIT_ON_MASK","features":[64]},{"name":"IOCTL_SERIAL_XOFF_COUNTER","features":[64]},{"name":"MARK_PARITY","features":[64]},{"name":"NO_PARITY","features":[64]},{"name":"ODD_PARITY","features":[64]},{"name":"PSERENUM_READPORT","features":[64]},{"name":"PSERENUM_WRITEPORT","features":[64]},{"name":"SERENUM_PORTION","features":[64]},{"name":"SERENUM_PORT_DESC","features":[64]},{"name":"SERENUM_PORT_PARAMETERS","features":[64]},{"name":"SERIALCONFIG","features":[64]},{"name":"SERIALPERF_STATS","features":[64]},{"name":"SERIAL_BASIC_SETTINGS","features":[64]},{"name":"SERIAL_BAUD_RATE","features":[64]},{"name":"SERIAL_CHARS","features":[64]},{"name":"SERIAL_COMMPROP","features":[64]},{"name":"SERIAL_EV_BREAK","features":[64]},{"name":"SERIAL_EV_CTS","features":[64]},{"name":"SERIAL_EV_DSR","features":[64]},{"name":"SERIAL_EV_ERR","features":[64]},{"name":"SERIAL_EV_EVENT1","features":[64]},{"name":"SERIAL_EV_EVENT2","features":[64]},{"name":"SERIAL_EV_PERR","features":[64]},{"name":"SERIAL_EV_RING","features":[64]},{"name":"SERIAL_EV_RLSD","features":[64]},{"name":"SERIAL_EV_RX80FULL","features":[64]},{"name":"SERIAL_EV_RXCHAR","features":[64]},{"name":"SERIAL_EV_RXFLAG","features":[64]},{"name":"SERIAL_EV_TXEMPTY","features":[64]},{"name":"SERIAL_HANDFLOW","features":[64]},{"name":"SERIAL_LINE_CONTROL","features":[64]},{"name":"SERIAL_LSRMST_ESCAPE","features":[64]},{"name":"SERIAL_LSRMST_LSR_DATA","features":[64]},{"name":"SERIAL_LSRMST_LSR_NODATA","features":[64]},{"name":"SERIAL_LSRMST_MST","features":[64]},{"name":"SERIAL_PURGE_RXABORT","features":[64]},{"name":"SERIAL_PURGE_RXCLEAR","features":[64]},{"name":"SERIAL_PURGE_TXABORT","features":[64]},{"name":"SERIAL_PURGE_TXCLEAR","features":[64]},{"name":"SERIAL_QUEUE_SIZE","features":[64]},{"name":"SERIAL_STATUS","features":[64,1]},{"name":"SERIAL_TIMEOUTS","features":[64]},{"name":"SERIAL_XOFF_COUNTER","features":[64]},{"name":"SPACE_PARITY","features":[64]},{"name":"STOP_BITS_1_5","features":[64]},{"name":"STOP_BITS_2","features":[64]},{"name":"STOP_BIT_1","features":[64]},{"name":"SerenumFirstHalf","features":[64]},{"name":"SerenumSecondHalf","features":[64]},{"name":"SerenumWhole","features":[64]}],"386":[{"name":"ACDGE_GROUP_REMOVED","features":[65]},{"name":"ACDGE_NEW_GROUP","features":[65]},{"name":"ACDGROUP_EVENT","features":[65]},{"name":"ACDQE_NEW_QUEUE","features":[65]},{"name":"ACDQE_QUEUE_REMOVED","features":[65]},{"name":"ACDQUEUE_EVENT","features":[65]},{"name":"ACS_ADDRESSDEVICESPECIFIC","features":[65]},{"name":"ACS_LINEDEVICESPECIFIC","features":[65]},{"name":"ACS_PERMANENTDEVICEGUID","features":[65]},{"name":"ACS_PROTOCOL","features":[65]},{"name":"ACS_PROVIDERSPECIFIC","features":[65]},{"name":"ACS_SWITCHSPECIFIC","features":[65]},{"name":"AC_ADDRESSCAPFLAGS","features":[65]},{"name":"AC_ADDRESSFEATURES","features":[65]},{"name":"AC_ADDRESSID","features":[65]},{"name":"AC_ADDRESSTYPES","features":[65]},{"name":"AC_ANSWERMODES","features":[65]},{"name":"AC_BEARERMODES","features":[65]},{"name":"AC_CALLCOMPLETIONCONDITIONS","features":[65]},{"name":"AC_CALLCOMPLETIONMODES","features":[65]},{"name":"AC_CALLEDIDSUPPORT","features":[65]},{"name":"AC_CALLERIDSUPPORT","features":[65]},{"name":"AC_CALLFEATURES1","features":[65]},{"name":"AC_CALLFEATURES2","features":[65]},{"name":"AC_CONNECTEDIDSUPPORT","features":[65]},{"name":"AC_DEVCAPFLAGS","features":[65]},{"name":"AC_FORWARDMODES","features":[65]},{"name":"AC_GATHERDIGITSMAXTIMEOUT","features":[65]},{"name":"AC_GATHERDIGITSMINTIMEOUT","features":[65]},{"name":"AC_GENERATEDIGITDEFAULTDURATION","features":[65]},{"name":"AC_GENERATEDIGITMAXDURATION","features":[65]},{"name":"AC_GENERATEDIGITMINDURATION","features":[65]},{"name":"AC_GENERATEDIGITSUPPORT","features":[65]},{"name":"AC_GENERATETONEMAXNUMFREQ","features":[65]},{"name":"AC_GENERATETONEMODES","features":[65]},{"name":"AC_LINEFEATURES","features":[65]},{"name":"AC_LINEID","features":[65]},{"name":"AC_MAXACTIVECALLS","features":[65]},{"name":"AC_MAXCALLCOMPLETIONS","features":[65]},{"name":"AC_MAXCALLDATASIZE","features":[65]},{"name":"AC_MAXFORWARDENTRIES","features":[65]},{"name":"AC_MAXFWDNUMRINGS","features":[65]},{"name":"AC_MAXNUMCONFERENCE","features":[65]},{"name":"AC_MAXNUMTRANSCONF","features":[65]},{"name":"AC_MAXONHOLDCALLS","features":[65]},{"name":"AC_MAXONHOLDPENDINGCALLS","features":[65]},{"name":"AC_MAXSPECIFICENTRIES","features":[65]},{"name":"AC_MINFWDNUMRINGS","features":[65]},{"name":"AC_MONITORDIGITSUPPORT","features":[65]},{"name":"AC_MONITORTONEMAXNUMENTRIES","features":[65]},{"name":"AC_MONITORTONEMAXNUMFREQ","features":[65]},{"name":"AC_PARKSUPPORT","features":[65]},{"name":"AC_PERMANENTDEVICEID","features":[65]},{"name":"AC_PREDICTIVEAUTOTRANSFERSTATES","features":[65]},{"name":"AC_REDIRECTINGIDSUPPORT","features":[65]},{"name":"AC_REDIRECTIONIDSUPPORT","features":[65]},{"name":"AC_REMOVEFROMCONFCAPS","features":[65]},{"name":"AC_REMOVEFROMCONFSTATE","features":[65]},{"name":"AC_SETTABLEDEVSTATUS","features":[65]},{"name":"AC_TRANSFERMODES","features":[65]},{"name":"ADDRALIAS","features":[65]},{"name":"ADDRESS_CAPABILITY","features":[65]},{"name":"ADDRESS_CAPABILITY_STRING","features":[65]},{"name":"ADDRESS_EVENT","features":[65]},{"name":"ADDRESS_STATE","features":[65]},{"name":"ADDRESS_TERMINAL_AVAILABLE","features":[65]},{"name":"ADDRESS_TERMINAL_UNAVAILABLE","features":[65]},{"name":"AE_BUSY_ACD","features":[65]},{"name":"AE_BUSY_INCOMING","features":[65]},{"name":"AE_BUSY_OUTGOING","features":[65]},{"name":"AE_CAPSCHANGE","features":[65]},{"name":"AE_CONFIGCHANGE","features":[65]},{"name":"AE_FORWARD","features":[65]},{"name":"AE_LASTITEM","features":[65]},{"name":"AE_MSGWAITOFF","features":[65]},{"name":"AE_MSGWAITON","features":[65]},{"name":"AE_NEWTERMINAL","features":[65]},{"name":"AE_NOT_READY","features":[65]},{"name":"AE_READY","features":[65]},{"name":"AE_REMOVETERMINAL","features":[65]},{"name":"AE_RINGING","features":[65]},{"name":"AE_STATE","features":[65]},{"name":"AE_UNKNOWN","features":[65]},{"name":"AGENTHANDLER_EVENT","features":[65]},{"name":"AGENT_EVENT","features":[65]},{"name":"AGENT_SESSION_EVENT","features":[65]},{"name":"AGENT_SESSION_STATE","features":[65]},{"name":"AGENT_STATE","features":[65]},{"name":"AHE_AGENTHANDLER_REMOVED","features":[65]},{"name":"AHE_NEW_AGENTHANDLER","features":[65]},{"name":"ASE_BUSY","features":[65]},{"name":"ASE_END","features":[65]},{"name":"ASE_NEW_SESSION","features":[65]},{"name":"ASE_NOT_READY","features":[65]},{"name":"ASE_READY","features":[65]},{"name":"ASE_WRAPUP","features":[65]},{"name":"ASST_BUSY_ON_CALL","features":[65]},{"name":"ASST_BUSY_WRAPUP","features":[65]},{"name":"ASST_NOT_READY","features":[65]},{"name":"ASST_READY","features":[65]},{"name":"ASST_SESSION_ENDED","features":[65]},{"name":"ASYNC_COMPLETION","features":[65]},{"name":"AS_BUSY_ACD","features":[65]},{"name":"AS_BUSY_INCOMING","features":[65]},{"name":"AS_BUSY_OUTGOING","features":[65]},{"name":"AS_INSERVICE","features":[65]},{"name":"AS_NOT_READY","features":[65]},{"name":"AS_OUTOFSERVICE","features":[65]},{"name":"AS_READY","features":[65]},{"name":"AS_UNKNOWN","features":[65]},{"name":"CALLHUB_EVENT","features":[65]},{"name":"CALLHUB_STATE","features":[65]},{"name":"CALLINFOCHANGE_CAUSE","features":[65]},{"name":"CALLINFO_BUFFER","features":[65]},{"name":"CALLINFO_LONG","features":[65]},{"name":"CALLINFO_STRING","features":[65]},{"name":"CALL_CAUSE_BAD_DEVICE","features":[65]},{"name":"CALL_CAUSE_CONNECT_FAIL","features":[65]},{"name":"CALL_CAUSE_LOCAL_REQUEST","features":[65]},{"name":"CALL_CAUSE_MEDIA_RECOVERED","features":[65]},{"name":"CALL_CAUSE_MEDIA_TIMEOUT","features":[65]},{"name":"CALL_CAUSE_QUALITY_OF_SERVICE","features":[65]},{"name":"CALL_CAUSE_REMOTE_REQUEST","features":[65]},{"name":"CALL_CAUSE_UNKNOWN","features":[65]},{"name":"CALL_MEDIA_EVENT","features":[65]},{"name":"CALL_MEDIA_EVENT_CAUSE","features":[65]},{"name":"CALL_NEW_STREAM","features":[65]},{"name":"CALL_NOTIFICATION_EVENT","features":[65]},{"name":"CALL_PRIVILEGE","features":[65]},{"name":"CALL_STATE","features":[65]},{"name":"CALL_STATE_EVENT_CAUSE","features":[65]},{"name":"CALL_STREAM_ACTIVE","features":[65]},{"name":"CALL_STREAM_FAIL","features":[65]},{"name":"CALL_STREAM_INACTIVE","features":[65]},{"name":"CALL_STREAM_NOT_USED","features":[65]},{"name":"CALL_TERMINAL_FAIL","features":[65]},{"name":"CEC_DISCONNECT_BADADDRESS","features":[65]},{"name":"CEC_DISCONNECT_BLOCKED","features":[65]},{"name":"CEC_DISCONNECT_BUSY","features":[65]},{"name":"CEC_DISCONNECT_CANCELLED","features":[65]},{"name":"CEC_DISCONNECT_FAILED","features":[65]},{"name":"CEC_DISCONNECT_NOANSWER","features":[65]},{"name":"CEC_DISCONNECT_NORMAL","features":[65]},{"name":"CEC_DISCONNECT_REJECTED","features":[65]},{"name":"CEC_NONE","features":[65]},{"name":"CHE_CALLHUBIDLE","features":[65]},{"name":"CHE_CALLHUBNEW","features":[65]},{"name":"CHE_CALLJOIN","features":[65]},{"name":"CHE_CALLLEAVE","features":[65]},{"name":"CHE_LASTITEM","features":[65]},{"name":"CHS_ACTIVE","features":[65]},{"name":"CHS_IDLE","features":[65]},{"name":"CIB_CALLDATABUFFER","features":[65]},{"name":"CIB_CHARGINGINFOBUFFER","features":[65]},{"name":"CIB_DEVSPECIFICBUFFER","features":[65]},{"name":"CIB_HIGHLEVELCOMPATIBILITYBUFFER","features":[65]},{"name":"CIB_LOWLEVELCOMPATIBILITYBUFFER","features":[65]},{"name":"CIB_USERUSERINFO","features":[65]},{"name":"CIC_APPSPECIFIC","features":[65]},{"name":"CIC_BEARERMODE","features":[65]},{"name":"CIC_CALLDATA","features":[65]},{"name":"CIC_CALLEDID","features":[65]},{"name":"CIC_CALLERID","features":[65]},{"name":"CIC_CALLID","features":[65]},{"name":"CIC_CHARGINGINFO","features":[65]},{"name":"CIC_COMPLETIONID","features":[65]},{"name":"CIC_CONNECTEDID","features":[65]},{"name":"CIC_DEVSPECIFIC","features":[65]},{"name":"CIC_HIGHLEVELCOMP","features":[65]},{"name":"CIC_LASTITEM","features":[65]},{"name":"CIC_LOWLEVELCOMP","features":[65]},{"name":"CIC_MEDIATYPE","features":[65]},{"name":"CIC_NUMMONITORS","features":[65]},{"name":"CIC_NUMOWNERDECR","features":[65]},{"name":"CIC_NUMOWNERINCR","features":[65]},{"name":"CIC_ORIGIN","features":[65]},{"name":"CIC_OTHER","features":[65]},{"name":"CIC_PRIVILEGE","features":[65]},{"name":"CIC_RATE","features":[65]},{"name":"CIC_REASON","features":[65]},{"name":"CIC_REDIRECTINGID","features":[65]},{"name":"CIC_REDIRECTIONID","features":[65]},{"name":"CIC_RELATEDCALLID","features":[65]},{"name":"CIC_TREATMENT","features":[65]},{"name":"CIC_TRUNK","features":[65]},{"name":"CIC_USERUSERINFO","features":[65]},{"name":"CIL_APPSPECIFIC","features":[65]},{"name":"CIL_BEARERMODE","features":[65]},{"name":"CIL_CALLEDIDADDRESSTYPE","features":[65]},{"name":"CIL_CALLERIDADDRESSTYPE","features":[65]},{"name":"CIL_CALLID","features":[65]},{"name":"CIL_CALLPARAMSFLAGS","features":[65]},{"name":"CIL_CALLTREATMENT","features":[65]},{"name":"CIL_COMPLETIONID","features":[65]},{"name":"CIL_CONNECTEDIDADDRESSTYPE","features":[65]},{"name":"CIL_COUNTRYCODE","features":[65]},{"name":"CIL_GENERATEDIGITDURATION","features":[65]},{"name":"CIL_MAXRATE","features":[65]},{"name":"CIL_MEDIATYPESAVAILABLE","features":[65]},{"name":"CIL_MINRATE","features":[65]},{"name":"CIL_MONITORDIGITMODES","features":[65]},{"name":"CIL_MONITORMEDIAMODES","features":[65]},{"name":"CIL_NUMBEROFMONITORS","features":[65]},{"name":"CIL_NUMBEROFOWNERS","features":[65]},{"name":"CIL_ORIGIN","features":[65]},{"name":"CIL_RATE","features":[65]},{"name":"CIL_REASON","features":[65]},{"name":"CIL_REDIRECTINGIDADDRESSTYPE","features":[65]},{"name":"CIL_REDIRECTIONIDADDRESSTYPE","features":[65]},{"name":"CIL_RELATEDCALLID","features":[65]},{"name":"CIL_TRUNK","features":[65]},{"name":"CIS_CALLEDIDNAME","features":[65]},{"name":"CIS_CALLEDIDNUMBER","features":[65]},{"name":"CIS_CALLEDPARTYFRIENDLYNAME","features":[65]},{"name":"CIS_CALLERIDNAME","features":[65]},{"name":"CIS_CALLERIDNUMBER","features":[65]},{"name":"CIS_CALLINGPARTYID","features":[65]},{"name":"CIS_COMMENT","features":[65]},{"name":"CIS_CONNECTEDIDNAME","features":[65]},{"name":"CIS_CONNECTEDIDNUMBER","features":[65]},{"name":"CIS_DISPLAYABLEADDRESS","features":[65]},{"name":"CIS_REDIRECTINGIDNAME","features":[65]},{"name":"CIS_REDIRECTINGIDNUMBER","features":[65]},{"name":"CIS_REDIRECTIONIDNAME","features":[65]},{"name":"CIS_REDIRECTIONIDNUMBER","features":[65]},{"name":"CMC_BAD_DEVICE","features":[65]},{"name":"CMC_CONNECT_FAIL","features":[65]},{"name":"CMC_LOCAL_REQUEST","features":[65]},{"name":"CMC_MEDIA_RECOVERED","features":[65]},{"name":"CMC_MEDIA_TIMEOUT","features":[65]},{"name":"CMC_QUALITY_OF_SERVICE","features":[65]},{"name":"CMC_REMOTE_REQUEST","features":[65]},{"name":"CMC_UNKNOWN","features":[65]},{"name":"CME_LASTITEM","features":[65]},{"name":"CME_NEW_STREAM","features":[65]},{"name":"CME_STREAM_ACTIVE","features":[65]},{"name":"CME_STREAM_FAIL","features":[65]},{"name":"CME_STREAM_INACTIVE","features":[65]},{"name":"CME_STREAM_NOT_USED","features":[65]},{"name":"CME_TERMINAL_FAIL","features":[65]},{"name":"CNE_LASTITEM","features":[65]},{"name":"CNE_MONITOR","features":[65]},{"name":"CNE_OWNER","features":[65]},{"name":"CP_MONITOR","features":[65]},{"name":"CP_OWNER","features":[65]},{"name":"CS_CONNECTED","features":[65]},{"name":"CS_DISCONNECTED","features":[65]},{"name":"CS_HOLD","features":[65]},{"name":"CS_IDLE","features":[65]},{"name":"CS_INPROGRESS","features":[65]},{"name":"CS_LASTITEM","features":[65]},{"name":"CS_OFFERING","features":[65]},{"name":"CS_QUEUED","features":[65]},{"name":"DC_NOANSWER","features":[65]},{"name":"DC_NORMAL","features":[65]},{"name":"DC_REJECTED","features":[65]},{"name":"DIRECTORY_OBJECT_TYPE","features":[65]},{"name":"DIRECTORY_TYPE","features":[65]},{"name":"DISCONNECT_CODE","features":[65]},{"name":"DISPIDMASK","features":[65]},{"name":"DTR","features":[65]},{"name":"DT_ILS","features":[65]},{"name":"DT_NTDS","features":[65]},{"name":"DispatchMapper","features":[65]},{"name":"FDS_NOTSUPPORTED","features":[65]},{"name":"FDS_SUPPORTED","features":[65]},{"name":"FDS_UNKNOWN","features":[65]},{"name":"FINISH_MODE","features":[65]},{"name":"FM_ASCONFERENCE","features":[65]},{"name":"FM_ASTRANSFER","features":[65]},{"name":"FTEC_END_OF_FILE","features":[65]},{"name":"FTEC_NORMAL","features":[65]},{"name":"FTEC_READ_ERROR","features":[65]},{"name":"FTEC_WRITE_ERROR","features":[65]},{"name":"FT_STATE_EVENT_CAUSE","features":[65]},{"name":"FULLDUPLEX_SUPPORT","features":[65]},{"name":"GETTNEFSTREAMCODEPAGE","features":[65]},{"name":"GetTnefStreamCodepage","features":[65]},{"name":"HDRVCALL","features":[65]},{"name":"HDRVDIALOGINSTANCE","features":[65]},{"name":"HDRVLINE","features":[65]},{"name":"HDRVMSPLINE","features":[65]},{"name":"HDRVPHONE","features":[65]},{"name":"HPROVIDER","features":[65]},{"name":"HTAPICALL","features":[65]},{"name":"HTAPILINE","features":[65]},{"name":"HTAPIPHONE","features":[65]},{"name":"IDISPADDRESS","features":[65]},{"name":"IDISPADDRESSCAPABILITIES","features":[65]},{"name":"IDISPADDRESSTRANSLATION","features":[65]},{"name":"IDISPAGGREGATEDMSPADDRESSOBJ","features":[65]},{"name":"IDISPAGGREGATEDMSPCALLOBJ","features":[65]},{"name":"IDISPAPC","features":[65]},{"name":"IDISPBASICCALLCONTROL","features":[65]},{"name":"IDISPCALLINFO","features":[65]},{"name":"IDISPDIRECTORY","features":[65]},{"name":"IDISPDIROBJCONFERENCE","features":[65]},{"name":"IDISPDIROBJECT","features":[65]},{"name":"IDISPDIROBJUSER","features":[65]},{"name":"IDISPFILETRACK","features":[65]},{"name":"IDISPILSCONFIG","features":[65]},{"name":"IDISPLEGACYADDRESSMEDIACONTROL","features":[65]},{"name":"IDISPLEGACYCALLMEDIACONTROL","features":[65]},{"name":"IDISPMEDIACONTROL","features":[65]},{"name":"IDISPMEDIAPLAYBACK","features":[65]},{"name":"IDISPMEDIARECORD","features":[65]},{"name":"IDISPMEDIASUPPORT","features":[65]},{"name":"IDISPMULTITRACK","features":[65]},{"name":"IDISPPHONE","features":[65]},{"name":"IDISPTAPI","features":[65]},{"name":"IDISPTAPICALLCENTER","features":[65]},{"name":"IEnumACDGroup","features":[65]},{"name":"IEnumAddress","features":[65]},{"name":"IEnumAgent","features":[65]},{"name":"IEnumAgentHandler","features":[65]},{"name":"IEnumAgentSession","features":[65]},{"name":"IEnumBstr","features":[65]},{"name":"IEnumCall","features":[65]},{"name":"IEnumCallHub","features":[65]},{"name":"IEnumCallingCard","features":[65]},{"name":"IEnumDialableAddrs","features":[65]},{"name":"IEnumDirectory","features":[65]},{"name":"IEnumDirectoryObject","features":[65]},{"name":"IEnumLocation","features":[65]},{"name":"IEnumMcastScope","features":[65]},{"name":"IEnumPhone","features":[65]},{"name":"IEnumPluggableSuperclassInfo","features":[65]},{"name":"IEnumPluggableTerminalClassInfo","features":[65]},{"name":"IEnumQueue","features":[65]},{"name":"IEnumStream","features":[65]},{"name":"IEnumSubStream","features":[65]},{"name":"IEnumTerminal","features":[65]},{"name":"IEnumTerminalClass","features":[65]},{"name":"IMcastAddressAllocation","features":[65]},{"name":"IMcastLeaseInfo","features":[65]},{"name":"IMcastScope","features":[65]},{"name":"INITIALIZE_NEGOTIATION","features":[65]},{"name":"INTERFACEMASK","features":[65]},{"name":"ITACDGroup","features":[65]},{"name":"ITACDGroupEvent","features":[65]},{"name":"ITAMMediaFormat","features":[65]},{"name":"ITASRTerminalEvent","features":[65]},{"name":"ITAddress","features":[65]},{"name":"ITAddress2","features":[65]},{"name":"ITAddressCapabilities","features":[65]},{"name":"ITAddressDeviceSpecificEvent","features":[65]},{"name":"ITAddressEvent","features":[65]},{"name":"ITAddressTranslation","features":[65]},{"name":"ITAddressTranslationInfo","features":[65]},{"name":"ITAgent","features":[65]},{"name":"ITAgentEvent","features":[65]},{"name":"ITAgentHandler","features":[65]},{"name":"ITAgentHandlerEvent","features":[65]},{"name":"ITAgentSession","features":[65]},{"name":"ITAgentSessionEvent","features":[65]},{"name":"ITAllocatorProperties","features":[65]},{"name":"ITAutomatedPhoneControl","features":[65]},{"name":"ITBasicAudioTerminal","features":[65]},{"name":"ITBasicCallControl","features":[65]},{"name":"ITBasicCallControl2","features":[65]},{"name":"ITCallHub","features":[65]},{"name":"ITCallHubEvent","features":[65]},{"name":"ITCallInfo","features":[65]},{"name":"ITCallInfo2","features":[65]},{"name":"ITCallInfoChangeEvent","features":[65]},{"name":"ITCallMediaEvent","features":[65]},{"name":"ITCallNotificationEvent","features":[65]},{"name":"ITCallStateEvent","features":[65]},{"name":"ITCallingCard","features":[65]},{"name":"ITCollection","features":[65]},{"name":"ITCollection2","features":[65]},{"name":"ITCustomTone","features":[65]},{"name":"ITDetectTone","features":[65]},{"name":"ITDigitDetectionEvent","features":[65]},{"name":"ITDigitGenerationEvent","features":[65]},{"name":"ITDigitsGatheredEvent","features":[65]},{"name":"ITDirectory","features":[65]},{"name":"ITDirectoryObject","features":[65]},{"name":"ITDirectoryObjectConference","features":[65]},{"name":"ITDirectoryObjectUser","features":[65]},{"name":"ITDispatchMapper","features":[65]},{"name":"ITFileTerminalEvent","features":[65]},{"name":"ITFileTrack","features":[65]},{"name":"ITForwardInformation","features":[65]},{"name":"ITForwardInformation2","features":[65]},{"name":"ITILSConfig","features":[65]},{"name":"ITLegacyAddressMediaControl","features":[65]},{"name":"ITLegacyAddressMediaControl2","features":[65]},{"name":"ITLegacyCallMediaControl","features":[65]},{"name":"ITLegacyCallMediaControl2","features":[65]},{"name":"ITLegacyWaveSupport","features":[65]},{"name":"ITLocationInfo","features":[65]},{"name":"ITMSPAddress","features":[65]},{"name":"ITMediaControl","features":[65]},{"name":"ITMediaPlayback","features":[65]},{"name":"ITMediaRecord","features":[65]},{"name":"ITMediaSupport","features":[65]},{"name":"ITMultiTrackTerminal","features":[65]},{"name":"ITPhone","features":[65]},{"name":"ITPhoneDeviceSpecificEvent","features":[65]},{"name":"ITPhoneEvent","features":[65]},{"name":"ITPluggableTerminalClassInfo","features":[65]},{"name":"ITPluggableTerminalEventSink","features":[65]},{"name":"ITPluggableTerminalEventSinkRegistration","features":[65]},{"name":"ITPluggableTerminalSuperclassInfo","features":[65]},{"name":"ITPrivateEvent","features":[65]},{"name":"ITQOSEvent","features":[65]},{"name":"ITQueue","features":[65]},{"name":"ITQueueEvent","features":[65]},{"name":"ITRendezvous","features":[65]},{"name":"ITRequest","features":[65]},{"name":"ITRequestEvent","features":[65]},{"name":"ITScriptableAudioFormat","features":[65]},{"name":"ITStaticAudioTerminal","features":[65]},{"name":"ITStream","features":[65]},{"name":"ITStreamControl","features":[65]},{"name":"ITSubStream","features":[65]},{"name":"ITSubStreamControl","features":[65]},{"name":"ITTAPI","features":[65]},{"name":"ITTAPI2","features":[65]},{"name":"ITTAPICallCenter","features":[65]},{"name":"ITTAPIDispatchEventNotification","features":[65]},{"name":"ITTAPIEventNotification","features":[65]},{"name":"ITTAPIObjectEvent","features":[65]},{"name":"ITTAPIObjectEvent2","features":[65]},{"name":"ITTTSTerminalEvent","features":[65]},{"name":"ITTerminal","features":[65]},{"name":"ITTerminalSupport","features":[65]},{"name":"ITTerminalSupport2","features":[65]},{"name":"ITToneDetectionEvent","features":[65]},{"name":"ITToneTerminalEvent","features":[65]},{"name":"ITnef","features":[65]},{"name":"LAST_LINEMEDIAMODE","features":[65]},{"name":"LAST_LINEREQUESTMODE","features":[65]},{"name":"LINEADDRCAPFLAGS_ACCEPTTOALERT","features":[65]},{"name":"LINEADDRCAPFLAGS_ACDGROUP","features":[65]},{"name":"LINEADDRCAPFLAGS_AUTORECONNECT","features":[65]},{"name":"LINEADDRCAPFLAGS_BLOCKIDDEFAULT","features":[65]},{"name":"LINEADDRCAPFLAGS_BLOCKIDOVERRIDE","features":[65]},{"name":"LINEADDRCAPFLAGS_COMPLETIONID","features":[65]},{"name":"LINEADDRCAPFLAGS_CONFDROP","features":[65]},{"name":"LINEADDRCAPFLAGS_CONFERENCEHELD","features":[65]},{"name":"LINEADDRCAPFLAGS_CONFERENCEMAKE","features":[65]},{"name":"LINEADDRCAPFLAGS_DESTOFFHOOK","features":[65]},{"name":"LINEADDRCAPFLAGS_DIALED","features":[65]},{"name":"LINEADDRCAPFLAGS_FWDBUSYNAADDR","features":[65]},{"name":"LINEADDRCAPFLAGS_FWDCONSULT","features":[65]},{"name":"LINEADDRCAPFLAGS_FWDINTEXTADDR","features":[65]},{"name":"LINEADDRCAPFLAGS_FWDNUMRINGS","features":[65]},{"name":"LINEADDRCAPFLAGS_FWDSTATUSVALID","features":[65]},{"name":"LINEADDRCAPFLAGS_HOLDMAKESNEW","features":[65]},{"name":"LINEADDRCAPFLAGS_NOEXTERNALCALLS","features":[65]},{"name":"LINEADDRCAPFLAGS_NOINTERNALCALLS","features":[65]},{"name":"LINEADDRCAPFLAGS_NOPSTNADDRESSTRANSLATION","features":[65]},{"name":"LINEADDRCAPFLAGS_ORIGOFFHOOK","features":[65]},{"name":"LINEADDRCAPFLAGS_PARTIALDIAL","features":[65]},{"name":"LINEADDRCAPFLAGS_PICKUPCALLWAIT","features":[65]},{"name":"LINEADDRCAPFLAGS_PICKUPGROUPID","features":[65]},{"name":"LINEADDRCAPFLAGS_PREDICTIVEDIALER","features":[65]},{"name":"LINEADDRCAPFLAGS_QUEUE","features":[65]},{"name":"LINEADDRCAPFLAGS_ROUTEPOINT","features":[65]},{"name":"LINEADDRCAPFLAGS_SECURE","features":[65]},{"name":"LINEADDRCAPFLAGS_SETCALLINGID","features":[65]},{"name":"LINEADDRCAPFLAGS_SETUPCONFNULL","features":[65]},{"name":"LINEADDRCAPFLAGS_TRANSFERHELD","features":[65]},{"name":"LINEADDRCAPFLAGS_TRANSFERMAKE","features":[65]},{"name":"LINEADDRESSCAPS","features":[65]},{"name":"LINEADDRESSMODE_ADDRESSID","features":[65]},{"name":"LINEADDRESSMODE_DIALABLEADDR","features":[65]},{"name":"LINEADDRESSSHARING_BRIDGEDEXCL","features":[65]},{"name":"LINEADDRESSSHARING_BRIDGEDNEW","features":[65]},{"name":"LINEADDRESSSHARING_BRIDGEDSHARED","features":[65]},{"name":"LINEADDRESSSHARING_MONITORED","features":[65]},{"name":"LINEADDRESSSHARING_PRIVATE","features":[65]},{"name":"LINEADDRESSSTATE_CAPSCHANGE","features":[65]},{"name":"LINEADDRESSSTATE_DEVSPECIFIC","features":[65]},{"name":"LINEADDRESSSTATE_FORWARD","features":[65]},{"name":"LINEADDRESSSTATE_INUSEMANY","features":[65]},{"name":"LINEADDRESSSTATE_INUSEONE","features":[65]},{"name":"LINEADDRESSSTATE_INUSEZERO","features":[65]},{"name":"LINEADDRESSSTATE_NUMCALLS","features":[65]},{"name":"LINEADDRESSSTATE_OTHER","features":[65]},{"name":"LINEADDRESSSTATE_TERMINALS","features":[65]},{"name":"LINEADDRESSSTATUS","features":[65]},{"name":"LINEADDRESSTYPE_DOMAINNAME","features":[65]},{"name":"LINEADDRESSTYPE_EMAILNAME","features":[65]},{"name":"LINEADDRESSTYPE_IPADDRESS","features":[65]},{"name":"LINEADDRESSTYPE_PHONENUMBER","features":[65]},{"name":"LINEADDRESSTYPE_SDP","features":[65]},{"name":"LINEADDRFEATURE_FORWARD","features":[65]},{"name":"LINEADDRFEATURE_FORWARDDND","features":[65]},{"name":"LINEADDRFEATURE_FORWARDFWD","features":[65]},{"name":"LINEADDRFEATURE_MAKECALL","features":[65]},{"name":"LINEADDRFEATURE_PICKUP","features":[65]},{"name":"LINEADDRFEATURE_PICKUPDIRECT","features":[65]},{"name":"LINEADDRFEATURE_PICKUPGROUP","features":[65]},{"name":"LINEADDRFEATURE_PICKUPHELD","features":[65]},{"name":"LINEADDRFEATURE_PICKUPWAITING","features":[65]},{"name":"LINEADDRFEATURE_SETMEDIACONTROL","features":[65]},{"name":"LINEADDRFEATURE_SETTERMINAL","features":[65]},{"name":"LINEADDRFEATURE_SETUPCONF","features":[65]},{"name":"LINEADDRFEATURE_UNCOMPLETECALL","features":[65]},{"name":"LINEADDRFEATURE_UNPARK","features":[65]},{"name":"LINEAGENTACTIVITYENTRY","features":[65]},{"name":"LINEAGENTACTIVITYLIST","features":[65]},{"name":"LINEAGENTCAPS","features":[65]},{"name":"LINEAGENTENTRY","features":[65]},{"name":"LINEAGENTFEATURE_AGENTSPECIFIC","features":[65]},{"name":"LINEAGENTFEATURE_GETAGENTACTIVITYLIST","features":[65]},{"name":"LINEAGENTFEATURE_GETAGENTGROUP","features":[65]},{"name":"LINEAGENTFEATURE_SETAGENTACTIVITY","features":[65]},{"name":"LINEAGENTFEATURE_SETAGENTGROUP","features":[65]},{"name":"LINEAGENTFEATURE_SETAGENTSTATE","features":[65]},{"name":"LINEAGENTGROUPENTRY","features":[65]},{"name":"LINEAGENTGROUPLIST","features":[65]},{"name":"LINEAGENTINFO","features":[65,41]},{"name":"LINEAGENTLIST","features":[65]},{"name":"LINEAGENTSESSIONENTRY","features":[65]},{"name":"LINEAGENTSESSIONINFO","features":[65,41]},{"name":"LINEAGENTSESSIONLIST","features":[65]},{"name":"LINEAGENTSESSIONSTATE_BUSYONCALL","features":[65]},{"name":"LINEAGENTSESSIONSTATE_BUSYWRAPUP","features":[65]},{"name":"LINEAGENTSESSIONSTATE_ENDED","features":[65]},{"name":"LINEAGENTSESSIONSTATE_NOTREADY","features":[65]},{"name":"LINEAGENTSESSIONSTATE_READY","features":[65]},{"name":"LINEAGENTSESSIONSTATE_RELEASED","features":[65]},{"name":"LINEAGENTSESSIONSTATUS_NEWSESSION","features":[65]},{"name":"LINEAGENTSESSIONSTATUS_STATE","features":[65]},{"name":"LINEAGENTSESSIONSTATUS_UPDATEINFO","features":[65]},{"name":"LINEAGENTSTATEEX_BUSYACD","features":[65]},{"name":"LINEAGENTSTATEEX_BUSYINCOMING","features":[65]},{"name":"LINEAGENTSTATEEX_BUSYOUTGOING","features":[65]},{"name":"LINEAGENTSTATEEX_NOTREADY","features":[65]},{"name":"LINEAGENTSTATEEX_READY","features":[65]},{"name":"LINEAGENTSTATEEX_RELEASED","features":[65]},{"name":"LINEAGENTSTATEEX_UNKNOWN","features":[65]},{"name":"LINEAGENTSTATE_BUSYACD","features":[65]},{"name":"LINEAGENTSTATE_BUSYINCOMING","features":[65]},{"name":"LINEAGENTSTATE_BUSYOTHER","features":[65]},{"name":"LINEAGENTSTATE_BUSYOUTBOUND","features":[65]},{"name":"LINEAGENTSTATE_LOGGEDOFF","features":[65]},{"name":"LINEAGENTSTATE_NOTREADY","features":[65]},{"name":"LINEAGENTSTATE_READY","features":[65]},{"name":"LINEAGENTSTATE_UNAVAIL","features":[65]},{"name":"LINEAGENTSTATE_UNKNOWN","features":[65]},{"name":"LINEAGENTSTATE_WORKINGAFTERCALL","features":[65]},{"name":"LINEAGENTSTATUS","features":[65]},{"name":"LINEAGENTSTATUSEX_NEWAGENT","features":[65]},{"name":"LINEAGENTSTATUSEX_STATE","features":[65]},{"name":"LINEAGENTSTATUSEX_UPDATEINFO","features":[65]},{"name":"LINEAGENTSTATUS_ACTIVITY","features":[65]},{"name":"LINEAGENTSTATUS_ACTIVITYLIST","features":[65]},{"name":"LINEAGENTSTATUS_CAPSCHANGE","features":[65]},{"name":"LINEAGENTSTATUS_GROUP","features":[65]},{"name":"LINEAGENTSTATUS_GROUPLIST","features":[65]},{"name":"LINEAGENTSTATUS_NEXTSTATE","features":[65]},{"name":"LINEAGENTSTATUS_STATE","features":[65]},{"name":"LINEAGENTSTATUS_VALIDNEXTSTATES","features":[65]},{"name":"LINEAGENTSTATUS_VALIDSTATES","features":[65]},{"name":"LINEANSWERMODE_DROP","features":[65]},{"name":"LINEANSWERMODE_HOLD","features":[65]},{"name":"LINEANSWERMODE_NONE","features":[65]},{"name":"LINEAPPINFO","features":[65]},{"name":"LINEBEARERMODE_ALTSPEECHDATA","features":[65]},{"name":"LINEBEARERMODE_DATA","features":[65]},{"name":"LINEBEARERMODE_MULTIUSE","features":[65]},{"name":"LINEBEARERMODE_NONCALLSIGNALING","features":[65]},{"name":"LINEBEARERMODE_PASSTHROUGH","features":[65]},{"name":"LINEBEARERMODE_RESTRICTEDDATA","features":[65]},{"name":"LINEBEARERMODE_SPEECH","features":[65]},{"name":"LINEBEARERMODE_VOICE","features":[65]},{"name":"LINEBUSYMODE_STATION","features":[65]},{"name":"LINEBUSYMODE_TRUNK","features":[65]},{"name":"LINEBUSYMODE_UNAVAIL","features":[65]},{"name":"LINEBUSYMODE_UNKNOWN","features":[65]},{"name":"LINECALLBACK","features":[65]},{"name":"LINECALLCOMPLCOND_BUSY","features":[65]},{"name":"LINECALLCOMPLCOND_NOANSWER","features":[65]},{"name":"LINECALLCOMPLMODE_CALLBACK","features":[65]},{"name":"LINECALLCOMPLMODE_CAMPON","features":[65]},{"name":"LINECALLCOMPLMODE_INTRUDE","features":[65]},{"name":"LINECALLCOMPLMODE_MESSAGE","features":[65]},{"name":"LINECALLFEATURE2_COMPLCALLBACK","features":[65]},{"name":"LINECALLFEATURE2_COMPLCAMPON","features":[65]},{"name":"LINECALLFEATURE2_COMPLINTRUDE","features":[65]},{"name":"LINECALLFEATURE2_COMPLMESSAGE","features":[65]},{"name":"LINECALLFEATURE2_NOHOLDCONFERENCE","features":[65]},{"name":"LINECALLFEATURE2_ONESTEPTRANSFER","features":[65]},{"name":"LINECALLFEATURE2_PARKDIRECT","features":[65]},{"name":"LINECALLFEATURE2_PARKNONDIRECT","features":[65]},{"name":"LINECALLFEATURE2_TRANSFERCONF","features":[65]},{"name":"LINECALLFEATURE2_TRANSFERNORM","features":[65]},{"name":"LINECALLFEATURE_ACCEPT","features":[65]},{"name":"LINECALLFEATURE_ADDTOCONF","features":[65]},{"name":"LINECALLFEATURE_ANSWER","features":[65]},{"name":"LINECALLFEATURE_BLINDTRANSFER","features":[65]},{"name":"LINECALLFEATURE_COMPLETECALL","features":[65]},{"name":"LINECALLFEATURE_COMPLETETRANSF","features":[65]},{"name":"LINECALLFEATURE_DIAL","features":[65]},{"name":"LINECALLFEATURE_DROP","features":[65]},{"name":"LINECALLFEATURE_GATHERDIGITS","features":[65]},{"name":"LINECALLFEATURE_GENERATEDIGITS","features":[65]},{"name":"LINECALLFEATURE_GENERATETONE","features":[65]},{"name":"LINECALLFEATURE_HOLD","features":[65]},{"name":"LINECALLFEATURE_MONITORDIGITS","features":[65]},{"name":"LINECALLFEATURE_MONITORMEDIA","features":[65]},{"name":"LINECALLFEATURE_MONITORTONES","features":[65]},{"name":"LINECALLFEATURE_PARK","features":[65]},{"name":"LINECALLFEATURE_PREPAREADDCONF","features":[65]},{"name":"LINECALLFEATURE_REDIRECT","features":[65]},{"name":"LINECALLFEATURE_RELEASEUSERUSERINFO","features":[65]},{"name":"LINECALLFEATURE_REMOVEFROMCONF","features":[65]},{"name":"LINECALLFEATURE_SECURECALL","features":[65]},{"name":"LINECALLFEATURE_SENDUSERUSER","features":[65]},{"name":"LINECALLFEATURE_SETCALLDATA","features":[65]},{"name":"LINECALLFEATURE_SETCALLPARAMS","features":[65]},{"name":"LINECALLFEATURE_SETMEDIACONTROL","features":[65]},{"name":"LINECALLFEATURE_SETQOS","features":[65]},{"name":"LINECALLFEATURE_SETTERMINAL","features":[65]},{"name":"LINECALLFEATURE_SETTREATMENT","features":[65]},{"name":"LINECALLFEATURE_SETUPCONF","features":[65]},{"name":"LINECALLFEATURE_SETUPTRANSFER","features":[65]},{"name":"LINECALLFEATURE_SWAPHOLD","features":[65]},{"name":"LINECALLFEATURE_UNHOLD","features":[65]},{"name":"LINECALLHUBTRACKING_ALLCALLS","features":[65]},{"name":"LINECALLHUBTRACKING_NONE","features":[65]},{"name":"LINECALLHUBTRACKING_PROVIDERLEVEL","features":[65]},{"name":"LINECALLINFO","features":[65]},{"name":"LINECALLINFOSTATE_APPSPECIFIC","features":[65]},{"name":"LINECALLINFOSTATE_BEARERMODE","features":[65]},{"name":"LINECALLINFOSTATE_CALLDATA","features":[65]},{"name":"LINECALLINFOSTATE_CALLEDID","features":[65]},{"name":"LINECALLINFOSTATE_CALLERID","features":[65]},{"name":"LINECALLINFOSTATE_CALLID","features":[65]},{"name":"LINECALLINFOSTATE_CHARGINGINFO","features":[65]},{"name":"LINECALLINFOSTATE_COMPLETIONID","features":[65]},{"name":"LINECALLINFOSTATE_CONNECTEDID","features":[65]},{"name":"LINECALLINFOSTATE_DEVSPECIFIC","features":[65]},{"name":"LINECALLINFOSTATE_DIALPARAMS","features":[65]},{"name":"LINECALLINFOSTATE_DISPLAY","features":[65]},{"name":"LINECALLINFOSTATE_HIGHLEVELCOMP","features":[65]},{"name":"LINECALLINFOSTATE_LOWLEVELCOMP","features":[65]},{"name":"LINECALLINFOSTATE_MEDIAMODE","features":[65]},{"name":"LINECALLINFOSTATE_MONITORMODES","features":[65]},{"name":"LINECALLINFOSTATE_NUMMONITORS","features":[65]},{"name":"LINECALLINFOSTATE_NUMOWNERDECR","features":[65]},{"name":"LINECALLINFOSTATE_NUMOWNERINCR","features":[65]},{"name":"LINECALLINFOSTATE_ORIGIN","features":[65]},{"name":"LINECALLINFOSTATE_OTHER","features":[65]},{"name":"LINECALLINFOSTATE_QOS","features":[65]},{"name":"LINECALLINFOSTATE_RATE","features":[65]},{"name":"LINECALLINFOSTATE_REASON","features":[65]},{"name":"LINECALLINFOSTATE_REDIRECTINGID","features":[65]},{"name":"LINECALLINFOSTATE_REDIRECTIONID","features":[65]},{"name":"LINECALLINFOSTATE_RELATEDCALLID","features":[65]},{"name":"LINECALLINFOSTATE_TERMINAL","features":[65]},{"name":"LINECALLINFOSTATE_TREATMENT","features":[65]},{"name":"LINECALLINFOSTATE_TRUNK","features":[65]},{"name":"LINECALLINFOSTATE_USERUSERINFO","features":[65]},{"name":"LINECALLLIST","features":[65]},{"name":"LINECALLORIGIN_CONFERENCE","features":[65]},{"name":"LINECALLORIGIN_EXTERNAL","features":[65]},{"name":"LINECALLORIGIN_INBOUND","features":[65]},{"name":"LINECALLORIGIN_INTERNAL","features":[65]},{"name":"LINECALLORIGIN_OUTBOUND","features":[65]},{"name":"LINECALLORIGIN_UNAVAIL","features":[65]},{"name":"LINECALLORIGIN_UNKNOWN","features":[65]},{"name":"LINECALLPARAMFLAGS_BLOCKID","features":[65]},{"name":"LINECALLPARAMFLAGS_DESTOFFHOOK","features":[65]},{"name":"LINECALLPARAMFLAGS_IDLE","features":[65]},{"name":"LINECALLPARAMFLAGS_NOHOLDCONFERENCE","features":[65]},{"name":"LINECALLPARAMFLAGS_ONESTEPTRANSFER","features":[65]},{"name":"LINECALLPARAMFLAGS_ORIGOFFHOOK","features":[65]},{"name":"LINECALLPARAMFLAGS_PREDICTIVEDIAL","features":[65]},{"name":"LINECALLPARAMFLAGS_SECURE","features":[65]},{"name":"LINECALLPARAMS","features":[65]},{"name":"LINECALLPARTYID_ADDRESS","features":[65]},{"name":"LINECALLPARTYID_BLOCKED","features":[65]},{"name":"LINECALLPARTYID_NAME","features":[65]},{"name":"LINECALLPARTYID_OUTOFAREA","features":[65]},{"name":"LINECALLPARTYID_PARTIAL","features":[65]},{"name":"LINECALLPARTYID_UNAVAIL","features":[65]},{"name":"LINECALLPARTYID_UNKNOWN","features":[65]},{"name":"LINECALLPRIVILEGE_MONITOR","features":[65]},{"name":"LINECALLPRIVILEGE_NONE","features":[65]},{"name":"LINECALLPRIVILEGE_OWNER","features":[65]},{"name":"LINECALLREASON_CALLCOMPLETION","features":[65]},{"name":"LINECALLREASON_CAMPEDON","features":[65]},{"name":"LINECALLREASON_DIRECT","features":[65]},{"name":"LINECALLREASON_FWDBUSY","features":[65]},{"name":"LINECALLREASON_FWDNOANSWER","features":[65]},{"name":"LINECALLREASON_FWDUNCOND","features":[65]},{"name":"LINECALLREASON_INTRUDE","features":[65]},{"name":"LINECALLREASON_PARKED","features":[65]},{"name":"LINECALLREASON_PICKUP","features":[65]},{"name":"LINECALLREASON_REDIRECT","features":[65]},{"name":"LINECALLREASON_REMINDER","features":[65]},{"name":"LINECALLREASON_ROUTEREQUEST","features":[65]},{"name":"LINECALLREASON_TRANSFER","features":[65]},{"name":"LINECALLREASON_UNAVAIL","features":[65]},{"name":"LINECALLREASON_UNKNOWN","features":[65]},{"name":"LINECALLREASON_UNPARK","features":[65]},{"name":"LINECALLSELECT_ADDRESS","features":[65]},{"name":"LINECALLSELECT_CALL","features":[65]},{"name":"LINECALLSELECT_CALLID","features":[65]},{"name":"LINECALLSELECT_DEVICEID","features":[65]},{"name":"LINECALLSELECT_LINE","features":[65]},{"name":"LINECALLSTATE_ACCEPTED","features":[65]},{"name":"LINECALLSTATE_BUSY","features":[65]},{"name":"LINECALLSTATE_CONFERENCED","features":[65]},{"name":"LINECALLSTATE_CONNECTED","features":[65]},{"name":"LINECALLSTATE_DIALING","features":[65]},{"name":"LINECALLSTATE_DIALTONE","features":[65]},{"name":"LINECALLSTATE_DISCONNECTED","features":[65]},{"name":"LINECALLSTATE_IDLE","features":[65]},{"name":"LINECALLSTATE_OFFERING","features":[65]},{"name":"LINECALLSTATE_ONHOLD","features":[65]},{"name":"LINECALLSTATE_ONHOLDPENDCONF","features":[65]},{"name":"LINECALLSTATE_ONHOLDPENDTRANSFER","features":[65]},{"name":"LINECALLSTATE_PROCEEDING","features":[65]},{"name":"LINECALLSTATE_RINGBACK","features":[65]},{"name":"LINECALLSTATE_SPECIALINFO","features":[65]},{"name":"LINECALLSTATE_UNKNOWN","features":[65]},{"name":"LINECALLSTATUS","features":[65,1]},{"name":"LINECALLTREATMENTENTRY","features":[65]},{"name":"LINECALLTREATMENT_BUSY","features":[65]},{"name":"LINECALLTREATMENT_MUSIC","features":[65]},{"name":"LINECALLTREATMENT_RINGBACK","features":[65]},{"name":"LINECALLTREATMENT_SILENCE","features":[65]},{"name":"LINECARDENTRY","features":[65]},{"name":"LINECARDOPTION_HIDDEN","features":[65]},{"name":"LINECARDOPTION_PREDEFINED","features":[65]},{"name":"LINECONNECTEDMODE_ACTIVE","features":[65]},{"name":"LINECONNECTEDMODE_ACTIVEHELD","features":[65]},{"name":"LINECONNECTEDMODE_CONFIRMED","features":[65]},{"name":"LINECONNECTEDMODE_INACTIVE","features":[65]},{"name":"LINECONNECTEDMODE_INACTIVEHELD","features":[65]},{"name":"LINECOUNTRYENTRY","features":[65]},{"name":"LINECOUNTRYLIST","features":[65]},{"name":"LINEDEVCAPFLAGS_CALLHUB","features":[65]},{"name":"LINEDEVCAPFLAGS_CALLHUBTRACKING","features":[65]},{"name":"LINEDEVCAPFLAGS_CLOSEDROP","features":[65]},{"name":"LINEDEVCAPFLAGS_CROSSADDRCONF","features":[65]},{"name":"LINEDEVCAPFLAGS_DIALBILLING","features":[65]},{"name":"LINEDEVCAPFLAGS_DIALDIALTONE","features":[65]},{"name":"LINEDEVCAPFLAGS_DIALQUIET","features":[65]},{"name":"LINEDEVCAPFLAGS_HIGHLEVCOMP","features":[65]},{"name":"LINEDEVCAPFLAGS_LOCAL","features":[65]},{"name":"LINEDEVCAPFLAGS_LOWLEVCOMP","features":[65]},{"name":"LINEDEVCAPFLAGS_MEDIACONTROL","features":[65]},{"name":"LINEDEVCAPFLAGS_MSP","features":[65]},{"name":"LINEDEVCAPFLAGS_MULTIPLEADDR","features":[65]},{"name":"LINEDEVCAPFLAGS_PRIVATEOBJECTS","features":[65]},{"name":"LINEDEVCAPS","features":[65]},{"name":"LINEDEVSTATE_BATTERY","features":[65]},{"name":"LINEDEVSTATE_CAPSCHANGE","features":[65]},{"name":"LINEDEVSTATE_CLOSE","features":[65]},{"name":"LINEDEVSTATE_COMPLCANCEL","features":[65]},{"name":"LINEDEVSTATE_CONFIGCHANGE","features":[65]},{"name":"LINEDEVSTATE_CONNECTED","features":[65]},{"name":"LINEDEVSTATE_DEVSPECIFIC","features":[65]},{"name":"LINEDEVSTATE_DISCONNECTED","features":[65]},{"name":"LINEDEVSTATE_INSERVICE","features":[65]},{"name":"LINEDEVSTATE_LOCK","features":[65]},{"name":"LINEDEVSTATE_MAINTENANCE","features":[65]},{"name":"LINEDEVSTATE_MSGWAITOFF","features":[65]},{"name":"LINEDEVSTATE_MSGWAITON","features":[65]},{"name":"LINEDEVSTATE_NUMCALLS","features":[65]},{"name":"LINEDEVSTATE_NUMCOMPLETIONS","features":[65]},{"name":"LINEDEVSTATE_OPEN","features":[65]},{"name":"LINEDEVSTATE_OTHER","features":[65]},{"name":"LINEDEVSTATE_OUTOFSERVICE","features":[65]},{"name":"LINEDEVSTATE_REINIT","features":[65]},{"name":"LINEDEVSTATE_REMOVED","features":[65]},{"name":"LINEDEVSTATE_RINGING","features":[65]},{"name":"LINEDEVSTATE_ROAMMODE","features":[65]},{"name":"LINEDEVSTATE_SIGNAL","features":[65]},{"name":"LINEDEVSTATE_TERMINALS","features":[65]},{"name":"LINEDEVSTATE_TRANSLATECHANGE","features":[65]},{"name":"LINEDEVSTATUS","features":[65]},{"name":"LINEDEVSTATUSFLAGS_CONNECTED","features":[65]},{"name":"LINEDEVSTATUSFLAGS_INSERVICE","features":[65]},{"name":"LINEDEVSTATUSFLAGS_LOCKED","features":[65]},{"name":"LINEDEVSTATUSFLAGS_MSGWAIT","features":[65]},{"name":"LINEDIALPARAMS","features":[65]},{"name":"LINEDIALTONEMODE_EXTERNAL","features":[65]},{"name":"LINEDIALTONEMODE_INTERNAL","features":[65]},{"name":"LINEDIALTONEMODE_NORMAL","features":[65]},{"name":"LINEDIALTONEMODE_SPECIAL","features":[65]},{"name":"LINEDIALTONEMODE_UNAVAIL","features":[65]},{"name":"LINEDIALTONEMODE_UNKNOWN","features":[65]},{"name":"LINEDIGITMODE_DTMF","features":[65]},{"name":"LINEDIGITMODE_DTMFEND","features":[65]},{"name":"LINEDIGITMODE_PULSE","features":[65]},{"name":"LINEDISCONNECTMODE_BADADDRESS","features":[65]},{"name":"LINEDISCONNECTMODE_BLOCKED","features":[65]},{"name":"LINEDISCONNECTMODE_BUSY","features":[65]},{"name":"LINEDISCONNECTMODE_CANCELLED","features":[65]},{"name":"LINEDISCONNECTMODE_CONGESTION","features":[65]},{"name":"LINEDISCONNECTMODE_DESTINATIONBARRED","features":[65]},{"name":"LINEDISCONNECTMODE_DONOTDISTURB","features":[65]},{"name":"LINEDISCONNECTMODE_FDNRESTRICT","features":[65]},{"name":"LINEDISCONNECTMODE_FORWARDED","features":[65]},{"name":"LINEDISCONNECTMODE_INCOMPATIBLE","features":[65]},{"name":"LINEDISCONNECTMODE_NOANSWER","features":[65]},{"name":"LINEDISCONNECTMODE_NODIALTONE","features":[65]},{"name":"LINEDISCONNECTMODE_NORMAL","features":[65]},{"name":"LINEDISCONNECTMODE_NUMBERCHANGED","features":[65]},{"name":"LINEDISCONNECTMODE_OUTOFORDER","features":[65]},{"name":"LINEDISCONNECTMODE_PICKUP","features":[65]},{"name":"LINEDISCONNECTMODE_QOSUNAVAIL","features":[65]},{"name":"LINEDISCONNECTMODE_REJECT","features":[65]},{"name":"LINEDISCONNECTMODE_TEMPFAILURE","features":[65]},{"name":"LINEDISCONNECTMODE_UNAVAIL","features":[65]},{"name":"LINEDISCONNECTMODE_UNKNOWN","features":[65]},{"name":"LINEDISCONNECTMODE_UNREACHABLE","features":[65]},{"name":"LINEEQOSINFO_ADMISSIONFAILURE","features":[65]},{"name":"LINEEQOSINFO_GENERICERROR","features":[65]},{"name":"LINEEQOSINFO_NOQOS","features":[65]},{"name":"LINEEQOSINFO_POLICYFAILURE","features":[65]},{"name":"LINEERR_ADDRESSBLOCKED","features":[65]},{"name":"LINEERR_ALLOCATED","features":[65]},{"name":"LINEERR_BADDEVICEID","features":[65]},{"name":"LINEERR_BEARERMODEUNAVAIL","features":[65]},{"name":"LINEERR_BILLINGREJECTED","features":[65]},{"name":"LINEERR_CALLUNAVAIL","features":[65]},{"name":"LINEERR_COMPLETIONOVERRUN","features":[65]},{"name":"LINEERR_CONFERENCEFULL","features":[65]},{"name":"LINEERR_DIALBILLING","features":[65]},{"name":"LINEERR_DIALDIALTONE","features":[65]},{"name":"LINEERR_DIALPROMPT","features":[65]},{"name":"LINEERR_DIALQUIET","features":[65]},{"name":"LINEERR_DIALVOICEDETECT","features":[65]},{"name":"LINEERR_DISCONNECTED","features":[65]},{"name":"LINEERR_INCOMPATIBLEAPIVERSION","features":[65]},{"name":"LINEERR_INCOMPATIBLEEXTVERSION","features":[65]},{"name":"LINEERR_INIFILECORRUPT","features":[65]},{"name":"LINEERR_INUSE","features":[65]},{"name":"LINEERR_INVALADDRESS","features":[65]},{"name":"LINEERR_INVALADDRESSID","features":[65]},{"name":"LINEERR_INVALADDRESSMODE","features":[65]},{"name":"LINEERR_INVALADDRESSSTATE","features":[65]},{"name":"LINEERR_INVALADDRESSTYPE","features":[65]},{"name":"LINEERR_INVALAGENTACTIVITY","features":[65]},{"name":"LINEERR_INVALAGENTGROUP","features":[65]},{"name":"LINEERR_INVALAGENTID","features":[65]},{"name":"LINEERR_INVALAGENTSESSIONSTATE","features":[65]},{"name":"LINEERR_INVALAGENTSTATE","features":[65]},{"name":"LINEERR_INVALAPPHANDLE","features":[65]},{"name":"LINEERR_INVALAPPNAME","features":[65]},{"name":"LINEERR_INVALBEARERMODE","features":[65]},{"name":"LINEERR_INVALCALLCOMPLMODE","features":[65]},{"name":"LINEERR_INVALCALLHANDLE","features":[65]},{"name":"LINEERR_INVALCALLPARAMS","features":[65]},{"name":"LINEERR_INVALCALLPRIVILEGE","features":[65]},{"name":"LINEERR_INVALCALLSELECT","features":[65]},{"name":"LINEERR_INVALCALLSTATE","features":[65]},{"name":"LINEERR_INVALCALLSTATELIST","features":[65]},{"name":"LINEERR_INVALCARD","features":[65]},{"name":"LINEERR_INVALCOMPLETIONID","features":[65]},{"name":"LINEERR_INVALCONFCALLHANDLE","features":[65]},{"name":"LINEERR_INVALCONSULTCALLHANDLE","features":[65]},{"name":"LINEERR_INVALCOUNTRYCODE","features":[65]},{"name":"LINEERR_INVALDEVICECLASS","features":[65]},{"name":"LINEERR_INVALDEVICEHANDLE","features":[65]},{"name":"LINEERR_INVALDIALPARAMS","features":[65]},{"name":"LINEERR_INVALDIGITLIST","features":[65]},{"name":"LINEERR_INVALDIGITMODE","features":[65]},{"name":"LINEERR_INVALDIGITS","features":[65]},{"name":"LINEERR_INVALEXTVERSION","features":[65]},{"name":"LINEERR_INVALFEATURE","features":[65]},{"name":"LINEERR_INVALGROUPID","features":[65]},{"name":"LINEERR_INVALLINEHANDLE","features":[65]},{"name":"LINEERR_INVALLINESTATE","features":[65]},{"name":"LINEERR_INVALLOCATION","features":[65]},{"name":"LINEERR_INVALMEDIALIST","features":[65]},{"name":"LINEERR_INVALMEDIAMODE","features":[65]},{"name":"LINEERR_INVALMESSAGEID","features":[65]},{"name":"LINEERR_INVALPARAM","features":[65]},{"name":"LINEERR_INVALPARKID","features":[65]},{"name":"LINEERR_INVALPARKMODE","features":[65]},{"name":"LINEERR_INVALPASSWORD","features":[65]},{"name":"LINEERR_INVALPOINTER","features":[65]},{"name":"LINEERR_INVALPRIVSELECT","features":[65]},{"name":"LINEERR_INVALRATE","features":[65]},{"name":"LINEERR_INVALREQUESTMODE","features":[65]},{"name":"LINEERR_INVALTERMINALID","features":[65]},{"name":"LINEERR_INVALTERMINALMODE","features":[65]},{"name":"LINEERR_INVALTIMEOUT","features":[65]},{"name":"LINEERR_INVALTONE","features":[65]},{"name":"LINEERR_INVALTONELIST","features":[65]},{"name":"LINEERR_INVALTONEMODE","features":[65]},{"name":"LINEERR_INVALTRANSFERMODE","features":[65]},{"name":"LINEERR_LINEMAPPERFAILED","features":[65]},{"name":"LINEERR_NOCONFERENCE","features":[65]},{"name":"LINEERR_NODEVICE","features":[65]},{"name":"LINEERR_NODRIVER","features":[65]},{"name":"LINEERR_NOMEM","features":[65]},{"name":"LINEERR_NOMULTIPLEINSTANCE","features":[65]},{"name":"LINEERR_NOREQUEST","features":[65]},{"name":"LINEERR_NOTOWNER","features":[65]},{"name":"LINEERR_NOTREGISTERED","features":[65]},{"name":"LINEERR_OPERATIONFAILED","features":[65]},{"name":"LINEERR_OPERATIONUNAVAIL","features":[65]},{"name":"LINEERR_RATEUNAVAIL","features":[65]},{"name":"LINEERR_REINIT","features":[65]},{"name":"LINEERR_REQUESTOVERRUN","features":[65]},{"name":"LINEERR_RESOURCEUNAVAIL","features":[65]},{"name":"LINEERR_SERVICE_NOT_RUNNING","features":[65]},{"name":"LINEERR_STRUCTURETOOSMALL","features":[65]},{"name":"LINEERR_TARGETNOTFOUND","features":[65]},{"name":"LINEERR_TARGETSELF","features":[65]},{"name":"LINEERR_UNINITIALIZED","features":[65]},{"name":"LINEERR_USERCANCELLED","features":[65]},{"name":"LINEERR_USERUSERINFOTOOBIG","features":[65]},{"name":"LINEEVENT","features":[65]},{"name":"LINEEXTENSIONID","features":[65]},{"name":"LINEFEATURE_DEVSPECIFIC","features":[65]},{"name":"LINEFEATURE_DEVSPECIFICFEAT","features":[65]},{"name":"LINEFEATURE_FORWARD","features":[65]},{"name":"LINEFEATURE_FORWARDDND","features":[65]},{"name":"LINEFEATURE_FORWARDFWD","features":[65]},{"name":"LINEFEATURE_MAKECALL","features":[65]},{"name":"LINEFEATURE_SETDEVSTATUS","features":[65]},{"name":"LINEFEATURE_SETMEDIACONTROL","features":[65]},{"name":"LINEFEATURE_SETTERMINAL","features":[65]},{"name":"LINEFORWARD","features":[65]},{"name":"LINEFORWARDLIST","features":[65]},{"name":"LINEFORWARDMODE_BUSY","features":[65]},{"name":"LINEFORWARDMODE_BUSYEXTERNAL","features":[65]},{"name":"LINEFORWARDMODE_BUSYINTERNAL","features":[65]},{"name":"LINEFORWARDMODE_BUSYNA","features":[65]},{"name":"LINEFORWARDMODE_BUSYNAEXTERNAL","features":[65]},{"name":"LINEFORWARDMODE_BUSYNAINTERNAL","features":[65]},{"name":"LINEFORWARDMODE_BUSYNASPECIFIC","features":[65]},{"name":"LINEFORWARDMODE_BUSYSPECIFIC","features":[65]},{"name":"LINEFORWARDMODE_NOANSW","features":[65]},{"name":"LINEFORWARDMODE_NOANSWEXTERNAL","features":[65]},{"name":"LINEFORWARDMODE_NOANSWINTERNAL","features":[65]},{"name":"LINEFORWARDMODE_NOANSWSPECIFIC","features":[65]},{"name":"LINEFORWARDMODE_UNAVAIL","features":[65]},{"name":"LINEFORWARDMODE_UNCOND","features":[65]},{"name":"LINEFORWARDMODE_UNCONDEXTERNAL","features":[65]},{"name":"LINEFORWARDMODE_UNCONDINTERNAL","features":[65]},{"name":"LINEFORWARDMODE_UNCONDSPECIFIC","features":[65]},{"name":"LINEFORWARDMODE_UNKNOWN","features":[65]},{"name":"LINEGATHERTERM_BUFFERFULL","features":[65]},{"name":"LINEGATHERTERM_CANCEL","features":[65]},{"name":"LINEGATHERTERM_FIRSTTIMEOUT","features":[65]},{"name":"LINEGATHERTERM_INTERTIMEOUT","features":[65]},{"name":"LINEGATHERTERM_TERMDIGIT","features":[65]},{"name":"LINEGENERATETERM_CANCEL","features":[65]},{"name":"LINEGENERATETERM_DONE","features":[65]},{"name":"LINEGENERATETONE","features":[65]},{"name":"LINEGROUPSTATUS_GROUPREMOVED","features":[65]},{"name":"LINEGROUPSTATUS_NEWGROUP","features":[65]},{"name":"LINEINITIALIZEEXOPTION_CALLHUBTRACKING","features":[65]},{"name":"LINEINITIALIZEEXOPTION_USECOMPLETIONPORT","features":[65]},{"name":"LINEINITIALIZEEXOPTION_USEEVENT","features":[65]},{"name":"LINEINITIALIZEEXOPTION_USEHIDDENWINDOW","features":[65]},{"name":"LINEINITIALIZEEXPARAMS","features":[65,1]},{"name":"LINELOCATIONENTRY","features":[65]},{"name":"LINELOCATIONOPTION_PULSEDIAL","features":[65]},{"name":"LINEMAPPER","features":[65]},{"name":"LINEMEDIACONTROLCALLSTATE","features":[65]},{"name":"LINEMEDIACONTROLDIGIT","features":[65]},{"name":"LINEMEDIACONTROLMEDIA","features":[65]},{"name":"LINEMEDIACONTROLTONE","features":[65]},{"name":"LINEMEDIACONTROL_NONE","features":[65]},{"name":"LINEMEDIACONTROL_PAUSE","features":[65]},{"name":"LINEMEDIACONTROL_RATEDOWN","features":[65]},{"name":"LINEMEDIACONTROL_RATENORMAL","features":[65]},{"name":"LINEMEDIACONTROL_RATEUP","features":[65]},{"name":"LINEMEDIACONTROL_RESET","features":[65]},{"name":"LINEMEDIACONTROL_RESUME","features":[65]},{"name":"LINEMEDIACONTROL_START","features":[65]},{"name":"LINEMEDIACONTROL_VOLUMEDOWN","features":[65]},{"name":"LINEMEDIACONTROL_VOLUMENORMAL","features":[65]},{"name":"LINEMEDIACONTROL_VOLUMEUP","features":[65]},{"name":"LINEMEDIAMODE_ADSI","features":[65]},{"name":"LINEMEDIAMODE_AUTOMATEDVOICE","features":[65]},{"name":"LINEMEDIAMODE_DATAMODEM","features":[65]},{"name":"LINEMEDIAMODE_DIGITALDATA","features":[65]},{"name":"LINEMEDIAMODE_G3FAX","features":[65]},{"name":"LINEMEDIAMODE_G4FAX","features":[65]},{"name":"LINEMEDIAMODE_INTERACTIVEVOICE","features":[65]},{"name":"LINEMEDIAMODE_MIXED","features":[65]},{"name":"LINEMEDIAMODE_TDD","features":[65]},{"name":"LINEMEDIAMODE_TELETEX","features":[65]},{"name":"LINEMEDIAMODE_TELEX","features":[65]},{"name":"LINEMEDIAMODE_UNKNOWN","features":[65]},{"name":"LINEMEDIAMODE_VIDEO","features":[65]},{"name":"LINEMEDIAMODE_VIDEOTEX","features":[65]},{"name":"LINEMEDIAMODE_VOICEVIEW","features":[65]},{"name":"LINEMESSAGE","features":[65]},{"name":"LINEMONITORTONE","features":[65]},{"name":"LINEOFFERINGMODE_ACTIVE","features":[65]},{"name":"LINEOFFERINGMODE_INACTIVE","features":[65]},{"name":"LINEOPENOPTION_PROXY","features":[65]},{"name":"LINEOPENOPTION_SINGLEADDRESS","features":[65]},{"name":"LINEPARKMODE_DIRECTED","features":[65]},{"name":"LINEPARKMODE_NONDIRECTED","features":[65]},{"name":"LINEPROVIDERENTRY","features":[65]},{"name":"LINEPROVIDERLIST","features":[65]},{"name":"LINEPROXYREQUEST","features":[65,41]},{"name":"LINEPROXYREQUESTLIST","features":[65]},{"name":"LINEPROXYREQUEST_AGENTSPECIFIC","features":[65]},{"name":"LINEPROXYREQUEST_CREATEAGENT","features":[65]},{"name":"LINEPROXYREQUEST_CREATEAGENTSESSION","features":[65]},{"name":"LINEPROXYREQUEST_GETAGENTACTIVITYLIST","features":[65]},{"name":"LINEPROXYREQUEST_GETAGENTCAPS","features":[65]},{"name":"LINEPROXYREQUEST_GETAGENTGROUPLIST","features":[65]},{"name":"LINEPROXYREQUEST_GETAGENTINFO","features":[65]},{"name":"LINEPROXYREQUEST_GETAGENTSESSIONINFO","features":[65]},{"name":"LINEPROXYREQUEST_GETAGENTSESSIONLIST","features":[65]},{"name":"LINEPROXYREQUEST_GETAGENTSTATUS","features":[65]},{"name":"LINEPROXYREQUEST_GETGROUPLIST","features":[65]},{"name":"LINEPROXYREQUEST_GETQUEUEINFO","features":[65]},{"name":"LINEPROXYREQUEST_GETQUEUELIST","features":[65]},{"name":"LINEPROXYREQUEST_SETAGENTACTIVITY","features":[65]},{"name":"LINEPROXYREQUEST_SETAGENTGROUP","features":[65]},{"name":"LINEPROXYREQUEST_SETAGENTMEASUREMENTPERIOD","features":[65]},{"name":"LINEPROXYREQUEST_SETAGENTSESSIONSTATE","features":[65]},{"name":"LINEPROXYREQUEST_SETAGENTSTATE","features":[65]},{"name":"LINEPROXYREQUEST_SETAGENTSTATEEX","features":[65]},{"name":"LINEPROXYREQUEST_SETQUEUEMEASUREMENTPERIOD","features":[65]},{"name":"LINEPROXYSTATUS_ALLOPENFORACD","features":[65]},{"name":"LINEPROXYSTATUS_CLOSE","features":[65]},{"name":"LINEPROXYSTATUS_OPEN","features":[65]},{"name":"LINEQOSREQUESTTYPE_SERVICELEVEL","features":[65]},{"name":"LINEQOSSERVICELEVEL_BESTEFFORT","features":[65]},{"name":"LINEQOSSERVICELEVEL_IFAVAILABLE","features":[65]},{"name":"LINEQOSSERVICELEVEL_NEEDED","features":[65]},{"name":"LINEQUEUEENTRY","features":[65]},{"name":"LINEQUEUEINFO","features":[65]},{"name":"LINEQUEUELIST","features":[65]},{"name":"LINEQUEUESTATUS_NEWQUEUE","features":[65]},{"name":"LINEQUEUESTATUS_QUEUEREMOVED","features":[65]},{"name":"LINEQUEUESTATUS_UPDATEINFO","features":[65]},{"name":"LINEREMOVEFROMCONF_ANY","features":[65]},{"name":"LINEREMOVEFROMCONF_LAST","features":[65]},{"name":"LINEREMOVEFROMCONF_NONE","features":[65]},{"name":"LINEREQMAKECALL","features":[65]},{"name":"LINEREQMAKECALLW","features":[65]},{"name":"LINEREQMEDIACALL","features":[65,1]},{"name":"LINEREQMEDIACALLW","features":[65,1]},{"name":"LINEREQUESTMODE_DROP","features":[65]},{"name":"LINEREQUESTMODE_MAKECALL","features":[65]},{"name":"LINEREQUESTMODE_MEDIACALL","features":[65]},{"name":"LINEROAMMODE_HOME","features":[65]},{"name":"LINEROAMMODE_ROAMA","features":[65]},{"name":"LINEROAMMODE_ROAMB","features":[65]},{"name":"LINEROAMMODE_UNAVAIL","features":[65]},{"name":"LINEROAMMODE_UNKNOWN","features":[65]},{"name":"LINESPECIALINFO_CUSTIRREG","features":[65]},{"name":"LINESPECIALINFO_NOCIRCUIT","features":[65]},{"name":"LINESPECIALINFO_REORDER","features":[65]},{"name":"LINESPECIALINFO_UNAVAIL","features":[65]},{"name":"LINESPECIALINFO_UNKNOWN","features":[65]},{"name":"LINETERMCAPS","features":[65]},{"name":"LINETERMDEV_HEADSET","features":[65]},{"name":"LINETERMDEV_PHONE","features":[65]},{"name":"LINETERMDEV_SPEAKER","features":[65]},{"name":"LINETERMMODE_BUTTONS","features":[65]},{"name":"LINETERMMODE_DISPLAY","features":[65]},{"name":"LINETERMMODE_HOOKSWITCH","features":[65]},{"name":"LINETERMMODE_LAMPS","features":[65]},{"name":"LINETERMMODE_MEDIABIDIRECT","features":[65]},{"name":"LINETERMMODE_MEDIAFROMLINE","features":[65]},{"name":"LINETERMMODE_MEDIATOLINE","features":[65]},{"name":"LINETERMMODE_RINGER","features":[65]},{"name":"LINETERMSHARING_PRIVATE","features":[65]},{"name":"LINETERMSHARING_SHAREDCONF","features":[65]},{"name":"LINETERMSHARING_SHAREDEXCL","features":[65]},{"name":"LINETOLLLISTOPTION_ADD","features":[65]},{"name":"LINETOLLLISTOPTION_REMOVE","features":[65]},{"name":"LINETONEMODE_BEEP","features":[65]},{"name":"LINETONEMODE_BILLING","features":[65]},{"name":"LINETONEMODE_BUSY","features":[65]},{"name":"LINETONEMODE_CUSTOM","features":[65]},{"name":"LINETONEMODE_RINGBACK","features":[65]},{"name":"LINETRANSFERMODE_CONFERENCE","features":[65]},{"name":"LINETRANSFERMODE_TRANSFER","features":[65]},{"name":"LINETRANSLATECAPS","features":[65]},{"name":"LINETRANSLATEOPTION_CANCELCALLWAITING","features":[65]},{"name":"LINETRANSLATEOPTION_CARDOVERRIDE","features":[65]},{"name":"LINETRANSLATEOPTION_FORCELD","features":[65]},{"name":"LINETRANSLATEOPTION_FORCELOCAL","features":[65]},{"name":"LINETRANSLATEOUTPUT","features":[65]},{"name":"LINETRANSLATERESULT_CANONICAL","features":[65]},{"name":"LINETRANSLATERESULT_DIALBILLING","features":[65]},{"name":"LINETRANSLATERESULT_DIALDIALTONE","features":[65]},{"name":"LINETRANSLATERESULT_DIALPROMPT","features":[65]},{"name":"LINETRANSLATERESULT_DIALQUIET","features":[65]},{"name":"LINETRANSLATERESULT_INTERNATIONAL","features":[65]},{"name":"LINETRANSLATERESULT_INTOLLLIST","features":[65]},{"name":"LINETRANSLATERESULT_LOCAL","features":[65]},{"name":"LINETRANSLATERESULT_LONGDISTANCE","features":[65]},{"name":"LINETRANSLATERESULT_NOTINTOLLLIST","features":[65]},{"name":"LINETRANSLATERESULT_NOTRANSLATION","features":[65]},{"name":"LINETRANSLATERESULT_VOICEDETECT","features":[65]},{"name":"LINETSPIOPTION_NONREENTRANT","features":[65]},{"name":"LINE_ADDRESSSTATE","features":[65]},{"name":"LINE_AGENTSESSIONSTATUS","features":[65]},{"name":"LINE_AGENTSPECIFIC","features":[65]},{"name":"LINE_AGENTSTATUS","features":[65]},{"name":"LINE_AGENTSTATUSEX","features":[65]},{"name":"LINE_APPNEWCALL","features":[65]},{"name":"LINE_APPNEWCALLHUB","features":[65]},{"name":"LINE_CALLHUBCLOSE","features":[65]},{"name":"LINE_CALLINFO","features":[65]},{"name":"LINE_CALLSTATE","features":[65]},{"name":"LINE_CLOSE","features":[65]},{"name":"LINE_CREATE","features":[65]},{"name":"LINE_DEVSPECIFIC","features":[65]},{"name":"LINE_DEVSPECIFICEX","features":[65]},{"name":"LINE_DEVSPECIFICFEATURE","features":[65]},{"name":"LINE_GATHERDIGITS","features":[65]},{"name":"LINE_GENERATE","features":[65]},{"name":"LINE_GROUPSTATUS","features":[65]},{"name":"LINE_LINEDEVSTATE","features":[65]},{"name":"LINE_MONITORDIGITS","features":[65]},{"name":"LINE_MONITORMEDIA","features":[65]},{"name":"LINE_MONITORTONE","features":[65]},{"name":"LINE_PROXYREQUEST","features":[65]},{"name":"LINE_PROXYSTATUS","features":[65]},{"name":"LINE_QUEUESTATUS","features":[65]},{"name":"LINE_REMOVE","features":[65]},{"name":"LINE_REPLY","features":[65]},{"name":"LINE_REQUEST","features":[65]},{"name":"LM_BROKENFLUTTER","features":[65]},{"name":"LM_DUMMY","features":[65]},{"name":"LM_FLASH","features":[65]},{"name":"LM_FLUTTER","features":[65]},{"name":"LM_OFF","features":[65]},{"name":"LM_STEADY","features":[65]},{"name":"LM_UNKNOWN","features":[65]},{"name":"LM_WINK","features":[65]},{"name":"LPGETTNEFSTREAMCODEPAGE","features":[65]},{"name":"LPOPENTNEFSTREAM","features":[65]},{"name":"LPOPENTNEFSTREAMEX","features":[65]},{"name":"ME_ADDRESS_EVENT","features":[65]},{"name":"ME_ASR_TERMINAL_EVENT","features":[65]},{"name":"ME_CALL_EVENT","features":[65]},{"name":"ME_FILE_TERMINAL_EVENT","features":[65]},{"name":"ME_PRIVATE_EVENT","features":[65]},{"name":"ME_TONE_TERMINAL_EVENT","features":[65]},{"name":"ME_TSP_DATA","features":[65]},{"name":"ME_TTS_TERMINAL_EVENT","features":[65]},{"name":"MSP_ADDRESS_EVENT","features":[65]},{"name":"MSP_CALL_EVENT","features":[65]},{"name":"MSP_CALL_EVENT_CAUSE","features":[65]},{"name":"MSP_EVENT","features":[65]},{"name":"MSP_EVENT_INFO","features":[65]},{"name":"McastAddressAllocation","features":[65]},{"name":"NSID","features":[65]},{"name":"OPENTNEFSTREAM","features":[65]},{"name":"OPENTNEFSTREAMEX","features":[65]},{"name":"OT_CONFERENCE","features":[65]},{"name":"OT_USER","features":[65]},{"name":"OpenTnefStream","features":[65]},{"name":"OpenTnefStreamEx","features":[65]},{"name":"PBF_ABBREVDIAL","features":[65]},{"name":"PBF_BRIDGEDAPP","features":[65]},{"name":"PBF_BUSY","features":[65]},{"name":"PBF_CALLAPP","features":[65]},{"name":"PBF_CALLID","features":[65]},{"name":"PBF_CAMPON","features":[65]},{"name":"PBF_CONFERENCE","features":[65]},{"name":"PBF_CONNECT","features":[65]},{"name":"PBF_COVER","features":[65]},{"name":"PBF_DATAOFF","features":[65]},{"name":"PBF_DATAON","features":[65]},{"name":"PBF_DATETIME","features":[65]},{"name":"PBF_DIRECTORY","features":[65]},{"name":"PBF_DISCONNECT","features":[65]},{"name":"PBF_DONOTDISTURB","features":[65]},{"name":"PBF_DROP","features":[65]},{"name":"PBF_FLASH","features":[65]},{"name":"PBF_FORWARD","features":[65]},{"name":"PBF_HOLD","features":[65]},{"name":"PBF_INTERCOM","features":[65]},{"name":"PBF_LASTNUM","features":[65]},{"name":"PBF_MSGINDICATOR","features":[65]},{"name":"PBF_MSGWAITOFF","features":[65]},{"name":"PBF_MSGWAITON","features":[65]},{"name":"PBF_MUTE","features":[65]},{"name":"PBF_NIGHTSRV","features":[65]},{"name":"PBF_NONE","features":[65]},{"name":"PBF_PARK","features":[65]},{"name":"PBF_PICKUP","features":[65]},{"name":"PBF_QUEUECALL","features":[65]},{"name":"PBF_RECALL","features":[65]},{"name":"PBF_REDIRECT","features":[65]},{"name":"PBF_REJECT","features":[65]},{"name":"PBF_REPDIAL","features":[65]},{"name":"PBF_RINGAGAIN","features":[65]},{"name":"PBF_SAVEREPEAT","features":[65]},{"name":"PBF_SELECTRING","features":[65]},{"name":"PBF_SEND","features":[65]},{"name":"PBF_SENDCALLS","features":[65]},{"name":"PBF_SETREPDIAL","features":[65]},{"name":"PBF_SPEAKEROFF","features":[65]},{"name":"PBF_SPEAKERON","features":[65]},{"name":"PBF_STATIONSPEED","features":[65]},{"name":"PBF_SYSTEMSPEED","features":[65]},{"name":"PBF_TRANSFER","features":[65]},{"name":"PBF_UNKNOWN","features":[65]},{"name":"PBF_VOLUMEDOWN","features":[65]},{"name":"PBF_VOLUMEUP","features":[65]},{"name":"PBM_CALL","features":[65]},{"name":"PBM_DISPLAY","features":[65]},{"name":"PBM_DUMMY","features":[65]},{"name":"PBM_FEATURE","features":[65]},{"name":"PBM_KEYPAD","features":[65]},{"name":"PBM_LOCAL","features":[65]},{"name":"PBS_DOWN","features":[65]},{"name":"PBS_UNAVAIL","features":[65]},{"name":"PBS_UNKNOWN","features":[65]},{"name":"PBS_UP","features":[65]},{"name":"PCB_DEVSPECIFICBUFFER","features":[65]},{"name":"PCL_DISPLAYNUMCOLUMNS","features":[65]},{"name":"PCL_DISPLAYNUMROWS","features":[65]},{"name":"PCL_GENERICPHONE","features":[65]},{"name":"PCL_HANDSETHOOKSWITCHMODES","features":[65]},{"name":"PCL_HEADSETHOOKSWITCHMODES","features":[65]},{"name":"PCL_HOOKSWITCHES","features":[65]},{"name":"PCL_NUMBUTTONLAMPS","features":[65]},{"name":"PCL_NUMRINGMODES","features":[65]},{"name":"PCL_SPEAKERPHONEHOOKSWITCHMODES","features":[65]},{"name":"PCS_PHONEINFO","features":[65]},{"name":"PCS_PHONENAME","features":[65]},{"name":"PCS_PROVIDERINFO","features":[65]},{"name":"PE_ANSWER","features":[65]},{"name":"PE_BUTTON","features":[65]},{"name":"PE_CAPSCHANGE","features":[65]},{"name":"PE_CLOSE","features":[65]},{"name":"PE_DIALING","features":[65]},{"name":"PE_DISCONNECT","features":[65]},{"name":"PE_DISPLAY","features":[65]},{"name":"PE_HOOKSWITCH","features":[65]},{"name":"PE_LAMPMODE","features":[65]},{"name":"PE_LASTITEM","features":[65]},{"name":"PE_NUMBERGATHERED","features":[65]},{"name":"PE_RINGMODE","features":[65]},{"name":"PE_RINGVOLUME","features":[65]},{"name":"PHONEBUTTONFUNCTION_ABBREVDIAL","features":[65]},{"name":"PHONEBUTTONFUNCTION_BRIDGEDAPP","features":[65]},{"name":"PHONEBUTTONFUNCTION_BUSY","features":[65]},{"name":"PHONEBUTTONFUNCTION_CALLAPP","features":[65]},{"name":"PHONEBUTTONFUNCTION_CALLID","features":[65]},{"name":"PHONEBUTTONFUNCTION_CAMPON","features":[65]},{"name":"PHONEBUTTONFUNCTION_CONFERENCE","features":[65]},{"name":"PHONEBUTTONFUNCTION_CONNECT","features":[65]},{"name":"PHONEBUTTONFUNCTION_COVER","features":[65]},{"name":"PHONEBUTTONFUNCTION_DATAOFF","features":[65]},{"name":"PHONEBUTTONFUNCTION_DATAON","features":[65]},{"name":"PHONEBUTTONFUNCTION_DATETIME","features":[65]},{"name":"PHONEBUTTONFUNCTION_DIRECTORY","features":[65]},{"name":"PHONEBUTTONFUNCTION_DISCONNECT","features":[65]},{"name":"PHONEBUTTONFUNCTION_DONOTDISTURB","features":[65]},{"name":"PHONEBUTTONFUNCTION_DROP","features":[65]},{"name":"PHONEBUTTONFUNCTION_FLASH","features":[65]},{"name":"PHONEBUTTONFUNCTION_FORWARD","features":[65]},{"name":"PHONEBUTTONFUNCTION_HOLD","features":[65]},{"name":"PHONEBUTTONFUNCTION_INTERCOM","features":[65]},{"name":"PHONEBUTTONFUNCTION_LASTNUM","features":[65]},{"name":"PHONEBUTTONFUNCTION_MSGINDICATOR","features":[65]},{"name":"PHONEBUTTONFUNCTION_MSGWAITOFF","features":[65]},{"name":"PHONEBUTTONFUNCTION_MSGWAITON","features":[65]},{"name":"PHONEBUTTONFUNCTION_MUTE","features":[65]},{"name":"PHONEBUTTONFUNCTION_NIGHTSRV","features":[65]},{"name":"PHONEBUTTONFUNCTION_NONE","features":[65]},{"name":"PHONEBUTTONFUNCTION_PARK","features":[65]},{"name":"PHONEBUTTONFUNCTION_PICKUP","features":[65]},{"name":"PHONEBUTTONFUNCTION_QUEUECALL","features":[65]},{"name":"PHONEBUTTONFUNCTION_RECALL","features":[65]},{"name":"PHONEBUTTONFUNCTION_REDIRECT","features":[65]},{"name":"PHONEBUTTONFUNCTION_REJECT","features":[65]},{"name":"PHONEBUTTONFUNCTION_REPDIAL","features":[65]},{"name":"PHONEBUTTONFUNCTION_RINGAGAIN","features":[65]},{"name":"PHONEBUTTONFUNCTION_SAVEREPEAT","features":[65]},{"name":"PHONEBUTTONFUNCTION_SELECTRING","features":[65]},{"name":"PHONEBUTTONFUNCTION_SEND","features":[65]},{"name":"PHONEBUTTONFUNCTION_SENDCALLS","features":[65]},{"name":"PHONEBUTTONFUNCTION_SETREPDIAL","features":[65]},{"name":"PHONEBUTTONFUNCTION_SPEAKEROFF","features":[65]},{"name":"PHONEBUTTONFUNCTION_SPEAKERON","features":[65]},{"name":"PHONEBUTTONFUNCTION_STATIONSPEED","features":[65]},{"name":"PHONEBUTTONFUNCTION_SYSTEMSPEED","features":[65]},{"name":"PHONEBUTTONFUNCTION_TRANSFER","features":[65]},{"name":"PHONEBUTTONFUNCTION_UNKNOWN","features":[65]},{"name":"PHONEBUTTONFUNCTION_VOLUMEDOWN","features":[65]},{"name":"PHONEBUTTONFUNCTION_VOLUMEUP","features":[65]},{"name":"PHONEBUTTONINFO","features":[65]},{"name":"PHONEBUTTONMODE_CALL","features":[65]},{"name":"PHONEBUTTONMODE_DISPLAY","features":[65]},{"name":"PHONEBUTTONMODE_DUMMY","features":[65]},{"name":"PHONEBUTTONMODE_FEATURE","features":[65]},{"name":"PHONEBUTTONMODE_KEYPAD","features":[65]},{"name":"PHONEBUTTONMODE_LOCAL","features":[65]},{"name":"PHONEBUTTONSTATE_DOWN","features":[65]},{"name":"PHONEBUTTONSTATE_UNAVAIL","features":[65]},{"name":"PHONEBUTTONSTATE_UNKNOWN","features":[65]},{"name":"PHONEBUTTONSTATE_UP","features":[65]},{"name":"PHONECALLBACK","features":[65]},{"name":"PHONECAPS","features":[65]},{"name":"PHONECAPS_BUFFER","features":[65]},{"name":"PHONECAPS_LONG","features":[65]},{"name":"PHONECAPS_STRING","features":[65]},{"name":"PHONEERR_ALLOCATED","features":[65]},{"name":"PHONEERR_BADDEVICEID","features":[65]},{"name":"PHONEERR_DISCONNECTED","features":[65]},{"name":"PHONEERR_INCOMPATIBLEAPIVERSION","features":[65]},{"name":"PHONEERR_INCOMPATIBLEEXTVERSION","features":[65]},{"name":"PHONEERR_INIFILECORRUPT","features":[65]},{"name":"PHONEERR_INUSE","features":[65]},{"name":"PHONEERR_INVALAPPHANDLE","features":[65]},{"name":"PHONEERR_INVALAPPNAME","features":[65]},{"name":"PHONEERR_INVALBUTTONLAMPID","features":[65]},{"name":"PHONEERR_INVALBUTTONMODE","features":[65]},{"name":"PHONEERR_INVALBUTTONSTATE","features":[65]},{"name":"PHONEERR_INVALDATAID","features":[65]},{"name":"PHONEERR_INVALDEVICECLASS","features":[65]},{"name":"PHONEERR_INVALEXTVERSION","features":[65]},{"name":"PHONEERR_INVALHOOKSWITCHDEV","features":[65]},{"name":"PHONEERR_INVALHOOKSWITCHMODE","features":[65]},{"name":"PHONEERR_INVALLAMPMODE","features":[65]},{"name":"PHONEERR_INVALPARAM","features":[65]},{"name":"PHONEERR_INVALPHONEHANDLE","features":[65]},{"name":"PHONEERR_INVALPHONESTATE","features":[65]},{"name":"PHONEERR_INVALPOINTER","features":[65]},{"name":"PHONEERR_INVALPRIVILEGE","features":[65]},{"name":"PHONEERR_INVALRINGMODE","features":[65]},{"name":"PHONEERR_NODEVICE","features":[65]},{"name":"PHONEERR_NODRIVER","features":[65]},{"name":"PHONEERR_NOMEM","features":[65]},{"name":"PHONEERR_NOTOWNER","features":[65]},{"name":"PHONEERR_OPERATIONFAILED","features":[65]},{"name":"PHONEERR_OPERATIONUNAVAIL","features":[65]},{"name":"PHONEERR_REINIT","features":[65]},{"name":"PHONEERR_REQUESTOVERRUN","features":[65]},{"name":"PHONEERR_RESOURCEUNAVAIL","features":[65]},{"name":"PHONEERR_SERVICE_NOT_RUNNING","features":[65]},{"name":"PHONEERR_STRUCTURETOOSMALL","features":[65]},{"name":"PHONEERR_UNINITIALIZED","features":[65]},{"name":"PHONEEVENT","features":[65]},{"name":"PHONEEXTENSIONID","features":[65]},{"name":"PHONEFEATURE_GENERICPHONE","features":[65]},{"name":"PHONEFEATURE_GETBUTTONINFO","features":[65]},{"name":"PHONEFEATURE_GETDATA","features":[65]},{"name":"PHONEFEATURE_GETDISPLAY","features":[65]},{"name":"PHONEFEATURE_GETGAINHANDSET","features":[65]},{"name":"PHONEFEATURE_GETGAINHEADSET","features":[65]},{"name":"PHONEFEATURE_GETGAINSPEAKER","features":[65]},{"name":"PHONEFEATURE_GETHOOKSWITCHHANDSET","features":[65]},{"name":"PHONEFEATURE_GETHOOKSWITCHHEADSET","features":[65]},{"name":"PHONEFEATURE_GETHOOKSWITCHSPEAKER","features":[65]},{"name":"PHONEFEATURE_GETLAMP","features":[65]},{"name":"PHONEFEATURE_GETRING","features":[65]},{"name":"PHONEFEATURE_GETVOLUMEHANDSET","features":[65]},{"name":"PHONEFEATURE_GETVOLUMEHEADSET","features":[65]},{"name":"PHONEFEATURE_GETVOLUMESPEAKER","features":[65]},{"name":"PHONEFEATURE_SETBUTTONINFO","features":[65]},{"name":"PHONEFEATURE_SETDATA","features":[65]},{"name":"PHONEFEATURE_SETDISPLAY","features":[65]},{"name":"PHONEFEATURE_SETGAINHANDSET","features":[65]},{"name":"PHONEFEATURE_SETGAINHEADSET","features":[65]},{"name":"PHONEFEATURE_SETGAINSPEAKER","features":[65]},{"name":"PHONEFEATURE_SETHOOKSWITCHHANDSET","features":[65]},{"name":"PHONEFEATURE_SETHOOKSWITCHHEADSET","features":[65]},{"name":"PHONEFEATURE_SETHOOKSWITCHSPEAKER","features":[65]},{"name":"PHONEFEATURE_SETLAMP","features":[65]},{"name":"PHONEFEATURE_SETRING","features":[65]},{"name":"PHONEFEATURE_SETVOLUMEHANDSET","features":[65]},{"name":"PHONEFEATURE_SETVOLUMEHEADSET","features":[65]},{"name":"PHONEFEATURE_SETVOLUMESPEAKER","features":[65]},{"name":"PHONEHOOKSWITCHDEV_HANDSET","features":[65]},{"name":"PHONEHOOKSWITCHDEV_HEADSET","features":[65]},{"name":"PHONEHOOKSWITCHDEV_SPEAKER","features":[65]},{"name":"PHONEHOOKSWITCHMODE_MIC","features":[65]},{"name":"PHONEHOOKSWITCHMODE_MICSPEAKER","features":[65]},{"name":"PHONEHOOKSWITCHMODE_ONHOOK","features":[65]},{"name":"PHONEHOOKSWITCHMODE_SPEAKER","features":[65]},{"name":"PHONEHOOKSWITCHMODE_UNKNOWN","features":[65]},{"name":"PHONEINITIALIZEEXOPTION_USECOMPLETIONPORT","features":[65]},{"name":"PHONEINITIALIZEEXOPTION_USEEVENT","features":[65]},{"name":"PHONEINITIALIZEEXOPTION_USEHIDDENWINDOW","features":[65]},{"name":"PHONEINITIALIZEEXPARAMS","features":[65,1]},{"name":"PHONELAMPMODE_BROKENFLUTTER","features":[65]},{"name":"PHONELAMPMODE_DUMMY","features":[65]},{"name":"PHONELAMPMODE_FLASH","features":[65]},{"name":"PHONELAMPMODE_FLUTTER","features":[65]},{"name":"PHONELAMPMODE_OFF","features":[65]},{"name":"PHONELAMPMODE_STEADY","features":[65]},{"name":"PHONELAMPMODE_UNKNOWN","features":[65]},{"name":"PHONELAMPMODE_WINK","features":[65]},{"name":"PHONEMESSAGE","features":[65]},{"name":"PHONEPRIVILEGE_MONITOR","features":[65]},{"name":"PHONEPRIVILEGE_OWNER","features":[65]},{"name":"PHONESTATE_CAPSCHANGE","features":[65]},{"name":"PHONESTATE_CONNECTED","features":[65]},{"name":"PHONESTATE_DEVSPECIFIC","features":[65]},{"name":"PHONESTATE_DISCONNECTED","features":[65]},{"name":"PHONESTATE_DISPLAY","features":[65]},{"name":"PHONESTATE_HANDSETGAIN","features":[65]},{"name":"PHONESTATE_HANDSETHOOKSWITCH","features":[65]},{"name":"PHONESTATE_HANDSETVOLUME","features":[65]},{"name":"PHONESTATE_HEADSETGAIN","features":[65]},{"name":"PHONESTATE_HEADSETHOOKSWITCH","features":[65]},{"name":"PHONESTATE_HEADSETVOLUME","features":[65]},{"name":"PHONESTATE_LAMP","features":[65]},{"name":"PHONESTATE_MONITORS","features":[65]},{"name":"PHONESTATE_OTHER","features":[65]},{"name":"PHONESTATE_OWNER","features":[65]},{"name":"PHONESTATE_REINIT","features":[65]},{"name":"PHONESTATE_REMOVED","features":[65]},{"name":"PHONESTATE_RESUME","features":[65]},{"name":"PHONESTATE_RINGMODE","features":[65]},{"name":"PHONESTATE_RINGVOLUME","features":[65]},{"name":"PHONESTATE_SPEAKERGAIN","features":[65]},{"name":"PHONESTATE_SPEAKERHOOKSWITCH","features":[65]},{"name":"PHONESTATE_SPEAKERVOLUME","features":[65]},{"name":"PHONESTATE_SUSPEND","features":[65]},{"name":"PHONESTATUS","features":[65]},{"name":"PHONESTATUSFLAGS_CONNECTED","features":[65]},{"name":"PHONESTATUSFLAGS_SUSPENDED","features":[65]},{"name":"PHONE_BUTTON","features":[65]},{"name":"PHONE_BUTTON_FUNCTION","features":[65]},{"name":"PHONE_BUTTON_MODE","features":[65]},{"name":"PHONE_BUTTON_STATE","features":[65]},{"name":"PHONE_CLOSE","features":[65]},{"name":"PHONE_CREATE","features":[65]},{"name":"PHONE_DEVSPECIFIC","features":[65]},{"name":"PHONE_EVENT","features":[65]},{"name":"PHONE_HOOK_SWITCH_DEVICE","features":[65]},{"name":"PHONE_HOOK_SWITCH_STATE","features":[65]},{"name":"PHONE_LAMP_MODE","features":[65]},{"name":"PHONE_PRIVILEGE","features":[65]},{"name":"PHONE_REMOVE","features":[65]},{"name":"PHONE_REPLY","features":[65]},{"name":"PHONE_STATE","features":[65]},{"name":"PHONE_TONE","features":[65]},{"name":"PHSD_HANDSET","features":[65]},{"name":"PHSD_HEADSET","features":[65]},{"name":"PHSD_SPEAKERPHONE","features":[65]},{"name":"PHSS_OFFHOOK","features":[65]},{"name":"PHSS_OFFHOOK_MIC_ONLY","features":[65]},{"name":"PHSS_OFFHOOK_SPEAKER_ONLY","features":[65]},{"name":"PHSS_ONHOOK","features":[65]},{"name":"PP_MONITOR","features":[65]},{"name":"PP_OWNER","features":[65]},{"name":"PRIVATEOBJECT_ADDRESS","features":[65]},{"name":"PRIVATEOBJECT_CALL","features":[65]},{"name":"PRIVATEOBJECT_CALLID","features":[65]},{"name":"PRIVATEOBJECT_LINE","features":[65]},{"name":"PRIVATEOBJECT_NONE","features":[65]},{"name":"PRIVATEOBJECT_PHONE","features":[65]},{"name":"PT_BUSY","features":[65]},{"name":"PT_ERRORTONE","features":[65]},{"name":"PT_EXTERNALDIALTONE","features":[65]},{"name":"PT_KEYPADA","features":[65]},{"name":"PT_KEYPADB","features":[65]},{"name":"PT_KEYPADC","features":[65]},{"name":"PT_KEYPADD","features":[65]},{"name":"PT_KEYPADEIGHT","features":[65]},{"name":"PT_KEYPADFIVE","features":[65]},{"name":"PT_KEYPADFOUR","features":[65]},{"name":"PT_KEYPADNINE","features":[65]},{"name":"PT_KEYPADONE","features":[65]},{"name":"PT_KEYPADPOUND","features":[65]},{"name":"PT_KEYPADSEVEN","features":[65]},{"name":"PT_KEYPADSIX","features":[65]},{"name":"PT_KEYPADSTAR","features":[65]},{"name":"PT_KEYPADTHREE","features":[65]},{"name":"PT_KEYPADTWO","features":[65]},{"name":"PT_KEYPADZERO","features":[65]},{"name":"PT_NORMALDIALTONE","features":[65]},{"name":"PT_RINGBACK","features":[65]},{"name":"PT_SILENCE","features":[65]},{"name":"QE_ADMISSIONFAILURE","features":[65]},{"name":"QE_GENERICERROR","features":[65]},{"name":"QE_LASTITEM","features":[65]},{"name":"QE_NOQOS","features":[65]},{"name":"QE_POLICYFAILURE","features":[65]},{"name":"QOS_EVENT","features":[65]},{"name":"QOS_SERVICE_LEVEL","features":[65]},{"name":"QSL_BEST_EFFORT","features":[65]},{"name":"QSL_IF_AVAILABLE","features":[65]},{"name":"QSL_NEEDED","features":[65]},{"name":"RAS_LOCAL","features":[65]},{"name":"RAS_REGION","features":[65]},{"name":"RAS_SITE","features":[65]},{"name":"RAS_WORLD","features":[65]},{"name":"RENDBIND_AUTHENTICATE","features":[65]},{"name":"RENDBIND_DEFAULTCREDENTIALS","features":[65]},{"name":"RENDBIND_DEFAULTDOMAINNAME","features":[65]},{"name":"RENDBIND_DEFAULTPASSWORD","features":[65]},{"name":"RENDBIND_DEFAULTUSERNAME","features":[65]},{"name":"RENDDATA","features":[65]},{"name":"RND_ADVERTISING_SCOPE","features":[65]},{"name":"Rendezvous","features":[65]},{"name":"RequestMakeCall","features":[65]},{"name":"STRINGFORMAT_ASCII","features":[65]},{"name":"STRINGFORMAT_BINARY","features":[65]},{"name":"STRINGFORMAT_DBCS","features":[65]},{"name":"STRINGFORMAT_UNICODE","features":[65]},{"name":"STRM_CONFIGURED","features":[65]},{"name":"STRM_INITIAL","features":[65]},{"name":"STRM_PAUSED","features":[65]},{"name":"STRM_RUNNING","features":[65]},{"name":"STRM_STOPPED","features":[65]},{"name":"STRM_TERMINALSELECTED","features":[65]},{"name":"STnefProblem","features":[65]},{"name":"STnefProblemArray","features":[65]},{"name":"TAPI","features":[65]},{"name":"TAPIERR_CONNECTED","features":[65]},{"name":"TAPIERR_DESTBUSY","features":[65]},{"name":"TAPIERR_DESTNOANSWER","features":[65]},{"name":"TAPIERR_DESTUNAVAIL","features":[65]},{"name":"TAPIERR_DEVICECLASSUNAVAIL","features":[65]},{"name":"TAPIERR_DEVICEIDUNAVAIL","features":[65]},{"name":"TAPIERR_DEVICEINUSE","features":[65]},{"name":"TAPIERR_DROPPED","features":[65]},{"name":"TAPIERR_INVALDESTADDRESS","features":[65]},{"name":"TAPIERR_INVALDEVICECLASS","features":[65]},{"name":"TAPIERR_INVALDEVICEID","features":[65]},{"name":"TAPIERR_INVALPOINTER","features":[65]},{"name":"TAPIERR_INVALWINDOWHANDLE","features":[65]},{"name":"TAPIERR_MMCWRITELOCKED","features":[65]},{"name":"TAPIERR_NOREQUESTRECIPIENT","features":[65]},{"name":"TAPIERR_NOTADMIN","features":[65]},{"name":"TAPIERR_PROVIDERALREADYINSTALLED","features":[65]},{"name":"TAPIERR_REQUESTCANCELLED","features":[65]},{"name":"TAPIERR_REQUESTFAILED","features":[65]},{"name":"TAPIERR_REQUESTQUEUEFULL","features":[65]},{"name":"TAPIERR_SCP_ALREADY_EXISTS","features":[65]},{"name":"TAPIERR_SCP_DOES_NOT_EXIST","features":[65]},{"name":"TAPIERR_UNKNOWNREQUESTID","features":[65]},{"name":"TAPIERR_UNKNOWNWINHANDLE","features":[65]},{"name":"TAPIMAXAPPNAMESIZE","features":[65]},{"name":"TAPIMAXCALLEDPARTYSIZE","features":[65]},{"name":"TAPIMAXCOMMENTSIZE","features":[65]},{"name":"TAPIMAXDESTADDRESSSIZE","features":[65]},{"name":"TAPIMAXDEVICECLASSSIZE","features":[65]},{"name":"TAPIMAXDEVICEIDSIZE","features":[65]},{"name":"TAPIMEDIATYPE_AUDIO","features":[65]},{"name":"TAPIMEDIATYPE_DATAMODEM","features":[65]},{"name":"TAPIMEDIATYPE_G3FAX","features":[65]},{"name":"TAPIMEDIATYPE_MULTITRACK","features":[65]},{"name":"TAPIMEDIATYPE_VIDEO","features":[65]},{"name":"TAPIOBJECT_EVENT","features":[65]},{"name":"TAPI_CURRENT_VERSION","features":[65]},{"name":"TAPI_CUSTOMTONE","features":[65]},{"name":"TAPI_DETECTTONE","features":[65]},{"name":"TAPI_EVENT","features":[65]},{"name":"TAPI_E_ADDRESSBLOCKED","features":[65]},{"name":"TAPI_E_ALLOCATED","features":[65]},{"name":"TAPI_E_BILLINGREJECTED","features":[65]},{"name":"TAPI_E_CALLCENTER_GROUP_REMOVED","features":[65]},{"name":"TAPI_E_CALLCENTER_INVALAGENTACTIVITY","features":[65]},{"name":"TAPI_E_CALLCENTER_INVALAGENTGROUP","features":[65]},{"name":"TAPI_E_CALLCENTER_INVALAGENTID","features":[65]},{"name":"TAPI_E_CALLCENTER_INVALAGENTSTATE","features":[65]},{"name":"TAPI_E_CALLCENTER_INVALPASSWORD","features":[65]},{"name":"TAPI_E_CALLCENTER_NO_AGENT_ID","features":[65]},{"name":"TAPI_E_CALLCENTER_QUEUE_REMOVED","features":[65]},{"name":"TAPI_E_CALLNOTSELECTED","features":[65]},{"name":"TAPI_E_CALLUNAVAIL","features":[65]},{"name":"TAPI_E_COMPLETIONOVERRUN","features":[65]},{"name":"TAPI_E_CONFERENCEFULL","features":[65]},{"name":"TAPI_E_DESTBUSY","features":[65]},{"name":"TAPI_E_DESTNOANSWER","features":[65]},{"name":"TAPI_E_DESTUNAVAIL","features":[65]},{"name":"TAPI_E_DIALMODIFIERNOTSUPPORTED","features":[65]},{"name":"TAPI_E_DROPPED","features":[65]},{"name":"TAPI_E_INUSE","features":[65]},{"name":"TAPI_E_INVALADDRESS","features":[65]},{"name":"TAPI_E_INVALADDRESSSTATE","features":[65]},{"name":"TAPI_E_INVALADDRESSTYPE","features":[65]},{"name":"TAPI_E_INVALBUTTONLAMPID","features":[65]},{"name":"TAPI_E_INVALBUTTONSTATE","features":[65]},{"name":"TAPI_E_INVALCALLPARAMS","features":[65]},{"name":"TAPI_E_INVALCALLPRIVILEGE","features":[65]},{"name":"TAPI_E_INVALCALLSTATE","features":[65]},{"name":"TAPI_E_INVALCARD","features":[65]},{"name":"TAPI_E_INVALCOMPLETIONID","features":[65]},{"name":"TAPI_E_INVALCOUNTRYCODE","features":[65]},{"name":"TAPI_E_INVALDATAID","features":[65]},{"name":"TAPI_E_INVALDEVICECLASS","features":[65]},{"name":"TAPI_E_INVALDIALPARAMS","features":[65]},{"name":"TAPI_E_INVALDIGITS","features":[65]},{"name":"TAPI_E_INVALFEATURE","features":[65]},{"name":"TAPI_E_INVALGROUPID","features":[65]},{"name":"TAPI_E_INVALHOOKSWITCHDEV","features":[65]},{"name":"TAPI_E_INVALIDDIRECTION","features":[65]},{"name":"TAPI_E_INVALIDMEDIATYPE","features":[65]},{"name":"TAPI_E_INVALIDSTREAM","features":[65]},{"name":"TAPI_E_INVALIDSTREAMSTATE","features":[65]},{"name":"TAPI_E_INVALIDTERMINAL","features":[65]},{"name":"TAPI_E_INVALIDTERMINALCLASS","features":[65]},{"name":"TAPI_E_INVALLIST","features":[65]},{"name":"TAPI_E_INVALLOCATION","features":[65]},{"name":"TAPI_E_INVALMESSAGEID","features":[65]},{"name":"TAPI_E_INVALMODE","features":[65]},{"name":"TAPI_E_INVALPARKID","features":[65]},{"name":"TAPI_E_INVALPRIVILEGE","features":[65]},{"name":"TAPI_E_INVALRATE","features":[65]},{"name":"TAPI_E_INVALTIMEOUT","features":[65]},{"name":"TAPI_E_INVALTONE","features":[65]},{"name":"TAPI_E_MAXSTREAMS","features":[65]},{"name":"TAPI_E_MAXTERMINALS","features":[65]},{"name":"TAPI_E_NOCONFERENCE","features":[65]},{"name":"TAPI_E_NODEVICE","features":[65]},{"name":"TAPI_E_NODRIVER","features":[65]},{"name":"TAPI_E_NOEVENT","features":[65]},{"name":"TAPI_E_NOFORMAT","features":[65]},{"name":"TAPI_E_NOITEMS","features":[65]},{"name":"TAPI_E_NOREQUEST","features":[65]},{"name":"TAPI_E_NOREQUESTRECIPIENT","features":[65]},{"name":"TAPI_E_NOTENOUGHMEMORY","features":[65]},{"name":"TAPI_E_NOTERMINALSELECTED","features":[65]},{"name":"TAPI_E_NOTOWNER","features":[65]},{"name":"TAPI_E_NOTREGISTERED","features":[65]},{"name":"TAPI_E_NOTSTOPPED","features":[65]},{"name":"TAPI_E_NOTSUPPORTED","features":[65]},{"name":"TAPI_E_NOT_INITIALIZED","features":[65]},{"name":"TAPI_E_OPERATIONFAILED","features":[65]},{"name":"TAPI_E_PEER_NOT_SET","features":[65]},{"name":"TAPI_E_PHONENOTOPEN","features":[65]},{"name":"TAPI_E_REGISTRY_SETTING_CORRUPT","features":[65]},{"name":"TAPI_E_REINIT","features":[65]},{"name":"TAPI_E_REQUESTCANCELLED","features":[65]},{"name":"TAPI_E_REQUESTFAILED","features":[65]},{"name":"TAPI_E_REQUESTOVERRUN","features":[65]},{"name":"TAPI_E_REQUESTQUEUEFULL","features":[65]},{"name":"TAPI_E_RESOURCEUNAVAIL","features":[65]},{"name":"TAPI_E_SERVICE_NOT_RUNNING","features":[65]},{"name":"TAPI_E_TARGETNOTFOUND","features":[65]},{"name":"TAPI_E_TARGETSELF","features":[65]},{"name":"TAPI_E_TERMINALINUSE","features":[65]},{"name":"TAPI_E_TERMINAL_PEER","features":[65]},{"name":"TAPI_E_TIMEOUT","features":[65]},{"name":"TAPI_E_USERUSERINFOTOOBIG","features":[65]},{"name":"TAPI_E_WRONGEVENT","features":[65]},{"name":"TAPI_E_WRONG_STATE","features":[65]},{"name":"TAPI_GATHERTERM","features":[65]},{"name":"TAPI_OBJECT_TYPE","features":[65]},{"name":"TAPI_REPLY","features":[65]},{"name":"TAPI_TONEMODE","features":[65]},{"name":"TD_BIDIRECTIONAL","features":[65]},{"name":"TD_CAPTURE","features":[65]},{"name":"TD_MULTITRACK_MIXED","features":[65]},{"name":"TD_NONE","features":[65]},{"name":"TD_RENDER","features":[65]},{"name":"TERMINAL_DIRECTION","features":[65]},{"name":"TERMINAL_MEDIA_STATE","features":[65]},{"name":"TERMINAL_STATE","features":[65]},{"name":"TERMINAL_TYPE","features":[65]},{"name":"TE_ACDGROUP","features":[65]},{"name":"TE_ADDRESS","features":[65]},{"name":"TE_ADDRESSCLOSE","features":[65]},{"name":"TE_ADDRESSCREATE","features":[65]},{"name":"TE_ADDRESSDEVSPECIFIC","features":[65]},{"name":"TE_ADDRESSREMOVE","features":[65]},{"name":"TE_AGENT","features":[65]},{"name":"TE_AGENTHANDLER","features":[65]},{"name":"TE_AGENTSESSION","features":[65]},{"name":"TE_ASRTERMINAL","features":[65]},{"name":"TE_CALLHUB","features":[65]},{"name":"TE_CALLINFOCHANGE","features":[65]},{"name":"TE_CALLMEDIA","features":[65]},{"name":"TE_CALLNOTIFICATION","features":[65]},{"name":"TE_CALLSTATE","features":[65]},{"name":"TE_DIGITEVENT","features":[65]},{"name":"TE_FILETERMINAL","features":[65]},{"name":"TE_GATHERDIGITS","features":[65]},{"name":"TE_GENERATEEVENT","features":[65]},{"name":"TE_PHONECREATE","features":[65]},{"name":"TE_PHONEDEVSPECIFIC","features":[65]},{"name":"TE_PHONEEVENT","features":[65]},{"name":"TE_PHONEREMOVE","features":[65]},{"name":"TE_PRIVATE","features":[65]},{"name":"TE_QOSEVENT","features":[65]},{"name":"TE_QUEUE","features":[65]},{"name":"TE_REINIT","features":[65]},{"name":"TE_REQUEST","features":[65]},{"name":"TE_TAPIOBJECT","features":[65]},{"name":"TE_TONEEVENT","features":[65]},{"name":"TE_TONETERMINAL","features":[65]},{"name":"TE_TRANSLATECHANGE","features":[65]},{"name":"TE_TTSTERMINAL","features":[65]},{"name":"TGT_BUFFERFULL","features":[65]},{"name":"TGT_CANCEL","features":[65]},{"name":"TGT_FIRSTTIMEOUT","features":[65]},{"name":"TGT_INTERTIMEOUT","features":[65]},{"name":"TGT_TERMDIGIT","features":[65]},{"name":"TMS_ACTIVE","features":[65]},{"name":"TMS_IDLE","features":[65]},{"name":"TMS_LASTITEM","features":[65]},{"name":"TMS_PAUSED","features":[65]},{"name":"TOT_ADDRESS","features":[65]},{"name":"TOT_CALL","features":[65]},{"name":"TOT_CALLHUB","features":[65]},{"name":"TOT_NONE","features":[65]},{"name":"TOT_PHONE","features":[65]},{"name":"TOT_TAPI","features":[65]},{"name":"TOT_TERMINAL","features":[65]},{"name":"TRP","features":[65]},{"name":"TSPI_LINEACCEPT","features":[65]},{"name":"TSPI_LINEADDTOCONFERENCE","features":[65]},{"name":"TSPI_LINEANSWER","features":[65]},{"name":"TSPI_LINEBLINDTRANSFER","features":[65]},{"name":"TSPI_LINECLOSE","features":[65]},{"name":"TSPI_LINECLOSECALL","features":[65]},{"name":"TSPI_LINECLOSEMSPINSTANCE","features":[65]},{"name":"TSPI_LINECOMPLETECALL","features":[65]},{"name":"TSPI_LINECOMPLETETRANSFER","features":[65]},{"name":"TSPI_LINECONDITIONALMEDIADETECTION","features":[65]},{"name":"TSPI_LINECONFIGDIALOG","features":[65]},{"name":"TSPI_LINECONFIGDIALOGEDIT","features":[65]},{"name":"TSPI_LINECREATEMSPINSTANCE","features":[65]},{"name":"TSPI_LINEDEVSPECIFIC","features":[65]},{"name":"TSPI_LINEDEVSPECIFICFEATURE","features":[65]},{"name":"TSPI_LINEDIAL","features":[65]},{"name":"TSPI_LINEDROP","features":[65]},{"name":"TSPI_LINEDROPNOOWNER","features":[65]},{"name":"TSPI_LINEDROPONCLOSE","features":[65]},{"name":"TSPI_LINEFORWARD","features":[65]},{"name":"TSPI_LINEGATHERDIGITS","features":[65]},{"name":"TSPI_LINEGENERATEDIGITS","features":[65]},{"name":"TSPI_LINEGENERATETONE","features":[65]},{"name":"TSPI_LINEGETADDRESSCAPS","features":[65]},{"name":"TSPI_LINEGETADDRESSID","features":[65]},{"name":"TSPI_LINEGETADDRESSSTATUS","features":[65]},{"name":"TSPI_LINEGETCALLADDRESSID","features":[65]},{"name":"TSPI_LINEGETCALLHUBTRACKING","features":[65]},{"name":"TSPI_LINEGETCALLID","features":[65]},{"name":"TSPI_LINEGETCALLINFO","features":[65]},{"name":"TSPI_LINEGETCALLSTATUS","features":[65]},{"name":"TSPI_LINEGETDEVCAPS","features":[65]},{"name":"TSPI_LINEGETDEVCONFIG","features":[65]},{"name":"TSPI_LINEGETEXTENSIONID","features":[65]},{"name":"TSPI_LINEGETICON","features":[65]},{"name":"TSPI_LINEGETID","features":[65]},{"name":"TSPI_LINEGETLINEDEVSTATUS","features":[65]},{"name":"TSPI_LINEGETNUMADDRESSIDS","features":[65]},{"name":"TSPI_LINEHOLD","features":[65]},{"name":"TSPI_LINEMAKECALL","features":[65]},{"name":"TSPI_LINEMONITORDIGITS","features":[65]},{"name":"TSPI_LINEMONITORMEDIA","features":[65]},{"name":"TSPI_LINEMONITORTONES","features":[65]},{"name":"TSPI_LINEMSPIDENTIFY","features":[65]},{"name":"TSPI_LINENEGOTIATEEXTVERSION","features":[65]},{"name":"TSPI_LINENEGOTIATETSPIVERSION","features":[65]},{"name":"TSPI_LINEOPEN","features":[65]},{"name":"TSPI_LINEPARK","features":[65]},{"name":"TSPI_LINEPICKUP","features":[65]},{"name":"TSPI_LINEPREPAREADDTOCONFERENCE","features":[65]},{"name":"TSPI_LINERECEIVEMSPDATA","features":[65]},{"name":"TSPI_LINEREDIRECT","features":[65]},{"name":"TSPI_LINERELEASEUSERUSERINFO","features":[65]},{"name":"TSPI_LINEREMOVEFROMCONFERENCE","features":[65]},{"name":"TSPI_LINESECURECALL","features":[65]},{"name":"TSPI_LINESELECTEXTVERSION","features":[65]},{"name":"TSPI_LINESENDUSERUSERINFO","features":[65]},{"name":"TSPI_LINESETAPPSPECIFIC","features":[65]},{"name":"TSPI_LINESETCALLHUBTRACKING","features":[65]},{"name":"TSPI_LINESETCALLPARAMS","features":[65]},{"name":"TSPI_LINESETCURRENTLOCATION","features":[65]},{"name":"TSPI_LINESETDEFAULTMEDIADETECTION","features":[65]},{"name":"TSPI_LINESETDEVCONFIG","features":[65]},{"name":"TSPI_LINESETMEDIACONTROL","features":[65]},{"name":"TSPI_LINESETMEDIAMODE","features":[65]},{"name":"TSPI_LINESETSTATUSMESSAGES","features":[65]},{"name":"TSPI_LINESETTERMINAL","features":[65]},{"name":"TSPI_LINESETUPCONFERENCE","features":[65]},{"name":"TSPI_LINESETUPTRANSFER","features":[65]},{"name":"TSPI_LINESWAPHOLD","features":[65]},{"name":"TSPI_LINEUNCOMPLETECALL","features":[65]},{"name":"TSPI_LINEUNHOLD","features":[65]},{"name":"TSPI_LINEUNPARK","features":[65]},{"name":"TSPI_MESSAGE_BASE","features":[65]},{"name":"TSPI_PHONECLOSE","features":[65]},{"name":"TSPI_PHONECONFIGDIALOG","features":[65]},{"name":"TSPI_PHONEDEVSPECIFIC","features":[65]},{"name":"TSPI_PHONEGETBUTTONINFO","features":[65]},{"name":"TSPI_PHONEGETDATA","features":[65]},{"name":"TSPI_PHONEGETDEVCAPS","features":[65]},{"name":"TSPI_PHONEGETDISPLAY","features":[65]},{"name":"TSPI_PHONEGETEXTENSIONID","features":[65]},{"name":"TSPI_PHONEGETGAIN","features":[65]},{"name":"TSPI_PHONEGETHOOKSWITCH","features":[65]},{"name":"TSPI_PHONEGETICON","features":[65]},{"name":"TSPI_PHONEGETID","features":[65]},{"name":"TSPI_PHONEGETLAMP","features":[65]},{"name":"TSPI_PHONEGETRING","features":[65]},{"name":"TSPI_PHONEGETSTATUS","features":[65]},{"name":"TSPI_PHONEGETVOLUME","features":[65]},{"name":"TSPI_PHONENEGOTIATEEXTVERSION","features":[65]},{"name":"TSPI_PHONENEGOTIATETSPIVERSION","features":[65]},{"name":"TSPI_PHONEOPEN","features":[65]},{"name":"TSPI_PHONESELECTEXTVERSION","features":[65]},{"name":"TSPI_PHONESETBUTTONINFO","features":[65]},{"name":"TSPI_PHONESETDATA","features":[65]},{"name":"TSPI_PHONESETDISPLAY","features":[65]},{"name":"TSPI_PHONESETGAIN","features":[65]},{"name":"TSPI_PHONESETHOOKSWITCH","features":[65]},{"name":"TSPI_PHONESETLAMP","features":[65]},{"name":"TSPI_PHONESETRING","features":[65]},{"name":"TSPI_PHONESETSTATUSMESSAGES","features":[65]},{"name":"TSPI_PHONESETVOLUME","features":[65]},{"name":"TSPI_PROC_BASE","features":[65]},{"name":"TSPI_PROVIDERCONFIG","features":[65]},{"name":"TSPI_PROVIDERCREATELINEDEVICE","features":[65]},{"name":"TSPI_PROVIDERCREATEPHONEDEVICE","features":[65]},{"name":"TSPI_PROVIDERENUMDEVICES","features":[65]},{"name":"TSPI_PROVIDERINIT","features":[65]},{"name":"TSPI_PROVIDERINSTALL","features":[65]},{"name":"TSPI_PROVIDERREMOVE","features":[65]},{"name":"TSPI_PROVIDERSHUTDOWN","features":[65]},{"name":"TS_INUSE","features":[65]},{"name":"TS_NOTINUSE","features":[65]},{"name":"TTM_BEEP","features":[65]},{"name":"TTM_BILLING","features":[65]},{"name":"TTM_BUSY","features":[65]},{"name":"TTM_RINGBACK","features":[65]},{"name":"TT_DYNAMIC","features":[65]},{"name":"TT_STATIC","features":[65]},{"name":"TUISPICREATEDIALOGINSTANCEPARAMS","features":[65]},{"name":"TUISPIDLLCALLBACK","features":[65]},{"name":"TUISPIDLL_OBJECT_DIALOGINSTANCE","features":[65]},{"name":"TUISPIDLL_OBJECT_LINEID","features":[65]},{"name":"TUISPIDLL_OBJECT_PHONEID","features":[65]},{"name":"TUISPIDLL_OBJECT_PROVIDERID","features":[65]},{"name":"VARSTRING","features":[65]},{"name":"atypFile","features":[65]},{"name":"atypMax","features":[65]},{"name":"atypNull","features":[65]},{"name":"atypOle","features":[65]},{"name":"atypPicture","features":[65]},{"name":"cbDisplayName","features":[65]},{"name":"cbEmailName","features":[65]},{"name":"cbMaxIdData","features":[65]},{"name":"cbSeverName","features":[65]},{"name":"cbTYPE","features":[65]},{"name":"lineAccept","features":[65]},{"name":"lineAddProvider","features":[65,1]},{"name":"lineAddProviderA","features":[65,1]},{"name":"lineAddProviderW","features":[65,1]},{"name":"lineAddToConference","features":[65]},{"name":"lineAgentSpecific","features":[65]},{"name":"lineAnswer","features":[65]},{"name":"lineBlindTransfer","features":[65]},{"name":"lineBlindTransferA","features":[65]},{"name":"lineBlindTransferW","features":[65]},{"name":"lineClose","features":[65]},{"name":"lineCompleteCall","features":[65]},{"name":"lineCompleteTransfer","features":[65]},{"name":"lineConfigDialog","features":[65,1]},{"name":"lineConfigDialogA","features":[65,1]},{"name":"lineConfigDialogEdit","features":[65,1]},{"name":"lineConfigDialogEditA","features":[65,1]},{"name":"lineConfigDialogEditW","features":[65,1]},{"name":"lineConfigDialogW","features":[65,1]},{"name":"lineConfigProvider","features":[65,1]},{"name":"lineCreateAgentA","features":[65]},{"name":"lineCreateAgentSessionA","features":[65]},{"name":"lineCreateAgentSessionW","features":[65]},{"name":"lineCreateAgentW","features":[65]},{"name":"lineDeallocateCall","features":[65]},{"name":"lineDevSpecific","features":[65]},{"name":"lineDevSpecificFeature","features":[65]},{"name":"lineDial","features":[65]},{"name":"lineDialA","features":[65]},{"name":"lineDialW","features":[65]},{"name":"lineDrop","features":[65]},{"name":"lineForward","features":[65]},{"name":"lineForwardA","features":[65]},{"name":"lineForwardW","features":[65]},{"name":"lineGatherDigits","features":[65]},{"name":"lineGatherDigitsA","features":[65]},{"name":"lineGatherDigitsW","features":[65]},{"name":"lineGenerateDigits","features":[65]},{"name":"lineGenerateDigitsA","features":[65]},{"name":"lineGenerateDigitsW","features":[65]},{"name":"lineGenerateTone","features":[65]},{"name":"lineGetAddressCaps","features":[65]},{"name":"lineGetAddressCapsA","features":[65]},{"name":"lineGetAddressCapsW","features":[65]},{"name":"lineGetAddressID","features":[65]},{"name":"lineGetAddressIDA","features":[65]},{"name":"lineGetAddressIDW","features":[65]},{"name":"lineGetAddressStatus","features":[65]},{"name":"lineGetAddressStatusA","features":[65]},{"name":"lineGetAddressStatusW","features":[65]},{"name":"lineGetAgentActivityListA","features":[65]},{"name":"lineGetAgentActivityListW","features":[65]},{"name":"lineGetAgentCapsA","features":[65]},{"name":"lineGetAgentCapsW","features":[65]},{"name":"lineGetAgentGroupListA","features":[65]},{"name":"lineGetAgentGroupListW","features":[65]},{"name":"lineGetAgentInfo","features":[65,41]},{"name":"lineGetAgentSessionInfo","features":[65,41]},{"name":"lineGetAgentSessionList","features":[65]},{"name":"lineGetAgentStatusA","features":[65]},{"name":"lineGetAgentStatusW","features":[65]},{"name":"lineGetAppPriority","features":[65]},{"name":"lineGetAppPriorityA","features":[65]},{"name":"lineGetAppPriorityW","features":[65]},{"name":"lineGetCallInfo","features":[65]},{"name":"lineGetCallInfoA","features":[65]},{"name":"lineGetCallInfoW","features":[65]},{"name":"lineGetCallStatus","features":[65,1]},{"name":"lineGetConfRelatedCalls","features":[65]},{"name":"lineGetCountry","features":[65]},{"name":"lineGetCountryA","features":[65]},{"name":"lineGetCountryW","features":[65]},{"name":"lineGetDevCaps","features":[65]},{"name":"lineGetDevCapsA","features":[65]},{"name":"lineGetDevCapsW","features":[65]},{"name":"lineGetDevConfig","features":[65]},{"name":"lineGetDevConfigA","features":[65]},{"name":"lineGetDevConfigW","features":[65]},{"name":"lineGetGroupListA","features":[65]},{"name":"lineGetGroupListW","features":[65]},{"name":"lineGetID","features":[65]},{"name":"lineGetIDA","features":[65]},{"name":"lineGetIDW","features":[65]},{"name":"lineGetIcon","features":[65,50]},{"name":"lineGetIconA","features":[65,50]},{"name":"lineGetIconW","features":[65,50]},{"name":"lineGetLineDevStatus","features":[65]},{"name":"lineGetLineDevStatusA","features":[65]},{"name":"lineGetLineDevStatusW","features":[65]},{"name":"lineGetMessage","features":[65]},{"name":"lineGetNewCalls","features":[65]},{"name":"lineGetNumRings","features":[65]},{"name":"lineGetProviderList","features":[65]},{"name":"lineGetProviderListA","features":[65]},{"name":"lineGetProviderListW","features":[65]},{"name":"lineGetProxyStatus","features":[65]},{"name":"lineGetQueueInfo","features":[65]},{"name":"lineGetQueueListA","features":[65]},{"name":"lineGetQueueListW","features":[65]},{"name":"lineGetRequest","features":[65]},{"name":"lineGetRequestA","features":[65]},{"name":"lineGetRequestW","features":[65]},{"name":"lineGetStatusMessages","features":[65]},{"name":"lineGetTranslateCaps","features":[65]},{"name":"lineGetTranslateCapsA","features":[65]},{"name":"lineGetTranslateCapsW","features":[65]},{"name":"lineHandoff","features":[65]},{"name":"lineHandoffA","features":[65]},{"name":"lineHandoffW","features":[65]},{"name":"lineHold","features":[65]},{"name":"lineInitialize","features":[65,1]},{"name":"lineInitializeExA","features":[65,1]},{"name":"lineInitializeExW","features":[65,1]},{"name":"lineMakeCall","features":[65]},{"name":"lineMakeCallA","features":[65]},{"name":"lineMakeCallW","features":[65]},{"name":"lineMonitorDigits","features":[65]},{"name":"lineMonitorMedia","features":[65]},{"name":"lineMonitorTones","features":[65]},{"name":"lineNegotiateAPIVersion","features":[65]},{"name":"lineNegotiateExtVersion","features":[65]},{"name":"lineOpen","features":[65]},{"name":"lineOpenA","features":[65]},{"name":"lineOpenW","features":[65]},{"name":"linePark","features":[65]},{"name":"lineParkA","features":[65]},{"name":"lineParkW","features":[65]},{"name":"linePickup","features":[65]},{"name":"linePickupA","features":[65]},{"name":"linePickupW","features":[65]},{"name":"linePrepareAddToConference","features":[65]},{"name":"linePrepareAddToConferenceA","features":[65]},{"name":"linePrepareAddToConferenceW","features":[65]},{"name":"lineProxyMessage","features":[65]},{"name":"lineProxyResponse","features":[65,41]},{"name":"lineRedirect","features":[65]},{"name":"lineRedirectA","features":[65]},{"name":"lineRedirectW","features":[65]},{"name":"lineRegisterRequestRecipient","features":[65]},{"name":"lineReleaseUserUserInfo","features":[65]},{"name":"lineRemoveFromConference","features":[65]},{"name":"lineRemoveProvider","features":[65,1]},{"name":"lineSecureCall","features":[65]},{"name":"lineSendUserUserInfo","features":[65]},{"name":"lineSetAgentActivity","features":[65]},{"name":"lineSetAgentGroup","features":[65]},{"name":"lineSetAgentMeasurementPeriod","features":[65]},{"name":"lineSetAgentSessionState","features":[65]},{"name":"lineSetAgentState","features":[65]},{"name":"lineSetAgentStateEx","features":[65]},{"name":"lineSetAppPriority","features":[65]},{"name":"lineSetAppPriorityA","features":[65]},{"name":"lineSetAppPriorityW","features":[65]},{"name":"lineSetAppSpecific","features":[65]},{"name":"lineSetCallData","features":[65]},{"name":"lineSetCallParams","features":[65]},{"name":"lineSetCallPrivilege","features":[65]},{"name":"lineSetCallQualityOfService","features":[65]},{"name":"lineSetCallTreatment","features":[65]},{"name":"lineSetCurrentLocation","features":[65]},{"name":"lineSetDevConfig","features":[65]},{"name":"lineSetDevConfigA","features":[65]},{"name":"lineSetDevConfigW","features":[65]},{"name":"lineSetLineDevStatus","features":[65]},{"name":"lineSetMediaControl","features":[65]},{"name":"lineSetMediaMode","features":[65]},{"name":"lineSetNumRings","features":[65]},{"name":"lineSetQueueMeasurementPeriod","features":[65]},{"name":"lineSetStatusMessages","features":[65]},{"name":"lineSetTerminal","features":[65]},{"name":"lineSetTollList","features":[65]},{"name":"lineSetTollListA","features":[65]},{"name":"lineSetTollListW","features":[65]},{"name":"lineSetupConference","features":[65]},{"name":"lineSetupConferenceA","features":[65]},{"name":"lineSetupConferenceW","features":[65]},{"name":"lineSetupTransfer","features":[65]},{"name":"lineSetupTransferA","features":[65]},{"name":"lineSetupTransferW","features":[65]},{"name":"lineShutdown","features":[65]},{"name":"lineSwapHold","features":[65]},{"name":"lineTranslateAddress","features":[65]},{"name":"lineTranslateAddressA","features":[65]},{"name":"lineTranslateAddressW","features":[65]},{"name":"lineTranslateDialog","features":[65,1]},{"name":"lineTranslateDialogA","features":[65,1]},{"name":"lineTranslateDialogW","features":[65,1]},{"name":"lineUncompleteCall","features":[65]},{"name":"lineUnhold","features":[65]},{"name":"lineUnpark","features":[65]},{"name":"lineUnparkA","features":[65]},{"name":"lineUnparkW","features":[65]},{"name":"phoneClose","features":[65]},{"name":"phoneConfigDialog","features":[65,1]},{"name":"phoneConfigDialogA","features":[65,1]},{"name":"phoneConfigDialogW","features":[65,1]},{"name":"phoneDevSpecific","features":[65]},{"name":"phoneGetButtonInfo","features":[65]},{"name":"phoneGetButtonInfoA","features":[65]},{"name":"phoneGetButtonInfoW","features":[65]},{"name":"phoneGetData","features":[65]},{"name":"phoneGetDevCaps","features":[65]},{"name":"phoneGetDevCapsA","features":[65]},{"name":"phoneGetDevCapsW","features":[65]},{"name":"phoneGetDisplay","features":[65]},{"name":"phoneGetGain","features":[65]},{"name":"phoneGetHookSwitch","features":[65]},{"name":"phoneGetID","features":[65]},{"name":"phoneGetIDA","features":[65]},{"name":"phoneGetIDW","features":[65]},{"name":"phoneGetIcon","features":[65,50]},{"name":"phoneGetIconA","features":[65,50]},{"name":"phoneGetIconW","features":[65,50]},{"name":"phoneGetLamp","features":[65]},{"name":"phoneGetMessage","features":[65]},{"name":"phoneGetRing","features":[65]},{"name":"phoneGetStatus","features":[65]},{"name":"phoneGetStatusA","features":[65]},{"name":"phoneGetStatusMessages","features":[65]},{"name":"phoneGetStatusW","features":[65]},{"name":"phoneGetVolume","features":[65]},{"name":"phoneInitialize","features":[65,1]},{"name":"phoneInitializeExA","features":[65,1]},{"name":"phoneInitializeExW","features":[65,1]},{"name":"phoneNegotiateAPIVersion","features":[65]},{"name":"phoneNegotiateExtVersion","features":[65]},{"name":"phoneOpen","features":[65]},{"name":"phoneSetButtonInfo","features":[65]},{"name":"phoneSetButtonInfoA","features":[65]},{"name":"phoneSetButtonInfoW","features":[65]},{"name":"phoneSetData","features":[65]},{"name":"phoneSetDisplay","features":[65]},{"name":"phoneSetGain","features":[65]},{"name":"phoneSetHookSwitch","features":[65]},{"name":"phoneSetLamp","features":[65]},{"name":"phoneSetRing","features":[65]},{"name":"phoneSetStatusMessages","features":[65]},{"name":"phoneSetVolume","features":[65]},{"name":"phoneShutdown","features":[65]},{"name":"prioHigh","features":[65]},{"name":"prioLow","features":[65]},{"name":"prioNorm","features":[65]},{"name":"tapiGetLocationInfo","features":[65]},{"name":"tapiGetLocationInfoA","features":[65]},{"name":"tapiGetLocationInfoW","features":[65]},{"name":"tapiRequestDrop","features":[65,1]},{"name":"tapiRequestMakeCall","features":[65]},{"name":"tapiRequestMakeCallA","features":[65]},{"name":"tapiRequestMakeCallW","features":[65]},{"name":"tapiRequestMediaCall","features":[65,1]},{"name":"tapiRequestMediaCallA","features":[65,1]},{"name":"tapiRequestMediaCallW","features":[65,1]}],"387":[{"name":"ALLOW_PARTIAL_READS","features":[66]},{"name":"ALL_PIPE","features":[66]},{"name":"ALTERNATE_INTERFACE","features":[66]},{"name":"AUTO_CLEAR_STALL","features":[66]},{"name":"AUTO_FLUSH","features":[66]},{"name":"AUTO_SUSPEND","features":[66]},{"name":"AcquireBusInfo","features":[66]},{"name":"AcquireControllerName","features":[66]},{"name":"AcquireHubName","features":[66]},{"name":"BMREQUEST_CLASS","features":[66]},{"name":"BMREQUEST_DEVICE_TO_HOST","features":[66]},{"name":"BMREQUEST_HOST_TO_DEVICE","features":[66]},{"name":"BMREQUEST_STANDARD","features":[66]},{"name":"BMREQUEST_TO_DEVICE","features":[66]},{"name":"BMREQUEST_TO_ENDPOINT","features":[66]},{"name":"BMREQUEST_TO_INTERFACE","features":[66]},{"name":"BMREQUEST_TO_OTHER","features":[66]},{"name":"BMREQUEST_VENDOR","features":[66]},{"name":"BM_REQUEST_TYPE","features":[66]},{"name":"BULKIN_FLAG","features":[66]},{"name":"CHANNEL_INFO","features":[66]},{"name":"CompositeDevice","features":[66]},{"name":"DEVICE_DESCRIPTOR","features":[66]},{"name":"DEVICE_SPEED","features":[66]},{"name":"DRV_VERSION","features":[66]},{"name":"DeviceCausedOvercurrent","features":[66]},{"name":"DeviceConnected","features":[66]},{"name":"DeviceEnumerating","features":[66]},{"name":"DeviceFailedEnumeration","features":[66]},{"name":"DeviceGeneralFailure","features":[66]},{"name":"DeviceHubNestedTooDeeply","features":[66]},{"name":"DeviceInLegacyHub","features":[66]},{"name":"DeviceNotEnoughBandwidth","features":[66]},{"name":"DeviceNotEnoughPower","features":[66]},{"name":"DeviceReset","features":[66]},{"name":"EHCI_Generic","features":[66]},{"name":"EHCI_Intel_Medfield","features":[66]},{"name":"EHCI_Lucent","features":[66]},{"name":"EHCI_NEC","features":[66]},{"name":"EHCI_NVIDIA_Tegra2","features":[66]},{"name":"EHCI_NVIDIA_Tegra3","features":[66]},{"name":"EVENT_PIPE","features":[66]},{"name":"EnumerationFailure","features":[66]},{"name":"FILE_DEVICE_USB","features":[66]},{"name":"FILE_DEVICE_USB_SCAN","features":[66]},{"name":"FullSpeed","features":[66]},{"name":"GUID_DEVINTERFACE_USB_BILLBOARD","features":[66]},{"name":"GUID_DEVINTERFACE_USB_DEVICE","features":[66]},{"name":"GUID_DEVINTERFACE_USB_HOST_CONTROLLER","features":[66]},{"name":"GUID_DEVINTERFACE_USB_HUB","features":[66]},{"name":"GUID_USB_MSOS20_PLATFORM_CAPABILITY_ID","features":[66]},{"name":"GUID_USB_PERFORMANCE_TRACING","features":[66]},{"name":"GUID_USB_TRANSFER_TRACING","features":[66]},{"name":"GUID_USB_WMI_DEVICE_PERF_INFO","features":[66]},{"name":"GUID_USB_WMI_NODE_INFO","features":[66]},{"name":"GUID_USB_WMI_STD_DATA","features":[66]},{"name":"GUID_USB_WMI_STD_NOTIFICATION","features":[66]},{"name":"GUID_USB_WMI_SURPRISE_REMOVAL_NOTIFICATION","features":[66]},{"name":"GUID_USB_WMI_TRACING","features":[66]},{"name":"HCD_DIAGNOSTIC_MODE_OFF","features":[66]},{"name":"HCD_DIAGNOSTIC_MODE_ON","features":[66]},{"name":"HCD_DISABLE_PORT","features":[66]},{"name":"HCD_ENABLE_PORT","features":[66]},{"name":"HCD_GET_DRIVERKEY_NAME","features":[66]},{"name":"HCD_GET_ROOT_HUB_NAME","features":[66]},{"name":"HCD_GET_STATS_1","features":[66]},{"name":"HCD_GET_STATS_2","features":[66]},{"name":"HCD_ISO_STAT_COUNTERS","features":[66]},{"name":"HCD_STAT_COUNTERS","features":[66]},{"name":"HCD_STAT_INFORMATION_1","features":[66]},{"name":"HCD_STAT_INFORMATION_2","features":[66]},{"name":"HCD_TRACE_READ_REQUEST","features":[66]},{"name":"HCD_USER_REQUEST","features":[66]},{"name":"HUB_DEVICE_CONFIG_INFO","features":[66]},{"name":"HighSpeed","features":[66]},{"name":"HubDevice","features":[66]},{"name":"HubNestedTooDeeply","features":[66]},{"name":"HubOvercurrent","features":[66]},{"name":"HubPowerChange","features":[66]},{"name":"IGNORE_SHORT_PACKETS","features":[66]},{"name":"IOCTL_ABORT_PIPE","features":[66]},{"name":"IOCTL_CANCEL_IO","features":[66]},{"name":"IOCTL_GENERICUSBFN_ACTIVATE_USB_BUS","features":[66]},{"name":"IOCTL_GENERICUSBFN_BUS_EVENT_NOTIFICATION","features":[66]},{"name":"IOCTL_GENERICUSBFN_CONTROL_STATUS_HANDSHAKE_IN","features":[66]},{"name":"IOCTL_GENERICUSBFN_CONTROL_STATUS_HANDSHAKE_OUT","features":[66]},{"name":"IOCTL_GENERICUSBFN_DEACTIVATE_USB_BUS","features":[66]},{"name":"IOCTL_GENERICUSBFN_GET_CLASS_INFO","features":[66]},{"name":"IOCTL_GENERICUSBFN_GET_CLASS_INFO_EX","features":[66]},{"name":"IOCTL_GENERICUSBFN_GET_INTERFACE_DESCRIPTOR_SET","features":[66]},{"name":"IOCTL_GENERICUSBFN_GET_PIPE_STATE","features":[66]},{"name":"IOCTL_GENERICUSBFN_REGISTER_USB_STRING","features":[66]},{"name":"IOCTL_GENERICUSBFN_SET_PIPE_STATE","features":[66]},{"name":"IOCTL_GENERICUSBFN_TRANSFER_IN","features":[66]},{"name":"IOCTL_GENERICUSBFN_TRANSFER_IN_APPEND_ZERO_PKT","features":[66]},{"name":"IOCTL_GENERICUSBFN_TRANSFER_OUT","features":[66]},{"name":"IOCTL_GET_CHANNEL_ALIGN_RQST","features":[66]},{"name":"IOCTL_GET_DEVICE_DESCRIPTOR","features":[66]},{"name":"IOCTL_GET_HCD_DRIVERKEY_NAME","features":[66]},{"name":"IOCTL_GET_PIPE_CONFIGURATION","features":[66]},{"name":"IOCTL_GET_USB_DESCRIPTOR","features":[66]},{"name":"IOCTL_GET_VERSION","features":[66]},{"name":"IOCTL_INDEX","features":[66]},{"name":"IOCTL_INTERNAL_USB_CYCLE_PORT","features":[66]},{"name":"IOCTL_INTERNAL_USB_ENABLE_PORT","features":[66]},{"name":"IOCTL_INTERNAL_USB_FAIL_GET_STATUS_FROM_DEVICE","features":[66]},{"name":"IOCTL_INTERNAL_USB_GET_BUSGUID_INFO","features":[66]},{"name":"IOCTL_INTERNAL_USB_GET_BUS_INFO","features":[66]},{"name":"IOCTL_INTERNAL_USB_GET_CONTROLLER_NAME","features":[66]},{"name":"IOCTL_INTERNAL_USB_GET_DEVICE_CONFIG_INFO","features":[66]},{"name":"IOCTL_INTERNAL_USB_GET_DEVICE_HANDLE","features":[66]},{"name":"IOCTL_INTERNAL_USB_GET_DEVICE_HANDLE_EX","features":[66]},{"name":"IOCTL_INTERNAL_USB_GET_HUB_COUNT","features":[66]},{"name":"IOCTL_INTERNAL_USB_GET_HUB_NAME","features":[66]},{"name":"IOCTL_INTERNAL_USB_GET_PARENT_HUB_INFO","features":[66]},{"name":"IOCTL_INTERNAL_USB_GET_PORT_STATUS","features":[66]},{"name":"IOCTL_INTERNAL_USB_GET_ROOTHUB_PDO","features":[66]},{"name":"IOCTL_INTERNAL_USB_GET_TOPOLOGY_ADDRESS","features":[66]},{"name":"IOCTL_INTERNAL_USB_GET_TT_DEVICE_HANDLE","features":[66]},{"name":"IOCTL_INTERNAL_USB_NOTIFY_IDLE_READY","features":[66]},{"name":"IOCTL_INTERNAL_USB_RECORD_FAILURE","features":[66]},{"name":"IOCTL_INTERNAL_USB_REGISTER_COMPOSITE_DEVICE","features":[66]},{"name":"IOCTL_INTERNAL_USB_REQUEST_REMOTE_WAKE_NOTIFICATION","features":[66]},{"name":"IOCTL_INTERNAL_USB_REQ_GLOBAL_RESUME","features":[66]},{"name":"IOCTL_INTERNAL_USB_REQ_GLOBAL_SUSPEND","features":[66]},{"name":"IOCTL_INTERNAL_USB_RESET_PORT","features":[66]},{"name":"IOCTL_INTERNAL_USB_SUBMIT_IDLE_NOTIFICATION","features":[66]},{"name":"IOCTL_INTERNAL_USB_SUBMIT_URB","features":[66]},{"name":"IOCTL_INTERNAL_USB_UNREGISTER_COMPOSITE_DEVICE","features":[66]},{"name":"IOCTL_READ_REGISTERS","features":[66]},{"name":"IOCTL_RESET_PIPE","features":[66]},{"name":"IOCTL_SEND_USB_REQUEST","features":[66]},{"name":"IOCTL_SET_TIMEOUT","features":[66]},{"name":"IOCTL_USB_DIAGNOSTIC_MODE_OFF","features":[66]},{"name":"IOCTL_USB_DIAGNOSTIC_MODE_ON","features":[66]},{"name":"IOCTL_USB_DIAG_IGNORE_HUBS_OFF","features":[66]},{"name":"IOCTL_USB_DIAG_IGNORE_HUBS_ON","features":[66]},{"name":"IOCTL_USB_GET_DESCRIPTOR_FROM_NODE_CONNECTION","features":[66]},{"name":"IOCTL_USB_GET_DEVICE_CHARACTERISTICS","features":[66]},{"name":"IOCTL_USB_GET_FRAME_NUMBER_AND_QPC_FOR_TIME_SYNC","features":[66]},{"name":"IOCTL_USB_GET_HUB_CAPABILITIES","features":[66]},{"name":"IOCTL_USB_GET_HUB_CAPABILITIES_EX","features":[66]},{"name":"IOCTL_USB_GET_HUB_INFORMATION_EX","features":[66]},{"name":"IOCTL_USB_GET_NODE_CONNECTION_ATTRIBUTES","features":[66]},{"name":"IOCTL_USB_GET_NODE_CONNECTION_DRIVERKEY_NAME","features":[66]},{"name":"IOCTL_USB_GET_NODE_CONNECTION_INFORMATION","features":[66]},{"name":"IOCTL_USB_GET_NODE_CONNECTION_INFORMATION_EX","features":[66]},{"name":"IOCTL_USB_GET_NODE_CONNECTION_INFORMATION_EX_V2","features":[66]},{"name":"IOCTL_USB_GET_NODE_CONNECTION_NAME","features":[66]},{"name":"IOCTL_USB_GET_NODE_INFORMATION","features":[66]},{"name":"IOCTL_USB_GET_PORT_CONNECTOR_PROPERTIES","features":[66]},{"name":"IOCTL_USB_GET_ROOT_HUB_NAME","features":[66]},{"name":"IOCTL_USB_GET_TRANSPORT_CHARACTERISTICS","features":[66]},{"name":"IOCTL_USB_HCD_DISABLE_PORT","features":[66]},{"name":"IOCTL_USB_HCD_ENABLE_PORT","features":[66]},{"name":"IOCTL_USB_HCD_GET_STATS_1","features":[66]},{"name":"IOCTL_USB_HCD_GET_STATS_2","features":[66]},{"name":"IOCTL_USB_HUB_CYCLE_PORT","features":[66]},{"name":"IOCTL_USB_NOTIFY_ON_TRANSPORT_CHARACTERISTICS_CHANGE","features":[66]},{"name":"IOCTL_USB_REGISTER_FOR_TRANSPORT_CHARACTERISTICS_CHANGE","features":[66]},{"name":"IOCTL_USB_RESET_HUB","features":[66]},{"name":"IOCTL_USB_START_TRACKING_FOR_TIME_SYNC","features":[66]},{"name":"IOCTL_USB_STOP_TRACKING_FOR_TIME_SYNC","features":[66]},{"name":"IOCTL_USB_UNREGISTER_FOR_TRANSPORT_CHARACTERISTICS_CHANGE","features":[66]},{"name":"IOCTL_WAIT_ON_DEVICE_EVENT","features":[66]},{"name":"IOCTL_WRITE_REGISTERS","features":[66]},{"name":"IO_BLOCK","features":[66]},{"name":"IO_BLOCK_EX","features":[66]},{"name":"InsufficentBandwidth","features":[66]},{"name":"InsufficentPower","features":[66]},{"name":"KREGMANUSBFNENUMPATH","features":[66]},{"name":"KREGUSBFNENUMPATH","features":[66]},{"name":"LowSpeed","features":[66]},{"name":"MAXIMUM_TRANSFER_SIZE","features":[66]},{"name":"MAXIMUM_USB_STRING_LENGTH","features":[66]},{"name":"MAX_ALTERNATE_NAME_LENGTH","features":[66]},{"name":"MAX_ASSOCIATION_NAME_LENGTH","features":[66]},{"name":"MAX_CONFIGURATION_NAME_LENGTH","features":[66]},{"name":"MAX_INTERFACE_NAME_LENGTH","features":[66]},{"name":"MAX_NUM_PIPES","features":[66]},{"name":"MAX_NUM_USBFN_ENDPOINTS","features":[66]},{"name":"MAX_SUPPORTED_CONFIGURATIONS","features":[66]},{"name":"MAX_USB_STRING_LENGTH","features":[66]},{"name":"MS_GENRE_DESCRIPTOR_INDEX","features":[66]},{"name":"MS_OS_FLAGS_CONTAINERID","features":[66]},{"name":"MS_OS_STRING_SIGNATURE","features":[66]},{"name":"MS_POWER_DESCRIPTOR_INDEX","features":[66]},{"name":"ModernDeviceInLegacyHub","features":[66]},{"name":"NoDeviceConnected","features":[66]},{"name":"OHCI_Generic","features":[66]},{"name":"OHCI_Hydra","features":[66]},{"name":"OHCI_NEC","features":[66]},{"name":"OS_STRING","features":[66]},{"name":"OS_STRING_DESCRIPTOR_INDEX","features":[66]},{"name":"OverCurrent","features":[66]},{"name":"PACKET_PARAMETERS","features":[66]},{"name":"PIPE_TRANSFER_TIMEOUT","features":[66]},{"name":"PIPE_TYPE","features":[66]},{"name":"PORT_LINK_STATE_COMPLIANCE_MODE","features":[66]},{"name":"PORT_LINK_STATE_DISABLED","features":[66]},{"name":"PORT_LINK_STATE_HOT_RESET","features":[66]},{"name":"PORT_LINK_STATE_INACTIVE","features":[66]},{"name":"PORT_LINK_STATE_LOOPBACK","features":[66]},{"name":"PORT_LINK_STATE_POLLING","features":[66]},{"name":"PORT_LINK_STATE_RECOVERY","features":[66]},{"name":"PORT_LINK_STATE_RX_DETECT","features":[66]},{"name":"PORT_LINK_STATE_TEST_MODE","features":[66]},{"name":"PORT_LINK_STATE_U0","features":[66]},{"name":"PORT_LINK_STATE_U1","features":[66]},{"name":"PORT_LINK_STATE_U2","features":[66]},{"name":"PORT_LINK_STATE_U3","features":[66]},{"name":"RAW_IO","features":[66]},{"name":"RAW_PIPE_TYPE","features":[66]},{"name":"RAW_RESET_PORT_PARAMETERS","features":[66]},{"name":"RAW_ROOTPORT_FEATURE","features":[66]},{"name":"RAW_ROOTPORT_PARAMETERS","features":[66]},{"name":"READ_DATA_PIPE","features":[66]},{"name":"RESET_PIPE_ON_RESUME","features":[66]},{"name":"ResetOvercurrent","features":[66]},{"name":"SHORT_PACKET_TERMINATE","features":[66]},{"name":"SUSPEND_DELAY","features":[66]},{"name":"UHCI_Generic","features":[66]},{"name":"UHCI_Ich1","features":[66]},{"name":"UHCI_Ich2","features":[66]},{"name":"UHCI_Ich3m","features":[66]},{"name":"UHCI_Ich4","features":[66]},{"name":"UHCI_Ich5","features":[66]},{"name":"UHCI_Ich6","features":[66]},{"name":"UHCI_Intel","features":[66]},{"name":"UHCI_Piix3","features":[66]},{"name":"UHCI_Piix4","features":[66]},{"name":"UHCI_Reserved204","features":[66]},{"name":"UHCI_VIA","features":[66]},{"name":"UHCI_VIA_x01","features":[66]},{"name":"UHCI_VIA_x02","features":[66]},{"name":"UHCI_VIA_x03","features":[66]},{"name":"UHCI_VIA_x04","features":[66]},{"name":"UHCI_VIA_x0E_FIFO","features":[66]},{"name":"URB","features":[66]},{"name":"URB_FUNCTION_ABORT_PIPE","features":[66]},{"name":"URB_FUNCTION_BULK_OR_INTERRUPT_TRANSFER","features":[66]},{"name":"URB_FUNCTION_BULK_OR_INTERRUPT_TRANSFER_USING_CHAINED_MDL","features":[66]},{"name":"URB_FUNCTION_CLASS_DEVICE","features":[66]},{"name":"URB_FUNCTION_CLASS_ENDPOINT","features":[66]},{"name":"URB_FUNCTION_CLASS_INTERFACE","features":[66]},{"name":"URB_FUNCTION_CLASS_OTHER","features":[66]},{"name":"URB_FUNCTION_CLEAR_FEATURE_TO_DEVICE","features":[66]},{"name":"URB_FUNCTION_CLEAR_FEATURE_TO_ENDPOINT","features":[66]},{"name":"URB_FUNCTION_CLEAR_FEATURE_TO_INTERFACE","features":[66]},{"name":"URB_FUNCTION_CLEAR_FEATURE_TO_OTHER","features":[66]},{"name":"URB_FUNCTION_CLOSE_STATIC_STREAMS","features":[66]},{"name":"URB_FUNCTION_CONTROL_TRANSFER","features":[66]},{"name":"URB_FUNCTION_CONTROL_TRANSFER_EX","features":[66]},{"name":"URB_FUNCTION_GET_CONFIGURATION","features":[66]},{"name":"URB_FUNCTION_GET_CURRENT_FRAME_NUMBER","features":[66]},{"name":"URB_FUNCTION_GET_DESCRIPTOR_FROM_DEVICE","features":[66]},{"name":"URB_FUNCTION_GET_DESCRIPTOR_FROM_ENDPOINT","features":[66]},{"name":"URB_FUNCTION_GET_DESCRIPTOR_FROM_INTERFACE","features":[66]},{"name":"URB_FUNCTION_GET_FRAME_LENGTH","features":[66]},{"name":"URB_FUNCTION_GET_INTERFACE","features":[66]},{"name":"URB_FUNCTION_GET_ISOCH_PIPE_TRANSFER_PATH_DELAYS","features":[66]},{"name":"URB_FUNCTION_GET_MS_FEATURE_DESCRIPTOR","features":[66]},{"name":"URB_FUNCTION_GET_STATUS_FROM_DEVICE","features":[66]},{"name":"URB_FUNCTION_GET_STATUS_FROM_ENDPOINT","features":[66]},{"name":"URB_FUNCTION_GET_STATUS_FROM_INTERFACE","features":[66]},{"name":"URB_FUNCTION_GET_STATUS_FROM_OTHER","features":[66]},{"name":"URB_FUNCTION_ISOCH_TRANSFER","features":[66]},{"name":"URB_FUNCTION_ISOCH_TRANSFER_USING_CHAINED_MDL","features":[66]},{"name":"URB_FUNCTION_OPEN_STATIC_STREAMS","features":[66]},{"name":"URB_FUNCTION_RELEASE_FRAME_LENGTH_CONTROL","features":[66]},{"name":"URB_FUNCTION_RESERVED_0X0016","features":[66]},{"name":"URB_FUNCTION_RESERVE_0X001D","features":[66]},{"name":"URB_FUNCTION_RESERVE_0X002B","features":[66]},{"name":"URB_FUNCTION_RESERVE_0X002C","features":[66]},{"name":"URB_FUNCTION_RESERVE_0X002D","features":[66]},{"name":"URB_FUNCTION_RESERVE_0X002E","features":[66]},{"name":"URB_FUNCTION_RESERVE_0X002F","features":[66]},{"name":"URB_FUNCTION_RESERVE_0X0033","features":[66]},{"name":"URB_FUNCTION_RESERVE_0X0034","features":[66]},{"name":"URB_FUNCTION_RESET_PIPE","features":[66]},{"name":"URB_FUNCTION_SELECT_CONFIGURATION","features":[66]},{"name":"URB_FUNCTION_SELECT_INTERFACE","features":[66]},{"name":"URB_FUNCTION_SET_DESCRIPTOR_TO_DEVICE","features":[66]},{"name":"URB_FUNCTION_SET_DESCRIPTOR_TO_ENDPOINT","features":[66]},{"name":"URB_FUNCTION_SET_DESCRIPTOR_TO_INTERFACE","features":[66]},{"name":"URB_FUNCTION_SET_FEATURE_TO_DEVICE","features":[66]},{"name":"URB_FUNCTION_SET_FEATURE_TO_ENDPOINT","features":[66]},{"name":"URB_FUNCTION_SET_FEATURE_TO_INTERFACE","features":[66]},{"name":"URB_FUNCTION_SET_FEATURE_TO_OTHER","features":[66]},{"name":"URB_FUNCTION_SET_FRAME_LENGTH","features":[66]},{"name":"URB_FUNCTION_SYNC_CLEAR_STALL","features":[66]},{"name":"URB_FUNCTION_SYNC_RESET_PIPE","features":[66]},{"name":"URB_FUNCTION_SYNC_RESET_PIPE_AND_CLEAR_STALL","features":[66]},{"name":"URB_FUNCTION_TAKE_FRAME_LENGTH_CONTROL","features":[66]},{"name":"URB_FUNCTION_VENDOR_DEVICE","features":[66]},{"name":"URB_FUNCTION_VENDOR_ENDPOINT","features":[66]},{"name":"URB_FUNCTION_VENDOR_INTERFACE","features":[66]},{"name":"URB_FUNCTION_VENDOR_OTHER","features":[66]},{"name":"URB_OPEN_STATIC_STREAMS_VERSION_100","features":[66]},{"name":"UREGMANUSBFNENUMPATH","features":[66]},{"name":"UREGUSBFNENUMPATH","features":[66]},{"name":"USBDI_VERSION","features":[66]},{"name":"USBD_DEFAULT_MAXIMUM_TRANSFER_SIZE","features":[66]},{"name":"USBD_DEFAULT_PIPE_TRANSFER","features":[66]},{"name":"USBD_DEVICE_INFORMATION","features":[66]},{"name":"USBD_ENDPOINT_OFFLOAD_INFORMATION","features":[66]},{"name":"USBD_ENDPOINT_OFFLOAD_MODE","features":[66]},{"name":"USBD_INTERFACE_INFORMATION","features":[66]},{"name":"USBD_ISO_PACKET_DESCRIPTOR","features":[66]},{"name":"USBD_ISO_START_FRAME_RANGE","features":[66]},{"name":"USBD_PF_CHANGE_MAX_PACKET","features":[66]},{"name":"USBD_PF_ENABLE_RT_THREAD_ACCESS","features":[66]},{"name":"USBD_PF_HANDLES_SSP_HIGH_BANDWIDTH_ISOCH","features":[66]},{"name":"USBD_PF_INTERACTIVE_PRIORITY","features":[66]},{"name":"USBD_PF_MAP_ADD_TRANSFERS","features":[66]},{"name":"USBD_PF_PRIORITY_MASK","features":[66]},{"name":"USBD_PF_SHORT_PACKET_OPT","features":[66]},{"name":"USBD_PF_SSP_HIGH_BANDWIDTH_ISOCH","features":[66]},{"name":"USBD_PF_VIDEO_PRIORITY","features":[66]},{"name":"USBD_PF_VOICE_PRIORITY","features":[66]},{"name":"USBD_PIPE_INFORMATION","features":[66]},{"name":"USBD_PIPE_TYPE","features":[66]},{"name":"USBD_PORT_CONNECTED","features":[66]},{"name":"USBD_PORT_ENABLED","features":[66]},{"name":"USBD_SHORT_TRANSFER_OK","features":[66]},{"name":"USBD_START_ISO_TRANSFER_ASAP","features":[66]},{"name":"USBD_STREAM_INFORMATION","features":[66]},{"name":"USBD_TRANSFER_DIRECTION","features":[66]},{"name":"USBD_TRANSFER_DIRECTION_IN","features":[66]},{"name":"USBD_TRANSFER_DIRECTION_OUT","features":[66]},{"name":"USBD_VERSION_INFORMATION","features":[66]},{"name":"USBFN_BUS_CONFIGURATION_INFO","features":[66,1]},{"name":"USBFN_BUS_SPEED","features":[66]},{"name":"USBFN_CLASS_INFORMATION_PACKET","features":[66,1]},{"name":"USBFN_CLASS_INFORMATION_PACKET_EX","features":[66,1]},{"name":"USBFN_CLASS_INTERFACE","features":[66]},{"name":"USBFN_CLASS_INTERFACE_EX","features":[66]},{"name":"USBFN_DEVICE_STATE","features":[66]},{"name":"USBFN_DIRECTION","features":[66]},{"name":"USBFN_EVENT","features":[66]},{"name":"USBFN_INTERFACE_INFO","features":[66]},{"name":"USBFN_INTERRUPT_ENDPOINT_SIZE_NOT_UPDATEABLE_MASK","features":[66]},{"name":"USBFN_NOTIFICATION","features":[66]},{"name":"USBFN_PIPE_INFORMATION","features":[66]},{"name":"USBFN_PORT_TYPE","features":[66]},{"name":"USBFN_USB_STRING","features":[66]},{"name":"USBSCAN_GET_DESCRIPTOR","features":[66]},{"name":"USBSCAN_PIPE_BULK","features":[66]},{"name":"USBSCAN_PIPE_CONFIGURATION","features":[66]},{"name":"USBSCAN_PIPE_CONTROL","features":[66]},{"name":"USBSCAN_PIPE_INFORMATION","features":[66]},{"name":"USBSCAN_PIPE_INTERRUPT","features":[66]},{"name":"USBSCAN_PIPE_ISOCHRONOUS","features":[66]},{"name":"USBSCAN_TIMEOUT","features":[66]},{"name":"USBUSER_BANDWIDTH_INFO_REQUEST","features":[66]},{"name":"USBUSER_BUS_STATISTICS_0_REQUEST","features":[66,1]},{"name":"USBUSER_CLEAR_ROOTPORT_FEATURE","features":[66]},{"name":"USBUSER_CLOSE_RAW_DEVICE","features":[66]},{"name":"USBUSER_CONTROLLER_INFO_0","features":[66]},{"name":"USBUSER_CONTROLLER_UNICODE_NAME","features":[66]},{"name":"USBUSER_GET_BANDWIDTH_INFORMATION","features":[66]},{"name":"USBUSER_GET_BUS_STATISTICS_0","features":[66]},{"name":"USBUSER_GET_CONTROLLER_DRIVER_KEY","features":[66]},{"name":"USBUSER_GET_CONTROLLER_INFO_0","features":[66]},{"name":"USBUSER_GET_DRIVER_VERSION","features":[66,1]},{"name":"USBUSER_GET_POWER_STATE_MAP","features":[66]},{"name":"USBUSER_GET_ROOTHUB_SYMBOLIC_NAME","features":[66]},{"name":"USBUSER_GET_ROOTPORT_STATUS","features":[66]},{"name":"USBUSER_GET_USB2HW_VERSION","features":[66]},{"name":"USBUSER_GET_USB2_HW_VERSION","features":[66]},{"name":"USBUSER_GET_USB_DRIVER_VERSION","features":[66]},{"name":"USBUSER_INVALID_REQUEST","features":[66]},{"name":"USBUSER_OPEN_RAW_DEVICE","features":[66]},{"name":"USBUSER_OP_CLOSE_RAW_DEVICE","features":[66]},{"name":"USBUSER_OP_MASK_DEVONLY_API","features":[66]},{"name":"USBUSER_OP_MASK_HCTEST_API","features":[66]},{"name":"USBUSER_OP_OPEN_RAW_DEVICE","features":[66]},{"name":"USBUSER_OP_RAW_RESET_PORT","features":[66]},{"name":"USBUSER_OP_SEND_ONE_PACKET","features":[66]},{"name":"USBUSER_OP_SEND_RAW_COMMAND","features":[66]},{"name":"USBUSER_PASS_THRU","features":[66]},{"name":"USBUSER_PASS_THRU_REQUEST","features":[66]},{"name":"USBUSER_POWER_INFO_REQUEST","features":[66,1]},{"name":"USBUSER_RAW_RESET_ROOT_PORT","features":[66]},{"name":"USBUSER_REFRESH_HCT_REG","features":[66]},{"name":"USBUSER_REQUEST_HEADER","features":[66]},{"name":"USBUSER_ROOTPORT_FEATURE_REQUEST","features":[66]},{"name":"USBUSER_ROOTPORT_PARAMETERS","features":[66]},{"name":"USBUSER_SEND_ONE_PACKET","features":[66]},{"name":"USBUSER_SEND_RAW_COMMAND","features":[66]},{"name":"USBUSER_SET_ROOTPORT_FEATURE","features":[66]},{"name":"USBUSER_USB_REFRESH_HCT_REG","features":[66]},{"name":"USBUSER_VERSION","features":[66]},{"name":"USB_20_ENDPOINT_TYPE_INTERRUPT_RESERVED_MASK","features":[66]},{"name":"USB_20_HUB_DESCRIPTOR_TYPE","features":[66]},{"name":"USB_20_PORT_CHANGE","features":[66]},{"name":"USB_20_PORT_STATUS","features":[66]},{"name":"USB_30_ENDPOINT_TYPE_INTERRUPT_RESERVED_MASK","features":[66]},{"name":"USB_30_ENDPOINT_TYPE_INTERRUPT_USAGE_MASK","features":[66]},{"name":"USB_30_ENDPOINT_TYPE_INTERRUPT_USAGE_NOTIFICATION","features":[66]},{"name":"USB_30_ENDPOINT_TYPE_INTERRUPT_USAGE_PERIODIC","features":[66]},{"name":"USB_30_ENDPOINT_TYPE_INTERRUPT_USAGE_RESERVED10","features":[66]},{"name":"USB_30_ENDPOINT_TYPE_INTERRUPT_USAGE_RESERVED11","features":[66]},{"name":"USB_30_HUB_DESCRIPTOR","features":[66]},{"name":"USB_30_HUB_DESCRIPTOR_TYPE","features":[66]},{"name":"USB_30_PORT_CHANGE","features":[66]},{"name":"USB_30_PORT_STATUS","features":[66]},{"name":"USB_ACQUIRE_INFO","features":[66]},{"name":"USB_ALLOW_FIRMWARE_UPDATE","features":[66]},{"name":"USB_BANDWIDTH_INFO","features":[66]},{"name":"USB_BOS_DESCRIPTOR","features":[66]},{"name":"USB_BOS_DESCRIPTOR_TYPE","features":[66]},{"name":"USB_BUS_NOTIFICATION","features":[66]},{"name":"USB_BUS_STATISTICS_0","features":[66,1]},{"name":"USB_CHANGE_REGISTRATION_HANDLE","features":[66]},{"name":"USB_CHARGING_POLICY_DEFAULT","features":[66]},{"name":"USB_CHARGING_POLICY_ICCHPF","features":[66]},{"name":"USB_CHARGING_POLICY_ICCLPF","features":[66]},{"name":"USB_CHARGING_POLICY_NO_POWER","features":[66]},{"name":"USB_CLOSE_RAW_DEVICE_PARAMETERS","features":[66]},{"name":"USB_COMMON_DESCRIPTOR","features":[66]},{"name":"USB_COMPOSITE_DEVICE_INFO","features":[66,1]},{"name":"USB_COMPOSITE_FUNCTION_INFO","features":[66,1]},{"name":"USB_CONFIGURATION_DESCRIPTOR","features":[66]},{"name":"USB_CONFIGURATION_DESCRIPTOR_TYPE","features":[66]},{"name":"USB_CONFIGURATION_POWER_DESCRIPTOR","features":[66]},{"name":"USB_CONFIG_BUS_POWERED","features":[66]},{"name":"USB_CONFIG_POWERED_MASK","features":[66]},{"name":"USB_CONFIG_POWER_DESCRIPTOR_TYPE","features":[66]},{"name":"USB_CONFIG_REMOTE_WAKEUP","features":[66]},{"name":"USB_CONFIG_RESERVED","features":[66]},{"name":"USB_CONFIG_SELF_POWERED","features":[66]},{"name":"USB_CONNECTION_NOTIFICATION","features":[66]},{"name":"USB_CONNECTION_STATUS","features":[66]},{"name":"USB_CONTROLLER_DEVICE_INFO","features":[66]},{"name":"USB_CONTROLLER_FLAVOR","features":[66]},{"name":"USB_CONTROLLER_INFO_0","features":[66]},{"name":"USB_CYCLE_PORT","features":[66]},{"name":"USB_CYCLE_PORT_PARAMS","features":[66]},{"name":"USB_DEBUG_DESCRIPTOR_TYPE","features":[66]},{"name":"USB_DEFAULT_DEVICE_ADDRESS","features":[66]},{"name":"USB_DEFAULT_ENDPOINT_ADDRESS","features":[66]},{"name":"USB_DEFAULT_MAX_PACKET","features":[66]},{"name":"USB_DEFAULT_PIPE_SETUP_PACKET","features":[66]},{"name":"USB_DESCRIPTOR_REQUEST","features":[66]},{"name":"USB_DEVICE_CAPABILITY_BATTERY_INFO","features":[66]},{"name":"USB_DEVICE_CAPABILITY_BILLBOARD","features":[66]},{"name":"USB_DEVICE_CAPABILITY_BILLBOARD_DESCRIPTOR","features":[66]},{"name":"USB_DEVICE_CAPABILITY_CONTAINER_ID","features":[66]},{"name":"USB_DEVICE_CAPABILITY_CONTAINER_ID_DESCRIPTOR","features":[66]},{"name":"USB_DEVICE_CAPABILITY_DESCRIPTOR","features":[66]},{"name":"USB_DEVICE_CAPABILITY_DESCRIPTOR_TYPE","features":[66]},{"name":"USB_DEVICE_CAPABILITY_FIRMWARE_STATUS","features":[66]},{"name":"USB_DEVICE_CAPABILITY_FIRMWARE_STATUS_DESCRIPTOR","features":[66]},{"name":"USB_DEVICE_CAPABILITY_MAX_U1_LATENCY","features":[66]},{"name":"USB_DEVICE_CAPABILITY_MAX_U2_LATENCY","features":[66]},{"name":"USB_DEVICE_CAPABILITY_PD_CONSUMER_PORT","features":[66]},{"name":"USB_DEVICE_CAPABILITY_PD_CONSUMER_PORT_DESCRIPTOR","features":[66]},{"name":"USB_DEVICE_CAPABILITY_PD_PROVIDER_PORT","features":[66]},{"name":"USB_DEVICE_CAPABILITY_PLATFORM","features":[66]},{"name":"USB_DEVICE_CAPABILITY_PLATFORM_DESCRIPTOR","features":[66]},{"name":"USB_DEVICE_CAPABILITY_POWER_DELIVERY","features":[66]},{"name":"USB_DEVICE_CAPABILITY_POWER_DELIVERY_DESCRIPTOR","features":[66]},{"name":"USB_DEVICE_CAPABILITY_PRECISION_TIME_MEASUREMENT","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_SPEED","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_SPEED_DIR_RX","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_SPEED_DIR_TX","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_SPEED_LSE_BPS","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_SPEED_LSE_GBPS","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_SPEED_LSE_KBPS","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_SPEED_LSE_MBPS","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_SPEED_MODE_ASYMMETRIC","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_SPEED_MODE_SYMMETRIC","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_SPEED_PROTOCOL_SS","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_SPEED_PROTOCOL_SSP","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_USB","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_USB_DESCRIPTOR","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEED_BMATTRIBUTES_LTM_CAPABLE","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEED_BMATTRIBUTES_RESERVED_MASK","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEED_SPEEDS_SUPPORTED_FULL","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEED_SPEEDS_SUPPORTED_HIGH","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEED_SPEEDS_SUPPORTED_LOW","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEED_SPEEDS_SUPPORTED_RESERVED_MASK","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEED_SPEEDS_SUPPORTED_SUPER","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEED_U1_DEVICE_EXIT_MAX_VALUE","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEED_U2_DEVICE_EXIT_MAX_VALUE","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEED_USB","features":[66]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEED_USB_DESCRIPTOR","features":[66]},{"name":"USB_DEVICE_CAPABILITY_USB20_EXTENSION","features":[66]},{"name":"USB_DEVICE_CAPABILITY_USB20_EXTENSION_BMATTRIBUTES_RESERVED_MASK","features":[66]},{"name":"USB_DEVICE_CAPABILITY_USB20_EXTENSION_DESCRIPTOR","features":[66]},{"name":"USB_DEVICE_CAPABILITY_WIRELESS_USB","features":[66]},{"name":"USB_DEVICE_CHARACTERISTICS","features":[66]},{"name":"USB_DEVICE_CHARACTERISTICS_MAXIMUM_PATH_DELAYS_AVAILABLE","features":[66]},{"name":"USB_DEVICE_CHARACTERISTICS_VERSION_1","features":[66]},{"name":"USB_DEVICE_CLASS_APPLICATION_SPECIFIC","features":[66]},{"name":"USB_DEVICE_CLASS_AUDIO","features":[66]},{"name":"USB_DEVICE_CLASS_AUDIO_VIDEO","features":[66]},{"name":"USB_DEVICE_CLASS_BILLBOARD","features":[66]},{"name":"USB_DEVICE_CLASS_CDC_DATA","features":[66]},{"name":"USB_DEVICE_CLASS_COMMUNICATIONS","features":[66]},{"name":"USB_DEVICE_CLASS_CONTENT_SECURITY","features":[66]},{"name":"USB_DEVICE_CLASS_DIAGNOSTIC_DEVICE","features":[66]},{"name":"USB_DEVICE_CLASS_HUB","features":[66]},{"name":"USB_DEVICE_CLASS_HUMAN_INTERFACE","features":[66]},{"name":"USB_DEVICE_CLASS_IMAGE","features":[66]},{"name":"USB_DEVICE_CLASS_MISCELLANEOUS","features":[66]},{"name":"USB_DEVICE_CLASS_MONITOR","features":[66]},{"name":"USB_DEVICE_CLASS_PERSONAL_HEALTHCARE","features":[66]},{"name":"USB_DEVICE_CLASS_PHYSICAL_INTERFACE","features":[66]},{"name":"USB_DEVICE_CLASS_POWER","features":[66]},{"name":"USB_DEVICE_CLASS_PRINTER","features":[66]},{"name":"USB_DEVICE_CLASS_RESERVED","features":[66]},{"name":"USB_DEVICE_CLASS_SMART_CARD","features":[66]},{"name":"USB_DEVICE_CLASS_STORAGE","features":[66]},{"name":"USB_DEVICE_CLASS_VENDOR_SPECIFIC","features":[66]},{"name":"USB_DEVICE_CLASS_VIDEO","features":[66]},{"name":"USB_DEVICE_CLASS_WIRELESS_CONTROLLER","features":[66]},{"name":"USB_DEVICE_DESCRIPTOR","features":[66]},{"name":"USB_DEVICE_DESCRIPTOR_TYPE","features":[66]},{"name":"USB_DEVICE_FIRMWARE_HASH_LENGTH","features":[66]},{"name":"USB_DEVICE_INFO","features":[66]},{"name":"USB_DEVICE_NODE_INFO","features":[66,1]},{"name":"USB_DEVICE_PERFORMANCE_INFO","features":[66]},{"name":"USB_DEVICE_QUALIFIER_DESCRIPTOR","features":[66]},{"name":"USB_DEVICE_QUALIFIER_DESCRIPTOR_TYPE","features":[66]},{"name":"USB_DEVICE_SPEED","features":[66]},{"name":"USB_DEVICE_STATE","features":[66]},{"name":"USB_DEVICE_STATUS","features":[66]},{"name":"USB_DEVICE_TYPE","features":[66]},{"name":"USB_DIAG_IGNORE_HUBS_OFF","features":[66]},{"name":"USB_DIAG_IGNORE_HUBS_ON","features":[66]},{"name":"USB_DISALLOW_FIRMWARE_UPDATE","features":[66]},{"name":"USB_DRIVER_VERSION_PARAMETERS","features":[66,1]},{"name":"USB_ENABLE_PORT","features":[66]},{"name":"USB_ENDPOINT_ADDRESS_MASK","features":[66]},{"name":"USB_ENDPOINT_DESCRIPTOR","features":[66]},{"name":"USB_ENDPOINT_DESCRIPTOR_TYPE","features":[66]},{"name":"USB_ENDPOINT_DIRECTION_MASK","features":[66]},{"name":"USB_ENDPOINT_STATUS","features":[66]},{"name":"USB_ENDPOINT_SUPERSPEED_BULK_MAX_PACKET_SIZE","features":[66]},{"name":"USB_ENDPOINT_SUPERSPEED_CONTROL_MAX_PACKET_SIZE","features":[66]},{"name":"USB_ENDPOINT_SUPERSPEED_INTERRUPT_MAX_PACKET_SIZE","features":[66]},{"name":"USB_ENDPOINT_SUPERSPEED_ISO_MAX_PACKET_SIZE","features":[66]},{"name":"USB_ENDPOINT_TYPE_BULK","features":[66]},{"name":"USB_ENDPOINT_TYPE_BULK_RESERVED_MASK","features":[66]},{"name":"USB_ENDPOINT_TYPE_CONTROL","features":[66]},{"name":"USB_ENDPOINT_TYPE_CONTROL_RESERVED_MASK","features":[66]},{"name":"USB_ENDPOINT_TYPE_INTERRUPT","features":[66]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS","features":[66]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS_RESERVED_MASK","features":[66]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS_SYNCHRONIZATION_ADAPTIVE","features":[66]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS_SYNCHRONIZATION_ASYNCHRONOUS","features":[66]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS_SYNCHRONIZATION_MASK","features":[66]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS_SYNCHRONIZATION_NO_SYNCHRONIZATION","features":[66]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS_SYNCHRONIZATION_SYNCHRONOUS","features":[66]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS_USAGE_DATA_ENDOINT","features":[66]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS_USAGE_FEEDBACK_ENDPOINT","features":[66]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS_USAGE_IMPLICIT_FEEDBACK_DATA_ENDPOINT","features":[66]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS_USAGE_MASK","features":[66]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS_USAGE_RESERVED","features":[66]},{"name":"USB_ENDPOINT_TYPE_MASK","features":[66]},{"name":"USB_FAIL_GET_STATUS","features":[66]},{"name":"USB_FEATURE_BATTERY_WAKE_MASK","features":[66]},{"name":"USB_FEATURE_CHARGING_POLICY","features":[66]},{"name":"USB_FEATURE_ENDPOINT_STALL","features":[66]},{"name":"USB_FEATURE_FUNCTION_SUSPEND","features":[66]},{"name":"USB_FEATURE_INTERFACE_POWER_D0","features":[66]},{"name":"USB_FEATURE_INTERFACE_POWER_D1","features":[66]},{"name":"USB_FEATURE_INTERFACE_POWER_D2","features":[66]},{"name":"USB_FEATURE_INTERFACE_POWER_D3","features":[66]},{"name":"USB_FEATURE_LDM_ENABLE","features":[66]},{"name":"USB_FEATURE_LTM_ENABLE","features":[66]},{"name":"USB_FEATURE_OS_IS_PD_AWARE","features":[66]},{"name":"USB_FEATURE_POLICY_MODE","features":[66]},{"name":"USB_FEATURE_REMOTE_WAKEUP","features":[66]},{"name":"USB_FEATURE_TEST_MODE","features":[66]},{"name":"USB_FEATURE_U1_ENABLE","features":[66]},{"name":"USB_FEATURE_U2_ENABLE","features":[66]},{"name":"USB_FRAME_NUMBER_AND_QPC_FOR_TIME_SYNC_INFORMATION","features":[66,1]},{"name":"USB_FUNCTION_SUSPEND_OPTIONS","features":[66]},{"name":"USB_GETSTATUS_LTM_ENABLE","features":[66]},{"name":"USB_GETSTATUS_REMOTE_WAKEUP_ENABLED","features":[66]},{"name":"USB_GETSTATUS_SELF_POWERED","features":[66]},{"name":"USB_GETSTATUS_U1_ENABLE","features":[66]},{"name":"USB_GETSTATUS_U2_ENABLE","features":[66]},{"name":"USB_GET_BUSGUID_INFO","features":[66]},{"name":"USB_GET_BUS_INFO","features":[66]},{"name":"USB_GET_CONTROLLER_NAME","features":[66]},{"name":"USB_GET_DESCRIPTOR_FROM_NODE_CONNECTION","features":[66]},{"name":"USB_GET_DEVICE_CHARACTERISTICS","features":[66]},{"name":"USB_GET_DEVICE_HANDLE","features":[66]},{"name":"USB_GET_DEVICE_HANDLE_EX","features":[66]},{"name":"USB_GET_FIRMWARE_ALLOWED_OR_DISALLOWED_STATE","features":[66]},{"name":"USB_GET_FIRMWARE_HASH","features":[66]},{"name":"USB_GET_FRAME_NUMBER_AND_QPC_FOR_TIME_SYNC","features":[66]},{"name":"USB_GET_HUB_CAPABILITIES","features":[66]},{"name":"USB_GET_HUB_CAPABILITIES_EX","features":[66]},{"name":"USB_GET_HUB_CONFIG_INFO","features":[66]},{"name":"USB_GET_HUB_COUNT","features":[66]},{"name":"USB_GET_HUB_INFORMATION_EX","features":[66]},{"name":"USB_GET_HUB_NAME","features":[66]},{"name":"USB_GET_NODE_CONNECTION_ATTRIBUTES","features":[66]},{"name":"USB_GET_NODE_CONNECTION_DRIVERKEY_NAME","features":[66]},{"name":"USB_GET_NODE_CONNECTION_INFORMATION","features":[66]},{"name":"USB_GET_NODE_CONNECTION_INFORMATION_EX","features":[66]},{"name":"USB_GET_NODE_CONNECTION_INFORMATION_EX_V2","features":[66]},{"name":"USB_GET_NODE_CONNECTION_NAME","features":[66]},{"name":"USB_GET_NODE_INFORMATION","features":[66]},{"name":"USB_GET_PARENT_HUB_INFO","features":[66]},{"name":"USB_GET_PORT_CONNECTOR_PROPERTIES","features":[66]},{"name":"USB_GET_PORT_STATUS","features":[66]},{"name":"USB_GET_ROOTHUB_PDO","features":[66]},{"name":"USB_GET_TOPOLOGY_ADDRESS","features":[66]},{"name":"USB_GET_TRANSPORT_CHARACTERISTICS","features":[66]},{"name":"USB_GET_TT_DEVICE_HANDLE","features":[66]},{"name":"USB_HCD_DRIVERKEY_NAME","features":[66]},{"name":"USB_HC_FEATURE_FLAG_PORT_POWER_SWITCHING","features":[66]},{"name":"USB_HC_FEATURE_FLAG_SEL_SUSPEND","features":[66]},{"name":"USB_HC_FEATURE_LEGACY_BIOS","features":[66]},{"name":"USB_HC_FEATURE_TIME_SYNC_API","features":[66]},{"name":"USB_HIGH_SPEED_MAXPACKET","features":[66]},{"name":"USB_HUB_30_PORT_REMOTE_WAKE_MASK","features":[66]},{"name":"USB_HUB_CAPABILITIES","features":[66]},{"name":"USB_HUB_CAPABILITIES_EX","features":[66]},{"name":"USB_HUB_CAP_FLAGS","features":[66]},{"name":"USB_HUB_CHANGE","features":[66]},{"name":"USB_HUB_CYCLE_PORT","features":[66]},{"name":"USB_HUB_DESCRIPTOR","features":[66]},{"name":"USB_HUB_DEVICE_INFO","features":[66,1]},{"name":"USB_HUB_DEVICE_UXD_SETTINGS","features":[66]},{"name":"USB_HUB_INFORMATION","features":[66,1]},{"name":"USB_HUB_INFORMATION_EX","features":[66]},{"name":"USB_HUB_NAME","features":[66]},{"name":"USB_HUB_NODE","features":[66]},{"name":"USB_HUB_PORT_INFORMATION","features":[66]},{"name":"USB_HUB_STATUS","features":[66]},{"name":"USB_HUB_STATUS_AND_CHANGE","features":[66]},{"name":"USB_HUB_TYPE","features":[66]},{"name":"USB_HcGeneric","features":[66]},{"name":"USB_IDLE_CALLBACK","features":[66]},{"name":"USB_IDLE_CALLBACK_INFO","features":[66]},{"name":"USB_IDLE_NOTIFICATION","features":[66]},{"name":"USB_IDLE_NOTIFICATION_EX","features":[66]},{"name":"USB_ID_STRING","features":[66]},{"name":"USB_INTERFACE_ASSOCIATION_DESCRIPTOR","features":[66]},{"name":"USB_INTERFACE_ASSOCIATION_DESCRIPTOR_TYPE","features":[66]},{"name":"USB_INTERFACE_DESCRIPTOR","features":[66]},{"name":"USB_INTERFACE_DESCRIPTOR_TYPE","features":[66]},{"name":"USB_INTERFACE_POWER_DESCRIPTOR","features":[66]},{"name":"USB_INTERFACE_POWER_DESCRIPTOR_TYPE","features":[66]},{"name":"USB_INTERFACE_STATUS","features":[66]},{"name":"USB_MI_PARENT_INFORMATION","features":[66]},{"name":"USB_NODE_CONNECTION_ATTRIBUTES","features":[66]},{"name":"USB_NODE_CONNECTION_DRIVERKEY_NAME","features":[66]},{"name":"USB_NODE_CONNECTION_INFORMATION","features":[66,1]},{"name":"USB_NODE_CONNECTION_INFORMATION_EX","features":[66,1]},{"name":"USB_NODE_CONNECTION_INFORMATION_EX_V2","features":[66]},{"name":"USB_NODE_CONNECTION_INFORMATION_EX_V2_FLAGS","features":[66]},{"name":"USB_NODE_CONNECTION_NAME","features":[66]},{"name":"USB_NODE_INFORMATION","features":[66,1]},{"name":"USB_NOTIFICATION","features":[66]},{"name":"USB_NOTIFICATION_TYPE","features":[66]},{"name":"USB_NOTIFY_ON_TRANSPORT_CHARACTERISTICS_CHANGE","features":[66]},{"name":"USB_OPEN_RAW_DEVICE_PARAMETERS","features":[66]},{"name":"USB_OTG_DESCRIPTOR_TYPE","features":[66]},{"name":"USB_OTHER_SPEED_CONFIGURATION_DESCRIPTOR_TYPE","features":[66]},{"name":"USB_PACKETFLAG_ASYNC_IN","features":[66]},{"name":"USB_PACKETFLAG_ASYNC_OUT","features":[66]},{"name":"USB_PACKETFLAG_FULL_SPEED","features":[66]},{"name":"USB_PACKETFLAG_HIGH_SPEED","features":[66]},{"name":"USB_PACKETFLAG_ISO_IN","features":[66]},{"name":"USB_PACKETFLAG_ISO_OUT","features":[66]},{"name":"USB_PACKETFLAG_LOW_SPEED","features":[66]},{"name":"USB_PACKETFLAG_SETUP","features":[66]},{"name":"USB_PACKETFLAG_TOGGLE0","features":[66]},{"name":"USB_PACKETFLAG_TOGGLE1","features":[66]},{"name":"USB_PASS_THRU_PARAMETERS","features":[66]},{"name":"USB_PIPE_INFO","features":[66]},{"name":"USB_PORTATTR_MINI_CONNECTOR","features":[66]},{"name":"USB_PORTATTR_NO_CONNECTOR","features":[66]},{"name":"USB_PORTATTR_NO_OVERCURRENT_UI","features":[66]},{"name":"USB_PORTATTR_OEM_CONNECTOR","features":[66]},{"name":"USB_PORTATTR_OWNED_BY_CC","features":[66]},{"name":"USB_PORTATTR_SHARED_USB2","features":[66]},{"name":"USB_PORT_CHANGE","features":[66]},{"name":"USB_PORT_CONNECTOR_PROPERTIES","features":[66]},{"name":"USB_PORT_EXT_STATUS","features":[66]},{"name":"USB_PORT_EXT_STATUS_AND_CHANGE","features":[66]},{"name":"USB_PORT_PROPERTIES","features":[66]},{"name":"USB_PORT_STATUS","features":[66]},{"name":"USB_PORT_STATUS_AND_CHANGE","features":[66]},{"name":"USB_PORT_STATUS_CONNECT","features":[66]},{"name":"USB_PORT_STATUS_ENABLE","features":[66]},{"name":"USB_PORT_STATUS_HIGH_SPEED","features":[66]},{"name":"USB_PORT_STATUS_LOW_SPEED","features":[66]},{"name":"USB_PORT_STATUS_OVER_CURRENT","features":[66]},{"name":"USB_PORT_STATUS_POWER","features":[66]},{"name":"USB_PORT_STATUS_RESET","features":[66]},{"name":"USB_PORT_STATUS_SUSPEND","features":[66]},{"name":"USB_POWER_INFO","features":[66,1]},{"name":"USB_PROTOCOLS","features":[66]},{"name":"USB_RECORD_FAILURE","features":[66]},{"name":"USB_REGISTER_COMPOSITE_DEVICE","features":[66]},{"name":"USB_REGISTER_FOR_TRANSPORT_BANDWIDTH_CHANGE","features":[66]},{"name":"USB_REGISTER_FOR_TRANSPORT_CHARACTERISTICS_CHANGE","features":[66]},{"name":"USB_REGISTER_FOR_TRANSPORT_LATENCY_CHANGE","features":[66]},{"name":"USB_REQUEST_CLEAR_FEATURE","features":[66]},{"name":"USB_REQUEST_CLEAR_TT_BUFFER","features":[66]},{"name":"USB_REQUEST_GET_CONFIGURATION","features":[66]},{"name":"USB_REQUEST_GET_DESCRIPTOR","features":[66]},{"name":"USB_REQUEST_GET_FIRMWARE_STATUS","features":[66]},{"name":"USB_REQUEST_GET_INTERFACE","features":[66]},{"name":"USB_REQUEST_GET_PORT_ERR_COUNT","features":[66]},{"name":"USB_REQUEST_GET_STATE","features":[66]},{"name":"USB_REQUEST_GET_STATUS","features":[66]},{"name":"USB_REQUEST_GET_TT_STATE","features":[66]},{"name":"USB_REQUEST_ISOCH_DELAY","features":[66]},{"name":"USB_REQUEST_REMOTE_WAKE_NOTIFICATION","features":[66]},{"name":"USB_REQUEST_RESET_TT","features":[66]},{"name":"USB_REQUEST_SET_ADDRESS","features":[66]},{"name":"USB_REQUEST_SET_CONFIGURATION","features":[66]},{"name":"USB_REQUEST_SET_DESCRIPTOR","features":[66]},{"name":"USB_REQUEST_SET_FEATURE","features":[66]},{"name":"USB_REQUEST_SET_FIRMWARE_STATUS","features":[66]},{"name":"USB_REQUEST_SET_HUB_DEPTH","features":[66]},{"name":"USB_REQUEST_SET_INTERFACE","features":[66]},{"name":"USB_REQUEST_SET_SEL","features":[66]},{"name":"USB_REQUEST_STOP_TT","features":[66]},{"name":"USB_REQUEST_SYNC_FRAME","features":[66]},{"name":"USB_REQ_GLOBAL_RESUME","features":[66]},{"name":"USB_REQ_GLOBAL_SUSPEND","features":[66]},{"name":"USB_RESERVED_DESCRIPTOR_TYPE","features":[66]},{"name":"USB_RESERVED_USER_BASE","features":[66]},{"name":"USB_RESET_HUB","features":[66]},{"name":"USB_RESET_PORT","features":[66]},{"name":"USB_ROOT_HUB_NAME","features":[66]},{"name":"USB_SEND_RAW_COMMAND_PARAMETERS","features":[66]},{"name":"USB_START_TRACKING_FOR_TIME_SYNC","features":[66]},{"name":"USB_START_TRACKING_FOR_TIME_SYNC_INFORMATION","features":[66,1]},{"name":"USB_STATUS_EXT_PORT_STATUS","features":[66]},{"name":"USB_STATUS_PD_STATUS","features":[66]},{"name":"USB_STATUS_PORT_STATUS","features":[66]},{"name":"USB_STOP_TRACKING_FOR_TIME_SYNC","features":[66]},{"name":"USB_STOP_TRACKING_FOR_TIME_SYNC_INFORMATION","features":[66,1]},{"name":"USB_STRING_DESCRIPTOR","features":[66]},{"name":"USB_STRING_DESCRIPTOR_TYPE","features":[66]},{"name":"USB_SUBMIT_URB","features":[66]},{"name":"USB_SUPERSPEEDPLUS_ISOCHRONOUS_MAX_BYTESPERINTERVAL","features":[66]},{"name":"USB_SUPERSPEEDPLUS_ISOCHRONOUS_MIN_BYTESPERINTERVAL","features":[66]},{"name":"USB_SUPERSPEEDPLUS_ISOCH_ENDPOINT_COMPANION_DESCRIPTOR","features":[66]},{"name":"USB_SUPERSPEEDPLUS_ISOCH_ENDPOINT_COMPANION_DESCRIPTOR_TYPE","features":[66]},{"name":"USB_SUPERSPEED_ENDPOINT_COMPANION_DESCRIPTOR","features":[66]},{"name":"USB_SUPERSPEED_ENDPOINT_COMPANION_DESCRIPTOR_TYPE","features":[66]},{"name":"USB_SUPERSPEED_ISOCHRONOUS_MAX_MULTIPLIER","features":[66]},{"name":"USB_SUPPORT_D0_COMMAND","features":[66]},{"name":"USB_SUPPORT_D1_COMMAND","features":[66]},{"name":"USB_SUPPORT_D1_WAKEUP","features":[66]},{"name":"USB_SUPPORT_D2_COMMAND","features":[66]},{"name":"USB_SUPPORT_D2_WAKEUP","features":[66]},{"name":"USB_SUPPORT_D3_COMMAND","features":[66]},{"name":"USB_TEST_MODE_TEST_FORCE_ENABLE","features":[66]},{"name":"USB_TEST_MODE_TEST_J","features":[66]},{"name":"USB_TEST_MODE_TEST_K","features":[66]},{"name":"USB_TEST_MODE_TEST_PACKET","features":[66]},{"name":"USB_TEST_MODE_TEST_SE0_NAK","features":[66]},{"name":"USB_TOPOLOGY_ADDRESS","features":[66]},{"name":"USB_TRANSPORT_CHARACTERISTICS","features":[66]},{"name":"USB_TRANSPORT_CHARACTERISTICS_BANDWIDTH_AVAILABLE","features":[66]},{"name":"USB_TRANSPORT_CHARACTERISTICS_CHANGE_NOTIFICATION","features":[66]},{"name":"USB_TRANSPORT_CHARACTERISTICS_CHANGE_REGISTRATION","features":[66]},{"name":"USB_TRANSPORT_CHARACTERISTICS_CHANGE_UNREGISTRATION","features":[66]},{"name":"USB_TRANSPORT_CHARACTERISTICS_LATENCY_AVAILABLE","features":[66]},{"name":"USB_TRANSPORT_CHARACTERISTICS_VERSION_1","features":[66]},{"name":"USB_UNICODE_NAME","features":[66]},{"name":"USB_UNREGISTER_COMPOSITE_DEVICE","features":[66]},{"name":"USB_UNREGISTER_FOR_TRANSPORT_CHARACTERISTICS_CHANGE","features":[66]},{"name":"USB_USB2HW_VERSION_PARAMETERS","features":[66]},{"name":"USB_USER_ERROR_CODE","features":[66]},{"name":"USB_WMI_DEVICE_NODE_TYPE","features":[66]},{"name":"Usb11Device","features":[66]},{"name":"Usb20Device","features":[66]},{"name":"Usb20Hub","features":[66]},{"name":"Usb30Hub","features":[66]},{"name":"UsbController","features":[66]},{"name":"UsbDevice","features":[66]},{"name":"UsbFullSpeed","features":[66]},{"name":"UsbHighSpeed","features":[66]},{"name":"UsbHub","features":[66]},{"name":"UsbLowSpeed","features":[66]},{"name":"UsbMIParent","features":[66]},{"name":"UsbRootHub","features":[66]},{"name":"UsbSuperSpeed","features":[66]},{"name":"UsbUserBufferTooSmall","features":[66]},{"name":"UsbUserDeviceNotStarted","features":[66]},{"name":"UsbUserErrorNotMapped","features":[66]},{"name":"UsbUserFeatureDisabled","features":[66]},{"name":"UsbUserInvalidHeaderParameter","features":[66]},{"name":"UsbUserInvalidParameter","features":[66]},{"name":"UsbUserInvalidRequestCode","features":[66]},{"name":"UsbUserMiniportError","features":[66]},{"name":"UsbUserNoDeviceConnected","features":[66]},{"name":"UsbUserNotSupported","features":[66]},{"name":"UsbUserSuccess","features":[66]},{"name":"UsbdEndpointOffloadHardwareAssisted","features":[66]},{"name":"UsbdEndpointOffloadModeNotSupported","features":[66]},{"name":"UsbdEndpointOffloadSoftwareAssisted","features":[66]},{"name":"UsbdPipeTypeBulk","features":[66]},{"name":"UsbdPipeTypeControl","features":[66]},{"name":"UsbdPipeTypeInterrupt","features":[66]},{"name":"UsbdPipeTypeIsochronous","features":[66]},{"name":"UsbfnBusSpeedFull","features":[66]},{"name":"UsbfnBusSpeedHigh","features":[66]},{"name":"UsbfnBusSpeedLow","features":[66]},{"name":"UsbfnBusSpeedMaximum","features":[66]},{"name":"UsbfnBusSpeedSuper","features":[66]},{"name":"UsbfnChargingDownstreamPort","features":[66]},{"name":"UsbfnDedicatedChargingPort","features":[66]},{"name":"UsbfnDeviceStateAddressed","features":[66]},{"name":"UsbfnDeviceStateAttached","features":[66]},{"name":"UsbfnDeviceStateConfigured","features":[66]},{"name":"UsbfnDeviceStateDefault","features":[66]},{"name":"UsbfnDeviceStateDetached","features":[66]},{"name":"UsbfnDeviceStateMinimum","features":[66]},{"name":"UsbfnDeviceStateStateMaximum","features":[66]},{"name":"UsbfnDeviceStateSuspended","features":[66]},{"name":"UsbfnDirectionIn","features":[66]},{"name":"UsbfnDirectionMaximum","features":[66]},{"name":"UsbfnDirectionMinimum","features":[66]},{"name":"UsbfnDirectionOut","features":[66]},{"name":"UsbfnDirectionRx","features":[66]},{"name":"UsbfnDirectionTx","features":[66]},{"name":"UsbfnEventAttach","features":[66]},{"name":"UsbfnEventBusTearDown","features":[66]},{"name":"UsbfnEventConfigured","features":[66]},{"name":"UsbfnEventDetach","features":[66]},{"name":"UsbfnEventMaximum","features":[66]},{"name":"UsbfnEventMinimum","features":[66]},{"name":"UsbfnEventPortType","features":[66]},{"name":"UsbfnEventReset","features":[66]},{"name":"UsbfnEventResume","features":[66]},{"name":"UsbfnEventSetInterface","features":[66]},{"name":"UsbfnEventSetupPacket","features":[66]},{"name":"UsbfnEventSuspend","features":[66]},{"name":"UsbfnEventUnConfigured","features":[66]},{"name":"UsbfnInvalidDedicatedChargingPort","features":[66]},{"name":"UsbfnPortTypeMaximum","features":[66]},{"name":"UsbfnProprietaryDedicatedChargingPort","features":[66]},{"name":"UsbfnStandardDownstreamPort","features":[66]},{"name":"UsbfnUnknownPort","features":[66]},{"name":"WDMUSB_POWER_STATE","features":[66]},{"name":"WINUSB_INTERFACE_HANDLE","features":[66]},{"name":"WINUSB_PIPE_INFORMATION","features":[66]},{"name":"WINUSB_PIPE_INFORMATION_EX","features":[66]},{"name":"WINUSB_PIPE_POLICY","features":[66]},{"name":"WINUSB_POWER_POLICY","features":[66]},{"name":"WINUSB_SETUP_PACKET","features":[66]},{"name":"WMI_USB_DEVICE_NODE_INFORMATION","features":[66]},{"name":"WMI_USB_DRIVER_INFORMATION","features":[66]},{"name":"WMI_USB_DRIVER_NOTIFICATION","features":[66]},{"name":"WMI_USB_HUB_NODE_INFORMATION","features":[66]},{"name":"WMI_USB_PERFORMANCE_INFORMATION","features":[66]},{"name":"WMI_USB_POWER_DEVICE_ENABLE","features":[66]},{"name":"WRITE_DATA_PIPE","features":[66]},{"name":"WdmUsbPowerDeviceD0","features":[66]},{"name":"WdmUsbPowerDeviceD1","features":[66]},{"name":"WdmUsbPowerDeviceD2","features":[66]},{"name":"WdmUsbPowerDeviceD3","features":[66]},{"name":"WdmUsbPowerDeviceUnspecified","features":[66]},{"name":"WdmUsbPowerNotMapped","features":[66]},{"name":"WdmUsbPowerSystemHibernate","features":[66]},{"name":"WdmUsbPowerSystemShutdown","features":[66]},{"name":"WdmUsbPowerSystemSleeping1","features":[66]},{"name":"WdmUsbPowerSystemSleeping2","features":[66]},{"name":"WdmUsbPowerSystemSleeping3","features":[66]},{"name":"WdmUsbPowerSystemUnspecified","features":[66]},{"name":"WdmUsbPowerSystemWorking","features":[66]},{"name":"WinUSB_TestGuid","features":[66]},{"name":"WinUsb_AbortPipe","features":[66,1]},{"name":"WinUsb_ControlTransfer","features":[66,1,6]},{"name":"WinUsb_FlushPipe","features":[66,1]},{"name":"WinUsb_Free","features":[66,1]},{"name":"WinUsb_GetAdjustedFrameNumber","features":[66,1]},{"name":"WinUsb_GetAssociatedInterface","features":[66,1]},{"name":"WinUsb_GetCurrentAlternateSetting","features":[66,1]},{"name":"WinUsb_GetCurrentFrameNumber","features":[66,1]},{"name":"WinUsb_GetCurrentFrameNumberAndQpc","features":[66,1]},{"name":"WinUsb_GetDescriptor","features":[66,1]},{"name":"WinUsb_GetOverlappedResult","features":[66,1,6]},{"name":"WinUsb_GetPipePolicy","features":[66,1]},{"name":"WinUsb_GetPowerPolicy","features":[66,1]},{"name":"WinUsb_Initialize","features":[66,1]},{"name":"WinUsb_ParseConfigurationDescriptor","features":[66]},{"name":"WinUsb_ParseDescriptors","features":[66]},{"name":"WinUsb_QueryDeviceInformation","features":[66,1]},{"name":"WinUsb_QueryInterfaceSettings","features":[66,1]},{"name":"WinUsb_QueryPipe","features":[66,1]},{"name":"WinUsb_QueryPipeEx","features":[66,1]},{"name":"WinUsb_ReadIsochPipe","features":[66,1,6]},{"name":"WinUsb_ReadIsochPipeAsap","features":[66,1,6]},{"name":"WinUsb_ReadPipe","features":[66,1,6]},{"name":"WinUsb_RegisterIsochBuffer","features":[66,1]},{"name":"WinUsb_ResetPipe","features":[66,1]},{"name":"WinUsb_SetCurrentAlternateSetting","features":[66,1]},{"name":"WinUsb_SetPipePolicy","features":[66,1]},{"name":"WinUsb_SetPowerPolicy","features":[66,1]},{"name":"WinUsb_StartTrackingForTimeSync","features":[66,1]},{"name":"WinUsb_StopTrackingForTimeSync","features":[66,1]},{"name":"WinUsb_UnregisterIsochBuffer","features":[66,1]},{"name":"WinUsb_WriteIsochPipe","features":[66,1,6]},{"name":"WinUsb_WriteIsochPipeAsap","features":[66,1,6]},{"name":"WinUsb_WritePipe","features":[66,1,6]},{"name":"_URB_BULK_OR_INTERRUPT_TRANSFER","features":[66]},{"name":"_URB_CONTROL_DESCRIPTOR_REQUEST","features":[66]},{"name":"_URB_CONTROL_FEATURE_REQUEST","features":[66]},{"name":"_URB_CONTROL_GET_CONFIGURATION_REQUEST","features":[66]},{"name":"_URB_CONTROL_GET_INTERFACE_REQUEST","features":[66]},{"name":"_URB_CONTROL_GET_STATUS_REQUEST","features":[66]},{"name":"_URB_CONTROL_TRANSFER","features":[66]},{"name":"_URB_CONTROL_TRANSFER_EX","features":[66]},{"name":"_URB_CONTROL_VENDOR_OR_CLASS_REQUEST","features":[66]},{"name":"_URB_FRAME_LENGTH_CONTROL","features":[66]},{"name":"_URB_GET_CURRENT_FRAME_NUMBER","features":[66]},{"name":"_URB_GET_FRAME_LENGTH","features":[66]},{"name":"_URB_GET_ISOCH_PIPE_TRANSFER_PATH_DELAYS","features":[66]},{"name":"_URB_HCD_AREA","features":[66]},{"name":"_URB_HEADER","features":[66]},{"name":"_URB_ISOCH_TRANSFER","features":[66]},{"name":"_URB_OPEN_STATIC_STREAMS","features":[66]},{"name":"_URB_OS_FEATURE_DESCRIPTOR_REQUEST","features":[66]},{"name":"_URB_PIPE_REQUEST","features":[66]},{"name":"_URB_SELECT_CONFIGURATION","features":[66]},{"name":"_URB_SELECT_INTERFACE","features":[66]},{"name":"_URB_SET_FRAME_LENGTH","features":[66]}],"388":[{"name":"DeviceDiscoveryMechanism","features":[67]},{"name":"DirectedDiscovery","features":[67]},{"name":"IWSDAddress","features":[67]},{"name":"IWSDAsyncCallback","features":[67]},{"name":"IWSDAsyncResult","features":[67]},{"name":"IWSDAttachment","features":[67]},{"name":"IWSDDeviceHost","features":[67]},{"name":"IWSDDeviceHostNotify","features":[67]},{"name":"IWSDDeviceProxy","features":[67]},{"name":"IWSDEndpointProxy","features":[67]},{"name":"IWSDEventingStatus","features":[67]},{"name":"IWSDHttpAddress","features":[67]},{"name":"IWSDHttpAuthParameters","features":[67]},{"name":"IWSDHttpMessageParameters","features":[67]},{"name":"IWSDInboundAttachment","features":[67]},{"name":"IWSDMessageParameters","features":[67]},{"name":"IWSDMetadataExchange","features":[67]},{"name":"IWSDOutboundAttachment","features":[67]},{"name":"IWSDSSLClientCertificate","features":[67]},{"name":"IWSDScopeMatchingRule","features":[67]},{"name":"IWSDServiceMessaging","features":[67]},{"name":"IWSDServiceProxy","features":[67]},{"name":"IWSDServiceProxyEventing","features":[67]},{"name":"IWSDSignatureProperty","features":[67]},{"name":"IWSDTransportAddress","features":[67]},{"name":"IWSDUdpAddress","features":[67]},{"name":"IWSDUdpMessageParameters","features":[67]},{"name":"IWSDXMLContext","features":[67]},{"name":"IWSDiscoveredService","features":[67]},{"name":"IWSDiscoveryProvider","features":[67]},{"name":"IWSDiscoveryProviderNotify","features":[67]},{"name":"IWSDiscoveryPublisher","features":[67]},{"name":"IWSDiscoveryPublisherNotify","features":[67]},{"name":"MulticastDiscovery","features":[67]},{"name":"ONE_WAY","features":[67]},{"name":"OpAnyElement","features":[67]},{"name":"OpAnyElements","features":[67]},{"name":"OpAnyNumber","features":[67]},{"name":"OpAnyText","features":[67]},{"name":"OpAnything","features":[67]},{"name":"OpAttribute_","features":[67]},{"name":"OpBeginAll","features":[67]},{"name":"OpBeginAnyElement","features":[67]},{"name":"OpBeginChoice","features":[67]},{"name":"OpBeginElement_","features":[67]},{"name":"OpBeginSequence","features":[67]},{"name":"OpElement_","features":[67]},{"name":"OpEndAll","features":[67]},{"name":"OpEndChoice","features":[67]},{"name":"OpEndElement","features":[67]},{"name":"OpEndOfTable","features":[67]},{"name":"OpEndSequence","features":[67]},{"name":"OpFormatBool_","features":[67]},{"name":"OpFormatDateTime_","features":[67]},{"name":"OpFormatDom_","features":[67]},{"name":"OpFormatDouble_","features":[67]},{"name":"OpFormatDuration_","features":[67]},{"name":"OpFormatDynamicType_","features":[67]},{"name":"OpFormatFloat_","features":[67]},{"name":"OpFormatInt16_","features":[67]},{"name":"OpFormatInt32_","features":[67]},{"name":"OpFormatInt64_","features":[67]},{"name":"OpFormatInt8_","features":[67]},{"name":"OpFormatListInsertTail_","features":[67]},{"name":"OpFormatLookupType_","features":[67]},{"name":"OpFormatMax","features":[67]},{"name":"OpFormatName_","features":[67]},{"name":"OpFormatStruct_","features":[67]},{"name":"OpFormatType_","features":[67]},{"name":"OpFormatUInt16_","features":[67]},{"name":"OpFormatUInt32_","features":[67]},{"name":"OpFormatUInt64_","features":[67]},{"name":"OpFormatUInt8_","features":[67]},{"name":"OpFormatUnicodeString_","features":[67]},{"name":"OpFormatUri_","features":[67]},{"name":"OpFormatUuidUri_","features":[67]},{"name":"OpFormatXMLDeclaration_","features":[67]},{"name":"OpNone","features":[67]},{"name":"OpOneOrMore","features":[67]},{"name":"OpOptional","features":[67]},{"name":"OpProcess_","features":[67]},{"name":"OpQualifiedAttribute_","features":[67]},{"name":"PWSD_SOAP_MESSAGE_HANDLER","features":[67]},{"name":"REQUESTBODY_GetStatus","features":[67]},{"name":"REQUESTBODY_Renew","features":[67,1]},{"name":"REQUESTBODY_Subscribe","features":[67,1]},{"name":"REQUESTBODY_Unsubscribe","features":[67]},{"name":"RESPONSEBODY_GetMetadata","features":[67]},{"name":"RESPONSEBODY_GetStatus","features":[67,1]},{"name":"RESPONSEBODY_Renew","features":[67,1]},{"name":"RESPONSEBODY_Subscribe","features":[67,1]},{"name":"RESPONSEBODY_SubscriptionEnd","features":[67]},{"name":"SecureDirectedDiscovery","features":[67]},{"name":"TWO_WAY","features":[67]},{"name":"WSDAPI_ADDRESSFAMILY_IPV4","features":[67]},{"name":"WSDAPI_ADDRESSFAMILY_IPV6","features":[67]},{"name":"WSDAPI_COMPACTSIG_ACCEPT_ALL_MESSAGES","features":[67]},{"name":"WSDAPI_OPTION_MAX_INBOUND_MESSAGE_SIZE","features":[67]},{"name":"WSDAPI_OPTION_TRACE_XML_TO_DEBUGGER","features":[67]},{"name":"WSDAPI_OPTION_TRACE_XML_TO_FILE","features":[67]},{"name":"WSDAPI_SSL_CERT_APPLY_DEFAULT_CHECKS","features":[67]},{"name":"WSDAPI_SSL_CERT_IGNORE_EXPIRY","features":[67]},{"name":"WSDAPI_SSL_CERT_IGNORE_INVALID_CN","features":[67]},{"name":"WSDAPI_SSL_CERT_IGNORE_REVOCATION","features":[67]},{"name":"WSDAPI_SSL_CERT_IGNORE_UNKNOWN_CA","features":[67]},{"name":"WSDAPI_SSL_CERT_IGNORE_WRONG_USAGE","features":[67]},{"name":"WSDAllocateLinkedMemory","features":[67]},{"name":"WSDAttachLinkedMemory","features":[67]},{"name":"WSDCreateDeviceHost","features":[67]},{"name":"WSDCreateDeviceHost2","features":[67]},{"name":"WSDCreateDeviceHostAdvanced","features":[67]},{"name":"WSDCreateDeviceProxy","features":[67]},{"name":"WSDCreateDeviceProxy2","features":[67]},{"name":"WSDCreateDeviceProxyAdvanced","features":[67]},{"name":"WSDCreateDiscoveryProvider","features":[67]},{"name":"WSDCreateDiscoveryProvider2","features":[67]},{"name":"WSDCreateDiscoveryPublisher","features":[67]},{"name":"WSDCreateDiscoveryPublisher2","features":[67]},{"name":"WSDCreateHttpAddress","features":[67]},{"name":"WSDCreateHttpMessageParameters","features":[67]},{"name":"WSDCreateOutboundAttachment","features":[67]},{"name":"WSDCreateUdpAddress","features":[67]},{"name":"WSDCreateUdpMessageParameters","features":[67]},{"name":"WSDDetachLinkedMemory","features":[67]},{"name":"WSDET_INCOMING_FAULT","features":[67]},{"name":"WSDET_INCOMING_MESSAGE","features":[67]},{"name":"WSDET_NONE","features":[67]},{"name":"WSDET_RESPONSE_TIMEOUT","features":[67]},{"name":"WSDET_TRANSMISSION_FAILURE","features":[67]},{"name":"WSDEventType","features":[67]},{"name":"WSDFreeLinkedMemory","features":[67]},{"name":"WSDGenerateFault","features":[67]},{"name":"WSDGenerateFaultEx","features":[67]},{"name":"WSDGetConfigurationOption","features":[67]},{"name":"WSDSetConfigurationOption","features":[67]},{"name":"WSDUdpMessageType","features":[67]},{"name":"WSDUdpRetransmitParams","features":[67]},{"name":"WSDUriDecode","features":[67]},{"name":"WSDUriEncode","features":[67]},{"name":"WSDXMLAddChild","features":[67]},{"name":"WSDXMLAddSibling","features":[67]},{"name":"WSDXMLBuildAnyForSingleElement","features":[67]},{"name":"WSDXMLCleanupElement","features":[67]},{"name":"WSDXMLCreateContext","features":[67]},{"name":"WSDXMLGetNameFromBuiltinNamespace","features":[67]},{"name":"WSDXMLGetValueFromAny","features":[67]},{"name":"WSDXML_ATTRIBUTE","features":[67]},{"name":"WSDXML_ELEMENT","features":[67]},{"name":"WSDXML_ELEMENT_LIST","features":[67]},{"name":"WSDXML_NAME","features":[67]},{"name":"WSDXML_NAMESPACE","features":[67]},{"name":"WSDXML_NODE","features":[67]},{"name":"WSDXML_OP","features":[67]},{"name":"WSDXML_PREFIX_MAPPING","features":[67]},{"name":"WSDXML_TEXT","features":[67]},{"name":"WSDXML_TYPE","features":[67]},{"name":"WSD_APP_SEQUENCE","features":[67]},{"name":"WSD_BYE","features":[67]},{"name":"WSD_CONFIG_ADDRESSES","features":[67]},{"name":"WSD_CONFIG_DEVICE_ADDRESSES","features":[67]},{"name":"WSD_CONFIG_HOSTING_ADDRESSES","features":[67]},{"name":"WSD_CONFIG_MAX_INBOUND_MESSAGE_SIZE","features":[67]},{"name":"WSD_CONFIG_MAX_OUTBOUND_MESSAGE_SIZE","features":[67]},{"name":"WSD_CONFIG_PARAM","features":[67]},{"name":"WSD_CONFIG_PARAM_TYPE","features":[67]},{"name":"WSD_DATETIME","features":[67,1]},{"name":"WSD_DEFAULT_EVENTING_ADDRESS","features":[67]},{"name":"WSD_DEFAULT_HOSTING_ADDRESS","features":[67]},{"name":"WSD_DEFAULT_SECURE_HOSTING_ADDRESS","features":[67]},{"name":"WSD_DURATION","features":[67,1]},{"name":"WSD_ENDPOINT_REFERENCE","features":[67]},{"name":"WSD_ENDPOINT_REFERENCE_LIST","features":[67]},{"name":"WSD_EVENT","features":[67]},{"name":"WSD_EVENTING_DELIVERY_MODE","features":[67]},{"name":"WSD_EVENTING_DELIVERY_MODE_PUSH","features":[67]},{"name":"WSD_EVENTING_EXPIRES","features":[67,1]},{"name":"WSD_EVENTING_FILTER","features":[67]},{"name":"WSD_EVENTING_FILTER_ACTION","features":[67]},{"name":"WSD_HANDLER_CONTEXT","features":[67]},{"name":"WSD_HEADER_RELATESTO","features":[67]},{"name":"WSD_HELLO","features":[67]},{"name":"WSD_HOST_METADATA","features":[67]},{"name":"WSD_LOCALIZED_STRING","features":[67]},{"name":"WSD_LOCALIZED_STRING_LIST","features":[67]},{"name":"WSD_METADATA_SECTION","features":[67]},{"name":"WSD_METADATA_SECTION_LIST","features":[67]},{"name":"WSD_NAME_LIST","features":[67]},{"name":"WSD_OPERATION","features":[67]},{"name":"WSD_PORT_TYPE","features":[67]},{"name":"WSD_PROBE","features":[67]},{"name":"WSD_PROBE_MATCH","features":[67]},{"name":"WSD_PROBE_MATCHES","features":[67]},{"name":"WSD_PROBE_MATCH_LIST","features":[67]},{"name":"WSD_PROTOCOL_TYPE","features":[67]},{"name":"WSD_PT_ALL","features":[67]},{"name":"WSD_PT_HTTP","features":[67]},{"name":"WSD_PT_HTTPS","features":[67]},{"name":"WSD_PT_NONE","features":[67]},{"name":"WSD_PT_UDP","features":[67]},{"name":"WSD_REFERENCE_PARAMETERS","features":[67]},{"name":"WSD_REFERENCE_PROPERTIES","features":[67]},{"name":"WSD_RELATIONSHIP_METADATA","features":[67]},{"name":"WSD_RESOLVE","features":[67]},{"name":"WSD_RESOLVE_MATCH","features":[67]},{"name":"WSD_RESOLVE_MATCHES","features":[67]},{"name":"WSD_SCOPES","features":[67]},{"name":"WSD_SECURITY_CERT_VALIDATION","features":[67,1,68]},{"name":"WSD_SECURITY_CERT_VALIDATION_V1","features":[67,1,68]},{"name":"WSD_SECURITY_COMPACTSIG_SIGNING_CERT","features":[67]},{"name":"WSD_SECURITY_COMPACTSIG_VALIDATION","features":[67]},{"name":"WSD_SECURITY_HTTP_AUTH_SCHEME_NEGOTIATE","features":[67]},{"name":"WSD_SECURITY_HTTP_AUTH_SCHEME_NTLM","features":[67]},{"name":"WSD_SECURITY_REQUIRE_CLIENT_CERT_OR_HTTP_CLIENT_AUTH","features":[67]},{"name":"WSD_SECURITY_REQUIRE_HTTP_CLIENT_AUTH","features":[67]},{"name":"WSD_SECURITY_SIGNATURE_VALIDATION","features":[67,1,68]},{"name":"WSD_SECURITY_SSL_CERT_FOR_CLIENT_AUTH","features":[67]},{"name":"WSD_SECURITY_SSL_CLIENT_CERT_VALIDATION","features":[67]},{"name":"WSD_SECURITY_SSL_NEGOTIATE_CLIENT_CERT","features":[67]},{"name":"WSD_SECURITY_SSL_SERVER_CERT_VALIDATION","features":[67]},{"name":"WSD_SECURITY_USE_HTTP_CLIENT_AUTH","features":[67]},{"name":"WSD_SERVICE_METADATA","features":[67]},{"name":"WSD_SERVICE_METADATA_LIST","features":[67]},{"name":"WSD_SOAP_FAULT","features":[67]},{"name":"WSD_SOAP_FAULT_CODE","features":[67]},{"name":"WSD_SOAP_FAULT_REASON","features":[67]},{"name":"WSD_SOAP_FAULT_SUBCODE","features":[67]},{"name":"WSD_SOAP_HEADER","features":[67]},{"name":"WSD_SOAP_MESSAGE","features":[67]},{"name":"WSD_STUB_FUNCTION","features":[67]},{"name":"WSD_SYNCHRONOUS_RESPONSE_CONTEXT","features":[67,1]},{"name":"WSD_THIS_DEVICE_METADATA","features":[67]},{"name":"WSD_THIS_MODEL_METADATA","features":[67]},{"name":"WSD_UNKNOWN_LOOKUP","features":[67]},{"name":"WSD_URI_LIST","features":[67]}],"389":[{"name":"APPMODEL_ERROR_DYNAMIC_PROPERTY_INVALID","features":[1]},{"name":"APPMODEL_ERROR_DYNAMIC_PROPERTY_READ_FAILED","features":[1]},{"name":"APPMODEL_ERROR_NO_APPLICATION","features":[1]},{"name":"APPMODEL_ERROR_NO_MUTABLE_DIRECTORY","features":[1]},{"name":"APPMODEL_ERROR_NO_PACKAGE","features":[1]},{"name":"APPMODEL_ERROR_PACKAGE_IDENTITY_CORRUPT","features":[1]},{"name":"APPMODEL_ERROR_PACKAGE_NOT_AVAILABLE","features":[1]},{"name":"APPMODEL_ERROR_PACKAGE_RUNTIME_CORRUPT","features":[1]},{"name":"APPX_E_BLOCK_HASH_INVALID","features":[1]},{"name":"APPX_E_CORRUPT_CONTENT","features":[1]},{"name":"APPX_E_DELTA_APPENDED_PACKAGE_NOT_ALLOWED","features":[1]},{"name":"APPX_E_DELTA_BASELINE_VERSION_MISMATCH","features":[1]},{"name":"APPX_E_DELTA_PACKAGE_MISSING_FILE","features":[1]},{"name":"APPX_E_DIGEST_MISMATCH","features":[1]},{"name":"APPX_E_FILE_COMPRESSION_MISMATCH","features":[1]},{"name":"APPX_E_INTERLEAVING_NOT_ALLOWED","features":[1]},{"name":"APPX_E_INVALID_APPINSTALLER","features":[1]},{"name":"APPX_E_INVALID_BLOCKMAP","features":[1]},{"name":"APPX_E_INVALID_CONTENTGROUPMAP","features":[1]},{"name":"APPX_E_INVALID_DELTA_PACKAGE","features":[1]},{"name":"APPX_E_INVALID_ENCRYPTION_EXCLUSION_FILE_LIST","features":[1]},{"name":"APPX_E_INVALID_KEY_INFO","features":[1]},{"name":"APPX_E_INVALID_MANIFEST","features":[1]},{"name":"APPX_E_INVALID_PACKAGESIGNCONFIG","features":[1]},{"name":"APPX_E_INVALID_PACKAGE_FOLDER_ACLS","features":[1]},{"name":"APPX_E_INVALID_PACKAGING_LAYOUT","features":[1]},{"name":"APPX_E_INVALID_PAYLOAD_PACKAGE_EXTENSION","features":[1]},{"name":"APPX_E_INVALID_PUBLISHER_BRIDGING","features":[1]},{"name":"APPX_E_INVALID_SIP_CLIENT_DATA","features":[1]},{"name":"APPX_E_MISSING_REQUIRED_FILE","features":[1]},{"name":"APPX_E_PACKAGING_INTERNAL","features":[1]},{"name":"APPX_E_RELATIONSHIPS_NOT_ALLOWED","features":[1]},{"name":"APPX_E_REQUESTED_RANGE_TOO_LARGE","features":[1]},{"name":"APPX_E_RESOURCESPRI_NOT_ALLOWED","features":[1]},{"name":"APP_LOCAL_DEVICE_ID","features":[1]},{"name":"APP_LOCAL_DEVICE_ID_SIZE","features":[1]},{"name":"BOOL","features":[1]},{"name":"BOOLEAN","features":[1]},{"name":"BSTR","features":[1]},{"name":"BT_E_SPURIOUS_ACTIVATION","features":[1]},{"name":"CACHE_E_FIRST","features":[1]},{"name":"CACHE_E_LAST","features":[1]},{"name":"CACHE_E_NOCACHE_UPDATED","features":[1]},{"name":"CACHE_S_FIRST","features":[1]},{"name":"CACHE_S_FORMATETC_NOTSUPPORTED","features":[1]},{"name":"CACHE_S_LAST","features":[1]},{"name":"CACHE_S_SAMECACHE","features":[1]},{"name":"CACHE_S_SOMECACHES_NOTUPDATED","features":[1]},{"name":"CAT_E_CATIDNOEXIST","features":[1]},{"name":"CAT_E_FIRST","features":[1]},{"name":"CAT_E_LAST","features":[1]},{"name":"CAT_E_NODESCRIPTION","features":[1]},{"name":"CERTSRV_E_ADMIN_DENIED_REQUEST","features":[1]},{"name":"CERTSRV_E_ALIGNMENT_FAULT","features":[1]},{"name":"CERTSRV_E_ARCHIVED_KEY_REQUIRED","features":[1]},{"name":"CERTSRV_E_ARCHIVED_KEY_UNEXPECTED","features":[1]},{"name":"CERTSRV_E_BAD_RENEWAL_CERT_ATTRIBUTE","features":[1]},{"name":"CERTSRV_E_BAD_RENEWAL_SUBJECT","features":[1]},{"name":"CERTSRV_E_BAD_REQUESTSTATUS","features":[1]},{"name":"CERTSRV_E_BAD_REQUESTSUBJECT","features":[1]},{"name":"CERTSRV_E_BAD_REQUEST_KEY_ARCHIVAL","features":[1]},{"name":"CERTSRV_E_BAD_TEMPLATE_VERSION","features":[1]},{"name":"CERTSRV_E_CERT_TYPE_OVERLAP","features":[1]},{"name":"CERTSRV_E_CORRUPT_KEY_ATTESTATION","features":[1]},{"name":"CERTSRV_E_DOWNLEVEL_DC_SSL_OR_UPGRADE","features":[1]},{"name":"CERTSRV_E_ENCODING_LENGTH","features":[1]},{"name":"CERTSRV_E_ENCRYPTION_CERT_REQUIRED","features":[1]},{"name":"CERTSRV_E_ENROLL_DENIED","features":[1]},{"name":"CERTSRV_E_EXPIRED_CHALLENGE","features":[1]},{"name":"CERTSRV_E_INVALID_ATTESTATION","features":[1]},{"name":"CERTSRV_E_INVALID_CA_CERTIFICATE","features":[1]},{"name":"CERTSRV_E_INVALID_EK","features":[1]},{"name":"CERTSRV_E_INVALID_IDBINDING","features":[1]},{"name":"CERTSRV_E_INVALID_REQUESTID","features":[1]},{"name":"CERTSRV_E_INVALID_RESPONSE","features":[1]},{"name":"CERTSRV_E_ISSUANCE_POLICY_REQUIRED","features":[1]},{"name":"CERTSRV_E_KEY_ARCHIVAL_NOT_CONFIGURED","features":[1]},{"name":"CERTSRV_E_KEY_ATTESTATION","features":[1]},{"name":"CERTSRV_E_KEY_ATTESTATION_NOT_SUPPORTED","features":[1]},{"name":"CERTSRV_E_KEY_LENGTH","features":[1]},{"name":"CERTSRV_E_NO_CAADMIN_DEFINED","features":[1]},{"name":"CERTSRV_E_NO_CERT_TYPE","features":[1]},{"name":"CERTSRV_E_NO_DB_SESSIONS","features":[1]},{"name":"CERTSRV_E_NO_POLICY_SERVER","features":[1]},{"name":"CERTSRV_E_NO_REQUEST","features":[1]},{"name":"CERTSRV_E_NO_VALID_KRA","features":[1]},{"name":"CERTSRV_E_PENDING_CLIENT_RESPONSE","features":[1]},{"name":"CERTSRV_E_PROPERTY_EMPTY","features":[1]},{"name":"CERTSRV_E_RENEWAL_BAD_PUBLIC_KEY","features":[1]},{"name":"CERTSRV_E_REQUEST_PRECERTIFICATE_MISMATCH","features":[1]},{"name":"CERTSRV_E_RESTRICTEDOFFICER","features":[1]},{"name":"CERTSRV_E_ROLECONFLICT","features":[1]},{"name":"CERTSRV_E_SEC_EXT_DIRECTORY_SID_REQUIRED","features":[1]},{"name":"CERTSRV_E_SERVER_SUSPENDED","features":[1]},{"name":"CERTSRV_E_SIGNATURE_COUNT","features":[1]},{"name":"CERTSRV_E_SIGNATURE_POLICY_REQUIRED","features":[1]},{"name":"CERTSRV_E_SIGNATURE_REJECTED","features":[1]},{"name":"CERTSRV_E_SMIME_REQUIRED","features":[1]},{"name":"CERTSRV_E_SUBJECT_ALT_NAME_REQUIRED","features":[1]},{"name":"CERTSRV_E_SUBJECT_DIRECTORY_GUID_REQUIRED","features":[1]},{"name":"CERTSRV_E_SUBJECT_DNS_REQUIRED","features":[1]},{"name":"CERTSRV_E_SUBJECT_EMAIL_REQUIRED","features":[1]},{"name":"CERTSRV_E_SUBJECT_UPN_REQUIRED","features":[1]},{"name":"CERTSRV_E_TEMPLATE_CONFLICT","features":[1]},{"name":"CERTSRV_E_TEMPLATE_DENIED","features":[1]},{"name":"CERTSRV_E_TEMPLATE_POLICY_REQUIRED","features":[1]},{"name":"CERTSRV_E_TOO_MANY_SIGNATURES","features":[1]},{"name":"CERTSRV_E_UNKNOWN_CERT_TYPE","features":[1]},{"name":"CERTSRV_E_UNSUPPORTED_CERT_TYPE","features":[1]},{"name":"CERTSRV_E_WEAK_SIGNATURE_OR_KEY","features":[1]},{"name":"CERT_E_CHAINING","features":[1]},{"name":"CERT_E_CN_NO_MATCH","features":[1]},{"name":"CERT_E_CRITICAL","features":[1]},{"name":"CERT_E_EXPIRED","features":[1]},{"name":"CERT_E_INVALID_NAME","features":[1]},{"name":"CERT_E_INVALID_POLICY","features":[1]},{"name":"CERT_E_ISSUERCHAINING","features":[1]},{"name":"CERT_E_MALFORMED","features":[1]},{"name":"CERT_E_PATHLENCONST","features":[1]},{"name":"CERT_E_PURPOSE","features":[1]},{"name":"CERT_E_REVOCATION_FAILURE","features":[1]},{"name":"CERT_E_REVOKED","features":[1]},{"name":"CERT_E_ROLE","features":[1]},{"name":"CERT_E_UNTRUSTEDCA","features":[1]},{"name":"CERT_E_UNTRUSTEDROOT","features":[1]},{"name":"CERT_E_UNTRUSTEDTESTROOT","features":[1]},{"name":"CERT_E_VALIDITYPERIODNESTING","features":[1]},{"name":"CERT_E_WRONG_USAGE","features":[1]},{"name":"CHAR","features":[1]},{"name":"CI_CORRUPT_CATALOG","features":[1]},{"name":"CI_CORRUPT_DATABASE","features":[1]},{"name":"CI_CORRUPT_FILTER_BUFFER","features":[1]},{"name":"CI_E_ALREADY_INITIALIZED","features":[1]},{"name":"CI_E_BUFFERTOOSMALL","features":[1]},{"name":"CI_E_CARDINALITY_MISMATCH","features":[1]},{"name":"CI_E_CLIENT_FILTER_ABORT","features":[1]},{"name":"CI_E_CONFIG_DISK_FULL","features":[1]},{"name":"CI_E_DISK_FULL","features":[1]},{"name":"CI_E_DISTRIBUTED_GROUPBY_UNSUPPORTED","features":[1]},{"name":"CI_E_DUPLICATE_NOTIFICATION","features":[1]},{"name":"CI_E_ENUMERATION_STARTED","features":[1]},{"name":"CI_E_FILTERING_DISABLED","features":[1]},{"name":"CI_E_INVALID_FLAGS_COMBINATION","features":[1]},{"name":"CI_E_INVALID_STATE","features":[1]},{"name":"CI_E_LOGON_FAILURE","features":[1]},{"name":"CI_E_NOT_FOUND","features":[1]},{"name":"CI_E_NOT_INITIALIZED","features":[1]},{"name":"CI_E_NOT_RUNNING","features":[1]},{"name":"CI_E_NO_CATALOG","features":[1]},{"name":"CI_E_OUTOFSEQ_INCREMENT_DATA","features":[1]},{"name":"CI_E_PROPERTY_NOT_CACHED","features":[1]},{"name":"CI_E_PROPERTY_TOOLARGE","features":[1]},{"name":"CI_E_SHARING_VIOLATION","features":[1]},{"name":"CI_E_SHUTDOWN","features":[1]},{"name":"CI_E_STRANGE_PAGEORSECTOR_SIZE","features":[1]},{"name":"CI_E_TIMEOUT","features":[1]},{"name":"CI_E_UPDATES_DISABLED","features":[1]},{"name":"CI_E_USE_DEFAULT_PID","features":[1]},{"name":"CI_E_WORKID_NOTVALID","features":[1]},{"name":"CI_INCORRECT_VERSION","features":[1]},{"name":"CI_INVALID_INDEX","features":[1]},{"name":"CI_INVALID_PARTITION","features":[1]},{"name":"CI_INVALID_PRIORITY","features":[1]},{"name":"CI_NO_CATALOG","features":[1]},{"name":"CI_NO_STARTING_KEY","features":[1]},{"name":"CI_OUT_OF_INDEX_IDS","features":[1]},{"name":"CI_PROPSTORE_INCONSISTENCY","features":[1]},{"name":"CI_S_CAT_STOPPED","features":[1]},{"name":"CI_S_END_OF_ENUMERATION","features":[1]},{"name":"CI_S_NO_DOCSTORE","features":[1]},{"name":"CI_S_WORKID_DELETED","features":[1]},{"name":"CLASSFACTORY_E_FIRST","features":[1]},{"name":"CLASSFACTORY_E_LAST","features":[1]},{"name":"CLASSFACTORY_S_FIRST","features":[1]},{"name":"CLASSFACTORY_S_LAST","features":[1]},{"name":"CLASS_E_CLASSNOTAVAILABLE","features":[1]},{"name":"CLASS_E_NOAGGREGATION","features":[1]},{"name":"CLASS_E_NOTLICENSED","features":[1]},{"name":"CLIENTSITE_E_FIRST","features":[1]},{"name":"CLIENTSITE_E_LAST","features":[1]},{"name":"CLIENTSITE_S_FIRST","features":[1]},{"name":"CLIENTSITE_S_LAST","features":[1]},{"name":"CLIPBRD_E_BAD_DATA","features":[1]},{"name":"CLIPBRD_E_CANT_CLOSE","features":[1]},{"name":"CLIPBRD_E_CANT_EMPTY","features":[1]},{"name":"CLIPBRD_E_CANT_OPEN","features":[1]},{"name":"CLIPBRD_E_CANT_SET","features":[1]},{"name":"CLIPBRD_E_FIRST","features":[1]},{"name":"CLIPBRD_E_LAST","features":[1]},{"name":"CLIPBRD_S_FIRST","features":[1]},{"name":"CLIPBRD_S_LAST","features":[1]},{"name":"COLORREF","features":[1]},{"name":"COMADMIN_E_ALREADYINSTALLED","features":[1]},{"name":"COMADMIN_E_AMBIGUOUS_APPLICATION_NAME","features":[1]},{"name":"COMADMIN_E_AMBIGUOUS_PARTITION_NAME","features":[1]},{"name":"COMADMIN_E_APPDIRNOTFOUND","features":[1]},{"name":"COMADMIN_E_APPLICATIONEXISTS","features":[1]},{"name":"COMADMIN_E_APPLID_MATCHES_CLSID","features":[1]},{"name":"COMADMIN_E_APP_FILE_READFAIL","features":[1]},{"name":"COMADMIN_E_APP_FILE_VERSION","features":[1]},{"name":"COMADMIN_E_APP_FILE_WRITEFAIL","features":[1]},{"name":"COMADMIN_E_APP_NOT_RUNNING","features":[1]},{"name":"COMADMIN_E_AUTHENTICATIONLEVEL","features":[1]},{"name":"COMADMIN_E_BADPATH","features":[1]},{"name":"COMADMIN_E_BADREGISTRYLIBID","features":[1]},{"name":"COMADMIN_E_BADREGISTRYPROGID","features":[1]},{"name":"COMADMIN_E_BASEPARTITION_REQUIRED_IN_SET","features":[1]},{"name":"COMADMIN_E_BASE_PARTITION_ONLY","features":[1]},{"name":"COMADMIN_E_CANNOT_ALIAS_EVENTCLASS","features":[1]},{"name":"COMADMIN_E_CANTCOPYFILE","features":[1]},{"name":"COMADMIN_E_CANTMAKEINPROCSERVICE","features":[1]},{"name":"COMADMIN_E_CANTRECYCLELIBRARYAPPS","features":[1]},{"name":"COMADMIN_E_CANTRECYCLESERVICEAPPS","features":[1]},{"name":"COMADMIN_E_CANT_SUBSCRIBE_TO_COMPONENT","features":[1]},{"name":"COMADMIN_E_CAN_NOT_EXPORT_APP_PROXY","features":[1]},{"name":"COMADMIN_E_CAN_NOT_EXPORT_SYS_APP","features":[1]},{"name":"COMADMIN_E_CAN_NOT_START_APP","features":[1]},{"name":"COMADMIN_E_CAT_BITNESSMISMATCH","features":[1]},{"name":"COMADMIN_E_CAT_DUPLICATE_PARTITION_NAME","features":[1]},{"name":"COMADMIN_E_CAT_IMPORTED_COMPONENTS_NOT_ALLOWED","features":[1]},{"name":"COMADMIN_E_CAT_INVALID_PARTITION_NAME","features":[1]},{"name":"COMADMIN_E_CAT_PARTITION_IN_USE","features":[1]},{"name":"COMADMIN_E_CAT_PAUSE_RESUME_NOT_SUPPORTED","features":[1]},{"name":"COMADMIN_E_CAT_SERVERFAULT","features":[1]},{"name":"COMADMIN_E_CAT_UNACCEPTABLEBITNESS","features":[1]},{"name":"COMADMIN_E_CAT_WRONGAPPBITNESS","features":[1]},{"name":"COMADMIN_E_CLSIDORIIDMISMATCH","features":[1]},{"name":"COMADMIN_E_COMPFILE_BADTLB","features":[1]},{"name":"COMADMIN_E_COMPFILE_CLASSNOTAVAIL","features":[1]},{"name":"COMADMIN_E_COMPFILE_DOESNOTEXIST","features":[1]},{"name":"COMADMIN_E_COMPFILE_GETCLASSOBJ","features":[1]},{"name":"COMADMIN_E_COMPFILE_LOADDLLFAIL","features":[1]},{"name":"COMADMIN_E_COMPFILE_NOREGISTRAR","features":[1]},{"name":"COMADMIN_E_COMPFILE_NOTINSTALLABLE","features":[1]},{"name":"COMADMIN_E_COMPONENTEXISTS","features":[1]},{"name":"COMADMIN_E_COMP_MOVE_BAD_DEST","features":[1]},{"name":"COMADMIN_E_COMP_MOVE_DEST","features":[1]},{"name":"COMADMIN_E_COMP_MOVE_LOCKED","features":[1]},{"name":"COMADMIN_E_COMP_MOVE_PRIVATE","features":[1]},{"name":"COMADMIN_E_COMP_MOVE_SOURCE","features":[1]},{"name":"COMADMIN_E_COREQCOMPINSTALLED","features":[1]},{"name":"COMADMIN_E_DEFAULT_PARTITION_NOT_IN_SET","features":[1]},{"name":"COMADMIN_E_DLLLOADFAILED","features":[1]},{"name":"COMADMIN_E_DLLREGISTERSERVER","features":[1]},{"name":"COMADMIN_E_EVENTCLASS_CANT_BE_SUBSCRIBER","features":[1]},{"name":"COMADMIN_E_FILE_PARTITION_DUPLICATE_FILES","features":[1]},{"name":"COMADMIN_E_INVALIDUSERIDS","features":[1]},{"name":"COMADMIN_E_INVALID_PARTITION","features":[1]},{"name":"COMADMIN_E_KEYMISSING","features":[1]},{"name":"COMADMIN_E_LEGACYCOMPS_NOT_ALLOWED_IN_1_0_FORMAT","features":[1]},{"name":"COMADMIN_E_LEGACYCOMPS_NOT_ALLOWED_IN_NONBASE_PARTITIONS","features":[1]},{"name":"COMADMIN_E_LIB_APP_PROXY_INCOMPATIBLE","features":[1]},{"name":"COMADMIN_E_MIG_SCHEMANOTFOUND","features":[1]},{"name":"COMADMIN_E_MIG_VERSIONNOTSUPPORTED","features":[1]},{"name":"COMADMIN_E_NOREGISTRYCLSID","features":[1]},{"name":"COMADMIN_E_NOSERVERSHARE","features":[1]},{"name":"COMADMIN_E_NOTCHANGEABLE","features":[1]},{"name":"COMADMIN_E_NOTDELETEABLE","features":[1]},{"name":"COMADMIN_E_NOTINREGISTRY","features":[1]},{"name":"COMADMIN_E_NOUSER","features":[1]},{"name":"COMADMIN_E_OBJECTERRORS","features":[1]},{"name":"COMADMIN_E_OBJECTEXISTS","features":[1]},{"name":"COMADMIN_E_OBJECTINVALID","features":[1]},{"name":"COMADMIN_E_OBJECTNOTPOOLABLE","features":[1]},{"name":"COMADMIN_E_OBJECT_DOES_NOT_EXIST","features":[1]},{"name":"COMADMIN_E_OBJECT_PARENT_MISSING","features":[1]},{"name":"COMADMIN_E_PARTITIONS_DISABLED","features":[1]},{"name":"COMADMIN_E_PARTITION_ACCESSDENIED","features":[1]},{"name":"COMADMIN_E_PARTITION_MSI_ONLY","features":[1]},{"name":"COMADMIN_E_PAUSEDPROCESSMAYNOTBERECYCLED","features":[1]},{"name":"COMADMIN_E_PRIVATE_ACCESSDENIED","features":[1]},{"name":"COMADMIN_E_PROCESSALREADYRECYCLED","features":[1]},{"name":"COMADMIN_E_PROGIDINUSEBYCLSID","features":[1]},{"name":"COMADMIN_E_PROPERTYSAVEFAILED","features":[1]},{"name":"COMADMIN_E_PROPERTY_OVERFLOW","features":[1]},{"name":"COMADMIN_E_RECYCLEDPROCESSMAYNOTBEPAUSED","features":[1]},{"name":"COMADMIN_E_REGDB_ALREADYRUNNING","features":[1]},{"name":"COMADMIN_E_REGDB_NOTINITIALIZED","features":[1]},{"name":"COMADMIN_E_REGDB_NOTOPEN","features":[1]},{"name":"COMADMIN_E_REGDB_SYSTEMERR","features":[1]},{"name":"COMADMIN_E_REGFILE_CORRUPT","features":[1]},{"name":"COMADMIN_E_REGISTERTLB","features":[1]},{"name":"COMADMIN_E_REGISTRARFAILED","features":[1]},{"name":"COMADMIN_E_REGISTRY_ACCESSDENIED","features":[1]},{"name":"COMADMIN_E_REMOTEINTERFACE","features":[1]},{"name":"COMADMIN_E_REQUIRES_DIFFERENT_PLATFORM","features":[1]},{"name":"COMADMIN_E_ROLEEXISTS","features":[1]},{"name":"COMADMIN_E_ROLE_DOES_NOT_EXIST","features":[1]},{"name":"COMADMIN_E_SAFERINVALID","features":[1]},{"name":"COMADMIN_E_SERVICENOTINSTALLED","features":[1]},{"name":"COMADMIN_E_SESSION","features":[1]},{"name":"COMADMIN_E_START_APP_DISABLED","features":[1]},{"name":"COMADMIN_E_START_APP_NEEDS_COMPONENTS","features":[1]},{"name":"COMADMIN_E_SVCAPP_NOT_POOLABLE_OR_RECYCLABLE","features":[1]},{"name":"COMADMIN_E_SYSTEMAPP","features":[1]},{"name":"COMADMIN_E_USERPASSWDNOTVALID","features":[1]},{"name":"COMADMIN_E_USER_IN_SET","features":[1]},{"name":"COMQC_E_APPLICATION_NOT_QUEUED","features":[1]},{"name":"COMQC_E_BAD_MESSAGE","features":[1]},{"name":"COMQC_E_NO_IPERSISTSTREAM","features":[1]},{"name":"COMQC_E_NO_QUEUEABLE_INTERFACES","features":[1]},{"name":"COMQC_E_QUEUING_SERVICE_NOT_AVAILABLE","features":[1]},{"name":"COMQC_E_UNAUTHENTICATED","features":[1]},{"name":"COMQC_E_UNTRUSTED_ENQUEUER","features":[1]},{"name":"CONTEXT_E_ABORTED","features":[1]},{"name":"CONTEXT_E_ABORTING","features":[1]},{"name":"CONTEXT_E_FIRST","features":[1]},{"name":"CONTEXT_E_LAST","features":[1]},{"name":"CONTEXT_E_NOCONTEXT","features":[1]},{"name":"CONTEXT_E_NOJIT","features":[1]},{"name":"CONTEXT_E_NOTRANSACTION","features":[1]},{"name":"CONTEXT_E_OLDREF","features":[1]},{"name":"CONTEXT_E_ROLENOTFOUND","features":[1]},{"name":"CONTEXT_E_SYNCH_TIMEOUT","features":[1]},{"name":"CONTEXT_E_TMNOTAVAILABLE","features":[1]},{"name":"CONTEXT_E_WOULD_DEADLOCK","features":[1]},{"name":"CONTEXT_S_FIRST","features":[1]},{"name":"CONTEXT_S_LAST","features":[1]},{"name":"CONTROL_C_EXIT","features":[1]},{"name":"CONVERT10_E_FIRST","features":[1]},{"name":"CONVERT10_E_LAST","features":[1]},{"name":"CONVERT10_E_OLELINK_DISABLED","features":[1]},{"name":"CONVERT10_E_OLESTREAM_BITMAP_TO_DIB","features":[1]},{"name":"CONVERT10_E_OLESTREAM_FMT","features":[1]},{"name":"CONVERT10_E_OLESTREAM_GET","features":[1]},{"name":"CONVERT10_E_OLESTREAM_PUT","features":[1]},{"name":"CONVERT10_E_STG_DIB_TO_BITMAP","features":[1]},{"name":"CONVERT10_E_STG_FMT","features":[1]},{"name":"CONVERT10_E_STG_NO_STD_STREAM","features":[1]},{"name":"CONVERT10_S_FIRST","features":[1]},{"name":"CONVERT10_S_LAST","features":[1]},{"name":"CONVERT10_S_NO_PRESENTATION","features":[1]},{"name":"CO_E_ACCESSCHECKFAILED","features":[1]},{"name":"CO_E_ACESINWRONGORDER","features":[1]},{"name":"CO_E_ACNOTINITIALIZED","features":[1]},{"name":"CO_E_ACTIVATIONFAILED","features":[1]},{"name":"CO_E_ACTIVATIONFAILED_CATALOGERROR","features":[1]},{"name":"CO_E_ACTIVATIONFAILED_EVENTLOGGED","features":[1]},{"name":"CO_E_ACTIVATIONFAILED_TIMEOUT","features":[1]},{"name":"CO_E_ALREADYINITIALIZED","features":[1]},{"name":"CO_E_APPDIDNTREG","features":[1]},{"name":"CO_E_APPNOTFOUND","features":[1]},{"name":"CO_E_APPSINGLEUSE","features":[1]},{"name":"CO_E_ASYNC_WORK_REJECTED","features":[1]},{"name":"CO_E_ATTEMPT_TO_CREATE_OUTSIDE_CLIENT_CONTEXT","features":[1]},{"name":"CO_E_BAD_PATH","features":[1]},{"name":"CO_E_BAD_SERVER_NAME","features":[1]},{"name":"CO_E_CALL_OUT_OF_TX_SCOPE_NOT_ALLOWED","features":[1]},{"name":"CO_E_CANCEL_DISABLED","features":[1]},{"name":"CO_E_CANTDETERMINECLASS","features":[1]},{"name":"CO_E_CANT_REMOTE","features":[1]},{"name":"CO_E_CLASSSTRING","features":[1]},{"name":"CO_E_CLASS_CREATE_FAILED","features":[1]},{"name":"CO_E_CLASS_DISABLED","features":[1]},{"name":"CO_E_CLRNOTAVAILABLE","features":[1]},{"name":"CO_E_CLSREG_INCONSISTENT","features":[1]},{"name":"CO_E_CONVERSIONFAILED","features":[1]},{"name":"CO_E_CREATEPROCESS_FAILURE","features":[1]},{"name":"CO_E_DBERROR","features":[1]},{"name":"CO_E_DECODEFAILED","features":[1]},{"name":"CO_E_DLLNOTFOUND","features":[1]},{"name":"CO_E_ELEVATION_DISABLED","features":[1]},{"name":"CO_E_ERRORINAPP","features":[1]},{"name":"CO_E_ERRORINDLL","features":[1]},{"name":"CO_E_EXCEEDSYSACLLIMIT","features":[1]},{"name":"CO_E_EXIT_TRANSACTION_SCOPE_NOT_CALLED","features":[1]},{"name":"CO_E_FAILEDTOCLOSEHANDLE","features":[1]},{"name":"CO_E_FAILEDTOCREATEFILE","features":[1]},{"name":"CO_E_FAILEDTOGENUUID","features":[1]},{"name":"CO_E_FAILEDTOGETSECCTX","features":[1]},{"name":"CO_E_FAILEDTOGETTOKENINFO","features":[1]},{"name":"CO_E_FAILEDTOGETWINDIR","features":[1]},{"name":"CO_E_FAILEDTOIMPERSONATE","features":[1]},{"name":"CO_E_FAILEDTOOPENPROCESSTOKEN","features":[1]},{"name":"CO_E_FAILEDTOOPENTHREADTOKEN","features":[1]},{"name":"CO_E_FAILEDTOQUERYCLIENTBLANKET","features":[1]},{"name":"CO_E_FAILEDTOSETDACL","features":[1]},{"name":"CO_E_FIRST","features":[1]},{"name":"CO_E_IIDREG_INCONSISTENT","features":[1]},{"name":"CO_E_IIDSTRING","features":[1]},{"name":"CO_E_INCOMPATIBLESTREAMVERSION","features":[1]},{"name":"CO_E_INITIALIZATIONFAILED","features":[1]},{"name":"CO_E_INIT_CLASS_CACHE","features":[1]},{"name":"CO_E_INIT_MEMORY_ALLOCATOR","features":[1]},{"name":"CO_E_INIT_ONLY_SINGLE_THREADED","features":[1]},{"name":"CO_E_INIT_RPC_CHANNEL","features":[1]},{"name":"CO_E_INIT_SCM_EXEC_FAILURE","features":[1]},{"name":"CO_E_INIT_SCM_FILE_MAPPING_EXISTS","features":[1]},{"name":"CO_E_INIT_SCM_MAP_VIEW_OF_FILE","features":[1]},{"name":"CO_E_INIT_SCM_MUTEX_EXISTS","features":[1]},{"name":"CO_E_INIT_SHARED_ALLOCATOR","features":[1]},{"name":"CO_E_INIT_TLS","features":[1]},{"name":"CO_E_INIT_TLS_CHANNEL_CONTROL","features":[1]},{"name":"CO_E_INIT_TLS_SET_CHANNEL_CONTROL","features":[1]},{"name":"CO_E_INIT_UNACCEPTED_USER_ALLOCATOR","features":[1]},{"name":"CO_E_INVALIDSID","features":[1]},{"name":"CO_E_ISOLEVELMISMATCH","features":[1]},{"name":"CO_E_LAST","features":[1]},{"name":"CO_E_LAUNCH_PERMSSION_DENIED","features":[1]},{"name":"CO_E_LOOKUPACCNAMEFAILED","features":[1]},{"name":"CO_E_LOOKUPACCSIDFAILED","features":[1]},{"name":"CO_E_MALFORMED_SPN","features":[1]},{"name":"CO_E_MISSING_DISPLAYNAME","features":[1]},{"name":"CO_E_MSI_ERROR","features":[1]},{"name":"CO_E_NETACCESSAPIFAILED","features":[1]},{"name":"CO_E_NOCOOKIES","features":[1]},{"name":"CO_E_NOIISINTRINSICS","features":[1]},{"name":"CO_E_NOMATCHINGNAMEFOUND","features":[1]},{"name":"CO_E_NOMATCHINGSIDFOUND","features":[1]},{"name":"CO_E_NOSYNCHRONIZATION","features":[1]},{"name":"CO_E_NOTCONSTRUCTED","features":[1]},{"name":"CO_E_NOTINITIALIZED","features":[1]},{"name":"CO_E_NOTPOOLED","features":[1]},{"name":"CO_E_NOT_SUPPORTED","features":[1]},{"name":"CO_E_NO_SECCTX_IN_ACTIVATE","features":[1]},{"name":"CO_E_OBJISREG","features":[1]},{"name":"CO_E_OBJNOTCONNECTED","features":[1]},{"name":"CO_E_OBJNOTREG","features":[1]},{"name":"CO_E_OBJSRV_RPC_FAILURE","features":[1]},{"name":"CO_E_OLE1DDE_DISABLED","features":[1]},{"name":"CO_E_PATHTOOLONG","features":[1]},{"name":"CO_E_PREMATURE_STUB_RUNDOWN","features":[1]},{"name":"CO_E_RELEASED","features":[1]},{"name":"CO_E_RELOAD_DLL","features":[1]},{"name":"CO_E_REMOTE_COMMUNICATION_FAILURE","features":[1]},{"name":"CO_E_RUNAS_CREATEPROCESS_FAILURE","features":[1]},{"name":"CO_E_RUNAS_LOGON_FAILURE","features":[1]},{"name":"CO_E_RUNAS_SYNTAX","features":[1]},{"name":"CO_E_RUNAS_VALUE_MUST_BE_AAA","features":[1]},{"name":"CO_E_SCM_ERROR","features":[1]},{"name":"CO_E_SCM_RPC_FAILURE","features":[1]},{"name":"CO_E_SERVER_EXEC_FAILURE","features":[1]},{"name":"CO_E_SERVER_INIT_TIMEOUT","features":[1]},{"name":"CO_E_SERVER_NOT_PAUSED","features":[1]},{"name":"CO_E_SERVER_PAUSED","features":[1]},{"name":"CO_E_SERVER_START_TIMEOUT","features":[1]},{"name":"CO_E_SERVER_STOPPING","features":[1]},{"name":"CO_E_SETSERLHNDLFAILED","features":[1]},{"name":"CO_E_START_SERVICE_FAILURE","features":[1]},{"name":"CO_E_SXS_CONFIG","features":[1]},{"name":"CO_E_THREADINGMODEL_CHANGED","features":[1]},{"name":"CO_E_THREADPOOL_CONFIG","features":[1]},{"name":"CO_E_TRACKER_CONFIG","features":[1]},{"name":"CO_E_TRUSTEEDOESNTMATCHCLIENT","features":[1]},{"name":"CO_E_UNREVOKED_REGISTRATION_ON_APARTMENT_SHUTDOWN","features":[1]},{"name":"CO_E_WRONGOSFORAPP","features":[1]},{"name":"CO_E_WRONGTRUSTEENAMESYNTAX","features":[1]},{"name":"CO_E_WRONG_SERVER_IDENTITY","features":[1]},{"name":"CO_S_FIRST","features":[1]},{"name":"CO_S_LAST","features":[1]},{"name":"CO_S_MACHINENAMENOTFOUND","features":[1]},{"name":"CO_S_NOTALLINTERFACES","features":[1]},{"name":"CRYPT_E_ALREADY_DECRYPTED","features":[1]},{"name":"CRYPT_E_ASN1_BADARGS","features":[1]},{"name":"CRYPT_E_ASN1_BADPDU","features":[1]},{"name":"CRYPT_E_ASN1_BADREAL","features":[1]},{"name":"CRYPT_E_ASN1_BADTAG","features":[1]},{"name":"CRYPT_E_ASN1_CHOICE","features":[1]},{"name":"CRYPT_E_ASN1_CONSTRAINT","features":[1]},{"name":"CRYPT_E_ASN1_CORRUPT","features":[1]},{"name":"CRYPT_E_ASN1_EOD","features":[1]},{"name":"CRYPT_E_ASN1_ERROR","features":[1]},{"name":"CRYPT_E_ASN1_EXTENDED","features":[1]},{"name":"CRYPT_E_ASN1_INTERNAL","features":[1]},{"name":"CRYPT_E_ASN1_LARGE","features":[1]},{"name":"CRYPT_E_ASN1_MEMORY","features":[1]},{"name":"CRYPT_E_ASN1_NOEOD","features":[1]},{"name":"CRYPT_E_ASN1_NYI","features":[1]},{"name":"CRYPT_E_ASN1_OVERFLOW","features":[1]},{"name":"CRYPT_E_ASN1_PDU_TYPE","features":[1]},{"name":"CRYPT_E_ASN1_RULE","features":[1]},{"name":"CRYPT_E_ASN1_UTF8","features":[1]},{"name":"CRYPT_E_ATTRIBUTES_MISSING","features":[1]},{"name":"CRYPT_E_AUTH_ATTR_MISSING","features":[1]},{"name":"CRYPT_E_BAD_ENCODE","features":[1]},{"name":"CRYPT_E_BAD_LEN","features":[1]},{"name":"CRYPT_E_BAD_MSG","features":[1]},{"name":"CRYPT_E_CONTROL_TYPE","features":[1]},{"name":"CRYPT_E_DELETED_PREV","features":[1]},{"name":"CRYPT_E_EXISTS","features":[1]},{"name":"CRYPT_E_FILERESIZED","features":[1]},{"name":"CRYPT_E_FILE_ERROR","features":[1]},{"name":"CRYPT_E_HASH_VALUE","features":[1]},{"name":"CRYPT_E_INVALID_IA5_STRING","features":[1]},{"name":"CRYPT_E_INVALID_INDEX","features":[1]},{"name":"CRYPT_E_INVALID_MSG_TYPE","features":[1]},{"name":"CRYPT_E_INVALID_NUMERIC_STRING","features":[1]},{"name":"CRYPT_E_INVALID_PRINTABLE_STRING","features":[1]},{"name":"CRYPT_E_INVALID_X500_STRING","features":[1]},{"name":"CRYPT_E_ISSUER_SERIALNUMBER","features":[1]},{"name":"CRYPT_E_MISSING_PUBKEY_PARA","features":[1]},{"name":"CRYPT_E_MSG_ERROR","features":[1]},{"name":"CRYPT_E_NOT_CHAR_STRING","features":[1]},{"name":"CRYPT_E_NOT_DECRYPTED","features":[1]},{"name":"CRYPT_E_NOT_FOUND","features":[1]},{"name":"CRYPT_E_NOT_IN_CTL","features":[1]},{"name":"CRYPT_E_NOT_IN_REVOCATION_DATABASE","features":[1]},{"name":"CRYPT_E_NO_DECRYPT_CERT","features":[1]},{"name":"CRYPT_E_NO_KEY_PROPERTY","features":[1]},{"name":"CRYPT_E_NO_MATCH","features":[1]},{"name":"CRYPT_E_NO_PROVIDER","features":[1]},{"name":"CRYPT_E_NO_REVOCATION_CHECK","features":[1]},{"name":"CRYPT_E_NO_REVOCATION_DLL","features":[1]},{"name":"CRYPT_E_NO_SIGNER","features":[1]},{"name":"CRYPT_E_NO_TRUSTED_SIGNER","features":[1]},{"name":"CRYPT_E_NO_VERIFY_USAGE_CHECK","features":[1]},{"name":"CRYPT_E_NO_VERIFY_USAGE_DLL","features":[1]},{"name":"CRYPT_E_OBJECT_LOCATOR_OBJECT_NOT_FOUND","features":[1]},{"name":"CRYPT_E_OID_FORMAT","features":[1]},{"name":"CRYPT_E_OSS_ERROR","features":[1]},{"name":"CRYPT_E_PENDING_CLOSE","features":[1]},{"name":"CRYPT_E_RECIPIENT_NOT_FOUND","features":[1]},{"name":"CRYPT_E_REVOCATION_OFFLINE","features":[1]},{"name":"CRYPT_E_REVOKED","features":[1]},{"name":"CRYPT_E_SECURITY_SETTINGS","features":[1]},{"name":"CRYPT_E_SELF_SIGNED","features":[1]},{"name":"CRYPT_E_SIGNER_NOT_FOUND","features":[1]},{"name":"CRYPT_E_STREAM_INSUFFICIENT_DATA","features":[1]},{"name":"CRYPT_E_STREAM_MSG_NOT_READY","features":[1]},{"name":"CRYPT_E_UNEXPECTED_ENCODING","features":[1]},{"name":"CRYPT_E_UNEXPECTED_MSG_TYPE","features":[1]},{"name":"CRYPT_E_UNKNOWN_ALGO","features":[1]},{"name":"CRYPT_E_VERIFY_USAGE_OFFLINE","features":[1]},{"name":"CRYPT_I_NEW_PROTECTION_REQUIRED","features":[1]},{"name":"CS_E_ADMIN_LIMIT_EXCEEDED","features":[1]},{"name":"CS_E_CLASS_NOTFOUND","features":[1]},{"name":"CS_E_FIRST","features":[1]},{"name":"CS_E_INTERNAL_ERROR","features":[1]},{"name":"CS_E_INVALID_PATH","features":[1]},{"name":"CS_E_INVALID_VERSION","features":[1]},{"name":"CS_E_LAST","features":[1]},{"name":"CS_E_NETWORK_ERROR","features":[1]},{"name":"CS_E_NOT_DELETABLE","features":[1]},{"name":"CS_E_NO_CLASSSTORE","features":[1]},{"name":"CS_E_OBJECT_ALREADY_EXISTS","features":[1]},{"name":"CS_E_OBJECT_NOTFOUND","features":[1]},{"name":"CS_E_PACKAGE_NOTFOUND","features":[1]},{"name":"CS_E_SCHEMA_MISMATCH","features":[1]},{"name":"CloseHandle","features":[1]},{"name":"CompareObjectHandles","features":[1]},{"name":"D2DERR_BAD_NUMBER","features":[1]},{"name":"D2DERR_BITMAP_BOUND_AS_TARGET","features":[1]},{"name":"D2DERR_BITMAP_CANNOT_DRAW","features":[1]},{"name":"D2DERR_CYCLIC_GRAPH","features":[1]},{"name":"D2DERR_DISPLAY_FORMAT_NOT_SUPPORTED","features":[1]},{"name":"D2DERR_DISPLAY_STATE_INVALID","features":[1]},{"name":"D2DERR_EFFECT_IS_NOT_REGISTERED","features":[1]},{"name":"D2DERR_EXCEEDS_MAX_BITMAP_SIZE","features":[1]},{"name":"D2DERR_INCOMPATIBLE_BRUSH_TYPES","features":[1]},{"name":"D2DERR_INSUFFICIENT_DEVICE_CAPABILITIES","features":[1]},{"name":"D2DERR_INTERMEDIATE_TOO_LARGE","features":[1]},{"name":"D2DERR_INTERNAL_ERROR","features":[1]},{"name":"D2DERR_INVALID_CALL","features":[1]},{"name":"D2DERR_INVALID_GLYPH_IMAGE","features":[1]},{"name":"D2DERR_INVALID_GRAPH_CONFIGURATION","features":[1]},{"name":"D2DERR_INVALID_INTERNAL_GRAPH_CONFIGURATION","features":[1]},{"name":"D2DERR_INVALID_PROPERTY","features":[1]},{"name":"D2DERR_INVALID_TARGET","features":[1]},{"name":"D2DERR_LAYER_ALREADY_IN_USE","features":[1]},{"name":"D2DERR_MAX_TEXTURE_SIZE_EXCEEDED","features":[1]},{"name":"D2DERR_NOT_INITIALIZED","features":[1]},{"name":"D2DERR_NO_HARDWARE_DEVICE","features":[1]},{"name":"D2DERR_NO_SUBPROPERTIES","features":[1]},{"name":"D2DERR_ORIGINAL_TARGET_NOT_BOUND","features":[1]},{"name":"D2DERR_OUTSTANDING_BITMAP_REFERENCES","features":[1]},{"name":"D2DERR_POP_CALL_DID_NOT_MATCH_PUSH","features":[1]},{"name":"D2DERR_PRINT_FORMAT_NOT_SUPPORTED","features":[1]},{"name":"D2DERR_PRINT_JOB_CLOSED","features":[1]},{"name":"D2DERR_PUSH_POP_UNBALANCED","features":[1]},{"name":"D2DERR_RECREATE_TARGET","features":[1]},{"name":"D2DERR_RENDER_TARGET_HAS_LAYER_OR_CLIPRECT","features":[1]},{"name":"D2DERR_SCANNER_FAILED","features":[1]},{"name":"D2DERR_SCREEN_ACCESS_DENIED","features":[1]},{"name":"D2DERR_SHADER_COMPILE_FAILED","features":[1]},{"name":"D2DERR_TARGET_NOT_GDI_COMPATIBLE","features":[1]},{"name":"D2DERR_TEXT_EFFECT_IS_WRONG_TYPE","features":[1]},{"name":"D2DERR_TEXT_RENDERER_NOT_RELEASED","features":[1]},{"name":"D2DERR_TOO_MANY_SHADER_ELEMENTS","features":[1]},{"name":"D2DERR_TOO_MANY_TRANSFORM_INPUTS","features":[1]},{"name":"D2DERR_UNSUPPORTED_OPERATION","features":[1]},{"name":"D2DERR_UNSUPPORTED_VERSION","features":[1]},{"name":"D2DERR_WIN32_ERROR","features":[1]},{"name":"D2DERR_WRONG_FACTORY","features":[1]},{"name":"D2DERR_WRONG_RESOURCE_DOMAIN","features":[1]},{"name":"D2DERR_WRONG_STATE","features":[1]},{"name":"D2DERR_ZERO_VECTOR","features":[1]},{"name":"D3D10_ERROR_FILE_NOT_FOUND","features":[1]},{"name":"D3D10_ERROR_TOO_MANY_UNIQUE_STATE_OBJECTS","features":[1]},{"name":"D3D11_ERROR_DEFERRED_CONTEXT_MAP_WITHOUT_INITIAL_DISCARD","features":[1]},{"name":"D3D11_ERROR_FILE_NOT_FOUND","features":[1]},{"name":"D3D11_ERROR_TOO_MANY_UNIQUE_STATE_OBJECTS","features":[1]},{"name":"D3D11_ERROR_TOO_MANY_UNIQUE_VIEW_OBJECTS","features":[1]},{"name":"D3D12_ERROR_ADAPTER_NOT_FOUND","features":[1]},{"name":"D3D12_ERROR_DRIVER_VERSION_MISMATCH","features":[1]},{"name":"D3D12_ERROR_INVALID_REDIST","features":[1]},{"name":"DATA_E_FIRST","features":[1]},{"name":"DATA_E_LAST","features":[1]},{"name":"DATA_S_FIRST","features":[1]},{"name":"DATA_S_LAST","features":[1]},{"name":"DATA_S_SAMEFORMATETC","features":[1]},{"name":"DBG_APP_NOT_IDLE","features":[1]},{"name":"DBG_COMMAND_EXCEPTION","features":[1]},{"name":"DBG_CONTINUE","features":[1]},{"name":"DBG_CONTROL_BREAK","features":[1]},{"name":"DBG_CONTROL_C","features":[1]},{"name":"DBG_EXCEPTION_HANDLED","features":[1]},{"name":"DBG_EXCEPTION_NOT_HANDLED","features":[1]},{"name":"DBG_NO_STATE_CHANGE","features":[1]},{"name":"DBG_PRINTEXCEPTION_C","features":[1]},{"name":"DBG_PRINTEXCEPTION_WIDE_C","features":[1]},{"name":"DBG_REPLY_LATER","features":[1]},{"name":"DBG_RIPEXCEPTION","features":[1]},{"name":"DBG_TERMINATE_PROCESS","features":[1]},{"name":"DBG_TERMINATE_THREAD","features":[1]},{"name":"DBG_UNABLE_TO_PROVIDE_HANDLE","features":[1]},{"name":"DCOMPOSITION_ERROR_SURFACE_BEING_RENDERED","features":[1]},{"name":"DCOMPOSITION_ERROR_SURFACE_NOT_BEING_RENDERED","features":[1]},{"name":"DCOMPOSITION_ERROR_WINDOW_ALREADY_COMPOSED","features":[1]},{"name":"DECIMAL","features":[1]},{"name":"DIGSIG_E_CRYPTO","features":[1]},{"name":"DIGSIG_E_DECODE","features":[1]},{"name":"DIGSIG_E_ENCODE","features":[1]},{"name":"DIGSIG_E_EXTENSIBILITY","features":[1]},{"name":"DISP_E_ARRAYISLOCKED","features":[1]},{"name":"DISP_E_BADCALLEE","features":[1]},{"name":"DISP_E_BADINDEX","features":[1]},{"name":"DISP_E_BADPARAMCOUNT","features":[1]},{"name":"DISP_E_BADVARTYPE","features":[1]},{"name":"DISP_E_BUFFERTOOSMALL","features":[1]},{"name":"DISP_E_DIVBYZERO","features":[1]},{"name":"DISP_E_EXCEPTION","features":[1]},{"name":"DISP_E_MEMBERNOTFOUND","features":[1]},{"name":"DISP_E_NONAMEDARGS","features":[1]},{"name":"DISP_E_NOTACOLLECTION","features":[1]},{"name":"DISP_E_OVERFLOW","features":[1]},{"name":"DISP_E_PARAMNOTFOUND","features":[1]},{"name":"DISP_E_PARAMNOTOPTIONAL","features":[1]},{"name":"DISP_E_TYPEMISMATCH","features":[1]},{"name":"DISP_E_UNKNOWNINTERFACE","features":[1]},{"name":"DISP_E_UNKNOWNLCID","features":[1]},{"name":"DISP_E_UNKNOWNNAME","features":[1]},{"name":"DNS_ERROR_ADDRESS_REQUIRED","features":[1]},{"name":"DNS_ERROR_ALIAS_LOOP","features":[1]},{"name":"DNS_ERROR_AUTOZONE_ALREADY_EXISTS","features":[1]},{"name":"DNS_ERROR_AXFR","features":[1]},{"name":"DNS_ERROR_BACKGROUND_LOADING","features":[1]},{"name":"DNS_ERROR_BAD_KEYMASTER","features":[1]},{"name":"DNS_ERROR_BAD_PACKET","features":[1]},{"name":"DNS_ERROR_CANNOT_FIND_ROOT_HINTS","features":[1]},{"name":"DNS_ERROR_CLIENT_SUBNET_ALREADY_EXISTS","features":[1]},{"name":"DNS_ERROR_CLIENT_SUBNET_DOES_NOT_EXIST","features":[1]},{"name":"DNS_ERROR_CLIENT_SUBNET_IS_ACCESSED","features":[1]},{"name":"DNS_ERROR_CNAME_COLLISION","features":[1]},{"name":"DNS_ERROR_CNAME_LOOP","features":[1]},{"name":"DNS_ERROR_DATABASE_BASE","features":[1]},{"name":"DNS_ERROR_DATAFILE_BASE","features":[1]},{"name":"DNS_ERROR_DATAFILE_OPEN_FAILURE","features":[1]},{"name":"DNS_ERROR_DATAFILE_PARSING","features":[1]},{"name":"DNS_ERROR_DEFAULT_SCOPE","features":[1]},{"name":"DNS_ERROR_DEFAULT_VIRTUALIZATION_INSTANCE","features":[1]},{"name":"DNS_ERROR_DEFAULT_ZONESCOPE","features":[1]},{"name":"DNS_ERROR_DELEGATION_REQUIRED","features":[1]},{"name":"DNS_ERROR_DNAME_COLLISION","features":[1]},{"name":"DNS_ERROR_DNSSEC_BASE","features":[1]},{"name":"DNS_ERROR_DNSSEC_IS_DISABLED","features":[1]},{"name":"DNS_ERROR_DP_ALREADY_ENLISTED","features":[1]},{"name":"DNS_ERROR_DP_ALREADY_EXISTS","features":[1]},{"name":"DNS_ERROR_DP_BASE","features":[1]},{"name":"DNS_ERROR_DP_DOES_NOT_EXIST","features":[1]},{"name":"DNS_ERROR_DP_FSMO_ERROR","features":[1]},{"name":"DNS_ERROR_DP_NOT_AVAILABLE","features":[1]},{"name":"DNS_ERROR_DP_NOT_ENLISTED","features":[1]},{"name":"DNS_ERROR_DS_UNAVAILABLE","features":[1]},{"name":"DNS_ERROR_DS_ZONE_ALREADY_EXISTS","features":[1]},{"name":"DNS_ERROR_DWORD_VALUE_TOO_LARGE","features":[1]},{"name":"DNS_ERROR_DWORD_VALUE_TOO_SMALL","features":[1]},{"name":"DNS_ERROR_FILE_WRITEBACK_FAILED","features":[1]},{"name":"DNS_ERROR_FORWARDER_ALREADY_EXISTS","features":[1]},{"name":"DNS_ERROR_GENERAL_API_BASE","features":[1]},{"name":"DNS_ERROR_INCONSISTENT_ROOT_HINTS","features":[1]},{"name":"DNS_ERROR_INVAILD_VIRTUALIZATION_INSTANCE_NAME","features":[1]},{"name":"DNS_ERROR_INVALID_CLIENT_SUBNET_NAME","features":[1]},{"name":"DNS_ERROR_INVALID_DATA","features":[1]},{"name":"DNS_ERROR_INVALID_DATAFILE_NAME","features":[1]},{"name":"DNS_ERROR_INVALID_INITIAL_ROLLOVER_OFFSET","features":[1]},{"name":"DNS_ERROR_INVALID_IP_ADDRESS","features":[1]},{"name":"DNS_ERROR_INVALID_KEY_SIZE","features":[1]},{"name":"DNS_ERROR_INVALID_NAME","features":[1]},{"name":"DNS_ERROR_INVALID_NAME_CHAR","features":[1]},{"name":"DNS_ERROR_INVALID_NSEC3_ITERATION_COUNT","features":[1]},{"name":"DNS_ERROR_INVALID_POLICY_TABLE","features":[1]},{"name":"DNS_ERROR_INVALID_PROPERTY","features":[1]},{"name":"DNS_ERROR_INVALID_ROLLOVER_PERIOD","features":[1]},{"name":"DNS_ERROR_INVALID_SCOPE_NAME","features":[1]},{"name":"DNS_ERROR_INVALID_SCOPE_OPERATION","features":[1]},{"name":"DNS_ERROR_INVALID_SIGNATURE_VALIDITY_PERIOD","features":[1]},{"name":"DNS_ERROR_INVALID_TYPE","features":[1]},{"name":"DNS_ERROR_INVALID_XML","features":[1]},{"name":"DNS_ERROR_INVALID_ZONESCOPE_NAME","features":[1]},{"name":"DNS_ERROR_INVALID_ZONE_OPERATION","features":[1]},{"name":"DNS_ERROR_INVALID_ZONE_TYPE","features":[1]},{"name":"DNS_ERROR_KEYMASTER_REQUIRED","features":[1]},{"name":"DNS_ERROR_KSP_DOES_NOT_SUPPORT_PROTECTION","features":[1]},{"name":"DNS_ERROR_KSP_NOT_ACCESSIBLE","features":[1]},{"name":"DNS_ERROR_LOAD_ZONESCOPE_FAILED","features":[1]},{"name":"DNS_ERROR_MASK","features":[1]},{"name":"DNS_ERROR_NAME_DOES_NOT_EXIST","features":[1]},{"name":"DNS_ERROR_NAME_NOT_IN_ZONE","features":[1]},{"name":"DNS_ERROR_NBSTAT_INIT_FAILED","features":[1]},{"name":"DNS_ERROR_NEED_SECONDARY_ADDRESSES","features":[1]},{"name":"DNS_ERROR_NEED_WINS_SERVERS","features":[1]},{"name":"DNS_ERROR_NODE_CREATION_FAILED","features":[1]},{"name":"DNS_ERROR_NODE_IS_CNAME","features":[1]},{"name":"DNS_ERROR_NODE_IS_DNAME","features":[1]},{"name":"DNS_ERROR_NON_RFC_NAME","features":[1]},{"name":"DNS_ERROR_NOT_ALLOWED_ON_ACTIVE_SKD","features":[1]},{"name":"DNS_ERROR_NOT_ALLOWED_ON_RODC","features":[1]},{"name":"DNS_ERROR_NOT_ALLOWED_ON_ROOT_SERVER","features":[1]},{"name":"DNS_ERROR_NOT_ALLOWED_ON_SIGNED_ZONE","features":[1]},{"name":"DNS_ERROR_NOT_ALLOWED_ON_UNSIGNED_ZONE","features":[1]},{"name":"DNS_ERROR_NOT_ALLOWED_ON_ZSK","features":[1]},{"name":"DNS_ERROR_NOT_ALLOWED_UNDER_DELEGATION","features":[1]},{"name":"DNS_ERROR_NOT_ALLOWED_UNDER_DNAME","features":[1]},{"name":"DNS_ERROR_NOT_ALLOWED_WITH_ZONESCOPES","features":[1]},{"name":"DNS_ERROR_NOT_ENOUGH_SIGNING_KEY_DESCRIPTORS","features":[1]},{"name":"DNS_ERROR_NOT_UNIQUE","features":[1]},{"name":"DNS_ERROR_NO_BOOTFILE_IF_DS_ZONE","features":[1]},{"name":"DNS_ERROR_NO_CREATE_CACHE_DATA","features":[1]},{"name":"DNS_ERROR_NO_DNS_SERVERS","features":[1]},{"name":"DNS_ERROR_NO_MEMORY","features":[1]},{"name":"DNS_ERROR_NO_PACKET","features":[1]},{"name":"DNS_ERROR_NO_TCPIP","features":[1]},{"name":"DNS_ERROR_NO_VALID_TRUST_ANCHORS","features":[1]},{"name":"DNS_ERROR_NO_ZONE_INFO","features":[1]},{"name":"DNS_ERROR_NSEC3_INCOMPATIBLE_WITH_RSA_SHA1","features":[1]},{"name":"DNS_ERROR_NSEC3_NAME_COLLISION","features":[1]},{"name":"DNS_ERROR_NSEC_INCOMPATIBLE_WITH_NSEC3_RSA_SHA1","features":[1]},{"name":"DNS_ERROR_NUMERIC_NAME","features":[1]},{"name":"DNS_ERROR_OPERATION_BASE","features":[1]},{"name":"DNS_ERROR_PACKET_FMT_BASE","features":[1]},{"name":"DNS_ERROR_POLICY_ALREADY_EXISTS","features":[1]},{"name":"DNS_ERROR_POLICY_DOES_NOT_EXIST","features":[1]},{"name":"DNS_ERROR_POLICY_INVALID_CRITERIA","features":[1]},{"name":"DNS_ERROR_POLICY_INVALID_CRITERIA_CLIENT_SUBNET","features":[1]},{"name":"DNS_ERROR_POLICY_INVALID_CRITERIA_FQDN","features":[1]},{"name":"DNS_ERROR_POLICY_INVALID_CRITERIA_INTERFACE","features":[1]},{"name":"DNS_ERROR_POLICY_INVALID_CRITERIA_NETWORK_PROTOCOL","features":[1]},{"name":"DNS_ERROR_POLICY_INVALID_CRITERIA_QUERY_TYPE","features":[1]},{"name":"DNS_ERROR_POLICY_INVALID_CRITERIA_TIME_OF_DAY","features":[1]},{"name":"DNS_ERROR_POLICY_INVALID_CRITERIA_TRANSPORT_PROTOCOL","features":[1]},{"name":"DNS_ERROR_POLICY_INVALID_NAME","features":[1]},{"name":"DNS_ERROR_POLICY_INVALID_SETTINGS","features":[1]},{"name":"DNS_ERROR_POLICY_INVALID_WEIGHT","features":[1]},{"name":"DNS_ERROR_POLICY_LOCKED","features":[1]},{"name":"DNS_ERROR_POLICY_MISSING_CRITERIA","features":[1]},{"name":"DNS_ERROR_POLICY_PROCESSING_ORDER_INVALID","features":[1]},{"name":"DNS_ERROR_POLICY_SCOPE_MISSING","features":[1]},{"name":"DNS_ERROR_POLICY_SCOPE_NOT_ALLOWED","features":[1]},{"name":"DNS_ERROR_PRIMARY_REQUIRES_DATAFILE","features":[1]},{"name":"DNS_ERROR_RCODE","features":[1]},{"name":"DNS_ERROR_RCODE_BADKEY","features":[1]},{"name":"DNS_ERROR_RCODE_BADSIG","features":[1]},{"name":"DNS_ERROR_RCODE_BADTIME","features":[1]},{"name":"DNS_ERROR_RCODE_FORMAT_ERROR","features":[1]},{"name":"DNS_ERROR_RCODE_LAST","features":[1]},{"name":"DNS_ERROR_RCODE_NAME_ERROR","features":[1]},{"name":"DNS_ERROR_RCODE_NOTAUTH","features":[1]},{"name":"DNS_ERROR_RCODE_NOTZONE","features":[1]},{"name":"DNS_ERROR_RCODE_NOT_IMPLEMENTED","features":[1]},{"name":"DNS_ERROR_RCODE_NO_ERROR","features":[1]},{"name":"DNS_ERROR_RCODE_NXRRSET","features":[1]},{"name":"DNS_ERROR_RCODE_REFUSED","features":[1]},{"name":"DNS_ERROR_RCODE_SERVER_FAILURE","features":[1]},{"name":"DNS_ERROR_RCODE_YXDOMAIN","features":[1]},{"name":"DNS_ERROR_RCODE_YXRRSET","features":[1]},{"name":"DNS_ERROR_RECORD_ALREADY_EXISTS","features":[1]},{"name":"DNS_ERROR_RECORD_DOES_NOT_EXIST","features":[1]},{"name":"DNS_ERROR_RECORD_FORMAT","features":[1]},{"name":"DNS_ERROR_RECORD_ONLY_AT_ZONE_ROOT","features":[1]},{"name":"DNS_ERROR_RECORD_TIMED_OUT","features":[1]},{"name":"DNS_ERROR_RESPONSE_CODES_BASE","features":[1]},{"name":"DNS_ERROR_ROLLOVER_ALREADY_QUEUED","features":[1]},{"name":"DNS_ERROR_ROLLOVER_IN_PROGRESS","features":[1]},{"name":"DNS_ERROR_ROLLOVER_NOT_POKEABLE","features":[1]},{"name":"DNS_ERROR_RRL_INVALID_IPV4_PREFIX","features":[1]},{"name":"DNS_ERROR_RRL_INVALID_IPV6_PREFIX","features":[1]},{"name":"DNS_ERROR_RRL_INVALID_LEAK_RATE","features":[1]},{"name":"DNS_ERROR_RRL_INVALID_TC_RATE","features":[1]},{"name":"DNS_ERROR_RRL_INVALID_WINDOW_SIZE","features":[1]},{"name":"DNS_ERROR_RRL_LEAK_RATE_LESSTHAN_TC_RATE","features":[1]},{"name":"DNS_ERROR_RRL_NOT_ENABLED","features":[1]},{"name":"DNS_ERROR_SCOPE_ALREADY_EXISTS","features":[1]},{"name":"DNS_ERROR_SCOPE_DOES_NOT_EXIST","features":[1]},{"name":"DNS_ERROR_SCOPE_LOCKED","features":[1]},{"name":"DNS_ERROR_SECONDARY_DATA","features":[1]},{"name":"DNS_ERROR_SECONDARY_REQUIRES_MASTER_IP","features":[1]},{"name":"DNS_ERROR_SECURE_BASE","features":[1]},{"name":"DNS_ERROR_SERVERSCOPE_IS_REFERENCED","features":[1]},{"name":"DNS_ERROR_SETUP_BASE","features":[1]},{"name":"DNS_ERROR_SIGNING_KEY_NOT_ACCESSIBLE","features":[1]},{"name":"DNS_ERROR_SOA_DELETE_INVALID","features":[1]},{"name":"DNS_ERROR_STANDBY_KEY_NOT_PRESENT","features":[1]},{"name":"DNS_ERROR_SUBNET_ALREADY_EXISTS","features":[1]},{"name":"DNS_ERROR_SUBNET_DOES_NOT_EXIST","features":[1]},{"name":"DNS_ERROR_TOO_MANY_SKDS","features":[1]},{"name":"DNS_ERROR_TRY_AGAIN_LATER","features":[1]},{"name":"DNS_ERROR_UNEXPECTED_CNG_ERROR","features":[1]},{"name":"DNS_ERROR_UNEXPECTED_DATA_PROTECTION_ERROR","features":[1]},{"name":"DNS_ERROR_UNKNOWN_RECORD_TYPE","features":[1]},{"name":"DNS_ERROR_UNKNOWN_SIGNING_PARAMETER_VERSION","features":[1]},{"name":"DNS_ERROR_UNSECURE_PACKET","features":[1]},{"name":"DNS_ERROR_UNSUPPORTED_ALGORITHM","features":[1]},{"name":"DNS_ERROR_VIRTUALIZATION_INSTANCE_ALREADY_EXISTS","features":[1]},{"name":"DNS_ERROR_VIRTUALIZATION_INSTANCE_DOES_NOT_EXIST","features":[1]},{"name":"DNS_ERROR_VIRTUALIZATION_TREE_LOCKED","features":[1]},{"name":"DNS_ERROR_WINS_INIT_FAILED","features":[1]},{"name":"DNS_ERROR_ZONESCOPE_ALREADY_EXISTS","features":[1]},{"name":"DNS_ERROR_ZONESCOPE_DOES_NOT_EXIST","features":[1]},{"name":"DNS_ERROR_ZONESCOPE_FILE_WRITEBACK_FAILED","features":[1]},{"name":"DNS_ERROR_ZONESCOPE_IS_REFERENCED","features":[1]},{"name":"DNS_ERROR_ZONE_ALREADY_EXISTS","features":[1]},{"name":"DNS_ERROR_ZONE_BASE","features":[1]},{"name":"DNS_ERROR_ZONE_CONFIGURATION_ERROR","features":[1]},{"name":"DNS_ERROR_ZONE_CREATION_FAILED","features":[1]},{"name":"DNS_ERROR_ZONE_DOES_NOT_EXIST","features":[1]},{"name":"DNS_ERROR_ZONE_HAS_NO_NS_RECORDS","features":[1]},{"name":"DNS_ERROR_ZONE_HAS_NO_SOA_RECORD","features":[1]},{"name":"DNS_ERROR_ZONE_IS_SHUTDOWN","features":[1]},{"name":"DNS_ERROR_ZONE_LOCKED","features":[1]},{"name":"DNS_ERROR_ZONE_LOCKED_FOR_SIGNING","features":[1]},{"name":"DNS_ERROR_ZONE_NOT_SECONDARY","features":[1]},{"name":"DNS_ERROR_ZONE_REQUIRES_MASTER_IP","features":[1]},{"name":"DNS_INFO_ADDED_LOCAL_WINS","features":[1]},{"name":"DNS_INFO_AXFR_COMPLETE","features":[1]},{"name":"DNS_INFO_NO_RECORDS","features":[1]},{"name":"DNS_REQUEST_PENDING","features":[1]},{"name":"DNS_STATUS_CONTINUE_NEEDED","features":[1]},{"name":"DNS_STATUS_DOTTED_NAME","features":[1]},{"name":"DNS_STATUS_FQDN","features":[1]},{"name":"DNS_STATUS_SINGLE_PART_NAME","features":[1]},{"name":"DNS_WARNING_DOMAIN_UNDELETED","features":[1]},{"name":"DNS_WARNING_PTR_CREATE_FAILED","features":[1]},{"name":"DRAGDROP_E_ALREADYREGISTERED","features":[1]},{"name":"DRAGDROP_E_CONCURRENT_DRAG_ATTEMPTED","features":[1]},{"name":"DRAGDROP_E_FIRST","features":[1]},{"name":"DRAGDROP_E_INVALIDHWND","features":[1]},{"name":"DRAGDROP_E_LAST","features":[1]},{"name":"DRAGDROP_E_NOTREGISTERED","features":[1]},{"name":"DRAGDROP_S_CANCEL","features":[1]},{"name":"DRAGDROP_S_DROP","features":[1]},{"name":"DRAGDROP_S_FIRST","features":[1]},{"name":"DRAGDROP_S_LAST","features":[1]},{"name":"DRAGDROP_S_USEDEFAULTCURSORS","features":[1]},{"name":"DUPLICATE_CLOSE_SOURCE","features":[1]},{"name":"DUPLICATE_HANDLE_OPTIONS","features":[1]},{"name":"DUPLICATE_SAME_ACCESS","features":[1]},{"name":"DV_E_CLIPFORMAT","features":[1]},{"name":"DV_E_DVASPECT","features":[1]},{"name":"DV_E_DVTARGETDEVICE","features":[1]},{"name":"DV_E_DVTARGETDEVICE_SIZE","features":[1]},{"name":"DV_E_FORMATETC","features":[1]},{"name":"DV_E_LINDEX","features":[1]},{"name":"DV_E_NOIVIEWOBJECT","features":[1]},{"name":"DV_E_STATDATA","features":[1]},{"name":"DV_E_STGMEDIUM","features":[1]},{"name":"DV_E_TYMED","features":[1]},{"name":"DWMERR_CATASTROPHIC_FAILURE","features":[1]},{"name":"DWMERR_STATE_TRANSITION_FAILED","features":[1]},{"name":"DWMERR_THEME_FAILED","features":[1]},{"name":"DWM_E_ADAPTER_NOT_FOUND","features":[1]},{"name":"DWM_E_COMPOSITIONDISABLED","features":[1]},{"name":"DWM_E_NOT_QUEUING_PRESENTS","features":[1]},{"name":"DWM_E_NO_REDIRECTION_SURFACE_AVAILABLE","features":[1]},{"name":"DWM_E_REMOTING_NOT_SUPPORTED","features":[1]},{"name":"DWM_E_TEXTURE_TOO_LARGE","features":[1]},{"name":"DWM_S_GDI_REDIRECTION_SURFACE","features":[1]},{"name":"DWM_S_GDI_REDIRECTION_SURFACE_BLT_VIA_GDI","features":[1]},{"name":"DWRITE_E_ALREADYREGISTERED","features":[1]},{"name":"DWRITE_E_CACHEFORMAT","features":[1]},{"name":"DWRITE_E_CACHEVERSION","features":[1]},{"name":"DWRITE_E_FILEACCESS","features":[1]},{"name":"DWRITE_E_FILEFORMAT","features":[1]},{"name":"DWRITE_E_FILENOTFOUND","features":[1]},{"name":"DWRITE_E_FLOWDIRECTIONCONFLICTS","features":[1]},{"name":"DWRITE_E_FONTCOLLECTIONOBSOLETE","features":[1]},{"name":"DWRITE_E_NOCOLOR","features":[1]},{"name":"DWRITE_E_NOFONT","features":[1]},{"name":"DWRITE_E_TEXTRENDERERINCOMPATIBLE","features":[1]},{"name":"DWRITE_E_UNEXPECTED","features":[1]},{"name":"DWRITE_E_UNSUPPORTEDOPERATION","features":[1]},{"name":"DXCORE_ERROR_EVENT_NOT_UNREGISTERED","features":[1]},{"name":"DXGI_DDI_ERR_NONEXCLUSIVE","features":[1]},{"name":"DXGI_DDI_ERR_UNSUPPORTED","features":[1]},{"name":"DXGI_DDI_ERR_WASSTILLDRAWING","features":[1]},{"name":"DXGI_STATUS_CLIPPED","features":[1]},{"name":"DXGI_STATUS_DDA_WAS_STILL_DRAWING","features":[1]},{"name":"DXGI_STATUS_GRAPHICS_VIDPN_SOURCE_IN_USE","features":[1]},{"name":"DXGI_STATUS_MODE_CHANGED","features":[1]},{"name":"DXGI_STATUS_MODE_CHANGE_IN_PROGRESS","features":[1]},{"name":"DXGI_STATUS_NO_DESKTOP_ACCESS","features":[1]},{"name":"DXGI_STATUS_NO_REDIRECTION","features":[1]},{"name":"DXGI_STATUS_OCCLUDED","features":[1]},{"name":"DXGI_STATUS_PRESENT_REQUIRED","features":[1]},{"name":"DXGI_STATUS_UNOCCLUDED","features":[1]},{"name":"DuplicateHandle","features":[1]},{"name":"EAS_E_ADMINS_CANNOT_CHANGE_PASSWORD","features":[1]},{"name":"EAS_E_ADMINS_HAVE_BLANK_PASSWORD","features":[1]},{"name":"EAS_E_CONNECTED_ADMINS_NEED_TO_CHANGE_PASSWORD","features":[1]},{"name":"EAS_E_CURRENT_CONNECTED_USER_NEED_TO_CHANGE_PASSWORD","features":[1]},{"name":"EAS_E_CURRENT_USER_HAS_BLANK_PASSWORD","features":[1]},{"name":"EAS_E_LOCAL_CONTROLLED_USERS_CANNOT_CHANGE_PASSWORD","features":[1]},{"name":"EAS_E_PASSWORD_POLICY_NOT_ENFORCEABLE_FOR_CONNECTED_ADMINS","features":[1]},{"name":"EAS_E_PASSWORD_POLICY_NOT_ENFORCEABLE_FOR_CURRENT_CONNECTED_USER","features":[1]},{"name":"EAS_E_POLICY_COMPLIANT_WITH_ACTIONS","features":[1]},{"name":"EAS_E_POLICY_NOT_MANAGED_BY_OS","features":[1]},{"name":"EAS_E_REQUESTED_POLICY_NOT_ENFORCEABLE","features":[1]},{"name":"EAS_E_REQUESTED_POLICY_PASSWORD_EXPIRATION_INCOMPATIBLE","features":[1]},{"name":"EAS_E_USER_CANNOT_CHANGE_PASSWORD","features":[1]},{"name":"ENUM_E_FIRST","features":[1]},{"name":"ENUM_E_LAST","features":[1]},{"name":"ENUM_S_FIRST","features":[1]},{"name":"ENUM_S_LAST","features":[1]},{"name":"EPT_NT_CANT_CREATE","features":[1]},{"name":"EPT_NT_CANT_PERFORM_OP","features":[1]},{"name":"EPT_NT_INVALID_ENTRY","features":[1]},{"name":"EPT_NT_NOT_REGISTERED","features":[1]},{"name":"ERROR_ABANDONED_WAIT_0","features":[1]},{"name":"ERROR_ABANDONED_WAIT_63","features":[1]},{"name":"ERROR_ABANDON_HIBERFILE","features":[1]},{"name":"ERROR_ABIOS_ERROR","features":[1]},{"name":"ERROR_ACCESS_AUDIT_BY_POLICY","features":[1]},{"name":"ERROR_ACCESS_DENIED","features":[1]},{"name":"ERROR_ACCESS_DENIED_APPDATA","features":[1]},{"name":"ERROR_ACCESS_DISABLED_BY_POLICY","features":[1]},{"name":"ERROR_ACCESS_DISABLED_NO_SAFER_UI_BY_POLICY","features":[1]},{"name":"ERROR_ACCESS_DISABLED_WEBBLADE","features":[1]},{"name":"ERROR_ACCESS_DISABLED_WEBBLADE_TAMPER","features":[1]},{"name":"ERROR_ACCOUNT_DISABLED","features":[1]},{"name":"ERROR_ACCOUNT_EXPIRED","features":[1]},{"name":"ERROR_ACCOUNT_LOCKED_OUT","features":[1]},{"name":"ERROR_ACCOUNT_RESTRICTION","features":[1]},{"name":"ERROR_ACPI_ERROR","features":[1]},{"name":"ERROR_ACTIVATION_COUNT_EXCEEDED","features":[1]},{"name":"ERROR_ACTIVE_CONNECTIONS","features":[1]},{"name":"ERROR_ADAP_HDW_ERR","features":[1]},{"name":"ERROR_ADDRESS_ALREADY_ASSOCIATED","features":[1]},{"name":"ERROR_ADDRESS_NOT_ASSOCIATED","features":[1]},{"name":"ERROR_ADVANCED_INSTALLER_FAILED","features":[1]},{"name":"ERROR_ALERTED","features":[1]},{"name":"ERROR_ALIAS_EXISTS","features":[1]},{"name":"ERROR_ALLOCATE_BUCKET","features":[1]},{"name":"ERROR_ALLOTTED_SPACE_EXCEEDED","features":[1]},{"name":"ERROR_ALLOWED_PORT_TYPE_RESTRICTION","features":[1]},{"name":"ERROR_ALL_NODES_NOT_AVAILABLE","features":[1]},{"name":"ERROR_ALL_SIDS_FILTERED","features":[1]},{"name":"ERROR_ALL_USER_TRUST_QUOTA_EXCEEDED","features":[1]},{"name":"ERROR_ALREADY_ASSIGNED","features":[1]},{"name":"ERROR_ALREADY_CONNECTED","features":[1]},{"name":"ERROR_ALREADY_CONNECTING","features":[1]},{"name":"ERROR_ALREADY_EXISTS","features":[1]},{"name":"ERROR_ALREADY_FIBER","features":[1]},{"name":"ERROR_ALREADY_HAS_STREAM_ID","features":[1]},{"name":"ERROR_ALREADY_INITIALIZED","features":[1]},{"name":"ERROR_ALREADY_REGISTERED","features":[1]},{"name":"ERROR_ALREADY_RUNNING_LKG","features":[1]},{"name":"ERROR_ALREADY_THREAD","features":[1]},{"name":"ERROR_ALREADY_WAITING","features":[1]},{"name":"ERROR_ALREADY_WIN32","features":[1]},{"name":"ERROR_AMBIGUOUS_SYSTEM_DEVICE","features":[1]},{"name":"ERROR_API_UNAVAILABLE","features":[1]},{"name":"ERROR_APPCONTAINER_REQUIRED","features":[1]},{"name":"ERROR_APPEXEC_APP_COMPAT_BLOCK","features":[1]},{"name":"ERROR_APPEXEC_CALLER_WAIT_TIMEOUT","features":[1]},{"name":"ERROR_APPEXEC_CALLER_WAIT_TIMEOUT_LICENSING","features":[1]},{"name":"ERROR_APPEXEC_CALLER_WAIT_TIMEOUT_RESOURCES","features":[1]},{"name":"ERROR_APPEXEC_CALLER_WAIT_TIMEOUT_TERMINATION","features":[1]},{"name":"ERROR_APPEXEC_CONDITION_NOT_SATISFIED","features":[1]},{"name":"ERROR_APPEXEC_HANDLE_INVALIDATED","features":[1]},{"name":"ERROR_APPEXEC_HOST_ID_MISMATCH","features":[1]},{"name":"ERROR_APPEXEC_INVALID_HOST_GENERATION","features":[1]},{"name":"ERROR_APPEXEC_INVALID_HOST_STATE","features":[1]},{"name":"ERROR_APPEXEC_NO_DONOR","features":[1]},{"name":"ERROR_APPEXEC_UNEXPECTED_PROCESS_REGISTRATION","features":[1]},{"name":"ERROR_APPEXEC_UNKNOWN_USER","features":[1]},{"name":"ERROR_APPHELP_BLOCK","features":[1]},{"name":"ERROR_APPINSTALLER_ACTIVATION_BLOCKED","features":[1]},{"name":"ERROR_APPINSTALLER_IS_MANAGED_BY_SYSTEM","features":[1]},{"name":"ERROR_APPINSTALLER_URI_IN_USE","features":[1]},{"name":"ERROR_APPX_FILE_NOT_ENCRYPTED","features":[1]},{"name":"ERROR_APPX_INTEGRITY_FAILURE_CLR_NGEN","features":[1]},{"name":"ERROR_APPX_RAW_DATA_WRITE_FAILED","features":[1]},{"name":"ERROR_APP_DATA_CORRUPT","features":[1]},{"name":"ERROR_APP_DATA_EXPIRED","features":[1]},{"name":"ERROR_APP_DATA_LIMIT_EXCEEDED","features":[1]},{"name":"ERROR_APP_DATA_NOT_FOUND","features":[1]},{"name":"ERROR_APP_DATA_REBOOT_REQUIRED","features":[1]},{"name":"ERROR_APP_HANG","features":[1]},{"name":"ERROR_APP_INIT_FAILURE","features":[1]},{"name":"ERROR_APP_WRONG_OS","features":[1]},{"name":"ERROR_ARBITRATION_UNHANDLED","features":[1]},{"name":"ERROR_ARENA_TRASHED","features":[1]},{"name":"ERROR_ARITHMETIC_OVERFLOW","features":[1]},{"name":"ERROR_ASSERTION_FAILURE","features":[1]},{"name":"ERROR_ATOMIC_LOCKS_NOT_SUPPORTED","features":[1]},{"name":"ERROR_ATTRIBUTE_NOT_PRESENT","features":[1]},{"name":"ERROR_AUDITING_DISABLED","features":[1]},{"name":"ERROR_AUDIT_FAILED","features":[1]},{"name":"ERROR_AUTHENTICATION_FIREWALL_FAILED","features":[1]},{"name":"ERROR_AUTHENTICATOR_MISMATCH","features":[1]},{"name":"ERROR_AUTHENTICODE_DISALLOWED","features":[1]},{"name":"ERROR_AUTHENTICODE_PUBLISHER_NOT_TRUSTED","features":[1]},{"name":"ERROR_AUTHENTICODE_TRUSTED_PUBLISHER","features":[1]},{"name":"ERROR_AUTHENTICODE_TRUST_NOT_ESTABLISHED","features":[1]},{"name":"ERROR_AUTHIP_FAILURE","features":[1]},{"name":"ERROR_AUTH_PROTOCOL_REJECTED","features":[1]},{"name":"ERROR_AUTH_PROTOCOL_RESTRICTION","features":[1]},{"name":"ERROR_AUTH_SERVER_TIMEOUT","features":[1]},{"name":"ERROR_AUTODATASEG_EXCEEDS_64k","features":[1]},{"name":"ERROR_BACKUP_CONTROLLER","features":[1]},{"name":"ERROR_BADDB","features":[1]},{"name":"ERROR_BADKEY","features":[1]},{"name":"ERROR_BADSTARTPOSITION","features":[1]},{"name":"ERROR_BAD_ACCESSOR_FLAGS","features":[1]},{"name":"ERROR_BAD_ARGUMENTS","features":[1]},{"name":"ERROR_BAD_CLUSTERS","features":[1]},{"name":"ERROR_BAD_COMMAND","features":[1]},{"name":"ERROR_BAD_COMPRESSION_BUFFER","features":[1]},{"name":"ERROR_BAD_CONFIGURATION","features":[1]},{"name":"ERROR_BAD_CURRENT_DIRECTORY","features":[1]},{"name":"ERROR_BAD_DESCRIPTOR_FORMAT","features":[1]},{"name":"ERROR_BAD_DEVICE","features":[1]},{"name":"ERROR_BAD_DEVICE_PATH","features":[1]},{"name":"ERROR_BAD_DEV_TYPE","features":[1]},{"name":"ERROR_BAD_DLL_ENTRYPOINT","features":[1]},{"name":"ERROR_BAD_DRIVER","features":[1]},{"name":"ERROR_BAD_DRIVER_LEVEL","features":[1]},{"name":"ERROR_BAD_ENVIRONMENT","features":[1]},{"name":"ERROR_BAD_EXE_FORMAT","features":[1]},{"name":"ERROR_BAD_FILE_TYPE","features":[1]},{"name":"ERROR_BAD_FORMAT","features":[1]},{"name":"ERROR_BAD_FUNCTION_TABLE","features":[1]},{"name":"ERROR_BAD_IMPERSONATION_LEVEL","features":[1]},{"name":"ERROR_BAD_INHERITANCE_ACL","features":[1]},{"name":"ERROR_BAD_INTERFACE_INSTALLSECT","features":[1]},{"name":"ERROR_BAD_LENGTH","features":[1]},{"name":"ERROR_BAD_LOGON_SESSION_STATE","features":[1]},{"name":"ERROR_BAD_MCFG_TABLE","features":[1]},{"name":"ERROR_BAD_NETPATH","features":[1]},{"name":"ERROR_BAD_NET_NAME","features":[1]},{"name":"ERROR_BAD_NET_RESP","features":[1]},{"name":"ERROR_BAD_PATHNAME","features":[1]},{"name":"ERROR_BAD_PIPE","features":[1]},{"name":"ERROR_BAD_PROFILE","features":[1]},{"name":"ERROR_BAD_PROVIDER","features":[1]},{"name":"ERROR_BAD_QUERY_SYNTAX","features":[1]},{"name":"ERROR_BAD_RECOVERY_POLICY","features":[1]},{"name":"ERROR_BAD_REM_ADAP","features":[1]},{"name":"ERROR_BAD_SECTION_NAME_LINE","features":[1]},{"name":"ERROR_BAD_SERVICE_ENTRYPOINT","features":[1]},{"name":"ERROR_BAD_SERVICE_INSTALLSECT","features":[1]},{"name":"ERROR_BAD_STACK","features":[1]},{"name":"ERROR_BAD_THREADID_ADDR","features":[1]},{"name":"ERROR_BAD_TOKEN_TYPE","features":[1]},{"name":"ERROR_BAD_UNIT","features":[1]},{"name":"ERROR_BAD_USERNAME","features":[1]},{"name":"ERROR_BAD_USER_PROFILE","features":[1]},{"name":"ERROR_BAD_VALIDATION_CLASS","features":[1]},{"name":"ERROR_BAP_DISCONNECTED","features":[1]},{"name":"ERROR_BAP_REQUIRED","features":[1]},{"name":"ERROR_BCD_NOT_ALL_ENTRIES_IMPORTED","features":[1]},{"name":"ERROR_BCD_NOT_ALL_ENTRIES_SYNCHRONIZED","features":[1]},{"name":"ERROR_BCD_TOO_MANY_ELEMENTS","features":[1]},{"name":"ERROR_BEGINNING_OF_MEDIA","features":[1]},{"name":"ERROR_BEYOND_VDL","features":[1]},{"name":"ERROR_BIOS_FAILED_TO_CONNECT_INTERRUPT","features":[1]},{"name":"ERROR_BIZRULES_NOT_ENABLED","features":[1]},{"name":"ERROR_BLOCKED_BY_PARENTAL_CONTROLS","features":[1]},{"name":"ERROR_BLOCK_SHARED","features":[1]},{"name":"ERROR_BLOCK_SOURCE_WEAK_REFERENCE_INVALID","features":[1]},{"name":"ERROR_BLOCK_TARGET_WEAK_REFERENCE_INVALID","features":[1]},{"name":"ERROR_BLOCK_TOO_MANY_REFERENCES","features":[1]},{"name":"ERROR_BLOCK_WEAK_REFERENCE_INVALID","features":[1]},{"name":"ERROR_BOOT_ALREADY_ACCEPTED","features":[1]},{"name":"ERROR_BROKEN_PIPE","features":[1]},{"name":"ERROR_BUFFER_ALL_ZEROS","features":[1]},{"name":"ERROR_BUFFER_OVERFLOW","features":[1]},{"name":"ERROR_BUSY","features":[1]},{"name":"ERROR_BUSY_DRIVE","features":[1]},{"name":"ERROR_BUS_RESET","features":[1]},{"name":"ERROR_BYPASSIO_FLT_NOT_SUPPORTED","features":[1]},{"name":"ERROR_CACHE_PAGE_LOCKED","features":[1]},{"name":"ERROR_CALLBACK_INVOKE_INLINE","features":[1]},{"name":"ERROR_CALLBACK_POP_STACK","features":[1]},{"name":"ERROR_CALLBACK_SUPPLIED_INVALID_DATA","features":[1]},{"name":"ERROR_CALL_NOT_IMPLEMENTED","features":[1]},{"name":"ERROR_CANCELLED","features":[1]},{"name":"ERROR_CANCEL_VIOLATION","features":[1]},{"name":"ERROR_CANNOT_ABORT_TRANSACTIONS","features":[1]},{"name":"ERROR_CANNOT_ACCEPT_TRANSACTED_WORK","features":[1]},{"name":"ERROR_CANNOT_BREAK_OPLOCK","features":[1]},{"name":"ERROR_CANNOT_COPY","features":[1]},{"name":"ERROR_CANNOT_DETECT_DRIVER_FAILURE","features":[1]},{"name":"ERROR_CANNOT_DETECT_PROCESS_ABORT","features":[1]},{"name":"ERROR_CANNOT_EXECUTE_FILE_IN_TRANSACTION","features":[1]},{"name":"ERROR_CANNOT_FIND_WND_CLASS","features":[1]},{"name":"ERROR_CANNOT_GRANT_REQUESTED_OPLOCK","features":[1]},{"name":"ERROR_CANNOT_IMPERSONATE","features":[1]},{"name":"ERROR_CANNOT_LOAD_REGISTRY_FILE","features":[1]},{"name":"ERROR_CANNOT_MAKE","features":[1]},{"name":"ERROR_CANNOT_OPEN_PROFILE","features":[1]},{"name":"ERROR_CANNOT_SWITCH_RUNLEVEL","features":[1]},{"name":"ERROR_CANTFETCHBACKWARDS","features":[1]},{"name":"ERROR_CANTOPEN","features":[1]},{"name":"ERROR_CANTREAD","features":[1]},{"name":"ERROR_CANTSCROLLBACKWARDS","features":[1]},{"name":"ERROR_CANTWRITE","features":[1]},{"name":"ERROR_CANT_ACCESS_DOMAIN_INFO","features":[1]},{"name":"ERROR_CANT_ACCESS_FILE","features":[1]},{"name":"ERROR_CANT_ATTACH_TO_DEV_VOLUME","features":[1]},{"name":"ERROR_CANT_BREAK_TRANSACTIONAL_DEPENDENCY","features":[1]},{"name":"ERROR_CANT_CLEAR_ENCRYPTION_FLAG","features":[1]},{"name":"ERROR_CANT_CREATE_MORE_STREAM_MINIVERSIONS","features":[1]},{"name":"ERROR_CANT_CROSS_RM_BOUNDARY","features":[1]},{"name":"ERROR_CANT_DELETE_LAST_ITEM","features":[1]},{"name":"ERROR_CANT_DISABLE_MANDATORY","features":[1]},{"name":"ERROR_CANT_ENABLE_DENY_ONLY","features":[1]},{"name":"ERROR_CANT_EVICT_ACTIVE_NODE","features":[1]},{"name":"ERROR_CANT_LOAD_CLASS_ICON","features":[1]},{"name":"ERROR_CANT_OPEN_ANONYMOUS","features":[1]},{"name":"ERROR_CANT_OPEN_MINIVERSION_WITH_MODIFY_INTENT","features":[1]},{"name":"ERROR_CANT_RECOVER_WITH_HANDLE_OPEN","features":[1]},{"name":"ERROR_CANT_REMOVE_DEVINST","features":[1]},{"name":"ERROR_CANT_RESOLVE_FILENAME","features":[1]},{"name":"ERROR_CANT_TERMINATE_SELF","features":[1]},{"name":"ERROR_CANT_WAIT","features":[1]},{"name":"ERROR_CAN_NOT_COMPLETE","features":[1]},{"name":"ERROR_CAN_NOT_DEL_LOCAL_WINS","features":[1]},{"name":"ERROR_CAPAUTHZ_CHANGE_TYPE","features":[1]},{"name":"ERROR_CAPAUTHZ_DB_CORRUPTED","features":[1]},{"name":"ERROR_CAPAUTHZ_NOT_AUTHORIZED","features":[1]},{"name":"ERROR_CAPAUTHZ_NOT_DEVUNLOCKED","features":[1]},{"name":"ERROR_CAPAUTHZ_NOT_PROVISIONED","features":[1]},{"name":"ERROR_CAPAUTHZ_NO_POLICY","features":[1]},{"name":"ERROR_CAPAUTHZ_SCCD_DEV_MODE_REQUIRED","features":[1]},{"name":"ERROR_CAPAUTHZ_SCCD_INVALID_CATALOG","features":[1]},{"name":"ERROR_CAPAUTHZ_SCCD_NO_AUTH_ENTITY","features":[1]},{"name":"ERROR_CAPAUTHZ_SCCD_NO_CAPABILITY_MATCH","features":[1]},{"name":"ERROR_CAPAUTHZ_SCCD_PARSE_ERROR","features":[1]},{"name":"ERROR_CARDBUS_NOT_SUPPORTED","features":[1]},{"name":"ERROR_CASE_DIFFERING_NAMES_IN_DIR","features":[1]},{"name":"ERROR_CASE_SENSITIVE_PATH","features":[1]},{"name":"ERROR_CERTIFICATE_VALIDATION_PREFERENCE_CONFLICT","features":[1]},{"name":"ERROR_CHECKING_FILE_SYSTEM","features":[1]},{"name":"ERROR_CHECKOUT_REQUIRED","features":[1]},{"name":"ERROR_CHILD_MUST_BE_VOLATILE","features":[1]},{"name":"ERROR_CHILD_NOT_COMPLETE","features":[1]},{"name":"ERROR_CHILD_PROCESS_BLOCKED","features":[1]},{"name":"ERROR_CHILD_WINDOW_MENU","features":[1]},{"name":"ERROR_CIMFS_IMAGE_CORRUPT","features":[1]},{"name":"ERROR_CIMFS_IMAGE_VERSION_NOT_SUPPORTED","features":[1]},{"name":"ERROR_CIRCULAR_DEPENDENCY","features":[1]},{"name":"ERROR_CLASSIC_COMPAT_MODE_NOT_ALLOWED","features":[1]},{"name":"ERROR_CLASS_ALREADY_EXISTS","features":[1]},{"name":"ERROR_CLASS_DOES_NOT_EXIST","features":[1]},{"name":"ERROR_CLASS_HAS_WINDOWS","features":[1]},{"name":"ERROR_CLASS_MISMATCH","features":[1]},{"name":"ERROR_CLEANER_CARTRIDGE_INSTALLED","features":[1]},{"name":"ERROR_CLEANER_CARTRIDGE_SPENT","features":[1]},{"name":"ERROR_CLEANER_SLOT_NOT_SET","features":[1]},{"name":"ERROR_CLEANER_SLOT_SET","features":[1]},{"name":"ERROR_CLIENT_INTERFACE_ALREADY_EXISTS","features":[1]},{"name":"ERROR_CLIENT_SERVER_PARAMETERS_INVALID","features":[1]},{"name":"ERROR_CLIPBOARD_NOT_OPEN","features":[1]},{"name":"ERROR_CLIPPING_NOT_SUPPORTED","features":[1]},{"name":"ERROR_CLIP_DEVICE_LICENSE_MISSING","features":[1]},{"name":"ERROR_CLIP_KEYHOLDER_LICENSE_MISSING_OR_INVALID","features":[1]},{"name":"ERROR_CLIP_LICENSE_DEVICE_ID_MISMATCH","features":[1]},{"name":"ERROR_CLIP_LICENSE_EXPIRED","features":[1]},{"name":"ERROR_CLIP_LICENSE_HARDWARE_ID_OUT_OF_TOLERANCE","features":[1]},{"name":"ERROR_CLIP_LICENSE_INVALID_SIGNATURE","features":[1]},{"name":"ERROR_CLIP_LICENSE_NOT_FOUND","features":[1]},{"name":"ERROR_CLIP_LICENSE_NOT_SIGNED","features":[1]},{"name":"ERROR_CLIP_LICENSE_SIGNED_BY_UNKNOWN_SOURCE","features":[1]},{"name":"ERROR_CLOUD_FILE_ACCESS_DENIED","features":[1]},{"name":"ERROR_CLOUD_FILE_ALREADY_CONNECTED","features":[1]},{"name":"ERROR_CLOUD_FILE_AUTHENTICATION_FAILED","features":[1]},{"name":"ERROR_CLOUD_FILE_CONNECTED_PROVIDER_ONLY","features":[1]},{"name":"ERROR_CLOUD_FILE_DEHYDRATION_DISALLOWED","features":[1]},{"name":"ERROR_CLOUD_FILE_INCOMPATIBLE_HARDLINKS","features":[1]},{"name":"ERROR_CLOUD_FILE_INSUFFICIENT_RESOURCES","features":[1]},{"name":"ERROR_CLOUD_FILE_INVALID_REQUEST","features":[1]},{"name":"ERROR_CLOUD_FILE_IN_USE","features":[1]},{"name":"ERROR_CLOUD_FILE_METADATA_CORRUPT","features":[1]},{"name":"ERROR_CLOUD_FILE_METADATA_TOO_LARGE","features":[1]},{"name":"ERROR_CLOUD_FILE_NETWORK_UNAVAILABLE","features":[1]},{"name":"ERROR_CLOUD_FILE_NOT_IN_SYNC","features":[1]},{"name":"ERROR_CLOUD_FILE_NOT_SUPPORTED","features":[1]},{"name":"ERROR_CLOUD_FILE_NOT_UNDER_SYNC_ROOT","features":[1]},{"name":"ERROR_CLOUD_FILE_PINNED","features":[1]},{"name":"ERROR_CLOUD_FILE_PROPERTY_BLOB_CHECKSUM_MISMATCH","features":[1]},{"name":"ERROR_CLOUD_FILE_PROPERTY_BLOB_TOO_LARGE","features":[1]},{"name":"ERROR_CLOUD_FILE_PROPERTY_CORRUPT","features":[1]},{"name":"ERROR_CLOUD_FILE_PROPERTY_LOCK_CONFLICT","features":[1]},{"name":"ERROR_CLOUD_FILE_PROPERTY_VERSION_NOT_SUPPORTED","features":[1]},{"name":"ERROR_CLOUD_FILE_PROVIDER_NOT_RUNNING","features":[1]},{"name":"ERROR_CLOUD_FILE_PROVIDER_TERMINATED","features":[1]},{"name":"ERROR_CLOUD_FILE_READ_ONLY_VOLUME","features":[1]},{"name":"ERROR_CLOUD_FILE_REQUEST_ABORTED","features":[1]},{"name":"ERROR_CLOUD_FILE_REQUEST_CANCELED","features":[1]},{"name":"ERROR_CLOUD_FILE_REQUEST_TIMEOUT","features":[1]},{"name":"ERROR_CLOUD_FILE_SYNC_ROOT_METADATA_CORRUPT","features":[1]},{"name":"ERROR_CLOUD_FILE_TOO_MANY_PROPERTY_BLOBS","features":[1]},{"name":"ERROR_CLOUD_FILE_UNSUCCESSFUL","features":[1]},{"name":"ERROR_CLOUD_FILE_US_MESSAGE_TIMEOUT","features":[1]},{"name":"ERROR_CLOUD_FILE_VALIDATION_FAILED","features":[1]},{"name":"ERROR_CLUSCFG_ALREADY_COMMITTED","features":[1]},{"name":"ERROR_CLUSCFG_ROLLBACK_FAILED","features":[1]},{"name":"ERROR_CLUSCFG_SYSTEM_DISK_DRIVE_LETTER_CONFLICT","features":[1]},{"name":"ERROR_CLUSTERLOG_CHKPOINT_NOT_FOUND","features":[1]},{"name":"ERROR_CLUSTERLOG_CORRUPT","features":[1]},{"name":"ERROR_CLUSTERLOG_EXCEEDS_MAXSIZE","features":[1]},{"name":"ERROR_CLUSTERLOG_NOT_ENOUGH_SPACE","features":[1]},{"name":"ERROR_CLUSTERLOG_RECORD_EXCEEDS_MAXSIZE","features":[1]},{"name":"ERROR_CLUSTERSET_MANAGEMENT_CLUSTER_UNREACHABLE","features":[1]},{"name":"ERROR_CLUSTER_AFFINITY_CONFLICT","features":[1]},{"name":"ERROR_CLUSTER_BACKUP_IN_PROGRESS","features":[1]},{"name":"ERROR_CLUSTER_CANNOT_RETURN_PROPERTIES","features":[1]},{"name":"ERROR_CLUSTER_CANT_CREATE_DUP_CLUSTER_NAME","features":[1]},{"name":"ERROR_CLUSTER_CANT_DESERIALIZE_DATA","features":[1]},{"name":"ERROR_CLUSTER_CSV_INVALID_HANDLE","features":[1]},{"name":"ERROR_CLUSTER_CSV_IO_PAUSE_TIMEOUT","features":[1]},{"name":"ERROR_CLUSTER_CSV_SUPPORTED_ONLY_ON_COORDINATOR","features":[1]},{"name":"ERROR_CLUSTER_DATABASE_SEQMISMATCH","features":[1]},{"name":"ERROR_CLUSTER_DATABASE_TRANSACTION_IN_PROGRESS","features":[1]},{"name":"ERROR_CLUSTER_DATABASE_TRANSACTION_NOT_IN_PROGRESS","features":[1]},{"name":"ERROR_CLUSTER_DATABASE_UPDATE_CONDITION_FAILED","features":[1]},{"name":"ERROR_CLUSTER_DISK_NOT_CONNECTED","features":[1]},{"name":"ERROR_CLUSTER_EVICT_INVALID_REQUEST","features":[1]},{"name":"ERROR_CLUSTER_EVICT_WITHOUT_CLEANUP","features":[1]},{"name":"ERROR_CLUSTER_FAULT_DOMAIN_FAILED_S2D_VALIDATION","features":[1]},{"name":"ERROR_CLUSTER_FAULT_DOMAIN_INVALID_HIERARCHY","features":[1]},{"name":"ERROR_CLUSTER_FAULT_DOMAIN_PARENT_NOT_FOUND","features":[1]},{"name":"ERROR_CLUSTER_FAULT_DOMAIN_S2D_CONNECTIVITY_LOSS","features":[1]},{"name":"ERROR_CLUSTER_GROUP_BUSY","features":[1]},{"name":"ERROR_CLUSTER_GROUP_MOVING","features":[1]},{"name":"ERROR_CLUSTER_GROUP_QUEUED","features":[1]},{"name":"ERROR_CLUSTER_GROUP_SINGLETON_RESOURCE","features":[1]},{"name":"ERROR_CLUSTER_GUM_NOT_LOCKER","features":[1]},{"name":"ERROR_CLUSTER_INCOMPATIBLE_VERSIONS","features":[1]},{"name":"ERROR_CLUSTER_INSTANCE_ID_MISMATCH","features":[1]},{"name":"ERROR_CLUSTER_INTERNAL_INVALID_FUNCTION","features":[1]},{"name":"ERROR_CLUSTER_INVALID_INFRASTRUCTURE_FILESERVER_NAME","features":[1]},{"name":"ERROR_CLUSTER_INVALID_IPV6_NETWORK","features":[1]},{"name":"ERROR_CLUSTER_INVALID_IPV6_TUNNEL_NETWORK","features":[1]},{"name":"ERROR_CLUSTER_INVALID_NETWORK","features":[1]},{"name":"ERROR_CLUSTER_INVALID_NETWORK_PROVIDER","features":[1]},{"name":"ERROR_CLUSTER_INVALID_NODE","features":[1]},{"name":"ERROR_CLUSTER_INVALID_NODE_WEIGHT","features":[1]},{"name":"ERROR_CLUSTER_INVALID_REQUEST","features":[1]},{"name":"ERROR_CLUSTER_INVALID_SECURITY_DESCRIPTOR","features":[1]},{"name":"ERROR_CLUSTER_INVALID_STRING_FORMAT","features":[1]},{"name":"ERROR_CLUSTER_INVALID_STRING_TERMINATION","features":[1]},{"name":"ERROR_CLUSTER_IPADDR_IN_USE","features":[1]},{"name":"ERROR_CLUSTER_JOIN_ABORTED","features":[1]},{"name":"ERROR_CLUSTER_JOIN_IN_PROGRESS","features":[1]},{"name":"ERROR_CLUSTER_JOIN_NOT_IN_PROGRESS","features":[1]},{"name":"ERROR_CLUSTER_LAST_INTERNAL_NETWORK","features":[1]},{"name":"ERROR_CLUSTER_LOCAL_NODE_NOT_FOUND","features":[1]},{"name":"ERROR_CLUSTER_MAXNUM_OF_RESOURCES_EXCEEDED","features":[1]},{"name":"ERROR_CLUSTER_MAX_NODES_IN_CLUSTER","features":[1]},{"name":"ERROR_CLUSTER_MEMBERSHIP_HALT","features":[1]},{"name":"ERROR_CLUSTER_MEMBERSHIP_INVALID_STATE","features":[1]},{"name":"ERROR_CLUSTER_MISMATCHED_COMPUTER_ACCT_NAME","features":[1]},{"name":"ERROR_CLUSTER_NETINTERFACE_EXISTS","features":[1]},{"name":"ERROR_CLUSTER_NETINTERFACE_NOT_FOUND","features":[1]},{"name":"ERROR_CLUSTER_NETWORK_ALREADY_OFFLINE","features":[1]},{"name":"ERROR_CLUSTER_NETWORK_ALREADY_ONLINE","features":[1]},{"name":"ERROR_CLUSTER_NETWORK_EXISTS","features":[1]},{"name":"ERROR_CLUSTER_NETWORK_HAS_DEPENDENTS","features":[1]},{"name":"ERROR_CLUSTER_NETWORK_NOT_FOUND","features":[1]},{"name":"ERROR_CLUSTER_NETWORK_NOT_FOUND_FOR_IP","features":[1]},{"name":"ERROR_CLUSTER_NETWORK_NOT_INTERNAL","features":[1]},{"name":"ERROR_CLUSTER_NODE_ALREADY_DOWN","features":[1]},{"name":"ERROR_CLUSTER_NODE_ALREADY_HAS_DFS_ROOT","features":[1]},{"name":"ERROR_CLUSTER_NODE_ALREADY_MEMBER","features":[1]},{"name":"ERROR_CLUSTER_NODE_ALREADY_UP","features":[1]},{"name":"ERROR_CLUSTER_NODE_DOWN","features":[1]},{"name":"ERROR_CLUSTER_NODE_DRAIN_IN_PROGRESS","features":[1]},{"name":"ERROR_CLUSTER_NODE_EXISTS","features":[1]},{"name":"ERROR_CLUSTER_NODE_IN_GRACE_PERIOD","features":[1]},{"name":"ERROR_CLUSTER_NODE_ISOLATED","features":[1]},{"name":"ERROR_CLUSTER_NODE_NOT_FOUND","features":[1]},{"name":"ERROR_CLUSTER_NODE_NOT_MEMBER","features":[1]},{"name":"ERROR_CLUSTER_NODE_NOT_PAUSED","features":[1]},{"name":"ERROR_CLUSTER_NODE_NOT_READY","features":[1]},{"name":"ERROR_CLUSTER_NODE_PAUSED","features":[1]},{"name":"ERROR_CLUSTER_NODE_QUARANTINED","features":[1]},{"name":"ERROR_CLUSTER_NODE_SHUTTING_DOWN","features":[1]},{"name":"ERROR_CLUSTER_NODE_UNREACHABLE","features":[1]},{"name":"ERROR_CLUSTER_NODE_UP","features":[1]},{"name":"ERROR_CLUSTER_NOT_INSTALLED","features":[1]},{"name":"ERROR_CLUSTER_NOT_SHARED_VOLUME","features":[1]},{"name":"ERROR_CLUSTER_NO_NET_ADAPTERS","features":[1]},{"name":"ERROR_CLUSTER_NO_QUORUM","features":[1]},{"name":"ERROR_CLUSTER_NO_RPC_PACKAGES_REGISTERED","features":[1]},{"name":"ERROR_CLUSTER_NO_SECURITY_CONTEXT","features":[1]},{"name":"ERROR_CLUSTER_NULL_DATA","features":[1]},{"name":"ERROR_CLUSTER_OBJECT_ALREADY_USED","features":[1]},{"name":"ERROR_CLUSTER_OBJECT_IS_CLUSTER_SET_VM","features":[1]},{"name":"ERROR_CLUSTER_OLD_VERSION","features":[1]},{"name":"ERROR_CLUSTER_OWNER_NOT_IN_PREFLIST","features":[1]},{"name":"ERROR_CLUSTER_PARAMETER_MISMATCH","features":[1]},{"name":"ERROR_CLUSTER_PARAMETER_OUT_OF_BOUNDS","features":[1]},{"name":"ERROR_CLUSTER_PARTIAL_READ","features":[1]},{"name":"ERROR_CLUSTER_PARTIAL_SEND","features":[1]},{"name":"ERROR_CLUSTER_PARTIAL_WRITE","features":[1]},{"name":"ERROR_CLUSTER_POISONED","features":[1]},{"name":"ERROR_CLUSTER_PROPERTY_DATA_TYPE_MISMATCH","features":[1]},{"name":"ERROR_CLUSTER_QUORUMLOG_NOT_FOUND","features":[1]},{"name":"ERROR_CLUSTER_REGISTRY_INVALID_FUNCTION","features":[1]},{"name":"ERROR_CLUSTER_RESNAME_NOT_FOUND","features":[1]},{"name":"ERROR_CLUSTER_RESOURCES_MUST_BE_ONLINE_ON_THE_SAME_NODE","features":[1]},{"name":"ERROR_CLUSTER_RESOURCE_CONFIGURATION_ERROR","features":[1]},{"name":"ERROR_CLUSTER_RESOURCE_CONTAINS_UNSUPPORTED_DIFF_AREA_FOR_SHARED_VOLUMES","features":[1]},{"name":"ERROR_CLUSTER_RESOURCE_DOES_NOT_SUPPORT_UNMONITORED","features":[1]},{"name":"ERROR_CLUSTER_RESOURCE_IS_IN_MAINTENANCE_MODE","features":[1]},{"name":"ERROR_CLUSTER_RESOURCE_IS_REPLICATED","features":[1]},{"name":"ERROR_CLUSTER_RESOURCE_IS_REPLICA_VIRTUAL_MACHINE","features":[1]},{"name":"ERROR_CLUSTER_RESOURCE_LOCKED_STATUS","features":[1]},{"name":"ERROR_CLUSTER_RESOURCE_NOT_MONITORED","features":[1]},{"name":"ERROR_CLUSTER_RESOURCE_PROVIDER_FAILED","features":[1]},{"name":"ERROR_CLUSTER_RESOURCE_TYPE_BUSY","features":[1]},{"name":"ERROR_CLUSTER_RESOURCE_TYPE_NOT_FOUND","features":[1]},{"name":"ERROR_CLUSTER_RESOURCE_VETOED_CALL","features":[1]},{"name":"ERROR_CLUSTER_RESOURCE_VETOED_MOVE_INCOMPATIBLE_NODES","features":[1]},{"name":"ERROR_CLUSTER_RESOURCE_VETOED_MOVE_NOT_ENOUGH_RESOURCES_ON_DESTINATION","features":[1]},{"name":"ERROR_CLUSTER_RESOURCE_VETOED_MOVE_NOT_ENOUGH_RESOURCES_ON_SOURCE","features":[1]},{"name":"ERROR_CLUSTER_RESTYPE_NOT_SUPPORTED","features":[1]},{"name":"ERROR_CLUSTER_RHS_FAILED_INITIALIZATION","features":[1]},{"name":"ERROR_CLUSTER_SHARED_VOLUMES_IN_USE","features":[1]},{"name":"ERROR_CLUSTER_SHARED_VOLUME_FAILOVER_NOT_ALLOWED","features":[1]},{"name":"ERROR_CLUSTER_SHARED_VOLUME_NOT_REDIRECTED","features":[1]},{"name":"ERROR_CLUSTER_SHARED_VOLUME_REDIRECTED","features":[1]},{"name":"ERROR_CLUSTER_SHUTTING_DOWN","features":[1]},{"name":"ERROR_CLUSTER_SINGLETON_RESOURCE","features":[1]},{"name":"ERROR_CLUSTER_SPACE_DEGRADED","features":[1]},{"name":"ERROR_CLUSTER_SYSTEM_CONFIG_CHANGED","features":[1]},{"name":"ERROR_CLUSTER_TOKEN_DELEGATION_NOT_SUPPORTED","features":[1]},{"name":"ERROR_CLUSTER_TOO_MANY_NODES","features":[1]},{"name":"ERROR_CLUSTER_UPGRADE_FIX_QUORUM_NOT_SUPPORTED","features":[1]},{"name":"ERROR_CLUSTER_UPGRADE_INCOMPATIBLE_VERSIONS","features":[1]},{"name":"ERROR_CLUSTER_UPGRADE_INCOMPLETE","features":[1]},{"name":"ERROR_CLUSTER_UPGRADE_IN_PROGRESS","features":[1]},{"name":"ERROR_CLUSTER_UPGRADE_RESTART_REQUIRED","features":[1]},{"name":"ERROR_CLUSTER_USE_SHARED_VOLUMES_API","features":[1]},{"name":"ERROR_CLUSTER_WATCHDOG_TERMINATING","features":[1]},{"name":"ERROR_CLUSTER_WRONG_OS_VERSION","features":[1]},{"name":"ERROR_COLORSPACE_MISMATCH","features":[1]},{"name":"ERROR_COMMITMENT_LIMIT","features":[1]},{"name":"ERROR_COMMITMENT_MINIMUM","features":[1]},{"name":"ERROR_COMPRESSED_FILE_NOT_SUPPORTED","features":[1]},{"name":"ERROR_COMPRESSION_DISABLED","features":[1]},{"name":"ERROR_COMPRESSION_NOT_ALLOWED_IN_TRANSACTION","features":[1]},{"name":"ERROR_COMPRESSION_NOT_BENEFICIAL","features":[1]},{"name":"ERROR_COM_TASK_STOP_PENDING","features":[1]},{"name":"ERROR_CONNECTED_OTHER_PASSWORD","features":[1]},{"name":"ERROR_CONNECTED_OTHER_PASSWORD_DEFAULT","features":[1]},{"name":"ERROR_CONNECTION_ABORTED","features":[1]},{"name":"ERROR_CONNECTION_ACTIVE","features":[1]},{"name":"ERROR_CONNECTION_COUNT_LIMIT","features":[1]},{"name":"ERROR_CONNECTION_INVALID","features":[1]},{"name":"ERROR_CONNECTION_REFUSED","features":[1]},{"name":"ERROR_CONNECTION_UNAVAIL","features":[1]},{"name":"ERROR_CONTAINER_ASSIGNED","features":[1]},{"name":"ERROR_CONTENT_BLOCKED","features":[1]},{"name":"ERROR_CONTEXT_EXPIRED","features":[1]},{"name":"ERROR_CONTINUE","features":[1]},{"name":"ERROR_CONTROLLING_IEPORT","features":[1]},{"name":"ERROR_CONTROL_C_EXIT","features":[1]},{"name":"ERROR_CONTROL_ID_NOT_FOUND","features":[1]},{"name":"ERROR_CONVERT_TO_LARGE","features":[1]},{"name":"ERROR_CORE_DRIVER_PACKAGE_NOT_FOUND","features":[1]},{"name":"ERROR_CORE_RESOURCE","features":[1]},{"name":"ERROR_CORRUPT_LOG_CLEARED","features":[1]},{"name":"ERROR_CORRUPT_LOG_CORRUPTED","features":[1]},{"name":"ERROR_CORRUPT_LOG_DELETED_FULL","features":[1]},{"name":"ERROR_CORRUPT_LOG_OVERFULL","features":[1]},{"name":"ERROR_CORRUPT_LOG_UNAVAILABLE","features":[1]},{"name":"ERROR_CORRUPT_SYSTEM_FILE","features":[1]},{"name":"ERROR_COULD_NOT_INTERPRET","features":[1]},{"name":"ERROR_COULD_NOT_RESIZE_LOG","features":[1]},{"name":"ERROR_COUNTER_TIMEOUT","features":[1]},{"name":"ERROR_CPU_SET_INVALID","features":[1]},{"name":"ERROR_CRASH_DUMP","features":[1]},{"name":"ERROR_CRC","features":[1]},{"name":"ERROR_CREATE_FAILED","features":[1]},{"name":"ERROR_CRED_REQUIRES_CONFIRMATION","features":[1]},{"name":"ERROR_CRM_PROTOCOL_ALREADY_EXISTS","features":[1]},{"name":"ERROR_CRM_PROTOCOL_NOT_FOUND","features":[1]},{"name":"ERROR_CROSS_PARTITION_VIOLATION","features":[1]},{"name":"ERROR_CSCSHARE_OFFLINE","features":[1]},{"name":"ERROR_CSV_VOLUME_NOT_LOCAL","features":[1]},{"name":"ERROR_CS_ENCRYPTION_EXISTING_ENCRYPTED_FILE","features":[1]},{"name":"ERROR_CS_ENCRYPTION_FILE_NOT_CSE","features":[1]},{"name":"ERROR_CS_ENCRYPTION_INVALID_SERVER_RESPONSE","features":[1]},{"name":"ERROR_CS_ENCRYPTION_NEW_ENCRYPTED_FILE","features":[1]},{"name":"ERROR_CS_ENCRYPTION_UNSUPPORTED_SERVER","features":[1]},{"name":"ERROR_CTLOG_INCONSISTENT_TRACKING_FILE","features":[1]},{"name":"ERROR_CTLOG_INVALID_TRACKING_STATE","features":[1]},{"name":"ERROR_CTLOG_LOGFILE_SIZE_EXCEEDED_MAXSIZE","features":[1]},{"name":"ERROR_CTLOG_TRACKING_NOT_INITIALIZED","features":[1]},{"name":"ERROR_CTLOG_VHD_CHANGED_OFFLINE","features":[1]},{"name":"ERROR_CTX_ACCOUNT_RESTRICTION","features":[1]},{"name":"ERROR_CTX_BAD_VIDEO_MODE","features":[1]},{"name":"ERROR_CTX_CANNOT_MAKE_EVENTLOG_ENTRY","features":[1]},{"name":"ERROR_CTX_CDM_CONNECT","features":[1]},{"name":"ERROR_CTX_CDM_DISCONNECT","features":[1]},{"name":"ERROR_CTX_CLIENT_LICENSE_IN_USE","features":[1]},{"name":"ERROR_CTX_CLIENT_LICENSE_NOT_SET","features":[1]},{"name":"ERROR_CTX_CLIENT_QUERY_TIMEOUT","features":[1]},{"name":"ERROR_CTX_CLOSE_PENDING","features":[1]},{"name":"ERROR_CTX_CONSOLE_CONNECT","features":[1]},{"name":"ERROR_CTX_CONSOLE_DISCONNECT","features":[1]},{"name":"ERROR_CTX_ENCRYPTION_LEVEL_REQUIRED","features":[1]},{"name":"ERROR_CTX_GRAPHICS_INVALID","features":[1]},{"name":"ERROR_CTX_INVALID_MODEMNAME","features":[1]},{"name":"ERROR_CTX_INVALID_PD","features":[1]},{"name":"ERROR_CTX_INVALID_WD","features":[1]},{"name":"ERROR_CTX_LICENSE_CLIENT_INVALID","features":[1]},{"name":"ERROR_CTX_LICENSE_EXPIRED","features":[1]},{"name":"ERROR_CTX_LICENSE_NOT_AVAILABLE","features":[1]},{"name":"ERROR_CTX_LOGON_DISABLED","features":[1]},{"name":"ERROR_CTX_MODEM_INF_NOT_FOUND","features":[1]},{"name":"ERROR_CTX_MODEM_RESPONSE_BUSY","features":[1]},{"name":"ERROR_CTX_MODEM_RESPONSE_ERROR","features":[1]},{"name":"ERROR_CTX_MODEM_RESPONSE_NO_CARRIER","features":[1]},{"name":"ERROR_CTX_MODEM_RESPONSE_NO_DIALTONE","features":[1]},{"name":"ERROR_CTX_MODEM_RESPONSE_TIMEOUT","features":[1]},{"name":"ERROR_CTX_MODEM_RESPONSE_VOICE","features":[1]},{"name":"ERROR_CTX_NOT_CONSOLE","features":[1]},{"name":"ERROR_CTX_NO_FORCE_LOGOFF","features":[1]},{"name":"ERROR_CTX_NO_OUTBUF","features":[1]},{"name":"ERROR_CTX_PD_NOT_FOUND","features":[1]},{"name":"ERROR_CTX_SECURITY_LAYER_ERROR","features":[1]},{"name":"ERROR_CTX_SERVICE_NAME_COLLISION","features":[1]},{"name":"ERROR_CTX_SESSION_IN_USE","features":[1]},{"name":"ERROR_CTX_SHADOW_DENIED","features":[1]},{"name":"ERROR_CTX_SHADOW_DISABLED","features":[1]},{"name":"ERROR_CTX_SHADOW_ENDED_BY_MODE_CHANGE","features":[1]},{"name":"ERROR_CTX_SHADOW_INVALID","features":[1]},{"name":"ERROR_CTX_SHADOW_NOT_RUNNING","features":[1]},{"name":"ERROR_CTX_TD_ERROR","features":[1]},{"name":"ERROR_CTX_WD_NOT_FOUND","features":[1]},{"name":"ERROR_CTX_WINSTATIONS_DISABLED","features":[1]},{"name":"ERROR_CTX_WINSTATION_ACCESS_DENIED","features":[1]},{"name":"ERROR_CTX_WINSTATION_ALREADY_EXISTS","features":[1]},{"name":"ERROR_CTX_WINSTATION_BUSY","features":[1]},{"name":"ERROR_CTX_WINSTATION_NAME_INVALID","features":[1]},{"name":"ERROR_CTX_WINSTATION_NOT_FOUND","features":[1]},{"name":"ERROR_CURRENT_DIRECTORY","features":[1]},{"name":"ERROR_CURRENT_DOMAIN_NOT_ALLOWED","features":[1]},{"name":"ERROR_CURRENT_TRANSACTION_NOT_VALID","features":[1]},{"name":"ERROR_DATABASE_BACKUP_CORRUPT","features":[1]},{"name":"ERROR_DATABASE_DOES_NOT_EXIST","features":[1]},{"name":"ERROR_DATABASE_FAILURE","features":[1]},{"name":"ERROR_DATABASE_FULL","features":[1]},{"name":"ERROR_DATATYPE_MISMATCH","features":[1]},{"name":"ERROR_DATA_CHECKSUM_ERROR","features":[1]},{"name":"ERROR_DATA_LOST_REPAIR","features":[1]},{"name":"ERROR_DATA_NOT_ACCEPTED","features":[1]},{"name":"ERROR_DAX_MAPPING_EXISTS","features":[1]},{"name":"ERROR_DBG_ATTACH_PROCESS_FAILURE_LOCKDOWN","features":[1]},{"name":"ERROR_DBG_COMMAND_EXCEPTION","features":[1]},{"name":"ERROR_DBG_CONNECT_SERVER_FAILURE_LOCKDOWN","features":[1]},{"name":"ERROR_DBG_CONTINUE","features":[1]},{"name":"ERROR_DBG_CONTROL_BREAK","features":[1]},{"name":"ERROR_DBG_CONTROL_C","features":[1]},{"name":"ERROR_DBG_CREATE_PROCESS_FAILURE_LOCKDOWN","features":[1]},{"name":"ERROR_DBG_EXCEPTION_HANDLED","features":[1]},{"name":"ERROR_DBG_EXCEPTION_NOT_HANDLED","features":[1]},{"name":"ERROR_DBG_PRINTEXCEPTION_C","features":[1]},{"name":"ERROR_DBG_REPLY_LATER","features":[1]},{"name":"ERROR_DBG_RIPEXCEPTION","features":[1]},{"name":"ERROR_DBG_START_SERVER_FAILURE_LOCKDOWN","features":[1]},{"name":"ERROR_DBG_TERMINATE_PROCESS","features":[1]},{"name":"ERROR_DBG_TERMINATE_THREAD","features":[1]},{"name":"ERROR_DBG_UNABLE_TO_PROVIDE_HANDLE","features":[1]},{"name":"ERROR_DC_NOT_FOUND","features":[1]},{"name":"ERROR_DDE_FAIL","features":[1]},{"name":"ERROR_DDM_NOT_RUNNING","features":[1]},{"name":"ERROR_DEBUGGER_INACTIVE","features":[1]},{"name":"ERROR_DEBUG_ATTACH_FAILED","features":[1]},{"name":"ERROR_DECRYPTION_FAILED","features":[1]},{"name":"ERROR_DELAY_LOAD_FAILED","features":[1]},{"name":"ERROR_DELETE_PENDING","features":[1]},{"name":"ERROR_DELETING_EXISTING_APPLICATIONDATA_STORE_FAILED","features":[1]},{"name":"ERROR_DELETING_ICM_XFORM","features":[1]},{"name":"ERROR_DEPENDENCY_ALREADY_EXISTS","features":[1]},{"name":"ERROR_DEPENDENCY_NOT_ALLOWED","features":[1]},{"name":"ERROR_DEPENDENCY_NOT_FOUND","features":[1]},{"name":"ERROR_DEPENDENCY_TREE_TOO_COMPLEX","features":[1]},{"name":"ERROR_DEPENDENT_RESOURCE_EXISTS","features":[1]},{"name":"ERROR_DEPENDENT_RESOURCE_PROPERTY_CONFLICT","features":[1]},{"name":"ERROR_DEPENDENT_SERVICES_RUNNING","features":[1]},{"name":"ERROR_DEPLOYMENT_BLOCKED_BY_POLICY","features":[1]},{"name":"ERROR_DEPLOYMENT_BLOCKED_BY_PROFILE_POLICY","features":[1]},{"name":"ERROR_DEPLOYMENT_BLOCKED_BY_USER_LOG_OFF","features":[1]},{"name":"ERROR_DEPLOYMENT_BLOCKED_BY_VOLUME_POLICY_MACHINE","features":[1]},{"name":"ERROR_DEPLOYMENT_BLOCKED_BY_VOLUME_POLICY_PACKAGE","features":[1]},{"name":"ERROR_DEPLOYMENT_FAILED_CONFLICTING_MUTABLE_PACKAGE_DIRECTORY","features":[1]},{"name":"ERROR_DEPLOYMENT_OPTION_NOT_SUPPORTED","features":[1]},{"name":"ERROR_DESTINATION_ELEMENT_FULL","features":[1]},{"name":"ERROR_DESTROY_OBJECT_OF_OTHER_THREAD","features":[1]},{"name":"ERROR_DEVICE_ALREADY_ATTACHED","features":[1]},{"name":"ERROR_DEVICE_ALREADY_REMEMBERED","features":[1]},{"name":"ERROR_DEVICE_DOOR_OPEN","features":[1]},{"name":"ERROR_DEVICE_ENUMERATION_ERROR","features":[1]},{"name":"ERROR_DEVICE_FEATURE_NOT_SUPPORTED","features":[1]},{"name":"ERROR_DEVICE_HARDWARE_ERROR","features":[1]},{"name":"ERROR_DEVICE_HINT_NAME_BUFFER_TOO_SMALL","features":[1]},{"name":"ERROR_DEVICE_INSTALLER_NOT_READY","features":[1]},{"name":"ERROR_DEVICE_INSTALL_BLOCKED","features":[1]},{"name":"ERROR_DEVICE_INTERFACE_ACTIVE","features":[1]},{"name":"ERROR_DEVICE_INTERFACE_REMOVED","features":[1]},{"name":"ERROR_DEVICE_IN_MAINTENANCE","features":[1]},{"name":"ERROR_DEVICE_IN_USE","features":[1]},{"name":"ERROR_DEVICE_NOT_AVAILABLE","features":[1]},{"name":"ERROR_DEVICE_NOT_CONNECTED","features":[1]},{"name":"ERROR_DEVICE_NOT_PARTITIONED","features":[1]},{"name":"ERROR_DEVICE_NO_RESOURCES","features":[1]},{"name":"ERROR_DEVICE_REINITIALIZATION_NEEDED","features":[1]},{"name":"ERROR_DEVICE_REMOVED","features":[1]},{"name":"ERROR_DEVICE_REQUIRES_CLEANING","features":[1]},{"name":"ERROR_DEVICE_RESET_REQUIRED","features":[1]},{"name":"ERROR_DEVICE_SUPPORT_IN_PROGRESS","features":[1]},{"name":"ERROR_DEVICE_UNREACHABLE","features":[1]},{"name":"ERROR_DEVINFO_DATA_LOCKED","features":[1]},{"name":"ERROR_DEVINFO_LIST_LOCKED","features":[1]},{"name":"ERROR_DEVINFO_NOT_REGISTERED","features":[1]},{"name":"ERROR_DEVINSTALL_QUEUE_NONNATIVE","features":[1]},{"name":"ERROR_DEVINST_ALREADY_EXISTS","features":[1]},{"name":"ERROR_DEV_NOT_EXIST","features":[1]},{"name":"ERROR_DEV_SIDELOAD_LIMIT_EXCEEDED","features":[1]},{"name":"ERROR_DHCP_ADDRESS_CONFLICT","features":[1]},{"name":"ERROR_DIALIN_HOURS_RESTRICTION","features":[1]},{"name":"ERROR_DIALOUT_HOURS_RESTRICTION","features":[1]},{"name":"ERROR_DIFFERENT_PROFILE_RESOURCE_MANAGER_EXIST","features":[1]},{"name":"ERROR_DIFFERENT_SERVICE_ACCOUNT","features":[1]},{"name":"ERROR_DIFFERENT_VERSION_OF_PACKAGED_SERVICE_INSTALLED","features":[1]},{"name":"ERROR_DIF_BINDING_API_NOT_FOUND","features":[1]},{"name":"ERROR_DIF_IOCALLBACK_NOT_REPLACED","features":[1]},{"name":"ERROR_DIF_LIVEDUMP_LIMIT_EXCEEDED","features":[1]},{"name":"ERROR_DIF_VOLATILE_DRIVER_HOTPATCHED","features":[1]},{"name":"ERROR_DIF_VOLATILE_DRIVER_IS_NOT_RUNNING","features":[1]},{"name":"ERROR_DIF_VOLATILE_INVALID_INFO","features":[1]},{"name":"ERROR_DIF_VOLATILE_NOT_ALLOWED","features":[1]},{"name":"ERROR_DIF_VOLATILE_PLUGIN_CHANGE_NOT_ALLOWED","features":[1]},{"name":"ERROR_DIF_VOLATILE_PLUGIN_IS_NOT_RUNNING","features":[1]},{"name":"ERROR_DIF_VOLATILE_SECTION_NOT_LOCKED","features":[1]},{"name":"ERROR_DIRECTORY","features":[1]},{"name":"ERROR_DIRECTORY_NOT_RM","features":[1]},{"name":"ERROR_DIRECTORY_NOT_SUPPORTED","features":[1]},{"name":"ERROR_DIRECT_ACCESS_HANDLE","features":[1]},{"name":"ERROR_DIR_EFS_DISALLOWED","features":[1]},{"name":"ERROR_DIR_NOT_EMPTY","features":[1]},{"name":"ERROR_DIR_NOT_ROOT","features":[1]},{"name":"ERROR_DISCARDED","features":[1]},{"name":"ERROR_DISK_CHANGE","features":[1]},{"name":"ERROR_DISK_CORRUPT","features":[1]},{"name":"ERROR_DISK_FULL","features":[1]},{"name":"ERROR_DISK_NOT_CSV_CAPABLE","features":[1]},{"name":"ERROR_DISK_OPERATION_FAILED","features":[1]},{"name":"ERROR_DISK_QUOTA_EXCEEDED","features":[1]},{"name":"ERROR_DISK_RECALIBRATE_FAILED","features":[1]},{"name":"ERROR_DISK_REPAIR_DISABLED","features":[1]},{"name":"ERROR_DISK_REPAIR_REDIRECTED","features":[1]},{"name":"ERROR_DISK_REPAIR_UNSUCCESSFUL","features":[1]},{"name":"ERROR_DISK_RESET_FAILED","features":[1]},{"name":"ERROR_DISK_RESOURCES_EXHAUSTED","features":[1]},{"name":"ERROR_DISK_TOO_FRAGMENTED","features":[1]},{"name":"ERROR_DI_BAD_PATH","features":[1]},{"name":"ERROR_DI_DONT_INSTALL","features":[1]},{"name":"ERROR_DI_DO_DEFAULT","features":[1]},{"name":"ERROR_DI_FUNCTION_OBSOLETE","features":[1]},{"name":"ERROR_DI_NOFILECOPY","features":[1]},{"name":"ERROR_DI_POSTPROCESSING_REQUIRED","features":[1]},{"name":"ERROR_DLL_INIT_FAILED","features":[1]},{"name":"ERROR_DLL_INIT_FAILED_LOGOFF","features":[1]},{"name":"ERROR_DLL_MIGHT_BE_INCOMPATIBLE","features":[1]},{"name":"ERROR_DLL_MIGHT_BE_INSECURE","features":[1]},{"name":"ERROR_DLL_NOT_FOUND","features":[1]},{"name":"ERROR_DLP_POLICY_DENIES_OPERATION","features":[1]},{"name":"ERROR_DLP_POLICY_SILENTLY_FAIL","features":[1]},{"name":"ERROR_DLP_POLICY_WARNS_AGAINST_OPERATION","features":[1]},{"name":"ERROR_DM_OPERATION_LIMIT_EXCEEDED","features":[1]},{"name":"ERROR_DOMAIN_CONTROLLER_EXISTS","features":[1]},{"name":"ERROR_DOMAIN_CONTROLLER_NOT_FOUND","features":[1]},{"name":"ERROR_DOMAIN_CTRLR_CONFIG_ERROR","features":[1]},{"name":"ERROR_DOMAIN_EXISTS","features":[1]},{"name":"ERROR_DOMAIN_LIMIT_EXCEEDED","features":[1]},{"name":"ERROR_DOMAIN_SID_SAME_AS_LOCAL_WORKSTATION","features":[1]},{"name":"ERROR_DOMAIN_TRUST_INCONSISTENT","features":[1]},{"name":"ERROR_DOWNGRADE_DETECTED","features":[1]},{"name":"ERROR_DPL_NOT_SUPPORTED_FOR_USER","features":[1]},{"name":"ERROR_DRIVERS_LEAKING_LOCKED_PAGES","features":[1]},{"name":"ERROR_DRIVER_BLOCKED","features":[1]},{"name":"ERROR_DRIVER_CANCEL_TIMEOUT","features":[1]},{"name":"ERROR_DRIVER_DATABASE_ERROR","features":[1]},{"name":"ERROR_DRIVER_FAILED_PRIOR_UNLOAD","features":[1]},{"name":"ERROR_DRIVER_FAILED_SLEEP","features":[1]},{"name":"ERROR_DRIVER_INSTALL_BLOCKED","features":[1]},{"name":"ERROR_DRIVER_NONNATIVE","features":[1]},{"name":"ERROR_DRIVER_PROCESS_TERMINATED","features":[1]},{"name":"ERROR_DRIVER_STORE_ADD_FAILED","features":[1]},{"name":"ERROR_DRIVER_STORE_DELETE_FAILED","features":[1]},{"name":"ERROR_DRIVE_LOCKED","features":[1]},{"name":"ERROR_DRIVE_MEDIA_MISMATCH","features":[1]},{"name":"ERROR_DS_ADD_REPLICA_INHIBITED","features":[1]},{"name":"ERROR_DS_ADMIN_LIMIT_EXCEEDED","features":[1]},{"name":"ERROR_DS_AFFECTS_MULTIPLE_DSAS","features":[1]},{"name":"ERROR_DS_AG_CANT_HAVE_UNIVERSAL_MEMBER","features":[1]},{"name":"ERROR_DS_ALIASED_OBJ_MISSING","features":[1]},{"name":"ERROR_DS_ALIAS_DEREF_PROBLEM","features":[1]},{"name":"ERROR_DS_ALIAS_POINTS_TO_ALIAS","features":[1]},{"name":"ERROR_DS_ALIAS_PROBLEM","features":[1]},{"name":"ERROR_DS_ATTRIBUTE_OR_VALUE_EXISTS","features":[1]},{"name":"ERROR_DS_ATTRIBUTE_OWNED_BY_SAM","features":[1]},{"name":"ERROR_DS_ATTRIBUTE_TYPE_UNDEFINED","features":[1]},{"name":"ERROR_DS_ATT_ALREADY_EXISTS","features":[1]},{"name":"ERROR_DS_ATT_IS_NOT_ON_OBJ","features":[1]},{"name":"ERROR_DS_ATT_NOT_DEF_FOR_CLASS","features":[1]},{"name":"ERROR_DS_ATT_NOT_DEF_IN_SCHEMA","features":[1]},{"name":"ERROR_DS_ATT_SCHEMA_REQ_ID","features":[1]},{"name":"ERROR_DS_ATT_SCHEMA_REQ_SYNTAX","features":[1]},{"name":"ERROR_DS_ATT_VAL_ALREADY_EXISTS","features":[1]},{"name":"ERROR_DS_AUDIT_FAILURE","features":[1]},{"name":"ERROR_DS_AUTHORIZATION_FAILED","features":[1]},{"name":"ERROR_DS_AUTH_METHOD_NOT_SUPPORTED","features":[1]},{"name":"ERROR_DS_AUTH_UNKNOWN","features":[1]},{"name":"ERROR_DS_AUX_CLS_TEST_FAIL","features":[1]},{"name":"ERROR_DS_BACKLINK_WITHOUT_LINK","features":[1]},{"name":"ERROR_DS_BAD_ATT_SCHEMA_SYNTAX","features":[1]},{"name":"ERROR_DS_BAD_HIERARCHY_FILE","features":[1]},{"name":"ERROR_DS_BAD_INSTANCE_TYPE","features":[1]},{"name":"ERROR_DS_BAD_NAME_SYNTAX","features":[1]},{"name":"ERROR_DS_BAD_RDN_ATT_ID_SYNTAX","features":[1]},{"name":"ERROR_DS_BUILD_HIERARCHY_TABLE_FAILED","features":[1]},{"name":"ERROR_DS_BUSY","features":[1]},{"name":"ERROR_DS_CANT_ACCESS_REMOTE_PART_OF_AD","features":[1]},{"name":"ERROR_DS_CANT_ADD_ATT_VALUES","features":[1]},{"name":"ERROR_DS_CANT_ADD_SYSTEM_ONLY","features":[1]},{"name":"ERROR_DS_CANT_ADD_TO_GC","features":[1]},{"name":"ERROR_DS_CANT_CACHE_ATT","features":[1]},{"name":"ERROR_DS_CANT_CACHE_CLASS","features":[1]},{"name":"ERROR_DS_CANT_CREATE_IN_NONDOMAIN_NC","features":[1]},{"name":"ERROR_DS_CANT_CREATE_UNDER_SCHEMA","features":[1]},{"name":"ERROR_DS_CANT_DELETE","features":[1]},{"name":"ERROR_DS_CANT_DELETE_DSA_OBJ","features":[1]},{"name":"ERROR_DS_CANT_DEL_MASTER_CROSSREF","features":[1]},{"name":"ERROR_DS_CANT_DEMOTE_WITH_WRITEABLE_NC","features":[1]},{"name":"ERROR_DS_CANT_DEREF_ALIAS","features":[1]},{"name":"ERROR_DS_CANT_DERIVE_SPN_FOR_DELETED_DOMAIN","features":[1]},{"name":"ERROR_DS_CANT_DERIVE_SPN_WITHOUT_SERVER_REF","features":[1]},{"name":"ERROR_DS_CANT_FIND_DC_FOR_SRC_DOMAIN","features":[1]},{"name":"ERROR_DS_CANT_FIND_DSA_OBJ","features":[1]},{"name":"ERROR_DS_CANT_FIND_EXPECTED_NC","features":[1]},{"name":"ERROR_DS_CANT_FIND_NC_IN_CACHE","features":[1]},{"name":"ERROR_DS_CANT_MIX_MASTER_AND_REPS","features":[1]},{"name":"ERROR_DS_CANT_MOD_OBJ_CLASS","features":[1]},{"name":"ERROR_DS_CANT_MOD_PRIMARYGROUPID","features":[1]},{"name":"ERROR_DS_CANT_MOD_SYSTEM_ONLY","features":[1]},{"name":"ERROR_DS_CANT_MOVE_ACCOUNT_GROUP","features":[1]},{"name":"ERROR_DS_CANT_MOVE_APP_BASIC_GROUP","features":[1]},{"name":"ERROR_DS_CANT_MOVE_APP_QUERY_GROUP","features":[1]},{"name":"ERROR_DS_CANT_MOVE_DELETED_OBJECT","features":[1]},{"name":"ERROR_DS_CANT_MOVE_RESOURCE_GROUP","features":[1]},{"name":"ERROR_DS_CANT_ON_NON_LEAF","features":[1]},{"name":"ERROR_DS_CANT_ON_RDN","features":[1]},{"name":"ERROR_DS_CANT_REMOVE_ATT_CACHE","features":[1]},{"name":"ERROR_DS_CANT_REMOVE_CLASS_CACHE","features":[1]},{"name":"ERROR_DS_CANT_REM_MISSING_ATT","features":[1]},{"name":"ERROR_DS_CANT_REM_MISSING_ATT_VAL","features":[1]},{"name":"ERROR_DS_CANT_REPLACE_HIDDEN_REC","features":[1]},{"name":"ERROR_DS_CANT_RETRIEVE_ATTS","features":[1]},{"name":"ERROR_DS_CANT_RETRIEVE_CHILD","features":[1]},{"name":"ERROR_DS_CANT_RETRIEVE_DN","features":[1]},{"name":"ERROR_DS_CANT_RETRIEVE_INSTANCE","features":[1]},{"name":"ERROR_DS_CANT_RETRIEVE_SD","features":[1]},{"name":"ERROR_DS_CANT_START","features":[1]},{"name":"ERROR_DS_CANT_TREE_DELETE_CRITICAL_OBJ","features":[1]},{"name":"ERROR_DS_CANT_WITH_ACCT_GROUP_MEMBERSHPS","features":[1]},{"name":"ERROR_DS_CHILDREN_EXIST","features":[1]},{"name":"ERROR_DS_CLASS_MUST_BE_CONCRETE","features":[1]},{"name":"ERROR_DS_CLASS_NOT_DSA","features":[1]},{"name":"ERROR_DS_CLIENT_LOOP","features":[1]},{"name":"ERROR_DS_CODE_INCONSISTENCY","features":[1]},{"name":"ERROR_DS_COMPARE_FALSE","features":[1]},{"name":"ERROR_DS_COMPARE_TRUE","features":[1]},{"name":"ERROR_DS_CONFIDENTIALITY_REQUIRED","features":[1]},{"name":"ERROR_DS_CONFIG_PARAM_MISSING","features":[1]},{"name":"ERROR_DS_CONSTRAINT_VIOLATION","features":[1]},{"name":"ERROR_DS_CONSTRUCTED_ATT_MOD","features":[1]},{"name":"ERROR_DS_CONTROL_NOT_FOUND","features":[1]},{"name":"ERROR_DS_COULDNT_CONTACT_FSMO","features":[1]},{"name":"ERROR_DS_COULDNT_IDENTIFY_OBJECTS_FOR_TREE_DELETE","features":[1]},{"name":"ERROR_DS_COULDNT_LOCK_TREE_FOR_DELETE","features":[1]},{"name":"ERROR_DS_COULDNT_UPDATE_SPNS","features":[1]},{"name":"ERROR_DS_COUNTING_AB_INDICES_FAILED","features":[1]},{"name":"ERROR_DS_CROSS_DOMAIN_CLEANUP_REQD","features":[1]},{"name":"ERROR_DS_CROSS_DOM_MOVE_ERROR","features":[1]},{"name":"ERROR_DS_CROSS_NC_DN_RENAME","features":[1]},{"name":"ERROR_DS_CROSS_REF_BUSY","features":[1]},{"name":"ERROR_DS_CROSS_REF_EXISTS","features":[1]},{"name":"ERROR_DS_CR_IMPOSSIBLE_TO_VALIDATE","features":[1]},{"name":"ERROR_DS_CR_IMPOSSIBLE_TO_VALIDATE_V2","features":[1]},{"name":"ERROR_DS_DATABASE_ERROR","features":[1]},{"name":"ERROR_DS_DECODING_ERROR","features":[1]},{"name":"ERROR_DS_DESTINATION_AUDITING_NOT_ENABLED","features":[1]},{"name":"ERROR_DS_DESTINATION_DOMAIN_NOT_IN_FOREST","features":[1]},{"name":"ERROR_DS_DIFFERENT_REPL_EPOCHS","features":[1]},{"name":"ERROR_DS_DISALLOWED_IN_SYSTEM_CONTAINER","features":[1]},{"name":"ERROR_DS_DISALLOWED_NC_REDIRECT","features":[1]},{"name":"ERROR_DS_DNS_LOOKUP_FAILURE","features":[1]},{"name":"ERROR_DS_DOMAIN_NAME_EXISTS_IN_FOREST","features":[1]},{"name":"ERROR_DS_DOMAIN_RENAME_IN_PROGRESS","features":[1]},{"name":"ERROR_DS_DOMAIN_VERSION_TOO_HIGH","features":[1]},{"name":"ERROR_DS_DOMAIN_VERSION_TOO_LOW","features":[1]},{"name":"ERROR_DS_DRA_ABANDON_SYNC","features":[1]},{"name":"ERROR_DS_DRA_ACCESS_DENIED","features":[1]},{"name":"ERROR_DS_DRA_BAD_DN","features":[1]},{"name":"ERROR_DS_DRA_BAD_INSTANCE_TYPE","features":[1]},{"name":"ERROR_DS_DRA_BAD_NC","features":[1]},{"name":"ERROR_DS_DRA_BUSY","features":[1]},{"name":"ERROR_DS_DRA_CONNECTION_FAILED","features":[1]},{"name":"ERROR_DS_DRA_CORRUPT_UTD_VECTOR","features":[1]},{"name":"ERROR_DS_DRA_DB_ERROR","features":[1]},{"name":"ERROR_DS_DRA_DN_EXISTS","features":[1]},{"name":"ERROR_DS_DRA_EARLIER_SCHEMA_CONFLICT","features":[1]},{"name":"ERROR_DS_DRA_EXTN_CONNECTION_FAILED","features":[1]},{"name":"ERROR_DS_DRA_GENERIC","features":[1]},{"name":"ERROR_DS_DRA_INCOMPATIBLE_PARTIAL_SET","features":[1]},{"name":"ERROR_DS_DRA_INCONSISTENT_DIT","features":[1]},{"name":"ERROR_DS_DRA_INTERNAL_ERROR","features":[1]},{"name":"ERROR_DS_DRA_INVALID_PARAMETER","features":[1]},{"name":"ERROR_DS_DRA_MAIL_PROBLEM","features":[1]},{"name":"ERROR_DS_DRA_MISSING_KRBTGT_SECRET","features":[1]},{"name":"ERROR_DS_DRA_MISSING_PARENT","features":[1]},{"name":"ERROR_DS_DRA_NAME_COLLISION","features":[1]},{"name":"ERROR_DS_DRA_NOT_SUPPORTED","features":[1]},{"name":"ERROR_DS_DRA_NO_REPLICA","features":[1]},{"name":"ERROR_DS_DRA_OBJ_IS_REP_SOURCE","features":[1]},{"name":"ERROR_DS_DRA_OBJ_NC_MISMATCH","features":[1]},{"name":"ERROR_DS_DRA_OUT_OF_MEM","features":[1]},{"name":"ERROR_DS_DRA_OUT_SCHEDULE_WINDOW","features":[1]},{"name":"ERROR_DS_DRA_PREEMPTED","features":[1]},{"name":"ERROR_DS_DRA_RECYCLED_TARGET","features":[1]},{"name":"ERROR_DS_DRA_REF_ALREADY_EXISTS","features":[1]},{"name":"ERROR_DS_DRA_REF_NOT_FOUND","features":[1]},{"name":"ERROR_DS_DRA_REPL_PENDING","features":[1]},{"name":"ERROR_DS_DRA_RPC_CANCELLED","features":[1]},{"name":"ERROR_DS_DRA_SCHEMA_CONFLICT","features":[1]},{"name":"ERROR_DS_DRA_SCHEMA_INFO_SHIP","features":[1]},{"name":"ERROR_DS_DRA_SCHEMA_MISMATCH","features":[1]},{"name":"ERROR_DS_DRA_SECRETS_DENIED","features":[1]},{"name":"ERROR_DS_DRA_SHUTDOWN","features":[1]},{"name":"ERROR_DS_DRA_SINK_DISABLED","features":[1]},{"name":"ERROR_DS_DRA_SOURCE_DISABLED","features":[1]},{"name":"ERROR_DS_DRA_SOURCE_IS_PARTIAL_REPLICA","features":[1]},{"name":"ERROR_DS_DRA_SOURCE_REINSTALLED","features":[1]},{"name":"ERROR_DS_DRS_EXTENSIONS_CHANGED","features":[1]},{"name":"ERROR_DS_DSA_MUST_BE_INT_MASTER","features":[1]},{"name":"ERROR_DS_DST_DOMAIN_NOT_NATIVE","features":[1]},{"name":"ERROR_DS_DST_NC_MISMATCH","features":[1]},{"name":"ERROR_DS_DS_REQUIRED","features":[1]},{"name":"ERROR_DS_DUPLICATE_ID_FOUND","features":[1]},{"name":"ERROR_DS_DUP_LDAP_DISPLAY_NAME","features":[1]},{"name":"ERROR_DS_DUP_LINK_ID","features":[1]},{"name":"ERROR_DS_DUP_MAPI_ID","features":[1]},{"name":"ERROR_DS_DUP_MSDS_INTID","features":[1]},{"name":"ERROR_DS_DUP_OID","features":[1]},{"name":"ERROR_DS_DUP_RDN","features":[1]},{"name":"ERROR_DS_DUP_SCHEMA_ID_GUID","features":[1]},{"name":"ERROR_DS_ENCODING_ERROR","features":[1]},{"name":"ERROR_DS_EPOCH_MISMATCH","features":[1]},{"name":"ERROR_DS_EXISTING_AD_CHILD_NC","features":[1]},{"name":"ERROR_DS_EXISTS_IN_AUX_CLS","features":[1]},{"name":"ERROR_DS_EXISTS_IN_MAY_HAVE","features":[1]},{"name":"ERROR_DS_EXISTS_IN_MUST_HAVE","features":[1]},{"name":"ERROR_DS_EXISTS_IN_POSS_SUP","features":[1]},{"name":"ERROR_DS_EXISTS_IN_RDNATTID","features":[1]},{"name":"ERROR_DS_EXISTS_IN_SUB_CLS","features":[1]},{"name":"ERROR_DS_FILTER_UNKNOWN","features":[1]},{"name":"ERROR_DS_FILTER_USES_CONTRUCTED_ATTRS","features":[1]},{"name":"ERROR_DS_FLAT_NAME_EXISTS_IN_FOREST","features":[1]},{"name":"ERROR_DS_FOREST_VERSION_TOO_HIGH","features":[1]},{"name":"ERROR_DS_FOREST_VERSION_TOO_LOW","features":[1]},{"name":"ERROR_DS_GCVERIFY_ERROR","features":[1]},{"name":"ERROR_DS_GC_NOT_AVAILABLE","features":[1]},{"name":"ERROR_DS_GC_REQUIRED","features":[1]},{"name":"ERROR_DS_GENERIC_ERROR","features":[1]},{"name":"ERROR_DS_GLOBAL_CANT_HAVE_CROSSDOMAIN_MEMBER","features":[1]},{"name":"ERROR_DS_GLOBAL_CANT_HAVE_LOCAL_MEMBER","features":[1]},{"name":"ERROR_DS_GLOBAL_CANT_HAVE_UNIVERSAL_MEMBER","features":[1]},{"name":"ERROR_DS_GOVERNSID_MISSING","features":[1]},{"name":"ERROR_DS_GROUP_CONVERSION_ERROR","features":[1]},{"name":"ERROR_DS_HAVE_PRIMARY_MEMBERS","features":[1]},{"name":"ERROR_DS_HIERARCHY_TABLE_MALLOC_FAILED","features":[1]},{"name":"ERROR_DS_HIERARCHY_TABLE_TOO_DEEP","features":[1]},{"name":"ERROR_DS_HIGH_ADLDS_FFL","features":[1]},{"name":"ERROR_DS_HIGH_DSA_VERSION","features":[1]},{"name":"ERROR_DS_ILLEGAL_BASE_SCHEMA_MOD","features":[1]},{"name":"ERROR_DS_ILLEGAL_MOD_OPERATION","features":[1]},{"name":"ERROR_DS_ILLEGAL_SUPERIOR","features":[1]},{"name":"ERROR_DS_ILLEGAL_XDOM_MOVE_OPERATION","features":[1]},{"name":"ERROR_DS_INAPPROPRIATE_AUTH","features":[1]},{"name":"ERROR_DS_INAPPROPRIATE_MATCHING","features":[1]},{"name":"ERROR_DS_INCOMPATIBLE_CONTROLS_USED","features":[1]},{"name":"ERROR_DS_INCOMPATIBLE_VERSION","features":[1]},{"name":"ERROR_DS_INCORRECT_ROLE_OWNER","features":[1]},{"name":"ERROR_DS_INIT_FAILURE","features":[1]},{"name":"ERROR_DS_INIT_FAILURE_CONSOLE","features":[1]},{"name":"ERROR_DS_INSTALL_NO_SCH_VERSION_IN_INIFILE","features":[1]},{"name":"ERROR_DS_INSTALL_NO_SRC_SCH_VERSION","features":[1]},{"name":"ERROR_DS_INSTALL_SCHEMA_MISMATCH","features":[1]},{"name":"ERROR_DS_INSUFFICIENT_ATTR_TO_CREATE_OBJECT","features":[1]},{"name":"ERROR_DS_INSUFF_ACCESS_RIGHTS","features":[1]},{"name":"ERROR_DS_INTERNAL_FAILURE","features":[1]},{"name":"ERROR_DS_INVALID_ATTRIBUTE_SYNTAX","features":[1]},{"name":"ERROR_DS_INVALID_DMD","features":[1]},{"name":"ERROR_DS_INVALID_DN_SYNTAX","features":[1]},{"name":"ERROR_DS_INVALID_GROUP_TYPE","features":[1]},{"name":"ERROR_DS_INVALID_LDAP_DISPLAY_NAME","features":[1]},{"name":"ERROR_DS_INVALID_NAME_FOR_SPN","features":[1]},{"name":"ERROR_DS_INVALID_ROLE_OWNER","features":[1]},{"name":"ERROR_DS_INVALID_SCRIPT","features":[1]},{"name":"ERROR_DS_INVALID_SEARCH_FLAG","features":[1]},{"name":"ERROR_DS_INVALID_SEARCH_FLAG_SUBTREE","features":[1]},{"name":"ERROR_DS_INVALID_SEARCH_FLAG_TUPLE","features":[1]},{"name":"ERROR_DS_IS_LEAF","features":[1]},{"name":"ERROR_DS_KEY_NOT_UNIQUE","features":[1]},{"name":"ERROR_DS_LDAP_SEND_QUEUE_FULL","features":[1]},{"name":"ERROR_DS_LINK_ID_NOT_AVAILABLE","features":[1]},{"name":"ERROR_DS_LOCAL_CANT_HAVE_CROSSDOMAIN_LOCAL_MEMBER","features":[1]},{"name":"ERROR_DS_LOCAL_ERROR","features":[1]},{"name":"ERROR_DS_LOCAL_MEMBER_OF_LOCAL_ONLY","features":[1]},{"name":"ERROR_DS_LOOP_DETECT","features":[1]},{"name":"ERROR_DS_LOW_ADLDS_FFL","features":[1]},{"name":"ERROR_DS_LOW_DSA_VERSION","features":[1]},{"name":"ERROR_DS_MACHINE_ACCOUNT_CREATED_PRENT4","features":[1]},{"name":"ERROR_DS_MACHINE_ACCOUNT_QUOTA_EXCEEDED","features":[1]},{"name":"ERROR_DS_MAPI_ID_NOT_AVAILABLE","features":[1]},{"name":"ERROR_DS_MASTERDSA_REQUIRED","features":[1]},{"name":"ERROR_DS_MAX_OBJ_SIZE_EXCEEDED","features":[1]},{"name":"ERROR_DS_MEMBERSHIP_EVALUATED_LOCALLY","features":[1]},{"name":"ERROR_DS_MISSING_EXPECTED_ATT","features":[1]},{"name":"ERROR_DS_MISSING_FOREST_TRUST","features":[1]},{"name":"ERROR_DS_MISSING_FSMO_SETTINGS","features":[1]},{"name":"ERROR_DS_MISSING_INFRASTRUCTURE_CONTAINER","features":[1]},{"name":"ERROR_DS_MISSING_REQUIRED_ATT","features":[1]},{"name":"ERROR_DS_MISSING_SUPREF","features":[1]},{"name":"ERROR_DS_MODIFYDN_DISALLOWED_BY_FLAG","features":[1]},{"name":"ERROR_DS_MODIFYDN_DISALLOWED_BY_INSTANCE_TYPE","features":[1]},{"name":"ERROR_DS_MODIFYDN_WRONG_GRANDPARENT","features":[1]},{"name":"ERROR_DS_MUST_BE_RUN_ON_DST_DC","features":[1]},{"name":"ERROR_DS_NAME_ERROR_DOMAIN_ONLY","features":[1]},{"name":"ERROR_DS_NAME_ERROR_NOT_FOUND","features":[1]},{"name":"ERROR_DS_NAME_ERROR_NOT_UNIQUE","features":[1]},{"name":"ERROR_DS_NAME_ERROR_NO_MAPPING","features":[1]},{"name":"ERROR_DS_NAME_ERROR_NO_SYNTACTICAL_MAPPING","features":[1]},{"name":"ERROR_DS_NAME_ERROR_RESOLVING","features":[1]},{"name":"ERROR_DS_NAME_ERROR_TRUST_REFERRAL","features":[1]},{"name":"ERROR_DS_NAME_NOT_UNIQUE","features":[1]},{"name":"ERROR_DS_NAME_REFERENCE_INVALID","features":[1]},{"name":"ERROR_DS_NAME_TOO_LONG","features":[1]},{"name":"ERROR_DS_NAME_TOO_MANY_PARTS","features":[1]},{"name":"ERROR_DS_NAME_TYPE_UNKNOWN","features":[1]},{"name":"ERROR_DS_NAME_UNPARSEABLE","features":[1]},{"name":"ERROR_DS_NAME_VALUE_TOO_LONG","features":[1]},{"name":"ERROR_DS_NAMING_MASTER_GC","features":[1]},{"name":"ERROR_DS_NAMING_VIOLATION","features":[1]},{"name":"ERROR_DS_NCNAME_MISSING_CR_REF","features":[1]},{"name":"ERROR_DS_NCNAME_MUST_BE_NC","features":[1]},{"name":"ERROR_DS_NC_MUST_HAVE_NC_PARENT","features":[1]},{"name":"ERROR_DS_NC_STILL_HAS_DSAS","features":[1]},{"name":"ERROR_DS_NONEXISTENT_MAY_HAVE","features":[1]},{"name":"ERROR_DS_NONEXISTENT_MUST_HAVE","features":[1]},{"name":"ERROR_DS_NONEXISTENT_POSS_SUP","features":[1]},{"name":"ERROR_DS_NONSAFE_SCHEMA_CHANGE","features":[1]},{"name":"ERROR_DS_NON_ASQ_SEARCH","features":[1]},{"name":"ERROR_DS_NON_BASE_SEARCH","features":[1]},{"name":"ERROR_DS_NOTIFY_FILTER_TOO_COMPLEX","features":[1]},{"name":"ERROR_DS_NOT_AN_OBJECT","features":[1]},{"name":"ERROR_DS_NOT_AUTHORITIVE_FOR_DST_NC","features":[1]},{"name":"ERROR_DS_NOT_CLOSEST","features":[1]},{"name":"ERROR_DS_NOT_INSTALLED","features":[1]},{"name":"ERROR_DS_NOT_ON_BACKLINK","features":[1]},{"name":"ERROR_DS_NOT_SUPPORTED","features":[1]},{"name":"ERROR_DS_NOT_SUPPORTED_SORT_ORDER","features":[1]},{"name":"ERROR_DS_NO_ATTRIBUTE_OR_VALUE","features":[1]},{"name":"ERROR_DS_NO_BEHAVIOR_VERSION_IN_MIXEDDOMAIN","features":[1]},{"name":"ERROR_DS_NO_CHAINED_EVAL","features":[1]},{"name":"ERROR_DS_NO_CHAINING","features":[1]},{"name":"ERROR_DS_NO_CHECKPOINT_WITH_PDC","features":[1]},{"name":"ERROR_DS_NO_CROSSREF_FOR_NC","features":[1]},{"name":"ERROR_DS_NO_DELETED_NAME","features":[1]},{"name":"ERROR_DS_NO_FPO_IN_UNIVERSAL_GROUPS","features":[1]},{"name":"ERROR_DS_NO_MORE_RIDS","features":[1]},{"name":"ERROR_DS_NO_MSDS_INTID","features":[1]},{"name":"ERROR_DS_NO_NEST_GLOBALGROUP_IN_MIXEDDOMAIN","features":[1]},{"name":"ERROR_DS_NO_NEST_LOCALGROUP_IN_MIXEDDOMAIN","features":[1]},{"name":"ERROR_DS_NO_NTDSA_OBJECT","features":[1]},{"name":"ERROR_DS_NO_OBJECT_MOVE_IN_SCHEMA_NC","features":[1]},{"name":"ERROR_DS_NO_PARENT_OBJECT","features":[1]},{"name":"ERROR_DS_NO_PKT_PRIVACY_ON_CONNECTION","features":[1]},{"name":"ERROR_DS_NO_RDN_DEFINED_IN_SCHEMA","features":[1]},{"name":"ERROR_DS_NO_REF_DOMAIN","features":[1]},{"name":"ERROR_DS_NO_REQUESTED_ATTS_FOUND","features":[1]},{"name":"ERROR_DS_NO_RESULTS_RETURNED","features":[1]},{"name":"ERROR_DS_NO_RIDS_ALLOCATED","features":[1]},{"name":"ERROR_DS_NO_SERVER_OBJECT","features":[1]},{"name":"ERROR_DS_NO_SUCH_OBJECT","features":[1]},{"name":"ERROR_DS_NO_TREE_DELETE_ABOVE_NC","features":[1]},{"name":"ERROR_DS_NTDSCRIPT_PROCESS_ERROR","features":[1]},{"name":"ERROR_DS_NTDSCRIPT_SYNTAX_ERROR","features":[1]},{"name":"ERROR_DS_OBJECT_BEING_REMOVED","features":[1]},{"name":"ERROR_DS_OBJECT_CLASS_REQUIRED","features":[1]},{"name":"ERROR_DS_OBJECT_RESULTS_TOO_LARGE","features":[1]},{"name":"ERROR_DS_OBJ_CLASS_NOT_DEFINED","features":[1]},{"name":"ERROR_DS_OBJ_CLASS_NOT_SUBCLASS","features":[1]},{"name":"ERROR_DS_OBJ_CLASS_VIOLATION","features":[1]},{"name":"ERROR_DS_OBJ_GUID_EXISTS","features":[1]},{"name":"ERROR_DS_OBJ_NOT_FOUND","features":[1]},{"name":"ERROR_DS_OBJ_STRING_NAME_EXISTS","features":[1]},{"name":"ERROR_DS_OBJ_TOO_LARGE","features":[1]},{"name":"ERROR_DS_OFFSET_RANGE_ERROR","features":[1]},{"name":"ERROR_DS_OID_MAPPED_GROUP_CANT_HAVE_MEMBERS","features":[1]},{"name":"ERROR_DS_OID_NOT_FOUND","features":[1]},{"name":"ERROR_DS_OPERATIONS_ERROR","features":[1]},{"name":"ERROR_DS_OUT_OF_SCOPE","features":[1]},{"name":"ERROR_DS_OUT_OF_VERSION_STORE","features":[1]},{"name":"ERROR_DS_PARAM_ERROR","features":[1]},{"name":"ERROR_DS_PARENT_IS_AN_ALIAS","features":[1]},{"name":"ERROR_DS_PDC_OPERATION_IN_PROGRESS","features":[1]},{"name":"ERROR_DS_PER_ATTRIBUTE_AUTHZ_FAILED_DURING_ADD","features":[1]},{"name":"ERROR_DS_POLICY_NOT_KNOWN","features":[1]},{"name":"ERROR_DS_PROTOCOL_ERROR","features":[1]},{"name":"ERROR_DS_RANGE_CONSTRAINT","features":[1]},{"name":"ERROR_DS_RDN_DOESNT_MATCH_SCHEMA","features":[1]},{"name":"ERROR_DS_RECALCSCHEMA_FAILED","features":[1]},{"name":"ERROR_DS_REFERRAL","features":[1]},{"name":"ERROR_DS_REFERRAL_LIMIT_EXCEEDED","features":[1]},{"name":"ERROR_DS_REFUSING_FSMO_ROLES","features":[1]},{"name":"ERROR_DS_REMOTE_CROSSREF_OP_FAILED","features":[1]},{"name":"ERROR_DS_REPLICATOR_ONLY","features":[1]},{"name":"ERROR_DS_REPLICA_SET_CHANGE_NOT_ALLOWED_ON_DISABLED_CR","features":[1]},{"name":"ERROR_DS_REPL_LIFETIME_EXCEEDED","features":[1]},{"name":"ERROR_DS_RESERVED_LINK_ID","features":[1]},{"name":"ERROR_DS_RESERVED_MAPI_ID","features":[1]},{"name":"ERROR_DS_RIDMGR_DISABLED","features":[1]},{"name":"ERROR_DS_RIDMGR_INIT_ERROR","features":[1]},{"name":"ERROR_DS_ROLE_NOT_VERIFIED","features":[1]},{"name":"ERROR_DS_ROOT_CANT_BE_SUBREF","features":[1]},{"name":"ERROR_DS_ROOT_MUST_BE_NC","features":[1]},{"name":"ERROR_DS_ROOT_REQUIRES_CLASS_TOP","features":[1]},{"name":"ERROR_DS_SAM_INIT_FAILURE","features":[1]},{"name":"ERROR_DS_SAM_INIT_FAILURE_CONSOLE","features":[1]},{"name":"ERROR_DS_SAM_NEED_BOOTKEY_FLOPPY","features":[1]},{"name":"ERROR_DS_SAM_NEED_BOOTKEY_PASSWORD","features":[1]},{"name":"ERROR_DS_SCHEMA_ALLOC_FAILED","features":[1]},{"name":"ERROR_DS_SCHEMA_NOT_LOADED","features":[1]},{"name":"ERROR_DS_SCHEMA_UPDATE_DISALLOWED","features":[1]},{"name":"ERROR_DS_SECURITY_CHECKING_ERROR","features":[1]},{"name":"ERROR_DS_SECURITY_ILLEGAL_MODIFY","features":[1]},{"name":"ERROR_DS_SEC_DESC_INVALID","features":[1]},{"name":"ERROR_DS_SEC_DESC_TOO_SHORT","features":[1]},{"name":"ERROR_DS_SEMANTIC_ATT_TEST","features":[1]},{"name":"ERROR_DS_SENSITIVE_GROUP_VIOLATION","features":[1]},{"name":"ERROR_DS_SERVER_DOWN","features":[1]},{"name":"ERROR_DS_SHUTTING_DOWN","features":[1]},{"name":"ERROR_DS_SINGLE_USER_MODE_FAILED","features":[1]},{"name":"ERROR_DS_SINGLE_VALUE_CONSTRAINT","features":[1]},{"name":"ERROR_DS_SIZELIMIT_EXCEEDED","features":[1]},{"name":"ERROR_DS_SORT_CONTROL_MISSING","features":[1]},{"name":"ERROR_DS_SOURCE_AUDITING_NOT_ENABLED","features":[1]},{"name":"ERROR_DS_SOURCE_DOMAIN_IN_FOREST","features":[1]},{"name":"ERROR_DS_SPN_VALUE_NOT_UNIQUE_IN_FOREST","features":[1]},{"name":"ERROR_DS_SRC_AND_DST_NC_IDENTICAL","features":[1]},{"name":"ERROR_DS_SRC_AND_DST_OBJECT_CLASS_MISMATCH","features":[1]},{"name":"ERROR_DS_SRC_DC_MUST_BE_SP4_OR_GREATER","features":[1]},{"name":"ERROR_DS_SRC_GUID_MISMATCH","features":[1]},{"name":"ERROR_DS_SRC_NAME_MISMATCH","features":[1]},{"name":"ERROR_DS_SRC_OBJ_NOT_GROUP_OR_USER","features":[1]},{"name":"ERROR_DS_SRC_SID_EXISTS_IN_FOREST","features":[1]},{"name":"ERROR_DS_STRING_SD_CONVERSION_FAILED","features":[1]},{"name":"ERROR_DS_STRONG_AUTH_REQUIRED","features":[1]},{"name":"ERROR_DS_SUBREF_MUST_HAVE_PARENT","features":[1]},{"name":"ERROR_DS_SUBTREE_NOTIFY_NOT_NC_HEAD","features":[1]},{"name":"ERROR_DS_SUB_CLS_TEST_FAIL","features":[1]},{"name":"ERROR_DS_SYNTAX_MISMATCH","features":[1]},{"name":"ERROR_DS_THREAD_LIMIT_EXCEEDED","features":[1]},{"name":"ERROR_DS_TIMELIMIT_EXCEEDED","features":[1]},{"name":"ERROR_DS_TREE_DELETE_NOT_FINISHED","features":[1]},{"name":"ERROR_DS_UNABLE_TO_SURRENDER_ROLES","features":[1]},{"name":"ERROR_DS_UNAVAILABLE","features":[1]},{"name":"ERROR_DS_UNAVAILABLE_CRIT_EXTENSION","features":[1]},{"name":"ERROR_DS_UNDELETE_SAM_VALIDATION_FAILED","features":[1]},{"name":"ERROR_DS_UNICODEPWD_NOT_IN_QUOTES","features":[1]},{"name":"ERROR_DS_UNIVERSAL_CANT_HAVE_LOCAL_MEMBER","features":[1]},{"name":"ERROR_DS_UNKNOWN_ERROR","features":[1]},{"name":"ERROR_DS_UNKNOWN_OPERATION","features":[1]},{"name":"ERROR_DS_UNWILLING_TO_PERFORM","features":[1]},{"name":"ERROR_DS_UPN_VALUE_NOT_UNIQUE_IN_FOREST","features":[1]},{"name":"ERROR_DS_USER_BUFFER_TO_SMALL","features":[1]},{"name":"ERROR_DS_VALUE_KEY_NOT_UNIQUE","features":[1]},{"name":"ERROR_DS_VERSION_CHECK_FAILURE","features":[1]},{"name":"ERROR_DS_WKO_CONTAINER_CANNOT_BE_SPECIAL","features":[1]},{"name":"ERROR_DS_WRONG_LINKED_ATT_SYNTAX","features":[1]},{"name":"ERROR_DS_WRONG_OM_OBJ_CLASS","features":[1]},{"name":"ERROR_DUPLICATE_FOUND","features":[1]},{"name":"ERROR_DUPLICATE_PRIVILEGES","features":[1]},{"name":"ERROR_DUPLICATE_SERVICE_NAME","features":[1]},{"name":"ERROR_DUPLICATE_TAG","features":[1]},{"name":"ERROR_DUP_DOMAINNAME","features":[1]},{"name":"ERROR_DUP_NAME","features":[1]},{"name":"ERROR_DYNAMIC_CODE_BLOCKED","features":[1]},{"name":"ERROR_DYNLINK_FROM_INVALID_RING","features":[1]},{"name":"ERROR_EAS_DIDNT_FIT","features":[1]},{"name":"ERROR_EAS_NOT_SUPPORTED","features":[1]},{"name":"ERROR_EA_ACCESS_DENIED","features":[1]},{"name":"ERROR_EA_FILE_CORRUPT","features":[1]},{"name":"ERROR_EA_LIST_INCONSISTENT","features":[1]},{"name":"ERROR_EA_TABLE_FULL","features":[1]},{"name":"ERROR_EC_CIRCULAR_FORWARDING","features":[1]},{"name":"ERROR_EC_CREDSTORE_FULL","features":[1]},{"name":"ERROR_EC_CRED_NOT_FOUND","features":[1]},{"name":"ERROR_EC_LOG_DISABLED","features":[1]},{"name":"ERROR_EC_NO_ACTIVE_CHANNEL","features":[1]},{"name":"ERROR_EC_SUBSCRIPTION_CANNOT_ACTIVATE","features":[1]},{"name":"ERROR_EDP_DPL_POLICY_CANT_BE_SATISFIED","features":[1]},{"name":"ERROR_EDP_POLICY_DENIES_OPERATION","features":[1]},{"name":"ERROR_EFS_ALG_BLOB_TOO_BIG","features":[1]},{"name":"ERROR_EFS_DISABLED","features":[1]},{"name":"ERROR_EFS_NOT_ALLOWED_IN_TRANSACTION","features":[1]},{"name":"ERROR_EFS_SERVER_NOT_TRUSTED","features":[1]},{"name":"ERROR_EFS_VERSION_NOT_SUPPORT","features":[1]},{"name":"ERROR_ELEVATION_REQUIRED","features":[1]},{"name":"ERROR_EMPTY","features":[1]},{"name":"ERROR_ENCLAVE_FAILURE","features":[1]},{"name":"ERROR_ENCLAVE_NOT_TERMINATED","features":[1]},{"name":"ERROR_ENCLAVE_VIOLATION","features":[1]},{"name":"ERROR_ENCRYPTED_FILE_NOT_SUPPORTED","features":[1]},{"name":"ERROR_ENCRYPTED_IO_NOT_POSSIBLE","features":[1]},{"name":"ERROR_ENCRYPTING_METADATA_DISALLOWED","features":[1]},{"name":"ERROR_ENCRYPTION_DISABLED","features":[1]},{"name":"ERROR_ENCRYPTION_FAILED","features":[1]},{"name":"ERROR_ENCRYPTION_POLICY_DENIES_OPERATION","features":[1]},{"name":"ERROR_END_OF_MEDIA","features":[1]},{"name":"ERROR_ENLISTMENT_NOT_FOUND","features":[1]},{"name":"ERROR_ENLISTMENT_NOT_SUPERIOR","features":[1]},{"name":"ERROR_ENVVAR_NOT_FOUND","features":[1]},{"name":"ERROR_EOM_OVERFLOW","features":[1]},{"name":"ERROR_ERRORS_ENCOUNTERED","features":[1]},{"name":"ERROR_EVALUATION_EXPIRATION","features":[1]},{"name":"ERROR_EVENTLOG_CANT_START","features":[1]},{"name":"ERROR_EVENTLOG_FILE_CHANGED","features":[1]},{"name":"ERROR_EVENTLOG_FILE_CORRUPT","features":[1]},{"name":"ERROR_EVENT_DONE","features":[1]},{"name":"ERROR_EVENT_PENDING","features":[1]},{"name":"ERROR_EVT_CANNOT_OPEN_CHANNEL_OF_QUERY","features":[1]},{"name":"ERROR_EVT_CHANNEL_CANNOT_ACTIVATE","features":[1]},{"name":"ERROR_EVT_CHANNEL_NOT_FOUND","features":[1]},{"name":"ERROR_EVT_CONFIGURATION_ERROR","features":[1]},{"name":"ERROR_EVT_EVENT_DEFINITION_NOT_FOUND","features":[1]},{"name":"ERROR_EVT_EVENT_TEMPLATE_NOT_FOUND","features":[1]},{"name":"ERROR_EVT_FILTER_ALREADYSCOPED","features":[1]},{"name":"ERROR_EVT_FILTER_INVARG","features":[1]},{"name":"ERROR_EVT_FILTER_INVTEST","features":[1]},{"name":"ERROR_EVT_FILTER_INVTYPE","features":[1]},{"name":"ERROR_EVT_FILTER_NOTELTSET","features":[1]},{"name":"ERROR_EVT_FILTER_OUT_OF_RANGE","features":[1]},{"name":"ERROR_EVT_FILTER_PARSEERR","features":[1]},{"name":"ERROR_EVT_FILTER_TOO_COMPLEX","features":[1]},{"name":"ERROR_EVT_FILTER_UNEXPECTEDTOKEN","features":[1]},{"name":"ERROR_EVT_FILTER_UNSUPPORTEDOP","features":[1]},{"name":"ERROR_EVT_INVALID_CHANNEL_PATH","features":[1]},{"name":"ERROR_EVT_INVALID_CHANNEL_PROPERTY_VALUE","features":[1]},{"name":"ERROR_EVT_INVALID_EVENT_DATA","features":[1]},{"name":"ERROR_EVT_INVALID_OPERATION_OVER_ENABLED_DIRECT_CHANNEL","features":[1]},{"name":"ERROR_EVT_INVALID_PUBLISHER_NAME","features":[1]},{"name":"ERROR_EVT_INVALID_PUBLISHER_PROPERTY_VALUE","features":[1]},{"name":"ERROR_EVT_INVALID_QUERY","features":[1]},{"name":"ERROR_EVT_MALFORMED_XML_TEXT","features":[1]},{"name":"ERROR_EVT_MAX_INSERTS_REACHED","features":[1]},{"name":"ERROR_EVT_MESSAGE_ID_NOT_FOUND","features":[1]},{"name":"ERROR_EVT_MESSAGE_LOCALE_NOT_FOUND","features":[1]},{"name":"ERROR_EVT_MESSAGE_NOT_FOUND","features":[1]},{"name":"ERROR_EVT_NON_VALIDATING_MSXML","features":[1]},{"name":"ERROR_EVT_PUBLISHER_DISABLED","features":[1]},{"name":"ERROR_EVT_PUBLISHER_METADATA_NOT_FOUND","features":[1]},{"name":"ERROR_EVT_QUERY_RESULT_INVALID_POSITION","features":[1]},{"name":"ERROR_EVT_QUERY_RESULT_STALE","features":[1]},{"name":"ERROR_EVT_SUBSCRIPTION_TO_DIRECT_CHANNEL","features":[1]},{"name":"ERROR_EVT_UNRESOLVED_PARAMETER_INSERT","features":[1]},{"name":"ERROR_EVT_UNRESOLVED_VALUE_INSERT","features":[1]},{"name":"ERROR_EVT_VERSION_TOO_NEW","features":[1]},{"name":"ERROR_EVT_VERSION_TOO_OLD","features":[1]},{"name":"ERROR_EXCEPTION_IN_RESOURCE_CALL","features":[1]},{"name":"ERROR_EXCEPTION_IN_SERVICE","features":[1]},{"name":"ERROR_EXCL_SEM_ALREADY_OWNED","features":[1]},{"name":"ERROR_EXE_CANNOT_MODIFY_SIGNED_BINARY","features":[1]},{"name":"ERROR_EXE_CANNOT_MODIFY_STRONG_SIGNED_BINARY","features":[1]},{"name":"ERROR_EXE_MACHINE_TYPE_MISMATCH","features":[1]},{"name":"ERROR_EXE_MARKED_INVALID","features":[1]},{"name":"ERROR_EXPECTED_SECTION_NAME","features":[1]},{"name":"ERROR_EXPIRED_HANDLE","features":[1]},{"name":"ERROR_EXTENDED_ERROR","features":[1]},{"name":"ERROR_EXTERNAL_BACKING_PROVIDER_UNKNOWN","features":[1]},{"name":"ERROR_EXTERNAL_SYSKEY_NOT_SUPPORTED","features":[1]},{"name":"ERROR_EXTRANEOUS_INFORMATION","features":[1]},{"name":"ERROR_FAILED_DRIVER_ENTRY","features":[1]},{"name":"ERROR_FAILED_SERVICE_CONTROLLER_CONNECT","features":[1]},{"name":"ERROR_FAIL_FAST_EXCEPTION","features":[1]},{"name":"ERROR_FAIL_I24","features":[1]},{"name":"ERROR_FAIL_NOACTION_REBOOT","features":[1]},{"name":"ERROR_FAIL_REBOOT_INITIATED","features":[1]},{"name":"ERROR_FAIL_REBOOT_REQUIRED","features":[1]},{"name":"ERROR_FAIL_RESTART","features":[1]},{"name":"ERROR_FAIL_SHUTDOWN","features":[1]},{"name":"ERROR_FATAL_APP_EXIT","features":[1]},{"name":"ERROR_FILEMARK_DETECTED","features":[1]},{"name":"ERROR_FILENAME_EXCED_RANGE","features":[1]},{"name":"ERROR_FILEQUEUE_LOCKED","features":[1]},{"name":"ERROR_FILE_CHECKED_OUT","features":[1]},{"name":"ERROR_FILE_CORRUPT","features":[1]},{"name":"ERROR_FILE_ENCRYPTED","features":[1]},{"name":"ERROR_FILE_EXISTS","features":[1]},{"name":"ERROR_FILE_HANDLE_REVOKED","features":[1]},{"name":"ERROR_FILE_HASH_NOT_IN_CATALOG","features":[1]},{"name":"ERROR_FILE_IDENTITY_NOT_PERSISTENT","features":[1]},{"name":"ERROR_FILE_INVALID","features":[1]},{"name":"ERROR_FILE_LEVEL_TRIM_NOT_SUPPORTED","features":[1]},{"name":"ERROR_FILE_METADATA_OPTIMIZATION_IN_PROGRESS","features":[1]},{"name":"ERROR_FILE_NOT_ENCRYPTED","features":[1]},{"name":"ERROR_FILE_NOT_FOUND","features":[1]},{"name":"ERROR_FILE_NOT_SUPPORTED","features":[1]},{"name":"ERROR_FILE_OFFLINE","features":[1]},{"name":"ERROR_FILE_PROTECTED_UNDER_DPL","features":[1]},{"name":"ERROR_FILE_READ_ONLY","features":[1]},{"name":"ERROR_FILE_SHARE_RESOURCE_CONFLICT","features":[1]},{"name":"ERROR_FILE_SNAP_INVALID_PARAMETER","features":[1]},{"name":"ERROR_FILE_SNAP_IN_PROGRESS","features":[1]},{"name":"ERROR_FILE_SNAP_IO_NOT_COORDINATED","features":[1]},{"name":"ERROR_FILE_SNAP_MODIFY_NOT_SUPPORTED","features":[1]},{"name":"ERROR_FILE_SNAP_UNEXPECTED_ERROR","features":[1]},{"name":"ERROR_FILE_SNAP_USER_SECTION_NOT_SUPPORTED","features":[1]},{"name":"ERROR_FILE_SYSTEM_LIMITATION","features":[1]},{"name":"ERROR_FILE_SYSTEM_VIRTUALIZATION_BUSY","features":[1]},{"name":"ERROR_FILE_SYSTEM_VIRTUALIZATION_INVALID_OPERATION","features":[1]},{"name":"ERROR_FILE_SYSTEM_VIRTUALIZATION_METADATA_CORRUPT","features":[1]},{"name":"ERROR_FILE_SYSTEM_VIRTUALIZATION_PROVIDER_UNKNOWN","features":[1]},{"name":"ERROR_FILE_SYSTEM_VIRTUALIZATION_UNAVAILABLE","features":[1]},{"name":"ERROR_FILE_TOO_LARGE","features":[1]},{"name":"ERROR_FIRMWARE_UPDATED","features":[1]},{"name":"ERROR_FLOATED_SECTION","features":[1]},{"name":"ERROR_FLOAT_MULTIPLE_FAULTS","features":[1]},{"name":"ERROR_FLOAT_MULTIPLE_TRAPS","features":[1]},{"name":"ERROR_FLOPPY_BAD_REGISTERS","features":[1]},{"name":"ERROR_FLOPPY_ID_MARK_NOT_FOUND","features":[1]},{"name":"ERROR_FLOPPY_UNKNOWN_ERROR","features":[1]},{"name":"ERROR_FLOPPY_VOLUME","features":[1]},{"name":"ERROR_FLOPPY_WRONG_CYLINDER","features":[1]},{"name":"ERROR_FLT_ALREADY_ENLISTED","features":[1]},{"name":"ERROR_FLT_CBDQ_DISABLED","features":[1]},{"name":"ERROR_FLT_CONTEXT_ALLOCATION_NOT_FOUND","features":[1]},{"name":"ERROR_FLT_CONTEXT_ALREADY_DEFINED","features":[1]},{"name":"ERROR_FLT_CONTEXT_ALREADY_LINKED","features":[1]},{"name":"ERROR_FLT_DELETING_OBJECT","features":[1]},{"name":"ERROR_FLT_DISALLOW_FAST_IO","features":[1]},{"name":"ERROR_FLT_DO_NOT_ATTACH","features":[1]},{"name":"ERROR_FLT_DO_NOT_DETACH","features":[1]},{"name":"ERROR_FLT_DUPLICATE_ENTRY","features":[1]},{"name":"ERROR_FLT_FILTER_NOT_FOUND","features":[1]},{"name":"ERROR_FLT_FILTER_NOT_READY","features":[1]},{"name":"ERROR_FLT_INSTANCE_ALTITUDE_COLLISION","features":[1]},{"name":"ERROR_FLT_INSTANCE_NAME_COLLISION","features":[1]},{"name":"ERROR_FLT_INSTANCE_NOT_FOUND","features":[1]},{"name":"ERROR_FLT_INTERNAL_ERROR","features":[1]},{"name":"ERROR_FLT_INVALID_ASYNCHRONOUS_REQUEST","features":[1]},{"name":"ERROR_FLT_INVALID_CONTEXT_REGISTRATION","features":[1]},{"name":"ERROR_FLT_INVALID_NAME_REQUEST","features":[1]},{"name":"ERROR_FLT_IO_COMPLETE","features":[1]},{"name":"ERROR_FLT_MUST_BE_NONPAGED_POOL","features":[1]},{"name":"ERROR_FLT_NAME_CACHE_MISS","features":[1]},{"name":"ERROR_FLT_NOT_INITIALIZED","features":[1]},{"name":"ERROR_FLT_NOT_SAFE_TO_POST_OPERATION","features":[1]},{"name":"ERROR_FLT_NO_DEVICE_OBJECT","features":[1]},{"name":"ERROR_FLT_NO_HANDLER_DEFINED","features":[1]},{"name":"ERROR_FLT_NO_WAITER_FOR_REPLY","features":[1]},{"name":"ERROR_FLT_POST_OPERATION_CLEANUP","features":[1]},{"name":"ERROR_FLT_REGISTRATION_BUSY","features":[1]},{"name":"ERROR_FLT_VOLUME_ALREADY_MOUNTED","features":[1]},{"name":"ERROR_FLT_VOLUME_NOT_FOUND","features":[1]},{"name":"ERROR_FLT_WCOS_NOT_SUPPORTED","features":[1]},{"name":"ERROR_FORMS_AUTH_REQUIRED","features":[1]},{"name":"ERROR_FOUND_OUT_OF_SCOPE","features":[1]},{"name":"ERROR_FSFILTER_OP_COMPLETED_SUCCESSFULLY","features":[1]},{"name":"ERROR_FS_DRIVER_REQUIRED","features":[1]},{"name":"ERROR_FS_GUID_MISMATCH","features":[1]},{"name":"ERROR_FS_METADATA_INCONSISTENT","features":[1]},{"name":"ERROR_FT_DI_SCAN_REQUIRED","features":[1]},{"name":"ERROR_FT_READ_FAILURE","features":[1]},{"name":"ERROR_FT_READ_FROM_COPY_FAILURE","features":[1]},{"name":"ERROR_FT_READ_RECOVERY_FROM_BACKUP","features":[1]},{"name":"ERROR_FT_WRITE_FAILURE","features":[1]},{"name":"ERROR_FT_WRITE_RECOVERY","features":[1]},{"name":"ERROR_FULLSCREEN_MODE","features":[1]},{"name":"ERROR_FULL_BACKUP","features":[1]},{"name":"ERROR_FUNCTION_FAILED","features":[1]},{"name":"ERROR_FUNCTION_NOT_CALLED","features":[1]},{"name":"ERROR_GDI_HANDLE_LEAK","features":[1]},{"name":"ERROR_GENERAL_SYNTAX","features":[1]},{"name":"ERROR_GENERIC_COMMAND_FAILED","features":[1]},{"name":"ERROR_GENERIC_NOT_MAPPED","features":[1]},{"name":"ERROR_GEN_FAILURE","features":[1]},{"name":"ERROR_GLOBAL_ONLY_HOOK","features":[1]},{"name":"ERROR_GPIO_CLIENT_INFORMATION_INVALID","features":[1]},{"name":"ERROR_GPIO_INCOMPATIBLE_CONNECT_MODE","features":[1]},{"name":"ERROR_GPIO_INTERRUPT_ALREADY_UNMASKED","features":[1]},{"name":"ERROR_GPIO_INVALID_REGISTRATION_PACKET","features":[1]},{"name":"ERROR_GPIO_OPERATION_DENIED","features":[1]},{"name":"ERROR_GPIO_VERSION_NOT_SUPPORTED","features":[1]},{"name":"ERROR_GRACEFUL_DISCONNECT","features":[1]},{"name":"ERROR_GRAPHICS_ADAPTER_ACCESS_NOT_EXCLUDED","features":[1]},{"name":"ERROR_GRAPHICS_ADAPTER_CHAIN_NOT_READY","features":[1]},{"name":"ERROR_GRAPHICS_ADAPTER_MUST_HAVE_AT_LEAST_ONE_SOURCE","features":[1]},{"name":"ERROR_GRAPHICS_ADAPTER_MUST_HAVE_AT_LEAST_ONE_TARGET","features":[1]},{"name":"ERROR_GRAPHICS_ADAPTER_WAS_RESET","features":[1]},{"name":"ERROR_GRAPHICS_ALLOCATION_BUSY","features":[1]},{"name":"ERROR_GRAPHICS_ALLOCATION_CLOSED","features":[1]},{"name":"ERROR_GRAPHICS_ALLOCATION_CONTENT_LOST","features":[1]},{"name":"ERROR_GRAPHICS_ALLOCATION_INVALID","features":[1]},{"name":"ERROR_GRAPHICS_CANCEL_VIDPN_TOPOLOGY_AUGMENTATION","features":[1]},{"name":"ERROR_GRAPHICS_CANNOTCOLORCONVERT","features":[1]},{"name":"ERROR_GRAPHICS_CANT_ACCESS_ACTIVE_VIDPN","features":[1]},{"name":"ERROR_GRAPHICS_CANT_EVICT_PINNED_ALLOCATION","features":[1]},{"name":"ERROR_GRAPHICS_CANT_LOCK_MEMORY","features":[1]},{"name":"ERROR_GRAPHICS_CANT_RENDER_LOCKED_ALLOCATION","features":[1]},{"name":"ERROR_GRAPHICS_CHAINLINKS_NOT_ENUMERATED","features":[1]},{"name":"ERROR_GRAPHICS_CHAINLINKS_NOT_POWERED_ON","features":[1]},{"name":"ERROR_GRAPHICS_CHAINLINKS_NOT_STARTED","features":[1]},{"name":"ERROR_GRAPHICS_CHILD_DESCRIPTOR_NOT_SUPPORTED","features":[1]},{"name":"ERROR_GRAPHICS_CLIENTVIDPN_NOT_SET","features":[1]},{"name":"ERROR_GRAPHICS_COPP_NOT_SUPPORTED","features":[1]},{"name":"ERROR_GRAPHICS_DATASET_IS_EMPTY","features":[1]},{"name":"ERROR_GRAPHICS_DDCCI_CURRENT_CURRENT_VALUE_GREATER_THAN_MAXIMUM_VALUE","features":[1]},{"name":"ERROR_GRAPHICS_DDCCI_INVALID_DATA","features":[1]},{"name":"ERROR_GRAPHICS_DDCCI_INVALID_MESSAGE_CHECKSUM","features":[1]},{"name":"ERROR_GRAPHICS_DDCCI_INVALID_MESSAGE_COMMAND","features":[1]},{"name":"ERROR_GRAPHICS_DDCCI_INVALID_MESSAGE_LENGTH","features":[1]},{"name":"ERROR_GRAPHICS_DDCCI_MONITOR_RETURNED_INVALID_TIMING_STATUS_BYTE","features":[1]},{"name":"ERROR_GRAPHICS_DDCCI_VCP_NOT_SUPPORTED","features":[1]},{"name":"ERROR_GRAPHICS_DEPENDABLE_CHILD_STATUS","features":[1]},{"name":"ERROR_GRAPHICS_DISPLAY_DEVICE_NOT_ATTACHED_TO_DESKTOP","features":[1]},{"name":"ERROR_GRAPHICS_DRIVER_MISMATCH","features":[1]},{"name":"ERROR_GRAPHICS_EMPTY_ADAPTER_MONITOR_MODE_SUPPORT_INTERSECTION","features":[1]},{"name":"ERROR_GRAPHICS_FREQUENCYRANGE_ALREADY_IN_SET","features":[1]},{"name":"ERROR_GRAPHICS_FREQUENCYRANGE_NOT_IN_SET","features":[1]},{"name":"ERROR_GRAPHICS_GAMMA_RAMP_NOT_SUPPORTED","features":[1]},{"name":"ERROR_GRAPHICS_GPU_EXCEPTION_ON_DEVICE","features":[1]},{"name":"ERROR_GRAPHICS_I2C_DEVICE_DOES_NOT_EXIST","features":[1]},{"name":"ERROR_GRAPHICS_I2C_ERROR_RECEIVING_DATA","features":[1]},{"name":"ERROR_GRAPHICS_I2C_ERROR_TRANSMITTING_DATA","features":[1]},{"name":"ERROR_GRAPHICS_I2C_NOT_SUPPORTED","features":[1]},{"name":"ERROR_GRAPHICS_INCOMPATIBLE_PRIVATE_FORMAT","features":[1]},{"name":"ERROR_GRAPHICS_INCONSISTENT_DEVICE_LINK_STATE","features":[1]},{"name":"ERROR_GRAPHICS_INDIRECT_DISPLAY_ABANDON_SWAPCHAIN","features":[1]},{"name":"ERROR_GRAPHICS_INDIRECT_DISPLAY_DEVICE_STOPPED","features":[1]},{"name":"ERROR_GRAPHICS_INSUFFICIENT_DMA_BUFFER","features":[1]},{"name":"ERROR_GRAPHICS_INTERNAL_ERROR","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_ACTIVE_REGION","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_ALLOCATION_HANDLE","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_ALLOCATION_INSTANCE","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_ALLOCATION_USAGE","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_CLIENT_TYPE","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_COLORBASIS","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_COPYPROTECTION_TYPE","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_DISPLAY_ADAPTER","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_DRIVER_MODEL","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_FREQUENCY","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_GAMMA_RAMP","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_MODE_PRUNING_ALGORITHM","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_MONITORDESCRIPTOR","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_MONITORDESCRIPTORSET","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_MONITOR_CAPABILITY_ORIGIN","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_MONITOR_FREQUENCYRANGE","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_MONITOR_FREQUENCYRANGESET","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_MONITOR_FREQUENCYRANGE_CONSTRAINT","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_MONITOR_SOURCEMODESET","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_MONITOR_SOURCE_MODE","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_PATH_CONTENT_GEOMETRY_TRANSFORMATION","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_PATH_CONTENT_TYPE","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_PATH_IMPORTANCE_ORDINAL","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_PHYSICAL_MONITOR_HANDLE","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_PIXELFORMAT","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_PIXELVALUEACCESSMODE","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_POINTER","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_PRIMARYSURFACE_SIZE","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_SCANLINE_ORDERING","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_STRIDE","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_TOTAL_REGION","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_VIDEOPRESENTSOURCESET","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_VIDEOPRESENTTARGETSET","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_VIDEO_PRESENT_SOURCE","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_VIDEO_PRESENT_SOURCE_MODE","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_VIDEO_PRESENT_TARGET","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_VIDEO_PRESENT_TARGET_MODE","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_VIDPN","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_VIDPN_PRESENT_PATH","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_VIDPN_SOURCEMODESET","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_VIDPN_TARGETMODESET","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_VIDPN_TARGET_SUBSET_TYPE","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_VIDPN_TOPOLOGY","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_VIDPN_TOPOLOGY_RECOMMENDATION_REASON","features":[1]},{"name":"ERROR_GRAPHICS_INVALID_VISIBLEREGION_SIZE","features":[1]},{"name":"ERROR_GRAPHICS_LEADLINK_NOT_ENUMERATED","features":[1]},{"name":"ERROR_GRAPHICS_LEADLINK_START_DEFERRED","features":[1]},{"name":"ERROR_GRAPHICS_LINK_CONFIGURATION_IN_PROGRESS","features":[1]},{"name":"ERROR_GRAPHICS_MAX_NUM_PATHS_REACHED","features":[1]},{"name":"ERROR_GRAPHICS_MCA_INTERNAL_ERROR","features":[1]},{"name":"ERROR_GRAPHICS_MCA_INVALID_CAPABILITIES_STRING","features":[1]},{"name":"ERROR_GRAPHICS_MCA_INVALID_TECHNOLOGY_TYPE_RETURNED","features":[1]},{"name":"ERROR_GRAPHICS_MCA_INVALID_VCP_VERSION","features":[1]},{"name":"ERROR_GRAPHICS_MCA_MCCS_VERSION_MISMATCH","features":[1]},{"name":"ERROR_GRAPHICS_MCA_MONITOR_VIOLATES_MCCS_SPECIFICATION","features":[1]},{"name":"ERROR_GRAPHICS_MCA_UNSUPPORTED_COLOR_TEMPERATURE","features":[1]},{"name":"ERROR_GRAPHICS_MCA_UNSUPPORTED_MCCS_VERSION","features":[1]},{"name":"ERROR_GRAPHICS_MIRRORING_DEVICES_NOT_SUPPORTED","features":[1]},{"name":"ERROR_GRAPHICS_MODE_ALREADY_IN_MODESET","features":[1]},{"name":"ERROR_GRAPHICS_MODE_ID_MUST_BE_UNIQUE","features":[1]},{"name":"ERROR_GRAPHICS_MODE_NOT_IN_MODESET","features":[1]},{"name":"ERROR_GRAPHICS_MODE_NOT_PINNED","features":[1]},{"name":"ERROR_GRAPHICS_MONITORDESCRIPTOR_ALREADY_IN_SET","features":[1]},{"name":"ERROR_GRAPHICS_MONITORDESCRIPTOR_ID_MUST_BE_UNIQUE","features":[1]},{"name":"ERROR_GRAPHICS_MONITORDESCRIPTOR_NOT_IN_SET","features":[1]},{"name":"ERROR_GRAPHICS_MONITOR_COULD_NOT_BE_ASSOCIATED_WITH_ADAPTER","features":[1]},{"name":"ERROR_GRAPHICS_MONITOR_NOT_CONNECTED","features":[1]},{"name":"ERROR_GRAPHICS_MONITOR_NO_LONGER_EXISTS","features":[1]},{"name":"ERROR_GRAPHICS_MPO_ALLOCATION_UNPINNED","features":[1]},{"name":"ERROR_GRAPHICS_MULTISAMPLING_NOT_SUPPORTED","features":[1]},{"name":"ERROR_GRAPHICS_NOT_A_LINKED_ADAPTER","features":[1]},{"name":"ERROR_GRAPHICS_NOT_EXCLUSIVE_MODE_OWNER","features":[1]},{"name":"ERROR_GRAPHICS_NOT_POST_DEVICE_DRIVER","features":[1]},{"name":"ERROR_GRAPHICS_NO_ACTIVE_VIDPN","features":[1]},{"name":"ERROR_GRAPHICS_NO_AVAILABLE_IMPORTANCE_ORDINALS","features":[1]},{"name":"ERROR_GRAPHICS_NO_AVAILABLE_VIDPN_TARGET","features":[1]},{"name":"ERROR_GRAPHICS_NO_DISPLAY_DEVICE_CORRESPONDS_TO_NAME","features":[1]},{"name":"ERROR_GRAPHICS_NO_DISPLAY_MODE_MANAGEMENT_SUPPORT","features":[1]},{"name":"ERROR_GRAPHICS_NO_MONITORS_CORRESPOND_TO_DISPLAY_DEVICE","features":[1]},{"name":"ERROR_GRAPHICS_NO_MORE_ELEMENTS_IN_DATASET","features":[1]},{"name":"ERROR_GRAPHICS_NO_PREFERRED_MODE","features":[1]},{"name":"ERROR_GRAPHICS_NO_RECOMMENDED_FUNCTIONAL_VIDPN","features":[1]},{"name":"ERROR_GRAPHICS_NO_RECOMMENDED_VIDPN_TOPOLOGY","features":[1]},{"name":"ERROR_GRAPHICS_NO_VIDEO_MEMORY","features":[1]},{"name":"ERROR_GRAPHICS_NO_VIDPNMGR","features":[1]},{"name":"ERROR_GRAPHICS_ONLY_CONSOLE_SESSION_SUPPORTED","features":[1]},{"name":"ERROR_GRAPHICS_OPM_ALL_HDCP_HARDWARE_ALREADY_IN_USE","features":[1]},{"name":"ERROR_GRAPHICS_OPM_DRIVER_INTERNAL_ERROR","features":[1]},{"name":"ERROR_GRAPHICS_OPM_HDCP_SRM_NEVER_SET","features":[1]},{"name":"ERROR_GRAPHICS_OPM_INTERNAL_ERROR","features":[1]},{"name":"ERROR_GRAPHICS_OPM_INVALID_CONFIGURATION_REQUEST","features":[1]},{"name":"ERROR_GRAPHICS_OPM_INVALID_ENCRYPTED_PARAMETERS","features":[1]},{"name":"ERROR_GRAPHICS_OPM_INVALID_HANDLE","features":[1]},{"name":"ERROR_GRAPHICS_OPM_INVALID_INFORMATION_REQUEST","features":[1]},{"name":"ERROR_GRAPHICS_OPM_INVALID_SRM","features":[1]},{"name":"ERROR_GRAPHICS_OPM_NOT_SUPPORTED","features":[1]},{"name":"ERROR_GRAPHICS_OPM_NO_VIDEO_OUTPUTS_EXIST","features":[1]},{"name":"ERROR_GRAPHICS_OPM_OUTPUT_DOES_NOT_SUPPORT_ACP","features":[1]},{"name":"ERROR_GRAPHICS_OPM_OUTPUT_DOES_NOT_SUPPORT_CGMSA","features":[1]},{"name":"ERROR_GRAPHICS_OPM_OUTPUT_DOES_NOT_SUPPORT_HDCP","features":[1]},{"name":"ERROR_GRAPHICS_OPM_RESOLUTION_TOO_HIGH","features":[1]},{"name":"ERROR_GRAPHICS_OPM_SESSION_TYPE_CHANGE_IN_PROGRESS","features":[1]},{"name":"ERROR_GRAPHICS_OPM_SIGNALING_NOT_SUPPORTED","features":[1]},{"name":"ERROR_GRAPHICS_OPM_SPANNING_MODE_ENABLED","features":[1]},{"name":"ERROR_GRAPHICS_OPM_THEATER_MODE_ENABLED","features":[1]},{"name":"ERROR_GRAPHICS_OPM_VIDEO_OUTPUT_DOES_NOT_HAVE_COPP_SEMANTICS","features":[1]},{"name":"ERROR_GRAPHICS_OPM_VIDEO_OUTPUT_DOES_NOT_HAVE_OPM_SEMANTICS","features":[1]},{"name":"ERROR_GRAPHICS_OPM_VIDEO_OUTPUT_NO_LONGER_EXISTS","features":[1]},{"name":"ERROR_GRAPHICS_PARAMETER_ARRAY_TOO_SMALL","features":[1]},{"name":"ERROR_GRAPHICS_PARTIAL_DATA_POPULATED","features":[1]},{"name":"ERROR_GRAPHICS_PATH_ALREADY_IN_TOPOLOGY","features":[1]},{"name":"ERROR_GRAPHICS_PATH_CONTENT_GEOMETRY_TRANSFORMATION_NOT_PINNED","features":[1]},{"name":"ERROR_GRAPHICS_PATH_CONTENT_GEOMETRY_TRANSFORMATION_NOT_SUPPORTED","features":[1]},{"name":"ERROR_GRAPHICS_PATH_NOT_IN_TOPOLOGY","features":[1]},{"name":"ERROR_GRAPHICS_PINNED_MODE_MUST_REMAIN_IN_SET","features":[1]},{"name":"ERROR_GRAPHICS_POLLING_TOO_FREQUENTLY","features":[1]},{"name":"ERROR_GRAPHICS_PRESENT_BUFFER_NOT_BOUND","features":[1]},{"name":"ERROR_GRAPHICS_PRESENT_DENIED","features":[1]},{"name":"ERROR_GRAPHICS_PRESENT_INVALID_WINDOW","features":[1]},{"name":"ERROR_GRAPHICS_PRESENT_MODE_CHANGED","features":[1]},{"name":"ERROR_GRAPHICS_PRESENT_OCCLUDED","features":[1]},{"name":"ERROR_GRAPHICS_PRESENT_REDIRECTION_DISABLED","features":[1]},{"name":"ERROR_GRAPHICS_PRESENT_UNOCCLUDED","features":[1]},{"name":"ERROR_GRAPHICS_PVP_HFS_FAILED","features":[1]},{"name":"ERROR_GRAPHICS_PVP_INVALID_CERTIFICATE_LENGTH","features":[1]},{"name":"ERROR_GRAPHICS_RESOURCES_NOT_RELATED","features":[1]},{"name":"ERROR_GRAPHICS_SESSION_TYPE_CHANGE_IN_PROGRESS","features":[1]},{"name":"ERROR_GRAPHICS_SKIP_ALLOCATION_PREPARATION","features":[1]},{"name":"ERROR_GRAPHICS_SOURCE_ALREADY_IN_SET","features":[1]},{"name":"ERROR_GRAPHICS_SOURCE_ID_MUST_BE_UNIQUE","features":[1]},{"name":"ERROR_GRAPHICS_SOURCE_NOT_IN_TOPOLOGY","features":[1]},{"name":"ERROR_GRAPHICS_SPECIFIED_CHILD_ALREADY_CONNECTED","features":[1]},{"name":"ERROR_GRAPHICS_STALE_MODESET","features":[1]},{"name":"ERROR_GRAPHICS_STALE_VIDPN_TOPOLOGY","features":[1]},{"name":"ERROR_GRAPHICS_START_DEFERRED","features":[1]},{"name":"ERROR_GRAPHICS_TARGET_ALREADY_IN_SET","features":[1]},{"name":"ERROR_GRAPHICS_TARGET_ID_MUST_BE_UNIQUE","features":[1]},{"name":"ERROR_GRAPHICS_TARGET_NOT_IN_TOPOLOGY","features":[1]},{"name":"ERROR_GRAPHICS_TOO_MANY_REFERENCES","features":[1]},{"name":"ERROR_GRAPHICS_TOPOLOGY_CHANGES_NOT_ALLOWED","features":[1]},{"name":"ERROR_GRAPHICS_TRY_AGAIN_LATER","features":[1]},{"name":"ERROR_GRAPHICS_TRY_AGAIN_NOW","features":[1]},{"name":"ERROR_GRAPHICS_UAB_NOT_SUPPORTED","features":[1]},{"name":"ERROR_GRAPHICS_UNASSIGNED_MODESET_ALREADY_EXISTS","features":[1]},{"name":"ERROR_GRAPHICS_UNKNOWN_CHILD_STATUS","features":[1]},{"name":"ERROR_GRAPHICS_UNSWIZZLING_APERTURE_UNAVAILABLE","features":[1]},{"name":"ERROR_GRAPHICS_UNSWIZZLING_APERTURE_UNSUPPORTED","features":[1]},{"name":"ERROR_GRAPHICS_VAIL_FAILED_TO_SEND_COMPOSITION_WINDOW_DPI_MESSAGE","features":[1]},{"name":"ERROR_GRAPHICS_VAIL_FAILED_TO_SEND_CREATE_SUPERWETINK_MESSAGE","features":[1]},{"name":"ERROR_GRAPHICS_VAIL_FAILED_TO_SEND_DESTROY_SUPERWETINK_MESSAGE","features":[1]},{"name":"ERROR_GRAPHICS_VAIL_STATE_CHANGED","features":[1]},{"name":"ERROR_GRAPHICS_VIDEO_PRESENT_TARGETS_LESS_THAN_SOURCES","features":[1]},{"name":"ERROR_GRAPHICS_VIDPN_MODALITY_NOT_SUPPORTED","features":[1]},{"name":"ERROR_GRAPHICS_VIDPN_SOURCE_IN_USE","features":[1]},{"name":"ERROR_GRAPHICS_VIDPN_TOPOLOGY_CURRENTLY_NOT_SUPPORTED","features":[1]},{"name":"ERROR_GRAPHICS_VIDPN_TOPOLOGY_NOT_SUPPORTED","features":[1]},{"name":"ERROR_GRAPHICS_WINDOWDC_NOT_AVAILABLE","features":[1]},{"name":"ERROR_GRAPHICS_WINDOWLESS_PRESENT_DISABLED","features":[1]},{"name":"ERROR_GRAPHICS_WRONG_ALLOCATION_DEVICE","features":[1]},{"name":"ERROR_GROUPSET_CANT_PROVIDE","features":[1]},{"name":"ERROR_GROUPSET_NOT_AVAILABLE","features":[1]},{"name":"ERROR_GROUPSET_NOT_FOUND","features":[1]},{"name":"ERROR_GROUP_EXISTS","features":[1]},{"name":"ERROR_GROUP_NOT_AVAILABLE","features":[1]},{"name":"ERROR_GROUP_NOT_FOUND","features":[1]},{"name":"ERROR_GROUP_NOT_ONLINE","features":[1]},{"name":"ERROR_GUID_SUBSTITUTION_MADE","features":[1]},{"name":"ERROR_HANDLES_CLOSED","features":[1]},{"name":"ERROR_HANDLE_DISK_FULL","features":[1]},{"name":"ERROR_HANDLE_EOF","features":[1]},{"name":"ERROR_HANDLE_NO_LONGER_VALID","features":[1]},{"name":"ERROR_HANDLE_REVOKED","features":[1]},{"name":"ERROR_HASH_NOT_PRESENT","features":[1]},{"name":"ERROR_HASH_NOT_SUPPORTED","features":[1]},{"name":"ERROR_HAS_SYSTEM_CRITICAL_FILES","features":[1]},{"name":"ERROR_HEURISTIC_DAMAGE_POSSIBLE","features":[1]},{"name":"ERROR_HIBERNATED","features":[1]},{"name":"ERROR_HIBERNATION_FAILURE","features":[1]},{"name":"ERROR_HOOK_NEEDS_HMOD","features":[1]},{"name":"ERROR_HOOK_NOT_INSTALLED","features":[1]},{"name":"ERROR_HOOK_TYPE_NOT_ALLOWED","features":[1]},{"name":"ERROR_HOST_DOWN","features":[1]},{"name":"ERROR_HOST_NODE_NOT_AVAILABLE","features":[1]},{"name":"ERROR_HOST_NODE_NOT_GROUP_OWNER","features":[1]},{"name":"ERROR_HOST_NODE_NOT_RESOURCE_OWNER","features":[1]},{"name":"ERROR_HOST_UNREACHABLE","features":[1]},{"name":"ERROR_HOTKEY_ALREADY_REGISTERED","features":[1]},{"name":"ERROR_HOTKEY_NOT_REGISTERED","features":[1]},{"name":"ERROR_HUNG_DISPLAY_DRIVER_THREAD","features":[1]},{"name":"ERROR_HV_ACCESS_DENIED","features":[1]},{"name":"ERROR_HV_ACKNOWLEDGED","features":[1]},{"name":"ERROR_HV_CPUID_FEATURE_VALIDATION","features":[1]},{"name":"ERROR_HV_CPUID_XSAVE_FEATURE_VALIDATION","features":[1]},{"name":"ERROR_HV_DEVICE_NOT_IN_DOMAIN","features":[1]},{"name":"ERROR_HV_EVENT_BUFFER_ALREADY_FREED","features":[1]},{"name":"ERROR_HV_FEATURE_UNAVAILABLE","features":[1]},{"name":"ERROR_HV_INACTIVE","features":[1]},{"name":"ERROR_HV_INSUFFICIENT_BUFFER","features":[1]},{"name":"ERROR_HV_INSUFFICIENT_BUFFERS","features":[1]},{"name":"ERROR_HV_INSUFFICIENT_CONTIGUOUS_MEMORY","features":[1]},{"name":"ERROR_HV_INSUFFICIENT_CONTIGUOUS_MEMORY_MIRRORING","features":[1]},{"name":"ERROR_HV_INSUFFICIENT_CONTIGUOUS_ROOT_MEMORY","features":[1]},{"name":"ERROR_HV_INSUFFICIENT_CONTIGUOUS_ROOT_MEMORY_MIRRORING","features":[1]},{"name":"ERROR_HV_INSUFFICIENT_DEVICE_DOMAINS","features":[1]},{"name":"ERROR_HV_INSUFFICIENT_MEMORY","features":[1]},{"name":"ERROR_HV_INSUFFICIENT_MEMORY_MIRRORING","features":[1]},{"name":"ERROR_HV_INSUFFICIENT_ROOT_MEMORY","features":[1]},{"name":"ERROR_HV_INSUFFICIENT_ROOT_MEMORY_MIRRORING","features":[1]},{"name":"ERROR_HV_INVALID_ALIGNMENT","features":[1]},{"name":"ERROR_HV_INVALID_CONNECTION_ID","features":[1]},{"name":"ERROR_HV_INVALID_CPU_GROUP_ID","features":[1]},{"name":"ERROR_HV_INVALID_CPU_GROUP_STATE","features":[1]},{"name":"ERROR_HV_INVALID_DEVICE_ID","features":[1]},{"name":"ERROR_HV_INVALID_DEVICE_STATE","features":[1]},{"name":"ERROR_HV_INVALID_HYPERCALL_CODE","features":[1]},{"name":"ERROR_HV_INVALID_HYPERCALL_INPUT","features":[1]},{"name":"ERROR_HV_INVALID_LP_INDEX","features":[1]},{"name":"ERROR_HV_INVALID_PARAMETER","features":[1]},{"name":"ERROR_HV_INVALID_PARTITION_ID","features":[1]},{"name":"ERROR_HV_INVALID_PARTITION_STATE","features":[1]},{"name":"ERROR_HV_INVALID_PORT_ID","features":[1]},{"name":"ERROR_HV_INVALID_PROXIMITY_DOMAIN_INFO","features":[1]},{"name":"ERROR_HV_INVALID_REGISTER_VALUE","features":[1]},{"name":"ERROR_HV_INVALID_SAVE_RESTORE_STATE","features":[1]},{"name":"ERROR_HV_INVALID_SYNIC_STATE","features":[1]},{"name":"ERROR_HV_INVALID_VP_INDEX","features":[1]},{"name":"ERROR_HV_INVALID_VP_STATE","features":[1]},{"name":"ERROR_HV_INVALID_VTL_STATE","features":[1]},{"name":"ERROR_HV_MSR_ACCESS_FAILED","features":[1]},{"name":"ERROR_HV_NESTED_VM_EXIT","features":[1]},{"name":"ERROR_HV_NOT_ACKNOWLEDGED","features":[1]},{"name":"ERROR_HV_NOT_ALLOWED_WITH_NESTED_VIRT_ACTIVE","features":[1]},{"name":"ERROR_HV_NOT_PRESENT","features":[1]},{"name":"ERROR_HV_NO_DATA","features":[1]},{"name":"ERROR_HV_NO_RESOURCES","features":[1]},{"name":"ERROR_HV_NX_NOT_DETECTED","features":[1]},{"name":"ERROR_HV_OBJECT_IN_USE","features":[1]},{"name":"ERROR_HV_OPERATION_DENIED","features":[1]},{"name":"ERROR_HV_OPERATION_FAILED","features":[1]},{"name":"ERROR_HV_PAGE_REQUEST_INVALID","features":[1]},{"name":"ERROR_HV_PARTITION_TOO_DEEP","features":[1]},{"name":"ERROR_HV_PENDING_PAGE_REQUESTS","features":[1]},{"name":"ERROR_HV_PROCESSOR_STARTUP_TIMEOUT","features":[1]},{"name":"ERROR_HV_PROPERTY_VALUE_OUT_OF_RANGE","features":[1]},{"name":"ERROR_HV_SMX_ENABLED","features":[1]},{"name":"ERROR_HV_UNKNOWN_PROPERTY","features":[1]},{"name":"ERROR_HWNDS_HAVE_DIFF_PARENT","features":[1]},{"name":"ERROR_ICM_NOT_ENABLED","features":[1]},{"name":"ERROR_IDLE_DISCONNECTED","features":[1]},{"name":"ERROR_IEPORT_FULL","features":[1]},{"name":"ERROR_ILLEGAL_CHARACTER","features":[1]},{"name":"ERROR_ILLEGAL_DLL_RELOCATION","features":[1]},{"name":"ERROR_ILLEGAL_ELEMENT_ADDRESS","features":[1]},{"name":"ERROR_ILLEGAL_FLOAT_CONTEXT","features":[1]},{"name":"ERROR_ILL_FORMED_PASSWORD","features":[1]},{"name":"ERROR_IMAGE_AT_DIFFERENT_BASE","features":[1]},{"name":"ERROR_IMAGE_MACHINE_TYPE_MISMATCH","features":[1]},{"name":"ERROR_IMAGE_MACHINE_TYPE_MISMATCH_EXE","features":[1]},{"name":"ERROR_IMAGE_NOT_AT_BASE","features":[1]},{"name":"ERROR_IMAGE_SUBSYSTEM_NOT_PRESENT","features":[1]},{"name":"ERROR_IMPLEMENTATION_LIMIT","features":[1]},{"name":"ERROR_IMPLICIT_TRANSACTION_NOT_SUPPORTED","features":[1]},{"name":"ERROR_INCOMPATIBLE_SERVICE_PRIVILEGE","features":[1]},{"name":"ERROR_INCOMPATIBLE_SERVICE_SID_TYPE","features":[1]},{"name":"ERROR_INCOMPATIBLE_WITH_GLOBAL_SHORT_NAME_REGISTRY_SETTING","features":[1]},{"name":"ERROR_INCORRECT_ACCOUNT_TYPE","features":[1]},{"name":"ERROR_INCORRECT_ADDRESS","features":[1]},{"name":"ERROR_INCORRECT_SIZE","features":[1]},{"name":"ERROR_INC_BACKUP","features":[1]},{"name":"ERROR_INDEX_ABSENT","features":[1]},{"name":"ERROR_INDEX_OUT_OF_BOUNDS","features":[1]},{"name":"ERROR_INDIGENOUS_TYPE","features":[1]},{"name":"ERROR_INDOUBT_TRANSACTIONS_EXIST","features":[1]},{"name":"ERROR_INFLOOP_IN_RELOC_CHAIN","features":[1]},{"name":"ERROR_INF_IN_USE_BY_DEVICES","features":[1]},{"name":"ERROR_INSTALL_ALREADY_RUNNING","features":[1]},{"name":"ERROR_INSTALL_CANCEL","features":[1]},{"name":"ERROR_INSTALL_DEREGISTRATION_FAILURE","features":[1]},{"name":"ERROR_INSTALL_FAILED","features":[1]},{"name":"ERROR_INSTALL_FAILURE","features":[1]},{"name":"ERROR_INSTALL_FIREWALL_SERVICE_NOT_RUNNING","features":[1]},{"name":"ERROR_INSTALL_FULLTRUST_HOSTRUNTIME_REQUIRES_MAIN_PACKAGE_FULLTRUST_CAPABILITY","features":[1]},{"name":"ERROR_INSTALL_INVALID_PACKAGE","features":[1]},{"name":"ERROR_INSTALL_INVALID_RELATED_SET_UPDATE","features":[1]},{"name":"ERROR_INSTALL_LANGUAGE_UNSUPPORTED","features":[1]},{"name":"ERROR_INSTALL_LOG_FAILURE","features":[1]},{"name":"ERROR_INSTALL_NETWORK_FAILURE","features":[1]},{"name":"ERROR_INSTALL_NOTUSED","features":[1]},{"name":"ERROR_INSTALL_OPEN_PACKAGE_FAILED","features":[1]},{"name":"ERROR_INSTALL_OPTIONAL_PACKAGE_APPLICATIONID_NOT_UNIQUE","features":[1]},{"name":"ERROR_INSTALL_OPTIONAL_PACKAGE_REQUIRES_MAIN_PACKAGE","features":[1]},{"name":"ERROR_INSTALL_OPTIONAL_PACKAGE_REQUIRES_MAIN_PACKAGE_FULLTRUST_CAPABILITY","features":[1]},{"name":"ERROR_INSTALL_OUT_OF_DISK_SPACE","features":[1]},{"name":"ERROR_INSTALL_PACKAGE_DOWNGRADE","features":[1]},{"name":"ERROR_INSTALL_PACKAGE_INVALID","features":[1]},{"name":"ERROR_INSTALL_PACKAGE_NOT_FOUND","features":[1]},{"name":"ERROR_INSTALL_PACKAGE_OPEN_FAILED","features":[1]},{"name":"ERROR_INSTALL_PACKAGE_REJECTED","features":[1]},{"name":"ERROR_INSTALL_PACKAGE_VERSION","features":[1]},{"name":"ERROR_INSTALL_PLATFORM_UNSUPPORTED","features":[1]},{"name":"ERROR_INSTALL_POLICY_FAILURE","features":[1]},{"name":"ERROR_INSTALL_PREREQUISITE_FAILED","features":[1]},{"name":"ERROR_INSTALL_REGISTRATION_FAILURE","features":[1]},{"name":"ERROR_INSTALL_REJECTED","features":[1]},{"name":"ERROR_INSTALL_REMOTE_DISALLOWED","features":[1]},{"name":"ERROR_INSTALL_REMOTE_PROHIBITED","features":[1]},{"name":"ERROR_INSTALL_RESOLVE_DEPENDENCY_FAILED","features":[1]},{"name":"ERROR_INSTALL_RESOLVE_HOSTRUNTIME_DEPENDENCY_FAILED","features":[1]},{"name":"ERROR_INSTALL_SERVICE_FAILURE","features":[1]},{"name":"ERROR_INSTALL_SERVICE_SAFEBOOT","features":[1]},{"name":"ERROR_INSTALL_SOURCE_ABSENT","features":[1]},{"name":"ERROR_INSTALL_SUSPEND","features":[1]},{"name":"ERROR_INSTALL_TEMP_UNWRITABLE","features":[1]},{"name":"ERROR_INSTALL_TRANSFORM_FAILURE","features":[1]},{"name":"ERROR_INSTALL_TRANSFORM_REJECTED","features":[1]},{"name":"ERROR_INSTALL_UI_FAILURE","features":[1]},{"name":"ERROR_INSTALL_USEREXIT","features":[1]},{"name":"ERROR_INSTALL_VOLUME_CORRUPT","features":[1]},{"name":"ERROR_INSTALL_VOLUME_NOT_EMPTY","features":[1]},{"name":"ERROR_INSTALL_VOLUME_OFFLINE","features":[1]},{"name":"ERROR_INSTALL_WRONG_PROCESSOR_ARCHITECTURE","features":[1]},{"name":"ERROR_INSTRUCTION_MISALIGNMENT","features":[1]},{"name":"ERROR_INSUFFICIENT_BUFFER","features":[1]},{"name":"ERROR_INSUFFICIENT_LOGON_INFO","features":[1]},{"name":"ERROR_INSUFFICIENT_POWER","features":[1]},{"name":"ERROR_INSUFFICIENT_RESOURCE_FOR_SPECIFIED_SHARED_SECTION_SIZE","features":[1]},{"name":"ERROR_INSUFFICIENT_VIRTUAL_ADDR_RESOURCES","features":[1]},{"name":"ERROR_INTERFACE_ALREADY_EXISTS","features":[1]},{"name":"ERROR_INTERFACE_CONFIGURATION","features":[1]},{"name":"ERROR_INTERFACE_CONNECTED","features":[1]},{"name":"ERROR_INTERFACE_DEVICE_ACTIVE","features":[1]},{"name":"ERROR_INTERFACE_DEVICE_REMOVED","features":[1]},{"name":"ERROR_INTERFACE_DISABLED","features":[1]},{"name":"ERROR_INTERFACE_DISCONNECTED","features":[1]},{"name":"ERROR_INTERFACE_HAS_NO_DEVICES","features":[1]},{"name":"ERROR_INTERFACE_NOT_CONNECTED","features":[1]},{"name":"ERROR_INTERFACE_UNREACHABLE","features":[1]},{"name":"ERROR_INTERMIXED_KERNEL_EA_OPERATION","features":[1]},{"name":"ERROR_INTERNAL_DB_CORRUPTION","features":[1]},{"name":"ERROR_INTERNAL_DB_ERROR","features":[1]},{"name":"ERROR_INTERNAL_ERROR","features":[1]},{"name":"ERROR_INTERRUPT_STILL_CONNECTED","features":[1]},{"name":"ERROR_INTERRUPT_VECTOR_ALREADY_CONNECTED","features":[1]},{"name":"ERROR_INVALID_ACCEL_HANDLE","features":[1]},{"name":"ERROR_INVALID_ACCESS","features":[1]},{"name":"ERROR_INVALID_ACCOUNT_NAME","features":[1]},{"name":"ERROR_INVALID_ACE_CONDITION","features":[1]},{"name":"ERROR_INVALID_ACL","features":[1]},{"name":"ERROR_INVALID_ADDRESS","features":[1]},{"name":"ERROR_INVALID_ATTRIBUTE_LENGTH","features":[1]},{"name":"ERROR_INVALID_AT_INTERRUPT_TIME","features":[1]},{"name":"ERROR_INVALID_BLOCK","features":[1]},{"name":"ERROR_INVALID_BLOCK_LENGTH","features":[1]},{"name":"ERROR_INVALID_CAP","features":[1]},{"name":"ERROR_INVALID_CATEGORY","features":[1]},{"name":"ERROR_INVALID_CLASS","features":[1]},{"name":"ERROR_INVALID_CLASS_INSTALLER","features":[1]},{"name":"ERROR_INVALID_CLEANER","features":[1]},{"name":"ERROR_INVALID_CLUSTER_IPV6_ADDRESS","features":[1]},{"name":"ERROR_INVALID_CMM","features":[1]},{"name":"ERROR_INVALID_COINSTALLER","features":[1]},{"name":"ERROR_INVALID_COLORINDEX","features":[1]},{"name":"ERROR_INVALID_COLORSPACE","features":[1]},{"name":"ERROR_INVALID_COMBOBOX_MESSAGE","features":[1]},{"name":"ERROR_INVALID_COMMAND_LINE","features":[1]},{"name":"ERROR_INVALID_COMPUTERNAME","features":[1]},{"name":"ERROR_INVALID_CONFIG_VALUE","features":[1]},{"name":"ERROR_INVALID_CRUNTIME_PARAMETER","features":[1]},{"name":"ERROR_INVALID_CURSOR_HANDLE","features":[1]},{"name":"ERROR_INVALID_DATA","features":[1]},{"name":"ERROR_INVALID_DATATYPE","features":[1]},{"name":"ERROR_INVALID_DEVICE_OBJECT_PARAMETER","features":[1]},{"name":"ERROR_INVALID_DEVINST_NAME","features":[1]},{"name":"ERROR_INVALID_DLL","features":[1]},{"name":"ERROR_INVALID_DOMAINNAME","features":[1]},{"name":"ERROR_INVALID_DOMAIN_ROLE","features":[1]},{"name":"ERROR_INVALID_DOMAIN_STATE","features":[1]},{"name":"ERROR_INVALID_DRIVE","features":[1]},{"name":"ERROR_INVALID_DRIVE_OBJECT","features":[1]},{"name":"ERROR_INVALID_DWP_HANDLE","features":[1]},{"name":"ERROR_INVALID_EA_HANDLE","features":[1]},{"name":"ERROR_INVALID_EA_NAME","features":[1]},{"name":"ERROR_INVALID_EDIT_HEIGHT","features":[1]},{"name":"ERROR_INVALID_ENVIRONMENT","features":[1]},{"name":"ERROR_INVALID_EVENTNAME","features":[1]},{"name":"ERROR_INVALID_EVENT_COUNT","features":[1]},{"name":"ERROR_INVALID_EXCEPTION_HANDLER","features":[1]},{"name":"ERROR_INVALID_EXE_SIGNATURE","features":[1]},{"name":"ERROR_INVALID_FIELD","features":[1]},{"name":"ERROR_INVALID_FIELD_IN_PARAMETER_LIST","features":[1]},{"name":"ERROR_INVALID_FILTER_DRIVER","features":[1]},{"name":"ERROR_INVALID_FILTER_PROC","features":[1]},{"name":"ERROR_INVALID_FLAGS","features":[1]},{"name":"ERROR_INVALID_FLAG_NUMBER","features":[1]},{"name":"ERROR_INVALID_FORM_NAME","features":[1]},{"name":"ERROR_INVALID_FORM_SIZE","features":[1]},{"name":"ERROR_INVALID_FUNCTION","features":[1]},{"name":"ERROR_INVALID_GROUPNAME","features":[1]},{"name":"ERROR_INVALID_GROUP_ATTRIBUTES","features":[1]},{"name":"ERROR_INVALID_GW_COMMAND","features":[1]},{"name":"ERROR_INVALID_HANDLE","features":[1]},{"name":"ERROR_INVALID_HANDLE_STATE","features":[1]},{"name":"ERROR_INVALID_HOOK_FILTER","features":[1]},{"name":"ERROR_INVALID_HOOK_HANDLE","features":[1]},{"name":"ERROR_INVALID_HWPROFILE","features":[1]},{"name":"ERROR_INVALID_HW_PROFILE","features":[1]},{"name":"ERROR_INVALID_ICON_HANDLE","features":[1]},{"name":"ERROR_INVALID_ID_AUTHORITY","features":[1]},{"name":"ERROR_INVALID_IMAGE_HASH","features":[1]},{"name":"ERROR_INVALID_IMPORT_OF_NON_DLL","features":[1]},{"name":"ERROR_INVALID_INDEX","features":[1]},{"name":"ERROR_INVALID_INF_LOGCONFIG","features":[1]},{"name":"ERROR_INVALID_KERNEL_INFO_VERSION","features":[1]},{"name":"ERROR_INVALID_KEYBOARD_HANDLE","features":[1]},{"name":"ERROR_INVALID_LABEL","features":[1]},{"name":"ERROR_INVALID_LB_MESSAGE","features":[1]},{"name":"ERROR_INVALID_LDT_DESCRIPTOR","features":[1]},{"name":"ERROR_INVALID_LDT_OFFSET","features":[1]},{"name":"ERROR_INVALID_LDT_SIZE","features":[1]},{"name":"ERROR_INVALID_LEVEL","features":[1]},{"name":"ERROR_INVALID_LIBRARY","features":[1]},{"name":"ERROR_INVALID_LIST_FORMAT","features":[1]},{"name":"ERROR_INVALID_LOCK_RANGE","features":[1]},{"name":"ERROR_INVALID_LOGON_HOURS","features":[1]},{"name":"ERROR_INVALID_LOGON_TYPE","features":[1]},{"name":"ERROR_INVALID_MACHINENAME","features":[1]},{"name":"ERROR_INVALID_MEDIA","features":[1]},{"name":"ERROR_INVALID_MEDIA_POOL","features":[1]},{"name":"ERROR_INVALID_MEMBER","features":[1]},{"name":"ERROR_INVALID_MENU_HANDLE","features":[1]},{"name":"ERROR_INVALID_MESSAGE","features":[1]},{"name":"ERROR_INVALID_MESSAGEDEST","features":[1]},{"name":"ERROR_INVALID_MESSAGENAME","features":[1]},{"name":"ERROR_INVALID_MINALLOCSIZE","features":[1]},{"name":"ERROR_INVALID_MODULETYPE","features":[1]},{"name":"ERROR_INVALID_MONITOR_HANDLE","features":[1]},{"name":"ERROR_INVALID_MSGBOX_STYLE","features":[1]},{"name":"ERROR_INVALID_NAME","features":[1]},{"name":"ERROR_INVALID_NETNAME","features":[1]},{"name":"ERROR_INVALID_OPERATION","features":[1]},{"name":"ERROR_INVALID_OPERATION_ON_QUORUM","features":[1]},{"name":"ERROR_INVALID_OPLOCK_PROTOCOL","features":[1]},{"name":"ERROR_INVALID_ORDINAL","features":[1]},{"name":"ERROR_INVALID_OWNER","features":[1]},{"name":"ERROR_INVALID_PACKAGE_SID_LENGTH","features":[1]},{"name":"ERROR_INVALID_PACKET","features":[1]},{"name":"ERROR_INVALID_PACKET_LENGTH_OR_ID","features":[1]},{"name":"ERROR_INVALID_PARAMETER","features":[1]},{"name":"ERROR_INVALID_PASSWORD","features":[1]},{"name":"ERROR_INVALID_PASSWORDNAME","features":[1]},{"name":"ERROR_INVALID_PATCH_XML","features":[1]},{"name":"ERROR_INVALID_PEP_INFO_VERSION","features":[1]},{"name":"ERROR_INVALID_PIXEL_FORMAT","features":[1]},{"name":"ERROR_INVALID_PLUGPLAY_DEVICE_PATH","features":[1]},{"name":"ERROR_INVALID_PORT_ATTRIBUTES","features":[1]},{"name":"ERROR_INVALID_PRIMARY_GROUP","features":[1]},{"name":"ERROR_INVALID_PRINTER_COMMAND","features":[1]},{"name":"ERROR_INVALID_PRINTER_DRIVER_MANIFEST","features":[1]},{"name":"ERROR_INVALID_PRINTER_NAME","features":[1]},{"name":"ERROR_INVALID_PRINTER_STATE","features":[1]},{"name":"ERROR_INVALID_PRINT_MONITOR","features":[1]},{"name":"ERROR_INVALID_PRIORITY","features":[1]},{"name":"ERROR_INVALID_PROFILE","features":[1]},{"name":"ERROR_INVALID_PROPPAGE_PROVIDER","features":[1]},{"name":"ERROR_INVALID_QUOTA_LOWER","features":[1]},{"name":"ERROR_INVALID_RADIUS_RESPONSE","features":[1]},{"name":"ERROR_INVALID_REFERENCE_STRING","features":[1]},{"name":"ERROR_INVALID_REG_PROPERTY","features":[1]},{"name":"ERROR_INVALID_REPARSE_DATA","features":[1]},{"name":"ERROR_INVALID_RUNLEVEL_SETTING","features":[1]},{"name":"ERROR_INVALID_SCROLLBAR_RANGE","features":[1]},{"name":"ERROR_INVALID_SECURITY_DESCR","features":[1]},{"name":"ERROR_INVALID_SEGDPL","features":[1]},{"name":"ERROR_INVALID_SEGMENT_NUMBER","features":[1]},{"name":"ERROR_INVALID_SEPARATOR_FILE","features":[1]},{"name":"ERROR_INVALID_SERVER_STATE","features":[1]},{"name":"ERROR_INVALID_SERVICENAME","features":[1]},{"name":"ERROR_INVALID_SERVICE_ACCOUNT","features":[1]},{"name":"ERROR_INVALID_SERVICE_CONTROL","features":[1]},{"name":"ERROR_INVALID_SERVICE_LOCK","features":[1]},{"name":"ERROR_INVALID_SHARENAME","features":[1]},{"name":"ERROR_INVALID_SHOWWIN_COMMAND","features":[1]},{"name":"ERROR_INVALID_SID","features":[1]},{"name":"ERROR_INVALID_SIGNAL_NUMBER","features":[1]},{"name":"ERROR_INVALID_SIGNATURE","features":[1]},{"name":"ERROR_INVALID_SIGNATURE_LENGTH","features":[1]},{"name":"ERROR_INVALID_SPI_VALUE","features":[1]},{"name":"ERROR_INVALID_STACKSEG","features":[1]},{"name":"ERROR_INVALID_STAGED_SIGNATURE","features":[1]},{"name":"ERROR_INVALID_STARTING_CODESEG","features":[1]},{"name":"ERROR_INVALID_STATE","features":[1]},{"name":"ERROR_INVALID_SUB_AUTHORITY","features":[1]},{"name":"ERROR_INVALID_TABLE","features":[1]},{"name":"ERROR_INVALID_TARGET","features":[1]},{"name":"ERROR_INVALID_TARGET_HANDLE","features":[1]},{"name":"ERROR_INVALID_TASK_INDEX","features":[1]},{"name":"ERROR_INVALID_TASK_NAME","features":[1]},{"name":"ERROR_INVALID_THREAD_ID","features":[1]},{"name":"ERROR_INVALID_TIME","features":[1]},{"name":"ERROR_INVALID_TOKEN","features":[1]},{"name":"ERROR_INVALID_TRANSACTION","features":[1]},{"name":"ERROR_INVALID_TRANSFORM","features":[1]},{"name":"ERROR_INVALID_UNWIND_TARGET","features":[1]},{"name":"ERROR_INVALID_USER_BUFFER","features":[1]},{"name":"ERROR_INVALID_USER_PRINCIPAL_NAME","features":[1]},{"name":"ERROR_INVALID_VARIANT","features":[1]},{"name":"ERROR_INVALID_VERIFY_SWITCH","features":[1]},{"name":"ERROR_INVALID_WINDOW_HANDLE","features":[1]},{"name":"ERROR_INVALID_WINDOW_STYLE","features":[1]},{"name":"ERROR_INVALID_WORKSTATION","features":[1]},{"name":"ERROR_IN_WOW64","features":[1]},{"name":"ERROR_IOPL_NOT_ENABLED","features":[1]},{"name":"ERROR_IO_DEVICE","features":[1]},{"name":"ERROR_IO_INCOMPLETE","features":[1]},{"name":"ERROR_IO_PENDING","features":[1]},{"name":"ERROR_IO_PREEMPTED","features":[1]},{"name":"ERROR_IO_PRIVILEGE_FAILED","features":[1]},{"name":"ERROR_IO_REISSUE_AS_CACHED","features":[1]},{"name":"ERROR_IPSEC_AUTH_FIREWALL_DROP","features":[1]},{"name":"ERROR_IPSEC_BAD_SPI","features":[1]},{"name":"ERROR_IPSEC_CLEAR_TEXT_DROP","features":[1]},{"name":"ERROR_IPSEC_DEFAULT_MM_AUTH_NOT_FOUND","features":[1]},{"name":"ERROR_IPSEC_DEFAULT_MM_POLICY_NOT_FOUND","features":[1]},{"name":"ERROR_IPSEC_DEFAULT_QM_POLICY_NOT_FOUND","features":[1]},{"name":"ERROR_IPSEC_DOSP_BLOCK","features":[1]},{"name":"ERROR_IPSEC_DOSP_INVALID_PACKET","features":[1]},{"name":"ERROR_IPSEC_DOSP_KEYMOD_NOT_ALLOWED","features":[1]},{"name":"ERROR_IPSEC_DOSP_MAX_ENTRIES","features":[1]},{"name":"ERROR_IPSEC_DOSP_MAX_PER_IP_RATELIMIT_QUEUES","features":[1]},{"name":"ERROR_IPSEC_DOSP_NOT_INSTALLED","features":[1]},{"name":"ERROR_IPSEC_DOSP_RECEIVED_MULTICAST","features":[1]},{"name":"ERROR_IPSEC_DOSP_STATE_LOOKUP_FAILED","features":[1]},{"name":"ERROR_IPSEC_IKE_ADD_UPDATE_KEY_FAILED","features":[1]},{"name":"ERROR_IPSEC_IKE_ATTRIB_FAIL","features":[1]},{"name":"ERROR_IPSEC_IKE_AUTHORIZATION_FAILURE","features":[1]},{"name":"ERROR_IPSEC_IKE_AUTHORIZATION_FAILURE_WITH_OPTIONAL_RETRY","features":[1]},{"name":"ERROR_IPSEC_IKE_AUTH_FAIL","features":[1]},{"name":"ERROR_IPSEC_IKE_BENIGN_REINIT","features":[1]},{"name":"ERROR_IPSEC_IKE_CERT_CHAIN_POLICY_MISMATCH","features":[1]},{"name":"ERROR_IPSEC_IKE_CGA_AUTH_FAILED","features":[1]},{"name":"ERROR_IPSEC_IKE_COEXISTENCE_SUPPRESS","features":[1]},{"name":"ERROR_IPSEC_IKE_CRITICAL_PAYLOAD_NOT_RECOGNIZED","features":[1]},{"name":"ERROR_IPSEC_IKE_CRL_FAILED","features":[1]},{"name":"ERROR_IPSEC_IKE_DECRYPT","features":[1]},{"name":"ERROR_IPSEC_IKE_DH_FAIL","features":[1]},{"name":"ERROR_IPSEC_IKE_DH_FAILURE","features":[1]},{"name":"ERROR_IPSEC_IKE_DOS_COOKIE_SENT","features":[1]},{"name":"ERROR_IPSEC_IKE_DROP_NO_RESPONSE","features":[1]},{"name":"ERROR_IPSEC_IKE_ENCRYPT","features":[1]},{"name":"ERROR_IPSEC_IKE_ERROR","features":[1]},{"name":"ERROR_IPSEC_IKE_FAILQUERYSSP","features":[1]},{"name":"ERROR_IPSEC_IKE_FAILSSPINIT","features":[1]},{"name":"ERROR_IPSEC_IKE_GENERAL_PROCESSING_ERROR","features":[1]},{"name":"ERROR_IPSEC_IKE_GETSPIFAIL","features":[1]},{"name":"ERROR_IPSEC_IKE_INNER_IP_ASSIGNMENT_FAILURE","features":[1]},{"name":"ERROR_IPSEC_IKE_INVALID_AUTH_ALG","features":[1]},{"name":"ERROR_IPSEC_IKE_INVALID_AUTH_PAYLOAD","features":[1]},{"name":"ERROR_IPSEC_IKE_INVALID_CERT_KEYLEN","features":[1]},{"name":"ERROR_IPSEC_IKE_INVALID_CERT_TYPE","features":[1]},{"name":"ERROR_IPSEC_IKE_INVALID_COOKIE","features":[1]},{"name":"ERROR_IPSEC_IKE_INVALID_ENCRYPT_ALG","features":[1]},{"name":"ERROR_IPSEC_IKE_INVALID_FILTER","features":[1]},{"name":"ERROR_IPSEC_IKE_INVALID_GROUP","features":[1]},{"name":"ERROR_IPSEC_IKE_INVALID_HASH","features":[1]},{"name":"ERROR_IPSEC_IKE_INVALID_HASH_ALG","features":[1]},{"name":"ERROR_IPSEC_IKE_INVALID_HASH_SIZE","features":[1]},{"name":"ERROR_IPSEC_IKE_INVALID_HEADER","features":[1]},{"name":"ERROR_IPSEC_IKE_INVALID_KEY_USAGE","features":[1]},{"name":"ERROR_IPSEC_IKE_INVALID_MAJOR_VERSION","features":[1]},{"name":"ERROR_IPSEC_IKE_INVALID_MM_FOR_QM","features":[1]},{"name":"ERROR_IPSEC_IKE_INVALID_PAYLOAD","features":[1]},{"name":"ERROR_IPSEC_IKE_INVALID_POLICY","features":[1]},{"name":"ERROR_IPSEC_IKE_INVALID_RESPONDER_LIFETIME_NOTIFY","features":[1]},{"name":"ERROR_IPSEC_IKE_INVALID_SIG","features":[1]},{"name":"ERROR_IPSEC_IKE_INVALID_SIGNATURE","features":[1]},{"name":"ERROR_IPSEC_IKE_INVALID_SITUATION","features":[1]},{"name":"ERROR_IPSEC_IKE_KERBEROS_ERROR","features":[1]},{"name":"ERROR_IPSEC_IKE_KILL_DUMMY_NAP_TUNNEL","features":[1]},{"name":"ERROR_IPSEC_IKE_LOAD_FAILED","features":[1]},{"name":"ERROR_IPSEC_IKE_LOAD_SOFT_SA","features":[1]},{"name":"ERROR_IPSEC_IKE_MM_ACQUIRE_DROP","features":[1]},{"name":"ERROR_IPSEC_IKE_MM_DELAY_DROP","features":[1]},{"name":"ERROR_IPSEC_IKE_MM_EXPIRED","features":[1]},{"name":"ERROR_IPSEC_IKE_MM_LIMIT","features":[1]},{"name":"ERROR_IPSEC_IKE_NEGOTIATION_DISABLED","features":[1]},{"name":"ERROR_IPSEC_IKE_NEGOTIATION_PENDING","features":[1]},{"name":"ERROR_IPSEC_IKE_NEG_STATUS_BEGIN","features":[1]},{"name":"ERROR_IPSEC_IKE_NEG_STATUS_END","features":[1]},{"name":"ERROR_IPSEC_IKE_NEG_STATUS_EXTENDED_END","features":[1]},{"name":"ERROR_IPSEC_IKE_NOTCBPRIV","features":[1]},{"name":"ERROR_IPSEC_IKE_NO_CERT","features":[1]},{"name":"ERROR_IPSEC_IKE_NO_MM_POLICY","features":[1]},{"name":"ERROR_IPSEC_IKE_NO_PEER_CERT","features":[1]},{"name":"ERROR_IPSEC_IKE_NO_POLICY","features":[1]},{"name":"ERROR_IPSEC_IKE_NO_PRIVATE_KEY","features":[1]},{"name":"ERROR_IPSEC_IKE_NO_PUBLIC_KEY","features":[1]},{"name":"ERROR_IPSEC_IKE_OUT_OF_MEMORY","features":[1]},{"name":"ERROR_IPSEC_IKE_PEER_CRL_FAILED","features":[1]},{"name":"ERROR_IPSEC_IKE_PEER_DOESNT_SUPPORT_MOBIKE","features":[1]},{"name":"ERROR_IPSEC_IKE_PEER_MM_ASSUMED_INVALID","features":[1]},{"name":"ERROR_IPSEC_IKE_POLICY_CHANGE","features":[1]},{"name":"ERROR_IPSEC_IKE_POLICY_MATCH","features":[1]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR","features":[1]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_CERT","features":[1]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_CERT_REQ","features":[1]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_DELETE","features":[1]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_HASH","features":[1]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_ID","features":[1]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_KE","features":[1]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_NATOA","features":[1]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_NONCE","features":[1]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_NOTIFY","features":[1]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_PROP","features":[1]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_SA","features":[1]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_SIG","features":[1]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_TRANS","features":[1]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_VENDOR","features":[1]},{"name":"ERROR_IPSEC_IKE_QM_ACQUIRE_DROP","features":[1]},{"name":"ERROR_IPSEC_IKE_QM_DELAY_DROP","features":[1]},{"name":"ERROR_IPSEC_IKE_QM_EXPIRED","features":[1]},{"name":"ERROR_IPSEC_IKE_QM_LIMIT","features":[1]},{"name":"ERROR_IPSEC_IKE_QUEUE_DROP_MM","features":[1]},{"name":"ERROR_IPSEC_IKE_QUEUE_DROP_NO_MM","features":[1]},{"name":"ERROR_IPSEC_IKE_RATELIMIT_DROP","features":[1]},{"name":"ERROR_IPSEC_IKE_REQUIRE_CP_PAYLOAD_MISSING","features":[1]},{"name":"ERROR_IPSEC_IKE_RPC_DELETE","features":[1]},{"name":"ERROR_IPSEC_IKE_SA_DELETED","features":[1]},{"name":"ERROR_IPSEC_IKE_SA_REAPED","features":[1]},{"name":"ERROR_IPSEC_IKE_SECLOADFAIL","features":[1]},{"name":"ERROR_IPSEC_IKE_SHUTTING_DOWN","features":[1]},{"name":"ERROR_IPSEC_IKE_SIMULTANEOUS_REKEY","features":[1]},{"name":"ERROR_IPSEC_IKE_SOFT_SA_TORN_DOWN","features":[1]},{"name":"ERROR_IPSEC_IKE_SRVACQFAIL","features":[1]},{"name":"ERROR_IPSEC_IKE_SRVQUERYCRED","features":[1]},{"name":"ERROR_IPSEC_IKE_STRONG_CRED_AUTHORIZATION_AND_CERTMAP_FAILURE","features":[1]},{"name":"ERROR_IPSEC_IKE_STRONG_CRED_AUTHORIZATION_FAILURE","features":[1]},{"name":"ERROR_IPSEC_IKE_TIMED_OUT","features":[1]},{"name":"ERROR_IPSEC_IKE_TOO_MANY_FILTERS","features":[1]},{"name":"ERROR_IPSEC_IKE_UNEXPECTED_MESSAGE_ID","features":[1]},{"name":"ERROR_IPSEC_IKE_UNKNOWN_DOI","features":[1]},{"name":"ERROR_IPSEC_IKE_UNSUPPORTED_ID","features":[1]},{"name":"ERROR_IPSEC_INTEGRITY_CHECK_FAILED","features":[1]},{"name":"ERROR_IPSEC_INVALID_PACKET","features":[1]},{"name":"ERROR_IPSEC_KEY_MODULE_IMPERSONATION_NEGOTIATION_PENDING","features":[1]},{"name":"ERROR_IPSEC_MM_AUTH_EXISTS","features":[1]},{"name":"ERROR_IPSEC_MM_AUTH_IN_USE","features":[1]},{"name":"ERROR_IPSEC_MM_AUTH_NOT_FOUND","features":[1]},{"name":"ERROR_IPSEC_MM_AUTH_PENDING_DELETION","features":[1]},{"name":"ERROR_IPSEC_MM_FILTER_EXISTS","features":[1]},{"name":"ERROR_IPSEC_MM_FILTER_NOT_FOUND","features":[1]},{"name":"ERROR_IPSEC_MM_FILTER_PENDING_DELETION","features":[1]},{"name":"ERROR_IPSEC_MM_POLICY_EXISTS","features":[1]},{"name":"ERROR_IPSEC_MM_POLICY_IN_USE","features":[1]},{"name":"ERROR_IPSEC_MM_POLICY_NOT_FOUND","features":[1]},{"name":"ERROR_IPSEC_MM_POLICY_PENDING_DELETION","features":[1]},{"name":"ERROR_IPSEC_QM_POLICY_EXISTS","features":[1]},{"name":"ERROR_IPSEC_QM_POLICY_IN_USE","features":[1]},{"name":"ERROR_IPSEC_QM_POLICY_NOT_FOUND","features":[1]},{"name":"ERROR_IPSEC_QM_POLICY_PENDING_DELETION","features":[1]},{"name":"ERROR_IPSEC_REPLAY_CHECK_FAILED","features":[1]},{"name":"ERROR_IPSEC_SA_LIFETIME_EXPIRED","features":[1]},{"name":"ERROR_IPSEC_THROTTLE_DROP","features":[1]},{"name":"ERROR_IPSEC_TRANSPORT_FILTER_EXISTS","features":[1]},{"name":"ERROR_IPSEC_TRANSPORT_FILTER_NOT_FOUND","features":[1]},{"name":"ERROR_IPSEC_TRANSPORT_FILTER_PENDING_DELETION","features":[1]},{"name":"ERROR_IPSEC_TUNNEL_FILTER_EXISTS","features":[1]},{"name":"ERROR_IPSEC_TUNNEL_FILTER_NOT_FOUND","features":[1]},{"name":"ERROR_IPSEC_TUNNEL_FILTER_PENDING_DELETION","features":[1]},{"name":"ERROR_IPSEC_WRONG_SA","features":[1]},{"name":"ERROR_IP_ADDRESS_CONFLICT1","features":[1]},{"name":"ERROR_IP_ADDRESS_CONFLICT2","features":[1]},{"name":"ERROR_IRQ_BUSY","features":[1]},{"name":"ERROR_IS_JOINED","features":[1]},{"name":"ERROR_IS_JOIN_PATH","features":[1]},{"name":"ERROR_IS_JOIN_TARGET","features":[1]},{"name":"ERROR_IS_SUBSTED","features":[1]},{"name":"ERROR_IS_SUBST_PATH","features":[1]},{"name":"ERROR_IS_SUBST_TARGET","features":[1]},{"name":"ERROR_ITERATED_DATA_EXCEEDS_64k","features":[1]},{"name":"ERROR_JOB_NO_CONTAINER","features":[1]},{"name":"ERROR_JOIN_TO_JOIN","features":[1]},{"name":"ERROR_JOIN_TO_SUBST","features":[1]},{"name":"ERROR_JOURNAL_DELETE_IN_PROGRESS","features":[1]},{"name":"ERROR_JOURNAL_ENTRY_DELETED","features":[1]},{"name":"ERROR_JOURNAL_HOOK_SET","features":[1]},{"name":"ERROR_JOURNAL_NOT_ACTIVE","features":[1]},{"name":"ERROR_KERNEL_APC","features":[1]},{"name":"ERROR_KEY_DELETED","features":[1]},{"name":"ERROR_KEY_DOES_NOT_EXIST","features":[1]},{"name":"ERROR_KEY_HAS_CHILDREN","features":[1]},{"name":"ERROR_KM_DRIVER_BLOCKED","features":[1]},{"name":"ERROR_LABEL_TOO_LONG","features":[1]},{"name":"ERROR_LAPS_ENCRYPTION_REQUIRES_2016_DFL","features":[1]},{"name":"ERROR_LAPS_LEGACY_SCHEMA_MISSING","features":[1]},{"name":"ERROR_LAPS_SCHEMA_MISSING","features":[1]},{"name":"ERROR_LAST_ADMIN","features":[1]},{"name":"ERROR_LB_WITHOUT_TABSTOPS","features":[1]},{"name":"ERROR_LIBRARY_FULL","features":[1]},{"name":"ERROR_LIBRARY_OFFLINE","features":[1]},{"name":"ERROR_LICENSE_QUOTA_EXCEEDED","features":[1]},{"name":"ERROR_LINE_NOT_FOUND","features":[1]},{"name":"ERROR_LINUX_SUBSYSTEM_NOT_PRESENT","features":[1]},{"name":"ERROR_LINUX_SUBSYSTEM_UPDATE_REQUIRED","features":[1]},{"name":"ERROR_LISTBOX_ID_NOT_FOUND","features":[1]},{"name":"ERROR_LM_CROSS_ENCRYPTION_REQUIRED","features":[1]},{"name":"ERROR_LOCAL_POLICY_MODIFICATION_NOT_SUPPORTED","features":[1]},{"name":"ERROR_LOCAL_USER_SESSION_KEY","features":[1]},{"name":"ERROR_LOCKED","features":[1]},{"name":"ERROR_LOCK_FAILED","features":[1]},{"name":"ERROR_LOCK_VIOLATION","features":[1]},{"name":"ERROR_LOGIN_TIME_RESTRICTION","features":[1]},{"name":"ERROR_LOGIN_WKSTA_RESTRICTION","features":[1]},{"name":"ERROR_LOGON_FAILURE","features":[1]},{"name":"ERROR_LOGON_NOT_GRANTED","features":[1]},{"name":"ERROR_LOGON_SERVER_CONFLICT","features":[1]},{"name":"ERROR_LOGON_SESSION_COLLISION","features":[1]},{"name":"ERROR_LOGON_SESSION_EXISTS","features":[1]},{"name":"ERROR_LOGON_TYPE_NOT_GRANTED","features":[1]},{"name":"ERROR_LOG_APPENDED_FLUSH_FAILED","features":[1]},{"name":"ERROR_LOG_ARCHIVE_IN_PROGRESS","features":[1]},{"name":"ERROR_LOG_ARCHIVE_NOT_IN_PROGRESS","features":[1]},{"name":"ERROR_LOG_BLOCKS_EXHAUSTED","features":[1]},{"name":"ERROR_LOG_BLOCK_INCOMPLETE","features":[1]},{"name":"ERROR_LOG_BLOCK_INVALID","features":[1]},{"name":"ERROR_LOG_BLOCK_VERSION","features":[1]},{"name":"ERROR_LOG_CANT_DELETE","features":[1]},{"name":"ERROR_LOG_CLIENT_ALREADY_REGISTERED","features":[1]},{"name":"ERROR_LOG_CLIENT_NOT_REGISTERED","features":[1]},{"name":"ERROR_LOG_CONTAINER_LIMIT_EXCEEDED","features":[1]},{"name":"ERROR_LOG_CONTAINER_OPEN_FAILED","features":[1]},{"name":"ERROR_LOG_CONTAINER_READ_FAILED","features":[1]},{"name":"ERROR_LOG_CONTAINER_STATE_INVALID","features":[1]},{"name":"ERROR_LOG_CONTAINER_WRITE_FAILED","features":[1]},{"name":"ERROR_LOG_CORRUPTION_DETECTED","features":[1]},{"name":"ERROR_LOG_DEDICATED","features":[1]},{"name":"ERROR_LOG_EPHEMERAL","features":[1]},{"name":"ERROR_LOG_FILE_FULL","features":[1]},{"name":"ERROR_LOG_FULL","features":[1]},{"name":"ERROR_LOG_FULL_HANDLER_IN_PROGRESS","features":[1]},{"name":"ERROR_LOG_GROWTH_FAILED","features":[1]},{"name":"ERROR_LOG_HARD_ERROR","features":[1]},{"name":"ERROR_LOG_INCONSISTENT_SECURITY","features":[1]},{"name":"ERROR_LOG_INVALID_RANGE","features":[1]},{"name":"ERROR_LOG_METADATA_CORRUPT","features":[1]},{"name":"ERROR_LOG_METADATA_FLUSH_FAILED","features":[1]},{"name":"ERROR_LOG_METADATA_INCONSISTENT","features":[1]},{"name":"ERROR_LOG_METADATA_INVALID","features":[1]},{"name":"ERROR_LOG_MULTIPLEXED","features":[1]},{"name":"ERROR_LOG_NOT_ENOUGH_CONTAINERS","features":[1]},{"name":"ERROR_LOG_NO_RESTART","features":[1]},{"name":"ERROR_LOG_PINNED","features":[1]},{"name":"ERROR_LOG_PINNED_ARCHIVE_TAIL","features":[1]},{"name":"ERROR_LOG_PINNED_RESERVATION","features":[1]},{"name":"ERROR_LOG_POLICY_ALREADY_INSTALLED","features":[1]},{"name":"ERROR_LOG_POLICY_CONFLICT","features":[1]},{"name":"ERROR_LOG_POLICY_INVALID","features":[1]},{"name":"ERROR_LOG_POLICY_NOT_INSTALLED","features":[1]},{"name":"ERROR_LOG_READ_CONTEXT_INVALID","features":[1]},{"name":"ERROR_LOG_READ_MODE_INVALID","features":[1]},{"name":"ERROR_LOG_RECORDS_RESERVED_INVALID","features":[1]},{"name":"ERROR_LOG_RECORD_NONEXISTENT","features":[1]},{"name":"ERROR_LOG_RESERVATION_INVALID","features":[1]},{"name":"ERROR_LOG_RESIZE_INVALID_SIZE","features":[1]},{"name":"ERROR_LOG_RESTART_INVALID","features":[1]},{"name":"ERROR_LOG_SECTOR_INVALID","features":[1]},{"name":"ERROR_LOG_SECTOR_PARITY_INVALID","features":[1]},{"name":"ERROR_LOG_SECTOR_REMAPPED","features":[1]},{"name":"ERROR_LOG_SPACE_RESERVED_INVALID","features":[1]},{"name":"ERROR_LOG_START_OF_LOG","features":[1]},{"name":"ERROR_LOG_STATE_INVALID","features":[1]},{"name":"ERROR_LOG_TAIL_INVALID","features":[1]},{"name":"ERROR_LONGJUMP","features":[1]},{"name":"ERROR_LOST_MODE_LOGON_RESTRICTION","features":[1]},{"name":"ERROR_LOST_WRITEBEHIND_DATA","features":[1]},{"name":"ERROR_LOST_WRITEBEHIND_DATA_LOCAL_DISK_ERROR","features":[1]},{"name":"ERROR_LOST_WRITEBEHIND_DATA_NETWORK_DISCONNECTED","features":[1]},{"name":"ERROR_LOST_WRITEBEHIND_DATA_NETWORK_SERVER_ERROR","features":[1]},{"name":"ERROR_LUIDS_EXHAUSTED","features":[1]},{"name":"ERROR_MACHINE_LOCKED","features":[1]},{"name":"ERROR_MACHINE_SCOPE_NOT_ALLOWED","features":[1]},{"name":"ERROR_MACHINE_UNAVAILABLE","features":[1]},{"name":"ERROR_MAGAZINE_NOT_PRESENT","features":[1]},{"name":"ERROR_MALFORMED_SUBSTITUTION_STRING","features":[1]},{"name":"ERROR_MAPPED_ALIGNMENT","features":[1]},{"name":"ERROR_MARKED_TO_DISALLOW_WRITES","features":[1]},{"name":"ERROR_MARSHALL_OVERFLOW","features":[1]},{"name":"ERROR_MAX_CLIENT_INTERFACE_LIMIT","features":[1]},{"name":"ERROR_MAX_LAN_INTERFACE_LIMIT","features":[1]},{"name":"ERROR_MAX_SESSIONS_REACHED","features":[1]},{"name":"ERROR_MAX_THRDS_REACHED","features":[1]},{"name":"ERROR_MAX_WAN_INTERFACE_LIMIT","features":[1]},{"name":"ERROR_MCA_EXCEPTION","features":[1]},{"name":"ERROR_MCA_INTERNAL_ERROR","features":[1]},{"name":"ERROR_MCA_INVALID_CAPABILITIES_STRING","features":[1]},{"name":"ERROR_MCA_INVALID_TECHNOLOGY_TYPE_RETURNED","features":[1]},{"name":"ERROR_MCA_INVALID_VCP_VERSION","features":[1]},{"name":"ERROR_MCA_MCCS_VERSION_MISMATCH","features":[1]},{"name":"ERROR_MCA_MONITOR_VIOLATES_MCCS_SPECIFICATION","features":[1]},{"name":"ERROR_MCA_OCCURED","features":[1]},{"name":"ERROR_MCA_UNSUPPORTED_COLOR_TEMPERATURE","features":[1]},{"name":"ERROR_MCA_UNSUPPORTED_MCCS_VERSION","features":[1]},{"name":"ERROR_MEDIA_CHANGED","features":[1]},{"name":"ERROR_MEDIA_CHECK","features":[1]},{"name":"ERROR_MEDIA_INCOMPATIBLE","features":[1]},{"name":"ERROR_MEDIA_NOT_AVAILABLE","features":[1]},{"name":"ERROR_MEDIA_OFFLINE","features":[1]},{"name":"ERROR_MEDIA_UNAVAILABLE","features":[1]},{"name":"ERROR_MEDIUM_NOT_ACCESSIBLE","features":[1]},{"name":"ERROR_MEMBERS_PRIMARY_GROUP","features":[1]},{"name":"ERROR_MEMBER_IN_ALIAS","features":[1]},{"name":"ERROR_MEMBER_IN_GROUP","features":[1]},{"name":"ERROR_MEMBER_NOT_IN_ALIAS","features":[1]},{"name":"ERROR_MEMBER_NOT_IN_GROUP","features":[1]},{"name":"ERROR_MEMORY_HARDWARE","features":[1]},{"name":"ERROR_MENU_ITEM_NOT_FOUND","features":[1]},{"name":"ERROR_MESSAGE_EXCEEDS_MAX_SIZE","features":[1]},{"name":"ERROR_MESSAGE_SYNC_ONLY","features":[1]},{"name":"ERROR_METAFILE_NOT_SUPPORTED","features":[1]},{"name":"ERROR_META_EXPANSION_TOO_LONG","features":[1]},{"name":"ERROR_MINIVERSION_INACCESSIBLE_FROM_SPECIFIED_TRANSACTION","features":[1]},{"name":"ERROR_MISSING_SYSTEMFILE","features":[1]},{"name":"ERROR_MOD_NOT_FOUND","features":[1]},{"name":"ERROR_MONITOR_INVALID_DESCRIPTOR_CHECKSUM","features":[1]},{"name":"ERROR_MONITOR_INVALID_DETAILED_TIMING_BLOCK","features":[1]},{"name":"ERROR_MONITOR_INVALID_MANUFACTURE_DATE","features":[1]},{"name":"ERROR_MONITOR_INVALID_SERIAL_NUMBER_MONDSC_BLOCK","features":[1]},{"name":"ERROR_MONITOR_INVALID_STANDARD_TIMING_BLOCK","features":[1]},{"name":"ERROR_MONITOR_INVALID_USER_FRIENDLY_MONDSC_BLOCK","features":[1]},{"name":"ERROR_MONITOR_NO_DESCRIPTOR","features":[1]},{"name":"ERROR_MONITOR_NO_MORE_DESCRIPTOR_DATA","features":[1]},{"name":"ERROR_MONITOR_UNKNOWN_DESCRIPTOR_FORMAT","features":[1]},{"name":"ERROR_MONITOR_WMI_DATABLOCK_REGISTRATION_FAILED","features":[1]},{"name":"ERROR_MORE_DATA","features":[1]},{"name":"ERROR_MORE_WRITES","features":[1]},{"name":"ERROR_MOUNT_POINT_NOT_RESOLVED","features":[1]},{"name":"ERROR_MP_PROCESSOR_MISMATCH","features":[1]},{"name":"ERROR_MRM_AUTOMERGE_ENABLED","features":[1]},{"name":"ERROR_MRM_DIRECT_REF_TO_NON_DEFAULT_RESOURCE","features":[1]},{"name":"ERROR_MRM_DUPLICATE_ENTRY","features":[1]},{"name":"ERROR_MRM_DUPLICATE_MAP_NAME","features":[1]},{"name":"ERROR_MRM_FILEPATH_TOO_LONG","features":[1]},{"name":"ERROR_MRM_GENERATION_COUNT_MISMATCH","features":[1]},{"name":"ERROR_MRM_INDETERMINATE_QUALIFIER_VALUE","features":[1]},{"name":"ERROR_MRM_INVALID_FILE_TYPE","features":[1]},{"name":"ERROR_MRM_INVALID_PRICONFIG","features":[1]},{"name":"ERROR_MRM_INVALID_PRI_FILE","features":[1]},{"name":"ERROR_MRM_INVALID_QUALIFIER_OPERATOR","features":[1]},{"name":"ERROR_MRM_INVALID_QUALIFIER_VALUE","features":[1]},{"name":"ERROR_MRM_INVALID_RESOURCE_IDENTIFIER","features":[1]},{"name":"ERROR_MRM_MAP_NOT_FOUND","features":[1]},{"name":"ERROR_MRM_MISSING_DEFAULT_LANGUAGE","features":[1]},{"name":"ERROR_MRM_NAMED_RESOURCE_NOT_FOUND","features":[1]},{"name":"ERROR_MRM_NO_CANDIDATE","features":[1]},{"name":"ERROR_MRM_NO_CURRENT_VIEW_ON_THREAD","features":[1]},{"name":"ERROR_MRM_NO_MATCH_OR_DEFAULT_CANDIDATE","features":[1]},{"name":"ERROR_MRM_PACKAGE_NOT_FOUND","features":[1]},{"name":"ERROR_MRM_RESOURCE_TYPE_MISMATCH","features":[1]},{"name":"ERROR_MRM_RUNTIME_NO_DEFAULT_OR_NEUTRAL_RESOURCE","features":[1]},{"name":"ERROR_MRM_SCOPE_ITEM_CONFLICT","features":[1]},{"name":"ERROR_MRM_TOO_MANY_RESOURCES","features":[1]},{"name":"ERROR_MRM_UNKNOWN_QUALIFIER","features":[1]},{"name":"ERROR_MRM_UNSUPPORTED_DIRECTORY_TYPE","features":[1]},{"name":"ERROR_MRM_UNSUPPORTED_FILE_TYPE_FOR_LOAD_UNLOAD_PRI_FILE","features":[1]},{"name":"ERROR_MRM_UNSUPPORTED_FILE_TYPE_FOR_MERGE","features":[1]},{"name":"ERROR_MRM_UNSUPPORTED_PROFILE_TYPE","features":[1]},{"name":"ERROR_MR_MID_NOT_FOUND","features":[1]},{"name":"ERROR_MUI_FILE_NOT_FOUND","features":[1]},{"name":"ERROR_MUI_FILE_NOT_LOADED","features":[1]},{"name":"ERROR_MUI_INTLSETTINGS_INVALID_LOCALE_NAME","features":[1]},{"name":"ERROR_MUI_INTLSETTINGS_UILANG_NOT_INSTALLED","features":[1]},{"name":"ERROR_MUI_INVALID_FILE","features":[1]},{"name":"ERROR_MUI_INVALID_LOCALE_NAME","features":[1]},{"name":"ERROR_MUI_INVALID_RC_CONFIG","features":[1]},{"name":"ERROR_MUI_INVALID_ULTIMATEFALLBACK_NAME","features":[1]},{"name":"ERROR_MULTIPLE_FAULT_VIOLATION","features":[1]},{"name":"ERROR_MUTANT_LIMIT_EXCEEDED","features":[1]},{"name":"ERROR_MUTUAL_AUTH_FAILED","features":[1]},{"name":"ERROR_NDIS_ADAPTER_NOT_FOUND","features":[1]},{"name":"ERROR_NDIS_ADAPTER_NOT_READY","features":[1]},{"name":"ERROR_NDIS_ADAPTER_REMOVED","features":[1]},{"name":"ERROR_NDIS_ALREADY_MAPPED","features":[1]},{"name":"ERROR_NDIS_BAD_CHARACTERISTICS","features":[1]},{"name":"ERROR_NDIS_BAD_VERSION","features":[1]},{"name":"ERROR_NDIS_BUFFER_TOO_SHORT","features":[1]},{"name":"ERROR_NDIS_DEVICE_FAILED","features":[1]},{"name":"ERROR_NDIS_DOT11_AP_BAND_CURRENTLY_NOT_AVAILABLE","features":[1]},{"name":"ERROR_NDIS_DOT11_AP_BAND_NOT_ALLOWED","features":[1]},{"name":"ERROR_NDIS_DOT11_AP_CHANNEL_CURRENTLY_NOT_AVAILABLE","features":[1]},{"name":"ERROR_NDIS_DOT11_AP_CHANNEL_NOT_ALLOWED","features":[1]},{"name":"ERROR_NDIS_DOT11_AUTO_CONFIG_ENABLED","features":[1]},{"name":"ERROR_NDIS_DOT11_MEDIA_IN_USE","features":[1]},{"name":"ERROR_NDIS_DOT11_POWER_STATE_INVALID","features":[1]},{"name":"ERROR_NDIS_ERROR_READING_FILE","features":[1]},{"name":"ERROR_NDIS_FILE_NOT_FOUND","features":[1]},{"name":"ERROR_NDIS_GROUP_ADDRESS_IN_USE","features":[1]},{"name":"ERROR_NDIS_INDICATION_REQUIRED","features":[1]},{"name":"ERROR_NDIS_INTERFACE_CLOSING","features":[1]},{"name":"ERROR_NDIS_INTERFACE_NOT_FOUND","features":[1]},{"name":"ERROR_NDIS_INVALID_ADDRESS","features":[1]},{"name":"ERROR_NDIS_INVALID_DATA","features":[1]},{"name":"ERROR_NDIS_INVALID_DEVICE_REQUEST","features":[1]},{"name":"ERROR_NDIS_INVALID_LENGTH","features":[1]},{"name":"ERROR_NDIS_INVALID_OID","features":[1]},{"name":"ERROR_NDIS_INVALID_PACKET","features":[1]},{"name":"ERROR_NDIS_INVALID_PORT","features":[1]},{"name":"ERROR_NDIS_INVALID_PORT_STATE","features":[1]},{"name":"ERROR_NDIS_LOW_POWER_STATE","features":[1]},{"name":"ERROR_NDIS_MEDIA_DISCONNECTED","features":[1]},{"name":"ERROR_NDIS_MULTICAST_EXISTS","features":[1]},{"name":"ERROR_NDIS_MULTICAST_FULL","features":[1]},{"name":"ERROR_NDIS_MULTICAST_NOT_FOUND","features":[1]},{"name":"ERROR_NDIS_NOT_SUPPORTED","features":[1]},{"name":"ERROR_NDIS_NO_QUEUES","features":[1]},{"name":"ERROR_NDIS_OFFLOAD_CONNECTION_REJECTED","features":[1]},{"name":"ERROR_NDIS_OFFLOAD_PATH_REJECTED","features":[1]},{"name":"ERROR_NDIS_OFFLOAD_POLICY","features":[1]},{"name":"ERROR_NDIS_OPEN_FAILED","features":[1]},{"name":"ERROR_NDIS_PAUSED","features":[1]},{"name":"ERROR_NDIS_PM_PROTOCOL_OFFLOAD_LIST_FULL","features":[1]},{"name":"ERROR_NDIS_PM_WOL_PATTERN_LIST_FULL","features":[1]},{"name":"ERROR_NDIS_REINIT_REQUIRED","features":[1]},{"name":"ERROR_NDIS_REQUEST_ABORTED","features":[1]},{"name":"ERROR_NDIS_RESET_IN_PROGRESS","features":[1]},{"name":"ERROR_NDIS_RESOURCE_CONFLICT","features":[1]},{"name":"ERROR_NDIS_UNSUPPORTED_MEDIA","features":[1]},{"name":"ERROR_NDIS_UNSUPPORTED_REVISION","features":[1]},{"name":"ERROR_NEEDS_REGISTRATION","features":[1]},{"name":"ERROR_NEEDS_REMEDIATION","features":[1]},{"name":"ERROR_NEGATIVE_SEEK","features":[1]},{"name":"ERROR_NESTING_NOT_ALLOWED","features":[1]},{"name":"ERROR_NETLOGON_NOT_STARTED","features":[1]},{"name":"ERROR_NETNAME_DELETED","features":[1]},{"name":"ERROR_NETWORK_ACCESS_DENIED","features":[1]},{"name":"ERROR_NETWORK_ACCESS_DENIED_EDP","features":[1]},{"name":"ERROR_NETWORK_AUTHENTICATION_PROMPT_CANCELED","features":[1]},{"name":"ERROR_NETWORK_BUSY","features":[1]},{"name":"ERROR_NETWORK_NOT_AVAILABLE","features":[1]},{"name":"ERROR_NETWORK_UNREACHABLE","features":[1]},{"name":"ERROR_NET_OPEN_FAILED","features":[1]},{"name":"ERROR_NET_WRITE_FAULT","features":[1]},{"name":"ERROR_NOACCESS","features":[1]},{"name":"ERROR_NODE_CANNOT_BE_CLUSTERED","features":[1]},{"name":"ERROR_NODE_CANT_HOST_RESOURCE","features":[1]},{"name":"ERROR_NODE_NOT_ACTIVE_CLUSTER_MEMBER","features":[1]},{"name":"ERROR_NODE_NOT_AVAILABLE","features":[1]},{"name":"ERROR_NOINTERFACE","features":[1]},{"name":"ERROR_NOLOGON_INTERDOMAIN_TRUST_ACCOUNT","features":[1]},{"name":"ERROR_NOLOGON_SERVER_TRUST_ACCOUNT","features":[1]},{"name":"ERROR_NOLOGON_WORKSTATION_TRUST_ACCOUNT","features":[1]},{"name":"ERROR_NONCORE_GROUPS_FOUND","features":[1]},{"name":"ERROR_NONE_MAPPED","features":[1]},{"name":"ERROR_NONPAGED_SYSTEM_RESOURCES","features":[1]},{"name":"ERROR_NON_ACCOUNT_SID","features":[1]},{"name":"ERROR_NON_CSV_PATH","features":[1]},{"name":"ERROR_NON_DOMAIN_SID","features":[1]},{"name":"ERROR_NON_MDICHILD_WINDOW","features":[1]},{"name":"ERROR_NON_WINDOWS_DRIVER","features":[1]},{"name":"ERROR_NON_WINDOWS_NT_DRIVER","features":[1]},{"name":"ERROR_NOTHING_TO_TERMINATE","features":[1]},{"name":"ERROR_NOTIFICATION_GUID_ALREADY_DEFINED","features":[1]},{"name":"ERROR_NOTIFY_CLEANUP","features":[1]},{"name":"ERROR_NOTIFY_ENUM_DIR","features":[1]},{"name":"ERROR_NOT_ALLOWED_ON_SYSTEM_FILE","features":[1]},{"name":"ERROR_NOT_ALL_ASSIGNED","features":[1]},{"name":"ERROR_NOT_AN_INSTALLED_OEM_INF","features":[1]},{"name":"ERROR_NOT_APPCONTAINER","features":[1]},{"name":"ERROR_NOT_AUTHENTICATED","features":[1]},{"name":"ERROR_NOT_A_CLOUD_FILE","features":[1]},{"name":"ERROR_NOT_A_CLOUD_SYNC_ROOT","features":[1]},{"name":"ERROR_NOT_A_DAX_VOLUME","features":[1]},{"name":"ERROR_NOT_A_DEV_VOLUME","features":[1]},{"name":"ERROR_NOT_A_REPARSE_POINT","features":[1]},{"name":"ERROR_NOT_A_TIERED_VOLUME","features":[1]},{"name":"ERROR_NOT_CAPABLE","features":[1]},{"name":"ERROR_NOT_CHILD_WINDOW","features":[1]},{"name":"ERROR_NOT_CLIENT_PORT","features":[1]},{"name":"ERROR_NOT_CONNECTED","features":[1]},{"name":"ERROR_NOT_CONTAINER","features":[1]},{"name":"ERROR_NOT_DAX_MAPPABLE","features":[1]},{"name":"ERROR_NOT_DISABLEABLE","features":[1]},{"name":"ERROR_NOT_DOS_DISK","features":[1]},{"name":"ERROR_NOT_EMPTY","features":[1]},{"name":"ERROR_NOT_ENOUGH_MEMORY","features":[1]},{"name":"ERROR_NOT_ENOUGH_QUOTA","features":[1]},{"name":"ERROR_NOT_ENOUGH_SERVER_MEMORY","features":[1]},{"name":"ERROR_NOT_EXPORT_FORMAT","features":[1]},{"name":"ERROR_NOT_FOUND","features":[1]},{"name":"ERROR_NOT_GUI_PROCESS","features":[1]},{"name":"ERROR_NOT_INSTALLED","features":[1]},{"name":"ERROR_NOT_JOINED","features":[1]},{"name":"ERROR_NOT_LOCKED","features":[1]},{"name":"ERROR_NOT_LOGGED_ON","features":[1]},{"name":"ERROR_NOT_LOGON_PROCESS","features":[1]},{"name":"ERROR_NOT_OWNER","features":[1]},{"name":"ERROR_NOT_QUORUM_CAPABLE","features":[1]},{"name":"ERROR_NOT_QUORUM_CLASS","features":[1]},{"name":"ERROR_NOT_READY","features":[1]},{"name":"ERROR_NOT_READ_FROM_COPY","features":[1]},{"name":"ERROR_NOT_REDUNDANT_STORAGE","features":[1]},{"name":"ERROR_NOT_REGISTRY_FILE","features":[1]},{"name":"ERROR_NOT_ROUTER_PORT","features":[1]},{"name":"ERROR_NOT_SAFEBOOT_SERVICE","features":[1]},{"name":"ERROR_NOT_SAFE_MODE_DRIVER","features":[1]},{"name":"ERROR_NOT_SAME_DEVICE","features":[1]},{"name":"ERROR_NOT_SAME_OBJECT","features":[1]},{"name":"ERROR_NOT_SNAPSHOT_VOLUME","features":[1]},{"name":"ERROR_NOT_SUBSTED","features":[1]},{"name":"ERROR_NOT_SUPPORTED","features":[1]},{"name":"ERROR_NOT_SUPPORTED_IN_APPCONTAINER","features":[1]},{"name":"ERROR_NOT_SUPPORTED_ON_DAX","features":[1]},{"name":"ERROR_NOT_SUPPORTED_ON_SBS","features":[1]},{"name":"ERROR_NOT_SUPPORTED_ON_STANDARD_SERVER","features":[1]},{"name":"ERROR_NOT_SUPPORTED_WITH_AUDITING","features":[1]},{"name":"ERROR_NOT_SUPPORTED_WITH_BTT","features":[1]},{"name":"ERROR_NOT_SUPPORTED_WITH_BYPASSIO","features":[1]},{"name":"ERROR_NOT_SUPPORTED_WITH_CACHED_HANDLE","features":[1]},{"name":"ERROR_NOT_SUPPORTED_WITH_COMPRESSION","features":[1]},{"name":"ERROR_NOT_SUPPORTED_WITH_DEDUPLICATION","features":[1]},{"name":"ERROR_NOT_SUPPORTED_WITH_ENCRYPTION","features":[1]},{"name":"ERROR_NOT_SUPPORTED_WITH_MONITORING","features":[1]},{"name":"ERROR_NOT_SUPPORTED_WITH_REPLICATION","features":[1]},{"name":"ERROR_NOT_SUPPORTED_WITH_SNAPSHOT","features":[1]},{"name":"ERROR_NOT_SUPPORTED_WITH_VIRTUALIZATION","features":[1]},{"name":"ERROR_NOT_TINY_STREAM","features":[1]},{"name":"ERROR_NO_ACE_CONDITION","features":[1]},{"name":"ERROR_NO_ADMIN_ACCESS_POINT","features":[1]},{"name":"ERROR_NO_APPLICABLE_APP_LICENSES_FOUND","features":[1]},{"name":"ERROR_NO_ASSOCIATED_CLASS","features":[1]},{"name":"ERROR_NO_ASSOCIATED_SERVICE","features":[1]},{"name":"ERROR_NO_ASSOCIATION","features":[1]},{"name":"ERROR_NO_AUTHENTICODE_CATALOG","features":[1]},{"name":"ERROR_NO_AUTH_PROTOCOL_AVAILABLE","features":[1]},{"name":"ERROR_NO_BACKUP","features":[1]},{"name":"ERROR_NO_BROWSER_SERVERS_FOUND","features":[1]},{"name":"ERROR_NO_BYPASSIO_DRIVER_SUPPORT","features":[1]},{"name":"ERROR_NO_CALLBACK_ACTIVE","features":[1]},{"name":"ERROR_NO_CATALOG_FOR_OEM_INF","features":[1]},{"name":"ERROR_NO_CLASSINSTALL_PARAMS","features":[1]},{"name":"ERROR_NO_CLASS_DRIVER_LIST","features":[1]},{"name":"ERROR_NO_COMPAT_DRIVERS","features":[1]},{"name":"ERROR_NO_CONFIGMGR_SERVICES","features":[1]},{"name":"ERROR_NO_DATA","features":[1]},{"name":"ERROR_NO_DATA_DETECTED","features":[1]},{"name":"ERROR_NO_DEFAULT_DEVICE_INTERFACE","features":[1]},{"name":"ERROR_NO_DEFAULT_INTERFACE_DEVICE","features":[1]},{"name":"ERROR_NO_DEVICE_ICON","features":[1]},{"name":"ERROR_NO_DEVICE_SELECTED","features":[1]},{"name":"ERROR_NO_DRIVER_SELECTED","features":[1]},{"name":"ERROR_NO_EFS","features":[1]},{"name":"ERROR_NO_EVENT_PAIR","features":[1]},{"name":"ERROR_NO_GUID_TRANSLATION","features":[1]},{"name":"ERROR_NO_IMPERSONATION_TOKEN","features":[1]},{"name":"ERROR_NO_INF","features":[1]},{"name":"ERROR_NO_INHERITANCE","features":[1]},{"name":"ERROR_NO_INTERFACE_CREDENTIALS_SET","features":[1]},{"name":"ERROR_NO_LINK_TRACKING_IN_TRANSACTION","features":[1]},{"name":"ERROR_NO_LOGON_SERVERS","features":[1]},{"name":"ERROR_NO_LOG_SPACE","features":[1]},{"name":"ERROR_NO_MATCH","features":[1]},{"name":"ERROR_NO_MEDIA_IN_DRIVE","features":[1]},{"name":"ERROR_NO_MORE_DEVICES","features":[1]},{"name":"ERROR_NO_MORE_FILES","features":[1]},{"name":"ERROR_NO_MORE_ITEMS","features":[1]},{"name":"ERROR_NO_MORE_MATCHES","features":[1]},{"name":"ERROR_NO_MORE_SEARCH_HANDLES","features":[1]},{"name":"ERROR_NO_MORE_USER_HANDLES","features":[1]},{"name":"ERROR_NO_NETWORK","features":[1]},{"name":"ERROR_NO_NET_OR_BAD_PATH","features":[1]},{"name":"ERROR_NO_NVRAM_RESOURCES","features":[1]},{"name":"ERROR_NO_PAGEFILE","features":[1]},{"name":"ERROR_NO_PHYSICALLY_ALIGNED_FREE_SPACE_FOUND","features":[1]},{"name":"ERROR_NO_PROC_SLOTS","features":[1]},{"name":"ERROR_NO_PROMOTION_ACTIVE","features":[1]},{"name":"ERROR_NO_QUOTAS_FOR_ACCOUNT","features":[1]},{"name":"ERROR_NO_RADIUS_SERVERS","features":[1]},{"name":"ERROR_NO_RANGES_PROCESSED","features":[1]},{"name":"ERROR_NO_RECOVERY_POLICY","features":[1]},{"name":"ERROR_NO_RECOVERY_PROGRAM","features":[1]},{"name":"ERROR_NO_SAVEPOINT_WITH_OPEN_FILES","features":[1]},{"name":"ERROR_NO_SCROLLBARS","features":[1]},{"name":"ERROR_NO_SECRETS","features":[1]},{"name":"ERROR_NO_SECURITY_ON_OBJECT","features":[1]},{"name":"ERROR_NO_SHUTDOWN_IN_PROGRESS","features":[1]},{"name":"ERROR_NO_SIGNAL_SENT","features":[1]},{"name":"ERROR_NO_SIGNATURE","features":[1]},{"name":"ERROR_NO_SITENAME","features":[1]},{"name":"ERROR_NO_SITE_SETTINGS_OBJECT","features":[1]},{"name":"ERROR_NO_SPOOL_SPACE","features":[1]},{"name":"ERROR_NO_SUCH_ALIAS","features":[1]},{"name":"ERROR_NO_SUCH_DEVICE","features":[1]},{"name":"ERROR_NO_SUCH_DEVICE_INTERFACE","features":[1]},{"name":"ERROR_NO_SUCH_DEVINST","features":[1]},{"name":"ERROR_NO_SUCH_DOMAIN","features":[1]},{"name":"ERROR_NO_SUCH_GROUP","features":[1]},{"name":"ERROR_NO_SUCH_INTERFACE","features":[1]},{"name":"ERROR_NO_SUCH_INTERFACE_CLASS","features":[1]},{"name":"ERROR_NO_SUCH_INTERFACE_DEVICE","features":[1]},{"name":"ERROR_NO_SUCH_LOGON_SESSION","features":[1]},{"name":"ERROR_NO_SUCH_MEMBER","features":[1]},{"name":"ERROR_NO_SUCH_PACKAGE","features":[1]},{"name":"ERROR_NO_SUCH_PRIVILEGE","features":[1]},{"name":"ERROR_NO_SUCH_SITE","features":[1]},{"name":"ERROR_NO_SUCH_USER","features":[1]},{"name":"ERROR_NO_SUPPORTING_DRIVES","features":[1]},{"name":"ERROR_NO_SYSTEM_MENU","features":[1]},{"name":"ERROR_NO_SYSTEM_RESOURCES","features":[1]},{"name":"ERROR_NO_TASK_QUEUE","features":[1]},{"name":"ERROR_NO_TOKEN","features":[1]},{"name":"ERROR_NO_TRACKING_SERVICE","features":[1]},{"name":"ERROR_NO_TRUST_LSA_SECRET","features":[1]},{"name":"ERROR_NO_TRUST_SAM_ACCOUNT","features":[1]},{"name":"ERROR_NO_TXF_METADATA","features":[1]},{"name":"ERROR_NO_UNICODE_TRANSLATION","features":[1]},{"name":"ERROR_NO_USER_KEYS","features":[1]},{"name":"ERROR_NO_USER_SESSION_KEY","features":[1]},{"name":"ERROR_NO_VOLUME_ID","features":[1]},{"name":"ERROR_NO_VOLUME_LABEL","features":[1]},{"name":"ERROR_NO_WILDCARD_CHARACTERS","features":[1]},{"name":"ERROR_NO_WORK_DONE","features":[1]},{"name":"ERROR_NO_WRITABLE_DC_FOUND","features":[1]},{"name":"ERROR_NO_YIELD_PERFORMED","features":[1]},{"name":"ERROR_NTLM_BLOCKED","features":[1]},{"name":"ERROR_NT_CROSS_ENCRYPTION_REQUIRED","features":[1]},{"name":"ERROR_NULL_LM_PASSWORD","features":[1]},{"name":"ERROR_OBJECT_ALREADY_EXISTS","features":[1]},{"name":"ERROR_OBJECT_IN_LIST","features":[1]},{"name":"ERROR_OBJECT_IS_IMMUTABLE","features":[1]},{"name":"ERROR_OBJECT_NAME_EXISTS","features":[1]},{"name":"ERROR_OBJECT_NOT_EXTERNALLY_BACKED","features":[1]},{"name":"ERROR_OBJECT_NOT_FOUND","features":[1]},{"name":"ERROR_OBJECT_NO_LONGER_EXISTS","features":[1]},{"name":"ERROR_OFFLOAD_READ_FILE_NOT_SUPPORTED","features":[1]},{"name":"ERROR_OFFLOAD_READ_FLT_NOT_SUPPORTED","features":[1]},{"name":"ERROR_OFFLOAD_WRITE_FILE_NOT_SUPPORTED","features":[1]},{"name":"ERROR_OFFLOAD_WRITE_FLT_NOT_SUPPORTED","features":[1]},{"name":"ERROR_OFFSET_ALIGNMENT_VIOLATION","features":[1]},{"name":"ERROR_OLD_WIN_VERSION","features":[1]},{"name":"ERROR_ONLY_IF_CONNECTED","features":[1]},{"name":"ERROR_ONLY_VALIDATE_VIA_AUTHENTICODE","features":[1]},{"name":"ERROR_OPEN_FAILED","features":[1]},{"name":"ERROR_OPEN_FILES","features":[1]},{"name":"ERROR_OPERATION_ABORTED","features":[1]},{"name":"ERROR_OPERATION_IN_PROGRESS","features":[1]},{"name":"ERROR_OPERATION_NOT_ALLOWED_FROM_SYSTEM_COMPONENT","features":[1]},{"name":"ERROR_OPERATION_NOT_SUPPORTED_IN_TRANSACTION","features":[1]},{"name":"ERROR_OPLOCK_BREAK_IN_PROGRESS","features":[1]},{"name":"ERROR_OPLOCK_HANDLE_CLOSED","features":[1]},{"name":"ERROR_OPLOCK_NOT_GRANTED","features":[1]},{"name":"ERROR_OPLOCK_SWITCHED_TO_NEW_HANDLE","features":[1]},{"name":"ERROR_ORPHAN_NAME_EXHAUSTED","features":[1]},{"name":"ERROR_OUTOFMEMORY","features":[1]},{"name":"ERROR_OUT_OF_PAPER","features":[1]},{"name":"ERROR_OUT_OF_STRUCTURES","features":[1]},{"name":"ERROR_OVERRIDE_NOCHANGES","features":[1]},{"name":"ERROR_PACKAGED_SERVICE_REQUIRES_ADMIN_PRIVILEGES","features":[1]},{"name":"ERROR_PACKAGES_IN_USE","features":[1]},{"name":"ERROR_PACKAGES_REPUTATION_CHECK_FAILED","features":[1]},{"name":"ERROR_PACKAGES_REPUTATION_CHECK_TIMEDOUT","features":[1]},{"name":"ERROR_PACKAGE_ALREADY_EXISTS","features":[1]},{"name":"ERROR_PACKAGE_EXTERNAL_LOCATION_NOT_ALLOWED","features":[1]},{"name":"ERROR_PACKAGE_LACKS_CAPABILITY_FOR_MANDATORY_STARTUPTASKS","features":[1]},{"name":"ERROR_PACKAGE_LACKS_CAPABILITY_TO_DEPLOY_ON_HOST","features":[1]},{"name":"ERROR_PACKAGE_MOVE_BLOCKED_BY_STREAMING","features":[1]},{"name":"ERROR_PACKAGE_MOVE_FAILED","features":[1]},{"name":"ERROR_PACKAGE_NAME_MISMATCH","features":[1]},{"name":"ERROR_PACKAGE_NOT_REGISTERED_FOR_USER","features":[1]},{"name":"ERROR_PACKAGE_NOT_SUPPORTED_ON_FILESYSTEM","features":[1]},{"name":"ERROR_PACKAGE_REPOSITORY_CORRUPTED","features":[1]},{"name":"ERROR_PACKAGE_STAGING_ONHOLD","features":[1]},{"name":"ERROR_PACKAGE_UPDATING","features":[1]},{"name":"ERROR_PAGED_SYSTEM_RESOURCES","features":[1]},{"name":"ERROR_PAGEFILE_CREATE_FAILED","features":[1]},{"name":"ERROR_PAGEFILE_NOT_SUPPORTED","features":[1]},{"name":"ERROR_PAGEFILE_QUOTA","features":[1]},{"name":"ERROR_PAGEFILE_QUOTA_EXCEEDED","features":[1]},{"name":"ERROR_PAGE_FAULT_COPY_ON_WRITE","features":[1]},{"name":"ERROR_PAGE_FAULT_DEMAND_ZERO","features":[1]},{"name":"ERROR_PAGE_FAULT_GUARD_PAGE","features":[1]},{"name":"ERROR_PAGE_FAULT_PAGING_FILE","features":[1]},{"name":"ERROR_PAGE_FAULT_TRANSITION","features":[1]},{"name":"ERROR_PARAMETER_QUOTA_EXCEEDED","features":[1]},{"name":"ERROR_PARTIAL_COPY","features":[1]},{"name":"ERROR_PARTITION_FAILURE","features":[1]},{"name":"ERROR_PARTITION_TERMINATING","features":[1]},{"name":"ERROR_PASSWORD_CHANGE_REQUIRED","features":[1]},{"name":"ERROR_PASSWORD_EXPIRED","features":[1]},{"name":"ERROR_PASSWORD_MUST_CHANGE","features":[1]},{"name":"ERROR_PASSWORD_RESTRICTION","features":[1]},{"name":"ERROR_PATCH_MANAGED_ADVERTISED_PRODUCT","features":[1]},{"name":"ERROR_PATCH_NO_SEQUENCE","features":[1]},{"name":"ERROR_PATCH_PACKAGE_INVALID","features":[1]},{"name":"ERROR_PATCH_PACKAGE_OPEN_FAILED","features":[1]},{"name":"ERROR_PATCH_PACKAGE_REJECTED","features":[1]},{"name":"ERROR_PATCH_PACKAGE_UNSUPPORTED","features":[1]},{"name":"ERROR_PATCH_REMOVAL_DISALLOWED","features":[1]},{"name":"ERROR_PATCH_REMOVAL_UNSUPPORTED","features":[1]},{"name":"ERROR_PATCH_TARGET_NOT_FOUND","features":[1]},{"name":"ERROR_PATH_BUSY","features":[1]},{"name":"ERROR_PATH_NOT_FOUND","features":[1]},{"name":"ERROR_PEER_REFUSED_AUTH","features":[1]},{"name":"ERROR_PER_USER_TRUST_QUOTA_EXCEEDED","features":[1]},{"name":"ERROR_PIPE_BUSY","features":[1]},{"name":"ERROR_PIPE_CONNECTED","features":[1]},{"name":"ERROR_PIPE_LISTENING","features":[1]},{"name":"ERROR_PIPE_LOCAL","features":[1]},{"name":"ERROR_PIPE_NOT_CONNECTED","features":[1]},{"name":"ERROR_PKINIT_FAILURE","features":[1]},{"name":"ERROR_PLATFORM_MANIFEST_BINARY_ID_NOT_FOUND","features":[1]},{"name":"ERROR_PLATFORM_MANIFEST_CATALOG_NOT_AUTHORIZED","features":[1]},{"name":"ERROR_PLATFORM_MANIFEST_FILE_NOT_AUTHORIZED","features":[1]},{"name":"ERROR_PLATFORM_MANIFEST_INVALID","features":[1]},{"name":"ERROR_PLATFORM_MANIFEST_NOT_ACTIVE","features":[1]},{"name":"ERROR_PLATFORM_MANIFEST_NOT_AUTHORIZED","features":[1]},{"name":"ERROR_PLATFORM_MANIFEST_NOT_SIGNED","features":[1]},{"name":"ERROR_PLUGPLAY_QUERY_VETOED","features":[1]},{"name":"ERROR_PNP_BAD_MPS_TABLE","features":[1]},{"name":"ERROR_PNP_INVALID_ID","features":[1]},{"name":"ERROR_PNP_IRQ_TRANSLATION_FAILED","features":[1]},{"name":"ERROR_PNP_QUERY_REMOVE_DEVICE_TIMEOUT","features":[1]},{"name":"ERROR_PNP_QUERY_REMOVE_RELATED_DEVICE_TIMEOUT","features":[1]},{"name":"ERROR_PNP_QUERY_REMOVE_UNRELATED_DEVICE_TIMEOUT","features":[1]},{"name":"ERROR_PNP_REBOOT_REQUIRED","features":[1]},{"name":"ERROR_PNP_REGISTRY_ERROR","features":[1]},{"name":"ERROR_PNP_RESTART_ENUMERATION","features":[1]},{"name":"ERROR_PNP_TRANSLATION_FAILED","features":[1]},{"name":"ERROR_POINT_NOT_FOUND","features":[1]},{"name":"ERROR_POLICY_CONTROLLED_ACCOUNT","features":[1]},{"name":"ERROR_POLICY_OBJECT_NOT_FOUND","features":[1]},{"name":"ERROR_POLICY_ONLY_IN_DS","features":[1]},{"name":"ERROR_POPUP_ALREADY_ACTIVE","features":[1]},{"name":"ERROR_PORT_LIMIT_REACHED","features":[1]},{"name":"ERROR_PORT_MESSAGE_TOO_LONG","features":[1]},{"name":"ERROR_PORT_NOT_SET","features":[1]},{"name":"ERROR_PORT_UNREACHABLE","features":[1]},{"name":"ERROR_POSSIBLE_DEADLOCK","features":[1]},{"name":"ERROR_POTENTIAL_FILE_FOUND","features":[1]},{"name":"ERROR_PPP_SESSION_TIMEOUT","features":[1]},{"name":"ERROR_PREDEFINED_HANDLE","features":[1]},{"name":"ERROR_PRIMARY_TRANSPORT_CONNECT_FAILED","features":[1]},{"name":"ERROR_PRINTER_ALREADY_EXISTS","features":[1]},{"name":"ERROR_PRINTER_DELETED","features":[1]},{"name":"ERROR_PRINTER_DRIVER_ALREADY_INSTALLED","features":[1]},{"name":"ERROR_PRINTER_DRIVER_BLOCKED","features":[1]},{"name":"ERROR_PRINTER_DRIVER_DOWNLOAD_NEEDED","features":[1]},{"name":"ERROR_PRINTER_DRIVER_IN_USE","features":[1]},{"name":"ERROR_PRINTER_DRIVER_PACKAGE_IN_USE","features":[1]},{"name":"ERROR_PRINTER_DRIVER_WARNED","features":[1]},{"name":"ERROR_PRINTER_HAS_JOBS_QUEUED","features":[1]},{"name":"ERROR_PRINTER_NOT_FOUND","features":[1]},{"name":"ERROR_PRINTER_NOT_SHAREABLE","features":[1]},{"name":"ERROR_PRINTQ_FULL","features":[1]},{"name":"ERROR_PRINT_CANCELLED","features":[1]},{"name":"ERROR_PRINT_JOB_RESTART_REQUIRED","features":[1]},{"name":"ERROR_PRINT_MONITOR_ALREADY_INSTALLED","features":[1]},{"name":"ERROR_PRINT_MONITOR_IN_USE","features":[1]},{"name":"ERROR_PRINT_PROCESSOR_ALREADY_INSTALLED","features":[1]},{"name":"ERROR_PRIVATE_DIALOG_INDEX","features":[1]},{"name":"ERROR_PRIVILEGE_NOT_HELD","features":[1]},{"name":"ERROR_PRI_MERGE_ADD_FILE_FAILED","features":[1]},{"name":"ERROR_PRI_MERGE_BUNDLE_PACKAGES_NOT_ALLOWED","features":[1]},{"name":"ERROR_PRI_MERGE_INVALID_FILE_NAME","features":[1]},{"name":"ERROR_PRI_MERGE_LOAD_FILE_FAILED","features":[1]},{"name":"ERROR_PRI_MERGE_MAIN_PACKAGE_REQUIRED","features":[1]},{"name":"ERROR_PRI_MERGE_MISSING_SCHEMA","features":[1]},{"name":"ERROR_PRI_MERGE_MULTIPLE_MAIN_PACKAGES_NOT_ALLOWED","features":[1]},{"name":"ERROR_PRI_MERGE_MULTIPLE_PACKAGE_FAMILIES_NOT_ALLOWED","features":[1]},{"name":"ERROR_PRI_MERGE_RESOURCE_PACKAGE_REQUIRED","features":[1]},{"name":"ERROR_PRI_MERGE_VERSION_MISMATCH","features":[1]},{"name":"ERROR_PRI_MERGE_WRITE_FILE_FAILED","features":[1]},{"name":"ERROR_PROCESS_ABORTED","features":[1]},{"name":"ERROR_PROCESS_IN_JOB","features":[1]},{"name":"ERROR_PROCESS_IS_PROTECTED","features":[1]},{"name":"ERROR_PROCESS_MODE_ALREADY_BACKGROUND","features":[1]},{"name":"ERROR_PROCESS_MODE_NOT_BACKGROUND","features":[1]},{"name":"ERROR_PROCESS_NOT_IN_JOB","features":[1]},{"name":"ERROR_PROC_NOT_FOUND","features":[1]},{"name":"ERROR_PRODUCT_UNINSTALLED","features":[1]},{"name":"ERROR_PRODUCT_VERSION","features":[1]},{"name":"ERROR_PROFILE_DOES_NOT_MATCH_DEVICE","features":[1]},{"name":"ERROR_PROFILE_NOT_ASSOCIATED_WITH_DEVICE","features":[1]},{"name":"ERROR_PROFILE_NOT_FOUND","features":[1]},{"name":"ERROR_PROFILING_AT_LIMIT","features":[1]},{"name":"ERROR_PROFILING_NOT_STARTED","features":[1]},{"name":"ERROR_PROFILING_NOT_STOPPED","features":[1]},{"name":"ERROR_PROMOTION_ACTIVE","features":[1]},{"name":"ERROR_PROTOCOL_ALREADY_INSTALLED","features":[1]},{"name":"ERROR_PROTOCOL_STOP_PENDING","features":[1]},{"name":"ERROR_PROTOCOL_UNREACHABLE","features":[1]},{"name":"ERROR_PROVISION_OPTIONAL_PACKAGE_REQUIRES_MAIN_PACKAGE_PROVISIONED","features":[1]},{"name":"ERROR_PWD_HISTORY_CONFLICT","features":[1]},{"name":"ERROR_PWD_TOO_LONG","features":[1]},{"name":"ERROR_PWD_TOO_RECENT","features":[1]},{"name":"ERROR_PWD_TOO_SHORT","features":[1]},{"name":"ERROR_QUERY_STORAGE_ERROR","features":[1]},{"name":"ERROR_QUIC_ALPN_NEG_FAILURE","features":[1]},{"name":"ERROR_QUIC_CONNECTION_IDLE","features":[1]},{"name":"ERROR_QUIC_CONNECTION_TIMEOUT","features":[1]},{"name":"ERROR_QUIC_HANDSHAKE_FAILURE","features":[1]},{"name":"ERROR_QUIC_INTERNAL_ERROR","features":[1]},{"name":"ERROR_QUIC_PROTOCOL_VIOLATION","features":[1]},{"name":"ERROR_QUIC_USER_CANCELED","features":[1]},{"name":"ERROR_QUIC_VER_NEG_FAILURE","features":[1]},{"name":"ERROR_QUORUMLOG_OPEN_FAILED","features":[1]},{"name":"ERROR_QUORUM_DISK_NOT_FOUND","features":[1]},{"name":"ERROR_QUORUM_NOT_ALLOWED_IN_THIS_GROUP","features":[1]},{"name":"ERROR_QUORUM_OWNER_ALIVE","features":[1]},{"name":"ERROR_QUORUM_RESOURCE","features":[1]},{"name":"ERROR_QUORUM_RESOURCE_ONLINE_FAILED","features":[1]},{"name":"ERROR_QUOTA_ACTIVITY","features":[1]},{"name":"ERROR_QUOTA_LIST_INCONSISTENT","features":[1]},{"name":"ERROR_RANGE_LIST_CONFLICT","features":[1]},{"name":"ERROR_RANGE_NOT_FOUND","features":[1]},{"name":"ERROR_RDP_PROTOCOL_ERROR","features":[1]},{"name":"ERROR_READ_FAULT","features":[1]},{"name":"ERROR_RECEIVE_EXPEDITED","features":[1]},{"name":"ERROR_RECEIVE_PARTIAL","features":[1]},{"name":"ERROR_RECEIVE_PARTIAL_EXPEDITED","features":[1]},{"name":"ERROR_RECOVERY_FAILURE","features":[1]},{"name":"ERROR_RECOVERY_FILE_CORRUPT","features":[1]},{"name":"ERROR_RECOVERY_NOT_NEEDED","features":[1]},{"name":"ERROR_REC_NON_EXISTENT","features":[1]},{"name":"ERROR_REDIRECTION_TO_DEFAULT_ACCOUNT_NOT_ALLOWED","features":[1]},{"name":"ERROR_REDIRECTOR_HAS_OPEN_HANDLES","features":[1]},{"name":"ERROR_REDIR_PAUSED","features":[1]},{"name":"ERROR_REGISTRATION_FROM_REMOTE_DRIVE_NOT_SUPPORTED","features":[1]},{"name":"ERROR_REGISTRY_CORRUPT","features":[1]},{"name":"ERROR_REGISTRY_HIVE_RECOVERED","features":[1]},{"name":"ERROR_REGISTRY_IO_FAILED","features":[1]},{"name":"ERROR_REGISTRY_QUOTA_LIMIT","features":[1]},{"name":"ERROR_REGISTRY_RECOVERED","features":[1]},{"name":"ERROR_REG_NAT_CONSUMPTION","features":[1]},{"name":"ERROR_RELOC_CHAIN_XEEDS_SEGLIM","features":[1]},{"name":"ERROR_REMOTEACCESS_NOT_CONFIGURED","features":[1]},{"name":"ERROR_REMOTE_ACCT_DISABLED","features":[1]},{"name":"ERROR_REMOTE_AUTHENTICATION_FAILURE","features":[1]},{"name":"ERROR_REMOTE_COMM_FAILURE","features":[1]},{"name":"ERROR_REMOTE_FILE_VERSION_MISMATCH","features":[1]},{"name":"ERROR_REMOTE_NO_DIALIN_PERMISSION","features":[1]},{"name":"ERROR_REMOTE_PASSWD_EXPIRED","features":[1]},{"name":"ERROR_REMOTE_PRINT_CONNECTIONS_BLOCKED","features":[1]},{"name":"ERROR_REMOTE_REQUEST_UNSUPPORTED","features":[1]},{"name":"ERROR_REMOTE_RESTRICTED_LOGON_HOURS","features":[1]},{"name":"ERROR_REMOTE_SESSION_LIMIT_EXCEEDED","features":[1]},{"name":"ERROR_REMOTE_STORAGE_MEDIA_ERROR","features":[1]},{"name":"ERROR_REMOTE_STORAGE_NOT_ACTIVE","features":[1]},{"name":"ERROR_REMOVE_FAILED","features":[1]},{"name":"ERROR_REM_NOT_LIST","features":[1]},{"name":"ERROR_REPARSE","features":[1]},{"name":"ERROR_REPARSE_ATTRIBUTE_CONFLICT","features":[1]},{"name":"ERROR_REPARSE_OBJECT","features":[1]},{"name":"ERROR_REPARSE_POINT_ENCOUNTERED","features":[1]},{"name":"ERROR_REPARSE_TAG_INVALID","features":[1]},{"name":"ERROR_REPARSE_TAG_MISMATCH","features":[1]},{"name":"ERROR_REPLY_MESSAGE_MISMATCH","features":[1]},{"name":"ERROR_REQUEST_ABORTED","features":[1]},{"name":"ERROR_REQUEST_OUT_OF_SEQUENCE","features":[1]},{"name":"ERROR_REQUEST_PAUSED","features":[1]},{"name":"ERROR_REQUEST_REFUSED","features":[1]},{"name":"ERROR_REQUIRES_INTERACTIVE_WINDOWSTATION","features":[1]},{"name":"ERROR_REQ_NOT_ACCEP","features":[1]},{"name":"ERROR_RESIDENT_FILE_NOT_SUPPORTED","features":[1]},{"name":"ERROR_RESILIENCY_FILE_CORRUPT","features":[1]},{"name":"ERROR_RESMON_CREATE_FAILED","features":[1]},{"name":"ERROR_RESMON_INVALID_STATE","features":[1]},{"name":"ERROR_RESMON_ONLINE_FAILED","features":[1]},{"name":"ERROR_RESMON_SYSTEM_RESOURCES_LACKING","features":[1]},{"name":"ERROR_RESOURCEMANAGER_NOT_FOUND","features":[1]},{"name":"ERROR_RESOURCEMANAGER_READ_ONLY","features":[1]},{"name":"ERROR_RESOURCE_CALL_TIMED_OUT","features":[1]},{"name":"ERROR_RESOURCE_DATA_NOT_FOUND","features":[1]},{"name":"ERROR_RESOURCE_DISABLED","features":[1]},{"name":"ERROR_RESOURCE_ENUM_USER_STOP","features":[1]},{"name":"ERROR_RESOURCE_FAILED","features":[1]},{"name":"ERROR_RESOURCE_LANG_NOT_FOUND","features":[1]},{"name":"ERROR_RESOURCE_NAME_NOT_FOUND","features":[1]},{"name":"ERROR_RESOURCE_NOT_AVAILABLE","features":[1]},{"name":"ERROR_RESOURCE_NOT_FOUND","features":[1]},{"name":"ERROR_RESOURCE_NOT_IN_AVAILABLE_STORAGE","features":[1]},{"name":"ERROR_RESOURCE_NOT_ONLINE","features":[1]},{"name":"ERROR_RESOURCE_NOT_PRESENT","features":[1]},{"name":"ERROR_RESOURCE_ONLINE","features":[1]},{"name":"ERROR_RESOURCE_PROPERTIES_STORED","features":[1]},{"name":"ERROR_RESOURCE_PROPERTY_UNCHANGEABLE","features":[1]},{"name":"ERROR_RESOURCE_REQUIREMENTS_CHANGED","features":[1]},{"name":"ERROR_RESOURCE_TYPE_NOT_FOUND","features":[1]},{"name":"ERROR_RESTART_APPLICATION","features":[1]},{"name":"ERROR_RESUME_HIBERNATION","features":[1]},{"name":"ERROR_RETRY","features":[1]},{"name":"ERROR_RETURN_ADDRESS_HIJACK_ATTEMPT","features":[1]},{"name":"ERROR_REVISION_MISMATCH","features":[1]},{"name":"ERROR_RING2SEG_MUST_BE_MOVABLE","features":[1]},{"name":"ERROR_RING2_STACK_IN_USE","features":[1]},{"name":"ERROR_RMODE_APP","features":[1]},{"name":"ERROR_RM_ALREADY_STARTED","features":[1]},{"name":"ERROR_RM_CANNOT_BE_FROZEN_FOR_SNAPSHOT","features":[1]},{"name":"ERROR_RM_DISCONNECTED","features":[1]},{"name":"ERROR_RM_METADATA_CORRUPT","features":[1]},{"name":"ERROR_RM_NOT_ACTIVE","features":[1]},{"name":"ERROR_ROLLBACK_TIMER_EXPIRED","features":[1]},{"name":"ERROR_ROUTER_CONFIG_INCOMPATIBLE","features":[1]},{"name":"ERROR_ROUTER_STOPPED","features":[1]},{"name":"ERROR_ROWSNOTRELEASED","features":[1]},{"name":"ERROR_RPL_NOT_ALLOWED","features":[1]},{"name":"ERROR_RUNLEVEL_SWITCH_AGENT_TIMEOUT","features":[1]},{"name":"ERROR_RUNLEVEL_SWITCH_IN_PROGRESS","features":[1]},{"name":"ERROR_RUNLEVEL_SWITCH_TIMEOUT","features":[1]},{"name":"ERROR_RWRAW_ENCRYPTED_FILE_NOT_ENCRYPTED","features":[1]},{"name":"ERROR_RWRAW_ENCRYPTED_INVALID_EDATAINFO_FILEOFFSET","features":[1]},{"name":"ERROR_RWRAW_ENCRYPTED_INVALID_EDATAINFO_FILERANGE","features":[1]},{"name":"ERROR_RWRAW_ENCRYPTED_INVALID_EDATAINFO_PARAMETER","features":[1]},{"name":"ERROR_RXACT_COMMITTED","features":[1]},{"name":"ERROR_RXACT_COMMIT_FAILURE","features":[1]},{"name":"ERROR_RXACT_COMMIT_NECESSARY","features":[1]},{"name":"ERROR_RXACT_INVALID_STATE","features":[1]},{"name":"ERROR_RXACT_STATE_CREATED","features":[1]},{"name":"ERROR_SAME_DRIVE","features":[1]},{"name":"ERROR_SAM_INIT_FAILURE","features":[1]},{"name":"ERROR_SCE_DISABLED","features":[1]},{"name":"ERROR_SCOPE_NOT_FOUND","features":[1]},{"name":"ERROR_SCREEN_ALREADY_LOCKED","features":[1]},{"name":"ERROR_SCRUB_DATA_DISABLED","features":[1]},{"name":"ERROR_SECCORE_INVALID_COMMAND","features":[1]},{"name":"ERROR_SECONDARY_IC_PROVIDER_NOT_REGISTERED","features":[1]},{"name":"ERROR_SECRET_TOO_LONG","features":[1]},{"name":"ERROR_SECTION_DIRECT_MAP_ONLY","features":[1]},{"name":"ERROR_SECTION_NAME_TOO_LONG","features":[1]},{"name":"ERROR_SECTION_NOT_FOUND","features":[1]},{"name":"ERROR_SECTOR_NOT_FOUND","features":[1]},{"name":"ERROR_SECUREBOOT_FILE_REPLACED","features":[1]},{"name":"ERROR_SECUREBOOT_INVALID_POLICY","features":[1]},{"name":"ERROR_SECUREBOOT_NOT_BASE_POLICY","features":[1]},{"name":"ERROR_SECUREBOOT_NOT_ENABLED","features":[1]},{"name":"ERROR_SECUREBOOT_NOT_SUPPLEMENTAL_POLICY","features":[1]},{"name":"ERROR_SECUREBOOT_PLATFORM_ID_MISMATCH","features":[1]},{"name":"ERROR_SECUREBOOT_POLICY_MISSING_ANTIROLLBACKVERSION","features":[1]},{"name":"ERROR_SECUREBOOT_POLICY_NOT_AUTHORIZED","features":[1]},{"name":"ERROR_SECUREBOOT_POLICY_NOT_SIGNED","features":[1]},{"name":"ERROR_SECUREBOOT_POLICY_PUBLISHER_NOT_FOUND","features":[1]},{"name":"ERROR_SECUREBOOT_POLICY_ROLLBACK_DETECTED","features":[1]},{"name":"ERROR_SECUREBOOT_POLICY_UNKNOWN","features":[1]},{"name":"ERROR_SECUREBOOT_POLICY_UPGRADE_MISMATCH","features":[1]},{"name":"ERROR_SECUREBOOT_POLICY_VIOLATION","features":[1]},{"name":"ERROR_SECUREBOOT_REQUIRED_POLICY_FILE_MISSING","features":[1]},{"name":"ERROR_SECUREBOOT_ROLLBACK_DETECTED","features":[1]},{"name":"ERROR_SECURITY_DENIES_OPERATION","features":[1]},{"name":"ERROR_SECURITY_STREAM_IS_INCONSISTENT","features":[1]},{"name":"ERROR_SEEK","features":[1]},{"name":"ERROR_SEEK_ON_DEVICE","features":[1]},{"name":"ERROR_SEGMENT_NOTIFICATION","features":[1]},{"name":"ERROR_SEM_IS_SET","features":[1]},{"name":"ERROR_SEM_NOT_FOUND","features":[1]},{"name":"ERROR_SEM_OWNER_DIED","features":[1]},{"name":"ERROR_SEM_TIMEOUT","features":[1]},{"name":"ERROR_SEM_USER_LIMIT","features":[1]},{"name":"ERROR_SERIAL_NO_DEVICE","features":[1]},{"name":"ERROR_SERVER_DISABLED","features":[1]},{"name":"ERROR_SERVER_HAS_OPEN_HANDLES","features":[1]},{"name":"ERROR_SERVER_NOT_DISABLED","features":[1]},{"name":"ERROR_SERVER_SERVICE_CALL_REQUIRES_SMB1","features":[1]},{"name":"ERROR_SERVER_SHUTDOWN_IN_PROGRESS","features":[1]},{"name":"ERROR_SERVER_SID_MISMATCH","features":[1]},{"name":"ERROR_SERVER_TRANSPORT_CONFLICT","features":[1]},{"name":"ERROR_SERVICES_FAILED_AUTOSTART","features":[1]},{"name":"ERROR_SERVICE_ALREADY_RUNNING","features":[1]},{"name":"ERROR_SERVICE_CANNOT_ACCEPT_CTRL","features":[1]},{"name":"ERROR_SERVICE_DATABASE_LOCKED","features":[1]},{"name":"ERROR_SERVICE_DEPENDENCY_DELETED","features":[1]},{"name":"ERROR_SERVICE_DEPENDENCY_FAIL","features":[1]},{"name":"ERROR_SERVICE_DISABLED","features":[1]},{"name":"ERROR_SERVICE_DOES_NOT_EXIST","features":[1]},{"name":"ERROR_SERVICE_EXISTS","features":[1]},{"name":"ERROR_SERVICE_EXISTS_AS_NON_PACKAGED_SERVICE","features":[1]},{"name":"ERROR_SERVICE_IS_PAUSED","features":[1]},{"name":"ERROR_SERVICE_LOGON_FAILED","features":[1]},{"name":"ERROR_SERVICE_MARKED_FOR_DELETE","features":[1]},{"name":"ERROR_SERVICE_NEVER_STARTED","features":[1]},{"name":"ERROR_SERVICE_NOTIFICATION","features":[1]},{"name":"ERROR_SERVICE_NOTIFY_CLIENT_LAGGING","features":[1]},{"name":"ERROR_SERVICE_NOT_ACTIVE","features":[1]},{"name":"ERROR_SERVICE_NOT_FOUND","features":[1]},{"name":"ERROR_SERVICE_NOT_IN_EXE","features":[1]},{"name":"ERROR_SERVICE_NO_THREAD","features":[1]},{"name":"ERROR_SERVICE_REQUEST_TIMEOUT","features":[1]},{"name":"ERROR_SERVICE_SPECIFIC_ERROR","features":[1]},{"name":"ERROR_SERVICE_START_HANG","features":[1]},{"name":"ERROR_SESSION_CREDENTIAL_CONFLICT","features":[1]},{"name":"ERROR_SESSION_KEY_TOO_SHORT","features":[1]},{"name":"ERROR_SETCOUNT_ON_BAD_LB","features":[1]},{"name":"ERROR_SETMARK_DETECTED","features":[1]},{"name":"ERROR_SET_CONTEXT_DENIED","features":[1]},{"name":"ERROR_SET_NOT_FOUND","features":[1]},{"name":"ERROR_SET_POWER_STATE_FAILED","features":[1]},{"name":"ERROR_SET_POWER_STATE_VETOED","features":[1]},{"name":"ERROR_SET_SYSTEM_RESTORE_POINT","features":[1]},{"name":"ERROR_SHARED_POLICY","features":[1]},{"name":"ERROR_SHARING_BUFFER_EXCEEDED","features":[1]},{"name":"ERROR_SHARING_PAUSED","features":[1]},{"name":"ERROR_SHARING_VIOLATION","features":[1]},{"name":"ERROR_SHORT_NAMES_NOT_ENABLED_ON_VOLUME","features":[1]},{"name":"ERROR_SHUTDOWN_CLUSTER","features":[1]},{"name":"ERROR_SHUTDOWN_DISKS_NOT_IN_MAINTENANCE_MODE","features":[1]},{"name":"ERROR_SHUTDOWN_IN_PROGRESS","features":[1]},{"name":"ERROR_SHUTDOWN_IS_SCHEDULED","features":[1]},{"name":"ERROR_SHUTDOWN_USERS_LOGGED_ON","features":[1]},{"name":"ERROR_SIGNAL_PENDING","features":[1]},{"name":"ERROR_SIGNAL_REFUSED","features":[1]},{"name":"ERROR_SIGNATURE_OSATTRIBUTE_MISMATCH","features":[1]},{"name":"ERROR_SIGNED_PACKAGE_INVALID_PUBLISHER_NAMESPACE","features":[1]},{"name":"ERROR_SINGLETON_RESOURCE_INSTALLED_IN_ACTIVE_USER","features":[1]},{"name":"ERROR_SINGLE_INSTANCE_APP","features":[1]},{"name":"ERROR_SMARTCARD_SUBSYSTEM_FAILURE","features":[1]},{"name":"ERROR_SMB1_NOT_AVAILABLE","features":[1]},{"name":"ERROR_SMB_BAD_CLUSTER_DIALECT","features":[1]},{"name":"ERROR_SMB_GUEST_LOGON_BLOCKED","features":[1]},{"name":"ERROR_SMB_NO_PREAUTH_INTEGRITY_HASH_OVERLAP","features":[1]},{"name":"ERROR_SMB_NO_SIGNING_ALGORITHM_OVERLAP","features":[1]},{"name":"ERROR_SMI_PRIMITIVE_INSTALLER_FAILED","features":[1]},{"name":"ERROR_SMR_GARBAGE_COLLECTION_REQUIRED","features":[1]},{"name":"ERROR_SOME_NOT_MAPPED","features":[1]},{"name":"ERROR_SOURCE_ELEMENT_EMPTY","features":[1]},{"name":"ERROR_SPACES_ALLOCATION_SIZE_INVALID","features":[1]},{"name":"ERROR_SPACES_CACHE_FULL","features":[1]},{"name":"ERROR_SPACES_CORRUPT_METADATA","features":[1]},{"name":"ERROR_SPACES_DRIVE_LOST_DATA","features":[1]},{"name":"ERROR_SPACES_DRIVE_NOT_READY","features":[1]},{"name":"ERROR_SPACES_DRIVE_OPERATIONAL_STATE_INVALID","features":[1]},{"name":"ERROR_SPACES_DRIVE_REDUNDANCY_INVALID","features":[1]},{"name":"ERROR_SPACES_DRIVE_SECTOR_SIZE_INVALID","features":[1]},{"name":"ERROR_SPACES_DRIVE_SPLIT","features":[1]},{"name":"ERROR_SPACES_DRT_FULL","features":[1]},{"name":"ERROR_SPACES_ENCLOSURE_AWARE_INVALID","features":[1]},{"name":"ERROR_SPACES_ENTRY_INCOMPLETE","features":[1]},{"name":"ERROR_SPACES_ENTRY_INVALID","features":[1]},{"name":"ERROR_SPACES_EXTENDED_ERROR","features":[1]},{"name":"ERROR_SPACES_FAULT_DOMAIN_TYPE_INVALID","features":[1]},{"name":"ERROR_SPACES_FLUSH_METADATA","features":[1]},{"name":"ERROR_SPACES_INCONSISTENCY","features":[1]},{"name":"ERROR_SPACES_INTERLEAVE_LENGTH_INVALID","features":[1]},{"name":"ERROR_SPACES_INTERNAL_ERROR","features":[1]},{"name":"ERROR_SPACES_LOG_NOT_READY","features":[1]},{"name":"ERROR_SPACES_MAP_REQUIRED","features":[1]},{"name":"ERROR_SPACES_MARK_DIRTY","features":[1]},{"name":"ERROR_SPACES_NOT_ENOUGH_DRIVES","features":[1]},{"name":"ERROR_SPACES_NO_REDUNDANCY","features":[1]},{"name":"ERROR_SPACES_NUMBER_OF_COLUMNS_INVALID","features":[1]},{"name":"ERROR_SPACES_NUMBER_OF_DATA_COPIES_INVALID","features":[1]},{"name":"ERROR_SPACES_NUMBER_OF_GROUPS_INVALID","features":[1]},{"name":"ERROR_SPACES_PARITY_LAYOUT_INVALID","features":[1]},{"name":"ERROR_SPACES_POOL_WAS_DELETED","features":[1]},{"name":"ERROR_SPACES_PROVISIONING_TYPE_INVALID","features":[1]},{"name":"ERROR_SPACES_REPAIR_IN_PROGRESS","features":[1]},{"name":"ERROR_SPACES_RESILIENCY_TYPE_INVALID","features":[1]},{"name":"ERROR_SPACES_UNSUPPORTED_VERSION","features":[1]},{"name":"ERROR_SPACES_UPDATE_COLUMN_STATE","features":[1]},{"name":"ERROR_SPACES_WRITE_CACHE_SIZE_INVALID","features":[1]},{"name":"ERROR_SPARSE_FILE_NOT_SUPPORTED","features":[1]},{"name":"ERROR_SPARSE_NOT_ALLOWED_IN_TRANSACTION","features":[1]},{"name":"ERROR_SPECIAL_ACCOUNT","features":[1]},{"name":"ERROR_SPECIAL_GROUP","features":[1]},{"name":"ERROR_SPECIAL_USER","features":[1]},{"name":"ERROR_SPL_NO_ADDJOB","features":[1]},{"name":"ERROR_SPL_NO_STARTDOC","features":[1]},{"name":"ERROR_SPOOL_FILE_NOT_FOUND","features":[1]},{"name":"ERROR_SRC_SRV_DLL_LOAD_FAILED","features":[1]},{"name":"ERROR_STACK_BUFFER_OVERRUN","features":[1]},{"name":"ERROR_STACK_OVERFLOW","features":[1]},{"name":"ERROR_STACK_OVERFLOW_READ","features":[1]},{"name":"ERROR_STAGEFROMUPDATEAGENT_PACKAGE_NOT_APPLICABLE","features":[1]},{"name":"ERROR_STATE_COMPOSITE_SETTING_VALUE_SIZE_LIMIT_EXCEEDED","features":[1]},{"name":"ERROR_STATE_CONTAINER_NAME_SIZE_LIMIT_EXCEEDED","features":[1]},{"name":"ERROR_STATE_CREATE_CONTAINER_FAILED","features":[1]},{"name":"ERROR_STATE_DELETE_CONTAINER_FAILED","features":[1]},{"name":"ERROR_STATE_DELETE_SETTING_FAILED","features":[1]},{"name":"ERROR_STATE_ENUMERATE_CONTAINER_FAILED","features":[1]},{"name":"ERROR_STATE_ENUMERATE_SETTINGS_FAILED","features":[1]},{"name":"ERROR_STATE_GET_VERSION_FAILED","features":[1]},{"name":"ERROR_STATE_LOAD_STORE_FAILED","features":[1]},{"name":"ERROR_STATE_OPEN_CONTAINER_FAILED","features":[1]},{"name":"ERROR_STATE_QUERY_SETTING_FAILED","features":[1]},{"name":"ERROR_STATE_READ_COMPOSITE_SETTING_FAILED","features":[1]},{"name":"ERROR_STATE_READ_SETTING_FAILED","features":[1]},{"name":"ERROR_STATE_SETTING_NAME_SIZE_LIMIT_EXCEEDED","features":[1]},{"name":"ERROR_STATE_SETTING_VALUE_SIZE_LIMIT_EXCEEDED","features":[1]},{"name":"ERROR_STATE_SET_VERSION_FAILED","features":[1]},{"name":"ERROR_STATE_STRUCTURED_RESET_FAILED","features":[1]},{"name":"ERROR_STATE_WRITE_COMPOSITE_SETTING_FAILED","features":[1]},{"name":"ERROR_STATE_WRITE_SETTING_FAILED","features":[1]},{"name":"ERROR_STATIC_INIT","features":[1]},{"name":"ERROR_STOPPED_ON_SYMLINK","features":[1]},{"name":"ERROR_STORAGE_LOST_DATA_PERSISTENCE","features":[1]},{"name":"ERROR_STORAGE_RESERVE_ALREADY_EXISTS","features":[1]},{"name":"ERROR_STORAGE_RESERVE_DOES_NOT_EXIST","features":[1]},{"name":"ERROR_STORAGE_RESERVE_ID_INVALID","features":[1]},{"name":"ERROR_STORAGE_RESERVE_NOT_EMPTY","features":[1]},{"name":"ERROR_STORAGE_STACK_ACCESS_DENIED","features":[1]},{"name":"ERROR_STORAGE_TOPOLOGY_ID_MISMATCH","features":[1]},{"name":"ERROR_STREAM_MINIVERSION_NOT_FOUND","features":[1]},{"name":"ERROR_STREAM_MINIVERSION_NOT_VALID","features":[1]},{"name":"ERROR_STRICT_CFG_VIOLATION","features":[1]},{"name":"ERROR_SUBST_TO_JOIN","features":[1]},{"name":"ERROR_SUBST_TO_SUBST","features":[1]},{"name":"ERROR_SUCCESS","features":[1]},{"name":"ERROR_SUCCESS_REBOOT_INITIATED","features":[1]},{"name":"ERROR_SUCCESS_REBOOT_REQUIRED","features":[1]},{"name":"ERROR_SUCCESS_RESTART_REQUIRED","features":[1]},{"name":"ERROR_SVHDX_ERROR_NOT_AVAILABLE","features":[1]},{"name":"ERROR_SVHDX_ERROR_STORED","features":[1]},{"name":"ERROR_SVHDX_NO_INITIATOR","features":[1]},{"name":"ERROR_SVHDX_RESERVATION_CONFLICT","features":[1]},{"name":"ERROR_SVHDX_UNIT_ATTENTION_AVAILABLE","features":[1]},{"name":"ERROR_SVHDX_UNIT_ATTENTION_CAPACITY_DATA_CHANGED","features":[1]},{"name":"ERROR_SVHDX_UNIT_ATTENTION_OPERATING_DEFINITION_CHANGED","features":[1]},{"name":"ERROR_SVHDX_UNIT_ATTENTION_REGISTRATIONS_PREEMPTED","features":[1]},{"name":"ERROR_SVHDX_UNIT_ATTENTION_RESERVATIONS_PREEMPTED","features":[1]},{"name":"ERROR_SVHDX_UNIT_ATTENTION_RESERVATIONS_RELEASED","features":[1]},{"name":"ERROR_SVHDX_VERSION_MISMATCH","features":[1]},{"name":"ERROR_SVHDX_WRONG_FILE_TYPE","features":[1]},{"name":"ERROR_SWAPERROR","features":[1]},{"name":"ERROR_SXS_ACTIVATION_CONTEXT_DISABLED","features":[1]},{"name":"ERROR_SXS_ASSEMBLY_IS_NOT_A_DEPLOYMENT","features":[1]},{"name":"ERROR_SXS_ASSEMBLY_MISSING","features":[1]},{"name":"ERROR_SXS_ASSEMBLY_NOT_FOUND","features":[1]},{"name":"ERROR_SXS_ASSEMBLY_NOT_LOCKED","features":[1]},{"name":"ERROR_SXS_CANT_GEN_ACTCTX","features":[1]},{"name":"ERROR_SXS_COMPONENT_STORE_CORRUPT","features":[1]},{"name":"ERROR_SXS_CORRUPTION","features":[1]},{"name":"ERROR_SXS_CORRUPT_ACTIVATION_STACK","features":[1]},{"name":"ERROR_SXS_DUPLICATE_ACTIVATABLE_CLASS","features":[1]},{"name":"ERROR_SXS_DUPLICATE_ASSEMBLY_NAME","features":[1]},{"name":"ERROR_SXS_DUPLICATE_CLSID","features":[1]},{"name":"ERROR_SXS_DUPLICATE_DLL_NAME","features":[1]},{"name":"ERROR_SXS_DUPLICATE_IID","features":[1]},{"name":"ERROR_SXS_DUPLICATE_PROGID","features":[1]},{"name":"ERROR_SXS_DUPLICATE_TLBID","features":[1]},{"name":"ERROR_SXS_DUPLICATE_WINDOWCLASS_NAME","features":[1]},{"name":"ERROR_SXS_EARLY_DEACTIVATION","features":[1]},{"name":"ERROR_SXS_FILE_HASH_MISMATCH","features":[1]},{"name":"ERROR_SXS_FILE_HASH_MISSING","features":[1]},{"name":"ERROR_SXS_FILE_NOT_PART_OF_ASSEMBLY","features":[1]},{"name":"ERROR_SXS_IDENTITIES_DIFFERENT","features":[1]},{"name":"ERROR_SXS_IDENTITY_DUPLICATE_ATTRIBUTE","features":[1]},{"name":"ERROR_SXS_IDENTITY_PARSE_ERROR","features":[1]},{"name":"ERROR_SXS_INCORRECT_PUBLIC_KEY_TOKEN","features":[1]},{"name":"ERROR_SXS_INVALID_ACTCTXDATA_FORMAT","features":[1]},{"name":"ERROR_SXS_INVALID_ASSEMBLY_IDENTITY_ATTRIBUTE","features":[1]},{"name":"ERROR_SXS_INVALID_ASSEMBLY_IDENTITY_ATTRIBUTE_NAME","features":[1]},{"name":"ERROR_SXS_INVALID_DEACTIVATION","features":[1]},{"name":"ERROR_SXS_INVALID_IDENTITY_ATTRIBUTE_NAME","features":[1]},{"name":"ERROR_SXS_INVALID_IDENTITY_ATTRIBUTE_VALUE","features":[1]},{"name":"ERROR_SXS_INVALID_XML_NAMESPACE_URI","features":[1]},{"name":"ERROR_SXS_KEY_NOT_FOUND","features":[1]},{"name":"ERROR_SXS_LEAF_MANIFEST_DEPENDENCY_NOT_INSTALLED","features":[1]},{"name":"ERROR_SXS_MANIFEST_FORMAT_ERROR","features":[1]},{"name":"ERROR_SXS_MANIFEST_IDENTITY_SAME_BUT_CONTENTS_DIFFERENT","features":[1]},{"name":"ERROR_SXS_MANIFEST_INVALID_REQUIRED_DEFAULT_NAMESPACE","features":[1]},{"name":"ERROR_SXS_MANIFEST_MISSING_REQUIRED_DEFAULT_NAMESPACE","features":[1]},{"name":"ERROR_SXS_MANIFEST_PARSE_ERROR","features":[1]},{"name":"ERROR_SXS_MANIFEST_TOO_BIG","features":[1]},{"name":"ERROR_SXS_MISSING_ASSEMBLY_IDENTITY_ATTRIBUTE","features":[1]},{"name":"ERROR_SXS_MULTIPLE_DEACTIVATION","features":[1]},{"name":"ERROR_SXS_POLICY_PARSE_ERROR","features":[1]},{"name":"ERROR_SXS_PRIVATE_MANIFEST_CROSS_PATH_WITH_REPARSE_POINT","features":[1]},{"name":"ERROR_SXS_PROCESS_DEFAULT_ALREADY_SET","features":[1]},{"name":"ERROR_SXS_PROCESS_TERMINATION_REQUESTED","features":[1]},{"name":"ERROR_SXS_PROTECTION_CATALOG_FILE_MISSING","features":[1]},{"name":"ERROR_SXS_PROTECTION_CATALOG_NOT_VALID","features":[1]},{"name":"ERROR_SXS_PROTECTION_PUBLIC_KEY_TOO_SHORT","features":[1]},{"name":"ERROR_SXS_PROTECTION_RECOVERY_FAILED","features":[1]},{"name":"ERROR_SXS_RELEASE_ACTIVATION_CONTEXT","features":[1]},{"name":"ERROR_SXS_ROOT_MANIFEST_DEPENDENCY_NOT_INSTALLED","features":[1]},{"name":"ERROR_SXS_SECTION_NOT_FOUND","features":[1]},{"name":"ERROR_SXS_SETTING_NOT_REGISTERED","features":[1]},{"name":"ERROR_SXS_SYSTEM_DEFAULT_ACTIVATION_CONTEXT_EMPTY","features":[1]},{"name":"ERROR_SXS_THREAD_QUERIES_DISABLED","features":[1]},{"name":"ERROR_SXS_TRANSACTION_CLOSURE_INCOMPLETE","features":[1]},{"name":"ERROR_SXS_UNKNOWN_ENCODING","features":[1]},{"name":"ERROR_SXS_UNKNOWN_ENCODING_GROUP","features":[1]},{"name":"ERROR_SXS_UNTRANSLATABLE_HRESULT","features":[1]},{"name":"ERROR_SXS_VERSION_CONFLICT","features":[1]},{"name":"ERROR_SXS_WRONG_SECTION_TYPE","features":[1]},{"name":"ERROR_SXS_XML_E_BADCHARDATA","features":[1]},{"name":"ERROR_SXS_XML_E_BADCHARINSTRING","features":[1]},{"name":"ERROR_SXS_XML_E_BADNAMECHAR","features":[1]},{"name":"ERROR_SXS_XML_E_BADPEREFINSUBSET","features":[1]},{"name":"ERROR_SXS_XML_E_BADSTARTNAMECHAR","features":[1]},{"name":"ERROR_SXS_XML_E_BADXMLCASE","features":[1]},{"name":"ERROR_SXS_XML_E_BADXMLDECL","features":[1]},{"name":"ERROR_SXS_XML_E_COMMENTSYNTAX","features":[1]},{"name":"ERROR_SXS_XML_E_DUPLICATEATTRIBUTE","features":[1]},{"name":"ERROR_SXS_XML_E_EXPECTINGCLOSEQUOTE","features":[1]},{"name":"ERROR_SXS_XML_E_EXPECTINGTAGEND","features":[1]},{"name":"ERROR_SXS_XML_E_INCOMPLETE_ENCODING","features":[1]},{"name":"ERROR_SXS_XML_E_INTERNALERROR","features":[1]},{"name":"ERROR_SXS_XML_E_INVALIDATROOTLEVEL","features":[1]},{"name":"ERROR_SXS_XML_E_INVALIDENCODING","features":[1]},{"name":"ERROR_SXS_XML_E_INVALIDSWITCH","features":[1]},{"name":"ERROR_SXS_XML_E_INVALID_DECIMAL","features":[1]},{"name":"ERROR_SXS_XML_E_INVALID_HEXIDECIMAL","features":[1]},{"name":"ERROR_SXS_XML_E_INVALID_STANDALONE","features":[1]},{"name":"ERROR_SXS_XML_E_INVALID_UNICODE","features":[1]},{"name":"ERROR_SXS_XML_E_INVALID_VERSION","features":[1]},{"name":"ERROR_SXS_XML_E_MISSINGEQUALS","features":[1]},{"name":"ERROR_SXS_XML_E_MISSINGQUOTE","features":[1]},{"name":"ERROR_SXS_XML_E_MISSINGROOT","features":[1]},{"name":"ERROR_SXS_XML_E_MISSINGSEMICOLON","features":[1]},{"name":"ERROR_SXS_XML_E_MISSINGWHITESPACE","features":[1]},{"name":"ERROR_SXS_XML_E_MISSING_PAREN","features":[1]},{"name":"ERROR_SXS_XML_E_MULTIPLEROOTS","features":[1]},{"name":"ERROR_SXS_XML_E_MULTIPLE_COLONS","features":[1]},{"name":"ERROR_SXS_XML_E_RESERVEDNAMESPACE","features":[1]},{"name":"ERROR_SXS_XML_E_UNBALANCEDPAREN","features":[1]},{"name":"ERROR_SXS_XML_E_UNCLOSEDCDATA","features":[1]},{"name":"ERROR_SXS_XML_E_UNCLOSEDCOMMENT","features":[1]},{"name":"ERROR_SXS_XML_E_UNCLOSEDDECL","features":[1]},{"name":"ERROR_SXS_XML_E_UNCLOSEDENDTAG","features":[1]},{"name":"ERROR_SXS_XML_E_UNCLOSEDSTARTTAG","features":[1]},{"name":"ERROR_SXS_XML_E_UNCLOSEDSTRING","features":[1]},{"name":"ERROR_SXS_XML_E_UNCLOSEDTAG","features":[1]},{"name":"ERROR_SXS_XML_E_UNEXPECTEDENDTAG","features":[1]},{"name":"ERROR_SXS_XML_E_UNEXPECTEDEOF","features":[1]},{"name":"ERROR_SXS_XML_E_UNEXPECTED_STANDALONE","features":[1]},{"name":"ERROR_SXS_XML_E_UNEXPECTED_WHITESPACE","features":[1]},{"name":"ERROR_SXS_XML_E_WHITESPACEORQUESTIONMARK","features":[1]},{"name":"ERROR_SXS_XML_E_XMLDECLSYNTAX","features":[1]},{"name":"ERROR_SYMLINK_CLASS_DISABLED","features":[1]},{"name":"ERROR_SYMLINK_NOT_SUPPORTED","features":[1]},{"name":"ERROR_SYNCHRONIZATION_REQUIRED","features":[1]},{"name":"ERROR_SYNC_FOREGROUND_REFRESH_REQUIRED","features":[1]},{"name":"ERROR_SYSTEM_DEVICE_NOT_FOUND","features":[1]},{"name":"ERROR_SYSTEM_HIVE_TOO_LARGE","features":[1]},{"name":"ERROR_SYSTEM_IMAGE_BAD_SIGNATURE","features":[1]},{"name":"ERROR_SYSTEM_INTEGRITY_INVALID_POLICY","features":[1]},{"name":"ERROR_SYSTEM_INTEGRITY_POLICY_NOT_SIGNED","features":[1]},{"name":"ERROR_SYSTEM_INTEGRITY_POLICY_VIOLATION","features":[1]},{"name":"ERROR_SYSTEM_INTEGRITY_REPUTATION_DANGEROUS_EXT","features":[1]},{"name":"ERROR_SYSTEM_INTEGRITY_REPUTATION_EXPLICIT_DENY_FILE","features":[1]},{"name":"ERROR_SYSTEM_INTEGRITY_REPUTATION_MALICIOUS","features":[1]},{"name":"ERROR_SYSTEM_INTEGRITY_REPUTATION_OFFLINE","features":[1]},{"name":"ERROR_SYSTEM_INTEGRITY_REPUTATION_PUA","features":[1]},{"name":"ERROR_SYSTEM_INTEGRITY_REPUTATION_UNATTAINABLE","features":[1]},{"name":"ERROR_SYSTEM_INTEGRITY_REPUTATION_UNFRIENDLY_FILE","features":[1]},{"name":"ERROR_SYSTEM_INTEGRITY_ROLLBACK_DETECTED","features":[1]},{"name":"ERROR_SYSTEM_INTEGRITY_SUPPLEMENTAL_POLICY_NOT_AUTHORIZED","features":[1]},{"name":"ERROR_SYSTEM_INTEGRITY_TOO_MANY_POLICIES","features":[1]},{"name":"ERROR_SYSTEM_NEEDS_REMEDIATION","features":[1]},{"name":"ERROR_SYSTEM_POWERSTATE_COMPLEX_TRANSITION","features":[1]},{"name":"ERROR_SYSTEM_POWERSTATE_TRANSITION","features":[1]},{"name":"ERROR_SYSTEM_PROCESS_TERMINATED","features":[1]},{"name":"ERROR_SYSTEM_SHUTDOWN","features":[1]},{"name":"ERROR_SYSTEM_TRACE","features":[1]},{"name":"ERROR_TAG_NOT_FOUND","features":[1]},{"name":"ERROR_TAG_NOT_PRESENT","features":[1]},{"name":"ERROR_THREAD_1_INACTIVE","features":[1]},{"name":"ERROR_THREAD_ALREADY_IN_TASK","features":[1]},{"name":"ERROR_THREAD_MODE_ALREADY_BACKGROUND","features":[1]},{"name":"ERROR_THREAD_MODE_NOT_BACKGROUND","features":[1]},{"name":"ERROR_THREAD_NOT_IN_PROCESS","features":[1]},{"name":"ERROR_THREAD_WAS_SUSPENDED","features":[1]},{"name":"ERROR_TIERING_ALREADY_PROCESSING","features":[1]},{"name":"ERROR_TIERING_CANNOT_PIN_OBJECT","features":[1]},{"name":"ERROR_TIERING_FILE_IS_NOT_PINNED","features":[1]},{"name":"ERROR_TIERING_INVALID_FILE_ID","features":[1]},{"name":"ERROR_TIERING_NOT_SUPPORTED_ON_VOLUME","features":[1]},{"name":"ERROR_TIERING_STORAGE_TIER_NOT_FOUND","features":[1]},{"name":"ERROR_TIERING_VOLUME_DISMOUNT_IN_PROGRESS","features":[1]},{"name":"ERROR_TIERING_WRONG_CLUSTER_NODE","features":[1]},{"name":"ERROR_TIMEOUT","features":[1]},{"name":"ERROR_TIMER_NOT_CANCELED","features":[1]},{"name":"ERROR_TIMER_RESOLUTION_NOT_SET","features":[1]},{"name":"ERROR_TIMER_RESUME_IGNORED","features":[1]},{"name":"ERROR_TIME_SENSITIVE_THREAD","features":[1]},{"name":"ERROR_TIME_SKEW","features":[1]},{"name":"ERROR_TLW_WITH_WSCHILD","features":[1]},{"name":"ERROR_TM_IDENTITY_MISMATCH","features":[1]},{"name":"ERROR_TM_INITIALIZATION_FAILED","features":[1]},{"name":"ERROR_TM_VOLATILE","features":[1]},{"name":"ERROR_TOKEN_ALREADY_IN_USE","features":[1]},{"name":"ERROR_TOO_MANY_CMDS","features":[1]},{"name":"ERROR_TOO_MANY_CONTEXT_IDS","features":[1]},{"name":"ERROR_TOO_MANY_DESCRIPTORS","features":[1]},{"name":"ERROR_TOO_MANY_LINKS","features":[1]},{"name":"ERROR_TOO_MANY_LUIDS_REQUESTED","features":[1]},{"name":"ERROR_TOO_MANY_MODULES","features":[1]},{"name":"ERROR_TOO_MANY_MUXWAITERS","features":[1]},{"name":"ERROR_TOO_MANY_NAMES","features":[1]},{"name":"ERROR_TOO_MANY_OPEN_FILES","features":[1]},{"name":"ERROR_TOO_MANY_POSTS","features":[1]},{"name":"ERROR_TOO_MANY_SECRETS","features":[1]},{"name":"ERROR_TOO_MANY_SEMAPHORES","features":[1]},{"name":"ERROR_TOO_MANY_SEM_REQUESTS","features":[1]},{"name":"ERROR_TOO_MANY_SESS","features":[1]},{"name":"ERROR_TOO_MANY_SIDS","features":[1]},{"name":"ERROR_TOO_MANY_TCBS","features":[1]},{"name":"ERROR_TOO_MANY_THREADS","features":[1]},{"name":"ERROR_TRANSACTED_MAPPING_UNSUPPORTED_REMOTE","features":[1]},{"name":"ERROR_TRANSACTIONAL_CONFLICT","features":[1]},{"name":"ERROR_TRANSACTIONAL_OPEN_NOT_ALLOWED","features":[1]},{"name":"ERROR_TRANSACTIONMANAGER_IDENTITY_MISMATCH","features":[1]},{"name":"ERROR_TRANSACTIONMANAGER_NOT_FOUND","features":[1]},{"name":"ERROR_TRANSACTIONMANAGER_NOT_ONLINE","features":[1]},{"name":"ERROR_TRANSACTIONMANAGER_RECOVERY_NAME_COLLISION","features":[1]},{"name":"ERROR_TRANSACTIONS_NOT_FROZEN","features":[1]},{"name":"ERROR_TRANSACTIONS_UNSUPPORTED_REMOTE","features":[1]},{"name":"ERROR_TRANSACTION_ALREADY_ABORTED","features":[1]},{"name":"ERROR_TRANSACTION_ALREADY_COMMITTED","features":[1]},{"name":"ERROR_TRANSACTION_FREEZE_IN_PROGRESS","features":[1]},{"name":"ERROR_TRANSACTION_INTEGRITY_VIOLATED","features":[1]},{"name":"ERROR_TRANSACTION_INVALID_MARSHALL_BUFFER","features":[1]},{"name":"ERROR_TRANSACTION_MUST_WRITETHROUGH","features":[1]},{"name":"ERROR_TRANSACTION_NOT_ACTIVE","features":[1]},{"name":"ERROR_TRANSACTION_NOT_ENLISTED","features":[1]},{"name":"ERROR_TRANSACTION_NOT_FOUND","features":[1]},{"name":"ERROR_TRANSACTION_NOT_JOINED","features":[1]},{"name":"ERROR_TRANSACTION_NOT_REQUESTED","features":[1]},{"name":"ERROR_TRANSACTION_NOT_ROOT","features":[1]},{"name":"ERROR_TRANSACTION_NO_SUPERIOR","features":[1]},{"name":"ERROR_TRANSACTION_OBJECT_EXPIRED","features":[1]},{"name":"ERROR_TRANSACTION_PROPAGATION_FAILED","features":[1]},{"name":"ERROR_TRANSACTION_RECORD_TOO_LONG","features":[1]},{"name":"ERROR_TRANSACTION_REQUEST_NOT_VALID","features":[1]},{"name":"ERROR_TRANSACTION_REQUIRED_PROMOTION","features":[1]},{"name":"ERROR_TRANSACTION_RESPONSE_NOT_ENLISTED","features":[1]},{"name":"ERROR_TRANSACTION_SCOPE_CALLBACKS_NOT_SET","features":[1]},{"name":"ERROR_TRANSACTION_SUPERIOR_EXISTS","features":[1]},{"name":"ERROR_TRANSFORM_NOT_SUPPORTED","features":[1]},{"name":"ERROR_TRANSLATION_COMPLETE","features":[1]},{"name":"ERROR_TRANSPORT_FULL","features":[1]},{"name":"ERROR_TRUSTED_DOMAIN_FAILURE","features":[1]},{"name":"ERROR_TRUSTED_RELATIONSHIP_FAILURE","features":[1]},{"name":"ERROR_TRUST_FAILURE","features":[1]},{"name":"ERROR_TS_INCOMPATIBLE_SESSIONS","features":[1]},{"name":"ERROR_TS_VIDEO_SUBSYSTEM_ERROR","features":[1]},{"name":"ERROR_TXF_ATTRIBUTE_CORRUPT","features":[1]},{"name":"ERROR_TXF_DIR_NOT_EMPTY","features":[1]},{"name":"ERROR_TXF_METADATA_ALREADY_PRESENT","features":[1]},{"name":"ERROR_UNABLE_TO_CLEAN","features":[1]},{"name":"ERROR_UNABLE_TO_EJECT_MOUNTED_MEDIA","features":[1]},{"name":"ERROR_UNABLE_TO_INVENTORY_DRIVE","features":[1]},{"name":"ERROR_UNABLE_TO_INVENTORY_SLOT","features":[1]},{"name":"ERROR_UNABLE_TO_INVENTORY_TRANSPORT","features":[1]},{"name":"ERROR_UNABLE_TO_LOAD_MEDIUM","features":[1]},{"name":"ERROR_UNABLE_TO_LOCK_MEDIA","features":[1]},{"name":"ERROR_UNABLE_TO_MOVE_REPLACEMENT","features":[1]},{"name":"ERROR_UNABLE_TO_MOVE_REPLACEMENT_2","features":[1]},{"name":"ERROR_UNABLE_TO_REMOVE_REPLACED","features":[1]},{"name":"ERROR_UNABLE_TO_UNLOAD_MEDIA","features":[1]},{"name":"ERROR_UNDEFINED_CHARACTER","features":[1]},{"name":"ERROR_UNDEFINED_SCOPE","features":[1]},{"name":"ERROR_UNEXPECTED_MM_CREATE_ERR","features":[1]},{"name":"ERROR_UNEXPECTED_MM_EXTEND_ERR","features":[1]},{"name":"ERROR_UNEXPECTED_MM_MAP_ERROR","features":[1]},{"name":"ERROR_UNEXPECTED_NTCACHEMANAGER_ERROR","features":[1]},{"name":"ERROR_UNEXPECTED_OMID","features":[1]},{"name":"ERROR_UNEXP_NET_ERR","features":[1]},{"name":"ERROR_UNHANDLED_EXCEPTION","features":[1]},{"name":"ERROR_UNIDENTIFIED_ERROR","features":[1]},{"name":"ERROR_UNKNOWN_COMPONENT","features":[1]},{"name":"ERROR_UNKNOWN_EXCEPTION","features":[1]},{"name":"ERROR_UNKNOWN_FEATURE","features":[1]},{"name":"ERROR_UNKNOWN_PATCH","features":[1]},{"name":"ERROR_UNKNOWN_PORT","features":[1]},{"name":"ERROR_UNKNOWN_PRINTER_DRIVER","features":[1]},{"name":"ERROR_UNKNOWN_PRINTPROCESSOR","features":[1]},{"name":"ERROR_UNKNOWN_PRINT_MONITOR","features":[1]},{"name":"ERROR_UNKNOWN_PRODUCT","features":[1]},{"name":"ERROR_UNKNOWN_PROPERTY","features":[1]},{"name":"ERROR_UNKNOWN_PROTOCOL_ID","features":[1]},{"name":"ERROR_UNKNOWN_REVISION","features":[1]},{"name":"ERROR_UNMAPPED_SUBSTITUTION_STRING","features":[1]},{"name":"ERROR_UNRECOGNIZED_MEDIA","features":[1]},{"name":"ERROR_UNRECOGNIZED_VOLUME","features":[1]},{"name":"ERROR_UNRECOVERABLE_STACK_OVERFLOW","features":[1]},{"name":"ERROR_UNSATISFIED_DEPENDENCIES","features":[1]},{"name":"ERROR_UNSIGNED_PACKAGE_INVALID_CONTENT","features":[1]},{"name":"ERROR_UNSIGNED_PACKAGE_INVALID_PUBLISHER_NAMESPACE","features":[1]},{"name":"ERROR_UNSUPPORTED_COMPRESSION","features":[1]},{"name":"ERROR_UNSUPPORTED_TYPE","features":[1]},{"name":"ERROR_UNTRUSTED_MOUNT_POINT","features":[1]},{"name":"ERROR_UNWIND","features":[1]},{"name":"ERROR_UNWIND_CONSOLIDATE","features":[1]},{"name":"ERROR_UPDATE_IN_PROGRESS","features":[1]},{"name":"ERROR_USER_APC","features":[1]},{"name":"ERROR_USER_DELETE_TRUST_QUOTA_EXCEEDED","features":[1]},{"name":"ERROR_USER_EXISTS","features":[1]},{"name":"ERROR_USER_LIMIT","features":[1]},{"name":"ERROR_USER_MAPPED_FILE","features":[1]},{"name":"ERROR_USER_PROFILE_LOAD","features":[1]},{"name":"ERROR_VALIDATE_CONTINUE","features":[1]},{"name":"ERROR_VC_DISCONNECTED","features":[1]},{"name":"ERROR_VDM_DISALLOWED","features":[1]},{"name":"ERROR_VDM_HARD_ERROR","features":[1]},{"name":"ERROR_VERIFIER_STOP","features":[1]},{"name":"ERROR_VERSION_PARSE_ERROR","features":[1]},{"name":"ERROR_VHDSET_BACKING_STORAGE_NOT_FOUND","features":[1]},{"name":"ERROR_VHD_ALREADY_AT_OR_BELOW_MINIMUM_VIRTUAL_SIZE","features":[1]},{"name":"ERROR_VHD_BITMAP_MISMATCH","features":[1]},{"name":"ERROR_VHD_BLOCK_ALLOCATION_FAILURE","features":[1]},{"name":"ERROR_VHD_BLOCK_ALLOCATION_TABLE_CORRUPT","features":[1]},{"name":"ERROR_VHD_CHANGE_TRACKING_DISABLED","features":[1]},{"name":"ERROR_VHD_CHILD_PARENT_ID_MISMATCH","features":[1]},{"name":"ERROR_VHD_CHILD_PARENT_SIZE_MISMATCH","features":[1]},{"name":"ERROR_VHD_CHILD_PARENT_TIMESTAMP_MISMATCH","features":[1]},{"name":"ERROR_VHD_COULD_NOT_COMPUTE_MINIMUM_VIRTUAL_SIZE","features":[1]},{"name":"ERROR_VHD_DIFFERENCING_CHAIN_CYCLE_DETECTED","features":[1]},{"name":"ERROR_VHD_DIFFERENCING_CHAIN_ERROR_IN_PARENT","features":[1]},{"name":"ERROR_VHD_DRIVE_FOOTER_CHECKSUM_MISMATCH","features":[1]},{"name":"ERROR_VHD_DRIVE_FOOTER_CORRUPT","features":[1]},{"name":"ERROR_VHD_DRIVE_FOOTER_MISSING","features":[1]},{"name":"ERROR_VHD_FORMAT_UNKNOWN","features":[1]},{"name":"ERROR_VHD_FORMAT_UNSUPPORTED_VERSION","features":[1]},{"name":"ERROR_VHD_INVALID_BLOCK_SIZE","features":[1]},{"name":"ERROR_VHD_INVALID_CHANGE_TRACKING_ID","features":[1]},{"name":"ERROR_VHD_INVALID_FILE_SIZE","features":[1]},{"name":"ERROR_VHD_INVALID_SIZE","features":[1]},{"name":"ERROR_VHD_INVALID_STATE","features":[1]},{"name":"ERROR_VHD_INVALID_TYPE","features":[1]},{"name":"ERROR_VHD_METADATA_FULL","features":[1]},{"name":"ERROR_VHD_METADATA_READ_FAILURE","features":[1]},{"name":"ERROR_VHD_METADATA_WRITE_FAILURE","features":[1]},{"name":"ERROR_VHD_MISSING_CHANGE_TRACKING_INFORMATION","features":[1]},{"name":"ERROR_VHD_PARENT_VHD_ACCESS_DENIED","features":[1]},{"name":"ERROR_VHD_PARENT_VHD_NOT_FOUND","features":[1]},{"name":"ERROR_VHD_RESIZE_WOULD_TRUNCATE_DATA","features":[1]},{"name":"ERROR_VHD_SHARED","features":[1]},{"name":"ERROR_VHD_SPARSE_HEADER_CHECKSUM_MISMATCH","features":[1]},{"name":"ERROR_VHD_SPARSE_HEADER_CORRUPT","features":[1]},{"name":"ERROR_VHD_SPARSE_HEADER_UNSUPPORTED_VERSION","features":[1]},{"name":"ERROR_VHD_UNEXPECTED_ID","features":[1]},{"name":"ERROR_VID_CHILD_GPA_PAGE_SET_CORRUPTED","features":[1]},{"name":"ERROR_VID_DUPLICATE_HANDLER","features":[1]},{"name":"ERROR_VID_EXCEEDED_KM_CONTEXT_COUNT_LIMIT","features":[1]},{"name":"ERROR_VID_EXCEEDED_MBP_ENTRY_MAP_LIMIT","features":[1]},{"name":"ERROR_VID_HANDLER_NOT_PRESENT","features":[1]},{"name":"ERROR_VID_INSUFFICIENT_RESOURCES_HV_DEPOSIT","features":[1]},{"name":"ERROR_VID_INSUFFICIENT_RESOURCES_PHYSICAL_BUFFER","features":[1]},{"name":"ERROR_VID_INSUFFICIENT_RESOURCES_RESERVE","features":[1]},{"name":"ERROR_VID_INSUFFICIENT_RESOURCES_WITHDRAW","features":[1]},{"name":"ERROR_VID_INVALID_CHILD_GPA_PAGE_SET","features":[1]},{"name":"ERROR_VID_INVALID_GPA_RANGE_HANDLE","features":[1]},{"name":"ERROR_VID_INVALID_MEMORY_BLOCK_HANDLE","features":[1]},{"name":"ERROR_VID_INVALID_MESSAGE_QUEUE_HANDLE","features":[1]},{"name":"ERROR_VID_INVALID_NUMA_NODE_INDEX","features":[1]},{"name":"ERROR_VID_INVALID_NUMA_SETTINGS","features":[1]},{"name":"ERROR_VID_INVALID_OBJECT_NAME","features":[1]},{"name":"ERROR_VID_INVALID_PPM_HANDLE","features":[1]},{"name":"ERROR_VID_INVALID_PROCESSOR_STATE","features":[1]},{"name":"ERROR_VID_KM_INTERFACE_ALREADY_INITIALIZED","features":[1]},{"name":"ERROR_VID_MBPS_ARE_LOCKED","features":[1]},{"name":"ERROR_VID_MBP_ALREADY_LOCKED_USING_RESERVED_PAGE","features":[1]},{"name":"ERROR_VID_MBP_COUNT_EXCEEDED_LIMIT","features":[1]},{"name":"ERROR_VID_MB_PROPERTY_ALREADY_SET_RESET","features":[1]},{"name":"ERROR_VID_MB_STILL_REFERENCED","features":[1]},{"name":"ERROR_VID_MEMORY_BLOCK_LOCK_COUNT_EXCEEDED","features":[1]},{"name":"ERROR_VID_MEMORY_TYPE_NOT_SUPPORTED","features":[1]},{"name":"ERROR_VID_MESSAGE_QUEUE_ALREADY_EXISTS","features":[1]},{"name":"ERROR_VID_MESSAGE_QUEUE_CLOSED","features":[1]},{"name":"ERROR_VID_MESSAGE_QUEUE_NAME_TOO_LONG","features":[1]},{"name":"ERROR_VID_MMIO_RANGE_DESTROYED","features":[1]},{"name":"ERROR_VID_NOTIFICATION_QUEUE_ALREADY_ASSOCIATED","features":[1]},{"name":"ERROR_VID_NO_MEMORY_BLOCK_NOTIFICATION_QUEUE","features":[1]},{"name":"ERROR_VID_PAGE_RANGE_OVERFLOW","features":[1]},{"name":"ERROR_VID_PARTITION_ALREADY_EXISTS","features":[1]},{"name":"ERROR_VID_PARTITION_DOES_NOT_EXIST","features":[1]},{"name":"ERROR_VID_PARTITION_NAME_NOT_FOUND","features":[1]},{"name":"ERROR_VID_PARTITION_NAME_TOO_LONG","features":[1]},{"name":"ERROR_VID_PROCESS_ALREADY_SET","features":[1]},{"name":"ERROR_VID_QUEUE_FULL","features":[1]},{"name":"ERROR_VID_REMOTE_NODE_PARENT_GPA_PAGES_USED","features":[1]},{"name":"ERROR_VID_RESERVE_PAGE_SET_IS_BEING_USED","features":[1]},{"name":"ERROR_VID_RESERVE_PAGE_SET_TOO_SMALL","features":[1]},{"name":"ERROR_VID_SAVED_STATE_CORRUPT","features":[1]},{"name":"ERROR_VID_SAVED_STATE_INCOMPATIBLE","features":[1]},{"name":"ERROR_VID_SAVED_STATE_UNRECOGNIZED_ITEM","features":[1]},{"name":"ERROR_VID_STOP_PENDING","features":[1]},{"name":"ERROR_VID_TOO_MANY_HANDLERS","features":[1]},{"name":"ERROR_VID_VIRTUAL_PROCESSOR_LIMIT_EXCEEDED","features":[1]},{"name":"ERROR_VID_VTL_ACCESS_DENIED","features":[1]},{"name":"ERROR_VIRTDISK_DISK_ALREADY_OWNED","features":[1]},{"name":"ERROR_VIRTDISK_DISK_ONLINE_AND_WRITABLE","features":[1]},{"name":"ERROR_VIRTDISK_NOT_VIRTUAL_DISK","features":[1]},{"name":"ERROR_VIRTDISK_PROVIDER_NOT_FOUND","features":[1]},{"name":"ERROR_VIRTDISK_UNSUPPORTED_DISK_SECTOR_SIZE","features":[1]},{"name":"ERROR_VIRTUAL_DISK_LIMITATION","features":[1]},{"name":"ERROR_VIRUS_DELETED","features":[1]},{"name":"ERROR_VIRUS_INFECTED","features":[1]},{"name":"ERROR_VMCOMPUTE_CONNECTION_CLOSED","features":[1]},{"name":"ERROR_VMCOMPUTE_CONNECT_FAILED","features":[1]},{"name":"ERROR_VMCOMPUTE_HYPERV_NOT_INSTALLED","features":[1]},{"name":"ERROR_VMCOMPUTE_IMAGE_MISMATCH","features":[1]},{"name":"ERROR_VMCOMPUTE_INVALID_JSON","features":[1]},{"name":"ERROR_VMCOMPUTE_INVALID_LAYER","features":[1]},{"name":"ERROR_VMCOMPUTE_INVALID_STATE","features":[1]},{"name":"ERROR_VMCOMPUTE_OPERATION_PENDING","features":[1]},{"name":"ERROR_VMCOMPUTE_PROTOCOL_ERROR","features":[1]},{"name":"ERROR_VMCOMPUTE_SYSTEM_ALREADY_EXISTS","features":[1]},{"name":"ERROR_VMCOMPUTE_SYSTEM_ALREADY_STOPPED","features":[1]},{"name":"ERROR_VMCOMPUTE_SYSTEM_NOT_FOUND","features":[1]},{"name":"ERROR_VMCOMPUTE_TERMINATED","features":[1]},{"name":"ERROR_VMCOMPUTE_TERMINATED_DURING_START","features":[1]},{"name":"ERROR_VMCOMPUTE_TIMEOUT","features":[1]},{"name":"ERROR_VMCOMPUTE_TOO_MANY_NOTIFICATIONS","features":[1]},{"name":"ERROR_VMCOMPUTE_UNEXPECTED_EXIT","features":[1]},{"name":"ERROR_VMCOMPUTE_UNKNOWN_MESSAGE","features":[1]},{"name":"ERROR_VMCOMPUTE_UNSUPPORTED_PROTOCOL_VERSION","features":[1]},{"name":"ERROR_VMCOMPUTE_WINDOWS_INSIDER_REQUIRED","features":[1]},{"name":"ERROR_VNET_VIRTUAL_SWITCH_NAME_NOT_FOUND","features":[1]},{"name":"ERROR_VOLMGR_ALL_DISKS_FAILED","features":[1]},{"name":"ERROR_VOLMGR_BAD_BOOT_DISK","features":[1]},{"name":"ERROR_VOLMGR_DATABASE_FULL","features":[1]},{"name":"ERROR_VOLMGR_DIFFERENT_SECTOR_SIZE","features":[1]},{"name":"ERROR_VOLMGR_DISK_CONFIGURATION_CORRUPTED","features":[1]},{"name":"ERROR_VOLMGR_DISK_CONFIGURATION_NOT_IN_SYNC","features":[1]},{"name":"ERROR_VOLMGR_DISK_CONTAINS_NON_SIMPLE_VOLUME","features":[1]},{"name":"ERROR_VOLMGR_DISK_DUPLICATE","features":[1]},{"name":"ERROR_VOLMGR_DISK_DYNAMIC","features":[1]},{"name":"ERROR_VOLMGR_DISK_ID_INVALID","features":[1]},{"name":"ERROR_VOLMGR_DISK_INVALID","features":[1]},{"name":"ERROR_VOLMGR_DISK_LAST_VOTER","features":[1]},{"name":"ERROR_VOLMGR_DISK_LAYOUT_INVALID","features":[1]},{"name":"ERROR_VOLMGR_DISK_LAYOUT_NON_BASIC_BETWEEN_BASIC_PARTITIONS","features":[1]},{"name":"ERROR_VOLMGR_DISK_LAYOUT_NOT_CYLINDER_ALIGNED","features":[1]},{"name":"ERROR_VOLMGR_DISK_LAYOUT_PARTITIONS_TOO_SMALL","features":[1]},{"name":"ERROR_VOLMGR_DISK_LAYOUT_PRIMARY_BETWEEN_LOGICAL_PARTITIONS","features":[1]},{"name":"ERROR_VOLMGR_DISK_LAYOUT_TOO_MANY_PARTITIONS","features":[1]},{"name":"ERROR_VOLMGR_DISK_MISSING","features":[1]},{"name":"ERROR_VOLMGR_DISK_NOT_EMPTY","features":[1]},{"name":"ERROR_VOLMGR_DISK_NOT_ENOUGH_SPACE","features":[1]},{"name":"ERROR_VOLMGR_DISK_REVECTORING_FAILED","features":[1]},{"name":"ERROR_VOLMGR_DISK_SECTOR_SIZE_INVALID","features":[1]},{"name":"ERROR_VOLMGR_DISK_SET_NOT_CONTAINED","features":[1]},{"name":"ERROR_VOLMGR_DISK_USED_BY_MULTIPLE_MEMBERS","features":[1]},{"name":"ERROR_VOLMGR_DISK_USED_BY_MULTIPLE_PLEXES","features":[1]},{"name":"ERROR_VOLMGR_DYNAMIC_DISK_NOT_SUPPORTED","features":[1]},{"name":"ERROR_VOLMGR_EXTENT_ALREADY_USED","features":[1]},{"name":"ERROR_VOLMGR_EXTENT_NOT_CONTIGUOUS","features":[1]},{"name":"ERROR_VOLMGR_EXTENT_NOT_IN_PUBLIC_REGION","features":[1]},{"name":"ERROR_VOLMGR_EXTENT_NOT_SECTOR_ALIGNED","features":[1]},{"name":"ERROR_VOLMGR_EXTENT_OVERLAPS_EBR_PARTITION","features":[1]},{"name":"ERROR_VOLMGR_EXTENT_VOLUME_LENGTHS_DO_NOT_MATCH","features":[1]},{"name":"ERROR_VOLMGR_FAULT_TOLERANT_NOT_SUPPORTED","features":[1]},{"name":"ERROR_VOLMGR_INCOMPLETE_DISK_MIGRATION","features":[1]},{"name":"ERROR_VOLMGR_INCOMPLETE_REGENERATION","features":[1]},{"name":"ERROR_VOLMGR_INTERLEAVE_LENGTH_INVALID","features":[1]},{"name":"ERROR_VOLMGR_MAXIMUM_REGISTERED_USERS","features":[1]},{"name":"ERROR_VOLMGR_MEMBER_INDEX_DUPLICATE","features":[1]},{"name":"ERROR_VOLMGR_MEMBER_INDEX_INVALID","features":[1]},{"name":"ERROR_VOLMGR_MEMBER_IN_SYNC","features":[1]},{"name":"ERROR_VOLMGR_MEMBER_MISSING","features":[1]},{"name":"ERROR_VOLMGR_MEMBER_NOT_DETACHED","features":[1]},{"name":"ERROR_VOLMGR_MEMBER_REGENERATING","features":[1]},{"name":"ERROR_VOLMGR_MIRROR_NOT_SUPPORTED","features":[1]},{"name":"ERROR_VOLMGR_NOTIFICATION_RESET","features":[1]},{"name":"ERROR_VOLMGR_NOT_PRIMARY_PACK","features":[1]},{"name":"ERROR_VOLMGR_NO_REGISTERED_USERS","features":[1]},{"name":"ERROR_VOLMGR_NO_SUCH_USER","features":[1]},{"name":"ERROR_VOLMGR_NO_VALID_LOG_COPIES","features":[1]},{"name":"ERROR_VOLMGR_NUMBER_OF_DISKS_INVALID","features":[1]},{"name":"ERROR_VOLMGR_NUMBER_OF_DISKS_IN_MEMBER_INVALID","features":[1]},{"name":"ERROR_VOLMGR_NUMBER_OF_DISKS_IN_PLEX_INVALID","features":[1]},{"name":"ERROR_VOLMGR_NUMBER_OF_EXTENTS_INVALID","features":[1]},{"name":"ERROR_VOLMGR_NUMBER_OF_MEMBERS_INVALID","features":[1]},{"name":"ERROR_VOLMGR_NUMBER_OF_PLEXES_INVALID","features":[1]},{"name":"ERROR_VOLMGR_PACK_CONFIG_OFFLINE","features":[1]},{"name":"ERROR_VOLMGR_PACK_CONFIG_ONLINE","features":[1]},{"name":"ERROR_VOLMGR_PACK_CONFIG_UPDATE_FAILED","features":[1]},{"name":"ERROR_VOLMGR_PACK_DUPLICATE","features":[1]},{"name":"ERROR_VOLMGR_PACK_HAS_QUORUM","features":[1]},{"name":"ERROR_VOLMGR_PACK_ID_INVALID","features":[1]},{"name":"ERROR_VOLMGR_PACK_INVALID","features":[1]},{"name":"ERROR_VOLMGR_PACK_LOG_UPDATE_FAILED","features":[1]},{"name":"ERROR_VOLMGR_PACK_NAME_INVALID","features":[1]},{"name":"ERROR_VOLMGR_PACK_OFFLINE","features":[1]},{"name":"ERROR_VOLMGR_PACK_WITHOUT_QUORUM","features":[1]},{"name":"ERROR_VOLMGR_PARTITION_STYLE_INVALID","features":[1]},{"name":"ERROR_VOLMGR_PARTITION_UPDATE_FAILED","features":[1]},{"name":"ERROR_VOLMGR_PLEX_INDEX_DUPLICATE","features":[1]},{"name":"ERROR_VOLMGR_PLEX_INDEX_INVALID","features":[1]},{"name":"ERROR_VOLMGR_PLEX_IN_SYNC","features":[1]},{"name":"ERROR_VOLMGR_PLEX_LAST_ACTIVE","features":[1]},{"name":"ERROR_VOLMGR_PLEX_MISSING","features":[1]},{"name":"ERROR_VOLMGR_PLEX_NOT_RAID5","features":[1]},{"name":"ERROR_VOLMGR_PLEX_NOT_SIMPLE","features":[1]},{"name":"ERROR_VOLMGR_PLEX_NOT_SIMPLE_SPANNED","features":[1]},{"name":"ERROR_VOLMGR_PLEX_REGENERATING","features":[1]},{"name":"ERROR_VOLMGR_PLEX_TYPE_INVALID","features":[1]},{"name":"ERROR_VOLMGR_PRIMARY_PACK_PRESENT","features":[1]},{"name":"ERROR_VOLMGR_RAID5_NOT_SUPPORTED","features":[1]},{"name":"ERROR_VOLMGR_STRUCTURE_SIZE_INVALID","features":[1]},{"name":"ERROR_VOLMGR_TOO_MANY_NOTIFICATION_REQUESTS","features":[1]},{"name":"ERROR_VOLMGR_TRANSACTION_IN_PROGRESS","features":[1]},{"name":"ERROR_VOLMGR_UNEXPECTED_DISK_LAYOUT_CHANGE","features":[1]},{"name":"ERROR_VOLMGR_VOLUME_CONTAINS_MISSING_DISK","features":[1]},{"name":"ERROR_VOLMGR_VOLUME_ID_INVALID","features":[1]},{"name":"ERROR_VOLMGR_VOLUME_LENGTH_INVALID","features":[1]},{"name":"ERROR_VOLMGR_VOLUME_LENGTH_NOT_SECTOR_SIZE_MULTIPLE","features":[1]},{"name":"ERROR_VOLMGR_VOLUME_MIRRORED","features":[1]},{"name":"ERROR_VOLMGR_VOLUME_NOT_MIRRORED","features":[1]},{"name":"ERROR_VOLMGR_VOLUME_NOT_RETAINED","features":[1]},{"name":"ERROR_VOLMGR_VOLUME_OFFLINE","features":[1]},{"name":"ERROR_VOLMGR_VOLUME_RETAINED","features":[1]},{"name":"ERROR_VOLSNAP_ACTIVATION_TIMEOUT","features":[1]},{"name":"ERROR_VOLSNAP_BOOTFILE_NOT_VALID","features":[1]},{"name":"ERROR_VOLSNAP_HIBERNATE_READY","features":[1]},{"name":"ERROR_VOLSNAP_NO_BYPASSIO_WITH_SNAPSHOT","features":[1]},{"name":"ERROR_VOLSNAP_PREPARE_HIBERNATE","features":[1]},{"name":"ERROR_VOLUME_CONTAINS_SYS_FILES","features":[1]},{"name":"ERROR_VOLUME_DIRTY","features":[1]},{"name":"ERROR_VOLUME_MOUNTED","features":[1]},{"name":"ERROR_VOLUME_NOT_CLUSTER_ALIGNED","features":[1]},{"name":"ERROR_VOLUME_NOT_SIS_ENABLED","features":[1]},{"name":"ERROR_VOLUME_NOT_SUPPORTED","features":[1]},{"name":"ERROR_VOLUME_NOT_SUPPORT_EFS","features":[1]},{"name":"ERROR_VOLUME_UPGRADE_DISABLED","features":[1]},{"name":"ERROR_VOLUME_UPGRADE_DISABLED_TILL_OS_DOWNGRADE_EXPIRED","features":[1]},{"name":"ERROR_VOLUME_UPGRADE_NOT_NEEDED","features":[1]},{"name":"ERROR_VOLUME_UPGRADE_PENDING","features":[1]},{"name":"ERROR_VOLUME_WRITE_ACCESS_DENIED","features":[1]},{"name":"ERROR_VRF_VOLATILE_CFG_AND_IO_ENABLED","features":[1]},{"name":"ERROR_VRF_VOLATILE_NMI_REGISTERED","features":[1]},{"name":"ERROR_VRF_VOLATILE_NOT_RUNNABLE_SYSTEM","features":[1]},{"name":"ERROR_VRF_VOLATILE_NOT_STOPPABLE","features":[1]},{"name":"ERROR_VRF_VOLATILE_NOT_SUPPORTED_RULECLASS","features":[1]},{"name":"ERROR_VRF_VOLATILE_PROTECTED_DRIVER","features":[1]},{"name":"ERROR_VRF_VOLATILE_SAFE_MODE","features":[1]},{"name":"ERROR_VRF_VOLATILE_SETTINGS_CONFLICT","features":[1]},{"name":"ERROR_VSMB_SAVED_STATE_CORRUPT","features":[1]},{"name":"ERROR_VSMB_SAVED_STATE_FILE_NOT_FOUND","features":[1]},{"name":"ERROR_VSM_DMA_PROTECTION_NOT_IN_USE","features":[1]},{"name":"ERROR_VSM_NOT_INITIALIZED","features":[1]},{"name":"ERROR_WAIT_1","features":[1]},{"name":"ERROR_WAIT_2","features":[1]},{"name":"ERROR_WAIT_3","features":[1]},{"name":"ERROR_WAIT_63","features":[1]},{"name":"ERROR_WAIT_FOR_OPLOCK","features":[1]},{"name":"ERROR_WAIT_NO_CHILDREN","features":[1]},{"name":"ERROR_WAKE_SYSTEM","features":[1]},{"name":"ERROR_WAKE_SYSTEM_DEBUGGER","features":[1]},{"name":"ERROR_WAS_LOCKED","features":[1]},{"name":"ERROR_WAS_UNLOCKED","features":[1]},{"name":"ERROR_WEAK_WHFBKEY_BLOCKED","features":[1]},{"name":"ERROR_WINDOW_NOT_COMBOBOX","features":[1]},{"name":"ERROR_WINDOW_NOT_DIALOG","features":[1]},{"name":"ERROR_WINDOW_OF_OTHER_THREAD","features":[1]},{"name":"ERROR_WINS_INTERNAL","features":[1]},{"name":"ERROR_WIP_ENCRYPTION_FAILED","features":[1]},{"name":"ERROR_WMI_ALREADY_DISABLED","features":[1]},{"name":"ERROR_WMI_ALREADY_ENABLED","features":[1]},{"name":"ERROR_WMI_DP_FAILED","features":[1]},{"name":"ERROR_WMI_DP_NOT_FOUND","features":[1]},{"name":"ERROR_WMI_GUID_DISCONNECTED","features":[1]},{"name":"ERROR_WMI_GUID_NOT_FOUND","features":[1]},{"name":"ERROR_WMI_INSTANCE_NOT_FOUND","features":[1]},{"name":"ERROR_WMI_INVALID_MOF","features":[1]},{"name":"ERROR_WMI_INVALID_REGINFO","features":[1]},{"name":"ERROR_WMI_ITEMID_NOT_FOUND","features":[1]},{"name":"ERROR_WMI_READ_ONLY","features":[1]},{"name":"ERROR_WMI_SERVER_UNAVAILABLE","features":[1]},{"name":"ERROR_WMI_SET_FAILURE","features":[1]},{"name":"ERROR_WMI_TRY_AGAIN","features":[1]},{"name":"ERROR_WMI_UNRESOLVED_INSTANCE_REF","features":[1]},{"name":"ERROR_WOF_FILE_RESOURCE_TABLE_CORRUPT","features":[1]},{"name":"ERROR_WOF_WIM_HEADER_CORRUPT","features":[1]},{"name":"ERROR_WOF_WIM_RESOURCE_TABLE_CORRUPT","features":[1]},{"name":"ERROR_WORKING_SET_QUOTA","features":[1]},{"name":"ERROR_WOW_ASSERTION","features":[1]},{"name":"ERROR_WRITE_FAULT","features":[1]},{"name":"ERROR_WRITE_PROTECT","features":[1]},{"name":"ERROR_WRONG_COMPARTMENT","features":[1]},{"name":"ERROR_WRONG_DISK","features":[1]},{"name":"ERROR_WRONG_EFS","features":[1]},{"name":"ERROR_WRONG_INF_STYLE","features":[1]},{"name":"ERROR_WRONG_INF_TYPE","features":[1]},{"name":"ERROR_WRONG_PASSWORD","features":[1]},{"name":"ERROR_WRONG_TARGET_NAME","features":[1]},{"name":"ERROR_WX86_ERROR","features":[1]},{"name":"ERROR_WX86_WARNING","features":[1]},{"name":"ERROR_XMLDSIG_ERROR","features":[1]},{"name":"ERROR_XML_ENCODING_MISMATCH","features":[1]},{"name":"ERROR_XML_PARSE_ERROR","features":[1]},{"name":"EVENT_E_ALL_SUBSCRIBERS_FAILED","features":[1]},{"name":"EVENT_E_CANT_MODIFY_OR_DELETE_CONFIGURED_OBJECT","features":[1]},{"name":"EVENT_E_CANT_MODIFY_OR_DELETE_UNCONFIGURED_OBJECT","features":[1]},{"name":"EVENT_E_COMPLUS_NOT_INSTALLED","features":[1]},{"name":"EVENT_E_FIRST","features":[1]},{"name":"EVENT_E_INTERNALERROR","features":[1]},{"name":"EVENT_E_INTERNALEXCEPTION","features":[1]},{"name":"EVENT_E_INVALID_EVENT_CLASS_PARTITION","features":[1]},{"name":"EVENT_E_INVALID_PER_USER_SID","features":[1]},{"name":"EVENT_E_LAST","features":[1]},{"name":"EVENT_E_MISSING_EVENTCLASS","features":[1]},{"name":"EVENT_E_NOT_ALL_REMOVED","features":[1]},{"name":"EVENT_E_PER_USER_SID_NOT_LOGGED_ON","features":[1]},{"name":"EVENT_E_QUERYFIELD","features":[1]},{"name":"EVENT_E_QUERYSYNTAX","features":[1]},{"name":"EVENT_E_TOO_MANY_METHODS","features":[1]},{"name":"EVENT_E_USER_EXCEPTION","features":[1]},{"name":"EVENT_S_FIRST","features":[1]},{"name":"EVENT_S_LAST","features":[1]},{"name":"EVENT_S_NOSUBSCRIBERS","features":[1]},{"name":"EVENT_S_SOME_SUBSCRIBERS_FAILED","features":[1]},{"name":"EXCEPTION_ACCESS_VIOLATION","features":[1]},{"name":"EXCEPTION_ARRAY_BOUNDS_EXCEEDED","features":[1]},{"name":"EXCEPTION_BREAKPOINT","features":[1]},{"name":"EXCEPTION_DATATYPE_MISALIGNMENT","features":[1]},{"name":"EXCEPTION_FLT_DENORMAL_OPERAND","features":[1]},{"name":"EXCEPTION_FLT_DIVIDE_BY_ZERO","features":[1]},{"name":"EXCEPTION_FLT_INEXACT_RESULT","features":[1]},{"name":"EXCEPTION_FLT_INVALID_OPERATION","features":[1]},{"name":"EXCEPTION_FLT_OVERFLOW","features":[1]},{"name":"EXCEPTION_FLT_STACK_CHECK","features":[1]},{"name":"EXCEPTION_FLT_UNDERFLOW","features":[1]},{"name":"EXCEPTION_GUARD_PAGE","features":[1]},{"name":"EXCEPTION_ILLEGAL_INSTRUCTION","features":[1]},{"name":"EXCEPTION_INT_DIVIDE_BY_ZERO","features":[1]},{"name":"EXCEPTION_INT_OVERFLOW","features":[1]},{"name":"EXCEPTION_INVALID_DISPOSITION","features":[1]},{"name":"EXCEPTION_INVALID_HANDLE","features":[1]},{"name":"EXCEPTION_IN_PAGE_ERROR","features":[1]},{"name":"EXCEPTION_NONCONTINUABLE_EXCEPTION","features":[1]},{"name":"EXCEPTION_POSSIBLE_DEADLOCK","features":[1]},{"name":"EXCEPTION_PRIV_INSTRUCTION","features":[1]},{"name":"EXCEPTION_SINGLE_STEP","features":[1]},{"name":"EXCEPTION_SPAPI_UNRECOVERABLE_STACK_OVERFLOW","features":[1]},{"name":"EXCEPTION_STACK_OVERFLOW","features":[1]},{"name":"E_ABORT","features":[1]},{"name":"E_ACCESSDENIED","features":[1]},{"name":"E_APPLICATION_ACTIVATION_EXEC_FAILURE","features":[1]},{"name":"E_APPLICATION_ACTIVATION_TIMED_OUT","features":[1]},{"name":"E_APPLICATION_EXITING","features":[1]},{"name":"E_APPLICATION_MANAGER_NOT_RUNNING","features":[1]},{"name":"E_APPLICATION_NOT_REGISTERED","features":[1]},{"name":"E_APPLICATION_TEMPORARY_LICENSE_ERROR","features":[1]},{"name":"E_APPLICATION_TRIAL_LICENSE_EXPIRED","features":[1]},{"name":"E_APPLICATION_VIEW_EXITING","features":[1]},{"name":"E_ASYNC_OPERATION_NOT_STARTED","features":[1]},{"name":"E_AUDIO_ENGINE_NODE_NOT_FOUND","features":[1]},{"name":"E_BLUETOOTH_ATT_ATTRIBUTE_NOT_FOUND","features":[1]},{"name":"E_BLUETOOTH_ATT_ATTRIBUTE_NOT_LONG","features":[1]},{"name":"E_BLUETOOTH_ATT_INSUFFICIENT_AUTHENTICATION","features":[1]},{"name":"E_BLUETOOTH_ATT_INSUFFICIENT_AUTHORIZATION","features":[1]},{"name":"E_BLUETOOTH_ATT_INSUFFICIENT_ENCRYPTION","features":[1]},{"name":"E_BLUETOOTH_ATT_INSUFFICIENT_ENCRYPTION_KEY_SIZE","features":[1]},{"name":"E_BLUETOOTH_ATT_INSUFFICIENT_RESOURCES","features":[1]},{"name":"E_BLUETOOTH_ATT_INVALID_ATTRIBUTE_VALUE_LENGTH","features":[1]},{"name":"E_BLUETOOTH_ATT_INVALID_HANDLE","features":[1]},{"name":"E_BLUETOOTH_ATT_INVALID_OFFSET","features":[1]},{"name":"E_BLUETOOTH_ATT_INVALID_PDU","features":[1]},{"name":"E_BLUETOOTH_ATT_PREPARE_QUEUE_FULL","features":[1]},{"name":"E_BLUETOOTH_ATT_READ_NOT_PERMITTED","features":[1]},{"name":"E_BLUETOOTH_ATT_REQUEST_NOT_SUPPORTED","features":[1]},{"name":"E_BLUETOOTH_ATT_UNKNOWN_ERROR","features":[1]},{"name":"E_BLUETOOTH_ATT_UNLIKELY","features":[1]},{"name":"E_BLUETOOTH_ATT_UNSUPPORTED_GROUP_TYPE","features":[1]},{"name":"E_BLUETOOTH_ATT_WRITE_NOT_PERMITTED","features":[1]},{"name":"E_BOUNDS","features":[1]},{"name":"E_CHANGED_STATE","features":[1]},{"name":"E_ELEVATED_ACTIVATION_NOT_SUPPORTED","features":[1]},{"name":"E_FAIL","features":[1]},{"name":"E_FULL_ADMIN_NOT_SUPPORTED","features":[1]},{"name":"E_HANDLE","features":[1]},{"name":"E_HDAUDIO_CONNECTION_LIST_NOT_SUPPORTED","features":[1]},{"name":"E_HDAUDIO_EMPTY_CONNECTION_LIST","features":[1]},{"name":"E_HDAUDIO_NO_LOGICAL_DEVICES_CREATED","features":[1]},{"name":"E_HDAUDIO_NULL_LINKED_LIST_ENTRY","features":[1]},{"name":"E_ILLEGAL_DELEGATE_ASSIGNMENT","features":[1]},{"name":"E_ILLEGAL_METHOD_CALL","features":[1]},{"name":"E_ILLEGAL_STATE_CHANGE","features":[1]},{"name":"E_INVALIDARG","features":[1]},{"name":"E_INVALID_PROTOCOL_FORMAT","features":[1]},{"name":"E_INVALID_PROTOCOL_OPERATION","features":[1]},{"name":"E_MBN_BAD_SIM","features":[1]},{"name":"E_MBN_CONTEXT_NOT_ACTIVATED","features":[1]},{"name":"E_MBN_DATA_CLASS_NOT_AVAILABLE","features":[1]},{"name":"E_MBN_DEFAULT_PROFILE_EXIST","features":[1]},{"name":"E_MBN_FAILURE","features":[1]},{"name":"E_MBN_INVALID_ACCESS_STRING","features":[1]},{"name":"E_MBN_INVALID_CACHE","features":[1]},{"name":"E_MBN_INVALID_PROFILE","features":[1]},{"name":"E_MBN_MAX_ACTIVATED_CONTEXTS","features":[1]},{"name":"E_MBN_NOT_REGISTERED","features":[1]},{"name":"E_MBN_PACKET_SVC_DETACHED","features":[1]},{"name":"E_MBN_PIN_DISABLED","features":[1]},{"name":"E_MBN_PIN_NOT_SUPPORTED","features":[1]},{"name":"E_MBN_PIN_REQUIRED","features":[1]},{"name":"E_MBN_PROVIDERS_NOT_FOUND","features":[1]},{"name":"E_MBN_PROVIDER_NOT_VISIBLE","features":[1]},{"name":"E_MBN_RADIO_POWER_OFF","features":[1]},{"name":"E_MBN_SERVICE_NOT_ACTIVATED","features":[1]},{"name":"E_MBN_SIM_NOT_INSERTED","features":[1]},{"name":"E_MBN_SMS_ENCODING_NOT_SUPPORTED","features":[1]},{"name":"E_MBN_SMS_FILTER_NOT_SUPPORTED","features":[1]},{"name":"E_MBN_SMS_FORMAT_NOT_SUPPORTED","features":[1]},{"name":"E_MBN_SMS_INVALID_MEMORY_INDEX","features":[1]},{"name":"E_MBN_SMS_LANG_NOT_SUPPORTED","features":[1]},{"name":"E_MBN_SMS_MEMORY_FAILURE","features":[1]},{"name":"E_MBN_SMS_MEMORY_FULL","features":[1]},{"name":"E_MBN_SMS_NETWORK_TIMEOUT","features":[1]},{"name":"E_MBN_SMS_OPERATION_NOT_ALLOWED","features":[1]},{"name":"E_MBN_SMS_UNKNOWN_SMSC_ADDRESS","features":[1]},{"name":"E_MBN_VOICE_CALL_IN_PROGRESS","features":[1]},{"name":"E_MONITOR_RESOLUTION_TOO_LOW","features":[1]},{"name":"E_MULTIPLE_EXTENSIONS_FOR_APPLICATION","features":[1]},{"name":"E_MULTIPLE_PACKAGES_FOR_FAMILY","features":[1]},{"name":"E_NOINTERFACE","features":[1]},{"name":"E_NOTIMPL","features":[1]},{"name":"E_OUTOFMEMORY","features":[1]},{"name":"E_POINTER","features":[1]},{"name":"E_PROTOCOL_EXTENSIONS_NOT_SUPPORTED","features":[1]},{"name":"E_PROTOCOL_VERSION_NOT_SUPPORTED","features":[1]},{"name":"E_SKYDRIVE_FILE_NOT_UPLOADED","features":[1]},{"name":"E_SKYDRIVE_ROOT_TARGET_CANNOT_INDEX","features":[1]},{"name":"E_SKYDRIVE_ROOT_TARGET_FILE_SYSTEM_NOT_SUPPORTED","features":[1]},{"name":"E_SKYDRIVE_ROOT_TARGET_OVERLAP","features":[1]},{"name":"E_SKYDRIVE_ROOT_TARGET_VOLUME_ROOT_NOT_SUPPORTED","features":[1]},{"name":"E_SKYDRIVE_UPDATE_AVAILABILITY_FAIL","features":[1]},{"name":"E_STRING_NOT_NULL_TERMINATED","features":[1]},{"name":"E_SUBPROTOCOL_NOT_SUPPORTED","features":[1]},{"name":"E_SYNCENGINE_CLIENT_UPDATE_NEEDED","features":[1]},{"name":"E_SYNCENGINE_FILE_IDENTIFIER_UNKNOWN","features":[1]},{"name":"E_SYNCENGINE_FILE_SIZE_EXCEEDS_REMAINING_QUOTA","features":[1]},{"name":"E_SYNCENGINE_FILE_SIZE_OVER_LIMIT","features":[1]},{"name":"E_SYNCENGINE_FILE_SYNC_PARTNER_ERROR","features":[1]},{"name":"E_SYNCENGINE_FOLDER_INACCESSIBLE","features":[1]},{"name":"E_SYNCENGINE_FOLDER_IN_REDIRECTION","features":[1]},{"name":"E_SYNCENGINE_FOLDER_ITEM_COUNT_LIMIT_EXCEEDED","features":[1]},{"name":"E_SYNCENGINE_PATH_LENGTH_LIMIT_EXCEEDED","features":[1]},{"name":"E_SYNCENGINE_PROXY_AUTHENTICATION_REQUIRED","features":[1]},{"name":"E_SYNCENGINE_REMOTE_PATH_LENGTH_LIMIT_EXCEEDED","features":[1]},{"name":"E_SYNCENGINE_REQUEST_BLOCKED_BY_SERVICE","features":[1]},{"name":"E_SYNCENGINE_REQUEST_BLOCKED_DUE_TO_CLIENT_ERROR","features":[1]},{"name":"E_SYNCENGINE_SERVICE_AUTHENTICATION_FAILED","features":[1]},{"name":"E_SYNCENGINE_SERVICE_RETURNED_UNEXPECTED_SIZE","features":[1]},{"name":"E_SYNCENGINE_STORAGE_SERVICE_BLOCKED","features":[1]},{"name":"E_SYNCENGINE_STORAGE_SERVICE_PROVISIONING_FAILED","features":[1]},{"name":"E_SYNCENGINE_SYNC_PAUSED_BY_SERVICE","features":[1]},{"name":"E_SYNCENGINE_UNKNOWN_SERVICE_ERROR","features":[1]},{"name":"E_SYNCENGINE_UNSUPPORTED_FILE_NAME","features":[1]},{"name":"E_SYNCENGINE_UNSUPPORTED_FOLDER_NAME","features":[1]},{"name":"E_SYNCENGINE_UNSUPPORTED_MARKET","features":[1]},{"name":"E_SYNCENGINE_UNSUPPORTED_REPARSE_POINT","features":[1]},{"name":"E_UAC_DISABLED","features":[1]},{"name":"E_UNEXPECTED","features":[1]},{"name":"FACILITY_ACPI_ERROR_CODE","features":[1]},{"name":"FACILITY_APP_EXEC","features":[1]},{"name":"FACILITY_AUDIO_KERNEL","features":[1]},{"name":"FACILITY_BCD_ERROR_CODE","features":[1]},{"name":"FACILITY_BTH_ATT","features":[1]},{"name":"FACILITY_CLUSTER_ERROR_CODE","features":[1]},{"name":"FACILITY_CODCLASS_ERROR_CODE","features":[1]},{"name":"FACILITY_COMMONLOG","features":[1]},{"name":"FACILITY_DEBUGGER","features":[1]},{"name":"FACILITY_DRIVER_FRAMEWORK","features":[1]},{"name":"FACILITY_FILTER_MANAGER","features":[1]},{"name":"FACILITY_FIREWIRE_ERROR_CODE","features":[1]},{"name":"FACILITY_FVE_ERROR_CODE","features":[1]},{"name":"FACILITY_FWP_ERROR_CODE","features":[1]},{"name":"FACILITY_GRAPHICS_KERNEL","features":[1]},{"name":"FACILITY_HID_ERROR_CODE","features":[1]},{"name":"FACILITY_HYPERVISOR","features":[1]},{"name":"FACILITY_INTERIX","features":[1]},{"name":"FACILITY_IO_ERROR_CODE","features":[1]},{"name":"FACILITY_IPSEC","features":[1]},{"name":"FACILITY_LICENSING","features":[1]},{"name":"FACILITY_MAXIMUM_VALUE","features":[1]},{"name":"FACILITY_MCA_ERROR_CODE","features":[1]},{"name":"FACILITY_MONITOR","features":[1]},{"name":"FACILITY_NDIS_ERROR_CODE","features":[1]},{"name":"FACILITY_NTCERT","features":[1]},{"name":"FACILITY_NTSSPI","features":[1]},{"name":"FACILITY_NTWIN32","features":[1]},{"name":"FACILITY_NT_IORING","features":[1]},{"name":"FACILITY_PLATFORM_MANIFEST","features":[1]},{"name":"FACILITY_QUIC_ERROR_CODE","features":[1]},{"name":"FACILITY_RDBSS","features":[1]},{"name":"FACILITY_RESUME_KEY_FILTER","features":[1]},{"name":"FACILITY_RPC_RUNTIME","features":[1]},{"name":"FACILITY_RPC_STUBS","features":[1]},{"name":"FACILITY_RTPM","features":[1]},{"name":"FACILITY_SDBUS","features":[1]},{"name":"FACILITY_SECUREBOOT","features":[1]},{"name":"FACILITY_SECURITY_CORE","features":[1]},{"name":"FACILITY_SHARED_VHDX","features":[1]},{"name":"FACILITY_SMB","features":[1]},{"name":"FACILITY_SPACES","features":[1]},{"name":"FACILITY_SXS_ERROR_CODE","features":[1]},{"name":"FACILITY_SYSTEM_INTEGRITY","features":[1]},{"name":"FACILITY_TERMINAL_SERVER","features":[1]},{"name":"FACILITY_TPM","features":[1]},{"name":"FACILITY_TRANSACTION","features":[1]},{"name":"FACILITY_USB_ERROR_CODE","features":[1]},{"name":"FACILITY_VIDEO","features":[1]},{"name":"FACILITY_VIRTUALIZATION","features":[1]},{"name":"FACILITY_VOLMGR","features":[1]},{"name":"FACILITY_VOLSNAP","features":[1]},{"name":"FACILITY_VSM","features":[1]},{"name":"FACILITY_WIN32K_NTGDI","features":[1]},{"name":"FACILITY_WIN32K_NTUSER","features":[1]},{"name":"FACILITY_XVS","features":[1]},{"name":"FACILTIY_MUI_ERROR_CODE","features":[1]},{"name":"FALSE","features":[1]},{"name":"FARPROC","features":[1]},{"name":"FA_E_HOMEGROUP_NOT_AVAILABLE","features":[1]},{"name":"FA_E_MAX_PERSISTED_ITEMS_REACHED","features":[1]},{"name":"FDAEMON_E_CHANGEUPDATEFAILED","features":[1]},{"name":"FDAEMON_E_FATALERROR","features":[1]},{"name":"FDAEMON_E_LOWRESOURCE","features":[1]},{"name":"FDAEMON_E_NOWORDLIST","features":[1]},{"name":"FDAEMON_E_PARTITIONDELETED","features":[1]},{"name":"FDAEMON_E_TOOMANYFILTEREDBLOCKS","features":[1]},{"name":"FDAEMON_E_WORDLISTCOMMITFAILED","features":[1]},{"name":"FDAEMON_W_EMPTYWORDLIST","features":[1]},{"name":"FDAEMON_W_WORDLISTFULL","features":[1]},{"name":"FILETIME","features":[1]},{"name":"FILTER_E_ALREADY_OPEN","features":[1]},{"name":"FILTER_E_CONTENTINDEXCORRUPT","features":[1]},{"name":"FILTER_E_IN_USE","features":[1]},{"name":"FILTER_E_NOT_OPEN","features":[1]},{"name":"FILTER_E_NO_SUCH_PROPERTY","features":[1]},{"name":"FILTER_E_OFFLINE","features":[1]},{"name":"FILTER_E_PARTIALLY_FILTERED","features":[1]},{"name":"FILTER_E_TOO_BIG","features":[1]},{"name":"FILTER_E_UNREACHABLE","features":[1]},{"name":"FILTER_S_CONTENTSCAN_DELAYED","features":[1]},{"name":"FILTER_S_DISK_FULL","features":[1]},{"name":"FILTER_S_FULL_CONTENTSCAN_IMMEDIATE","features":[1]},{"name":"FILTER_S_NO_PROPSETS","features":[1]},{"name":"FILTER_S_NO_SECURITY_DESCRIPTOR","features":[1]},{"name":"FILTER_S_PARTIAL_CONTENTSCAN_IMMEDIATE","features":[1]},{"name":"FLOAT128","features":[1]},{"name":"FRS_ERR_AUTHENTICATION","features":[1]},{"name":"FRS_ERR_CHILD_TO_PARENT_COMM","features":[1]},{"name":"FRS_ERR_INSUFFICIENT_PRIV","features":[1]},{"name":"FRS_ERR_INTERNAL","features":[1]},{"name":"FRS_ERR_INTERNAL_API","features":[1]},{"name":"FRS_ERR_INVALID_API_SEQUENCE","features":[1]},{"name":"FRS_ERR_INVALID_SERVICE_PARAMETER","features":[1]},{"name":"FRS_ERR_PARENT_AUTHENTICATION","features":[1]},{"name":"FRS_ERR_PARENT_INSUFFICIENT_PRIV","features":[1]},{"name":"FRS_ERR_PARENT_TO_CHILD_COMM","features":[1]},{"name":"FRS_ERR_SERVICE_COMM","features":[1]},{"name":"FRS_ERR_STARTING_SERVICE","features":[1]},{"name":"FRS_ERR_STOPPING_SERVICE","features":[1]},{"name":"FRS_ERR_SYSVOL_DEMOTE","features":[1]},{"name":"FRS_ERR_SYSVOL_IS_BUSY","features":[1]},{"name":"FRS_ERR_SYSVOL_POPULATE","features":[1]},{"name":"FRS_ERR_SYSVOL_POPULATE_TIMEOUT","features":[1]},{"name":"FVE_E_AAD_ENDPOINT_BUSY","features":[1]},{"name":"FVE_E_AAD_SERVER_FAIL_BACKOFF","features":[1]},{"name":"FVE_E_AAD_SERVER_FAIL_RETRY_AFTER","features":[1]},{"name":"FVE_E_ACTION_NOT_ALLOWED","features":[1]},{"name":"FVE_E_ADBACKUP_NOT_ENABLED","features":[1]},{"name":"FVE_E_AD_ATTR_NOT_SET","features":[1]},{"name":"FVE_E_AD_BACKUP_REQUIRED_POLICY_NOT_SET_FIXED_DRIVE","features":[1]},{"name":"FVE_E_AD_BACKUP_REQUIRED_POLICY_NOT_SET_OS_DRIVE","features":[1]},{"name":"FVE_E_AD_BACKUP_REQUIRED_POLICY_NOT_SET_REMOVABLE_DRIVE","features":[1]},{"name":"FVE_E_AD_GUID_NOT_FOUND","features":[1]},{"name":"FVE_E_AD_INSUFFICIENT_BUFFER","features":[1]},{"name":"FVE_E_AD_INVALID_DATASIZE","features":[1]},{"name":"FVE_E_AD_INVALID_DATATYPE","features":[1]},{"name":"FVE_E_AD_NO_VALUES","features":[1]},{"name":"FVE_E_AD_SCHEMA_NOT_INSTALLED","features":[1]},{"name":"FVE_E_AUTH_INVALID_APPLICATION","features":[1]},{"name":"FVE_E_AUTH_INVALID_CONFIG","features":[1]},{"name":"FVE_E_AUTOUNLOCK_ENABLED","features":[1]},{"name":"FVE_E_BAD_DATA","features":[1]},{"name":"FVE_E_BAD_INFORMATION","features":[1]},{"name":"FVE_E_BAD_PARTITION_SIZE","features":[1]},{"name":"FVE_E_BCD_APPLICATIONS_PATH_INCORRECT","features":[1]},{"name":"FVE_E_BOOTABLE_CDDVD","features":[1]},{"name":"FVE_E_BUFFER_TOO_LARGE","features":[1]},{"name":"FVE_E_CANNOT_ENCRYPT_NO_KEY","features":[1]},{"name":"FVE_E_CANNOT_SET_FVEK_ENCRYPTED","features":[1]},{"name":"FVE_E_CANT_LOCK_AUTOUNLOCK_ENABLED_VOLUME","features":[1]},{"name":"FVE_E_CLUSTERING_NOT_SUPPORTED","features":[1]},{"name":"FVE_E_CONV_READ","features":[1]},{"name":"FVE_E_CONV_RECOVERY_FAILED","features":[1]},{"name":"FVE_E_CONV_WRITE","features":[1]},{"name":"FVE_E_DATASET_FULL","features":[1]},{"name":"FVE_E_DEBUGGER_ENABLED","features":[1]},{"name":"FVE_E_DEVICELOCKOUT_COUNTER_MISMATCH","features":[1]},{"name":"FVE_E_DEVICE_LOCKOUT_COUNTER_UNAVAILABLE","features":[1]},{"name":"FVE_E_DEVICE_NOT_JOINED","features":[1]},{"name":"FVE_E_DE_DEVICE_LOCKEDOUT","features":[1]},{"name":"FVE_E_DE_FIXED_DATA_NOT_SUPPORTED","features":[1]},{"name":"FVE_E_DE_HARDWARE_NOT_COMPLIANT","features":[1]},{"name":"FVE_E_DE_OS_VOLUME_NOT_PROTECTED","features":[1]},{"name":"FVE_E_DE_PREVENTED_FOR_OS","features":[1]},{"name":"FVE_E_DE_PROTECTION_NOT_YET_ENABLED","features":[1]},{"name":"FVE_E_DE_PROTECTION_SUSPENDED","features":[1]},{"name":"FVE_E_DE_VOLUME_NOT_SUPPORTED","features":[1]},{"name":"FVE_E_DE_VOLUME_OPTED_OUT","features":[1]},{"name":"FVE_E_DE_WINRE_NOT_CONFIGURED","features":[1]},{"name":"FVE_E_DRY_RUN_FAILED","features":[1]},{"name":"FVE_E_DV_NOT_ALLOWED_BY_GP","features":[1]},{"name":"FVE_E_DV_NOT_SUPPORTED_ON_FS","features":[1]},{"name":"FVE_E_EDRIVE_BAND_ENUMERATION_FAILED","features":[1]},{"name":"FVE_E_EDRIVE_BAND_IN_USE","features":[1]},{"name":"FVE_E_EDRIVE_DISALLOWED_BY_GP","features":[1]},{"name":"FVE_E_EDRIVE_DRY_RUN_FAILED","features":[1]},{"name":"FVE_E_EDRIVE_DV_NOT_SUPPORTED","features":[1]},{"name":"FVE_E_EDRIVE_INCOMPATIBLE_FIRMWARE","features":[1]},{"name":"FVE_E_EDRIVE_INCOMPATIBLE_VOLUME","features":[1]},{"name":"FVE_E_EDRIVE_NO_FAILOVER_TO_SW","features":[1]},{"name":"FVE_E_EFI_ONLY","features":[1]},{"name":"FVE_E_ENH_PIN_INVALID","features":[1]},{"name":"FVE_E_EOW_NOT_SUPPORTED_IN_VERSION","features":[1]},{"name":"FVE_E_EXECUTE_REQUEST_SENT_TOO_SOON","features":[1]},{"name":"FVE_E_FAILED_AUTHENTICATION","features":[1]},{"name":"FVE_E_FAILED_SECTOR_SIZE","features":[1]},{"name":"FVE_E_FAILED_WRONG_FS","features":[1]},{"name":"FVE_E_FIPS_DISABLE_PROTECTION_NOT_ALLOWED","features":[1]},{"name":"FVE_E_FIPS_HASH_KDF_NOT_ALLOWED","features":[1]},{"name":"FVE_E_FIPS_PREVENTS_EXTERNAL_KEY_EXPORT","features":[1]},{"name":"FVE_E_FIPS_PREVENTS_PASSPHRASE","features":[1]},{"name":"FVE_E_FIPS_PREVENTS_RECOVERY_PASSWORD","features":[1]},{"name":"FVE_E_FIPS_RNG_CHECK_FAILED","features":[1]},{"name":"FVE_E_FIRMWARE_TYPE_NOT_SUPPORTED","features":[1]},{"name":"FVE_E_FOREIGN_VOLUME","features":[1]},{"name":"FVE_E_FS_MOUNTED","features":[1]},{"name":"FVE_E_FS_NOT_EXTENDED","features":[1]},{"name":"FVE_E_FULL_ENCRYPTION_NOT_ALLOWED_ON_TP_STORAGE","features":[1]},{"name":"FVE_E_HIDDEN_VOLUME","features":[1]},{"name":"FVE_E_INVALID_BITLOCKER_OID","features":[1]},{"name":"FVE_E_INVALID_DATUM_TYPE","features":[1]},{"name":"FVE_E_INVALID_KEY_FORMAT","features":[1]},{"name":"FVE_E_INVALID_NBP_CERT","features":[1]},{"name":"FVE_E_INVALID_NKP_CERT","features":[1]},{"name":"FVE_E_INVALID_PASSWORD_FORMAT","features":[1]},{"name":"FVE_E_INVALID_PIN_CHARS","features":[1]},{"name":"FVE_E_INVALID_PIN_CHARS_DETAILED","features":[1]},{"name":"FVE_E_INVALID_PROTECTOR_TYPE","features":[1]},{"name":"FVE_E_INVALID_STARTUP_OPTIONS","features":[1]},{"name":"FVE_E_KEYFILE_INVALID","features":[1]},{"name":"FVE_E_KEYFILE_NOT_FOUND","features":[1]},{"name":"FVE_E_KEYFILE_NO_VMK","features":[1]},{"name":"FVE_E_KEY_LENGTH_NOT_SUPPORTED_BY_EDRIVE","features":[1]},{"name":"FVE_E_KEY_PROTECTOR_NOT_SUPPORTED","features":[1]},{"name":"FVE_E_KEY_REQUIRED","features":[1]},{"name":"FVE_E_KEY_ROTATION_NOT_ENABLED","features":[1]},{"name":"FVE_E_KEY_ROTATION_NOT_SUPPORTED","features":[1]},{"name":"FVE_E_LIVEID_ACCOUNT_BLOCKED","features":[1]},{"name":"FVE_E_LIVEID_ACCOUNT_SUSPENDED","features":[1]},{"name":"FVE_E_LOCKED_VOLUME","features":[1]},{"name":"FVE_E_METADATA_FULL","features":[1]},{"name":"FVE_E_MOR_FAILED","features":[1]},{"name":"FVE_E_MULTIPLE_NKP_CERTS","features":[1]},{"name":"FVE_E_NON_BITLOCKER_KU","features":[1]},{"name":"FVE_E_NON_BITLOCKER_OID","features":[1]},{"name":"FVE_E_NOT_ACTIVATED","features":[1]},{"name":"FVE_E_NOT_ALLOWED_IN_SAFE_MODE","features":[1]},{"name":"FVE_E_NOT_ALLOWED_IN_VERSION","features":[1]},{"name":"FVE_E_NOT_ALLOWED_ON_CLUSTER","features":[1]},{"name":"FVE_E_NOT_ALLOWED_ON_CSV_STACK","features":[1]},{"name":"FVE_E_NOT_ALLOWED_TO_UPGRADE_WHILE_CONVERTING","features":[1]},{"name":"FVE_E_NOT_DATA_VOLUME","features":[1]},{"name":"FVE_E_NOT_DECRYPTED","features":[1]},{"name":"FVE_E_NOT_DE_VOLUME","features":[1]},{"name":"FVE_E_NOT_ENCRYPTED","features":[1]},{"name":"FVE_E_NOT_ON_STACK","features":[1]},{"name":"FVE_E_NOT_OS_VOLUME","features":[1]},{"name":"FVE_E_NOT_PROVISIONED_ON_ALL_VOLUMES","features":[1]},{"name":"FVE_E_NOT_SUPPORTED","features":[1]},{"name":"FVE_E_NO_AUTOUNLOCK_MASTER_KEY","features":[1]},{"name":"FVE_E_NO_BOOTMGR_METRIC","features":[1]},{"name":"FVE_E_NO_BOOTSECTOR_METRIC","features":[1]},{"name":"FVE_E_NO_EXISTING_PASSPHRASE","features":[1]},{"name":"FVE_E_NO_EXISTING_PIN","features":[1]},{"name":"FVE_E_NO_FEATURE_LICENSE","features":[1]},{"name":"FVE_E_NO_LICENSE","features":[1]},{"name":"FVE_E_NO_MBR_METRIC","features":[1]},{"name":"FVE_E_NO_PASSPHRASE_WITH_TPM","features":[1]},{"name":"FVE_E_NO_PREBOOT_KEYBOARD_DETECTED","features":[1]},{"name":"FVE_E_NO_PREBOOT_KEYBOARD_OR_WINRE_DETECTED","features":[1]},{"name":"FVE_E_NO_PROTECTORS_TO_TEST","features":[1]},{"name":"FVE_E_NO_SUCH_CAPABILITY_ON_TARGET","features":[1]},{"name":"FVE_E_NO_TPM_BIOS","features":[1]},{"name":"FVE_E_NO_TPM_WITH_PASSPHRASE","features":[1]},{"name":"FVE_E_OPERATION_NOT_SUPPORTED_ON_VISTA_VOLUME","features":[1]},{"name":"FVE_E_OSV_KSR_NOT_ALLOWED","features":[1]},{"name":"FVE_E_OS_NOT_PROTECTED","features":[1]},{"name":"FVE_E_OS_VOLUME_PASSPHRASE_NOT_ALLOWED","features":[1]},{"name":"FVE_E_OVERLAPPED_UPDATE","features":[1]},{"name":"FVE_E_PASSPHRASE_PROTECTOR_CHANGE_BY_STD_USER_DISALLOWED","features":[1]},{"name":"FVE_E_PASSPHRASE_TOO_LONG","features":[1]},{"name":"FVE_E_PIN_INVALID","features":[1]},{"name":"FVE_E_PIN_PROTECTOR_CHANGE_BY_STD_USER_DISALLOWED","features":[1]},{"name":"FVE_E_POLICY_CONFLICT_FDV_RK_OFF_AUK_ON","features":[1]},{"name":"FVE_E_POLICY_CONFLICT_FDV_RP_OFF_ADB_ON","features":[1]},{"name":"FVE_E_POLICY_CONFLICT_OSV_RP_OFF_ADB_ON","features":[1]},{"name":"FVE_E_POLICY_CONFLICT_RDV_RK_OFF_AUK_ON","features":[1]},{"name":"FVE_E_POLICY_CONFLICT_RDV_RP_OFF_ADB_ON","features":[1]},{"name":"FVE_E_POLICY_CONFLICT_RO_AND_STARTUP_KEY_REQUIRED","features":[1]},{"name":"FVE_E_POLICY_INVALID_ENHANCED_BCD_SETTINGS","features":[1]},{"name":"FVE_E_POLICY_INVALID_PASSPHRASE_LENGTH","features":[1]},{"name":"FVE_E_POLICY_INVALID_PIN_LENGTH","features":[1]},{"name":"FVE_E_POLICY_ON_RDV_EXCLUSION_LIST","features":[1]},{"name":"FVE_E_POLICY_PASSPHRASE_NOT_ALLOWED","features":[1]},{"name":"FVE_E_POLICY_PASSPHRASE_REQUIRED","features":[1]},{"name":"FVE_E_POLICY_PASSPHRASE_REQUIRES_ASCII","features":[1]},{"name":"FVE_E_POLICY_PASSPHRASE_TOO_SIMPLE","features":[1]},{"name":"FVE_E_POLICY_PASSWORD_REQUIRED","features":[1]},{"name":"FVE_E_POLICY_PROHIBITS_SELFSIGNED","features":[1]},{"name":"FVE_E_POLICY_RECOVERY_KEY_NOT_ALLOWED","features":[1]},{"name":"FVE_E_POLICY_RECOVERY_KEY_REQUIRED","features":[1]},{"name":"FVE_E_POLICY_RECOVERY_PASSWORD_NOT_ALLOWED","features":[1]},{"name":"FVE_E_POLICY_RECOVERY_PASSWORD_REQUIRED","features":[1]},{"name":"FVE_E_POLICY_REQUIRES_RECOVERY_PASSWORD_ON_TOUCH_DEVICE","features":[1]},{"name":"FVE_E_POLICY_REQUIRES_STARTUP_PIN_ON_TOUCH_DEVICE","features":[1]},{"name":"FVE_E_POLICY_STARTUP_KEY_NOT_ALLOWED","features":[1]},{"name":"FVE_E_POLICY_STARTUP_KEY_REQUIRED","features":[1]},{"name":"FVE_E_POLICY_STARTUP_PIN_KEY_NOT_ALLOWED","features":[1]},{"name":"FVE_E_POLICY_STARTUP_PIN_KEY_REQUIRED","features":[1]},{"name":"FVE_E_POLICY_STARTUP_PIN_NOT_ALLOWED","features":[1]},{"name":"FVE_E_POLICY_STARTUP_PIN_REQUIRED","features":[1]},{"name":"FVE_E_POLICY_STARTUP_TPM_NOT_ALLOWED","features":[1]},{"name":"FVE_E_POLICY_STARTUP_TPM_REQUIRED","features":[1]},{"name":"FVE_E_POLICY_USER_CERTIFICATE_NOT_ALLOWED","features":[1]},{"name":"FVE_E_POLICY_USER_CERTIFICATE_REQUIRED","features":[1]},{"name":"FVE_E_POLICY_USER_CERT_MUST_BE_HW","features":[1]},{"name":"FVE_E_POLICY_USER_CONFIGURE_FDV_AUTOUNLOCK_NOT_ALLOWED","features":[1]},{"name":"FVE_E_POLICY_USER_CONFIGURE_RDV_AUTOUNLOCK_NOT_ALLOWED","features":[1]},{"name":"FVE_E_POLICY_USER_CONFIGURE_RDV_NOT_ALLOWED","features":[1]},{"name":"FVE_E_POLICY_USER_DISABLE_RDV_NOT_ALLOWED","features":[1]},{"name":"FVE_E_POLICY_USER_ENABLE_RDV_NOT_ALLOWED","features":[1]},{"name":"FVE_E_PREDICTED_TPM_PROTECTOR_NOT_SUPPORTED","features":[1]},{"name":"FVE_E_PRIVATEKEY_AUTH_FAILED","features":[1]},{"name":"FVE_E_PROTECTION_CANNOT_BE_DISABLED","features":[1]},{"name":"FVE_E_PROTECTION_DISABLED","features":[1]},{"name":"FVE_E_PROTECTOR_CHANGE_MAX_PASSPHRASE_CHANGE_ATTEMPTS_REACHED","features":[1]},{"name":"FVE_E_PROTECTOR_CHANGE_MAX_PIN_CHANGE_ATTEMPTS_REACHED","features":[1]},{"name":"FVE_E_PROTECTOR_CHANGE_PASSPHRASE_MISMATCH","features":[1]},{"name":"FVE_E_PROTECTOR_CHANGE_PIN_MISMATCH","features":[1]},{"name":"FVE_E_PROTECTOR_EXISTS","features":[1]},{"name":"FVE_E_PROTECTOR_NOT_FOUND","features":[1]},{"name":"FVE_E_PUBKEY_NOT_ALLOWED","features":[1]},{"name":"FVE_E_RAW_ACCESS","features":[1]},{"name":"FVE_E_RAW_BLOCKED","features":[1]},{"name":"FVE_E_REBOOT_REQUIRED","features":[1]},{"name":"FVE_E_RECOVERY_KEY_REQUIRED","features":[1]},{"name":"FVE_E_RECOVERY_PARTITION","features":[1]},{"name":"FVE_E_RELATIVE_PATH","features":[1]},{"name":"FVE_E_REMOVAL_OF_DRA_FAILED","features":[1]},{"name":"FVE_E_REMOVAL_OF_NKP_FAILED","features":[1]},{"name":"FVE_E_SECUREBOOT_CONFIGURATION_INVALID","features":[1]},{"name":"FVE_E_SECUREBOOT_DISABLED","features":[1]},{"name":"FVE_E_SECURE_KEY_REQUIRED","features":[1]},{"name":"FVE_E_SETUP_TPM_CALLBACK_NOT_SUPPORTED","features":[1]},{"name":"FVE_E_SHADOW_COPY_PRESENT","features":[1]},{"name":"FVE_E_SYSTEM_VOLUME","features":[1]},{"name":"FVE_E_TOKEN_NOT_IMPERSONATED","features":[1]},{"name":"FVE_E_TOO_SMALL","features":[1]},{"name":"FVE_E_TPM_CONTEXT_SETUP_NOT_SUPPORTED","features":[1]},{"name":"FVE_E_TPM_DISABLED","features":[1]},{"name":"FVE_E_TPM_INVALID_PCR","features":[1]},{"name":"FVE_E_TPM_NOT_OWNED","features":[1]},{"name":"FVE_E_TPM_NO_VMK","features":[1]},{"name":"FVE_E_TPM_SRK_AUTH_NOT_ZERO","features":[1]},{"name":"FVE_E_TRANSIENT_STATE","features":[1]},{"name":"FVE_E_UPDATE_INVALID_CONFIG","features":[1]},{"name":"FVE_E_VIRTUALIZED_SPACE_TOO_BIG","features":[1]},{"name":"FVE_E_VOLUME_BOUND_ALREADY","features":[1]},{"name":"FVE_E_VOLUME_EXTEND_PREVENTS_EOW_DECRYPT","features":[1]},{"name":"FVE_E_VOLUME_HANDLE_OPEN","features":[1]},{"name":"FVE_E_VOLUME_NOT_BOUND","features":[1]},{"name":"FVE_E_VOLUME_TOO_SMALL","features":[1]},{"name":"FVE_E_WIPE_CANCEL_NOT_APPLICABLE","features":[1]},{"name":"FVE_E_WIPE_NOT_ALLOWED_ON_TP_STORAGE","features":[1]},{"name":"FVE_E_WRONG_BOOTMGR","features":[1]},{"name":"FVE_E_WRONG_BOOTSECTOR","features":[1]},{"name":"FVE_E_WRONG_SYSTEM_FS","features":[1]},{"name":"FWP_E_ACTION_INCOMPATIBLE_WITH_LAYER","features":[1]},{"name":"FWP_E_ACTION_INCOMPATIBLE_WITH_SUBLAYER","features":[1]},{"name":"FWP_E_ALREADY_EXISTS","features":[1]},{"name":"FWP_E_BUILTIN_OBJECT","features":[1]},{"name":"FWP_E_CALLOUT_NOTIFICATION_FAILED","features":[1]},{"name":"FWP_E_CALLOUT_NOT_FOUND","features":[1]},{"name":"FWP_E_CONDITION_NOT_FOUND","features":[1]},{"name":"FWP_E_CONNECTIONS_DISABLED","features":[1]},{"name":"FWP_E_CONTEXT_INCOMPATIBLE_WITH_CALLOUT","features":[1]},{"name":"FWP_E_CONTEXT_INCOMPATIBLE_WITH_LAYER","features":[1]},{"name":"FWP_E_DROP_NOICMP","features":[1]},{"name":"FWP_E_DUPLICATE_AUTH_METHOD","features":[1]},{"name":"FWP_E_DUPLICATE_CONDITION","features":[1]},{"name":"FWP_E_DUPLICATE_KEYMOD","features":[1]},{"name":"FWP_E_DYNAMIC_SESSION_IN_PROGRESS","features":[1]},{"name":"FWP_E_EM_NOT_SUPPORTED","features":[1]},{"name":"FWP_E_FILTER_NOT_FOUND","features":[1]},{"name":"FWP_E_IKEEXT_NOT_RUNNING","features":[1]},{"name":"FWP_E_INCOMPATIBLE_AUTH_METHOD","features":[1]},{"name":"FWP_E_INCOMPATIBLE_CIPHER_TRANSFORM","features":[1]},{"name":"FWP_E_INCOMPATIBLE_DH_GROUP","features":[1]},{"name":"FWP_E_INCOMPATIBLE_LAYER","features":[1]},{"name":"FWP_E_INCOMPATIBLE_SA_STATE","features":[1]},{"name":"FWP_E_INCOMPATIBLE_TXN","features":[1]},{"name":"FWP_E_INVALID_ACTION_TYPE","features":[1]},{"name":"FWP_E_INVALID_AUTH_TRANSFORM","features":[1]},{"name":"FWP_E_INVALID_CIPHER_TRANSFORM","features":[1]},{"name":"FWP_E_INVALID_DNS_NAME","features":[1]},{"name":"FWP_E_INVALID_ENUMERATOR","features":[1]},{"name":"FWP_E_INVALID_FLAGS","features":[1]},{"name":"FWP_E_INVALID_INTERVAL","features":[1]},{"name":"FWP_E_INVALID_NET_MASK","features":[1]},{"name":"FWP_E_INVALID_PARAMETER","features":[1]},{"name":"FWP_E_INVALID_RANGE","features":[1]},{"name":"FWP_E_INVALID_TRANSFORM_COMBINATION","features":[1]},{"name":"FWP_E_INVALID_TUNNEL_ENDPOINT","features":[1]},{"name":"FWP_E_INVALID_WEIGHT","features":[1]},{"name":"FWP_E_IN_USE","features":[1]},{"name":"FWP_E_KEY_DICTATION_INVALID_KEYING_MATERIAL","features":[1]},{"name":"FWP_E_KEY_DICTATOR_ALREADY_REGISTERED","features":[1]},{"name":"FWP_E_KM_CLIENTS_ONLY","features":[1]},{"name":"FWP_E_L2_DRIVER_NOT_READY","features":[1]},{"name":"FWP_E_LAYER_NOT_FOUND","features":[1]},{"name":"FWP_E_LIFETIME_MISMATCH","features":[1]},{"name":"FWP_E_MATCH_TYPE_MISMATCH","features":[1]},{"name":"FWP_E_NET_EVENTS_DISABLED","features":[1]},{"name":"FWP_E_NEVER_MATCH","features":[1]},{"name":"FWP_E_NOTIFICATION_DROPPED","features":[1]},{"name":"FWP_E_NOT_FOUND","features":[1]},{"name":"FWP_E_NO_TXN_IN_PROGRESS","features":[1]},{"name":"FWP_E_NULL_DISPLAY_NAME","features":[1]},{"name":"FWP_E_NULL_POINTER","features":[1]},{"name":"FWP_E_OUT_OF_BOUNDS","features":[1]},{"name":"FWP_E_PROVIDER_CONTEXT_MISMATCH","features":[1]},{"name":"FWP_E_PROVIDER_CONTEXT_NOT_FOUND","features":[1]},{"name":"FWP_E_PROVIDER_NOT_FOUND","features":[1]},{"name":"FWP_E_RESERVED","features":[1]},{"name":"FWP_E_SESSION_ABORTED","features":[1]},{"name":"FWP_E_STILL_ON","features":[1]},{"name":"FWP_E_SUBLAYER_NOT_FOUND","features":[1]},{"name":"FWP_E_TIMEOUT","features":[1]},{"name":"FWP_E_TOO_MANY_CALLOUTS","features":[1]},{"name":"FWP_E_TOO_MANY_SUBLAYERS","features":[1]},{"name":"FWP_E_TRAFFIC_MISMATCH","features":[1]},{"name":"FWP_E_TXN_ABORTED","features":[1]},{"name":"FWP_E_TXN_IN_PROGRESS","features":[1]},{"name":"FWP_E_TYPE_MISMATCH","features":[1]},{"name":"FWP_E_WRONG_SESSION","features":[1]},{"name":"FWP_E_ZERO_LENGTH_ARRAY","features":[1]},{"name":"FreeLibrary","features":[1]},{"name":"GCN_E_DEFAULTNAMESPACE_EXISTS","features":[1]},{"name":"GCN_E_MODULE_NOT_FOUND","features":[1]},{"name":"GCN_E_NETADAPTER_NOT_FOUND","features":[1]},{"name":"GCN_E_NETADAPTER_TIMEOUT","features":[1]},{"name":"GCN_E_NETCOMPARTMENT_NOT_FOUND","features":[1]},{"name":"GCN_E_NETINTERFACE_NOT_FOUND","features":[1]},{"name":"GCN_E_NO_REQUEST_HANDLERS","features":[1]},{"name":"GCN_E_REQUEST_UNSUPPORTED","features":[1]},{"name":"GCN_E_RUNTIMEKEYS_FAILED","features":[1]},{"name":"GENERIC_ACCESS_RIGHTS","features":[1]},{"name":"GENERIC_ALL","features":[1]},{"name":"GENERIC_EXECUTE","features":[1]},{"name":"GENERIC_READ","features":[1]},{"name":"GENERIC_WRITE","features":[1]},{"name":"GetHandleInformation","features":[1]},{"name":"GetLastError","features":[1]},{"name":"GlobalFree","features":[1]},{"name":"HANDLE","features":[1]},{"name":"HANDLE_FLAGS","features":[1]},{"name":"HANDLE_FLAG_INHERIT","features":[1]},{"name":"HANDLE_FLAG_PROTECT_FROM_CLOSE","features":[1]},{"name":"HANDLE_PTR","features":[1]},{"name":"HCN_E_ADAPTER_NOT_FOUND","features":[1]},{"name":"HCN_E_ADDR_INVALID_OR_RESERVED","features":[1]},{"name":"HCN_E_DEGRADED_OPERATION","features":[1]},{"name":"HCN_E_ENDPOINT_ALREADY_ATTACHED","features":[1]},{"name":"HCN_E_ENDPOINT_NAMESPACE_ALREADY_EXISTS","features":[1]},{"name":"HCN_E_ENDPOINT_NOT_ATTACHED","features":[1]},{"name":"HCN_E_ENDPOINT_NOT_FOUND","features":[1]},{"name":"HCN_E_ENDPOINT_NOT_LOCAL","features":[1]},{"name":"HCN_E_ENDPOINT_SHARING_DISABLED","features":[1]},{"name":"HCN_E_ENTITY_HAS_REFERENCES","features":[1]},{"name":"HCN_E_GUID_CONVERSION_FAILURE","features":[1]},{"name":"HCN_E_ICS_DISABLED","features":[1]},{"name":"HCN_E_INVALID_ENDPOINT","features":[1]},{"name":"HCN_E_INVALID_INTERNAL_PORT","features":[1]},{"name":"HCN_E_INVALID_IP","features":[1]},{"name":"HCN_E_INVALID_IP_SUBNET","features":[1]},{"name":"HCN_E_INVALID_JSON","features":[1]},{"name":"HCN_E_INVALID_JSON_REFERENCE","features":[1]},{"name":"HCN_E_INVALID_NETWORK","features":[1]},{"name":"HCN_E_INVALID_NETWORK_TYPE","features":[1]},{"name":"HCN_E_INVALID_POLICY","features":[1]},{"name":"HCN_E_INVALID_POLICY_TYPE","features":[1]},{"name":"HCN_E_INVALID_PREFIX","features":[1]},{"name":"HCN_E_INVALID_REMOTE_ENDPOINT_OPERATION","features":[1]},{"name":"HCN_E_INVALID_SUBNET","features":[1]},{"name":"HCN_E_LAYER_ALREADY_EXISTS","features":[1]},{"name":"HCN_E_LAYER_NOT_FOUND","features":[1]},{"name":"HCN_E_MANAGER_STOPPED","features":[1]},{"name":"HCN_E_MAPPING_NOT_SUPPORTED","features":[1]},{"name":"HCN_E_NAMESPACE_ATTACH_FAILED","features":[1]},{"name":"HCN_E_NETWORK_ALREADY_EXISTS","features":[1]},{"name":"HCN_E_NETWORK_NOT_FOUND","features":[1]},{"name":"HCN_E_OBJECT_USED_AFTER_UNLOAD","features":[1]},{"name":"HCN_E_POLICY_ALREADY_EXISTS","features":[1]},{"name":"HCN_E_POLICY_NOT_FOUND","features":[1]},{"name":"HCN_E_PORT_ALREADY_EXISTS","features":[1]},{"name":"HCN_E_PORT_NOT_FOUND","features":[1]},{"name":"HCN_E_REGKEY_FAILURE","features":[1]},{"name":"HCN_E_REQUEST_UNSUPPORTED","features":[1]},{"name":"HCN_E_SHARED_SWITCH_MODIFICATION","features":[1]},{"name":"HCN_E_SUBNET_NOT_FOUND","features":[1]},{"name":"HCN_E_SWITCH_EXTENSION_NOT_FOUND","features":[1]},{"name":"HCN_E_SWITCH_NOT_FOUND","features":[1]},{"name":"HCN_E_VFP_NOT_ALLOWED","features":[1]},{"name":"HCN_E_VFP_PORTSETTING_NOT_FOUND","features":[1]},{"name":"HCN_INTERFACEPARAMETERS_ALREADY_APPLIED","features":[1]},{"name":"HCS_E_ACCESS_DENIED","features":[1]},{"name":"HCS_E_CONNECTION_CLOSED","features":[1]},{"name":"HCS_E_CONNECTION_TIMEOUT","features":[1]},{"name":"HCS_E_CONNECT_FAILED","features":[1]},{"name":"HCS_E_GUEST_CRITICAL_ERROR","features":[1]},{"name":"HCS_E_HYPERV_NOT_INSTALLED","features":[1]},{"name":"HCS_E_IMAGE_MISMATCH","features":[1]},{"name":"HCS_E_INVALID_JSON","features":[1]},{"name":"HCS_E_INVALID_LAYER","features":[1]},{"name":"HCS_E_INVALID_STATE","features":[1]},{"name":"HCS_E_OPERATION_ALREADY_CANCELLED","features":[1]},{"name":"HCS_E_OPERATION_ALREADY_STARTED","features":[1]},{"name":"HCS_E_OPERATION_NOT_STARTED","features":[1]},{"name":"HCS_E_OPERATION_PENDING","features":[1]},{"name":"HCS_E_OPERATION_RESULT_ALLOCATION_FAILED","features":[1]},{"name":"HCS_E_OPERATION_SYSTEM_CALLBACK_ALREADY_SET","features":[1]},{"name":"HCS_E_OPERATION_TIMEOUT","features":[1]},{"name":"HCS_E_PROCESS_ALREADY_STOPPED","features":[1]},{"name":"HCS_E_PROCESS_INFO_NOT_AVAILABLE","features":[1]},{"name":"HCS_E_PROTOCOL_ERROR","features":[1]},{"name":"HCS_E_SERVICE_DISCONNECT","features":[1]},{"name":"HCS_E_SERVICE_NOT_AVAILABLE","features":[1]},{"name":"HCS_E_SYSTEM_ALREADY_EXISTS","features":[1]},{"name":"HCS_E_SYSTEM_ALREADY_STOPPED","features":[1]},{"name":"HCS_E_SYSTEM_NOT_CONFIGURED_FOR_OPERATION","features":[1]},{"name":"HCS_E_SYSTEM_NOT_FOUND","features":[1]},{"name":"HCS_E_TERMINATED","features":[1]},{"name":"HCS_E_TERMINATED_DURING_START","features":[1]},{"name":"HCS_E_UNEXPECTED_EXIT","features":[1]},{"name":"HCS_E_UNKNOWN_MESSAGE","features":[1]},{"name":"HCS_E_UNSUPPORTED_PROTOCOL_VERSION","features":[1]},{"name":"HCS_E_WINDOWS_INSIDER_REQUIRED","features":[1]},{"name":"HGLOBAL","features":[1]},{"name":"HINSTANCE","features":[1]},{"name":"HLOCAL","features":[1]},{"name":"HLSURF","features":[1]},{"name":"HMODULE","features":[1]},{"name":"HRESULT","features":[1]},{"name":"HRSRC","features":[1]},{"name":"HSPRITE","features":[1]},{"name":"HSP_BASE_ERROR_MASK","features":[1]},{"name":"HSP_BASE_INTERNAL_ERROR","features":[1]},{"name":"HSP_BS_ERROR_MASK","features":[1]},{"name":"HSP_BS_INTERNAL_ERROR","features":[1]},{"name":"HSP_DRV_ERROR_MASK","features":[1]},{"name":"HSP_DRV_INTERNAL_ERROR","features":[1]},{"name":"HSP_E_ERROR_MASK","features":[1]},{"name":"HSP_E_INTERNAL_ERROR","features":[1]},{"name":"HSP_KSP_ALGORITHM_NOT_SUPPORTED","features":[1]},{"name":"HSP_KSP_BUFFER_TOO_SMALL","features":[1]},{"name":"HSP_KSP_DEVICE_NOT_READY","features":[1]},{"name":"HSP_KSP_ERROR_MASK","features":[1]},{"name":"HSP_KSP_INTERNAL_ERROR","features":[1]},{"name":"HSP_KSP_INVALID_DATA","features":[1]},{"name":"HSP_KSP_INVALID_FLAGS","features":[1]},{"name":"HSP_KSP_INVALID_KEY_HANDLE","features":[1]},{"name":"HSP_KSP_INVALID_KEY_TYPE","features":[1]},{"name":"HSP_KSP_INVALID_PARAMETER","features":[1]},{"name":"HSP_KSP_INVALID_PROVIDER_HANDLE","features":[1]},{"name":"HSP_KSP_KEY_ALREADY_FINALIZED","features":[1]},{"name":"HSP_KSP_KEY_EXISTS","features":[1]},{"name":"HSP_KSP_KEY_LOAD_FAIL","features":[1]},{"name":"HSP_KSP_KEY_MISSING","features":[1]},{"name":"HSP_KSP_KEY_NOT_FINALIZED","features":[1]},{"name":"HSP_KSP_NOT_SUPPORTED","features":[1]},{"name":"HSP_KSP_NO_MEMORY","features":[1]},{"name":"HSP_KSP_NO_MORE_ITEMS","features":[1]},{"name":"HSP_KSP_PARAMETER_NOT_SET","features":[1]},{"name":"HSTR","features":[1]},{"name":"HTTP_E_STATUS_AMBIGUOUS","features":[1]},{"name":"HTTP_E_STATUS_BAD_GATEWAY","features":[1]},{"name":"HTTP_E_STATUS_BAD_METHOD","features":[1]},{"name":"HTTP_E_STATUS_BAD_REQUEST","features":[1]},{"name":"HTTP_E_STATUS_CONFLICT","features":[1]},{"name":"HTTP_E_STATUS_DENIED","features":[1]},{"name":"HTTP_E_STATUS_EXPECTATION_FAILED","features":[1]},{"name":"HTTP_E_STATUS_FORBIDDEN","features":[1]},{"name":"HTTP_E_STATUS_GATEWAY_TIMEOUT","features":[1]},{"name":"HTTP_E_STATUS_GONE","features":[1]},{"name":"HTTP_E_STATUS_LENGTH_REQUIRED","features":[1]},{"name":"HTTP_E_STATUS_MOVED","features":[1]},{"name":"HTTP_E_STATUS_NONE_ACCEPTABLE","features":[1]},{"name":"HTTP_E_STATUS_NOT_FOUND","features":[1]},{"name":"HTTP_E_STATUS_NOT_MODIFIED","features":[1]},{"name":"HTTP_E_STATUS_NOT_SUPPORTED","features":[1]},{"name":"HTTP_E_STATUS_PAYMENT_REQ","features":[1]},{"name":"HTTP_E_STATUS_PRECOND_FAILED","features":[1]},{"name":"HTTP_E_STATUS_PROXY_AUTH_REQ","features":[1]},{"name":"HTTP_E_STATUS_RANGE_NOT_SATISFIABLE","features":[1]},{"name":"HTTP_E_STATUS_REDIRECT","features":[1]},{"name":"HTTP_E_STATUS_REDIRECT_KEEP_VERB","features":[1]},{"name":"HTTP_E_STATUS_REDIRECT_METHOD","features":[1]},{"name":"HTTP_E_STATUS_REQUEST_TIMEOUT","features":[1]},{"name":"HTTP_E_STATUS_REQUEST_TOO_LARGE","features":[1]},{"name":"HTTP_E_STATUS_SERVER_ERROR","features":[1]},{"name":"HTTP_E_STATUS_SERVICE_UNAVAIL","features":[1]},{"name":"HTTP_E_STATUS_UNEXPECTED","features":[1]},{"name":"HTTP_E_STATUS_UNEXPECTED_CLIENT_ERROR","features":[1]},{"name":"HTTP_E_STATUS_UNEXPECTED_REDIRECTION","features":[1]},{"name":"HTTP_E_STATUS_UNEXPECTED_SERVER_ERROR","features":[1]},{"name":"HTTP_E_STATUS_UNSUPPORTED_MEDIA","features":[1]},{"name":"HTTP_E_STATUS_URI_TOO_LONG","features":[1]},{"name":"HTTP_E_STATUS_USE_PROXY","features":[1]},{"name":"HTTP_E_STATUS_VERSION_NOT_SUP","features":[1]},{"name":"HUMPD","features":[1]},{"name":"HWND","features":[1]},{"name":"INPLACE_E_FIRST","features":[1]},{"name":"INPLACE_E_LAST","features":[1]},{"name":"INPLACE_E_NOTOOLSPACE","features":[1]},{"name":"INPLACE_E_NOTUNDOABLE","features":[1]},{"name":"INPLACE_S_FIRST","features":[1]},{"name":"INPLACE_S_LAST","features":[1]},{"name":"INPLACE_S_TRUNCATED","features":[1]},{"name":"INPUT_E_DEVICE_INFO","features":[1]},{"name":"INPUT_E_DEVICE_PROPERTY","features":[1]},{"name":"INPUT_E_FRAME","features":[1]},{"name":"INPUT_E_HISTORY","features":[1]},{"name":"INPUT_E_MULTIMODAL","features":[1]},{"name":"INPUT_E_OUT_OF_ORDER","features":[1]},{"name":"INPUT_E_PACKET","features":[1]},{"name":"INPUT_E_REENTRANCY","features":[1]},{"name":"INPUT_E_TRANSFORM","features":[1]},{"name":"INVALID_HANDLE_VALUE","features":[1]},{"name":"IORING_E_COMPLETION_QUEUE_TOO_BIG","features":[1]},{"name":"IORING_E_COMPLETION_QUEUE_TOO_FULL","features":[1]},{"name":"IORING_E_CORRUPT","features":[1]},{"name":"IORING_E_REQUIRED_FLAG_NOT_SUPPORTED","features":[1]},{"name":"IORING_E_SUBMISSION_QUEUE_FULL","features":[1]},{"name":"IORING_E_SUBMISSION_QUEUE_TOO_BIG","features":[1]},{"name":"IORING_E_SUBMIT_IN_PROGRESS","features":[1]},{"name":"IORING_E_VERSION_NOT_SUPPORTED","features":[1]},{"name":"IO_BAD_BLOCK_WITH_NAME","features":[1]},{"name":"IO_CDROM_EXCLUSIVE_LOCK","features":[1]},{"name":"IO_DRIVER_CANCEL_TIMEOUT","features":[1]},{"name":"IO_DUMP_CALLBACK_EXCEPTION","features":[1]},{"name":"IO_DUMP_CREATION_SUCCESS","features":[1]},{"name":"IO_DUMP_DIRECT_CONFIG_FAILED","features":[1]},{"name":"IO_DUMP_DRIVER_LOAD_FAILURE","features":[1]},{"name":"IO_DUMP_DUMPFILE_CONFLICT","features":[1]},{"name":"IO_DUMP_INITIALIZATION_FAILURE","features":[1]},{"name":"IO_DUMP_INIT_DEDICATED_DUMP_FAILURE","features":[1]},{"name":"IO_DUMP_PAGE_CONFIG_FAILED","features":[1]},{"name":"IO_DUMP_POINTER_FAILURE","features":[1]},{"name":"IO_ERROR_DISK_RESOURCES_EXHAUSTED","features":[1]},{"name":"IO_ERROR_DUMP_CREATION_ERROR","features":[1]},{"name":"IO_ERROR_IO_HARDWARE_ERROR","features":[1]},{"name":"IO_ERR_BAD_BLOCK","features":[1]},{"name":"IO_ERR_BAD_FIRMWARE","features":[1]},{"name":"IO_ERR_CONFIGURATION_ERROR","features":[1]},{"name":"IO_ERR_CONTROLLER_ERROR","features":[1]},{"name":"IO_ERR_DMA_CONFLICT_DETECTED","features":[1]},{"name":"IO_ERR_DMA_RESOURCE_CONFLICT","features":[1]},{"name":"IO_ERR_DRIVER_ERROR","features":[1]},{"name":"IO_ERR_INCORRECT_IRQL","features":[1]},{"name":"IO_ERR_INSUFFICIENT_RESOURCES","features":[1]},{"name":"IO_ERR_INTERNAL_ERROR","features":[1]},{"name":"IO_ERR_INTERRUPT_RESOURCE_CONFLICT","features":[1]},{"name":"IO_ERR_INVALID_IOBASE","features":[1]},{"name":"IO_ERR_INVALID_REQUEST","features":[1]},{"name":"IO_ERR_IRQ_CONFLICT_DETECTED","features":[1]},{"name":"IO_ERR_LAYERED_FAILURE","features":[1]},{"name":"IO_ERR_MEMORY_CONFLICT_DETECTED","features":[1]},{"name":"IO_ERR_MEMORY_RESOURCE_CONFLICT","features":[1]},{"name":"IO_ERR_NOT_READY","features":[1]},{"name":"IO_ERR_OVERRUN_ERROR","features":[1]},{"name":"IO_ERR_PARITY","features":[1]},{"name":"IO_ERR_PORT_CONFLICT_DETECTED","features":[1]},{"name":"IO_ERR_PORT_RESOURCE_CONFLICT","features":[1]},{"name":"IO_ERR_PORT_TIMEOUT","features":[1]},{"name":"IO_ERR_PROTOCOL","features":[1]},{"name":"IO_ERR_RESET","features":[1]},{"name":"IO_ERR_RETRY_SUCCEEDED","features":[1]},{"name":"IO_ERR_SEEK_ERROR","features":[1]},{"name":"IO_ERR_SEQUENCE","features":[1]},{"name":"IO_ERR_THREAD_STUCK_IN_DEVICE_DRIVER","features":[1]},{"name":"IO_ERR_TIMEOUT","features":[1]},{"name":"IO_ERR_VERSION","features":[1]},{"name":"IO_FILE_QUOTA_CORRUPT","features":[1]},{"name":"IO_FILE_QUOTA_FAILED","features":[1]},{"name":"IO_FILE_QUOTA_LIMIT","features":[1]},{"name":"IO_FILE_QUOTA_STARTED","features":[1]},{"name":"IO_FILE_QUOTA_SUCCEEDED","features":[1]},{"name":"IO_FILE_QUOTA_THRESHOLD","features":[1]},{"name":"IO_FILE_SYSTEM_CORRUPT","features":[1]},{"name":"IO_FILE_SYSTEM_CORRUPT_WITH_NAME","features":[1]},{"name":"IO_INFO_THROTTLE_COMPLETE","features":[1]},{"name":"IO_LOST_DELAYED_WRITE","features":[1]},{"name":"IO_LOST_DELAYED_WRITE_NETWORK_DISCONNECTED","features":[1]},{"name":"IO_LOST_DELAYED_WRITE_NETWORK_LOCAL_DISK_ERROR","features":[1]},{"name":"IO_LOST_DELAYED_WRITE_NETWORK_SERVER_ERROR","features":[1]},{"name":"IO_RECOVERED_VIA_ECC","features":[1]},{"name":"IO_SYSTEM_SLEEP_FAILED","features":[1]},{"name":"IO_WARNING_ADAPTER_FIRMWARE_UPDATED","features":[1]},{"name":"IO_WARNING_ALLOCATION_FAILED","features":[1]},{"name":"IO_WARNING_BUS_RESET","features":[1]},{"name":"IO_WARNING_COMPLETION_TIME","features":[1]},{"name":"IO_WARNING_DEVICE_HAS_INTERNAL_DUMP","features":[1]},{"name":"IO_WARNING_DISK_CAPACITY_CHANGED","features":[1]},{"name":"IO_WARNING_DISK_FIRMWARE_UPDATED","features":[1]},{"name":"IO_WARNING_DISK_PROVISIONING_TYPE_CHANGED","features":[1]},{"name":"IO_WARNING_DISK_SURPRISE_REMOVED","features":[1]},{"name":"IO_WARNING_DUMP_DISABLED_DEVICE_GONE","features":[1]},{"name":"IO_WARNING_DUPLICATE_PATH","features":[1]},{"name":"IO_WARNING_DUPLICATE_SIGNATURE","features":[1]},{"name":"IO_WARNING_INTERRUPT_STILL_PENDING","features":[1]},{"name":"IO_WARNING_IO_OPERATION_RETRIED","features":[1]},{"name":"IO_WARNING_LOG_FLUSH_FAILED","features":[1]},{"name":"IO_WARNING_PAGING_FAILURE","features":[1]},{"name":"IO_WARNING_REPEATED_DISK_GUID","features":[1]},{"name":"IO_WARNING_RESET","features":[1]},{"name":"IO_WARNING_SOFT_THRESHOLD_REACHED","features":[1]},{"name":"IO_WARNING_SOFT_THRESHOLD_REACHED_EX","features":[1]},{"name":"IO_WARNING_SOFT_THRESHOLD_REACHED_EX_LUN_LUN","features":[1]},{"name":"IO_WARNING_SOFT_THRESHOLD_REACHED_EX_LUN_POOL","features":[1]},{"name":"IO_WARNING_SOFT_THRESHOLD_REACHED_EX_POOL_LUN","features":[1]},{"name":"IO_WARNING_SOFT_THRESHOLD_REACHED_EX_POOL_POOL","features":[1]},{"name":"IO_WARNING_VOLUME_LOST_DISK_EXTENT","features":[1]},{"name":"IO_WARNING_WRITE_FUA_PROBLEM","features":[1]},{"name":"IO_WRITE_CACHE_DISABLED","features":[1]},{"name":"IO_WRITE_CACHE_ENABLED","features":[1]},{"name":"IO_WRN_BAD_FIRMWARE","features":[1]},{"name":"IO_WRN_FAILURE_PREDICTED","features":[1]},{"name":"JSCRIPT_E_CANTEXECUTE","features":[1]},{"name":"LANGUAGE_E_DATABASE_NOT_FOUND","features":[1]},{"name":"LANGUAGE_S_LARGE_WORD","features":[1]},{"name":"LPARAM","features":[1]},{"name":"LRESULT","features":[1]},{"name":"LUID","features":[1]},{"name":"LocalFree","features":[1]},{"name":"MARSHAL_E_FIRST","features":[1]},{"name":"MARSHAL_E_LAST","features":[1]},{"name":"MARSHAL_S_FIRST","features":[1]},{"name":"MARSHAL_S_LAST","features":[1]},{"name":"MAX_PATH","features":[1]},{"name":"MCA_BUS_ERROR","features":[1]},{"name":"MCA_BUS_TIMEOUT_ERROR","features":[1]},{"name":"MCA_ERROR_CACHE","features":[1]},{"name":"MCA_ERROR_CPU","features":[1]},{"name":"MCA_ERROR_CPU_BUS","features":[1]},{"name":"MCA_ERROR_MAS","features":[1]},{"name":"MCA_ERROR_MEM_1_2","features":[1]},{"name":"MCA_ERROR_MEM_1_2_5","features":[1]},{"name":"MCA_ERROR_MEM_1_2_5_4","features":[1]},{"name":"MCA_ERROR_MEM_UNKNOWN","features":[1]},{"name":"MCA_ERROR_PCI_BUS_MASTER_ABORT","features":[1]},{"name":"MCA_ERROR_PCI_BUS_MASTER_ABORT_NO_INFO","features":[1]},{"name":"MCA_ERROR_PCI_BUS_PARITY","features":[1]},{"name":"MCA_ERROR_PCI_BUS_PARITY_NO_INFO","features":[1]},{"name":"MCA_ERROR_PCI_BUS_SERR","features":[1]},{"name":"MCA_ERROR_PCI_BUS_SERR_NO_INFO","features":[1]},{"name":"MCA_ERROR_PCI_BUS_TIMEOUT","features":[1]},{"name":"MCA_ERROR_PCI_BUS_TIMEOUT_NO_INFO","features":[1]},{"name":"MCA_ERROR_PCI_BUS_UNKNOWN","features":[1]},{"name":"MCA_ERROR_PCI_DEVICE","features":[1]},{"name":"MCA_ERROR_PLATFORM_SPECIFIC","features":[1]},{"name":"MCA_ERROR_REGISTER_FILE","features":[1]},{"name":"MCA_ERROR_SMBIOS","features":[1]},{"name":"MCA_ERROR_SYSTEM_EVENT","features":[1]},{"name":"MCA_ERROR_TLB","features":[1]},{"name":"MCA_ERROR_UNKNOWN","features":[1]},{"name":"MCA_ERROR_UNKNOWN_NO_CPU","features":[1]},{"name":"MCA_EXTERNAL_ERROR","features":[1]},{"name":"MCA_FRC_ERROR","features":[1]},{"name":"MCA_INFO_CPU_THERMAL_THROTTLING_REMOVED","features":[1]},{"name":"MCA_INFO_MEMORY_PAGE_MARKED_BAD","features":[1]},{"name":"MCA_INFO_NO_MORE_CORRECTED_ERROR_LOGS","features":[1]},{"name":"MCA_INTERNALTIMER_ERROR","features":[1]},{"name":"MCA_MEMORYHIERARCHY_ERROR","features":[1]},{"name":"MCA_MICROCODE_ROM_PARITY_ERROR","features":[1]},{"name":"MCA_TLB_ERROR","features":[1]},{"name":"MCA_WARNING_CACHE","features":[1]},{"name":"MCA_WARNING_CMC_THRESHOLD_EXCEEDED","features":[1]},{"name":"MCA_WARNING_CPE_THRESHOLD_EXCEEDED","features":[1]},{"name":"MCA_WARNING_CPU","features":[1]},{"name":"MCA_WARNING_CPU_BUS","features":[1]},{"name":"MCA_WARNING_CPU_THERMAL_THROTTLED","features":[1]},{"name":"MCA_WARNING_MAS","features":[1]},{"name":"MCA_WARNING_MEM_1_2","features":[1]},{"name":"MCA_WARNING_MEM_1_2_5","features":[1]},{"name":"MCA_WARNING_MEM_1_2_5_4","features":[1]},{"name":"MCA_WARNING_MEM_UNKNOWN","features":[1]},{"name":"MCA_WARNING_PCI_BUS_MASTER_ABORT","features":[1]},{"name":"MCA_WARNING_PCI_BUS_MASTER_ABORT_NO_INFO","features":[1]},{"name":"MCA_WARNING_PCI_BUS_PARITY","features":[1]},{"name":"MCA_WARNING_PCI_BUS_PARITY_NO_INFO","features":[1]},{"name":"MCA_WARNING_PCI_BUS_SERR","features":[1]},{"name":"MCA_WARNING_PCI_BUS_SERR_NO_INFO","features":[1]},{"name":"MCA_WARNING_PCI_BUS_TIMEOUT","features":[1]},{"name":"MCA_WARNING_PCI_BUS_TIMEOUT_NO_INFO","features":[1]},{"name":"MCA_WARNING_PCI_BUS_UNKNOWN","features":[1]},{"name":"MCA_WARNING_PCI_DEVICE","features":[1]},{"name":"MCA_WARNING_PLATFORM_SPECIFIC","features":[1]},{"name":"MCA_WARNING_REGISTER_FILE","features":[1]},{"name":"MCA_WARNING_SMBIOS","features":[1]},{"name":"MCA_WARNING_SYSTEM_EVENT","features":[1]},{"name":"MCA_WARNING_TLB","features":[1]},{"name":"MCA_WARNING_UNKNOWN","features":[1]},{"name":"MCA_WARNING_UNKNOWN_NO_CPU","features":[1]},{"name":"MEM_E_INVALID_LINK","features":[1]},{"name":"MEM_E_INVALID_ROOT","features":[1]},{"name":"MEM_E_INVALID_SIZE","features":[1]},{"name":"MENROLL_S_ENROLLMENT_SUSPENDED","features":[1]},{"name":"MILAVERR_INSUFFICIENTVIDEORESOURCES","features":[1]},{"name":"MILAVERR_INVALIDWMPVERSION","features":[1]},{"name":"MILAVERR_MEDIAPLAYERCLOSED","features":[1]},{"name":"MILAVERR_MODULENOTLOADED","features":[1]},{"name":"MILAVERR_NOCLOCK","features":[1]},{"name":"MILAVERR_NOMEDIATYPE","features":[1]},{"name":"MILAVERR_NOREADYFRAMES","features":[1]},{"name":"MILAVERR_NOVIDEOMIXER","features":[1]},{"name":"MILAVERR_NOVIDEOPRESENTER","features":[1]},{"name":"MILAVERR_REQUESTEDTEXTURETOOBIG","features":[1]},{"name":"MILAVERR_SEEKFAILED","features":[1]},{"name":"MILAVERR_UNEXPECTEDWMPFAILURE","features":[1]},{"name":"MILAVERR_UNKNOWNHARDWAREERROR","features":[1]},{"name":"MILAVERR_VIDEOACCELERATIONNOTAVAILABLE","features":[1]},{"name":"MILAVERR_WMPFACTORYNOTREGISTERED","features":[1]},{"name":"MILEFFECTSERR_ALREADYATTACHEDTOLISTENER","features":[1]},{"name":"MILEFFECTSERR_CONNECTORNOTASSOCIATEDWITHEFFECT","features":[1]},{"name":"MILEFFECTSERR_CONNECTORNOTCONNECTED","features":[1]},{"name":"MILEFFECTSERR_CYCLEDETECTED","features":[1]},{"name":"MILEFFECTSERR_EFFECTALREADYINAGRAPH","features":[1]},{"name":"MILEFFECTSERR_EFFECTHASNOCHILDREN","features":[1]},{"name":"MILEFFECTSERR_EFFECTINMORETHANONEGRAPH","features":[1]},{"name":"MILEFFECTSERR_EFFECTNOTPARTOFGROUP","features":[1]},{"name":"MILEFFECTSERR_EMPTYBOUNDS","features":[1]},{"name":"MILEFFECTSERR_NOINPUTSOURCEATTACHED","features":[1]},{"name":"MILEFFECTSERR_NOTAFFINETRANSFORM","features":[1]},{"name":"MILEFFECTSERR_OUTPUTSIZETOOLARGE","features":[1]},{"name":"MILEFFECTSERR_RESERVED","features":[1]},{"name":"MILEFFECTSERR_UNKNOWNPROPERTY","features":[1]},{"name":"MILERR_ADAPTER_NOT_FOUND","features":[1]},{"name":"MILERR_ALREADYLOCKED","features":[1]},{"name":"MILERR_ALREADY_INITIALIZED","features":[1]},{"name":"MILERR_BADNUMBER","features":[1]},{"name":"MILERR_COLORSPACE_NOT_SUPPORTED","features":[1]},{"name":"MILERR_DEVICECANNOTRENDERTEXT","features":[1]},{"name":"MILERR_DISPLAYFORMATNOTSUPPORTED","features":[1]},{"name":"MILERR_DISPLAYID_ACCESS_DENIED","features":[1]},{"name":"MILERR_DISPLAYSTATEINVALID","features":[1]},{"name":"MILERR_DXGI_ENUMERATION_OUT_OF_SYNC","features":[1]},{"name":"MILERR_GENERIC_IGNORE","features":[1]},{"name":"MILERR_GLYPHBITMAPMISSED","features":[1]},{"name":"MILERR_INSUFFICIENTBUFFER","features":[1]},{"name":"MILERR_INTERNALERROR","features":[1]},{"name":"MILERR_INVALIDCALL","features":[1]},{"name":"MILERR_MALFORMEDGLYPHCACHE","features":[1]},{"name":"MILERR_MALFORMED_GUIDELINE_DATA","features":[1]},{"name":"MILERR_MAX_TEXTURE_SIZE_EXCEEDED","features":[1]},{"name":"MILERR_MISMATCHED_SIZE","features":[1]},{"name":"MILERR_MROW_READLOCK_FAILED","features":[1]},{"name":"MILERR_MROW_UPDATE_FAILED","features":[1]},{"name":"MILERR_NEED_RECREATE_AND_PRESENT","features":[1]},{"name":"MILERR_NONINVERTIBLEMATRIX","features":[1]},{"name":"MILERR_NOTLOCKED","features":[1]},{"name":"MILERR_NOT_QUEUING_PRESENTS","features":[1]},{"name":"MILERR_NO_HARDWARE_DEVICE","features":[1]},{"name":"MILERR_NO_REDIRECTION_SURFACE_AVAILABLE","features":[1]},{"name":"MILERR_NO_REDIRECTION_SURFACE_RETRY_LATER","features":[1]},{"name":"MILERR_OBJECTBUSY","features":[1]},{"name":"MILERR_PREFILTER_NOT_SUPPORTED","features":[1]},{"name":"MILERR_QPC_TIME_WENT_BACKWARD","features":[1]},{"name":"MILERR_QUEUED_PRESENT_NOT_SUPPORTED","features":[1]},{"name":"MILERR_REMOTING_NOT_SUPPORTED","features":[1]},{"name":"MILERR_SCANNER_FAILED","features":[1]},{"name":"MILERR_SCREENACCESSDENIED","features":[1]},{"name":"MILERR_SHADER_COMPILE_FAILED","features":[1]},{"name":"MILERR_TERMINATED","features":[1]},{"name":"MILERR_TOOMANYSHADERELEMNTS","features":[1]},{"name":"MILERR_WIN32ERROR","features":[1]},{"name":"MILERR_ZEROVECTOR","features":[1]},{"name":"MK_E_CANTOPENFILE","features":[1]},{"name":"MK_E_CONNECTMANUALLY","features":[1]},{"name":"MK_E_ENUMERATION_FAILED","features":[1]},{"name":"MK_E_EXCEEDEDDEADLINE","features":[1]},{"name":"MK_E_FIRST","features":[1]},{"name":"MK_E_INTERMEDIATEINTERFACENOTSUPPORTED","features":[1]},{"name":"MK_E_INVALIDEXTENSION","features":[1]},{"name":"MK_E_LAST","features":[1]},{"name":"MK_E_MUSTBOTHERUSER","features":[1]},{"name":"MK_E_NEEDGENERIC","features":[1]},{"name":"MK_E_NOINVERSE","features":[1]},{"name":"MK_E_NOOBJECT","features":[1]},{"name":"MK_E_NOPREFIX","features":[1]},{"name":"MK_E_NOSTORAGE","features":[1]},{"name":"MK_E_NOTBINDABLE","features":[1]},{"name":"MK_E_NOTBOUND","features":[1]},{"name":"MK_E_NO_NORMALIZED","features":[1]},{"name":"MK_E_SYNTAX","features":[1]},{"name":"MK_E_UNAVAILABLE","features":[1]},{"name":"MK_S_FIRST","features":[1]},{"name":"MK_S_HIM","features":[1]},{"name":"MK_S_LAST","features":[1]},{"name":"MK_S_ME","features":[1]},{"name":"MK_S_MONIKERALREADYREGISTERED","features":[1]},{"name":"MK_S_REDUCED_TO_SELF","features":[1]},{"name":"MK_S_US","features":[1]},{"name":"MSDTC_E_DUPLICATE_RESOURCE","features":[1]},{"name":"MSSIPOTF_E_BADVERSION","features":[1]},{"name":"MSSIPOTF_E_BAD_FIRST_TABLE_PLACEMENT","features":[1]},{"name":"MSSIPOTF_E_BAD_MAGICNUMBER","features":[1]},{"name":"MSSIPOTF_E_BAD_OFFSET_TABLE","features":[1]},{"name":"MSSIPOTF_E_CANTGETOBJECT","features":[1]},{"name":"MSSIPOTF_E_CRYPT","features":[1]},{"name":"MSSIPOTF_E_DSIG_STRUCTURE","features":[1]},{"name":"MSSIPOTF_E_FAILED_HINTS_CHECK","features":[1]},{"name":"MSSIPOTF_E_FAILED_POLICY","features":[1]},{"name":"MSSIPOTF_E_FILE","features":[1]},{"name":"MSSIPOTF_E_FILETOOSMALL","features":[1]},{"name":"MSSIPOTF_E_FILE_CHECKSUM","features":[1]},{"name":"MSSIPOTF_E_NOHEADTABLE","features":[1]},{"name":"MSSIPOTF_E_NOT_OPENTYPE","features":[1]},{"name":"MSSIPOTF_E_OUTOFMEMRANGE","features":[1]},{"name":"MSSIPOTF_E_PCONST_CHECK","features":[1]},{"name":"MSSIPOTF_E_STRUCTURE","features":[1]},{"name":"MSSIPOTF_E_TABLES_OVERLAP","features":[1]},{"name":"MSSIPOTF_E_TABLE_CHECKSUM","features":[1]},{"name":"MSSIPOTF_E_TABLE_LONGWORD","features":[1]},{"name":"MSSIPOTF_E_TABLE_PADBYTES","features":[1]},{"name":"MSSIPOTF_E_TABLE_TAGORDER","features":[1]},{"name":"NAP_E_CONFLICTING_ID","features":[1]},{"name":"NAP_E_ENTITY_DISABLED","features":[1]},{"name":"NAP_E_ID_NOT_FOUND","features":[1]},{"name":"NAP_E_INVALID_PACKET","features":[1]},{"name":"NAP_E_MAXSIZE_TOO_SMALL","features":[1]},{"name":"NAP_E_MISMATCHED_ID","features":[1]},{"name":"NAP_E_MISSING_SOH","features":[1]},{"name":"NAP_E_NETSH_GROUPPOLICY_ERROR","features":[1]},{"name":"NAP_E_NOT_INITIALIZED","features":[1]},{"name":"NAP_E_NOT_PENDING","features":[1]},{"name":"NAP_E_NOT_REGISTERED","features":[1]},{"name":"NAP_E_NO_CACHED_SOH","features":[1]},{"name":"NAP_E_SERVICE_NOT_RUNNING","features":[1]},{"name":"NAP_E_SHV_CONFIG_EXISTED","features":[1]},{"name":"NAP_E_SHV_CONFIG_NOT_FOUND","features":[1]},{"name":"NAP_E_SHV_TIMEOUT","features":[1]},{"name":"NAP_E_STILL_BOUND","features":[1]},{"name":"NAP_E_TOO_MANY_CALLS","features":[1]},{"name":"NAP_S_CERT_ALREADY_PRESENT","features":[1]},{"name":"NEARPROC","features":[1]},{"name":"NOERROR","features":[1]},{"name":"NOT_AN_ERROR1","features":[1]},{"name":"NO_ERROR","features":[1]},{"name":"NTDDI_MAXVER","features":[1]},{"name":"NTE_AUTHENTICATION_IGNORED","features":[1]},{"name":"NTE_BAD_ALGID","features":[1]},{"name":"NTE_BAD_DATA","features":[1]},{"name":"NTE_BAD_FLAGS","features":[1]},{"name":"NTE_BAD_HASH","features":[1]},{"name":"NTE_BAD_HASH_STATE","features":[1]},{"name":"NTE_BAD_KEY","features":[1]},{"name":"NTE_BAD_KEYSET","features":[1]},{"name":"NTE_BAD_KEYSET_PARAM","features":[1]},{"name":"NTE_BAD_KEY_STATE","features":[1]},{"name":"NTE_BAD_LEN","features":[1]},{"name":"NTE_BAD_PROVIDER","features":[1]},{"name":"NTE_BAD_PROV_TYPE","features":[1]},{"name":"NTE_BAD_PUBLIC_KEY","features":[1]},{"name":"NTE_BAD_SIGNATURE","features":[1]},{"name":"NTE_BAD_TYPE","features":[1]},{"name":"NTE_BAD_UID","features":[1]},{"name":"NTE_BAD_VER","features":[1]},{"name":"NTE_BUFFERS_OVERLAP","features":[1]},{"name":"NTE_BUFFER_TOO_SMALL","features":[1]},{"name":"NTE_DECRYPTION_FAILURE","features":[1]},{"name":"NTE_DEVICE_NOT_FOUND","features":[1]},{"name":"NTE_DEVICE_NOT_READY","features":[1]},{"name":"NTE_DOUBLE_ENCRYPT","features":[1]},{"name":"NTE_ENCRYPTION_FAILURE","features":[1]},{"name":"NTE_EXISTS","features":[1]},{"name":"NTE_FAIL","features":[1]},{"name":"NTE_FIXEDPARAMETER","features":[1]},{"name":"NTE_HMAC_NOT_SUPPORTED","features":[1]},{"name":"NTE_INCORRECT_PASSWORD","features":[1]},{"name":"NTE_INTERNAL_ERROR","features":[1]},{"name":"NTE_INVALID_HANDLE","features":[1]},{"name":"NTE_INVALID_PARAMETER","features":[1]},{"name":"NTE_KEYSET_ENTRY_BAD","features":[1]},{"name":"NTE_KEYSET_NOT_DEF","features":[1]},{"name":"NTE_NOT_ACTIVE_CONSOLE","features":[1]},{"name":"NTE_NOT_FOUND","features":[1]},{"name":"NTE_NOT_SUPPORTED","features":[1]},{"name":"NTE_NO_KEY","features":[1]},{"name":"NTE_NO_MEMORY","features":[1]},{"name":"NTE_NO_MORE_ITEMS","features":[1]},{"name":"NTE_OP_OK","features":[1]},{"name":"NTE_PASSWORD_CHANGE_REQUIRED","features":[1]},{"name":"NTE_PERM","features":[1]},{"name":"NTE_PROVIDER_DLL_FAIL","features":[1]},{"name":"NTE_PROV_DLL_NOT_FOUND","features":[1]},{"name":"NTE_PROV_TYPE_ENTRY_BAD","features":[1]},{"name":"NTE_PROV_TYPE_NOT_DEF","features":[1]},{"name":"NTE_PROV_TYPE_NO_MATCH","features":[1]},{"name":"NTE_SIGNATURE_FILE_BAD","features":[1]},{"name":"NTE_SILENT_CONTEXT","features":[1]},{"name":"NTE_SYS_ERR","features":[1]},{"name":"NTE_TEMPORARY_PROFILE","features":[1]},{"name":"NTE_TOKEN_KEYSET_STORAGE_FULL","features":[1]},{"name":"NTE_UI_REQUIRED","features":[1]},{"name":"NTE_USER_CANCELLED","features":[1]},{"name":"NTE_VALIDATION_FAILED","features":[1]},{"name":"NTSTATUS","features":[1]},{"name":"NTSTATUS_FACILITY_CODE","features":[1]},{"name":"NTSTATUS_SEVERITY_CODE","features":[1]},{"name":"OLEOBJ_E_FIRST","features":[1]},{"name":"OLEOBJ_E_INVALIDVERB","features":[1]},{"name":"OLEOBJ_E_LAST","features":[1]},{"name":"OLEOBJ_E_NOVERBS","features":[1]},{"name":"OLEOBJ_S_CANNOT_DOVERB_NOW","features":[1]},{"name":"OLEOBJ_S_FIRST","features":[1]},{"name":"OLEOBJ_S_INVALIDHWND","features":[1]},{"name":"OLEOBJ_S_INVALIDVERB","features":[1]},{"name":"OLEOBJ_S_LAST","features":[1]},{"name":"OLE_E_ADVF","features":[1]},{"name":"OLE_E_ADVISENOTSUPPORTED","features":[1]},{"name":"OLE_E_BLANK","features":[1]},{"name":"OLE_E_CANTCONVERT","features":[1]},{"name":"OLE_E_CANT_BINDTOSOURCE","features":[1]},{"name":"OLE_E_CANT_GETMONIKER","features":[1]},{"name":"OLE_E_CLASSDIFF","features":[1]},{"name":"OLE_E_ENUM_NOMORE","features":[1]},{"name":"OLE_E_FIRST","features":[1]},{"name":"OLE_E_INVALIDHWND","features":[1]},{"name":"OLE_E_INVALIDRECT","features":[1]},{"name":"OLE_E_LAST","features":[1]},{"name":"OLE_E_NOCACHE","features":[1]},{"name":"OLE_E_NOCONNECTION","features":[1]},{"name":"OLE_E_NOSTORAGE","features":[1]},{"name":"OLE_E_NOTRUNNING","features":[1]},{"name":"OLE_E_NOT_INPLACEACTIVE","features":[1]},{"name":"OLE_E_OLEVERB","features":[1]},{"name":"OLE_E_PROMPTSAVECANCELLED","features":[1]},{"name":"OLE_E_STATIC","features":[1]},{"name":"OLE_E_WRONGCOMPOBJ","features":[1]},{"name":"OLE_S_FIRST","features":[1]},{"name":"OLE_S_LAST","features":[1]},{"name":"OLE_S_MAC_CLIPFORMAT","features":[1]},{"name":"OLE_S_STATIC","features":[1]},{"name":"OLE_S_USEREG","features":[1]},{"name":"ONL_CONNECTION_COUNT_LIMIT","features":[1]},{"name":"ONL_E_ACCESS_DENIED_BY_TOU","features":[1]},{"name":"ONL_E_ACCOUNT_LOCKED","features":[1]},{"name":"ONL_E_ACCOUNT_SUSPENDED_ABUSE","features":[1]},{"name":"ONL_E_ACCOUNT_SUSPENDED_COMPROIMISE","features":[1]},{"name":"ONL_E_ACCOUNT_UPDATE_REQUIRED","features":[1]},{"name":"ONL_E_ACTION_REQUIRED","features":[1]},{"name":"ONL_E_CONNECTED_ACCOUNT_CAN_NOT_SIGNOUT","features":[1]},{"name":"ONL_E_EMAIL_VERIFICATION_REQUIRED","features":[1]},{"name":"ONL_E_FORCESIGNIN","features":[1]},{"name":"ONL_E_INVALID_APPLICATION","features":[1]},{"name":"ONL_E_INVALID_AUTHENTICATION_TARGET","features":[1]},{"name":"ONL_E_PARENTAL_CONSENT_REQUIRED","features":[1]},{"name":"ONL_E_PASSWORD_UPDATE_REQUIRED","features":[1]},{"name":"ONL_E_REQUEST_THROTTLED","features":[1]},{"name":"ONL_E_USER_AUTHENTICATION_REQUIRED","features":[1]},{"name":"OR_INVALID_OID","features":[1]},{"name":"OR_INVALID_OXID","features":[1]},{"name":"OR_INVALID_SET","features":[1]},{"name":"OSS_ACCESS_SERIALIZATION_ERROR","features":[1]},{"name":"OSS_API_DLL_NOT_LINKED","features":[1]},{"name":"OSS_BAD_ARG","features":[1]},{"name":"OSS_BAD_ENCRULES","features":[1]},{"name":"OSS_BAD_PTR","features":[1]},{"name":"OSS_BAD_TABLE","features":[1]},{"name":"OSS_BAD_TIME","features":[1]},{"name":"OSS_BAD_VERSION","features":[1]},{"name":"OSS_BERDER_DLL_NOT_LINKED","features":[1]},{"name":"OSS_CANT_CLOSE_TRACE_FILE","features":[1]},{"name":"OSS_CANT_OPEN_TRACE_FILE","features":[1]},{"name":"OSS_CANT_OPEN_TRACE_WINDOW","features":[1]},{"name":"OSS_COMPARATOR_CODE_NOT_LINKED","features":[1]},{"name":"OSS_COMPARATOR_DLL_NOT_LINKED","features":[1]},{"name":"OSS_CONSTRAINT_DLL_NOT_LINKED","features":[1]},{"name":"OSS_CONSTRAINT_VIOLATED","features":[1]},{"name":"OSS_COPIER_DLL_NOT_LINKED","features":[1]},{"name":"OSS_DATA_ERROR","features":[1]},{"name":"OSS_FATAL_ERROR","features":[1]},{"name":"OSS_INDEFINITE_NOT_SUPPORTED","features":[1]},{"name":"OSS_LIMITED","features":[1]},{"name":"OSS_MEM_ERROR","features":[1]},{"name":"OSS_MEM_MGR_DLL_NOT_LINKED","features":[1]},{"name":"OSS_MORE_BUF","features":[1]},{"name":"OSS_MORE_INPUT","features":[1]},{"name":"OSS_MUTEX_NOT_CREATED","features":[1]},{"name":"OSS_NEGATIVE_UINTEGER","features":[1]},{"name":"OSS_NULL_FCN","features":[1]},{"name":"OSS_NULL_TBL","features":[1]},{"name":"OSS_OID_DLL_NOT_LINKED","features":[1]},{"name":"OSS_OPEN_TYPE_ERROR","features":[1]},{"name":"OSS_OUT_MEMORY","features":[1]},{"name":"OSS_OUT_OF_RANGE","features":[1]},{"name":"OSS_PDU_MISMATCH","features":[1]},{"name":"OSS_PDU_RANGE","features":[1]},{"name":"OSS_PDV_CODE_NOT_LINKED","features":[1]},{"name":"OSS_PDV_DLL_NOT_LINKED","features":[1]},{"name":"OSS_PER_DLL_NOT_LINKED","features":[1]},{"name":"OSS_REAL_CODE_NOT_LINKED","features":[1]},{"name":"OSS_REAL_DLL_NOT_LINKED","features":[1]},{"name":"OSS_TABLE_MISMATCH","features":[1]},{"name":"OSS_TOO_LONG","features":[1]},{"name":"OSS_TRACE_FILE_ALREADY_OPEN","features":[1]},{"name":"OSS_TYPE_NOT_SUPPORTED","features":[1]},{"name":"OSS_UNAVAIL_ENCRULES","features":[1]},{"name":"OSS_UNIMPLEMENTED","features":[1]},{"name":"PAPCFUNC","features":[1]},{"name":"PEERDIST_ERROR_ALREADY_COMPLETED","features":[1]},{"name":"PEERDIST_ERROR_ALREADY_EXISTS","features":[1]},{"name":"PEERDIST_ERROR_ALREADY_INITIALIZED","features":[1]},{"name":"PEERDIST_ERROR_CANNOT_PARSE_CONTENTINFO","features":[1]},{"name":"PEERDIST_ERROR_CONTENTINFO_VERSION_UNSUPPORTED","features":[1]},{"name":"PEERDIST_ERROR_INVALIDATED","features":[1]},{"name":"PEERDIST_ERROR_INVALID_CONFIGURATION","features":[1]},{"name":"PEERDIST_ERROR_MISSING_DATA","features":[1]},{"name":"PEERDIST_ERROR_NOT_INITIALIZED","features":[1]},{"name":"PEERDIST_ERROR_NOT_LICENSED","features":[1]},{"name":"PEERDIST_ERROR_NO_MORE","features":[1]},{"name":"PEERDIST_ERROR_OPERATION_NOTFOUND","features":[1]},{"name":"PEERDIST_ERROR_OUT_OF_BOUNDS","features":[1]},{"name":"PEERDIST_ERROR_SERVICE_UNAVAILABLE","features":[1]},{"name":"PEERDIST_ERROR_SHUTDOWN_IN_PROGRESS","features":[1]},{"name":"PEERDIST_ERROR_TRUST_FAILURE","features":[1]},{"name":"PEERDIST_ERROR_VERSION_UNSUPPORTED","features":[1]},{"name":"PEER_E_ALREADY_LISTENING","features":[1]},{"name":"PEER_E_CANNOT_CONVERT_PEER_NAME","features":[1]},{"name":"PEER_E_CANNOT_START_SERVICE","features":[1]},{"name":"PEER_E_CERT_STORE_CORRUPTED","features":[1]},{"name":"PEER_E_CHAIN_TOO_LONG","features":[1]},{"name":"PEER_E_CIRCULAR_CHAIN_DETECTED","features":[1]},{"name":"PEER_E_CLASSIFIER_TOO_LONG","features":[1]},{"name":"PEER_E_CLOUD_NAME_AMBIGUOUS","features":[1]},{"name":"PEER_E_CONNECTION_FAILED","features":[1]},{"name":"PEER_E_CONNECTION_NOT_AUTHENTICATED","features":[1]},{"name":"PEER_E_CONNECTION_NOT_FOUND","features":[1]},{"name":"PEER_E_CONNECTION_REFUSED","features":[1]},{"name":"PEER_E_CONNECT_SELF","features":[1]},{"name":"PEER_E_CONTACT_NOT_FOUND","features":[1]},{"name":"PEER_E_DATABASE_ACCESSDENIED","features":[1]},{"name":"PEER_E_DATABASE_ALREADY_PRESENT","features":[1]},{"name":"PEER_E_DATABASE_NOT_PRESENT","features":[1]},{"name":"PEER_E_DBINITIALIZATION_FAILED","features":[1]},{"name":"PEER_E_DBNAME_CHANGED","features":[1]},{"name":"PEER_E_DEFERRED_VALIDATION","features":[1]},{"name":"PEER_E_DUPLICATE_GRAPH","features":[1]},{"name":"PEER_E_EVENT_HANDLE_NOT_FOUND","features":[1]},{"name":"PEER_E_FW_BLOCKED_BY_POLICY","features":[1]},{"name":"PEER_E_FW_BLOCKED_BY_SHIELDS_UP","features":[1]},{"name":"PEER_E_FW_DECLINED","features":[1]},{"name":"PEER_E_FW_EXCEPTION_DISABLED","features":[1]},{"name":"PEER_E_GRAPH_IN_USE","features":[1]},{"name":"PEER_E_GRAPH_NOT_READY","features":[1]},{"name":"PEER_E_GRAPH_SHUTTING_DOWN","features":[1]},{"name":"PEER_E_GROUPS_EXIST","features":[1]},{"name":"PEER_E_GROUP_IN_USE","features":[1]},{"name":"PEER_E_GROUP_NOT_READY","features":[1]},{"name":"PEER_E_IDENTITY_DELETED","features":[1]},{"name":"PEER_E_IDENTITY_NOT_FOUND","features":[1]},{"name":"PEER_E_INVALID_ADDRESS","features":[1]},{"name":"PEER_E_INVALID_ATTRIBUTES","features":[1]},{"name":"PEER_E_INVALID_CLASSIFIER","features":[1]},{"name":"PEER_E_INVALID_CLASSIFIER_PROPERTY","features":[1]},{"name":"PEER_E_INVALID_CREDENTIAL","features":[1]},{"name":"PEER_E_INVALID_CREDENTIAL_INFO","features":[1]},{"name":"PEER_E_INVALID_DATABASE","features":[1]},{"name":"PEER_E_INVALID_FRIENDLY_NAME","features":[1]},{"name":"PEER_E_INVALID_GRAPH","features":[1]},{"name":"PEER_E_INVALID_GROUP","features":[1]},{"name":"PEER_E_INVALID_GROUP_PROPERTIES","features":[1]},{"name":"PEER_E_INVALID_PEER_HOST_NAME","features":[1]},{"name":"PEER_E_INVALID_PEER_NAME","features":[1]},{"name":"PEER_E_INVALID_RECORD","features":[1]},{"name":"PEER_E_INVALID_RECORD_EXPIRATION","features":[1]},{"name":"PEER_E_INVALID_RECORD_SIZE","features":[1]},{"name":"PEER_E_INVALID_ROLE_PROPERTY","features":[1]},{"name":"PEER_E_INVALID_SEARCH","features":[1]},{"name":"PEER_E_INVALID_TIME_PERIOD","features":[1]},{"name":"PEER_E_INVITATION_NOT_TRUSTED","features":[1]},{"name":"PEER_E_INVITE_CANCELLED","features":[1]},{"name":"PEER_E_INVITE_RESPONSE_NOT_AVAILABLE","features":[1]},{"name":"PEER_E_IPV6_NOT_INSTALLED","features":[1]},{"name":"PEER_E_MAX_RECORD_SIZE_EXCEEDED","features":[1]},{"name":"PEER_E_NODE_NOT_FOUND","features":[1]},{"name":"PEER_E_NOT_AUTHORIZED","features":[1]},{"name":"PEER_E_NOT_INITIALIZED","features":[1]},{"name":"PEER_E_NOT_LICENSED","features":[1]},{"name":"PEER_E_NOT_SIGNED_IN","features":[1]},{"name":"PEER_E_NO_CLOUD","features":[1]},{"name":"PEER_E_NO_KEY_ACCESS","features":[1]},{"name":"PEER_E_NO_MEMBERS_FOUND","features":[1]},{"name":"PEER_E_NO_MEMBER_CONNECTIONS","features":[1]},{"name":"PEER_E_NO_MORE","features":[1]},{"name":"PEER_E_PASSWORD_DOES_NOT_MEET_POLICY","features":[1]},{"name":"PEER_E_PNRP_DUPLICATE_PEER_NAME","features":[1]},{"name":"PEER_E_PRIVACY_DECLINED","features":[1]},{"name":"PEER_E_RECORD_NOT_FOUND","features":[1]},{"name":"PEER_E_SERVICE_NOT_AVAILABLE","features":[1]},{"name":"PEER_E_TIMEOUT","features":[1]},{"name":"PEER_E_TOO_MANY_ATTRIBUTES","features":[1]},{"name":"PEER_E_TOO_MANY_IDENTITIES","features":[1]},{"name":"PEER_E_UNABLE_TO_LISTEN","features":[1]},{"name":"PEER_E_UNSUPPORTED_VERSION","features":[1]},{"name":"PEER_S_ALREADY_A_MEMBER","features":[1]},{"name":"PEER_S_ALREADY_CONNECTED","features":[1]},{"name":"PEER_S_GRAPH_DATA_CREATED","features":[1]},{"name":"PEER_S_NO_CONNECTIVITY","features":[1]},{"name":"PEER_S_NO_EVENT_DATA","features":[1]},{"name":"PEER_S_SUBSCRIPTION_EXISTS","features":[1]},{"name":"PERSIST_E_NOTSELFSIZING","features":[1]},{"name":"PERSIST_E_SIZEDEFINITE","features":[1]},{"name":"PERSIST_E_SIZEINDEFINITE","features":[1]},{"name":"PLA_E_CABAPI_FAILURE","features":[1]},{"name":"PLA_E_CONFLICT_INCL_EXCL_API","features":[1]},{"name":"PLA_E_CREDENTIALS_REQUIRED","features":[1]},{"name":"PLA_E_DCS_ALREADY_EXISTS","features":[1]},{"name":"PLA_E_DCS_IN_USE","features":[1]},{"name":"PLA_E_DCS_NOT_FOUND","features":[1]},{"name":"PLA_E_DCS_NOT_RUNNING","features":[1]},{"name":"PLA_E_DCS_SINGLETON_REQUIRED","features":[1]},{"name":"PLA_E_DCS_START_WAIT_TIMEOUT","features":[1]},{"name":"PLA_E_DC_ALREADY_EXISTS","features":[1]},{"name":"PLA_E_DC_START_WAIT_TIMEOUT","features":[1]},{"name":"PLA_E_EXE_ALREADY_CONFIGURED","features":[1]},{"name":"PLA_E_EXE_FULL_PATH_REQUIRED","features":[1]},{"name":"PLA_E_EXE_PATH_NOT_VALID","features":[1]},{"name":"PLA_E_INVALID_SESSION_NAME","features":[1]},{"name":"PLA_E_NETWORK_EXE_NOT_VALID","features":[1]},{"name":"PLA_E_NO_DUPLICATES","features":[1]},{"name":"PLA_E_NO_MIN_DISK","features":[1]},{"name":"PLA_E_PLA_CHANNEL_NOT_ENABLED","features":[1]},{"name":"PLA_E_PROPERTY_CONFLICT","features":[1]},{"name":"PLA_E_REPORT_WAIT_TIMEOUT","features":[1]},{"name":"PLA_E_RULES_MANAGER_FAILED","features":[1]},{"name":"PLA_E_TASKSCHED_CHANNEL_NOT_ENABLED","features":[1]},{"name":"PLA_E_TOO_MANY_FOLDERS","features":[1]},{"name":"PLA_S_PROPERTY_IGNORED","features":[1]},{"name":"POINT","features":[1]},{"name":"POINTL","features":[1]},{"name":"POINTS","features":[1]},{"name":"PRESENTATION_ERROR_LOST","features":[1]},{"name":"PROC","features":[1]},{"name":"PSID","features":[1]},{"name":"PSINK_E_INDEX_ONLY","features":[1]},{"name":"PSINK_E_LARGE_ATTACHMENT","features":[1]},{"name":"PSINK_E_QUERY_ONLY","features":[1]},{"name":"PSINK_S_LARGE_WORD","features":[1]},{"name":"PSTR","features":[1]},{"name":"PWSTR","features":[1]},{"name":"QPARSE_E_EXPECTING_BRACE","features":[1]},{"name":"QPARSE_E_EXPECTING_COMMA","features":[1]},{"name":"QPARSE_E_EXPECTING_CURRENCY","features":[1]},{"name":"QPARSE_E_EXPECTING_DATE","features":[1]},{"name":"QPARSE_E_EXPECTING_EOS","features":[1]},{"name":"QPARSE_E_EXPECTING_GUID","features":[1]},{"name":"QPARSE_E_EXPECTING_INTEGER","features":[1]},{"name":"QPARSE_E_EXPECTING_PAREN","features":[1]},{"name":"QPARSE_E_EXPECTING_PHRASE","features":[1]},{"name":"QPARSE_E_EXPECTING_PROPERTY","features":[1]},{"name":"QPARSE_E_EXPECTING_REAL","features":[1]},{"name":"QPARSE_E_EXPECTING_REGEX","features":[1]},{"name":"QPARSE_E_EXPECTING_REGEX_PROPERTY","features":[1]},{"name":"QPARSE_E_INVALID_GROUPING","features":[1]},{"name":"QPARSE_E_INVALID_LITERAL","features":[1]},{"name":"QPARSE_E_INVALID_QUERY","features":[1]},{"name":"QPARSE_E_INVALID_RANKMETHOD","features":[1]},{"name":"QPARSE_E_INVALID_SORT_ORDER","features":[1]},{"name":"QPARSE_E_NOT_YET_IMPLEMENTED","features":[1]},{"name":"QPARSE_E_NO_SUCH_PROPERTY","features":[1]},{"name":"QPARSE_E_NO_SUCH_SORT_PROPERTY","features":[1]},{"name":"QPARSE_E_UNEXPECTED_EOS","features":[1]},{"name":"QPARSE_E_UNEXPECTED_NOT","features":[1]},{"name":"QPARSE_E_UNSUPPORTED_PROPERTY_TYPE","features":[1]},{"name":"QPARSE_E_WEIGHT_OUT_OF_RANGE","features":[1]},{"name":"QPLIST_E_BAD_GUID","features":[1]},{"name":"QPLIST_E_BYREF_USED_WITHOUT_PTRTYPE","features":[1]},{"name":"QPLIST_E_CANT_OPEN_FILE","features":[1]},{"name":"QPLIST_E_CANT_SET_PROPERTY","features":[1]},{"name":"QPLIST_E_DUPLICATE","features":[1]},{"name":"QPLIST_E_EXPECTING_CLOSE_PAREN","features":[1]},{"name":"QPLIST_E_EXPECTING_GUID","features":[1]},{"name":"QPLIST_E_EXPECTING_INTEGER","features":[1]},{"name":"QPLIST_E_EXPECTING_NAME","features":[1]},{"name":"QPLIST_E_EXPECTING_PROP_SPEC","features":[1]},{"name":"QPLIST_E_EXPECTING_TYPE","features":[1]},{"name":"QPLIST_E_READ_ERROR","features":[1]},{"name":"QPLIST_E_UNRECOGNIZED_TYPE","features":[1]},{"name":"QPLIST_E_VECTORBYREF_USED_ALONE","features":[1]},{"name":"QPLIST_S_DUPLICATE","features":[1]},{"name":"QUERY_E_ALLNOISE","features":[1]},{"name":"QUERY_E_DIR_ON_REMOVABLE_DRIVE","features":[1]},{"name":"QUERY_E_DUPLICATE_OUTPUT_COLUMN","features":[1]},{"name":"QUERY_E_FAILED","features":[1]},{"name":"QUERY_E_INVALIDCATEGORIZE","features":[1]},{"name":"QUERY_E_INVALIDQUERY","features":[1]},{"name":"QUERY_E_INVALIDRESTRICTION","features":[1]},{"name":"QUERY_E_INVALIDSORT","features":[1]},{"name":"QUERY_E_INVALID_DIRECTORY","features":[1]},{"name":"QUERY_E_INVALID_OUTPUT_COLUMN","features":[1]},{"name":"QUERY_E_TIMEDOUT","features":[1]},{"name":"QUERY_E_TOOCOMPLEX","features":[1]},{"name":"QUERY_S_NO_QUERY","features":[1]},{"name":"QUTIL_E_CANT_CONVERT_VROOT","features":[1]},{"name":"QUTIL_E_INVALID_CODEPAGE","features":[1]},{"name":"RECT","features":[1]},{"name":"RECTL","features":[1]},{"name":"REGDB_E_BADTHREADINGMODEL","features":[1]},{"name":"REGDB_E_CLASSNOTREG","features":[1]},{"name":"REGDB_E_FIRST","features":[1]},{"name":"REGDB_E_IIDNOTREG","features":[1]},{"name":"REGDB_E_INVALIDVALUE","features":[1]},{"name":"REGDB_E_KEYMISSING","features":[1]},{"name":"REGDB_E_LAST","features":[1]},{"name":"REGDB_E_PACKAGEPOLICYVIOLATION","features":[1]},{"name":"REGDB_E_READREGDB","features":[1]},{"name":"REGDB_E_WRITEREGDB","features":[1]},{"name":"REGDB_S_FIRST","features":[1]},{"name":"REGDB_S_LAST","features":[1]},{"name":"ROUTEBASE","features":[1]},{"name":"ROUTEBASEEND","features":[1]},{"name":"RO_E_BLOCKED_CROSS_ASTA_CALL","features":[1]},{"name":"RO_E_CANNOT_ACTIVATE_FULL_TRUST_SERVER","features":[1]},{"name":"RO_E_CANNOT_ACTIVATE_UNIVERSAL_APPLICATION_SERVER","features":[1]},{"name":"RO_E_CHANGE_NOTIFICATION_IN_PROGRESS","features":[1]},{"name":"RO_E_CLOSED","features":[1]},{"name":"RO_E_COMMITTED","features":[1]},{"name":"RO_E_ERROR_STRING_NOT_FOUND","features":[1]},{"name":"RO_E_EXCLUSIVE_WRITE","features":[1]},{"name":"RO_E_INVALID_METADATA_FILE","features":[1]},{"name":"RO_E_METADATA_INVALID_TYPE_FORMAT","features":[1]},{"name":"RO_E_METADATA_NAME_IS_NAMESPACE","features":[1]},{"name":"RO_E_METADATA_NAME_NOT_FOUND","features":[1]},{"name":"RO_E_MUST_BE_AGILE","features":[1]},{"name":"RO_E_UNSUPPORTED_FROM_MTA","features":[1]},{"name":"RPC_E_ACCESS_DENIED","features":[1]},{"name":"RPC_E_ATTEMPTED_MULTITHREAD","features":[1]},{"name":"RPC_E_CALL_CANCELED","features":[1]},{"name":"RPC_E_CALL_COMPLETE","features":[1]},{"name":"RPC_E_CALL_REJECTED","features":[1]},{"name":"RPC_E_CANTCALLOUT_AGAIN","features":[1]},{"name":"RPC_E_CANTCALLOUT_INASYNCCALL","features":[1]},{"name":"RPC_E_CANTCALLOUT_INEXTERNALCALL","features":[1]},{"name":"RPC_E_CANTCALLOUT_ININPUTSYNCCALL","features":[1]},{"name":"RPC_E_CANTPOST_INSENDCALL","features":[1]},{"name":"RPC_E_CANTTRANSMIT_CALL","features":[1]},{"name":"RPC_E_CHANGED_MODE","features":[1]},{"name":"RPC_E_CLIENT_CANTMARSHAL_DATA","features":[1]},{"name":"RPC_E_CLIENT_CANTUNMARSHAL_DATA","features":[1]},{"name":"RPC_E_CLIENT_DIED","features":[1]},{"name":"RPC_E_CONNECTION_TERMINATED","features":[1]},{"name":"RPC_E_DISCONNECTED","features":[1]},{"name":"RPC_E_FAULT","features":[1]},{"name":"RPC_E_FULLSIC_REQUIRED","features":[1]},{"name":"RPC_E_INVALIDMETHOD","features":[1]},{"name":"RPC_E_INVALID_CALLDATA","features":[1]},{"name":"RPC_E_INVALID_DATA","features":[1]},{"name":"RPC_E_INVALID_DATAPACKET","features":[1]},{"name":"RPC_E_INVALID_EXTENSION","features":[1]},{"name":"RPC_E_INVALID_HEADER","features":[1]},{"name":"RPC_E_INVALID_IPID","features":[1]},{"name":"RPC_E_INVALID_OBJECT","features":[1]},{"name":"RPC_E_INVALID_OBJREF","features":[1]},{"name":"RPC_E_INVALID_PARAMETER","features":[1]},{"name":"RPC_E_INVALID_STD_NAME","features":[1]},{"name":"RPC_E_NOT_REGISTERED","features":[1]},{"name":"RPC_E_NO_CONTEXT","features":[1]},{"name":"RPC_E_NO_GOOD_SECURITY_PACKAGES","features":[1]},{"name":"RPC_E_NO_SYNC","features":[1]},{"name":"RPC_E_OUT_OF_RESOURCES","features":[1]},{"name":"RPC_E_REMOTE_DISABLED","features":[1]},{"name":"RPC_E_RETRY","features":[1]},{"name":"RPC_E_SERVERCALL_REJECTED","features":[1]},{"name":"RPC_E_SERVERCALL_RETRYLATER","features":[1]},{"name":"RPC_E_SERVERFAULT","features":[1]},{"name":"RPC_E_SERVER_CANTMARSHAL_DATA","features":[1]},{"name":"RPC_E_SERVER_CANTUNMARSHAL_DATA","features":[1]},{"name":"RPC_E_SERVER_DIED","features":[1]},{"name":"RPC_E_SERVER_DIED_DNE","features":[1]},{"name":"RPC_E_SYS_CALL_FAILED","features":[1]},{"name":"RPC_E_THREAD_NOT_INIT","features":[1]},{"name":"RPC_E_TIMEOUT","features":[1]},{"name":"RPC_E_TOO_LATE","features":[1]},{"name":"RPC_E_UNEXPECTED","features":[1]},{"name":"RPC_E_UNSECURE_CALL","features":[1]},{"name":"RPC_E_VERSION_MISMATCH","features":[1]},{"name":"RPC_E_WRONG_THREAD","features":[1]},{"name":"RPC_NT_ADDRESS_ERROR","features":[1]},{"name":"RPC_NT_ALREADY_LISTENING","features":[1]},{"name":"RPC_NT_ALREADY_REGISTERED","features":[1]},{"name":"RPC_NT_BAD_STUB_DATA","features":[1]},{"name":"RPC_NT_BINDING_HAS_NO_AUTH","features":[1]},{"name":"RPC_NT_BINDING_INCOMPLETE","features":[1]},{"name":"RPC_NT_BYTE_COUNT_TOO_SMALL","features":[1]},{"name":"RPC_NT_CALL_CANCELLED","features":[1]},{"name":"RPC_NT_CALL_FAILED","features":[1]},{"name":"RPC_NT_CALL_FAILED_DNE","features":[1]},{"name":"RPC_NT_CALL_IN_PROGRESS","features":[1]},{"name":"RPC_NT_CANNOT_SUPPORT","features":[1]},{"name":"RPC_NT_CANT_CREATE_ENDPOINT","features":[1]},{"name":"RPC_NT_COMM_FAILURE","features":[1]},{"name":"RPC_NT_COOKIE_AUTH_FAILED","features":[1]},{"name":"RPC_NT_DUPLICATE_ENDPOINT","features":[1]},{"name":"RPC_NT_ENTRY_ALREADY_EXISTS","features":[1]},{"name":"RPC_NT_ENTRY_NOT_FOUND","features":[1]},{"name":"RPC_NT_ENUM_VALUE_OUT_OF_RANGE","features":[1]},{"name":"RPC_NT_FP_DIV_ZERO","features":[1]},{"name":"RPC_NT_FP_OVERFLOW","features":[1]},{"name":"RPC_NT_FP_UNDERFLOW","features":[1]},{"name":"RPC_NT_GROUP_MEMBER_NOT_FOUND","features":[1]},{"name":"RPC_NT_INCOMPLETE_NAME","features":[1]},{"name":"RPC_NT_INTERFACE_NOT_FOUND","features":[1]},{"name":"RPC_NT_INTERNAL_ERROR","features":[1]},{"name":"RPC_NT_INVALID_ASYNC_CALL","features":[1]},{"name":"RPC_NT_INVALID_ASYNC_HANDLE","features":[1]},{"name":"RPC_NT_INVALID_AUTH_IDENTITY","features":[1]},{"name":"RPC_NT_INVALID_BINDING","features":[1]},{"name":"RPC_NT_INVALID_BOUND","features":[1]},{"name":"RPC_NT_INVALID_ENDPOINT_FORMAT","features":[1]},{"name":"RPC_NT_INVALID_ES_ACTION","features":[1]},{"name":"RPC_NT_INVALID_NAF_ID","features":[1]},{"name":"RPC_NT_INVALID_NAME_SYNTAX","features":[1]},{"name":"RPC_NT_INVALID_NETWORK_OPTIONS","features":[1]},{"name":"RPC_NT_INVALID_NET_ADDR","features":[1]},{"name":"RPC_NT_INVALID_OBJECT","features":[1]},{"name":"RPC_NT_INVALID_PIPE_OBJECT","features":[1]},{"name":"RPC_NT_INVALID_PIPE_OPERATION","features":[1]},{"name":"RPC_NT_INVALID_RPC_PROTSEQ","features":[1]},{"name":"RPC_NT_INVALID_STRING_BINDING","features":[1]},{"name":"RPC_NT_INVALID_STRING_UUID","features":[1]},{"name":"RPC_NT_INVALID_TAG","features":[1]},{"name":"RPC_NT_INVALID_TIMEOUT","features":[1]},{"name":"RPC_NT_INVALID_VERS_OPTION","features":[1]},{"name":"RPC_NT_MAX_CALLS_TOO_SMALL","features":[1]},{"name":"RPC_NT_NAME_SERVICE_UNAVAILABLE","features":[1]},{"name":"RPC_NT_NOTHING_TO_EXPORT","features":[1]},{"name":"RPC_NT_NOT_ALL_OBJS_UNEXPORTED","features":[1]},{"name":"RPC_NT_NOT_CANCELLED","features":[1]},{"name":"RPC_NT_NOT_LISTENING","features":[1]},{"name":"RPC_NT_NOT_RPC_ERROR","features":[1]},{"name":"RPC_NT_NO_BINDINGS","features":[1]},{"name":"RPC_NT_NO_CALL_ACTIVE","features":[1]},{"name":"RPC_NT_NO_CONTEXT_AVAILABLE","features":[1]},{"name":"RPC_NT_NO_ENDPOINT_FOUND","features":[1]},{"name":"RPC_NT_NO_ENTRY_NAME","features":[1]},{"name":"RPC_NT_NO_INTERFACES","features":[1]},{"name":"RPC_NT_NO_MORE_BINDINGS","features":[1]},{"name":"RPC_NT_NO_MORE_ENTRIES","features":[1]},{"name":"RPC_NT_NO_MORE_MEMBERS","features":[1]},{"name":"RPC_NT_NO_PRINC_NAME","features":[1]},{"name":"RPC_NT_NO_PROTSEQS","features":[1]},{"name":"RPC_NT_NO_PROTSEQS_REGISTERED","features":[1]},{"name":"RPC_NT_NULL_REF_POINTER","features":[1]},{"name":"RPC_NT_OBJECT_NOT_FOUND","features":[1]},{"name":"RPC_NT_OUT_OF_RESOURCES","features":[1]},{"name":"RPC_NT_PIPE_CLOSED","features":[1]},{"name":"RPC_NT_PIPE_DISCIPLINE_ERROR","features":[1]},{"name":"RPC_NT_PIPE_EMPTY","features":[1]},{"name":"RPC_NT_PROCNUM_OUT_OF_RANGE","features":[1]},{"name":"RPC_NT_PROTOCOL_ERROR","features":[1]},{"name":"RPC_NT_PROTSEQ_NOT_FOUND","features":[1]},{"name":"RPC_NT_PROTSEQ_NOT_SUPPORTED","features":[1]},{"name":"RPC_NT_PROXY_ACCESS_DENIED","features":[1]},{"name":"RPC_NT_SEC_PKG_ERROR","features":[1]},{"name":"RPC_NT_SEND_INCOMPLETE","features":[1]},{"name":"RPC_NT_SERVER_TOO_BUSY","features":[1]},{"name":"RPC_NT_SERVER_UNAVAILABLE","features":[1]},{"name":"RPC_NT_SS_CANNOT_GET_CALL_HANDLE","features":[1]},{"name":"RPC_NT_SS_CHAR_TRANS_OPEN_FAIL","features":[1]},{"name":"RPC_NT_SS_CHAR_TRANS_SHORT_FILE","features":[1]},{"name":"RPC_NT_SS_CONTEXT_DAMAGED","features":[1]},{"name":"RPC_NT_SS_CONTEXT_MISMATCH","features":[1]},{"name":"RPC_NT_SS_HANDLES_MISMATCH","features":[1]},{"name":"RPC_NT_SS_IN_NULL_CONTEXT","features":[1]},{"name":"RPC_NT_STRING_TOO_LONG","features":[1]},{"name":"RPC_NT_TYPE_ALREADY_REGISTERED","features":[1]},{"name":"RPC_NT_UNKNOWN_AUTHN_LEVEL","features":[1]},{"name":"RPC_NT_UNKNOWN_AUTHN_SERVICE","features":[1]},{"name":"RPC_NT_UNKNOWN_AUTHN_TYPE","features":[1]},{"name":"RPC_NT_UNKNOWN_AUTHZ_SERVICE","features":[1]},{"name":"RPC_NT_UNKNOWN_IF","features":[1]},{"name":"RPC_NT_UNKNOWN_MGR_TYPE","features":[1]},{"name":"RPC_NT_UNSUPPORTED_AUTHN_LEVEL","features":[1]},{"name":"RPC_NT_UNSUPPORTED_NAME_SYNTAX","features":[1]},{"name":"RPC_NT_UNSUPPORTED_TRANS_SYN","features":[1]},{"name":"RPC_NT_UNSUPPORTED_TYPE","features":[1]},{"name":"RPC_NT_UUID_LOCAL_ONLY","features":[1]},{"name":"RPC_NT_UUID_NO_ADDRESS","features":[1]},{"name":"RPC_NT_WRONG_ES_VERSION","features":[1]},{"name":"RPC_NT_WRONG_KIND_OF_BINDING","features":[1]},{"name":"RPC_NT_WRONG_PIPE_VERSION","features":[1]},{"name":"RPC_NT_WRONG_STUB_VERSION","features":[1]},{"name":"RPC_NT_ZERO_DIVIDE","features":[1]},{"name":"RPC_S_ACCESS_DENIED","features":[1]},{"name":"RPC_S_ASYNC_CALL_PENDING","features":[1]},{"name":"RPC_S_BUFFER_TOO_SMALL","features":[1]},{"name":"RPC_S_CALLPENDING","features":[1]},{"name":"RPC_S_INVALID_ARG","features":[1]},{"name":"RPC_S_INVALID_LEVEL","features":[1]},{"name":"RPC_S_INVALID_SECURITY_DESC","features":[1]},{"name":"RPC_S_NOT_ENOUGH_QUOTA","features":[1]},{"name":"RPC_S_OUT_OF_MEMORY","features":[1]},{"name":"RPC_S_OUT_OF_THREADS","features":[1]},{"name":"RPC_S_SERVER_OUT_OF_MEMORY","features":[1]},{"name":"RPC_S_UNKNOWN_PRINCIPAL","features":[1]},{"name":"RPC_S_WAITONTIMER","features":[1]},{"name":"RPC_X_BAD_STUB_DATA","features":[1]},{"name":"RPC_X_BYTE_COUNT_TOO_SMALL","features":[1]},{"name":"RPC_X_ENUM_VALUE_OUT_OF_RANGE","features":[1]},{"name":"RPC_X_ENUM_VALUE_TOO_LARGE","features":[1]},{"name":"RPC_X_INVALID_BOUND","features":[1]},{"name":"RPC_X_INVALID_BUFFER","features":[1]},{"name":"RPC_X_INVALID_ES_ACTION","features":[1]},{"name":"RPC_X_INVALID_PIPE_OBJECT","features":[1]},{"name":"RPC_X_INVALID_PIPE_OPERATION","features":[1]},{"name":"RPC_X_INVALID_TAG","features":[1]},{"name":"RPC_X_NO_MEMORY","features":[1]},{"name":"RPC_X_NO_MORE_ENTRIES","features":[1]},{"name":"RPC_X_NULL_REF_POINTER","features":[1]},{"name":"RPC_X_PIPE_APP_MEMORY","features":[1]},{"name":"RPC_X_PIPE_CLOSED","features":[1]},{"name":"RPC_X_PIPE_DISCIPLINE_ERROR","features":[1]},{"name":"RPC_X_PIPE_EMPTY","features":[1]},{"name":"RPC_X_SS_CANNOT_GET_CALL_HANDLE","features":[1]},{"name":"RPC_X_SS_CHAR_TRANS_OPEN_FAIL","features":[1]},{"name":"RPC_X_SS_CHAR_TRANS_SHORT_FILE","features":[1]},{"name":"RPC_X_SS_CONTEXT_DAMAGED","features":[1]},{"name":"RPC_X_SS_CONTEXT_MISMATCH","features":[1]},{"name":"RPC_X_SS_HANDLES_MISMATCH","features":[1]},{"name":"RPC_X_SS_IN_NULL_CONTEXT","features":[1]},{"name":"RPC_X_WRONG_ES_VERSION","features":[1]},{"name":"RPC_X_WRONG_PIPE_ORDER","features":[1]},{"name":"RPC_X_WRONG_PIPE_VERSION","features":[1]},{"name":"RPC_X_WRONG_STUB_VERSION","features":[1]},{"name":"RtlNtStatusToDosError","features":[1]},{"name":"SCARD_E_BAD_SEEK","features":[1]},{"name":"SCARD_E_CANCELLED","features":[1]},{"name":"SCARD_E_CANT_DISPOSE","features":[1]},{"name":"SCARD_E_CARD_UNSUPPORTED","features":[1]},{"name":"SCARD_E_CERTIFICATE_UNAVAILABLE","features":[1]},{"name":"SCARD_E_COMM_DATA_LOST","features":[1]},{"name":"SCARD_E_DIR_NOT_FOUND","features":[1]},{"name":"SCARD_E_DUPLICATE_READER","features":[1]},{"name":"SCARD_E_FILE_NOT_FOUND","features":[1]},{"name":"SCARD_E_ICC_CREATEORDER","features":[1]},{"name":"SCARD_E_ICC_INSTALLATION","features":[1]},{"name":"SCARD_E_INSUFFICIENT_BUFFER","features":[1]},{"name":"SCARD_E_INVALID_ATR","features":[1]},{"name":"SCARD_E_INVALID_CHV","features":[1]},{"name":"SCARD_E_INVALID_HANDLE","features":[1]},{"name":"SCARD_E_INVALID_PARAMETER","features":[1]},{"name":"SCARD_E_INVALID_TARGET","features":[1]},{"name":"SCARD_E_INVALID_VALUE","features":[1]},{"name":"SCARD_E_NOT_READY","features":[1]},{"name":"SCARD_E_NOT_TRANSACTED","features":[1]},{"name":"SCARD_E_NO_ACCESS","features":[1]},{"name":"SCARD_E_NO_DIR","features":[1]},{"name":"SCARD_E_NO_FILE","features":[1]},{"name":"SCARD_E_NO_KEY_CONTAINER","features":[1]},{"name":"SCARD_E_NO_MEMORY","features":[1]},{"name":"SCARD_E_NO_PIN_CACHE","features":[1]},{"name":"SCARD_E_NO_READERS_AVAILABLE","features":[1]},{"name":"SCARD_E_NO_SERVICE","features":[1]},{"name":"SCARD_E_NO_SMARTCARD","features":[1]},{"name":"SCARD_E_NO_SUCH_CERTIFICATE","features":[1]},{"name":"SCARD_E_PCI_TOO_SMALL","features":[1]},{"name":"SCARD_E_PIN_CACHE_EXPIRED","features":[1]},{"name":"SCARD_E_PROTO_MISMATCH","features":[1]},{"name":"SCARD_E_READER_UNAVAILABLE","features":[1]},{"name":"SCARD_E_READER_UNSUPPORTED","features":[1]},{"name":"SCARD_E_READ_ONLY_CARD","features":[1]},{"name":"SCARD_E_SERVER_TOO_BUSY","features":[1]},{"name":"SCARD_E_SERVICE_STOPPED","features":[1]},{"name":"SCARD_E_SHARING_VIOLATION","features":[1]},{"name":"SCARD_E_SYSTEM_CANCELLED","features":[1]},{"name":"SCARD_E_TIMEOUT","features":[1]},{"name":"SCARD_E_UNEXPECTED","features":[1]},{"name":"SCARD_E_UNKNOWN_CARD","features":[1]},{"name":"SCARD_E_UNKNOWN_READER","features":[1]},{"name":"SCARD_E_UNKNOWN_RES_MNG","features":[1]},{"name":"SCARD_E_UNSUPPORTED_FEATURE","features":[1]},{"name":"SCARD_E_WRITE_TOO_MANY","features":[1]},{"name":"SCARD_F_COMM_ERROR","features":[1]},{"name":"SCARD_F_INTERNAL_ERROR","features":[1]},{"name":"SCARD_F_UNKNOWN_ERROR","features":[1]},{"name":"SCARD_F_WAITED_TOO_LONG","features":[1]},{"name":"SCARD_P_SHUTDOWN","features":[1]},{"name":"SCARD_W_CACHE_ITEM_NOT_FOUND","features":[1]},{"name":"SCARD_W_CACHE_ITEM_STALE","features":[1]},{"name":"SCARD_W_CACHE_ITEM_TOO_BIG","features":[1]},{"name":"SCARD_W_CANCELLED_BY_USER","features":[1]},{"name":"SCARD_W_CARD_NOT_AUTHENTICATED","features":[1]},{"name":"SCARD_W_CHV_BLOCKED","features":[1]},{"name":"SCARD_W_EOF","features":[1]},{"name":"SCARD_W_REMOVED_CARD","features":[1]},{"name":"SCARD_W_RESET_CARD","features":[1]},{"name":"SCARD_W_SECURITY_VIOLATION","features":[1]},{"name":"SCARD_W_UNPOWERED_CARD","features":[1]},{"name":"SCARD_W_UNRESPONSIVE_CARD","features":[1]},{"name":"SCARD_W_UNSUPPORTED_CARD","features":[1]},{"name":"SCARD_W_WRONG_CHV","features":[1]},{"name":"SCHED_E_ACCOUNT_DBASE_CORRUPT","features":[1]},{"name":"SCHED_E_ACCOUNT_INFORMATION_NOT_SET","features":[1]},{"name":"SCHED_E_ACCOUNT_NAME_NOT_FOUND","features":[1]},{"name":"SCHED_E_ALREADY_RUNNING","features":[1]},{"name":"SCHED_E_CANNOT_OPEN_TASK","features":[1]},{"name":"SCHED_E_DEPRECATED_FEATURE_USED","features":[1]},{"name":"SCHED_E_INVALIDVALUE","features":[1]},{"name":"SCHED_E_INVALID_TASK","features":[1]},{"name":"SCHED_E_INVALID_TASK_HASH","features":[1]},{"name":"SCHED_E_MALFORMEDXML","features":[1]},{"name":"SCHED_E_MISSINGNODE","features":[1]},{"name":"SCHED_E_NAMESPACE","features":[1]},{"name":"SCHED_E_NO_SECURITY_SERVICES","features":[1]},{"name":"SCHED_E_PAST_END_BOUNDARY","features":[1]},{"name":"SCHED_E_SERVICE_NOT_AVAILABLE","features":[1]},{"name":"SCHED_E_SERVICE_NOT_INSTALLED","features":[1]},{"name":"SCHED_E_SERVICE_NOT_LOCALSYSTEM","features":[1]},{"name":"SCHED_E_SERVICE_NOT_RUNNING","features":[1]},{"name":"SCHED_E_SERVICE_TOO_BUSY","features":[1]},{"name":"SCHED_E_START_ON_DEMAND","features":[1]},{"name":"SCHED_E_TASK_ATTEMPTED","features":[1]},{"name":"SCHED_E_TASK_DISABLED","features":[1]},{"name":"SCHED_E_TASK_NOT_READY","features":[1]},{"name":"SCHED_E_TASK_NOT_RUNNING","features":[1]},{"name":"SCHED_E_TASK_NOT_UBPM_COMPAT","features":[1]},{"name":"SCHED_E_TASK_NOT_V1_COMPAT","features":[1]},{"name":"SCHED_E_TOO_MANY_NODES","features":[1]},{"name":"SCHED_E_TRIGGER_NOT_FOUND","features":[1]},{"name":"SCHED_E_UNEXPECTEDNODE","features":[1]},{"name":"SCHED_E_UNKNOWN_OBJECT_VERSION","features":[1]},{"name":"SCHED_E_UNSUPPORTED_ACCOUNT_OPTION","features":[1]},{"name":"SCHED_E_USER_NOT_LOGGED_ON","features":[1]},{"name":"SCHED_S_BATCH_LOGON_PROBLEM","features":[1]},{"name":"SCHED_S_EVENT_TRIGGER","features":[1]},{"name":"SCHED_S_SOME_TRIGGERS_FAILED","features":[1]},{"name":"SCHED_S_TASK_DISABLED","features":[1]},{"name":"SCHED_S_TASK_HAS_NOT_RUN","features":[1]},{"name":"SCHED_S_TASK_NOT_SCHEDULED","features":[1]},{"name":"SCHED_S_TASK_NO_MORE_RUNS","features":[1]},{"name":"SCHED_S_TASK_NO_VALID_TRIGGERS","features":[1]},{"name":"SCHED_S_TASK_QUEUED","features":[1]},{"name":"SCHED_S_TASK_READY","features":[1]},{"name":"SCHED_S_TASK_RUNNING","features":[1]},{"name":"SCHED_S_TASK_TERMINATED","features":[1]},{"name":"SDIAG_E_CANCELLED","features":[1]},{"name":"SDIAG_E_CANNOTRUN","features":[1]},{"name":"SDIAG_E_DISABLED","features":[1]},{"name":"SDIAG_E_MANAGEDHOST","features":[1]},{"name":"SDIAG_E_NOVERIFIER","features":[1]},{"name":"SDIAG_E_POWERSHELL","features":[1]},{"name":"SDIAG_E_RESOURCE","features":[1]},{"name":"SDIAG_E_ROOTCAUSE","features":[1]},{"name":"SDIAG_E_SCRIPT","features":[1]},{"name":"SDIAG_E_TRUST","features":[1]},{"name":"SDIAG_E_VERSION","features":[1]},{"name":"SDIAG_S_CANNOTRUN","features":[1]},{"name":"SEARCH_E_NOMONIKER","features":[1]},{"name":"SEARCH_E_NOREGION","features":[1]},{"name":"SEARCH_S_NOMOREHITS","features":[1]},{"name":"SEC_E_ALGORITHM_MISMATCH","features":[1]},{"name":"SEC_E_APPLICATION_PROTOCOL_MISMATCH","features":[1]},{"name":"SEC_E_BAD_BINDINGS","features":[1]},{"name":"SEC_E_BAD_PKGID","features":[1]},{"name":"SEC_E_BUFFER_TOO_SMALL","features":[1]},{"name":"SEC_E_CANNOT_INSTALL","features":[1]},{"name":"SEC_E_CANNOT_PACK","features":[1]},{"name":"SEC_E_CERT_EXPIRED","features":[1]},{"name":"SEC_E_CERT_UNKNOWN","features":[1]},{"name":"SEC_E_CERT_WRONG_USAGE","features":[1]},{"name":"SEC_E_CONTEXT_EXPIRED","features":[1]},{"name":"SEC_E_CROSSREALM_DELEGATION_FAILURE","features":[1]},{"name":"SEC_E_CRYPTO_SYSTEM_INVALID","features":[1]},{"name":"SEC_E_DECRYPT_FAILURE","features":[1]},{"name":"SEC_E_DELEGATION_POLICY","features":[1]},{"name":"SEC_E_DELEGATION_REQUIRED","features":[1]},{"name":"SEC_E_DOWNGRADE_DETECTED","features":[1]},{"name":"SEC_E_ENCRYPT_FAILURE","features":[1]},{"name":"SEC_E_EXT_BUFFER_TOO_SMALL","features":[1]},{"name":"SEC_E_ILLEGAL_MESSAGE","features":[1]},{"name":"SEC_E_INCOMPLETE_CREDENTIALS","features":[1]},{"name":"SEC_E_INCOMPLETE_MESSAGE","features":[1]},{"name":"SEC_E_INSUFFICIENT_BUFFERS","features":[1]},{"name":"SEC_E_INSUFFICIENT_MEMORY","features":[1]},{"name":"SEC_E_INTERNAL_ERROR","features":[1]},{"name":"SEC_E_INVALID_HANDLE","features":[1]},{"name":"SEC_E_INVALID_PARAMETER","features":[1]},{"name":"SEC_E_INVALID_TOKEN","features":[1]},{"name":"SEC_E_INVALID_UPN_NAME","features":[1]},{"name":"SEC_E_ISSUING_CA_UNTRUSTED","features":[1]},{"name":"SEC_E_ISSUING_CA_UNTRUSTED_KDC","features":[1]},{"name":"SEC_E_KDC_CERT_EXPIRED","features":[1]},{"name":"SEC_E_KDC_CERT_REVOKED","features":[1]},{"name":"SEC_E_KDC_INVALID_REQUEST","features":[1]},{"name":"SEC_E_KDC_UNABLE_TO_REFER","features":[1]},{"name":"SEC_E_KDC_UNKNOWN_ETYPE","features":[1]},{"name":"SEC_E_LOGON_DENIED","features":[1]},{"name":"SEC_E_MAX_REFERRALS_EXCEEDED","features":[1]},{"name":"SEC_E_MESSAGE_ALTERED","features":[1]},{"name":"SEC_E_MULTIPLE_ACCOUNTS","features":[1]},{"name":"SEC_E_MUST_BE_KDC","features":[1]},{"name":"SEC_E_MUTUAL_AUTH_FAILED","features":[1]},{"name":"SEC_E_NOT_OWNER","features":[1]},{"name":"SEC_E_NOT_SUPPORTED","features":[1]},{"name":"SEC_E_NO_AUTHENTICATING_AUTHORITY","features":[1]},{"name":"SEC_E_NO_CONTEXT","features":[1]},{"name":"SEC_E_NO_CREDENTIALS","features":[1]},{"name":"SEC_E_NO_IMPERSONATION","features":[1]},{"name":"SEC_E_NO_IP_ADDRESSES","features":[1]},{"name":"SEC_E_NO_KERB_KEY","features":[1]},{"name":"SEC_E_NO_PA_DATA","features":[1]},{"name":"SEC_E_NO_S4U_PROT_SUPPORT","features":[1]},{"name":"SEC_E_NO_SPM","features":[1]},{"name":"SEC_E_NO_TGT_REPLY","features":[1]},{"name":"SEC_E_OK","features":[1]},{"name":"SEC_E_ONLY_HTTPS_ALLOWED","features":[1]},{"name":"SEC_E_OUT_OF_SEQUENCE","features":[1]},{"name":"SEC_E_PKINIT_CLIENT_FAILURE","features":[1]},{"name":"SEC_E_PKINIT_NAME_MISMATCH","features":[1]},{"name":"SEC_E_PKU2U_CERT_FAILURE","features":[1]},{"name":"SEC_E_POLICY_NLTM_ONLY","features":[1]},{"name":"SEC_E_QOP_NOT_SUPPORTED","features":[1]},{"name":"SEC_E_REVOCATION_OFFLINE_C","features":[1]},{"name":"SEC_E_REVOCATION_OFFLINE_KDC","features":[1]},{"name":"SEC_E_SECPKG_NOT_FOUND","features":[1]},{"name":"SEC_E_SECURITY_QOS_FAILED","features":[1]},{"name":"SEC_E_SHUTDOWN_IN_PROGRESS","features":[1]},{"name":"SEC_E_SMARTCARD_CERT_EXPIRED","features":[1]},{"name":"SEC_E_SMARTCARD_CERT_REVOKED","features":[1]},{"name":"SEC_E_SMARTCARD_LOGON_REQUIRED","features":[1]},{"name":"SEC_E_STRONG_CRYPTO_NOT_SUPPORTED","features":[1]},{"name":"SEC_E_TARGET_UNKNOWN","features":[1]},{"name":"SEC_E_TIME_SKEW","features":[1]},{"name":"SEC_E_TOO_MANY_PRINCIPALS","features":[1]},{"name":"SEC_E_UNFINISHED_CONTEXT_DELETED","features":[1]},{"name":"SEC_E_UNKNOWN_CREDENTIALS","features":[1]},{"name":"SEC_E_UNSUPPORTED_FUNCTION","features":[1]},{"name":"SEC_E_UNSUPPORTED_PREAUTH","features":[1]},{"name":"SEC_E_UNTRUSTED_ROOT","features":[1]},{"name":"SEC_E_WRONG_CREDENTIAL_HANDLE","features":[1]},{"name":"SEC_E_WRONG_PRINCIPAL","features":[1]},{"name":"SEC_I_ASYNC_CALL_PENDING","features":[1]},{"name":"SEC_I_COMPLETE_AND_CONTINUE","features":[1]},{"name":"SEC_I_COMPLETE_NEEDED","features":[1]},{"name":"SEC_I_CONTEXT_EXPIRED","features":[1]},{"name":"SEC_I_CONTINUE_NEEDED","features":[1]},{"name":"SEC_I_CONTINUE_NEEDED_MESSAGE_OK","features":[1]},{"name":"SEC_I_GENERIC_EXTENSION_RECEIVED","features":[1]},{"name":"SEC_I_INCOMPLETE_CREDENTIALS","features":[1]},{"name":"SEC_I_LOCAL_LOGON","features":[1]},{"name":"SEC_I_MESSAGE_FRAGMENT","features":[1]},{"name":"SEC_I_NO_LSA_CONTEXT","features":[1]},{"name":"SEC_I_NO_RENEGOTIATION","features":[1]},{"name":"SEC_I_RENEGOTIATE","features":[1]},{"name":"SEC_I_SIGNATURE_NEEDED","features":[1]},{"name":"SEVERITY_ERROR","features":[1]},{"name":"SEVERITY_SUCCESS","features":[1]},{"name":"SHANDLE_PTR","features":[1]},{"name":"SIZE","features":[1]},{"name":"SPAPI_E_AUTHENTICODE_DISALLOWED","features":[1]},{"name":"SPAPI_E_AUTHENTICODE_PUBLISHER_NOT_TRUSTED","features":[1]},{"name":"SPAPI_E_AUTHENTICODE_TRUSTED_PUBLISHER","features":[1]},{"name":"SPAPI_E_AUTHENTICODE_TRUST_NOT_ESTABLISHED","features":[1]},{"name":"SPAPI_E_BAD_INTERFACE_INSTALLSECT","features":[1]},{"name":"SPAPI_E_BAD_SECTION_NAME_LINE","features":[1]},{"name":"SPAPI_E_BAD_SERVICE_INSTALLSECT","features":[1]},{"name":"SPAPI_E_CANT_LOAD_CLASS_ICON","features":[1]},{"name":"SPAPI_E_CANT_REMOVE_DEVINST","features":[1]},{"name":"SPAPI_E_CLASS_MISMATCH","features":[1]},{"name":"SPAPI_E_DEVICE_INSTALLER_NOT_READY","features":[1]},{"name":"SPAPI_E_DEVICE_INSTALL_BLOCKED","features":[1]},{"name":"SPAPI_E_DEVICE_INTERFACE_ACTIVE","features":[1]},{"name":"SPAPI_E_DEVICE_INTERFACE_REMOVED","features":[1]},{"name":"SPAPI_E_DEVINFO_DATA_LOCKED","features":[1]},{"name":"SPAPI_E_DEVINFO_LIST_LOCKED","features":[1]},{"name":"SPAPI_E_DEVINFO_NOT_REGISTERED","features":[1]},{"name":"SPAPI_E_DEVINSTALL_QUEUE_NONNATIVE","features":[1]},{"name":"SPAPI_E_DEVINST_ALREADY_EXISTS","features":[1]},{"name":"SPAPI_E_DI_BAD_PATH","features":[1]},{"name":"SPAPI_E_DI_DONT_INSTALL","features":[1]},{"name":"SPAPI_E_DI_DO_DEFAULT","features":[1]},{"name":"SPAPI_E_DI_FUNCTION_OBSOLETE","features":[1]},{"name":"SPAPI_E_DI_NOFILECOPY","features":[1]},{"name":"SPAPI_E_DI_POSTPROCESSING_REQUIRED","features":[1]},{"name":"SPAPI_E_DRIVER_INSTALL_BLOCKED","features":[1]},{"name":"SPAPI_E_DRIVER_NONNATIVE","features":[1]},{"name":"SPAPI_E_DRIVER_STORE_ADD_FAILED","features":[1]},{"name":"SPAPI_E_DRIVER_STORE_DELETE_FAILED","features":[1]},{"name":"SPAPI_E_DUPLICATE_FOUND","features":[1]},{"name":"SPAPI_E_ERROR_NOT_INSTALLED","features":[1]},{"name":"SPAPI_E_EXPECTED_SECTION_NAME","features":[1]},{"name":"SPAPI_E_FILEQUEUE_LOCKED","features":[1]},{"name":"SPAPI_E_FILE_HASH_NOT_IN_CATALOG","features":[1]},{"name":"SPAPI_E_GENERAL_SYNTAX","features":[1]},{"name":"SPAPI_E_INCORRECTLY_COPIED_INF","features":[1]},{"name":"SPAPI_E_INF_IN_USE_BY_DEVICES","features":[1]},{"name":"SPAPI_E_INVALID_CLASS","features":[1]},{"name":"SPAPI_E_INVALID_CLASS_INSTALLER","features":[1]},{"name":"SPAPI_E_INVALID_COINSTALLER","features":[1]},{"name":"SPAPI_E_INVALID_DEVINST_NAME","features":[1]},{"name":"SPAPI_E_INVALID_FILTER_DRIVER","features":[1]},{"name":"SPAPI_E_INVALID_HWPROFILE","features":[1]},{"name":"SPAPI_E_INVALID_INF_LOGCONFIG","features":[1]},{"name":"SPAPI_E_INVALID_MACHINENAME","features":[1]},{"name":"SPAPI_E_INVALID_PROPPAGE_PROVIDER","features":[1]},{"name":"SPAPI_E_INVALID_REFERENCE_STRING","features":[1]},{"name":"SPAPI_E_INVALID_REG_PROPERTY","features":[1]},{"name":"SPAPI_E_INVALID_TARGET","features":[1]},{"name":"SPAPI_E_IN_WOW64","features":[1]},{"name":"SPAPI_E_KEY_DOES_NOT_EXIST","features":[1]},{"name":"SPAPI_E_LINE_NOT_FOUND","features":[1]},{"name":"SPAPI_E_MACHINE_UNAVAILABLE","features":[1]},{"name":"SPAPI_E_NON_WINDOWS_DRIVER","features":[1]},{"name":"SPAPI_E_NON_WINDOWS_NT_DRIVER","features":[1]},{"name":"SPAPI_E_NOT_AN_INSTALLED_OEM_INF","features":[1]},{"name":"SPAPI_E_NOT_DISABLEABLE","features":[1]},{"name":"SPAPI_E_NO_ASSOCIATED_CLASS","features":[1]},{"name":"SPAPI_E_NO_ASSOCIATED_SERVICE","features":[1]},{"name":"SPAPI_E_NO_AUTHENTICODE_CATALOG","features":[1]},{"name":"SPAPI_E_NO_BACKUP","features":[1]},{"name":"SPAPI_E_NO_CATALOG_FOR_OEM_INF","features":[1]},{"name":"SPAPI_E_NO_CLASSINSTALL_PARAMS","features":[1]},{"name":"SPAPI_E_NO_CLASS_DRIVER_LIST","features":[1]},{"name":"SPAPI_E_NO_COMPAT_DRIVERS","features":[1]},{"name":"SPAPI_E_NO_CONFIGMGR_SERVICES","features":[1]},{"name":"SPAPI_E_NO_DEFAULT_DEVICE_INTERFACE","features":[1]},{"name":"SPAPI_E_NO_DEVICE_ICON","features":[1]},{"name":"SPAPI_E_NO_DEVICE_SELECTED","features":[1]},{"name":"SPAPI_E_NO_DRIVER_SELECTED","features":[1]},{"name":"SPAPI_E_NO_INF","features":[1]},{"name":"SPAPI_E_NO_SUCH_DEVICE_INTERFACE","features":[1]},{"name":"SPAPI_E_NO_SUCH_DEVINST","features":[1]},{"name":"SPAPI_E_NO_SUCH_INTERFACE_CLASS","features":[1]},{"name":"SPAPI_E_ONLY_VALIDATE_VIA_AUTHENTICODE","features":[1]},{"name":"SPAPI_E_PNP_REGISTRY_ERROR","features":[1]},{"name":"SPAPI_E_REMOTE_COMM_FAILURE","features":[1]},{"name":"SPAPI_E_REMOTE_REQUEST_UNSUPPORTED","features":[1]},{"name":"SPAPI_E_SCE_DISABLED","features":[1]},{"name":"SPAPI_E_SECTION_NAME_TOO_LONG","features":[1]},{"name":"SPAPI_E_SECTION_NOT_FOUND","features":[1]},{"name":"SPAPI_E_SET_SYSTEM_RESTORE_POINT","features":[1]},{"name":"SPAPI_E_SIGNATURE_OSATTRIBUTE_MISMATCH","features":[1]},{"name":"SPAPI_E_UNKNOWN_EXCEPTION","features":[1]},{"name":"SPAPI_E_UNRECOVERABLE_STACK_OVERFLOW","features":[1]},{"name":"SPAPI_E_WRONG_INF_STYLE","features":[1]},{"name":"SPAPI_E_WRONG_INF_TYPE","features":[1]},{"name":"SQLITE_E_ABORT","features":[1]},{"name":"SQLITE_E_ABORT_ROLLBACK","features":[1]},{"name":"SQLITE_E_AUTH","features":[1]},{"name":"SQLITE_E_BUSY","features":[1]},{"name":"SQLITE_E_BUSY_RECOVERY","features":[1]},{"name":"SQLITE_E_BUSY_SNAPSHOT","features":[1]},{"name":"SQLITE_E_CANTOPEN","features":[1]},{"name":"SQLITE_E_CANTOPEN_CONVPATH","features":[1]},{"name":"SQLITE_E_CANTOPEN_FULLPATH","features":[1]},{"name":"SQLITE_E_CANTOPEN_ISDIR","features":[1]},{"name":"SQLITE_E_CANTOPEN_NOTEMPDIR","features":[1]},{"name":"SQLITE_E_CONSTRAINT","features":[1]},{"name":"SQLITE_E_CONSTRAINT_CHECK","features":[1]},{"name":"SQLITE_E_CONSTRAINT_COMMITHOOK","features":[1]},{"name":"SQLITE_E_CONSTRAINT_FOREIGNKEY","features":[1]},{"name":"SQLITE_E_CONSTRAINT_FUNCTION","features":[1]},{"name":"SQLITE_E_CONSTRAINT_NOTNULL","features":[1]},{"name":"SQLITE_E_CONSTRAINT_PRIMARYKEY","features":[1]},{"name":"SQLITE_E_CONSTRAINT_ROWID","features":[1]},{"name":"SQLITE_E_CONSTRAINT_TRIGGER","features":[1]},{"name":"SQLITE_E_CONSTRAINT_UNIQUE","features":[1]},{"name":"SQLITE_E_CONSTRAINT_VTAB","features":[1]},{"name":"SQLITE_E_CORRUPT","features":[1]},{"name":"SQLITE_E_CORRUPT_VTAB","features":[1]},{"name":"SQLITE_E_DONE","features":[1]},{"name":"SQLITE_E_EMPTY","features":[1]},{"name":"SQLITE_E_ERROR","features":[1]},{"name":"SQLITE_E_FORMAT","features":[1]},{"name":"SQLITE_E_FULL","features":[1]},{"name":"SQLITE_E_INTERNAL","features":[1]},{"name":"SQLITE_E_INTERRUPT","features":[1]},{"name":"SQLITE_E_IOERR","features":[1]},{"name":"SQLITE_E_IOERR_ACCESS","features":[1]},{"name":"SQLITE_E_IOERR_AUTH","features":[1]},{"name":"SQLITE_E_IOERR_BLOCKED","features":[1]},{"name":"SQLITE_E_IOERR_CHECKRESERVEDLOCK","features":[1]},{"name":"SQLITE_E_IOERR_CLOSE","features":[1]},{"name":"SQLITE_E_IOERR_CONVPATH","features":[1]},{"name":"SQLITE_E_IOERR_DELETE","features":[1]},{"name":"SQLITE_E_IOERR_DELETE_NOENT","features":[1]},{"name":"SQLITE_E_IOERR_DIR_CLOSE","features":[1]},{"name":"SQLITE_E_IOERR_DIR_FSYNC","features":[1]},{"name":"SQLITE_E_IOERR_FSTAT","features":[1]},{"name":"SQLITE_E_IOERR_FSYNC","features":[1]},{"name":"SQLITE_E_IOERR_GETTEMPPATH","features":[1]},{"name":"SQLITE_E_IOERR_LOCK","features":[1]},{"name":"SQLITE_E_IOERR_MMAP","features":[1]},{"name":"SQLITE_E_IOERR_NOMEM","features":[1]},{"name":"SQLITE_E_IOERR_RDLOCK","features":[1]},{"name":"SQLITE_E_IOERR_READ","features":[1]},{"name":"SQLITE_E_IOERR_SEEK","features":[1]},{"name":"SQLITE_E_IOERR_SHMLOCK","features":[1]},{"name":"SQLITE_E_IOERR_SHMMAP","features":[1]},{"name":"SQLITE_E_IOERR_SHMOPEN","features":[1]},{"name":"SQLITE_E_IOERR_SHMSIZE","features":[1]},{"name":"SQLITE_E_IOERR_SHORT_READ","features":[1]},{"name":"SQLITE_E_IOERR_TRUNCATE","features":[1]},{"name":"SQLITE_E_IOERR_UNLOCK","features":[1]},{"name":"SQLITE_E_IOERR_VNODE","features":[1]},{"name":"SQLITE_E_IOERR_WRITE","features":[1]},{"name":"SQLITE_E_LOCKED","features":[1]},{"name":"SQLITE_E_LOCKED_SHAREDCACHE","features":[1]},{"name":"SQLITE_E_MISMATCH","features":[1]},{"name":"SQLITE_E_MISUSE","features":[1]},{"name":"SQLITE_E_NOLFS","features":[1]},{"name":"SQLITE_E_NOMEM","features":[1]},{"name":"SQLITE_E_NOTADB","features":[1]},{"name":"SQLITE_E_NOTFOUND","features":[1]},{"name":"SQLITE_E_NOTICE","features":[1]},{"name":"SQLITE_E_NOTICE_RECOVER_ROLLBACK","features":[1]},{"name":"SQLITE_E_NOTICE_RECOVER_WAL","features":[1]},{"name":"SQLITE_E_PERM","features":[1]},{"name":"SQLITE_E_PROTOCOL","features":[1]},{"name":"SQLITE_E_RANGE","features":[1]},{"name":"SQLITE_E_READONLY","features":[1]},{"name":"SQLITE_E_READONLY_CANTLOCK","features":[1]},{"name":"SQLITE_E_READONLY_DBMOVED","features":[1]},{"name":"SQLITE_E_READONLY_RECOVERY","features":[1]},{"name":"SQLITE_E_READONLY_ROLLBACK","features":[1]},{"name":"SQLITE_E_ROW","features":[1]},{"name":"SQLITE_E_SCHEMA","features":[1]},{"name":"SQLITE_E_TOOBIG","features":[1]},{"name":"SQLITE_E_WARNING","features":[1]},{"name":"SQLITE_E_WARNING_AUTOINDEX","features":[1]},{"name":"STATEREPOSITORY_ERROR_CACHE_CORRUPTED","features":[1]},{"name":"STATEREPOSITORY_ERROR_DICTIONARY_CORRUPTED","features":[1]},{"name":"STATEREPOSITORY_E_BLOCKED","features":[1]},{"name":"STATEREPOSITORY_E_BUSY_RECOVERY_RETRY","features":[1]},{"name":"STATEREPOSITORY_E_BUSY_RECOVERY_TIMEOUT_EXCEEDED","features":[1]},{"name":"STATEREPOSITORY_E_BUSY_RETRY","features":[1]},{"name":"STATEREPOSITORY_E_BUSY_TIMEOUT_EXCEEDED","features":[1]},{"name":"STATEREPOSITORY_E_CACHE_NOT_INIITALIZED","features":[1]},{"name":"STATEREPOSITORY_E_CONCURRENCY_LOCKING_FAILURE","features":[1]},{"name":"STATEREPOSITORY_E_CONFIGURATION_INVALID","features":[1]},{"name":"STATEREPOSITORY_E_DEPENDENCY_NOT_RESOLVED","features":[1]},{"name":"STATEREPOSITORY_E_LOCKED_RETRY","features":[1]},{"name":"STATEREPOSITORY_E_LOCKED_SHAREDCACHE_RETRY","features":[1]},{"name":"STATEREPOSITORY_E_LOCKED_SHAREDCACHE_TIMEOUT_EXCEEDED","features":[1]},{"name":"STATEREPOSITORY_E_LOCKED_TIMEOUT_EXCEEDED","features":[1]},{"name":"STATEREPOSITORY_E_SERVICE_STOP_IN_PROGRESS","features":[1]},{"name":"STATEREPOSITORY_E_STATEMENT_INPROGRESS","features":[1]},{"name":"STATEREPOSITORY_E_TRANSACTION_REQUIRED","features":[1]},{"name":"STATEREPOSITORY_E_UNKNOWN_SCHEMA_VERSION","features":[1]},{"name":"STATEREPOSITORY_TRANSACTION_CALLER_ID_CHANGED","features":[1]},{"name":"STATEREPOSITORY_TRANSACTION_IN_PROGRESS","features":[1]},{"name":"STATEREPOSTORY_E_NESTED_TRANSACTION_NOT_SUPPORTED","features":[1]},{"name":"STATUS_ABANDONED","features":[1]},{"name":"STATUS_ABANDONED_WAIT_0","features":[1]},{"name":"STATUS_ABANDONED_WAIT_63","features":[1]},{"name":"STATUS_ABANDON_HIBERFILE","features":[1]},{"name":"STATUS_ABIOS_INVALID_COMMAND","features":[1]},{"name":"STATUS_ABIOS_INVALID_LID","features":[1]},{"name":"STATUS_ABIOS_INVALID_SELECTOR","features":[1]},{"name":"STATUS_ABIOS_LID_ALREADY_OWNED","features":[1]},{"name":"STATUS_ABIOS_LID_NOT_EXIST","features":[1]},{"name":"STATUS_ABIOS_NOT_LID_OWNER","features":[1]},{"name":"STATUS_ABIOS_NOT_PRESENT","features":[1]},{"name":"STATUS_ABIOS_SELECTOR_NOT_AVAILABLE","features":[1]},{"name":"STATUS_ACCESS_AUDIT_BY_POLICY","features":[1]},{"name":"STATUS_ACCESS_DENIED","features":[1]},{"name":"STATUS_ACCESS_DISABLED_BY_POLICY_DEFAULT","features":[1]},{"name":"STATUS_ACCESS_DISABLED_BY_POLICY_OTHER","features":[1]},{"name":"STATUS_ACCESS_DISABLED_BY_POLICY_PATH","features":[1]},{"name":"STATUS_ACCESS_DISABLED_BY_POLICY_PUBLISHER","features":[1]},{"name":"STATUS_ACCESS_DISABLED_NO_SAFER_UI_BY_POLICY","features":[1]},{"name":"STATUS_ACCESS_VIOLATION","features":[1]},{"name":"STATUS_ACPI_ACQUIRE_GLOBAL_LOCK","features":[1]},{"name":"STATUS_ACPI_ADDRESS_NOT_MAPPED","features":[1]},{"name":"STATUS_ACPI_ALREADY_INITIALIZED","features":[1]},{"name":"STATUS_ACPI_ASSERT_FAILED","features":[1]},{"name":"STATUS_ACPI_FATAL","features":[1]},{"name":"STATUS_ACPI_HANDLER_COLLISION","features":[1]},{"name":"STATUS_ACPI_INCORRECT_ARGUMENT_COUNT","features":[1]},{"name":"STATUS_ACPI_INVALID_ACCESS_SIZE","features":[1]},{"name":"STATUS_ACPI_INVALID_ARGTYPE","features":[1]},{"name":"STATUS_ACPI_INVALID_ARGUMENT","features":[1]},{"name":"STATUS_ACPI_INVALID_DATA","features":[1]},{"name":"STATUS_ACPI_INVALID_EVENTTYPE","features":[1]},{"name":"STATUS_ACPI_INVALID_INDEX","features":[1]},{"name":"STATUS_ACPI_INVALID_MUTEX_LEVEL","features":[1]},{"name":"STATUS_ACPI_INVALID_OBJTYPE","features":[1]},{"name":"STATUS_ACPI_INVALID_OPCODE","features":[1]},{"name":"STATUS_ACPI_INVALID_REGION","features":[1]},{"name":"STATUS_ACPI_INVALID_SUPERNAME","features":[1]},{"name":"STATUS_ACPI_INVALID_TABLE","features":[1]},{"name":"STATUS_ACPI_INVALID_TARGETTYPE","features":[1]},{"name":"STATUS_ACPI_MUTEX_NOT_OWNED","features":[1]},{"name":"STATUS_ACPI_MUTEX_NOT_OWNER","features":[1]},{"name":"STATUS_ACPI_NOT_INITIALIZED","features":[1]},{"name":"STATUS_ACPI_POWER_REQUEST_FAILED","features":[1]},{"name":"STATUS_ACPI_REG_HANDLER_FAILED","features":[1]},{"name":"STATUS_ACPI_RS_ACCESS","features":[1]},{"name":"STATUS_ACPI_STACK_OVERFLOW","features":[1]},{"name":"STATUS_ADAPTER_HARDWARE_ERROR","features":[1]},{"name":"STATUS_ADDRESS_ALREADY_ASSOCIATED","features":[1]},{"name":"STATUS_ADDRESS_ALREADY_EXISTS","features":[1]},{"name":"STATUS_ADDRESS_CLOSED","features":[1]},{"name":"STATUS_ADDRESS_NOT_ASSOCIATED","features":[1]},{"name":"STATUS_ADMINLESS_ACCESS_DENIED","features":[1]},{"name":"STATUS_ADVANCED_INSTALLER_FAILED","features":[1]},{"name":"STATUS_AGENTS_EXHAUSTED","features":[1]},{"name":"STATUS_ALERTED","features":[1]},{"name":"STATUS_ALIAS_EXISTS","features":[1]},{"name":"STATUS_ALLOCATE_BUCKET","features":[1]},{"name":"STATUS_ALLOTTED_SPACE_EXCEEDED","features":[1]},{"name":"STATUS_ALL_SIDS_FILTERED","features":[1]},{"name":"STATUS_ALL_USER_TRUST_QUOTA_EXCEEDED","features":[1]},{"name":"STATUS_ALPC_CHECK_COMPLETION_LIST","features":[1]},{"name":"STATUS_ALREADY_COMMITTED","features":[1]},{"name":"STATUS_ALREADY_COMPLETE","features":[1]},{"name":"STATUS_ALREADY_DISCONNECTED","features":[1]},{"name":"STATUS_ALREADY_HAS_STREAM_ID","features":[1]},{"name":"STATUS_ALREADY_INITIALIZED","features":[1]},{"name":"STATUS_ALREADY_REGISTERED","features":[1]},{"name":"STATUS_ALREADY_WIN32","features":[1]},{"name":"STATUS_AMBIGUOUS_SYSTEM_DEVICE","features":[1]},{"name":"STATUS_APC_RETURNED_WHILE_IMPERSONATING","features":[1]},{"name":"STATUS_APISET_NOT_HOSTED","features":[1]},{"name":"STATUS_APISET_NOT_PRESENT","features":[1]},{"name":"STATUS_APPEXEC_APP_COMPAT_BLOCK","features":[1]},{"name":"STATUS_APPEXEC_CALLER_WAIT_TIMEOUT","features":[1]},{"name":"STATUS_APPEXEC_CALLER_WAIT_TIMEOUT_LICENSING","features":[1]},{"name":"STATUS_APPEXEC_CALLER_WAIT_TIMEOUT_RESOURCES","features":[1]},{"name":"STATUS_APPEXEC_CALLER_WAIT_TIMEOUT_TERMINATION","features":[1]},{"name":"STATUS_APPEXEC_CONDITION_NOT_SATISFIED","features":[1]},{"name":"STATUS_APPEXEC_HANDLE_INVALIDATED","features":[1]},{"name":"STATUS_APPEXEC_HOST_ID_MISMATCH","features":[1]},{"name":"STATUS_APPEXEC_INVALID_HOST_GENERATION","features":[1]},{"name":"STATUS_APPEXEC_INVALID_HOST_STATE","features":[1]},{"name":"STATUS_APPEXEC_NO_DONOR","features":[1]},{"name":"STATUS_APPEXEC_UNEXPECTED_PROCESS_REGISTRATION","features":[1]},{"name":"STATUS_APPEXEC_UNKNOWN_USER","features":[1]},{"name":"STATUS_APPHELP_BLOCK","features":[1]},{"name":"STATUS_APPX_FILE_NOT_ENCRYPTED","features":[1]},{"name":"STATUS_APPX_INTEGRITY_FAILURE_CLR_NGEN","features":[1]},{"name":"STATUS_APP_DATA_CORRUPT","features":[1]},{"name":"STATUS_APP_DATA_EXPIRED","features":[1]},{"name":"STATUS_APP_DATA_LIMIT_EXCEEDED","features":[1]},{"name":"STATUS_APP_DATA_NOT_FOUND","features":[1]},{"name":"STATUS_APP_DATA_REBOOT_REQUIRED","features":[1]},{"name":"STATUS_APP_INIT_FAILURE","features":[1]},{"name":"STATUS_ARBITRATION_UNHANDLED","features":[1]},{"name":"STATUS_ARRAY_BOUNDS_EXCEEDED","features":[1]},{"name":"STATUS_ASSERTION_FAILURE","features":[1]},{"name":"STATUS_ATTACHED_EXECUTABLE_MEMORY_WRITE","features":[1]},{"name":"STATUS_ATTRIBUTE_NOT_PRESENT","features":[1]},{"name":"STATUS_AUDIO_ENGINE_NODE_NOT_FOUND","features":[1]},{"name":"STATUS_AUDITING_DISABLED","features":[1]},{"name":"STATUS_AUDIT_FAILED","features":[1]},{"name":"STATUS_AUTHIP_FAILURE","features":[1]},{"name":"STATUS_AUTH_TAG_MISMATCH","features":[1]},{"name":"STATUS_BACKUP_CONTROLLER","features":[1]},{"name":"STATUS_BAD_BINDINGS","features":[1]},{"name":"STATUS_BAD_CLUSTERS","features":[1]},{"name":"STATUS_BAD_COMPRESSION_BUFFER","features":[1]},{"name":"STATUS_BAD_CURRENT_DIRECTORY","features":[1]},{"name":"STATUS_BAD_DATA","features":[1]},{"name":"STATUS_BAD_DESCRIPTOR_FORMAT","features":[1]},{"name":"STATUS_BAD_DEVICE_TYPE","features":[1]},{"name":"STATUS_BAD_DLL_ENTRYPOINT","features":[1]},{"name":"STATUS_BAD_FILE_TYPE","features":[1]},{"name":"STATUS_BAD_FUNCTION_TABLE","features":[1]},{"name":"STATUS_BAD_IMPERSONATION_LEVEL","features":[1]},{"name":"STATUS_BAD_INHERITANCE_ACL","features":[1]},{"name":"STATUS_BAD_INITIAL_PC","features":[1]},{"name":"STATUS_BAD_INITIAL_STACK","features":[1]},{"name":"STATUS_BAD_KEY","features":[1]},{"name":"STATUS_BAD_LOGON_SESSION_STATE","features":[1]},{"name":"STATUS_BAD_MASTER_BOOT_RECORD","features":[1]},{"name":"STATUS_BAD_MCFG_TABLE","features":[1]},{"name":"STATUS_BAD_NETWORK_NAME","features":[1]},{"name":"STATUS_BAD_NETWORK_PATH","features":[1]},{"name":"STATUS_BAD_REMOTE_ADAPTER","features":[1]},{"name":"STATUS_BAD_SERVICE_ENTRYPOINT","features":[1]},{"name":"STATUS_BAD_STACK","features":[1]},{"name":"STATUS_BAD_TOKEN_TYPE","features":[1]},{"name":"STATUS_BAD_VALIDATION_CLASS","features":[1]},{"name":"STATUS_BAD_WORKING_SET_LIMIT","features":[1]},{"name":"STATUS_BCD_NOT_ALL_ENTRIES_IMPORTED","features":[1]},{"name":"STATUS_BCD_NOT_ALL_ENTRIES_SYNCHRONIZED","features":[1]},{"name":"STATUS_BCD_TOO_MANY_ELEMENTS","features":[1]},{"name":"STATUS_BEGINNING_OF_MEDIA","features":[1]},{"name":"STATUS_BEYOND_VDL","features":[1]},{"name":"STATUS_BIOS_FAILED_TO_CONNECT_INTERRUPT","features":[1]},{"name":"STATUS_BIZRULES_NOT_ENABLED","features":[1]},{"name":"STATUS_BLOCKED_BY_PARENTAL_CONTROLS","features":[1]},{"name":"STATUS_BLOCK_SHARED","features":[1]},{"name":"STATUS_BLOCK_SOURCE_WEAK_REFERENCE_INVALID","features":[1]},{"name":"STATUS_BLOCK_TARGET_WEAK_REFERENCE_INVALID","features":[1]},{"name":"STATUS_BLOCK_TOO_MANY_REFERENCES","features":[1]},{"name":"STATUS_BLOCK_WEAK_REFERENCE_INVALID","features":[1]},{"name":"STATUS_BREAKPOINT","features":[1]},{"name":"STATUS_BTH_ATT_ATTRIBUTE_NOT_FOUND","features":[1]},{"name":"STATUS_BTH_ATT_ATTRIBUTE_NOT_LONG","features":[1]},{"name":"STATUS_BTH_ATT_INSUFFICIENT_AUTHENTICATION","features":[1]},{"name":"STATUS_BTH_ATT_INSUFFICIENT_AUTHORIZATION","features":[1]},{"name":"STATUS_BTH_ATT_INSUFFICIENT_ENCRYPTION","features":[1]},{"name":"STATUS_BTH_ATT_INSUFFICIENT_ENCRYPTION_KEY_SIZE","features":[1]},{"name":"STATUS_BTH_ATT_INSUFFICIENT_RESOURCES","features":[1]},{"name":"STATUS_BTH_ATT_INVALID_ATTRIBUTE_VALUE_LENGTH","features":[1]},{"name":"STATUS_BTH_ATT_INVALID_HANDLE","features":[1]},{"name":"STATUS_BTH_ATT_INVALID_OFFSET","features":[1]},{"name":"STATUS_BTH_ATT_INVALID_PDU","features":[1]},{"name":"STATUS_BTH_ATT_PREPARE_QUEUE_FULL","features":[1]},{"name":"STATUS_BTH_ATT_READ_NOT_PERMITTED","features":[1]},{"name":"STATUS_BTH_ATT_REQUEST_NOT_SUPPORTED","features":[1]},{"name":"STATUS_BTH_ATT_UNKNOWN_ERROR","features":[1]},{"name":"STATUS_BTH_ATT_UNLIKELY","features":[1]},{"name":"STATUS_BTH_ATT_UNSUPPORTED_GROUP_TYPE","features":[1]},{"name":"STATUS_BTH_ATT_WRITE_NOT_PERMITTED","features":[1]},{"name":"STATUS_BUFFER_ALL_ZEROS","features":[1]},{"name":"STATUS_BUFFER_OVERFLOW","features":[1]},{"name":"STATUS_BUFFER_TOO_SMALL","features":[1]},{"name":"STATUS_BUS_RESET","features":[1]},{"name":"STATUS_BYPASSIO_FLT_NOT_SUPPORTED","features":[1]},{"name":"STATUS_CACHE_PAGE_LOCKED","features":[1]},{"name":"STATUS_CALLBACK_BYPASS","features":[1]},{"name":"STATUS_CALLBACK_INVOKE_INLINE","features":[1]},{"name":"STATUS_CALLBACK_POP_STACK","features":[1]},{"name":"STATUS_CALLBACK_RETURNED_LANG","features":[1]},{"name":"STATUS_CALLBACK_RETURNED_LDR_LOCK","features":[1]},{"name":"STATUS_CALLBACK_RETURNED_PRI_BACK","features":[1]},{"name":"STATUS_CALLBACK_RETURNED_THREAD_AFFINITY","features":[1]},{"name":"STATUS_CALLBACK_RETURNED_THREAD_PRIORITY","features":[1]},{"name":"STATUS_CALLBACK_RETURNED_TRANSACTION","features":[1]},{"name":"STATUS_CALLBACK_RETURNED_WHILE_IMPERSONATING","features":[1]},{"name":"STATUS_CANCELLED","features":[1]},{"name":"STATUS_CANNOT_ABORT_TRANSACTIONS","features":[1]},{"name":"STATUS_CANNOT_ACCEPT_TRANSACTED_WORK","features":[1]},{"name":"STATUS_CANNOT_BREAK_OPLOCK","features":[1]},{"name":"STATUS_CANNOT_DELETE","features":[1]},{"name":"STATUS_CANNOT_EXECUTE_FILE_IN_TRANSACTION","features":[1]},{"name":"STATUS_CANNOT_GRANT_REQUESTED_OPLOCK","features":[1]},{"name":"STATUS_CANNOT_IMPERSONATE","features":[1]},{"name":"STATUS_CANNOT_LOAD_REGISTRY_FILE","features":[1]},{"name":"STATUS_CANNOT_MAKE","features":[1]},{"name":"STATUS_CANNOT_SWITCH_RUNLEVEL","features":[1]},{"name":"STATUS_CANT_ACCESS_DOMAIN_INFO","features":[1]},{"name":"STATUS_CANT_ATTACH_TO_DEV_VOLUME","features":[1]},{"name":"STATUS_CANT_BREAK_TRANSACTIONAL_DEPENDENCY","features":[1]},{"name":"STATUS_CANT_CLEAR_ENCRYPTION_FLAG","features":[1]},{"name":"STATUS_CANT_CREATE_MORE_STREAM_MINIVERSIONS","features":[1]},{"name":"STATUS_CANT_CROSS_RM_BOUNDARY","features":[1]},{"name":"STATUS_CANT_DISABLE_MANDATORY","features":[1]},{"name":"STATUS_CANT_ENABLE_DENY_ONLY","features":[1]},{"name":"STATUS_CANT_OPEN_ANONYMOUS","features":[1]},{"name":"STATUS_CANT_OPEN_MINIVERSION_WITH_MODIFY_INTENT","features":[1]},{"name":"STATUS_CANT_RECOVER_WITH_HANDLE_OPEN","features":[1]},{"name":"STATUS_CANT_TERMINATE_SELF","features":[1]},{"name":"STATUS_CANT_WAIT","features":[1]},{"name":"STATUS_CARDBUS_NOT_SUPPORTED","features":[1]},{"name":"STATUS_CASE_DIFFERING_NAMES_IN_DIR","features":[1]},{"name":"STATUS_CASE_SENSITIVE_PATH","features":[1]},{"name":"STATUS_CC_NEEDS_CALLBACK_SECTION_DRAIN","features":[1]},{"name":"STATUS_CERTIFICATE_MAPPING_NOT_UNIQUE","features":[1]},{"name":"STATUS_CERTIFICATE_VALIDATION_PREFERENCE_CONFLICT","features":[1]},{"name":"STATUS_CHECKING_FILE_SYSTEM","features":[1]},{"name":"STATUS_CHECKOUT_REQUIRED","features":[1]},{"name":"STATUS_CHILD_MUST_BE_VOLATILE","features":[1]},{"name":"STATUS_CHILD_PROCESS_BLOCKED","features":[1]},{"name":"STATUS_CIMFS_IMAGE_CORRUPT","features":[1]},{"name":"STATUS_CIMFS_IMAGE_VERSION_NOT_SUPPORTED","features":[1]},{"name":"STATUS_CLEANER_CARTRIDGE_INSTALLED","features":[1]},{"name":"STATUS_CLIENT_SERVER_PARAMETERS_INVALID","features":[1]},{"name":"STATUS_CLIP_DEVICE_LICENSE_MISSING","features":[1]},{"name":"STATUS_CLIP_KEYHOLDER_LICENSE_MISSING_OR_INVALID","features":[1]},{"name":"STATUS_CLIP_LICENSE_DEVICE_ID_MISMATCH","features":[1]},{"name":"STATUS_CLIP_LICENSE_EXPIRED","features":[1]},{"name":"STATUS_CLIP_LICENSE_HARDWARE_ID_OUT_OF_TOLERANCE","features":[1]},{"name":"STATUS_CLIP_LICENSE_INVALID_SIGNATURE","features":[1]},{"name":"STATUS_CLIP_LICENSE_NOT_FOUND","features":[1]},{"name":"STATUS_CLIP_LICENSE_NOT_SIGNED","features":[1]},{"name":"STATUS_CLIP_LICENSE_SIGNED_BY_UNKNOWN_SOURCE","features":[1]},{"name":"STATUS_CLOUD_FILE_ACCESS_DENIED","features":[1]},{"name":"STATUS_CLOUD_FILE_ALREADY_CONNECTED","features":[1]},{"name":"STATUS_CLOUD_FILE_AUTHENTICATION_FAILED","features":[1]},{"name":"STATUS_CLOUD_FILE_CONNECTED_PROVIDER_ONLY","features":[1]},{"name":"STATUS_CLOUD_FILE_DEHYDRATION_DISALLOWED","features":[1]},{"name":"STATUS_CLOUD_FILE_INCOMPATIBLE_HARDLINKS","features":[1]},{"name":"STATUS_CLOUD_FILE_INSUFFICIENT_RESOURCES","features":[1]},{"name":"STATUS_CLOUD_FILE_INVALID_REQUEST","features":[1]},{"name":"STATUS_CLOUD_FILE_IN_USE","features":[1]},{"name":"STATUS_CLOUD_FILE_METADATA_CORRUPT","features":[1]},{"name":"STATUS_CLOUD_FILE_METADATA_TOO_LARGE","features":[1]},{"name":"STATUS_CLOUD_FILE_NETWORK_UNAVAILABLE","features":[1]},{"name":"STATUS_CLOUD_FILE_NOT_IN_SYNC","features":[1]},{"name":"STATUS_CLOUD_FILE_NOT_SUPPORTED","features":[1]},{"name":"STATUS_CLOUD_FILE_NOT_UNDER_SYNC_ROOT","features":[1]},{"name":"STATUS_CLOUD_FILE_PINNED","features":[1]},{"name":"STATUS_CLOUD_FILE_PROPERTY_BLOB_CHECKSUM_MISMATCH","features":[1]},{"name":"STATUS_CLOUD_FILE_PROPERTY_BLOB_TOO_LARGE","features":[1]},{"name":"STATUS_CLOUD_FILE_PROPERTY_CORRUPT","features":[1]},{"name":"STATUS_CLOUD_FILE_PROPERTY_LOCK_CONFLICT","features":[1]},{"name":"STATUS_CLOUD_FILE_PROPERTY_VERSION_NOT_SUPPORTED","features":[1]},{"name":"STATUS_CLOUD_FILE_PROVIDER_NOT_RUNNING","features":[1]},{"name":"STATUS_CLOUD_FILE_PROVIDER_TERMINATED","features":[1]},{"name":"STATUS_CLOUD_FILE_READ_ONLY_VOLUME","features":[1]},{"name":"STATUS_CLOUD_FILE_REQUEST_ABORTED","features":[1]},{"name":"STATUS_CLOUD_FILE_REQUEST_CANCELED","features":[1]},{"name":"STATUS_CLOUD_FILE_REQUEST_TIMEOUT","features":[1]},{"name":"STATUS_CLOUD_FILE_SYNC_ROOT_METADATA_CORRUPT","features":[1]},{"name":"STATUS_CLOUD_FILE_TOO_MANY_PROPERTY_BLOBS","features":[1]},{"name":"STATUS_CLOUD_FILE_UNSUCCESSFUL","features":[1]},{"name":"STATUS_CLOUD_FILE_US_MESSAGE_TIMEOUT","features":[1]},{"name":"STATUS_CLOUD_FILE_VALIDATION_FAILED","features":[1]},{"name":"STATUS_CLUSTER_CAM_TICKET_REPLAY_DETECTED","features":[1]},{"name":"STATUS_CLUSTER_CSV_AUTO_PAUSE_ERROR","features":[1]},{"name":"STATUS_CLUSTER_CSV_INVALID_HANDLE","features":[1]},{"name":"STATUS_CLUSTER_CSV_NOT_REDIRECTED","features":[1]},{"name":"STATUS_CLUSTER_CSV_NO_SNAPSHOTS","features":[1]},{"name":"STATUS_CLUSTER_CSV_READ_OPLOCK_BREAK_IN_PROGRESS","features":[1]},{"name":"STATUS_CLUSTER_CSV_REDIRECTED","features":[1]},{"name":"STATUS_CLUSTER_CSV_SNAPSHOT_CREATION_IN_PROGRESS","features":[1]},{"name":"STATUS_CLUSTER_CSV_SUPPORTED_ONLY_ON_COORDINATOR","features":[1]},{"name":"STATUS_CLUSTER_CSV_VOLUME_DRAINING","features":[1]},{"name":"STATUS_CLUSTER_CSV_VOLUME_DRAINING_SUCCEEDED_DOWNLEVEL","features":[1]},{"name":"STATUS_CLUSTER_CSV_VOLUME_NOT_LOCAL","features":[1]},{"name":"STATUS_CLUSTER_INVALID_NETWORK","features":[1]},{"name":"STATUS_CLUSTER_INVALID_NETWORK_PROVIDER","features":[1]},{"name":"STATUS_CLUSTER_INVALID_NODE","features":[1]},{"name":"STATUS_CLUSTER_INVALID_REQUEST","features":[1]},{"name":"STATUS_CLUSTER_JOIN_IN_PROGRESS","features":[1]},{"name":"STATUS_CLUSTER_JOIN_NOT_IN_PROGRESS","features":[1]},{"name":"STATUS_CLUSTER_LOCAL_NODE_NOT_FOUND","features":[1]},{"name":"STATUS_CLUSTER_NETINTERFACE_EXISTS","features":[1]},{"name":"STATUS_CLUSTER_NETINTERFACE_NOT_FOUND","features":[1]},{"name":"STATUS_CLUSTER_NETWORK_ALREADY_OFFLINE","features":[1]},{"name":"STATUS_CLUSTER_NETWORK_ALREADY_ONLINE","features":[1]},{"name":"STATUS_CLUSTER_NETWORK_EXISTS","features":[1]},{"name":"STATUS_CLUSTER_NETWORK_NOT_FOUND","features":[1]},{"name":"STATUS_CLUSTER_NETWORK_NOT_INTERNAL","features":[1]},{"name":"STATUS_CLUSTER_NODE_ALREADY_DOWN","features":[1]},{"name":"STATUS_CLUSTER_NODE_ALREADY_MEMBER","features":[1]},{"name":"STATUS_CLUSTER_NODE_ALREADY_UP","features":[1]},{"name":"STATUS_CLUSTER_NODE_DOWN","features":[1]},{"name":"STATUS_CLUSTER_NODE_EXISTS","features":[1]},{"name":"STATUS_CLUSTER_NODE_NOT_FOUND","features":[1]},{"name":"STATUS_CLUSTER_NODE_NOT_MEMBER","features":[1]},{"name":"STATUS_CLUSTER_NODE_NOT_PAUSED","features":[1]},{"name":"STATUS_CLUSTER_NODE_PAUSED","features":[1]},{"name":"STATUS_CLUSTER_NODE_UNREACHABLE","features":[1]},{"name":"STATUS_CLUSTER_NODE_UP","features":[1]},{"name":"STATUS_CLUSTER_NON_CSV_PATH","features":[1]},{"name":"STATUS_CLUSTER_NO_NET_ADAPTERS","features":[1]},{"name":"STATUS_CLUSTER_NO_SECURITY_CONTEXT","features":[1]},{"name":"STATUS_CLUSTER_POISONED","features":[1]},{"name":"STATUS_COMMITMENT_LIMIT","features":[1]},{"name":"STATUS_COMMITMENT_MINIMUM","features":[1]},{"name":"STATUS_COMPRESSED_FILE_NOT_SUPPORTED","features":[1]},{"name":"STATUS_COMPRESSION_DISABLED","features":[1]},{"name":"STATUS_COMPRESSION_NOT_ALLOWED_IN_TRANSACTION","features":[1]},{"name":"STATUS_COMPRESSION_NOT_BENEFICIAL","features":[1]},{"name":"STATUS_CONFLICTING_ADDRESSES","features":[1]},{"name":"STATUS_CONNECTION_ABORTED","features":[1]},{"name":"STATUS_CONNECTION_ACTIVE","features":[1]},{"name":"STATUS_CONNECTION_COUNT_LIMIT","features":[1]},{"name":"STATUS_CONNECTION_DISCONNECTED","features":[1]},{"name":"STATUS_CONNECTION_INVALID","features":[1]},{"name":"STATUS_CONNECTION_IN_USE","features":[1]},{"name":"STATUS_CONNECTION_REFUSED","features":[1]},{"name":"STATUS_CONNECTION_RESET","features":[1]},{"name":"STATUS_CONTAINER_ASSIGNED","features":[1]},{"name":"STATUS_CONTENT_BLOCKED","features":[1]},{"name":"STATUS_CONTEXT_MISMATCH","features":[1]},{"name":"STATUS_CONTEXT_STOWED_EXCEPTION","features":[1]},{"name":"STATUS_CONTROL_C_EXIT","features":[1]},{"name":"STATUS_CONTROL_STACK_VIOLATION","features":[1]},{"name":"STATUS_CONVERT_TO_LARGE","features":[1]},{"name":"STATUS_COPY_PROTECTION_FAILURE","features":[1]},{"name":"STATUS_CORRUPT_LOG_CLEARED","features":[1]},{"name":"STATUS_CORRUPT_LOG_CORRUPTED","features":[1]},{"name":"STATUS_CORRUPT_LOG_DELETED_FULL","features":[1]},{"name":"STATUS_CORRUPT_LOG_OVERFULL","features":[1]},{"name":"STATUS_CORRUPT_LOG_UNAVAILABLE","features":[1]},{"name":"STATUS_CORRUPT_LOG_UPLEVEL_RECORDS","features":[1]},{"name":"STATUS_CORRUPT_SYSTEM_FILE","features":[1]},{"name":"STATUS_COULD_NOT_INTERPRET","features":[1]},{"name":"STATUS_COULD_NOT_RESIZE_LOG","features":[1]},{"name":"STATUS_CPU_SET_INVALID","features":[1]},{"name":"STATUS_CRASH_DUMP","features":[1]},{"name":"STATUS_CRC_ERROR","features":[1]},{"name":"STATUS_CRED_REQUIRES_CONFIRMATION","features":[1]},{"name":"STATUS_CRM_PROTOCOL_ALREADY_EXISTS","features":[1]},{"name":"STATUS_CRM_PROTOCOL_NOT_FOUND","features":[1]},{"name":"STATUS_CROSSREALM_DELEGATION_FAILURE","features":[1]},{"name":"STATUS_CROSS_PARTITION_VIOLATION","features":[1]},{"name":"STATUS_CRYPTO_SYSTEM_INVALID","features":[1]},{"name":"STATUS_CSS_AUTHENTICATION_FAILURE","features":[1]},{"name":"STATUS_CSS_KEY_NOT_ESTABLISHED","features":[1]},{"name":"STATUS_CSS_KEY_NOT_PRESENT","features":[1]},{"name":"STATUS_CSS_REGION_MISMATCH","features":[1]},{"name":"STATUS_CSS_RESETS_EXHAUSTED","features":[1]},{"name":"STATUS_CSS_SCRAMBLED_SECTOR","features":[1]},{"name":"STATUS_CSV_IO_PAUSE_TIMEOUT","features":[1]},{"name":"STATUS_CS_ENCRYPTION_EXISTING_ENCRYPTED_FILE","features":[1]},{"name":"STATUS_CS_ENCRYPTION_FILE_NOT_CSE","features":[1]},{"name":"STATUS_CS_ENCRYPTION_INVALID_SERVER_RESPONSE","features":[1]},{"name":"STATUS_CS_ENCRYPTION_NEW_ENCRYPTED_FILE","features":[1]},{"name":"STATUS_CS_ENCRYPTION_UNSUPPORTED_SERVER","features":[1]},{"name":"STATUS_CTLOG_INCONSISTENT_TRACKING_FILE","features":[1]},{"name":"STATUS_CTLOG_INVALID_TRACKING_STATE","features":[1]},{"name":"STATUS_CTLOG_LOGFILE_SIZE_EXCEEDED_MAXSIZE","features":[1]},{"name":"STATUS_CTLOG_TRACKING_NOT_INITIALIZED","features":[1]},{"name":"STATUS_CTLOG_VHD_CHANGED_OFFLINE","features":[1]},{"name":"STATUS_CTL_FILE_NOT_SUPPORTED","features":[1]},{"name":"STATUS_CTX_BAD_VIDEO_MODE","features":[1]},{"name":"STATUS_CTX_CDM_CONNECT","features":[1]},{"name":"STATUS_CTX_CDM_DISCONNECT","features":[1]},{"name":"STATUS_CTX_CLIENT_LICENSE_IN_USE","features":[1]},{"name":"STATUS_CTX_CLIENT_LICENSE_NOT_SET","features":[1]},{"name":"STATUS_CTX_CLIENT_QUERY_TIMEOUT","features":[1]},{"name":"STATUS_CTX_CLOSE_PENDING","features":[1]},{"name":"STATUS_CTX_CONSOLE_CONNECT","features":[1]},{"name":"STATUS_CTX_CONSOLE_DISCONNECT","features":[1]},{"name":"STATUS_CTX_GRAPHICS_INVALID","features":[1]},{"name":"STATUS_CTX_INVALID_MODEMNAME","features":[1]},{"name":"STATUS_CTX_INVALID_PD","features":[1]},{"name":"STATUS_CTX_INVALID_WD","features":[1]},{"name":"STATUS_CTX_LICENSE_CLIENT_INVALID","features":[1]},{"name":"STATUS_CTX_LICENSE_EXPIRED","features":[1]},{"name":"STATUS_CTX_LICENSE_NOT_AVAILABLE","features":[1]},{"name":"STATUS_CTX_LOGON_DISABLED","features":[1]},{"name":"STATUS_CTX_MODEM_INF_NOT_FOUND","features":[1]},{"name":"STATUS_CTX_MODEM_RESPONSE_BUSY","features":[1]},{"name":"STATUS_CTX_MODEM_RESPONSE_NO_CARRIER","features":[1]},{"name":"STATUS_CTX_MODEM_RESPONSE_NO_DIALTONE","features":[1]},{"name":"STATUS_CTX_MODEM_RESPONSE_TIMEOUT","features":[1]},{"name":"STATUS_CTX_MODEM_RESPONSE_VOICE","features":[1]},{"name":"STATUS_CTX_NOT_CONSOLE","features":[1]},{"name":"STATUS_CTX_NO_OUTBUF","features":[1]},{"name":"STATUS_CTX_PD_NOT_FOUND","features":[1]},{"name":"STATUS_CTX_RESPONSE_ERROR","features":[1]},{"name":"STATUS_CTX_SECURITY_LAYER_ERROR","features":[1]},{"name":"STATUS_CTX_SHADOW_DENIED","features":[1]},{"name":"STATUS_CTX_SHADOW_DISABLED","features":[1]},{"name":"STATUS_CTX_SHADOW_ENDED_BY_MODE_CHANGE","features":[1]},{"name":"STATUS_CTX_SHADOW_INVALID","features":[1]},{"name":"STATUS_CTX_SHADOW_NOT_RUNNING","features":[1]},{"name":"STATUS_CTX_TD_ERROR","features":[1]},{"name":"STATUS_CTX_WD_NOT_FOUND","features":[1]},{"name":"STATUS_CTX_WINSTATION_ACCESS_DENIED","features":[1]},{"name":"STATUS_CTX_WINSTATION_BUSY","features":[1]},{"name":"STATUS_CTX_WINSTATION_NAME_COLLISION","features":[1]},{"name":"STATUS_CTX_WINSTATION_NAME_INVALID","features":[1]},{"name":"STATUS_CTX_WINSTATION_NOT_FOUND","features":[1]},{"name":"STATUS_CURRENT_DOMAIN_NOT_ALLOWED","features":[1]},{"name":"STATUS_CURRENT_TRANSACTION_NOT_VALID","features":[1]},{"name":"STATUS_DATATYPE_MISALIGNMENT","features":[1]},{"name":"STATUS_DATATYPE_MISALIGNMENT_ERROR","features":[1]},{"name":"STATUS_DATA_CHECKSUM_ERROR","features":[1]},{"name":"STATUS_DATA_ERROR","features":[1]},{"name":"STATUS_DATA_LATE_ERROR","features":[1]},{"name":"STATUS_DATA_LOST_REPAIR","features":[1]},{"name":"STATUS_DATA_NOT_ACCEPTED","features":[1]},{"name":"STATUS_DATA_OVERRUN","features":[1]},{"name":"STATUS_DATA_OVERWRITTEN","features":[1]},{"name":"STATUS_DAX_MAPPING_EXISTS","features":[1]},{"name":"STATUS_DEBUGGER_INACTIVE","features":[1]},{"name":"STATUS_DEBUG_ATTACH_FAILED","features":[1]},{"name":"STATUS_DECRYPTION_FAILED","features":[1]},{"name":"STATUS_DELAY_LOAD_FAILED","features":[1]},{"name":"STATUS_DELETE_PENDING","features":[1]},{"name":"STATUS_DESTINATION_ELEMENT_FULL","features":[1]},{"name":"STATUS_DEVICE_ALREADY_ATTACHED","features":[1]},{"name":"STATUS_DEVICE_BUSY","features":[1]},{"name":"STATUS_DEVICE_CONFIGURATION_ERROR","features":[1]},{"name":"STATUS_DEVICE_DATA_ERROR","features":[1]},{"name":"STATUS_DEVICE_DOES_NOT_EXIST","features":[1]},{"name":"STATUS_DEVICE_DOOR_OPEN","features":[1]},{"name":"STATUS_DEVICE_ENUMERATION_ERROR","features":[1]},{"name":"STATUS_DEVICE_FEATURE_NOT_SUPPORTED","features":[1]},{"name":"STATUS_DEVICE_HARDWARE_ERROR","features":[1]},{"name":"STATUS_DEVICE_HINT_NAME_BUFFER_TOO_SMALL","features":[1]},{"name":"STATUS_DEVICE_HUNG","features":[1]},{"name":"STATUS_DEVICE_INSUFFICIENT_RESOURCES","features":[1]},{"name":"STATUS_DEVICE_IN_MAINTENANCE","features":[1]},{"name":"STATUS_DEVICE_NOT_CONNECTED","features":[1]},{"name":"STATUS_DEVICE_NOT_PARTITIONED","features":[1]},{"name":"STATUS_DEVICE_NOT_READY","features":[1]},{"name":"STATUS_DEVICE_OFF_LINE","features":[1]},{"name":"STATUS_DEVICE_PAPER_EMPTY","features":[1]},{"name":"STATUS_DEVICE_POWERED_OFF","features":[1]},{"name":"STATUS_DEVICE_POWER_CYCLE_REQUIRED","features":[1]},{"name":"STATUS_DEVICE_POWER_FAILURE","features":[1]},{"name":"STATUS_DEVICE_PROTOCOL_ERROR","features":[1]},{"name":"STATUS_DEVICE_REMOVED","features":[1]},{"name":"STATUS_DEVICE_REQUIRES_CLEANING","features":[1]},{"name":"STATUS_DEVICE_RESET_REQUIRED","features":[1]},{"name":"STATUS_DEVICE_SUPPORT_IN_PROGRESS","features":[1]},{"name":"STATUS_DEVICE_UNREACHABLE","features":[1]},{"name":"STATUS_DEVICE_UNRESPONSIVE","features":[1]},{"name":"STATUS_DFS_EXIT_PATH_FOUND","features":[1]},{"name":"STATUS_DFS_UNAVAILABLE","features":[1]},{"name":"STATUS_DIF_BINDING_API_NOT_FOUND","features":[1]},{"name":"STATUS_DIF_IOCALLBACK_NOT_REPLACED","features":[1]},{"name":"STATUS_DIF_LIVEDUMP_LIMIT_EXCEEDED","features":[1]},{"name":"STATUS_DIF_VOLATILE_DRIVER_HOTPATCHED","features":[1]},{"name":"STATUS_DIF_VOLATILE_DRIVER_IS_NOT_RUNNING","features":[1]},{"name":"STATUS_DIF_VOLATILE_INVALID_INFO","features":[1]},{"name":"STATUS_DIF_VOLATILE_NOT_ALLOWED","features":[1]},{"name":"STATUS_DIF_VOLATILE_PLUGIN_CHANGE_NOT_ALLOWED","features":[1]},{"name":"STATUS_DIF_VOLATILE_PLUGIN_IS_NOT_RUNNING","features":[1]},{"name":"STATUS_DIF_VOLATILE_SECTION_NOT_LOCKED","features":[1]},{"name":"STATUS_DIRECTORY_IS_A_REPARSE_POINT","features":[1]},{"name":"STATUS_DIRECTORY_NOT_EMPTY","features":[1]},{"name":"STATUS_DIRECTORY_NOT_RM","features":[1]},{"name":"STATUS_DIRECTORY_NOT_SUPPORTED","features":[1]},{"name":"STATUS_DIRECTORY_SERVICE_REQUIRED","features":[1]},{"name":"STATUS_DISK_CORRUPT_ERROR","features":[1]},{"name":"STATUS_DISK_FULL","features":[1]},{"name":"STATUS_DISK_OPERATION_FAILED","features":[1]},{"name":"STATUS_DISK_QUOTA_EXCEEDED","features":[1]},{"name":"STATUS_DISK_RECALIBRATE_FAILED","features":[1]},{"name":"STATUS_DISK_REPAIR_DISABLED","features":[1]},{"name":"STATUS_DISK_REPAIR_REDIRECTED","features":[1]},{"name":"STATUS_DISK_REPAIR_UNSUCCESSFUL","features":[1]},{"name":"STATUS_DISK_RESET_FAILED","features":[1]},{"name":"STATUS_DISK_RESOURCES_EXHAUSTED","features":[1]},{"name":"STATUS_DLL_INIT_FAILED","features":[1]},{"name":"STATUS_DLL_INIT_FAILED_LOGOFF","features":[1]},{"name":"STATUS_DLL_MIGHT_BE_INCOMPATIBLE","features":[1]},{"name":"STATUS_DLL_MIGHT_BE_INSECURE","features":[1]},{"name":"STATUS_DLL_NOT_FOUND","features":[1]},{"name":"STATUS_DM_OPERATION_LIMIT_EXCEEDED","features":[1]},{"name":"STATUS_DOMAIN_CONTROLLER_NOT_FOUND","features":[1]},{"name":"STATUS_DOMAIN_CTRLR_CONFIG_ERROR","features":[1]},{"name":"STATUS_DOMAIN_EXISTS","features":[1]},{"name":"STATUS_DOMAIN_LIMIT_EXCEEDED","features":[1]},{"name":"STATUS_DOMAIN_TRUST_INCONSISTENT","features":[1]},{"name":"STATUS_DRIVERS_LEAKING_LOCKED_PAGES","features":[1]},{"name":"STATUS_DRIVER_BLOCKED","features":[1]},{"name":"STATUS_DRIVER_BLOCKED_CRITICAL","features":[1]},{"name":"STATUS_DRIVER_CANCEL_TIMEOUT","features":[1]},{"name":"STATUS_DRIVER_DATABASE_ERROR","features":[1]},{"name":"STATUS_DRIVER_ENTRYPOINT_NOT_FOUND","features":[1]},{"name":"STATUS_DRIVER_FAILED_PRIOR_UNLOAD","features":[1]},{"name":"STATUS_DRIVER_FAILED_SLEEP","features":[1]},{"name":"STATUS_DRIVER_INTERNAL_ERROR","features":[1]},{"name":"STATUS_DRIVER_ORDINAL_NOT_FOUND","features":[1]},{"name":"STATUS_DRIVER_PROCESS_TERMINATED","features":[1]},{"name":"STATUS_DRIVER_UNABLE_TO_LOAD","features":[1]},{"name":"STATUS_DS_ADMIN_LIMIT_EXCEEDED","features":[1]},{"name":"STATUS_DS_AG_CANT_HAVE_UNIVERSAL_MEMBER","features":[1]},{"name":"STATUS_DS_ATTRIBUTE_OR_VALUE_EXISTS","features":[1]},{"name":"STATUS_DS_ATTRIBUTE_TYPE_UNDEFINED","features":[1]},{"name":"STATUS_DS_BUSY","features":[1]},{"name":"STATUS_DS_CANT_MOD_OBJ_CLASS","features":[1]},{"name":"STATUS_DS_CANT_MOD_PRIMARYGROUPID","features":[1]},{"name":"STATUS_DS_CANT_ON_NON_LEAF","features":[1]},{"name":"STATUS_DS_CANT_ON_RDN","features":[1]},{"name":"STATUS_DS_CANT_START","features":[1]},{"name":"STATUS_DS_CROSS_DOM_MOVE_FAILED","features":[1]},{"name":"STATUS_DS_DOMAIN_NAME_EXISTS_IN_FOREST","features":[1]},{"name":"STATUS_DS_DOMAIN_RENAME_IN_PROGRESS","features":[1]},{"name":"STATUS_DS_DUPLICATE_ID_FOUND","features":[1]},{"name":"STATUS_DS_FLAT_NAME_EXISTS_IN_FOREST","features":[1]},{"name":"STATUS_DS_GC_NOT_AVAILABLE","features":[1]},{"name":"STATUS_DS_GC_REQUIRED","features":[1]},{"name":"STATUS_DS_GLOBAL_CANT_HAVE_CROSSDOMAIN_MEMBER","features":[1]},{"name":"STATUS_DS_GLOBAL_CANT_HAVE_LOCAL_MEMBER","features":[1]},{"name":"STATUS_DS_GLOBAL_CANT_HAVE_UNIVERSAL_MEMBER","features":[1]},{"name":"STATUS_DS_GROUP_CONVERSION_ERROR","features":[1]},{"name":"STATUS_DS_HAVE_PRIMARY_MEMBERS","features":[1]},{"name":"STATUS_DS_INCORRECT_ROLE_OWNER","features":[1]},{"name":"STATUS_DS_INIT_FAILURE","features":[1]},{"name":"STATUS_DS_INIT_FAILURE_CONSOLE","features":[1]},{"name":"STATUS_DS_INVALID_ATTRIBUTE_SYNTAX","features":[1]},{"name":"STATUS_DS_INVALID_GROUP_TYPE","features":[1]},{"name":"STATUS_DS_LOCAL_CANT_HAVE_CROSSDOMAIN_LOCAL_MEMBER","features":[1]},{"name":"STATUS_DS_LOCAL_MEMBER_OF_LOCAL_ONLY","features":[1]},{"name":"STATUS_DS_MACHINE_ACCOUNT_QUOTA_EXCEEDED","features":[1]},{"name":"STATUS_DS_MEMBERSHIP_EVALUATED_LOCALLY","features":[1]},{"name":"STATUS_DS_NAME_NOT_UNIQUE","features":[1]},{"name":"STATUS_DS_NO_ATTRIBUTE_OR_VALUE","features":[1]},{"name":"STATUS_DS_NO_FPO_IN_UNIVERSAL_GROUPS","features":[1]},{"name":"STATUS_DS_NO_MORE_RIDS","features":[1]},{"name":"STATUS_DS_NO_NEST_GLOBALGROUP_IN_MIXEDDOMAIN","features":[1]},{"name":"STATUS_DS_NO_NEST_LOCALGROUP_IN_MIXEDDOMAIN","features":[1]},{"name":"STATUS_DS_NO_RIDS_ALLOCATED","features":[1]},{"name":"STATUS_DS_OBJ_CLASS_VIOLATION","features":[1]},{"name":"STATUS_DS_OID_MAPPED_GROUP_CANT_HAVE_MEMBERS","features":[1]},{"name":"STATUS_DS_OID_NOT_FOUND","features":[1]},{"name":"STATUS_DS_RIDMGR_DISABLED","features":[1]},{"name":"STATUS_DS_RIDMGR_INIT_ERROR","features":[1]},{"name":"STATUS_DS_SAM_INIT_FAILURE","features":[1]},{"name":"STATUS_DS_SAM_INIT_FAILURE_CONSOLE","features":[1]},{"name":"STATUS_DS_SENSITIVE_GROUP_VIOLATION","features":[1]},{"name":"STATUS_DS_SHUTTING_DOWN","features":[1]},{"name":"STATUS_DS_SRC_SID_EXISTS_IN_FOREST","features":[1]},{"name":"STATUS_DS_UNAVAILABLE","features":[1]},{"name":"STATUS_DS_UNIVERSAL_CANT_HAVE_LOCAL_MEMBER","features":[1]},{"name":"STATUS_DS_VERSION_CHECK_FAILURE","features":[1]},{"name":"STATUS_DUPLICATE_NAME","features":[1]},{"name":"STATUS_DUPLICATE_OBJECTID","features":[1]},{"name":"STATUS_DUPLICATE_PRIVILEGES","features":[1]},{"name":"STATUS_DYNAMIC_CODE_BLOCKED","features":[1]},{"name":"STATUS_EAS_NOT_SUPPORTED","features":[1]},{"name":"STATUS_EA_CORRUPT_ERROR","features":[1]},{"name":"STATUS_EA_LIST_INCONSISTENT","features":[1]},{"name":"STATUS_EA_TOO_LARGE","features":[1]},{"name":"STATUS_EFS_ALG_BLOB_TOO_BIG","features":[1]},{"name":"STATUS_EFS_NOT_ALLOWED_IN_TRANSACTION","features":[1]},{"name":"STATUS_ELEVATION_REQUIRED","features":[1]},{"name":"STATUS_EMULATION_BREAKPOINT","features":[1]},{"name":"STATUS_EMULATION_SYSCALL","features":[1]},{"name":"STATUS_ENCLAVE_FAILURE","features":[1]},{"name":"STATUS_ENCLAVE_IS_TERMINATING","features":[1]},{"name":"STATUS_ENCLAVE_NOT_TERMINATED","features":[1]},{"name":"STATUS_ENCLAVE_VIOLATION","features":[1]},{"name":"STATUS_ENCOUNTERED_WRITE_IN_PROGRESS","features":[1]},{"name":"STATUS_ENCRYPTED_FILE_NOT_SUPPORTED","features":[1]},{"name":"STATUS_ENCRYPTED_IO_NOT_POSSIBLE","features":[1]},{"name":"STATUS_ENCRYPTING_METADATA_DISALLOWED","features":[1]},{"name":"STATUS_ENCRYPTION_DISABLED","features":[1]},{"name":"STATUS_ENCRYPTION_FAILED","features":[1]},{"name":"STATUS_END_OF_FILE","features":[1]},{"name":"STATUS_END_OF_MEDIA","features":[1]},{"name":"STATUS_ENLISTMENT_NOT_FOUND","features":[1]},{"name":"STATUS_ENLISTMENT_NOT_SUPERIOR","features":[1]},{"name":"STATUS_ENTRYPOINT_NOT_FOUND","features":[1]},{"name":"STATUS_EOF_ON_GHOSTED_RANGE","features":[1]},{"name":"STATUS_EOM_OVERFLOW","features":[1]},{"name":"STATUS_ERROR_PROCESS_NOT_IN_JOB","features":[1]},{"name":"STATUS_EVALUATION_EXPIRATION","features":[1]},{"name":"STATUS_EVENTLOG_CANT_START","features":[1]},{"name":"STATUS_EVENTLOG_FILE_CHANGED","features":[1]},{"name":"STATUS_EVENTLOG_FILE_CORRUPT","features":[1]},{"name":"STATUS_EVENT_DONE","features":[1]},{"name":"STATUS_EVENT_PENDING","features":[1]},{"name":"STATUS_EXECUTABLE_MEMORY_WRITE","features":[1]},{"name":"STATUS_EXPIRED_HANDLE","features":[1]},{"name":"STATUS_EXTERNAL_BACKING_PROVIDER_UNKNOWN","features":[1]},{"name":"STATUS_EXTERNAL_SYSKEY_NOT_SUPPORTED","features":[1]},{"name":"STATUS_EXTRANEOUS_INFORMATION","features":[1]},{"name":"STATUS_FAILED_DRIVER_ENTRY","features":[1]},{"name":"STATUS_FAILED_STACK_SWITCH","features":[1]},{"name":"STATUS_FAIL_CHECK","features":[1]},{"name":"STATUS_FAIL_FAST_EXCEPTION","features":[1]},{"name":"STATUS_FASTPATH_REJECTED","features":[1]},{"name":"STATUS_FATAL_APP_EXIT","features":[1]},{"name":"STATUS_FATAL_MEMORY_EXHAUSTION","features":[1]},{"name":"STATUS_FATAL_USER_CALLBACK_EXCEPTION","features":[1]},{"name":"STATUS_FILEMARK_DETECTED","features":[1]},{"name":"STATUS_FILES_OPEN","features":[1]},{"name":"STATUS_FILE_CHECKED_OUT","features":[1]},{"name":"STATUS_FILE_CLOSED","features":[1]},{"name":"STATUS_FILE_CORRUPT_ERROR","features":[1]},{"name":"STATUS_FILE_DELETED","features":[1]},{"name":"STATUS_FILE_ENCRYPTED","features":[1]},{"name":"STATUS_FILE_FORCED_CLOSED","features":[1]},{"name":"STATUS_FILE_HANDLE_REVOKED","features":[1]},{"name":"STATUS_FILE_IDENTITY_NOT_PERSISTENT","features":[1]},{"name":"STATUS_FILE_INVALID","features":[1]},{"name":"STATUS_FILE_IS_A_DIRECTORY","features":[1]},{"name":"STATUS_FILE_IS_OFFLINE","features":[1]},{"name":"STATUS_FILE_LOCKED_WITH_ONLY_READERS","features":[1]},{"name":"STATUS_FILE_LOCKED_WITH_WRITERS","features":[1]},{"name":"STATUS_FILE_LOCK_CONFLICT","features":[1]},{"name":"STATUS_FILE_METADATA_OPTIMIZATION_IN_PROGRESS","features":[1]},{"name":"STATUS_FILE_NOT_AVAILABLE","features":[1]},{"name":"STATUS_FILE_NOT_ENCRYPTED","features":[1]},{"name":"STATUS_FILE_NOT_SUPPORTED","features":[1]},{"name":"STATUS_FILE_PROTECTED_UNDER_DPL","features":[1]},{"name":"STATUS_FILE_RENAMED","features":[1]},{"name":"STATUS_FILE_SNAP_INVALID_PARAMETER","features":[1]},{"name":"STATUS_FILE_SNAP_IN_PROGRESS","features":[1]},{"name":"STATUS_FILE_SNAP_IO_NOT_COORDINATED","features":[1]},{"name":"STATUS_FILE_SNAP_MODIFY_NOT_SUPPORTED","features":[1]},{"name":"STATUS_FILE_SNAP_UNEXPECTED_ERROR","features":[1]},{"name":"STATUS_FILE_SNAP_USER_SECTION_NOT_SUPPORTED","features":[1]},{"name":"STATUS_FILE_SYSTEM_LIMITATION","features":[1]},{"name":"STATUS_FILE_SYSTEM_VIRTUALIZATION_BUSY","features":[1]},{"name":"STATUS_FILE_SYSTEM_VIRTUALIZATION_INVALID_OPERATION","features":[1]},{"name":"STATUS_FILE_SYSTEM_VIRTUALIZATION_METADATA_CORRUPT","features":[1]},{"name":"STATUS_FILE_SYSTEM_VIRTUALIZATION_PROVIDER_UNKNOWN","features":[1]},{"name":"STATUS_FILE_SYSTEM_VIRTUALIZATION_UNAVAILABLE","features":[1]},{"name":"STATUS_FILE_TOO_LARGE","features":[1]},{"name":"STATUS_FIRMWARE_IMAGE_INVALID","features":[1]},{"name":"STATUS_FIRMWARE_SLOT_INVALID","features":[1]},{"name":"STATUS_FIRMWARE_UPDATED","features":[1]},{"name":"STATUS_FLOATED_SECTION","features":[1]},{"name":"STATUS_FLOAT_DENORMAL_OPERAND","features":[1]},{"name":"STATUS_FLOAT_DIVIDE_BY_ZERO","features":[1]},{"name":"STATUS_FLOAT_INEXACT_RESULT","features":[1]},{"name":"STATUS_FLOAT_INVALID_OPERATION","features":[1]},{"name":"STATUS_FLOAT_MULTIPLE_FAULTS","features":[1]},{"name":"STATUS_FLOAT_MULTIPLE_TRAPS","features":[1]},{"name":"STATUS_FLOAT_OVERFLOW","features":[1]},{"name":"STATUS_FLOAT_STACK_CHECK","features":[1]},{"name":"STATUS_FLOAT_UNDERFLOW","features":[1]},{"name":"STATUS_FLOPPY_BAD_REGISTERS","features":[1]},{"name":"STATUS_FLOPPY_ID_MARK_NOT_FOUND","features":[1]},{"name":"STATUS_FLOPPY_UNKNOWN_ERROR","features":[1]},{"name":"STATUS_FLOPPY_VOLUME","features":[1]},{"name":"STATUS_FLOPPY_WRONG_CYLINDER","features":[1]},{"name":"STATUS_FLT_ALREADY_ENLISTED","features":[1]},{"name":"STATUS_FLT_BUFFER_TOO_SMALL","features":[1]},{"name":"STATUS_FLT_CBDQ_DISABLED","features":[1]},{"name":"STATUS_FLT_CONTEXT_ALLOCATION_NOT_FOUND","features":[1]},{"name":"STATUS_FLT_CONTEXT_ALREADY_DEFINED","features":[1]},{"name":"STATUS_FLT_CONTEXT_ALREADY_LINKED","features":[1]},{"name":"STATUS_FLT_DELETING_OBJECT","features":[1]},{"name":"STATUS_FLT_DISALLOW_FAST_IO","features":[1]},{"name":"STATUS_FLT_DISALLOW_FSFILTER_IO","features":[1]},{"name":"STATUS_FLT_DO_NOT_ATTACH","features":[1]},{"name":"STATUS_FLT_DO_NOT_DETACH","features":[1]},{"name":"STATUS_FLT_DUPLICATE_ENTRY","features":[1]},{"name":"STATUS_FLT_FILTER_NOT_FOUND","features":[1]},{"name":"STATUS_FLT_FILTER_NOT_READY","features":[1]},{"name":"STATUS_FLT_INSTANCE_ALTITUDE_COLLISION","features":[1]},{"name":"STATUS_FLT_INSTANCE_NAME_COLLISION","features":[1]},{"name":"STATUS_FLT_INSTANCE_NOT_FOUND","features":[1]},{"name":"STATUS_FLT_INTERNAL_ERROR","features":[1]},{"name":"STATUS_FLT_INVALID_ASYNCHRONOUS_REQUEST","features":[1]},{"name":"STATUS_FLT_INVALID_CONTEXT_REGISTRATION","features":[1]},{"name":"STATUS_FLT_INVALID_NAME_REQUEST","features":[1]},{"name":"STATUS_FLT_IO_COMPLETE","features":[1]},{"name":"STATUS_FLT_MUST_BE_NONPAGED_POOL","features":[1]},{"name":"STATUS_FLT_NAME_CACHE_MISS","features":[1]},{"name":"STATUS_FLT_NOT_INITIALIZED","features":[1]},{"name":"STATUS_FLT_NOT_SAFE_TO_POST_OPERATION","features":[1]},{"name":"STATUS_FLT_NO_DEVICE_OBJECT","features":[1]},{"name":"STATUS_FLT_NO_HANDLER_DEFINED","features":[1]},{"name":"STATUS_FLT_NO_WAITER_FOR_REPLY","features":[1]},{"name":"STATUS_FLT_POST_OPERATION_CLEANUP","features":[1]},{"name":"STATUS_FLT_REGISTRATION_BUSY","features":[1]},{"name":"STATUS_FLT_VOLUME_ALREADY_MOUNTED","features":[1]},{"name":"STATUS_FLT_VOLUME_NOT_FOUND","features":[1]},{"name":"STATUS_FLT_WCOS_NOT_SUPPORTED","features":[1]},{"name":"STATUS_FORMS_AUTH_REQUIRED","features":[1]},{"name":"STATUS_FOUND_OUT_OF_SCOPE","features":[1]},{"name":"STATUS_FREE_SPACE_TOO_FRAGMENTED","features":[1]},{"name":"STATUS_FREE_VM_NOT_AT_BASE","features":[1]},{"name":"STATUS_FSFILTER_OP_COMPLETED_SUCCESSFULLY","features":[1]},{"name":"STATUS_FS_DRIVER_REQUIRED","features":[1]},{"name":"STATUS_FS_GUID_MISMATCH","features":[1]},{"name":"STATUS_FS_METADATA_INCONSISTENT","features":[1]},{"name":"STATUS_FT_DI_SCAN_REQUIRED","features":[1]},{"name":"STATUS_FT_MISSING_MEMBER","features":[1]},{"name":"STATUS_FT_ORPHANING","features":[1]},{"name":"STATUS_FT_READ_FAILURE","features":[1]},{"name":"STATUS_FT_READ_FROM_COPY","features":[1]},{"name":"STATUS_FT_READ_FROM_COPY_FAILURE","features":[1]},{"name":"STATUS_FT_READ_RECOVERY_FROM_BACKUP","features":[1]},{"name":"STATUS_FT_WRITE_FAILURE","features":[1]},{"name":"STATUS_FT_WRITE_RECOVERY","features":[1]},{"name":"STATUS_FULLSCREEN_MODE","features":[1]},{"name":"STATUS_FVE_ACTION_NOT_ALLOWED","features":[1]},{"name":"STATUS_FVE_AUTH_INVALID_APPLICATION","features":[1]},{"name":"STATUS_FVE_AUTH_INVALID_CONFIG","features":[1]},{"name":"STATUS_FVE_BAD_DATA","features":[1]},{"name":"STATUS_FVE_BAD_INFORMATION","features":[1]},{"name":"STATUS_FVE_BAD_METADATA_POINTER","features":[1]},{"name":"STATUS_FVE_BAD_PARTITION_SIZE","features":[1]},{"name":"STATUS_FVE_CONV_READ_ERROR","features":[1]},{"name":"STATUS_FVE_CONV_RECOVERY_FAILED","features":[1]},{"name":"STATUS_FVE_CONV_WRITE_ERROR","features":[1]},{"name":"STATUS_FVE_DATASET_FULL","features":[1]},{"name":"STATUS_FVE_DEBUGGER_ENABLED","features":[1]},{"name":"STATUS_FVE_DEVICE_LOCKEDOUT","features":[1]},{"name":"STATUS_FVE_DRY_RUN_FAILED","features":[1]},{"name":"STATUS_FVE_EDRIVE_BAND_ENUMERATION_FAILED","features":[1]},{"name":"STATUS_FVE_EDRIVE_DRY_RUN_FAILED","features":[1]},{"name":"STATUS_FVE_ENH_PIN_INVALID","features":[1]},{"name":"STATUS_FVE_FAILED_AUTHENTICATION","features":[1]},{"name":"STATUS_FVE_FAILED_SECTOR_SIZE","features":[1]},{"name":"STATUS_FVE_FAILED_WRONG_FS","features":[1]},{"name":"STATUS_FVE_FS_MOUNTED","features":[1]},{"name":"STATUS_FVE_FS_NOT_EXTENDED","features":[1]},{"name":"STATUS_FVE_FULL_ENCRYPTION_NOT_ALLOWED_ON_TP_STORAGE","features":[1]},{"name":"STATUS_FVE_INVALID_DATUM_TYPE","features":[1]},{"name":"STATUS_FVE_KEYFILE_INVALID","features":[1]},{"name":"STATUS_FVE_KEYFILE_NOT_FOUND","features":[1]},{"name":"STATUS_FVE_KEYFILE_NO_VMK","features":[1]},{"name":"STATUS_FVE_LOCKED_VOLUME","features":[1]},{"name":"STATUS_FVE_METADATA_FULL","features":[1]},{"name":"STATUS_FVE_MOR_FAILED","features":[1]},{"name":"STATUS_FVE_NOT_ALLOWED_ON_CLUSTER","features":[1]},{"name":"STATUS_FVE_NOT_ALLOWED_ON_CSV_STACK","features":[1]},{"name":"STATUS_FVE_NOT_ALLOWED_TO_UPGRADE_WHILE_CONVERTING","features":[1]},{"name":"STATUS_FVE_NOT_DATA_VOLUME","features":[1]},{"name":"STATUS_FVE_NOT_DE_VOLUME","features":[1]},{"name":"STATUS_FVE_NOT_ENCRYPTED","features":[1]},{"name":"STATUS_FVE_NOT_OS_VOLUME","features":[1]},{"name":"STATUS_FVE_NO_AUTOUNLOCK_MASTER_KEY","features":[1]},{"name":"STATUS_FVE_NO_FEATURE_LICENSE","features":[1]},{"name":"STATUS_FVE_NO_LICENSE","features":[1]},{"name":"STATUS_FVE_OLD_METADATA_COPY","features":[1]},{"name":"STATUS_FVE_OSV_KSR_NOT_ALLOWED","features":[1]},{"name":"STATUS_FVE_OVERLAPPED_UPDATE","features":[1]},{"name":"STATUS_FVE_PARTIAL_METADATA","features":[1]},{"name":"STATUS_FVE_PIN_INVALID","features":[1]},{"name":"STATUS_FVE_POLICY_ON_RDV_EXCLUSION_LIST","features":[1]},{"name":"STATUS_FVE_POLICY_USER_DISABLE_RDV_NOT_ALLOWED","features":[1]},{"name":"STATUS_FVE_PROTECTION_CANNOT_BE_DISABLED","features":[1]},{"name":"STATUS_FVE_PROTECTION_DISABLED","features":[1]},{"name":"STATUS_FVE_RAW_ACCESS","features":[1]},{"name":"STATUS_FVE_RAW_BLOCKED","features":[1]},{"name":"STATUS_FVE_REBOOT_REQUIRED","features":[1]},{"name":"STATUS_FVE_SECUREBOOT_CONFIG_CHANGE","features":[1]},{"name":"STATUS_FVE_SECUREBOOT_DISABLED","features":[1]},{"name":"STATUS_FVE_TOO_SMALL","features":[1]},{"name":"STATUS_FVE_TPM_DISABLED","features":[1]},{"name":"STATUS_FVE_TPM_INVALID_PCR","features":[1]},{"name":"STATUS_FVE_TPM_NO_VMK","features":[1]},{"name":"STATUS_FVE_TPM_SRK_AUTH_NOT_ZERO","features":[1]},{"name":"STATUS_FVE_TRANSIENT_STATE","features":[1]},{"name":"STATUS_FVE_VIRTUALIZED_SPACE_TOO_BIG","features":[1]},{"name":"STATUS_FVE_VOLUME_EXTEND_PREVENTS_EOW_DECRYPT","features":[1]},{"name":"STATUS_FVE_VOLUME_NOT_BOUND","features":[1]},{"name":"STATUS_FVE_VOLUME_TOO_SMALL","features":[1]},{"name":"STATUS_FVE_WIPE_CANCEL_NOT_APPLICABLE","features":[1]},{"name":"STATUS_FVE_WIPE_NOT_ALLOWED_ON_TP_STORAGE","features":[1]},{"name":"STATUS_FWP_ACTION_INCOMPATIBLE_WITH_LAYER","features":[1]},{"name":"STATUS_FWP_ACTION_INCOMPATIBLE_WITH_SUBLAYER","features":[1]},{"name":"STATUS_FWP_ALREADY_EXISTS","features":[1]},{"name":"STATUS_FWP_BUILTIN_OBJECT","features":[1]},{"name":"STATUS_FWP_CALLOUT_NOTIFICATION_FAILED","features":[1]},{"name":"STATUS_FWP_CALLOUT_NOT_FOUND","features":[1]},{"name":"STATUS_FWP_CANNOT_PEND","features":[1]},{"name":"STATUS_FWP_CONDITION_NOT_FOUND","features":[1]},{"name":"STATUS_FWP_CONNECTIONS_DISABLED","features":[1]},{"name":"STATUS_FWP_CONTEXT_INCOMPATIBLE_WITH_CALLOUT","features":[1]},{"name":"STATUS_FWP_CONTEXT_INCOMPATIBLE_WITH_LAYER","features":[1]},{"name":"STATUS_FWP_DROP_NOICMP","features":[1]},{"name":"STATUS_FWP_DUPLICATE_AUTH_METHOD","features":[1]},{"name":"STATUS_FWP_DUPLICATE_CONDITION","features":[1]},{"name":"STATUS_FWP_DUPLICATE_KEYMOD","features":[1]},{"name":"STATUS_FWP_DYNAMIC_SESSION_IN_PROGRESS","features":[1]},{"name":"STATUS_FWP_EM_NOT_SUPPORTED","features":[1]},{"name":"STATUS_FWP_FILTER_NOT_FOUND","features":[1]},{"name":"STATUS_FWP_IKEEXT_NOT_RUNNING","features":[1]},{"name":"STATUS_FWP_INCOMPATIBLE_AUTH_METHOD","features":[1]},{"name":"STATUS_FWP_INCOMPATIBLE_CIPHER_TRANSFORM","features":[1]},{"name":"STATUS_FWP_INCOMPATIBLE_DH_GROUP","features":[1]},{"name":"STATUS_FWP_INCOMPATIBLE_LAYER","features":[1]},{"name":"STATUS_FWP_INCOMPATIBLE_SA_STATE","features":[1]},{"name":"STATUS_FWP_INCOMPATIBLE_TXN","features":[1]},{"name":"STATUS_FWP_INJECT_HANDLE_CLOSING","features":[1]},{"name":"STATUS_FWP_INJECT_HANDLE_STALE","features":[1]},{"name":"STATUS_FWP_INVALID_ACTION_TYPE","features":[1]},{"name":"STATUS_FWP_INVALID_AUTH_TRANSFORM","features":[1]},{"name":"STATUS_FWP_INVALID_CIPHER_TRANSFORM","features":[1]},{"name":"STATUS_FWP_INVALID_DNS_NAME","features":[1]},{"name":"STATUS_FWP_INVALID_ENUMERATOR","features":[1]},{"name":"STATUS_FWP_INVALID_FLAGS","features":[1]},{"name":"STATUS_FWP_INVALID_INTERVAL","features":[1]},{"name":"STATUS_FWP_INVALID_NET_MASK","features":[1]},{"name":"STATUS_FWP_INVALID_PARAMETER","features":[1]},{"name":"STATUS_FWP_INVALID_RANGE","features":[1]},{"name":"STATUS_FWP_INVALID_TRANSFORM_COMBINATION","features":[1]},{"name":"STATUS_FWP_INVALID_TUNNEL_ENDPOINT","features":[1]},{"name":"STATUS_FWP_INVALID_WEIGHT","features":[1]},{"name":"STATUS_FWP_IN_USE","features":[1]},{"name":"STATUS_FWP_KEY_DICTATION_INVALID_KEYING_MATERIAL","features":[1]},{"name":"STATUS_FWP_KEY_DICTATOR_ALREADY_REGISTERED","features":[1]},{"name":"STATUS_FWP_KM_CLIENTS_ONLY","features":[1]},{"name":"STATUS_FWP_L2_DRIVER_NOT_READY","features":[1]},{"name":"STATUS_FWP_LAYER_NOT_FOUND","features":[1]},{"name":"STATUS_FWP_LIFETIME_MISMATCH","features":[1]},{"name":"STATUS_FWP_MATCH_TYPE_MISMATCH","features":[1]},{"name":"STATUS_FWP_NET_EVENTS_DISABLED","features":[1]},{"name":"STATUS_FWP_NEVER_MATCH","features":[1]},{"name":"STATUS_FWP_NOTIFICATION_DROPPED","features":[1]},{"name":"STATUS_FWP_NOT_FOUND","features":[1]},{"name":"STATUS_FWP_NO_TXN_IN_PROGRESS","features":[1]},{"name":"STATUS_FWP_NULL_DISPLAY_NAME","features":[1]},{"name":"STATUS_FWP_NULL_POINTER","features":[1]},{"name":"STATUS_FWP_OUT_OF_BOUNDS","features":[1]},{"name":"STATUS_FWP_PROVIDER_CONTEXT_MISMATCH","features":[1]},{"name":"STATUS_FWP_PROVIDER_CONTEXT_NOT_FOUND","features":[1]},{"name":"STATUS_FWP_PROVIDER_NOT_FOUND","features":[1]},{"name":"STATUS_FWP_RESERVED","features":[1]},{"name":"STATUS_FWP_SESSION_ABORTED","features":[1]},{"name":"STATUS_FWP_STILL_ON","features":[1]},{"name":"STATUS_FWP_SUBLAYER_NOT_FOUND","features":[1]},{"name":"STATUS_FWP_TCPIP_NOT_READY","features":[1]},{"name":"STATUS_FWP_TIMEOUT","features":[1]},{"name":"STATUS_FWP_TOO_MANY_CALLOUTS","features":[1]},{"name":"STATUS_FWP_TOO_MANY_SUBLAYERS","features":[1]},{"name":"STATUS_FWP_TRAFFIC_MISMATCH","features":[1]},{"name":"STATUS_FWP_TXN_ABORTED","features":[1]},{"name":"STATUS_FWP_TXN_IN_PROGRESS","features":[1]},{"name":"STATUS_FWP_TYPE_MISMATCH","features":[1]},{"name":"STATUS_FWP_WRONG_SESSION","features":[1]},{"name":"STATUS_FWP_ZERO_LENGTH_ARRAY","features":[1]},{"name":"STATUS_GDI_HANDLE_LEAK","features":[1]},{"name":"STATUS_GENERIC_COMMAND_FAILED","features":[1]},{"name":"STATUS_GENERIC_NOT_MAPPED","features":[1]},{"name":"STATUS_GHOSTED","features":[1]},{"name":"STATUS_GPIO_CLIENT_INFORMATION_INVALID","features":[1]},{"name":"STATUS_GPIO_INCOMPATIBLE_CONNECT_MODE","features":[1]},{"name":"STATUS_GPIO_INTERRUPT_ALREADY_UNMASKED","features":[1]},{"name":"STATUS_GPIO_INVALID_REGISTRATION_PACKET","features":[1]},{"name":"STATUS_GPIO_OPERATION_DENIED","features":[1]},{"name":"STATUS_GPIO_VERSION_NOT_SUPPORTED","features":[1]},{"name":"STATUS_GRACEFUL_DISCONNECT","features":[1]},{"name":"STATUS_GRAPHICS_ADAPTER_ACCESS_NOT_EXCLUDED","features":[1]},{"name":"STATUS_GRAPHICS_ADAPTER_CHAIN_NOT_READY","features":[1]},{"name":"STATUS_GRAPHICS_ADAPTER_MUST_HAVE_AT_LEAST_ONE_SOURCE","features":[1]},{"name":"STATUS_GRAPHICS_ADAPTER_MUST_HAVE_AT_LEAST_ONE_TARGET","features":[1]},{"name":"STATUS_GRAPHICS_ADAPTER_WAS_RESET","features":[1]},{"name":"STATUS_GRAPHICS_ALLOCATION_BUSY","features":[1]},{"name":"STATUS_GRAPHICS_ALLOCATION_CLOSED","features":[1]},{"name":"STATUS_GRAPHICS_ALLOCATION_CONTENT_LOST","features":[1]},{"name":"STATUS_GRAPHICS_ALLOCATION_INVALID","features":[1]},{"name":"STATUS_GRAPHICS_CANCEL_VIDPN_TOPOLOGY_AUGMENTATION","features":[1]},{"name":"STATUS_GRAPHICS_CANNOTCOLORCONVERT","features":[1]},{"name":"STATUS_GRAPHICS_CANT_ACCESS_ACTIVE_VIDPN","features":[1]},{"name":"STATUS_GRAPHICS_CANT_EVICT_PINNED_ALLOCATION","features":[1]},{"name":"STATUS_GRAPHICS_CANT_LOCK_MEMORY","features":[1]},{"name":"STATUS_GRAPHICS_CANT_RENDER_LOCKED_ALLOCATION","features":[1]},{"name":"STATUS_GRAPHICS_CHAINLINKS_NOT_ENUMERATED","features":[1]},{"name":"STATUS_GRAPHICS_CHAINLINKS_NOT_POWERED_ON","features":[1]},{"name":"STATUS_GRAPHICS_CHAINLINKS_NOT_STARTED","features":[1]},{"name":"STATUS_GRAPHICS_CHILD_DESCRIPTOR_NOT_SUPPORTED","features":[1]},{"name":"STATUS_GRAPHICS_CLIENTVIDPN_NOT_SET","features":[1]},{"name":"STATUS_GRAPHICS_COPP_NOT_SUPPORTED","features":[1]},{"name":"STATUS_GRAPHICS_DATASET_IS_EMPTY","features":[1]},{"name":"STATUS_GRAPHICS_DDCCI_INVALID_CAPABILITIES_STRING","features":[1]},{"name":"STATUS_GRAPHICS_DDCCI_INVALID_DATA","features":[1]},{"name":"STATUS_GRAPHICS_DDCCI_INVALID_MESSAGE_CHECKSUM","features":[1]},{"name":"STATUS_GRAPHICS_DDCCI_INVALID_MESSAGE_COMMAND","features":[1]},{"name":"STATUS_GRAPHICS_DDCCI_INVALID_MESSAGE_LENGTH","features":[1]},{"name":"STATUS_GRAPHICS_DDCCI_MONITOR_RETURNED_INVALID_TIMING_STATUS_BYTE","features":[1]},{"name":"STATUS_GRAPHICS_DDCCI_VCP_NOT_SUPPORTED","features":[1]},{"name":"STATUS_GRAPHICS_DEPENDABLE_CHILD_STATUS","features":[1]},{"name":"STATUS_GRAPHICS_DISPLAY_DEVICE_NOT_ATTACHED_TO_DESKTOP","features":[1]},{"name":"STATUS_GRAPHICS_DRIVER_MISMATCH","features":[1]},{"name":"STATUS_GRAPHICS_EMPTY_ADAPTER_MONITOR_MODE_SUPPORT_INTERSECTION","features":[1]},{"name":"STATUS_GRAPHICS_FREQUENCYRANGE_ALREADY_IN_SET","features":[1]},{"name":"STATUS_GRAPHICS_FREQUENCYRANGE_NOT_IN_SET","features":[1]},{"name":"STATUS_GRAPHICS_GAMMA_RAMP_NOT_SUPPORTED","features":[1]},{"name":"STATUS_GRAPHICS_GPU_EXCEPTION_ON_DEVICE","features":[1]},{"name":"STATUS_GRAPHICS_I2C_DEVICE_DOES_NOT_EXIST","features":[1]},{"name":"STATUS_GRAPHICS_I2C_ERROR_RECEIVING_DATA","features":[1]},{"name":"STATUS_GRAPHICS_I2C_ERROR_TRANSMITTING_DATA","features":[1]},{"name":"STATUS_GRAPHICS_I2C_NOT_SUPPORTED","features":[1]},{"name":"STATUS_GRAPHICS_INCOMPATIBLE_PRIVATE_FORMAT","features":[1]},{"name":"STATUS_GRAPHICS_INCONSISTENT_DEVICE_LINK_STATE","features":[1]},{"name":"STATUS_GRAPHICS_INDIRECT_DISPLAY_ABANDON_SWAPCHAIN","features":[1]},{"name":"STATUS_GRAPHICS_INDIRECT_DISPLAY_DEVICE_STOPPED","features":[1]},{"name":"STATUS_GRAPHICS_INSUFFICIENT_DMA_BUFFER","features":[1]},{"name":"STATUS_GRAPHICS_INTERNAL_ERROR","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_ACTIVE_REGION","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_ALLOCATION_HANDLE","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_ALLOCATION_INSTANCE","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_ALLOCATION_USAGE","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_CLIENT_TYPE","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_COLORBASIS","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_COPYPROTECTION_TYPE","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_DISPLAY_ADAPTER","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_DRIVER_MODEL","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_FREQUENCY","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_GAMMA_RAMP","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_MODE_PRUNING_ALGORITHM","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_MONITORDESCRIPTOR","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_MONITORDESCRIPTORSET","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_MONITOR_CAPABILITY_ORIGIN","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_MONITOR_FREQUENCYRANGE","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_MONITOR_FREQUENCYRANGESET","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_MONITOR_FREQUENCYRANGE_CONSTRAINT","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_MONITOR_SOURCEMODESET","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_MONITOR_SOURCE_MODE","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_PATH_CONTENT_GEOMETRY_TRANSFORMATION","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_PATH_CONTENT_TYPE","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_PATH_IMPORTANCE_ORDINAL","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_PHYSICAL_MONITOR_HANDLE","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_PIXELFORMAT","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_PIXELVALUEACCESSMODE","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_POINTER","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_PRIMARYSURFACE_SIZE","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_SCANLINE_ORDERING","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_STRIDE","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_TOTAL_REGION","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_VIDEOPRESENTSOURCESET","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_VIDEOPRESENTTARGETSET","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_VIDEO_PRESENT_SOURCE","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_VIDEO_PRESENT_SOURCE_MODE","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_VIDEO_PRESENT_TARGET","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_VIDEO_PRESENT_TARGET_MODE","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_VIDPN","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_VIDPN_PRESENT_PATH","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_VIDPN_SOURCEMODESET","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_VIDPN_TARGETMODESET","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_VIDPN_TARGET_SUBSET_TYPE","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_VIDPN_TOPOLOGY","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_VIDPN_TOPOLOGY_RECOMMENDATION_REASON","features":[1]},{"name":"STATUS_GRAPHICS_INVALID_VISIBLEREGION_SIZE","features":[1]},{"name":"STATUS_GRAPHICS_LEADLINK_NOT_ENUMERATED","features":[1]},{"name":"STATUS_GRAPHICS_LEADLINK_START_DEFERRED","features":[1]},{"name":"STATUS_GRAPHICS_LINK_CONFIGURATION_IN_PROGRESS","features":[1]},{"name":"STATUS_GRAPHICS_MAX_NUM_PATHS_REACHED","features":[1]},{"name":"STATUS_GRAPHICS_MCA_INTERNAL_ERROR","features":[1]},{"name":"STATUS_GRAPHICS_MIRRORING_DEVICES_NOT_SUPPORTED","features":[1]},{"name":"STATUS_GRAPHICS_MODE_ALREADY_IN_MODESET","features":[1]},{"name":"STATUS_GRAPHICS_MODE_ID_MUST_BE_UNIQUE","features":[1]},{"name":"STATUS_GRAPHICS_MODE_NOT_IN_MODESET","features":[1]},{"name":"STATUS_GRAPHICS_MODE_NOT_PINNED","features":[1]},{"name":"STATUS_GRAPHICS_MONITORDESCRIPTOR_ALREADY_IN_SET","features":[1]},{"name":"STATUS_GRAPHICS_MONITORDESCRIPTOR_ID_MUST_BE_UNIQUE","features":[1]},{"name":"STATUS_GRAPHICS_MONITORDESCRIPTOR_NOT_IN_SET","features":[1]},{"name":"STATUS_GRAPHICS_MONITOR_COULD_NOT_BE_ASSOCIATED_WITH_ADAPTER","features":[1]},{"name":"STATUS_GRAPHICS_MONITOR_NOT_CONNECTED","features":[1]},{"name":"STATUS_GRAPHICS_MONITOR_NO_LONGER_EXISTS","features":[1]},{"name":"STATUS_GRAPHICS_MPO_ALLOCATION_UNPINNED","features":[1]},{"name":"STATUS_GRAPHICS_MULTISAMPLING_NOT_SUPPORTED","features":[1]},{"name":"STATUS_GRAPHICS_NOT_A_LINKED_ADAPTER","features":[1]},{"name":"STATUS_GRAPHICS_NOT_EXCLUSIVE_MODE_OWNER","features":[1]},{"name":"STATUS_GRAPHICS_NOT_POST_DEVICE_DRIVER","features":[1]},{"name":"STATUS_GRAPHICS_NO_ACTIVE_VIDPN","features":[1]},{"name":"STATUS_GRAPHICS_NO_AVAILABLE_IMPORTANCE_ORDINALS","features":[1]},{"name":"STATUS_GRAPHICS_NO_AVAILABLE_VIDPN_TARGET","features":[1]},{"name":"STATUS_GRAPHICS_NO_DISPLAY_DEVICE_CORRESPONDS_TO_NAME","features":[1]},{"name":"STATUS_GRAPHICS_NO_DISPLAY_MODE_MANAGEMENT_SUPPORT","features":[1]},{"name":"STATUS_GRAPHICS_NO_MONITORS_CORRESPOND_TO_DISPLAY_DEVICE","features":[1]},{"name":"STATUS_GRAPHICS_NO_MORE_ELEMENTS_IN_DATASET","features":[1]},{"name":"STATUS_GRAPHICS_NO_PREFERRED_MODE","features":[1]},{"name":"STATUS_GRAPHICS_NO_RECOMMENDED_FUNCTIONAL_VIDPN","features":[1]},{"name":"STATUS_GRAPHICS_NO_RECOMMENDED_VIDPN_TOPOLOGY","features":[1]},{"name":"STATUS_GRAPHICS_NO_VIDEO_MEMORY","features":[1]},{"name":"STATUS_GRAPHICS_NO_VIDPNMGR","features":[1]},{"name":"STATUS_GRAPHICS_ONLY_CONSOLE_SESSION_SUPPORTED","features":[1]},{"name":"STATUS_GRAPHICS_OPM_ALL_HDCP_HARDWARE_ALREADY_IN_USE","features":[1]},{"name":"STATUS_GRAPHICS_OPM_DRIVER_INTERNAL_ERROR","features":[1]},{"name":"STATUS_GRAPHICS_OPM_HDCP_SRM_NEVER_SET","features":[1]},{"name":"STATUS_GRAPHICS_OPM_INTERNAL_ERROR","features":[1]},{"name":"STATUS_GRAPHICS_OPM_INVALID_CONFIGURATION_REQUEST","features":[1]},{"name":"STATUS_GRAPHICS_OPM_INVALID_ENCRYPTED_PARAMETERS","features":[1]},{"name":"STATUS_GRAPHICS_OPM_INVALID_HANDLE","features":[1]},{"name":"STATUS_GRAPHICS_OPM_INVALID_INFORMATION_REQUEST","features":[1]},{"name":"STATUS_GRAPHICS_OPM_INVALID_SRM","features":[1]},{"name":"STATUS_GRAPHICS_OPM_NOT_SUPPORTED","features":[1]},{"name":"STATUS_GRAPHICS_OPM_NO_PROTECTED_OUTPUTS_EXIST","features":[1]},{"name":"STATUS_GRAPHICS_OPM_OUTPUT_DOES_NOT_SUPPORT_ACP","features":[1]},{"name":"STATUS_GRAPHICS_OPM_OUTPUT_DOES_NOT_SUPPORT_CGMSA","features":[1]},{"name":"STATUS_GRAPHICS_OPM_OUTPUT_DOES_NOT_SUPPORT_HDCP","features":[1]},{"name":"STATUS_GRAPHICS_OPM_PROTECTED_OUTPUT_DOES_NOT_HAVE_COPP_SEMANTICS","features":[1]},{"name":"STATUS_GRAPHICS_OPM_PROTECTED_OUTPUT_DOES_NOT_HAVE_OPM_SEMANTICS","features":[1]},{"name":"STATUS_GRAPHICS_OPM_PROTECTED_OUTPUT_NO_LONGER_EXISTS","features":[1]},{"name":"STATUS_GRAPHICS_OPM_RESOLUTION_TOO_HIGH","features":[1]},{"name":"STATUS_GRAPHICS_OPM_SIGNALING_NOT_SUPPORTED","features":[1]},{"name":"STATUS_GRAPHICS_OPM_SPANNING_MODE_ENABLED","features":[1]},{"name":"STATUS_GRAPHICS_OPM_THEATER_MODE_ENABLED","features":[1]},{"name":"STATUS_GRAPHICS_PARAMETER_ARRAY_TOO_SMALL","features":[1]},{"name":"STATUS_GRAPHICS_PARTIAL_DATA_POPULATED","features":[1]},{"name":"STATUS_GRAPHICS_PATH_ALREADY_IN_TOPOLOGY","features":[1]},{"name":"STATUS_GRAPHICS_PATH_CONTENT_GEOMETRY_TRANSFORMATION_NOT_PINNED","features":[1]},{"name":"STATUS_GRAPHICS_PATH_CONTENT_GEOMETRY_TRANSFORMATION_NOT_SUPPORTED","features":[1]},{"name":"STATUS_GRAPHICS_PATH_NOT_IN_TOPOLOGY","features":[1]},{"name":"STATUS_GRAPHICS_PINNED_MODE_MUST_REMAIN_IN_SET","features":[1]},{"name":"STATUS_GRAPHICS_POLLING_TOO_FREQUENTLY","features":[1]},{"name":"STATUS_GRAPHICS_PRESENT_BUFFER_NOT_BOUND","features":[1]},{"name":"STATUS_GRAPHICS_PRESENT_DENIED","features":[1]},{"name":"STATUS_GRAPHICS_PRESENT_INVALID_WINDOW","features":[1]},{"name":"STATUS_GRAPHICS_PRESENT_MODE_CHANGED","features":[1]},{"name":"STATUS_GRAPHICS_PRESENT_OCCLUDED","features":[1]},{"name":"STATUS_GRAPHICS_PRESENT_REDIRECTION_DISABLED","features":[1]},{"name":"STATUS_GRAPHICS_PRESENT_UNOCCLUDED","features":[1]},{"name":"STATUS_GRAPHICS_PVP_HFS_FAILED","features":[1]},{"name":"STATUS_GRAPHICS_PVP_INVALID_CERTIFICATE_LENGTH","features":[1]},{"name":"STATUS_GRAPHICS_RESOURCES_NOT_RELATED","features":[1]},{"name":"STATUS_GRAPHICS_SESSION_TYPE_CHANGE_IN_PROGRESS","features":[1]},{"name":"STATUS_GRAPHICS_SKIP_ALLOCATION_PREPARATION","features":[1]},{"name":"STATUS_GRAPHICS_SOURCE_ALREADY_IN_SET","features":[1]},{"name":"STATUS_GRAPHICS_SOURCE_ID_MUST_BE_UNIQUE","features":[1]},{"name":"STATUS_GRAPHICS_SOURCE_NOT_IN_TOPOLOGY","features":[1]},{"name":"STATUS_GRAPHICS_SPECIFIED_CHILD_ALREADY_CONNECTED","features":[1]},{"name":"STATUS_GRAPHICS_STALE_MODESET","features":[1]},{"name":"STATUS_GRAPHICS_STALE_VIDPN_TOPOLOGY","features":[1]},{"name":"STATUS_GRAPHICS_START_DEFERRED","features":[1]},{"name":"STATUS_GRAPHICS_TARGET_ALREADY_IN_SET","features":[1]},{"name":"STATUS_GRAPHICS_TARGET_ID_MUST_BE_UNIQUE","features":[1]},{"name":"STATUS_GRAPHICS_TARGET_NOT_IN_TOPOLOGY","features":[1]},{"name":"STATUS_GRAPHICS_TOO_MANY_REFERENCES","features":[1]},{"name":"STATUS_GRAPHICS_TOPOLOGY_CHANGES_NOT_ALLOWED","features":[1]},{"name":"STATUS_GRAPHICS_TRY_AGAIN_LATER","features":[1]},{"name":"STATUS_GRAPHICS_TRY_AGAIN_NOW","features":[1]},{"name":"STATUS_GRAPHICS_UAB_NOT_SUPPORTED","features":[1]},{"name":"STATUS_GRAPHICS_UNASSIGNED_MODESET_ALREADY_EXISTS","features":[1]},{"name":"STATUS_GRAPHICS_UNKNOWN_CHILD_STATUS","features":[1]},{"name":"STATUS_GRAPHICS_UNSWIZZLING_APERTURE_UNAVAILABLE","features":[1]},{"name":"STATUS_GRAPHICS_UNSWIZZLING_APERTURE_UNSUPPORTED","features":[1]},{"name":"STATUS_GRAPHICS_VAIL_STATE_CHANGED","features":[1]},{"name":"STATUS_GRAPHICS_VIDEO_PRESENT_TARGETS_LESS_THAN_SOURCES","features":[1]},{"name":"STATUS_GRAPHICS_VIDPN_MODALITY_NOT_SUPPORTED","features":[1]},{"name":"STATUS_GRAPHICS_VIDPN_SOURCE_IN_USE","features":[1]},{"name":"STATUS_GRAPHICS_VIDPN_TOPOLOGY_CURRENTLY_NOT_SUPPORTED","features":[1]},{"name":"STATUS_GRAPHICS_VIDPN_TOPOLOGY_NOT_SUPPORTED","features":[1]},{"name":"STATUS_GRAPHICS_WINDOWDC_NOT_AVAILABLE","features":[1]},{"name":"STATUS_GRAPHICS_WINDOWLESS_PRESENT_DISABLED","features":[1]},{"name":"STATUS_GRAPHICS_WRONG_ALLOCATION_DEVICE","features":[1]},{"name":"STATUS_GROUP_EXISTS","features":[1]},{"name":"STATUS_GUARD_PAGE_VIOLATION","features":[1]},{"name":"STATUS_GUIDS_EXHAUSTED","features":[1]},{"name":"STATUS_GUID_SUBSTITUTION_MADE","features":[1]},{"name":"STATUS_HANDLES_CLOSED","features":[1]},{"name":"STATUS_HANDLE_NOT_CLOSABLE","features":[1]},{"name":"STATUS_HANDLE_NO_LONGER_VALID","features":[1]},{"name":"STATUS_HANDLE_REVOKED","features":[1]},{"name":"STATUS_HARDWARE_MEMORY_ERROR","features":[1]},{"name":"STATUS_HASH_NOT_PRESENT","features":[1]},{"name":"STATUS_HASH_NOT_SUPPORTED","features":[1]},{"name":"STATUS_HAS_SYSTEM_CRITICAL_FILES","features":[1]},{"name":"STATUS_HDAUDIO_CONNECTION_LIST_NOT_SUPPORTED","features":[1]},{"name":"STATUS_HDAUDIO_EMPTY_CONNECTION_LIST","features":[1]},{"name":"STATUS_HDAUDIO_NO_LOGICAL_DEVICES_CREATED","features":[1]},{"name":"STATUS_HDAUDIO_NULL_LINKED_LIST_ENTRY","features":[1]},{"name":"STATUS_HEAP_CORRUPTION","features":[1]},{"name":"STATUS_HEURISTIC_DAMAGE_POSSIBLE","features":[1]},{"name":"STATUS_HIBERNATED","features":[1]},{"name":"STATUS_HIBERNATION_FAILURE","features":[1]},{"name":"STATUS_HIVE_UNLOADED","features":[1]},{"name":"STATUS_HMAC_NOT_SUPPORTED","features":[1]},{"name":"STATUS_HOPLIMIT_EXCEEDED","features":[1]},{"name":"STATUS_HOST_DOWN","features":[1]},{"name":"STATUS_HOST_UNREACHABLE","features":[1]},{"name":"STATUS_HUNG_DISPLAY_DRIVER_THREAD","features":[1]},{"name":"STATUS_HV_ACCESS_DENIED","features":[1]},{"name":"STATUS_HV_ACKNOWLEDGED","features":[1]},{"name":"STATUS_HV_CALL_PENDING","features":[1]},{"name":"STATUS_HV_CPUID_FEATURE_VALIDATION_ERROR","features":[1]},{"name":"STATUS_HV_CPUID_XSAVE_FEATURE_VALIDATION_ERROR","features":[1]},{"name":"STATUS_HV_DEVICE_NOT_IN_DOMAIN","features":[1]},{"name":"STATUS_HV_EVENT_BUFFER_ALREADY_FREED","features":[1]},{"name":"STATUS_HV_FEATURE_UNAVAILABLE","features":[1]},{"name":"STATUS_HV_INACTIVE","features":[1]},{"name":"STATUS_HV_INSUFFICIENT_BUFFER","features":[1]},{"name":"STATUS_HV_INSUFFICIENT_BUFFERS","features":[1]},{"name":"STATUS_HV_INSUFFICIENT_CONTIGUOUS_MEMORY","features":[1]},{"name":"STATUS_HV_INSUFFICIENT_CONTIGUOUS_MEMORY_MIRRORING","features":[1]},{"name":"STATUS_HV_INSUFFICIENT_CONTIGUOUS_ROOT_MEMORY","features":[1]},{"name":"STATUS_HV_INSUFFICIENT_CONTIGUOUS_ROOT_MEMORY_MIRRORING","features":[1]},{"name":"STATUS_HV_INSUFFICIENT_DEVICE_DOMAINS","features":[1]},{"name":"STATUS_HV_INSUFFICIENT_MEMORY","features":[1]},{"name":"STATUS_HV_INSUFFICIENT_MEMORY_MIRRORING","features":[1]},{"name":"STATUS_HV_INSUFFICIENT_ROOT_MEMORY","features":[1]},{"name":"STATUS_HV_INSUFFICIENT_ROOT_MEMORY_MIRRORING","features":[1]},{"name":"STATUS_HV_INVALID_ALIGNMENT","features":[1]},{"name":"STATUS_HV_INVALID_CONNECTION_ID","features":[1]},{"name":"STATUS_HV_INVALID_CPU_GROUP_ID","features":[1]},{"name":"STATUS_HV_INVALID_CPU_GROUP_STATE","features":[1]},{"name":"STATUS_HV_INVALID_DEVICE_ID","features":[1]},{"name":"STATUS_HV_INVALID_DEVICE_STATE","features":[1]},{"name":"STATUS_HV_INVALID_HYPERCALL_CODE","features":[1]},{"name":"STATUS_HV_INVALID_HYPERCALL_INPUT","features":[1]},{"name":"STATUS_HV_INVALID_LP_INDEX","features":[1]},{"name":"STATUS_HV_INVALID_PARAMETER","features":[1]},{"name":"STATUS_HV_INVALID_PARTITION_ID","features":[1]},{"name":"STATUS_HV_INVALID_PARTITION_STATE","features":[1]},{"name":"STATUS_HV_INVALID_PORT_ID","features":[1]},{"name":"STATUS_HV_INVALID_PROXIMITY_DOMAIN_INFO","features":[1]},{"name":"STATUS_HV_INVALID_REGISTER_VALUE","features":[1]},{"name":"STATUS_HV_INVALID_SAVE_RESTORE_STATE","features":[1]},{"name":"STATUS_HV_INVALID_SYNIC_STATE","features":[1]},{"name":"STATUS_HV_INVALID_VP_INDEX","features":[1]},{"name":"STATUS_HV_INVALID_VP_STATE","features":[1]},{"name":"STATUS_HV_INVALID_VTL_STATE","features":[1]},{"name":"STATUS_HV_MSR_ACCESS_FAILED","features":[1]},{"name":"STATUS_HV_NESTED_VM_EXIT","features":[1]},{"name":"STATUS_HV_NOT_ACKNOWLEDGED","features":[1]},{"name":"STATUS_HV_NOT_ALLOWED_WITH_NESTED_VIRT_ACTIVE","features":[1]},{"name":"STATUS_HV_NOT_PRESENT","features":[1]},{"name":"STATUS_HV_NO_DATA","features":[1]},{"name":"STATUS_HV_NO_RESOURCES","features":[1]},{"name":"STATUS_HV_NX_NOT_DETECTED","features":[1]},{"name":"STATUS_HV_OBJECT_IN_USE","features":[1]},{"name":"STATUS_HV_OPERATION_DENIED","features":[1]},{"name":"STATUS_HV_OPERATION_FAILED","features":[1]},{"name":"STATUS_HV_PAGE_REQUEST_INVALID","features":[1]},{"name":"STATUS_HV_PARTITION_TOO_DEEP","features":[1]},{"name":"STATUS_HV_PENDING_PAGE_REQUESTS","features":[1]},{"name":"STATUS_HV_PROCESSOR_STARTUP_TIMEOUT","features":[1]},{"name":"STATUS_HV_PROPERTY_VALUE_OUT_OF_RANGE","features":[1]},{"name":"STATUS_HV_SMX_ENABLED","features":[1]},{"name":"STATUS_HV_UNKNOWN_PROPERTY","features":[1]},{"name":"STATUS_ILLEGAL_CHARACTER","features":[1]},{"name":"STATUS_ILLEGAL_DLL_RELOCATION","features":[1]},{"name":"STATUS_ILLEGAL_ELEMENT_ADDRESS","features":[1]},{"name":"STATUS_ILLEGAL_FLOAT_CONTEXT","features":[1]},{"name":"STATUS_ILLEGAL_FUNCTION","features":[1]},{"name":"STATUS_ILLEGAL_INSTRUCTION","features":[1]},{"name":"STATUS_ILL_FORMED_PASSWORD","features":[1]},{"name":"STATUS_ILL_FORMED_SERVICE_ENTRY","features":[1]},{"name":"STATUS_IMAGE_ALREADY_LOADED","features":[1]},{"name":"STATUS_IMAGE_ALREADY_LOADED_AS_DLL","features":[1]},{"name":"STATUS_IMAGE_AT_DIFFERENT_BASE","features":[1]},{"name":"STATUS_IMAGE_CERT_EXPIRED","features":[1]},{"name":"STATUS_IMAGE_CERT_REVOKED","features":[1]},{"name":"STATUS_IMAGE_CHECKSUM_MISMATCH","features":[1]},{"name":"STATUS_IMAGE_LOADED_AS_PATCH_IMAGE","features":[1]},{"name":"STATUS_IMAGE_MACHINE_TYPE_MISMATCH","features":[1]},{"name":"STATUS_IMAGE_MACHINE_TYPE_MISMATCH_EXE","features":[1]},{"name":"STATUS_IMAGE_MP_UP_MISMATCH","features":[1]},{"name":"STATUS_IMAGE_NOT_AT_BASE","features":[1]},{"name":"STATUS_IMAGE_SUBSYSTEM_NOT_PRESENT","features":[1]},{"name":"STATUS_IMPLEMENTATION_LIMIT","features":[1]},{"name":"STATUS_INCOMPATIBLE_DRIVER_BLOCKED","features":[1]},{"name":"STATUS_INCOMPATIBLE_FILE_MAP","features":[1]},{"name":"STATUS_INCOMPATIBLE_WITH_GLOBAL_SHORT_NAME_REGISTRY_SETTING","features":[1]},{"name":"STATUS_INCORRECT_ACCOUNT_TYPE","features":[1]},{"name":"STATUS_INDEX_OUT_OF_BOUNDS","features":[1]},{"name":"STATUS_INDOUBT_TRANSACTIONS_EXIST","features":[1]},{"name":"STATUS_INFO_LENGTH_MISMATCH","features":[1]},{"name":"STATUS_INSTANCE_NOT_AVAILABLE","features":[1]},{"name":"STATUS_INSTRUCTION_MISALIGNMENT","features":[1]},{"name":"STATUS_INSUFFICIENT_LOGON_INFO","features":[1]},{"name":"STATUS_INSUFFICIENT_NVRAM_RESOURCES","features":[1]},{"name":"STATUS_INSUFFICIENT_POWER","features":[1]},{"name":"STATUS_INSUFFICIENT_RESOURCES","features":[1]},{"name":"STATUS_INSUFFICIENT_RESOURCE_FOR_SPECIFIED_SHARED_SECTION_SIZE","features":[1]},{"name":"STATUS_INSUFFICIENT_VIRTUAL_ADDR_RESOURCES","features":[1]},{"name":"STATUS_INSUFF_SERVER_RESOURCES","features":[1]},{"name":"STATUS_INTEGER_DIVIDE_BY_ZERO","features":[1]},{"name":"STATUS_INTEGER_OVERFLOW","features":[1]},{"name":"STATUS_INTERMIXED_KERNEL_EA_OPERATION","features":[1]},{"name":"STATUS_INTERNAL_DB_CORRUPTION","features":[1]},{"name":"STATUS_INTERNAL_DB_ERROR","features":[1]},{"name":"STATUS_INTERNAL_ERROR","features":[1]},{"name":"STATUS_INTERRUPTED","features":[1]},{"name":"STATUS_INTERRUPT_STILL_CONNECTED","features":[1]},{"name":"STATUS_INTERRUPT_VECTOR_ALREADY_CONNECTED","features":[1]},{"name":"STATUS_INVALID_ACCOUNT_NAME","features":[1]},{"name":"STATUS_INVALID_ACE_CONDITION","features":[1]},{"name":"STATUS_INVALID_ACL","features":[1]},{"name":"STATUS_INVALID_ADDRESS","features":[1]},{"name":"STATUS_INVALID_ADDRESS_COMPONENT","features":[1]},{"name":"STATUS_INVALID_ADDRESS_WILDCARD","features":[1]},{"name":"STATUS_INVALID_BLOCK_LENGTH","features":[1]},{"name":"STATUS_INVALID_BUFFER_SIZE","features":[1]},{"name":"STATUS_INVALID_CAP","features":[1]},{"name":"STATUS_INVALID_CID","features":[1]},{"name":"STATUS_INVALID_COMPUTER_NAME","features":[1]},{"name":"STATUS_INVALID_CONFIG_VALUE","features":[1]},{"name":"STATUS_INVALID_CONNECTION","features":[1]},{"name":"STATUS_INVALID_CRUNTIME_PARAMETER","features":[1]},{"name":"STATUS_INVALID_DEVICE_OBJECT_PARAMETER","features":[1]},{"name":"STATUS_INVALID_DEVICE_REQUEST","features":[1]},{"name":"STATUS_INVALID_DEVICE_STATE","features":[1]},{"name":"STATUS_INVALID_DISPOSITION","features":[1]},{"name":"STATUS_INVALID_DOMAIN_ROLE","features":[1]},{"name":"STATUS_INVALID_DOMAIN_STATE","features":[1]},{"name":"STATUS_INVALID_EA_FLAG","features":[1]},{"name":"STATUS_INVALID_EA_NAME","features":[1]},{"name":"STATUS_INVALID_EXCEPTION_HANDLER","features":[1]},{"name":"STATUS_INVALID_FIELD_IN_PARAMETER_LIST","features":[1]},{"name":"STATUS_INVALID_FILE_FOR_SECTION","features":[1]},{"name":"STATUS_INVALID_GROUP_ATTRIBUTES","features":[1]},{"name":"STATUS_INVALID_HANDLE","features":[1]},{"name":"STATUS_INVALID_HW_PROFILE","features":[1]},{"name":"STATUS_INVALID_IDN_NORMALIZATION","features":[1]},{"name":"STATUS_INVALID_ID_AUTHORITY","features":[1]},{"name":"STATUS_INVALID_IMAGE_FORMAT","features":[1]},{"name":"STATUS_INVALID_IMAGE_HASH","features":[1]},{"name":"STATUS_INVALID_IMAGE_LE_FORMAT","features":[1]},{"name":"STATUS_INVALID_IMAGE_NE_FORMAT","features":[1]},{"name":"STATUS_INVALID_IMAGE_NOT_MZ","features":[1]},{"name":"STATUS_INVALID_IMAGE_PROTECT","features":[1]},{"name":"STATUS_INVALID_IMAGE_WIN_16","features":[1]},{"name":"STATUS_INVALID_IMAGE_WIN_32","features":[1]},{"name":"STATUS_INVALID_IMAGE_WIN_64","features":[1]},{"name":"STATUS_INVALID_IMPORT_OF_NON_DLL","features":[1]},{"name":"STATUS_INVALID_INFO_CLASS","features":[1]},{"name":"STATUS_INVALID_INITIATOR_TARGET_PATH","features":[1]},{"name":"STATUS_INVALID_KERNEL_INFO_VERSION","features":[1]},{"name":"STATUS_INVALID_LABEL","features":[1]},{"name":"STATUS_INVALID_LDT_DESCRIPTOR","features":[1]},{"name":"STATUS_INVALID_LDT_OFFSET","features":[1]},{"name":"STATUS_INVALID_LDT_SIZE","features":[1]},{"name":"STATUS_INVALID_LEVEL","features":[1]},{"name":"STATUS_INVALID_LOCK_RANGE","features":[1]},{"name":"STATUS_INVALID_LOCK_SEQUENCE","features":[1]},{"name":"STATUS_INVALID_LOGON_HOURS","features":[1]},{"name":"STATUS_INVALID_LOGON_TYPE","features":[1]},{"name":"STATUS_INVALID_MEMBER","features":[1]},{"name":"STATUS_INVALID_MESSAGE","features":[1]},{"name":"STATUS_INVALID_NETWORK_RESPONSE","features":[1]},{"name":"STATUS_INVALID_OFFSET_ALIGNMENT","features":[1]},{"name":"STATUS_INVALID_OPLOCK_PROTOCOL","features":[1]},{"name":"STATUS_INVALID_OWNER","features":[1]},{"name":"STATUS_INVALID_PACKAGE_SID_LENGTH","features":[1]},{"name":"STATUS_INVALID_PAGE_PROTECTION","features":[1]},{"name":"STATUS_INVALID_PARAMETER","features":[1]},{"name":"STATUS_INVALID_PARAMETER_1","features":[1]},{"name":"STATUS_INVALID_PARAMETER_10","features":[1]},{"name":"STATUS_INVALID_PARAMETER_11","features":[1]},{"name":"STATUS_INVALID_PARAMETER_12","features":[1]},{"name":"STATUS_INVALID_PARAMETER_2","features":[1]},{"name":"STATUS_INVALID_PARAMETER_3","features":[1]},{"name":"STATUS_INVALID_PARAMETER_4","features":[1]},{"name":"STATUS_INVALID_PARAMETER_5","features":[1]},{"name":"STATUS_INVALID_PARAMETER_6","features":[1]},{"name":"STATUS_INVALID_PARAMETER_7","features":[1]},{"name":"STATUS_INVALID_PARAMETER_8","features":[1]},{"name":"STATUS_INVALID_PARAMETER_9","features":[1]},{"name":"STATUS_INVALID_PARAMETER_MIX","features":[1]},{"name":"STATUS_INVALID_PEP_INFO_VERSION","features":[1]},{"name":"STATUS_INVALID_PIPE_STATE","features":[1]},{"name":"STATUS_INVALID_PLUGPLAY_DEVICE_PATH","features":[1]},{"name":"STATUS_INVALID_PORT_ATTRIBUTES","features":[1]},{"name":"STATUS_INVALID_PORT_HANDLE","features":[1]},{"name":"STATUS_INVALID_PRIMARY_GROUP","features":[1]},{"name":"STATUS_INVALID_QUOTA_LOWER","features":[1]},{"name":"STATUS_INVALID_READ_MODE","features":[1]},{"name":"STATUS_INVALID_RUNLEVEL_SETTING","features":[1]},{"name":"STATUS_INVALID_SECURITY_DESCR","features":[1]},{"name":"STATUS_INVALID_SERVER_STATE","features":[1]},{"name":"STATUS_INVALID_SESSION","features":[1]},{"name":"STATUS_INVALID_SID","features":[1]},{"name":"STATUS_INVALID_SIGNATURE","features":[1]},{"name":"STATUS_INVALID_STATE_TRANSITION","features":[1]},{"name":"STATUS_INVALID_SUB_AUTHORITY","features":[1]},{"name":"STATUS_INVALID_SYSTEM_SERVICE","features":[1]},{"name":"STATUS_INVALID_TASK_INDEX","features":[1]},{"name":"STATUS_INVALID_TASK_NAME","features":[1]},{"name":"STATUS_INVALID_THREAD","features":[1]},{"name":"STATUS_INVALID_TOKEN","features":[1]},{"name":"STATUS_INVALID_TRANSACTION","features":[1]},{"name":"STATUS_INVALID_UNWIND_TARGET","features":[1]},{"name":"STATUS_INVALID_USER_BUFFER","features":[1]},{"name":"STATUS_INVALID_USER_PRINCIPAL_NAME","features":[1]},{"name":"STATUS_INVALID_VARIANT","features":[1]},{"name":"STATUS_INVALID_VIEW_SIZE","features":[1]},{"name":"STATUS_INVALID_VOLUME_LABEL","features":[1]},{"name":"STATUS_INVALID_WEIGHT","features":[1]},{"name":"STATUS_INVALID_WORKSTATION","features":[1]},{"name":"STATUS_IN_PAGE_ERROR","features":[1]},{"name":"STATUS_IORING_COMPLETION_QUEUE_TOO_BIG","features":[1]},{"name":"STATUS_IORING_COMPLETION_QUEUE_TOO_FULL","features":[1]},{"name":"STATUS_IORING_CORRUPT","features":[1]},{"name":"STATUS_IORING_REQUIRED_FLAG_NOT_SUPPORTED","features":[1]},{"name":"STATUS_IORING_SUBMISSION_QUEUE_FULL","features":[1]},{"name":"STATUS_IORING_SUBMISSION_QUEUE_TOO_BIG","features":[1]},{"name":"STATUS_IORING_SUBMIT_IN_PROGRESS","features":[1]},{"name":"STATUS_IORING_VERSION_NOT_SUPPORTED","features":[1]},{"name":"STATUS_IO_DEVICE_ERROR","features":[1]},{"name":"STATUS_IO_DEVICE_INVALID_DATA","features":[1]},{"name":"STATUS_IO_OPERATION_TIMEOUT","features":[1]},{"name":"STATUS_IO_PREEMPTED","features":[1]},{"name":"STATUS_IO_PRIVILEGE_FAILED","features":[1]},{"name":"STATUS_IO_REISSUE_AS_CACHED","features":[1]},{"name":"STATUS_IO_REPARSE_DATA_INVALID","features":[1]},{"name":"STATUS_IO_REPARSE_TAG_INVALID","features":[1]},{"name":"STATUS_IO_REPARSE_TAG_MISMATCH","features":[1]},{"name":"STATUS_IO_REPARSE_TAG_NOT_HANDLED","features":[1]},{"name":"STATUS_IO_TIMEOUT","features":[1]},{"name":"STATUS_IO_UNALIGNED_WRITE","features":[1]},{"name":"STATUS_IPSEC_AUTH_FIREWALL_DROP","features":[1]},{"name":"STATUS_IPSEC_BAD_SPI","features":[1]},{"name":"STATUS_IPSEC_CLEAR_TEXT_DROP","features":[1]},{"name":"STATUS_IPSEC_DOSP_BLOCK","features":[1]},{"name":"STATUS_IPSEC_DOSP_INVALID_PACKET","features":[1]},{"name":"STATUS_IPSEC_DOSP_KEYMOD_NOT_ALLOWED","features":[1]},{"name":"STATUS_IPSEC_DOSP_MAX_ENTRIES","features":[1]},{"name":"STATUS_IPSEC_DOSP_MAX_PER_IP_RATELIMIT_QUEUES","features":[1]},{"name":"STATUS_IPSEC_DOSP_RECEIVED_MULTICAST","features":[1]},{"name":"STATUS_IPSEC_DOSP_STATE_LOOKUP_FAILED","features":[1]},{"name":"STATUS_IPSEC_INTEGRITY_CHECK_FAILED","features":[1]},{"name":"STATUS_IPSEC_INVALID_PACKET","features":[1]},{"name":"STATUS_IPSEC_QUEUE_OVERFLOW","features":[1]},{"name":"STATUS_IPSEC_REPLAY_CHECK_FAILED","features":[1]},{"name":"STATUS_IPSEC_SA_LIFETIME_EXPIRED","features":[1]},{"name":"STATUS_IPSEC_THROTTLE_DROP","features":[1]},{"name":"STATUS_IPSEC_WRONG_SA","features":[1]},{"name":"STATUS_IP_ADDRESS_CONFLICT1","features":[1]},{"name":"STATUS_IP_ADDRESS_CONFLICT2","features":[1]},{"name":"STATUS_ISSUING_CA_UNTRUSTED","features":[1]},{"name":"STATUS_ISSUING_CA_UNTRUSTED_KDC","features":[1]},{"name":"STATUS_JOB_NOT_EMPTY","features":[1]},{"name":"STATUS_JOB_NO_CONTAINER","features":[1]},{"name":"STATUS_JOURNAL_DELETE_IN_PROGRESS","features":[1]},{"name":"STATUS_JOURNAL_ENTRY_DELETED","features":[1]},{"name":"STATUS_JOURNAL_NOT_ACTIVE","features":[1]},{"name":"STATUS_KDC_CERT_EXPIRED","features":[1]},{"name":"STATUS_KDC_CERT_REVOKED","features":[1]},{"name":"STATUS_KDC_INVALID_REQUEST","features":[1]},{"name":"STATUS_KDC_UNABLE_TO_REFER","features":[1]},{"name":"STATUS_KDC_UNKNOWN_ETYPE","features":[1]},{"name":"STATUS_KERNEL_APC","features":[1]},{"name":"STATUS_KERNEL_EXECUTABLE_MEMORY_WRITE","features":[1]},{"name":"STATUS_KEY_DELETED","features":[1]},{"name":"STATUS_KEY_HAS_CHILDREN","features":[1]},{"name":"STATUS_LAPS_ENCRYPTION_REQUIRES_2016_DFL","features":[1]},{"name":"STATUS_LAPS_LEGACY_SCHEMA_MISSING","features":[1]},{"name":"STATUS_LAPS_SCHEMA_MISSING","features":[1]},{"name":"STATUS_LAST_ADMIN","features":[1]},{"name":"STATUS_LICENSE_QUOTA_EXCEEDED","features":[1]},{"name":"STATUS_LICENSE_VIOLATION","features":[1]},{"name":"STATUS_LINK_FAILED","features":[1]},{"name":"STATUS_LINK_TIMEOUT","features":[1]},{"name":"STATUS_LM_CROSS_ENCRYPTION_REQUIRED","features":[1]},{"name":"STATUS_LOCAL_DISCONNECT","features":[1]},{"name":"STATUS_LOCAL_POLICY_MODIFICATION_NOT_SUPPORTED","features":[1]},{"name":"STATUS_LOCAL_USER_SESSION_KEY","features":[1]},{"name":"STATUS_LOCK_NOT_GRANTED","features":[1]},{"name":"STATUS_LOGIN_TIME_RESTRICTION","features":[1]},{"name":"STATUS_LOGIN_WKSTA_RESTRICTION","features":[1]},{"name":"STATUS_LOGON_NOT_GRANTED","features":[1]},{"name":"STATUS_LOGON_SERVER_CONFLICT","features":[1]},{"name":"STATUS_LOGON_SESSION_COLLISION","features":[1]},{"name":"STATUS_LOGON_SESSION_EXISTS","features":[1]},{"name":"STATUS_LOG_APPENDED_FLUSH_FAILED","features":[1]},{"name":"STATUS_LOG_ARCHIVE_IN_PROGRESS","features":[1]},{"name":"STATUS_LOG_ARCHIVE_NOT_IN_PROGRESS","features":[1]},{"name":"STATUS_LOG_BLOCKS_EXHAUSTED","features":[1]},{"name":"STATUS_LOG_BLOCK_INCOMPLETE","features":[1]},{"name":"STATUS_LOG_BLOCK_INVALID","features":[1]},{"name":"STATUS_LOG_BLOCK_VERSION","features":[1]},{"name":"STATUS_LOG_CANT_DELETE","features":[1]},{"name":"STATUS_LOG_CLIENT_ALREADY_REGISTERED","features":[1]},{"name":"STATUS_LOG_CLIENT_NOT_REGISTERED","features":[1]},{"name":"STATUS_LOG_CONTAINER_LIMIT_EXCEEDED","features":[1]},{"name":"STATUS_LOG_CONTAINER_OPEN_FAILED","features":[1]},{"name":"STATUS_LOG_CONTAINER_READ_FAILED","features":[1]},{"name":"STATUS_LOG_CONTAINER_STATE_INVALID","features":[1]},{"name":"STATUS_LOG_CONTAINER_WRITE_FAILED","features":[1]},{"name":"STATUS_LOG_CORRUPTION_DETECTED","features":[1]},{"name":"STATUS_LOG_DEDICATED","features":[1]},{"name":"STATUS_LOG_EPHEMERAL","features":[1]},{"name":"STATUS_LOG_FILE_FULL","features":[1]},{"name":"STATUS_LOG_FULL","features":[1]},{"name":"STATUS_LOG_FULL_HANDLER_IN_PROGRESS","features":[1]},{"name":"STATUS_LOG_GROWTH_FAILED","features":[1]},{"name":"STATUS_LOG_HARD_ERROR","features":[1]},{"name":"STATUS_LOG_INCONSISTENT_SECURITY","features":[1]},{"name":"STATUS_LOG_INVALID_RANGE","features":[1]},{"name":"STATUS_LOG_METADATA_CORRUPT","features":[1]},{"name":"STATUS_LOG_METADATA_FLUSH_FAILED","features":[1]},{"name":"STATUS_LOG_METADATA_INCONSISTENT","features":[1]},{"name":"STATUS_LOG_METADATA_INVALID","features":[1]},{"name":"STATUS_LOG_MULTIPLEXED","features":[1]},{"name":"STATUS_LOG_NOT_ENOUGH_CONTAINERS","features":[1]},{"name":"STATUS_LOG_NO_RESTART","features":[1]},{"name":"STATUS_LOG_PINNED","features":[1]},{"name":"STATUS_LOG_PINNED_ARCHIVE_TAIL","features":[1]},{"name":"STATUS_LOG_PINNED_RESERVATION","features":[1]},{"name":"STATUS_LOG_POLICY_ALREADY_INSTALLED","features":[1]},{"name":"STATUS_LOG_POLICY_CONFLICT","features":[1]},{"name":"STATUS_LOG_POLICY_INVALID","features":[1]},{"name":"STATUS_LOG_POLICY_NOT_INSTALLED","features":[1]},{"name":"STATUS_LOG_READ_CONTEXT_INVALID","features":[1]},{"name":"STATUS_LOG_READ_MODE_INVALID","features":[1]},{"name":"STATUS_LOG_RECORDS_RESERVED_INVALID","features":[1]},{"name":"STATUS_LOG_RECORD_NONEXISTENT","features":[1]},{"name":"STATUS_LOG_RESERVATION_INVALID","features":[1]},{"name":"STATUS_LOG_RESIZE_INVALID_SIZE","features":[1]},{"name":"STATUS_LOG_RESTART_INVALID","features":[1]},{"name":"STATUS_LOG_SECTOR_INVALID","features":[1]},{"name":"STATUS_LOG_SECTOR_PARITY_INVALID","features":[1]},{"name":"STATUS_LOG_SECTOR_REMAPPED","features":[1]},{"name":"STATUS_LOG_SPACE_RESERVED_INVALID","features":[1]},{"name":"STATUS_LOG_START_OF_LOG","features":[1]},{"name":"STATUS_LOG_STATE_INVALID","features":[1]},{"name":"STATUS_LOG_TAIL_INVALID","features":[1]},{"name":"STATUS_LONGJUMP","features":[1]},{"name":"STATUS_LOST_MODE_LOGON_RESTRICTION","features":[1]},{"name":"STATUS_LOST_WRITEBEHIND_DATA","features":[1]},{"name":"STATUS_LOST_WRITEBEHIND_DATA_LOCAL_DISK_ERROR","features":[1]},{"name":"STATUS_LOST_WRITEBEHIND_DATA_NETWORK_DISCONNECTED","features":[1]},{"name":"STATUS_LOST_WRITEBEHIND_DATA_NETWORK_SERVER_ERROR","features":[1]},{"name":"STATUS_LPAC_ACCESS_DENIED","features":[1]},{"name":"STATUS_LPC_HANDLE_COUNT_EXCEEDED","features":[1]},{"name":"STATUS_LPC_INVALID_CONNECTION_USAGE","features":[1]},{"name":"STATUS_LPC_RECEIVE_BUFFER_EXPECTED","features":[1]},{"name":"STATUS_LPC_REPLY_LOST","features":[1]},{"name":"STATUS_LPC_REQUESTS_NOT_ALLOWED","features":[1]},{"name":"STATUS_LUIDS_EXHAUSTED","features":[1]},{"name":"STATUS_MAGAZINE_NOT_PRESENT","features":[1]},{"name":"STATUS_MAPPED_ALIGNMENT","features":[1]},{"name":"STATUS_MAPPED_FILE_SIZE_ZERO","features":[1]},{"name":"STATUS_MARKED_TO_DISALLOW_WRITES","features":[1]},{"name":"STATUS_MARSHALL_OVERFLOW","features":[1]},{"name":"STATUS_MAX_REFERRALS_EXCEEDED","features":[1]},{"name":"STATUS_MCA_EXCEPTION","features":[1]},{"name":"STATUS_MCA_OCCURED","features":[1]},{"name":"STATUS_MEDIA_CHANGED","features":[1]},{"name":"STATUS_MEDIA_CHECK","features":[1]},{"name":"STATUS_MEDIA_WRITE_PROTECTED","features":[1]},{"name":"STATUS_MEMBERS_PRIMARY_GROUP","features":[1]},{"name":"STATUS_MEMBER_IN_ALIAS","features":[1]},{"name":"STATUS_MEMBER_IN_GROUP","features":[1]},{"name":"STATUS_MEMBER_NOT_IN_ALIAS","features":[1]},{"name":"STATUS_MEMBER_NOT_IN_GROUP","features":[1]},{"name":"STATUS_MEMORY_NOT_ALLOCATED","features":[1]},{"name":"STATUS_MESSAGE_LOST","features":[1]},{"name":"STATUS_MESSAGE_NOT_FOUND","features":[1]},{"name":"STATUS_MESSAGE_RETRIEVED","features":[1]},{"name":"STATUS_MFT_TOO_FRAGMENTED","features":[1]},{"name":"STATUS_MINIVERSION_INACCESSIBLE_FROM_SPECIFIED_TRANSACTION","features":[1]},{"name":"STATUS_MISSING_SYSTEMFILE","features":[1]},{"name":"STATUS_MONITOR_INVALID_DESCRIPTOR_CHECKSUM","features":[1]},{"name":"STATUS_MONITOR_INVALID_DETAILED_TIMING_BLOCK","features":[1]},{"name":"STATUS_MONITOR_INVALID_MANUFACTURE_DATE","features":[1]},{"name":"STATUS_MONITOR_INVALID_SERIAL_NUMBER_MONDSC_BLOCK","features":[1]},{"name":"STATUS_MONITOR_INVALID_STANDARD_TIMING_BLOCK","features":[1]},{"name":"STATUS_MONITOR_INVALID_USER_FRIENDLY_MONDSC_BLOCK","features":[1]},{"name":"STATUS_MONITOR_NO_DESCRIPTOR","features":[1]},{"name":"STATUS_MONITOR_NO_MORE_DESCRIPTOR_DATA","features":[1]},{"name":"STATUS_MONITOR_UNKNOWN_DESCRIPTOR_FORMAT","features":[1]},{"name":"STATUS_MONITOR_WMI_DATABLOCK_REGISTRATION_FAILED","features":[1]},{"name":"STATUS_MORE_ENTRIES","features":[1]},{"name":"STATUS_MORE_PROCESSING_REQUIRED","features":[1]},{"name":"STATUS_MOUNT_POINT_NOT_RESOLVED","features":[1]},{"name":"STATUS_MP_PROCESSOR_MISMATCH","features":[1]},{"name":"STATUS_MUI_FILE_NOT_FOUND","features":[1]},{"name":"STATUS_MUI_FILE_NOT_LOADED","features":[1]},{"name":"STATUS_MUI_INVALID_FILE","features":[1]},{"name":"STATUS_MUI_INVALID_LOCALE_NAME","features":[1]},{"name":"STATUS_MUI_INVALID_RC_CONFIG","features":[1]},{"name":"STATUS_MUI_INVALID_ULTIMATEFALLBACK_NAME","features":[1]},{"name":"STATUS_MULTIPLE_FAULT_VIOLATION","features":[1]},{"name":"STATUS_MUST_BE_KDC","features":[1]},{"name":"STATUS_MUTANT_LIMIT_EXCEEDED","features":[1]},{"name":"STATUS_MUTANT_NOT_OWNED","features":[1]},{"name":"STATUS_MUTUAL_AUTHENTICATION_FAILED","features":[1]},{"name":"STATUS_NAME_TOO_LONG","features":[1]},{"name":"STATUS_NDIS_ADAPTER_NOT_FOUND","features":[1]},{"name":"STATUS_NDIS_ADAPTER_NOT_READY","features":[1]},{"name":"STATUS_NDIS_ADAPTER_REMOVED","features":[1]},{"name":"STATUS_NDIS_ALREADY_MAPPED","features":[1]},{"name":"STATUS_NDIS_BAD_CHARACTERISTICS","features":[1]},{"name":"STATUS_NDIS_BAD_VERSION","features":[1]},{"name":"STATUS_NDIS_BUFFER_TOO_SHORT","features":[1]},{"name":"STATUS_NDIS_CLOSING","features":[1]},{"name":"STATUS_NDIS_DEVICE_FAILED","features":[1]},{"name":"STATUS_NDIS_DOT11_AP_BAND_CURRENTLY_NOT_AVAILABLE","features":[1]},{"name":"STATUS_NDIS_DOT11_AP_BAND_NOT_ALLOWED","features":[1]},{"name":"STATUS_NDIS_DOT11_AP_CHANNEL_CURRENTLY_NOT_AVAILABLE","features":[1]},{"name":"STATUS_NDIS_DOT11_AP_CHANNEL_NOT_ALLOWED","features":[1]},{"name":"STATUS_NDIS_DOT11_AUTO_CONFIG_ENABLED","features":[1]},{"name":"STATUS_NDIS_DOT11_MEDIA_IN_USE","features":[1]},{"name":"STATUS_NDIS_DOT11_POWER_STATE_INVALID","features":[1]},{"name":"STATUS_NDIS_ERROR_READING_FILE","features":[1]},{"name":"STATUS_NDIS_FILE_NOT_FOUND","features":[1]},{"name":"STATUS_NDIS_GROUP_ADDRESS_IN_USE","features":[1]},{"name":"STATUS_NDIS_INDICATION_REQUIRED","features":[1]},{"name":"STATUS_NDIS_INTERFACE_NOT_FOUND","features":[1]},{"name":"STATUS_NDIS_INVALID_ADDRESS","features":[1]},{"name":"STATUS_NDIS_INVALID_DATA","features":[1]},{"name":"STATUS_NDIS_INVALID_DEVICE_REQUEST","features":[1]},{"name":"STATUS_NDIS_INVALID_LENGTH","features":[1]},{"name":"STATUS_NDIS_INVALID_OID","features":[1]},{"name":"STATUS_NDIS_INVALID_PACKET","features":[1]},{"name":"STATUS_NDIS_INVALID_PORT","features":[1]},{"name":"STATUS_NDIS_INVALID_PORT_STATE","features":[1]},{"name":"STATUS_NDIS_LOW_POWER_STATE","features":[1]},{"name":"STATUS_NDIS_MEDIA_DISCONNECTED","features":[1]},{"name":"STATUS_NDIS_MULTICAST_EXISTS","features":[1]},{"name":"STATUS_NDIS_MULTICAST_FULL","features":[1]},{"name":"STATUS_NDIS_MULTICAST_NOT_FOUND","features":[1]},{"name":"STATUS_NDIS_NOT_SUPPORTED","features":[1]},{"name":"STATUS_NDIS_NO_QUEUES","features":[1]},{"name":"STATUS_NDIS_OFFLOAD_CONNECTION_REJECTED","features":[1]},{"name":"STATUS_NDIS_OFFLOAD_PATH_REJECTED","features":[1]},{"name":"STATUS_NDIS_OFFLOAD_POLICY","features":[1]},{"name":"STATUS_NDIS_OPEN_FAILED","features":[1]},{"name":"STATUS_NDIS_PAUSED","features":[1]},{"name":"STATUS_NDIS_PM_PROTOCOL_OFFLOAD_LIST_FULL","features":[1]},{"name":"STATUS_NDIS_PM_WOL_PATTERN_LIST_FULL","features":[1]},{"name":"STATUS_NDIS_REINIT_REQUIRED","features":[1]},{"name":"STATUS_NDIS_REQUEST_ABORTED","features":[1]},{"name":"STATUS_NDIS_RESET_IN_PROGRESS","features":[1]},{"name":"STATUS_NDIS_RESOURCE_CONFLICT","features":[1]},{"name":"STATUS_NDIS_UNSUPPORTED_MEDIA","features":[1]},{"name":"STATUS_NDIS_UNSUPPORTED_REVISION","features":[1]},{"name":"STATUS_ND_QUEUE_OVERFLOW","features":[1]},{"name":"STATUS_NEEDS_REGISTRATION","features":[1]},{"name":"STATUS_NEEDS_REMEDIATION","features":[1]},{"name":"STATUS_NETLOGON_NOT_STARTED","features":[1]},{"name":"STATUS_NETWORK_ACCESS_DENIED","features":[1]},{"name":"STATUS_NETWORK_ACCESS_DENIED_EDP","features":[1]},{"name":"STATUS_NETWORK_AUTHENTICATION_PROMPT_CANCELED","features":[1]},{"name":"STATUS_NETWORK_BUSY","features":[1]},{"name":"STATUS_NETWORK_CREDENTIAL_CONFLICT","features":[1]},{"name":"STATUS_NETWORK_NAME_DELETED","features":[1]},{"name":"STATUS_NETWORK_OPEN_RESTRICTION","features":[1]},{"name":"STATUS_NETWORK_SESSION_EXPIRED","features":[1]},{"name":"STATUS_NETWORK_UNREACHABLE","features":[1]},{"name":"STATUS_NET_WRITE_FAULT","features":[1]},{"name":"STATUS_NOINTERFACE","features":[1]},{"name":"STATUS_NOLOGON_INTERDOMAIN_TRUST_ACCOUNT","features":[1]},{"name":"STATUS_NOLOGON_SERVER_TRUST_ACCOUNT","features":[1]},{"name":"STATUS_NOLOGON_WORKSTATION_TRUST_ACCOUNT","features":[1]},{"name":"STATUS_NONCONTINUABLE_EXCEPTION","features":[1]},{"name":"STATUS_NONEXISTENT_EA_ENTRY","features":[1]},{"name":"STATUS_NONEXISTENT_SECTOR","features":[1]},{"name":"STATUS_NONE_MAPPED","features":[1]},{"name":"STATUS_NOTHING_TO_TERMINATE","features":[1]},{"name":"STATUS_NOTIFICATION_GUID_ALREADY_DEFINED","features":[1]},{"name":"STATUS_NOTIFY_CLEANUP","features":[1]},{"name":"STATUS_NOTIFY_ENUM_DIR","features":[1]},{"name":"STATUS_NOT_ALLOWED_ON_SYSTEM_FILE","features":[1]},{"name":"STATUS_NOT_ALL_ASSIGNED","features":[1]},{"name":"STATUS_NOT_APPCONTAINER","features":[1]},{"name":"STATUS_NOT_A_CLOUD_FILE","features":[1]},{"name":"STATUS_NOT_A_CLOUD_SYNC_ROOT","features":[1]},{"name":"STATUS_NOT_A_DAX_VOLUME","features":[1]},{"name":"STATUS_NOT_A_DEV_VOLUME","features":[1]},{"name":"STATUS_NOT_A_DIRECTORY","features":[1]},{"name":"STATUS_NOT_A_REPARSE_POINT","features":[1]},{"name":"STATUS_NOT_A_TIERED_VOLUME","features":[1]},{"name":"STATUS_NOT_CAPABLE","features":[1]},{"name":"STATUS_NOT_CLIENT_SESSION","features":[1]},{"name":"STATUS_NOT_COMMITTED","features":[1]},{"name":"STATUS_NOT_DAX_MAPPABLE","features":[1]},{"name":"STATUS_NOT_EXPORT_FORMAT","features":[1]},{"name":"STATUS_NOT_FOUND","features":[1]},{"name":"STATUS_NOT_GUI_PROCESS","features":[1]},{"name":"STATUS_NOT_IMPLEMENTED","features":[1]},{"name":"STATUS_NOT_LOCKED","features":[1]},{"name":"STATUS_NOT_LOGON_PROCESS","features":[1]},{"name":"STATUS_NOT_MAPPED_DATA","features":[1]},{"name":"STATUS_NOT_MAPPED_VIEW","features":[1]},{"name":"STATUS_NOT_READ_FROM_COPY","features":[1]},{"name":"STATUS_NOT_REDUNDANT_STORAGE","features":[1]},{"name":"STATUS_NOT_REGISTRY_FILE","features":[1]},{"name":"STATUS_NOT_SAFE_MODE_DRIVER","features":[1]},{"name":"STATUS_NOT_SAME_DEVICE","features":[1]},{"name":"STATUS_NOT_SAME_OBJECT","features":[1]},{"name":"STATUS_NOT_SERVER_SESSION","features":[1]},{"name":"STATUS_NOT_SNAPSHOT_VOLUME","features":[1]},{"name":"STATUS_NOT_SUPPORTED","features":[1]},{"name":"STATUS_NOT_SUPPORTED_IN_APPCONTAINER","features":[1]},{"name":"STATUS_NOT_SUPPORTED_ON_DAX","features":[1]},{"name":"STATUS_NOT_SUPPORTED_ON_SBS","features":[1]},{"name":"STATUS_NOT_SUPPORTED_WITH_AUDITING","features":[1]},{"name":"STATUS_NOT_SUPPORTED_WITH_BTT","features":[1]},{"name":"STATUS_NOT_SUPPORTED_WITH_BYPASSIO","features":[1]},{"name":"STATUS_NOT_SUPPORTED_WITH_CACHED_HANDLE","features":[1]},{"name":"STATUS_NOT_SUPPORTED_WITH_COMPRESSION","features":[1]},{"name":"STATUS_NOT_SUPPORTED_WITH_DEDUPLICATION","features":[1]},{"name":"STATUS_NOT_SUPPORTED_WITH_ENCRYPTION","features":[1]},{"name":"STATUS_NOT_SUPPORTED_WITH_MONITORING","features":[1]},{"name":"STATUS_NOT_SUPPORTED_WITH_REPLICATION","features":[1]},{"name":"STATUS_NOT_SUPPORTED_WITH_SNAPSHOT","features":[1]},{"name":"STATUS_NOT_SUPPORTED_WITH_VIRTUALIZATION","features":[1]},{"name":"STATUS_NOT_TINY_STREAM","features":[1]},{"name":"STATUS_NO_ACE_CONDITION","features":[1]},{"name":"STATUS_NO_APPLICABLE_APP_LICENSES_FOUND","features":[1]},{"name":"STATUS_NO_APPLICATION_PACKAGE","features":[1]},{"name":"STATUS_NO_BROWSER_SERVERS_FOUND","features":[1]},{"name":"STATUS_NO_BYPASSIO_DRIVER_SUPPORT","features":[1]},{"name":"STATUS_NO_CALLBACK_ACTIVE","features":[1]},{"name":"STATUS_NO_DATA_DETECTED","features":[1]},{"name":"STATUS_NO_EAS_ON_FILE","features":[1]},{"name":"STATUS_NO_EFS","features":[1]},{"name":"STATUS_NO_EVENT_PAIR","features":[1]},{"name":"STATUS_NO_GUID_TRANSLATION","features":[1]},{"name":"STATUS_NO_IMPERSONATION_TOKEN","features":[1]},{"name":"STATUS_NO_INHERITANCE","features":[1]},{"name":"STATUS_NO_IP_ADDRESSES","features":[1]},{"name":"STATUS_NO_KERB_KEY","features":[1]},{"name":"STATUS_NO_KEY","features":[1]},{"name":"STATUS_NO_LDT","features":[1]},{"name":"STATUS_NO_LINK_TRACKING_IN_TRANSACTION","features":[1]},{"name":"STATUS_NO_LOGON_SERVERS","features":[1]},{"name":"STATUS_NO_LOG_SPACE","features":[1]},{"name":"STATUS_NO_MATCH","features":[1]},{"name":"STATUS_NO_MEDIA","features":[1]},{"name":"STATUS_NO_MEDIA_IN_DEVICE","features":[1]},{"name":"STATUS_NO_MEMORY","features":[1]},{"name":"STATUS_NO_MORE_EAS","features":[1]},{"name":"STATUS_NO_MORE_ENTRIES","features":[1]},{"name":"STATUS_NO_MORE_FILES","features":[1]},{"name":"STATUS_NO_MORE_MATCHES","features":[1]},{"name":"STATUS_NO_PAGEFILE","features":[1]},{"name":"STATUS_NO_PA_DATA","features":[1]},{"name":"STATUS_NO_PHYSICALLY_ALIGNED_FREE_SPACE_FOUND","features":[1]},{"name":"STATUS_NO_QUOTAS_FOR_ACCOUNT","features":[1]},{"name":"STATUS_NO_RANGES_PROCESSED","features":[1]},{"name":"STATUS_NO_RECOVERY_POLICY","features":[1]},{"name":"STATUS_NO_S4U_PROT_SUPPORT","features":[1]},{"name":"STATUS_NO_SAVEPOINT_WITH_OPEN_FILES","features":[1]},{"name":"STATUS_NO_SECRETS","features":[1]},{"name":"STATUS_NO_SECURITY_CONTEXT","features":[1]},{"name":"STATUS_NO_SECURITY_ON_OBJECT","features":[1]},{"name":"STATUS_NO_SPOOL_SPACE","features":[1]},{"name":"STATUS_NO_SUCH_ALIAS","features":[1]},{"name":"STATUS_NO_SUCH_DEVICE","features":[1]},{"name":"STATUS_NO_SUCH_DOMAIN","features":[1]},{"name":"STATUS_NO_SUCH_FILE","features":[1]},{"name":"STATUS_NO_SUCH_GROUP","features":[1]},{"name":"STATUS_NO_SUCH_MEMBER","features":[1]},{"name":"STATUS_NO_SUCH_PACKAGE","features":[1]},{"name":"STATUS_NO_SUCH_PRIVILEGE","features":[1]},{"name":"STATUS_NO_TGT_REPLY","features":[1]},{"name":"STATUS_NO_TOKEN","features":[1]},{"name":"STATUS_NO_TRACKING_SERVICE","features":[1]},{"name":"STATUS_NO_TRUST_LSA_SECRET","features":[1]},{"name":"STATUS_NO_TRUST_SAM_ACCOUNT","features":[1]},{"name":"STATUS_NO_TXF_METADATA","features":[1]},{"name":"STATUS_NO_UNICODE_TRANSLATION","features":[1]},{"name":"STATUS_NO_USER_KEYS","features":[1]},{"name":"STATUS_NO_USER_SESSION_KEY","features":[1]},{"name":"STATUS_NO_WORK_DONE","features":[1]},{"name":"STATUS_NO_YIELD_PERFORMED","features":[1]},{"name":"STATUS_NTLM_BLOCKED","features":[1]},{"name":"STATUS_NT_CROSS_ENCRYPTION_REQUIRED","features":[1]},{"name":"STATUS_NULL_LM_PASSWORD","features":[1]},{"name":"STATUS_OBJECTID_EXISTS","features":[1]},{"name":"STATUS_OBJECTID_NOT_FOUND","features":[1]},{"name":"STATUS_OBJECT_IS_IMMUTABLE","features":[1]},{"name":"STATUS_OBJECT_NAME_COLLISION","features":[1]},{"name":"STATUS_OBJECT_NAME_EXISTS","features":[1]},{"name":"STATUS_OBJECT_NAME_INVALID","features":[1]},{"name":"STATUS_OBJECT_NAME_NOT_FOUND","features":[1]},{"name":"STATUS_OBJECT_NOT_EXTERNALLY_BACKED","features":[1]},{"name":"STATUS_OBJECT_NO_LONGER_EXISTS","features":[1]},{"name":"STATUS_OBJECT_PATH_INVALID","features":[1]},{"name":"STATUS_OBJECT_PATH_NOT_FOUND","features":[1]},{"name":"STATUS_OBJECT_PATH_SYNTAX_BAD","features":[1]},{"name":"STATUS_OBJECT_TYPE_MISMATCH","features":[1]},{"name":"STATUS_OFFLOAD_READ_FILE_NOT_SUPPORTED","features":[1]},{"name":"STATUS_OFFLOAD_READ_FLT_NOT_SUPPORTED","features":[1]},{"name":"STATUS_OFFLOAD_WRITE_FILE_NOT_SUPPORTED","features":[1]},{"name":"STATUS_OFFLOAD_WRITE_FLT_NOT_SUPPORTED","features":[1]},{"name":"STATUS_ONLY_IF_CONNECTED","features":[1]},{"name":"STATUS_OPEN_FAILED","features":[1]},{"name":"STATUS_OPERATION_IN_PROGRESS","features":[1]},{"name":"STATUS_OPERATION_NOT_SUPPORTED_IN_TRANSACTION","features":[1]},{"name":"STATUS_OPLOCK_BREAK_IN_PROGRESS","features":[1]},{"name":"STATUS_OPLOCK_HANDLE_CLOSED","features":[1]},{"name":"STATUS_OPLOCK_NOT_GRANTED","features":[1]},{"name":"STATUS_OPLOCK_SWITCHED_TO_NEW_HANDLE","features":[1]},{"name":"STATUS_ORDINAL_NOT_FOUND","features":[1]},{"name":"STATUS_ORPHAN_NAME_EXHAUSTED","features":[1]},{"name":"STATUS_PACKAGE_NOT_AVAILABLE","features":[1]},{"name":"STATUS_PACKAGE_UPDATING","features":[1]},{"name":"STATUS_PAGEFILE_CREATE_FAILED","features":[1]},{"name":"STATUS_PAGEFILE_NOT_SUPPORTED","features":[1]},{"name":"STATUS_PAGEFILE_QUOTA","features":[1]},{"name":"STATUS_PAGEFILE_QUOTA_EXCEEDED","features":[1]},{"name":"STATUS_PAGE_FAULT_COPY_ON_WRITE","features":[1]},{"name":"STATUS_PAGE_FAULT_DEMAND_ZERO","features":[1]},{"name":"STATUS_PAGE_FAULT_GUARD_PAGE","features":[1]},{"name":"STATUS_PAGE_FAULT_PAGING_FILE","features":[1]},{"name":"STATUS_PAGE_FAULT_RETRY","features":[1]},{"name":"STATUS_PAGE_FAULT_TRANSITION","features":[1]},{"name":"STATUS_PARAMETER_QUOTA_EXCEEDED","features":[1]},{"name":"STATUS_PARITY_ERROR","features":[1]},{"name":"STATUS_PARTIAL_COPY","features":[1]},{"name":"STATUS_PARTITION_FAILURE","features":[1]},{"name":"STATUS_PARTITION_TERMINATING","features":[1]},{"name":"STATUS_PASSWORD_CHANGE_REQUIRED","features":[1]},{"name":"STATUS_PASSWORD_RESTRICTION","features":[1]},{"name":"STATUS_PATCH_CONFLICT","features":[1]},{"name":"STATUS_PATCH_DEFERRED","features":[1]},{"name":"STATUS_PATCH_NOT_REGISTERED","features":[1]},{"name":"STATUS_PATH_NOT_COVERED","features":[1]},{"name":"STATUS_PCP_ATTESTATION_CHALLENGE_NOT_SET","features":[1]},{"name":"STATUS_PCP_AUTHENTICATION_FAILED","features":[1]},{"name":"STATUS_PCP_AUTHENTICATION_IGNORED","features":[1]},{"name":"STATUS_PCP_BUFFER_LENGTH_MISMATCH","features":[1]},{"name":"STATUS_PCP_BUFFER_TOO_SMALL","features":[1]},{"name":"STATUS_PCP_CLAIM_TYPE_NOT_SUPPORTED","features":[1]},{"name":"STATUS_PCP_DEVICE_NOT_FOUND","features":[1]},{"name":"STATUS_PCP_DEVICE_NOT_READY","features":[1]},{"name":"STATUS_PCP_ERROR_MASK","features":[1]},{"name":"STATUS_PCP_FLAG_NOT_SUPPORTED","features":[1]},{"name":"STATUS_PCP_IFX_RSA_KEY_CREATION_BLOCKED","features":[1]},{"name":"STATUS_PCP_INTERNAL_ERROR","features":[1]},{"name":"STATUS_PCP_INVALID_HANDLE","features":[1]},{"name":"STATUS_PCP_INVALID_PARAMETER","features":[1]},{"name":"STATUS_PCP_KEY_ALREADY_FINALIZED","features":[1]},{"name":"STATUS_PCP_KEY_HANDLE_INVALIDATED","features":[1]},{"name":"STATUS_PCP_KEY_NOT_AIK","features":[1]},{"name":"STATUS_PCP_KEY_NOT_AUTHENTICATED","features":[1]},{"name":"STATUS_PCP_KEY_NOT_FINALIZED","features":[1]},{"name":"STATUS_PCP_KEY_NOT_LOADED","features":[1]},{"name":"STATUS_PCP_KEY_NOT_SIGNING_KEY","features":[1]},{"name":"STATUS_PCP_KEY_USAGE_POLICY_INVALID","features":[1]},{"name":"STATUS_PCP_KEY_USAGE_POLICY_NOT_SUPPORTED","features":[1]},{"name":"STATUS_PCP_LOCKED_OUT","features":[1]},{"name":"STATUS_PCP_NOT_PCR_BOUND","features":[1]},{"name":"STATUS_PCP_NOT_SUPPORTED","features":[1]},{"name":"STATUS_PCP_NO_KEY_CERTIFICATION","features":[1]},{"name":"STATUS_PCP_POLICY_NOT_FOUND","features":[1]},{"name":"STATUS_PCP_PROFILE_NOT_FOUND","features":[1]},{"name":"STATUS_PCP_RAW_POLICY_NOT_SUPPORTED","features":[1]},{"name":"STATUS_PCP_SOFT_KEY_ERROR","features":[1]},{"name":"STATUS_PCP_TICKET_MISSING","features":[1]},{"name":"STATUS_PCP_TPM_VERSION_NOT_SUPPORTED","features":[1]},{"name":"STATUS_PCP_UNSUPPORTED_PSS_SALT","features":[1]},{"name":"STATUS_PCP_VALIDATION_FAILED","features":[1]},{"name":"STATUS_PCP_WRONG_PARENT","features":[1]},{"name":"STATUS_PENDING","features":[1]},{"name":"STATUS_PER_USER_TRUST_QUOTA_EXCEEDED","features":[1]},{"name":"STATUS_PIPE_BROKEN","features":[1]},{"name":"STATUS_PIPE_BUSY","features":[1]},{"name":"STATUS_PIPE_CLOSING","features":[1]},{"name":"STATUS_PIPE_CONNECTED","features":[1]},{"name":"STATUS_PIPE_DISCONNECTED","features":[1]},{"name":"STATUS_PIPE_EMPTY","features":[1]},{"name":"STATUS_PIPE_LISTENING","features":[1]},{"name":"STATUS_PIPE_NOT_AVAILABLE","features":[1]},{"name":"STATUS_PKINIT_CLIENT_FAILURE","features":[1]},{"name":"STATUS_PKINIT_FAILURE","features":[1]},{"name":"STATUS_PKINIT_NAME_MISMATCH","features":[1]},{"name":"STATUS_PKU2U_CERT_FAILURE","features":[1]},{"name":"STATUS_PLATFORM_MANIFEST_BINARY_ID_NOT_FOUND","features":[1]},{"name":"STATUS_PLATFORM_MANIFEST_CATALOG_NOT_AUTHORIZED","features":[1]},{"name":"STATUS_PLATFORM_MANIFEST_FILE_NOT_AUTHORIZED","features":[1]},{"name":"STATUS_PLATFORM_MANIFEST_INVALID","features":[1]},{"name":"STATUS_PLATFORM_MANIFEST_NOT_ACTIVE","features":[1]},{"name":"STATUS_PLATFORM_MANIFEST_NOT_AUTHORIZED","features":[1]},{"name":"STATUS_PLATFORM_MANIFEST_NOT_SIGNED","features":[1]},{"name":"STATUS_PLUGPLAY_NO_DEVICE","features":[1]},{"name":"STATUS_PLUGPLAY_QUERY_VETOED","features":[1]},{"name":"STATUS_PNP_BAD_MPS_TABLE","features":[1]},{"name":"STATUS_PNP_DEVICE_CONFIGURATION_PENDING","features":[1]},{"name":"STATUS_PNP_DRIVER_CONFIGURATION_INCOMPLETE","features":[1]},{"name":"STATUS_PNP_DRIVER_CONFIGURATION_NOT_FOUND","features":[1]},{"name":"STATUS_PNP_DRIVER_PACKAGE_NOT_FOUND","features":[1]},{"name":"STATUS_PNP_FUNCTION_DRIVER_REQUIRED","features":[1]},{"name":"STATUS_PNP_INVALID_ID","features":[1]},{"name":"STATUS_PNP_IRQ_TRANSLATION_FAILED","features":[1]},{"name":"STATUS_PNP_NO_COMPAT_DRIVERS","features":[1]},{"name":"STATUS_PNP_REBOOT_REQUIRED","features":[1]},{"name":"STATUS_PNP_RESTART_ENUMERATION","features":[1]},{"name":"STATUS_PNP_TRANSLATION_FAILED","features":[1]},{"name":"STATUS_POLICY_CONTROLLED_ACCOUNT","features":[1]},{"name":"STATUS_POLICY_OBJECT_NOT_FOUND","features":[1]},{"name":"STATUS_POLICY_ONLY_IN_DS","features":[1]},{"name":"STATUS_PORT_ALREADY_HAS_COMPLETION_LIST","features":[1]},{"name":"STATUS_PORT_ALREADY_SET","features":[1]},{"name":"STATUS_PORT_CLOSED","features":[1]},{"name":"STATUS_PORT_CONNECTION_REFUSED","features":[1]},{"name":"STATUS_PORT_DISCONNECTED","features":[1]},{"name":"STATUS_PORT_DO_NOT_DISTURB","features":[1]},{"name":"STATUS_PORT_MESSAGE_TOO_LONG","features":[1]},{"name":"STATUS_PORT_NOT_SET","features":[1]},{"name":"STATUS_PORT_UNREACHABLE","features":[1]},{"name":"STATUS_POSSIBLE_DEADLOCK","features":[1]},{"name":"STATUS_POWER_STATE_INVALID","features":[1]},{"name":"STATUS_PREDEFINED_HANDLE","features":[1]},{"name":"STATUS_PRENT4_MACHINE_ACCOUNT","features":[1]},{"name":"STATUS_PRIMARY_TRANSPORT_CONNECT_FAILED","features":[1]},{"name":"STATUS_PRINT_CANCELLED","features":[1]},{"name":"STATUS_PRINT_QUEUE_FULL","features":[1]},{"name":"STATUS_PRIVILEGED_INSTRUCTION","features":[1]},{"name":"STATUS_PRIVILEGE_NOT_HELD","features":[1]},{"name":"STATUS_PROACTIVE_SCAN_IN_PROGRESS","features":[1]},{"name":"STATUS_PROCEDURE_NOT_FOUND","features":[1]},{"name":"STATUS_PROCESS_CLONED","features":[1]},{"name":"STATUS_PROCESS_IN_JOB","features":[1]},{"name":"STATUS_PROCESS_IS_PROTECTED","features":[1]},{"name":"STATUS_PROCESS_IS_TERMINATING","features":[1]},{"name":"STATUS_PROCESS_NOT_IN_JOB","features":[1]},{"name":"STATUS_PROFILING_AT_LIMIT","features":[1]},{"name":"STATUS_PROFILING_NOT_STARTED","features":[1]},{"name":"STATUS_PROFILING_NOT_STOPPED","features":[1]},{"name":"STATUS_PROPSET_NOT_FOUND","features":[1]},{"name":"STATUS_PROTOCOL_NOT_SUPPORTED","features":[1]},{"name":"STATUS_PROTOCOL_UNREACHABLE","features":[1]},{"name":"STATUS_PTE_CHANGED","features":[1]},{"name":"STATUS_PURGE_FAILED","features":[1]},{"name":"STATUS_PWD_HISTORY_CONFLICT","features":[1]},{"name":"STATUS_PWD_TOO_LONG","features":[1]},{"name":"STATUS_PWD_TOO_RECENT","features":[1]},{"name":"STATUS_PWD_TOO_SHORT","features":[1]},{"name":"STATUS_QUERY_STORAGE_ERROR","features":[1]},{"name":"STATUS_QUIC_ALPN_NEG_FAILURE","features":[1]},{"name":"STATUS_QUIC_CONNECTION_IDLE","features":[1]},{"name":"STATUS_QUIC_CONNECTION_TIMEOUT","features":[1]},{"name":"STATUS_QUIC_HANDSHAKE_FAILURE","features":[1]},{"name":"STATUS_QUIC_INTERNAL_ERROR","features":[1]},{"name":"STATUS_QUIC_PROTOCOL_VIOLATION","features":[1]},{"name":"STATUS_QUIC_USER_CANCELED","features":[1]},{"name":"STATUS_QUIC_VER_NEG_FAILURE","features":[1]},{"name":"STATUS_QUOTA_ACTIVITY","features":[1]},{"name":"STATUS_QUOTA_EXCEEDED","features":[1]},{"name":"STATUS_QUOTA_LIST_INCONSISTENT","features":[1]},{"name":"STATUS_QUOTA_NOT_ENABLED","features":[1]},{"name":"STATUS_RANGE_LIST_CONFLICT","features":[1]},{"name":"STATUS_RANGE_NOT_FOUND","features":[1]},{"name":"STATUS_RANGE_NOT_LOCKED","features":[1]},{"name":"STATUS_RDBSS_CONTINUE_OPERATION","features":[1]},{"name":"STATUS_RDBSS_POST_OPERATION","features":[1]},{"name":"STATUS_RDBSS_RESTART_OPERATION","features":[1]},{"name":"STATUS_RDBSS_RETRY_LOOKUP","features":[1]},{"name":"STATUS_RDP_PROTOCOL_ERROR","features":[1]},{"name":"STATUS_RECEIVE_EXPEDITED","features":[1]},{"name":"STATUS_RECEIVE_PARTIAL","features":[1]},{"name":"STATUS_RECEIVE_PARTIAL_EXPEDITED","features":[1]},{"name":"STATUS_RECOVERABLE_BUGCHECK","features":[1]},{"name":"STATUS_RECOVERY_FAILURE","features":[1]},{"name":"STATUS_RECOVERY_NOT_NEEDED","features":[1]},{"name":"STATUS_RECURSIVE_DISPATCH","features":[1]},{"name":"STATUS_REDIRECTOR_HAS_OPEN_HANDLES","features":[1]},{"name":"STATUS_REDIRECTOR_NOT_STARTED","features":[1]},{"name":"STATUS_REDIRECTOR_PAUSED","features":[1]},{"name":"STATUS_REDIRECTOR_STARTED","features":[1]},{"name":"STATUS_REGISTRY_CORRUPT","features":[1]},{"name":"STATUS_REGISTRY_HIVE_RECOVERED","features":[1]},{"name":"STATUS_REGISTRY_IO_FAILED","features":[1]},{"name":"STATUS_REGISTRY_QUOTA_LIMIT","features":[1]},{"name":"STATUS_REGISTRY_RECOVERED","features":[1]},{"name":"STATUS_REG_NAT_CONSUMPTION","features":[1]},{"name":"STATUS_REINITIALIZATION_NEEDED","features":[1]},{"name":"STATUS_REMOTE_DISCONNECT","features":[1]},{"name":"STATUS_REMOTE_FILE_VERSION_MISMATCH","features":[1]},{"name":"STATUS_REMOTE_NOT_LISTENING","features":[1]},{"name":"STATUS_REMOTE_RESOURCES","features":[1]},{"name":"STATUS_REMOTE_SESSION_LIMIT","features":[1]},{"name":"STATUS_REMOTE_STORAGE_MEDIA_ERROR","features":[1]},{"name":"STATUS_REMOTE_STORAGE_NOT_ACTIVE","features":[1]},{"name":"STATUS_REPAIR_NEEDED","features":[1]},{"name":"STATUS_REPARSE","features":[1]},{"name":"STATUS_REPARSE_ATTRIBUTE_CONFLICT","features":[1]},{"name":"STATUS_REPARSE_GLOBAL","features":[1]},{"name":"STATUS_REPARSE_OBJECT","features":[1]},{"name":"STATUS_REPARSE_POINT_ENCOUNTERED","features":[1]},{"name":"STATUS_REPARSE_POINT_NOT_RESOLVED","features":[1]},{"name":"STATUS_REPLY_MESSAGE_MISMATCH","features":[1]},{"name":"STATUS_REQUEST_ABORTED","features":[1]},{"name":"STATUS_REQUEST_CANCELED","features":[1]},{"name":"STATUS_REQUEST_NOT_ACCEPTED","features":[1]},{"name":"STATUS_REQUEST_OUT_OF_SEQUENCE","features":[1]},{"name":"STATUS_REQUEST_PAUSED","features":[1]},{"name":"STATUS_RESIDENT_FILE_NOT_SUPPORTED","features":[1]},{"name":"STATUS_RESOURCEMANAGER_NOT_FOUND","features":[1]},{"name":"STATUS_RESOURCEMANAGER_READ_ONLY","features":[1]},{"name":"STATUS_RESOURCE_DATA_NOT_FOUND","features":[1]},{"name":"STATUS_RESOURCE_ENUM_USER_STOP","features":[1]},{"name":"STATUS_RESOURCE_IN_USE","features":[1]},{"name":"STATUS_RESOURCE_LANG_NOT_FOUND","features":[1]},{"name":"STATUS_RESOURCE_NAME_NOT_FOUND","features":[1]},{"name":"STATUS_RESOURCE_NOT_OWNED","features":[1]},{"name":"STATUS_RESOURCE_REQUIREMENTS_CHANGED","features":[1]},{"name":"STATUS_RESOURCE_TYPE_NOT_FOUND","features":[1]},{"name":"STATUS_RESTART_BOOT_APPLICATION","features":[1]},{"name":"STATUS_RESUME_HIBERNATION","features":[1]},{"name":"STATUS_RETRY","features":[1]},{"name":"STATUS_RETURN_ADDRESS_HIJACK_ATTEMPT","features":[1]},{"name":"STATUS_REVISION_MISMATCH","features":[1]},{"name":"STATUS_REVOCATION_OFFLINE_C","features":[1]},{"name":"STATUS_REVOCATION_OFFLINE_KDC","features":[1]},{"name":"STATUS_RING_NEWLY_EMPTY","features":[1]},{"name":"STATUS_RING_PREVIOUSLY_ABOVE_QUOTA","features":[1]},{"name":"STATUS_RING_PREVIOUSLY_EMPTY","features":[1]},{"name":"STATUS_RING_PREVIOUSLY_FULL","features":[1]},{"name":"STATUS_RING_SIGNAL_OPPOSITE_ENDPOINT","features":[1]},{"name":"STATUS_RKF_ACTIVE_KEY","features":[1]},{"name":"STATUS_RKF_BLOB_FULL","features":[1]},{"name":"STATUS_RKF_DUPLICATE_KEY","features":[1]},{"name":"STATUS_RKF_FILE_BLOCKED","features":[1]},{"name":"STATUS_RKF_KEY_NOT_FOUND","features":[1]},{"name":"STATUS_RKF_STORE_FULL","features":[1]},{"name":"STATUS_RM_ALREADY_STARTED","features":[1]},{"name":"STATUS_RM_CANNOT_BE_FROZEN_FOR_SNAPSHOT","features":[1]},{"name":"STATUS_RM_DISCONNECTED","features":[1]},{"name":"STATUS_RM_METADATA_CORRUPT","features":[1]},{"name":"STATUS_RM_NOT_ACTIVE","features":[1]},{"name":"STATUS_ROLLBACK_TIMER_EXPIRED","features":[1]},{"name":"STATUS_RTPM_CONTEXT_COMPLETE","features":[1]},{"name":"STATUS_RTPM_CONTEXT_CONTINUE","features":[1]},{"name":"STATUS_RTPM_INVALID_CONTEXT","features":[1]},{"name":"STATUS_RTPM_NO_RESULT","features":[1]},{"name":"STATUS_RTPM_PCR_READ_INCOMPLETE","features":[1]},{"name":"STATUS_RTPM_UNSUPPORTED_CMD","features":[1]},{"name":"STATUS_RUNLEVEL_SWITCH_AGENT_TIMEOUT","features":[1]},{"name":"STATUS_RUNLEVEL_SWITCH_IN_PROGRESS","features":[1]},{"name":"STATUS_RUNLEVEL_SWITCH_TIMEOUT","features":[1]},{"name":"STATUS_RWRAW_ENCRYPTED_FILE_NOT_ENCRYPTED","features":[1]},{"name":"STATUS_RWRAW_ENCRYPTED_INVALID_EDATAINFO_FILEOFFSET","features":[1]},{"name":"STATUS_RWRAW_ENCRYPTED_INVALID_EDATAINFO_FILERANGE","features":[1]},{"name":"STATUS_RWRAW_ENCRYPTED_INVALID_EDATAINFO_PARAMETER","features":[1]},{"name":"STATUS_RXACT_COMMITTED","features":[1]},{"name":"STATUS_RXACT_COMMIT_FAILURE","features":[1]},{"name":"STATUS_RXACT_COMMIT_NECESSARY","features":[1]},{"name":"STATUS_RXACT_INVALID_STATE","features":[1]},{"name":"STATUS_RXACT_STATE_CREATED","features":[1]},{"name":"STATUS_SAM_INIT_FAILURE","features":[1]},{"name":"STATUS_SAM_NEED_BOOTKEY_FLOPPY","features":[1]},{"name":"STATUS_SAM_NEED_BOOTKEY_PASSWORD","features":[1]},{"name":"STATUS_SCRUB_DATA_DISABLED","features":[1]},{"name":"STATUS_SECCORE_INVALID_COMMAND","features":[1]},{"name":"STATUS_SECONDARY_IC_PROVIDER_NOT_REGISTERED","features":[1]},{"name":"STATUS_SECRET_TOO_LONG","features":[1]},{"name":"STATUS_SECTION_DIRECT_MAP_ONLY","features":[1]},{"name":"STATUS_SECTION_NOT_EXTENDED","features":[1]},{"name":"STATUS_SECTION_NOT_IMAGE","features":[1]},{"name":"STATUS_SECTION_PROTECTION","features":[1]},{"name":"STATUS_SECTION_TOO_BIG","features":[1]},{"name":"STATUS_SECUREBOOT_FILE_REPLACED","features":[1]},{"name":"STATUS_SECUREBOOT_INVALID_POLICY","features":[1]},{"name":"STATUS_SECUREBOOT_NOT_BASE_POLICY","features":[1]},{"name":"STATUS_SECUREBOOT_NOT_ENABLED","features":[1]},{"name":"STATUS_SECUREBOOT_NOT_SUPPLEMENTAL_POLICY","features":[1]},{"name":"STATUS_SECUREBOOT_PLATFORM_ID_MISMATCH","features":[1]},{"name":"STATUS_SECUREBOOT_POLICY_MISSING_ANTIROLLBACKVERSION","features":[1]},{"name":"STATUS_SECUREBOOT_POLICY_NOT_AUTHORIZED","features":[1]},{"name":"STATUS_SECUREBOOT_POLICY_NOT_SIGNED","features":[1]},{"name":"STATUS_SECUREBOOT_POLICY_PUBLISHER_NOT_FOUND","features":[1]},{"name":"STATUS_SECUREBOOT_POLICY_ROLLBACK_DETECTED","features":[1]},{"name":"STATUS_SECUREBOOT_POLICY_UNKNOWN","features":[1]},{"name":"STATUS_SECUREBOOT_POLICY_UPGRADE_MISMATCH","features":[1]},{"name":"STATUS_SECUREBOOT_POLICY_VIOLATION","features":[1]},{"name":"STATUS_SECUREBOOT_REQUIRED_POLICY_FILE_MISSING","features":[1]},{"name":"STATUS_SECUREBOOT_ROLLBACK_DETECTED","features":[1]},{"name":"STATUS_SECURITY_STREAM_IS_INCONSISTENT","features":[1]},{"name":"STATUS_SEGMENT_NOTIFICATION","features":[1]},{"name":"STATUS_SEMAPHORE_LIMIT_EXCEEDED","features":[1]},{"name":"STATUS_SERIAL_COUNTER_TIMEOUT","features":[1]},{"name":"STATUS_SERIAL_MORE_WRITES","features":[1]},{"name":"STATUS_SERIAL_NO_DEVICE_INITED","features":[1]},{"name":"STATUS_SERVER_DISABLED","features":[1]},{"name":"STATUS_SERVER_HAS_OPEN_HANDLES","features":[1]},{"name":"STATUS_SERVER_NOT_DISABLED","features":[1]},{"name":"STATUS_SERVER_SHUTDOWN_IN_PROGRESS","features":[1]},{"name":"STATUS_SERVER_SID_MISMATCH","features":[1]},{"name":"STATUS_SERVER_TRANSPORT_CONFLICT","features":[1]},{"name":"STATUS_SERVER_UNAVAILABLE","features":[1]},{"name":"STATUS_SERVICES_FAILED_AUTOSTART","features":[1]},{"name":"STATUS_SERVICE_NOTIFICATION","features":[1]},{"name":"STATUS_SESSION_KEY_TOO_SHORT","features":[1]},{"name":"STATUS_SETMARK_DETECTED","features":[1]},{"name":"STATUS_SET_CONTEXT_DENIED","features":[1]},{"name":"STATUS_SEVERITY_COERROR","features":[1]},{"name":"STATUS_SEVERITY_COFAIL","features":[1]},{"name":"STATUS_SEVERITY_ERROR","features":[1]},{"name":"STATUS_SEVERITY_INFORMATIONAL","features":[1]},{"name":"STATUS_SEVERITY_SUCCESS","features":[1]},{"name":"STATUS_SEVERITY_WARNING","features":[1]},{"name":"STATUS_SHARED_IRQ_BUSY","features":[1]},{"name":"STATUS_SHARED_POLICY","features":[1]},{"name":"STATUS_SHARE_UNAVAILABLE","features":[1]},{"name":"STATUS_SHARING_PAUSED","features":[1]},{"name":"STATUS_SHARING_VIOLATION","features":[1]},{"name":"STATUS_SHORT_NAMES_NOT_ENABLED_ON_VOLUME","features":[1]},{"name":"STATUS_SHUTDOWN_IN_PROGRESS","features":[1]},{"name":"STATUS_SINGLE_STEP","features":[1]},{"name":"STATUS_SMARTCARD_CARD_BLOCKED","features":[1]},{"name":"STATUS_SMARTCARD_CARD_NOT_AUTHENTICATED","features":[1]},{"name":"STATUS_SMARTCARD_CERT_EXPIRED","features":[1]},{"name":"STATUS_SMARTCARD_CERT_REVOKED","features":[1]},{"name":"STATUS_SMARTCARD_IO_ERROR","features":[1]},{"name":"STATUS_SMARTCARD_LOGON_REQUIRED","features":[1]},{"name":"STATUS_SMARTCARD_NO_CARD","features":[1]},{"name":"STATUS_SMARTCARD_NO_CERTIFICATE","features":[1]},{"name":"STATUS_SMARTCARD_NO_KEYSET","features":[1]},{"name":"STATUS_SMARTCARD_NO_KEY_CONTAINER","features":[1]},{"name":"STATUS_SMARTCARD_SILENT_CONTEXT","features":[1]},{"name":"STATUS_SMARTCARD_SUBSYSTEM_FAILURE","features":[1]},{"name":"STATUS_SMARTCARD_WRONG_PIN","features":[1]},{"name":"STATUS_SMB1_NOT_AVAILABLE","features":[1]},{"name":"STATUS_SMB_BAD_CLUSTER_DIALECT","features":[1]},{"name":"STATUS_SMB_GUEST_LOGON_BLOCKED","features":[1]},{"name":"STATUS_SMB_NO_PREAUTH_INTEGRITY_HASH_OVERLAP","features":[1]},{"name":"STATUS_SMB_NO_SIGNING_ALGORITHM_OVERLAP","features":[1]},{"name":"STATUS_SMI_PRIMITIVE_INSTALLER_FAILED","features":[1]},{"name":"STATUS_SMR_GARBAGE_COLLECTION_REQUIRED","features":[1]},{"name":"STATUS_SOME_NOT_MAPPED","features":[1]},{"name":"STATUS_SOURCE_ELEMENT_EMPTY","features":[1]},{"name":"STATUS_SPACES_ALLOCATION_SIZE_INVALID","features":[1]},{"name":"STATUS_SPACES_CACHE_FULL","features":[1]},{"name":"STATUS_SPACES_COMPLETE","features":[1]},{"name":"STATUS_SPACES_CORRUPT_METADATA","features":[1]},{"name":"STATUS_SPACES_DRIVE_LOST_DATA","features":[1]},{"name":"STATUS_SPACES_DRIVE_NOT_READY","features":[1]},{"name":"STATUS_SPACES_DRIVE_OPERATIONAL_STATE_INVALID","features":[1]},{"name":"STATUS_SPACES_DRIVE_REDUNDANCY_INVALID","features":[1]},{"name":"STATUS_SPACES_DRIVE_SECTOR_SIZE_INVALID","features":[1]},{"name":"STATUS_SPACES_DRIVE_SPLIT","features":[1]},{"name":"STATUS_SPACES_DRT_FULL","features":[1]},{"name":"STATUS_SPACES_ENCLOSURE_AWARE_INVALID","features":[1]},{"name":"STATUS_SPACES_ENTRY_INCOMPLETE","features":[1]},{"name":"STATUS_SPACES_ENTRY_INVALID","features":[1]},{"name":"STATUS_SPACES_EXTENDED_ERROR","features":[1]},{"name":"STATUS_SPACES_FAULT_DOMAIN_TYPE_INVALID","features":[1]},{"name":"STATUS_SPACES_FLUSH_METADATA","features":[1]},{"name":"STATUS_SPACES_INCONSISTENCY","features":[1]},{"name":"STATUS_SPACES_INTERLEAVE_LENGTH_INVALID","features":[1]},{"name":"STATUS_SPACES_LOG_NOT_READY","features":[1]},{"name":"STATUS_SPACES_MAP_REQUIRED","features":[1]},{"name":"STATUS_SPACES_MARK_DIRTY","features":[1]},{"name":"STATUS_SPACES_NOT_ENOUGH_DRIVES","features":[1]},{"name":"STATUS_SPACES_NO_REDUNDANCY","features":[1]},{"name":"STATUS_SPACES_NUMBER_OF_COLUMNS_INVALID","features":[1]},{"name":"STATUS_SPACES_NUMBER_OF_DATA_COPIES_INVALID","features":[1]},{"name":"STATUS_SPACES_NUMBER_OF_GROUPS_INVALID","features":[1]},{"name":"STATUS_SPACES_PAUSE","features":[1]},{"name":"STATUS_SPACES_PD_INVALID_DATA","features":[1]},{"name":"STATUS_SPACES_PD_LENGTH_MISMATCH","features":[1]},{"name":"STATUS_SPACES_PD_NOT_FOUND","features":[1]},{"name":"STATUS_SPACES_PD_UNSUPPORTED_VERSION","features":[1]},{"name":"STATUS_SPACES_PROVISIONING_TYPE_INVALID","features":[1]},{"name":"STATUS_SPACES_REDIRECT","features":[1]},{"name":"STATUS_SPACES_REPAIRED","features":[1]},{"name":"STATUS_SPACES_REPAIR_IN_PROGRESS","features":[1]},{"name":"STATUS_SPACES_RESILIENCY_TYPE_INVALID","features":[1]},{"name":"STATUS_SPACES_UNSUPPORTED_VERSION","features":[1]},{"name":"STATUS_SPACES_UPDATE_COLUMN_STATE","features":[1]},{"name":"STATUS_SPACES_WRITE_CACHE_SIZE_INVALID","features":[1]},{"name":"STATUS_SPARSE_FILE_NOT_SUPPORTED","features":[1]},{"name":"STATUS_SPARSE_NOT_ALLOWED_IN_TRANSACTION","features":[1]},{"name":"STATUS_SPECIAL_ACCOUNT","features":[1]},{"name":"STATUS_SPECIAL_GROUP","features":[1]},{"name":"STATUS_SPECIAL_USER","features":[1]},{"name":"STATUS_STACK_BUFFER_OVERRUN","features":[1]},{"name":"STATUS_STACK_OVERFLOW","features":[1]},{"name":"STATUS_STACK_OVERFLOW_READ","features":[1]},{"name":"STATUS_STOPPED_ON_SYMLINK","features":[1]},{"name":"STATUS_STORAGE_LOST_DATA_PERSISTENCE","features":[1]},{"name":"STATUS_STORAGE_RESERVE_ALREADY_EXISTS","features":[1]},{"name":"STATUS_STORAGE_RESERVE_DOES_NOT_EXIST","features":[1]},{"name":"STATUS_STORAGE_RESERVE_ID_INVALID","features":[1]},{"name":"STATUS_STORAGE_RESERVE_NOT_EMPTY","features":[1]},{"name":"STATUS_STORAGE_STACK_ACCESS_DENIED","features":[1]},{"name":"STATUS_STORAGE_TOPOLOGY_ID_MISMATCH","features":[1]},{"name":"STATUS_STOWED_EXCEPTION","features":[1]},{"name":"STATUS_STREAM_MINIVERSION_NOT_FOUND","features":[1]},{"name":"STATUS_STREAM_MINIVERSION_NOT_VALID","features":[1]},{"name":"STATUS_STRICT_CFG_VIOLATION","features":[1]},{"name":"STATUS_STRONG_CRYPTO_NOT_SUPPORTED","features":[1]},{"name":"STATUS_SUCCESS","features":[1]},{"name":"STATUS_SUSPEND_COUNT_EXCEEDED","features":[1]},{"name":"STATUS_SVHDX_ERROR_NOT_AVAILABLE","features":[1]},{"name":"STATUS_SVHDX_ERROR_STORED","features":[1]},{"name":"STATUS_SVHDX_NO_INITIATOR","features":[1]},{"name":"STATUS_SVHDX_RESERVATION_CONFLICT","features":[1]},{"name":"STATUS_SVHDX_UNIT_ATTENTION_AVAILABLE","features":[1]},{"name":"STATUS_SVHDX_UNIT_ATTENTION_CAPACITY_DATA_CHANGED","features":[1]},{"name":"STATUS_SVHDX_UNIT_ATTENTION_OPERATING_DEFINITION_CHANGED","features":[1]},{"name":"STATUS_SVHDX_UNIT_ATTENTION_REGISTRATIONS_PREEMPTED","features":[1]},{"name":"STATUS_SVHDX_UNIT_ATTENTION_RESERVATIONS_PREEMPTED","features":[1]},{"name":"STATUS_SVHDX_UNIT_ATTENTION_RESERVATIONS_RELEASED","features":[1]},{"name":"STATUS_SVHDX_VERSION_MISMATCH","features":[1]},{"name":"STATUS_SVHDX_WRONG_FILE_TYPE","features":[1]},{"name":"STATUS_SXS_ACTIVATION_CONTEXT_DISABLED","features":[1]},{"name":"STATUS_SXS_ASSEMBLY_IS_NOT_A_DEPLOYMENT","features":[1]},{"name":"STATUS_SXS_ASSEMBLY_MISSING","features":[1]},{"name":"STATUS_SXS_ASSEMBLY_NOT_FOUND","features":[1]},{"name":"STATUS_SXS_CANT_GEN_ACTCTX","features":[1]},{"name":"STATUS_SXS_COMPONENT_STORE_CORRUPT","features":[1]},{"name":"STATUS_SXS_CORRUPTION","features":[1]},{"name":"STATUS_SXS_CORRUPT_ACTIVATION_STACK","features":[1]},{"name":"STATUS_SXS_EARLY_DEACTIVATION","features":[1]},{"name":"STATUS_SXS_FILE_HASH_MISMATCH","features":[1]},{"name":"STATUS_SXS_FILE_HASH_MISSING","features":[1]},{"name":"STATUS_SXS_FILE_NOT_PART_OF_ASSEMBLY","features":[1]},{"name":"STATUS_SXS_IDENTITIES_DIFFERENT","features":[1]},{"name":"STATUS_SXS_IDENTITY_DUPLICATE_ATTRIBUTE","features":[1]},{"name":"STATUS_SXS_IDENTITY_PARSE_ERROR","features":[1]},{"name":"STATUS_SXS_INVALID_ACTCTXDATA_FORMAT","features":[1]},{"name":"STATUS_SXS_INVALID_DEACTIVATION","features":[1]},{"name":"STATUS_SXS_INVALID_IDENTITY_ATTRIBUTE_NAME","features":[1]},{"name":"STATUS_SXS_INVALID_IDENTITY_ATTRIBUTE_VALUE","features":[1]},{"name":"STATUS_SXS_KEY_NOT_FOUND","features":[1]},{"name":"STATUS_SXS_MANIFEST_FORMAT_ERROR","features":[1]},{"name":"STATUS_SXS_MANIFEST_IDENTITY_SAME_BUT_CONTENTS_DIFFERENT","features":[1]},{"name":"STATUS_SXS_MANIFEST_PARSE_ERROR","features":[1]},{"name":"STATUS_SXS_MANIFEST_TOO_BIG","features":[1]},{"name":"STATUS_SXS_MULTIPLE_DEACTIVATION","features":[1]},{"name":"STATUS_SXS_PROCESS_DEFAULT_ALREADY_SET","features":[1]},{"name":"STATUS_SXS_PROCESS_TERMINATION_REQUESTED","features":[1]},{"name":"STATUS_SXS_RELEASE_ACTIVATION_CONTEXT","features":[1]},{"name":"STATUS_SXS_SECTION_NOT_FOUND","features":[1]},{"name":"STATUS_SXS_SETTING_NOT_REGISTERED","features":[1]},{"name":"STATUS_SXS_SYSTEM_DEFAULT_ACTIVATION_CONTEXT_EMPTY","features":[1]},{"name":"STATUS_SXS_THREAD_QUERIES_DISABLED","features":[1]},{"name":"STATUS_SXS_TRANSACTION_CLOSURE_INCOMPLETE","features":[1]},{"name":"STATUS_SXS_VERSION_CONFLICT","features":[1]},{"name":"STATUS_SXS_WRONG_SECTION_TYPE","features":[1]},{"name":"STATUS_SYMLINK_CLASS_DISABLED","features":[1]},{"name":"STATUS_SYNCHRONIZATION_REQUIRED","features":[1]},{"name":"STATUS_SYSTEM_DEVICE_NOT_FOUND","features":[1]},{"name":"STATUS_SYSTEM_HIVE_TOO_LARGE","features":[1]},{"name":"STATUS_SYSTEM_IMAGE_BAD_SIGNATURE","features":[1]},{"name":"STATUS_SYSTEM_INTEGRITY_INVALID_POLICY","features":[1]},{"name":"STATUS_SYSTEM_INTEGRITY_POLICY_NOT_SIGNED","features":[1]},{"name":"STATUS_SYSTEM_INTEGRITY_POLICY_VIOLATION","features":[1]},{"name":"STATUS_SYSTEM_INTEGRITY_REPUTATION_DANGEROUS_EXT","features":[1]},{"name":"STATUS_SYSTEM_INTEGRITY_REPUTATION_EXPLICIT_DENY_FILE","features":[1]},{"name":"STATUS_SYSTEM_INTEGRITY_REPUTATION_MALICIOUS","features":[1]},{"name":"STATUS_SYSTEM_INTEGRITY_REPUTATION_OFFLINE","features":[1]},{"name":"STATUS_SYSTEM_INTEGRITY_REPUTATION_PUA","features":[1]},{"name":"STATUS_SYSTEM_INTEGRITY_REPUTATION_UNATTAINABLE","features":[1]},{"name":"STATUS_SYSTEM_INTEGRITY_REPUTATION_UNFRIENDLY_FILE","features":[1]},{"name":"STATUS_SYSTEM_INTEGRITY_ROLLBACK_DETECTED","features":[1]},{"name":"STATUS_SYSTEM_INTEGRITY_SUPPLEMENTAL_POLICY_NOT_AUTHORIZED","features":[1]},{"name":"STATUS_SYSTEM_INTEGRITY_TOO_MANY_POLICIES","features":[1]},{"name":"STATUS_SYSTEM_NEEDS_REMEDIATION","features":[1]},{"name":"STATUS_SYSTEM_POWERSTATE_COMPLEX_TRANSITION","features":[1]},{"name":"STATUS_SYSTEM_POWERSTATE_TRANSITION","features":[1]},{"name":"STATUS_SYSTEM_PROCESS_TERMINATED","features":[1]},{"name":"STATUS_SYSTEM_SHUTDOWN","features":[1]},{"name":"STATUS_THREADPOOL_FREE_LIBRARY_ON_COMPLETION_FAILED","features":[1]},{"name":"STATUS_THREADPOOL_HANDLE_EXCEPTION","features":[1]},{"name":"STATUS_THREADPOOL_RELEASED_DURING_OPERATION","features":[1]},{"name":"STATUS_THREADPOOL_RELEASE_MUTEX_ON_COMPLETION_FAILED","features":[1]},{"name":"STATUS_THREADPOOL_RELEASE_SEMAPHORE_ON_COMPLETION_FAILED","features":[1]},{"name":"STATUS_THREADPOOL_SET_EVENT_ON_COMPLETION_FAILED","features":[1]},{"name":"STATUS_THREAD_ALREADY_IN_SESSION","features":[1]},{"name":"STATUS_THREAD_ALREADY_IN_TASK","features":[1]},{"name":"STATUS_THREAD_IS_TERMINATING","features":[1]},{"name":"STATUS_THREAD_NOT_IN_PROCESS","features":[1]},{"name":"STATUS_THREAD_NOT_IN_SESSION","features":[1]},{"name":"STATUS_THREAD_NOT_RUNNING","features":[1]},{"name":"STATUS_THREAD_WAS_SUSPENDED","features":[1]},{"name":"STATUS_TIMEOUT","features":[1]},{"name":"STATUS_TIMER_NOT_CANCELED","features":[1]},{"name":"STATUS_TIMER_RESOLUTION_NOT_SET","features":[1]},{"name":"STATUS_TIMER_RESUME_IGNORED","features":[1]},{"name":"STATUS_TIME_DIFFERENCE_AT_DC","features":[1]},{"name":"STATUS_TM_IDENTITY_MISMATCH","features":[1]},{"name":"STATUS_TM_INITIALIZATION_FAILED","features":[1]},{"name":"STATUS_TM_VOLATILE","features":[1]},{"name":"STATUS_TOKEN_ALREADY_IN_USE","features":[1]},{"name":"STATUS_TOO_LATE","features":[1]},{"name":"STATUS_TOO_MANY_ADDRESSES","features":[1]},{"name":"STATUS_TOO_MANY_COMMANDS","features":[1]},{"name":"STATUS_TOO_MANY_CONTEXT_IDS","features":[1]},{"name":"STATUS_TOO_MANY_GUIDS_REQUESTED","features":[1]},{"name":"STATUS_TOO_MANY_LINKS","features":[1]},{"name":"STATUS_TOO_MANY_LUIDS_REQUESTED","features":[1]},{"name":"STATUS_TOO_MANY_NAMES","features":[1]},{"name":"STATUS_TOO_MANY_NODES","features":[1]},{"name":"STATUS_TOO_MANY_OPENED_FILES","features":[1]},{"name":"STATUS_TOO_MANY_PAGING_FILES","features":[1]},{"name":"STATUS_TOO_MANY_PRINCIPALS","features":[1]},{"name":"STATUS_TOO_MANY_SECRETS","features":[1]},{"name":"STATUS_TOO_MANY_SEGMENT_DESCRIPTORS","features":[1]},{"name":"STATUS_TOO_MANY_SESSIONS","features":[1]},{"name":"STATUS_TOO_MANY_SIDS","features":[1]},{"name":"STATUS_TOO_MANY_THREADS","features":[1]},{"name":"STATUS_TPM_20_E_ASYMMETRIC","features":[1]},{"name":"STATUS_TPM_20_E_ATTRIBUTES","features":[1]},{"name":"STATUS_TPM_20_E_AUTHSIZE","features":[1]},{"name":"STATUS_TPM_20_E_AUTH_CONTEXT","features":[1]},{"name":"STATUS_TPM_20_E_AUTH_FAIL","features":[1]},{"name":"STATUS_TPM_20_E_AUTH_MISSING","features":[1]},{"name":"STATUS_TPM_20_E_AUTH_TYPE","features":[1]},{"name":"STATUS_TPM_20_E_AUTH_UNAVAILABLE","features":[1]},{"name":"STATUS_TPM_20_E_BAD_AUTH","features":[1]},{"name":"STATUS_TPM_20_E_BAD_CONTEXT","features":[1]},{"name":"STATUS_TPM_20_E_BINDING","features":[1]},{"name":"STATUS_TPM_20_E_COMMAND_CODE","features":[1]},{"name":"STATUS_TPM_20_E_COMMAND_SIZE","features":[1]},{"name":"STATUS_TPM_20_E_CPHASH","features":[1]},{"name":"STATUS_TPM_20_E_CURVE","features":[1]},{"name":"STATUS_TPM_20_E_DISABLED","features":[1]},{"name":"STATUS_TPM_20_E_ECC_CURVE","features":[1]},{"name":"STATUS_TPM_20_E_ECC_POINT","features":[1]},{"name":"STATUS_TPM_20_E_EXCLUSIVE","features":[1]},{"name":"STATUS_TPM_20_E_EXPIRED","features":[1]},{"name":"STATUS_TPM_20_E_FAILURE","features":[1]},{"name":"STATUS_TPM_20_E_HANDLE","features":[1]},{"name":"STATUS_TPM_20_E_HASH","features":[1]},{"name":"STATUS_TPM_20_E_HIERARCHY","features":[1]},{"name":"STATUS_TPM_20_E_HMAC","features":[1]},{"name":"STATUS_TPM_20_E_INITIALIZE","features":[1]},{"name":"STATUS_TPM_20_E_INSUFFICIENT","features":[1]},{"name":"STATUS_TPM_20_E_INTEGRITY","features":[1]},{"name":"STATUS_TPM_20_E_KDF","features":[1]},{"name":"STATUS_TPM_20_E_KEY","features":[1]},{"name":"STATUS_TPM_20_E_KEY_SIZE","features":[1]},{"name":"STATUS_TPM_20_E_MGF","features":[1]},{"name":"STATUS_TPM_20_E_MODE","features":[1]},{"name":"STATUS_TPM_20_E_NEEDS_TEST","features":[1]},{"name":"STATUS_TPM_20_E_NONCE","features":[1]},{"name":"STATUS_TPM_20_E_NO_RESULT","features":[1]},{"name":"STATUS_TPM_20_E_NV_AUTHORIZATION","features":[1]},{"name":"STATUS_TPM_20_E_NV_DEFINED","features":[1]},{"name":"STATUS_TPM_20_E_NV_LOCKED","features":[1]},{"name":"STATUS_TPM_20_E_NV_RANGE","features":[1]},{"name":"STATUS_TPM_20_E_NV_SIZE","features":[1]},{"name":"STATUS_TPM_20_E_NV_SPACE","features":[1]},{"name":"STATUS_TPM_20_E_NV_UNINITIALIZED","features":[1]},{"name":"STATUS_TPM_20_E_PARENT","features":[1]},{"name":"STATUS_TPM_20_E_PCR","features":[1]},{"name":"STATUS_TPM_20_E_PCR_CHANGED","features":[1]},{"name":"STATUS_TPM_20_E_POLICY","features":[1]},{"name":"STATUS_TPM_20_E_POLICY_CC","features":[1]},{"name":"STATUS_TPM_20_E_POLICY_FAIL","features":[1]},{"name":"STATUS_TPM_20_E_PP","features":[1]},{"name":"STATUS_TPM_20_E_PRIVATE","features":[1]},{"name":"STATUS_TPM_20_E_RANGE","features":[1]},{"name":"STATUS_TPM_20_E_REBOOT","features":[1]},{"name":"STATUS_TPM_20_E_RESERVED_BITS","features":[1]},{"name":"STATUS_TPM_20_E_SCHEME","features":[1]},{"name":"STATUS_TPM_20_E_SELECTOR","features":[1]},{"name":"STATUS_TPM_20_E_SENSITIVE","features":[1]},{"name":"STATUS_TPM_20_E_SEQUENCE","features":[1]},{"name":"STATUS_TPM_20_E_SIGNATURE","features":[1]},{"name":"STATUS_TPM_20_E_SIZE","features":[1]},{"name":"STATUS_TPM_20_E_SYMMETRIC","features":[1]},{"name":"STATUS_TPM_20_E_TAG","features":[1]},{"name":"STATUS_TPM_20_E_TICKET","features":[1]},{"name":"STATUS_TPM_20_E_TOO_MANY_CONTEXTS","features":[1]},{"name":"STATUS_TPM_20_E_TYPE","features":[1]},{"name":"STATUS_TPM_20_E_UNBALANCED","features":[1]},{"name":"STATUS_TPM_20_E_UPGRADE","features":[1]},{"name":"STATUS_TPM_20_E_VALUE","features":[1]},{"name":"STATUS_TPM_ACCESS_DENIED","features":[1]},{"name":"STATUS_TPM_AREA_LOCKED","features":[1]},{"name":"STATUS_TPM_AUDITFAILURE","features":[1]},{"name":"STATUS_TPM_AUDITFAIL_SUCCESSFUL","features":[1]},{"name":"STATUS_TPM_AUDITFAIL_UNSUCCESSFUL","features":[1]},{"name":"STATUS_TPM_AUTH2FAIL","features":[1]},{"name":"STATUS_TPM_AUTHFAIL","features":[1]},{"name":"STATUS_TPM_AUTH_CONFLICT","features":[1]},{"name":"STATUS_TPM_BADCONTEXT","features":[1]},{"name":"STATUS_TPM_BADINDEX","features":[1]},{"name":"STATUS_TPM_BADTAG","features":[1]},{"name":"STATUS_TPM_BAD_ATTRIBUTES","features":[1]},{"name":"STATUS_TPM_BAD_COUNTER","features":[1]},{"name":"STATUS_TPM_BAD_DATASIZE","features":[1]},{"name":"STATUS_TPM_BAD_DELEGATE","features":[1]},{"name":"STATUS_TPM_BAD_HANDLE","features":[1]},{"name":"STATUS_TPM_BAD_KEY_PROPERTY","features":[1]},{"name":"STATUS_TPM_BAD_LOCALITY","features":[1]},{"name":"STATUS_TPM_BAD_MIGRATION","features":[1]},{"name":"STATUS_TPM_BAD_MODE","features":[1]},{"name":"STATUS_TPM_BAD_ORDINAL","features":[1]},{"name":"STATUS_TPM_BAD_PARAMETER","features":[1]},{"name":"STATUS_TPM_BAD_PARAM_SIZE","features":[1]},{"name":"STATUS_TPM_BAD_PRESENCE","features":[1]},{"name":"STATUS_TPM_BAD_SCHEME","features":[1]},{"name":"STATUS_TPM_BAD_SIGNATURE","features":[1]},{"name":"STATUS_TPM_BAD_TYPE","features":[1]},{"name":"STATUS_TPM_BAD_VERSION","features":[1]},{"name":"STATUS_TPM_CLEAR_DISABLED","features":[1]},{"name":"STATUS_TPM_COMMAND_BLOCKED","features":[1]},{"name":"STATUS_TPM_COMMAND_CANCELED","features":[1]},{"name":"STATUS_TPM_CONTEXT_GAP","features":[1]},{"name":"STATUS_TPM_DAA_INPUT_DATA0","features":[1]},{"name":"STATUS_TPM_DAA_INPUT_DATA1","features":[1]},{"name":"STATUS_TPM_DAA_ISSUER_SETTINGS","features":[1]},{"name":"STATUS_TPM_DAA_ISSUER_VALIDITY","features":[1]},{"name":"STATUS_TPM_DAA_RESOURCES","features":[1]},{"name":"STATUS_TPM_DAA_STAGE","features":[1]},{"name":"STATUS_TPM_DAA_TPM_SETTINGS","features":[1]},{"name":"STATUS_TPM_DAA_WRONG_W","features":[1]},{"name":"STATUS_TPM_DEACTIVATED","features":[1]},{"name":"STATUS_TPM_DECRYPT_ERROR","features":[1]},{"name":"STATUS_TPM_DEFEND_LOCK_RUNNING","features":[1]},{"name":"STATUS_TPM_DELEGATE_ADMIN","features":[1]},{"name":"STATUS_TPM_DELEGATE_FAMILY","features":[1]},{"name":"STATUS_TPM_DELEGATE_LOCK","features":[1]},{"name":"STATUS_TPM_DISABLED","features":[1]},{"name":"STATUS_TPM_DISABLED_CMD","features":[1]},{"name":"STATUS_TPM_DOING_SELFTEST","features":[1]},{"name":"STATUS_TPM_DUPLICATE_VHANDLE","features":[1]},{"name":"STATUS_TPM_EMBEDDED_COMMAND_BLOCKED","features":[1]},{"name":"STATUS_TPM_EMBEDDED_COMMAND_UNSUPPORTED","features":[1]},{"name":"STATUS_TPM_ENCRYPT_ERROR","features":[1]},{"name":"STATUS_TPM_ERROR_MASK","features":[1]},{"name":"STATUS_TPM_FAIL","features":[1]},{"name":"STATUS_TPM_FAILEDSELFTEST","features":[1]},{"name":"STATUS_TPM_FAMILYCOUNT","features":[1]},{"name":"STATUS_TPM_INAPPROPRIATE_ENC","features":[1]},{"name":"STATUS_TPM_INAPPROPRIATE_SIG","features":[1]},{"name":"STATUS_TPM_INSTALL_DISABLED","features":[1]},{"name":"STATUS_TPM_INSUFFICIENT_BUFFER","features":[1]},{"name":"STATUS_TPM_INVALID_AUTHHANDLE","features":[1]},{"name":"STATUS_TPM_INVALID_FAMILY","features":[1]},{"name":"STATUS_TPM_INVALID_HANDLE","features":[1]},{"name":"STATUS_TPM_INVALID_KEYHANDLE","features":[1]},{"name":"STATUS_TPM_INVALID_KEYUSAGE","features":[1]},{"name":"STATUS_TPM_INVALID_PCR_INFO","features":[1]},{"name":"STATUS_TPM_INVALID_POSTINIT","features":[1]},{"name":"STATUS_TPM_INVALID_RESOURCE","features":[1]},{"name":"STATUS_TPM_INVALID_STRUCTURE","features":[1]},{"name":"STATUS_TPM_IOERROR","features":[1]},{"name":"STATUS_TPM_KEYNOTFOUND","features":[1]},{"name":"STATUS_TPM_KEY_NOTSUPPORTED","features":[1]},{"name":"STATUS_TPM_KEY_OWNER_CONTROL","features":[1]},{"name":"STATUS_TPM_MAXNVWRITES","features":[1]},{"name":"STATUS_TPM_MA_AUTHORITY","features":[1]},{"name":"STATUS_TPM_MA_DESTINATION","features":[1]},{"name":"STATUS_TPM_MA_SOURCE","features":[1]},{"name":"STATUS_TPM_MA_TICKET_SIGNATURE","features":[1]},{"name":"STATUS_TPM_MIGRATEFAIL","features":[1]},{"name":"STATUS_TPM_NEEDS_SELFTEST","features":[1]},{"name":"STATUS_TPM_NOCONTEXTSPACE","features":[1]},{"name":"STATUS_TPM_NOOPERATOR","features":[1]},{"name":"STATUS_TPM_NOSPACE","features":[1]},{"name":"STATUS_TPM_NOSRK","features":[1]},{"name":"STATUS_TPM_NOTFIPS","features":[1]},{"name":"STATUS_TPM_NOTLOCAL","features":[1]},{"name":"STATUS_TPM_NOTRESETABLE","features":[1]},{"name":"STATUS_TPM_NOTSEALED_BLOB","features":[1]},{"name":"STATUS_TPM_NOT_FOUND","features":[1]},{"name":"STATUS_TPM_NOT_FULLWRITE","features":[1]},{"name":"STATUS_TPM_NO_ENDORSEMENT","features":[1]},{"name":"STATUS_TPM_NO_NV_PERMISSION","features":[1]},{"name":"STATUS_TPM_NO_WRAP_TRANSPORT","features":[1]},{"name":"STATUS_TPM_OWNER_CONTROL","features":[1]},{"name":"STATUS_TPM_OWNER_SET","features":[1]},{"name":"STATUS_TPM_PERMANENTEK","features":[1]},{"name":"STATUS_TPM_PER_NOWRITE","features":[1]},{"name":"STATUS_TPM_PPI_FUNCTION_UNSUPPORTED","features":[1]},{"name":"STATUS_TPM_READ_ONLY","features":[1]},{"name":"STATUS_TPM_REQUIRES_SIGN","features":[1]},{"name":"STATUS_TPM_RESOURCEMISSING","features":[1]},{"name":"STATUS_TPM_RESOURCES","features":[1]},{"name":"STATUS_TPM_RETRY","features":[1]},{"name":"STATUS_TPM_SHA_ERROR","features":[1]},{"name":"STATUS_TPM_SHA_THREAD","features":[1]},{"name":"STATUS_TPM_SHORTRANDOM","features":[1]},{"name":"STATUS_TPM_SIZE","features":[1]},{"name":"STATUS_TPM_TOOMANYCONTEXTS","features":[1]},{"name":"STATUS_TPM_TOO_MANY_CONTEXTS","features":[1]},{"name":"STATUS_TPM_TRANSPORT_NOTEXCLUSIVE","features":[1]},{"name":"STATUS_TPM_WRITE_LOCKED","features":[1]},{"name":"STATUS_TPM_WRONGPCRVAL","features":[1]},{"name":"STATUS_TPM_WRONG_ENTITYTYPE","features":[1]},{"name":"STATUS_TPM_ZERO_EXHAUST_ENABLED","features":[1]},{"name":"STATUS_TRANSACTED_MAPPING_UNSUPPORTED_REMOTE","features":[1]},{"name":"STATUS_TRANSACTIONAL_CONFLICT","features":[1]},{"name":"STATUS_TRANSACTIONAL_OPEN_NOT_ALLOWED","features":[1]},{"name":"STATUS_TRANSACTIONMANAGER_IDENTITY_MISMATCH","features":[1]},{"name":"STATUS_TRANSACTIONMANAGER_NOT_FOUND","features":[1]},{"name":"STATUS_TRANSACTIONMANAGER_NOT_ONLINE","features":[1]},{"name":"STATUS_TRANSACTIONMANAGER_RECOVERY_NAME_COLLISION","features":[1]},{"name":"STATUS_TRANSACTIONS_NOT_FROZEN","features":[1]},{"name":"STATUS_TRANSACTIONS_UNSUPPORTED_REMOTE","features":[1]},{"name":"STATUS_TRANSACTION_ABORTED","features":[1]},{"name":"STATUS_TRANSACTION_ALREADY_ABORTED","features":[1]},{"name":"STATUS_TRANSACTION_ALREADY_COMMITTED","features":[1]},{"name":"STATUS_TRANSACTION_FREEZE_IN_PROGRESS","features":[1]},{"name":"STATUS_TRANSACTION_INTEGRITY_VIOLATED","features":[1]},{"name":"STATUS_TRANSACTION_INVALID_ID","features":[1]},{"name":"STATUS_TRANSACTION_INVALID_MARSHALL_BUFFER","features":[1]},{"name":"STATUS_TRANSACTION_INVALID_TYPE","features":[1]},{"name":"STATUS_TRANSACTION_MUST_WRITETHROUGH","features":[1]},{"name":"STATUS_TRANSACTION_NOT_ACTIVE","features":[1]},{"name":"STATUS_TRANSACTION_NOT_ENLISTED","features":[1]},{"name":"STATUS_TRANSACTION_NOT_FOUND","features":[1]},{"name":"STATUS_TRANSACTION_NOT_JOINED","features":[1]},{"name":"STATUS_TRANSACTION_NOT_REQUESTED","features":[1]},{"name":"STATUS_TRANSACTION_NOT_ROOT","features":[1]},{"name":"STATUS_TRANSACTION_NO_MATCH","features":[1]},{"name":"STATUS_TRANSACTION_NO_RELEASE","features":[1]},{"name":"STATUS_TRANSACTION_NO_SUPERIOR","features":[1]},{"name":"STATUS_TRANSACTION_OBJECT_EXPIRED","features":[1]},{"name":"STATUS_TRANSACTION_PROPAGATION_FAILED","features":[1]},{"name":"STATUS_TRANSACTION_RECORD_TOO_LONG","features":[1]},{"name":"STATUS_TRANSACTION_REQUEST_NOT_VALID","features":[1]},{"name":"STATUS_TRANSACTION_REQUIRED_PROMOTION","features":[1]},{"name":"STATUS_TRANSACTION_RESPONDED","features":[1]},{"name":"STATUS_TRANSACTION_RESPONSE_NOT_ENLISTED","features":[1]},{"name":"STATUS_TRANSACTION_SCOPE_CALLBACKS_NOT_SET","features":[1]},{"name":"STATUS_TRANSACTION_SUPERIOR_EXISTS","features":[1]},{"name":"STATUS_TRANSACTION_TIMED_OUT","features":[1]},{"name":"STATUS_TRANSLATION_COMPLETE","features":[1]},{"name":"STATUS_TRANSPORT_FULL","features":[1]},{"name":"STATUS_TRIGGERED_EXECUTABLE_MEMORY_WRITE","features":[1]},{"name":"STATUS_TRIM_READ_ZERO_NOT_SUPPORTED","features":[1]},{"name":"STATUS_TRUSTED_DOMAIN_FAILURE","features":[1]},{"name":"STATUS_TRUSTED_RELATIONSHIP_FAILURE","features":[1]},{"name":"STATUS_TRUST_FAILURE","features":[1]},{"name":"STATUS_TS_INCOMPATIBLE_SESSIONS","features":[1]},{"name":"STATUS_TS_VIDEO_SUBSYSTEM_ERROR","features":[1]},{"name":"STATUS_TXF_ATTRIBUTE_CORRUPT","features":[1]},{"name":"STATUS_TXF_DIR_NOT_EMPTY","features":[1]},{"name":"STATUS_TXF_METADATA_ALREADY_PRESENT","features":[1]},{"name":"STATUS_UNABLE_TO_DECOMMIT_VM","features":[1]},{"name":"STATUS_UNABLE_TO_DELETE_SECTION","features":[1]},{"name":"STATUS_UNABLE_TO_FREE_VM","features":[1]},{"name":"STATUS_UNABLE_TO_LOCK_MEDIA","features":[1]},{"name":"STATUS_UNABLE_TO_UNLOAD_MEDIA","features":[1]},{"name":"STATUS_UNDEFINED_CHARACTER","features":[1]},{"name":"STATUS_UNDEFINED_SCOPE","features":[1]},{"name":"STATUS_UNEXPECTED_IO_ERROR","features":[1]},{"name":"STATUS_UNEXPECTED_MM_CREATE_ERR","features":[1]},{"name":"STATUS_UNEXPECTED_MM_EXTEND_ERR","features":[1]},{"name":"STATUS_UNEXPECTED_MM_MAP_ERROR","features":[1]},{"name":"STATUS_UNEXPECTED_NETWORK_ERROR","features":[1]},{"name":"STATUS_UNFINISHED_CONTEXT_DELETED","features":[1]},{"name":"STATUS_UNHANDLED_EXCEPTION","features":[1]},{"name":"STATUS_UNKNOWN_REVISION","features":[1]},{"name":"STATUS_UNMAPPABLE_CHARACTER","features":[1]},{"name":"STATUS_UNRECOGNIZED_MEDIA","features":[1]},{"name":"STATUS_UNRECOGNIZED_VOLUME","features":[1]},{"name":"STATUS_UNSATISFIED_DEPENDENCIES","features":[1]},{"name":"STATUS_UNSUCCESSFUL","features":[1]},{"name":"STATUS_UNSUPPORTED_COMPRESSION","features":[1]},{"name":"STATUS_UNSUPPORTED_PAGING_MODE","features":[1]},{"name":"STATUS_UNSUPPORTED_PREAUTH","features":[1]},{"name":"STATUS_UNTRUSTED_MOUNT_POINT","features":[1]},{"name":"STATUS_UNWIND","features":[1]},{"name":"STATUS_UNWIND_CONSOLIDATE","features":[1]},{"name":"STATUS_USER2USER_REQUIRED","features":[1]},{"name":"STATUS_USER_APC","features":[1]},{"name":"STATUS_USER_DELETE_TRUST_QUOTA_EXCEEDED","features":[1]},{"name":"STATUS_USER_EXISTS","features":[1]},{"name":"STATUS_USER_MAPPED_FILE","features":[1]},{"name":"STATUS_USER_SESSION_DELETED","features":[1]},{"name":"STATUS_VALIDATE_CONTINUE","features":[1]},{"name":"STATUS_VALID_CATALOG_HASH","features":[1]},{"name":"STATUS_VALID_IMAGE_HASH","features":[1]},{"name":"STATUS_VALID_STRONG_CODE_HASH","features":[1]},{"name":"STATUS_VARIABLE_NOT_FOUND","features":[1]},{"name":"STATUS_VDM_DISALLOWED","features":[1]},{"name":"STATUS_VDM_HARD_ERROR","features":[1]},{"name":"STATUS_VERIFIER_STOP","features":[1]},{"name":"STATUS_VERIFY_REQUIRED","features":[1]},{"name":"STATUS_VHDSET_BACKING_STORAGE_NOT_FOUND","features":[1]},{"name":"STATUS_VHD_ALREADY_AT_OR_BELOW_MINIMUM_VIRTUAL_SIZE","features":[1]},{"name":"STATUS_VHD_BITMAP_MISMATCH","features":[1]},{"name":"STATUS_VHD_BLOCK_ALLOCATION_FAILURE","features":[1]},{"name":"STATUS_VHD_BLOCK_ALLOCATION_TABLE_CORRUPT","features":[1]},{"name":"STATUS_VHD_CHANGE_TRACKING_DISABLED","features":[1]},{"name":"STATUS_VHD_CHILD_PARENT_ID_MISMATCH","features":[1]},{"name":"STATUS_VHD_CHILD_PARENT_SIZE_MISMATCH","features":[1]},{"name":"STATUS_VHD_CHILD_PARENT_TIMESTAMP_MISMATCH","features":[1]},{"name":"STATUS_VHD_COULD_NOT_COMPUTE_MINIMUM_VIRTUAL_SIZE","features":[1]},{"name":"STATUS_VHD_DIFFERENCING_CHAIN_CYCLE_DETECTED","features":[1]},{"name":"STATUS_VHD_DIFFERENCING_CHAIN_ERROR_IN_PARENT","features":[1]},{"name":"STATUS_VHD_DRIVE_FOOTER_CHECKSUM_MISMATCH","features":[1]},{"name":"STATUS_VHD_DRIVE_FOOTER_CORRUPT","features":[1]},{"name":"STATUS_VHD_DRIVE_FOOTER_MISSING","features":[1]},{"name":"STATUS_VHD_FORMAT_UNKNOWN","features":[1]},{"name":"STATUS_VHD_FORMAT_UNSUPPORTED_VERSION","features":[1]},{"name":"STATUS_VHD_INVALID_BLOCK_SIZE","features":[1]},{"name":"STATUS_VHD_INVALID_CHANGE_TRACKING_ID","features":[1]},{"name":"STATUS_VHD_INVALID_FILE_SIZE","features":[1]},{"name":"STATUS_VHD_INVALID_SIZE","features":[1]},{"name":"STATUS_VHD_INVALID_STATE","features":[1]},{"name":"STATUS_VHD_INVALID_TYPE","features":[1]},{"name":"STATUS_VHD_METADATA_FULL","features":[1]},{"name":"STATUS_VHD_METADATA_READ_FAILURE","features":[1]},{"name":"STATUS_VHD_METADATA_WRITE_FAILURE","features":[1]},{"name":"STATUS_VHD_MISSING_CHANGE_TRACKING_INFORMATION","features":[1]},{"name":"STATUS_VHD_PARENT_VHD_ACCESS_DENIED","features":[1]},{"name":"STATUS_VHD_PARENT_VHD_NOT_FOUND","features":[1]},{"name":"STATUS_VHD_RESIZE_WOULD_TRUNCATE_DATA","features":[1]},{"name":"STATUS_VHD_SHARED","features":[1]},{"name":"STATUS_VHD_SPARSE_HEADER_CHECKSUM_MISMATCH","features":[1]},{"name":"STATUS_VHD_SPARSE_HEADER_CORRUPT","features":[1]},{"name":"STATUS_VHD_SPARSE_HEADER_UNSUPPORTED_VERSION","features":[1]},{"name":"STATUS_VHD_UNEXPECTED_ID","features":[1]},{"name":"STATUS_VIDEO_DRIVER_DEBUG_REPORT_REQUEST","features":[1]},{"name":"STATUS_VIDEO_HUNG_DISPLAY_DRIVER_THREAD","features":[1]},{"name":"STATUS_VIDEO_HUNG_DISPLAY_DRIVER_THREAD_RECOVERED","features":[1]},{"name":"STATUS_VID_CHILD_GPA_PAGE_SET_CORRUPTED","features":[1]},{"name":"STATUS_VID_DUPLICATE_HANDLER","features":[1]},{"name":"STATUS_VID_EXCEEDED_KM_CONTEXT_COUNT_LIMIT","features":[1]},{"name":"STATUS_VID_EXCEEDED_MBP_ENTRY_MAP_LIMIT","features":[1]},{"name":"STATUS_VID_HANDLER_NOT_PRESENT","features":[1]},{"name":"STATUS_VID_INSUFFICIENT_RESOURCES_HV_DEPOSIT","features":[1]},{"name":"STATUS_VID_INSUFFICIENT_RESOURCES_PHYSICAL_BUFFER","features":[1]},{"name":"STATUS_VID_INSUFFICIENT_RESOURCES_RESERVE","features":[1]},{"name":"STATUS_VID_INSUFFICIENT_RESOURCES_WITHDRAW","features":[1]},{"name":"STATUS_VID_INVALID_CHILD_GPA_PAGE_SET","features":[1]},{"name":"STATUS_VID_INVALID_GPA_RANGE_HANDLE","features":[1]},{"name":"STATUS_VID_INVALID_MEMORY_BLOCK_HANDLE","features":[1]},{"name":"STATUS_VID_INVALID_MESSAGE_QUEUE_HANDLE","features":[1]},{"name":"STATUS_VID_INVALID_NUMA_NODE_INDEX","features":[1]},{"name":"STATUS_VID_INVALID_NUMA_SETTINGS","features":[1]},{"name":"STATUS_VID_INVALID_OBJECT_NAME","features":[1]},{"name":"STATUS_VID_INVALID_PPM_HANDLE","features":[1]},{"name":"STATUS_VID_INVALID_PROCESSOR_STATE","features":[1]},{"name":"STATUS_VID_KM_INTERFACE_ALREADY_INITIALIZED","features":[1]},{"name":"STATUS_VID_MBPS_ARE_LOCKED","features":[1]},{"name":"STATUS_VID_MBP_ALREADY_LOCKED_USING_RESERVED_PAGE","features":[1]},{"name":"STATUS_VID_MBP_COUNT_EXCEEDED_LIMIT","features":[1]},{"name":"STATUS_VID_MB_PROPERTY_ALREADY_SET_RESET","features":[1]},{"name":"STATUS_VID_MB_STILL_REFERENCED","features":[1]},{"name":"STATUS_VID_MEMORY_BLOCK_LOCK_COUNT_EXCEEDED","features":[1]},{"name":"STATUS_VID_MEMORY_TYPE_NOT_SUPPORTED","features":[1]},{"name":"STATUS_VID_MESSAGE_QUEUE_ALREADY_EXISTS","features":[1]},{"name":"STATUS_VID_MESSAGE_QUEUE_CLOSED","features":[1]},{"name":"STATUS_VID_MESSAGE_QUEUE_NAME_TOO_LONG","features":[1]},{"name":"STATUS_VID_MMIO_RANGE_DESTROYED","features":[1]},{"name":"STATUS_VID_NOTIFICATION_QUEUE_ALREADY_ASSOCIATED","features":[1]},{"name":"STATUS_VID_NO_MEMORY_BLOCK_NOTIFICATION_QUEUE","features":[1]},{"name":"STATUS_VID_PAGE_RANGE_OVERFLOW","features":[1]},{"name":"STATUS_VID_PARTITION_ALREADY_EXISTS","features":[1]},{"name":"STATUS_VID_PARTITION_DOES_NOT_EXIST","features":[1]},{"name":"STATUS_VID_PARTITION_NAME_NOT_FOUND","features":[1]},{"name":"STATUS_VID_PARTITION_NAME_TOO_LONG","features":[1]},{"name":"STATUS_VID_PROCESS_ALREADY_SET","features":[1]},{"name":"STATUS_VID_QUEUE_FULL","features":[1]},{"name":"STATUS_VID_REMOTE_NODE_PARENT_GPA_PAGES_USED","features":[1]},{"name":"STATUS_VID_RESERVE_PAGE_SET_IS_BEING_USED","features":[1]},{"name":"STATUS_VID_RESERVE_PAGE_SET_TOO_SMALL","features":[1]},{"name":"STATUS_VID_SAVED_STATE_CORRUPT","features":[1]},{"name":"STATUS_VID_SAVED_STATE_INCOMPATIBLE","features":[1]},{"name":"STATUS_VID_SAVED_STATE_UNRECOGNIZED_ITEM","features":[1]},{"name":"STATUS_VID_STOP_PENDING","features":[1]},{"name":"STATUS_VID_TOO_MANY_HANDLERS","features":[1]},{"name":"STATUS_VID_VIRTUAL_PROCESSOR_LIMIT_EXCEEDED","features":[1]},{"name":"STATUS_VID_VTL_ACCESS_DENIED","features":[1]},{"name":"STATUS_VIRTDISK_DISK_ALREADY_OWNED","features":[1]},{"name":"STATUS_VIRTDISK_DISK_ONLINE_AND_WRITABLE","features":[1]},{"name":"STATUS_VIRTDISK_NOT_VIRTUAL_DISK","features":[1]},{"name":"STATUS_VIRTDISK_PROVIDER_NOT_FOUND","features":[1]},{"name":"STATUS_VIRTDISK_UNSUPPORTED_DISK_SECTOR_SIZE","features":[1]},{"name":"STATUS_VIRTUAL_CIRCUIT_CLOSED","features":[1]},{"name":"STATUS_VIRTUAL_DISK_LIMITATION","features":[1]},{"name":"STATUS_VIRUS_DELETED","features":[1]},{"name":"STATUS_VIRUS_INFECTED","features":[1]},{"name":"STATUS_VOLMGR_ALL_DISKS_FAILED","features":[1]},{"name":"STATUS_VOLMGR_BAD_BOOT_DISK","features":[1]},{"name":"STATUS_VOLMGR_DATABASE_FULL","features":[1]},{"name":"STATUS_VOLMGR_DIFFERENT_SECTOR_SIZE","features":[1]},{"name":"STATUS_VOLMGR_DISK_CONFIGURATION_CORRUPTED","features":[1]},{"name":"STATUS_VOLMGR_DISK_CONFIGURATION_NOT_IN_SYNC","features":[1]},{"name":"STATUS_VOLMGR_DISK_CONTAINS_NON_SIMPLE_VOLUME","features":[1]},{"name":"STATUS_VOLMGR_DISK_DUPLICATE","features":[1]},{"name":"STATUS_VOLMGR_DISK_DYNAMIC","features":[1]},{"name":"STATUS_VOLMGR_DISK_ID_INVALID","features":[1]},{"name":"STATUS_VOLMGR_DISK_INVALID","features":[1]},{"name":"STATUS_VOLMGR_DISK_LAST_VOTER","features":[1]},{"name":"STATUS_VOLMGR_DISK_LAYOUT_INVALID","features":[1]},{"name":"STATUS_VOLMGR_DISK_LAYOUT_NON_BASIC_BETWEEN_BASIC_PARTITIONS","features":[1]},{"name":"STATUS_VOLMGR_DISK_LAYOUT_NOT_CYLINDER_ALIGNED","features":[1]},{"name":"STATUS_VOLMGR_DISK_LAYOUT_PARTITIONS_TOO_SMALL","features":[1]},{"name":"STATUS_VOLMGR_DISK_LAYOUT_PRIMARY_BETWEEN_LOGICAL_PARTITIONS","features":[1]},{"name":"STATUS_VOLMGR_DISK_LAYOUT_TOO_MANY_PARTITIONS","features":[1]},{"name":"STATUS_VOLMGR_DISK_MISSING","features":[1]},{"name":"STATUS_VOLMGR_DISK_NOT_EMPTY","features":[1]},{"name":"STATUS_VOLMGR_DISK_NOT_ENOUGH_SPACE","features":[1]},{"name":"STATUS_VOLMGR_DISK_REVECTORING_FAILED","features":[1]},{"name":"STATUS_VOLMGR_DISK_SECTOR_SIZE_INVALID","features":[1]},{"name":"STATUS_VOLMGR_DISK_SET_NOT_CONTAINED","features":[1]},{"name":"STATUS_VOLMGR_DISK_USED_BY_MULTIPLE_MEMBERS","features":[1]},{"name":"STATUS_VOLMGR_DISK_USED_BY_MULTIPLE_PLEXES","features":[1]},{"name":"STATUS_VOLMGR_DYNAMIC_DISK_NOT_SUPPORTED","features":[1]},{"name":"STATUS_VOLMGR_EXTENT_ALREADY_USED","features":[1]},{"name":"STATUS_VOLMGR_EXTENT_NOT_CONTIGUOUS","features":[1]},{"name":"STATUS_VOLMGR_EXTENT_NOT_IN_PUBLIC_REGION","features":[1]},{"name":"STATUS_VOLMGR_EXTENT_NOT_SECTOR_ALIGNED","features":[1]},{"name":"STATUS_VOLMGR_EXTENT_OVERLAPS_EBR_PARTITION","features":[1]},{"name":"STATUS_VOLMGR_EXTENT_VOLUME_LENGTHS_DO_NOT_MATCH","features":[1]},{"name":"STATUS_VOLMGR_FAULT_TOLERANT_NOT_SUPPORTED","features":[1]},{"name":"STATUS_VOLMGR_INCOMPLETE_DISK_MIGRATION","features":[1]},{"name":"STATUS_VOLMGR_INCOMPLETE_REGENERATION","features":[1]},{"name":"STATUS_VOLMGR_INTERLEAVE_LENGTH_INVALID","features":[1]},{"name":"STATUS_VOLMGR_MAXIMUM_REGISTERED_USERS","features":[1]},{"name":"STATUS_VOLMGR_MEMBER_INDEX_DUPLICATE","features":[1]},{"name":"STATUS_VOLMGR_MEMBER_INDEX_INVALID","features":[1]},{"name":"STATUS_VOLMGR_MEMBER_IN_SYNC","features":[1]},{"name":"STATUS_VOLMGR_MEMBER_MISSING","features":[1]},{"name":"STATUS_VOLMGR_MEMBER_NOT_DETACHED","features":[1]},{"name":"STATUS_VOLMGR_MEMBER_REGENERATING","features":[1]},{"name":"STATUS_VOLMGR_MIRROR_NOT_SUPPORTED","features":[1]},{"name":"STATUS_VOLMGR_NOTIFICATION_RESET","features":[1]},{"name":"STATUS_VOLMGR_NOT_PRIMARY_PACK","features":[1]},{"name":"STATUS_VOLMGR_NO_REGISTERED_USERS","features":[1]},{"name":"STATUS_VOLMGR_NO_SUCH_USER","features":[1]},{"name":"STATUS_VOLMGR_NO_VALID_LOG_COPIES","features":[1]},{"name":"STATUS_VOLMGR_NUMBER_OF_DISKS_INVALID","features":[1]},{"name":"STATUS_VOLMGR_NUMBER_OF_DISKS_IN_MEMBER_INVALID","features":[1]},{"name":"STATUS_VOLMGR_NUMBER_OF_DISKS_IN_PLEX_INVALID","features":[1]},{"name":"STATUS_VOLMGR_NUMBER_OF_EXTENTS_INVALID","features":[1]},{"name":"STATUS_VOLMGR_NUMBER_OF_MEMBERS_INVALID","features":[1]},{"name":"STATUS_VOLMGR_NUMBER_OF_PLEXES_INVALID","features":[1]},{"name":"STATUS_VOLMGR_PACK_CONFIG_OFFLINE","features":[1]},{"name":"STATUS_VOLMGR_PACK_CONFIG_ONLINE","features":[1]},{"name":"STATUS_VOLMGR_PACK_CONFIG_UPDATE_FAILED","features":[1]},{"name":"STATUS_VOLMGR_PACK_DUPLICATE","features":[1]},{"name":"STATUS_VOLMGR_PACK_HAS_QUORUM","features":[1]},{"name":"STATUS_VOLMGR_PACK_ID_INVALID","features":[1]},{"name":"STATUS_VOLMGR_PACK_INVALID","features":[1]},{"name":"STATUS_VOLMGR_PACK_LOG_UPDATE_FAILED","features":[1]},{"name":"STATUS_VOLMGR_PACK_NAME_INVALID","features":[1]},{"name":"STATUS_VOLMGR_PACK_OFFLINE","features":[1]},{"name":"STATUS_VOLMGR_PACK_WITHOUT_QUORUM","features":[1]},{"name":"STATUS_VOLMGR_PARTITION_STYLE_INVALID","features":[1]},{"name":"STATUS_VOLMGR_PARTITION_UPDATE_FAILED","features":[1]},{"name":"STATUS_VOLMGR_PLEX_INDEX_DUPLICATE","features":[1]},{"name":"STATUS_VOLMGR_PLEX_INDEX_INVALID","features":[1]},{"name":"STATUS_VOLMGR_PLEX_IN_SYNC","features":[1]},{"name":"STATUS_VOLMGR_PLEX_LAST_ACTIVE","features":[1]},{"name":"STATUS_VOLMGR_PLEX_MISSING","features":[1]},{"name":"STATUS_VOLMGR_PLEX_NOT_RAID5","features":[1]},{"name":"STATUS_VOLMGR_PLEX_NOT_SIMPLE","features":[1]},{"name":"STATUS_VOLMGR_PLEX_NOT_SIMPLE_SPANNED","features":[1]},{"name":"STATUS_VOLMGR_PLEX_REGENERATING","features":[1]},{"name":"STATUS_VOLMGR_PLEX_TYPE_INVALID","features":[1]},{"name":"STATUS_VOLMGR_PRIMARY_PACK_PRESENT","features":[1]},{"name":"STATUS_VOLMGR_RAID5_NOT_SUPPORTED","features":[1]},{"name":"STATUS_VOLMGR_STRUCTURE_SIZE_INVALID","features":[1]},{"name":"STATUS_VOLMGR_TOO_MANY_NOTIFICATION_REQUESTS","features":[1]},{"name":"STATUS_VOLMGR_TRANSACTION_IN_PROGRESS","features":[1]},{"name":"STATUS_VOLMGR_UNEXPECTED_DISK_LAYOUT_CHANGE","features":[1]},{"name":"STATUS_VOLMGR_VOLUME_CONTAINS_MISSING_DISK","features":[1]},{"name":"STATUS_VOLMGR_VOLUME_ID_INVALID","features":[1]},{"name":"STATUS_VOLMGR_VOLUME_LENGTH_INVALID","features":[1]},{"name":"STATUS_VOLMGR_VOLUME_LENGTH_NOT_SECTOR_SIZE_MULTIPLE","features":[1]},{"name":"STATUS_VOLMGR_VOLUME_MIRRORED","features":[1]},{"name":"STATUS_VOLMGR_VOLUME_NOT_MIRRORED","features":[1]},{"name":"STATUS_VOLMGR_VOLUME_NOT_RETAINED","features":[1]},{"name":"STATUS_VOLMGR_VOLUME_OFFLINE","features":[1]},{"name":"STATUS_VOLMGR_VOLUME_RETAINED","features":[1]},{"name":"STATUS_VOLSNAP_ACTIVATION_TIMEOUT","features":[1]},{"name":"STATUS_VOLSNAP_BOOTFILE_NOT_VALID","features":[1]},{"name":"STATUS_VOLSNAP_HIBERNATE_READY","features":[1]},{"name":"STATUS_VOLSNAP_NO_BYPASSIO_WITH_SNAPSHOT","features":[1]},{"name":"STATUS_VOLSNAP_PREPARE_HIBERNATE","features":[1]},{"name":"STATUS_VOLUME_DIRTY","features":[1]},{"name":"STATUS_VOLUME_DISMOUNTED","features":[1]},{"name":"STATUS_VOLUME_MOUNTED","features":[1]},{"name":"STATUS_VOLUME_NOT_CLUSTER_ALIGNED","features":[1]},{"name":"STATUS_VOLUME_NOT_SUPPORTED","features":[1]},{"name":"STATUS_VOLUME_NOT_UPGRADED","features":[1]},{"name":"STATUS_VOLUME_UPGRADE_DISABLED","features":[1]},{"name":"STATUS_VOLUME_UPGRADE_DISABLED_TILL_OS_DOWNGRADE_EXPIRED","features":[1]},{"name":"STATUS_VOLUME_UPGRADE_NOT_NEEDED","features":[1]},{"name":"STATUS_VOLUME_UPGRADE_PENDING","features":[1]},{"name":"STATUS_VOLUME_WRITE_ACCESS_DENIED","features":[1]},{"name":"STATUS_VRF_VOLATILE_CFG_AND_IO_ENABLED","features":[1]},{"name":"STATUS_VRF_VOLATILE_NMI_REGISTERED","features":[1]},{"name":"STATUS_VRF_VOLATILE_NOT_RUNNABLE_SYSTEM","features":[1]},{"name":"STATUS_VRF_VOLATILE_NOT_STOPPABLE","features":[1]},{"name":"STATUS_VRF_VOLATILE_NOT_SUPPORTED_RULECLASS","features":[1]},{"name":"STATUS_VRF_VOLATILE_PROTECTED_DRIVER","features":[1]},{"name":"STATUS_VRF_VOLATILE_SAFE_MODE","features":[1]},{"name":"STATUS_VRF_VOLATILE_SETTINGS_CONFLICT","features":[1]},{"name":"STATUS_VSM_DMA_PROTECTION_NOT_IN_USE","features":[1]},{"name":"STATUS_VSM_NOT_INITIALIZED","features":[1]},{"name":"STATUS_WAIT_0","features":[1]},{"name":"STATUS_WAIT_1","features":[1]},{"name":"STATUS_WAIT_2","features":[1]},{"name":"STATUS_WAIT_3","features":[1]},{"name":"STATUS_WAIT_63","features":[1]},{"name":"STATUS_WAIT_FOR_OPLOCK","features":[1]},{"name":"STATUS_WAKE_SYSTEM","features":[1]},{"name":"STATUS_WAKE_SYSTEM_DEBUGGER","features":[1]},{"name":"STATUS_WAS_LOCKED","features":[1]},{"name":"STATUS_WAS_UNLOCKED","features":[1]},{"name":"STATUS_WEAK_WHFBKEY_BLOCKED","features":[1]},{"name":"STATUS_WIM_NOT_BOOTABLE","features":[1]},{"name":"STATUS_WMI_ALREADY_DISABLED","features":[1]},{"name":"STATUS_WMI_ALREADY_ENABLED","features":[1]},{"name":"STATUS_WMI_GUID_DISCONNECTED","features":[1]},{"name":"STATUS_WMI_GUID_NOT_FOUND","features":[1]},{"name":"STATUS_WMI_INSTANCE_NOT_FOUND","features":[1]},{"name":"STATUS_WMI_ITEMID_NOT_FOUND","features":[1]},{"name":"STATUS_WMI_NOT_SUPPORTED","features":[1]},{"name":"STATUS_WMI_READ_ONLY","features":[1]},{"name":"STATUS_WMI_SET_FAILURE","features":[1]},{"name":"STATUS_WMI_TRY_AGAIN","features":[1]},{"name":"STATUS_WOF_FILE_RESOURCE_TABLE_CORRUPT","features":[1]},{"name":"STATUS_WOF_WIM_HEADER_CORRUPT","features":[1]},{"name":"STATUS_WOF_WIM_RESOURCE_TABLE_CORRUPT","features":[1]},{"name":"STATUS_WORKING_SET_LIMIT_RANGE","features":[1]},{"name":"STATUS_WORKING_SET_QUOTA","features":[1]},{"name":"STATUS_WOW_ASSERTION","features":[1]},{"name":"STATUS_WRONG_COMPARTMENT","features":[1]},{"name":"STATUS_WRONG_CREDENTIAL_HANDLE","features":[1]},{"name":"STATUS_WRONG_EFS","features":[1]},{"name":"STATUS_WRONG_PASSWORD_CORE","features":[1]},{"name":"STATUS_WRONG_VOLUME","features":[1]},{"name":"STATUS_WX86_BREAKPOINT","features":[1]},{"name":"STATUS_WX86_CONTINUE","features":[1]},{"name":"STATUS_WX86_CREATEWX86TIB","features":[1]},{"name":"STATUS_WX86_EXCEPTION_CHAIN","features":[1]},{"name":"STATUS_WX86_EXCEPTION_CONTINUE","features":[1]},{"name":"STATUS_WX86_EXCEPTION_LASTCHANCE","features":[1]},{"name":"STATUS_WX86_FLOAT_STACK_CHECK","features":[1]},{"name":"STATUS_WX86_INTERNAL_ERROR","features":[1]},{"name":"STATUS_WX86_SINGLE_STEP","features":[1]},{"name":"STATUS_WX86_UNSIMULATE","features":[1]},{"name":"STATUS_XMLDSIG_ERROR","features":[1]},{"name":"STATUS_XML_ENCODING_MISMATCH","features":[1]},{"name":"STATUS_XML_PARSE_ERROR","features":[1]},{"name":"STG_E_ABNORMALAPIEXIT","features":[1]},{"name":"STG_E_ACCESSDENIED","features":[1]},{"name":"STG_E_BADBASEADDRESS","features":[1]},{"name":"STG_E_CANTSAVE","features":[1]},{"name":"STG_E_CSS_AUTHENTICATION_FAILURE","features":[1]},{"name":"STG_E_CSS_KEY_NOT_ESTABLISHED","features":[1]},{"name":"STG_E_CSS_KEY_NOT_PRESENT","features":[1]},{"name":"STG_E_CSS_REGION_MISMATCH","features":[1]},{"name":"STG_E_CSS_SCRAMBLED_SECTOR","features":[1]},{"name":"STG_E_DEVICE_UNRESPONSIVE","features":[1]},{"name":"STG_E_DISKISWRITEPROTECTED","features":[1]},{"name":"STG_E_DOCFILECORRUPT","features":[1]},{"name":"STG_E_DOCFILETOOLARGE","features":[1]},{"name":"STG_E_EXTANTMARSHALLINGS","features":[1]},{"name":"STG_E_FILEALREADYEXISTS","features":[1]},{"name":"STG_E_FILENOTFOUND","features":[1]},{"name":"STG_E_FIRMWARE_IMAGE_INVALID","features":[1]},{"name":"STG_E_FIRMWARE_SLOT_INVALID","features":[1]},{"name":"STG_E_INCOMPLETE","features":[1]},{"name":"STG_E_INSUFFICIENTMEMORY","features":[1]},{"name":"STG_E_INUSE","features":[1]},{"name":"STG_E_INVALIDFLAG","features":[1]},{"name":"STG_E_INVALIDFUNCTION","features":[1]},{"name":"STG_E_INVALIDHANDLE","features":[1]},{"name":"STG_E_INVALIDHEADER","features":[1]},{"name":"STG_E_INVALIDNAME","features":[1]},{"name":"STG_E_INVALIDPARAMETER","features":[1]},{"name":"STG_E_INVALIDPOINTER","features":[1]},{"name":"STG_E_LOCKVIOLATION","features":[1]},{"name":"STG_E_MEDIUMFULL","features":[1]},{"name":"STG_E_NOMOREFILES","features":[1]},{"name":"STG_E_NOTCURRENT","features":[1]},{"name":"STG_E_NOTFILEBASEDSTORAGE","features":[1]},{"name":"STG_E_NOTSIMPLEFORMAT","features":[1]},{"name":"STG_E_OLDDLL","features":[1]},{"name":"STG_E_OLDFORMAT","features":[1]},{"name":"STG_E_PATHNOTFOUND","features":[1]},{"name":"STG_E_PROPSETMISMATCHED","features":[1]},{"name":"STG_E_READFAULT","features":[1]},{"name":"STG_E_RESETS_EXHAUSTED","features":[1]},{"name":"STG_E_REVERTED","features":[1]},{"name":"STG_E_SEEKERROR","features":[1]},{"name":"STG_E_SHAREREQUIRED","features":[1]},{"name":"STG_E_SHAREVIOLATION","features":[1]},{"name":"STG_E_STATUS_COPY_PROTECTION_FAILURE","features":[1]},{"name":"STG_E_TERMINATED","features":[1]},{"name":"STG_E_TOOMANYOPENFILES","features":[1]},{"name":"STG_E_UNIMPLEMENTEDFUNCTION","features":[1]},{"name":"STG_E_UNKNOWN","features":[1]},{"name":"STG_E_WRITEFAULT","features":[1]},{"name":"STG_S_BLOCK","features":[1]},{"name":"STG_S_CANNOTCONSOLIDATE","features":[1]},{"name":"STG_S_CONSOLIDATIONFAILED","features":[1]},{"name":"STG_S_CONVERTED","features":[1]},{"name":"STG_S_MONITORING","features":[1]},{"name":"STG_S_MULTIPLEOPENS","features":[1]},{"name":"STG_S_POWER_CYCLE_REQUIRED","features":[1]},{"name":"STG_S_RETRYNOW","features":[1]},{"name":"STILL_ACTIVE","features":[1]},{"name":"STORE_ERROR_LICENSE_REVOKED","features":[1]},{"name":"STORE_ERROR_PENDING_COM_TRANSACTION","features":[1]},{"name":"STORE_ERROR_UNLICENSED","features":[1]},{"name":"STORE_ERROR_UNLICENSED_USER","features":[1]},{"name":"STRICT","features":[1]},{"name":"SUCCESS","features":[1]},{"name":"SYSTEMTIME","features":[1]},{"name":"S_APPLICATION_ACTIVATION_ERROR_HANDLED_BY_DIALOG","features":[1]},{"name":"S_FALSE","features":[1]},{"name":"S_OK","features":[1]},{"name":"S_STORE_LAUNCHED_FOR_REMEDIATION","features":[1]},{"name":"SetHandleInformation","features":[1]},{"name":"SetLastError","features":[1]},{"name":"SetLastErrorEx","features":[1]},{"name":"SysAddRefString","features":[1]},{"name":"SysAllocString","features":[1]},{"name":"SysAllocStringByteLen","features":[1]},{"name":"SysAllocStringLen","features":[1]},{"name":"SysFreeString","features":[1]},{"name":"SysReAllocString","features":[1]},{"name":"SysReAllocStringLen","features":[1]},{"name":"SysReleaseString","features":[1]},{"name":"SysStringByteLen","features":[1]},{"name":"SysStringLen","features":[1]},{"name":"TBSIMP_E_BUFFER_TOO_SMALL","features":[1]},{"name":"TBSIMP_E_CLEANUP_FAILED","features":[1]},{"name":"TBSIMP_E_COMMAND_CANCELED","features":[1]},{"name":"TBSIMP_E_COMMAND_FAILED","features":[1]},{"name":"TBSIMP_E_DUPLICATE_VHANDLE","features":[1]},{"name":"TBSIMP_E_HASH_BAD_KEY","features":[1]},{"name":"TBSIMP_E_HASH_TABLE_FULL","features":[1]},{"name":"TBSIMP_E_INVALID_CONTEXT_HANDLE","features":[1]},{"name":"TBSIMP_E_INVALID_CONTEXT_PARAM","features":[1]},{"name":"TBSIMP_E_INVALID_OUTPUT_POINTER","features":[1]},{"name":"TBSIMP_E_INVALID_PARAMETER","features":[1]},{"name":"TBSIMP_E_INVALID_RESOURCE","features":[1]},{"name":"TBSIMP_E_LIST_NOT_FOUND","features":[1]},{"name":"TBSIMP_E_LIST_NO_MORE_ITEMS","features":[1]},{"name":"TBSIMP_E_NOTHING_TO_UNLOAD","features":[1]},{"name":"TBSIMP_E_NOT_ENOUGH_SPACE","features":[1]},{"name":"TBSIMP_E_NOT_ENOUGH_TPM_CONTEXTS","features":[1]},{"name":"TBSIMP_E_NO_EVENT_LOG","features":[1]},{"name":"TBSIMP_E_OUT_OF_MEMORY","features":[1]},{"name":"TBSIMP_E_PPI_NOT_SUPPORTED","features":[1]},{"name":"TBSIMP_E_RESOURCE_EXPIRED","features":[1]},{"name":"TBSIMP_E_RPC_INIT_FAILED","features":[1]},{"name":"TBSIMP_E_SCHEDULER_NOT_RUNNING","features":[1]},{"name":"TBSIMP_E_TOO_MANY_RESOURCES","features":[1]},{"name":"TBSIMP_E_TOO_MANY_TBS_CONTEXTS","features":[1]},{"name":"TBSIMP_E_TPM_ERROR","features":[1]},{"name":"TBSIMP_E_TPM_INCOMPATIBLE","features":[1]},{"name":"TBSIMP_E_UNKNOWN_ORDINAL","features":[1]},{"name":"TBS_E_ACCESS_DENIED","features":[1]},{"name":"TBS_E_BAD_PARAMETER","features":[1]},{"name":"TBS_E_BUFFER_TOO_LARGE","features":[1]},{"name":"TBS_E_COMMAND_CANCELED","features":[1]},{"name":"TBS_E_INSUFFICIENT_BUFFER","features":[1]},{"name":"TBS_E_INTERNAL_ERROR","features":[1]},{"name":"TBS_E_INVALID_CONTEXT","features":[1]},{"name":"TBS_E_INVALID_CONTEXT_PARAM","features":[1]},{"name":"TBS_E_INVALID_OUTPUT_POINTER","features":[1]},{"name":"TBS_E_IOERROR","features":[1]},{"name":"TBS_E_NO_EVENT_LOG","features":[1]},{"name":"TBS_E_OWNERAUTH_NOT_FOUND","features":[1]},{"name":"TBS_E_PPI_FUNCTION_UNSUPPORTED","features":[1]},{"name":"TBS_E_PPI_NOT_SUPPORTED","features":[1]},{"name":"TBS_E_PROVISIONING_INCOMPLETE","features":[1]},{"name":"TBS_E_PROVISIONING_NOT_ALLOWED","features":[1]},{"name":"TBS_E_SERVICE_DISABLED","features":[1]},{"name":"TBS_E_SERVICE_NOT_RUNNING","features":[1]},{"name":"TBS_E_SERVICE_START_PENDING","features":[1]},{"name":"TBS_E_TOO_MANY_RESOURCES","features":[1]},{"name":"TBS_E_TOO_MANY_TBS_CONTEXTS","features":[1]},{"name":"TBS_E_TPM_NOT_FOUND","features":[1]},{"name":"TPC_E_INITIALIZE_FAIL","features":[1]},{"name":"TPC_E_INVALID_CONFIGURATION","features":[1]},{"name":"TPC_E_INVALID_DATA_FROM_RECOGNIZER","features":[1]},{"name":"TPC_E_INVALID_INPUT_RECT","features":[1]},{"name":"TPC_E_INVALID_PACKET_DESCRIPTION","features":[1]},{"name":"TPC_E_INVALID_PROPERTY","features":[1]},{"name":"TPC_E_INVALID_RIGHTS","features":[1]},{"name":"TPC_E_INVALID_STROKE","features":[1]},{"name":"TPC_E_NOT_RELEVANT","features":[1]},{"name":"TPC_E_NO_DEFAULT_TABLET","features":[1]},{"name":"TPC_E_OUT_OF_ORDER_CALL","features":[1]},{"name":"TPC_E_QUEUE_FULL","features":[1]},{"name":"TPC_E_RECOGNIZER_NOT_REGISTERED","features":[1]},{"name":"TPC_E_UNKNOWN_PROPERTY","features":[1]},{"name":"TPC_S_INTERRUPTED","features":[1]},{"name":"TPC_S_NO_DATA_TO_PROCESS","features":[1]},{"name":"TPC_S_TRUNCATED","features":[1]},{"name":"TPMAPI_E_ACCESS_DENIED","features":[1]},{"name":"TPMAPI_E_AUTHORIZATION_FAILED","features":[1]},{"name":"TPMAPI_E_AUTHORIZATION_REVOKED","features":[1]},{"name":"TPMAPI_E_AUTHORIZING_KEY_NOT_SUPPORTED","features":[1]},{"name":"TPMAPI_E_BUFFER_TOO_SMALL","features":[1]},{"name":"TPMAPI_E_EMPTY_TCG_LOG","features":[1]},{"name":"TPMAPI_E_ENCRYPTION_FAILED","features":[1]},{"name":"TPMAPI_E_ENDORSEMENT_AUTH_NOT_NULL","features":[1]},{"name":"TPMAPI_E_FIPS_RNG_CHECK_FAILED","features":[1]},{"name":"TPMAPI_E_INTERNAL_ERROR","features":[1]},{"name":"TPMAPI_E_INVALID_AUTHORIZATION_SIGNATURE","features":[1]},{"name":"TPMAPI_E_INVALID_CONTEXT_HANDLE","features":[1]},{"name":"TPMAPI_E_INVALID_CONTEXT_PARAMS","features":[1]},{"name":"TPMAPI_E_INVALID_DELEGATE_BLOB","features":[1]},{"name":"TPMAPI_E_INVALID_ENCODING","features":[1]},{"name":"TPMAPI_E_INVALID_KEY_BLOB","features":[1]},{"name":"TPMAPI_E_INVALID_KEY_PARAMS","features":[1]},{"name":"TPMAPI_E_INVALID_KEY_SIZE","features":[1]},{"name":"TPMAPI_E_INVALID_MIGRATION_AUTHORIZATION_BLOB","features":[1]},{"name":"TPMAPI_E_INVALID_OUTPUT_POINTER","features":[1]},{"name":"TPMAPI_E_INVALID_OWNER_AUTH","features":[1]},{"name":"TPMAPI_E_INVALID_PARAMETER","features":[1]},{"name":"TPMAPI_E_INVALID_PCR_DATA","features":[1]},{"name":"TPMAPI_E_INVALID_PCR_INDEX","features":[1]},{"name":"TPMAPI_E_INVALID_POLICYAUTH_BLOB_TYPE","features":[1]},{"name":"TPMAPI_E_INVALID_STATE","features":[1]},{"name":"TPMAPI_E_INVALID_TCG_LOG_ENTRY","features":[1]},{"name":"TPMAPI_E_INVALID_TPM_VERSION","features":[1]},{"name":"TPMAPI_E_MALFORMED_AUTHORIZATION_KEY","features":[1]},{"name":"TPMAPI_E_MALFORMED_AUTHORIZATION_OTHER","features":[1]},{"name":"TPMAPI_E_MALFORMED_AUTHORIZATION_POLICY","features":[1]},{"name":"TPMAPI_E_MESSAGE_TOO_LARGE","features":[1]},{"name":"TPMAPI_E_NOT_ENOUGH_DATA","features":[1]},{"name":"TPMAPI_E_NO_AUTHORIZATION_CHAIN_FOUND","features":[1]},{"name":"TPMAPI_E_NV_BITS_NOT_DEFINED","features":[1]},{"name":"TPMAPI_E_NV_BITS_NOT_READY","features":[1]},{"name":"TPMAPI_E_OUT_OF_MEMORY","features":[1]},{"name":"TPMAPI_E_OWNER_AUTH_NOT_NULL","features":[1]},{"name":"TPMAPI_E_POLICY_DENIES_OPERATION","features":[1]},{"name":"TPMAPI_E_SEALING_KEY_CHANGED","features":[1]},{"name":"TPMAPI_E_SEALING_KEY_NOT_AVAILABLE","features":[1]},{"name":"TPMAPI_E_SVN_COUNTER_NOT_AVAILABLE","features":[1]},{"name":"TPMAPI_E_TBS_COMMUNICATION_ERROR","features":[1]},{"name":"TPMAPI_E_TCG_INVALID_DIGEST_ENTRY","features":[1]},{"name":"TPMAPI_E_TCG_SEPARATOR_ABSENT","features":[1]},{"name":"TPMAPI_E_TOO_MUCH_DATA","features":[1]},{"name":"TPMAPI_E_TPM_COMMAND_ERROR","features":[1]},{"name":"TPM_20_E_ASYMMETRIC","features":[1]},{"name":"TPM_20_E_ATTRIBUTES","features":[1]},{"name":"TPM_20_E_AUTHSIZE","features":[1]},{"name":"TPM_20_E_AUTH_CONTEXT","features":[1]},{"name":"TPM_20_E_AUTH_FAIL","features":[1]},{"name":"TPM_20_E_AUTH_MISSING","features":[1]},{"name":"TPM_20_E_AUTH_TYPE","features":[1]},{"name":"TPM_20_E_AUTH_UNAVAILABLE","features":[1]},{"name":"TPM_20_E_BAD_AUTH","features":[1]},{"name":"TPM_20_E_BAD_CONTEXT","features":[1]},{"name":"TPM_20_E_BINDING","features":[1]},{"name":"TPM_20_E_CANCELED","features":[1]},{"name":"TPM_20_E_COMMAND_CODE","features":[1]},{"name":"TPM_20_E_COMMAND_SIZE","features":[1]},{"name":"TPM_20_E_CONTEXT_GAP","features":[1]},{"name":"TPM_20_E_CPHASH","features":[1]},{"name":"TPM_20_E_CURVE","features":[1]},{"name":"TPM_20_E_DISABLED","features":[1]},{"name":"TPM_20_E_ECC_CURVE","features":[1]},{"name":"TPM_20_E_ECC_POINT","features":[1]},{"name":"TPM_20_E_EXCLUSIVE","features":[1]},{"name":"TPM_20_E_EXPIRED","features":[1]},{"name":"TPM_20_E_FAILURE","features":[1]},{"name":"TPM_20_E_HANDLE","features":[1]},{"name":"TPM_20_E_HASH","features":[1]},{"name":"TPM_20_E_HIERARCHY","features":[1]},{"name":"TPM_20_E_HMAC","features":[1]},{"name":"TPM_20_E_INITIALIZE","features":[1]},{"name":"TPM_20_E_INSUFFICIENT","features":[1]},{"name":"TPM_20_E_INTEGRITY","features":[1]},{"name":"TPM_20_E_KDF","features":[1]},{"name":"TPM_20_E_KEY","features":[1]},{"name":"TPM_20_E_KEY_SIZE","features":[1]},{"name":"TPM_20_E_LOCALITY","features":[1]},{"name":"TPM_20_E_LOCKOUT","features":[1]},{"name":"TPM_20_E_MEMORY","features":[1]},{"name":"TPM_20_E_MGF","features":[1]},{"name":"TPM_20_E_MODE","features":[1]},{"name":"TPM_20_E_NEEDS_TEST","features":[1]},{"name":"TPM_20_E_NONCE","features":[1]},{"name":"TPM_20_E_NO_RESULT","features":[1]},{"name":"TPM_20_E_NV_AUTHORIZATION","features":[1]},{"name":"TPM_20_E_NV_DEFINED","features":[1]},{"name":"TPM_20_E_NV_LOCKED","features":[1]},{"name":"TPM_20_E_NV_RANGE","features":[1]},{"name":"TPM_20_E_NV_RATE","features":[1]},{"name":"TPM_20_E_NV_SIZE","features":[1]},{"name":"TPM_20_E_NV_SPACE","features":[1]},{"name":"TPM_20_E_NV_UNAVAILABLE","features":[1]},{"name":"TPM_20_E_NV_UNINITIALIZED","features":[1]},{"name":"TPM_20_E_OBJECT_HANDLES","features":[1]},{"name":"TPM_20_E_OBJECT_MEMORY","features":[1]},{"name":"TPM_20_E_PARENT","features":[1]},{"name":"TPM_20_E_PCR","features":[1]},{"name":"TPM_20_E_PCR_CHANGED","features":[1]},{"name":"TPM_20_E_POLICY","features":[1]},{"name":"TPM_20_E_POLICY_CC","features":[1]},{"name":"TPM_20_E_POLICY_FAIL","features":[1]},{"name":"TPM_20_E_PP","features":[1]},{"name":"TPM_20_E_PRIVATE","features":[1]},{"name":"TPM_20_E_RANGE","features":[1]},{"name":"TPM_20_E_REBOOT","features":[1]},{"name":"TPM_20_E_RESERVED_BITS","features":[1]},{"name":"TPM_20_E_RETRY","features":[1]},{"name":"TPM_20_E_SCHEME","features":[1]},{"name":"TPM_20_E_SELECTOR","features":[1]},{"name":"TPM_20_E_SENSITIVE","features":[1]},{"name":"TPM_20_E_SEQUENCE","features":[1]},{"name":"TPM_20_E_SESSION_HANDLES","features":[1]},{"name":"TPM_20_E_SESSION_MEMORY","features":[1]},{"name":"TPM_20_E_SIGNATURE","features":[1]},{"name":"TPM_20_E_SIZE","features":[1]},{"name":"TPM_20_E_SYMMETRIC","features":[1]},{"name":"TPM_20_E_TAG","features":[1]},{"name":"TPM_20_E_TESTING","features":[1]},{"name":"TPM_20_E_TICKET","features":[1]},{"name":"TPM_20_E_TOO_MANY_CONTEXTS","features":[1]},{"name":"TPM_20_E_TYPE","features":[1]},{"name":"TPM_20_E_UNBALANCED","features":[1]},{"name":"TPM_20_E_UPGRADE","features":[1]},{"name":"TPM_20_E_VALUE","features":[1]},{"name":"TPM_20_E_YIELDED","features":[1]},{"name":"TPM_E_AREA_LOCKED","features":[1]},{"name":"TPM_E_ATTESTATION_CHALLENGE_NOT_SET","features":[1]},{"name":"TPM_E_AUDITFAILURE","features":[1]},{"name":"TPM_E_AUDITFAIL_SUCCESSFUL","features":[1]},{"name":"TPM_E_AUDITFAIL_UNSUCCESSFUL","features":[1]},{"name":"TPM_E_AUTH2FAIL","features":[1]},{"name":"TPM_E_AUTHFAIL","features":[1]},{"name":"TPM_E_AUTH_CONFLICT","features":[1]},{"name":"TPM_E_BADCONTEXT","features":[1]},{"name":"TPM_E_BADINDEX","features":[1]},{"name":"TPM_E_BADTAG","features":[1]},{"name":"TPM_E_BAD_ATTRIBUTES","features":[1]},{"name":"TPM_E_BAD_COUNTER","features":[1]},{"name":"TPM_E_BAD_DATASIZE","features":[1]},{"name":"TPM_E_BAD_DELEGATE","features":[1]},{"name":"TPM_E_BAD_HANDLE","features":[1]},{"name":"TPM_E_BAD_KEY_PROPERTY","features":[1]},{"name":"TPM_E_BAD_LOCALITY","features":[1]},{"name":"TPM_E_BAD_MIGRATION","features":[1]},{"name":"TPM_E_BAD_MODE","features":[1]},{"name":"TPM_E_BAD_ORDINAL","features":[1]},{"name":"TPM_E_BAD_PARAMETER","features":[1]},{"name":"TPM_E_BAD_PARAM_SIZE","features":[1]},{"name":"TPM_E_BAD_PRESENCE","features":[1]},{"name":"TPM_E_BAD_SCHEME","features":[1]},{"name":"TPM_E_BAD_SIGNATURE","features":[1]},{"name":"TPM_E_BAD_TYPE","features":[1]},{"name":"TPM_E_BAD_VERSION","features":[1]},{"name":"TPM_E_BUFFER_LENGTH_MISMATCH","features":[1]},{"name":"TPM_E_CLAIM_TYPE_NOT_SUPPORTED","features":[1]},{"name":"TPM_E_CLEAR_DISABLED","features":[1]},{"name":"TPM_E_COMMAND_BLOCKED","features":[1]},{"name":"TPM_E_CONTEXT_GAP","features":[1]},{"name":"TPM_E_DAA_INPUT_DATA0","features":[1]},{"name":"TPM_E_DAA_INPUT_DATA1","features":[1]},{"name":"TPM_E_DAA_ISSUER_SETTINGS","features":[1]},{"name":"TPM_E_DAA_ISSUER_VALIDITY","features":[1]},{"name":"TPM_E_DAA_RESOURCES","features":[1]},{"name":"TPM_E_DAA_STAGE","features":[1]},{"name":"TPM_E_DAA_TPM_SETTINGS","features":[1]},{"name":"TPM_E_DAA_WRONG_W","features":[1]},{"name":"TPM_E_DEACTIVATED","features":[1]},{"name":"TPM_E_DECRYPT_ERROR","features":[1]},{"name":"TPM_E_DEFEND_LOCK_RUNNING","features":[1]},{"name":"TPM_E_DELEGATE_ADMIN","features":[1]},{"name":"TPM_E_DELEGATE_FAMILY","features":[1]},{"name":"TPM_E_DELEGATE_LOCK","features":[1]},{"name":"TPM_E_DISABLED","features":[1]},{"name":"TPM_E_DISABLED_CMD","features":[1]},{"name":"TPM_E_DOING_SELFTEST","features":[1]},{"name":"TPM_E_DUPLICATE_VHANDLE","features":[1]},{"name":"TPM_E_EMBEDDED_COMMAND_BLOCKED","features":[1]},{"name":"TPM_E_EMBEDDED_COMMAND_UNSUPPORTED","features":[1]},{"name":"TPM_E_ENCRYPT_ERROR","features":[1]},{"name":"TPM_E_ERROR_MASK","features":[1]},{"name":"TPM_E_FAIL","features":[1]},{"name":"TPM_E_FAILEDSELFTEST","features":[1]},{"name":"TPM_E_FAMILYCOUNT","features":[1]},{"name":"TPM_E_INAPPROPRIATE_ENC","features":[1]},{"name":"TPM_E_INAPPROPRIATE_SIG","features":[1]},{"name":"TPM_E_INSTALL_DISABLED","features":[1]},{"name":"TPM_E_INVALID_AUTHHANDLE","features":[1]},{"name":"TPM_E_INVALID_FAMILY","features":[1]},{"name":"TPM_E_INVALID_HANDLE","features":[1]},{"name":"TPM_E_INVALID_KEYHANDLE","features":[1]},{"name":"TPM_E_INVALID_KEYUSAGE","features":[1]},{"name":"TPM_E_INVALID_OWNER_AUTH","features":[1]},{"name":"TPM_E_INVALID_PCR_INFO","features":[1]},{"name":"TPM_E_INVALID_POSTINIT","features":[1]},{"name":"TPM_E_INVALID_RESOURCE","features":[1]},{"name":"TPM_E_INVALID_STRUCTURE","features":[1]},{"name":"TPM_E_IOERROR","features":[1]},{"name":"TPM_E_KEYNOTFOUND","features":[1]},{"name":"TPM_E_KEY_ALREADY_FINALIZED","features":[1]},{"name":"TPM_E_KEY_NOTSUPPORTED","features":[1]},{"name":"TPM_E_KEY_NOT_AUTHENTICATED","features":[1]},{"name":"TPM_E_KEY_NOT_FINALIZED","features":[1]},{"name":"TPM_E_KEY_NOT_LOADED","features":[1]},{"name":"TPM_E_KEY_NOT_SIGNING_KEY","features":[1]},{"name":"TPM_E_KEY_OWNER_CONTROL","features":[1]},{"name":"TPM_E_KEY_USAGE_POLICY_INVALID","features":[1]},{"name":"TPM_E_KEY_USAGE_POLICY_NOT_SUPPORTED","features":[1]},{"name":"TPM_E_LOCKED_OUT","features":[1]},{"name":"TPM_E_MAXNVWRITES","features":[1]},{"name":"TPM_E_MA_AUTHORITY","features":[1]},{"name":"TPM_E_MA_DESTINATION","features":[1]},{"name":"TPM_E_MA_SOURCE","features":[1]},{"name":"TPM_E_MA_TICKET_SIGNATURE","features":[1]},{"name":"TPM_E_MIGRATEFAIL","features":[1]},{"name":"TPM_E_NEEDS_SELFTEST","features":[1]},{"name":"TPM_E_NOCONTEXTSPACE","features":[1]},{"name":"TPM_E_NOOPERATOR","features":[1]},{"name":"TPM_E_NOSPACE","features":[1]},{"name":"TPM_E_NOSRK","features":[1]},{"name":"TPM_E_NOTFIPS","features":[1]},{"name":"TPM_E_NOTLOCAL","features":[1]},{"name":"TPM_E_NOTRESETABLE","features":[1]},{"name":"TPM_E_NOTSEALED_BLOB","features":[1]},{"name":"TPM_E_NOT_FULLWRITE","features":[1]},{"name":"TPM_E_NOT_PCR_BOUND","features":[1]},{"name":"TPM_E_NO_ENDORSEMENT","features":[1]},{"name":"TPM_E_NO_KEY_CERTIFICATION","features":[1]},{"name":"TPM_E_NO_NV_PERMISSION","features":[1]},{"name":"TPM_E_NO_WRAP_TRANSPORT","features":[1]},{"name":"TPM_E_OWNER_CONTROL","features":[1]},{"name":"TPM_E_OWNER_SET","features":[1]},{"name":"TPM_E_PCP_AUTHENTICATION_FAILED","features":[1]},{"name":"TPM_E_PCP_AUTHENTICATION_IGNORED","features":[1]},{"name":"TPM_E_PCP_BUFFER_TOO_SMALL","features":[1]},{"name":"TPM_E_PCP_DEVICE_NOT_READY","features":[1]},{"name":"TPM_E_PCP_ERROR_MASK","features":[1]},{"name":"TPM_E_PCP_FLAG_NOT_SUPPORTED","features":[1]},{"name":"TPM_E_PCP_IFX_RSA_KEY_CREATION_BLOCKED","features":[1]},{"name":"TPM_E_PCP_INTERNAL_ERROR","features":[1]},{"name":"TPM_E_PCP_INVALID_HANDLE","features":[1]},{"name":"TPM_E_PCP_INVALID_PARAMETER","features":[1]},{"name":"TPM_E_PCP_KEY_HANDLE_INVALIDATED","features":[1]},{"name":"TPM_E_PCP_KEY_NOT_AIK","features":[1]},{"name":"TPM_E_PCP_NOT_SUPPORTED","features":[1]},{"name":"TPM_E_PCP_PLATFORM_CLAIM_MAY_BE_OUTDATED","features":[1]},{"name":"TPM_E_PCP_PLATFORM_CLAIM_OUTDATED","features":[1]},{"name":"TPM_E_PCP_PLATFORM_CLAIM_REBOOT","features":[1]},{"name":"TPM_E_PCP_POLICY_NOT_FOUND","features":[1]},{"name":"TPM_E_PCP_PROFILE_NOT_FOUND","features":[1]},{"name":"TPM_E_PCP_RAW_POLICY_NOT_SUPPORTED","features":[1]},{"name":"TPM_E_PCP_TICKET_MISSING","features":[1]},{"name":"TPM_E_PCP_UNSUPPORTED_PSS_SALT","features":[1]},{"name":"TPM_E_PCP_VALIDATION_FAILED","features":[1]},{"name":"TPM_E_PCP_WRONG_PARENT","features":[1]},{"name":"TPM_E_PERMANENTEK","features":[1]},{"name":"TPM_E_PER_NOWRITE","features":[1]},{"name":"TPM_E_PPI_ACPI_FAILURE","features":[1]},{"name":"TPM_E_PPI_BIOS_FAILURE","features":[1]},{"name":"TPM_E_PPI_BLOCKED_IN_BIOS","features":[1]},{"name":"TPM_E_PPI_NOT_SUPPORTED","features":[1]},{"name":"TPM_E_PPI_USER_ABORT","features":[1]},{"name":"TPM_E_PROVISIONING_INCOMPLETE","features":[1]},{"name":"TPM_E_READ_ONLY","features":[1]},{"name":"TPM_E_REQUIRES_SIGN","features":[1]},{"name":"TPM_E_RESOURCEMISSING","features":[1]},{"name":"TPM_E_RESOURCES","features":[1]},{"name":"TPM_E_RETRY","features":[1]},{"name":"TPM_E_SHA_ERROR","features":[1]},{"name":"TPM_E_SHA_THREAD","features":[1]},{"name":"TPM_E_SHORTRANDOM","features":[1]},{"name":"TPM_E_SIZE","features":[1]},{"name":"TPM_E_SOFT_KEY_ERROR","features":[1]},{"name":"TPM_E_TOOMANYCONTEXTS","features":[1]},{"name":"TPM_E_TOO_MUCH_DATA","features":[1]},{"name":"TPM_E_TPM_GENERATED_EPS","features":[1]},{"name":"TPM_E_TRANSPORT_NOTEXCLUSIVE","features":[1]},{"name":"TPM_E_VERSION_NOT_SUPPORTED","features":[1]},{"name":"TPM_E_WRITE_LOCKED","features":[1]},{"name":"TPM_E_WRONGPCRVAL","features":[1]},{"name":"TPM_E_WRONG_ENTITYTYPE","features":[1]},{"name":"TPM_E_ZERO_EXHAUST_ENABLED","features":[1]},{"name":"TRUE","features":[1]},{"name":"TRUST_E_ACTION_UNKNOWN","features":[1]},{"name":"TRUST_E_BAD_DIGEST","features":[1]},{"name":"TRUST_E_BASIC_CONSTRAINTS","features":[1]},{"name":"TRUST_E_CERT_SIGNATURE","features":[1]},{"name":"TRUST_E_COUNTER_SIGNER","features":[1]},{"name":"TRUST_E_EXPLICIT_DISTRUST","features":[1]},{"name":"TRUST_E_FAIL","features":[1]},{"name":"TRUST_E_FINANCIAL_CRITERIA","features":[1]},{"name":"TRUST_E_MALFORMED_SIGNATURE","features":[1]},{"name":"TRUST_E_NOSIGNATURE","features":[1]},{"name":"TRUST_E_NO_SIGNER_CERT","features":[1]},{"name":"TRUST_E_PROVIDER_UNKNOWN","features":[1]},{"name":"TRUST_E_SUBJECT_FORM_UNKNOWN","features":[1]},{"name":"TRUST_E_SUBJECT_NOT_TRUSTED","features":[1]},{"name":"TRUST_E_SYSTEM_ERROR","features":[1]},{"name":"TRUST_E_TIME_STAMP","features":[1]},{"name":"TYPE_E_AMBIGUOUSNAME","features":[1]},{"name":"TYPE_E_BADMODULEKIND","features":[1]},{"name":"TYPE_E_BUFFERTOOSMALL","features":[1]},{"name":"TYPE_E_CANTCREATETMPFILE","features":[1]},{"name":"TYPE_E_CANTLOADLIBRARY","features":[1]},{"name":"TYPE_E_CIRCULARTYPE","features":[1]},{"name":"TYPE_E_DLLFUNCTIONNOTFOUND","features":[1]},{"name":"TYPE_E_DUPLICATEID","features":[1]},{"name":"TYPE_E_ELEMENTNOTFOUND","features":[1]},{"name":"TYPE_E_FIELDNOTFOUND","features":[1]},{"name":"TYPE_E_INCONSISTENTPROPFUNCS","features":[1]},{"name":"TYPE_E_INVALIDID","features":[1]},{"name":"TYPE_E_INVALIDSTATE","features":[1]},{"name":"TYPE_E_INVDATAREAD","features":[1]},{"name":"TYPE_E_IOERROR","features":[1]},{"name":"TYPE_E_LIBNOTREGISTERED","features":[1]},{"name":"TYPE_E_NAMECONFLICT","features":[1]},{"name":"TYPE_E_OUTOFBOUNDS","features":[1]},{"name":"TYPE_E_QUALIFIEDNAMEDISALLOWED","features":[1]},{"name":"TYPE_E_REGISTRYACCESS","features":[1]},{"name":"TYPE_E_SIZETOOBIG","features":[1]},{"name":"TYPE_E_TYPEMISMATCH","features":[1]},{"name":"TYPE_E_UNDEFINEDTYPE","features":[1]},{"name":"TYPE_E_UNKNOWNLCID","features":[1]},{"name":"TYPE_E_UNSUPFORMAT","features":[1]},{"name":"TYPE_E_WRONGTYPEKIND","features":[1]},{"name":"UCEERR_BLOCKSFULL","features":[1]},{"name":"UCEERR_CHANNELSYNCABANDONED","features":[1]},{"name":"UCEERR_CHANNELSYNCTIMEDOUT","features":[1]},{"name":"UCEERR_COMMANDTRANSPORTDENIED","features":[1]},{"name":"UCEERR_CONNECTIONIDLOOKUPFAILED","features":[1]},{"name":"UCEERR_CTXSTACKFRSTTARGETNULL","features":[1]},{"name":"UCEERR_FEEDBACK_UNSUPPORTED","features":[1]},{"name":"UCEERR_GRAPHICSSTREAMALREADYOPEN","features":[1]},{"name":"UCEERR_GRAPHICSSTREAMUNAVAILABLE","features":[1]},{"name":"UCEERR_HANDLELOOKUPFAILED","features":[1]},{"name":"UCEERR_ILLEGALHANDLE","features":[1]},{"name":"UCEERR_ILLEGALPACKET","features":[1]},{"name":"UCEERR_ILLEGALRECORDTYPE","features":[1]},{"name":"UCEERR_INVALIDPACKETHEADER","features":[1]},{"name":"UCEERR_MALFORMEDPACKET","features":[1]},{"name":"UCEERR_MEMORYFAILURE","features":[1]},{"name":"UCEERR_MISSINGBEGINCOMMAND","features":[1]},{"name":"UCEERR_MISSINGENDCOMMAND","features":[1]},{"name":"UCEERR_NO_MULTIPLE_WORKER_THREADS","features":[1]},{"name":"UCEERR_OUTOFHANDLES","features":[1]},{"name":"UCEERR_PACKETRECORDOUTOFRANGE","features":[1]},{"name":"UCEERR_PARTITION_ZOMBIED","features":[1]},{"name":"UCEERR_REMOTINGNOTSUPPORTED","features":[1]},{"name":"UCEERR_RENDERTHREADFAILURE","features":[1]},{"name":"UCEERR_TRANSPORTDISCONNECTED","features":[1]},{"name":"UCEERR_TRANSPORTOVERLOADED","features":[1]},{"name":"UCEERR_TRANSPORTUNAVAILABLE","features":[1]},{"name":"UCEERR_UNCHANGABLE_UPDATE_ATTEMPTED","features":[1]},{"name":"UCEERR_UNKNOWNPACKET","features":[1]},{"name":"UCEERR_UNSUPPORTEDTRANSPORTVERSION","features":[1]},{"name":"UI_E_AMBIGUOUS_MATCH","features":[1]},{"name":"UI_E_BOOLEAN_EXPECTED","features":[1]},{"name":"UI_E_CREATE_FAILED","features":[1]},{"name":"UI_E_DIFFERENT_OWNER","features":[1]},{"name":"UI_E_END_KEYFRAME_NOT_DETERMINED","features":[1]},{"name":"UI_E_FP_OVERFLOW","features":[1]},{"name":"UI_E_ILLEGAL_REENTRANCY","features":[1]},{"name":"UI_E_INVALID_DIMENSION","features":[1]},{"name":"UI_E_INVALID_OUTPUT","features":[1]},{"name":"UI_E_LOOPS_OVERLAP","features":[1]},{"name":"UI_E_OBJECT_SEALED","features":[1]},{"name":"UI_E_PRIMITIVE_OUT_OF_BOUNDS","features":[1]},{"name":"UI_E_SHUTDOWN_CALLED","features":[1]},{"name":"UI_E_START_KEYFRAME_AFTER_END","features":[1]},{"name":"UI_E_STORYBOARD_ACTIVE","features":[1]},{"name":"UI_E_STORYBOARD_NOT_PLAYING","features":[1]},{"name":"UI_E_TIMER_CLIENT_ALREADY_CONNECTED","features":[1]},{"name":"UI_E_TIME_BEFORE_LAST_UPDATE","features":[1]},{"name":"UI_E_TRANSITION_ALREADY_USED","features":[1]},{"name":"UI_E_TRANSITION_ECLIPSED","features":[1]},{"name":"UI_E_TRANSITION_NOT_IN_STORYBOARD","features":[1]},{"name":"UI_E_VALUE_NOT_DETERMINED","features":[1]},{"name":"UI_E_VALUE_NOT_SET","features":[1]},{"name":"UI_E_WINDOW_CLOSED","features":[1]},{"name":"UI_E_WRONG_THREAD","features":[1]},{"name":"UNICODE_STRING","features":[1]},{"name":"UTC_E_ACTION_NOT_SUPPORTED_IN_DESTINATION","features":[1]},{"name":"UTC_E_AGENT_DIAGNOSTICS_TOO_LARGE","features":[1]},{"name":"UTC_E_ALTERNATIVE_TRACE_CANNOT_PREEMPT","features":[1]},{"name":"UTC_E_AOT_NOT_RUNNING","features":[1]},{"name":"UTC_E_API_BUSY","features":[1]},{"name":"UTC_E_API_NOT_SUPPORTED","features":[1]},{"name":"UTC_E_API_RESULT_UNAVAILABLE","features":[1]},{"name":"UTC_E_BINARY_MISSING","features":[1]},{"name":"UTC_E_CANNOT_LOAD_SCENARIO_EDITOR_XML","features":[1]},{"name":"UTC_E_CERT_REV_FAILED","features":[1]},{"name":"UTC_E_CHILD_PROCESS_FAILED","features":[1]},{"name":"UTC_E_COMMAND_LINE_NOT_AUTHORIZED","features":[1]},{"name":"UTC_E_DELAY_TERMINATED","features":[1]},{"name":"UTC_E_DEVICE_TICKET_ERROR","features":[1]},{"name":"UTC_E_DIAGRULES_SCHEMAVERSION_MISMATCH","features":[1]},{"name":"UTC_E_ESCALATION_ALREADY_RUNNING","features":[1]},{"name":"UTC_E_ESCALATION_CANCELLED_AT_SHUTDOWN","features":[1]},{"name":"UTC_E_ESCALATION_DIRECTORY_ALREADY_EXISTS","features":[1]},{"name":"UTC_E_ESCALATION_NOT_AUTHORIZED","features":[1]},{"name":"UTC_E_ESCALATION_TIMED_OUT","features":[1]},{"name":"UTC_E_EVENTLOG_ENTRY_MALFORMED","features":[1]},{"name":"UTC_E_EXCLUSIVITY_NOT_AVAILABLE","features":[1]},{"name":"UTC_E_EXE_TERMINATED","features":[1]},{"name":"UTC_E_FAILED_TO_RECEIVE_AGENT_DIAGNOSTICS","features":[1]},{"name":"UTC_E_FAILED_TO_RESOLVE_CONTAINER_ID","features":[1]},{"name":"UTC_E_FAILED_TO_START_NDISCAP","features":[1]},{"name":"UTC_E_FILTER_FUNCTION_RESTRICTED","features":[1]},{"name":"UTC_E_FILTER_ILLEGAL_EVAL","features":[1]},{"name":"UTC_E_FILTER_INVALID_COMMAND","features":[1]},{"name":"UTC_E_FILTER_INVALID_FUNCTION","features":[1]},{"name":"UTC_E_FILTER_INVALID_FUNCTION_PARAMS","features":[1]},{"name":"UTC_E_FILTER_INVALID_TYPE","features":[1]},{"name":"UTC_E_FILTER_MISSING_ATTRIBUTE","features":[1]},{"name":"UTC_E_FILTER_VARIABLE_NOT_FOUND","features":[1]},{"name":"UTC_E_FILTER_VERSION_MISMATCH","features":[1]},{"name":"UTC_E_FORWARDER_ALREADY_DISABLED","features":[1]},{"name":"UTC_E_FORWARDER_ALREADY_ENABLED","features":[1]},{"name":"UTC_E_FORWARDER_PRODUCER_MISMATCH","features":[1]},{"name":"UTC_E_GETFILEINFOACTION_FILE_NOT_APPROVED","features":[1]},{"name":"UTC_E_GETFILE_EXTERNAL_PATH_NOT_APPROVED","features":[1]},{"name":"UTC_E_GETFILE_FILE_PATH_NOT_APPROVED","features":[1]},{"name":"UTC_E_INSUFFICIENT_SPACE_TO_START_TRACE","features":[1]},{"name":"UTC_E_INTENTIONAL_SCRIPT_FAILURE","features":[1]},{"name":"UTC_E_INVALID_AGGREGATION_STRUCT","features":[1]},{"name":"UTC_E_INVALID_CUSTOM_FILTER","features":[1]},{"name":"UTC_E_INVALID_FILTER","features":[1]},{"name":"UTC_E_KERNELDUMP_LIMIT_REACHED","features":[1]},{"name":"UTC_E_MISSING_AGGREGATE_EVENT_TAG","features":[1]},{"name":"UTC_E_MULTIPLE_TIME_TRIGGER_ON_SINGLE_STATE","features":[1]},{"name":"UTC_E_NO_WER_LOGGER_SUPPORTED","features":[1]},{"name":"UTC_E_PERFTRACK_ALREADY_TRACING","features":[1]},{"name":"UTC_E_REACHED_MAX_ESCALATIONS","features":[1]},{"name":"UTC_E_REESCALATED_TOO_QUICKLY","features":[1]},{"name":"UTC_E_RPC_TIMEOUT","features":[1]},{"name":"UTC_E_RPC_WAIT_FAILED","features":[1]},{"name":"UTC_E_SCENARIODEF_NOT_FOUND","features":[1]},{"name":"UTC_E_SCENARIODEF_SCHEMAVERSION_MISMATCH","features":[1]},{"name":"UTC_E_SCENARIO_HAS_NO_ACTIONS","features":[1]},{"name":"UTC_E_SCENARIO_THROTTLED","features":[1]},{"name":"UTC_E_SCRIPT_MISSING","features":[1]},{"name":"UTC_E_SCRIPT_TERMINATED","features":[1]},{"name":"UTC_E_SCRIPT_TYPE_INVALID","features":[1]},{"name":"UTC_E_SETREGKEYACTION_TYPE_NOT_APPROVED","features":[1]},{"name":"UTC_E_SETUP_NOT_AUTHORIZED","features":[1]},{"name":"UTC_E_SETUP_TIMED_OUT","features":[1]},{"name":"UTC_E_SIF_NOT_SUPPORTED","features":[1]},{"name":"UTC_E_SQM_INIT_FAILED","features":[1]},{"name":"UTC_E_THROTTLED","features":[1]},{"name":"UTC_E_TIME_TRIGGER_INVALID_TIME_RANGE","features":[1]},{"name":"UTC_E_TIME_TRIGGER_ONLY_VALID_ON_SINGLE_TRANSITION","features":[1]},{"name":"UTC_E_TIME_TRIGGER_ON_START_INVALID","features":[1]},{"name":"UTC_E_TOGGLE_TRACE_STARTED","features":[1]},{"name":"UTC_E_TRACEPROFILE_NOT_FOUND","features":[1]},{"name":"UTC_E_TRACERS_DONT_EXIST","features":[1]},{"name":"UTC_E_TRACE_BUFFER_LIMIT_EXCEEDED","features":[1]},{"name":"UTC_E_TRACE_MIN_DURATION_REQUIREMENT_NOT_MET","features":[1]},{"name":"UTC_E_TRACE_NOT_RUNNING","features":[1]},{"name":"UTC_E_TRACE_THROTTLED","features":[1]},{"name":"UTC_E_TRIGGER_MISMATCH","features":[1]},{"name":"UTC_E_TRIGGER_NOT_FOUND","features":[1]},{"name":"UTC_E_TRY_GET_SCENARIO_TIMEOUT_EXCEEDED","features":[1]},{"name":"UTC_E_TTTRACER_RETURNED_ERROR","features":[1]},{"name":"UTC_E_TTTRACER_STORAGE_FULL","features":[1]},{"name":"UTC_E_UNABLE_TO_RESOLVE_SESSION","features":[1]},{"name":"UTC_E_UNAPPROVED_SCRIPT","features":[1]},{"name":"UTC_E_WINRT_INIT_FAILED","features":[1]},{"name":"VARIANT_BOOL","features":[1]},{"name":"VARIANT_FALSE","features":[1]},{"name":"VARIANT_TRUE","features":[1]},{"name":"VIEW_E_DRAW","features":[1]},{"name":"VIEW_E_FIRST","features":[1]},{"name":"VIEW_E_LAST","features":[1]},{"name":"VIEW_S_ALREADY_FROZEN","features":[1]},{"name":"VIEW_S_FIRST","features":[1]},{"name":"VIEW_S_LAST","features":[1]},{"name":"VM_SAVED_STATE_DUMP_E_GUEST_MEMORY_NOT_FOUND","features":[1]},{"name":"VM_SAVED_STATE_DUMP_E_INVALID_VP_STATE","features":[1]},{"name":"VM_SAVED_STATE_DUMP_E_NESTED_VIRTUALIZATION_NOT_SUPPORTED","features":[1]},{"name":"VM_SAVED_STATE_DUMP_E_NO_VP_FOUND_IN_PARTITION_STATE","features":[1]},{"name":"VM_SAVED_STATE_DUMP_E_PARTITION_STATE_NOT_FOUND","features":[1]},{"name":"VM_SAVED_STATE_DUMP_E_VA_NOT_MAPPED","features":[1]},{"name":"VM_SAVED_STATE_DUMP_E_VP_VTL_NOT_ENABLED","features":[1]},{"name":"VM_SAVED_STATE_DUMP_E_WINDOWS_KERNEL_IMAGE_NOT_FOUND","features":[1]},{"name":"VOLMGR_KSR_BYPASS","features":[1]},{"name":"VOLMGR_KSR_ERROR","features":[1]},{"name":"VOLMGR_KSR_READ_ERROR","features":[1]},{"name":"WAIT_ABANDONED","features":[1]},{"name":"WAIT_ABANDONED_0","features":[1]},{"name":"WAIT_EVENT","features":[1]},{"name":"WAIT_FAILED","features":[1]},{"name":"WAIT_IO_COMPLETION","features":[1]},{"name":"WAIT_OBJECT_0","features":[1]},{"name":"WAIT_TIMEOUT","features":[1]},{"name":"WARNING_IPSEC_MM_POLICY_PRUNED","features":[1]},{"name":"WARNING_IPSEC_QM_POLICY_PRUNED","features":[1]},{"name":"WARNING_NO_MD5_MIGRATION","features":[1]},{"name":"WBREAK_E_BUFFER_TOO_SMALL","features":[1]},{"name":"WBREAK_E_END_OF_TEXT","features":[1]},{"name":"WBREAK_E_INIT_FAILED","features":[1]},{"name":"WBREAK_E_QUERY_ONLY","features":[1]},{"name":"WEB_E_INVALID_JSON_NUMBER","features":[1]},{"name":"WEB_E_INVALID_JSON_STRING","features":[1]},{"name":"WEB_E_INVALID_XML","features":[1]},{"name":"WEB_E_JSON_VALUE_NOT_FOUND","features":[1]},{"name":"WEB_E_MISSING_REQUIRED_ATTRIBUTE","features":[1]},{"name":"WEB_E_MISSING_REQUIRED_ELEMENT","features":[1]},{"name":"WEB_E_RESOURCE_TOO_LARGE","features":[1]},{"name":"WEB_E_UNEXPECTED_CONTENT","features":[1]},{"name":"WEB_E_UNSUPPORTED_FORMAT","features":[1]},{"name":"WEP_E_BUFFER_TOO_LARGE","features":[1]},{"name":"WEP_E_FIXED_DATA_NOT_SUPPORTED","features":[1]},{"name":"WEP_E_HARDWARE_NOT_COMPLIANT","features":[1]},{"name":"WEP_E_LOCK_NOT_CONFIGURED","features":[1]},{"name":"WEP_E_NOT_PROVISIONED_ON_ALL_VOLUMES","features":[1]},{"name":"WEP_E_NO_LICENSE","features":[1]},{"name":"WEP_E_OS_NOT_PROTECTED","features":[1]},{"name":"WEP_E_PROTECTION_SUSPENDED","features":[1]},{"name":"WEP_E_UNEXPECTED_FAIL","features":[1]},{"name":"WER_E_ALREADY_REPORTING","features":[1]},{"name":"WER_E_CANCELED","features":[1]},{"name":"WER_E_CRASH_FAILURE","features":[1]},{"name":"WER_E_DUMP_THROTTLED","features":[1]},{"name":"WER_E_INSUFFICIENT_CONSENT","features":[1]},{"name":"WER_E_NETWORK_FAILURE","features":[1]},{"name":"WER_E_NOT_INITIALIZED","features":[1]},{"name":"WER_E_TOO_HEAVY","features":[1]},{"name":"WER_S_ASSERT_CONTINUE","features":[1]},{"name":"WER_S_DISABLED","features":[1]},{"name":"WER_S_DISABLED_ARCHIVE","features":[1]},{"name":"WER_S_DISABLED_QUEUE","features":[1]},{"name":"WER_S_IGNORE_ALL_ASSERTS","features":[1]},{"name":"WER_S_IGNORE_ASSERT_INSTANCE","features":[1]},{"name":"WER_S_REPORT_ASYNC","features":[1]},{"name":"WER_S_REPORT_DEBUG","features":[1]},{"name":"WER_S_REPORT_QUEUED","features":[1]},{"name":"WER_S_REPORT_UPLOADED","features":[1]},{"name":"WER_S_REPORT_UPLOADED_CAB","features":[1]},{"name":"WER_S_SUSPENDED_UPLOAD","features":[1]},{"name":"WER_S_THROTTLED","features":[1]},{"name":"WHV_E_GPA_RANGE_NOT_FOUND","features":[1]},{"name":"WHV_E_INSUFFICIENT_BUFFER","features":[1]},{"name":"WHV_E_INVALID_PARTITION_CONFIG","features":[1]},{"name":"WHV_E_INVALID_VP_REGISTER_NAME","features":[1]},{"name":"WHV_E_INVALID_VP_STATE","features":[1]},{"name":"WHV_E_UNKNOWN_CAPABILITY","features":[1]},{"name":"WHV_E_UNKNOWN_PROPERTY","features":[1]},{"name":"WHV_E_UNSUPPORTED_HYPERVISOR_CONFIG","features":[1]},{"name":"WHV_E_UNSUPPORTED_PROCESSOR_CONFIG","features":[1]},{"name":"WHV_E_VP_ALREADY_EXISTS","features":[1]},{"name":"WHV_E_VP_DOES_NOT_EXIST","features":[1]},{"name":"WIN32_ERROR","features":[1]},{"name":"WINCODEC_ERR_ALREADYLOCKED","features":[1]},{"name":"WINCODEC_ERR_BADHEADER","features":[1]},{"name":"WINCODEC_ERR_BADIMAGE","features":[1]},{"name":"WINCODEC_ERR_BADMETADATAHEADER","features":[1]},{"name":"WINCODEC_ERR_BADSTREAMDATA","features":[1]},{"name":"WINCODEC_ERR_CODECNOTHUMBNAIL","features":[1]},{"name":"WINCODEC_ERR_CODECPRESENT","features":[1]},{"name":"WINCODEC_ERR_CODECTOOMANYSCANLINES","features":[1]},{"name":"WINCODEC_ERR_COMPONENTINITIALIZEFAILURE","features":[1]},{"name":"WINCODEC_ERR_COMPONENTNOTFOUND","features":[1]},{"name":"WINCODEC_ERR_DUPLICATEMETADATAPRESENT","features":[1]},{"name":"WINCODEC_ERR_FRAMEMISSING","features":[1]},{"name":"WINCODEC_ERR_IMAGESIZEOUTOFRANGE","features":[1]},{"name":"WINCODEC_ERR_INSUFFICIENTBUFFER","features":[1]},{"name":"WINCODEC_ERR_INTERNALERROR","features":[1]},{"name":"WINCODEC_ERR_INVALIDJPEGSCANINDEX","features":[1]},{"name":"WINCODEC_ERR_INVALIDPROGRESSIVELEVEL","features":[1]},{"name":"WINCODEC_ERR_INVALIDQUERYCHARACTER","features":[1]},{"name":"WINCODEC_ERR_INVALIDQUERYREQUEST","features":[1]},{"name":"WINCODEC_ERR_INVALIDREGISTRATION","features":[1]},{"name":"WINCODEC_ERR_NOTINITIALIZED","features":[1]},{"name":"WINCODEC_ERR_PALETTEUNAVAILABLE","features":[1]},{"name":"WINCODEC_ERR_PROPERTYNOTFOUND","features":[1]},{"name":"WINCODEC_ERR_PROPERTYNOTSUPPORTED","features":[1]},{"name":"WINCODEC_ERR_PROPERTYSIZE","features":[1]},{"name":"WINCODEC_ERR_PROPERTYUNEXPECTEDTYPE","features":[1]},{"name":"WINCODEC_ERR_REQUESTONLYVALIDATMETADATAROOT","features":[1]},{"name":"WINCODEC_ERR_SOURCERECTDOESNOTMATCHDIMENSIONS","features":[1]},{"name":"WINCODEC_ERR_STREAMNOTAVAILABLE","features":[1]},{"name":"WINCODEC_ERR_STREAMREAD","features":[1]},{"name":"WINCODEC_ERR_STREAMWRITE","features":[1]},{"name":"WINCODEC_ERR_TOOMUCHMETADATA","features":[1]},{"name":"WINCODEC_ERR_UNEXPECTEDMETADATATYPE","features":[1]},{"name":"WINCODEC_ERR_UNEXPECTEDSIZE","features":[1]},{"name":"WINCODEC_ERR_UNKNOWNIMAGEFORMAT","features":[1]},{"name":"WINCODEC_ERR_UNSUPPORTEDOPERATION","features":[1]},{"name":"WINCODEC_ERR_UNSUPPORTEDPIXELFORMAT","features":[1]},{"name":"WINCODEC_ERR_UNSUPPORTEDVERSION","features":[1]},{"name":"WINCODEC_ERR_VALUEOUTOFRANGE","features":[1]},{"name":"WINCODEC_ERR_WIN32ERROR","features":[1]},{"name":"WINCODEC_ERR_WRONGSTATE","features":[1]},{"name":"WININET_E_ASYNC_THREAD_FAILED","features":[1]},{"name":"WININET_E_BAD_AUTO_PROXY_SCRIPT","features":[1]},{"name":"WININET_E_BAD_OPTION_LENGTH","features":[1]},{"name":"WININET_E_BAD_REGISTRY_PARAMETER","features":[1]},{"name":"WININET_E_CANNOT_CONNECT","features":[1]},{"name":"WININET_E_CHG_POST_IS_NON_SECURE","features":[1]},{"name":"WININET_E_CLIENT_AUTH_CERT_NEEDED","features":[1]},{"name":"WININET_E_CLIENT_AUTH_NOT_SETUP","features":[1]},{"name":"WININET_E_CONNECTION_ABORTED","features":[1]},{"name":"WININET_E_CONNECTION_RESET","features":[1]},{"name":"WININET_E_COOKIE_DECLINED","features":[1]},{"name":"WININET_E_COOKIE_NEEDS_CONFIRMATION","features":[1]},{"name":"WININET_E_DECODING_FAILED","features":[1]},{"name":"WININET_E_DIALOG_PENDING","features":[1]},{"name":"WININET_E_DISCONNECTED","features":[1]},{"name":"WININET_E_DOWNLEVEL_SERVER","features":[1]},{"name":"WININET_E_EXTENDED_ERROR","features":[1]},{"name":"WININET_E_FAILED_DUETOSECURITYCHECK","features":[1]},{"name":"WININET_E_FORCE_RETRY","features":[1]},{"name":"WININET_E_HANDLE_EXISTS","features":[1]},{"name":"WININET_E_HEADER_ALREADY_EXISTS","features":[1]},{"name":"WININET_E_HEADER_NOT_FOUND","features":[1]},{"name":"WININET_E_HTTPS_HTTP_SUBMIT_REDIR","features":[1]},{"name":"WININET_E_HTTPS_TO_HTTP_ON_REDIR","features":[1]},{"name":"WININET_E_HTTP_TO_HTTPS_ON_REDIR","features":[1]},{"name":"WININET_E_INCORRECT_FORMAT","features":[1]},{"name":"WININET_E_INCORRECT_HANDLE_STATE","features":[1]},{"name":"WININET_E_INCORRECT_HANDLE_TYPE","features":[1]},{"name":"WININET_E_INCORRECT_PASSWORD","features":[1]},{"name":"WININET_E_INCORRECT_USER_NAME","features":[1]},{"name":"WININET_E_INTERNAL_ERROR","features":[1]},{"name":"WININET_E_INVALID_CA","features":[1]},{"name":"WININET_E_INVALID_HEADER","features":[1]},{"name":"WININET_E_INVALID_OPERATION","features":[1]},{"name":"WININET_E_INVALID_OPTION","features":[1]},{"name":"WININET_E_INVALID_PROXY_REQUEST","features":[1]},{"name":"WININET_E_INVALID_QUERY_REQUEST","features":[1]},{"name":"WININET_E_INVALID_SERVER_RESPONSE","features":[1]},{"name":"WININET_E_INVALID_URL","features":[1]},{"name":"WININET_E_ITEM_NOT_FOUND","features":[1]},{"name":"WININET_E_LOGIN_FAILURE","features":[1]},{"name":"WININET_E_LOGIN_FAILURE_DISPLAY_ENTITY_BODY","features":[1]},{"name":"WININET_E_MIXED_SECURITY","features":[1]},{"name":"WININET_E_NAME_NOT_RESOLVED","features":[1]},{"name":"WININET_E_NEED_UI","features":[1]},{"name":"WININET_E_NOT_INITIALIZED","features":[1]},{"name":"WININET_E_NOT_PROXY_REQUEST","features":[1]},{"name":"WININET_E_NOT_REDIRECTED","features":[1]},{"name":"WININET_E_NO_CALLBACK","features":[1]},{"name":"WININET_E_NO_CONTEXT","features":[1]},{"name":"WININET_E_NO_DIRECT_ACCESS","features":[1]},{"name":"WININET_E_NO_NEW_CONTAINERS","features":[1]},{"name":"WININET_E_OPERATION_CANCELLED","features":[1]},{"name":"WININET_E_OPTION_NOT_SETTABLE","features":[1]},{"name":"WININET_E_OUT_OF_HANDLES","features":[1]},{"name":"WININET_E_POST_IS_NON_SECURE","features":[1]},{"name":"WININET_E_PROTOCOL_NOT_FOUND","features":[1]},{"name":"WININET_E_PROXY_SERVER_UNREACHABLE","features":[1]},{"name":"WININET_E_REDIRECT_FAILED","features":[1]},{"name":"WININET_E_REDIRECT_NEEDS_CONFIRMATION","features":[1]},{"name":"WININET_E_REDIRECT_SCHEME_CHANGE","features":[1]},{"name":"WININET_E_REGISTRY_VALUE_NOT_FOUND","features":[1]},{"name":"WININET_E_REQUEST_PENDING","features":[1]},{"name":"WININET_E_RETRY_DIALOG","features":[1]},{"name":"WININET_E_SECURITY_CHANNEL_ERROR","features":[1]},{"name":"WININET_E_SEC_CERT_CN_INVALID","features":[1]},{"name":"WININET_E_SEC_CERT_DATE_INVALID","features":[1]},{"name":"WININET_E_SEC_CERT_ERRORS","features":[1]},{"name":"WININET_E_SEC_CERT_REVOKED","features":[1]},{"name":"WININET_E_SEC_CERT_REV_FAILED","features":[1]},{"name":"WININET_E_SEC_INVALID_CERT","features":[1]},{"name":"WININET_E_SERVER_UNREACHABLE","features":[1]},{"name":"WININET_E_SHUTDOWN","features":[1]},{"name":"WININET_E_TCPIP_NOT_INSTALLED","features":[1]},{"name":"WININET_E_TIMEOUT","features":[1]},{"name":"WININET_E_UNABLE_TO_CACHE_FILE","features":[1]},{"name":"WININET_E_UNABLE_TO_DOWNLOAD_SCRIPT","features":[1]},{"name":"WININET_E_UNRECOGNIZED_SCHEME","features":[1]},{"name":"WINML_ERR_INVALID_BINDING","features":[1]},{"name":"WINML_ERR_INVALID_DEVICE","features":[1]},{"name":"WINML_ERR_SIZE_MISMATCH","features":[1]},{"name":"WINML_ERR_VALUE_NOTFOUND","features":[1]},{"name":"WINVER","features":[1]},{"name":"WINVER_MAXVER","features":[1]},{"name":"WPARAM","features":[1]},{"name":"WPN_E_ACCESS_DENIED","features":[1]},{"name":"WPN_E_ALL_URL_NOT_COMPLETED","features":[1]},{"name":"WPN_E_CALLBACK_ALREADY_REGISTERED","features":[1]},{"name":"WPN_E_CHANNEL_CLOSED","features":[1]},{"name":"WPN_E_CHANNEL_REQUEST_NOT_COMPLETE","features":[1]},{"name":"WPN_E_CLOUD_AUTH_UNAVAILABLE","features":[1]},{"name":"WPN_E_CLOUD_DISABLED","features":[1]},{"name":"WPN_E_CLOUD_DISABLED_FOR_APP","features":[1]},{"name":"WPN_E_CLOUD_INCAPABLE","features":[1]},{"name":"WPN_E_CLOUD_SERVICE_UNAVAILABLE","features":[1]},{"name":"WPN_E_DEV_ID_SIZE","features":[1]},{"name":"WPN_E_DUPLICATE_CHANNEL","features":[1]},{"name":"WPN_E_DUPLICATE_REGISTRATION","features":[1]},{"name":"WPN_E_FAILED_LOCK_SCREEN_UPDATE_INTIALIZATION","features":[1]},{"name":"WPN_E_GROUP_ALPHANUMERIC","features":[1]},{"name":"WPN_E_GROUP_SIZE","features":[1]},{"name":"WPN_E_IMAGE_NOT_FOUND_IN_CACHE","features":[1]},{"name":"WPN_E_INTERNET_INCAPABLE","features":[1]},{"name":"WPN_E_INVALID_APP","features":[1]},{"name":"WPN_E_INVALID_CLOUD_IMAGE","features":[1]},{"name":"WPN_E_INVALID_HTTP_STATUS_CODE","features":[1]},{"name":"WPN_E_NOTIFICATION_DISABLED","features":[1]},{"name":"WPN_E_NOTIFICATION_HIDDEN","features":[1]},{"name":"WPN_E_NOTIFICATION_ID_MATCHED","features":[1]},{"name":"WPN_E_NOTIFICATION_INCAPABLE","features":[1]},{"name":"WPN_E_NOTIFICATION_NOT_POSTED","features":[1]},{"name":"WPN_E_NOTIFICATION_POSTED","features":[1]},{"name":"WPN_E_NOTIFICATION_SIZE","features":[1]},{"name":"WPN_E_NOTIFICATION_TYPE_DISABLED","features":[1]},{"name":"WPN_E_OUTSTANDING_CHANNEL_REQUEST","features":[1]},{"name":"WPN_E_OUT_OF_SESSION","features":[1]},{"name":"WPN_E_PLATFORM_UNAVAILABLE","features":[1]},{"name":"WPN_E_POWER_SAVE","features":[1]},{"name":"WPN_E_PUSH_NOTIFICATION_INCAPABLE","features":[1]},{"name":"WPN_E_STORAGE_LOCKED","features":[1]},{"name":"WPN_E_TAG_ALPHANUMERIC","features":[1]},{"name":"WPN_E_TAG_SIZE","features":[1]},{"name":"WPN_E_TOAST_NOTIFICATION_DROPPED","features":[1]},{"name":"WS_E_ADDRESS_IN_USE","features":[1]},{"name":"WS_E_ADDRESS_NOT_AVAILABLE","features":[1]},{"name":"WS_E_ENDPOINT_ACCESS_DENIED","features":[1]},{"name":"WS_E_ENDPOINT_ACTION_NOT_SUPPORTED","features":[1]},{"name":"WS_E_ENDPOINT_DISCONNECTED","features":[1]},{"name":"WS_E_ENDPOINT_FAILURE","features":[1]},{"name":"WS_E_ENDPOINT_FAULT_RECEIVED","features":[1]},{"name":"WS_E_ENDPOINT_NOT_AVAILABLE","features":[1]},{"name":"WS_E_ENDPOINT_NOT_FOUND","features":[1]},{"name":"WS_E_ENDPOINT_TOO_BUSY","features":[1]},{"name":"WS_E_ENDPOINT_UNREACHABLE","features":[1]},{"name":"WS_E_INVALID_ENDPOINT_URL","features":[1]},{"name":"WS_E_INVALID_FORMAT","features":[1]},{"name":"WS_E_INVALID_OPERATION","features":[1]},{"name":"WS_E_NOT_SUPPORTED","features":[1]},{"name":"WS_E_NO_TRANSLATION_AVAILABLE","features":[1]},{"name":"WS_E_NUMERIC_OVERFLOW","features":[1]},{"name":"WS_E_OBJECT_FAULTED","features":[1]},{"name":"WS_E_OPERATION_ABANDONED","features":[1]},{"name":"WS_E_OPERATION_ABORTED","features":[1]},{"name":"WS_E_OPERATION_TIMED_OUT","features":[1]},{"name":"WS_E_OTHER","features":[1]},{"name":"WS_E_PROXY_ACCESS_DENIED","features":[1]},{"name":"WS_E_PROXY_FAILURE","features":[1]},{"name":"WS_E_PROXY_REQUIRES_BASIC_AUTH","features":[1]},{"name":"WS_E_PROXY_REQUIRES_DIGEST_AUTH","features":[1]},{"name":"WS_E_PROXY_REQUIRES_NEGOTIATE_AUTH","features":[1]},{"name":"WS_E_PROXY_REQUIRES_NTLM_AUTH","features":[1]},{"name":"WS_E_QUOTA_EXCEEDED","features":[1]},{"name":"WS_E_SECURITY_SYSTEM_FAILURE","features":[1]},{"name":"WS_E_SECURITY_TOKEN_EXPIRED","features":[1]},{"name":"WS_E_SECURITY_VERIFICATION_FAILURE","features":[1]},{"name":"WS_E_SERVER_REQUIRES_BASIC_AUTH","features":[1]},{"name":"WS_E_SERVER_REQUIRES_DIGEST_AUTH","features":[1]},{"name":"WS_E_SERVER_REQUIRES_NEGOTIATE_AUTH","features":[1]},{"name":"WS_E_SERVER_REQUIRES_NTLM_AUTH","features":[1]},{"name":"WS_S_ASYNC","features":[1]},{"name":"WS_S_END","features":[1]},{"name":"XACT_E_ABORTED","features":[1]},{"name":"XACT_E_ABORTING","features":[1]},{"name":"XACT_E_ALREADYINPROGRESS","features":[1]},{"name":"XACT_E_ALREADYOTHERSINGLEPHASE","features":[1]},{"name":"XACT_E_CANTRETAIN","features":[1]},{"name":"XACT_E_CLERKEXISTS","features":[1]},{"name":"XACT_E_CLERKNOTFOUND","features":[1]},{"name":"XACT_E_COMMITFAILED","features":[1]},{"name":"XACT_E_COMMITPREVENTED","features":[1]},{"name":"XACT_E_CONNECTION_DENIED","features":[1]},{"name":"XACT_E_CONNECTION_DOWN","features":[1]},{"name":"XACT_E_DEST_TMNOTAVAILABLE","features":[1]},{"name":"XACT_E_FIRST","features":[1]},{"name":"XACT_E_HEURISTICABORT","features":[1]},{"name":"XACT_E_HEURISTICCOMMIT","features":[1]},{"name":"XACT_E_HEURISTICDAMAGE","features":[1]},{"name":"XACT_E_HEURISTICDANGER","features":[1]},{"name":"XACT_E_INDOUBT","features":[1]},{"name":"XACT_E_INVALIDCOOKIE","features":[1]},{"name":"XACT_E_INVALIDLSN","features":[1]},{"name":"XACT_E_ISOLATIONLEVEL","features":[1]},{"name":"XACT_E_LAST","features":[1]},{"name":"XACT_E_LOGFULL","features":[1]},{"name":"XACT_E_LU_TX_DISABLED","features":[1]},{"name":"XACT_E_NETWORK_TX_DISABLED","features":[1]},{"name":"XACT_E_NOASYNC","features":[1]},{"name":"XACT_E_NOENLIST","features":[1]},{"name":"XACT_E_NOIMPORTOBJECT","features":[1]},{"name":"XACT_E_NOISORETAIN","features":[1]},{"name":"XACT_E_NORESOURCE","features":[1]},{"name":"XACT_E_NOTCURRENT","features":[1]},{"name":"XACT_E_NOTIMEOUT","features":[1]},{"name":"XACT_E_NOTRANSACTION","features":[1]},{"name":"XACT_E_NOTSUPPORTED","features":[1]},{"name":"XACT_E_PARTNER_NETWORK_TX_DISABLED","features":[1]},{"name":"XACT_E_PULL_COMM_FAILURE","features":[1]},{"name":"XACT_E_PUSH_COMM_FAILURE","features":[1]},{"name":"XACT_E_RECOVERYINPROGRESS","features":[1]},{"name":"XACT_E_REENLISTTIMEOUT","features":[1]},{"name":"XACT_E_REPLAYREQUEST","features":[1]},{"name":"XACT_E_TIP_CONNECT_FAILED","features":[1]},{"name":"XACT_E_TIP_DISABLED","features":[1]},{"name":"XACT_E_TIP_PROTOCOL_ERROR","features":[1]},{"name":"XACT_E_TIP_PULL_FAILED","features":[1]},{"name":"XACT_E_TMNOTAVAILABLE","features":[1]},{"name":"XACT_E_TRANSACTIONCLOSED","features":[1]},{"name":"XACT_E_UNABLE_TO_LOAD_DTC_PROXY","features":[1]},{"name":"XACT_E_UNABLE_TO_READ_DTC_CONFIG","features":[1]},{"name":"XACT_E_UNKNOWNRMGRID","features":[1]},{"name":"XACT_E_WRONGSTATE","features":[1]},{"name":"XACT_E_WRONGUOW","features":[1]},{"name":"XACT_E_XA_TX_DISABLED","features":[1]},{"name":"XACT_E_XTIONEXISTS","features":[1]},{"name":"XACT_S_ABORTING","features":[1]},{"name":"XACT_S_ALLNORETAIN","features":[1]},{"name":"XACT_S_ASYNC","features":[1]},{"name":"XACT_S_DEFECT","features":[1]},{"name":"XACT_S_FIRST","features":[1]},{"name":"XACT_S_LAST","features":[1]},{"name":"XACT_S_LASTRESOURCEMANAGER","features":[1]},{"name":"XACT_S_LOCALLY_OK","features":[1]},{"name":"XACT_S_MADECHANGESCONTENT","features":[1]},{"name":"XACT_S_MADECHANGESINFORM","features":[1]},{"name":"XACT_S_OKINFORM","features":[1]},{"name":"XACT_S_READONLY","features":[1]},{"name":"XACT_S_SINGLEPHASE","features":[1]},{"name":"XACT_S_SOMENORETAIN","features":[1]},{"name":"XENROLL_E_CANNOT_ADD_ROOT_CERT","features":[1]},{"name":"XENROLL_E_KEYSPEC_SMIME_MISMATCH","features":[1]},{"name":"XENROLL_E_KEY_NOT_EXPORTABLE","features":[1]},{"name":"XENROLL_E_RESPONSE_KA_HASH_MISMATCH","features":[1]},{"name":"XENROLL_E_RESPONSE_KA_HASH_NOT_FOUND","features":[1]},{"name":"XENROLL_E_RESPONSE_UNEXPECTED_KA_HASH","features":[1]},{"name":"_WIN32_IE_MAXVER","features":[1]},{"name":"_WIN32_MAXVER","features":[1]},{"name":"_WIN32_WINDOWS_MAXVER","features":[1]},{"name":"_WIN32_WINNT_MAXVER","features":[1]}],"391":[{"name":"CheckGamingPrivilegeSilently","features":[1,69]},{"name":"CheckGamingPrivilegeSilentlyForUser","features":[1,69]},{"name":"CheckGamingPrivilegeWithUI","features":[69]},{"name":"CheckGamingPrivilegeWithUIForUser","features":[69]},{"name":"GAMESTATS_OPEN_CREATED","features":[69]},{"name":"GAMESTATS_OPEN_OPENED","features":[69]},{"name":"GAMESTATS_OPEN_OPENONLY","features":[69]},{"name":"GAMESTATS_OPEN_OPENORCREATE","features":[69]},{"name":"GAMESTATS_OPEN_RESULT","features":[69]},{"name":"GAMESTATS_OPEN_TYPE","features":[69]},{"name":"GAME_INSTALL_SCOPE","features":[69]},{"name":"GAMING_DEVICE_DEVICE_ID","features":[69]},{"name":"GAMING_DEVICE_DEVICE_ID_NONE","features":[69]},{"name":"GAMING_DEVICE_DEVICE_ID_XBOX_ONE","features":[69]},{"name":"GAMING_DEVICE_DEVICE_ID_XBOX_ONE_S","features":[69]},{"name":"GAMING_DEVICE_DEVICE_ID_XBOX_ONE_X","features":[69]},{"name":"GAMING_DEVICE_DEVICE_ID_XBOX_ONE_X_DEVKIT","features":[69]},{"name":"GAMING_DEVICE_DEVICE_ID_XBOX_SERIES_S","features":[69]},{"name":"GAMING_DEVICE_DEVICE_ID_XBOX_SERIES_X","features":[69]},{"name":"GAMING_DEVICE_DEVICE_ID_XBOX_SERIES_X_DEVKIT","features":[69]},{"name":"GAMING_DEVICE_MODEL_INFORMATION","features":[69]},{"name":"GAMING_DEVICE_VENDOR_ID","features":[69]},{"name":"GAMING_DEVICE_VENDOR_ID_MICROSOFT","features":[69]},{"name":"GAMING_DEVICE_VENDOR_ID_NONE","features":[69]},{"name":"GIS_ALL_USERS","features":[69]},{"name":"GIS_CURRENT_USER","features":[69]},{"name":"GIS_NOT_INSTALLED","features":[69]},{"name":"GameExplorer","features":[69]},{"name":"GameStatistics","features":[69]},{"name":"GameUICompletionRoutine","features":[69]},{"name":"GetExpandedResourceExclusiveCpuCount","features":[69]},{"name":"GetGamingDeviceModelInformation","features":[69]},{"name":"HasExpandedResources","features":[1,69]},{"name":"ID_GDF_THUMBNAIL_STR","features":[69]},{"name":"ID_GDF_XML_STR","features":[69]},{"name":"IGameExplorer","features":[69]},{"name":"IGameExplorer2","features":[69]},{"name":"IGameStatistics","features":[69]},{"name":"IGameStatisticsMgr","features":[69]},{"name":"IXblIdpAuthManager","features":[69]},{"name":"IXblIdpAuthManager2","features":[69]},{"name":"IXblIdpAuthTokenResult","features":[69]},{"name":"IXblIdpAuthTokenResult2","features":[69]},{"name":"KnownGamingPrivileges","features":[69]},{"name":"PlayerPickerUICompletionRoutine","features":[69]},{"name":"ProcessPendingGameUI","features":[1,69]},{"name":"ReleaseExclusiveCpuSets","features":[69]},{"name":"ShowChangeFriendRelationshipUI","features":[69]},{"name":"ShowChangeFriendRelationshipUIForUser","features":[69]},{"name":"ShowCustomizeUserProfileUI","features":[69]},{"name":"ShowCustomizeUserProfileUIForUser","features":[69]},{"name":"ShowFindFriendsUI","features":[69]},{"name":"ShowFindFriendsUIForUser","features":[69]},{"name":"ShowGameInfoUI","features":[69]},{"name":"ShowGameInfoUIForUser","features":[69]},{"name":"ShowGameInviteUI","features":[69]},{"name":"ShowGameInviteUIForUser","features":[69]},{"name":"ShowGameInviteUIWithContext","features":[69]},{"name":"ShowGameInviteUIWithContextForUser","features":[69]},{"name":"ShowPlayerPickerUI","features":[69]},{"name":"ShowPlayerPickerUIForUser","features":[69]},{"name":"ShowProfileCardUI","features":[69]},{"name":"ShowProfileCardUIForUser","features":[69]},{"name":"ShowTitleAchievementsUI","features":[69]},{"name":"ShowTitleAchievementsUIForUser","features":[69]},{"name":"ShowUserSettingsUI","features":[69]},{"name":"ShowUserSettingsUIForUser","features":[69]},{"name":"TryCancelPendingGameUI","features":[1,69]},{"name":"XBL_IDP_AUTH_TOKEN_STATUS","features":[69]},{"name":"XBL_IDP_AUTH_TOKEN_STATUS_LOAD_MSA_ACCOUNT_FAILED","features":[69]},{"name":"XBL_IDP_AUTH_TOKEN_STATUS_MSA_INTERRUPT","features":[69]},{"name":"XBL_IDP_AUTH_TOKEN_STATUS_NO_ACCOUNT_SET","features":[69]},{"name":"XBL_IDP_AUTH_TOKEN_STATUS_OFFLINE_NO_CONSENT","features":[69]},{"name":"XBL_IDP_AUTH_TOKEN_STATUS_OFFLINE_SUCCESS","features":[69]},{"name":"XBL_IDP_AUTH_TOKEN_STATUS_SUCCESS","features":[69]},{"name":"XBL_IDP_AUTH_TOKEN_STATUS_UNKNOWN","features":[69]},{"name":"XBL_IDP_AUTH_TOKEN_STATUS_VIEW_NOT_SET","features":[69]},{"name":"XBL_IDP_AUTH_TOKEN_STATUS_XBOX_VETO","features":[69]},{"name":"XPRIVILEGE_ADD_FRIEND","features":[69]},{"name":"XPRIVILEGE_BROADCAST","features":[69]},{"name":"XPRIVILEGE_CLOUD_GAMING_JOIN_SESSION","features":[69]},{"name":"XPRIVILEGE_CLOUD_GAMING_MANAGE_SESSION","features":[69]},{"name":"XPRIVILEGE_CLOUD_SAVED_GAMES","features":[69]},{"name":"XPRIVILEGE_COMMUNICATIONS","features":[69]},{"name":"XPRIVILEGE_COMMUNICATION_VOICE_INGAME","features":[69]},{"name":"XPRIVILEGE_COMMUNICATION_VOICE_SKYPE","features":[69]},{"name":"XPRIVILEGE_GAME_DVR","features":[69]},{"name":"XPRIVILEGE_MULTIPLAYER_PARTIES","features":[69]},{"name":"XPRIVILEGE_MULTIPLAYER_SESSIONS","features":[69]},{"name":"XPRIVILEGE_PREMIUM_CONTENT","features":[69]},{"name":"XPRIVILEGE_PREMIUM_VIDEO","features":[69]},{"name":"XPRIVILEGE_PROFILE_VIEWING","features":[69]},{"name":"XPRIVILEGE_PURCHASE_CONTENT","features":[69]},{"name":"XPRIVILEGE_SHARE_CONTENT","features":[69]},{"name":"XPRIVILEGE_SHARE_KINECT_CONTENT","features":[69]},{"name":"XPRIVILEGE_SOCIAL_NETWORK_SHARING","features":[69]},{"name":"XPRIVILEGE_SUBSCRIPTION_CONTENT","features":[69]},{"name":"XPRIVILEGE_USER_CREATED_CONTENT","features":[69]},{"name":"XPRIVILEGE_VIDEO_COMMUNICATIONS","features":[69]},{"name":"XPRIVILEGE_VIEW_FRIENDS_LIST","features":[69]},{"name":"XblIdpAuthManager","features":[69]},{"name":"XblIdpAuthTokenResult","features":[69]}],"392":[{"name":"ALL_SERVICES","features":[70]},{"name":"ALL_SERVICE_TYPES","features":[70]},{"name":"AdjustCalendarDate","features":[1,70]},{"name":"C1_ALPHA","features":[70]},{"name":"C1_BLANK","features":[70]},{"name":"C1_CNTRL","features":[70]},{"name":"C1_DEFINED","features":[70]},{"name":"C1_DIGIT","features":[70]},{"name":"C1_LOWER","features":[70]},{"name":"C1_PUNCT","features":[70]},{"name":"C1_SPACE","features":[70]},{"name":"C1_UPPER","features":[70]},{"name":"C1_XDIGIT","features":[70]},{"name":"C2_ARABICNUMBER","features":[70]},{"name":"C2_BLOCKSEPARATOR","features":[70]},{"name":"C2_COMMONSEPARATOR","features":[70]},{"name":"C2_EUROPENUMBER","features":[70]},{"name":"C2_EUROPESEPARATOR","features":[70]},{"name":"C2_EUROPETERMINATOR","features":[70]},{"name":"C2_LEFTTORIGHT","features":[70]},{"name":"C2_NOTAPPLICABLE","features":[70]},{"name":"C2_OTHERNEUTRAL","features":[70]},{"name":"C2_RIGHTTOLEFT","features":[70]},{"name":"C2_SEGMENTSEPARATOR","features":[70]},{"name":"C2_WHITESPACE","features":[70]},{"name":"C3_ALPHA","features":[70]},{"name":"C3_DIACRITIC","features":[70]},{"name":"C3_FULLWIDTH","features":[70]},{"name":"C3_HALFWIDTH","features":[70]},{"name":"C3_HIGHSURROGATE","features":[70]},{"name":"C3_HIRAGANA","features":[70]},{"name":"C3_IDEOGRAPH","features":[70]},{"name":"C3_KASHIDA","features":[70]},{"name":"C3_KATAKANA","features":[70]},{"name":"C3_LEXICAL","features":[70]},{"name":"C3_LOWSURROGATE","features":[70]},{"name":"C3_NONSPACING","features":[70]},{"name":"C3_NOTAPPLICABLE","features":[70]},{"name":"C3_SYMBOL","features":[70]},{"name":"C3_VOWELMARK","features":[70]},{"name":"CALDATETIME","features":[70]},{"name":"CALDATETIME_DATEUNIT","features":[70]},{"name":"CALINFO_ENUMPROCA","features":[1,70]},{"name":"CALINFO_ENUMPROCEXA","features":[1,70]},{"name":"CALINFO_ENUMPROCEXEX","features":[1,70]},{"name":"CALINFO_ENUMPROCEXW","features":[1,70]},{"name":"CALINFO_ENUMPROCW","features":[1,70]},{"name":"CAL_GREGORIAN","features":[70]},{"name":"CAL_GREGORIAN_ARABIC","features":[70]},{"name":"CAL_GREGORIAN_ME_FRENCH","features":[70]},{"name":"CAL_GREGORIAN_US","features":[70]},{"name":"CAL_GREGORIAN_XLIT_ENGLISH","features":[70]},{"name":"CAL_GREGORIAN_XLIT_FRENCH","features":[70]},{"name":"CAL_HEBREW","features":[70]},{"name":"CAL_HIJRI","features":[70]},{"name":"CAL_ICALINTVALUE","features":[70]},{"name":"CAL_ITWODIGITYEARMAX","features":[70]},{"name":"CAL_IYEAROFFSETRANGE","features":[70]},{"name":"CAL_JAPAN","features":[70]},{"name":"CAL_KOREA","features":[70]},{"name":"CAL_NOUSEROVERRIDE","features":[70]},{"name":"CAL_PERSIAN","features":[70]},{"name":"CAL_RETURN_GENITIVE_NAMES","features":[70]},{"name":"CAL_RETURN_NUMBER","features":[70]},{"name":"CAL_SABBREVDAYNAME1","features":[70]},{"name":"CAL_SABBREVDAYNAME2","features":[70]},{"name":"CAL_SABBREVDAYNAME3","features":[70]},{"name":"CAL_SABBREVDAYNAME4","features":[70]},{"name":"CAL_SABBREVDAYNAME5","features":[70]},{"name":"CAL_SABBREVDAYNAME6","features":[70]},{"name":"CAL_SABBREVDAYNAME7","features":[70]},{"name":"CAL_SABBREVERASTRING","features":[70]},{"name":"CAL_SABBREVMONTHNAME1","features":[70]},{"name":"CAL_SABBREVMONTHNAME10","features":[70]},{"name":"CAL_SABBREVMONTHNAME11","features":[70]},{"name":"CAL_SABBREVMONTHNAME12","features":[70]},{"name":"CAL_SABBREVMONTHNAME13","features":[70]},{"name":"CAL_SABBREVMONTHNAME2","features":[70]},{"name":"CAL_SABBREVMONTHNAME3","features":[70]},{"name":"CAL_SABBREVMONTHNAME4","features":[70]},{"name":"CAL_SABBREVMONTHNAME5","features":[70]},{"name":"CAL_SABBREVMONTHNAME6","features":[70]},{"name":"CAL_SABBREVMONTHNAME7","features":[70]},{"name":"CAL_SABBREVMONTHNAME8","features":[70]},{"name":"CAL_SABBREVMONTHNAME9","features":[70]},{"name":"CAL_SCALNAME","features":[70]},{"name":"CAL_SDAYNAME1","features":[70]},{"name":"CAL_SDAYNAME2","features":[70]},{"name":"CAL_SDAYNAME3","features":[70]},{"name":"CAL_SDAYNAME4","features":[70]},{"name":"CAL_SDAYNAME5","features":[70]},{"name":"CAL_SDAYNAME6","features":[70]},{"name":"CAL_SDAYNAME7","features":[70]},{"name":"CAL_SENGLISHABBREVERANAME","features":[70]},{"name":"CAL_SENGLISHERANAME","features":[70]},{"name":"CAL_SERASTRING","features":[70]},{"name":"CAL_SJAPANESEERAFIRSTYEAR","features":[70]},{"name":"CAL_SLONGDATE","features":[70]},{"name":"CAL_SMONTHDAY","features":[70]},{"name":"CAL_SMONTHNAME1","features":[70]},{"name":"CAL_SMONTHNAME10","features":[70]},{"name":"CAL_SMONTHNAME11","features":[70]},{"name":"CAL_SMONTHNAME12","features":[70]},{"name":"CAL_SMONTHNAME13","features":[70]},{"name":"CAL_SMONTHNAME2","features":[70]},{"name":"CAL_SMONTHNAME3","features":[70]},{"name":"CAL_SMONTHNAME4","features":[70]},{"name":"CAL_SMONTHNAME5","features":[70]},{"name":"CAL_SMONTHNAME6","features":[70]},{"name":"CAL_SMONTHNAME7","features":[70]},{"name":"CAL_SMONTHNAME8","features":[70]},{"name":"CAL_SMONTHNAME9","features":[70]},{"name":"CAL_SRELATIVELONGDATE","features":[70]},{"name":"CAL_SSHORTDATE","features":[70]},{"name":"CAL_SSHORTESTDAYNAME1","features":[70]},{"name":"CAL_SSHORTESTDAYNAME2","features":[70]},{"name":"CAL_SSHORTESTDAYNAME3","features":[70]},{"name":"CAL_SSHORTESTDAYNAME4","features":[70]},{"name":"CAL_SSHORTESTDAYNAME5","features":[70]},{"name":"CAL_SSHORTESTDAYNAME6","features":[70]},{"name":"CAL_SSHORTESTDAYNAME7","features":[70]},{"name":"CAL_SYEARMONTH","features":[70]},{"name":"CAL_TAIWAN","features":[70]},{"name":"CAL_THAI","features":[70]},{"name":"CAL_UMALQURA","features":[70]},{"name":"CAL_USE_CP_ACP","features":[70]},{"name":"CANITER_SKIP_ZEROES","features":[70]},{"name":"CHARSETINFO","features":[70]},{"name":"CMLangConvertCharset","features":[70]},{"name":"CMLangString","features":[70]},{"name":"CMultiLanguage","features":[70]},{"name":"CODEPAGE_ENUMPROCA","features":[1,70]},{"name":"CODEPAGE_ENUMPROCW","features":[1,70]},{"name":"COMPARESTRING_RESULT","features":[70]},{"name":"COMPARE_STRING","features":[70]},{"name":"COMPARE_STRING_FLAGS","features":[70]},{"name":"CORRECTIVE_ACTION","features":[70]},{"name":"CORRECTIVE_ACTION_DELETE","features":[70]},{"name":"CORRECTIVE_ACTION_GET_SUGGESTIONS","features":[70]},{"name":"CORRECTIVE_ACTION_NONE","features":[70]},{"name":"CORRECTIVE_ACTION_REPLACE","features":[70]},{"name":"CPINFO","features":[70]},{"name":"CPINFOEXA","features":[70]},{"name":"CPINFOEXW","features":[70]},{"name":"CPIOD_FORCE_PROMPT","features":[70]},{"name":"CPIOD_PEEK","features":[70]},{"name":"CP_ACP","features":[70]},{"name":"CP_INSTALLED","features":[70]},{"name":"CP_MACCP","features":[70]},{"name":"CP_OEMCP","features":[70]},{"name":"CP_SUPPORTED","features":[70]},{"name":"CP_SYMBOL","features":[70]},{"name":"CP_THREAD_ACP","features":[70]},{"name":"CP_UTF7","features":[70]},{"name":"CP_UTF8","features":[70]},{"name":"CSTR_EQUAL","features":[70]},{"name":"CSTR_GREATER_THAN","features":[70]},{"name":"CSTR_LESS_THAN","features":[70]},{"name":"CTRY_ALBANIA","features":[70]},{"name":"CTRY_ALGERIA","features":[70]},{"name":"CTRY_ARGENTINA","features":[70]},{"name":"CTRY_ARMENIA","features":[70]},{"name":"CTRY_AUSTRALIA","features":[70]},{"name":"CTRY_AUSTRIA","features":[70]},{"name":"CTRY_AZERBAIJAN","features":[70]},{"name":"CTRY_BAHRAIN","features":[70]},{"name":"CTRY_BELARUS","features":[70]},{"name":"CTRY_BELGIUM","features":[70]},{"name":"CTRY_BELIZE","features":[70]},{"name":"CTRY_BOLIVIA","features":[70]},{"name":"CTRY_BRAZIL","features":[70]},{"name":"CTRY_BRUNEI_DARUSSALAM","features":[70]},{"name":"CTRY_BULGARIA","features":[70]},{"name":"CTRY_CANADA","features":[70]},{"name":"CTRY_CARIBBEAN","features":[70]},{"name":"CTRY_CHILE","features":[70]},{"name":"CTRY_COLOMBIA","features":[70]},{"name":"CTRY_COSTA_RICA","features":[70]},{"name":"CTRY_CROATIA","features":[70]},{"name":"CTRY_CZECH","features":[70]},{"name":"CTRY_DEFAULT","features":[70]},{"name":"CTRY_DENMARK","features":[70]},{"name":"CTRY_DOMINICAN_REPUBLIC","features":[70]},{"name":"CTRY_ECUADOR","features":[70]},{"name":"CTRY_EGYPT","features":[70]},{"name":"CTRY_EL_SALVADOR","features":[70]},{"name":"CTRY_ESTONIA","features":[70]},{"name":"CTRY_FAEROE_ISLANDS","features":[70]},{"name":"CTRY_FINLAND","features":[70]},{"name":"CTRY_FRANCE","features":[70]},{"name":"CTRY_GEORGIA","features":[70]},{"name":"CTRY_GERMANY","features":[70]},{"name":"CTRY_GREECE","features":[70]},{"name":"CTRY_GUATEMALA","features":[70]},{"name":"CTRY_HONDURAS","features":[70]},{"name":"CTRY_HONG_KONG","features":[70]},{"name":"CTRY_HUNGARY","features":[70]},{"name":"CTRY_ICELAND","features":[70]},{"name":"CTRY_INDIA","features":[70]},{"name":"CTRY_INDONESIA","features":[70]},{"name":"CTRY_IRAN","features":[70]},{"name":"CTRY_IRAQ","features":[70]},{"name":"CTRY_IRELAND","features":[70]},{"name":"CTRY_ISRAEL","features":[70]},{"name":"CTRY_ITALY","features":[70]},{"name":"CTRY_JAMAICA","features":[70]},{"name":"CTRY_JAPAN","features":[70]},{"name":"CTRY_JORDAN","features":[70]},{"name":"CTRY_KAZAKSTAN","features":[70]},{"name":"CTRY_KENYA","features":[70]},{"name":"CTRY_KUWAIT","features":[70]},{"name":"CTRY_KYRGYZSTAN","features":[70]},{"name":"CTRY_LATVIA","features":[70]},{"name":"CTRY_LEBANON","features":[70]},{"name":"CTRY_LIBYA","features":[70]},{"name":"CTRY_LIECHTENSTEIN","features":[70]},{"name":"CTRY_LITHUANIA","features":[70]},{"name":"CTRY_LUXEMBOURG","features":[70]},{"name":"CTRY_MACAU","features":[70]},{"name":"CTRY_MACEDONIA","features":[70]},{"name":"CTRY_MALAYSIA","features":[70]},{"name":"CTRY_MALDIVES","features":[70]},{"name":"CTRY_MEXICO","features":[70]},{"name":"CTRY_MONACO","features":[70]},{"name":"CTRY_MONGOLIA","features":[70]},{"name":"CTRY_MOROCCO","features":[70]},{"name":"CTRY_NETHERLANDS","features":[70]},{"name":"CTRY_NEW_ZEALAND","features":[70]},{"name":"CTRY_NICARAGUA","features":[70]},{"name":"CTRY_NORWAY","features":[70]},{"name":"CTRY_OMAN","features":[70]},{"name":"CTRY_PAKISTAN","features":[70]},{"name":"CTRY_PANAMA","features":[70]},{"name":"CTRY_PARAGUAY","features":[70]},{"name":"CTRY_PERU","features":[70]},{"name":"CTRY_PHILIPPINES","features":[70]},{"name":"CTRY_POLAND","features":[70]},{"name":"CTRY_PORTUGAL","features":[70]},{"name":"CTRY_PRCHINA","features":[70]},{"name":"CTRY_PUERTO_RICO","features":[70]},{"name":"CTRY_QATAR","features":[70]},{"name":"CTRY_ROMANIA","features":[70]},{"name":"CTRY_RUSSIA","features":[70]},{"name":"CTRY_SAUDI_ARABIA","features":[70]},{"name":"CTRY_SERBIA","features":[70]},{"name":"CTRY_SINGAPORE","features":[70]},{"name":"CTRY_SLOVAK","features":[70]},{"name":"CTRY_SLOVENIA","features":[70]},{"name":"CTRY_SOUTH_AFRICA","features":[70]},{"name":"CTRY_SOUTH_KOREA","features":[70]},{"name":"CTRY_SPAIN","features":[70]},{"name":"CTRY_SWEDEN","features":[70]},{"name":"CTRY_SWITZERLAND","features":[70]},{"name":"CTRY_SYRIA","features":[70]},{"name":"CTRY_TAIWAN","features":[70]},{"name":"CTRY_TATARSTAN","features":[70]},{"name":"CTRY_THAILAND","features":[70]},{"name":"CTRY_TRINIDAD_Y_TOBAGO","features":[70]},{"name":"CTRY_TUNISIA","features":[70]},{"name":"CTRY_TURKEY","features":[70]},{"name":"CTRY_UAE","features":[70]},{"name":"CTRY_UKRAINE","features":[70]},{"name":"CTRY_UNITED_KINGDOM","features":[70]},{"name":"CTRY_UNITED_STATES","features":[70]},{"name":"CTRY_URUGUAY","features":[70]},{"name":"CTRY_UZBEKISTAN","features":[70]},{"name":"CTRY_VENEZUELA","features":[70]},{"name":"CTRY_VIET_NAM","features":[70]},{"name":"CTRY_YEMEN","features":[70]},{"name":"CTRY_ZIMBABWE","features":[70]},{"name":"CT_CTYPE1","features":[70]},{"name":"CT_CTYPE2","features":[70]},{"name":"CT_CTYPE3","features":[70]},{"name":"CURRENCYFMTA","features":[70]},{"name":"CURRENCYFMTW","features":[70]},{"name":"CompareStringA","features":[70]},{"name":"CompareStringEx","features":[1,70]},{"name":"CompareStringOrdinal","features":[1,70]},{"name":"CompareStringW","features":[70]},{"name":"ConvertCalDateTimeToSystemTime","features":[1,70]},{"name":"ConvertDefaultLocale","features":[70]},{"name":"ConvertSystemTimeToCalDateTime","features":[1,70]},{"name":"DATEFMT_ENUMPROCA","features":[1,70]},{"name":"DATEFMT_ENUMPROCEXA","features":[1,70]},{"name":"DATEFMT_ENUMPROCEXEX","features":[1,70]},{"name":"DATEFMT_ENUMPROCEXW","features":[1,70]},{"name":"DATEFMT_ENUMPROCW","features":[1,70]},{"name":"DATE_AUTOLAYOUT","features":[70]},{"name":"DATE_LONGDATE","features":[70]},{"name":"DATE_LTRREADING","features":[70]},{"name":"DATE_MONTHDAY","features":[70]},{"name":"DATE_RTLREADING","features":[70]},{"name":"DATE_SHORTDATE","features":[70]},{"name":"DATE_USE_ALT_CALENDAR","features":[70]},{"name":"DATE_YEARMONTH","features":[70]},{"name":"DayUnit","features":[70]},{"name":"DetectEncodingInfo","features":[70]},{"name":"ELS_GUID_LANGUAGE_DETECTION","features":[70]},{"name":"ELS_GUID_SCRIPT_DETECTION","features":[70]},{"name":"ELS_GUID_TRANSLITERATION_BENGALI_TO_LATIN","features":[70]},{"name":"ELS_GUID_TRANSLITERATION_CYRILLIC_TO_LATIN","features":[70]},{"name":"ELS_GUID_TRANSLITERATION_DEVANAGARI_TO_LATIN","features":[70]},{"name":"ELS_GUID_TRANSLITERATION_HANGUL_DECOMPOSITION","features":[70]},{"name":"ELS_GUID_TRANSLITERATION_HANS_TO_HANT","features":[70]},{"name":"ELS_GUID_TRANSLITERATION_HANT_TO_HANS","features":[70]},{"name":"ELS_GUID_TRANSLITERATION_MALAYALAM_TO_LATIN","features":[70]},{"name":"ENUMTEXTMETRICA","features":[70,12]},{"name":"ENUMTEXTMETRICW","features":[70,12]},{"name":"ENUM_ALL_CALENDARS","features":[70]},{"name":"ENUM_DATE_FORMATS_FLAGS","features":[70]},{"name":"ENUM_SYSTEM_CODE_PAGES_FLAGS","features":[70]},{"name":"ENUM_SYSTEM_LANGUAGE_GROUPS_FLAGS","features":[70]},{"name":"EnumCalendarInfoA","features":[1,70]},{"name":"EnumCalendarInfoExA","features":[1,70]},{"name":"EnumCalendarInfoExEx","features":[1,70]},{"name":"EnumCalendarInfoExW","features":[1,70]},{"name":"EnumCalendarInfoW","features":[1,70]},{"name":"EnumDateFormatsA","features":[1,70]},{"name":"EnumDateFormatsExA","features":[1,70]},{"name":"EnumDateFormatsExEx","features":[1,70]},{"name":"EnumDateFormatsExW","features":[1,70]},{"name":"EnumDateFormatsW","features":[1,70]},{"name":"EnumLanguageGroupLocalesA","features":[1,70]},{"name":"EnumLanguageGroupLocalesW","features":[1,70]},{"name":"EnumSystemCodePagesA","features":[1,70]},{"name":"EnumSystemCodePagesW","features":[1,70]},{"name":"EnumSystemGeoID","features":[1,70]},{"name":"EnumSystemGeoNames","features":[1,70]},{"name":"EnumSystemLanguageGroupsA","features":[1,70]},{"name":"EnumSystemLanguageGroupsW","features":[1,70]},{"name":"EnumSystemLocalesA","features":[1,70]},{"name":"EnumSystemLocalesEx","features":[1,70]},{"name":"EnumSystemLocalesW","features":[1,70]},{"name":"EnumTimeFormatsA","features":[1,70]},{"name":"EnumTimeFormatsEx","features":[1,70]},{"name":"EnumTimeFormatsW","features":[1,70]},{"name":"EnumUILanguagesA","features":[1,70]},{"name":"EnumUILanguagesW","features":[1,70]},{"name":"EraUnit","features":[70]},{"name":"FILEMUIINFO","features":[70]},{"name":"FIND_ENDSWITH","features":[70]},{"name":"FIND_FROMEND","features":[70]},{"name":"FIND_FROMSTART","features":[70]},{"name":"FIND_STARTSWITH","features":[70]},{"name":"FOLD_STRING_MAP_FLAGS","features":[70]},{"name":"FONTSIGNATURE","features":[70]},{"name":"FindNLSString","features":[70]},{"name":"FindNLSStringEx","features":[1,70]},{"name":"FindStringOrdinal","features":[1,70]},{"name":"FoldStringA","features":[70]},{"name":"FoldStringW","features":[70]},{"name":"GEOCLASS_ALL","features":[70]},{"name":"GEOCLASS_NATION","features":[70]},{"name":"GEOCLASS_REGION","features":[70]},{"name":"GEOID_NOT_AVAILABLE","features":[70]},{"name":"GEO_CURRENCYCODE","features":[70]},{"name":"GEO_CURRENCYSYMBOL","features":[70]},{"name":"GEO_DIALINGCODE","features":[70]},{"name":"GEO_ENUMNAMEPROC","features":[1,70]},{"name":"GEO_ENUMPROC","features":[1,70]},{"name":"GEO_FRIENDLYNAME","features":[70]},{"name":"GEO_ID","features":[70]},{"name":"GEO_ISO2","features":[70]},{"name":"GEO_ISO3","features":[70]},{"name":"GEO_ISO_UN_NUMBER","features":[70]},{"name":"GEO_LATITUDE","features":[70]},{"name":"GEO_LCID","features":[70]},{"name":"GEO_LONGITUDE","features":[70]},{"name":"GEO_NAME","features":[70]},{"name":"GEO_NATION","features":[70]},{"name":"GEO_OFFICIALLANGUAGES","features":[70]},{"name":"GEO_OFFICIALNAME","features":[70]},{"name":"GEO_PARENT","features":[70]},{"name":"GEO_RFC1766","features":[70]},{"name":"GEO_TIMEZONES","features":[70]},{"name":"GOFFSET","features":[70]},{"name":"GSS_ALLOW_INHERITED_COMMON","features":[70]},{"name":"GetACP","features":[70]},{"name":"GetCPInfo","features":[1,70]},{"name":"GetCPInfoExA","features":[1,70]},{"name":"GetCPInfoExW","features":[1,70]},{"name":"GetCalendarDateFormatEx","features":[1,70]},{"name":"GetCalendarInfoA","features":[70]},{"name":"GetCalendarInfoEx","features":[70]},{"name":"GetCalendarInfoW","features":[70]},{"name":"GetCalendarSupportedDateRange","features":[1,70]},{"name":"GetCurrencyFormatA","features":[70]},{"name":"GetCurrencyFormatEx","features":[70]},{"name":"GetCurrencyFormatW","features":[70]},{"name":"GetDateFormatA","features":[1,70]},{"name":"GetDateFormatEx","features":[1,70]},{"name":"GetDateFormatW","features":[1,70]},{"name":"GetDistanceOfClosestLanguageInList","features":[70]},{"name":"GetDurationFormat","features":[1,70]},{"name":"GetDurationFormatEx","features":[1,70]},{"name":"GetFileMUIInfo","features":[1,70]},{"name":"GetFileMUIPath","features":[1,70]},{"name":"GetGeoInfoA","features":[70]},{"name":"GetGeoInfoEx","features":[70]},{"name":"GetGeoInfoW","features":[70]},{"name":"GetLocaleInfoA","features":[70]},{"name":"GetLocaleInfoEx","features":[70]},{"name":"GetLocaleInfoW","features":[70]},{"name":"GetNLSVersion","features":[1,70]},{"name":"GetNLSVersionEx","features":[1,70]},{"name":"GetNumberFormatA","features":[70]},{"name":"GetNumberFormatEx","features":[70]},{"name":"GetNumberFormatW","features":[70]},{"name":"GetOEMCP","features":[70]},{"name":"GetProcessPreferredUILanguages","features":[1,70]},{"name":"GetStringScripts","features":[70]},{"name":"GetStringTypeA","features":[1,70]},{"name":"GetStringTypeExA","features":[1,70]},{"name":"GetStringTypeExW","features":[1,70]},{"name":"GetStringTypeW","features":[1,70]},{"name":"GetSystemDefaultLCID","features":[70]},{"name":"GetSystemDefaultLangID","features":[70]},{"name":"GetSystemDefaultLocaleName","features":[70]},{"name":"GetSystemDefaultUILanguage","features":[70]},{"name":"GetSystemPreferredUILanguages","features":[1,70]},{"name":"GetTextCharset","features":[70,12]},{"name":"GetTextCharsetInfo","features":[70,12]},{"name":"GetThreadLocale","features":[70]},{"name":"GetThreadPreferredUILanguages","features":[1,70]},{"name":"GetThreadUILanguage","features":[70]},{"name":"GetTimeFormatA","features":[1,70]},{"name":"GetTimeFormatEx","features":[1,70]},{"name":"GetTimeFormatW","features":[1,70]},{"name":"GetUILanguageInfo","features":[1,70]},{"name":"GetUserDefaultGeoName","features":[70]},{"name":"GetUserDefaultLCID","features":[70]},{"name":"GetUserDefaultLangID","features":[70]},{"name":"GetUserDefaultLocaleName","features":[70]},{"name":"GetUserDefaultUILanguage","features":[70]},{"name":"GetUserGeoID","features":[70]},{"name":"GetUserPreferredUILanguages","features":[1,70]},{"name":"HIGHLEVEL_SERVICE_TYPES","features":[70]},{"name":"HIGH_SURROGATE_END","features":[70]},{"name":"HIGH_SURROGATE_START","features":[70]},{"name":"HIMC","features":[70]},{"name":"HIMCC","features":[70]},{"name":"HSAVEDUILANGUAGES","features":[70]},{"name":"HourUnit","features":[70]},{"name":"IComprehensiveSpellCheckProvider","features":[70]},{"name":"IDN_ALLOW_UNASSIGNED","features":[70]},{"name":"IDN_EMAIL_ADDRESS","features":[70]},{"name":"IDN_RAW_PUNYCODE","features":[70]},{"name":"IDN_USE_STD3_ASCII_RULES","features":[70]},{"name":"IEnumCodePage","features":[70]},{"name":"IEnumRfc1766","features":[70]},{"name":"IEnumScript","features":[70]},{"name":"IEnumSpellingError","features":[70]},{"name":"IMLangCodePages","features":[70]},{"name":"IMLangConvertCharset","features":[70]},{"name":"IMLangFontLink","features":[70]},{"name":"IMLangFontLink2","features":[70]},{"name":"IMLangLineBreakConsole","features":[70]},{"name":"IMLangString","features":[70]},{"name":"IMLangStringAStr","features":[70]},{"name":"IMLangStringBufA","features":[70]},{"name":"IMLangStringBufW","features":[70]},{"name":"IMLangStringWStr","features":[70]},{"name":"IMultiLanguage","features":[70]},{"name":"IMultiLanguage2","features":[70]},{"name":"IMultiLanguage3","features":[70]},{"name":"IOptionDescription","features":[70]},{"name":"IS_TEXT_UNICODE_ASCII16","features":[70]},{"name":"IS_TEXT_UNICODE_CONTROLS","features":[70]},{"name":"IS_TEXT_UNICODE_ILLEGAL_CHARS","features":[70]},{"name":"IS_TEXT_UNICODE_NOT_ASCII_MASK","features":[70]},{"name":"IS_TEXT_UNICODE_NOT_UNICODE_MASK","features":[70]},{"name":"IS_TEXT_UNICODE_NULL_BYTES","features":[70]},{"name":"IS_TEXT_UNICODE_ODD_LENGTH","features":[70]},{"name":"IS_TEXT_UNICODE_RESULT","features":[70]},{"name":"IS_TEXT_UNICODE_REVERSE_ASCII16","features":[70]},{"name":"IS_TEXT_UNICODE_REVERSE_CONTROLS","features":[70]},{"name":"IS_TEXT_UNICODE_REVERSE_MASK","features":[70]},{"name":"IS_TEXT_UNICODE_REVERSE_SIGNATURE","features":[70]},{"name":"IS_TEXT_UNICODE_REVERSE_STATISTICS","features":[70]},{"name":"IS_TEXT_UNICODE_SIGNATURE","features":[70]},{"name":"IS_TEXT_UNICODE_STATISTICS","features":[70]},{"name":"IS_TEXT_UNICODE_UNICODE_MASK","features":[70]},{"name":"IS_VALID_LOCALE_FLAGS","features":[70]},{"name":"ISpellCheckProvider","features":[70]},{"name":"ISpellCheckProviderFactory","features":[70]},{"name":"ISpellChecker","features":[70]},{"name":"ISpellChecker2","features":[70]},{"name":"ISpellCheckerChangedEventHandler","features":[70]},{"name":"ISpellCheckerFactory","features":[70]},{"name":"ISpellingError","features":[70]},{"name":"IUserDictionariesRegistrar","features":[70]},{"name":"IdnToAscii","features":[70]},{"name":"IdnToNameprepUnicode","features":[70]},{"name":"IdnToUnicode","features":[70]},{"name":"IsCalendarLeapYear","features":[1,70]},{"name":"IsDBCSLeadByte","features":[1,70]},{"name":"IsDBCSLeadByteEx","features":[1,70]},{"name":"IsNLSDefinedString","features":[1,70]},{"name":"IsNormalizedString","features":[1,70]},{"name":"IsTextUnicode","features":[1,70]},{"name":"IsValidCodePage","features":[1,70]},{"name":"IsValidLanguageGroup","features":[1,70]},{"name":"IsValidLocale","features":[1,70]},{"name":"IsValidLocaleName","features":[1,70]},{"name":"IsValidNLSVersion","features":[70]},{"name":"IsWellFormedTag","features":[70]},{"name":"LANGGROUPLOCALE_ENUMPROCA","features":[1,70]},{"name":"LANGGROUPLOCALE_ENUMPROCW","features":[1,70]},{"name":"LANGUAGEGROUP_ENUMPROCA","features":[1,70]},{"name":"LANGUAGEGROUP_ENUMPROCW","features":[1,70]},{"name":"LCIDToLocaleName","features":[70]},{"name":"LCID_ALTERNATE_SORTS","features":[70]},{"name":"LCID_INSTALLED","features":[70]},{"name":"LCID_SUPPORTED","features":[70]},{"name":"LCMAP_BYTEREV","features":[70]},{"name":"LCMAP_FULLWIDTH","features":[70]},{"name":"LCMAP_HALFWIDTH","features":[70]},{"name":"LCMAP_HASH","features":[70]},{"name":"LCMAP_HIRAGANA","features":[70]},{"name":"LCMAP_KATAKANA","features":[70]},{"name":"LCMAP_LINGUISTIC_CASING","features":[70]},{"name":"LCMAP_LOWERCASE","features":[70]},{"name":"LCMAP_SIMPLIFIED_CHINESE","features":[70]},{"name":"LCMAP_SORTHANDLE","features":[70]},{"name":"LCMAP_SORTKEY","features":[70]},{"name":"LCMAP_TITLECASE","features":[70]},{"name":"LCMAP_TRADITIONAL_CHINESE","features":[70]},{"name":"LCMAP_UPPERCASE","features":[70]},{"name":"LCMapStringA","features":[70]},{"name":"LCMapStringEx","features":[1,70]},{"name":"LCMapStringW","features":[70]},{"name":"LGRPID_ARABIC","features":[70]},{"name":"LGRPID_ARMENIAN","features":[70]},{"name":"LGRPID_BALTIC","features":[70]},{"name":"LGRPID_CENTRAL_EUROPE","features":[70]},{"name":"LGRPID_CYRILLIC","features":[70]},{"name":"LGRPID_GEORGIAN","features":[70]},{"name":"LGRPID_GREEK","features":[70]},{"name":"LGRPID_HEBREW","features":[70]},{"name":"LGRPID_INDIC","features":[70]},{"name":"LGRPID_INSTALLED","features":[70]},{"name":"LGRPID_JAPANESE","features":[70]},{"name":"LGRPID_KOREAN","features":[70]},{"name":"LGRPID_SIMPLIFIED_CHINESE","features":[70]},{"name":"LGRPID_SUPPORTED","features":[70]},{"name":"LGRPID_THAI","features":[70]},{"name":"LGRPID_TRADITIONAL_CHINESE","features":[70]},{"name":"LGRPID_TURKIC","features":[70]},{"name":"LGRPID_TURKISH","features":[70]},{"name":"LGRPID_VIETNAMESE","features":[70]},{"name":"LGRPID_WESTERN_EUROPE","features":[70]},{"name":"LINGUISTIC_IGNORECASE","features":[70]},{"name":"LINGUISTIC_IGNOREDIACRITIC","features":[70]},{"name":"LOCALESIGNATURE","features":[70]},{"name":"LOCALE_ALL","features":[70]},{"name":"LOCALE_ALLOW_NEUTRAL_NAMES","features":[70]},{"name":"LOCALE_ALTERNATE_SORTS","features":[70]},{"name":"LOCALE_ENUMPROCA","features":[1,70]},{"name":"LOCALE_ENUMPROCEX","features":[1,70]},{"name":"LOCALE_ENUMPROCW","features":[1,70]},{"name":"LOCALE_FONTSIGNATURE","features":[70]},{"name":"LOCALE_ICALENDARTYPE","features":[70]},{"name":"LOCALE_ICENTURY","features":[70]},{"name":"LOCALE_ICONSTRUCTEDLOCALE","features":[70]},{"name":"LOCALE_ICOUNTRY","features":[70]},{"name":"LOCALE_ICURRDIGITS","features":[70]},{"name":"LOCALE_ICURRENCY","features":[70]},{"name":"LOCALE_IDATE","features":[70]},{"name":"LOCALE_IDAYLZERO","features":[70]},{"name":"LOCALE_IDEFAULTANSICODEPAGE","features":[70]},{"name":"LOCALE_IDEFAULTCODEPAGE","features":[70]},{"name":"LOCALE_IDEFAULTCOUNTRY","features":[70]},{"name":"LOCALE_IDEFAULTEBCDICCODEPAGE","features":[70]},{"name":"LOCALE_IDEFAULTLANGUAGE","features":[70]},{"name":"LOCALE_IDEFAULTMACCODEPAGE","features":[70]},{"name":"LOCALE_IDIALINGCODE","features":[70]},{"name":"LOCALE_IDIGITS","features":[70]},{"name":"LOCALE_IDIGITSUBSTITUTION","features":[70]},{"name":"LOCALE_IFIRSTDAYOFWEEK","features":[70]},{"name":"LOCALE_IFIRSTWEEKOFYEAR","features":[70]},{"name":"LOCALE_IGEOID","features":[70]},{"name":"LOCALE_IINTLCURRDIGITS","features":[70]},{"name":"LOCALE_ILANGUAGE","features":[70]},{"name":"LOCALE_ILDATE","features":[70]},{"name":"LOCALE_ILZERO","features":[70]},{"name":"LOCALE_IMEASURE","features":[70]},{"name":"LOCALE_IMONLZERO","features":[70]},{"name":"LOCALE_INEGATIVEPERCENT","features":[70]},{"name":"LOCALE_INEGCURR","features":[70]},{"name":"LOCALE_INEGNUMBER","features":[70]},{"name":"LOCALE_INEGSEPBYSPACE","features":[70]},{"name":"LOCALE_INEGSIGNPOSN","features":[70]},{"name":"LOCALE_INEGSYMPRECEDES","features":[70]},{"name":"LOCALE_INEUTRAL","features":[70]},{"name":"LOCALE_IOPTIONALCALENDAR","features":[70]},{"name":"LOCALE_IPAPERSIZE","features":[70]},{"name":"LOCALE_IPOSITIVEPERCENT","features":[70]},{"name":"LOCALE_IPOSSEPBYSPACE","features":[70]},{"name":"LOCALE_IPOSSIGNPOSN","features":[70]},{"name":"LOCALE_IPOSSYMPRECEDES","features":[70]},{"name":"LOCALE_IREADINGLAYOUT","features":[70]},{"name":"LOCALE_ITIME","features":[70]},{"name":"LOCALE_ITIMEMARKPOSN","features":[70]},{"name":"LOCALE_ITLZERO","features":[70]},{"name":"LOCALE_IUSEUTF8LEGACYACP","features":[70]},{"name":"LOCALE_IUSEUTF8LEGACYOEMCP","features":[70]},{"name":"LOCALE_NAME_INVARIANT","features":[70]},{"name":"LOCALE_NAME_SYSTEM_DEFAULT","features":[70]},{"name":"LOCALE_NEUTRALDATA","features":[70]},{"name":"LOCALE_NOUSEROVERRIDE","features":[70]},{"name":"LOCALE_REPLACEMENT","features":[70]},{"name":"LOCALE_RETURN_GENITIVE_NAMES","features":[70]},{"name":"LOCALE_RETURN_NUMBER","features":[70]},{"name":"LOCALE_S1159","features":[70]},{"name":"LOCALE_S2359","features":[70]},{"name":"LOCALE_SABBREVCTRYNAME","features":[70]},{"name":"LOCALE_SABBREVDAYNAME1","features":[70]},{"name":"LOCALE_SABBREVDAYNAME2","features":[70]},{"name":"LOCALE_SABBREVDAYNAME3","features":[70]},{"name":"LOCALE_SABBREVDAYNAME4","features":[70]},{"name":"LOCALE_SABBREVDAYNAME5","features":[70]},{"name":"LOCALE_SABBREVDAYNAME6","features":[70]},{"name":"LOCALE_SABBREVDAYNAME7","features":[70]},{"name":"LOCALE_SABBREVLANGNAME","features":[70]},{"name":"LOCALE_SABBREVMONTHNAME1","features":[70]},{"name":"LOCALE_SABBREVMONTHNAME10","features":[70]},{"name":"LOCALE_SABBREVMONTHNAME11","features":[70]},{"name":"LOCALE_SABBREVMONTHNAME12","features":[70]},{"name":"LOCALE_SABBREVMONTHNAME13","features":[70]},{"name":"LOCALE_SABBREVMONTHNAME2","features":[70]},{"name":"LOCALE_SABBREVMONTHNAME3","features":[70]},{"name":"LOCALE_SABBREVMONTHNAME4","features":[70]},{"name":"LOCALE_SABBREVMONTHNAME5","features":[70]},{"name":"LOCALE_SABBREVMONTHNAME6","features":[70]},{"name":"LOCALE_SABBREVMONTHNAME7","features":[70]},{"name":"LOCALE_SABBREVMONTHNAME8","features":[70]},{"name":"LOCALE_SABBREVMONTHNAME9","features":[70]},{"name":"LOCALE_SAM","features":[70]},{"name":"LOCALE_SCONSOLEFALLBACKNAME","features":[70]},{"name":"LOCALE_SCOUNTRY","features":[70]},{"name":"LOCALE_SCURRENCY","features":[70]},{"name":"LOCALE_SDATE","features":[70]},{"name":"LOCALE_SDAYNAME1","features":[70]},{"name":"LOCALE_SDAYNAME2","features":[70]},{"name":"LOCALE_SDAYNAME3","features":[70]},{"name":"LOCALE_SDAYNAME4","features":[70]},{"name":"LOCALE_SDAYNAME5","features":[70]},{"name":"LOCALE_SDAYNAME6","features":[70]},{"name":"LOCALE_SDAYNAME7","features":[70]},{"name":"LOCALE_SDECIMAL","features":[70]},{"name":"LOCALE_SDURATION","features":[70]},{"name":"LOCALE_SENGCOUNTRY","features":[70]},{"name":"LOCALE_SENGCURRNAME","features":[70]},{"name":"LOCALE_SENGLANGUAGE","features":[70]},{"name":"LOCALE_SENGLISHCOUNTRYNAME","features":[70]},{"name":"LOCALE_SENGLISHDISPLAYNAME","features":[70]},{"name":"LOCALE_SENGLISHLANGUAGENAME","features":[70]},{"name":"LOCALE_SGROUPING","features":[70]},{"name":"LOCALE_SINTLSYMBOL","features":[70]},{"name":"LOCALE_SISO3166CTRYNAME","features":[70]},{"name":"LOCALE_SISO3166CTRYNAME2","features":[70]},{"name":"LOCALE_SISO639LANGNAME","features":[70]},{"name":"LOCALE_SISO639LANGNAME2","features":[70]},{"name":"LOCALE_SKEYBOARDSTOINSTALL","features":[70]},{"name":"LOCALE_SLANGDISPLAYNAME","features":[70]},{"name":"LOCALE_SLANGUAGE","features":[70]},{"name":"LOCALE_SLIST","features":[70]},{"name":"LOCALE_SLOCALIZEDCOUNTRYNAME","features":[70]},{"name":"LOCALE_SLOCALIZEDDISPLAYNAME","features":[70]},{"name":"LOCALE_SLOCALIZEDLANGUAGENAME","features":[70]},{"name":"LOCALE_SLONGDATE","features":[70]},{"name":"LOCALE_SMONDECIMALSEP","features":[70]},{"name":"LOCALE_SMONGROUPING","features":[70]},{"name":"LOCALE_SMONTHDAY","features":[70]},{"name":"LOCALE_SMONTHNAME1","features":[70]},{"name":"LOCALE_SMONTHNAME10","features":[70]},{"name":"LOCALE_SMONTHNAME11","features":[70]},{"name":"LOCALE_SMONTHNAME12","features":[70]},{"name":"LOCALE_SMONTHNAME13","features":[70]},{"name":"LOCALE_SMONTHNAME2","features":[70]},{"name":"LOCALE_SMONTHNAME3","features":[70]},{"name":"LOCALE_SMONTHNAME4","features":[70]},{"name":"LOCALE_SMONTHNAME5","features":[70]},{"name":"LOCALE_SMONTHNAME6","features":[70]},{"name":"LOCALE_SMONTHNAME7","features":[70]},{"name":"LOCALE_SMONTHNAME8","features":[70]},{"name":"LOCALE_SMONTHNAME9","features":[70]},{"name":"LOCALE_SMONTHOUSANDSEP","features":[70]},{"name":"LOCALE_SNAME","features":[70]},{"name":"LOCALE_SNAN","features":[70]},{"name":"LOCALE_SNATIVECOUNTRYNAME","features":[70]},{"name":"LOCALE_SNATIVECTRYNAME","features":[70]},{"name":"LOCALE_SNATIVECURRNAME","features":[70]},{"name":"LOCALE_SNATIVEDIGITS","features":[70]},{"name":"LOCALE_SNATIVEDISPLAYNAME","features":[70]},{"name":"LOCALE_SNATIVELANGNAME","features":[70]},{"name":"LOCALE_SNATIVELANGUAGENAME","features":[70]},{"name":"LOCALE_SNEGATIVESIGN","features":[70]},{"name":"LOCALE_SNEGINFINITY","features":[70]},{"name":"LOCALE_SOPENTYPELANGUAGETAG","features":[70]},{"name":"LOCALE_SPARENT","features":[70]},{"name":"LOCALE_SPECIFICDATA","features":[70]},{"name":"LOCALE_SPERCENT","features":[70]},{"name":"LOCALE_SPERMILLE","features":[70]},{"name":"LOCALE_SPM","features":[70]},{"name":"LOCALE_SPOSINFINITY","features":[70]},{"name":"LOCALE_SPOSITIVESIGN","features":[70]},{"name":"LOCALE_SRELATIVELONGDATE","features":[70]},{"name":"LOCALE_SSCRIPTS","features":[70]},{"name":"LOCALE_SSHORTDATE","features":[70]},{"name":"LOCALE_SSHORTESTAM","features":[70]},{"name":"LOCALE_SSHORTESTDAYNAME1","features":[70]},{"name":"LOCALE_SSHORTESTDAYNAME2","features":[70]},{"name":"LOCALE_SSHORTESTDAYNAME3","features":[70]},{"name":"LOCALE_SSHORTESTDAYNAME4","features":[70]},{"name":"LOCALE_SSHORTESTDAYNAME5","features":[70]},{"name":"LOCALE_SSHORTESTDAYNAME6","features":[70]},{"name":"LOCALE_SSHORTESTDAYNAME7","features":[70]},{"name":"LOCALE_SSHORTESTPM","features":[70]},{"name":"LOCALE_SSHORTTIME","features":[70]},{"name":"LOCALE_SSORTLOCALE","features":[70]},{"name":"LOCALE_SSORTNAME","features":[70]},{"name":"LOCALE_STHOUSAND","features":[70]},{"name":"LOCALE_STIME","features":[70]},{"name":"LOCALE_STIMEFORMAT","features":[70]},{"name":"LOCALE_SUPPLEMENTAL","features":[70]},{"name":"LOCALE_SYEARMONTH","features":[70]},{"name":"LOCALE_USE_CP_ACP","features":[70]},{"name":"LOCALE_WINDOWS","features":[70]},{"name":"LOWLEVEL_SERVICE_TYPES","features":[70]},{"name":"LOW_SURROGATE_END","features":[70]},{"name":"LOW_SURROGATE_START","features":[70]},{"name":"LocaleNameToLCID","features":[70]},{"name":"MAPPING_DATA_RANGE","features":[70]},{"name":"MAPPING_ENUM_OPTIONS","features":[70]},{"name":"MAPPING_OPTIONS","features":[70]},{"name":"MAPPING_PROPERTY_BAG","features":[70]},{"name":"MAPPING_SERVICE_INFO","features":[70]},{"name":"MAP_COMPOSITE","features":[70]},{"name":"MAP_EXPAND_LIGATURES","features":[70]},{"name":"MAP_FOLDCZONE","features":[70]},{"name":"MAP_FOLDDIGITS","features":[70]},{"name":"MAP_PRECOMPOSED","features":[70]},{"name":"MAX_DEFAULTCHAR","features":[70]},{"name":"MAX_LEADBYTES","features":[70]},{"name":"MAX_LOCALE_NAME","features":[70]},{"name":"MAX_MIMECP_NAME","features":[70]},{"name":"MAX_MIMECSET_NAME","features":[70]},{"name":"MAX_MIMEFACE_NAME","features":[70]},{"name":"MAX_RFC1766_NAME","features":[70]},{"name":"MAX_SCRIPT_NAME","features":[70]},{"name":"MB_COMPOSITE","features":[70]},{"name":"MB_ERR_INVALID_CHARS","features":[70]},{"name":"MB_PRECOMPOSED","features":[70]},{"name":"MB_USEGLYPHCHARS","features":[70]},{"name":"MIMECONTF","features":[70]},{"name":"MIMECONTF_BROWSER","features":[70]},{"name":"MIMECONTF_EXPORT","features":[70]},{"name":"MIMECONTF_IMPORT","features":[70]},{"name":"MIMECONTF_MAILNEWS","features":[70]},{"name":"MIMECONTF_MIME_IE4","features":[70]},{"name":"MIMECONTF_MIME_LATEST","features":[70]},{"name":"MIMECONTF_MIME_REGISTRY","features":[70]},{"name":"MIMECONTF_MINIMAL","features":[70]},{"name":"MIMECONTF_PRIVCONVERTER","features":[70]},{"name":"MIMECONTF_SAVABLE_BROWSER","features":[70]},{"name":"MIMECONTF_SAVABLE_MAILNEWS","features":[70]},{"name":"MIMECONTF_VALID","features":[70]},{"name":"MIMECONTF_VALID_NLS","features":[70]},{"name":"MIMECPINFO","features":[70]},{"name":"MIMECSETINFO","features":[70]},{"name":"MIN_SPELLING_NTDDI","features":[70]},{"name":"MLCONVCHAR","features":[70]},{"name":"MLCONVCHARF_AUTODETECT","features":[70]},{"name":"MLCONVCHARF_DETECTJPN","features":[70]},{"name":"MLCONVCHARF_ENTITIZE","features":[70]},{"name":"MLCONVCHARF_NAME_ENTITIZE","features":[70]},{"name":"MLCONVCHARF_NCR_ENTITIZE","features":[70]},{"name":"MLCONVCHARF_NOBESTFITCHARS","features":[70]},{"name":"MLCONVCHARF_USEDEFCHAR","features":[70]},{"name":"MLCP","features":[70]},{"name":"MLDETECTCP","features":[70]},{"name":"MLDETECTCP_7BIT","features":[70]},{"name":"MLDETECTCP_8BIT","features":[70]},{"name":"MLDETECTCP_DBCS","features":[70]},{"name":"MLDETECTCP_HTML","features":[70]},{"name":"MLDETECTCP_NONE","features":[70]},{"name":"MLDETECTCP_NUMBER","features":[70]},{"name":"MLDETECTF_BROWSER","features":[70]},{"name":"MLDETECTF_EURO_UTF8","features":[70]},{"name":"MLDETECTF_FILTER_SPECIALCHAR","features":[70]},{"name":"MLDETECTF_MAILNEWS","features":[70]},{"name":"MLDETECTF_PREFERRED_ONLY","features":[70]},{"name":"MLDETECTF_PRESERVE_ORDER","features":[70]},{"name":"MLDETECTF_VALID","features":[70]},{"name":"MLDETECTF_VALID_NLS","features":[70]},{"name":"MLSTR_FLAGS","features":[70]},{"name":"MLSTR_READ","features":[70]},{"name":"MLSTR_WRITE","features":[70]},{"name":"MUI_COMPLEX_SCRIPT_FILTER","features":[70]},{"name":"MUI_CONSOLE_FILTER","features":[70]},{"name":"MUI_FILEINFO_VERSION","features":[70]},{"name":"MUI_FILETYPE_LANGUAGE_NEUTRAL_MAIN","features":[70]},{"name":"MUI_FILETYPE_LANGUAGE_NEUTRAL_MUI","features":[70]},{"name":"MUI_FILETYPE_NOT_LANGUAGE_NEUTRAL","features":[70]},{"name":"MUI_FORMAT_INF_COMPAT","features":[70]},{"name":"MUI_FORMAT_REG_COMPAT","features":[70]},{"name":"MUI_FULL_LANGUAGE","features":[70]},{"name":"MUI_IMMUTABLE_LOOKUP","features":[70]},{"name":"MUI_LANGUAGE_EXACT","features":[70]},{"name":"MUI_LANGUAGE_ID","features":[70]},{"name":"MUI_LANGUAGE_INSTALLED","features":[70]},{"name":"MUI_LANGUAGE_LICENSED","features":[70]},{"name":"MUI_LANGUAGE_NAME","features":[70]},{"name":"MUI_LANG_NEUTRAL_PE_FILE","features":[70]},{"name":"MUI_LIP_LANGUAGE","features":[70]},{"name":"MUI_MACHINE_LANGUAGE_SETTINGS","features":[70]},{"name":"MUI_MERGE_SYSTEM_FALLBACK","features":[70]},{"name":"MUI_MERGE_USER_FALLBACK","features":[70]},{"name":"MUI_NON_LANG_NEUTRAL_FILE","features":[70]},{"name":"MUI_PARTIAL_LANGUAGE","features":[70]},{"name":"MUI_QUERY_CHECKSUM","features":[70]},{"name":"MUI_QUERY_LANGUAGE_NAME","features":[70]},{"name":"MUI_QUERY_RESOURCE_TYPES","features":[70]},{"name":"MUI_QUERY_TYPE","features":[70]},{"name":"MUI_RESET_FILTERS","features":[70]},{"name":"MUI_SKIP_STRING_CACHE","features":[70]},{"name":"MUI_THREAD_LANGUAGES","features":[70]},{"name":"MUI_USER_PREFERRED_UI_LANGUAGES","features":[70]},{"name":"MUI_USE_INSTALLED_LANGUAGES","features":[70]},{"name":"MUI_USE_SEARCH_ALL_LANGUAGES","features":[70]},{"name":"MUI_VERIFY_FILE_EXISTS","features":[70]},{"name":"MULTI_BYTE_TO_WIDE_CHAR_FLAGS","features":[70]},{"name":"MappingDoAction","features":[70]},{"name":"MappingFreePropertyBag","features":[70]},{"name":"MappingFreeServices","features":[70]},{"name":"MappingGetServices","features":[70]},{"name":"MappingRecognizeText","features":[70]},{"name":"MinuteUnit","features":[70]},{"name":"MonthUnit","features":[70]},{"name":"MultiByteToWideChar","features":[70]},{"name":"NEWTEXTMETRICEXA","features":[70,12]},{"name":"NEWTEXTMETRICEXW","features":[70,12]},{"name":"NLSVERSIONINFO","features":[70]},{"name":"NLSVERSIONINFOEX","features":[70]},{"name":"NLS_CP_CPINFO","features":[70]},{"name":"NLS_CP_MBTOWC","features":[70]},{"name":"NLS_CP_WCTOMB","features":[70]},{"name":"NORM_FORM","features":[70]},{"name":"NORM_IGNORECASE","features":[70]},{"name":"NORM_IGNOREKANATYPE","features":[70]},{"name":"NORM_IGNORENONSPACE","features":[70]},{"name":"NORM_IGNORESYMBOLS","features":[70]},{"name":"NORM_IGNOREWIDTH","features":[70]},{"name":"NORM_LINGUISTIC_CASING","features":[70]},{"name":"NUMBERFMTA","features":[70]},{"name":"NUMBERFMTW","features":[70]},{"name":"NUMSYS_NAME_CAPACITY","features":[70]},{"name":"NormalizationC","features":[70]},{"name":"NormalizationD","features":[70]},{"name":"NormalizationKC","features":[70]},{"name":"NormalizationKD","features":[70]},{"name":"NormalizationOther","features":[70]},{"name":"NormalizeString","features":[70]},{"name":"NotifyUILanguageChange","features":[1,70]},{"name":"OFFLINE_SERVICES","features":[70]},{"name":"ONLINE_SERVICES","features":[70]},{"name":"OPENTYPE_FEATURE_RECORD","features":[70]},{"name":"PFN_MAPPINGCALLBACKPROC","features":[70]},{"name":"RFC1766INFO","features":[70]},{"name":"ResolveLocaleName","features":[70]},{"name":"RestoreThreadPreferredUILanguages","features":[70]},{"name":"SCRIPTCONTF","features":[70]},{"name":"SCRIPTCONTF_FIXED_FONT","features":[70]},{"name":"SCRIPTCONTF_PROPORTIONAL_FONT","features":[70]},{"name":"SCRIPTCONTF_SCRIPT_HIDE","features":[70]},{"name":"SCRIPTCONTF_SCRIPT_SYSTEM","features":[70]},{"name":"SCRIPTCONTF_SCRIPT_USER","features":[70]},{"name":"SCRIPTFONTCONTF","features":[70]},{"name":"SCRIPTFONTINFO","features":[70]},{"name":"SCRIPTINFO","features":[70]},{"name":"SCRIPT_ANALYSIS","features":[70]},{"name":"SCRIPT_CHARPROP","features":[70]},{"name":"SCRIPT_CONTROL","features":[70]},{"name":"SCRIPT_DIGITSUBSTITUTE","features":[70]},{"name":"SCRIPT_DIGITSUBSTITUTE_CONTEXT","features":[70]},{"name":"SCRIPT_DIGITSUBSTITUTE_NATIONAL","features":[70]},{"name":"SCRIPT_DIGITSUBSTITUTE_NONE","features":[70]},{"name":"SCRIPT_DIGITSUBSTITUTE_TRADITIONAL","features":[70]},{"name":"SCRIPT_FONTPROPERTIES","features":[70]},{"name":"SCRIPT_GLYPHPROP","features":[70]},{"name":"SCRIPT_IS_COMPLEX_FLAGS","features":[70]},{"name":"SCRIPT_ITEM","features":[70]},{"name":"SCRIPT_JUSTIFY","features":[70]},{"name":"SCRIPT_JUSTIFY_ARABIC_ALEF","features":[70]},{"name":"SCRIPT_JUSTIFY_ARABIC_BA","features":[70]},{"name":"SCRIPT_JUSTIFY_ARABIC_BARA","features":[70]},{"name":"SCRIPT_JUSTIFY_ARABIC_BLANK","features":[70]},{"name":"SCRIPT_JUSTIFY_ARABIC_HA","features":[70]},{"name":"SCRIPT_JUSTIFY_ARABIC_KASHIDA","features":[70]},{"name":"SCRIPT_JUSTIFY_ARABIC_NORMAL","features":[70]},{"name":"SCRIPT_JUSTIFY_ARABIC_RA","features":[70]},{"name":"SCRIPT_JUSTIFY_ARABIC_SEEN","features":[70]},{"name":"SCRIPT_JUSTIFY_ARABIC_SEEN_M","features":[70]},{"name":"SCRIPT_JUSTIFY_BLANK","features":[70]},{"name":"SCRIPT_JUSTIFY_CHARACTER","features":[70]},{"name":"SCRIPT_JUSTIFY_NONE","features":[70]},{"name":"SCRIPT_JUSTIFY_RESERVED1","features":[70]},{"name":"SCRIPT_JUSTIFY_RESERVED2","features":[70]},{"name":"SCRIPT_JUSTIFY_RESERVED3","features":[70]},{"name":"SCRIPT_LOGATTR","features":[70]},{"name":"SCRIPT_PROPERTIES","features":[70]},{"name":"SCRIPT_STATE","features":[70]},{"name":"SCRIPT_TABDEF","features":[70]},{"name":"SCRIPT_TAG_UNKNOWN","features":[70]},{"name":"SCRIPT_UNDEFINED","features":[70]},{"name":"SCRIPT_VISATTR","features":[70]},{"name":"SGCM_RTL","features":[70]},{"name":"SIC_ASCIIDIGIT","features":[70]},{"name":"SIC_COMPLEX","features":[70]},{"name":"SIC_NEUTRAL","features":[70]},{"name":"SORTING_PARADIGM_ICU","features":[70]},{"name":"SORTING_PARADIGM_NLS","features":[70]},{"name":"SORT_DIGITSASNUMBERS","features":[70]},{"name":"SORT_STRINGSORT","features":[70]},{"name":"SSA_BREAK","features":[70]},{"name":"SSA_CLIP","features":[70]},{"name":"SSA_DONTGLYPH","features":[70]},{"name":"SSA_DZWG","features":[70]},{"name":"SSA_FALLBACK","features":[70]},{"name":"SSA_FIT","features":[70]},{"name":"SSA_FULLMEASURE","features":[70]},{"name":"SSA_GCP","features":[70]},{"name":"SSA_GLYPHS","features":[70]},{"name":"SSA_HIDEHOTKEY","features":[70]},{"name":"SSA_HOTKEY","features":[70]},{"name":"SSA_HOTKEYONLY","features":[70]},{"name":"SSA_LAYOUTRTL","features":[70]},{"name":"SSA_LINK","features":[70]},{"name":"SSA_LPKANSIFALLBACK","features":[70]},{"name":"SSA_METAFILE","features":[70]},{"name":"SSA_NOKASHIDA","features":[70]},{"name":"SSA_PASSWORD","features":[70]},{"name":"SSA_PIDX","features":[70]},{"name":"SSA_RTL","features":[70]},{"name":"SSA_TAB","features":[70]},{"name":"SYSGEOCLASS","features":[70]},{"name":"SYSGEOTYPE","features":[70]},{"name":"SYSNLS_FUNCTION","features":[70]},{"name":"ScriptApplyDigitSubstitution","features":[70]},{"name":"ScriptApplyLogicalWidth","features":[70,12]},{"name":"ScriptBreak","features":[70]},{"name":"ScriptCPtoX","features":[1,70]},{"name":"ScriptCacheGetHeight","features":[70,12]},{"name":"ScriptFreeCache","features":[70]},{"name":"ScriptGetCMap","features":[70,12]},{"name":"ScriptGetFontAlternateGlyphs","features":[70,12]},{"name":"ScriptGetFontFeatureTags","features":[70,12]},{"name":"ScriptGetFontLanguageTags","features":[70,12]},{"name":"ScriptGetFontProperties","features":[70,12]},{"name":"ScriptGetFontScriptTags","features":[70,12]},{"name":"ScriptGetGlyphABCWidth","features":[70,12]},{"name":"ScriptGetLogicalWidths","features":[70]},{"name":"ScriptGetProperties","features":[70]},{"name":"ScriptIsComplex","features":[70]},{"name":"ScriptItemize","features":[70]},{"name":"ScriptItemizeOpenType","features":[70]},{"name":"ScriptJustify","features":[70]},{"name":"ScriptLayout","features":[70]},{"name":"ScriptPlace","features":[70,12]},{"name":"ScriptPlaceOpenType","features":[70,12]},{"name":"ScriptPositionSingleGlyph","features":[70,12]},{"name":"ScriptRecordDigitSubstitution","features":[70]},{"name":"ScriptShape","features":[70,12]},{"name":"ScriptShapeOpenType","features":[70,12]},{"name":"ScriptStringAnalyse","features":[70,12]},{"name":"ScriptStringCPtoX","features":[1,70]},{"name":"ScriptStringFree","features":[70]},{"name":"ScriptStringGetLogicalWidths","features":[70]},{"name":"ScriptStringGetOrder","features":[70]},{"name":"ScriptStringOut","features":[1,70,12]},{"name":"ScriptStringValidate","features":[70]},{"name":"ScriptStringXtoCP","features":[70]},{"name":"ScriptString_pLogAttr","features":[70]},{"name":"ScriptString_pSize","features":[1,70]},{"name":"ScriptString_pcOutChars","features":[70]},{"name":"ScriptSubstituteSingleGlyph","features":[70,12]},{"name":"ScriptTextOut","features":[1,70,12]},{"name":"ScriptXtoCP","features":[70]},{"name":"SecondUnit","features":[70]},{"name":"SetCalendarInfoA","features":[1,70]},{"name":"SetCalendarInfoW","features":[1,70]},{"name":"SetLocaleInfoA","features":[1,70]},{"name":"SetLocaleInfoW","features":[1,70]},{"name":"SetProcessPreferredUILanguages","features":[1,70]},{"name":"SetThreadLocale","features":[1,70]},{"name":"SetThreadPreferredUILanguages","features":[1,70]},{"name":"SetThreadPreferredUILanguages2","features":[1,70]},{"name":"SetThreadUILanguage","features":[70]},{"name":"SetUserGeoID","features":[1,70]},{"name":"SetUserGeoName","features":[1,70]},{"name":"SpellCheckerFactory","features":[70]},{"name":"TCI_SRCCHARSET","features":[70]},{"name":"TCI_SRCCODEPAGE","features":[70]},{"name":"TCI_SRCFONTSIG","features":[70]},{"name":"TCI_SRCLOCALE","features":[70]},{"name":"TEXTRANGE_PROPERTIES","features":[70]},{"name":"TIMEFMT_ENUMPROCA","features":[1,70]},{"name":"TIMEFMT_ENUMPROCEX","features":[1,70]},{"name":"TIMEFMT_ENUMPROCW","features":[1,70]},{"name":"TIME_FORCE24HOURFORMAT","features":[70]},{"name":"TIME_FORMAT_FLAGS","features":[70]},{"name":"TIME_NOMINUTESORSECONDS","features":[70]},{"name":"TIME_NOSECONDS","features":[70]},{"name":"TIME_NOTIMEMARKER","features":[70]},{"name":"TRANSLATE_CHARSET_INFO_FLAGS","features":[70]},{"name":"TickUnit","features":[70]},{"name":"TranslateCharsetInfo","features":[1,70]},{"name":"U16_MAX_LENGTH","features":[70]},{"name":"U8_LEAD3_T1_BITS","features":[70]},{"name":"U8_LEAD4_T1_BITS","features":[70]},{"name":"U8_MAX_LENGTH","features":[70]},{"name":"UAcceptResult","features":[70]},{"name":"UAlphabeticIndexLabelType","features":[70]},{"name":"UBIDI_DEFAULT_LTR","features":[70]},{"name":"UBIDI_DEFAULT_RTL","features":[70]},{"name":"UBIDI_DO_MIRRORING","features":[70]},{"name":"UBIDI_INSERT_LRM_FOR_NUMERIC","features":[70]},{"name":"UBIDI_KEEP_BASE_COMBINING","features":[70]},{"name":"UBIDI_LEVEL_OVERRIDE","features":[70]},{"name":"UBIDI_LOGICAL","features":[70]},{"name":"UBIDI_LTR","features":[70]},{"name":"UBIDI_MAP_NOWHERE","features":[70]},{"name":"UBIDI_MAX_EXPLICIT_LEVEL","features":[70]},{"name":"UBIDI_MIRRORING_OFF","features":[70]},{"name":"UBIDI_MIRRORING_ON","features":[70]},{"name":"UBIDI_MIXED","features":[70]},{"name":"UBIDI_NEUTRAL","features":[70]},{"name":"UBIDI_OPTION_DEFAULT","features":[70]},{"name":"UBIDI_OPTION_INSERT_MARKS","features":[70]},{"name":"UBIDI_OPTION_REMOVE_CONTROLS","features":[70]},{"name":"UBIDI_OPTION_STREAMING","features":[70]},{"name":"UBIDI_OUTPUT_REVERSE","features":[70]},{"name":"UBIDI_REMOVE_BIDI_CONTROLS","features":[70]},{"name":"UBIDI_REORDER_DEFAULT","features":[70]},{"name":"UBIDI_REORDER_GROUP_NUMBERS_WITH_R","features":[70]},{"name":"UBIDI_REORDER_INVERSE_FOR_NUMBERS_SPECIAL","features":[70]},{"name":"UBIDI_REORDER_INVERSE_LIKE_DIRECT","features":[70]},{"name":"UBIDI_REORDER_INVERSE_NUMBERS_AS_L","features":[70]},{"name":"UBIDI_REORDER_NUMBERS_SPECIAL","features":[70]},{"name":"UBIDI_REORDER_RUNS_ONLY","features":[70]},{"name":"UBIDI_RTL","features":[70]},{"name":"UBIDI_VISUAL","features":[70]},{"name":"UBLOCK_ADLAM","features":[70]},{"name":"UBLOCK_AEGEAN_NUMBERS","features":[70]},{"name":"UBLOCK_AHOM","features":[70]},{"name":"UBLOCK_ALCHEMICAL_SYMBOLS","features":[70]},{"name":"UBLOCK_ALPHABETIC_PRESENTATION_FORMS","features":[70]},{"name":"UBLOCK_ANATOLIAN_HIEROGLYPHS","features":[70]},{"name":"UBLOCK_ANCIENT_GREEK_MUSICAL_NOTATION","features":[70]},{"name":"UBLOCK_ANCIENT_GREEK_NUMBERS","features":[70]},{"name":"UBLOCK_ANCIENT_SYMBOLS","features":[70]},{"name":"UBLOCK_ARABIC","features":[70]},{"name":"UBLOCK_ARABIC_EXTENDED_A","features":[70]},{"name":"UBLOCK_ARABIC_MATHEMATICAL_ALPHABETIC_SYMBOLS","features":[70]},{"name":"UBLOCK_ARABIC_PRESENTATION_FORMS_A","features":[70]},{"name":"UBLOCK_ARABIC_PRESENTATION_FORMS_B","features":[70]},{"name":"UBLOCK_ARABIC_SUPPLEMENT","features":[70]},{"name":"UBLOCK_ARMENIAN","features":[70]},{"name":"UBLOCK_ARROWS","features":[70]},{"name":"UBLOCK_AVESTAN","features":[70]},{"name":"UBLOCK_BALINESE","features":[70]},{"name":"UBLOCK_BAMUM","features":[70]},{"name":"UBLOCK_BAMUM_SUPPLEMENT","features":[70]},{"name":"UBLOCK_BASIC_LATIN","features":[70]},{"name":"UBLOCK_BASSA_VAH","features":[70]},{"name":"UBLOCK_BATAK","features":[70]},{"name":"UBLOCK_BENGALI","features":[70]},{"name":"UBLOCK_BHAIKSUKI","features":[70]},{"name":"UBLOCK_BLOCK_ELEMENTS","features":[70]},{"name":"UBLOCK_BOPOMOFO","features":[70]},{"name":"UBLOCK_BOPOMOFO_EXTENDED","features":[70]},{"name":"UBLOCK_BOX_DRAWING","features":[70]},{"name":"UBLOCK_BRAHMI","features":[70]},{"name":"UBLOCK_BRAILLE_PATTERNS","features":[70]},{"name":"UBLOCK_BUGINESE","features":[70]},{"name":"UBLOCK_BUHID","features":[70]},{"name":"UBLOCK_BYZANTINE_MUSICAL_SYMBOLS","features":[70]},{"name":"UBLOCK_CARIAN","features":[70]},{"name":"UBLOCK_CAUCASIAN_ALBANIAN","features":[70]},{"name":"UBLOCK_CHAKMA","features":[70]},{"name":"UBLOCK_CHAM","features":[70]},{"name":"UBLOCK_CHEROKEE","features":[70]},{"name":"UBLOCK_CHEROKEE_SUPPLEMENT","features":[70]},{"name":"UBLOCK_CHESS_SYMBOLS","features":[70]},{"name":"UBLOCK_CHORASMIAN","features":[70]},{"name":"UBLOCK_CJK_COMPATIBILITY","features":[70]},{"name":"UBLOCK_CJK_COMPATIBILITY_FORMS","features":[70]},{"name":"UBLOCK_CJK_COMPATIBILITY_IDEOGRAPHS","features":[70]},{"name":"UBLOCK_CJK_COMPATIBILITY_IDEOGRAPHS_SUPPLEMENT","features":[70]},{"name":"UBLOCK_CJK_RADICALS_SUPPLEMENT","features":[70]},{"name":"UBLOCK_CJK_STROKES","features":[70]},{"name":"UBLOCK_CJK_SYMBOLS_AND_PUNCTUATION","features":[70]},{"name":"UBLOCK_CJK_UNIFIED_IDEOGRAPHS","features":[70]},{"name":"UBLOCK_CJK_UNIFIED_IDEOGRAPHS_EXTENSION_A","features":[70]},{"name":"UBLOCK_CJK_UNIFIED_IDEOGRAPHS_EXTENSION_B","features":[70]},{"name":"UBLOCK_CJK_UNIFIED_IDEOGRAPHS_EXTENSION_C","features":[70]},{"name":"UBLOCK_CJK_UNIFIED_IDEOGRAPHS_EXTENSION_D","features":[70]},{"name":"UBLOCK_CJK_UNIFIED_IDEOGRAPHS_EXTENSION_E","features":[70]},{"name":"UBLOCK_CJK_UNIFIED_IDEOGRAPHS_EXTENSION_F","features":[70]},{"name":"UBLOCK_CJK_UNIFIED_IDEOGRAPHS_EXTENSION_G","features":[70]},{"name":"UBLOCK_COMBINING_DIACRITICAL_MARKS","features":[70]},{"name":"UBLOCK_COMBINING_DIACRITICAL_MARKS_EXTENDED","features":[70]},{"name":"UBLOCK_COMBINING_DIACRITICAL_MARKS_SUPPLEMENT","features":[70]},{"name":"UBLOCK_COMBINING_HALF_MARKS","features":[70]},{"name":"UBLOCK_COMBINING_MARKS_FOR_SYMBOLS","features":[70]},{"name":"UBLOCK_COMMON_INDIC_NUMBER_FORMS","features":[70]},{"name":"UBLOCK_CONTROL_PICTURES","features":[70]},{"name":"UBLOCK_COPTIC","features":[70]},{"name":"UBLOCK_COPTIC_EPACT_NUMBERS","features":[70]},{"name":"UBLOCK_COUNTING_ROD_NUMERALS","features":[70]},{"name":"UBLOCK_CUNEIFORM","features":[70]},{"name":"UBLOCK_CUNEIFORM_NUMBERS_AND_PUNCTUATION","features":[70]},{"name":"UBLOCK_CURRENCY_SYMBOLS","features":[70]},{"name":"UBLOCK_CYPRIOT_SYLLABARY","features":[70]},{"name":"UBLOCK_CYRILLIC","features":[70]},{"name":"UBLOCK_CYRILLIC_EXTENDED_A","features":[70]},{"name":"UBLOCK_CYRILLIC_EXTENDED_B","features":[70]},{"name":"UBLOCK_CYRILLIC_EXTENDED_C","features":[70]},{"name":"UBLOCK_CYRILLIC_SUPPLEMENT","features":[70]},{"name":"UBLOCK_CYRILLIC_SUPPLEMENTARY","features":[70]},{"name":"UBLOCK_DESERET","features":[70]},{"name":"UBLOCK_DEVANAGARI","features":[70]},{"name":"UBLOCK_DEVANAGARI_EXTENDED","features":[70]},{"name":"UBLOCK_DINGBATS","features":[70]},{"name":"UBLOCK_DIVES_AKURU","features":[70]},{"name":"UBLOCK_DOGRA","features":[70]},{"name":"UBLOCK_DOMINO_TILES","features":[70]},{"name":"UBLOCK_DUPLOYAN","features":[70]},{"name":"UBLOCK_EARLY_DYNASTIC_CUNEIFORM","features":[70]},{"name":"UBLOCK_EGYPTIAN_HIEROGLYPHS","features":[70]},{"name":"UBLOCK_EGYPTIAN_HIEROGLYPH_FORMAT_CONTROLS","features":[70]},{"name":"UBLOCK_ELBASAN","features":[70]},{"name":"UBLOCK_ELYMAIC","features":[70]},{"name":"UBLOCK_EMOTICONS","features":[70]},{"name":"UBLOCK_ENCLOSED_ALPHANUMERICS","features":[70]},{"name":"UBLOCK_ENCLOSED_ALPHANUMERIC_SUPPLEMENT","features":[70]},{"name":"UBLOCK_ENCLOSED_CJK_LETTERS_AND_MONTHS","features":[70]},{"name":"UBLOCK_ENCLOSED_IDEOGRAPHIC_SUPPLEMENT","features":[70]},{"name":"UBLOCK_ETHIOPIC","features":[70]},{"name":"UBLOCK_ETHIOPIC_EXTENDED","features":[70]},{"name":"UBLOCK_ETHIOPIC_EXTENDED_A","features":[70]},{"name":"UBLOCK_ETHIOPIC_SUPPLEMENT","features":[70]},{"name":"UBLOCK_GENERAL_PUNCTUATION","features":[70]},{"name":"UBLOCK_GEOMETRIC_SHAPES","features":[70]},{"name":"UBLOCK_GEOMETRIC_SHAPES_EXTENDED","features":[70]},{"name":"UBLOCK_GEORGIAN","features":[70]},{"name":"UBLOCK_GEORGIAN_EXTENDED","features":[70]},{"name":"UBLOCK_GEORGIAN_SUPPLEMENT","features":[70]},{"name":"UBLOCK_GLAGOLITIC","features":[70]},{"name":"UBLOCK_GLAGOLITIC_SUPPLEMENT","features":[70]},{"name":"UBLOCK_GOTHIC","features":[70]},{"name":"UBLOCK_GRANTHA","features":[70]},{"name":"UBLOCK_GREEK","features":[70]},{"name":"UBLOCK_GREEK_EXTENDED","features":[70]},{"name":"UBLOCK_GUJARATI","features":[70]},{"name":"UBLOCK_GUNJALA_GONDI","features":[70]},{"name":"UBLOCK_GURMUKHI","features":[70]},{"name":"UBLOCK_HALFWIDTH_AND_FULLWIDTH_FORMS","features":[70]},{"name":"UBLOCK_HANGUL_COMPATIBILITY_JAMO","features":[70]},{"name":"UBLOCK_HANGUL_JAMO","features":[70]},{"name":"UBLOCK_HANGUL_JAMO_EXTENDED_A","features":[70]},{"name":"UBLOCK_HANGUL_JAMO_EXTENDED_B","features":[70]},{"name":"UBLOCK_HANGUL_SYLLABLES","features":[70]},{"name":"UBLOCK_HANIFI_ROHINGYA","features":[70]},{"name":"UBLOCK_HANUNOO","features":[70]},{"name":"UBLOCK_HATRAN","features":[70]},{"name":"UBLOCK_HEBREW","features":[70]},{"name":"UBLOCK_HIGH_PRIVATE_USE_SURROGATES","features":[70]},{"name":"UBLOCK_HIGH_SURROGATES","features":[70]},{"name":"UBLOCK_HIRAGANA","features":[70]},{"name":"UBLOCK_IDEOGRAPHIC_DESCRIPTION_CHARACTERS","features":[70]},{"name":"UBLOCK_IDEOGRAPHIC_SYMBOLS_AND_PUNCTUATION","features":[70]},{"name":"UBLOCK_IMPERIAL_ARAMAIC","features":[70]},{"name":"UBLOCK_INDIC_SIYAQ_NUMBERS","features":[70]},{"name":"UBLOCK_INSCRIPTIONAL_PAHLAVI","features":[70]},{"name":"UBLOCK_INSCRIPTIONAL_PARTHIAN","features":[70]},{"name":"UBLOCK_INVALID_CODE","features":[70]},{"name":"UBLOCK_IPA_EXTENSIONS","features":[70]},{"name":"UBLOCK_JAVANESE","features":[70]},{"name":"UBLOCK_KAITHI","features":[70]},{"name":"UBLOCK_KANA_EXTENDED_A","features":[70]},{"name":"UBLOCK_KANA_SUPPLEMENT","features":[70]},{"name":"UBLOCK_KANBUN","features":[70]},{"name":"UBLOCK_KANGXI_RADICALS","features":[70]},{"name":"UBLOCK_KANNADA","features":[70]},{"name":"UBLOCK_KATAKANA","features":[70]},{"name":"UBLOCK_KATAKANA_PHONETIC_EXTENSIONS","features":[70]},{"name":"UBLOCK_KAYAH_LI","features":[70]},{"name":"UBLOCK_KHAROSHTHI","features":[70]},{"name":"UBLOCK_KHITAN_SMALL_SCRIPT","features":[70]},{"name":"UBLOCK_KHMER","features":[70]},{"name":"UBLOCK_KHMER_SYMBOLS","features":[70]},{"name":"UBLOCK_KHOJKI","features":[70]},{"name":"UBLOCK_KHUDAWADI","features":[70]},{"name":"UBLOCK_LAO","features":[70]},{"name":"UBLOCK_LATIN_1_SUPPLEMENT","features":[70]},{"name":"UBLOCK_LATIN_EXTENDED_A","features":[70]},{"name":"UBLOCK_LATIN_EXTENDED_ADDITIONAL","features":[70]},{"name":"UBLOCK_LATIN_EXTENDED_B","features":[70]},{"name":"UBLOCK_LATIN_EXTENDED_C","features":[70]},{"name":"UBLOCK_LATIN_EXTENDED_D","features":[70]},{"name":"UBLOCK_LATIN_EXTENDED_E","features":[70]},{"name":"UBLOCK_LEPCHA","features":[70]},{"name":"UBLOCK_LETTERLIKE_SYMBOLS","features":[70]},{"name":"UBLOCK_LIMBU","features":[70]},{"name":"UBLOCK_LINEAR_A","features":[70]},{"name":"UBLOCK_LINEAR_B_IDEOGRAMS","features":[70]},{"name":"UBLOCK_LINEAR_B_SYLLABARY","features":[70]},{"name":"UBLOCK_LISU","features":[70]},{"name":"UBLOCK_LISU_SUPPLEMENT","features":[70]},{"name":"UBLOCK_LOW_SURROGATES","features":[70]},{"name":"UBLOCK_LYCIAN","features":[70]},{"name":"UBLOCK_LYDIAN","features":[70]},{"name":"UBLOCK_MAHAJANI","features":[70]},{"name":"UBLOCK_MAHJONG_TILES","features":[70]},{"name":"UBLOCK_MAKASAR","features":[70]},{"name":"UBLOCK_MALAYALAM","features":[70]},{"name":"UBLOCK_MANDAIC","features":[70]},{"name":"UBLOCK_MANICHAEAN","features":[70]},{"name":"UBLOCK_MARCHEN","features":[70]},{"name":"UBLOCK_MASARAM_GONDI","features":[70]},{"name":"UBLOCK_MATHEMATICAL_ALPHANUMERIC_SYMBOLS","features":[70]},{"name":"UBLOCK_MATHEMATICAL_OPERATORS","features":[70]},{"name":"UBLOCK_MAYAN_NUMERALS","features":[70]},{"name":"UBLOCK_MEDEFAIDRIN","features":[70]},{"name":"UBLOCK_MEETEI_MAYEK","features":[70]},{"name":"UBLOCK_MEETEI_MAYEK_EXTENSIONS","features":[70]},{"name":"UBLOCK_MENDE_KIKAKUI","features":[70]},{"name":"UBLOCK_MEROITIC_CURSIVE","features":[70]},{"name":"UBLOCK_MEROITIC_HIEROGLYPHS","features":[70]},{"name":"UBLOCK_MIAO","features":[70]},{"name":"UBLOCK_MISCELLANEOUS_MATHEMATICAL_SYMBOLS_A","features":[70]},{"name":"UBLOCK_MISCELLANEOUS_MATHEMATICAL_SYMBOLS_B","features":[70]},{"name":"UBLOCK_MISCELLANEOUS_SYMBOLS","features":[70]},{"name":"UBLOCK_MISCELLANEOUS_SYMBOLS_AND_ARROWS","features":[70]},{"name":"UBLOCK_MISCELLANEOUS_SYMBOLS_AND_PICTOGRAPHS","features":[70]},{"name":"UBLOCK_MISCELLANEOUS_TECHNICAL","features":[70]},{"name":"UBLOCK_MODI","features":[70]},{"name":"UBLOCK_MODIFIER_TONE_LETTERS","features":[70]},{"name":"UBLOCK_MONGOLIAN","features":[70]},{"name":"UBLOCK_MONGOLIAN_SUPPLEMENT","features":[70]},{"name":"UBLOCK_MRO","features":[70]},{"name":"UBLOCK_MULTANI","features":[70]},{"name":"UBLOCK_MUSICAL_SYMBOLS","features":[70]},{"name":"UBLOCK_MYANMAR","features":[70]},{"name":"UBLOCK_MYANMAR_EXTENDED_A","features":[70]},{"name":"UBLOCK_MYANMAR_EXTENDED_B","features":[70]},{"name":"UBLOCK_NABATAEAN","features":[70]},{"name":"UBLOCK_NANDINAGARI","features":[70]},{"name":"UBLOCK_NEWA","features":[70]},{"name":"UBLOCK_NEW_TAI_LUE","features":[70]},{"name":"UBLOCK_NKO","features":[70]},{"name":"UBLOCK_NO_BLOCK","features":[70]},{"name":"UBLOCK_NUMBER_FORMS","features":[70]},{"name":"UBLOCK_NUSHU","features":[70]},{"name":"UBLOCK_NYIAKENG_PUACHUE_HMONG","features":[70]},{"name":"UBLOCK_OGHAM","features":[70]},{"name":"UBLOCK_OLD_HUNGARIAN","features":[70]},{"name":"UBLOCK_OLD_ITALIC","features":[70]},{"name":"UBLOCK_OLD_NORTH_ARABIAN","features":[70]},{"name":"UBLOCK_OLD_PERMIC","features":[70]},{"name":"UBLOCK_OLD_PERSIAN","features":[70]},{"name":"UBLOCK_OLD_SOGDIAN","features":[70]},{"name":"UBLOCK_OLD_SOUTH_ARABIAN","features":[70]},{"name":"UBLOCK_OLD_TURKIC","features":[70]},{"name":"UBLOCK_OL_CHIKI","features":[70]},{"name":"UBLOCK_OPTICAL_CHARACTER_RECOGNITION","features":[70]},{"name":"UBLOCK_ORIYA","features":[70]},{"name":"UBLOCK_ORNAMENTAL_DINGBATS","features":[70]},{"name":"UBLOCK_OSAGE","features":[70]},{"name":"UBLOCK_OSMANYA","features":[70]},{"name":"UBLOCK_OTTOMAN_SIYAQ_NUMBERS","features":[70]},{"name":"UBLOCK_PAHAWH_HMONG","features":[70]},{"name":"UBLOCK_PALMYRENE","features":[70]},{"name":"UBLOCK_PAU_CIN_HAU","features":[70]},{"name":"UBLOCK_PHAGS_PA","features":[70]},{"name":"UBLOCK_PHAISTOS_DISC","features":[70]},{"name":"UBLOCK_PHOENICIAN","features":[70]},{"name":"UBLOCK_PHONETIC_EXTENSIONS","features":[70]},{"name":"UBLOCK_PHONETIC_EXTENSIONS_SUPPLEMENT","features":[70]},{"name":"UBLOCK_PLAYING_CARDS","features":[70]},{"name":"UBLOCK_PRIVATE_USE","features":[70]},{"name":"UBLOCK_PRIVATE_USE_AREA","features":[70]},{"name":"UBLOCK_PSALTER_PAHLAVI","features":[70]},{"name":"UBLOCK_REJANG","features":[70]},{"name":"UBLOCK_RUMI_NUMERAL_SYMBOLS","features":[70]},{"name":"UBLOCK_RUNIC","features":[70]},{"name":"UBLOCK_SAMARITAN","features":[70]},{"name":"UBLOCK_SAURASHTRA","features":[70]},{"name":"UBLOCK_SHARADA","features":[70]},{"name":"UBLOCK_SHAVIAN","features":[70]},{"name":"UBLOCK_SHORTHAND_FORMAT_CONTROLS","features":[70]},{"name":"UBLOCK_SIDDHAM","features":[70]},{"name":"UBLOCK_SINHALA","features":[70]},{"name":"UBLOCK_SINHALA_ARCHAIC_NUMBERS","features":[70]},{"name":"UBLOCK_SMALL_FORM_VARIANTS","features":[70]},{"name":"UBLOCK_SMALL_KANA_EXTENSION","features":[70]},{"name":"UBLOCK_SOGDIAN","features":[70]},{"name":"UBLOCK_SORA_SOMPENG","features":[70]},{"name":"UBLOCK_SOYOMBO","features":[70]},{"name":"UBLOCK_SPACING_MODIFIER_LETTERS","features":[70]},{"name":"UBLOCK_SPECIALS","features":[70]},{"name":"UBLOCK_SUNDANESE","features":[70]},{"name":"UBLOCK_SUNDANESE_SUPPLEMENT","features":[70]},{"name":"UBLOCK_SUPERSCRIPTS_AND_SUBSCRIPTS","features":[70]},{"name":"UBLOCK_SUPPLEMENTAL_ARROWS_A","features":[70]},{"name":"UBLOCK_SUPPLEMENTAL_ARROWS_B","features":[70]},{"name":"UBLOCK_SUPPLEMENTAL_ARROWS_C","features":[70]},{"name":"UBLOCK_SUPPLEMENTAL_MATHEMATICAL_OPERATORS","features":[70]},{"name":"UBLOCK_SUPPLEMENTAL_PUNCTUATION","features":[70]},{"name":"UBLOCK_SUPPLEMENTAL_SYMBOLS_AND_PICTOGRAPHS","features":[70]},{"name":"UBLOCK_SUPPLEMENTARY_PRIVATE_USE_AREA_A","features":[70]},{"name":"UBLOCK_SUPPLEMENTARY_PRIVATE_USE_AREA_B","features":[70]},{"name":"UBLOCK_SUTTON_SIGNWRITING","features":[70]},{"name":"UBLOCK_SYLOTI_NAGRI","features":[70]},{"name":"UBLOCK_SYMBOLS_AND_PICTOGRAPHS_EXTENDED_A","features":[70]},{"name":"UBLOCK_SYMBOLS_FOR_LEGACY_COMPUTING","features":[70]},{"name":"UBLOCK_SYRIAC","features":[70]},{"name":"UBLOCK_SYRIAC_SUPPLEMENT","features":[70]},{"name":"UBLOCK_TAGALOG","features":[70]},{"name":"UBLOCK_TAGBANWA","features":[70]},{"name":"UBLOCK_TAGS","features":[70]},{"name":"UBLOCK_TAI_LE","features":[70]},{"name":"UBLOCK_TAI_THAM","features":[70]},{"name":"UBLOCK_TAI_VIET","features":[70]},{"name":"UBLOCK_TAI_XUAN_JING_SYMBOLS","features":[70]},{"name":"UBLOCK_TAKRI","features":[70]},{"name":"UBLOCK_TAMIL","features":[70]},{"name":"UBLOCK_TAMIL_SUPPLEMENT","features":[70]},{"name":"UBLOCK_TANGUT","features":[70]},{"name":"UBLOCK_TANGUT_COMPONENTS","features":[70]},{"name":"UBLOCK_TANGUT_SUPPLEMENT","features":[70]},{"name":"UBLOCK_TELUGU","features":[70]},{"name":"UBLOCK_THAANA","features":[70]},{"name":"UBLOCK_THAI","features":[70]},{"name":"UBLOCK_TIBETAN","features":[70]},{"name":"UBLOCK_TIFINAGH","features":[70]},{"name":"UBLOCK_TIRHUTA","features":[70]},{"name":"UBLOCK_TRANSPORT_AND_MAP_SYMBOLS","features":[70]},{"name":"UBLOCK_UGARITIC","features":[70]},{"name":"UBLOCK_UNIFIED_CANADIAN_ABORIGINAL_SYLLABICS","features":[70]},{"name":"UBLOCK_UNIFIED_CANADIAN_ABORIGINAL_SYLLABICS_EXTENDED","features":[70]},{"name":"UBLOCK_VAI","features":[70]},{"name":"UBLOCK_VARIATION_SELECTORS","features":[70]},{"name":"UBLOCK_VARIATION_SELECTORS_SUPPLEMENT","features":[70]},{"name":"UBLOCK_VEDIC_EXTENSIONS","features":[70]},{"name":"UBLOCK_VERTICAL_FORMS","features":[70]},{"name":"UBLOCK_WANCHO","features":[70]},{"name":"UBLOCK_WARANG_CITI","features":[70]},{"name":"UBLOCK_YEZIDI","features":[70]},{"name":"UBLOCK_YIJING_HEXAGRAM_SYMBOLS","features":[70]},{"name":"UBLOCK_YI_RADICALS","features":[70]},{"name":"UBLOCK_YI_SYLLABLES","features":[70]},{"name":"UBLOCK_ZANABAZAR_SQUARE","features":[70]},{"name":"UBRK_CHARACTER","features":[70]},{"name":"UBRK_LINE","features":[70]},{"name":"UBRK_LINE_HARD","features":[70]},{"name":"UBRK_LINE_HARD_LIMIT","features":[70]},{"name":"UBRK_LINE_SOFT","features":[70]},{"name":"UBRK_LINE_SOFT_LIMIT","features":[70]},{"name":"UBRK_SENTENCE","features":[70]},{"name":"UBRK_SENTENCE_SEP","features":[70]},{"name":"UBRK_SENTENCE_SEP_LIMIT","features":[70]},{"name":"UBRK_SENTENCE_TERM","features":[70]},{"name":"UBRK_SENTENCE_TERM_LIMIT","features":[70]},{"name":"UBRK_WORD","features":[70]},{"name":"UBRK_WORD_IDEO","features":[70]},{"name":"UBRK_WORD_IDEO_LIMIT","features":[70]},{"name":"UBRK_WORD_KANA","features":[70]},{"name":"UBRK_WORD_KANA_LIMIT","features":[70]},{"name":"UBRK_WORD_LETTER","features":[70]},{"name":"UBRK_WORD_LETTER_LIMIT","features":[70]},{"name":"UBRK_WORD_NONE","features":[70]},{"name":"UBRK_WORD_NONE_LIMIT","features":[70]},{"name":"UBRK_WORD_NUMBER","features":[70]},{"name":"UBRK_WORD_NUMBER_LIMIT","features":[70]},{"name":"UBiDi","features":[70]},{"name":"UBiDiClassCallback","features":[70]},{"name":"UBiDiDirection","features":[70]},{"name":"UBiDiMirroring","features":[70]},{"name":"UBiDiOrder","features":[70]},{"name":"UBiDiReorderingMode","features":[70]},{"name":"UBiDiReorderingOption","features":[70]},{"name":"UBiDiTransform","features":[70]},{"name":"UBidiPairedBracketType","features":[70]},{"name":"UBlockCode","features":[70]},{"name":"UBreakIterator","features":[70]},{"name":"UBreakIteratorType","features":[70]},{"name":"UCAL_ACTUAL_MAXIMUM","features":[70]},{"name":"UCAL_ACTUAL_MINIMUM","features":[70]},{"name":"UCAL_AM","features":[70]},{"name":"UCAL_AM_PM","features":[70]},{"name":"UCAL_APRIL","features":[70]},{"name":"UCAL_AUGUST","features":[70]},{"name":"UCAL_DATE","features":[70]},{"name":"UCAL_DAY_OF_MONTH","features":[70]},{"name":"UCAL_DAY_OF_WEEK","features":[70]},{"name":"UCAL_DAY_OF_WEEK_IN_MONTH","features":[70]},{"name":"UCAL_DAY_OF_YEAR","features":[70]},{"name":"UCAL_DECEMBER","features":[70]},{"name":"UCAL_DEFAULT","features":[70]},{"name":"UCAL_DOW_LOCAL","features":[70]},{"name":"UCAL_DST","features":[70]},{"name":"UCAL_DST_OFFSET","features":[70]},{"name":"UCAL_ERA","features":[70]},{"name":"UCAL_EXTENDED_YEAR","features":[70]},{"name":"UCAL_FEBRUARY","features":[70]},{"name":"UCAL_FIELD_COUNT","features":[70]},{"name":"UCAL_FIRST_DAY_OF_WEEK","features":[70]},{"name":"UCAL_FRIDAY","features":[70]},{"name":"UCAL_GREATEST_MINIMUM","features":[70]},{"name":"UCAL_GREGORIAN","features":[70]},{"name":"UCAL_HOUR","features":[70]},{"name":"UCAL_HOUR_OF_DAY","features":[70]},{"name":"UCAL_IS_LEAP_MONTH","features":[70]},{"name":"UCAL_JANUARY","features":[70]},{"name":"UCAL_JULIAN_DAY","features":[70]},{"name":"UCAL_JULY","features":[70]},{"name":"UCAL_JUNE","features":[70]},{"name":"UCAL_LEAST_MAXIMUM","features":[70]},{"name":"UCAL_LENIENT","features":[70]},{"name":"UCAL_MARCH","features":[70]},{"name":"UCAL_MAXIMUM","features":[70]},{"name":"UCAL_MAY","features":[70]},{"name":"UCAL_MILLISECOND","features":[70]},{"name":"UCAL_MILLISECONDS_IN_DAY","features":[70]},{"name":"UCAL_MINIMAL_DAYS_IN_FIRST_WEEK","features":[70]},{"name":"UCAL_MINIMUM","features":[70]},{"name":"UCAL_MINUTE","features":[70]},{"name":"UCAL_MONDAY","features":[70]},{"name":"UCAL_MONTH","features":[70]},{"name":"UCAL_NOVEMBER","features":[70]},{"name":"UCAL_OCTOBER","features":[70]},{"name":"UCAL_PM","features":[70]},{"name":"UCAL_REPEATED_WALL_TIME","features":[70]},{"name":"UCAL_SATURDAY","features":[70]},{"name":"UCAL_SECOND","features":[70]},{"name":"UCAL_SEPTEMBER","features":[70]},{"name":"UCAL_SHORT_DST","features":[70]},{"name":"UCAL_SHORT_STANDARD","features":[70]},{"name":"UCAL_SKIPPED_WALL_TIME","features":[70]},{"name":"UCAL_STANDARD","features":[70]},{"name":"UCAL_SUNDAY","features":[70]},{"name":"UCAL_THURSDAY","features":[70]},{"name":"UCAL_TRADITIONAL","features":[70]},{"name":"UCAL_TUESDAY","features":[70]},{"name":"UCAL_TZ_TRANSITION_NEXT","features":[70]},{"name":"UCAL_TZ_TRANSITION_NEXT_INCLUSIVE","features":[70]},{"name":"UCAL_TZ_TRANSITION_PREVIOUS","features":[70]},{"name":"UCAL_TZ_TRANSITION_PREVIOUS_INCLUSIVE","features":[70]},{"name":"UCAL_UNDECIMBER","features":[70]},{"name":"UCAL_UNKNOWN_ZONE_ID","features":[70]},{"name":"UCAL_WALLTIME_FIRST","features":[70]},{"name":"UCAL_WALLTIME_LAST","features":[70]},{"name":"UCAL_WALLTIME_NEXT_VALID","features":[70]},{"name":"UCAL_WEDNESDAY","features":[70]},{"name":"UCAL_WEEKDAY","features":[70]},{"name":"UCAL_WEEKEND","features":[70]},{"name":"UCAL_WEEKEND_CEASE","features":[70]},{"name":"UCAL_WEEKEND_ONSET","features":[70]},{"name":"UCAL_WEEK_OF_MONTH","features":[70]},{"name":"UCAL_WEEK_OF_YEAR","features":[70]},{"name":"UCAL_YEAR","features":[70]},{"name":"UCAL_YEAR_WOY","features":[70]},{"name":"UCAL_ZONE_OFFSET","features":[70]},{"name":"UCAL_ZONE_TYPE_ANY","features":[70]},{"name":"UCAL_ZONE_TYPE_CANONICAL","features":[70]},{"name":"UCAL_ZONE_TYPE_CANONICAL_LOCATION","features":[70]},{"name":"UCHAR_AGE","features":[70]},{"name":"UCHAR_ALPHABETIC","features":[70]},{"name":"UCHAR_ASCII_HEX_DIGIT","features":[70]},{"name":"UCHAR_BIDI_CLASS","features":[70]},{"name":"UCHAR_BIDI_CONTROL","features":[70]},{"name":"UCHAR_BIDI_MIRRORED","features":[70]},{"name":"UCHAR_BIDI_MIRRORING_GLYPH","features":[70]},{"name":"UCHAR_BIDI_PAIRED_BRACKET","features":[70]},{"name":"UCHAR_BIDI_PAIRED_BRACKET_TYPE","features":[70]},{"name":"UCHAR_BINARY_START","features":[70]},{"name":"UCHAR_BLOCK","features":[70]},{"name":"UCHAR_CANONICAL_COMBINING_CLASS","features":[70]},{"name":"UCHAR_CASED","features":[70]},{"name":"UCHAR_CASE_FOLDING","features":[70]},{"name":"UCHAR_CASE_IGNORABLE","features":[70]},{"name":"UCHAR_CASE_SENSITIVE","features":[70]},{"name":"UCHAR_CHANGES_WHEN_CASEFOLDED","features":[70]},{"name":"UCHAR_CHANGES_WHEN_CASEMAPPED","features":[70]},{"name":"UCHAR_CHANGES_WHEN_LOWERCASED","features":[70]},{"name":"UCHAR_CHANGES_WHEN_NFKC_CASEFOLDED","features":[70]},{"name":"UCHAR_CHANGES_WHEN_TITLECASED","features":[70]},{"name":"UCHAR_CHANGES_WHEN_UPPERCASED","features":[70]},{"name":"UCHAR_DASH","features":[70]},{"name":"UCHAR_DECOMPOSITION_TYPE","features":[70]},{"name":"UCHAR_DEFAULT_IGNORABLE_CODE_POINT","features":[70]},{"name":"UCHAR_DEPRECATED","features":[70]},{"name":"UCHAR_DIACRITIC","features":[70]},{"name":"UCHAR_DOUBLE_START","features":[70]},{"name":"UCHAR_EAST_ASIAN_WIDTH","features":[70]},{"name":"UCHAR_EMOJI","features":[70]},{"name":"UCHAR_EMOJI_COMPONENT","features":[70]},{"name":"UCHAR_EMOJI_MODIFIER","features":[70]},{"name":"UCHAR_EMOJI_MODIFIER_BASE","features":[70]},{"name":"UCHAR_EMOJI_PRESENTATION","features":[70]},{"name":"UCHAR_EXTENDED_PICTOGRAPHIC","features":[70]},{"name":"UCHAR_EXTENDER","features":[70]},{"name":"UCHAR_FULL_COMPOSITION_EXCLUSION","features":[70]},{"name":"UCHAR_GENERAL_CATEGORY","features":[70]},{"name":"UCHAR_GENERAL_CATEGORY_MASK","features":[70]},{"name":"UCHAR_GRAPHEME_BASE","features":[70]},{"name":"UCHAR_GRAPHEME_CLUSTER_BREAK","features":[70]},{"name":"UCHAR_GRAPHEME_EXTEND","features":[70]},{"name":"UCHAR_GRAPHEME_LINK","features":[70]},{"name":"UCHAR_HANGUL_SYLLABLE_TYPE","features":[70]},{"name":"UCHAR_HEX_DIGIT","features":[70]},{"name":"UCHAR_HYPHEN","features":[70]},{"name":"UCHAR_IDEOGRAPHIC","features":[70]},{"name":"UCHAR_IDS_BINARY_OPERATOR","features":[70]},{"name":"UCHAR_IDS_TRINARY_OPERATOR","features":[70]},{"name":"UCHAR_ID_CONTINUE","features":[70]},{"name":"UCHAR_ID_START","features":[70]},{"name":"UCHAR_INDIC_POSITIONAL_CATEGORY","features":[70]},{"name":"UCHAR_INDIC_SYLLABIC_CATEGORY","features":[70]},{"name":"UCHAR_INT_START","features":[70]},{"name":"UCHAR_INVALID_CODE","features":[70]},{"name":"UCHAR_JOINING_GROUP","features":[70]},{"name":"UCHAR_JOINING_TYPE","features":[70]},{"name":"UCHAR_JOIN_CONTROL","features":[70]},{"name":"UCHAR_LEAD_CANONICAL_COMBINING_CLASS","features":[70]},{"name":"UCHAR_LINE_BREAK","features":[70]},{"name":"UCHAR_LOGICAL_ORDER_EXCEPTION","features":[70]},{"name":"UCHAR_LOWERCASE","features":[70]},{"name":"UCHAR_LOWERCASE_MAPPING","features":[70]},{"name":"UCHAR_MASK_START","features":[70]},{"name":"UCHAR_MATH","features":[70]},{"name":"UCHAR_MAX_VALUE","features":[70]},{"name":"UCHAR_MIN_VALUE","features":[70]},{"name":"UCHAR_NAME","features":[70]},{"name":"UCHAR_NFC_INERT","features":[70]},{"name":"UCHAR_NFC_QUICK_CHECK","features":[70]},{"name":"UCHAR_NFD_INERT","features":[70]},{"name":"UCHAR_NFD_QUICK_CHECK","features":[70]},{"name":"UCHAR_NFKC_INERT","features":[70]},{"name":"UCHAR_NFKC_QUICK_CHECK","features":[70]},{"name":"UCHAR_NFKD_INERT","features":[70]},{"name":"UCHAR_NFKD_QUICK_CHECK","features":[70]},{"name":"UCHAR_NONCHARACTER_CODE_POINT","features":[70]},{"name":"UCHAR_NUMERIC_TYPE","features":[70]},{"name":"UCHAR_NUMERIC_VALUE","features":[70]},{"name":"UCHAR_OTHER_PROPERTY_START","features":[70]},{"name":"UCHAR_PATTERN_SYNTAX","features":[70]},{"name":"UCHAR_PATTERN_WHITE_SPACE","features":[70]},{"name":"UCHAR_POSIX_ALNUM","features":[70]},{"name":"UCHAR_POSIX_BLANK","features":[70]},{"name":"UCHAR_POSIX_GRAPH","features":[70]},{"name":"UCHAR_POSIX_PRINT","features":[70]},{"name":"UCHAR_POSIX_XDIGIT","features":[70]},{"name":"UCHAR_PREPENDED_CONCATENATION_MARK","features":[70]},{"name":"UCHAR_QUOTATION_MARK","features":[70]},{"name":"UCHAR_RADICAL","features":[70]},{"name":"UCHAR_REGIONAL_INDICATOR","features":[70]},{"name":"UCHAR_SCRIPT","features":[70]},{"name":"UCHAR_SCRIPT_EXTENSIONS","features":[70]},{"name":"UCHAR_SEGMENT_STARTER","features":[70]},{"name":"UCHAR_SENTENCE_BREAK","features":[70]},{"name":"UCHAR_SIMPLE_CASE_FOLDING","features":[70]},{"name":"UCHAR_SIMPLE_LOWERCASE_MAPPING","features":[70]},{"name":"UCHAR_SIMPLE_TITLECASE_MAPPING","features":[70]},{"name":"UCHAR_SIMPLE_UPPERCASE_MAPPING","features":[70]},{"name":"UCHAR_SOFT_DOTTED","features":[70]},{"name":"UCHAR_STRING_START","features":[70]},{"name":"UCHAR_S_TERM","features":[70]},{"name":"UCHAR_TERMINAL_PUNCTUATION","features":[70]},{"name":"UCHAR_TITLECASE_MAPPING","features":[70]},{"name":"UCHAR_TRAIL_CANONICAL_COMBINING_CLASS","features":[70]},{"name":"UCHAR_UNIFIED_IDEOGRAPH","features":[70]},{"name":"UCHAR_UPPERCASE","features":[70]},{"name":"UCHAR_UPPERCASE_MAPPING","features":[70]},{"name":"UCHAR_VARIATION_SELECTOR","features":[70]},{"name":"UCHAR_VERTICAL_ORIENTATION","features":[70]},{"name":"UCHAR_WHITE_SPACE","features":[70]},{"name":"UCHAR_WORD_BREAK","features":[70]},{"name":"UCHAR_XID_CONTINUE","features":[70]},{"name":"UCHAR_XID_START","features":[70]},{"name":"UCLN_NO_AUTO_CLEANUP","features":[70]},{"name":"UCNV_BOCU1","features":[70]},{"name":"UCNV_CESU8","features":[70]},{"name":"UCNV_CLONE","features":[70]},{"name":"UCNV_CLOSE","features":[70]},{"name":"UCNV_COMPOUND_TEXT","features":[70]},{"name":"UCNV_DBCS","features":[70]},{"name":"UCNV_EBCDIC_STATEFUL","features":[70]},{"name":"UCNV_ESCAPE_C","features":[70]},{"name":"UCNV_ESCAPE_CSS2","features":[70]},{"name":"UCNV_ESCAPE_JAVA","features":[70]},{"name":"UCNV_ESCAPE_UNICODE","features":[70]},{"name":"UCNV_ESCAPE_XML_DEC","features":[70]},{"name":"UCNV_ESCAPE_XML_HEX","features":[70]},{"name":"UCNV_FROM_U_CALLBACK_ESCAPE","features":[70]},{"name":"UCNV_FROM_U_CALLBACK_SKIP","features":[70]},{"name":"UCNV_FROM_U_CALLBACK_STOP","features":[70]},{"name":"UCNV_FROM_U_CALLBACK_SUBSTITUTE","features":[70]},{"name":"UCNV_HZ","features":[70]},{"name":"UCNV_IBM","features":[70]},{"name":"UCNV_ILLEGAL","features":[70]},{"name":"UCNV_IMAP_MAILBOX","features":[70]},{"name":"UCNV_IRREGULAR","features":[70]},{"name":"UCNV_ISCII","features":[70]},{"name":"UCNV_ISO_2022","features":[70]},{"name":"UCNV_LATIN_1","features":[70]},{"name":"UCNV_LMBCS_1","features":[70]},{"name":"UCNV_LMBCS_11","features":[70]},{"name":"UCNV_LMBCS_16","features":[70]},{"name":"UCNV_LMBCS_17","features":[70]},{"name":"UCNV_LMBCS_18","features":[70]},{"name":"UCNV_LMBCS_19","features":[70]},{"name":"UCNV_LMBCS_2","features":[70]},{"name":"UCNV_LMBCS_3","features":[70]},{"name":"UCNV_LMBCS_4","features":[70]},{"name":"UCNV_LMBCS_5","features":[70]},{"name":"UCNV_LMBCS_6","features":[70]},{"name":"UCNV_LMBCS_8","features":[70]},{"name":"UCNV_LMBCS_LAST","features":[70]},{"name":"UCNV_LOCALE_OPTION_STRING","features":[70]},{"name":"UCNV_MAX_CONVERTER_NAME_LENGTH","features":[70]},{"name":"UCNV_MBCS","features":[70]},{"name":"UCNV_NUMBER_OF_SUPPORTED_CONVERTER_TYPES","features":[70]},{"name":"UCNV_OPTION_SEP_STRING","features":[70]},{"name":"UCNV_RESET","features":[70]},{"name":"UCNV_ROUNDTRIP_AND_FALLBACK_SET","features":[70]},{"name":"UCNV_ROUNDTRIP_SET","features":[70]},{"name":"UCNV_SBCS","features":[70]},{"name":"UCNV_SCSU","features":[70]},{"name":"UCNV_SI","features":[70]},{"name":"UCNV_SKIP_STOP_ON_ILLEGAL","features":[70]},{"name":"UCNV_SO","features":[70]},{"name":"UCNV_SUB_STOP_ON_ILLEGAL","features":[70]},{"name":"UCNV_SWAP_LFNL_OPTION_STRING","features":[70]},{"name":"UCNV_TO_U_CALLBACK_ESCAPE","features":[70]},{"name":"UCNV_TO_U_CALLBACK_SKIP","features":[70]},{"name":"UCNV_TO_U_CALLBACK_STOP","features":[70]},{"name":"UCNV_TO_U_CALLBACK_SUBSTITUTE","features":[70]},{"name":"UCNV_UNASSIGNED","features":[70]},{"name":"UCNV_UNKNOWN","features":[70]},{"name":"UCNV_UNSUPPORTED_CONVERTER","features":[70]},{"name":"UCNV_US_ASCII","features":[70]},{"name":"UCNV_UTF16","features":[70]},{"name":"UCNV_UTF16_BigEndian","features":[70]},{"name":"UCNV_UTF16_LittleEndian","features":[70]},{"name":"UCNV_UTF32","features":[70]},{"name":"UCNV_UTF32_BigEndian","features":[70]},{"name":"UCNV_UTF32_LittleEndian","features":[70]},{"name":"UCNV_UTF7","features":[70]},{"name":"UCNV_UTF8","features":[70]},{"name":"UCNV_VALUE_SEP_STRING","features":[70]},{"name":"UCNV_VERSION_OPTION_STRING","features":[70]},{"name":"UCOL_ALTERNATE_HANDLING","features":[70]},{"name":"UCOL_ATTRIBUTE_COUNT","features":[70]},{"name":"UCOL_BOUND_LOWER","features":[70]},{"name":"UCOL_BOUND_UPPER","features":[70]},{"name":"UCOL_BOUND_UPPER_LONG","features":[70]},{"name":"UCOL_CASE_FIRST","features":[70]},{"name":"UCOL_CASE_LEVEL","features":[70]},{"name":"UCOL_CE_STRENGTH_LIMIT","features":[70]},{"name":"UCOL_DECOMPOSITION_MODE","features":[70]},{"name":"UCOL_DEFAULT","features":[70]},{"name":"UCOL_DEFAULT_STRENGTH","features":[70]},{"name":"UCOL_EQUAL","features":[70]},{"name":"UCOL_FRENCH_COLLATION","features":[70]},{"name":"UCOL_FULL_RULES","features":[70]},{"name":"UCOL_GREATER","features":[70]},{"name":"UCOL_IDENTICAL","features":[70]},{"name":"UCOL_LESS","features":[70]},{"name":"UCOL_LOWER_FIRST","features":[70]},{"name":"UCOL_NON_IGNORABLE","features":[70]},{"name":"UCOL_NORMALIZATION_MODE","features":[70]},{"name":"UCOL_NUMERIC_COLLATION","features":[70]},{"name":"UCOL_OFF","features":[70]},{"name":"UCOL_ON","features":[70]},{"name":"UCOL_PRIMARY","features":[70]},{"name":"UCOL_QUATERNARY","features":[70]},{"name":"UCOL_REORDER_CODE_CURRENCY","features":[70]},{"name":"UCOL_REORDER_CODE_DEFAULT","features":[70]},{"name":"UCOL_REORDER_CODE_DIGIT","features":[70]},{"name":"UCOL_REORDER_CODE_FIRST","features":[70]},{"name":"UCOL_REORDER_CODE_NONE","features":[70]},{"name":"UCOL_REORDER_CODE_OTHERS","features":[70]},{"name":"UCOL_REORDER_CODE_PUNCTUATION","features":[70]},{"name":"UCOL_REORDER_CODE_SPACE","features":[70]},{"name":"UCOL_REORDER_CODE_SYMBOL","features":[70]},{"name":"UCOL_SECONDARY","features":[70]},{"name":"UCOL_SHIFTED","features":[70]},{"name":"UCOL_STRENGTH","features":[70]},{"name":"UCOL_STRENGTH_LIMIT","features":[70]},{"name":"UCOL_TAILORING_ONLY","features":[70]},{"name":"UCOL_TERTIARY","features":[70]},{"name":"UCOL_UPPER_FIRST","features":[70]},{"name":"UCONFIG_ENABLE_PLUGINS","features":[70]},{"name":"UCONFIG_FORMAT_FASTPATHS_49","features":[70]},{"name":"UCONFIG_HAVE_PARSEALLINPUT","features":[70]},{"name":"UCONFIG_NO_BREAK_ITERATION","features":[70]},{"name":"UCONFIG_NO_COLLATION","features":[70]},{"name":"UCONFIG_NO_CONVERSION","features":[70]},{"name":"UCONFIG_NO_FILE_IO","features":[70]},{"name":"UCONFIG_NO_FILTERED_BREAK_ITERATION","features":[70]},{"name":"UCONFIG_NO_FORMATTING","features":[70]},{"name":"UCONFIG_NO_IDNA","features":[70]},{"name":"UCONFIG_NO_LEGACY_CONVERSION","features":[70]},{"name":"UCONFIG_NO_NORMALIZATION","features":[70]},{"name":"UCONFIG_NO_REGULAR_EXPRESSIONS","features":[70]},{"name":"UCONFIG_NO_SERVICE","features":[70]},{"name":"UCONFIG_NO_TRANSLITERATION","features":[70]},{"name":"UCONFIG_ONLY_COLLATION","features":[70]},{"name":"UCONFIG_ONLY_HTML_CONVERSION","features":[70]},{"name":"UCPMAP_RANGE_FIXED_ALL_SURROGATES","features":[70]},{"name":"UCPMAP_RANGE_FIXED_LEAD_SURROGATES","features":[70]},{"name":"UCPMAP_RANGE_NORMAL","features":[70]},{"name":"UCPMap","features":[70]},{"name":"UCPMapRangeOption","features":[70]},{"name":"UCPMapValueFilter","features":[70]},{"name":"UCPTRIE_ERROR_VALUE_NEG_DATA_OFFSET","features":[70]},{"name":"UCPTRIE_FAST_DATA_BLOCK_LENGTH","features":[70]},{"name":"UCPTRIE_FAST_DATA_MASK","features":[70]},{"name":"UCPTRIE_FAST_SHIFT","features":[70]},{"name":"UCPTRIE_HIGH_VALUE_NEG_DATA_OFFSET","features":[70]},{"name":"UCPTRIE_SMALL_MAX","features":[70]},{"name":"UCPTRIE_TYPE_ANY","features":[70]},{"name":"UCPTRIE_TYPE_FAST","features":[70]},{"name":"UCPTRIE_TYPE_SMALL","features":[70]},{"name":"UCPTRIE_VALUE_BITS_16","features":[70]},{"name":"UCPTRIE_VALUE_BITS_32","features":[70]},{"name":"UCPTRIE_VALUE_BITS_8","features":[70]},{"name":"UCPTRIE_VALUE_BITS_ANY","features":[70]},{"name":"UCPTrie","features":[70]},{"name":"UCPTrieData","features":[70]},{"name":"UCPTrieType","features":[70]},{"name":"UCPTrieValueWidth","features":[70]},{"name":"UCURR_ALL","features":[70]},{"name":"UCURR_COMMON","features":[70]},{"name":"UCURR_DEPRECATED","features":[70]},{"name":"UCURR_LONG_NAME","features":[70]},{"name":"UCURR_NARROW_SYMBOL_NAME","features":[70]},{"name":"UCURR_NON_DEPRECATED","features":[70]},{"name":"UCURR_SYMBOL_NAME","features":[70]},{"name":"UCURR_UNCOMMON","features":[70]},{"name":"UCURR_USAGE_CASH","features":[70]},{"name":"UCURR_USAGE_STANDARD","features":[70]},{"name":"UCalendarAMPMs","features":[70]},{"name":"UCalendarAttribute","features":[70]},{"name":"UCalendarDateFields","features":[70]},{"name":"UCalendarDaysOfWeek","features":[70]},{"name":"UCalendarDisplayNameType","features":[70]},{"name":"UCalendarLimitType","features":[70]},{"name":"UCalendarMonths","features":[70]},{"name":"UCalendarType","features":[70]},{"name":"UCalendarWallTimeOption","features":[70]},{"name":"UCalendarWeekdayType","features":[70]},{"name":"UCaseMap","features":[70]},{"name":"UCharCategory","features":[70]},{"name":"UCharDirection","features":[70]},{"name":"UCharEnumTypeRange","features":[70]},{"name":"UCharIterator","features":[70]},{"name":"UCharIteratorCurrent","features":[70]},{"name":"UCharIteratorGetIndex","features":[70]},{"name":"UCharIteratorGetState","features":[70]},{"name":"UCharIteratorHasNext","features":[70]},{"name":"UCharIteratorHasPrevious","features":[70]},{"name":"UCharIteratorMove","features":[70]},{"name":"UCharIteratorNext","features":[70]},{"name":"UCharIteratorOrigin","features":[70]},{"name":"UCharIteratorPrevious","features":[70]},{"name":"UCharIteratorReserved","features":[70]},{"name":"UCharIteratorSetState","features":[70]},{"name":"UCharNameChoice","features":[70]},{"name":"UCharsetDetector","features":[70]},{"name":"UCharsetMatch","features":[70]},{"name":"UColAttribute","features":[70]},{"name":"UColAttributeValue","features":[70]},{"name":"UColBoundMode","features":[70]},{"name":"UColReorderCode","features":[70]},{"name":"UColRuleOption","features":[70]},{"name":"UCollationElements","features":[70]},{"name":"UCollationResult","features":[70]},{"name":"UCollator","features":[70]},{"name":"UConstrainedFieldPosition","features":[70]},{"name":"UConverter","features":[70]},{"name":"UConverterCallbackReason","features":[70]},{"name":"UConverterFromUCallback","features":[70]},{"name":"UConverterFromUnicodeArgs","features":[70]},{"name":"UConverterPlatform","features":[70]},{"name":"UConverterSelector","features":[70]},{"name":"UConverterToUCallback","features":[70]},{"name":"UConverterToUnicodeArgs","features":[70]},{"name":"UConverterType","features":[70]},{"name":"UConverterUnicodeSet","features":[70]},{"name":"UCurrCurrencyType","features":[70]},{"name":"UCurrNameStyle","features":[70]},{"name":"UCurrencySpacing","features":[70]},{"name":"UCurrencyUsage","features":[70]},{"name":"UDATPG_ABBREVIATED","features":[70]},{"name":"UDATPG_BASE_CONFLICT","features":[70]},{"name":"UDATPG_CONFLICT","features":[70]},{"name":"UDATPG_DAYPERIOD_FIELD","features":[70]},{"name":"UDATPG_DAY_FIELD","features":[70]},{"name":"UDATPG_DAY_OF_WEEK_IN_MONTH_FIELD","features":[70]},{"name":"UDATPG_DAY_OF_YEAR_FIELD","features":[70]},{"name":"UDATPG_ERA_FIELD","features":[70]},{"name":"UDATPG_FIELD_COUNT","features":[70]},{"name":"UDATPG_FRACTIONAL_SECOND_FIELD","features":[70]},{"name":"UDATPG_HOUR_FIELD","features":[70]},{"name":"UDATPG_MATCH_ALL_FIELDS_LENGTH","features":[70]},{"name":"UDATPG_MATCH_HOUR_FIELD_LENGTH","features":[70]},{"name":"UDATPG_MATCH_NO_OPTIONS","features":[70]},{"name":"UDATPG_MINUTE_FIELD","features":[70]},{"name":"UDATPG_MONTH_FIELD","features":[70]},{"name":"UDATPG_NARROW","features":[70]},{"name":"UDATPG_NO_CONFLICT","features":[70]},{"name":"UDATPG_QUARTER_FIELD","features":[70]},{"name":"UDATPG_SECOND_FIELD","features":[70]},{"name":"UDATPG_WEEKDAY_FIELD","features":[70]},{"name":"UDATPG_WEEK_OF_MONTH_FIELD","features":[70]},{"name":"UDATPG_WEEK_OF_YEAR_FIELD","features":[70]},{"name":"UDATPG_WIDE","features":[70]},{"name":"UDATPG_YEAR_FIELD","features":[70]},{"name":"UDATPG_ZONE_FIELD","features":[70]},{"name":"UDAT_ABBR_GENERIC_TZ","features":[70]},{"name":"UDAT_ABBR_MONTH","features":[70]},{"name":"UDAT_ABBR_MONTH_DAY","features":[70]},{"name":"UDAT_ABBR_MONTH_WEEKDAY_DAY","features":[70]},{"name":"UDAT_ABBR_QUARTER","features":[70]},{"name":"UDAT_ABBR_SPECIFIC_TZ","features":[70]},{"name":"UDAT_ABBR_UTC_TZ","features":[70]},{"name":"UDAT_ABBR_WEEKDAY","features":[70]},{"name":"UDAT_ABSOLUTE_DAY","features":[70]},{"name":"UDAT_ABSOLUTE_FRIDAY","features":[70]},{"name":"UDAT_ABSOLUTE_MONDAY","features":[70]},{"name":"UDAT_ABSOLUTE_MONTH","features":[70]},{"name":"UDAT_ABSOLUTE_NOW","features":[70]},{"name":"UDAT_ABSOLUTE_SATURDAY","features":[70]},{"name":"UDAT_ABSOLUTE_SUNDAY","features":[70]},{"name":"UDAT_ABSOLUTE_THURSDAY","features":[70]},{"name":"UDAT_ABSOLUTE_TUESDAY","features":[70]},{"name":"UDAT_ABSOLUTE_UNIT_COUNT","features":[70]},{"name":"UDAT_ABSOLUTE_WEDNESDAY","features":[70]},{"name":"UDAT_ABSOLUTE_WEEK","features":[70]},{"name":"UDAT_ABSOLUTE_YEAR","features":[70]},{"name":"UDAT_AM_PMS","features":[70]},{"name":"UDAT_AM_PM_FIELD","features":[70]},{"name":"UDAT_AM_PM_MIDNIGHT_NOON_FIELD","features":[70]},{"name":"UDAT_BOOLEAN_ATTRIBUTE_COUNT","features":[70]},{"name":"UDAT_CYCLIC_YEARS_ABBREVIATED","features":[70]},{"name":"UDAT_CYCLIC_YEARS_NARROW","features":[70]},{"name":"UDAT_CYCLIC_YEARS_WIDE","features":[70]},{"name":"UDAT_DATE_FIELD","features":[70]},{"name":"UDAT_DAY","features":[70]},{"name":"UDAT_DAY_OF_WEEK_FIELD","features":[70]},{"name":"UDAT_DAY_OF_WEEK_IN_MONTH_FIELD","features":[70]},{"name":"UDAT_DAY_OF_YEAR_FIELD","features":[70]},{"name":"UDAT_DEFAULT","features":[70]},{"name":"UDAT_DIRECTION_COUNT","features":[70]},{"name":"UDAT_DIRECTION_LAST","features":[70]},{"name":"UDAT_DIRECTION_LAST_2","features":[70]},{"name":"UDAT_DIRECTION_NEXT","features":[70]},{"name":"UDAT_DIRECTION_NEXT_2","features":[70]},{"name":"UDAT_DIRECTION_PLAIN","features":[70]},{"name":"UDAT_DIRECTION_THIS","features":[70]},{"name":"UDAT_DOW_LOCAL_FIELD","features":[70]},{"name":"UDAT_ERAS","features":[70]},{"name":"UDAT_ERA_FIELD","features":[70]},{"name":"UDAT_ERA_NAMES","features":[70]},{"name":"UDAT_EXTENDED_YEAR_FIELD","features":[70]},{"name":"UDAT_FLEXIBLE_DAY_PERIOD_FIELD","features":[70]},{"name":"UDAT_FRACTIONAL_SECOND_FIELD","features":[70]},{"name":"UDAT_FULL","features":[70]},{"name":"UDAT_FULL_RELATIVE","features":[70]},{"name":"UDAT_GENERIC_TZ","features":[70]},{"name":"UDAT_HOUR","features":[70]},{"name":"UDAT_HOUR0_FIELD","features":[70]},{"name":"UDAT_HOUR1_FIELD","features":[70]},{"name":"UDAT_HOUR24","features":[70]},{"name":"UDAT_HOUR24_MINUTE","features":[70]},{"name":"UDAT_HOUR24_MINUTE_SECOND","features":[70]},{"name":"UDAT_HOUR_MINUTE","features":[70]},{"name":"UDAT_HOUR_MINUTE_SECOND","features":[70]},{"name":"UDAT_HOUR_OF_DAY0_FIELD","features":[70]},{"name":"UDAT_HOUR_OF_DAY1_FIELD","features":[70]},{"name":"UDAT_JULIAN_DAY_FIELD","features":[70]},{"name":"UDAT_LOCALIZED_CHARS","features":[70]},{"name":"UDAT_LOCATION_TZ","features":[70]},{"name":"UDAT_LONG","features":[70]},{"name":"UDAT_LONG_RELATIVE","features":[70]},{"name":"UDAT_MEDIUM","features":[70]},{"name":"UDAT_MEDIUM_RELATIVE","features":[70]},{"name":"UDAT_MILLISECONDS_IN_DAY_FIELD","features":[70]},{"name":"UDAT_MINUTE","features":[70]},{"name":"UDAT_MINUTE_FIELD","features":[70]},{"name":"UDAT_MINUTE_SECOND","features":[70]},{"name":"UDAT_MONTH","features":[70]},{"name":"UDAT_MONTHS","features":[70]},{"name":"UDAT_MONTH_DAY","features":[70]},{"name":"UDAT_MONTH_FIELD","features":[70]},{"name":"UDAT_MONTH_WEEKDAY_DAY","features":[70]},{"name":"UDAT_NARROW_MONTHS","features":[70]},{"name":"UDAT_NARROW_WEEKDAYS","features":[70]},{"name":"UDAT_NONE","features":[70]},{"name":"UDAT_NUM_MONTH","features":[70]},{"name":"UDAT_NUM_MONTH_DAY","features":[70]},{"name":"UDAT_NUM_MONTH_WEEKDAY_DAY","features":[70]},{"name":"UDAT_PARSE_ALLOW_NUMERIC","features":[70]},{"name":"UDAT_PARSE_ALLOW_WHITESPACE","features":[70]},{"name":"UDAT_PARSE_MULTIPLE_PATTERNS_FOR_MATCH","features":[70]},{"name":"UDAT_PARSE_PARTIAL_LITERAL_MATCH","features":[70]},{"name":"UDAT_PATTERN","features":[70]},{"name":"UDAT_QUARTER","features":[70]},{"name":"UDAT_QUARTERS","features":[70]},{"name":"UDAT_QUARTER_FIELD","features":[70]},{"name":"UDAT_RELATIVE","features":[70]},{"name":"UDAT_RELATIVE_DAYS","features":[70]},{"name":"UDAT_RELATIVE_HOURS","features":[70]},{"name":"UDAT_RELATIVE_MINUTES","features":[70]},{"name":"UDAT_RELATIVE_MONTHS","features":[70]},{"name":"UDAT_RELATIVE_SECONDS","features":[70]},{"name":"UDAT_RELATIVE_UNIT_COUNT","features":[70]},{"name":"UDAT_RELATIVE_WEEKS","features":[70]},{"name":"UDAT_RELATIVE_YEARS","features":[70]},{"name":"UDAT_REL_LITERAL_FIELD","features":[70]},{"name":"UDAT_REL_NUMERIC_FIELD","features":[70]},{"name":"UDAT_REL_UNIT_DAY","features":[70]},{"name":"UDAT_REL_UNIT_FRIDAY","features":[70]},{"name":"UDAT_REL_UNIT_HOUR","features":[70]},{"name":"UDAT_REL_UNIT_MINUTE","features":[70]},{"name":"UDAT_REL_UNIT_MONDAY","features":[70]},{"name":"UDAT_REL_UNIT_MONTH","features":[70]},{"name":"UDAT_REL_UNIT_QUARTER","features":[70]},{"name":"UDAT_REL_UNIT_SATURDAY","features":[70]},{"name":"UDAT_REL_UNIT_SECOND","features":[70]},{"name":"UDAT_REL_UNIT_SUNDAY","features":[70]},{"name":"UDAT_REL_UNIT_THURSDAY","features":[70]},{"name":"UDAT_REL_UNIT_TUESDAY","features":[70]},{"name":"UDAT_REL_UNIT_WEDNESDAY","features":[70]},{"name":"UDAT_REL_UNIT_WEEK","features":[70]},{"name":"UDAT_REL_UNIT_YEAR","features":[70]},{"name":"UDAT_SECOND","features":[70]},{"name":"UDAT_SECOND_FIELD","features":[70]},{"name":"UDAT_SHORT","features":[70]},{"name":"UDAT_SHORTER_WEEKDAYS","features":[70]},{"name":"UDAT_SHORT_MONTHS","features":[70]},{"name":"UDAT_SHORT_QUARTERS","features":[70]},{"name":"UDAT_SHORT_RELATIVE","features":[70]},{"name":"UDAT_SHORT_WEEKDAYS","features":[70]},{"name":"UDAT_SPECIFIC_TZ","features":[70]},{"name":"UDAT_STANDALONE_DAY_FIELD","features":[70]},{"name":"UDAT_STANDALONE_MONTHS","features":[70]},{"name":"UDAT_STANDALONE_MONTH_FIELD","features":[70]},{"name":"UDAT_STANDALONE_NARROW_MONTHS","features":[70]},{"name":"UDAT_STANDALONE_NARROW_WEEKDAYS","features":[70]},{"name":"UDAT_STANDALONE_QUARTERS","features":[70]},{"name":"UDAT_STANDALONE_QUARTER_FIELD","features":[70]},{"name":"UDAT_STANDALONE_SHORTER_WEEKDAYS","features":[70]},{"name":"UDAT_STANDALONE_SHORT_MONTHS","features":[70]},{"name":"UDAT_STANDALONE_SHORT_QUARTERS","features":[70]},{"name":"UDAT_STANDALONE_SHORT_WEEKDAYS","features":[70]},{"name":"UDAT_STANDALONE_WEEKDAYS","features":[70]},{"name":"UDAT_STYLE_LONG","features":[70]},{"name":"UDAT_STYLE_NARROW","features":[70]},{"name":"UDAT_STYLE_SHORT","features":[70]},{"name":"UDAT_TIMEZONE_FIELD","features":[70]},{"name":"UDAT_TIMEZONE_GENERIC_FIELD","features":[70]},{"name":"UDAT_TIMEZONE_ISO_FIELD","features":[70]},{"name":"UDAT_TIMEZONE_ISO_LOCAL_FIELD","features":[70]},{"name":"UDAT_TIMEZONE_LOCALIZED_GMT_OFFSET_FIELD","features":[70]},{"name":"UDAT_TIMEZONE_RFC_FIELD","features":[70]},{"name":"UDAT_TIMEZONE_SPECIAL_FIELD","features":[70]},{"name":"UDAT_WEEKDAY","features":[70]},{"name":"UDAT_WEEKDAYS","features":[70]},{"name":"UDAT_WEEK_OF_MONTH_FIELD","features":[70]},{"name":"UDAT_WEEK_OF_YEAR_FIELD","features":[70]},{"name":"UDAT_YEAR","features":[70]},{"name":"UDAT_YEAR_ABBR_MONTH","features":[70]},{"name":"UDAT_YEAR_ABBR_MONTH_DAY","features":[70]},{"name":"UDAT_YEAR_ABBR_MONTH_WEEKDAY_DAY","features":[70]},{"name":"UDAT_YEAR_ABBR_QUARTER","features":[70]},{"name":"UDAT_YEAR_FIELD","features":[70]},{"name":"UDAT_YEAR_MONTH","features":[70]},{"name":"UDAT_YEAR_MONTH_DAY","features":[70]},{"name":"UDAT_YEAR_MONTH_WEEKDAY_DAY","features":[70]},{"name":"UDAT_YEAR_NAME_FIELD","features":[70]},{"name":"UDAT_YEAR_NUM_MONTH","features":[70]},{"name":"UDAT_YEAR_NUM_MONTH_DAY","features":[70]},{"name":"UDAT_YEAR_NUM_MONTH_WEEKDAY_DAY","features":[70]},{"name":"UDAT_YEAR_QUARTER","features":[70]},{"name":"UDAT_YEAR_WOY_FIELD","features":[70]},{"name":"UDAT_ZODIAC_NAMES_ABBREVIATED","features":[70]},{"name":"UDAT_ZODIAC_NAMES_NARROW","features":[70]},{"name":"UDAT_ZODIAC_NAMES_WIDE","features":[70]},{"name":"UDISPCTX_CAPITALIZATION_FOR_BEGINNING_OF_SENTENCE","features":[70]},{"name":"UDISPCTX_CAPITALIZATION_FOR_MIDDLE_OF_SENTENCE","features":[70]},{"name":"UDISPCTX_CAPITALIZATION_FOR_STANDALONE","features":[70]},{"name":"UDISPCTX_CAPITALIZATION_FOR_UI_LIST_OR_MENU","features":[70]},{"name":"UDISPCTX_CAPITALIZATION_NONE","features":[70]},{"name":"UDISPCTX_DIALECT_NAMES","features":[70]},{"name":"UDISPCTX_LENGTH_FULL","features":[70]},{"name":"UDISPCTX_LENGTH_SHORT","features":[70]},{"name":"UDISPCTX_NO_SUBSTITUTE","features":[70]},{"name":"UDISPCTX_STANDARD_NAMES","features":[70]},{"name":"UDISPCTX_SUBSTITUTE","features":[70]},{"name":"UDISPCTX_TYPE_CAPITALIZATION","features":[70]},{"name":"UDISPCTX_TYPE_DIALECT_HANDLING","features":[70]},{"name":"UDISPCTX_TYPE_DISPLAY_LENGTH","features":[70]},{"name":"UDISPCTX_TYPE_SUBSTITUTE_HANDLING","features":[70]},{"name":"UDTS_DB2_TIME","features":[70]},{"name":"UDTS_DOTNET_DATE_TIME","features":[70]},{"name":"UDTS_EXCEL_TIME","features":[70]},{"name":"UDTS_ICU4C_TIME","features":[70]},{"name":"UDTS_JAVA_TIME","features":[70]},{"name":"UDTS_MAC_OLD_TIME","features":[70]},{"name":"UDTS_MAC_TIME","features":[70]},{"name":"UDTS_UNIX_MICROSECONDS_TIME","features":[70]},{"name":"UDTS_UNIX_TIME","features":[70]},{"name":"UDTS_WINDOWS_FILE_TIME","features":[70]},{"name":"UDateAbsoluteUnit","features":[70]},{"name":"UDateDirection","features":[70]},{"name":"UDateFormatBooleanAttribute","features":[70]},{"name":"UDateFormatField","features":[70]},{"name":"UDateFormatStyle","features":[70]},{"name":"UDateFormatSymbolType","features":[70]},{"name":"UDateFormatSymbols","features":[70]},{"name":"UDateIntervalFormat","features":[70]},{"name":"UDateRelativeDateTimeFormatterStyle","features":[70]},{"name":"UDateRelativeUnit","features":[70]},{"name":"UDateTimePGDisplayWidth","features":[70]},{"name":"UDateTimePatternConflict","features":[70]},{"name":"UDateTimePatternField","features":[70]},{"name":"UDateTimePatternMatchOptions","features":[70]},{"name":"UDateTimeScale","features":[70]},{"name":"UDecompositionType","features":[70]},{"name":"UDialectHandling","features":[70]},{"name":"UDisplayContext","features":[70]},{"name":"UDisplayContextType","features":[70]},{"name":"UEastAsianWidth","features":[70]},{"name":"UEnumCharNamesFn","features":[70]},{"name":"UEnumeration","features":[70]},{"name":"UErrorCode","features":[70]},{"name":"UFIELD_CATEGORY_DATE","features":[70]},{"name":"UFIELD_CATEGORY_DATE_INTERVAL","features":[70]},{"name":"UFIELD_CATEGORY_DATE_INTERVAL_SPAN","features":[70]},{"name":"UFIELD_CATEGORY_LIST","features":[70]},{"name":"UFIELD_CATEGORY_LIST_SPAN","features":[70]},{"name":"UFIELD_CATEGORY_NUMBER","features":[70]},{"name":"UFIELD_CATEGORY_RELATIVE_DATETIME","features":[70]},{"name":"UFIELD_CATEGORY_UNDEFINED","features":[70]},{"name":"UFMT_ARRAY","features":[70]},{"name":"UFMT_DATE","features":[70]},{"name":"UFMT_DOUBLE","features":[70]},{"name":"UFMT_INT64","features":[70]},{"name":"UFMT_LONG","features":[70]},{"name":"UFMT_OBJECT","features":[70]},{"name":"UFMT_STRING","features":[70]},{"name":"UFieldCategory","features":[70]},{"name":"UFieldPosition","features":[70]},{"name":"UFieldPositionIterator","features":[70]},{"name":"UFormattableType","features":[70]},{"name":"UFormattedDateInterval","features":[70]},{"name":"UFormattedList","features":[70]},{"name":"UFormattedNumber","features":[70]},{"name":"UFormattedNumberRange","features":[70]},{"name":"UFormattedRelativeDateTime","features":[70]},{"name":"UFormattedValue","features":[70]},{"name":"UGENDER_FEMALE","features":[70]},{"name":"UGENDER_MALE","features":[70]},{"name":"UGENDER_OTHER","features":[70]},{"name":"UGender","features":[70]},{"name":"UGenderInfo","features":[70]},{"name":"UGraphemeClusterBreak","features":[70]},{"name":"UHangulSyllableType","features":[70]},{"name":"UHashtable","features":[70]},{"name":"UIDNA","features":[70]},{"name":"UIDNAInfo","features":[70]},{"name":"UIDNA_CHECK_BIDI","features":[70]},{"name":"UIDNA_CHECK_CONTEXTJ","features":[70]},{"name":"UIDNA_CHECK_CONTEXTO","features":[70]},{"name":"UIDNA_DEFAULT","features":[70]},{"name":"UIDNA_ERROR_BIDI","features":[70]},{"name":"UIDNA_ERROR_CONTEXTJ","features":[70]},{"name":"UIDNA_ERROR_CONTEXTO_DIGITS","features":[70]},{"name":"UIDNA_ERROR_CONTEXTO_PUNCTUATION","features":[70]},{"name":"UIDNA_ERROR_DISALLOWED","features":[70]},{"name":"UIDNA_ERROR_DOMAIN_NAME_TOO_LONG","features":[70]},{"name":"UIDNA_ERROR_EMPTY_LABEL","features":[70]},{"name":"UIDNA_ERROR_HYPHEN_3_4","features":[70]},{"name":"UIDNA_ERROR_INVALID_ACE_LABEL","features":[70]},{"name":"UIDNA_ERROR_LABEL_HAS_DOT","features":[70]},{"name":"UIDNA_ERROR_LABEL_TOO_LONG","features":[70]},{"name":"UIDNA_ERROR_LEADING_COMBINING_MARK","features":[70]},{"name":"UIDNA_ERROR_LEADING_HYPHEN","features":[70]},{"name":"UIDNA_ERROR_PUNYCODE","features":[70]},{"name":"UIDNA_ERROR_TRAILING_HYPHEN","features":[70]},{"name":"UIDNA_NONTRANSITIONAL_TO_ASCII","features":[70]},{"name":"UIDNA_NONTRANSITIONAL_TO_UNICODE","features":[70]},{"name":"UIDNA_USE_STD3_RULES","features":[70]},{"name":"UILANGUAGE_ENUMPROCA","features":[1,70]},{"name":"UILANGUAGE_ENUMPROCW","features":[1,70]},{"name":"UITER_CURRENT","features":[70]},{"name":"UITER_LENGTH","features":[70]},{"name":"UITER_LIMIT","features":[70]},{"name":"UITER_START","features":[70]},{"name":"UITER_UNKNOWN_INDEX","features":[70]},{"name":"UITER_ZERO","features":[70]},{"name":"UIndicPositionalCategory","features":[70]},{"name":"UIndicSyllabicCategory","features":[70]},{"name":"UJoiningGroup","features":[70]},{"name":"UJoiningType","features":[70]},{"name":"ULDN_DIALECT_NAMES","features":[70]},{"name":"ULDN_STANDARD_NAMES","features":[70]},{"name":"ULISTFMT_ELEMENT_FIELD","features":[70]},{"name":"ULISTFMT_LITERAL_FIELD","features":[70]},{"name":"ULISTFMT_TYPE_AND","features":[70]},{"name":"ULISTFMT_TYPE_OR","features":[70]},{"name":"ULISTFMT_TYPE_UNITS","features":[70]},{"name":"ULISTFMT_WIDTH_NARROW","features":[70]},{"name":"ULISTFMT_WIDTH_SHORT","features":[70]},{"name":"ULISTFMT_WIDTH_WIDE","features":[70]},{"name":"ULOCDATA_ALT_QUOTATION_END","features":[70]},{"name":"ULOCDATA_ALT_QUOTATION_START","features":[70]},{"name":"ULOCDATA_ES_AUXILIARY","features":[70]},{"name":"ULOCDATA_ES_INDEX","features":[70]},{"name":"ULOCDATA_ES_PUNCTUATION","features":[70]},{"name":"ULOCDATA_ES_STANDARD","features":[70]},{"name":"ULOCDATA_QUOTATION_END","features":[70]},{"name":"ULOCDATA_QUOTATION_START","features":[70]},{"name":"ULOC_ACCEPT_FAILED","features":[70]},{"name":"ULOC_ACCEPT_FALLBACK","features":[70]},{"name":"ULOC_ACCEPT_VALID","features":[70]},{"name":"ULOC_ACTUAL_LOCALE","features":[70]},{"name":"ULOC_AVAILABLE_DEFAULT","features":[70]},{"name":"ULOC_AVAILABLE_ONLY_LEGACY_ALIASES","features":[70]},{"name":"ULOC_AVAILABLE_WITH_LEGACY_ALIASES","features":[70]},{"name":"ULOC_CANADA","features":[70]},{"name":"ULOC_CANADA_FRENCH","features":[70]},{"name":"ULOC_CHINA","features":[70]},{"name":"ULOC_CHINESE","features":[70]},{"name":"ULOC_COUNTRY_CAPACITY","features":[70]},{"name":"ULOC_ENGLISH","features":[70]},{"name":"ULOC_FRANCE","features":[70]},{"name":"ULOC_FRENCH","features":[70]},{"name":"ULOC_FULLNAME_CAPACITY","features":[70]},{"name":"ULOC_GERMAN","features":[70]},{"name":"ULOC_GERMANY","features":[70]},{"name":"ULOC_ITALIAN","features":[70]},{"name":"ULOC_ITALY","features":[70]},{"name":"ULOC_JAPAN","features":[70]},{"name":"ULOC_JAPANESE","features":[70]},{"name":"ULOC_KEYWORDS_CAPACITY","features":[70]},{"name":"ULOC_KEYWORD_AND_VALUES_CAPACITY","features":[70]},{"name":"ULOC_KEYWORD_ASSIGN_UNICODE","features":[70]},{"name":"ULOC_KEYWORD_ITEM_SEPARATOR_UNICODE","features":[70]},{"name":"ULOC_KEYWORD_SEPARATOR_UNICODE","features":[70]},{"name":"ULOC_KOREA","features":[70]},{"name":"ULOC_KOREAN","features":[70]},{"name":"ULOC_LANG_CAPACITY","features":[70]},{"name":"ULOC_LAYOUT_BTT","features":[70]},{"name":"ULOC_LAYOUT_LTR","features":[70]},{"name":"ULOC_LAYOUT_RTL","features":[70]},{"name":"ULOC_LAYOUT_TTB","features":[70]},{"name":"ULOC_LAYOUT_UNKNOWN","features":[70]},{"name":"ULOC_PRC","features":[70]},{"name":"ULOC_SCRIPT_CAPACITY","features":[70]},{"name":"ULOC_SIMPLIFIED_CHINESE","features":[70]},{"name":"ULOC_TAIWAN","features":[70]},{"name":"ULOC_TRADITIONAL_CHINESE","features":[70]},{"name":"ULOC_UK","features":[70]},{"name":"ULOC_US","features":[70]},{"name":"ULOC_VALID_LOCALE","features":[70]},{"name":"ULayoutType","features":[70]},{"name":"ULineBreak","features":[70]},{"name":"ULineBreakTag","features":[70]},{"name":"UListFormatter","features":[70]},{"name":"UListFormatterField","features":[70]},{"name":"UListFormatterType","features":[70]},{"name":"UListFormatterWidth","features":[70]},{"name":"ULocAvailableType","features":[70]},{"name":"ULocDataLocaleType","features":[70]},{"name":"ULocaleData","features":[70]},{"name":"ULocaleDataDelimiterType","features":[70]},{"name":"ULocaleDataExemplarSetType","features":[70]},{"name":"ULocaleDisplayNames","features":[70]},{"name":"UMEASFMT_WIDTH_COUNT","features":[70]},{"name":"UMEASFMT_WIDTH_NARROW","features":[70]},{"name":"UMEASFMT_WIDTH_NUMERIC","features":[70]},{"name":"UMEASFMT_WIDTH_SHORT","features":[70]},{"name":"UMEASFMT_WIDTH_WIDE","features":[70]},{"name":"UMSGPAT_APOS_DOUBLE_OPTIONAL","features":[70]},{"name":"UMSGPAT_APOS_DOUBLE_REQUIRED","features":[70]},{"name":"UMSGPAT_ARG_NAME_NOT_NUMBER","features":[70]},{"name":"UMSGPAT_ARG_NAME_NOT_VALID","features":[70]},{"name":"UMSGPAT_ARG_TYPE_CHOICE","features":[70]},{"name":"UMSGPAT_ARG_TYPE_NONE","features":[70]},{"name":"UMSGPAT_ARG_TYPE_PLURAL","features":[70]},{"name":"UMSGPAT_ARG_TYPE_SELECT","features":[70]},{"name":"UMSGPAT_ARG_TYPE_SELECTORDINAL","features":[70]},{"name":"UMSGPAT_ARG_TYPE_SIMPLE","features":[70]},{"name":"UMSGPAT_PART_TYPE_ARG_DOUBLE","features":[70]},{"name":"UMSGPAT_PART_TYPE_ARG_INT","features":[70]},{"name":"UMSGPAT_PART_TYPE_ARG_LIMIT","features":[70]},{"name":"UMSGPAT_PART_TYPE_ARG_NAME","features":[70]},{"name":"UMSGPAT_PART_TYPE_ARG_NUMBER","features":[70]},{"name":"UMSGPAT_PART_TYPE_ARG_SELECTOR","features":[70]},{"name":"UMSGPAT_PART_TYPE_ARG_START","features":[70]},{"name":"UMSGPAT_PART_TYPE_ARG_STYLE","features":[70]},{"name":"UMSGPAT_PART_TYPE_ARG_TYPE","features":[70]},{"name":"UMSGPAT_PART_TYPE_INSERT_CHAR","features":[70]},{"name":"UMSGPAT_PART_TYPE_MSG_LIMIT","features":[70]},{"name":"UMSGPAT_PART_TYPE_MSG_START","features":[70]},{"name":"UMSGPAT_PART_TYPE_REPLACE_NUMBER","features":[70]},{"name":"UMSGPAT_PART_TYPE_SKIP_SYNTAX","features":[70]},{"name":"UMS_SI","features":[70]},{"name":"UMS_UK","features":[70]},{"name":"UMS_US","features":[70]},{"name":"UMeasureFormatWidth","features":[70]},{"name":"UMeasurementSystem","features":[70]},{"name":"UMemAllocFn","features":[70]},{"name":"UMemFreeFn","features":[70]},{"name":"UMemReallocFn","features":[70]},{"name":"UMessagePatternApostropheMode","features":[70]},{"name":"UMessagePatternArgType","features":[70]},{"name":"UMessagePatternPartType","features":[70]},{"name":"UMutableCPTrie","features":[70]},{"name":"UNESCAPE_CHAR_AT","features":[70]},{"name":"UNICODERANGE","features":[70]},{"name":"UNISCRIBE_OPENTYPE","features":[70]},{"name":"UNORM2_COMPOSE","features":[70]},{"name":"UNORM2_COMPOSE_CONTIGUOUS","features":[70]},{"name":"UNORM2_DECOMPOSE","features":[70]},{"name":"UNORM2_FCD","features":[70]},{"name":"UNORM_DEFAULT","features":[70]},{"name":"UNORM_FCD","features":[70]},{"name":"UNORM_INPUT_IS_FCD","features":[70]},{"name":"UNORM_MAYBE","features":[70]},{"name":"UNORM_MODE_COUNT","features":[70]},{"name":"UNORM_NFC","features":[70]},{"name":"UNORM_NFD","features":[70]},{"name":"UNORM_NFKC","features":[70]},{"name":"UNORM_NFKD","features":[70]},{"name":"UNORM_NO","features":[70]},{"name":"UNORM_NONE","features":[70]},{"name":"UNORM_YES","features":[70]},{"name":"UNUM_CASH_CURRENCY","features":[70]},{"name":"UNUM_COMPACT_FIELD","features":[70]},{"name":"UNUM_CURRENCY","features":[70]},{"name":"UNUM_CURRENCY_ACCOUNTING","features":[70]},{"name":"UNUM_CURRENCY_CODE","features":[70]},{"name":"UNUM_CURRENCY_FIELD","features":[70]},{"name":"UNUM_CURRENCY_INSERT","features":[70]},{"name":"UNUM_CURRENCY_ISO","features":[70]},{"name":"UNUM_CURRENCY_MATCH","features":[70]},{"name":"UNUM_CURRENCY_PLURAL","features":[70]},{"name":"UNUM_CURRENCY_SPACING_COUNT","features":[70]},{"name":"UNUM_CURRENCY_STANDARD","features":[70]},{"name":"UNUM_CURRENCY_SURROUNDING_MATCH","features":[70]},{"name":"UNUM_CURRENCY_SYMBOL","features":[70]},{"name":"UNUM_CURRENCY_USAGE","features":[70]},{"name":"UNUM_DECIMAL","features":[70]},{"name":"UNUM_DECIMAL_ALWAYS_SHOWN","features":[70]},{"name":"UNUM_DECIMAL_COMPACT_LONG","features":[70]},{"name":"UNUM_DECIMAL_COMPACT_SHORT","features":[70]},{"name":"UNUM_DECIMAL_SEPARATOR_ALWAYS","features":[70]},{"name":"UNUM_DECIMAL_SEPARATOR_AUTO","features":[70]},{"name":"UNUM_DECIMAL_SEPARATOR_COUNT","features":[70]},{"name":"UNUM_DECIMAL_SEPARATOR_FIELD","features":[70]},{"name":"UNUM_DECIMAL_SEPARATOR_SYMBOL","features":[70]},{"name":"UNUM_DEFAULT","features":[70]},{"name":"UNUM_DEFAULT_RULESET","features":[70]},{"name":"UNUM_DIGIT_SYMBOL","features":[70]},{"name":"UNUM_DURATION","features":[70]},{"name":"UNUM_EIGHT_DIGIT_SYMBOL","features":[70]},{"name":"UNUM_EXPONENTIAL_SYMBOL","features":[70]},{"name":"UNUM_EXPONENT_FIELD","features":[70]},{"name":"UNUM_EXPONENT_MULTIPLICATION_SYMBOL","features":[70]},{"name":"UNUM_EXPONENT_SIGN_FIELD","features":[70]},{"name":"UNUM_EXPONENT_SYMBOL_FIELD","features":[70]},{"name":"UNUM_FIVE_DIGIT_SYMBOL","features":[70]},{"name":"UNUM_FORMAT_ATTRIBUTE_VALUE_HIDDEN","features":[70]},{"name":"UNUM_FORMAT_FAIL_IF_MORE_THAN_MAX_DIGITS","features":[70]},{"name":"UNUM_FORMAT_WIDTH","features":[70]},{"name":"UNUM_FOUR_DIGIT_SYMBOL","features":[70]},{"name":"UNUM_FRACTION_DIGITS","features":[70]},{"name":"UNUM_FRACTION_FIELD","features":[70]},{"name":"UNUM_GROUPING_AUTO","features":[70]},{"name":"UNUM_GROUPING_MIN2","features":[70]},{"name":"UNUM_GROUPING_OFF","features":[70]},{"name":"UNUM_GROUPING_ON_ALIGNED","features":[70]},{"name":"UNUM_GROUPING_SEPARATOR_FIELD","features":[70]},{"name":"UNUM_GROUPING_SEPARATOR_SYMBOL","features":[70]},{"name":"UNUM_GROUPING_SIZE","features":[70]},{"name":"UNUM_GROUPING_THOUSANDS","features":[70]},{"name":"UNUM_GROUPING_USED","features":[70]},{"name":"UNUM_IDENTITY_FALLBACK_APPROXIMATELY","features":[70]},{"name":"UNUM_IDENTITY_FALLBACK_APPROXIMATELY_OR_SINGLE_VALUE","features":[70]},{"name":"UNUM_IDENTITY_FALLBACK_RANGE","features":[70]},{"name":"UNUM_IDENTITY_FALLBACK_SINGLE_VALUE","features":[70]},{"name":"UNUM_IDENTITY_RESULT_EQUAL_AFTER_ROUNDING","features":[70]},{"name":"UNUM_IDENTITY_RESULT_EQUAL_BEFORE_ROUNDING","features":[70]},{"name":"UNUM_IDENTITY_RESULT_NOT_EQUAL","features":[70]},{"name":"UNUM_IGNORE","features":[70]},{"name":"UNUM_INFINITY_SYMBOL","features":[70]},{"name":"UNUM_INTEGER_DIGITS","features":[70]},{"name":"UNUM_INTEGER_FIELD","features":[70]},{"name":"UNUM_INTL_CURRENCY_SYMBOL","features":[70]},{"name":"UNUM_LENIENT_PARSE","features":[70]},{"name":"UNUM_LONG","features":[70]},{"name":"UNUM_MAX_FRACTION_DIGITS","features":[70]},{"name":"UNUM_MAX_INTEGER_DIGITS","features":[70]},{"name":"UNUM_MAX_SIGNIFICANT_DIGITS","features":[70]},{"name":"UNUM_MEASURE_UNIT_FIELD","features":[70]},{"name":"UNUM_MINIMUM_GROUPING_DIGITS","features":[70]},{"name":"UNUM_MINUS_SIGN_SYMBOL","features":[70]},{"name":"UNUM_MIN_FRACTION_DIGITS","features":[70]},{"name":"UNUM_MIN_INTEGER_DIGITS","features":[70]},{"name":"UNUM_MIN_SIGNIFICANT_DIGITS","features":[70]},{"name":"UNUM_MONETARY_GROUPING_SEPARATOR_SYMBOL","features":[70]},{"name":"UNUM_MONETARY_SEPARATOR_SYMBOL","features":[70]},{"name":"UNUM_MULTIPLIER","features":[70]},{"name":"UNUM_NAN_SYMBOL","features":[70]},{"name":"UNUM_NEGATIVE_PREFIX","features":[70]},{"name":"UNUM_NEGATIVE_SUFFIX","features":[70]},{"name":"UNUM_NINE_DIGIT_SYMBOL","features":[70]},{"name":"UNUM_NUMBERING_SYSTEM","features":[70]},{"name":"UNUM_ONE_DIGIT_SYMBOL","features":[70]},{"name":"UNUM_ORDINAL","features":[70]},{"name":"UNUM_PADDING_CHARACTER","features":[70]},{"name":"UNUM_PADDING_POSITION","features":[70]},{"name":"UNUM_PAD_AFTER_PREFIX","features":[70]},{"name":"UNUM_PAD_AFTER_SUFFIX","features":[70]},{"name":"UNUM_PAD_BEFORE_PREFIX","features":[70]},{"name":"UNUM_PAD_BEFORE_SUFFIX","features":[70]},{"name":"UNUM_PAD_ESCAPE_SYMBOL","features":[70]},{"name":"UNUM_PARSE_ALL_INPUT","features":[70]},{"name":"UNUM_PARSE_CASE_SENSITIVE","features":[70]},{"name":"UNUM_PARSE_DECIMAL_MARK_REQUIRED","features":[70]},{"name":"UNUM_PARSE_INT_ONLY","features":[70]},{"name":"UNUM_PARSE_NO_EXPONENT","features":[70]},{"name":"UNUM_PATTERN_DECIMAL","features":[70]},{"name":"UNUM_PATTERN_RULEBASED","features":[70]},{"name":"UNUM_PATTERN_SEPARATOR_SYMBOL","features":[70]},{"name":"UNUM_PERCENT","features":[70]},{"name":"UNUM_PERCENT_FIELD","features":[70]},{"name":"UNUM_PERCENT_SYMBOL","features":[70]},{"name":"UNUM_PERMILL_FIELD","features":[70]},{"name":"UNUM_PERMILL_SYMBOL","features":[70]},{"name":"UNUM_PLUS_SIGN_SYMBOL","features":[70]},{"name":"UNUM_POSITIVE_PREFIX","features":[70]},{"name":"UNUM_POSITIVE_SUFFIX","features":[70]},{"name":"UNUM_PUBLIC_RULESETS","features":[70]},{"name":"UNUM_RANGE_COLLAPSE_ALL","features":[70]},{"name":"UNUM_RANGE_COLLAPSE_AUTO","features":[70]},{"name":"UNUM_RANGE_COLLAPSE_NONE","features":[70]},{"name":"UNUM_RANGE_COLLAPSE_UNIT","features":[70]},{"name":"UNUM_ROUNDING_INCREMENT","features":[70]},{"name":"UNUM_ROUNDING_MODE","features":[70]},{"name":"UNUM_ROUND_CEILING","features":[70]},{"name":"UNUM_ROUND_DOWN","features":[70]},{"name":"UNUM_ROUND_FLOOR","features":[70]},{"name":"UNUM_ROUND_HALFDOWN","features":[70]},{"name":"UNUM_ROUND_HALFEVEN","features":[70]},{"name":"UNUM_ROUND_HALFUP","features":[70]},{"name":"UNUM_ROUND_UNNECESSARY","features":[70]},{"name":"UNUM_ROUND_UP","features":[70]},{"name":"UNUM_SCALE","features":[70]},{"name":"UNUM_SCIENTIFIC","features":[70]},{"name":"UNUM_SECONDARY_GROUPING_SIZE","features":[70]},{"name":"UNUM_SEVEN_DIGIT_SYMBOL","features":[70]},{"name":"UNUM_SHORT","features":[70]},{"name":"UNUM_SIGNIFICANT_DIGITS_USED","features":[70]},{"name":"UNUM_SIGNIFICANT_DIGIT_SYMBOL","features":[70]},{"name":"UNUM_SIGN_ACCOUNTING","features":[70]},{"name":"UNUM_SIGN_ACCOUNTING_ALWAYS","features":[70]},{"name":"UNUM_SIGN_ACCOUNTING_EXCEPT_ZERO","features":[70]},{"name":"UNUM_SIGN_ALWAYS","features":[70]},{"name":"UNUM_SIGN_ALWAYS_SHOWN","features":[70]},{"name":"UNUM_SIGN_AUTO","features":[70]},{"name":"UNUM_SIGN_COUNT","features":[70]},{"name":"UNUM_SIGN_EXCEPT_ZERO","features":[70]},{"name":"UNUM_SIGN_FIELD","features":[70]},{"name":"UNUM_SIGN_NEVER","features":[70]},{"name":"UNUM_SIX_DIGIT_SYMBOL","features":[70]},{"name":"UNUM_SPELLOUT","features":[70]},{"name":"UNUM_THREE_DIGIT_SYMBOL","features":[70]},{"name":"UNUM_TWO_DIGIT_SYMBOL","features":[70]},{"name":"UNUM_UNIT_WIDTH_COUNT","features":[70]},{"name":"UNUM_UNIT_WIDTH_FULL_NAME","features":[70]},{"name":"UNUM_UNIT_WIDTH_HIDDEN","features":[70]},{"name":"UNUM_UNIT_WIDTH_ISO_CODE","features":[70]},{"name":"UNUM_UNIT_WIDTH_NARROW","features":[70]},{"name":"UNUM_UNIT_WIDTH_SHORT","features":[70]},{"name":"UNUM_ZERO_DIGIT_SYMBOL","features":[70]},{"name":"UNormalization2Mode","features":[70]},{"name":"UNormalizationCheckResult","features":[70]},{"name":"UNormalizationMode","features":[70]},{"name":"UNormalizer2","features":[70]},{"name":"UNumberCompactStyle","features":[70]},{"name":"UNumberDecimalSeparatorDisplay","features":[70]},{"name":"UNumberFormatAttribute","features":[70]},{"name":"UNumberFormatAttributeValue","features":[70]},{"name":"UNumberFormatFields","features":[70]},{"name":"UNumberFormatPadPosition","features":[70]},{"name":"UNumberFormatRoundingMode","features":[70]},{"name":"UNumberFormatStyle","features":[70]},{"name":"UNumberFormatSymbol","features":[70]},{"name":"UNumberFormatTextAttribute","features":[70]},{"name":"UNumberFormatter","features":[70]},{"name":"UNumberGroupingStrategy","features":[70]},{"name":"UNumberRangeCollapse","features":[70]},{"name":"UNumberRangeIdentityFallback","features":[70]},{"name":"UNumberRangeIdentityResult","features":[70]},{"name":"UNumberSignDisplay","features":[70]},{"name":"UNumberUnitWidth","features":[70]},{"name":"UNumberingSystem","features":[70]},{"name":"UNumericType","features":[70]},{"name":"UPLURAL_TYPE_CARDINAL","features":[70]},{"name":"UPLURAL_TYPE_ORDINAL","features":[70]},{"name":"UParseError","features":[70]},{"name":"UPluralRules","features":[70]},{"name":"UPluralType","features":[70]},{"name":"UProperty","features":[70]},{"name":"UPropertyNameChoice","features":[70]},{"name":"UREGEX_CASE_INSENSITIVE","features":[70]},{"name":"UREGEX_COMMENTS","features":[70]},{"name":"UREGEX_DOTALL","features":[70]},{"name":"UREGEX_ERROR_ON_UNKNOWN_ESCAPES","features":[70]},{"name":"UREGEX_LITERAL","features":[70]},{"name":"UREGEX_MULTILINE","features":[70]},{"name":"UREGEX_UNIX_LINES","features":[70]},{"name":"UREGEX_UWORD","features":[70]},{"name":"URES_ALIAS","features":[70]},{"name":"URES_ARRAY","features":[70]},{"name":"URES_BINARY","features":[70]},{"name":"URES_INT","features":[70]},{"name":"URES_INT_VECTOR","features":[70]},{"name":"URES_NONE","features":[70]},{"name":"URES_STRING","features":[70]},{"name":"URES_TABLE","features":[70]},{"name":"URGN_CONTINENT","features":[70]},{"name":"URGN_DEPRECATED","features":[70]},{"name":"URGN_GROUPING","features":[70]},{"name":"URGN_SUBCONTINENT","features":[70]},{"name":"URGN_TERRITORY","features":[70]},{"name":"URGN_UNKNOWN","features":[70]},{"name":"URGN_WORLD","features":[70]},{"name":"URegexFindProgressCallback","features":[70]},{"name":"URegexMatchCallback","features":[70]},{"name":"URegexpFlag","features":[70]},{"name":"URegion","features":[70]},{"name":"URegionType","features":[70]},{"name":"URegularExpression","features":[70]},{"name":"URelativeDateTimeFormatter","features":[70]},{"name":"URelativeDateTimeFormatterField","features":[70]},{"name":"URelativeDateTimeUnit","features":[70]},{"name":"UReplaceableCallbacks","features":[70]},{"name":"UResType","features":[70]},{"name":"UResourceBundle","features":[70]},{"name":"URestrictionLevel","features":[70]},{"name":"USCRIPT_ADLAM","features":[70]},{"name":"USCRIPT_AFAKA","features":[70]},{"name":"USCRIPT_AHOM","features":[70]},{"name":"USCRIPT_ANATOLIAN_HIEROGLYPHS","features":[70]},{"name":"USCRIPT_ARABIC","features":[70]},{"name":"USCRIPT_ARMENIAN","features":[70]},{"name":"USCRIPT_AVESTAN","features":[70]},{"name":"USCRIPT_BALINESE","features":[70]},{"name":"USCRIPT_BAMUM","features":[70]},{"name":"USCRIPT_BASSA_VAH","features":[70]},{"name":"USCRIPT_BATAK","features":[70]},{"name":"USCRIPT_BENGALI","features":[70]},{"name":"USCRIPT_BHAIKSUKI","features":[70]},{"name":"USCRIPT_BLISSYMBOLS","features":[70]},{"name":"USCRIPT_BOOK_PAHLAVI","features":[70]},{"name":"USCRIPT_BOPOMOFO","features":[70]},{"name":"USCRIPT_BRAHMI","features":[70]},{"name":"USCRIPT_BRAILLE","features":[70]},{"name":"USCRIPT_BUGINESE","features":[70]},{"name":"USCRIPT_BUHID","features":[70]},{"name":"USCRIPT_CANADIAN_ABORIGINAL","features":[70]},{"name":"USCRIPT_CARIAN","features":[70]},{"name":"USCRIPT_CAUCASIAN_ALBANIAN","features":[70]},{"name":"USCRIPT_CHAKMA","features":[70]},{"name":"USCRIPT_CHAM","features":[70]},{"name":"USCRIPT_CHEROKEE","features":[70]},{"name":"USCRIPT_CHORASMIAN","features":[70]},{"name":"USCRIPT_CIRTH","features":[70]},{"name":"USCRIPT_COMMON","features":[70]},{"name":"USCRIPT_COPTIC","features":[70]},{"name":"USCRIPT_CUNEIFORM","features":[70]},{"name":"USCRIPT_CYPRIOT","features":[70]},{"name":"USCRIPT_CYRILLIC","features":[70]},{"name":"USCRIPT_DEMOTIC_EGYPTIAN","features":[70]},{"name":"USCRIPT_DESERET","features":[70]},{"name":"USCRIPT_DEVANAGARI","features":[70]},{"name":"USCRIPT_DIVES_AKURU","features":[70]},{"name":"USCRIPT_DOGRA","features":[70]},{"name":"USCRIPT_DUPLOYAN","features":[70]},{"name":"USCRIPT_EASTERN_SYRIAC","features":[70]},{"name":"USCRIPT_EGYPTIAN_HIEROGLYPHS","features":[70]},{"name":"USCRIPT_ELBASAN","features":[70]},{"name":"USCRIPT_ELYMAIC","features":[70]},{"name":"USCRIPT_ESTRANGELO_SYRIAC","features":[70]},{"name":"USCRIPT_ETHIOPIC","features":[70]},{"name":"USCRIPT_GEORGIAN","features":[70]},{"name":"USCRIPT_GLAGOLITIC","features":[70]},{"name":"USCRIPT_GOTHIC","features":[70]},{"name":"USCRIPT_GRANTHA","features":[70]},{"name":"USCRIPT_GREEK","features":[70]},{"name":"USCRIPT_GUJARATI","features":[70]},{"name":"USCRIPT_GUNJALA_GONDI","features":[70]},{"name":"USCRIPT_GURMUKHI","features":[70]},{"name":"USCRIPT_HAN","features":[70]},{"name":"USCRIPT_HANGUL","features":[70]},{"name":"USCRIPT_HANIFI_ROHINGYA","features":[70]},{"name":"USCRIPT_HANUNOO","features":[70]},{"name":"USCRIPT_HAN_WITH_BOPOMOFO","features":[70]},{"name":"USCRIPT_HARAPPAN_INDUS","features":[70]},{"name":"USCRIPT_HATRAN","features":[70]},{"name":"USCRIPT_HEBREW","features":[70]},{"name":"USCRIPT_HIERATIC_EGYPTIAN","features":[70]},{"name":"USCRIPT_HIRAGANA","features":[70]},{"name":"USCRIPT_IMPERIAL_ARAMAIC","features":[70]},{"name":"USCRIPT_INHERITED","features":[70]},{"name":"USCRIPT_INSCRIPTIONAL_PAHLAVI","features":[70]},{"name":"USCRIPT_INSCRIPTIONAL_PARTHIAN","features":[70]},{"name":"USCRIPT_INVALID_CODE","features":[70]},{"name":"USCRIPT_JAMO","features":[70]},{"name":"USCRIPT_JAPANESE","features":[70]},{"name":"USCRIPT_JAVANESE","features":[70]},{"name":"USCRIPT_JURCHEN","features":[70]},{"name":"USCRIPT_KAITHI","features":[70]},{"name":"USCRIPT_KANNADA","features":[70]},{"name":"USCRIPT_KATAKANA","features":[70]},{"name":"USCRIPT_KATAKANA_OR_HIRAGANA","features":[70]},{"name":"USCRIPT_KAYAH_LI","features":[70]},{"name":"USCRIPT_KHAROSHTHI","features":[70]},{"name":"USCRIPT_KHITAN_SMALL_SCRIPT","features":[70]},{"name":"USCRIPT_KHMER","features":[70]},{"name":"USCRIPT_KHOJKI","features":[70]},{"name":"USCRIPT_KHUDAWADI","features":[70]},{"name":"USCRIPT_KHUTSURI","features":[70]},{"name":"USCRIPT_KOREAN","features":[70]},{"name":"USCRIPT_KPELLE","features":[70]},{"name":"USCRIPT_LANNA","features":[70]},{"name":"USCRIPT_LAO","features":[70]},{"name":"USCRIPT_LATIN","features":[70]},{"name":"USCRIPT_LATIN_FRAKTUR","features":[70]},{"name":"USCRIPT_LATIN_GAELIC","features":[70]},{"name":"USCRIPT_LEPCHA","features":[70]},{"name":"USCRIPT_LIMBU","features":[70]},{"name":"USCRIPT_LINEAR_A","features":[70]},{"name":"USCRIPT_LINEAR_B","features":[70]},{"name":"USCRIPT_LISU","features":[70]},{"name":"USCRIPT_LOMA","features":[70]},{"name":"USCRIPT_LYCIAN","features":[70]},{"name":"USCRIPT_LYDIAN","features":[70]},{"name":"USCRIPT_MAHAJANI","features":[70]},{"name":"USCRIPT_MAKASAR","features":[70]},{"name":"USCRIPT_MALAYALAM","features":[70]},{"name":"USCRIPT_MANDAEAN","features":[70]},{"name":"USCRIPT_MANDAIC","features":[70]},{"name":"USCRIPT_MANICHAEAN","features":[70]},{"name":"USCRIPT_MARCHEN","features":[70]},{"name":"USCRIPT_MASARAM_GONDI","features":[70]},{"name":"USCRIPT_MATHEMATICAL_NOTATION","features":[70]},{"name":"USCRIPT_MAYAN_HIEROGLYPHS","features":[70]},{"name":"USCRIPT_MEDEFAIDRIN","features":[70]},{"name":"USCRIPT_MEITEI_MAYEK","features":[70]},{"name":"USCRIPT_MENDE","features":[70]},{"name":"USCRIPT_MEROITIC","features":[70]},{"name":"USCRIPT_MEROITIC_CURSIVE","features":[70]},{"name":"USCRIPT_MEROITIC_HIEROGLYPHS","features":[70]},{"name":"USCRIPT_MIAO","features":[70]},{"name":"USCRIPT_MODI","features":[70]},{"name":"USCRIPT_MONGOLIAN","features":[70]},{"name":"USCRIPT_MOON","features":[70]},{"name":"USCRIPT_MRO","features":[70]},{"name":"USCRIPT_MULTANI","features":[70]},{"name":"USCRIPT_MYANMAR","features":[70]},{"name":"USCRIPT_NABATAEAN","features":[70]},{"name":"USCRIPT_NAKHI_GEBA","features":[70]},{"name":"USCRIPT_NANDINAGARI","features":[70]},{"name":"USCRIPT_NEWA","features":[70]},{"name":"USCRIPT_NEW_TAI_LUE","features":[70]},{"name":"USCRIPT_NKO","features":[70]},{"name":"USCRIPT_NUSHU","features":[70]},{"name":"USCRIPT_NYIAKENG_PUACHUE_HMONG","features":[70]},{"name":"USCRIPT_OGHAM","features":[70]},{"name":"USCRIPT_OLD_CHURCH_SLAVONIC_CYRILLIC","features":[70]},{"name":"USCRIPT_OLD_HUNGARIAN","features":[70]},{"name":"USCRIPT_OLD_ITALIC","features":[70]},{"name":"USCRIPT_OLD_NORTH_ARABIAN","features":[70]},{"name":"USCRIPT_OLD_PERMIC","features":[70]},{"name":"USCRIPT_OLD_PERSIAN","features":[70]},{"name":"USCRIPT_OLD_SOGDIAN","features":[70]},{"name":"USCRIPT_OLD_SOUTH_ARABIAN","features":[70]},{"name":"USCRIPT_OL_CHIKI","features":[70]},{"name":"USCRIPT_ORIYA","features":[70]},{"name":"USCRIPT_ORKHON","features":[70]},{"name":"USCRIPT_OSAGE","features":[70]},{"name":"USCRIPT_OSMANYA","features":[70]},{"name":"USCRIPT_PAHAWH_HMONG","features":[70]},{"name":"USCRIPT_PALMYRENE","features":[70]},{"name":"USCRIPT_PAU_CIN_HAU","features":[70]},{"name":"USCRIPT_PHAGS_PA","features":[70]},{"name":"USCRIPT_PHOENICIAN","features":[70]},{"name":"USCRIPT_PHONETIC_POLLARD","features":[70]},{"name":"USCRIPT_PSALTER_PAHLAVI","features":[70]},{"name":"USCRIPT_REJANG","features":[70]},{"name":"USCRIPT_RONGORONGO","features":[70]},{"name":"USCRIPT_RUNIC","features":[70]},{"name":"USCRIPT_SAMARITAN","features":[70]},{"name":"USCRIPT_SARATI","features":[70]},{"name":"USCRIPT_SAURASHTRA","features":[70]},{"name":"USCRIPT_SHARADA","features":[70]},{"name":"USCRIPT_SHAVIAN","features":[70]},{"name":"USCRIPT_SIDDHAM","features":[70]},{"name":"USCRIPT_SIGN_WRITING","features":[70]},{"name":"USCRIPT_SIMPLIFIED_HAN","features":[70]},{"name":"USCRIPT_SINDHI","features":[70]},{"name":"USCRIPT_SINHALA","features":[70]},{"name":"USCRIPT_SOGDIAN","features":[70]},{"name":"USCRIPT_SORA_SOMPENG","features":[70]},{"name":"USCRIPT_SOYOMBO","features":[70]},{"name":"USCRIPT_SUNDANESE","features":[70]},{"name":"USCRIPT_SYLOTI_NAGRI","features":[70]},{"name":"USCRIPT_SYMBOLS","features":[70]},{"name":"USCRIPT_SYMBOLS_EMOJI","features":[70]},{"name":"USCRIPT_SYRIAC","features":[70]},{"name":"USCRIPT_TAGALOG","features":[70]},{"name":"USCRIPT_TAGBANWA","features":[70]},{"name":"USCRIPT_TAI_LE","features":[70]},{"name":"USCRIPT_TAI_VIET","features":[70]},{"name":"USCRIPT_TAKRI","features":[70]},{"name":"USCRIPT_TAMIL","features":[70]},{"name":"USCRIPT_TANGUT","features":[70]},{"name":"USCRIPT_TELUGU","features":[70]},{"name":"USCRIPT_TENGWAR","features":[70]},{"name":"USCRIPT_THAANA","features":[70]},{"name":"USCRIPT_THAI","features":[70]},{"name":"USCRIPT_TIBETAN","features":[70]},{"name":"USCRIPT_TIFINAGH","features":[70]},{"name":"USCRIPT_TIRHUTA","features":[70]},{"name":"USCRIPT_TRADITIONAL_HAN","features":[70]},{"name":"USCRIPT_UCAS","features":[70]},{"name":"USCRIPT_UGARITIC","features":[70]},{"name":"USCRIPT_UNKNOWN","features":[70]},{"name":"USCRIPT_UNWRITTEN_LANGUAGES","features":[70]},{"name":"USCRIPT_USAGE_ASPIRATIONAL","features":[70]},{"name":"USCRIPT_USAGE_EXCLUDED","features":[70]},{"name":"USCRIPT_USAGE_LIMITED_USE","features":[70]},{"name":"USCRIPT_USAGE_NOT_ENCODED","features":[70]},{"name":"USCRIPT_USAGE_RECOMMENDED","features":[70]},{"name":"USCRIPT_USAGE_UNKNOWN","features":[70]},{"name":"USCRIPT_VAI","features":[70]},{"name":"USCRIPT_VISIBLE_SPEECH","features":[70]},{"name":"USCRIPT_WANCHO","features":[70]},{"name":"USCRIPT_WARANG_CITI","features":[70]},{"name":"USCRIPT_WESTERN_SYRIAC","features":[70]},{"name":"USCRIPT_WOLEAI","features":[70]},{"name":"USCRIPT_YEZIDI","features":[70]},{"name":"USCRIPT_YI","features":[70]},{"name":"USCRIPT_ZANABAZAR_SQUARE","features":[70]},{"name":"USEARCH_ANY_BASE_WEIGHT_IS_WILDCARD","features":[70]},{"name":"USEARCH_DEFAULT","features":[70]},{"name":"USEARCH_DONE","features":[70]},{"name":"USEARCH_ELEMENT_COMPARISON","features":[70]},{"name":"USEARCH_OFF","features":[70]},{"name":"USEARCH_ON","features":[70]},{"name":"USEARCH_OVERLAP","features":[70]},{"name":"USEARCH_PATTERN_BASE_WEIGHT_IS_WILDCARD","features":[70]},{"name":"USEARCH_STANDARD_ELEMENT_COMPARISON","features":[70]},{"name":"USET_ADD_CASE_MAPPINGS","features":[70]},{"name":"USET_CASE_INSENSITIVE","features":[70]},{"name":"USET_IGNORE_SPACE","features":[70]},{"name":"USET_SERIALIZED_STATIC_ARRAY_CAPACITY","features":[70]},{"name":"USET_SPAN_CONTAINED","features":[70]},{"name":"USET_SPAN_NOT_CONTAINED","features":[70]},{"name":"USET_SPAN_SIMPLE","features":[70]},{"name":"USPOOF_ALL_CHECKS","features":[70]},{"name":"USPOOF_ASCII","features":[70]},{"name":"USPOOF_AUX_INFO","features":[70]},{"name":"USPOOF_CHAR_LIMIT","features":[70]},{"name":"USPOOF_CONFUSABLE","features":[70]},{"name":"USPOOF_HIDDEN_OVERLAY","features":[70]},{"name":"USPOOF_HIGHLY_RESTRICTIVE","features":[70]},{"name":"USPOOF_INVISIBLE","features":[70]},{"name":"USPOOF_MINIMALLY_RESTRICTIVE","features":[70]},{"name":"USPOOF_MIXED_NUMBERS","features":[70]},{"name":"USPOOF_MIXED_SCRIPT_CONFUSABLE","features":[70]},{"name":"USPOOF_MODERATELY_RESTRICTIVE","features":[70]},{"name":"USPOOF_RESTRICTION_LEVEL","features":[70]},{"name":"USPOOF_RESTRICTION_LEVEL_MASK","features":[70]},{"name":"USPOOF_SINGLE_SCRIPT_CONFUSABLE","features":[70]},{"name":"USPOOF_SINGLE_SCRIPT_RESTRICTIVE","features":[70]},{"name":"USPOOF_UNRESTRICTIVE","features":[70]},{"name":"USPOOF_WHOLE_SCRIPT_CONFUSABLE","features":[70]},{"name":"USPREP_ALLOW_UNASSIGNED","features":[70]},{"name":"USPREP_DEFAULT","features":[70]},{"name":"USPREP_RFC3491_NAMEPREP","features":[70]},{"name":"USPREP_RFC3530_NFS4_CIS_PREP","features":[70]},{"name":"USPREP_RFC3530_NFS4_CS_PREP","features":[70]},{"name":"USPREP_RFC3530_NFS4_CS_PREP_CI","features":[70]},{"name":"USPREP_RFC3530_NFS4_MIXED_PREP_PREFIX","features":[70]},{"name":"USPREP_RFC3530_NFS4_MIXED_PREP_SUFFIX","features":[70]},{"name":"USPREP_RFC3722_ISCSI","features":[70]},{"name":"USPREP_RFC3920_NODEPREP","features":[70]},{"name":"USPREP_RFC3920_RESOURCEPREP","features":[70]},{"name":"USPREP_RFC4011_MIB","features":[70]},{"name":"USPREP_RFC4013_SASLPREP","features":[70]},{"name":"USPREP_RFC4505_TRACE","features":[70]},{"name":"USPREP_RFC4518_LDAP","features":[70]},{"name":"USPREP_RFC4518_LDAP_CI","features":[70]},{"name":"USP_E_SCRIPT_NOT_IN_FONT","features":[70]},{"name":"USTRINGTRIE_BUILD_FAST","features":[70]},{"name":"USTRINGTRIE_BUILD_SMALL","features":[70]},{"name":"USTRINGTRIE_FINAL_VALUE","features":[70]},{"name":"USTRINGTRIE_INTERMEDIATE_VALUE","features":[70]},{"name":"USTRINGTRIE_NO_MATCH","features":[70]},{"name":"USTRINGTRIE_NO_VALUE","features":[70]},{"name":"UScriptCode","features":[70]},{"name":"UScriptUsage","features":[70]},{"name":"USearch","features":[70]},{"name":"USearchAttribute","features":[70]},{"name":"USearchAttributeValue","features":[70]},{"name":"USentenceBreak","features":[70]},{"name":"USentenceBreakTag","features":[70]},{"name":"USerializedSet","features":[70]},{"name":"USet","features":[70]},{"name":"USetSpanCondition","features":[70]},{"name":"USpoofCheckResult","features":[70]},{"name":"USpoofChecker","features":[70]},{"name":"USpoofChecks","features":[70]},{"name":"UStringCaseMapper","features":[70]},{"name":"UStringPrepProfile","features":[70]},{"name":"UStringPrepProfileType","features":[70]},{"name":"UStringSearch","features":[70]},{"name":"UStringTrieBuildOption","features":[70]},{"name":"UStringTrieResult","features":[70]},{"name":"USystemTimeZoneType","features":[70]},{"name":"UTEXT_MAGIC","features":[70]},{"name":"UTEXT_PROVIDER_HAS_META_DATA","features":[70]},{"name":"UTEXT_PROVIDER_LENGTH_IS_EXPENSIVE","features":[70]},{"name":"UTEXT_PROVIDER_OWNS_TEXT","features":[70]},{"name":"UTEXT_PROVIDER_STABLE_CHUNKS","features":[70]},{"name":"UTEXT_PROVIDER_WRITABLE","features":[70]},{"name":"UTF16_MAX_CHAR_LENGTH","features":[70]},{"name":"UTF32_MAX_CHAR_LENGTH","features":[70]},{"name":"UTF8_ERROR_VALUE_1","features":[70]},{"name":"UTF8_ERROR_VALUE_2","features":[70]},{"name":"UTF8_MAX_CHAR_LENGTH","features":[70]},{"name":"UTF_ERROR_VALUE","features":[70]},{"name":"UTF_MAX_CHAR_LENGTH","features":[70]},{"name":"UTF_SIZE","features":[70]},{"name":"UTRACE_COLLATION_START","features":[70]},{"name":"UTRACE_CONVERSION_START","features":[70]},{"name":"UTRACE_ERROR","features":[70]},{"name":"UTRACE_FUNCTION_START","features":[70]},{"name":"UTRACE_INFO","features":[70]},{"name":"UTRACE_OFF","features":[70]},{"name":"UTRACE_OPEN_CLOSE","features":[70]},{"name":"UTRACE_UCNV_CLONE","features":[70]},{"name":"UTRACE_UCNV_CLOSE","features":[70]},{"name":"UTRACE_UCNV_FLUSH_CACHE","features":[70]},{"name":"UTRACE_UCNV_LOAD","features":[70]},{"name":"UTRACE_UCNV_OPEN","features":[70]},{"name":"UTRACE_UCNV_OPEN_ALGORITHMIC","features":[70]},{"name":"UTRACE_UCNV_OPEN_PACKAGE","features":[70]},{"name":"UTRACE_UCNV_UNLOAD","features":[70]},{"name":"UTRACE_UCOL_CLOSE","features":[70]},{"name":"UTRACE_UCOL_GETLOCALE","features":[70]},{"name":"UTRACE_UCOL_GET_SORTKEY","features":[70]},{"name":"UTRACE_UCOL_NEXTSORTKEYPART","features":[70]},{"name":"UTRACE_UCOL_OPEN","features":[70]},{"name":"UTRACE_UCOL_OPEN_FROM_SHORT_STRING","features":[70]},{"name":"UTRACE_UCOL_STRCOLL","features":[70]},{"name":"UTRACE_UCOL_STRCOLLITER","features":[70]},{"name":"UTRACE_UCOL_STRCOLLUTF8","features":[70]},{"name":"UTRACE_UDATA_BUNDLE","features":[70]},{"name":"UTRACE_UDATA_DATA_FILE","features":[70]},{"name":"UTRACE_UDATA_RESOURCE","features":[70]},{"name":"UTRACE_UDATA_RES_FILE","features":[70]},{"name":"UTRACE_UDATA_START","features":[70]},{"name":"UTRACE_U_CLEANUP","features":[70]},{"name":"UTRACE_U_INIT","features":[70]},{"name":"UTRACE_VERBOSE","features":[70]},{"name":"UTRACE_WARNING","features":[70]},{"name":"UTRANS_FORWARD","features":[70]},{"name":"UTRANS_REVERSE","features":[70]},{"name":"UTSV_EPOCH_OFFSET_VALUE","features":[70]},{"name":"UTSV_FROM_MAX_VALUE","features":[70]},{"name":"UTSV_FROM_MIN_VALUE","features":[70]},{"name":"UTSV_TO_MAX_VALUE","features":[70]},{"name":"UTSV_TO_MIN_VALUE","features":[70]},{"name":"UTSV_UNITS_VALUE","features":[70]},{"name":"UTZFMT_PARSE_OPTION_ALL_STYLES","features":[70]},{"name":"UTZFMT_PARSE_OPTION_NONE","features":[70]},{"name":"UTZFMT_PARSE_OPTION_TZ_DATABASE_ABBREVIATIONS","features":[70]},{"name":"UTZFMT_PAT_COUNT","features":[70]},{"name":"UTZFMT_PAT_NEGATIVE_H","features":[70]},{"name":"UTZFMT_PAT_NEGATIVE_HM","features":[70]},{"name":"UTZFMT_PAT_NEGATIVE_HMS","features":[70]},{"name":"UTZFMT_PAT_POSITIVE_H","features":[70]},{"name":"UTZFMT_PAT_POSITIVE_HM","features":[70]},{"name":"UTZFMT_PAT_POSITIVE_HMS","features":[70]},{"name":"UTZFMT_STYLE_EXEMPLAR_LOCATION","features":[70]},{"name":"UTZFMT_STYLE_GENERIC_LOCATION","features":[70]},{"name":"UTZFMT_STYLE_GENERIC_LONG","features":[70]},{"name":"UTZFMT_STYLE_GENERIC_SHORT","features":[70]},{"name":"UTZFMT_STYLE_ISO_BASIC_FIXED","features":[70]},{"name":"UTZFMT_STYLE_ISO_BASIC_FULL","features":[70]},{"name":"UTZFMT_STYLE_ISO_BASIC_LOCAL_FIXED","features":[70]},{"name":"UTZFMT_STYLE_ISO_BASIC_LOCAL_FULL","features":[70]},{"name":"UTZFMT_STYLE_ISO_BASIC_LOCAL_SHORT","features":[70]},{"name":"UTZFMT_STYLE_ISO_BASIC_SHORT","features":[70]},{"name":"UTZFMT_STYLE_ISO_EXTENDED_FIXED","features":[70]},{"name":"UTZFMT_STYLE_ISO_EXTENDED_FULL","features":[70]},{"name":"UTZFMT_STYLE_ISO_EXTENDED_LOCAL_FIXED","features":[70]},{"name":"UTZFMT_STYLE_ISO_EXTENDED_LOCAL_FULL","features":[70]},{"name":"UTZFMT_STYLE_LOCALIZED_GMT","features":[70]},{"name":"UTZFMT_STYLE_LOCALIZED_GMT_SHORT","features":[70]},{"name":"UTZFMT_STYLE_SPECIFIC_LONG","features":[70]},{"name":"UTZFMT_STYLE_SPECIFIC_SHORT","features":[70]},{"name":"UTZFMT_STYLE_ZONE_ID","features":[70]},{"name":"UTZFMT_STYLE_ZONE_ID_SHORT","features":[70]},{"name":"UTZFMT_TIME_TYPE_DAYLIGHT","features":[70]},{"name":"UTZFMT_TIME_TYPE_STANDARD","features":[70]},{"name":"UTZFMT_TIME_TYPE_UNKNOWN","features":[70]},{"name":"UTZNM_EXEMPLAR_LOCATION","features":[70]},{"name":"UTZNM_LONG_DAYLIGHT","features":[70]},{"name":"UTZNM_LONG_GENERIC","features":[70]},{"name":"UTZNM_LONG_STANDARD","features":[70]},{"name":"UTZNM_SHORT_DAYLIGHT","features":[70]},{"name":"UTZNM_SHORT_GENERIC","features":[70]},{"name":"UTZNM_SHORT_STANDARD","features":[70]},{"name":"UTZNM_UNKNOWN","features":[70]},{"name":"UText","features":[70]},{"name":"UTextAccess","features":[70]},{"name":"UTextClone","features":[70]},{"name":"UTextClose","features":[70]},{"name":"UTextCopy","features":[70]},{"name":"UTextExtract","features":[70]},{"name":"UTextFuncs","features":[70]},{"name":"UTextMapNativeIndexToUTF16","features":[70]},{"name":"UTextMapOffsetToNative","features":[70]},{"name":"UTextNativeLength","features":[70]},{"name":"UTextReplace","features":[70]},{"name":"UTimeScaleValue","features":[70]},{"name":"UTimeZoneFormatGMTOffsetPatternType","features":[70]},{"name":"UTimeZoneFormatParseOption","features":[70]},{"name":"UTimeZoneFormatStyle","features":[70]},{"name":"UTimeZoneFormatTimeType","features":[70]},{"name":"UTimeZoneNameType","features":[70]},{"name":"UTimeZoneTransitionType","features":[70]},{"name":"UTraceData","features":[70]},{"name":"UTraceEntry","features":[70]},{"name":"UTraceExit","features":[70]},{"name":"UTraceFunctionNumber","features":[70]},{"name":"UTraceLevel","features":[70]},{"name":"UTransDirection","features":[70]},{"name":"UTransPosition","features":[70]},{"name":"UVerticalOrientation","features":[70]},{"name":"UWordBreak","features":[70]},{"name":"UWordBreakValues","features":[70]},{"name":"U_ALPHAINDEX_INFLOW","features":[70]},{"name":"U_ALPHAINDEX_NORMAL","features":[70]},{"name":"U_ALPHAINDEX_OVERFLOW","features":[70]},{"name":"U_ALPHAINDEX_UNDERFLOW","features":[70]},{"name":"U_AMBIGUOUS_ALIAS_WARNING","features":[70]},{"name":"U_ARABIC_NUMBER","features":[70]},{"name":"U_ARGUMENT_TYPE_MISMATCH","features":[70]},{"name":"U_ASCII_FAMILY","features":[70]},{"name":"U_BAD_VARIABLE_DEFINITION","features":[70]},{"name":"U_BLOCK_SEPARATOR","features":[70]},{"name":"U_BOUNDARY_NEUTRAL","features":[70]},{"name":"U_BPT_CLOSE","features":[70]},{"name":"U_BPT_NONE","features":[70]},{"name":"U_BPT_OPEN","features":[70]},{"name":"U_BRK_ASSIGN_ERROR","features":[70]},{"name":"U_BRK_ERROR_START","features":[70]},{"name":"U_BRK_HEX_DIGITS_EXPECTED","features":[70]},{"name":"U_BRK_INIT_ERROR","features":[70]},{"name":"U_BRK_INTERNAL_ERROR","features":[70]},{"name":"U_BRK_MALFORMED_RULE_TAG","features":[70]},{"name":"U_BRK_MISMATCHED_PAREN","features":[70]},{"name":"U_BRK_NEW_LINE_IN_QUOTED_STRING","features":[70]},{"name":"U_BRK_RULE_EMPTY_SET","features":[70]},{"name":"U_BRK_RULE_SYNTAX","features":[70]},{"name":"U_BRK_SEMICOLON_EXPECTED","features":[70]},{"name":"U_BRK_UNCLOSED_SET","features":[70]},{"name":"U_BRK_UNDEFINED_VARIABLE","features":[70]},{"name":"U_BRK_UNRECOGNIZED_OPTION","features":[70]},{"name":"U_BRK_VARIABLE_REDFINITION","features":[70]},{"name":"U_BUFFER_OVERFLOW_ERROR","features":[70]},{"name":"U_CE_NOT_FOUND_ERROR","features":[70]},{"name":"U_CHAR16_IS_TYPEDEF","features":[70]},{"name":"U_CHARSET_FAMILY","features":[70]},{"name":"U_CHARSET_IS_UTF8","features":[70]},{"name":"U_CHAR_CATEGORY_COUNT","features":[70]},{"name":"U_CHAR_NAME_ALIAS","features":[70]},{"name":"U_CHECK_DYLOAD","features":[70]},{"name":"U_COLLATOR_VERSION_MISMATCH","features":[70]},{"name":"U_COMBINED_IMPLEMENTATION","features":[70]},{"name":"U_COMBINING_SPACING_MARK","features":[70]},{"name":"U_COMMON_NUMBER_SEPARATOR","features":[70]},{"name":"U_COMPARE_CODE_POINT_ORDER","features":[70]},{"name":"U_COMPARE_IGNORE_CASE","features":[70]},{"name":"U_CONNECTOR_PUNCTUATION","features":[70]},{"name":"U_CONTROL_CHAR","features":[70]},{"name":"U_COPYRIGHT_STRING_LENGTH","features":[70]},{"name":"U_CPLUSPLUS_VERSION","features":[70]},{"name":"U_CURRENCY_SYMBOL","features":[70]},{"name":"U_DASH_PUNCTUATION","features":[70]},{"name":"U_DEBUG","features":[70]},{"name":"U_DECIMAL_DIGIT_NUMBER","features":[70]},{"name":"U_DECIMAL_NUMBER_SYNTAX_ERROR","features":[70]},{"name":"U_DEFAULT_KEYWORD_MISSING","features":[70]},{"name":"U_DEFAULT_SHOW_DRAFT","features":[70]},{"name":"U_DEFINE_FALSE_AND_TRUE","features":[70]},{"name":"U_DIFFERENT_UCA_VERSION","features":[70]},{"name":"U_DIR_NON_SPACING_MARK","features":[70]},{"name":"U_DISABLE_RENAMING","features":[70]},{"name":"U_DT_CANONICAL","features":[70]},{"name":"U_DT_CIRCLE","features":[70]},{"name":"U_DT_COMPAT","features":[70]},{"name":"U_DT_FINAL","features":[70]},{"name":"U_DT_FONT","features":[70]},{"name":"U_DT_FRACTION","features":[70]},{"name":"U_DT_INITIAL","features":[70]},{"name":"U_DT_ISOLATED","features":[70]},{"name":"U_DT_MEDIAL","features":[70]},{"name":"U_DT_NARROW","features":[70]},{"name":"U_DT_NOBREAK","features":[70]},{"name":"U_DT_NONE","features":[70]},{"name":"U_DT_SMALL","features":[70]},{"name":"U_DT_SQUARE","features":[70]},{"name":"U_DT_SUB","features":[70]},{"name":"U_DT_SUPER","features":[70]},{"name":"U_DT_VERTICAL","features":[70]},{"name":"U_DT_WIDE","features":[70]},{"name":"U_DUPLICATE_KEYWORD","features":[70]},{"name":"U_EA_AMBIGUOUS","features":[70]},{"name":"U_EA_FULLWIDTH","features":[70]},{"name":"U_EA_HALFWIDTH","features":[70]},{"name":"U_EA_NARROW","features":[70]},{"name":"U_EA_NEUTRAL","features":[70]},{"name":"U_EA_WIDE","features":[70]},{"name":"U_EBCDIC_FAMILY","features":[70]},{"name":"U_EDITS_NO_RESET","features":[70]},{"name":"U_ENABLE_DYLOAD","features":[70]},{"name":"U_ENABLE_TRACING","features":[70]},{"name":"U_ENCLOSING_MARK","features":[70]},{"name":"U_END_PUNCTUATION","features":[70]},{"name":"U_ENUM_OUT_OF_SYNC_ERROR","features":[70]},{"name":"U_ERROR_WARNING_START","features":[70]},{"name":"U_EUROPEAN_NUMBER","features":[70]},{"name":"U_EUROPEAN_NUMBER_SEPARATOR","features":[70]},{"name":"U_EUROPEAN_NUMBER_TERMINATOR","features":[70]},{"name":"U_EXTENDED_CHAR_NAME","features":[70]},{"name":"U_FILE_ACCESS_ERROR","features":[70]},{"name":"U_FINAL_PUNCTUATION","features":[70]},{"name":"U_FIRST_STRONG_ISOLATE","features":[70]},{"name":"U_FMT_PARSE_ERROR_START","features":[70]},{"name":"U_FOLD_CASE_DEFAULT","features":[70]},{"name":"U_FOLD_CASE_EXCLUDE_SPECIAL_I","features":[70]},{"name":"U_FORMAT_CHAR","features":[70]},{"name":"U_FORMAT_INEXACT_ERROR","features":[70]},{"name":"U_GCB_CONTROL","features":[70]},{"name":"U_GCB_CR","features":[70]},{"name":"U_GCB_EXTEND","features":[70]},{"name":"U_GCB_E_BASE","features":[70]},{"name":"U_GCB_E_BASE_GAZ","features":[70]},{"name":"U_GCB_E_MODIFIER","features":[70]},{"name":"U_GCB_GLUE_AFTER_ZWJ","features":[70]},{"name":"U_GCB_L","features":[70]},{"name":"U_GCB_LF","features":[70]},{"name":"U_GCB_LV","features":[70]},{"name":"U_GCB_LVT","features":[70]},{"name":"U_GCB_OTHER","features":[70]},{"name":"U_GCB_PREPEND","features":[70]},{"name":"U_GCB_REGIONAL_INDICATOR","features":[70]},{"name":"U_GCB_SPACING_MARK","features":[70]},{"name":"U_GCB_T","features":[70]},{"name":"U_GCB_V","features":[70]},{"name":"U_GCB_ZWJ","features":[70]},{"name":"U_GCC_MAJOR_MINOR","features":[70]},{"name":"U_GENERAL_OTHER_TYPES","features":[70]},{"name":"U_HAVE_CHAR16_T","features":[70]},{"name":"U_HAVE_DEBUG_LOCATION_NEW","features":[70]},{"name":"U_HAVE_INTTYPES_H","features":[70]},{"name":"U_HAVE_LIB_SUFFIX","features":[70]},{"name":"U_HAVE_PLACEMENT_NEW","features":[70]},{"name":"U_HAVE_RBNF","features":[70]},{"name":"U_HAVE_RVALUE_REFERENCES","features":[70]},{"name":"U_HAVE_STDINT_H","features":[70]},{"name":"U_HAVE_STD_STRING","features":[70]},{"name":"U_HAVE_WCHAR_H","features":[70]},{"name":"U_HAVE_WCSCPY","features":[70]},{"name":"U_HIDE_DEPRECATED_API","features":[70]},{"name":"U_HIDE_DRAFT_API","features":[70]},{"name":"U_HIDE_INTERNAL_API","features":[70]},{"name":"U_HIDE_OBSOLETE_API","features":[70]},{"name":"U_HIDE_OBSOLETE_UTF_OLD_H","features":[70]},{"name":"U_HST_LEADING_JAMO","features":[70]},{"name":"U_HST_LVT_SYLLABLE","features":[70]},{"name":"U_HST_LV_SYLLABLE","features":[70]},{"name":"U_HST_NOT_APPLICABLE","features":[70]},{"name":"U_HST_TRAILING_JAMO","features":[70]},{"name":"U_HST_VOWEL_JAMO","features":[70]},{"name":"U_ICUDATA_TYPE_LETTER","features":[70]},{"name":"U_ICU_DATA_KEY","features":[70]},{"name":"U_ICU_VERSION_BUNDLE","features":[70]},{"name":"U_IDNA_ACE_PREFIX_ERROR","features":[70]},{"name":"U_IDNA_CHECK_BIDI_ERROR","features":[70]},{"name":"U_IDNA_DOMAIN_NAME_TOO_LONG_ERROR","features":[70]},{"name":"U_IDNA_ERROR_START","features":[70]},{"name":"U_IDNA_LABEL_TOO_LONG_ERROR","features":[70]},{"name":"U_IDNA_PROHIBITED_ERROR","features":[70]},{"name":"U_IDNA_STD3_ASCII_RULES_ERROR","features":[70]},{"name":"U_IDNA_UNASSIGNED_ERROR","features":[70]},{"name":"U_IDNA_VERIFICATION_ERROR","features":[70]},{"name":"U_IDNA_ZERO_LENGTH_LABEL_ERROR","features":[70]},{"name":"U_ILLEGAL_ARGUMENT_ERROR","features":[70]},{"name":"U_ILLEGAL_CHARACTER","features":[70]},{"name":"U_ILLEGAL_CHAR_FOUND","features":[70]},{"name":"U_ILLEGAL_CHAR_IN_SEGMENT","features":[70]},{"name":"U_ILLEGAL_ESCAPE_SEQUENCE","features":[70]},{"name":"U_ILLEGAL_PAD_POSITION","features":[70]},{"name":"U_INDEX_OUTOFBOUNDS_ERROR","features":[70]},{"name":"U_INITIAL_PUNCTUATION","features":[70]},{"name":"U_INPC_BOTTOM","features":[70]},{"name":"U_INPC_BOTTOM_AND_LEFT","features":[70]},{"name":"U_INPC_BOTTOM_AND_RIGHT","features":[70]},{"name":"U_INPC_LEFT","features":[70]},{"name":"U_INPC_LEFT_AND_RIGHT","features":[70]},{"name":"U_INPC_NA","features":[70]},{"name":"U_INPC_OVERSTRUCK","features":[70]},{"name":"U_INPC_RIGHT","features":[70]},{"name":"U_INPC_TOP","features":[70]},{"name":"U_INPC_TOP_AND_BOTTOM","features":[70]},{"name":"U_INPC_TOP_AND_BOTTOM_AND_LEFT","features":[70]},{"name":"U_INPC_TOP_AND_BOTTOM_AND_RIGHT","features":[70]},{"name":"U_INPC_TOP_AND_LEFT","features":[70]},{"name":"U_INPC_TOP_AND_LEFT_AND_RIGHT","features":[70]},{"name":"U_INPC_TOP_AND_RIGHT","features":[70]},{"name":"U_INPC_VISUAL_ORDER_LEFT","features":[70]},{"name":"U_INSC_AVAGRAHA","features":[70]},{"name":"U_INSC_BINDU","features":[70]},{"name":"U_INSC_BRAHMI_JOINING_NUMBER","features":[70]},{"name":"U_INSC_CANTILLATION_MARK","features":[70]},{"name":"U_INSC_CONSONANT","features":[70]},{"name":"U_INSC_CONSONANT_DEAD","features":[70]},{"name":"U_INSC_CONSONANT_FINAL","features":[70]},{"name":"U_INSC_CONSONANT_HEAD_LETTER","features":[70]},{"name":"U_INSC_CONSONANT_INITIAL_POSTFIXED","features":[70]},{"name":"U_INSC_CONSONANT_KILLER","features":[70]},{"name":"U_INSC_CONSONANT_MEDIAL","features":[70]},{"name":"U_INSC_CONSONANT_PLACEHOLDER","features":[70]},{"name":"U_INSC_CONSONANT_PRECEDING_REPHA","features":[70]},{"name":"U_INSC_CONSONANT_PREFIXED","features":[70]},{"name":"U_INSC_CONSONANT_SUBJOINED","features":[70]},{"name":"U_INSC_CONSONANT_SUCCEEDING_REPHA","features":[70]},{"name":"U_INSC_CONSONANT_WITH_STACKER","features":[70]},{"name":"U_INSC_GEMINATION_MARK","features":[70]},{"name":"U_INSC_INVISIBLE_STACKER","features":[70]},{"name":"U_INSC_JOINER","features":[70]},{"name":"U_INSC_MODIFYING_LETTER","features":[70]},{"name":"U_INSC_NON_JOINER","features":[70]},{"name":"U_INSC_NUKTA","features":[70]},{"name":"U_INSC_NUMBER","features":[70]},{"name":"U_INSC_NUMBER_JOINER","features":[70]},{"name":"U_INSC_OTHER","features":[70]},{"name":"U_INSC_PURE_KILLER","features":[70]},{"name":"U_INSC_REGISTER_SHIFTER","features":[70]},{"name":"U_INSC_SYLLABLE_MODIFIER","features":[70]},{"name":"U_INSC_TONE_LETTER","features":[70]},{"name":"U_INSC_TONE_MARK","features":[70]},{"name":"U_INSC_VIRAMA","features":[70]},{"name":"U_INSC_VISARGA","features":[70]},{"name":"U_INSC_VOWEL","features":[70]},{"name":"U_INSC_VOWEL_DEPENDENT","features":[70]},{"name":"U_INSC_VOWEL_INDEPENDENT","features":[70]},{"name":"U_INTERNAL_PROGRAM_ERROR","features":[70]},{"name":"U_INTERNAL_TRANSLITERATOR_ERROR","features":[70]},{"name":"U_INVALID_CHAR_FOUND","features":[70]},{"name":"U_INVALID_FORMAT_ERROR","features":[70]},{"name":"U_INVALID_FUNCTION","features":[70]},{"name":"U_INVALID_ID","features":[70]},{"name":"U_INVALID_PROPERTY_PATTERN","features":[70]},{"name":"U_INVALID_RBT_SYNTAX","features":[70]},{"name":"U_INVALID_STATE_ERROR","features":[70]},{"name":"U_INVALID_TABLE_FILE","features":[70]},{"name":"U_INVALID_TABLE_FORMAT","features":[70]},{"name":"U_INVARIANT_CONVERSION_ERROR","features":[70]},{"name":"U_IOSTREAM_SOURCE","features":[70]},{"name":"U_IS_BIG_ENDIAN","features":[70]},{"name":"U_JG_AFRICAN_FEH","features":[70]},{"name":"U_JG_AFRICAN_NOON","features":[70]},{"name":"U_JG_AFRICAN_QAF","features":[70]},{"name":"U_JG_AIN","features":[70]},{"name":"U_JG_ALAPH","features":[70]},{"name":"U_JG_ALEF","features":[70]},{"name":"U_JG_BEH","features":[70]},{"name":"U_JG_BETH","features":[70]},{"name":"U_JG_BURUSHASKI_YEH_BARREE","features":[70]},{"name":"U_JG_DAL","features":[70]},{"name":"U_JG_DALATH_RISH","features":[70]},{"name":"U_JG_E","features":[70]},{"name":"U_JG_FARSI_YEH","features":[70]},{"name":"U_JG_FE","features":[70]},{"name":"U_JG_FEH","features":[70]},{"name":"U_JG_FINAL_SEMKATH","features":[70]},{"name":"U_JG_GAF","features":[70]},{"name":"U_JG_GAMAL","features":[70]},{"name":"U_JG_HAH","features":[70]},{"name":"U_JG_HAMZA_ON_HEH_GOAL","features":[70]},{"name":"U_JG_HANIFI_ROHINGYA_KINNA_YA","features":[70]},{"name":"U_JG_HANIFI_ROHINGYA_PA","features":[70]},{"name":"U_JG_HE","features":[70]},{"name":"U_JG_HEH","features":[70]},{"name":"U_JG_HEH_GOAL","features":[70]},{"name":"U_JG_HETH","features":[70]},{"name":"U_JG_KAF","features":[70]},{"name":"U_JG_KAPH","features":[70]},{"name":"U_JG_KHAPH","features":[70]},{"name":"U_JG_KNOTTED_HEH","features":[70]},{"name":"U_JG_LAM","features":[70]},{"name":"U_JG_LAMADH","features":[70]},{"name":"U_JG_MALAYALAM_BHA","features":[70]},{"name":"U_JG_MALAYALAM_JA","features":[70]},{"name":"U_JG_MALAYALAM_LLA","features":[70]},{"name":"U_JG_MALAYALAM_LLLA","features":[70]},{"name":"U_JG_MALAYALAM_NGA","features":[70]},{"name":"U_JG_MALAYALAM_NNA","features":[70]},{"name":"U_JG_MALAYALAM_NNNA","features":[70]},{"name":"U_JG_MALAYALAM_NYA","features":[70]},{"name":"U_JG_MALAYALAM_RA","features":[70]},{"name":"U_JG_MALAYALAM_SSA","features":[70]},{"name":"U_JG_MALAYALAM_TTA","features":[70]},{"name":"U_JG_MANICHAEAN_ALEPH","features":[70]},{"name":"U_JG_MANICHAEAN_AYIN","features":[70]},{"name":"U_JG_MANICHAEAN_BETH","features":[70]},{"name":"U_JG_MANICHAEAN_DALETH","features":[70]},{"name":"U_JG_MANICHAEAN_DHAMEDH","features":[70]},{"name":"U_JG_MANICHAEAN_FIVE","features":[70]},{"name":"U_JG_MANICHAEAN_GIMEL","features":[70]},{"name":"U_JG_MANICHAEAN_HETH","features":[70]},{"name":"U_JG_MANICHAEAN_HUNDRED","features":[70]},{"name":"U_JG_MANICHAEAN_KAPH","features":[70]},{"name":"U_JG_MANICHAEAN_LAMEDH","features":[70]},{"name":"U_JG_MANICHAEAN_MEM","features":[70]},{"name":"U_JG_MANICHAEAN_NUN","features":[70]},{"name":"U_JG_MANICHAEAN_ONE","features":[70]},{"name":"U_JG_MANICHAEAN_PE","features":[70]},{"name":"U_JG_MANICHAEAN_QOPH","features":[70]},{"name":"U_JG_MANICHAEAN_RESH","features":[70]},{"name":"U_JG_MANICHAEAN_SADHE","features":[70]},{"name":"U_JG_MANICHAEAN_SAMEKH","features":[70]},{"name":"U_JG_MANICHAEAN_TAW","features":[70]},{"name":"U_JG_MANICHAEAN_TEN","features":[70]},{"name":"U_JG_MANICHAEAN_TETH","features":[70]},{"name":"U_JG_MANICHAEAN_THAMEDH","features":[70]},{"name":"U_JG_MANICHAEAN_TWENTY","features":[70]},{"name":"U_JG_MANICHAEAN_WAW","features":[70]},{"name":"U_JG_MANICHAEAN_YODH","features":[70]},{"name":"U_JG_MANICHAEAN_ZAYIN","features":[70]},{"name":"U_JG_MEEM","features":[70]},{"name":"U_JG_MIM","features":[70]},{"name":"U_JG_NOON","features":[70]},{"name":"U_JG_NO_JOINING_GROUP","features":[70]},{"name":"U_JG_NUN","features":[70]},{"name":"U_JG_NYA","features":[70]},{"name":"U_JG_PE","features":[70]},{"name":"U_JG_QAF","features":[70]},{"name":"U_JG_QAPH","features":[70]},{"name":"U_JG_REH","features":[70]},{"name":"U_JG_REVERSED_PE","features":[70]},{"name":"U_JG_ROHINGYA_YEH","features":[70]},{"name":"U_JG_SAD","features":[70]},{"name":"U_JG_SADHE","features":[70]},{"name":"U_JG_SEEN","features":[70]},{"name":"U_JG_SEMKATH","features":[70]},{"name":"U_JG_SHIN","features":[70]},{"name":"U_JG_STRAIGHT_WAW","features":[70]},{"name":"U_JG_SWASH_KAF","features":[70]},{"name":"U_JG_SYRIAC_WAW","features":[70]},{"name":"U_JG_TAH","features":[70]},{"name":"U_JG_TAW","features":[70]},{"name":"U_JG_TEH_MARBUTA","features":[70]},{"name":"U_JG_TEH_MARBUTA_GOAL","features":[70]},{"name":"U_JG_TETH","features":[70]},{"name":"U_JG_WAW","features":[70]},{"name":"U_JG_YEH","features":[70]},{"name":"U_JG_YEH_BARREE","features":[70]},{"name":"U_JG_YEH_WITH_TAIL","features":[70]},{"name":"U_JG_YUDH","features":[70]},{"name":"U_JG_YUDH_HE","features":[70]},{"name":"U_JG_ZAIN","features":[70]},{"name":"U_JG_ZHAIN","features":[70]},{"name":"U_JT_DUAL_JOINING","features":[70]},{"name":"U_JT_JOIN_CAUSING","features":[70]},{"name":"U_JT_LEFT_JOINING","features":[70]},{"name":"U_JT_NON_JOINING","features":[70]},{"name":"U_JT_RIGHT_JOINING","features":[70]},{"name":"U_JT_TRANSPARENT","features":[70]},{"name":"U_LB_ALPHABETIC","features":[70]},{"name":"U_LB_AMBIGUOUS","features":[70]},{"name":"U_LB_BREAK_AFTER","features":[70]},{"name":"U_LB_BREAK_BEFORE","features":[70]},{"name":"U_LB_BREAK_BOTH","features":[70]},{"name":"U_LB_BREAK_SYMBOLS","features":[70]},{"name":"U_LB_CARRIAGE_RETURN","features":[70]},{"name":"U_LB_CLOSE_PARENTHESIS","features":[70]},{"name":"U_LB_CLOSE_PUNCTUATION","features":[70]},{"name":"U_LB_COMBINING_MARK","features":[70]},{"name":"U_LB_COMPLEX_CONTEXT","features":[70]},{"name":"U_LB_CONDITIONAL_JAPANESE_STARTER","features":[70]},{"name":"U_LB_CONTINGENT_BREAK","features":[70]},{"name":"U_LB_EXCLAMATION","features":[70]},{"name":"U_LB_E_BASE","features":[70]},{"name":"U_LB_E_MODIFIER","features":[70]},{"name":"U_LB_GLUE","features":[70]},{"name":"U_LB_H2","features":[70]},{"name":"U_LB_H3","features":[70]},{"name":"U_LB_HEBREW_LETTER","features":[70]},{"name":"U_LB_HYPHEN","features":[70]},{"name":"U_LB_IDEOGRAPHIC","features":[70]},{"name":"U_LB_INFIX_NUMERIC","features":[70]},{"name":"U_LB_INSEPARABLE","features":[70]},{"name":"U_LB_INSEPERABLE","features":[70]},{"name":"U_LB_JL","features":[70]},{"name":"U_LB_JT","features":[70]},{"name":"U_LB_JV","features":[70]},{"name":"U_LB_LINE_FEED","features":[70]},{"name":"U_LB_MANDATORY_BREAK","features":[70]},{"name":"U_LB_NEXT_LINE","features":[70]},{"name":"U_LB_NONSTARTER","features":[70]},{"name":"U_LB_NUMERIC","features":[70]},{"name":"U_LB_OPEN_PUNCTUATION","features":[70]},{"name":"U_LB_POSTFIX_NUMERIC","features":[70]},{"name":"U_LB_PREFIX_NUMERIC","features":[70]},{"name":"U_LB_QUOTATION","features":[70]},{"name":"U_LB_REGIONAL_INDICATOR","features":[70]},{"name":"U_LB_SPACE","features":[70]},{"name":"U_LB_SURROGATE","features":[70]},{"name":"U_LB_UNKNOWN","features":[70]},{"name":"U_LB_WORD_JOINER","features":[70]},{"name":"U_LB_ZWJ","features":[70]},{"name":"U_LB_ZWSPACE","features":[70]},{"name":"U_LEFT_TO_RIGHT","features":[70]},{"name":"U_LEFT_TO_RIGHT_EMBEDDING","features":[70]},{"name":"U_LEFT_TO_RIGHT_ISOLATE","features":[70]},{"name":"U_LEFT_TO_RIGHT_OVERRIDE","features":[70]},{"name":"U_LETTER_NUMBER","features":[70]},{"name":"U_LIB_SUFFIX_C_NAME_STRING","features":[70]},{"name":"U_LINE_SEPARATOR","features":[70]},{"name":"U_LONG_PROPERTY_NAME","features":[70]},{"name":"U_LOWERCASE_LETTER","features":[70]},{"name":"U_MALFORMED_EXPONENTIAL_PATTERN","features":[70]},{"name":"U_MALFORMED_PRAGMA","features":[70]},{"name":"U_MALFORMED_RULE","features":[70]},{"name":"U_MALFORMED_SET","features":[70]},{"name":"U_MALFORMED_SYMBOL_REFERENCE","features":[70]},{"name":"U_MALFORMED_UNICODE_ESCAPE","features":[70]},{"name":"U_MALFORMED_VARIABLE_DEFINITION","features":[70]},{"name":"U_MALFORMED_VARIABLE_REFERENCE","features":[70]},{"name":"U_MATH_SYMBOL","features":[70]},{"name":"U_MAX_VERSION_LENGTH","features":[70]},{"name":"U_MAX_VERSION_STRING_LENGTH","features":[70]},{"name":"U_MEMORY_ALLOCATION_ERROR","features":[70]},{"name":"U_MESSAGE_PARSE_ERROR","features":[70]},{"name":"U_MILLIS_PER_DAY","features":[70]},{"name":"U_MILLIS_PER_HOUR","features":[70]},{"name":"U_MILLIS_PER_MINUTE","features":[70]},{"name":"U_MILLIS_PER_SECOND","features":[70]},{"name":"U_MISMATCHED_SEGMENT_DELIMITERS","features":[70]},{"name":"U_MISPLACED_ANCHOR_START","features":[70]},{"name":"U_MISPLACED_COMPOUND_FILTER","features":[70]},{"name":"U_MISPLACED_CURSOR_OFFSET","features":[70]},{"name":"U_MISPLACED_QUANTIFIER","features":[70]},{"name":"U_MISSING_OPERATOR","features":[70]},{"name":"U_MISSING_RESOURCE_ERROR","features":[70]},{"name":"U_MISSING_SEGMENT_CLOSE","features":[70]},{"name":"U_MODIFIER_LETTER","features":[70]},{"name":"U_MODIFIER_SYMBOL","features":[70]},{"name":"U_MULTIPLE_ANTE_CONTEXTS","features":[70]},{"name":"U_MULTIPLE_COMPOUND_FILTERS","features":[70]},{"name":"U_MULTIPLE_CURSORS","features":[70]},{"name":"U_MULTIPLE_DECIMAL_SEPARATORS","features":[70]},{"name":"U_MULTIPLE_DECIMAL_SEPERATORS","features":[70]},{"name":"U_MULTIPLE_EXPONENTIAL_SYMBOLS","features":[70]},{"name":"U_MULTIPLE_PAD_SPECIFIERS","features":[70]},{"name":"U_MULTIPLE_PERCENT_SYMBOLS","features":[70]},{"name":"U_MULTIPLE_PERMILL_SYMBOLS","features":[70]},{"name":"U_MULTIPLE_POST_CONTEXTS","features":[70]},{"name":"U_NON_SPACING_MARK","features":[70]},{"name":"U_NO_DEFAULT_INCLUDE_UTF_HEADERS","features":[70]},{"name":"U_NO_SPACE_AVAILABLE","features":[70]},{"name":"U_NO_WRITE_PERMISSION","features":[70]},{"name":"U_NT_DECIMAL","features":[70]},{"name":"U_NT_DIGIT","features":[70]},{"name":"U_NT_NONE","features":[70]},{"name":"U_NT_NUMERIC","features":[70]},{"name":"U_NUMBER_ARG_OUTOFBOUNDS_ERROR","features":[70]},{"name":"U_NUMBER_SKELETON_SYNTAX_ERROR","features":[70]},{"name":"U_OMIT_UNCHANGED_TEXT","features":[70]},{"name":"U_OTHER_LETTER","features":[70]},{"name":"U_OTHER_NEUTRAL","features":[70]},{"name":"U_OTHER_NUMBER","features":[70]},{"name":"U_OTHER_PUNCTUATION","features":[70]},{"name":"U_OTHER_SYMBOL","features":[70]},{"name":"U_OVERRIDE_CXX_ALLOCATION","features":[70]},{"name":"U_PARAGRAPH_SEPARATOR","features":[70]},{"name":"U_PARSE_CONTEXT_LEN","features":[70]},{"name":"U_PARSE_ERROR","features":[70]},{"name":"U_PARSE_ERROR_START","features":[70]},{"name":"U_PATTERN_SYNTAX_ERROR","features":[70]},{"name":"U_PF_AIX","features":[70]},{"name":"U_PF_ANDROID","features":[70]},{"name":"U_PF_BROWSER_NATIVE_CLIENT","features":[70]},{"name":"U_PF_BSD","features":[70]},{"name":"U_PF_CYGWIN","features":[70]},{"name":"U_PF_DARWIN","features":[70]},{"name":"U_PF_EMSCRIPTEN","features":[70]},{"name":"U_PF_FUCHSIA","features":[70]},{"name":"U_PF_HPUX","features":[70]},{"name":"U_PF_IPHONE","features":[70]},{"name":"U_PF_IRIX","features":[70]},{"name":"U_PF_LINUX","features":[70]},{"name":"U_PF_MINGW","features":[70]},{"name":"U_PF_OS390","features":[70]},{"name":"U_PF_OS400","features":[70]},{"name":"U_PF_QNX","features":[70]},{"name":"U_PF_SOLARIS","features":[70]},{"name":"U_PF_UNKNOWN","features":[70]},{"name":"U_PF_WINDOWS","features":[70]},{"name":"U_PLATFORM","features":[70]},{"name":"U_PLATFORM_HAS_WIN32_API","features":[70]},{"name":"U_PLATFORM_HAS_WINUWP_API","features":[70]},{"name":"U_PLATFORM_IMPLEMENTS_POSIX","features":[70]},{"name":"U_PLATFORM_IS_DARWIN_BASED","features":[70]},{"name":"U_PLATFORM_IS_LINUX_BASED","features":[70]},{"name":"U_PLATFORM_USES_ONLY_WIN32_API","features":[70]},{"name":"U_PLUGIN_CHANGED_LEVEL_WARNING","features":[70]},{"name":"U_PLUGIN_DIDNT_SET_LEVEL","features":[70]},{"name":"U_PLUGIN_ERROR_START","features":[70]},{"name":"U_PLUGIN_TOO_HIGH","features":[70]},{"name":"U_POP_DIRECTIONAL_FORMAT","features":[70]},{"name":"U_POP_DIRECTIONAL_ISOLATE","features":[70]},{"name":"U_PRIMARY_TOO_LONG_ERROR","features":[70]},{"name":"U_PRIVATE_USE_CHAR","features":[70]},{"name":"U_REGEX_BAD_ESCAPE_SEQUENCE","features":[70]},{"name":"U_REGEX_BAD_INTERVAL","features":[70]},{"name":"U_REGEX_ERROR_START","features":[70]},{"name":"U_REGEX_INTERNAL_ERROR","features":[70]},{"name":"U_REGEX_INVALID_BACK_REF","features":[70]},{"name":"U_REGEX_INVALID_CAPTURE_GROUP_NAME","features":[70]},{"name":"U_REGEX_INVALID_FLAG","features":[70]},{"name":"U_REGEX_INVALID_RANGE","features":[70]},{"name":"U_REGEX_INVALID_STATE","features":[70]},{"name":"U_REGEX_LOOK_BEHIND_LIMIT","features":[70]},{"name":"U_REGEX_MAX_LT_MIN","features":[70]},{"name":"U_REGEX_MISMATCHED_PAREN","features":[70]},{"name":"U_REGEX_MISSING_CLOSE_BRACKET","features":[70]},{"name":"U_REGEX_NUMBER_TOO_BIG","features":[70]},{"name":"U_REGEX_PATTERN_TOO_BIG","features":[70]},{"name":"U_REGEX_PROPERTY_SYNTAX","features":[70]},{"name":"U_REGEX_RULE_SYNTAX","features":[70]},{"name":"U_REGEX_SET_CONTAINS_STRING","features":[70]},{"name":"U_REGEX_STACK_OVERFLOW","features":[70]},{"name":"U_REGEX_STOPPED_BY_CALLER","features":[70]},{"name":"U_REGEX_TIME_OUT","features":[70]},{"name":"U_REGEX_UNIMPLEMENTED","features":[70]},{"name":"U_RESOURCE_TYPE_MISMATCH","features":[70]},{"name":"U_RIGHT_TO_LEFT","features":[70]},{"name":"U_RIGHT_TO_LEFT_ARABIC","features":[70]},{"name":"U_RIGHT_TO_LEFT_EMBEDDING","features":[70]},{"name":"U_RIGHT_TO_LEFT_ISOLATE","features":[70]},{"name":"U_RIGHT_TO_LEFT_OVERRIDE","features":[70]},{"name":"U_RULE_MASK_ERROR","features":[70]},{"name":"U_SAFECLONE_ALLOCATED_WARNING","features":[70]},{"name":"U_SB_ATERM","features":[70]},{"name":"U_SB_CLOSE","features":[70]},{"name":"U_SB_CR","features":[70]},{"name":"U_SB_EXTEND","features":[70]},{"name":"U_SB_FORMAT","features":[70]},{"name":"U_SB_LF","features":[70]},{"name":"U_SB_LOWER","features":[70]},{"name":"U_SB_NUMERIC","features":[70]},{"name":"U_SB_OLETTER","features":[70]},{"name":"U_SB_OTHER","features":[70]},{"name":"U_SB_SCONTINUE","features":[70]},{"name":"U_SB_SEP","features":[70]},{"name":"U_SB_SP","features":[70]},{"name":"U_SB_STERM","features":[70]},{"name":"U_SB_UPPER","features":[70]},{"name":"U_SEGMENT_SEPARATOR","features":[70]},{"name":"U_SENTINEL","features":[70]},{"name":"U_SHAPE_AGGREGATE_TASHKEEL","features":[70]},{"name":"U_SHAPE_AGGREGATE_TASHKEEL_MASK","features":[70]},{"name":"U_SHAPE_AGGREGATE_TASHKEEL_NOOP","features":[70]},{"name":"U_SHAPE_DIGITS_ALEN2AN_INIT_AL","features":[70]},{"name":"U_SHAPE_DIGITS_ALEN2AN_INIT_LR","features":[70]},{"name":"U_SHAPE_DIGITS_AN2EN","features":[70]},{"name":"U_SHAPE_DIGITS_EN2AN","features":[70]},{"name":"U_SHAPE_DIGITS_MASK","features":[70]},{"name":"U_SHAPE_DIGITS_NOOP","features":[70]},{"name":"U_SHAPE_DIGITS_RESERVED","features":[70]},{"name":"U_SHAPE_DIGIT_TYPE_AN","features":[70]},{"name":"U_SHAPE_DIGIT_TYPE_AN_EXTENDED","features":[70]},{"name":"U_SHAPE_DIGIT_TYPE_MASK","features":[70]},{"name":"U_SHAPE_DIGIT_TYPE_RESERVED","features":[70]},{"name":"U_SHAPE_LAMALEF_AUTO","features":[70]},{"name":"U_SHAPE_LAMALEF_BEGIN","features":[70]},{"name":"U_SHAPE_LAMALEF_END","features":[70]},{"name":"U_SHAPE_LAMALEF_MASK","features":[70]},{"name":"U_SHAPE_LAMALEF_NEAR","features":[70]},{"name":"U_SHAPE_LAMALEF_RESIZE","features":[70]},{"name":"U_SHAPE_LENGTH_FIXED_SPACES_AT_BEGINNING","features":[70]},{"name":"U_SHAPE_LENGTH_FIXED_SPACES_AT_END","features":[70]},{"name":"U_SHAPE_LENGTH_FIXED_SPACES_NEAR","features":[70]},{"name":"U_SHAPE_LENGTH_GROW_SHRINK","features":[70]},{"name":"U_SHAPE_LENGTH_MASK","features":[70]},{"name":"U_SHAPE_LETTERS_MASK","features":[70]},{"name":"U_SHAPE_LETTERS_NOOP","features":[70]},{"name":"U_SHAPE_LETTERS_SHAPE","features":[70]},{"name":"U_SHAPE_LETTERS_SHAPE_TASHKEEL_ISOLATED","features":[70]},{"name":"U_SHAPE_LETTERS_UNSHAPE","features":[70]},{"name":"U_SHAPE_PRESERVE_PRESENTATION","features":[70]},{"name":"U_SHAPE_PRESERVE_PRESENTATION_MASK","features":[70]},{"name":"U_SHAPE_PRESERVE_PRESENTATION_NOOP","features":[70]},{"name":"U_SHAPE_SEEN_MASK","features":[70]},{"name":"U_SHAPE_SEEN_TWOCELL_NEAR","features":[70]},{"name":"U_SHAPE_SPACES_RELATIVE_TO_TEXT_BEGIN_END","features":[70]},{"name":"U_SHAPE_SPACES_RELATIVE_TO_TEXT_MASK","features":[70]},{"name":"U_SHAPE_TAIL_NEW_UNICODE","features":[70]},{"name":"U_SHAPE_TAIL_TYPE_MASK","features":[70]},{"name":"U_SHAPE_TASHKEEL_BEGIN","features":[70]},{"name":"U_SHAPE_TASHKEEL_END","features":[70]},{"name":"U_SHAPE_TASHKEEL_MASK","features":[70]},{"name":"U_SHAPE_TASHKEEL_REPLACE_BY_TATWEEL","features":[70]},{"name":"U_SHAPE_TASHKEEL_RESIZE","features":[70]},{"name":"U_SHAPE_TEXT_DIRECTION_LOGICAL","features":[70]},{"name":"U_SHAPE_TEXT_DIRECTION_MASK","features":[70]},{"name":"U_SHAPE_TEXT_DIRECTION_VISUAL_LTR","features":[70]},{"name":"U_SHAPE_TEXT_DIRECTION_VISUAL_RTL","features":[70]},{"name":"U_SHAPE_YEHHAMZA_MASK","features":[70]},{"name":"U_SHAPE_YEHHAMZA_TWOCELL_NEAR","features":[70]},{"name":"U_SHORT_PROPERTY_NAME","features":[70]},{"name":"U_SHOW_CPLUSPLUS_API","features":[70]},{"name":"U_SIZEOF_UCHAR","features":[70]},{"name":"U_SIZEOF_WCHAR_T","features":[70]},{"name":"U_SORT_KEY_TOO_SHORT_WARNING","features":[70]},{"name":"U_SPACE_SEPARATOR","features":[70]},{"name":"U_START_PUNCTUATION","features":[70]},{"name":"U_STATE_OLD_WARNING","features":[70]},{"name":"U_STATE_TOO_OLD_ERROR","features":[70]},{"name":"U_STRINGPREP_CHECK_BIDI_ERROR","features":[70]},{"name":"U_STRINGPREP_PROHIBITED_ERROR","features":[70]},{"name":"U_STRINGPREP_UNASSIGNED_ERROR","features":[70]},{"name":"U_STRING_NOT_TERMINATED_WARNING","features":[70]},{"name":"U_SURROGATE","features":[70]},{"name":"U_TITLECASE_ADJUST_TO_CASED","features":[70]},{"name":"U_TITLECASE_LETTER","features":[70]},{"name":"U_TITLECASE_NO_BREAK_ADJUSTMENT","features":[70]},{"name":"U_TITLECASE_NO_LOWERCASE","features":[70]},{"name":"U_TITLECASE_SENTENCES","features":[70]},{"name":"U_TITLECASE_WHOLE_STRING","features":[70]},{"name":"U_TOO_MANY_ALIASES_ERROR","features":[70]},{"name":"U_TRAILING_BACKSLASH","features":[70]},{"name":"U_TRUNCATED_CHAR_FOUND","features":[70]},{"name":"U_UNASSIGNED","features":[70]},{"name":"U_UNCLOSED_SEGMENT","features":[70]},{"name":"U_UNDEFINED_KEYWORD","features":[70]},{"name":"U_UNDEFINED_SEGMENT_REFERENCE","features":[70]},{"name":"U_UNDEFINED_VARIABLE","features":[70]},{"name":"U_UNEXPECTED_TOKEN","features":[70]},{"name":"U_UNICODE_CHAR_NAME","features":[70]},{"name":"U_UNICODE_VERSION","features":[70]},{"name":"U_UNMATCHED_BRACES","features":[70]},{"name":"U_UNQUOTED_SPECIAL","features":[70]},{"name":"U_UNSUPPORTED_ATTRIBUTE","features":[70]},{"name":"U_UNSUPPORTED_ERROR","features":[70]},{"name":"U_UNSUPPORTED_ESCAPE_SEQUENCE","features":[70]},{"name":"U_UNSUPPORTED_PROPERTY","features":[70]},{"name":"U_UNTERMINATED_QUOTE","features":[70]},{"name":"U_UPPERCASE_LETTER","features":[70]},{"name":"U_USELESS_COLLATOR_ERROR","features":[70]},{"name":"U_USING_DEFAULT_WARNING","features":[70]},{"name":"U_USING_FALLBACK_WARNING","features":[70]},{"name":"U_USING_ICU_NAMESPACE","features":[70]},{"name":"U_VARIABLE_RANGE_EXHAUSTED","features":[70]},{"name":"U_VARIABLE_RANGE_OVERLAP","features":[70]},{"name":"U_VO_ROTATED","features":[70]},{"name":"U_VO_TRANSFORMED_ROTATED","features":[70]},{"name":"U_VO_TRANSFORMED_UPRIGHT","features":[70]},{"name":"U_VO_UPRIGHT","features":[70]},{"name":"U_WB_ALETTER","features":[70]},{"name":"U_WB_CR","features":[70]},{"name":"U_WB_DOUBLE_QUOTE","features":[70]},{"name":"U_WB_EXTEND","features":[70]},{"name":"U_WB_EXTENDNUMLET","features":[70]},{"name":"U_WB_E_BASE","features":[70]},{"name":"U_WB_E_BASE_GAZ","features":[70]},{"name":"U_WB_E_MODIFIER","features":[70]},{"name":"U_WB_FORMAT","features":[70]},{"name":"U_WB_GLUE_AFTER_ZWJ","features":[70]},{"name":"U_WB_HEBREW_LETTER","features":[70]},{"name":"U_WB_KATAKANA","features":[70]},{"name":"U_WB_LF","features":[70]},{"name":"U_WB_MIDLETTER","features":[70]},{"name":"U_WB_MIDNUM","features":[70]},{"name":"U_WB_MIDNUMLET","features":[70]},{"name":"U_WB_NEWLINE","features":[70]},{"name":"U_WB_NUMERIC","features":[70]},{"name":"U_WB_OTHER","features":[70]},{"name":"U_WB_REGIONAL_INDICATOR","features":[70]},{"name":"U_WB_SINGLE_QUOTE","features":[70]},{"name":"U_WB_WSEGSPACE","features":[70]},{"name":"U_WB_ZWJ","features":[70]},{"name":"U_WHITE_SPACE_NEUTRAL","features":[70]},{"name":"U_ZERO_ERROR","features":[70]},{"name":"UpdateCalendarDayOfWeek","features":[1,70]},{"name":"VS_ALLOW_LATIN","features":[70]},{"name":"VerifyScripts","features":[1,70]},{"name":"WC_COMPOSITECHECK","features":[70]},{"name":"WC_DEFAULTCHAR","features":[70]},{"name":"WC_DISCARDNS","features":[70]},{"name":"WC_ERR_INVALID_CHARS","features":[70]},{"name":"WC_NO_BEST_FIT_CHARS","features":[70]},{"name":"WC_SEPCHARS","features":[70]},{"name":"WORDLIST_TYPE","features":[70]},{"name":"WORDLIST_TYPE_ADD","features":[70]},{"name":"WORDLIST_TYPE_AUTOCORRECT","features":[70]},{"name":"WORDLIST_TYPE_EXCLUDE","features":[70]},{"name":"WORDLIST_TYPE_IGNORE","features":[70]},{"name":"WeekUnit","features":[70]},{"name":"WideCharToMultiByte","features":[1,70]},{"name":"YearUnit","features":[70]},{"name":"lstrcatA","features":[70]},{"name":"lstrcatW","features":[70]},{"name":"lstrcmpA","features":[70]},{"name":"lstrcmpW","features":[70]},{"name":"lstrcmpiA","features":[70]},{"name":"lstrcmpiW","features":[70]},{"name":"lstrcpyA","features":[70]},{"name":"lstrcpyW","features":[70]},{"name":"lstrcpynA","features":[70]},{"name":"lstrcpynW","features":[70]},{"name":"lstrlenA","features":[70]},{"name":"lstrlenW","features":[70]},{"name":"sidArabic","features":[70]},{"name":"sidArmenian","features":[70]},{"name":"sidAsciiLatin","features":[70]},{"name":"sidAsciiSym","features":[70]},{"name":"sidBengali","features":[70]},{"name":"sidBopomofo","features":[70]},{"name":"sidBraille","features":[70]},{"name":"sidBurmese","features":[70]},{"name":"sidCanSyllabic","features":[70]},{"name":"sidCherokee","features":[70]},{"name":"sidCyrillic","features":[70]},{"name":"sidDefault","features":[70]},{"name":"sidDevanagari","features":[70]},{"name":"sidEthiopic","features":[70]},{"name":"sidFEFirst","features":[70]},{"name":"sidFELast","features":[70]},{"name":"sidGeorgian","features":[70]},{"name":"sidGreek","features":[70]},{"name":"sidGujarati","features":[70]},{"name":"sidGurmukhi","features":[70]},{"name":"sidHan","features":[70]},{"name":"sidHangul","features":[70]},{"name":"sidHebrew","features":[70]},{"name":"sidKana","features":[70]},{"name":"sidKannada","features":[70]},{"name":"sidKhmer","features":[70]},{"name":"sidLao","features":[70]},{"name":"sidLatin","features":[70]},{"name":"sidLim","features":[70]},{"name":"sidMalayalam","features":[70]},{"name":"sidMerge","features":[70]},{"name":"sidMongolian","features":[70]},{"name":"sidOgham","features":[70]},{"name":"sidOriya","features":[70]},{"name":"sidRunic","features":[70]},{"name":"sidSinhala","features":[70]},{"name":"sidSyriac","features":[70]},{"name":"sidTamil","features":[70]},{"name":"sidTelugu","features":[70]},{"name":"sidThaana","features":[70]},{"name":"sidThai","features":[70]},{"name":"sidTibetan","features":[70]},{"name":"sidUserDefined","features":[70]},{"name":"sidYi","features":[70]},{"name":"u_UCharsToChars","features":[70]},{"name":"u_austrcpy","features":[70]},{"name":"u_austrncpy","features":[70]},{"name":"u_catclose","features":[70]},{"name":"u_catgets","features":[70]},{"name":"u_catopen","features":[70]},{"name":"u_charAge","features":[70]},{"name":"u_charDigitValue","features":[70]},{"name":"u_charDirection","features":[70]},{"name":"u_charFromName","features":[70]},{"name":"u_charMirror","features":[70]},{"name":"u_charName","features":[70]},{"name":"u_charType","features":[70]},{"name":"u_charsToUChars","features":[70]},{"name":"u_cleanup","features":[70]},{"name":"u_countChar32","features":[70]},{"name":"u_digit","features":[70]},{"name":"u_enumCharNames","features":[70]},{"name":"u_enumCharTypes","features":[70]},{"name":"u_errorName","features":[70]},{"name":"u_foldCase","features":[70]},{"name":"u_forDigit","features":[70]},{"name":"u_formatMessage","features":[70]},{"name":"u_formatMessageWithError","features":[70]},{"name":"u_getBidiPairedBracket","features":[70]},{"name":"u_getBinaryPropertySet","features":[70]},{"name":"u_getCombiningClass","features":[70]},{"name":"u_getDataVersion","features":[70]},{"name":"u_getFC_NFKC_Closure","features":[70]},{"name":"u_getIntPropertyMap","features":[70]},{"name":"u_getIntPropertyMaxValue","features":[70]},{"name":"u_getIntPropertyMinValue","features":[70]},{"name":"u_getIntPropertyValue","features":[70]},{"name":"u_getNumericValue","features":[70]},{"name":"u_getPropertyEnum","features":[70]},{"name":"u_getPropertyName","features":[70]},{"name":"u_getPropertyValueEnum","features":[70]},{"name":"u_getPropertyValueName","features":[70]},{"name":"u_getUnicodeVersion","features":[70]},{"name":"u_getVersion","features":[70]},{"name":"u_hasBinaryProperty","features":[70]},{"name":"u_init","features":[70]},{"name":"u_isIDIgnorable","features":[70]},{"name":"u_isIDPart","features":[70]},{"name":"u_isIDStart","features":[70]},{"name":"u_isISOControl","features":[70]},{"name":"u_isJavaIDPart","features":[70]},{"name":"u_isJavaIDStart","features":[70]},{"name":"u_isJavaSpaceChar","features":[70]},{"name":"u_isMirrored","features":[70]},{"name":"u_isUAlphabetic","features":[70]},{"name":"u_isULowercase","features":[70]},{"name":"u_isUUppercase","features":[70]},{"name":"u_isUWhiteSpace","features":[70]},{"name":"u_isWhitespace","features":[70]},{"name":"u_isalnum","features":[70]},{"name":"u_isalpha","features":[70]},{"name":"u_isbase","features":[70]},{"name":"u_isblank","features":[70]},{"name":"u_iscntrl","features":[70]},{"name":"u_isdefined","features":[70]},{"name":"u_isdigit","features":[70]},{"name":"u_isgraph","features":[70]},{"name":"u_islower","features":[70]},{"name":"u_isprint","features":[70]},{"name":"u_ispunct","features":[70]},{"name":"u_isspace","features":[70]},{"name":"u_istitle","features":[70]},{"name":"u_isupper","features":[70]},{"name":"u_isxdigit","features":[70]},{"name":"u_memcasecmp","features":[70]},{"name":"u_memchr","features":[70]},{"name":"u_memchr32","features":[70]},{"name":"u_memcmp","features":[70]},{"name":"u_memcmpCodePointOrder","features":[70]},{"name":"u_memcpy","features":[70]},{"name":"u_memmove","features":[70]},{"name":"u_memrchr","features":[70]},{"name":"u_memrchr32","features":[70]},{"name":"u_memset","features":[70]},{"name":"u_parseMessage","features":[70]},{"name":"u_parseMessageWithError","features":[70]},{"name":"u_setMemoryFunctions","features":[70]},{"name":"u_shapeArabic","features":[70]},{"name":"u_strCaseCompare","features":[70]},{"name":"u_strCompare","features":[70]},{"name":"u_strCompareIter","features":[70]},{"name":"u_strFindFirst","features":[70]},{"name":"u_strFindLast","features":[70]},{"name":"u_strFoldCase","features":[70]},{"name":"u_strFromJavaModifiedUTF8WithSub","features":[70]},{"name":"u_strFromUTF32","features":[70]},{"name":"u_strFromUTF32WithSub","features":[70]},{"name":"u_strFromUTF8","features":[70]},{"name":"u_strFromUTF8Lenient","features":[70]},{"name":"u_strFromUTF8WithSub","features":[70]},{"name":"u_strFromWCS","features":[70]},{"name":"u_strHasMoreChar32Than","features":[70]},{"name":"u_strToJavaModifiedUTF8","features":[70]},{"name":"u_strToLower","features":[70]},{"name":"u_strToTitle","features":[70]},{"name":"u_strToUTF32","features":[70]},{"name":"u_strToUTF32WithSub","features":[70]},{"name":"u_strToUTF8","features":[70]},{"name":"u_strToUTF8WithSub","features":[70]},{"name":"u_strToUpper","features":[70]},{"name":"u_strToWCS","features":[70]},{"name":"u_strcasecmp","features":[70]},{"name":"u_strcat","features":[70]},{"name":"u_strchr","features":[70]},{"name":"u_strchr32","features":[70]},{"name":"u_strcmp","features":[70]},{"name":"u_strcmpCodePointOrder","features":[70]},{"name":"u_strcpy","features":[70]},{"name":"u_strcspn","features":[70]},{"name":"u_strlen","features":[70]},{"name":"u_strncasecmp","features":[70]},{"name":"u_strncat","features":[70]},{"name":"u_strncmp","features":[70]},{"name":"u_strncmpCodePointOrder","features":[70]},{"name":"u_strncpy","features":[70]},{"name":"u_strpbrk","features":[70]},{"name":"u_strrchr","features":[70]},{"name":"u_strrchr32","features":[70]},{"name":"u_strrstr","features":[70]},{"name":"u_strspn","features":[70]},{"name":"u_strstr","features":[70]},{"name":"u_strtok_r","features":[70]},{"name":"u_tolower","features":[70]},{"name":"u_totitle","features":[70]},{"name":"u_toupper","features":[70]},{"name":"u_uastrcpy","features":[70]},{"name":"u_uastrncpy","features":[70]},{"name":"u_unescape","features":[70]},{"name":"u_unescapeAt","features":[70]},{"name":"u_versionFromString","features":[70]},{"name":"u_versionFromUString","features":[70]},{"name":"u_versionToString","features":[70]},{"name":"u_vformatMessage","features":[70]},{"name":"u_vformatMessageWithError","features":[70]},{"name":"u_vparseMessage","features":[70]},{"name":"u_vparseMessageWithError","features":[70]},{"name":"ubidi_close","features":[70]},{"name":"ubidi_countParagraphs","features":[70]},{"name":"ubidi_countRuns","features":[70]},{"name":"ubidi_getBaseDirection","features":[70]},{"name":"ubidi_getClassCallback","features":[70]},{"name":"ubidi_getCustomizedClass","features":[70]},{"name":"ubidi_getDirection","features":[70]},{"name":"ubidi_getLength","features":[70]},{"name":"ubidi_getLevelAt","features":[70]},{"name":"ubidi_getLevels","features":[70]},{"name":"ubidi_getLogicalIndex","features":[70]},{"name":"ubidi_getLogicalMap","features":[70]},{"name":"ubidi_getLogicalRun","features":[70]},{"name":"ubidi_getParaLevel","features":[70]},{"name":"ubidi_getParagraph","features":[70]},{"name":"ubidi_getParagraphByIndex","features":[70]},{"name":"ubidi_getProcessedLength","features":[70]},{"name":"ubidi_getReorderingMode","features":[70]},{"name":"ubidi_getReorderingOptions","features":[70]},{"name":"ubidi_getResultLength","features":[70]},{"name":"ubidi_getText","features":[70]},{"name":"ubidi_getVisualIndex","features":[70]},{"name":"ubidi_getVisualMap","features":[70]},{"name":"ubidi_getVisualRun","features":[70]},{"name":"ubidi_invertMap","features":[70]},{"name":"ubidi_isInverse","features":[70]},{"name":"ubidi_isOrderParagraphsLTR","features":[70]},{"name":"ubidi_open","features":[70]},{"name":"ubidi_openSized","features":[70]},{"name":"ubidi_orderParagraphsLTR","features":[70]},{"name":"ubidi_reorderLogical","features":[70]},{"name":"ubidi_reorderVisual","features":[70]},{"name":"ubidi_setClassCallback","features":[70]},{"name":"ubidi_setContext","features":[70]},{"name":"ubidi_setInverse","features":[70]},{"name":"ubidi_setLine","features":[70]},{"name":"ubidi_setPara","features":[70]},{"name":"ubidi_setReorderingMode","features":[70]},{"name":"ubidi_setReorderingOptions","features":[70]},{"name":"ubidi_writeReordered","features":[70]},{"name":"ubidi_writeReverse","features":[70]},{"name":"ubiditransform_close","features":[70]},{"name":"ubiditransform_open","features":[70]},{"name":"ubiditransform_transform","features":[70]},{"name":"ublock_getCode","features":[70]},{"name":"ubrk_close","features":[70]},{"name":"ubrk_countAvailable","features":[70]},{"name":"ubrk_current","features":[70]},{"name":"ubrk_first","features":[70]},{"name":"ubrk_following","features":[70]},{"name":"ubrk_getAvailable","features":[70]},{"name":"ubrk_getBinaryRules","features":[70]},{"name":"ubrk_getLocaleByType","features":[70]},{"name":"ubrk_getRuleStatus","features":[70]},{"name":"ubrk_getRuleStatusVec","features":[70]},{"name":"ubrk_isBoundary","features":[70]},{"name":"ubrk_last","features":[70]},{"name":"ubrk_next","features":[70]},{"name":"ubrk_open","features":[70]},{"name":"ubrk_openBinaryRules","features":[70]},{"name":"ubrk_openRules","features":[70]},{"name":"ubrk_preceding","features":[70]},{"name":"ubrk_previous","features":[70]},{"name":"ubrk_refreshUText","features":[70]},{"name":"ubrk_safeClone","features":[70]},{"name":"ubrk_setText","features":[70]},{"name":"ubrk_setUText","features":[70]},{"name":"ucal_add","features":[70]},{"name":"ucal_clear","features":[70]},{"name":"ucal_clearField","features":[70]},{"name":"ucal_clone","features":[70]},{"name":"ucal_close","features":[70]},{"name":"ucal_countAvailable","features":[70]},{"name":"ucal_equivalentTo","features":[70]},{"name":"ucal_get","features":[70]},{"name":"ucal_getAttribute","features":[70]},{"name":"ucal_getAvailable","features":[70]},{"name":"ucal_getCanonicalTimeZoneID","features":[70]},{"name":"ucal_getDSTSavings","features":[70]},{"name":"ucal_getDayOfWeekType","features":[70]},{"name":"ucal_getDefaultTimeZone","features":[70]},{"name":"ucal_getFieldDifference","features":[70]},{"name":"ucal_getGregorianChange","features":[70]},{"name":"ucal_getHostTimeZone","features":[70]},{"name":"ucal_getKeywordValuesForLocale","features":[70]},{"name":"ucal_getLimit","features":[70]},{"name":"ucal_getLocaleByType","features":[70]},{"name":"ucal_getMillis","features":[70]},{"name":"ucal_getNow","features":[70]},{"name":"ucal_getTZDataVersion","features":[70]},{"name":"ucal_getTimeZoneDisplayName","features":[70]},{"name":"ucal_getTimeZoneID","features":[70]},{"name":"ucal_getTimeZoneIDForWindowsID","features":[70]},{"name":"ucal_getTimeZoneTransitionDate","features":[70]},{"name":"ucal_getType","features":[70]},{"name":"ucal_getWeekendTransition","features":[70]},{"name":"ucal_getWindowsTimeZoneID","features":[70]},{"name":"ucal_inDaylightTime","features":[70]},{"name":"ucal_isSet","features":[70]},{"name":"ucal_isWeekend","features":[70]},{"name":"ucal_open","features":[70]},{"name":"ucal_openCountryTimeZones","features":[70]},{"name":"ucal_openTimeZoneIDEnumeration","features":[70]},{"name":"ucal_openTimeZones","features":[70]},{"name":"ucal_roll","features":[70]},{"name":"ucal_set","features":[70]},{"name":"ucal_setAttribute","features":[70]},{"name":"ucal_setDate","features":[70]},{"name":"ucal_setDateTime","features":[70]},{"name":"ucal_setDefaultTimeZone","features":[70]},{"name":"ucal_setGregorianChange","features":[70]},{"name":"ucal_setMillis","features":[70]},{"name":"ucal_setTimeZone","features":[70]},{"name":"ucasemap_close","features":[70]},{"name":"ucasemap_getBreakIterator","features":[70]},{"name":"ucasemap_getLocale","features":[70]},{"name":"ucasemap_getOptions","features":[70]},{"name":"ucasemap_open","features":[70]},{"name":"ucasemap_setBreakIterator","features":[70]},{"name":"ucasemap_setLocale","features":[70]},{"name":"ucasemap_setOptions","features":[70]},{"name":"ucasemap_toTitle","features":[70]},{"name":"ucasemap_utf8FoldCase","features":[70]},{"name":"ucasemap_utf8ToLower","features":[70]},{"name":"ucasemap_utf8ToTitle","features":[70]},{"name":"ucasemap_utf8ToUpper","features":[70]},{"name":"ucfpos_close","features":[70]},{"name":"ucfpos_constrainCategory","features":[70]},{"name":"ucfpos_constrainField","features":[70]},{"name":"ucfpos_getCategory","features":[70]},{"name":"ucfpos_getField","features":[70]},{"name":"ucfpos_getIndexes","features":[70]},{"name":"ucfpos_getInt64IterationContext","features":[70]},{"name":"ucfpos_matchesField","features":[70]},{"name":"ucfpos_open","features":[70]},{"name":"ucfpos_reset","features":[70]},{"name":"ucfpos_setInt64IterationContext","features":[70]},{"name":"ucfpos_setState","features":[70]},{"name":"ucnv_cbFromUWriteBytes","features":[70]},{"name":"ucnv_cbFromUWriteSub","features":[70]},{"name":"ucnv_cbFromUWriteUChars","features":[70]},{"name":"ucnv_cbToUWriteSub","features":[70]},{"name":"ucnv_cbToUWriteUChars","features":[70]},{"name":"ucnv_close","features":[70]},{"name":"ucnv_compareNames","features":[70]},{"name":"ucnv_convert","features":[70]},{"name":"ucnv_convertEx","features":[70]},{"name":"ucnv_countAliases","features":[70]},{"name":"ucnv_countAvailable","features":[70]},{"name":"ucnv_countStandards","features":[70]},{"name":"ucnv_detectUnicodeSignature","features":[70]},{"name":"ucnv_fixFileSeparator","features":[70]},{"name":"ucnv_flushCache","features":[70]},{"name":"ucnv_fromAlgorithmic","features":[70]},{"name":"ucnv_fromUChars","features":[70]},{"name":"ucnv_fromUCountPending","features":[70]},{"name":"ucnv_fromUnicode","features":[70]},{"name":"ucnv_getAlias","features":[70]},{"name":"ucnv_getAliases","features":[70]},{"name":"ucnv_getAvailableName","features":[70]},{"name":"ucnv_getCCSID","features":[70]},{"name":"ucnv_getCanonicalName","features":[70]},{"name":"ucnv_getDefaultName","features":[70]},{"name":"ucnv_getDisplayName","features":[70]},{"name":"ucnv_getFromUCallBack","features":[70]},{"name":"ucnv_getInvalidChars","features":[70]},{"name":"ucnv_getInvalidUChars","features":[70]},{"name":"ucnv_getMaxCharSize","features":[70]},{"name":"ucnv_getMinCharSize","features":[70]},{"name":"ucnv_getName","features":[70]},{"name":"ucnv_getNextUChar","features":[70]},{"name":"ucnv_getPlatform","features":[70]},{"name":"ucnv_getStandard","features":[70]},{"name":"ucnv_getStandardName","features":[70]},{"name":"ucnv_getStarters","features":[70]},{"name":"ucnv_getSubstChars","features":[70]},{"name":"ucnv_getToUCallBack","features":[70]},{"name":"ucnv_getType","features":[70]},{"name":"ucnv_getUnicodeSet","features":[70]},{"name":"ucnv_isAmbiguous","features":[70]},{"name":"ucnv_isFixedWidth","features":[70]},{"name":"ucnv_open","features":[70]},{"name":"ucnv_openAllNames","features":[70]},{"name":"ucnv_openCCSID","features":[70]},{"name":"ucnv_openPackage","features":[70]},{"name":"ucnv_openStandardNames","features":[70]},{"name":"ucnv_openU","features":[70]},{"name":"ucnv_reset","features":[70]},{"name":"ucnv_resetFromUnicode","features":[70]},{"name":"ucnv_resetToUnicode","features":[70]},{"name":"ucnv_safeClone","features":[70]},{"name":"ucnv_setDefaultName","features":[70]},{"name":"ucnv_setFallback","features":[70]},{"name":"ucnv_setFromUCallBack","features":[70]},{"name":"ucnv_setSubstChars","features":[70]},{"name":"ucnv_setSubstString","features":[70]},{"name":"ucnv_setToUCallBack","features":[70]},{"name":"ucnv_toAlgorithmic","features":[70]},{"name":"ucnv_toUChars","features":[70]},{"name":"ucnv_toUCountPending","features":[70]},{"name":"ucnv_toUnicode","features":[70]},{"name":"ucnv_usesFallback","features":[70]},{"name":"ucnvsel_close","features":[70]},{"name":"ucnvsel_open","features":[70]},{"name":"ucnvsel_openFromSerialized","features":[70]},{"name":"ucnvsel_selectForString","features":[70]},{"name":"ucnvsel_selectForUTF8","features":[70]},{"name":"ucnvsel_serialize","features":[70]},{"name":"ucol_cloneBinary","features":[70]},{"name":"ucol_close","features":[70]},{"name":"ucol_closeElements","features":[70]},{"name":"ucol_countAvailable","features":[70]},{"name":"ucol_equal","features":[70]},{"name":"ucol_getAttribute","features":[70]},{"name":"ucol_getAvailable","features":[70]},{"name":"ucol_getBound","features":[70]},{"name":"ucol_getContractionsAndExpansions","features":[70]},{"name":"ucol_getDisplayName","features":[70]},{"name":"ucol_getEquivalentReorderCodes","features":[70]},{"name":"ucol_getFunctionalEquivalent","features":[70]},{"name":"ucol_getKeywordValues","features":[70]},{"name":"ucol_getKeywordValuesForLocale","features":[70]},{"name":"ucol_getKeywords","features":[70]},{"name":"ucol_getLocaleByType","features":[70]},{"name":"ucol_getMaxExpansion","features":[70]},{"name":"ucol_getMaxVariable","features":[70]},{"name":"ucol_getOffset","features":[70]},{"name":"ucol_getReorderCodes","features":[70]},{"name":"ucol_getRules","features":[70]},{"name":"ucol_getRulesEx","features":[70]},{"name":"ucol_getSortKey","features":[70]},{"name":"ucol_getStrength","features":[70]},{"name":"ucol_getTailoredSet","features":[70]},{"name":"ucol_getUCAVersion","features":[70]},{"name":"ucol_getVariableTop","features":[70]},{"name":"ucol_getVersion","features":[70]},{"name":"ucol_greater","features":[70]},{"name":"ucol_greaterOrEqual","features":[70]},{"name":"ucol_keyHashCode","features":[70]},{"name":"ucol_mergeSortkeys","features":[70]},{"name":"ucol_next","features":[70]},{"name":"ucol_nextSortKeyPart","features":[70]},{"name":"ucol_open","features":[70]},{"name":"ucol_openAvailableLocales","features":[70]},{"name":"ucol_openBinary","features":[70]},{"name":"ucol_openElements","features":[70]},{"name":"ucol_openRules","features":[70]},{"name":"ucol_previous","features":[70]},{"name":"ucol_primaryOrder","features":[70]},{"name":"ucol_reset","features":[70]},{"name":"ucol_safeClone","features":[70]},{"name":"ucol_secondaryOrder","features":[70]},{"name":"ucol_setAttribute","features":[70]},{"name":"ucol_setMaxVariable","features":[70]},{"name":"ucol_setOffset","features":[70]},{"name":"ucol_setReorderCodes","features":[70]},{"name":"ucol_setStrength","features":[70]},{"name":"ucol_setText","features":[70]},{"name":"ucol_strcoll","features":[70]},{"name":"ucol_strcollIter","features":[70]},{"name":"ucol_strcollUTF8","features":[70]},{"name":"ucol_tertiaryOrder","features":[70]},{"name":"ucpmap_get","features":[70]},{"name":"ucpmap_getRange","features":[70]},{"name":"ucptrie_close","features":[70]},{"name":"ucptrie_get","features":[70]},{"name":"ucptrie_getRange","features":[70]},{"name":"ucptrie_getType","features":[70]},{"name":"ucptrie_getValueWidth","features":[70]},{"name":"ucptrie_internalSmallIndex","features":[70]},{"name":"ucptrie_internalSmallU8Index","features":[70]},{"name":"ucptrie_internalU8PrevIndex","features":[70]},{"name":"ucptrie_openFromBinary","features":[70]},{"name":"ucptrie_toBinary","features":[70]},{"name":"ucsdet_close","features":[70]},{"name":"ucsdet_detect","features":[70]},{"name":"ucsdet_detectAll","features":[70]},{"name":"ucsdet_enableInputFilter","features":[70]},{"name":"ucsdet_getAllDetectableCharsets","features":[70]},{"name":"ucsdet_getConfidence","features":[70]},{"name":"ucsdet_getLanguage","features":[70]},{"name":"ucsdet_getName","features":[70]},{"name":"ucsdet_getUChars","features":[70]},{"name":"ucsdet_isInputFilterEnabled","features":[70]},{"name":"ucsdet_open","features":[70]},{"name":"ucsdet_setDeclaredEncoding","features":[70]},{"name":"ucsdet_setText","features":[70]},{"name":"ucurr_countCurrencies","features":[70]},{"name":"ucurr_forLocale","features":[70]},{"name":"ucurr_forLocaleAndDate","features":[70]},{"name":"ucurr_getDefaultFractionDigits","features":[70]},{"name":"ucurr_getDefaultFractionDigitsForUsage","features":[70]},{"name":"ucurr_getKeywordValuesForLocale","features":[70]},{"name":"ucurr_getName","features":[70]},{"name":"ucurr_getNumericCode","features":[70]},{"name":"ucurr_getPluralName","features":[70]},{"name":"ucurr_getRoundingIncrement","features":[70]},{"name":"ucurr_getRoundingIncrementForUsage","features":[70]},{"name":"ucurr_isAvailable","features":[70]},{"name":"ucurr_openISOCurrencies","features":[70]},{"name":"ucurr_register","features":[70]},{"name":"ucurr_unregister","features":[70]},{"name":"udat_adoptNumberFormat","features":[70]},{"name":"udat_adoptNumberFormatForFields","features":[70]},{"name":"udat_applyPattern","features":[70]},{"name":"udat_clone","features":[70]},{"name":"udat_close","features":[70]},{"name":"udat_countAvailable","features":[70]},{"name":"udat_countSymbols","features":[70]},{"name":"udat_format","features":[70]},{"name":"udat_formatCalendar","features":[70]},{"name":"udat_formatCalendarForFields","features":[70]},{"name":"udat_formatForFields","features":[70]},{"name":"udat_get2DigitYearStart","features":[70]},{"name":"udat_getAvailable","features":[70]},{"name":"udat_getBooleanAttribute","features":[70]},{"name":"udat_getCalendar","features":[70]},{"name":"udat_getContext","features":[70]},{"name":"udat_getLocaleByType","features":[70]},{"name":"udat_getNumberFormat","features":[70]},{"name":"udat_getNumberFormatForField","features":[70]},{"name":"udat_getSymbols","features":[70]},{"name":"udat_isLenient","features":[70]},{"name":"udat_open","features":[70]},{"name":"udat_parse","features":[70]},{"name":"udat_parseCalendar","features":[70]},{"name":"udat_set2DigitYearStart","features":[70]},{"name":"udat_setBooleanAttribute","features":[70]},{"name":"udat_setCalendar","features":[70]},{"name":"udat_setContext","features":[70]},{"name":"udat_setLenient","features":[70]},{"name":"udat_setNumberFormat","features":[70]},{"name":"udat_setSymbols","features":[70]},{"name":"udat_toCalendarDateField","features":[70]},{"name":"udat_toPattern","features":[70]},{"name":"udatpg_addPattern","features":[70]},{"name":"udatpg_clone","features":[70]},{"name":"udatpg_close","features":[70]},{"name":"udatpg_getAppendItemFormat","features":[70]},{"name":"udatpg_getAppendItemName","features":[70]},{"name":"udatpg_getBaseSkeleton","features":[70]},{"name":"udatpg_getBestPattern","features":[70]},{"name":"udatpg_getBestPatternWithOptions","features":[70]},{"name":"udatpg_getDateTimeFormat","features":[70]},{"name":"udatpg_getDecimal","features":[70]},{"name":"udatpg_getFieldDisplayName","features":[70]},{"name":"udatpg_getPatternForSkeleton","features":[70]},{"name":"udatpg_getSkeleton","features":[70]},{"name":"udatpg_open","features":[70]},{"name":"udatpg_openBaseSkeletons","features":[70]},{"name":"udatpg_openEmpty","features":[70]},{"name":"udatpg_openSkeletons","features":[70]},{"name":"udatpg_replaceFieldTypes","features":[70]},{"name":"udatpg_replaceFieldTypesWithOptions","features":[70]},{"name":"udatpg_setAppendItemFormat","features":[70]},{"name":"udatpg_setAppendItemName","features":[70]},{"name":"udatpg_setDateTimeFormat","features":[70]},{"name":"udatpg_setDecimal","features":[70]},{"name":"udtitvfmt_close","features":[70]},{"name":"udtitvfmt_closeResult","features":[70]},{"name":"udtitvfmt_format","features":[70]},{"name":"udtitvfmt_open","features":[70]},{"name":"udtitvfmt_openResult","features":[70]},{"name":"udtitvfmt_resultAsValue","features":[70]},{"name":"uenum_close","features":[70]},{"name":"uenum_count","features":[70]},{"name":"uenum_next","features":[70]},{"name":"uenum_openCharStringsEnumeration","features":[70]},{"name":"uenum_openUCharStringsEnumeration","features":[70]},{"name":"uenum_reset","features":[70]},{"name":"uenum_unext","features":[70]},{"name":"ufieldpositer_close","features":[70]},{"name":"ufieldpositer_next","features":[70]},{"name":"ufieldpositer_open","features":[70]},{"name":"ufmt_close","features":[70]},{"name":"ufmt_getArrayItemByIndex","features":[70]},{"name":"ufmt_getArrayLength","features":[70]},{"name":"ufmt_getDate","features":[70]},{"name":"ufmt_getDecNumChars","features":[70]},{"name":"ufmt_getDouble","features":[70]},{"name":"ufmt_getInt64","features":[70]},{"name":"ufmt_getLong","features":[70]},{"name":"ufmt_getObject","features":[70]},{"name":"ufmt_getType","features":[70]},{"name":"ufmt_getUChars","features":[70]},{"name":"ufmt_isNumeric","features":[70]},{"name":"ufmt_open","features":[70]},{"name":"ufmtval_getString","features":[70]},{"name":"ufmtval_nextPosition","features":[70]},{"name":"ugender_getInstance","features":[70]},{"name":"ugender_getListGender","features":[70]},{"name":"uidna_close","features":[70]},{"name":"uidna_labelToASCII","features":[70]},{"name":"uidna_labelToASCII_UTF8","features":[70]},{"name":"uidna_labelToUnicode","features":[70]},{"name":"uidna_labelToUnicodeUTF8","features":[70]},{"name":"uidna_nameToASCII","features":[70]},{"name":"uidna_nameToASCII_UTF8","features":[70]},{"name":"uidna_nameToUnicode","features":[70]},{"name":"uidna_nameToUnicodeUTF8","features":[70]},{"name":"uidna_openUTS46","features":[70]},{"name":"uiter_current32","features":[70]},{"name":"uiter_getState","features":[70]},{"name":"uiter_next32","features":[70]},{"name":"uiter_previous32","features":[70]},{"name":"uiter_setState","features":[70]},{"name":"uiter_setString","features":[70]},{"name":"uiter_setUTF16BE","features":[70]},{"name":"uiter_setUTF8","features":[70]},{"name":"uldn_close","features":[70]},{"name":"uldn_getContext","features":[70]},{"name":"uldn_getDialectHandling","features":[70]},{"name":"uldn_getLocale","features":[70]},{"name":"uldn_keyDisplayName","features":[70]},{"name":"uldn_keyValueDisplayName","features":[70]},{"name":"uldn_languageDisplayName","features":[70]},{"name":"uldn_localeDisplayName","features":[70]},{"name":"uldn_open","features":[70]},{"name":"uldn_openForContext","features":[70]},{"name":"uldn_regionDisplayName","features":[70]},{"name":"uldn_scriptCodeDisplayName","features":[70]},{"name":"uldn_scriptDisplayName","features":[70]},{"name":"uldn_variantDisplayName","features":[70]},{"name":"ulistfmt_close","features":[70]},{"name":"ulistfmt_closeResult","features":[70]},{"name":"ulistfmt_format","features":[70]},{"name":"ulistfmt_formatStringsToResult","features":[70]},{"name":"ulistfmt_open","features":[70]},{"name":"ulistfmt_openForType","features":[70]},{"name":"ulistfmt_openResult","features":[70]},{"name":"ulistfmt_resultAsValue","features":[70]},{"name":"uloc_acceptLanguage","features":[70]},{"name":"uloc_acceptLanguageFromHTTP","features":[70]},{"name":"uloc_addLikelySubtags","features":[70]},{"name":"uloc_canonicalize","features":[70]},{"name":"uloc_countAvailable","features":[70]},{"name":"uloc_forLanguageTag","features":[70]},{"name":"uloc_getAvailable","features":[70]},{"name":"uloc_getBaseName","features":[70]},{"name":"uloc_getCharacterOrientation","features":[70]},{"name":"uloc_getCountry","features":[70]},{"name":"uloc_getDefault","features":[70]},{"name":"uloc_getDisplayCountry","features":[70]},{"name":"uloc_getDisplayKeyword","features":[70]},{"name":"uloc_getDisplayKeywordValue","features":[70]},{"name":"uloc_getDisplayLanguage","features":[70]},{"name":"uloc_getDisplayName","features":[70]},{"name":"uloc_getDisplayScript","features":[70]},{"name":"uloc_getDisplayVariant","features":[70]},{"name":"uloc_getISO3Country","features":[70]},{"name":"uloc_getISO3Language","features":[70]},{"name":"uloc_getISOCountries","features":[70]},{"name":"uloc_getISOLanguages","features":[70]},{"name":"uloc_getKeywordValue","features":[70]},{"name":"uloc_getLCID","features":[70]},{"name":"uloc_getLanguage","features":[70]},{"name":"uloc_getLineOrientation","features":[70]},{"name":"uloc_getLocaleForLCID","features":[70]},{"name":"uloc_getName","features":[70]},{"name":"uloc_getParent","features":[70]},{"name":"uloc_getScript","features":[70]},{"name":"uloc_getVariant","features":[70]},{"name":"uloc_isRightToLeft","features":[70]},{"name":"uloc_minimizeSubtags","features":[70]},{"name":"uloc_openAvailableByType","features":[70]},{"name":"uloc_openKeywords","features":[70]},{"name":"uloc_setDefault","features":[70]},{"name":"uloc_setKeywordValue","features":[70]},{"name":"uloc_toLanguageTag","features":[70]},{"name":"uloc_toLegacyKey","features":[70]},{"name":"uloc_toLegacyType","features":[70]},{"name":"uloc_toUnicodeLocaleKey","features":[70]},{"name":"uloc_toUnicodeLocaleType","features":[70]},{"name":"ulocdata_close","features":[70]},{"name":"ulocdata_getCLDRVersion","features":[70]},{"name":"ulocdata_getDelimiter","features":[70]},{"name":"ulocdata_getExemplarSet","features":[70]},{"name":"ulocdata_getLocaleDisplayPattern","features":[70]},{"name":"ulocdata_getLocaleSeparator","features":[70]},{"name":"ulocdata_getMeasurementSystem","features":[70]},{"name":"ulocdata_getNoSubstitute","features":[70]},{"name":"ulocdata_getPaperSize","features":[70]},{"name":"ulocdata_open","features":[70]},{"name":"ulocdata_setNoSubstitute","features":[70]},{"name":"umsg_applyPattern","features":[70]},{"name":"umsg_autoQuoteApostrophe","features":[70]},{"name":"umsg_clone","features":[70]},{"name":"umsg_close","features":[70]},{"name":"umsg_format","features":[70]},{"name":"umsg_getLocale","features":[70]},{"name":"umsg_open","features":[70]},{"name":"umsg_parse","features":[70]},{"name":"umsg_setLocale","features":[70]},{"name":"umsg_toPattern","features":[70]},{"name":"umsg_vformat","features":[70]},{"name":"umsg_vparse","features":[70]},{"name":"umutablecptrie_buildImmutable","features":[70]},{"name":"umutablecptrie_clone","features":[70]},{"name":"umutablecptrie_close","features":[70]},{"name":"umutablecptrie_fromUCPMap","features":[70]},{"name":"umutablecptrie_fromUCPTrie","features":[70]},{"name":"umutablecptrie_get","features":[70]},{"name":"umutablecptrie_getRange","features":[70]},{"name":"umutablecptrie_open","features":[70]},{"name":"umutablecptrie_set","features":[70]},{"name":"umutablecptrie_setRange","features":[70]},{"name":"unorm2_append","features":[70]},{"name":"unorm2_close","features":[70]},{"name":"unorm2_composePair","features":[70]},{"name":"unorm2_getCombiningClass","features":[70]},{"name":"unorm2_getDecomposition","features":[70]},{"name":"unorm2_getInstance","features":[70]},{"name":"unorm2_getNFCInstance","features":[70]},{"name":"unorm2_getNFDInstance","features":[70]},{"name":"unorm2_getNFKCCasefoldInstance","features":[70]},{"name":"unorm2_getNFKCInstance","features":[70]},{"name":"unorm2_getNFKDInstance","features":[70]},{"name":"unorm2_getRawDecomposition","features":[70]},{"name":"unorm2_hasBoundaryAfter","features":[70]},{"name":"unorm2_hasBoundaryBefore","features":[70]},{"name":"unorm2_isInert","features":[70]},{"name":"unorm2_isNormalized","features":[70]},{"name":"unorm2_normalize","features":[70]},{"name":"unorm2_normalizeSecondAndAppend","features":[70]},{"name":"unorm2_openFiltered","features":[70]},{"name":"unorm2_quickCheck","features":[70]},{"name":"unorm2_spanQuickCheckYes","features":[70]},{"name":"unorm_compare","features":[70]},{"name":"unum_applyPattern","features":[70]},{"name":"unum_clone","features":[70]},{"name":"unum_close","features":[70]},{"name":"unum_countAvailable","features":[70]},{"name":"unum_format","features":[70]},{"name":"unum_formatDecimal","features":[70]},{"name":"unum_formatDouble","features":[70]},{"name":"unum_formatDoubleCurrency","features":[70]},{"name":"unum_formatDoubleForFields","features":[70]},{"name":"unum_formatInt64","features":[70]},{"name":"unum_formatUFormattable","features":[70]},{"name":"unum_getAttribute","features":[70]},{"name":"unum_getAvailable","features":[70]},{"name":"unum_getContext","features":[70]},{"name":"unum_getDoubleAttribute","features":[70]},{"name":"unum_getLocaleByType","features":[70]},{"name":"unum_getSymbol","features":[70]},{"name":"unum_getTextAttribute","features":[70]},{"name":"unum_open","features":[70]},{"name":"unum_parse","features":[70]},{"name":"unum_parseDecimal","features":[70]},{"name":"unum_parseDouble","features":[70]},{"name":"unum_parseDoubleCurrency","features":[70]},{"name":"unum_parseInt64","features":[70]},{"name":"unum_parseToUFormattable","features":[70]},{"name":"unum_setAttribute","features":[70]},{"name":"unum_setContext","features":[70]},{"name":"unum_setDoubleAttribute","features":[70]},{"name":"unum_setSymbol","features":[70]},{"name":"unum_setTextAttribute","features":[70]},{"name":"unum_toPattern","features":[70]},{"name":"unumf_close","features":[70]},{"name":"unumf_closeResult","features":[70]},{"name":"unumf_formatDecimal","features":[70]},{"name":"unumf_formatDouble","features":[70]},{"name":"unumf_formatInt","features":[70]},{"name":"unumf_openForSkeletonAndLocale","features":[70]},{"name":"unumf_openForSkeletonAndLocaleWithError","features":[70]},{"name":"unumf_openResult","features":[70]},{"name":"unumf_resultAsValue","features":[70]},{"name":"unumf_resultGetAllFieldPositions","features":[70]},{"name":"unumf_resultNextFieldPosition","features":[70]},{"name":"unumf_resultToString","features":[70]},{"name":"unumsys_close","features":[70]},{"name":"unumsys_getDescription","features":[70]},{"name":"unumsys_getName","features":[70]},{"name":"unumsys_getRadix","features":[70]},{"name":"unumsys_isAlgorithmic","features":[70]},{"name":"unumsys_open","features":[70]},{"name":"unumsys_openAvailableNames","features":[70]},{"name":"unumsys_openByName","features":[70]},{"name":"uplrules_close","features":[70]},{"name":"uplrules_getKeywords","features":[70]},{"name":"uplrules_open","features":[70]},{"name":"uplrules_openForType","features":[70]},{"name":"uplrules_select","features":[70]},{"name":"uplrules_selectFormatted","features":[70]},{"name":"uregex_appendReplacement","features":[70]},{"name":"uregex_appendReplacementUText","features":[70]},{"name":"uregex_appendTail","features":[70]},{"name":"uregex_appendTailUText","features":[70]},{"name":"uregex_clone","features":[70]},{"name":"uregex_close","features":[70]},{"name":"uregex_end","features":[70]},{"name":"uregex_end64","features":[70]},{"name":"uregex_find","features":[70]},{"name":"uregex_find64","features":[70]},{"name":"uregex_findNext","features":[70]},{"name":"uregex_flags","features":[70]},{"name":"uregex_getFindProgressCallback","features":[70]},{"name":"uregex_getMatchCallback","features":[70]},{"name":"uregex_getStackLimit","features":[70]},{"name":"uregex_getText","features":[70]},{"name":"uregex_getTimeLimit","features":[70]},{"name":"uregex_getUText","features":[70]},{"name":"uregex_group","features":[70]},{"name":"uregex_groupCount","features":[70]},{"name":"uregex_groupNumberFromCName","features":[70]},{"name":"uregex_groupNumberFromName","features":[70]},{"name":"uregex_groupUText","features":[70]},{"name":"uregex_hasAnchoringBounds","features":[70]},{"name":"uregex_hasTransparentBounds","features":[70]},{"name":"uregex_hitEnd","features":[70]},{"name":"uregex_lookingAt","features":[70]},{"name":"uregex_lookingAt64","features":[70]},{"name":"uregex_matches","features":[70]},{"name":"uregex_matches64","features":[70]},{"name":"uregex_open","features":[70]},{"name":"uregex_openC","features":[70]},{"name":"uregex_openUText","features":[70]},{"name":"uregex_pattern","features":[70]},{"name":"uregex_patternUText","features":[70]},{"name":"uregex_refreshUText","features":[70]},{"name":"uregex_regionEnd","features":[70]},{"name":"uregex_regionEnd64","features":[70]},{"name":"uregex_regionStart","features":[70]},{"name":"uregex_regionStart64","features":[70]},{"name":"uregex_replaceAll","features":[70]},{"name":"uregex_replaceAllUText","features":[70]},{"name":"uregex_replaceFirst","features":[70]},{"name":"uregex_replaceFirstUText","features":[70]},{"name":"uregex_requireEnd","features":[70]},{"name":"uregex_reset","features":[70]},{"name":"uregex_reset64","features":[70]},{"name":"uregex_setFindProgressCallback","features":[70]},{"name":"uregex_setMatchCallback","features":[70]},{"name":"uregex_setRegion","features":[70]},{"name":"uregex_setRegion64","features":[70]},{"name":"uregex_setRegionAndStart","features":[70]},{"name":"uregex_setStackLimit","features":[70]},{"name":"uregex_setText","features":[70]},{"name":"uregex_setTimeLimit","features":[70]},{"name":"uregex_setUText","features":[70]},{"name":"uregex_split","features":[70]},{"name":"uregex_splitUText","features":[70]},{"name":"uregex_start","features":[70]},{"name":"uregex_start64","features":[70]},{"name":"uregex_useAnchoringBounds","features":[70]},{"name":"uregex_useTransparentBounds","features":[70]},{"name":"uregion_areEqual","features":[70]},{"name":"uregion_contains","features":[70]},{"name":"uregion_getAvailable","features":[70]},{"name":"uregion_getContainedRegions","features":[70]},{"name":"uregion_getContainedRegionsOfType","features":[70]},{"name":"uregion_getContainingRegion","features":[70]},{"name":"uregion_getContainingRegionOfType","features":[70]},{"name":"uregion_getNumericCode","features":[70]},{"name":"uregion_getPreferredValues","features":[70]},{"name":"uregion_getRegionCode","features":[70]},{"name":"uregion_getRegionFromCode","features":[70]},{"name":"uregion_getRegionFromNumericCode","features":[70]},{"name":"uregion_getType","features":[70]},{"name":"ureldatefmt_close","features":[70]},{"name":"ureldatefmt_closeResult","features":[70]},{"name":"ureldatefmt_combineDateAndTime","features":[70]},{"name":"ureldatefmt_format","features":[70]},{"name":"ureldatefmt_formatNumeric","features":[70]},{"name":"ureldatefmt_formatNumericToResult","features":[70]},{"name":"ureldatefmt_formatToResult","features":[70]},{"name":"ureldatefmt_open","features":[70]},{"name":"ureldatefmt_openResult","features":[70]},{"name":"ureldatefmt_resultAsValue","features":[70]},{"name":"ures_close","features":[70]},{"name":"ures_getBinary","features":[70]},{"name":"ures_getByIndex","features":[70]},{"name":"ures_getByKey","features":[70]},{"name":"ures_getInt","features":[70]},{"name":"ures_getIntVector","features":[70]},{"name":"ures_getKey","features":[70]},{"name":"ures_getLocaleByType","features":[70]},{"name":"ures_getNextResource","features":[70]},{"name":"ures_getNextString","features":[70]},{"name":"ures_getSize","features":[70]},{"name":"ures_getString","features":[70]},{"name":"ures_getStringByIndex","features":[70]},{"name":"ures_getStringByKey","features":[70]},{"name":"ures_getType","features":[70]},{"name":"ures_getUInt","features":[70]},{"name":"ures_getUTF8String","features":[70]},{"name":"ures_getUTF8StringByIndex","features":[70]},{"name":"ures_getUTF8StringByKey","features":[70]},{"name":"ures_getVersion","features":[70]},{"name":"ures_hasNext","features":[70]},{"name":"ures_open","features":[70]},{"name":"ures_openAvailableLocales","features":[70]},{"name":"ures_openDirect","features":[70]},{"name":"ures_openU","features":[70]},{"name":"ures_resetIterator","features":[70]},{"name":"uscript_breaksBetweenLetters","features":[70]},{"name":"uscript_getCode","features":[70]},{"name":"uscript_getName","features":[70]},{"name":"uscript_getSampleString","features":[70]},{"name":"uscript_getScript","features":[70]},{"name":"uscript_getScriptExtensions","features":[70]},{"name":"uscript_getShortName","features":[70]},{"name":"uscript_getUsage","features":[70]},{"name":"uscript_hasScript","features":[70]},{"name":"uscript_isCased","features":[70]},{"name":"uscript_isRightToLeft","features":[70]},{"name":"usearch_close","features":[70]},{"name":"usearch_first","features":[70]},{"name":"usearch_following","features":[70]},{"name":"usearch_getAttribute","features":[70]},{"name":"usearch_getBreakIterator","features":[70]},{"name":"usearch_getCollator","features":[70]},{"name":"usearch_getMatchedLength","features":[70]},{"name":"usearch_getMatchedStart","features":[70]},{"name":"usearch_getMatchedText","features":[70]},{"name":"usearch_getOffset","features":[70]},{"name":"usearch_getPattern","features":[70]},{"name":"usearch_getText","features":[70]},{"name":"usearch_last","features":[70]},{"name":"usearch_next","features":[70]},{"name":"usearch_open","features":[70]},{"name":"usearch_openFromCollator","features":[70]},{"name":"usearch_preceding","features":[70]},{"name":"usearch_previous","features":[70]},{"name":"usearch_reset","features":[70]},{"name":"usearch_setAttribute","features":[70]},{"name":"usearch_setBreakIterator","features":[70]},{"name":"usearch_setCollator","features":[70]},{"name":"usearch_setOffset","features":[70]},{"name":"usearch_setPattern","features":[70]},{"name":"usearch_setText","features":[70]},{"name":"uset_add","features":[70]},{"name":"uset_addAll","features":[70]},{"name":"uset_addAllCodePoints","features":[70]},{"name":"uset_addRange","features":[70]},{"name":"uset_addString","features":[70]},{"name":"uset_applyIntPropertyValue","features":[70]},{"name":"uset_applyPattern","features":[70]},{"name":"uset_applyPropertyAlias","features":[70]},{"name":"uset_charAt","features":[70]},{"name":"uset_clear","features":[70]},{"name":"uset_clone","features":[70]},{"name":"uset_cloneAsThawed","features":[70]},{"name":"uset_close","features":[70]},{"name":"uset_closeOver","features":[70]},{"name":"uset_compact","features":[70]},{"name":"uset_complement","features":[70]},{"name":"uset_complementAll","features":[70]},{"name":"uset_contains","features":[70]},{"name":"uset_containsAll","features":[70]},{"name":"uset_containsAllCodePoints","features":[70]},{"name":"uset_containsNone","features":[70]},{"name":"uset_containsRange","features":[70]},{"name":"uset_containsSome","features":[70]},{"name":"uset_containsString","features":[70]},{"name":"uset_equals","features":[70]},{"name":"uset_freeze","features":[70]},{"name":"uset_getItem","features":[70]},{"name":"uset_getItemCount","features":[70]},{"name":"uset_getSerializedRange","features":[70]},{"name":"uset_getSerializedRangeCount","features":[70]},{"name":"uset_getSerializedSet","features":[70]},{"name":"uset_indexOf","features":[70]},{"name":"uset_isEmpty","features":[70]},{"name":"uset_isFrozen","features":[70]},{"name":"uset_open","features":[70]},{"name":"uset_openEmpty","features":[70]},{"name":"uset_openPattern","features":[70]},{"name":"uset_openPatternOptions","features":[70]},{"name":"uset_remove","features":[70]},{"name":"uset_removeAll","features":[70]},{"name":"uset_removeAllStrings","features":[70]},{"name":"uset_removeRange","features":[70]},{"name":"uset_removeString","features":[70]},{"name":"uset_resemblesPattern","features":[70]},{"name":"uset_retain","features":[70]},{"name":"uset_retainAll","features":[70]},{"name":"uset_serialize","features":[70]},{"name":"uset_serializedContains","features":[70]},{"name":"uset_set","features":[70]},{"name":"uset_setSerializedToOne","features":[70]},{"name":"uset_size","features":[70]},{"name":"uset_span","features":[70]},{"name":"uset_spanBack","features":[70]},{"name":"uset_spanBackUTF8","features":[70]},{"name":"uset_spanUTF8","features":[70]},{"name":"uset_toPattern","features":[70]},{"name":"uspoof_areConfusable","features":[70]},{"name":"uspoof_areConfusableUTF8","features":[70]},{"name":"uspoof_check","features":[70]},{"name":"uspoof_check2","features":[70]},{"name":"uspoof_check2UTF8","features":[70]},{"name":"uspoof_checkUTF8","features":[70]},{"name":"uspoof_clone","features":[70]},{"name":"uspoof_close","features":[70]},{"name":"uspoof_closeCheckResult","features":[70]},{"name":"uspoof_getAllowedChars","features":[70]},{"name":"uspoof_getAllowedLocales","features":[70]},{"name":"uspoof_getCheckResultChecks","features":[70]},{"name":"uspoof_getCheckResultNumerics","features":[70]},{"name":"uspoof_getCheckResultRestrictionLevel","features":[70]},{"name":"uspoof_getChecks","features":[70]},{"name":"uspoof_getInclusionSet","features":[70]},{"name":"uspoof_getRecommendedSet","features":[70]},{"name":"uspoof_getRestrictionLevel","features":[70]},{"name":"uspoof_getSkeleton","features":[70]},{"name":"uspoof_getSkeletonUTF8","features":[70]},{"name":"uspoof_open","features":[70]},{"name":"uspoof_openCheckResult","features":[70]},{"name":"uspoof_openFromSerialized","features":[70]},{"name":"uspoof_openFromSource","features":[70]},{"name":"uspoof_serialize","features":[70]},{"name":"uspoof_setAllowedChars","features":[70]},{"name":"uspoof_setAllowedLocales","features":[70]},{"name":"uspoof_setChecks","features":[70]},{"name":"uspoof_setRestrictionLevel","features":[70]},{"name":"usprep_close","features":[70]},{"name":"usprep_open","features":[70]},{"name":"usprep_openByType","features":[70]},{"name":"usprep_prepare","features":[70]},{"name":"utext_char32At","features":[70]},{"name":"utext_clone","features":[70]},{"name":"utext_close","features":[70]},{"name":"utext_copy","features":[70]},{"name":"utext_current32","features":[70]},{"name":"utext_equals","features":[70]},{"name":"utext_extract","features":[70]},{"name":"utext_freeze","features":[70]},{"name":"utext_getNativeIndex","features":[70]},{"name":"utext_getPreviousNativeIndex","features":[70]},{"name":"utext_hasMetaData","features":[70]},{"name":"utext_isLengthExpensive","features":[70]},{"name":"utext_isWritable","features":[70]},{"name":"utext_moveIndex32","features":[70]},{"name":"utext_nativeLength","features":[70]},{"name":"utext_next32","features":[70]},{"name":"utext_next32From","features":[70]},{"name":"utext_openUChars","features":[70]},{"name":"utext_openUTF8","features":[70]},{"name":"utext_previous32","features":[70]},{"name":"utext_previous32From","features":[70]},{"name":"utext_replace","features":[70]},{"name":"utext_setNativeIndex","features":[70]},{"name":"utext_setup","features":[70]},{"name":"utf8_appendCharSafeBody","features":[70]},{"name":"utf8_back1SafeBody","features":[70]},{"name":"utf8_nextCharSafeBody","features":[70]},{"name":"utf8_prevCharSafeBody","features":[70]},{"name":"utmscale_fromInt64","features":[70]},{"name":"utmscale_getTimeScaleValue","features":[70]},{"name":"utmscale_toInt64","features":[70]},{"name":"utrace_format","features":[70]},{"name":"utrace_functionName","features":[70]},{"name":"utrace_getFunctions","features":[70]},{"name":"utrace_getLevel","features":[70]},{"name":"utrace_setFunctions","features":[70]},{"name":"utrace_setLevel","features":[70]},{"name":"utrace_vformat","features":[70]},{"name":"utrans_clone","features":[70]},{"name":"utrans_close","features":[70]},{"name":"utrans_countAvailableIDs","features":[70]},{"name":"utrans_getSourceSet","features":[70]},{"name":"utrans_getUnicodeID","features":[70]},{"name":"utrans_openIDs","features":[70]},{"name":"utrans_openInverse","features":[70]},{"name":"utrans_openU","features":[70]},{"name":"utrans_register","features":[70]},{"name":"utrans_setFilter","features":[70]},{"name":"utrans_toRules","features":[70]},{"name":"utrans_trans","features":[70]},{"name":"utrans_transIncremental","features":[70]},{"name":"utrans_transIncrementalUChars","features":[70]},{"name":"utrans_transUChars","features":[70]},{"name":"utrans_unregisterID","features":[70]}],"410":[{"name":"DWMFLIP3DWINDOWPOLICY","features":[71]},{"name":"DWMFLIP3D_DEFAULT","features":[71]},{"name":"DWMFLIP3D_EXCLUDEABOVE","features":[71]},{"name":"DWMFLIP3D_EXCLUDEBELOW","features":[71]},{"name":"DWMFLIP3D_LAST","features":[71]},{"name":"DWMNCRENDERINGPOLICY","features":[71]},{"name":"DWMNCRP_DISABLED","features":[71]},{"name":"DWMNCRP_ENABLED","features":[71]},{"name":"DWMNCRP_LAST","features":[71]},{"name":"DWMNCRP_USEWINDOWSTYLE","features":[71]},{"name":"DWMSBT_AUTO","features":[71]},{"name":"DWMSBT_MAINWINDOW","features":[71]},{"name":"DWMSBT_NONE","features":[71]},{"name":"DWMSBT_TABBEDWINDOW","features":[71]},{"name":"DWMSBT_TRANSIENTWINDOW","features":[71]},{"name":"DWMSC_ALL","features":[71]},{"name":"DWMSC_DOWN","features":[71]},{"name":"DWMSC_DRAG","features":[71]},{"name":"DWMSC_HOLD","features":[71]},{"name":"DWMSC_NONE","features":[71]},{"name":"DWMSC_PENBARREL","features":[71]},{"name":"DWMSC_UP","features":[71]},{"name":"DWMTRANSITION_OWNEDWINDOW_NULL","features":[71]},{"name":"DWMTRANSITION_OWNEDWINDOW_REPOSITION","features":[71]},{"name":"DWMTRANSITION_OWNEDWINDOW_TARGET","features":[71]},{"name":"DWMTWR_APP_COMPAT","features":[71]},{"name":"DWMTWR_GROUP_POLICY","features":[71]},{"name":"DWMTWR_IMPLEMENTED_BY_SYSTEM","features":[71]},{"name":"DWMTWR_NONE","features":[71]},{"name":"DWMTWR_TABBING_ENABLED","features":[71]},{"name":"DWMTWR_USER_POLICY","features":[71]},{"name":"DWMTWR_WINDOW_DWM_ATTRIBUTES","features":[71]},{"name":"DWMTWR_WINDOW_MARGINS","features":[71]},{"name":"DWMTWR_WINDOW_REGION","features":[71]},{"name":"DWMTWR_WINDOW_RELATIONSHIP","features":[71]},{"name":"DWMTWR_WINDOW_STYLES","features":[71]},{"name":"DWMWA_ALLOW_NCPAINT","features":[71]},{"name":"DWMWA_BORDER_COLOR","features":[71]},{"name":"DWMWA_CAPTION_BUTTON_BOUNDS","features":[71]},{"name":"DWMWA_CAPTION_COLOR","features":[71]},{"name":"DWMWA_CLOAK","features":[71]},{"name":"DWMWA_CLOAKED","features":[71]},{"name":"DWMWA_COLOR_DEFAULT","features":[71]},{"name":"DWMWA_COLOR_NONE","features":[71]},{"name":"DWMWA_DISALLOW_PEEK","features":[71]},{"name":"DWMWA_EXCLUDED_FROM_PEEK","features":[71]},{"name":"DWMWA_EXTENDED_FRAME_BOUNDS","features":[71]},{"name":"DWMWA_FLIP3D_POLICY","features":[71]},{"name":"DWMWA_FORCE_ICONIC_REPRESENTATION","features":[71]},{"name":"DWMWA_FREEZE_REPRESENTATION","features":[71]},{"name":"DWMWA_HAS_ICONIC_BITMAP","features":[71]},{"name":"DWMWA_LAST","features":[71]},{"name":"DWMWA_NCRENDERING_ENABLED","features":[71]},{"name":"DWMWA_NCRENDERING_POLICY","features":[71]},{"name":"DWMWA_NONCLIENT_RTL_LAYOUT","features":[71]},{"name":"DWMWA_PASSIVE_UPDATE_MODE","features":[71]},{"name":"DWMWA_SYSTEMBACKDROP_TYPE","features":[71]},{"name":"DWMWA_TEXT_COLOR","features":[71]},{"name":"DWMWA_TRANSITIONS_FORCEDISABLED","features":[71]},{"name":"DWMWA_USE_HOSTBACKDROPBRUSH","features":[71]},{"name":"DWMWA_USE_IMMERSIVE_DARK_MODE","features":[71]},{"name":"DWMWA_VISIBLE_FRAME_BORDER_THICKNESS","features":[71]},{"name":"DWMWA_WINDOW_CORNER_PREFERENCE","features":[71]},{"name":"DWMWCP_DEFAULT","features":[71]},{"name":"DWMWCP_DONOTROUND","features":[71]},{"name":"DWMWCP_ROUND","features":[71]},{"name":"DWMWCP_ROUNDSMALL","features":[71]},{"name":"DWMWINDOWATTRIBUTE","features":[71]},{"name":"DWM_BB_BLURREGION","features":[71]},{"name":"DWM_BB_ENABLE","features":[71]},{"name":"DWM_BB_TRANSITIONONMAXIMIZED","features":[71]},{"name":"DWM_BLURBEHIND","features":[1,71,12]},{"name":"DWM_CLOAKED_APP","features":[71]},{"name":"DWM_CLOAKED_INHERITED","features":[71]},{"name":"DWM_CLOAKED_SHELL","features":[71]},{"name":"DWM_EC_DISABLECOMPOSITION","features":[71]},{"name":"DWM_EC_ENABLECOMPOSITION","features":[71]},{"name":"DWM_FRAME_DURATION_DEFAULT","features":[71]},{"name":"DWM_PRESENT_PARAMETERS","features":[1,71]},{"name":"DWM_SHOWCONTACT","features":[71]},{"name":"DWM_SIT_DISPLAYFRAME","features":[71]},{"name":"DWM_SOURCE_FRAME_SAMPLING","features":[71]},{"name":"DWM_SOURCE_FRAME_SAMPLING_COVERAGE","features":[71]},{"name":"DWM_SOURCE_FRAME_SAMPLING_LAST","features":[71]},{"name":"DWM_SOURCE_FRAME_SAMPLING_POINT","features":[71]},{"name":"DWM_SYSTEMBACKDROP_TYPE","features":[71]},{"name":"DWM_TAB_WINDOW_REQUIREMENTS","features":[71]},{"name":"DWM_THUMBNAIL_PROPERTIES","features":[1,71]},{"name":"DWM_TIMING_INFO","features":[71]},{"name":"DWM_TNP_OPACITY","features":[71]},{"name":"DWM_TNP_RECTDESTINATION","features":[71]},{"name":"DWM_TNP_RECTSOURCE","features":[71]},{"name":"DWM_TNP_SOURCECLIENTAREAONLY","features":[71]},{"name":"DWM_TNP_VISIBLE","features":[71]},{"name":"DWM_WINDOW_CORNER_PREFERENCE","features":[71]},{"name":"DwmAttachMilContent","features":[1,71]},{"name":"DwmDefWindowProc","features":[1,71]},{"name":"DwmDetachMilContent","features":[1,71]},{"name":"DwmEnableBlurBehindWindow","features":[1,71,12]},{"name":"DwmEnableComposition","features":[71]},{"name":"DwmEnableMMCSS","features":[1,71]},{"name":"DwmExtendFrameIntoClientArea","features":[1,71,40]},{"name":"DwmFlush","features":[71]},{"name":"DwmGetColorizationColor","features":[1,71]},{"name":"DwmGetCompositionTimingInfo","features":[1,71]},{"name":"DwmGetGraphicsStreamClient","features":[71]},{"name":"DwmGetGraphicsStreamTransformHint","features":[71]},{"name":"DwmGetTransportAttributes","features":[1,71]},{"name":"DwmGetUnmetTabRequirements","features":[1,71]},{"name":"DwmGetWindowAttribute","features":[1,71]},{"name":"DwmInvalidateIconicBitmaps","features":[1,71]},{"name":"DwmIsCompositionEnabled","features":[1,71]},{"name":"DwmModifyPreviousDxFrameDuration","features":[1,71]},{"name":"DwmQueryThumbnailSourceSize","features":[1,71]},{"name":"DwmRegisterThumbnail","features":[1,71]},{"name":"DwmRenderGesture","features":[1,71]},{"name":"DwmSetDxFrameDuration","features":[1,71]},{"name":"DwmSetIconicLivePreviewBitmap","features":[1,71,12]},{"name":"DwmSetIconicThumbnail","features":[1,71,12]},{"name":"DwmSetPresentParameters","features":[1,71]},{"name":"DwmSetWindowAttribute","features":[1,71]},{"name":"DwmShowContact","features":[71]},{"name":"DwmTetherContact","features":[1,71]},{"name":"DwmTransitionOwnedWindow","features":[1,71]},{"name":"DwmUnregisterThumbnail","features":[71]},{"name":"DwmUpdateThumbnailProperties","features":[1,71]},{"name":"GESTURE_TYPE","features":[71]},{"name":"GT_PEN_DOUBLETAP","features":[71]},{"name":"GT_PEN_PRESSANDHOLD","features":[71]},{"name":"GT_PEN_PRESSANDHOLDABORT","features":[71]},{"name":"GT_PEN_RIGHTTAP","features":[71]},{"name":"GT_PEN_TAP","features":[71]},{"name":"GT_TOUCH_DOUBLETAP","features":[71]},{"name":"GT_TOUCH_PRESSANDHOLD","features":[71]},{"name":"GT_TOUCH_PRESSANDHOLDABORT","features":[71]},{"name":"GT_TOUCH_PRESSANDTAP","features":[71]},{"name":"GT_TOUCH_RIGHTTAP","features":[71]},{"name":"GT_TOUCH_TAP","features":[71]},{"name":"MilMatrix3x2D","features":[71]},{"name":"UNSIGNED_RATIO","features":[71]},{"name":"c_DwmMaxAdapters","features":[71]},{"name":"c_DwmMaxMonitors","features":[71]},{"name":"c_DwmMaxQueuedBuffers","features":[71]}],"413":[{"name":"ABC","features":[12]},{"name":"ABCFLOAT","features":[12]},{"name":"ABORTDOC","features":[12]},{"name":"ABORTPATH","features":[12]},{"name":"ABSOLUTE","features":[12]},{"name":"AC_SRC_ALPHA","features":[12]},{"name":"AC_SRC_OVER","features":[12]},{"name":"AD_CLOCKWISE","features":[12]},{"name":"AD_COUNTERCLOCKWISE","features":[12]},{"name":"ALTERNATE","features":[12]},{"name":"ANSI_CHARSET","features":[12]},{"name":"ANSI_FIXED_FONT","features":[12]},{"name":"ANSI_VAR_FONT","features":[12]},{"name":"ANTIALIASED_QUALITY","features":[12]},{"name":"ARABIC_CHARSET","features":[12]},{"name":"ARC_DIRECTION","features":[12]},{"name":"ASPECTX","features":[12]},{"name":"ASPECTXY","features":[12]},{"name":"ASPECTY","features":[12]},{"name":"ASPECT_FILTERING","features":[12]},{"name":"AXESLISTA","features":[12]},{"name":"AXESLISTW","features":[12]},{"name":"AXISINFOA","features":[12]},{"name":"AXISINFOW","features":[12]},{"name":"AbortPath","features":[1,12]},{"name":"AddFontMemResourceEx","features":[1,12]},{"name":"AddFontResourceA","features":[12]},{"name":"AddFontResourceExA","features":[12]},{"name":"AddFontResourceExW","features":[12]},{"name":"AddFontResourceW","features":[12]},{"name":"AlphaBlend","features":[1,12]},{"name":"AngleArc","features":[1,12]},{"name":"AnimatePalette","features":[1,12]},{"name":"Arc","features":[1,12]},{"name":"ArcTo","features":[1,12]},{"name":"BACKGROUND_MODE","features":[12]},{"name":"BALTIC_CHARSET","features":[12]},{"name":"BANDINFO","features":[12]},{"name":"BDR_INNER","features":[12]},{"name":"BDR_OUTER","features":[12]},{"name":"BDR_RAISED","features":[12]},{"name":"BDR_RAISEDINNER","features":[12]},{"name":"BDR_RAISEDOUTER","features":[12]},{"name":"BDR_SUNKEN","features":[12]},{"name":"BDR_SUNKENINNER","features":[12]},{"name":"BDR_SUNKENOUTER","features":[12]},{"name":"BEGIN_PATH","features":[12]},{"name":"BF_ADJUST","features":[12]},{"name":"BF_BOTTOM","features":[12]},{"name":"BF_BOTTOMLEFT","features":[12]},{"name":"BF_BOTTOMRIGHT","features":[12]},{"name":"BF_DIAGONAL","features":[12]},{"name":"BF_DIAGONAL_ENDBOTTOMLEFT","features":[12]},{"name":"BF_DIAGONAL_ENDBOTTOMRIGHT","features":[12]},{"name":"BF_DIAGONAL_ENDTOPLEFT","features":[12]},{"name":"BF_DIAGONAL_ENDTOPRIGHT","features":[12]},{"name":"BF_FLAT","features":[12]},{"name":"BF_LEFT","features":[12]},{"name":"BF_MIDDLE","features":[12]},{"name":"BF_MONO","features":[12]},{"name":"BF_RECT","features":[12]},{"name":"BF_RIGHT","features":[12]},{"name":"BF_SOFT","features":[12]},{"name":"BF_TOP","features":[12]},{"name":"BF_TOPLEFT","features":[12]},{"name":"BF_TOPRIGHT","features":[12]},{"name":"BITMAP","features":[12]},{"name":"BITMAPCOREHEADER","features":[12]},{"name":"BITMAPCOREINFO","features":[12]},{"name":"BITMAPFILEHEADER","features":[12]},{"name":"BITMAPINFO","features":[12]},{"name":"BITMAPINFOHEADER","features":[12]},{"name":"BITMAPV4HEADER","features":[12]},{"name":"BITMAPV5HEADER","features":[12]},{"name":"BITSPIXEL","features":[12]},{"name":"BI_BITFIELDS","features":[12]},{"name":"BI_COMPRESSION","features":[12]},{"name":"BI_JPEG","features":[12]},{"name":"BI_PNG","features":[12]},{"name":"BI_RGB","features":[12]},{"name":"BI_RLE4","features":[12]},{"name":"BI_RLE8","features":[12]},{"name":"BKMODE_LAST","features":[12]},{"name":"BLACKNESS","features":[12]},{"name":"BLACKONWHITE","features":[12]},{"name":"BLACK_BRUSH","features":[12]},{"name":"BLACK_PEN","features":[12]},{"name":"BLENDFUNCTION","features":[12]},{"name":"BLTALIGNMENT","features":[12]},{"name":"BRUSH_STYLE","features":[12]},{"name":"BS_DIBPATTERN","features":[12]},{"name":"BS_DIBPATTERN8X8","features":[12]},{"name":"BS_DIBPATTERNPT","features":[12]},{"name":"BS_HATCHED","features":[12]},{"name":"BS_HOLLOW","features":[12]},{"name":"BS_INDEXED","features":[12]},{"name":"BS_MONOPATTERN","features":[12]},{"name":"BS_NULL","features":[12]},{"name":"BS_PATTERN","features":[12]},{"name":"BS_PATTERN8X8","features":[12]},{"name":"BS_SOLID","features":[12]},{"name":"BeginPaint","features":[1,12]},{"name":"BeginPath","features":[1,12]},{"name":"BitBlt","features":[1,12]},{"name":"CAPTUREBLT","features":[12]},{"name":"CA_LOG_FILTER","features":[12]},{"name":"CA_NEGATIVE","features":[12]},{"name":"CBM_INIT","features":[12]},{"name":"CCHFORMNAME","features":[12]},{"name":"CC_CHORD","features":[12]},{"name":"CC_CIRCLES","features":[12]},{"name":"CC_ELLIPSES","features":[12]},{"name":"CC_INTERIORS","features":[12]},{"name":"CC_NONE","features":[12]},{"name":"CC_PIE","features":[12]},{"name":"CC_ROUNDRECT","features":[12]},{"name":"CC_STYLED","features":[12]},{"name":"CC_WIDE","features":[12]},{"name":"CC_WIDESTYLED","features":[12]},{"name":"CDS_DISABLE_UNSAFE_MODES","features":[12]},{"name":"CDS_ENABLE_UNSAFE_MODES","features":[12]},{"name":"CDS_FULLSCREEN","features":[12]},{"name":"CDS_GLOBAL","features":[12]},{"name":"CDS_NORESET","features":[12]},{"name":"CDS_RESET","features":[12]},{"name":"CDS_RESET_EX","features":[12]},{"name":"CDS_SET_PRIMARY","features":[12]},{"name":"CDS_TEST","features":[12]},{"name":"CDS_TYPE","features":[12]},{"name":"CDS_UPDATEREGISTRY","features":[12]},{"name":"CDS_VIDEOPARAMETERS","features":[12]},{"name":"CFP_ALLOCPROC","features":[12]},{"name":"CFP_FREEPROC","features":[12]},{"name":"CFP_REALLOCPROC","features":[12]},{"name":"CHARSET_DEFAULT","features":[12]},{"name":"CHARSET_GLYPHIDX","features":[12]},{"name":"CHARSET_SYMBOL","features":[12]},{"name":"CHARSET_UNICODE","features":[12]},{"name":"CHECKJPEGFORMAT","features":[12]},{"name":"CHECKPNGFORMAT","features":[12]},{"name":"CHINESEBIG5_CHARSET","features":[12]},{"name":"CIEXYZ","features":[12]},{"name":"CIEXYZTRIPLE","features":[12]},{"name":"CLEARTYPE_NATURAL_QUALITY","features":[12]},{"name":"CLEARTYPE_QUALITY","features":[12]},{"name":"CLIPCAPS","features":[12]},{"name":"CLIP_CHARACTER_PRECIS","features":[12]},{"name":"CLIP_DEFAULT_PRECIS","features":[12]},{"name":"CLIP_DFA_DISABLE","features":[12]},{"name":"CLIP_DFA_OVERRIDE","features":[12]},{"name":"CLIP_EMBEDDED","features":[12]},{"name":"CLIP_LH_ANGLES","features":[12]},{"name":"CLIP_MASK","features":[12]},{"name":"CLIP_STROKE_PRECIS","features":[12]},{"name":"CLIP_TO_PATH","features":[12]},{"name":"CLIP_TT_ALWAYS","features":[12]},{"name":"CLOSECHANNEL","features":[12]},{"name":"CLR_INVALID","features":[12]},{"name":"CM_CMYK_COLOR","features":[12]},{"name":"CM_DEVICE_ICM","features":[12]},{"name":"CM_GAMMA_RAMP","features":[12]},{"name":"CM_IN_GAMUT","features":[12]},{"name":"CM_NONE","features":[12]},{"name":"CM_OUT_OF_GAMUT","features":[12]},{"name":"COLORADJUSTMENT","features":[12]},{"name":"COLORMATCHTOTARGET_EMBEDED","features":[12]},{"name":"COLORMGMTCAPS","features":[12]},{"name":"COLORONCOLOR","features":[12]},{"name":"COLORRES","features":[12]},{"name":"COLOR_3DDKSHADOW","features":[12]},{"name":"COLOR_3DFACE","features":[12]},{"name":"COLOR_3DHIGHLIGHT","features":[12]},{"name":"COLOR_3DHILIGHT","features":[12]},{"name":"COLOR_3DLIGHT","features":[12]},{"name":"COLOR_3DSHADOW","features":[12]},{"name":"COLOR_ACTIVEBORDER","features":[12]},{"name":"COLOR_ACTIVECAPTION","features":[12]},{"name":"COLOR_APPWORKSPACE","features":[12]},{"name":"COLOR_BACKGROUND","features":[12]},{"name":"COLOR_BTNFACE","features":[12]},{"name":"COLOR_BTNHIGHLIGHT","features":[12]},{"name":"COLOR_BTNHILIGHT","features":[12]},{"name":"COLOR_BTNSHADOW","features":[12]},{"name":"COLOR_BTNTEXT","features":[12]},{"name":"COLOR_CAPTIONTEXT","features":[12]},{"name":"COLOR_DESKTOP","features":[12]},{"name":"COLOR_GRADIENTACTIVECAPTION","features":[12]},{"name":"COLOR_GRADIENTINACTIVECAPTION","features":[12]},{"name":"COLOR_GRAYTEXT","features":[12]},{"name":"COLOR_HIGHLIGHT","features":[12]},{"name":"COLOR_HIGHLIGHTTEXT","features":[12]},{"name":"COLOR_HOTLIGHT","features":[12]},{"name":"COLOR_INACTIVEBORDER","features":[12]},{"name":"COLOR_INACTIVECAPTION","features":[12]},{"name":"COLOR_INACTIVECAPTIONTEXT","features":[12]},{"name":"COLOR_INFOBK","features":[12]},{"name":"COLOR_INFOTEXT","features":[12]},{"name":"COLOR_MENU","features":[12]},{"name":"COLOR_MENUBAR","features":[12]},{"name":"COLOR_MENUHILIGHT","features":[12]},{"name":"COLOR_MENUTEXT","features":[12]},{"name":"COLOR_SCROLLBAR","features":[12]},{"name":"COLOR_WINDOW","features":[12]},{"name":"COLOR_WINDOWFRAME","features":[12]},{"name":"COLOR_WINDOWTEXT","features":[12]},{"name":"COMPLEXREGION","features":[12]},{"name":"CP_NONE","features":[12]},{"name":"CP_RECTANGLE","features":[12]},{"name":"CP_REGION","features":[12]},{"name":"CREATECOLORSPACE_EMBEDED","features":[12]},{"name":"CREATE_FONT_PACKAGE_SUBSET_ENCODING","features":[12]},{"name":"CREATE_FONT_PACKAGE_SUBSET_PLATFORM","features":[12]},{"name":"CREATE_POLYGON_RGN_MODE","features":[12]},{"name":"CURVECAPS","features":[12]},{"name":"CancelDC","features":[1,12]},{"name":"ChangeDisplaySettingsA","features":[1,12]},{"name":"ChangeDisplaySettingsExA","features":[1,12]},{"name":"ChangeDisplaySettingsExW","features":[1,12]},{"name":"ChangeDisplaySettingsW","features":[1,12]},{"name":"Chord","features":[1,12]},{"name":"ClientToScreen","features":[1,12]},{"name":"CloseEnhMetaFile","features":[12]},{"name":"CloseFigure","features":[1,12]},{"name":"CloseMetaFile","features":[12]},{"name":"CombineRgn","features":[12]},{"name":"CombineTransform","features":[1,12]},{"name":"CopyEnhMetaFileA","features":[12]},{"name":"CopyEnhMetaFileW","features":[12]},{"name":"CopyMetaFileA","features":[12]},{"name":"CopyMetaFileW","features":[12]},{"name":"CopyRect","features":[1,12]},{"name":"CreateBitmap","features":[12]},{"name":"CreateBitmapIndirect","features":[12]},{"name":"CreateBrushIndirect","features":[1,12]},{"name":"CreateCompatibleBitmap","features":[12]},{"name":"CreateCompatibleDC","features":[12]},{"name":"CreateDCA","features":[1,12]},{"name":"CreateDCW","features":[1,12]},{"name":"CreateDIBPatternBrush","features":[1,12]},{"name":"CreateDIBPatternBrushPt","features":[12]},{"name":"CreateDIBSection","features":[1,12]},{"name":"CreateDIBitmap","features":[12]},{"name":"CreateDiscardableBitmap","features":[12]},{"name":"CreateEllipticRgn","features":[12]},{"name":"CreateEllipticRgnIndirect","features":[1,12]},{"name":"CreateEnhMetaFileA","features":[1,12]},{"name":"CreateEnhMetaFileW","features":[1,12]},{"name":"CreateFontA","features":[12]},{"name":"CreateFontIndirectA","features":[12]},{"name":"CreateFontIndirectExA","features":[12]},{"name":"CreateFontIndirectExW","features":[12]},{"name":"CreateFontIndirectW","features":[12]},{"name":"CreateFontPackage","features":[12]},{"name":"CreateFontW","features":[12]},{"name":"CreateHalftonePalette","features":[12]},{"name":"CreateHatchBrush","features":[1,12]},{"name":"CreateICA","features":[1,12]},{"name":"CreateICW","features":[1,12]},{"name":"CreateMetaFileA","features":[12]},{"name":"CreateMetaFileW","features":[12]},{"name":"CreatePalette","features":[12]},{"name":"CreatePatternBrush","features":[12]},{"name":"CreatePen","features":[1,12]},{"name":"CreatePenIndirect","features":[1,12]},{"name":"CreatePolyPolygonRgn","features":[1,12]},{"name":"CreatePolygonRgn","features":[1,12]},{"name":"CreateRectRgn","features":[12]},{"name":"CreateRectRgnIndirect","features":[1,12]},{"name":"CreateRoundRectRgn","features":[12]},{"name":"CreateScalableFontResourceA","features":[1,12]},{"name":"CreateScalableFontResourceW","features":[1,12]},{"name":"CreateSolidBrush","features":[1,12]},{"name":"DCBA_FACEDOWNCENTER","features":[12]},{"name":"DCBA_FACEDOWNLEFT","features":[12]},{"name":"DCBA_FACEDOWNNONE","features":[12]},{"name":"DCBA_FACEDOWNRIGHT","features":[12]},{"name":"DCBA_FACEUPCENTER","features":[12]},{"name":"DCBA_FACEUPLEFT","features":[12]},{"name":"DCBA_FACEUPNONE","features":[12]},{"name":"DCBA_FACEUPRIGHT","features":[12]},{"name":"DCB_ACCUMULATE","features":[12]},{"name":"DCB_DISABLE","features":[12]},{"name":"DCB_ENABLE","features":[12]},{"name":"DCB_RESET","features":[12]},{"name":"DCTT_BITMAP","features":[12]},{"name":"DCTT_DOWNLOAD","features":[12]},{"name":"DCTT_DOWNLOAD_OUTLINE","features":[12]},{"name":"DCTT_SUBDEV","features":[12]},{"name":"DCX_CACHE","features":[12]},{"name":"DCX_CLIPCHILDREN","features":[12]},{"name":"DCX_CLIPSIBLINGS","features":[12]},{"name":"DCX_EXCLUDERGN","features":[12]},{"name":"DCX_INTERSECTRGN","features":[12]},{"name":"DCX_INTERSECTUPDATE","features":[12]},{"name":"DCX_LOCKWINDOWUPDATE","features":[12]},{"name":"DCX_NORESETATTRS","features":[12]},{"name":"DCX_PARENTCLIP","features":[12]},{"name":"DCX_VALIDATE","features":[12]},{"name":"DCX_WINDOW","features":[12]},{"name":"DC_ACTIVE","features":[12]},{"name":"DC_BINADJUST","features":[12]},{"name":"DC_BRUSH","features":[12]},{"name":"DC_BUTTONS","features":[12]},{"name":"DC_DATATYPE_PRODUCED","features":[12]},{"name":"DC_EMF_COMPLIANT","features":[12]},{"name":"DC_GRADIENT","features":[12]},{"name":"DC_ICON","features":[12]},{"name":"DC_INBUTTON","features":[12]},{"name":"DC_LAYOUT","features":[12]},{"name":"DC_MANUFACTURER","features":[12]},{"name":"DC_MODEL","features":[12]},{"name":"DC_PEN","features":[12]},{"name":"DC_SMALLCAP","features":[12]},{"name":"DC_TEXT","features":[12]},{"name":"DEFAULT_CHARSET","features":[12]},{"name":"DEFAULT_GUI_FONT","features":[12]},{"name":"DEFAULT_PALETTE","features":[12]},{"name":"DEFAULT_PITCH","features":[12]},{"name":"DEFAULT_QUALITY","features":[12]},{"name":"DESIGNVECTOR","features":[12]},{"name":"DESKTOPHORZRES","features":[12]},{"name":"DESKTOPVERTRES","features":[12]},{"name":"DEVICEDATA","features":[12]},{"name":"DEVICE_DEFAULT_FONT","features":[12]},{"name":"DEVICE_FONTTYPE","features":[12]},{"name":"DEVMODEA","features":[1,12]},{"name":"DEVMODEW","features":[1,12]},{"name":"DEVMODE_COLLATE","features":[12]},{"name":"DEVMODE_COLOR","features":[12]},{"name":"DEVMODE_DISPLAY_FIXED_OUTPUT","features":[12]},{"name":"DEVMODE_DISPLAY_ORIENTATION","features":[12]},{"name":"DEVMODE_DUPLEX","features":[12]},{"name":"DEVMODE_FIELD_FLAGS","features":[12]},{"name":"DEVMODE_TRUETYPE_OPTION","features":[12]},{"name":"DFCS_ADJUSTRECT","features":[12]},{"name":"DFCS_BUTTON3STATE","features":[12]},{"name":"DFCS_BUTTONCHECK","features":[12]},{"name":"DFCS_BUTTONPUSH","features":[12]},{"name":"DFCS_BUTTONRADIO","features":[12]},{"name":"DFCS_BUTTONRADIOIMAGE","features":[12]},{"name":"DFCS_BUTTONRADIOMASK","features":[12]},{"name":"DFCS_CAPTIONCLOSE","features":[12]},{"name":"DFCS_CAPTIONHELP","features":[12]},{"name":"DFCS_CAPTIONMAX","features":[12]},{"name":"DFCS_CAPTIONMIN","features":[12]},{"name":"DFCS_CAPTIONRESTORE","features":[12]},{"name":"DFCS_CHECKED","features":[12]},{"name":"DFCS_FLAT","features":[12]},{"name":"DFCS_HOT","features":[12]},{"name":"DFCS_INACTIVE","features":[12]},{"name":"DFCS_MENUARROW","features":[12]},{"name":"DFCS_MENUARROWRIGHT","features":[12]},{"name":"DFCS_MENUBULLET","features":[12]},{"name":"DFCS_MENUCHECK","features":[12]},{"name":"DFCS_MONO","features":[12]},{"name":"DFCS_PUSHED","features":[12]},{"name":"DFCS_SCROLLCOMBOBOX","features":[12]},{"name":"DFCS_SCROLLDOWN","features":[12]},{"name":"DFCS_SCROLLLEFT","features":[12]},{"name":"DFCS_SCROLLRIGHT","features":[12]},{"name":"DFCS_SCROLLSIZEGRIP","features":[12]},{"name":"DFCS_SCROLLSIZEGRIPRIGHT","features":[12]},{"name":"DFCS_SCROLLUP","features":[12]},{"name":"DFCS_STATE","features":[12]},{"name":"DFCS_TRANSPARENT","features":[12]},{"name":"DFC_BUTTON","features":[12]},{"name":"DFC_CAPTION","features":[12]},{"name":"DFC_MENU","features":[12]},{"name":"DFC_POPUPMENU","features":[12]},{"name":"DFC_SCROLL","features":[12]},{"name":"DFC_TYPE","features":[12]},{"name":"DIBSECTION","features":[1,12]},{"name":"DIB_PAL_COLORS","features":[12]},{"name":"DIB_RGB_COLORS","features":[12]},{"name":"DIB_USAGE","features":[12]},{"name":"DISPLAYCONFIG_COLOR_ENCODING","features":[12]},{"name":"DISPLAYCONFIG_COLOR_ENCODING_INTENSITY","features":[12]},{"name":"DISPLAYCONFIG_COLOR_ENCODING_RGB","features":[12]},{"name":"DISPLAYCONFIG_COLOR_ENCODING_YCBCR420","features":[12]},{"name":"DISPLAYCONFIG_COLOR_ENCODING_YCBCR422","features":[12]},{"name":"DISPLAYCONFIG_COLOR_ENCODING_YCBCR444","features":[12]},{"name":"DISPLAYCONFIG_MAXPATH","features":[12]},{"name":"DISPLAYCONFIG_PATH_ACTIVE","features":[12]},{"name":"DISPLAYCONFIG_PATH_CLONE_GROUP_INVALID","features":[12]},{"name":"DISPLAYCONFIG_PATH_DESKTOP_IMAGE_IDX_INVALID","features":[12]},{"name":"DISPLAYCONFIG_PATH_MODE_IDX_INVALID","features":[12]},{"name":"DISPLAYCONFIG_PATH_PREFERRED_UNSCALED","features":[12]},{"name":"DISPLAYCONFIG_PATH_SOURCE_MODE_IDX_INVALID","features":[12]},{"name":"DISPLAYCONFIG_PATH_SUPPORT_VIRTUAL_MODE","features":[12]},{"name":"DISPLAYCONFIG_PATH_TARGET_MODE_IDX_INVALID","features":[12]},{"name":"DISPLAYCONFIG_PATH_VALID_FLAGS","features":[12]},{"name":"DISPLAYCONFIG_SOURCE_IN_USE","features":[12]},{"name":"DISPLAYCONFIG_TARGET_FORCED_AVAILABILITY_BOOT","features":[12]},{"name":"DISPLAYCONFIG_TARGET_FORCED_AVAILABILITY_PATH","features":[12]},{"name":"DISPLAYCONFIG_TARGET_FORCED_AVAILABILITY_SYSTEM","features":[12]},{"name":"DISPLAYCONFIG_TARGET_FORCIBLE","features":[12]},{"name":"DISPLAYCONFIG_TARGET_IN_USE","features":[12]},{"name":"DISPLAYCONFIG_TARGET_IS_HMD","features":[12]},{"name":"DISPLAY_DEVICEA","features":[12]},{"name":"DISPLAY_DEVICEW","features":[12]},{"name":"DISPLAY_DEVICE_ACC_DRIVER","features":[12]},{"name":"DISPLAY_DEVICE_ACTIVE","features":[12]},{"name":"DISPLAY_DEVICE_ATTACHED","features":[12]},{"name":"DISPLAY_DEVICE_ATTACHED_TO_DESKTOP","features":[12]},{"name":"DISPLAY_DEVICE_DISCONNECT","features":[12]},{"name":"DISPLAY_DEVICE_MIRRORING_DRIVER","features":[12]},{"name":"DISPLAY_DEVICE_MODESPRUNED","features":[12]},{"name":"DISPLAY_DEVICE_MULTI_DRIVER","features":[12]},{"name":"DISPLAY_DEVICE_PRIMARY_DEVICE","features":[12]},{"name":"DISPLAY_DEVICE_RDPUDD","features":[12]},{"name":"DISPLAY_DEVICE_REMOTE","features":[12]},{"name":"DISPLAY_DEVICE_REMOVABLE","features":[12]},{"name":"DISPLAY_DEVICE_TS_COMPATIBLE","features":[12]},{"name":"DISPLAY_DEVICE_UNSAFE_MODES_ON","features":[12]},{"name":"DISPLAY_DEVICE_VGA_COMPATIBLE","features":[12]},{"name":"DISP_CHANGE","features":[12]},{"name":"DISP_CHANGE_BADDUALVIEW","features":[12]},{"name":"DISP_CHANGE_BADFLAGS","features":[12]},{"name":"DISP_CHANGE_BADMODE","features":[12]},{"name":"DISP_CHANGE_BADPARAM","features":[12]},{"name":"DISP_CHANGE_FAILED","features":[12]},{"name":"DISP_CHANGE_NOTUPDATED","features":[12]},{"name":"DISP_CHANGE_RESTART","features":[12]},{"name":"DISP_CHANGE_SUCCESSFUL","features":[12]},{"name":"DI_APPBANDING","features":[12]},{"name":"DI_ROPS_READ_DESTINATION","features":[12]},{"name":"DKGRAY_BRUSH","features":[12]},{"name":"DMBIN_AUTO","features":[12]},{"name":"DMBIN_CASSETTE","features":[12]},{"name":"DMBIN_ENVELOPE","features":[12]},{"name":"DMBIN_ENVMANUAL","features":[12]},{"name":"DMBIN_FORMSOURCE","features":[12]},{"name":"DMBIN_LARGECAPACITY","features":[12]},{"name":"DMBIN_LARGEFMT","features":[12]},{"name":"DMBIN_LAST","features":[12]},{"name":"DMBIN_LOWER","features":[12]},{"name":"DMBIN_MANUAL","features":[12]},{"name":"DMBIN_MIDDLE","features":[12]},{"name":"DMBIN_ONLYONE","features":[12]},{"name":"DMBIN_SMALLFMT","features":[12]},{"name":"DMBIN_TRACTOR","features":[12]},{"name":"DMBIN_UPPER","features":[12]},{"name":"DMBIN_USER","features":[12]},{"name":"DMCOLLATE_FALSE","features":[12]},{"name":"DMCOLLATE_TRUE","features":[12]},{"name":"DMCOLOR_COLOR","features":[12]},{"name":"DMCOLOR_MONOCHROME","features":[12]},{"name":"DMDFO_CENTER","features":[12]},{"name":"DMDFO_DEFAULT","features":[12]},{"name":"DMDFO_STRETCH","features":[12]},{"name":"DMDISPLAYFLAGS_TEXTMODE","features":[12]},{"name":"DMDITHER_COARSE","features":[12]},{"name":"DMDITHER_ERRORDIFFUSION","features":[12]},{"name":"DMDITHER_FINE","features":[12]},{"name":"DMDITHER_GRAYSCALE","features":[12]},{"name":"DMDITHER_LINEART","features":[12]},{"name":"DMDITHER_NONE","features":[12]},{"name":"DMDITHER_RESERVED6","features":[12]},{"name":"DMDITHER_RESERVED7","features":[12]},{"name":"DMDITHER_RESERVED8","features":[12]},{"name":"DMDITHER_RESERVED9","features":[12]},{"name":"DMDITHER_USER","features":[12]},{"name":"DMDO_180","features":[12]},{"name":"DMDO_270","features":[12]},{"name":"DMDO_90","features":[12]},{"name":"DMDO_DEFAULT","features":[12]},{"name":"DMDUP_HORIZONTAL","features":[12]},{"name":"DMDUP_SIMPLEX","features":[12]},{"name":"DMDUP_VERTICAL","features":[12]},{"name":"DMICMMETHOD_DEVICE","features":[12]},{"name":"DMICMMETHOD_DRIVER","features":[12]},{"name":"DMICMMETHOD_NONE","features":[12]},{"name":"DMICMMETHOD_SYSTEM","features":[12]},{"name":"DMICMMETHOD_USER","features":[12]},{"name":"DMICM_ABS_COLORIMETRIC","features":[12]},{"name":"DMICM_COLORIMETRIC","features":[12]},{"name":"DMICM_CONTRAST","features":[12]},{"name":"DMICM_SATURATE","features":[12]},{"name":"DMICM_USER","features":[12]},{"name":"DMMEDIA_GLOSSY","features":[12]},{"name":"DMMEDIA_STANDARD","features":[12]},{"name":"DMMEDIA_TRANSPARENCY","features":[12]},{"name":"DMMEDIA_USER","features":[12]},{"name":"DMNUP_ONEUP","features":[12]},{"name":"DMNUP_SYSTEM","features":[12]},{"name":"DMORIENT_LANDSCAPE","features":[12]},{"name":"DMORIENT_PORTRAIT","features":[12]},{"name":"DMPAPER_10X11","features":[12]},{"name":"DMPAPER_10X14","features":[12]},{"name":"DMPAPER_11X17","features":[12]},{"name":"DMPAPER_12X11","features":[12]},{"name":"DMPAPER_15X11","features":[12]},{"name":"DMPAPER_9X11","features":[12]},{"name":"DMPAPER_A2","features":[12]},{"name":"DMPAPER_A3","features":[12]},{"name":"DMPAPER_A3_EXTRA","features":[12]},{"name":"DMPAPER_A3_EXTRA_TRANSVERSE","features":[12]},{"name":"DMPAPER_A3_ROTATED","features":[12]},{"name":"DMPAPER_A3_TRANSVERSE","features":[12]},{"name":"DMPAPER_A4","features":[12]},{"name":"DMPAPER_A4SMALL","features":[12]},{"name":"DMPAPER_A4_EXTRA","features":[12]},{"name":"DMPAPER_A4_PLUS","features":[12]},{"name":"DMPAPER_A4_ROTATED","features":[12]},{"name":"DMPAPER_A4_TRANSVERSE","features":[12]},{"name":"DMPAPER_A5","features":[12]},{"name":"DMPAPER_A5_EXTRA","features":[12]},{"name":"DMPAPER_A5_ROTATED","features":[12]},{"name":"DMPAPER_A5_TRANSVERSE","features":[12]},{"name":"DMPAPER_A6","features":[12]},{"name":"DMPAPER_A6_ROTATED","features":[12]},{"name":"DMPAPER_A_PLUS","features":[12]},{"name":"DMPAPER_B4","features":[12]},{"name":"DMPAPER_B4_JIS_ROTATED","features":[12]},{"name":"DMPAPER_B5","features":[12]},{"name":"DMPAPER_B5_EXTRA","features":[12]},{"name":"DMPAPER_B5_JIS_ROTATED","features":[12]},{"name":"DMPAPER_B5_TRANSVERSE","features":[12]},{"name":"DMPAPER_B6_JIS","features":[12]},{"name":"DMPAPER_B6_JIS_ROTATED","features":[12]},{"name":"DMPAPER_B_PLUS","features":[12]},{"name":"DMPAPER_CSHEET","features":[12]},{"name":"DMPAPER_DBL_JAPANESE_POSTCARD","features":[12]},{"name":"DMPAPER_DBL_JAPANESE_POSTCARD_ROTATED","features":[12]},{"name":"DMPAPER_DSHEET","features":[12]},{"name":"DMPAPER_ENV_10","features":[12]},{"name":"DMPAPER_ENV_11","features":[12]},{"name":"DMPAPER_ENV_12","features":[12]},{"name":"DMPAPER_ENV_14","features":[12]},{"name":"DMPAPER_ENV_9","features":[12]},{"name":"DMPAPER_ENV_B4","features":[12]},{"name":"DMPAPER_ENV_B5","features":[12]},{"name":"DMPAPER_ENV_B6","features":[12]},{"name":"DMPAPER_ENV_C3","features":[12]},{"name":"DMPAPER_ENV_C4","features":[12]},{"name":"DMPAPER_ENV_C5","features":[12]},{"name":"DMPAPER_ENV_C6","features":[12]},{"name":"DMPAPER_ENV_C65","features":[12]},{"name":"DMPAPER_ENV_DL","features":[12]},{"name":"DMPAPER_ENV_INVITE","features":[12]},{"name":"DMPAPER_ENV_ITALY","features":[12]},{"name":"DMPAPER_ENV_MONARCH","features":[12]},{"name":"DMPAPER_ENV_PERSONAL","features":[12]},{"name":"DMPAPER_ESHEET","features":[12]},{"name":"DMPAPER_EXECUTIVE","features":[12]},{"name":"DMPAPER_FANFOLD_LGL_GERMAN","features":[12]},{"name":"DMPAPER_FANFOLD_STD_GERMAN","features":[12]},{"name":"DMPAPER_FANFOLD_US","features":[12]},{"name":"DMPAPER_FOLIO","features":[12]},{"name":"DMPAPER_ISO_B4","features":[12]},{"name":"DMPAPER_JAPANESE_POSTCARD","features":[12]},{"name":"DMPAPER_JAPANESE_POSTCARD_ROTATED","features":[12]},{"name":"DMPAPER_JENV_CHOU3","features":[12]},{"name":"DMPAPER_JENV_CHOU3_ROTATED","features":[12]},{"name":"DMPAPER_JENV_CHOU4","features":[12]},{"name":"DMPAPER_JENV_CHOU4_ROTATED","features":[12]},{"name":"DMPAPER_JENV_KAKU2","features":[12]},{"name":"DMPAPER_JENV_KAKU2_ROTATED","features":[12]},{"name":"DMPAPER_JENV_KAKU3","features":[12]},{"name":"DMPAPER_JENV_KAKU3_ROTATED","features":[12]},{"name":"DMPAPER_JENV_YOU4","features":[12]},{"name":"DMPAPER_JENV_YOU4_ROTATED","features":[12]},{"name":"DMPAPER_LAST","features":[12]},{"name":"DMPAPER_LEDGER","features":[12]},{"name":"DMPAPER_LEGAL","features":[12]},{"name":"DMPAPER_LEGAL_EXTRA","features":[12]},{"name":"DMPAPER_LETTER","features":[12]},{"name":"DMPAPER_LETTERSMALL","features":[12]},{"name":"DMPAPER_LETTER_EXTRA","features":[12]},{"name":"DMPAPER_LETTER_EXTRA_TRANSVERSE","features":[12]},{"name":"DMPAPER_LETTER_PLUS","features":[12]},{"name":"DMPAPER_LETTER_ROTATED","features":[12]},{"name":"DMPAPER_LETTER_TRANSVERSE","features":[12]},{"name":"DMPAPER_NOTE","features":[12]},{"name":"DMPAPER_P16K","features":[12]},{"name":"DMPAPER_P16K_ROTATED","features":[12]},{"name":"DMPAPER_P32K","features":[12]},{"name":"DMPAPER_P32KBIG","features":[12]},{"name":"DMPAPER_P32KBIG_ROTATED","features":[12]},{"name":"DMPAPER_P32K_ROTATED","features":[12]},{"name":"DMPAPER_PENV_1","features":[12]},{"name":"DMPAPER_PENV_10","features":[12]},{"name":"DMPAPER_PENV_10_ROTATED","features":[12]},{"name":"DMPAPER_PENV_1_ROTATED","features":[12]},{"name":"DMPAPER_PENV_2","features":[12]},{"name":"DMPAPER_PENV_2_ROTATED","features":[12]},{"name":"DMPAPER_PENV_3","features":[12]},{"name":"DMPAPER_PENV_3_ROTATED","features":[12]},{"name":"DMPAPER_PENV_4","features":[12]},{"name":"DMPAPER_PENV_4_ROTATED","features":[12]},{"name":"DMPAPER_PENV_5","features":[12]},{"name":"DMPAPER_PENV_5_ROTATED","features":[12]},{"name":"DMPAPER_PENV_6","features":[12]},{"name":"DMPAPER_PENV_6_ROTATED","features":[12]},{"name":"DMPAPER_PENV_7","features":[12]},{"name":"DMPAPER_PENV_7_ROTATED","features":[12]},{"name":"DMPAPER_PENV_8","features":[12]},{"name":"DMPAPER_PENV_8_ROTATED","features":[12]},{"name":"DMPAPER_PENV_9","features":[12]},{"name":"DMPAPER_PENV_9_ROTATED","features":[12]},{"name":"DMPAPER_QUARTO","features":[12]},{"name":"DMPAPER_RESERVED_48","features":[12]},{"name":"DMPAPER_RESERVED_49","features":[12]},{"name":"DMPAPER_STATEMENT","features":[12]},{"name":"DMPAPER_TABLOID","features":[12]},{"name":"DMPAPER_TABLOID_EXTRA","features":[12]},{"name":"DMPAPER_USER","features":[12]},{"name":"DMRES_DRAFT","features":[12]},{"name":"DMRES_HIGH","features":[12]},{"name":"DMRES_LOW","features":[12]},{"name":"DMRES_MEDIUM","features":[12]},{"name":"DMTT_BITMAP","features":[12]},{"name":"DMTT_DOWNLOAD","features":[12]},{"name":"DMTT_DOWNLOAD_OUTLINE","features":[12]},{"name":"DMTT_SUBDEV","features":[12]},{"name":"DM_BITSPERPEL","features":[12]},{"name":"DM_COLLATE","features":[12]},{"name":"DM_COLOR","features":[12]},{"name":"DM_COPIES","features":[12]},{"name":"DM_COPY","features":[12]},{"name":"DM_DEFAULTSOURCE","features":[12]},{"name":"DM_DISPLAYFIXEDOUTPUT","features":[12]},{"name":"DM_DISPLAYFLAGS","features":[12]},{"name":"DM_DISPLAYFREQUENCY","features":[12]},{"name":"DM_DISPLAYORIENTATION","features":[12]},{"name":"DM_DITHERTYPE","features":[12]},{"name":"DM_DUPLEX","features":[12]},{"name":"DM_FORMNAME","features":[12]},{"name":"DM_ICMINTENT","features":[12]},{"name":"DM_ICMMETHOD","features":[12]},{"name":"DM_INTERLACED","features":[12]},{"name":"DM_IN_BUFFER","features":[12]},{"name":"DM_IN_PROMPT","features":[12]},{"name":"DM_LOGPIXELS","features":[12]},{"name":"DM_MEDIATYPE","features":[12]},{"name":"DM_MODIFY","features":[12]},{"name":"DM_NUP","features":[12]},{"name":"DM_ORIENTATION","features":[12]},{"name":"DM_OUT_BUFFER","features":[12]},{"name":"DM_OUT_DEFAULT","features":[12]},{"name":"DM_PANNINGHEIGHT","features":[12]},{"name":"DM_PANNINGWIDTH","features":[12]},{"name":"DM_PAPERLENGTH","features":[12]},{"name":"DM_PAPERSIZE","features":[12]},{"name":"DM_PAPERWIDTH","features":[12]},{"name":"DM_PELSHEIGHT","features":[12]},{"name":"DM_PELSWIDTH","features":[12]},{"name":"DM_POSITION","features":[12]},{"name":"DM_PRINTQUALITY","features":[12]},{"name":"DM_PROMPT","features":[12]},{"name":"DM_SCALE","features":[12]},{"name":"DM_SPECVERSION","features":[12]},{"name":"DM_TTOPTION","features":[12]},{"name":"DM_UPDATE","features":[12]},{"name":"DM_YRESOLUTION","features":[12]},{"name":"DOWNLOADFACE","features":[12]},{"name":"DOWNLOADHEADER","features":[12]},{"name":"DPtoLP","features":[1,12]},{"name":"DRAFTMODE","features":[12]},{"name":"DRAFT_QUALITY","features":[12]},{"name":"DRAWEDGE_FLAGS","features":[12]},{"name":"DRAWPATTERNRECT","features":[12]},{"name":"DRAWSTATEPROC","features":[1,12]},{"name":"DRAWSTATE_FLAGS","features":[12]},{"name":"DRAWTEXTPARAMS","features":[12]},{"name":"DRAW_CAPTION_FLAGS","features":[12]},{"name":"DRAW_EDGE_FLAGS","features":[12]},{"name":"DRAW_TEXT_FORMAT","features":[12]},{"name":"DRIVERVERSION","features":[12]},{"name":"DSS_DISABLED","features":[12]},{"name":"DSS_HIDEPREFIX","features":[12]},{"name":"DSS_MONO","features":[12]},{"name":"DSS_NORMAL","features":[12]},{"name":"DSS_PREFIXONLY","features":[12]},{"name":"DSS_RIGHT","features":[12]},{"name":"DSS_UNION","features":[12]},{"name":"DSTINVERT","features":[12]},{"name":"DST_BITMAP","features":[12]},{"name":"DST_COMPLEX","features":[12]},{"name":"DST_ICON","features":[12]},{"name":"DST_PREFIXTEXT","features":[12]},{"name":"DST_TEXT","features":[12]},{"name":"DT_BOTTOM","features":[12]},{"name":"DT_CALCRECT","features":[12]},{"name":"DT_CENTER","features":[12]},{"name":"DT_CHARSTREAM","features":[12]},{"name":"DT_DISPFILE","features":[12]},{"name":"DT_EDITCONTROL","features":[12]},{"name":"DT_END_ELLIPSIS","features":[12]},{"name":"DT_EXPANDTABS","features":[12]},{"name":"DT_EXTERNALLEADING","features":[12]},{"name":"DT_HIDEPREFIX","features":[12]},{"name":"DT_INTERNAL","features":[12]},{"name":"DT_LEFT","features":[12]},{"name":"DT_METAFILE","features":[12]},{"name":"DT_MODIFYSTRING","features":[12]},{"name":"DT_NOCLIP","features":[12]},{"name":"DT_NOFULLWIDTHCHARBREAK","features":[12]},{"name":"DT_NOPREFIX","features":[12]},{"name":"DT_PATH_ELLIPSIS","features":[12]},{"name":"DT_PLOTTER","features":[12]},{"name":"DT_PREFIXONLY","features":[12]},{"name":"DT_RASCAMERA","features":[12]},{"name":"DT_RASDISPLAY","features":[12]},{"name":"DT_RASPRINTER","features":[12]},{"name":"DT_RIGHT","features":[12]},{"name":"DT_RTLREADING","features":[12]},{"name":"DT_SINGLELINE","features":[12]},{"name":"DT_TABSTOP","features":[12]},{"name":"DT_TOP","features":[12]},{"name":"DT_VCENTER","features":[12]},{"name":"DT_WORDBREAK","features":[12]},{"name":"DT_WORD_ELLIPSIS","features":[12]},{"name":"DeleteDC","features":[1,12]},{"name":"DeleteEnhMetaFile","features":[1,12]},{"name":"DeleteMetaFile","features":[1,12]},{"name":"DeleteObject","features":[1,12]},{"name":"DrawAnimatedRects","features":[1,12]},{"name":"DrawCaption","features":[1,12]},{"name":"DrawEdge","features":[1,12]},{"name":"DrawEscape","features":[12]},{"name":"DrawFocusRect","features":[1,12]},{"name":"DrawFrameControl","features":[1,12]},{"name":"DrawStateA","features":[1,12]},{"name":"DrawStateW","features":[1,12]},{"name":"DrawTextA","features":[1,12]},{"name":"DrawTextExA","features":[1,12]},{"name":"DrawTextExW","features":[1,12]},{"name":"DrawTextW","features":[1,12]},{"name":"EASTEUROPE_CHARSET","features":[12]},{"name":"EDGE_BUMP","features":[12]},{"name":"EDGE_ETCHED","features":[12]},{"name":"EDGE_RAISED","features":[12]},{"name":"EDGE_SUNKEN","features":[12]},{"name":"EDS_RAWMODE","features":[12]},{"name":"EDS_ROTATEDMODE","features":[12]},{"name":"ELF_CULTURE_LATIN","features":[12]},{"name":"ELF_VENDOR_SIZE","features":[12]},{"name":"ELF_VERSION","features":[12]},{"name":"EMBEDDED_FONT_PRIV_STATUS","features":[12]},{"name":"EMBED_EDITABLE","features":[12]},{"name":"EMBED_FONT_CHARSET","features":[12]},{"name":"EMBED_INSTALLABLE","features":[12]},{"name":"EMBED_NOEMBEDDING","features":[12]},{"name":"EMBED_PREVIEWPRINT","features":[12]},{"name":"EMR","features":[12]},{"name":"EMRALPHABLEND","features":[1,12]},{"name":"EMRANGLEARC","features":[1,12]},{"name":"EMRARC","features":[1,12]},{"name":"EMRBITBLT","features":[1,12]},{"name":"EMRCOLORCORRECTPALETTE","features":[12]},{"name":"EMRCOLORMATCHTOTARGET","features":[12]},{"name":"EMRCREATEBRUSHINDIRECT","features":[1,12]},{"name":"EMRCREATEDIBPATTERNBRUSHPT","features":[12]},{"name":"EMRCREATEMONOBRUSH","features":[12]},{"name":"EMRCREATEPALETTE","features":[12]},{"name":"EMRCREATEPEN","features":[1,12]},{"name":"EMRELLIPSE","features":[1,12]},{"name":"EMREOF","features":[12]},{"name":"EMREXCLUDECLIPRECT","features":[1,12]},{"name":"EMREXTCREATEFONTINDIRECTW","features":[12]},{"name":"EMREXTCREATEPEN","features":[1,12]},{"name":"EMREXTESCAPE","features":[12]},{"name":"EMREXTFLOODFILL","features":[1,12]},{"name":"EMREXTSELECTCLIPRGN","features":[12]},{"name":"EMREXTTEXTOUTA","features":[1,12]},{"name":"EMRFILLPATH","features":[1,12]},{"name":"EMRFILLRGN","features":[1,12]},{"name":"EMRFORMAT","features":[12]},{"name":"EMRFRAMERGN","features":[1,12]},{"name":"EMRGDICOMMENT","features":[12]},{"name":"EMRGLSBOUNDEDRECORD","features":[1,12]},{"name":"EMRGLSRECORD","features":[12]},{"name":"EMRGRADIENTFILL","features":[1,12]},{"name":"EMRINVERTRGN","features":[1,12]},{"name":"EMRLINETO","features":[1,12]},{"name":"EMRMASKBLT","features":[1,12]},{"name":"EMRMODIFYWORLDTRANSFORM","features":[12]},{"name":"EMRNAMEDESCAPE","features":[12]},{"name":"EMROFFSETCLIPRGN","features":[1,12]},{"name":"EMRPLGBLT","features":[1,12]},{"name":"EMRPOLYDRAW","features":[1,12]},{"name":"EMRPOLYDRAW16","features":[1,12]},{"name":"EMRPOLYLINE","features":[1,12]},{"name":"EMRPOLYLINE16","features":[1,12]},{"name":"EMRPOLYPOLYLINE","features":[1,12]},{"name":"EMRPOLYPOLYLINE16","features":[1,12]},{"name":"EMRPOLYTEXTOUTA","features":[1,12]},{"name":"EMRRESIZEPALETTE","features":[12]},{"name":"EMRRESTOREDC","features":[12]},{"name":"EMRROUNDRECT","features":[1,12]},{"name":"EMRSCALEVIEWPORTEXTEX","features":[12]},{"name":"EMRSELECTCLIPPATH","features":[12]},{"name":"EMRSELECTOBJECT","features":[12]},{"name":"EMRSELECTPALETTE","features":[12]},{"name":"EMRSETARCDIRECTION","features":[12]},{"name":"EMRSETCOLORADJUSTMENT","features":[12]},{"name":"EMRSETCOLORSPACE","features":[12]},{"name":"EMRSETDIBITSTODEVICE","features":[1,12]},{"name":"EMRSETICMPROFILE","features":[12]},{"name":"EMRSETMAPPERFLAGS","features":[12]},{"name":"EMRSETMITERLIMIT","features":[12]},{"name":"EMRSETPALETTEENTRIES","features":[12]},{"name":"EMRSETPIXELV","features":[1,12]},{"name":"EMRSETTEXTCOLOR","features":[1,12]},{"name":"EMRSETVIEWPORTEXTEX","features":[1,12]},{"name":"EMRSETVIEWPORTORGEX","features":[1,12]},{"name":"EMRSETWORLDTRANSFORM","features":[12]},{"name":"EMRSTRETCHBLT","features":[1,12]},{"name":"EMRSTRETCHDIBITS","features":[1,12]},{"name":"EMRTEXT","features":[1,12]},{"name":"EMRTRANSPARENTBLT","features":[1,12]},{"name":"EMR_ABORTPATH","features":[12]},{"name":"EMR_ALPHABLEND","features":[12]},{"name":"EMR_ANGLEARC","features":[12]},{"name":"EMR_ARC","features":[12]},{"name":"EMR_ARCTO","features":[12]},{"name":"EMR_BEGINPATH","features":[12]},{"name":"EMR_BITBLT","features":[12]},{"name":"EMR_CHORD","features":[12]},{"name":"EMR_CLOSEFIGURE","features":[12]},{"name":"EMR_COLORCORRECTPALETTE","features":[12]},{"name":"EMR_COLORMATCHTOTARGETW","features":[12]},{"name":"EMR_CREATEBRUSHINDIRECT","features":[12]},{"name":"EMR_CREATECOLORSPACE","features":[12]},{"name":"EMR_CREATECOLORSPACEW","features":[12]},{"name":"EMR_CREATEDIBPATTERNBRUSHPT","features":[12]},{"name":"EMR_CREATEMONOBRUSH","features":[12]},{"name":"EMR_CREATEPALETTE","features":[12]},{"name":"EMR_CREATEPEN","features":[12]},{"name":"EMR_DELETECOLORSPACE","features":[12]},{"name":"EMR_DELETEOBJECT","features":[12]},{"name":"EMR_ELLIPSE","features":[12]},{"name":"EMR_ENDPATH","features":[12]},{"name":"EMR_EOF","features":[12]},{"name":"EMR_EXCLUDECLIPRECT","features":[12]},{"name":"EMR_EXTCREATEFONTINDIRECTW","features":[12]},{"name":"EMR_EXTCREATEPEN","features":[12]},{"name":"EMR_EXTFLOODFILL","features":[12]},{"name":"EMR_EXTSELECTCLIPRGN","features":[12]},{"name":"EMR_EXTTEXTOUTA","features":[12]},{"name":"EMR_EXTTEXTOUTW","features":[12]},{"name":"EMR_FILLPATH","features":[12]},{"name":"EMR_FILLRGN","features":[12]},{"name":"EMR_FLATTENPATH","features":[12]},{"name":"EMR_FRAMERGN","features":[12]},{"name":"EMR_GDICOMMENT","features":[12]},{"name":"EMR_GLSBOUNDEDRECORD","features":[12]},{"name":"EMR_GLSRECORD","features":[12]},{"name":"EMR_GRADIENTFILL","features":[12]},{"name":"EMR_HEADER","features":[12]},{"name":"EMR_INTERSECTCLIPRECT","features":[12]},{"name":"EMR_INVERTRGN","features":[12]},{"name":"EMR_LINETO","features":[12]},{"name":"EMR_MASKBLT","features":[12]},{"name":"EMR_MAX","features":[12]},{"name":"EMR_MIN","features":[12]},{"name":"EMR_MODIFYWORLDTRANSFORM","features":[12]},{"name":"EMR_MOVETOEX","features":[12]},{"name":"EMR_OFFSETCLIPRGN","features":[12]},{"name":"EMR_PAINTRGN","features":[12]},{"name":"EMR_PIE","features":[12]},{"name":"EMR_PIXELFORMAT","features":[12]},{"name":"EMR_PLGBLT","features":[12]},{"name":"EMR_POLYBEZIER","features":[12]},{"name":"EMR_POLYBEZIER16","features":[12]},{"name":"EMR_POLYBEZIERTO","features":[12]},{"name":"EMR_POLYBEZIERTO16","features":[12]},{"name":"EMR_POLYDRAW","features":[12]},{"name":"EMR_POLYDRAW16","features":[12]},{"name":"EMR_POLYGON","features":[12]},{"name":"EMR_POLYGON16","features":[12]},{"name":"EMR_POLYLINE","features":[12]},{"name":"EMR_POLYLINE16","features":[12]},{"name":"EMR_POLYLINETO","features":[12]},{"name":"EMR_POLYLINETO16","features":[12]},{"name":"EMR_POLYPOLYGON","features":[12]},{"name":"EMR_POLYPOLYGON16","features":[12]},{"name":"EMR_POLYPOLYLINE","features":[12]},{"name":"EMR_POLYPOLYLINE16","features":[12]},{"name":"EMR_POLYTEXTOUTA","features":[12]},{"name":"EMR_POLYTEXTOUTW","features":[12]},{"name":"EMR_REALIZEPALETTE","features":[12]},{"name":"EMR_RECTANGLE","features":[12]},{"name":"EMR_RESERVED_105","features":[12]},{"name":"EMR_RESERVED_106","features":[12]},{"name":"EMR_RESERVED_107","features":[12]},{"name":"EMR_RESERVED_108","features":[12]},{"name":"EMR_RESERVED_109","features":[12]},{"name":"EMR_RESERVED_110","features":[12]},{"name":"EMR_RESERVED_117","features":[12]},{"name":"EMR_RESERVED_119","features":[12]},{"name":"EMR_RESERVED_120","features":[12]},{"name":"EMR_RESIZEPALETTE","features":[12]},{"name":"EMR_RESTOREDC","features":[12]},{"name":"EMR_ROUNDRECT","features":[12]},{"name":"EMR_SAVEDC","features":[12]},{"name":"EMR_SCALEVIEWPORTEXTEX","features":[12]},{"name":"EMR_SCALEWINDOWEXTEX","features":[12]},{"name":"EMR_SELECTCLIPPATH","features":[12]},{"name":"EMR_SELECTOBJECT","features":[12]},{"name":"EMR_SELECTPALETTE","features":[12]},{"name":"EMR_SETARCDIRECTION","features":[12]},{"name":"EMR_SETBKCOLOR","features":[12]},{"name":"EMR_SETBKMODE","features":[12]},{"name":"EMR_SETBRUSHORGEX","features":[12]},{"name":"EMR_SETCOLORADJUSTMENT","features":[12]},{"name":"EMR_SETCOLORSPACE","features":[12]},{"name":"EMR_SETDIBITSTODEVICE","features":[12]},{"name":"EMR_SETICMMODE","features":[12]},{"name":"EMR_SETICMPROFILEA","features":[12]},{"name":"EMR_SETICMPROFILEW","features":[12]},{"name":"EMR_SETLAYOUT","features":[12]},{"name":"EMR_SETMAPMODE","features":[12]},{"name":"EMR_SETMAPPERFLAGS","features":[12]},{"name":"EMR_SETMETARGN","features":[12]},{"name":"EMR_SETMITERLIMIT","features":[12]},{"name":"EMR_SETPALETTEENTRIES","features":[12]},{"name":"EMR_SETPIXELV","features":[12]},{"name":"EMR_SETPOLYFILLMODE","features":[12]},{"name":"EMR_SETROP2","features":[12]},{"name":"EMR_SETSTRETCHBLTMODE","features":[12]},{"name":"EMR_SETTEXTALIGN","features":[12]},{"name":"EMR_SETTEXTCOLOR","features":[12]},{"name":"EMR_SETVIEWPORTEXTEX","features":[12]},{"name":"EMR_SETVIEWPORTORGEX","features":[12]},{"name":"EMR_SETWINDOWEXTEX","features":[12]},{"name":"EMR_SETWINDOWORGEX","features":[12]},{"name":"EMR_SETWORLDTRANSFORM","features":[12]},{"name":"EMR_STRETCHBLT","features":[12]},{"name":"EMR_STRETCHDIBITS","features":[12]},{"name":"EMR_STROKEANDFILLPATH","features":[12]},{"name":"EMR_STROKEPATH","features":[12]},{"name":"EMR_TRANSPARENTBLT","features":[12]},{"name":"EMR_WIDENPATH","features":[12]},{"name":"ENABLEDUPLEX","features":[12]},{"name":"ENABLEPAIRKERNING","features":[12]},{"name":"ENABLERELATIVEWIDTHS","features":[12]},{"name":"ENCAPSULATED_POSTSCRIPT","features":[12]},{"name":"ENDDOC","features":[12]},{"name":"END_PATH","features":[12]},{"name":"ENHANCED_METAFILE_RECORD_TYPE","features":[12]},{"name":"ENHMETAHEADER","features":[1,12]},{"name":"ENHMETARECORD","features":[12]},{"name":"ENHMETA_SIGNATURE","features":[12]},{"name":"ENHMETA_STOCK_OBJECT","features":[12]},{"name":"ENHMFENUMPROC","features":[1,12]},{"name":"ENUMLOGFONTA","features":[12]},{"name":"ENUMLOGFONTEXA","features":[12]},{"name":"ENUMLOGFONTEXDVA","features":[12]},{"name":"ENUMLOGFONTEXDVW","features":[12]},{"name":"ENUMLOGFONTEXW","features":[12]},{"name":"ENUMLOGFONTW","features":[12]},{"name":"ENUMPAPERBINS","features":[12]},{"name":"ENUMPAPERMETRICS","features":[12]},{"name":"ENUM_CURRENT_SETTINGS","features":[12]},{"name":"ENUM_DISPLAY_SETTINGS_FLAGS","features":[12]},{"name":"ENUM_DISPLAY_SETTINGS_MODE","features":[12]},{"name":"ENUM_REGISTRY_SETTINGS","features":[12]},{"name":"EPSPRINTING","features":[12]},{"name":"EPS_SIGNATURE","features":[12]},{"name":"ERROR","features":[12]},{"name":"ERR_FORMAT","features":[12]},{"name":"ERR_GENERIC","features":[12]},{"name":"ERR_INVALID_BASE","features":[12]},{"name":"ERR_INVALID_CMAP","features":[12]},{"name":"ERR_INVALID_DELTA_FORMAT","features":[12]},{"name":"ERR_INVALID_EBLC","features":[12]},{"name":"ERR_INVALID_GDEF","features":[12]},{"name":"ERR_INVALID_GLYF","features":[12]},{"name":"ERR_INVALID_GPOS","features":[12]},{"name":"ERR_INVALID_GSUB","features":[12]},{"name":"ERR_INVALID_HDMX","features":[12]},{"name":"ERR_INVALID_HEAD","features":[12]},{"name":"ERR_INVALID_HHEA","features":[12]},{"name":"ERR_INVALID_HHEA_OR_VHEA","features":[12]},{"name":"ERR_INVALID_HMTX","features":[12]},{"name":"ERR_INVALID_HMTX_OR_VMTX","features":[12]},{"name":"ERR_INVALID_JSTF","features":[12]},{"name":"ERR_INVALID_LOCA","features":[12]},{"name":"ERR_INVALID_LTSH","features":[12]},{"name":"ERR_INVALID_MAXP","features":[12]},{"name":"ERR_INVALID_MERGE_CHECKSUMS","features":[12]},{"name":"ERR_INVALID_MERGE_FORMATS","features":[12]},{"name":"ERR_INVALID_MERGE_NUMGLYPHS","features":[12]},{"name":"ERR_INVALID_NAME","features":[12]},{"name":"ERR_INVALID_OS2","features":[12]},{"name":"ERR_INVALID_POST","features":[12]},{"name":"ERR_INVALID_TTC_INDEX","features":[12]},{"name":"ERR_INVALID_TTO","features":[12]},{"name":"ERR_INVALID_VDMX","features":[12]},{"name":"ERR_INVALID_VHEA","features":[12]},{"name":"ERR_INVALID_VMTX","features":[12]},{"name":"ERR_MEM","features":[12]},{"name":"ERR_MISSING_CMAP","features":[12]},{"name":"ERR_MISSING_EBDT","features":[12]},{"name":"ERR_MISSING_GLYF","features":[12]},{"name":"ERR_MISSING_HEAD","features":[12]},{"name":"ERR_MISSING_HHEA","features":[12]},{"name":"ERR_MISSING_HHEA_OR_VHEA","features":[12]},{"name":"ERR_MISSING_HMTX","features":[12]},{"name":"ERR_MISSING_HMTX_OR_VMTX","features":[12]},{"name":"ERR_MISSING_LOCA","features":[12]},{"name":"ERR_MISSING_MAXP","features":[12]},{"name":"ERR_MISSING_NAME","features":[12]},{"name":"ERR_MISSING_OS2","features":[12]},{"name":"ERR_MISSING_POST","features":[12]},{"name":"ERR_MISSING_VHEA","features":[12]},{"name":"ERR_MISSING_VMTX","features":[12]},{"name":"ERR_NOT_TTC","features":[12]},{"name":"ERR_NO_GLYPHS","features":[12]},{"name":"ERR_PARAMETER0","features":[12]},{"name":"ERR_PARAMETER1","features":[12]},{"name":"ERR_PARAMETER10","features":[12]},{"name":"ERR_PARAMETER11","features":[12]},{"name":"ERR_PARAMETER12","features":[12]},{"name":"ERR_PARAMETER13","features":[12]},{"name":"ERR_PARAMETER14","features":[12]},{"name":"ERR_PARAMETER15","features":[12]},{"name":"ERR_PARAMETER16","features":[12]},{"name":"ERR_PARAMETER2","features":[12]},{"name":"ERR_PARAMETER3","features":[12]},{"name":"ERR_PARAMETER4","features":[12]},{"name":"ERR_PARAMETER5","features":[12]},{"name":"ERR_PARAMETER6","features":[12]},{"name":"ERR_PARAMETER7","features":[12]},{"name":"ERR_PARAMETER8","features":[12]},{"name":"ERR_PARAMETER9","features":[12]},{"name":"ERR_READCONTROL","features":[12]},{"name":"ERR_READOUTOFBOUNDS","features":[12]},{"name":"ERR_VERSION","features":[12]},{"name":"ERR_WOULD_GROW","features":[12]},{"name":"ERR_WRITECONTROL","features":[12]},{"name":"ERR_WRITEOUTOFBOUNDS","features":[12]},{"name":"ETO_CLIPPED","features":[12]},{"name":"ETO_GLYPH_INDEX","features":[12]},{"name":"ETO_IGNORELANGUAGE","features":[12]},{"name":"ETO_NUMERICSLATIN","features":[12]},{"name":"ETO_NUMERICSLOCAL","features":[12]},{"name":"ETO_OPAQUE","features":[12]},{"name":"ETO_OPTIONS","features":[12]},{"name":"ETO_PDY","features":[12]},{"name":"ETO_REVERSE_INDEX_MAP","features":[12]},{"name":"ETO_RTLREADING","features":[12]},{"name":"EXTLOGFONTA","features":[12]},{"name":"EXTLOGFONTW","features":[12]},{"name":"EXTLOGPEN","features":[1,12]},{"name":"EXTLOGPEN32","features":[1,12]},{"name":"EXTTEXTOUT","features":[12]},{"name":"EXT_DEVICE_CAPS","features":[12]},{"name":"EXT_FLOOD_FILL_TYPE","features":[12]},{"name":"E_ADDFONTFAILED","features":[12]},{"name":"E_API_NOTIMPL","features":[12]},{"name":"E_CHARCODECOUNTINVALID","features":[12]},{"name":"E_CHARCODESETINVALID","features":[12]},{"name":"E_CHARSETINVALID","features":[12]},{"name":"E_COULDNTCREATETEMPFILE","features":[12]},{"name":"E_DEVICETRUETYPEFONT","features":[12]},{"name":"E_ERRORACCESSINGEXCLUDELIST","features":[12]},{"name":"E_ERRORACCESSINGFACENAME","features":[12]},{"name":"E_ERRORACCESSINGFONTDATA","features":[12]},{"name":"E_ERRORCOMPRESSINGFONTDATA","features":[12]},{"name":"E_ERRORCONVERTINGCHARS","features":[12]},{"name":"E_ERRORCREATINGFONTFILE","features":[12]},{"name":"E_ERRORDECOMPRESSINGFONTDATA","features":[12]},{"name":"E_ERROREXPANDINGFONTDATA","features":[12]},{"name":"E_ERRORGETTINGDC","features":[12]},{"name":"E_ERRORREADINGFONTDATA","features":[12]},{"name":"E_ERRORUNICODECONVERSION","features":[12]},{"name":"E_EXCEPTION","features":[12]},{"name":"E_EXCEPTIONINCOMPRESSION","features":[12]},{"name":"E_EXCEPTIONINDECOMPRESSION","features":[12]},{"name":"E_FACENAMEINVALID","features":[12]},{"name":"E_FILE_NOT_FOUND","features":[12]},{"name":"E_FLAGSINVALID","features":[12]},{"name":"E_FONTALREADYEXISTS","features":[12]},{"name":"E_FONTDATAINVALID","features":[12]},{"name":"E_FONTFAMILYNAMENOTINFULL","features":[12]},{"name":"E_FONTFILECREATEFAILED","features":[12]},{"name":"E_FONTFILENOTFOUND","features":[12]},{"name":"E_FONTINSTALLFAILED","features":[12]},{"name":"E_FONTNAMEALREADYEXISTS","features":[12]},{"name":"E_FONTNOTEMBEDDABLE","features":[12]},{"name":"E_FONTREFERENCEINVALID","features":[12]},{"name":"E_FONTVARIATIONSIMULATED","features":[12]},{"name":"E_HDCINVALID","features":[12]},{"name":"E_INPUTPARAMINVALID","features":[12]},{"name":"E_NAMECHANGEFAILED","features":[12]},{"name":"E_NOFREEMEMORY","features":[12]},{"name":"E_NONE","features":[12]},{"name":"E_NOOS2","features":[12]},{"name":"E_NOTATRUETYPEFONT","features":[12]},{"name":"E_PBENABLEDINVALID","features":[12]},{"name":"E_PERMISSIONSINVALID","features":[12]},{"name":"E_PRIVSINVALID","features":[12]},{"name":"E_PRIVSTATUSINVALID","features":[12]},{"name":"E_READFROMSTREAMFAILED","features":[12]},{"name":"E_RESERVEDPARAMNOTNULL","features":[12]},{"name":"E_RESOURCEFILECREATEFAILED","features":[12]},{"name":"E_SAVETOSTREAMFAILED","features":[12]},{"name":"E_STATUSINVALID","features":[12]},{"name":"E_STREAMINVALID","features":[12]},{"name":"E_SUBSETTINGEXCEPTION","features":[12]},{"name":"E_SUBSETTINGFAILED","features":[12]},{"name":"E_SUBSTRING_TEST_FAIL","features":[12]},{"name":"E_T2NOFREEMEMORY","features":[12]},{"name":"E_TTC_INDEX_OUT_OF_RANGE","features":[12]},{"name":"E_WINDOWSAPI","features":[12]},{"name":"Ellipse","features":[1,12]},{"name":"EndPaint","features":[1,12]},{"name":"EndPath","features":[1,12]},{"name":"EnumDisplayDevicesA","features":[1,12]},{"name":"EnumDisplayDevicesW","features":[1,12]},{"name":"EnumDisplayMonitors","features":[1,12]},{"name":"EnumDisplaySettingsA","features":[1,12]},{"name":"EnumDisplaySettingsExA","features":[1,12]},{"name":"EnumDisplaySettingsExW","features":[1,12]},{"name":"EnumDisplaySettingsW","features":[1,12]},{"name":"EnumEnhMetaFile","features":[1,12]},{"name":"EnumFontFamiliesA","features":[1,12]},{"name":"EnumFontFamiliesExA","features":[1,12]},{"name":"EnumFontFamiliesExW","features":[1,12]},{"name":"EnumFontFamiliesW","features":[1,12]},{"name":"EnumFontsA","features":[1,12]},{"name":"EnumFontsW","features":[1,12]},{"name":"EnumMetaFile","features":[1,12]},{"name":"EnumObjects","features":[1,12]},{"name":"EqualRect","features":[1,12]},{"name":"EqualRgn","features":[1,12]},{"name":"ExcludeClipRect","features":[12]},{"name":"ExcludeUpdateRgn","features":[1,12]},{"name":"ExtCreatePen","features":[1,12]},{"name":"ExtCreateRegion","features":[1,12]},{"name":"ExtFloodFill","features":[1,12]},{"name":"ExtSelectClipRgn","features":[12]},{"name":"ExtTextOutA","features":[1,12]},{"name":"ExtTextOutW","features":[1,12]},{"name":"FEATURESETTING_CUSTPAPER","features":[12]},{"name":"FEATURESETTING_MIRROR","features":[12]},{"name":"FEATURESETTING_NEGATIVE","features":[12]},{"name":"FEATURESETTING_NUP","features":[12]},{"name":"FEATURESETTING_OUTPUT","features":[12]},{"name":"FEATURESETTING_PRIVATE_BEGIN","features":[12]},{"name":"FEATURESETTING_PRIVATE_END","features":[12]},{"name":"FEATURESETTING_PROTOCOL","features":[12]},{"name":"FEATURESETTING_PSLEVEL","features":[12]},{"name":"FF_DECORATIVE","features":[12]},{"name":"FF_DONTCARE","features":[12]},{"name":"FF_MODERN","features":[12]},{"name":"FF_ROMAN","features":[12]},{"name":"FF_SCRIPT","features":[12]},{"name":"FF_SWISS","features":[12]},{"name":"FIXED","features":[12]},{"name":"FIXED_PITCH","features":[12]},{"name":"FLI_GLYPHS","features":[12]},{"name":"FLI_MASK","features":[12]},{"name":"FLOODFILLBORDER","features":[12]},{"name":"FLOODFILLSURFACE","features":[12]},{"name":"FLUSHOUTPUT","features":[12]},{"name":"FONTENUMPROCA","features":[1,12]},{"name":"FONTENUMPROCW","features":[1,12]},{"name":"FONTMAPPER_MAX","features":[12]},{"name":"FONT_CHARSET","features":[12]},{"name":"FONT_CLIP_PRECISION","features":[12]},{"name":"FONT_FAMILY","features":[12]},{"name":"FONT_LICENSE_PRIVS","features":[12]},{"name":"FONT_OUTPUT_PRECISION","features":[12]},{"name":"FONT_PITCH","features":[12]},{"name":"FONT_QUALITY","features":[12]},{"name":"FONT_RESOURCE_CHARACTERISTICS","features":[12]},{"name":"FONT_WEIGHT","features":[12]},{"name":"FR_NOT_ENUM","features":[12]},{"name":"FR_PRIVATE","features":[12]},{"name":"FS_ARABIC","features":[12]},{"name":"FS_BALTIC","features":[12]},{"name":"FS_CHINESESIMP","features":[12]},{"name":"FS_CHINESETRAD","features":[12]},{"name":"FS_CYRILLIC","features":[12]},{"name":"FS_GREEK","features":[12]},{"name":"FS_HEBREW","features":[12]},{"name":"FS_JISJAPAN","features":[12]},{"name":"FS_JOHAB","features":[12]},{"name":"FS_LATIN1","features":[12]},{"name":"FS_LATIN2","features":[12]},{"name":"FS_SYMBOL","features":[12]},{"name":"FS_THAI","features":[12]},{"name":"FS_TURKISH","features":[12]},{"name":"FS_VIETNAMESE","features":[12]},{"name":"FS_WANSUNG","features":[12]},{"name":"FW_BLACK","features":[12]},{"name":"FW_BOLD","features":[12]},{"name":"FW_DEMIBOLD","features":[12]},{"name":"FW_DONTCARE","features":[12]},{"name":"FW_EXTRABOLD","features":[12]},{"name":"FW_EXTRALIGHT","features":[12]},{"name":"FW_HEAVY","features":[12]},{"name":"FW_LIGHT","features":[12]},{"name":"FW_MEDIUM","features":[12]},{"name":"FW_NORMAL","features":[12]},{"name":"FW_REGULAR","features":[12]},{"name":"FW_SEMIBOLD","features":[12]},{"name":"FW_THIN","features":[12]},{"name":"FW_ULTRABOLD","features":[12]},{"name":"FW_ULTRALIGHT","features":[12]},{"name":"FillPath","features":[1,12]},{"name":"FillRect","features":[1,12]},{"name":"FillRgn","features":[1,12]},{"name":"FixBrushOrgEx","features":[1,12]},{"name":"FlattenPath","features":[1,12]},{"name":"FloodFill","features":[1,12]},{"name":"FrameRect","features":[1,12]},{"name":"FrameRgn","features":[1,12]},{"name":"GB2312_CHARSET","features":[12]},{"name":"GCPCLASS_ARABIC","features":[12]},{"name":"GCPCLASS_HEBREW","features":[12]},{"name":"GCPCLASS_LATIN","features":[12]},{"name":"GCPCLASS_LATINNUMBER","features":[12]},{"name":"GCPCLASS_LATINNUMERICSEPARATOR","features":[12]},{"name":"GCPCLASS_LATINNUMERICTERMINATOR","features":[12]},{"name":"GCPCLASS_LOCALNUMBER","features":[12]},{"name":"GCPCLASS_NEUTRAL","features":[12]},{"name":"GCPCLASS_NUMERICSEPARATOR","features":[12]},{"name":"GCPCLASS_POSTBOUNDLTR","features":[12]},{"name":"GCPCLASS_POSTBOUNDRTL","features":[12]},{"name":"GCPCLASS_PREBOUNDLTR","features":[12]},{"name":"GCPCLASS_PREBOUNDRTL","features":[12]},{"name":"GCPGLYPH_LINKAFTER","features":[12]},{"name":"GCPGLYPH_LINKBEFORE","features":[12]},{"name":"GCP_CLASSIN","features":[12]},{"name":"GCP_DBCS","features":[12]},{"name":"GCP_DIACRITIC","features":[12]},{"name":"GCP_DISPLAYZWG","features":[12]},{"name":"GCP_ERROR","features":[12]},{"name":"GCP_GLYPHSHAPE","features":[12]},{"name":"GCP_JUSTIFY","features":[12]},{"name":"GCP_JUSTIFYIN","features":[12]},{"name":"GCP_KASHIDA","features":[12]},{"name":"GCP_LIGATE","features":[12]},{"name":"GCP_MAXEXTENT","features":[12]},{"name":"GCP_NEUTRALOVERRIDE","features":[12]},{"name":"GCP_NUMERICOVERRIDE","features":[12]},{"name":"GCP_NUMERICSLATIN","features":[12]},{"name":"GCP_NUMERICSLOCAL","features":[12]},{"name":"GCP_REORDER","features":[12]},{"name":"GCP_RESULTSA","features":[12]},{"name":"GCP_RESULTSW","features":[12]},{"name":"GCP_SYMSWAPOFF","features":[12]},{"name":"GCP_USEKERNING","features":[12]},{"name":"GDICOMMENT_BEGINGROUP","features":[12]},{"name":"GDICOMMENT_ENDGROUP","features":[12]},{"name":"GDICOMMENT_IDENTIFIER","features":[12]},{"name":"GDICOMMENT_MULTIFORMATS","features":[12]},{"name":"GDICOMMENT_UNICODE_END","features":[12]},{"name":"GDICOMMENT_UNICODE_STRING","features":[12]},{"name":"GDICOMMENT_WINDOWS_METAFILE","features":[12]},{"name":"GDIPLUS_TS_QUERYVER","features":[12]},{"name":"GDIPLUS_TS_RECORD","features":[12]},{"name":"GDIREGISTERDDRAWPACKETVERSION","features":[12]},{"name":"GDI_ERROR","features":[12]},{"name":"GDI_REGION_TYPE","features":[12]},{"name":"GETCOLORTABLE","features":[12]},{"name":"GETDEVICEUNITS","features":[12]},{"name":"GETEXTENDEDTEXTMETRICS","features":[12]},{"name":"GETEXTENTTABLE","features":[12]},{"name":"GETFACENAME","features":[12]},{"name":"GETPAIRKERNTABLE","features":[12]},{"name":"GETPENWIDTH","features":[12]},{"name":"GETPHYSPAGESIZE","features":[12]},{"name":"GETPRINTINGOFFSET","features":[12]},{"name":"GETSCALINGFACTOR","features":[12]},{"name":"GETSETPAPERBINS","features":[12]},{"name":"GETSETPAPERMETRICS","features":[12]},{"name":"GETSETPRINTORIENT","features":[12]},{"name":"GETSETSCREENPARAMS","features":[12]},{"name":"GETTECHNOLGY","features":[12]},{"name":"GETTECHNOLOGY","features":[12]},{"name":"GETTRACKKERNTABLE","features":[12]},{"name":"GETVECTORBRUSHSIZE","features":[12]},{"name":"GETVECTORPENSIZE","features":[12]},{"name":"GET_CHARACTER_PLACEMENT_FLAGS","features":[12]},{"name":"GET_DCX_FLAGS","features":[12]},{"name":"GET_DEVICE_CAPS_INDEX","features":[12]},{"name":"GET_GLYPH_OUTLINE_FORMAT","features":[12]},{"name":"GET_PS_FEATURESETTING","features":[12]},{"name":"GET_STOCK_OBJECT_FLAGS","features":[12]},{"name":"GGI_MARK_NONEXISTING_GLYPHS","features":[12]},{"name":"GGO_BEZIER","features":[12]},{"name":"GGO_BITMAP","features":[12]},{"name":"GGO_GLYPH_INDEX","features":[12]},{"name":"GGO_GRAY2_BITMAP","features":[12]},{"name":"GGO_GRAY4_BITMAP","features":[12]},{"name":"GGO_GRAY8_BITMAP","features":[12]},{"name":"GGO_METRICS","features":[12]},{"name":"GGO_NATIVE","features":[12]},{"name":"GGO_UNHINTED","features":[12]},{"name":"GLYPHMETRICS","features":[1,12]},{"name":"GLYPHSET","features":[12]},{"name":"GM_ADVANCED","features":[12]},{"name":"GM_COMPATIBLE","features":[12]},{"name":"GM_LAST","features":[12]},{"name":"GOBJENUMPROC","features":[1,12]},{"name":"GRADIENT_FILL","features":[12]},{"name":"GRADIENT_FILL_OP_FLAG","features":[12]},{"name":"GRADIENT_FILL_RECT_H","features":[12]},{"name":"GRADIENT_FILL_RECT_V","features":[12]},{"name":"GRADIENT_FILL_TRIANGLE","features":[12]},{"name":"GRADIENT_RECT","features":[12]},{"name":"GRADIENT_TRIANGLE","features":[12]},{"name":"GRAPHICS_MODE","features":[12]},{"name":"GRAYSTRINGPROC","features":[1,12]},{"name":"GRAY_BRUSH","features":[12]},{"name":"GREEK_CHARSET","features":[12]},{"name":"GS_8BIT_INDICES","features":[12]},{"name":"GdiAlphaBlend","features":[1,12]},{"name":"GdiComment","features":[1,12]},{"name":"GdiFlush","features":[1,12]},{"name":"GdiGetBatchLimit","features":[12]},{"name":"GdiGradientFill","features":[1,12]},{"name":"GdiSetBatchLimit","features":[12]},{"name":"GdiTransparentBlt","features":[1,12]},{"name":"GetArcDirection","features":[12]},{"name":"GetAspectRatioFilterEx","features":[1,12]},{"name":"GetBitmapBits","features":[12]},{"name":"GetBitmapDimensionEx","features":[1,12]},{"name":"GetBkColor","features":[1,12]},{"name":"GetBkMode","features":[12]},{"name":"GetBoundsRect","features":[1,12]},{"name":"GetBrushOrgEx","features":[1,12]},{"name":"GetCharABCWidthsA","features":[1,12]},{"name":"GetCharABCWidthsFloatA","features":[1,12]},{"name":"GetCharABCWidthsFloatW","features":[1,12]},{"name":"GetCharABCWidthsI","features":[1,12]},{"name":"GetCharABCWidthsW","features":[1,12]},{"name":"GetCharWidth32A","features":[1,12]},{"name":"GetCharWidth32W","features":[1,12]},{"name":"GetCharWidthA","features":[1,12]},{"name":"GetCharWidthFloatA","features":[1,12]},{"name":"GetCharWidthFloatW","features":[1,12]},{"name":"GetCharWidthI","features":[1,12]},{"name":"GetCharWidthW","features":[1,12]},{"name":"GetCharacterPlacementA","features":[12]},{"name":"GetCharacterPlacementW","features":[12]},{"name":"GetClipBox","features":[1,12]},{"name":"GetClipRgn","features":[12]},{"name":"GetColorAdjustment","features":[1,12]},{"name":"GetCurrentObject","features":[12]},{"name":"GetCurrentPositionEx","features":[1,12]},{"name":"GetDC","features":[1,12]},{"name":"GetDCBrushColor","features":[1,12]},{"name":"GetDCEx","features":[1,12]},{"name":"GetDCOrgEx","features":[1,12]},{"name":"GetDCPenColor","features":[1,12]},{"name":"GetDIBColorTable","features":[12]},{"name":"GetDIBits","features":[12]},{"name":"GetDeviceCaps","features":[12]},{"name":"GetEnhMetaFileA","features":[12]},{"name":"GetEnhMetaFileBits","features":[12]},{"name":"GetEnhMetaFileDescriptionA","features":[12]},{"name":"GetEnhMetaFileDescriptionW","features":[12]},{"name":"GetEnhMetaFileHeader","features":[1,12]},{"name":"GetEnhMetaFilePaletteEntries","features":[12]},{"name":"GetEnhMetaFileW","features":[12]},{"name":"GetFontData","features":[12]},{"name":"GetFontLanguageInfo","features":[12]},{"name":"GetFontUnicodeRanges","features":[12]},{"name":"GetGlyphIndicesA","features":[12]},{"name":"GetGlyphIndicesW","features":[12]},{"name":"GetGlyphOutlineA","features":[1,12]},{"name":"GetGlyphOutlineW","features":[1,12]},{"name":"GetGraphicsMode","features":[12]},{"name":"GetKerningPairsA","features":[12]},{"name":"GetKerningPairsW","features":[12]},{"name":"GetLayout","features":[12]},{"name":"GetMapMode","features":[12]},{"name":"GetMetaFileA","features":[12]},{"name":"GetMetaFileBitsEx","features":[12]},{"name":"GetMetaFileW","features":[12]},{"name":"GetMetaRgn","features":[12]},{"name":"GetMiterLimit","features":[1,12]},{"name":"GetMonitorInfoA","features":[1,12]},{"name":"GetMonitorInfoW","features":[1,12]},{"name":"GetNearestColor","features":[1,12]},{"name":"GetNearestPaletteIndex","features":[1,12]},{"name":"GetObjectA","features":[12]},{"name":"GetObjectType","features":[12]},{"name":"GetObjectW","features":[12]},{"name":"GetOutlineTextMetricsA","features":[1,12]},{"name":"GetOutlineTextMetricsW","features":[1,12]},{"name":"GetPaletteEntries","features":[12]},{"name":"GetPath","features":[1,12]},{"name":"GetPixel","features":[1,12]},{"name":"GetPolyFillMode","features":[12]},{"name":"GetROP2","features":[12]},{"name":"GetRandomRgn","features":[12]},{"name":"GetRasterizerCaps","features":[1,12]},{"name":"GetRegionData","features":[1,12]},{"name":"GetRgnBox","features":[1,12]},{"name":"GetStockObject","features":[12]},{"name":"GetStretchBltMode","features":[12]},{"name":"GetSysColor","features":[12]},{"name":"GetSysColorBrush","features":[12]},{"name":"GetSystemPaletteEntries","features":[12]},{"name":"GetSystemPaletteUse","features":[12]},{"name":"GetTabbedTextExtentA","features":[12]},{"name":"GetTabbedTextExtentW","features":[12]},{"name":"GetTextAlign","features":[12]},{"name":"GetTextCharacterExtra","features":[12]},{"name":"GetTextColor","features":[1,12]},{"name":"GetTextExtentExPointA","features":[1,12]},{"name":"GetTextExtentExPointI","features":[1,12]},{"name":"GetTextExtentExPointW","features":[1,12]},{"name":"GetTextExtentPoint32A","features":[1,12]},{"name":"GetTextExtentPoint32W","features":[1,12]},{"name":"GetTextExtentPointA","features":[1,12]},{"name":"GetTextExtentPointI","features":[1,12]},{"name":"GetTextExtentPointW","features":[1,12]},{"name":"GetTextFaceA","features":[12]},{"name":"GetTextFaceW","features":[12]},{"name":"GetTextMetricsA","features":[1,12]},{"name":"GetTextMetricsW","features":[1,12]},{"name":"GetUpdateRect","features":[1,12]},{"name":"GetUpdateRgn","features":[1,12]},{"name":"GetViewportExtEx","features":[1,12]},{"name":"GetViewportOrgEx","features":[1,12]},{"name":"GetWinMetaFileBits","features":[12]},{"name":"GetWindowDC","features":[1,12]},{"name":"GetWindowExtEx","features":[1,12]},{"name":"GetWindowOrgEx","features":[1,12]},{"name":"GetWindowRgn","features":[1,12]},{"name":"GetWindowRgnBox","features":[1,12]},{"name":"GetWorldTransform","features":[1,12]},{"name":"GradientFill","features":[1,12]},{"name":"GrayStringA","features":[1,12]},{"name":"GrayStringW","features":[1,12]},{"name":"HALFTONE","features":[12]},{"name":"HANDLETABLE","features":[12]},{"name":"HANGEUL_CHARSET","features":[12]},{"name":"HANGUL_CHARSET","features":[12]},{"name":"HATCH_BRUSH_STYLE","features":[12]},{"name":"HBITMAP","features":[12]},{"name":"HBRUSH","features":[12]},{"name":"HDC","features":[12]},{"name":"HDC_MAP_MODE","features":[12]},{"name":"HEBREW_CHARSET","features":[12]},{"name":"HENHMETAFILE","features":[12]},{"name":"HFONT","features":[12]},{"name":"HGDIOBJ","features":[12]},{"name":"HMETAFILE","features":[12]},{"name":"HMONITOR","features":[12]},{"name":"HOLLOW_BRUSH","features":[12]},{"name":"HORZRES","features":[12]},{"name":"HORZSIZE","features":[12]},{"name":"HPALETTE","features":[12]},{"name":"HPEN","features":[12]},{"name":"HRGN","features":[12]},{"name":"HS_API_MAX","features":[12]},{"name":"HS_BDIAGONAL","features":[12]},{"name":"HS_CROSS","features":[12]},{"name":"HS_DIAGCROSS","features":[12]},{"name":"HS_FDIAGONAL","features":[12]},{"name":"HS_HORIZONTAL","features":[12]},{"name":"HS_VERTICAL","features":[12]},{"name":"ILLUMINANT_A","features":[12]},{"name":"ILLUMINANT_B","features":[12]},{"name":"ILLUMINANT_C","features":[12]},{"name":"ILLUMINANT_D50","features":[12]},{"name":"ILLUMINANT_D55","features":[12]},{"name":"ILLUMINANT_D65","features":[12]},{"name":"ILLUMINANT_D75","features":[12]},{"name":"ILLUMINANT_DAYLIGHT","features":[12]},{"name":"ILLUMINANT_DEVICE_DEFAULT","features":[12]},{"name":"ILLUMINANT_F2","features":[12]},{"name":"ILLUMINANT_FLUORESCENT","features":[12]},{"name":"ILLUMINANT_MAX_INDEX","features":[12]},{"name":"ILLUMINANT_NTSC","features":[12]},{"name":"ILLUMINANT_TUNGSTEN","features":[12]},{"name":"InflateRect","features":[1,12]},{"name":"IntersectClipRect","features":[12]},{"name":"IntersectRect","features":[1,12]},{"name":"InvalidateRect","features":[1,12]},{"name":"InvalidateRgn","features":[1,12]},{"name":"InvertRect","features":[1,12]},{"name":"InvertRgn","features":[1,12]},{"name":"IsRectEmpty","features":[1,12]},{"name":"JOHAB_CHARSET","features":[12]},{"name":"KERNINGPAIR","features":[12]},{"name":"LAYOUT_BITMAPORIENTATIONPRESERVED","features":[12]},{"name":"LAYOUT_BTT","features":[12]},{"name":"LAYOUT_RTL","features":[12]},{"name":"LAYOUT_VBH","features":[12]},{"name":"LCS_GM_ABS_COLORIMETRIC","features":[12]},{"name":"LCS_GM_BUSINESS","features":[12]},{"name":"LCS_GM_GRAPHICS","features":[12]},{"name":"LCS_GM_IMAGES","features":[12]},{"name":"LC_INTERIORS","features":[12]},{"name":"LC_MARKER","features":[12]},{"name":"LC_NONE","features":[12]},{"name":"LC_POLYLINE","features":[12]},{"name":"LC_POLYMARKER","features":[12]},{"name":"LC_STYLED","features":[12]},{"name":"LC_WIDE","features":[12]},{"name":"LC_WIDESTYLED","features":[12]},{"name":"LF_FACESIZE","features":[12]},{"name":"LF_FULLFACESIZE","features":[12]},{"name":"LICENSE_DEFAULT","features":[12]},{"name":"LICENSE_EDITABLE","features":[12]},{"name":"LICENSE_INSTALLABLE","features":[12]},{"name":"LICENSE_NOEMBEDDING","features":[12]},{"name":"LICENSE_PREVIEWPRINT","features":[12]},{"name":"LINECAPS","features":[12]},{"name":"LINEDDAPROC","features":[1,12]},{"name":"LOGBRUSH","features":[1,12]},{"name":"LOGBRUSH32","features":[1,12]},{"name":"LOGFONTA","features":[12]},{"name":"LOGFONTW","features":[12]},{"name":"LOGPALETTE","features":[12]},{"name":"LOGPEN","features":[1,12]},{"name":"LOGPIXELSX","features":[12]},{"name":"LOGPIXELSY","features":[12]},{"name":"LPD_DOUBLEBUFFER","features":[12]},{"name":"LPD_SHARE_ACCUM","features":[12]},{"name":"LPD_SHARE_DEPTH","features":[12]},{"name":"LPD_SHARE_STENCIL","features":[12]},{"name":"LPD_STEREO","features":[12]},{"name":"LPD_SUPPORT_GDI","features":[12]},{"name":"LPD_SUPPORT_OPENGL","features":[12]},{"name":"LPD_SWAP_COPY","features":[12]},{"name":"LPD_SWAP_EXCHANGE","features":[12]},{"name":"LPD_TRANSPARENT","features":[12]},{"name":"LPD_TYPE_COLORINDEX","features":[12]},{"name":"LPD_TYPE_RGBA","features":[12]},{"name":"LPFNDEVCAPS","features":[1,12]},{"name":"LPFNDEVMODE","features":[1,12]},{"name":"LPtoDP","features":[1,12]},{"name":"LTGRAY_BRUSH","features":[12]},{"name":"LineDDA","features":[1,12]},{"name":"LineTo","features":[1,12]},{"name":"LoadBitmapA","features":[1,12]},{"name":"LoadBitmapW","features":[1,12]},{"name":"LockWindowUpdate","features":[1,12]},{"name":"MAC_CHARSET","features":[12]},{"name":"MAT2","features":[12]},{"name":"MAXSTRETCHBLTMODE","features":[12]},{"name":"MERGECOPY","features":[12]},{"name":"MERGEPAINT","features":[12]},{"name":"METAFILE_DRIVER","features":[12]},{"name":"METAHEADER","features":[12]},{"name":"METARECORD","features":[12]},{"name":"META_ANIMATEPALETTE","features":[12]},{"name":"META_ARC","features":[12]},{"name":"META_BITBLT","features":[12]},{"name":"META_CHORD","features":[12]},{"name":"META_CREATEBRUSHINDIRECT","features":[12]},{"name":"META_CREATEFONTINDIRECT","features":[12]},{"name":"META_CREATEPALETTE","features":[12]},{"name":"META_CREATEPATTERNBRUSH","features":[12]},{"name":"META_CREATEPENINDIRECT","features":[12]},{"name":"META_CREATEREGION","features":[12]},{"name":"META_DELETEOBJECT","features":[12]},{"name":"META_DIBBITBLT","features":[12]},{"name":"META_DIBCREATEPATTERNBRUSH","features":[12]},{"name":"META_DIBSTRETCHBLT","features":[12]},{"name":"META_ELLIPSE","features":[12]},{"name":"META_ESCAPE","features":[12]},{"name":"META_EXCLUDECLIPRECT","features":[12]},{"name":"META_EXTFLOODFILL","features":[12]},{"name":"META_EXTTEXTOUT","features":[12]},{"name":"META_FILLREGION","features":[12]},{"name":"META_FLOODFILL","features":[12]},{"name":"META_FRAMEREGION","features":[12]},{"name":"META_INTERSECTCLIPRECT","features":[12]},{"name":"META_INVERTREGION","features":[12]},{"name":"META_LINETO","features":[12]},{"name":"META_MOVETO","features":[12]},{"name":"META_OFFSETCLIPRGN","features":[12]},{"name":"META_OFFSETVIEWPORTORG","features":[12]},{"name":"META_OFFSETWINDOWORG","features":[12]},{"name":"META_PAINTREGION","features":[12]},{"name":"META_PATBLT","features":[12]},{"name":"META_PIE","features":[12]},{"name":"META_POLYGON","features":[12]},{"name":"META_POLYLINE","features":[12]},{"name":"META_POLYPOLYGON","features":[12]},{"name":"META_REALIZEPALETTE","features":[12]},{"name":"META_RECTANGLE","features":[12]},{"name":"META_RESIZEPALETTE","features":[12]},{"name":"META_RESTOREDC","features":[12]},{"name":"META_ROUNDRECT","features":[12]},{"name":"META_SAVEDC","features":[12]},{"name":"META_SCALEVIEWPORTEXT","features":[12]},{"name":"META_SCALEWINDOWEXT","features":[12]},{"name":"META_SELECTCLIPREGION","features":[12]},{"name":"META_SELECTOBJECT","features":[12]},{"name":"META_SELECTPALETTE","features":[12]},{"name":"META_SETBKCOLOR","features":[12]},{"name":"META_SETBKMODE","features":[12]},{"name":"META_SETDIBTODEV","features":[12]},{"name":"META_SETLAYOUT","features":[12]},{"name":"META_SETMAPMODE","features":[12]},{"name":"META_SETMAPPERFLAGS","features":[12]},{"name":"META_SETPALENTRIES","features":[12]},{"name":"META_SETPIXEL","features":[12]},{"name":"META_SETPOLYFILLMODE","features":[12]},{"name":"META_SETRELABS","features":[12]},{"name":"META_SETROP2","features":[12]},{"name":"META_SETSTRETCHBLTMODE","features":[12]},{"name":"META_SETTEXTALIGN","features":[12]},{"name":"META_SETTEXTCHAREXTRA","features":[12]},{"name":"META_SETTEXTCOLOR","features":[12]},{"name":"META_SETTEXTJUSTIFICATION","features":[12]},{"name":"META_SETVIEWPORTEXT","features":[12]},{"name":"META_SETVIEWPORTORG","features":[12]},{"name":"META_SETWINDOWEXT","features":[12]},{"name":"META_SETWINDOWORG","features":[12]},{"name":"META_STRETCHBLT","features":[12]},{"name":"META_STRETCHDIB","features":[12]},{"name":"META_TEXTOUT","features":[12]},{"name":"MFCOMMENT","features":[12]},{"name":"MFENUMPROC","features":[1,12]},{"name":"MILCORE_TS_QUERYVER_RESULT_FALSE","features":[12]},{"name":"MILCORE_TS_QUERYVER_RESULT_TRUE","features":[12]},{"name":"MM_ANISOTROPIC","features":[12]},{"name":"MM_HIENGLISH","features":[12]},{"name":"MM_HIMETRIC","features":[12]},{"name":"MM_ISOTROPIC","features":[12]},{"name":"MM_LOENGLISH","features":[12]},{"name":"MM_LOMETRIC","features":[12]},{"name":"MM_MAX_AXES_NAMELEN","features":[12]},{"name":"MM_MAX_NUMAXES","features":[12]},{"name":"MM_TEXT","features":[12]},{"name":"MM_TWIPS","features":[12]},{"name":"MODIFY_WORLD_TRANSFORM_MODE","features":[12]},{"name":"MONITORENUMPROC","features":[1,12]},{"name":"MONITORINFO","features":[1,12]},{"name":"MONITORINFOEXA","features":[1,12]},{"name":"MONITORINFOEXW","features":[1,12]},{"name":"MONITOR_DEFAULTTONEAREST","features":[12]},{"name":"MONITOR_DEFAULTTONULL","features":[12]},{"name":"MONITOR_DEFAULTTOPRIMARY","features":[12]},{"name":"MONITOR_FROM_FLAGS","features":[12]},{"name":"MONO_FONT","features":[12]},{"name":"MOUSETRAILS","features":[12]},{"name":"MWT_IDENTITY","features":[12]},{"name":"MWT_LEFTMULTIPLY","features":[12]},{"name":"MWT_RIGHTMULTIPLY","features":[12]},{"name":"MapWindowPoints","features":[1,12]},{"name":"MaskBlt","features":[1,12]},{"name":"MergeFontPackage","features":[12]},{"name":"ModifyWorldTransform","features":[1,12]},{"name":"MonitorFromPoint","features":[1,12]},{"name":"MonitorFromRect","features":[1,12]},{"name":"MonitorFromWindow","features":[1,12]},{"name":"MoveToEx","features":[1,12]},{"name":"NEWFRAME","features":[12]},{"name":"NEWTEXTMETRICA","features":[12]},{"name":"NEWTEXTMETRICW","features":[12]},{"name":"NEWTRANSPARENT","features":[12]},{"name":"NEXTBAND","features":[12]},{"name":"NOMIRRORBITMAP","features":[12]},{"name":"NONANTIALIASED_QUALITY","features":[12]},{"name":"NOTSRCCOPY","features":[12]},{"name":"NOTSRCERASE","features":[12]},{"name":"NTM_BOLD","features":[12]},{"name":"NTM_DSIG","features":[12]},{"name":"NTM_ITALIC","features":[12]},{"name":"NTM_MULTIPLEMASTER","features":[12]},{"name":"NTM_NONNEGATIVE_AC","features":[12]},{"name":"NTM_PS_OPENTYPE","features":[12]},{"name":"NTM_REGULAR","features":[12]},{"name":"NTM_TT_OPENTYPE","features":[12]},{"name":"NTM_TYPE1","features":[12]},{"name":"NULLREGION","features":[12]},{"name":"NULL_BRUSH","features":[12]},{"name":"NULL_PEN","features":[12]},{"name":"NUMBRUSHES","features":[12]},{"name":"NUMCOLORS","features":[12]},{"name":"NUMFONTS","features":[12]},{"name":"NUMMARKERS","features":[12]},{"name":"NUMPENS","features":[12]},{"name":"NUMRESERVED","features":[12]},{"name":"OBJ_BITMAP","features":[12]},{"name":"OBJ_BRUSH","features":[12]},{"name":"OBJ_COLORSPACE","features":[12]},{"name":"OBJ_DC","features":[12]},{"name":"OBJ_ENHMETADC","features":[12]},{"name":"OBJ_ENHMETAFILE","features":[12]},{"name":"OBJ_EXTPEN","features":[12]},{"name":"OBJ_FONT","features":[12]},{"name":"OBJ_MEMDC","features":[12]},{"name":"OBJ_METADC","features":[12]},{"name":"OBJ_METAFILE","features":[12]},{"name":"OBJ_PAL","features":[12]},{"name":"OBJ_PEN","features":[12]},{"name":"OBJ_REGION","features":[12]},{"name":"OBJ_TYPE","features":[12]},{"name":"OEM_CHARSET","features":[12]},{"name":"OEM_FIXED_FONT","features":[12]},{"name":"OPAQUE","features":[12]},{"name":"OPENCHANNEL","features":[12]},{"name":"OUTLINETEXTMETRICA","features":[1,12]},{"name":"OUTLINETEXTMETRICW","features":[1,12]},{"name":"OUT_CHARACTER_PRECIS","features":[12]},{"name":"OUT_DEFAULT_PRECIS","features":[12]},{"name":"OUT_DEVICE_PRECIS","features":[12]},{"name":"OUT_OUTLINE_PRECIS","features":[12]},{"name":"OUT_PS_ONLY_PRECIS","features":[12]},{"name":"OUT_RASTER_PRECIS","features":[12]},{"name":"OUT_SCREEN_OUTLINE_PRECIS","features":[12]},{"name":"OUT_STRING_PRECIS","features":[12]},{"name":"OUT_STROKE_PRECIS","features":[12]},{"name":"OUT_TT_ONLY_PRECIS","features":[12]},{"name":"OUT_TT_PRECIS","features":[12]},{"name":"OffsetClipRgn","features":[12]},{"name":"OffsetRect","features":[1,12]},{"name":"OffsetRgn","features":[12]},{"name":"OffsetViewportOrgEx","features":[1,12]},{"name":"OffsetWindowOrgEx","features":[1,12]},{"name":"PAINTSTRUCT","features":[1,12]},{"name":"PALETTEENTRY","features":[12]},{"name":"PANOSE","features":[12]},{"name":"PANOSE_COUNT","features":[12]},{"name":"PAN_ANY","features":[12]},{"name":"PAN_ARMSTYLE_INDEX","features":[12]},{"name":"PAN_ARM_ANY","features":[12]},{"name":"PAN_ARM_NO_FIT","features":[12]},{"name":"PAN_ARM_STYLE","features":[12]},{"name":"PAN_BENT_ARMS_DOUBLE_SERIF","features":[12]},{"name":"PAN_BENT_ARMS_HORZ","features":[12]},{"name":"PAN_BENT_ARMS_SINGLE_SERIF","features":[12]},{"name":"PAN_BENT_ARMS_VERT","features":[12]},{"name":"PAN_BENT_ARMS_WEDGE","features":[12]},{"name":"PAN_CONTRAST","features":[12]},{"name":"PAN_CONTRAST_ANY","features":[12]},{"name":"PAN_CONTRAST_HIGH","features":[12]},{"name":"PAN_CONTRAST_INDEX","features":[12]},{"name":"PAN_CONTRAST_LOW","features":[12]},{"name":"PAN_CONTRAST_MEDIUM","features":[12]},{"name":"PAN_CONTRAST_MEDIUM_HIGH","features":[12]},{"name":"PAN_CONTRAST_MEDIUM_LOW","features":[12]},{"name":"PAN_CONTRAST_NONE","features":[12]},{"name":"PAN_CONTRAST_NO_FIT","features":[12]},{"name":"PAN_CONTRAST_VERY_HIGH","features":[12]},{"name":"PAN_CONTRAST_VERY_LOW","features":[12]},{"name":"PAN_CULTURE_LATIN","features":[12]},{"name":"PAN_FAMILYTYPE_INDEX","features":[12]},{"name":"PAN_FAMILY_ANY","features":[12]},{"name":"PAN_FAMILY_DECORATIVE","features":[12]},{"name":"PAN_FAMILY_NO_FIT","features":[12]},{"name":"PAN_FAMILY_PICTORIAL","features":[12]},{"name":"PAN_FAMILY_SCRIPT","features":[12]},{"name":"PAN_FAMILY_TEXT_DISPLAY","features":[12]},{"name":"PAN_FAMILY_TYPE","features":[12]},{"name":"PAN_LETTERFORM_INDEX","features":[12]},{"name":"PAN_LETT_FORM","features":[12]},{"name":"PAN_LETT_FORM_ANY","features":[12]},{"name":"PAN_LETT_FORM_NO_FIT","features":[12]},{"name":"PAN_LETT_NORMAL_BOXED","features":[12]},{"name":"PAN_LETT_NORMAL_CONTACT","features":[12]},{"name":"PAN_LETT_NORMAL_FLATTENED","features":[12]},{"name":"PAN_LETT_NORMAL_OFF_CENTER","features":[12]},{"name":"PAN_LETT_NORMAL_ROUNDED","features":[12]},{"name":"PAN_LETT_NORMAL_SQUARE","features":[12]},{"name":"PAN_LETT_NORMAL_WEIGHTED","features":[12]},{"name":"PAN_LETT_OBLIQUE_BOXED","features":[12]},{"name":"PAN_LETT_OBLIQUE_CONTACT","features":[12]},{"name":"PAN_LETT_OBLIQUE_FLATTENED","features":[12]},{"name":"PAN_LETT_OBLIQUE_OFF_CENTER","features":[12]},{"name":"PAN_LETT_OBLIQUE_ROUNDED","features":[12]},{"name":"PAN_LETT_OBLIQUE_SQUARE","features":[12]},{"name":"PAN_LETT_OBLIQUE_WEIGHTED","features":[12]},{"name":"PAN_MIDLINE","features":[12]},{"name":"PAN_MIDLINE_ANY","features":[12]},{"name":"PAN_MIDLINE_CONSTANT_POINTED","features":[12]},{"name":"PAN_MIDLINE_CONSTANT_SERIFED","features":[12]},{"name":"PAN_MIDLINE_CONSTANT_TRIMMED","features":[12]},{"name":"PAN_MIDLINE_HIGH_POINTED","features":[12]},{"name":"PAN_MIDLINE_HIGH_SERIFED","features":[12]},{"name":"PAN_MIDLINE_HIGH_TRIMMED","features":[12]},{"name":"PAN_MIDLINE_INDEX","features":[12]},{"name":"PAN_MIDLINE_LOW_POINTED","features":[12]},{"name":"PAN_MIDLINE_LOW_SERIFED","features":[12]},{"name":"PAN_MIDLINE_LOW_TRIMMED","features":[12]},{"name":"PAN_MIDLINE_NO_FIT","features":[12]},{"name":"PAN_MIDLINE_STANDARD_POINTED","features":[12]},{"name":"PAN_MIDLINE_STANDARD_SERIFED","features":[12]},{"name":"PAN_MIDLINE_STANDARD_TRIMMED","features":[12]},{"name":"PAN_NO_FIT","features":[12]},{"name":"PAN_PROPORTION","features":[12]},{"name":"PAN_PROPORTION_INDEX","features":[12]},{"name":"PAN_PROP_ANY","features":[12]},{"name":"PAN_PROP_CONDENSED","features":[12]},{"name":"PAN_PROP_EVEN_WIDTH","features":[12]},{"name":"PAN_PROP_EXPANDED","features":[12]},{"name":"PAN_PROP_MODERN","features":[12]},{"name":"PAN_PROP_MONOSPACED","features":[12]},{"name":"PAN_PROP_NO_FIT","features":[12]},{"name":"PAN_PROP_OLD_STYLE","features":[12]},{"name":"PAN_PROP_VERY_CONDENSED","features":[12]},{"name":"PAN_PROP_VERY_EXPANDED","features":[12]},{"name":"PAN_SERIFSTYLE_INDEX","features":[12]},{"name":"PAN_SERIF_ANY","features":[12]},{"name":"PAN_SERIF_BONE","features":[12]},{"name":"PAN_SERIF_COVE","features":[12]},{"name":"PAN_SERIF_EXAGGERATED","features":[12]},{"name":"PAN_SERIF_FLARED","features":[12]},{"name":"PAN_SERIF_NORMAL_SANS","features":[12]},{"name":"PAN_SERIF_NO_FIT","features":[12]},{"name":"PAN_SERIF_OBTUSE_COVE","features":[12]},{"name":"PAN_SERIF_OBTUSE_SANS","features":[12]},{"name":"PAN_SERIF_OBTUSE_SQUARE_COVE","features":[12]},{"name":"PAN_SERIF_PERP_SANS","features":[12]},{"name":"PAN_SERIF_ROUNDED","features":[12]},{"name":"PAN_SERIF_SQUARE","features":[12]},{"name":"PAN_SERIF_SQUARE_COVE","features":[12]},{"name":"PAN_SERIF_STYLE","features":[12]},{"name":"PAN_SERIF_THIN","features":[12]},{"name":"PAN_SERIF_TRIANGLE","features":[12]},{"name":"PAN_STRAIGHT_ARMS_DOUBLE_SERIF","features":[12]},{"name":"PAN_STRAIGHT_ARMS_HORZ","features":[12]},{"name":"PAN_STRAIGHT_ARMS_SINGLE_SERIF","features":[12]},{"name":"PAN_STRAIGHT_ARMS_VERT","features":[12]},{"name":"PAN_STRAIGHT_ARMS_WEDGE","features":[12]},{"name":"PAN_STROKEVARIATION_INDEX","features":[12]},{"name":"PAN_STROKE_ANY","features":[12]},{"name":"PAN_STROKE_GRADUAL_DIAG","features":[12]},{"name":"PAN_STROKE_GRADUAL_HORZ","features":[12]},{"name":"PAN_STROKE_GRADUAL_TRAN","features":[12]},{"name":"PAN_STROKE_GRADUAL_VERT","features":[12]},{"name":"PAN_STROKE_INSTANT_VERT","features":[12]},{"name":"PAN_STROKE_NO_FIT","features":[12]},{"name":"PAN_STROKE_RAPID_HORZ","features":[12]},{"name":"PAN_STROKE_RAPID_VERT","features":[12]},{"name":"PAN_STROKE_VARIATION","features":[12]},{"name":"PAN_WEIGHT","features":[12]},{"name":"PAN_WEIGHT_ANY","features":[12]},{"name":"PAN_WEIGHT_BLACK","features":[12]},{"name":"PAN_WEIGHT_BOLD","features":[12]},{"name":"PAN_WEIGHT_BOOK","features":[12]},{"name":"PAN_WEIGHT_DEMI","features":[12]},{"name":"PAN_WEIGHT_HEAVY","features":[12]},{"name":"PAN_WEIGHT_INDEX","features":[12]},{"name":"PAN_WEIGHT_LIGHT","features":[12]},{"name":"PAN_WEIGHT_MEDIUM","features":[12]},{"name":"PAN_WEIGHT_NORD","features":[12]},{"name":"PAN_WEIGHT_NO_FIT","features":[12]},{"name":"PAN_WEIGHT_THIN","features":[12]},{"name":"PAN_WEIGHT_VERY_LIGHT","features":[12]},{"name":"PAN_XHEIGHT","features":[12]},{"name":"PAN_XHEIGHT_ANY","features":[12]},{"name":"PAN_XHEIGHT_CONSTANT_LARGE","features":[12]},{"name":"PAN_XHEIGHT_CONSTANT_SMALL","features":[12]},{"name":"PAN_XHEIGHT_CONSTANT_STD","features":[12]},{"name":"PAN_XHEIGHT_DUCKING_LARGE","features":[12]},{"name":"PAN_XHEIGHT_DUCKING_SMALL","features":[12]},{"name":"PAN_XHEIGHT_DUCKING_STD","features":[12]},{"name":"PAN_XHEIGHT_INDEX","features":[12]},{"name":"PAN_XHEIGHT_NO_FIT","features":[12]},{"name":"PASSTHROUGH","features":[12]},{"name":"PATCOPY","features":[12]},{"name":"PATINVERT","features":[12]},{"name":"PATPAINT","features":[12]},{"name":"PC_EXPLICIT","features":[12]},{"name":"PC_INTERIORS","features":[12]},{"name":"PC_NOCOLLAPSE","features":[12]},{"name":"PC_NONE","features":[12]},{"name":"PC_PATHS","features":[12]},{"name":"PC_POLYGON","features":[12]},{"name":"PC_POLYPOLYGON","features":[12]},{"name":"PC_RECTANGLE","features":[12]},{"name":"PC_RESERVED","features":[12]},{"name":"PC_SCANLINE","features":[12]},{"name":"PC_STYLED","features":[12]},{"name":"PC_TRAPEZOID","features":[12]},{"name":"PC_WIDE","features":[12]},{"name":"PC_WIDESTYLED","features":[12]},{"name":"PC_WINDPOLYGON","features":[12]},{"name":"PDEVICESIZE","features":[12]},{"name":"PELARRAY","features":[12]},{"name":"PEN_STYLE","features":[12]},{"name":"PHYSICALHEIGHT","features":[12]},{"name":"PHYSICALOFFSETX","features":[12]},{"name":"PHYSICALOFFSETY","features":[12]},{"name":"PHYSICALWIDTH","features":[12]},{"name":"PLANES","features":[12]},{"name":"POINTFX","features":[12]},{"name":"POLYFILL_LAST","features":[12]},{"name":"POLYGONALCAPS","features":[12]},{"name":"POLYTEXTA","features":[1,12]},{"name":"POLYTEXTW","features":[1,12]},{"name":"POSTSCRIPT_DATA","features":[12]},{"name":"POSTSCRIPT_IDENTIFY","features":[12]},{"name":"POSTSCRIPT_IGNORE","features":[12]},{"name":"POSTSCRIPT_INJECTION","features":[12]},{"name":"POSTSCRIPT_PASSTHROUGH","features":[12]},{"name":"PRINTRATEUNIT_CPS","features":[12]},{"name":"PRINTRATEUNIT_IPM","features":[12]},{"name":"PRINTRATEUNIT_LPM","features":[12]},{"name":"PRINTRATEUNIT_PPM","features":[12]},{"name":"PROOF_QUALITY","features":[12]},{"name":"PR_JOBSTATUS","features":[12]},{"name":"PSIDENT_GDICENTRIC","features":[12]},{"name":"PSIDENT_PSCENTRIC","features":[12]},{"name":"PSINJECT_DLFONT","features":[12]},{"name":"PSPROTOCOL_ASCII","features":[12]},{"name":"PSPROTOCOL_BCP","features":[12]},{"name":"PSPROTOCOL_BINARY","features":[12]},{"name":"PSPROTOCOL_TBCP","features":[12]},{"name":"PS_ALTERNATE","features":[12]},{"name":"PS_COSMETIC","features":[12]},{"name":"PS_DASH","features":[12]},{"name":"PS_DASHDOT","features":[12]},{"name":"PS_DASHDOTDOT","features":[12]},{"name":"PS_DOT","features":[12]},{"name":"PS_ENDCAP_FLAT","features":[12]},{"name":"PS_ENDCAP_MASK","features":[12]},{"name":"PS_ENDCAP_ROUND","features":[12]},{"name":"PS_ENDCAP_SQUARE","features":[12]},{"name":"PS_GEOMETRIC","features":[12]},{"name":"PS_INSIDEFRAME","features":[12]},{"name":"PS_JOIN_BEVEL","features":[12]},{"name":"PS_JOIN_MASK","features":[12]},{"name":"PS_JOIN_MITER","features":[12]},{"name":"PS_JOIN_ROUND","features":[12]},{"name":"PS_NULL","features":[12]},{"name":"PS_SOLID","features":[12]},{"name":"PS_STYLE_MASK","features":[12]},{"name":"PS_TYPE_MASK","features":[12]},{"name":"PS_USERSTYLE","features":[12]},{"name":"PT_BEZIERTO","features":[12]},{"name":"PT_CLOSEFIGURE","features":[12]},{"name":"PT_LINETO","features":[12]},{"name":"PT_MOVETO","features":[12]},{"name":"PaintDesktop","features":[1,12]},{"name":"PaintRgn","features":[1,12]},{"name":"PatBlt","features":[1,12]},{"name":"PathToRegion","features":[12]},{"name":"Pie","features":[1,12]},{"name":"PlayEnhMetaFile","features":[1,12]},{"name":"PlayEnhMetaFileRecord","features":[1,12]},{"name":"PlayMetaFile","features":[1,12]},{"name":"PlayMetaFileRecord","features":[1,12]},{"name":"PlgBlt","features":[1,12]},{"name":"PolyBezier","features":[1,12]},{"name":"PolyBezierTo","features":[1,12]},{"name":"PolyDraw","features":[1,12]},{"name":"PolyPolygon","features":[1,12]},{"name":"PolyPolyline","features":[1,12]},{"name":"PolyTextOutA","features":[1,12]},{"name":"PolyTextOutW","features":[1,12]},{"name":"Polygon","features":[1,12]},{"name":"Polyline","features":[1,12]},{"name":"PolylineTo","features":[1,12]},{"name":"PtInRect","features":[1,12]},{"name":"PtInRegion","features":[1,12]},{"name":"PtVisible","features":[1,12]},{"name":"QDI_DIBTOSCREEN","features":[12]},{"name":"QDI_GETDIBITS","features":[12]},{"name":"QDI_SETDIBITS","features":[12]},{"name":"QDI_STRETCHDIB","features":[12]},{"name":"QUERYDIBSUPPORT","features":[12]},{"name":"QUERYESCSUPPORT","features":[12]},{"name":"QUERYROPSUPPORT","features":[12]},{"name":"R2_BLACK","features":[12]},{"name":"R2_COPYPEN","features":[12]},{"name":"R2_LAST","features":[12]},{"name":"R2_MASKNOTPEN","features":[12]},{"name":"R2_MASKPEN","features":[12]},{"name":"R2_MASKPENNOT","features":[12]},{"name":"R2_MERGENOTPEN","features":[12]},{"name":"R2_MERGEPEN","features":[12]},{"name":"R2_MERGEPENNOT","features":[12]},{"name":"R2_MODE","features":[12]},{"name":"R2_NOP","features":[12]},{"name":"R2_NOT","features":[12]},{"name":"R2_NOTCOPYPEN","features":[12]},{"name":"R2_NOTMASKPEN","features":[12]},{"name":"R2_NOTMERGEPEN","features":[12]},{"name":"R2_NOTXORPEN","features":[12]},{"name":"R2_WHITE","features":[12]},{"name":"R2_XORPEN","features":[12]},{"name":"RASTERCAPS","features":[12]},{"name":"RASTERIZER_STATUS","features":[12]},{"name":"RASTER_FONTTYPE","features":[12]},{"name":"RC_BANDING","features":[12]},{"name":"RC_BIGFONT","features":[12]},{"name":"RC_BITBLT","features":[12]},{"name":"RC_BITMAP64","features":[12]},{"name":"RC_DEVBITS","features":[12]},{"name":"RC_DIBTODEV","features":[12]},{"name":"RC_DI_BITMAP","features":[12]},{"name":"RC_FLOODFILL","features":[12]},{"name":"RC_GDI20_OUTPUT","features":[12]},{"name":"RC_GDI20_STATE","features":[12]},{"name":"RC_OP_DX_OUTPUT","features":[12]},{"name":"RC_PALETTE","features":[12]},{"name":"RC_SAVEBITMAP","features":[12]},{"name":"RC_SCALING","features":[12]},{"name":"RC_STRETCHBLT","features":[12]},{"name":"RC_STRETCHDIB","features":[12]},{"name":"RDH_RECTANGLES","features":[12]},{"name":"RDW_ALLCHILDREN","features":[12]},{"name":"RDW_ERASE","features":[12]},{"name":"RDW_ERASENOW","features":[12]},{"name":"RDW_FRAME","features":[12]},{"name":"RDW_INTERNALPAINT","features":[12]},{"name":"RDW_INVALIDATE","features":[12]},{"name":"RDW_NOCHILDREN","features":[12]},{"name":"RDW_NOERASE","features":[12]},{"name":"RDW_NOFRAME","features":[12]},{"name":"RDW_NOINTERNALPAINT","features":[12]},{"name":"RDW_UPDATENOW","features":[12]},{"name":"RDW_VALIDATE","features":[12]},{"name":"READEMBEDPROC","features":[12]},{"name":"REDRAW_WINDOW_FLAGS","features":[12]},{"name":"RELATIVE","features":[12]},{"name":"RESTORE_CTM","features":[12]},{"name":"RGBQUAD","features":[12]},{"name":"RGBTRIPLE","features":[12]},{"name":"RGNDATA","features":[1,12]},{"name":"RGNDATAHEADER","features":[1,12]},{"name":"RGN_AND","features":[12]},{"name":"RGN_COMBINE_MODE","features":[12]},{"name":"RGN_COPY","features":[12]},{"name":"RGN_DIFF","features":[12]},{"name":"RGN_ERROR","features":[12]},{"name":"RGN_MAX","features":[12]},{"name":"RGN_MIN","features":[12]},{"name":"RGN_OR","features":[12]},{"name":"RGN_XOR","features":[12]},{"name":"ROP_CODE","features":[12]},{"name":"RUSSIAN_CHARSET","features":[12]},{"name":"RealizePalette","features":[12]},{"name":"RectInRegion","features":[1,12]},{"name":"RectVisible","features":[1,12]},{"name":"Rectangle","features":[1,12]},{"name":"RedrawWindow","features":[1,12]},{"name":"ReleaseDC","features":[1,12]},{"name":"RemoveFontMemResourceEx","features":[1,12]},{"name":"RemoveFontResourceA","features":[1,12]},{"name":"RemoveFontResourceExA","features":[1,12]},{"name":"RemoveFontResourceExW","features":[1,12]},{"name":"RemoveFontResourceW","features":[1,12]},{"name":"ResetDCA","features":[1,12]},{"name":"ResetDCW","features":[1,12]},{"name":"ResizePalette","features":[1,12]},{"name":"RestoreDC","features":[1,12]},{"name":"RoundRect","features":[1,12]},{"name":"SAVE_CTM","features":[12]},{"name":"SB_CONST_ALPHA","features":[12]},{"name":"SB_GRAD_RECT","features":[12]},{"name":"SB_GRAD_TRI","features":[12]},{"name":"SB_NONE","features":[12]},{"name":"SB_PIXEL_ALPHA","features":[12]},{"name":"SB_PREMULT_ALPHA","features":[12]},{"name":"SCALINGFACTORX","features":[12]},{"name":"SCALINGFACTORY","features":[12]},{"name":"SC_SCREENSAVE","features":[12]},{"name":"SELECTDIB","features":[12]},{"name":"SELECTPAPERSOURCE","features":[12]},{"name":"SETABORTPROC","features":[12]},{"name":"SETALLJUSTVALUES","features":[12]},{"name":"SETCHARSET","features":[12]},{"name":"SETCOLORTABLE","features":[12]},{"name":"SETCOPYCOUNT","features":[12]},{"name":"SETDIBSCALING","features":[12]},{"name":"SETICMPROFILE_EMBEDED","features":[12]},{"name":"SETKERNTRACK","features":[12]},{"name":"SETLINECAP","features":[12]},{"name":"SETLINEJOIN","features":[12]},{"name":"SETMITERLIMIT","features":[12]},{"name":"SET_ARC_DIRECTION","features":[12]},{"name":"SET_BACKGROUND_COLOR","features":[12]},{"name":"SET_BOUNDS","features":[12]},{"name":"SET_BOUNDS_RECT_FLAGS","features":[12]},{"name":"SET_CLIP_BOX","features":[12]},{"name":"SET_MIRROR_MODE","features":[12]},{"name":"SET_POLY_MODE","features":[12]},{"name":"SET_SCREEN_ANGLE","features":[12]},{"name":"SET_SPREAD","features":[12]},{"name":"SHADEBLENDCAPS","features":[12]},{"name":"SHIFTJIS_CHARSET","features":[12]},{"name":"SIMPLEREGION","features":[12]},{"name":"SIZEPALETTE","features":[12]},{"name":"SPCLPASSTHROUGH2","features":[12]},{"name":"SP_APPABORT","features":[12]},{"name":"SP_ERROR","features":[12]},{"name":"SP_NOTREPORTED","features":[12]},{"name":"SP_OUTOFDISK","features":[12]},{"name":"SP_OUTOFMEMORY","features":[12]},{"name":"SP_USERABORT","features":[12]},{"name":"SRCAND","features":[12]},{"name":"SRCCOPY","features":[12]},{"name":"SRCERASE","features":[12]},{"name":"SRCINVERT","features":[12]},{"name":"SRCPAINT","features":[12]},{"name":"STARTDOC","features":[12]},{"name":"STOCK_LAST","features":[12]},{"name":"STRETCHBLT","features":[12]},{"name":"STRETCH_ANDSCANS","features":[12]},{"name":"STRETCH_BLT_MODE","features":[12]},{"name":"STRETCH_DELETESCANS","features":[12]},{"name":"STRETCH_HALFTONE","features":[12]},{"name":"STRETCH_ORSCANS","features":[12]},{"name":"SYMBOL_CHARSET","features":[12]},{"name":"SYSPAL_ERROR","features":[12]},{"name":"SYSPAL_NOSTATIC","features":[12]},{"name":"SYSPAL_NOSTATIC256","features":[12]},{"name":"SYSPAL_STATIC","features":[12]},{"name":"SYSRGN","features":[12]},{"name":"SYSTEM_FIXED_FONT","features":[12]},{"name":"SYSTEM_FONT","features":[12]},{"name":"SYSTEM_PALETTE_USE","features":[12]},{"name":"SYS_COLOR_INDEX","features":[12]},{"name":"SaveDC","features":[12]},{"name":"ScaleViewportExtEx","features":[1,12]},{"name":"ScaleWindowExtEx","features":[1,12]},{"name":"ScreenToClient","features":[1,12]},{"name":"SelectClipPath","features":[1,12]},{"name":"SelectClipRgn","features":[12]},{"name":"SelectObject","features":[12]},{"name":"SelectPalette","features":[1,12]},{"name":"SetArcDirection","features":[12]},{"name":"SetBitmapBits","features":[12]},{"name":"SetBitmapDimensionEx","features":[1,12]},{"name":"SetBkColor","features":[1,12]},{"name":"SetBkMode","features":[12]},{"name":"SetBoundsRect","features":[1,12]},{"name":"SetBrushOrgEx","features":[1,12]},{"name":"SetColorAdjustment","features":[1,12]},{"name":"SetDCBrushColor","features":[1,12]},{"name":"SetDCPenColor","features":[1,12]},{"name":"SetDIBColorTable","features":[12]},{"name":"SetDIBits","features":[12]},{"name":"SetDIBitsToDevice","features":[12]},{"name":"SetEnhMetaFileBits","features":[12]},{"name":"SetGraphicsMode","features":[12]},{"name":"SetLayout","features":[12]},{"name":"SetMapMode","features":[12]},{"name":"SetMapperFlags","features":[12]},{"name":"SetMetaFileBitsEx","features":[12]},{"name":"SetMetaRgn","features":[12]},{"name":"SetMiterLimit","features":[1,12]},{"name":"SetPaletteEntries","features":[12]},{"name":"SetPixel","features":[1,12]},{"name":"SetPixelV","features":[1,12]},{"name":"SetPolyFillMode","features":[12]},{"name":"SetROP2","features":[12]},{"name":"SetRect","features":[1,12]},{"name":"SetRectEmpty","features":[1,12]},{"name":"SetRectRgn","features":[1,12]},{"name":"SetStretchBltMode","features":[12]},{"name":"SetSysColors","features":[1,12]},{"name":"SetSystemPaletteUse","features":[12]},{"name":"SetTextAlign","features":[12]},{"name":"SetTextCharacterExtra","features":[12]},{"name":"SetTextColor","features":[1,12]},{"name":"SetTextJustification","features":[1,12]},{"name":"SetViewportExtEx","features":[1,12]},{"name":"SetViewportOrgEx","features":[1,12]},{"name":"SetWindowExtEx","features":[1,12]},{"name":"SetWindowOrgEx","features":[1,12]},{"name":"SetWindowRgn","features":[1,12]},{"name":"SetWorldTransform","features":[1,12]},{"name":"StretchBlt","features":[1,12]},{"name":"StretchDIBits","features":[12]},{"name":"StrokeAndFillPath","features":[1,12]},{"name":"StrokePath","features":[1,12]},{"name":"SubtractRect","features":[1,12]},{"name":"TA_BASELINE","features":[12]},{"name":"TA_BOTTOM","features":[12]},{"name":"TA_CENTER","features":[12]},{"name":"TA_LEFT","features":[12]},{"name":"TA_MASK","features":[12]},{"name":"TA_NOUPDATECP","features":[12]},{"name":"TA_RIGHT","features":[12]},{"name":"TA_RTLREADING","features":[12]},{"name":"TA_TOP","features":[12]},{"name":"TA_UPDATECP","features":[12]},{"name":"TC_CP_STROKE","features":[12]},{"name":"TC_CR_90","features":[12]},{"name":"TC_CR_ANY","features":[12]},{"name":"TC_EA_DOUBLE","features":[12]},{"name":"TC_IA_ABLE","features":[12]},{"name":"TC_OP_CHARACTER","features":[12]},{"name":"TC_OP_STROKE","features":[12]},{"name":"TC_RA_ABLE","features":[12]},{"name":"TC_RESERVED","features":[12]},{"name":"TC_SA_CONTIN","features":[12]},{"name":"TC_SA_DOUBLE","features":[12]},{"name":"TC_SA_INTEGER","features":[12]},{"name":"TC_SCROLLBLT","features":[12]},{"name":"TC_SF_X_YINDEP","features":[12]},{"name":"TC_SO_ABLE","features":[12]},{"name":"TC_UA_ABLE","features":[12]},{"name":"TC_VA_ABLE","features":[12]},{"name":"TECHNOLOGY","features":[12]},{"name":"TEXTCAPS","features":[12]},{"name":"TEXTMETRICA","features":[12]},{"name":"TEXTMETRICW","features":[12]},{"name":"TEXT_ALIGN_OPTIONS","features":[12]},{"name":"THAI_CHARSET","features":[12]},{"name":"TMPF_DEVICE","features":[12]},{"name":"TMPF_FIXED_PITCH","features":[12]},{"name":"TMPF_FLAGS","features":[12]},{"name":"TMPF_TRUETYPE","features":[12]},{"name":"TMPF_VECTOR","features":[12]},{"name":"TRANSFORM_CTM","features":[12]},{"name":"TRANSPARENT","features":[12]},{"name":"TRIVERTEX","features":[12]},{"name":"TRUETYPE_FONTTYPE","features":[12]},{"name":"TTCharToUnicode","features":[12]},{"name":"TTDELETE_DONTREMOVEFONT","features":[12]},{"name":"TTDeleteEmbeddedFont","features":[1,12]},{"name":"TTEMBEDINFO","features":[12]},{"name":"TTEMBED_EMBEDEUDC","features":[12]},{"name":"TTEMBED_EUDCEMBEDDED","features":[12]},{"name":"TTEMBED_FAILIFVARIATIONSIMULATED","features":[12]},{"name":"TTEMBED_FLAGS","features":[12]},{"name":"TTEMBED_RAW","features":[12]},{"name":"TTEMBED_SUBSET","features":[12]},{"name":"TTEMBED_SUBSETCANCEL","features":[12]},{"name":"TTEMBED_TTCOMPRESSED","features":[12]},{"name":"TTEMBED_VARIATIONSIMULATED","features":[12]},{"name":"TTEMBED_WEBOBJECT","features":[12]},{"name":"TTEMBED_XORENCRYPTDATA","features":[12]},{"name":"TTEmbedFont","features":[12]},{"name":"TTEmbedFontEx","features":[12]},{"name":"TTEmbedFontFromFileA","features":[12]},{"name":"TTEnableEmbeddingForFacename","features":[1,12]},{"name":"TTFCFP_APPLE_PLATFORMID","features":[12]},{"name":"TTFCFP_DELTA","features":[12]},{"name":"TTFCFP_DONT_CARE","features":[12]},{"name":"TTFCFP_FLAGS_COMPRESS","features":[12]},{"name":"TTFCFP_FLAGS_GLYPHLIST","features":[12]},{"name":"TTFCFP_FLAGS_SUBSET","features":[12]},{"name":"TTFCFP_FLAGS_TTC","features":[12]},{"name":"TTFCFP_ISO_PLATFORMID","features":[12]},{"name":"TTFCFP_LANG_KEEP_ALL","features":[12]},{"name":"TTFCFP_MS_PLATFORMID","features":[12]},{"name":"TTFCFP_STD_MAC_CHAR_SET","features":[12]},{"name":"TTFCFP_SUBSET","features":[12]},{"name":"TTFCFP_SUBSET1","features":[12]},{"name":"TTFCFP_SYMBOL_CHAR_SET","features":[12]},{"name":"TTFCFP_UNICODE_CHAR_SET","features":[12]},{"name":"TTFCFP_UNICODE_PLATFORMID","features":[12]},{"name":"TTFMFP_DELTA","features":[12]},{"name":"TTFMFP_SUBSET","features":[12]},{"name":"TTFMFP_SUBSET1","features":[12]},{"name":"TTGetEmbeddedFontInfo","features":[12]},{"name":"TTGetEmbeddingType","features":[12]},{"name":"TTGetNewFontName","features":[1,12]},{"name":"TTIsEmbeddingEnabled","features":[1,12]},{"name":"TTIsEmbeddingEnabledForFacename","features":[1,12]},{"name":"TTLOADINFO","features":[12]},{"name":"TTLOAD_EMBEDDED_FONT_STATUS","features":[12]},{"name":"TTLOAD_EUDC_OVERWRITE","features":[12]},{"name":"TTLOAD_EUDC_SET","features":[12]},{"name":"TTLOAD_FONT_IN_SYSSTARTUP","features":[12]},{"name":"TTLOAD_FONT_SUBSETTED","features":[12]},{"name":"TTLOAD_PRIVATE","features":[12]},{"name":"TTLoadEmbeddedFont","features":[1,12]},{"name":"TTPOLYCURVE","features":[12]},{"name":"TTPOLYGONHEADER","features":[12]},{"name":"TTRunValidationTests","features":[12]},{"name":"TTRunValidationTestsEx","features":[12]},{"name":"TTVALIDATIONTESTSPARAMS","features":[12]},{"name":"TTVALIDATIONTESTSPARAMSEX","features":[12]},{"name":"TT_AVAILABLE","features":[12]},{"name":"TT_ENABLED","features":[12]},{"name":"TT_POLYGON_TYPE","features":[12]},{"name":"TT_PRIM_CSPLINE","features":[12]},{"name":"TT_PRIM_LINE","features":[12]},{"name":"TT_PRIM_QSPLINE","features":[12]},{"name":"TURKISH_CHARSET","features":[12]},{"name":"TabbedTextOutA","features":[12]},{"name":"TabbedTextOutW","features":[12]},{"name":"TextOutA","features":[1,12]},{"name":"TextOutW","features":[1,12]},{"name":"TransparentBlt","features":[1,12]},{"name":"UnionRect","features":[1,12]},{"name":"UnrealizeObject","features":[1,12]},{"name":"UpdateColors","features":[1,12]},{"name":"UpdateWindow","features":[1,12]},{"name":"VARIABLE_PITCH","features":[12]},{"name":"VERTRES","features":[12]},{"name":"VERTSIZE","features":[12]},{"name":"VIETNAMESE_CHARSET","features":[12]},{"name":"VREFRESH","features":[12]},{"name":"VTA_BASELINE","features":[12]},{"name":"VTA_BOTTOM","features":[12]},{"name":"VTA_CENTER","features":[12]},{"name":"VTA_LEFT","features":[12]},{"name":"VTA_RIGHT","features":[12]},{"name":"VTA_TOP","features":[12]},{"name":"ValidateRect","features":[1,12]},{"name":"ValidateRgn","features":[1,12]},{"name":"WCRANGE","features":[12]},{"name":"WGLSWAP","features":[12]},{"name":"WGL_FONT_LINES","features":[12]},{"name":"WGL_FONT_POLYGONS","features":[12]},{"name":"WGL_SWAPMULTIPLE_MAX","features":[12]},{"name":"WGL_SWAP_MAIN_PLANE","features":[12]},{"name":"WGL_SWAP_OVERLAY1","features":[12]},{"name":"WGL_SWAP_OVERLAY10","features":[12]},{"name":"WGL_SWAP_OVERLAY11","features":[12]},{"name":"WGL_SWAP_OVERLAY12","features":[12]},{"name":"WGL_SWAP_OVERLAY13","features":[12]},{"name":"WGL_SWAP_OVERLAY14","features":[12]},{"name":"WGL_SWAP_OVERLAY15","features":[12]},{"name":"WGL_SWAP_OVERLAY2","features":[12]},{"name":"WGL_SWAP_OVERLAY3","features":[12]},{"name":"WGL_SWAP_OVERLAY4","features":[12]},{"name":"WGL_SWAP_OVERLAY5","features":[12]},{"name":"WGL_SWAP_OVERLAY6","features":[12]},{"name":"WGL_SWAP_OVERLAY7","features":[12]},{"name":"WGL_SWAP_OVERLAY8","features":[12]},{"name":"WGL_SWAP_OVERLAY9","features":[12]},{"name":"WGL_SWAP_UNDERLAY1","features":[12]},{"name":"WGL_SWAP_UNDERLAY10","features":[12]},{"name":"WGL_SWAP_UNDERLAY11","features":[12]},{"name":"WGL_SWAP_UNDERLAY12","features":[12]},{"name":"WGL_SWAP_UNDERLAY13","features":[12]},{"name":"WGL_SWAP_UNDERLAY14","features":[12]},{"name":"WGL_SWAP_UNDERLAY15","features":[12]},{"name":"WGL_SWAP_UNDERLAY2","features":[12]},{"name":"WGL_SWAP_UNDERLAY3","features":[12]},{"name":"WGL_SWAP_UNDERLAY4","features":[12]},{"name":"WGL_SWAP_UNDERLAY5","features":[12]},{"name":"WGL_SWAP_UNDERLAY6","features":[12]},{"name":"WGL_SWAP_UNDERLAY7","features":[12]},{"name":"WGL_SWAP_UNDERLAY8","features":[12]},{"name":"WGL_SWAP_UNDERLAY9","features":[12]},{"name":"WHITENESS","features":[12]},{"name":"WHITEONBLACK","features":[12]},{"name":"WHITE_BRUSH","features":[12]},{"name":"WHITE_PEN","features":[12]},{"name":"WINDING","features":[12]},{"name":"WRITEEMBEDPROC","features":[12]},{"name":"WidenPath","features":[1,12]},{"name":"WindowFromDC","features":[1,12]},{"name":"XFORM","features":[12]},{"name":"wglSwapMultipleBuffers","features":[12]}],"414":[{"name":"ALPHA_SHIFT","features":[72]},{"name":"Aborted","features":[72]},{"name":"AccessDenied","features":[72]},{"name":"AdjustBlackSaturation","features":[72]},{"name":"AdjustContrast","features":[72]},{"name":"AdjustDensity","features":[72]},{"name":"AdjustExposure","features":[72]},{"name":"AdjustHighlight","features":[72]},{"name":"AdjustMidtone","features":[72]},{"name":"AdjustShadow","features":[72]},{"name":"AdjustWhiteSaturation","features":[72]},{"name":"BLUE_SHIFT","features":[72]},{"name":"Bitmap","features":[72]},{"name":"BitmapData","features":[72]},{"name":"Blur","features":[1,72]},{"name":"BlurEffectGuid","features":[72]},{"name":"BlurParams","features":[1,72]},{"name":"BrightnessContrast","features":[1,72]},{"name":"BrightnessContrastEffectGuid","features":[72]},{"name":"BrightnessContrastParams","features":[72]},{"name":"BrushType","features":[72]},{"name":"BrushTypeHatchFill","features":[72]},{"name":"BrushTypeLinearGradient","features":[72]},{"name":"BrushTypePathGradient","features":[72]},{"name":"BrushTypeSolidColor","features":[72]},{"name":"BrushTypeTextureFill","features":[72]},{"name":"CGpEffect","features":[72]},{"name":"CachedBitmap","features":[72]},{"name":"CharacterRange","features":[72]},{"name":"CodecIImageBytes","features":[72]},{"name":"Color","features":[72]},{"name":"ColorAdjustType","features":[72]},{"name":"ColorAdjustTypeAny","features":[72]},{"name":"ColorAdjustTypeBitmap","features":[72]},{"name":"ColorAdjustTypeBrush","features":[72]},{"name":"ColorAdjustTypeCount","features":[72]},{"name":"ColorAdjustTypeDefault","features":[72]},{"name":"ColorAdjustTypePen","features":[72]},{"name":"ColorAdjustTypeText","features":[72]},{"name":"ColorBalance","features":[1,72]},{"name":"ColorBalanceEffectGuid","features":[72]},{"name":"ColorBalanceParams","features":[72]},{"name":"ColorChannelFlags","features":[72]},{"name":"ColorChannelFlagsC","features":[72]},{"name":"ColorChannelFlagsK","features":[72]},{"name":"ColorChannelFlagsLast","features":[72]},{"name":"ColorChannelFlagsM","features":[72]},{"name":"ColorChannelFlagsY","features":[72]},{"name":"ColorCurve","features":[1,72]},{"name":"ColorCurveEffectGuid","features":[72]},{"name":"ColorCurveParams","features":[72]},{"name":"ColorLUT","features":[1,72]},{"name":"ColorLUTEffectGuid","features":[72]},{"name":"ColorLUTParams","features":[72]},{"name":"ColorMap","features":[72]},{"name":"ColorMatrix","features":[72]},{"name":"ColorMatrixEffect","features":[1,72]},{"name":"ColorMatrixEffectGuid","features":[72]},{"name":"ColorMatrixFlags","features":[72]},{"name":"ColorMatrixFlagsAltGray","features":[72]},{"name":"ColorMatrixFlagsDefault","features":[72]},{"name":"ColorMatrixFlagsSkipGrays","features":[72]},{"name":"ColorMode","features":[72]},{"name":"ColorModeARGB32","features":[72]},{"name":"ColorModeARGB64","features":[72]},{"name":"ColorPalette","features":[72]},{"name":"CombineMode","features":[72]},{"name":"CombineModeComplement","features":[72]},{"name":"CombineModeExclude","features":[72]},{"name":"CombineModeIntersect","features":[72]},{"name":"CombineModeReplace","features":[72]},{"name":"CombineModeUnion","features":[72]},{"name":"CombineModeXor","features":[72]},{"name":"CompositingMode","features":[72]},{"name":"CompositingModeSourceCopy","features":[72]},{"name":"CompositingModeSourceOver","features":[72]},{"name":"CompositingQuality","features":[72]},{"name":"CompositingQualityAssumeLinear","features":[72]},{"name":"CompositingQualityDefault","features":[72]},{"name":"CompositingQualityGammaCorrected","features":[72]},{"name":"CompositingQualityHighQuality","features":[72]},{"name":"CompositingQualityHighSpeed","features":[72]},{"name":"CompositingQualityInvalid","features":[72]},{"name":"ConvertToEmfPlusFlags","features":[72]},{"name":"ConvertToEmfPlusFlagsDefault","features":[72]},{"name":"ConvertToEmfPlusFlagsInvalidRecord","features":[72]},{"name":"ConvertToEmfPlusFlagsRopUsed","features":[72]},{"name":"ConvertToEmfPlusFlagsText","features":[72]},{"name":"CoordinateSpace","features":[72]},{"name":"CoordinateSpaceDevice","features":[72]},{"name":"CoordinateSpacePage","features":[72]},{"name":"CoordinateSpaceWorld","features":[72]},{"name":"CurveAdjustments","features":[72]},{"name":"CurveChannel","features":[72]},{"name":"CurveChannelAll","features":[72]},{"name":"CurveChannelBlue","features":[72]},{"name":"CurveChannelGreen","features":[72]},{"name":"CurveChannelRed","features":[72]},{"name":"CustomLineCap","features":[72]},{"name":"CustomLineCapType","features":[72]},{"name":"CustomLineCapTypeAdjustableArrow","features":[72]},{"name":"CustomLineCapTypeDefault","features":[72]},{"name":"DashCap","features":[72]},{"name":"DashCapFlat","features":[72]},{"name":"DashCapRound","features":[72]},{"name":"DashCapTriangle","features":[72]},{"name":"DashStyle","features":[72]},{"name":"DashStyleCustom","features":[72]},{"name":"DashStyleDash","features":[72]},{"name":"DashStyleDashDot","features":[72]},{"name":"DashStyleDashDotDot","features":[72]},{"name":"DashStyleDot","features":[72]},{"name":"DashStyleSolid","features":[72]},{"name":"DebugEventLevel","features":[72]},{"name":"DebugEventLevelFatal","features":[72]},{"name":"DebugEventLevelWarning","features":[72]},{"name":"DebugEventProc","features":[72]},{"name":"DitherType","features":[72]},{"name":"DitherTypeDualSpiral4x4","features":[72]},{"name":"DitherTypeDualSpiral8x8","features":[72]},{"name":"DitherTypeErrorDiffusion","features":[72]},{"name":"DitherTypeMax","features":[72]},{"name":"DitherTypeNone","features":[72]},{"name":"DitherTypeOrdered16x16","features":[72]},{"name":"DitherTypeOrdered4x4","features":[72]},{"name":"DitherTypeOrdered8x8","features":[72]},{"name":"DitherTypeSolid","features":[72]},{"name":"DitherTypeSpiral4x4","features":[72]},{"name":"DitherTypeSpiral8x8","features":[72]},{"name":"DrawImageAbort","features":[1,72]},{"name":"DriverStringOptions","features":[72]},{"name":"DriverStringOptionsCmapLookup","features":[72]},{"name":"DriverStringOptionsLimitSubpixel","features":[72]},{"name":"DriverStringOptionsRealizedAdvance","features":[72]},{"name":"DriverStringOptionsVertical","features":[72]},{"name":"ENHMETAHEADER3","features":[1,72]},{"name":"Effect","features":[1,72]},{"name":"EmfPlusRecordTotal","features":[72]},{"name":"EmfPlusRecordType","features":[72]},{"name":"EmfPlusRecordTypeBeginContainer","features":[72]},{"name":"EmfPlusRecordTypeBeginContainerNoParams","features":[72]},{"name":"EmfPlusRecordTypeClear","features":[72]},{"name":"EmfPlusRecordTypeComment","features":[72]},{"name":"EmfPlusRecordTypeDrawArc","features":[72]},{"name":"EmfPlusRecordTypeDrawBeziers","features":[72]},{"name":"EmfPlusRecordTypeDrawClosedCurve","features":[72]},{"name":"EmfPlusRecordTypeDrawCurve","features":[72]},{"name":"EmfPlusRecordTypeDrawDriverString","features":[72]},{"name":"EmfPlusRecordTypeDrawEllipse","features":[72]},{"name":"EmfPlusRecordTypeDrawImage","features":[72]},{"name":"EmfPlusRecordTypeDrawImagePoints","features":[72]},{"name":"EmfPlusRecordTypeDrawLines","features":[72]},{"name":"EmfPlusRecordTypeDrawPath","features":[72]},{"name":"EmfPlusRecordTypeDrawPie","features":[72]},{"name":"EmfPlusRecordTypeDrawRects","features":[72]},{"name":"EmfPlusRecordTypeDrawString","features":[72]},{"name":"EmfPlusRecordTypeEndContainer","features":[72]},{"name":"EmfPlusRecordTypeEndOfFile","features":[72]},{"name":"EmfPlusRecordTypeFillClosedCurve","features":[72]},{"name":"EmfPlusRecordTypeFillEllipse","features":[72]},{"name":"EmfPlusRecordTypeFillPath","features":[72]},{"name":"EmfPlusRecordTypeFillPie","features":[72]},{"name":"EmfPlusRecordTypeFillPolygon","features":[72]},{"name":"EmfPlusRecordTypeFillRects","features":[72]},{"name":"EmfPlusRecordTypeFillRegion","features":[72]},{"name":"EmfPlusRecordTypeGetDC","features":[72]},{"name":"EmfPlusRecordTypeHeader","features":[72]},{"name":"EmfPlusRecordTypeInvalid","features":[72]},{"name":"EmfPlusRecordTypeMax","features":[72]},{"name":"EmfPlusRecordTypeMin","features":[72]},{"name":"EmfPlusRecordTypeMultiFormatEnd","features":[72]},{"name":"EmfPlusRecordTypeMultiFormatSection","features":[72]},{"name":"EmfPlusRecordTypeMultiFormatStart","features":[72]},{"name":"EmfPlusRecordTypeMultiplyWorldTransform","features":[72]},{"name":"EmfPlusRecordTypeObject","features":[72]},{"name":"EmfPlusRecordTypeOffsetClip","features":[72]},{"name":"EmfPlusRecordTypeResetClip","features":[72]},{"name":"EmfPlusRecordTypeResetWorldTransform","features":[72]},{"name":"EmfPlusRecordTypeRestore","features":[72]},{"name":"EmfPlusRecordTypeRotateWorldTransform","features":[72]},{"name":"EmfPlusRecordTypeSave","features":[72]},{"name":"EmfPlusRecordTypeScaleWorldTransform","features":[72]},{"name":"EmfPlusRecordTypeSerializableObject","features":[72]},{"name":"EmfPlusRecordTypeSetAntiAliasMode","features":[72]},{"name":"EmfPlusRecordTypeSetClipPath","features":[72]},{"name":"EmfPlusRecordTypeSetClipRect","features":[72]},{"name":"EmfPlusRecordTypeSetClipRegion","features":[72]},{"name":"EmfPlusRecordTypeSetCompositingMode","features":[72]},{"name":"EmfPlusRecordTypeSetCompositingQuality","features":[72]},{"name":"EmfPlusRecordTypeSetInterpolationMode","features":[72]},{"name":"EmfPlusRecordTypeSetPageTransform","features":[72]},{"name":"EmfPlusRecordTypeSetPixelOffsetMode","features":[72]},{"name":"EmfPlusRecordTypeSetRenderingOrigin","features":[72]},{"name":"EmfPlusRecordTypeSetTSClip","features":[72]},{"name":"EmfPlusRecordTypeSetTSGraphics","features":[72]},{"name":"EmfPlusRecordTypeSetTextContrast","features":[72]},{"name":"EmfPlusRecordTypeSetTextRenderingHint","features":[72]},{"name":"EmfPlusRecordTypeSetWorldTransform","features":[72]},{"name":"EmfPlusRecordTypeStrokeFillPath","features":[72]},{"name":"EmfPlusRecordTypeTranslateWorldTransform","features":[72]},{"name":"EmfRecordTypeAbortPath","features":[72]},{"name":"EmfRecordTypeAlphaBlend","features":[72]},{"name":"EmfRecordTypeAngleArc","features":[72]},{"name":"EmfRecordTypeArc","features":[72]},{"name":"EmfRecordTypeArcTo","features":[72]},{"name":"EmfRecordTypeBeginPath","features":[72]},{"name":"EmfRecordTypeBitBlt","features":[72]},{"name":"EmfRecordTypeChord","features":[72]},{"name":"EmfRecordTypeCloseFigure","features":[72]},{"name":"EmfRecordTypeColorCorrectPalette","features":[72]},{"name":"EmfRecordTypeColorMatchToTargetW","features":[72]},{"name":"EmfRecordTypeCreateBrushIndirect","features":[72]},{"name":"EmfRecordTypeCreateColorSpace","features":[72]},{"name":"EmfRecordTypeCreateColorSpaceW","features":[72]},{"name":"EmfRecordTypeCreateDIBPatternBrushPt","features":[72]},{"name":"EmfRecordTypeCreateMonoBrush","features":[72]},{"name":"EmfRecordTypeCreatePalette","features":[72]},{"name":"EmfRecordTypeCreatePen","features":[72]},{"name":"EmfRecordTypeDeleteColorSpace","features":[72]},{"name":"EmfRecordTypeDeleteObject","features":[72]},{"name":"EmfRecordTypeDrawEscape","features":[72]},{"name":"EmfRecordTypeEOF","features":[72]},{"name":"EmfRecordTypeEllipse","features":[72]},{"name":"EmfRecordTypeEndPath","features":[72]},{"name":"EmfRecordTypeExcludeClipRect","features":[72]},{"name":"EmfRecordTypeExtCreateFontIndirect","features":[72]},{"name":"EmfRecordTypeExtCreatePen","features":[72]},{"name":"EmfRecordTypeExtEscape","features":[72]},{"name":"EmfRecordTypeExtFloodFill","features":[72]},{"name":"EmfRecordTypeExtSelectClipRgn","features":[72]},{"name":"EmfRecordTypeExtTextOutA","features":[72]},{"name":"EmfRecordTypeExtTextOutW","features":[72]},{"name":"EmfRecordTypeFillPath","features":[72]},{"name":"EmfRecordTypeFillRgn","features":[72]},{"name":"EmfRecordTypeFlattenPath","features":[72]},{"name":"EmfRecordTypeForceUFIMapping","features":[72]},{"name":"EmfRecordTypeFrameRgn","features":[72]},{"name":"EmfRecordTypeGLSBoundedRecord","features":[72]},{"name":"EmfRecordTypeGLSRecord","features":[72]},{"name":"EmfRecordTypeGdiComment","features":[72]},{"name":"EmfRecordTypeGradientFill","features":[72]},{"name":"EmfRecordTypeHeader","features":[72]},{"name":"EmfRecordTypeIntersectClipRect","features":[72]},{"name":"EmfRecordTypeInvertRgn","features":[72]},{"name":"EmfRecordTypeLineTo","features":[72]},{"name":"EmfRecordTypeMaskBlt","features":[72]},{"name":"EmfRecordTypeMax","features":[72]},{"name":"EmfRecordTypeMin","features":[72]},{"name":"EmfRecordTypeModifyWorldTransform","features":[72]},{"name":"EmfRecordTypeMoveToEx","features":[72]},{"name":"EmfRecordTypeNamedEscape","features":[72]},{"name":"EmfRecordTypeOffsetClipRgn","features":[72]},{"name":"EmfRecordTypePaintRgn","features":[72]},{"name":"EmfRecordTypePie","features":[72]},{"name":"EmfRecordTypePixelFormat","features":[72]},{"name":"EmfRecordTypePlgBlt","features":[72]},{"name":"EmfRecordTypePolyBezier","features":[72]},{"name":"EmfRecordTypePolyBezier16","features":[72]},{"name":"EmfRecordTypePolyBezierTo","features":[72]},{"name":"EmfRecordTypePolyBezierTo16","features":[72]},{"name":"EmfRecordTypePolyDraw","features":[72]},{"name":"EmfRecordTypePolyDraw16","features":[72]},{"name":"EmfRecordTypePolyLineTo","features":[72]},{"name":"EmfRecordTypePolyPolygon","features":[72]},{"name":"EmfRecordTypePolyPolygon16","features":[72]},{"name":"EmfRecordTypePolyPolyline","features":[72]},{"name":"EmfRecordTypePolyPolyline16","features":[72]},{"name":"EmfRecordTypePolyTextOutA","features":[72]},{"name":"EmfRecordTypePolyTextOutW","features":[72]},{"name":"EmfRecordTypePolygon","features":[72]},{"name":"EmfRecordTypePolygon16","features":[72]},{"name":"EmfRecordTypePolyline","features":[72]},{"name":"EmfRecordTypePolyline16","features":[72]},{"name":"EmfRecordTypePolylineTo16","features":[72]},{"name":"EmfRecordTypeRealizePalette","features":[72]},{"name":"EmfRecordTypeRectangle","features":[72]},{"name":"EmfRecordTypeReserved_069","features":[72]},{"name":"EmfRecordTypeReserved_117","features":[72]},{"name":"EmfRecordTypeResizePalette","features":[72]},{"name":"EmfRecordTypeRestoreDC","features":[72]},{"name":"EmfRecordTypeRoundRect","features":[72]},{"name":"EmfRecordTypeSaveDC","features":[72]},{"name":"EmfRecordTypeScaleViewportExtEx","features":[72]},{"name":"EmfRecordTypeScaleWindowExtEx","features":[72]},{"name":"EmfRecordTypeSelectClipPath","features":[72]},{"name":"EmfRecordTypeSelectObject","features":[72]},{"name":"EmfRecordTypeSelectPalette","features":[72]},{"name":"EmfRecordTypeSetArcDirection","features":[72]},{"name":"EmfRecordTypeSetBkColor","features":[72]},{"name":"EmfRecordTypeSetBkMode","features":[72]},{"name":"EmfRecordTypeSetBrushOrgEx","features":[72]},{"name":"EmfRecordTypeSetColorAdjustment","features":[72]},{"name":"EmfRecordTypeSetColorSpace","features":[72]},{"name":"EmfRecordTypeSetDIBitsToDevice","features":[72]},{"name":"EmfRecordTypeSetICMMode","features":[72]},{"name":"EmfRecordTypeSetICMProfileA","features":[72]},{"name":"EmfRecordTypeSetICMProfileW","features":[72]},{"name":"EmfRecordTypeSetLayout","features":[72]},{"name":"EmfRecordTypeSetLinkedUFIs","features":[72]},{"name":"EmfRecordTypeSetMapMode","features":[72]},{"name":"EmfRecordTypeSetMapperFlags","features":[72]},{"name":"EmfRecordTypeSetMetaRgn","features":[72]},{"name":"EmfRecordTypeSetMiterLimit","features":[72]},{"name":"EmfRecordTypeSetPaletteEntries","features":[72]},{"name":"EmfRecordTypeSetPixelV","features":[72]},{"name":"EmfRecordTypeSetPolyFillMode","features":[72]},{"name":"EmfRecordTypeSetROP2","features":[72]},{"name":"EmfRecordTypeSetStretchBltMode","features":[72]},{"name":"EmfRecordTypeSetTextAlign","features":[72]},{"name":"EmfRecordTypeSetTextColor","features":[72]},{"name":"EmfRecordTypeSetTextJustification","features":[72]},{"name":"EmfRecordTypeSetViewportExtEx","features":[72]},{"name":"EmfRecordTypeSetViewportOrgEx","features":[72]},{"name":"EmfRecordTypeSetWindowExtEx","features":[72]},{"name":"EmfRecordTypeSetWindowOrgEx","features":[72]},{"name":"EmfRecordTypeSetWorldTransform","features":[72]},{"name":"EmfRecordTypeSmallTextOut","features":[72]},{"name":"EmfRecordTypeStartDoc","features":[72]},{"name":"EmfRecordTypeStretchBlt","features":[72]},{"name":"EmfRecordTypeStretchDIBits","features":[72]},{"name":"EmfRecordTypeStrokeAndFillPath","features":[72]},{"name":"EmfRecordTypeStrokePath","features":[72]},{"name":"EmfRecordTypeTransparentBlt","features":[72]},{"name":"EmfRecordTypeWidenPath","features":[72]},{"name":"EmfToWmfBitsFlags","features":[72]},{"name":"EmfToWmfBitsFlagsDefault","features":[72]},{"name":"EmfToWmfBitsFlagsEmbedEmf","features":[72]},{"name":"EmfToWmfBitsFlagsIncludePlaceable","features":[72]},{"name":"EmfToWmfBitsFlagsNoXORClip","features":[72]},{"name":"EmfType","features":[72]},{"name":"EmfTypeEmfOnly","features":[72]},{"name":"EmfTypeEmfPlusDual","features":[72]},{"name":"EmfTypeEmfPlusOnly","features":[72]},{"name":"EncoderChrominanceTable","features":[72]},{"name":"EncoderColorDepth","features":[72]},{"name":"EncoderColorSpace","features":[72]},{"name":"EncoderCompression","features":[72]},{"name":"EncoderImageItems","features":[72]},{"name":"EncoderLuminanceTable","features":[72]},{"name":"EncoderParameter","features":[72]},{"name":"EncoderParameterValueType","features":[72]},{"name":"EncoderParameterValueTypeASCII","features":[72]},{"name":"EncoderParameterValueTypeByte","features":[72]},{"name":"EncoderParameterValueTypeLong","features":[72]},{"name":"EncoderParameterValueTypeLongRange","features":[72]},{"name":"EncoderParameterValueTypePointer","features":[72]},{"name":"EncoderParameterValueTypeRational","features":[72]},{"name":"EncoderParameterValueTypeRationalRange","features":[72]},{"name":"EncoderParameterValueTypeShort","features":[72]},{"name":"EncoderParameterValueTypeUndefined","features":[72]},{"name":"EncoderParameters","features":[72]},{"name":"EncoderQuality","features":[72]},{"name":"EncoderRenderMethod","features":[72]},{"name":"EncoderSaveAsCMYK","features":[72]},{"name":"EncoderSaveFlag","features":[72]},{"name":"EncoderScanMethod","features":[72]},{"name":"EncoderTransformation","features":[72]},{"name":"EncoderValue","features":[72]},{"name":"EncoderValueColorTypeCMYK","features":[72]},{"name":"EncoderValueColorTypeGray","features":[72]},{"name":"EncoderValueColorTypeRGB","features":[72]},{"name":"EncoderValueColorTypeYCCK","features":[72]},{"name":"EncoderValueCompressionCCITT3","features":[72]},{"name":"EncoderValueCompressionCCITT4","features":[72]},{"name":"EncoderValueCompressionLZW","features":[72]},{"name":"EncoderValueCompressionNone","features":[72]},{"name":"EncoderValueCompressionRle","features":[72]},{"name":"EncoderValueFlush","features":[72]},{"name":"EncoderValueFrameDimensionPage","features":[72]},{"name":"EncoderValueFrameDimensionResolution","features":[72]},{"name":"EncoderValueFrameDimensionTime","features":[72]},{"name":"EncoderValueLastFrame","features":[72]},{"name":"EncoderValueMultiFrame","features":[72]},{"name":"EncoderValueRenderNonProgressive","features":[72]},{"name":"EncoderValueRenderProgressive","features":[72]},{"name":"EncoderValueScanMethodInterlaced","features":[72]},{"name":"EncoderValueScanMethodNonInterlaced","features":[72]},{"name":"EncoderValueTransformFlipHorizontal","features":[72]},{"name":"EncoderValueTransformFlipVertical","features":[72]},{"name":"EncoderValueTransformRotate180","features":[72]},{"name":"EncoderValueTransformRotate270","features":[72]},{"name":"EncoderValueTransformRotate90","features":[72]},{"name":"EncoderValueVersionGif87","features":[72]},{"name":"EncoderValueVersionGif89","features":[72]},{"name":"EncoderVersion","features":[72]},{"name":"EnumerateMetafileProc","features":[1,72]},{"name":"FileNotFound","features":[72]},{"name":"FillMode","features":[72]},{"name":"FillModeAlternate","features":[72]},{"name":"FillModeWinding","features":[72]},{"name":"FlatnessDefault","features":[72]},{"name":"FlushIntention","features":[72]},{"name":"FlushIntentionFlush","features":[72]},{"name":"FlushIntentionSync","features":[72]},{"name":"Font","features":[72]},{"name":"FontCollection","features":[72]},{"name":"FontFamily","features":[72]},{"name":"FontFamilyNotFound","features":[72]},{"name":"FontStyle","features":[72]},{"name":"FontStyleBold","features":[72]},{"name":"FontStyleBoldItalic","features":[72]},{"name":"FontStyleItalic","features":[72]},{"name":"FontStyleNotFound","features":[72]},{"name":"FontStyleRegular","features":[72]},{"name":"FontStyleStrikeout","features":[72]},{"name":"FontStyleUnderline","features":[72]},{"name":"FormatIDImageInformation","features":[72]},{"name":"FormatIDJpegAppHeaders","features":[72]},{"name":"FrameDimensionPage","features":[72]},{"name":"FrameDimensionResolution","features":[72]},{"name":"FrameDimensionTime","features":[72]},{"name":"GDIP_EMFPLUSFLAGS_DISPLAY","features":[72]},{"name":"GDIP_EMFPLUS_RECORD_BASE","features":[72]},{"name":"GDIP_WMF_RECORD_BASE","features":[72]},{"name":"GREEN_SHIFT","features":[72]},{"name":"GdipAddPathArc","features":[72]},{"name":"GdipAddPathArcI","features":[72]},{"name":"GdipAddPathBezier","features":[72]},{"name":"GdipAddPathBezierI","features":[72]},{"name":"GdipAddPathBeziers","features":[72]},{"name":"GdipAddPathBeziersI","features":[72]},{"name":"GdipAddPathClosedCurve","features":[72]},{"name":"GdipAddPathClosedCurve2","features":[72]},{"name":"GdipAddPathClosedCurve2I","features":[72]},{"name":"GdipAddPathClosedCurveI","features":[72]},{"name":"GdipAddPathCurve","features":[72]},{"name":"GdipAddPathCurve2","features":[72]},{"name":"GdipAddPathCurve2I","features":[72]},{"name":"GdipAddPathCurve3","features":[72]},{"name":"GdipAddPathCurve3I","features":[72]},{"name":"GdipAddPathCurveI","features":[72]},{"name":"GdipAddPathEllipse","features":[72]},{"name":"GdipAddPathEllipseI","features":[72]},{"name":"GdipAddPathLine","features":[72]},{"name":"GdipAddPathLine2","features":[72]},{"name":"GdipAddPathLine2I","features":[72]},{"name":"GdipAddPathLineI","features":[72]},{"name":"GdipAddPathPath","features":[1,72]},{"name":"GdipAddPathPie","features":[72]},{"name":"GdipAddPathPieI","features":[72]},{"name":"GdipAddPathPolygon","features":[72]},{"name":"GdipAddPathPolygonI","features":[72]},{"name":"GdipAddPathRectangle","features":[72]},{"name":"GdipAddPathRectangleI","features":[72]},{"name":"GdipAddPathRectangles","features":[72]},{"name":"GdipAddPathRectanglesI","features":[72]},{"name":"GdipAddPathString","features":[72]},{"name":"GdipAddPathStringI","features":[72]},{"name":"GdipAlloc","features":[72]},{"name":"GdipBeginContainer","features":[72]},{"name":"GdipBeginContainer2","features":[72]},{"name":"GdipBeginContainerI","features":[72]},{"name":"GdipBitmapApplyEffect","features":[1,72]},{"name":"GdipBitmapConvertFormat","features":[72]},{"name":"GdipBitmapCreateApplyEffect","features":[1,72]},{"name":"GdipBitmapGetHistogram","features":[72]},{"name":"GdipBitmapGetHistogramSize","features":[72]},{"name":"GdipBitmapGetPixel","features":[72]},{"name":"GdipBitmapLockBits","features":[72]},{"name":"GdipBitmapSetPixel","features":[72]},{"name":"GdipBitmapSetResolution","features":[72]},{"name":"GdipBitmapUnlockBits","features":[72]},{"name":"GdipClearPathMarkers","features":[72]},{"name":"GdipCloneBitmapArea","features":[72]},{"name":"GdipCloneBitmapAreaI","features":[72]},{"name":"GdipCloneBrush","features":[72]},{"name":"GdipCloneCustomLineCap","features":[72]},{"name":"GdipCloneFont","features":[72]},{"name":"GdipCloneFontFamily","features":[72]},{"name":"GdipCloneImage","features":[72]},{"name":"GdipCloneImageAttributes","features":[72]},{"name":"GdipCloneMatrix","features":[72]},{"name":"GdipClonePath","features":[72]},{"name":"GdipClonePen","features":[72]},{"name":"GdipCloneRegion","features":[72]},{"name":"GdipCloneStringFormat","features":[72]},{"name":"GdipClosePathFigure","features":[72]},{"name":"GdipClosePathFigures","features":[72]},{"name":"GdipCombineRegionPath","features":[72]},{"name":"GdipCombineRegionRect","features":[72]},{"name":"GdipCombineRegionRectI","features":[72]},{"name":"GdipCombineRegionRegion","features":[72]},{"name":"GdipComment","features":[72]},{"name":"GdipConvertToEmfPlus","features":[72]},{"name":"GdipConvertToEmfPlusToFile","features":[72]},{"name":"GdipConvertToEmfPlusToStream","features":[72]},{"name":"GdipCreateAdjustableArrowCap","features":[1,72]},{"name":"GdipCreateBitmapFromDirectDrawSurface","features":[72]},{"name":"GdipCreateBitmapFromFile","features":[72]},{"name":"GdipCreateBitmapFromFileICM","features":[72]},{"name":"GdipCreateBitmapFromGdiDib","features":[12,72]},{"name":"GdipCreateBitmapFromGraphics","features":[72]},{"name":"GdipCreateBitmapFromHBITMAP","features":[12,72]},{"name":"GdipCreateBitmapFromHICON","features":[72,50]},{"name":"GdipCreateBitmapFromResource","features":[1,72]},{"name":"GdipCreateBitmapFromScan0","features":[72]},{"name":"GdipCreateBitmapFromStream","features":[72]},{"name":"GdipCreateBitmapFromStreamICM","features":[72]},{"name":"GdipCreateCachedBitmap","features":[72]},{"name":"GdipCreateCustomLineCap","features":[72]},{"name":"GdipCreateEffect","features":[72]},{"name":"GdipCreateFont","features":[72]},{"name":"GdipCreateFontFamilyFromName","features":[72]},{"name":"GdipCreateFontFromDC","features":[12,72]},{"name":"GdipCreateFontFromLogfontA","features":[12,72]},{"name":"GdipCreateFontFromLogfontW","features":[12,72]},{"name":"GdipCreateFromHDC","features":[12,72]},{"name":"GdipCreateFromHDC2","features":[1,12,72]},{"name":"GdipCreateFromHWND","features":[1,72]},{"name":"GdipCreateFromHWNDICM","features":[1,72]},{"name":"GdipCreateHBITMAPFromBitmap","features":[12,72]},{"name":"GdipCreateHICONFromBitmap","features":[72,50]},{"name":"GdipCreateHalftonePalette","features":[12,72]},{"name":"GdipCreateHatchBrush","features":[72]},{"name":"GdipCreateImageAttributes","features":[72]},{"name":"GdipCreateLineBrush","features":[72]},{"name":"GdipCreateLineBrushFromRect","features":[72]},{"name":"GdipCreateLineBrushFromRectI","features":[72]},{"name":"GdipCreateLineBrushFromRectWithAngle","features":[1,72]},{"name":"GdipCreateLineBrushFromRectWithAngleI","features":[1,72]},{"name":"GdipCreateLineBrushI","features":[72]},{"name":"GdipCreateMatrix","features":[72]},{"name":"GdipCreateMatrix2","features":[72]},{"name":"GdipCreateMatrix3","features":[72]},{"name":"GdipCreateMatrix3I","features":[72]},{"name":"GdipCreateMetafileFromEmf","features":[1,12,72]},{"name":"GdipCreateMetafileFromFile","features":[72]},{"name":"GdipCreateMetafileFromStream","features":[72]},{"name":"GdipCreateMetafileFromWmf","features":[1,12,72]},{"name":"GdipCreateMetafileFromWmfFile","features":[72]},{"name":"GdipCreatePath","features":[72]},{"name":"GdipCreatePath2","features":[72]},{"name":"GdipCreatePath2I","features":[72]},{"name":"GdipCreatePathGradient","features":[72]},{"name":"GdipCreatePathGradientFromPath","features":[72]},{"name":"GdipCreatePathGradientI","features":[72]},{"name":"GdipCreatePathIter","features":[72]},{"name":"GdipCreatePen1","features":[72]},{"name":"GdipCreatePen2","features":[72]},{"name":"GdipCreateRegion","features":[72]},{"name":"GdipCreateRegionHrgn","features":[12,72]},{"name":"GdipCreateRegionPath","features":[72]},{"name":"GdipCreateRegionRect","features":[72]},{"name":"GdipCreateRegionRectI","features":[72]},{"name":"GdipCreateRegionRgnData","features":[72]},{"name":"GdipCreateSolidFill","features":[72]},{"name":"GdipCreateStreamOnFile","features":[72]},{"name":"GdipCreateStringFormat","features":[72]},{"name":"GdipCreateTexture","features":[72]},{"name":"GdipCreateTexture2","features":[72]},{"name":"GdipCreateTexture2I","features":[72]},{"name":"GdipCreateTextureIA","features":[72]},{"name":"GdipCreateTextureIAI","features":[72]},{"name":"GdipDeleteBrush","features":[72]},{"name":"GdipDeleteCachedBitmap","features":[72]},{"name":"GdipDeleteCustomLineCap","features":[72]},{"name":"GdipDeleteEffect","features":[72]},{"name":"GdipDeleteFont","features":[72]},{"name":"GdipDeleteFontFamily","features":[72]},{"name":"GdipDeleteGraphics","features":[72]},{"name":"GdipDeleteMatrix","features":[72]},{"name":"GdipDeletePath","features":[72]},{"name":"GdipDeletePathIter","features":[72]},{"name":"GdipDeletePen","features":[72]},{"name":"GdipDeletePrivateFontCollection","features":[72]},{"name":"GdipDeleteRegion","features":[72]},{"name":"GdipDeleteStringFormat","features":[72]},{"name":"GdipDisposeImage","features":[72]},{"name":"GdipDisposeImageAttributes","features":[72]},{"name":"GdipDrawArc","features":[72]},{"name":"GdipDrawArcI","features":[72]},{"name":"GdipDrawBezier","features":[72]},{"name":"GdipDrawBezierI","features":[72]},{"name":"GdipDrawBeziers","features":[72]},{"name":"GdipDrawBeziersI","features":[72]},{"name":"GdipDrawCachedBitmap","features":[72]},{"name":"GdipDrawClosedCurve","features":[72]},{"name":"GdipDrawClosedCurve2","features":[72]},{"name":"GdipDrawClosedCurve2I","features":[72]},{"name":"GdipDrawClosedCurveI","features":[72]},{"name":"GdipDrawCurve","features":[72]},{"name":"GdipDrawCurve2","features":[72]},{"name":"GdipDrawCurve2I","features":[72]},{"name":"GdipDrawCurve3","features":[72]},{"name":"GdipDrawCurve3I","features":[72]},{"name":"GdipDrawCurveI","features":[72]},{"name":"GdipDrawDriverString","features":[72]},{"name":"GdipDrawEllipse","features":[72]},{"name":"GdipDrawEllipseI","features":[72]},{"name":"GdipDrawImage","features":[72]},{"name":"GdipDrawImageFX","features":[72]},{"name":"GdipDrawImageI","features":[72]},{"name":"GdipDrawImagePointRect","features":[72]},{"name":"GdipDrawImagePointRectI","features":[72]},{"name":"GdipDrawImagePoints","features":[72]},{"name":"GdipDrawImagePointsI","features":[72]},{"name":"GdipDrawImagePointsRect","features":[72]},{"name":"GdipDrawImagePointsRectI","features":[72]},{"name":"GdipDrawImageRect","features":[72]},{"name":"GdipDrawImageRectI","features":[72]},{"name":"GdipDrawImageRectRect","features":[72]},{"name":"GdipDrawImageRectRectI","features":[72]},{"name":"GdipDrawLine","features":[72]},{"name":"GdipDrawLineI","features":[72]},{"name":"GdipDrawLines","features":[72]},{"name":"GdipDrawLinesI","features":[72]},{"name":"GdipDrawPath","features":[72]},{"name":"GdipDrawPie","features":[72]},{"name":"GdipDrawPieI","features":[72]},{"name":"GdipDrawPolygon","features":[72]},{"name":"GdipDrawPolygonI","features":[72]},{"name":"GdipDrawRectangle","features":[72]},{"name":"GdipDrawRectangleI","features":[72]},{"name":"GdipDrawRectangles","features":[72]},{"name":"GdipDrawRectanglesI","features":[72]},{"name":"GdipDrawString","features":[72]},{"name":"GdipEmfToWmfBits","features":[12,72]},{"name":"GdipEndContainer","features":[72]},{"name":"GdipEnumerateMetafileDestPoint","features":[72]},{"name":"GdipEnumerateMetafileDestPointI","features":[72]},{"name":"GdipEnumerateMetafileDestPoints","features":[72]},{"name":"GdipEnumerateMetafileDestPointsI","features":[72]},{"name":"GdipEnumerateMetafileDestRect","features":[72]},{"name":"GdipEnumerateMetafileDestRectI","features":[72]},{"name":"GdipEnumerateMetafileSrcRectDestPoint","features":[72]},{"name":"GdipEnumerateMetafileSrcRectDestPointI","features":[72]},{"name":"GdipEnumerateMetafileSrcRectDestPoints","features":[72]},{"name":"GdipEnumerateMetafileSrcRectDestPointsI","features":[72]},{"name":"GdipEnumerateMetafileSrcRectDestRect","features":[72]},{"name":"GdipEnumerateMetafileSrcRectDestRectI","features":[72]},{"name":"GdipFillClosedCurve","features":[72]},{"name":"GdipFillClosedCurve2","features":[72]},{"name":"GdipFillClosedCurve2I","features":[72]},{"name":"GdipFillClosedCurveI","features":[72]},{"name":"GdipFillEllipse","features":[72]},{"name":"GdipFillEllipseI","features":[72]},{"name":"GdipFillPath","features":[72]},{"name":"GdipFillPie","features":[72]},{"name":"GdipFillPieI","features":[72]},{"name":"GdipFillPolygon","features":[72]},{"name":"GdipFillPolygon2","features":[72]},{"name":"GdipFillPolygon2I","features":[72]},{"name":"GdipFillPolygonI","features":[72]},{"name":"GdipFillRectangle","features":[72]},{"name":"GdipFillRectangleI","features":[72]},{"name":"GdipFillRectangles","features":[72]},{"name":"GdipFillRectanglesI","features":[72]},{"name":"GdipFillRegion","features":[72]},{"name":"GdipFindFirstImageItem","features":[72]},{"name":"GdipFindNextImageItem","features":[72]},{"name":"GdipFlattenPath","features":[72]},{"name":"GdipFlush","features":[72]},{"name":"GdipFree","features":[72]},{"name":"GdipGetAdjustableArrowCapFillState","features":[1,72]},{"name":"GdipGetAdjustableArrowCapHeight","features":[72]},{"name":"GdipGetAdjustableArrowCapMiddleInset","features":[72]},{"name":"GdipGetAdjustableArrowCapWidth","features":[72]},{"name":"GdipGetAllPropertyItems","features":[72]},{"name":"GdipGetBrushType","features":[72]},{"name":"GdipGetCellAscent","features":[72]},{"name":"GdipGetCellDescent","features":[72]},{"name":"GdipGetClip","features":[72]},{"name":"GdipGetClipBounds","features":[72]},{"name":"GdipGetClipBoundsI","features":[72]},{"name":"GdipGetCompositingMode","features":[72]},{"name":"GdipGetCompositingQuality","features":[72]},{"name":"GdipGetCustomLineCapBaseCap","features":[72]},{"name":"GdipGetCustomLineCapBaseInset","features":[72]},{"name":"GdipGetCustomLineCapStrokeCaps","features":[72]},{"name":"GdipGetCustomLineCapStrokeJoin","features":[72]},{"name":"GdipGetCustomLineCapType","features":[72]},{"name":"GdipGetCustomLineCapWidthScale","features":[72]},{"name":"GdipGetDC","features":[12,72]},{"name":"GdipGetDpiX","features":[72]},{"name":"GdipGetDpiY","features":[72]},{"name":"GdipGetEffectParameterSize","features":[72]},{"name":"GdipGetEffectParameters","features":[72]},{"name":"GdipGetEmHeight","features":[72]},{"name":"GdipGetEncoderParameterList","features":[72]},{"name":"GdipGetEncoderParameterListSize","features":[72]},{"name":"GdipGetFamily","features":[72]},{"name":"GdipGetFamilyName","features":[72]},{"name":"GdipGetFontCollectionFamilyCount","features":[72]},{"name":"GdipGetFontCollectionFamilyList","features":[72]},{"name":"GdipGetFontHeight","features":[72]},{"name":"GdipGetFontHeightGivenDPI","features":[72]},{"name":"GdipGetFontSize","features":[72]},{"name":"GdipGetFontStyle","features":[72]},{"name":"GdipGetFontUnit","features":[72]},{"name":"GdipGetGenericFontFamilyMonospace","features":[72]},{"name":"GdipGetGenericFontFamilySansSerif","features":[72]},{"name":"GdipGetGenericFontFamilySerif","features":[72]},{"name":"GdipGetHatchBackgroundColor","features":[72]},{"name":"GdipGetHatchForegroundColor","features":[72]},{"name":"GdipGetHatchStyle","features":[72]},{"name":"GdipGetHemfFromMetafile","features":[12,72]},{"name":"GdipGetImageAttributesAdjustedPalette","features":[72]},{"name":"GdipGetImageBounds","features":[72]},{"name":"GdipGetImageDecoders","features":[72]},{"name":"GdipGetImageDecodersSize","features":[72]},{"name":"GdipGetImageDimension","features":[72]},{"name":"GdipGetImageEncoders","features":[72]},{"name":"GdipGetImageEncodersSize","features":[72]},{"name":"GdipGetImageFlags","features":[72]},{"name":"GdipGetImageGraphicsContext","features":[72]},{"name":"GdipGetImageHeight","features":[72]},{"name":"GdipGetImageHorizontalResolution","features":[72]},{"name":"GdipGetImageItemData","features":[72]},{"name":"GdipGetImagePalette","features":[72]},{"name":"GdipGetImagePaletteSize","features":[72]},{"name":"GdipGetImagePixelFormat","features":[72]},{"name":"GdipGetImageRawFormat","features":[72]},{"name":"GdipGetImageThumbnail","features":[72]},{"name":"GdipGetImageType","features":[72]},{"name":"GdipGetImageVerticalResolution","features":[72]},{"name":"GdipGetImageWidth","features":[72]},{"name":"GdipGetInterpolationMode","features":[72]},{"name":"GdipGetLineBlend","features":[72]},{"name":"GdipGetLineBlendCount","features":[72]},{"name":"GdipGetLineColors","features":[72]},{"name":"GdipGetLineGammaCorrection","features":[1,72]},{"name":"GdipGetLinePresetBlend","features":[72]},{"name":"GdipGetLinePresetBlendCount","features":[72]},{"name":"GdipGetLineRect","features":[72]},{"name":"GdipGetLineRectI","features":[72]},{"name":"GdipGetLineSpacing","features":[72]},{"name":"GdipGetLineTransform","features":[72]},{"name":"GdipGetLineWrapMode","features":[72]},{"name":"GdipGetLogFontA","features":[12,72]},{"name":"GdipGetLogFontW","features":[12,72]},{"name":"GdipGetMatrixElements","features":[72]},{"name":"GdipGetMetafileDownLevelRasterizationLimit","features":[72]},{"name":"GdipGetMetafileHeaderFromEmf","features":[1,12,72]},{"name":"GdipGetMetafileHeaderFromFile","features":[1,12,72]},{"name":"GdipGetMetafileHeaderFromMetafile","features":[1,12,72]},{"name":"GdipGetMetafileHeaderFromStream","features":[1,12,72]},{"name":"GdipGetMetafileHeaderFromWmf","features":[1,12,72]},{"name":"GdipGetNearestColor","features":[72]},{"name":"GdipGetPageScale","features":[72]},{"name":"GdipGetPageUnit","features":[72]},{"name":"GdipGetPathData","features":[72]},{"name":"GdipGetPathFillMode","features":[72]},{"name":"GdipGetPathGradientBlend","features":[72]},{"name":"GdipGetPathGradientBlendCount","features":[72]},{"name":"GdipGetPathGradientCenterColor","features":[72]},{"name":"GdipGetPathGradientCenterPoint","features":[72]},{"name":"GdipGetPathGradientCenterPointI","features":[72]},{"name":"GdipGetPathGradientFocusScales","features":[72]},{"name":"GdipGetPathGradientGammaCorrection","features":[1,72]},{"name":"GdipGetPathGradientPath","features":[72]},{"name":"GdipGetPathGradientPointCount","features":[72]},{"name":"GdipGetPathGradientPresetBlend","features":[72]},{"name":"GdipGetPathGradientPresetBlendCount","features":[72]},{"name":"GdipGetPathGradientRect","features":[72]},{"name":"GdipGetPathGradientRectI","features":[72]},{"name":"GdipGetPathGradientSurroundColorCount","features":[72]},{"name":"GdipGetPathGradientSurroundColorsWithCount","features":[72]},{"name":"GdipGetPathGradientTransform","features":[72]},{"name":"GdipGetPathGradientWrapMode","features":[72]},{"name":"GdipGetPathLastPoint","features":[72]},{"name":"GdipGetPathPoints","features":[72]},{"name":"GdipGetPathPointsI","features":[72]},{"name":"GdipGetPathTypes","features":[72]},{"name":"GdipGetPathWorldBounds","features":[72]},{"name":"GdipGetPathWorldBoundsI","features":[72]},{"name":"GdipGetPenBrushFill","features":[72]},{"name":"GdipGetPenColor","features":[72]},{"name":"GdipGetPenCompoundArray","features":[72]},{"name":"GdipGetPenCompoundCount","features":[72]},{"name":"GdipGetPenCustomEndCap","features":[72]},{"name":"GdipGetPenCustomStartCap","features":[72]},{"name":"GdipGetPenDashArray","features":[72]},{"name":"GdipGetPenDashCap197819","features":[72]},{"name":"GdipGetPenDashCount","features":[72]},{"name":"GdipGetPenDashOffset","features":[72]},{"name":"GdipGetPenDashStyle","features":[72]},{"name":"GdipGetPenEndCap","features":[72]},{"name":"GdipGetPenFillType","features":[72]},{"name":"GdipGetPenLineJoin","features":[72]},{"name":"GdipGetPenMiterLimit","features":[72]},{"name":"GdipGetPenMode","features":[72]},{"name":"GdipGetPenStartCap","features":[72]},{"name":"GdipGetPenTransform","features":[72]},{"name":"GdipGetPenUnit","features":[72]},{"name":"GdipGetPenWidth","features":[72]},{"name":"GdipGetPixelOffsetMode","features":[72]},{"name":"GdipGetPointCount","features":[72]},{"name":"GdipGetPropertyCount","features":[72]},{"name":"GdipGetPropertyIdList","features":[72]},{"name":"GdipGetPropertyItem","features":[72]},{"name":"GdipGetPropertyItemSize","features":[72]},{"name":"GdipGetPropertySize","features":[72]},{"name":"GdipGetRegionBounds","features":[72]},{"name":"GdipGetRegionBoundsI","features":[72]},{"name":"GdipGetRegionData","features":[72]},{"name":"GdipGetRegionDataSize","features":[72]},{"name":"GdipGetRegionHRgn","features":[12,72]},{"name":"GdipGetRegionScans","features":[72]},{"name":"GdipGetRegionScansCount","features":[72]},{"name":"GdipGetRegionScansI","features":[72]},{"name":"GdipGetRenderingOrigin","features":[72]},{"name":"GdipGetSmoothingMode","features":[72]},{"name":"GdipGetSolidFillColor","features":[72]},{"name":"GdipGetStringFormatAlign","features":[72]},{"name":"GdipGetStringFormatDigitSubstitution","features":[72]},{"name":"GdipGetStringFormatFlags","features":[72]},{"name":"GdipGetStringFormatHotkeyPrefix","features":[72]},{"name":"GdipGetStringFormatLineAlign","features":[72]},{"name":"GdipGetStringFormatMeasurableCharacterRangeCount","features":[72]},{"name":"GdipGetStringFormatTabStopCount","features":[72]},{"name":"GdipGetStringFormatTabStops","features":[72]},{"name":"GdipGetStringFormatTrimming","features":[72]},{"name":"GdipGetTextContrast","features":[72]},{"name":"GdipGetTextRenderingHint","features":[72]},{"name":"GdipGetTextureImage","features":[72]},{"name":"GdipGetTextureTransform","features":[72]},{"name":"GdipGetTextureWrapMode","features":[72]},{"name":"GdipGetVisibleClipBounds","features":[72]},{"name":"GdipGetVisibleClipBoundsI","features":[72]},{"name":"GdipGetWorldTransform","features":[72]},{"name":"GdipGraphicsClear","features":[72]},{"name":"GdipGraphicsSetAbort","features":[72]},{"name":"GdipImageForceValidation","features":[72]},{"name":"GdipImageGetFrameCount","features":[72]},{"name":"GdipImageGetFrameDimensionsCount","features":[72]},{"name":"GdipImageGetFrameDimensionsList","features":[72]},{"name":"GdipImageRotateFlip","features":[72]},{"name":"GdipImageSelectActiveFrame","features":[72]},{"name":"GdipImageSetAbort","features":[72]},{"name":"GdipInitializePalette","features":[1,72]},{"name":"GdipInvertMatrix","features":[72]},{"name":"GdipIsClipEmpty","features":[1,72]},{"name":"GdipIsEmptyRegion","features":[1,72]},{"name":"GdipIsEqualRegion","features":[1,72]},{"name":"GdipIsInfiniteRegion","features":[1,72]},{"name":"GdipIsMatrixEqual","features":[1,72]},{"name":"GdipIsMatrixIdentity","features":[1,72]},{"name":"GdipIsMatrixInvertible","features":[1,72]},{"name":"GdipIsOutlineVisiblePathPoint","features":[1,72]},{"name":"GdipIsOutlineVisiblePathPointI","features":[1,72]},{"name":"GdipIsStyleAvailable","features":[1,72]},{"name":"GdipIsVisibleClipEmpty","features":[1,72]},{"name":"GdipIsVisiblePathPoint","features":[1,72]},{"name":"GdipIsVisiblePathPointI","features":[1,72]},{"name":"GdipIsVisiblePoint","features":[1,72]},{"name":"GdipIsVisiblePointI","features":[1,72]},{"name":"GdipIsVisibleRect","features":[1,72]},{"name":"GdipIsVisibleRectI","features":[1,72]},{"name":"GdipIsVisibleRegionPoint","features":[1,72]},{"name":"GdipIsVisibleRegionPointI","features":[1,72]},{"name":"GdipIsVisibleRegionRect","features":[1,72]},{"name":"GdipIsVisibleRegionRectI","features":[1,72]},{"name":"GdipLoadImageFromFile","features":[72]},{"name":"GdipLoadImageFromFileICM","features":[72]},{"name":"GdipLoadImageFromStream","features":[72]},{"name":"GdipLoadImageFromStreamICM","features":[72]},{"name":"GdipMeasureCharacterRanges","features":[72]},{"name":"GdipMeasureDriverString","features":[72]},{"name":"GdipMeasureString","features":[72]},{"name":"GdipMultiplyLineTransform","features":[72]},{"name":"GdipMultiplyMatrix","features":[72]},{"name":"GdipMultiplyPathGradientTransform","features":[72]},{"name":"GdipMultiplyPenTransform","features":[72]},{"name":"GdipMultiplyTextureTransform","features":[72]},{"name":"GdipMultiplyWorldTransform","features":[72]},{"name":"GdipNewInstalledFontCollection","features":[72]},{"name":"GdipNewPrivateFontCollection","features":[72]},{"name":"GdipPathIterCopyData","features":[72]},{"name":"GdipPathIterEnumerate","features":[72]},{"name":"GdipPathIterGetCount","features":[72]},{"name":"GdipPathIterGetSubpathCount","features":[72]},{"name":"GdipPathIterHasCurve","features":[1,72]},{"name":"GdipPathIterIsValid","features":[1,72]},{"name":"GdipPathIterNextMarker","features":[72]},{"name":"GdipPathIterNextMarkerPath","features":[72]},{"name":"GdipPathIterNextPathType","features":[72]},{"name":"GdipPathIterNextSubpath","features":[1,72]},{"name":"GdipPathIterNextSubpathPath","features":[1,72]},{"name":"GdipPathIterRewind","features":[72]},{"name":"GdipPlayMetafileRecord","features":[72]},{"name":"GdipPrivateAddFontFile","features":[72]},{"name":"GdipPrivateAddMemoryFont","features":[72]},{"name":"GdipRecordMetafile","features":[12,72]},{"name":"GdipRecordMetafileFileName","features":[12,72]},{"name":"GdipRecordMetafileFileNameI","features":[12,72]},{"name":"GdipRecordMetafileI","features":[12,72]},{"name":"GdipRecordMetafileStream","features":[12,72]},{"name":"GdipRecordMetafileStreamI","features":[12,72]},{"name":"GdipReleaseDC","features":[12,72]},{"name":"GdipRemovePropertyItem","features":[72]},{"name":"GdipResetClip","features":[72]},{"name":"GdipResetImageAttributes","features":[72]},{"name":"GdipResetLineTransform","features":[72]},{"name":"GdipResetPageTransform","features":[72]},{"name":"GdipResetPath","features":[72]},{"name":"GdipResetPathGradientTransform","features":[72]},{"name":"GdipResetPenTransform","features":[72]},{"name":"GdipResetTextureTransform","features":[72]},{"name":"GdipResetWorldTransform","features":[72]},{"name":"GdipRestoreGraphics","features":[72]},{"name":"GdipReversePath","features":[72]},{"name":"GdipRotateLineTransform","features":[72]},{"name":"GdipRotateMatrix","features":[72]},{"name":"GdipRotatePathGradientTransform","features":[72]},{"name":"GdipRotatePenTransform","features":[72]},{"name":"GdipRotateTextureTransform","features":[72]},{"name":"GdipRotateWorldTransform","features":[72]},{"name":"GdipSaveAdd","features":[72]},{"name":"GdipSaveAddImage","features":[72]},{"name":"GdipSaveGraphics","features":[72]},{"name":"GdipSaveImageToFile","features":[72]},{"name":"GdipSaveImageToStream","features":[72]},{"name":"GdipScaleLineTransform","features":[72]},{"name":"GdipScaleMatrix","features":[72]},{"name":"GdipScalePathGradientTransform","features":[72]},{"name":"GdipScalePenTransform","features":[72]},{"name":"GdipScaleTextureTransform","features":[72]},{"name":"GdipScaleWorldTransform","features":[72]},{"name":"GdipSetAdjustableArrowCapFillState","features":[1,72]},{"name":"GdipSetAdjustableArrowCapHeight","features":[72]},{"name":"GdipSetAdjustableArrowCapMiddleInset","features":[72]},{"name":"GdipSetAdjustableArrowCapWidth","features":[72]},{"name":"GdipSetClipGraphics","features":[72]},{"name":"GdipSetClipHrgn","features":[12,72]},{"name":"GdipSetClipPath","features":[72]},{"name":"GdipSetClipRect","features":[72]},{"name":"GdipSetClipRectI","features":[72]},{"name":"GdipSetClipRegion","features":[72]},{"name":"GdipSetCompositingMode","features":[72]},{"name":"GdipSetCompositingQuality","features":[72]},{"name":"GdipSetCustomLineCapBaseCap","features":[72]},{"name":"GdipSetCustomLineCapBaseInset","features":[72]},{"name":"GdipSetCustomLineCapStrokeCaps","features":[72]},{"name":"GdipSetCustomLineCapStrokeJoin","features":[72]},{"name":"GdipSetCustomLineCapWidthScale","features":[72]},{"name":"GdipSetEffectParameters","features":[72]},{"name":"GdipSetEmpty","features":[72]},{"name":"GdipSetImageAttributesCachedBackground","features":[1,72]},{"name":"GdipSetImageAttributesColorKeys","features":[1,72]},{"name":"GdipSetImageAttributesColorMatrix","features":[1,72]},{"name":"GdipSetImageAttributesGamma","features":[1,72]},{"name":"GdipSetImageAttributesNoOp","features":[1,72]},{"name":"GdipSetImageAttributesOutputChannel","features":[1,72]},{"name":"GdipSetImageAttributesOutputChannelColorProfile","features":[1,72]},{"name":"GdipSetImageAttributesRemapTable","features":[1,72]},{"name":"GdipSetImageAttributesThreshold","features":[1,72]},{"name":"GdipSetImageAttributesToIdentity","features":[72]},{"name":"GdipSetImageAttributesWrapMode","features":[1,72]},{"name":"GdipSetImagePalette","features":[72]},{"name":"GdipSetInfinite","features":[72]},{"name":"GdipSetInterpolationMode","features":[72]},{"name":"GdipSetLineBlend","features":[72]},{"name":"GdipSetLineColors","features":[72]},{"name":"GdipSetLineGammaCorrection","features":[1,72]},{"name":"GdipSetLineLinearBlend","features":[72]},{"name":"GdipSetLinePresetBlend","features":[72]},{"name":"GdipSetLineSigmaBlend","features":[72]},{"name":"GdipSetLineTransform","features":[72]},{"name":"GdipSetLineWrapMode","features":[72]},{"name":"GdipSetMatrixElements","features":[72]},{"name":"GdipSetMetafileDownLevelRasterizationLimit","features":[72]},{"name":"GdipSetPageScale","features":[72]},{"name":"GdipSetPageUnit","features":[72]},{"name":"GdipSetPathFillMode","features":[72]},{"name":"GdipSetPathGradientBlend","features":[72]},{"name":"GdipSetPathGradientCenterColor","features":[72]},{"name":"GdipSetPathGradientCenterPoint","features":[72]},{"name":"GdipSetPathGradientCenterPointI","features":[72]},{"name":"GdipSetPathGradientFocusScales","features":[72]},{"name":"GdipSetPathGradientGammaCorrection","features":[1,72]},{"name":"GdipSetPathGradientLinearBlend","features":[72]},{"name":"GdipSetPathGradientPath","features":[72]},{"name":"GdipSetPathGradientPresetBlend","features":[72]},{"name":"GdipSetPathGradientSigmaBlend","features":[72]},{"name":"GdipSetPathGradientSurroundColorsWithCount","features":[72]},{"name":"GdipSetPathGradientTransform","features":[72]},{"name":"GdipSetPathGradientWrapMode","features":[72]},{"name":"GdipSetPathMarker","features":[72]},{"name":"GdipSetPenBrushFill","features":[72]},{"name":"GdipSetPenColor","features":[72]},{"name":"GdipSetPenCompoundArray","features":[72]},{"name":"GdipSetPenCustomEndCap","features":[72]},{"name":"GdipSetPenCustomStartCap","features":[72]},{"name":"GdipSetPenDashArray","features":[72]},{"name":"GdipSetPenDashCap197819","features":[72]},{"name":"GdipSetPenDashOffset","features":[72]},{"name":"GdipSetPenDashStyle","features":[72]},{"name":"GdipSetPenEndCap","features":[72]},{"name":"GdipSetPenLineCap197819","features":[72]},{"name":"GdipSetPenLineJoin","features":[72]},{"name":"GdipSetPenMiterLimit","features":[72]},{"name":"GdipSetPenMode","features":[72]},{"name":"GdipSetPenStartCap","features":[72]},{"name":"GdipSetPenTransform","features":[72]},{"name":"GdipSetPenUnit","features":[72]},{"name":"GdipSetPenWidth","features":[72]},{"name":"GdipSetPixelOffsetMode","features":[72]},{"name":"GdipSetPropertyItem","features":[72]},{"name":"GdipSetRenderingOrigin","features":[72]},{"name":"GdipSetSmoothingMode","features":[72]},{"name":"GdipSetSolidFillColor","features":[72]},{"name":"GdipSetStringFormatAlign","features":[72]},{"name":"GdipSetStringFormatDigitSubstitution","features":[72]},{"name":"GdipSetStringFormatFlags","features":[72]},{"name":"GdipSetStringFormatHotkeyPrefix","features":[72]},{"name":"GdipSetStringFormatLineAlign","features":[72]},{"name":"GdipSetStringFormatMeasurableCharacterRanges","features":[72]},{"name":"GdipSetStringFormatTabStops","features":[72]},{"name":"GdipSetStringFormatTrimming","features":[72]},{"name":"GdipSetTextContrast","features":[72]},{"name":"GdipSetTextRenderingHint","features":[72]},{"name":"GdipSetTextureTransform","features":[72]},{"name":"GdipSetTextureWrapMode","features":[72]},{"name":"GdipSetWorldTransform","features":[72]},{"name":"GdipShearMatrix","features":[72]},{"name":"GdipStartPathFigure","features":[72]},{"name":"GdipStringFormatGetGenericDefault","features":[72]},{"name":"GdipStringFormatGetGenericTypographic","features":[72]},{"name":"GdipTestControl","features":[72]},{"name":"GdipTransformMatrixPoints","features":[72]},{"name":"GdipTransformMatrixPointsI","features":[72]},{"name":"GdipTransformPath","features":[72]},{"name":"GdipTransformPoints","features":[72]},{"name":"GdipTransformPointsI","features":[72]},{"name":"GdipTransformRegion","features":[72]},{"name":"GdipTranslateClip","features":[72]},{"name":"GdipTranslateClipI","features":[72]},{"name":"GdipTranslateLineTransform","features":[72]},{"name":"GdipTranslateMatrix","features":[72]},{"name":"GdipTranslatePathGradientTransform","features":[72]},{"name":"GdipTranslatePenTransform","features":[72]},{"name":"GdipTranslateRegion","features":[72]},{"name":"GdipTranslateRegionI","features":[72]},{"name":"GdipTranslateTextureTransform","features":[72]},{"name":"GdipTranslateWorldTransform","features":[72]},{"name":"GdipVectorTransformMatrixPoints","features":[72]},{"name":"GdipVectorTransformMatrixPointsI","features":[72]},{"name":"GdipWarpPath","features":[72]},{"name":"GdipWidenPath","features":[72]},{"name":"GdipWindingModeOutline","features":[72]},{"name":"GdiplusAbort","features":[72]},{"name":"GdiplusNotInitialized","features":[72]},{"name":"GdiplusNotificationHook","features":[72]},{"name":"GdiplusNotificationUnhook","features":[72]},{"name":"GdiplusShutdown","features":[72]},{"name":"GdiplusStartup","features":[1,72]},{"name":"GdiplusStartupDefault","features":[72]},{"name":"GdiplusStartupInput","features":[1,72]},{"name":"GdiplusStartupInputEx","features":[1,72]},{"name":"GdiplusStartupNoSetRound","features":[72]},{"name":"GdiplusStartupOutput","features":[72]},{"name":"GdiplusStartupParams","features":[72]},{"name":"GdiplusStartupSetPSValue","features":[72]},{"name":"GdiplusStartupTransparencyMask","features":[72]},{"name":"GenericError","features":[72]},{"name":"GenericFontFamily","features":[72]},{"name":"GenericFontFamilyMonospace","features":[72]},{"name":"GenericFontFamilySansSerif","features":[72]},{"name":"GenericFontFamilySerif","features":[72]},{"name":"GetThumbnailImageAbort","features":[1,72]},{"name":"GpAdjustableArrowCap","features":[72]},{"name":"GpBitmap","features":[72]},{"name":"GpBrush","features":[72]},{"name":"GpCachedBitmap","features":[72]},{"name":"GpCustomLineCap","features":[72]},{"name":"GpFont","features":[72]},{"name":"GpFontCollection","features":[72]},{"name":"GpFontFamily","features":[72]},{"name":"GpGraphics","features":[72]},{"name":"GpHatch","features":[72]},{"name":"GpImage","features":[72]},{"name":"GpImageAttributes","features":[72]},{"name":"GpInstalledFontCollection","features":[72]},{"name":"GpLineGradient","features":[72]},{"name":"GpMetafile","features":[72]},{"name":"GpPath","features":[72]},{"name":"GpPathGradient","features":[72]},{"name":"GpPathIterator","features":[72]},{"name":"GpPen","features":[72]},{"name":"GpPrivateFontCollection","features":[72]},{"name":"GpRegion","features":[72]},{"name":"GpSolidFill","features":[72]},{"name":"GpStringFormat","features":[72]},{"name":"GpTestControlEnum","features":[72]},{"name":"GpTexture","features":[72]},{"name":"HatchStyle","features":[72]},{"name":"HatchStyle05Percent","features":[72]},{"name":"HatchStyle10Percent","features":[72]},{"name":"HatchStyle20Percent","features":[72]},{"name":"HatchStyle25Percent","features":[72]},{"name":"HatchStyle30Percent","features":[72]},{"name":"HatchStyle40Percent","features":[72]},{"name":"HatchStyle50Percent","features":[72]},{"name":"HatchStyle60Percent","features":[72]},{"name":"HatchStyle70Percent","features":[72]},{"name":"HatchStyle75Percent","features":[72]},{"name":"HatchStyle80Percent","features":[72]},{"name":"HatchStyle90Percent","features":[72]},{"name":"HatchStyleBackwardDiagonal","features":[72]},{"name":"HatchStyleCross","features":[72]},{"name":"HatchStyleDarkDownwardDiagonal","features":[72]},{"name":"HatchStyleDarkHorizontal","features":[72]},{"name":"HatchStyleDarkUpwardDiagonal","features":[72]},{"name":"HatchStyleDarkVertical","features":[72]},{"name":"HatchStyleDashedDownwardDiagonal","features":[72]},{"name":"HatchStyleDashedHorizontal","features":[72]},{"name":"HatchStyleDashedUpwardDiagonal","features":[72]},{"name":"HatchStyleDashedVertical","features":[72]},{"name":"HatchStyleDiagonalBrick","features":[72]},{"name":"HatchStyleDiagonalCross","features":[72]},{"name":"HatchStyleDivot","features":[72]},{"name":"HatchStyleDottedDiamond","features":[72]},{"name":"HatchStyleDottedGrid","features":[72]},{"name":"HatchStyleForwardDiagonal","features":[72]},{"name":"HatchStyleHorizontal","features":[72]},{"name":"HatchStyleHorizontalBrick","features":[72]},{"name":"HatchStyleLargeCheckerBoard","features":[72]},{"name":"HatchStyleLargeConfetti","features":[72]},{"name":"HatchStyleLargeGrid","features":[72]},{"name":"HatchStyleLightDownwardDiagonal","features":[72]},{"name":"HatchStyleLightHorizontal","features":[72]},{"name":"HatchStyleLightUpwardDiagonal","features":[72]},{"name":"HatchStyleLightVertical","features":[72]},{"name":"HatchStyleMax","features":[72]},{"name":"HatchStyleMin","features":[72]},{"name":"HatchStyleNarrowHorizontal","features":[72]},{"name":"HatchStyleNarrowVertical","features":[72]},{"name":"HatchStyleOutlinedDiamond","features":[72]},{"name":"HatchStylePlaid","features":[72]},{"name":"HatchStyleShingle","features":[72]},{"name":"HatchStyleSmallCheckerBoard","features":[72]},{"name":"HatchStyleSmallConfetti","features":[72]},{"name":"HatchStyleSmallGrid","features":[72]},{"name":"HatchStyleSolidDiamond","features":[72]},{"name":"HatchStyleSphere","features":[72]},{"name":"HatchStyleTotal","features":[72]},{"name":"HatchStyleTrellis","features":[72]},{"name":"HatchStyleVertical","features":[72]},{"name":"HatchStyleWave","features":[72]},{"name":"HatchStyleWeave","features":[72]},{"name":"HatchStyleWideDownwardDiagonal","features":[72]},{"name":"HatchStyleWideUpwardDiagonal","features":[72]},{"name":"HatchStyleZigZag","features":[72]},{"name":"HistogramFormat","features":[72]},{"name":"HistogramFormatA","features":[72]},{"name":"HistogramFormatARGB","features":[72]},{"name":"HistogramFormatB","features":[72]},{"name":"HistogramFormatG","features":[72]},{"name":"HistogramFormatGray","features":[72]},{"name":"HistogramFormatPARGB","features":[72]},{"name":"HistogramFormatR","features":[72]},{"name":"HistogramFormatRGB","features":[72]},{"name":"HotkeyPrefix","features":[72]},{"name":"HotkeyPrefixHide","features":[72]},{"name":"HotkeyPrefixNone","features":[72]},{"name":"HotkeyPrefixShow","features":[72]},{"name":"HueSaturationLightness","features":[1,72]},{"name":"HueSaturationLightnessEffectGuid","features":[72]},{"name":"HueSaturationLightnessParams","features":[72]},{"name":"IImageBytes","features":[72]},{"name":"Image","features":[72]},{"name":"ImageAbort","features":[1,72]},{"name":"ImageCodecFlags","features":[72]},{"name":"ImageCodecFlagsBlockingDecode","features":[72]},{"name":"ImageCodecFlagsBuiltin","features":[72]},{"name":"ImageCodecFlagsDecoder","features":[72]},{"name":"ImageCodecFlagsEncoder","features":[72]},{"name":"ImageCodecFlagsSeekableEncode","features":[72]},{"name":"ImageCodecFlagsSupportBitmap","features":[72]},{"name":"ImageCodecFlagsSupportVector","features":[72]},{"name":"ImageCodecFlagsSystem","features":[72]},{"name":"ImageCodecFlagsUser","features":[72]},{"name":"ImageCodecInfo","features":[72]},{"name":"ImageFlags","features":[72]},{"name":"ImageFlagsCaching","features":[72]},{"name":"ImageFlagsColorSpaceCMYK","features":[72]},{"name":"ImageFlagsColorSpaceGRAY","features":[72]},{"name":"ImageFlagsColorSpaceRGB","features":[72]},{"name":"ImageFlagsColorSpaceYCBCR","features":[72]},{"name":"ImageFlagsColorSpaceYCCK","features":[72]},{"name":"ImageFlagsHasAlpha","features":[72]},{"name":"ImageFlagsHasRealDPI","features":[72]},{"name":"ImageFlagsHasRealPixelSize","features":[72]},{"name":"ImageFlagsHasTranslucent","features":[72]},{"name":"ImageFlagsNone","features":[72]},{"name":"ImageFlagsPartiallyScalable","features":[72]},{"name":"ImageFlagsReadOnly","features":[72]},{"name":"ImageFlagsScalable","features":[72]},{"name":"ImageFormatBMP","features":[72]},{"name":"ImageFormatEMF","features":[72]},{"name":"ImageFormatEXIF","features":[72]},{"name":"ImageFormatGIF","features":[72]},{"name":"ImageFormatHEIF","features":[72]},{"name":"ImageFormatIcon","features":[72]},{"name":"ImageFormatJPEG","features":[72]},{"name":"ImageFormatMemoryBMP","features":[72]},{"name":"ImageFormatPNG","features":[72]},{"name":"ImageFormatTIFF","features":[72]},{"name":"ImageFormatUndefined","features":[72]},{"name":"ImageFormatWEBP","features":[72]},{"name":"ImageFormatWMF","features":[72]},{"name":"ImageItemData","features":[72]},{"name":"ImageLockMode","features":[72]},{"name":"ImageLockModeRead","features":[72]},{"name":"ImageLockModeUserInputBuf","features":[72]},{"name":"ImageLockModeWrite","features":[72]},{"name":"ImageType","features":[72]},{"name":"ImageTypeBitmap","features":[72]},{"name":"ImageTypeMetafile","features":[72]},{"name":"ImageTypeUnknown","features":[72]},{"name":"InstalledFontCollection","features":[72]},{"name":"InsufficientBuffer","features":[72]},{"name":"InterpolationMode","features":[72]},{"name":"InterpolationModeBicubic","features":[72]},{"name":"InterpolationModeBilinear","features":[72]},{"name":"InterpolationModeDefault","features":[72]},{"name":"InterpolationModeHighQuality","features":[72]},{"name":"InterpolationModeHighQualityBicubic","features":[72]},{"name":"InterpolationModeHighQualityBilinear","features":[72]},{"name":"InterpolationModeInvalid","features":[72]},{"name":"InterpolationModeLowQuality","features":[72]},{"name":"InterpolationModeNearestNeighbor","features":[72]},{"name":"InvalidParameter","features":[72]},{"name":"ItemDataPosition","features":[72]},{"name":"ItemDataPositionAfterBits","features":[72]},{"name":"ItemDataPositionAfterHeader","features":[72]},{"name":"ItemDataPositionAfterPalette","features":[72]},{"name":"Levels","features":[1,72]},{"name":"LevelsEffectGuid","features":[72]},{"name":"LevelsParams","features":[72]},{"name":"LineCap","features":[72]},{"name":"LineCapAnchorMask","features":[72]},{"name":"LineCapArrowAnchor","features":[72]},{"name":"LineCapCustom","features":[72]},{"name":"LineCapDiamondAnchor","features":[72]},{"name":"LineCapFlat","features":[72]},{"name":"LineCapNoAnchor","features":[72]},{"name":"LineCapRound","features":[72]},{"name":"LineCapRoundAnchor","features":[72]},{"name":"LineCapSquare","features":[72]},{"name":"LineCapSquareAnchor","features":[72]},{"name":"LineCapTriangle","features":[72]},{"name":"LineJoin","features":[72]},{"name":"LineJoinBevel","features":[72]},{"name":"LineJoinMiter","features":[72]},{"name":"LineJoinMiterClipped","features":[72]},{"name":"LineJoinRound","features":[72]},{"name":"LinearGradientMode","features":[72]},{"name":"LinearGradientModeBackwardDiagonal","features":[72]},{"name":"LinearGradientModeForwardDiagonal","features":[72]},{"name":"LinearGradientModeHorizontal","features":[72]},{"name":"LinearGradientModeVertical","features":[72]},{"name":"Matrix","features":[72]},{"name":"MatrixOrder","features":[72]},{"name":"MatrixOrderAppend","features":[72]},{"name":"MatrixOrderPrepend","features":[72]},{"name":"Metafile","features":[72]},{"name":"MetafileFrameUnit","features":[72]},{"name":"MetafileFrameUnitDocument","features":[72]},{"name":"MetafileFrameUnitGdi","features":[72]},{"name":"MetafileFrameUnitInch","features":[72]},{"name":"MetafileFrameUnitMillimeter","features":[72]},{"name":"MetafileFrameUnitPixel","features":[72]},{"name":"MetafileFrameUnitPoint","features":[72]},{"name":"MetafileHeader","features":[1,12,72]},{"name":"MetafileType","features":[72]},{"name":"MetafileTypeEmf","features":[72]},{"name":"MetafileTypeEmfPlusDual","features":[72]},{"name":"MetafileTypeEmfPlusOnly","features":[72]},{"name":"MetafileTypeInvalid","features":[72]},{"name":"MetafileTypeWmf","features":[72]},{"name":"MetafileTypeWmfPlaceable","features":[72]},{"name":"NotImplemented","features":[72]},{"name":"NotTrueTypeFont","features":[72]},{"name":"NotificationHookProc","features":[72]},{"name":"NotificationUnhookProc","features":[72]},{"name":"ObjectBusy","features":[72]},{"name":"ObjectType","features":[72]},{"name":"ObjectTypeBrush","features":[72]},{"name":"ObjectTypeCustomLineCap","features":[72]},{"name":"ObjectTypeFont","features":[72]},{"name":"ObjectTypeGraphics","features":[72]},{"name":"ObjectTypeImage","features":[72]},{"name":"ObjectTypeImageAttributes","features":[72]},{"name":"ObjectTypeInvalid","features":[72]},{"name":"ObjectTypeMax","features":[72]},{"name":"ObjectTypeMin","features":[72]},{"name":"ObjectTypePath","features":[72]},{"name":"ObjectTypePen","features":[72]},{"name":"ObjectTypeRegion","features":[72]},{"name":"ObjectTypeStringFormat","features":[72]},{"name":"Ok","features":[72]},{"name":"OutOfMemory","features":[72]},{"name":"PWMFRect16","features":[72]},{"name":"PaletteFlags","features":[72]},{"name":"PaletteFlagsGrayScale","features":[72]},{"name":"PaletteFlagsHalftone","features":[72]},{"name":"PaletteFlagsHasAlpha","features":[72]},{"name":"PaletteType","features":[72]},{"name":"PaletteTypeCustom","features":[72]},{"name":"PaletteTypeFixedBW","features":[72]},{"name":"PaletteTypeFixedHalftone125","features":[72]},{"name":"PaletteTypeFixedHalftone216","features":[72]},{"name":"PaletteTypeFixedHalftone252","features":[72]},{"name":"PaletteTypeFixedHalftone256","features":[72]},{"name":"PaletteTypeFixedHalftone27","features":[72]},{"name":"PaletteTypeFixedHalftone64","features":[72]},{"name":"PaletteTypeFixedHalftone8","features":[72]},{"name":"PaletteTypeOptimal","features":[72]},{"name":"PathData","features":[72]},{"name":"PathPointType","features":[72]},{"name":"PathPointTypeBezier","features":[72]},{"name":"PathPointTypeBezier3","features":[72]},{"name":"PathPointTypeCloseSubpath","features":[72]},{"name":"PathPointTypeDashMode","features":[72]},{"name":"PathPointTypeLine","features":[72]},{"name":"PathPointTypePathMarker","features":[72]},{"name":"PathPointTypePathTypeMask","features":[72]},{"name":"PathPointTypeStart","features":[72]},{"name":"PenAlignment","features":[72]},{"name":"PenAlignmentCenter","features":[72]},{"name":"PenAlignmentInset","features":[72]},{"name":"PenType","features":[72]},{"name":"PenTypeHatchFill","features":[72]},{"name":"PenTypeLinearGradient","features":[72]},{"name":"PenTypePathGradient","features":[72]},{"name":"PenTypeSolidColor","features":[72]},{"name":"PenTypeTextureFill","features":[72]},{"name":"PenTypeUnknown","features":[72]},{"name":"PixelFormatAlpha","features":[72]},{"name":"PixelFormatCanonical","features":[72]},{"name":"PixelFormatDontCare","features":[72]},{"name":"PixelFormatExtended","features":[72]},{"name":"PixelFormatGDI","features":[72]},{"name":"PixelFormatIndexed","features":[72]},{"name":"PixelFormatMax","features":[72]},{"name":"PixelFormatPAlpha","features":[72]},{"name":"PixelFormatUndefined","features":[72]},{"name":"PixelOffsetMode","features":[72]},{"name":"PixelOffsetModeDefault","features":[72]},{"name":"PixelOffsetModeHalf","features":[72]},{"name":"PixelOffsetModeHighQuality","features":[72]},{"name":"PixelOffsetModeHighSpeed","features":[72]},{"name":"PixelOffsetModeInvalid","features":[72]},{"name":"PixelOffsetModeNone","features":[72]},{"name":"Point","features":[72]},{"name":"PointF","features":[72]},{"name":"PrivateFontCollection","features":[72]},{"name":"ProfileNotFound","features":[72]},{"name":"PropertyItem","features":[72]},{"name":"PropertyNotFound","features":[72]},{"name":"PropertyNotSupported","features":[72]},{"name":"PropertyTagArtist","features":[72]},{"name":"PropertyTagBitsPerSample","features":[72]},{"name":"PropertyTagCellHeight","features":[72]},{"name":"PropertyTagCellWidth","features":[72]},{"name":"PropertyTagChrominanceTable","features":[72]},{"name":"PropertyTagColorMap","features":[72]},{"name":"PropertyTagColorTransferFunction","features":[72]},{"name":"PropertyTagCompression","features":[72]},{"name":"PropertyTagCopyright","features":[72]},{"name":"PropertyTagDateTime","features":[72]},{"name":"PropertyTagDocumentName","features":[72]},{"name":"PropertyTagDotRange","features":[72]},{"name":"PropertyTagEquipMake","features":[72]},{"name":"PropertyTagEquipModel","features":[72]},{"name":"PropertyTagExifAperture","features":[72]},{"name":"PropertyTagExifBrightness","features":[72]},{"name":"PropertyTagExifCfaPattern","features":[72]},{"name":"PropertyTagExifColorSpace","features":[72]},{"name":"PropertyTagExifCompBPP","features":[72]},{"name":"PropertyTagExifCompConfig","features":[72]},{"name":"PropertyTagExifContrast","features":[72]},{"name":"PropertyTagExifCustomRendered","features":[72]},{"name":"PropertyTagExifDTDigSS","features":[72]},{"name":"PropertyTagExifDTDigitized","features":[72]},{"name":"PropertyTagExifDTOrig","features":[72]},{"name":"PropertyTagExifDTOrigSS","features":[72]},{"name":"PropertyTagExifDTSubsec","features":[72]},{"name":"PropertyTagExifDeviceSettingDesc","features":[72]},{"name":"PropertyTagExifDigitalZoomRatio","features":[72]},{"name":"PropertyTagExifExposureBias","features":[72]},{"name":"PropertyTagExifExposureIndex","features":[72]},{"name":"PropertyTagExifExposureMode","features":[72]},{"name":"PropertyTagExifExposureProg","features":[72]},{"name":"PropertyTagExifExposureTime","features":[72]},{"name":"PropertyTagExifFNumber","features":[72]},{"name":"PropertyTagExifFPXVer","features":[72]},{"name":"PropertyTagExifFileSource","features":[72]},{"name":"PropertyTagExifFlash","features":[72]},{"name":"PropertyTagExifFlashEnergy","features":[72]},{"name":"PropertyTagExifFocalLength","features":[72]},{"name":"PropertyTagExifFocalLengthIn35mmFilm","features":[72]},{"name":"PropertyTagExifFocalResUnit","features":[72]},{"name":"PropertyTagExifFocalXRes","features":[72]},{"name":"PropertyTagExifFocalYRes","features":[72]},{"name":"PropertyTagExifGainControl","features":[72]},{"name":"PropertyTagExifIFD","features":[72]},{"name":"PropertyTagExifISOSpeed","features":[72]},{"name":"PropertyTagExifInterop","features":[72]},{"name":"PropertyTagExifLightSource","features":[72]},{"name":"PropertyTagExifMakerNote","features":[72]},{"name":"PropertyTagExifMaxAperture","features":[72]},{"name":"PropertyTagExifMeteringMode","features":[72]},{"name":"PropertyTagExifOECF","features":[72]},{"name":"PropertyTagExifPixXDim","features":[72]},{"name":"PropertyTagExifPixYDim","features":[72]},{"name":"PropertyTagExifRelatedWav","features":[72]},{"name":"PropertyTagExifSaturation","features":[72]},{"name":"PropertyTagExifSceneCaptureType","features":[72]},{"name":"PropertyTagExifSceneType","features":[72]},{"name":"PropertyTagExifSensingMethod","features":[72]},{"name":"PropertyTagExifSharpness","features":[72]},{"name":"PropertyTagExifShutterSpeed","features":[72]},{"name":"PropertyTagExifSpatialFR","features":[72]},{"name":"PropertyTagExifSpectralSense","features":[72]},{"name":"PropertyTagExifSubjectArea","features":[72]},{"name":"PropertyTagExifSubjectDist","features":[72]},{"name":"PropertyTagExifSubjectDistanceRange","features":[72]},{"name":"PropertyTagExifSubjectLoc","features":[72]},{"name":"PropertyTagExifUniqueImageID","features":[72]},{"name":"PropertyTagExifUserComment","features":[72]},{"name":"PropertyTagExifVer","features":[72]},{"name":"PropertyTagExifWhiteBalance","features":[72]},{"name":"PropertyTagExtraSamples","features":[72]},{"name":"PropertyTagFillOrder","features":[72]},{"name":"PropertyTagFrameDelay","features":[72]},{"name":"PropertyTagFreeByteCounts","features":[72]},{"name":"PropertyTagFreeOffset","features":[72]},{"name":"PropertyTagGamma","features":[72]},{"name":"PropertyTagGlobalPalette","features":[72]},{"name":"PropertyTagGpsAltitude","features":[72]},{"name":"PropertyTagGpsAltitudeRef","features":[72]},{"name":"PropertyTagGpsAreaInformation","features":[72]},{"name":"PropertyTagGpsDate","features":[72]},{"name":"PropertyTagGpsDestBear","features":[72]},{"name":"PropertyTagGpsDestBearRef","features":[72]},{"name":"PropertyTagGpsDestDist","features":[72]},{"name":"PropertyTagGpsDestDistRef","features":[72]},{"name":"PropertyTagGpsDestLat","features":[72]},{"name":"PropertyTagGpsDestLatRef","features":[72]},{"name":"PropertyTagGpsDestLong","features":[72]},{"name":"PropertyTagGpsDestLongRef","features":[72]},{"name":"PropertyTagGpsDifferential","features":[72]},{"name":"PropertyTagGpsGpsDop","features":[72]},{"name":"PropertyTagGpsGpsMeasureMode","features":[72]},{"name":"PropertyTagGpsGpsSatellites","features":[72]},{"name":"PropertyTagGpsGpsStatus","features":[72]},{"name":"PropertyTagGpsGpsTime","features":[72]},{"name":"PropertyTagGpsIFD","features":[72]},{"name":"PropertyTagGpsImgDir","features":[72]},{"name":"PropertyTagGpsImgDirRef","features":[72]},{"name":"PropertyTagGpsLatitude","features":[72]},{"name":"PropertyTagGpsLatitudeRef","features":[72]},{"name":"PropertyTagGpsLongitude","features":[72]},{"name":"PropertyTagGpsLongitudeRef","features":[72]},{"name":"PropertyTagGpsMapDatum","features":[72]},{"name":"PropertyTagGpsProcessingMethod","features":[72]},{"name":"PropertyTagGpsSpeed","features":[72]},{"name":"PropertyTagGpsSpeedRef","features":[72]},{"name":"PropertyTagGpsTrack","features":[72]},{"name":"PropertyTagGpsTrackRef","features":[72]},{"name":"PropertyTagGpsVer","features":[72]},{"name":"PropertyTagGrayResponseCurve","features":[72]},{"name":"PropertyTagGrayResponseUnit","features":[72]},{"name":"PropertyTagGridSize","features":[72]},{"name":"PropertyTagHalftoneDegree","features":[72]},{"name":"PropertyTagHalftoneHints","features":[72]},{"name":"PropertyTagHalftoneLPI","features":[72]},{"name":"PropertyTagHalftoneLPIUnit","features":[72]},{"name":"PropertyTagHalftoneMisc","features":[72]},{"name":"PropertyTagHalftoneScreen","features":[72]},{"name":"PropertyTagHalftoneShape","features":[72]},{"name":"PropertyTagHostComputer","features":[72]},{"name":"PropertyTagICCProfile","features":[72]},{"name":"PropertyTagICCProfileDescriptor","features":[72]},{"name":"PropertyTagImageDescription","features":[72]},{"name":"PropertyTagImageHeight","features":[72]},{"name":"PropertyTagImageTitle","features":[72]},{"name":"PropertyTagImageWidth","features":[72]},{"name":"PropertyTagIndexBackground","features":[72]},{"name":"PropertyTagIndexTransparent","features":[72]},{"name":"PropertyTagInkNames","features":[72]},{"name":"PropertyTagInkSet","features":[72]},{"name":"PropertyTagJPEGACTables","features":[72]},{"name":"PropertyTagJPEGDCTables","features":[72]},{"name":"PropertyTagJPEGInterFormat","features":[72]},{"name":"PropertyTagJPEGInterLength","features":[72]},{"name":"PropertyTagJPEGLosslessPredictors","features":[72]},{"name":"PropertyTagJPEGPointTransforms","features":[72]},{"name":"PropertyTagJPEGProc","features":[72]},{"name":"PropertyTagJPEGQTables","features":[72]},{"name":"PropertyTagJPEGQuality","features":[72]},{"name":"PropertyTagJPEGRestartInterval","features":[72]},{"name":"PropertyTagLoopCount","features":[72]},{"name":"PropertyTagLuminanceTable","features":[72]},{"name":"PropertyTagMaxSampleValue","features":[72]},{"name":"PropertyTagMinSampleValue","features":[72]},{"name":"PropertyTagNewSubfileType","features":[72]},{"name":"PropertyTagNumberOfInks","features":[72]},{"name":"PropertyTagOrientation","features":[72]},{"name":"PropertyTagPageName","features":[72]},{"name":"PropertyTagPageNumber","features":[72]},{"name":"PropertyTagPaletteHistogram","features":[72]},{"name":"PropertyTagPhotometricInterp","features":[72]},{"name":"PropertyTagPixelPerUnitX","features":[72]},{"name":"PropertyTagPixelPerUnitY","features":[72]},{"name":"PropertyTagPixelUnit","features":[72]},{"name":"PropertyTagPlanarConfig","features":[72]},{"name":"PropertyTagPredictor","features":[72]},{"name":"PropertyTagPrimaryChromaticities","features":[72]},{"name":"PropertyTagPrintFlags","features":[72]},{"name":"PropertyTagPrintFlagsBleedWidth","features":[72]},{"name":"PropertyTagPrintFlagsBleedWidthScale","features":[72]},{"name":"PropertyTagPrintFlagsCrop","features":[72]},{"name":"PropertyTagPrintFlagsVersion","features":[72]},{"name":"PropertyTagREFBlackWhite","features":[72]},{"name":"PropertyTagResolutionUnit","features":[72]},{"name":"PropertyTagResolutionXLengthUnit","features":[72]},{"name":"PropertyTagResolutionXUnit","features":[72]},{"name":"PropertyTagResolutionYLengthUnit","features":[72]},{"name":"PropertyTagResolutionYUnit","features":[72]},{"name":"PropertyTagRowsPerStrip","features":[72]},{"name":"PropertyTagSMaxSampleValue","features":[72]},{"name":"PropertyTagSMinSampleValue","features":[72]},{"name":"PropertyTagSRGBRenderingIntent","features":[72]},{"name":"PropertyTagSampleFormat","features":[72]},{"name":"PropertyTagSamplesPerPixel","features":[72]},{"name":"PropertyTagSoftwareUsed","features":[72]},{"name":"PropertyTagStripBytesCount","features":[72]},{"name":"PropertyTagStripOffsets","features":[72]},{"name":"PropertyTagSubfileType","features":[72]},{"name":"PropertyTagT4Option","features":[72]},{"name":"PropertyTagT6Option","features":[72]},{"name":"PropertyTagTargetPrinter","features":[72]},{"name":"PropertyTagThreshHolding","features":[72]},{"name":"PropertyTagThumbnailArtist","features":[72]},{"name":"PropertyTagThumbnailBitsPerSample","features":[72]},{"name":"PropertyTagThumbnailColorDepth","features":[72]},{"name":"PropertyTagThumbnailCompressedSize","features":[72]},{"name":"PropertyTagThumbnailCompression","features":[72]},{"name":"PropertyTagThumbnailCopyRight","features":[72]},{"name":"PropertyTagThumbnailData","features":[72]},{"name":"PropertyTagThumbnailDateTime","features":[72]},{"name":"PropertyTagThumbnailEquipMake","features":[72]},{"name":"PropertyTagThumbnailEquipModel","features":[72]},{"name":"PropertyTagThumbnailFormat","features":[72]},{"name":"PropertyTagThumbnailHeight","features":[72]},{"name":"PropertyTagThumbnailImageDescription","features":[72]},{"name":"PropertyTagThumbnailImageHeight","features":[72]},{"name":"PropertyTagThumbnailImageWidth","features":[72]},{"name":"PropertyTagThumbnailOrientation","features":[72]},{"name":"PropertyTagThumbnailPhotometricInterp","features":[72]},{"name":"PropertyTagThumbnailPlanarConfig","features":[72]},{"name":"PropertyTagThumbnailPlanes","features":[72]},{"name":"PropertyTagThumbnailPrimaryChromaticities","features":[72]},{"name":"PropertyTagThumbnailRawBytes","features":[72]},{"name":"PropertyTagThumbnailRefBlackWhite","features":[72]},{"name":"PropertyTagThumbnailResolutionUnit","features":[72]},{"name":"PropertyTagThumbnailResolutionX","features":[72]},{"name":"PropertyTagThumbnailResolutionY","features":[72]},{"name":"PropertyTagThumbnailRowsPerStrip","features":[72]},{"name":"PropertyTagThumbnailSamplesPerPixel","features":[72]},{"name":"PropertyTagThumbnailSize","features":[72]},{"name":"PropertyTagThumbnailSoftwareUsed","features":[72]},{"name":"PropertyTagThumbnailStripBytesCount","features":[72]},{"name":"PropertyTagThumbnailStripOffsets","features":[72]},{"name":"PropertyTagThumbnailTransferFunction","features":[72]},{"name":"PropertyTagThumbnailWhitePoint","features":[72]},{"name":"PropertyTagThumbnailWidth","features":[72]},{"name":"PropertyTagThumbnailYCbCrCoefficients","features":[72]},{"name":"PropertyTagThumbnailYCbCrPositioning","features":[72]},{"name":"PropertyTagThumbnailYCbCrSubsampling","features":[72]},{"name":"PropertyTagTileByteCounts","features":[72]},{"name":"PropertyTagTileLength","features":[72]},{"name":"PropertyTagTileOffset","features":[72]},{"name":"PropertyTagTileWidth","features":[72]},{"name":"PropertyTagTransferFuncition","features":[72]},{"name":"PropertyTagTransferRange","features":[72]},{"name":"PropertyTagTypeASCII","features":[72]},{"name":"PropertyTagTypeByte","features":[72]},{"name":"PropertyTagTypeLong","features":[72]},{"name":"PropertyTagTypeRational","features":[72]},{"name":"PropertyTagTypeSLONG","features":[72]},{"name":"PropertyTagTypeSRational","features":[72]},{"name":"PropertyTagTypeShort","features":[72]},{"name":"PropertyTagTypeUndefined","features":[72]},{"name":"PropertyTagWhitePoint","features":[72]},{"name":"PropertyTagXPosition","features":[72]},{"name":"PropertyTagXResolution","features":[72]},{"name":"PropertyTagYCbCrCoefficients","features":[72]},{"name":"PropertyTagYCbCrPositioning","features":[72]},{"name":"PropertyTagYCbCrSubsampling","features":[72]},{"name":"PropertyTagYPosition","features":[72]},{"name":"PropertyTagYResolution","features":[72]},{"name":"QualityMode","features":[72]},{"name":"QualityModeDefault","features":[72]},{"name":"QualityModeHigh","features":[72]},{"name":"QualityModeInvalid","features":[72]},{"name":"QualityModeLow","features":[72]},{"name":"RED_SHIFT","features":[72]},{"name":"Rect","features":[72]},{"name":"RectF","features":[72]},{"name":"RedEyeCorrection","features":[1,72]},{"name":"RedEyeCorrectionEffectGuid","features":[72]},{"name":"RedEyeCorrectionParams","features":[1,72]},{"name":"Region","features":[72]},{"name":"Rotate180FlipNone","features":[72]},{"name":"Rotate180FlipX","features":[72]},{"name":"Rotate180FlipXY","features":[72]},{"name":"Rotate180FlipY","features":[72]},{"name":"Rotate270FlipNone","features":[72]},{"name":"Rotate270FlipX","features":[72]},{"name":"Rotate270FlipXY","features":[72]},{"name":"Rotate270FlipY","features":[72]},{"name":"Rotate90FlipNone","features":[72]},{"name":"Rotate90FlipX","features":[72]},{"name":"Rotate90FlipXY","features":[72]},{"name":"Rotate90FlipY","features":[72]},{"name":"RotateFlipType","features":[72]},{"name":"RotateNoneFlipNone","features":[72]},{"name":"RotateNoneFlipX","features":[72]},{"name":"RotateNoneFlipXY","features":[72]},{"name":"RotateNoneFlipY","features":[72]},{"name":"Sharpen","features":[1,72]},{"name":"SharpenEffectGuid","features":[72]},{"name":"SharpenParams","features":[72]},{"name":"Size","features":[72]},{"name":"SizeF","features":[72]},{"name":"SmoothingMode","features":[72]},{"name":"SmoothingModeAntiAlias","features":[72]},{"name":"SmoothingModeAntiAlias8x4","features":[72]},{"name":"SmoothingModeAntiAlias8x8","features":[72]},{"name":"SmoothingModeDefault","features":[72]},{"name":"SmoothingModeHighQuality","features":[72]},{"name":"SmoothingModeHighSpeed","features":[72]},{"name":"SmoothingModeInvalid","features":[72]},{"name":"SmoothingModeNone","features":[72]},{"name":"Status","features":[72]},{"name":"StringAlignment","features":[72]},{"name":"StringAlignmentCenter","features":[72]},{"name":"StringAlignmentFar","features":[72]},{"name":"StringAlignmentNear","features":[72]},{"name":"StringDigitSubstitute","features":[72]},{"name":"StringDigitSubstituteNational","features":[72]},{"name":"StringDigitSubstituteNone","features":[72]},{"name":"StringDigitSubstituteTraditional","features":[72]},{"name":"StringDigitSubstituteUser","features":[72]},{"name":"StringFormatFlags","features":[72]},{"name":"StringFormatFlagsBypassGDI","features":[72]},{"name":"StringFormatFlagsDirectionRightToLeft","features":[72]},{"name":"StringFormatFlagsDirectionVertical","features":[72]},{"name":"StringFormatFlagsDisplayFormatControl","features":[72]},{"name":"StringFormatFlagsLineLimit","features":[72]},{"name":"StringFormatFlagsMeasureTrailingSpaces","features":[72]},{"name":"StringFormatFlagsNoClip","features":[72]},{"name":"StringFormatFlagsNoFitBlackBox","features":[72]},{"name":"StringFormatFlagsNoFontFallback","features":[72]},{"name":"StringFormatFlagsNoWrap","features":[72]},{"name":"StringTrimming","features":[72]},{"name":"StringTrimmingCharacter","features":[72]},{"name":"StringTrimmingEllipsisCharacter","features":[72]},{"name":"StringTrimmingEllipsisPath","features":[72]},{"name":"StringTrimmingEllipsisWord","features":[72]},{"name":"StringTrimmingNone","features":[72]},{"name":"StringTrimmingWord","features":[72]},{"name":"TestControlForceBilinear","features":[72]},{"name":"TestControlGetBuildNumber","features":[72]},{"name":"TestControlNoICM","features":[72]},{"name":"TextRenderingHint","features":[72]},{"name":"TextRenderingHintAntiAlias","features":[72]},{"name":"TextRenderingHintAntiAliasGridFit","features":[72]},{"name":"TextRenderingHintClearTypeGridFit","features":[72]},{"name":"TextRenderingHintSingleBitPerPixel","features":[72]},{"name":"TextRenderingHintSingleBitPerPixelGridFit","features":[72]},{"name":"TextRenderingHintSystemDefault","features":[72]},{"name":"Tint","features":[1,72]},{"name":"TintEffectGuid","features":[72]},{"name":"TintParams","features":[72]},{"name":"Unit","features":[72]},{"name":"UnitDisplay","features":[72]},{"name":"UnitDocument","features":[72]},{"name":"UnitInch","features":[72]},{"name":"UnitMillimeter","features":[72]},{"name":"UnitPixel","features":[72]},{"name":"UnitPoint","features":[72]},{"name":"UnitWorld","features":[72]},{"name":"UnknownImageFormat","features":[72]},{"name":"UnsupportedGdiplusVersion","features":[72]},{"name":"ValueOverflow","features":[72]},{"name":"WarpMode","features":[72]},{"name":"WarpModeBilinear","features":[72]},{"name":"WarpModePerspective","features":[72]},{"name":"Win32Error","features":[72]},{"name":"WmfPlaceableFileHeader","features":[72]},{"name":"WmfRecordTypeAbortDoc","features":[72]},{"name":"WmfRecordTypeAnimatePalette","features":[72]},{"name":"WmfRecordTypeArc","features":[72]},{"name":"WmfRecordTypeBitBlt","features":[72]},{"name":"WmfRecordTypeChord","features":[72]},{"name":"WmfRecordTypeCreateBitmap","features":[72]},{"name":"WmfRecordTypeCreateBitmapIndirect","features":[72]},{"name":"WmfRecordTypeCreateBrush","features":[72]},{"name":"WmfRecordTypeCreateBrushIndirect","features":[72]},{"name":"WmfRecordTypeCreateFontIndirect","features":[72]},{"name":"WmfRecordTypeCreatePalette","features":[72]},{"name":"WmfRecordTypeCreatePatternBrush","features":[72]},{"name":"WmfRecordTypeCreatePenIndirect","features":[72]},{"name":"WmfRecordTypeCreateRegion","features":[72]},{"name":"WmfRecordTypeDIBBitBlt","features":[72]},{"name":"WmfRecordTypeDIBCreatePatternBrush","features":[72]},{"name":"WmfRecordTypeDIBStretchBlt","features":[72]},{"name":"WmfRecordTypeDeleteObject","features":[72]},{"name":"WmfRecordTypeDrawText","features":[72]},{"name":"WmfRecordTypeEllipse","features":[72]},{"name":"WmfRecordTypeEndDoc","features":[72]},{"name":"WmfRecordTypeEndPage","features":[72]},{"name":"WmfRecordTypeEscape","features":[72]},{"name":"WmfRecordTypeExcludeClipRect","features":[72]},{"name":"WmfRecordTypeExtFloodFill","features":[72]},{"name":"WmfRecordTypeExtTextOut","features":[72]},{"name":"WmfRecordTypeFillRegion","features":[72]},{"name":"WmfRecordTypeFloodFill","features":[72]},{"name":"WmfRecordTypeFrameRegion","features":[72]},{"name":"WmfRecordTypeIntersectClipRect","features":[72]},{"name":"WmfRecordTypeInvertRegion","features":[72]},{"name":"WmfRecordTypeLineTo","features":[72]},{"name":"WmfRecordTypeMoveTo","features":[72]},{"name":"WmfRecordTypeOffsetClipRgn","features":[72]},{"name":"WmfRecordTypeOffsetViewportOrg","features":[72]},{"name":"WmfRecordTypeOffsetWindowOrg","features":[72]},{"name":"WmfRecordTypePaintRegion","features":[72]},{"name":"WmfRecordTypePatBlt","features":[72]},{"name":"WmfRecordTypePie","features":[72]},{"name":"WmfRecordTypePolyPolygon","features":[72]},{"name":"WmfRecordTypePolygon","features":[72]},{"name":"WmfRecordTypePolyline","features":[72]},{"name":"WmfRecordTypeRealizePalette","features":[72]},{"name":"WmfRecordTypeRectangle","features":[72]},{"name":"WmfRecordTypeResetDC","features":[72]},{"name":"WmfRecordTypeResizePalette","features":[72]},{"name":"WmfRecordTypeRestoreDC","features":[72]},{"name":"WmfRecordTypeRoundRect","features":[72]},{"name":"WmfRecordTypeSaveDC","features":[72]},{"name":"WmfRecordTypeScaleViewportExt","features":[72]},{"name":"WmfRecordTypeScaleWindowExt","features":[72]},{"name":"WmfRecordTypeSelectClipRegion","features":[72]},{"name":"WmfRecordTypeSelectObject","features":[72]},{"name":"WmfRecordTypeSelectPalette","features":[72]},{"name":"WmfRecordTypeSetBkColor","features":[72]},{"name":"WmfRecordTypeSetBkMode","features":[72]},{"name":"WmfRecordTypeSetDIBToDev","features":[72]},{"name":"WmfRecordTypeSetLayout","features":[72]},{"name":"WmfRecordTypeSetMapMode","features":[72]},{"name":"WmfRecordTypeSetMapperFlags","features":[72]},{"name":"WmfRecordTypeSetPalEntries","features":[72]},{"name":"WmfRecordTypeSetPixel","features":[72]},{"name":"WmfRecordTypeSetPolyFillMode","features":[72]},{"name":"WmfRecordTypeSetROP2","features":[72]},{"name":"WmfRecordTypeSetRelAbs","features":[72]},{"name":"WmfRecordTypeSetStretchBltMode","features":[72]},{"name":"WmfRecordTypeSetTextAlign","features":[72]},{"name":"WmfRecordTypeSetTextCharExtra","features":[72]},{"name":"WmfRecordTypeSetTextColor","features":[72]},{"name":"WmfRecordTypeSetTextJustification","features":[72]},{"name":"WmfRecordTypeSetViewportExt","features":[72]},{"name":"WmfRecordTypeSetViewportOrg","features":[72]},{"name":"WmfRecordTypeSetWindowExt","features":[72]},{"name":"WmfRecordTypeSetWindowOrg","features":[72]},{"name":"WmfRecordTypeStartDoc","features":[72]},{"name":"WmfRecordTypeStartPage","features":[72]},{"name":"WmfRecordTypeStretchBlt","features":[72]},{"name":"WmfRecordTypeStretchDIB","features":[72]},{"name":"WmfRecordTypeTextOut","features":[72]},{"name":"WrapMode","features":[72]},{"name":"WrapModeClamp","features":[72]},{"name":"WrapModeTile","features":[72]},{"name":"WrapModeTileFlipX","features":[72]},{"name":"WrapModeTileFlipXY","features":[72]},{"name":"WrapModeTileFlipY","features":[72]},{"name":"WrongState","features":[72]}],"415":[{"name":"D3DCOMPILE_OPTIMIZATION_LEVEL2","features":[73]},{"name":"D3D_COMPILE_STANDARD_FILE_INCLUDE","features":[73]}],"418":[{"name":"ChoosePixelFormat","features":[12,54]},{"name":"DescribePixelFormat","features":[12,54]},{"name":"EMRPIXELFORMAT","features":[12,54]},{"name":"GLU_AUTO_LOAD_MATRIX","features":[54]},{"name":"GLU_BEGIN","features":[54]},{"name":"GLU_CCW","features":[54]},{"name":"GLU_CULLING","features":[54]},{"name":"GLU_CW","features":[54]},{"name":"GLU_DISPLAY_MODE","features":[54]},{"name":"GLU_DOMAIN_DISTANCE","features":[54]},{"name":"GLU_EDGE_FLAG","features":[54]},{"name":"GLU_END","features":[54]},{"name":"GLU_ERROR","features":[54]},{"name":"GLU_EXTENSIONS","features":[54]},{"name":"GLU_EXTERIOR","features":[54]},{"name":"GLU_FALSE","features":[54]},{"name":"GLU_FILL","features":[54]},{"name":"GLU_FLAT","features":[54]},{"name":"GLU_INCOMPATIBLE_GL_VERSION","features":[54]},{"name":"GLU_INSIDE","features":[54]},{"name":"GLU_INTERIOR","features":[54]},{"name":"GLU_INVALID_ENUM","features":[54]},{"name":"GLU_INVALID_VALUE","features":[54]},{"name":"GLU_LINE","features":[54]},{"name":"GLU_MAP1_TRIM_2","features":[54]},{"name":"GLU_MAP1_TRIM_3","features":[54]},{"name":"GLU_NONE","features":[54]},{"name":"GLU_NURBS_ERROR1","features":[54]},{"name":"GLU_NURBS_ERROR10","features":[54]},{"name":"GLU_NURBS_ERROR11","features":[54]},{"name":"GLU_NURBS_ERROR12","features":[54]},{"name":"GLU_NURBS_ERROR13","features":[54]},{"name":"GLU_NURBS_ERROR14","features":[54]},{"name":"GLU_NURBS_ERROR15","features":[54]},{"name":"GLU_NURBS_ERROR16","features":[54]},{"name":"GLU_NURBS_ERROR17","features":[54]},{"name":"GLU_NURBS_ERROR18","features":[54]},{"name":"GLU_NURBS_ERROR19","features":[54]},{"name":"GLU_NURBS_ERROR2","features":[54]},{"name":"GLU_NURBS_ERROR20","features":[54]},{"name":"GLU_NURBS_ERROR21","features":[54]},{"name":"GLU_NURBS_ERROR22","features":[54]},{"name":"GLU_NURBS_ERROR23","features":[54]},{"name":"GLU_NURBS_ERROR24","features":[54]},{"name":"GLU_NURBS_ERROR25","features":[54]},{"name":"GLU_NURBS_ERROR26","features":[54]},{"name":"GLU_NURBS_ERROR27","features":[54]},{"name":"GLU_NURBS_ERROR28","features":[54]},{"name":"GLU_NURBS_ERROR29","features":[54]},{"name":"GLU_NURBS_ERROR3","features":[54]},{"name":"GLU_NURBS_ERROR30","features":[54]},{"name":"GLU_NURBS_ERROR31","features":[54]},{"name":"GLU_NURBS_ERROR32","features":[54]},{"name":"GLU_NURBS_ERROR33","features":[54]},{"name":"GLU_NURBS_ERROR34","features":[54]},{"name":"GLU_NURBS_ERROR35","features":[54]},{"name":"GLU_NURBS_ERROR36","features":[54]},{"name":"GLU_NURBS_ERROR37","features":[54]},{"name":"GLU_NURBS_ERROR4","features":[54]},{"name":"GLU_NURBS_ERROR5","features":[54]},{"name":"GLU_NURBS_ERROR6","features":[54]},{"name":"GLU_NURBS_ERROR7","features":[54]},{"name":"GLU_NURBS_ERROR8","features":[54]},{"name":"GLU_NURBS_ERROR9","features":[54]},{"name":"GLU_OUTLINE_PATCH","features":[54]},{"name":"GLU_OUTLINE_POLYGON","features":[54]},{"name":"GLU_OUTSIDE","features":[54]},{"name":"GLU_OUT_OF_MEMORY","features":[54]},{"name":"GLU_PARAMETRIC_ERROR","features":[54]},{"name":"GLU_PARAMETRIC_TOLERANCE","features":[54]},{"name":"GLU_PATH_LENGTH","features":[54]},{"name":"GLU_POINT","features":[54]},{"name":"GLU_SAMPLING_METHOD","features":[54]},{"name":"GLU_SAMPLING_TOLERANCE","features":[54]},{"name":"GLU_SILHOUETTE","features":[54]},{"name":"GLU_SMOOTH","features":[54]},{"name":"GLU_TESS_BEGIN","features":[54]},{"name":"GLU_TESS_BEGIN_DATA","features":[54]},{"name":"GLU_TESS_BOUNDARY_ONLY","features":[54]},{"name":"GLU_TESS_COMBINE","features":[54]},{"name":"GLU_TESS_COMBINE_DATA","features":[54]},{"name":"GLU_TESS_COORD_TOO_LARGE","features":[54]},{"name":"GLU_TESS_EDGE_FLAG","features":[54]},{"name":"GLU_TESS_EDGE_FLAG_DATA","features":[54]},{"name":"GLU_TESS_END","features":[54]},{"name":"GLU_TESS_END_DATA","features":[54]},{"name":"GLU_TESS_ERROR","features":[54]},{"name":"GLU_TESS_ERROR1","features":[54]},{"name":"GLU_TESS_ERROR2","features":[54]},{"name":"GLU_TESS_ERROR3","features":[54]},{"name":"GLU_TESS_ERROR4","features":[54]},{"name":"GLU_TESS_ERROR5","features":[54]},{"name":"GLU_TESS_ERROR6","features":[54]},{"name":"GLU_TESS_ERROR7","features":[54]},{"name":"GLU_TESS_ERROR8","features":[54]},{"name":"GLU_TESS_ERROR_DATA","features":[54]},{"name":"GLU_TESS_MISSING_BEGIN_CONTOUR","features":[54]},{"name":"GLU_TESS_MISSING_BEGIN_POLYGON","features":[54]},{"name":"GLU_TESS_MISSING_END_CONTOUR","features":[54]},{"name":"GLU_TESS_MISSING_END_POLYGON","features":[54]},{"name":"GLU_TESS_NEED_COMBINE_CALLBACK","features":[54]},{"name":"GLU_TESS_TOLERANCE","features":[54]},{"name":"GLU_TESS_VERTEX","features":[54]},{"name":"GLU_TESS_VERTEX_DATA","features":[54]},{"name":"GLU_TESS_WINDING_ABS_GEQ_TWO","features":[54]},{"name":"GLU_TESS_WINDING_NEGATIVE","features":[54]},{"name":"GLU_TESS_WINDING_NONZERO","features":[54]},{"name":"GLU_TESS_WINDING_ODD","features":[54]},{"name":"GLU_TESS_WINDING_POSITIVE","features":[54]},{"name":"GLU_TESS_WINDING_RULE","features":[54]},{"name":"GLU_TRUE","features":[54]},{"name":"GLU_UNKNOWN","features":[54]},{"name":"GLU_U_STEP","features":[54]},{"name":"GLU_VERSION","features":[54]},{"name":"GLU_VERSION_1_1","features":[54]},{"name":"GLU_VERSION_1_2","features":[54]},{"name":"GLU_VERTEX","features":[54]},{"name":"GLU_V_STEP","features":[54]},{"name":"GLUnurbs","features":[54]},{"name":"GLUnurbsErrorProc","features":[54]},{"name":"GLUquadric","features":[54]},{"name":"GLUquadricErrorProc","features":[54]},{"name":"GLUtessBeginDataProc","features":[54]},{"name":"GLUtessBeginProc","features":[54]},{"name":"GLUtessCombineDataProc","features":[54]},{"name":"GLUtessCombineProc","features":[54]},{"name":"GLUtessEdgeFlagDataProc","features":[54]},{"name":"GLUtessEdgeFlagProc","features":[54]},{"name":"GLUtessEndDataProc","features":[54]},{"name":"GLUtessEndProc","features":[54]},{"name":"GLUtessErrorDataProc","features":[54]},{"name":"GLUtessErrorProc","features":[54]},{"name":"GLUtessVertexDataProc","features":[54]},{"name":"GLUtessVertexProc","features":[54]},{"name":"GLUtesselator","features":[54]},{"name":"GLYPHMETRICSFLOAT","features":[54]},{"name":"GL_2D","features":[54]},{"name":"GL_2_BYTES","features":[54]},{"name":"GL_3D","features":[54]},{"name":"GL_3D_COLOR","features":[54]},{"name":"GL_3D_COLOR_TEXTURE","features":[54]},{"name":"GL_3_BYTES","features":[54]},{"name":"GL_4D_COLOR_TEXTURE","features":[54]},{"name":"GL_4_BYTES","features":[54]},{"name":"GL_ACCUM","features":[54]},{"name":"GL_ACCUM_ALPHA_BITS","features":[54]},{"name":"GL_ACCUM_BLUE_BITS","features":[54]},{"name":"GL_ACCUM_BUFFER_BIT","features":[54]},{"name":"GL_ACCUM_CLEAR_VALUE","features":[54]},{"name":"GL_ACCUM_GREEN_BITS","features":[54]},{"name":"GL_ACCUM_RED_BITS","features":[54]},{"name":"GL_ADD","features":[54]},{"name":"GL_ALL_ATTRIB_BITS","features":[54]},{"name":"GL_ALPHA","features":[54]},{"name":"GL_ALPHA12","features":[54]},{"name":"GL_ALPHA16","features":[54]},{"name":"GL_ALPHA4","features":[54]},{"name":"GL_ALPHA8","features":[54]},{"name":"GL_ALPHA_BIAS","features":[54]},{"name":"GL_ALPHA_BITS","features":[54]},{"name":"GL_ALPHA_SCALE","features":[54]},{"name":"GL_ALPHA_TEST","features":[54]},{"name":"GL_ALPHA_TEST_FUNC","features":[54]},{"name":"GL_ALPHA_TEST_REF","features":[54]},{"name":"GL_ALWAYS","features":[54]},{"name":"GL_AMBIENT","features":[54]},{"name":"GL_AMBIENT_AND_DIFFUSE","features":[54]},{"name":"GL_AND","features":[54]},{"name":"GL_AND_INVERTED","features":[54]},{"name":"GL_AND_REVERSE","features":[54]},{"name":"GL_ATTRIB_STACK_DEPTH","features":[54]},{"name":"GL_AUTO_NORMAL","features":[54]},{"name":"GL_AUX0","features":[54]},{"name":"GL_AUX1","features":[54]},{"name":"GL_AUX2","features":[54]},{"name":"GL_AUX3","features":[54]},{"name":"GL_AUX_BUFFERS","features":[54]},{"name":"GL_BACK","features":[54]},{"name":"GL_BACK_LEFT","features":[54]},{"name":"GL_BACK_RIGHT","features":[54]},{"name":"GL_BGRA_EXT","features":[54]},{"name":"GL_BGR_EXT","features":[54]},{"name":"GL_BITMAP","features":[54]},{"name":"GL_BITMAP_TOKEN","features":[54]},{"name":"GL_BLEND","features":[54]},{"name":"GL_BLEND_DST","features":[54]},{"name":"GL_BLEND_SRC","features":[54]},{"name":"GL_BLUE","features":[54]},{"name":"GL_BLUE_BIAS","features":[54]},{"name":"GL_BLUE_BITS","features":[54]},{"name":"GL_BLUE_SCALE","features":[54]},{"name":"GL_BYTE","features":[54]},{"name":"GL_C3F_V3F","features":[54]},{"name":"GL_C4F_N3F_V3F","features":[54]},{"name":"GL_C4UB_V2F","features":[54]},{"name":"GL_C4UB_V3F","features":[54]},{"name":"GL_CCW","features":[54]},{"name":"GL_CLAMP","features":[54]},{"name":"GL_CLEAR","features":[54]},{"name":"GL_CLIENT_ALL_ATTRIB_BITS","features":[54]},{"name":"GL_CLIENT_ATTRIB_STACK_DEPTH","features":[54]},{"name":"GL_CLIENT_PIXEL_STORE_BIT","features":[54]},{"name":"GL_CLIENT_VERTEX_ARRAY_BIT","features":[54]},{"name":"GL_CLIP_PLANE0","features":[54]},{"name":"GL_CLIP_PLANE1","features":[54]},{"name":"GL_CLIP_PLANE2","features":[54]},{"name":"GL_CLIP_PLANE3","features":[54]},{"name":"GL_CLIP_PLANE4","features":[54]},{"name":"GL_CLIP_PLANE5","features":[54]},{"name":"GL_COEFF","features":[54]},{"name":"GL_COLOR","features":[54]},{"name":"GL_COLOR_ARRAY","features":[54]},{"name":"GL_COLOR_ARRAY_COUNT_EXT","features":[54]},{"name":"GL_COLOR_ARRAY_EXT","features":[54]},{"name":"GL_COLOR_ARRAY_POINTER","features":[54]},{"name":"GL_COLOR_ARRAY_POINTER_EXT","features":[54]},{"name":"GL_COLOR_ARRAY_SIZE","features":[54]},{"name":"GL_COLOR_ARRAY_SIZE_EXT","features":[54]},{"name":"GL_COLOR_ARRAY_STRIDE","features":[54]},{"name":"GL_COLOR_ARRAY_STRIDE_EXT","features":[54]},{"name":"GL_COLOR_ARRAY_TYPE","features":[54]},{"name":"GL_COLOR_ARRAY_TYPE_EXT","features":[54]},{"name":"GL_COLOR_BUFFER_BIT","features":[54]},{"name":"GL_COLOR_CLEAR_VALUE","features":[54]},{"name":"GL_COLOR_INDEX","features":[54]},{"name":"GL_COLOR_INDEX12_EXT","features":[54]},{"name":"GL_COLOR_INDEX16_EXT","features":[54]},{"name":"GL_COLOR_INDEX1_EXT","features":[54]},{"name":"GL_COLOR_INDEX2_EXT","features":[54]},{"name":"GL_COLOR_INDEX4_EXT","features":[54]},{"name":"GL_COLOR_INDEX8_EXT","features":[54]},{"name":"GL_COLOR_INDEXES","features":[54]},{"name":"GL_COLOR_LOGIC_OP","features":[54]},{"name":"GL_COLOR_MATERIAL","features":[54]},{"name":"GL_COLOR_MATERIAL_FACE","features":[54]},{"name":"GL_COLOR_MATERIAL_PARAMETER","features":[54]},{"name":"GL_COLOR_TABLE_ALPHA_SIZE_EXT","features":[54]},{"name":"GL_COLOR_TABLE_BLUE_SIZE_EXT","features":[54]},{"name":"GL_COLOR_TABLE_FORMAT_EXT","features":[54]},{"name":"GL_COLOR_TABLE_GREEN_SIZE_EXT","features":[54]},{"name":"GL_COLOR_TABLE_INTENSITY_SIZE_EXT","features":[54]},{"name":"GL_COLOR_TABLE_LUMINANCE_SIZE_EXT","features":[54]},{"name":"GL_COLOR_TABLE_RED_SIZE_EXT","features":[54]},{"name":"GL_COLOR_TABLE_WIDTH_EXT","features":[54]},{"name":"GL_COLOR_WRITEMASK","features":[54]},{"name":"GL_COMPILE","features":[54]},{"name":"GL_COMPILE_AND_EXECUTE","features":[54]},{"name":"GL_CONSTANT_ATTENUATION","features":[54]},{"name":"GL_COPY","features":[54]},{"name":"GL_COPY_INVERTED","features":[54]},{"name":"GL_COPY_PIXEL_TOKEN","features":[54]},{"name":"GL_CULL_FACE","features":[54]},{"name":"GL_CULL_FACE_MODE","features":[54]},{"name":"GL_CURRENT_BIT","features":[54]},{"name":"GL_CURRENT_COLOR","features":[54]},{"name":"GL_CURRENT_INDEX","features":[54]},{"name":"GL_CURRENT_NORMAL","features":[54]},{"name":"GL_CURRENT_RASTER_COLOR","features":[54]},{"name":"GL_CURRENT_RASTER_DISTANCE","features":[54]},{"name":"GL_CURRENT_RASTER_INDEX","features":[54]},{"name":"GL_CURRENT_RASTER_POSITION","features":[54]},{"name":"GL_CURRENT_RASTER_POSITION_VALID","features":[54]},{"name":"GL_CURRENT_RASTER_TEXTURE_COORDS","features":[54]},{"name":"GL_CURRENT_TEXTURE_COORDS","features":[54]},{"name":"GL_CW","features":[54]},{"name":"GL_DECAL","features":[54]},{"name":"GL_DECR","features":[54]},{"name":"GL_DEPTH","features":[54]},{"name":"GL_DEPTH_BIAS","features":[54]},{"name":"GL_DEPTH_BITS","features":[54]},{"name":"GL_DEPTH_BUFFER_BIT","features":[54]},{"name":"GL_DEPTH_CLEAR_VALUE","features":[54]},{"name":"GL_DEPTH_COMPONENT","features":[54]},{"name":"GL_DEPTH_FUNC","features":[54]},{"name":"GL_DEPTH_RANGE","features":[54]},{"name":"GL_DEPTH_SCALE","features":[54]},{"name":"GL_DEPTH_TEST","features":[54]},{"name":"GL_DEPTH_WRITEMASK","features":[54]},{"name":"GL_DIFFUSE","features":[54]},{"name":"GL_DITHER","features":[54]},{"name":"GL_DOMAIN","features":[54]},{"name":"GL_DONT_CARE","features":[54]},{"name":"GL_DOUBLE","features":[54]},{"name":"GL_DOUBLEBUFFER","features":[54]},{"name":"GL_DOUBLE_EXT","features":[54]},{"name":"GL_DRAW_BUFFER","features":[54]},{"name":"GL_DRAW_PIXEL_TOKEN","features":[54]},{"name":"GL_DST_ALPHA","features":[54]},{"name":"GL_DST_COLOR","features":[54]},{"name":"GL_EDGE_FLAG","features":[54]},{"name":"GL_EDGE_FLAG_ARRAY","features":[54]},{"name":"GL_EDGE_FLAG_ARRAY_COUNT_EXT","features":[54]},{"name":"GL_EDGE_FLAG_ARRAY_EXT","features":[54]},{"name":"GL_EDGE_FLAG_ARRAY_POINTER","features":[54]},{"name":"GL_EDGE_FLAG_ARRAY_POINTER_EXT","features":[54]},{"name":"GL_EDGE_FLAG_ARRAY_STRIDE","features":[54]},{"name":"GL_EDGE_FLAG_ARRAY_STRIDE_EXT","features":[54]},{"name":"GL_EMISSION","features":[54]},{"name":"GL_ENABLE_BIT","features":[54]},{"name":"GL_EQUAL","features":[54]},{"name":"GL_EQUIV","features":[54]},{"name":"GL_EVAL_BIT","features":[54]},{"name":"GL_EXP","features":[54]},{"name":"GL_EXP2","features":[54]},{"name":"GL_EXTENSIONS","features":[54]},{"name":"GL_EXT_bgra","features":[54]},{"name":"GL_EXT_paletted_texture","features":[54]},{"name":"GL_EXT_vertex_array","features":[54]},{"name":"GL_EYE_LINEAR","features":[54]},{"name":"GL_EYE_PLANE","features":[54]},{"name":"GL_FALSE","features":[54]},{"name":"GL_FASTEST","features":[54]},{"name":"GL_FEEDBACK","features":[54]},{"name":"GL_FEEDBACK_BUFFER_POINTER","features":[54]},{"name":"GL_FEEDBACK_BUFFER_SIZE","features":[54]},{"name":"GL_FEEDBACK_BUFFER_TYPE","features":[54]},{"name":"GL_FILL","features":[54]},{"name":"GL_FLAT","features":[54]},{"name":"GL_FLOAT","features":[54]},{"name":"GL_FOG","features":[54]},{"name":"GL_FOG_BIT","features":[54]},{"name":"GL_FOG_COLOR","features":[54]},{"name":"GL_FOG_DENSITY","features":[54]},{"name":"GL_FOG_END","features":[54]},{"name":"GL_FOG_HINT","features":[54]},{"name":"GL_FOG_INDEX","features":[54]},{"name":"GL_FOG_MODE","features":[54]},{"name":"GL_FOG_SPECULAR_TEXTURE_WIN","features":[54]},{"name":"GL_FOG_START","features":[54]},{"name":"GL_FRONT","features":[54]},{"name":"GL_FRONT_AND_BACK","features":[54]},{"name":"GL_FRONT_FACE","features":[54]},{"name":"GL_FRONT_LEFT","features":[54]},{"name":"GL_FRONT_RIGHT","features":[54]},{"name":"GL_GEQUAL","features":[54]},{"name":"GL_GREATER","features":[54]},{"name":"GL_GREEN","features":[54]},{"name":"GL_GREEN_BIAS","features":[54]},{"name":"GL_GREEN_BITS","features":[54]},{"name":"GL_GREEN_SCALE","features":[54]},{"name":"GL_HINT_BIT","features":[54]},{"name":"GL_INCR","features":[54]},{"name":"GL_INDEX_ARRAY","features":[54]},{"name":"GL_INDEX_ARRAY_COUNT_EXT","features":[54]},{"name":"GL_INDEX_ARRAY_EXT","features":[54]},{"name":"GL_INDEX_ARRAY_POINTER","features":[54]},{"name":"GL_INDEX_ARRAY_POINTER_EXT","features":[54]},{"name":"GL_INDEX_ARRAY_STRIDE","features":[54]},{"name":"GL_INDEX_ARRAY_STRIDE_EXT","features":[54]},{"name":"GL_INDEX_ARRAY_TYPE","features":[54]},{"name":"GL_INDEX_ARRAY_TYPE_EXT","features":[54]},{"name":"GL_INDEX_BITS","features":[54]},{"name":"GL_INDEX_CLEAR_VALUE","features":[54]},{"name":"GL_INDEX_LOGIC_OP","features":[54]},{"name":"GL_INDEX_MODE","features":[54]},{"name":"GL_INDEX_OFFSET","features":[54]},{"name":"GL_INDEX_SHIFT","features":[54]},{"name":"GL_INDEX_WRITEMASK","features":[54]},{"name":"GL_INT","features":[54]},{"name":"GL_INTENSITY","features":[54]},{"name":"GL_INTENSITY12","features":[54]},{"name":"GL_INTENSITY16","features":[54]},{"name":"GL_INTENSITY4","features":[54]},{"name":"GL_INTENSITY8","features":[54]},{"name":"GL_INVALID_ENUM","features":[54]},{"name":"GL_INVALID_OPERATION","features":[54]},{"name":"GL_INVALID_VALUE","features":[54]},{"name":"GL_INVERT","features":[54]},{"name":"GL_KEEP","features":[54]},{"name":"GL_LEFT","features":[54]},{"name":"GL_LEQUAL","features":[54]},{"name":"GL_LESS","features":[54]},{"name":"GL_LIGHT0","features":[54]},{"name":"GL_LIGHT1","features":[54]},{"name":"GL_LIGHT2","features":[54]},{"name":"GL_LIGHT3","features":[54]},{"name":"GL_LIGHT4","features":[54]},{"name":"GL_LIGHT5","features":[54]},{"name":"GL_LIGHT6","features":[54]},{"name":"GL_LIGHT7","features":[54]},{"name":"GL_LIGHTING","features":[54]},{"name":"GL_LIGHTING_BIT","features":[54]},{"name":"GL_LIGHT_MODEL_AMBIENT","features":[54]},{"name":"GL_LIGHT_MODEL_LOCAL_VIEWER","features":[54]},{"name":"GL_LIGHT_MODEL_TWO_SIDE","features":[54]},{"name":"GL_LINE","features":[54]},{"name":"GL_LINEAR","features":[54]},{"name":"GL_LINEAR_ATTENUATION","features":[54]},{"name":"GL_LINEAR_MIPMAP_LINEAR","features":[54]},{"name":"GL_LINEAR_MIPMAP_NEAREST","features":[54]},{"name":"GL_LINES","features":[54]},{"name":"GL_LINE_BIT","features":[54]},{"name":"GL_LINE_LOOP","features":[54]},{"name":"GL_LINE_RESET_TOKEN","features":[54]},{"name":"GL_LINE_SMOOTH","features":[54]},{"name":"GL_LINE_SMOOTH_HINT","features":[54]},{"name":"GL_LINE_STIPPLE","features":[54]},{"name":"GL_LINE_STIPPLE_PATTERN","features":[54]},{"name":"GL_LINE_STIPPLE_REPEAT","features":[54]},{"name":"GL_LINE_STRIP","features":[54]},{"name":"GL_LINE_TOKEN","features":[54]},{"name":"GL_LINE_WIDTH","features":[54]},{"name":"GL_LINE_WIDTH_GRANULARITY","features":[54]},{"name":"GL_LINE_WIDTH_RANGE","features":[54]},{"name":"GL_LIST_BASE","features":[54]},{"name":"GL_LIST_BIT","features":[54]},{"name":"GL_LIST_INDEX","features":[54]},{"name":"GL_LIST_MODE","features":[54]},{"name":"GL_LOAD","features":[54]},{"name":"GL_LOGIC_OP","features":[54]},{"name":"GL_LOGIC_OP_MODE","features":[54]},{"name":"GL_LUMINANCE","features":[54]},{"name":"GL_LUMINANCE12","features":[54]},{"name":"GL_LUMINANCE12_ALPHA12","features":[54]},{"name":"GL_LUMINANCE12_ALPHA4","features":[54]},{"name":"GL_LUMINANCE16","features":[54]},{"name":"GL_LUMINANCE16_ALPHA16","features":[54]},{"name":"GL_LUMINANCE4","features":[54]},{"name":"GL_LUMINANCE4_ALPHA4","features":[54]},{"name":"GL_LUMINANCE6_ALPHA2","features":[54]},{"name":"GL_LUMINANCE8","features":[54]},{"name":"GL_LUMINANCE8_ALPHA8","features":[54]},{"name":"GL_LUMINANCE_ALPHA","features":[54]},{"name":"GL_MAP1_COLOR_4","features":[54]},{"name":"GL_MAP1_GRID_DOMAIN","features":[54]},{"name":"GL_MAP1_GRID_SEGMENTS","features":[54]},{"name":"GL_MAP1_INDEX","features":[54]},{"name":"GL_MAP1_NORMAL","features":[54]},{"name":"GL_MAP1_TEXTURE_COORD_1","features":[54]},{"name":"GL_MAP1_TEXTURE_COORD_2","features":[54]},{"name":"GL_MAP1_TEXTURE_COORD_3","features":[54]},{"name":"GL_MAP1_TEXTURE_COORD_4","features":[54]},{"name":"GL_MAP1_VERTEX_3","features":[54]},{"name":"GL_MAP1_VERTEX_4","features":[54]},{"name":"GL_MAP2_COLOR_4","features":[54]},{"name":"GL_MAP2_GRID_DOMAIN","features":[54]},{"name":"GL_MAP2_GRID_SEGMENTS","features":[54]},{"name":"GL_MAP2_INDEX","features":[54]},{"name":"GL_MAP2_NORMAL","features":[54]},{"name":"GL_MAP2_TEXTURE_COORD_1","features":[54]},{"name":"GL_MAP2_TEXTURE_COORD_2","features":[54]},{"name":"GL_MAP2_TEXTURE_COORD_3","features":[54]},{"name":"GL_MAP2_TEXTURE_COORD_4","features":[54]},{"name":"GL_MAP2_VERTEX_3","features":[54]},{"name":"GL_MAP2_VERTEX_4","features":[54]},{"name":"GL_MAP_COLOR","features":[54]},{"name":"GL_MAP_STENCIL","features":[54]},{"name":"GL_MATRIX_MODE","features":[54]},{"name":"GL_MAX_ATTRIB_STACK_DEPTH","features":[54]},{"name":"GL_MAX_CLIENT_ATTRIB_STACK_DEPTH","features":[54]},{"name":"GL_MAX_CLIP_PLANES","features":[54]},{"name":"GL_MAX_ELEMENTS_INDICES_WIN","features":[54]},{"name":"GL_MAX_ELEMENTS_VERTICES_WIN","features":[54]},{"name":"GL_MAX_EVAL_ORDER","features":[54]},{"name":"GL_MAX_LIGHTS","features":[54]},{"name":"GL_MAX_LIST_NESTING","features":[54]},{"name":"GL_MAX_MODELVIEW_STACK_DEPTH","features":[54]},{"name":"GL_MAX_NAME_STACK_DEPTH","features":[54]},{"name":"GL_MAX_PIXEL_MAP_TABLE","features":[54]},{"name":"GL_MAX_PROJECTION_STACK_DEPTH","features":[54]},{"name":"GL_MAX_TEXTURE_SIZE","features":[54]},{"name":"GL_MAX_TEXTURE_STACK_DEPTH","features":[54]},{"name":"GL_MAX_VIEWPORT_DIMS","features":[54]},{"name":"GL_MODELVIEW","features":[54]},{"name":"GL_MODELVIEW_MATRIX","features":[54]},{"name":"GL_MODELVIEW_STACK_DEPTH","features":[54]},{"name":"GL_MODULATE","features":[54]},{"name":"GL_MULT","features":[54]},{"name":"GL_N3F_V3F","features":[54]},{"name":"GL_NAME_STACK_DEPTH","features":[54]},{"name":"GL_NAND","features":[54]},{"name":"GL_NEAREST","features":[54]},{"name":"GL_NEAREST_MIPMAP_LINEAR","features":[54]},{"name":"GL_NEAREST_MIPMAP_NEAREST","features":[54]},{"name":"GL_NEVER","features":[54]},{"name":"GL_NICEST","features":[54]},{"name":"GL_NONE","features":[54]},{"name":"GL_NOOP","features":[54]},{"name":"GL_NOR","features":[54]},{"name":"GL_NORMALIZE","features":[54]},{"name":"GL_NORMAL_ARRAY","features":[54]},{"name":"GL_NORMAL_ARRAY_COUNT_EXT","features":[54]},{"name":"GL_NORMAL_ARRAY_EXT","features":[54]},{"name":"GL_NORMAL_ARRAY_POINTER","features":[54]},{"name":"GL_NORMAL_ARRAY_POINTER_EXT","features":[54]},{"name":"GL_NORMAL_ARRAY_STRIDE","features":[54]},{"name":"GL_NORMAL_ARRAY_STRIDE_EXT","features":[54]},{"name":"GL_NORMAL_ARRAY_TYPE","features":[54]},{"name":"GL_NORMAL_ARRAY_TYPE_EXT","features":[54]},{"name":"GL_NOTEQUAL","features":[54]},{"name":"GL_NO_ERROR","features":[54]},{"name":"GL_OBJECT_LINEAR","features":[54]},{"name":"GL_OBJECT_PLANE","features":[54]},{"name":"GL_ONE","features":[54]},{"name":"GL_ONE_MINUS_DST_ALPHA","features":[54]},{"name":"GL_ONE_MINUS_DST_COLOR","features":[54]},{"name":"GL_ONE_MINUS_SRC_ALPHA","features":[54]},{"name":"GL_ONE_MINUS_SRC_COLOR","features":[54]},{"name":"GL_OR","features":[54]},{"name":"GL_ORDER","features":[54]},{"name":"GL_OR_INVERTED","features":[54]},{"name":"GL_OR_REVERSE","features":[54]},{"name":"GL_OUT_OF_MEMORY","features":[54]},{"name":"GL_PACK_ALIGNMENT","features":[54]},{"name":"GL_PACK_LSB_FIRST","features":[54]},{"name":"GL_PACK_ROW_LENGTH","features":[54]},{"name":"GL_PACK_SKIP_PIXELS","features":[54]},{"name":"GL_PACK_SKIP_ROWS","features":[54]},{"name":"GL_PACK_SWAP_BYTES","features":[54]},{"name":"GL_PASS_THROUGH_TOKEN","features":[54]},{"name":"GL_PERSPECTIVE_CORRECTION_HINT","features":[54]},{"name":"GL_PHONG_HINT_WIN","features":[54]},{"name":"GL_PHONG_WIN","features":[54]},{"name":"GL_PIXEL_MAP_A_TO_A","features":[54]},{"name":"GL_PIXEL_MAP_A_TO_A_SIZE","features":[54]},{"name":"GL_PIXEL_MAP_B_TO_B","features":[54]},{"name":"GL_PIXEL_MAP_B_TO_B_SIZE","features":[54]},{"name":"GL_PIXEL_MAP_G_TO_G","features":[54]},{"name":"GL_PIXEL_MAP_G_TO_G_SIZE","features":[54]},{"name":"GL_PIXEL_MAP_I_TO_A","features":[54]},{"name":"GL_PIXEL_MAP_I_TO_A_SIZE","features":[54]},{"name":"GL_PIXEL_MAP_I_TO_B","features":[54]},{"name":"GL_PIXEL_MAP_I_TO_B_SIZE","features":[54]},{"name":"GL_PIXEL_MAP_I_TO_G","features":[54]},{"name":"GL_PIXEL_MAP_I_TO_G_SIZE","features":[54]},{"name":"GL_PIXEL_MAP_I_TO_I","features":[54]},{"name":"GL_PIXEL_MAP_I_TO_I_SIZE","features":[54]},{"name":"GL_PIXEL_MAP_I_TO_R","features":[54]},{"name":"GL_PIXEL_MAP_I_TO_R_SIZE","features":[54]},{"name":"GL_PIXEL_MAP_R_TO_R","features":[54]},{"name":"GL_PIXEL_MAP_R_TO_R_SIZE","features":[54]},{"name":"GL_PIXEL_MAP_S_TO_S","features":[54]},{"name":"GL_PIXEL_MAP_S_TO_S_SIZE","features":[54]},{"name":"GL_PIXEL_MODE_BIT","features":[54]},{"name":"GL_POINT","features":[54]},{"name":"GL_POINTS","features":[54]},{"name":"GL_POINT_BIT","features":[54]},{"name":"GL_POINT_SIZE","features":[54]},{"name":"GL_POINT_SIZE_GRANULARITY","features":[54]},{"name":"GL_POINT_SIZE_RANGE","features":[54]},{"name":"GL_POINT_SMOOTH","features":[54]},{"name":"GL_POINT_SMOOTH_HINT","features":[54]},{"name":"GL_POINT_TOKEN","features":[54]},{"name":"GL_POLYGON","features":[54]},{"name":"GL_POLYGON_BIT","features":[54]},{"name":"GL_POLYGON_MODE","features":[54]},{"name":"GL_POLYGON_OFFSET_FACTOR","features":[54]},{"name":"GL_POLYGON_OFFSET_FILL","features":[54]},{"name":"GL_POLYGON_OFFSET_LINE","features":[54]},{"name":"GL_POLYGON_OFFSET_POINT","features":[54]},{"name":"GL_POLYGON_OFFSET_UNITS","features":[54]},{"name":"GL_POLYGON_SMOOTH","features":[54]},{"name":"GL_POLYGON_SMOOTH_HINT","features":[54]},{"name":"GL_POLYGON_STIPPLE","features":[54]},{"name":"GL_POLYGON_STIPPLE_BIT","features":[54]},{"name":"GL_POLYGON_TOKEN","features":[54]},{"name":"GL_POSITION","features":[54]},{"name":"GL_PROJECTION","features":[54]},{"name":"GL_PROJECTION_MATRIX","features":[54]},{"name":"GL_PROJECTION_STACK_DEPTH","features":[54]},{"name":"GL_PROXY_TEXTURE_1D","features":[54]},{"name":"GL_PROXY_TEXTURE_2D","features":[54]},{"name":"GL_Q","features":[54]},{"name":"GL_QUADRATIC_ATTENUATION","features":[54]},{"name":"GL_QUADS","features":[54]},{"name":"GL_QUAD_STRIP","features":[54]},{"name":"GL_R","features":[54]},{"name":"GL_R3_G3_B2","features":[54]},{"name":"GL_READ_BUFFER","features":[54]},{"name":"GL_RED","features":[54]},{"name":"GL_RED_BIAS","features":[54]},{"name":"GL_RED_BITS","features":[54]},{"name":"GL_RED_SCALE","features":[54]},{"name":"GL_RENDER","features":[54]},{"name":"GL_RENDERER","features":[54]},{"name":"GL_RENDER_MODE","features":[54]},{"name":"GL_REPEAT","features":[54]},{"name":"GL_REPLACE","features":[54]},{"name":"GL_RETURN","features":[54]},{"name":"GL_RGB","features":[54]},{"name":"GL_RGB10","features":[54]},{"name":"GL_RGB10_A2","features":[54]},{"name":"GL_RGB12","features":[54]},{"name":"GL_RGB16","features":[54]},{"name":"GL_RGB4","features":[54]},{"name":"GL_RGB5","features":[54]},{"name":"GL_RGB5_A1","features":[54]},{"name":"GL_RGB8","features":[54]},{"name":"GL_RGBA","features":[54]},{"name":"GL_RGBA12","features":[54]},{"name":"GL_RGBA16","features":[54]},{"name":"GL_RGBA2","features":[54]},{"name":"GL_RGBA4","features":[54]},{"name":"GL_RGBA8","features":[54]},{"name":"GL_RGBA_MODE","features":[54]},{"name":"GL_RIGHT","features":[54]},{"name":"GL_S","features":[54]},{"name":"GL_SCISSOR_BIT","features":[54]},{"name":"GL_SCISSOR_BOX","features":[54]},{"name":"GL_SCISSOR_TEST","features":[54]},{"name":"GL_SELECT","features":[54]},{"name":"GL_SELECTION_BUFFER_POINTER","features":[54]},{"name":"GL_SELECTION_BUFFER_SIZE","features":[54]},{"name":"GL_SET","features":[54]},{"name":"GL_SHADE_MODEL","features":[54]},{"name":"GL_SHININESS","features":[54]},{"name":"GL_SHORT","features":[54]},{"name":"GL_SMOOTH","features":[54]},{"name":"GL_SPECULAR","features":[54]},{"name":"GL_SPHERE_MAP","features":[54]},{"name":"GL_SPOT_CUTOFF","features":[54]},{"name":"GL_SPOT_DIRECTION","features":[54]},{"name":"GL_SPOT_EXPONENT","features":[54]},{"name":"GL_SRC_ALPHA","features":[54]},{"name":"GL_SRC_ALPHA_SATURATE","features":[54]},{"name":"GL_SRC_COLOR","features":[54]},{"name":"GL_STACK_OVERFLOW","features":[54]},{"name":"GL_STACK_UNDERFLOW","features":[54]},{"name":"GL_STENCIL","features":[54]},{"name":"GL_STENCIL_BITS","features":[54]},{"name":"GL_STENCIL_BUFFER_BIT","features":[54]},{"name":"GL_STENCIL_CLEAR_VALUE","features":[54]},{"name":"GL_STENCIL_FAIL","features":[54]},{"name":"GL_STENCIL_FUNC","features":[54]},{"name":"GL_STENCIL_INDEX","features":[54]},{"name":"GL_STENCIL_PASS_DEPTH_FAIL","features":[54]},{"name":"GL_STENCIL_PASS_DEPTH_PASS","features":[54]},{"name":"GL_STENCIL_REF","features":[54]},{"name":"GL_STENCIL_TEST","features":[54]},{"name":"GL_STENCIL_VALUE_MASK","features":[54]},{"name":"GL_STENCIL_WRITEMASK","features":[54]},{"name":"GL_STEREO","features":[54]},{"name":"GL_SUBPIXEL_BITS","features":[54]},{"name":"GL_T","features":[54]},{"name":"GL_T2F_C3F_V3F","features":[54]},{"name":"GL_T2F_C4F_N3F_V3F","features":[54]},{"name":"GL_T2F_C4UB_V3F","features":[54]},{"name":"GL_T2F_N3F_V3F","features":[54]},{"name":"GL_T2F_V3F","features":[54]},{"name":"GL_T4F_C4F_N3F_V4F","features":[54]},{"name":"GL_T4F_V4F","features":[54]},{"name":"GL_TEXTURE","features":[54]},{"name":"GL_TEXTURE_1D","features":[54]},{"name":"GL_TEXTURE_2D","features":[54]},{"name":"GL_TEXTURE_ALPHA_SIZE","features":[54]},{"name":"GL_TEXTURE_BINDING_1D","features":[54]},{"name":"GL_TEXTURE_BINDING_2D","features":[54]},{"name":"GL_TEXTURE_BIT","features":[54]},{"name":"GL_TEXTURE_BLUE_SIZE","features":[54]},{"name":"GL_TEXTURE_BORDER","features":[54]},{"name":"GL_TEXTURE_BORDER_COLOR","features":[54]},{"name":"GL_TEXTURE_COMPONENTS","features":[54]},{"name":"GL_TEXTURE_COORD_ARRAY","features":[54]},{"name":"GL_TEXTURE_COORD_ARRAY_COUNT_EXT","features":[54]},{"name":"GL_TEXTURE_COORD_ARRAY_EXT","features":[54]},{"name":"GL_TEXTURE_COORD_ARRAY_POINTER","features":[54]},{"name":"GL_TEXTURE_COORD_ARRAY_POINTER_EXT","features":[54]},{"name":"GL_TEXTURE_COORD_ARRAY_SIZE","features":[54]},{"name":"GL_TEXTURE_COORD_ARRAY_SIZE_EXT","features":[54]},{"name":"GL_TEXTURE_COORD_ARRAY_STRIDE","features":[54]},{"name":"GL_TEXTURE_COORD_ARRAY_STRIDE_EXT","features":[54]},{"name":"GL_TEXTURE_COORD_ARRAY_TYPE","features":[54]},{"name":"GL_TEXTURE_COORD_ARRAY_TYPE_EXT","features":[54]},{"name":"GL_TEXTURE_ENV","features":[54]},{"name":"GL_TEXTURE_ENV_COLOR","features":[54]},{"name":"GL_TEXTURE_ENV_MODE","features":[54]},{"name":"GL_TEXTURE_GEN_MODE","features":[54]},{"name":"GL_TEXTURE_GEN_Q","features":[54]},{"name":"GL_TEXTURE_GEN_R","features":[54]},{"name":"GL_TEXTURE_GEN_S","features":[54]},{"name":"GL_TEXTURE_GEN_T","features":[54]},{"name":"GL_TEXTURE_GREEN_SIZE","features":[54]},{"name":"GL_TEXTURE_HEIGHT","features":[54]},{"name":"GL_TEXTURE_INTENSITY_SIZE","features":[54]},{"name":"GL_TEXTURE_INTERNAL_FORMAT","features":[54]},{"name":"GL_TEXTURE_LUMINANCE_SIZE","features":[54]},{"name":"GL_TEXTURE_MAG_FILTER","features":[54]},{"name":"GL_TEXTURE_MATRIX","features":[54]},{"name":"GL_TEXTURE_MIN_FILTER","features":[54]},{"name":"GL_TEXTURE_PRIORITY","features":[54]},{"name":"GL_TEXTURE_RED_SIZE","features":[54]},{"name":"GL_TEXTURE_RESIDENT","features":[54]},{"name":"GL_TEXTURE_STACK_DEPTH","features":[54]},{"name":"GL_TEXTURE_WIDTH","features":[54]},{"name":"GL_TEXTURE_WRAP_S","features":[54]},{"name":"GL_TEXTURE_WRAP_T","features":[54]},{"name":"GL_TRANSFORM_BIT","features":[54]},{"name":"GL_TRIANGLES","features":[54]},{"name":"GL_TRIANGLE_FAN","features":[54]},{"name":"GL_TRIANGLE_STRIP","features":[54]},{"name":"GL_TRUE","features":[54]},{"name":"GL_UNPACK_ALIGNMENT","features":[54]},{"name":"GL_UNPACK_LSB_FIRST","features":[54]},{"name":"GL_UNPACK_ROW_LENGTH","features":[54]},{"name":"GL_UNPACK_SKIP_PIXELS","features":[54]},{"name":"GL_UNPACK_SKIP_ROWS","features":[54]},{"name":"GL_UNPACK_SWAP_BYTES","features":[54]},{"name":"GL_UNSIGNED_BYTE","features":[54]},{"name":"GL_UNSIGNED_INT","features":[54]},{"name":"GL_UNSIGNED_SHORT","features":[54]},{"name":"GL_V2F","features":[54]},{"name":"GL_V3F","features":[54]},{"name":"GL_VENDOR","features":[54]},{"name":"GL_VERSION","features":[54]},{"name":"GL_VERSION_1_1","features":[54]},{"name":"GL_VERTEX_ARRAY","features":[54]},{"name":"GL_VERTEX_ARRAY_COUNT_EXT","features":[54]},{"name":"GL_VERTEX_ARRAY_EXT","features":[54]},{"name":"GL_VERTEX_ARRAY_POINTER","features":[54]},{"name":"GL_VERTEX_ARRAY_POINTER_EXT","features":[54]},{"name":"GL_VERTEX_ARRAY_SIZE","features":[54]},{"name":"GL_VERTEX_ARRAY_SIZE_EXT","features":[54]},{"name":"GL_VERTEX_ARRAY_STRIDE","features":[54]},{"name":"GL_VERTEX_ARRAY_STRIDE_EXT","features":[54]},{"name":"GL_VERTEX_ARRAY_TYPE","features":[54]},{"name":"GL_VERTEX_ARRAY_TYPE_EXT","features":[54]},{"name":"GL_VIEWPORT","features":[54]},{"name":"GL_VIEWPORT_BIT","features":[54]},{"name":"GL_WIN_draw_range_elements","features":[54]},{"name":"GL_WIN_swap_hint","features":[54]},{"name":"GL_XOR","features":[54]},{"name":"GL_ZERO","features":[54]},{"name":"GL_ZOOM_X","features":[54]},{"name":"GL_ZOOM_Y","features":[54]},{"name":"GetEnhMetaFilePixelFormat","features":[12,54]},{"name":"GetPixelFormat","features":[12,54]},{"name":"HGLRC","features":[54]},{"name":"LAYERPLANEDESCRIPTOR","features":[1,54]},{"name":"PFD_DEPTH_DONTCARE","features":[54]},{"name":"PFD_DIRECT3D_ACCELERATED","features":[54]},{"name":"PFD_DOUBLEBUFFER","features":[54]},{"name":"PFD_DOUBLEBUFFER_DONTCARE","features":[54]},{"name":"PFD_DRAW_TO_BITMAP","features":[54]},{"name":"PFD_DRAW_TO_WINDOW","features":[54]},{"name":"PFD_FLAGS","features":[54]},{"name":"PFD_GENERIC_ACCELERATED","features":[54]},{"name":"PFD_GENERIC_FORMAT","features":[54]},{"name":"PFD_LAYER_TYPE","features":[54]},{"name":"PFD_MAIN_PLANE","features":[54]},{"name":"PFD_NEED_PALETTE","features":[54]},{"name":"PFD_NEED_SYSTEM_PALETTE","features":[54]},{"name":"PFD_OVERLAY_PLANE","features":[54]},{"name":"PFD_PIXEL_TYPE","features":[54]},{"name":"PFD_STEREO","features":[54]},{"name":"PFD_STEREO_DONTCARE","features":[54]},{"name":"PFD_SUPPORT_COMPOSITION","features":[54]},{"name":"PFD_SUPPORT_DIRECTDRAW","features":[54]},{"name":"PFD_SUPPORT_GDI","features":[54]},{"name":"PFD_SUPPORT_OPENGL","features":[54]},{"name":"PFD_SWAP_COPY","features":[54]},{"name":"PFD_SWAP_EXCHANGE","features":[54]},{"name":"PFD_SWAP_LAYER_BUFFERS","features":[54]},{"name":"PFD_TYPE_COLORINDEX","features":[54]},{"name":"PFD_TYPE_RGBA","features":[54]},{"name":"PFD_UNDERLAY_PLANE","features":[54]},{"name":"PFNGLADDSWAPHINTRECTWINPROC","features":[54]},{"name":"PFNGLARRAYELEMENTARRAYEXTPROC","features":[54]},{"name":"PFNGLARRAYELEMENTEXTPROC","features":[54]},{"name":"PFNGLCOLORPOINTEREXTPROC","features":[54]},{"name":"PFNGLCOLORSUBTABLEEXTPROC","features":[54]},{"name":"PFNGLCOLORTABLEEXTPROC","features":[54]},{"name":"PFNGLDRAWARRAYSEXTPROC","features":[54]},{"name":"PFNGLDRAWRANGEELEMENTSWINPROC","features":[54]},{"name":"PFNGLEDGEFLAGPOINTEREXTPROC","features":[54]},{"name":"PFNGLGETCOLORTABLEEXTPROC","features":[54]},{"name":"PFNGLGETCOLORTABLEPARAMETERFVEXTPROC","features":[54]},{"name":"PFNGLGETCOLORTABLEPARAMETERIVEXTPROC","features":[54]},{"name":"PFNGLGETPOINTERVEXTPROC","features":[54]},{"name":"PFNGLINDEXPOINTEREXTPROC","features":[54]},{"name":"PFNGLNORMALPOINTEREXTPROC","features":[54]},{"name":"PFNGLTEXCOORDPOINTEREXTPROC","features":[54]},{"name":"PFNGLVERTEXPOINTEREXTPROC","features":[54]},{"name":"PIXELFORMATDESCRIPTOR","features":[54]},{"name":"POINTFLOAT","features":[54]},{"name":"SetPixelFormat","features":[1,12,54]},{"name":"SwapBuffers","features":[1,12,54]},{"name":"glAccum","features":[54]},{"name":"glAlphaFunc","features":[54]},{"name":"glAreTexturesResident","features":[54]},{"name":"glArrayElement","features":[54]},{"name":"glBegin","features":[54]},{"name":"glBindTexture","features":[54]},{"name":"glBitmap","features":[54]},{"name":"glBlendFunc","features":[54]},{"name":"glCallList","features":[54]},{"name":"glCallLists","features":[54]},{"name":"glClear","features":[54]},{"name":"glClearAccum","features":[54]},{"name":"glClearColor","features":[54]},{"name":"glClearDepth","features":[54]},{"name":"glClearIndex","features":[54]},{"name":"glClearStencil","features":[54]},{"name":"glClipPlane","features":[54]},{"name":"glColor3b","features":[54]},{"name":"glColor3bv","features":[54]},{"name":"glColor3d","features":[54]},{"name":"glColor3dv","features":[54]},{"name":"glColor3f","features":[54]},{"name":"glColor3fv","features":[54]},{"name":"glColor3i","features":[54]},{"name":"glColor3iv","features":[54]},{"name":"glColor3s","features":[54]},{"name":"glColor3sv","features":[54]},{"name":"glColor3ub","features":[54]},{"name":"glColor3ubv","features":[54]},{"name":"glColor3ui","features":[54]},{"name":"glColor3uiv","features":[54]},{"name":"glColor3us","features":[54]},{"name":"glColor3usv","features":[54]},{"name":"glColor4b","features":[54]},{"name":"glColor4bv","features":[54]},{"name":"glColor4d","features":[54]},{"name":"glColor4dv","features":[54]},{"name":"glColor4f","features":[54]},{"name":"glColor4fv","features":[54]},{"name":"glColor4i","features":[54]},{"name":"glColor4iv","features":[54]},{"name":"glColor4s","features":[54]},{"name":"glColor4sv","features":[54]},{"name":"glColor4ub","features":[54]},{"name":"glColor4ubv","features":[54]},{"name":"glColor4ui","features":[54]},{"name":"glColor4uiv","features":[54]},{"name":"glColor4us","features":[54]},{"name":"glColor4usv","features":[54]},{"name":"glColorMask","features":[54]},{"name":"glColorMaterial","features":[54]},{"name":"glColorPointer","features":[54]},{"name":"glCopyPixels","features":[54]},{"name":"glCopyTexImage1D","features":[54]},{"name":"glCopyTexImage2D","features":[54]},{"name":"glCopyTexSubImage1D","features":[54]},{"name":"glCopyTexSubImage2D","features":[54]},{"name":"glCullFace","features":[54]},{"name":"glDeleteLists","features":[54]},{"name":"glDeleteTextures","features":[54]},{"name":"glDepthFunc","features":[54]},{"name":"glDepthMask","features":[54]},{"name":"glDepthRange","features":[54]},{"name":"glDisable","features":[54]},{"name":"glDisableClientState","features":[54]},{"name":"glDrawArrays","features":[54]},{"name":"glDrawBuffer","features":[54]},{"name":"glDrawElements","features":[54]},{"name":"glDrawPixels","features":[54]},{"name":"glEdgeFlag","features":[54]},{"name":"glEdgeFlagPointer","features":[54]},{"name":"glEdgeFlagv","features":[54]},{"name":"glEnable","features":[54]},{"name":"glEnableClientState","features":[54]},{"name":"glEnd","features":[54]},{"name":"glEndList","features":[54]},{"name":"glEvalCoord1d","features":[54]},{"name":"glEvalCoord1dv","features":[54]},{"name":"glEvalCoord1f","features":[54]},{"name":"glEvalCoord1fv","features":[54]},{"name":"glEvalCoord2d","features":[54]},{"name":"glEvalCoord2dv","features":[54]},{"name":"glEvalCoord2f","features":[54]},{"name":"glEvalCoord2fv","features":[54]},{"name":"glEvalMesh1","features":[54]},{"name":"glEvalMesh2","features":[54]},{"name":"glEvalPoint1","features":[54]},{"name":"glEvalPoint2","features":[54]},{"name":"glFeedbackBuffer","features":[54]},{"name":"glFinish","features":[54]},{"name":"glFlush","features":[54]},{"name":"glFogf","features":[54]},{"name":"glFogfv","features":[54]},{"name":"glFogi","features":[54]},{"name":"glFogiv","features":[54]},{"name":"glFrontFace","features":[54]},{"name":"glFrustum","features":[54]},{"name":"glGenLists","features":[54]},{"name":"glGenTextures","features":[54]},{"name":"glGetBooleanv","features":[54]},{"name":"glGetClipPlane","features":[54]},{"name":"glGetDoublev","features":[54]},{"name":"glGetError","features":[54]},{"name":"glGetFloatv","features":[54]},{"name":"glGetIntegerv","features":[54]},{"name":"glGetLightfv","features":[54]},{"name":"glGetLightiv","features":[54]},{"name":"glGetMapdv","features":[54]},{"name":"glGetMapfv","features":[54]},{"name":"glGetMapiv","features":[54]},{"name":"glGetMaterialfv","features":[54]},{"name":"glGetMaterialiv","features":[54]},{"name":"glGetPixelMapfv","features":[54]},{"name":"glGetPixelMapuiv","features":[54]},{"name":"glGetPixelMapusv","features":[54]},{"name":"glGetPointerv","features":[54]},{"name":"glGetPolygonStipple","features":[54]},{"name":"glGetString","features":[54]},{"name":"glGetTexEnvfv","features":[54]},{"name":"glGetTexEnviv","features":[54]},{"name":"glGetTexGendv","features":[54]},{"name":"glGetTexGenfv","features":[54]},{"name":"glGetTexGeniv","features":[54]},{"name":"glGetTexImage","features":[54]},{"name":"glGetTexLevelParameterfv","features":[54]},{"name":"glGetTexLevelParameteriv","features":[54]},{"name":"glGetTexParameterfv","features":[54]},{"name":"glGetTexParameteriv","features":[54]},{"name":"glHint","features":[54]},{"name":"glIndexMask","features":[54]},{"name":"glIndexPointer","features":[54]},{"name":"glIndexd","features":[54]},{"name":"glIndexdv","features":[54]},{"name":"glIndexf","features":[54]},{"name":"glIndexfv","features":[54]},{"name":"glIndexi","features":[54]},{"name":"glIndexiv","features":[54]},{"name":"glIndexs","features":[54]},{"name":"glIndexsv","features":[54]},{"name":"glIndexub","features":[54]},{"name":"glIndexubv","features":[54]},{"name":"glInitNames","features":[54]},{"name":"glInterleavedArrays","features":[54]},{"name":"glIsEnabled","features":[54]},{"name":"glIsList","features":[54]},{"name":"glIsTexture","features":[54]},{"name":"glLightModelf","features":[54]},{"name":"glLightModelfv","features":[54]},{"name":"glLightModeli","features":[54]},{"name":"glLightModeliv","features":[54]},{"name":"glLightf","features":[54]},{"name":"glLightfv","features":[54]},{"name":"glLighti","features":[54]},{"name":"glLightiv","features":[54]},{"name":"glLineStipple","features":[54]},{"name":"glLineWidth","features":[54]},{"name":"glListBase","features":[54]},{"name":"glLoadIdentity","features":[54]},{"name":"glLoadMatrixd","features":[54]},{"name":"glLoadMatrixf","features":[54]},{"name":"glLoadName","features":[54]},{"name":"glLogicOp","features":[54]},{"name":"glMap1d","features":[54]},{"name":"glMap1f","features":[54]},{"name":"glMap2d","features":[54]},{"name":"glMap2f","features":[54]},{"name":"glMapGrid1d","features":[54]},{"name":"glMapGrid1f","features":[54]},{"name":"glMapGrid2d","features":[54]},{"name":"glMapGrid2f","features":[54]},{"name":"glMaterialf","features":[54]},{"name":"glMaterialfv","features":[54]},{"name":"glMateriali","features":[54]},{"name":"glMaterialiv","features":[54]},{"name":"glMatrixMode","features":[54]},{"name":"glMultMatrixd","features":[54]},{"name":"glMultMatrixf","features":[54]},{"name":"glNewList","features":[54]},{"name":"glNormal3b","features":[54]},{"name":"glNormal3bv","features":[54]},{"name":"glNormal3d","features":[54]},{"name":"glNormal3dv","features":[54]},{"name":"glNormal3f","features":[54]},{"name":"glNormal3fv","features":[54]},{"name":"glNormal3i","features":[54]},{"name":"glNormal3iv","features":[54]},{"name":"glNormal3s","features":[54]},{"name":"glNormal3sv","features":[54]},{"name":"glNormalPointer","features":[54]},{"name":"glOrtho","features":[54]},{"name":"glPassThrough","features":[54]},{"name":"glPixelMapfv","features":[54]},{"name":"glPixelMapuiv","features":[54]},{"name":"glPixelMapusv","features":[54]},{"name":"glPixelStoref","features":[54]},{"name":"glPixelStorei","features":[54]},{"name":"glPixelTransferf","features":[54]},{"name":"glPixelTransferi","features":[54]},{"name":"glPixelZoom","features":[54]},{"name":"glPointSize","features":[54]},{"name":"glPolygonMode","features":[54]},{"name":"glPolygonOffset","features":[54]},{"name":"glPolygonStipple","features":[54]},{"name":"glPopAttrib","features":[54]},{"name":"glPopClientAttrib","features":[54]},{"name":"glPopMatrix","features":[54]},{"name":"glPopName","features":[54]},{"name":"glPrioritizeTextures","features":[54]},{"name":"glPushAttrib","features":[54]},{"name":"glPushClientAttrib","features":[54]},{"name":"glPushMatrix","features":[54]},{"name":"glPushName","features":[54]},{"name":"glRasterPos2d","features":[54]},{"name":"glRasterPos2dv","features":[54]},{"name":"glRasterPos2f","features":[54]},{"name":"glRasterPos2fv","features":[54]},{"name":"glRasterPos2i","features":[54]},{"name":"glRasterPos2iv","features":[54]},{"name":"glRasterPos2s","features":[54]},{"name":"glRasterPos2sv","features":[54]},{"name":"glRasterPos3d","features":[54]},{"name":"glRasterPos3dv","features":[54]},{"name":"glRasterPos3f","features":[54]},{"name":"glRasterPos3fv","features":[54]},{"name":"glRasterPos3i","features":[54]},{"name":"glRasterPos3iv","features":[54]},{"name":"glRasterPos3s","features":[54]},{"name":"glRasterPos3sv","features":[54]},{"name":"glRasterPos4d","features":[54]},{"name":"glRasterPos4dv","features":[54]},{"name":"glRasterPos4f","features":[54]},{"name":"glRasterPos4fv","features":[54]},{"name":"glRasterPos4i","features":[54]},{"name":"glRasterPos4iv","features":[54]},{"name":"glRasterPos4s","features":[54]},{"name":"glRasterPos4sv","features":[54]},{"name":"glReadBuffer","features":[54]},{"name":"glReadPixels","features":[54]},{"name":"glRectd","features":[54]},{"name":"glRectdv","features":[54]},{"name":"glRectf","features":[54]},{"name":"glRectfv","features":[54]},{"name":"glRecti","features":[54]},{"name":"glRectiv","features":[54]},{"name":"glRects","features":[54]},{"name":"glRectsv","features":[54]},{"name":"glRenderMode","features":[54]},{"name":"glRotated","features":[54]},{"name":"glRotatef","features":[54]},{"name":"glScaled","features":[54]},{"name":"glScalef","features":[54]},{"name":"glScissor","features":[54]},{"name":"glSelectBuffer","features":[54]},{"name":"glShadeModel","features":[54]},{"name":"glStencilFunc","features":[54]},{"name":"glStencilMask","features":[54]},{"name":"glStencilOp","features":[54]},{"name":"glTexCoord1d","features":[54]},{"name":"glTexCoord1dv","features":[54]},{"name":"glTexCoord1f","features":[54]},{"name":"glTexCoord1fv","features":[54]},{"name":"glTexCoord1i","features":[54]},{"name":"glTexCoord1iv","features":[54]},{"name":"glTexCoord1s","features":[54]},{"name":"glTexCoord1sv","features":[54]},{"name":"glTexCoord2d","features":[54]},{"name":"glTexCoord2dv","features":[54]},{"name":"glTexCoord2f","features":[54]},{"name":"glTexCoord2fv","features":[54]},{"name":"glTexCoord2i","features":[54]},{"name":"glTexCoord2iv","features":[54]},{"name":"glTexCoord2s","features":[54]},{"name":"glTexCoord2sv","features":[54]},{"name":"glTexCoord3d","features":[54]},{"name":"glTexCoord3dv","features":[54]},{"name":"glTexCoord3f","features":[54]},{"name":"glTexCoord3fv","features":[54]},{"name":"glTexCoord3i","features":[54]},{"name":"glTexCoord3iv","features":[54]},{"name":"glTexCoord3s","features":[54]},{"name":"glTexCoord3sv","features":[54]},{"name":"glTexCoord4d","features":[54]},{"name":"glTexCoord4dv","features":[54]},{"name":"glTexCoord4f","features":[54]},{"name":"glTexCoord4fv","features":[54]},{"name":"glTexCoord4i","features":[54]},{"name":"glTexCoord4iv","features":[54]},{"name":"glTexCoord4s","features":[54]},{"name":"glTexCoord4sv","features":[54]},{"name":"glTexCoordPointer","features":[54]},{"name":"glTexEnvf","features":[54]},{"name":"glTexEnvfv","features":[54]},{"name":"glTexEnvi","features":[54]},{"name":"glTexEnviv","features":[54]},{"name":"glTexGend","features":[54]},{"name":"glTexGendv","features":[54]},{"name":"glTexGenf","features":[54]},{"name":"glTexGenfv","features":[54]},{"name":"glTexGeni","features":[54]},{"name":"glTexGeniv","features":[54]},{"name":"glTexImage1D","features":[54]},{"name":"glTexImage2D","features":[54]},{"name":"glTexParameterf","features":[54]},{"name":"glTexParameterfv","features":[54]},{"name":"glTexParameteri","features":[54]},{"name":"glTexParameteriv","features":[54]},{"name":"glTexSubImage1D","features":[54]},{"name":"glTexSubImage2D","features":[54]},{"name":"glTranslated","features":[54]},{"name":"glTranslatef","features":[54]},{"name":"glVertex2d","features":[54]},{"name":"glVertex2dv","features":[54]},{"name":"glVertex2f","features":[54]},{"name":"glVertex2fv","features":[54]},{"name":"glVertex2i","features":[54]},{"name":"glVertex2iv","features":[54]},{"name":"glVertex2s","features":[54]},{"name":"glVertex2sv","features":[54]},{"name":"glVertex3d","features":[54]},{"name":"glVertex3dv","features":[54]},{"name":"glVertex3f","features":[54]},{"name":"glVertex3fv","features":[54]},{"name":"glVertex3i","features":[54]},{"name":"glVertex3iv","features":[54]},{"name":"glVertex3s","features":[54]},{"name":"glVertex3sv","features":[54]},{"name":"glVertex4d","features":[54]},{"name":"glVertex4dv","features":[54]},{"name":"glVertex4f","features":[54]},{"name":"glVertex4fv","features":[54]},{"name":"glVertex4i","features":[54]},{"name":"glVertex4iv","features":[54]},{"name":"glVertex4s","features":[54]},{"name":"glVertex4sv","features":[54]},{"name":"glVertexPointer","features":[54]},{"name":"glViewport","features":[54]},{"name":"gluBeginCurve","features":[54]},{"name":"gluBeginPolygon","features":[54]},{"name":"gluBeginSurface","features":[54]},{"name":"gluBeginTrim","features":[54]},{"name":"gluBuild1DMipmaps","features":[54]},{"name":"gluBuild2DMipmaps","features":[54]},{"name":"gluCylinder","features":[54]},{"name":"gluDeleteNurbsRenderer","features":[54]},{"name":"gluDeleteQuadric","features":[54]},{"name":"gluDeleteTess","features":[54]},{"name":"gluDisk","features":[54]},{"name":"gluEndCurve","features":[54]},{"name":"gluEndPolygon","features":[54]},{"name":"gluEndSurface","features":[54]},{"name":"gluEndTrim","features":[54]},{"name":"gluErrorString","features":[54]},{"name":"gluErrorUnicodeStringEXT","features":[54]},{"name":"gluGetNurbsProperty","features":[54]},{"name":"gluGetString","features":[54]},{"name":"gluGetTessProperty","features":[54]},{"name":"gluLoadSamplingMatrices","features":[54]},{"name":"gluLookAt","features":[54]},{"name":"gluNewNurbsRenderer","features":[54]},{"name":"gluNewQuadric","features":[54]},{"name":"gluNewTess","features":[54]},{"name":"gluNextContour","features":[54]},{"name":"gluNurbsCallback","features":[54]},{"name":"gluNurbsCurve","features":[54]},{"name":"gluNurbsProperty","features":[54]},{"name":"gluNurbsSurface","features":[54]},{"name":"gluOrtho2D","features":[54]},{"name":"gluPartialDisk","features":[54]},{"name":"gluPerspective","features":[54]},{"name":"gluPickMatrix","features":[54]},{"name":"gluProject","features":[54]},{"name":"gluPwlCurve","features":[54]},{"name":"gluQuadricCallback","features":[54]},{"name":"gluQuadricDrawStyle","features":[54]},{"name":"gluQuadricNormals","features":[54]},{"name":"gluQuadricOrientation","features":[54]},{"name":"gluQuadricTexture","features":[54]},{"name":"gluScaleImage","features":[54]},{"name":"gluSphere","features":[54]},{"name":"gluTessBeginContour","features":[54]},{"name":"gluTessBeginPolygon","features":[54]},{"name":"gluTessCallback","features":[54]},{"name":"gluTessEndContour","features":[54]},{"name":"gluTessEndPolygon","features":[54]},{"name":"gluTessNormal","features":[54]},{"name":"gluTessProperty","features":[54]},{"name":"gluTessVertex","features":[54]},{"name":"gluUnProject","features":[54]},{"name":"wglCopyContext","features":[1,54]},{"name":"wglCreateContext","features":[12,54]},{"name":"wglCreateLayerContext","features":[12,54]},{"name":"wglDeleteContext","features":[1,54]},{"name":"wglDescribeLayerPlane","features":[1,12,54]},{"name":"wglGetCurrentContext","features":[54]},{"name":"wglGetCurrentDC","features":[12,54]},{"name":"wglGetLayerPaletteEntries","features":[1,12,54]},{"name":"wglGetProcAddress","features":[1,54]},{"name":"wglMakeCurrent","features":[1,12,54]},{"name":"wglRealizeLayerPalette","features":[1,12,54]},{"name":"wglSetLayerPaletteEntries","features":[1,12,54]},{"name":"wglShareLists","features":[1,54]},{"name":"wglSwapLayerBuffers","features":[1,12,54]},{"name":"wglUseFontBitmapsA","features":[1,12,54]},{"name":"wglUseFontBitmapsW","features":[1,12,54]},{"name":"wglUseFontOutlinesA","features":[1,12,54]},{"name":"wglUseFontOutlinesW","features":[1,12,54]}],"419":[{"name":"ADDJOB_INFO_1A","features":[74]},{"name":"ADDJOB_INFO_1W","features":[74]},{"name":"ALREADY_REGISTERED","features":[74]},{"name":"ALREADY_UNREGISTERED","features":[74]},{"name":"APD_COPY_ALL_FILES","features":[74]},{"name":"APD_COPY_FROM_DIRECTORY","features":[74]},{"name":"APD_COPY_NEW_FILES","features":[74]},{"name":"APD_STRICT_DOWNGRADE","features":[74]},{"name":"APD_STRICT_UPGRADE","features":[74]},{"name":"APPLYCPSUI_NO_NEWDEF","features":[74]},{"name":"APPLYCPSUI_OK_CANCEL_BUTTON","features":[74]},{"name":"ASYNC_CALL_ALREADY_PARKED","features":[74]},{"name":"ASYNC_CALL_IN_PROGRESS","features":[74]},{"name":"ASYNC_NOTIFICATION_FAILURE","features":[74]},{"name":"ATTRIBUTE_INFO_1","features":[74]},{"name":"ATTRIBUTE_INFO_2","features":[74]},{"name":"ATTRIBUTE_INFO_3","features":[74]},{"name":"ATTRIBUTE_INFO_4","features":[74]},{"name":"AbortPrinter","features":[1,74]},{"name":"AddFormA","features":[1,74]},{"name":"AddFormW","features":[1,74]},{"name":"AddJobA","features":[1,74]},{"name":"AddJobW","features":[1,74]},{"name":"AddMonitorA","features":[1,74]},{"name":"AddMonitorW","features":[1,74]},{"name":"AddPortA","features":[1,74]},{"name":"AddPortW","features":[1,74]},{"name":"AddPrintDeviceObject","features":[1,74]},{"name":"AddPrintProcessorA","features":[1,74]},{"name":"AddPrintProcessorW","features":[1,74]},{"name":"AddPrintProvidorA","features":[1,74]},{"name":"AddPrintProvidorW","features":[1,74]},{"name":"AddPrinterA","features":[1,74]},{"name":"AddPrinterConnection2A","features":[1,74]},{"name":"AddPrinterConnection2W","features":[1,74]},{"name":"AddPrinterConnectionA","features":[1,74]},{"name":"AddPrinterConnectionW","features":[1,74]},{"name":"AddPrinterDriverA","features":[1,74]},{"name":"AddPrinterDriverExA","features":[1,74]},{"name":"AddPrinterDriverExW","features":[1,74]},{"name":"AddPrinterDriverW","features":[1,74]},{"name":"AddPrinterW","features":[1,74]},{"name":"AdvancedDocumentPropertiesA","features":[1,12,74]},{"name":"AdvancedDocumentPropertiesW","features":[1,12,74]},{"name":"AppendPrinterNotifyInfoData","features":[1,74]},{"name":"BIDI_ACCESS_ADMINISTRATOR","features":[74]},{"name":"BIDI_ACCESS_USER","features":[74]},{"name":"BIDI_ACTION_ENUM_SCHEMA","features":[74]},{"name":"BIDI_ACTION_GET","features":[74]},{"name":"BIDI_ACTION_GET_ALL","features":[74]},{"name":"BIDI_ACTION_GET_WITH_ARGUMENT","features":[74]},{"name":"BIDI_ACTION_SET","features":[74]},{"name":"BIDI_BLOB","features":[74]},{"name":"BIDI_BOOL","features":[74]},{"name":"BIDI_DATA","features":[1,74]},{"name":"BIDI_ENUM","features":[74]},{"name":"BIDI_FLOAT","features":[74]},{"name":"BIDI_INT","features":[74]},{"name":"BIDI_NULL","features":[74]},{"name":"BIDI_REQUEST_CONTAINER","features":[1,74]},{"name":"BIDI_REQUEST_DATA","features":[1,74]},{"name":"BIDI_RESPONSE_CONTAINER","features":[1,74]},{"name":"BIDI_RESPONSE_DATA","features":[1,74]},{"name":"BIDI_STRING","features":[74]},{"name":"BIDI_TEXT","features":[74]},{"name":"BIDI_TYPE","features":[74]},{"name":"BINARY_CONTAINER","features":[74]},{"name":"BOOKLET_EDGE_LEFT","features":[74]},{"name":"BOOKLET_EDGE_RIGHT","features":[74]},{"name":"BOOKLET_PRINT","features":[74]},{"name":"BORDER_PRINT","features":[74]},{"name":"BidiRequest","features":[74]},{"name":"BidiRequestContainer","features":[74]},{"name":"BidiSpl","features":[74]},{"name":"BranchOfficeJobData","features":[74]},{"name":"BranchOfficeJobDataContainer","features":[74]},{"name":"BranchOfficeJobDataError","features":[74]},{"name":"BranchOfficeJobDataPipelineFailed","features":[74]},{"name":"BranchOfficeJobDataPrinted","features":[74]},{"name":"BranchOfficeJobDataRendered","features":[74]},{"name":"BranchOfficeLogOfflineFileFull","features":[74]},{"name":"CC_BIG5","features":[74]},{"name":"CC_CP437","features":[74]},{"name":"CC_CP850","features":[74]},{"name":"CC_CP863","features":[74]},{"name":"CC_DEFAULT","features":[74]},{"name":"CC_GB2312","features":[74]},{"name":"CC_ISC","features":[74]},{"name":"CC_JIS","features":[74]},{"name":"CC_JIS_ANK","features":[74]},{"name":"CC_NOPRECNV","features":[74]},{"name":"CC_NS86","features":[74]},{"name":"CC_SJIS","features":[74]},{"name":"CC_TCA","features":[74]},{"name":"CC_WANSUNG","features":[74]},{"name":"CDM_CONVERT","features":[74]},{"name":"CDM_CONVERT351","features":[74]},{"name":"CDM_DRIVER_DEFAULT","features":[74]},{"name":"CHANNEL_ACQUIRED","features":[74]},{"name":"CHANNEL_ALREADY_CLOSED","features":[74]},{"name":"CHANNEL_ALREADY_OPENED","features":[74]},{"name":"CHANNEL_CLOSED_BY_ANOTHER_LISTENER","features":[74]},{"name":"CHANNEL_CLOSED_BY_SAME_LISTENER","features":[74]},{"name":"CHANNEL_CLOSED_BY_SERVER","features":[74]},{"name":"CHANNEL_NOT_OPENED","features":[74]},{"name":"CHANNEL_RELEASED_BY_LISTENER","features":[74]},{"name":"CHANNEL_WAITING_FOR_CLIENT_NOTIFICATION","features":[74]},{"name":"CHKBOXS_FALSE_PDATA","features":[74]},{"name":"CHKBOXS_FALSE_TRUE","features":[74]},{"name":"CHKBOXS_NONE_PDATA","features":[74]},{"name":"CHKBOXS_NO_PDATA","features":[74]},{"name":"CHKBOXS_NO_YES","features":[74]},{"name":"CHKBOXS_OFF_ON","features":[74]},{"name":"CHKBOXS_OFF_PDATA","features":[74]},{"name":"CLSID_OEMPTPROVIDER","features":[74]},{"name":"CLSID_OEMRENDER","features":[74]},{"name":"CLSID_OEMUI","features":[74]},{"name":"CLSID_OEMUIMXDC","features":[74]},{"name":"CLSID_PTPROVIDER","features":[74]},{"name":"CLSID_XPSRASTERIZER_FACTORY","features":[74]},{"name":"COLOR_OPTIMIZATION","features":[74]},{"name":"COMPROPSHEETUI","features":[1,74,50]},{"name":"CONFIG_INFO_DATA_1","features":[74]},{"name":"COPYFILE_EVENT_ADD_PRINTER_CONNECTION","features":[74]},{"name":"COPYFILE_EVENT_DELETE_PRINTER","features":[74]},{"name":"COPYFILE_EVENT_DELETE_PRINTER_CONNECTION","features":[74]},{"name":"COPYFILE_EVENT_FILES_CHANGED","features":[74]},{"name":"COPYFILE_EVENT_SET_PRINTER_DATAEX","features":[74]},{"name":"COPYFILE_FLAG_CLIENT_SPOOLER","features":[74]},{"name":"COPYFILE_FLAG_SERVER_SPOOLER","features":[74]},{"name":"CORE_PRINTER_DRIVERA","features":[1,74]},{"name":"CORE_PRINTER_DRIVERW","features":[1,74]},{"name":"CPSFUNC_ADD_HPROPSHEETPAGE","features":[74]},{"name":"CPSFUNC_ADD_PCOMPROPSHEETUI","features":[74]},{"name":"CPSFUNC_ADD_PCOMPROPSHEETUIA","features":[74]},{"name":"CPSFUNC_ADD_PCOMPROPSHEETUIW","features":[74]},{"name":"CPSFUNC_ADD_PFNPROPSHEETUI","features":[74]},{"name":"CPSFUNC_ADD_PFNPROPSHEETUIA","features":[74]},{"name":"CPSFUNC_ADD_PFNPROPSHEETUIW","features":[74]},{"name":"CPSFUNC_ADD_PROPSHEETPAGE","features":[74]},{"name":"CPSFUNC_ADD_PROPSHEETPAGEA","features":[74]},{"name":"CPSFUNC_ADD_PROPSHEETPAGEW","features":[74]},{"name":"CPSFUNC_DELETE_HCOMPROPSHEET","features":[74]},{"name":"CPSFUNC_DO_APPLY_CPSUI","features":[74]},{"name":"CPSFUNC_GET_HPSUIPAGES","features":[74]},{"name":"CPSFUNC_GET_PAGECOUNT","features":[74]},{"name":"CPSFUNC_GET_PFNPROPSHEETUI_ICON","features":[74]},{"name":"CPSFUNC_IGNORE_CPSUI_PSN_APPLY","features":[74]},{"name":"CPSFUNC_INSERT_PSUIPAGE","features":[74]},{"name":"CPSFUNC_INSERT_PSUIPAGEA","features":[74]},{"name":"CPSFUNC_INSERT_PSUIPAGEW","features":[74]},{"name":"CPSFUNC_LOAD_CPSUI_ICON","features":[74]},{"name":"CPSFUNC_LOAD_CPSUI_STRING","features":[74]},{"name":"CPSFUNC_LOAD_CPSUI_STRINGA","features":[74]},{"name":"CPSFUNC_LOAD_CPSUI_STRINGW","features":[74]},{"name":"CPSFUNC_QUERY_DATABLOCK","features":[74]},{"name":"CPSFUNC_SET_DATABLOCK","features":[74]},{"name":"CPSFUNC_SET_DMPUB_HIDEBITS","features":[74]},{"name":"CPSFUNC_SET_FUSION_CONTEXT","features":[74]},{"name":"CPSFUNC_SET_HSTARTPAGE","features":[74]},{"name":"CPSFUNC_SET_PSUIPAGE_ICON","features":[74]},{"name":"CPSFUNC_SET_PSUIPAGE_TITLE","features":[74]},{"name":"CPSFUNC_SET_PSUIPAGE_TITLEA","features":[74]},{"name":"CPSFUNC_SET_PSUIPAGE_TITLEW","features":[74]},{"name":"CPSFUNC_SET_RESULT","features":[74]},{"name":"CPSUICBPARAM","features":[1,74,50]},{"name":"CPSUICB_ACTION_ITEMS_APPLIED","features":[74]},{"name":"CPSUICB_ACTION_NONE","features":[74]},{"name":"CPSUICB_ACTION_NO_APPLY_EXIT","features":[74]},{"name":"CPSUICB_ACTION_OPTIF_CHANGED","features":[74]},{"name":"CPSUICB_ACTION_REINIT_ITEMS","features":[74]},{"name":"CPSUICB_REASON_ABOUT","features":[74]},{"name":"CPSUICB_REASON_APPLYNOW","features":[74]},{"name":"CPSUICB_REASON_DLGPROC","features":[74]},{"name":"CPSUICB_REASON_ECB_CHANGED","features":[74]},{"name":"CPSUICB_REASON_EXTPUSH","features":[74]},{"name":"CPSUICB_REASON_ITEMS_REVERTED","features":[74]},{"name":"CPSUICB_REASON_KILLACTIVE","features":[74]},{"name":"CPSUICB_REASON_OPTITEM_SETFOCUS","features":[74]},{"name":"CPSUICB_REASON_PUSHBUTTON","features":[74]},{"name":"CPSUICB_REASON_SEL_CHANGED","features":[74]},{"name":"CPSUICB_REASON_SETACTIVE","features":[74]},{"name":"CPSUICB_REASON_UNDO_CHANGES","features":[74]},{"name":"CPSUIDATABLOCK","features":[74]},{"name":"CPSUIF_ABOUT_CALLBACK","features":[74]},{"name":"CPSUIF_ICONID_AS_HICON","features":[74]},{"name":"CPSUIF_UPDATE_PERMISSION","features":[74]},{"name":"CPSUI_CANCEL","features":[74]},{"name":"CPSUI_OK","features":[74]},{"name":"CPSUI_REBOOTSYSTEM","features":[74]},{"name":"CPSUI_RESTARTWINDOWS","features":[74]},{"name":"CUSTOMPARAM_HEIGHT","features":[74]},{"name":"CUSTOMPARAM_HEIGHTOFFSET","features":[74]},{"name":"CUSTOMPARAM_MAX","features":[74]},{"name":"CUSTOMPARAM_ORIENTATION","features":[74]},{"name":"CUSTOMPARAM_WIDTH","features":[74]},{"name":"CUSTOMPARAM_WIDTHOFFSET","features":[74]},{"name":"CUSTOMSIZEPARAM","features":[74]},{"name":"CallRouterFindFirstPrinterChangeNotification","features":[1,74]},{"name":"ClosePrinter","features":[1,74]},{"name":"CloseSpoolFileHandle","features":[1,74]},{"name":"CommitSpoolData","features":[1,74]},{"name":"CommonPropertySheetUIA","features":[1,74]},{"name":"CommonPropertySheetUIW","features":[1,74]},{"name":"Compression_Fast","features":[74]},{"name":"Compression_Normal","features":[74]},{"name":"Compression_NotCompressed","features":[74]},{"name":"Compression_Small","features":[74]},{"name":"ConfigurePortA","features":[1,74]},{"name":"ConfigurePortW","features":[1,74]},{"name":"ConnectToPrinterDlg","features":[1,74]},{"name":"CorePrinterDriverInstalledA","features":[1,74]},{"name":"CorePrinterDriverInstalledW","features":[1,74]},{"name":"CreatePrintAsyncNotifyChannel","features":[74]},{"name":"CreatePrinterIC","features":[1,12,74]},{"name":"DATATYPES_INFO_1A","features":[74]},{"name":"DATATYPES_INFO_1W","features":[74]},{"name":"DATA_HEADER","features":[74]},{"name":"DEF_PRIORITY","features":[74]},{"name":"DELETE_PORT_DATA_1","features":[74]},{"name":"DEVICEPROPERTYHEADER","features":[1,74]},{"name":"DEVQUERYPRINT_INFO","features":[1,12,74]},{"name":"DF_BKSP_OK","features":[74]},{"name":"DF_NOITALIC","features":[74]},{"name":"DF_NOUNDER","features":[74]},{"name":"DF_NO_BOLD","features":[74]},{"name":"DF_NO_DOUBLE_UNDERLINE","features":[74]},{"name":"DF_NO_STRIKETHRU","features":[74]},{"name":"DF_TYPE_CAPSL","features":[74]},{"name":"DF_TYPE_HPINTELLIFONT","features":[74]},{"name":"DF_TYPE_OEM1","features":[74]},{"name":"DF_TYPE_OEM2","features":[74]},{"name":"DF_TYPE_PST1","features":[74]},{"name":"DF_TYPE_TRUETYPE","features":[74]},{"name":"DF_XM_CR","features":[74]},{"name":"DISPID_PRINTEREXTENSION_CONTEXT","features":[74]},{"name":"DISPID_PRINTEREXTENSION_CONTEXTCOLLECTION","features":[74]},{"name":"DISPID_PRINTEREXTENSION_CONTEXTCOLLECTION_COUNT","features":[74]},{"name":"DISPID_PRINTEREXTENSION_CONTEXTCOLLECTION_GETAT","features":[74]},{"name":"DISPID_PRINTEREXTENSION_CONTEXT_DRIVERPROPERTIES","features":[74]},{"name":"DISPID_PRINTEREXTENSION_CONTEXT_PRINTERQUEUE","features":[74]},{"name":"DISPID_PRINTEREXTENSION_CONTEXT_PRINTSCHEMATICKET","features":[74]},{"name":"DISPID_PRINTEREXTENSION_CONTEXT_USERPROPERTIES","features":[74]},{"name":"DISPID_PRINTEREXTENSION_EVENT","features":[74]},{"name":"DISPID_PRINTEREXTENSION_EVENTARGS","features":[74]},{"name":"DISPID_PRINTEREXTENSION_EVENTARGS_BIDINOTIFICATION","features":[74]},{"name":"DISPID_PRINTEREXTENSION_EVENTARGS_DETAILEDREASONID","features":[74]},{"name":"DISPID_PRINTEREXTENSION_EVENTARGS_REASONID","features":[74]},{"name":"DISPID_PRINTEREXTENSION_EVENTARGS_REQUEST","features":[74]},{"name":"DISPID_PRINTEREXTENSION_EVENTARGS_SOURCEAPPLICATION","features":[74]},{"name":"DISPID_PRINTEREXTENSION_EVENTARGS_WINDOWMODAL","features":[74]},{"name":"DISPID_PRINTEREXTENSION_EVENTARGS_WINDOWPARENT","features":[74]},{"name":"DISPID_PRINTEREXTENSION_EVENT_ONDRIVEREVENT","features":[74]},{"name":"DISPID_PRINTEREXTENSION_EVENT_ONPRINTERQUEUESENUMERATED","features":[74]},{"name":"DISPID_PRINTEREXTENSION_REQUEST","features":[74]},{"name":"DISPID_PRINTEREXTENSION_REQUEST_CANCEL","features":[74]},{"name":"DISPID_PRINTEREXTENSION_REQUEST_COMPLETE","features":[74]},{"name":"DISPID_PRINTERPROPERTYBAG","features":[74]},{"name":"DISPID_PRINTERPROPERTYBAG_GETBOOL","features":[74]},{"name":"DISPID_PRINTERPROPERTYBAG_GETBYTES","features":[74]},{"name":"DISPID_PRINTERPROPERTYBAG_GETINT32","features":[74]},{"name":"DISPID_PRINTERPROPERTYBAG_GETREADSTREAM","features":[74]},{"name":"DISPID_PRINTERPROPERTYBAG_GETSTRING","features":[74]},{"name":"DISPID_PRINTERPROPERTYBAG_GETWRITESTREAM","features":[74]},{"name":"DISPID_PRINTERPROPERTYBAG_SETBOOL","features":[74]},{"name":"DISPID_PRINTERPROPERTYBAG_SETBYTES","features":[74]},{"name":"DISPID_PRINTERPROPERTYBAG_SETINT32","features":[74]},{"name":"DISPID_PRINTERPROPERTYBAG_SETSTRING","features":[74]},{"name":"DISPID_PRINTERQUEUE","features":[74]},{"name":"DISPID_PRINTERQUEUEEVENT","features":[74]},{"name":"DISPID_PRINTERQUEUEEVENT_ONBIDIRESPONSERECEIVED","features":[74]},{"name":"DISPID_PRINTERQUEUEVIEW","features":[74]},{"name":"DISPID_PRINTERQUEUEVIEW_EVENT","features":[74]},{"name":"DISPID_PRINTERQUEUEVIEW_EVENT_ONCHANGED","features":[74]},{"name":"DISPID_PRINTERQUEUEVIEW_SETVIEWRANGE","features":[74]},{"name":"DISPID_PRINTERQUEUE_GETPRINTERQUEUEVIEW","features":[74]},{"name":"DISPID_PRINTERQUEUE_GETPROPERTIES","features":[74]},{"name":"DISPID_PRINTERQUEUE_HANDLE","features":[74]},{"name":"DISPID_PRINTERQUEUE_NAME","features":[74]},{"name":"DISPID_PRINTERQUEUE_SENDBIDIQUERY","features":[74]},{"name":"DISPID_PRINTERQUEUE_SENDBIDISETREQUESTASYNC","features":[74]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG","features":[74]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG_GETBOOL","features":[74]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG_GETBYTES","features":[74]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG_GETINT32","features":[74]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG_GETREADSTREAM","features":[74]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG_GETSTREAMASXML","features":[74]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG_GETSTRING","features":[74]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG_GETWRITESTREAM","features":[74]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG_SETBOOL","features":[74]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG_SETBYTES","features":[74]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG_SETINT32","features":[74]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG_SETSTRING","features":[74]},{"name":"DISPID_PRINTERSCRIPTABLESEQUENTIALSTREAM","features":[74]},{"name":"DISPID_PRINTERSCRIPTABLESEQUENTIALSTREAM_READ","features":[74]},{"name":"DISPID_PRINTERSCRIPTABLESEQUENTIALSTREAM_WRITE","features":[74]},{"name":"DISPID_PRINTERSCRIPTABLESTREAM","features":[74]},{"name":"DISPID_PRINTERSCRIPTABLESTREAM_COMMIT","features":[74]},{"name":"DISPID_PRINTERSCRIPTABLESTREAM_SEEK","features":[74]},{"name":"DISPID_PRINTERSCRIPTABLESTREAM_SETSIZE","features":[74]},{"name":"DISPID_PRINTERSCRIPTCONTEXT","features":[74]},{"name":"DISPID_PRINTERSCRIPTCONTEXT_DRIVERPROPERTIES","features":[74]},{"name":"DISPID_PRINTERSCRIPTCONTEXT_QUEUEPROPERTIES","features":[74]},{"name":"DISPID_PRINTERSCRIPTCONTEXT_USERPROPERTIES","features":[74]},{"name":"DISPID_PRINTJOBCOLLECTION","features":[74]},{"name":"DISPID_PRINTJOBCOLLECTION_COUNT","features":[74]},{"name":"DISPID_PRINTJOBCOLLECTION_GETAT","features":[74]},{"name":"DISPID_PRINTSCHEMA_ASYNCOPERATION","features":[74]},{"name":"DISPID_PRINTSCHEMA_ASYNCOPERATIONEVENT","features":[74]},{"name":"DISPID_PRINTSCHEMA_ASYNCOPERATIONEVENT_COMPLETED","features":[74]},{"name":"DISPID_PRINTSCHEMA_ASYNCOPERATION_CANCEL","features":[74]},{"name":"DISPID_PRINTSCHEMA_ASYNCOPERATION_START","features":[74]},{"name":"DISPID_PRINTSCHEMA_CAPABILITIES","features":[74]},{"name":"DISPID_PRINTSCHEMA_CAPABILITIES_GETFEATURE","features":[74]},{"name":"DISPID_PRINTSCHEMA_CAPABILITIES_GETFEATURE_KEYNAME","features":[74]},{"name":"DISPID_PRINTSCHEMA_CAPABILITIES_GETOPTIONS","features":[74]},{"name":"DISPID_PRINTSCHEMA_CAPABILITIES_GETPARAMETERDEFINITION","features":[74]},{"name":"DISPID_PRINTSCHEMA_CAPABILITIES_GETSELECTEDOPTION","features":[74]},{"name":"DISPID_PRINTSCHEMA_CAPABILITIES_JOBCOPIESMAXVALUE","features":[74]},{"name":"DISPID_PRINTSCHEMA_CAPABILITIES_JOBCOPIESMINVALUE","features":[74]},{"name":"DISPID_PRINTSCHEMA_CAPABILITIES_PAGEIMAGEABLESIZE","features":[74]},{"name":"DISPID_PRINTSCHEMA_DISPLAYABLEELEMENT","features":[74]},{"name":"DISPID_PRINTSCHEMA_DISPLAYABLEELEMENT_DISPLAYNAME","features":[74]},{"name":"DISPID_PRINTSCHEMA_ELEMENT","features":[74]},{"name":"DISPID_PRINTSCHEMA_ELEMENT_NAME","features":[74]},{"name":"DISPID_PRINTSCHEMA_ELEMENT_NAMESPACEURI","features":[74]},{"name":"DISPID_PRINTSCHEMA_ELEMENT_XMLNODE","features":[74]},{"name":"DISPID_PRINTSCHEMA_FEATURE","features":[74]},{"name":"DISPID_PRINTSCHEMA_FEATURE_DISPLAYUI","features":[74]},{"name":"DISPID_PRINTSCHEMA_FEATURE_GETOPTION","features":[74]},{"name":"DISPID_PRINTSCHEMA_FEATURE_SELECTEDOPTION","features":[74]},{"name":"DISPID_PRINTSCHEMA_FEATURE_SELECTIONTYPE","features":[74]},{"name":"DISPID_PRINTSCHEMA_NUPOPTION","features":[74]},{"name":"DISPID_PRINTSCHEMA_NUPOPTION_PAGESPERSHEET","features":[74]},{"name":"DISPID_PRINTSCHEMA_OPTION","features":[74]},{"name":"DISPID_PRINTSCHEMA_OPTIONCOLLECTION","features":[74]},{"name":"DISPID_PRINTSCHEMA_OPTIONCOLLECTION_COUNT","features":[74]},{"name":"DISPID_PRINTSCHEMA_OPTIONCOLLECTION_GETAT","features":[74]},{"name":"DISPID_PRINTSCHEMA_OPTION_CONSTRAINED","features":[74]},{"name":"DISPID_PRINTSCHEMA_OPTION_GETPROPERTYVALUE","features":[74]},{"name":"DISPID_PRINTSCHEMA_OPTION_SELECTED","features":[74]},{"name":"DISPID_PRINTSCHEMA_PAGEIMAGEABLESIZE","features":[74]},{"name":"DISPID_PRINTSCHEMA_PAGEIMAGEABLESIZE_EXTENT_HEIGHT","features":[74]},{"name":"DISPID_PRINTSCHEMA_PAGEIMAGEABLESIZE_EXTENT_WIDTH","features":[74]},{"name":"DISPID_PRINTSCHEMA_PAGEIMAGEABLESIZE_IMAGEABLE_HEIGHT","features":[74]},{"name":"DISPID_PRINTSCHEMA_PAGEIMAGEABLESIZE_IMAGEABLE_WIDTH","features":[74]},{"name":"DISPID_PRINTSCHEMA_PAGEIMAGEABLESIZE_ORIGIN_HEIGHT","features":[74]},{"name":"DISPID_PRINTSCHEMA_PAGEIMAGEABLESIZE_ORIGIN_WIDTH","features":[74]},{"name":"DISPID_PRINTSCHEMA_PAGEMEDIASIZEOPTION","features":[74]},{"name":"DISPID_PRINTSCHEMA_PAGEMEDIASIZEOPTION_HEIGHT","features":[74]},{"name":"DISPID_PRINTSCHEMA_PAGEMEDIASIZEOPTION_WIDTH","features":[74]},{"name":"DISPID_PRINTSCHEMA_PARAMETERDEFINITION","features":[74]},{"name":"DISPID_PRINTSCHEMA_PARAMETERDEFINITION_DATATYPE","features":[74]},{"name":"DISPID_PRINTSCHEMA_PARAMETERDEFINITION_RANGEMAX","features":[74]},{"name":"DISPID_PRINTSCHEMA_PARAMETERDEFINITION_RANGEMIN","features":[74]},{"name":"DISPID_PRINTSCHEMA_PARAMETERDEFINITION_UNITTYPE","features":[74]},{"name":"DISPID_PRINTSCHEMA_PARAMETERDEFINITION_USERINPUTREQUIRED","features":[74]},{"name":"DISPID_PRINTSCHEMA_PARAMETERINITIALIZER","features":[74]},{"name":"DISPID_PRINTSCHEMA_PARAMETERINITIALIZER_VALUE","features":[74]},{"name":"DISPID_PRINTSCHEMA_TICKET","features":[74]},{"name":"DISPID_PRINTSCHEMA_TICKET_COMMITASYNC","features":[74]},{"name":"DISPID_PRINTSCHEMA_TICKET_GETCAPABILITIES","features":[74]},{"name":"DISPID_PRINTSCHEMA_TICKET_GETFEATURE","features":[74]},{"name":"DISPID_PRINTSCHEMA_TICKET_GETFEATURE_KEYNAME","features":[74]},{"name":"DISPID_PRINTSCHEMA_TICKET_GETPARAMETERINITIALIZER","features":[74]},{"name":"DISPID_PRINTSCHEMA_TICKET_JOBCOPIESALLDOCUMENTS","features":[74]},{"name":"DISPID_PRINTSCHEMA_TICKET_NOTIFYXMLCHANGED","features":[74]},{"name":"DISPID_PRINTSCHEMA_TICKET_VALIDATEASYNC","features":[74]},{"name":"DI_CHANNEL","features":[74]},{"name":"DI_MEMORYMAP_WRITE","features":[74]},{"name":"DI_READ_SPOOL_JOB","features":[74]},{"name":"DLGPAGE","features":[1,74,50]},{"name":"DMPUB_BOOKLET_EDGE","features":[74]},{"name":"DMPUB_COLOR","features":[74]},{"name":"DMPUB_COPIES_COLLATE","features":[74]},{"name":"DMPUB_DEFSOURCE","features":[74]},{"name":"DMPUB_DITHERTYPE","features":[74]},{"name":"DMPUB_DUPLEX","features":[74]},{"name":"DMPUB_FIRST","features":[74]},{"name":"DMPUB_FORMNAME","features":[74]},{"name":"DMPUB_ICMINTENT","features":[74]},{"name":"DMPUB_ICMMETHOD","features":[74]},{"name":"DMPUB_LAST","features":[74]},{"name":"DMPUB_MANUAL_DUPLEX","features":[74]},{"name":"DMPUB_MEDIATYPE","features":[74]},{"name":"DMPUB_NONE","features":[74]},{"name":"DMPUB_NUP","features":[74]},{"name":"DMPUB_NUP_DIRECTION","features":[74]},{"name":"DMPUB_OEM_GRAPHIC_ITEM","features":[74]},{"name":"DMPUB_OEM_PAPER_ITEM","features":[74]},{"name":"DMPUB_OEM_ROOT_ITEM","features":[74]},{"name":"DMPUB_ORIENTATION","features":[74]},{"name":"DMPUB_OUTPUTBIN","features":[74]},{"name":"DMPUB_PAGEORDER","features":[74]},{"name":"DMPUB_PRINTQUALITY","features":[74]},{"name":"DMPUB_QUALITY","features":[74]},{"name":"DMPUB_SCALE","features":[74]},{"name":"DMPUB_STAPLE","features":[74]},{"name":"DMPUB_TTOPTION","features":[74]},{"name":"DMPUB_USER","features":[74]},{"name":"DM_ADVANCED","features":[74]},{"name":"DM_INVALIDATE_DRIVER_CACHE","features":[74]},{"name":"DM_NOPERMISSION","features":[74]},{"name":"DM_PROMPT_NON_MODAL","features":[74]},{"name":"DM_RESERVED","features":[74]},{"name":"DM_USER_DEFAULT","features":[74]},{"name":"DOCEVENT_CREATEDCPRE","features":[1,12,74]},{"name":"DOCEVENT_ESCAPE","features":[74]},{"name":"DOCEVENT_FILTER","features":[74]},{"name":"DOCUMENTEVENT_ABORTDOC","features":[74]},{"name":"DOCUMENTEVENT_CREATEDCPOST","features":[74]},{"name":"DOCUMENTEVENT_CREATEDCPRE","features":[74]},{"name":"DOCUMENTEVENT_DELETEDC","features":[74]},{"name":"DOCUMENTEVENT_ENDDOC","features":[74]},{"name":"DOCUMENTEVENT_ENDDOCPOST","features":[74]},{"name":"DOCUMENTEVENT_ENDDOCPRE","features":[74]},{"name":"DOCUMENTEVENT_ENDPAGE","features":[74]},{"name":"DOCUMENTEVENT_ESCAPE","features":[74]},{"name":"DOCUMENTEVENT_FAILURE","features":[74]},{"name":"DOCUMENTEVENT_FIRST","features":[74]},{"name":"DOCUMENTEVENT_LAST","features":[74]},{"name":"DOCUMENTEVENT_QUERYFILTER","features":[74]},{"name":"DOCUMENTEVENT_RESETDCPOST","features":[74]},{"name":"DOCUMENTEVENT_RESETDCPRE","features":[74]},{"name":"DOCUMENTEVENT_SPOOLED","features":[74]},{"name":"DOCUMENTEVENT_STARTDOC","features":[74]},{"name":"DOCUMENTEVENT_STARTDOCPOST","features":[74]},{"name":"DOCUMENTEVENT_STARTDOCPRE","features":[74]},{"name":"DOCUMENTEVENT_STARTPAGE","features":[74]},{"name":"DOCUMENTEVENT_SUCCESS","features":[74]},{"name":"DOCUMENTEVENT_UNSUPPORTED","features":[74]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDDOCUMENTPOST","features":[74]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDDOCUMENTPRE","features":[74]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDDOCUMENTPRINTTICKETPOST","features":[74]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDDOCUMENTPRINTTICKETPRE","features":[74]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDDOCUMENTSEQUENCEPOST","features":[74]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDDOCUMENTSEQUENCEPRE","features":[74]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDDOCUMENTSEQUENCEPRINTTICKETPOST","features":[74]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDDOCUMENTSEQUENCEPRINTTICKETPRE","features":[74]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDPAGEEPRE","features":[74]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDPAGEPOST","features":[74]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDPAGEPRINTTICKETPOST","features":[74]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDPAGEPRINTTICKETPRE","features":[74]},{"name":"DOCUMENTEVENT_XPS_CANCELJOB","features":[74]},{"name":"DOCUMENTPROPERTYHEADER","features":[1,12,74]},{"name":"DOC_INFO_1A","features":[74]},{"name":"DOC_INFO_1W","features":[74]},{"name":"DOC_INFO_2A","features":[74]},{"name":"DOC_INFO_2W","features":[74]},{"name":"DOC_INFO_3A","features":[74]},{"name":"DOC_INFO_3W","features":[74]},{"name":"DOC_INFO_INTERNAL","features":[1,74]},{"name":"DOC_INFO_INTERNAL_LEVEL","features":[74]},{"name":"DPD_DELETE_ALL_FILES","features":[74]},{"name":"DPD_DELETE_SPECIFIC_VERSION","features":[74]},{"name":"DPD_DELETE_UNUSED_FILES","features":[74]},{"name":"DPF_ICONID_AS_HICON","features":[74]},{"name":"DPF_USE_HDLGTEMPLATE","features":[74]},{"name":"DPS_NOPERMISSION","features":[74]},{"name":"DP_STD_DOCPROPPAGE1","features":[74]},{"name":"DP_STD_DOCPROPPAGE2","features":[74]},{"name":"DP_STD_RESERVED_START","features":[74]},{"name":"DP_STD_TREEVIEWPAGE","features":[74]},{"name":"DRIVER_EVENT_DELETE","features":[74]},{"name":"DRIVER_EVENT_INITIALIZE","features":[74]},{"name":"DRIVER_INFO_1A","features":[74]},{"name":"DRIVER_INFO_1W","features":[74]},{"name":"DRIVER_INFO_2A","features":[74]},{"name":"DRIVER_INFO_2W","features":[74]},{"name":"DRIVER_INFO_3A","features":[74]},{"name":"DRIVER_INFO_3W","features":[74]},{"name":"DRIVER_INFO_4A","features":[74]},{"name":"DRIVER_INFO_4W","features":[74]},{"name":"DRIVER_INFO_5A","features":[74]},{"name":"DRIVER_INFO_5W","features":[74]},{"name":"DRIVER_INFO_6A","features":[1,74]},{"name":"DRIVER_INFO_6W","features":[1,74]},{"name":"DRIVER_INFO_8A","features":[1,74]},{"name":"DRIVER_INFO_8W","features":[1,74]},{"name":"DRIVER_KERNELMODE","features":[74]},{"name":"DRIVER_UPGRADE_INFO_1","features":[74]},{"name":"DRIVER_UPGRADE_INFO_2","features":[74]},{"name":"DRIVER_USERMODE","features":[74]},{"name":"DSPRINT_PENDING","features":[74]},{"name":"DSPRINT_PUBLISH","features":[74]},{"name":"DSPRINT_REPUBLISH","features":[74]},{"name":"DSPRINT_UNPUBLISH","features":[74]},{"name":"DSPRINT_UPDATE","features":[74]},{"name":"DeleteFormA","features":[1,74]},{"name":"DeleteFormW","features":[1,74]},{"name":"DeleteJobNamedProperty","features":[1,74]},{"name":"DeleteMonitorA","features":[1,74]},{"name":"DeleteMonitorW","features":[1,74]},{"name":"DeletePortA","features":[1,74]},{"name":"DeletePortW","features":[1,74]},{"name":"DeletePrintProcessorA","features":[1,74]},{"name":"DeletePrintProcessorW","features":[1,74]},{"name":"DeletePrintProvidorA","features":[1,74]},{"name":"DeletePrintProvidorW","features":[1,74]},{"name":"DeletePrinter","features":[1,74]},{"name":"DeletePrinterConnectionA","features":[1,74]},{"name":"DeletePrinterConnectionW","features":[1,74]},{"name":"DeletePrinterDataA","features":[1,74]},{"name":"DeletePrinterDataExA","features":[1,74]},{"name":"DeletePrinterDataExW","features":[1,74]},{"name":"DeletePrinterDataW","features":[1,74]},{"name":"DeletePrinterDriverA","features":[1,74]},{"name":"DeletePrinterDriverExA","features":[1,74]},{"name":"DeletePrinterDriverExW","features":[1,74]},{"name":"DeletePrinterDriverPackageA","features":[74]},{"name":"DeletePrinterDriverPackageW","features":[74]},{"name":"DeletePrinterDriverW","features":[1,74]},{"name":"DeletePrinterIC","features":[1,74]},{"name":"DeletePrinterKeyA","features":[1,74]},{"name":"DeletePrinterKeyW","features":[1,74]},{"name":"DevQueryPrint","features":[1,12,74]},{"name":"DevQueryPrintEx","features":[1,12,74]},{"name":"DocumentPropertiesA","features":[1,12,74]},{"name":"DocumentPropertiesW","features":[1,12,74]},{"name":"EATTRIBUTE_DATATYPE","features":[74]},{"name":"EBranchOfficeJobEventType","features":[74]},{"name":"ECBF_CHECKNAME_AT_FRONT","features":[74]},{"name":"ECBF_CHECKNAME_ONLY","features":[74]},{"name":"ECBF_CHECKNAME_ONLY_ENABLED","features":[74]},{"name":"ECBF_ICONID_AS_HICON","features":[74]},{"name":"ECBF_MASK","features":[74]},{"name":"ECBF_OVERLAY_ECBICON_IF_CHECKED","features":[74]},{"name":"ECBF_OVERLAY_NO_ICON","features":[74]},{"name":"ECBF_OVERLAY_STOP_ICON","features":[74]},{"name":"ECBF_OVERLAY_WARNING_ICON","features":[74]},{"name":"EMFPLAYPROC","features":[1,12,74]},{"name":"EMF_PP_COLOR_OPTIMIZATION","features":[74]},{"name":"EPF_ICONID_AS_HICON","features":[74]},{"name":"EPF_INCL_SETUP_TITLE","features":[74]},{"name":"EPF_MASK","features":[74]},{"name":"EPF_NO_DOT_DOT_DOT","features":[74]},{"name":"EPF_OVERLAY_NO_ICON","features":[74]},{"name":"EPF_OVERLAY_STOP_ICON","features":[74]},{"name":"EPF_OVERLAY_WARNING_ICON","features":[74]},{"name":"EPF_PUSH_TYPE_DLGPROC","features":[74]},{"name":"EPF_USE_HDLGTEMPLATE","features":[74]},{"name":"EPrintPropertyType","features":[74]},{"name":"EPrintXPSJobOperation","features":[74]},{"name":"EPrintXPSJobProgress","features":[74]},{"name":"ERROR_BIDI_DEVICE_CONFIG_UNCHANGED","features":[74]},{"name":"ERROR_BIDI_DEVICE_OFFLINE","features":[74]},{"name":"ERROR_BIDI_ERROR_BASE","features":[74]},{"name":"ERROR_BIDI_GET_ARGUMENT_NOT_SUPPORTED","features":[74]},{"name":"ERROR_BIDI_GET_MISSING_ARGUMENT","features":[74]},{"name":"ERROR_BIDI_GET_REQUIRES_ARGUMENT","features":[74]},{"name":"ERROR_BIDI_NO_BIDI_SCHEMA_EXTENSIONS","features":[74]},{"name":"ERROR_BIDI_NO_LOCALIZED_RESOURCES","features":[74]},{"name":"ERROR_BIDI_SCHEMA_NOT_SUPPORTED","features":[74]},{"name":"ERROR_BIDI_SCHEMA_READ_ONLY","features":[74]},{"name":"ERROR_BIDI_SCHEMA_WRITE_ONLY","features":[74]},{"name":"ERROR_BIDI_SERVER_OFFLINE","features":[74]},{"name":"ERROR_BIDI_SET_DIFFERENT_TYPE","features":[74]},{"name":"ERROR_BIDI_SET_INVALID_SCHEMAPATH","features":[74]},{"name":"ERROR_BIDI_SET_MULTIPLE_SCHEMAPATH","features":[74]},{"name":"ERROR_BIDI_SET_UNKNOWN_FAILURE","features":[74]},{"name":"ERROR_BIDI_STATUS_OK","features":[74]},{"name":"ERROR_BIDI_STATUS_WARNING","features":[74]},{"name":"ERROR_BIDI_UNSUPPORTED_CLIENT_LANGUAGE","features":[74]},{"name":"ERROR_BIDI_UNSUPPORTED_RESOURCE_FORMAT","features":[74]},{"name":"ERR_CPSUI_ALLOCMEM_FAILED","features":[74]},{"name":"ERR_CPSUI_CREATEPROPPAGE_FAILED","features":[74]},{"name":"ERR_CPSUI_CREATE_IMAGELIST_FAILED","features":[74]},{"name":"ERR_CPSUI_CREATE_TRACKBAR_FAILED","features":[74]},{"name":"ERR_CPSUI_CREATE_UDARROW_FAILED","features":[74]},{"name":"ERR_CPSUI_DMCOPIES_USE_EXTPUSH","features":[74]},{"name":"ERR_CPSUI_FUNCTION_NOT_IMPLEMENTED","features":[74]},{"name":"ERR_CPSUI_GETLASTERROR","features":[74]},{"name":"ERR_CPSUI_INTERNAL_ERROR","features":[74]},{"name":"ERR_CPSUI_INVALID_DLGPAGEIDX","features":[74]},{"name":"ERR_CPSUI_INVALID_DLGPAGE_CBSIZE","features":[74]},{"name":"ERR_CPSUI_INVALID_DMPUBID","features":[74]},{"name":"ERR_CPSUI_INVALID_DMPUB_TVOT","features":[74]},{"name":"ERR_CPSUI_INVALID_ECB_CBSIZE","features":[74]},{"name":"ERR_CPSUI_INVALID_EDITBOX_BUF_SIZE","features":[74]},{"name":"ERR_CPSUI_INVALID_EDITBOX_PSEL","features":[74]},{"name":"ERR_CPSUI_INVALID_EXTPUSH_CBSIZE","features":[74]},{"name":"ERR_CPSUI_INVALID_LBCB_TYPE","features":[74]},{"name":"ERR_CPSUI_INVALID_LPARAM","features":[74]},{"name":"ERR_CPSUI_INVALID_OPTITEM_CBSIZE","features":[74]},{"name":"ERR_CPSUI_INVALID_OPTPARAM_CBSIZE","features":[74]},{"name":"ERR_CPSUI_INVALID_OPTTYPE_CBSIZE","features":[74]},{"name":"ERR_CPSUI_INVALID_OPTTYPE_COUNT","features":[74]},{"name":"ERR_CPSUI_INVALID_PDATA","features":[74]},{"name":"ERR_CPSUI_INVALID_PDLGPAGE","features":[74]},{"name":"ERR_CPSUI_INVALID_PUSHBUTTON_TYPE","features":[74]},{"name":"ERR_CPSUI_INVALID_TVOT_TYPE","features":[74]},{"name":"ERR_CPSUI_MORE_THAN_ONE_STDPAGE","features":[74]},{"name":"ERR_CPSUI_MORE_THAN_ONE_TVPAGE","features":[74]},{"name":"ERR_CPSUI_NO_EXTPUSH_DLGTEMPLATEID","features":[74]},{"name":"ERR_CPSUI_NO_PROPSHEETPAGE","features":[74]},{"name":"ERR_CPSUI_NULL_CALLERNAME","features":[74]},{"name":"ERR_CPSUI_NULL_ECB_PCHECKEDNAME","features":[74]},{"name":"ERR_CPSUI_NULL_ECB_PTITLE","features":[74]},{"name":"ERR_CPSUI_NULL_EXTPUSH_CALLBACK","features":[74]},{"name":"ERR_CPSUI_NULL_EXTPUSH_DLGPROC","features":[74]},{"name":"ERR_CPSUI_NULL_HINST","features":[74]},{"name":"ERR_CPSUI_NULL_OPTITEMNAME","features":[74]},{"name":"ERR_CPSUI_NULL_POPTITEM","features":[74]},{"name":"ERR_CPSUI_NULL_POPTPARAM","features":[74]},{"name":"ERR_CPSUI_SUBITEM_DIFF_DLGPAGEIDX","features":[74]},{"name":"ERR_CPSUI_SUBITEM_DIFF_OPTIF_HIDE","features":[74]},{"name":"ERR_CPSUI_TOO_MANY_DLGPAGES","features":[74]},{"name":"ERR_CPSUI_TOO_MANY_PROPSHEETPAGES","features":[74]},{"name":"ERR_CPSUI_ZERO_OPTITEM","features":[74]},{"name":"EXTCHKBOX","features":[74]},{"name":"EXTPUSH","features":[1,74,50]},{"name":"EXTTEXTMETRIC","features":[74]},{"name":"EXpsCompressionOptions","features":[74]},{"name":"EXpsFontOptions","features":[74]},{"name":"EXpsFontRestriction","features":[74]},{"name":"EXpsJobConsumption","features":[74]},{"name":"E_VERSION_NOT_SUPPORTED","features":[74]},{"name":"EndDocPrinter","features":[1,74]},{"name":"EndPagePrinter","features":[1,74]},{"name":"EnumFormsA","features":[1,74]},{"name":"EnumFormsW","features":[1,74]},{"name":"EnumJobNamedProperties","features":[1,74]},{"name":"EnumJobsA","features":[1,74]},{"name":"EnumJobsW","features":[1,74]},{"name":"EnumMonitorsA","features":[1,74]},{"name":"EnumMonitorsW","features":[1,74]},{"name":"EnumPortsA","features":[1,74]},{"name":"EnumPortsW","features":[1,74]},{"name":"EnumPrintProcessorDatatypesA","features":[1,74]},{"name":"EnumPrintProcessorDatatypesW","features":[1,74]},{"name":"EnumPrintProcessorsA","features":[1,74]},{"name":"EnumPrintProcessorsW","features":[1,74]},{"name":"EnumPrinterDataA","features":[1,74]},{"name":"EnumPrinterDataExA","features":[1,74]},{"name":"EnumPrinterDataExW","features":[1,74]},{"name":"EnumPrinterDataW","features":[1,74]},{"name":"EnumPrinterDriversA","features":[1,74]},{"name":"EnumPrinterDriversW","features":[1,74]},{"name":"EnumPrinterKeyA","features":[1,74]},{"name":"EnumPrinterKeyW","features":[1,74]},{"name":"EnumPrintersA","features":[1,74]},{"name":"EnumPrintersW","features":[1,74]},{"name":"ExtDeviceMode","features":[1,12,74]},{"name":"FG_CANCHANGE","features":[74]},{"name":"FILL_WITH_DEFAULTS","features":[74]},{"name":"FMTID_PrinterPropertyBag","features":[74]},{"name":"FNT_INFO_CURRENTFONTID","features":[74]},{"name":"FNT_INFO_FONTBOLD","features":[74]},{"name":"FNT_INFO_FONTHEIGHT","features":[74]},{"name":"FNT_INFO_FONTITALIC","features":[74]},{"name":"FNT_INFO_FONTMAXWIDTH","features":[74]},{"name":"FNT_INFO_FONTSTRIKETHRU","features":[74]},{"name":"FNT_INFO_FONTUNDERLINE","features":[74]},{"name":"FNT_INFO_FONTWIDTH","features":[74]},{"name":"FNT_INFO_GRAYPERCENTAGE","features":[74]},{"name":"FNT_INFO_MAX","features":[74]},{"name":"FNT_INFO_NEXTFONTID","features":[74]},{"name":"FNT_INFO_NEXTGLYPH","features":[74]},{"name":"FNT_INFO_PRINTDIRINCCDEGREES","features":[74]},{"name":"FNT_INFO_TEXTXRES","features":[74]},{"name":"FNT_INFO_TEXTYRES","features":[74]},{"name":"FONT_DIR_SORTED","features":[74]},{"name":"FONT_FL_DEVICEFONT","features":[74]},{"name":"FONT_FL_GLYPHSET_GTT","features":[74]},{"name":"FONT_FL_GLYPHSET_RLE","features":[74]},{"name":"FONT_FL_IFI","features":[74]},{"name":"FONT_FL_PERMANENT_SF","features":[74]},{"name":"FONT_FL_RESERVED","features":[74]},{"name":"FONT_FL_SOFTFONT","features":[74]},{"name":"FONT_FL_UFM","features":[74]},{"name":"FORM_BUILTIN","features":[74]},{"name":"FORM_INFO_1A","features":[1,74]},{"name":"FORM_INFO_1W","features":[1,74]},{"name":"FORM_INFO_2A","features":[1,74]},{"name":"FORM_INFO_2W","features":[1,74]},{"name":"FORM_PRINTER","features":[74]},{"name":"FORM_USER","features":[74]},{"name":"FinalPageCount","features":[74]},{"name":"FindClosePrinterChangeNotification","features":[1,74]},{"name":"FindFirstPrinterChangeNotification","features":[1,74]},{"name":"FindNextPrinterChangeNotification","features":[1,74]},{"name":"FlushPrinter","features":[1,74]},{"name":"Font_Normal","features":[74]},{"name":"Font_Obfusticate","features":[74]},{"name":"FreePrintNamedPropertyArray","features":[74]},{"name":"FreePrintPropertyValue","features":[74]},{"name":"FreePrinterNotifyInfo","features":[1,74]},{"name":"GLYPHRUN","features":[74]},{"name":"GPD_OEMCUSTOMDATA","features":[74]},{"name":"GUID_DEVINTERFACE_IPPUSB_PRINT","features":[74]},{"name":"GUID_DEVINTERFACE_USBPRINT","features":[74]},{"name":"GdiDeleteSpoolFileHandle","features":[1,74]},{"name":"GdiEndDocEMF","features":[1,74]},{"name":"GdiEndPageEMF","features":[1,74]},{"name":"GdiGetDC","features":[1,12,74]},{"name":"GdiGetDevmodeForPage","features":[1,12,74]},{"name":"GdiGetPageCount","features":[1,74]},{"name":"GdiGetPageHandle","features":[1,74]},{"name":"GdiGetSpoolFileHandle","features":[1,12,74]},{"name":"GdiPlayPageEMF","features":[1,74]},{"name":"GdiResetDCEMF","features":[1,12,74]},{"name":"GdiStartDocEMF","features":[1,74,75]},{"name":"GdiStartPageEMF","features":[1,74]},{"name":"GenerateCopyFilePaths","features":[74]},{"name":"GetCPSUIUserData","features":[1,74]},{"name":"GetCorePrinterDriversA","features":[1,74]},{"name":"GetCorePrinterDriversW","features":[1,74]},{"name":"GetDefaultPrinterA","features":[1,74]},{"name":"GetDefaultPrinterW","features":[1,74]},{"name":"GetFormA","features":[1,74]},{"name":"GetFormW","features":[1,74]},{"name":"GetJobA","features":[1,74]},{"name":"GetJobAttributes","features":[1,12,74]},{"name":"GetJobAttributesEx","features":[1,12,74]},{"name":"GetJobNamedPropertyValue","features":[1,74]},{"name":"GetJobW","features":[1,74]},{"name":"GetPrintExecutionData","features":[1,74]},{"name":"GetPrintOutputInfo","features":[1,74]},{"name":"GetPrintProcessorDirectoryA","features":[1,74]},{"name":"GetPrintProcessorDirectoryW","features":[1,74]},{"name":"GetPrinterA","features":[1,74]},{"name":"GetPrinterDataA","features":[1,74]},{"name":"GetPrinterDataExA","features":[1,74]},{"name":"GetPrinterDataExW","features":[1,74]},{"name":"GetPrinterDataW","features":[1,74]},{"name":"GetPrinterDriver2A","features":[1,74]},{"name":"GetPrinterDriver2W","features":[1,74]},{"name":"GetPrinterDriverA","features":[1,74]},{"name":"GetPrinterDriverDirectoryA","features":[1,74]},{"name":"GetPrinterDriverDirectoryW","features":[1,74]},{"name":"GetPrinterDriverPackagePathA","features":[74]},{"name":"GetPrinterDriverPackagePathW","features":[74]},{"name":"GetPrinterDriverW","features":[1,74]},{"name":"GetPrinterW","features":[1,74]},{"name":"GetSpoolFileHandle","features":[1,74]},{"name":"IAsyncGetSendNotificationCookie","features":[74]},{"name":"IAsyncGetSrvReferralCookie","features":[74]},{"name":"IBidiAsyncNotifyChannel","features":[74]},{"name":"IBidiRequest","features":[74]},{"name":"IBidiRequestContainer","features":[74]},{"name":"IBidiSpl","features":[74]},{"name":"IBidiSpl2","features":[74]},{"name":"IDI_CPSUI_ADVANCE","features":[74]},{"name":"IDI_CPSUI_AUTOSEL","features":[74]},{"name":"IDI_CPSUI_COLLATE","features":[74]},{"name":"IDI_CPSUI_COLOR","features":[74]},{"name":"IDI_CPSUI_COPY","features":[74]},{"name":"IDI_CPSUI_DEVICE","features":[74]},{"name":"IDI_CPSUI_DEVICE2","features":[74]},{"name":"IDI_CPSUI_DEVICE_FEATURE","features":[74]},{"name":"IDI_CPSUI_DITHER_COARSE","features":[74]},{"name":"IDI_CPSUI_DITHER_FINE","features":[74]},{"name":"IDI_CPSUI_DITHER_LINEART","features":[74]},{"name":"IDI_CPSUI_DITHER_NONE","features":[74]},{"name":"IDI_CPSUI_DOCUMENT","features":[74]},{"name":"IDI_CPSUI_DUPLEX_HORZ","features":[74]},{"name":"IDI_CPSUI_DUPLEX_HORZ_L","features":[74]},{"name":"IDI_CPSUI_DUPLEX_NONE","features":[74]},{"name":"IDI_CPSUI_DUPLEX_NONE_L","features":[74]},{"name":"IDI_CPSUI_DUPLEX_VERT","features":[74]},{"name":"IDI_CPSUI_DUPLEX_VERT_L","features":[74]},{"name":"IDI_CPSUI_EMPTY","features":[74]},{"name":"IDI_CPSUI_ENVELOPE","features":[74]},{"name":"IDI_CPSUI_ENVELOPE_FEED","features":[74]},{"name":"IDI_CPSUI_ERROR","features":[74]},{"name":"IDI_CPSUI_FALSE","features":[74]},{"name":"IDI_CPSUI_FAX","features":[74]},{"name":"IDI_CPSUI_FONTCART","features":[74]},{"name":"IDI_CPSUI_FONTCARTHDR","features":[74]},{"name":"IDI_CPSUI_FONTCART_SLOT","features":[74]},{"name":"IDI_CPSUI_FONTSUB","features":[74]},{"name":"IDI_CPSUI_FORMTRAYASSIGN","features":[74]},{"name":"IDI_CPSUI_GENERIC_ITEM","features":[74]},{"name":"IDI_CPSUI_GENERIC_OPTION","features":[74]},{"name":"IDI_CPSUI_GRAPHIC","features":[74]},{"name":"IDI_CPSUI_HALFTONE_SETUP","features":[74]},{"name":"IDI_CPSUI_HTCLRADJ","features":[74]},{"name":"IDI_CPSUI_HT_DEVICE","features":[74]},{"name":"IDI_CPSUI_HT_HOST","features":[74]},{"name":"IDI_CPSUI_ICM_INTENT","features":[74]},{"name":"IDI_CPSUI_ICM_METHOD","features":[74]},{"name":"IDI_CPSUI_ICM_OPTION","features":[74]},{"name":"IDI_CPSUI_ICONID_FIRST","features":[74]},{"name":"IDI_CPSUI_ICONID_LAST","features":[74]},{"name":"IDI_CPSUI_INSTALLABLE_OPTION","features":[74]},{"name":"IDI_CPSUI_LANDSCAPE","features":[74]},{"name":"IDI_CPSUI_LAYOUT_BMP_ARROWL","features":[74]},{"name":"IDI_CPSUI_LAYOUT_BMP_ARROWLR","features":[74]},{"name":"IDI_CPSUI_LAYOUT_BMP_ARROWS","features":[74]},{"name":"IDI_CPSUI_LAYOUT_BMP_BOOKLETL","features":[74]},{"name":"IDI_CPSUI_LAYOUT_BMP_BOOKLETL_NB","features":[74]},{"name":"IDI_CPSUI_LAYOUT_BMP_BOOKLETP","features":[74]},{"name":"IDI_CPSUI_LAYOUT_BMP_BOOKLETP_NB","features":[74]},{"name":"IDI_CPSUI_LAYOUT_BMP_PORTRAIT","features":[74]},{"name":"IDI_CPSUI_LAYOUT_BMP_ROT_PORT","features":[74]},{"name":"IDI_CPSUI_LF_PEN_PLOTTER","features":[74]},{"name":"IDI_CPSUI_LF_RASTER_PLOTTER","features":[74]},{"name":"IDI_CPSUI_MANUAL_FEED","features":[74]},{"name":"IDI_CPSUI_MEM","features":[74]},{"name":"IDI_CPSUI_MONO","features":[74]},{"name":"IDI_CPSUI_NO","features":[74]},{"name":"IDI_CPSUI_NOTINSTALLED","features":[74]},{"name":"IDI_CPSUI_NUP_BORDER","features":[74]},{"name":"IDI_CPSUI_OFF","features":[74]},{"name":"IDI_CPSUI_ON","features":[74]},{"name":"IDI_CPSUI_OPTION","features":[74]},{"name":"IDI_CPSUI_OPTION2","features":[74]},{"name":"IDI_CPSUI_OUTBIN","features":[74]},{"name":"IDI_CPSUI_OUTPUT","features":[74]},{"name":"IDI_CPSUI_PAGE_PROTECT","features":[74]},{"name":"IDI_CPSUI_PAPER_OUTPUT","features":[74]},{"name":"IDI_CPSUI_PAPER_TRAY","features":[74]},{"name":"IDI_CPSUI_PAPER_TRAY2","features":[74]},{"name":"IDI_CPSUI_PAPER_TRAY3","features":[74]},{"name":"IDI_CPSUI_PEN_CARROUSEL","features":[74]},{"name":"IDI_CPSUI_PLOTTER_PEN","features":[74]},{"name":"IDI_CPSUI_PORTRAIT","features":[74]},{"name":"IDI_CPSUI_POSTSCRIPT","features":[74]},{"name":"IDI_CPSUI_PRINTER","features":[74]},{"name":"IDI_CPSUI_PRINTER2","features":[74]},{"name":"IDI_CPSUI_PRINTER3","features":[74]},{"name":"IDI_CPSUI_PRINTER4","features":[74]},{"name":"IDI_CPSUI_PRINTER_FEATURE","features":[74]},{"name":"IDI_CPSUI_PRINTER_FOLDER","features":[74]},{"name":"IDI_CPSUI_QUESTION","features":[74]},{"name":"IDI_CPSUI_RES_DRAFT","features":[74]},{"name":"IDI_CPSUI_RES_HIGH","features":[74]},{"name":"IDI_CPSUI_RES_LOW","features":[74]},{"name":"IDI_CPSUI_RES_MEDIUM","features":[74]},{"name":"IDI_CPSUI_RES_PRESENTATION","features":[74]},{"name":"IDI_CPSUI_ROLL_PAPER","features":[74]},{"name":"IDI_CPSUI_ROT_LAND","features":[74]},{"name":"IDI_CPSUI_ROT_PORT","features":[74]},{"name":"IDI_CPSUI_RUN_DIALOG","features":[74]},{"name":"IDI_CPSUI_SCALING","features":[74]},{"name":"IDI_CPSUI_SEL_NONE","features":[74]},{"name":"IDI_CPSUI_SF_PEN_PLOTTER","features":[74]},{"name":"IDI_CPSUI_SF_RASTER_PLOTTER","features":[74]},{"name":"IDI_CPSUI_STAPLER_OFF","features":[74]},{"name":"IDI_CPSUI_STAPLER_ON","features":[74]},{"name":"IDI_CPSUI_STD_FORM","features":[74]},{"name":"IDI_CPSUI_STOP","features":[74]},{"name":"IDI_CPSUI_STOP_WARNING_OVERLAY","features":[74]},{"name":"IDI_CPSUI_TELEPHONE","features":[74]},{"name":"IDI_CPSUI_TRANSPARENT","features":[74]},{"name":"IDI_CPSUI_TRUE","features":[74]},{"name":"IDI_CPSUI_TT_DOWNLOADSOFT","features":[74]},{"name":"IDI_CPSUI_TT_DOWNLOADVECT","features":[74]},{"name":"IDI_CPSUI_TT_PRINTASGRAPHIC","features":[74]},{"name":"IDI_CPSUI_TT_SUBDEV","features":[74]},{"name":"IDI_CPSUI_WARNING","features":[74]},{"name":"IDI_CPSUI_WARNING_OVERLAY","features":[74]},{"name":"IDI_CPSUI_WATERMARK","features":[74]},{"name":"IDI_CPSUI_YES","features":[74]},{"name":"IDS_CPSUI_ABOUT","features":[74]},{"name":"IDS_CPSUI_ADVANCED","features":[74]},{"name":"IDS_CPSUI_ADVANCEDOCUMENT","features":[74]},{"name":"IDS_CPSUI_ALL","features":[74]},{"name":"IDS_CPSUI_AUTOSELECT","features":[74]},{"name":"IDS_CPSUI_BACKTOFRONT","features":[74]},{"name":"IDS_CPSUI_BOND","features":[74]},{"name":"IDS_CPSUI_BOOKLET","features":[74]},{"name":"IDS_CPSUI_BOOKLET_EDGE","features":[74]},{"name":"IDS_CPSUI_BOOKLET_EDGE_LEFT","features":[74]},{"name":"IDS_CPSUI_BOOKLET_EDGE_RIGHT","features":[74]},{"name":"IDS_CPSUI_CASSETTE_TRAY","features":[74]},{"name":"IDS_CPSUI_CHANGE","features":[74]},{"name":"IDS_CPSUI_CHANGED","features":[74]},{"name":"IDS_CPSUI_CHANGES","features":[74]},{"name":"IDS_CPSUI_COARSE","features":[74]},{"name":"IDS_CPSUI_COLLATE","features":[74]},{"name":"IDS_CPSUI_COLLATED","features":[74]},{"name":"IDS_CPSUI_COLON_SEP","features":[74]},{"name":"IDS_CPSUI_COLOR","features":[74]},{"name":"IDS_CPSUI_COLOR_APPERANCE","features":[74]},{"name":"IDS_CPSUI_COPIES","features":[74]},{"name":"IDS_CPSUI_COPY","features":[74]},{"name":"IDS_CPSUI_DEFAULT","features":[74]},{"name":"IDS_CPSUI_DEFAULTDOCUMENT","features":[74]},{"name":"IDS_CPSUI_DEFAULT_TRAY","features":[74]},{"name":"IDS_CPSUI_DEVICE","features":[74]},{"name":"IDS_CPSUI_DEVICEOPTIONS","features":[74]},{"name":"IDS_CPSUI_DEVICE_SETTINGS","features":[74]},{"name":"IDS_CPSUI_DITHERING","features":[74]},{"name":"IDS_CPSUI_DOCUMENT","features":[74]},{"name":"IDS_CPSUI_DOWN_THEN_LEFT","features":[74]},{"name":"IDS_CPSUI_DOWN_THEN_RIGHT","features":[74]},{"name":"IDS_CPSUI_DRAFT","features":[74]},{"name":"IDS_CPSUI_DUPLEX","features":[74]},{"name":"IDS_CPSUI_ENVELOPE_TRAY","features":[74]},{"name":"IDS_CPSUI_ENVMANUAL_TRAY","features":[74]},{"name":"IDS_CPSUI_ERRDIFFUSE","features":[74]},{"name":"IDS_CPSUI_ERROR","features":[74]},{"name":"IDS_CPSUI_EXIST","features":[74]},{"name":"IDS_CPSUI_FALSE","features":[74]},{"name":"IDS_CPSUI_FAST","features":[74]},{"name":"IDS_CPSUI_FAX","features":[74]},{"name":"IDS_CPSUI_FINE","features":[74]},{"name":"IDS_CPSUI_FORMNAME","features":[74]},{"name":"IDS_CPSUI_FORMSOURCE","features":[74]},{"name":"IDS_CPSUI_FORMTRAYASSIGN","features":[74]},{"name":"IDS_CPSUI_FRONTTOBACK","features":[74]},{"name":"IDS_CPSUI_GLOSSY","features":[74]},{"name":"IDS_CPSUI_GRAPHIC","features":[74]},{"name":"IDS_CPSUI_GRAYSCALE","features":[74]},{"name":"IDS_CPSUI_HALFTONE","features":[74]},{"name":"IDS_CPSUI_HALFTONE_SETUP","features":[74]},{"name":"IDS_CPSUI_HIGH","features":[74]},{"name":"IDS_CPSUI_HORIZONTAL","features":[74]},{"name":"IDS_CPSUI_HTCLRADJ","features":[74]},{"name":"IDS_CPSUI_ICM","features":[74]},{"name":"IDS_CPSUI_ICMINTENT","features":[74]},{"name":"IDS_CPSUI_ICMMETHOD","features":[74]},{"name":"IDS_CPSUI_ICM_BLACKWHITE","features":[74]},{"name":"IDS_CPSUI_ICM_COLORMETRIC","features":[74]},{"name":"IDS_CPSUI_ICM_CONTRAST","features":[74]},{"name":"IDS_CPSUI_ICM_NO","features":[74]},{"name":"IDS_CPSUI_ICM_SATURATION","features":[74]},{"name":"IDS_CPSUI_ICM_YES","features":[74]},{"name":"IDS_CPSUI_INSTFONTCART","features":[74]},{"name":"IDS_CPSUI_LANDSCAPE","features":[74]},{"name":"IDS_CPSUI_LARGECAP_TRAY","features":[74]},{"name":"IDS_CPSUI_LARGEFMT_TRAY","features":[74]},{"name":"IDS_CPSUI_LBCB_NOSEL","features":[74]},{"name":"IDS_CPSUI_LEFT_ANGLE","features":[74]},{"name":"IDS_CPSUI_LEFT_SLOT","features":[74]},{"name":"IDS_CPSUI_LEFT_THEN_DOWN","features":[74]},{"name":"IDS_CPSUI_LINEART","features":[74]},{"name":"IDS_CPSUI_LONG_SIDE","features":[74]},{"name":"IDS_CPSUI_LOW","features":[74]},{"name":"IDS_CPSUI_LOWER_TRAY","features":[74]},{"name":"IDS_CPSUI_MAILBOX","features":[74]},{"name":"IDS_CPSUI_MAKE","features":[74]},{"name":"IDS_CPSUI_MANUALFEED","features":[74]},{"name":"IDS_CPSUI_MANUAL_DUPLEX","features":[74]},{"name":"IDS_CPSUI_MANUAL_DUPLEX_OFF","features":[74]},{"name":"IDS_CPSUI_MANUAL_DUPLEX_ON","features":[74]},{"name":"IDS_CPSUI_MANUAL_TRAY","features":[74]},{"name":"IDS_CPSUI_MEDIA","features":[74]},{"name":"IDS_CPSUI_MEDIUM","features":[74]},{"name":"IDS_CPSUI_MIDDLE_TRAY","features":[74]},{"name":"IDS_CPSUI_MONOCHROME","features":[74]},{"name":"IDS_CPSUI_MORE","features":[74]},{"name":"IDS_CPSUI_NO","features":[74]},{"name":"IDS_CPSUI_NONE","features":[74]},{"name":"IDS_CPSUI_NOT","features":[74]},{"name":"IDS_CPSUI_NOTINSTALLED","features":[74]},{"name":"IDS_CPSUI_NO_NAME","features":[74]},{"name":"IDS_CPSUI_NUM_OF_COPIES","features":[74]},{"name":"IDS_CPSUI_NUP","features":[74]},{"name":"IDS_CPSUI_NUP_BORDER","features":[74]},{"name":"IDS_CPSUI_NUP_BORDERED","features":[74]},{"name":"IDS_CPSUI_NUP_DIRECTION","features":[74]},{"name":"IDS_CPSUI_NUP_FOURUP","features":[74]},{"name":"IDS_CPSUI_NUP_NINEUP","features":[74]},{"name":"IDS_CPSUI_NUP_NORMAL","features":[74]},{"name":"IDS_CPSUI_NUP_SIXTEENUP","features":[74]},{"name":"IDS_CPSUI_NUP_SIXUP","features":[74]},{"name":"IDS_CPSUI_NUP_TWOUP","features":[74]},{"name":"IDS_CPSUI_OF","features":[74]},{"name":"IDS_CPSUI_OFF","features":[74]},{"name":"IDS_CPSUI_ON","features":[74]},{"name":"IDS_CPSUI_ONLYONE","features":[74]},{"name":"IDS_CPSUI_OPTION","features":[74]},{"name":"IDS_CPSUI_OPTIONS","features":[74]},{"name":"IDS_CPSUI_ORIENTATION","features":[74]},{"name":"IDS_CPSUI_OUTBINASSIGN","features":[74]},{"name":"IDS_CPSUI_OUTPUTBIN","features":[74]},{"name":"IDS_CPSUI_PAGEORDER","features":[74]},{"name":"IDS_CPSUI_PAGEPROTECT","features":[74]},{"name":"IDS_CPSUI_PAPER_OUTPUT","features":[74]},{"name":"IDS_CPSUI_PERCENT","features":[74]},{"name":"IDS_CPSUI_PLOT","features":[74]},{"name":"IDS_CPSUI_PORTRAIT","features":[74]},{"name":"IDS_CPSUI_POSTER","features":[74]},{"name":"IDS_CPSUI_POSTER_2x2","features":[74]},{"name":"IDS_CPSUI_POSTER_3x3","features":[74]},{"name":"IDS_CPSUI_POSTER_4x4","features":[74]},{"name":"IDS_CPSUI_PRESENTATION","features":[74]},{"name":"IDS_CPSUI_PRINT","features":[74]},{"name":"IDS_CPSUI_PRINTER","features":[74]},{"name":"IDS_CPSUI_PRINTERMEM_KB","features":[74]},{"name":"IDS_CPSUI_PRINTERMEM_MB","features":[74]},{"name":"IDS_CPSUI_PRINTFLDSETTING","features":[74]},{"name":"IDS_CPSUI_PRINTQUALITY","features":[74]},{"name":"IDS_CPSUI_PROPERTIES","features":[74]},{"name":"IDS_CPSUI_QUALITY_BEST","features":[74]},{"name":"IDS_CPSUI_QUALITY_BETTER","features":[74]},{"name":"IDS_CPSUI_QUALITY_CUSTOM","features":[74]},{"name":"IDS_CPSUI_QUALITY_DRAFT","features":[74]},{"name":"IDS_CPSUI_QUALITY_SETTINGS","features":[74]},{"name":"IDS_CPSUI_RANGE_FROM","features":[74]},{"name":"IDS_CPSUI_REGULAR","features":[74]},{"name":"IDS_CPSUI_RESET","features":[74]},{"name":"IDS_CPSUI_RESOLUTION","features":[74]},{"name":"IDS_CPSUI_REVERT","features":[74]},{"name":"IDS_CPSUI_RIGHT_ANGLE","features":[74]},{"name":"IDS_CPSUI_RIGHT_SLOT","features":[74]},{"name":"IDS_CPSUI_RIGHT_THEN_DOWN","features":[74]},{"name":"IDS_CPSUI_ROTATED","features":[74]},{"name":"IDS_CPSUI_ROT_LAND","features":[74]},{"name":"IDS_CPSUI_ROT_PORT","features":[74]},{"name":"IDS_CPSUI_SCALING","features":[74]},{"name":"IDS_CPSUI_SETTING","features":[74]},{"name":"IDS_CPSUI_SETTINGS","features":[74]},{"name":"IDS_CPSUI_SETUP","features":[74]},{"name":"IDS_CPSUI_SHORT_SIDE","features":[74]},{"name":"IDS_CPSUI_SIDE1","features":[74]},{"name":"IDS_CPSUI_SIDE2","features":[74]},{"name":"IDS_CPSUI_SIMPLEX","features":[74]},{"name":"IDS_CPSUI_SLASH_SEP","features":[74]},{"name":"IDS_CPSUI_SLOT1","features":[74]},{"name":"IDS_CPSUI_SLOT2","features":[74]},{"name":"IDS_CPSUI_SLOT3","features":[74]},{"name":"IDS_CPSUI_SLOT4","features":[74]},{"name":"IDS_CPSUI_SLOW","features":[74]},{"name":"IDS_CPSUI_SMALLFMT_TRAY","features":[74]},{"name":"IDS_CPSUI_SOURCE","features":[74]},{"name":"IDS_CPSUI_STACKER","features":[74]},{"name":"IDS_CPSUI_STANDARD","features":[74]},{"name":"IDS_CPSUI_STAPLE","features":[74]},{"name":"IDS_CPSUI_STAPLER","features":[74]},{"name":"IDS_CPSUI_STAPLER_OFF","features":[74]},{"name":"IDS_CPSUI_STAPLER_ON","features":[74]},{"name":"IDS_CPSUI_STDDOCPROPTAB","features":[74]},{"name":"IDS_CPSUI_STDDOCPROPTAB1","features":[74]},{"name":"IDS_CPSUI_STDDOCPROPTAB2","features":[74]},{"name":"IDS_CPSUI_STDDOCPROPTVTAB","features":[74]},{"name":"IDS_CPSUI_STRID_FIRST","features":[74]},{"name":"IDS_CPSUI_STRID_LAST","features":[74]},{"name":"IDS_CPSUI_TO","features":[74]},{"name":"IDS_CPSUI_TOTAL","features":[74]},{"name":"IDS_CPSUI_TRACTOR_TRAY","features":[74]},{"name":"IDS_CPSUI_TRANSPARENCY","features":[74]},{"name":"IDS_CPSUI_TRUE","features":[74]},{"name":"IDS_CPSUI_TTOPTION","features":[74]},{"name":"IDS_CPSUI_TT_DOWNLOADSOFT","features":[74]},{"name":"IDS_CPSUI_TT_DOWNLOADVECT","features":[74]},{"name":"IDS_CPSUI_TT_PRINTASGRAPHIC","features":[74]},{"name":"IDS_CPSUI_TT_SUBDEV","features":[74]},{"name":"IDS_CPSUI_UPPER_TRAY","features":[74]},{"name":"IDS_CPSUI_USE_DEVICE_HT","features":[74]},{"name":"IDS_CPSUI_USE_HOST_HT","features":[74]},{"name":"IDS_CPSUI_USE_PRINTER_HT","features":[74]},{"name":"IDS_CPSUI_VERSION","features":[74]},{"name":"IDS_CPSUI_VERTICAL","features":[74]},{"name":"IDS_CPSUI_WARNING","features":[74]},{"name":"IDS_CPSUI_WATERMARK","features":[74]},{"name":"IDS_CPSUI_YES","features":[74]},{"name":"IFixedDocument","features":[74]},{"name":"IFixedDocumentSequence","features":[74]},{"name":"IFixedPage","features":[74]},{"name":"IImgCreateErrorInfo","features":[74]},{"name":"IImgErrorInfo","features":[74]},{"name":"IInterFilterCommunicator","features":[74]},{"name":"INSERTPSUIPAGE_INFO","features":[74]},{"name":"INSPSUIPAGE_MODE_AFTER","features":[74]},{"name":"INSPSUIPAGE_MODE_BEFORE","features":[74]},{"name":"INSPSUIPAGE_MODE_FIRST_CHILD","features":[74]},{"name":"INSPSUIPAGE_MODE_INDEX","features":[74]},{"name":"INSPSUIPAGE_MODE_LAST_CHILD","features":[74]},{"name":"INTERNAL_NOTIFICATION_QUEUE_IS_FULL","features":[74]},{"name":"INVALID_NOTIFICATION_TYPE","features":[74]},{"name":"INVOC","features":[74]},{"name":"IOCTL_USBPRINT_ADD_CHILD_DEVICE","features":[74]},{"name":"IOCTL_USBPRINT_ADD_MSIPP_COMPAT_ID","features":[74]},{"name":"IOCTL_USBPRINT_CYCLE_PORT","features":[74]},{"name":"IOCTL_USBPRINT_GET_1284_ID","features":[74]},{"name":"IOCTL_USBPRINT_GET_INTERFACE_TYPE","features":[74]},{"name":"IOCTL_USBPRINT_GET_LPT_STATUS","features":[74]},{"name":"IOCTL_USBPRINT_GET_PROTOCOL","features":[74]},{"name":"IOCTL_USBPRINT_SET_DEVICE_ID","features":[74]},{"name":"IOCTL_USBPRINT_SET_PORT_NUMBER","features":[74]},{"name":"IOCTL_USBPRINT_SET_PROTOCOL","features":[74]},{"name":"IOCTL_USBPRINT_SOFT_RESET","features":[74]},{"name":"IOCTL_USBPRINT_VENDOR_GET_COMMAND","features":[74]},{"name":"IOCTL_USBPRINT_VENDOR_SET_COMMAND","features":[74]},{"name":"IPDFP_COPY_ALL_FILES","features":[74]},{"name":"IPartBase","features":[74]},{"name":"IPartColorProfile","features":[74]},{"name":"IPartDiscardControl","features":[74]},{"name":"IPartFont","features":[74]},{"name":"IPartFont2","features":[74]},{"name":"IPartImage","features":[74]},{"name":"IPartPrintTicket","features":[74]},{"name":"IPartResourceDictionary","features":[74]},{"name":"IPartThumbnail","features":[74]},{"name":"IPrintAsyncCookie","features":[74]},{"name":"IPrintAsyncNewChannelCookie","features":[74]},{"name":"IPrintAsyncNotify","features":[74]},{"name":"IPrintAsyncNotifyCallback","features":[74]},{"name":"IPrintAsyncNotifyChannel","features":[74]},{"name":"IPrintAsyncNotifyDataObject","features":[74]},{"name":"IPrintAsyncNotifyRegistration","features":[74]},{"name":"IPrintAsyncNotifyServerReferral","features":[74]},{"name":"IPrintBidiAsyncNotifyRegistration","features":[74]},{"name":"IPrintClassObjectFactory","features":[74]},{"name":"IPrintCoreHelper","features":[74]},{"name":"IPrintCoreHelperPS","features":[74]},{"name":"IPrintCoreHelperUni","features":[74]},{"name":"IPrintCoreHelperUni2","features":[74]},{"name":"IPrintCoreUI2","features":[74]},{"name":"IPrintJob","features":[74]},{"name":"IPrintJobCollection","features":[74]},{"name":"IPrintOemCommon","features":[74]},{"name":"IPrintOemDriverUI","features":[74]},{"name":"IPrintOemUI","features":[74]},{"name":"IPrintOemUI2","features":[74]},{"name":"IPrintOemUIMXDC","features":[74]},{"name":"IPrintPipelineFilter","features":[74]},{"name":"IPrintPipelineManagerControl","features":[74]},{"name":"IPrintPipelineProgressReport","features":[74]},{"name":"IPrintPipelinePropertyBag","features":[74]},{"name":"IPrintPreviewDxgiPackageTarget","features":[74]},{"name":"IPrintReadStream","features":[74]},{"name":"IPrintReadStreamFactory","features":[74]},{"name":"IPrintSchemaAsyncOperation","features":[74]},{"name":"IPrintSchemaAsyncOperationEvent","features":[74]},{"name":"IPrintSchemaCapabilities","features":[74]},{"name":"IPrintSchemaCapabilities2","features":[74]},{"name":"IPrintSchemaDisplayableElement","features":[74]},{"name":"IPrintSchemaElement","features":[74]},{"name":"IPrintSchemaFeature","features":[74]},{"name":"IPrintSchemaNUpOption","features":[74]},{"name":"IPrintSchemaOption","features":[74]},{"name":"IPrintSchemaOptionCollection","features":[74]},{"name":"IPrintSchemaPageImageableSize","features":[74]},{"name":"IPrintSchemaPageMediaSizeOption","features":[74]},{"name":"IPrintSchemaParameterDefinition","features":[74]},{"name":"IPrintSchemaParameterInitializer","features":[74]},{"name":"IPrintSchemaTicket","features":[74]},{"name":"IPrintSchemaTicket2","features":[74]},{"name":"IPrintTicketProvider","features":[74]},{"name":"IPrintTicketProvider2","features":[74]},{"name":"IPrintUnidiAsyncNotifyRegistration","features":[74]},{"name":"IPrintWriteStream","features":[74]},{"name":"IPrintWriteStreamFlush","features":[74]},{"name":"IPrinterBidiSetRequestCallback","features":[74]},{"name":"IPrinterExtensionAsyncOperation","features":[74]},{"name":"IPrinterExtensionContext","features":[74]},{"name":"IPrinterExtensionContextCollection","features":[74]},{"name":"IPrinterExtensionEvent","features":[74]},{"name":"IPrinterExtensionEventArgs","features":[74]},{"name":"IPrinterExtensionManager","features":[74]},{"name":"IPrinterExtensionRequest","features":[74]},{"name":"IPrinterPropertyBag","features":[74]},{"name":"IPrinterQueue","features":[74]},{"name":"IPrinterQueue2","features":[74]},{"name":"IPrinterQueueEvent","features":[74]},{"name":"IPrinterQueueView","features":[74]},{"name":"IPrinterQueueViewEvent","features":[74]},{"name":"IPrinterScriptContext","features":[74]},{"name":"IPrinterScriptablePropertyBag","features":[74]},{"name":"IPrinterScriptablePropertyBag2","features":[74]},{"name":"IPrinterScriptableSequentialStream","features":[74]},{"name":"IPrinterScriptableStream","features":[74]},{"name":"IXpsDocument","features":[74]},{"name":"IXpsDocumentConsumer","features":[74]},{"name":"IXpsDocumentProvider","features":[74]},{"name":"IXpsPartIterator","features":[74]},{"name":"IXpsRasterizationFactory","features":[74]},{"name":"IXpsRasterizationFactory1","features":[74]},{"name":"IXpsRasterizationFactory2","features":[74]},{"name":"IXpsRasterizer","features":[74]},{"name":"IXpsRasterizerNotificationCallback","features":[74]},{"name":"ImgErrorInfo","features":[74]},{"name":"ImpersonatePrinterClient","features":[1,74]},{"name":"InstallPrinterDriverFromPackageA","features":[74]},{"name":"InstallPrinterDriverFromPackageW","features":[74]},{"name":"IntermediatePageCount","features":[74]},{"name":"IsValidDevmodeA","features":[1,12,74]},{"name":"IsValidDevmodeW","features":[1,12,74]},{"name":"JOB_ACCESS_ADMINISTER","features":[74]},{"name":"JOB_ACCESS_READ","features":[74]},{"name":"JOB_CONTROL_CANCEL","features":[74]},{"name":"JOB_CONTROL_DELETE","features":[74]},{"name":"JOB_CONTROL_LAST_PAGE_EJECTED","features":[74]},{"name":"JOB_CONTROL_PAUSE","features":[74]},{"name":"JOB_CONTROL_RELEASE","features":[74]},{"name":"JOB_CONTROL_RESTART","features":[74]},{"name":"JOB_CONTROL_RESUME","features":[74]},{"name":"JOB_CONTROL_RETAIN","features":[74]},{"name":"JOB_CONTROL_SEND_TOAST","features":[74]},{"name":"JOB_CONTROL_SENT_TO_PRINTER","features":[74]},{"name":"JOB_INFO_1A","features":[1,74]},{"name":"JOB_INFO_1W","features":[1,74]},{"name":"JOB_INFO_2A","features":[1,12,74,4]},{"name":"JOB_INFO_2W","features":[1,12,74,4]},{"name":"JOB_INFO_3","features":[74]},{"name":"JOB_INFO_4A","features":[1,12,74,4]},{"name":"JOB_INFO_4W","features":[1,12,74,4]},{"name":"JOB_NOTIFY_FIELD_BYTES_PRINTED","features":[74]},{"name":"JOB_NOTIFY_FIELD_DATATYPE","features":[74]},{"name":"JOB_NOTIFY_FIELD_DEVMODE","features":[74]},{"name":"JOB_NOTIFY_FIELD_DOCUMENT","features":[74]},{"name":"JOB_NOTIFY_FIELD_DRIVER_NAME","features":[74]},{"name":"JOB_NOTIFY_FIELD_MACHINE_NAME","features":[74]},{"name":"JOB_NOTIFY_FIELD_NOTIFY_NAME","features":[74]},{"name":"JOB_NOTIFY_FIELD_PAGES_PRINTED","features":[74]},{"name":"JOB_NOTIFY_FIELD_PARAMETERS","features":[74]},{"name":"JOB_NOTIFY_FIELD_PORT_NAME","features":[74]},{"name":"JOB_NOTIFY_FIELD_POSITION","features":[74]},{"name":"JOB_NOTIFY_FIELD_PRINTER_NAME","features":[74]},{"name":"JOB_NOTIFY_FIELD_PRINT_PROCESSOR","features":[74]},{"name":"JOB_NOTIFY_FIELD_PRIORITY","features":[74]},{"name":"JOB_NOTIFY_FIELD_REMOTE_JOB_ID","features":[74]},{"name":"JOB_NOTIFY_FIELD_SECURITY_DESCRIPTOR","features":[74]},{"name":"JOB_NOTIFY_FIELD_START_TIME","features":[74]},{"name":"JOB_NOTIFY_FIELD_STATUS","features":[74]},{"name":"JOB_NOTIFY_FIELD_STATUS_STRING","features":[74]},{"name":"JOB_NOTIFY_FIELD_SUBMITTED","features":[74]},{"name":"JOB_NOTIFY_FIELD_TIME","features":[74]},{"name":"JOB_NOTIFY_FIELD_TOTAL_BYTES","features":[74]},{"name":"JOB_NOTIFY_FIELD_TOTAL_PAGES","features":[74]},{"name":"JOB_NOTIFY_FIELD_UNTIL_TIME","features":[74]},{"name":"JOB_NOTIFY_FIELD_USER_NAME","features":[74]},{"name":"JOB_NOTIFY_TYPE","features":[74]},{"name":"JOB_POSITION_UNSPECIFIED","features":[74]},{"name":"JOB_STATUS_BLOCKED_DEVQ","features":[74]},{"name":"JOB_STATUS_COMPLETE","features":[74]},{"name":"JOB_STATUS_DELETED","features":[74]},{"name":"JOB_STATUS_DELETING","features":[74]},{"name":"JOB_STATUS_ERROR","features":[74]},{"name":"JOB_STATUS_OFFLINE","features":[74]},{"name":"JOB_STATUS_PAPEROUT","features":[74]},{"name":"JOB_STATUS_PAUSED","features":[74]},{"name":"JOB_STATUS_PRINTED","features":[74]},{"name":"JOB_STATUS_PRINTING","features":[74]},{"name":"JOB_STATUS_RENDERING_LOCALLY","features":[74]},{"name":"JOB_STATUS_RESTART","features":[74]},{"name":"JOB_STATUS_RETAINED","features":[74]},{"name":"JOB_STATUS_SPOOLING","features":[74]},{"name":"JOB_STATUS_USER_INTERVENTION","features":[74]},{"name":"KERNDATA","features":[52,74]},{"name":"LOCAL_ONLY_REGISTRATION","features":[74]},{"name":"LPR","features":[74]},{"name":"MAPTABLE","features":[74]},{"name":"MAX_ADDRESS_STR_LEN","features":[74]},{"name":"MAX_CHANNEL_COUNT_EXCEEDED","features":[74]},{"name":"MAX_CPSFUNC_INDEX","features":[74]},{"name":"MAX_DEVICEDESCRIPTION_STR_LEN","features":[74]},{"name":"MAX_DLGPAGE_COUNT","features":[74]},{"name":"MAX_FORM_KEYWORD_LENGTH","features":[74]},{"name":"MAX_IPADDR_STR_LEN","features":[74]},{"name":"MAX_NETWORKNAME2_LEN","features":[74]},{"name":"MAX_NETWORKNAME_LEN","features":[74]},{"name":"MAX_NOTIFICATION_SIZE_EXCEEDED","features":[74]},{"name":"MAX_PORTNAME_LEN","features":[74]},{"name":"MAX_PRIORITY","features":[74]},{"name":"MAX_PROPSHEETUI_REASON_INDEX","features":[74]},{"name":"MAX_PSUIPAGEINSERT_INDEX","features":[74]},{"name":"MAX_QUEUENAME_LEN","features":[74]},{"name":"MAX_REGISTRATION_COUNT_EXCEEDED","features":[74]},{"name":"MAX_RES_STR_CHARS","features":[74]},{"name":"MAX_SNMP_COMMUNITY_STR_LEN","features":[74]},{"name":"MESSAGEBOX_PARAMS","features":[1,74]},{"name":"MIN_PRIORITY","features":[74]},{"name":"MONITOR","features":[47,1,74,8]},{"name":"MONITOR2","features":[47,1,74,8]},{"name":"MONITOREX","features":[47,1,74,8]},{"name":"MONITORINIT","features":[1,74,49]},{"name":"MONITORREG","features":[74]},{"name":"MONITORUI","features":[74]},{"name":"MONITOR_INFO_1A","features":[74]},{"name":"MONITOR_INFO_1W","features":[74]},{"name":"MONITOR_INFO_2A","features":[74]},{"name":"MONITOR_INFO_2W","features":[74]},{"name":"MS_PRINT_JOB_OUTPUT_FILE","features":[74]},{"name":"MTYPE_ADD","features":[74]},{"name":"MTYPE_COMPOSE","features":[74]},{"name":"MTYPE_DIRECT","features":[74]},{"name":"MTYPE_DISABLE","features":[74]},{"name":"MTYPE_DOUBLE","features":[74]},{"name":"MTYPE_DOUBLEBYTECHAR_MASK","features":[74]},{"name":"MTYPE_FORMAT_MASK","features":[74]},{"name":"MTYPE_PAIRED","features":[74]},{"name":"MTYPE_PREDEFIN_MASK","features":[74]},{"name":"MTYPE_REPLACE","features":[74]},{"name":"MTYPE_SINGLE","features":[74]},{"name":"MV_GRAPHICS","features":[74]},{"name":"MV_PHYSICAL","features":[74]},{"name":"MV_RELATIVE","features":[74]},{"name":"MV_SENDXMOVECMD","features":[74]},{"name":"MV_SENDYMOVECMD","features":[74]},{"name":"MV_UPDATE","features":[74]},{"name":"MXDCOP_GET_FILENAME","features":[74]},{"name":"MXDCOP_PRINTTICKET_FIXED_DOC","features":[74]},{"name":"MXDCOP_PRINTTICKET_FIXED_DOC_SEQ","features":[74]},{"name":"MXDCOP_PRINTTICKET_FIXED_PAGE","features":[74]},{"name":"MXDCOP_SET_S0PAGE","features":[74]},{"name":"MXDCOP_SET_S0PAGE_RESOURCE","features":[74]},{"name":"MXDCOP_SET_XPSPASSTHRU_MODE","features":[74]},{"name":"MXDC_ESCAPE","features":[74]},{"name":"MXDC_ESCAPE_HEADER_T","features":[74]},{"name":"MXDC_GET_FILENAME_DATA_T","features":[74]},{"name":"MXDC_IMAGETYPE_JPEGHIGH_COMPRESSION","features":[74]},{"name":"MXDC_IMAGETYPE_JPEGLOW_COMPRESSION","features":[74]},{"name":"MXDC_IMAGETYPE_JPEGMEDIUM_COMPRESSION","features":[74]},{"name":"MXDC_IMAGETYPE_PNG","features":[74]},{"name":"MXDC_IMAGE_TYPE_ENUMS","features":[74]},{"name":"MXDC_LANDSCAPE_ROTATE_COUNTERCLOCKWISE_270_DEGREES","features":[74]},{"name":"MXDC_LANDSCAPE_ROTATE_COUNTERCLOCKWISE_90_DEGREES","features":[74]},{"name":"MXDC_LANDSCAPE_ROTATE_NONE","features":[74]},{"name":"MXDC_LANDSCAPE_ROTATION_ENUMS","features":[74]},{"name":"MXDC_PRINTTICKET_DATA_T","features":[74]},{"name":"MXDC_PRINTTICKET_ESCAPE_T","features":[74]},{"name":"MXDC_RESOURCE_DICTIONARY","features":[74]},{"name":"MXDC_RESOURCE_ICC_PROFILE","features":[74]},{"name":"MXDC_RESOURCE_JPEG","features":[74]},{"name":"MXDC_RESOURCE_JPEG_THUMBNAIL","features":[74]},{"name":"MXDC_RESOURCE_MAX","features":[74]},{"name":"MXDC_RESOURCE_PNG","features":[74]},{"name":"MXDC_RESOURCE_PNG_THUMBNAIL","features":[74]},{"name":"MXDC_RESOURCE_TIFF","features":[74]},{"name":"MXDC_RESOURCE_TTF","features":[74]},{"name":"MXDC_RESOURCE_WDP","features":[74]},{"name":"MXDC_S0PAGE_DATA_T","features":[74]},{"name":"MXDC_S0PAGE_PASSTHROUGH_ESCAPE_T","features":[74]},{"name":"MXDC_S0PAGE_RESOURCE_ESCAPE_T","features":[74]},{"name":"MXDC_S0_PAGE_ENUMS","features":[74]},{"name":"MXDC_XPS_S0PAGE_RESOURCE_T","features":[74]},{"name":"NORMAL_PRINT","features":[74]},{"name":"NOTIFICATION_CALLBACK_COMMANDS","features":[74]},{"name":"NOTIFICATION_COMMAND_CONTEXT_ACQUIRE","features":[74]},{"name":"NOTIFICATION_COMMAND_CONTEXT_RELEASE","features":[74]},{"name":"NOTIFICATION_COMMAND_NOTIFY","features":[74]},{"name":"NOTIFICATION_CONFIG_1","features":[1,74]},{"name":"NOTIFICATION_CONFIG_ASYNC_CHANNEL","features":[74]},{"name":"NOTIFICATION_CONFIG_CREATE_EVENT","features":[74]},{"name":"NOTIFICATION_CONFIG_EVENT_TRIGGER","features":[74]},{"name":"NOTIFICATION_CONFIG_FLAGS","features":[74]},{"name":"NOTIFICATION_CONFIG_REGISTER_CALLBACK","features":[74]},{"name":"NOTIFICATION_RELEASE","features":[74]},{"name":"NOT_REGISTERED","features":[74]},{"name":"NO_BORDER_PRINT","features":[74]},{"name":"NO_COLOR_OPTIMIZATION","features":[74]},{"name":"NO_LISTENERS","features":[74]},{"name":"NO_PRIORITY","features":[74]},{"name":"OEMCUIPCALLBACK","features":[1,12,74,50]},{"name":"OEMCUIPPARAM","features":[1,12,74,50]},{"name":"OEMCUIP_DOCPROP","features":[74]},{"name":"OEMCUIP_PRNPROP","features":[74]},{"name":"OEMDMPARAM","features":[1,12,74]},{"name":"OEMDM_CONVERT","features":[74]},{"name":"OEMDM_DEFAULT","features":[74]},{"name":"OEMDM_MERGE","features":[74]},{"name":"OEMDM_SIZE","features":[74]},{"name":"OEMFONTINSTPARAM","features":[1,74]},{"name":"OEMGDS_FREEMEM","features":[74]},{"name":"OEMGDS_JOBTIMEOUT","features":[74]},{"name":"OEMGDS_MAX","features":[74]},{"name":"OEMGDS_MAXBITMAP","features":[74]},{"name":"OEMGDS_MINOUTLINE","features":[74]},{"name":"OEMGDS_MIN_DOCSTICKY","features":[74]},{"name":"OEMGDS_MIN_PRINTERSTICKY","features":[74]},{"name":"OEMGDS_PRINTFLAGS","features":[74]},{"name":"OEMGDS_PROTOCOL","features":[74]},{"name":"OEMGDS_PSDM_CUSTOMSIZE","features":[74]},{"name":"OEMGDS_PSDM_DIALECT","features":[74]},{"name":"OEMGDS_PSDM_FLAGS","features":[74]},{"name":"OEMGDS_PSDM_NUP","features":[74]},{"name":"OEMGDS_PSDM_PSLEVEL","features":[74]},{"name":"OEMGDS_PSDM_TTDLFMT","features":[74]},{"name":"OEMGDS_UNIDM_FLAGS","features":[74]},{"name":"OEMGDS_UNIDM_GPDVER","features":[74]},{"name":"OEMGDS_WAITTIMEOUT","features":[74]},{"name":"OEMGI_GETINTERFACEVERSION","features":[74]},{"name":"OEMGI_GETPUBLISHERINFO","features":[74]},{"name":"OEMGI_GETREQUESTEDHELPERINTERFACES","features":[74]},{"name":"OEMGI_GETSIGNATURE","features":[74]},{"name":"OEMGI_GETVERSION","features":[74]},{"name":"OEMPUBLISH_DEFAULT","features":[74]},{"name":"OEMPUBLISH_IPRINTCOREHELPER","features":[74]},{"name":"OEMTTY_INFO_CODEPAGE","features":[74]},{"name":"OEMTTY_INFO_MARGINS","features":[74]},{"name":"OEMTTY_INFO_NUM_UFMS","features":[74]},{"name":"OEMTTY_INFO_UFM_IDS","features":[74]},{"name":"OEMUIOBJ","features":[1,74]},{"name":"OEMUIPROCS","features":[1,74]},{"name":"OEMUIPSPARAM","features":[1,12,74]},{"name":"OEM_DMEXTRAHEADER","features":[74]},{"name":"OEM_MODE_PUBLISHER","features":[74]},{"name":"OIEXT","features":[1,74]},{"name":"OIEXTF_ANSI_STRING","features":[74]},{"name":"OPTCF_HIDE","features":[74]},{"name":"OPTCF_MASK","features":[74]},{"name":"OPTCOMBO","features":[1,74]},{"name":"OPTIF_CALLBACK","features":[74]},{"name":"OPTIF_CHANGED","features":[74]},{"name":"OPTIF_CHANGEONCE","features":[74]},{"name":"OPTIF_COLLAPSE","features":[74]},{"name":"OPTIF_DISABLED","features":[74]},{"name":"OPTIF_ECB_CHECKED","features":[74]},{"name":"OPTIF_EXT_DISABLED","features":[74]},{"name":"OPTIF_EXT_HIDE","features":[74]},{"name":"OPTIF_EXT_IS_EXTPUSH","features":[74]},{"name":"OPTIF_HAS_POIEXT","features":[74]},{"name":"OPTIF_HIDE","features":[74]},{"name":"OPTIF_INITIAL_TVITEM","features":[74]},{"name":"OPTIF_MASK","features":[74]},{"name":"OPTIF_NO_GROUPBOX_NAME","features":[74]},{"name":"OPTIF_OVERLAY_NO_ICON","features":[74]},{"name":"OPTIF_OVERLAY_STOP_ICON","features":[74]},{"name":"OPTIF_OVERLAY_WARNING_ICON","features":[74]},{"name":"OPTIF_SEL_AS_HICON","features":[74]},{"name":"OPTITEM","features":[1,74,50]},{"name":"OPTPARAM","features":[1,74]},{"name":"OPTPF_DISABLED","features":[74]},{"name":"OPTPF_HIDE","features":[74]},{"name":"OPTPF_ICONID_AS_HICON","features":[74]},{"name":"OPTPF_MASK","features":[74]},{"name":"OPTPF_OVERLAY_NO_ICON","features":[74]},{"name":"OPTPF_OVERLAY_STOP_ICON","features":[74]},{"name":"OPTPF_OVERLAY_WARNING_ICON","features":[74]},{"name":"OPTPF_USE_HDLGTEMPLATE","features":[74]},{"name":"OPTTF_MASK","features":[74]},{"name":"OPTTF_NOSPACE_BEFORE_POSTFIX","features":[74]},{"name":"OPTTF_TYPE_DISABLED","features":[74]},{"name":"OPTTYPE","features":[1,74]},{"name":"OTS_LBCB_INCL_ITEM_NONE","features":[74]},{"name":"OTS_LBCB_NO_ICON16_IN_ITEM","features":[74]},{"name":"OTS_LBCB_PROPPAGE_CBUSELB","features":[74]},{"name":"OTS_LBCB_PROPPAGE_LBUSECB","features":[74]},{"name":"OTS_LBCB_SORT","features":[74]},{"name":"OTS_MASK","features":[74]},{"name":"OTS_PUSH_ENABLE_ALWAYS","features":[74]},{"name":"OTS_PUSH_INCL_SETUP_TITLE","features":[74]},{"name":"OTS_PUSH_NO_DOT_DOT_DOT","features":[74]},{"name":"OpenPrinter2A","features":[1,12,74]},{"name":"OpenPrinter2W","features":[1,12,74]},{"name":"OpenPrinterA","features":[1,12,74]},{"name":"OpenPrinterW","features":[1,12,74]},{"name":"PDEV_ADJUST_PAPER_MARGIN_TYPE","features":[74]},{"name":"PDEV_HOSTFONT_ENABLED_TYPE","features":[74]},{"name":"PDEV_USE_TRUE_COLOR_TYPE","features":[74]},{"name":"PFNCOMPROPSHEET","features":[1,74]},{"name":"PFNPROPSHEETUI","features":[1,74]},{"name":"PFN_DrvGetDriverSetting","features":[1,74]},{"name":"PFN_DrvUpdateUISetting","features":[1,74]},{"name":"PFN_DrvUpgradeRegistrySetting","features":[1,74]},{"name":"PFN_PRINTING_ADDPORT","features":[1,74]},{"name":"PFN_PRINTING_ADDPORT2","features":[1,74]},{"name":"PFN_PRINTING_ADDPORTEX","features":[1,74]},{"name":"PFN_PRINTING_ADDPORTEX2","features":[1,74]},{"name":"PFN_PRINTING_CLOSEPORT","features":[1,74]},{"name":"PFN_PRINTING_CLOSEPORT2","features":[1,74]},{"name":"PFN_PRINTING_CONFIGUREPORT","features":[1,74]},{"name":"PFN_PRINTING_CONFIGUREPORT2","features":[1,74]},{"name":"PFN_PRINTING_DELETEPORT","features":[1,74]},{"name":"PFN_PRINTING_DELETEPORT2","features":[1,74]},{"name":"PFN_PRINTING_ENDDOCPORT","features":[1,74]},{"name":"PFN_PRINTING_ENDDOCPORT2","features":[1,74]},{"name":"PFN_PRINTING_ENUMPORTS","features":[1,74]},{"name":"PFN_PRINTING_ENUMPORTS2","features":[1,74]},{"name":"PFN_PRINTING_GETPRINTERDATAFROMPORT","features":[1,74]},{"name":"PFN_PRINTING_GETPRINTERDATAFROMPORT2","features":[1,74]},{"name":"PFN_PRINTING_NOTIFYUNUSEDPORTS2","features":[1,74]},{"name":"PFN_PRINTING_NOTIFYUSEDPORTS2","features":[1,74]},{"name":"PFN_PRINTING_OPENPORT","features":[1,74]},{"name":"PFN_PRINTING_OPENPORT2","features":[1,74]},{"name":"PFN_PRINTING_OPENPORTEX","features":[47,1,74,8]},{"name":"PFN_PRINTING_OPENPORTEX2","features":[47,1,74,8]},{"name":"PFN_PRINTING_POWEREVENT2","features":[1,74,8]},{"name":"PFN_PRINTING_READPORT","features":[1,74]},{"name":"PFN_PRINTING_READPORT2","features":[1,74]},{"name":"PFN_PRINTING_SENDRECVBIDIDATAFROMPORT2","features":[1,74]},{"name":"PFN_PRINTING_SETPORTTIMEOUTS","features":[47,1,74]},{"name":"PFN_PRINTING_SETPORTTIMEOUTS2","features":[47,1,74]},{"name":"PFN_PRINTING_SHUTDOWN2","features":[1,74]},{"name":"PFN_PRINTING_STARTDOCPORT","features":[1,74]},{"name":"PFN_PRINTING_STARTDOCPORT2","features":[1,74]},{"name":"PFN_PRINTING_WRITEPORT","features":[1,74]},{"name":"PFN_PRINTING_WRITEPORT2","features":[1,74]},{"name":"PFN_PRINTING_XCVCLOSEPORT","features":[1,74]},{"name":"PFN_PRINTING_XCVCLOSEPORT2","features":[1,74]},{"name":"PFN_PRINTING_XCVDATAPORT","features":[1,74]},{"name":"PFN_PRINTING_XCVDATAPORT2","features":[1,74]},{"name":"PFN_PRINTING_XCVOPENPORT","features":[1,74]},{"name":"PFN_PRINTING_XCVOPENPORT2","features":[1,74]},{"name":"PORT_DATA_1","features":[74]},{"name":"PORT_DATA_2","features":[74]},{"name":"PORT_DATA_LIST_1","features":[74]},{"name":"PORT_INFO_1A","features":[74]},{"name":"PORT_INFO_1W","features":[74]},{"name":"PORT_INFO_2A","features":[74]},{"name":"PORT_INFO_2W","features":[74]},{"name":"PORT_INFO_3A","features":[74]},{"name":"PORT_INFO_3W","features":[74]},{"name":"PORT_STATUS_DOOR_OPEN","features":[74]},{"name":"PORT_STATUS_NO_TONER","features":[74]},{"name":"PORT_STATUS_OFFLINE","features":[74]},{"name":"PORT_STATUS_OUTPUT_BIN_FULL","features":[74]},{"name":"PORT_STATUS_OUT_OF_MEMORY","features":[74]},{"name":"PORT_STATUS_PAPER_JAM","features":[74]},{"name":"PORT_STATUS_PAPER_OUT","features":[74]},{"name":"PORT_STATUS_PAPER_PROBLEM","features":[74]},{"name":"PORT_STATUS_POWER_SAVE","features":[74]},{"name":"PORT_STATUS_TONER_LOW","features":[74]},{"name":"PORT_STATUS_TYPE_ERROR","features":[74]},{"name":"PORT_STATUS_TYPE_INFO","features":[74]},{"name":"PORT_STATUS_TYPE_WARNING","features":[74]},{"name":"PORT_STATUS_USER_INTERVENTION","features":[74]},{"name":"PORT_STATUS_WARMING_UP","features":[74]},{"name":"PORT_TYPE_NET_ATTACHED","features":[74]},{"name":"PORT_TYPE_READ","features":[74]},{"name":"PORT_TYPE_REDIRECTED","features":[74]},{"name":"PORT_TYPE_WRITE","features":[74]},{"name":"PPCAPS_BOOKLET_EDGE","features":[74]},{"name":"PPCAPS_BORDER_PRINT","features":[74]},{"name":"PPCAPS_REVERSE_PAGES_FOR_REVERSE_DUPLEX","features":[74]},{"name":"PPCAPS_RIGHT_THEN_DOWN","features":[74]},{"name":"PPCAPS_SQUARE_SCALING","features":[74]},{"name":"PRINTER_ACCESS_ADMINISTER","features":[74]},{"name":"PRINTER_ACCESS_MANAGE_LIMITED","features":[74]},{"name":"PRINTER_ACCESS_RIGHTS","features":[74]},{"name":"PRINTER_ACCESS_USE","features":[74]},{"name":"PRINTER_ALL_ACCESS","features":[74]},{"name":"PRINTER_ATTRIBUTE_DEFAULT","features":[74]},{"name":"PRINTER_ATTRIBUTE_DIRECT","features":[74]},{"name":"PRINTER_ATTRIBUTE_DO_COMPLETE_FIRST","features":[74]},{"name":"PRINTER_ATTRIBUTE_ENABLE_BIDI","features":[74]},{"name":"PRINTER_ATTRIBUTE_ENABLE_DEVQ","features":[74]},{"name":"PRINTER_ATTRIBUTE_ENTERPRISE_CLOUD","features":[74]},{"name":"PRINTER_ATTRIBUTE_FAX","features":[74]},{"name":"PRINTER_ATTRIBUTE_FRIENDLY_NAME","features":[74]},{"name":"PRINTER_ATTRIBUTE_HIDDEN","features":[74]},{"name":"PRINTER_ATTRIBUTE_KEEPPRINTEDJOBS","features":[74]},{"name":"PRINTER_ATTRIBUTE_LOCAL","features":[74]},{"name":"PRINTER_ATTRIBUTE_MACHINE","features":[74]},{"name":"PRINTER_ATTRIBUTE_NETWORK","features":[74]},{"name":"PRINTER_ATTRIBUTE_PER_USER","features":[74]},{"name":"PRINTER_ATTRIBUTE_PUBLISHED","features":[74]},{"name":"PRINTER_ATTRIBUTE_PUSHED_MACHINE","features":[74]},{"name":"PRINTER_ATTRIBUTE_PUSHED_USER","features":[74]},{"name":"PRINTER_ATTRIBUTE_QUEUED","features":[74]},{"name":"PRINTER_ATTRIBUTE_RAW_ONLY","features":[74]},{"name":"PRINTER_ATTRIBUTE_SHARED","features":[74]},{"name":"PRINTER_ATTRIBUTE_TS","features":[74]},{"name":"PRINTER_ATTRIBUTE_TS_GENERIC_DRIVER","features":[74]},{"name":"PRINTER_ATTRIBUTE_WORK_OFFLINE","features":[74]},{"name":"PRINTER_CHANGE_ADD_FORM","features":[74]},{"name":"PRINTER_CHANGE_ADD_JOB","features":[74]},{"name":"PRINTER_CHANGE_ADD_PORT","features":[74]},{"name":"PRINTER_CHANGE_ADD_PRINTER","features":[74]},{"name":"PRINTER_CHANGE_ADD_PRINTER_DRIVER","features":[74]},{"name":"PRINTER_CHANGE_ADD_PRINT_PROCESSOR","features":[74]},{"name":"PRINTER_CHANGE_ALL","features":[74]},{"name":"PRINTER_CHANGE_CONFIGURE_PORT","features":[74]},{"name":"PRINTER_CHANGE_DELETE_FORM","features":[74]},{"name":"PRINTER_CHANGE_DELETE_JOB","features":[74]},{"name":"PRINTER_CHANGE_DELETE_PORT","features":[74]},{"name":"PRINTER_CHANGE_DELETE_PRINTER","features":[74]},{"name":"PRINTER_CHANGE_DELETE_PRINTER_DRIVER","features":[74]},{"name":"PRINTER_CHANGE_DELETE_PRINT_PROCESSOR","features":[74]},{"name":"PRINTER_CHANGE_FAILED_CONNECTION_PRINTER","features":[74]},{"name":"PRINTER_CHANGE_FORM","features":[74]},{"name":"PRINTER_CHANGE_JOB","features":[74]},{"name":"PRINTER_CHANGE_PORT","features":[74]},{"name":"PRINTER_CHANGE_PRINTER","features":[74]},{"name":"PRINTER_CHANGE_PRINTER_DRIVER","features":[74]},{"name":"PRINTER_CHANGE_PRINT_PROCESSOR","features":[74]},{"name":"PRINTER_CHANGE_SERVER","features":[74]},{"name":"PRINTER_CHANGE_SET_FORM","features":[74]},{"name":"PRINTER_CHANGE_SET_JOB","features":[74]},{"name":"PRINTER_CHANGE_SET_PRINTER","features":[74]},{"name":"PRINTER_CHANGE_SET_PRINTER_DRIVER","features":[74]},{"name":"PRINTER_CHANGE_TIMEOUT","features":[74]},{"name":"PRINTER_CHANGE_WRITE_JOB","features":[74]},{"name":"PRINTER_CONNECTION_INFO_1A","features":[74]},{"name":"PRINTER_CONNECTION_INFO_1W","features":[74]},{"name":"PRINTER_CONNECTION_MISMATCH","features":[74]},{"name":"PRINTER_CONNECTION_NO_UI","features":[74]},{"name":"PRINTER_CONTROL_PAUSE","features":[74]},{"name":"PRINTER_CONTROL_PURGE","features":[74]},{"name":"PRINTER_CONTROL_RESUME","features":[74]},{"name":"PRINTER_CONTROL_SET_STATUS","features":[74]},{"name":"PRINTER_DEFAULTSA","features":[1,12,74]},{"name":"PRINTER_DEFAULTSW","features":[1,12,74]},{"name":"PRINTER_DELETE","features":[74]},{"name":"PRINTER_DRIVER_CATEGORY_3D","features":[74]},{"name":"PRINTER_DRIVER_CATEGORY_CLOUD","features":[74]},{"name":"PRINTER_DRIVER_CATEGORY_FAX","features":[74]},{"name":"PRINTER_DRIVER_CATEGORY_FILE","features":[74]},{"name":"PRINTER_DRIVER_CATEGORY_SERVICE","features":[74]},{"name":"PRINTER_DRIVER_CATEGORY_VIRTUAL","features":[74]},{"name":"PRINTER_DRIVER_CLASS","features":[74]},{"name":"PRINTER_DRIVER_DERIVED","features":[74]},{"name":"PRINTER_DRIVER_NOT_SHAREABLE","features":[74]},{"name":"PRINTER_DRIVER_PACKAGE_AWARE","features":[74]},{"name":"PRINTER_DRIVER_SANDBOX_DISABLED","features":[74]},{"name":"PRINTER_DRIVER_SANDBOX_ENABLED","features":[74]},{"name":"PRINTER_DRIVER_SOFT_RESET_REQUIRED","features":[74]},{"name":"PRINTER_DRIVER_XPS","features":[74]},{"name":"PRINTER_ENUM_CATEGORY_3D","features":[74]},{"name":"PRINTER_ENUM_CATEGORY_ALL","features":[74]},{"name":"PRINTER_ENUM_CONNECTIONS","features":[74]},{"name":"PRINTER_ENUM_CONTAINER","features":[74]},{"name":"PRINTER_ENUM_DEFAULT","features":[74]},{"name":"PRINTER_ENUM_EXPAND","features":[74]},{"name":"PRINTER_ENUM_FAVORITE","features":[74]},{"name":"PRINTER_ENUM_HIDE","features":[74]},{"name":"PRINTER_ENUM_ICON1","features":[74]},{"name":"PRINTER_ENUM_ICON2","features":[74]},{"name":"PRINTER_ENUM_ICON3","features":[74]},{"name":"PRINTER_ENUM_ICON4","features":[74]},{"name":"PRINTER_ENUM_ICON5","features":[74]},{"name":"PRINTER_ENUM_ICON6","features":[74]},{"name":"PRINTER_ENUM_ICON7","features":[74]},{"name":"PRINTER_ENUM_ICON8","features":[74]},{"name":"PRINTER_ENUM_ICONMASK","features":[74]},{"name":"PRINTER_ENUM_LOCAL","features":[74]},{"name":"PRINTER_ENUM_NAME","features":[74]},{"name":"PRINTER_ENUM_NETWORK","features":[74]},{"name":"PRINTER_ENUM_REMOTE","features":[74]},{"name":"PRINTER_ENUM_SHARED","features":[74]},{"name":"PRINTER_ENUM_VALUESA","features":[74]},{"name":"PRINTER_ENUM_VALUESW","features":[74]},{"name":"PRINTER_ERROR_INFORMATION","features":[74]},{"name":"PRINTER_ERROR_JAM","features":[74]},{"name":"PRINTER_ERROR_OUTOFPAPER","features":[74]},{"name":"PRINTER_ERROR_OUTOFTONER","features":[74]},{"name":"PRINTER_ERROR_SEVERE","features":[74]},{"name":"PRINTER_ERROR_WARNING","features":[74]},{"name":"PRINTER_EVENT_ADD_CONNECTION","features":[74]},{"name":"PRINTER_EVENT_ADD_CONNECTION_NO_UI","features":[74]},{"name":"PRINTER_EVENT_ATTRIBUTES_CHANGED","features":[74]},{"name":"PRINTER_EVENT_ATTRIBUTES_INFO","features":[74]},{"name":"PRINTER_EVENT_CACHE_DELETE","features":[74]},{"name":"PRINTER_EVENT_CACHE_REFRESH","features":[74]},{"name":"PRINTER_EVENT_CONFIGURATION_CHANGE","features":[74]},{"name":"PRINTER_EVENT_CONFIGURATION_UPDATE","features":[74]},{"name":"PRINTER_EVENT_DELETE","features":[74]},{"name":"PRINTER_EVENT_DELETE_CONNECTION","features":[74]},{"name":"PRINTER_EVENT_DELETE_CONNECTION_NO_UI","features":[74]},{"name":"PRINTER_EVENT_FLAG_NO_UI","features":[74]},{"name":"PRINTER_EVENT_INITIALIZE","features":[74]},{"name":"PRINTER_EXECUTE","features":[74]},{"name":"PRINTER_EXTENSION_DETAILEDREASON_PRINTER_STATUS","features":[74]},{"name":"PRINTER_EXTENSION_REASON_DRIVER_EVENT","features":[74]},{"name":"PRINTER_EXTENSION_REASON_PRINT_PREFERENCES","features":[74]},{"name":"PRINTER_INFO_1A","features":[74]},{"name":"PRINTER_INFO_1W","features":[74]},{"name":"PRINTER_INFO_2A","features":[1,12,74,4]},{"name":"PRINTER_INFO_2W","features":[1,12,74,4]},{"name":"PRINTER_INFO_3","features":[74,4]},{"name":"PRINTER_INFO_4A","features":[74]},{"name":"PRINTER_INFO_4W","features":[74]},{"name":"PRINTER_INFO_5A","features":[74]},{"name":"PRINTER_INFO_5W","features":[74]},{"name":"PRINTER_INFO_6","features":[74]},{"name":"PRINTER_INFO_7A","features":[74]},{"name":"PRINTER_INFO_7W","features":[74]},{"name":"PRINTER_INFO_8A","features":[1,12,74]},{"name":"PRINTER_INFO_8W","features":[1,12,74]},{"name":"PRINTER_INFO_9A","features":[1,12,74]},{"name":"PRINTER_INFO_9W","features":[1,12,74]},{"name":"PRINTER_NOTIFY_CATEGORY_3D","features":[74]},{"name":"PRINTER_NOTIFY_CATEGORY_ALL","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_ATTRIBUTES","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_AVERAGE_PPM","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_BRANCH_OFFICE_PRINTING","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_BYTES_PRINTED","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_CJOBS","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_COMMENT","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_DATATYPE","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_DEFAULT_PRIORITY","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_DEVMODE","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_DRIVER_NAME","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_FRIENDLY_NAME","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_LOCATION","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_OBJECT_GUID","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_PAGES_PRINTED","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_PARAMETERS","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_PORT_NAME","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_PRINTER_NAME","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_PRINT_PROCESSOR","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_PRIORITY","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_SECURITY_DESCRIPTOR","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_SEPFILE","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_SERVER_NAME","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_SHARE_NAME","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_START_TIME","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_STATUS","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_STATUS_STRING","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_TOTAL_BYTES","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_TOTAL_PAGES","features":[74]},{"name":"PRINTER_NOTIFY_FIELD_UNTIL_TIME","features":[74]},{"name":"PRINTER_NOTIFY_INFO","features":[74]},{"name":"PRINTER_NOTIFY_INFO_DATA","features":[74]},{"name":"PRINTER_NOTIFY_INFO_DATA_COMPACT","features":[74]},{"name":"PRINTER_NOTIFY_INFO_DISCARDED","features":[74]},{"name":"PRINTER_NOTIFY_INIT","features":[74]},{"name":"PRINTER_NOTIFY_OPTIONS","features":[74]},{"name":"PRINTER_NOTIFY_OPTIONS_REFRESH","features":[74]},{"name":"PRINTER_NOTIFY_OPTIONS_TYPE","features":[74]},{"name":"PRINTER_NOTIFY_STATUS_ENDPOINT","features":[74]},{"name":"PRINTER_NOTIFY_STATUS_INFO","features":[74]},{"name":"PRINTER_NOTIFY_STATUS_POLL","features":[74]},{"name":"PRINTER_NOTIFY_TYPE","features":[74]},{"name":"PRINTER_OEMINTF_VERSION","features":[74]},{"name":"PRINTER_OPTIONSA","features":[74]},{"name":"PRINTER_OPTIONSW","features":[74]},{"name":"PRINTER_OPTION_CACHE","features":[74]},{"name":"PRINTER_OPTION_CLIENT_CHANGE","features":[74]},{"name":"PRINTER_OPTION_FLAGS","features":[74]},{"name":"PRINTER_OPTION_NO_CACHE","features":[74]},{"name":"PRINTER_OPTION_NO_CLIENT_DATA","features":[74]},{"name":"PRINTER_READ","features":[74]},{"name":"PRINTER_READ_CONTROL","features":[74]},{"name":"PRINTER_STANDARD_RIGHTS_EXECUTE","features":[74]},{"name":"PRINTER_STANDARD_RIGHTS_READ","features":[74]},{"name":"PRINTER_STANDARD_RIGHTS_REQUIRED","features":[74]},{"name":"PRINTER_STANDARD_RIGHTS_WRITE","features":[74]},{"name":"PRINTER_STATUS_BUSY","features":[74]},{"name":"PRINTER_STATUS_DOOR_OPEN","features":[74]},{"name":"PRINTER_STATUS_DRIVER_UPDATE_NEEDED","features":[74]},{"name":"PRINTER_STATUS_ERROR","features":[74]},{"name":"PRINTER_STATUS_INITIALIZING","features":[74]},{"name":"PRINTER_STATUS_IO_ACTIVE","features":[74]},{"name":"PRINTER_STATUS_MANUAL_FEED","features":[74]},{"name":"PRINTER_STATUS_NOT_AVAILABLE","features":[74]},{"name":"PRINTER_STATUS_NO_TONER","features":[74]},{"name":"PRINTER_STATUS_OFFLINE","features":[74]},{"name":"PRINTER_STATUS_OUTPUT_BIN_FULL","features":[74]},{"name":"PRINTER_STATUS_OUT_OF_MEMORY","features":[74]},{"name":"PRINTER_STATUS_PAGE_PUNT","features":[74]},{"name":"PRINTER_STATUS_PAPER_JAM","features":[74]},{"name":"PRINTER_STATUS_PAPER_OUT","features":[74]},{"name":"PRINTER_STATUS_PAPER_PROBLEM","features":[74]},{"name":"PRINTER_STATUS_PAUSED","features":[74]},{"name":"PRINTER_STATUS_PENDING_DELETION","features":[74]},{"name":"PRINTER_STATUS_POWER_SAVE","features":[74]},{"name":"PRINTER_STATUS_PRINTING","features":[74]},{"name":"PRINTER_STATUS_PROCESSING","features":[74]},{"name":"PRINTER_STATUS_SERVER_OFFLINE","features":[74]},{"name":"PRINTER_STATUS_SERVER_UNKNOWN","features":[74]},{"name":"PRINTER_STATUS_TONER_LOW","features":[74]},{"name":"PRINTER_STATUS_USER_INTERVENTION","features":[74]},{"name":"PRINTER_STATUS_WAITING","features":[74]},{"name":"PRINTER_STATUS_WARMING_UP","features":[74]},{"name":"PRINTER_SYNCHRONIZE","features":[74]},{"name":"PRINTER_WRITE","features":[74]},{"name":"PRINTER_WRITE_DAC","features":[74]},{"name":"PRINTER_WRITE_OWNER","features":[74]},{"name":"PRINTIFI32","features":[1,12,74]},{"name":"PRINTPROCESSOROPENDATA","features":[1,12,74]},{"name":"PRINTPROCESSOR_CAPS_1","features":[74]},{"name":"PRINTPROCESSOR_CAPS_2","features":[74]},{"name":"PRINTPROCESSOR_INFO_1A","features":[74]},{"name":"PRINTPROCESSOR_INFO_1W","features":[74]},{"name":"PRINTPROVIDOR","features":[74]},{"name":"PRINT_APP_BIDI_NOTIFY_CHANNEL","features":[74]},{"name":"PRINT_EXECUTION_CONTEXT","features":[74]},{"name":"PRINT_EXECUTION_CONTEXT_APPLICATION","features":[74]},{"name":"PRINT_EXECUTION_CONTEXT_FILTER_PIPELINE","features":[74]},{"name":"PRINT_EXECUTION_CONTEXT_SPOOLER_ISOLATION_HOST","features":[74]},{"name":"PRINT_EXECUTION_CONTEXT_SPOOLER_SERVICE","features":[74]},{"name":"PRINT_EXECUTION_CONTEXT_WOW64","features":[74]},{"name":"PRINT_EXECUTION_DATA","features":[74]},{"name":"PRINT_FEATURE_OPTION","features":[74]},{"name":"PRINT_PORT_MONITOR_NOTIFY_CHANNEL","features":[74]},{"name":"PROPSHEETUI_GETICON_INFO","features":[74,50]},{"name":"PROPSHEETUI_INFO","features":[1,74]},{"name":"PROPSHEETUI_INFO_HEADER","features":[1,74,50]},{"name":"PROPSHEETUI_INFO_VERSION","features":[74]},{"name":"PROPSHEETUI_REASON_BEFORE_INIT","features":[74]},{"name":"PROPSHEETUI_REASON_DESTROY","features":[74]},{"name":"PROPSHEETUI_REASON_GET_ICON","features":[74]},{"name":"PROPSHEETUI_REASON_GET_INFO_HEADER","features":[74]},{"name":"PROPSHEETUI_REASON_INIT","features":[74]},{"name":"PROPSHEETUI_REASON_SET_RESULT","features":[74]},{"name":"PROTOCOL_LPR_TYPE","features":[74]},{"name":"PROTOCOL_RAWTCP_TYPE","features":[74]},{"name":"PROTOCOL_UNKNOWN_TYPE","features":[74]},{"name":"PROVIDOR_INFO_1A","features":[74]},{"name":"PROVIDOR_INFO_1W","features":[74]},{"name":"PROVIDOR_INFO_2A","features":[74]},{"name":"PROVIDOR_INFO_2W","features":[74]},{"name":"PSCRIPT5_PRIVATE_DEVMODE","features":[74]},{"name":"PSPINFO","features":[1,74]},{"name":"PSUIHDRF_DEFTITLE","features":[74]},{"name":"PSUIHDRF_EXACT_PTITLE","features":[74]},{"name":"PSUIHDRF_NOAPPLYNOW","features":[74]},{"name":"PSUIHDRF_OBSOLETE","features":[74]},{"name":"PSUIHDRF_PROPTITLE","features":[74]},{"name":"PSUIHDRF_USEHICON","features":[74]},{"name":"PSUIINFO_UNICODE","features":[74]},{"name":"PSUIPAGEINSERT_DLL","features":[74]},{"name":"PSUIPAGEINSERT_GROUP_PARENT","features":[74]},{"name":"PSUIPAGEINSERT_HPROPSHEETPAGE","features":[74]},{"name":"PSUIPAGEINSERT_PCOMPROPSHEETUI","features":[74]},{"name":"PSUIPAGEINSERT_PFNPROPSHEETUI","features":[74]},{"name":"PSUIPAGEINSERT_PROPSHEETPAGE","features":[74]},{"name":"PTSHIM_DEFAULT","features":[74]},{"name":"PTSHIM_NOSNAPSHOT","features":[74]},{"name":"PUBLISHERINFO","features":[74]},{"name":"PUSHBUTTON_TYPE_CALLBACK","features":[74]},{"name":"PUSHBUTTON_TYPE_DLGPROC","features":[74]},{"name":"PUSHBUTTON_TYPE_HTCLRADJ","features":[74]},{"name":"PUSHBUTTON_TYPE_HTSETUP","features":[74]},{"name":"PageCountType","features":[74]},{"name":"PartialReplyPrinterChangeNotification","features":[1,74]},{"name":"PlayGdiScriptOnPrinterIC","features":[1,74]},{"name":"PrintAsyncNotifyConversationStyle","features":[74]},{"name":"PrintAsyncNotifyError","features":[74]},{"name":"PrintAsyncNotifyUserFilter","features":[74]},{"name":"PrintJobStatus","features":[74]},{"name":"PrintJobStatus_BlockedDeviceQueue","features":[74]},{"name":"PrintJobStatus_Complete","features":[74]},{"name":"PrintJobStatus_Deleted","features":[74]},{"name":"PrintJobStatus_Deleting","features":[74]},{"name":"PrintJobStatus_Error","features":[74]},{"name":"PrintJobStatus_Offline","features":[74]},{"name":"PrintJobStatus_PaperOut","features":[74]},{"name":"PrintJobStatus_Paused","features":[74]},{"name":"PrintJobStatus_Printed","features":[74]},{"name":"PrintJobStatus_Printing","features":[74]},{"name":"PrintJobStatus_Restarted","features":[74]},{"name":"PrintJobStatus_Retained","features":[74]},{"name":"PrintJobStatus_Spooling","features":[74]},{"name":"PrintJobStatus_UserIntervention","features":[74]},{"name":"PrintNamedProperty","features":[74]},{"name":"PrintPropertiesCollection","features":[74]},{"name":"PrintPropertyValue","features":[74]},{"name":"PrintSchemaAsyncOperation","features":[74]},{"name":"PrintSchemaConstrainedSetting","features":[74]},{"name":"PrintSchemaConstrainedSetting_Admin","features":[74]},{"name":"PrintSchemaConstrainedSetting_Device","features":[74]},{"name":"PrintSchemaConstrainedSetting_None","features":[74]},{"name":"PrintSchemaConstrainedSetting_PrintTicket","features":[74]},{"name":"PrintSchemaParameterDataType","features":[74]},{"name":"PrintSchemaParameterDataType_Integer","features":[74]},{"name":"PrintSchemaParameterDataType_NumericString","features":[74]},{"name":"PrintSchemaParameterDataType_String","features":[74]},{"name":"PrintSchemaSelectionType","features":[74]},{"name":"PrintSchemaSelectionType_PickMany","features":[74]},{"name":"PrintSchemaSelectionType_PickOne","features":[74]},{"name":"PrinterExtensionManager","features":[74]},{"name":"PrinterMessageBoxA","features":[1,74]},{"name":"PrinterMessageBoxW","features":[1,74]},{"name":"PrinterProperties","features":[1,74]},{"name":"PrinterQueue","features":[74]},{"name":"PrinterQueueView","features":[74]},{"name":"ProvidorFindClosePrinterChangeNotification","features":[1,74]},{"name":"ProvidorFindFirstPrinterChangeNotification","features":[1,74]},{"name":"QCP_DEVICEPROFILE","features":[74]},{"name":"QCP_PROFILEDISK","features":[74]},{"name":"QCP_PROFILEMEMORY","features":[74]},{"name":"QCP_SOURCEPROFILE","features":[74]},{"name":"RAWTCP","features":[74]},{"name":"REMOTE_ONLY_REGISTRATION","features":[74]},{"name":"REVERSE_PAGES_FOR_REVERSE_DUPLEX","features":[74]},{"name":"REVERSE_PRINT","features":[74]},{"name":"RIGHT_THEN_DOWN","features":[74]},{"name":"ROUTER_NOTIFY_CALLBACK","features":[1,74]},{"name":"ROUTER_STOP_ROUTING","features":[74]},{"name":"ROUTER_SUCCESS","features":[74]},{"name":"ROUTER_UNKNOWN","features":[74]},{"name":"ReadPrinter","features":[1,74]},{"name":"RegisterForPrintAsyncNotifications","features":[1,74]},{"name":"RemovePrintDeviceObject","features":[1,74]},{"name":"ReplyPrinterChangeNotification","features":[1,74]},{"name":"ReplyPrinterChangeNotificationEx","features":[1,74]},{"name":"ReportJobProcessingProgress","features":[1,74]},{"name":"ResetPrinterA","features":[1,12,74]},{"name":"ResetPrinterW","features":[1,12,74]},{"name":"RevertToPrinterSelf","features":[1,74]},{"name":"RouterAllocBidiMem","features":[74]},{"name":"RouterAllocBidiResponseContainer","features":[1,74]},{"name":"RouterAllocPrinterNotifyInfo","features":[74]},{"name":"RouterFreeBidiMem","features":[74]},{"name":"RouterFreeBidiResponseContainer","features":[1,74]},{"name":"RouterFreePrinterNotifyInfo","features":[1,74]},{"name":"SERVER_ACCESS_ADMINISTER","features":[74]},{"name":"SERVER_ACCESS_ENUMERATE","features":[74]},{"name":"SERVER_ALL_ACCESS","features":[74]},{"name":"SERVER_EXECUTE","features":[74]},{"name":"SERVER_NOTIFY_FIELD_PRINT_DRIVER_ISOLATION_GROUP","features":[74]},{"name":"SERVER_NOTIFY_TYPE","features":[74]},{"name":"SERVER_READ","features":[74]},{"name":"SERVER_WRITE","features":[74]},{"name":"SETOPTIONS_FLAG_KEEP_CONFLICT","features":[74]},{"name":"SETOPTIONS_FLAG_RESOLVE_CONFLICT","features":[74]},{"name":"SETOPTIONS_RESULT_CONFLICT_REMAINED","features":[74]},{"name":"SETOPTIONS_RESULT_CONFLICT_RESOLVED","features":[74]},{"name":"SETOPTIONS_RESULT_NO_CONFLICT","features":[74]},{"name":"SETRESULT_INFO","features":[1,74]},{"name":"SHIMOPTS","features":[74]},{"name":"SHOWUIPARAMS","features":[1,74]},{"name":"SIMULATE_CAPS_1","features":[74]},{"name":"SPLCLIENT_INFO_1","features":[74]},{"name":"SPLCLIENT_INFO_2_W2K","features":[74]},{"name":"SPLCLIENT_INFO_2_WINXP","features":[74]},{"name":"SPLCLIENT_INFO_2_WINXP","features":[74]},{"name":"SPLCLIENT_INFO_3_VISTA","features":[74]},{"name":"SPLCLIENT_INFO_INTERNAL","features":[74]},{"name":"SPLCLIENT_INFO_INTERNAL_LEVEL","features":[74]},{"name":"SPLDS_ASSET_NUMBER","features":[74]},{"name":"SPLDS_BYTES_PER_MINUTE","features":[74]},{"name":"SPLDS_DESCRIPTION","features":[74]},{"name":"SPLDS_DRIVER_KEY","features":[74]},{"name":"SPLDS_DRIVER_NAME","features":[74]},{"name":"SPLDS_DRIVER_VERSION","features":[74]},{"name":"SPLDS_FLAGS","features":[74]},{"name":"SPLDS_LOCATION","features":[74]},{"name":"SPLDS_PORT_NAME","features":[74]},{"name":"SPLDS_PRINTER_CLASS","features":[74]},{"name":"SPLDS_PRINTER_LOCATIONS","features":[74]},{"name":"SPLDS_PRINTER_MODEL","features":[74]},{"name":"SPLDS_PRINTER_NAME","features":[74]},{"name":"SPLDS_PRINTER_NAME_ALIASES","features":[74]},{"name":"SPLDS_PRINT_ATTRIBUTES","features":[74]},{"name":"SPLDS_PRINT_BIN_NAMES","features":[74]},{"name":"SPLDS_PRINT_COLLATE","features":[74]},{"name":"SPLDS_PRINT_COLOR","features":[74]},{"name":"SPLDS_PRINT_DUPLEX_SUPPORTED","features":[74]},{"name":"SPLDS_PRINT_END_TIME","features":[74]},{"name":"SPLDS_PRINT_KEEP_PRINTED_JOBS","features":[74]},{"name":"SPLDS_PRINT_LANGUAGE","features":[74]},{"name":"SPLDS_PRINT_MAC_ADDRESS","features":[74]},{"name":"SPLDS_PRINT_MAX_RESOLUTION_SUPPORTED","features":[74]},{"name":"SPLDS_PRINT_MAX_X_EXTENT","features":[74]},{"name":"SPLDS_PRINT_MAX_Y_EXTENT","features":[74]},{"name":"SPLDS_PRINT_MEDIA_READY","features":[74]},{"name":"SPLDS_PRINT_MEDIA_SUPPORTED","features":[74]},{"name":"SPLDS_PRINT_MEMORY","features":[74]},{"name":"SPLDS_PRINT_MIN_X_EXTENT","features":[74]},{"name":"SPLDS_PRINT_MIN_Y_EXTENT","features":[74]},{"name":"SPLDS_PRINT_NETWORK_ADDRESS","features":[74]},{"name":"SPLDS_PRINT_NOTIFY","features":[74]},{"name":"SPLDS_PRINT_NUMBER_UP","features":[74]},{"name":"SPLDS_PRINT_ORIENTATIONS_SUPPORTED","features":[74]},{"name":"SPLDS_PRINT_OWNER","features":[74]},{"name":"SPLDS_PRINT_PAGES_PER_MINUTE","features":[74]},{"name":"SPLDS_PRINT_RATE","features":[74]},{"name":"SPLDS_PRINT_RATE_UNIT","features":[74]},{"name":"SPLDS_PRINT_SEPARATOR_FILE","features":[74]},{"name":"SPLDS_PRINT_SHARE_NAME","features":[74]},{"name":"SPLDS_PRINT_SPOOLING","features":[74]},{"name":"SPLDS_PRINT_STAPLING_SUPPORTED","features":[74]},{"name":"SPLDS_PRINT_START_TIME","features":[74]},{"name":"SPLDS_PRINT_STATUS","features":[74]},{"name":"SPLDS_PRIORITY","features":[74]},{"name":"SPLDS_SERVER_NAME","features":[74]},{"name":"SPLDS_SHORT_SERVER_NAME","features":[74]},{"name":"SPLDS_SPOOLER_KEY","features":[74]},{"name":"SPLDS_UNC_NAME","features":[74]},{"name":"SPLDS_URL","features":[74]},{"name":"SPLDS_USER_KEY","features":[74]},{"name":"SPLDS_VERSION_NUMBER","features":[74]},{"name":"SPLPRINTER_USER_MODE_PRINTER_DRIVER","features":[74]},{"name":"SPLREG_ALLOW_USER_MANAGEFORMS","features":[74]},{"name":"SPLREG_ARCHITECTURE","features":[74]},{"name":"SPLREG_BEEP_ENABLED","features":[74]},{"name":"SPLREG_DEFAULT_SPOOL_DIRECTORY","features":[74]},{"name":"SPLREG_DNS_MACHINE_NAME","features":[74]},{"name":"SPLREG_DS_PRESENT","features":[74]},{"name":"SPLREG_DS_PRESENT_FOR_USER","features":[74]},{"name":"SPLREG_EVENT_LOG","features":[74]},{"name":"SPLREG_MAJOR_VERSION","features":[74]},{"name":"SPLREG_MINOR_VERSION","features":[74]},{"name":"SPLREG_NET_POPUP","features":[74]},{"name":"SPLREG_NET_POPUP_TO_COMPUTER","features":[74]},{"name":"SPLREG_OS_VERSION","features":[74]},{"name":"SPLREG_OS_VERSIONEX","features":[74]},{"name":"SPLREG_PORT_THREAD_PRIORITY","features":[74]},{"name":"SPLREG_PORT_THREAD_PRIORITY_DEFAULT","features":[74]},{"name":"SPLREG_PRINT_DRIVER_ISOLATION_EXECUTION_POLICY","features":[74]},{"name":"SPLREG_PRINT_DRIVER_ISOLATION_GROUPS","features":[74]},{"name":"SPLREG_PRINT_DRIVER_ISOLATION_IDLE_TIMEOUT","features":[74]},{"name":"SPLREG_PRINT_DRIVER_ISOLATION_MAX_OBJECTS_BEFORE_RECYCLE","features":[74]},{"name":"SPLREG_PRINT_DRIVER_ISOLATION_OVERRIDE_POLICY","features":[74]},{"name":"SPLREG_PRINT_DRIVER_ISOLATION_TIME_BEFORE_RECYCLE","features":[74]},{"name":"SPLREG_PRINT_QUEUE_V4_DRIVER_DIRECTORY","features":[74]},{"name":"SPLREG_REMOTE_FAX","features":[74]},{"name":"SPLREG_RESTART_JOB_ON_POOL_ENABLED","features":[74]},{"name":"SPLREG_RESTART_JOB_ON_POOL_ERROR","features":[74]},{"name":"SPLREG_RETRY_POPUP","features":[74]},{"name":"SPLREG_SCHEDULER_THREAD_PRIORITY","features":[74]},{"name":"SPLREG_SCHEDULER_THREAD_PRIORITY_DEFAULT","features":[74]},{"name":"SPLREG_WEBSHAREMGMT","features":[74]},{"name":"SPOOL_FILE_PERSISTENT","features":[74]},{"name":"SPOOL_FILE_TEMPORARY","features":[74]},{"name":"SR_OWNER","features":[74]},{"name":"SR_OWNER_PARENT","features":[74]},{"name":"SSP_STDPAGE1","features":[74]},{"name":"SSP_STDPAGE2","features":[74]},{"name":"SSP_TVPAGE","features":[74]},{"name":"STRING_LANGPAIR","features":[74]},{"name":"STRING_MUIDLL","features":[74]},{"name":"STRING_NONE","features":[74]},{"name":"S_CONFLICT_RESOLVED","features":[74]},{"name":"S_DEVCAP_OUTPUT_FULL_REPLACEMENT","features":[74]},{"name":"S_NO_CONFLICT","features":[74]},{"name":"ScheduleJob","features":[1,74]},{"name":"SetCPSUIUserData","features":[1,74]},{"name":"SetDefaultPrinterA","features":[1,74]},{"name":"SetDefaultPrinterW","features":[1,74]},{"name":"SetFormA","features":[1,74]},{"name":"SetFormW","features":[1,74]},{"name":"SetJobA","features":[1,74]},{"name":"SetJobNamedProperty","features":[1,74]},{"name":"SetJobW","features":[1,74]},{"name":"SetPortA","features":[1,74]},{"name":"SetPortW","features":[1,74]},{"name":"SetPrinterA","features":[1,74]},{"name":"SetPrinterDataA","features":[1,74]},{"name":"SetPrinterDataExA","features":[1,74]},{"name":"SetPrinterDataExW","features":[1,74]},{"name":"SetPrinterDataW","features":[1,74]},{"name":"SetPrinterW","features":[1,74]},{"name":"SplIsSessionZero","features":[1,74]},{"name":"SplPromptUIInUsersSession","features":[1,74]},{"name":"SpoolerCopyFileEvent","features":[1,74]},{"name":"SpoolerFindClosePrinterChangeNotification","features":[1,74]},{"name":"SpoolerFindFirstPrinterChangeNotification","features":[1,74]},{"name":"SpoolerFindNextPrinterChangeNotification","features":[1,74]},{"name":"SpoolerFreePrinterNotifyInfo","features":[74]},{"name":"SpoolerRefreshPrinterChangeNotification","features":[1,74]},{"name":"StartDocPrinterA","features":[1,74]},{"name":"StartDocPrinterW","features":[1,74]},{"name":"StartPagePrinter","features":[1,74]},{"name":"TRANSDATA","features":[74]},{"name":"TTDOWNLOAD_BITMAP","features":[74]},{"name":"TTDOWNLOAD_DONTCARE","features":[74]},{"name":"TTDOWNLOAD_GRAPHICS","features":[74]},{"name":"TTDOWNLOAD_TTOUTLINE","features":[74]},{"name":"TVOT_2STATES","features":[74]},{"name":"TVOT_3STATES","features":[74]},{"name":"TVOT_CHKBOX","features":[74]},{"name":"TVOT_COMBOBOX","features":[74]},{"name":"TVOT_EDITBOX","features":[74]},{"name":"TVOT_LISTBOX","features":[74]},{"name":"TVOT_NSTATES_EX","features":[74]},{"name":"TVOT_PUSHBUTTON","features":[74]},{"name":"TVOT_SCROLLBAR","features":[74]},{"name":"TVOT_TRACKBAR","features":[74]},{"name":"TVOT_UDARROW","features":[74]},{"name":"TYPE_GLYPHHANDLE","features":[74]},{"name":"TYPE_GLYPHID","features":[74]},{"name":"TYPE_TRANSDATA","features":[74]},{"name":"TYPE_UNICODE","features":[74]},{"name":"UFF_FILEHEADER","features":[74]},{"name":"UFF_FONTDIRECTORY","features":[74]},{"name":"UFF_VERSION_NUMBER","features":[74]},{"name":"UFM_CART","features":[74]},{"name":"UFM_SCALABLE","features":[74]},{"name":"UFM_SOFT","features":[74]},{"name":"UFOFLAG_TTDOWNLOAD_BITMAP","features":[74]},{"name":"UFOFLAG_TTDOWNLOAD_TTOUTLINE","features":[74]},{"name":"UFOFLAG_TTFONT","features":[74]},{"name":"UFOFLAG_TTOUTLINE_BOLD_SIM","features":[74]},{"name":"UFOFLAG_TTOUTLINE_ITALIC_SIM","features":[74]},{"name":"UFOFLAG_TTOUTLINE_VERTICAL","features":[74]},{"name":"UFOFLAG_TTSUBSTITUTED","features":[74]},{"name":"UFO_GETINFO_FONTOBJ","features":[74]},{"name":"UFO_GETINFO_GLYPHBITMAP","features":[74]},{"name":"UFO_GETINFO_GLYPHSTRING","features":[74]},{"name":"UFO_GETINFO_GLYPHWIDTH","features":[74]},{"name":"UFO_GETINFO_MEMORY","features":[74]},{"name":"UFO_GETINFO_STDVARIABLE","features":[74]},{"name":"UI_TYPE","features":[74]},{"name":"UNIDRVINFO","features":[74]},{"name":"UNIDRV_PRIVATE_DEVMODE","features":[74]},{"name":"UNIFM_HDR","features":[74]},{"name":"UNIFM_VERSION_1_0","features":[74]},{"name":"UNIRECTIONAL_NOTIFICATION_LOST","features":[74]},{"name":"UNI_CODEPAGEINFO","features":[74]},{"name":"UNI_GLYPHSETDATA","features":[74]},{"name":"UNI_GLYPHSETDATA_VERSION_1_0","features":[74]},{"name":"UNKNOWN_PROTOCOL","features":[74]},{"name":"UPDP_CHECK_DRIVERSTORE","features":[74]},{"name":"UPDP_SILENT_UPLOAD","features":[74]},{"name":"UPDP_UPLOAD_ALWAYS","features":[74]},{"name":"USBPRINT_IOCTL_INDEX","features":[74]},{"name":"USB_PRINTER_INTERFACE_CLASSIC","features":[74]},{"name":"USB_PRINTER_INTERFACE_DUAL","features":[74]},{"name":"USB_PRINTER_INTERFACE_IPP","features":[74]},{"name":"USERDATA","features":[74]},{"name":"UnRegisterForPrintAsyncNotifications","features":[1,74]},{"name":"UpdatePrintDeviceObject","features":[1,74]},{"name":"UploadPrinterDriverPackageA","features":[1,74]},{"name":"UploadPrinterDriverPackageW","features":[1,74]},{"name":"WIDTHRUN","features":[74]},{"name":"WIDTHTABLE","features":[74]},{"name":"WM_FI_FILENAME","features":[74]},{"name":"WaitForPrinterChange","features":[1,74]},{"name":"WritePrinter","features":[1,74]},{"name":"XPSRAS_BACKGROUND_COLOR","features":[74]},{"name":"XPSRAS_BACKGROUND_COLOR_OPAQUE","features":[74]},{"name":"XPSRAS_BACKGROUND_COLOR_TRANSPARENT","features":[74]},{"name":"XPSRAS_PIXEL_FORMAT","features":[74]},{"name":"XPSRAS_PIXEL_FORMAT_128BPP_PRGBA_FLOAT_SCRGB","features":[74]},{"name":"XPSRAS_PIXEL_FORMAT_32BPP_PBGRA_UINT_SRGB","features":[74]},{"name":"XPSRAS_PIXEL_FORMAT_64BPP_PRGBA_HALF_SCRGB","features":[74]},{"name":"XPSRAS_RENDERING_MODE","features":[74]},{"name":"XPSRAS_RENDERING_MODE_ALIASED","features":[74]},{"name":"XPSRAS_RENDERING_MODE_ANTIALIASED","features":[74]},{"name":"XPS_FP_DRIVER_PROPERTY_BAG","features":[74]},{"name":"XPS_FP_JOB_ID","features":[74]},{"name":"XPS_FP_JOB_LEVEL_PRINTTICKET","features":[74]},{"name":"XPS_FP_MERGED_DATAFILE_PATH","features":[74]},{"name":"XPS_FP_MS_CONTENT_TYPE","features":[74]},{"name":"XPS_FP_MS_CONTENT_TYPE_OPENXPS","features":[74]},{"name":"XPS_FP_MS_CONTENT_TYPE_XPS","features":[74]},{"name":"XPS_FP_OUTPUT_FILE","features":[74]},{"name":"XPS_FP_PRINTDEVICECAPABILITIES","features":[74]},{"name":"XPS_FP_PRINTER_HANDLE","features":[74]},{"name":"XPS_FP_PRINTER_NAME","features":[74]},{"name":"XPS_FP_PRINT_CLASS_FACTORY","features":[74]},{"name":"XPS_FP_PROGRESS_REPORT","features":[74]},{"name":"XPS_FP_QUEUE_PROPERTY_BAG","features":[74]},{"name":"XPS_FP_RESOURCE_DLL_PATHS","features":[74]},{"name":"XPS_FP_USER_PRINT_TICKET","features":[74]},{"name":"XPS_FP_USER_TOKEN","features":[74]},{"name":"XcvDataW","features":[1,74]},{"name":"XpsJob_DocumentSequenceAdded","features":[74]},{"name":"XpsJob_FixedDocumentAdded","features":[74]},{"name":"XpsJob_FixedPageAdded","features":[74]},{"name":"Xps_Restricted_Font_Editable","features":[74]},{"name":"Xps_Restricted_Font_Installable","features":[74]},{"name":"Xps_Restricted_Font_NoEmbedding","features":[74]},{"name":"Xps_Restricted_Font_PreviewPrint","features":[74]},{"name":"_CPSUICALLBACK","features":[1,74,50]},{"name":"_SPLCLIENT_INFO_2_V3","features":[74]},{"name":"kADT_ASCII","features":[74]},{"name":"kADT_BINARY","features":[74]},{"name":"kADT_BOOL","features":[74]},{"name":"kADT_CUSTOMSIZEPARAMS","features":[74]},{"name":"kADT_DWORD","features":[74]},{"name":"kADT_INT","features":[74]},{"name":"kADT_LONG","features":[74]},{"name":"kADT_RECT","features":[74]},{"name":"kADT_SIZE","features":[74]},{"name":"kADT_UNICODE","features":[74]},{"name":"kADT_UNKNOWN","features":[74]},{"name":"kAddingDocumentSequence","features":[74]},{"name":"kAddingFixedDocument","features":[74]},{"name":"kAddingFixedPage","features":[74]},{"name":"kAllUsers","features":[74]},{"name":"kBiDirectional","features":[74]},{"name":"kDocumentSequenceAdded","features":[74]},{"name":"kFixedDocumentAdded","features":[74]},{"name":"kFixedPageAdded","features":[74]},{"name":"kFontAdded","features":[74]},{"name":"kImageAdded","features":[74]},{"name":"kInvalidJobState","features":[74]},{"name":"kJobConsumption","features":[74]},{"name":"kJobProduction","features":[74]},{"name":"kLogJobError","features":[74]},{"name":"kLogJobPipelineError","features":[74]},{"name":"kLogJobPrinted","features":[74]},{"name":"kLogJobRendered","features":[74]},{"name":"kLogOfflineFileFull","features":[74]},{"name":"kMessageBox","features":[74]},{"name":"kPerUser","features":[74]},{"name":"kPropertyTypeBuffer","features":[74]},{"name":"kPropertyTypeByte","features":[74]},{"name":"kPropertyTypeDevMode","features":[74]},{"name":"kPropertyTypeInt32","features":[74]},{"name":"kPropertyTypeInt64","features":[74]},{"name":"kPropertyTypeNotificationOptions","features":[74]},{"name":"kPropertyTypeNotificationReply","features":[74]},{"name":"kPropertyTypeSD","features":[74]},{"name":"kPropertyTypeString","features":[74]},{"name":"kPropertyTypeTime","features":[74]},{"name":"kResourceAdded","features":[74]},{"name":"kUniDirectional","features":[74]},{"name":"kXpsDocumentCommitted","features":[74]}],"420":[{"name":"EDefaultDevmodeType","features":[76]},{"name":"EPrintTicketScope","features":[76]},{"name":"E_DELTA_PRINTTICKET_FORMAT","features":[76]},{"name":"E_PRINTCAPABILITIES_FORMAT","features":[76]},{"name":"E_PRINTDEVICECAPABILITIES_FORMAT","features":[76]},{"name":"E_PRINTTICKET_FORMAT","features":[76]},{"name":"PRINTTICKET_ISTREAM_APIS","features":[76]},{"name":"PTCloseProvider","features":[76,75]},{"name":"PTConvertDevModeToPrintTicket","features":[1,12,76,75]},{"name":"PTConvertPrintTicketToDevMode","features":[1,12,76,75]},{"name":"PTGetPrintCapabilities","features":[76,75]},{"name":"PTGetPrintDeviceCapabilities","features":[76,75]},{"name":"PTGetPrintDeviceResources","features":[76,75]},{"name":"PTMergeAndValidatePrintTicket","features":[76,75]},{"name":"PTOpenProvider","features":[76,75]},{"name":"PTOpenProviderEx","features":[76,75]},{"name":"PTQuerySchemaVersionSupport","features":[76]},{"name":"PTReleaseMemory","features":[76]},{"name":"S_PT_CONFLICT_RESOLVED","features":[76]},{"name":"S_PT_NO_CONFLICT","features":[76]},{"name":"kPTDocumentScope","features":[76]},{"name":"kPTJobScope","features":[76]},{"name":"kPTPageScope","features":[76]},{"name":"kPrinterDefaultDevmode","features":[76]},{"name":"kUserDefaultDevmode","features":[76]}],"421":[{"name":"ApplyLocalManagementSyncML","features":[77]},{"name":"DEVICEREGISTRATIONTYPE_MAM","features":[77]},{"name":"DEVICEREGISTRATIONTYPE_MDM_DEVICEWIDE_WITH_AAD","features":[77]},{"name":"DEVICEREGISTRATIONTYPE_MDM_ONLY","features":[77]},{"name":"DEVICEREGISTRATIONTYPE_MDM_USERSPECIFIC_WITH_AAD","features":[77]},{"name":"DEVICE_ENROLLER_FACILITY_CODE","features":[77]},{"name":"DeviceRegistrationBasicInfo","features":[77]},{"name":"DiscoverManagementService","features":[77]},{"name":"DiscoverManagementServiceEx","features":[77]},{"name":"GetDeviceManagementConfigInfo","features":[77]},{"name":"GetDeviceRegistrationInfo","features":[77]},{"name":"GetManagementAppHyperlink","features":[77]},{"name":"IsDeviceRegisteredWithManagement","features":[1,77]},{"name":"IsManagementRegistrationAllowed","features":[1,77]},{"name":"IsMdmUxWithoutAadAllowed","features":[1,77]},{"name":"MANAGEMENT_REGISTRATION_INFO","features":[1,77]},{"name":"MANAGEMENT_SERVICE_INFO","features":[77]},{"name":"MDM_REGISTRATION_FACILITY_CODE","features":[77]},{"name":"MENROLL_E_CERTAUTH_FAILED_TO_FIND_CERT","features":[77]},{"name":"MENROLL_E_CERTPOLICY_PRIVATEKEYCREATION_FAILED","features":[77]},{"name":"MENROLL_E_CONNECTIVITY","features":[77]},{"name":"MENROLL_E_CUSTOMSERVERERROR","features":[77]},{"name":"MENROLL_E_DEVICECAPREACHED","features":[77]},{"name":"MENROLL_E_DEVICENOTSUPPORTED","features":[77]},{"name":"MENROLL_E_DEVICE_ALREADY_ENROLLED","features":[77]},{"name":"MENROLL_E_DEVICE_AUTHENTICATION_ERROR","features":[77]},{"name":"MENROLL_E_DEVICE_AUTHORIZATION_ERROR","features":[77]},{"name":"MENROLL_E_DEVICE_CERTIFCATEREQUEST_ERROR","features":[77]},{"name":"MENROLL_E_DEVICE_CERTIFICATEREQUEST_ERROR","features":[77]},{"name":"MENROLL_E_DEVICE_CONFIGMGRSERVER_ERROR","features":[77]},{"name":"MENROLL_E_DEVICE_INTERNALSERVICE_ERROR","features":[77]},{"name":"MENROLL_E_DEVICE_INVALIDSECURITY_ERROR","features":[77]},{"name":"MENROLL_E_DEVICE_MANAGEMENT_BLOCKED","features":[77]},{"name":"MENROLL_E_DEVICE_MESSAGE_FORMAT_ERROR","features":[77]},{"name":"MENROLL_E_DEVICE_NOT_ENROLLED","features":[77]},{"name":"MENROLL_E_DEVICE_UNKNOWN_ERROR","features":[77]},{"name":"MENROLL_E_DISCOVERY_SEC_CERT_DATE_INVALID","features":[77]},{"name":"MENROLL_E_EMPTY_MESSAGE","features":[77]},{"name":"MENROLL_E_ENROLLMENTDATAINVALID","features":[77]},{"name":"MENROLL_E_ENROLLMENT_IN_PROGRESS","features":[77]},{"name":"MENROLL_E_INMAINTENANCE","features":[77]},{"name":"MENROLL_E_INSECUREREDIRECT","features":[77]},{"name":"MENROLL_E_INVALIDSSLCERT","features":[77]},{"name":"MENROLL_E_MDM_NOT_CONFIGURED","features":[77]},{"name":"MENROLL_E_NOTELIGIBLETORENEW","features":[77]},{"name":"MENROLL_E_NOTSUPPORTED","features":[77]},{"name":"MENROLL_E_NOT_SUPPORTED","features":[77]},{"name":"MENROLL_E_PASSWORD_NEEDED","features":[77]},{"name":"MENROLL_E_PLATFORM_LICENSE_ERROR","features":[77]},{"name":"MENROLL_E_PLATFORM_UNKNOWN_ERROR","features":[77]},{"name":"MENROLL_E_PLATFORM_WRONG_STATE","features":[77]},{"name":"MENROLL_E_PROV_CSP_APPMGMT","features":[77]},{"name":"MENROLL_E_PROV_CSP_CERTSTORE","features":[77]},{"name":"MENROLL_E_PROV_CSP_DMCLIENT","features":[77]},{"name":"MENROLL_E_PROV_CSP_MISC","features":[77]},{"name":"MENROLL_E_PROV_CSP_PFW","features":[77]},{"name":"MENROLL_E_PROV_CSP_W7","features":[77]},{"name":"MENROLL_E_PROV_SSLCERTNOTFOUND","features":[77]},{"name":"MENROLL_E_PROV_UNKNOWN","features":[77]},{"name":"MENROLL_E_USERLICENSE","features":[77]},{"name":"MENROLL_E_USER_CANCELED","features":[77]},{"name":"MENROLL_E_USER_CANCELLED","features":[77]},{"name":"MENROLL_E_USER_LICENSE","features":[77]},{"name":"MENROLL_E_WAB_ERROR","features":[77]},{"name":"MREGISTER_E_DEVICE_ALREADY_REGISTERED","features":[77]},{"name":"MREGISTER_E_DEVICE_AUTHENTICATION_ERROR","features":[77]},{"name":"MREGISTER_E_DEVICE_AUTHORIZATION_ERROR","features":[77]},{"name":"MREGISTER_E_DEVICE_CERTIFCATEREQUEST_ERROR","features":[77]},{"name":"MREGISTER_E_DEVICE_CONFIGMGRSERVER_ERROR","features":[77]},{"name":"MREGISTER_E_DEVICE_INTERNALSERVICE_ERROR","features":[77]},{"name":"MREGISTER_E_DEVICE_INVALIDSECURITY_ERROR","features":[77]},{"name":"MREGISTER_E_DEVICE_MESSAGE_FORMAT_ERROR","features":[77]},{"name":"MREGISTER_E_DEVICE_NOT_AD_REGISTERED_ERROR","features":[77]},{"name":"MREGISTER_E_DEVICE_NOT_REGISTERED","features":[77]},{"name":"MREGISTER_E_DEVICE_UNKNOWN_ERROR","features":[77]},{"name":"MREGISTER_E_DISCOVERY_FAILED","features":[77]},{"name":"MREGISTER_E_DISCOVERY_REDIRECTED","features":[77]},{"name":"MREGISTER_E_REGISTRATION_IN_PROGRESS","features":[77]},{"name":"MaxDeviceInfoClass","features":[77]},{"name":"REGISTRATION_INFORMATION_CLASS","features":[77]},{"name":"RegisterDeviceWithLocalManagement","features":[1,77]},{"name":"RegisterDeviceWithManagement","features":[77]},{"name":"RegisterDeviceWithManagementUsingAADCredentials","features":[1,77]},{"name":"RegisterDeviceWithManagementUsingAADDeviceCredentials","features":[77]},{"name":"RegisterDeviceWithManagementUsingAADDeviceCredentials2","features":[77]},{"name":"SetDeviceManagementConfigInfo","features":[77]},{"name":"SetManagedExternally","features":[1,77]},{"name":"UnregisterDeviceWithLocalManagement","features":[77]},{"name":"UnregisterDeviceWithManagement","features":[77]}],"422":[{"name":"ED_DEVCAP_ATN_READ","features":[78]},{"name":"ED_DEVCAP_RTC_READ","features":[78]},{"name":"ED_DEVCAP_TIMECODE_READ","features":[78]},{"name":"HTASK","features":[78]},{"name":"IReferenceClock","features":[78]},{"name":"IReferenceClock2","features":[78]},{"name":"IReferenceClockTimerControl","features":[78]},{"name":"JOYERR_BASE","features":[78]},{"name":"LPDRVCALLBACK","features":[79]},{"name":"LPTIMECALLBACK","features":[78]},{"name":"MAXERRORLENGTH","features":[78]},{"name":"MAXPNAMELEN","features":[78]},{"name":"MCIERR_BASE","features":[78]},{"name":"MCI_CD_OFFSET","features":[78]},{"name":"MCI_SEQ_OFFSET","features":[78]},{"name":"MCI_STRING_OFFSET","features":[78]},{"name":"MCI_VD_OFFSET","features":[78]},{"name":"MCI_WAVE_OFFSET","features":[78]},{"name":"MIDIERR_BASE","features":[78]},{"name":"MIXERR_BASE","features":[78]},{"name":"MMSYSERR_ALLOCATED","features":[78]},{"name":"MMSYSERR_BADDB","features":[78]},{"name":"MMSYSERR_BADDEVICEID","features":[78]},{"name":"MMSYSERR_BADERRNUM","features":[78]},{"name":"MMSYSERR_BASE","features":[78]},{"name":"MMSYSERR_DELETEERROR","features":[78]},{"name":"MMSYSERR_ERROR","features":[78]},{"name":"MMSYSERR_HANDLEBUSY","features":[78]},{"name":"MMSYSERR_INVALFLAG","features":[78]},{"name":"MMSYSERR_INVALHANDLE","features":[78]},{"name":"MMSYSERR_INVALIDALIAS","features":[78]},{"name":"MMSYSERR_INVALPARAM","features":[78]},{"name":"MMSYSERR_KEYNOTFOUND","features":[78]},{"name":"MMSYSERR_LASTERROR","features":[78]},{"name":"MMSYSERR_MOREDATA","features":[78]},{"name":"MMSYSERR_NODRIVER","features":[78]},{"name":"MMSYSERR_NODRIVERCB","features":[78]},{"name":"MMSYSERR_NOERROR","features":[78]},{"name":"MMSYSERR_NOMEM","features":[78]},{"name":"MMSYSERR_NOTENABLED","features":[78]},{"name":"MMSYSERR_NOTSUPPORTED","features":[78]},{"name":"MMSYSERR_READERROR","features":[78]},{"name":"MMSYSERR_VALNOTFOUND","features":[78]},{"name":"MMSYSERR_WRITEERROR","features":[78]},{"name":"MMTIME","features":[78]},{"name":"MM_ADLIB","features":[78]},{"name":"MM_DRVM_CLOSE","features":[78]},{"name":"MM_DRVM_DATA","features":[78]},{"name":"MM_DRVM_ERROR","features":[78]},{"name":"MM_DRVM_OPEN","features":[78]},{"name":"MM_JOY1BUTTONDOWN","features":[78]},{"name":"MM_JOY1BUTTONUP","features":[78]},{"name":"MM_JOY1MOVE","features":[78]},{"name":"MM_JOY1ZMOVE","features":[78]},{"name":"MM_JOY2BUTTONDOWN","features":[78]},{"name":"MM_JOY2BUTTONUP","features":[78]},{"name":"MM_JOY2MOVE","features":[78]},{"name":"MM_JOY2ZMOVE","features":[78]},{"name":"MM_MCINOTIFY","features":[78]},{"name":"MM_MCISIGNAL","features":[78]},{"name":"MM_MICROSOFT","features":[78]},{"name":"MM_MIDI_MAPPER","features":[78]},{"name":"MM_MIM_CLOSE","features":[78]},{"name":"MM_MIM_DATA","features":[78]},{"name":"MM_MIM_ERROR","features":[78]},{"name":"MM_MIM_LONGDATA","features":[78]},{"name":"MM_MIM_LONGERROR","features":[78]},{"name":"MM_MIM_MOREDATA","features":[78]},{"name":"MM_MIM_OPEN","features":[78]},{"name":"MM_MIXM_CONTROL_CHANGE","features":[78]},{"name":"MM_MIXM_LINE_CHANGE","features":[78]},{"name":"MM_MOM_CLOSE","features":[78]},{"name":"MM_MOM_DONE","features":[78]},{"name":"MM_MOM_OPEN","features":[78]},{"name":"MM_MOM_POSITIONCB","features":[78]},{"name":"MM_MPU401_MIDIIN","features":[78]},{"name":"MM_MPU401_MIDIOUT","features":[78]},{"name":"MM_PC_JOYSTICK","features":[78]},{"name":"MM_SNDBLST_MIDIIN","features":[78]},{"name":"MM_SNDBLST_MIDIOUT","features":[78]},{"name":"MM_SNDBLST_SYNTH","features":[78]},{"name":"MM_SNDBLST_WAVEIN","features":[78]},{"name":"MM_SNDBLST_WAVEOUT","features":[78]},{"name":"MM_STREAM_CLOSE","features":[78]},{"name":"MM_STREAM_DONE","features":[78]},{"name":"MM_STREAM_ERROR","features":[78]},{"name":"MM_STREAM_OPEN","features":[78]},{"name":"MM_WAVE_MAPPER","features":[78]},{"name":"MM_WIM_CLOSE","features":[78]},{"name":"MM_WIM_DATA","features":[78]},{"name":"MM_WIM_OPEN","features":[78]},{"name":"MM_WOM_CLOSE","features":[78]},{"name":"MM_WOM_DONE","features":[78]},{"name":"MM_WOM_OPEN","features":[78]},{"name":"TIMECAPS","features":[78]},{"name":"TIMECODE","features":[78]},{"name":"TIMECODE_SAMPLE","features":[78]},{"name":"TIMECODE_SAMPLE_FLAGS","features":[78]},{"name":"TIMERR_BASE","features":[78]},{"name":"TIMERR_NOCANDO","features":[78]},{"name":"TIMERR_NOERROR","features":[78]},{"name":"TIMERR_STRUCT","features":[78]},{"name":"TIME_BYTES","features":[78]},{"name":"TIME_CALLBACK_EVENT_PULSE","features":[78]},{"name":"TIME_CALLBACK_EVENT_SET","features":[78]},{"name":"TIME_CALLBACK_FUNCTION","features":[78]},{"name":"TIME_KILL_SYNCHRONOUS","features":[78]},{"name":"TIME_MIDI","features":[78]},{"name":"TIME_MS","features":[78]},{"name":"TIME_ONESHOT","features":[78]},{"name":"TIME_PERIODIC","features":[78]},{"name":"TIME_SAMPLES","features":[78]},{"name":"TIME_SMPTE","features":[78]},{"name":"TIME_TICKS","features":[78]},{"name":"WAVERR_BASE","features":[78]},{"name":"timeBeginPeriod","features":[78]},{"name":"timeEndPeriod","features":[78]},{"name":"timeGetDevCaps","features":[78]},{"name":"timeGetSystemTime","features":[78]},{"name":"timeGetTime","features":[78]},{"name":"timeKillEvent","features":[78]},{"name":"timeSetEvent","features":[78]}],"423":[{"name":"ACMDM_DRIVER_ABOUT","features":[80]},{"name":"ACMDM_DRIVER_DETAILS","features":[80]},{"name":"ACMDM_DRIVER_NOTIFY","features":[80]},{"name":"ACMDM_FILTERTAG_DETAILS","features":[80]},{"name":"ACMDM_FILTER_DETAILS","features":[80]},{"name":"ACMDM_FORMATTAG_DETAILS","features":[80]},{"name":"ACMDM_FORMAT_DETAILS","features":[80]},{"name":"ACMDM_FORMAT_SUGGEST","features":[80]},{"name":"ACMDM_HARDWARE_WAVE_CAPS_INPUT","features":[80]},{"name":"ACMDM_HARDWARE_WAVE_CAPS_OUTPUT","features":[80]},{"name":"ACMDM_RESERVED_HIGH","features":[80]},{"name":"ACMDM_RESERVED_LOW","features":[80]},{"name":"ACMDM_STREAM_CLOSE","features":[80]},{"name":"ACMDM_STREAM_CONVERT","features":[80]},{"name":"ACMDM_STREAM_OPEN","features":[80]},{"name":"ACMDM_STREAM_PREPARE","features":[80]},{"name":"ACMDM_STREAM_RESET","features":[80]},{"name":"ACMDM_STREAM_SIZE","features":[80]},{"name":"ACMDM_STREAM_UNPREPARE","features":[80]},{"name":"ACMDM_STREAM_UPDATE","features":[80]},{"name":"ACMDM_USER","features":[80]},{"name":"ACMDRIVERDETAILSA","features":[80,50]},{"name":"ACMDRIVERDETAILSW","features":[80,50]},{"name":"ACMDRIVERDETAILS_COPYRIGHT_CHARS","features":[80]},{"name":"ACMDRIVERDETAILS_FEATURES_CHARS","features":[80]},{"name":"ACMDRIVERDETAILS_LICENSING_CHARS","features":[80]},{"name":"ACMDRIVERDETAILS_LONGNAME_CHARS","features":[80]},{"name":"ACMDRIVERDETAILS_SHORTNAME_CHARS","features":[80]},{"name":"ACMDRIVERDETAILS_SUPPORTF_ASYNC","features":[80]},{"name":"ACMDRIVERDETAILS_SUPPORTF_CODEC","features":[80]},{"name":"ACMDRIVERDETAILS_SUPPORTF_CONVERTER","features":[80]},{"name":"ACMDRIVERDETAILS_SUPPORTF_DISABLED","features":[80]},{"name":"ACMDRIVERDETAILS_SUPPORTF_FILTER","features":[80]},{"name":"ACMDRIVERDETAILS_SUPPORTF_HARDWARE","features":[80]},{"name":"ACMDRIVERDETAILS_SUPPORTF_LOCAL","features":[80]},{"name":"ACMDRIVERENUMCB","features":[1,80]},{"name":"ACMDRVFORMATSUGGEST","features":[80]},{"name":"ACMDRVOPENDESCA","features":[80]},{"name":"ACMDRVOPENDESCW","features":[80]},{"name":"ACMDRVSTREAMHEADER","features":[80]},{"name":"ACMDRVSTREAMINSTANCE","features":[80]},{"name":"ACMDRVSTREAMSIZE","features":[80]},{"name":"ACMERR_BASE","features":[80]},{"name":"ACMERR_BUSY","features":[80]},{"name":"ACMERR_CANCELED","features":[80]},{"name":"ACMERR_NOTPOSSIBLE","features":[80]},{"name":"ACMERR_UNPREPARED","features":[80]},{"name":"ACMFILTERCHOOSEA","features":[1,80]},{"name":"ACMFILTERCHOOSEHOOKPROCA","features":[1,80]},{"name":"ACMFILTERCHOOSEHOOKPROCW","features":[1,80]},{"name":"ACMFILTERCHOOSEW","features":[1,80]},{"name":"ACMFILTERCHOOSE_STYLEF_CONTEXTHELP","features":[80]},{"name":"ACMFILTERCHOOSE_STYLEF_ENABLEHOOK","features":[80]},{"name":"ACMFILTERCHOOSE_STYLEF_ENABLETEMPLATE","features":[80]},{"name":"ACMFILTERCHOOSE_STYLEF_ENABLETEMPLATEHANDLE","features":[80]},{"name":"ACMFILTERCHOOSE_STYLEF_INITTOFILTERSTRUCT","features":[80]},{"name":"ACMFILTERCHOOSE_STYLEF_SHOWHELP","features":[80]},{"name":"ACMFILTERDETAILSA","features":[80]},{"name":"ACMFILTERDETAILSW","features":[80]},{"name":"ACMFILTERDETAILS_FILTER_CHARS","features":[80]},{"name":"ACMFILTERENUMCBA","features":[1,80]},{"name":"ACMFILTERENUMCBW","features":[1,80]},{"name":"ACMFILTERTAGDETAILSA","features":[80]},{"name":"ACMFILTERTAGDETAILSW","features":[80]},{"name":"ACMFILTERTAGDETAILS_FILTERTAG_CHARS","features":[80]},{"name":"ACMFILTERTAGENUMCBA","features":[1,80]},{"name":"ACMFILTERTAGENUMCBW","features":[1,80]},{"name":"ACMFORMATCHOOSEA","features":[1,80]},{"name":"ACMFORMATCHOOSEHOOKPROCA","features":[1,80]},{"name":"ACMFORMATCHOOSEHOOKPROCW","features":[1,80]},{"name":"ACMFORMATCHOOSEW","features":[1,80]},{"name":"ACMFORMATCHOOSE_STYLEF_CONTEXTHELP","features":[80]},{"name":"ACMFORMATCHOOSE_STYLEF_ENABLEHOOK","features":[80]},{"name":"ACMFORMATCHOOSE_STYLEF_ENABLETEMPLATE","features":[80]},{"name":"ACMFORMATCHOOSE_STYLEF_ENABLETEMPLATEHANDLE","features":[80]},{"name":"ACMFORMATCHOOSE_STYLEF_INITTOWFXSTRUCT","features":[80]},{"name":"ACMFORMATCHOOSE_STYLEF_SHOWHELP","features":[80]},{"name":"ACMFORMATDETAILSA","features":[80]},{"name":"ACMFORMATDETAILS_FORMAT_CHARS","features":[80]},{"name":"ACMFORMATENUMCBA","features":[1,80]},{"name":"ACMFORMATENUMCBW","features":[1,80]},{"name":"ACMFORMATTAGDETAILSA","features":[80]},{"name":"ACMFORMATTAGDETAILSW","features":[80]},{"name":"ACMFORMATTAGDETAILS_FORMATTAG_CHARS","features":[80]},{"name":"ACMFORMATTAGENUMCBA","features":[1,80]},{"name":"ACMFORMATTAGENUMCBW","features":[1,80]},{"name":"ACMHELPMSGCONTEXTHELP","features":[80]},{"name":"ACMHELPMSGCONTEXTHELPA","features":[80]},{"name":"ACMHELPMSGCONTEXTHELPW","features":[80]},{"name":"ACMHELPMSGCONTEXTMENU","features":[80]},{"name":"ACMHELPMSGCONTEXTMENUA","features":[80]},{"name":"ACMHELPMSGCONTEXTMENUW","features":[80]},{"name":"ACMHELPMSGSTRING","features":[80]},{"name":"ACMHELPMSGSTRINGA","features":[80]},{"name":"ACMHELPMSGSTRINGW","features":[80]},{"name":"ACMSTREAMHEADER","features":[80]},{"name":"ACMSTREAMHEADER","features":[80]},{"name":"ACMSTREAMHEADER_STATUSF_DONE","features":[80]},{"name":"ACMSTREAMHEADER_STATUSF_INQUEUE","features":[80]},{"name":"ACMSTREAMHEADER_STATUSF_PREPARED","features":[80]},{"name":"ACM_DRIVERADDF_FUNCTION","features":[80]},{"name":"ACM_DRIVERADDF_GLOBAL","features":[80]},{"name":"ACM_DRIVERADDF_LOCAL","features":[80]},{"name":"ACM_DRIVERADDF_NAME","features":[80]},{"name":"ACM_DRIVERADDF_NOTIFYHWND","features":[80]},{"name":"ACM_DRIVERADDF_TYPEMASK","features":[80]},{"name":"ACM_DRIVERENUMF_DISABLED","features":[80]},{"name":"ACM_DRIVERENUMF_NOLOCAL","features":[80]},{"name":"ACM_DRIVERPRIORITYF_ABLEMASK","features":[80]},{"name":"ACM_DRIVERPRIORITYF_BEGIN","features":[80]},{"name":"ACM_DRIVERPRIORITYF_DEFERMASK","features":[80]},{"name":"ACM_DRIVERPRIORITYF_DISABLE","features":[80]},{"name":"ACM_DRIVERPRIORITYF_ENABLE","features":[80]},{"name":"ACM_DRIVERPRIORITYF_END","features":[80]},{"name":"ACM_FILTERDETAILSF_FILTER","features":[80]},{"name":"ACM_FILTERDETAILSF_INDEX","features":[80]},{"name":"ACM_FILTERDETAILSF_QUERYMASK","features":[80]},{"name":"ACM_FILTERENUMF_DWFILTERTAG","features":[80]},{"name":"ACM_FILTERTAGDETAILSF_FILTERTAG","features":[80]},{"name":"ACM_FILTERTAGDETAILSF_INDEX","features":[80]},{"name":"ACM_FILTERTAGDETAILSF_LARGESTSIZE","features":[80]},{"name":"ACM_FILTERTAGDETAILSF_QUERYMASK","features":[80]},{"name":"ACM_FORMATDETAILSF_FORMAT","features":[80]},{"name":"ACM_FORMATDETAILSF_INDEX","features":[80]},{"name":"ACM_FORMATDETAILSF_QUERYMASK","features":[80]},{"name":"ACM_FORMATENUMF_CONVERT","features":[80]},{"name":"ACM_FORMATENUMF_HARDWARE","features":[80]},{"name":"ACM_FORMATENUMF_INPUT","features":[80]},{"name":"ACM_FORMATENUMF_NCHANNELS","features":[80]},{"name":"ACM_FORMATENUMF_NSAMPLESPERSEC","features":[80]},{"name":"ACM_FORMATENUMF_OUTPUT","features":[80]},{"name":"ACM_FORMATENUMF_SUGGEST","features":[80]},{"name":"ACM_FORMATENUMF_WBITSPERSAMPLE","features":[80]},{"name":"ACM_FORMATENUMF_WFORMATTAG","features":[80]},{"name":"ACM_FORMATSUGGESTF_NCHANNELS","features":[80]},{"name":"ACM_FORMATSUGGESTF_NSAMPLESPERSEC","features":[80]},{"name":"ACM_FORMATSUGGESTF_TYPEMASK","features":[80]},{"name":"ACM_FORMATSUGGESTF_WBITSPERSAMPLE","features":[80]},{"name":"ACM_FORMATSUGGESTF_WFORMATTAG","features":[80]},{"name":"ACM_FORMATTAGDETAILSF_FORMATTAG","features":[80]},{"name":"ACM_FORMATTAGDETAILSF_INDEX","features":[80]},{"name":"ACM_FORMATTAGDETAILSF_LARGESTSIZE","features":[80]},{"name":"ACM_FORMATTAGDETAILSF_QUERYMASK","features":[80]},{"name":"ACM_METRIC_COUNT_CODECS","features":[80]},{"name":"ACM_METRIC_COUNT_CONVERTERS","features":[80]},{"name":"ACM_METRIC_COUNT_DISABLED","features":[80]},{"name":"ACM_METRIC_COUNT_DRIVERS","features":[80]},{"name":"ACM_METRIC_COUNT_FILTERS","features":[80]},{"name":"ACM_METRIC_COUNT_HARDWARE","features":[80]},{"name":"ACM_METRIC_COUNT_LOCAL_CODECS","features":[80]},{"name":"ACM_METRIC_COUNT_LOCAL_CONVERTERS","features":[80]},{"name":"ACM_METRIC_COUNT_LOCAL_DISABLED","features":[80]},{"name":"ACM_METRIC_COUNT_LOCAL_DRIVERS","features":[80]},{"name":"ACM_METRIC_COUNT_LOCAL_FILTERS","features":[80]},{"name":"ACM_METRIC_DRIVER_PRIORITY","features":[80]},{"name":"ACM_METRIC_DRIVER_SUPPORT","features":[80]},{"name":"ACM_METRIC_HARDWARE_WAVE_INPUT","features":[80]},{"name":"ACM_METRIC_HARDWARE_WAVE_OUTPUT","features":[80]},{"name":"ACM_METRIC_MAX_SIZE_FILTER","features":[80]},{"name":"ACM_METRIC_MAX_SIZE_FORMAT","features":[80]},{"name":"ACM_STREAMCONVERTF_BLOCKALIGN","features":[80]},{"name":"ACM_STREAMCONVERTF_END","features":[80]},{"name":"ACM_STREAMCONVERTF_START","features":[80]},{"name":"ACM_STREAMOPENF_ASYNC","features":[80]},{"name":"ACM_STREAMOPENF_NONREALTIME","features":[80]},{"name":"ACM_STREAMOPENF_QUERY","features":[80]},{"name":"ACM_STREAMSIZEF_DESTINATION","features":[80]},{"name":"ACM_STREAMSIZEF_QUERYMASK","features":[80]},{"name":"ACM_STREAMSIZEF_SOURCE","features":[80]},{"name":"AMBISONICS_CHANNEL_ORDERING","features":[80]},{"name":"AMBISONICS_CHANNEL_ORDERING_ACN","features":[80]},{"name":"AMBISONICS_NORMALIZATION","features":[80]},{"name":"AMBISONICS_NORMALIZATION_N3D","features":[80]},{"name":"AMBISONICS_NORMALIZATION_SN3D","features":[80]},{"name":"AMBISONICS_PARAMS","features":[80]},{"name":"AMBISONICS_PARAM_VERSION_1","features":[80]},{"name":"AMBISONICS_TYPE","features":[80]},{"name":"AMBISONICS_TYPE_FULL3D","features":[80]},{"name":"AUDCLNT_BUFFERFLAGS_DATA_DISCONTINUITY","features":[80]},{"name":"AUDCLNT_BUFFERFLAGS_SILENT","features":[80]},{"name":"AUDCLNT_BUFFERFLAGS_TIMESTAMP_ERROR","features":[80]},{"name":"AUDCLNT_E_ALREADY_INITIALIZED","features":[80]},{"name":"AUDCLNT_E_BUFDURATION_PERIOD_NOT_EQUAL","features":[80]},{"name":"AUDCLNT_E_BUFFER_ERROR","features":[80]},{"name":"AUDCLNT_E_BUFFER_OPERATION_PENDING","features":[80]},{"name":"AUDCLNT_E_BUFFER_SIZE_ERROR","features":[80]},{"name":"AUDCLNT_E_BUFFER_SIZE_NOT_ALIGNED","features":[80]},{"name":"AUDCLNT_E_BUFFER_TOO_LARGE","features":[80]},{"name":"AUDCLNT_E_CPUUSAGE_EXCEEDED","features":[80]},{"name":"AUDCLNT_E_DEVICE_INVALIDATED","features":[80]},{"name":"AUDCLNT_E_DEVICE_IN_USE","features":[80]},{"name":"AUDCLNT_E_EFFECT_NOT_AVAILABLE","features":[80]},{"name":"AUDCLNT_E_EFFECT_STATE_READ_ONLY","features":[80]},{"name":"AUDCLNT_E_ENDPOINT_CREATE_FAILED","features":[80]},{"name":"AUDCLNT_E_ENDPOINT_OFFLOAD_NOT_CAPABLE","features":[80]},{"name":"AUDCLNT_E_ENGINE_FORMAT_LOCKED","features":[80]},{"name":"AUDCLNT_E_ENGINE_PERIODICITY_LOCKED","features":[80]},{"name":"AUDCLNT_E_EVENTHANDLE_NOT_EXPECTED","features":[80]},{"name":"AUDCLNT_E_EVENTHANDLE_NOT_SET","features":[80]},{"name":"AUDCLNT_E_EXCLUSIVE_MODE_NOT_ALLOWED","features":[80]},{"name":"AUDCLNT_E_EXCLUSIVE_MODE_ONLY","features":[80]},{"name":"AUDCLNT_E_HEADTRACKING_ENABLED","features":[80]},{"name":"AUDCLNT_E_HEADTRACKING_UNSUPPORTED","features":[80]},{"name":"AUDCLNT_E_INCORRECT_BUFFER_SIZE","features":[80]},{"name":"AUDCLNT_E_INVALID_DEVICE_PERIOD","features":[80]},{"name":"AUDCLNT_E_INVALID_SIZE","features":[80]},{"name":"AUDCLNT_E_INVALID_STREAM_FLAG","features":[80]},{"name":"AUDCLNT_E_NONOFFLOAD_MODE_ONLY","features":[80]},{"name":"AUDCLNT_E_NOT_INITIALIZED","features":[80]},{"name":"AUDCLNT_E_NOT_STOPPED","features":[80]},{"name":"AUDCLNT_E_OFFLOAD_MODE_ONLY","features":[80]},{"name":"AUDCLNT_E_OUT_OF_OFFLOAD_RESOURCES","features":[80]},{"name":"AUDCLNT_E_OUT_OF_ORDER","features":[80]},{"name":"AUDCLNT_E_RAW_MODE_UNSUPPORTED","features":[80]},{"name":"AUDCLNT_E_RESOURCES_INVALIDATED","features":[80]},{"name":"AUDCLNT_E_SERVICE_NOT_RUNNING","features":[80]},{"name":"AUDCLNT_E_THREAD_NOT_REGISTERED","features":[80]},{"name":"AUDCLNT_E_UNSUPPORTED_FORMAT","features":[80]},{"name":"AUDCLNT_E_WRONG_ENDPOINT_TYPE","features":[80]},{"name":"AUDCLNT_SESSIONFLAGS_DISPLAY_HIDE","features":[80]},{"name":"AUDCLNT_SESSIONFLAGS_DISPLAY_HIDEWHENEXPIRED","features":[80]},{"name":"AUDCLNT_SESSIONFLAGS_EXPIREWHENUNOWNED","features":[80]},{"name":"AUDCLNT_SHAREMODE","features":[80]},{"name":"AUDCLNT_SHAREMODE_EXCLUSIVE","features":[80]},{"name":"AUDCLNT_SHAREMODE_SHARED","features":[80]},{"name":"AUDCLNT_STREAMFLAGS_AUTOCONVERTPCM","features":[80]},{"name":"AUDCLNT_STREAMFLAGS_CROSSPROCESS","features":[80]},{"name":"AUDCLNT_STREAMFLAGS_EVENTCALLBACK","features":[80]},{"name":"AUDCLNT_STREAMFLAGS_LOOPBACK","features":[80]},{"name":"AUDCLNT_STREAMFLAGS_NOPERSIST","features":[80]},{"name":"AUDCLNT_STREAMFLAGS_RATEADJUST","features":[80]},{"name":"AUDCLNT_STREAMFLAGS_SRC_DEFAULT_QUALITY","features":[80]},{"name":"AUDCLNT_STREAMOPTIONS","features":[80]},{"name":"AUDCLNT_STREAMOPTIONS_AMBISONICS","features":[80]},{"name":"AUDCLNT_STREAMOPTIONS_MATCH_FORMAT","features":[80]},{"name":"AUDCLNT_STREAMOPTIONS_NONE","features":[80]},{"name":"AUDCLNT_STREAMOPTIONS_RAW","features":[80]},{"name":"AUDCLNT_S_BUFFER_EMPTY","features":[80]},{"name":"AUDCLNT_S_POSITION_STALLED","features":[80]},{"name":"AUDCLNT_S_THREAD_ALREADY_REGISTERED","features":[80]},{"name":"AUDIOCLIENT_ACTIVATION_PARAMS","features":[80]},{"name":"AUDIOCLIENT_ACTIVATION_TYPE","features":[80]},{"name":"AUDIOCLIENT_ACTIVATION_TYPE_DEFAULT","features":[80]},{"name":"AUDIOCLIENT_ACTIVATION_TYPE_PROCESS_LOOPBACK","features":[80]},{"name":"AUDIOCLIENT_PROCESS_LOOPBACK_PARAMS","features":[80]},{"name":"AUDIOCLOCK_CHARACTERISTIC_FIXED_FREQ","features":[80]},{"name":"AUDIO_DUCKING_OPTIONS","features":[80]},{"name":"AUDIO_DUCKING_OPTIONS_DEFAULT","features":[80]},{"name":"AUDIO_DUCKING_OPTIONS_DO_NOT_DUCK_OTHER_STREAMS","features":[80]},{"name":"AUDIO_EFFECT","features":[1,80]},{"name":"AUDIO_EFFECT_STATE","features":[80]},{"name":"AUDIO_EFFECT_STATE_OFF","features":[80]},{"name":"AUDIO_EFFECT_STATE_ON","features":[80]},{"name":"AUDIO_STREAM_CATEGORY","features":[80]},{"name":"AUDIO_SYSTEMEFFECTS_PROPERTYSTORE_TYPE","features":[80]},{"name":"AUDIO_SYSTEMEFFECTS_PROPERTYSTORE_TYPE_DEFAULT","features":[80]},{"name":"AUDIO_SYSTEMEFFECTS_PROPERTYSTORE_TYPE_ENUM_COUNT","features":[80]},{"name":"AUDIO_SYSTEMEFFECTS_PROPERTYSTORE_TYPE_USER","features":[80]},{"name":"AUDIO_SYSTEMEFFECTS_PROPERTYSTORE_TYPE_VOLATILE","features":[80]},{"name":"AUDIO_VOLUME_NOTIFICATION_DATA","features":[1,80]},{"name":"AUXCAPS2A","features":[80]},{"name":"AUXCAPS2W","features":[80]},{"name":"AUXCAPSA","features":[80]},{"name":"AUXCAPSW","features":[80]},{"name":"AUXCAPS_AUXIN","features":[80]},{"name":"AUXCAPS_CDAUDIO","features":[80]},{"name":"AUXCAPS_LRVOLUME","features":[80]},{"name":"AUXCAPS_VOLUME","features":[80]},{"name":"ActivateAudioInterfaceAsync","features":[1,80,63,42]},{"name":"AudioCategory_Alerts","features":[80]},{"name":"AudioCategory_Communications","features":[80]},{"name":"AudioCategory_FarFieldSpeech","features":[80]},{"name":"AudioCategory_ForegroundOnlyMedia","features":[80]},{"name":"AudioCategory_GameChat","features":[80]},{"name":"AudioCategory_GameEffects","features":[80]},{"name":"AudioCategory_GameMedia","features":[80]},{"name":"AudioCategory_Media","features":[80]},{"name":"AudioCategory_Movie","features":[80]},{"name":"AudioCategory_Other","features":[80]},{"name":"AudioCategory_SoundEffects","features":[80]},{"name":"AudioCategory_Speech","features":[80]},{"name":"AudioCategory_UniformSpeech","features":[80]},{"name":"AudioCategory_VoiceTyping","features":[80]},{"name":"AudioClient3ActivationParams","features":[80]},{"name":"AudioClientProperties","features":[1,80]},{"name":"AudioExtensionParams","features":[1,80]},{"name":"AudioObjectType","features":[80]},{"name":"AudioObjectType_BackCenter","features":[80]},{"name":"AudioObjectType_BackLeft","features":[80]},{"name":"AudioObjectType_BackRight","features":[80]},{"name":"AudioObjectType_BottomBackLeft","features":[80]},{"name":"AudioObjectType_BottomBackRight","features":[80]},{"name":"AudioObjectType_BottomFrontLeft","features":[80]},{"name":"AudioObjectType_BottomFrontRight","features":[80]},{"name":"AudioObjectType_Dynamic","features":[80]},{"name":"AudioObjectType_FrontCenter","features":[80]},{"name":"AudioObjectType_FrontLeft","features":[80]},{"name":"AudioObjectType_FrontRight","features":[80]},{"name":"AudioObjectType_LowFrequency","features":[80]},{"name":"AudioObjectType_None","features":[80]},{"name":"AudioObjectType_SideLeft","features":[80]},{"name":"AudioObjectType_SideRight","features":[80]},{"name":"AudioObjectType_TopBackLeft","features":[80]},{"name":"AudioObjectType_TopBackRight","features":[80]},{"name":"AudioObjectType_TopFrontLeft","features":[80]},{"name":"AudioObjectType_TopFrontRight","features":[80]},{"name":"AudioSessionDisconnectReason","features":[80]},{"name":"AudioSessionState","features":[80]},{"name":"AudioSessionStateActive","features":[80]},{"name":"AudioSessionStateExpired","features":[80]},{"name":"AudioSessionStateInactive","features":[80]},{"name":"AudioStateMonitorSoundLevel","features":[80]},{"name":"CALLBACK_EVENT","features":[80]},{"name":"CALLBACK_FUNCTION","features":[80]},{"name":"CALLBACK_NULL","features":[80]},{"name":"CALLBACK_TASK","features":[80]},{"name":"CALLBACK_THREAD","features":[80]},{"name":"CALLBACK_TYPEMASK","features":[80]},{"name":"CALLBACK_WINDOW","features":[80]},{"name":"CoRegisterMessageFilter","features":[80]},{"name":"Connector","features":[80]},{"name":"ConnectorType","features":[80]},{"name":"CreateCaptureAudioStateMonitor","features":[80]},{"name":"CreateCaptureAudioStateMonitorForCategory","features":[80]},{"name":"CreateCaptureAudioStateMonitorForCategoryAndDeviceId","features":[80]},{"name":"CreateCaptureAudioStateMonitorForCategoryAndDeviceRole","features":[80]},{"name":"CreateRenderAudioStateMonitor","features":[80]},{"name":"CreateRenderAudioStateMonitorForCategory","features":[80]},{"name":"CreateRenderAudioStateMonitorForCategoryAndDeviceId","features":[80]},{"name":"CreateRenderAudioStateMonitorForCategoryAndDeviceRole","features":[80]},{"name":"DEVICE_STATE","features":[80]},{"name":"DEVICE_STATEMASK_ALL","features":[80]},{"name":"DEVICE_STATE_ACTIVE","features":[80]},{"name":"DEVICE_STATE_DISABLED","features":[80]},{"name":"DEVICE_STATE_NOTPRESENT","features":[80]},{"name":"DEVICE_STATE_UNPLUGGED","features":[80]},{"name":"DEVINTERFACE_AUDIO_CAPTURE","features":[80]},{"name":"DEVINTERFACE_AUDIO_RENDER","features":[80]},{"name":"DEVINTERFACE_MIDI_INPUT","features":[80]},{"name":"DEVINTERFACE_MIDI_OUTPUT","features":[80]},{"name":"DIRECTX_AUDIO_ACTIVATION_PARAMS","features":[80]},{"name":"DRVM_MAPPER","features":[80]},{"name":"DRVM_MAPPER_STATUS","features":[80]},{"name":"DRV_MAPPER_PREFERRED_INPUT_GET","features":[80]},{"name":"DRV_MAPPER_PREFERRED_OUTPUT_GET","features":[80]},{"name":"DataFlow","features":[80]},{"name":"DeviceTopology","features":[80]},{"name":"DigitalAudioDisplayDevice","features":[80]},{"name":"DisconnectReasonDeviceRemoval","features":[80]},{"name":"DisconnectReasonExclusiveModeOverride","features":[80]},{"name":"DisconnectReasonFormatChanged","features":[80]},{"name":"DisconnectReasonServerShutdown","features":[80]},{"name":"DisconnectReasonSessionDisconnected","features":[80]},{"name":"DisconnectReasonSessionLogoff","features":[80]},{"name":"ECHOWAVEFILTER","features":[80]},{"name":"EDataFlow","features":[80]},{"name":"EDataFlow_enum_count","features":[80]},{"name":"ENDPOINT_FORMAT_RESET_MIX_ONLY","features":[80]},{"name":"ENDPOINT_HARDWARE_SUPPORT_METER","features":[80]},{"name":"ENDPOINT_HARDWARE_SUPPORT_MUTE","features":[80]},{"name":"ENDPOINT_HARDWARE_SUPPORT_VOLUME","features":[80]},{"name":"ENDPOINT_SYSFX_DISABLED","features":[80]},{"name":"ENDPOINT_SYSFX_ENABLED","features":[80]},{"name":"ERole","features":[80]},{"name":"ERole_enum_count","features":[80]},{"name":"EVENTCONTEXT_VOLUMESLIDER","features":[80]},{"name":"EndpointFormFactor","features":[80]},{"name":"EndpointFormFactor_enum_count","features":[80]},{"name":"FILTERCHOOSE_CUSTOM_VERIFY","features":[80]},{"name":"FILTERCHOOSE_FILTERTAG_VERIFY","features":[80]},{"name":"FILTERCHOOSE_FILTER_VERIFY","features":[80]},{"name":"FILTERCHOOSE_MESSAGE","features":[80]},{"name":"FORMATCHOOSE_CUSTOM_VERIFY","features":[80]},{"name":"FORMATCHOOSE_FORMATTAG_VERIFY","features":[80]},{"name":"FORMATCHOOSE_FORMAT_VERIFY","features":[80]},{"name":"FORMATCHOOSE_MESSAGE","features":[80]},{"name":"Full","features":[80]},{"name":"HACMDRIVER","features":[80]},{"name":"HACMDRIVERID","features":[80]},{"name":"HACMOBJ","features":[80]},{"name":"HACMSTREAM","features":[80]},{"name":"HMIDI","features":[80]},{"name":"HMIDIIN","features":[80]},{"name":"HMIDIOUT","features":[80]},{"name":"HMIDISTRM","features":[80]},{"name":"HMIXER","features":[80]},{"name":"HMIXEROBJ","features":[80]},{"name":"HWAVE","features":[80]},{"name":"HWAVEIN","features":[80]},{"name":"HWAVEOUT","features":[80]},{"name":"Handset","features":[80]},{"name":"Headphones","features":[80]},{"name":"Headset","features":[80]},{"name":"IAcousticEchoCancellationControl","features":[80]},{"name":"IActivateAudioInterfaceAsyncOperation","features":[80]},{"name":"IActivateAudioInterfaceCompletionHandler","features":[80]},{"name":"IAudioAmbisonicsControl","features":[80]},{"name":"IAudioAutoGainControl","features":[80]},{"name":"IAudioBass","features":[80]},{"name":"IAudioCaptureClient","features":[80]},{"name":"IAudioChannelConfig","features":[80]},{"name":"IAudioClient","features":[80]},{"name":"IAudioClient2","features":[80]},{"name":"IAudioClient3","features":[80]},{"name":"IAudioClientDuckingControl","features":[80]},{"name":"IAudioClock","features":[80]},{"name":"IAudioClock2","features":[80]},{"name":"IAudioClockAdjustment","features":[80]},{"name":"IAudioEffectsChangedNotificationClient","features":[80]},{"name":"IAudioEffectsManager","features":[80]},{"name":"IAudioFormatEnumerator","features":[80]},{"name":"IAudioInputSelector","features":[80]},{"name":"IAudioLoudness","features":[80]},{"name":"IAudioMidrange","features":[80]},{"name":"IAudioMute","features":[80]},{"name":"IAudioOutputSelector","features":[80]},{"name":"IAudioPeakMeter","features":[80]},{"name":"IAudioRenderClient","features":[80]},{"name":"IAudioSessionControl","features":[80]},{"name":"IAudioSessionControl2","features":[80]},{"name":"IAudioSessionEnumerator","features":[80]},{"name":"IAudioSessionEvents","features":[80]},{"name":"IAudioSessionManager","features":[80]},{"name":"IAudioSessionManager2","features":[80]},{"name":"IAudioSessionNotification","features":[80]},{"name":"IAudioStateMonitor","features":[80]},{"name":"IAudioStreamVolume","features":[80]},{"name":"IAudioSystemEffectsPropertyChangeNotificationClient","features":[80]},{"name":"IAudioSystemEffectsPropertyStore","features":[80]},{"name":"IAudioTreble","features":[80]},{"name":"IAudioViewManagerService","features":[80]},{"name":"IAudioVolumeDuckNotification","features":[80]},{"name":"IAudioVolumeLevel","features":[80]},{"name":"IChannelAudioVolume","features":[80]},{"name":"IConnector","features":[80]},{"name":"IControlChangeNotify","features":[80]},{"name":"IControlInterface","features":[80]},{"name":"IDeviceSpecificProperty","features":[80]},{"name":"IDeviceTopology","features":[80]},{"name":"IMMDevice","features":[80]},{"name":"IMMDeviceActivator","features":[80]},{"name":"IMMDeviceCollection","features":[80]},{"name":"IMMDeviceEnumerator","features":[80]},{"name":"IMMEndpoint","features":[80]},{"name":"IMMNotificationClient","features":[80]},{"name":"IMessageFilter","features":[80]},{"name":"IPart","features":[80]},{"name":"IPartsList","features":[80]},{"name":"IPerChannelDbLevel","features":[80]},{"name":"ISimpleAudioVolume","features":[80]},{"name":"ISpatialAudioClient","features":[80]},{"name":"ISpatialAudioClient2","features":[80]},{"name":"ISpatialAudioMetadataClient","features":[80]},{"name":"ISpatialAudioMetadataCopier","features":[80]},{"name":"ISpatialAudioMetadataItems","features":[80]},{"name":"ISpatialAudioMetadataItemsBuffer","features":[80]},{"name":"ISpatialAudioMetadataReader","features":[80]},{"name":"ISpatialAudioMetadataWriter","features":[80]},{"name":"ISpatialAudioObject","features":[80]},{"name":"ISpatialAudioObjectBase","features":[80]},{"name":"ISpatialAudioObjectForHrtf","features":[80]},{"name":"ISpatialAudioObjectForMetadataCommands","features":[80]},{"name":"ISpatialAudioObjectForMetadataItems","features":[80]},{"name":"ISpatialAudioObjectRenderStream","features":[80]},{"name":"ISpatialAudioObjectRenderStreamBase","features":[80]},{"name":"ISpatialAudioObjectRenderStreamForHrtf","features":[80]},{"name":"ISpatialAudioObjectRenderStreamForMetadata","features":[80]},{"name":"ISpatialAudioObjectRenderStreamNotify","features":[80]},{"name":"ISubunit","features":[80]},{"name":"In","features":[80]},{"name":"LPACMDRIVERPROC","features":[1,80]},{"name":"LPMIDICALLBACK","features":[80,79]},{"name":"LPWAVECALLBACK","features":[80,79]},{"name":"LineLevel","features":[80]},{"name":"Low","features":[80]},{"name":"MEVT_COMMENT","features":[80]},{"name":"MEVT_F_CALLBACK","features":[80]},{"name":"MEVT_F_LONG","features":[80]},{"name":"MEVT_F_SHORT","features":[80]},{"name":"MEVT_LONGMSG","features":[80]},{"name":"MEVT_NOP","features":[80]},{"name":"MEVT_SHORTMSG","features":[80]},{"name":"MEVT_TEMPO","features":[80]},{"name":"MEVT_VERSION","features":[80]},{"name":"MHDR_DONE","features":[80]},{"name":"MHDR_INQUEUE","features":[80]},{"name":"MHDR_ISSTRM","features":[80]},{"name":"MHDR_PREPARED","features":[80]},{"name":"MIDICAPS_CACHE","features":[80]},{"name":"MIDICAPS_LRVOLUME","features":[80]},{"name":"MIDICAPS_STREAM","features":[80]},{"name":"MIDICAPS_VOLUME","features":[80]},{"name":"MIDIERR_BADOPENMODE","features":[80]},{"name":"MIDIERR_DONT_CONTINUE","features":[80]},{"name":"MIDIERR_INVALIDSETUP","features":[80]},{"name":"MIDIERR_LASTERROR","features":[80]},{"name":"MIDIERR_NODEVICE","features":[80]},{"name":"MIDIERR_NOMAP","features":[80]},{"name":"MIDIERR_NOTREADY","features":[80]},{"name":"MIDIERR_STILLPLAYING","features":[80]},{"name":"MIDIERR_UNPREPARED","features":[80]},{"name":"MIDIEVENT","features":[80]},{"name":"MIDIHDR","features":[80]},{"name":"MIDIINCAPS2A","features":[80]},{"name":"MIDIINCAPS2W","features":[80]},{"name":"MIDIINCAPSA","features":[80]},{"name":"MIDIINCAPSW","features":[80]},{"name":"MIDIOUTCAPS2A","features":[80]},{"name":"MIDIOUTCAPS2W","features":[80]},{"name":"MIDIOUTCAPSA","features":[80]},{"name":"MIDIOUTCAPSW","features":[80]},{"name":"MIDIPATCHSIZE","features":[80]},{"name":"MIDIPROPTEMPO","features":[80]},{"name":"MIDIPROPTIMEDIV","features":[80]},{"name":"MIDIPROP_GET","features":[80]},{"name":"MIDIPROP_SET","features":[80]},{"name":"MIDIPROP_TEMPO","features":[80]},{"name":"MIDIPROP_TIMEDIV","features":[80]},{"name":"MIDISTRMBUFFVER","features":[80]},{"name":"MIDISTRM_ERROR","features":[80]},{"name":"MIDI_CACHE_ALL","features":[80]},{"name":"MIDI_CACHE_BESTFIT","features":[80]},{"name":"MIDI_CACHE_QUERY","features":[80]},{"name":"MIDI_IO_STATUS","features":[80]},{"name":"MIDI_UNCACHE","features":[80]},{"name":"MIDI_WAVE_OPEN_TYPE","features":[80]},{"name":"MIXERCAPS2A","features":[80]},{"name":"MIXERCAPS2W","features":[80]},{"name":"MIXERCAPSA","features":[80]},{"name":"MIXERCAPSW","features":[80]},{"name":"MIXERCONTROLA","features":[80]},{"name":"MIXERCONTROLDETAILS","features":[1,80]},{"name":"MIXERCONTROLDETAILS_BOOLEAN","features":[80]},{"name":"MIXERCONTROLDETAILS_LISTTEXTA","features":[80]},{"name":"MIXERCONTROLDETAILS_LISTTEXTW","features":[80]},{"name":"MIXERCONTROLDETAILS_SIGNED","features":[80]},{"name":"MIXERCONTROLDETAILS_UNSIGNED","features":[80]},{"name":"MIXERCONTROLW","features":[80]},{"name":"MIXERCONTROL_CONTROLF_DISABLED","features":[80]},{"name":"MIXERCONTROL_CONTROLF_MULTIPLE","features":[80]},{"name":"MIXERCONTROL_CONTROLF_UNIFORM","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_BASS","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_BASS_BOOST","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_BOOLEAN","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_BOOLEANMETER","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_BUTTON","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_CUSTOM","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_DECIBELS","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_EQUALIZER","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_FADER","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_LOUDNESS","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_MICROTIME","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_MILLITIME","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_MIXER","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_MONO","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_MULTIPLESELECT","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_MUTE","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_MUX","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_ONOFF","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_PAN","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_PEAKMETER","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_PERCENT","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_QSOUNDPAN","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_SIGNED","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_SIGNEDMETER","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_SINGLESELECT","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_SLIDER","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_STEREOENH","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_TREBLE","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_UNSIGNED","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_UNSIGNEDMETER","features":[80]},{"name":"MIXERCONTROL_CONTROLTYPE_VOLUME","features":[80]},{"name":"MIXERCONTROL_CT_CLASS_CUSTOM","features":[80]},{"name":"MIXERCONTROL_CT_CLASS_FADER","features":[80]},{"name":"MIXERCONTROL_CT_CLASS_LIST","features":[80]},{"name":"MIXERCONTROL_CT_CLASS_MASK","features":[80]},{"name":"MIXERCONTROL_CT_CLASS_METER","features":[80]},{"name":"MIXERCONTROL_CT_CLASS_NUMBER","features":[80]},{"name":"MIXERCONTROL_CT_CLASS_SLIDER","features":[80]},{"name":"MIXERCONTROL_CT_CLASS_SWITCH","features":[80]},{"name":"MIXERCONTROL_CT_CLASS_TIME","features":[80]},{"name":"MIXERCONTROL_CT_SC_LIST_MULTIPLE","features":[80]},{"name":"MIXERCONTROL_CT_SC_LIST_SINGLE","features":[80]},{"name":"MIXERCONTROL_CT_SC_METER_POLLED","features":[80]},{"name":"MIXERCONTROL_CT_SC_SWITCH_BOOLEAN","features":[80]},{"name":"MIXERCONTROL_CT_SC_SWITCH_BUTTON","features":[80]},{"name":"MIXERCONTROL_CT_SC_TIME_MICROSECS","features":[80]},{"name":"MIXERCONTROL_CT_SC_TIME_MILLISECS","features":[80]},{"name":"MIXERCONTROL_CT_SUBCLASS_MASK","features":[80]},{"name":"MIXERCONTROL_CT_UNITS_BOOLEAN","features":[80]},{"name":"MIXERCONTROL_CT_UNITS_CUSTOM","features":[80]},{"name":"MIXERCONTROL_CT_UNITS_DECIBELS","features":[80]},{"name":"MIXERCONTROL_CT_UNITS_MASK","features":[80]},{"name":"MIXERCONTROL_CT_UNITS_PERCENT","features":[80]},{"name":"MIXERCONTROL_CT_UNITS_SIGNED","features":[80]},{"name":"MIXERCONTROL_CT_UNITS_UNSIGNED","features":[80]},{"name":"MIXERLINEA","features":[80]},{"name":"MIXERLINECONTROLSA","features":[80]},{"name":"MIXERLINECONTROLSW","features":[80]},{"name":"MIXERLINEW","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_DST_DIGITAL","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_DST_FIRST","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_DST_HEADPHONES","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_DST_LAST","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_DST_LINE","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_DST_MONITOR","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_DST_SPEAKERS","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_DST_TELEPHONE","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_DST_UNDEFINED","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_DST_VOICEIN","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_DST_WAVEIN","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_ANALOG","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_AUXILIARY","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_COMPACTDISC","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_DIGITAL","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_FIRST","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_LAST","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_LINE","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_MICROPHONE","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_PCSPEAKER","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_SYNTHESIZER","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_TELEPHONE","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_UNDEFINED","features":[80]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_WAVEOUT","features":[80]},{"name":"MIXERLINE_LINEF_ACTIVE","features":[80]},{"name":"MIXERLINE_LINEF_DISCONNECTED","features":[80]},{"name":"MIXERLINE_LINEF_SOURCE","features":[80]},{"name":"MIXERLINE_TARGETTYPE_AUX","features":[80]},{"name":"MIXERLINE_TARGETTYPE_MIDIIN","features":[80]},{"name":"MIXERLINE_TARGETTYPE_MIDIOUT","features":[80]},{"name":"MIXERLINE_TARGETTYPE_UNDEFINED","features":[80]},{"name":"MIXERLINE_TARGETTYPE_WAVEIN","features":[80]},{"name":"MIXERLINE_TARGETTYPE_WAVEOUT","features":[80]},{"name":"MIXERR_INVALCONTROL","features":[80]},{"name":"MIXERR_INVALLINE","features":[80]},{"name":"MIXERR_INVALVALUE","features":[80]},{"name":"MIXERR_LASTERROR","features":[80]},{"name":"MIXER_GETCONTROLDETAILSF_LISTTEXT","features":[80]},{"name":"MIXER_GETCONTROLDETAILSF_QUERYMASK","features":[80]},{"name":"MIXER_GETCONTROLDETAILSF_VALUE","features":[80]},{"name":"MIXER_GETLINECONTROLSF_ALL","features":[80]},{"name":"MIXER_GETLINECONTROLSF_ONEBYID","features":[80]},{"name":"MIXER_GETLINECONTROLSF_ONEBYTYPE","features":[80]},{"name":"MIXER_GETLINECONTROLSF_QUERYMASK","features":[80]},{"name":"MIXER_GETLINEINFOF_COMPONENTTYPE","features":[80]},{"name":"MIXER_GETLINEINFOF_DESTINATION","features":[80]},{"name":"MIXER_GETLINEINFOF_LINEID","features":[80]},{"name":"MIXER_GETLINEINFOF_QUERYMASK","features":[80]},{"name":"MIXER_GETLINEINFOF_SOURCE","features":[80]},{"name":"MIXER_GETLINEINFOF_TARGETTYPE","features":[80]},{"name":"MIXER_LONG_NAME_CHARS","features":[80]},{"name":"MIXER_OBJECTF_AUX","features":[80]},{"name":"MIXER_OBJECTF_HANDLE","features":[80]},{"name":"MIXER_OBJECTF_MIDIIN","features":[80]},{"name":"MIXER_OBJECTF_MIDIOUT","features":[80]},{"name":"MIXER_OBJECTF_MIXER","features":[80]},{"name":"MIXER_OBJECTF_WAVEIN","features":[80]},{"name":"MIXER_OBJECTF_WAVEOUT","features":[80]},{"name":"MIXER_SETCONTROLDETAILSF_CUSTOM","features":[80]},{"name":"MIXER_SETCONTROLDETAILSF_QUERYMASK","features":[80]},{"name":"MIXER_SETCONTROLDETAILSF_VALUE","features":[80]},{"name":"MIXER_SHORT_NAME_CHARS","features":[80]},{"name":"MMDeviceEnumerator","features":[80]},{"name":"MM_ACM_FILTERCHOOSE","features":[80]},{"name":"MM_ACM_FORMATCHOOSE","features":[80]},{"name":"MOD_FMSYNTH","features":[80]},{"name":"MOD_MAPPER","features":[80]},{"name":"MOD_MIDIPORT","features":[80]},{"name":"MOD_SQSYNTH","features":[80]},{"name":"MOD_SWSYNTH","features":[80]},{"name":"MOD_SYNTH","features":[80]},{"name":"MOD_WAVETABLE","features":[80]},{"name":"Microphone","features":[80]},{"name":"Muted","features":[80]},{"name":"Out","features":[80]},{"name":"PAudioStateMonitorCallback","features":[80]},{"name":"PCMWAVEFORMAT","features":[80]},{"name":"PKEY_AudioEndpointLogo_IconEffects","features":[80,60]},{"name":"PKEY_AudioEndpointLogo_IconPath","features":[80,60]},{"name":"PKEY_AudioEndpointSettings_LaunchContract","features":[80,60]},{"name":"PKEY_AudioEndpointSettings_MenuText","features":[80,60]},{"name":"PKEY_AudioEndpoint_Association","features":[80,60]},{"name":"PKEY_AudioEndpoint_ControlPanelPageProvider","features":[80,60]},{"name":"PKEY_AudioEndpoint_Default_VolumeInDb","features":[80,60]},{"name":"PKEY_AudioEndpoint_Disable_SysFx","features":[80,60]},{"name":"PKEY_AudioEndpoint_FormFactor","features":[80,60]},{"name":"PKEY_AudioEndpoint_FullRangeSpeakers","features":[80,60]},{"name":"PKEY_AudioEndpoint_GUID","features":[80,60]},{"name":"PKEY_AudioEndpoint_JackSubType","features":[80,60]},{"name":"PKEY_AudioEndpoint_PhysicalSpeakers","features":[80,60]},{"name":"PKEY_AudioEndpoint_Supports_EventDriven_Mode","features":[80,60]},{"name":"PKEY_AudioEngine_DeviceFormat","features":[80,60]},{"name":"PKEY_AudioEngine_OEMFormat","features":[80,60]},{"name":"PROCESS_LOOPBACK_MODE","features":[80]},{"name":"PROCESS_LOOPBACK_MODE_EXCLUDE_TARGET_PROCESS_TREE","features":[80]},{"name":"PROCESS_LOOPBACK_MODE_INCLUDE_TARGET_PROCESS_TREE","features":[80]},{"name":"PartType","features":[80]},{"name":"PlaySoundA","features":[1,80]},{"name":"PlaySoundW","features":[1,80]},{"name":"RemoteNetworkDevice","features":[80]},{"name":"SND_ALIAS","features":[80]},{"name":"SND_ALIAS_ID","features":[80]},{"name":"SND_ALIAS_START","features":[80]},{"name":"SND_APPLICATION","features":[80]},{"name":"SND_ASYNC","features":[80]},{"name":"SND_FILENAME","features":[80]},{"name":"SND_FLAGS","features":[80]},{"name":"SND_LOOP","features":[80]},{"name":"SND_MEMORY","features":[80]},{"name":"SND_NODEFAULT","features":[80]},{"name":"SND_NOSTOP","features":[80]},{"name":"SND_NOWAIT","features":[80]},{"name":"SND_PURGE","features":[80]},{"name":"SND_RESOURCE","features":[80]},{"name":"SND_RING","features":[80]},{"name":"SND_SENTRY","features":[80]},{"name":"SND_SYNC","features":[80]},{"name":"SND_SYSTEM","features":[80]},{"name":"SPATIAL_AUDIO_POSITION","features":[80]},{"name":"SPATIAL_AUDIO_STANDARD_COMMANDS_START","features":[80]},{"name":"SPATIAL_AUDIO_STREAM_OPTIONS","features":[80]},{"name":"SPATIAL_AUDIO_STREAM_OPTIONS_NONE","features":[80]},{"name":"SPATIAL_AUDIO_STREAM_OPTIONS_OFFLOAD","features":[80]},{"name":"SPDIF","features":[80]},{"name":"SPTLAUDCLNT_E_DESTROYED","features":[80]},{"name":"SPTLAUDCLNT_E_ERRORS_IN_OBJECT_CALLS","features":[80]},{"name":"SPTLAUDCLNT_E_INTERNAL","features":[80]},{"name":"SPTLAUDCLNT_E_INVALID_LICENSE","features":[80]},{"name":"SPTLAUDCLNT_E_METADATA_FORMAT_NOT_SUPPORTED","features":[80]},{"name":"SPTLAUDCLNT_E_NO_MORE_OBJECTS","features":[80]},{"name":"SPTLAUDCLNT_E_OBJECT_ALREADY_ACTIVE","features":[80]},{"name":"SPTLAUDCLNT_E_OUT_OF_ORDER","features":[80]},{"name":"SPTLAUDCLNT_E_PROPERTY_NOT_SUPPORTED","features":[80]},{"name":"SPTLAUDCLNT_E_RESOURCES_INVALIDATED","features":[80]},{"name":"SPTLAUDCLNT_E_STATIC_OBJECT_NOT_AVAILABLE","features":[80]},{"name":"SPTLAUDCLNT_E_STREAM_NOT_AVAILABLE","features":[80]},{"name":"SPTLAUDCLNT_E_STREAM_NOT_STOPPED","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_ATTACH_FAILED_INTERNAL_BUFFER","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_BUFFER_ALREADY_ATTACHED","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_BUFFER_NOT_ATTACHED","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_BUFFER_STILL_ATTACHED","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_COMMAND_ALREADY_WRITTEN","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_COMMAND_NOT_FOUND","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_DETACH_FAILED_INTERNAL_BUFFER","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_FORMAT_MISMATCH","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_FRAMECOUNT_OUT_OF_RANGE","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_FRAMEOFFSET_OUT_OF_RANGE","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_INVALID_ARGS","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_ITEMS_ALREADY_OPEN","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_ITEMS_LOCKED_FOR_WRITING","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_ITEM_COPY_OVERFLOW","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_ITEM_MUST_HAVE_COMMANDS","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_MEMORY_BOUNDS","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_METADATA_FORMAT_NOT_FOUND","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_NO_BUFFER_ATTACHED","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_NO_ITEMOFFSET_WRITTEN","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_NO_ITEMS_FOUND","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_NO_ITEMS_OPEN","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_NO_ITEMS_WRITTEN","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_NO_MORE_COMMANDS","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_NO_MORE_ITEMS","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_OBJECT_NOT_INITIALIZED","features":[80]},{"name":"SPTLAUD_MD_CLNT_E_VALUE_BUFFER_INCORRECT_SIZE","features":[80]},{"name":"SpatialAudioClientActivationParams","features":[80]},{"name":"SpatialAudioHrtfActivationParams","features":[1,80]},{"name":"SpatialAudioHrtfActivationParams2","features":[1,80]},{"name":"SpatialAudioHrtfDirectivity","features":[80]},{"name":"SpatialAudioHrtfDirectivityCardioid","features":[80]},{"name":"SpatialAudioHrtfDirectivityCone","features":[80]},{"name":"SpatialAudioHrtfDirectivityType","features":[80]},{"name":"SpatialAudioHrtfDirectivityUnion","features":[80]},{"name":"SpatialAudioHrtfDirectivity_Cardioid","features":[80]},{"name":"SpatialAudioHrtfDirectivity_Cone","features":[80]},{"name":"SpatialAudioHrtfDirectivity_OmniDirectional","features":[80]},{"name":"SpatialAudioHrtfDistanceDecay","features":[80]},{"name":"SpatialAudioHrtfDistanceDecayType","features":[80]},{"name":"SpatialAudioHrtfDistanceDecay_CustomDecay","features":[80]},{"name":"SpatialAudioHrtfDistanceDecay_NaturalDecay","features":[80]},{"name":"SpatialAudioHrtfEnvironmentType","features":[80]},{"name":"SpatialAudioHrtfEnvironment_Average","features":[80]},{"name":"SpatialAudioHrtfEnvironment_Large","features":[80]},{"name":"SpatialAudioHrtfEnvironment_Medium","features":[80]},{"name":"SpatialAudioHrtfEnvironment_Outdoors","features":[80]},{"name":"SpatialAudioHrtfEnvironment_Small","features":[80]},{"name":"SpatialAudioMetadataCopyMode","features":[80]},{"name":"SpatialAudioMetadataCopy_Append","features":[80]},{"name":"SpatialAudioMetadataCopy_AppendMergeWithFirst","features":[80]},{"name":"SpatialAudioMetadataCopy_AppendMergeWithLast","features":[80]},{"name":"SpatialAudioMetadataCopy_Overwrite","features":[80]},{"name":"SpatialAudioMetadataItemsInfo","features":[80]},{"name":"SpatialAudioMetadataWriterOverflowMode","features":[80]},{"name":"SpatialAudioMetadataWriterOverflow_Fail","features":[80]},{"name":"SpatialAudioMetadataWriterOverflow_MergeWithLast","features":[80]},{"name":"SpatialAudioMetadataWriterOverflow_MergeWithNew","features":[80]},{"name":"SpatialAudioObjectRenderStreamActivationParams","features":[1,80]},{"name":"SpatialAudioObjectRenderStreamActivationParams2","features":[1,80]},{"name":"SpatialAudioObjectRenderStreamForMetadataActivationParams","features":[1,80,63,42]},{"name":"SpatialAudioObjectRenderStreamForMetadataActivationParams2","features":[1,80,63,42]},{"name":"Speakers","features":[80]},{"name":"Subunit","features":[80]},{"name":"UnknownDigitalPassthrough","features":[80]},{"name":"UnknownFormFactor","features":[80]},{"name":"VIRTUAL_AUDIO_DEVICE_PROCESS_LOOPBACK","features":[80]},{"name":"VOLUMEWAVEFILTER","features":[80]},{"name":"WAVECAPS_LRVOLUME","features":[80]},{"name":"WAVECAPS_PITCH","features":[80]},{"name":"WAVECAPS_PLAYBACKRATE","features":[80]},{"name":"WAVECAPS_SAMPLEACCURATE","features":[80]},{"name":"WAVECAPS_SYNC","features":[80]},{"name":"WAVECAPS_VOLUME","features":[80]},{"name":"WAVEFILTER","features":[80]},{"name":"WAVEFORMAT","features":[80]},{"name":"WAVEFORMATEX","features":[80]},{"name":"WAVEFORMATEXTENSIBLE","features":[80]},{"name":"WAVEHDR","features":[80]},{"name":"WAVEINCAPS2A","features":[80]},{"name":"WAVEINCAPS2W","features":[80]},{"name":"WAVEINCAPSA","features":[80]},{"name":"WAVEINCAPSW","features":[80]},{"name":"WAVEIN_MAPPER_STATUS_DEVICE","features":[80]},{"name":"WAVEIN_MAPPER_STATUS_FORMAT","features":[80]},{"name":"WAVEIN_MAPPER_STATUS_MAPPED","features":[80]},{"name":"WAVEOUTCAPS2A","features":[80]},{"name":"WAVEOUTCAPS2W","features":[80]},{"name":"WAVEOUTCAPSA","features":[80]},{"name":"WAVEOUTCAPSW","features":[80]},{"name":"WAVEOUT_MAPPER_STATUS_DEVICE","features":[80]},{"name":"WAVEOUT_MAPPER_STATUS_FORMAT","features":[80]},{"name":"WAVEOUT_MAPPER_STATUS_MAPPED","features":[80]},{"name":"WAVERR_BADFORMAT","features":[80]},{"name":"WAVERR_LASTERROR","features":[80]},{"name":"WAVERR_STILLPLAYING","features":[80]},{"name":"WAVERR_SYNC","features":[80]},{"name":"WAVERR_UNPREPARED","features":[80]},{"name":"WAVE_ALLOWSYNC","features":[80]},{"name":"WAVE_FORMAT_1M08","features":[80]},{"name":"WAVE_FORMAT_1M16","features":[80]},{"name":"WAVE_FORMAT_1S08","features":[80]},{"name":"WAVE_FORMAT_1S16","features":[80]},{"name":"WAVE_FORMAT_2M08","features":[80]},{"name":"WAVE_FORMAT_2M16","features":[80]},{"name":"WAVE_FORMAT_2S08","features":[80]},{"name":"WAVE_FORMAT_2S16","features":[80]},{"name":"WAVE_FORMAT_44M08","features":[80]},{"name":"WAVE_FORMAT_44M16","features":[80]},{"name":"WAVE_FORMAT_44S08","features":[80]},{"name":"WAVE_FORMAT_44S16","features":[80]},{"name":"WAVE_FORMAT_48M08","features":[80]},{"name":"WAVE_FORMAT_48M16","features":[80]},{"name":"WAVE_FORMAT_48S08","features":[80]},{"name":"WAVE_FORMAT_48S16","features":[80]},{"name":"WAVE_FORMAT_4M08","features":[80]},{"name":"WAVE_FORMAT_4M16","features":[80]},{"name":"WAVE_FORMAT_4S08","features":[80]},{"name":"WAVE_FORMAT_4S16","features":[80]},{"name":"WAVE_FORMAT_96M08","features":[80]},{"name":"WAVE_FORMAT_96M16","features":[80]},{"name":"WAVE_FORMAT_96S08","features":[80]},{"name":"WAVE_FORMAT_96S16","features":[80]},{"name":"WAVE_FORMAT_DIRECT","features":[80]},{"name":"WAVE_FORMAT_DIRECT_QUERY","features":[80]},{"name":"WAVE_FORMAT_PCM","features":[80]},{"name":"WAVE_FORMAT_QUERY","features":[80]},{"name":"WAVE_INVALIDFORMAT","features":[80]},{"name":"WAVE_MAPPED","features":[80]},{"name":"WAVE_MAPPED_DEFAULT_COMMUNICATION_DEVICE","features":[80]},{"name":"WAVE_MAPPER","features":[80]},{"name":"WHDR_BEGINLOOP","features":[80]},{"name":"WHDR_DONE","features":[80]},{"name":"WHDR_ENDLOOP","features":[80]},{"name":"WHDR_INQUEUE","features":[80]},{"name":"WHDR_PREPARED","features":[80]},{"name":"WIDM_MAPPER_STATUS","features":[80]},{"name":"WODM_MAPPER_STATUS","features":[80]},{"name":"_AUDCLNT_BUFFERFLAGS","features":[80]},{"name":"acmDriverAddA","features":[1,80]},{"name":"acmDriverAddW","features":[1,80]},{"name":"acmDriverClose","features":[80]},{"name":"acmDriverDetailsA","features":[80,50]},{"name":"acmDriverDetailsW","features":[80,50]},{"name":"acmDriverEnum","features":[1,80]},{"name":"acmDriverID","features":[80]},{"name":"acmDriverMessage","features":[1,80]},{"name":"acmDriverOpen","features":[80]},{"name":"acmDriverPriority","features":[80]},{"name":"acmDriverRemove","features":[80]},{"name":"acmFilterChooseA","features":[1,80]},{"name":"acmFilterChooseW","features":[1,80]},{"name":"acmFilterDetailsA","features":[80]},{"name":"acmFilterDetailsW","features":[80]},{"name":"acmFilterEnumA","features":[1,80]},{"name":"acmFilterEnumW","features":[1,80]},{"name":"acmFilterTagDetailsA","features":[80]},{"name":"acmFilterTagDetailsW","features":[80]},{"name":"acmFilterTagEnumA","features":[1,80]},{"name":"acmFilterTagEnumW","features":[1,80]},{"name":"acmFormatChooseA","features":[1,80]},{"name":"acmFormatChooseW","features":[1,80]},{"name":"acmFormatDetailsA","features":[80]},{"name":"acmFormatDetailsW","features":[80]},{"name":"acmFormatEnumA","features":[1,80]},{"name":"acmFormatEnumW","features":[1,80]},{"name":"acmFormatSuggest","features":[80]},{"name":"acmFormatTagDetailsA","features":[80]},{"name":"acmFormatTagDetailsW","features":[80]},{"name":"acmFormatTagEnumA","features":[1,80]},{"name":"acmFormatTagEnumW","features":[1,80]},{"name":"acmGetVersion","features":[80]},{"name":"acmMetrics","features":[80]},{"name":"acmStreamClose","features":[80]},{"name":"acmStreamConvert","features":[80]},{"name":"acmStreamMessage","features":[1,80]},{"name":"acmStreamOpen","features":[80]},{"name":"acmStreamPrepareHeader","features":[80]},{"name":"acmStreamReset","features":[80]},{"name":"acmStreamSize","features":[80]},{"name":"acmStreamUnprepareHeader","features":[80]},{"name":"auxGetDevCapsA","features":[80]},{"name":"auxGetDevCapsW","features":[80]},{"name":"auxGetNumDevs","features":[80]},{"name":"auxGetVolume","features":[80]},{"name":"auxOutMessage","features":[80]},{"name":"auxSetVolume","features":[80]},{"name":"eAll","features":[80]},{"name":"eCapture","features":[80]},{"name":"eCommunications","features":[80]},{"name":"eConsole","features":[80]},{"name":"eMultimedia","features":[80]},{"name":"eRender","features":[80]},{"name":"midiConnect","features":[80]},{"name":"midiDisconnect","features":[80]},{"name":"midiInAddBuffer","features":[80]},{"name":"midiInClose","features":[80]},{"name":"midiInGetDevCapsA","features":[80]},{"name":"midiInGetDevCapsW","features":[80]},{"name":"midiInGetErrorTextA","features":[80]},{"name":"midiInGetErrorTextW","features":[80]},{"name":"midiInGetID","features":[80]},{"name":"midiInGetNumDevs","features":[80]},{"name":"midiInMessage","features":[80]},{"name":"midiInOpen","features":[80]},{"name":"midiInPrepareHeader","features":[80]},{"name":"midiInReset","features":[80]},{"name":"midiInStart","features":[80]},{"name":"midiInStop","features":[80]},{"name":"midiInUnprepareHeader","features":[80]},{"name":"midiOutCacheDrumPatches","features":[80]},{"name":"midiOutCachePatches","features":[80]},{"name":"midiOutClose","features":[80]},{"name":"midiOutGetDevCapsA","features":[80]},{"name":"midiOutGetDevCapsW","features":[80]},{"name":"midiOutGetErrorTextA","features":[80]},{"name":"midiOutGetErrorTextW","features":[80]},{"name":"midiOutGetID","features":[80]},{"name":"midiOutGetNumDevs","features":[80]},{"name":"midiOutGetVolume","features":[80]},{"name":"midiOutLongMsg","features":[80]},{"name":"midiOutMessage","features":[80]},{"name":"midiOutOpen","features":[80]},{"name":"midiOutPrepareHeader","features":[80]},{"name":"midiOutReset","features":[80]},{"name":"midiOutSetVolume","features":[80]},{"name":"midiOutShortMsg","features":[80]},{"name":"midiOutUnprepareHeader","features":[80]},{"name":"midiStreamClose","features":[80]},{"name":"midiStreamOpen","features":[80]},{"name":"midiStreamOut","features":[80]},{"name":"midiStreamPause","features":[80]},{"name":"midiStreamPosition","features":[80]},{"name":"midiStreamProperty","features":[80]},{"name":"midiStreamRestart","features":[80]},{"name":"midiStreamStop","features":[80]},{"name":"mixerClose","features":[80]},{"name":"mixerGetControlDetailsA","features":[1,80]},{"name":"mixerGetControlDetailsW","features":[1,80]},{"name":"mixerGetDevCapsA","features":[80]},{"name":"mixerGetDevCapsW","features":[80]},{"name":"mixerGetID","features":[80]},{"name":"mixerGetLineControlsA","features":[80]},{"name":"mixerGetLineControlsW","features":[80]},{"name":"mixerGetLineInfoA","features":[80]},{"name":"mixerGetLineInfoW","features":[80]},{"name":"mixerGetNumDevs","features":[80]},{"name":"mixerMessage","features":[80]},{"name":"mixerOpen","features":[80]},{"name":"mixerSetControlDetails","features":[1,80]},{"name":"sndPlaySoundA","features":[1,80]},{"name":"sndPlaySoundW","features":[1,80]},{"name":"tACMFORMATDETAILSW","features":[80]},{"name":"waveInAddBuffer","features":[80]},{"name":"waveInClose","features":[80]},{"name":"waveInGetDevCapsA","features":[80]},{"name":"waveInGetDevCapsW","features":[80]},{"name":"waveInGetErrorTextA","features":[80]},{"name":"waveInGetErrorTextW","features":[80]},{"name":"waveInGetID","features":[80]},{"name":"waveInGetNumDevs","features":[80]},{"name":"waveInGetPosition","features":[80]},{"name":"waveInMessage","features":[80]},{"name":"waveInOpen","features":[80]},{"name":"waveInPrepareHeader","features":[80]},{"name":"waveInReset","features":[80]},{"name":"waveInStart","features":[80]},{"name":"waveInStop","features":[80]},{"name":"waveInUnprepareHeader","features":[80]},{"name":"waveOutBreakLoop","features":[80]},{"name":"waveOutClose","features":[80]},{"name":"waveOutGetDevCapsA","features":[80]},{"name":"waveOutGetDevCapsW","features":[80]},{"name":"waveOutGetErrorTextA","features":[80]},{"name":"waveOutGetErrorTextW","features":[80]},{"name":"waveOutGetID","features":[80]},{"name":"waveOutGetNumDevs","features":[80]},{"name":"waveOutGetPitch","features":[80]},{"name":"waveOutGetPlaybackRate","features":[80]},{"name":"waveOutGetPosition","features":[80]},{"name":"waveOutGetVolume","features":[80]},{"name":"waveOutMessage","features":[80]},{"name":"waveOutOpen","features":[80]},{"name":"waveOutPause","features":[80]},{"name":"waveOutPrepareHeader","features":[80]},{"name":"waveOutReset","features":[80]},{"name":"waveOutRestart","features":[80]},{"name":"waveOutSetPitch","features":[80]},{"name":"waveOutSetPlaybackRate","features":[80]},{"name":"waveOutSetVolume","features":[80]},{"name":"waveOutUnprepareHeader","features":[80]},{"name":"waveOutWrite","features":[80]}],"433":[{"name":"DMOCATEGORY_ACOUSTIC_ECHO_CANCEL","features":[81]},{"name":"DMOCATEGORY_AGC","features":[81]},{"name":"DMOCATEGORY_AUDIO_CAPTURE_EFFECT","features":[81]},{"name":"DMOCATEGORY_AUDIO_DECODER","features":[81]},{"name":"DMOCATEGORY_AUDIO_EFFECT","features":[81]},{"name":"DMOCATEGORY_AUDIO_ENCODER","features":[81]},{"name":"DMOCATEGORY_AUDIO_NOISE_SUPPRESS","features":[81]},{"name":"DMOCATEGORY_VIDEO_DECODER","features":[81]},{"name":"DMOCATEGORY_VIDEO_EFFECT","features":[81]},{"name":"DMOCATEGORY_VIDEO_ENCODER","features":[81]},{"name":"DMOEnum","features":[81]},{"name":"DMOGetName","features":[81]},{"name":"DMOGetTypes","features":[81]},{"name":"DMORegister","features":[81]},{"name":"DMOUnregister","features":[81]},{"name":"DMO_ENUMF_INCLUDE_KEYED","features":[81]},{"name":"DMO_ENUM_FLAGS","features":[81]},{"name":"DMO_E_INVALIDSTREAMINDEX","features":[81]},{"name":"DMO_E_INVALIDTYPE","features":[81]},{"name":"DMO_E_NOTACCEPTING","features":[81]},{"name":"DMO_E_NO_MORE_ITEMS","features":[81]},{"name":"DMO_E_TYPE_NOT_ACCEPTED","features":[81]},{"name":"DMO_E_TYPE_NOT_SET","features":[81]},{"name":"DMO_INPLACE_NORMAL","features":[81]},{"name":"DMO_INPLACE_ZERO","features":[81]},{"name":"DMO_INPUT_DATA_BUFFERF_DISCONTINUITY","features":[81]},{"name":"DMO_INPUT_DATA_BUFFERF_SYNCPOINT","features":[81]},{"name":"DMO_INPUT_DATA_BUFFERF_TIME","features":[81]},{"name":"DMO_INPUT_DATA_BUFFERF_TIMELENGTH","features":[81]},{"name":"DMO_INPUT_STATUSF_ACCEPT_DATA","features":[81]},{"name":"DMO_INPUT_STREAMF_FIXED_SAMPLE_SIZE","features":[81]},{"name":"DMO_INPUT_STREAMF_HOLDS_BUFFERS","features":[81]},{"name":"DMO_INPUT_STREAMF_SINGLE_SAMPLE_PER_BUFFER","features":[81]},{"name":"DMO_INPUT_STREAMF_WHOLE_SAMPLES","features":[81]},{"name":"DMO_MEDIA_TYPE","features":[1,81]},{"name":"DMO_OUTPUT_DATA_BUFFER","features":[81]},{"name":"DMO_OUTPUT_DATA_BUFFERF_DISCONTINUITY","features":[81]},{"name":"DMO_OUTPUT_DATA_BUFFERF_INCOMPLETE","features":[81]},{"name":"DMO_OUTPUT_DATA_BUFFERF_SYNCPOINT","features":[81]},{"name":"DMO_OUTPUT_DATA_BUFFERF_TIME","features":[81]},{"name":"DMO_OUTPUT_DATA_BUFFERF_TIMELENGTH","features":[81]},{"name":"DMO_OUTPUT_STREAMF_DISCARDABLE","features":[81]},{"name":"DMO_OUTPUT_STREAMF_FIXED_SAMPLE_SIZE","features":[81]},{"name":"DMO_OUTPUT_STREAMF_OPTIONAL","features":[81]},{"name":"DMO_OUTPUT_STREAMF_SINGLE_SAMPLE_PER_BUFFER","features":[81]},{"name":"DMO_OUTPUT_STREAMF_WHOLE_SAMPLES","features":[81]},{"name":"DMO_PARTIAL_MEDIATYPE","features":[81]},{"name":"DMO_PROCESS_OUTPUT_DISCARD_WHEN_NO_BUFFER","features":[81]},{"name":"DMO_QUALITY_STATUS_ENABLED","features":[81]},{"name":"DMO_REGISTERF_IS_KEYED","features":[81]},{"name":"DMO_REGISTER_FLAGS","features":[81]},{"name":"DMO_SET_TYPEF_CLEAR","features":[81]},{"name":"DMO_SET_TYPEF_TEST_ONLY","features":[81]},{"name":"DMO_VOSF_NEEDS_PREVIOUS_SAMPLE","features":[81]},{"name":"IDMOQualityControl","features":[81]},{"name":"IDMOVideoOutputOptimizations","features":[81]},{"name":"IEnumDMO","features":[81]},{"name":"IMediaBuffer","features":[81]},{"name":"IMediaObject","features":[81]},{"name":"IMediaObjectInPlace","features":[81]},{"name":"MoCopyMediaType","features":[1,81]},{"name":"MoCreateMediaType","features":[1,81]},{"name":"MoDeleteMediaType","features":[1,81]},{"name":"MoDuplicateMediaType","features":[1,81]},{"name":"MoFreeMediaType","features":[1,81]},{"name":"MoInitMediaType","features":[1,81]},{"name":"_DMO_INPLACE_PROCESS_FLAGS","features":[81]},{"name":"_DMO_INPUT_DATA_BUFFER_FLAGS","features":[81]},{"name":"_DMO_INPUT_STATUS_FLAGS","features":[81]},{"name":"_DMO_INPUT_STREAM_INFO_FLAGS","features":[81]},{"name":"_DMO_OUTPUT_DATA_BUFFER_FLAGS","features":[81]},{"name":"_DMO_OUTPUT_STREAM_INFO_FLAGS","features":[81]},{"name":"_DMO_PROCESS_OUTPUT_FLAGS","features":[81]},{"name":"_DMO_QUALITY_STATUS_FLAGS","features":[81]},{"name":"_DMO_SET_TYPE_FLAGS","features":[81]},{"name":"_DMO_VIDEO_OUTPUT_STREAM_FLAGS","features":[81]}],"434":[{"name":"AEC_MODE_FULL_DUPLEX","features":[82]},{"name":"AEC_MODE_HALF_DUPLEX","features":[82]},{"name":"AEC_MODE_PASS_THROUGH","features":[82]},{"name":"AEC_STATUS_FD_CURRENTLY_CONVERGED","features":[82]},{"name":"AEC_STATUS_FD_HISTORY_CONTINUOUSLY_CONVERGED","features":[82]},{"name":"AEC_STATUS_FD_HISTORY_PREVIOUSLY_DIVERGED","features":[82]},{"name":"AEC_STATUS_FD_HISTORY_UNINITIALIZED","features":[82]},{"name":"ALLOCATOR_PROPERTIES_EX","features":[82]},{"name":"APO_CLASS_UUID","features":[82]},{"name":"AUDIOENDPOINT_CLASS_UUID","features":[82]},{"name":"AUDIOMODULE_MAX_DATA_SIZE","features":[82]},{"name":"AUDIOMODULE_MAX_NAME_CCH_SIZE","features":[82]},{"name":"AUDIOPOSTURE_ORIENTATION","features":[82]},{"name":"AUDIOPOSTURE_ORIENTATION_NOTROTATED","features":[82]},{"name":"AUDIOPOSTURE_ORIENTATION_ROTATED180DEGREESCOUNTERCLOCKWISE","features":[82]},{"name":"AUDIOPOSTURE_ORIENTATION_ROTATED270DEGREESCOUNTERCLOCKWISE","features":[82]},{"name":"AUDIOPOSTURE_ORIENTATION_ROTATED90DEGREESCOUNTERCLOCKWISE","features":[82]},{"name":"AUDIORESOURCEMANAGEMENT_RESOURCEGROUP","features":[1,82]},{"name":"AUDIO_CURVE_TYPE","features":[82]},{"name":"AUDIO_CURVE_TYPE_NONE","features":[82]},{"name":"AUDIO_CURVE_TYPE_WINDOWS_FADE","features":[82]},{"name":"AUDIO_EFFECT_TYPE_ACOUSTIC_ECHO_CANCELLATION","features":[82]},{"name":"AUDIO_EFFECT_TYPE_AUTOMATIC_GAIN_CONTROL","features":[82]},{"name":"AUDIO_EFFECT_TYPE_BASS_BOOST","features":[82]},{"name":"AUDIO_EFFECT_TYPE_BASS_MANAGEMENT","features":[82]},{"name":"AUDIO_EFFECT_TYPE_BEAMFORMING","features":[82]},{"name":"AUDIO_EFFECT_TYPE_CONSTANT_TONE_REMOVAL","features":[82]},{"name":"AUDIO_EFFECT_TYPE_DEEP_NOISE_SUPPRESSION","features":[82]},{"name":"AUDIO_EFFECT_TYPE_DYNAMIC_RANGE_COMPRESSION","features":[82]},{"name":"AUDIO_EFFECT_TYPE_ENVIRONMENTAL_EFFECTS","features":[82]},{"name":"AUDIO_EFFECT_TYPE_EQUALIZER","features":[82]},{"name":"AUDIO_EFFECT_TYPE_FAR_FIELD_BEAMFORMING","features":[82]},{"name":"AUDIO_EFFECT_TYPE_LOUDNESS_EQUALIZER","features":[82]},{"name":"AUDIO_EFFECT_TYPE_NOISE_SUPPRESSION","features":[82]},{"name":"AUDIO_EFFECT_TYPE_ROOM_CORRECTION","features":[82]},{"name":"AUDIO_EFFECT_TYPE_SPEAKER_COMPENSATION","features":[82]},{"name":"AUDIO_EFFECT_TYPE_SPEAKER_FILL","features":[82]},{"name":"AUDIO_EFFECT_TYPE_SPEAKER_PROTECTION","features":[82]},{"name":"AUDIO_EFFECT_TYPE_VIRTUAL_HEADPHONES","features":[82]},{"name":"AUDIO_EFFECT_TYPE_VIRTUAL_SURROUND","features":[82]},{"name":"AUDIO_SIGNALPROCESSINGMODE_COMMUNICATIONS","features":[82]},{"name":"AUDIO_SIGNALPROCESSINGMODE_DEFAULT","features":[82]},{"name":"AUDIO_SIGNALPROCESSINGMODE_FAR_FIELD_SPEECH","features":[82]},{"name":"AUDIO_SIGNALPROCESSINGMODE_MEDIA","features":[82]},{"name":"AUDIO_SIGNALPROCESSINGMODE_MOVIE","features":[82]},{"name":"AUDIO_SIGNALPROCESSINGMODE_NOTIFICATION","features":[82]},{"name":"AUDIO_SIGNALPROCESSINGMODE_RAW","features":[82]},{"name":"AUDIO_SIGNALPROCESSINGMODE_SPEECH","features":[82]},{"name":"AllocatorStrategy_DontCare","features":[82]},{"name":"AllocatorStrategy_MaximizeSpeed","features":[82]},{"name":"AllocatorStrategy_MinimizeFrameSize","features":[82]},{"name":"AllocatorStrategy_MinimizeNumberOfAllocators","features":[82]},{"name":"AllocatorStrategy_MinimizeNumberOfFrames","features":[82]},{"name":"BLUETOOTHLE_MIDI_SERVICE_UUID","features":[82]},{"name":"BLUETOOTH_MIDI_DATAIO_CHARACTERISTIC","features":[82]},{"name":"BUS_INTERFACE_REFERENCE_VERSION","features":[82]},{"name":"CAPTURE_MEMORY_ALLOCATION_FLAGS","features":[82]},{"name":"CASCADE_FORM","features":[82]},{"name":"CC_BYTE_PAIR","features":[82]},{"name":"CC_HW_FIELD","features":[82]},{"name":"CC_MAX_HW_DECODE_LINES","features":[82]},{"name":"CLSID_KsIBasicAudioInterfaceHandler","features":[82]},{"name":"CLSID_Proxy","features":[82]},{"name":"CONSTRICTOR_OPTION","features":[82]},{"name":"CONSTRICTOR_OPTION_DISABLE","features":[82]},{"name":"CONSTRICTOR_OPTION_MUTE","features":[82]},{"name":"DEVCAPS","features":[82]},{"name":"DEVPKEY_KsAudio_Controller_DeviceInterface_Path","features":[35,82]},{"name":"DEVPKEY_KsAudio_PacketSize_Constraints","features":[35,82]},{"name":"DEVPKEY_KsAudio_PacketSize_Constraints2","features":[35,82]},{"name":"DIRECT_FORM","features":[82]},{"name":"DS3DVECTOR","features":[82]},{"name":"DS3D_HRTF_VERSION_1","features":[82]},{"name":"EDeviceControlUseType","features":[82]},{"name":"EPcxConnectionType","features":[82]},{"name":"EPcxGenLocation","features":[82]},{"name":"EPcxGenLocation_enum_count","features":[82]},{"name":"EPcxGeoLocation","features":[82]},{"name":"EPcxGeoLocation_enum_count","features":[82]},{"name":"EPxcPortConnection","features":[82]},{"name":"EVENTSETID_CROSSBAR","features":[82]},{"name":"EVENTSETID_TUNER","features":[82]},{"name":"EVENTSETID_VIDCAP_CAMERACONTROL_REGION_OF_INTEREST","features":[82]},{"name":"EVENTSETID_VIDEODECODER","features":[82]},{"name":"FLOAT_COEFF","features":[82]},{"name":"FRAMING_CACHE_OPS","features":[82]},{"name":"FRAMING_PROP","features":[82]},{"name":"FULL_FILTER","features":[82]},{"name":"FramingProp_Ex","features":[82]},{"name":"FramingProp_None","features":[82]},{"name":"FramingProp_Old","features":[82]},{"name":"FramingProp_Uninitialized","features":[82]},{"name":"Framing_Cache_ReadLast","features":[82]},{"name":"Framing_Cache_ReadOrig","features":[82]},{"name":"Framing_Cache_Update","features":[82]},{"name":"Framing_Cache_Write","features":[82]},{"name":"GUID_NULL","features":[82]},{"name":"IKsAggregateControl","features":[82]},{"name":"IKsAllocator","features":[82]},{"name":"IKsAllocatorEx","features":[82]},{"name":"IKsClockPropertySet","features":[82]},{"name":"IKsControl","features":[82]},{"name":"IKsDataTypeCompletion","features":[82]},{"name":"IKsDataTypeHandler","features":[82]},{"name":"IKsFormatSupport","features":[82]},{"name":"IKsInterfaceHandler","features":[82]},{"name":"IKsJackContainerId","features":[82]},{"name":"IKsJackDescription","features":[82]},{"name":"IKsJackDescription2","features":[82]},{"name":"IKsJackDescription3","features":[82]},{"name":"IKsJackSinkInformation","features":[82]},{"name":"IKsNodeControl","features":[82]},{"name":"IKsNotifyEvent","features":[82]},{"name":"IKsObject","features":[82]},{"name":"IKsPin","features":[82]},{"name":"IKsPinEx","features":[82]},{"name":"IKsPinFactory","features":[82]},{"name":"IKsPinPipe","features":[82]},{"name":"IKsPropertySet","features":[82]},{"name":"IKsQualityForwarder","features":[82]},{"name":"IKsTopology","features":[82]},{"name":"IKsTopologyInfo","features":[82]},{"name":"INTERLEAVED_AUDIO_FORMAT_INFORMATION","features":[82]},{"name":"IOCTL_KS_DISABLE_EVENT","features":[82]},{"name":"IOCTL_KS_ENABLE_EVENT","features":[82]},{"name":"IOCTL_KS_HANDSHAKE","features":[82]},{"name":"IOCTL_KS_METHOD","features":[82]},{"name":"IOCTL_KS_PROPERTY","features":[82]},{"name":"IOCTL_KS_READ_STREAM","features":[82]},{"name":"IOCTL_KS_RESET_STATE","features":[82]},{"name":"IOCTL_KS_WRITE_STREAM","features":[82]},{"name":"JACKDESC2_DYNAMIC_FORMAT_CHANGE_CAPABILITY","features":[82]},{"name":"JACKDESC2_PRESENCE_DETECT_CAPABILITY","features":[82]},{"name":"KSAC3_ALTERNATE_AUDIO","features":[1,82]},{"name":"KSAC3_ALTERNATE_AUDIO_1","features":[82]},{"name":"KSAC3_ALTERNATE_AUDIO_2","features":[82]},{"name":"KSAC3_ALTERNATE_AUDIO_BOTH","features":[82]},{"name":"KSAC3_BIT_STREAM_MODE","features":[82]},{"name":"KSAC3_DIALOGUE_LEVEL","features":[82]},{"name":"KSAC3_DOWNMIX","features":[1,82]},{"name":"KSAC3_ERROR_CONCEALMENT","features":[1,82]},{"name":"KSAC3_ROOM_TYPE","features":[1,82]},{"name":"KSAC3_SERVICE_COMMENTARY","features":[82]},{"name":"KSAC3_SERVICE_DIALOG_ONLY","features":[82]},{"name":"KSAC3_SERVICE_EMERGENCY_FLASH","features":[82]},{"name":"KSAC3_SERVICE_HEARING_IMPAIRED","features":[82]},{"name":"KSAC3_SERVICE_MAIN_AUDIO","features":[82]},{"name":"KSAC3_SERVICE_NO_DIALOG","features":[82]},{"name":"KSAC3_SERVICE_VISUALLY_IMPAIRED","features":[82]},{"name":"KSAC3_SERVICE_VOICE_OVER","features":[82]},{"name":"KSALGORITHMINSTANCE_SYSTEM_ACOUSTIC_ECHO_CANCEL","features":[82]},{"name":"KSALGORITHMINSTANCE_SYSTEM_AGC","features":[82]},{"name":"KSALGORITHMINSTANCE_SYSTEM_MICROPHONE_ARRAY_PROCESSOR","features":[82]},{"name":"KSALGORITHMINSTANCE_SYSTEM_NOISE_SUPPRESS","features":[82]},{"name":"KSALLOCATORMODE","features":[82]},{"name":"KSALLOCATOR_FLAG_2D_BUFFER_REQUIRED","features":[82]},{"name":"KSALLOCATOR_FLAG_ALLOCATOR_EXISTS","features":[82]},{"name":"KSALLOCATOR_FLAG_ATTENTION_STEPPING","features":[82]},{"name":"KSALLOCATOR_FLAG_CAN_ALLOCATE","features":[82]},{"name":"KSALLOCATOR_FLAG_CYCLE","features":[82]},{"name":"KSALLOCATOR_FLAG_DEVICE_SPECIFIC","features":[82]},{"name":"KSALLOCATOR_FLAG_ENABLE_CACHED_MDL","features":[82]},{"name":"KSALLOCATOR_FLAG_INDEPENDENT_RANGES","features":[82]},{"name":"KSALLOCATOR_FLAG_INSIST_ON_FRAMESIZE_RATIO","features":[82]},{"name":"KSALLOCATOR_FLAG_MULTIPLE_OUTPUT","features":[82]},{"name":"KSALLOCATOR_FLAG_NO_FRAME_INTEGRITY","features":[82]},{"name":"KSALLOCATOR_FLAG_PARTIAL_READ_SUPPORT","features":[82]},{"name":"KSALLOCATOR_FRAMING","features":[82]},{"name":"KSALLOCATOR_FRAMING_EX","features":[82]},{"name":"KSALLOCATOR_OPTIONF_COMPATIBLE","features":[82]},{"name":"KSALLOCATOR_OPTIONF_SYSTEM_MEMORY","features":[82]},{"name":"KSALLOCATOR_OPTIONF_VALID","features":[82]},{"name":"KSALLOCATOR_REQUIREMENTF_FRAME_INTEGRITY","features":[82]},{"name":"KSALLOCATOR_REQUIREMENTF_INPLACE_MODIFIER","features":[82]},{"name":"KSALLOCATOR_REQUIREMENTF_MUST_ALLOCATE","features":[82]},{"name":"KSALLOCATOR_REQUIREMENTF_PREFERENCES_ONLY","features":[82]},{"name":"KSALLOCATOR_REQUIREMENTF_SYSTEM_MEMORY","features":[82]},{"name":"KSALLOCATOR_REQUIREMENTF_SYSTEM_MEMORY_CUSTOM_ALLOCATION","features":[82]},{"name":"KSATTRIBUTE","features":[82]},{"name":"KSATTRIBUTEID_AUDIOSIGNALPROCESSING_MODE","features":[82]},{"name":"KSATTRIBUTE_AUDIOSIGNALPROCESSING_MODE","features":[82]},{"name":"KSATTRIBUTE_REQUIRED","features":[82]},{"name":"KSAUDDECOUTMODE_PCM_51","features":[82]},{"name":"KSAUDDECOUTMODE_SPDIFF","features":[82]},{"name":"KSAUDDECOUTMODE_STEREO_ANALOG","features":[82]},{"name":"KSAUDFNAME_3D_CENTER","features":[82]},{"name":"KSAUDFNAME_3D_DEPTH","features":[82]},{"name":"KSAUDFNAME_3D_STEREO","features":[82]},{"name":"KSAUDFNAME_ALTERNATE_MICROPHONE","features":[82]},{"name":"KSAUDFNAME_AUX","features":[82]},{"name":"KSAUDFNAME_AUX_MUTE","features":[82]},{"name":"KSAUDFNAME_AUX_VOLUME","features":[82]},{"name":"KSAUDFNAME_BASS","features":[82]},{"name":"KSAUDFNAME_CD_AUDIO","features":[82]},{"name":"KSAUDFNAME_CD_IN_VOLUME","features":[82]},{"name":"KSAUDFNAME_CD_MUTE","features":[82]},{"name":"KSAUDFNAME_CD_VOLUME","features":[82]},{"name":"KSAUDFNAME_LINE_IN","features":[82]},{"name":"KSAUDFNAME_LINE_IN_VOLUME","features":[82]},{"name":"KSAUDFNAME_LINE_MUTE","features":[82]},{"name":"KSAUDFNAME_LINE_VOLUME","features":[82]},{"name":"KSAUDFNAME_MASTER_MUTE","features":[82]},{"name":"KSAUDFNAME_MASTER_VOLUME","features":[82]},{"name":"KSAUDFNAME_MICROPHONE_BOOST","features":[82]},{"name":"KSAUDFNAME_MIC_IN_VOLUME","features":[82]},{"name":"KSAUDFNAME_MIC_MUTE","features":[82]},{"name":"KSAUDFNAME_MIC_VOLUME","features":[82]},{"name":"KSAUDFNAME_MIDI","features":[82]},{"name":"KSAUDFNAME_MIDI_IN_VOLUME","features":[82]},{"name":"KSAUDFNAME_MIDI_MUTE","features":[82]},{"name":"KSAUDFNAME_MIDI_VOLUME","features":[82]},{"name":"KSAUDFNAME_MIDRANGE","features":[82]},{"name":"KSAUDFNAME_MONO_MIX","features":[82]},{"name":"KSAUDFNAME_MONO_MIX_MUTE","features":[82]},{"name":"KSAUDFNAME_MONO_MIX_VOLUME","features":[82]},{"name":"KSAUDFNAME_MONO_OUT","features":[82]},{"name":"KSAUDFNAME_MONO_OUT_MUTE","features":[82]},{"name":"KSAUDFNAME_MONO_OUT_VOLUME","features":[82]},{"name":"KSAUDFNAME_PC_SPEAKER","features":[82]},{"name":"KSAUDFNAME_PC_SPEAKER_MUTE","features":[82]},{"name":"KSAUDFNAME_PC_SPEAKER_VOLUME","features":[82]},{"name":"KSAUDFNAME_PEAKMETER","features":[82]},{"name":"KSAUDFNAME_RECORDING_CONTROL","features":[82]},{"name":"KSAUDFNAME_RECORDING_SOURCE","features":[82]},{"name":"KSAUDFNAME_STEREO_MIX","features":[82]},{"name":"KSAUDFNAME_STEREO_MIX_MUTE","features":[82]},{"name":"KSAUDFNAME_STEREO_MIX_VOLUME","features":[82]},{"name":"KSAUDFNAME_TREBLE","features":[82]},{"name":"KSAUDFNAME_VIDEO","features":[82]},{"name":"KSAUDFNAME_VIDEO_MUTE","features":[82]},{"name":"KSAUDFNAME_VIDEO_VOLUME","features":[82]},{"name":"KSAUDFNAME_VOLUME_CONTROL","features":[82]},{"name":"KSAUDFNAME_WAVE_IN_VOLUME","features":[82]},{"name":"KSAUDFNAME_WAVE_MUTE","features":[82]},{"name":"KSAUDFNAME_WAVE_OUT_MIX","features":[82]},{"name":"KSAUDFNAME_WAVE_VOLUME","features":[82]},{"name":"KSAUDIOENGINE_BUFFER_SIZE_RANGE","features":[82]},{"name":"KSAUDIOENGINE_DESCRIPTOR","features":[82]},{"name":"KSAUDIOENGINE_DEVICECONTROLS","features":[82]},{"name":"KSAUDIOENGINE_VOLUMELEVEL","features":[82]},{"name":"KSAUDIOMODULE_DESCRIPTOR","features":[82]},{"name":"KSAUDIOMODULE_NOTIFICATION","features":[82]},{"name":"KSAUDIOMODULE_PROPERTY","features":[82]},{"name":"KSAUDIO_CHANNEL_CONFIG","features":[82]},{"name":"KSAUDIO_COPY_PROTECTION","features":[1,82]},{"name":"KSAUDIO_CPU_RESOURCES_HOST_CPU","features":[82]},{"name":"KSAUDIO_CPU_RESOURCES_NOT_HOST_CPU","features":[82]},{"name":"KSAUDIO_DYNAMIC_RANGE","features":[82]},{"name":"KSAUDIO_MICROPHONE_COORDINATES","features":[82]},{"name":"KSAUDIO_MIC_ARRAY_GEOMETRY","features":[82]},{"name":"KSAUDIO_MIXCAP_TABLE","features":[1,82]},{"name":"KSAUDIO_MIXLEVEL","features":[1,82]},{"name":"KSAUDIO_MIX_CAPS","features":[1,82]},{"name":"KSAUDIO_PACKETSIZE_CONSTRAINTS","features":[82]},{"name":"KSAUDIO_PACKETSIZE_CONSTRAINTS2","features":[82]},{"name":"KSAUDIO_PACKETSIZE_PROCESSINGMODE_CONSTRAINT","features":[82]},{"name":"KSAUDIO_POSITION","features":[82]},{"name":"KSAUDIO_POSITIONEX","features":[82]},{"name":"KSAUDIO_PRESENTATION_POSITION","features":[82]},{"name":"KSAUDIO_QUALITY_ADVANCED","features":[82]},{"name":"KSAUDIO_QUALITY_BASIC","features":[82]},{"name":"KSAUDIO_QUALITY_PC","features":[82]},{"name":"KSAUDIO_QUALITY_WORST","features":[82]},{"name":"KSAUDIO_SPEAKER_DIRECTOUT","features":[82]},{"name":"KSAUDIO_SPEAKER_GROUND_FRONT_CENTER","features":[82]},{"name":"KSAUDIO_SPEAKER_GROUND_FRONT_LEFT","features":[82]},{"name":"KSAUDIO_SPEAKER_GROUND_FRONT_RIGHT","features":[82]},{"name":"KSAUDIO_SPEAKER_GROUND_REAR_LEFT","features":[82]},{"name":"KSAUDIO_SPEAKER_GROUND_REAR_RIGHT","features":[82]},{"name":"KSAUDIO_SPEAKER_MONO","features":[82]},{"name":"KSAUDIO_SPEAKER_SUPER_WOOFER","features":[82]},{"name":"KSAUDIO_SPEAKER_TOP_MIDDLE","features":[82]},{"name":"KSAUDIO_STEREO_SPEAKER_GEOMETRY_HEADPHONE","features":[82]},{"name":"KSAUDIO_STEREO_SPEAKER_GEOMETRY_MAX","features":[82]},{"name":"KSAUDIO_STEREO_SPEAKER_GEOMETRY_MIN","features":[82]},{"name":"KSAUDIO_STEREO_SPEAKER_GEOMETRY_NARROW","features":[82]},{"name":"KSAUDIO_STEREO_SPEAKER_GEOMETRY_WIDE","features":[82]},{"name":"KSCAMERAPROFILE_BalancedVideoAndPhoto","features":[82]},{"name":"KSCAMERAPROFILE_CompressedCamera","features":[82]},{"name":"KSCAMERAPROFILE_FLAGS_FACEDETECTION","features":[82]},{"name":"KSCAMERAPROFILE_FLAGS_PHOTOHDR","features":[82]},{"name":"KSCAMERAPROFILE_FLAGS_PREVIEW_RES_MUSTMATCH","features":[82]},{"name":"KSCAMERAPROFILE_FLAGS_VARIABLEPHOTOSEQUENCE","features":[82]},{"name":"KSCAMERAPROFILE_FLAGS_VIDEOHDR","features":[82]},{"name":"KSCAMERAPROFILE_FLAGS_VIDEOSTABLIZATION","features":[82]},{"name":"KSCAMERAPROFILE_FaceAuth_Mode","features":[82]},{"name":"KSCAMERAPROFILE_HDRWithWCGPhoto","features":[82]},{"name":"KSCAMERAPROFILE_HDRWithWCGVideo","features":[82]},{"name":"KSCAMERAPROFILE_HighFrameRate","features":[82]},{"name":"KSCAMERAPROFILE_HighQualityPhoto","features":[82]},{"name":"KSCAMERAPROFILE_Legacy","features":[82]},{"name":"KSCAMERAPROFILE_PhotoSequence","features":[82]},{"name":"KSCAMERAPROFILE_VariablePhotoSequence","features":[82]},{"name":"KSCAMERAPROFILE_VideoConferencing","features":[82]},{"name":"KSCAMERAPROFILE_VideoHDR8","features":[82]},{"name":"KSCAMERAPROFILE_VideoRecording","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ADVANCEDPHOTO_AUTO","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ADVANCEDPHOTO_FNF","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ADVANCEDPHOTO_HDR","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ADVANCEDPHOTO_OFF","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ADVANCEDPHOTO_ULTRALOWLIGHT","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_BACKGROUNDSEGMENTATION_BLUR","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_BACKGROUNDSEGMENTATION_CONFIGCAPS","features":[1,82]},{"name":"KSCAMERA_EXTENDEDPROP_BACKGROUNDSEGMENTATION_MASK","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_BACKGROUNDSEGMENTATION_OFF","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_BACKGROUNDSEGMENTATION_SHALLOWFOCUS","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_CAMERAOFFSET","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_CAPS_ASYNCCONTROL","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_CAPS_CANCELLABLE","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_CAPS_MASK","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_CAPS_RESERVED","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_DIGITALWINDOW_AUTOFACEFRAMING","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_DIGITALWINDOW_CONFIGCAPS","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_DIGITALWINDOW_CONFIGCAPSHEADER","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_DIGITALWINDOW_MANUAL","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_DIGITALWINDOW_SETTING","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_EVCOMPENSATION","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_EVCOMP_FULLSTEP","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_EVCOMP_HALFSTEP","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_EVCOMP_QUARTERSTEP","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_EVCOMP_SIXTHSTEP","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_EVCOMP_THIRDSTEP","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_EYEGAZECORRECTION_OFF","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_EYEGAZECORRECTION_ON","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_EYEGAZECORRECTION_STARE","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FACEAUTH_MODE_ALTERNATIVE_FRAME_ILLUMINATION","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FACEAUTH_MODE_BACKGROUND_SUBTRACTION","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FACEAUTH_MODE_DISABLED","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FACEDETECTION_BLINK","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FACEDETECTION_OFF","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FACEDETECTION_ON","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FACEDETECTION_PHOTO","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FACEDETECTION_PREVIEW","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FACEDETECTION_SMILE","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FACEDETECTION_VIDEO","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FIELDOFVIEW","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FILTERSCOPE","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FLAG_CANCELOPERATION","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FLAG_MASK","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FLASH_ASSISTANT_AUTO","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FLASH_ASSISTANT_OFF","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FLASH_ASSISTANT_ON","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FLASH_AUTO","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FLASH_AUTO_ADJUSTABLEPOWER","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FLASH_MULTIFLASHSUPPORTED","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FLASH_OFF","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FLASH_ON","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FLASH_ON_ADJUSTABLEPOWER","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FLASH_REDEYEREDUCTION","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FLASH_SINGLEFLASH","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUSPRIORITY_OFF","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUSPRIORITY_ON","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUSSTATE","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUSSTATE_FAILED","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUSSTATE_FOCUSED","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUSSTATE_LOST","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUSSTATE_SEARCHING","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUSSTATE_UNINITIALIZED","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_CONTINUOUS","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_CONTINUOUSLOCK","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_DISTANCE_HYPERFOCAL","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_DISTANCE_INFINITY","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_DISTANCE_NEAREST","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_DRIVERFALLBACK_OFF","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_RANGE_FULLRANGE","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_RANGE_HYPERFOCAL","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_RANGE_INFINITY","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_RANGE_MACRO","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_RANGE_NORMAL","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_REGIONBASED","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_UNLOCK","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_HEADER","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_HISTOGRAM_OFF","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_HISTOGRAM_ON","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_IRTORCHMODE_ALTERNATING_FRAME_ILLUMINATION","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_IRTORCHMODE_ALWAYS_ON","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_IRTORCHMODE_OFF","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_100","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_12800","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_1600","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_200","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_25600","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_3200","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_400","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_50","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_6400","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_80","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_800","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_AUTO","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_MANUAL","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_METADATAINFO","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_METADATA_ALIGNMENTREQUIRED","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_METADATA_MEMORYTYPE_MASK","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_METADATA_SYSTEMMEMORY","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_MetadataAlignment","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_MetadataAlignment_1024","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_MetadataAlignment_128","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_MetadataAlignment_16","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_MetadataAlignment_2048","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_MetadataAlignment_256","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_MetadataAlignment_32","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_MetadataAlignment_4096","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_MetadataAlignment_512","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_MetadataAlignment_64","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_MetadataAlignment_8192","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_OIS_AUTO","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_OIS_OFF","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_OIS_ON","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_OPTIMIZATION_DEFAULT","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_OPTIMIZATION_LATENCY","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_OPTIMIZATION_PHOTO","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_OPTIMIZATION_POWER","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_OPTIMIZATION_QUALITY","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_OPTIMIZATION_VIDEO","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOCONFIRMATION_OFF","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOCONFIRMATION_ON","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOMODE","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOMODE_NORMAL","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOMODE_SEQUENCE","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOMODE_SEQUENCE_SUB_NONE","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOMODE_SEQUENCE_SUB_VARIABLE","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOTHUMBNAIL_16X","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOTHUMBNAIL_2X","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOTHUMBNAIL_4X","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOTHUMBNAIL_8X","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOTHUMBNAIL_DISABLE","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_PROFILE","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_RELATIVEPANELOPTIMIZATION_DYNAMIC","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_RELATIVEPANELOPTIMIZATION_OFF","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_RELATIVEPANELOPTIMIZATION_ON","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ROITYPE","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ROITYPE_FACE","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ROITYPE_UNKNOWN","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ROI_CONFIGCAPS","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ROI_CONFIGCAPSHEADER","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ROI_EXPOSURE","features":[1,82]},{"name":"KSCAMERA_EXTENDEDPROP_ROI_FOCUS","features":[1,82]},{"name":"KSCAMERA_EXTENDEDPROP_ROI_INFO","features":[1,82]},{"name":"KSCAMERA_EXTENDEDPROP_ROI_ISPCONTROL","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ROI_ISPCONTROLHEADER","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ROI_WHITEBALANCE","features":[1,82]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_AUTO","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_BACKLIT","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_BEACH","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_CANDLELIGHT","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_LANDSCAPE","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_MACRO","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_MANUAL","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_NIGHT","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_NIGHTPORTRAIT","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_PORTRAIT","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_SNOW","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_SPORT","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_SUNSET","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_SECUREMODE_DISABLED","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_SECUREMODE_ENABLED","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_VALUE","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_VFR_OFF","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_VFR_ON","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOHDR_AUTO","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOHDR_OFF","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOHDR_ON","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOPROCFLAG_AUTO","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOPROCFLAG_LOCK","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOPROCFLAG_MANUAL","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOPROCSETTING","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOSTABILIZATION_AUTO","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOSTABILIZATION_OFF","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOSTABILIZATION_ON","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOTEMPORALDENOISING_AUTO","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOTEMPORALDENOISING_OFF","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOTEMPORALDENOISING_ON","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOTORCH_OFF","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOTORCH_ON","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOTORCH_ON_ADJUSTABLEPOWER","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_WARMSTART_MODE_DISABLED","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_WARMSTART_MODE_ENABLED","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_WBPRESET","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_WBPRESET_CANDLELIGHT","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_WBPRESET_CLOUDY","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_WBPRESET_DAYLIGHT","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_WBPRESET_FLASH","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_WBPRESET_FLUORESCENT","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_WBPRESET_TUNGSTEN","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_WHITEBALANCE_MODE","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_WHITEBALANCE_PRESET","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_WHITEBALANCE_TEMPERATURE","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ZOOM_DEFAULT","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ZOOM_DIRECT","features":[82]},{"name":"KSCAMERA_EXTENDEDPROP_ZOOM_SMOOTH","features":[82]},{"name":"KSCAMERA_MAXVIDEOFPS_FORPHOTORES","features":[82]},{"name":"KSCAMERA_METADATA_BACKGROUNDSEGMENTATIONMASK","features":[1,82]},{"name":"KSCAMERA_METADATA_CAPTURESTATS","features":[82]},{"name":"KSCAMERA_METADATA_CAPTURESTATS_FLAG_EXPOSURECOMPENSATION","features":[82]},{"name":"KSCAMERA_METADATA_CAPTURESTATS_FLAG_EXPOSURETIME","features":[82]},{"name":"KSCAMERA_METADATA_CAPTURESTATS_FLAG_FLASH","features":[82]},{"name":"KSCAMERA_METADATA_CAPTURESTATS_FLAG_FLASHPOWER","features":[82]},{"name":"KSCAMERA_METADATA_CAPTURESTATS_FLAG_FOCUSSTATE","features":[82]},{"name":"KSCAMERA_METADATA_CAPTURESTATS_FLAG_ISOSPEED","features":[82]},{"name":"KSCAMERA_METADATA_CAPTURESTATS_FLAG_LENSPOSITION","features":[82]},{"name":"KSCAMERA_METADATA_CAPTURESTATS_FLAG_SCENEMODE","features":[82]},{"name":"KSCAMERA_METADATA_CAPTURESTATS_FLAG_SENSORFRAMERATE","features":[82]},{"name":"KSCAMERA_METADATA_CAPTURESTATS_FLAG_WHITEBALANCE","features":[82]},{"name":"KSCAMERA_METADATA_CAPTURESTATS_FLAG_ZOOMFACTOR","features":[82]},{"name":"KSCAMERA_METADATA_DIGITALWINDOW","features":[82]},{"name":"KSCAMERA_METADATA_FRAMEILLUMINATION","features":[82]},{"name":"KSCAMERA_METADATA_FRAMEILLUMINATION_FLAG_ON","features":[82]},{"name":"KSCAMERA_METADATA_ITEMHEADER","features":[82]},{"name":"KSCAMERA_METADATA_PHOTOCONFIRMATION","features":[82]},{"name":"KSCAMERA_MetadataId","features":[82]},{"name":"KSCAMERA_PERFRAMESETTING_AUTO","features":[82]},{"name":"KSCAMERA_PERFRAMESETTING_CAP_HEADER","features":[82]},{"name":"KSCAMERA_PERFRAMESETTING_CAP_ITEM_HEADER","features":[82]},{"name":"KSCAMERA_PERFRAMESETTING_CUSTOM_ITEM","features":[82]},{"name":"KSCAMERA_PERFRAMESETTING_FRAME_HEADER","features":[82]},{"name":"KSCAMERA_PERFRAMESETTING_HEADER","features":[82]},{"name":"KSCAMERA_PERFRAMESETTING_ITEM_CUSTOM","features":[82]},{"name":"KSCAMERA_PERFRAMESETTING_ITEM_EXPOSURE_COMPENSATION","features":[82]},{"name":"KSCAMERA_PERFRAMESETTING_ITEM_EXPOSURE_TIME","features":[82]},{"name":"KSCAMERA_PERFRAMESETTING_ITEM_FLASH","features":[82]},{"name":"KSCAMERA_PERFRAMESETTING_ITEM_FOCUS","features":[82]},{"name":"KSCAMERA_PERFRAMESETTING_ITEM_HEADER","features":[82]},{"name":"KSCAMERA_PERFRAMESETTING_ITEM_ISO","features":[82]},{"name":"KSCAMERA_PERFRAMESETTING_ITEM_PHOTOCONFIRMATION","features":[82]},{"name":"KSCAMERA_PERFRAMESETTING_ITEM_TYPE","features":[82]},{"name":"KSCAMERA_PERFRAMESETTING_MANUAL","features":[82]},{"name":"KSCAMERA_PROFILE_CONCURRENCYINFO","features":[82]},{"name":"KSCAMERA_PROFILE_INFO","features":[82]},{"name":"KSCAMERA_PROFILE_MEDIAINFO","features":[82]},{"name":"KSCAMERA_PROFILE_PININFO","features":[82]},{"name":"KSCATEGORY_ACOUSTIC_ECHO_CANCEL","features":[82]},{"name":"KSCATEGORY_AUDIO","features":[82]},{"name":"KSCATEGORY_BRIDGE","features":[82]},{"name":"KSCATEGORY_CAPTURE","features":[82]},{"name":"KSCATEGORY_CLOCK","features":[82]},{"name":"KSCATEGORY_COMMUNICATIONSTRANSFORM","features":[82]},{"name":"KSCATEGORY_CROSSBAR","features":[82]},{"name":"KSCATEGORY_DATACOMPRESSOR","features":[82]},{"name":"KSCATEGORY_DATADECOMPRESSOR","features":[82]},{"name":"KSCATEGORY_DATATRANSFORM","features":[82]},{"name":"KSCATEGORY_ENCODER","features":[82]},{"name":"KSCATEGORY_ESCALANTE_PLATFORM_DRIVER","features":[82]},{"name":"KSCATEGORY_FILESYSTEM","features":[82]},{"name":"KSCATEGORY_INTERFACETRANSFORM","features":[82]},{"name":"KSCATEGORY_MEDIUMTRANSFORM","features":[82]},{"name":"KSCATEGORY_MICROPHONE_ARRAY_PROCESSOR","features":[82]},{"name":"KSCATEGORY_MIXER","features":[82]},{"name":"KSCATEGORY_MULTIPLEXER","features":[82]},{"name":"KSCATEGORY_NETWORK","features":[82]},{"name":"KSCATEGORY_NETWORK_CAMERA","features":[82]},{"name":"KSCATEGORY_PROXY","features":[82]},{"name":"KSCATEGORY_QUALITY","features":[82]},{"name":"KSCATEGORY_REALTIME","features":[82]},{"name":"KSCATEGORY_RENDER","features":[82]},{"name":"KSCATEGORY_SENSOR_CAMERA","features":[82]},{"name":"KSCATEGORY_SENSOR_GROUP","features":[82]},{"name":"KSCATEGORY_SPLITTER","features":[82]},{"name":"KSCATEGORY_TEXT","features":[82]},{"name":"KSCATEGORY_TOPOLOGY","features":[82]},{"name":"KSCATEGORY_TVAUDIO","features":[82]},{"name":"KSCATEGORY_TVTUNER","features":[82]},{"name":"KSCATEGORY_VBICODEC","features":[82]},{"name":"KSCATEGORY_VIDEO","features":[82]},{"name":"KSCATEGORY_VIDEO_CAMERA","features":[82]},{"name":"KSCATEGORY_VIRTUAL","features":[82]},{"name":"KSCATEGORY_VPMUX","features":[82]},{"name":"KSCATEGORY_WDMAUD_USE_PIN_NAME","features":[82]},{"name":"KSCLOCK_CREATE","features":[82]},{"name":"KSCOMPONENTID","features":[82]},{"name":"KSCOMPONENTID_USBAUDIO","features":[82]},{"name":"KSCORRELATED_TIME","features":[82]},{"name":"KSCREATE_ITEM_FREEONSTOP","features":[82]},{"name":"KSCREATE_ITEM_NOPARAMETERS","features":[82]},{"name":"KSCREATE_ITEM_SECURITYCHANGED","features":[82]},{"name":"KSCREATE_ITEM_WILDCARD","features":[82]},{"name":"KSCameraProfileSensorType_Custom","features":[82]},{"name":"KSCameraProfileSensorType_Depth","features":[82]},{"name":"KSCameraProfileSensorType_ImageSegmentation","features":[82]},{"name":"KSCameraProfileSensorType_Infrared","features":[82]},{"name":"KSCameraProfileSensorType_PoseTracking","features":[82]},{"name":"KSCameraProfileSensorType_RGB","features":[82]},{"name":"KSDATAFORMAT","features":[82]},{"name":"KSDATAFORMAT_BIT_ATTRIBUTES","features":[82]},{"name":"KSDATAFORMAT_BIT_TEMPORAL_COMPRESSION","features":[82]},{"name":"KSDATAFORMAT_SPECIFIER_AC3_AUDIO","features":[82]},{"name":"KSDATAFORMAT_SPECIFIER_ANALOGVIDEO","features":[82]},{"name":"KSDATAFORMAT_SPECIFIER_DIALECT_AC3_AUDIO","features":[82]},{"name":"KSDATAFORMAT_SPECIFIER_DIALECT_MPEG1_AUDIO","features":[82]},{"name":"KSDATAFORMAT_SPECIFIER_DIALECT_MPEG1_VIDEO","features":[82]},{"name":"KSDATAFORMAT_SPECIFIER_DIALECT_MPEG2_AUDIO","features":[82]},{"name":"KSDATAFORMAT_SPECIFIER_DIALECT_MPEG2_VIDEO","features":[82]},{"name":"KSDATAFORMAT_SPECIFIER_DSOUND","features":[82]},{"name":"KSDATAFORMAT_SPECIFIER_FILEHANDLE","features":[82]},{"name":"KSDATAFORMAT_SPECIFIER_FILENAME","features":[82]},{"name":"KSDATAFORMAT_SPECIFIER_H264_VIDEO","features":[82]},{"name":"KSDATAFORMAT_SPECIFIER_IMAGE","features":[82]},{"name":"KSDATAFORMAT_SPECIFIER_JPEG_IMAGE","features":[82]},{"name":"KSDATAFORMAT_SPECIFIER_LPCM_AUDIO","features":[82]},{"name":"KSDATAFORMAT_SPECIFIER_MPEG1_VIDEO","features":[82]},{"name":"KSDATAFORMAT_SPECIFIER_MPEG2_AUDIO","features":[82]},{"name":"KSDATAFORMAT_SPECIFIER_MPEG2_VIDEO","features":[82]},{"name":"KSDATAFORMAT_SPECIFIER_NONE","features":[82]},{"name":"KSDATAFORMAT_SPECIFIER_VBI","features":[82]},{"name":"KSDATAFORMAT_SPECIFIER_VC_ID","features":[82]},{"name":"KSDATAFORMAT_SPECIFIER_VIDEOINFO","features":[82]},{"name":"KSDATAFORMAT_SPECIFIER_VIDEOINFO2","features":[82]},{"name":"KSDATAFORMAT_SPECIFIER_WAVEFORMATEX","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_AC3_AUDIO","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_ANALOG","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_CC","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_D16","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_DSS_AUDIO","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_DSS_VIDEO","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_DTS_AUDIO","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_AAC","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_ATRAC","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_DOLBY_DIGITAL","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_DOLBY_DIGITAL_PLUS","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_DOLBY_DIGITAL_PLUS_ATMOS","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_DOLBY_MAT20","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_DOLBY_MAT21","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_DOLBY_MLP","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_DST","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_DTS","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_DTSX_E1","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_DTSX_E2","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_DTS_HD","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_MPEG1","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_MPEG2","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_MPEG3","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_ONE_BIT_AUDIO","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_WMA_PRO","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_IMAGE_RGB32","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_JPEG","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_L16","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_L16_CUSTOM","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_L16_IR","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_L8","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_L8_CUSTOM","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_L8_IR","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_LPCM_AUDIO","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_Line21_BytePair","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_Line21_GOPPacket","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_MIDI","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_MIDI_BUS","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_MJPG_CUSTOM","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_MJPG_DEPTH","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_MJPG_IR","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_MPEG1Packet","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_MPEG1Payload","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_MPEG1Video","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_MPEG2_AUDIO","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_MPEG2_VIDEO","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_MPEGLAYER3","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_MPEG_HEAAC","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_NABTS","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_NABTS_FEC","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_NONE","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_OVERLAY","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_PCM","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_RAW8","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_RIFF","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_RIFFMIDI","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_RIFFWAVE","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_SDDS_AUDIO","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_STANDARD_AC3_AUDIO","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_STANDARD_MPEG1_AUDIO","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_STANDARD_MPEG1_VIDEO","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_STANDARD_MPEG2_AUDIO","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_STANDARD_MPEG2_VIDEO","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_SUBPICTURE","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_TELETEXT","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_VPVBI","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_VPVideo","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_WAVEFORMATEX","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_WMAUDIO2","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_WMAUDIO3","features":[82]},{"name":"KSDATAFORMAT_SUBTYPE_WMAUDIO_LOSSLESS","features":[82]},{"name":"KSDATAFORMAT_TYPE_ANALOGAUDIO","features":[82]},{"name":"KSDATAFORMAT_TYPE_ANALOGVIDEO","features":[82]},{"name":"KSDATAFORMAT_TYPE_AUDIO","features":[82]},{"name":"KSDATAFORMAT_TYPE_AUXLine21Data","features":[82]},{"name":"KSDATAFORMAT_TYPE_DVD_ENCRYPTED_PACK","features":[82]},{"name":"KSDATAFORMAT_TYPE_IMAGE","features":[82]},{"name":"KSDATAFORMAT_TYPE_MIDI","features":[82]},{"name":"KSDATAFORMAT_TYPE_MPEG2_PES","features":[82]},{"name":"KSDATAFORMAT_TYPE_MPEG2_PROGRAM","features":[82]},{"name":"KSDATAFORMAT_TYPE_MPEG2_TRANSPORT","features":[82]},{"name":"KSDATAFORMAT_TYPE_MUSIC","features":[82]},{"name":"KSDATAFORMAT_TYPE_NABTS","features":[82]},{"name":"KSDATAFORMAT_TYPE_STANDARD_ELEMENTARY_STREAM","features":[82]},{"name":"KSDATAFORMAT_TYPE_STANDARD_PACK_HEADER","features":[82]},{"name":"KSDATAFORMAT_TYPE_STANDARD_PES_PACKET","features":[82]},{"name":"KSDATAFORMAT_TYPE_STREAM","features":[82]},{"name":"KSDATAFORMAT_TYPE_TEXT","features":[82]},{"name":"KSDATAFORMAT_TYPE_VBI","features":[82]},{"name":"KSDATAFORMAT_TYPE_VIDEO","features":[82]},{"name":"KSDATARANGE_AUDIO","features":[82]},{"name":"KSDATARANGE_BIT_ATTRIBUTES","features":[82]},{"name":"KSDATARANGE_BIT_REQUIRED_ATTRIBUTES","features":[82]},{"name":"KSDATARANGE_MUSIC","features":[82]},{"name":"KSDEGRADESETID_Standard","features":[82]},{"name":"KSDEGRADE_STANDARD","features":[82]},{"name":"KSDEGRADE_STANDARD_COMPUTATION","features":[82]},{"name":"KSDEGRADE_STANDARD_QUALITY","features":[82]},{"name":"KSDEGRADE_STANDARD_SAMPLE","features":[82]},{"name":"KSDEGRADE_STANDARD_SKIP","features":[82]},{"name":"KSDEVICE_DESCRIPTOR_VERSION","features":[82]},{"name":"KSDEVICE_DESCRIPTOR_VERSION_2","features":[82]},{"name":"KSDEVICE_FLAG_ENABLE_QUERYINTERFACE","features":[82]},{"name":"KSDEVICE_FLAG_ENABLE_REMOTE_WAKEUP","features":[82]},{"name":"KSDEVICE_FLAG_LOWPOWER_PASSTHROUGH","features":[82]},{"name":"KSDEVICE_PROFILE_INFO","features":[82]},{"name":"KSDEVICE_PROFILE_TYPE_CAMERA","features":[82]},{"name":"KSDEVICE_PROFILE_TYPE_UNKNOWN","features":[82]},{"name":"KSDEVICE_THERMAL_STATE","features":[82]},{"name":"KSDEVICE_THERMAL_STATE_HIGH","features":[82]},{"name":"KSDEVICE_THERMAL_STATE_LOW","features":[82]},{"name":"KSDISPATCH_FASTIO","features":[82]},{"name":"KSDISPLAYCHANGE","features":[82]},{"name":"KSDS3D_BUFFER_ALL","features":[82]},{"name":"KSDS3D_BUFFER_CONE_ANGLES","features":[82]},{"name":"KSDS3D_COEFF_COUNT","features":[82]},{"name":"KSDS3D_FILTER_METHOD_COUNT","features":[82]},{"name":"KSDS3D_FILTER_QUALITY_COUNT","features":[82]},{"name":"KSDS3D_HRTF_COEFF_FORMAT","features":[82]},{"name":"KSDS3D_HRTF_FILTER_FORMAT_MSG","features":[82]},{"name":"KSDS3D_HRTF_FILTER_METHOD","features":[82]},{"name":"KSDS3D_HRTF_FILTER_QUALITY","features":[82]},{"name":"KSDS3D_HRTF_FILTER_VERSION","features":[82]},{"name":"KSDS3D_HRTF_INIT_MSG","features":[82]},{"name":"KSDS3D_HRTF_PARAMS_MSG","features":[1,82]},{"name":"KSDS3D_ITD_PARAMS","features":[82]},{"name":"KSDS3D_ITD_PARAMS_MSG","features":[82]},{"name":"KSDS3D_LISTENER_ALL","features":[82]},{"name":"KSDS3D_LISTENER_ORIENTATION","features":[82]},{"name":"KSDSOUND_3D_MODE_DISABLE","features":[82]},{"name":"KSDSOUND_3D_MODE_HEADRELATIVE","features":[82]},{"name":"KSDSOUND_3D_MODE_NORMAL","features":[82]},{"name":"KSDSOUND_BUFFER_CTRL_3D","features":[82]},{"name":"KSDSOUND_BUFFER_CTRL_FREQUENCY","features":[82]},{"name":"KSDSOUND_BUFFER_CTRL_HRTF_3D","features":[82]},{"name":"KSDSOUND_BUFFER_CTRL_PAN","features":[82]},{"name":"KSDSOUND_BUFFER_CTRL_POSITIONNOTIFY","features":[82]},{"name":"KSDSOUND_BUFFER_CTRL_VOLUME","features":[82]},{"name":"KSDSOUND_BUFFER_LOCHARDWARE","features":[82]},{"name":"KSDSOUND_BUFFER_LOCSOFTWARE","features":[82]},{"name":"KSDSOUND_BUFFER_PRIMARY","features":[82]},{"name":"KSDSOUND_BUFFER_STATIC","features":[82]},{"name":"KSERROR","features":[82]},{"name":"KSEVENTDATA","features":[1,82]},{"name":"KSEVENTF_DPC","features":[82]},{"name":"KSEVENTF_EVENT_HANDLE","features":[82]},{"name":"KSEVENTF_EVENT_OBJECT","features":[82]},{"name":"KSEVENTF_KSWORKITEM","features":[82]},{"name":"KSEVENTF_SEMAPHORE_HANDLE","features":[82]},{"name":"KSEVENTF_SEMAPHORE_OBJECT","features":[82]},{"name":"KSEVENTF_WORKITEM","features":[82]},{"name":"KSEVENTSETID_AudioControlChange","features":[82]},{"name":"KSEVENTSETID_CameraAsyncControl","features":[82]},{"name":"KSEVENTSETID_CameraEvent","features":[82]},{"name":"KSEVENTSETID_Clock","features":[82]},{"name":"KSEVENTSETID_Connection","features":[82]},{"name":"KSEVENTSETID_Device","features":[82]},{"name":"KSEVENTSETID_DynamicFormatChange","features":[82]},{"name":"KSEVENTSETID_EXTDEV_Command","features":[82]},{"name":"KSEVENTSETID_ExtendedCameraControl","features":[82]},{"name":"KSEVENTSETID_LoopedStreaming","features":[82]},{"name":"KSEVENTSETID_PinCapsChange","features":[82]},{"name":"KSEVENTSETID_SoundDetector","features":[82]},{"name":"KSEVENTSETID_StreamAllocator","features":[82]},{"name":"KSEVENTSETID_Telephony","features":[82]},{"name":"KSEVENTSETID_VIDCAPTOSTI","features":[82]},{"name":"KSEVENTSETID_VIDCAP_TVAUDIO","features":[82]},{"name":"KSEVENTSETID_VPNotify","features":[82]},{"name":"KSEVENTSETID_VPVBINotify","features":[82]},{"name":"KSEVENTSETID_VolumeLimit","features":[82]},{"name":"KSEVENT_AUDIO_CONTROL_CHANGE","features":[82]},{"name":"KSEVENT_CAMERACONTROL","features":[82]},{"name":"KSEVENT_CAMERACONTROL_FOCUS","features":[82]},{"name":"KSEVENT_CAMERACONTROL_ZOOM","features":[82]},{"name":"KSEVENT_CAMERAEVENT","features":[82]},{"name":"KSEVENT_CLOCK_INTERVAL_MARK","features":[82]},{"name":"KSEVENT_CLOCK_POSITION","features":[82]},{"name":"KSEVENT_CLOCK_POSITION_MARK","features":[82]},{"name":"KSEVENT_CONNECTION","features":[82]},{"name":"KSEVENT_CONNECTION_DATADISCONTINUITY","features":[82]},{"name":"KSEVENT_CONNECTION_ENDOFSTREAM","features":[82]},{"name":"KSEVENT_CONNECTION_POSITIONUPDATE","features":[82]},{"name":"KSEVENT_CONNECTION_PRIORITY","features":[82]},{"name":"KSEVENT_CONNECTION_TIMEDISCONTINUITY","features":[82]},{"name":"KSEVENT_CONTROL_CHANGE","features":[82]},{"name":"KSEVENT_CROSSBAR","features":[82]},{"name":"KSEVENT_CROSSBAR_CHANGED","features":[82]},{"name":"KSEVENT_DEVCMD","features":[82]},{"name":"KSEVENT_DEVICE","features":[82]},{"name":"KSEVENT_DEVICE_LOST","features":[82]},{"name":"KSEVENT_DEVICE_PREEMPTED","features":[82]},{"name":"KSEVENT_DEVICE_THERMAL_HIGH","features":[82]},{"name":"KSEVENT_DEVICE_THERMAL_LOW","features":[82]},{"name":"KSEVENT_DYNAMICFORMATCHANGE","features":[82]},{"name":"KSEVENT_DYNAMIC_FORMAT_CHANGE","features":[82]},{"name":"KSEVENT_ENTRY_BUFFERED","features":[82]},{"name":"KSEVENT_ENTRY_DELETED","features":[82]},{"name":"KSEVENT_ENTRY_ONESHOT","features":[82]},{"name":"KSEVENT_EXTDEV_COMMAND_BUSRESET","features":[82]},{"name":"KSEVENT_EXTDEV_COMMAND_CONTROL_INTERIM_READY","features":[82]},{"name":"KSEVENT_EXTDEV_COMMAND_NOTIFY_INTERIM_READY","features":[82]},{"name":"KSEVENT_EXTDEV_NOTIFY_MEDIUM_CHANGE","features":[82]},{"name":"KSEVENT_EXTDEV_NOTIFY_REMOVAL","features":[82]},{"name":"KSEVENT_EXTDEV_OPERATION_MODE_UPDATE","features":[82]},{"name":"KSEVENT_EXTDEV_TIMECODE_UPDATE","features":[82]},{"name":"KSEVENT_EXTDEV_TRANSPORT_STATE_UPDATE","features":[82]},{"name":"KSEVENT_LOOPEDSTREAMING","features":[82]},{"name":"KSEVENT_LOOPEDSTREAMING_POSITION","features":[82]},{"name":"KSEVENT_PHOTO_SAMPLE_SCANNED","features":[82]},{"name":"KSEVENT_PINCAPS_CHANGENOTIFICATIONS","features":[82]},{"name":"KSEVENT_PINCAPS_FORMATCHANGE","features":[82]},{"name":"KSEVENT_PINCAPS_JACKINFOCHANGE","features":[82]},{"name":"KSEVENT_SOUNDDETECTOR","features":[82]},{"name":"KSEVENT_SOUNDDETECTOR_MATCHDETECTED","features":[82]},{"name":"KSEVENT_STREAMALLOCATOR","features":[82]},{"name":"KSEVENT_STREAMALLOCATOR_FREEFRAME","features":[82]},{"name":"KSEVENT_STREAMALLOCATOR_INTERNAL_FREEFRAME","features":[82]},{"name":"KSEVENT_TELEPHONY","features":[82]},{"name":"KSEVENT_TELEPHONY_ENDPOINTPAIRS_CHANGED","features":[82]},{"name":"KSEVENT_TIME_INTERVAL","features":[1,82]},{"name":"KSEVENT_TIME_MARK","features":[1,82]},{"name":"KSEVENT_TUNER","features":[82]},{"name":"KSEVENT_TUNER_CHANGED","features":[82]},{"name":"KSEVENT_TUNER_INITIATE_SCAN","features":[82]},{"name":"KSEVENT_TUNER_INITIATE_SCAN_S","features":[1,82]},{"name":"KSEVENT_TVAUDIO","features":[82]},{"name":"KSEVENT_TVAUDIO_CHANGED","features":[82]},{"name":"KSEVENT_TYPE_BASICSUPPORT","features":[82]},{"name":"KSEVENT_TYPE_ENABLE","features":[82]},{"name":"KSEVENT_TYPE_ENABLEBUFFERED","features":[82]},{"name":"KSEVENT_TYPE_ONESHOT","features":[82]},{"name":"KSEVENT_TYPE_QUERYBUFFER","features":[82]},{"name":"KSEVENT_TYPE_SETSUPPORT","features":[82]},{"name":"KSEVENT_TYPE_TOPOLOGY","features":[82]},{"name":"KSEVENT_VIDCAPTOSTI","features":[82]},{"name":"KSEVENT_VIDCAPTOSTI_EXT_TRIGGER","features":[82]},{"name":"KSEVENT_VIDCAP_AUTO_UPDATE","features":[82]},{"name":"KSEVENT_VIDCAP_SEARCH","features":[82]},{"name":"KSEVENT_VIDEODECODER","features":[82]},{"name":"KSEVENT_VIDEODECODER_CHANGED","features":[82]},{"name":"KSEVENT_VOLUMELIMIT","features":[82]},{"name":"KSEVENT_VOLUMELIMIT_CHANGED","features":[82]},{"name":"KSEVENT_VPNOTIFY","features":[82]},{"name":"KSEVENT_VPNOTIFY_FORMATCHANGE","features":[82]},{"name":"KSEVENT_VPVBINOTIFY","features":[82]},{"name":"KSEVENT_VPVBINOTIFY_FORMATCHANGE","features":[82]},{"name":"KSE_NODE","features":[82]},{"name":"KSE_PIN","features":[82]},{"name":"KSFILTER_FLAG_CRITICAL_PROCESSING","features":[82]},{"name":"KSFILTER_FLAG_DENY_USERMODE_ACCESS","features":[82]},{"name":"KSFILTER_FLAG_DISPATCH_LEVEL_PROCESSING","features":[82]},{"name":"KSFILTER_FLAG_HYPERCRITICAL_PROCESSING","features":[82]},{"name":"KSFILTER_FLAG_PRIORITIZE_REFERENCEGUID","features":[82]},{"name":"KSFILTER_FLAG_RECEIVE_ZERO_LENGTH_SAMPLES","features":[82]},{"name":"KSFRAMETIME","features":[82]},{"name":"KSFRAMETIME_VARIABLESIZE","features":[82]},{"name":"KSGOP_USERDATA","features":[82]},{"name":"KSIDENTIFIER","features":[82]},{"name":"KSINTERFACESETID_FileIo","features":[82]},{"name":"KSINTERFACESETID_Media","features":[82]},{"name":"KSINTERFACESETID_Standard","features":[82]},{"name":"KSINTERFACE_FILEIO","features":[82]},{"name":"KSINTERFACE_FILEIO_STREAMING","features":[82]},{"name":"KSINTERFACE_MEDIA","features":[82]},{"name":"KSINTERFACE_MEDIA_MUSIC","features":[82]},{"name":"KSINTERFACE_MEDIA_WAVE_BUFFERED","features":[82]},{"name":"KSINTERFACE_MEDIA_WAVE_QUEUED","features":[82]},{"name":"KSINTERFACE_STANDARD","features":[82]},{"name":"KSINTERFACE_STANDARD_CONTROL","features":[82]},{"name":"KSINTERFACE_STANDARD_LOOPED_STREAMING","features":[82]},{"name":"KSINTERFACE_STANDARD_STREAMING","features":[82]},{"name":"KSINTERVAL","features":[82]},{"name":"KSIOOPERATION","features":[82]},{"name":"KSJACK_DESCRIPTION","features":[1,82]},{"name":"KSJACK_DESCRIPTION2","features":[82]},{"name":"KSJACK_DESCRIPTION3","features":[82]},{"name":"KSJACK_SINK_CONNECTIONTYPE","features":[82]},{"name":"KSJACK_SINK_CONNECTIONTYPE_DISPLAYPORT","features":[82]},{"name":"KSJACK_SINK_CONNECTIONTYPE_HDMI","features":[82]},{"name":"KSJACK_SINK_INFORMATION","features":[1,82]},{"name":"KSMEDIUMSETID_MidiBus","features":[82]},{"name":"KSMEDIUMSETID_Standard","features":[82]},{"name":"KSMEDIUMSETID_VPBus","features":[82]},{"name":"KSMEDIUM_STANDARD_DEVIO","features":[82]},{"name":"KSMEDIUM_TYPE_ANYINSTANCE","features":[82]},{"name":"KSMEMORY_TYPE_DEVICE_UNKNOWN","features":[82]},{"name":"KSMEMORY_TYPE_KERNEL_NONPAGED","features":[82]},{"name":"KSMEMORY_TYPE_KERNEL_PAGED","features":[82]},{"name":"KSMEMORY_TYPE_SYSTEM","features":[82]},{"name":"KSMEMORY_TYPE_USER","features":[82]},{"name":"KSMETHODSETID_StreamAllocator","features":[82]},{"name":"KSMETHODSETID_StreamIo","features":[82]},{"name":"KSMETHODSETID_Wavetable","features":[82]},{"name":"KSMETHOD_STREAMALLOCATOR","features":[82]},{"name":"KSMETHOD_STREAMALLOCATOR_ALLOC","features":[82]},{"name":"KSMETHOD_STREAMALLOCATOR_FREE","features":[82]},{"name":"KSMETHOD_STREAMIO","features":[82]},{"name":"KSMETHOD_STREAMIO_READ","features":[82]},{"name":"KSMETHOD_STREAMIO_WRITE","features":[82]},{"name":"KSMETHOD_TYPE_BASICSUPPORT","features":[82]},{"name":"KSMETHOD_TYPE_MODIFY","features":[82]},{"name":"KSMETHOD_TYPE_NONE","features":[82]},{"name":"KSMETHOD_TYPE_READ","features":[82]},{"name":"KSMETHOD_TYPE_SEND","features":[82]},{"name":"KSMETHOD_TYPE_SETSUPPORT","features":[82]},{"name":"KSMETHOD_TYPE_SOURCE","features":[82]},{"name":"KSMETHOD_TYPE_TOPOLOGY","features":[82]},{"name":"KSMETHOD_TYPE_WRITE","features":[82]},{"name":"KSMETHOD_WAVETABLE","features":[82]},{"name":"KSMETHOD_WAVETABLE_WAVE_ALLOC","features":[82]},{"name":"KSMETHOD_WAVETABLE_WAVE_FIND","features":[82]},{"name":"KSMETHOD_WAVETABLE_WAVE_FREE","features":[82]},{"name":"KSMETHOD_WAVETABLE_WAVE_WRITE","features":[82]},{"name":"KSMETHOD_WAVE_QUEUED_BREAKLOOP","features":[82]},{"name":"KSMFT_CATEGORY_AUDIO_DECODER","features":[82]},{"name":"KSMFT_CATEGORY_AUDIO_EFFECT","features":[82]},{"name":"KSMFT_CATEGORY_AUDIO_ENCODER","features":[82]},{"name":"KSMFT_CATEGORY_DEMULTIPLEXER","features":[82]},{"name":"KSMFT_CATEGORY_MULTIPLEXER","features":[82]},{"name":"KSMFT_CATEGORY_OTHER","features":[82]},{"name":"KSMFT_CATEGORY_VIDEO_DECODER","features":[82]},{"name":"KSMFT_CATEGORY_VIDEO_EFFECT","features":[82]},{"name":"KSMFT_CATEGORY_VIDEO_ENCODER","features":[82]},{"name":"KSMFT_CATEGORY_VIDEO_PROCESSOR","features":[82]},{"name":"KSMICARRAY_MICARRAYTYPE","features":[82]},{"name":"KSMICARRAY_MICARRAYTYPE_3D","features":[82]},{"name":"KSMICARRAY_MICARRAYTYPE_LINEAR","features":[82]},{"name":"KSMICARRAY_MICARRAYTYPE_PLANAR","features":[82]},{"name":"KSMICARRAY_MICTYPE","features":[82]},{"name":"KSMICARRAY_MICTYPE_8SHAPED","features":[82]},{"name":"KSMICARRAY_MICTYPE_CARDIOID","features":[82]},{"name":"KSMICARRAY_MICTYPE_HYPERCARDIOID","features":[82]},{"name":"KSMICARRAY_MICTYPE_OMNIDIRECTIONAL","features":[82]},{"name":"KSMICARRAY_MICTYPE_SUBCARDIOID","features":[82]},{"name":"KSMICARRAY_MICTYPE_SUPERCARDIOID","features":[82]},{"name":"KSMICARRAY_MICTYPE_VENDORDEFINED","features":[82]},{"name":"KSMPEGVIDMODE_LTRBOX","features":[82]},{"name":"KSMPEGVIDMODE_PANSCAN","features":[82]},{"name":"KSMPEGVIDMODE_SCALE","features":[82]},{"name":"KSMPEGVID_RECT","features":[82]},{"name":"KSMULTIPLE_DATA_PROP","features":[82]},{"name":"KSMULTIPLE_ITEM","features":[82]},{"name":"KSMUSICFORMAT","features":[82]},{"name":"KSMUSIC_TECHNOLOGY_FMSYNTH","features":[82]},{"name":"KSMUSIC_TECHNOLOGY_PORT","features":[82]},{"name":"KSMUSIC_TECHNOLOGY_SQSYNTH","features":[82]},{"name":"KSMUSIC_TECHNOLOGY_SWSYNTH","features":[82]},{"name":"KSMUSIC_TECHNOLOGY_WAVETABLE","features":[82]},{"name":"KSM_NODE","features":[82]},{"name":"KSNAME_Allocator","features":[82]},{"name":"KSNAME_Clock","features":[82]},{"name":"KSNAME_Filter","features":[82]},{"name":"KSNAME_Pin","features":[82]},{"name":"KSNAME_TopologyNode","features":[82]},{"name":"KSNODEPIN_AEC_CAPTURE_IN","features":[82]},{"name":"KSNODEPIN_AEC_CAPTURE_OUT","features":[82]},{"name":"KSNODEPIN_AEC_RENDER_IN","features":[82]},{"name":"KSNODEPIN_AEC_RENDER_OUT","features":[82]},{"name":"KSNODEPIN_DEMUX_IN","features":[82]},{"name":"KSNODEPIN_DEMUX_OUT","features":[82]},{"name":"KSNODEPIN_STANDARD_IN","features":[82]},{"name":"KSNODEPIN_STANDARD_OUT","features":[82]},{"name":"KSNODEPIN_SUM_MUX_IN","features":[82]},{"name":"KSNODEPIN_SUM_MUX_OUT","features":[82]},{"name":"KSNODEPROPERTY","features":[82]},{"name":"KSNODEPROPERTY_AUDIO_3D_LISTENER","features":[82]},{"name":"KSNODEPROPERTY_AUDIO_3D_LISTENER","features":[82]},{"name":"KSNODEPROPERTY_AUDIO_CHANNEL","features":[82]},{"name":"KSNODEPROPERTY_AUDIO_DEV_SPECIFIC","features":[82]},{"name":"KSNODEPROPERTY_AUDIO_PROPERTY","features":[82]},{"name":"KSNODEPROPERTY_AUDIO_PROPERTY","features":[82]},{"name":"KSNODETYPE_1394_DA_STREAM","features":[82]},{"name":"KSNODETYPE_1394_DV_STREAM_SOUNDTRACK","features":[82]},{"name":"KSNODETYPE_3D_EFFECTS","features":[82]},{"name":"KSNODETYPE_ADC","features":[82]},{"name":"KSNODETYPE_AGC","features":[82]},{"name":"KSNODETYPE_ANALOG_CONNECTOR","features":[82]},{"name":"KSNODETYPE_ANALOG_TAPE","features":[82]},{"name":"KSNODETYPE_AUDIO_ENGINE","features":[82]},{"name":"KSNODETYPE_AUDIO_KEYWORDDETECTOR","features":[82]},{"name":"KSNODETYPE_AUDIO_LOOPBACK","features":[82]},{"name":"KSNODETYPE_AUDIO_MODULE","features":[82]},{"name":"KSNODETYPE_BIDIRECTIONAL_UNDEFINED","features":[82]},{"name":"KSNODETYPE_CABLE_TUNER_AUDIO","features":[82]},{"name":"KSNODETYPE_CD_PLAYER","features":[82]},{"name":"KSNODETYPE_CHORUS","features":[82]},{"name":"KSNODETYPE_COMMUNICATION_SPEAKER","features":[82]},{"name":"KSNODETYPE_DAC","features":[82]},{"name":"KSNODETYPE_DAT_IO_DIGITAL_AUDIO_TAPE","features":[82]},{"name":"KSNODETYPE_DCC_IO_DIGITAL_COMPACT_CASSETTE","features":[82]},{"name":"KSNODETYPE_DELAY","features":[82]},{"name":"KSNODETYPE_DEMUX","features":[82]},{"name":"KSNODETYPE_DESKTOP_MICROPHONE","features":[82]},{"name":"KSNODETYPE_DESKTOP_SPEAKER","features":[82]},{"name":"KSNODETYPE_DEV_SPECIFIC","features":[82]},{"name":"KSNODETYPE_DIGITAL_AUDIO_INTERFACE","features":[82]},{"name":"KSNODETYPE_DISPLAYPORT_INTERFACE","features":[82]},{"name":"KSNODETYPE_DOWN_LINE_PHONE","features":[82]},{"name":"KSNODETYPE_DRM_DESCRAMBLE","features":[82]},{"name":"KSNODETYPE_DSS_AUDIO","features":[82]},{"name":"KSNODETYPE_DVD_AUDIO","features":[82]},{"name":"KSNODETYPE_DYN_RANGE_COMPRESSOR","features":[82]},{"name":"KSNODETYPE_ECHO_CANCELING_SPEAKERPHONE","features":[82]},{"name":"KSNODETYPE_ECHO_SUPPRESSING_SPEAKERPHONE","features":[82]},{"name":"KSNODETYPE_EMBEDDED_UNDEFINED","features":[82]},{"name":"KSNODETYPE_EQUALIZATION_NOISE","features":[82]},{"name":"KSNODETYPE_EQUALIZER","features":[82]},{"name":"KSNODETYPE_EXTERNAL_UNDEFINED","features":[82]},{"name":"KSNODETYPE_FM_RX","features":[82]},{"name":"KSNODETYPE_HANDSET","features":[82]},{"name":"KSNODETYPE_HDMI_INTERFACE","features":[82]},{"name":"KSNODETYPE_HEADPHONES","features":[82]},{"name":"KSNODETYPE_HEADSET","features":[82]},{"name":"KSNODETYPE_HEAD_MOUNTED_DISPLAY_AUDIO","features":[82]},{"name":"KSNODETYPE_INPUT_UNDEFINED","features":[82]},{"name":"KSNODETYPE_LEGACY_AUDIO_CONNECTOR","features":[82]},{"name":"KSNODETYPE_LEVEL_CALIBRATION_NOISE_SOURCE","features":[82]},{"name":"KSNODETYPE_LINE_CONNECTOR","features":[82]},{"name":"KSNODETYPE_LOUDNESS","features":[82]},{"name":"KSNODETYPE_LOW_FREQUENCY_EFFECTS_SPEAKER","features":[82]},{"name":"KSNODETYPE_MICROPHONE","features":[82]},{"name":"KSNODETYPE_MICROPHONE_ARRAY","features":[82]},{"name":"KSNODETYPE_MIDI_ELEMENT","features":[82]},{"name":"KSNODETYPE_MIDI_JACK","features":[82]},{"name":"KSNODETYPE_MINIDISK","features":[82]},{"name":"KSNODETYPE_MULTITRACK_RECORDER","features":[82]},{"name":"KSNODETYPE_MUTE","features":[82]},{"name":"KSNODETYPE_MUX","features":[82]},{"name":"KSNODETYPE_NOISE_SUPPRESS","features":[82]},{"name":"KSNODETYPE_OMNI_DIRECTIONAL_MICROPHONE","features":[82]},{"name":"KSNODETYPE_OUTPUT_UNDEFINED","features":[82]},{"name":"KSNODETYPE_PARAMETRIC_EQUALIZER","features":[82]},{"name":"KSNODETYPE_PEAKMETER","features":[82]},{"name":"KSNODETYPE_PERSONAL_MICROPHONE","features":[82]},{"name":"KSNODETYPE_PHONE_LINE","features":[82]},{"name":"KSNODETYPE_PHONOGRAPH","features":[82]},{"name":"KSNODETYPE_PROCESSING_MICROPHONE_ARRAY","features":[82]},{"name":"KSNODETYPE_PROLOGIC_DECODER","features":[82]},{"name":"KSNODETYPE_PROLOGIC_ENCODER","features":[82]},{"name":"KSNODETYPE_RADIO_RECEIVER","features":[82]},{"name":"KSNODETYPE_RADIO_TRANSMITTER","features":[82]},{"name":"KSNODETYPE_REVERB","features":[82]},{"name":"KSNODETYPE_ROOM_SPEAKER","features":[82]},{"name":"KSNODETYPE_SATELLITE_RECEIVER_AUDIO","features":[82]},{"name":"KSNODETYPE_SPDIF_INTERFACE","features":[82]},{"name":"KSNODETYPE_SPEAKER","features":[82]},{"name":"KSNODETYPE_SPEAKERPHONE_NO_ECHO_REDUCTION","features":[82]},{"name":"KSNODETYPE_SPEAKERS_STATIC_JACK","features":[82]},{"name":"KSNODETYPE_SRC","features":[82]},{"name":"KSNODETYPE_STEREO_WIDE","features":[82]},{"name":"KSNODETYPE_SUM","features":[82]},{"name":"KSNODETYPE_SUPERMIX","features":[82]},{"name":"KSNODETYPE_SYNTHESIZER","features":[82]},{"name":"KSNODETYPE_TELEPHONE","features":[82]},{"name":"KSNODETYPE_TELEPHONY_BIDI","features":[82]},{"name":"KSNODETYPE_TELEPHONY_UNDEFINED","features":[82]},{"name":"KSNODETYPE_TONE","features":[82]},{"name":"KSNODETYPE_TV_TUNER_AUDIO","features":[82]},{"name":"KSNODETYPE_UPDOWN_MIX","features":[82]},{"name":"KSNODETYPE_VCR_AUDIO","features":[82]},{"name":"KSNODETYPE_VIDEO_CAMERA_TERMINAL","features":[82]},{"name":"KSNODETYPE_VIDEO_DISC_AUDIO","features":[82]},{"name":"KSNODETYPE_VIDEO_INPUT_MTT","features":[82]},{"name":"KSNODETYPE_VIDEO_INPUT_TERMINAL","features":[82]},{"name":"KSNODETYPE_VIDEO_OUTPUT_MTT","features":[82]},{"name":"KSNODETYPE_VIDEO_OUTPUT_TERMINAL","features":[82]},{"name":"KSNODETYPE_VIDEO_PROCESSING","features":[82]},{"name":"KSNODETYPE_VIDEO_SELECTOR","features":[82]},{"name":"KSNODETYPE_VIDEO_STREAMING","features":[82]},{"name":"KSNODETYPE_VOLUME","features":[82]},{"name":"KSNODE_CREATE","features":[82]},{"name":"KSNOTIFICATIONID_AudioModule","features":[82]},{"name":"KSNOTIFICATIONID_SoundDetector","features":[82]},{"name":"KSPEEKOPERATION","features":[82]},{"name":"KSPIN_CINSTANCES","features":[82]},{"name":"KSPIN_COMMUNICATION","features":[82]},{"name":"KSPIN_COMMUNICATION_BOTH","features":[82]},{"name":"KSPIN_COMMUNICATION_BRIDGE","features":[82]},{"name":"KSPIN_COMMUNICATION_NONE","features":[82]},{"name":"KSPIN_COMMUNICATION_SINK","features":[82]},{"name":"KSPIN_COMMUNICATION_SOURCE","features":[82]},{"name":"KSPIN_CONNECT","features":[1,82]},{"name":"KSPIN_DATAFLOW","features":[82]},{"name":"KSPIN_DATAFLOW_IN","features":[82]},{"name":"KSPIN_DATAFLOW_OUT","features":[82]},{"name":"KSPIN_FLAG_ASYNCHRONOUS_PROCESSING","features":[82]},{"name":"KSPIN_FLAG_CRITICAL_PROCESSING","features":[82]},{"name":"KSPIN_FLAG_DENY_USERMODE_ACCESS","features":[82]},{"name":"KSPIN_FLAG_DISPATCH_LEVEL_PROCESSING","features":[82]},{"name":"KSPIN_FLAG_DISTINCT_TRAILING_EDGE","features":[82]},{"name":"KSPIN_FLAG_DO_NOT_INITIATE_PROCESSING","features":[82]},{"name":"KSPIN_FLAG_DO_NOT_USE_STANDARD_TRANSPORT","features":[82]},{"name":"KSPIN_FLAG_ENFORCE_FIFO","features":[82]},{"name":"KSPIN_FLAG_FIXED_FORMAT","features":[82]},{"name":"KSPIN_FLAG_FRAMES_NOT_REQUIRED_FOR_PROCESSING","features":[82]},{"name":"KSPIN_FLAG_GENERATE_EOS_EVENTS","features":[82]},{"name":"KSPIN_FLAG_GENERATE_MAPPINGS","features":[82]},{"name":"KSPIN_FLAG_HYPERCRITICAL_PROCESSING","features":[82]},{"name":"KSPIN_FLAG_IMPLEMENT_CLOCK","features":[82]},{"name":"KSPIN_FLAG_INITIATE_PROCESSING_ON_EVERY_ARRIVAL","features":[82]},{"name":"KSPIN_FLAG_PROCESS_IF_ANY_IN_RUN_STATE","features":[82]},{"name":"KSPIN_FLAG_PROCESS_IN_RUN_STATE_ONLY","features":[82]},{"name":"KSPIN_FLAG_SOME_FRAMES_REQUIRED_FOR_PROCESSING","features":[82]},{"name":"KSPIN_FLAG_SPLITTER","features":[82]},{"name":"KSPIN_FLAG_USE_STANDARD_TRANSPORT","features":[82]},{"name":"KSPIN_MDL_CACHING_EVENT","features":[82]},{"name":"KSPIN_MDL_CACHING_NOTIFICATION","features":[82]},{"name":"KSPIN_MDL_CACHING_NOTIFICATION32","features":[82]},{"name":"KSPIN_MDL_CACHING_NOTIFY_ADDSAMPLE","features":[82]},{"name":"KSPIN_MDL_CACHING_NOTIFY_CLEANALL_NOWAIT","features":[82]},{"name":"KSPIN_MDL_CACHING_NOTIFY_CLEANALL_WAIT","features":[82]},{"name":"KSPIN_MDL_CACHING_NOTIFY_CLEANUP","features":[82]},{"name":"KSPIN_PHYSICALCONNECTION","features":[82]},{"name":"KSPPROPERTY_ALLOCATOR_MDLCACHING","features":[82]},{"name":"KSPRIORITY","features":[82]},{"name":"KSPRIORITY_EXCLUSIVE","features":[82]},{"name":"KSPRIORITY_HIGH","features":[82]},{"name":"KSPRIORITY_LOW","features":[82]},{"name":"KSPRIORITY_NORMAL","features":[82]},{"name":"KSPROBE_ALLOCATEMDL","features":[82]},{"name":"KSPROBE_ALLOWFORMATCHANGE","features":[82]},{"name":"KSPROBE_MODIFY","features":[82]},{"name":"KSPROBE_PROBEANDLOCK","features":[82]},{"name":"KSPROBE_STREAMREAD","features":[82]},{"name":"KSPROBE_STREAMWRITE","features":[82]},{"name":"KSPROBE_SYSTEMADDRESS","features":[82]},{"name":"KSPROPERTYSETID_ExtendedCameraControl","features":[82]},{"name":"KSPROPERTYSETID_NetworkCameraControl","features":[82]},{"name":"KSPROPERTYSETID_PerFrameSettingControl","features":[82]},{"name":"KSPROPERTY_AC3","features":[82]},{"name":"KSPROPERTY_AC3_ALTERNATE_AUDIO","features":[82]},{"name":"KSPROPERTY_AC3_BIT_STREAM_MODE","features":[82]},{"name":"KSPROPERTY_AC3_DIALOGUE_LEVEL","features":[82]},{"name":"KSPROPERTY_AC3_DOWNMIX","features":[82]},{"name":"KSPROPERTY_AC3_ERROR_CONCEALMENT","features":[82]},{"name":"KSPROPERTY_AC3_LANGUAGE_CODE","features":[82]},{"name":"KSPROPERTY_AC3_ROOM_TYPE","features":[82]},{"name":"KSPROPERTY_ALLOCATOR_CLEANUP_CACHEDMDLPAGES","features":[82]},{"name":"KSPROPERTY_ALLOCATOR_CONTROL","features":[82]},{"name":"KSPROPERTY_ALLOCATOR_CONTROL_CAPTURE_CAPS","features":[82]},{"name":"KSPROPERTY_ALLOCATOR_CONTROL_CAPTURE_CAPS_S","features":[82]},{"name":"KSPROPERTY_ALLOCATOR_CONTROL_CAPTURE_INTERLEAVE","features":[82]},{"name":"KSPROPERTY_ALLOCATOR_CONTROL_CAPTURE_INTERLEAVE_S","features":[82]},{"name":"KSPROPERTY_ALLOCATOR_CONTROL_HONOR_COUNT","features":[82]},{"name":"KSPROPERTY_ALLOCATOR_CONTROL_SURFACE_SIZE","features":[82]},{"name":"KSPROPERTY_ALLOCATOR_CONTROL_SURFACE_SIZE_S","features":[82]},{"name":"KSPROPERTY_ATN_READER","features":[82]},{"name":"KSPROPERTY_AUDDECOUT","features":[82]},{"name":"KSPROPERTY_AUDDECOUT_CUR_MODE","features":[82]},{"name":"KSPROPERTY_AUDDECOUT_MODES","features":[82]},{"name":"KSPROPERTY_AUDIO","features":[82]},{"name":"KSPROPERTY_AUDIOENGINE","features":[82]},{"name":"KSPROPERTY_AUDIOENGINE_BUFFER_SIZE_RANGE","features":[82]},{"name":"KSPROPERTY_AUDIOENGINE_DESCRIPTOR","features":[82]},{"name":"KSPROPERTY_AUDIOENGINE_DEVICECONTROLS","features":[82]},{"name":"KSPROPERTY_AUDIOENGINE_DEVICEFORMAT","features":[82]},{"name":"KSPROPERTY_AUDIOENGINE_GFXENABLE","features":[82]},{"name":"KSPROPERTY_AUDIOENGINE_LFXENABLE","features":[82]},{"name":"KSPROPERTY_AUDIOENGINE_LOOPBACK_PROTECTION","features":[82]},{"name":"KSPROPERTY_AUDIOENGINE_MIXFORMAT","features":[82]},{"name":"KSPROPERTY_AUDIOENGINE_SUPPORTEDDEVICEFORMATS","features":[82]},{"name":"KSPROPERTY_AUDIOENGINE_VOLUMELEVEL","features":[82]},{"name":"KSPROPERTY_AUDIOMODULE","features":[82]},{"name":"KSPROPERTY_AUDIOMODULE_COMMAND","features":[82]},{"name":"KSPROPERTY_AUDIOMODULE_DESCRIPTORS","features":[82]},{"name":"KSPROPERTY_AUDIOMODULE_NOTIFICATION_DEVICE_ID","features":[82]},{"name":"KSPROPERTY_AUDIOPOSTURE","features":[82]},{"name":"KSPROPERTY_AUDIOPOSTURE_ORIENTATION","features":[82]},{"name":"KSPROPERTY_AUDIORESOURCEMANAGEMENT","features":[82]},{"name":"KSPROPERTY_AUDIORESOURCEMANAGEMENT_RESOURCEGROUP","features":[82]},{"name":"KSPROPERTY_AUDIOSIGNALPROCESSING","features":[82]},{"name":"KSPROPERTY_AUDIOSIGNALPROCESSING_MODES","features":[82]},{"name":"KSPROPERTY_AUDIO_3D_INTERFACE","features":[82]},{"name":"KSPROPERTY_AUDIO_AGC","features":[82]},{"name":"KSPROPERTY_AUDIO_ALGORITHM_INSTANCE","features":[82]},{"name":"KSPROPERTY_AUDIO_BASS","features":[82]},{"name":"KSPROPERTY_AUDIO_BASS_BOOST","features":[82]},{"name":"KSPROPERTY_AUDIO_BUFFER_DURATION","features":[82]},{"name":"KSPROPERTY_AUDIO_CHANNEL_CONFIG","features":[82]},{"name":"KSPROPERTY_AUDIO_CHORUS_LEVEL","features":[82]},{"name":"KSPROPERTY_AUDIO_CHORUS_MODULATION_DEPTH","features":[82]},{"name":"KSPROPERTY_AUDIO_CHORUS_MODULATION_RATE","features":[82]},{"name":"KSPROPERTY_AUDIO_COPY_PROTECTION","features":[82]},{"name":"KSPROPERTY_AUDIO_CPU_RESOURCES","features":[82]},{"name":"KSPROPERTY_AUDIO_DELAY","features":[82]},{"name":"KSPROPERTY_AUDIO_DEMUX_DEST","features":[82]},{"name":"KSPROPERTY_AUDIO_DEV_SPECIFIC","features":[82]},{"name":"KSPROPERTY_AUDIO_DYNAMIC_RANGE","features":[82]},{"name":"KSPROPERTY_AUDIO_DYNAMIC_SAMPLING_RATE","features":[82]},{"name":"KSPROPERTY_AUDIO_EQ_BANDS","features":[82]},{"name":"KSPROPERTY_AUDIO_EQ_LEVEL","features":[82]},{"name":"KSPROPERTY_AUDIO_FILTER_STATE","features":[82]},{"name":"KSPROPERTY_AUDIO_LATENCY","features":[82]},{"name":"KSPROPERTY_AUDIO_LINEAR_BUFFER_POSITION","features":[82]},{"name":"KSPROPERTY_AUDIO_LOUDNESS","features":[82]},{"name":"KSPROPERTY_AUDIO_MANUFACTURE_GUID","features":[82]},{"name":"KSPROPERTY_AUDIO_MIC_ARRAY_GEOMETRY","features":[82]},{"name":"KSPROPERTY_AUDIO_MIC_SENSITIVITY","features":[82]},{"name":"KSPROPERTY_AUDIO_MIC_SENSITIVITY2","features":[82]},{"name":"KSPROPERTY_AUDIO_MIC_SNR","features":[82]},{"name":"KSPROPERTY_AUDIO_MID","features":[82]},{"name":"KSPROPERTY_AUDIO_MIX_LEVEL_CAPS","features":[82]},{"name":"KSPROPERTY_AUDIO_MIX_LEVEL_TABLE","features":[82]},{"name":"KSPROPERTY_AUDIO_MUTE","features":[82]},{"name":"KSPROPERTY_AUDIO_MUX_SOURCE","features":[82]},{"name":"KSPROPERTY_AUDIO_NUM_EQ_BANDS","features":[82]},{"name":"KSPROPERTY_AUDIO_PEAKMETER","features":[82]},{"name":"KSPROPERTY_AUDIO_PEAKMETER2","features":[82]},{"name":"KSPROPERTY_AUDIO_PEQ_BAND_CENTER_FREQ","features":[82]},{"name":"KSPROPERTY_AUDIO_PEQ_BAND_LEVEL","features":[82]},{"name":"KSPROPERTY_AUDIO_PEQ_BAND_Q_FACTOR","features":[82]},{"name":"KSPROPERTY_AUDIO_PEQ_MAX_BANDS","features":[82]},{"name":"KSPROPERTY_AUDIO_PEQ_NUM_BANDS","features":[82]},{"name":"KSPROPERTY_AUDIO_POSITION","features":[82]},{"name":"KSPROPERTY_AUDIO_POSITIONEX","features":[82]},{"name":"KSPROPERTY_AUDIO_PREFERRED_STATUS","features":[82]},{"name":"KSPROPERTY_AUDIO_PRESENTATION_POSITION","features":[82]},{"name":"KSPROPERTY_AUDIO_PRODUCT_GUID","features":[82]},{"name":"KSPROPERTY_AUDIO_QUALITY","features":[82]},{"name":"KSPROPERTY_AUDIO_REVERB_DELAY_FEEDBACK","features":[82]},{"name":"KSPROPERTY_AUDIO_REVERB_LEVEL","features":[82]},{"name":"KSPROPERTY_AUDIO_REVERB_TIME","features":[82]},{"name":"KSPROPERTY_AUDIO_SAMPLING_RATE","features":[82]},{"name":"KSPROPERTY_AUDIO_STEREO_ENHANCE","features":[82]},{"name":"KSPROPERTY_AUDIO_STEREO_SPEAKER_GEOMETRY","features":[82]},{"name":"KSPROPERTY_AUDIO_SURROUND_ENCODE","features":[82]},{"name":"KSPROPERTY_AUDIO_TREBLE","features":[82]},{"name":"KSPROPERTY_AUDIO_VOLUMELEVEL","features":[82]},{"name":"KSPROPERTY_AUDIO_VOLUMELIMIT_ENGAGED","features":[82]},{"name":"KSPROPERTY_AUDIO_WAVERT_CURRENT_WRITE_LASTBUFFER_POSITION","features":[82]},{"name":"KSPROPERTY_AUDIO_WAVERT_CURRENT_WRITE_POSITION","features":[82]},{"name":"KSPROPERTY_AUDIO_WIDENESS","features":[82]},{"name":"KSPROPERTY_AUDIO_WIDE_MODE","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_ADDEDENTRYGEOGRAPHIC","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_ADDEDENTRYPERSONALNAME","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_ADDEDENTRYRELATED","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_ADDEDENTRYTITLE","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_ADDEDENTRYTOPICALTERM","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_ADDEDENTRYUNIFORMTITLE","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_ADDEDFORMAVAILABLE","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_AWARDS","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_BIBLIOGRAPHYNOTE","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_CATALOGINGSOURCE","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_CITATION","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_CONTENTSNOTE","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_CREATIONCREDIT","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_GENERALNOTE","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_INDEXTERMCURRICULUM","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_INDEXTERMGENRE","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_ISBN","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_ISSN","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_LCCN","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_LEADER","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_MAINCORPORATEBODY","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_MAINMEETINGNAME","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_MAINPERSONALNAME","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_MAINUNIFORMTITLE","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_PARTICIPANT","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_PHYSICALDESCRIPTION","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_PUBLICATION","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_SERIESSTATEMENT","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_SERIESSTATEMENTPERSONALNAME","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_SERIESSTATEMENTUNIFORMTITLE","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_SUMMARY","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_SYSTEMDETAILS","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_TARGETAUDIENCE","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_TITLESTATEMENT","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_UNIFORMTITLE","features":[82]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_VARYINGFORMTITLE","features":[82]},{"name":"KSPROPERTY_BOUNDS_LONG","features":[82]},{"name":"KSPROPERTY_BOUNDS_LONGLONG","features":[82]},{"name":"KSPROPERTY_BTAUDIO","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_AUTO_EXPOSURE_PRIORITY","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXPOSURE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXPOSURE_RELATIVE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_ADVANCEDPHOTO","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_BACKGROUNDSEGMENTATION","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_CAMERAANGLEOFFSET","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_DIGITALWINDOW","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_DIGITALWINDOW_CONFIGCAPS","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_END","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_END2","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_EVCOMPENSATION","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_EXPOSUREMODE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_EYEGAZECORRECTION","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_FACEAUTH_MODE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_FACEDETECTION","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_FIELDOFVIEW","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_FLASHMODE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_FOCUSMODE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_FOCUSPRIORITY","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_FOCUSSTATE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_HISTOGRAM","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_IRTORCHMODE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_ISO","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_ISO_ADVANCED","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_MAXVIDFPS_PHOTORES","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_MCC","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_METADATA","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_OIS","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_OPTIMIZATIONHINT","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_PHOTOCONFIRMATION","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_PHOTOFRAMERATE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_PHOTOMAXFRAMERATE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_PHOTOMODE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_PHOTOTHUMBNAIL","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_PHOTOTRIGGERTIME","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_PROFILE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_PROPERTY","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_RELATIVEPANELOPTIMIZATION","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_ROI_CONFIGCAPS","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_ROI_ISPCONTROL","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_SCENEMODE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_SECURE_MODE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_TORCHMODE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_VFR","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_VIDEOHDR","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_VIDEOSTABILIZATION","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_VIDEOTEMPORALDENOISING","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_WARMSTART","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_WHITEBALANCEMODE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_ZOOM","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_FLAGS_ABSOLUTE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_FLAGS_ASYNCHRONOUS","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_FLAGS_AUTO","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_FLAGS_MANUAL","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_FLAGS_RELATIVE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_FLASH","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_FLASH_AUTO","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_FLASH_FLAGS_AUTO","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_FLASH_FLAGS_MANUAL","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_FLASH_OFF","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_FLASH_ON","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_FLASH_PROPERTY_ID","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_FLASH_S","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_FOCAL_LENGTH","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_FOCAL_LENGTH_S","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_FOCUS","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_FOCUS_RELATIVE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_IMAGE_PIN_CAPABILITY","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_IMAGE_PIN_CAPABILITY_EXCLUSIVE_WITH_RECORD","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_IMAGE_PIN_CAPABILITY_PROPERTY_ID","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_IMAGE_PIN_CAPABILITY_S","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_IMAGE_PIN_CAPABILITY_SEQUENCE_EXCLUSIVE_WITH_RECORD","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_IRIS","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_IRIS_RELATIVE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_NODE_FOCAL_LENGTH_S","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_NODE_S","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_NODE_S2","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_PAN","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_PANTILT","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_PANTILT_RELATIVE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_PAN_RELATIVE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_PERFRAMESETTING_CAPABILITY","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_PERFRAMESETTING_CLEAR","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_PERFRAMESETTING_PROPERTY","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_PERFRAMESETTING_SET","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_PRIVACY","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_REGION_OF_INTEREST","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_REGION_OF_INTEREST_CONFIG_EXPOSURE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_REGION_OF_INTEREST_CONFIG_FOCUS","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_REGION_OF_INTEREST_CONFIG_WB","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_REGION_OF_INTEREST_CONVERGEMODE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_REGION_OF_INTEREST_FLAGS_ASYNC","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_REGION_OF_INTEREST_FLAGS_AUTO","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_REGION_OF_INTEREST_FLAGS_MANUAL","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_REGION_OF_INTEREST_PROPERTY_ID","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_REGION_OF_INTEREST_S","features":[1,82]},{"name":"KSPROPERTY_CAMERACONTROL_ROLL","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_ROLL_RELATIVE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_S","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_S2","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_SCANMODE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_S_EX","features":[1,82]},{"name":"KSPROPERTY_CAMERACONTROL_TILT","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_TILT_RELATIVE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_VIDEOSTABILIZATION_MODE_AUTO","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_VIDEOSTABILIZATION_MODE_FLAGS_AUTO","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_VIDEOSTABILIZATION_MODE_FLAGS_MANUAL","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_VIDEOSTABILIZATION_MODE_HIGH","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_VIDEOSTABILIZATION_MODE_LOW","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_VIDEOSTABILIZATION_MODE_MEDIUM","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_VIDEOSTABILIZATION_MODE_OFF","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_VIDEOSTABILIZATION_MODE_S","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_VIDEO_STABILIZATION_MODE","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_VIDEO_STABILIZATION_MODE_PROPERTY_ID","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_ZOOM","features":[82]},{"name":"KSPROPERTY_CAMERACONTROL_ZOOM_RELATIVE","features":[82]},{"name":"KSPROPERTY_CAMERA_PHOTOTRIGGERTIME_CLEAR","features":[82]},{"name":"KSPROPERTY_CAMERA_PHOTOTRIGGERTIME_FLAGS","features":[82]},{"name":"KSPROPERTY_CAMERA_PHOTOTRIGGERTIME_SET","features":[82]},{"name":"KSPROPERTY_CLOCK","features":[82]},{"name":"KSPROPERTY_CLOCK_CORRELATEDPHYSICALTIME","features":[82]},{"name":"KSPROPERTY_CLOCK_CORRELATEDTIME","features":[82]},{"name":"KSPROPERTY_CLOCK_PHYSICALTIME","features":[82]},{"name":"KSPROPERTY_CLOCK_RESOLUTION","features":[82]},{"name":"KSPROPERTY_CLOCK_STATE","features":[82]},{"name":"KSPROPERTY_CLOCK_TIME","features":[82]},{"name":"KSPROPERTY_CONNECTION","features":[82]},{"name":"KSPROPERTY_CONNECTION_ACQUIREORDERING","features":[82]},{"name":"KSPROPERTY_CONNECTION_ALLOCATORFRAMING","features":[82]},{"name":"KSPROPERTY_CONNECTION_ALLOCATORFRAMING_EX","features":[82]},{"name":"KSPROPERTY_CONNECTION_DATAFORMAT","features":[82]},{"name":"KSPROPERTY_CONNECTION_PRIORITY","features":[82]},{"name":"KSPROPERTY_CONNECTION_PROPOSEDATAFORMAT","features":[82]},{"name":"KSPROPERTY_CONNECTION_STARTAT","features":[82]},{"name":"KSPROPERTY_CONNECTION_STATE","features":[82]},{"name":"KSPROPERTY_COPYPROT","features":[82]},{"name":"KSPROPERTY_COPY_MACROVISION","features":[82]},{"name":"KSPROPERTY_CROSSBAR_ACTIVE_S","features":[82]},{"name":"KSPROPERTY_CROSSBAR_CAN_ROUTE","features":[82]},{"name":"KSPROPERTY_CROSSBAR_CAPS","features":[82]},{"name":"KSPROPERTY_CROSSBAR_CAPS_S","features":[82]},{"name":"KSPROPERTY_CROSSBAR_INPUT_ACTIVE","features":[82]},{"name":"KSPROPERTY_CROSSBAR_PININFO","features":[82]},{"name":"KSPROPERTY_CROSSBAR_PININFO_S","features":[82]},{"name":"KSPROPERTY_CROSSBAR_ROUTE","features":[82]},{"name":"KSPROPERTY_CROSSBAR_ROUTE_S","features":[82]},{"name":"KSPROPERTY_CURRENT_CAPTURE_SURFACE","features":[82]},{"name":"KSPROPERTY_CYCLIC","features":[82]},{"name":"KSPROPERTY_CYCLIC_POSITION","features":[82]},{"name":"KSPROPERTY_DESCRIPTION","features":[82]},{"name":"KSPROPERTY_DIRECTSOUND3DBUFFER","features":[82]},{"name":"KSPROPERTY_DIRECTSOUND3DBUFFER_ALL","features":[82]},{"name":"KSPROPERTY_DIRECTSOUND3DBUFFER_CONEANGLES","features":[82]},{"name":"KSPROPERTY_DIRECTSOUND3DBUFFER_CONEORIENTATION","features":[82]},{"name":"KSPROPERTY_DIRECTSOUND3DBUFFER_CONEOUTSIDEVOLUME","features":[82]},{"name":"KSPROPERTY_DIRECTSOUND3DBUFFER_MAXDISTANCE","features":[82]},{"name":"KSPROPERTY_DIRECTSOUND3DBUFFER_MINDISTANCE","features":[82]},{"name":"KSPROPERTY_DIRECTSOUND3DBUFFER_MODE","features":[82]},{"name":"KSPROPERTY_DIRECTSOUND3DBUFFER_POSITION","features":[82]},{"name":"KSPROPERTY_DIRECTSOUND3DBUFFER_VELOCITY","features":[82]},{"name":"KSPROPERTY_DIRECTSOUND3DLISTENER","features":[82]},{"name":"KSPROPERTY_DIRECTSOUND3DLISTENER_ALL","features":[82]},{"name":"KSPROPERTY_DIRECTSOUND3DLISTENER_ALLOCATION","features":[82]},{"name":"KSPROPERTY_DIRECTSOUND3DLISTENER_BATCH","features":[82]},{"name":"KSPROPERTY_DIRECTSOUND3DLISTENER_DISTANCEFACTOR","features":[82]},{"name":"KSPROPERTY_DIRECTSOUND3DLISTENER_DOPPLERFACTOR","features":[82]},{"name":"KSPROPERTY_DIRECTSOUND3DLISTENER_ORIENTATION","features":[82]},{"name":"KSPROPERTY_DIRECTSOUND3DLISTENER_POSITION","features":[82]},{"name":"KSPROPERTY_DIRECTSOUND3DLISTENER_ROLLOFFFACTOR","features":[82]},{"name":"KSPROPERTY_DIRECTSOUND3DLISTENER_VELOCITY","features":[82]},{"name":"KSPROPERTY_DISPLAY_ADAPTER_GUID","features":[82]},{"name":"KSPROPERTY_DRMAUDIOSTREAM","features":[82]},{"name":"KSPROPERTY_DRMAUDIOSTREAM_CONTENTID","features":[82]},{"name":"KSPROPERTY_DROPPEDFRAMES_CURRENT","features":[82]},{"name":"KSPROPERTY_DROPPEDFRAMES_CURRENT_S","features":[82]},{"name":"KSPROPERTY_DVDCOPY_CHLG_KEY","features":[82]},{"name":"KSPROPERTY_DVDCOPY_DEC_KEY2","features":[82]},{"name":"KSPROPERTY_DVDCOPY_DISC_KEY","features":[82]},{"name":"KSPROPERTY_DVDCOPY_DVD_KEY1","features":[82]},{"name":"KSPROPERTY_DVDCOPY_REGION","features":[82]},{"name":"KSPROPERTY_DVDCOPY_SET_COPY_STATE","features":[82]},{"name":"KSPROPERTY_DVDCOPY_TITLE_KEY","features":[82]},{"name":"KSPROPERTY_DVDSUBPIC","features":[82]},{"name":"KSPROPERTY_DVDSUBPIC_COMPOSIT_ON","features":[82]},{"name":"KSPROPERTY_DVDSUBPIC_HLI","features":[82]},{"name":"KSPROPERTY_DVDSUBPIC_PALETTE","features":[82]},{"name":"KSPROPERTY_EXTDEVICE","features":[82]},{"name":"KSPROPERTY_EXTDEVICE_CAPABILITIES","features":[82]},{"name":"KSPROPERTY_EXTDEVICE_ID","features":[82]},{"name":"KSPROPERTY_EXTDEVICE_PORT","features":[82]},{"name":"KSPROPERTY_EXTDEVICE_POWER_STATE","features":[82]},{"name":"KSPROPERTY_EXTDEVICE_S","features":[82]},{"name":"KSPROPERTY_EXTDEVICE_VERSION","features":[82]},{"name":"KSPROPERTY_EXTENSION_UNIT","features":[82]},{"name":"KSPROPERTY_EXTENSION_UNIT_CONTROL","features":[82]},{"name":"KSPROPERTY_EXTENSION_UNIT_INFO","features":[82]},{"name":"KSPROPERTY_EXTENSION_UNIT_PASS_THROUGH","features":[82]},{"name":"KSPROPERTY_EXTXPORT","features":[82]},{"name":"KSPROPERTY_EXTXPORT_ATN_SEARCH","features":[82]},{"name":"KSPROPERTY_EXTXPORT_CAPABILITIES","features":[82]},{"name":"KSPROPERTY_EXTXPORT_INPUT_SIGNAL_MODE","features":[82]},{"name":"KSPROPERTY_EXTXPORT_LOAD_MEDIUM","features":[82]},{"name":"KSPROPERTY_EXTXPORT_MEDIUM_INFO","features":[82]},{"name":"KSPROPERTY_EXTXPORT_NODE_S","features":[1,82]},{"name":"KSPROPERTY_EXTXPORT_OUTPUT_SIGNAL_MODE","features":[82]},{"name":"KSPROPERTY_EXTXPORT_RTC_SEARCH","features":[82]},{"name":"KSPROPERTY_EXTXPORT_S","features":[1,82]},{"name":"KSPROPERTY_EXTXPORT_STATE","features":[82]},{"name":"KSPROPERTY_EXTXPORT_STATE_NOTIFY","features":[82]},{"name":"KSPROPERTY_EXTXPORT_TIMECODE_SEARCH","features":[82]},{"name":"KSPROPERTY_FMRX_ANTENNAENDPOINTID","features":[82]},{"name":"KSPROPERTY_FMRX_CONTROL","features":[82]},{"name":"KSPROPERTY_FMRX_ENDPOINTID","features":[82]},{"name":"KSPROPERTY_FMRX_STATE","features":[82]},{"name":"KSPROPERTY_FMRX_TOPOLOGY","features":[82]},{"name":"KSPROPERTY_FMRX_VOLUME","features":[82]},{"name":"KSPROPERTY_GENERAL","features":[82]},{"name":"KSPROPERTY_GENERAL_COMPONENTID","features":[82]},{"name":"KSPROPERTY_HRTF3D","features":[82]},{"name":"KSPROPERTY_HRTF3D_FILTER_FORMAT","features":[82]},{"name":"KSPROPERTY_HRTF3D_INITIALIZE","features":[82]},{"name":"KSPROPERTY_HRTF3D_PARAMS","features":[82]},{"name":"KSPROPERTY_INTERLEAVEDAUDIO","features":[82]},{"name":"KSPROPERTY_INTERLEAVEDAUDIO_FORMATINFORMATION","features":[82]},{"name":"KSPROPERTY_ITD3D","features":[82]},{"name":"KSPROPERTY_ITD3D_PARAMS","features":[82]},{"name":"KSPROPERTY_JACK","features":[82]},{"name":"KSPROPERTY_JACK_CONTAINERID","features":[82]},{"name":"KSPROPERTY_JACK_DESCRIPTION","features":[82]},{"name":"KSPROPERTY_JACK_DESCRIPTION2","features":[82]},{"name":"KSPROPERTY_JACK_DESCRIPTION3","features":[82]},{"name":"KSPROPERTY_JACK_SINK_INFO","features":[82]},{"name":"KSPROPERTY_MAP_CAPTURE_HANDLE_TO_VRAM_ADDRESS","features":[82]},{"name":"KSPROPERTY_MEDIAAVAILABLE","features":[82]},{"name":"KSPROPERTY_MEDIASEEKING","features":[82]},{"name":"KSPROPERTY_MEDIASEEKING_AVAILABLE","features":[82]},{"name":"KSPROPERTY_MEDIASEEKING_CAPABILITIES","features":[82]},{"name":"KSPROPERTY_MEDIASEEKING_CONVERTTIMEFORMAT","features":[82]},{"name":"KSPROPERTY_MEDIASEEKING_DURATION","features":[82]},{"name":"KSPROPERTY_MEDIASEEKING_FORMATS","features":[82]},{"name":"KSPROPERTY_MEDIASEEKING_POSITION","features":[82]},{"name":"KSPROPERTY_MEDIASEEKING_POSITIONS","features":[82]},{"name":"KSPROPERTY_MEDIASEEKING_PREROLL","features":[82]},{"name":"KSPROPERTY_MEDIASEEKING_STOPPOSITION","features":[82]},{"name":"KSPROPERTY_MEDIASEEKING_TIMEFORMAT","features":[82]},{"name":"KSPROPERTY_MEMBERSHEADER","features":[82]},{"name":"KSPROPERTY_MEMBER_FLAG_BASICSUPPORT_MULTICHANNEL","features":[82]},{"name":"KSPROPERTY_MEMBER_FLAG_BASICSUPPORT_UNIFORM","features":[82]},{"name":"KSPROPERTY_MEMBER_FLAG_DEFAULT","features":[82]},{"name":"KSPROPERTY_MEMBER_RANGES","features":[82]},{"name":"KSPROPERTY_MEMBER_STEPPEDRANGES","features":[82]},{"name":"KSPROPERTY_MEMBER_VALUES","features":[82]},{"name":"KSPROPERTY_MEMORY_TRANSPORT","features":[82]},{"name":"KSPROPERTY_MPEG2VID","features":[82]},{"name":"KSPROPERTY_MPEG2VID_16_9_PANSCAN","features":[82]},{"name":"KSPROPERTY_MPEG2VID_16_9_RECT","features":[82]},{"name":"KSPROPERTY_MPEG2VID_4_3_RECT","features":[82]},{"name":"KSPROPERTY_MPEG2VID_CUR_MODE","features":[82]},{"name":"KSPROPERTY_MPEG2VID_MODES","features":[82]},{"name":"KSPROPERTY_MPEG4_MEDIATYPE_ATTRIBUTES","features":[82]},{"name":"KSPROPERTY_MPEG4_MEDIATYPE_SD_BOX","features":[82]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_EVENTTOPICS_XML","features":[82]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_EVENT_INFO","features":[82]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_METADATA","features":[82]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_METADATA_INFO","features":[1,82]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_METADATA_TYPE","features":[82]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_METADATA_TYPE_EVENTSINFO","features":[82]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_NTP","features":[82]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_NTPINFO_HEADER","features":[82]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_NTPINFO_TYPE","features":[82]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_NTPINFO_TYPE_CUSTOM","features":[82]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_NTPINFO_TYPE_DISABLE","features":[82]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_NTPINFO_TYPE_HOSTNTP","features":[82]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_PROPERTY","features":[82]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_URI","features":[82]},{"name":"KSPROPERTY_ONESHOT_DISCONNECT","features":[82]},{"name":"KSPROPERTY_ONESHOT_RECONNECT","features":[82]},{"name":"KSPROPERTY_OVERLAYUPDATE","features":[82]},{"name":"KSPROPERTY_OVERLAYUPDATE_CLIPLIST","features":[82]},{"name":"KSPROPERTY_OVERLAYUPDATE_COLORKEY","features":[82]},{"name":"KSPROPERTY_OVERLAYUPDATE_COLORREF","features":[82]},{"name":"KSPROPERTY_OVERLAYUPDATE_DISPLAYCHANGE","features":[82]},{"name":"KSPROPERTY_OVERLAYUPDATE_INTERESTS","features":[82]},{"name":"KSPROPERTY_OVERLAYUPDATE_PALETTE","features":[82]},{"name":"KSPROPERTY_OVERLAYUPDATE_VIDEOPOSITION","features":[82]},{"name":"KSPROPERTY_PIN","features":[82]},{"name":"KSPROPERTY_PIN_CATEGORY","features":[82]},{"name":"KSPROPERTY_PIN_CINSTANCES","features":[82]},{"name":"KSPROPERTY_PIN_COMMUNICATION","features":[82]},{"name":"KSPROPERTY_PIN_CONSTRAINEDDATARANGES","features":[82]},{"name":"KSPROPERTY_PIN_CTYPES","features":[82]},{"name":"KSPROPERTY_PIN_DATAFLOW","features":[82]},{"name":"KSPROPERTY_PIN_DATAINTERSECTION","features":[82]},{"name":"KSPROPERTY_PIN_DATARANGES","features":[82]},{"name":"KSPROPERTY_PIN_FLAGS_ATTRIBUTE_RANGE_AWARE","features":[82]},{"name":"KSPROPERTY_PIN_FLAGS_MASK","features":[82]},{"name":"KSPROPERTY_PIN_GLOBALCINSTANCES","features":[82]},{"name":"KSPROPERTY_PIN_INTERFACES","features":[82]},{"name":"KSPROPERTY_PIN_MEDIUMS","features":[82]},{"name":"KSPROPERTY_PIN_MODEDATAFORMATS","features":[82]},{"name":"KSPROPERTY_PIN_NAME","features":[82]},{"name":"KSPROPERTY_PIN_NECESSARYINSTANCES","features":[82]},{"name":"KSPROPERTY_PIN_PHYSICALCONNECTION","features":[82]},{"name":"KSPROPERTY_PIN_PROPOSEDATAFORMAT","features":[82]},{"name":"KSPROPERTY_PIN_PROPOSEDATAFORMAT2","features":[82]},{"name":"KSPROPERTY_POSITIONS","features":[82]},{"name":"KSPROPERTY_PREFERRED_CAPTURE_SURFACE","features":[82]},{"name":"KSPROPERTY_QUALITY","features":[82]},{"name":"KSPROPERTY_QUALITY_ERROR","features":[82]},{"name":"KSPROPERTY_QUALITY_REPORT","features":[82]},{"name":"KSPROPERTY_RAW_AVC_CMD","features":[82]},{"name":"KSPROPERTY_RTAUDIO","features":[82]},{"name":"KSPROPERTY_RTAUDIO_BUFFER","features":[82]},{"name":"KSPROPERTY_RTAUDIO_BUFFER_WITH_NOTIFICATION","features":[82]},{"name":"KSPROPERTY_RTAUDIO_CLOCKREGISTER","features":[82]},{"name":"KSPROPERTY_RTAUDIO_GETPOSITIONFUNCTION","features":[82]},{"name":"KSPROPERTY_RTAUDIO_GETREADPACKET","features":[82]},{"name":"KSPROPERTY_RTAUDIO_HWLATENCY","features":[82]},{"name":"KSPROPERTY_RTAUDIO_PACKETCOUNT","features":[82]},{"name":"KSPROPERTY_RTAUDIO_PACKETVREGISTER","features":[82]},{"name":"KSPROPERTY_RTAUDIO_POSITIONREGISTER","features":[82]},{"name":"KSPROPERTY_RTAUDIO_PRESENTATION_POSITION","features":[82]},{"name":"KSPROPERTY_RTAUDIO_QUERY_NOTIFICATION_SUPPORT","features":[82]},{"name":"KSPROPERTY_RTAUDIO_REGISTER_NOTIFICATION_EVENT","features":[82]},{"name":"KSPROPERTY_RTAUDIO_SETWRITEPACKET","features":[82]},{"name":"KSPROPERTY_RTAUDIO_UNREGISTER_NOTIFICATION_EVENT","features":[82]},{"name":"KSPROPERTY_RTC_READER","features":[82]},{"name":"KSPROPERTY_SELECTOR_NODE_S","features":[82]},{"name":"KSPROPERTY_SELECTOR_NUM_SOURCES","features":[82]},{"name":"KSPROPERTY_SELECTOR_S","features":[82]},{"name":"KSPROPERTY_SELECTOR_SOURCE_NODE_ID","features":[82]},{"name":"KSPROPERTY_SERIAL","features":[82]},{"name":"KSPROPERTY_SERIALHDR","features":[82]},{"name":"KSPROPERTY_SOUNDDETECTOR","features":[82]},{"name":"KSPROPERTY_SOUNDDETECTOR_ARMED","features":[82]},{"name":"KSPROPERTY_SOUNDDETECTOR_MATCHRESULT","features":[82]},{"name":"KSPROPERTY_SOUNDDETECTOR_PATTERNS","features":[82]},{"name":"KSPROPERTY_SOUNDDETECTOR_RESET","features":[82]},{"name":"KSPROPERTY_SOUNDDETECTOR_STREAMINGSUPPORT","features":[82]},{"name":"KSPROPERTY_SOUNDDETECTOR_SUPPORTEDPATTERNS","features":[82]},{"name":"KSPROPERTY_SPHLI","features":[82]},{"name":"KSPROPERTY_SPPAL","features":[82]},{"name":"KSPROPERTY_STEPPING_LONG","features":[82]},{"name":"KSPROPERTY_STEPPING_LONGLONG","features":[82]},{"name":"KSPROPERTY_STREAM","features":[82]},{"name":"KSPROPERTY_STREAMINTERFACE","features":[82]},{"name":"KSPROPERTY_STREAMINTERFACE_HEADERSIZE","features":[82]},{"name":"KSPROPERTY_STREAM_ALLOCATOR","features":[82]},{"name":"KSPROPERTY_STREAM_DEGRADATION","features":[82]},{"name":"KSPROPERTY_STREAM_FRAMETIME","features":[82]},{"name":"KSPROPERTY_STREAM_MASTERCLOCK","features":[82]},{"name":"KSPROPERTY_STREAM_PIPE_ID","features":[82]},{"name":"KSPROPERTY_STREAM_PRESENTATIONEXTENT","features":[82]},{"name":"KSPROPERTY_STREAM_PRESENTATIONTIME","features":[82]},{"name":"KSPROPERTY_STREAM_QUALITY","features":[82]},{"name":"KSPROPERTY_STREAM_RATE","features":[82]},{"name":"KSPROPERTY_STREAM_RATECAPABILITY","features":[82]},{"name":"KSPROPERTY_STREAM_TIMEFORMAT","features":[82]},{"name":"KSPROPERTY_TELEPHONY_CALLCONTROL","features":[82]},{"name":"KSPROPERTY_TELEPHONY_CALLHOLD","features":[82]},{"name":"KSPROPERTY_TELEPHONY_CALLINFO","features":[82]},{"name":"KSPROPERTY_TELEPHONY_CONTROL","features":[82]},{"name":"KSPROPERTY_TELEPHONY_ENDPOINTIDPAIR","features":[82]},{"name":"KSPROPERTY_TELEPHONY_MUTE_TX","features":[82]},{"name":"KSPROPERTY_TELEPHONY_PROVIDERCHANGE","features":[82]},{"name":"KSPROPERTY_TELEPHONY_PROVIDERID","features":[82]},{"name":"KSPROPERTY_TELEPHONY_TOPOLOGY","features":[82]},{"name":"KSPROPERTY_TELEPHONY_VOLUME","features":[82]},{"name":"KSPROPERTY_TIMECODE","features":[82]},{"name":"KSPROPERTY_TIMECODE_NODE_S","features":[82]},{"name":"KSPROPERTY_TIMECODE_READER","features":[82]},{"name":"KSPROPERTY_TIMECODE_S","features":[82]},{"name":"KSPROPERTY_TOPOLOGY","features":[82]},{"name":"KSPROPERTY_TOPOLOGYNODE","features":[82]},{"name":"KSPROPERTY_TOPOLOGYNODE_ENABLE","features":[82]},{"name":"KSPROPERTY_TOPOLOGYNODE_RESET","features":[82]},{"name":"KSPROPERTY_TOPOLOGY_CATEGORIES","features":[82]},{"name":"KSPROPERTY_TOPOLOGY_CONNECTIONS","features":[82]},{"name":"KSPROPERTY_TOPOLOGY_NAME","features":[82]},{"name":"KSPROPERTY_TOPOLOGY_NODES","features":[82]},{"name":"KSPROPERTY_TUNER","features":[82]},{"name":"KSPROPERTY_TUNER_CAPS","features":[82]},{"name":"KSPROPERTY_TUNER_CAPS_S","features":[82]},{"name":"KSPROPERTY_TUNER_FREQUENCY","features":[82]},{"name":"KSPROPERTY_TUNER_FREQUENCY_S","features":[82]},{"name":"KSPROPERTY_TUNER_IF_MEDIUM","features":[82]},{"name":"KSPROPERTY_TUNER_IF_MEDIUM_S","features":[82]},{"name":"KSPROPERTY_TUNER_INPUT","features":[82]},{"name":"KSPROPERTY_TUNER_INPUT_S","features":[82]},{"name":"KSPROPERTY_TUNER_MODE","features":[82]},{"name":"KSPROPERTY_TUNER_MODES","features":[82]},{"name":"KSPROPERTY_TUNER_MODE_AM_RADIO","features":[82]},{"name":"KSPROPERTY_TUNER_MODE_ATSC","features":[82]},{"name":"KSPROPERTY_TUNER_MODE_CAPS","features":[82]},{"name":"KSPROPERTY_TUNER_MODE_CAPS_S","features":[82]},{"name":"KSPROPERTY_TUNER_MODE_DSS","features":[82]},{"name":"KSPROPERTY_TUNER_MODE_FM_RADIO","features":[82]},{"name":"KSPROPERTY_TUNER_MODE_S","features":[82]},{"name":"KSPROPERTY_TUNER_MODE_TV","features":[82]},{"name":"KSPROPERTY_TUNER_NETWORKTYPE_SCAN_CAPS","features":[82]},{"name":"KSPROPERTY_TUNER_NETWORKTYPE_SCAN_CAPS_S","features":[82]},{"name":"KSPROPERTY_TUNER_SCAN_CAPS","features":[82]},{"name":"KSPROPERTY_TUNER_SCAN_CAPS_S","features":[1,82]},{"name":"KSPROPERTY_TUNER_SCAN_STATUS","features":[82]},{"name":"KSPROPERTY_TUNER_SCAN_STATUS_S","features":[82]},{"name":"KSPROPERTY_TUNER_STANDARD","features":[82]},{"name":"KSPROPERTY_TUNER_STANDARD_MODE","features":[82]},{"name":"KSPROPERTY_TUNER_STANDARD_MODE_S","features":[1,82]},{"name":"KSPROPERTY_TUNER_STANDARD_S","features":[82]},{"name":"KSPROPERTY_TUNER_STATUS","features":[82]},{"name":"KSPROPERTY_TUNER_STATUS_S","features":[82]},{"name":"KSPROPERTY_TVAUDIO_CAPS","features":[82]},{"name":"KSPROPERTY_TVAUDIO_CAPS_S","features":[82]},{"name":"KSPROPERTY_TVAUDIO_CURRENTLY_AVAILABLE_MODES","features":[82]},{"name":"KSPROPERTY_TVAUDIO_MODE","features":[82]},{"name":"KSPROPERTY_TVAUDIO_S","features":[82]},{"name":"KSPROPERTY_TYPE_BASICSUPPORT","features":[82]},{"name":"KSPROPERTY_TYPE_COPYPAYLOAD","features":[82]},{"name":"KSPROPERTY_TYPE_DEFAULTVALUES","features":[82]},{"name":"KSPROPERTY_TYPE_FSFILTERSCOPE","features":[82]},{"name":"KSPROPERTY_TYPE_GET","features":[82]},{"name":"KSPROPERTY_TYPE_GETPAYLOADSIZE","features":[82]},{"name":"KSPROPERTY_TYPE_HIGHPRIORITY","features":[82]},{"name":"KSPROPERTY_TYPE_RELATIONS","features":[82]},{"name":"KSPROPERTY_TYPE_SERIALIZERAW","features":[82]},{"name":"KSPROPERTY_TYPE_SERIALIZESET","features":[82]},{"name":"KSPROPERTY_TYPE_SERIALIZESIZE","features":[82]},{"name":"KSPROPERTY_TYPE_SET","features":[82]},{"name":"KSPROPERTY_TYPE_SETSUPPORT","features":[82]},{"name":"KSPROPERTY_TYPE_TOPOLOGY","features":[82]},{"name":"KSPROPERTY_TYPE_UNSERIALIZERAW","features":[82]},{"name":"KSPROPERTY_TYPE_UNSERIALIZESET","features":[82]},{"name":"KSPROPERTY_VBICAP","features":[82]},{"name":"KSPROPERTY_VBICAP_PROPERTIES_PROTECTION","features":[82]},{"name":"KSPROPERTY_VBICODECFILTERING","features":[82]},{"name":"KSPROPERTY_VBICODECFILTERING_CC_SUBSTREAMS_S","features":[82]},{"name":"KSPROPERTY_VBICODECFILTERING_NABTS_SUBSTREAMS_S","features":[82]},{"name":"KSPROPERTY_VBICODECFILTERING_SCANLINES_DISCOVERED_BIT_ARRAY","features":[82]},{"name":"KSPROPERTY_VBICODECFILTERING_SCANLINES_REQUESTED_BIT_ARRAY","features":[82]},{"name":"KSPROPERTY_VBICODECFILTERING_SCANLINES_S","features":[82]},{"name":"KSPROPERTY_VBICODECFILTERING_STATISTICS","features":[82]},{"name":"KSPROPERTY_VBICODECFILTERING_STATISTICS_CC_PIN_S","features":[82]},{"name":"KSPROPERTY_VBICODECFILTERING_STATISTICS_CC_S","features":[82]},{"name":"KSPROPERTY_VBICODECFILTERING_STATISTICS_COMMON_PIN_S","features":[82]},{"name":"KSPROPERTY_VBICODECFILTERING_STATISTICS_COMMON_S","features":[82]},{"name":"KSPROPERTY_VBICODECFILTERING_STATISTICS_NABTS_PIN_S","features":[82]},{"name":"KSPROPERTY_VBICODECFILTERING_STATISTICS_NABTS_S","features":[82]},{"name":"KSPROPERTY_VBICODECFILTERING_SUBSTREAMS_DISCOVERED_BIT_ARRAY","features":[82]},{"name":"KSPROPERTY_VBICODECFILTERING_SUBSTREAMS_REQUESTED_BIT_ARRAY","features":[82]},{"name":"KSPROPERTY_VIDCAP_CAMERACONTROL","features":[82]},{"name":"KSPROPERTY_VIDCAP_CROSSBAR","features":[82]},{"name":"KSPROPERTY_VIDCAP_DROPPEDFRAMES","features":[82]},{"name":"KSPROPERTY_VIDCAP_SELECTOR","features":[82]},{"name":"KSPROPERTY_VIDCAP_TVAUDIO","features":[82]},{"name":"KSPROPERTY_VIDCAP_VIDEOCOMPRESSION","features":[82]},{"name":"KSPROPERTY_VIDCAP_VIDEOCONTROL","features":[82]},{"name":"KSPROPERTY_VIDCAP_VIDEODECODER","features":[82]},{"name":"KSPROPERTY_VIDCAP_VIDEOENCODER","features":[82]},{"name":"KSPROPERTY_VIDCAP_VIDEOPROCAMP","features":[82]},{"name":"KSPROPERTY_VIDEOCOMPRESSION_GETINFO","features":[82]},{"name":"KSPROPERTY_VIDEOCOMPRESSION_GETINFO_S","features":[82]},{"name":"KSPROPERTY_VIDEOCOMPRESSION_KEYFRAME_RATE","features":[82]},{"name":"KSPROPERTY_VIDEOCOMPRESSION_OVERRIDE_FRAME_SIZE","features":[82]},{"name":"KSPROPERTY_VIDEOCOMPRESSION_OVERRIDE_KEYFRAME","features":[82]},{"name":"KSPROPERTY_VIDEOCOMPRESSION_PFRAMES_PER_KEYFRAME","features":[82]},{"name":"KSPROPERTY_VIDEOCOMPRESSION_QUALITY","features":[82]},{"name":"KSPROPERTY_VIDEOCOMPRESSION_S","features":[82]},{"name":"KSPROPERTY_VIDEOCOMPRESSION_S1","features":[82]},{"name":"KSPROPERTY_VIDEOCOMPRESSION_WINDOWSIZE","features":[82]},{"name":"KSPROPERTY_VIDEOCONTROL_ACTUAL_FRAME_RATE","features":[82]},{"name":"KSPROPERTY_VIDEOCONTROL_ACTUAL_FRAME_RATE_S","features":[1,82]},{"name":"KSPROPERTY_VIDEOCONTROL_CAPS","features":[82]},{"name":"KSPROPERTY_VIDEOCONTROL_CAPS_S","features":[82]},{"name":"KSPROPERTY_VIDEOCONTROL_FRAME_RATES","features":[82]},{"name":"KSPROPERTY_VIDEOCONTROL_FRAME_RATES_S","features":[1,82]},{"name":"KSPROPERTY_VIDEOCONTROL_MODE","features":[82]},{"name":"KSPROPERTY_VIDEOCONTROL_MODE_S","features":[82]},{"name":"KSPROPERTY_VIDEODECODER_CAPS","features":[82]},{"name":"KSPROPERTY_VIDEODECODER_CAPS_S","features":[82]},{"name":"KSPROPERTY_VIDEODECODER_OUTPUT_ENABLE","features":[82]},{"name":"KSPROPERTY_VIDEODECODER_S","features":[82]},{"name":"KSPROPERTY_VIDEODECODER_STANDARD","features":[82]},{"name":"KSPROPERTY_VIDEODECODER_STATUS","features":[82]},{"name":"KSPROPERTY_VIDEODECODER_STATUS2","features":[82]},{"name":"KSPROPERTY_VIDEODECODER_STATUS2_S","features":[82]},{"name":"KSPROPERTY_VIDEODECODER_STATUS_S","features":[82]},{"name":"KSPROPERTY_VIDEODECODER_VCR_TIMING","features":[82]},{"name":"KSPROPERTY_VIDEOENCODER_CAPS","features":[82]},{"name":"KSPROPERTY_VIDEOENCODER_CC_ENABLE","features":[82]},{"name":"KSPROPERTY_VIDEOENCODER_COPYPROTECTION","features":[82]},{"name":"KSPROPERTY_VIDEOENCODER_S","features":[82]},{"name":"KSPROPERTY_VIDEOENCODER_STANDARD","features":[82]},{"name":"KSPROPERTY_VIDEOPROCAMP_BACKLIGHT_COMPENSATION","features":[82]},{"name":"KSPROPERTY_VIDEOPROCAMP_BRIGHTNESS","features":[82]},{"name":"KSPROPERTY_VIDEOPROCAMP_COLORENABLE","features":[82]},{"name":"KSPROPERTY_VIDEOPROCAMP_CONTRAST","features":[82]},{"name":"KSPROPERTY_VIDEOPROCAMP_DIGITAL_MULTIPLIER","features":[82]},{"name":"KSPROPERTY_VIDEOPROCAMP_DIGITAL_MULTIPLIER_LIMIT","features":[82]},{"name":"KSPROPERTY_VIDEOPROCAMP_FLAGS_AUTO","features":[82]},{"name":"KSPROPERTY_VIDEOPROCAMP_FLAGS_MANUAL","features":[82]},{"name":"KSPROPERTY_VIDEOPROCAMP_GAIN","features":[82]},{"name":"KSPROPERTY_VIDEOPROCAMP_GAMMA","features":[82]},{"name":"KSPROPERTY_VIDEOPROCAMP_HUE","features":[82]},{"name":"KSPROPERTY_VIDEOPROCAMP_NODE_S","features":[82]},{"name":"KSPROPERTY_VIDEOPROCAMP_NODE_S2","features":[82]},{"name":"KSPROPERTY_VIDEOPROCAMP_POWERLINE_FREQUENCY","features":[82]},{"name":"KSPROPERTY_VIDEOPROCAMP_S","features":[82]},{"name":"KSPROPERTY_VIDEOPROCAMP_S2","features":[82]},{"name":"KSPROPERTY_VIDEOPROCAMP_SATURATION","features":[82]},{"name":"KSPROPERTY_VIDEOPROCAMP_SHARPNESS","features":[82]},{"name":"KSPROPERTY_VIDEOPROCAMP_WHITEBALANCE","features":[82]},{"name":"KSPROPERTY_VIDEOPROCAMP_WHITEBALANCE_COMPONENT","features":[82]},{"name":"KSPROPERTY_VIDMEM_TRANSPORT","features":[82]},{"name":"KSPROPERTY_VPCONFIG","features":[82]},{"name":"KSPROPERTY_VPCONFIG_DDRAWHANDLE","features":[82]},{"name":"KSPROPERTY_VPCONFIG_DDRAWSURFACEHANDLE","features":[82]},{"name":"KSPROPERTY_VPCONFIG_DECIMATIONCAPABILITY","features":[82]},{"name":"KSPROPERTY_VPCONFIG_GETCONNECTINFO","features":[82]},{"name":"KSPROPERTY_VPCONFIG_GETVIDEOFORMAT","features":[82]},{"name":"KSPROPERTY_VPCONFIG_INFORMVPINPUT","features":[82]},{"name":"KSPROPERTY_VPCONFIG_INVERTPOLARITY","features":[82]},{"name":"KSPROPERTY_VPCONFIG_MAXPIXELRATE","features":[82]},{"name":"KSPROPERTY_VPCONFIG_NUMCONNECTINFO","features":[82]},{"name":"KSPROPERTY_VPCONFIG_NUMVIDEOFORMAT","features":[82]},{"name":"KSPROPERTY_VPCONFIG_SCALEFACTOR","features":[82]},{"name":"KSPROPERTY_VPCONFIG_SETCONNECTINFO","features":[82]},{"name":"KSPROPERTY_VPCONFIG_SETVIDEOFORMAT","features":[82]},{"name":"KSPROPERTY_VPCONFIG_SURFACEPARAMS","features":[82]},{"name":"KSPROPERTY_VPCONFIG_VIDEOPORTID","features":[82]},{"name":"KSPROPERTY_VPCONFIG_VPDATAINFO","features":[82]},{"name":"KSPROPERTY_WAVE","features":[82]},{"name":"KSPROPERTY_WAVE_BUFFER","features":[82]},{"name":"KSPROPERTY_WAVE_COMPATIBLE_CAPABILITIES","features":[82]},{"name":"KSPROPERTY_WAVE_FREQUENCY","features":[82]},{"name":"KSPROPERTY_WAVE_INPUT_CAPABILITIES","features":[82]},{"name":"KSPROPERTY_WAVE_OUTPUT_CAPABILITIES","features":[82]},{"name":"KSPROPERTY_WAVE_PAN","features":[82]},{"name":"KSPROPERTY_WAVE_QUEUED_POSITION","features":[82]},{"name":"KSPROPERTY_WAVE_VOLUME","features":[82]},{"name":"KSPROPSETID_AC3","features":[82]},{"name":"KSPROPSETID_Audio","features":[82]},{"name":"KSPROPSETID_AudioBufferDuration","features":[82]},{"name":"KSPROPSETID_AudioDecoderOut","features":[82]},{"name":"KSPROPSETID_AudioEngine","features":[82]},{"name":"KSPROPSETID_AudioModule","features":[82]},{"name":"KSPROPSETID_AudioPosture","features":[82]},{"name":"KSPROPSETID_AudioResourceManagement","features":[82]},{"name":"KSPROPSETID_AudioSignalProcessing","features":[82]},{"name":"KSPROPSETID_Bibliographic","features":[82]},{"name":"KSPROPSETID_BtAudio","features":[82]},{"name":"KSPROPSETID_Clock","features":[82]},{"name":"KSPROPSETID_Connection","features":[82]},{"name":"KSPROPSETID_CopyProt","features":[82]},{"name":"KSPROPSETID_Cyclic","features":[82]},{"name":"KSPROPSETID_DirectSound3DBuffer","features":[82]},{"name":"KSPROPSETID_DirectSound3DListener","features":[82]},{"name":"KSPROPSETID_DrmAudioStream","features":[82]},{"name":"KSPROPSETID_DvdSubPic","features":[82]},{"name":"KSPROPSETID_FMRXControl","features":[82]},{"name":"KSPROPSETID_FMRXTopology","features":[82]},{"name":"KSPROPSETID_General","features":[82]},{"name":"KSPROPSETID_Hrtf3d","features":[82]},{"name":"KSPROPSETID_InterleavedAudio","features":[82]},{"name":"KSPROPSETID_Itd3d","features":[82]},{"name":"KSPROPSETID_Jack","features":[82]},{"name":"KSPROPSETID_MPEG4_MediaType_Attributes","features":[82]},{"name":"KSPROPSETID_MediaSeeking","features":[82]},{"name":"KSPROPSETID_MemoryTransport","features":[82]},{"name":"KSPROPSETID_Mpeg2Vid","features":[82]},{"name":"KSPROPSETID_OverlayUpdate","features":[82]},{"name":"KSPROPSETID_Pin","features":[82]},{"name":"KSPROPSETID_PinMDLCacheClearProp","features":[82]},{"name":"KSPROPSETID_Quality","features":[82]},{"name":"KSPROPSETID_RtAudio","features":[82]},{"name":"KSPROPSETID_SoundDetector","features":[82]},{"name":"KSPROPSETID_SoundDetector2","features":[82]},{"name":"KSPROPSETID_Stream","features":[82]},{"name":"KSPROPSETID_StreamAllocator","features":[82]},{"name":"KSPROPSETID_StreamInterface","features":[82]},{"name":"KSPROPSETID_TSRateChange","features":[82]},{"name":"KSPROPSETID_TelephonyControl","features":[82]},{"name":"KSPROPSETID_TelephonyTopology","features":[82]},{"name":"KSPROPSETID_Topology","features":[82]},{"name":"KSPROPSETID_TopologyNode","features":[82]},{"name":"KSPROPSETID_VBICAP_PROPERTIES","features":[82]},{"name":"KSPROPSETID_VBICodecFiltering","features":[82]},{"name":"KSPROPSETID_VPConfig","features":[82]},{"name":"KSPROPSETID_VPVBIConfig","features":[82]},{"name":"KSPROPSETID_VramCapture","features":[82]},{"name":"KSPROPSETID_Wave","features":[82]},{"name":"KSPROPTYPESETID_General","features":[82]},{"name":"KSP_NODE","features":[82]},{"name":"KSP_PIN","features":[82]},{"name":"KSP_TIMEFORMAT","features":[82]},{"name":"KSQUALITY","features":[82]},{"name":"KSQUALITY_MANAGER","features":[1,82]},{"name":"KSQUERYBUFFER","features":[1,82]},{"name":"KSRATE","features":[82]},{"name":"KSRATE_CAPABILITY","features":[82]},{"name":"KSRATE_NOPRESENTATIONDURATION","features":[82]},{"name":"KSRATE_NOPRESENTATIONSTART","features":[82]},{"name":"KSRELATIVEEVENT","features":[1,82]},{"name":"KSRELATIVEEVENT_FLAG_HANDLE","features":[82]},{"name":"KSRELATIVEEVENT_FLAG_POINTER","features":[82]},{"name":"KSRESET","features":[82]},{"name":"KSRESET_BEGIN","features":[82]},{"name":"KSRESET_END","features":[82]},{"name":"KSRESOLUTION","features":[82]},{"name":"KSRTAUDIO_BUFFER","features":[1,82]},{"name":"KSRTAUDIO_BUFFER32","features":[1,82]},{"name":"KSRTAUDIO_BUFFER_PROPERTY","features":[82]},{"name":"KSRTAUDIO_BUFFER_PROPERTY32","features":[82]},{"name":"KSRTAUDIO_BUFFER_PROPERTY_WITH_NOTIFICATION","features":[82]},{"name":"KSRTAUDIO_BUFFER_PROPERTY_WITH_NOTIFICATION32","features":[82]},{"name":"KSRTAUDIO_GETREADPACKET_INFO","features":[1,82]},{"name":"KSRTAUDIO_HWLATENCY","features":[82]},{"name":"KSRTAUDIO_HWREGISTER","features":[82]},{"name":"KSRTAUDIO_HWREGISTER32","features":[82]},{"name":"KSRTAUDIO_HWREGISTER_PROPERTY","features":[82]},{"name":"KSRTAUDIO_HWREGISTER_PROPERTY32","features":[82]},{"name":"KSRTAUDIO_NOTIFICATION_EVENT_PROPERTY","features":[1,82]},{"name":"KSRTAUDIO_NOTIFICATION_EVENT_PROPERTY32","features":[82]},{"name":"KSRTAUDIO_PACKETVREGISTER","features":[82]},{"name":"KSRTAUDIO_PACKETVREGISTER_PROPERTY","features":[82]},{"name":"KSRTAUDIO_SETWRITEPACKET_INFO","features":[82]},{"name":"KSSOUNDDETECTORPROPERTY","features":[82]},{"name":"KSSTATE","features":[82]},{"name":"KSSTATE_ACQUIRE","features":[82]},{"name":"KSSTATE_PAUSE","features":[82]},{"name":"KSSTATE_RUN","features":[82]},{"name":"KSSTATE_STOP","features":[82]},{"name":"KSSTREAMALLOCATOR_STATUS","features":[82]},{"name":"KSSTREAMALLOCATOR_STATUS_EX","features":[82]},{"name":"KSSTREAM_FAILUREEXCEPTION","features":[82]},{"name":"KSSTREAM_HEADER","features":[82]},{"name":"KSSTREAM_HEADER","features":[82]},{"name":"KSSTREAM_HEADER_OPTIONSF_BUFFEREDTRANSFER","features":[82]},{"name":"KSSTREAM_HEADER_OPTIONSF_DATADISCONTINUITY","features":[82]},{"name":"KSSTREAM_HEADER_OPTIONSF_DURATIONVALID","features":[82]},{"name":"KSSTREAM_HEADER_OPTIONSF_ENDOFPHOTOSEQUENCE","features":[82]},{"name":"KSSTREAM_HEADER_OPTIONSF_ENDOFSTREAM","features":[82]},{"name":"KSSTREAM_HEADER_OPTIONSF_FLUSHONPAUSE","features":[82]},{"name":"KSSTREAM_HEADER_OPTIONSF_FRAMEINFO","features":[82]},{"name":"KSSTREAM_HEADER_OPTIONSF_LOOPEDDATA","features":[82]},{"name":"KSSTREAM_HEADER_OPTIONSF_METADATA","features":[82]},{"name":"KSSTREAM_HEADER_OPTIONSF_PERSIST_SAMPLE","features":[82]},{"name":"KSSTREAM_HEADER_OPTIONSF_PREROLL","features":[82]},{"name":"KSSTREAM_HEADER_OPTIONSF_SAMPLE_PERSISTED","features":[82]},{"name":"KSSTREAM_HEADER_OPTIONSF_SECUREBUFFERTRANSFER","features":[82]},{"name":"KSSTREAM_HEADER_OPTIONSF_SPLICEPOINT","features":[82]},{"name":"KSSTREAM_HEADER_OPTIONSF_TIMEDISCONTINUITY","features":[82]},{"name":"KSSTREAM_HEADER_OPTIONSF_TIMEVALID","features":[82]},{"name":"KSSTREAM_HEADER_OPTIONSF_TYPECHANGED","features":[82]},{"name":"KSSTREAM_HEADER_OPTIONSF_VRAM_DATA_TRANSFER","features":[82]},{"name":"KSSTREAM_HEADER_TRACK_COMPLETION_NUMBERS","features":[82]},{"name":"KSSTREAM_METADATA_INFO","features":[82]},{"name":"KSSTREAM_NONPAGED_DATA","features":[82]},{"name":"KSSTREAM_PAGED_DATA","features":[82]},{"name":"KSSTREAM_READ","features":[82]},{"name":"KSSTREAM_SEGMENT","features":[1,82]},{"name":"KSSTREAM_SYNCHRONOUS","features":[82]},{"name":"KSSTREAM_UVC_METADATA","features":[82]},{"name":"KSSTREAM_UVC_METADATATYPE_TIMESTAMP","features":[82]},{"name":"KSSTREAM_UVC_SECURE_ATTRIBUTE_SIZE","features":[82]},{"name":"KSSTREAM_WRITE","features":[82]},{"name":"KSSTRING_Allocator","features":[82]},{"name":"KSSTRING_AllocatorEx","features":[82]},{"name":"KSSTRING_Clock","features":[82]},{"name":"KSSTRING_Filter","features":[82]},{"name":"KSSTRING_Pin","features":[82]},{"name":"KSSTRING_TopologyNode","features":[82]},{"name":"KSTELEPHONY_CALLCONTROL","features":[82]},{"name":"KSTELEPHONY_CALLINFO","features":[82]},{"name":"KSTELEPHONY_PROVIDERCHANGE","features":[82]},{"name":"KSTIME","features":[82]},{"name":"KSTIME_FORMAT_BYTE","features":[82]},{"name":"KSTIME_FORMAT_FIELD","features":[82]},{"name":"KSTIME_FORMAT_FRAME","features":[82]},{"name":"KSTIME_FORMAT_MEDIA_TIME","features":[82]},{"name":"KSTIME_FORMAT_SAMPLE","features":[82]},{"name":"KSTOPOLOGY","features":[82]},{"name":"KSTOPOLOGY_CONNECTION","features":[82]},{"name":"KSTOPOLOGY_ENDPOINTID","features":[82]},{"name":"KSTOPOLOGY_ENDPOINTIDPAIR","features":[82]},{"name":"KSVPMAXPIXELRATE","features":[82]},{"name":"KSVPSIZE_PROP","features":[82]},{"name":"KSVPSURFACEPARAMS","features":[82]},{"name":"KSWAVETABLE_WAVE_DESC","features":[1,82]},{"name":"KSWAVE_BUFFER","features":[82]},{"name":"KSWAVE_BUFFER_ATTRIBUTEF_LOOPING","features":[82]},{"name":"KSWAVE_BUFFER_ATTRIBUTEF_STATIC","features":[82]},{"name":"KSWAVE_COMPATCAPS","features":[82]},{"name":"KSWAVE_COMPATCAPS_INPUT","features":[82]},{"name":"KSWAVE_COMPATCAPS_OUTPUT","features":[82]},{"name":"KSWAVE_INPUT_CAPABILITIES","features":[82]},{"name":"KSWAVE_OUTPUT_CAPABILITIES","features":[82]},{"name":"KSWAVE_VOLUME","features":[82]},{"name":"KS_AMCONTROL_COLORINFO_PRESENT","features":[82]},{"name":"KS_AMCONTROL_PAD_TO_16x9","features":[82]},{"name":"KS_AMCONTROL_PAD_TO_4x3","features":[82]},{"name":"KS_AMCONTROL_USED","features":[82]},{"name":"KS_AMPixAspectRatio","features":[82]},{"name":"KS_AMVPDATAINFO","features":[1,82]},{"name":"KS_AMVPDIMINFO","features":[1,82]},{"name":"KS_AMVPSIZE","features":[82]},{"name":"KS_AMVP_BEST_BANDWIDTH","features":[82]},{"name":"KS_AMVP_DO_NOT_CARE","features":[82]},{"name":"KS_AMVP_INPUT_SAME_AS_OUTPUT","features":[82]},{"name":"KS_AMVP_MODE","features":[82]},{"name":"KS_AMVP_MODE_BOBINTERLEAVED","features":[82]},{"name":"KS_AMVP_MODE_BOBNONINTERLEAVED","features":[82]},{"name":"KS_AMVP_MODE_SKIPEVEN","features":[82]},{"name":"KS_AMVP_MODE_SKIPODD","features":[82]},{"name":"KS_AMVP_MODE_WEAVE","features":[82]},{"name":"KS_AMVP_SELECTFORMATBY","features":[82]},{"name":"KS_AM_ExactRateChange","features":[82]},{"name":"KS_AM_PROPERTY_TS_RATE_CHANGE","features":[82]},{"name":"KS_AM_RATE_ExactRateChange","features":[82]},{"name":"KS_AM_RATE_MaxFullDataRate","features":[82]},{"name":"KS_AM_RATE_SimpleRateChange","features":[82]},{"name":"KS_AM_RATE_Step","features":[82]},{"name":"KS_AM_SimpleRateChange","features":[82]},{"name":"KS_AM_UseNewCSSKey","features":[82]},{"name":"KS_ANALOGVIDEOINFO","features":[1,82]},{"name":"KS_AnalogVideoStandard","features":[82]},{"name":"KS_AnalogVideo_NTSC_433","features":[82]},{"name":"KS_AnalogVideo_NTSC_M","features":[82]},{"name":"KS_AnalogVideo_NTSC_M_J","features":[82]},{"name":"KS_AnalogVideo_NTSC_Mask","features":[82]},{"name":"KS_AnalogVideo_None","features":[82]},{"name":"KS_AnalogVideo_PAL_60","features":[82]},{"name":"KS_AnalogVideo_PAL_B","features":[82]},{"name":"KS_AnalogVideo_PAL_D","features":[82]},{"name":"KS_AnalogVideo_PAL_G","features":[82]},{"name":"KS_AnalogVideo_PAL_H","features":[82]},{"name":"KS_AnalogVideo_PAL_I","features":[82]},{"name":"KS_AnalogVideo_PAL_M","features":[82]},{"name":"KS_AnalogVideo_PAL_Mask","features":[82]},{"name":"KS_AnalogVideo_PAL_N","features":[82]},{"name":"KS_AnalogVideo_PAL_N_COMBO","features":[82]},{"name":"KS_AnalogVideo_SECAM_B","features":[82]},{"name":"KS_AnalogVideo_SECAM_D","features":[82]},{"name":"KS_AnalogVideo_SECAM_G","features":[82]},{"name":"KS_AnalogVideo_SECAM_H","features":[82]},{"name":"KS_AnalogVideo_SECAM_K","features":[82]},{"name":"KS_AnalogVideo_SECAM_K1","features":[82]},{"name":"KS_AnalogVideo_SECAM_L","features":[82]},{"name":"KS_AnalogVideo_SECAM_L1","features":[82]},{"name":"KS_AnalogVideo_SECAM_Mask","features":[82]},{"name":"KS_BITMAPINFOHEADER","features":[82]},{"name":"KS_BI_BITFIELDS","features":[82]},{"name":"KS_BI_JPEG","features":[82]},{"name":"KS_BI_RGB","features":[82]},{"name":"KS_BI_RLE4","features":[82]},{"name":"KS_BI_RLE8","features":[82]},{"name":"KS_CAMERACONTROL_ASYNC_RESET","features":[82]},{"name":"KS_CAMERACONTROL_ASYNC_START","features":[82]},{"name":"KS_CAMERACONTROL_ASYNC_STOP","features":[82]},{"name":"KS_CAPTURE_ALLOC_INVALID","features":[82]},{"name":"KS_CAPTURE_ALLOC_SECURE_BUFFER","features":[82]},{"name":"KS_CAPTURE_ALLOC_SYSTEM","features":[82]},{"name":"KS_CAPTURE_ALLOC_SYSTEM_AGP","features":[82]},{"name":"KS_CAPTURE_ALLOC_VRAM","features":[82]},{"name":"KS_CAPTURE_ALLOC_VRAM_MAPPED","features":[82]},{"name":"KS_CC_SUBSTREAM_EVEN","features":[82]},{"name":"KS_CC_SUBSTREAM_FIELD1_MASK","features":[82]},{"name":"KS_CC_SUBSTREAM_FIELD2_MASK","features":[82]},{"name":"KS_CC_SUBSTREAM_ODD","features":[82]},{"name":"KS_CC_SUBSTREAM_SERVICE_CC1","features":[82]},{"name":"KS_CC_SUBSTREAM_SERVICE_CC2","features":[82]},{"name":"KS_CC_SUBSTREAM_SERVICE_CC3","features":[82]},{"name":"KS_CC_SUBSTREAM_SERVICE_CC4","features":[82]},{"name":"KS_CC_SUBSTREAM_SERVICE_T1","features":[82]},{"name":"KS_CC_SUBSTREAM_SERVICE_T2","features":[82]},{"name":"KS_CC_SUBSTREAM_SERVICE_T3","features":[82]},{"name":"KS_CC_SUBSTREAM_SERVICE_T4","features":[82]},{"name":"KS_CC_SUBSTREAM_SERVICE_XDS","features":[82]},{"name":"KS_COLCON","features":[82]},{"name":"KS_COMPRESSION","features":[82]},{"name":"KS_COPYPROTECT_RestrictDuplication","features":[82]},{"name":"KS_COPY_MACROVISION","features":[82]},{"name":"KS_COPY_MACROVISION_LEVEL","features":[82]},{"name":"KS_CameraControlAsyncOperation","features":[82]},{"name":"KS_CompressionCaps","features":[82]},{"name":"KS_CompressionCaps_CanBFrame","features":[82]},{"name":"KS_CompressionCaps_CanCrunch","features":[82]},{"name":"KS_CompressionCaps_CanKeyFrame","features":[82]},{"name":"KS_CompressionCaps_CanQuality","features":[82]},{"name":"KS_CompressionCaps_CanWindow","features":[82]},{"name":"KS_DATAFORMAT_H264VIDEOINFO","features":[82]},{"name":"KS_DATAFORMAT_IMAGEINFO","features":[82]},{"name":"KS_DATAFORMAT_MPEGVIDEOINFO2","features":[1,82]},{"name":"KS_DATAFORMAT_VBIINFOHEADER","features":[82]},{"name":"KS_DATAFORMAT_VIDEOINFOHEADER","features":[1,82]},{"name":"KS_DATAFORMAT_VIDEOINFOHEADER2","features":[1,82]},{"name":"KS_DATAFORMAT_VIDEOINFO_PALETTE","features":[1,82]},{"name":"KS_DATARANGE_ANALOGVIDEO","features":[1,82]},{"name":"KS_DATARANGE_H264_VIDEO","features":[1,82]},{"name":"KS_DATARANGE_IMAGE","features":[1,82]},{"name":"KS_DATARANGE_MPEG1_VIDEO","features":[1,82]},{"name":"KS_DATARANGE_MPEG2_VIDEO","features":[1,82]},{"name":"KS_DATARANGE_VIDEO","features":[1,82]},{"name":"KS_DATARANGE_VIDEO2","features":[1,82]},{"name":"KS_DATARANGE_VIDEO_PALETTE","features":[1,82]},{"name":"KS_DATARANGE_VIDEO_VBI","features":[1,82]},{"name":"KS_DVDCOPYSTATE","features":[82]},{"name":"KS_DVDCOPYSTATE_AUTHENTICATION_NOT_REQUIRED","features":[82]},{"name":"KS_DVDCOPYSTATE_AUTHENTICATION_REQUIRED","features":[82]},{"name":"KS_DVDCOPYSTATE_DONE","features":[82]},{"name":"KS_DVDCOPYSTATE_INITIALIZE","features":[82]},{"name":"KS_DVDCOPYSTATE_INITIALIZE_TITLE","features":[82]},{"name":"KS_DVDCOPY_BUSKEY","features":[82]},{"name":"KS_DVDCOPY_CHLGKEY","features":[82]},{"name":"KS_DVDCOPY_DISCKEY","features":[82]},{"name":"KS_DVDCOPY_REGION","features":[82]},{"name":"KS_DVDCOPY_SET_COPY_STATE","features":[82]},{"name":"KS_DVDCOPY_TITLEKEY","features":[82]},{"name":"KS_DVD_CGMS_COPY_ONCE","features":[82]},{"name":"KS_DVD_CGMS_COPY_PERMITTED","features":[82]},{"name":"KS_DVD_CGMS_COPY_PROTECT_MASK","features":[82]},{"name":"KS_DVD_CGMS_NO_COPY","features":[82]},{"name":"KS_DVD_CGMS_RESERVED_MASK","features":[82]},{"name":"KS_DVD_COPYRIGHTED","features":[82]},{"name":"KS_DVD_COPYRIGHT_MASK","features":[82]},{"name":"KS_DVD_NOT_COPYRIGHTED","features":[82]},{"name":"KS_DVD_SECTOR_NOT_PROTECTED","features":[82]},{"name":"KS_DVD_SECTOR_PROTECTED","features":[82]},{"name":"KS_DVD_SECTOR_PROTECT_MASK","features":[82]},{"name":"KS_DVD_YCrCb","features":[82]},{"name":"KS_DVD_YUV","features":[82]},{"name":"KS_FRAME_INFO","features":[1,82]},{"name":"KS_FRAMING_ITEM","features":[82]},{"name":"KS_FRAMING_RANGE","features":[82]},{"name":"KS_FRAMING_RANGE_WEIGHTED","features":[82]},{"name":"KS_H264VIDEOINFO","features":[82]},{"name":"KS_INTERLACE_1FieldPerSample","features":[82]},{"name":"KS_INTERLACE_DisplayModeBobOnly","features":[82]},{"name":"KS_INTERLACE_DisplayModeBobOrWeave","features":[82]},{"name":"KS_INTERLACE_DisplayModeMask","features":[82]},{"name":"KS_INTERLACE_DisplayModeWeaveOnly","features":[82]},{"name":"KS_INTERLACE_Field1First","features":[82]},{"name":"KS_INTERLACE_FieldPatBothIrregular","features":[82]},{"name":"KS_INTERLACE_FieldPatBothRegular","features":[82]},{"name":"KS_INTERLACE_FieldPatField1Only","features":[82]},{"name":"KS_INTERLACE_FieldPatField2Only","features":[82]},{"name":"KS_INTERLACE_FieldPatternMask","features":[82]},{"name":"KS_INTERLACE_IsInterlaced","features":[82]},{"name":"KS_INTERLACE_UNUSED","features":[82]},{"name":"KS_LogicalMemoryType","features":[82]},{"name":"KS_MACROVISION_DISABLED","features":[82]},{"name":"KS_MACROVISION_LEVEL1","features":[82]},{"name":"KS_MACROVISION_LEVEL2","features":[82]},{"name":"KS_MACROVISION_LEVEL3","features":[82]},{"name":"KS_MAX_SIZE_MPEG1_SEQUENCE_INFO","features":[82]},{"name":"KS_MPEG1VIDEOINFO","features":[1,82]},{"name":"KS_MPEG2Level","features":[82]},{"name":"KS_MPEG2Level_High","features":[82]},{"name":"KS_MPEG2Level_High1440","features":[82]},{"name":"KS_MPEG2Level_Low","features":[82]},{"name":"KS_MPEG2Level_Main","features":[82]},{"name":"KS_MPEG2Profile","features":[82]},{"name":"KS_MPEG2Profile_High","features":[82]},{"name":"KS_MPEG2Profile_Main","features":[82]},{"name":"KS_MPEG2Profile_SNRScalable","features":[82]},{"name":"KS_MPEG2Profile_Simple","features":[82]},{"name":"KS_MPEG2Profile_SpatiallyScalable","features":[82]},{"name":"KS_MPEG2_27MhzTimebase","features":[82]},{"name":"KS_MPEG2_DSS_UserData","features":[82]},{"name":"KS_MPEG2_DVB_UserData","features":[82]},{"name":"KS_MPEG2_DVDLine21Field1","features":[82]},{"name":"KS_MPEG2_DVDLine21Field2","features":[82]},{"name":"KS_MPEG2_DoPanScan","features":[82]},{"name":"KS_MPEG2_FilmCameraMode","features":[82]},{"name":"KS_MPEG2_LetterboxAnalogOut","features":[82]},{"name":"KS_MPEG2_SourceIsLetterboxed","features":[82]},{"name":"KS_MPEG2_WidescreenAnalogOut","features":[82]},{"name":"KS_MPEGAUDIOINFO","features":[82]},{"name":"KS_MPEGAUDIOINFO_27MhzTimebase","features":[82]},{"name":"KS_MPEGVIDEOINFO2","features":[1,82]},{"name":"KS_MemoryTypeAnyHost","features":[82]},{"name":"KS_MemoryTypeDeviceHostMapped","features":[82]},{"name":"KS_MemoryTypeDeviceSpecific","features":[82]},{"name":"KS_MemoryTypeDontCare","features":[82]},{"name":"KS_MemoryTypeKernelNonPaged","features":[82]},{"name":"KS_MemoryTypeKernelPaged","features":[82]},{"name":"KS_MemoryTypeUser","features":[82]},{"name":"KS_NABTS_GROUPID_LOCAL_CABLE_SYSTEM_ADVERTISER_BASE","features":[82]},{"name":"KS_NABTS_GROUPID_LOCAL_CABLE_SYSTEM_CONTENT_BASE","features":[82]},{"name":"KS_NABTS_GROUPID_MICROSOFT_RESERVED_TEST_DATA_BASE","features":[82]},{"name":"KS_NABTS_GROUPID_NETWORK_WIDE_ADVERTISER_BASE","features":[82]},{"name":"KS_NABTS_GROUPID_NETWORK_WIDE_CONTENT_BASE","features":[82]},{"name":"KS_NABTS_GROUPID_ORIGINAL_CONTENT_ADVERTISER_BASE","features":[82]},{"name":"KS_NABTS_GROUPID_ORIGINAL_CONTENT_BASE","features":[82]},{"name":"KS_NABTS_GROUPID_PRODUCTION_COMPANY_ADVERTISER_BASE","features":[82]},{"name":"KS_NABTS_GROUPID_PRODUCTION_COMPANY_CONTENT_BASE","features":[82]},{"name":"KS_NABTS_GROUPID_SYNDICATED_SHOW_ADVERTISER_BASE","features":[82]},{"name":"KS_NABTS_GROUPID_SYNDICATED_SHOW_CONTENT_BASE","features":[82]},{"name":"KS_NABTS_GROUPID_TELEVISION_STATION_ADVERTISER_BASE","features":[82]},{"name":"KS_NABTS_GROUPID_TELEVISION_STATION_CONTENT_BASE","features":[82]},{"name":"KS_Obsolete_VideoControlFlag_ExternalTriggerEnable","features":[82]},{"name":"KS_Obsolete_VideoControlFlag_Trigger","features":[82]},{"name":"KS_PhysConn_Audio_1394","features":[82]},{"name":"KS_PhysConn_Audio_AESDigital","features":[82]},{"name":"KS_PhysConn_Audio_AUX","features":[82]},{"name":"KS_PhysConn_Audio_AudioDecoder","features":[82]},{"name":"KS_PhysConn_Audio_Line","features":[82]},{"name":"KS_PhysConn_Audio_Mic","features":[82]},{"name":"KS_PhysConn_Audio_SCSI","features":[82]},{"name":"KS_PhysConn_Audio_SPDIFDigital","features":[82]},{"name":"KS_PhysConn_Audio_Tuner","features":[82]},{"name":"KS_PhysConn_Audio_USB","features":[82]},{"name":"KS_PhysConn_Video_1394","features":[82]},{"name":"KS_PhysConn_Video_AUX","features":[82]},{"name":"KS_PhysConn_Video_Composite","features":[82]},{"name":"KS_PhysConn_Video_ParallelDigital","features":[82]},{"name":"KS_PhysConn_Video_RGB","features":[82]},{"name":"KS_PhysConn_Video_SCART","features":[82]},{"name":"KS_PhysConn_Video_SCSI","features":[82]},{"name":"KS_PhysConn_Video_SVideo","features":[82]},{"name":"KS_PhysConn_Video_SerialDigital","features":[82]},{"name":"KS_PhysConn_Video_Tuner","features":[82]},{"name":"KS_PhysConn_Video_USB","features":[82]},{"name":"KS_PhysConn_Video_VideoDecoder","features":[82]},{"name":"KS_PhysConn_Video_VideoEncoder","features":[82]},{"name":"KS_PhysConn_Video_YRYBY","features":[82]},{"name":"KS_PhysicalConnectorType","features":[82]},{"name":"KS_PixAspectRatio_NTSC16x9","features":[82]},{"name":"KS_PixAspectRatio_NTSC4x3","features":[82]},{"name":"KS_PixAspectRatio_PAL16x9","features":[82]},{"name":"KS_PixAspectRatio_PAL4x3","features":[82]},{"name":"KS_RGBQUAD","features":[82]},{"name":"KS_SECURE_CAMERA_SCENARIO_ID","features":[82]},{"name":"KS_SEEKING_AbsolutePositioning","features":[82]},{"name":"KS_SEEKING_CAPABILITIES","features":[82]},{"name":"KS_SEEKING_CanGetCurrentPos","features":[82]},{"name":"KS_SEEKING_CanGetDuration","features":[82]},{"name":"KS_SEEKING_CanGetStopPos","features":[82]},{"name":"KS_SEEKING_CanPlayBackwards","features":[82]},{"name":"KS_SEEKING_CanSeekAbsolute","features":[82]},{"name":"KS_SEEKING_CanSeekBackwards","features":[82]},{"name":"KS_SEEKING_CanSeekForwards","features":[82]},{"name":"KS_SEEKING_FLAGS","features":[82]},{"name":"KS_SEEKING_IncrementalPositioning","features":[82]},{"name":"KS_SEEKING_NoPositioning","features":[82]},{"name":"KS_SEEKING_PositioningBitsMask","features":[82]},{"name":"KS_SEEKING_RelativePositioning","features":[82]},{"name":"KS_SEEKING_ReturnTime","features":[82]},{"name":"KS_SEEKING_SeekToKeyFrame","features":[82]},{"name":"KS_StreamingHint_CompQuality","features":[82]},{"name":"KS_StreamingHint_CompWindowSize","features":[82]},{"name":"KS_StreamingHint_FrameInterval","features":[82]},{"name":"KS_StreamingHint_KeyFrameRate","features":[82]},{"name":"KS_StreamingHint_PFrameRate","features":[82]},{"name":"KS_TRUECOLORINFO","features":[82]},{"name":"KS_TUNER_STRATEGY","features":[82]},{"name":"KS_TUNER_STRATEGY_DRIVER_TUNES","features":[82]},{"name":"KS_TUNER_STRATEGY_PLL","features":[82]},{"name":"KS_TUNER_STRATEGY_SIGNAL_STRENGTH","features":[82]},{"name":"KS_TUNER_TUNING_COARSE","features":[82]},{"name":"KS_TUNER_TUNING_EXACT","features":[82]},{"name":"KS_TUNER_TUNING_FINE","features":[82]},{"name":"KS_TUNER_TUNING_FLAGS","features":[82]},{"name":"KS_TVAUDIO_MODE_LANG_A","features":[82]},{"name":"KS_TVAUDIO_MODE_LANG_B","features":[82]},{"name":"KS_TVAUDIO_MODE_LANG_C","features":[82]},{"name":"KS_TVAUDIO_MODE_MONO","features":[82]},{"name":"KS_TVAUDIO_MODE_STEREO","features":[82]},{"name":"KS_TVAUDIO_PRESET_LANG_A","features":[82]},{"name":"KS_TVAUDIO_PRESET_LANG_B","features":[82]},{"name":"KS_TVAUDIO_PRESET_LANG_C","features":[82]},{"name":"KS_TVAUDIO_PRESET_STEREO","features":[82]},{"name":"KS_TVTUNER_CHANGE_BEGIN_TUNE","features":[82]},{"name":"KS_TVTUNER_CHANGE_END_TUNE","features":[82]},{"name":"KS_TVTUNER_CHANGE_INFO","features":[82]},{"name":"KS_VBICAP_PROTECTION_MV_DETECTED","features":[82]},{"name":"KS_VBICAP_PROTECTION_MV_HARDWARE","features":[82]},{"name":"KS_VBICAP_PROTECTION_MV_PRESENT","features":[82]},{"name":"KS_VBIDATARATE_CC","features":[82]},{"name":"KS_VBIDATARATE_NABTS","features":[82]},{"name":"KS_VBIINFOHEADER","features":[82]},{"name":"KS_VBI_FLAG_FIELD1","features":[82]},{"name":"KS_VBI_FLAG_FIELD2","features":[82]},{"name":"KS_VBI_FLAG_FRAME","features":[82]},{"name":"KS_VBI_FLAG_MV_DETECTED","features":[82]},{"name":"KS_VBI_FLAG_MV_HARDWARE","features":[82]},{"name":"KS_VBI_FLAG_MV_PRESENT","features":[82]},{"name":"KS_VBI_FLAG_TVTUNER_CHANGE","features":[82]},{"name":"KS_VBI_FLAG_VBIINFOHEADER_CHANGE","features":[82]},{"name":"KS_VBI_FRAME_INFO","features":[82]},{"name":"KS_VIDEODECODER_FLAGS","features":[82]},{"name":"KS_VIDEODECODER_FLAGS_CAN_DISABLE_OUTPUT","features":[82]},{"name":"KS_VIDEODECODER_FLAGS_CAN_INDICATE_LOCKED","features":[82]},{"name":"KS_VIDEODECODER_FLAGS_CAN_USE_VCR_LOCKING","features":[82]},{"name":"KS_VIDEOINFO","features":[1,82]},{"name":"KS_VIDEOINFOHEADER","features":[1,82]},{"name":"KS_VIDEOINFOHEADER2","features":[1,82]},{"name":"KS_VIDEOSTREAM_CAPTURE","features":[82]},{"name":"KS_VIDEOSTREAM_CC","features":[82]},{"name":"KS_VIDEOSTREAM_EDS","features":[82]},{"name":"KS_VIDEOSTREAM_IS_VPE","features":[82]},{"name":"KS_VIDEOSTREAM_NABTS","features":[82]},{"name":"KS_VIDEOSTREAM_PREVIEW","features":[82]},{"name":"KS_VIDEOSTREAM_STILL","features":[82]},{"name":"KS_VIDEOSTREAM_TELETEXT","features":[82]},{"name":"KS_VIDEOSTREAM_VBI","features":[82]},{"name":"KS_VIDEO_ALLOC_VPE_AGP","features":[82]},{"name":"KS_VIDEO_ALLOC_VPE_DISPLAY","features":[82]},{"name":"KS_VIDEO_ALLOC_VPE_SYSTEM","features":[82]},{"name":"KS_VIDEO_FLAG_B_FRAME","features":[82]},{"name":"KS_VIDEO_FLAG_FIELD1","features":[82]},{"name":"KS_VIDEO_FLAG_FIELD1FIRST","features":[82]},{"name":"KS_VIDEO_FLAG_FIELD2","features":[82]},{"name":"KS_VIDEO_FLAG_FIELD_MASK","features":[82]},{"name":"KS_VIDEO_FLAG_FRAME","features":[82]},{"name":"KS_VIDEO_FLAG_IPB_MASK","features":[82]},{"name":"KS_VIDEO_FLAG_I_FRAME","features":[82]},{"name":"KS_VIDEO_FLAG_P_FRAME","features":[82]},{"name":"KS_VIDEO_FLAG_REPEAT_FIELD","features":[82]},{"name":"KS_VIDEO_FLAG_WEAVE","features":[82]},{"name":"KS_VIDEO_STREAM_CONFIG_CAPS","features":[1,82]},{"name":"KS_VideoControlFlag_ExternalTriggerEnable","features":[82]},{"name":"KS_VideoControlFlag_FlipHorizontal","features":[82]},{"name":"KS_VideoControlFlag_FlipVertical","features":[82]},{"name":"KS_VideoControlFlag_IndependentImagePin","features":[82]},{"name":"KS_VideoControlFlag_StartPhotoSequenceCapture","features":[82]},{"name":"KS_VideoControlFlag_StillCapturePreviewFrame","features":[82]},{"name":"KS_VideoControlFlag_StopPhotoSequenceCapture","features":[82]},{"name":"KS_VideoControlFlag_Trigger","features":[82]},{"name":"KS_VideoControlFlags","features":[82]},{"name":"KS_VideoStreamingHints","features":[82]},{"name":"KS_iBLUE","features":[82]},{"name":"KS_iEGA_COLORS","features":[82]},{"name":"KS_iGREEN","features":[82]},{"name":"KS_iMASK_COLORS","features":[82]},{"name":"KS_iMAXBITS","features":[82]},{"name":"KS_iPALETTE","features":[82]},{"name":"KS_iPALETTE_COLORS","features":[82]},{"name":"KS_iRED","features":[82]},{"name":"KS_iTRUECOLOR","features":[82]},{"name":"KsAllocatorMode_Kernel","features":[82]},{"name":"KsAllocatorMode_User","features":[82]},{"name":"KsCreateAllocator","features":[1,82]},{"name":"KsCreateAllocator2","features":[1,82]},{"name":"KsCreateClock","features":[1,82]},{"name":"KsCreateClock2","features":[1,82]},{"name":"KsCreatePin","features":[1,82]},{"name":"KsCreatePin2","features":[1,82]},{"name":"KsCreateTopologyNode","features":[1,82]},{"name":"KsCreateTopologyNode2","features":[1,82]},{"name":"KsGetMediaType","features":[1,82,83]},{"name":"KsGetMediaTypeCount","features":[1,82]},{"name":"KsGetMultiplePinFactoryItems","features":[1,82]},{"name":"KsIoOperation_Read","features":[82]},{"name":"KsIoOperation_Write","features":[82]},{"name":"KsOpenDefaultDevice","features":[1,82]},{"name":"KsPeekOperation_AddRef","features":[82]},{"name":"KsPeekOperation_PeekOnly","features":[82]},{"name":"KsResolveRequiredAttributes","features":[82]},{"name":"KsSynchronousDeviceControl","features":[1,82]},{"name":"LIGHT_FILTER","features":[82]},{"name":"LOOPEDSTREAMING_POSITION_EVENT_DATA","features":[1,82]},{"name":"MAX_NABTS_VBI_LINES_PER_FIELD","features":[82]},{"name":"MAX_RESOURCEGROUPID_LENGTH","features":[82]},{"name":"MAX_SINK_DESCRIPTION_NAME_LENGTH","features":[82]},{"name":"MAX_WST_VBI_LINES_PER_FIELD","features":[82]},{"name":"MEDIUM_INFO","features":[1,82]},{"name":"MF_MDL_SHARED_PAYLOAD_KEY","features":[82]},{"name":"MIN_DEV_VER_FOR_FLAGS","features":[82]},{"name":"MIN_DEV_VER_FOR_QI","features":[82]},{"name":"MetadataId_BackgroundSegmentationMask","features":[82]},{"name":"MetadataId_CameraExtrinsics","features":[82]},{"name":"MetadataId_CameraIntrinsics","features":[82]},{"name":"MetadataId_CaptureStats","features":[82]},{"name":"MetadataId_Custom_Start","features":[82]},{"name":"MetadataId_DigitalWindow","features":[82]},{"name":"MetadataId_FrameIllumination","features":[82]},{"name":"MetadataId_PhotoConfirmation","features":[82]},{"name":"MetadataId_Standard_End","features":[82]},{"name":"MetadataId_Standard_Start","features":[82]},{"name":"MetadataId_UsbVideoHeader","features":[82]},{"name":"NABTSFEC_BUFFER","features":[82]},{"name":"NABTS_BUFFER","features":[82]},{"name":"NABTS_BUFFER_LINE","features":[82]},{"name":"NABTS_BUFFER_PICTURENUMBER_SUPPORT","features":[82]},{"name":"NABTS_BYTES_PER_LINE","features":[82]},{"name":"NABTS_LINES_PER_BUNDLE","features":[82]},{"name":"NABTS_PAYLOAD_PER_LINE","features":[82]},{"name":"NANOSECONDS","features":[82]},{"name":"OPTIMAL_WEIGHT_TOTALS","features":[82]},{"name":"PINNAME_DISPLAYPORT_OUT","features":[82]},{"name":"PINNAME_HDMI_OUT","features":[82]},{"name":"PINNAME_IMAGE","features":[82]},{"name":"PINNAME_SPDIF_IN","features":[82]},{"name":"PINNAME_SPDIF_OUT","features":[82]},{"name":"PINNAME_VIDEO_ANALOGVIDEOIN","features":[82]},{"name":"PINNAME_VIDEO_CAPTURE","features":[82]},{"name":"PINNAME_VIDEO_CC","features":[82]},{"name":"PINNAME_VIDEO_CC_CAPTURE","features":[82]},{"name":"PINNAME_VIDEO_EDS","features":[82]},{"name":"PINNAME_VIDEO_NABTS","features":[82]},{"name":"PINNAME_VIDEO_NABTS_CAPTURE","features":[82]},{"name":"PINNAME_VIDEO_PREVIEW","features":[82]},{"name":"PINNAME_VIDEO_STILL","features":[82]},{"name":"PINNAME_VIDEO_TELETEXT","features":[82]},{"name":"PINNAME_VIDEO_TIMECODE","features":[82]},{"name":"PINNAME_VIDEO_VBI","features":[82]},{"name":"PINNAME_VIDEO_VIDEOPORT","features":[82]},{"name":"PINNAME_VIDEO_VIDEOPORT_VBI","features":[82]},{"name":"PIPE_ALLOCATOR_PLACE","features":[82]},{"name":"PIPE_DIMENSIONS","features":[82]},{"name":"PIPE_STATE","features":[82]},{"name":"PIPE_TERMINATION","features":[82]},{"name":"PROPSETID_ALLOCATOR_CONTROL","features":[82]},{"name":"PROPSETID_EXT_DEVICE","features":[82]},{"name":"PROPSETID_EXT_TRANSPORT","features":[82]},{"name":"PROPSETID_TIMECODE_READER","features":[82]},{"name":"PROPSETID_TUNER","features":[82]},{"name":"PROPSETID_VIDCAP_CAMERACONTROL","features":[82]},{"name":"PROPSETID_VIDCAP_CAMERACONTROL_FLASH","features":[82]},{"name":"PROPSETID_VIDCAP_CAMERACONTROL_IMAGE_PIN_CAPABILITY","features":[82]},{"name":"PROPSETID_VIDCAP_CAMERACONTROL_REGION_OF_INTEREST","features":[82]},{"name":"PROPSETID_VIDCAP_CAMERACONTROL_VIDEO_STABILIZATION","features":[82]},{"name":"PROPSETID_VIDCAP_CROSSBAR","features":[82]},{"name":"PROPSETID_VIDCAP_DROPPEDFRAMES","features":[82]},{"name":"PROPSETID_VIDCAP_SELECTOR","features":[82]},{"name":"PROPSETID_VIDCAP_TVAUDIO","features":[82]},{"name":"PROPSETID_VIDCAP_VIDEOCOMPRESSION","features":[82]},{"name":"PROPSETID_VIDCAP_VIDEOCONTROL","features":[82]},{"name":"PROPSETID_VIDCAP_VIDEODECODER","features":[82]},{"name":"PROPSETID_VIDCAP_VIDEOENCODER","features":[82]},{"name":"PROPSETID_VIDCAP_VIDEOPROCAMP","features":[82]},{"name":"PipeFactor_Align","features":[82]},{"name":"PipeFactor_Buffers","features":[82]},{"name":"PipeFactor_FixedCompression","features":[82]},{"name":"PipeFactor_Flags","features":[82]},{"name":"PipeFactor_LogicalEnd","features":[82]},{"name":"PipeFactor_MemoryTypes","features":[82]},{"name":"PipeFactor_None","features":[82]},{"name":"PipeFactor_OptimalRanges","features":[82]},{"name":"PipeFactor_PhysicalEnd","features":[82]},{"name":"PipeFactor_PhysicalRanges","features":[82]},{"name":"PipeFactor_UnknownCompression","features":[82]},{"name":"PipeFactor_UserModeDownstream","features":[82]},{"name":"PipeFactor_UserModeUpstream","features":[82]},{"name":"PipeState_CompressionUnknown","features":[82]},{"name":"PipeState_DontCare","features":[82]},{"name":"PipeState_Finalized","features":[82]},{"name":"PipeState_RangeFixed","features":[82]},{"name":"PipeState_RangeNotFixed","features":[82]},{"name":"Pipe_Allocator_FirstPin","features":[82]},{"name":"Pipe_Allocator_LastPin","features":[82]},{"name":"Pipe_Allocator_MiddlePin","features":[82]},{"name":"Pipe_Allocator_None","features":[82]},{"name":"RT_RCDATA","features":[82]},{"name":"RT_STRING","features":[82]},{"name":"SECURE_BUFFER_INFO","features":[82]},{"name":"SHORT_COEFF","features":[82]},{"name":"SOUNDDETECTOR_PATTERNHEADER","features":[82]},{"name":"SPEAKER_ALL","features":[82]},{"name":"SPEAKER_BACK_CENTER","features":[82]},{"name":"SPEAKER_BACK_LEFT","features":[82]},{"name":"SPEAKER_BACK_RIGHT","features":[82]},{"name":"SPEAKER_FRONT_CENTER","features":[82]},{"name":"SPEAKER_FRONT_LEFT","features":[82]},{"name":"SPEAKER_FRONT_LEFT_OF_CENTER","features":[82]},{"name":"SPEAKER_FRONT_RIGHT","features":[82]},{"name":"SPEAKER_FRONT_RIGHT_OF_CENTER","features":[82]},{"name":"SPEAKER_LOW_FREQUENCY","features":[82]},{"name":"SPEAKER_RESERVED","features":[82]},{"name":"SPEAKER_SIDE_LEFT","features":[82]},{"name":"SPEAKER_SIDE_RIGHT","features":[82]},{"name":"SPEAKER_TOP_BACK_CENTER","features":[82]},{"name":"SPEAKER_TOP_BACK_LEFT","features":[82]},{"name":"SPEAKER_TOP_BACK_RIGHT","features":[82]},{"name":"SPEAKER_TOP_CENTER","features":[82]},{"name":"SPEAKER_TOP_FRONT_CENTER","features":[82]},{"name":"SPEAKER_TOP_FRONT_LEFT","features":[82]},{"name":"SPEAKER_TOP_FRONT_RIGHT","features":[82]},{"name":"SYSAUDIO_FLAGS_CLEAR_PREFERRED","features":[82]},{"name":"SYSAUDIO_FLAGS_DONT_COMBINE_PINS","features":[82]},{"name":"TELEPHONY_CALLCONTROLOP","features":[82]},{"name":"TELEPHONY_CALLCONTROLOP_DISABLE","features":[82]},{"name":"TELEPHONY_CALLCONTROLOP_ENABLE","features":[82]},{"name":"TELEPHONY_CALLSTATE","features":[82]},{"name":"TELEPHONY_CALLSTATE_DISABLED","features":[82]},{"name":"TELEPHONY_CALLSTATE_ENABLED","features":[82]},{"name":"TELEPHONY_CALLSTATE_HOLD","features":[82]},{"name":"TELEPHONY_CALLSTATE_PROVIDERTRANSITION","features":[82]},{"name":"TELEPHONY_CALLTYPE","features":[82]},{"name":"TELEPHONY_CALLTYPE_CIRCUITSWITCHED","features":[82]},{"name":"TELEPHONY_CALLTYPE_PACKETSWITCHED_LTE","features":[82]},{"name":"TELEPHONY_CALLTYPE_PACKETSWITCHED_WLAN","features":[82]},{"name":"TELEPHONY_PROVIDERCHANGEOP","features":[82]},{"name":"TELEPHONY_PROVIDERCHANGEOP_BEGIN","features":[82]},{"name":"TELEPHONY_PROVIDERCHANGEOP_CANCEL","features":[82]},{"name":"TELEPHONY_PROVIDERCHANGEOP_END","features":[82]},{"name":"TRANSPORTAUDIOPARMS","features":[82]},{"name":"TRANSPORTBASICPARMS","features":[82]},{"name":"TRANSPORTSTATUS","features":[82]},{"name":"TRANSPORTVIDEOPARMS","features":[82]},{"name":"TRANSPORT_STATE","features":[82]},{"name":"TUNER_ANALOG_CAPS_S","features":[82]},{"name":"TunerLockType","features":[82]},{"name":"Tuner_LockType_Locked","features":[82]},{"name":"Tuner_LockType_None","features":[82]},{"name":"Tuner_LockType_Within_Scan_Sensing_Range","features":[82]},{"name":"VBICAP_PROPERTIES_PROTECTION_S","features":[82]},{"name":"VBICODECFILTERING_CC_SUBSTREAMS","features":[82]},{"name":"VBICODECFILTERING_NABTS_SUBSTREAMS","features":[82]},{"name":"VBICODECFILTERING_SCANLINES","features":[82]},{"name":"VBICODECFILTERING_STATISTICS_CC","features":[82]},{"name":"VBICODECFILTERING_STATISTICS_CC_PIN","features":[82]},{"name":"VBICODECFILTERING_STATISTICS_COMMON","features":[82]},{"name":"VBICODECFILTERING_STATISTICS_COMMON_PIN","features":[82]},{"name":"VBICODECFILTERING_STATISTICS_NABTS","features":[82]},{"name":"VBICODECFILTERING_STATISTICS_NABTS_PIN","features":[82]},{"name":"VBICODECFILTERING_STATISTICS_TELETEXT","features":[82]},{"name":"VBICODECFILTERING_STATISTICS_TELETEXT_PIN","features":[82]},{"name":"VRAM_SURFACE_INFO","features":[82]},{"name":"VRAM_SURFACE_INFO_PROPERTY_S","features":[82]},{"name":"WAVE_FORMAT_EXTENSIBLE","features":[82]},{"name":"WNF_KSCAMERA_STREAMSTATE_INFO","features":[82]},{"name":"WST_BUFFER","features":[82]},{"name":"WST_BUFFER_LINE","features":[82]},{"name":"WST_BYTES_PER_LINE","features":[82]},{"name":"WST_TVTUNER_CHANGE_BEGIN_TUNE","features":[82]},{"name":"WST_TVTUNER_CHANGE_END_TUNE","features":[82]},{"name":"eConnType3Point5mm","features":[82]},{"name":"eConnTypeAtapiInternal","features":[82]},{"name":"eConnTypeCombination","features":[82]},{"name":"eConnTypeMultichannelAnalogDIN","features":[82]},{"name":"eConnTypeOptical","features":[82]},{"name":"eConnTypeOtherAnalog","features":[82]},{"name":"eConnTypeOtherDigital","features":[82]},{"name":"eConnTypeQuarter","features":[82]},{"name":"eConnTypeRCA","features":[82]},{"name":"eConnTypeRJ11Modem","features":[82]},{"name":"eConnTypeUnknown","features":[82]},{"name":"eConnTypeXlrProfessional","features":[82]},{"name":"eDeviceControlUseMissing","features":[82]},{"name":"eDeviceControlUsePrimary","features":[82]},{"name":"eDeviceControlUseSecondary","features":[82]},{"name":"eGenLocInternal","features":[82]},{"name":"eGenLocOther","features":[82]},{"name":"eGenLocPrimaryBox","features":[82]},{"name":"eGenLocSeparate","features":[82]},{"name":"eGeoLocATAPI","features":[82]},{"name":"eGeoLocBottom","features":[82]},{"name":"eGeoLocDrivebay","features":[82]},{"name":"eGeoLocFront","features":[82]},{"name":"eGeoLocHDMI","features":[82]},{"name":"eGeoLocInsideMobileLid","features":[82]},{"name":"eGeoLocLeft","features":[82]},{"name":"eGeoLocNotApplicable","features":[82]},{"name":"eGeoLocOutsideMobileLid","features":[82]},{"name":"eGeoLocRear","features":[82]},{"name":"eGeoLocRearPanel","features":[82]},{"name":"eGeoLocReserved6","features":[82]},{"name":"eGeoLocRight","features":[82]},{"name":"eGeoLocRiser","features":[82]},{"name":"eGeoLocTop","features":[82]},{"name":"ePortConnBothIntegratedAndJack","features":[82]},{"name":"ePortConnIntegratedDevice","features":[82]},{"name":"ePortConnJack","features":[82]},{"name":"ePortConnUnknown","features":[82]}],"438":[{"name":"ACMDM_BASE","features":[79]},{"name":"ACM_MPEG_COPYRIGHT","features":[79]},{"name":"ACM_MPEG_DUALCHANNEL","features":[79]},{"name":"ACM_MPEG_ID_MPEG1","features":[79]},{"name":"ACM_MPEG_JOINTSTEREO","features":[79]},{"name":"ACM_MPEG_LAYER1","features":[79]},{"name":"ACM_MPEG_LAYER2","features":[79]},{"name":"ACM_MPEG_LAYER3","features":[79]},{"name":"ACM_MPEG_ORIGINALHOME","features":[79]},{"name":"ACM_MPEG_PRIVATEBIT","features":[79]},{"name":"ACM_MPEG_PROTECTIONBIT","features":[79]},{"name":"ACM_MPEG_SINGLECHANNEL","features":[79]},{"name":"ACM_MPEG_STEREO","features":[79]},{"name":"ADPCMCOEFSET","features":[79]},{"name":"ADPCMEWAVEFORMAT","features":[80,79]},{"name":"ADPCMWAVEFORMAT","features":[80,79]},{"name":"APTXWAVEFORMAT","features":[80,79]},{"name":"AUDIOFILE_AF10WAVEFORMAT","features":[80,79]},{"name":"AUDIOFILE_AF36WAVEFORMAT","features":[80,79]},{"name":"AUXDM_GETDEVCAPS","features":[79]},{"name":"AUXDM_GETNUMDEVS","features":[79]},{"name":"AUXDM_GETVOLUME","features":[79]},{"name":"AUXDM_SETVOLUME","features":[79]},{"name":"AUXM_INIT","features":[79]},{"name":"AUXM_INIT_EX","features":[79]},{"name":"AVIBuildFilterA","features":[1,79]},{"name":"AVIBuildFilterW","features":[1,79]},{"name":"AVICOMPRESSF_DATARATE","features":[79]},{"name":"AVICOMPRESSF_INTERLEAVE","features":[79]},{"name":"AVICOMPRESSF_KEYFRAMES","features":[79]},{"name":"AVICOMPRESSF_VALID","features":[79]},{"name":"AVICOMPRESSOPTIONS","features":[79]},{"name":"AVIClearClipboard","features":[79]},{"name":"AVIERR_OK","features":[79]},{"name":"AVIFILECAPS_ALLKEYFRAMES","features":[79]},{"name":"AVIFILECAPS_CANREAD","features":[79]},{"name":"AVIFILECAPS_CANWRITE","features":[79]},{"name":"AVIFILECAPS_NOCOMPRESSION","features":[79]},{"name":"AVIFILEHANDLER_CANACCEPTNONRGB","features":[79]},{"name":"AVIFILEHANDLER_CANREAD","features":[79]},{"name":"AVIFILEHANDLER_CANWRITE","features":[79]},{"name":"AVIFILEINFOA","features":[79]},{"name":"AVIFILEINFOW","features":[79]},{"name":"AVIFILEINFO_COPYRIGHTED","features":[79]},{"name":"AVIFILEINFO_HASINDEX","features":[79]},{"name":"AVIFILEINFO_ISINTERLEAVED","features":[79]},{"name":"AVIFILEINFO_MUSTUSEINDEX","features":[79]},{"name":"AVIFILEINFO_WASCAPTUREFILE","features":[79]},{"name":"AVIFileAddRef","features":[79]},{"name":"AVIFileCreateStreamA","features":[1,79]},{"name":"AVIFileCreateStreamW","features":[1,79]},{"name":"AVIFileEndRecord","features":[79]},{"name":"AVIFileExit","features":[79]},{"name":"AVIFileGetStream","features":[79]},{"name":"AVIFileInfoA","features":[79]},{"name":"AVIFileInfoW","features":[79]},{"name":"AVIFileInit","features":[79]},{"name":"AVIFileOpenA","features":[79]},{"name":"AVIFileOpenW","features":[79]},{"name":"AVIFileReadData","features":[79]},{"name":"AVIFileRelease","features":[79]},{"name":"AVIFileWriteData","features":[79]},{"name":"AVIGETFRAMEF_BESTDISPLAYFMT","features":[79]},{"name":"AVIGetFromClipboard","features":[79]},{"name":"AVIIF_CONTROLFRAME","features":[79]},{"name":"AVIIF_TWOCC","features":[79]},{"name":"AVIMakeCompressedStream","features":[79]},{"name":"AVIMakeFileFromStreams","features":[79]},{"name":"AVIMakeStreamFromClipboard","features":[1,79]},{"name":"AVIPutFileOnClipboard","features":[79]},{"name":"AVISAVECALLBACK","features":[1,79]},{"name":"AVISTREAMINFOA","features":[1,79]},{"name":"AVISTREAMINFOW","features":[1,79]},{"name":"AVISTREAMINFO_DISABLED","features":[79]},{"name":"AVISTREAMINFO_FORMATCHANGES","features":[79]},{"name":"AVISTREAMREAD_CONVENIENT","features":[79]},{"name":"AVISaveA","features":[1,79]},{"name":"AVISaveOptions","features":[1,79]},{"name":"AVISaveOptionsFree","features":[79]},{"name":"AVISaveVA","features":[1,79]},{"name":"AVISaveVW","features":[1,79]},{"name":"AVISaveW","features":[1,79]},{"name":"AVIStreamAddRef","features":[79]},{"name":"AVIStreamBeginStreaming","features":[79]},{"name":"AVIStreamCreate","features":[79]},{"name":"AVIStreamEndStreaming","features":[79]},{"name":"AVIStreamFindSample","features":[79]},{"name":"AVIStreamGetFrame","features":[79]},{"name":"AVIStreamGetFrameClose","features":[79]},{"name":"AVIStreamGetFrameOpen","features":[12,79]},{"name":"AVIStreamInfoA","features":[1,79]},{"name":"AVIStreamInfoW","features":[1,79]},{"name":"AVIStreamLength","features":[79]},{"name":"AVIStreamOpenFromFileA","features":[79]},{"name":"AVIStreamOpenFromFileW","features":[79]},{"name":"AVIStreamRead","features":[79]},{"name":"AVIStreamReadData","features":[79]},{"name":"AVIStreamReadFormat","features":[79]},{"name":"AVIStreamRelease","features":[79]},{"name":"AVIStreamSampleToTime","features":[79]},{"name":"AVIStreamSetFormat","features":[79]},{"name":"AVIStreamStart","features":[79]},{"name":"AVIStreamTimeToSample","features":[79]},{"name":"AVIStreamWrite","features":[79]},{"name":"AVIStreamWriteData","features":[79]},{"name":"AVSTREAMMASTER_AUDIO","features":[79]},{"name":"AVSTREAMMASTER_NONE","features":[79]},{"name":"BI_1632","features":[79]},{"name":"CAPCONTROLCALLBACK","features":[1,79]},{"name":"CAPDRIVERCAPS","features":[1,79]},{"name":"CAPERRORCALLBACKA","features":[1,79]},{"name":"CAPERRORCALLBACKW","features":[1,79]},{"name":"CAPINFOCHUNK","features":[79]},{"name":"CAPSTATUS","features":[1,12,79]},{"name":"CAPSTATUSCALLBACKA","features":[1,79]},{"name":"CAPSTATUSCALLBACKW","features":[1,79]},{"name":"CAPTUREPARMS","features":[1,79]},{"name":"CAPVIDEOCALLBACK","features":[1,79]},{"name":"CAPWAVECALLBACK","features":[1,80,79]},{"name":"CAPYIELDCALLBACK","features":[1,79]},{"name":"CHANNEL_CAPS","features":[79]},{"name":"CLSID_AVIFile","features":[79]},{"name":"CLSID_AVISimpleUnMarshal","features":[79]},{"name":"COMPVARS","features":[12,79]},{"name":"CONTRESCR10WAVEFORMAT","features":[80,79]},{"name":"CONTRESVQLPCWAVEFORMAT","features":[80,79]},{"name":"CONTROLCALLBACK_CAPTURING","features":[79]},{"name":"CONTROLCALLBACK_PREROLL","features":[79]},{"name":"CREATIVEADPCMWAVEFORMAT","features":[80,79]},{"name":"CREATIVEFASTSPEECH10WAVEFORMAT","features":[80,79]},{"name":"CREATIVEFASTSPEECH8WAVEFORMAT","features":[80,79]},{"name":"CRYSTAL_NET_SFM_CODEC","features":[79]},{"name":"CSIMAADPCMWAVEFORMAT","features":[80,79]},{"name":"CloseDriver","features":[1,79]},{"name":"CreateEditableStream","features":[79]},{"name":"DCB_EVENT","features":[79]},{"name":"DCB_FUNCTION","features":[79]},{"name":"DCB_NOSWITCH","features":[79]},{"name":"DCB_NULL","features":[79]},{"name":"DCB_TASK","features":[79]},{"name":"DCB_TYPEMASK","features":[79]},{"name":"DCB_WINDOW","features":[79]},{"name":"DDF_0001","features":[79]},{"name":"DDF_2000","features":[79]},{"name":"DDF_ANIMATE","features":[79]},{"name":"DDF_BACKGROUNDPAL","features":[79]},{"name":"DDF_BUFFER","features":[79]},{"name":"DDF_DONTDRAW","features":[79]},{"name":"DDF_FULLSCREEN","features":[79]},{"name":"DDF_HALFTONE","features":[79]},{"name":"DDF_HURRYUP","features":[79]},{"name":"DDF_JUSTDRAWIT","features":[79]},{"name":"DDF_NOTKEYFRAME","features":[79]},{"name":"DDF_PREROLL","features":[79]},{"name":"DDF_SAME_DIB","features":[79]},{"name":"DDF_SAME_DRAW","features":[79]},{"name":"DDF_SAME_HDC","features":[79]},{"name":"DDF_SAME_SIZE","features":[79]},{"name":"DDF_UPDATE","features":[79]},{"name":"DIALOGICOKIADPCMWAVEFORMAT","features":[80,79]},{"name":"DIGIADPCMWAVEFORMAT","features":[80,79]},{"name":"DIGIFIXWAVEFORMAT","features":[80,79]},{"name":"DIGIREALWAVEFORMAT","features":[80,79]},{"name":"DIGISTDWAVEFORMAT","features":[80,79]},{"name":"DLG_ACMFILTERCHOOSE_ID","features":[79]},{"name":"DLG_ACMFORMATCHOOSE_ID","features":[79]},{"name":"DOLBYAC2WAVEFORMAT","features":[80,79]},{"name":"DRAWDIBTIME","features":[79]},{"name":"DRIVERMSGPROC","features":[79]},{"name":"DRIVERPROC","features":[1,79]},{"name":"DRIVERS_SECTION","features":[79]},{"name":"DRMWAVEFORMAT","features":[80,79]},{"name":"DRVCNF_CANCEL","features":[79]},{"name":"DRVCNF_OK","features":[79]},{"name":"DRVCNF_RESTART","features":[79]},{"name":"DRVCONFIGINFO","features":[79]},{"name":"DRVCONFIGINFOEX","features":[79]},{"name":"DRVM_ADD_THRU","features":[79]},{"name":"DRVM_DISABLE","features":[79]},{"name":"DRVM_ENABLE","features":[79]},{"name":"DRVM_EXIT","features":[79]},{"name":"DRVM_INIT","features":[79]},{"name":"DRVM_INIT_EX","features":[79]},{"name":"DRVM_IOCTL","features":[79]},{"name":"DRVM_IOCTL_CMD_SYSTEM","features":[79]},{"name":"DRVM_IOCTL_CMD_USER","features":[79]},{"name":"DRVM_IOCTL_DATA","features":[79]},{"name":"DRVM_IOCTL_LAST","features":[79]},{"name":"DRVM_MAPPER_CONSOLEVOICECOM_GET","features":[79]},{"name":"DRVM_MAPPER_PREFERRED_FLAGS_PREFERREDONLY","features":[79]},{"name":"DRVM_MAPPER_PREFERRED_GET","features":[79]},{"name":"DRVM_MAPPER_RECONFIGURE","features":[79]},{"name":"DRVM_REMOVE_THRU","features":[79]},{"name":"DRVM_USER","features":[79]},{"name":"DRV_CANCEL","features":[79]},{"name":"DRV_CLOSE","features":[79]},{"name":"DRV_CONFIGURE","features":[79]},{"name":"DRV_DISABLE","features":[79]},{"name":"DRV_ENABLE","features":[79]},{"name":"DRV_EXITSESSION","features":[79]},{"name":"DRV_FREE","features":[79]},{"name":"DRV_INSTALL","features":[79]},{"name":"DRV_LOAD","features":[79]},{"name":"DRV_MCI_FIRST","features":[79]},{"name":"DRV_MCI_LAST","features":[79]},{"name":"DRV_OK","features":[79]},{"name":"DRV_OPEN","features":[79]},{"name":"DRV_PNPINSTALL","features":[79]},{"name":"DRV_POWER","features":[79]},{"name":"DRV_QUERYCONFIGURE","features":[79]},{"name":"DRV_QUERYDEVICEINTERFACE","features":[79]},{"name":"DRV_QUERYDEVICEINTERFACESIZE","features":[79]},{"name":"DRV_QUERYDEVNODE","features":[79]},{"name":"DRV_QUERYFUNCTIONINSTANCEID","features":[79]},{"name":"DRV_QUERYFUNCTIONINSTANCEIDSIZE","features":[79]},{"name":"DRV_QUERYIDFROMSTRINGID","features":[79]},{"name":"DRV_QUERYMAPPABLE","features":[79]},{"name":"DRV_QUERYMODULE","features":[79]},{"name":"DRV_QUERYSTRINGID","features":[79]},{"name":"DRV_QUERYSTRINGIDSIZE","features":[79]},{"name":"DRV_REMOVE","features":[79]},{"name":"DRV_RESERVED","features":[79]},{"name":"DRV_RESTART","features":[79]},{"name":"DRV_USER","features":[79]},{"name":"DVIADPCMWAVEFORMAT","features":[80,79]},{"name":"DVM_CONFIGURE_END","features":[79]},{"name":"DVM_CONFIGURE_START","features":[79]},{"name":"DVM_DST_RECT","features":[79]},{"name":"DVM_FORMAT","features":[79]},{"name":"DVM_PALETTE","features":[79]},{"name":"DVM_PALETTERGB555","features":[79]},{"name":"DVM_SRC_RECT","features":[79]},{"name":"DVM_USER","features":[79]},{"name":"DV_ERR_13","features":[79]},{"name":"DV_ERR_ALLOCATED","features":[79]},{"name":"DV_ERR_BADDEVICEID","features":[79]},{"name":"DV_ERR_BADERRNUM","features":[79]},{"name":"DV_ERR_BADFORMAT","features":[79]},{"name":"DV_ERR_BADINSTALL","features":[79]},{"name":"DV_ERR_BASE","features":[79]},{"name":"DV_ERR_CONFIG1","features":[79]},{"name":"DV_ERR_CONFIG2","features":[79]},{"name":"DV_ERR_CREATEPALETTE","features":[79]},{"name":"DV_ERR_DMA_CONFLICT","features":[79]},{"name":"DV_ERR_FLAGS","features":[79]},{"name":"DV_ERR_INT_CONFLICT","features":[79]},{"name":"DV_ERR_INVALHANDLE","features":[79]},{"name":"DV_ERR_IO_CONFLICT","features":[79]},{"name":"DV_ERR_LASTERROR","features":[79]},{"name":"DV_ERR_MEM_CONFLICT","features":[79]},{"name":"DV_ERR_NOMEM","features":[79]},{"name":"DV_ERR_NONSPECIFIC","features":[79]},{"name":"DV_ERR_NOTDETECTED","features":[79]},{"name":"DV_ERR_NOTSUPPORTED","features":[79]},{"name":"DV_ERR_NO_BUFFERS","features":[79]},{"name":"DV_ERR_OK","features":[79]},{"name":"DV_ERR_PARAM1","features":[79]},{"name":"DV_ERR_PARAM2","features":[79]},{"name":"DV_ERR_PROTECT_ONLY","features":[79]},{"name":"DV_ERR_SIZEFIELD","features":[79]},{"name":"DV_ERR_STILLPLAYING","features":[79]},{"name":"DV_ERR_SYNC","features":[79]},{"name":"DV_ERR_TOOMANYCHANNELS","features":[79]},{"name":"DV_ERR_UNPREPARED","features":[79]},{"name":"DV_ERR_USER_MSG","features":[79]},{"name":"DV_VM_CLOSE","features":[79]},{"name":"DV_VM_DATA","features":[79]},{"name":"DV_VM_ERROR","features":[79]},{"name":"DV_VM_OPEN","features":[79]},{"name":"DefDriverProc","features":[1,79]},{"name":"DrawDibBegin","features":[1,12,79]},{"name":"DrawDibChangePalette","features":[1,12,79]},{"name":"DrawDibClose","features":[1,79]},{"name":"DrawDibDraw","features":[1,12,79]},{"name":"DrawDibEnd","features":[1,79]},{"name":"DrawDibGetBuffer","features":[12,79]},{"name":"DrawDibGetPalette","features":[12,79]},{"name":"DrawDibOpen","features":[79]},{"name":"DrawDibProfileDisplay","features":[1,12,79]},{"name":"DrawDibRealize","features":[1,12,79]},{"name":"DrawDibSetPalette","features":[1,12,79]},{"name":"DrawDibStart","features":[1,79]},{"name":"DrawDibStop","features":[1,79]},{"name":"DrawDibTime","features":[1,79]},{"name":"DriverCallback","features":[1,79]},{"name":"DrvGetModuleHandle","features":[1,79]},{"name":"ECHOSC1WAVEFORMAT","features":[80,79]},{"name":"EXBMINFOHEADER","features":[12,79]},{"name":"EditStreamClone","features":[79]},{"name":"EditStreamCopy","features":[79]},{"name":"EditStreamCut","features":[79]},{"name":"EditStreamPaste","features":[79]},{"name":"EditStreamSetInfoA","features":[1,79]},{"name":"EditStreamSetInfoW","features":[1,79]},{"name":"EditStreamSetNameA","features":[79]},{"name":"EditStreamSetNameW","features":[79]},{"name":"FACILITY_NS","features":[79]},{"name":"FACILITY_NS_WIN32","features":[79]},{"name":"FIND_ANY","features":[79]},{"name":"FIND_DIR","features":[79]},{"name":"FIND_FORMAT","features":[79]},{"name":"FIND_FROM_START","features":[79]},{"name":"FIND_INDEX","features":[79]},{"name":"FIND_KEY","features":[79]},{"name":"FIND_LENGTH","features":[79]},{"name":"FIND_NEXT","features":[79]},{"name":"FIND_OFFSET","features":[79]},{"name":"FIND_POS","features":[79]},{"name":"FIND_PREV","features":[79]},{"name":"FIND_RET","features":[79]},{"name":"FIND_SIZE","features":[79]},{"name":"FIND_TYPE","features":[79]},{"name":"FMTOWNS_SND_WAVEFORMAT","features":[80,79]},{"name":"G721_ADPCMWAVEFORMAT","features":[80,79]},{"name":"G723_ADPCMWAVEFORMAT","features":[80,79]},{"name":"GSM610WAVEFORMAT","features":[80,79]},{"name":"GetDriverModuleHandle","features":[1,79]},{"name":"GetOpenFileNamePreviewA","features":[1,79,84]},{"name":"GetOpenFileNamePreviewW","features":[1,79,84]},{"name":"GetSaveFileNamePreviewA","features":[1,79,84]},{"name":"GetSaveFileNamePreviewW","features":[1,79,84]},{"name":"HDRVR","features":[79]},{"name":"HIC","features":[79]},{"name":"HMMIO","features":[79]},{"name":"HVIDEO","features":[79]},{"name":"IAVIEditStream","features":[79]},{"name":"IAVIFile","features":[79]},{"name":"IAVIPersistFile","features":[79]},{"name":"IAVIStream","features":[79]},{"name":"IAVIStreaming","features":[79]},{"name":"ICCOMPRESS","features":[12,79]},{"name":"ICCOMPRESSFRAMES","features":[1,12,79]},{"name":"ICCOMPRESSFRAMES_PADDING","features":[79]},{"name":"ICCOMPRESS_KEYFRAME","features":[79]},{"name":"ICClose","features":[1,79]},{"name":"ICCompress","features":[12,79]},{"name":"ICCompressorChoose","features":[1,12,79]},{"name":"ICCompressorFree","features":[12,79]},{"name":"ICDECOMPRESS","features":[12,79]},{"name":"ICDECOMPRESSEX","features":[12,79]},{"name":"ICDECOMPRESS_HURRYUP","features":[79]},{"name":"ICDECOMPRESS_NOTKEYFRAME","features":[79]},{"name":"ICDECOMPRESS_NULLFRAME","features":[79]},{"name":"ICDECOMPRESS_PREROLL","features":[79]},{"name":"ICDECOMPRESS_UPDATE","features":[79]},{"name":"ICDRAW","features":[79]},{"name":"ICDRAWBEGIN","features":[1,12,79]},{"name":"ICDRAWSUGGEST","features":[12,79]},{"name":"ICDRAW_ANIMATE","features":[79]},{"name":"ICDRAW_BUFFER","features":[79]},{"name":"ICDRAW_CONTINUE","features":[79]},{"name":"ICDRAW_FULLSCREEN","features":[79]},{"name":"ICDRAW_HDC","features":[79]},{"name":"ICDRAW_HURRYUP","features":[79]},{"name":"ICDRAW_MEMORYDC","features":[79]},{"name":"ICDRAW_NOTKEYFRAME","features":[79]},{"name":"ICDRAW_NULLFRAME","features":[79]},{"name":"ICDRAW_PREROLL","features":[79]},{"name":"ICDRAW_QUERY","features":[79]},{"name":"ICDRAW_RENDER","features":[79]},{"name":"ICDRAW_UPDATE","features":[79]},{"name":"ICDRAW_UPDATING","features":[79]},{"name":"ICDecompress","features":[12,79]},{"name":"ICDraw","features":[79]},{"name":"ICDrawBegin","features":[1,12,79]},{"name":"ICERR_ABORT","features":[79]},{"name":"ICERR_BADBITDEPTH","features":[79]},{"name":"ICERR_BADFLAGS","features":[79]},{"name":"ICERR_BADFORMAT","features":[79]},{"name":"ICERR_BADHANDLE","features":[79]},{"name":"ICERR_BADIMAGESIZE","features":[79]},{"name":"ICERR_BADPARAM","features":[79]},{"name":"ICERR_BADSIZE","features":[79]},{"name":"ICERR_CANTUPDATE","features":[79]},{"name":"ICERR_CUSTOM","features":[79]},{"name":"ICERR_DONTDRAW","features":[79]},{"name":"ICERR_ERROR","features":[79]},{"name":"ICERR_GOTOKEYFRAME","features":[79]},{"name":"ICERR_INTERNAL","features":[79]},{"name":"ICERR_MEMORY","features":[79]},{"name":"ICERR_NEWPALETTE","features":[79]},{"name":"ICERR_OK","features":[79]},{"name":"ICERR_STOPDRAWING","features":[79]},{"name":"ICERR_UNSUPPORTED","features":[79]},{"name":"ICGetDisplayFormat","features":[12,79]},{"name":"ICGetInfo","features":[1,79]},{"name":"ICINFO","features":[79]},{"name":"ICINSTALL_DRIVER","features":[79]},{"name":"ICINSTALL_DRIVERW","features":[79]},{"name":"ICINSTALL_FUNCTION","features":[79]},{"name":"ICINSTALL_HDRV","features":[79]},{"name":"ICINSTALL_UNICODE","features":[79]},{"name":"ICImageCompress","features":[1,12,79]},{"name":"ICImageDecompress","features":[1,12,79]},{"name":"ICInfo","features":[1,79]},{"name":"ICInstall","features":[1,79]},{"name":"ICLocate","features":[12,79]},{"name":"ICMF_ABOUT_QUERY","features":[79]},{"name":"ICMF_CHOOSE_ALLCOMPRESSORS","features":[79]},{"name":"ICMF_CHOOSE_DATARATE","features":[79]},{"name":"ICMF_CHOOSE_KEYFRAME","features":[79]},{"name":"ICMF_CHOOSE_PREVIEW","features":[79]},{"name":"ICMF_COMPVARS_VALID","features":[79]},{"name":"ICMF_CONFIGURE_QUERY","features":[79]},{"name":"ICMODE_COMPRESS","features":[79]},{"name":"ICMODE_DECOMPRESS","features":[79]},{"name":"ICMODE_DRAW","features":[79]},{"name":"ICMODE_FASTCOMPRESS","features":[79]},{"name":"ICMODE_FASTDECOMPRESS","features":[79]},{"name":"ICMODE_INTERNALF_FUNCTION32","features":[79]},{"name":"ICMODE_INTERNALF_MASK","features":[79]},{"name":"ICMODE_QUERY","features":[79]},{"name":"ICM_ABOUT","features":[79]},{"name":"ICM_COMPRESS","features":[79]},{"name":"ICM_COMPRESS_BEGIN","features":[79]},{"name":"ICM_COMPRESS_END","features":[79]},{"name":"ICM_COMPRESS_FRAMES","features":[79]},{"name":"ICM_COMPRESS_FRAMES_INFO","features":[79]},{"name":"ICM_COMPRESS_GET_FORMAT","features":[79]},{"name":"ICM_COMPRESS_GET_SIZE","features":[79]},{"name":"ICM_COMPRESS_QUERY","features":[79]},{"name":"ICM_CONFIGURE","features":[79]},{"name":"ICM_DECOMPRESS","features":[79]},{"name":"ICM_DECOMPRESSEX","features":[79]},{"name":"ICM_DECOMPRESSEX_BEGIN","features":[79]},{"name":"ICM_DECOMPRESSEX_END","features":[79]},{"name":"ICM_DECOMPRESSEX_QUERY","features":[79]},{"name":"ICM_DECOMPRESS_BEGIN","features":[79]},{"name":"ICM_DECOMPRESS_END","features":[79]},{"name":"ICM_DECOMPRESS_GET_FORMAT","features":[79]},{"name":"ICM_DECOMPRESS_GET_PALETTE","features":[79]},{"name":"ICM_DECOMPRESS_QUERY","features":[79]},{"name":"ICM_DECOMPRESS_SET_PALETTE","features":[79]},{"name":"ICM_DRAW","features":[79]},{"name":"ICM_DRAW_BEGIN","features":[79]},{"name":"ICM_DRAW_BITS","features":[79]},{"name":"ICM_DRAW_CHANGEPALETTE","features":[79]},{"name":"ICM_DRAW_END","features":[79]},{"name":"ICM_DRAW_FLUSH","features":[79]},{"name":"ICM_DRAW_GETTIME","features":[79]},{"name":"ICM_DRAW_GET_PALETTE","features":[79]},{"name":"ICM_DRAW_IDLE","features":[79]},{"name":"ICM_DRAW_QUERY","features":[79]},{"name":"ICM_DRAW_REALIZE","features":[79]},{"name":"ICM_DRAW_RENDERBUFFER","features":[79]},{"name":"ICM_DRAW_SETTIME","features":[79]},{"name":"ICM_DRAW_START","features":[79]},{"name":"ICM_DRAW_START_PLAY","features":[79]},{"name":"ICM_DRAW_STOP","features":[79]},{"name":"ICM_DRAW_STOP_PLAY","features":[79]},{"name":"ICM_DRAW_SUGGESTFORMAT","features":[79]},{"name":"ICM_DRAW_UPDATE","features":[79]},{"name":"ICM_DRAW_WINDOW","features":[79]},{"name":"ICM_ENUMFORMATS","features":[79]},{"name":"ICM_GET","features":[79]},{"name":"ICM_GETBUFFERSWANTED","features":[79]},{"name":"ICM_GETDEFAULTKEYFRAMERATE","features":[79]},{"name":"ICM_GETDEFAULTQUALITY","features":[79]},{"name":"ICM_GETERRORTEXT","features":[79]},{"name":"ICM_GETFORMATNAME","features":[79]},{"name":"ICM_GETINFO","features":[79]},{"name":"ICM_GETQUALITY","features":[79]},{"name":"ICM_GETSTATE","features":[79]},{"name":"ICM_RESERVED","features":[79]},{"name":"ICM_RESERVED_HIGH","features":[79]},{"name":"ICM_RESERVED_LOW","features":[79]},{"name":"ICM_SET","features":[79]},{"name":"ICM_SETQUALITY","features":[79]},{"name":"ICM_SETSTATE","features":[79]},{"name":"ICM_SET_STATUS_PROC","features":[79]},{"name":"ICM_USER","features":[79]},{"name":"ICOPEN","features":[1,79]},{"name":"ICOpen","features":[79]},{"name":"ICOpenFunction","features":[1,79]},{"name":"ICPALETTE","features":[12,79]},{"name":"ICQUALITY_DEFAULT","features":[79]},{"name":"ICQUALITY_HIGH","features":[79]},{"name":"ICQUALITY_LOW","features":[79]},{"name":"ICRemove","features":[1,79]},{"name":"ICSETSTATUSPROC","features":[1,79]},{"name":"ICSTATUS_END","features":[79]},{"name":"ICSTATUS_ERROR","features":[79]},{"name":"ICSTATUS_START","features":[79]},{"name":"ICSTATUS_STATUS","features":[79]},{"name":"ICSTATUS_YIELD","features":[79]},{"name":"ICSendMessage","features":[1,79]},{"name":"ICSeqCompressFrame","features":[1,12,79]},{"name":"ICSeqCompressFrameEnd","features":[12,79]},{"name":"ICSeqCompressFrameStart","features":[1,12,79]},{"name":"ICVERSION","features":[79]},{"name":"IDD_ACMFILTERCHOOSE_BTN_DELNAME","features":[79]},{"name":"IDD_ACMFILTERCHOOSE_BTN_HELP","features":[79]},{"name":"IDD_ACMFILTERCHOOSE_BTN_SETNAME","features":[79]},{"name":"IDD_ACMFILTERCHOOSE_CMB_CUSTOM","features":[79]},{"name":"IDD_ACMFILTERCHOOSE_CMB_FILTER","features":[79]},{"name":"IDD_ACMFILTERCHOOSE_CMB_FILTERTAG","features":[79]},{"name":"IDD_ACMFORMATCHOOSE_BTN_DELNAME","features":[79]},{"name":"IDD_ACMFORMATCHOOSE_BTN_HELP","features":[79]},{"name":"IDD_ACMFORMATCHOOSE_BTN_SETNAME","features":[79]},{"name":"IDD_ACMFORMATCHOOSE_CMB_CUSTOM","features":[79]},{"name":"IDD_ACMFORMATCHOOSE_CMB_FORMAT","features":[79]},{"name":"IDD_ACMFORMATCHOOSE_CMB_FORMATTAG","features":[79]},{"name":"IDS_CAP_AUDIO_DROP_COMPERROR","features":[79]},{"name":"IDS_CAP_AUDIO_DROP_ERROR","features":[79]},{"name":"IDS_CAP_AVI_DRAWDIB_ERROR","features":[79]},{"name":"IDS_CAP_AVI_INIT_ERROR","features":[79]},{"name":"IDS_CAP_BEGIN","features":[79]},{"name":"IDS_CAP_CANTOPEN","features":[79]},{"name":"IDS_CAP_COMPRESSOR_ERROR","features":[79]},{"name":"IDS_CAP_DEFAVIEXT","features":[79]},{"name":"IDS_CAP_DEFPALEXT","features":[79]},{"name":"IDS_CAP_DRIVER_ERROR","features":[79]},{"name":"IDS_CAP_END","features":[79]},{"name":"IDS_CAP_ERRORDIBSAVE","features":[79]},{"name":"IDS_CAP_ERRORPALOPEN","features":[79]},{"name":"IDS_CAP_ERRORPALSAVE","features":[79]},{"name":"IDS_CAP_FILEEXISTS","features":[79]},{"name":"IDS_CAP_FILE_OPEN_ERROR","features":[79]},{"name":"IDS_CAP_FILE_WRITE_ERROR","features":[79]},{"name":"IDS_CAP_INFO","features":[79]},{"name":"IDS_CAP_MCI_CANT_STEP_ERROR","features":[79]},{"name":"IDS_CAP_MCI_CONTROL_ERROR","features":[79]},{"name":"IDS_CAP_NODISKSPACE","features":[79]},{"name":"IDS_CAP_NO_AUDIO_CAP_ERROR","features":[79]},{"name":"IDS_CAP_NO_FRAME_CAP_ERROR","features":[79]},{"name":"IDS_CAP_NO_PALETTE_WARN","features":[79]},{"name":"IDS_CAP_OUTOFMEM","features":[79]},{"name":"IDS_CAP_READONLYFILE","features":[79]},{"name":"IDS_CAP_RECORDING_ERROR","features":[79]},{"name":"IDS_CAP_RECORDING_ERROR2","features":[79]},{"name":"IDS_CAP_SAVEASPERCENT","features":[79]},{"name":"IDS_CAP_SEQ_MSGSTART","features":[79]},{"name":"IDS_CAP_SEQ_MSGSTOP","features":[79]},{"name":"IDS_CAP_SETFILESIZE","features":[79]},{"name":"IDS_CAP_STAT_CAP_AUDIO","features":[79]},{"name":"IDS_CAP_STAT_CAP_FINI","features":[79]},{"name":"IDS_CAP_STAT_CAP_INIT","features":[79]},{"name":"IDS_CAP_STAT_CAP_L_FRAMES","features":[79]},{"name":"IDS_CAP_STAT_FRAMESDROPPED","features":[79]},{"name":"IDS_CAP_STAT_I_FRAMES","features":[79]},{"name":"IDS_CAP_STAT_LIVE_MODE","features":[79]},{"name":"IDS_CAP_STAT_L_FRAMES","features":[79]},{"name":"IDS_CAP_STAT_OPTPAL_BUILD","features":[79]},{"name":"IDS_CAP_STAT_OVERLAY_MODE","features":[79]},{"name":"IDS_CAP_STAT_PALETTE_BUILD","features":[79]},{"name":"IDS_CAP_STAT_VIDEOAUDIO","features":[79]},{"name":"IDS_CAP_STAT_VIDEOCURRENT","features":[79]},{"name":"IDS_CAP_STAT_VIDEOONLY","features":[79]},{"name":"IDS_CAP_VIDEDITERR","features":[79]},{"name":"IDS_CAP_VIDEO_ADD_ERROR","features":[79]},{"name":"IDS_CAP_VIDEO_ALLOC_ERROR","features":[79]},{"name":"IDS_CAP_VIDEO_OPEN_ERROR","features":[79]},{"name":"IDS_CAP_VIDEO_PREPARE_ERROR","features":[79]},{"name":"IDS_CAP_VIDEO_SIZE_ERROR","features":[79]},{"name":"IDS_CAP_WAVE_ADD_ERROR","features":[79]},{"name":"IDS_CAP_WAVE_ALLOC_ERROR","features":[79]},{"name":"IDS_CAP_WAVE_OPEN_ERROR","features":[79]},{"name":"IDS_CAP_WAVE_PREPARE_ERROR","features":[79]},{"name":"IDS_CAP_WAVE_SIZE_ERROR","features":[79]},{"name":"IDS_CAP_WRITEERROR","features":[79]},{"name":"IGetFrame","features":[79]},{"name":"IMAADPCMWAVEFORMAT","features":[80,79]},{"name":"JDD_CONFIGCHANGED","features":[79]},{"name":"JDD_GETDEVCAPS","features":[79]},{"name":"JDD_GETNUMDEVS","features":[79]},{"name":"JDD_GETPOS","features":[79]},{"name":"JDD_GETPOSEX","features":[79]},{"name":"JDD_SETCALIBRATION","features":[79]},{"name":"JIFMK_00","features":[79]},{"name":"JIFMK_APP0","features":[79]},{"name":"JIFMK_APP1","features":[79]},{"name":"JIFMK_APP2","features":[79]},{"name":"JIFMK_APP3","features":[79]},{"name":"JIFMK_APP4","features":[79]},{"name":"JIFMK_APP5","features":[79]},{"name":"JIFMK_APP6","features":[79]},{"name":"JIFMK_APP7","features":[79]},{"name":"JIFMK_COM","features":[79]},{"name":"JIFMK_DAC","features":[79]},{"name":"JIFMK_DHP","features":[79]},{"name":"JIFMK_DHT","features":[79]},{"name":"JIFMK_DNL","features":[79]},{"name":"JIFMK_DQT","features":[79]},{"name":"JIFMK_DRI","features":[79]},{"name":"JIFMK_EOI","features":[79]},{"name":"JIFMK_EXP","features":[79]},{"name":"JIFMK_FF","features":[79]},{"name":"JIFMK_JPG","features":[79]},{"name":"JIFMK_JPG0","features":[79]},{"name":"JIFMK_JPG1","features":[79]},{"name":"JIFMK_JPG10","features":[79]},{"name":"JIFMK_JPG11","features":[79]},{"name":"JIFMK_JPG12","features":[79]},{"name":"JIFMK_JPG13","features":[79]},{"name":"JIFMK_JPG2","features":[79]},{"name":"JIFMK_JPG3","features":[79]},{"name":"JIFMK_JPG4","features":[79]},{"name":"JIFMK_JPG5","features":[79]},{"name":"JIFMK_JPG6","features":[79]},{"name":"JIFMK_JPG7","features":[79]},{"name":"JIFMK_JPG8","features":[79]},{"name":"JIFMK_JPG9","features":[79]},{"name":"JIFMK_RES","features":[79]},{"name":"JIFMK_RST0","features":[79]},{"name":"JIFMK_RST1","features":[79]},{"name":"JIFMK_RST2","features":[79]},{"name":"JIFMK_RST3","features":[79]},{"name":"JIFMK_RST4","features":[79]},{"name":"JIFMK_RST5","features":[79]},{"name":"JIFMK_RST6","features":[79]},{"name":"JIFMK_RST7","features":[79]},{"name":"JIFMK_SOF0","features":[79]},{"name":"JIFMK_SOF1","features":[79]},{"name":"JIFMK_SOF10","features":[79]},{"name":"JIFMK_SOF11","features":[79]},{"name":"JIFMK_SOF13","features":[79]},{"name":"JIFMK_SOF14","features":[79]},{"name":"JIFMK_SOF15","features":[79]},{"name":"JIFMK_SOF2","features":[79]},{"name":"JIFMK_SOF3","features":[79]},{"name":"JIFMK_SOF5","features":[79]},{"name":"JIFMK_SOF6","features":[79]},{"name":"JIFMK_SOF7","features":[79]},{"name":"JIFMK_SOF9","features":[79]},{"name":"JIFMK_SOI","features":[79]},{"name":"JIFMK_SOS","features":[79]},{"name":"JIFMK_TEM","features":[79]},{"name":"JOYCAPS2A","features":[79]},{"name":"JOYCAPS2W","features":[79]},{"name":"JOYCAPSA","features":[79]},{"name":"JOYCAPSW","features":[79]},{"name":"JOYCAPS_HASPOV","features":[79]},{"name":"JOYCAPS_HASR","features":[79]},{"name":"JOYCAPS_HASU","features":[79]},{"name":"JOYCAPS_HASV","features":[79]},{"name":"JOYCAPS_HASZ","features":[79]},{"name":"JOYCAPS_POV4DIR","features":[79]},{"name":"JOYCAPS_POVCTS","features":[79]},{"name":"JOYERR_NOCANDO","features":[79]},{"name":"JOYERR_NOERROR","features":[79]},{"name":"JOYERR_PARMS","features":[79]},{"name":"JOYERR_UNPLUGGED","features":[79]},{"name":"JOYINFO","features":[79]},{"name":"JOYINFOEX","features":[79]},{"name":"JOYSTICKID1","features":[79]},{"name":"JOYSTICKID2","features":[79]},{"name":"JOY_BUTTON1","features":[79]},{"name":"JOY_BUTTON10","features":[79]},{"name":"JOY_BUTTON11","features":[79]},{"name":"JOY_BUTTON12","features":[79]},{"name":"JOY_BUTTON13","features":[79]},{"name":"JOY_BUTTON14","features":[79]},{"name":"JOY_BUTTON15","features":[79]},{"name":"JOY_BUTTON16","features":[79]},{"name":"JOY_BUTTON17","features":[79]},{"name":"JOY_BUTTON18","features":[79]},{"name":"JOY_BUTTON19","features":[79]},{"name":"JOY_BUTTON1CHG","features":[79]},{"name":"JOY_BUTTON2","features":[79]},{"name":"JOY_BUTTON20","features":[79]},{"name":"JOY_BUTTON21","features":[79]},{"name":"JOY_BUTTON22","features":[79]},{"name":"JOY_BUTTON23","features":[79]},{"name":"JOY_BUTTON24","features":[79]},{"name":"JOY_BUTTON25","features":[79]},{"name":"JOY_BUTTON26","features":[79]},{"name":"JOY_BUTTON27","features":[79]},{"name":"JOY_BUTTON28","features":[79]},{"name":"JOY_BUTTON29","features":[79]},{"name":"JOY_BUTTON2CHG","features":[79]},{"name":"JOY_BUTTON3","features":[79]},{"name":"JOY_BUTTON30","features":[79]},{"name":"JOY_BUTTON31","features":[79]},{"name":"JOY_BUTTON32","features":[79]},{"name":"JOY_BUTTON3CHG","features":[79]},{"name":"JOY_BUTTON4","features":[79]},{"name":"JOY_BUTTON4CHG","features":[79]},{"name":"JOY_BUTTON5","features":[79]},{"name":"JOY_BUTTON6","features":[79]},{"name":"JOY_BUTTON7","features":[79]},{"name":"JOY_BUTTON8","features":[79]},{"name":"JOY_BUTTON9","features":[79]},{"name":"JOY_CAL_READ3","features":[79]},{"name":"JOY_CAL_READ4","features":[79]},{"name":"JOY_CAL_READ5","features":[79]},{"name":"JOY_CAL_READ6","features":[79]},{"name":"JOY_CAL_READALWAYS","features":[79]},{"name":"JOY_CAL_READRONLY","features":[79]},{"name":"JOY_CAL_READUONLY","features":[79]},{"name":"JOY_CAL_READVONLY","features":[79]},{"name":"JOY_CAL_READXONLY","features":[79]},{"name":"JOY_CAL_READXYONLY","features":[79]},{"name":"JOY_CAL_READYONLY","features":[79]},{"name":"JOY_CAL_READZONLY","features":[79]},{"name":"JOY_CONFIGCHANGED_MSGSTRING","features":[79]},{"name":"JOY_POVBACKWARD","features":[79]},{"name":"JOY_POVFORWARD","features":[79]},{"name":"JOY_POVLEFT","features":[79]},{"name":"JOY_POVRIGHT","features":[79]},{"name":"JOY_RETURNBUTTONS","features":[79]},{"name":"JOY_RETURNCENTERED","features":[79]},{"name":"JOY_RETURNPOV","features":[79]},{"name":"JOY_RETURNPOVCTS","features":[79]},{"name":"JOY_RETURNR","features":[79]},{"name":"JOY_RETURNRAWDATA","features":[79]},{"name":"JOY_RETURNU","features":[79]},{"name":"JOY_RETURNV","features":[79]},{"name":"JOY_RETURNX","features":[79]},{"name":"JOY_RETURNY","features":[79]},{"name":"JOY_RETURNZ","features":[79]},{"name":"JOY_USEDEADZONE","features":[79]},{"name":"JPEGINFOHEADER","features":[79]},{"name":"JPEG_PROCESS_BASELINE","features":[79]},{"name":"JPEG_RGB","features":[79]},{"name":"JPEG_Y","features":[79]},{"name":"JPEG_YCbCr","features":[79]},{"name":"KSDATAFORMAT_SUBTYPE_IEEE_FLOAT","features":[79]},{"name":"LPFNEXTDEVIO","features":[1,79,6]},{"name":"LPMMIOPROC","features":[1,79]},{"name":"LPTASKCALLBACK","features":[79]},{"name":"MCIERR_AVI_AUDIOERROR","features":[79]},{"name":"MCIERR_AVI_BADPALETTE","features":[79]},{"name":"MCIERR_AVI_CANTPLAYFULLSCREEN","features":[79]},{"name":"MCIERR_AVI_DISPLAYERROR","features":[79]},{"name":"MCIERR_AVI_NOCOMPRESSOR","features":[79]},{"name":"MCIERR_AVI_NODISPDIB","features":[79]},{"name":"MCIERR_AVI_NOTINTERLEAVED","features":[79]},{"name":"MCIERR_AVI_OLDAVIFORMAT","features":[79]},{"name":"MCIERR_AVI_TOOBIGFORVGA","features":[79]},{"name":"MCIERR_BAD_CONSTANT","features":[79]},{"name":"MCIERR_BAD_INTEGER","features":[79]},{"name":"MCIERR_BAD_TIME_FORMAT","features":[79]},{"name":"MCIERR_CANNOT_LOAD_DRIVER","features":[79]},{"name":"MCIERR_CANNOT_USE_ALL","features":[79]},{"name":"MCIERR_CREATEWINDOW","features":[79]},{"name":"MCIERR_CUSTOM_DRIVER_BASE","features":[79]},{"name":"MCIERR_DEVICE_LENGTH","features":[79]},{"name":"MCIERR_DEVICE_LOCKED","features":[79]},{"name":"MCIERR_DEVICE_NOT_INSTALLED","features":[79]},{"name":"MCIERR_DEVICE_NOT_READY","features":[79]},{"name":"MCIERR_DEVICE_OPEN","features":[79]},{"name":"MCIERR_DEVICE_ORD_LENGTH","features":[79]},{"name":"MCIERR_DEVICE_TYPE_REQUIRED","features":[79]},{"name":"MCIERR_DGV_BAD_CLIPBOARD_RANGE","features":[79]},{"name":"MCIERR_DGV_DEVICE_LIMIT","features":[79]},{"name":"MCIERR_DGV_DEVICE_MEMORY_FULL","features":[79]},{"name":"MCIERR_DGV_DISK_FULL","features":[79]},{"name":"MCIERR_DGV_IOERR","features":[79]},{"name":"MCIERR_DGV_WORKSPACE_EMPTY","features":[79]},{"name":"MCIERR_DRIVER","features":[79]},{"name":"MCIERR_DRIVER_INTERNAL","features":[79]},{"name":"MCIERR_DUPLICATE_ALIAS","features":[79]},{"name":"MCIERR_DUPLICATE_FLAGS","features":[79]},{"name":"MCIERR_EXTENSION_NOT_FOUND","features":[79]},{"name":"MCIERR_EXTRA_CHARACTERS","features":[79]},{"name":"MCIERR_FILENAME_REQUIRED","features":[79]},{"name":"MCIERR_FILE_NOT_FOUND","features":[79]},{"name":"MCIERR_FILE_NOT_SAVED","features":[79]},{"name":"MCIERR_FILE_READ","features":[79]},{"name":"MCIERR_FILE_WRITE","features":[79]},{"name":"MCIERR_FLAGS_NOT_COMPATIBLE","features":[79]},{"name":"MCIERR_GET_CD","features":[79]},{"name":"MCIERR_HARDWARE","features":[79]},{"name":"MCIERR_ILLEGAL_FOR_AUTO_OPEN","features":[79]},{"name":"MCIERR_INTERNAL","features":[79]},{"name":"MCIERR_INVALID_DEVICE_ID","features":[79]},{"name":"MCIERR_INVALID_DEVICE_NAME","features":[79]},{"name":"MCIERR_INVALID_FILE","features":[79]},{"name":"MCIERR_MISSING_COMMAND_STRING","features":[79]},{"name":"MCIERR_MISSING_DEVICE_NAME","features":[79]},{"name":"MCIERR_MISSING_PARAMETER","features":[79]},{"name":"MCIERR_MISSING_STRING_ARGUMENT","features":[79]},{"name":"MCIERR_MULTIPLE","features":[79]},{"name":"MCIERR_MUST_USE_SHAREABLE","features":[79]},{"name":"MCIERR_NEW_REQUIRES_ALIAS","features":[79]},{"name":"MCIERR_NONAPPLICABLE_FUNCTION","features":[79]},{"name":"MCIERR_NOTIFY_ON_AUTO_OPEN","features":[79]},{"name":"MCIERR_NO_CLOSING_QUOTE","features":[79]},{"name":"MCIERR_NO_ELEMENT_ALLOWED","features":[79]},{"name":"MCIERR_NO_IDENTITY","features":[79]},{"name":"MCIERR_NO_INTEGER","features":[79]},{"name":"MCIERR_NO_WINDOW","features":[79]},{"name":"MCIERR_NULL_PARAMETER_BLOCK","features":[79]},{"name":"MCIERR_OUTOFRANGE","features":[79]},{"name":"MCIERR_OUT_OF_MEMORY","features":[79]},{"name":"MCIERR_PARAM_OVERFLOW","features":[79]},{"name":"MCIERR_PARSER_INTERNAL","features":[79]},{"name":"MCIERR_SEQ_DIV_INCOMPATIBLE","features":[79]},{"name":"MCIERR_SEQ_NOMIDIPRESENT","features":[79]},{"name":"MCIERR_SEQ_PORTUNSPECIFIED","features":[79]},{"name":"MCIERR_SEQ_PORT_INUSE","features":[79]},{"name":"MCIERR_SEQ_PORT_MAPNODEVICE","features":[79]},{"name":"MCIERR_SEQ_PORT_MISCERROR","features":[79]},{"name":"MCIERR_SEQ_PORT_NONEXISTENT","features":[79]},{"name":"MCIERR_SEQ_TIMER","features":[79]},{"name":"MCIERR_SET_CD","features":[79]},{"name":"MCIERR_SET_DRIVE","features":[79]},{"name":"MCIERR_UNNAMED_RESOURCE","features":[79]},{"name":"MCIERR_UNRECOGNIZED_COMMAND","features":[79]},{"name":"MCIERR_UNRECOGNIZED_KEYWORD","features":[79]},{"name":"MCIERR_UNSUPPORTED_FUNCTION","features":[79]},{"name":"MCIERR_WAVE_INPUTSINUSE","features":[79]},{"name":"MCIERR_WAVE_INPUTSUNSUITABLE","features":[79]},{"name":"MCIERR_WAVE_INPUTUNSPECIFIED","features":[79]},{"name":"MCIERR_WAVE_OUTPUTSINUSE","features":[79]},{"name":"MCIERR_WAVE_OUTPUTSUNSUITABLE","features":[79]},{"name":"MCIERR_WAVE_OUTPUTUNSPECIFIED","features":[79]},{"name":"MCIERR_WAVE_SETINPUTINUSE","features":[79]},{"name":"MCIERR_WAVE_SETINPUTUNSUITABLE","features":[79]},{"name":"MCIERR_WAVE_SETOUTPUTINUSE","features":[79]},{"name":"MCIERR_WAVE_SETOUTPUTUNSUITABLE","features":[79]},{"name":"MCIWNDF_NOAUTOSIZEMOVIE","features":[79]},{"name":"MCIWNDF_NOAUTOSIZEWINDOW","features":[79]},{"name":"MCIWNDF_NOERRORDLG","features":[79]},{"name":"MCIWNDF_NOMENU","features":[79]},{"name":"MCIWNDF_NOOPEN","features":[79]},{"name":"MCIWNDF_NOPLAYBAR","features":[79]},{"name":"MCIWNDF_NOTIFYALL","features":[79]},{"name":"MCIWNDF_NOTIFYANSI","features":[79]},{"name":"MCIWNDF_NOTIFYERROR","features":[79]},{"name":"MCIWNDF_NOTIFYMEDIA","features":[79]},{"name":"MCIWNDF_NOTIFYMEDIAA","features":[79]},{"name":"MCIWNDF_NOTIFYMEDIAW","features":[79]},{"name":"MCIWNDF_NOTIFYMODE","features":[79]},{"name":"MCIWNDF_NOTIFYPOS","features":[79]},{"name":"MCIWNDF_NOTIFYSIZE","features":[79]},{"name":"MCIWNDF_RECORD","features":[79]},{"name":"MCIWNDF_SHOWALL","features":[79]},{"name":"MCIWNDF_SHOWMODE","features":[79]},{"name":"MCIWNDF_SHOWNAME","features":[79]},{"name":"MCIWNDF_SHOWPOS","features":[79]},{"name":"MCIWNDM_CAN_CONFIG","features":[79]},{"name":"MCIWNDM_CAN_EJECT","features":[79]},{"name":"MCIWNDM_CAN_PLAY","features":[79]},{"name":"MCIWNDM_CAN_RECORD","features":[79]},{"name":"MCIWNDM_CAN_SAVE","features":[79]},{"name":"MCIWNDM_CAN_WINDOW","features":[79]},{"name":"MCIWNDM_CHANGESTYLES","features":[79]},{"name":"MCIWNDM_EJECT","features":[79]},{"name":"MCIWNDM_GETACTIVETIMER","features":[79]},{"name":"MCIWNDM_GETALIAS","features":[79]},{"name":"MCIWNDM_GETDEVICE","features":[79]},{"name":"MCIWNDM_GETDEVICEA","features":[79]},{"name":"MCIWNDM_GETDEVICEID","features":[79]},{"name":"MCIWNDM_GETDEVICEW","features":[79]},{"name":"MCIWNDM_GETEND","features":[79]},{"name":"MCIWNDM_GETERROR","features":[79]},{"name":"MCIWNDM_GETERRORA","features":[79]},{"name":"MCIWNDM_GETERRORW","features":[79]},{"name":"MCIWNDM_GETFILENAME","features":[79]},{"name":"MCIWNDM_GETFILENAMEA","features":[79]},{"name":"MCIWNDM_GETFILENAMEW","features":[79]},{"name":"MCIWNDM_GETINACTIVETIMER","features":[79]},{"name":"MCIWNDM_GETLENGTH","features":[79]},{"name":"MCIWNDM_GETMODE","features":[79]},{"name":"MCIWNDM_GETMODEA","features":[79]},{"name":"MCIWNDM_GETMODEW","features":[79]},{"name":"MCIWNDM_GETPALETTE","features":[79]},{"name":"MCIWNDM_GETPOSITION","features":[79]},{"name":"MCIWNDM_GETPOSITIONA","features":[79]},{"name":"MCIWNDM_GETPOSITIONW","features":[79]},{"name":"MCIWNDM_GETREPEAT","features":[79]},{"name":"MCIWNDM_GETSPEED","features":[79]},{"name":"MCIWNDM_GETSTART","features":[79]},{"name":"MCIWNDM_GETSTYLES","features":[79]},{"name":"MCIWNDM_GETTIMEFORMAT","features":[79]},{"name":"MCIWNDM_GETTIMEFORMATA","features":[79]},{"name":"MCIWNDM_GETTIMEFORMATW","features":[79]},{"name":"MCIWNDM_GETVOLUME","features":[79]},{"name":"MCIWNDM_GETZOOM","features":[79]},{"name":"MCIWNDM_GET_DEST","features":[79]},{"name":"MCIWNDM_GET_SOURCE","features":[79]},{"name":"MCIWNDM_NEW","features":[79]},{"name":"MCIWNDM_NEWA","features":[79]},{"name":"MCIWNDM_NEWW","features":[79]},{"name":"MCIWNDM_NOTIFYERROR","features":[79]},{"name":"MCIWNDM_NOTIFYMEDIA","features":[79]},{"name":"MCIWNDM_NOTIFYMODE","features":[79]},{"name":"MCIWNDM_NOTIFYPOS","features":[79]},{"name":"MCIWNDM_NOTIFYSIZE","features":[79]},{"name":"MCIWNDM_OPEN","features":[79]},{"name":"MCIWNDM_OPENA","features":[79]},{"name":"MCIWNDM_OPENINTERFACE","features":[79]},{"name":"MCIWNDM_OPENW","features":[79]},{"name":"MCIWNDM_PALETTEKICK","features":[79]},{"name":"MCIWNDM_PLAYFROM","features":[79]},{"name":"MCIWNDM_PLAYREVERSE","features":[79]},{"name":"MCIWNDM_PLAYTO","features":[79]},{"name":"MCIWNDM_PUT_DEST","features":[79]},{"name":"MCIWNDM_PUT_SOURCE","features":[79]},{"name":"MCIWNDM_REALIZE","features":[79]},{"name":"MCIWNDM_RETURNSTRING","features":[79]},{"name":"MCIWNDM_RETURNSTRINGA","features":[79]},{"name":"MCIWNDM_RETURNSTRINGW","features":[79]},{"name":"MCIWNDM_SENDSTRING","features":[79]},{"name":"MCIWNDM_SENDSTRINGA","features":[79]},{"name":"MCIWNDM_SENDSTRINGW","features":[79]},{"name":"MCIWNDM_SETACTIVETIMER","features":[79]},{"name":"MCIWNDM_SETINACTIVETIMER","features":[79]},{"name":"MCIWNDM_SETOWNER","features":[79]},{"name":"MCIWNDM_SETPALETTE","features":[79]},{"name":"MCIWNDM_SETREPEAT","features":[79]},{"name":"MCIWNDM_SETSPEED","features":[79]},{"name":"MCIWNDM_SETTIMEFORMAT","features":[79]},{"name":"MCIWNDM_SETTIMEFORMATA","features":[79]},{"name":"MCIWNDM_SETTIMEFORMATW","features":[79]},{"name":"MCIWNDM_SETTIMERS","features":[79]},{"name":"MCIWNDM_SETVOLUME","features":[79]},{"name":"MCIWNDM_SETZOOM","features":[79]},{"name":"MCIWNDM_VALIDATEMEDIA","features":[79]},{"name":"MCIWNDOPENF_NEW","features":[79]},{"name":"MCIWND_END","features":[79]},{"name":"MCIWND_START","features":[79]},{"name":"MCIWND_WINDOW_CLASS","features":[79]},{"name":"MCIWndCreateA","features":[1,79]},{"name":"MCIWndCreateW","features":[1,79]},{"name":"MCIWndRegisterClass","features":[1,79]},{"name":"MCI_ANIM_GETDEVCAPS_CAN_REVERSE","features":[79]},{"name":"MCI_ANIM_GETDEVCAPS_CAN_STRETCH","features":[79]},{"name":"MCI_ANIM_GETDEVCAPS_FAST_RATE","features":[79]},{"name":"MCI_ANIM_GETDEVCAPS_MAX_WINDOWS","features":[79]},{"name":"MCI_ANIM_GETDEVCAPS_NORMAL_RATE","features":[79]},{"name":"MCI_ANIM_GETDEVCAPS_PALETTES","features":[79]},{"name":"MCI_ANIM_GETDEVCAPS_SLOW_RATE","features":[79]},{"name":"MCI_ANIM_INFO_TEXT","features":[79]},{"name":"MCI_ANIM_OPEN_NOSTATIC","features":[79]},{"name":"MCI_ANIM_OPEN_PARENT","features":[79]},{"name":"MCI_ANIM_OPEN_PARMSA","features":[1,79]},{"name":"MCI_ANIM_OPEN_PARMSW","features":[1,79]},{"name":"MCI_ANIM_OPEN_WS","features":[79]},{"name":"MCI_ANIM_PLAY_FAST","features":[79]},{"name":"MCI_ANIM_PLAY_PARMS","features":[79]},{"name":"MCI_ANIM_PLAY_REVERSE","features":[79]},{"name":"MCI_ANIM_PLAY_SCAN","features":[79]},{"name":"MCI_ANIM_PLAY_SLOW","features":[79]},{"name":"MCI_ANIM_PLAY_SPEED","features":[79]},{"name":"MCI_ANIM_PUT_DESTINATION","features":[79]},{"name":"MCI_ANIM_PUT_SOURCE","features":[79]},{"name":"MCI_ANIM_REALIZE_BKGD","features":[79]},{"name":"MCI_ANIM_REALIZE_NORM","features":[79]},{"name":"MCI_ANIM_RECT","features":[79]},{"name":"MCI_ANIM_RECT_PARMS","features":[1,79]},{"name":"MCI_ANIM_STATUS_FORWARD","features":[79]},{"name":"MCI_ANIM_STATUS_HPAL","features":[79]},{"name":"MCI_ANIM_STATUS_HWND","features":[79]},{"name":"MCI_ANIM_STATUS_SPEED","features":[79]},{"name":"MCI_ANIM_STATUS_STRETCH","features":[79]},{"name":"MCI_ANIM_STEP_FRAMES","features":[79]},{"name":"MCI_ANIM_STEP_PARMS","features":[79]},{"name":"MCI_ANIM_STEP_REVERSE","features":[79]},{"name":"MCI_ANIM_UPDATE_HDC","features":[79]},{"name":"MCI_ANIM_UPDATE_PARMS","features":[1,12,79]},{"name":"MCI_ANIM_WHERE_DESTINATION","features":[79]},{"name":"MCI_ANIM_WHERE_SOURCE","features":[79]},{"name":"MCI_ANIM_WINDOW_DEFAULT","features":[79]},{"name":"MCI_ANIM_WINDOW_DISABLE_STRETCH","features":[79]},{"name":"MCI_ANIM_WINDOW_ENABLE_STRETCH","features":[79]},{"name":"MCI_ANIM_WINDOW_HWND","features":[79]},{"name":"MCI_ANIM_WINDOW_PARMSA","features":[1,79]},{"name":"MCI_ANIM_WINDOW_PARMSW","features":[1,79]},{"name":"MCI_ANIM_WINDOW_STATE","features":[79]},{"name":"MCI_ANIM_WINDOW_TEXT","features":[79]},{"name":"MCI_AVI_SETVIDEO_DRAW_PROCEDURE","features":[79]},{"name":"MCI_AVI_SETVIDEO_PALETTE_COLOR","features":[79]},{"name":"MCI_AVI_SETVIDEO_PALETTE_HALFTONE","features":[79]},{"name":"MCI_AVI_STATUS_AUDIO_BREAKS","features":[79]},{"name":"MCI_AVI_STATUS_FRAMES_SKIPPED","features":[79]},{"name":"MCI_AVI_STATUS_LAST_PLAY_SPEED","features":[79]},{"name":"MCI_BREAK","features":[79]},{"name":"MCI_BREAK_HWND","features":[79]},{"name":"MCI_BREAK_KEY","features":[79]},{"name":"MCI_BREAK_OFF","features":[79]},{"name":"MCI_BREAK_PARMS","features":[1,79]},{"name":"MCI_CAPTURE","features":[79]},{"name":"MCI_CDA_STATUS_TYPE_TRACK","features":[79]},{"name":"MCI_CDA_TRACK_AUDIO","features":[79]},{"name":"MCI_CDA_TRACK_OTHER","features":[79]},{"name":"MCI_CLOSE","features":[79]},{"name":"MCI_CLOSE_DRIVER","features":[79]},{"name":"MCI_COLONIZED3_RETURN","features":[79]},{"name":"MCI_COLONIZED4_RETURN","features":[79]},{"name":"MCI_COMMAND_HEAD","features":[79]},{"name":"MCI_CONFIGURE","features":[79]},{"name":"MCI_CONSTANT","features":[79]},{"name":"MCI_COPY","features":[79]},{"name":"MCI_CUE","features":[79]},{"name":"MCI_CUT","features":[79]},{"name":"MCI_DELETE","features":[79]},{"name":"MCI_DEVTYPE_ANIMATION","features":[79]},{"name":"MCI_DEVTYPE_CD_AUDIO","features":[79]},{"name":"MCI_DEVTYPE_DAT","features":[79]},{"name":"MCI_DEVTYPE_DIGITAL_VIDEO","features":[79]},{"name":"MCI_DEVTYPE_FIRST","features":[79]},{"name":"MCI_DEVTYPE_FIRST_USER","features":[79]},{"name":"MCI_DEVTYPE_LAST","features":[79]},{"name":"MCI_DEVTYPE_OTHER","features":[79]},{"name":"MCI_DEVTYPE_OVERLAY","features":[79]},{"name":"MCI_DEVTYPE_SCANNER","features":[79]},{"name":"MCI_DEVTYPE_SEQUENCER","features":[79]},{"name":"MCI_DEVTYPE_VCR","features":[79]},{"name":"MCI_DEVTYPE_VIDEODISC","features":[79]},{"name":"MCI_DEVTYPE_WAVEFORM_AUDIO","features":[79]},{"name":"MCI_DGV_CAPTURE_AS","features":[79]},{"name":"MCI_DGV_CAPTURE_AT","features":[79]},{"name":"MCI_DGV_CAPTURE_PARMSA","features":[1,79]},{"name":"MCI_DGV_CAPTURE_PARMSW","features":[1,79]},{"name":"MCI_DGV_COPY_AT","features":[79]},{"name":"MCI_DGV_COPY_AUDIO_STREAM","features":[79]},{"name":"MCI_DGV_COPY_PARMS","features":[1,79]},{"name":"MCI_DGV_COPY_VIDEO_STREAM","features":[79]},{"name":"MCI_DGV_CUE_INPUT","features":[79]},{"name":"MCI_DGV_CUE_NOSHOW","features":[79]},{"name":"MCI_DGV_CUE_OUTPUT","features":[79]},{"name":"MCI_DGV_CUE_PARMS","features":[79]},{"name":"MCI_DGV_CUT_AT","features":[79]},{"name":"MCI_DGV_CUT_AUDIO_STREAM","features":[79]},{"name":"MCI_DGV_CUT_PARMS","features":[1,79]},{"name":"MCI_DGV_CUT_VIDEO_STREAM","features":[79]},{"name":"MCI_DGV_DELETE_AT","features":[79]},{"name":"MCI_DGV_DELETE_AUDIO_STREAM","features":[79]},{"name":"MCI_DGV_DELETE_PARMS","features":[1,79]},{"name":"MCI_DGV_DELETE_VIDEO_STREAM","features":[79]},{"name":"MCI_DGV_FF_AVI","features":[79]},{"name":"MCI_DGV_FF_AVSS","features":[79]},{"name":"MCI_DGV_FF_DIB","features":[79]},{"name":"MCI_DGV_FF_JFIF","features":[79]},{"name":"MCI_DGV_FF_JPEG","features":[79]},{"name":"MCI_DGV_FF_MPEG","features":[79]},{"name":"MCI_DGV_FF_RDIB","features":[79]},{"name":"MCI_DGV_FF_RJPEG","features":[79]},{"name":"MCI_DGV_FILE_MODE_EDITING","features":[79]},{"name":"MCI_DGV_FILE_MODE_EDITING_S","features":[79]},{"name":"MCI_DGV_FILE_MODE_IDLE","features":[79]},{"name":"MCI_DGV_FILE_MODE_IDLE_S","features":[79]},{"name":"MCI_DGV_FILE_MODE_LOADING","features":[79]},{"name":"MCI_DGV_FILE_MODE_LOADING_S","features":[79]},{"name":"MCI_DGV_FILE_MODE_SAVING","features":[79]},{"name":"MCI_DGV_FILE_MODE_SAVING_S","features":[79]},{"name":"MCI_DGV_FILE_S","features":[79]},{"name":"MCI_DGV_FREEZE_AT","features":[79]},{"name":"MCI_DGV_FREEZE_OUTSIDE","features":[79]},{"name":"MCI_DGV_GETDEVCAPS_CAN_FREEZE","features":[79]},{"name":"MCI_DGV_GETDEVCAPS_CAN_LOCK","features":[79]},{"name":"MCI_DGV_GETDEVCAPS_CAN_REVERSE","features":[79]},{"name":"MCI_DGV_GETDEVCAPS_CAN_STRETCH","features":[79]},{"name":"MCI_DGV_GETDEVCAPS_CAN_STR_IN","features":[79]},{"name":"MCI_DGV_GETDEVCAPS_CAN_TEST","features":[79]},{"name":"MCI_DGV_GETDEVCAPS_HAS_STILL","features":[79]},{"name":"MCI_DGV_GETDEVCAPS_MAXIMUM_RATE","features":[79]},{"name":"MCI_DGV_GETDEVCAPS_MAX_WINDOWS","features":[79]},{"name":"MCI_DGV_GETDEVCAPS_MINIMUM_RATE","features":[79]},{"name":"MCI_DGV_GETDEVCAPS_PALETTES","features":[79]},{"name":"MCI_DGV_INFO_AUDIO_ALG","features":[79]},{"name":"MCI_DGV_INFO_AUDIO_QUALITY","features":[79]},{"name":"MCI_DGV_INFO_ITEM","features":[79]},{"name":"MCI_DGV_INFO_PARMSA","features":[79]},{"name":"MCI_DGV_INFO_PARMSW","features":[79]},{"name":"MCI_DGV_INFO_STILL_ALG","features":[79]},{"name":"MCI_DGV_INFO_STILL_QUALITY","features":[79]},{"name":"MCI_DGV_INFO_TEXT","features":[79]},{"name":"MCI_DGV_INFO_USAGE","features":[79]},{"name":"MCI_DGV_INFO_VIDEO_ALG","features":[79]},{"name":"MCI_DGV_INFO_VIDEO_QUALITY","features":[79]},{"name":"MCI_DGV_INPUT_S","features":[79]},{"name":"MCI_DGV_LIST_ALG","features":[79]},{"name":"MCI_DGV_LIST_AUDIO_ALG","features":[79]},{"name":"MCI_DGV_LIST_AUDIO_QUALITY","features":[79]},{"name":"MCI_DGV_LIST_AUDIO_STREAM","features":[79]},{"name":"MCI_DGV_LIST_COUNT","features":[79]},{"name":"MCI_DGV_LIST_ITEM","features":[79]},{"name":"MCI_DGV_LIST_NUMBER","features":[79]},{"name":"MCI_DGV_LIST_PARMSA","features":[79]},{"name":"MCI_DGV_LIST_PARMSW","features":[79]},{"name":"MCI_DGV_LIST_STILL_ALG","features":[79]},{"name":"MCI_DGV_LIST_STILL_QUALITY","features":[79]},{"name":"MCI_DGV_LIST_VIDEO_ALG","features":[79]},{"name":"MCI_DGV_LIST_VIDEO_QUALITY","features":[79]},{"name":"MCI_DGV_LIST_VIDEO_SOURCE","features":[79]},{"name":"MCI_DGV_LIST_VIDEO_STREAM","features":[79]},{"name":"MCI_DGV_METHOD_DIRECT","features":[79]},{"name":"MCI_DGV_METHOD_POST","features":[79]},{"name":"MCI_DGV_METHOD_PRE","features":[79]},{"name":"MCI_DGV_MONITOR_FILE","features":[79]},{"name":"MCI_DGV_MONITOR_INPUT","features":[79]},{"name":"MCI_DGV_MONITOR_METHOD","features":[79]},{"name":"MCI_DGV_MONITOR_PARMS","features":[79]},{"name":"MCI_DGV_MONITOR_SOURCE","features":[79]},{"name":"MCI_DGV_OPEN_16BIT","features":[79]},{"name":"MCI_DGV_OPEN_32BIT","features":[79]},{"name":"MCI_DGV_OPEN_NOSTATIC","features":[79]},{"name":"MCI_DGV_OPEN_PARENT","features":[79]},{"name":"MCI_DGV_OPEN_PARMSA","features":[1,79]},{"name":"MCI_DGV_OPEN_PARMSW","features":[1,79]},{"name":"MCI_DGV_OPEN_WS","features":[79]},{"name":"MCI_DGV_PASTE_AT","features":[79]},{"name":"MCI_DGV_PASTE_AUDIO_STREAM","features":[79]},{"name":"MCI_DGV_PASTE_INSERT","features":[79]},{"name":"MCI_DGV_PASTE_OVERWRITE","features":[79]},{"name":"MCI_DGV_PASTE_PARMS","features":[1,79]},{"name":"MCI_DGV_PASTE_VIDEO_STREAM","features":[79]},{"name":"MCI_DGV_PLAY_REPEAT","features":[79]},{"name":"MCI_DGV_PLAY_REVERSE","features":[79]},{"name":"MCI_DGV_PUT_CLIENT","features":[79]},{"name":"MCI_DGV_PUT_DESTINATION","features":[79]},{"name":"MCI_DGV_PUT_FRAME","features":[79]},{"name":"MCI_DGV_PUT_SOURCE","features":[79]},{"name":"MCI_DGV_PUT_VIDEO","features":[79]},{"name":"MCI_DGV_PUT_WINDOW","features":[79]},{"name":"MCI_DGV_QUALITY_PARMSA","features":[79]},{"name":"MCI_DGV_QUALITY_PARMSW","features":[79]},{"name":"MCI_DGV_REALIZE_BKGD","features":[79]},{"name":"MCI_DGV_REALIZE_NORM","features":[79]},{"name":"MCI_DGV_RECORD_AUDIO_STREAM","features":[79]},{"name":"MCI_DGV_RECORD_HOLD","features":[79]},{"name":"MCI_DGV_RECORD_PARMS","features":[1,79]},{"name":"MCI_DGV_RECORD_VIDEO_STREAM","features":[79]},{"name":"MCI_DGV_RECT","features":[79]},{"name":"MCI_DGV_RECT_PARMS","features":[1,79]},{"name":"MCI_DGV_RESERVE_IN","features":[79]},{"name":"MCI_DGV_RESERVE_PARMSA","features":[79]},{"name":"MCI_DGV_RESERVE_PARMSW","features":[79]},{"name":"MCI_DGV_RESERVE_SIZE","features":[79]},{"name":"MCI_DGV_RESTORE_AT","features":[79]},{"name":"MCI_DGV_RESTORE_FROM","features":[79]},{"name":"MCI_DGV_RESTORE_PARMSA","features":[1,79]},{"name":"MCI_DGV_RESTORE_PARMSW","features":[1,79]},{"name":"MCI_DGV_SAVE_ABORT","features":[79]},{"name":"MCI_DGV_SAVE_KEEPRESERVE","features":[79]},{"name":"MCI_DGV_SAVE_PARMSA","features":[1,79]},{"name":"MCI_DGV_SAVE_PARMSW","features":[1,79]},{"name":"MCI_DGV_SETAUDIO_ALG","features":[79]},{"name":"MCI_DGV_SETAUDIO_AVGBYTESPERSEC","features":[79]},{"name":"MCI_DGV_SETAUDIO_BASS","features":[79]},{"name":"MCI_DGV_SETAUDIO_BITSPERSAMPLE","features":[79]},{"name":"MCI_DGV_SETAUDIO_BLOCKALIGN","features":[79]},{"name":"MCI_DGV_SETAUDIO_CLOCKTIME","features":[79]},{"name":"MCI_DGV_SETAUDIO_INPUT","features":[79]},{"name":"MCI_DGV_SETAUDIO_ITEM","features":[79]},{"name":"MCI_DGV_SETAUDIO_LEFT","features":[79]},{"name":"MCI_DGV_SETAUDIO_OUTPUT","features":[79]},{"name":"MCI_DGV_SETAUDIO_OVER","features":[79]},{"name":"MCI_DGV_SETAUDIO_PARMSA","features":[79]},{"name":"MCI_DGV_SETAUDIO_PARMSW","features":[79]},{"name":"MCI_DGV_SETAUDIO_QUALITY","features":[79]},{"name":"MCI_DGV_SETAUDIO_RECORD","features":[79]},{"name":"MCI_DGV_SETAUDIO_RIGHT","features":[79]},{"name":"MCI_DGV_SETAUDIO_SAMPLESPERSEC","features":[79]},{"name":"MCI_DGV_SETAUDIO_SOURCE","features":[79]},{"name":"MCI_DGV_SETAUDIO_SOURCE_AVERAGE","features":[79]},{"name":"MCI_DGV_SETAUDIO_SOURCE_LEFT","features":[79]},{"name":"MCI_DGV_SETAUDIO_SOURCE_RIGHT","features":[79]},{"name":"MCI_DGV_SETAUDIO_SOURCE_STEREO","features":[79]},{"name":"MCI_DGV_SETAUDIO_SRC_AVERAGE_S","features":[79]},{"name":"MCI_DGV_SETAUDIO_SRC_LEFT_S","features":[79]},{"name":"MCI_DGV_SETAUDIO_SRC_RIGHT_S","features":[79]},{"name":"MCI_DGV_SETAUDIO_SRC_STEREO_S","features":[79]},{"name":"MCI_DGV_SETAUDIO_STREAM","features":[79]},{"name":"MCI_DGV_SETAUDIO_TREBLE","features":[79]},{"name":"MCI_DGV_SETAUDIO_VALUE","features":[79]},{"name":"MCI_DGV_SETAUDIO_VOLUME","features":[79]},{"name":"MCI_DGV_SETVIDEO_ALG","features":[79]},{"name":"MCI_DGV_SETVIDEO_BITSPERPEL","features":[79]},{"name":"MCI_DGV_SETVIDEO_BRIGHTNESS","features":[79]},{"name":"MCI_DGV_SETVIDEO_CLOCKTIME","features":[79]},{"name":"MCI_DGV_SETVIDEO_COLOR","features":[79]},{"name":"MCI_DGV_SETVIDEO_CONTRAST","features":[79]},{"name":"MCI_DGV_SETVIDEO_FRAME_RATE","features":[79]},{"name":"MCI_DGV_SETVIDEO_GAMMA","features":[79]},{"name":"MCI_DGV_SETVIDEO_INPUT","features":[79]},{"name":"MCI_DGV_SETVIDEO_ITEM","features":[79]},{"name":"MCI_DGV_SETVIDEO_KEY_COLOR","features":[79]},{"name":"MCI_DGV_SETVIDEO_KEY_INDEX","features":[79]},{"name":"MCI_DGV_SETVIDEO_OUTPUT","features":[79]},{"name":"MCI_DGV_SETVIDEO_OVER","features":[79]},{"name":"MCI_DGV_SETVIDEO_PALHANDLE","features":[79]},{"name":"MCI_DGV_SETVIDEO_PARMSA","features":[79]},{"name":"MCI_DGV_SETVIDEO_PARMSW","features":[79]},{"name":"MCI_DGV_SETVIDEO_QUALITY","features":[79]},{"name":"MCI_DGV_SETVIDEO_RECORD","features":[79]},{"name":"MCI_DGV_SETVIDEO_SHARPNESS","features":[79]},{"name":"MCI_DGV_SETVIDEO_SOURCE","features":[79]},{"name":"MCI_DGV_SETVIDEO_SRC_GENERIC","features":[79]},{"name":"MCI_DGV_SETVIDEO_SRC_GENERIC_S","features":[79]},{"name":"MCI_DGV_SETVIDEO_SRC_NTSC","features":[79]},{"name":"MCI_DGV_SETVIDEO_SRC_NTSC_S","features":[79]},{"name":"MCI_DGV_SETVIDEO_SRC_NUMBER","features":[79]},{"name":"MCI_DGV_SETVIDEO_SRC_PAL","features":[79]},{"name":"MCI_DGV_SETVIDEO_SRC_PAL_S","features":[79]},{"name":"MCI_DGV_SETVIDEO_SRC_RGB","features":[79]},{"name":"MCI_DGV_SETVIDEO_SRC_RGB_S","features":[79]},{"name":"MCI_DGV_SETVIDEO_SRC_SECAM","features":[79]},{"name":"MCI_DGV_SETVIDEO_SRC_SECAM_S","features":[79]},{"name":"MCI_DGV_SETVIDEO_SRC_SVIDEO","features":[79]},{"name":"MCI_DGV_SETVIDEO_SRC_SVIDEO_S","features":[79]},{"name":"MCI_DGV_SETVIDEO_STILL","features":[79]},{"name":"MCI_DGV_SETVIDEO_STREAM","features":[79]},{"name":"MCI_DGV_SETVIDEO_TINT","features":[79]},{"name":"MCI_DGV_SETVIDEO_VALUE","features":[79]},{"name":"MCI_DGV_SET_FILEFORMAT","features":[79]},{"name":"MCI_DGV_SET_PARMS","features":[79]},{"name":"MCI_DGV_SET_SEEK_EXACTLY","features":[79]},{"name":"MCI_DGV_SET_SPEED","features":[79]},{"name":"MCI_DGV_SET_STILL","features":[79]},{"name":"MCI_DGV_SIGNAL_AT","features":[79]},{"name":"MCI_DGV_SIGNAL_CANCEL","features":[79]},{"name":"MCI_DGV_SIGNAL_EVERY","features":[79]},{"name":"MCI_DGV_SIGNAL_PARMS","features":[79]},{"name":"MCI_DGV_SIGNAL_POSITION","features":[79]},{"name":"MCI_DGV_SIGNAL_USERVAL","features":[79]},{"name":"MCI_DGV_STATUS_AUDIO","features":[79]},{"name":"MCI_DGV_STATUS_AUDIO_INPUT","features":[79]},{"name":"MCI_DGV_STATUS_AUDIO_RECORD","features":[79]},{"name":"MCI_DGV_STATUS_AUDIO_SOURCE","features":[79]},{"name":"MCI_DGV_STATUS_AUDIO_STREAM","features":[79]},{"name":"MCI_DGV_STATUS_AVGBYTESPERSEC","features":[79]},{"name":"MCI_DGV_STATUS_BASS","features":[79]},{"name":"MCI_DGV_STATUS_BITSPERPEL","features":[79]},{"name":"MCI_DGV_STATUS_BITSPERSAMPLE","features":[79]},{"name":"MCI_DGV_STATUS_BLOCKALIGN","features":[79]},{"name":"MCI_DGV_STATUS_BRIGHTNESS","features":[79]},{"name":"MCI_DGV_STATUS_COLOR","features":[79]},{"name":"MCI_DGV_STATUS_CONTRAST","features":[79]},{"name":"MCI_DGV_STATUS_DISKSPACE","features":[79]},{"name":"MCI_DGV_STATUS_FILEFORMAT","features":[79]},{"name":"MCI_DGV_STATUS_FILE_COMPLETION","features":[79]},{"name":"MCI_DGV_STATUS_FILE_MODE","features":[79]},{"name":"MCI_DGV_STATUS_FORWARD","features":[79]},{"name":"MCI_DGV_STATUS_FRAME_RATE","features":[79]},{"name":"MCI_DGV_STATUS_GAMMA","features":[79]},{"name":"MCI_DGV_STATUS_HPAL","features":[79]},{"name":"MCI_DGV_STATUS_HWND","features":[79]},{"name":"MCI_DGV_STATUS_INPUT","features":[79]},{"name":"MCI_DGV_STATUS_KEY_COLOR","features":[79]},{"name":"MCI_DGV_STATUS_KEY_INDEX","features":[79]},{"name":"MCI_DGV_STATUS_LEFT","features":[79]},{"name":"MCI_DGV_STATUS_MONITOR","features":[79]},{"name":"MCI_DGV_STATUS_MONITOR_METHOD","features":[79]},{"name":"MCI_DGV_STATUS_NOMINAL","features":[79]},{"name":"MCI_DGV_STATUS_OUTPUT","features":[79]},{"name":"MCI_DGV_STATUS_PARMSA","features":[79]},{"name":"MCI_DGV_STATUS_PARMSW","features":[79]},{"name":"MCI_DGV_STATUS_PAUSE_MODE","features":[79]},{"name":"MCI_DGV_STATUS_RECORD","features":[79]},{"name":"MCI_DGV_STATUS_REFERENCE","features":[79]},{"name":"MCI_DGV_STATUS_RIGHT","features":[79]},{"name":"MCI_DGV_STATUS_SAMPLESPERSEC","features":[79]},{"name":"MCI_DGV_STATUS_SEEK_EXACTLY","features":[79]},{"name":"MCI_DGV_STATUS_SHARPNESS","features":[79]},{"name":"MCI_DGV_STATUS_SIZE","features":[79]},{"name":"MCI_DGV_STATUS_SMPTE","features":[79]},{"name":"MCI_DGV_STATUS_SPEED","features":[79]},{"name":"MCI_DGV_STATUS_STILL_FILEFORMAT","features":[79]},{"name":"MCI_DGV_STATUS_TINT","features":[79]},{"name":"MCI_DGV_STATUS_TREBLE","features":[79]},{"name":"MCI_DGV_STATUS_UNSAVED","features":[79]},{"name":"MCI_DGV_STATUS_VIDEO","features":[79]},{"name":"MCI_DGV_STATUS_VIDEO_RECORD","features":[79]},{"name":"MCI_DGV_STATUS_VIDEO_SOURCE","features":[79]},{"name":"MCI_DGV_STATUS_VIDEO_SRC_NUM","features":[79]},{"name":"MCI_DGV_STATUS_VIDEO_STREAM","features":[79]},{"name":"MCI_DGV_STATUS_VOLUME","features":[79]},{"name":"MCI_DGV_STATUS_WINDOW_MAXIMIZED","features":[79]},{"name":"MCI_DGV_STATUS_WINDOW_MINIMIZED","features":[79]},{"name":"MCI_DGV_STATUS_WINDOW_VISIBLE","features":[79]},{"name":"MCI_DGV_STEP_FRAMES","features":[79]},{"name":"MCI_DGV_STEP_PARMS","features":[79]},{"name":"MCI_DGV_STEP_REVERSE","features":[79]},{"name":"MCI_DGV_STOP_HOLD","features":[79]},{"name":"MCI_DGV_UPDATE_HDC","features":[79]},{"name":"MCI_DGV_UPDATE_PAINT","features":[79]},{"name":"MCI_DGV_UPDATE_PARMS","features":[1,12,79]},{"name":"MCI_DGV_WHERE_DESTINATION","features":[79]},{"name":"MCI_DGV_WHERE_FRAME","features":[79]},{"name":"MCI_DGV_WHERE_MAX","features":[79]},{"name":"MCI_DGV_WHERE_SOURCE","features":[79]},{"name":"MCI_DGV_WHERE_VIDEO","features":[79]},{"name":"MCI_DGV_WHERE_WINDOW","features":[79]},{"name":"MCI_DGV_WINDOW_DEFAULT","features":[79]},{"name":"MCI_DGV_WINDOW_HWND","features":[79]},{"name":"MCI_DGV_WINDOW_PARMSA","features":[1,79]},{"name":"MCI_DGV_WINDOW_PARMSW","features":[1,79]},{"name":"MCI_DGV_WINDOW_STATE","features":[79]},{"name":"MCI_DGV_WINDOW_TEXT","features":[79]},{"name":"MCI_END_COMMAND","features":[79]},{"name":"MCI_END_COMMAND_LIST","features":[79]},{"name":"MCI_END_CONSTANT","features":[79]},{"name":"MCI_ESCAPE","features":[79]},{"name":"MCI_FALSE","features":[79]},{"name":"MCI_FIRST","features":[79]},{"name":"MCI_FLAG","features":[79]},{"name":"MCI_FORMAT_BYTES","features":[79]},{"name":"MCI_FORMAT_BYTES_S","features":[79]},{"name":"MCI_FORMAT_FRAMES","features":[79]},{"name":"MCI_FORMAT_FRAMES_S","features":[79]},{"name":"MCI_FORMAT_HMS","features":[79]},{"name":"MCI_FORMAT_HMS_S","features":[79]},{"name":"MCI_FORMAT_MILLISECONDS","features":[79]},{"name":"MCI_FORMAT_MILLISECONDS_S","features":[79]},{"name":"MCI_FORMAT_MSF","features":[79]},{"name":"MCI_FORMAT_MSF_S","features":[79]},{"name":"MCI_FORMAT_SAMPLES","features":[79]},{"name":"MCI_FORMAT_SAMPLES_S","features":[79]},{"name":"MCI_FORMAT_SMPTE_24","features":[79]},{"name":"MCI_FORMAT_SMPTE_24_S","features":[79]},{"name":"MCI_FORMAT_SMPTE_25","features":[79]},{"name":"MCI_FORMAT_SMPTE_25_S","features":[79]},{"name":"MCI_FORMAT_SMPTE_30","features":[79]},{"name":"MCI_FORMAT_SMPTE_30DROP","features":[79]},{"name":"MCI_FORMAT_SMPTE_30DROP_S","features":[79]},{"name":"MCI_FORMAT_SMPTE_30_S","features":[79]},{"name":"MCI_FORMAT_TMSF","features":[79]},{"name":"MCI_FORMAT_TMSF_S","features":[79]},{"name":"MCI_FREEZE","features":[79]},{"name":"MCI_FROM","features":[79]},{"name":"MCI_GENERIC_PARMS","features":[79]},{"name":"MCI_GETDEVCAPS","features":[79]},{"name":"MCI_GETDEVCAPS_CAN_EJECT","features":[79]},{"name":"MCI_GETDEVCAPS_CAN_PLAY","features":[79]},{"name":"MCI_GETDEVCAPS_CAN_RECORD","features":[79]},{"name":"MCI_GETDEVCAPS_CAN_SAVE","features":[79]},{"name":"MCI_GETDEVCAPS_COMPOUND_DEVICE","features":[79]},{"name":"MCI_GETDEVCAPS_DEVICE_TYPE","features":[79]},{"name":"MCI_GETDEVCAPS_HAS_AUDIO","features":[79]},{"name":"MCI_GETDEVCAPS_HAS_VIDEO","features":[79]},{"name":"MCI_GETDEVCAPS_ITEM","features":[79]},{"name":"MCI_GETDEVCAPS_PARMS","features":[79]},{"name":"MCI_GETDEVCAPS_USES_FILES","features":[79]},{"name":"MCI_HDC","features":[79]},{"name":"MCI_HPAL","features":[79]},{"name":"MCI_HWND","features":[79]},{"name":"MCI_INFO","features":[79]},{"name":"MCI_INFO_COPYRIGHT","features":[79]},{"name":"MCI_INFO_FILE","features":[79]},{"name":"MCI_INFO_MEDIA_IDENTITY","features":[79]},{"name":"MCI_INFO_MEDIA_UPC","features":[79]},{"name":"MCI_INFO_NAME","features":[79]},{"name":"MCI_INFO_PARMSA","features":[79]},{"name":"MCI_INFO_PARMSW","features":[79]},{"name":"MCI_INFO_PRODUCT","features":[79]},{"name":"MCI_INFO_VERSION","features":[79]},{"name":"MCI_INTEGER","features":[79]},{"name":"MCI_INTEGER64","features":[79]},{"name":"MCI_INTEGER_RETURNED","features":[79]},{"name":"MCI_LAST","features":[79]},{"name":"MCI_LIST","features":[79]},{"name":"MCI_LOAD","features":[79]},{"name":"MCI_LOAD_FILE","features":[79]},{"name":"MCI_LOAD_PARMSA","features":[79]},{"name":"MCI_LOAD_PARMSW","features":[79]},{"name":"MCI_MAX_DEVICE_TYPE_LENGTH","features":[79]},{"name":"MCI_MCIAVI_PLAY_FULLBY2","features":[79]},{"name":"MCI_MCIAVI_PLAY_FULLSCREEN","features":[79]},{"name":"MCI_MCIAVI_PLAY_WINDOW","features":[79]},{"name":"MCI_MODE_NOT_READY","features":[79]},{"name":"MCI_MODE_OPEN","features":[79]},{"name":"MCI_MODE_PAUSE","features":[79]},{"name":"MCI_MODE_PLAY","features":[79]},{"name":"MCI_MODE_RECORD","features":[79]},{"name":"MCI_MODE_SEEK","features":[79]},{"name":"MCI_MODE_STOP","features":[79]},{"name":"MCI_MONITOR","features":[79]},{"name":"MCI_NOTIFY","features":[79]},{"name":"MCI_NOTIFY_ABORTED","features":[79]},{"name":"MCI_NOTIFY_FAILURE","features":[79]},{"name":"MCI_NOTIFY_SUCCESSFUL","features":[79]},{"name":"MCI_NOTIFY_SUPERSEDED","features":[79]},{"name":"MCI_OFF","features":[79]},{"name":"MCI_OFF_S","features":[79]},{"name":"MCI_ON","features":[79]},{"name":"MCI_ON_S","features":[79]},{"name":"MCI_OPEN","features":[79]},{"name":"MCI_OPEN_ALIAS","features":[79]},{"name":"MCI_OPEN_DRIVER","features":[79]},{"name":"MCI_OPEN_DRIVER_PARMS","features":[79]},{"name":"MCI_OPEN_ELEMENT","features":[79]},{"name":"MCI_OPEN_ELEMENT_ID","features":[79]},{"name":"MCI_OPEN_PARMSA","features":[79]},{"name":"MCI_OPEN_PARMSW","features":[79]},{"name":"MCI_OPEN_SHAREABLE","features":[79]},{"name":"MCI_OPEN_TYPE","features":[79]},{"name":"MCI_OPEN_TYPE_ID","features":[79]},{"name":"MCI_OVLY_GETDEVCAPS_CAN_FREEZE","features":[79]},{"name":"MCI_OVLY_GETDEVCAPS_CAN_STRETCH","features":[79]},{"name":"MCI_OVLY_GETDEVCAPS_MAX_WINDOWS","features":[79]},{"name":"MCI_OVLY_INFO_TEXT","features":[79]},{"name":"MCI_OVLY_LOAD_PARMSA","features":[1,79]},{"name":"MCI_OVLY_LOAD_PARMSW","features":[1,79]},{"name":"MCI_OVLY_OPEN_PARENT","features":[79]},{"name":"MCI_OVLY_OPEN_PARMSA","features":[1,79]},{"name":"MCI_OVLY_OPEN_PARMSW","features":[1,79]},{"name":"MCI_OVLY_OPEN_WS","features":[79]},{"name":"MCI_OVLY_PUT_DESTINATION","features":[79]},{"name":"MCI_OVLY_PUT_FRAME","features":[79]},{"name":"MCI_OVLY_PUT_SOURCE","features":[79]},{"name":"MCI_OVLY_PUT_VIDEO","features":[79]},{"name":"MCI_OVLY_RECT","features":[79]},{"name":"MCI_OVLY_RECT_PARMS","features":[1,79]},{"name":"MCI_OVLY_SAVE_PARMSA","features":[1,79]},{"name":"MCI_OVLY_SAVE_PARMSW","features":[1,79]},{"name":"MCI_OVLY_STATUS_HWND","features":[79]},{"name":"MCI_OVLY_STATUS_STRETCH","features":[79]},{"name":"MCI_OVLY_WHERE_DESTINATION","features":[79]},{"name":"MCI_OVLY_WHERE_FRAME","features":[79]},{"name":"MCI_OVLY_WHERE_SOURCE","features":[79]},{"name":"MCI_OVLY_WHERE_VIDEO","features":[79]},{"name":"MCI_OVLY_WINDOW_DEFAULT","features":[79]},{"name":"MCI_OVLY_WINDOW_DISABLE_STRETCH","features":[79]},{"name":"MCI_OVLY_WINDOW_ENABLE_STRETCH","features":[79]},{"name":"MCI_OVLY_WINDOW_HWND","features":[79]},{"name":"MCI_OVLY_WINDOW_PARMSA","features":[1,79]},{"name":"MCI_OVLY_WINDOW_PARMSW","features":[1,79]},{"name":"MCI_OVLY_WINDOW_STATE","features":[79]},{"name":"MCI_OVLY_WINDOW_TEXT","features":[79]},{"name":"MCI_PASTE","features":[79]},{"name":"MCI_PAUSE","features":[79]},{"name":"MCI_PLAY","features":[79]},{"name":"MCI_PLAY_PARMS","features":[79]},{"name":"MCI_PUT","features":[79]},{"name":"MCI_QUALITY","features":[79]},{"name":"MCI_QUALITY_ALG","features":[79]},{"name":"MCI_QUALITY_DIALOG","features":[79]},{"name":"MCI_QUALITY_HANDLE","features":[79]},{"name":"MCI_QUALITY_ITEM","features":[79]},{"name":"MCI_QUALITY_ITEM_AUDIO","features":[79]},{"name":"MCI_QUALITY_ITEM_STILL","features":[79]},{"name":"MCI_QUALITY_ITEM_VIDEO","features":[79]},{"name":"MCI_QUALITY_NAME","features":[79]},{"name":"MCI_REALIZE","features":[79]},{"name":"MCI_RECORD","features":[79]},{"name":"MCI_RECORD_INSERT","features":[79]},{"name":"MCI_RECORD_OVERWRITE","features":[79]},{"name":"MCI_RECORD_PARMS","features":[79]},{"name":"MCI_RECT","features":[79]},{"name":"MCI_RESERVE","features":[79]},{"name":"MCI_RESOURCE_DRIVER","features":[79]},{"name":"MCI_RESOURCE_RETURNED","features":[79]},{"name":"MCI_RESTORE","features":[79]},{"name":"MCI_RESUME","features":[79]},{"name":"MCI_RETURN","features":[79]},{"name":"MCI_SAVE","features":[79]},{"name":"MCI_SAVE_FILE","features":[79]},{"name":"MCI_SAVE_PARMSA","features":[79]},{"name":"MCI_SAVE_PARMSW","features":[79]},{"name":"MCI_SECTION","features":[79]},{"name":"MCI_SEEK","features":[79]},{"name":"MCI_SEEK_PARMS","features":[79]},{"name":"MCI_SEEK_TO_END","features":[79]},{"name":"MCI_SEEK_TO_START","features":[79]},{"name":"MCI_SEQ_FILE","features":[79]},{"name":"MCI_SEQ_FILE_S","features":[79]},{"name":"MCI_SEQ_FORMAT_SONGPTR","features":[79]},{"name":"MCI_SEQ_FORMAT_SONGPTR_S","features":[79]},{"name":"MCI_SEQ_MAPPER","features":[79]},{"name":"MCI_SEQ_MAPPER_S","features":[79]},{"name":"MCI_SEQ_MIDI","features":[79]},{"name":"MCI_SEQ_MIDI_S","features":[79]},{"name":"MCI_SEQ_NONE","features":[79]},{"name":"MCI_SEQ_NONE_S","features":[79]},{"name":"MCI_SEQ_SET_MASTER","features":[79]},{"name":"MCI_SEQ_SET_OFFSET","features":[79]},{"name":"MCI_SEQ_SET_PARMS","features":[79]},{"name":"MCI_SEQ_SET_PORT","features":[79]},{"name":"MCI_SEQ_SET_SLAVE","features":[79]},{"name":"MCI_SEQ_SET_TEMPO","features":[79]},{"name":"MCI_SEQ_SMPTE","features":[79]},{"name":"MCI_SEQ_SMPTE_S","features":[79]},{"name":"MCI_SEQ_STATUS_COPYRIGHT","features":[79]},{"name":"MCI_SEQ_STATUS_DIVTYPE","features":[79]},{"name":"MCI_SEQ_STATUS_MASTER","features":[79]},{"name":"MCI_SEQ_STATUS_NAME","features":[79]},{"name":"MCI_SEQ_STATUS_OFFSET","features":[79]},{"name":"MCI_SEQ_STATUS_PORT","features":[79]},{"name":"MCI_SEQ_STATUS_SLAVE","features":[79]},{"name":"MCI_SEQ_STATUS_TEMPO","features":[79]},{"name":"MCI_SET","features":[79]},{"name":"MCI_SETAUDIO","features":[79]},{"name":"MCI_SETVIDEO","features":[79]},{"name":"MCI_SET_AUDIO","features":[79]},{"name":"MCI_SET_AUDIO_ALL","features":[79]},{"name":"MCI_SET_AUDIO_LEFT","features":[79]},{"name":"MCI_SET_AUDIO_RIGHT","features":[79]},{"name":"MCI_SET_DOOR_CLOSED","features":[79]},{"name":"MCI_SET_DOOR_OPEN","features":[79]},{"name":"MCI_SET_OFF","features":[79]},{"name":"MCI_SET_ON","features":[79]},{"name":"MCI_SET_PARMS","features":[79]},{"name":"MCI_SET_TIME_FORMAT","features":[79]},{"name":"MCI_SET_VIDEO","features":[79]},{"name":"MCI_SIGNAL","features":[79]},{"name":"MCI_SPIN","features":[79]},{"name":"MCI_STATUS","features":[79]},{"name":"MCI_STATUS_CURRENT_TRACK","features":[79]},{"name":"MCI_STATUS_ITEM","features":[79]},{"name":"MCI_STATUS_LENGTH","features":[79]},{"name":"MCI_STATUS_MEDIA_PRESENT","features":[79]},{"name":"MCI_STATUS_MODE","features":[79]},{"name":"MCI_STATUS_NUMBER_OF_TRACKS","features":[79]},{"name":"MCI_STATUS_PARMS","features":[79]},{"name":"MCI_STATUS_POSITION","features":[79]},{"name":"MCI_STATUS_READY","features":[79]},{"name":"MCI_STATUS_START","features":[79]},{"name":"MCI_STATUS_TIME_FORMAT","features":[79]},{"name":"MCI_STEP","features":[79]},{"name":"MCI_STOP","features":[79]},{"name":"MCI_STRING","features":[79]},{"name":"MCI_SYSINFO","features":[79]},{"name":"MCI_SYSINFO_INSTALLNAME","features":[79]},{"name":"MCI_SYSINFO_NAME","features":[79]},{"name":"MCI_SYSINFO_OPEN","features":[79]},{"name":"MCI_SYSINFO_PARMSA","features":[79]},{"name":"MCI_SYSINFO_PARMSW","features":[79]},{"name":"MCI_SYSINFO_QUANTITY","features":[79]},{"name":"MCI_TEST","features":[79]},{"name":"MCI_TO","features":[79]},{"name":"MCI_TRACK","features":[79]},{"name":"MCI_TRUE","features":[79]},{"name":"MCI_UNDO","features":[79]},{"name":"MCI_UNFREEZE","features":[79]},{"name":"MCI_UPDATE","features":[79]},{"name":"MCI_USER_MESSAGES","features":[79]},{"name":"MCI_VD_ESCAPE_PARMSA","features":[79]},{"name":"MCI_VD_ESCAPE_PARMSW","features":[79]},{"name":"MCI_VD_ESCAPE_STRING","features":[79]},{"name":"MCI_VD_FORMAT_TRACK","features":[79]},{"name":"MCI_VD_FORMAT_TRACK_S","features":[79]},{"name":"MCI_VD_GETDEVCAPS_CAN_REVERSE","features":[79]},{"name":"MCI_VD_GETDEVCAPS_CAV","features":[79]},{"name":"MCI_VD_GETDEVCAPS_CLV","features":[79]},{"name":"MCI_VD_GETDEVCAPS_FAST_RATE","features":[79]},{"name":"MCI_VD_GETDEVCAPS_NORMAL_RATE","features":[79]},{"name":"MCI_VD_GETDEVCAPS_SLOW_RATE","features":[79]},{"name":"MCI_VD_MEDIA_CAV","features":[79]},{"name":"MCI_VD_MEDIA_CLV","features":[79]},{"name":"MCI_VD_MEDIA_OTHER","features":[79]},{"name":"MCI_VD_MODE_PARK","features":[79]},{"name":"MCI_VD_PLAY_FAST","features":[79]},{"name":"MCI_VD_PLAY_PARMS","features":[79]},{"name":"MCI_VD_PLAY_REVERSE","features":[79]},{"name":"MCI_VD_PLAY_SCAN","features":[79]},{"name":"MCI_VD_PLAY_SLOW","features":[79]},{"name":"MCI_VD_PLAY_SPEED","features":[79]},{"name":"MCI_VD_SEEK_REVERSE","features":[79]},{"name":"MCI_VD_SPIN_DOWN","features":[79]},{"name":"MCI_VD_SPIN_UP","features":[79]},{"name":"MCI_VD_STATUS_DISC_SIZE","features":[79]},{"name":"MCI_VD_STATUS_FORWARD","features":[79]},{"name":"MCI_VD_STATUS_MEDIA_TYPE","features":[79]},{"name":"MCI_VD_STATUS_SIDE","features":[79]},{"name":"MCI_VD_STATUS_SPEED","features":[79]},{"name":"MCI_VD_STEP_FRAMES","features":[79]},{"name":"MCI_VD_STEP_PARMS","features":[79]},{"name":"MCI_VD_STEP_REVERSE","features":[79]},{"name":"MCI_WAIT","features":[79]},{"name":"MCI_WAVE_DELETE_PARMS","features":[79]},{"name":"MCI_WAVE_GETDEVCAPS_INPUTS","features":[79]},{"name":"MCI_WAVE_GETDEVCAPS_OUTPUTS","features":[79]},{"name":"MCI_WAVE_INPUT","features":[79]},{"name":"MCI_WAVE_MAPPER","features":[79]},{"name":"MCI_WAVE_OPEN_BUFFER","features":[79]},{"name":"MCI_WAVE_OPEN_PARMSA","features":[79]},{"name":"MCI_WAVE_OPEN_PARMSW","features":[79]},{"name":"MCI_WAVE_OUTPUT","features":[79]},{"name":"MCI_WAVE_PCM","features":[79]},{"name":"MCI_WAVE_SET_ANYINPUT","features":[79]},{"name":"MCI_WAVE_SET_ANYOUTPUT","features":[79]},{"name":"MCI_WAVE_SET_AVGBYTESPERSEC","features":[79]},{"name":"MCI_WAVE_SET_BITSPERSAMPLE","features":[79]},{"name":"MCI_WAVE_SET_BLOCKALIGN","features":[79]},{"name":"MCI_WAVE_SET_CHANNELS","features":[79]},{"name":"MCI_WAVE_SET_FORMATTAG","features":[79]},{"name":"MCI_WAVE_SET_PARMS","features":[79]},{"name":"MCI_WAVE_SET_SAMPLESPERSEC","features":[79]},{"name":"MCI_WAVE_STATUS_AVGBYTESPERSEC","features":[79]},{"name":"MCI_WAVE_STATUS_BITSPERSAMPLE","features":[79]},{"name":"MCI_WAVE_STATUS_BLOCKALIGN","features":[79]},{"name":"MCI_WAVE_STATUS_CHANNELS","features":[79]},{"name":"MCI_WAVE_STATUS_FORMATTAG","features":[79]},{"name":"MCI_WAVE_STATUS_LEVEL","features":[79]},{"name":"MCI_WAVE_STATUS_SAMPLESPERSEC","features":[79]},{"name":"MCI_WHERE","features":[79]},{"name":"MCI_WINDOW","features":[79]},{"name":"MCMADM_E_REGKEY_NOT_FOUND","features":[79]},{"name":"MCMADM_I_NO_EVENTS","features":[79]},{"name":"MEDIASPACEADPCMWAVEFORMAT","features":[80,79]},{"name":"MIDIMAPPER_S","features":[79]},{"name":"MIDIOPENSTRMID","features":[79]},{"name":"MIDI_IO_COOKED","features":[79]},{"name":"MIDI_IO_PACKED","features":[79]},{"name":"MIDM_ADDBUFFER","features":[79]},{"name":"MIDM_CLOSE","features":[79]},{"name":"MIDM_GETDEVCAPS","features":[79]},{"name":"MIDM_GETNUMDEVS","features":[79]},{"name":"MIDM_INIT","features":[79]},{"name":"MIDM_INIT_EX","features":[79]},{"name":"MIDM_MAPPER","features":[79]},{"name":"MIDM_OPEN","features":[79]},{"name":"MIDM_PREPARE","features":[79]},{"name":"MIDM_RESET","features":[79]},{"name":"MIDM_START","features":[79]},{"name":"MIDM_STOP","features":[79]},{"name":"MIDM_UNPREPARE","features":[79]},{"name":"MIDM_USER","features":[79]},{"name":"MIXERCONTROL_CONTROLTYPE_SRS_MTS","features":[79]},{"name":"MIXERCONTROL_CONTROLTYPE_SRS_ONOFF","features":[79]},{"name":"MIXERCONTROL_CONTROLTYPE_SRS_SYNTHSELECT","features":[79]},{"name":"MIXEROPENDESC","features":[80,79]},{"name":"MMCKINFO","features":[79]},{"name":"MMIOERR_ACCESSDENIED","features":[79]},{"name":"MMIOERR_BASE","features":[79]},{"name":"MMIOERR_CANNOTCLOSE","features":[79]},{"name":"MMIOERR_CANNOTEXPAND","features":[79]},{"name":"MMIOERR_CANNOTOPEN","features":[79]},{"name":"MMIOERR_CANNOTREAD","features":[79]},{"name":"MMIOERR_CANNOTSEEK","features":[79]},{"name":"MMIOERR_CANNOTWRITE","features":[79]},{"name":"MMIOERR_CHUNKNOTFOUND","features":[79]},{"name":"MMIOERR_FILENOTFOUND","features":[79]},{"name":"MMIOERR_INVALIDFILE","features":[79]},{"name":"MMIOERR_NETWORKERROR","features":[79]},{"name":"MMIOERR_OUTOFMEMORY","features":[79]},{"name":"MMIOERR_PATHNOTFOUND","features":[79]},{"name":"MMIOERR_SHARINGVIOLATION","features":[79]},{"name":"MMIOERR_TOOMANYOPENFILES","features":[79]},{"name":"MMIOERR_UNBUFFERED","features":[79]},{"name":"MMIOINFO","features":[1,79]},{"name":"MMIOM_CLOSE","features":[79]},{"name":"MMIOM_OPEN","features":[79]},{"name":"MMIOM_READ","features":[79]},{"name":"MMIOM_RENAME","features":[79]},{"name":"MMIOM_SEEK","features":[79]},{"name":"MMIOM_USER","features":[79]},{"name":"MMIOM_WRITE","features":[79]},{"name":"MMIOM_WRITEFLUSH","features":[79]},{"name":"MMIO_ALLOCBUF","features":[79]},{"name":"MMIO_COMPAT","features":[79]},{"name":"MMIO_CREATE","features":[79]},{"name":"MMIO_CREATELIST","features":[79]},{"name":"MMIO_CREATERIFF","features":[79]},{"name":"MMIO_DEFAULTBUFFER","features":[79]},{"name":"MMIO_DELETE","features":[79]},{"name":"MMIO_DENYNONE","features":[79]},{"name":"MMIO_DENYREAD","features":[79]},{"name":"MMIO_DENYWRITE","features":[79]},{"name":"MMIO_DIRTY","features":[79]},{"name":"MMIO_EMPTYBUF","features":[79]},{"name":"MMIO_EXCLUSIVE","features":[79]},{"name":"MMIO_EXIST","features":[79]},{"name":"MMIO_FHOPEN","features":[79]},{"name":"MMIO_FINDCHUNK","features":[79]},{"name":"MMIO_FINDLIST","features":[79]},{"name":"MMIO_FINDPROC","features":[79]},{"name":"MMIO_FINDRIFF","features":[79]},{"name":"MMIO_GETTEMP","features":[79]},{"name":"MMIO_GLOBALPROC","features":[79]},{"name":"MMIO_INSTALLPROC","features":[79]},{"name":"MMIO_PARSE","features":[79]},{"name":"MMIO_READ","features":[79]},{"name":"MMIO_READWRITE","features":[79]},{"name":"MMIO_REMOVEPROC","features":[79]},{"name":"MMIO_RWMODE","features":[79]},{"name":"MMIO_SHAREMODE","features":[79]},{"name":"MMIO_TOUPPER","features":[79]},{"name":"MMIO_UNICODEPROC","features":[79]},{"name":"MMIO_WRITE","features":[79]},{"name":"MM_3COM","features":[79]},{"name":"MM_3COM_CB_MIXER","features":[79]},{"name":"MM_3COM_CB_WAVEIN","features":[79]},{"name":"MM_3COM_CB_WAVEOUT","features":[79]},{"name":"MM_3DFX","features":[79]},{"name":"MM_AARDVARK","features":[79]},{"name":"MM_AARDVARK_STUDIO12_WAVEIN","features":[79]},{"name":"MM_AARDVARK_STUDIO12_WAVEOUT","features":[79]},{"name":"MM_AARDVARK_STUDIO88_WAVEIN","features":[79]},{"name":"MM_AARDVARK_STUDIO88_WAVEOUT","features":[79]},{"name":"MM_ACTIVEVOICE","features":[79]},{"name":"MM_ACTIVEVOICE_ACM_VOXADPCM","features":[79]},{"name":"MM_ACULAB","features":[79]},{"name":"MM_ADDX","features":[79]},{"name":"MM_ADDX_PCTV_AUX_CD","features":[79]},{"name":"MM_ADDX_PCTV_AUX_LINE","features":[79]},{"name":"MM_ADDX_PCTV_DIGITALMIX","features":[79]},{"name":"MM_ADDX_PCTV_MIXER","features":[79]},{"name":"MM_ADDX_PCTV_WAVEIN","features":[79]},{"name":"MM_ADDX_PCTV_WAVEOUT","features":[79]},{"name":"MM_ADLACC","features":[79]},{"name":"MM_ADMOS","features":[79]},{"name":"MM_ADMOS_FM_SYNTH","features":[79]},{"name":"MM_ADMOS_QS3AMIDIIN","features":[79]},{"name":"MM_ADMOS_QS3AMIDIOUT","features":[79]},{"name":"MM_ADMOS_QS3AWAVEIN","features":[79]},{"name":"MM_ADMOS_QS3AWAVEOUT","features":[79]},{"name":"MM_AHEAD","features":[79]},{"name":"MM_AHEAD_GENERIC","features":[79]},{"name":"MM_AHEAD_MULTISOUND","features":[79]},{"name":"MM_AHEAD_PROAUDIO","features":[79]},{"name":"MM_AHEAD_SOUNDBLASTER","features":[79]},{"name":"MM_ALARIS","features":[79]},{"name":"MM_ALDIGITAL","features":[79]},{"name":"MM_ALESIS","features":[79]},{"name":"MM_ALGOVISION","features":[79]},{"name":"MM_ALGOVISION_VB80AUX","features":[79]},{"name":"MM_ALGOVISION_VB80AUX2","features":[79]},{"name":"MM_ALGOVISION_VB80MIXER","features":[79]},{"name":"MM_ALGOVISION_VB80WAVEIN","features":[79]},{"name":"MM_ALGOVISION_VB80WAVEOUT","features":[79]},{"name":"MM_AMD","features":[79]},{"name":"MM_AMD_INTERWAVE_AUX1","features":[79]},{"name":"MM_AMD_INTERWAVE_AUX2","features":[79]},{"name":"MM_AMD_INTERWAVE_AUX_CD","features":[79]},{"name":"MM_AMD_INTERWAVE_AUX_MIC","features":[79]},{"name":"MM_AMD_INTERWAVE_EX_CD","features":[79]},{"name":"MM_AMD_INTERWAVE_EX_TELEPHONY","features":[79]},{"name":"MM_AMD_INTERWAVE_JOYSTICK","features":[79]},{"name":"MM_AMD_INTERWAVE_MIDIIN","features":[79]},{"name":"MM_AMD_INTERWAVE_MIDIOUT","features":[79]},{"name":"MM_AMD_INTERWAVE_MIXER1","features":[79]},{"name":"MM_AMD_INTERWAVE_MIXER2","features":[79]},{"name":"MM_AMD_INTERWAVE_MONO_IN","features":[79]},{"name":"MM_AMD_INTERWAVE_MONO_OUT","features":[79]},{"name":"MM_AMD_INTERWAVE_STEREO_ENHANCED","features":[79]},{"name":"MM_AMD_INTERWAVE_SYNTH","features":[79]},{"name":"MM_AMD_INTERWAVE_WAVEIN","features":[79]},{"name":"MM_AMD_INTERWAVE_WAVEOUT","features":[79]},{"name":"MM_AMD_INTERWAVE_WAVEOUT_BASE","features":[79]},{"name":"MM_AMD_INTERWAVE_WAVEOUT_TREBLE","features":[79]},{"name":"MM_ANALOGDEVICES","features":[79]},{"name":"MM_ANTEX","features":[79]},{"name":"MM_ANTEX_AUDIOPORT22_FEEDTHRU","features":[79]},{"name":"MM_ANTEX_AUDIOPORT22_WAVEIN","features":[79]},{"name":"MM_ANTEX_AUDIOPORT22_WAVEOUT","features":[79]},{"name":"MM_ANTEX_SX12_WAVEIN","features":[79]},{"name":"MM_ANTEX_SX12_WAVEOUT","features":[79]},{"name":"MM_ANTEX_SX15_WAVEIN","features":[79]},{"name":"MM_ANTEX_SX15_WAVEOUT","features":[79]},{"name":"MM_ANTEX_VP625_WAVEIN","features":[79]},{"name":"MM_ANTEX_VP625_WAVEOUT","features":[79]},{"name":"MM_APICOM","features":[79]},{"name":"MM_APPLE","features":[79]},{"name":"MM_APPS","features":[79]},{"name":"MM_APT","features":[79]},{"name":"MM_APT_ACE100CD","features":[79]},{"name":"MM_ARRAY","features":[79]},{"name":"MM_ARTISOFT","features":[79]},{"name":"MM_ARTISOFT_SBWAVEIN","features":[79]},{"name":"MM_ARTISOFT_SBWAVEOUT","features":[79]},{"name":"MM_AST","features":[79]},{"name":"MM_AST_MODEMWAVE_WAVEIN","features":[79]},{"name":"MM_AST_MODEMWAVE_WAVEOUT","features":[79]},{"name":"MM_ATI","features":[79]},{"name":"MM_ATT","features":[79]},{"name":"MM_ATT_G729A","features":[79]},{"name":"MM_ATT_MICROELECTRONICS","features":[79]},{"name":"MM_AU8820_AUX","features":[79]},{"name":"MM_AU8820_MIDIIN","features":[79]},{"name":"MM_AU8820_MIDIOUT","features":[79]},{"name":"MM_AU8820_MIXER","features":[79]},{"name":"MM_AU8820_SYNTH","features":[79]},{"name":"MM_AU8820_WAVEIN","features":[79]},{"name":"MM_AU8820_WAVEOUT","features":[79]},{"name":"MM_AU8830_AUX","features":[79]},{"name":"MM_AU8830_MIDIIN","features":[79]},{"name":"MM_AU8830_MIDIOUT","features":[79]},{"name":"MM_AU8830_MIXER","features":[79]},{"name":"MM_AU8830_SYNTH","features":[79]},{"name":"MM_AU8830_WAVEIN","features":[79]},{"name":"MM_AU8830_WAVEOUT","features":[79]},{"name":"MM_AUDIOFILE","features":[79]},{"name":"MM_AUDIOPT","features":[79]},{"name":"MM_AUDIOSCIENCE","features":[79]},{"name":"MM_AURAVISION","features":[79]},{"name":"MM_AUREAL","features":[79]},{"name":"MM_AUREAL_AU8820","features":[79]},{"name":"MM_AUREAL_AU8830","features":[79]},{"name":"MM_AZTECH","features":[79]},{"name":"MM_AZTECH_AUX","features":[79]},{"name":"MM_AZTECH_AUX_CD","features":[79]},{"name":"MM_AZTECH_AUX_LINE","features":[79]},{"name":"MM_AZTECH_AUX_MIC","features":[79]},{"name":"MM_AZTECH_DSP16_FMSYNTH","features":[79]},{"name":"MM_AZTECH_DSP16_WAVEIN","features":[79]},{"name":"MM_AZTECH_DSP16_WAVEOUT","features":[79]},{"name":"MM_AZTECH_DSP16_WAVESYNTH","features":[79]},{"name":"MM_AZTECH_FMSYNTH","features":[79]},{"name":"MM_AZTECH_MIDIIN","features":[79]},{"name":"MM_AZTECH_MIDIOUT","features":[79]},{"name":"MM_AZTECH_MIXER","features":[79]},{"name":"MM_AZTECH_NOVA16_MIXER","features":[79]},{"name":"MM_AZTECH_NOVA16_WAVEIN","features":[79]},{"name":"MM_AZTECH_NOVA16_WAVEOUT","features":[79]},{"name":"MM_AZTECH_PRO16_FMSYNTH","features":[79]},{"name":"MM_AZTECH_PRO16_WAVEIN","features":[79]},{"name":"MM_AZTECH_PRO16_WAVEOUT","features":[79]},{"name":"MM_AZTECH_WASH16_MIXER","features":[79]},{"name":"MM_AZTECH_WASH16_WAVEIN","features":[79]},{"name":"MM_AZTECH_WASH16_WAVEOUT","features":[79]},{"name":"MM_AZTECH_WAVEIN","features":[79]},{"name":"MM_AZTECH_WAVEOUT","features":[79]},{"name":"MM_BCB","features":[79]},{"name":"MM_BCB_NETBOARD_10","features":[79]},{"name":"MM_BCB_TT75_10","features":[79]},{"name":"MM_BECUBED","features":[79]},{"name":"MM_BERCOS","features":[79]},{"name":"MM_BERCOS_MIXER","features":[79]},{"name":"MM_BERCOS_WAVEIN","features":[79]},{"name":"MM_BERCOS_WAVEOUT","features":[79]},{"name":"MM_BERKOM","features":[79]},{"name":"MM_BINTEC","features":[79]},{"name":"MM_BINTEC_TAPI_WAVE","features":[79]},{"name":"MM_BROOKTREE","features":[79]},{"name":"MM_BTV_AUX_CD","features":[79]},{"name":"MM_BTV_AUX_LINE","features":[79]},{"name":"MM_BTV_AUX_MIC","features":[79]},{"name":"MM_BTV_DIGITALIN","features":[79]},{"name":"MM_BTV_DIGITALOUT","features":[79]},{"name":"MM_BTV_MIDIIN","features":[79]},{"name":"MM_BTV_MIDIOUT","features":[79]},{"name":"MM_BTV_MIDISYNTH","features":[79]},{"name":"MM_BTV_MIDIWAVESTREAM","features":[79]},{"name":"MM_BTV_MIXER","features":[79]},{"name":"MM_BTV_WAVEIN","features":[79]},{"name":"MM_BTV_WAVEOUT","features":[79]},{"name":"MM_CANAM","features":[79]},{"name":"MM_CANAM_CBXWAVEIN","features":[79]},{"name":"MM_CANAM_CBXWAVEOUT","features":[79]},{"name":"MM_CANOPUS","features":[79]},{"name":"MM_CANOPUS_ACM_DVREX","features":[79]},{"name":"MM_CASIO","features":[79]},{"name":"MM_CASIO_LSG_MIDIOUT","features":[79]},{"name":"MM_CASIO_WP150_MIDIIN","features":[79]},{"name":"MM_CASIO_WP150_MIDIOUT","features":[79]},{"name":"MM_CAT","features":[79]},{"name":"MM_CAT_WAVEOUT","features":[79]},{"name":"MM_CDPC_AUX","features":[79]},{"name":"MM_CDPC_MIDIIN","features":[79]},{"name":"MM_CDPC_MIDIOUT","features":[79]},{"name":"MM_CDPC_MIXER","features":[79]},{"name":"MM_CDPC_SYNTH","features":[79]},{"name":"MM_CDPC_WAVEIN","features":[79]},{"name":"MM_CDPC_WAVEOUT","features":[79]},{"name":"MM_CHROMATIC","features":[79]},{"name":"MM_CHROMATIC_M1","features":[79]},{"name":"MM_CHROMATIC_M1_AUX","features":[79]},{"name":"MM_CHROMATIC_M1_AUX_CD","features":[79]},{"name":"MM_CHROMATIC_M1_FMSYNTH","features":[79]},{"name":"MM_CHROMATIC_M1_MIDIIN","features":[79]},{"name":"MM_CHROMATIC_M1_MIDIOUT","features":[79]},{"name":"MM_CHROMATIC_M1_MIXER","features":[79]},{"name":"MM_CHROMATIC_M1_MPEGWAVEIN","features":[79]},{"name":"MM_CHROMATIC_M1_MPEGWAVEOUT","features":[79]},{"name":"MM_CHROMATIC_M1_WAVEIN","features":[79]},{"name":"MM_CHROMATIC_M1_WAVEOUT","features":[79]},{"name":"MM_CHROMATIC_M1_WTSYNTH","features":[79]},{"name":"MM_CHROMATIC_M2","features":[79]},{"name":"MM_CHROMATIC_M2_AUX","features":[79]},{"name":"MM_CHROMATIC_M2_AUX_CD","features":[79]},{"name":"MM_CHROMATIC_M2_FMSYNTH","features":[79]},{"name":"MM_CHROMATIC_M2_MIDIIN","features":[79]},{"name":"MM_CHROMATIC_M2_MIDIOUT","features":[79]},{"name":"MM_CHROMATIC_M2_MIXER","features":[79]},{"name":"MM_CHROMATIC_M2_MPEGWAVEIN","features":[79]},{"name":"MM_CHROMATIC_M2_MPEGWAVEOUT","features":[79]},{"name":"MM_CHROMATIC_M2_WAVEIN","features":[79]},{"name":"MM_CHROMATIC_M2_WAVEOUT","features":[79]},{"name":"MM_CHROMATIC_M2_WTSYNTH","features":[79]},{"name":"MM_CIRRUSLOGIC","features":[79]},{"name":"MM_COLORGRAPH","features":[79]},{"name":"MM_COMPAQ","features":[79]},{"name":"MM_COMPAQ_BB_WAVEAUX","features":[79]},{"name":"MM_COMPAQ_BB_WAVEIN","features":[79]},{"name":"MM_COMPAQ_BB_WAVEOUT","features":[79]},{"name":"MM_COMPUSIC","features":[79]},{"name":"MM_COMPUTER_FRIENDS","features":[79]},{"name":"MM_CONCEPTS","features":[79]},{"name":"MM_CONNECTIX","features":[79]},{"name":"MM_CONNECTIX_VIDEC_CODEC","features":[79]},{"name":"MM_CONTROLRES","features":[79]},{"name":"MM_COREDYNAMICS","features":[79]},{"name":"MM_COREDYNAMICS_DYNAGRAFX_VGA","features":[79]},{"name":"MM_COREDYNAMICS_DYNAGRAFX_WAVE_IN","features":[79]},{"name":"MM_COREDYNAMICS_DYNAGRAFX_WAVE_OUT","features":[79]},{"name":"MM_COREDYNAMICS_DYNAMIXHR","features":[79]},{"name":"MM_COREDYNAMICS_DYNASONIX_AUDIO_IN","features":[79]},{"name":"MM_COREDYNAMICS_DYNASONIX_AUDIO_OUT","features":[79]},{"name":"MM_COREDYNAMICS_DYNASONIX_MIDI_IN","features":[79]},{"name":"MM_COREDYNAMICS_DYNASONIX_MIDI_OUT","features":[79]},{"name":"MM_COREDYNAMICS_DYNASONIX_SYNTH","features":[79]},{"name":"MM_COREDYNAMICS_DYNASONIX_WAVE_IN","features":[79]},{"name":"MM_COREDYNAMICS_DYNASONIX_WAVE_OUT","features":[79]},{"name":"MM_CREATIVE","features":[79]},{"name":"MM_CREATIVE_AUX_CD","features":[79]},{"name":"MM_CREATIVE_AUX_LINE","features":[79]},{"name":"MM_CREATIVE_AUX_MASTER","features":[79]},{"name":"MM_CREATIVE_AUX_MIC","features":[79]},{"name":"MM_CREATIVE_AUX_MIDI","features":[79]},{"name":"MM_CREATIVE_AUX_PCSPK","features":[79]},{"name":"MM_CREATIVE_AUX_WAVE","features":[79]},{"name":"MM_CREATIVE_FMSYNTH_MONO","features":[79]},{"name":"MM_CREATIVE_FMSYNTH_STEREO","features":[79]},{"name":"MM_CREATIVE_MIDIIN","features":[79]},{"name":"MM_CREATIVE_MIDIOUT","features":[79]},{"name":"MM_CREATIVE_MIDI_AWE32","features":[79]},{"name":"MM_CREATIVE_PHNBLST_WAVEIN","features":[79]},{"name":"MM_CREATIVE_PHNBLST_WAVEOUT","features":[79]},{"name":"MM_CREATIVE_SB15_WAVEIN","features":[79]},{"name":"MM_CREATIVE_SB15_WAVEOUT","features":[79]},{"name":"MM_CREATIVE_SB16_MIXER","features":[79]},{"name":"MM_CREATIVE_SB20_WAVEIN","features":[79]},{"name":"MM_CREATIVE_SB20_WAVEOUT","features":[79]},{"name":"MM_CREATIVE_SBP16_WAVEIN","features":[79]},{"name":"MM_CREATIVE_SBP16_WAVEOUT","features":[79]},{"name":"MM_CREATIVE_SBPRO_MIXER","features":[79]},{"name":"MM_CREATIVE_SBPRO_WAVEIN","features":[79]},{"name":"MM_CREATIVE_SBPRO_WAVEOUT","features":[79]},{"name":"MM_CRYSTAL","features":[79]},{"name":"MM_CRYSTAL_CS4232_INPUTGAIN_AUX1","features":[79]},{"name":"MM_CRYSTAL_CS4232_INPUTGAIN_LOOP","features":[79]},{"name":"MM_CRYSTAL_CS4232_MIDIIN","features":[79]},{"name":"MM_CRYSTAL_CS4232_MIDIOUT","features":[79]},{"name":"MM_CRYSTAL_CS4232_WAVEAUX_AUX1","features":[79]},{"name":"MM_CRYSTAL_CS4232_WAVEAUX_AUX2","features":[79]},{"name":"MM_CRYSTAL_CS4232_WAVEAUX_LINE","features":[79]},{"name":"MM_CRYSTAL_CS4232_WAVEAUX_MASTER","features":[79]},{"name":"MM_CRYSTAL_CS4232_WAVEAUX_MONO","features":[79]},{"name":"MM_CRYSTAL_CS4232_WAVEIN","features":[79]},{"name":"MM_CRYSTAL_CS4232_WAVEMIXER","features":[79]},{"name":"MM_CRYSTAL_CS4232_WAVEOUT","features":[79]},{"name":"MM_CRYSTAL_NET","features":[79]},{"name":"MM_CRYSTAL_SOUND_FUSION_JOYSTICK","features":[79]},{"name":"MM_CRYSTAL_SOUND_FUSION_MIDIIN","features":[79]},{"name":"MM_CRYSTAL_SOUND_FUSION_MIDIOUT","features":[79]},{"name":"MM_CRYSTAL_SOUND_FUSION_MIXER","features":[79]},{"name":"MM_CRYSTAL_SOUND_FUSION_WAVEIN","features":[79]},{"name":"MM_CRYSTAL_SOUND_FUSION_WAVEOUT","features":[79]},{"name":"MM_CS","features":[79]},{"name":"MM_CYRIX","features":[79]},{"name":"MM_CYRIX_XAAUX","features":[79]},{"name":"MM_CYRIX_XAMIDIIN","features":[79]},{"name":"MM_CYRIX_XAMIDIOUT","features":[79]},{"name":"MM_CYRIX_XAMIXER","features":[79]},{"name":"MM_CYRIX_XASYNTH","features":[79]},{"name":"MM_CYRIX_XAWAVEIN","features":[79]},{"name":"MM_CYRIX_XAWAVEOUT","features":[79]},{"name":"MM_DATAFUSION","features":[79]},{"name":"MM_DATARAN","features":[79]},{"name":"MM_DDD","features":[79]},{"name":"MM_DDD_MIDILINK_MIDIIN","features":[79]},{"name":"MM_DDD_MIDILINK_MIDIOUT","features":[79]},{"name":"MM_DF_ACM_G726","features":[79]},{"name":"MM_DF_ACM_GSM610","features":[79]},{"name":"MM_DIACOUSTICS","features":[79]},{"name":"MM_DIACOUSTICS_DRUM_ACTION","features":[79]},{"name":"MM_DIALOGIC","features":[79]},{"name":"MM_DIAMONDMM","features":[79]},{"name":"MM_DICTAPHONE","features":[79]},{"name":"MM_DICTAPHONE_G726","features":[79]},{"name":"MM_DIGIGRAM","features":[79]},{"name":"MM_DIGITAL","features":[79]},{"name":"MM_DIGITAL_ACM_G723","features":[79]},{"name":"MM_DIGITAL_AUDIO_LABS","features":[79]},{"name":"MM_DIGITAL_AUDIO_LABS_CDLX","features":[79]},{"name":"MM_DIGITAL_AUDIO_LABS_CPRO","features":[79]},{"name":"MM_DIGITAL_AUDIO_LABS_CTDIF","features":[79]},{"name":"MM_DIGITAL_AUDIO_LABS_DOC","features":[79]},{"name":"MM_DIGITAL_AUDIO_LABS_TC","features":[79]},{"name":"MM_DIGITAL_AUDIO_LABS_V8","features":[79]},{"name":"MM_DIGITAL_AUDIO_LABS_VP","features":[79]},{"name":"MM_DIGITAL_AV320_WAVEIN","features":[79]},{"name":"MM_DIGITAL_AV320_WAVEOUT","features":[79]},{"name":"MM_DIGITAL_ICM_H261","features":[79]},{"name":"MM_DIGITAL_ICM_H263","features":[79]},{"name":"MM_DIMD_AUX_LINE","features":[79]},{"name":"MM_DIMD_DIRSOUND","features":[79]},{"name":"MM_DIMD_MIDIIN","features":[79]},{"name":"MM_DIMD_MIDIOUT","features":[79]},{"name":"MM_DIMD_MIXER","features":[79]},{"name":"MM_DIMD_PLATFORM","features":[79]},{"name":"MM_DIMD_VIRTJOY","features":[79]},{"name":"MM_DIMD_VIRTMPU","features":[79]},{"name":"MM_DIMD_VIRTSB","features":[79]},{"name":"MM_DIMD_WAVEIN","features":[79]},{"name":"MM_DIMD_WAVEOUT","features":[79]},{"name":"MM_DIMD_WSS_AUX","features":[79]},{"name":"MM_DIMD_WSS_MIXER","features":[79]},{"name":"MM_DIMD_WSS_SYNTH","features":[79]},{"name":"MM_DIMD_WSS_WAVEIN","features":[79]},{"name":"MM_DIMD_WSS_WAVEOUT","features":[79]},{"name":"MM_DOLBY","features":[79]},{"name":"MM_DPSINC","features":[79]},{"name":"MM_DSP_GROUP","features":[79]},{"name":"MM_DSP_GROUP_TRUESPEECH","features":[79]},{"name":"MM_DSP_SOLUTIONS","features":[79]},{"name":"MM_DSP_SOLUTIONS_AUX","features":[79]},{"name":"MM_DSP_SOLUTIONS_SYNTH","features":[79]},{"name":"MM_DSP_SOLUTIONS_WAVEIN","features":[79]},{"name":"MM_DSP_SOLUTIONS_WAVEOUT","features":[79]},{"name":"MM_DTS","features":[79]},{"name":"MM_DTS_DS","features":[79]},{"name":"MM_DUCK","features":[79]},{"name":"MM_DVISION","features":[79]},{"name":"MM_ECHO","features":[79]},{"name":"MM_ECHO_AUX","features":[79]},{"name":"MM_ECHO_MIDIIN","features":[79]},{"name":"MM_ECHO_MIDIOUT","features":[79]},{"name":"MM_ECHO_SYNTH","features":[79]},{"name":"MM_ECHO_WAVEIN","features":[79]},{"name":"MM_ECHO_WAVEOUT","features":[79]},{"name":"MM_ECS","features":[79]},{"name":"MM_ECS_AADF_MIDI_IN","features":[79]},{"name":"MM_ECS_AADF_MIDI_OUT","features":[79]},{"name":"MM_ECS_AADF_WAVE2MIDI_IN","features":[79]},{"name":"MM_EES","features":[79]},{"name":"MM_EES_PCMIDI14","features":[79]},{"name":"MM_EES_PCMIDI14_IN","features":[79]},{"name":"MM_EES_PCMIDI14_OUT1","features":[79]},{"name":"MM_EES_PCMIDI14_OUT2","features":[79]},{"name":"MM_EES_PCMIDI14_OUT3","features":[79]},{"name":"MM_EES_PCMIDI14_OUT4","features":[79]},{"name":"MM_EMAGIC","features":[79]},{"name":"MM_EMAGIC_UNITOR8","features":[79]},{"name":"MM_EMU","features":[79]},{"name":"MM_EMU_APSMIDIIN","features":[79]},{"name":"MM_EMU_APSMIDIOUT","features":[79]},{"name":"MM_EMU_APSSYNTH","features":[79]},{"name":"MM_EMU_APSWAVEIN","features":[79]},{"name":"MM_EMU_APSWAVEOUT","features":[79]},{"name":"MM_ENET","features":[79]},{"name":"MM_ENET_T2000_HANDSETIN","features":[79]},{"name":"MM_ENET_T2000_HANDSETOUT","features":[79]},{"name":"MM_ENET_T2000_LINEIN","features":[79]},{"name":"MM_ENET_T2000_LINEOUT","features":[79]},{"name":"MM_ENSONIQ","features":[79]},{"name":"MM_ENSONIQ_SOUNDSCAPE","features":[79]},{"name":"MM_EPSON","features":[79]},{"name":"MM_EPS_FMSND","features":[79]},{"name":"MM_ESS","features":[79]},{"name":"MM_ESS_AMAUX","features":[79]},{"name":"MM_ESS_AMMIDIIN","features":[79]},{"name":"MM_ESS_AMMIDIOUT","features":[79]},{"name":"MM_ESS_AMSYNTH","features":[79]},{"name":"MM_ESS_AMWAVEIN","features":[79]},{"name":"MM_ESS_AMWAVEOUT","features":[79]},{"name":"MM_ESS_AUX_CD","features":[79]},{"name":"MM_ESS_ES1488_MIXER","features":[79]},{"name":"MM_ESS_ES1488_WAVEIN","features":[79]},{"name":"MM_ESS_ES1488_WAVEOUT","features":[79]},{"name":"MM_ESS_ES1688_MIXER","features":[79]},{"name":"MM_ESS_ES1688_WAVEIN","features":[79]},{"name":"MM_ESS_ES1688_WAVEOUT","features":[79]},{"name":"MM_ESS_ES1788_MIXER","features":[79]},{"name":"MM_ESS_ES1788_WAVEIN","features":[79]},{"name":"MM_ESS_ES1788_WAVEOUT","features":[79]},{"name":"MM_ESS_ES1868_MIXER","features":[79]},{"name":"MM_ESS_ES1868_WAVEIN","features":[79]},{"name":"MM_ESS_ES1868_WAVEOUT","features":[79]},{"name":"MM_ESS_ES1878_MIXER","features":[79]},{"name":"MM_ESS_ES1878_WAVEIN","features":[79]},{"name":"MM_ESS_ES1878_WAVEOUT","features":[79]},{"name":"MM_ESS_ES1888_MIXER","features":[79]},{"name":"MM_ESS_ES1888_WAVEIN","features":[79]},{"name":"MM_ESS_ES1888_WAVEOUT","features":[79]},{"name":"MM_ESS_ES488_MIXER","features":[79]},{"name":"MM_ESS_ES488_WAVEIN","features":[79]},{"name":"MM_ESS_ES488_WAVEOUT","features":[79]},{"name":"MM_ESS_ES688_MIXER","features":[79]},{"name":"MM_ESS_ES688_WAVEIN","features":[79]},{"name":"MM_ESS_ES688_WAVEOUT","features":[79]},{"name":"MM_ESS_MIXER","features":[79]},{"name":"MM_ESS_MPU401_MIDIIN","features":[79]},{"name":"MM_ESS_MPU401_MIDIOUT","features":[79]},{"name":"MM_ETEK","features":[79]},{"name":"MM_ETEK_KWIKMIDI_MIDIIN","features":[79]},{"name":"MM_ETEK_KWIKMIDI_MIDIOUT","features":[79]},{"name":"MM_EUPHONICS","features":[79]},{"name":"MM_EUPHONICS_AUX_CD","features":[79]},{"name":"MM_EUPHONICS_AUX_LINE","features":[79]},{"name":"MM_EUPHONICS_AUX_MASTER","features":[79]},{"name":"MM_EUPHONICS_AUX_MIC","features":[79]},{"name":"MM_EUPHONICS_AUX_MIDI","features":[79]},{"name":"MM_EUPHONICS_AUX_WAVE","features":[79]},{"name":"MM_EUPHONICS_EUSYNTH","features":[79]},{"name":"MM_EUPHONICS_FMSYNTH_MONO","features":[79]},{"name":"MM_EUPHONICS_FMSYNTH_STEREO","features":[79]},{"name":"MM_EUPHONICS_MIDIIN","features":[79]},{"name":"MM_EUPHONICS_MIDIOUT","features":[79]},{"name":"MM_EUPHONICS_MIXER","features":[79]},{"name":"MM_EUPHONICS_WAVEIN","features":[79]},{"name":"MM_EUPHONICS_WAVEOUT","features":[79]},{"name":"MM_EVEREX","features":[79]},{"name":"MM_EVEREX_CARRIER","features":[79]},{"name":"MM_EXAN","features":[79]},{"name":"MM_FAITH","features":[79]},{"name":"MM_FAST","features":[79]},{"name":"MM_FHGIIS_MPEGLAYER3","features":[79]},{"name":"MM_FHGIIS_MPEGLAYER3_ADVANCED","features":[79]},{"name":"MM_FHGIIS_MPEGLAYER3_ADVANCEDPLUS","features":[79]},{"name":"MM_FHGIIS_MPEGLAYER3_BASIC","features":[79]},{"name":"MM_FHGIIS_MPEGLAYER3_DECODE","features":[79]},{"name":"MM_FHGIIS_MPEGLAYER3_LITE","features":[79]},{"name":"MM_FHGIIS_MPEGLAYER3_PROFESSIONAL","features":[79]},{"name":"MM_FLEXION","features":[79]},{"name":"MM_FLEXION_X300_WAVEIN","features":[79]},{"name":"MM_FLEXION_X300_WAVEOUT","features":[79]},{"name":"MM_FORTEMEDIA","features":[79]},{"name":"MM_FORTEMEDIA_AUX","features":[79]},{"name":"MM_FORTEMEDIA_FMSYNC","features":[79]},{"name":"MM_FORTEMEDIA_MIXER","features":[79]},{"name":"MM_FORTEMEDIA_WAVEIN","features":[79]},{"name":"MM_FORTEMEDIA_WAVEOUT","features":[79]},{"name":"MM_FRAUNHOFER_IIS","features":[79]},{"name":"MM_FRONTIER","features":[79]},{"name":"MM_FRONTIER_WAVECENTER_MIDIIN","features":[79]},{"name":"MM_FRONTIER_WAVECENTER_MIDIOUT","features":[79]},{"name":"MM_FRONTIER_WAVECENTER_WAVEIN","features":[79]},{"name":"MM_FRONTIER_WAVECENTER_WAVEOUT","features":[79]},{"name":"MM_FTR","features":[79]},{"name":"MM_FTR_ACM","features":[79]},{"name":"MM_FTR_ENCODER_WAVEIN","features":[79]},{"name":"MM_FUJITSU","features":[79]},{"name":"MM_GADGETLABS","features":[79]},{"name":"MM_GADGETLABS_WAVE42_WAVEIN","features":[79]},{"name":"MM_GADGETLABS_WAVE42_WAVEOUT","features":[79]},{"name":"MM_GADGETLABS_WAVE44_WAVEIN","features":[79]},{"name":"MM_GADGETLABS_WAVE44_WAVEOUT","features":[79]},{"name":"MM_GADGETLABS_WAVE4_MIDIIN","features":[79]},{"name":"MM_GADGETLABS_WAVE4_MIDIOUT","features":[79]},{"name":"MM_GRANDE","features":[79]},{"name":"MM_GRAVIS","features":[79]},{"name":"MM_GUILLEMOT","features":[79]},{"name":"MM_GULBRANSEN","features":[79]},{"name":"MM_HAFTMANN","features":[79]},{"name":"MM_HAFTMANN_LPTDAC2","features":[79]},{"name":"MM_HEADSPACE","features":[79]},{"name":"MM_HEADSPACE_HAEMIXER","features":[79]},{"name":"MM_HEADSPACE_HAESYNTH","features":[79]},{"name":"MM_HEADSPACE_HAEWAVEIN","features":[79]},{"name":"MM_HEADSPACE_HAEWAVEOUT","features":[79]},{"name":"MM_HEWLETT_PACKARD","features":[79]},{"name":"MM_HEWLETT_PACKARD_CU_CODEC","features":[79]},{"name":"MM_HORIZONS","features":[79]},{"name":"MM_HP","features":[79]},{"name":"MM_HP_WAVEIN","features":[79]},{"name":"MM_HP_WAVEOUT","features":[79]},{"name":"MM_HYPERACTIVE","features":[79]},{"name":"MM_IBM","features":[79]},{"name":"MM_IBM_MWAVE_AUX","features":[79]},{"name":"MM_IBM_MWAVE_MIDIIN","features":[79]},{"name":"MM_IBM_MWAVE_MIDIOUT","features":[79]},{"name":"MM_IBM_MWAVE_MIXER","features":[79]},{"name":"MM_IBM_MWAVE_WAVEIN","features":[79]},{"name":"MM_IBM_MWAVE_WAVEOUT","features":[79]},{"name":"MM_IBM_PCMCIA_AUX","features":[79]},{"name":"MM_IBM_PCMCIA_MIDIIN","features":[79]},{"name":"MM_IBM_PCMCIA_MIDIOUT","features":[79]},{"name":"MM_IBM_PCMCIA_SYNTH","features":[79]},{"name":"MM_IBM_PCMCIA_WAVEIN","features":[79]},{"name":"MM_IBM_PCMCIA_WAVEOUT","features":[79]},{"name":"MM_IBM_THINKPAD200","features":[79]},{"name":"MM_IBM_WC_MIDIOUT","features":[79]},{"name":"MM_IBM_WC_MIXEROUT","features":[79]},{"name":"MM_IBM_WC_WAVEOUT","features":[79]},{"name":"MM_ICCC","features":[79]},{"name":"MM_ICCC_UNA3_AUX","features":[79]},{"name":"MM_ICCC_UNA3_MIXER","features":[79]},{"name":"MM_ICCC_UNA3_WAVEIN","features":[79]},{"name":"MM_ICCC_UNA3_WAVEOUT","features":[79]},{"name":"MM_ICE","features":[79]},{"name":"MM_ICE_AUX","features":[79]},{"name":"MM_ICE_MIDIIN1","features":[79]},{"name":"MM_ICE_MIDIIN2","features":[79]},{"name":"MM_ICE_MIDIOUT1","features":[79]},{"name":"MM_ICE_MIDIOUT2","features":[79]},{"name":"MM_ICE_MIXER","features":[79]},{"name":"MM_ICE_MTWAVEIN","features":[79]},{"name":"MM_ICE_MTWAVEOUT","features":[79]},{"name":"MM_ICE_SYNTH","features":[79]},{"name":"MM_ICE_WAVEIN","features":[79]},{"name":"MM_ICE_WAVEOUT","features":[79]},{"name":"MM_ICL_PS","features":[79]},{"name":"MM_ICOM_AUX","features":[79]},{"name":"MM_ICOM_LINE","features":[79]},{"name":"MM_ICOM_MIXER","features":[79]},{"name":"MM_ICOM_WAVEIN","features":[79]},{"name":"MM_ICOM_WAVEOUT","features":[79]},{"name":"MM_ICS","features":[79]},{"name":"MM_ICS_2115_LITE_MIDIOUT","features":[79]},{"name":"MM_ICS_2120_LITE_MIDIOUT","features":[79]},{"name":"MM_ICS_WAVEDECK_AUX","features":[79]},{"name":"MM_ICS_WAVEDECK_MIXER","features":[79]},{"name":"MM_ICS_WAVEDECK_SYNTH","features":[79]},{"name":"MM_ICS_WAVEDECK_WAVEIN","features":[79]},{"name":"MM_ICS_WAVEDECK_WAVEOUT","features":[79]},{"name":"MM_ICS_WAVEDEC_SB_AUX","features":[79]},{"name":"MM_ICS_WAVEDEC_SB_FM_MIDIOUT","features":[79]},{"name":"MM_ICS_WAVEDEC_SB_MIXER","features":[79]},{"name":"MM_ICS_WAVEDEC_SB_MPU401_MIDIIN","features":[79]},{"name":"MM_ICS_WAVEDEC_SB_MPU401_MIDIOUT","features":[79]},{"name":"MM_ICS_WAVEDEC_SB_WAVEIN","features":[79]},{"name":"MM_ICS_WAVEDEC_SB_WAVEOUT","features":[79]},{"name":"MM_INSOFT","features":[79]},{"name":"MM_INTEL","features":[79]},{"name":"MM_INTELOPD_AUX","features":[79]},{"name":"MM_INTELOPD_WAVEIN","features":[79]},{"name":"MM_INTELOPD_WAVEOUT","features":[79]},{"name":"MM_INTEL_NSPMODEMLINEIN","features":[79]},{"name":"MM_INTEL_NSPMODEMLINEOUT","features":[79]},{"name":"MM_INTERACTIVE","features":[79]},{"name":"MM_INTERACTIVE_WAVEIN","features":[79]},{"name":"MM_INTERACTIVE_WAVEOUT","features":[79]},{"name":"MM_INTERNET","features":[79]},{"name":"MM_INTERNET_SSW_MIDIIN","features":[79]},{"name":"MM_INTERNET_SSW_MIDIOUT","features":[79]},{"name":"MM_INTERNET_SSW_WAVEIN","features":[79]},{"name":"MM_INTERNET_SSW_WAVEOUT","features":[79]},{"name":"MM_INVISION","features":[79]},{"name":"MM_IODD","features":[79]},{"name":"MM_IOMAGIC","features":[79]},{"name":"MM_IOMAGIC_TEMPO_AUXOUT","features":[79]},{"name":"MM_IOMAGIC_TEMPO_MIDIOUT","features":[79]},{"name":"MM_IOMAGIC_TEMPO_MXDOUT","features":[79]},{"name":"MM_IOMAGIC_TEMPO_SYNTH","features":[79]},{"name":"MM_IOMAGIC_TEMPO_WAVEIN","features":[79]},{"name":"MM_IOMAGIC_TEMPO_WAVEOUT","features":[79]},{"name":"MM_IPI","features":[79]},{"name":"MM_IPI_ACM_HSX","features":[79]},{"name":"MM_IPI_ACM_RPELP","features":[79]},{"name":"MM_IPI_AT_MIXER","features":[79]},{"name":"MM_IPI_AT_WAVEIN","features":[79]},{"name":"MM_IPI_AT_WAVEOUT","features":[79]},{"name":"MM_IPI_WF_ASSS","features":[79]},{"name":"MM_ISOLUTION","features":[79]},{"name":"MM_ISOLUTION_PASCAL","features":[79]},{"name":"MM_ITERATEDSYS","features":[79]},{"name":"MM_ITERATEDSYS_FUFCODEC","features":[79]},{"name":"MM_I_LINK","features":[79]},{"name":"MM_I_LINK_VOICE_CODER","features":[79]},{"name":"MM_KAY_ELEMETRICS","features":[79]},{"name":"MM_KAY_ELEMETRICS_CSL","features":[79]},{"name":"MM_KAY_ELEMETRICS_CSL_4CHANNEL","features":[79]},{"name":"MM_KAY_ELEMETRICS_CSL_DAT","features":[79]},{"name":"MM_KORG","features":[79]},{"name":"MM_KORG_1212IO_MSWAVEIN","features":[79]},{"name":"MM_KORG_1212IO_MSWAVEOUT","features":[79]},{"name":"MM_KORG_PCIF_MIDIIN","features":[79]},{"name":"MM_KORG_PCIF_MIDIOUT","features":[79]},{"name":"MM_LERNOUT_ANDHAUSPIE_LHCODECACM","features":[79]},{"name":"MM_LERNOUT_AND_HAUSPIE","features":[79]},{"name":"MM_LEXICON","features":[79]},{"name":"MM_LEXICON_STUDIO_WAVE_IN","features":[79]},{"name":"MM_LEXICON_STUDIO_WAVE_OUT","features":[79]},{"name":"MM_LOGITECH","features":[79]},{"name":"MM_LUCENT","features":[79]},{"name":"MM_LUCENT_ACM_G723","features":[79]},{"name":"MM_LUCID","features":[79]},{"name":"MM_LUCID_PCI24WAVEIN","features":[79]},{"name":"MM_LUCID_PCI24WAVEOUT","features":[79]},{"name":"MM_LUMINOSITI","features":[79]},{"name":"MM_LUMINOSITI_SCWAVEIN","features":[79]},{"name":"MM_LUMINOSITI_SCWAVEMIX","features":[79]},{"name":"MM_LUMINOSITI_SCWAVEOUT","features":[79]},{"name":"MM_LYNX","features":[79]},{"name":"MM_LYRRUS","features":[79]},{"name":"MM_LYRRUS_BRIDGE_GUITAR","features":[79]},{"name":"MM_MALDEN","features":[79]},{"name":"MM_MARIAN","features":[79]},{"name":"MM_MARIAN_ARC44WAVEIN","features":[79]},{"name":"MM_MARIAN_ARC44WAVEOUT","features":[79]},{"name":"MM_MARIAN_ARC88WAVEIN","features":[79]},{"name":"MM_MARIAN_ARC88WAVEOUT","features":[79]},{"name":"MM_MARIAN_PRODIF24WAVEIN","features":[79]},{"name":"MM_MARIAN_PRODIF24WAVEOUT","features":[79]},{"name":"MM_MATROX_DIV","features":[79]},{"name":"MM_MATSUSHITA","features":[79]},{"name":"MM_MATSUSHITA_AUX","features":[79]},{"name":"MM_MATSUSHITA_FMSYNTH_STEREO","features":[79]},{"name":"MM_MATSUSHITA_MIXER","features":[79]},{"name":"MM_MATSUSHITA_WAVEIN","features":[79]},{"name":"MM_MATSUSHITA_WAVEOUT","features":[79]},{"name":"MM_MEDIASONIC","features":[79]},{"name":"MM_MEDIASONIC_ACM_G723","features":[79]},{"name":"MM_MEDIASONIC_ICOM","features":[79]},{"name":"MM_MEDIATRIX","features":[79]},{"name":"MM_MEDIAVISION","features":[79]},{"name":"MM_MEDIAVISION_CDPC","features":[79]},{"name":"MM_MEDIAVISION_OPUS1208","features":[79]},{"name":"MM_MEDIAVISION_OPUS1216","features":[79]},{"name":"MM_MEDIAVISION_PROAUDIO","features":[79]},{"name":"MM_MEDIAVISION_PROAUDIO_16","features":[79]},{"name":"MM_MEDIAVISION_PROAUDIO_PLUS","features":[79]},{"name":"MM_MEDIAVISION_PROSTUDIO_16","features":[79]},{"name":"MM_MEDIAVISION_THUNDER","features":[79]},{"name":"MM_MEDIAVISION_TPORT","features":[79]},{"name":"MM_MELABS","features":[79]},{"name":"MM_MELABS_MIDI2GO","features":[79]},{"name":"MM_MERGING_MPEGL3","features":[79]},{"name":"MM_MERGING_TECHNOLOGIES","features":[79]},{"name":"MM_METHEUS","features":[79]},{"name":"MM_METHEUS_ZIPPER","features":[79]},{"name":"MM_MICRONAS","features":[79]},{"name":"MM_MICRONAS_CLP833","features":[79]},{"name":"MM_MICRONAS_SC4","features":[79]},{"name":"MM_MINDMAKER","features":[79]},{"name":"MM_MINDMAKER_GC_MIXER","features":[79]},{"name":"MM_MINDMAKER_GC_WAVEIN","features":[79]},{"name":"MM_MINDMAKER_GC_WAVEOUT","features":[79]},{"name":"MM_MIRO","features":[79]},{"name":"MM_MIRO_DC30_MIX","features":[79]},{"name":"MM_MIRO_DC30_WAVEIN","features":[79]},{"name":"MM_MIRO_DC30_WAVEOUT","features":[79]},{"name":"MM_MIRO_MOVIEPRO","features":[79]},{"name":"MM_MIRO_VIDEOD1","features":[79]},{"name":"MM_MIRO_VIDEODC1TV","features":[79]},{"name":"MM_MIRO_VIDEOTD","features":[79]},{"name":"MM_MITEL","features":[79]},{"name":"MM_MITEL_MEDIAPATH_WAVEIN","features":[79]},{"name":"MM_MITEL_MEDIAPATH_WAVEOUT","features":[79]},{"name":"MM_MITEL_MPA_HANDSET_WAVEIN","features":[79]},{"name":"MM_MITEL_MPA_HANDSET_WAVEOUT","features":[79]},{"name":"MM_MITEL_MPA_HANDSFREE_WAVEIN","features":[79]},{"name":"MM_MITEL_MPA_HANDSFREE_WAVEOUT","features":[79]},{"name":"MM_MITEL_MPA_LINE1_WAVEIN","features":[79]},{"name":"MM_MITEL_MPA_LINE1_WAVEOUT","features":[79]},{"name":"MM_MITEL_MPA_LINE2_WAVEIN","features":[79]},{"name":"MM_MITEL_MPA_LINE2_WAVEOUT","features":[79]},{"name":"MM_MITEL_TALKTO_BRIDGED_WAVEIN","features":[79]},{"name":"MM_MITEL_TALKTO_BRIDGED_WAVEOUT","features":[79]},{"name":"MM_MITEL_TALKTO_HANDSET_WAVEIN","features":[79]},{"name":"MM_MITEL_TALKTO_HANDSET_WAVEOUT","features":[79]},{"name":"MM_MITEL_TALKTO_LINE_WAVEIN","features":[79]},{"name":"MM_MITEL_TALKTO_LINE_WAVEOUT","features":[79]},{"name":"MM_MMOTION_WAVEAUX","features":[79]},{"name":"MM_MMOTION_WAVEIN","features":[79]},{"name":"MM_MMOTION_WAVEOUT","features":[79]},{"name":"MM_MOSCOM","features":[79]},{"name":"MM_MOSCOM_VPC2400_IN","features":[79]},{"name":"MM_MOSCOM_VPC2400_OUT","features":[79]},{"name":"MM_MOTIONPIXELS","features":[79]},{"name":"MM_MOTIONPIXELS_MVI2","features":[79]},{"name":"MM_MOTOROLA","features":[79]},{"name":"MM_MOTU","features":[79]},{"name":"MM_MOTU_DTX_MIDI_IN_A","features":[79]},{"name":"MM_MOTU_DTX_MIDI_IN_B","features":[79]},{"name":"MM_MOTU_DTX_MIDI_IN_SYNC","features":[79]},{"name":"MM_MOTU_DTX_MIDI_OUT_A","features":[79]},{"name":"MM_MOTU_DTX_MIDI_OUT_B","features":[79]},{"name":"MM_MOTU_FLYER_MIDI_IN_A","features":[79]},{"name":"MM_MOTU_FLYER_MIDI_IN_B","features":[79]},{"name":"MM_MOTU_FLYER_MIDI_IN_SYNC","features":[79]},{"name":"MM_MOTU_FLYER_MIDI_OUT_A","features":[79]},{"name":"MM_MOTU_FLYER_MIDI_OUT_B","features":[79]},{"name":"MM_MOTU_MTPAV_MIDIIN_1","features":[79]},{"name":"MM_MOTU_MTPAV_MIDIIN_2","features":[79]},{"name":"MM_MOTU_MTPAV_MIDIIN_3","features":[79]},{"name":"MM_MOTU_MTPAV_MIDIIN_4","features":[79]},{"name":"MM_MOTU_MTPAV_MIDIIN_5","features":[79]},{"name":"MM_MOTU_MTPAV_MIDIIN_6","features":[79]},{"name":"MM_MOTU_MTPAV_MIDIIN_7","features":[79]},{"name":"MM_MOTU_MTPAV_MIDIIN_8","features":[79]},{"name":"MM_MOTU_MTPAV_MIDIIN_ADAT","features":[79]},{"name":"MM_MOTU_MTPAV_MIDIIN_SYNC","features":[79]},{"name":"MM_MOTU_MTPAV_MIDIOUT_1","features":[79]},{"name":"MM_MOTU_MTPAV_MIDIOUT_2","features":[79]},{"name":"MM_MOTU_MTPAV_MIDIOUT_3","features":[79]},{"name":"MM_MOTU_MTPAV_MIDIOUT_4","features":[79]},{"name":"MM_MOTU_MTPAV_MIDIOUT_5","features":[79]},{"name":"MM_MOTU_MTPAV_MIDIOUT_6","features":[79]},{"name":"MM_MOTU_MTPAV_MIDIOUT_7","features":[79]},{"name":"MM_MOTU_MTPAV_MIDIOUT_8","features":[79]},{"name":"MM_MOTU_MTPAV_MIDIOUT_ADAT","features":[79]},{"name":"MM_MOTU_MTPAV_MIDIOUT_ALL","features":[79]},{"name":"MM_MOTU_MTPAV_NET_MIDIIN_1","features":[79]},{"name":"MM_MOTU_MTPAV_NET_MIDIIN_2","features":[79]},{"name":"MM_MOTU_MTPAV_NET_MIDIIN_3","features":[79]},{"name":"MM_MOTU_MTPAV_NET_MIDIIN_4","features":[79]},{"name":"MM_MOTU_MTPAV_NET_MIDIIN_5","features":[79]},{"name":"MM_MOTU_MTPAV_NET_MIDIIN_6","features":[79]},{"name":"MM_MOTU_MTPAV_NET_MIDIIN_7","features":[79]},{"name":"MM_MOTU_MTPAV_NET_MIDIIN_8","features":[79]},{"name":"MM_MOTU_MTPAV_NET_MIDIOUT_1","features":[79]},{"name":"MM_MOTU_MTPAV_NET_MIDIOUT_2","features":[79]},{"name":"MM_MOTU_MTPAV_NET_MIDIOUT_3","features":[79]},{"name":"MM_MOTU_MTPAV_NET_MIDIOUT_4","features":[79]},{"name":"MM_MOTU_MTPAV_NET_MIDIOUT_5","features":[79]},{"name":"MM_MOTU_MTPAV_NET_MIDIOUT_6","features":[79]},{"name":"MM_MOTU_MTPAV_NET_MIDIOUT_7","features":[79]},{"name":"MM_MOTU_MTPAV_NET_MIDIOUT_8","features":[79]},{"name":"MM_MOTU_MTPII_MIDIIN_1","features":[79]},{"name":"MM_MOTU_MTPII_MIDIIN_2","features":[79]},{"name":"MM_MOTU_MTPII_MIDIIN_3","features":[79]},{"name":"MM_MOTU_MTPII_MIDIIN_4","features":[79]},{"name":"MM_MOTU_MTPII_MIDIIN_5","features":[79]},{"name":"MM_MOTU_MTPII_MIDIIN_6","features":[79]},{"name":"MM_MOTU_MTPII_MIDIIN_7","features":[79]},{"name":"MM_MOTU_MTPII_MIDIIN_8","features":[79]},{"name":"MM_MOTU_MTPII_MIDIIN_SYNC","features":[79]},{"name":"MM_MOTU_MTPII_MIDIOUT_1","features":[79]},{"name":"MM_MOTU_MTPII_MIDIOUT_2","features":[79]},{"name":"MM_MOTU_MTPII_MIDIOUT_3","features":[79]},{"name":"MM_MOTU_MTPII_MIDIOUT_4","features":[79]},{"name":"MM_MOTU_MTPII_MIDIOUT_5","features":[79]},{"name":"MM_MOTU_MTPII_MIDIOUT_6","features":[79]},{"name":"MM_MOTU_MTPII_MIDIOUT_7","features":[79]},{"name":"MM_MOTU_MTPII_MIDIOUT_8","features":[79]},{"name":"MM_MOTU_MTPII_MIDIOUT_ALL","features":[79]},{"name":"MM_MOTU_MTPII_NET_MIDIIN_1","features":[79]},{"name":"MM_MOTU_MTPII_NET_MIDIIN_2","features":[79]},{"name":"MM_MOTU_MTPII_NET_MIDIIN_3","features":[79]},{"name":"MM_MOTU_MTPII_NET_MIDIIN_4","features":[79]},{"name":"MM_MOTU_MTPII_NET_MIDIIN_5","features":[79]},{"name":"MM_MOTU_MTPII_NET_MIDIIN_6","features":[79]},{"name":"MM_MOTU_MTPII_NET_MIDIIN_7","features":[79]},{"name":"MM_MOTU_MTPII_NET_MIDIIN_8","features":[79]},{"name":"MM_MOTU_MTPII_NET_MIDIOUT_1","features":[79]},{"name":"MM_MOTU_MTPII_NET_MIDIOUT_2","features":[79]},{"name":"MM_MOTU_MTPII_NET_MIDIOUT_3","features":[79]},{"name":"MM_MOTU_MTPII_NET_MIDIOUT_4","features":[79]},{"name":"MM_MOTU_MTPII_NET_MIDIOUT_5","features":[79]},{"name":"MM_MOTU_MTPII_NET_MIDIOUT_6","features":[79]},{"name":"MM_MOTU_MTPII_NET_MIDIOUT_7","features":[79]},{"name":"MM_MOTU_MTPII_NET_MIDIOUT_8","features":[79]},{"name":"MM_MOTU_MTP_MIDIIN_1","features":[79]},{"name":"MM_MOTU_MTP_MIDIIN_2","features":[79]},{"name":"MM_MOTU_MTP_MIDIIN_3","features":[79]},{"name":"MM_MOTU_MTP_MIDIIN_4","features":[79]},{"name":"MM_MOTU_MTP_MIDIIN_5","features":[79]},{"name":"MM_MOTU_MTP_MIDIIN_6","features":[79]},{"name":"MM_MOTU_MTP_MIDIIN_7","features":[79]},{"name":"MM_MOTU_MTP_MIDIIN_8","features":[79]},{"name":"MM_MOTU_MTP_MIDIOUT_1","features":[79]},{"name":"MM_MOTU_MTP_MIDIOUT_2","features":[79]},{"name":"MM_MOTU_MTP_MIDIOUT_3","features":[79]},{"name":"MM_MOTU_MTP_MIDIOUT_4","features":[79]},{"name":"MM_MOTU_MTP_MIDIOUT_5","features":[79]},{"name":"MM_MOTU_MTP_MIDIOUT_6","features":[79]},{"name":"MM_MOTU_MTP_MIDIOUT_7","features":[79]},{"name":"MM_MOTU_MTP_MIDIOUT_8","features":[79]},{"name":"MM_MOTU_MTP_MIDIOUT_ALL","features":[79]},{"name":"MM_MOTU_MXN_MIDIIN_1","features":[79]},{"name":"MM_MOTU_MXN_MIDIIN_2","features":[79]},{"name":"MM_MOTU_MXN_MIDIIN_3","features":[79]},{"name":"MM_MOTU_MXN_MIDIIN_4","features":[79]},{"name":"MM_MOTU_MXN_MIDIIN_SYNC","features":[79]},{"name":"MM_MOTU_MXN_MIDIOUT_1","features":[79]},{"name":"MM_MOTU_MXN_MIDIOUT_2","features":[79]},{"name":"MM_MOTU_MXN_MIDIOUT_3","features":[79]},{"name":"MM_MOTU_MXN_MIDIOUT_4","features":[79]},{"name":"MM_MOTU_MXN_MIDIOUT_ALL","features":[79]},{"name":"MM_MOTU_MXPMPU_MIDIIN_1","features":[79]},{"name":"MM_MOTU_MXPMPU_MIDIIN_2","features":[79]},{"name":"MM_MOTU_MXPMPU_MIDIIN_3","features":[79]},{"name":"MM_MOTU_MXPMPU_MIDIIN_4","features":[79]},{"name":"MM_MOTU_MXPMPU_MIDIIN_5","features":[79]},{"name":"MM_MOTU_MXPMPU_MIDIIN_6","features":[79]},{"name":"MM_MOTU_MXPMPU_MIDIIN_SYNC","features":[79]},{"name":"MM_MOTU_MXPMPU_MIDIOUT_1","features":[79]},{"name":"MM_MOTU_MXPMPU_MIDIOUT_2","features":[79]},{"name":"MM_MOTU_MXPMPU_MIDIOUT_3","features":[79]},{"name":"MM_MOTU_MXPMPU_MIDIOUT_4","features":[79]},{"name":"MM_MOTU_MXPMPU_MIDIOUT_5","features":[79]},{"name":"MM_MOTU_MXPMPU_MIDIOUT_6","features":[79]},{"name":"MM_MOTU_MXPMPU_MIDIOUT_ALL","features":[79]},{"name":"MM_MOTU_MXPXT_MIDIIN_1","features":[79]},{"name":"MM_MOTU_MXPXT_MIDIIN_2","features":[79]},{"name":"MM_MOTU_MXPXT_MIDIIN_3","features":[79]},{"name":"MM_MOTU_MXPXT_MIDIIN_4","features":[79]},{"name":"MM_MOTU_MXPXT_MIDIIN_5","features":[79]},{"name":"MM_MOTU_MXPXT_MIDIIN_6","features":[79]},{"name":"MM_MOTU_MXPXT_MIDIIN_7","features":[79]},{"name":"MM_MOTU_MXPXT_MIDIIN_8","features":[79]},{"name":"MM_MOTU_MXPXT_MIDIIN_SYNC","features":[79]},{"name":"MM_MOTU_MXPXT_MIDIOUT_1","features":[79]},{"name":"MM_MOTU_MXPXT_MIDIOUT_2","features":[79]},{"name":"MM_MOTU_MXPXT_MIDIOUT_3","features":[79]},{"name":"MM_MOTU_MXPXT_MIDIOUT_4","features":[79]},{"name":"MM_MOTU_MXPXT_MIDIOUT_5","features":[79]},{"name":"MM_MOTU_MXPXT_MIDIOUT_6","features":[79]},{"name":"MM_MOTU_MXPXT_MIDIOUT_7","features":[79]},{"name":"MM_MOTU_MXPXT_MIDIOUT_8","features":[79]},{"name":"MM_MOTU_MXPXT_MIDIOUT_ALL","features":[79]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIIN_1","features":[79]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIIN_2","features":[79]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIIN_3","features":[79]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIIN_4","features":[79]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIIN_5","features":[79]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIIN_6","features":[79]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIOUT_1","features":[79]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIOUT_2","features":[79]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIOUT_3","features":[79]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIOUT_4","features":[79]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIOUT_5","features":[79]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIOUT_6","features":[79]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIOUT_ALL","features":[79]},{"name":"MM_MOTU_MXP_MIDIIN_SYNC","features":[79]},{"name":"MM_MOTU_PKX_MIDI_IN_A","features":[79]},{"name":"MM_MOTU_PKX_MIDI_IN_B","features":[79]},{"name":"MM_MOTU_PKX_MIDI_IN_SYNC","features":[79]},{"name":"MM_MOTU_PKX_MIDI_OUT_A","features":[79]},{"name":"MM_MOTU_PKX_MIDI_OUT_B","features":[79]},{"name":"MM_MPTUS","features":[79]},{"name":"MM_MPTUS_SPWAVEOUT","features":[79]},{"name":"MM_MSFT_ACM_G711","features":[79]},{"name":"MM_MSFT_ACM_GSM610","features":[79]},{"name":"MM_MSFT_ACM_IMAADPCM","features":[79]},{"name":"MM_MSFT_ACM_MSADPCM","features":[79]},{"name":"MM_MSFT_ACM_MSAUDIO1","features":[79]},{"name":"MM_MSFT_ACM_MSFILTER","features":[79]},{"name":"MM_MSFT_ACM_MSG723","features":[79]},{"name":"MM_MSFT_ACM_MSNAUDIO","features":[79]},{"name":"MM_MSFT_ACM_MSRT24","features":[79]},{"name":"MM_MSFT_ACM_PCM","features":[79]},{"name":"MM_MSFT_ACM_WMAUDIO","features":[79]},{"name":"MM_MSFT_ACM_WMAUDIO2","features":[79]},{"name":"MM_MSFT_GENERIC_AUX_CD","features":[79]},{"name":"MM_MSFT_GENERIC_AUX_LINE","features":[79]},{"name":"MM_MSFT_GENERIC_AUX_MIC","features":[79]},{"name":"MM_MSFT_GENERIC_MIDIIN","features":[79]},{"name":"MM_MSFT_GENERIC_MIDIOUT","features":[79]},{"name":"MM_MSFT_GENERIC_MIDISYNTH","features":[79]},{"name":"MM_MSFT_GENERIC_WAVEIN","features":[79]},{"name":"MM_MSFT_GENERIC_WAVEOUT","features":[79]},{"name":"MM_MSFT_MSACM","features":[79]},{"name":"MM_MSFT_MSOPL_SYNTH","features":[79]},{"name":"MM_MSFT_SB16_AUX_CD","features":[79]},{"name":"MM_MSFT_SB16_AUX_LINE","features":[79]},{"name":"MM_MSFT_SB16_MIDIIN","features":[79]},{"name":"MM_MSFT_SB16_MIDIOUT","features":[79]},{"name":"MM_MSFT_SB16_MIXER","features":[79]},{"name":"MM_MSFT_SB16_SYNTH","features":[79]},{"name":"MM_MSFT_SB16_WAVEIN","features":[79]},{"name":"MM_MSFT_SB16_WAVEOUT","features":[79]},{"name":"MM_MSFT_SBPRO_AUX_CD","features":[79]},{"name":"MM_MSFT_SBPRO_AUX_LINE","features":[79]},{"name":"MM_MSFT_SBPRO_MIDIIN","features":[79]},{"name":"MM_MSFT_SBPRO_MIDIOUT","features":[79]},{"name":"MM_MSFT_SBPRO_MIXER","features":[79]},{"name":"MM_MSFT_SBPRO_SYNTH","features":[79]},{"name":"MM_MSFT_SBPRO_WAVEIN","features":[79]},{"name":"MM_MSFT_SBPRO_WAVEOUT","features":[79]},{"name":"MM_MSFT_VMDMS_HANDSET_WAVEIN","features":[79]},{"name":"MM_MSFT_VMDMS_HANDSET_WAVEOUT","features":[79]},{"name":"MM_MSFT_VMDMS_LINE_WAVEIN","features":[79]},{"name":"MM_MSFT_VMDMS_LINE_WAVEOUT","features":[79]},{"name":"MM_MSFT_VMDMW_HANDSET_WAVEIN","features":[79]},{"name":"MM_MSFT_VMDMW_HANDSET_WAVEOUT","features":[79]},{"name":"MM_MSFT_VMDMW_LINE_WAVEIN","features":[79]},{"name":"MM_MSFT_VMDMW_LINE_WAVEOUT","features":[79]},{"name":"MM_MSFT_VMDMW_MIXER","features":[79]},{"name":"MM_MSFT_VMDM_GAME_WAVEIN","features":[79]},{"name":"MM_MSFT_VMDM_GAME_WAVEOUT","features":[79]},{"name":"MM_MSFT_WDMAUDIO_AUX","features":[79]},{"name":"MM_MSFT_WDMAUDIO_MIDIIN","features":[79]},{"name":"MM_MSFT_WDMAUDIO_MIDIOUT","features":[79]},{"name":"MM_MSFT_WDMAUDIO_MIXER","features":[79]},{"name":"MM_MSFT_WDMAUDIO_WAVEIN","features":[79]},{"name":"MM_MSFT_WDMAUDIO_WAVEOUT","features":[79]},{"name":"MM_MSFT_WSS_AUX","features":[79]},{"name":"MM_MSFT_WSS_FMSYNTH_STEREO","features":[79]},{"name":"MM_MSFT_WSS_MIXER","features":[79]},{"name":"MM_MSFT_WSS_NT_AUX","features":[79]},{"name":"MM_MSFT_WSS_NT_FMSYNTH_STEREO","features":[79]},{"name":"MM_MSFT_WSS_NT_MIXER","features":[79]},{"name":"MM_MSFT_WSS_NT_WAVEIN","features":[79]},{"name":"MM_MSFT_WSS_NT_WAVEOUT","features":[79]},{"name":"MM_MSFT_WSS_OEM_AUX","features":[79]},{"name":"MM_MSFT_WSS_OEM_FMSYNTH_STEREO","features":[79]},{"name":"MM_MSFT_WSS_OEM_MIXER","features":[79]},{"name":"MM_MSFT_WSS_OEM_WAVEIN","features":[79]},{"name":"MM_MSFT_WSS_OEM_WAVEOUT","features":[79]},{"name":"MM_MSFT_WSS_WAVEIN","features":[79]},{"name":"MM_MSFT_WSS_WAVEOUT","features":[79]},{"name":"MM_MWM","features":[79]},{"name":"MM_NCR","features":[79]},{"name":"MM_NCR_BA_AUX","features":[79]},{"name":"MM_NCR_BA_MIXER","features":[79]},{"name":"MM_NCR_BA_SYNTH","features":[79]},{"name":"MM_NCR_BA_WAVEIN","features":[79]},{"name":"MM_NCR_BA_WAVEOUT","features":[79]},{"name":"MM_NEC","features":[79]},{"name":"MM_NEC_26_SYNTH","features":[79]},{"name":"MM_NEC_73_86_SYNTH","features":[79]},{"name":"MM_NEC_73_86_WAVEIN","features":[79]},{"name":"MM_NEC_73_86_WAVEOUT","features":[79]},{"name":"MM_NEC_JOYSTICK","features":[79]},{"name":"MM_NEC_MPU401_MIDIIN","features":[79]},{"name":"MM_NEC_MPU401_MIDIOUT","features":[79]},{"name":"MM_NEOMAGIC","features":[79]},{"name":"MM_NEOMAGIC_AUX","features":[79]},{"name":"MM_NEOMAGIC_MIDIIN","features":[79]},{"name":"MM_NEOMAGIC_MIDIOUT","features":[79]},{"name":"MM_NEOMAGIC_MW3DX_AUX","features":[79]},{"name":"MM_NEOMAGIC_MW3DX_FMSYNTH","features":[79]},{"name":"MM_NEOMAGIC_MW3DX_GMSYNTH","features":[79]},{"name":"MM_NEOMAGIC_MW3DX_MIDIIN","features":[79]},{"name":"MM_NEOMAGIC_MW3DX_MIDIOUT","features":[79]},{"name":"MM_NEOMAGIC_MW3DX_MIXER","features":[79]},{"name":"MM_NEOMAGIC_MW3DX_WAVEIN","features":[79]},{"name":"MM_NEOMAGIC_MW3DX_WAVEOUT","features":[79]},{"name":"MM_NEOMAGIC_MWAVE_AUX","features":[79]},{"name":"MM_NEOMAGIC_MWAVE_MIDIIN","features":[79]},{"name":"MM_NEOMAGIC_MWAVE_MIDIOUT","features":[79]},{"name":"MM_NEOMAGIC_MWAVE_MIXER","features":[79]},{"name":"MM_NEOMAGIC_MWAVE_WAVEIN","features":[79]},{"name":"MM_NEOMAGIC_MWAVE_WAVEOUT","features":[79]},{"name":"MM_NEOMAGIC_SYNTH","features":[79]},{"name":"MM_NEOMAGIC_WAVEIN","features":[79]},{"name":"MM_NEOMAGIC_WAVEOUT","features":[79]},{"name":"MM_NETSCAPE","features":[79]},{"name":"MM_NETXL","features":[79]},{"name":"MM_NETXL_XLVIDEO","features":[79]},{"name":"MM_NEWMEDIA","features":[79]},{"name":"MM_NEWMEDIA_WAVJAMMER","features":[79]},{"name":"MM_NMP","features":[79]},{"name":"MM_NMP_ACM_AMR","features":[79]},{"name":"MM_NMP_CCP_WAVEIN","features":[79]},{"name":"MM_NMP_CCP_WAVEOUT","features":[79]},{"name":"MM_NMS","features":[79]},{"name":"MM_NOGATECH","features":[79]},{"name":"MM_NORRIS","features":[79]},{"name":"MM_NORRIS_VOICELINK","features":[79]},{"name":"MM_NORTEL_MPXAC_WAVEIN","features":[79]},{"name":"MM_NORTEL_MPXAC_WAVEOUT","features":[79]},{"name":"MM_NORTHERN_TELECOM","features":[79]},{"name":"MM_NVIDIA","features":[79]},{"name":"MM_NVIDIA_AUX","features":[79]},{"name":"MM_NVIDIA_GAMEPORT","features":[79]},{"name":"MM_NVIDIA_MIDIIN","features":[79]},{"name":"MM_NVIDIA_MIDIOUT","features":[79]},{"name":"MM_NVIDIA_MIXER","features":[79]},{"name":"MM_NVIDIA_WAVEIN","features":[79]},{"name":"MM_NVIDIA_WAVEOUT","features":[79]},{"name":"MM_OKI","features":[79]},{"name":"MM_OKSORI","features":[79]},{"name":"MM_OKSORI_BASE","features":[79]},{"name":"MM_OKSORI_EXT_MIC1","features":[79]},{"name":"MM_OKSORI_EXT_MIC2","features":[79]},{"name":"MM_OKSORI_FM_OPL4","features":[79]},{"name":"MM_OKSORI_MIDIIN","features":[79]},{"name":"MM_OKSORI_MIDIOUT","features":[79]},{"name":"MM_OKSORI_MIX_AUX1","features":[79]},{"name":"MM_OKSORI_MIX_CD","features":[79]},{"name":"MM_OKSORI_MIX_ECHO","features":[79]},{"name":"MM_OKSORI_MIX_FM","features":[79]},{"name":"MM_OKSORI_MIX_LINE","features":[79]},{"name":"MM_OKSORI_MIX_LINE1","features":[79]},{"name":"MM_OKSORI_MIX_MASTER","features":[79]},{"name":"MM_OKSORI_MIX_MIC","features":[79]},{"name":"MM_OKSORI_MIX_WAVE","features":[79]},{"name":"MM_OKSORI_MPEG_CDVISION","features":[79]},{"name":"MM_OKSORI_OSR16_WAVEIN","features":[79]},{"name":"MM_OKSORI_OSR16_WAVEOUT","features":[79]},{"name":"MM_OKSORI_OSR8_WAVEIN","features":[79]},{"name":"MM_OKSORI_OSR8_WAVEOUT","features":[79]},{"name":"MM_OLIVETTI","features":[79]},{"name":"MM_OLIVETTI_ACM_ADPCM","features":[79]},{"name":"MM_OLIVETTI_ACM_CELP","features":[79]},{"name":"MM_OLIVETTI_ACM_GSM","features":[79]},{"name":"MM_OLIVETTI_ACM_OPR","features":[79]},{"name":"MM_OLIVETTI_ACM_SBC","features":[79]},{"name":"MM_OLIVETTI_AUX","features":[79]},{"name":"MM_OLIVETTI_JOYSTICK","features":[79]},{"name":"MM_OLIVETTI_MIDIIN","features":[79]},{"name":"MM_OLIVETTI_MIDIOUT","features":[79]},{"name":"MM_OLIVETTI_MIXER","features":[79]},{"name":"MM_OLIVETTI_SYNTH","features":[79]},{"name":"MM_OLIVETTI_WAVEIN","features":[79]},{"name":"MM_OLIVETTI_WAVEOUT","features":[79]},{"name":"MM_ONLIVE","features":[79]},{"name":"MM_ONLIVE_MPCODEC","features":[79]},{"name":"MM_OPCODE","features":[79]},{"name":"MM_OPTI","features":[79]},{"name":"MM_OPTI_M16_AUX","features":[79]},{"name":"MM_OPTI_M16_FMSYNTH_STEREO","features":[79]},{"name":"MM_OPTI_M16_MIDIIN","features":[79]},{"name":"MM_OPTI_M16_MIDIOUT","features":[79]},{"name":"MM_OPTI_M16_MIXER","features":[79]},{"name":"MM_OPTI_M16_WAVEIN","features":[79]},{"name":"MM_OPTI_M16_WAVEOUT","features":[79]},{"name":"MM_OPTI_M32_AUX","features":[79]},{"name":"MM_OPTI_M32_MIDIIN","features":[79]},{"name":"MM_OPTI_M32_MIDIOUT","features":[79]},{"name":"MM_OPTI_M32_MIXER","features":[79]},{"name":"MM_OPTI_M32_SYNTH_STEREO","features":[79]},{"name":"MM_OPTI_M32_WAVEIN","features":[79]},{"name":"MM_OPTI_M32_WAVEOUT","features":[79]},{"name":"MM_OPTI_P16_AUX","features":[79]},{"name":"MM_OPTI_P16_FMSYNTH_STEREO","features":[79]},{"name":"MM_OPTI_P16_MIDIIN","features":[79]},{"name":"MM_OPTI_P16_MIDIOUT","features":[79]},{"name":"MM_OPTI_P16_MIXER","features":[79]},{"name":"MM_OPTI_P16_WAVEIN","features":[79]},{"name":"MM_OPTI_P16_WAVEOUT","features":[79]},{"name":"MM_OPUS1208_AUX","features":[79]},{"name":"MM_OPUS1208_MIXER","features":[79]},{"name":"MM_OPUS1208_SYNTH","features":[79]},{"name":"MM_OPUS1208_WAVEIN","features":[79]},{"name":"MM_OPUS1208_WAVEOUT","features":[79]},{"name":"MM_OPUS1216_AUX","features":[79]},{"name":"MM_OPUS1216_MIDIIN","features":[79]},{"name":"MM_OPUS1216_MIDIOUT","features":[79]},{"name":"MM_OPUS1216_MIXER","features":[79]},{"name":"MM_OPUS1216_SYNTH","features":[79]},{"name":"MM_OPUS1216_WAVEIN","features":[79]},{"name":"MM_OPUS1216_WAVEOUT","features":[79]},{"name":"MM_OPUS401_MIDIIN","features":[79]},{"name":"MM_OPUS401_MIDIOUT","features":[79]},{"name":"MM_OSITECH","features":[79]},{"name":"MM_OSITECH_TRUMPCARD","features":[79]},{"name":"MM_OSPREY","features":[79]},{"name":"MM_OSPREY_1000WAVEIN","features":[79]},{"name":"MM_OSPREY_1000WAVEOUT","features":[79]},{"name":"MM_OTI","features":[79]},{"name":"MM_OTI_611MIDIN","features":[79]},{"name":"MM_OTI_611MIDIOUT","features":[79]},{"name":"MM_OTI_611MIXER","features":[79]},{"name":"MM_OTI_611WAVEIN","features":[79]},{"name":"MM_OTI_611WAVEOUT","features":[79]},{"name":"MM_PACIFICRESEARCH","features":[79]},{"name":"MM_PCSPEAKER_WAVEOUT","features":[79]},{"name":"MM_PHILIPS_ACM_LPCBB","features":[79]},{"name":"MM_PHILIPS_SPEECH_PROCESSING","features":[79]},{"name":"MM_PHONET","features":[79]},{"name":"MM_PHONET_PP_MIXER","features":[79]},{"name":"MM_PHONET_PP_WAVEIN","features":[79]},{"name":"MM_PHONET_PP_WAVEOUT","features":[79]},{"name":"MM_PICTURETEL","features":[79]},{"name":"MM_PID_UNMAPPED","features":[79]},{"name":"MM_PINNACLE","features":[79]},{"name":"MM_PRAGMATRAX","features":[79]},{"name":"MM_PRECEPT","features":[79]},{"name":"MM_PROAUD_16_AUX","features":[79]},{"name":"MM_PROAUD_16_MIDIIN","features":[79]},{"name":"MM_PROAUD_16_MIDIOUT","features":[79]},{"name":"MM_PROAUD_16_MIXER","features":[79]},{"name":"MM_PROAUD_16_SYNTH","features":[79]},{"name":"MM_PROAUD_16_WAVEIN","features":[79]},{"name":"MM_PROAUD_16_WAVEOUT","features":[79]},{"name":"MM_PROAUD_AUX","features":[79]},{"name":"MM_PROAUD_MIDIIN","features":[79]},{"name":"MM_PROAUD_MIDIOUT","features":[79]},{"name":"MM_PROAUD_MIXER","features":[79]},{"name":"MM_PROAUD_PLUS_AUX","features":[79]},{"name":"MM_PROAUD_PLUS_MIDIIN","features":[79]},{"name":"MM_PROAUD_PLUS_MIDIOUT","features":[79]},{"name":"MM_PROAUD_PLUS_MIXER","features":[79]},{"name":"MM_PROAUD_PLUS_SYNTH","features":[79]},{"name":"MM_PROAUD_PLUS_WAVEIN","features":[79]},{"name":"MM_PROAUD_PLUS_WAVEOUT","features":[79]},{"name":"MM_PROAUD_SYNTH","features":[79]},{"name":"MM_PROAUD_WAVEIN","features":[79]},{"name":"MM_PROAUD_WAVEOUT","features":[79]},{"name":"MM_QCIAR","features":[79]},{"name":"MM_QDESIGN","features":[79]},{"name":"MM_QDESIGN_ACM_MPEG","features":[79]},{"name":"MM_QDESIGN_ACM_QDESIGN_MUSIC","features":[79]},{"name":"MM_QTEAM","features":[79]},{"name":"MM_QUALCOMM","features":[79]},{"name":"MM_QUANTUM3D","features":[79]},{"name":"MM_QUARTERDECK","features":[79]},{"name":"MM_QUARTERDECK_LHWAVEIN","features":[79]},{"name":"MM_QUARTERDECK_LHWAVEOUT","features":[79]},{"name":"MM_QUICKAUDIO","features":[79]},{"name":"MM_QUICKAUDIO_MAXIMIDI","features":[79]},{"name":"MM_QUICKAUDIO_MINIMIDI","features":[79]},{"name":"MM_QUICKNET","features":[79]},{"name":"MM_QUICKNET_PJWAVEIN","features":[79]},{"name":"MM_QUICKNET_PJWAVEOUT","features":[79]},{"name":"MM_RADIUS","features":[79]},{"name":"MM_RHETOREX","features":[79]},{"name":"MM_RHETOREX_WAVEIN","features":[79]},{"name":"MM_RHETOREX_WAVEOUT","features":[79]},{"name":"MM_RICHMOND","features":[79]},{"name":"MM_ROCKWELL","features":[79]},{"name":"MM_ROLAND","features":[79]},{"name":"MM_ROLAND_MPU401_MIDIIN","features":[79]},{"name":"MM_ROLAND_MPU401_MIDIOUT","features":[79]},{"name":"MM_ROLAND_RAP10_MIDIIN","features":[79]},{"name":"MM_ROLAND_RAP10_MIDIOUT","features":[79]},{"name":"MM_ROLAND_RAP10_SYNTH","features":[79]},{"name":"MM_ROLAND_RAP10_WAVEIN","features":[79]},{"name":"MM_ROLAND_RAP10_WAVEOUT","features":[79]},{"name":"MM_ROLAND_SC7_MIDIIN","features":[79]},{"name":"MM_ROLAND_SC7_MIDIOUT","features":[79]},{"name":"MM_ROLAND_SCP_AUX","features":[79]},{"name":"MM_ROLAND_SCP_MIDIIN","features":[79]},{"name":"MM_ROLAND_SCP_MIDIOUT","features":[79]},{"name":"MM_ROLAND_SCP_MIXER","features":[79]},{"name":"MM_ROLAND_SCP_WAVEIN","features":[79]},{"name":"MM_ROLAND_SCP_WAVEOUT","features":[79]},{"name":"MM_ROLAND_SERIAL_MIDIIN","features":[79]},{"name":"MM_ROLAND_SERIAL_MIDIOUT","features":[79]},{"name":"MM_ROLAND_SMPU_MIDIINA","features":[79]},{"name":"MM_ROLAND_SMPU_MIDIINB","features":[79]},{"name":"MM_ROLAND_SMPU_MIDIOUTA","features":[79]},{"name":"MM_ROLAND_SMPU_MIDIOUTB","features":[79]},{"name":"MM_RZS","features":[79]},{"name":"MM_RZS_ACM_TUBGSM","features":[79]},{"name":"MM_S3","features":[79]},{"name":"MM_S3_AUX","features":[79]},{"name":"MM_S3_FMSYNTH","features":[79]},{"name":"MM_S3_MIDIIN","features":[79]},{"name":"MM_S3_MIDIOUT","features":[79]},{"name":"MM_S3_MIXER","features":[79]},{"name":"MM_S3_WAVEIN","features":[79]},{"name":"MM_S3_WAVEOUT","features":[79]},{"name":"MM_SANYO","features":[79]},{"name":"MM_SANYO_ACM_LD_ADPCM","features":[79]},{"name":"MM_SCALACS","features":[79]},{"name":"MM_SEERSYS","features":[79]},{"name":"MM_SEERSYS_REALITY","features":[79]},{"name":"MM_SEERSYS_SEERMIX","features":[79]},{"name":"MM_SEERSYS_SEERSYNTH","features":[79]},{"name":"MM_SEERSYS_SEERWAVE","features":[79]},{"name":"MM_SEERSYS_WAVESYNTH","features":[79]},{"name":"MM_SEERSYS_WAVESYNTH_WG","features":[79]},{"name":"MM_SELSIUS_SYSTEMS","features":[79]},{"name":"MM_SELSIUS_SYSTEMS_RTPWAVEIN","features":[79]},{"name":"MM_SELSIUS_SYSTEMS_RTPWAVEOUT","features":[79]},{"name":"MM_SGI","features":[79]},{"name":"MM_SGI_320_MIXER","features":[79]},{"name":"MM_SGI_320_WAVEIN","features":[79]},{"name":"MM_SGI_320_WAVEOUT","features":[79]},{"name":"MM_SGI_540_MIXER","features":[79]},{"name":"MM_SGI_540_WAVEIN","features":[79]},{"name":"MM_SGI_540_WAVEOUT","features":[79]},{"name":"MM_SGI_RAD_ADAT8CHAN_WAVEIN","features":[79]},{"name":"MM_SGI_RAD_ADAT8CHAN_WAVEOUT","features":[79]},{"name":"MM_SGI_RAD_ADATMONO1_WAVEIN","features":[79]},{"name":"MM_SGI_RAD_ADATMONO1_WAVEOUT","features":[79]},{"name":"MM_SGI_RAD_ADATMONO2_WAVEIN","features":[79]},{"name":"MM_SGI_RAD_ADATMONO2_WAVEOUT","features":[79]},{"name":"MM_SGI_RAD_ADATMONO3_WAVEIN","features":[79]},{"name":"MM_SGI_RAD_ADATMONO3_WAVEOUT","features":[79]},{"name":"MM_SGI_RAD_ADATMONO4_WAVEIN","features":[79]},{"name":"MM_SGI_RAD_ADATMONO4_WAVEOUT","features":[79]},{"name":"MM_SGI_RAD_ADATMONO5_WAVEIN","features":[79]},{"name":"MM_SGI_RAD_ADATMONO5_WAVEOUT","features":[79]},{"name":"MM_SGI_RAD_ADATMONO6_WAVEIN","features":[79]},{"name":"MM_SGI_RAD_ADATMONO6_WAVEOUT","features":[79]},{"name":"MM_SGI_RAD_ADATMONO7_WAVEIN","features":[79]},{"name":"MM_SGI_RAD_ADATMONO7_WAVEOUT","features":[79]},{"name":"MM_SGI_RAD_ADATMONO8_WAVEIN","features":[79]},{"name":"MM_SGI_RAD_ADATMONO8_WAVEOUT","features":[79]},{"name":"MM_SGI_RAD_ADATSTEREO12_WAVEIN","features":[79]},{"name":"MM_SGI_RAD_ADATSTEREO12_WAVEOUT","features":[79]},{"name":"MM_SGI_RAD_ADATSTEREO32_WAVEOUT","features":[79]},{"name":"MM_SGI_RAD_ADATSTEREO34_WAVEIN","features":[79]},{"name":"MM_SGI_RAD_ADATSTEREO56_WAVEIN","features":[79]},{"name":"MM_SGI_RAD_ADATSTEREO56_WAVEOUT","features":[79]},{"name":"MM_SGI_RAD_ADATSTEREO78_WAVEIN","features":[79]},{"name":"MM_SGI_RAD_ADATSTEREO78_WAVEOUT","features":[79]},{"name":"MM_SGI_RAD_AESMONO1_WAVEIN","features":[79]},{"name":"MM_SGI_RAD_AESMONO1_WAVEOUT","features":[79]},{"name":"MM_SGI_RAD_AESMONO2_WAVEIN","features":[79]},{"name":"MM_SGI_RAD_AESMONO2_WAVEOUT","features":[79]},{"name":"MM_SGI_RAD_AESSTEREO_WAVEIN","features":[79]},{"name":"MM_SGI_RAD_AESSTEREO_WAVEOUT","features":[79]},{"name":"MM_SHARP","features":[79]},{"name":"MM_SHARP_MDC_AUX","features":[79]},{"name":"MM_SHARP_MDC_AUX_BASS","features":[79]},{"name":"MM_SHARP_MDC_AUX_CHR","features":[79]},{"name":"MM_SHARP_MDC_AUX_MASTER","features":[79]},{"name":"MM_SHARP_MDC_AUX_MIDI_VOL","features":[79]},{"name":"MM_SHARP_MDC_AUX_RVB","features":[79]},{"name":"MM_SHARP_MDC_AUX_TREBLE","features":[79]},{"name":"MM_SHARP_MDC_AUX_VOL","features":[79]},{"name":"MM_SHARP_MDC_AUX_WAVE_CHR","features":[79]},{"name":"MM_SHARP_MDC_AUX_WAVE_RVB","features":[79]},{"name":"MM_SHARP_MDC_AUX_WAVE_VOL","features":[79]},{"name":"MM_SHARP_MDC_MIDI_IN","features":[79]},{"name":"MM_SHARP_MDC_MIDI_OUT","features":[79]},{"name":"MM_SHARP_MDC_MIDI_SYNTH","features":[79]},{"name":"MM_SHARP_MDC_MIXER","features":[79]},{"name":"MM_SHARP_MDC_WAVE_IN","features":[79]},{"name":"MM_SHARP_MDC_WAVE_OUT","features":[79]},{"name":"MM_SICRESOURCE","features":[79]},{"name":"MM_SICRESOURCE_SSO3D","features":[79]},{"name":"MM_SICRESOURCE_SSOW3DI","features":[79]},{"name":"MM_SIEMENS_SBC","features":[79]},{"name":"MM_SIERRA","features":[79]},{"name":"MM_SIERRA_ARIA_AUX","features":[79]},{"name":"MM_SIERRA_ARIA_AUX2","features":[79]},{"name":"MM_SIERRA_ARIA_MIDIIN","features":[79]},{"name":"MM_SIERRA_ARIA_MIDIOUT","features":[79]},{"name":"MM_SIERRA_ARIA_SYNTH","features":[79]},{"name":"MM_SIERRA_ARIA_WAVEIN","features":[79]},{"name":"MM_SIERRA_ARIA_WAVEOUT","features":[79]},{"name":"MM_SIERRA_QUARTET_AUX_CD","features":[79]},{"name":"MM_SIERRA_QUARTET_AUX_LINE","features":[79]},{"name":"MM_SIERRA_QUARTET_AUX_MODEM","features":[79]},{"name":"MM_SIERRA_QUARTET_MIDIIN","features":[79]},{"name":"MM_SIERRA_QUARTET_MIDIOUT","features":[79]},{"name":"MM_SIERRA_QUARTET_MIXER","features":[79]},{"name":"MM_SIERRA_QUARTET_SYNTH","features":[79]},{"name":"MM_SIERRA_QUARTET_WAVEIN","features":[79]},{"name":"MM_SIERRA_QUARTET_WAVEOUT","features":[79]},{"name":"MM_SILICONSOFT","features":[79]},{"name":"MM_SILICONSOFT_SC1_WAVEIN","features":[79]},{"name":"MM_SILICONSOFT_SC1_WAVEOUT","features":[79]},{"name":"MM_SILICONSOFT_SC2_WAVEIN","features":[79]},{"name":"MM_SILICONSOFT_SC2_WAVEOUT","features":[79]},{"name":"MM_SILICONSOFT_SOUNDJR2PR_WAVEIN","features":[79]},{"name":"MM_SILICONSOFT_SOUNDJR2PR_WAVEOUT","features":[79]},{"name":"MM_SILICONSOFT_SOUNDJR2_WAVEOUT","features":[79]},{"name":"MM_SILICONSOFT_SOUNDJR3_WAVEOUT","features":[79]},{"name":"MM_SIPROLAB","features":[79]},{"name":"MM_SIPROLAB_ACELPNET","features":[79]},{"name":"MM_SNI","features":[79]},{"name":"MM_SNI_ACM_G721","features":[79]},{"name":"MM_SOFTLAB_NSK","features":[79]},{"name":"MM_SOFTLAB_NSK_FRW_AUX","features":[79]},{"name":"MM_SOFTLAB_NSK_FRW_MIXER","features":[79]},{"name":"MM_SOFTLAB_NSK_FRW_WAVEIN","features":[79]},{"name":"MM_SOFTLAB_NSK_FRW_WAVEOUT","features":[79]},{"name":"MM_SOFTSOUND","features":[79]},{"name":"MM_SOFTSOUND_CODEC","features":[79]},{"name":"MM_SONICFOUNDRY","features":[79]},{"name":"MM_SONORUS","features":[79]},{"name":"MM_SONORUS_STUDIO","features":[79]},{"name":"MM_SONY","features":[79]},{"name":"MM_SONY_ACM_SCX","features":[79]},{"name":"MM_SORVIS","features":[79]},{"name":"MM_SOUNDESIGNS","features":[79]},{"name":"MM_SOUNDESIGNS_WAVEIN","features":[79]},{"name":"MM_SOUNDESIGNS_WAVEOUT","features":[79]},{"name":"MM_SOUNDSCAPE_AUX","features":[79]},{"name":"MM_SOUNDSCAPE_MIDIIN","features":[79]},{"name":"MM_SOUNDSCAPE_MIDIOUT","features":[79]},{"name":"MM_SOUNDSCAPE_MIXER","features":[79]},{"name":"MM_SOUNDSCAPE_SYNTH","features":[79]},{"name":"MM_SOUNDSCAPE_WAVEIN","features":[79]},{"name":"MM_SOUNDSCAPE_WAVEOUT","features":[79]},{"name":"MM_SOUNDSCAPE_WAVEOUT_AUX","features":[79]},{"name":"MM_SOUNDSPACE","features":[79]},{"name":"MM_SPECTRUM_PRODUCTIONS","features":[79]},{"name":"MM_SPECTRUM_SIGNAL_PROCESSING","features":[79]},{"name":"MM_SPEECHCOMP","features":[79]},{"name":"MM_SPLASH_STUDIOS","features":[79]},{"name":"MM_SSP_SNDFESAUX","features":[79]},{"name":"MM_SSP_SNDFESMIDIIN","features":[79]},{"name":"MM_SSP_SNDFESMIDIOUT","features":[79]},{"name":"MM_SSP_SNDFESMIX","features":[79]},{"name":"MM_SSP_SNDFESSYNTH","features":[79]},{"name":"MM_SSP_SNDFESWAVEIN","features":[79]},{"name":"MM_SSP_SNDFESWAVEOUT","features":[79]},{"name":"MM_STUDER","features":[79]},{"name":"MM_STUDIO_16_AUX","features":[79]},{"name":"MM_STUDIO_16_MIDIIN","features":[79]},{"name":"MM_STUDIO_16_MIDIOUT","features":[79]},{"name":"MM_STUDIO_16_MIXER","features":[79]},{"name":"MM_STUDIO_16_SYNTH","features":[79]},{"name":"MM_STUDIO_16_WAVEIN","features":[79]},{"name":"MM_STUDIO_16_WAVEOUT","features":[79]},{"name":"MM_ST_MICROELECTRONICS","features":[79]},{"name":"MM_SUNCOM","features":[79]},{"name":"MM_SUPERMAC","features":[79]},{"name":"MM_SYDEC_NV","features":[79]},{"name":"MM_SYDEC_NV_WAVEIN","features":[79]},{"name":"MM_SYDEC_NV_WAVEOUT","features":[79]},{"name":"MM_TANDY","features":[79]},{"name":"MM_TANDY_PSSJWAVEIN","features":[79]},{"name":"MM_TANDY_PSSJWAVEOUT","features":[79]},{"name":"MM_TANDY_SENS_MMAMIDIIN","features":[79]},{"name":"MM_TANDY_SENS_MMAMIDIOUT","features":[79]},{"name":"MM_TANDY_SENS_MMAWAVEIN","features":[79]},{"name":"MM_TANDY_SENS_MMAWAVEOUT","features":[79]},{"name":"MM_TANDY_SENS_VISWAVEOUT","features":[79]},{"name":"MM_TANDY_VISBIOSSYNTH","features":[79]},{"name":"MM_TANDY_VISWAVEIN","features":[79]},{"name":"MM_TANDY_VISWAVEOUT","features":[79]},{"name":"MM_TBS_TROPEZ_AUX1","features":[79]},{"name":"MM_TBS_TROPEZ_AUX2","features":[79]},{"name":"MM_TBS_TROPEZ_LINE","features":[79]},{"name":"MM_TBS_TROPEZ_WAVEIN","features":[79]},{"name":"MM_TBS_TROPEZ_WAVEOUT","features":[79]},{"name":"MM_TDK","features":[79]},{"name":"MM_TDK_MW_AUX","features":[79]},{"name":"MM_TDK_MW_AUX_BASS","features":[79]},{"name":"MM_TDK_MW_AUX_CHR","features":[79]},{"name":"MM_TDK_MW_AUX_MASTER","features":[79]},{"name":"MM_TDK_MW_AUX_MIDI_VOL","features":[79]},{"name":"MM_TDK_MW_AUX_RVB","features":[79]},{"name":"MM_TDK_MW_AUX_TREBLE","features":[79]},{"name":"MM_TDK_MW_AUX_VOL","features":[79]},{"name":"MM_TDK_MW_AUX_WAVE_CHR","features":[79]},{"name":"MM_TDK_MW_AUX_WAVE_RVB","features":[79]},{"name":"MM_TDK_MW_AUX_WAVE_VOL","features":[79]},{"name":"MM_TDK_MW_MIDI_IN","features":[79]},{"name":"MM_TDK_MW_MIDI_OUT","features":[79]},{"name":"MM_TDK_MW_MIDI_SYNTH","features":[79]},{"name":"MM_TDK_MW_MIXER","features":[79]},{"name":"MM_TDK_MW_WAVE_IN","features":[79]},{"name":"MM_TDK_MW_WAVE_OUT","features":[79]},{"name":"MM_TELEKOL","features":[79]},{"name":"MM_TELEKOL_WAVEIN","features":[79]},{"name":"MM_TELEKOL_WAVEOUT","features":[79]},{"name":"MM_TERALOGIC","features":[79]},{"name":"MM_TERRATEC","features":[79]},{"name":"MM_THUNDER_AUX","features":[79]},{"name":"MM_THUNDER_SYNTH","features":[79]},{"name":"MM_THUNDER_WAVEIN","features":[79]},{"name":"MM_THUNDER_WAVEOUT","features":[79]},{"name":"MM_TPORT_SYNTH","features":[79]},{"name":"MM_TPORT_WAVEIN","features":[79]},{"name":"MM_TPORT_WAVEOUT","features":[79]},{"name":"MM_TRUEVISION","features":[79]},{"name":"MM_TRUEVISION_WAVEIN1","features":[79]},{"name":"MM_TRUEVISION_WAVEOUT1","features":[79]},{"name":"MM_TTEWS_AUX","features":[79]},{"name":"MM_TTEWS_MIDIIN","features":[79]},{"name":"MM_TTEWS_MIDIMONITOR","features":[79]},{"name":"MM_TTEWS_MIDIOUT","features":[79]},{"name":"MM_TTEWS_MIDISYNTH","features":[79]},{"name":"MM_TTEWS_MIXER","features":[79]},{"name":"MM_TTEWS_VMIDIIN","features":[79]},{"name":"MM_TTEWS_VMIDIOUT","features":[79]},{"name":"MM_TTEWS_WAVEIN","features":[79]},{"name":"MM_TTEWS_WAVEOUT","features":[79]},{"name":"MM_TURTLE_BEACH","features":[79]},{"name":"MM_UHER_INFORMATIC","features":[79]},{"name":"MM_UH_ACM_ADPCM","features":[79]},{"name":"MM_UNISYS","features":[79]},{"name":"MM_UNISYS_ACM_NAP","features":[79]},{"name":"MM_UNMAPPED","features":[79]},{"name":"MM_VAL","features":[79]},{"name":"MM_VAL_MICROKEY_AP_WAVEIN","features":[79]},{"name":"MM_VAL_MICROKEY_AP_WAVEOUT","features":[79]},{"name":"MM_VANKOEVERING","features":[79]},{"name":"MM_VIA","features":[79]},{"name":"MM_VIA_AUX","features":[79]},{"name":"MM_VIA_MIXER","features":[79]},{"name":"MM_VIA_MPU401_MIDIIN","features":[79]},{"name":"MM_VIA_MPU401_MIDIOUT","features":[79]},{"name":"MM_VIA_SWFM_SYNTH","features":[79]},{"name":"MM_VIA_WAVEIN","features":[79]},{"name":"MM_VIA_WAVEOUT","features":[79]},{"name":"MM_VIA_WDM_MIXER","features":[79]},{"name":"MM_VIA_WDM_MPU401_MIDIIN","features":[79]},{"name":"MM_VIA_WDM_MPU401_MIDIOUT","features":[79]},{"name":"MM_VIA_WDM_WAVEIN","features":[79]},{"name":"MM_VIA_WDM_WAVEOUT","features":[79]},{"name":"MM_VIDEOLOGIC","features":[79]},{"name":"MM_VIDEOLOGIC_MSWAVEIN","features":[79]},{"name":"MM_VIDEOLOGIC_MSWAVEOUT","features":[79]},{"name":"MM_VIENNASYS","features":[79]},{"name":"MM_VIENNASYS_TSP_WAVE_DRIVER","features":[79]},{"name":"MM_VIONA","features":[79]},{"name":"MM_VIONAQVINPCI_WAVEOUT","features":[79]},{"name":"MM_VIONA_BUSTER_MIXER","features":[79]},{"name":"MM_VIONA_CINEMASTER_MIXER","features":[79]},{"name":"MM_VIONA_CONCERTO_MIXER","features":[79]},{"name":"MM_VIONA_QVINPCI_MIXER","features":[79]},{"name":"MM_VIONA_QVINPCI_WAVEIN","features":[79]},{"name":"MM_VIRTUALMUSIC","features":[79]},{"name":"MM_VITEC","features":[79]},{"name":"MM_VITEC_VMAKER","features":[79]},{"name":"MM_VITEC_VMPRO","features":[79]},{"name":"MM_VIVO","features":[79]},{"name":"MM_VIVO_AUDIO_CODEC","features":[79]},{"name":"MM_VKC_MPU401_MIDIIN","features":[79]},{"name":"MM_VKC_MPU401_MIDIOUT","features":[79]},{"name":"MM_VKC_SERIAL_MIDIIN","features":[79]},{"name":"MM_VKC_SERIAL_MIDIOUT","features":[79]},{"name":"MM_VOCALTEC","features":[79]},{"name":"MM_VOCALTEC_WAVEIN","features":[79]},{"name":"MM_VOCALTEC_WAVEOUT","features":[79]},{"name":"MM_VOICEINFO","features":[79]},{"name":"MM_VOICEMIXER","features":[79]},{"name":"MM_VOXWARE","features":[79]},{"name":"MM_VOXWARE_CODEC","features":[79]},{"name":"MM_VOYETRA","features":[79]},{"name":"MM_VQST","features":[79]},{"name":"MM_VQST_VQC1","features":[79]},{"name":"MM_VQST_VQC2","features":[79]},{"name":"MM_VTG","features":[79]},{"name":"MM_WANGLABS","features":[79]},{"name":"MM_WANGLABS_WAVEIN1","features":[79]},{"name":"MM_WANGLABS_WAVEOUT1","features":[79]},{"name":"MM_WEITEK","features":[79]},{"name":"MM_WILDCAT","features":[79]},{"name":"MM_WILDCAT_AUTOSCOREMIDIIN","features":[79]},{"name":"MM_WILLOPOND_SNDCOMM_WAVEIN","features":[79]},{"name":"MM_WILLOWPOND","features":[79]},{"name":"MM_WILLOWPOND_FMSYNTH_STEREO","features":[79]},{"name":"MM_WILLOWPOND_GENERIC_AUX","features":[79]},{"name":"MM_WILLOWPOND_GENERIC_MIXER","features":[79]},{"name":"MM_WILLOWPOND_GENERIC_WAVEIN","features":[79]},{"name":"MM_WILLOWPOND_GENERIC_WAVEOUT","features":[79]},{"name":"MM_WILLOWPOND_MPU401","features":[79]},{"name":"MM_WILLOWPOND_PH_AUX","features":[79]},{"name":"MM_WILLOWPOND_PH_MIXER","features":[79]},{"name":"MM_WILLOWPOND_PH_WAVEIN","features":[79]},{"name":"MM_WILLOWPOND_PH_WAVEOUT","features":[79]},{"name":"MM_WILLOWPOND_SNDCOMM_AUX","features":[79]},{"name":"MM_WILLOWPOND_SNDCOMM_MIXER","features":[79]},{"name":"MM_WILLOWPOND_SNDCOMM_WAVEOUT","features":[79]},{"name":"MM_WILLOWPOND_SNDPORT_AUX","features":[79]},{"name":"MM_WILLOWPOND_SNDPORT_MIXER","features":[79]},{"name":"MM_WILLOWPOND_SNDPORT_WAVEIN","features":[79]},{"name":"MM_WILLOWPOND_SNDPORT_WAVEOUT","features":[79]},{"name":"MM_WINBOND","features":[79]},{"name":"MM_WINNOV","features":[79]},{"name":"MM_WINNOV_CAVIAR_CHAMPAGNE","features":[79]},{"name":"MM_WINNOV_CAVIAR_VIDC","features":[79]},{"name":"MM_WINNOV_CAVIAR_WAVEIN","features":[79]},{"name":"MM_WINNOV_CAVIAR_WAVEOUT","features":[79]},{"name":"MM_WINNOV_CAVIAR_YUV8","features":[79]},{"name":"MM_WORKBIT","features":[79]},{"name":"MM_WORKBIT_AUX","features":[79]},{"name":"MM_WORKBIT_FMSYNTH","features":[79]},{"name":"MM_WORKBIT_JOYSTICK","features":[79]},{"name":"MM_WORKBIT_MIDIIN","features":[79]},{"name":"MM_WORKBIT_MIDIOUT","features":[79]},{"name":"MM_WORKBIT_MIXER","features":[79]},{"name":"MM_WORKBIT_WAVEIN","features":[79]},{"name":"MM_WORKBIT_WAVEOUT","features":[79]},{"name":"MM_WSS_SB16_AUX_CD","features":[79]},{"name":"MM_WSS_SB16_AUX_LINE","features":[79]},{"name":"MM_WSS_SB16_MIDIIN","features":[79]},{"name":"MM_WSS_SB16_MIDIOUT","features":[79]},{"name":"MM_WSS_SB16_MIXER","features":[79]},{"name":"MM_WSS_SB16_SYNTH","features":[79]},{"name":"MM_WSS_SB16_WAVEIN","features":[79]},{"name":"MM_WSS_SB16_WAVEOUT","features":[79]},{"name":"MM_WSS_SBPRO_AUX_CD","features":[79]},{"name":"MM_WSS_SBPRO_AUX_LINE","features":[79]},{"name":"MM_WSS_SBPRO_MIDIIN","features":[79]},{"name":"MM_WSS_SBPRO_MIDIOUT","features":[79]},{"name":"MM_WSS_SBPRO_MIXER","features":[79]},{"name":"MM_WSS_SBPRO_SYNTH","features":[79]},{"name":"MM_WSS_SBPRO_WAVEIN","features":[79]},{"name":"MM_WSS_SBPRO_WAVEOUT","features":[79]},{"name":"MM_XEBEC","features":[79]},{"name":"MM_XIRLINK","features":[79]},{"name":"MM_XIRLINK_VISIONLINK","features":[79]},{"name":"MM_XYZ","features":[79]},{"name":"MM_YAMAHA","features":[79]},{"name":"MM_YAMAHA_ACXG_AUX","features":[79]},{"name":"MM_YAMAHA_ACXG_MIDIOUT","features":[79]},{"name":"MM_YAMAHA_ACXG_MIXER","features":[79]},{"name":"MM_YAMAHA_ACXG_WAVEIN","features":[79]},{"name":"MM_YAMAHA_ACXG_WAVEOUT","features":[79]},{"name":"MM_YAMAHA_GSS_AUX","features":[79]},{"name":"MM_YAMAHA_GSS_MIDIIN","features":[79]},{"name":"MM_YAMAHA_GSS_MIDIOUT","features":[79]},{"name":"MM_YAMAHA_GSS_SYNTH","features":[79]},{"name":"MM_YAMAHA_GSS_WAVEIN","features":[79]},{"name":"MM_YAMAHA_GSS_WAVEOUT","features":[79]},{"name":"MM_YAMAHA_OPL3SA_FMSYNTH","features":[79]},{"name":"MM_YAMAHA_OPL3SA_JOYSTICK","features":[79]},{"name":"MM_YAMAHA_OPL3SA_MIDIIN","features":[79]},{"name":"MM_YAMAHA_OPL3SA_MIDIOUT","features":[79]},{"name":"MM_YAMAHA_OPL3SA_MIXER","features":[79]},{"name":"MM_YAMAHA_OPL3SA_WAVEIN","features":[79]},{"name":"MM_YAMAHA_OPL3SA_WAVEOUT","features":[79]},{"name":"MM_YAMAHA_OPL3SA_YSYNTH","features":[79]},{"name":"MM_YAMAHA_SERIAL_MIDIIN","features":[79]},{"name":"MM_YAMAHA_SERIAL_MIDIOUT","features":[79]},{"name":"MM_YAMAHA_SXG_MIDIOUT","features":[79]},{"name":"MM_YAMAHA_SXG_MIXER","features":[79]},{"name":"MM_YAMAHA_SXG_WAVEOUT","features":[79]},{"name":"MM_YAMAHA_YMF724LEG_FMSYNTH","features":[79]},{"name":"MM_YAMAHA_YMF724LEG_MIDIIN","features":[79]},{"name":"MM_YAMAHA_YMF724LEG_MIDIOUT","features":[79]},{"name":"MM_YAMAHA_YMF724LEG_MIXER","features":[79]},{"name":"MM_YAMAHA_YMF724_AUX","features":[79]},{"name":"MM_YAMAHA_YMF724_MIDIOUT","features":[79]},{"name":"MM_YAMAHA_YMF724_MIXER","features":[79]},{"name":"MM_YAMAHA_YMF724_WAVEIN","features":[79]},{"name":"MM_YAMAHA_YMF724_WAVEOUT","features":[79]},{"name":"MM_YOUCOM","features":[79]},{"name":"MM_ZEFIRO","features":[79]},{"name":"MM_ZEFIRO_ZA2","features":[79]},{"name":"MM_ZYXEL","features":[79]},{"name":"MM_ZYXEL_ACM_ADPCM","features":[79]},{"name":"MODM_CACHEDRUMPATCHES","features":[79]},{"name":"MODM_CACHEPATCHES","features":[79]},{"name":"MODM_CLOSE","features":[79]},{"name":"MODM_DATA","features":[79]},{"name":"MODM_GETDEVCAPS","features":[79]},{"name":"MODM_GETNUMDEVS","features":[79]},{"name":"MODM_GETPOS","features":[79]},{"name":"MODM_GETVOLUME","features":[79]},{"name":"MODM_INIT","features":[79]},{"name":"MODM_INIT_EX","features":[79]},{"name":"MODM_LONGDATA","features":[79]},{"name":"MODM_MAPPER","features":[79]},{"name":"MODM_OPEN","features":[79]},{"name":"MODM_PAUSE","features":[79]},{"name":"MODM_PREFERRED","features":[79]},{"name":"MODM_PREPARE","features":[79]},{"name":"MODM_PROPERTIES","features":[79]},{"name":"MODM_RECONFIGURE","features":[79]},{"name":"MODM_RESET","features":[79]},{"name":"MODM_RESTART","features":[79]},{"name":"MODM_SETVOLUME","features":[79]},{"name":"MODM_STOP","features":[79]},{"name":"MODM_STRMDATA","features":[79]},{"name":"MODM_UNPREPARE","features":[79]},{"name":"MODM_USER","features":[79]},{"name":"MPEGLAYER3_ID_CONSTANTFRAMESIZE","features":[79]},{"name":"MPEGLAYER3_ID_MPEG","features":[79]},{"name":"MPEGLAYER3_ID_UNKNOWN","features":[79]},{"name":"MPEGLAYER3_WFX_EXTRA_BYTES","features":[79]},{"name":"MSAUDIO1WAVEFORMAT","features":[80,79]},{"name":"MSAUDIO1_BITS_PER_SAMPLE","features":[79]},{"name":"MSAUDIO1_MAX_CHANNELS","features":[79]},{"name":"MXDM_BASE","features":[79]},{"name":"MXDM_CLOSE","features":[79]},{"name":"MXDM_GETCONTROLDETAILS","features":[79]},{"name":"MXDM_GETDEVCAPS","features":[79]},{"name":"MXDM_GETLINECONTROLS","features":[79]},{"name":"MXDM_GETLINEINFO","features":[79]},{"name":"MXDM_GETNUMDEVS","features":[79]},{"name":"MXDM_INIT","features":[79]},{"name":"MXDM_INIT_EX","features":[79]},{"name":"MXDM_OPEN","features":[79]},{"name":"MXDM_SETCONTROLDETAILS","features":[79]},{"name":"MXDM_USER","features":[79]},{"name":"NMS_VBXADPCMWAVEFORMAT","features":[80,79]},{"name":"NS_DRM_E_MIGRATION_IMAGE_ALREADY_EXISTS","features":[79]},{"name":"NS_DRM_E_MIGRATION_SOURCE_MACHINE_IN_USE","features":[79]},{"name":"NS_DRM_E_MIGRATION_TARGET_MACHINE_LESS_THAN_LH","features":[79]},{"name":"NS_DRM_E_MIGRATION_UPGRADE_WITH_DIFF_SID","features":[79]},{"name":"NS_E_8BIT_WAVE_UNSUPPORTED","features":[79]},{"name":"NS_E_ACTIVE_SG_DEVICE_CONTROL_DISCONNECTED","features":[79]},{"name":"NS_E_ACTIVE_SG_DEVICE_DISCONNECTED","features":[79]},{"name":"NS_E_ADVANCEDEDIT_TOO_MANY_PICTURES","features":[79]},{"name":"NS_E_ALLOCATE_FILE_FAIL","features":[79]},{"name":"NS_E_ALL_PROTOCOLS_DISABLED","features":[79]},{"name":"NS_E_ALREADY_CONNECTED","features":[79]},{"name":"NS_E_ANALOG_VIDEO_PROTECTION_LEVEL_UNSUPPORTED","features":[79]},{"name":"NS_E_ARCHIVE_ABORT_DUE_TO_BCAST","features":[79]},{"name":"NS_E_ARCHIVE_FILENAME_NOTSET","features":[79]},{"name":"NS_E_ARCHIVE_GAP_DETECTED","features":[79]},{"name":"NS_E_ARCHIVE_REACH_QUOTA","features":[79]},{"name":"NS_E_ARCHIVE_SAME_AS_INPUT","features":[79]},{"name":"NS_E_ASSERT","features":[79]},{"name":"NS_E_ASX_INVALIDFORMAT","features":[79]},{"name":"NS_E_ASX_INVALIDVERSION","features":[79]},{"name":"NS_E_ASX_INVALID_REPEAT_BLOCK","features":[79]},{"name":"NS_E_ASX_NOTHING_TO_WRITE","features":[79]},{"name":"NS_E_ATTRIBUTE_NOT_ALLOWED","features":[79]},{"name":"NS_E_ATTRIBUTE_READ_ONLY","features":[79]},{"name":"NS_E_AUDIENCE_CONTENTTYPE_MISMATCH","features":[79]},{"name":"NS_E_AUDIENCE__LANGUAGE_CONTENTTYPE_MISMATCH","features":[79]},{"name":"NS_E_AUDIODEVICE_BADFORMAT","features":[79]},{"name":"NS_E_AUDIODEVICE_BUSY","features":[79]},{"name":"NS_E_AUDIODEVICE_UNEXPECTED","features":[79]},{"name":"NS_E_AUDIO_BITRATE_STEPDOWN","features":[79]},{"name":"NS_E_AUDIO_CODEC_ERROR","features":[79]},{"name":"NS_E_AUDIO_CODEC_NOT_INSTALLED","features":[79]},{"name":"NS_E_AUTHORIZATION_FILE_NOT_FOUND","features":[79]},{"name":"NS_E_BACKUP_RESTORE_BAD_DATA","features":[79]},{"name":"NS_E_BACKUP_RESTORE_BAD_REQUEST_ID","features":[79]},{"name":"NS_E_BACKUP_RESTORE_FAILURE","features":[79]},{"name":"NS_E_BACKUP_RESTORE_TOO_MANY_RESETS","features":[79]},{"name":"NS_E_BAD_ADAPTER_ADDRESS","features":[79]},{"name":"NS_E_BAD_ADAPTER_NAME","features":[79]},{"name":"NS_E_BAD_BLOCK0_VERSION","features":[79]},{"name":"NS_E_BAD_CONTENTEDL","features":[79]},{"name":"NS_E_BAD_CONTROL_DATA","features":[79]},{"name":"NS_E_BAD_CUB_UID","features":[79]},{"name":"NS_E_BAD_DELIVERY_MODE","features":[79]},{"name":"NS_E_BAD_DISK_UID","features":[79]},{"name":"NS_E_BAD_FSMAJOR_VERSION","features":[79]},{"name":"NS_E_BAD_MARKIN","features":[79]},{"name":"NS_E_BAD_MARKOUT","features":[79]},{"name":"NS_E_BAD_MULTICAST_ADDRESS","features":[79]},{"name":"NS_E_BAD_REQUEST","features":[79]},{"name":"NS_E_BAD_STAMPNUMBER","features":[79]},{"name":"NS_E_BAD_SYNTAX_IN_SERVER_RESPONSE","features":[79]},{"name":"NS_E_BKGDOWNLOAD_CALLFUNCENDED","features":[79]},{"name":"NS_E_BKGDOWNLOAD_CALLFUNCFAILED","features":[79]},{"name":"NS_E_BKGDOWNLOAD_CALLFUNCTIMEOUT","features":[79]},{"name":"NS_E_BKGDOWNLOAD_CANCELCOMPLETEDJOB","features":[79]},{"name":"NS_E_BKGDOWNLOAD_COMPLETECANCELLEDJOB","features":[79]},{"name":"NS_E_BKGDOWNLOAD_FAILEDINITIALIZE","features":[79]},{"name":"NS_E_BKGDOWNLOAD_FAILED_TO_CREATE_TEMPFILE","features":[79]},{"name":"NS_E_BKGDOWNLOAD_INVALIDJOBSIGNATURE","features":[79]},{"name":"NS_E_BKGDOWNLOAD_INVALID_FILE_NAME","features":[79]},{"name":"NS_E_BKGDOWNLOAD_NOJOBPOINTER","features":[79]},{"name":"NS_E_BKGDOWNLOAD_PLUGIN_FAILEDINITIALIZE","features":[79]},{"name":"NS_E_BKGDOWNLOAD_PLUGIN_FAILEDTOMOVEFILE","features":[79]},{"name":"NS_E_BKGDOWNLOAD_WMDUNPACKFAILED","features":[79]},{"name":"NS_E_BKGDOWNLOAD_WRONG_NO_FILES","features":[79]},{"name":"NS_E_BUSY","features":[79]},{"name":"NS_E_CACHE_ARCHIVE_CONFLICT","features":[79]},{"name":"NS_E_CACHE_CANNOT_BE_CACHED","features":[79]},{"name":"NS_E_CACHE_NOT_BROADCAST","features":[79]},{"name":"NS_E_CACHE_NOT_MODIFIED","features":[79]},{"name":"NS_E_CACHE_ORIGIN_SERVER_NOT_FOUND","features":[79]},{"name":"NS_E_CACHE_ORIGIN_SERVER_TIMEOUT","features":[79]},{"name":"NS_E_CANNOTCONNECT","features":[79]},{"name":"NS_E_CANNOTCONNECTEVENTS","features":[79]},{"name":"NS_E_CANNOTDESTROYTITLE","features":[79]},{"name":"NS_E_CANNOTOFFLINEDISK","features":[79]},{"name":"NS_E_CANNOTONLINEDISK","features":[79]},{"name":"NS_E_CANNOTRENAMETITLE","features":[79]},{"name":"NS_E_CANNOT_BUY_OR_DOWNLOAD_CONTENT","features":[79]},{"name":"NS_E_CANNOT_BUY_OR_DOWNLOAD_FROM_MULTIPLE_SERVICES","features":[79]},{"name":"NS_E_CANNOT_CONNECT_TO_PROXY","features":[79]},{"name":"NS_E_CANNOT_DELETE_ACTIVE_SOURCEGROUP","features":[79]},{"name":"NS_E_CANNOT_GENERATE_BROADCAST_INFO_FOR_QUALITYVBR","features":[79]},{"name":"NS_E_CANNOT_PAUSE_LIVEBROADCAST","features":[79]},{"name":"NS_E_CANNOT_READ_PLAYLIST_FROM_MEDIASERVER","features":[79]},{"name":"NS_E_CANNOT_REMOVE_PLUGIN","features":[79]},{"name":"NS_E_CANNOT_REMOVE_PUBLISHING_POINT","features":[79]},{"name":"NS_E_CANNOT_SYNC_DRM_TO_NON_JANUS_DEVICE","features":[79]},{"name":"NS_E_CANNOT_SYNC_PREVIOUS_SYNC_RUNNING","features":[79]},{"name":"NS_E_CANT_READ_DIGITAL","features":[79]},{"name":"NS_E_CCLINK_DOWN","features":[79]},{"name":"NS_E_CD_COPYTO_CD","features":[79]},{"name":"NS_E_CD_DRIVER_PROBLEM","features":[79]},{"name":"NS_E_CD_EMPTY_TRACK_QUEUE","features":[79]},{"name":"NS_E_CD_ISRC_INVALID","features":[79]},{"name":"NS_E_CD_MEDIA_CATALOG_NUMBER_INVALID","features":[79]},{"name":"NS_E_CD_NO_BUFFERS_READ","features":[79]},{"name":"NS_E_CD_NO_READER","features":[79]},{"name":"NS_E_CD_QUEUEING_DISABLED","features":[79]},{"name":"NS_E_CD_READ_ERROR","features":[79]},{"name":"NS_E_CD_READ_ERROR_NO_CORRECTION","features":[79]},{"name":"NS_E_CD_REFRESH","features":[79]},{"name":"NS_E_CD_SLOW_COPY","features":[79]},{"name":"NS_E_CD_SPEEDDETECT_NOT_ENOUGH_READS","features":[79]},{"name":"NS_E_CHANGING_PROXYBYPASS","features":[79]},{"name":"NS_E_CHANGING_PROXY_EXCEPTIONLIST","features":[79]},{"name":"NS_E_CHANGING_PROXY_NAME","features":[79]},{"name":"NS_E_CHANGING_PROXY_PORT","features":[79]},{"name":"NS_E_CHANGING_PROXY_PROTOCOL_NOT_FOUND","features":[79]},{"name":"NS_E_CLOSED_ON_SUSPEND","features":[79]},{"name":"NS_E_CODEC_DMO_ERROR","features":[79]},{"name":"NS_E_CODEC_UNAVAILABLE","features":[79]},{"name":"NS_E_COMPRESSED_DIGITAL_AUDIO_PROTECTION_LEVEL_UNSUPPORTED","features":[79]},{"name":"NS_E_COMPRESSED_DIGITAL_VIDEO_PROTECTION_LEVEL_UNSUPPORTED","features":[79]},{"name":"NS_E_CONNECTION_FAILURE","features":[79]},{"name":"NS_E_CONNECT_TIMEOUT","features":[79]},{"name":"NS_E_CONTENT_PARTNER_STILL_INITIALIZING","features":[79]},{"name":"NS_E_CORECD_NOTAMEDIACD","features":[79]},{"name":"NS_E_CRITICAL_ERROR","features":[79]},{"name":"NS_E_CUB_FAIL","features":[79]},{"name":"NS_E_CUB_FAIL_LINK","features":[79]},{"name":"NS_E_CURLHELPER_NOTADIRECTORY","features":[79]},{"name":"NS_E_CURLHELPER_NOTAFILE","features":[79]},{"name":"NS_E_CURLHELPER_NOTRELATIVE","features":[79]},{"name":"NS_E_CURL_CANTDECODE","features":[79]},{"name":"NS_E_CURL_CANTWALK","features":[79]},{"name":"NS_E_CURL_INVALIDBUFFERSIZE","features":[79]},{"name":"NS_E_CURL_INVALIDCHAR","features":[79]},{"name":"NS_E_CURL_INVALIDHOSTNAME","features":[79]},{"name":"NS_E_CURL_INVALIDPATH","features":[79]},{"name":"NS_E_CURL_INVALIDPORT","features":[79]},{"name":"NS_E_CURL_INVALIDSCHEME","features":[79]},{"name":"NS_E_CURL_INVALIDURL","features":[79]},{"name":"NS_E_CURL_NOTSAFE","features":[79]},{"name":"NS_E_DAMAGED_FILE","features":[79]},{"name":"NS_E_DATAPATH_NO_SINK","features":[79]},{"name":"NS_E_DATA_SOURCE_ENUMERATION_NOT_SUPPORTED","features":[79]},{"name":"NS_E_DATA_UNIT_EXTENSION_TOO_LARGE","features":[79]},{"name":"NS_E_DDRAW_GENERIC","features":[79]},{"name":"NS_E_DEVCONTROL_FAILED_SEEK","features":[79]},{"name":"NS_E_DEVICECONTROL_UNSTABLE","features":[79]},{"name":"NS_E_DEVICE_DISCONNECTED","features":[79]},{"name":"NS_E_DEVICE_IS_NOT_READY","features":[79]},{"name":"NS_E_DEVICE_NOT_READY","features":[79]},{"name":"NS_E_DEVICE_NOT_SUPPORT_FORMAT","features":[79]},{"name":"NS_E_DEVICE_NOT_WMDRM_DEVICE","features":[79]},{"name":"NS_E_DISK_FAIL","features":[79]},{"name":"NS_E_DISK_READ","features":[79]},{"name":"NS_E_DISK_WRITE","features":[79]},{"name":"NS_E_DISPLAY_MODE_CHANGE_FAILED","features":[79]},{"name":"NS_E_DRMPROFILE_NOTFOUND","features":[79]},{"name":"NS_E_DRM_ACQUIRING_LICENSE","features":[79]},{"name":"NS_E_DRM_ACTION_NOT_QUERIED","features":[79]},{"name":"NS_E_DRM_ALREADY_INDIVIDUALIZED","features":[79]},{"name":"NS_E_DRM_APPCERT_REVOKED","features":[79]},{"name":"NS_E_DRM_ATTRIBUTE_TOO_LONG","features":[79]},{"name":"NS_E_DRM_BACKUPRESTORE_BUSY","features":[79]},{"name":"NS_E_DRM_BACKUP_CORRUPT","features":[79]},{"name":"NS_E_DRM_BACKUP_EXISTS","features":[79]},{"name":"NS_E_DRM_BAD_REQUEST","features":[79]},{"name":"NS_E_DRM_BB_UNABLE_TO_INITIALIZE","features":[79]},{"name":"NS_E_DRM_BUFFER_TOO_SMALL","features":[79]},{"name":"NS_E_DRM_BUSY","features":[79]},{"name":"NS_E_DRM_CACHED_CONTENT_ERROR","features":[79]},{"name":"NS_E_DRM_CERTIFICATE_REVOKED","features":[79]},{"name":"NS_E_DRM_CERTIFICATE_SECURITY_LEVEL_INADEQUATE","features":[79]},{"name":"NS_E_DRM_CHAIN_TOO_LONG","features":[79]},{"name":"NS_E_DRM_CHECKPOINT_CORRUPT","features":[79]},{"name":"NS_E_DRM_CHECKPOINT_FAILED","features":[79]},{"name":"NS_E_DRM_CHECKPOINT_MISMATCH","features":[79]},{"name":"NS_E_DRM_CLIENT_CODE_EXPIRED","features":[79]},{"name":"NS_E_DRM_DATASTORE_CORRUPT","features":[79]},{"name":"NS_E_DRM_DEBUGGING_NOT_ALLOWED","features":[79]},{"name":"NS_E_DRM_DECRYPT_ERROR","features":[79]},{"name":"NS_E_DRM_DEVICE_ACTIVATION_CANCELED","features":[79]},{"name":"NS_E_DRM_DEVICE_ALREADY_REGISTERED","features":[79]},{"name":"NS_E_DRM_DEVICE_LIMIT_REACHED","features":[79]},{"name":"NS_E_DRM_DEVICE_NOT_OPEN","features":[79]},{"name":"NS_E_DRM_DEVICE_NOT_REGISTERED","features":[79]},{"name":"NS_E_DRM_DRIVER_AUTH_FAILURE","features":[79]},{"name":"NS_E_DRM_DRIVER_DIGIOUT_FAILURE","features":[79]},{"name":"NS_E_DRM_DRMV2CLT_REVOKED","features":[79]},{"name":"NS_E_DRM_ENCRYPT_ERROR","features":[79]},{"name":"NS_E_DRM_ENUM_LICENSE_FAILED","features":[79]},{"name":"NS_E_DRM_ERROR_BAD_NET_RESP","features":[79]},{"name":"NS_E_DRM_EXPIRED_LICENSEBLOB","features":[79]},{"name":"NS_E_DRM_GET_CONTENTSTRING_ERROR","features":[79]},{"name":"NS_E_DRM_GET_LICENSESTRING_ERROR","features":[79]},{"name":"NS_E_DRM_GET_LICENSE_ERROR","features":[79]},{"name":"NS_E_DRM_HARDWAREID_MISMATCH","features":[79]},{"name":"NS_E_DRM_HARDWARE_INCONSISTENT","features":[79]},{"name":"NS_E_DRM_INCLUSION_LIST_REQUIRED","features":[79]},{"name":"NS_E_DRM_INDIVIDUALIZATION_INCOMPLETE","features":[79]},{"name":"NS_E_DRM_INDIVIDUALIZE_ERROR","features":[79]},{"name":"NS_E_DRM_INDIVIDUALIZING","features":[79]},{"name":"NS_E_DRM_INDIV_FRAUD","features":[79]},{"name":"NS_E_DRM_INDIV_NO_CABS","features":[79]},{"name":"NS_E_DRM_INDIV_SERVICE_UNAVAILABLE","features":[79]},{"name":"NS_E_DRM_INVALID_APPCERT","features":[79]},{"name":"NS_E_DRM_INVALID_APPDATA","features":[79]},{"name":"NS_E_DRM_INVALID_APPDATA_VERSION","features":[79]},{"name":"NS_E_DRM_INVALID_APPLICATION","features":[79]},{"name":"NS_E_DRM_INVALID_CERTIFICATE","features":[79]},{"name":"NS_E_DRM_INVALID_CONTENT","features":[79]},{"name":"NS_E_DRM_INVALID_CRL","features":[79]},{"name":"NS_E_DRM_INVALID_DATA","features":[79]},{"name":"NS_E_DRM_INVALID_KID","features":[79]},{"name":"NS_E_DRM_INVALID_LICENSE","features":[79]},{"name":"NS_E_DRM_INVALID_LICENSEBLOB","features":[79]},{"name":"NS_E_DRM_INVALID_LICENSE_ACQUIRED","features":[79]},{"name":"NS_E_DRM_INVALID_LICENSE_REQUEST","features":[79]},{"name":"NS_E_DRM_INVALID_MACHINE","features":[79]},{"name":"NS_E_DRM_INVALID_MIGRATION_IMAGE","features":[79]},{"name":"NS_E_DRM_INVALID_PROPERTY","features":[79]},{"name":"NS_E_DRM_INVALID_PROXIMITY_RESPONSE","features":[79]},{"name":"NS_E_DRM_INVALID_SECURESTORE_PASSWORD","features":[79]},{"name":"NS_E_DRM_INVALID_SESSION","features":[79]},{"name":"NS_E_DRM_KEY_ERROR","features":[79]},{"name":"NS_E_DRM_LICENSE_APPSECLOW","features":[79]},{"name":"NS_E_DRM_LICENSE_APP_NOTALLOWED","features":[79]},{"name":"NS_E_DRM_LICENSE_CERT_EXPIRED","features":[79]},{"name":"NS_E_DRM_LICENSE_CLOSE_ERROR","features":[79]},{"name":"NS_E_DRM_LICENSE_CONTENT_REVOKED","features":[79]},{"name":"NS_E_DRM_LICENSE_DELETION_ERROR","features":[79]},{"name":"NS_E_DRM_LICENSE_EXPIRED","features":[79]},{"name":"NS_E_DRM_LICENSE_INITIALIZATION_ERROR","features":[79]},{"name":"NS_E_DRM_LICENSE_INVALID_XML","features":[79]},{"name":"NS_E_DRM_LICENSE_NOSAP","features":[79]},{"name":"NS_E_DRM_LICENSE_NOSVP","features":[79]},{"name":"NS_E_DRM_LICENSE_NOTACQUIRED","features":[79]},{"name":"NS_E_DRM_LICENSE_NOTENABLED","features":[79]},{"name":"NS_E_DRM_LICENSE_NOTRUSTEDCODEC","features":[79]},{"name":"NS_E_DRM_LICENSE_NOWDM","features":[79]},{"name":"NS_E_DRM_LICENSE_OPEN_ERROR","features":[79]},{"name":"NS_E_DRM_LICENSE_SECLOW","features":[79]},{"name":"NS_E_DRM_LICENSE_SERVER_INFO_MISSING","features":[79]},{"name":"NS_E_DRM_LICENSE_STORE_ERROR","features":[79]},{"name":"NS_E_DRM_LICENSE_STORE_SAVE_ERROR","features":[79]},{"name":"NS_E_DRM_LICENSE_UNAVAILABLE","features":[79]},{"name":"NS_E_DRM_LICENSE_UNUSABLE","features":[79]},{"name":"NS_E_DRM_LIC_NEEDS_DEVICE_CLOCK_SET","features":[79]},{"name":"NS_E_DRM_MALFORMED_CONTENT_HEADER","features":[79]},{"name":"NS_E_DRM_MIGRATION_IMPORTER_NOT_AVAILABLE","features":[79]},{"name":"NS_E_DRM_MIGRATION_INVALID_LEGACYV2_DATA","features":[79]},{"name":"NS_E_DRM_MIGRATION_INVALID_LEGACYV2_SST_PASSWORD","features":[79]},{"name":"NS_E_DRM_MIGRATION_LICENSE_ALREADY_EXISTS","features":[79]},{"name":"NS_E_DRM_MIGRATION_NOT_SUPPORTED","features":[79]},{"name":"NS_E_DRM_MIGRATION_OBJECT_IN_USE","features":[79]},{"name":"NS_E_DRM_MIGRATION_OPERATION_CANCELLED","features":[79]},{"name":"NS_E_DRM_MIGRATION_TARGET_NOT_ONLINE","features":[79]},{"name":"NS_E_DRM_MIGRATION_TARGET_STATES_CORRUPTED","features":[79]},{"name":"NS_E_DRM_MONITOR_ERROR","features":[79]},{"name":"NS_E_DRM_MUST_APPROVE","features":[79]},{"name":"NS_E_DRM_MUST_REGISTER","features":[79]},{"name":"NS_E_DRM_MUST_REVALIDATE","features":[79]},{"name":"NS_E_DRM_NEEDS_INDIVIDUALIZATION","features":[79]},{"name":"NS_E_DRM_NEEDS_UPGRADE_TEMPFILE","features":[79]},{"name":"NS_E_DRM_NEED_UPGRADE_MSSAP","features":[79]},{"name":"NS_E_DRM_NEED_UPGRADE_PD","features":[79]},{"name":"NS_E_DRM_NOT_CONFIGURED","features":[79]},{"name":"NS_E_DRM_NO_RIGHTS","features":[79]},{"name":"NS_E_DRM_NO_UPLINK_LICENSE","features":[79]},{"name":"NS_E_DRM_OPERATION_CANCELED","features":[79]},{"name":"NS_E_DRM_PARAMETERS_MISMATCHED","features":[79]},{"name":"NS_E_DRM_PASSWORD_TOO_LONG","features":[79]},{"name":"NS_E_DRM_PD_TOO_MANY_DEVICES","features":[79]},{"name":"NS_E_DRM_POLICY_DISABLE_ONLINE","features":[79]},{"name":"NS_E_DRM_POLICY_METERING_DISABLED","features":[79]},{"name":"NS_E_DRM_PROFILE_NOT_SET","features":[79]},{"name":"NS_E_DRM_PROTOCOL_FORCEFUL_TERMINATION_ON_CHALLENGE","features":[79]},{"name":"NS_E_DRM_PROTOCOL_FORCEFUL_TERMINATION_ON_PETITION","features":[79]},{"name":"NS_E_DRM_QUERY_ERROR","features":[79]},{"name":"NS_E_DRM_REOPEN_CONTENT","features":[79]},{"name":"NS_E_DRM_REPORT_ERROR","features":[79]},{"name":"NS_E_DRM_RESTORE_FRAUD","features":[79]},{"name":"NS_E_DRM_RESTORE_SERVICE_UNAVAILABLE","features":[79]},{"name":"NS_E_DRM_RESTRICTIONS_NOT_RETRIEVED","features":[79]},{"name":"NS_E_DRM_RIV_TOO_SMALL","features":[79]},{"name":"NS_E_DRM_SDK_VERSIONMISMATCH","features":[79]},{"name":"NS_E_DRM_SDMI_NOMORECOPIES","features":[79]},{"name":"NS_E_DRM_SDMI_TRIGGER","features":[79]},{"name":"NS_E_DRM_SECURE_STORE_ERROR","features":[79]},{"name":"NS_E_DRM_SECURE_STORE_NOT_FOUND","features":[79]},{"name":"NS_E_DRM_SECURE_STORE_UNLOCK_ERROR","features":[79]},{"name":"NS_E_DRM_SECURITY_COMPONENT_SIGNATURE_INVALID","features":[79]},{"name":"NS_E_DRM_SIGNATURE_FAILURE","features":[79]},{"name":"NS_E_DRM_SOURCEID_NOT_SUPPORTED","features":[79]},{"name":"NS_E_DRM_STORE_NEEDINDI","features":[79]},{"name":"NS_E_DRM_STORE_NOTALLOWED","features":[79]},{"name":"NS_E_DRM_STORE_NOTALLSTORED","features":[79]},{"name":"NS_E_DRM_STUBLIB_REQUIRED","features":[79]},{"name":"NS_E_DRM_TRACK_EXCEEDED_PLAYLIST_RESTICTION","features":[79]},{"name":"NS_E_DRM_TRACK_EXCEEDED_TRACKBURN_RESTRICTION","features":[79]},{"name":"NS_E_DRM_TRANSFER_CHAINED_LICENSES_UNSUPPORTED","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_ACQUIRE_LICENSE","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_AUTHENTICATION_OBJECT","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_BACKUP_OBJECT","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_CERTIFICATE_OBJECT","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_CODING_OBJECT","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_DECRYPT_OBJECT","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_DEVICE_REGISTRATION_OBJECT","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_ENCRYPT_OBJECT","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_HEADER_OBJECT","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_INDI_OBJECT","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_INMEMORYSTORE_OBJECT","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_KEYS_OBJECT","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_LICENSE_OBJECT","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_METERING_OBJECT","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_MIGRATION_IMPORTER_OBJECT","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_PLAYLIST_BURN_OBJECT","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_PLAYLIST_OBJECT","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_PROPERTIES_OBJECT","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_STATE_DATA_OBJECT","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_GET_DEVICE_CERT","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_GET_SECURE_CLOCK","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_GET_SECURE_CLOCK_FROM_SERVER","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_INITIALIZE","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_LOAD_HARDWARE_ID","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_OPEN_DATA_STORE","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_OPEN_LICENSE","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_OPEN_PORT","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_SET_PARAMETER","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_SET_SECURE_CLOCK","features":[79]},{"name":"NS_E_DRM_UNABLE_TO_VERIFY_PROXIMITY","features":[79]},{"name":"NS_E_DRM_UNSUPPORTED_ACTION","features":[79]},{"name":"NS_E_DRM_UNSUPPORTED_ALGORITHM","features":[79]},{"name":"NS_E_DRM_UNSUPPORTED_PROPERTY","features":[79]},{"name":"NS_E_DRM_UNSUPPORTED_PROTOCOL_VERSION","features":[79]},{"name":"NS_E_DUPLICATE_ADDRESS","features":[79]},{"name":"NS_E_DUPLICATE_DRMPROFILE","features":[79]},{"name":"NS_E_DUPLICATE_NAME","features":[79]},{"name":"NS_E_DUPLICATE_PACKET","features":[79]},{"name":"NS_E_DVD_AUTHORING_PROBLEM","features":[79]},{"name":"NS_E_DVD_CANNOT_COPY_PROTECTED","features":[79]},{"name":"NS_E_DVD_CANNOT_JUMP","features":[79]},{"name":"NS_E_DVD_COMPATIBLE_VIDEO_CARD","features":[79]},{"name":"NS_E_DVD_COPY_PROTECT","features":[79]},{"name":"NS_E_DVD_DEVICE_CONTENTION","features":[79]},{"name":"NS_E_DVD_DISC_COPY_PROTECT_OUTPUT_FAILED","features":[79]},{"name":"NS_E_DVD_DISC_COPY_PROTECT_OUTPUT_NS","features":[79]},{"name":"NS_E_DVD_DISC_DECODER_REGION","features":[79]},{"name":"NS_E_DVD_GRAPH_BUILDING","features":[79]},{"name":"NS_E_DVD_INVALID_DISC_REGION","features":[79]},{"name":"NS_E_DVD_INVALID_TITLE_CHAPTER","features":[79]},{"name":"NS_E_DVD_MACROVISION","features":[79]},{"name":"NS_E_DVD_NO_AUDIO_STREAM","features":[79]},{"name":"NS_E_DVD_NO_DECODER","features":[79]},{"name":"NS_E_DVD_NO_SUBPICTURE_STREAM","features":[79]},{"name":"NS_E_DVD_NO_VIDEO_MEMORY","features":[79]},{"name":"NS_E_DVD_NO_VIDEO_STREAM","features":[79]},{"name":"NS_E_DVD_PARENTAL","features":[79]},{"name":"NS_E_DVD_REQUIRED_PROPERTY_NOT_SET","features":[79]},{"name":"NS_E_DVD_SYSTEM_DECODER_REGION","features":[79]},{"name":"NS_E_EDL_REQUIRED_FOR_DEVICE_MULTIPASS","features":[79]},{"name":"NS_E_EMPTY_PLAYLIST","features":[79]},{"name":"NS_E_EMPTY_PROGRAM_NAME","features":[79]},{"name":"NS_E_ENACTPLAN_GIVEUP","features":[79]},{"name":"NS_E_END_OF_PLAYLIST","features":[79]},{"name":"NS_E_END_OF_TAPE","features":[79]},{"name":"NS_E_ERROR_FROM_PROXY","features":[79]},{"name":"NS_E_EXCEED_MAX_DRM_PROFILE_LIMIT","features":[79]},{"name":"NS_E_EXPECT_MONO_WAV_INPUT","features":[79]},{"name":"NS_E_FAILED_DOWNLOAD_ABORT_BURN","features":[79]},{"name":"NS_E_FAIL_LAUNCH_ROXIO_PLUGIN","features":[79]},{"name":"NS_E_FEATURE_DISABLED_BY_GROUP_POLICY","features":[79]},{"name":"NS_E_FEATURE_DISABLED_IN_SKU","features":[79]},{"name":"NS_E_FEATURE_REQUIRES_ENTERPRISE_SERVER","features":[79]},{"name":"NS_E_FILE_ALLOCATION_FAILED","features":[79]},{"name":"NS_E_FILE_BANDWIDTH_LIMIT","features":[79]},{"name":"NS_E_FILE_EXISTS","features":[79]},{"name":"NS_E_FILE_FAILED_CHECKS","features":[79]},{"name":"NS_E_FILE_INIT_FAILED","features":[79]},{"name":"NS_E_FILE_NOT_FOUND","features":[79]},{"name":"NS_E_FILE_OPEN_FAILED","features":[79]},{"name":"NS_E_FILE_PLAY_FAILED","features":[79]},{"name":"NS_E_FILE_READ","features":[79]},{"name":"NS_E_FILE_WRITE","features":[79]},{"name":"NS_E_FIREWALL","features":[79]},{"name":"NS_E_FLASH_PLAYBACK_NOT_ALLOWED","features":[79]},{"name":"NS_E_GLITCH_MODE","features":[79]},{"name":"NS_E_GRAPH_NOAUDIOLANGUAGE","features":[79]},{"name":"NS_E_GRAPH_NOAUDIOLANGUAGESELECTED","features":[79]},{"name":"NS_E_HDS_KEY_MISMATCH","features":[79]},{"name":"NS_E_HEADER_MISMATCH","features":[79]},{"name":"NS_E_HTTP_DISABLED","features":[79]},{"name":"NS_E_HTTP_TEXT_DATACONTAINER_INVALID_SERVER_RESPONSE","features":[79]},{"name":"NS_E_HTTP_TEXT_DATACONTAINER_SIZE_LIMIT_EXCEEDED","features":[79]},{"name":"NS_E_ICMQUERYFORMAT","features":[79]},{"name":"NS_E_IE_DISALLOWS_ACTIVEX_CONTROLS","features":[79]},{"name":"NS_E_IMAGE_DOWNLOAD_FAILED","features":[79]},{"name":"NS_E_IMAPI_LOSSOFSTREAMING","features":[79]},{"name":"NS_E_IMAPI_MEDIUM_INVALIDTYPE","features":[79]},{"name":"NS_E_INCOMPATIBLE_FORMAT","features":[79]},{"name":"NS_E_INCOMPATIBLE_PUSH_SERVER","features":[79]},{"name":"NS_E_INCOMPATIBLE_SERVER","features":[79]},{"name":"NS_E_INCOMPATIBLE_VERSION","features":[79]},{"name":"NS_E_INCOMPLETE_PLAYLIST","features":[79]},{"name":"NS_E_INCORRECTCLIPSETTINGS","features":[79]},{"name":"NS_E_INDUCED","features":[79]},{"name":"NS_E_INPUTSOURCE_PROBLEM","features":[79]},{"name":"NS_E_INPUT_DOESNOT_SUPPORT_SMPTE","features":[79]},{"name":"NS_E_INPUT_WAVFORMAT_MISMATCH","features":[79]},{"name":"NS_E_INSUFFICIENT_BANDWIDTH","features":[79]},{"name":"NS_E_INSUFFICIENT_DATA","features":[79]},{"name":"NS_E_INTERFACE_NOT_REGISTERED_IN_GIT","features":[79]},{"name":"NS_E_INTERLACEMODE_MISMATCH","features":[79]},{"name":"NS_E_INTERLACE_REQUIRE_SAMESIZE","features":[79]},{"name":"NS_E_INTERNAL","features":[79]},{"name":"NS_E_INTERNAL_SERVER_ERROR","features":[79]},{"name":"NS_E_INVALIDCALL_WHILE_ARCHIVAL_RUNNING","features":[79]},{"name":"NS_E_INVALIDCALL_WHILE_ENCODER_RUNNING","features":[79]},{"name":"NS_E_INVALIDCALL_WHILE_ENCODER_STOPPED","features":[79]},{"name":"NS_E_INVALIDINPUTFPS","features":[79]},{"name":"NS_E_INVALIDPACKETSIZE","features":[79]},{"name":"NS_E_INVALIDPROFILE","features":[79]},{"name":"NS_E_INVALID_ARCHIVE","features":[79]},{"name":"NS_E_INVALID_AUDIO_BUFFERMAX","features":[79]},{"name":"NS_E_INVALID_AUDIO_PEAKRATE","features":[79]},{"name":"NS_E_INVALID_AUDIO_PEAKRATE_2","features":[79]},{"name":"NS_E_INVALID_BLACKHOLE_ADDRESS","features":[79]},{"name":"NS_E_INVALID_CHANNEL","features":[79]},{"name":"NS_E_INVALID_CLIENT","features":[79]},{"name":"NS_E_INVALID_DATA","features":[79]},{"name":"NS_E_INVALID_DEVICE","features":[79]},{"name":"NS_E_INVALID_DRMV2CLT_STUBLIB","features":[79]},{"name":"NS_E_INVALID_EDL","features":[79]},{"name":"NS_E_INVALID_FILE_BITRATE","features":[79]},{"name":"NS_E_INVALID_FOLDDOWN_COEFFICIENTS","features":[79]},{"name":"NS_E_INVALID_INDEX","features":[79]},{"name":"NS_E_INVALID_INDEX2","features":[79]},{"name":"NS_E_INVALID_INPUT_AUDIENCE_INDEX","features":[79]},{"name":"NS_E_INVALID_INPUT_FORMAT","features":[79]},{"name":"NS_E_INVALID_INPUT_LANGUAGE","features":[79]},{"name":"NS_E_INVALID_INPUT_STREAM","features":[79]},{"name":"NS_E_INVALID_INTERLACEMODE","features":[79]},{"name":"NS_E_INVALID_INTERLACE_COMPAT","features":[79]},{"name":"NS_E_INVALID_KEY","features":[79]},{"name":"NS_E_INVALID_LOG_URL","features":[79]},{"name":"NS_E_INVALID_MTU_RANGE","features":[79]},{"name":"NS_E_INVALID_NAME","features":[79]},{"name":"NS_E_INVALID_NONSQUAREPIXEL_COMPAT","features":[79]},{"name":"NS_E_INVALID_NUM_PASSES","features":[79]},{"name":"NS_E_INVALID_OPERATING_SYSTEM_VERSION","features":[79]},{"name":"NS_E_INVALID_OUTPUT_FORMAT","features":[79]},{"name":"NS_E_INVALID_PIXEL_ASPECT_RATIO","features":[79]},{"name":"NS_E_INVALID_PLAY_STATISTICS","features":[79]},{"name":"NS_E_INVALID_PLUGIN_LOAD_TYPE_CONFIGURATION","features":[79]},{"name":"NS_E_INVALID_PORT","features":[79]},{"name":"NS_E_INVALID_PROFILE_CONTENTTYPE","features":[79]},{"name":"NS_E_INVALID_PUBLISHING_POINT_NAME","features":[79]},{"name":"NS_E_INVALID_PUSH_PUBLISHING_POINT","features":[79]},{"name":"NS_E_INVALID_PUSH_PUBLISHING_POINT_START_REQUEST","features":[79]},{"name":"NS_E_INVALID_PUSH_TEMPLATE","features":[79]},{"name":"NS_E_INVALID_QUERY_OPERATOR","features":[79]},{"name":"NS_E_INVALID_QUERY_PROPERTY","features":[79]},{"name":"NS_E_INVALID_REDIRECT","features":[79]},{"name":"NS_E_INVALID_REQUEST","features":[79]},{"name":"NS_E_INVALID_SAMPLING_RATE","features":[79]},{"name":"NS_E_INVALID_SCRIPT_BITRATE","features":[79]},{"name":"NS_E_INVALID_SOURCE_WITH_DEVICE_CONTROL","features":[79]},{"name":"NS_E_INVALID_STREAM","features":[79]},{"name":"NS_E_INVALID_TIMECODE","features":[79]},{"name":"NS_E_INVALID_TTL","features":[79]},{"name":"NS_E_INVALID_VBR_COMPAT","features":[79]},{"name":"NS_E_INVALID_VBR_WITH_UNCOMP","features":[79]},{"name":"NS_E_INVALID_VIDEO_BITRATE","features":[79]},{"name":"NS_E_INVALID_VIDEO_BUFFER","features":[79]},{"name":"NS_E_INVALID_VIDEO_BUFFERMAX","features":[79]},{"name":"NS_E_INVALID_VIDEO_BUFFERMAX_2","features":[79]},{"name":"NS_E_INVALID_VIDEO_CQUALITY","features":[79]},{"name":"NS_E_INVALID_VIDEO_FPS","features":[79]},{"name":"NS_E_INVALID_VIDEO_HEIGHT","features":[79]},{"name":"NS_E_INVALID_VIDEO_HEIGHT_ALIGN","features":[79]},{"name":"NS_E_INVALID_VIDEO_IQUALITY","features":[79]},{"name":"NS_E_INVALID_VIDEO_KEYFRAME","features":[79]},{"name":"NS_E_INVALID_VIDEO_PEAKRATE","features":[79]},{"name":"NS_E_INVALID_VIDEO_PEAKRATE_2","features":[79]},{"name":"NS_E_INVALID_VIDEO_WIDTH","features":[79]},{"name":"NS_E_INVALID_VIDEO_WIDTH_ALIGN","features":[79]},{"name":"NS_E_INVALID_VIDEO_WIDTH_FOR_INTERLACED_ENCODING","features":[79]},{"name":"NS_E_LANGUAGE_MISMATCH","features":[79]},{"name":"NS_E_LATE_OPERATION","features":[79]},{"name":"NS_E_LATE_PACKET","features":[79]},{"name":"NS_E_LICENSE_EXPIRED","features":[79]},{"name":"NS_E_LICENSE_HEADER_MISSING_URL","features":[79]},{"name":"NS_E_LICENSE_INCORRECT_RIGHTS","features":[79]},{"name":"NS_E_LICENSE_OUTOFDATE","features":[79]},{"name":"NS_E_LICENSE_REQUIRED","features":[79]},{"name":"NS_E_LOGFILEPERIOD","features":[79]},{"name":"NS_E_LOG_FILE_SIZE","features":[79]},{"name":"NS_E_LOG_NEED_TO_BE_SKIPPED","features":[79]},{"name":"NS_E_MARKIN_UNSUPPORTED","features":[79]},{"name":"NS_E_MAX_BITRATE","features":[79]},{"name":"NS_E_MAX_CLIENTS","features":[79]},{"name":"NS_E_MAX_FILERATE","features":[79]},{"name":"NS_E_MAX_FUNNELS_ALERT","features":[79]},{"name":"NS_E_MAX_PACKET_SIZE_TOO_SMALL","features":[79]},{"name":"NS_E_MEDIACD_READ_ERROR","features":[79]},{"name":"NS_E_MEDIA_LIBRARY_FAILED","features":[79]},{"name":"NS_E_MEDIA_PARSER_INVALID_FORMAT","features":[79]},{"name":"NS_E_MEMSTORAGE_BAD_DATA","features":[79]},{"name":"NS_E_METADATA_CACHE_DATA_NOT_AVAILABLE","features":[79]},{"name":"NS_E_METADATA_CANNOT_RETRIEVE_FROM_OFFLINE_CACHE","features":[79]},{"name":"NS_E_METADATA_CANNOT_SET_LOCALE","features":[79]},{"name":"NS_E_METADATA_FORMAT_NOT_SUPPORTED","features":[79]},{"name":"NS_E_METADATA_IDENTIFIER_NOT_AVAILABLE","features":[79]},{"name":"NS_E_METADATA_INVALID_DOCUMENT_TYPE","features":[79]},{"name":"NS_E_METADATA_LANGUAGE_NOT_SUPORTED","features":[79]},{"name":"NS_E_METADATA_NOT_AVAILABLE","features":[79]},{"name":"NS_E_METADATA_NO_EDITING_CAPABILITY","features":[79]},{"name":"NS_E_METADATA_NO_RFC1766_NAME_FOR_LOCALE","features":[79]},{"name":"NS_E_MISMATCHED_MEDIACONTENT","features":[79]},{"name":"NS_E_MISSING_AUDIENCE","features":[79]},{"name":"NS_E_MISSING_CHANNEL","features":[79]},{"name":"NS_E_MISSING_SOURCE_INDEX","features":[79]},{"name":"NS_E_MIXER_INVALID_CONTROL","features":[79]},{"name":"NS_E_MIXER_INVALID_LINE","features":[79]},{"name":"NS_E_MIXER_INVALID_VALUE","features":[79]},{"name":"NS_E_MIXER_NODRIVER","features":[79]},{"name":"NS_E_MIXER_UNKNOWN_MMRESULT","features":[79]},{"name":"NS_E_MLS_SMARTPLAYLIST_FILTER_NOT_REGISTERED","features":[79]},{"name":"NS_E_MMSAUTOSERVER_CANTFINDWALKER","features":[79]},{"name":"NS_E_MMS_NOT_SUPPORTED","features":[79]},{"name":"NS_E_MONITOR_GIVEUP","features":[79]},{"name":"NS_E_MP3_FORMAT_NOT_FOUND","features":[79]},{"name":"NS_E_MPDB_GENERIC","features":[79]},{"name":"NS_E_MSAUDIO_NOT_INSTALLED","features":[79]},{"name":"NS_E_MSBD_NO_LONGER_SUPPORTED","features":[79]},{"name":"NS_E_MULTICAST_DISABLED","features":[79]},{"name":"NS_E_MULTICAST_PLUGIN_NOT_ENABLED","features":[79]},{"name":"NS_E_MULTIPLE_AUDIO_CODECS","features":[79]},{"name":"NS_E_MULTIPLE_AUDIO_FORMATS","features":[79]},{"name":"NS_E_MULTIPLE_FILE_BITRATES","features":[79]},{"name":"NS_E_MULTIPLE_SCRIPT_BITRATES","features":[79]},{"name":"NS_E_MULTIPLE_VBR_AUDIENCES","features":[79]},{"name":"NS_E_MULTIPLE_VIDEO_CODECS","features":[79]},{"name":"NS_E_MULTIPLE_VIDEO_SIZES","features":[79]},{"name":"NS_E_NAMESPACE_BAD_NAME","features":[79]},{"name":"NS_E_NAMESPACE_BUFFER_TOO_SMALL","features":[79]},{"name":"NS_E_NAMESPACE_CALLBACK_NOT_FOUND","features":[79]},{"name":"NS_E_NAMESPACE_DUPLICATE_CALLBACK","features":[79]},{"name":"NS_E_NAMESPACE_DUPLICATE_NAME","features":[79]},{"name":"NS_E_NAMESPACE_EMPTY_NAME","features":[79]},{"name":"NS_E_NAMESPACE_INDEX_TOO_LARGE","features":[79]},{"name":"NS_E_NAMESPACE_NAME_TOO_LONG","features":[79]},{"name":"NS_E_NAMESPACE_NODE_CONFLICT","features":[79]},{"name":"NS_E_NAMESPACE_NODE_NOT_FOUND","features":[79]},{"name":"NS_E_NAMESPACE_TOO_MANY_CALLBACKS","features":[79]},{"name":"NS_E_NAMESPACE_WRONG_PERSIST","features":[79]},{"name":"NS_E_NAMESPACE_WRONG_SECURITY","features":[79]},{"name":"NS_E_NAMESPACE_WRONG_TYPE","features":[79]},{"name":"NS_E_NEED_CORE_REFERENCE","features":[79]},{"name":"NS_E_NEED_TO_ASK_USER","features":[79]},{"name":"NS_E_NETWORK_BUSY","features":[79]},{"name":"NS_E_NETWORK_RESOURCE_FAILURE","features":[79]},{"name":"NS_E_NETWORK_SERVICE_FAILURE","features":[79]},{"name":"NS_E_NETWORK_SINK_WRITE","features":[79]},{"name":"NS_E_NET_READ","features":[79]},{"name":"NS_E_NET_WRITE","features":[79]},{"name":"NS_E_NOCONNECTION","features":[79]},{"name":"NS_E_NOFUNNEL","features":[79]},{"name":"NS_E_NOMATCHING_ELEMENT","features":[79]},{"name":"NS_E_NOMATCHING_MEDIASOURCE","features":[79]},{"name":"NS_E_NONSQUAREPIXELMODE_MISMATCH","features":[79]},{"name":"NS_E_NOREGISTEREDWALKER","features":[79]},{"name":"NS_E_NOSOURCEGROUPS","features":[79]},{"name":"NS_E_NOSTATSAVAILABLE","features":[79]},{"name":"NS_E_NOTARCHIVING","features":[79]},{"name":"NS_E_NOTHING_TO_DO","features":[79]},{"name":"NS_E_NOTITLES","features":[79]},{"name":"NS_E_NOT_CONFIGURED","features":[79]},{"name":"NS_E_NOT_CONNECTED","features":[79]},{"name":"NS_E_NOT_CONTENT_PARTNER_TRACK","features":[79]},{"name":"NS_E_NOT_LICENSED","features":[79]},{"name":"NS_E_NOT_REBUILDING","features":[79]},{"name":"NS_E_NO_ACTIVE_SOURCEGROUP","features":[79]},{"name":"NS_E_NO_AUDIENCES","features":[79]},{"name":"NS_E_NO_AUDIODATA","features":[79]},{"name":"NS_E_NO_AUDIO_COMPAT","features":[79]},{"name":"NS_E_NO_AUDIO_TIMECOMPRESSION","features":[79]},{"name":"NS_E_NO_CD","features":[79]},{"name":"NS_E_NO_CD_BURNER","features":[79]},{"name":"NS_E_NO_CHANNELS","features":[79]},{"name":"NS_E_NO_DATAVIEW_SUPPORT","features":[79]},{"name":"NS_E_NO_DEVICE","features":[79]},{"name":"NS_E_NO_ERROR_STRING_FOUND","features":[79]},{"name":"NS_E_NO_EXISTING_PACKETIZER","features":[79]},{"name":"NS_E_NO_FORMATS","features":[79]},{"name":"NS_E_NO_FRAMES_SUBMITTED_TO_ANALYZER","features":[79]},{"name":"NS_E_NO_LOCALPLAY","features":[79]},{"name":"NS_E_NO_MBR_WITH_TIMECODE","features":[79]},{"name":"NS_E_NO_MEDIAFORMAT_IN_SOURCE","features":[79]},{"name":"NS_E_NO_MEDIA_IN_AUDIENCE","features":[79]},{"name":"NS_E_NO_MEDIA_PROTOCOL","features":[79]},{"name":"NS_E_NO_MORE_SAMPLES","features":[79]},{"name":"NS_E_NO_MULTICAST","features":[79]},{"name":"NS_E_NO_MULTIPASS_FOR_LIVEDEVICE","features":[79]},{"name":"NS_E_NO_NEW_CONNECTIONS","features":[79]},{"name":"NS_E_NO_PAL_INVERSE_TELECINE","features":[79]},{"name":"NS_E_NO_PDA","features":[79]},{"name":"NS_E_NO_PROFILE_IN_SOURCEGROUP","features":[79]},{"name":"NS_E_NO_PROFILE_NAME","features":[79]},{"name":"NS_E_NO_REALTIME_PREPROCESS","features":[79]},{"name":"NS_E_NO_REALTIME_TIMECOMPRESSION","features":[79]},{"name":"NS_E_NO_REFERENCES","features":[79]},{"name":"NS_E_NO_REPEAT_PREPROCESS","features":[79]},{"name":"NS_E_NO_SCRIPT_ENGINE","features":[79]},{"name":"NS_E_NO_SCRIPT_STREAM","features":[79]},{"name":"NS_E_NO_SERVER_CONTACT","features":[79]},{"name":"NS_E_NO_SMPTE_WITH_MULTIPLE_SOURCEGROUPS","features":[79]},{"name":"NS_E_NO_SPECIFIED_DEVICE","features":[79]},{"name":"NS_E_NO_STREAM","features":[79]},{"name":"NS_E_NO_TWOPASS_TIMECOMPRESSION","features":[79]},{"name":"NS_E_NO_VALID_OUTPUT_STREAM","features":[79]},{"name":"NS_E_NO_VALID_SOURCE_PLUGIN","features":[79]},{"name":"NS_E_NUM_LANGUAGE_MISMATCH","features":[79]},{"name":"NS_E_OFFLINE_MODE","features":[79]},{"name":"NS_E_OPEN_CONTAINING_FOLDER_FAILED","features":[79]},{"name":"NS_E_OPEN_FILE_LIMIT","features":[79]},{"name":"NS_E_OUTPUT_PROTECTION_LEVEL_UNSUPPORTED","features":[79]},{"name":"NS_E_OUTPUT_PROTECTION_SCHEME_UNSUPPORTED","features":[79]},{"name":"NS_E_PACKETSINK_UNKNOWN_FEC_STREAM","features":[79]},{"name":"NS_E_PAGING_ERROR","features":[79]},{"name":"NS_E_PARTIALLY_REBUILT_DISK","features":[79]},{"name":"NS_E_PDA_CANNOT_CREATE_ADDITIONAL_SYNC_RELATIONSHIP","features":[79]},{"name":"NS_E_PDA_CANNOT_SYNC_FROM_INTERNET","features":[79]},{"name":"NS_E_PDA_CANNOT_SYNC_FROM_LOCATION","features":[79]},{"name":"NS_E_PDA_CANNOT_SYNC_INVALID_PLAYLIST","features":[79]},{"name":"NS_E_PDA_CANNOT_TRANSCODE","features":[79]},{"name":"NS_E_PDA_CANNOT_TRANSCODE_TO_AUDIO","features":[79]},{"name":"NS_E_PDA_CANNOT_TRANSCODE_TO_IMAGE","features":[79]},{"name":"NS_E_PDA_CANNOT_TRANSCODE_TO_VIDEO","features":[79]},{"name":"NS_E_PDA_CEWMDM_DRM_ERROR","features":[79]},{"name":"NS_E_PDA_DELETE_FAILED","features":[79]},{"name":"NS_E_PDA_DEVICESUPPORTDISABLED","features":[79]},{"name":"NS_E_PDA_DEVICE_FULL","features":[79]},{"name":"NS_E_PDA_DEVICE_FULL_IN_SESSION","features":[79]},{"name":"NS_E_PDA_DEVICE_NOT_RESPONDING","features":[79]},{"name":"NS_E_PDA_ENCODER_NOT_RESPONDING","features":[79]},{"name":"NS_E_PDA_FAILED_TO_BURN","features":[79]},{"name":"NS_E_PDA_FAILED_TO_ENCRYPT_TRANSCODED_FILE","features":[79]},{"name":"NS_E_PDA_FAILED_TO_RETRIEVE_FILE","features":[79]},{"name":"NS_E_PDA_FAILED_TO_SYNCHRONIZE_FILE","features":[79]},{"name":"NS_E_PDA_FAILED_TO_TRANSCODE_PHOTO","features":[79]},{"name":"NS_E_PDA_FAIL_READ_WAVE_FILE","features":[79]},{"name":"NS_E_PDA_FAIL_SELECT_DEVICE","features":[79]},{"name":"NS_E_PDA_INITIALIZINGDEVICES","features":[79]},{"name":"NS_E_PDA_MANUALDEVICE","features":[79]},{"name":"NS_E_PDA_NO_LONGER_AVAILABLE","features":[79]},{"name":"NS_E_PDA_NO_TRANSCODE_OF_DRM","features":[79]},{"name":"NS_E_PDA_OBSOLETE_SP","features":[79]},{"name":"NS_E_PDA_PARTNERSHIPNOTEXIST","features":[79]},{"name":"NS_E_PDA_RETRIEVED_FILE_FILENAME_TOO_LONG","features":[79]},{"name":"NS_E_PDA_SYNC_FAILED","features":[79]},{"name":"NS_E_PDA_SYNC_LOGIN_ERROR","features":[79]},{"name":"NS_E_PDA_SYNC_RUNNING","features":[79]},{"name":"NS_E_PDA_TITLE_COLLISION","features":[79]},{"name":"NS_E_PDA_TOO_MANY_FILES_IN_DIRECTORY","features":[79]},{"name":"NS_E_PDA_TOO_MANY_FILE_COLLISIONS","features":[79]},{"name":"NS_E_PDA_TRANSCODECACHEFULL","features":[79]},{"name":"NS_E_PDA_TRANSCODE_CODEC_NOT_FOUND","features":[79]},{"name":"NS_E_PDA_TRANSCODE_NOT_PERMITTED","features":[79]},{"name":"NS_E_PDA_UNSPECIFIED_ERROR","features":[79]},{"name":"NS_E_PDA_UNSUPPORTED_FORMAT","features":[79]},{"name":"NS_E_PLAYLIST_CONTAINS_ERRORS","features":[79]},{"name":"NS_E_PLAYLIST_END_RECEDING","features":[79]},{"name":"NS_E_PLAYLIST_ENTRY_ALREADY_PLAYING","features":[79]},{"name":"NS_E_PLAYLIST_ENTRY_HAS_CHANGED","features":[79]},{"name":"NS_E_PLAYLIST_ENTRY_NOT_IN_PLAYLIST","features":[79]},{"name":"NS_E_PLAYLIST_ENTRY_SEEK","features":[79]},{"name":"NS_E_PLAYLIST_PARSE_FAILURE","features":[79]},{"name":"NS_E_PLAYLIST_PLUGIN_NOT_FOUND","features":[79]},{"name":"NS_E_PLAYLIST_RECURSIVE_PLAYLISTS","features":[79]},{"name":"NS_E_PLAYLIST_SHUTDOWN","features":[79]},{"name":"NS_E_PLAYLIST_TOO_MANY_NESTED_PLAYLISTS","features":[79]},{"name":"NS_E_PLAYLIST_UNSUPPORTED_ENTRY","features":[79]},{"name":"NS_E_PLUGIN_CLSID_INVALID","features":[79]},{"name":"NS_E_PLUGIN_ERROR_REPORTED","features":[79]},{"name":"NS_E_PLUGIN_NOTSHUTDOWN","features":[79]},{"name":"NS_E_PORT_IN_USE","features":[79]},{"name":"NS_E_PORT_IN_USE_HTTP","features":[79]},{"name":"NS_E_PROCESSINGSHOWSYNCWIZARD","features":[79]},{"name":"NS_E_PROFILE_MISMATCH","features":[79]},{"name":"NS_E_PROPERTY_NOT_FOUND","features":[79]},{"name":"NS_E_PROPERTY_NOT_SUPPORTED","features":[79]},{"name":"NS_E_PROPERTY_READ_ONLY","features":[79]},{"name":"NS_E_PROTECTED_CONTENT","features":[79]},{"name":"NS_E_PROTOCOL_MISMATCH","features":[79]},{"name":"NS_E_PROXY_ACCESSDENIED","features":[79]},{"name":"NS_E_PROXY_CONNECT_TIMEOUT","features":[79]},{"name":"NS_E_PROXY_DNS_TIMEOUT","features":[79]},{"name":"NS_E_PROXY_NOT_FOUND","features":[79]},{"name":"NS_E_PROXY_SOURCE_ACCESSDENIED","features":[79]},{"name":"NS_E_PROXY_TIMEOUT","features":[79]},{"name":"NS_E_PUBLISHING_POINT_INVALID_REQUEST_WHILE_STARTED","features":[79]},{"name":"NS_E_PUBLISHING_POINT_REMOVED","features":[79]},{"name":"NS_E_PUBLISHING_POINT_STOPPED","features":[79]},{"name":"NS_E_PUSH_CANNOTCONNECT","features":[79]},{"name":"NS_E_PUSH_DUPLICATE_PUBLISHING_POINT_NAME","features":[79]},{"name":"NS_E_REBOOT_RECOMMENDED","features":[79]},{"name":"NS_E_REBOOT_REQUIRED","features":[79]},{"name":"NS_E_RECORDQ_DISK_FULL","features":[79]},{"name":"NS_E_REDBOOK_ENABLED_WHILE_COPYING","features":[79]},{"name":"NS_E_REDIRECT","features":[79]},{"name":"NS_E_REDIRECT_TO_PROXY","features":[79]},{"name":"NS_E_REFUSED_BY_SERVER","features":[79]},{"name":"NS_E_REG_FLUSH_FAILURE","features":[79]},{"name":"NS_E_REMIRRORED_DISK","features":[79]},{"name":"NS_E_REQUIRE_STREAMING_CLIENT","features":[79]},{"name":"NS_E_RESET_SOCKET_CONNECTION","features":[79]},{"name":"NS_E_RESOURCE_GONE","features":[79]},{"name":"NS_E_SAME_AS_INPUT_COMBINATION","features":[79]},{"name":"NS_E_SCHEMA_CLASSIFY_FAILURE","features":[79]},{"name":"NS_E_SCRIPT_DEBUGGER_NOT_INSTALLED","features":[79]},{"name":"NS_E_SDK_BUFFERTOOSMALL","features":[79]},{"name":"NS_E_SERVER_ACCESSDENIED","features":[79]},{"name":"NS_E_SERVER_DNS_TIMEOUT","features":[79]},{"name":"NS_E_SERVER_NOT_FOUND","features":[79]},{"name":"NS_E_SERVER_UNAVAILABLE","features":[79]},{"name":"NS_E_SESSION_INVALID","features":[79]},{"name":"NS_E_SESSION_NOT_FOUND","features":[79]},{"name":"NS_E_SETUP_BLOCKED","features":[79]},{"name":"NS_E_SETUP_DRM_MIGRATION_FAILED","features":[79]},{"name":"NS_E_SETUP_DRM_MIGRATION_FAILED_AND_IGNORABLE_FAILURE","features":[79]},{"name":"NS_E_SETUP_IGNORABLE_FAILURE","features":[79]},{"name":"NS_E_SETUP_INCOMPLETE","features":[79]},{"name":"NS_E_SET_DISK_UID_FAILED","features":[79]},{"name":"NS_E_SHARING_STATE_OUT_OF_SYNC","features":[79]},{"name":"NS_E_SHARING_VIOLATION","features":[79]},{"name":"NS_E_SHUTDOWN","features":[79]},{"name":"NS_E_SLOW_READ_DIGITAL","features":[79]},{"name":"NS_E_SLOW_READ_DIGITAL_WITH_ERRORCORRECTION","features":[79]},{"name":"NS_E_SMPTEMODE_MISMATCH","features":[79]},{"name":"NS_E_SOURCEGROUP_NOTPREPARED","features":[79]},{"name":"NS_E_SOURCE_CANNOT_LOOP","features":[79]},{"name":"NS_E_SOURCE_NOTSPECIFIED","features":[79]},{"name":"NS_E_SOURCE_PLUGIN_NOT_FOUND","features":[79]},{"name":"NS_E_SPEECHEDL_ON_NON_MIXEDMODE","features":[79]},{"name":"NS_E_STALE_PRESENTATION","features":[79]},{"name":"NS_E_STREAM_END","features":[79]},{"name":"NS_E_STRIDE_REFUSED","features":[79]},{"name":"NS_E_SUBSCRIPTIONSERVICE_DOWNLOAD_TIMEOUT","features":[79]},{"name":"NS_E_SUBSCRIPTIONSERVICE_LOGIN_FAILED","features":[79]},{"name":"NS_E_SUBSCRIPTIONSERVICE_PLAYBACK_DISALLOWED","features":[79]},{"name":"NS_E_SYNCWIZ_CANNOT_CHANGE_SETTINGS","features":[79]},{"name":"NS_E_SYNCWIZ_DEVICE_FULL","features":[79]},{"name":"NS_E_TABLE_KEY_NOT_FOUND","features":[79]},{"name":"NS_E_TAMPERED_CONTENT","features":[79]},{"name":"NS_E_TCP_DISABLED","features":[79]},{"name":"NS_E_TIGER_FAIL","features":[79]},{"name":"NS_E_TIMECODE_REQUIRES_VIDEOSTREAM","features":[79]},{"name":"NS_E_TIMEOUT","features":[79]},{"name":"NS_E_TITLE_BITRATE","features":[79]},{"name":"NS_E_TITLE_SIZE_EXCEEDED","features":[79]},{"name":"NS_E_TOO_MANY_AUDIO","features":[79]},{"name":"NS_E_TOO_MANY_DEVICECONTROL","features":[79]},{"name":"NS_E_TOO_MANY_HOPS","features":[79]},{"name":"NS_E_TOO_MANY_MULTICAST_SINKS","features":[79]},{"name":"NS_E_TOO_MANY_SESS","features":[79]},{"name":"NS_E_TOO_MANY_TITLES","features":[79]},{"name":"NS_E_TOO_MANY_VIDEO","features":[79]},{"name":"NS_E_TOO_MUCH_DATA","features":[79]},{"name":"NS_E_TOO_MUCH_DATA_FROM_SERVER","features":[79]},{"name":"NS_E_TRACK_DOWNLOAD_REQUIRES_ALBUM_PURCHASE","features":[79]},{"name":"NS_E_TRACK_DOWNLOAD_REQUIRES_PURCHASE","features":[79]},{"name":"NS_E_TRACK_PURCHASE_MAXIMUM_EXCEEDED","features":[79]},{"name":"NS_E_TRANSCODE_DELETECACHEERROR","features":[79]},{"name":"NS_E_TRANSFORM_PLUGIN_INVALID","features":[79]},{"name":"NS_E_TRANSFORM_PLUGIN_NOT_FOUND","features":[79]},{"name":"NS_E_UDP_DISABLED","features":[79]},{"name":"NS_E_UNABLE_TO_CREATE_RIP_LOCATION","features":[79]},{"name":"NS_E_UNCOMPRESSED_DIGITAL_AUDIO_PROTECTION_LEVEL_UNSUPPORTED","features":[79]},{"name":"NS_E_UNCOMPRESSED_DIGITAL_VIDEO_PROTECTION_LEVEL_UNSUPPORTED","features":[79]},{"name":"NS_E_UNCOMP_COMP_COMBINATION","features":[79]},{"name":"NS_E_UNEXPECTED_DISPLAY_SETTINGS","features":[79]},{"name":"NS_E_UNEXPECTED_MSAUDIO_ERROR","features":[79]},{"name":"NS_E_UNKNOWN_PROTOCOL","features":[79]},{"name":"NS_E_UNRECOGNIZED_STREAM_TYPE","features":[79]},{"name":"NS_E_UNSUPPORTED_ARCHIVEOPERATION","features":[79]},{"name":"NS_E_UNSUPPORTED_ARCHIVETYPE","features":[79]},{"name":"NS_E_UNSUPPORTED_ENCODER_DEVICE","features":[79]},{"name":"NS_E_UNSUPPORTED_LANGUAGE","features":[79]},{"name":"NS_E_UNSUPPORTED_LOAD_TYPE","features":[79]},{"name":"NS_E_UNSUPPORTED_PROPERTY","features":[79]},{"name":"NS_E_UNSUPPORTED_SOURCETYPE","features":[79]},{"name":"NS_E_URLLIST_INVALIDFORMAT","features":[79]},{"name":"NS_E_USER_STOP","features":[79]},{"name":"NS_E_USE_FILE_SOURCE","features":[79]},{"name":"NS_E_VBRMODE_MISMATCH","features":[79]},{"name":"NS_E_VIDCAPCREATEWINDOW","features":[79]},{"name":"NS_E_VIDCAPDRVINUSE","features":[79]},{"name":"NS_E_VIDCAPSTARTFAILED","features":[79]},{"name":"NS_E_VIDEODEVICE_BUSY","features":[79]},{"name":"NS_E_VIDEODEVICE_UNEXPECTED","features":[79]},{"name":"NS_E_VIDEODRIVER_UNSTABLE","features":[79]},{"name":"NS_E_VIDEO_BITRATE_STEPDOWN","features":[79]},{"name":"NS_E_VIDEO_CODEC_ERROR","features":[79]},{"name":"NS_E_VIDEO_CODEC_NOT_INSTALLED","features":[79]},{"name":"NS_E_VIDSOURCECOMPRESSION","features":[79]},{"name":"NS_E_VIDSOURCESIZE","features":[79]},{"name":"NS_E_WALKER_SERVER","features":[79]},{"name":"NS_E_WALKER_UNKNOWN","features":[79]},{"name":"NS_E_WALKER_USAGE","features":[79]},{"name":"NS_E_WAVE_OPEN","features":[79]},{"name":"NS_E_WINSOCK_ERROR_STRING","features":[79]},{"name":"NS_E_WIZARD_RUNNING","features":[79]},{"name":"NS_E_WMDM_REVOKED","features":[79]},{"name":"NS_E_WMDRM_DEPRECATED","features":[79]},{"name":"NS_E_WME_VERSION_MISMATCH","features":[79]},{"name":"NS_E_WMG_CANNOTQUEUE","features":[79]},{"name":"NS_E_WMG_COPP_SECURITY_INVALID","features":[79]},{"name":"NS_E_WMG_COPP_UNSUPPORTED","features":[79]},{"name":"NS_E_WMG_FILETRANSFERNOTALLOWED","features":[79]},{"name":"NS_E_WMG_INVALIDSTATE","features":[79]},{"name":"NS_E_WMG_INVALID_COPP_CERTIFICATE","features":[79]},{"name":"NS_E_WMG_LICENSE_TAMPERED","features":[79]},{"name":"NS_E_WMG_NOSDKINTERFACE","features":[79]},{"name":"NS_E_WMG_NOTALLOUTPUTSRENDERED","features":[79]},{"name":"NS_E_WMG_PLUGINUNAVAILABLE","features":[79]},{"name":"NS_E_WMG_PREROLLLICENSEACQUISITIONNOTALLOWED","features":[79]},{"name":"NS_E_WMG_RATEUNAVAILABLE","features":[79]},{"name":"NS_E_WMG_SINKALREADYEXISTS","features":[79]},{"name":"NS_E_WMG_UNEXPECTEDPREROLLSTATUS","features":[79]},{"name":"NS_E_WMPBR_BACKUPCANCEL","features":[79]},{"name":"NS_E_WMPBR_BACKUPRESTOREFAILED","features":[79]},{"name":"NS_E_WMPBR_DRIVE_INVALID","features":[79]},{"name":"NS_E_WMPBR_ERRORWITHURL","features":[79]},{"name":"NS_E_WMPBR_NAMECOLLISION","features":[79]},{"name":"NS_E_WMPBR_NOLISTENER","features":[79]},{"name":"NS_E_WMPBR_RESTORECANCEL","features":[79]},{"name":"NS_E_WMPCORE_BUFFERTOOSMALL","features":[79]},{"name":"NS_E_WMPCORE_BUSY","features":[79]},{"name":"NS_E_WMPCORE_COCREATEFAILEDFORGITOBJECT","features":[79]},{"name":"NS_E_WMPCORE_CODEC_DOWNLOAD_NOT_ALLOWED","features":[79]},{"name":"NS_E_WMPCORE_CODEC_NOT_FOUND","features":[79]},{"name":"NS_E_WMPCORE_CODEC_NOT_TRUSTED","features":[79]},{"name":"NS_E_WMPCORE_CURRENT_MEDIA_NOT_ACTIVE","features":[79]},{"name":"NS_E_WMPCORE_DEVICE_DRIVERS_MISSING","features":[79]},{"name":"NS_E_WMPCORE_ERRORMANAGERNOTAVAILABLE","features":[79]},{"name":"NS_E_WMPCORE_ERRORSINKNOTREGISTERED","features":[79]},{"name":"NS_E_WMPCORE_ERROR_DOWNLOADING_PLAYLIST","features":[79]},{"name":"NS_E_WMPCORE_FAILEDTOGETMARSHALLEDEVENTHANDLERINTERFACE","features":[79]},{"name":"NS_E_WMPCORE_FAILED_TO_BUILD_PLAYLIST","features":[79]},{"name":"NS_E_WMPCORE_FILE_NOT_FOUND","features":[79]},{"name":"NS_E_WMPCORE_GRAPH_NOT_IN_LIST","features":[79]},{"name":"NS_E_WMPCORE_INVALIDPLAYLISTMODE","features":[79]},{"name":"NS_E_WMPCORE_INVALID_PLAYLIST_URL","features":[79]},{"name":"NS_E_WMPCORE_ITEMNOTINPLAYLIST","features":[79]},{"name":"NS_E_WMPCORE_LIST_ENTRY_NO_REF","features":[79]},{"name":"NS_E_WMPCORE_MEDIA_ALTERNATE_REF_EMPTY","features":[79]},{"name":"NS_E_WMPCORE_MEDIA_CHILD_PLAYLIST_UNAVAILABLE","features":[79]},{"name":"NS_E_WMPCORE_MEDIA_ERROR_RESUME_FAILED","features":[79]},{"name":"NS_E_WMPCORE_MEDIA_NO_CHILD_PLAYLIST","features":[79]},{"name":"NS_E_WMPCORE_MEDIA_UNAVAILABLE","features":[79]},{"name":"NS_E_WMPCORE_MEDIA_URL_TOO_LONG","features":[79]},{"name":"NS_E_WMPCORE_MISMATCHED_RUNTIME","features":[79]},{"name":"NS_E_WMPCORE_MISNAMED_FILE","features":[79]},{"name":"NS_E_WMPCORE_NOBROWSER","features":[79]},{"name":"NS_E_WMPCORE_NOSOURCEURLSTRING","features":[79]},{"name":"NS_E_WMPCORE_NO_PLAYABLE_MEDIA_IN_PLAYLIST","features":[79]},{"name":"NS_E_WMPCORE_NO_REF_IN_ENTRY","features":[79]},{"name":"NS_E_WMPCORE_PLAYLISTEMPTY","features":[79]},{"name":"NS_E_WMPCORE_PLAYLIST_EMPTY_NESTED_PLAYLIST_SKIPPED_ITEMS","features":[79]},{"name":"NS_E_WMPCORE_PLAYLIST_EMPTY_OR_SINGLE_MEDIA","features":[79]},{"name":"NS_E_WMPCORE_PLAYLIST_EVENT_ATTRIBUTE_ABSENT","features":[79]},{"name":"NS_E_WMPCORE_PLAYLIST_EVENT_EMPTY","features":[79]},{"name":"NS_E_WMPCORE_PLAYLIST_IMPORT_FAILED_NO_ITEMS","features":[79]},{"name":"NS_E_WMPCORE_PLAYLIST_ITEM_ALTERNATE_EXHAUSTED","features":[79]},{"name":"NS_E_WMPCORE_PLAYLIST_ITEM_ALTERNATE_INIT_FAILED","features":[79]},{"name":"NS_E_WMPCORE_PLAYLIST_ITEM_ALTERNATE_MORPH_FAILED","features":[79]},{"name":"NS_E_WMPCORE_PLAYLIST_ITEM_ALTERNATE_NAME_NOT_FOUND","features":[79]},{"name":"NS_E_WMPCORE_PLAYLIST_ITEM_ALTERNATE_NONE","features":[79]},{"name":"NS_E_WMPCORE_PLAYLIST_NO_EVENT_NAME","features":[79]},{"name":"NS_E_WMPCORE_PLAYLIST_REPEAT_EMPTY","features":[79]},{"name":"NS_E_WMPCORE_PLAYLIST_REPEAT_END_MEDIA_NONE","features":[79]},{"name":"NS_E_WMPCORE_PLAYLIST_REPEAT_START_MEDIA_NONE","features":[79]},{"name":"NS_E_WMPCORE_PLAYLIST_STACK_EMPTY","features":[79]},{"name":"NS_E_WMPCORE_SOME_CODECS_MISSING","features":[79]},{"name":"NS_E_WMPCORE_TEMP_FILE_NOT_FOUND","features":[79]},{"name":"NS_E_WMPCORE_UNAVAILABLE","features":[79]},{"name":"NS_E_WMPCORE_UNRECOGNIZED_MEDIA_URL","features":[79]},{"name":"NS_E_WMPCORE_USER_CANCEL","features":[79]},{"name":"NS_E_WMPCORE_VIDEO_TRANSFORM_FILTER_INSERTION","features":[79]},{"name":"NS_E_WMPCORE_WEBHELPFAILED","features":[79]},{"name":"NS_E_WMPCORE_WMX_ENTRYREF_NO_REF","features":[79]},{"name":"NS_E_WMPCORE_WMX_LIST_ATTRIBUTE_NAME_EMPTY","features":[79]},{"name":"NS_E_WMPCORE_WMX_LIST_ATTRIBUTE_NAME_ILLEGAL","features":[79]},{"name":"NS_E_WMPCORE_WMX_LIST_ATTRIBUTE_VALUE_EMPTY","features":[79]},{"name":"NS_E_WMPCORE_WMX_LIST_ATTRIBUTE_VALUE_ILLEGAL","features":[79]},{"name":"NS_E_WMPCORE_WMX_LIST_ITEM_ATTRIBUTE_NAME_EMPTY","features":[79]},{"name":"NS_E_WMPCORE_WMX_LIST_ITEM_ATTRIBUTE_NAME_ILLEGAL","features":[79]},{"name":"NS_E_WMPCORE_WMX_LIST_ITEM_ATTRIBUTE_VALUE_EMPTY","features":[79]},{"name":"NS_E_WMPFLASH_CANT_FIND_COM_SERVER","features":[79]},{"name":"NS_E_WMPFLASH_INCOMPATIBLEVERSION","features":[79]},{"name":"NS_E_WMPIM_DIALUPFAILED","features":[79]},{"name":"NS_E_WMPIM_USERCANCELED","features":[79]},{"name":"NS_E_WMPIM_USEROFFLINE","features":[79]},{"name":"NS_E_WMPOCXGRAPH_IE_DISALLOWS_ACTIVEX_CONTROLS","features":[79]},{"name":"NS_E_WMPOCX_ERRORMANAGERNOTAVAILABLE","features":[79]},{"name":"NS_E_WMPOCX_NOT_RUNNING_REMOTELY","features":[79]},{"name":"NS_E_WMPOCX_NO_ACTIVE_CORE","features":[79]},{"name":"NS_E_WMPOCX_NO_REMOTE_CORE","features":[79]},{"name":"NS_E_WMPOCX_NO_REMOTE_WINDOW","features":[79]},{"name":"NS_E_WMPOCX_PLAYER_NOT_DOCKED","features":[79]},{"name":"NS_E_WMPOCX_REMOTE_PLAYER_ALREADY_RUNNING","features":[79]},{"name":"NS_E_WMPOCX_UNABLE_TO_LOAD_SKIN","features":[79]},{"name":"NS_E_WMPXML_ATTRIBUTENOTFOUND","features":[79]},{"name":"NS_E_WMPXML_EMPTYDOC","features":[79]},{"name":"NS_E_WMPXML_ENDOFDATA","features":[79]},{"name":"NS_E_WMPXML_NOERROR","features":[79]},{"name":"NS_E_WMPXML_PARSEERROR","features":[79]},{"name":"NS_E_WMPXML_PINOTFOUND","features":[79]},{"name":"NS_E_WMPZIP_CORRUPT","features":[79]},{"name":"NS_E_WMPZIP_FILENOTFOUND","features":[79]},{"name":"NS_E_WMPZIP_NOTAZIPFILE","features":[79]},{"name":"NS_E_WMP_ACCESS_DENIED","features":[79]},{"name":"NS_E_WMP_ADDTOLIBRARY_FAILED","features":[79]},{"name":"NS_E_WMP_ALREADY_IN_USE","features":[79]},{"name":"NS_E_WMP_AUDIO_CODEC_NOT_INSTALLED","features":[79]},{"name":"NS_E_WMP_AUDIO_DEVICE_LOST","features":[79]},{"name":"NS_E_WMP_AUDIO_HW_PROBLEM","features":[79]},{"name":"NS_E_WMP_AUTOPLAY_INVALID_STATE","features":[79]},{"name":"NS_E_WMP_BAD_DRIVER","features":[79]},{"name":"NS_E_WMP_BMP_BITMAP_NOT_CREATED","features":[79]},{"name":"NS_E_WMP_BMP_COMPRESSION_UNSUPPORTED","features":[79]},{"name":"NS_E_WMP_BMP_INVALID_BITMASK","features":[79]},{"name":"NS_E_WMP_BMP_INVALID_FORMAT","features":[79]},{"name":"NS_E_WMP_BMP_TOPDOWN_DIB_UNSUPPORTED","features":[79]},{"name":"NS_E_WMP_BSTR_TOO_LONG","features":[79]},{"name":"NS_E_WMP_BURN_DISC_OVERFLOW","features":[79]},{"name":"NS_E_WMP_CANNOT_BURN_NON_LOCAL_FILE","features":[79]},{"name":"NS_E_WMP_CANNOT_FIND_FILE","features":[79]},{"name":"NS_E_WMP_CANNOT_FIND_FOLDER","features":[79]},{"name":"NS_E_WMP_CANT_PLAY_PROTECTED","features":[79]},{"name":"NS_E_WMP_CD_ANOTHER_USER","features":[79]},{"name":"NS_E_WMP_CD_STASH_NO_SPACE","features":[79]},{"name":"NS_E_WMP_CODEC_NEEDED_WITH_4CC","features":[79]},{"name":"NS_E_WMP_CODEC_NEEDED_WITH_FORMATTAG","features":[79]},{"name":"NS_E_WMP_COMPONENT_REVOKED","features":[79]},{"name":"NS_E_WMP_CONNECT_TIMEOUT","features":[79]},{"name":"NS_E_WMP_CONVERT_FILE_CORRUPT","features":[79]},{"name":"NS_E_WMP_CONVERT_FILE_FAILED","features":[79]},{"name":"NS_E_WMP_CONVERT_NO_RIGHTS_ERRORURL","features":[79]},{"name":"NS_E_WMP_CONVERT_NO_RIGHTS_NOERRORURL","features":[79]},{"name":"NS_E_WMP_CONVERT_PLUGIN_UNAVAILABLE_ERRORURL","features":[79]},{"name":"NS_E_WMP_CONVERT_PLUGIN_UNAVAILABLE_NOERRORURL","features":[79]},{"name":"NS_E_WMP_CONVERT_PLUGIN_UNKNOWN_FILE_OWNER","features":[79]},{"name":"NS_E_WMP_CS_JPGPOSITIONIMAGE","features":[79]},{"name":"NS_E_WMP_CS_NOTEVENLYDIVISIBLE","features":[79]},{"name":"NS_E_WMP_DAI_SONGTOOSHORT","features":[79]},{"name":"NS_E_WMP_DRM_ACQUIRING_LICENSE","features":[79]},{"name":"NS_E_WMP_DRM_CANNOT_RESTORE","features":[79]},{"name":"NS_E_WMP_DRM_COMPONENT_FAILURE","features":[79]},{"name":"NS_E_WMP_DRM_CORRUPT_BACKUP","features":[79]},{"name":"NS_E_WMP_DRM_DRIVER_AUTH_FAILURE","features":[79]},{"name":"NS_E_WMP_DRM_GENERIC_LICENSE_FAILURE","features":[79]},{"name":"NS_E_WMP_DRM_INDIV_FAILED","features":[79]},{"name":"NS_E_WMP_DRM_INVALID_SIG","features":[79]},{"name":"NS_E_WMP_DRM_LICENSE_CONTENT_REVOKED","features":[79]},{"name":"NS_E_WMP_DRM_LICENSE_EXPIRED","features":[79]},{"name":"NS_E_WMP_DRM_LICENSE_NOSAP","features":[79]},{"name":"NS_E_WMP_DRM_LICENSE_NOTACQUIRED","features":[79]},{"name":"NS_E_WMP_DRM_LICENSE_NOTENABLED","features":[79]},{"name":"NS_E_WMP_DRM_LICENSE_SERVER_UNAVAILABLE","features":[79]},{"name":"NS_E_WMP_DRM_LICENSE_UNUSABLE","features":[79]},{"name":"NS_E_WMP_DRM_NEEDS_AUTHORIZATION","features":[79]},{"name":"NS_E_WMP_DRM_NEW_HARDWARE","features":[79]},{"name":"NS_E_WMP_DRM_NOT_ACQUIRING","features":[79]},{"name":"NS_E_WMP_DRM_NO_DEVICE_CERT","features":[79]},{"name":"NS_E_WMP_DRM_NO_RIGHTS","features":[79]},{"name":"NS_E_WMP_DRM_NO_SECURE_CLOCK","features":[79]},{"name":"NS_E_WMP_DRM_UNABLE_TO_ACQUIRE_LICENSE","features":[79]},{"name":"NS_E_WMP_DSHOW_UNSUPPORTED_FORMAT","features":[79]},{"name":"NS_E_WMP_ERASE_FAILED","features":[79]},{"name":"NS_E_WMP_EXTERNAL_NOTREADY","features":[79]},{"name":"NS_E_WMP_FAILED_TO_OPEN_IMAGE","features":[79]},{"name":"NS_E_WMP_FAILED_TO_OPEN_WMD","features":[79]},{"name":"NS_E_WMP_FAILED_TO_RIP_TRACK","features":[79]},{"name":"NS_E_WMP_FAILED_TO_SAVE_FILE","features":[79]},{"name":"NS_E_WMP_FAILED_TO_SAVE_PLAYLIST","features":[79]},{"name":"NS_E_WMP_FILESCANALREADYSTARTED","features":[79]},{"name":"NS_E_WMP_FILE_DOES_NOT_FIT_ON_CD","features":[79]},{"name":"NS_E_WMP_FILE_NO_DURATION","features":[79]},{"name":"NS_E_WMP_FILE_OPEN_FAILED","features":[79]},{"name":"NS_E_WMP_FILE_TYPE_CANNOT_BURN_TO_AUDIO_CD","features":[79]},{"name":"NS_E_WMP_FORMAT_FAILED","features":[79]},{"name":"NS_E_WMP_GIF_BAD_VERSION_NUMBER","features":[79]},{"name":"NS_E_WMP_GIF_INVALID_FORMAT","features":[79]},{"name":"NS_E_WMP_GIF_NO_IMAGE_IN_FILE","features":[79]},{"name":"NS_E_WMP_GIF_UNEXPECTED_ENDOFFILE","features":[79]},{"name":"NS_E_WMP_GOFULLSCREEN_FAILED","features":[79]},{"name":"NS_E_WMP_HME_INVALIDOBJECTID","features":[79]},{"name":"NS_E_WMP_HME_NOTSEARCHABLEFORITEMS","features":[79]},{"name":"NS_E_WMP_HME_STALEREQUEST","features":[79]},{"name":"NS_E_WMP_HWND_NOTFOUND","features":[79]},{"name":"NS_E_WMP_IMAGE_FILETYPE_UNSUPPORTED","features":[79]},{"name":"NS_E_WMP_IMAGE_INVALID_FORMAT","features":[79]},{"name":"NS_E_WMP_IMAPI2_ERASE_DEVICE_BUSY","features":[79]},{"name":"NS_E_WMP_IMAPI2_ERASE_FAIL","features":[79]},{"name":"NS_E_WMP_IMAPI_DEVICE_BUSY","features":[79]},{"name":"NS_E_WMP_IMAPI_DEVICE_INVALIDTYPE","features":[79]},{"name":"NS_E_WMP_IMAPI_DEVICE_NOTPRESENT","features":[79]},{"name":"NS_E_WMP_IMAPI_FAILURE","features":[79]},{"name":"NS_E_WMP_IMAPI_GENERIC","features":[79]},{"name":"NS_E_WMP_IMAPI_LOSS_OF_STREAMING","features":[79]},{"name":"NS_E_WMP_IMAPI_MEDIA_INCOMPATIBLE","features":[79]},{"name":"NS_E_WMP_INVALID_ASX","features":[79]},{"name":"NS_E_WMP_INVALID_KEY","features":[79]},{"name":"NS_E_WMP_INVALID_LIBRARY_ADD","features":[79]},{"name":"NS_E_WMP_INVALID_MAX_VAL","features":[79]},{"name":"NS_E_WMP_INVALID_MIN_VAL","features":[79]},{"name":"NS_E_WMP_INVALID_PROTOCOL","features":[79]},{"name":"NS_E_WMP_INVALID_REQUEST","features":[79]},{"name":"NS_E_WMP_INVALID_SKIN","features":[79]},{"name":"NS_E_WMP_JPGTRANSPARENCY","features":[79]},{"name":"NS_E_WMP_JPG_BAD_DCTSIZE","features":[79]},{"name":"NS_E_WMP_JPG_BAD_PRECISION","features":[79]},{"name":"NS_E_WMP_JPG_BAD_VERSION_NUMBER","features":[79]},{"name":"NS_E_WMP_JPG_CCIR601_NOTIMPL","features":[79]},{"name":"NS_E_WMP_JPG_FRACT_SAMPLE_NOTIMPL","features":[79]},{"name":"NS_E_WMP_JPG_IMAGE_TOO_BIG","features":[79]},{"name":"NS_E_WMP_JPG_INVALID_FORMAT","features":[79]},{"name":"NS_E_WMP_JPG_JERR_ARITHCODING_NOTIMPL","features":[79]},{"name":"NS_E_WMP_JPG_NO_IMAGE_IN_FILE","features":[79]},{"name":"NS_E_WMP_JPG_READ_ERROR","features":[79]},{"name":"NS_E_WMP_JPG_SOF_UNSUPPORTED","features":[79]},{"name":"NS_E_WMP_JPG_UNEXPECTED_ENDOFFILE","features":[79]},{"name":"NS_E_WMP_JPG_UNKNOWN_MARKER","features":[79]},{"name":"NS_E_WMP_LICENSE_REQUIRED","features":[79]},{"name":"NS_E_WMP_LICENSE_RESTRICTS","features":[79]},{"name":"NS_E_WMP_LOCKEDINSKINMODE","features":[79]},{"name":"NS_E_WMP_LOGON_FAILURE","features":[79]},{"name":"NS_E_WMP_MF_CODE_EXPIRED","features":[79]},{"name":"NS_E_WMP_MLS_STALE_DATA","features":[79]},{"name":"NS_E_WMP_MMS_NOT_SUPPORTED","features":[79]},{"name":"NS_E_WMP_MSSAP_NOT_AVAILABLE","features":[79]},{"name":"NS_E_WMP_MULTICAST_DISABLED","features":[79]},{"name":"NS_E_WMP_MULTIPLE_ERROR_IN_PLAYLIST","features":[79]},{"name":"NS_E_WMP_NEED_UPGRADE","features":[79]},{"name":"NS_E_WMP_NETWORK_ERROR","features":[79]},{"name":"NS_E_WMP_NETWORK_FIREWALL","features":[79]},{"name":"NS_E_WMP_NETWORK_RESOURCE_FAILURE","features":[79]},{"name":"NS_E_WMP_NONMEDIA_FILES","features":[79]},{"name":"NS_E_WMP_NO_DISK_SPACE","features":[79]},{"name":"NS_E_WMP_NO_PROTOCOLS_SELECTED","features":[79]},{"name":"NS_E_WMP_NO_REMOVABLE_MEDIA","features":[79]},{"name":"NS_E_WMP_OUTOFMEMORY","features":[79]},{"name":"NS_E_WMP_PATH_ALREADY_IN_LIBRARY","features":[79]},{"name":"NS_E_WMP_PLAYLIST_EXISTS","features":[79]},{"name":"NS_E_WMP_PLUGINDLL_NOTFOUND","features":[79]},{"name":"NS_E_WMP_PNG_INVALIDFORMAT","features":[79]},{"name":"NS_E_WMP_PNG_UNSUPPORTED_BAD_CRC","features":[79]},{"name":"NS_E_WMP_PNG_UNSUPPORTED_BITDEPTH","features":[79]},{"name":"NS_E_WMP_PNG_UNSUPPORTED_COMPRESSION","features":[79]},{"name":"NS_E_WMP_PNG_UNSUPPORTED_FILTER","features":[79]},{"name":"NS_E_WMP_PNG_UNSUPPORTED_INTERLACE","features":[79]},{"name":"NS_E_WMP_POLICY_VALUE_NOT_CONFIGURED","features":[79]},{"name":"NS_E_WMP_PROTECTED_CONTENT","features":[79]},{"name":"NS_E_WMP_PROTOCOL_PROBLEM","features":[79]},{"name":"NS_E_WMP_PROXY_CONNECT_TIMEOUT","features":[79]},{"name":"NS_E_WMP_PROXY_NOT_FOUND","features":[79]},{"name":"NS_E_WMP_RBC_JPGMAPPINGIMAGE","features":[79]},{"name":"NS_E_WMP_RECORDING_NOT_ALLOWED","features":[79]},{"name":"NS_E_WMP_RIP_FAILED","features":[79]},{"name":"NS_E_WMP_SAVEAS_READONLY","features":[79]},{"name":"NS_E_WMP_SENDMAILFAILED","features":[79]},{"name":"NS_E_WMP_SERVER_DNS_TIMEOUT","features":[79]},{"name":"NS_E_WMP_SERVER_INACCESSIBLE","features":[79]},{"name":"NS_E_WMP_SERVER_NONEWCONNECTIONS","features":[79]},{"name":"NS_E_WMP_SERVER_NOT_RESPONDING","features":[79]},{"name":"NS_E_WMP_SERVER_SECURITY_ERROR","features":[79]},{"name":"NS_E_WMP_SERVER_UNAVAILABLE","features":[79]},{"name":"NS_E_WMP_STREAMING_RECORDING_NOT_ALLOWED","features":[79]},{"name":"NS_E_WMP_TAMPERED_CONTENT","features":[79]},{"name":"NS_E_WMP_UDRM_NOUSERLIST","features":[79]},{"name":"NS_E_WMP_UI_NOSKININZIP","features":[79]},{"name":"NS_E_WMP_UI_NOTATHEMEFILE","features":[79]},{"name":"NS_E_WMP_UI_OBJECTNOTFOUND","features":[79]},{"name":"NS_E_WMP_UI_PASSTHROUGH","features":[79]},{"name":"NS_E_WMP_UI_SECONDHANDLER","features":[79]},{"name":"NS_E_WMP_UI_SUBCONTROLSNOTSUPPORTED","features":[79]},{"name":"NS_E_WMP_UI_SUBELEMENTNOTFOUND","features":[79]},{"name":"NS_E_WMP_UI_VERSIONMISMATCH","features":[79]},{"name":"NS_E_WMP_UI_VERSIONPARSE","features":[79]},{"name":"NS_E_WMP_UI_VIEWIDNOTFOUND","features":[79]},{"name":"NS_E_WMP_UNKNOWN_ERROR","features":[79]},{"name":"NS_E_WMP_UNSUPPORTED_FORMAT","features":[79]},{"name":"NS_E_WMP_UPGRADE_APPLICATION","features":[79]},{"name":"NS_E_WMP_URLDOWNLOADFAILED","features":[79]},{"name":"NS_E_WMP_VERIFY_ONLINE","features":[79]},{"name":"NS_E_WMP_VIDEO_CODEC_NOT_INSTALLED","features":[79]},{"name":"NS_E_WMP_WINDOWSAPIFAILURE","features":[79]},{"name":"NS_E_WMP_WMDM_BUSY","features":[79]},{"name":"NS_E_WMP_WMDM_FAILURE","features":[79]},{"name":"NS_E_WMP_WMDM_INCORRECT_RIGHTS","features":[79]},{"name":"NS_E_WMP_WMDM_INTERFACEDEAD","features":[79]},{"name":"NS_E_WMP_WMDM_LICENSE_EXPIRED","features":[79]},{"name":"NS_E_WMP_WMDM_LICENSE_NOTEXIST","features":[79]},{"name":"NS_E_WMP_WMDM_NORIGHTS","features":[79]},{"name":"NS_E_WMP_WMDM_NOTCERTIFIED","features":[79]},{"name":"NS_E_WMR_CANNOT_RENDER_BINARY_STREAM","features":[79]},{"name":"NS_E_WMR_NOCALLBACKAVAILABLE","features":[79]},{"name":"NS_E_WMR_NOSOURCEFILTER","features":[79]},{"name":"NS_E_WMR_PINNOTFOUND","features":[79]},{"name":"NS_E_WMR_PINTYPENOMATCH","features":[79]},{"name":"NS_E_WMR_SAMPLEPROPERTYNOTSET","features":[79]},{"name":"NS_E_WMR_UNSUPPORTEDSTREAM","features":[79]},{"name":"NS_E_WMR_WAITINGONFORMATSWITCH","features":[79]},{"name":"NS_E_WMR_WILLNOT_RENDER_BINARY_STREAM","features":[79]},{"name":"NS_E_WMX_ATTRIBUTE_ALREADY_EXISTS","features":[79]},{"name":"NS_E_WMX_ATTRIBUTE_DOES_NOT_EXIST","features":[79]},{"name":"NS_E_WMX_ATTRIBUTE_UNRETRIEVABLE","features":[79]},{"name":"NS_E_WMX_INVALID_FORMAT_OVER_NESTING","features":[79]},{"name":"NS_E_WMX_ITEM_DOES_NOT_EXIST","features":[79]},{"name":"NS_E_WMX_ITEM_TYPE_ILLEGAL","features":[79]},{"name":"NS_E_WMX_ITEM_UNSETTABLE","features":[79]},{"name":"NS_E_WMX_PLAYLIST_EMPTY","features":[79]},{"name":"NS_E_WMX_UNRECOGNIZED_PLAYLIST_FORMAT","features":[79]},{"name":"NS_E_WONT_DO_DIGITAL","features":[79]},{"name":"NS_E_WRONG_OS_VERSION","features":[79]},{"name":"NS_E_WRONG_PUBLISHING_POINT_TYPE","features":[79]},{"name":"NS_E_WSX_INVALID_VERSION","features":[79]},{"name":"NS_I_CATATONIC_AUTO_UNFAIL","features":[79]},{"name":"NS_I_CATATONIC_FAILURE","features":[79]},{"name":"NS_I_CUB_RUNNING","features":[79]},{"name":"NS_I_CUB_START","features":[79]},{"name":"NS_I_CUB_UNFAIL_LINK","features":[79]},{"name":"NS_I_DISK_REBUILD_ABORTED","features":[79]},{"name":"NS_I_DISK_REBUILD_FINISHED","features":[79]},{"name":"NS_I_DISK_REBUILD_STARTED","features":[79]},{"name":"NS_I_DISK_START","features":[79]},{"name":"NS_I_DISK_STOP","features":[79]},{"name":"NS_I_EXISTING_PACKETIZER","features":[79]},{"name":"NS_I_KILL_CONNECTION","features":[79]},{"name":"NS_I_KILL_USERSESSION","features":[79]},{"name":"NS_I_LIMIT_BANDWIDTH","features":[79]},{"name":"NS_I_LIMIT_FUNNELS","features":[79]},{"name":"NS_I_LOGGING_FAILED","features":[79]},{"name":"NS_I_MANUAL_PROXY","features":[79]},{"name":"NS_I_NOLOG_STOP","features":[79]},{"name":"NS_I_PLAYLIST_CHANGE_RECEDING","features":[79]},{"name":"NS_I_REBUILD_DISK","features":[79]},{"name":"NS_I_RECONNECTED","features":[79]},{"name":"NS_I_RESTRIPE_CUB_OUT","features":[79]},{"name":"NS_I_RESTRIPE_DISK_OUT","features":[79]},{"name":"NS_I_RESTRIPE_DONE","features":[79]},{"name":"NS_I_RESTRIPE_START","features":[79]},{"name":"NS_I_START_DISK","features":[79]},{"name":"NS_I_STOP_CUB","features":[79]},{"name":"NS_I_STOP_DISK","features":[79]},{"name":"NS_I_TIGER_START","features":[79]},{"name":"NS_S_CALLABORTED","features":[79]},{"name":"NS_S_CALLPENDING","features":[79]},{"name":"NS_S_CHANGENOTICE","features":[79]},{"name":"NS_S_DEGRADING_QUALITY","features":[79]},{"name":"NS_S_DRM_ACQUIRE_CANCELLED","features":[79]},{"name":"NS_S_DRM_BURNABLE_TRACK","features":[79]},{"name":"NS_S_DRM_BURNABLE_TRACK_WITH_PLAYLIST_RESTRICTION","features":[79]},{"name":"NS_S_DRM_INDIVIDUALIZED","features":[79]},{"name":"NS_S_DRM_LICENSE_ACQUIRED","features":[79]},{"name":"NS_S_DRM_MONITOR_CANCELLED","features":[79]},{"name":"NS_S_DRM_NEEDS_INDIVIDUALIZATION","features":[79]},{"name":"NS_S_EOSRECEDING","features":[79]},{"name":"NS_S_NAVIGATION_COMPLETE_WITH_ERRORS","features":[79]},{"name":"NS_S_NEED_TO_BUY_BURN_RIGHTS","features":[79]},{"name":"NS_S_OPERATION_PENDING","features":[79]},{"name":"NS_S_PUBLISHING_POINT_STARTED_WITH_FAILED_SINKS","features":[79]},{"name":"NS_S_REBOOT_RECOMMENDED","features":[79]},{"name":"NS_S_REBOOT_REQUIRED","features":[79]},{"name":"NS_S_REBUFFERING","features":[79]},{"name":"NS_S_STREAM_TRUNCATED","features":[79]},{"name":"NS_S_TRACK_ALREADY_DOWNLOADED","features":[79]},{"name":"NS_S_TRACK_BUY_REQUIRES_ALBUM_PURCHASE","features":[79]},{"name":"NS_S_TRANSCRYPTOR_EOF","features":[79]},{"name":"NS_S_WMG_ADVISE_DROP_FRAME","features":[79]},{"name":"NS_S_WMG_ADVISE_DROP_TO_KEYFRAME","features":[79]},{"name":"NS_S_WMG_FORCE_DROP_FRAME","features":[79]},{"name":"NS_S_WMPBR_PARTIALSUCCESS","features":[79]},{"name":"NS_S_WMPBR_SUCCESS","features":[79]},{"name":"NS_S_WMPCORE_COMMAND_NOT_AVAILABLE","features":[79]},{"name":"NS_S_WMPCORE_MEDIA_CHILD_PLAYLIST_OPEN_PENDING","features":[79]},{"name":"NS_S_WMPCORE_MEDIA_VALIDATION_PENDING","features":[79]},{"name":"NS_S_WMPCORE_MORE_NODES_AVAIABLE","features":[79]},{"name":"NS_S_WMPCORE_PLAYLISTCLEARABORT","features":[79]},{"name":"NS_S_WMPCORE_PLAYLISTREMOVEITEMABORT","features":[79]},{"name":"NS_S_WMPCORE_PLAYLIST_COLLAPSED_TO_SINGLE_MEDIA","features":[79]},{"name":"NS_S_WMPCORE_PLAYLIST_CREATION_PENDING","features":[79]},{"name":"NS_S_WMPCORE_PLAYLIST_IMPORT_MISSING_ITEMS","features":[79]},{"name":"NS_S_WMPCORE_PLAYLIST_NAME_AUTO_GENERATED","features":[79]},{"name":"NS_S_WMPCORE_PLAYLIST_REPEAT_SECONDARY_SEGMENTS_IGNORED","features":[79]},{"name":"NS_S_WMPEFFECT_OPAQUE","features":[79]},{"name":"NS_S_WMPEFFECT_TRANSPARENT","features":[79]},{"name":"NS_S_WMP_EXCEPTION","features":[79]},{"name":"NS_S_WMP_LOADED_BMP_IMAGE","features":[79]},{"name":"NS_S_WMP_LOADED_GIF_IMAGE","features":[79]},{"name":"NS_S_WMP_LOADED_JPG_IMAGE","features":[79]},{"name":"NS_S_WMP_LOADED_PNG_IMAGE","features":[79]},{"name":"NS_S_WMP_UI_VERSIONMISMATCH","features":[79]},{"name":"NS_S_WMR_ALREADYRENDERED","features":[79]},{"name":"NS_S_WMR_PINTYPEFULLMATCH","features":[79]},{"name":"NS_S_WMR_PINTYPEPARTIALMATCH","features":[79]},{"name":"NS_W_FILE_BANDWIDTH_LIMIT","features":[79]},{"name":"NS_W_SERVER_BANDWIDTH_LIMIT","features":[79]},{"name":"NS_W_UNKNOWN_EVENT","features":[79]},{"name":"OLIADPCMWAVEFORMAT","features":[80,79]},{"name":"OLICELPWAVEFORMAT","features":[80,79]},{"name":"OLIGSMWAVEFORMAT","features":[80,79]},{"name":"OLIOPRWAVEFORMAT","features":[80,79]},{"name":"OLISBCWAVEFORMAT","features":[80,79]},{"name":"OpenDriver","features":[1,79]},{"name":"PD_CAN_DRAW_DIB","features":[79]},{"name":"PD_CAN_STRETCHDIB","features":[79]},{"name":"PD_STRETCHDIB_1_1_OK","features":[79]},{"name":"PD_STRETCHDIB_1_2_OK","features":[79]},{"name":"PD_STRETCHDIB_1_N_OK","features":[79]},{"name":"ROCKWELL_WA1_MIXER","features":[79]},{"name":"ROCKWELL_WA1_MPU401_IN","features":[79]},{"name":"ROCKWELL_WA1_MPU401_OUT","features":[79]},{"name":"ROCKWELL_WA1_SYNTH","features":[79]},{"name":"ROCKWELL_WA1_WAVEIN","features":[79]},{"name":"ROCKWELL_WA1_WAVEOUT","features":[79]},{"name":"ROCKWELL_WA2_MIXER","features":[79]},{"name":"ROCKWELL_WA2_MPU401_IN","features":[79]},{"name":"ROCKWELL_WA2_MPU401_OUT","features":[79]},{"name":"ROCKWELL_WA2_SYNTH","features":[79]},{"name":"ROCKWELL_WA2_WAVEIN","features":[79]},{"name":"ROCKWELL_WA2_WAVEOUT","features":[79]},{"name":"SEARCH_ANY","features":[79]},{"name":"SEARCH_BACKWARD","features":[79]},{"name":"SEARCH_FORWARD","features":[79]},{"name":"SEARCH_KEY","features":[79]},{"name":"SEARCH_NEAREST","features":[79]},{"name":"SEEK_CUR","features":[79]},{"name":"SEEK_END","features":[79]},{"name":"SEEK_SET","features":[79]},{"name":"SIERRAADPCMWAVEFORMAT","features":[80,79]},{"name":"SONARCWAVEFORMAT","features":[80,79]},{"name":"SendDriverMessage","features":[1,79]},{"name":"TARGET_DEVICE_FRIENDLY_NAME","features":[79]},{"name":"TARGET_DEVICE_OPEN_EXCLUSIVELY","features":[79]},{"name":"TASKERR_NOTASKSUPPORT","features":[79]},{"name":"TASKERR_OUTOFMEMORY","features":[79]},{"name":"TDD_BEGINMINPERIOD","features":[79]},{"name":"TDD_ENDMINPERIOD","features":[79]},{"name":"TDD_GETDEVCAPS","features":[79]},{"name":"TDD_GETSYSTEMTIME","features":[79]},{"name":"TDD_KILLTIMEREVENT","features":[79]},{"name":"TDD_SETTIMEREVENT","features":[79]},{"name":"TIMEREVENT","features":[79]},{"name":"TRUESPEECHWAVEFORMAT","features":[80,79]},{"name":"VADMAD_Device_ID","features":[79]},{"name":"VCAPS_CAN_SCALE","features":[79]},{"name":"VCAPS_DST_CAN_CLIP","features":[79]},{"name":"VCAPS_OVERLAY","features":[79]},{"name":"VCAPS_SRC_CAN_CLIP","features":[79]},{"name":"VFWWDMExtensionProc","features":[1,79,40]},{"name":"VFW_HIDE_CAMERACONTROL_PAGE","features":[79]},{"name":"VFW_HIDE_SETTINGS_PAGE","features":[79]},{"name":"VFW_HIDE_VIDEOSRC_PAGE","features":[79]},{"name":"VFW_OEM_ADD_PAGE","features":[79]},{"name":"VFW_QUERY_DEV_CHANGED","features":[79]},{"name":"VFW_USE_DEVICE_HANDLE","features":[79]},{"name":"VFW_USE_STREAM_HANDLE","features":[79]},{"name":"VHDR_DONE","features":[79]},{"name":"VHDR_INQUEUE","features":[79]},{"name":"VHDR_KEYFRAME","features":[79]},{"name":"VHDR_PREPARED","features":[79]},{"name":"VHDR_VALID","features":[79]},{"name":"VIDCF_COMPRESSFRAMES","features":[79]},{"name":"VIDCF_CRUNCH","features":[79]},{"name":"VIDCF_DRAW","features":[79]},{"name":"VIDCF_FASTTEMPORALC","features":[79]},{"name":"VIDCF_FASTTEMPORALD","features":[79]},{"name":"VIDCF_QUALITY","features":[79]},{"name":"VIDCF_TEMPORAL","features":[79]},{"name":"VIDEOHDR","features":[79]},{"name":"VIDEO_CONFIGURE_CURRENT","features":[79]},{"name":"VIDEO_CONFIGURE_GET","features":[79]},{"name":"VIDEO_CONFIGURE_MAX","features":[79]},{"name":"VIDEO_CONFIGURE_MIN","features":[79]},{"name":"VIDEO_CONFIGURE_NOMINAL","features":[79]},{"name":"VIDEO_CONFIGURE_QUERY","features":[79]},{"name":"VIDEO_CONFIGURE_QUERYSIZE","features":[79]},{"name":"VIDEO_CONFIGURE_SET","features":[79]},{"name":"VIDEO_DLG_QUERY","features":[79]},{"name":"VIDEO_EXTERNALIN","features":[79]},{"name":"VIDEO_EXTERNALOUT","features":[79]},{"name":"VIDEO_IN","features":[79]},{"name":"VIDEO_OUT","features":[79]},{"name":"VP_COMMAND_GET","features":[79]},{"name":"VP_COMMAND_SET","features":[79]},{"name":"VP_CP_CMD_ACTIVATE","features":[79]},{"name":"VP_CP_CMD_CHANGE","features":[79]},{"name":"VP_CP_CMD_DEACTIVATE","features":[79]},{"name":"VP_CP_TYPE_APS_TRIGGER","features":[79]},{"name":"VP_CP_TYPE_MACROVISION","features":[79]},{"name":"VP_FLAGS_BRIGHTNESS","features":[79]},{"name":"VP_FLAGS_CONTRAST","features":[79]},{"name":"VP_FLAGS_COPYPROTECT","features":[79]},{"name":"VP_FLAGS_FLICKER","features":[79]},{"name":"VP_FLAGS_MAX_UNSCALED","features":[79]},{"name":"VP_FLAGS_OVERSCAN","features":[79]},{"name":"VP_FLAGS_POSITION","features":[79]},{"name":"VP_FLAGS_TV_MODE","features":[79]},{"name":"VP_FLAGS_TV_STANDARD","features":[79]},{"name":"VP_MODE_TV_PLAYBACK","features":[79]},{"name":"VP_MODE_WIN_GRAPHICS","features":[79]},{"name":"VP_TV_STANDARD_NTSC_433","features":[79]},{"name":"VP_TV_STANDARD_NTSC_M","features":[79]},{"name":"VP_TV_STANDARD_NTSC_M_J","features":[79]},{"name":"VP_TV_STANDARD_PAL_60","features":[79]},{"name":"VP_TV_STANDARD_PAL_B","features":[79]},{"name":"VP_TV_STANDARD_PAL_D","features":[79]},{"name":"VP_TV_STANDARD_PAL_G","features":[79]},{"name":"VP_TV_STANDARD_PAL_H","features":[79]},{"name":"VP_TV_STANDARD_PAL_I","features":[79]},{"name":"VP_TV_STANDARD_PAL_M","features":[79]},{"name":"VP_TV_STANDARD_PAL_N","features":[79]},{"name":"VP_TV_STANDARD_SECAM_B","features":[79]},{"name":"VP_TV_STANDARD_SECAM_D","features":[79]},{"name":"VP_TV_STANDARD_SECAM_G","features":[79]},{"name":"VP_TV_STANDARD_SECAM_H","features":[79]},{"name":"VP_TV_STANDARD_SECAM_K","features":[79]},{"name":"VP_TV_STANDARD_SECAM_K1","features":[79]},{"name":"VP_TV_STANDARD_SECAM_L","features":[79]},{"name":"VP_TV_STANDARD_SECAM_L1","features":[79]},{"name":"VP_TV_STANDARD_WIN_VGA","features":[79]},{"name":"VideoForWindowsVersion","features":[79]},{"name":"WAVEOPENDESC","features":[80,79]},{"name":"WAVE_FILTER_DEVELOPMENT","features":[79]},{"name":"WAVE_FILTER_ECHO","features":[79]},{"name":"WAVE_FILTER_UNKNOWN","features":[79]},{"name":"WAVE_FILTER_VOLUME","features":[79]},{"name":"WAVE_FORMAT_3COM_NBX","features":[79]},{"name":"WAVE_FORMAT_ADPCM","features":[79]},{"name":"WAVE_FORMAT_ALAC","features":[79]},{"name":"WAVE_FORMAT_ALAW","features":[79]},{"name":"WAVE_FORMAT_AMR_NB","features":[79]},{"name":"WAVE_FORMAT_AMR_WB","features":[79]},{"name":"WAVE_FORMAT_AMR_WP","features":[79]},{"name":"WAVE_FORMAT_ANTEX_ADPCME","features":[79]},{"name":"WAVE_FORMAT_APTX","features":[79]},{"name":"WAVE_FORMAT_AUDIOFILE_AF10","features":[79]},{"name":"WAVE_FORMAT_AUDIOFILE_AF36","features":[79]},{"name":"WAVE_FORMAT_BTV_DIGITAL","features":[79]},{"name":"WAVE_FORMAT_CANOPUS_ATRAC","features":[79]},{"name":"WAVE_FORMAT_CIRRUS","features":[79]},{"name":"WAVE_FORMAT_CODIAN","features":[79]},{"name":"WAVE_FORMAT_COMVERSE_INFOSYS_AVQSBC","features":[79]},{"name":"WAVE_FORMAT_COMVERSE_INFOSYS_G723_1","features":[79]},{"name":"WAVE_FORMAT_COMVERSE_INFOSYS_SBC","features":[79]},{"name":"WAVE_FORMAT_CONGRUENCY","features":[79]},{"name":"WAVE_FORMAT_CONTROL_RES_CR10","features":[79]},{"name":"WAVE_FORMAT_CONTROL_RES_VQLPC","features":[79]},{"name":"WAVE_FORMAT_CONVEDIA_G729","features":[79]},{"name":"WAVE_FORMAT_CREATIVE_ADPCM","features":[79]},{"name":"WAVE_FORMAT_CREATIVE_FASTSPEECH10","features":[79]},{"name":"WAVE_FORMAT_CREATIVE_FASTSPEECH8","features":[79]},{"name":"WAVE_FORMAT_CS2","features":[79]},{"name":"WAVE_FORMAT_CS_IMAADPCM","features":[79]},{"name":"WAVE_FORMAT_CUSEEME","features":[79]},{"name":"WAVE_FORMAT_CU_CODEC","features":[79]},{"name":"WAVE_FORMAT_DEVELOPMENT","features":[79]},{"name":"WAVE_FORMAT_DF_G726","features":[79]},{"name":"WAVE_FORMAT_DF_GSM610","features":[79]},{"name":"WAVE_FORMAT_DIALOGIC_OKI_ADPCM","features":[79]},{"name":"WAVE_FORMAT_DICTAPHONE_CELP54","features":[79]},{"name":"WAVE_FORMAT_DICTAPHONE_CELP68","features":[79]},{"name":"WAVE_FORMAT_DIGIADPCM","features":[79]},{"name":"WAVE_FORMAT_DIGIFIX","features":[79]},{"name":"WAVE_FORMAT_DIGIREAL","features":[79]},{"name":"WAVE_FORMAT_DIGISTD","features":[79]},{"name":"WAVE_FORMAT_DIGITAL_G723","features":[79]},{"name":"WAVE_FORMAT_DIVIO_G726","features":[79]},{"name":"WAVE_FORMAT_DIVIO_MPEG4_AAC","features":[79]},{"name":"WAVE_FORMAT_DOLBY_AC2","features":[79]},{"name":"WAVE_FORMAT_DOLBY_AC3_SPDIF","features":[79]},{"name":"WAVE_FORMAT_DOLBY_AC4","features":[79]},{"name":"WAVE_FORMAT_DRM","features":[79]},{"name":"WAVE_FORMAT_DSAT","features":[79]},{"name":"WAVE_FORMAT_DSAT_DISPLAY","features":[79]},{"name":"WAVE_FORMAT_DSPGROUP_TRUESPEECH","features":[79]},{"name":"WAVE_FORMAT_DTS","features":[79]},{"name":"WAVE_FORMAT_DTS2","features":[79]},{"name":"WAVE_FORMAT_DTS_DS","features":[79]},{"name":"WAVE_FORMAT_DVI_ADPCM","features":[79]},{"name":"WAVE_FORMAT_DVM","features":[79]},{"name":"WAVE_FORMAT_ECHOSC1","features":[79]},{"name":"WAVE_FORMAT_ECHOSC3","features":[79]},{"name":"WAVE_FORMAT_ENCORE_G726","features":[79]},{"name":"WAVE_FORMAT_ESPCM","features":[79]},{"name":"WAVE_FORMAT_ESST_AC3","features":[79]},{"name":"WAVE_FORMAT_FAAD_AAC","features":[79]},{"name":"WAVE_FORMAT_FLAC","features":[79]},{"name":"WAVE_FORMAT_FM_TOWNS_SND","features":[79]},{"name":"WAVE_FORMAT_FRACE_TELECOM_G729","features":[79]},{"name":"WAVE_FORMAT_FRAUNHOFER_IIS_MPEG2_AAC","features":[79]},{"name":"WAVE_FORMAT_G721_ADPCM","features":[79]},{"name":"WAVE_FORMAT_G722_ADPCM","features":[79]},{"name":"WAVE_FORMAT_G723_ADPCM","features":[79]},{"name":"WAVE_FORMAT_G726ADPCM","features":[79]},{"name":"WAVE_FORMAT_G726_ADPCM","features":[79]},{"name":"WAVE_FORMAT_G728_CELP","features":[79]},{"name":"WAVE_FORMAT_G729A","features":[79]},{"name":"WAVE_FORMAT_GENERIC_PASSTHRU","features":[79]},{"name":"WAVE_FORMAT_GLOBAL_IP_ILBC","features":[79]},{"name":"WAVE_FORMAT_GSM610","features":[79]},{"name":"WAVE_FORMAT_GSM_610","features":[79]},{"name":"WAVE_FORMAT_GSM_620","features":[79]},{"name":"WAVE_FORMAT_GSM_660","features":[79]},{"name":"WAVE_FORMAT_GSM_690","features":[79]},{"name":"WAVE_FORMAT_GSM_ADAPTIVE_MULTIRATE_WB","features":[79]},{"name":"WAVE_FORMAT_GSM_AMR_CBR","features":[79]},{"name":"WAVE_FORMAT_GSM_AMR_VBR_SID","features":[79]},{"name":"WAVE_FORMAT_HP_DYN_VOICE","features":[79]},{"name":"WAVE_FORMAT_IBM_CVSD","features":[79]},{"name":"WAVE_FORMAT_IEEE_FLOAT","features":[79]},{"name":"WAVE_FORMAT_ILINK_VC","features":[79]},{"name":"WAVE_FORMAT_IMA_ADPCM","features":[79]},{"name":"WAVE_FORMAT_INDEO_AUDIO","features":[79]},{"name":"WAVE_FORMAT_INFOCOM_ITS_G721_ADPCM","features":[79]},{"name":"WAVE_FORMAT_INGENIENT_G726","features":[79]},{"name":"WAVE_FORMAT_INNINGS_TELECOM_ADPCM","features":[79]},{"name":"WAVE_FORMAT_INTEL_G723_1","features":[79]},{"name":"WAVE_FORMAT_INTEL_G729","features":[79]},{"name":"WAVE_FORMAT_INTEL_MUSIC_CODER","features":[79]},{"name":"WAVE_FORMAT_IPI_HSX","features":[79]},{"name":"WAVE_FORMAT_IPI_RPELP","features":[79]},{"name":"WAVE_FORMAT_IRAT","features":[79]},{"name":"WAVE_FORMAT_ISIAUDIO","features":[79]},{"name":"WAVE_FORMAT_ISIAUDIO_2","features":[79]},{"name":"WAVE_FORMAT_KNOWLEDGE_ADVENTURE_ADPCM","features":[79]},{"name":"WAVE_FORMAT_LEAD_SPEECH","features":[79]},{"name":"WAVE_FORMAT_LEAD_VORBIS","features":[79]},{"name":"WAVE_FORMAT_LH_CODEC","features":[79]},{"name":"WAVE_FORMAT_LH_CODEC_CELP","features":[79]},{"name":"WAVE_FORMAT_LH_CODEC_SBC12","features":[79]},{"name":"WAVE_FORMAT_LH_CODEC_SBC16","features":[79]},{"name":"WAVE_FORMAT_LH_CODEC_SBC8","features":[79]},{"name":"WAVE_FORMAT_LIGHTWAVE_LOSSLESS","features":[79]},{"name":"WAVE_FORMAT_LRC","features":[79]},{"name":"WAVE_FORMAT_LUCENT_G723","features":[79]},{"name":"WAVE_FORMAT_LUCENT_SX5363S","features":[79]},{"name":"WAVE_FORMAT_LUCENT_SX8300P","features":[79]},{"name":"WAVE_FORMAT_MAKEAVIS","features":[79]},{"name":"WAVE_FORMAT_MALDEN_PHONYTALK","features":[79]},{"name":"WAVE_FORMAT_MEDIASONIC_G723","features":[79]},{"name":"WAVE_FORMAT_MEDIASPACE_ADPCM","features":[79]},{"name":"WAVE_FORMAT_MEDIAVISION_ADPCM","features":[79]},{"name":"WAVE_FORMAT_MICRONAS","features":[79]},{"name":"WAVE_FORMAT_MICRONAS_CELP833","features":[79]},{"name":"WAVE_FORMAT_MPEG","features":[79]},{"name":"WAVE_FORMAT_MPEG4_AAC","features":[79]},{"name":"WAVE_FORMAT_MPEGLAYER3","features":[79]},{"name":"WAVE_FORMAT_MPEG_ADTS_AAC","features":[79]},{"name":"WAVE_FORMAT_MPEG_HEAAC","features":[79]},{"name":"WAVE_FORMAT_MPEG_LOAS","features":[79]},{"name":"WAVE_FORMAT_MPEG_RAW_AAC","features":[79]},{"name":"WAVE_FORMAT_MSAUDIO1","features":[79]},{"name":"WAVE_FORMAT_MSG723","features":[79]},{"name":"WAVE_FORMAT_MSNAUDIO","features":[79]},{"name":"WAVE_FORMAT_MSRT24","features":[79]},{"name":"WAVE_FORMAT_MULAW","features":[79]},{"name":"WAVE_FORMAT_MULTITUDE_FT_SX20","features":[79]},{"name":"WAVE_FORMAT_MVI_MVI2","features":[79]},{"name":"WAVE_FORMAT_NEC_AAC","features":[79]},{"name":"WAVE_FORMAT_NICE_ACA","features":[79]},{"name":"WAVE_FORMAT_NICE_ADPCM","features":[79]},{"name":"WAVE_FORMAT_NICE_G728","features":[79]},{"name":"WAVE_FORMAT_NMS_VBXADPCM","features":[79]},{"name":"WAVE_FORMAT_NOKIA_ADAPTIVE_MULTIRATE","features":[79]},{"name":"WAVE_FORMAT_NOKIA_MPEG_ADTS_AAC","features":[79]},{"name":"WAVE_FORMAT_NOKIA_MPEG_RAW_AAC","features":[79]},{"name":"WAVE_FORMAT_NORCOM_VOICE_SYSTEMS_ADPCM","features":[79]},{"name":"WAVE_FORMAT_NORRIS","features":[79]},{"name":"WAVE_FORMAT_NTCSOFT_ALF2CM_ACM","features":[79]},{"name":"WAVE_FORMAT_OGG_VORBIS_MODE_1","features":[79]},{"name":"WAVE_FORMAT_OGG_VORBIS_MODE_1_PLUS","features":[79]},{"name":"WAVE_FORMAT_OGG_VORBIS_MODE_2","features":[79]},{"name":"WAVE_FORMAT_OGG_VORBIS_MODE_2_PLUS","features":[79]},{"name":"WAVE_FORMAT_OGG_VORBIS_MODE_3","features":[79]},{"name":"WAVE_FORMAT_OGG_VORBIS_MODE_3_PLUS","features":[79]},{"name":"WAVE_FORMAT_OKI_ADPCM","features":[79]},{"name":"WAVE_FORMAT_OLIADPCM","features":[79]},{"name":"WAVE_FORMAT_OLICELP","features":[79]},{"name":"WAVE_FORMAT_OLIGSM","features":[79]},{"name":"WAVE_FORMAT_OLIOPR","features":[79]},{"name":"WAVE_FORMAT_OLISBC","features":[79]},{"name":"WAVE_FORMAT_ON2_VP6_AUDIO","features":[79]},{"name":"WAVE_FORMAT_ON2_VP7_AUDIO","features":[79]},{"name":"WAVE_FORMAT_ONLIVE","features":[79]},{"name":"WAVE_FORMAT_OPUS","features":[79]},{"name":"WAVE_FORMAT_PAC","features":[79]},{"name":"WAVE_FORMAT_PACKED","features":[79]},{"name":"WAVE_FORMAT_PCM_S","features":[79]},{"name":"WAVE_FORMAT_PHILIPS_CELP","features":[79]},{"name":"WAVE_FORMAT_PHILIPS_GRUNDIG","features":[79]},{"name":"WAVE_FORMAT_PHILIPS_LPCBB","features":[79]},{"name":"WAVE_FORMAT_POLYCOM_G722","features":[79]},{"name":"WAVE_FORMAT_POLYCOM_G728","features":[79]},{"name":"WAVE_FORMAT_POLYCOM_G729_A","features":[79]},{"name":"WAVE_FORMAT_POLYCOM_SIREN","features":[79]},{"name":"WAVE_FORMAT_PROSODY_1612","features":[79]},{"name":"WAVE_FORMAT_PROSODY_8KBPS","features":[79]},{"name":"WAVE_FORMAT_QDESIGN_MUSIC","features":[79]},{"name":"WAVE_FORMAT_QUALCOMM_HALFRATE","features":[79]},{"name":"WAVE_FORMAT_QUALCOMM_PUREVOICE","features":[79]},{"name":"WAVE_FORMAT_QUARTERDECK","features":[79]},{"name":"WAVE_FORMAT_RACAL_RECORDER_G720_A","features":[79]},{"name":"WAVE_FORMAT_RACAL_RECORDER_G723_1","features":[79]},{"name":"WAVE_FORMAT_RACAL_RECORDER_GSM","features":[79]},{"name":"WAVE_FORMAT_RACAL_RECORDER_TETRA_ACELP","features":[79]},{"name":"WAVE_FORMAT_RADIOTIME_TIME_SHIFT_RADIO","features":[79]},{"name":"WAVE_FORMAT_RAW_AAC1","features":[79]},{"name":"WAVE_FORMAT_RAW_SPORT","features":[79]},{"name":"WAVE_FORMAT_RHETOREX_ADPCM","features":[79]},{"name":"WAVE_FORMAT_ROCKWELL_ADPCM","features":[79]},{"name":"WAVE_FORMAT_ROCKWELL_DIGITALK","features":[79]},{"name":"WAVE_FORMAT_RT24","features":[79]},{"name":"WAVE_FORMAT_SANYO_LD_ADPCM","features":[79]},{"name":"WAVE_FORMAT_SBC24","features":[79]},{"name":"WAVE_FORMAT_SHARP_G726","features":[79]},{"name":"WAVE_FORMAT_SIERRA_ADPCM","features":[79]},{"name":"WAVE_FORMAT_SIPROLAB_ACELP4800","features":[79]},{"name":"WAVE_FORMAT_SIPROLAB_ACELP8V3","features":[79]},{"name":"WAVE_FORMAT_SIPROLAB_ACEPLNET","features":[79]},{"name":"WAVE_FORMAT_SIPROLAB_G729","features":[79]},{"name":"WAVE_FORMAT_SIPROLAB_G729A","features":[79]},{"name":"WAVE_FORMAT_SIPROLAB_KELVIN","features":[79]},{"name":"WAVE_FORMAT_SOFTSOUND","features":[79]},{"name":"WAVE_FORMAT_SONARC","features":[79]},{"name":"WAVE_FORMAT_SONICFOUNDRY_LOSSLESS","features":[79]},{"name":"WAVE_FORMAT_SONY_ATRAC3","features":[79]},{"name":"WAVE_FORMAT_SONY_SCX","features":[79]},{"name":"WAVE_FORMAT_SONY_SCY","features":[79]},{"name":"WAVE_FORMAT_SONY_SPC","features":[79]},{"name":"WAVE_FORMAT_SOUNDSPACE_MUSICOMPRESS","features":[79]},{"name":"WAVE_FORMAT_SPEEX_VOICE","features":[79]},{"name":"WAVE_FORMAT_SYCOM_ACM_SYC008","features":[79]},{"name":"WAVE_FORMAT_SYCOM_ACM_SYC701_CELP54","features":[79]},{"name":"WAVE_FORMAT_SYCOM_ACM_SYC701_CELP68","features":[79]},{"name":"WAVE_FORMAT_SYCOM_ACM_SYC701_G726L","features":[79]},{"name":"WAVE_FORMAT_SYMBOL_G729_A","features":[79]},{"name":"WAVE_FORMAT_TELUM_AUDIO","features":[79]},{"name":"WAVE_FORMAT_TELUM_IA_AUDIO","features":[79]},{"name":"WAVE_FORMAT_TPC","features":[79]},{"name":"WAVE_FORMAT_TUBGSM","features":[79]},{"name":"WAVE_FORMAT_UHER_ADPCM","features":[79]},{"name":"WAVE_FORMAT_ULEAD_DV_AUDIO","features":[79]},{"name":"WAVE_FORMAT_ULEAD_DV_AUDIO_1","features":[79]},{"name":"WAVE_FORMAT_UNISYS_NAP_16K","features":[79]},{"name":"WAVE_FORMAT_UNISYS_NAP_ADPCM","features":[79]},{"name":"WAVE_FORMAT_UNISYS_NAP_ALAW","features":[79]},{"name":"WAVE_FORMAT_UNISYS_NAP_ULAW","features":[79]},{"name":"WAVE_FORMAT_UNKNOWN","features":[79]},{"name":"WAVE_FORMAT_VIANIX_MASC","features":[79]},{"name":"WAVE_FORMAT_VIVO_G723","features":[79]},{"name":"WAVE_FORMAT_VIVO_SIREN","features":[79]},{"name":"WAVE_FORMAT_VME_VMPCM","features":[79]},{"name":"WAVE_FORMAT_VOCORD_G721","features":[79]},{"name":"WAVE_FORMAT_VOCORD_G722_1","features":[79]},{"name":"WAVE_FORMAT_VOCORD_G723_1","features":[79]},{"name":"WAVE_FORMAT_VOCORD_G726","features":[79]},{"name":"WAVE_FORMAT_VOCORD_G728","features":[79]},{"name":"WAVE_FORMAT_VOCORD_G729","features":[79]},{"name":"WAVE_FORMAT_VOCORD_G729_A","features":[79]},{"name":"WAVE_FORMAT_VOCORD_LBC","features":[79]},{"name":"WAVE_FORMAT_VODAFONE_MPEG_ADTS_AAC","features":[79]},{"name":"WAVE_FORMAT_VODAFONE_MPEG_RAW_AAC","features":[79]},{"name":"WAVE_FORMAT_VOICEAGE_AMR","features":[79]},{"name":"WAVE_FORMAT_VOICEAGE_AMR_WB","features":[79]},{"name":"WAVE_FORMAT_VOXWARE","features":[79]},{"name":"WAVE_FORMAT_VOXWARE_AC10","features":[79]},{"name":"WAVE_FORMAT_VOXWARE_AC16","features":[79]},{"name":"WAVE_FORMAT_VOXWARE_AC20","features":[79]},{"name":"WAVE_FORMAT_VOXWARE_AC8","features":[79]},{"name":"WAVE_FORMAT_VOXWARE_BYTE_ALIGNED","features":[79]},{"name":"WAVE_FORMAT_VOXWARE_RT24","features":[79]},{"name":"WAVE_FORMAT_VOXWARE_RT24_SPEECH","features":[79]},{"name":"WAVE_FORMAT_VOXWARE_RT29","features":[79]},{"name":"WAVE_FORMAT_VOXWARE_RT29HW","features":[79]},{"name":"WAVE_FORMAT_VOXWARE_SC3","features":[79]},{"name":"WAVE_FORMAT_VOXWARE_SC3_1","features":[79]},{"name":"WAVE_FORMAT_VOXWARE_TQ40","features":[79]},{"name":"WAVE_FORMAT_VOXWARE_TQ60","features":[79]},{"name":"WAVE_FORMAT_VOXWARE_VR12","features":[79]},{"name":"WAVE_FORMAT_VOXWARE_VR18","features":[79]},{"name":"WAVE_FORMAT_VSELP","features":[79]},{"name":"WAVE_FORMAT_WAVPACK_AUDIO","features":[79]},{"name":"WAVE_FORMAT_WM9_SPECTRUM_ANALYZER","features":[79]},{"name":"WAVE_FORMAT_WMASPDIF","features":[79]},{"name":"WAVE_FORMAT_WMAUDIO2","features":[79]},{"name":"WAVE_FORMAT_WMAUDIO3","features":[79]},{"name":"WAVE_FORMAT_WMAUDIO_LOSSLESS","features":[79]},{"name":"WAVE_FORMAT_WMAVOICE10","features":[79]},{"name":"WAVE_FORMAT_WMAVOICE9","features":[79]},{"name":"WAVE_FORMAT_WMF_SPECTRUM_ANAYZER","features":[79]},{"name":"WAVE_FORMAT_XEBEC","features":[79]},{"name":"WAVE_FORMAT_YAMAHA_ADPCM","features":[79]},{"name":"WAVE_FORMAT_ZOLL_ASAO","features":[79]},{"name":"WAVE_FORMAT_ZYXEL_ADPCM","features":[79]},{"name":"WAVE_MAPPER_S","features":[79]},{"name":"WIDM_ADDBUFFER","features":[79]},{"name":"WIDM_CLOSE","features":[79]},{"name":"WIDM_GETDEVCAPS","features":[79]},{"name":"WIDM_GETNUMDEVS","features":[79]},{"name":"WIDM_GETPOS","features":[79]},{"name":"WIDM_INIT","features":[79]},{"name":"WIDM_INIT_EX","features":[79]},{"name":"WIDM_OPEN","features":[79]},{"name":"WIDM_PREFERRED","features":[79]},{"name":"WIDM_PREPARE","features":[79]},{"name":"WIDM_RESET","features":[79]},{"name":"WIDM_START","features":[79]},{"name":"WIDM_STOP","features":[79]},{"name":"WIDM_UNPREPARE","features":[79]},{"name":"WMAUDIO2WAVEFORMAT","features":[80,79]},{"name":"WMAUDIO2_BITS_PER_SAMPLE","features":[79]},{"name":"WMAUDIO2_MAX_CHANNELS","features":[79]},{"name":"WMAUDIO3WAVEFORMAT","features":[80,79]},{"name":"WMAUDIO_BITS_PER_SAMPLE","features":[79]},{"name":"WMAUDIO_MAX_CHANNELS","features":[79]},{"name":"WM_CAP_ABORT","features":[79]},{"name":"WM_CAP_DLG_VIDEOCOMPRESSION","features":[79]},{"name":"WM_CAP_DLG_VIDEODISPLAY","features":[79]},{"name":"WM_CAP_DLG_VIDEOFORMAT","features":[79]},{"name":"WM_CAP_DLG_VIDEOSOURCE","features":[79]},{"name":"WM_CAP_DRIVER_CONNECT","features":[79]},{"name":"WM_CAP_DRIVER_DISCONNECT","features":[79]},{"name":"WM_CAP_DRIVER_GET_CAPS","features":[79]},{"name":"WM_CAP_DRIVER_GET_NAME","features":[79]},{"name":"WM_CAP_DRIVER_GET_NAMEA","features":[79]},{"name":"WM_CAP_DRIVER_GET_NAMEW","features":[79]},{"name":"WM_CAP_DRIVER_GET_VERSION","features":[79]},{"name":"WM_CAP_DRIVER_GET_VERSIONA","features":[79]},{"name":"WM_CAP_DRIVER_GET_VERSIONW","features":[79]},{"name":"WM_CAP_EDIT_COPY","features":[79]},{"name":"WM_CAP_END","features":[79]},{"name":"WM_CAP_FILE_ALLOCATE","features":[79]},{"name":"WM_CAP_FILE_GET_CAPTURE_FILE","features":[79]},{"name":"WM_CAP_FILE_GET_CAPTURE_FILEA","features":[79]},{"name":"WM_CAP_FILE_GET_CAPTURE_FILEW","features":[79]},{"name":"WM_CAP_FILE_SAVEAS","features":[79]},{"name":"WM_CAP_FILE_SAVEASA","features":[79]},{"name":"WM_CAP_FILE_SAVEASW","features":[79]},{"name":"WM_CAP_FILE_SAVEDIB","features":[79]},{"name":"WM_CAP_FILE_SAVEDIBA","features":[79]},{"name":"WM_CAP_FILE_SAVEDIBW","features":[79]},{"name":"WM_CAP_FILE_SET_CAPTURE_FILE","features":[79]},{"name":"WM_CAP_FILE_SET_CAPTURE_FILEA","features":[79]},{"name":"WM_CAP_FILE_SET_CAPTURE_FILEW","features":[79]},{"name":"WM_CAP_FILE_SET_INFOCHUNK","features":[79]},{"name":"WM_CAP_GET_AUDIOFORMAT","features":[79]},{"name":"WM_CAP_GET_CAPSTREAMPTR","features":[79]},{"name":"WM_CAP_GET_MCI_DEVICE","features":[79]},{"name":"WM_CAP_GET_MCI_DEVICEA","features":[79]},{"name":"WM_CAP_GET_MCI_DEVICEW","features":[79]},{"name":"WM_CAP_GET_SEQUENCE_SETUP","features":[79]},{"name":"WM_CAP_GET_STATUS","features":[79]},{"name":"WM_CAP_GET_USER_DATA","features":[79]},{"name":"WM_CAP_GET_VIDEOFORMAT","features":[79]},{"name":"WM_CAP_GRAB_FRAME","features":[79]},{"name":"WM_CAP_GRAB_FRAME_NOSTOP","features":[79]},{"name":"WM_CAP_PAL_AUTOCREATE","features":[79]},{"name":"WM_CAP_PAL_MANUALCREATE","features":[79]},{"name":"WM_CAP_PAL_OPEN","features":[79]},{"name":"WM_CAP_PAL_OPENA","features":[79]},{"name":"WM_CAP_PAL_OPENW","features":[79]},{"name":"WM_CAP_PAL_PASTE","features":[79]},{"name":"WM_CAP_PAL_SAVE","features":[79]},{"name":"WM_CAP_PAL_SAVEA","features":[79]},{"name":"WM_CAP_PAL_SAVEW","features":[79]},{"name":"WM_CAP_SEQUENCE","features":[79]},{"name":"WM_CAP_SEQUENCE_NOFILE","features":[79]},{"name":"WM_CAP_SET_AUDIOFORMAT","features":[79]},{"name":"WM_CAP_SET_CALLBACK_CAPCONTROL","features":[79]},{"name":"WM_CAP_SET_CALLBACK_ERROR","features":[79]},{"name":"WM_CAP_SET_CALLBACK_ERRORA","features":[79]},{"name":"WM_CAP_SET_CALLBACK_ERRORW","features":[79]},{"name":"WM_CAP_SET_CALLBACK_FRAME","features":[79]},{"name":"WM_CAP_SET_CALLBACK_STATUS","features":[79]},{"name":"WM_CAP_SET_CALLBACK_STATUSA","features":[79]},{"name":"WM_CAP_SET_CALLBACK_STATUSW","features":[79]},{"name":"WM_CAP_SET_CALLBACK_VIDEOSTREAM","features":[79]},{"name":"WM_CAP_SET_CALLBACK_WAVESTREAM","features":[79]},{"name":"WM_CAP_SET_CALLBACK_YIELD","features":[79]},{"name":"WM_CAP_SET_MCI_DEVICE","features":[79]},{"name":"WM_CAP_SET_MCI_DEVICEA","features":[79]},{"name":"WM_CAP_SET_MCI_DEVICEW","features":[79]},{"name":"WM_CAP_SET_OVERLAY","features":[79]},{"name":"WM_CAP_SET_PREVIEW","features":[79]},{"name":"WM_CAP_SET_PREVIEWRATE","features":[79]},{"name":"WM_CAP_SET_SCALE","features":[79]},{"name":"WM_CAP_SET_SCROLL","features":[79]},{"name":"WM_CAP_SET_SEQUENCE_SETUP","features":[79]},{"name":"WM_CAP_SET_USER_DATA","features":[79]},{"name":"WM_CAP_SET_VIDEOFORMAT","features":[79]},{"name":"WM_CAP_SINGLE_FRAME","features":[79]},{"name":"WM_CAP_SINGLE_FRAME_CLOSE","features":[79]},{"name":"WM_CAP_SINGLE_FRAME_OPEN","features":[79]},{"name":"WM_CAP_START","features":[79]},{"name":"WM_CAP_STOP","features":[79]},{"name":"WM_CAP_UNICODE_END","features":[79]},{"name":"WM_CAP_UNICODE_START","features":[79]},{"name":"WODM_BREAKLOOP","features":[79]},{"name":"WODM_BUSY","features":[79]},{"name":"WODM_CLOSE","features":[79]},{"name":"WODM_GETDEVCAPS","features":[79]},{"name":"WODM_GETNUMDEVS","features":[79]},{"name":"WODM_GETPITCH","features":[79]},{"name":"WODM_GETPLAYBACKRATE","features":[79]},{"name":"WODM_GETPOS","features":[79]},{"name":"WODM_GETVOLUME","features":[79]},{"name":"WODM_INIT","features":[79]},{"name":"WODM_INIT_EX","features":[79]},{"name":"WODM_OPEN","features":[79]},{"name":"WODM_PAUSE","features":[79]},{"name":"WODM_PREFERRED","features":[79]},{"name":"WODM_PREPARE","features":[79]},{"name":"WODM_RESET","features":[79]},{"name":"WODM_RESTART","features":[79]},{"name":"WODM_SETPITCH","features":[79]},{"name":"WODM_SETPLAYBACKRATE","features":[79]},{"name":"WODM_SETVOLUME","features":[79]},{"name":"WODM_UNPREPARE","features":[79]},{"name":"WODM_WRITE","features":[79]},{"name":"YAMAHA_ADPCMWAVEFORMAT","features":[80,79]},{"name":"YIELDPROC","features":[79]},{"name":"capCreateCaptureWindowA","features":[1,79]},{"name":"capCreateCaptureWindowW","features":[1,79]},{"name":"capGetDriverDescriptionA","features":[1,79]},{"name":"capGetDriverDescriptionW","features":[1,79]},{"name":"joyGetDevCapsA","features":[79]},{"name":"joyGetDevCapsW","features":[79]},{"name":"joyGetNumDevs","features":[79]},{"name":"joyGetPos","features":[79]},{"name":"joyGetPosEx","features":[79]},{"name":"joyGetThreshold","features":[79]},{"name":"joyReleaseCapture","features":[79]},{"name":"joySetCapture","features":[1,79]},{"name":"joySetThreshold","features":[79]},{"name":"mciDriverNotify","features":[1,79]},{"name":"mciDriverYield","features":[79]},{"name":"mciFreeCommandResource","features":[1,79]},{"name":"mciGetCreatorTask","features":[79]},{"name":"mciGetDeviceIDA","features":[79]},{"name":"mciGetDeviceIDFromElementIDA","features":[79]},{"name":"mciGetDeviceIDFromElementIDW","features":[79]},{"name":"mciGetDeviceIDW","features":[79]},{"name":"mciGetDriverData","features":[79]},{"name":"mciGetErrorStringA","features":[1,79]},{"name":"mciGetErrorStringW","features":[1,79]},{"name":"mciGetYieldProc","features":[79]},{"name":"mciLoadCommandResource","features":[1,79]},{"name":"mciSendCommandA","features":[79]},{"name":"mciSendCommandW","features":[79]},{"name":"mciSendStringA","features":[1,79]},{"name":"mciSendStringW","features":[1,79]},{"name":"mciSetDriverData","features":[1,79]},{"name":"mciSetYieldProc","features":[1,79]},{"name":"mmDrvInstall","features":[79]},{"name":"mmGetCurrentTask","features":[79]},{"name":"mmTaskBlock","features":[79]},{"name":"mmTaskCreate","features":[1,79]},{"name":"mmTaskSignal","features":[1,79]},{"name":"mmTaskYield","features":[79]},{"name":"mmioAdvance","features":[1,79]},{"name":"mmioAscend","features":[79]},{"name":"mmioClose","features":[79]},{"name":"mmioCreateChunk","features":[79]},{"name":"mmioDescend","features":[79]},{"name":"mmioFlush","features":[79]},{"name":"mmioGetInfo","features":[1,79]},{"name":"mmioInstallIOProcA","features":[1,79]},{"name":"mmioInstallIOProcW","features":[1,79]},{"name":"mmioOpenA","features":[1,79]},{"name":"mmioOpenW","features":[1,79]},{"name":"mmioRead","features":[79]},{"name":"mmioRenameA","features":[1,79]},{"name":"mmioRenameW","features":[1,79]},{"name":"mmioSeek","features":[79]},{"name":"mmioSendMessage","features":[1,79]},{"name":"mmioSetBuffer","features":[79]},{"name":"mmioSetInfo","features":[1,79]},{"name":"mmioStringToFOURCCA","features":[79]},{"name":"mmioStringToFOURCCW","features":[79]},{"name":"mmioWrite","features":[79]},{"name":"s_RIFFWAVE_inst","features":[79]},{"name":"sndOpenSound","features":[1,79]}],"441":[{"name":"CapturedMetadataExposureCompensation","features":[85]},{"name":"CapturedMetadataISOGains","features":[85]},{"name":"CapturedMetadataWhiteBalanceGains","features":[85]},{"name":"DEVPKEY_Device_DLNACAP","features":[35,85]},{"name":"DEVPKEY_Device_DLNADOC","features":[35,85]},{"name":"DEVPKEY_Device_MaxVolume","features":[35,85]},{"name":"DEVPKEY_Device_PacketWakeSupported","features":[35,85]},{"name":"DEVPKEY_Device_SendPacketWakeSupported","features":[35,85]},{"name":"DEVPKEY_Device_SinkProtocolInfo","features":[35,85]},{"name":"DEVPKEY_Device_SupportsAudio","features":[35,85]},{"name":"DEVPKEY_Device_SupportsImages","features":[35,85]},{"name":"DEVPKEY_Device_SupportsMute","features":[35,85]},{"name":"DEVPKEY_Device_SupportsSearch","features":[35,85]},{"name":"DEVPKEY_Device_SupportsSetNextAVT","features":[35,85]},{"name":"DEVPKEY_Device_SupportsVideo","features":[35,85]},{"name":"DEVPKEY_Device_UDN","features":[35,85]},{"name":"FaceCharacterization","features":[85]},{"name":"FaceCharacterizationBlobHeader","features":[85]},{"name":"FaceRectInfo","features":[1,85]},{"name":"FaceRectInfoBlobHeader","features":[85]},{"name":"GUID_DEVINTERFACE_DMP","features":[85]},{"name":"GUID_DEVINTERFACE_DMR","features":[85]},{"name":"GUID_DEVINTERFACE_DMS","features":[85]},{"name":"HistogramBlobHeader","features":[85]},{"name":"HistogramDataHeader","features":[85]},{"name":"HistogramGrid","features":[1,85]},{"name":"HistogramHeader","features":[1,85]},{"name":"MF_MEDIASOURCE_STATUS_INFO","features":[85]},{"name":"MF_MEDIASOURCE_STATUS_INFO_FULLYSUPPORTED","features":[85]},{"name":"MF_MEDIASOURCE_STATUS_INFO_UNKNOWN","features":[85]},{"name":"MF_TRANSFER_VIDEO_FRAME_DEFAULT","features":[85]},{"name":"MF_TRANSFER_VIDEO_FRAME_FLAGS","features":[85]},{"name":"MF_TRANSFER_VIDEO_FRAME_IGNORE_PAR","features":[85]},{"name":"MF_TRANSFER_VIDEO_FRAME_STRETCH","features":[85]},{"name":"MetadataTimeStamps","features":[85]}],"442":[{"name":"AM_CONFIGASFWRITER_PARAM_AUTOINDEX","features":[86]},{"name":"AM_CONFIGASFWRITER_PARAM_DONTCOMPRESS","features":[86]},{"name":"AM_CONFIGASFWRITER_PARAM_MULTIPASS","features":[86]},{"name":"AM_WMT_EVENT_DATA","features":[86]},{"name":"CLSID_ClientNetManager","features":[86]},{"name":"CLSID_WMBandwidthSharing_Exclusive","features":[86]},{"name":"CLSID_WMBandwidthSharing_Partial","features":[86]},{"name":"CLSID_WMMUTEX_Bitrate","features":[86]},{"name":"CLSID_WMMUTEX_Language","features":[86]},{"name":"CLSID_WMMUTEX_Presentation","features":[86]},{"name":"CLSID_WMMUTEX_Unknown","features":[86]},{"name":"DRM_COPY_OPL","features":[86]},{"name":"DRM_MINIMUM_OUTPUT_PROTECTION_LEVELS","features":[86]},{"name":"DRM_OPL_OUTPUT_IDS","features":[86]},{"name":"DRM_OPL_TYPES","features":[86]},{"name":"DRM_OUTPUT_PROTECTION","features":[86]},{"name":"DRM_PLAY_OPL","features":[86]},{"name":"DRM_VAL16","features":[86]},{"name":"DRM_VIDEO_OUTPUT_PROTECTION_IDS","features":[86]},{"name":"INSNetSourceCreator","features":[86]},{"name":"INSSBuffer","features":[86]},{"name":"INSSBuffer2","features":[86]},{"name":"INSSBuffer3","features":[86]},{"name":"INSSBuffer4","features":[86]},{"name":"IWMAddressAccess","features":[86]},{"name":"IWMAddressAccess2","features":[86]},{"name":"IWMAuthorizer","features":[86]},{"name":"IWMBackupRestoreProps","features":[86]},{"name":"IWMBandwidthSharing","features":[86]},{"name":"IWMClientConnections","features":[86]},{"name":"IWMClientConnections2","features":[86]},{"name":"IWMCodecInfo","features":[86]},{"name":"IWMCodecInfo2","features":[86]},{"name":"IWMCodecInfo3","features":[86]},{"name":"IWMCredentialCallback","features":[86]},{"name":"IWMDRMEditor","features":[86]},{"name":"IWMDRMMessageParser","features":[86]},{"name":"IWMDRMReader","features":[86]},{"name":"IWMDRMReader2","features":[86]},{"name":"IWMDRMReader3","features":[86]},{"name":"IWMDRMTranscryptionManager","features":[86]},{"name":"IWMDRMTranscryptor","features":[86]},{"name":"IWMDRMTranscryptor2","features":[86]},{"name":"IWMDRMWriter","features":[86]},{"name":"IWMDRMWriter2","features":[86]},{"name":"IWMDRMWriter3","features":[86]},{"name":"IWMDeviceRegistration","features":[86]},{"name":"IWMGetSecureChannel","features":[86]},{"name":"IWMHeaderInfo","features":[86]},{"name":"IWMHeaderInfo2","features":[86]},{"name":"IWMHeaderInfo3","features":[86]},{"name":"IWMIStreamProps","features":[86]},{"name":"IWMImageInfo","features":[86]},{"name":"IWMIndexer","features":[86]},{"name":"IWMIndexer2","features":[86]},{"name":"IWMInputMediaProps","features":[86]},{"name":"IWMLanguageList","features":[86]},{"name":"IWMLicenseBackup","features":[86]},{"name":"IWMLicenseRestore","features":[86]},{"name":"IWMLicenseRevocationAgent","features":[86]},{"name":"IWMMediaProps","features":[86]},{"name":"IWMMetadataEditor","features":[86]},{"name":"IWMMetadataEditor2","features":[86]},{"name":"IWMMutualExclusion","features":[86]},{"name":"IWMMutualExclusion2","features":[86]},{"name":"IWMOutputMediaProps","features":[86]},{"name":"IWMPacketSize","features":[86]},{"name":"IWMPacketSize2","features":[86]},{"name":"IWMPlayerHook","features":[86]},{"name":"IWMPlayerTimestampHook","features":[86]},{"name":"IWMProfile","features":[86]},{"name":"IWMProfile2","features":[86]},{"name":"IWMProfile3","features":[86]},{"name":"IWMProfileManager","features":[86]},{"name":"IWMProfileManager2","features":[86]},{"name":"IWMProfileManagerLanguage","features":[86]},{"name":"IWMPropertyVault","features":[86]},{"name":"IWMProximityDetection","features":[86]},{"name":"IWMReader","features":[86]},{"name":"IWMReaderAccelerator","features":[86]},{"name":"IWMReaderAdvanced","features":[86]},{"name":"IWMReaderAdvanced2","features":[86]},{"name":"IWMReaderAdvanced3","features":[86]},{"name":"IWMReaderAdvanced4","features":[86]},{"name":"IWMReaderAdvanced5","features":[86]},{"name":"IWMReaderAdvanced6","features":[86]},{"name":"IWMReaderAllocatorEx","features":[86]},{"name":"IWMReaderCallback","features":[86]},{"name":"IWMReaderCallbackAdvanced","features":[86]},{"name":"IWMReaderNetworkConfig","features":[86]},{"name":"IWMReaderNetworkConfig2","features":[86]},{"name":"IWMReaderPlaylistBurn","features":[86]},{"name":"IWMReaderStreamClock","features":[86]},{"name":"IWMReaderTimecode","features":[86]},{"name":"IWMReaderTypeNegotiation","features":[86]},{"name":"IWMRegisterCallback","features":[86]},{"name":"IWMRegisteredDevice","features":[86]},{"name":"IWMSBufferAllocator","features":[86]},{"name":"IWMSInternalAdminNetSource","features":[86]},{"name":"IWMSInternalAdminNetSource2","features":[86]},{"name":"IWMSInternalAdminNetSource3","features":[86]},{"name":"IWMSecureChannel","features":[86]},{"name":"IWMStatusCallback","features":[86]},{"name":"IWMStreamConfig","features":[86]},{"name":"IWMStreamConfig2","features":[86]},{"name":"IWMStreamConfig3","features":[86]},{"name":"IWMStreamList","features":[86]},{"name":"IWMStreamPrioritization","features":[86]},{"name":"IWMSyncReader","features":[86]},{"name":"IWMSyncReader2","features":[86]},{"name":"IWMVideoMediaProps","features":[86]},{"name":"IWMWatermarkInfo","features":[86]},{"name":"IWMWriter","features":[86]},{"name":"IWMWriterAdvanced","features":[86]},{"name":"IWMWriterAdvanced2","features":[86]},{"name":"IWMWriterAdvanced3","features":[86]},{"name":"IWMWriterFileSink","features":[86]},{"name":"IWMWriterFileSink2","features":[86]},{"name":"IWMWriterFileSink3","features":[86]},{"name":"IWMWriterNetworkSink","features":[86]},{"name":"IWMWriterPostView","features":[86]},{"name":"IWMWriterPostViewCallback","features":[86]},{"name":"IWMWriterPreprocess","features":[86]},{"name":"IWMWriterPushSink","features":[86]},{"name":"IWMWriterSink","features":[86]},{"name":"NETSOURCE_URLCREDPOLICY_SETTINGS","features":[86]},{"name":"NETSOURCE_URLCREDPOLICY_SETTING_ANONYMOUSONLY","features":[86]},{"name":"NETSOURCE_URLCREDPOLICY_SETTING_MUSTPROMPTUSER","features":[86]},{"name":"NETSOURCE_URLCREDPOLICY_SETTING_SILENTLOGONOK","features":[86]},{"name":"WEBSTREAM_SAMPLE_TYPE","features":[86]},{"name":"WEBSTREAM_SAMPLE_TYPE_FILE","features":[86]},{"name":"WEBSTREAM_SAMPLE_TYPE_RENDER","features":[86]},{"name":"WMCreateBackupRestorer","features":[86]},{"name":"WMCreateEditor","features":[86]},{"name":"WMCreateIndexer","features":[86]},{"name":"WMCreateProfileManager","features":[86]},{"name":"WMCreateReader","features":[86]},{"name":"WMCreateSyncReader","features":[86]},{"name":"WMCreateWriter","features":[86]},{"name":"WMCreateWriterFileSink","features":[86]},{"name":"WMCreateWriterNetworkSink","features":[86]},{"name":"WMCreateWriterPushSink","features":[86]},{"name":"WMDRM_IMPORT_INIT_STRUCT","features":[86]},{"name":"WMDRM_IMPORT_INIT_STRUCT_DEFINED","features":[86]},{"name":"WMFORMAT_MPEG2Video","features":[86]},{"name":"WMFORMAT_Script","features":[86]},{"name":"WMFORMAT_VideoInfo","features":[86]},{"name":"WMFORMAT_WaveFormatEx","features":[86]},{"name":"WMFORMAT_WebStream","features":[86]},{"name":"WMIsContentProtected","features":[1,86]},{"name":"WMMEDIASUBTYPE_ACELPnet","features":[86]},{"name":"WMMEDIASUBTYPE_Base","features":[86]},{"name":"WMMEDIASUBTYPE_DRM","features":[86]},{"name":"WMMEDIASUBTYPE_I420","features":[86]},{"name":"WMMEDIASUBTYPE_IYUV","features":[86]},{"name":"WMMEDIASUBTYPE_M4S2","features":[86]},{"name":"WMMEDIASUBTYPE_MP3","features":[86]},{"name":"WMMEDIASUBTYPE_MP43","features":[86]},{"name":"WMMEDIASUBTYPE_MP4S","features":[86]},{"name":"WMMEDIASUBTYPE_MPEG2_VIDEO","features":[86]},{"name":"WMMEDIASUBTYPE_MSS1","features":[86]},{"name":"WMMEDIASUBTYPE_MSS2","features":[86]},{"name":"WMMEDIASUBTYPE_P422","features":[86]},{"name":"WMMEDIASUBTYPE_PCM","features":[86]},{"name":"WMMEDIASUBTYPE_RGB1","features":[86]},{"name":"WMMEDIASUBTYPE_RGB24","features":[86]},{"name":"WMMEDIASUBTYPE_RGB32","features":[86]},{"name":"WMMEDIASUBTYPE_RGB4","features":[86]},{"name":"WMMEDIASUBTYPE_RGB555","features":[86]},{"name":"WMMEDIASUBTYPE_RGB565","features":[86]},{"name":"WMMEDIASUBTYPE_RGB8","features":[86]},{"name":"WMMEDIASUBTYPE_UYVY","features":[86]},{"name":"WMMEDIASUBTYPE_VIDEOIMAGE","features":[86]},{"name":"WMMEDIASUBTYPE_WMAudioV2","features":[86]},{"name":"WMMEDIASUBTYPE_WMAudioV7","features":[86]},{"name":"WMMEDIASUBTYPE_WMAudioV8","features":[86]},{"name":"WMMEDIASUBTYPE_WMAudioV9","features":[86]},{"name":"WMMEDIASUBTYPE_WMAudio_Lossless","features":[86]},{"name":"WMMEDIASUBTYPE_WMSP1","features":[86]},{"name":"WMMEDIASUBTYPE_WMSP2","features":[86]},{"name":"WMMEDIASUBTYPE_WMV1","features":[86]},{"name":"WMMEDIASUBTYPE_WMV2","features":[86]},{"name":"WMMEDIASUBTYPE_WMV3","features":[86]},{"name":"WMMEDIASUBTYPE_WMVA","features":[86]},{"name":"WMMEDIASUBTYPE_WMVP","features":[86]},{"name":"WMMEDIASUBTYPE_WVC1","features":[86]},{"name":"WMMEDIASUBTYPE_WVP2","features":[86]},{"name":"WMMEDIASUBTYPE_WebStream","features":[86]},{"name":"WMMEDIASUBTYPE_YUY2","features":[86]},{"name":"WMMEDIASUBTYPE_YV12","features":[86]},{"name":"WMMEDIASUBTYPE_YVU9","features":[86]},{"name":"WMMEDIASUBTYPE_YVYU","features":[86]},{"name":"WMMEDIATYPE_Audio","features":[86]},{"name":"WMMEDIATYPE_FileTransfer","features":[86]},{"name":"WMMEDIATYPE_Image","features":[86]},{"name":"WMMEDIATYPE_Script","features":[86]},{"name":"WMMEDIATYPE_Text","features":[86]},{"name":"WMMEDIATYPE_Video","features":[86]},{"name":"WMMPEG2VIDEOINFO","features":[1,12,86]},{"name":"WMSCRIPTFORMAT","features":[86]},{"name":"WMSCRIPTTYPE_TwoStrings","features":[86]},{"name":"WMT_ACQUIRE_LICENSE","features":[86]},{"name":"WMT_ATTR_DATATYPE","features":[86]},{"name":"WMT_ATTR_IMAGETYPE","features":[86]},{"name":"WMT_BACKUPRESTORE_BEGIN","features":[86]},{"name":"WMT_BACKUPRESTORE_CONNECTING","features":[86]},{"name":"WMT_BACKUPRESTORE_DISCONNECTING","features":[86]},{"name":"WMT_BACKUPRESTORE_END","features":[86]},{"name":"WMT_BUFFERING_START","features":[86]},{"name":"WMT_BUFFERING_STOP","features":[86]},{"name":"WMT_BUFFER_SEGMENT","features":[86]},{"name":"WMT_CLEANPOINT_ONLY","features":[86]},{"name":"WMT_CLIENT_CONNECT","features":[86]},{"name":"WMT_CLIENT_CONNECT_EX","features":[86]},{"name":"WMT_CLIENT_DISCONNECT","features":[86]},{"name":"WMT_CLIENT_DISCONNECT_EX","features":[86]},{"name":"WMT_CLIENT_PROPERTIES","features":[86]},{"name":"WMT_CLOSED","features":[86]},{"name":"WMT_CODECINFO_AUDIO","features":[86]},{"name":"WMT_CODECINFO_UNKNOWN","features":[86]},{"name":"WMT_CODECINFO_VIDEO","features":[86]},{"name":"WMT_CODEC_INFO_TYPE","features":[86]},{"name":"WMT_COLORSPACEINFO_EXTENSION_DATA","features":[86]},{"name":"WMT_CONNECTING","features":[86]},{"name":"WMT_CONTENT_ENABLER","features":[86]},{"name":"WMT_CREDENTIAL_CLEAR_TEXT","features":[86]},{"name":"WMT_CREDENTIAL_DONT_CACHE","features":[86]},{"name":"WMT_CREDENTIAL_ENCRYPT","features":[86]},{"name":"WMT_CREDENTIAL_FLAGS","features":[86]},{"name":"WMT_CREDENTIAL_PROXY","features":[86]},{"name":"WMT_CREDENTIAL_SAVE","features":[86]},{"name":"WMT_DMOCATEGORY_AUDIO_WATERMARK","features":[86]},{"name":"WMT_DMOCATEGORY_VIDEO_WATERMARK","features":[86]},{"name":"WMT_DRMLA_TAMPERED","features":[86]},{"name":"WMT_DRMLA_TRUST","features":[86]},{"name":"WMT_DRMLA_TRUSTED","features":[86]},{"name":"WMT_DRMLA_UNTRUSTED","features":[86]},{"name":"WMT_END_OF_FILE","features":[86]},{"name":"WMT_END_OF_SEGMENT","features":[86]},{"name":"WMT_END_OF_STREAMING","features":[86]},{"name":"WMT_EOF","features":[86]},{"name":"WMT_ERROR","features":[86]},{"name":"WMT_ERROR_WITHURL","features":[86]},{"name":"WMT_FILESINK_DATA_UNIT","features":[86]},{"name":"WMT_FILESINK_MODE","features":[86]},{"name":"WMT_FM_FILESINK_DATA_UNITS","features":[86]},{"name":"WMT_FM_FILESINK_UNBUFFERED","features":[86]},{"name":"WMT_FM_SINGLE_BUFFERS","features":[86]},{"name":"WMT_IMAGETYPE_BITMAP","features":[86]},{"name":"WMT_IMAGETYPE_GIF","features":[86]},{"name":"WMT_IMAGETYPE_JPEG","features":[86]},{"name":"WMT_IMAGE_TYPE","features":[86]},{"name":"WMT_INDEXER_TYPE","features":[86]},{"name":"WMT_INDEX_PROGRESS","features":[86]},{"name":"WMT_INDEX_TYPE","features":[86]},{"name":"WMT_INDIVIDUALIZE","features":[86]},{"name":"WMT_INIT_PLAYLIST_BURN","features":[86]},{"name":"WMT_IT_BITMAP","features":[86]},{"name":"WMT_IT_FRAME_NUMBERS","features":[86]},{"name":"WMT_IT_GIF","features":[86]},{"name":"WMT_IT_JPEG","features":[86]},{"name":"WMT_IT_NEAREST_CLEAN_POINT","features":[86]},{"name":"WMT_IT_NEAREST_DATA_UNIT","features":[86]},{"name":"WMT_IT_NEAREST_OBJECT","features":[86]},{"name":"WMT_IT_NONE","features":[86]},{"name":"WMT_IT_PRESENTATION_TIME","features":[86]},{"name":"WMT_IT_TIMECODE","features":[86]},{"name":"WMT_LICENSEURL_SIGNATURE_STATE","features":[86]},{"name":"WMT_LOCATING","features":[86]},{"name":"WMT_MISSING_CODEC","features":[86]},{"name":"WMT_MS_CLASS_MIXED","features":[86]},{"name":"WMT_MS_CLASS_MUSIC","features":[86]},{"name":"WMT_MS_CLASS_SPEECH","features":[86]},{"name":"WMT_MUSICSPEECH_CLASS_MODE","features":[86]},{"name":"WMT_NATIVE_OUTPUT_PROPS_CHANGED","features":[86]},{"name":"WMT_NEEDS_INDIVIDUALIZATION","features":[86]},{"name":"WMT_NET_PROTOCOL","features":[86]},{"name":"WMT_NEW_METADATA","features":[86]},{"name":"WMT_NEW_SOURCEFLAGS","features":[86]},{"name":"WMT_NO_RIGHTS","features":[86]},{"name":"WMT_NO_RIGHTS_EX","features":[86]},{"name":"WMT_OFF","features":[86]},{"name":"WMT_OFFSET_FORMAT","features":[86]},{"name":"WMT_OFFSET_FORMAT_100NS","features":[86]},{"name":"WMT_OFFSET_FORMAT_100NS_APPROXIMATE","features":[86]},{"name":"WMT_OFFSET_FORMAT_FRAME_NUMBERS","features":[86]},{"name":"WMT_OFFSET_FORMAT_PLAYLIST_OFFSET","features":[86]},{"name":"WMT_OFFSET_FORMAT_TIMECODE","features":[86]},{"name":"WMT_ON","features":[86]},{"name":"WMT_OPENED","features":[86]},{"name":"WMT_PAYLOAD_FRAGMENT","features":[86]},{"name":"WMT_PLAY_MODE","features":[86]},{"name":"WMT_PLAY_MODE_AUTOSELECT","features":[86]},{"name":"WMT_PLAY_MODE_DOWNLOAD","features":[86]},{"name":"WMT_PLAY_MODE_LOCAL","features":[86]},{"name":"WMT_PLAY_MODE_STREAMING","features":[86]},{"name":"WMT_PREROLL_COMPLETE","features":[86]},{"name":"WMT_PREROLL_READY","features":[86]},{"name":"WMT_PROTOCOL_HTTP","features":[86]},{"name":"WMT_PROXIMITY_COMPLETED","features":[86]},{"name":"WMT_PROXIMITY_RESULT","features":[86]},{"name":"WMT_PROXY_SETTINGS","features":[86]},{"name":"WMT_PROXY_SETTING_AUTO","features":[86]},{"name":"WMT_PROXY_SETTING_BROWSER","features":[86]},{"name":"WMT_PROXY_SETTING_MANUAL","features":[86]},{"name":"WMT_PROXY_SETTING_MAX","features":[86]},{"name":"WMT_PROXY_SETTING_NONE","features":[86]},{"name":"WMT_RECONNECT_END","features":[86]},{"name":"WMT_RECONNECT_START","features":[86]},{"name":"WMT_RESTRICTED_LICENSE","features":[86]},{"name":"WMT_RIGHTS","features":[86]},{"name":"WMT_RIGHT_COLLABORATIVE_PLAY","features":[86]},{"name":"WMT_RIGHT_COPY","features":[86]},{"name":"WMT_RIGHT_COPY_TO_CD","features":[86]},{"name":"WMT_RIGHT_COPY_TO_NON_SDMI_DEVICE","features":[86]},{"name":"WMT_RIGHT_COPY_TO_SDMI_DEVICE","features":[86]},{"name":"WMT_RIGHT_ONE_TIME","features":[86]},{"name":"WMT_RIGHT_PLAYBACK","features":[86]},{"name":"WMT_RIGHT_SAVE_STREAM_PROTECTED","features":[86]},{"name":"WMT_RIGHT_SDMI_NOMORECOPIES","features":[86]},{"name":"WMT_RIGHT_SDMI_TRIGGER","features":[86]},{"name":"WMT_SAVEAS_START","features":[86]},{"name":"WMT_SAVEAS_STOP","features":[86]},{"name":"WMT_SET_FEC_SPAN","features":[86]},{"name":"WMT_SOURCE_SWITCH","features":[86]},{"name":"WMT_STARTED","features":[86]},{"name":"WMT_STATUS","features":[86]},{"name":"WMT_STOPPED","features":[86]},{"name":"WMT_STORAGE_FORMAT","features":[86]},{"name":"WMT_STREAM_SELECTION","features":[86]},{"name":"WMT_STRIDING","features":[86]},{"name":"WMT_Storage_Format_MP3","features":[86]},{"name":"WMT_Storage_Format_V1","features":[86]},{"name":"WMT_TIMECODE_EXTENSION_DATA","features":[86]},{"name":"WMT_TIMECODE_FRAMERATE","features":[86]},{"name":"WMT_TIMECODE_FRAMERATE_24","features":[86]},{"name":"WMT_TIMECODE_FRAMERATE_25","features":[86]},{"name":"WMT_TIMECODE_FRAMERATE_30","features":[86]},{"name":"WMT_TIMECODE_FRAMERATE_30DROP","features":[86]},{"name":"WMT_TIMER","features":[86]},{"name":"WMT_TRANSCRYPTOR_CLOSED","features":[86]},{"name":"WMT_TRANSCRYPTOR_INIT","features":[86]},{"name":"WMT_TRANSCRYPTOR_READ","features":[86]},{"name":"WMT_TRANSCRYPTOR_SEEKED","features":[86]},{"name":"WMT_TRANSPORT_TYPE","features":[86]},{"name":"WMT_TYPE_BINARY","features":[86]},{"name":"WMT_TYPE_BOOL","features":[86]},{"name":"WMT_TYPE_DWORD","features":[86]},{"name":"WMT_TYPE_GUID","features":[86]},{"name":"WMT_TYPE_QWORD","features":[86]},{"name":"WMT_TYPE_STRING","features":[86]},{"name":"WMT_TYPE_WORD","features":[86]},{"name":"WMT_Transport_Type_Reliable","features":[86]},{"name":"WMT_Transport_Type_Unreliable","features":[86]},{"name":"WMT_VERSION","features":[86]},{"name":"WMT_VER_4_0","features":[86]},{"name":"WMT_VER_7_0","features":[86]},{"name":"WMT_VER_8_0","features":[86]},{"name":"WMT_VER_9_0","features":[86]},{"name":"WMT_VIDEOIMAGE_INTEGER_DENOMINATOR","features":[86]},{"name":"WMT_VIDEOIMAGE_MAGIC_NUMBER","features":[86]},{"name":"WMT_VIDEOIMAGE_MAGIC_NUMBER_2","features":[86]},{"name":"WMT_VIDEOIMAGE_SAMPLE","features":[86]},{"name":"WMT_VIDEOIMAGE_SAMPLE2","features":[1,86]},{"name":"WMT_VIDEOIMAGE_SAMPLE_ADV_BLENDING","features":[86]},{"name":"WMT_VIDEOIMAGE_SAMPLE_BLENDING","features":[86]},{"name":"WMT_VIDEOIMAGE_SAMPLE_INPUT_FRAME","features":[86]},{"name":"WMT_VIDEOIMAGE_SAMPLE_MOTION","features":[86]},{"name":"WMT_VIDEOIMAGE_SAMPLE_OUTPUT_FRAME","features":[86]},{"name":"WMT_VIDEOIMAGE_SAMPLE_ROTATION","features":[86]},{"name":"WMT_VIDEOIMAGE_SAMPLE_USES_CURRENT_INPUT_FRAME","features":[86]},{"name":"WMT_VIDEOIMAGE_SAMPLE_USES_PREVIOUS_INPUT_FRAME","features":[86]},{"name":"WMT_VIDEOIMAGE_TRANSITION_BOW_TIE","features":[86]},{"name":"WMT_VIDEOIMAGE_TRANSITION_CIRCLE","features":[86]},{"name":"WMT_VIDEOIMAGE_TRANSITION_CROSS_FADE","features":[86]},{"name":"WMT_VIDEOIMAGE_TRANSITION_DIAGONAL","features":[86]},{"name":"WMT_VIDEOIMAGE_TRANSITION_DIAMOND","features":[86]},{"name":"WMT_VIDEOIMAGE_TRANSITION_FADE_TO_COLOR","features":[86]},{"name":"WMT_VIDEOIMAGE_TRANSITION_FILLED_V","features":[86]},{"name":"WMT_VIDEOIMAGE_TRANSITION_FLIP","features":[86]},{"name":"WMT_VIDEOIMAGE_TRANSITION_INSET","features":[86]},{"name":"WMT_VIDEOIMAGE_TRANSITION_IRIS","features":[86]},{"name":"WMT_VIDEOIMAGE_TRANSITION_PAGE_ROLL","features":[86]},{"name":"WMT_VIDEOIMAGE_TRANSITION_RECTANGLE","features":[86]},{"name":"WMT_VIDEOIMAGE_TRANSITION_REVEAL","features":[86]},{"name":"WMT_VIDEOIMAGE_TRANSITION_SLIDE","features":[86]},{"name":"WMT_VIDEOIMAGE_TRANSITION_SPLIT","features":[86]},{"name":"WMT_VIDEOIMAGE_TRANSITION_STAR","features":[86]},{"name":"WMT_VIDEOIMAGE_TRANSITION_WHEEL","features":[86]},{"name":"WMT_WATERMARK_ENTRY","features":[86]},{"name":"WMT_WATERMARK_ENTRY_TYPE","features":[86]},{"name":"WMT_WEBSTREAM_FORMAT","features":[86]},{"name":"WMT_WEBSTREAM_SAMPLE_HEADER","features":[86]},{"name":"WMT_WMETYPE_AUDIO","features":[86]},{"name":"WMT_WMETYPE_VIDEO","features":[86]},{"name":"WMVIDEOINFOHEADER","features":[1,12,86]},{"name":"WMVIDEOINFOHEADER2","features":[1,12,86]},{"name":"WM_ADDRESS_ACCESSENTRY","features":[86]},{"name":"WM_AETYPE","features":[86]},{"name":"WM_AETYPE_EXCLUDE","features":[86]},{"name":"WM_AETYPE_INCLUDE","features":[86]},{"name":"WM_CLIENT_PROPERTIES","features":[86]},{"name":"WM_CLIENT_PROPERTIES_EX","features":[86]},{"name":"WM_CL_INTERLACED420","features":[86]},{"name":"WM_CL_PROGRESSIVE420","features":[86]},{"name":"WM_CT_BOTTOM_FIELD_FIRST","features":[86]},{"name":"WM_CT_INTERLACED","features":[86]},{"name":"WM_CT_REPEAT_FIRST_FIELD","features":[86]},{"name":"WM_CT_TOP_FIELD_FIRST","features":[86]},{"name":"WM_DM_DEINTERLACE_HALFSIZE","features":[86]},{"name":"WM_DM_DEINTERLACE_HALFSIZEDOUBLERATE","features":[86]},{"name":"WM_DM_DEINTERLACE_INVERSETELECINE","features":[86]},{"name":"WM_DM_DEINTERLACE_NORMAL","features":[86]},{"name":"WM_DM_DEINTERLACE_VERTICALHALFSIZEDOUBLERATE","features":[86]},{"name":"WM_DM_INTERLACED_TYPE","features":[86]},{"name":"WM_DM_IT_DISABLE_COHERENT_MODE","features":[86]},{"name":"WM_DM_IT_FIRST_FRAME_COHERENCY","features":[86]},{"name":"WM_DM_IT_FIRST_FRAME_IN_CLIP_IS_AA_BOTTOM","features":[86]},{"name":"WM_DM_IT_FIRST_FRAME_IN_CLIP_IS_AA_TOP","features":[86]},{"name":"WM_DM_IT_FIRST_FRAME_IN_CLIP_IS_BB_BOTTOM","features":[86]},{"name":"WM_DM_IT_FIRST_FRAME_IN_CLIP_IS_BB_TOP","features":[86]},{"name":"WM_DM_IT_FIRST_FRAME_IN_CLIP_IS_BC_BOTTOM","features":[86]},{"name":"WM_DM_IT_FIRST_FRAME_IN_CLIP_IS_BC_TOP","features":[86]},{"name":"WM_DM_IT_FIRST_FRAME_IN_CLIP_IS_CD_BOTTOM","features":[86]},{"name":"WM_DM_IT_FIRST_FRAME_IN_CLIP_IS_CD_TOP","features":[86]},{"name":"WM_DM_IT_FIRST_FRAME_IN_CLIP_IS_DD_BOTTOM","features":[86]},{"name":"WM_DM_IT_FIRST_FRAME_IN_CLIP_IS_DD_TOP","features":[86]},{"name":"WM_DM_NOTINTERLACED","features":[86]},{"name":"WM_LEAKY_BUCKET_PAIR","features":[86]},{"name":"WM_MAX_STREAMS","features":[86]},{"name":"WM_MAX_VIDEO_STREAMS","features":[86]},{"name":"WM_MEDIA_TYPE","features":[1,86]},{"name":"WM_PICTURE","features":[86]},{"name":"WM_PLAYBACK_DRC_HIGH","features":[86]},{"name":"WM_PLAYBACK_DRC_LEVEL","features":[86]},{"name":"WM_PLAYBACK_DRC_LOW","features":[86]},{"name":"WM_PLAYBACK_DRC_MEDIUM","features":[86]},{"name":"WM_PORT_NUMBER_RANGE","features":[86]},{"name":"WM_READER_CLIENTINFO","features":[1,86]},{"name":"WM_READER_STATISTICS","features":[86]},{"name":"WM_SFEX_DATALOSS","features":[86]},{"name":"WM_SFEX_NOTASYNCPOINT","features":[86]},{"name":"WM_SFEX_TYPE","features":[86]},{"name":"WM_SF_CLEANPOINT","features":[86]},{"name":"WM_SF_DATALOSS","features":[86]},{"name":"WM_SF_DISCONTINUITY","features":[86]},{"name":"WM_SF_TYPE","features":[86]},{"name":"WM_STREAM_PRIORITY_RECORD","features":[1,86]},{"name":"WM_STREAM_TYPE_INFO","features":[86]},{"name":"WM_SYNCHRONISED_LYRICS","features":[86]},{"name":"WM_SampleExtensionGUID_ChromaLocation","features":[86]},{"name":"WM_SampleExtensionGUID_ColorSpaceInfo","features":[86]},{"name":"WM_SampleExtensionGUID_ContentType","features":[86]},{"name":"WM_SampleExtensionGUID_FileName","features":[86]},{"name":"WM_SampleExtensionGUID_OutputCleanPoint","features":[86]},{"name":"WM_SampleExtensionGUID_PixelAspectRatio","features":[86]},{"name":"WM_SampleExtensionGUID_SampleDuration","features":[86]},{"name":"WM_SampleExtensionGUID_SampleProtectionSalt","features":[86]},{"name":"WM_SampleExtensionGUID_Timecode","features":[86]},{"name":"WM_SampleExtensionGUID_UserDataInfo","features":[86]},{"name":"WM_SampleExtension_ChromaLocation_Size","features":[86]},{"name":"WM_SampleExtension_ColorSpaceInfo_Size","features":[86]},{"name":"WM_SampleExtension_ContentType_Size","features":[86]},{"name":"WM_SampleExtension_PixelAspectRatio_Size","features":[86]},{"name":"WM_SampleExtension_SampleDuration_Size","features":[86]},{"name":"WM_SampleExtension_Timecode_Size","features":[86]},{"name":"WM_USER_TEXT","features":[86]},{"name":"WM_USER_WEB_URL","features":[86]},{"name":"WM_WRITER_STATISTICS","features":[86]},{"name":"WM_WRITER_STATISTICS_EX","features":[86]},{"name":"_AM_ASFWRITERCONFIG_PARAM","features":[86]},{"name":"g_dwWMContentAttributes","features":[86]},{"name":"g_dwWMNSCAttributes","features":[86]},{"name":"g_dwWMSpecialAttributes","features":[86]},{"name":"g_wszASFLeakyBucketPairs","features":[86]},{"name":"g_wszAllowInterlacedOutput","features":[86]},{"name":"g_wszAverageLevel","features":[86]},{"name":"g_wszBufferAverage","features":[86]},{"name":"g_wszComplexity","features":[86]},{"name":"g_wszComplexityLive","features":[86]},{"name":"g_wszComplexityMax","features":[86]},{"name":"g_wszComplexityOffline","features":[86]},{"name":"g_wszDecoderComplexityRequested","features":[86]},{"name":"g_wszDedicatedDeliveryThread","features":[86]},{"name":"g_wszDeinterlaceMode","features":[86]},{"name":"g_wszDeliverOnReceive","features":[86]},{"name":"g_wszDeviceConformanceTemplate","features":[86]},{"name":"g_wszDynamicRangeControl","features":[86]},{"name":"g_wszEDL","features":[86]},{"name":"g_wszEarlyDataDelivery","features":[86]},{"name":"g_wszEnableDiscreteOutput","features":[86]},{"name":"g_wszEnableFrameInterpolation","features":[86]},{"name":"g_wszEnableWMAProSPDIFOutput","features":[86]},{"name":"g_wszFailSeekOnError","features":[86]},{"name":"g_wszFixedFrameRate","features":[86]},{"name":"g_wszFold6To2Channels3","features":[86]},{"name":"g_wszFoldToChannelsTemplate","features":[86]},{"name":"g_wszInitialPatternForInverseTelecine","features":[86]},{"name":"g_wszInterlacedCoding","features":[86]},{"name":"g_wszIsVBRSupported","features":[86]},{"name":"g_wszJPEGCompressionQuality","features":[86]},{"name":"g_wszJustInTimeDecode","features":[86]},{"name":"g_wszMixedClassMode","features":[86]},{"name":"g_wszMusicClassMode","features":[86]},{"name":"g_wszMusicSpeechClassMode","features":[86]},{"name":"g_wszNeedsPreviousSample","features":[86]},{"name":"g_wszNumPasses","features":[86]},{"name":"g_wszOriginalSourceFormatTag","features":[86]},{"name":"g_wszOriginalWaveFormat","features":[86]},{"name":"g_wszPeakValue","features":[86]},{"name":"g_wszPermitSeeksBeyondEndOfStream","features":[86]},{"name":"g_wszReloadIndexOnSeek","features":[86]},{"name":"g_wszScrambledAudio","features":[86]},{"name":"g_wszSingleOutputBuffer","features":[86]},{"name":"g_wszSoftwareScaling","features":[86]},{"name":"g_wszSourceBufferTime","features":[86]},{"name":"g_wszSourceMaxBytesAtOnce","features":[86]},{"name":"g_wszSpeakerConfig","features":[86]},{"name":"g_wszSpeechCaps","features":[86]},{"name":"g_wszSpeechClassMode","features":[86]},{"name":"g_wszStreamLanguage","features":[86]},{"name":"g_wszStreamNumIndexObjects","features":[86]},{"name":"g_wszUsePacketAtSeekPoint","features":[86]},{"name":"g_wszVBRBitrateMax","features":[86]},{"name":"g_wszVBRBufferWindowMax","features":[86]},{"name":"g_wszVBREnabled","features":[86]},{"name":"g_wszVBRPeak","features":[86]},{"name":"g_wszVBRQuality","features":[86]},{"name":"g_wszVideoSampleDurations","features":[86]},{"name":"g_wszWMADID","features":[86]},{"name":"g_wszWMASFPacketCount","features":[86]},{"name":"g_wszWMASFSecurityObjectsSize","features":[86]},{"name":"g_wszWMAlbumArtist","features":[86]},{"name":"g_wszWMAlbumArtistSort","features":[86]},{"name":"g_wszWMAlbumCoverURL","features":[86]},{"name":"g_wszWMAlbumTitle","features":[86]},{"name":"g_wszWMAlbumTitleSort","features":[86]},{"name":"g_wszWMAspectRatioX","features":[86]},{"name":"g_wszWMAspectRatioY","features":[86]},{"name":"g_wszWMAudioFileURL","features":[86]},{"name":"g_wszWMAudioSourceURL","features":[86]},{"name":"g_wszWMAuthor","features":[86]},{"name":"g_wszWMAuthorSort","features":[86]},{"name":"g_wszWMAuthorURL","features":[86]},{"name":"g_wszWMBannerImageData","features":[86]},{"name":"g_wszWMBannerImageType","features":[86]},{"name":"g_wszWMBannerImageURL","features":[86]},{"name":"g_wszWMBeatsPerMinute","features":[86]},{"name":"g_wszWMBitrate","features":[86]},{"name":"g_wszWMBroadcast","features":[86]},{"name":"g_wszWMCategory","features":[86]},{"name":"g_wszWMCodec","features":[86]},{"name":"g_wszWMComposer","features":[86]},{"name":"g_wszWMComposerSort","features":[86]},{"name":"g_wszWMConductor","features":[86]},{"name":"g_wszWMContainerFormat","features":[86]},{"name":"g_wszWMContentDistributor","features":[86]},{"name":"g_wszWMContentGroupDescription","features":[86]},{"name":"g_wszWMCopyright","features":[86]},{"name":"g_wszWMCopyrightURL","features":[86]},{"name":"g_wszWMCurrentBitrate","features":[86]},{"name":"g_wszWMDRM","features":[86]},{"name":"g_wszWMDRM_ContentID","features":[86]},{"name":"g_wszWMDRM_Flags","features":[86]},{"name":"g_wszWMDRM_HeaderSignPrivKey","features":[86]},{"name":"g_wszWMDRM_IndividualizedVersion","features":[86]},{"name":"g_wszWMDRM_KeyID","features":[86]},{"name":"g_wszWMDRM_KeySeed","features":[86]},{"name":"g_wszWMDRM_LASignatureCert","features":[86]},{"name":"g_wszWMDRM_LASignatureLicSrvCert","features":[86]},{"name":"g_wszWMDRM_LASignaturePrivKey","features":[86]},{"name":"g_wszWMDRM_LASignatureRootCert","features":[86]},{"name":"g_wszWMDRM_Level","features":[86]},{"name":"g_wszWMDRM_LicenseAcqURL","features":[86]},{"name":"g_wszWMDRM_SourceID","features":[86]},{"name":"g_wszWMDRM_V1LicenseAcqURL","features":[86]},{"name":"g_wszWMDVDID","features":[86]},{"name":"g_wszWMDescription","features":[86]},{"name":"g_wszWMDirector","features":[86]},{"name":"g_wszWMDuration","features":[86]},{"name":"g_wszWMEncodedBy","features":[86]},{"name":"g_wszWMEncodingSettings","features":[86]},{"name":"g_wszWMEncodingTime","features":[86]},{"name":"g_wszWMEpisodeNumber","features":[86]},{"name":"g_wszWMFileSize","features":[86]},{"name":"g_wszWMGenre","features":[86]},{"name":"g_wszWMGenreID","features":[86]},{"name":"g_wszWMHasArbitraryDataStream","features":[86]},{"name":"g_wszWMHasAttachedImages","features":[86]},{"name":"g_wszWMHasAudio","features":[86]},{"name":"g_wszWMHasFileTransferStream","features":[86]},{"name":"g_wszWMHasImage","features":[86]},{"name":"g_wszWMHasScript","features":[86]},{"name":"g_wszWMHasVideo","features":[86]},{"name":"g_wszWMISAN","features":[86]},{"name":"g_wszWMISRC","features":[86]},{"name":"g_wszWMInitialKey","features":[86]},{"name":"g_wszWMIsCompilation","features":[86]},{"name":"g_wszWMIsVBR","features":[86]},{"name":"g_wszWMLanguage","features":[86]},{"name":"g_wszWMLyrics","features":[86]},{"name":"g_wszWMLyrics_Synchronised","features":[86]},{"name":"g_wszWMMCDI","features":[86]},{"name":"g_wszWMMediaClassPrimaryID","features":[86]},{"name":"g_wszWMMediaClassSecondaryID","features":[86]},{"name":"g_wszWMMediaCredits","features":[86]},{"name":"g_wszWMMediaIsDelay","features":[86]},{"name":"g_wszWMMediaIsFinale","features":[86]},{"name":"g_wszWMMediaIsLive","features":[86]},{"name":"g_wszWMMediaIsPremiere","features":[86]},{"name":"g_wszWMMediaIsRepeat","features":[86]},{"name":"g_wszWMMediaIsSAP","features":[86]},{"name":"g_wszWMMediaIsStereo","features":[86]},{"name":"g_wszWMMediaIsSubtitled","features":[86]},{"name":"g_wszWMMediaIsTape","features":[86]},{"name":"g_wszWMMediaNetworkAffiliation","features":[86]},{"name":"g_wszWMMediaOriginalBroadcastDateTime","features":[86]},{"name":"g_wszWMMediaOriginalChannel","features":[86]},{"name":"g_wszWMMediaStationCallSign","features":[86]},{"name":"g_wszWMMediaStationName","features":[86]},{"name":"g_wszWMModifiedBy","features":[86]},{"name":"g_wszWMMood","features":[86]},{"name":"g_wszWMNSCAddress","features":[86]},{"name":"g_wszWMNSCDescription","features":[86]},{"name":"g_wszWMNSCEmail","features":[86]},{"name":"g_wszWMNSCName","features":[86]},{"name":"g_wszWMNSCPhone","features":[86]},{"name":"g_wszWMNumberOfFrames","features":[86]},{"name":"g_wszWMOptimalBitrate","features":[86]},{"name":"g_wszWMOriginalAlbumTitle","features":[86]},{"name":"g_wszWMOriginalArtist","features":[86]},{"name":"g_wszWMOriginalFilename","features":[86]},{"name":"g_wszWMOriginalLyricist","features":[86]},{"name":"g_wszWMOriginalReleaseTime","features":[86]},{"name":"g_wszWMOriginalReleaseYear","features":[86]},{"name":"g_wszWMParentalRating","features":[86]},{"name":"g_wszWMParentalRatingReason","features":[86]},{"name":"g_wszWMPartOfSet","features":[86]},{"name":"g_wszWMPeakBitrate","features":[86]},{"name":"g_wszWMPeriod","features":[86]},{"name":"g_wszWMPicture","features":[86]},{"name":"g_wszWMPlaylistDelay","features":[86]},{"name":"g_wszWMProducer","features":[86]},{"name":"g_wszWMPromotionURL","features":[86]},{"name":"g_wszWMProtected","features":[86]},{"name":"g_wszWMProtectionType","features":[86]},{"name":"g_wszWMProvider","features":[86]},{"name":"g_wszWMProviderCopyright","features":[86]},{"name":"g_wszWMProviderRating","features":[86]},{"name":"g_wszWMProviderStyle","features":[86]},{"name":"g_wszWMPublisher","features":[86]},{"name":"g_wszWMRadioStationName","features":[86]},{"name":"g_wszWMRadioStationOwner","features":[86]},{"name":"g_wszWMRating","features":[86]},{"name":"g_wszWMSeasonNumber","features":[86]},{"name":"g_wszWMSeekable","features":[86]},{"name":"g_wszWMSharedUserRating","features":[86]},{"name":"g_wszWMSignature_Name","features":[86]},{"name":"g_wszWMSkipBackward","features":[86]},{"name":"g_wszWMSkipForward","features":[86]},{"name":"g_wszWMStreamTypeInfo","features":[86]},{"name":"g_wszWMStridable","features":[86]},{"name":"g_wszWMSubTitle","features":[86]},{"name":"g_wszWMSubTitleDescription","features":[86]},{"name":"g_wszWMSubscriptionContentID","features":[86]},{"name":"g_wszWMText","features":[86]},{"name":"g_wszWMTitle","features":[86]},{"name":"g_wszWMTitleSort","features":[86]},{"name":"g_wszWMToolName","features":[86]},{"name":"g_wszWMToolVersion","features":[86]},{"name":"g_wszWMTrack","features":[86]},{"name":"g_wszWMTrackNumber","features":[86]},{"name":"g_wszWMTrusted","features":[86]},{"name":"g_wszWMUniqueFileIdentifier","features":[86]},{"name":"g_wszWMUse_Advanced_DRM","features":[86]},{"name":"g_wszWMUse_DRM","features":[86]},{"name":"g_wszWMUserWebURL","features":[86]},{"name":"g_wszWMVideoClosedCaptioning","features":[86]},{"name":"g_wszWMVideoFrameRate","features":[86]},{"name":"g_wszWMVideoHeight","features":[86]},{"name":"g_wszWMVideoWidth","features":[86]},{"name":"g_wszWMWMADRCAverageReference","features":[86]},{"name":"g_wszWMWMADRCAverageTarget","features":[86]},{"name":"g_wszWMWMADRCPeakReference","features":[86]},{"name":"g_wszWMWMADRCPeakTarget","features":[86]},{"name":"g_wszWMWMCPDistributor","features":[86]},{"name":"g_wszWMWMCPDistributorID","features":[86]},{"name":"g_wszWMWMCollectionGroupID","features":[86]},{"name":"g_wszWMWMCollectionID","features":[86]},{"name":"g_wszWMWMContentID","features":[86]},{"name":"g_wszWMWMShadowFileSourceDRMType","features":[86]},{"name":"g_wszWMWMShadowFileSourceFileType","features":[86]},{"name":"g_wszWMWriter","features":[86]},{"name":"g_wszWMYear","features":[86]},{"name":"g_wszWatermarkCLSID","features":[86]},{"name":"g_wszWatermarkConfig","features":[86]}],"443":[{"name":"ADDRESS_TYPE_IANA","features":[87]},{"name":"ADDRESS_TYPE_IATA","features":[87]},{"name":"Allow","features":[87]},{"name":"CHANGESTATE","features":[87]},{"name":"CLIENT_TYPE_BOOTP","features":[87]},{"name":"CLIENT_TYPE_DHCP","features":[87]},{"name":"CLIENT_TYPE_NONE","features":[87]},{"name":"CLIENT_TYPE_RESERVATION_FLAG","features":[87]},{"name":"CLIENT_TYPE_UNSPECIFIED","features":[87]},{"name":"COMMUNICATION_INT","features":[87]},{"name":"CONFLICT_DONE","features":[87]},{"name":"DATE_TIME","features":[87]},{"name":"DEFAULTQUARSETTING","features":[87]},{"name":"DHCPAPI_PARAMS","features":[1,87]},{"name":"DHCPCAPI_CLASSID","features":[87]},{"name":"DHCPCAPI_DEREGISTER_HANDLE_EVENT","features":[87]},{"name":"DHCPCAPI_PARAMS_ARRAY","features":[1,87]},{"name":"DHCPCAPI_REGISTER_HANDLE_EVENT","features":[87]},{"name":"DHCPCAPI_REQUEST_ASYNCHRONOUS","features":[87]},{"name":"DHCPCAPI_REQUEST_CANCEL","features":[87]},{"name":"DHCPCAPI_REQUEST_MASK","features":[87]},{"name":"DHCPCAPI_REQUEST_PERSISTENT","features":[87]},{"name":"DHCPCAPI_REQUEST_SYNCHRONOUS","features":[87]},{"name":"DHCPDS_SERVER","features":[87]},{"name":"DHCPDS_SERVERS","features":[87]},{"name":"DHCPV4_FAILOVER_CLIENT_INFO","features":[1,87]},{"name":"DHCPV4_FAILOVER_CLIENT_INFO_ARRAY","features":[1,87]},{"name":"DHCPV4_FAILOVER_CLIENT_INFO_EX","features":[1,87]},{"name":"DHCPV6CAPI_CLASSID","features":[87]},{"name":"DHCPV6CAPI_PARAMS","features":[1,87]},{"name":"DHCPV6CAPI_PARAMS_ARRAY","features":[1,87]},{"name":"DHCPV6Prefix","features":[87]},{"name":"DHCPV6PrefixLeaseInformation","features":[87]},{"name":"DHCPV6_BIND_ELEMENT","features":[1,87]},{"name":"DHCPV6_BIND_ELEMENT_ARRAY","features":[1,87]},{"name":"DHCPV6_IP_ARRAY","features":[87]},{"name":"DHCPV6_OPTION_CLIENTID","features":[87]},{"name":"DHCPV6_OPTION_DNS_SERVERS","features":[87]},{"name":"DHCPV6_OPTION_DOMAIN_LIST","features":[87]},{"name":"DHCPV6_OPTION_IA_NA","features":[87]},{"name":"DHCPV6_OPTION_IA_PD","features":[87]},{"name":"DHCPV6_OPTION_IA_TA","features":[87]},{"name":"DHCPV6_OPTION_NISP_DOMAIN_NAME","features":[87]},{"name":"DHCPV6_OPTION_NISP_SERVERS","features":[87]},{"name":"DHCPV6_OPTION_NIS_DOMAIN_NAME","features":[87]},{"name":"DHCPV6_OPTION_NIS_SERVERS","features":[87]},{"name":"DHCPV6_OPTION_ORO","features":[87]},{"name":"DHCPV6_OPTION_PREFERENCE","features":[87]},{"name":"DHCPV6_OPTION_RAPID_COMMIT","features":[87]},{"name":"DHCPV6_OPTION_RECONF_MSG","features":[87]},{"name":"DHCPV6_OPTION_SERVERID","features":[87]},{"name":"DHCPV6_OPTION_SIP_SERVERS_ADDRS","features":[87]},{"name":"DHCPV6_OPTION_SIP_SERVERS_NAMES","features":[87]},{"name":"DHCPV6_OPTION_UNICAST","features":[87]},{"name":"DHCPV6_OPTION_USER_CLASS","features":[87]},{"name":"DHCPV6_OPTION_VENDOR_CLASS","features":[87]},{"name":"DHCPV6_OPTION_VENDOR_OPTS","features":[87]},{"name":"DHCPV6_STATELESS_PARAMS","features":[1,87]},{"name":"DHCPV6_STATELESS_PARAM_TYPE","features":[87]},{"name":"DHCPV6_STATELESS_SCOPE_STATS","features":[87]},{"name":"DHCPV6_STATELESS_STATS","features":[87]},{"name":"DHCP_ADDR_PATTERN","features":[1,87]},{"name":"DHCP_ALL_OPTIONS","features":[87]},{"name":"DHCP_ALL_OPTION_VALUES","features":[1,87]},{"name":"DHCP_ALL_OPTION_VALUES_PB","features":[1,87]},{"name":"DHCP_ATTRIB","features":[1,87]},{"name":"DHCP_ATTRIB_ARRAY","features":[1,87]},{"name":"DHCP_ATTRIB_BOOL_IS_ADMIN","features":[87]},{"name":"DHCP_ATTRIB_BOOL_IS_BINDING_AWARE","features":[87]},{"name":"DHCP_ATTRIB_BOOL_IS_DYNBOOTP","features":[87]},{"name":"DHCP_ATTRIB_BOOL_IS_PART_OF_DSDC","features":[87]},{"name":"DHCP_ATTRIB_BOOL_IS_ROGUE","features":[87]},{"name":"DHCP_ATTRIB_TYPE_BOOL","features":[87]},{"name":"DHCP_ATTRIB_TYPE_ULONG","features":[87]},{"name":"DHCP_ATTRIB_ULONG_RESTORE_STATUS","features":[87]},{"name":"DHCP_BINARY_DATA","features":[87]},{"name":"DHCP_BIND_ELEMENT","features":[1,87]},{"name":"DHCP_BIND_ELEMENT_ARRAY","features":[1,87]},{"name":"DHCP_BOOTP_IP_RANGE","features":[87]},{"name":"DHCP_CALLOUT_ENTRY_POINT","features":[87]},{"name":"DHCP_CALLOUT_LIST_KEY","features":[87]},{"name":"DHCP_CALLOUT_LIST_VALUE","features":[87]},{"name":"DHCP_CALLOUT_TABLE","features":[1,87]},{"name":"DHCP_CLASS_INFO","features":[1,87]},{"name":"DHCP_CLASS_INFO_ARRAY","features":[1,87]},{"name":"DHCP_CLASS_INFO_ARRAY_V6","features":[1,87]},{"name":"DHCP_CLASS_INFO_V6","features":[1,87]},{"name":"DHCP_CLIENT_BOOTP","features":[87]},{"name":"DHCP_CLIENT_DHCP","features":[87]},{"name":"DHCP_CLIENT_FILTER_STATUS_INFO","features":[1,87]},{"name":"DHCP_CLIENT_FILTER_STATUS_INFO_ARRAY","features":[1,87]},{"name":"DHCP_CLIENT_INFO","features":[87]},{"name":"DHCP_CLIENT_INFO_ARRAY","features":[87]},{"name":"DHCP_CLIENT_INFO_ARRAY_V4","features":[87]},{"name":"DHCP_CLIENT_INFO_ARRAY_V5","features":[87]},{"name":"DHCP_CLIENT_INFO_ARRAY_V6","features":[87]},{"name":"DHCP_CLIENT_INFO_ARRAY_VQ","features":[1,87]},{"name":"DHCP_CLIENT_INFO_EX","features":[1,87]},{"name":"DHCP_CLIENT_INFO_EX_ARRAY","features":[1,87]},{"name":"DHCP_CLIENT_INFO_PB","features":[1,87]},{"name":"DHCP_CLIENT_INFO_PB_ARRAY","features":[1,87]},{"name":"DHCP_CLIENT_INFO_V4","features":[87]},{"name":"DHCP_CLIENT_INFO_V5","features":[87]},{"name":"DHCP_CLIENT_INFO_V6","features":[87]},{"name":"DHCP_CLIENT_INFO_VQ","features":[1,87]},{"name":"DHCP_CONTROL_CONTINUE","features":[87]},{"name":"DHCP_CONTROL_PAUSE","features":[87]},{"name":"DHCP_CONTROL_START","features":[87]},{"name":"DHCP_CONTROL_STOP","features":[87]},{"name":"DHCP_DROP_DUPLICATE","features":[87]},{"name":"DHCP_DROP_GEN_FAILURE","features":[87]},{"name":"DHCP_DROP_INTERNAL_ERROR","features":[87]},{"name":"DHCP_DROP_INVALID","features":[87]},{"name":"DHCP_DROP_NOADDRESS","features":[87]},{"name":"DHCP_DROP_NOMEM","features":[87]},{"name":"DHCP_DROP_NO_SUBNETS","features":[87]},{"name":"DHCP_DROP_PAUSED","features":[87]},{"name":"DHCP_DROP_PROCESSED","features":[87]},{"name":"DHCP_DROP_TIMEOUT","features":[87]},{"name":"DHCP_DROP_UNAUTH","features":[87]},{"name":"DHCP_DROP_WRONG_SERVER","features":[87]},{"name":"DHCP_ENDPOINT_FLAG_CANT_MODIFY","features":[87]},{"name":"DHCP_FAILOVER_DELETE_SCOPES","features":[87]},{"name":"DHCP_FAILOVER_MAX_NUM_ADD_SCOPES","features":[87]},{"name":"DHCP_FAILOVER_MAX_NUM_REL","features":[87]},{"name":"DHCP_FAILOVER_MODE","features":[87]},{"name":"DHCP_FAILOVER_RELATIONSHIP","features":[87]},{"name":"DHCP_FAILOVER_RELATIONSHIP_ARRAY","features":[87]},{"name":"DHCP_FAILOVER_SERVER","features":[87]},{"name":"DHCP_FAILOVER_STATISTICS","features":[87]},{"name":"DHCP_FILTER_ADD_INFO","features":[1,87]},{"name":"DHCP_FILTER_ENUM_INFO","features":[1,87]},{"name":"DHCP_FILTER_GLOBAL_INFO","features":[1,87]},{"name":"DHCP_FILTER_LIST_TYPE","features":[87]},{"name":"DHCP_FILTER_RECORD","features":[1,87]},{"name":"DHCP_FLAGS_DONT_ACCESS_DS","features":[87]},{"name":"DHCP_FLAGS_DONT_DO_RPC","features":[87]},{"name":"DHCP_FLAGS_OPTION_IS_VENDOR","features":[87]},{"name":"DHCP_FORCE_FLAG","features":[87]},{"name":"DHCP_GIVE_ADDRESS_NEW","features":[87]},{"name":"DHCP_GIVE_ADDRESS_OLD","features":[87]},{"name":"DHCP_HOST_INFO","features":[87]},{"name":"DHCP_HOST_INFO_V6","features":[87]},{"name":"DHCP_IPV6_ADDRESS","features":[87]},{"name":"DHCP_IP_ARRAY","features":[87]},{"name":"DHCP_IP_CLUSTER","features":[87]},{"name":"DHCP_IP_RANGE","features":[87]},{"name":"DHCP_IP_RANGE_ARRAY","features":[87]},{"name":"DHCP_IP_RANGE_V6","features":[87]},{"name":"DHCP_IP_RESERVATION","features":[87]},{"name":"DHCP_IP_RESERVATION_INFO","features":[87]},{"name":"DHCP_IP_RESERVATION_V4","features":[87]},{"name":"DHCP_IP_RESERVATION_V6","features":[87]},{"name":"DHCP_MAX_DELAY","features":[87]},{"name":"DHCP_MIB_INFO","features":[87]},{"name":"DHCP_MIB_INFO_V5","features":[87]},{"name":"DHCP_MIB_INFO_V6","features":[87]},{"name":"DHCP_MIB_INFO_VQ","features":[87]},{"name":"DHCP_MIN_DELAY","features":[87]},{"name":"DHCP_OPTION","features":[87]},{"name":"DHCP_OPTION_ARRAY","features":[87]},{"name":"DHCP_OPTION_DATA","features":[87]},{"name":"DHCP_OPTION_DATA_ELEMENT","features":[87]},{"name":"DHCP_OPTION_DATA_TYPE","features":[87]},{"name":"DHCP_OPTION_LIST","features":[87]},{"name":"DHCP_OPTION_SCOPE_INFO","features":[87]},{"name":"DHCP_OPTION_SCOPE_INFO6","features":[87]},{"name":"DHCP_OPTION_SCOPE_TYPE","features":[87]},{"name":"DHCP_OPTION_SCOPE_TYPE6","features":[87]},{"name":"DHCP_OPTION_TYPE","features":[87]},{"name":"DHCP_OPTION_VALUE","features":[87]},{"name":"DHCP_OPTION_VALUE_ARRAY","features":[87]},{"name":"DHCP_OPT_ENUM_IGNORE_VENDOR","features":[87]},{"name":"DHCP_OPT_ENUM_USE_CLASSNAME","features":[87]},{"name":"DHCP_PERF_STATS","features":[87]},{"name":"DHCP_POLICY","features":[1,87]},{"name":"DHCP_POLICY_ARRAY","features":[1,87]},{"name":"DHCP_POLICY_EX","features":[1,87]},{"name":"DHCP_POLICY_EX_ARRAY","features":[1,87]},{"name":"DHCP_POLICY_FIELDS_TO_UPDATE","features":[87]},{"name":"DHCP_POL_ATTR_TYPE","features":[87]},{"name":"DHCP_POL_COMPARATOR","features":[87]},{"name":"DHCP_POL_COND","features":[87]},{"name":"DHCP_POL_COND_ARRAY","features":[87]},{"name":"DHCP_POL_EXPR","features":[87]},{"name":"DHCP_POL_EXPR_ARRAY","features":[87]},{"name":"DHCP_POL_LOGIC_OPER","features":[87]},{"name":"DHCP_PROB_CONFLICT","features":[87]},{"name":"DHCP_PROB_DECLINE","features":[87]},{"name":"DHCP_PROB_NACKED","features":[87]},{"name":"DHCP_PROB_RELEASE","features":[87]},{"name":"DHCP_PROPERTY","features":[87]},{"name":"DHCP_PROPERTY_ARRAY","features":[87]},{"name":"DHCP_PROPERTY_ID","features":[87]},{"name":"DHCP_PROPERTY_TYPE","features":[87]},{"name":"DHCP_RESERVATION_INFO_ARRAY","features":[87]},{"name":"DHCP_RESERVED_SCOPE","features":[87]},{"name":"DHCP_RESERVED_SCOPE6","features":[87]},{"name":"DHCP_SCAN_FLAG","features":[87]},{"name":"DHCP_SCAN_ITEM","features":[87]},{"name":"DHCP_SCAN_LIST","features":[87]},{"name":"DHCP_SEARCH_INFO","features":[87]},{"name":"DHCP_SEARCH_INFO_TYPE","features":[87]},{"name":"DHCP_SEARCH_INFO_TYPE_V6","features":[87]},{"name":"DHCP_SEARCH_INFO_V6","features":[87]},{"name":"DHCP_SEND_PACKET","features":[87]},{"name":"DHCP_SERVER_CONFIG_INFO","features":[87]},{"name":"DHCP_SERVER_CONFIG_INFO_V4","features":[1,87]},{"name":"DHCP_SERVER_CONFIG_INFO_V6","features":[1,87]},{"name":"DHCP_SERVER_CONFIG_INFO_VQ","features":[1,87]},{"name":"DHCP_SERVER_OPTIONS","features":[1,87]},{"name":"DHCP_SERVER_SPECIFIC_STRINGS","features":[87]},{"name":"DHCP_SUBNET_ELEMENT_DATA","features":[87]},{"name":"DHCP_SUBNET_ELEMENT_DATA_V4","features":[87]},{"name":"DHCP_SUBNET_ELEMENT_DATA_V5","features":[87]},{"name":"DHCP_SUBNET_ELEMENT_DATA_V6","features":[87]},{"name":"DHCP_SUBNET_ELEMENT_INFO_ARRAY","features":[87]},{"name":"DHCP_SUBNET_ELEMENT_INFO_ARRAY_V4","features":[87]},{"name":"DHCP_SUBNET_ELEMENT_INFO_ARRAY_V5","features":[87]},{"name":"DHCP_SUBNET_ELEMENT_INFO_ARRAY_V6","features":[87]},{"name":"DHCP_SUBNET_ELEMENT_TYPE","features":[87]},{"name":"DHCP_SUBNET_ELEMENT_TYPE_V6","features":[87]},{"name":"DHCP_SUBNET_INFO","features":[87]},{"name":"DHCP_SUBNET_INFO_V6","features":[87]},{"name":"DHCP_SUBNET_INFO_VQ","features":[87]},{"name":"DHCP_SUBNET_INFO_VQ_FLAG_QUARANTINE","features":[87]},{"name":"DHCP_SUBNET_STATE","features":[87]},{"name":"DHCP_SUPER_SCOPE_TABLE","features":[87]},{"name":"DHCP_SUPER_SCOPE_TABLE_ENTRY","features":[87]},{"name":"DNS_FLAG_CLEANUP_EXPIRED","features":[87]},{"name":"DNS_FLAG_DISABLE_PTR_UPDATE","features":[87]},{"name":"DNS_FLAG_ENABLED","features":[87]},{"name":"DNS_FLAG_HAS_DNS_SUFFIX","features":[87]},{"name":"DNS_FLAG_UPDATE_BOTH_ALWAYS","features":[87]},{"name":"DNS_FLAG_UPDATE_DHCID","features":[87]},{"name":"DNS_FLAG_UPDATE_DOWNLEVEL","features":[87]},{"name":"DROPPACKET","features":[87]},{"name":"DWORD_DWORD","features":[87]},{"name":"Deny","features":[87]},{"name":"DhcpAddFilterV4","features":[1,87]},{"name":"DhcpAddSecurityGroup","features":[87]},{"name":"DhcpAddServer","features":[87]},{"name":"DhcpAddSubnetElement","features":[87]},{"name":"DhcpAddSubnetElementV4","features":[87]},{"name":"DhcpAddSubnetElementV5","features":[87]},{"name":"DhcpAddSubnetElementV6","features":[87]},{"name":"DhcpArrayTypeOption","features":[87]},{"name":"DhcpAttrFqdn","features":[87]},{"name":"DhcpAttrFqdnSingleLabel","features":[87]},{"name":"DhcpAttrHWAddr","features":[87]},{"name":"DhcpAttrOption","features":[87]},{"name":"DhcpAttrSubOption","features":[87]},{"name":"DhcpAuditLogGetParams","features":[87]},{"name":"DhcpAuditLogSetParams","features":[87]},{"name":"DhcpBinaryDataOption","features":[87]},{"name":"DhcpByteOption","features":[87]},{"name":"DhcpCApiCleanup","features":[87]},{"name":"DhcpCApiInitialize","features":[87]},{"name":"DhcpClientHardwareAddress","features":[87]},{"name":"DhcpClientIpAddress","features":[87]},{"name":"DhcpClientName","features":[87]},{"name":"DhcpCompBeginsWith","features":[87]},{"name":"DhcpCompEndsWith","features":[87]},{"name":"DhcpCompEqual","features":[87]},{"name":"DhcpCompNotBeginWith","features":[87]},{"name":"DhcpCompNotEndWith","features":[87]},{"name":"DhcpCompNotEqual","features":[87]},{"name":"DhcpCreateClass","features":[1,87]},{"name":"DhcpCreateClassV6","features":[1,87]},{"name":"DhcpCreateClientInfo","features":[87]},{"name":"DhcpCreateClientInfoV4","features":[87]},{"name":"DhcpCreateClientInfoVQ","features":[1,87]},{"name":"DhcpCreateOption","features":[87]},{"name":"DhcpCreateOptionV5","features":[87]},{"name":"DhcpCreateOptionV6","features":[87]},{"name":"DhcpCreateSubnet","features":[87]},{"name":"DhcpCreateSubnetV6","features":[87]},{"name":"DhcpCreateSubnetVQ","features":[87]},{"name":"DhcpDWordDWordOption","features":[87]},{"name":"DhcpDWordOption","features":[87]},{"name":"DhcpDatabaseFix","features":[87]},{"name":"DhcpDeRegisterParamChange","features":[87]},{"name":"DhcpDefaultOptions","features":[87]},{"name":"DhcpDefaultOptions6","features":[87]},{"name":"DhcpDeleteClass","features":[87]},{"name":"DhcpDeleteClassV6","features":[87]},{"name":"DhcpDeleteClientInfo","features":[87]},{"name":"DhcpDeleteClientInfoV6","features":[87]},{"name":"DhcpDeleteFilterV4","features":[1,87]},{"name":"DhcpDeleteServer","features":[87]},{"name":"DhcpDeleteSubnet","features":[87]},{"name":"DhcpDeleteSubnetV6","features":[87]},{"name":"DhcpDeleteSuperScopeV4","features":[87]},{"name":"DhcpDsCleanup","features":[87]},{"name":"DhcpDsInit","features":[87]},{"name":"DhcpEncapsulatedDataOption","features":[87]},{"name":"DhcpEnumClasses","features":[1,87]},{"name":"DhcpEnumClassesV6","features":[1,87]},{"name":"DhcpEnumFilterV4","features":[1,87]},{"name":"DhcpEnumOptionValues","features":[87]},{"name":"DhcpEnumOptionValuesV5","features":[87]},{"name":"DhcpEnumOptionValuesV6","features":[87]},{"name":"DhcpEnumOptions","features":[87]},{"name":"DhcpEnumOptionsV5","features":[87]},{"name":"DhcpEnumOptionsV6","features":[87]},{"name":"DhcpEnumServers","features":[87]},{"name":"DhcpEnumSubnetClients","features":[87]},{"name":"DhcpEnumSubnetClientsFilterStatusInfo","features":[1,87]},{"name":"DhcpEnumSubnetClientsV4","features":[87]},{"name":"DhcpEnumSubnetClientsV5","features":[87]},{"name":"DhcpEnumSubnetClientsV6","features":[87]},{"name":"DhcpEnumSubnetClientsVQ","features":[1,87]},{"name":"DhcpEnumSubnetElements","features":[87]},{"name":"DhcpEnumSubnetElementsV4","features":[87]},{"name":"DhcpEnumSubnetElementsV5","features":[87]},{"name":"DhcpEnumSubnetElementsV6","features":[87]},{"name":"DhcpEnumSubnets","features":[87]},{"name":"DhcpEnumSubnetsV6","features":[87]},{"name":"DhcpExcludedIpRanges","features":[87]},{"name":"DhcpFailoverForce","features":[87]},{"name":"DhcpFullForce","features":[87]},{"name":"DhcpGetAllOptionValues","features":[1,87]},{"name":"DhcpGetAllOptionValuesV6","features":[1,87]},{"name":"DhcpGetAllOptions","features":[87]},{"name":"DhcpGetAllOptionsV6","features":[87]},{"name":"DhcpGetClassInfo","features":[1,87]},{"name":"DhcpGetClientInfo","features":[87]},{"name":"DhcpGetClientInfoV4","features":[87]},{"name":"DhcpGetClientInfoV6","features":[87]},{"name":"DhcpGetClientInfoVQ","features":[1,87]},{"name":"DhcpGetClientOptions","features":[87]},{"name":"DhcpGetFilterV4","features":[1,87]},{"name":"DhcpGetMibInfo","features":[87]},{"name":"DhcpGetMibInfoV5","features":[87]},{"name":"DhcpGetMibInfoV6","features":[87]},{"name":"DhcpGetOptionInfo","features":[87]},{"name":"DhcpGetOptionInfoV5","features":[87]},{"name":"DhcpGetOptionInfoV6","features":[87]},{"name":"DhcpGetOptionValue","features":[87]},{"name":"DhcpGetOptionValueV5","features":[87]},{"name":"DhcpGetOptionValueV6","features":[87]},{"name":"DhcpGetOriginalSubnetMask","features":[87]},{"name":"DhcpGetServerBindingInfo","features":[1,87]},{"name":"DhcpGetServerBindingInfoV6","features":[1,87]},{"name":"DhcpGetServerSpecificStrings","features":[87]},{"name":"DhcpGetSubnetDelayOffer","features":[87]},{"name":"DhcpGetSubnetInfo","features":[87]},{"name":"DhcpGetSubnetInfoV6","features":[87]},{"name":"DhcpGetSubnetInfoVQ","features":[87]},{"name":"DhcpGetSuperScopeInfoV4","features":[87]},{"name":"DhcpGetThreadOptions","features":[87]},{"name":"DhcpGetVersion","features":[87]},{"name":"DhcpGlobalOptions","features":[87]},{"name":"DhcpGlobalOptions6","features":[87]},{"name":"DhcpHlprAddV4PolicyCondition","features":[1,87]},{"name":"DhcpHlprAddV4PolicyExpr","features":[1,87]},{"name":"DhcpHlprAddV4PolicyRange","features":[1,87]},{"name":"DhcpHlprCreateV4Policy","features":[1,87]},{"name":"DhcpHlprCreateV4PolicyEx","features":[1,87]},{"name":"DhcpHlprFindV4DhcpProperty","features":[87]},{"name":"DhcpHlprFreeV4DhcpProperty","features":[87]},{"name":"DhcpHlprFreeV4DhcpPropertyArray","features":[87]},{"name":"DhcpHlprFreeV4Policy","features":[1,87]},{"name":"DhcpHlprFreeV4PolicyArray","features":[1,87]},{"name":"DhcpHlprFreeV4PolicyEx","features":[1,87]},{"name":"DhcpHlprFreeV4PolicyExArray","features":[1,87]},{"name":"DhcpHlprIsV4PolicySingleUC","features":[1,87]},{"name":"DhcpHlprIsV4PolicyValid","features":[1,87]},{"name":"DhcpHlprIsV4PolicyWellFormed","features":[1,87]},{"name":"DhcpHlprModifyV4PolicyExpr","features":[1,87]},{"name":"DhcpHlprResetV4PolicyExpr","features":[1,87]},{"name":"DhcpIpAddressOption","features":[87]},{"name":"DhcpIpRanges","features":[87]},{"name":"DhcpIpRangesBootpOnly","features":[87]},{"name":"DhcpIpRangesDhcpBootp","features":[87]},{"name":"DhcpIpRangesDhcpOnly","features":[87]},{"name":"DhcpIpUsedClusters","features":[87]},{"name":"DhcpIpv6AddressOption","features":[87]},{"name":"DhcpLogicalAnd","features":[87]},{"name":"DhcpLogicalOr","features":[87]},{"name":"DhcpMScopeOptions","features":[87]},{"name":"DhcpModifyClass","features":[1,87]},{"name":"DhcpModifyClassV6","features":[1,87]},{"name":"DhcpNoForce","features":[87]},{"name":"DhcpPropIdClientAddressStateEx","features":[87]},{"name":"DhcpPropIdPolicyDnsSuffix","features":[87]},{"name":"DhcpPropTypeBinary","features":[87]},{"name":"DhcpPropTypeByte","features":[87]},{"name":"DhcpPropTypeDword","features":[87]},{"name":"DhcpPropTypeString","features":[87]},{"name":"DhcpPropTypeWord","features":[87]},{"name":"DhcpRegisterParamChange","features":[1,87]},{"name":"DhcpRegistryFix","features":[87]},{"name":"DhcpRemoveDNSRegistrations","features":[87]},{"name":"DhcpRemoveOption","features":[87]},{"name":"DhcpRemoveOptionV5","features":[87]},{"name":"DhcpRemoveOptionV6","features":[87]},{"name":"DhcpRemoveOptionValue","features":[87]},{"name":"DhcpRemoveOptionValueV5","features":[87]},{"name":"DhcpRemoveOptionValueV6","features":[87]},{"name":"DhcpRemoveSubnetElement","features":[87]},{"name":"DhcpRemoveSubnetElementV4","features":[87]},{"name":"DhcpRemoveSubnetElementV5","features":[87]},{"name":"DhcpRemoveSubnetElementV6","features":[87]},{"name":"DhcpRequestParams","features":[1,87]},{"name":"DhcpReservedIps","features":[87]},{"name":"DhcpReservedOptions","features":[87]},{"name":"DhcpReservedOptions6","features":[87]},{"name":"DhcpRpcFreeMemory","features":[87]},{"name":"DhcpScanDatabase","features":[87]},{"name":"DhcpScopeOptions6","features":[87]},{"name":"DhcpSecondaryHosts","features":[87]},{"name":"DhcpServerAuditlogParamsFree","features":[1,87]},{"name":"DhcpServerBackupDatabase","features":[87]},{"name":"DhcpServerGetConfig","features":[87]},{"name":"DhcpServerGetConfigV4","features":[1,87]},{"name":"DhcpServerGetConfigV6","features":[1,87]},{"name":"DhcpServerGetConfigVQ","features":[1,87]},{"name":"DhcpServerQueryAttribute","features":[1,87]},{"name":"DhcpServerQueryAttributes","features":[1,87]},{"name":"DhcpServerQueryDnsRegCredentials","features":[87]},{"name":"DhcpServerRedoAuthorization","features":[87]},{"name":"DhcpServerRestoreDatabase","features":[87]},{"name":"DhcpServerSetConfig","features":[87]},{"name":"DhcpServerSetConfigV4","features":[1,87]},{"name":"DhcpServerSetConfigV6","features":[1,87]},{"name":"DhcpServerSetConfigVQ","features":[1,87]},{"name":"DhcpServerSetDnsRegCredentials","features":[87]},{"name":"DhcpServerSetDnsRegCredentialsV5","features":[87]},{"name":"DhcpSetClientInfo","features":[87]},{"name":"DhcpSetClientInfoV4","features":[87]},{"name":"DhcpSetClientInfoV6","features":[87]},{"name":"DhcpSetClientInfoVQ","features":[1,87]},{"name":"DhcpSetFilterV4","features":[1,87]},{"name":"DhcpSetOptionInfo","features":[87]},{"name":"DhcpSetOptionInfoV5","features":[87]},{"name":"DhcpSetOptionInfoV6","features":[87]},{"name":"DhcpSetOptionValue","features":[87]},{"name":"DhcpSetOptionValueV5","features":[87]},{"name":"DhcpSetOptionValueV6","features":[87]},{"name":"DhcpSetOptionValues","features":[87]},{"name":"DhcpSetOptionValuesV5","features":[87]},{"name":"DhcpSetServerBindingInfo","features":[1,87]},{"name":"DhcpSetServerBindingInfoV6","features":[1,87]},{"name":"DhcpSetSubnetDelayOffer","features":[87]},{"name":"DhcpSetSubnetInfo","features":[87]},{"name":"DhcpSetSubnetInfoV6","features":[87]},{"name":"DhcpSetSubnetInfoVQ","features":[87]},{"name":"DhcpSetSuperScopeV4","features":[1,87]},{"name":"DhcpSetThreadOptions","features":[87]},{"name":"DhcpStatelessPurgeInterval","features":[87]},{"name":"DhcpStatelessStatus","features":[87]},{"name":"DhcpStringDataOption","features":[87]},{"name":"DhcpSubnetDisabled","features":[87]},{"name":"DhcpSubnetDisabledSwitched","features":[87]},{"name":"DhcpSubnetEnabled","features":[87]},{"name":"DhcpSubnetEnabledSwitched","features":[87]},{"name":"DhcpSubnetInvalidState","features":[87]},{"name":"DhcpSubnetOptions","features":[87]},{"name":"DhcpUnaryElementTypeOption","features":[87]},{"name":"DhcpUndoRequestParams","features":[87]},{"name":"DhcpUpdatePolicyDescr","features":[87]},{"name":"DhcpUpdatePolicyDnsSuffix","features":[87]},{"name":"DhcpUpdatePolicyExpr","features":[87]},{"name":"DhcpUpdatePolicyName","features":[87]},{"name":"DhcpUpdatePolicyOrder","features":[87]},{"name":"DhcpUpdatePolicyRanges","features":[87]},{"name":"DhcpUpdatePolicyStatus","features":[87]},{"name":"DhcpV4AddPolicyRange","features":[87]},{"name":"DhcpV4CreateClientInfo","features":[1,87]},{"name":"DhcpV4CreateClientInfoEx","features":[1,87]},{"name":"DhcpV4CreatePolicy","features":[1,87]},{"name":"DhcpV4CreatePolicyEx","features":[1,87]},{"name":"DhcpV4DeletePolicy","features":[1,87]},{"name":"DhcpV4EnumPolicies","features":[1,87]},{"name":"DhcpV4EnumPoliciesEx","features":[1,87]},{"name":"DhcpV4EnumSubnetClients","features":[1,87]},{"name":"DhcpV4EnumSubnetClientsEx","features":[1,87]},{"name":"DhcpV4EnumSubnetReservations","features":[87]},{"name":"DhcpV4FailoverAddScopeToRelationship","features":[87]},{"name":"DhcpV4FailoverCreateRelationship","features":[87]},{"name":"DhcpV4FailoverDeleteRelationship","features":[87]},{"name":"DhcpV4FailoverDeleteScopeFromRelationship","features":[87]},{"name":"DhcpV4FailoverEnumRelationship","features":[87]},{"name":"DhcpV4FailoverGetAddressStatus","features":[87]},{"name":"DhcpV4FailoverGetClientInfo","features":[1,87]},{"name":"DhcpV4FailoverGetRelationship","features":[87]},{"name":"DhcpV4FailoverGetScopeRelationship","features":[87]},{"name":"DhcpV4FailoverGetScopeStatistics","features":[87]},{"name":"DhcpV4FailoverGetSystemTime","features":[87]},{"name":"DhcpV4FailoverSetRelationship","features":[87]},{"name":"DhcpV4FailoverTriggerAddrAllocation","features":[87]},{"name":"DhcpV4GetAllOptionValues","features":[1,87]},{"name":"DhcpV4GetClientInfo","features":[1,87]},{"name":"DhcpV4GetClientInfoEx","features":[1,87]},{"name":"DhcpV4GetFreeIPAddress","features":[87]},{"name":"DhcpV4GetOptionValue","features":[87]},{"name":"DhcpV4GetPolicy","features":[1,87]},{"name":"DhcpV4GetPolicyEx","features":[1,87]},{"name":"DhcpV4QueryPolicyEnforcement","features":[1,87]},{"name":"DhcpV4RemoveOptionValue","features":[87]},{"name":"DhcpV4RemovePolicyRange","features":[87]},{"name":"DhcpV4SetOptionValue","features":[87]},{"name":"DhcpV4SetOptionValues","features":[87]},{"name":"DhcpV4SetPolicy","features":[1,87]},{"name":"DhcpV4SetPolicyEnforcement","features":[1,87]},{"name":"DhcpV4SetPolicyEx","features":[1,87]},{"name":"DhcpV6CreateClientInfo","features":[87]},{"name":"DhcpV6GetFreeIPAddress","features":[87]},{"name":"DhcpV6GetStatelessStatistics","features":[87]},{"name":"DhcpV6GetStatelessStoreParams","features":[1,87]},{"name":"DhcpV6SetStatelessStoreParams","features":[1,87]},{"name":"DhcpWordOption","features":[87]},{"name":"Dhcpv6CApiCleanup","features":[87]},{"name":"Dhcpv6CApiInitialize","features":[87]},{"name":"Dhcpv6ClientDUID","features":[87]},{"name":"Dhcpv6ClientIpAddress","features":[87]},{"name":"Dhcpv6ClientName","features":[87]},{"name":"Dhcpv6ExcludedIpRanges","features":[87]},{"name":"Dhcpv6IpRanges","features":[87]},{"name":"Dhcpv6ReleasePrefix","features":[87]},{"name":"Dhcpv6RenewPrefix","features":[87]},{"name":"Dhcpv6RequestParams","features":[1,87]},{"name":"Dhcpv6RequestPrefix","features":[87]},{"name":"Dhcpv6ReservedIps","features":[87]},{"name":"ERROR_DDS_CLASS_DOES_NOT_EXIST","features":[87]},{"name":"ERROR_DDS_CLASS_EXISTS","features":[87]},{"name":"ERROR_DDS_DHCP_SERVER_NOT_FOUND","features":[87]},{"name":"ERROR_DDS_NO_DHCP_ROOT","features":[87]},{"name":"ERROR_DDS_NO_DS_AVAILABLE","features":[87]},{"name":"ERROR_DDS_OPTION_ALREADY_EXISTS","features":[87]},{"name":"ERROR_DDS_OPTION_DOES_NOT_EXIST","features":[87]},{"name":"ERROR_DDS_POSSIBLE_RANGE_CONFLICT","features":[87]},{"name":"ERROR_DDS_RANGE_DOES_NOT_EXIST","features":[87]},{"name":"ERROR_DDS_RESERVATION_CONFLICT","features":[87]},{"name":"ERROR_DDS_RESERVATION_NOT_PRESENT","features":[87]},{"name":"ERROR_DDS_SERVER_ADDRESS_MISMATCH","features":[87]},{"name":"ERROR_DDS_SERVER_ALREADY_EXISTS","features":[87]},{"name":"ERROR_DDS_SERVER_DOES_NOT_EXIST","features":[87]},{"name":"ERROR_DDS_SUBNET_EXISTS","features":[87]},{"name":"ERROR_DDS_SUBNET_HAS_DIFF_SSCOPE","features":[87]},{"name":"ERROR_DDS_SUBNET_NOT_PRESENT","features":[87]},{"name":"ERROR_DDS_TOO_MANY_ERRORS","features":[87]},{"name":"ERROR_DDS_UNEXPECTED_ERROR","features":[87]},{"name":"ERROR_DHCP_ADDRESS_NOT_AVAILABLE","features":[87]},{"name":"ERROR_DHCP_CANNOT_MODIFY_BINDINGS","features":[87]},{"name":"ERROR_DHCP_CANT_CHANGE_ATTRIBUTE","features":[87]},{"name":"ERROR_DHCP_CLASS_ALREADY_EXISTS","features":[87]},{"name":"ERROR_DHCP_CLASS_NOT_FOUND","features":[87]},{"name":"ERROR_DHCP_CLIENT_EXISTS","features":[87]},{"name":"ERROR_DHCP_DATABASE_INIT_FAILED","features":[87]},{"name":"ERROR_DHCP_DEFAULT_SCOPE_EXITS","features":[87]},{"name":"ERROR_DHCP_DELETE_BUILTIN_CLASS","features":[87]},{"name":"ERROR_DHCP_ELEMENT_CANT_REMOVE","features":[87]},{"name":"ERROR_DHCP_EXEMPTION_EXISTS","features":[87]},{"name":"ERROR_DHCP_EXEMPTION_NOT_PRESENT","features":[87]},{"name":"ERROR_DHCP_FO_ADDSCOPE_LEASES_NOT_SYNCED","features":[87]},{"name":"ERROR_DHCP_FO_BOOT_NOT_SUPPORTED","features":[87]},{"name":"ERROR_DHCP_FO_FEATURE_NOT_SUPPORTED","features":[87]},{"name":"ERROR_DHCP_FO_IPRANGE_TYPE_CONV_ILLEGAL","features":[87]},{"name":"ERROR_DHCP_FO_MAX_ADD_SCOPES","features":[87]},{"name":"ERROR_DHCP_FO_MAX_RELATIONSHIPS","features":[87]},{"name":"ERROR_DHCP_FO_NOT_SUPPORTED","features":[87]},{"name":"ERROR_DHCP_FO_RANGE_PART_OF_REL","features":[87]},{"name":"ERROR_DHCP_FO_RELATIONSHIP_DOES_NOT_EXIST","features":[87]},{"name":"ERROR_DHCP_FO_RELATIONSHIP_EXISTS","features":[87]},{"name":"ERROR_DHCP_FO_RELATIONSHIP_NAME_TOO_LONG","features":[87]},{"name":"ERROR_DHCP_FO_RELATION_IS_SECONDARY","features":[87]},{"name":"ERROR_DHCP_FO_SCOPE_ALREADY_IN_RELATIONSHIP","features":[87]},{"name":"ERROR_DHCP_FO_SCOPE_NOT_IN_RELATIONSHIP","features":[87]},{"name":"ERROR_DHCP_FO_SCOPE_SYNC_IN_PROGRESS","features":[87]},{"name":"ERROR_DHCP_FO_STATE_NOT_NORMAL","features":[87]},{"name":"ERROR_DHCP_FO_TIME_OUT_OF_SYNC","features":[87]},{"name":"ERROR_DHCP_HARDWARE_ADDRESS_TYPE_ALREADY_EXEMPT","features":[87]},{"name":"ERROR_DHCP_INVALID_DELAY","features":[87]},{"name":"ERROR_DHCP_INVALID_DHCP_CLIENT","features":[87]},{"name":"ERROR_DHCP_INVALID_DHCP_MESSAGE","features":[87]},{"name":"ERROR_DHCP_INVALID_PARAMETER_OPTION32","features":[87]},{"name":"ERROR_DHCP_INVALID_POLICY_EXPRESSION","features":[87]},{"name":"ERROR_DHCP_INVALID_PROCESSING_ORDER","features":[87]},{"name":"ERROR_DHCP_INVALID_RANGE","features":[87]},{"name":"ERROR_DHCP_INVALID_SUBNET_PREFIX","features":[87]},{"name":"ERROR_DHCP_IPRANGE_CONV_ILLEGAL","features":[87]},{"name":"ERROR_DHCP_IPRANGE_EXITS","features":[87]},{"name":"ERROR_DHCP_IP_ADDRESS_IN_USE","features":[87]},{"name":"ERROR_DHCP_JET97_CONV_REQUIRED","features":[87]},{"name":"ERROR_DHCP_JET_CONV_REQUIRED","features":[87]},{"name":"ERROR_DHCP_JET_ERROR","features":[87]},{"name":"ERROR_DHCP_LINKLAYER_ADDRESS_DOES_NOT_EXIST","features":[87]},{"name":"ERROR_DHCP_LINKLAYER_ADDRESS_EXISTS","features":[87]},{"name":"ERROR_DHCP_LINKLAYER_ADDRESS_RESERVATION_EXISTS","features":[87]},{"name":"ERROR_DHCP_LOG_FILE_PATH_TOO_LONG","features":[87]},{"name":"ERROR_DHCP_MSCOPE_EXISTS","features":[87]},{"name":"ERROR_DHCP_NAP_NOT_SUPPORTED","features":[87]},{"name":"ERROR_DHCP_NETWORK_CHANGED","features":[87]},{"name":"ERROR_DHCP_NETWORK_INIT_FAILED","features":[87]},{"name":"ERROR_DHCP_NOT_RESERVED_CLIENT","features":[87]},{"name":"ERROR_DHCP_NO_ADMIN_PERMISSION","features":[87]},{"name":"ERROR_DHCP_OPTION_EXITS","features":[87]},{"name":"ERROR_DHCP_OPTION_NOT_PRESENT","features":[87]},{"name":"ERROR_DHCP_OPTION_TYPE_MISMATCH","features":[87]},{"name":"ERROR_DHCP_POLICY_BAD_PARENT_EXPR","features":[87]},{"name":"ERROR_DHCP_POLICY_EDIT_FQDN_UNSUPPORTED","features":[87]},{"name":"ERROR_DHCP_POLICY_EXISTS","features":[87]},{"name":"ERROR_DHCP_POLICY_FQDN_OPTION_UNSUPPORTED","features":[87]},{"name":"ERROR_DHCP_POLICY_FQDN_RANGE_UNSUPPORTED","features":[87]},{"name":"ERROR_DHCP_POLICY_NOT_FOUND","features":[87]},{"name":"ERROR_DHCP_POLICY_RANGE_BAD","features":[87]},{"name":"ERROR_DHCP_POLICY_RANGE_EXISTS","features":[87]},{"name":"ERROR_DHCP_PRIMARY_NOT_FOUND","features":[87]},{"name":"ERROR_DHCP_RANGE_EXTENDED","features":[87]},{"name":"ERROR_DHCP_RANGE_FULL","features":[87]},{"name":"ERROR_DHCP_RANGE_INVALID_IN_SERVER_POLICY","features":[87]},{"name":"ERROR_DHCP_RANGE_TOO_SMALL","features":[87]},{"name":"ERROR_DHCP_REACHED_END_OF_SELECTION","features":[87]},{"name":"ERROR_DHCP_REGISTRY_INIT_FAILED","features":[87]},{"name":"ERROR_DHCP_RESERVEDIP_EXITS","features":[87]},{"name":"ERROR_DHCP_RESERVED_CLIENT","features":[87]},{"name":"ERROR_DHCP_ROGUE_DS_CONFLICT","features":[87]},{"name":"ERROR_DHCP_ROGUE_DS_UNREACHABLE","features":[87]},{"name":"ERROR_DHCP_ROGUE_INIT_FAILED","features":[87]},{"name":"ERROR_DHCP_ROGUE_NOT_AUTHORIZED","features":[87]},{"name":"ERROR_DHCP_ROGUE_NOT_OUR_ENTERPRISE","features":[87]},{"name":"ERROR_DHCP_ROGUE_SAMSHUTDOWN","features":[87]},{"name":"ERROR_DHCP_ROGUE_STANDALONE_IN_DS","features":[87]},{"name":"ERROR_DHCP_RPC_INIT_FAILED","features":[87]},{"name":"ERROR_DHCP_SCOPE_NAME_TOO_LONG","features":[87]},{"name":"ERROR_DHCP_SERVER_NAME_NOT_RESOLVED","features":[87]},{"name":"ERROR_DHCP_SERVER_NOT_REACHABLE","features":[87]},{"name":"ERROR_DHCP_SERVER_NOT_RUNNING","features":[87]},{"name":"ERROR_DHCP_SERVICE_PAUSED","features":[87]},{"name":"ERROR_DHCP_SUBNET_EXISTS","features":[87]},{"name":"ERROR_DHCP_SUBNET_EXITS","features":[87]},{"name":"ERROR_DHCP_SUBNET_NOT_PRESENT","features":[87]},{"name":"ERROR_DHCP_SUPER_SCOPE_NAME_TOO_LONG","features":[87]},{"name":"ERROR_DHCP_UNDEFINED_HARDWARE_ADDRESS_TYPE","features":[87]},{"name":"ERROR_DHCP_UNSUPPORTED_CLIENT","features":[87]},{"name":"ERROR_EXTEND_TOO_SMALL","features":[87]},{"name":"ERROR_LAST_DHCP_SERVER_ERROR","features":[87]},{"name":"ERROR_MSCOPE_RANGE_TOO_SMALL","features":[87]},{"name":"ERROR_SCOPE_RANGE_POLICY_RANGE_CONFLICT","features":[87]},{"name":"ERROR_SERVER_INVALID_BOOT_FILE_TABLE","features":[87]},{"name":"ERROR_SERVER_UNKNOWN_BOOT_FILE_NAME","features":[87]},{"name":"EXEMPT","features":[87]},{"name":"FILTER_STATUS_FULL_MATCH_IN_ALLOW_LIST","features":[87]},{"name":"FILTER_STATUS_FULL_MATCH_IN_DENY_LIST","features":[87]},{"name":"FILTER_STATUS_NONE","features":[87]},{"name":"FILTER_STATUS_WILDCARD_MATCH_IN_ALLOW_LIST","features":[87]},{"name":"FILTER_STATUS_WILDCARD_MATCH_IN_DENY_LIST","features":[87]},{"name":"FSM_STATE","features":[87]},{"name":"HWTYPE_ETHERNET_10MB","features":[87]},{"name":"HotStandby","features":[87]},{"name":"INIT","features":[87]},{"name":"LPDHCP_CONTROL","features":[87]},{"name":"LPDHCP_DELETE_CLIENT","features":[87]},{"name":"LPDHCP_DROP_SEND","features":[87]},{"name":"LPDHCP_ENTRY_POINT_FUNC","features":[1,87]},{"name":"LPDHCP_GIVE_ADDRESS","features":[87]},{"name":"LPDHCP_HANDLE_OPTIONS","features":[1,87]},{"name":"LPDHCP_NEWPKT","features":[1,87]},{"name":"LPDHCP_PROB","features":[87]},{"name":"LoadBalance","features":[87]},{"name":"MAC_ADDRESS_LENGTH","features":[87]},{"name":"MAX_PATTERN_LENGTH","features":[87]},{"name":"MCLT","features":[87]},{"name":"MODE","features":[87]},{"name":"NOQUARANTINE","features":[87]},{"name":"NOQUARINFO","features":[87]},{"name":"NORMAL","features":[87]},{"name":"NO_STATE","features":[87]},{"name":"OPTION_ALL_SUBNETS_MTU","features":[87]},{"name":"OPTION_ARP_CACHE_TIMEOUT","features":[87]},{"name":"OPTION_BE_A_MASK_SUPPLIER","features":[87]},{"name":"OPTION_BE_A_ROUTER","features":[87]},{"name":"OPTION_BOOTFILE_NAME","features":[87]},{"name":"OPTION_BOOT_FILE_SIZE","features":[87]},{"name":"OPTION_BROADCAST_ADDRESS","features":[87]},{"name":"OPTION_CLIENT_CLASS_INFO","features":[87]},{"name":"OPTION_CLIENT_ID","features":[87]},{"name":"OPTION_COOKIE_SERVERS","features":[87]},{"name":"OPTION_DEFAULT_TTL","features":[87]},{"name":"OPTION_DOMAIN_NAME","features":[87]},{"name":"OPTION_DOMAIN_NAME_SERVERS","features":[87]},{"name":"OPTION_END","features":[87]},{"name":"OPTION_ETHERNET_ENCAPSULATION","features":[87]},{"name":"OPTION_EXTENSIONS_PATH","features":[87]},{"name":"OPTION_HOST_NAME","features":[87]},{"name":"OPTION_IEN116_NAME_SERVERS","features":[87]},{"name":"OPTION_IMPRESS_SERVERS","features":[87]},{"name":"OPTION_KEEP_ALIVE_DATA_SIZE","features":[87]},{"name":"OPTION_KEEP_ALIVE_INTERVAL","features":[87]},{"name":"OPTION_LEASE_TIME","features":[87]},{"name":"OPTION_LOG_SERVERS","features":[87]},{"name":"OPTION_LPR_SERVERS","features":[87]},{"name":"OPTION_MAX_REASSEMBLY_SIZE","features":[87]},{"name":"OPTION_MERIT_DUMP_FILE","features":[87]},{"name":"OPTION_MESSAGE","features":[87]},{"name":"OPTION_MESSAGE_LENGTH","features":[87]},{"name":"OPTION_MESSAGE_TYPE","features":[87]},{"name":"OPTION_MSFT_IE_PROXY","features":[87]},{"name":"OPTION_MTU","features":[87]},{"name":"OPTION_NETBIOS_DATAGRAM_SERVER","features":[87]},{"name":"OPTION_NETBIOS_NAME_SERVER","features":[87]},{"name":"OPTION_NETBIOS_NODE_TYPE","features":[87]},{"name":"OPTION_NETBIOS_SCOPE_OPTION","features":[87]},{"name":"OPTION_NETWORK_INFO_SERVERS","features":[87]},{"name":"OPTION_NETWORK_INFO_SERVICE_DOM","features":[87]},{"name":"OPTION_NETWORK_TIME_SERVERS","features":[87]},{"name":"OPTION_NON_LOCAL_SOURCE_ROUTING","features":[87]},{"name":"OPTION_OK_TO_OVERLAY","features":[87]},{"name":"OPTION_PAD","features":[87]},{"name":"OPTION_PARAMETER_REQUEST_LIST","features":[87]},{"name":"OPTION_PERFORM_MASK_DISCOVERY","features":[87]},{"name":"OPTION_PERFORM_ROUTER_DISCOVERY","features":[87]},{"name":"OPTION_PMTU_AGING_TIMEOUT","features":[87]},{"name":"OPTION_PMTU_PLATEAU_TABLE","features":[87]},{"name":"OPTION_POLICY_FILTER_FOR_NLSR","features":[87]},{"name":"OPTION_REBIND_TIME","features":[87]},{"name":"OPTION_RENEWAL_TIME","features":[87]},{"name":"OPTION_REQUESTED_ADDRESS","features":[87]},{"name":"OPTION_RLP_SERVERS","features":[87]},{"name":"OPTION_ROOT_DISK","features":[87]},{"name":"OPTION_ROUTER_ADDRESS","features":[87]},{"name":"OPTION_ROUTER_SOLICITATION_ADDR","features":[87]},{"name":"OPTION_SERVER_IDENTIFIER","features":[87]},{"name":"OPTION_STATIC_ROUTES","features":[87]},{"name":"OPTION_SUBNET_MASK","features":[87]},{"name":"OPTION_SWAP_SERVER","features":[87]},{"name":"OPTION_TFTP_SERVER_NAME","features":[87]},{"name":"OPTION_TIME_OFFSET","features":[87]},{"name":"OPTION_TIME_SERVERS","features":[87]},{"name":"OPTION_TRAILERS","features":[87]},{"name":"OPTION_TTL","features":[87]},{"name":"OPTION_VENDOR_SPEC_INFO","features":[87]},{"name":"OPTION_XWINDOW_DISPLAY_MANAGER","features":[87]},{"name":"OPTION_XWINDOW_FONT_SERVER","features":[87]},{"name":"PARTNER_DOWN","features":[87]},{"name":"PAUSED","features":[87]},{"name":"PERCENTAGE","features":[87]},{"name":"POTENTIAL_CONFLICT","features":[87]},{"name":"PREVSTATE","features":[87]},{"name":"PROBATION","features":[87]},{"name":"PrimaryServer","features":[87]},{"name":"QUARANTINE_CONFIG_OPTION","features":[87]},{"name":"QUARANTINE_SCOPE_QUARPROFILE_OPTION","features":[87]},{"name":"QUARANTIN_OPTION_BASE","features":[87]},{"name":"QuarantineStatus","features":[87]},{"name":"RECOVER","features":[87]},{"name":"RECOVER_DONE","features":[87]},{"name":"RECOVER_WAIT","features":[87]},{"name":"RESOLUTION_INT","features":[87]},{"name":"RESTRICTEDACCESS","features":[87]},{"name":"SAFEPERIOD","features":[87]},{"name":"SCOPE_MIB_INFO","features":[87]},{"name":"SCOPE_MIB_INFO_V5","features":[87]},{"name":"SCOPE_MIB_INFO_V6","features":[87]},{"name":"SCOPE_MIB_INFO_VQ","features":[87]},{"name":"SHAREDSECRET","features":[87]},{"name":"SHUTDOWN","features":[87]},{"name":"STARTUP","features":[87]},{"name":"STATUS_NOPREFIX_AVAIL","features":[87]},{"name":"STATUS_NO_BINDING","features":[87]},{"name":"STATUS_NO_ERROR","features":[87]},{"name":"STATUS_UNSPECIFIED_FAILURE","features":[87]},{"name":"SecondaryServer","features":[87]},{"name":"Set_APIProtocolSupport","features":[87]},{"name":"Set_AuditLogState","features":[87]},{"name":"Set_BackupInterval","features":[87]},{"name":"Set_BackupPath","features":[87]},{"name":"Set_BootFileTable","features":[87]},{"name":"Set_DatabaseCleanupInterval","features":[87]},{"name":"Set_DatabaseLoggingFlag","features":[87]},{"name":"Set_DatabaseName","features":[87]},{"name":"Set_DatabasePath","features":[87]},{"name":"Set_DebugFlag","features":[87]},{"name":"Set_PingRetries","features":[87]},{"name":"Set_PreferredLifetime","features":[87]},{"name":"Set_PreferredLifetimeIATA","features":[87]},{"name":"Set_QuarantineDefFail","features":[87]},{"name":"Set_QuarantineON","features":[87]},{"name":"Set_RapidCommitFlag","features":[87]},{"name":"Set_RestoreFlag","features":[87]},{"name":"Set_T1","features":[87]},{"name":"Set_T2","features":[87]},{"name":"Set_UnicastFlag","features":[87]},{"name":"Set_ValidLifetime","features":[87]},{"name":"Set_ValidLifetimeIATA","features":[87]},{"name":"StatusCode","features":[87]},{"name":"V5_ADDRESS_BIT_BOTH_REC","features":[87]},{"name":"V5_ADDRESS_BIT_DELETED","features":[87]},{"name":"V5_ADDRESS_BIT_UNREGISTERED","features":[87]},{"name":"V5_ADDRESS_EX_BIT_DISABLE_PTR_RR","features":[87]},{"name":"V5_ADDRESS_STATE_ACTIVE","features":[87]},{"name":"V5_ADDRESS_STATE_DECLINED","features":[87]},{"name":"V5_ADDRESS_STATE_DOOM","features":[87]},{"name":"V5_ADDRESS_STATE_OFFERED","features":[87]},{"name":"WARNING_EXTENDED_LESS","features":[87]}],"444":[{"name":"DDR_MAX_IP_HINTS","features":[88]},{"name":"DNSREC_ADDITIONAL","features":[88]},{"name":"DNSREC_ANSWER","features":[88]},{"name":"DNSREC_AUTHORITY","features":[88]},{"name":"DNSREC_DELETE","features":[88]},{"name":"DNSREC_NOEXIST","features":[88]},{"name":"DNSREC_PREREQ","features":[88]},{"name":"DNSREC_QUESTION","features":[88]},{"name":"DNSREC_SECTION","features":[88]},{"name":"DNSREC_UPDATE","features":[88]},{"name":"DNSREC_ZONE","features":[88]},{"name":"DNSSEC_ALGORITHM_ECDSAP256_SHA256","features":[88]},{"name":"DNSSEC_ALGORITHM_ECDSAP384_SHA384","features":[88]},{"name":"DNSSEC_ALGORITHM_NULL","features":[88]},{"name":"DNSSEC_ALGORITHM_PRIVATE","features":[88]},{"name":"DNSSEC_ALGORITHM_RSAMD5","features":[88]},{"name":"DNSSEC_ALGORITHM_RSASHA1","features":[88]},{"name":"DNSSEC_ALGORITHM_RSASHA1_NSEC3","features":[88]},{"name":"DNSSEC_ALGORITHM_RSASHA256","features":[88]},{"name":"DNSSEC_ALGORITHM_RSASHA512","features":[88]},{"name":"DNSSEC_DIGEST_ALGORITHM_SHA1","features":[88]},{"name":"DNSSEC_DIGEST_ALGORITHM_SHA256","features":[88]},{"name":"DNSSEC_DIGEST_ALGORITHM_SHA384","features":[88]},{"name":"DNSSEC_KEY_FLAG_EXTEND","features":[88]},{"name":"DNSSEC_KEY_FLAG_FLAG10","features":[88]},{"name":"DNSSEC_KEY_FLAG_FLAG11","features":[88]},{"name":"DNSSEC_KEY_FLAG_FLAG2","features":[88]},{"name":"DNSSEC_KEY_FLAG_FLAG4","features":[88]},{"name":"DNSSEC_KEY_FLAG_FLAG5","features":[88]},{"name":"DNSSEC_KEY_FLAG_FLAG8","features":[88]},{"name":"DNSSEC_KEY_FLAG_FLAG9","features":[88]},{"name":"DNSSEC_KEY_FLAG_HOST","features":[88]},{"name":"DNSSEC_KEY_FLAG_NOAUTH","features":[88]},{"name":"DNSSEC_KEY_FLAG_NOCONF","features":[88]},{"name":"DNSSEC_KEY_FLAG_NTPE3","features":[88]},{"name":"DNSSEC_KEY_FLAG_SIG0","features":[88]},{"name":"DNSSEC_KEY_FLAG_SIG1","features":[88]},{"name":"DNSSEC_KEY_FLAG_SIG10","features":[88]},{"name":"DNSSEC_KEY_FLAG_SIG11","features":[88]},{"name":"DNSSEC_KEY_FLAG_SIG12","features":[88]},{"name":"DNSSEC_KEY_FLAG_SIG13","features":[88]},{"name":"DNSSEC_KEY_FLAG_SIG14","features":[88]},{"name":"DNSSEC_KEY_FLAG_SIG15","features":[88]},{"name":"DNSSEC_KEY_FLAG_SIG2","features":[88]},{"name":"DNSSEC_KEY_FLAG_SIG3","features":[88]},{"name":"DNSSEC_KEY_FLAG_SIG4","features":[88]},{"name":"DNSSEC_KEY_FLAG_SIG5","features":[88]},{"name":"DNSSEC_KEY_FLAG_SIG6","features":[88]},{"name":"DNSSEC_KEY_FLAG_SIG7","features":[88]},{"name":"DNSSEC_KEY_FLAG_SIG8","features":[88]},{"name":"DNSSEC_KEY_FLAG_SIG9","features":[88]},{"name":"DNSSEC_KEY_FLAG_USER","features":[88]},{"name":"DNSSEC_KEY_FLAG_ZONE","features":[88]},{"name":"DNSSEC_PROTOCOL_DNSSEC","features":[88]},{"name":"DNSSEC_PROTOCOL_EMAIL","features":[88]},{"name":"DNSSEC_PROTOCOL_IPSEC","features":[88]},{"name":"DNSSEC_PROTOCOL_NONE","features":[88]},{"name":"DNSSEC_PROTOCOL_TLS","features":[88]},{"name":"DNS_AAAA_DATA","features":[88]},{"name":"DNS_ADDR","features":[88]},{"name":"DNS_ADDRESS_STRING_LENGTH","features":[88]},{"name":"DNS_ADDR_ARRAY","features":[88]},{"name":"DNS_ADDR_MAX_SOCKADDR_LENGTH","features":[88]},{"name":"DNS_APPLICATION_SETTINGS","features":[88]},{"name":"DNS_APP_SETTINGS_EXCLUSIVE_SERVERS","features":[88]},{"name":"DNS_APP_SETTINGS_VERSION1","features":[88]},{"name":"DNS_ATMA_AESA_ADDR_LENGTH","features":[88]},{"name":"DNS_ATMA_DATA","features":[88]},{"name":"DNS_ATMA_FORMAT_AESA","features":[88]},{"name":"DNS_ATMA_FORMAT_E164","features":[88]},{"name":"DNS_ATMA_MAX_ADDR_LENGTH","features":[88]},{"name":"DNS_ATMA_MAX_RECORD_LENGTH","features":[88]},{"name":"DNS_A_DATA","features":[88]},{"name":"DNS_CHARSET","features":[88]},{"name":"DNS_CLASS_ALL","features":[88]},{"name":"DNS_CLASS_ANY","features":[88]},{"name":"DNS_CLASS_CHAOS","features":[88]},{"name":"DNS_CLASS_CSNET","features":[88]},{"name":"DNS_CLASS_HESIOD","features":[88]},{"name":"DNS_CLASS_INTERNET","features":[88]},{"name":"DNS_CLASS_NONE","features":[88]},{"name":"DNS_CLASS_UNICAST_RESPONSE","features":[88]},{"name":"DNS_COMPRESSED_QUESTION_NAME","features":[88]},{"name":"DNS_CONFIG_FLAG_ALLOC","features":[88]},{"name":"DNS_CONFIG_TYPE","features":[88]},{"name":"DNS_CONNECTION_IFINDEX_ENTRY","features":[88]},{"name":"DNS_CONNECTION_IFINDEX_LIST","features":[88]},{"name":"DNS_CONNECTION_NAME","features":[88]},{"name":"DNS_CONNECTION_NAME_LIST","features":[88]},{"name":"DNS_CONNECTION_NAME_MAX_LENGTH","features":[88]},{"name":"DNS_CONNECTION_POLICY_ENTRY","features":[88]},{"name":"DNS_CONNECTION_POLICY_ENTRY_LIST","features":[88]},{"name":"DNS_CONNECTION_POLICY_ENTRY_ONDEMAND","features":[88]},{"name":"DNS_CONNECTION_POLICY_TAG","features":[88]},{"name":"DNS_CONNECTION_PROXY_ELEMENT","features":[88]},{"name":"DNS_CONNECTION_PROXY_INFO","features":[88]},{"name":"DNS_CONNECTION_PROXY_INFO_CURRENT_VERSION","features":[88]},{"name":"DNS_CONNECTION_PROXY_INFO_EX","features":[1,88]},{"name":"DNS_CONNECTION_PROXY_INFO_EXCEPTION_MAX_LENGTH","features":[88]},{"name":"DNS_CONNECTION_PROXY_INFO_EXTRA_INFO_MAX_LENGTH","features":[88]},{"name":"DNS_CONNECTION_PROXY_INFO_FLAG_BYPASSLOCAL","features":[88]},{"name":"DNS_CONNECTION_PROXY_INFO_FLAG_DISABLED","features":[88]},{"name":"DNS_CONNECTION_PROXY_INFO_FRIENDLY_NAME_MAX_LENGTH","features":[88]},{"name":"DNS_CONNECTION_PROXY_INFO_PASSWORD_MAX_LENGTH","features":[88]},{"name":"DNS_CONNECTION_PROXY_INFO_SERVER_MAX_LENGTH","features":[88]},{"name":"DNS_CONNECTION_PROXY_INFO_SWITCH","features":[88]},{"name":"DNS_CONNECTION_PROXY_INFO_SWITCH_CONFIG","features":[88]},{"name":"DNS_CONNECTION_PROXY_INFO_SWITCH_SCRIPT","features":[88]},{"name":"DNS_CONNECTION_PROXY_INFO_SWITCH_WPAD","features":[88]},{"name":"DNS_CONNECTION_PROXY_INFO_USERNAME_MAX_LENGTH","features":[88]},{"name":"DNS_CONNECTION_PROXY_LIST","features":[88]},{"name":"DNS_CONNECTION_PROXY_TYPE","features":[88]},{"name":"DNS_CONNECTION_PROXY_TYPE_HTTP","features":[88]},{"name":"DNS_CONNECTION_PROXY_TYPE_NULL","features":[88]},{"name":"DNS_CONNECTION_PROXY_TYPE_SOCKS4","features":[88]},{"name":"DNS_CONNECTION_PROXY_TYPE_SOCKS5","features":[88]},{"name":"DNS_CONNECTION_PROXY_TYPE_WAP","features":[88]},{"name":"DNS_CUSTOM_SERVER","features":[88]},{"name":"DNS_CUSTOM_SERVER_TYPE_DOH","features":[88]},{"name":"DNS_CUSTOM_SERVER_TYPE_UDP","features":[88]},{"name":"DNS_CUSTOM_SERVER_UDP_FALLBACK","features":[88]},{"name":"DNS_DHCID_DATA","features":[88]},{"name":"DNS_DS_DATA","features":[88]},{"name":"DNS_FREE_TYPE","features":[88]},{"name":"DNS_HEADER","features":[88]},{"name":"DNS_HEADER_EXT","features":[88]},{"name":"DNS_KEY_DATA","features":[88]},{"name":"DNS_LOC_DATA","features":[88]},{"name":"DNS_MAX_IP4_REVERSE_NAME_BUFFER_LENGTH","features":[88]},{"name":"DNS_MAX_IP4_REVERSE_NAME_LENGTH","features":[88]},{"name":"DNS_MAX_IP6_REVERSE_NAME_BUFFER_LENGTH","features":[88]},{"name":"DNS_MAX_IP6_REVERSE_NAME_LENGTH","features":[88]},{"name":"DNS_MAX_LABEL_BUFFER_LENGTH","features":[88]},{"name":"DNS_MAX_LABEL_LENGTH","features":[88]},{"name":"DNS_MAX_NAME_BUFFER_LENGTH","features":[88]},{"name":"DNS_MAX_NAME_LENGTH","features":[88]},{"name":"DNS_MAX_REVERSE_NAME_BUFFER_LENGTH","features":[88]},{"name":"DNS_MAX_REVERSE_NAME_LENGTH","features":[88]},{"name":"DNS_MAX_TEXT_STRING_LENGTH","features":[88]},{"name":"DNS_MESSAGE_BUFFER","features":[88]},{"name":"DNS_MINFO_DATAA","features":[88]},{"name":"DNS_MINFO_DATAW","features":[88]},{"name":"DNS_MX_DATAA","features":[88]},{"name":"DNS_MX_DATAW","features":[88]},{"name":"DNS_NAME_FORMAT","features":[88]},{"name":"DNS_NAPTR_DATAA","features":[88]},{"name":"DNS_NAPTR_DATAW","features":[88]},{"name":"DNS_NSEC3PARAM_DATA","features":[88]},{"name":"DNS_NSEC3_DATA","features":[88]},{"name":"DNS_NSEC_DATAA","features":[88]},{"name":"DNS_NSEC_DATAW","features":[88]},{"name":"DNS_NULL_DATA","features":[88]},{"name":"DNS_NXT_DATAA","features":[88]},{"name":"DNS_NXT_DATAW","features":[88]},{"name":"DNS_OPCODE_IQUERY","features":[88]},{"name":"DNS_OPCODE_NOTIFY","features":[88]},{"name":"DNS_OPCODE_QUERY","features":[88]},{"name":"DNS_OPCODE_SERVER_STATUS","features":[88]},{"name":"DNS_OPCODE_UNKNOWN","features":[88]},{"name":"DNS_OPCODE_UPDATE","features":[88]},{"name":"DNS_OPT_DATA","features":[88]},{"name":"DNS_PORT_HOST_ORDER","features":[88]},{"name":"DNS_PORT_NET_ORDER","features":[88]},{"name":"DNS_PROTOCOL_DOH","features":[88]},{"name":"DNS_PROTOCOL_NO_WIRE","features":[88]},{"name":"DNS_PROTOCOL_TCP","features":[88]},{"name":"DNS_PROTOCOL_UDP","features":[88]},{"name":"DNS_PROTOCOL_UNSPECIFIED","features":[88]},{"name":"DNS_PROXY_COMPLETION_ROUTINE","features":[88]},{"name":"DNS_PROXY_INFORMATION","features":[88]},{"name":"DNS_PROXY_INFORMATION_DEFAULT_SETTINGS","features":[88]},{"name":"DNS_PROXY_INFORMATION_DIRECT","features":[88]},{"name":"DNS_PROXY_INFORMATION_DOES_NOT_EXIST","features":[88]},{"name":"DNS_PROXY_INFORMATION_PROXY_NAME","features":[88]},{"name":"DNS_PROXY_INFORMATION_TYPE","features":[88]},{"name":"DNS_PTR_DATAA","features":[88]},{"name":"DNS_PTR_DATAW","features":[88]},{"name":"DNS_QUERY_ACCEPT_TRUNCATED_RESPONSE","features":[88]},{"name":"DNS_QUERY_ADDRCONFIG","features":[88]},{"name":"DNS_QUERY_APPEND_MULTILABEL","features":[88]},{"name":"DNS_QUERY_BYPASS_CACHE","features":[88]},{"name":"DNS_QUERY_CACHE_ONLY","features":[88]},{"name":"DNS_QUERY_CANCEL","features":[88]},{"name":"DNS_QUERY_DISABLE_IDN_ENCODING","features":[88]},{"name":"DNS_QUERY_DNSSEC_CHECKING_DISABLED","features":[88]},{"name":"DNS_QUERY_DNSSEC_OK","features":[88]},{"name":"DNS_QUERY_DONT_RESET_TTL_VALUES","features":[88]},{"name":"DNS_QUERY_DUAL_ADDR","features":[88]},{"name":"DNS_QUERY_MULTICAST_ONLY","features":[88]},{"name":"DNS_QUERY_NO_HOSTS_FILE","features":[88]},{"name":"DNS_QUERY_NO_LOCAL_NAME","features":[88]},{"name":"DNS_QUERY_NO_MULTICAST","features":[88]},{"name":"DNS_QUERY_NO_NETBT","features":[88]},{"name":"DNS_QUERY_NO_RECURSION","features":[88]},{"name":"DNS_QUERY_NO_WIRE_QUERY","features":[88]},{"name":"DNS_QUERY_OPTIONS","features":[88]},{"name":"DNS_QUERY_RAW_CANCEL","features":[88]},{"name":"DNS_QUERY_RAW_COMPLETION_ROUTINE","features":[1,88]},{"name":"DNS_QUERY_RAW_OPTION_BEST_EFFORT_PARSE","features":[88]},{"name":"DNS_QUERY_RAW_REQUEST","features":[1,88]},{"name":"DNS_QUERY_RAW_REQUEST_VERSION1","features":[88]},{"name":"DNS_QUERY_RAW_RESULT","features":[1,88]},{"name":"DNS_QUERY_RAW_RESULTS_VERSION1","features":[88]},{"name":"DNS_QUERY_REQUEST","features":[1,88]},{"name":"DNS_QUERY_REQUEST3","features":[1,88]},{"name":"DNS_QUERY_REQUEST_VERSION1","features":[88]},{"name":"DNS_QUERY_REQUEST_VERSION2","features":[88]},{"name":"DNS_QUERY_REQUEST_VERSION3","features":[88]},{"name":"DNS_QUERY_RESERVED","features":[88]},{"name":"DNS_QUERY_RESULT","features":[1,88]},{"name":"DNS_QUERY_RESULTS_VERSION1","features":[88]},{"name":"DNS_QUERY_RETURN_MESSAGE","features":[88]},{"name":"DNS_QUERY_STANDARD","features":[88]},{"name":"DNS_QUERY_TREAT_AS_FQDN","features":[88]},{"name":"DNS_QUERY_USE_TCP_ONLY","features":[88]},{"name":"DNS_QUERY_WIRE_ONLY","features":[88]},{"name":"DNS_RCLASS_ALL","features":[88]},{"name":"DNS_RCLASS_ANY","features":[88]},{"name":"DNS_RCLASS_CHAOS","features":[88]},{"name":"DNS_RCLASS_CSNET","features":[88]},{"name":"DNS_RCLASS_HESIOD","features":[88]},{"name":"DNS_RCLASS_INTERNET","features":[88]},{"name":"DNS_RCLASS_MDNS_CACHE_FLUSH","features":[88]},{"name":"DNS_RCLASS_NONE","features":[88]},{"name":"DNS_RCLASS_UNICAST_RESPONSE","features":[88]},{"name":"DNS_RCODE_BADKEY","features":[88]},{"name":"DNS_RCODE_BADSIG","features":[88]},{"name":"DNS_RCODE_BADTIME","features":[88]},{"name":"DNS_RCODE_BADVERS","features":[88]},{"name":"DNS_RCODE_FORMAT_ERROR","features":[88]},{"name":"DNS_RCODE_FORMERR","features":[88]},{"name":"DNS_RCODE_MAX","features":[88]},{"name":"DNS_RCODE_NAME_ERROR","features":[88]},{"name":"DNS_RCODE_NOERROR","features":[88]},{"name":"DNS_RCODE_NOTAUTH","features":[88]},{"name":"DNS_RCODE_NOTIMPL","features":[88]},{"name":"DNS_RCODE_NOTZONE","features":[88]},{"name":"DNS_RCODE_NOT_IMPLEMENTED","features":[88]},{"name":"DNS_RCODE_NO_ERROR","features":[88]},{"name":"DNS_RCODE_NXDOMAIN","features":[88]},{"name":"DNS_RCODE_NXRRSET","features":[88]},{"name":"DNS_RCODE_REFUSED","features":[88]},{"name":"DNS_RCODE_SERVER_FAILURE","features":[88]},{"name":"DNS_RCODE_SERVFAIL","features":[88]},{"name":"DNS_RCODE_YXDOMAIN","features":[88]},{"name":"DNS_RCODE_YXRRSET","features":[88]},{"name":"DNS_RECORDA","features":[1,88]},{"name":"DNS_RECORDW","features":[1,88]},{"name":"DNS_RECORD_FLAGS","features":[88]},{"name":"DNS_RECORD_OPTW","features":[1,88]},{"name":"DNS_RFC_MAX_UDP_PACKET_LENGTH","features":[88]},{"name":"DNS_RRSET","features":[1,88]},{"name":"DNS_RTYPE_A","features":[88]},{"name":"DNS_RTYPE_A6","features":[88]},{"name":"DNS_RTYPE_AAAA","features":[88]},{"name":"DNS_RTYPE_AFSDB","features":[88]},{"name":"DNS_RTYPE_ALL","features":[88]},{"name":"DNS_RTYPE_ANY","features":[88]},{"name":"DNS_RTYPE_ATMA","features":[88]},{"name":"DNS_RTYPE_AXFR","features":[88]},{"name":"DNS_RTYPE_CERT","features":[88]},{"name":"DNS_RTYPE_CNAME","features":[88]},{"name":"DNS_RTYPE_DHCID","features":[88]},{"name":"DNS_RTYPE_DNAME","features":[88]},{"name":"DNS_RTYPE_DNSKEY","features":[88]},{"name":"DNS_RTYPE_DS","features":[88]},{"name":"DNS_RTYPE_EID","features":[88]},{"name":"DNS_RTYPE_GID","features":[88]},{"name":"DNS_RTYPE_GPOS","features":[88]},{"name":"DNS_RTYPE_HINFO","features":[88]},{"name":"DNS_RTYPE_ISDN","features":[88]},{"name":"DNS_RTYPE_IXFR","features":[88]},{"name":"DNS_RTYPE_KEY","features":[88]},{"name":"DNS_RTYPE_KX","features":[88]},{"name":"DNS_RTYPE_LOC","features":[88]},{"name":"DNS_RTYPE_MAILA","features":[88]},{"name":"DNS_RTYPE_MAILB","features":[88]},{"name":"DNS_RTYPE_MB","features":[88]},{"name":"DNS_RTYPE_MD","features":[88]},{"name":"DNS_RTYPE_MF","features":[88]},{"name":"DNS_RTYPE_MG","features":[88]},{"name":"DNS_RTYPE_MINFO","features":[88]},{"name":"DNS_RTYPE_MR","features":[88]},{"name":"DNS_RTYPE_MX","features":[88]},{"name":"DNS_RTYPE_NAPTR","features":[88]},{"name":"DNS_RTYPE_NIMLOC","features":[88]},{"name":"DNS_RTYPE_NS","features":[88]},{"name":"DNS_RTYPE_NSAP","features":[88]},{"name":"DNS_RTYPE_NSAPPTR","features":[88]},{"name":"DNS_RTYPE_NSEC","features":[88]},{"name":"DNS_RTYPE_NSEC3","features":[88]},{"name":"DNS_RTYPE_NSEC3PARAM","features":[88]},{"name":"DNS_RTYPE_NULL","features":[88]},{"name":"DNS_RTYPE_NXT","features":[88]},{"name":"DNS_RTYPE_OPT","features":[88]},{"name":"DNS_RTYPE_PTR","features":[88]},{"name":"DNS_RTYPE_PX","features":[88]},{"name":"DNS_RTYPE_RP","features":[88]},{"name":"DNS_RTYPE_RRSIG","features":[88]},{"name":"DNS_RTYPE_RT","features":[88]},{"name":"DNS_RTYPE_SIG","features":[88]},{"name":"DNS_RTYPE_SINK","features":[88]},{"name":"DNS_RTYPE_SOA","features":[88]},{"name":"DNS_RTYPE_SRV","features":[88]},{"name":"DNS_RTYPE_TEXT","features":[88]},{"name":"DNS_RTYPE_TKEY","features":[88]},{"name":"DNS_RTYPE_TLSA","features":[88]},{"name":"DNS_RTYPE_TSIG","features":[88]},{"name":"DNS_RTYPE_UID","features":[88]},{"name":"DNS_RTYPE_UINFO","features":[88]},{"name":"DNS_RTYPE_UNSPEC","features":[88]},{"name":"DNS_RTYPE_WINS","features":[88]},{"name":"DNS_RTYPE_WINSR","features":[88]},{"name":"DNS_RTYPE_WKS","features":[88]},{"name":"DNS_RTYPE_X25","features":[88]},{"name":"DNS_SECTION","features":[88]},{"name":"DNS_SERVICE_BROWSE_REQUEST","features":[1,88]},{"name":"DNS_SERVICE_CANCEL","features":[88]},{"name":"DNS_SERVICE_INSTANCE","features":[88]},{"name":"DNS_SERVICE_REGISTER_REQUEST","features":[1,88]},{"name":"DNS_SERVICE_RESOLVE_REQUEST","features":[88]},{"name":"DNS_SIG_DATAA","features":[88]},{"name":"DNS_SIG_DATAW","features":[88]},{"name":"DNS_SOA_DATAA","features":[88]},{"name":"DNS_SOA_DATAW","features":[88]},{"name":"DNS_SRV_DATAA","features":[88]},{"name":"DNS_SRV_DATAW","features":[88]},{"name":"DNS_SVCB_DATA","features":[88]},{"name":"DNS_SVCB_PARAM","features":[88]},{"name":"DNS_SVCB_PARAM_ALPN","features":[88]},{"name":"DNS_SVCB_PARAM_ALPN_ID","features":[88]},{"name":"DNS_SVCB_PARAM_IPV4","features":[88]},{"name":"DNS_SVCB_PARAM_IPV6","features":[88]},{"name":"DNS_SVCB_PARAM_MANDATORY","features":[88]},{"name":"DNS_SVCB_PARAM_TYPE","features":[88]},{"name":"DNS_SVCB_PARAM_UNKNOWN","features":[88]},{"name":"DNS_TKEY_DATAA","features":[1,88]},{"name":"DNS_TKEY_DATAW","features":[1,88]},{"name":"DNS_TKEY_MODE_DIFFIE_HELLMAN","features":[88]},{"name":"DNS_TKEY_MODE_GSS","features":[88]},{"name":"DNS_TKEY_MODE_RESOLVER_ASSIGN","features":[88]},{"name":"DNS_TKEY_MODE_SERVER_ASSIGN","features":[88]},{"name":"DNS_TLSA_DATA","features":[88]},{"name":"DNS_TSIG_DATAA","features":[1,88]},{"name":"DNS_TSIG_DATAW","features":[1,88]},{"name":"DNS_TXT_DATAA","features":[88]},{"name":"DNS_TXT_DATAW","features":[88]},{"name":"DNS_TYPE","features":[88]},{"name":"DNS_TYPE_A","features":[88]},{"name":"DNS_TYPE_A6","features":[88]},{"name":"DNS_TYPE_AAAA","features":[88]},{"name":"DNS_TYPE_ADDRS","features":[88]},{"name":"DNS_TYPE_AFSDB","features":[88]},{"name":"DNS_TYPE_ALL","features":[88]},{"name":"DNS_TYPE_ANY","features":[88]},{"name":"DNS_TYPE_ATMA","features":[88]},{"name":"DNS_TYPE_AXFR","features":[88]},{"name":"DNS_TYPE_CERT","features":[88]},{"name":"DNS_TYPE_CNAME","features":[88]},{"name":"DNS_TYPE_DHCID","features":[88]},{"name":"DNS_TYPE_DNAME","features":[88]},{"name":"DNS_TYPE_DNSKEY","features":[88]},{"name":"DNS_TYPE_DS","features":[88]},{"name":"DNS_TYPE_EID","features":[88]},{"name":"DNS_TYPE_GID","features":[88]},{"name":"DNS_TYPE_GPOS","features":[88]},{"name":"DNS_TYPE_HINFO","features":[88]},{"name":"DNS_TYPE_HTTPS","features":[88]},{"name":"DNS_TYPE_ISDN","features":[88]},{"name":"DNS_TYPE_IXFR","features":[88]},{"name":"DNS_TYPE_KEY","features":[88]},{"name":"DNS_TYPE_KX","features":[88]},{"name":"DNS_TYPE_LOC","features":[88]},{"name":"DNS_TYPE_MAILA","features":[88]},{"name":"DNS_TYPE_MAILB","features":[88]},{"name":"DNS_TYPE_MB","features":[88]},{"name":"DNS_TYPE_MD","features":[88]},{"name":"DNS_TYPE_MF","features":[88]},{"name":"DNS_TYPE_MG","features":[88]},{"name":"DNS_TYPE_MINFO","features":[88]},{"name":"DNS_TYPE_MR","features":[88]},{"name":"DNS_TYPE_MX","features":[88]},{"name":"DNS_TYPE_NAPTR","features":[88]},{"name":"DNS_TYPE_NBSTAT","features":[88]},{"name":"DNS_TYPE_NIMLOC","features":[88]},{"name":"DNS_TYPE_NS","features":[88]},{"name":"DNS_TYPE_NSAP","features":[88]},{"name":"DNS_TYPE_NSAPPTR","features":[88]},{"name":"DNS_TYPE_NSEC","features":[88]},{"name":"DNS_TYPE_NSEC3","features":[88]},{"name":"DNS_TYPE_NSEC3PARAM","features":[88]},{"name":"DNS_TYPE_NULL","features":[88]},{"name":"DNS_TYPE_NXT","features":[88]},{"name":"DNS_TYPE_OPT","features":[88]},{"name":"DNS_TYPE_PTR","features":[88]},{"name":"DNS_TYPE_PX","features":[88]},{"name":"DNS_TYPE_RP","features":[88]},{"name":"DNS_TYPE_RRSIG","features":[88]},{"name":"DNS_TYPE_RT","features":[88]},{"name":"DNS_TYPE_SIG","features":[88]},{"name":"DNS_TYPE_SINK","features":[88]},{"name":"DNS_TYPE_SOA","features":[88]},{"name":"DNS_TYPE_SRV","features":[88]},{"name":"DNS_TYPE_SVCB","features":[88]},{"name":"DNS_TYPE_TEXT","features":[88]},{"name":"DNS_TYPE_TKEY","features":[88]},{"name":"DNS_TYPE_TLSA","features":[88]},{"name":"DNS_TYPE_TSIG","features":[88]},{"name":"DNS_TYPE_UID","features":[88]},{"name":"DNS_TYPE_UINFO","features":[88]},{"name":"DNS_TYPE_UNSPEC","features":[88]},{"name":"DNS_TYPE_WINS","features":[88]},{"name":"DNS_TYPE_WINSR","features":[88]},{"name":"DNS_TYPE_WKS","features":[88]},{"name":"DNS_TYPE_X25","features":[88]},{"name":"DNS_TYPE_ZERO","features":[88]},{"name":"DNS_UNKNOWN_DATA","features":[88]},{"name":"DNS_UPDATE_CACHE_SECURITY_CONTEXT","features":[88]},{"name":"DNS_UPDATE_FORCE_SECURITY_NEGO","features":[88]},{"name":"DNS_UPDATE_REMOTE_SERVER","features":[88]},{"name":"DNS_UPDATE_RESERVED","features":[88]},{"name":"DNS_UPDATE_SECURITY_OFF","features":[88]},{"name":"DNS_UPDATE_SECURITY_ON","features":[88]},{"name":"DNS_UPDATE_SECURITY_ONLY","features":[88]},{"name":"DNS_UPDATE_SECURITY_USE_DEFAULT","features":[88]},{"name":"DNS_UPDATE_SKIP_NO_UPDATE_ADAPTERS","features":[88]},{"name":"DNS_UPDATE_TEST_USE_LOCAL_SYS_ACCT","features":[88]},{"name":"DNS_UPDATE_TRY_ALL_MASTER_SERVERS","features":[88]},{"name":"DNS_VALSVR_ERROR_INVALID_ADDR","features":[88]},{"name":"DNS_VALSVR_ERROR_INVALID_NAME","features":[88]},{"name":"DNS_VALSVR_ERROR_NO_AUTH","features":[88]},{"name":"DNS_VALSVR_ERROR_NO_RESPONSE","features":[88]},{"name":"DNS_VALSVR_ERROR_NO_TCP","features":[88]},{"name":"DNS_VALSVR_ERROR_REFUSED","features":[88]},{"name":"DNS_VALSVR_ERROR_UNKNOWN","features":[88]},{"name":"DNS_VALSVR_ERROR_UNREACHABLE","features":[88]},{"name":"DNS_WINSR_DATAA","features":[88]},{"name":"DNS_WINSR_DATAW","features":[88]},{"name":"DNS_WINS_DATA","features":[88]},{"name":"DNS_WINS_FLAG_LOCAL","features":[88]},{"name":"DNS_WINS_FLAG_SCOPE","features":[88]},{"name":"DNS_WIRE_QUESTION","features":[88]},{"name":"DNS_WIRE_RECORD","features":[88]},{"name":"DNS_WKS_DATA","features":[88]},{"name":"DnsAcquireContextHandle_A","features":[1,88]},{"name":"DnsAcquireContextHandle_W","features":[1,88]},{"name":"DnsCancelQuery","features":[88]},{"name":"DnsCancelQueryRaw","features":[88]},{"name":"DnsCharSetAnsi","features":[88]},{"name":"DnsCharSetUnicode","features":[88]},{"name":"DnsCharSetUnknown","features":[88]},{"name":"DnsCharSetUtf8","features":[88]},{"name":"DnsConfigAdapterDomainName_A","features":[88]},{"name":"DnsConfigAdapterDomainName_UTF8","features":[88]},{"name":"DnsConfigAdapterDomainName_W","features":[88]},{"name":"DnsConfigAdapterHostNameRegistrationEnabled","features":[88]},{"name":"DnsConfigAdapterInfo","features":[88]},{"name":"DnsConfigAddressRegistrationMaxCount","features":[88]},{"name":"DnsConfigDnsServerList","features":[88]},{"name":"DnsConfigFullHostName_A","features":[88]},{"name":"DnsConfigFullHostName_UTF8","features":[88]},{"name":"DnsConfigFullHostName_W","features":[88]},{"name":"DnsConfigHostName_A","features":[88]},{"name":"DnsConfigHostName_UTF8","features":[88]},{"name":"DnsConfigHostName_W","features":[88]},{"name":"DnsConfigNameServer","features":[88]},{"name":"DnsConfigPrimaryDomainName_A","features":[88]},{"name":"DnsConfigPrimaryDomainName_UTF8","features":[88]},{"name":"DnsConfigPrimaryDomainName_W","features":[88]},{"name":"DnsConfigPrimaryHostNameRegistrationEnabled","features":[88]},{"name":"DnsConfigSearchList","features":[88]},{"name":"DnsConnectionDeletePolicyEntries","features":[88]},{"name":"DnsConnectionDeleteProxyInfo","features":[88]},{"name":"DnsConnectionFreeNameList","features":[88]},{"name":"DnsConnectionFreeProxyInfo","features":[88]},{"name":"DnsConnectionFreeProxyInfoEx","features":[1,88]},{"name":"DnsConnectionFreeProxyList","features":[88]},{"name":"DnsConnectionGetNameList","features":[88]},{"name":"DnsConnectionGetProxyInfo","features":[88]},{"name":"DnsConnectionGetProxyInfoForHostUrl","features":[1,88]},{"name":"DnsConnectionGetProxyInfoForHostUrlEx","features":[1,88]},{"name":"DnsConnectionGetProxyList","features":[88]},{"name":"DnsConnectionSetPolicyEntries","features":[88]},{"name":"DnsConnectionSetProxyInfo","features":[88]},{"name":"DnsConnectionUpdateIfIndexTable","features":[88]},{"name":"DnsExtractRecordsFromMessage_UTF8","features":[1,88]},{"name":"DnsExtractRecordsFromMessage_W","features":[1,88]},{"name":"DnsFree","features":[88]},{"name":"DnsFreeCustomServers","features":[88]},{"name":"DnsFreeFlat","features":[88]},{"name":"DnsFreeParsedMessageFields","features":[88]},{"name":"DnsFreeProxyName","features":[88]},{"name":"DnsFreeRecordList","features":[88]},{"name":"DnsGetApplicationSettings","features":[88]},{"name":"DnsGetProxyInformation","features":[88]},{"name":"DnsModifyRecordsInSet_A","features":[1,88]},{"name":"DnsModifyRecordsInSet_UTF8","features":[1,88]},{"name":"DnsModifyRecordsInSet_W","features":[1,88]},{"name":"DnsNameCompare_A","features":[1,88]},{"name":"DnsNameCompare_W","features":[1,88]},{"name":"DnsNameDomain","features":[88]},{"name":"DnsNameDomainLabel","features":[88]},{"name":"DnsNameHostnameFull","features":[88]},{"name":"DnsNameHostnameLabel","features":[88]},{"name":"DnsNameSrvRecord","features":[88]},{"name":"DnsNameValidateTld","features":[88]},{"name":"DnsNameWildcard","features":[88]},{"name":"DnsQueryConfig","features":[88]},{"name":"DnsQueryEx","features":[1,88]},{"name":"DnsQueryRaw","features":[1,88]},{"name":"DnsQueryRawResultFree","features":[1,88]},{"name":"DnsQuery_A","features":[1,88]},{"name":"DnsQuery_UTF8","features":[1,88]},{"name":"DnsQuery_W","features":[1,88]},{"name":"DnsRecordCompare","features":[1,88]},{"name":"DnsRecordCopyEx","features":[1,88]},{"name":"DnsRecordSetCompare","features":[1,88]},{"name":"DnsRecordSetCopyEx","features":[1,88]},{"name":"DnsRecordSetDetach","features":[1,88]},{"name":"DnsReleaseContextHandle","features":[1,88]},{"name":"DnsReplaceRecordSetA","features":[1,88]},{"name":"DnsReplaceRecordSetUTF8","features":[1,88]},{"name":"DnsReplaceRecordSetW","features":[1,88]},{"name":"DnsSectionAddtional","features":[88]},{"name":"DnsSectionAnswer","features":[88]},{"name":"DnsSectionAuthority","features":[88]},{"name":"DnsSectionQuestion","features":[88]},{"name":"DnsServiceBrowse","features":[1,88]},{"name":"DnsServiceBrowseCancel","features":[88]},{"name":"DnsServiceConstructInstance","features":[88]},{"name":"DnsServiceCopyInstance","features":[88]},{"name":"DnsServiceDeRegister","features":[1,88]},{"name":"DnsServiceFreeInstance","features":[88]},{"name":"DnsServiceRegister","features":[1,88]},{"name":"DnsServiceRegisterCancel","features":[88]},{"name":"DnsServiceResolve","features":[88]},{"name":"DnsServiceResolveCancel","features":[88]},{"name":"DnsSetApplicationSettings","features":[88]},{"name":"DnsStartMulticastQuery","features":[1,88]},{"name":"DnsStopMulticastQuery","features":[88]},{"name":"DnsSvcbParamAlpn","features":[88]},{"name":"DnsSvcbParamDohPath","features":[88]},{"name":"DnsSvcbParamDohPathOpenDns","features":[88]},{"name":"DnsSvcbParamDohPathQuad9","features":[88]},{"name":"DnsSvcbParamEch","features":[88]},{"name":"DnsSvcbParamIpv4Hint","features":[88]},{"name":"DnsSvcbParamIpv6Hint","features":[88]},{"name":"DnsSvcbParamMandatory","features":[88]},{"name":"DnsSvcbParamNoDefaultAlpn","features":[88]},{"name":"DnsSvcbParamPort","features":[88]},{"name":"DnsValidateName_A","features":[88]},{"name":"DnsValidateName_UTF8","features":[88]},{"name":"DnsValidateName_W","features":[88]},{"name":"DnsWriteQuestionToBuffer_UTF8","features":[1,88]},{"name":"DnsWriteQuestionToBuffer_W","features":[1,88]},{"name":"IP4_ADDRESS_STRING_BUFFER_LENGTH","features":[88]},{"name":"IP4_ADDRESS_STRING_LENGTH","features":[88]},{"name":"IP4_ARRAY","features":[88]},{"name":"IP6_ADDRESS","features":[88]},{"name":"IP6_ADDRESS","features":[88]},{"name":"IP6_ADDRESS_STRING_BUFFER_LENGTH","features":[88]},{"name":"IP6_ADDRESS_STRING_LENGTH","features":[88]},{"name":"MDNS_QUERY_HANDLE","features":[88]},{"name":"MDNS_QUERY_REQUEST","features":[1,88]},{"name":"PDNS_QUERY_COMPLETION_ROUTINE","features":[1,88]},{"name":"PDNS_SERVICE_BROWSE_CALLBACK","features":[1,88]},{"name":"PDNS_SERVICE_REGISTER_COMPLETE","features":[88]},{"name":"PDNS_SERVICE_RESOLVE_COMPLETE","features":[88]},{"name":"PMDNS_QUERY_CALLBACK","features":[1,88]},{"name":"SIZEOF_IP4_ADDRESS","features":[88]},{"name":"TAG_DNS_CONNECTION_POLICY_TAG_CONNECTION_MANAGER","features":[88]},{"name":"TAG_DNS_CONNECTION_POLICY_TAG_DEFAULT","features":[88]},{"name":"TAG_DNS_CONNECTION_POLICY_TAG_WWWPT","features":[88]},{"name":"_DnsRecordOptA","features":[1,88]}],"445":[{"name":"ICW_ALREADYRUN","features":[89]},{"name":"ICW_CHECKSTATUS","features":[89]},{"name":"ICW_FULLPRESENT","features":[89]},{"name":"ICW_FULL_SMARTSTART","features":[89]},{"name":"ICW_LAUNCHEDFULL","features":[89]},{"name":"ICW_LAUNCHEDMANUAL","features":[89]},{"name":"ICW_LAUNCHFULL","features":[89]},{"name":"ICW_LAUNCHMANUAL","features":[89]},{"name":"ICW_MANUALPRESENT","features":[89]},{"name":"ICW_MAX_ACCTNAME","features":[89]},{"name":"ICW_MAX_EMAILADDR","features":[89]},{"name":"ICW_MAX_EMAILNAME","features":[89]},{"name":"ICW_MAX_LOGONNAME","features":[89]},{"name":"ICW_MAX_PASSWORD","features":[89]},{"name":"ICW_MAX_RASNAME","features":[89]},{"name":"ICW_MAX_SERVERNAME","features":[89]},{"name":"ICW_REGKEYCOMPLETED","features":[89]},{"name":"ICW_REGPATHSETTINGS","features":[89]},{"name":"ICW_USEDEFAULTS","features":[89]},{"name":"ICW_USE_SHELLNEXT","features":[89]},{"name":"PFNCHECKCONNECTIONWIZARD","features":[89]},{"name":"PFNSETSHELLNEXT","features":[89]}],"446":[{"name":"ANY_SIZE","features":[90]},{"name":"ARP_SEND_REPLY","features":[90]},{"name":"AddIPAddress","features":[90]},{"name":"BEST_IF","features":[90]},{"name":"BEST_ROUTE","features":[90]},{"name":"BROADCAST_NODETYPE","features":[90]},{"name":"CancelIPChangeNotify","features":[1,90,6]},{"name":"CancelIfTimestampConfigChange","features":[90]},{"name":"CancelMibChangeNotify2","features":[1,90]},{"name":"CaptureInterfaceHardwareCrossTimestamp","features":[90,16]},{"name":"ConvertCompartmentGuidToId","features":[1,90]},{"name":"ConvertCompartmentIdToGuid","features":[1,90]},{"name":"ConvertInterfaceAliasToLuid","features":[1,90,16]},{"name":"ConvertInterfaceGuidToLuid","features":[1,90,16]},{"name":"ConvertInterfaceIndexToLuid","features":[1,90,16]},{"name":"ConvertInterfaceLuidToAlias","features":[1,90,16]},{"name":"ConvertInterfaceLuidToGuid","features":[1,90,16]},{"name":"ConvertInterfaceLuidToIndex","features":[1,90,16]},{"name":"ConvertInterfaceLuidToNameA","features":[1,90,16]},{"name":"ConvertInterfaceLuidToNameW","features":[1,90,16]},{"name":"ConvertInterfaceNameToLuidA","features":[1,90,16]},{"name":"ConvertInterfaceNameToLuidW","features":[1,90,16]},{"name":"ConvertIpv4MaskToLength","features":[1,90]},{"name":"ConvertLengthToIpv4Mask","features":[1,90]},{"name":"CreateAnycastIpAddressEntry","features":[1,90,16,15]},{"name":"CreateIpForwardEntry","features":[90,15]},{"name":"CreateIpForwardEntry2","features":[1,90,16,15]},{"name":"CreateIpNetEntry","features":[90]},{"name":"CreateIpNetEntry2","features":[1,90,16,15]},{"name":"CreatePersistentTcpPortReservation","features":[90]},{"name":"CreatePersistentUdpPortReservation","features":[90]},{"name":"CreateProxyArpEntry","features":[90]},{"name":"CreateSortedAddressPairs","features":[1,90,15]},{"name":"CreateUnicastIpAddressEntry","features":[1,90,16,15]},{"name":"DEFAULT_MINIMUM_ENTITIES","features":[90]},{"name":"DEST_LONGER","features":[90]},{"name":"DEST_MATCHING","features":[90]},{"name":"DEST_SHORTER","features":[90]},{"name":"DNS_DDR_ADAPTER_ENABLE_DOH","features":[90]},{"name":"DNS_DDR_ADAPTER_ENABLE_UDP_FALLBACK","features":[90]},{"name":"DNS_DOH_AUTO_UPGRADE_SERVER","features":[90]},{"name":"DNS_DOH_POLICY_AUTO","features":[90]},{"name":"DNS_DOH_POLICY_DISABLE","features":[90]},{"name":"DNS_DOH_POLICY_NOT_CONFIGURED","features":[90]},{"name":"DNS_DOH_POLICY_REQUIRED","features":[90]},{"name":"DNS_DOH_SERVER_SETTINGS","features":[90]},{"name":"DNS_DOH_SERVER_SETTINGS_ENABLE","features":[90]},{"name":"DNS_DOH_SERVER_SETTINGS_ENABLE_AUTO","features":[90]},{"name":"DNS_DOH_SERVER_SETTINGS_ENABLE_DDR","features":[90]},{"name":"DNS_DOH_SERVER_SETTINGS_FALLBACK_TO_UDP","features":[90]},{"name":"DNS_ENABLE_DDR","features":[90]},{"name":"DNS_ENABLE_DOH","features":[90]},{"name":"DNS_INTERFACE_SETTINGS","features":[90]},{"name":"DNS_INTERFACE_SETTINGS3","features":[90]},{"name":"DNS_INTERFACE_SETTINGS4","features":[90]},{"name":"DNS_INTERFACE_SETTINGS_EX","features":[90]},{"name":"DNS_INTERFACE_SETTINGS_VERSION1","features":[90]},{"name":"DNS_INTERFACE_SETTINGS_VERSION2","features":[90]},{"name":"DNS_INTERFACE_SETTINGS_VERSION3","features":[90]},{"name":"DNS_INTERFACE_SETTINGS_VERSION4","features":[90]},{"name":"DNS_SERVER_PROPERTY","features":[90]},{"name":"DNS_SERVER_PROPERTY_TYPE","features":[90]},{"name":"DNS_SERVER_PROPERTY_TYPES","features":[90]},{"name":"DNS_SERVER_PROPERTY_VERSION1","features":[90]},{"name":"DNS_SETTINGS","features":[90]},{"name":"DNS_SETTINGS2","features":[90]},{"name":"DNS_SETTINGS_ENABLE_LLMNR","features":[90]},{"name":"DNS_SETTINGS_QUERY_ADAPTER_NAME","features":[90]},{"name":"DNS_SETTINGS_VERSION1","features":[90]},{"name":"DNS_SETTINGS_VERSION2","features":[90]},{"name":"DNS_SETTING_DDR","features":[90]},{"name":"DNS_SETTING_DISABLE_UNCONSTRAINED_QUERIES","features":[90]},{"name":"DNS_SETTING_DOH","features":[90]},{"name":"DNS_SETTING_DOH_PROFILE","features":[90]},{"name":"DNS_SETTING_DOMAIN","features":[90]},{"name":"DNS_SETTING_ENCRYPTED_DNS_ADAPTER_FLAGS","features":[90]},{"name":"DNS_SETTING_HOSTNAME","features":[90]},{"name":"DNS_SETTING_IPV6","features":[90]},{"name":"DNS_SETTING_NAMESERVER","features":[90]},{"name":"DNS_SETTING_PROFILE_NAMESERVER","features":[90]},{"name":"DNS_SETTING_REGISTER_ADAPTER_NAME","features":[90]},{"name":"DNS_SETTING_REGISTRATION_ENABLED","features":[90]},{"name":"DNS_SETTING_SEARCHLIST","features":[90]},{"name":"DNS_SETTING_SUPPLEMENTAL_SEARCH_LIST","features":[90]},{"name":"DeleteAnycastIpAddressEntry","features":[1,90,16,15]},{"name":"DeleteIPAddress","features":[90]},{"name":"DeleteIpForwardEntry","features":[90,15]},{"name":"DeleteIpForwardEntry2","features":[1,90,16,15]},{"name":"DeleteIpNetEntry","features":[90]},{"name":"DeleteIpNetEntry2","features":[1,90,16,15]},{"name":"DeletePersistentTcpPortReservation","features":[90]},{"name":"DeletePersistentUdpPortReservation","features":[90]},{"name":"DeleteProxyArpEntry","features":[90]},{"name":"DeleteUnicastIpAddressEntry","features":[1,90,16,15]},{"name":"DisableMediaSense","features":[1,90,6]},{"name":"DnsServerDohProperty","features":[90]},{"name":"DnsServerInvalidProperty","features":[90]},{"name":"ERROR_BASE","features":[90]},{"name":"ERROR_IPV6_NOT_IMPLEMENTED","features":[90]},{"name":"EnableRouter","features":[1,90,6]},{"name":"FD_FLAGS_ALLFLAGS","features":[90]},{"name":"FD_FLAGS_NOSYN","features":[90]},{"name":"FILTER_ICMP_CODE_ANY","features":[90]},{"name":"FILTER_ICMP_TYPE_ANY","features":[90]},{"name":"FIXED_INFO_W2KSP1","features":[90]},{"name":"FlushIpNetTable","features":[90]},{"name":"FlushIpNetTable2","features":[1,90,15]},{"name":"FlushIpPathTable","features":[1,90,15]},{"name":"FreeDnsSettings","features":[90]},{"name":"FreeInterfaceDnsSettings","features":[90]},{"name":"FreeMibTable","features":[90]},{"name":"GAA_FLAG_INCLUDE_ALL_COMPARTMENTS","features":[90]},{"name":"GAA_FLAG_INCLUDE_ALL_INTERFACES","features":[90]},{"name":"GAA_FLAG_INCLUDE_GATEWAYS","features":[90]},{"name":"GAA_FLAG_INCLUDE_PREFIX","features":[90]},{"name":"GAA_FLAG_INCLUDE_TUNNEL_BINDINGORDER","features":[90]},{"name":"GAA_FLAG_INCLUDE_WINS_INFO","features":[90]},{"name":"GAA_FLAG_SKIP_ANYCAST","features":[90]},{"name":"GAA_FLAG_SKIP_DNS_INFO","features":[90]},{"name":"GAA_FLAG_SKIP_DNS_SERVER","features":[90]},{"name":"GAA_FLAG_SKIP_FRIENDLY_NAME","features":[90]},{"name":"GAA_FLAG_SKIP_MULTICAST","features":[90]},{"name":"GAA_FLAG_SKIP_UNICAST","features":[90]},{"name":"GET_ADAPTERS_ADDRESSES_FLAGS","features":[90]},{"name":"GF_FRAGCACHE","features":[90]},{"name":"GF_FRAGMENTS","features":[90]},{"name":"GF_STRONGHOST","features":[90]},{"name":"GLOBAL_FILTER","features":[90]},{"name":"GetAdapterIndex","features":[90]},{"name":"GetAdapterOrderMap","features":[90]},{"name":"GetAdaptersAddresses","features":[90,16,15]},{"name":"GetAdaptersInfo","features":[1,90]},{"name":"GetAnycastIpAddressEntry","features":[1,90,16,15]},{"name":"GetAnycastIpAddressTable","features":[1,90,16,15]},{"name":"GetBestInterface","features":[90]},{"name":"GetBestInterfaceEx","features":[90,15]},{"name":"GetBestRoute","features":[90,15]},{"name":"GetBestRoute2","features":[1,90,16,15]},{"name":"GetCurrentThreadCompartmentId","features":[1,90]},{"name":"GetCurrentThreadCompartmentScope","features":[90]},{"name":"GetDefaultCompartmentId","features":[1,90]},{"name":"GetDnsSettings","features":[1,90]},{"name":"GetExtendedTcpTable","features":[1,90]},{"name":"GetExtendedUdpTable","features":[1,90]},{"name":"GetFriendlyIfIndex","features":[90]},{"name":"GetIcmpStatistics","features":[90]},{"name":"GetIcmpStatisticsEx","features":[90]},{"name":"GetIfEntry","features":[90]},{"name":"GetIfEntry2","features":[1,90,16]},{"name":"GetIfEntry2Ex","features":[1,90,16]},{"name":"GetIfStackTable","features":[1,90]},{"name":"GetIfTable","features":[1,90]},{"name":"GetIfTable2","features":[1,90,16]},{"name":"GetIfTable2Ex","features":[1,90,16]},{"name":"GetInterfaceActiveTimestampCapabilities","features":[1,90,16]},{"name":"GetInterfaceCurrentTimestampCapabilities","features":[1,90,16]},{"name":"GetInterfaceDnsSettings","features":[1,90]},{"name":"GetInterfaceHardwareTimestampCapabilities","features":[1,90,16]},{"name":"GetInterfaceInfo","features":[90]},{"name":"GetInterfaceSupportedTimestampCapabilities","features":[1,90,16]},{"name":"GetInvertedIfStackTable","features":[1,90]},{"name":"GetIpAddrTable","features":[1,90]},{"name":"GetIpErrorString","features":[90]},{"name":"GetIpForwardEntry2","features":[1,90,16,15]},{"name":"GetIpForwardTable","features":[1,90,15]},{"name":"GetIpForwardTable2","features":[1,90,16,15]},{"name":"GetIpInterfaceEntry","features":[1,90,16,15]},{"name":"GetIpInterfaceTable","features":[1,90,16,15]},{"name":"GetIpNetEntry2","features":[1,90,16,15]},{"name":"GetIpNetTable","features":[1,90]},{"name":"GetIpNetTable2","features":[1,90,16,15]},{"name":"GetIpNetworkConnectionBandwidthEstimates","features":[1,90,15]},{"name":"GetIpPathEntry","features":[1,90,16,15]},{"name":"GetIpPathTable","features":[1,90,16,15]},{"name":"GetIpStatistics","features":[90]},{"name":"GetIpStatisticsEx","features":[90]},{"name":"GetJobCompartmentId","features":[1,90]},{"name":"GetMulticastIpAddressEntry","features":[1,90,16,15]},{"name":"GetMulticastIpAddressTable","features":[1,90,16,15]},{"name":"GetNetworkConnectivityHint","features":[1,90,15]},{"name":"GetNetworkConnectivityHintForInterface","features":[1,90,15]},{"name":"GetNetworkInformation","features":[1,90]},{"name":"GetNetworkParams","features":[1,90]},{"name":"GetNumberOfInterfaces","features":[90]},{"name":"GetOwnerModuleFromPidAndInfo","features":[90]},{"name":"GetOwnerModuleFromTcp6Entry","features":[90]},{"name":"GetOwnerModuleFromTcpEntry","features":[90]},{"name":"GetOwnerModuleFromUdp6Entry","features":[90]},{"name":"GetOwnerModuleFromUdpEntry","features":[90]},{"name":"GetPerAdapterInfo","features":[90]},{"name":"GetPerTcp6ConnectionEStats","features":[90,15]},{"name":"GetPerTcpConnectionEStats","features":[90]},{"name":"GetRTTAndHopCount","features":[1,90]},{"name":"GetSessionCompartmentId","features":[1,90]},{"name":"GetTcp6Table","features":[1,90,15]},{"name":"GetTcp6Table2","features":[1,90,15]},{"name":"GetTcpStatistics","features":[90]},{"name":"GetTcpStatisticsEx","features":[90]},{"name":"GetTcpStatisticsEx2","features":[90]},{"name":"GetTcpTable","features":[1,90]},{"name":"GetTcpTable2","features":[1,90]},{"name":"GetTeredoPort","features":[1,90]},{"name":"GetUdp6Table","features":[1,90,15]},{"name":"GetUdpStatistics","features":[90]},{"name":"GetUdpStatisticsEx","features":[90]},{"name":"GetUdpStatisticsEx2","features":[90]},{"name":"GetUdpTable","features":[1,90]},{"name":"GetUniDirectionalAdapterInfo","features":[90]},{"name":"GetUnicastIpAddressEntry","features":[1,90,16,15]},{"name":"GetUnicastIpAddressTable","features":[1,90,16,15]},{"name":"HIFTIMESTAMPCHANGE","features":[90]},{"name":"HYBRID_NODETYPE","features":[90]},{"name":"ICMP4_DST_UNREACH","features":[90]},{"name":"ICMP4_ECHO_REPLY","features":[90]},{"name":"ICMP4_ECHO_REQUEST","features":[90]},{"name":"ICMP4_MASK_REPLY","features":[90]},{"name":"ICMP4_MASK_REQUEST","features":[90]},{"name":"ICMP4_PARAM_PROB","features":[90]},{"name":"ICMP4_REDIRECT","features":[90]},{"name":"ICMP4_ROUTER_ADVERT","features":[90]},{"name":"ICMP4_ROUTER_SOLICIT","features":[90]},{"name":"ICMP4_SOURCE_QUENCH","features":[90]},{"name":"ICMP4_TIMESTAMP_REPLY","features":[90]},{"name":"ICMP4_TIMESTAMP_REQUEST","features":[90]},{"name":"ICMP4_TIME_EXCEEDED","features":[90]},{"name":"ICMP4_TYPE","features":[90]},{"name":"ICMP6_DST_UNREACH","features":[90]},{"name":"ICMP6_ECHO_REPLY","features":[90]},{"name":"ICMP6_ECHO_REQUEST","features":[90]},{"name":"ICMP6_INFOMSG_MASK","features":[90]},{"name":"ICMP6_MEMBERSHIP_QUERY","features":[90]},{"name":"ICMP6_MEMBERSHIP_REDUCTION","features":[90]},{"name":"ICMP6_MEMBERSHIP_REPORT","features":[90]},{"name":"ICMP6_PACKET_TOO_BIG","features":[90]},{"name":"ICMP6_PARAM_PROB","features":[90]},{"name":"ICMP6_TIME_EXCEEDED","features":[90]},{"name":"ICMP6_TYPE","features":[90]},{"name":"ICMP6_V2_MEMBERSHIP_REPORT","features":[90]},{"name":"ICMPV6_ECHO_REPLY_LH","features":[90]},{"name":"ICMP_ECHO_REPLY","features":[90]},{"name":"ICMP_ECHO_REPLY32","features":[90]},{"name":"ICMP_STATS","features":[90]},{"name":"IF_ACCESS_BROADCAST","features":[90]},{"name":"IF_ACCESS_LOOPBACK","features":[90]},{"name":"IF_ACCESS_POINTTOMULTIPOINT","features":[90]},{"name":"IF_ACCESS_POINTTOPOINT","features":[90]},{"name":"IF_ACCESS_POINT_TO_MULTI_POINT","features":[90]},{"name":"IF_ACCESS_POINT_TO_POINT","features":[90]},{"name":"IF_ACCESS_TYPE","features":[90]},{"name":"IF_ADMIN_STATUS_DOWN","features":[90]},{"name":"IF_ADMIN_STATUS_TESTING","features":[90]},{"name":"IF_ADMIN_STATUS_UP","features":[90]},{"name":"IF_CHECK_MCAST","features":[90]},{"name":"IF_CHECK_NONE","features":[90]},{"name":"IF_CHECK_SEND","features":[90]},{"name":"IF_CONNECTION_DEDICATED","features":[90]},{"name":"IF_CONNECTION_DEMAND","features":[90]},{"name":"IF_CONNECTION_PASSIVE","features":[90]},{"name":"IF_NUMBER","features":[90]},{"name":"IF_OPER_STATUS_CONNECTED","features":[90]},{"name":"IF_OPER_STATUS_CONNECTING","features":[90]},{"name":"IF_OPER_STATUS_DISCONNECTED","features":[90]},{"name":"IF_OPER_STATUS_NON_OPERATIONAL","features":[90]},{"name":"IF_OPER_STATUS_OPERATIONAL","features":[90]},{"name":"IF_OPER_STATUS_UNREACHABLE","features":[90]},{"name":"IF_ROW","features":[90]},{"name":"IF_STATUS","features":[90]},{"name":"IF_TABLE","features":[90]},{"name":"IF_TYPE_A12MPPSWITCH","features":[90]},{"name":"IF_TYPE_AAL2","features":[90]},{"name":"IF_TYPE_AAL5","features":[90]},{"name":"IF_TYPE_ADSL","features":[90]},{"name":"IF_TYPE_AFLANE_8023","features":[90]},{"name":"IF_TYPE_AFLANE_8025","features":[90]},{"name":"IF_TYPE_ARAP","features":[90]},{"name":"IF_TYPE_ARCNET","features":[90]},{"name":"IF_TYPE_ARCNET_PLUS","features":[90]},{"name":"IF_TYPE_ASYNC","features":[90]},{"name":"IF_TYPE_ATM","features":[90]},{"name":"IF_TYPE_ATM_DXI","features":[90]},{"name":"IF_TYPE_ATM_FUNI","features":[90]},{"name":"IF_TYPE_ATM_IMA","features":[90]},{"name":"IF_TYPE_ATM_LOGICAL","features":[90]},{"name":"IF_TYPE_ATM_RADIO","features":[90]},{"name":"IF_TYPE_ATM_SUBINTERFACE","features":[90]},{"name":"IF_TYPE_ATM_VCI_ENDPT","features":[90]},{"name":"IF_TYPE_ATM_VIRTUAL","features":[90]},{"name":"IF_TYPE_BASIC_ISDN","features":[90]},{"name":"IF_TYPE_BGP_POLICY_ACCOUNTING","features":[90]},{"name":"IF_TYPE_BSC","features":[90]},{"name":"IF_TYPE_CCTEMUL","features":[90]},{"name":"IF_TYPE_CES","features":[90]},{"name":"IF_TYPE_CHANNEL","features":[90]},{"name":"IF_TYPE_CNR","features":[90]},{"name":"IF_TYPE_COFFEE","features":[90]},{"name":"IF_TYPE_COMPOSITELINK","features":[90]},{"name":"IF_TYPE_DCN","features":[90]},{"name":"IF_TYPE_DDN_X25","features":[90]},{"name":"IF_TYPE_DIGITALPOWERLINE","features":[90]},{"name":"IF_TYPE_DIGITAL_WRAPPER_OVERHEAD_CHANNEL","features":[90]},{"name":"IF_TYPE_DLSW","features":[90]},{"name":"IF_TYPE_DOCSCABLE_DOWNSTREAM","features":[90]},{"name":"IF_TYPE_DOCSCABLE_MACLAYER","features":[90]},{"name":"IF_TYPE_DOCSCABLE_UPSTREAM","features":[90]},{"name":"IF_TYPE_DS0","features":[90]},{"name":"IF_TYPE_DS0_BUNDLE","features":[90]},{"name":"IF_TYPE_DS1","features":[90]},{"name":"IF_TYPE_DS1_FDL","features":[90]},{"name":"IF_TYPE_DS3","features":[90]},{"name":"IF_TYPE_DTM","features":[90]},{"name":"IF_TYPE_DVBRCC_DOWNSTREAM","features":[90]},{"name":"IF_TYPE_DVBRCC_MACLAYER","features":[90]},{"name":"IF_TYPE_DVBRCC_UPSTREAM","features":[90]},{"name":"IF_TYPE_DVB_ASI_IN","features":[90]},{"name":"IF_TYPE_DVB_ASI_OUT","features":[90]},{"name":"IF_TYPE_E1","features":[90]},{"name":"IF_TYPE_EON","features":[90]},{"name":"IF_TYPE_EPLRS","features":[90]},{"name":"IF_TYPE_ESCON","features":[90]},{"name":"IF_TYPE_ETHERNET_3MBIT","features":[90]},{"name":"IF_TYPE_ETHERNET_CSMACD","features":[90]},{"name":"IF_TYPE_FAST","features":[90]},{"name":"IF_TYPE_FASTETHER","features":[90]},{"name":"IF_TYPE_FASTETHER_FX","features":[90]},{"name":"IF_TYPE_FDDI","features":[90]},{"name":"IF_TYPE_FIBRECHANNEL","features":[90]},{"name":"IF_TYPE_FRAMERELAY","features":[90]},{"name":"IF_TYPE_FRAMERELAY_INTERCONNECT","features":[90]},{"name":"IF_TYPE_FRAMERELAY_MPI","features":[90]},{"name":"IF_TYPE_FRAMERELAY_SERVICE","features":[90]},{"name":"IF_TYPE_FRF16_MFR_BUNDLE","features":[90]},{"name":"IF_TYPE_FR_DLCI_ENDPT","features":[90]},{"name":"IF_TYPE_FR_FORWARD","features":[90]},{"name":"IF_TYPE_G703_2MB","features":[90]},{"name":"IF_TYPE_G703_64K","features":[90]},{"name":"IF_TYPE_GIGABITETHERNET","features":[90]},{"name":"IF_TYPE_GR303_IDT","features":[90]},{"name":"IF_TYPE_GR303_RDT","features":[90]},{"name":"IF_TYPE_H323_GATEKEEPER","features":[90]},{"name":"IF_TYPE_H323_PROXY","features":[90]},{"name":"IF_TYPE_HDH_1822","features":[90]},{"name":"IF_TYPE_HDLC","features":[90]},{"name":"IF_TYPE_HDSL2","features":[90]},{"name":"IF_TYPE_HIPERLAN2","features":[90]},{"name":"IF_TYPE_HIPPI","features":[90]},{"name":"IF_TYPE_HIPPIINTERFACE","features":[90]},{"name":"IF_TYPE_HOSTPAD","features":[90]},{"name":"IF_TYPE_HSSI","features":[90]},{"name":"IF_TYPE_HYPERCHANNEL","features":[90]},{"name":"IF_TYPE_IBM370PARCHAN","features":[90]},{"name":"IF_TYPE_IDSL","features":[90]},{"name":"IF_TYPE_IEEE1394","features":[90]},{"name":"IF_TYPE_IEEE80211","features":[90]},{"name":"IF_TYPE_IEEE80212","features":[90]},{"name":"IF_TYPE_IEEE802154","features":[90]},{"name":"IF_TYPE_IEEE80216_WMAN","features":[90]},{"name":"IF_TYPE_IEEE8023AD_LAG","features":[90]},{"name":"IF_TYPE_IF_GSN","features":[90]},{"name":"IF_TYPE_IMT","features":[90]},{"name":"IF_TYPE_INTERLEAVE","features":[90]},{"name":"IF_TYPE_IP","features":[90]},{"name":"IF_TYPE_IPFORWARD","features":[90]},{"name":"IF_TYPE_IPOVER_ATM","features":[90]},{"name":"IF_TYPE_IPOVER_CDLC","features":[90]},{"name":"IF_TYPE_IPOVER_CLAW","features":[90]},{"name":"IF_TYPE_IPSWITCH","features":[90]},{"name":"IF_TYPE_IS088023_CSMACD","features":[90]},{"name":"IF_TYPE_ISDN","features":[90]},{"name":"IF_TYPE_ISDN_S","features":[90]},{"name":"IF_TYPE_ISDN_U","features":[90]},{"name":"IF_TYPE_ISO88022_LLC","features":[90]},{"name":"IF_TYPE_ISO88024_TOKENBUS","features":[90]},{"name":"IF_TYPE_ISO88025R_DTR","features":[90]},{"name":"IF_TYPE_ISO88025_CRFPRINT","features":[90]},{"name":"IF_TYPE_ISO88025_FIBER","features":[90]},{"name":"IF_TYPE_ISO88025_TOKENRING","features":[90]},{"name":"IF_TYPE_ISO88026_MAN","features":[90]},{"name":"IF_TYPE_ISUP","features":[90]},{"name":"IF_TYPE_L2_VLAN","features":[90]},{"name":"IF_TYPE_L3_IPVLAN","features":[90]},{"name":"IF_TYPE_L3_IPXVLAN","features":[90]},{"name":"IF_TYPE_LAP_B","features":[90]},{"name":"IF_TYPE_LAP_D","features":[90]},{"name":"IF_TYPE_LAP_F","features":[90]},{"name":"IF_TYPE_LOCALTALK","features":[90]},{"name":"IF_TYPE_MEDIAMAILOVERIP","features":[90]},{"name":"IF_TYPE_MF_SIGLINK","features":[90]},{"name":"IF_TYPE_MIO_X25","features":[90]},{"name":"IF_TYPE_MODEM","features":[90]},{"name":"IF_TYPE_MPC","features":[90]},{"name":"IF_TYPE_MPLS","features":[90]},{"name":"IF_TYPE_MPLS_TUNNEL","features":[90]},{"name":"IF_TYPE_MSDSL","features":[90]},{"name":"IF_TYPE_MVL","features":[90]},{"name":"IF_TYPE_MYRINET","features":[90]},{"name":"IF_TYPE_NFAS","features":[90]},{"name":"IF_TYPE_NSIP","features":[90]},{"name":"IF_TYPE_OPTICAL_CHANNEL","features":[90]},{"name":"IF_TYPE_OPTICAL_TRANSPORT","features":[90]},{"name":"IF_TYPE_OTHER","features":[90]},{"name":"IF_TYPE_PARA","features":[90]},{"name":"IF_TYPE_PLC","features":[90]},{"name":"IF_TYPE_POS","features":[90]},{"name":"IF_TYPE_PPP","features":[90]},{"name":"IF_TYPE_PPPMULTILINKBUNDLE","features":[90]},{"name":"IF_TYPE_PRIMARY_ISDN","features":[90]},{"name":"IF_TYPE_PROP_BWA_P2MP","features":[90]},{"name":"IF_TYPE_PROP_CNLS","features":[90]},{"name":"IF_TYPE_PROP_DOCS_WIRELESS_DOWNSTREAM","features":[90]},{"name":"IF_TYPE_PROP_DOCS_WIRELESS_MACLAYER","features":[90]},{"name":"IF_TYPE_PROP_DOCS_WIRELESS_UPSTREAM","features":[90]},{"name":"IF_TYPE_PROP_MULTIPLEXOR","features":[90]},{"name":"IF_TYPE_PROP_POINT2POINT_SERIAL","features":[90]},{"name":"IF_TYPE_PROP_VIRTUAL","features":[90]},{"name":"IF_TYPE_PROP_WIRELESS_P2P","features":[90]},{"name":"IF_TYPE_PROTEON_10MBIT","features":[90]},{"name":"IF_TYPE_PROTEON_80MBIT","features":[90]},{"name":"IF_TYPE_QLLC","features":[90]},{"name":"IF_TYPE_RADIO_MAC","features":[90]},{"name":"IF_TYPE_RADSL","features":[90]},{"name":"IF_TYPE_REACH_DSL","features":[90]},{"name":"IF_TYPE_REGULAR_1822","features":[90]},{"name":"IF_TYPE_RFC1483","features":[90]},{"name":"IF_TYPE_RFC877_X25","features":[90]},{"name":"IF_TYPE_RS232","features":[90]},{"name":"IF_TYPE_RSRB","features":[90]},{"name":"IF_TYPE_SDLC","features":[90]},{"name":"IF_TYPE_SDSL","features":[90]},{"name":"IF_TYPE_SHDSL","features":[90]},{"name":"IF_TYPE_SIP","features":[90]},{"name":"IF_TYPE_SLIP","features":[90]},{"name":"IF_TYPE_SMDS_DXI","features":[90]},{"name":"IF_TYPE_SMDS_ICIP","features":[90]},{"name":"IF_TYPE_SOFTWARE_LOOPBACK","features":[90]},{"name":"IF_TYPE_SONET","features":[90]},{"name":"IF_TYPE_SONET_OVERHEAD_CHANNEL","features":[90]},{"name":"IF_TYPE_SONET_PATH","features":[90]},{"name":"IF_TYPE_SONET_VT","features":[90]},{"name":"IF_TYPE_SRP","features":[90]},{"name":"IF_TYPE_SS7_SIGLINK","features":[90]},{"name":"IF_TYPE_STACKTOSTACK","features":[90]},{"name":"IF_TYPE_STARLAN","features":[90]},{"name":"IF_TYPE_TDLC","features":[90]},{"name":"IF_TYPE_TERMPAD","features":[90]},{"name":"IF_TYPE_TR008","features":[90]},{"name":"IF_TYPE_TRANSPHDLC","features":[90]},{"name":"IF_TYPE_TUNNEL","features":[90]},{"name":"IF_TYPE_ULTRA","features":[90]},{"name":"IF_TYPE_USB","features":[90]},{"name":"IF_TYPE_V11","features":[90]},{"name":"IF_TYPE_V35","features":[90]},{"name":"IF_TYPE_V36","features":[90]},{"name":"IF_TYPE_V37","features":[90]},{"name":"IF_TYPE_VDSL","features":[90]},{"name":"IF_TYPE_VIRTUALIPADDRESS","features":[90]},{"name":"IF_TYPE_VOICEOVERATM","features":[90]},{"name":"IF_TYPE_VOICEOVERFRAMERELAY","features":[90]},{"name":"IF_TYPE_VOICE_EM","features":[90]},{"name":"IF_TYPE_VOICE_ENCAP","features":[90]},{"name":"IF_TYPE_VOICE_FXO","features":[90]},{"name":"IF_TYPE_VOICE_FXS","features":[90]},{"name":"IF_TYPE_VOICE_OVERIP","features":[90]},{"name":"IF_TYPE_WWANPP","features":[90]},{"name":"IF_TYPE_WWANPP2","features":[90]},{"name":"IF_TYPE_X213","features":[90]},{"name":"IF_TYPE_X25_HUNTGROUP","features":[90]},{"name":"IF_TYPE_X25_MLP","features":[90]},{"name":"IF_TYPE_X25_PLE","features":[90]},{"name":"IF_TYPE_XBOX_WIRELESS","features":[90]},{"name":"INTERFACE_HARDWARE_CROSSTIMESTAMP","features":[90]},{"name":"INTERFACE_HARDWARE_CROSSTIMESTAMP_VERSION_1","features":[90]},{"name":"INTERFACE_HARDWARE_TIMESTAMP_CAPABILITIES","features":[1,90]},{"name":"INTERFACE_SOFTWARE_TIMESTAMP_CAPABILITIES","features":[1,90]},{"name":"INTERFACE_TIMESTAMP_CAPABILITIES","features":[1,90]},{"name":"INTERFACE_TIMESTAMP_CAPABILITIES_VERSION_1","features":[90]},{"name":"INTERNAL_IF_OPER_STATUS","features":[90]},{"name":"IOCTL_ARP_SEND_REQUEST","features":[90]},{"name":"IOCTL_IP_ADDCHANGE_NOTIFY_REQUEST","features":[90]},{"name":"IOCTL_IP_GET_BEST_INTERFACE","features":[90]},{"name":"IOCTL_IP_INTERFACE_INFO","features":[90]},{"name":"IOCTL_IP_RTCHANGE_NOTIFY_REQUEST","features":[90]},{"name":"IOCTL_IP_UNIDIRECTIONAL_ADAPTER_ADDRESS","features":[90]},{"name":"IP6_STATS","features":[90]},{"name":"IPRTRMGR_PID","features":[90]},{"name":"IPV6_ADDRESS_EX","features":[90]},{"name":"IPV6_GLOBAL_INFO","features":[90]},{"name":"IPV6_ROUTE_INFO","features":[90]},{"name":"IP_ADAPTER_ADDRESSES_LH","features":[90,16,15]},{"name":"IP_ADAPTER_ADDRESSES_XP","features":[90,16,15]},{"name":"IP_ADAPTER_ADDRESS_DNS_ELIGIBLE","features":[90]},{"name":"IP_ADAPTER_ADDRESS_TRANSIENT","features":[90]},{"name":"IP_ADAPTER_ANYCAST_ADDRESS_XP","features":[90,15]},{"name":"IP_ADAPTER_DDNS_ENABLED","features":[90]},{"name":"IP_ADAPTER_DHCP_ENABLED","features":[90]},{"name":"IP_ADAPTER_DNS_SERVER_ADDRESS_XP","features":[90,15]},{"name":"IP_ADAPTER_DNS_SUFFIX","features":[90]},{"name":"IP_ADAPTER_GATEWAY_ADDRESS_LH","features":[90,15]},{"name":"IP_ADAPTER_INDEX_MAP","features":[90]},{"name":"IP_ADAPTER_INFO","features":[1,90]},{"name":"IP_ADAPTER_IPV4_ENABLED","features":[90]},{"name":"IP_ADAPTER_IPV6_ENABLED","features":[90]},{"name":"IP_ADAPTER_IPV6_MANAGE_ADDRESS_CONFIG","features":[90]},{"name":"IP_ADAPTER_IPV6_OTHER_STATEFUL_CONFIG","features":[90]},{"name":"IP_ADAPTER_MULTICAST_ADDRESS_XP","features":[90,15]},{"name":"IP_ADAPTER_NETBIOS_OVER_TCPIP_ENABLED","features":[90]},{"name":"IP_ADAPTER_NO_MULTICAST","features":[90]},{"name":"IP_ADAPTER_ORDER_MAP","features":[90]},{"name":"IP_ADAPTER_PREFIX_XP","features":[90,15]},{"name":"IP_ADAPTER_RECEIVE_ONLY","features":[90]},{"name":"IP_ADAPTER_REGISTER_ADAPTER_SUFFIX","features":[90]},{"name":"IP_ADAPTER_UNICAST_ADDRESS_LH","features":[90,15]},{"name":"IP_ADAPTER_UNICAST_ADDRESS_XP","features":[90,15]},{"name":"IP_ADAPTER_WINS_SERVER_ADDRESS_LH","features":[90,15]},{"name":"IP_ADDRESS_PREFIX","features":[90,15]},{"name":"IP_ADDRESS_STRING","features":[90]},{"name":"IP_ADDRROW","features":[90]},{"name":"IP_ADDRTABLE","features":[90]},{"name":"IP_ADDR_ADDED","features":[90]},{"name":"IP_ADDR_DELETED","features":[90]},{"name":"IP_ADDR_STRING","features":[90]},{"name":"IP_BAD_DESTINATION","features":[90]},{"name":"IP_BAD_HEADER","features":[90]},{"name":"IP_BAD_OPTION","features":[90]},{"name":"IP_BAD_REQ","features":[90]},{"name":"IP_BAD_ROUTE","features":[90]},{"name":"IP_BIND_ADAPTER","features":[90]},{"name":"IP_BUF_TOO_SMALL","features":[90]},{"name":"IP_DEMAND_DIAL_FILTER_INFO","features":[90]},{"name":"IP_DEMAND_DIAL_FILTER_INFO_V6","features":[90]},{"name":"IP_DEST_ADDR_UNREACHABLE","features":[90]},{"name":"IP_DEST_HOST_UNREACHABLE","features":[90]},{"name":"IP_DEST_NET_UNREACHABLE","features":[90]},{"name":"IP_DEST_NO_ROUTE","features":[90]},{"name":"IP_DEST_PORT_UNREACHABLE","features":[90]},{"name":"IP_DEST_PROHIBITED","features":[90]},{"name":"IP_DEST_PROT_UNREACHABLE","features":[90]},{"name":"IP_DEST_SCOPE_MISMATCH","features":[90]},{"name":"IP_DEST_UNREACHABLE","features":[90]},{"name":"IP_DEVICE_DOES_NOT_EXIST","features":[90]},{"name":"IP_DUPLICATE_ADDRESS","features":[90]},{"name":"IP_DUPLICATE_IPADD","features":[90]},{"name":"IP_EXPORT_INCLUDED","features":[90]},{"name":"IP_FILTER_ENABLE_INFO","features":[90]},{"name":"IP_FILTER_ENABLE_INFO_V6","features":[90]},{"name":"IP_FLAG_DF","features":[90]},{"name":"IP_FLAG_REVERSE","features":[90]},{"name":"IP_FORWARDNUMBER","features":[90]},{"name":"IP_FORWARDROW","features":[90]},{"name":"IP_FORWARDTABLE","features":[90]},{"name":"IP_GENERAL_FAILURE","features":[90]},{"name":"IP_GENERAL_INFO_BASE","features":[90]},{"name":"IP_GLOBAL_INFO","features":[90]},{"name":"IP_HOP_LIMIT_EXCEEDED","features":[90]},{"name":"IP_HW_ERROR","features":[90]},{"name":"IP_ICMP_ERROR","features":[90]},{"name":"IP_IFFILTER_INFO","features":[90]},{"name":"IP_IFFILTER_INFO_V6","features":[90]},{"name":"IP_INTERFACE_INFO","features":[90]},{"name":"IP_INTERFACE_METRIC_CHANGE","features":[90]},{"name":"IP_INTERFACE_NAME_INFO_W2KSP1","features":[90]},{"name":"IP_INTERFACE_STATUS_INFO","features":[90]},{"name":"IP_INTERFACE_WOL_CAPABILITY_CHANGE","features":[90]},{"name":"IP_IN_FILTER_INFO","features":[90]},{"name":"IP_IN_FILTER_INFO_V6","features":[90]},{"name":"IP_IPINIP_CFG_INFO","features":[90]},{"name":"IP_MCAST_BOUNDARY_INFO","features":[90]},{"name":"IP_MCAST_COUNTER_INFO","features":[90]},{"name":"IP_MCAST_HEARBEAT_INFO","features":[90]},{"name":"IP_MCAST_LIMIT_INFO","features":[90]},{"name":"IP_MEDIA_CONNECT","features":[90]},{"name":"IP_MEDIA_DISCONNECT","features":[90]},{"name":"IP_MTU_CHANGE","features":[90]},{"name":"IP_NEGOTIATING_IPSEC","features":[90]},{"name":"IP_NETROW","features":[90]},{"name":"IP_NETTABLE","features":[90]},{"name":"IP_NO_RESOURCES","features":[90]},{"name":"IP_OPTION_INFORMATION","features":[90]},{"name":"IP_OPTION_INFORMATION32","features":[90]},{"name":"IP_OPTION_TOO_BIG","features":[90]},{"name":"IP_OUT_FILTER_INFO","features":[90]},{"name":"IP_OUT_FILTER_INFO_V6","features":[90]},{"name":"IP_PACKET_TOO_BIG","features":[90]},{"name":"IP_PARAMETER_PROBLEM","features":[90]},{"name":"IP_PARAM_PROBLEM","features":[90]},{"name":"IP_PENDING","features":[90]},{"name":"IP_PER_ADAPTER_INFO_W2KSP1","features":[90]},{"name":"IP_PROT_PRIORITY_INFO","features":[90]},{"name":"IP_PROT_PRIORITY_INFO_EX","features":[90]},{"name":"IP_REASSEMBLY_TIME_EXCEEDED","features":[90]},{"name":"IP_RECONFIG_SECFLTR","features":[90]},{"name":"IP_REQ_TIMED_OUT","features":[90]},{"name":"IP_ROUTER_DISC_INFO","features":[90]},{"name":"IP_ROUTER_MANAGER_VERSION","features":[90]},{"name":"IP_ROUTE_INFO","features":[90]},{"name":"IP_SOURCE_QUENCH","features":[90]},{"name":"IP_SPEC_MTU_CHANGE","features":[90]},{"name":"IP_STATS","features":[90]},{"name":"IP_STATUS_BASE","features":[90]},{"name":"IP_SUCCESS","features":[90]},{"name":"IP_TIME_EXCEEDED","features":[90]},{"name":"IP_TTL_EXPIRED_REASSEM","features":[90]},{"name":"IP_TTL_EXPIRED_TRANSIT","features":[90]},{"name":"IP_UNBIND_ADAPTER","features":[90]},{"name":"IP_UNIDIRECTIONAL_ADAPTER_ADDRESS","features":[90]},{"name":"IP_UNLOAD","features":[90]},{"name":"IP_UNRECOGNIZED_NEXT_HEADER","features":[90]},{"name":"Icmp6CreateFile","features":[1,90]},{"name":"Icmp6ParseReplies","features":[90]},{"name":"Icmp6SendEcho2","features":[1,90,15,6]},{"name":"IcmpCloseHandle","features":[1,90]},{"name":"IcmpCreateFile","features":[1,90]},{"name":"IcmpParseReplies","features":[90]},{"name":"IcmpSendEcho","features":[1,90]},{"name":"IcmpSendEcho2","features":[1,90,6]},{"name":"IcmpSendEcho2Ex","features":[1,90,6]},{"name":"InitializeIpForwardEntry","features":[1,90,16,15]},{"name":"InitializeIpInterfaceEntry","features":[1,90,16,15]},{"name":"InitializeUnicastIpAddressEntry","features":[1,90,16,15]},{"name":"IpReleaseAddress","features":[90]},{"name":"IpRenewAddress","features":[90]},{"name":"LB_DST_ADDR_USE_DSTADDR_FLAG","features":[90]},{"name":"LB_DST_ADDR_USE_SRCADDR_FLAG","features":[90]},{"name":"LB_DST_MASK_LATE_FLAG","features":[90]},{"name":"LB_SRC_ADDR_USE_DSTADDR_FLAG","features":[90]},{"name":"LB_SRC_ADDR_USE_SRCADDR_FLAG","features":[90]},{"name":"LB_SRC_MASK_LATE_FLAG","features":[90]},{"name":"LookupPersistentTcpPortReservation","features":[90]},{"name":"LookupPersistentUdpPortReservation","features":[90]},{"name":"MAXLEN_IFDESCR","features":[90]},{"name":"MAXLEN_PHYSADDR","features":[90]},{"name":"MAX_ADAPTER_ADDRESS_LENGTH","features":[90]},{"name":"MAX_ADAPTER_DESCRIPTION_LENGTH","features":[90]},{"name":"MAX_ADAPTER_NAME","features":[90]},{"name":"MAX_ADAPTER_NAME_LENGTH","features":[90]},{"name":"MAX_DHCPV6_DUID_LENGTH","features":[90]},{"name":"MAX_DNS_SUFFIX_STRING_LENGTH","features":[90]},{"name":"MAX_DOMAIN_NAME_LEN","features":[90]},{"name":"MAX_HOSTNAME_LEN","features":[90]},{"name":"MAX_IF_TYPE","features":[90]},{"name":"MAX_INTERFACE_NAME_LEN","features":[90]},{"name":"MAX_IP_STATUS","features":[90]},{"name":"MAX_MIB_OFFSET","features":[90]},{"name":"MAX_OPT_SIZE","features":[90]},{"name":"MAX_SCOPE_ID_LEN","features":[90]},{"name":"MAX_SCOPE_NAME_LEN","features":[90]},{"name":"MCAST_BOUNDARY","features":[90]},{"name":"MCAST_GLOBAL","features":[90]},{"name":"MCAST_IF_ENTRY","features":[90]},{"name":"MCAST_MFE","features":[90]},{"name":"MCAST_MFE_STATS","features":[90]},{"name":"MCAST_MFE_STATS_EX","features":[90]},{"name":"MCAST_SCOPE","features":[90]},{"name":"MIBICMPINFO","features":[90]},{"name":"MIBICMPSTATS","features":[90]},{"name":"MIBICMPSTATS_EX_XPSP1","features":[90]},{"name":"MIB_ANYCASTIPADDRESS_ROW","features":[90,16,15]},{"name":"MIB_ANYCASTIPADDRESS_TABLE","features":[90,16,15]},{"name":"MIB_BEST_IF","features":[90]},{"name":"MIB_BOUNDARYROW","features":[90]},{"name":"MIB_ICMP","features":[90]},{"name":"MIB_ICMP_EX_XPSP1","features":[90]},{"name":"MIB_IFNUMBER","features":[90]},{"name":"MIB_IFROW","features":[90]},{"name":"MIB_IFSTACK_ROW","features":[90]},{"name":"MIB_IFSTACK_TABLE","features":[90]},{"name":"MIB_IFSTATUS","features":[1,90]},{"name":"MIB_IFTABLE","features":[90]},{"name":"MIB_IF_ADMIN_STATUS_DOWN","features":[90]},{"name":"MIB_IF_ADMIN_STATUS_TESTING","features":[90]},{"name":"MIB_IF_ADMIN_STATUS_UP","features":[90]},{"name":"MIB_IF_ENTRY_LEVEL","features":[90]},{"name":"MIB_IF_ROW2","features":[90,16]},{"name":"MIB_IF_TABLE2","features":[90,16]},{"name":"MIB_IF_TABLE_LEVEL","features":[90]},{"name":"MIB_IF_TYPE_ETHERNET","features":[90]},{"name":"MIB_IF_TYPE_FDDI","features":[90]},{"name":"MIB_IF_TYPE_LOOPBACK","features":[90]},{"name":"MIB_IF_TYPE_OTHER","features":[90]},{"name":"MIB_IF_TYPE_PPP","features":[90]},{"name":"MIB_IF_TYPE_SLIP","features":[90]},{"name":"MIB_IF_TYPE_TOKENRING","features":[90]},{"name":"MIB_INVALID_TEREDO_PORT_NUMBER","features":[90]},{"name":"MIB_INVERTEDIFSTACK_ROW","features":[90]},{"name":"MIB_INVERTEDIFSTACK_TABLE","features":[90]},{"name":"MIB_IPADDRROW_W2K","features":[90]},{"name":"MIB_IPADDRROW_XP","features":[90]},{"name":"MIB_IPADDRTABLE","features":[90]},{"name":"MIB_IPADDR_DELETED","features":[90]},{"name":"MIB_IPADDR_DISCONNECTED","features":[90]},{"name":"MIB_IPADDR_DNS_ELIGIBLE","features":[90]},{"name":"MIB_IPADDR_DYNAMIC","features":[90]},{"name":"MIB_IPADDR_PRIMARY","features":[90]},{"name":"MIB_IPADDR_TRANSIENT","features":[90]},{"name":"MIB_IPDESTROW","features":[90,15]},{"name":"MIB_IPDESTTABLE","features":[90,15]},{"name":"MIB_IPFORWARDNUMBER","features":[90]},{"name":"MIB_IPFORWARDROW","features":[90,15]},{"name":"MIB_IPFORWARDTABLE","features":[90,15]},{"name":"MIB_IPFORWARD_ROW2","features":[1,90,16,15]},{"name":"MIB_IPFORWARD_TABLE2","features":[1,90,16,15]},{"name":"MIB_IPFORWARD_TYPE","features":[90]},{"name":"MIB_IPINTERFACE_ROW","features":[1,90,16,15]},{"name":"MIB_IPINTERFACE_TABLE","features":[1,90,16,15]},{"name":"MIB_IPMCAST_BOUNDARY","features":[90]},{"name":"MIB_IPMCAST_BOUNDARY_TABLE","features":[90]},{"name":"MIB_IPMCAST_GLOBAL","features":[90]},{"name":"MIB_IPMCAST_IF_ENTRY","features":[90]},{"name":"MIB_IPMCAST_IF_TABLE","features":[90]},{"name":"MIB_IPMCAST_MFE","features":[90]},{"name":"MIB_IPMCAST_MFE_STATS","features":[90]},{"name":"MIB_IPMCAST_MFE_STATS_EX_XP","features":[90]},{"name":"MIB_IPMCAST_OIF_STATS_LH","features":[90]},{"name":"MIB_IPMCAST_OIF_STATS_W2K","features":[90]},{"name":"MIB_IPMCAST_OIF_W2K","features":[90]},{"name":"MIB_IPMCAST_OIF_XP","features":[90]},{"name":"MIB_IPMCAST_SCOPE","features":[90]},{"name":"MIB_IPNETROW_LH","features":[90]},{"name":"MIB_IPNETROW_W2K","features":[90]},{"name":"MIB_IPNETTABLE","features":[90]},{"name":"MIB_IPNET_ROW2","features":[90,16,15]},{"name":"MIB_IPNET_TABLE2","features":[90,16,15]},{"name":"MIB_IPNET_TYPE","features":[90]},{"name":"MIB_IPNET_TYPE_DYNAMIC","features":[90]},{"name":"MIB_IPNET_TYPE_INVALID","features":[90]},{"name":"MIB_IPNET_TYPE_OTHER","features":[90]},{"name":"MIB_IPNET_TYPE_STATIC","features":[90]},{"name":"MIB_IPPATH_ROW","features":[1,90,16,15]},{"name":"MIB_IPPATH_TABLE","features":[1,90,16,15]},{"name":"MIB_IPROUTE_METRIC_UNUSED","features":[90]},{"name":"MIB_IPROUTE_TYPE_DIRECT","features":[90]},{"name":"MIB_IPROUTE_TYPE_INDIRECT","features":[90]},{"name":"MIB_IPROUTE_TYPE_INVALID","features":[90]},{"name":"MIB_IPROUTE_TYPE_OTHER","features":[90]},{"name":"MIB_IPSTATS_FORWARDING","features":[90]},{"name":"MIB_IPSTATS_LH","features":[90]},{"name":"MIB_IPSTATS_W2K","features":[90]},{"name":"MIB_IP_FORWARDING","features":[90]},{"name":"MIB_IP_NETWORK_CONNECTION_BANDWIDTH_ESTIMATES","features":[1,90,15]},{"name":"MIB_IP_NOT_FORWARDING","features":[90]},{"name":"MIB_MCAST_LIMIT_ROW","features":[90]},{"name":"MIB_MFE_STATS_TABLE","features":[90]},{"name":"MIB_MFE_STATS_TABLE_EX_XP","features":[90]},{"name":"MIB_MFE_TABLE","features":[90]},{"name":"MIB_MULTICASTIPADDRESS_ROW","features":[90,16,15]},{"name":"MIB_MULTICASTIPADDRESS_TABLE","features":[90,16,15]},{"name":"MIB_NOTIFICATION_TYPE","features":[90]},{"name":"MIB_OPAQUE_INFO","features":[90]},{"name":"MIB_OPAQUE_QUERY","features":[90]},{"name":"MIB_PROXYARP","features":[90]},{"name":"MIB_ROUTESTATE","features":[1,90]},{"name":"MIB_TCP6ROW","features":[90,15]},{"name":"MIB_TCP6ROW2","features":[90,15]},{"name":"MIB_TCP6ROW_OWNER_MODULE","features":[90]},{"name":"MIB_TCP6ROW_OWNER_PID","features":[90]},{"name":"MIB_TCP6TABLE","features":[90,15]},{"name":"MIB_TCP6TABLE2","features":[90,15]},{"name":"MIB_TCP6TABLE_OWNER_MODULE","features":[90]},{"name":"MIB_TCP6TABLE_OWNER_PID","features":[90]},{"name":"MIB_TCPROW2","features":[90]},{"name":"MIB_TCPROW_LH","features":[90]},{"name":"MIB_TCPROW_OWNER_MODULE","features":[90]},{"name":"MIB_TCPROW_OWNER_PID","features":[90]},{"name":"MIB_TCPROW_W2K","features":[90]},{"name":"MIB_TCPSTATS2","features":[90]},{"name":"MIB_TCPSTATS_LH","features":[90]},{"name":"MIB_TCPSTATS_W2K","features":[90]},{"name":"MIB_TCPTABLE","features":[90]},{"name":"MIB_TCPTABLE2","features":[90]},{"name":"MIB_TCPTABLE_OWNER_MODULE","features":[90]},{"name":"MIB_TCPTABLE_OWNER_PID","features":[90]},{"name":"MIB_TCP_RTO_CONSTANT","features":[90]},{"name":"MIB_TCP_RTO_OTHER","features":[90]},{"name":"MIB_TCP_RTO_RSRE","features":[90]},{"name":"MIB_TCP_RTO_VANJ","features":[90]},{"name":"MIB_TCP_STATE","features":[90]},{"name":"MIB_TCP_STATE_CLOSED","features":[90]},{"name":"MIB_TCP_STATE_CLOSE_WAIT","features":[90]},{"name":"MIB_TCP_STATE_CLOSING","features":[90]},{"name":"MIB_TCP_STATE_DELETE_TCB","features":[90]},{"name":"MIB_TCP_STATE_ESTAB","features":[90]},{"name":"MIB_TCP_STATE_FIN_WAIT1","features":[90]},{"name":"MIB_TCP_STATE_FIN_WAIT2","features":[90]},{"name":"MIB_TCP_STATE_LAST_ACK","features":[90]},{"name":"MIB_TCP_STATE_LISTEN","features":[90]},{"name":"MIB_TCP_STATE_RESERVED","features":[90]},{"name":"MIB_TCP_STATE_SYN_RCVD","features":[90]},{"name":"MIB_TCP_STATE_SYN_SENT","features":[90]},{"name":"MIB_TCP_STATE_TIME_WAIT","features":[90]},{"name":"MIB_UDP6ROW","features":[90,15]},{"name":"MIB_UDP6ROW2","features":[90]},{"name":"MIB_UDP6ROW_OWNER_MODULE","features":[90]},{"name":"MIB_UDP6ROW_OWNER_PID","features":[90]},{"name":"MIB_UDP6TABLE","features":[90,15]},{"name":"MIB_UDP6TABLE2","features":[90]},{"name":"MIB_UDP6TABLE_OWNER_MODULE","features":[90]},{"name":"MIB_UDP6TABLE_OWNER_PID","features":[90]},{"name":"MIB_UDPROW","features":[90]},{"name":"MIB_UDPROW2","features":[90]},{"name":"MIB_UDPROW_OWNER_MODULE","features":[90]},{"name":"MIB_UDPROW_OWNER_PID","features":[90]},{"name":"MIB_UDPSTATS","features":[90]},{"name":"MIB_UDPSTATS2","features":[90]},{"name":"MIB_UDPTABLE","features":[90]},{"name":"MIB_UDPTABLE2","features":[90]},{"name":"MIB_UDPTABLE_OWNER_MODULE","features":[90]},{"name":"MIB_UDPTABLE_OWNER_PID","features":[90]},{"name":"MIB_UNICASTIPADDRESS_ROW","features":[1,90,16,15]},{"name":"MIB_UNICASTIPADDRESS_TABLE","features":[1,90,16,15]},{"name":"MIB_USE_CURRENT_FORWARDING","features":[90]},{"name":"MIB_USE_CURRENT_TTL","features":[90]},{"name":"MIN_IF_TYPE","features":[90]},{"name":"MIXED_NODETYPE","features":[90]},{"name":"MibAddInstance","features":[90]},{"name":"MibDeleteInstance","features":[90]},{"name":"MibIfEntryNormal","features":[90]},{"name":"MibIfEntryNormalWithoutStatistics","features":[90]},{"name":"MibIfTableNormal","features":[90]},{"name":"MibIfTableNormalWithoutStatistics","features":[90]},{"name":"MibIfTableRaw","features":[90]},{"name":"MibInitialNotification","features":[90]},{"name":"MibParameterNotification","features":[90]},{"name":"ND_NEIGHBOR_ADVERT","features":[90]},{"name":"ND_NEIGHBOR_SOLICIT","features":[90]},{"name":"ND_REDIRECT","features":[90]},{"name":"ND_ROUTER_ADVERT","features":[90]},{"name":"ND_ROUTER_SOLICIT","features":[90]},{"name":"NET_ADDRESS_DNS_NAME","features":[90]},{"name":"NET_ADDRESS_FORMAT","features":[90]},{"name":"NET_ADDRESS_FORMAT_UNSPECIFIED","features":[90]},{"name":"NET_ADDRESS_INFO","features":[90,15]},{"name":"NET_ADDRESS_IPV4","features":[90]},{"name":"NET_ADDRESS_IPV6","features":[90]},{"name":"NET_STRING_IPV4_ADDRESS","features":[90]},{"name":"NET_STRING_IPV4_NETWORK","features":[90]},{"name":"NET_STRING_IPV4_SERVICE","features":[90]},{"name":"NET_STRING_IPV6_ADDRESS","features":[90]},{"name":"NET_STRING_IPV6_ADDRESS_NO_SCOPE","features":[90]},{"name":"NET_STRING_IPV6_NETWORK","features":[90]},{"name":"NET_STRING_IPV6_SERVICE","features":[90]},{"name":"NET_STRING_IPV6_SERVICE_NO_SCOPE","features":[90]},{"name":"NET_STRING_NAMED_ADDRESS","features":[90]},{"name":"NET_STRING_NAMED_SERVICE","features":[90]},{"name":"NUMBER_OF_EXPORTED_VARIABLES","features":[90]},{"name":"NhpAllocateAndGetInterfaceInfoFromStack","features":[1,90]},{"name":"NotifyAddrChange","features":[1,90,6]},{"name":"NotifyIfTimestampConfigChange","features":[90]},{"name":"NotifyIpInterfaceChange","features":[1,90,16,15]},{"name":"NotifyNetworkConnectivityHintChange","features":[1,90,15]},{"name":"NotifyRouteChange","features":[1,90,6]},{"name":"NotifyRouteChange2","features":[1,90,16,15]},{"name":"NotifyStableUnicastIpAddressTable","features":[1,90,16,15]},{"name":"NotifyTeredoPortChange","features":[1,90]},{"name":"NotifyUnicastIpAddressChange","features":[1,90,16,15]},{"name":"PEER_TO_PEER_NODETYPE","features":[90]},{"name":"PFADDRESSTYPE","features":[90]},{"name":"PFERROR_BUFFER_TOO_SMALL","features":[90]},{"name":"PFERROR_NO_FILTERS_GIVEN","features":[90]},{"name":"PFERROR_NO_PF_INTERFACE","features":[90]},{"name":"PFFORWARD_ACTION","features":[90]},{"name":"PFFRAMETYPE","features":[90]},{"name":"PFFT_FILTER","features":[90]},{"name":"PFFT_FRAG","features":[90]},{"name":"PFFT_SPOOF","features":[90]},{"name":"PFLOGFRAME","features":[90]},{"name":"PF_ACTION_DROP","features":[90]},{"name":"PF_ACTION_FORWARD","features":[90]},{"name":"PF_FILTER_DESCRIPTOR","features":[90]},{"name":"PF_FILTER_STATS","features":[90]},{"name":"PF_INTERFACE_STATS","features":[90]},{"name":"PF_IPV4","features":[90]},{"name":"PF_IPV6","features":[90]},{"name":"PF_LATEBIND_INFO","features":[90]},{"name":"PINTERFACE_TIMESTAMP_CONFIG_CHANGE_CALLBACK","features":[90]},{"name":"PIPFORWARD_CHANGE_CALLBACK","features":[1,90,16,15]},{"name":"PIPINTERFACE_CHANGE_CALLBACK","features":[1,90,16,15]},{"name":"PNETWORK_CONNECTIVITY_HINT_CHANGE_CALLBACK","features":[1,90,15]},{"name":"PROXY_ARP","features":[90]},{"name":"PSTABLE_UNICAST_IPADDRESS_TABLE_CALLBACK","features":[1,90,16,15]},{"name":"PTEREDO_PORT_CHANGE_CALLBACK","features":[90]},{"name":"PUNICAST_IPADDRESS_CHANGE_CALLBACK","features":[1,90,16,15]},{"name":"ParseNetworkString","features":[90,15]},{"name":"PfAddFiltersToInterface","features":[90]},{"name":"PfAddGlobalFilterToInterface","features":[90]},{"name":"PfBindInterfaceToIPAddress","features":[90]},{"name":"PfBindInterfaceToIndex","features":[90]},{"name":"PfCreateInterface","features":[1,90]},{"name":"PfDeleteInterface","features":[90]},{"name":"PfDeleteLog","features":[90]},{"name":"PfGetInterfaceStatistics","features":[1,90]},{"name":"PfMakeLog","features":[1,90]},{"name":"PfRebindFilters","features":[90]},{"name":"PfRemoveFilterHandles","features":[90]},{"name":"PfRemoveFiltersFromInterface","features":[90]},{"name":"PfRemoveGlobalFilterFromInterface","features":[90]},{"name":"PfSetLogBuffer","features":[90]},{"name":"PfTestPacket","features":[90]},{"name":"PfUnBindInterface","features":[90]},{"name":"ROUTE_LONGER","features":[90]},{"name":"ROUTE_MATCHING","features":[90]},{"name":"ROUTE_SHORTER","features":[90]},{"name":"ROUTE_STATE","features":[90]},{"name":"RegisterInterfaceTimestampConfigChange","features":[90]},{"name":"ResolveIpNetEntry2","features":[1,90,16,15]},{"name":"ResolveNeighbor","features":[90,15]},{"name":"RestoreMediaSense","features":[1,90,6]},{"name":"SendARP","features":[90]},{"name":"SetCurrentThreadCompartmentId","features":[1,90]},{"name":"SetCurrentThreadCompartmentScope","features":[1,90]},{"name":"SetDnsSettings","features":[1,90]},{"name":"SetIfEntry","features":[90]},{"name":"SetInterfaceDnsSettings","features":[1,90]},{"name":"SetIpForwardEntry","features":[90,15]},{"name":"SetIpForwardEntry2","features":[1,90,16,15]},{"name":"SetIpInterfaceEntry","features":[1,90,16,15]},{"name":"SetIpNetEntry","features":[90]},{"name":"SetIpNetEntry2","features":[1,90,16,15]},{"name":"SetIpStatistics","features":[90]},{"name":"SetIpStatisticsEx","features":[90]},{"name":"SetIpTTL","features":[90]},{"name":"SetJobCompartmentId","features":[1,90]},{"name":"SetNetworkInformation","features":[1,90]},{"name":"SetPerTcp6ConnectionEStats","features":[90,15]},{"name":"SetPerTcpConnectionEStats","features":[90]},{"name":"SetSessionCompartmentId","features":[1,90]},{"name":"SetTcpEntry","features":[90]},{"name":"SetUnicastIpAddressEntry","features":[1,90,16,15]},{"name":"TCP6_STATS","features":[90]},{"name":"TCPIP_OWNER_MODULE_BASIC_INFO","features":[90]},{"name":"TCPIP_OWNER_MODULE_INFO_BASIC","features":[90]},{"name":"TCPIP_OWNER_MODULE_INFO_CLASS","features":[90]},{"name":"TCPIP_OWNING_MODULE_SIZE","features":[90]},{"name":"TCP_BOOLEAN_OPTIONAL","features":[90]},{"name":"TCP_CONNECTION_OFFLOAD_STATE","features":[90]},{"name":"TCP_ESTATS_BANDWIDTH_ROD_v0","features":[1,90]},{"name":"TCP_ESTATS_BANDWIDTH_RW_v0","features":[90]},{"name":"TCP_ESTATS_DATA_ROD_v0","features":[90]},{"name":"TCP_ESTATS_DATA_RW_v0","features":[1,90]},{"name":"TCP_ESTATS_FINE_RTT_ROD_v0","features":[90]},{"name":"TCP_ESTATS_FINE_RTT_RW_v0","features":[1,90]},{"name":"TCP_ESTATS_OBS_REC_ROD_v0","features":[90]},{"name":"TCP_ESTATS_OBS_REC_RW_v0","features":[1,90]},{"name":"TCP_ESTATS_PATH_ROD_v0","features":[90]},{"name":"TCP_ESTATS_PATH_RW_v0","features":[1,90]},{"name":"TCP_ESTATS_REC_ROD_v0","features":[90]},{"name":"TCP_ESTATS_REC_RW_v0","features":[1,90]},{"name":"TCP_ESTATS_SEND_BUFF_ROD_v0","features":[90]},{"name":"TCP_ESTATS_SEND_BUFF_RW_v0","features":[1,90]},{"name":"TCP_ESTATS_SND_CONG_ROD_v0","features":[90]},{"name":"TCP_ESTATS_SND_CONG_ROS_v0","features":[90]},{"name":"TCP_ESTATS_SND_CONG_RW_v0","features":[1,90]},{"name":"TCP_ESTATS_SYN_OPTS_ROS_v0","features":[1,90]},{"name":"TCP_ESTATS_TYPE","features":[90]},{"name":"TCP_RESERVE_PORT_RANGE","features":[90]},{"name":"TCP_ROW","features":[90]},{"name":"TCP_RTO_ALGORITHM","features":[90]},{"name":"TCP_SOFT_ERROR","features":[90]},{"name":"TCP_STATS","features":[90]},{"name":"TCP_TABLE","features":[90]},{"name":"TCP_TABLE_BASIC_ALL","features":[90]},{"name":"TCP_TABLE_BASIC_CONNECTIONS","features":[90]},{"name":"TCP_TABLE_BASIC_LISTENER","features":[90]},{"name":"TCP_TABLE_CLASS","features":[90]},{"name":"TCP_TABLE_OWNER_MODULE_ALL","features":[90]},{"name":"TCP_TABLE_OWNER_MODULE_CONNECTIONS","features":[90]},{"name":"TCP_TABLE_OWNER_MODULE_LISTENER","features":[90]},{"name":"TCP_TABLE_OWNER_PID_ALL","features":[90]},{"name":"TCP_TABLE_OWNER_PID_CONNECTIONS","features":[90]},{"name":"TCP_TABLE_OWNER_PID_LISTENER","features":[90]},{"name":"TcpBoolOptDisabled","features":[90]},{"name":"TcpBoolOptEnabled","features":[90]},{"name":"TcpBoolOptUnchanged","features":[90]},{"name":"TcpConnectionEstatsBandwidth","features":[90]},{"name":"TcpConnectionEstatsData","features":[90]},{"name":"TcpConnectionEstatsFineRtt","features":[90]},{"name":"TcpConnectionEstatsMaximum","features":[90]},{"name":"TcpConnectionEstatsObsRec","features":[90]},{"name":"TcpConnectionEstatsPath","features":[90]},{"name":"TcpConnectionEstatsRec","features":[90]},{"name":"TcpConnectionEstatsSendBuff","features":[90]},{"name":"TcpConnectionEstatsSndCong","features":[90]},{"name":"TcpConnectionEstatsSynOpts","features":[90]},{"name":"TcpConnectionOffloadStateInHost","features":[90]},{"name":"TcpConnectionOffloadStateMax","features":[90]},{"name":"TcpConnectionOffloadStateOffloaded","features":[90]},{"name":"TcpConnectionOffloadStateOffloading","features":[90]},{"name":"TcpConnectionOffloadStateUploading","features":[90]},{"name":"TcpErrorAboveAckWindow","features":[90]},{"name":"TcpErrorAboveDataWindow","features":[90]},{"name":"TcpErrorAboveTsWindow","features":[90]},{"name":"TcpErrorBelowAckWindow","features":[90]},{"name":"TcpErrorBelowDataWindow","features":[90]},{"name":"TcpErrorBelowTsWindow","features":[90]},{"name":"TcpErrorDataChecksumError","features":[90]},{"name":"TcpErrorDataLengthError","features":[90]},{"name":"TcpErrorMaxSoftError","features":[90]},{"name":"TcpErrorNone","features":[90]},{"name":"TcpRtoAlgorithmConstant","features":[90]},{"name":"TcpRtoAlgorithmOther","features":[90]},{"name":"TcpRtoAlgorithmRsre","features":[90]},{"name":"TcpRtoAlgorithmVanj","features":[90]},{"name":"UDP6_STATS","features":[90]},{"name":"UDP_ROW","features":[90]},{"name":"UDP_STATS","features":[90]},{"name":"UDP_TABLE","features":[90]},{"name":"UDP_TABLE_BASIC","features":[90]},{"name":"UDP_TABLE_CLASS","features":[90]},{"name":"UDP_TABLE_OWNER_MODULE","features":[90]},{"name":"UDP_TABLE_OWNER_PID","features":[90]},{"name":"UnenableRouter","features":[1,90,6]},{"name":"UnregisterInterfaceTimestampConfigChange","features":[90]},{"name":"if_indextoname","features":[90]},{"name":"if_nametoindex","features":[90]}],"448":[{"name":"IPNG_ADDRESS","features":[91]},{"name":"MCAST_API_CURRENT_VERSION","features":[91]},{"name":"MCAST_API_VERSION_0","features":[91]},{"name":"MCAST_API_VERSION_1","features":[91]},{"name":"MCAST_CLIENT_ID_LEN","features":[91]},{"name":"MCAST_CLIENT_UID","features":[91]},{"name":"MCAST_LEASE_REQUEST","features":[91]},{"name":"MCAST_LEASE_RESPONSE","features":[91]},{"name":"MCAST_SCOPE_CTX","features":[91]},{"name":"MCAST_SCOPE_ENTRY","features":[1,91]},{"name":"McastApiCleanup","features":[91]},{"name":"McastApiStartup","features":[91]},{"name":"McastEnumerateScopes","features":[1,91]},{"name":"McastGenUID","features":[91]},{"name":"McastReleaseAddress","features":[91]},{"name":"McastRenewAddress","features":[91]},{"name":"McastRequestAddress","features":[91]}],"449":[{"name":"AUTHENTICATE","features":[16]},{"name":"BSSID_INFO","features":[16]},{"name":"CLOCK_NETWORK_DERIVED","features":[16]},{"name":"CLOCK_PRECISION","features":[16]},{"name":"DD_NDIS_DEVICE_NAME","features":[16]},{"name":"DOT11_RSN_KCK_LENGTH","features":[16]},{"name":"DOT11_RSN_KEK_LENGTH","features":[16]},{"name":"DOT11_RSN_MAX_CIPHER_KEY_LENGTH","features":[16]},{"name":"EAPOL_REQUEST_ID_WOL_FLAG_MUST_ENCRYPT","features":[16]},{"name":"ENCRYPT","features":[16]},{"name":"ETHERNET_LENGTH_OF_ADDRESS","features":[16]},{"name":"GEN_GET_NETCARD_TIME","features":[16]},{"name":"GEN_GET_TIME_CAPS","features":[16]},{"name":"GUID_DEVINTERFACE_NET","features":[16]},{"name":"GUID_DEVINTERFACE_NETUIO","features":[16]},{"name":"GUID_NDIS_802_11_ADD_KEY","features":[16]},{"name":"GUID_NDIS_802_11_ADD_WEP","features":[16]},{"name":"GUID_NDIS_802_11_ASSOCIATION_INFORMATION","features":[16]},{"name":"GUID_NDIS_802_11_AUTHENTICATION_MODE","features":[16]},{"name":"GUID_NDIS_802_11_BSSID","features":[16]},{"name":"GUID_NDIS_802_11_BSSID_LIST","features":[16]},{"name":"GUID_NDIS_802_11_BSSID_LIST_SCAN","features":[16]},{"name":"GUID_NDIS_802_11_CONFIGURATION","features":[16]},{"name":"GUID_NDIS_802_11_DESIRED_RATES","features":[16]},{"name":"GUID_NDIS_802_11_DISASSOCIATE","features":[16]},{"name":"GUID_NDIS_802_11_FRAGMENTATION_THRESHOLD","features":[16]},{"name":"GUID_NDIS_802_11_INFRASTRUCTURE_MODE","features":[16]},{"name":"GUID_NDIS_802_11_MEDIA_STREAM_MODE","features":[16]},{"name":"GUID_NDIS_802_11_NETWORK_TYPES_SUPPORTED","features":[16]},{"name":"GUID_NDIS_802_11_NETWORK_TYPE_IN_USE","features":[16]},{"name":"GUID_NDIS_802_11_NUMBER_OF_ANTENNAS","features":[16]},{"name":"GUID_NDIS_802_11_POWER_MODE","features":[16]},{"name":"GUID_NDIS_802_11_PRIVACY_FILTER","features":[16]},{"name":"GUID_NDIS_802_11_RELOAD_DEFAULTS","features":[16]},{"name":"GUID_NDIS_802_11_REMOVE_KEY","features":[16]},{"name":"GUID_NDIS_802_11_REMOVE_WEP","features":[16]},{"name":"GUID_NDIS_802_11_RSSI","features":[16]},{"name":"GUID_NDIS_802_11_RSSI_TRIGGER","features":[16]},{"name":"GUID_NDIS_802_11_RTS_THRESHOLD","features":[16]},{"name":"GUID_NDIS_802_11_RX_ANTENNA_SELECTED","features":[16]},{"name":"GUID_NDIS_802_11_SSID","features":[16]},{"name":"GUID_NDIS_802_11_STATISTICS","features":[16]},{"name":"GUID_NDIS_802_11_SUPPORTED_RATES","features":[16]},{"name":"GUID_NDIS_802_11_TEST","features":[16]},{"name":"GUID_NDIS_802_11_TX_ANTENNA_SELECTED","features":[16]},{"name":"GUID_NDIS_802_11_TX_POWER_LEVEL","features":[16]},{"name":"GUID_NDIS_802_11_WEP_STATUS","features":[16]},{"name":"GUID_NDIS_802_3_CURRENT_ADDRESS","features":[16]},{"name":"GUID_NDIS_802_3_MAC_OPTIONS","features":[16]},{"name":"GUID_NDIS_802_3_MAXIMUM_LIST_SIZE","features":[16]},{"name":"GUID_NDIS_802_3_MULTICAST_LIST","features":[16]},{"name":"GUID_NDIS_802_3_PERMANENT_ADDRESS","features":[16]},{"name":"GUID_NDIS_802_3_RCV_ERROR_ALIGNMENT","features":[16]},{"name":"GUID_NDIS_802_3_XMIT_MORE_COLLISIONS","features":[16]},{"name":"GUID_NDIS_802_3_XMIT_ONE_COLLISION","features":[16]},{"name":"GUID_NDIS_802_5_CURRENT_ADDRESS","features":[16]},{"name":"GUID_NDIS_802_5_CURRENT_FUNCTIONAL","features":[16]},{"name":"GUID_NDIS_802_5_CURRENT_GROUP","features":[16]},{"name":"GUID_NDIS_802_5_CURRENT_RING_STATE","features":[16]},{"name":"GUID_NDIS_802_5_CURRENT_RING_STATUS","features":[16]},{"name":"GUID_NDIS_802_5_LAST_OPEN_STATUS","features":[16]},{"name":"GUID_NDIS_802_5_LINE_ERRORS","features":[16]},{"name":"GUID_NDIS_802_5_LOST_FRAMES","features":[16]},{"name":"GUID_NDIS_802_5_PERMANENT_ADDRESS","features":[16]},{"name":"GUID_NDIS_ENUMERATE_ADAPTER","features":[16]},{"name":"GUID_NDIS_ENUMERATE_ADAPTERS_EX","features":[16]},{"name":"GUID_NDIS_ENUMERATE_VC","features":[16]},{"name":"GUID_NDIS_GEN_CO_DRIVER_VERSION","features":[16]},{"name":"GUID_NDIS_GEN_CO_HARDWARE_STATUS","features":[16]},{"name":"GUID_NDIS_GEN_CO_LINK_SPEED","features":[16]},{"name":"GUID_NDIS_GEN_CO_MAC_OPTIONS","features":[16]},{"name":"GUID_NDIS_GEN_CO_MEDIA_CONNECT_STATUS","features":[16]},{"name":"GUID_NDIS_GEN_CO_MEDIA_IN_USE","features":[16]},{"name":"GUID_NDIS_GEN_CO_MEDIA_SUPPORTED","features":[16]},{"name":"GUID_NDIS_GEN_CO_MINIMUM_LINK_SPEED","features":[16]},{"name":"GUID_NDIS_GEN_CO_RCV_PDUS_ERROR","features":[16]},{"name":"GUID_NDIS_GEN_CO_RCV_PDUS_NO_BUFFER","features":[16]},{"name":"GUID_NDIS_GEN_CO_RCV_PDUS_OK","features":[16]},{"name":"GUID_NDIS_GEN_CO_VENDOR_DESCRIPTION","features":[16]},{"name":"GUID_NDIS_GEN_CO_VENDOR_DRIVER_VERSION","features":[16]},{"name":"GUID_NDIS_GEN_CO_VENDOR_ID","features":[16]},{"name":"GUID_NDIS_GEN_CO_XMIT_PDUS_ERROR","features":[16]},{"name":"GUID_NDIS_GEN_CO_XMIT_PDUS_OK","features":[16]},{"name":"GUID_NDIS_GEN_CURRENT_LOOKAHEAD","features":[16]},{"name":"GUID_NDIS_GEN_CURRENT_PACKET_FILTER","features":[16]},{"name":"GUID_NDIS_GEN_DRIVER_VERSION","features":[16]},{"name":"GUID_NDIS_GEN_ENUMERATE_PORTS","features":[16]},{"name":"GUID_NDIS_GEN_HARDWARE_STATUS","features":[16]},{"name":"GUID_NDIS_GEN_INTERRUPT_MODERATION","features":[16]},{"name":"GUID_NDIS_GEN_INTERRUPT_MODERATION_PARAMETERS","features":[16]},{"name":"GUID_NDIS_GEN_LINK_PARAMETERS","features":[16]},{"name":"GUID_NDIS_GEN_LINK_SPEED","features":[16]},{"name":"GUID_NDIS_GEN_LINK_STATE","features":[16]},{"name":"GUID_NDIS_GEN_MAC_OPTIONS","features":[16]},{"name":"GUID_NDIS_GEN_MAXIMUM_FRAME_SIZE","features":[16]},{"name":"GUID_NDIS_GEN_MAXIMUM_LOOKAHEAD","features":[16]},{"name":"GUID_NDIS_GEN_MAXIMUM_SEND_PACKETS","features":[16]},{"name":"GUID_NDIS_GEN_MAXIMUM_TOTAL_SIZE","features":[16]},{"name":"GUID_NDIS_GEN_MEDIA_CONNECT_STATUS","features":[16]},{"name":"GUID_NDIS_GEN_MEDIA_IN_USE","features":[16]},{"name":"GUID_NDIS_GEN_MEDIA_SUPPORTED","features":[16]},{"name":"GUID_NDIS_GEN_PCI_DEVICE_CUSTOM_PROPERTIES","features":[16]},{"name":"GUID_NDIS_GEN_PHYSICAL_MEDIUM","features":[16]},{"name":"GUID_NDIS_GEN_PHYSICAL_MEDIUM_EX","features":[16]},{"name":"GUID_NDIS_GEN_PORT_AUTHENTICATION_PARAMETERS","features":[16]},{"name":"GUID_NDIS_GEN_PORT_STATE","features":[16]},{"name":"GUID_NDIS_GEN_RCV_ERROR","features":[16]},{"name":"GUID_NDIS_GEN_RCV_NO_BUFFER","features":[16]},{"name":"GUID_NDIS_GEN_RCV_OK","features":[16]},{"name":"GUID_NDIS_GEN_RECEIVE_BLOCK_SIZE","features":[16]},{"name":"GUID_NDIS_GEN_RECEIVE_BUFFER_SPACE","features":[16]},{"name":"GUID_NDIS_GEN_STATISTICS","features":[16]},{"name":"GUID_NDIS_GEN_TRANSMIT_BLOCK_SIZE","features":[16]},{"name":"GUID_NDIS_GEN_TRANSMIT_BUFFER_SPACE","features":[16]},{"name":"GUID_NDIS_GEN_VENDOR_DESCRIPTION","features":[16]},{"name":"GUID_NDIS_GEN_VENDOR_DRIVER_VERSION","features":[16]},{"name":"GUID_NDIS_GEN_VENDOR_ID","features":[16]},{"name":"GUID_NDIS_GEN_VLAN_ID","features":[16]},{"name":"GUID_NDIS_GEN_XMIT_ERROR","features":[16]},{"name":"GUID_NDIS_GEN_XMIT_OK","features":[16]},{"name":"GUID_NDIS_HD_SPLIT_CURRENT_CONFIG","features":[16]},{"name":"GUID_NDIS_HD_SPLIT_PARAMETERS","features":[16]},{"name":"GUID_NDIS_LAN_CLASS","features":[16]},{"name":"GUID_NDIS_NDK_CAPABILITIES","features":[16]},{"name":"GUID_NDIS_NDK_STATE","features":[16]},{"name":"GUID_NDIS_NOTIFY_ADAPTER_ARRIVAL","features":[16]},{"name":"GUID_NDIS_NOTIFY_ADAPTER_REMOVAL","features":[16]},{"name":"GUID_NDIS_NOTIFY_BIND","features":[16]},{"name":"GUID_NDIS_NOTIFY_DEVICE_POWER_OFF","features":[16]},{"name":"GUID_NDIS_NOTIFY_DEVICE_POWER_OFF_EX","features":[16]},{"name":"GUID_NDIS_NOTIFY_DEVICE_POWER_ON","features":[16]},{"name":"GUID_NDIS_NOTIFY_DEVICE_POWER_ON_EX","features":[16]},{"name":"GUID_NDIS_NOTIFY_FILTER_ARRIVAL","features":[16]},{"name":"GUID_NDIS_NOTIFY_FILTER_REMOVAL","features":[16]},{"name":"GUID_NDIS_NOTIFY_UNBIND","features":[16]},{"name":"GUID_NDIS_NOTIFY_VC_ARRIVAL","features":[16]},{"name":"GUID_NDIS_NOTIFY_VC_REMOVAL","features":[16]},{"name":"GUID_NDIS_PM_ACTIVE_CAPABILITIES","features":[16]},{"name":"GUID_NDIS_PM_ADMIN_CONFIG","features":[16]},{"name":"GUID_NDIS_RECEIVE_FILTER_ENUM_FILTERS","features":[16]},{"name":"GUID_NDIS_RECEIVE_FILTER_ENUM_QUEUES","features":[16]},{"name":"GUID_NDIS_RECEIVE_FILTER_GLOBAL_PARAMETERS","features":[16]},{"name":"GUID_NDIS_RECEIVE_FILTER_HARDWARE_CAPABILITIES","features":[16]},{"name":"GUID_NDIS_RECEIVE_FILTER_PARAMETERS","features":[16]},{"name":"GUID_NDIS_RECEIVE_FILTER_QUEUE_PARAMETERS","features":[16]},{"name":"GUID_NDIS_RECEIVE_SCALE_CAPABILITIES","features":[16]},{"name":"GUID_NDIS_RSS_ENABLED","features":[16]},{"name":"GUID_NDIS_STATUS_DOT11_ASSOCIATION_COMPLETION","features":[16]},{"name":"GUID_NDIS_STATUS_DOT11_ASSOCIATION_START","features":[16]},{"name":"GUID_NDIS_STATUS_DOT11_CONNECTION_COMPLETION","features":[16]},{"name":"GUID_NDIS_STATUS_DOT11_CONNECTION_START","features":[16]},{"name":"GUID_NDIS_STATUS_DOT11_DISASSOCIATION","features":[16]},{"name":"GUID_NDIS_STATUS_DOT11_LINK_QUALITY","features":[16]},{"name":"GUID_NDIS_STATUS_DOT11_MPDU_MAX_LENGTH_CHANGED","features":[16]},{"name":"GUID_NDIS_STATUS_DOT11_PHY_STATE_CHANGED","features":[16]},{"name":"GUID_NDIS_STATUS_DOT11_PMKID_CANDIDATE_LIST","features":[16]},{"name":"GUID_NDIS_STATUS_DOT11_ROAMING_COMPLETION","features":[16]},{"name":"GUID_NDIS_STATUS_DOT11_ROAMING_START","features":[16]},{"name":"GUID_NDIS_STATUS_DOT11_SCAN_CONFIRM","features":[16]},{"name":"GUID_NDIS_STATUS_DOT11_TKIPMIC_FAILURE","features":[16]},{"name":"GUID_NDIS_STATUS_EXTERNAL_CONNECTIVITY_CHANGE","features":[16]},{"name":"GUID_NDIS_STATUS_HD_SPLIT_CURRENT_CONFIG","features":[16]},{"name":"GUID_NDIS_STATUS_LINK_SPEED_CHANGE","features":[16]},{"name":"GUID_NDIS_STATUS_LINK_STATE","features":[16]},{"name":"GUID_NDIS_STATUS_MEDIA_CONNECT","features":[16]},{"name":"GUID_NDIS_STATUS_MEDIA_DISCONNECT","features":[16]},{"name":"GUID_NDIS_STATUS_MEDIA_SPECIFIC_INDICATION","features":[16]},{"name":"GUID_NDIS_STATUS_NETWORK_CHANGE","features":[16]},{"name":"GUID_NDIS_STATUS_OPER_STATUS","features":[16]},{"name":"GUID_NDIS_STATUS_PACKET_FILTER","features":[16]},{"name":"GUID_NDIS_STATUS_PM_OFFLOAD_REJECTED","features":[16]},{"name":"GUID_NDIS_STATUS_PM_WAKE_REASON","features":[16]},{"name":"GUID_NDIS_STATUS_PM_WOL_PATTERN_REJECTED","features":[16]},{"name":"GUID_NDIS_STATUS_PORT_STATE","features":[16]},{"name":"GUID_NDIS_STATUS_RESET_END","features":[16]},{"name":"GUID_NDIS_STATUS_RESET_START","features":[16]},{"name":"GUID_NDIS_STATUS_TASK_OFFLOAD_CURRENT_CONFIG","features":[16]},{"name":"GUID_NDIS_STATUS_TASK_OFFLOAD_HARDWARE_CAPABILITIES","features":[16]},{"name":"GUID_NDIS_STATUS_TCP_CONNECTION_OFFLOAD_CURRENT_CONFIG","features":[16]},{"name":"GUID_NDIS_STATUS_TCP_CONNECTION_OFFLOAD_HARDWARE_CAPABILITIES","features":[16]},{"name":"GUID_NDIS_SWITCH_MICROSOFT_VENDOR_ID","features":[16]},{"name":"GUID_NDIS_SWITCH_PORT_PROPERTY_PROFILE_ID_DEFAULT_EXTERNAL_NIC","features":[16]},{"name":"GUID_NDIS_TCP_CONNECTION_OFFLOAD_CURRENT_CONFIG","features":[16]},{"name":"GUID_NDIS_TCP_CONNECTION_OFFLOAD_HARDWARE_CAPABILITIES","features":[16]},{"name":"GUID_NDIS_TCP_OFFLOAD_CURRENT_CONFIG","features":[16]},{"name":"GUID_NDIS_TCP_OFFLOAD_HARDWARE_CAPABILITIES","features":[16]},{"name":"GUID_NDIS_TCP_OFFLOAD_PARAMETERS","features":[16]},{"name":"GUID_NDIS_TCP_RSC_STATISTICS","features":[16]},{"name":"GUID_NDIS_WAKE_ON_MAGIC_PACKET_ONLY","features":[16]},{"name":"GUID_NIC_SWITCH_CURRENT_CAPABILITIES","features":[16]},{"name":"GUID_NIC_SWITCH_HARDWARE_CAPABILITIES","features":[16]},{"name":"GUID_PM_ADD_PROTOCOL_OFFLOAD","features":[16]},{"name":"GUID_PM_ADD_WOL_PATTERN","features":[16]},{"name":"GUID_PM_CURRENT_CAPABILITIES","features":[16]},{"name":"GUID_PM_GET_PROTOCOL_OFFLOAD","features":[16]},{"name":"GUID_PM_HARDWARE_CAPABILITIES","features":[16]},{"name":"GUID_PM_PARAMETERS","features":[16]},{"name":"GUID_PM_PROTOCOL_OFFLOAD_LIST","features":[16]},{"name":"GUID_PM_REMOVE_PROTOCOL_OFFLOAD","features":[16]},{"name":"GUID_PM_REMOVE_WOL_PATTERN","features":[16]},{"name":"GUID_PM_WOL_PATTERN_LIST","features":[16]},{"name":"GUID_RECEIVE_FILTER_CURRENT_CAPABILITIES","features":[16]},{"name":"GUID_STATUS_MEDIA_SPECIFIC_INDICATION_EX","features":[16]},{"name":"IF_ADMINISTRATIVE_DEMANDDIAL","features":[16]},{"name":"IF_ADMINISTRATIVE_DISABLED","features":[16]},{"name":"IF_ADMINISTRATIVE_ENABLED","features":[16]},{"name":"IF_ADMINISTRATIVE_STATE","features":[16]},{"name":"IF_COUNTED_STRING_LH","features":[16]},{"name":"IF_MAX_PHYS_ADDRESS_LENGTH","features":[16]},{"name":"IF_MAX_STRING_SIZE","features":[16]},{"name":"IF_OPER_STATUS","features":[16]},{"name":"IF_PHYSICAL_ADDRESS_LH","features":[16]},{"name":"IOCTL_NDIS_RESERVED5","features":[16]},{"name":"IOCTL_NDIS_RESERVED6","features":[16]},{"name":"IPSEC_OFFLOAD_V2_AND_TCP_CHECKSUM_COEXISTENCE","features":[16]},{"name":"IPSEC_OFFLOAD_V2_AND_UDP_CHECKSUM_COEXISTENCE","features":[16]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_AES_GCM_128","features":[16]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_AES_GCM_192","features":[16]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_AES_GCM_256","features":[16]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_MD5","features":[16]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_SHA_1","features":[16]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_SHA_256","features":[16]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_3_DES_CBC","features":[16]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_CBC_128","features":[16]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_CBC_192","features":[16]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_CBC_256","features":[16]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_GCM_128","features":[16]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_GCM_192","features":[16]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_GCM_256","features":[16]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_DES_CBC","features":[16]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_NONE","features":[16]},{"name":"IfOperStatusDormant","features":[16]},{"name":"IfOperStatusDown","features":[16]},{"name":"IfOperStatusLowerLayerDown","features":[16]},{"name":"IfOperStatusNotPresent","features":[16]},{"name":"IfOperStatusTesting","features":[16]},{"name":"IfOperStatusUnknown","features":[16]},{"name":"IfOperStatusUp","features":[16]},{"name":"MAXIMUM_IP_OPER_STATUS_ADDRESS_FAMILIES_SUPPORTED","features":[16]},{"name":"MediaConnectStateConnected","features":[16]},{"name":"MediaConnectStateDisconnected","features":[16]},{"name":"MediaConnectStateUnknown","features":[16]},{"name":"MediaDuplexStateFull","features":[16]},{"name":"MediaDuplexStateHalf","features":[16]},{"name":"MediaDuplexStateUnknown","features":[16]},{"name":"NDIS_802_11_AI_REQFI","features":[16]},{"name":"NDIS_802_11_AI_REQFI_CAPABILITIES","features":[16]},{"name":"NDIS_802_11_AI_REQFI_CURRENTAPADDRESS","features":[16]},{"name":"NDIS_802_11_AI_REQFI_LISTENINTERVAL","features":[16]},{"name":"NDIS_802_11_AI_RESFI","features":[16]},{"name":"NDIS_802_11_AI_RESFI_ASSOCIATIONID","features":[16]},{"name":"NDIS_802_11_AI_RESFI_CAPABILITIES","features":[16]},{"name":"NDIS_802_11_AI_RESFI_STATUSCODE","features":[16]},{"name":"NDIS_802_11_ASSOCIATION_INFORMATION","features":[16]},{"name":"NDIS_802_11_AUTHENTICATION_ENCRYPTION","features":[16]},{"name":"NDIS_802_11_AUTHENTICATION_EVENT","features":[16]},{"name":"NDIS_802_11_AUTHENTICATION_MODE","features":[16]},{"name":"NDIS_802_11_AUTHENTICATION_REQUEST","features":[16]},{"name":"NDIS_802_11_AUTH_REQUEST_AUTH_FIELDS","features":[16]},{"name":"NDIS_802_11_AUTH_REQUEST_GROUP_ERROR","features":[16]},{"name":"NDIS_802_11_AUTH_REQUEST_KEYUPDATE","features":[16]},{"name":"NDIS_802_11_AUTH_REQUEST_PAIRWISE_ERROR","features":[16]},{"name":"NDIS_802_11_AUTH_REQUEST_REAUTH","features":[16]},{"name":"NDIS_802_11_BSSID_LIST","features":[16]},{"name":"NDIS_802_11_BSSID_LIST_EX","features":[16]},{"name":"NDIS_802_11_CAPABILITY","features":[16]},{"name":"NDIS_802_11_CONFIGURATION","features":[16]},{"name":"NDIS_802_11_CONFIGURATION_FH","features":[16]},{"name":"NDIS_802_11_FIXED_IEs","features":[16]},{"name":"NDIS_802_11_KEY","features":[16]},{"name":"NDIS_802_11_LENGTH_RATES","features":[16]},{"name":"NDIS_802_11_LENGTH_RATES_EX","features":[16]},{"name":"NDIS_802_11_LENGTH_SSID","features":[16]},{"name":"NDIS_802_11_MEDIA_STREAM_MODE","features":[16]},{"name":"NDIS_802_11_NETWORK_INFRASTRUCTURE","features":[16]},{"name":"NDIS_802_11_NETWORK_TYPE","features":[16]},{"name":"NDIS_802_11_NETWORK_TYPE_LIST","features":[16]},{"name":"NDIS_802_11_NON_BCAST_SSID_LIST","features":[16]},{"name":"NDIS_802_11_PMKID","features":[16]},{"name":"NDIS_802_11_PMKID_CANDIDATE_LIST","features":[16]},{"name":"NDIS_802_11_PMKID_CANDIDATE_PREAUTH_ENABLED","features":[16]},{"name":"NDIS_802_11_POWER_MODE","features":[16]},{"name":"NDIS_802_11_PRIVACY_FILTER","features":[16]},{"name":"NDIS_802_11_RADIO_STATUS","features":[16]},{"name":"NDIS_802_11_RELOAD_DEFAULTS","features":[16]},{"name":"NDIS_802_11_REMOVE_KEY","features":[16]},{"name":"NDIS_802_11_SSID","features":[16]},{"name":"NDIS_802_11_STATISTICS","features":[16]},{"name":"NDIS_802_11_STATUS_INDICATION","features":[16]},{"name":"NDIS_802_11_STATUS_TYPE","features":[16]},{"name":"NDIS_802_11_TEST","features":[16]},{"name":"NDIS_802_11_VARIABLE_IEs","features":[16]},{"name":"NDIS_802_11_WEP","features":[16]},{"name":"NDIS_802_11_WEP_STATUS","features":[16]},{"name":"NDIS_802_3_MAC_OPTION_PRIORITY","features":[16]},{"name":"NDIS_802_5_RING_STATE","features":[16]},{"name":"NDIS_CO_DEVICE_PROFILE","features":[16]},{"name":"NDIS_CO_LINK_SPEED","features":[16]},{"name":"NDIS_CO_MAC_OPTION_DYNAMIC_LINK_SPEED","features":[16]},{"name":"NDIS_DEFAULT_RECEIVE_FILTER_ID","features":[16]},{"name":"NDIS_DEFAULT_RECEIVE_QUEUE_GROUP_ID","features":[16]},{"name":"NDIS_DEFAULT_RECEIVE_QUEUE_ID","features":[16]},{"name":"NDIS_DEFAULT_SWITCH_ID","features":[16]},{"name":"NDIS_DEFAULT_VPORT_ID","features":[16]},{"name":"NDIS_DEVICE_POWER_STATE","features":[16]},{"name":"NDIS_DEVICE_TYPE_ENDPOINT","features":[16]},{"name":"NDIS_DEVICE_WAKE_ON_MAGIC_PACKET_ENABLE","features":[16]},{"name":"NDIS_DEVICE_WAKE_ON_PATTERN_MATCH_ENABLE","features":[16]},{"name":"NDIS_DEVICE_WAKE_UP_ENABLE","features":[16]},{"name":"NDIS_ENCAPSULATED_PACKET_TASK_OFFLOAD_INNER_IPV4","features":[16]},{"name":"NDIS_ENCAPSULATED_PACKET_TASK_OFFLOAD_INNER_IPV6","features":[16]},{"name":"NDIS_ENCAPSULATED_PACKET_TASK_OFFLOAD_NOT_SUPPORTED","features":[16]},{"name":"NDIS_ENCAPSULATED_PACKET_TASK_OFFLOAD_OUTER_IPV4","features":[16]},{"name":"NDIS_ENCAPSULATED_PACKET_TASK_OFFLOAD_OUTER_IPV6","features":[16]},{"name":"NDIS_ENCAPSULATION_IEEE_802_3","features":[16]},{"name":"NDIS_ENCAPSULATION_IEEE_802_3_P_AND_Q","features":[16]},{"name":"NDIS_ENCAPSULATION_IEEE_802_3_P_AND_Q_IN_OOB","features":[16]},{"name":"NDIS_ENCAPSULATION_IEEE_LLC_SNAP_ROUTED","features":[16]},{"name":"NDIS_ENCAPSULATION_NOT_SUPPORTED","features":[16]},{"name":"NDIS_ENCAPSULATION_NULL","features":[16]},{"name":"NDIS_ENCAPSULATION_TYPE_GRE_MAC","features":[16]},{"name":"NDIS_ENCAPSULATION_TYPE_VXLAN","features":[16]},{"name":"NDIS_ETH_TYPE_802_1Q","features":[16]},{"name":"NDIS_ETH_TYPE_802_1X","features":[16]},{"name":"NDIS_ETH_TYPE_ARP","features":[16]},{"name":"NDIS_ETH_TYPE_IPV4","features":[16]},{"name":"NDIS_ETH_TYPE_IPV6","features":[16]},{"name":"NDIS_ETH_TYPE_SLOW_PROTOCOL","features":[16]},{"name":"NDIS_FDDI_ATTACHMENT_TYPE","features":[16]},{"name":"NDIS_FDDI_LCONNECTION_STATE","features":[16]},{"name":"NDIS_FDDI_RING_MGT_STATE","features":[16]},{"name":"NDIS_GFP_ENCAPSULATION_TYPE_IP_IN_GRE","features":[16]},{"name":"NDIS_GFP_ENCAPSULATION_TYPE_IP_IN_IP","features":[16]},{"name":"NDIS_GFP_ENCAPSULATION_TYPE_NOT_ENCAPSULATED","features":[16]},{"name":"NDIS_GFP_ENCAPSULATION_TYPE_NVGRE","features":[16]},{"name":"NDIS_GFP_ENCAPSULATION_TYPE_VXLAN","features":[16]},{"name":"NDIS_GFP_EXACT_MATCH_PROFILE_RDMA_FLOW","features":[16]},{"name":"NDIS_GFP_EXACT_MATCH_PROFILE_REVISION_1","features":[16]},{"name":"NDIS_GFP_HEADER_GROUP_EXACT_MATCH_IS_TTL_ONE","features":[16]},{"name":"NDIS_GFP_HEADER_GROUP_EXACT_MATCH_PROFILE_IS_TTL_ONE","features":[16]},{"name":"NDIS_GFP_HEADER_GROUP_EXACT_MATCH_PROFILE_REVISION_1","features":[16]},{"name":"NDIS_GFP_HEADER_GROUP_EXACT_MATCH_REVISION_1","features":[16]},{"name":"NDIS_GFP_HEADER_GROUP_WILDCARD_MATCH_IS_TTL_ONE","features":[16]},{"name":"NDIS_GFP_HEADER_GROUP_WILDCARD_MATCH_PROFILE_IS_TTL_ONE","features":[16]},{"name":"NDIS_GFP_HEADER_GROUP_WILDCARD_MATCH_PROFILE_REVISION_1","features":[16]},{"name":"NDIS_GFP_HEADER_GROUP_WILDCARD_MATCH_REVISION_1","features":[16]},{"name":"NDIS_GFP_HEADER_PRESENT_ESP","features":[16]},{"name":"NDIS_GFP_HEADER_PRESENT_ETHERNET","features":[16]},{"name":"NDIS_GFP_HEADER_PRESENT_ICMP","features":[16]},{"name":"NDIS_GFP_HEADER_PRESENT_IPV4","features":[16]},{"name":"NDIS_GFP_HEADER_PRESENT_IPV6","features":[16]},{"name":"NDIS_GFP_HEADER_PRESENT_IP_IN_GRE_ENCAP","features":[16]},{"name":"NDIS_GFP_HEADER_PRESENT_IP_IN_IP_ENCAP","features":[16]},{"name":"NDIS_GFP_HEADER_PRESENT_NO_ENCAP","features":[16]},{"name":"NDIS_GFP_HEADER_PRESENT_NVGRE_ENCAP","features":[16]},{"name":"NDIS_GFP_HEADER_PRESENT_TCP","features":[16]},{"name":"NDIS_GFP_HEADER_PRESENT_UDP","features":[16]},{"name":"NDIS_GFP_HEADER_PRESENT_VXLAN_ENCAP","features":[16]},{"name":"NDIS_GFP_UNDEFINED_PROFILE_ID","features":[16]},{"name":"NDIS_GFP_WILDCARD_MATCH_PROFILE_REVISION_1","features":[16]},{"name":"NDIS_GFT_COUNTER_INFO_ARRAY_REVISION_1","features":[16]},{"name":"NDIS_GFT_COUNTER_INFO_REVISION_1","features":[16]},{"name":"NDIS_GFT_COUNTER_PARAMETERS_CLIENT_SPECIFIED_ADDRESS","features":[16]},{"name":"NDIS_GFT_COUNTER_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_GFT_COUNTER_VALUE_ARRAY_GET_VALUES","features":[16]},{"name":"NDIS_GFT_COUNTER_VALUE_ARRAY_REVISION_1","features":[16]},{"name":"NDIS_GFT_COUNTER_VALUE_ARRAY_UPDATE_MEMORY_MAPPED_COUNTERS","features":[16]},{"name":"NDIS_GFT_CUSTOM_ACTION_LAST_ACTION","features":[16]},{"name":"NDIS_GFT_CUSTOM_ACTION_PROFILE_REVISION_1","features":[16]},{"name":"NDIS_GFT_CUSTOM_ACTION_REVISION_1","features":[16]},{"name":"NDIS_GFT_DELETE_PROFILE_ALL_PROFILES","features":[16]},{"name":"NDIS_GFT_DELETE_PROFILE_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_GFT_DELETE_TABLE_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_GFT_EMFE_ADD_IN_ACTIVATED_STATE","features":[16]},{"name":"NDIS_GFT_EMFE_ALL_VPORT_FLOW_ENTRIES","features":[16]},{"name":"NDIS_GFT_EMFE_COPY_AFTER_TCP_FIN_FLAG_SET","features":[16]},{"name":"NDIS_GFT_EMFE_COPY_AFTER_TCP_RST_FLAG_SET","features":[16]},{"name":"NDIS_GFT_EMFE_COPY_ALL_PACKETS","features":[16]},{"name":"NDIS_GFT_EMFE_COPY_CONDITION_CHANGED","features":[16]},{"name":"NDIS_GFT_EMFE_COPY_FIRST_PACKET","features":[16]},{"name":"NDIS_GFT_EMFE_COPY_WHEN_TCP_FLAG_SET","features":[16]},{"name":"NDIS_GFT_EMFE_COUNTER_ALLOCATE","features":[16]},{"name":"NDIS_GFT_EMFE_COUNTER_CLIENT_SPECIFIED_ADDRESS","features":[16]},{"name":"NDIS_GFT_EMFE_COUNTER_MEMORY_MAPPED","features":[16]},{"name":"NDIS_GFT_EMFE_COUNTER_TRACK_TCP_FLOW","features":[16]},{"name":"NDIS_GFT_EMFE_CUSTOM_ACTION_PRESENT","features":[16]},{"name":"NDIS_GFT_EMFE_MATCH_AND_ACTION_MUST_BE_SUPPORTED","features":[16]},{"name":"NDIS_GFT_EMFE_META_ACTION_BEFORE_HEADER_TRANSPOSITION","features":[16]},{"name":"NDIS_GFT_EMFE_RDMA_FLOW","features":[16]},{"name":"NDIS_GFT_EMFE_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT","features":[16]},{"name":"NDIS_GFT_EMFE_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[16]},{"name":"NDIS_GFT_EMFE_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT","features":[16]},{"name":"NDIS_GFT_EMFE_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[16]},{"name":"NDIS_GFT_EXACT_MATCH_FLOW_ENTRY_REVISION_1","features":[16]},{"name":"NDIS_GFT_FLOW_ENTRY_ARRAY_REVISION_1","features":[16]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ALL_NIC_SWITCH_FLOW_ENTRIES","features":[16]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ALL_TABLE_FLOW_ENTRIES","features":[16]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ALL_VPORT_FLOW_ENTRIES","features":[16]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ARRAY_COUNTER_VALUES","features":[16]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ARRAY_DEFINED","features":[16]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ARRAY_REVISION_1","features":[16]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_RANGE_DEFINED","features":[16]},{"name":"NDIS_GFT_FLOW_ENTRY_INFO_ALL_FLOW_ENTRIES","features":[16]},{"name":"NDIS_GFT_FLOW_ENTRY_INFO_ARRAY_REVISION_1","features":[16]},{"name":"NDIS_GFT_FREE_COUNTER_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_GFT_HEADER_GROUP_TRANSPOSITION_DECREMENT_TTL_IF_NOT_ONE","features":[16]},{"name":"NDIS_GFT_HEADER_GROUP_TRANSPOSITION_PROFILE_DECREMENT_TTL_IF_NOT_ONE","features":[16]},{"name":"NDIS_GFT_HEADER_GROUP_TRANSPOSITION_PROFILE_REVISION_1","features":[16]},{"name":"NDIS_GFT_HEADER_GROUP_TRANSPOSITION_REVISION_1","features":[16]},{"name":"NDIS_GFT_HEADER_TRANSPOSITION_PROFILE_REVISION_1","features":[16]},{"name":"NDIS_GFT_HTP_COPY_ALL_PACKETS","features":[16]},{"name":"NDIS_GFT_HTP_COPY_FIRST_PACKET","features":[16]},{"name":"NDIS_GFT_HTP_COPY_WHEN_TCP_FLAG_SET","features":[16]},{"name":"NDIS_GFT_HTP_CUSTOM_ACTION_PRESENT","features":[16]},{"name":"NDIS_GFT_HTP_META_ACTION_BEFORE_HEADER_TRANSPOSITION","features":[16]},{"name":"NDIS_GFT_HTP_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT","features":[16]},{"name":"NDIS_GFT_HTP_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[16]},{"name":"NDIS_GFT_HTP_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT","features":[16]},{"name":"NDIS_GFT_HTP_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[16]},{"name":"NDIS_GFT_MAX_COUNTER_OBJECTS_PER_FLOW_ENTRY","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPABILITIES_REVISION_1","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_8021P_PRIORITY_MASK","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_ADD_FLOW_ENTRY_DEACTIVATED_PREFERRED","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_ALLOW","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_CLIENT_SPECIFIED_MEMORY_MAPPED_COUNTERS","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_COMBINED_COUNTER_AND_STATE","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_COPY_ALL","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_COPY_FIRST","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_COPY_WHEN_TCP_FLAG_SET","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_DESIGNATED_EXCEPTION_VPORT","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_DROP","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_DSCP_MASK","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EGRESS_AGGREGATE_COUNTERS","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EGRESS_EXACT_MATCH","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EGRESS_WILDCARD_MATCH","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EXT_VPORT_EGRESS_EXACT_MATCH","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EXT_VPORT_EGRESS_WILDCARD_MATCH","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EXT_VPORT_INGRESS_EXACT_MATCH","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EXT_VPORT_INGRESS_WILDCARD_MATCH","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_IGNORE_ACTION_SUPPORTED","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_INGRESS_AGGREGATE_COUNTERS","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_INGRESS_EXACT_MATCH","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_INGRESS_WILDCARD_MATCH","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_MEMORY_MAPPED_COUNTERS","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_MEMORY_MAPPED_PAKCET_AND_BYTE_COUNTERS","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_META_ACTION_AFTER_HEADER_TRANSPOSITION","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_META_ACTION_BEFORE_HEADER_TRANSPOSITION","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_MODIFY","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_PER_FLOW_ENTRY_COUNTERS","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_PER_PACKET_COUNTER_UPDATE","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_PER_VPORT_EXCEPTION_VPORT","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_POP","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_PUSH","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_RATE_LIMITING_QUEUE_SUPPORTED","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_SAMPLE","features":[16]},{"name":"NDIS_GFT_OFFLOAD_CAPS_TRACK_TCP_FLOW_STATE","features":[16]},{"name":"NDIS_GFT_OFFLOAD_PARAMETERS_CUSTOM_PROVIDER_RESERVED","features":[16]},{"name":"NDIS_GFT_OFFLOAD_PARAMETERS_ENABLE_OFFLOAD","features":[16]},{"name":"NDIS_GFT_OFFLOAD_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_GFT_PROFILE_INFO_ARRAY_REVISION_1","features":[16]},{"name":"NDIS_GFT_PROFILE_INFO_REVISION_1","features":[16]},{"name":"NDIS_GFT_RESERVED_CUSTOM_ACTIONS","features":[16]},{"name":"NDIS_GFT_STATISTICS_REVISION_1","features":[16]},{"name":"NDIS_GFT_TABLE_INCLUDE_EXTERNAL_VPPORT","features":[16]},{"name":"NDIS_GFT_TABLE_INFO_ARRAY_REVISION_1","features":[16]},{"name":"NDIS_GFT_TABLE_INFO_REVISION_1","features":[16]},{"name":"NDIS_GFT_TABLE_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_GFT_UNDEFINED_COUNTER_ID","features":[16]},{"name":"NDIS_GFT_UNDEFINED_CUSTOM_ACTION","features":[16]},{"name":"NDIS_GFT_UNDEFINED_FLOW_ENTRY_ID","features":[16]},{"name":"NDIS_GFT_UNDEFINED_TABLE_ID","features":[16]},{"name":"NDIS_GFT_VPORT_DSCP_FLAGS_CHANGED","features":[16]},{"name":"NDIS_GFT_VPORT_DSCP_GUARD_ENABLE_RX","features":[16]},{"name":"NDIS_GFT_VPORT_DSCP_GUARD_ENABLE_TX","features":[16]},{"name":"NDIS_GFT_VPORT_DSCP_MASK_CHANGED","features":[16]},{"name":"NDIS_GFT_VPORT_DSCP_MASK_ENABLE_RX","features":[16]},{"name":"NDIS_GFT_VPORT_DSCP_MASK_ENABLE_TX","features":[16]},{"name":"NDIS_GFT_VPORT_ENABLE","features":[16]},{"name":"NDIS_GFT_VPORT_ENABLE_STATE_CHANGED","features":[16]},{"name":"NDIS_GFT_VPORT_EXCEPTION_VPORT_CHANGED","features":[16]},{"name":"NDIS_GFT_VPORT_MAX_DSCP_MASK_COUNTER_OBJECTS","features":[16]},{"name":"NDIS_GFT_VPORT_MAX_PRIORITY_MASK_COUNTER_OBJECTS","features":[16]},{"name":"NDIS_GFT_VPORT_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_GFT_VPORT_PARAMS_CHANGE_MASK","features":[16]},{"name":"NDIS_GFT_VPORT_PARAMS_CUSTOM_PROVIDER_RESERVED","features":[16]},{"name":"NDIS_GFT_VPORT_PARSE_VXLAN","features":[16]},{"name":"NDIS_GFT_VPORT_PARSE_VXLAN_NOT_IN_SRC_PORT_RANGE","features":[16]},{"name":"NDIS_GFT_VPORT_PRIORITY_MASK_CHANGED","features":[16]},{"name":"NDIS_GFT_VPORT_SAMPLING_RATE_CHANGED","features":[16]},{"name":"NDIS_GFT_VPORT_VXLAN_SETTINGS_CHANGED","features":[16]},{"name":"NDIS_GFT_WCFE_ADD_IN_ACTIVATED_STATE","features":[16]},{"name":"NDIS_GFT_WCFE_COPY_ALL_PACKETS","features":[16]},{"name":"NDIS_GFT_WCFE_COUNTER_ALLOCATE","features":[16]},{"name":"NDIS_GFT_WCFE_COUNTER_CLIENT_SPECIFIED_ADDRESS","features":[16]},{"name":"NDIS_GFT_WCFE_COUNTER_MEMORY_MAPPED","features":[16]},{"name":"NDIS_GFT_WCFE_CUSTOM_ACTION_PRESENT","features":[16]},{"name":"NDIS_GFT_WCFE_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT","features":[16]},{"name":"NDIS_GFT_WCFE_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[16]},{"name":"NDIS_GFT_WCFE_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT","features":[16]},{"name":"NDIS_GFT_WCFE_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[16]},{"name":"NDIS_GFT_WILDCARD_MATCH_FLOW_ENTRY_REVISION_1","features":[16]},{"name":"NDIS_GUID","features":[16]},{"name":"NDIS_HARDWARE_CROSSTIMESTAMP","features":[16]},{"name":"NDIS_HARDWARE_CROSSTIMESTAMP_REVISION_1","features":[16]},{"name":"NDIS_HARDWARE_STATUS","features":[16]},{"name":"NDIS_HASH_FUNCTION_MASK","features":[16]},{"name":"NDIS_HASH_IPV4","features":[16]},{"name":"NDIS_HASH_IPV6","features":[16]},{"name":"NDIS_HASH_IPV6_EX","features":[16]},{"name":"NDIS_HASH_TCP_IPV4","features":[16]},{"name":"NDIS_HASH_TCP_IPV6","features":[16]},{"name":"NDIS_HASH_TCP_IPV6_EX","features":[16]},{"name":"NDIS_HASH_TYPE_MASK","features":[16]},{"name":"NDIS_HASH_UDP_IPV4","features":[16]},{"name":"NDIS_HASH_UDP_IPV6","features":[16]},{"name":"NDIS_HASH_UDP_IPV6_EX","features":[16]},{"name":"NDIS_HD_SPLIT_CAPS_SUPPORTS_HEADER_DATA_SPLIT","features":[16]},{"name":"NDIS_HD_SPLIT_CAPS_SUPPORTS_IPV4_OPTIONS","features":[16]},{"name":"NDIS_HD_SPLIT_CAPS_SUPPORTS_IPV6_EXTENSION_HEADERS","features":[16]},{"name":"NDIS_HD_SPLIT_CAPS_SUPPORTS_TCP_OPTIONS","features":[16]},{"name":"NDIS_HD_SPLIT_COMBINE_ALL_HEADERS","features":[16]},{"name":"NDIS_HD_SPLIT_CURRENT_CONFIG_REVISION_1","features":[16]},{"name":"NDIS_HD_SPLIT_ENABLE_HEADER_DATA_SPLIT","features":[16]},{"name":"NDIS_HD_SPLIT_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_HYPERVISOR_INFO_FLAG_HYPERVISOR_PRESENT","features":[16]},{"name":"NDIS_HYPERVISOR_INFO_REVISION_1","features":[16]},{"name":"NDIS_INTERFACE_INFORMATION","features":[1,16]},{"name":"NDIS_INTERRUPT_MODERATION","features":[16]},{"name":"NDIS_INTERRUPT_MODERATION_CHANGE_NEEDS_REINITIALIZE","features":[16]},{"name":"NDIS_INTERRUPT_MODERATION_CHANGE_NEEDS_RESET","features":[16]},{"name":"NDIS_INTERRUPT_MODERATION_PARAMETERS","features":[16]},{"name":"NDIS_INTERRUPT_MODERATION_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_IPSEC_OFFLOAD_V1","features":[16]},{"name":"NDIS_IP_OPER_STATE","features":[16]},{"name":"NDIS_IP_OPER_STATE_REVISION_1","features":[16]},{"name":"NDIS_IP_OPER_STATUS","features":[16]},{"name":"NDIS_IP_OPER_STATUS_INFO","features":[16]},{"name":"NDIS_IP_OPER_STATUS_INFO_REVISION_1","features":[16]},{"name":"NDIS_IRDA_PACKET_INFO","features":[16]},{"name":"NDIS_ISOLATION_NAME_MAX_STRING_SIZE","features":[16]},{"name":"NDIS_ISOLATION_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_LINK_PARAMETERS","features":[16]},{"name":"NDIS_LINK_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_LINK_SPEED","features":[16]},{"name":"NDIS_LINK_STATE","features":[16]},{"name":"NDIS_LINK_STATE_DUPLEX_AUTO_NEGOTIATED","features":[16]},{"name":"NDIS_LINK_STATE_PAUSE_FUNCTIONS_AUTO_NEGOTIATED","features":[16]},{"name":"NDIS_LINK_STATE_RCV_LINK_SPEED_AUTO_NEGOTIATED","features":[16]},{"name":"NDIS_LINK_STATE_REVISION_1","features":[16]},{"name":"NDIS_LINK_STATE_XMIT_LINK_SPEED_AUTO_NEGOTIATED","features":[16]},{"name":"NDIS_MAC_OPTION_8021P_PRIORITY","features":[16]},{"name":"NDIS_MAC_OPTION_8021Q_VLAN","features":[16]},{"name":"NDIS_MAC_OPTION_COPY_LOOKAHEAD_DATA","features":[16]},{"name":"NDIS_MAC_OPTION_EOTX_INDICATION","features":[16]},{"name":"NDIS_MAC_OPTION_FULL_DUPLEX","features":[16]},{"name":"NDIS_MAC_OPTION_NO_LOOPBACK","features":[16]},{"name":"NDIS_MAC_OPTION_RECEIVE_AT_DPC","features":[16]},{"name":"NDIS_MAC_OPTION_RECEIVE_SERIALIZED","features":[16]},{"name":"NDIS_MAC_OPTION_RESERVED","features":[16]},{"name":"NDIS_MAC_OPTION_SUPPORTS_MAC_ADDRESS_OVERWRITE","features":[16]},{"name":"NDIS_MAC_OPTION_TRANSFERS_NOT_PEND","features":[16]},{"name":"NDIS_MAXIMUM_PORTS","features":[16]},{"name":"NDIS_MEDIA_CAP_RECEIVE","features":[16]},{"name":"NDIS_MEDIA_CAP_TRANSMIT","features":[16]},{"name":"NDIS_MEDIA_STATE","features":[16]},{"name":"NDIS_MEDIUM","features":[16]},{"name":"NDIS_NDK_CAPABILITIES_REVISION_1","features":[16]},{"name":"NDIS_NDK_CONNECTIONS_REVISION_1","features":[16]},{"name":"NDIS_NDK_LOCAL_ENDPOINTS_REVISION_1","features":[16]},{"name":"NDIS_NDK_STATISTICS_INFO_REVISION_1","features":[16]},{"name":"NDIS_NETWORK_CHANGE_TYPE","features":[16]},{"name":"NDIS_NIC_SWITCH_CAPABILITIES_REVISION_1","features":[16]},{"name":"NDIS_NIC_SWITCH_CAPABILITIES_REVISION_2","features":[16]},{"name":"NDIS_NIC_SWITCH_CAPABILITIES_REVISION_3","features":[16]},{"name":"NDIS_NIC_SWITCH_CAPS_ASYMMETRIC_QUEUE_PAIRS_FOR_NONDEFAULT_VPORT_SUPPORTED","features":[16]},{"name":"NDIS_NIC_SWITCH_CAPS_NIC_SWITCH_WITHOUT_IOV_SUPPORTED","features":[16]},{"name":"NDIS_NIC_SWITCH_CAPS_PER_VPORT_INTERRUPT_MODERATION_SUPPORTED","features":[16]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_ON_PF_VPORTS_SUPPORTED","features":[16]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PARAMETERS_PER_PF_VPORT_SUPPORTED","features":[16]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PER_PF_VPORT_HASH_FUNCTION_SUPPORTED","features":[16]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PER_PF_VPORT_HASH_KEY_SUPPORTED","features":[16]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PER_PF_VPORT_HASH_TYPE_SUPPORTED","features":[16]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PER_PF_VPORT_INDIRECTION_TABLE_SIZE_RESTRICTED","features":[16]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PER_PF_VPORT_INDIRECTION_TABLE_SUPPORTED","features":[16]},{"name":"NDIS_NIC_SWITCH_CAPS_SINGLE_VPORT_POOL","features":[16]},{"name":"NDIS_NIC_SWITCH_CAPS_VF_RSS_SUPPORTED","features":[16]},{"name":"NDIS_NIC_SWITCH_CAPS_VLAN_SUPPORTED","features":[16]},{"name":"NDIS_NIC_SWITCH_DELETE_SWITCH_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_NIC_SWITCH_DELETE_VPORT_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_NIC_SWITCH_FREE_VF_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_NIC_SWITCH_INFO_ARRAY_REVISION_1","features":[16]},{"name":"NDIS_NIC_SWITCH_INFO_REVISION_1","features":[16]},{"name":"NDIS_NIC_SWITCH_PARAMETERS_CHANGE_MASK","features":[16]},{"name":"NDIS_NIC_SWITCH_PARAMETERS_DEFAULT_NUMBER_OF_QUEUE_PAIRS_FOR_DEFAULT_VPORT","features":[16]},{"name":"NDIS_NIC_SWITCH_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_NIC_SWITCH_PARAMETERS_REVISION_2","features":[16]},{"name":"NDIS_NIC_SWITCH_PARAMETERS_SWITCH_NAME_CHANGED","features":[16]},{"name":"NDIS_NIC_SWITCH_VF_INFO_ARRAY_ENUM_ON_SPECIFIC_SWITCH","features":[16]},{"name":"NDIS_NIC_SWITCH_VF_INFO_ARRAY_REVISION_1","features":[16]},{"name":"NDIS_NIC_SWITCH_VF_INFO_REVISION_1","features":[16]},{"name":"NDIS_NIC_SWITCH_VF_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_ARRAY_ENUM_ON_SPECIFIC_FUNCTION","features":[16]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_ARRAY_ENUM_ON_SPECIFIC_SWITCH","features":[16]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_ARRAY_REVISION_1","features":[16]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_GFT_ENABLED","features":[16]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_LOOKAHEAD_SPLIT_ENABLED","features":[16]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_PACKET_DIRECT_RX_ONLY","features":[16]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_REVISION_1","features":[16]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMETERS_REVISION_2","features":[16]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_CHANGE_MASK","features":[16]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_ENFORCE_MAX_SG_LIST","features":[16]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_FLAGS_CHANGED","features":[16]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_INT_MOD_CHANGED","features":[16]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_LOOKAHEAD_SPLIT_ENABLED","features":[16]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_NAME_CHANGED","features":[16]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_NDK_PARAMS_CHANGED","features":[16]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_NUM_QUEUE_PAIRS_CHANGED","features":[16]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_PACKET_DIRECT_RX_ONLY","features":[16]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_PROCESSOR_AFFINITY_CHANGED","features":[16]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_QOS_SQ_ID_CHANGED","features":[16]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_STATE_CHANGED","features":[16]},{"name":"NDIS_OBJECT_HEADER","features":[16]},{"name":"NDIS_OBJECT_REVISION_1","features":[16]},{"name":"NDIS_OBJECT_TYPE_BIND_PARAMETERS","features":[16]},{"name":"NDIS_OBJECT_TYPE_CLIENT_CHIMNEY_OFFLOAD_CHARACTERISTICS","features":[16]},{"name":"NDIS_OBJECT_TYPE_CLIENT_CHIMNEY_OFFLOAD_GENERIC_CHARACTERISTICS","features":[16]},{"name":"NDIS_OBJECT_TYPE_CONFIGURATION_OBJECT","features":[16]},{"name":"NDIS_OBJECT_TYPE_CO_CALL_MANAGER_OPTIONAL_HANDLERS","features":[16]},{"name":"NDIS_OBJECT_TYPE_CO_CLIENT_OPTIONAL_HANDLERS","features":[16]},{"name":"NDIS_OBJECT_TYPE_CO_MINIPORT_CHARACTERISTICS","features":[16]},{"name":"NDIS_OBJECT_TYPE_CO_PROTOCOL_CHARACTERISTICS","features":[16]},{"name":"NDIS_OBJECT_TYPE_DEFAULT","features":[16]},{"name":"NDIS_OBJECT_TYPE_DEVICE_OBJECT_ATTRIBUTES","features":[16]},{"name":"NDIS_OBJECT_TYPE_DRIVER_WRAPPER_OBJECT","features":[16]},{"name":"NDIS_OBJECT_TYPE_FILTER_ATTACH_PARAMETERS","features":[16]},{"name":"NDIS_OBJECT_TYPE_FILTER_ATTRIBUTES","features":[16]},{"name":"NDIS_OBJECT_TYPE_FILTER_DRIVER_CHARACTERISTICS","features":[16]},{"name":"NDIS_OBJECT_TYPE_FILTER_PARTIAL_CHARACTERISTICS","features":[16]},{"name":"NDIS_OBJECT_TYPE_FILTER_PAUSE_PARAMETERS","features":[16]},{"name":"NDIS_OBJECT_TYPE_FILTER_RESTART_PARAMETERS","features":[16]},{"name":"NDIS_OBJECT_TYPE_HD_SPLIT_ATTRIBUTES","features":[16]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_GENERAL_ATTRIBUTES","features":[16]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_HARDWARE_ASSIST_ATTRIBUTES","features":[16]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_NATIVE_802_11_ATTRIBUTES","features":[16]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_NDK_ATTRIBUTES","features":[16]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_OFFLOAD_ATTRIBUTES","features":[16]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_PACKET_DIRECT_ATTRIBUTES","features":[16]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_REGISTRATION_ATTRIBUTES","features":[16]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADD_DEVICE_REGISTRATION_ATTRIBUTES","features":[16]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_DEVICE_POWER_NOTIFICATION","features":[16]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_DRIVER_CHARACTERISTICS","features":[16]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_INIT_PARAMETERS","features":[16]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_INTERRUPT","features":[16]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_PNP_CHARACTERISTICS","features":[16]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_SS_CHARACTERISTICS","features":[16]},{"name":"NDIS_OBJECT_TYPE_NDK_PROVIDER_CHARACTERISTICS","features":[16]},{"name":"NDIS_OBJECT_TYPE_NSI_COMPARTMENT_RW_STRUCT","features":[16]},{"name":"NDIS_OBJECT_TYPE_NSI_INTERFACE_PERSIST_RW_STRUCT","features":[16]},{"name":"NDIS_OBJECT_TYPE_NSI_NETWORK_RW_STRUCT","features":[16]},{"name":"NDIS_OBJECT_TYPE_OFFLOAD","features":[16]},{"name":"NDIS_OBJECT_TYPE_OFFLOAD_ENCAPSULATION","features":[16]},{"name":"NDIS_OBJECT_TYPE_OID_REQUEST","features":[16]},{"name":"NDIS_OBJECT_TYPE_OPEN_PARAMETERS","features":[16]},{"name":"NDIS_OBJECT_TYPE_PCI_DEVICE_CUSTOM_PROPERTIES_REVISION_1","features":[16]},{"name":"NDIS_OBJECT_TYPE_PCI_DEVICE_CUSTOM_PROPERTIES_REVISION_2","features":[16]},{"name":"NDIS_OBJECT_TYPE_PD_RECEIVE_QUEUE","features":[16]},{"name":"NDIS_OBJECT_TYPE_PD_TRANSMIT_QUEUE","features":[16]},{"name":"NDIS_OBJECT_TYPE_PORT_CHARACTERISTICS","features":[16]},{"name":"NDIS_OBJECT_TYPE_PORT_STATE","features":[16]},{"name":"NDIS_OBJECT_TYPE_PROTOCOL_DRIVER_CHARACTERISTICS","features":[16]},{"name":"NDIS_OBJECT_TYPE_PROTOCOL_RESTART_PARAMETERS","features":[16]},{"name":"NDIS_OBJECT_TYPE_PROVIDER_CHIMNEY_OFFLOAD_CHARACTERISTICS","features":[16]},{"name":"NDIS_OBJECT_TYPE_PROVIDER_CHIMNEY_OFFLOAD_GENERIC_CHARACTERISTICS","features":[16]},{"name":"NDIS_OBJECT_TYPE_QOS_CAPABILITIES","features":[16]},{"name":"NDIS_OBJECT_TYPE_QOS_CLASSIFICATION_ELEMENT","features":[16]},{"name":"NDIS_OBJECT_TYPE_QOS_PARAMETERS","features":[16]},{"name":"NDIS_OBJECT_TYPE_REQUEST_EX","features":[16]},{"name":"NDIS_OBJECT_TYPE_RESTART_GENERAL_ATTRIBUTES","features":[16]},{"name":"NDIS_OBJECT_TYPE_RSS_CAPABILITIES","features":[16]},{"name":"NDIS_OBJECT_TYPE_RSS_PARAMETERS","features":[16]},{"name":"NDIS_OBJECT_TYPE_RSS_PARAMETERS_V2","features":[16]},{"name":"NDIS_OBJECT_TYPE_RSS_PROCESSOR_INFO","features":[16]},{"name":"NDIS_OBJECT_TYPE_RSS_SET_INDIRECTION_ENTRIES","features":[16]},{"name":"NDIS_OBJECT_TYPE_SG_DMA_DESCRIPTION","features":[16]},{"name":"NDIS_OBJECT_TYPE_SHARED_MEMORY_PROVIDER_CHARACTERISTICS","features":[16]},{"name":"NDIS_OBJECT_TYPE_STATUS_INDICATION","features":[16]},{"name":"NDIS_OBJECT_TYPE_SWITCH_OPTIONAL_HANDLERS","features":[16]},{"name":"NDIS_OBJECT_TYPE_TIMER_CHARACTERISTICS","features":[16]},{"name":"NDIS_OFFLOAD","features":[16]},{"name":"NDIS_OFFLOAD_FLAGS_GROUP_CHECKSUM_CAPABILITIES","features":[16]},{"name":"NDIS_OFFLOAD_NOT_SUPPORTED","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_CONNECTION_OFFLOAD_DISABLED","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_CONNECTION_OFFLOAD_ENABLED","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV1_AH_AND_ESP_ENABLED","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV1_AH_ENABLED","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV1_DISABLED","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV1_ESP_ENABLED","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV2_AH_AND_ESP_ENABLED","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV2_AH_ENABLED","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV2_DISABLED","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV2_ESP_ENABLED","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_LSOV1_DISABLED","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_LSOV1_ENABLED","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_LSOV2_DISABLED","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_LSOV2_ENABLED","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_NO_CHANGE","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_REVISION_2","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_REVISION_3","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_REVISION_4","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_REVISION_5","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_RSC_DISABLED","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_RSC_ENABLED","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_RX_ENABLED_TX_DISABLED","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_SKIP_REGISTRY_UPDATE","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_TX_ENABLED_RX_DISABLED","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_TX_RX_DISABLED","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_TX_RX_ENABLED","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_USO_DISABLED","features":[16]},{"name":"NDIS_OFFLOAD_PARAMETERS_USO_ENABLED","features":[16]},{"name":"NDIS_OFFLOAD_REVISION_1","features":[16]},{"name":"NDIS_OFFLOAD_REVISION_2","features":[16]},{"name":"NDIS_OFFLOAD_REVISION_3","features":[16]},{"name":"NDIS_OFFLOAD_REVISION_4","features":[16]},{"name":"NDIS_OFFLOAD_REVISION_5","features":[16]},{"name":"NDIS_OFFLOAD_REVISION_6","features":[16]},{"name":"NDIS_OFFLOAD_REVISION_7","features":[16]},{"name":"NDIS_OFFLOAD_SET_NO_CHANGE","features":[16]},{"name":"NDIS_OFFLOAD_SET_OFF","features":[16]},{"name":"NDIS_OFFLOAD_SET_ON","features":[16]},{"name":"NDIS_OFFLOAD_SUPPORTED","features":[16]},{"name":"NDIS_OPER_STATE","features":[16]},{"name":"NDIS_OPER_STATE_REVISION_1","features":[16]},{"name":"NDIS_PACKET_TYPE_ALL_FUNCTIONAL","features":[16]},{"name":"NDIS_PACKET_TYPE_ALL_LOCAL","features":[16]},{"name":"NDIS_PACKET_TYPE_ALL_MULTICAST","features":[16]},{"name":"NDIS_PACKET_TYPE_BROADCAST","features":[16]},{"name":"NDIS_PACKET_TYPE_DIRECTED","features":[16]},{"name":"NDIS_PACKET_TYPE_FUNCTIONAL","features":[16]},{"name":"NDIS_PACKET_TYPE_GROUP","features":[16]},{"name":"NDIS_PACKET_TYPE_MAC_FRAME","features":[16]},{"name":"NDIS_PACKET_TYPE_MULTICAST","features":[16]},{"name":"NDIS_PACKET_TYPE_NO_LOCAL","features":[16]},{"name":"NDIS_PACKET_TYPE_PROMISCUOUS","features":[16]},{"name":"NDIS_PACKET_TYPE_SMT","features":[16]},{"name":"NDIS_PACKET_TYPE_SOURCE_ROUTING","features":[16]},{"name":"NDIS_PCI_DEVICE_CUSTOM_PROPERTIES","features":[16]},{"name":"NDIS_PD_CAPABILITIES_REVISION_1","features":[16]},{"name":"NDIS_PD_CAPS_DRAIN_NOTIFICATIONS_SUPPORTED","features":[16]},{"name":"NDIS_PD_CAPS_NOTIFICATION_MODERATION_COUNT_SUPPORTED","features":[16]},{"name":"NDIS_PD_CAPS_NOTIFICATION_MODERATION_INTERVAL_SUPPORTED","features":[16]},{"name":"NDIS_PD_CAPS_RECEIVE_FILTER_COUNTERS_SUPPORTED","features":[16]},{"name":"NDIS_PD_CONFIG_REVISION_1","features":[16]},{"name":"NDIS_PHYSICAL_MEDIUM","features":[16]},{"name":"NDIS_PM_CAPABILITIES_REVISION_1","features":[16]},{"name":"NDIS_PM_CAPABILITIES_REVISION_2","features":[16]},{"name":"NDIS_PM_MAX_PATTERN_ID","features":[16]},{"name":"NDIS_PM_MAX_STRING_SIZE","features":[16]},{"name":"NDIS_PM_PACKET_PATTERN","features":[16]},{"name":"NDIS_PM_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_PM_PARAMETERS_REVISION_2","features":[16]},{"name":"NDIS_PM_PRIVATE_PATTERN_ID","features":[16]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_80211_RSN_REKEY_ENABLED","features":[16]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_80211_RSN_REKEY_SUPPORTED","features":[16]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_ARP_ENABLED","features":[16]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_ARP_SUPPORTED","features":[16]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_NS_ENABLED","features":[16]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_NS_SUPPORTED","features":[16]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_PRIORITY_HIGHEST","features":[16]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_PRIORITY_LOWEST","features":[16]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_PRIORITY_NORMAL","features":[16]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_REVISION_1","features":[16]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_REVISION_2","features":[16]},{"name":"NDIS_PM_SELECTIVE_SUSPEND_ENABLED","features":[16]},{"name":"NDIS_PM_SELECTIVE_SUSPEND_SUPPORTED","features":[16]},{"name":"NDIS_PM_WAKE_ON_LINK_CHANGE_ENABLED","features":[16]},{"name":"NDIS_PM_WAKE_ON_MEDIA_CONNECT_SUPPORTED","features":[16]},{"name":"NDIS_PM_WAKE_ON_MEDIA_DISCONNECT_ENABLED","features":[16]},{"name":"NDIS_PM_WAKE_ON_MEDIA_DISCONNECT_SUPPORTED","features":[16]},{"name":"NDIS_PM_WAKE_PACKET_INDICATION_SUPPORTED","features":[16]},{"name":"NDIS_PM_WAKE_PACKET_REVISION_1","features":[16]},{"name":"NDIS_PM_WAKE_REASON_REVISION_1","features":[16]},{"name":"NDIS_PM_WAKE_UP_CAPABILITIES","features":[16]},{"name":"NDIS_PM_WOL_BITMAP_PATTERN_ENABLED","features":[16]},{"name":"NDIS_PM_WOL_BITMAP_PATTERN_SUPPORTED","features":[16]},{"name":"NDIS_PM_WOL_EAPOL_REQUEST_ID_MESSAGE_ENABLED","features":[16]},{"name":"NDIS_PM_WOL_EAPOL_REQUEST_ID_MESSAGE_SUPPORTED","features":[16]},{"name":"NDIS_PM_WOL_IPV4_DEST_ADDR_WILDCARD_ENABLED","features":[16]},{"name":"NDIS_PM_WOL_IPV4_DEST_ADDR_WILDCARD_SUPPORTED","features":[16]},{"name":"NDIS_PM_WOL_IPV4_TCP_SYN_ENABLED","features":[16]},{"name":"NDIS_PM_WOL_IPV4_TCP_SYN_SUPPORTED","features":[16]},{"name":"NDIS_PM_WOL_IPV6_DEST_ADDR_WILDCARD_ENABLED","features":[16]},{"name":"NDIS_PM_WOL_IPV6_DEST_ADDR_WILDCARD_SUPPORTED","features":[16]},{"name":"NDIS_PM_WOL_IPV6_TCP_SYN_ENABLED","features":[16]},{"name":"NDIS_PM_WOL_IPV6_TCP_SYN_SUPPORTED","features":[16]},{"name":"NDIS_PM_WOL_MAGIC_PACKET_ENABLED","features":[16]},{"name":"NDIS_PM_WOL_MAGIC_PACKET_SUPPORTED","features":[16]},{"name":"NDIS_PM_WOL_PATTERN_REVISION_1","features":[16]},{"name":"NDIS_PM_WOL_PATTERN_REVISION_2","features":[16]},{"name":"NDIS_PM_WOL_PRIORITY_HIGHEST","features":[16]},{"name":"NDIS_PM_WOL_PRIORITY_LOWEST","features":[16]},{"name":"NDIS_PM_WOL_PRIORITY_NORMAL","features":[16]},{"name":"NDIS_PNP_CAPABILITIES","features":[16]},{"name":"NDIS_PNP_WAKE_UP_LINK_CHANGE","features":[16]},{"name":"NDIS_PNP_WAKE_UP_MAGIC_PACKET","features":[16]},{"name":"NDIS_PNP_WAKE_UP_PATTERN_MATCH","features":[16]},{"name":"NDIS_PORT","features":[16]},{"name":"NDIS_PORT_ARRAY","features":[16]},{"name":"NDIS_PORT_ARRAY_REVISION_1","features":[16]},{"name":"NDIS_PORT_AUTHENTICATION_PARAMETERS","features":[16]},{"name":"NDIS_PORT_AUTHENTICATION_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_PORT_AUTHORIZATION_STATE","features":[16]},{"name":"NDIS_PORT_CHARACTERISTICS","features":[16]},{"name":"NDIS_PORT_CHARACTERISTICS_REVISION_1","features":[16]},{"name":"NDIS_PORT_CHAR_USE_DEFAULT_AUTH_SETTINGS","features":[16]},{"name":"NDIS_PORT_CONTROL_STATE","features":[16]},{"name":"NDIS_PORT_STATE","features":[16]},{"name":"NDIS_PORT_STATE_REVISION_1","features":[16]},{"name":"NDIS_PORT_TYPE","features":[16]},{"name":"NDIS_PROCESSOR_VENDOR","features":[16]},{"name":"NDIS_PROTOCOL_ID_DEFAULT","features":[16]},{"name":"NDIS_PROTOCOL_ID_IP6","features":[16]},{"name":"NDIS_PROTOCOL_ID_IPX","features":[16]},{"name":"NDIS_PROTOCOL_ID_MASK","features":[16]},{"name":"NDIS_PROTOCOL_ID_MAX","features":[16]},{"name":"NDIS_PROTOCOL_ID_NBF","features":[16]},{"name":"NDIS_PROTOCOL_ID_TCP_IP","features":[16]},{"name":"NDIS_PROT_OPTION_ESTIMATED_LENGTH","features":[16]},{"name":"NDIS_PROT_OPTION_NO_LOOPBACK","features":[16]},{"name":"NDIS_PROT_OPTION_NO_RSVD_ON_RCVPKT","features":[16]},{"name":"NDIS_PROT_OPTION_SEND_RESTRICTED","features":[16]},{"name":"NDIS_QOS_ACTION_MAXIMUM","features":[16]},{"name":"NDIS_QOS_ACTION_PRIORITY","features":[16]},{"name":"NDIS_QOS_CAPABILITIES_CEE_DCBX_SUPPORTED","features":[16]},{"name":"NDIS_QOS_CAPABILITIES_IEEE_DCBX_SUPPORTED","features":[16]},{"name":"NDIS_QOS_CAPABILITIES_MACSEC_BYPASS_SUPPORTED","features":[16]},{"name":"NDIS_QOS_CAPABILITIES_REVISION_1","features":[16]},{"name":"NDIS_QOS_CAPABILITIES_STRICT_TSA_SUPPORTED","features":[16]},{"name":"NDIS_QOS_CLASSIFICATION_ELEMENT_REVISION_1","features":[16]},{"name":"NDIS_QOS_CLASSIFICATION_ENFORCED_BY_MINIPORT","features":[16]},{"name":"NDIS_QOS_CLASSIFICATION_SET_BY_MINIPORT_MASK","features":[16]},{"name":"NDIS_QOS_CONDITION_DEFAULT","features":[16]},{"name":"NDIS_QOS_CONDITION_ETHERTYPE","features":[16]},{"name":"NDIS_QOS_CONDITION_MAXIMUM","features":[16]},{"name":"NDIS_QOS_CONDITION_NETDIRECT_PORT","features":[16]},{"name":"NDIS_QOS_CONDITION_RESERVED","features":[16]},{"name":"NDIS_QOS_CONDITION_TCP_OR_UDP_PORT","features":[16]},{"name":"NDIS_QOS_CONDITION_TCP_PORT","features":[16]},{"name":"NDIS_QOS_CONDITION_UDP_PORT","features":[16]},{"name":"NDIS_QOS_DEFAULT_SQ_ID","features":[16]},{"name":"NDIS_QOS_MAXIMUM_PRIORITIES","features":[16]},{"name":"NDIS_QOS_MAXIMUM_TRAFFIC_CLASSES","features":[16]},{"name":"NDIS_QOS_OFFLOAD_CAPABILITIES_REVISION_1","features":[16]},{"name":"NDIS_QOS_OFFLOAD_CAPABILITIES_REVISION_2","features":[16]},{"name":"NDIS_QOS_OFFLOAD_CAPS_GFT_SQ","features":[16]},{"name":"NDIS_QOS_OFFLOAD_CAPS_STANDARD_SQ","features":[16]},{"name":"NDIS_QOS_PARAMETERS_CLASSIFICATION_CHANGED","features":[16]},{"name":"NDIS_QOS_PARAMETERS_CLASSIFICATION_CONFIGURED","features":[16]},{"name":"NDIS_QOS_PARAMETERS_ETS_CHANGED","features":[16]},{"name":"NDIS_QOS_PARAMETERS_ETS_CONFIGURED","features":[16]},{"name":"NDIS_QOS_PARAMETERS_PFC_CHANGED","features":[16]},{"name":"NDIS_QOS_PARAMETERS_PFC_CONFIGURED","features":[16]},{"name":"NDIS_QOS_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_QOS_PARAMETERS_WILLING","features":[16]},{"name":"NDIS_QOS_SQ_ARRAY_REVISION_1","features":[16]},{"name":"NDIS_QOS_SQ_PARAMETERS_ARRAY_REVISION_1","features":[16]},{"name":"NDIS_QOS_SQ_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_QOS_SQ_PARAMETERS_REVISION_2","features":[16]},{"name":"NDIS_QOS_SQ_RECEIVE_CAP_ENABLED","features":[16]},{"name":"NDIS_QOS_SQ_STATS_REVISION_1","features":[16]},{"name":"NDIS_QOS_SQ_TRANSMIT_CAP_ENABLED","features":[16]},{"name":"NDIS_QOS_SQ_TRANSMIT_RESERVATION_ENABLED","features":[16]},{"name":"NDIS_QOS_TSA_CBS","features":[16]},{"name":"NDIS_QOS_TSA_ETS","features":[16]},{"name":"NDIS_QOS_TSA_MAXIMUM","features":[16]},{"name":"NDIS_QOS_TSA_STRICT","features":[16]},{"name":"NDIS_RECEIVE_FILTER_ANY_VLAN_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_ARP_HEADER_OPERATION_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_ARP_HEADER_SPA_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_ARP_HEADER_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_ARP_HEADER_TPA_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_CAPABILITIES_REVISION_1","features":[16]},{"name":"NDIS_RECEIVE_FILTER_CAPABILITIES_REVISION_2","features":[16]},{"name":"NDIS_RECEIVE_FILTER_CLEAR_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_RECEIVE_FILTER_DYNAMIC_PROCESSOR_AFFINITY_CHANGE_FOR_DEFAULT_QUEUE_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_DYNAMIC_PROCESSOR_AFFINITY_CHANGE_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_FIELD_MAC_HEADER_VLAN_UNTAGGED_OR_ZERO","features":[16]},{"name":"NDIS_RECEIVE_FILTER_FIELD_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_RECEIVE_FILTER_FIELD_PARAMETERS_REVISION_2","features":[16]},{"name":"NDIS_RECEIVE_FILTER_FLAGS_RESERVED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_GLOBAL_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_RECEIVE_FILTER_IMPLAT_MIN_OF_QUEUES_MODE","features":[16]},{"name":"NDIS_RECEIVE_FILTER_IMPLAT_SUM_OF_QUEUES_MODE","features":[16]},{"name":"NDIS_RECEIVE_FILTER_INFO_ARRAY_REVISION_1","features":[16]},{"name":"NDIS_RECEIVE_FILTER_INFO_ARRAY_REVISION_2","features":[16]},{"name":"NDIS_RECEIVE_FILTER_INFO_ARRAY_VPORT_ID_SPECIFIED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_INFO_REVISION_1","features":[16]},{"name":"NDIS_RECEIVE_FILTER_INTERRUPT_VECTOR_COALESCING_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_IPV4_HEADER_PROTOCOL_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_IPV4_HEADER_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_IPV6_HEADER_PROTOCOL_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_IPV6_HEADER_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_LOOKAHEAD_SPLIT_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_DEST_ADDR_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_PACKET_TYPE_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_PRIORITY_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_PROTOCOL_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_SOURCE_ADDR_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_VLAN_ID_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_MOVE_FILTER_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_RECEIVE_FILTER_MSI_X_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_PACKET_COALESCING_FILTERS_ENABLED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_PACKET_COALESCING_SUPPORTED_ON_DEFAULT_QUEUE","features":[16]},{"name":"NDIS_RECEIVE_FILTER_PACKET_ENCAPSULATION","features":[16]},{"name":"NDIS_RECEIVE_FILTER_PACKET_ENCAPSULATION_GRE","features":[16]},{"name":"NDIS_RECEIVE_FILTER_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_RECEIVE_FILTER_PARAMETERS_REVISION_2","features":[16]},{"name":"NDIS_RECEIVE_FILTER_RESERVED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_TEST_HEADER_FIELD_EQUAL_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_TEST_HEADER_FIELD_MASK_EQUAL_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_TEST_HEADER_FIELD_NOT_EQUAL_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_UDP_HEADER_DEST_PORT_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_UDP_HEADER_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_VMQ_FILTERS_ENABLED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_VM_QUEUES_ENABLED","features":[16]},{"name":"NDIS_RECEIVE_FILTER_VM_QUEUE_SUPPORTED","features":[16]},{"name":"NDIS_RECEIVE_HASH_FLAG_ENABLE_HASH","features":[16]},{"name":"NDIS_RECEIVE_HASH_FLAG_HASH_INFO_UNCHANGED","features":[16]},{"name":"NDIS_RECEIVE_HASH_FLAG_HASH_KEY_UNCHANGED","features":[16]},{"name":"NDIS_RECEIVE_HASH_PARAMETERS","features":[16]},{"name":"NDIS_RECEIVE_HASH_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_RECEIVE_QUEUE_ALLOCATION_COMPLETE_ARRAY_REVISION_1","features":[16]},{"name":"NDIS_RECEIVE_QUEUE_ALLOCATION_COMPLETE_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_RECEIVE_QUEUE_FREE_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_RECEIVE_QUEUE_INFO_ARRAY_REVISION_1","features":[16]},{"name":"NDIS_RECEIVE_QUEUE_INFO_REVISION_1","features":[16]},{"name":"NDIS_RECEIVE_QUEUE_INFO_REVISION_2","features":[16]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_CHANGE_MASK","features":[16]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_FLAGS_CHANGED","features":[16]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_INTERRUPT_COALESCING_DOMAIN_ID_CHANGED","features":[16]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_LOOKAHEAD_SPLIT_REQUIRED","features":[16]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_NAME_CHANGED","features":[16]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_PER_QUEUE_RECEIVE_INDICATION","features":[16]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_PROCESSOR_AFFINITY_CHANGED","features":[16]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_QOS_SQ_ID_CHANGED","features":[16]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_REVISION_2","features":[16]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_REVISION_3","features":[16]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_SUGGESTED_RECV_BUFFER_NUMBERS_CHANGED","features":[16]},{"name":"NDIS_RECEIVE_SCALE_CAPABILITIES","features":[16]},{"name":"NDIS_RECEIVE_SCALE_CAPABILITIES_REVISION_1","features":[16]},{"name":"NDIS_RECEIVE_SCALE_CAPABILITIES_REVISION_2","features":[16]},{"name":"NDIS_RECEIVE_SCALE_CAPABILITIES_REVISION_3","features":[16]},{"name":"NDIS_RECEIVE_SCALE_PARAMETERS","features":[16]},{"name":"NDIS_RECEIVE_SCALE_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_RECEIVE_SCALE_PARAMETERS_REVISION_2","features":[16]},{"name":"NDIS_RECEIVE_SCALE_PARAMETERS_REVISION_3","features":[16]},{"name":"NDIS_RECEIVE_SCALE_PARAMETERS_V2_REVISION_1","features":[16]},{"name":"NDIS_RECEIVE_SCALE_PARAM_ENABLE_RSS","features":[16]},{"name":"NDIS_RECEIVE_SCALE_PARAM_HASH_INFO_CHANGED","features":[16]},{"name":"NDIS_RECEIVE_SCALE_PARAM_HASH_KEY_CHANGED","features":[16]},{"name":"NDIS_RECEIVE_SCALE_PARAM_NUMBER_OF_ENTRIES_CHANGED","features":[16]},{"name":"NDIS_RECEIVE_SCALE_PARAM_NUMBER_OF_QUEUES_CHANGED","features":[16]},{"name":"NDIS_REQUEST_TYPE","features":[16]},{"name":"NDIS_RING_AUTO_REMOVAL_ERROR","features":[16]},{"name":"NDIS_RING_COUNTER_OVERFLOW","features":[16]},{"name":"NDIS_RING_HARD_ERROR","features":[16]},{"name":"NDIS_RING_LOBE_WIRE_FAULT","features":[16]},{"name":"NDIS_RING_REMOVE_RECEIVED","features":[16]},{"name":"NDIS_RING_RING_RECOVERY","features":[16]},{"name":"NDIS_RING_SIGNAL_LOSS","features":[16]},{"name":"NDIS_RING_SINGLE_STATION","features":[16]},{"name":"NDIS_RING_SOFT_ERROR","features":[16]},{"name":"NDIS_RING_TRANSMIT_BEACON","features":[16]},{"name":"NDIS_ROUTING_DOMAIN_ENTRY_REVISION_1","features":[16]},{"name":"NDIS_ROUTING_DOMAIN_ISOLATION_ENTRY_REVISION_1","features":[16]},{"name":"NDIS_RSC_STATISTICS_REVISION_1","features":[16]},{"name":"NDIS_RSS_CAPS_CLASSIFICATION_AT_DPC","features":[16]},{"name":"NDIS_RSS_CAPS_CLASSIFICATION_AT_ISR","features":[16]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_TCP_IPV4","features":[16]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_TCP_IPV6","features":[16]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_TCP_IPV6_EX","features":[16]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_UDP_IPV4","features":[16]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_UDP_IPV6","features":[16]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_UDP_IPV6_EX","features":[16]},{"name":"NDIS_RSS_CAPS_MESSAGE_SIGNALED_INTERRUPTS","features":[16]},{"name":"NDIS_RSS_CAPS_RSS_AVAILABLE_ON_PORTS","features":[16]},{"name":"NDIS_RSS_CAPS_SUPPORTS_INDEPENDENT_ENTRY_MOVE","features":[16]},{"name":"NDIS_RSS_CAPS_SUPPORTS_MSI_X","features":[16]},{"name":"NDIS_RSS_CAPS_USING_MSI_X","features":[16]},{"name":"NDIS_RSS_HASH_SECRET_KEY_MAX_SIZE_REVISION_1","features":[16]},{"name":"NDIS_RSS_HASH_SECRET_KEY_MAX_SIZE_REVISION_2","features":[16]},{"name":"NDIS_RSS_HASH_SECRET_KEY_MAX_SIZE_REVISION_3","features":[16]},{"name":"NDIS_RSS_HASH_SECRET_KEY_SIZE_REVISION_1","features":[16]},{"name":"NDIS_RSS_INDIRECTION_TABLE_MAX_SIZE_REVISION_1","features":[16]},{"name":"NDIS_RSS_INDIRECTION_TABLE_SIZE_REVISION_1","features":[16]},{"name":"NDIS_RSS_PARAM_FLAG_BASE_CPU_UNCHANGED","features":[16]},{"name":"NDIS_RSS_PARAM_FLAG_DEFAULT_PROCESSOR_UNCHANGED","features":[16]},{"name":"NDIS_RSS_PARAM_FLAG_DISABLE_RSS","features":[16]},{"name":"NDIS_RSS_PARAM_FLAG_HASH_INFO_UNCHANGED","features":[16]},{"name":"NDIS_RSS_PARAM_FLAG_HASH_KEY_UNCHANGED","features":[16]},{"name":"NDIS_RSS_PARAM_FLAG_ITABLE_UNCHANGED","features":[16]},{"name":"NDIS_RSS_PROCESSOR_INFO_REVISION_1","features":[16]},{"name":"NDIS_RSS_PROCESSOR_INFO_REVISION_2","features":[16]},{"name":"NDIS_RSS_SET_INDIRECTION_ENTRIES_REVISION_1","features":[16]},{"name":"NDIS_RSS_SET_INDIRECTION_ENTRY_FLAG_DEFAULT_PROCESSOR","features":[16]},{"name":"NDIS_RSS_SET_INDIRECTION_ENTRY_FLAG_PRIMARY_PROCESSOR","features":[16]},{"name":"NDIS_SIZEOF_NDIS_PM_PROTOCOL_OFFLOAD_REVISION_1","features":[16]},{"name":"NDIS_SRIOV_BAR_RESOURCES_INFO_REVISION_1","features":[16]},{"name":"NDIS_SRIOV_CAPABILITIES_REVISION_1","features":[16]},{"name":"NDIS_SRIOV_CAPS_PF_MINIPORT","features":[16]},{"name":"NDIS_SRIOV_CAPS_SRIOV_SUPPORTED","features":[16]},{"name":"NDIS_SRIOV_CAPS_VF_MINIPORT","features":[16]},{"name":"NDIS_SRIOV_CONFIG_STATE_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_SRIOV_OVERLYING_ADAPTER_INFO_VERSION_1","features":[16]},{"name":"NDIS_SRIOV_PF_LUID_INFO_REVISION_1","features":[16]},{"name":"NDIS_SRIOV_PROBED_BARS_INFO_REVISION_1","features":[16]},{"name":"NDIS_SRIOV_READ_VF_CONFIG_BLOCK_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_SRIOV_READ_VF_CONFIG_SPACE_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_SRIOV_RESET_VF_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_SRIOV_SET_VF_POWER_STATE_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_SRIOV_VF_INVALIDATE_CONFIG_BLOCK_INFO_REVISION_1","features":[16]},{"name":"NDIS_SRIOV_VF_SERIAL_NUMBER_INFO_REVISION_1","features":[16]},{"name":"NDIS_SRIOV_VF_VENDOR_DEVICE_ID_INFO_REVISION_1","features":[16]},{"name":"NDIS_SRIOV_WRITE_VF_CONFIG_BLOCK_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_SRIOV_WRITE_VF_CONFIG_SPACE_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BROADCAST_BYTES_RCV","features":[16]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BROADCAST_BYTES_XMIT","features":[16]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BROADCAST_FRAMES_RCV","features":[16]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BROADCAST_FRAMES_XMIT","features":[16]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BYTES_RCV","features":[16]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BYTES_XMIT","features":[16]},{"name":"NDIS_STATISTICS_FLAGS_VALID_DIRECTED_BYTES_RCV","features":[16]},{"name":"NDIS_STATISTICS_FLAGS_VALID_DIRECTED_BYTES_XMIT","features":[16]},{"name":"NDIS_STATISTICS_FLAGS_VALID_DIRECTED_FRAMES_RCV","features":[16]},{"name":"NDIS_STATISTICS_FLAGS_VALID_DIRECTED_FRAMES_XMIT","features":[16]},{"name":"NDIS_STATISTICS_FLAGS_VALID_MULTICAST_BYTES_RCV","features":[16]},{"name":"NDIS_STATISTICS_FLAGS_VALID_MULTICAST_BYTES_XMIT","features":[16]},{"name":"NDIS_STATISTICS_FLAGS_VALID_MULTICAST_FRAMES_RCV","features":[16]},{"name":"NDIS_STATISTICS_FLAGS_VALID_MULTICAST_FRAMES_XMIT","features":[16]},{"name":"NDIS_STATISTICS_FLAGS_VALID_RCV_DISCARDS","features":[16]},{"name":"NDIS_STATISTICS_FLAGS_VALID_RCV_ERROR","features":[16]},{"name":"NDIS_STATISTICS_FLAGS_VALID_XMIT_DISCARDS","features":[16]},{"name":"NDIS_STATISTICS_FLAGS_VALID_XMIT_ERROR","features":[16]},{"name":"NDIS_STATISTICS_INFO","features":[16]},{"name":"NDIS_STATISTICS_INFO_REVISION_1","features":[16]},{"name":"NDIS_STATISTICS_VALUE","features":[16]},{"name":"NDIS_STATISTICS_VALUE_EX","features":[16]},{"name":"NDIS_SUPPORTED_PAUSE_FUNCTIONS","features":[16]},{"name":"NDIS_SUPPORT_NDIS6","features":[16]},{"name":"NDIS_SUPPORT_NDIS61","features":[16]},{"name":"NDIS_SUPPORT_NDIS620","features":[16]},{"name":"NDIS_SUPPORT_NDIS630","features":[16]},{"name":"NDIS_SUPPORT_NDIS640","features":[16]},{"name":"NDIS_SUPPORT_NDIS650","features":[16]},{"name":"NDIS_SUPPORT_NDIS651","features":[16]},{"name":"NDIS_SUPPORT_NDIS660","features":[16]},{"name":"NDIS_SUPPORT_NDIS670","features":[16]},{"name":"NDIS_SUPPORT_NDIS680","features":[16]},{"name":"NDIS_SUPPORT_NDIS681","features":[16]},{"name":"NDIS_SUPPORT_NDIS682","features":[16]},{"name":"NDIS_SUPPORT_NDIS683","features":[16]},{"name":"NDIS_SUPPORT_NDIS684","features":[16]},{"name":"NDIS_SUPPORT_NDIS685","features":[16]},{"name":"NDIS_SUPPORT_NDIS686","features":[16]},{"name":"NDIS_SUPPORT_NDIS687","features":[16]},{"name":"NDIS_SWITCH_FEATURE_STATUS_CUSTOM_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_FEATURE_STATUS_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_NIC_ARRAY_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_NIC_FLAGS_MAPPED_NIC_UPDATED","features":[16]},{"name":"NDIS_SWITCH_NIC_FLAGS_NIC_INITIALIZING","features":[16]},{"name":"NDIS_SWITCH_NIC_FLAGS_NIC_SUSPENDED","features":[16]},{"name":"NDIS_SWITCH_NIC_FLAGS_NIC_SUSPENDED_LM","features":[16]},{"name":"NDIS_SWITCH_NIC_OID_REQUEST_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_NIC_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_NIC_PARAMETERS_REVISION_2","features":[16]},{"name":"NDIS_SWITCH_NIC_SAVE_STATE_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_NIC_SAVE_STATE_REVISION_2","features":[16]},{"name":"NDIS_SWITCH_OBJECT_SERIALIZATION_VERSION_1","features":[16]},{"name":"NDIS_SWITCH_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_PORT_ARRAY_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_PORT_FEATURE_STATUS_CUSTOM_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_PORT_FEATURE_STATUS_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_PORT_PARAMETERS_FLAG_RESTORING_PORT","features":[16]},{"name":"NDIS_SWITCH_PORT_PARAMETERS_FLAG_UNTRUSTED_INTERNAL_PORT","features":[16]},{"name":"NDIS_SWITCH_PORT_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_PORT_PROPERTY_CUSTOM_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_PORT_PROPERTY_DELETE_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_PORT_PROPERTY_ENUM_INFO_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_PORT_PROPERTY_ENUM_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_PORT_PROPERTY_ISOLATION_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_PORT_PROPERTY_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_PORT_PROPERTY_PROFILE_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_PORT_PROPERTY_ROUTING_DOMAIN_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_PORT_PROPERTY_SECURITY_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_PORT_PROPERTY_SECURITY_REVISION_2","features":[16]},{"name":"NDIS_SWITCH_PORT_PROPERTY_VLAN_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_PROPERTY_CUSTOM_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_PROPERTY_DELETE_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_PROPERTY_ENUM_INFO_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_PROPERTY_ENUM_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_SWITCH_PROPERTY_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_SYSTEM_PROCESSOR_INFO_EX_REVISION_1","features":[16]},{"name":"NDIS_TCP_CONNECTION_OFFLOAD","features":[16]},{"name":"NDIS_TCP_CONNECTION_OFFLOAD_REVISION_1","features":[16]},{"name":"NDIS_TCP_CONNECTION_OFFLOAD_REVISION_2","features":[16]},{"name":"NDIS_TCP_IP_CHECKSUM_OFFLOAD","features":[16]},{"name":"NDIS_TCP_LARGE_SEND_OFFLOAD_V1","features":[16]},{"name":"NDIS_TCP_LARGE_SEND_OFFLOAD_V2","features":[16]},{"name":"NDIS_TCP_RECV_SEG_COALESC_OFFLOAD_REVISION_1","features":[16]},{"name":"NDIS_TIMEOUT_DPC_REQUEST_CAPABILITIES","features":[16]},{"name":"NDIS_TIMEOUT_DPC_REQUEST_CAPABILITIES_REVISION_1","features":[16]},{"name":"NDIS_TIMESTAMP_CAPABILITIES","features":[1,16]},{"name":"NDIS_TIMESTAMP_CAPABILITIES_REVISION_1","features":[16]},{"name":"NDIS_TIMESTAMP_CAPABILITY_FLAGS","features":[1,16]},{"name":"NDIS_VAR_DATA_DESC","features":[16]},{"name":"NDIS_WAN_HEADER_FORMAT","features":[16]},{"name":"NDIS_WAN_MEDIUM_SUBTYPE","features":[16]},{"name":"NDIS_WAN_PROTOCOL_CAPS","features":[16]},{"name":"NDIS_WAN_QUALITY","features":[16]},{"name":"NDIS_WLAN_BSSID","features":[16]},{"name":"NDIS_WLAN_BSSID_EX","features":[16]},{"name":"NDIS_WLAN_WAKE_ON_4WAY_HANDSHAKE_REQUEST_ENABLED","features":[16]},{"name":"NDIS_WLAN_WAKE_ON_4WAY_HANDSHAKE_REQUEST_SUPPORTED","features":[16]},{"name":"NDIS_WLAN_WAKE_ON_AP_ASSOCIATION_LOST_ENABLED","features":[16]},{"name":"NDIS_WLAN_WAKE_ON_AP_ASSOCIATION_LOST_SUPPORTED","features":[16]},{"name":"NDIS_WLAN_WAKE_ON_GTK_HANDSHAKE_ERROR_ENABLED","features":[16]},{"name":"NDIS_WLAN_WAKE_ON_GTK_HANDSHAKE_ERROR_SUPPORTED","features":[16]},{"name":"NDIS_WLAN_WAKE_ON_NLO_DISCOVERY_ENABLED","features":[16]},{"name":"NDIS_WLAN_WAKE_ON_NLO_DISCOVERY_SUPPORTED","features":[16]},{"name":"NDIS_WMI_DEFAULT_METHOD_ID","features":[16]},{"name":"NDIS_WMI_ENUM_ADAPTER","features":[16]},{"name":"NDIS_WMI_ENUM_ADAPTER_REVISION_1","features":[16]},{"name":"NDIS_WMI_EVENT_HEADER","features":[16]},{"name":"NDIS_WMI_EVENT_HEADER_REVISION_1","features":[16]},{"name":"NDIS_WMI_IPSEC_OFFLOAD_V1","features":[16]},{"name":"NDIS_WMI_METHOD_HEADER","features":[16]},{"name":"NDIS_WMI_METHOD_HEADER_REVISION_1","features":[16]},{"name":"NDIS_WMI_OBJECT_TYPE_ENUM_ADAPTER","features":[16]},{"name":"NDIS_WMI_OBJECT_TYPE_EVENT","features":[16]},{"name":"NDIS_WMI_OBJECT_TYPE_METHOD","features":[16]},{"name":"NDIS_WMI_OBJECT_TYPE_OUTPUT_INFO","features":[16]},{"name":"NDIS_WMI_OBJECT_TYPE_SET","features":[16]},{"name":"NDIS_WMI_OFFLOAD","features":[16]},{"name":"NDIS_WMI_OUTPUT_INFO","features":[16]},{"name":"NDIS_WMI_PM_ACTIVE_CAPABILITIES_REVISION_1","features":[16]},{"name":"NDIS_WMI_PM_ADMIN_CONFIG_REVISION_1","features":[16]},{"name":"NDIS_WMI_RECEIVE_QUEUE_INFO_REVISION_1","features":[16]},{"name":"NDIS_WMI_RECEIVE_QUEUE_PARAMETERS_REVISION_1","features":[16]},{"name":"NDIS_WMI_SET_HEADER","features":[16]},{"name":"NDIS_WMI_SET_HEADER_REVISION_1","features":[16]},{"name":"NDIS_WMI_TCP_CONNECTION_OFFLOAD","features":[16]},{"name":"NDIS_WMI_TCP_IP_CHECKSUM_OFFLOAD","features":[16]},{"name":"NDIS_WMI_TCP_LARGE_SEND_OFFLOAD_V1","features":[16]},{"name":"NDIS_WMI_TCP_LARGE_SEND_OFFLOAD_V2","features":[16]},{"name":"NDIS_WWAN_WAKE_ON_PACKET_STATE_ENABLED","features":[16]},{"name":"NDIS_WWAN_WAKE_ON_PACKET_STATE_SUPPORTED","features":[16]},{"name":"NDIS_WWAN_WAKE_ON_REGISTER_STATE_ENABLED","features":[16]},{"name":"NDIS_WWAN_WAKE_ON_REGISTER_STATE_SUPPORTED","features":[16]},{"name":"NDIS_WWAN_WAKE_ON_SMS_RECEIVE_ENABLED","features":[16]},{"name":"NDIS_WWAN_WAKE_ON_SMS_RECEIVE_SUPPORTED","features":[16]},{"name":"NDIS_WWAN_WAKE_ON_UICC_CHANGE_ENABLED","features":[16]},{"name":"NDIS_WWAN_WAKE_ON_UICC_CHANGE_SUPPORTED","features":[16]},{"name":"NDIS_WWAN_WAKE_ON_USSD_RECEIVE_ENABLED","features":[16]},{"name":"NDIS_WWAN_WAKE_ON_USSD_RECEIVE_SUPPORTED","features":[16]},{"name":"NDK_ADAPTER_FLAG_CQ_INTERRUPT_MODERATION_SUPPORTED","features":[16]},{"name":"NDK_ADAPTER_FLAG_CQ_RESIZE_SUPPORTED","features":[16]},{"name":"NDK_ADAPTER_FLAG_IN_ORDER_DMA_SUPPORTED","features":[16]},{"name":"NDK_ADAPTER_FLAG_LOOPBACK_CONNECTIONS_SUPPORTED","features":[16]},{"name":"NDK_ADAPTER_FLAG_MULTI_ENGINE_SUPPORTED","features":[16]},{"name":"NDK_ADAPTER_FLAG_RDMA_READ_LOCAL_INVALIDATE_SUPPORTED","features":[16]},{"name":"NDK_ADAPTER_FLAG_RDMA_READ_SINK_NOT_REQUIRED","features":[16]},{"name":"NDK_ADAPTER_INFO","features":[16]},{"name":"NDK_RDMA_TECHNOLOGY","features":[16]},{"name":"NDK_VERSION","features":[16]},{"name":"NETWORK_ADDRESS","features":[16]},{"name":"NETWORK_ADDRESS_IP","features":[16]},{"name":"NETWORK_ADDRESS_IP6","features":[16]},{"name":"NETWORK_ADDRESS_IPX","features":[16]},{"name":"NETWORK_ADDRESS_LIST","features":[16]},{"name":"NET_IFLUID_UNSPECIFIED","features":[16]},{"name":"NET_IF_ACCESS_BROADCAST","features":[16]},{"name":"NET_IF_ACCESS_LOOPBACK","features":[16]},{"name":"NET_IF_ACCESS_MAXIMUM","features":[16]},{"name":"NET_IF_ACCESS_POINT_TO_MULTI_POINT","features":[16]},{"name":"NET_IF_ACCESS_POINT_TO_POINT","features":[16]},{"name":"NET_IF_ACCESS_TYPE","features":[16]},{"name":"NET_IF_ADMIN_STATUS","features":[16]},{"name":"NET_IF_ADMIN_STATUS_DOWN","features":[16]},{"name":"NET_IF_ADMIN_STATUS_TESTING","features":[16]},{"name":"NET_IF_ADMIN_STATUS_UP","features":[16]},{"name":"NET_IF_ALIAS_LH","features":[16]},{"name":"NET_IF_CONNECTION_DEDICATED","features":[16]},{"name":"NET_IF_CONNECTION_DEMAND","features":[16]},{"name":"NET_IF_CONNECTION_MAXIMUM","features":[16]},{"name":"NET_IF_CONNECTION_PASSIVE","features":[16]},{"name":"NET_IF_CONNECTION_TYPE","features":[16]},{"name":"NET_IF_DIRECTION_MAXIMUM","features":[16]},{"name":"NET_IF_DIRECTION_RECEIVEONLY","features":[16]},{"name":"NET_IF_DIRECTION_SENDONLY","features":[16]},{"name":"NET_IF_DIRECTION_SENDRECEIVE","features":[16]},{"name":"NET_IF_DIRECTION_TYPE","features":[16]},{"name":"NET_IF_MEDIA_CONNECT_STATE","features":[16]},{"name":"NET_IF_MEDIA_DUPLEX_STATE","features":[16]},{"name":"NET_IF_OID_COMPARTMENT_ID","features":[16]},{"name":"NET_IF_OID_IF_ALIAS","features":[16]},{"name":"NET_IF_OID_IF_ENTRY","features":[16]},{"name":"NET_IF_OID_NETWORK_GUID","features":[16]},{"name":"NET_IF_OPER_STATUS","features":[16]},{"name":"NET_IF_OPER_STATUS_DORMANT","features":[16]},{"name":"NET_IF_OPER_STATUS_DORMANT_LOW_POWER","features":[16]},{"name":"NET_IF_OPER_STATUS_DORMANT_PAUSED","features":[16]},{"name":"NET_IF_OPER_STATUS_DOWN","features":[16]},{"name":"NET_IF_OPER_STATUS_DOWN_NOT_AUTHENTICATED","features":[16]},{"name":"NET_IF_OPER_STATUS_DOWN_NOT_MEDIA_CONNECTED","features":[16]},{"name":"NET_IF_OPER_STATUS_LOWER_LAYER_DOWN","features":[16]},{"name":"NET_IF_OPER_STATUS_NOT_PRESENT","features":[16]},{"name":"NET_IF_OPER_STATUS_TESTING","features":[16]},{"name":"NET_IF_OPER_STATUS_UNKNOWN","features":[16]},{"name":"NET_IF_OPER_STATUS_UP","features":[16]},{"name":"NET_IF_RCV_ADDRESS_LH","features":[16]},{"name":"NET_IF_RCV_ADDRESS_TYPE","features":[16]},{"name":"NET_IF_RCV_ADDRESS_TYPE_NON_VOLATILE","features":[16]},{"name":"NET_IF_RCV_ADDRESS_TYPE_OTHER","features":[16]},{"name":"NET_IF_RCV_ADDRESS_TYPE_VOLATILE","features":[16]},{"name":"NET_LUID_LH","features":[16]},{"name":"NET_PHYSICAL_LOCATION_LH","features":[16]},{"name":"NET_SITEID_MAXSYSTEM","features":[16]},{"name":"NET_SITEID_MAXUSER","features":[16]},{"name":"NET_SITEID_UNSPECIFIED","features":[16]},{"name":"NIIF_FILTER_INTERFACE","features":[16]},{"name":"NIIF_HARDWARE_INTERFACE","features":[16]},{"name":"NIIF_NDIS_ENDPOINT_INTERFACE","features":[16]},{"name":"NIIF_NDIS_ISCSI_INTERFACE","features":[16]},{"name":"NIIF_NDIS_RESERVED1","features":[16]},{"name":"NIIF_NDIS_RESERVED2","features":[16]},{"name":"NIIF_NDIS_RESERVED3","features":[16]},{"name":"NIIF_NDIS_RESERVED4","features":[16]},{"name":"NIIF_NDIS_WDM_INTERFACE","features":[16]},{"name":"Ndis802_11AuthModeAutoSwitch","features":[16]},{"name":"Ndis802_11AuthModeMax","features":[16]},{"name":"Ndis802_11AuthModeOpen","features":[16]},{"name":"Ndis802_11AuthModeShared","features":[16]},{"name":"Ndis802_11AuthModeWPA","features":[16]},{"name":"Ndis802_11AuthModeWPA2","features":[16]},{"name":"Ndis802_11AuthModeWPA2PSK","features":[16]},{"name":"Ndis802_11AuthModeWPA3","features":[16]},{"name":"Ndis802_11AuthModeWPA3Ent","features":[16]},{"name":"Ndis802_11AuthModeWPA3Ent192","features":[16]},{"name":"Ndis802_11AuthModeWPA3SAE","features":[16]},{"name":"Ndis802_11AuthModeWPANone","features":[16]},{"name":"Ndis802_11AuthModeWPAPSK","features":[16]},{"name":"Ndis802_11AutoUnknown","features":[16]},{"name":"Ndis802_11Automode","features":[16]},{"name":"Ndis802_11DS","features":[16]},{"name":"Ndis802_11Encryption1Enabled","features":[16]},{"name":"Ndis802_11Encryption1KeyAbsent","features":[16]},{"name":"Ndis802_11Encryption2Enabled","features":[16]},{"name":"Ndis802_11Encryption2KeyAbsent","features":[16]},{"name":"Ndis802_11Encryption3Enabled","features":[16]},{"name":"Ndis802_11Encryption3KeyAbsent","features":[16]},{"name":"Ndis802_11EncryptionDisabled","features":[16]},{"name":"Ndis802_11EncryptionNotSupported","features":[16]},{"name":"Ndis802_11FH","features":[16]},{"name":"Ndis802_11IBSS","features":[16]},{"name":"Ndis802_11Infrastructure","features":[16]},{"name":"Ndis802_11InfrastructureMax","features":[16]},{"name":"Ndis802_11MediaStreamOff","features":[16]},{"name":"Ndis802_11MediaStreamOn","features":[16]},{"name":"Ndis802_11NetworkTypeMax","features":[16]},{"name":"Ndis802_11OFDM24","features":[16]},{"name":"Ndis802_11OFDM5","features":[16]},{"name":"Ndis802_11PowerModeCAM","features":[16]},{"name":"Ndis802_11PowerModeFast_PSP","features":[16]},{"name":"Ndis802_11PowerModeMAX_PSP","features":[16]},{"name":"Ndis802_11PowerModeMax","features":[16]},{"name":"Ndis802_11PrivFilter8021xWEP","features":[16]},{"name":"Ndis802_11PrivFilterAcceptAll","features":[16]},{"name":"Ndis802_11RadioStatusHardwareOff","features":[16]},{"name":"Ndis802_11RadioStatusHardwareSoftwareOff","features":[16]},{"name":"Ndis802_11RadioStatusMax","features":[16]},{"name":"Ndis802_11RadioStatusOn","features":[16]},{"name":"Ndis802_11RadioStatusSoftwareOff","features":[16]},{"name":"Ndis802_11ReloadWEPKeys","features":[16]},{"name":"Ndis802_11StatusTypeMax","features":[16]},{"name":"Ndis802_11StatusType_Authentication","features":[16]},{"name":"Ndis802_11StatusType_MediaStreamMode","features":[16]},{"name":"Ndis802_11StatusType_PMKID_CandidateList","features":[16]},{"name":"Ndis802_11WEPDisabled","features":[16]},{"name":"Ndis802_11WEPEnabled","features":[16]},{"name":"Ndis802_11WEPKeyAbsent","features":[16]},{"name":"Ndis802_11WEPNotSupported","features":[16]},{"name":"NdisDefinitelyNetworkChange","features":[16]},{"name":"NdisDeviceStateD0","features":[16]},{"name":"NdisDeviceStateD1","features":[16]},{"name":"NdisDeviceStateD2","features":[16]},{"name":"NdisDeviceStateD3","features":[16]},{"name":"NdisDeviceStateMaximum","features":[16]},{"name":"NdisDeviceStateUnspecified","features":[16]},{"name":"NdisFddiRingDetect","features":[16]},{"name":"NdisFddiRingDirected","features":[16]},{"name":"NdisFddiRingIsolated","features":[16]},{"name":"NdisFddiRingNonOperational","features":[16]},{"name":"NdisFddiRingNonOperationalDup","features":[16]},{"name":"NdisFddiRingOperational","features":[16]},{"name":"NdisFddiRingOperationalDup","features":[16]},{"name":"NdisFddiRingTrace","features":[16]},{"name":"NdisFddiStateActive","features":[16]},{"name":"NdisFddiStateBreak","features":[16]},{"name":"NdisFddiStateConnect","features":[16]},{"name":"NdisFddiStateJoin","features":[16]},{"name":"NdisFddiStateMaintenance","features":[16]},{"name":"NdisFddiStateNext","features":[16]},{"name":"NdisFddiStateOff","features":[16]},{"name":"NdisFddiStateSignal","features":[16]},{"name":"NdisFddiStateTrace","features":[16]},{"name":"NdisFddiStateVerify","features":[16]},{"name":"NdisFddiTypeCWrapA","features":[16]},{"name":"NdisFddiTypeCWrapB","features":[16]},{"name":"NdisFddiTypeCWrapS","features":[16]},{"name":"NdisFddiTypeIsolated","features":[16]},{"name":"NdisFddiTypeLocalA","features":[16]},{"name":"NdisFddiTypeLocalAB","features":[16]},{"name":"NdisFddiTypeLocalB","features":[16]},{"name":"NdisFddiTypeLocalS","features":[16]},{"name":"NdisFddiTypeThrough","features":[16]},{"name":"NdisFddiTypeWrapA","features":[16]},{"name":"NdisFddiTypeWrapAB","features":[16]},{"name":"NdisFddiTypeWrapB","features":[16]},{"name":"NdisFddiTypeWrapS","features":[16]},{"name":"NdisHardwareStatusClosing","features":[16]},{"name":"NdisHardwareStatusInitializing","features":[16]},{"name":"NdisHardwareStatusNotReady","features":[16]},{"name":"NdisHardwareStatusReady","features":[16]},{"name":"NdisHardwareStatusReset","features":[16]},{"name":"NdisHashFunctionReserved1","features":[16]},{"name":"NdisHashFunctionReserved2","features":[16]},{"name":"NdisHashFunctionReserved3","features":[16]},{"name":"NdisHashFunctionToeplitz","features":[16]},{"name":"NdisInterruptModerationDisabled","features":[16]},{"name":"NdisInterruptModerationEnabled","features":[16]},{"name":"NdisInterruptModerationNotSupported","features":[16]},{"name":"NdisInterruptModerationUnknown","features":[16]},{"name":"NdisMediaStateConnected","features":[16]},{"name":"NdisMediaStateDisconnected","features":[16]},{"name":"NdisMedium1394","features":[16]},{"name":"NdisMedium802_3","features":[16]},{"name":"NdisMedium802_5","features":[16]},{"name":"NdisMediumArcnet878_2","features":[16]},{"name":"NdisMediumArcnetRaw","features":[16]},{"name":"NdisMediumAtm","features":[16]},{"name":"NdisMediumBpc","features":[16]},{"name":"NdisMediumCoWan","features":[16]},{"name":"NdisMediumDix","features":[16]},{"name":"NdisMediumFddi","features":[16]},{"name":"NdisMediumIP","features":[16]},{"name":"NdisMediumInfiniBand","features":[16]},{"name":"NdisMediumIrda","features":[16]},{"name":"NdisMediumLocalTalk","features":[16]},{"name":"NdisMediumLoopback","features":[16]},{"name":"NdisMediumMax","features":[16]},{"name":"NdisMediumNative802_11","features":[16]},{"name":"NdisMediumTunnel","features":[16]},{"name":"NdisMediumWan","features":[16]},{"name":"NdisMediumWiMAX","features":[16]},{"name":"NdisMediumWirelessWan","features":[16]},{"name":"NdisNetworkChangeFromMediaConnect","features":[16]},{"name":"NdisNetworkChangeMax","features":[16]},{"name":"NdisPauseFunctionsReceiveOnly","features":[16]},{"name":"NdisPauseFunctionsSendAndReceive","features":[16]},{"name":"NdisPauseFunctionsSendOnly","features":[16]},{"name":"NdisPauseFunctionsUnknown","features":[16]},{"name":"NdisPauseFunctionsUnsupported","features":[16]},{"name":"NdisPhysicalMedium1394","features":[16]},{"name":"NdisPhysicalMedium802_3","features":[16]},{"name":"NdisPhysicalMedium802_5","features":[16]},{"name":"NdisPhysicalMediumBluetooth","features":[16]},{"name":"NdisPhysicalMediumCableModem","features":[16]},{"name":"NdisPhysicalMediumDSL","features":[16]},{"name":"NdisPhysicalMediumFibreChannel","features":[16]},{"name":"NdisPhysicalMediumInfiniband","features":[16]},{"name":"NdisPhysicalMediumIrda","features":[16]},{"name":"NdisPhysicalMediumMax","features":[16]},{"name":"NdisPhysicalMediumNative802_11","features":[16]},{"name":"NdisPhysicalMediumNative802_15_4","features":[16]},{"name":"NdisPhysicalMediumOther","features":[16]},{"name":"NdisPhysicalMediumPhoneLine","features":[16]},{"name":"NdisPhysicalMediumPowerLine","features":[16]},{"name":"NdisPhysicalMediumUWB","features":[16]},{"name":"NdisPhysicalMediumUnspecified","features":[16]},{"name":"NdisPhysicalMediumWiMax","features":[16]},{"name":"NdisPhysicalMediumWiredCoWan","features":[16]},{"name":"NdisPhysicalMediumWiredWAN","features":[16]},{"name":"NdisPhysicalMediumWirelessLan","features":[16]},{"name":"NdisPhysicalMediumWirelessWan","features":[16]},{"name":"NdisPortAuthorizationUnknown","features":[16]},{"name":"NdisPortAuthorized","features":[16]},{"name":"NdisPortControlStateControlled","features":[16]},{"name":"NdisPortControlStateUncontrolled","features":[16]},{"name":"NdisPortControlStateUnknown","features":[16]},{"name":"NdisPortReauthorizing","features":[16]},{"name":"NdisPortType8021xSupplicant","features":[16]},{"name":"NdisPortTypeBridge","features":[16]},{"name":"NdisPortTypeMax","features":[16]},{"name":"NdisPortTypeRasConnection","features":[16]},{"name":"NdisPortTypeUndefined","features":[16]},{"name":"NdisPortUnauthorized","features":[16]},{"name":"NdisPossibleNetworkChange","features":[16]},{"name":"NdisProcessorVendorAuthenticAMD","features":[16]},{"name":"NdisProcessorVendorGenuinIntel","features":[16]},{"name":"NdisProcessorVendorGenuineIntel","features":[16]},{"name":"NdisProcessorVendorUnknown","features":[16]},{"name":"NdisRequestClose","features":[16]},{"name":"NdisRequestGeneric1","features":[16]},{"name":"NdisRequestGeneric2","features":[16]},{"name":"NdisRequestGeneric3","features":[16]},{"name":"NdisRequestGeneric4","features":[16]},{"name":"NdisRequestOpen","features":[16]},{"name":"NdisRequestQueryInformation","features":[16]},{"name":"NdisRequestQueryStatistics","features":[16]},{"name":"NdisRequestReset","features":[16]},{"name":"NdisRequestSend","features":[16]},{"name":"NdisRequestSetInformation","features":[16]},{"name":"NdisRequestTransferData","features":[16]},{"name":"NdisRingStateClosed","features":[16]},{"name":"NdisRingStateClosing","features":[16]},{"name":"NdisRingStateOpenFailure","features":[16]},{"name":"NdisRingStateOpened","features":[16]},{"name":"NdisRingStateOpening","features":[16]},{"name":"NdisRingStateRingFailure","features":[16]},{"name":"NdisWanErrorControl","features":[16]},{"name":"NdisWanHeaderEthernet","features":[16]},{"name":"NdisWanHeaderNative","features":[16]},{"name":"NdisWanMediumAgileVPN","features":[16]},{"name":"NdisWanMediumAtm","features":[16]},{"name":"NdisWanMediumFrameRelay","features":[16]},{"name":"NdisWanMediumGre","features":[16]},{"name":"NdisWanMediumHub","features":[16]},{"name":"NdisWanMediumIrda","features":[16]},{"name":"NdisWanMediumIsdn","features":[16]},{"name":"NdisWanMediumL2TP","features":[16]},{"name":"NdisWanMediumPPTP","features":[16]},{"name":"NdisWanMediumParallel","features":[16]},{"name":"NdisWanMediumPppoe","features":[16]},{"name":"NdisWanMediumSSTP","features":[16]},{"name":"NdisWanMediumSW56K","features":[16]},{"name":"NdisWanMediumSerial","features":[16]},{"name":"NdisWanMediumSonet","features":[16]},{"name":"NdisWanMediumSubTypeMax","features":[16]},{"name":"NdisWanMediumX_25","features":[16]},{"name":"NdisWanRaw","features":[16]},{"name":"NdisWanReliable","features":[16]},{"name":"NdkInfiniBand","features":[16]},{"name":"NdkMaxTechnology","features":[16]},{"name":"NdkRoCE","features":[16]},{"name":"NdkRoCEv2","features":[16]},{"name":"NdkUndefined","features":[16]},{"name":"NdkiWarp","features":[16]},{"name":"OFFLOAD_ALGO_INFO","features":[16]},{"name":"OFFLOAD_CONF_ALGO","features":[16]},{"name":"OFFLOAD_INBOUND_SA","features":[16]},{"name":"OFFLOAD_INTEGRITY_ALGO","features":[16]},{"name":"OFFLOAD_IPSEC_ADD_SA","features":[1,16]},{"name":"OFFLOAD_IPSEC_ADD_UDPESP_SA","features":[1,16]},{"name":"OFFLOAD_IPSEC_CONF_3_DES","features":[16]},{"name":"OFFLOAD_IPSEC_CONF_DES","features":[16]},{"name":"OFFLOAD_IPSEC_CONF_MAX","features":[16]},{"name":"OFFLOAD_IPSEC_CONF_NONE","features":[16]},{"name":"OFFLOAD_IPSEC_CONF_RESERVED","features":[16]},{"name":"OFFLOAD_IPSEC_DELETE_SA","features":[1,16]},{"name":"OFFLOAD_IPSEC_DELETE_UDPESP_SA","features":[1,16]},{"name":"OFFLOAD_IPSEC_INTEGRITY_MAX","features":[16]},{"name":"OFFLOAD_IPSEC_INTEGRITY_MD5","features":[16]},{"name":"OFFLOAD_IPSEC_INTEGRITY_NONE","features":[16]},{"name":"OFFLOAD_IPSEC_INTEGRITY_SHA","features":[16]},{"name":"OFFLOAD_IPSEC_UDPESP_ENCAPTYPE_ENTRY","features":[16]},{"name":"OFFLOAD_IPSEC_UDPESP_ENCAPTYPE_IKE","features":[16]},{"name":"OFFLOAD_IPSEC_UDPESP_ENCAPTYPE_OTHER","features":[16]},{"name":"OFFLOAD_MAX_SAS","features":[16]},{"name":"OFFLOAD_OPERATION_E","features":[16]},{"name":"OFFLOAD_OUTBOUND_SA","features":[16]},{"name":"OFFLOAD_SECURITY_ASSOCIATION","features":[16]},{"name":"OID_1394_LOCAL_NODE_INFO","features":[16]},{"name":"OID_1394_VC_INFO","features":[16]},{"name":"OID_802_11_ADD_KEY","features":[16]},{"name":"OID_802_11_ADD_WEP","features":[16]},{"name":"OID_802_11_ASSOCIATION_INFORMATION","features":[16]},{"name":"OID_802_11_AUTHENTICATION_MODE","features":[16]},{"name":"OID_802_11_BSSID","features":[16]},{"name":"OID_802_11_BSSID_LIST","features":[16]},{"name":"OID_802_11_BSSID_LIST_SCAN","features":[16]},{"name":"OID_802_11_CAPABILITY","features":[16]},{"name":"OID_802_11_CONFIGURATION","features":[16]},{"name":"OID_802_11_DESIRED_RATES","features":[16]},{"name":"OID_802_11_DISASSOCIATE","features":[16]},{"name":"OID_802_11_ENCRYPTION_STATUS","features":[16]},{"name":"OID_802_11_FRAGMENTATION_THRESHOLD","features":[16]},{"name":"OID_802_11_INFRASTRUCTURE_MODE","features":[16]},{"name":"OID_802_11_MEDIA_STREAM_MODE","features":[16]},{"name":"OID_802_11_NETWORK_TYPES_SUPPORTED","features":[16]},{"name":"OID_802_11_NETWORK_TYPE_IN_USE","features":[16]},{"name":"OID_802_11_NON_BCAST_SSID_LIST","features":[16]},{"name":"OID_802_11_NUMBER_OF_ANTENNAS","features":[16]},{"name":"OID_802_11_PMKID","features":[16]},{"name":"OID_802_11_POWER_MODE","features":[16]},{"name":"OID_802_11_PRIVACY_FILTER","features":[16]},{"name":"OID_802_11_RADIO_STATUS","features":[16]},{"name":"OID_802_11_RELOAD_DEFAULTS","features":[16]},{"name":"OID_802_11_REMOVE_KEY","features":[16]},{"name":"OID_802_11_REMOVE_WEP","features":[16]},{"name":"OID_802_11_RSSI","features":[16]},{"name":"OID_802_11_RSSI_TRIGGER","features":[16]},{"name":"OID_802_11_RTS_THRESHOLD","features":[16]},{"name":"OID_802_11_RX_ANTENNA_SELECTED","features":[16]},{"name":"OID_802_11_SSID","features":[16]},{"name":"OID_802_11_STATISTICS","features":[16]},{"name":"OID_802_11_SUPPORTED_RATES","features":[16]},{"name":"OID_802_11_TEST","features":[16]},{"name":"OID_802_11_TX_ANTENNA_SELECTED","features":[16]},{"name":"OID_802_11_TX_POWER_LEVEL","features":[16]},{"name":"OID_802_11_WEP_STATUS","features":[16]},{"name":"OID_802_3_ADD_MULTICAST_ADDRESS","features":[16]},{"name":"OID_802_3_CURRENT_ADDRESS","features":[16]},{"name":"OID_802_3_DELETE_MULTICAST_ADDRESS","features":[16]},{"name":"OID_802_3_MAC_OPTIONS","features":[16]},{"name":"OID_802_3_MAXIMUM_LIST_SIZE","features":[16]},{"name":"OID_802_3_MULTICAST_LIST","features":[16]},{"name":"OID_802_3_PERMANENT_ADDRESS","features":[16]},{"name":"OID_802_3_RCV_ERROR_ALIGNMENT","features":[16]},{"name":"OID_802_3_RCV_OVERRUN","features":[16]},{"name":"OID_802_3_XMIT_DEFERRED","features":[16]},{"name":"OID_802_3_XMIT_HEARTBEAT_FAILURE","features":[16]},{"name":"OID_802_3_XMIT_LATE_COLLISIONS","features":[16]},{"name":"OID_802_3_XMIT_MAX_COLLISIONS","features":[16]},{"name":"OID_802_3_XMIT_MORE_COLLISIONS","features":[16]},{"name":"OID_802_3_XMIT_ONE_COLLISION","features":[16]},{"name":"OID_802_3_XMIT_TIMES_CRS_LOST","features":[16]},{"name":"OID_802_3_XMIT_UNDERRUN","features":[16]},{"name":"OID_802_5_ABORT_DELIMETERS","features":[16]},{"name":"OID_802_5_AC_ERRORS","features":[16]},{"name":"OID_802_5_BURST_ERRORS","features":[16]},{"name":"OID_802_5_CURRENT_ADDRESS","features":[16]},{"name":"OID_802_5_CURRENT_FUNCTIONAL","features":[16]},{"name":"OID_802_5_CURRENT_GROUP","features":[16]},{"name":"OID_802_5_CURRENT_RING_STATE","features":[16]},{"name":"OID_802_5_CURRENT_RING_STATUS","features":[16]},{"name":"OID_802_5_FRAME_COPIED_ERRORS","features":[16]},{"name":"OID_802_5_FREQUENCY_ERRORS","features":[16]},{"name":"OID_802_5_INTERNAL_ERRORS","features":[16]},{"name":"OID_802_5_LAST_OPEN_STATUS","features":[16]},{"name":"OID_802_5_LINE_ERRORS","features":[16]},{"name":"OID_802_5_LOST_FRAMES","features":[16]},{"name":"OID_802_5_PERMANENT_ADDRESS","features":[16]},{"name":"OID_802_5_TOKEN_ERRORS","features":[16]},{"name":"OID_ARCNET_CURRENT_ADDRESS","features":[16]},{"name":"OID_ARCNET_PERMANENT_ADDRESS","features":[16]},{"name":"OID_ARCNET_RECONFIGURATIONS","features":[16]},{"name":"OID_ATM_ACQUIRE_ACCESS_NET_RESOURCES","features":[16]},{"name":"OID_ATM_ALIGNMENT_REQUIRED","features":[16]},{"name":"OID_ATM_ASSIGNED_VPI","features":[16]},{"name":"OID_ATM_CALL_ALERTING","features":[16]},{"name":"OID_ATM_CALL_NOTIFY","features":[16]},{"name":"OID_ATM_CALL_PROCEEDING","features":[16]},{"name":"OID_ATM_CELLS_HEC_ERROR","features":[16]},{"name":"OID_ATM_DIGITAL_BROADCAST_VPIVCI","features":[16]},{"name":"OID_ATM_GET_NEAREST_FLOW","features":[16]},{"name":"OID_ATM_HW_CURRENT_ADDRESS","features":[16]},{"name":"OID_ATM_ILMI_VPIVCI","features":[16]},{"name":"OID_ATM_LECS_ADDRESS","features":[16]},{"name":"OID_ATM_MAX_AAL0_PACKET_SIZE","features":[16]},{"name":"OID_ATM_MAX_AAL1_PACKET_SIZE","features":[16]},{"name":"OID_ATM_MAX_AAL34_PACKET_SIZE","features":[16]},{"name":"OID_ATM_MAX_AAL5_PACKET_SIZE","features":[16]},{"name":"OID_ATM_MAX_ACTIVE_VCI_BITS","features":[16]},{"name":"OID_ATM_MAX_ACTIVE_VCS","features":[16]},{"name":"OID_ATM_MAX_ACTIVE_VPI_BITS","features":[16]},{"name":"OID_ATM_MY_IP_NM_ADDRESS","features":[16]},{"name":"OID_ATM_PARTY_ALERTING","features":[16]},{"name":"OID_ATM_RCV_CELLS_DROPPED","features":[16]},{"name":"OID_ATM_RCV_CELLS_OK","features":[16]},{"name":"OID_ATM_RCV_INVALID_VPI_VCI","features":[16]},{"name":"OID_ATM_RCV_REASSEMBLY_ERROR","features":[16]},{"name":"OID_ATM_RELEASE_ACCESS_NET_RESOURCES","features":[16]},{"name":"OID_ATM_SERVICE_ADDRESS","features":[16]},{"name":"OID_ATM_SIGNALING_VPIVCI","features":[16]},{"name":"OID_ATM_SUPPORTED_AAL_TYPES","features":[16]},{"name":"OID_ATM_SUPPORTED_SERVICE_CATEGORY","features":[16]},{"name":"OID_ATM_SUPPORTED_VC_RATES","features":[16]},{"name":"OID_ATM_XMIT_CELLS_OK","features":[16]},{"name":"OID_CO_ADDRESS_CHANGE","features":[16]},{"name":"OID_CO_ADD_ADDRESS","features":[16]},{"name":"OID_CO_ADD_PVC","features":[16]},{"name":"OID_CO_AF_CLOSE","features":[16]},{"name":"OID_CO_DELETE_ADDRESS","features":[16]},{"name":"OID_CO_DELETE_PVC","features":[16]},{"name":"OID_CO_GET_ADDRESSES","features":[16]},{"name":"OID_CO_GET_CALL_INFORMATION","features":[16]},{"name":"OID_CO_SIGNALING_DISABLED","features":[16]},{"name":"OID_CO_SIGNALING_ENABLED","features":[16]},{"name":"OID_CO_TAPI_ADDRESS_CAPS","features":[16]},{"name":"OID_CO_TAPI_CM_CAPS","features":[16]},{"name":"OID_CO_TAPI_DONT_REPORT_DIGITS","features":[16]},{"name":"OID_CO_TAPI_GET_CALL_DIAGNOSTICS","features":[16]},{"name":"OID_CO_TAPI_LINE_CAPS","features":[16]},{"name":"OID_CO_TAPI_REPORT_DIGITS","features":[16]},{"name":"OID_CO_TAPI_TRANSLATE_NDIS_CALLPARAMS","features":[16]},{"name":"OID_CO_TAPI_TRANSLATE_TAPI_CALLPARAMS","features":[16]},{"name":"OID_CO_TAPI_TRANSLATE_TAPI_SAP","features":[16]},{"name":"OID_FDDI_ATTACHMENT_TYPE","features":[16]},{"name":"OID_FDDI_DOWNSTREAM_NODE_LONG","features":[16]},{"name":"OID_FDDI_FRAMES_LOST","features":[16]},{"name":"OID_FDDI_FRAME_ERRORS","features":[16]},{"name":"OID_FDDI_IF_ADMIN_STATUS","features":[16]},{"name":"OID_FDDI_IF_DESCR","features":[16]},{"name":"OID_FDDI_IF_IN_DISCARDS","features":[16]},{"name":"OID_FDDI_IF_IN_ERRORS","features":[16]},{"name":"OID_FDDI_IF_IN_NUCAST_PKTS","features":[16]},{"name":"OID_FDDI_IF_IN_OCTETS","features":[16]},{"name":"OID_FDDI_IF_IN_UCAST_PKTS","features":[16]},{"name":"OID_FDDI_IF_IN_UNKNOWN_PROTOS","features":[16]},{"name":"OID_FDDI_IF_LAST_CHANGE","features":[16]},{"name":"OID_FDDI_IF_MTU","features":[16]},{"name":"OID_FDDI_IF_OPER_STATUS","features":[16]},{"name":"OID_FDDI_IF_OUT_DISCARDS","features":[16]},{"name":"OID_FDDI_IF_OUT_ERRORS","features":[16]},{"name":"OID_FDDI_IF_OUT_NUCAST_PKTS","features":[16]},{"name":"OID_FDDI_IF_OUT_OCTETS","features":[16]},{"name":"OID_FDDI_IF_OUT_QLEN","features":[16]},{"name":"OID_FDDI_IF_OUT_UCAST_PKTS","features":[16]},{"name":"OID_FDDI_IF_PHYS_ADDRESS","features":[16]},{"name":"OID_FDDI_IF_SPECIFIC","features":[16]},{"name":"OID_FDDI_IF_SPEED","features":[16]},{"name":"OID_FDDI_IF_TYPE","features":[16]},{"name":"OID_FDDI_LCONNECTION_STATE","features":[16]},{"name":"OID_FDDI_LCT_FAILURES","features":[16]},{"name":"OID_FDDI_LEM_REJECTS","features":[16]},{"name":"OID_FDDI_LONG_CURRENT_ADDR","features":[16]},{"name":"OID_FDDI_LONG_MAX_LIST_SIZE","features":[16]},{"name":"OID_FDDI_LONG_MULTICAST_LIST","features":[16]},{"name":"OID_FDDI_LONG_PERMANENT_ADDR","features":[16]},{"name":"OID_FDDI_MAC_AVAILABLE_PATHS","features":[16]},{"name":"OID_FDDI_MAC_BRIDGE_FUNCTIONS","features":[16]},{"name":"OID_FDDI_MAC_COPIED_CT","features":[16]},{"name":"OID_FDDI_MAC_CURRENT_PATH","features":[16]},{"name":"OID_FDDI_MAC_DA_FLAG","features":[16]},{"name":"OID_FDDI_MAC_DOWNSTREAM_NBR","features":[16]},{"name":"OID_FDDI_MAC_DOWNSTREAM_PORT_TYPE","features":[16]},{"name":"OID_FDDI_MAC_DUP_ADDRESS_TEST","features":[16]},{"name":"OID_FDDI_MAC_ERROR_CT","features":[16]},{"name":"OID_FDDI_MAC_FRAME_CT","features":[16]},{"name":"OID_FDDI_MAC_FRAME_ERROR_FLAG","features":[16]},{"name":"OID_FDDI_MAC_FRAME_ERROR_RATIO","features":[16]},{"name":"OID_FDDI_MAC_FRAME_ERROR_THRESHOLD","features":[16]},{"name":"OID_FDDI_MAC_FRAME_STATUS_FUNCTIONS","features":[16]},{"name":"OID_FDDI_MAC_HARDWARE_PRESENT","features":[16]},{"name":"OID_FDDI_MAC_INDEX","features":[16]},{"name":"OID_FDDI_MAC_LATE_CT","features":[16]},{"name":"OID_FDDI_MAC_LONG_GRP_ADDRESS","features":[16]},{"name":"OID_FDDI_MAC_LOST_CT","features":[16]},{"name":"OID_FDDI_MAC_MA_UNITDATA_AVAILABLE","features":[16]},{"name":"OID_FDDI_MAC_MA_UNITDATA_ENABLE","features":[16]},{"name":"OID_FDDI_MAC_NOT_COPIED_CT","features":[16]},{"name":"OID_FDDI_MAC_NOT_COPIED_FLAG","features":[16]},{"name":"OID_FDDI_MAC_NOT_COPIED_RATIO","features":[16]},{"name":"OID_FDDI_MAC_NOT_COPIED_THRESHOLD","features":[16]},{"name":"OID_FDDI_MAC_OLD_DOWNSTREAM_NBR","features":[16]},{"name":"OID_FDDI_MAC_OLD_UPSTREAM_NBR","features":[16]},{"name":"OID_FDDI_MAC_REQUESTED_PATHS","features":[16]},{"name":"OID_FDDI_MAC_RING_OP_CT","features":[16]},{"name":"OID_FDDI_MAC_RMT_STATE","features":[16]},{"name":"OID_FDDI_MAC_SHORT_GRP_ADDRESS","features":[16]},{"name":"OID_FDDI_MAC_SMT_ADDRESS","features":[16]},{"name":"OID_FDDI_MAC_TOKEN_CT","features":[16]},{"name":"OID_FDDI_MAC_TRANSMIT_CT","features":[16]},{"name":"OID_FDDI_MAC_TVX_CAPABILITY","features":[16]},{"name":"OID_FDDI_MAC_TVX_EXPIRED_CT","features":[16]},{"name":"OID_FDDI_MAC_TVX_VALUE","features":[16]},{"name":"OID_FDDI_MAC_T_MAX","features":[16]},{"name":"OID_FDDI_MAC_T_MAX_CAPABILITY","features":[16]},{"name":"OID_FDDI_MAC_T_NEG","features":[16]},{"name":"OID_FDDI_MAC_T_PRI0","features":[16]},{"name":"OID_FDDI_MAC_T_PRI1","features":[16]},{"name":"OID_FDDI_MAC_T_PRI2","features":[16]},{"name":"OID_FDDI_MAC_T_PRI3","features":[16]},{"name":"OID_FDDI_MAC_T_PRI4","features":[16]},{"name":"OID_FDDI_MAC_T_PRI5","features":[16]},{"name":"OID_FDDI_MAC_T_PRI6","features":[16]},{"name":"OID_FDDI_MAC_T_REQ","features":[16]},{"name":"OID_FDDI_MAC_UNDA_FLAG","features":[16]},{"name":"OID_FDDI_MAC_UPSTREAM_NBR","features":[16]},{"name":"OID_FDDI_PATH_CONFIGURATION","features":[16]},{"name":"OID_FDDI_PATH_INDEX","features":[16]},{"name":"OID_FDDI_PATH_MAX_T_REQ","features":[16]},{"name":"OID_FDDI_PATH_RING_LATENCY","features":[16]},{"name":"OID_FDDI_PATH_SBA_AVAILABLE","features":[16]},{"name":"OID_FDDI_PATH_SBA_OVERHEAD","features":[16]},{"name":"OID_FDDI_PATH_SBA_PAYLOAD","features":[16]},{"name":"OID_FDDI_PATH_TRACE_STATUS","features":[16]},{"name":"OID_FDDI_PATH_TVX_LOWER_BOUND","features":[16]},{"name":"OID_FDDI_PATH_T_MAX_LOWER_BOUND","features":[16]},{"name":"OID_FDDI_PATH_T_R_MODE","features":[16]},{"name":"OID_FDDI_PORT_ACTION","features":[16]},{"name":"OID_FDDI_PORT_AVAILABLE_PATHS","features":[16]},{"name":"OID_FDDI_PORT_BS_FLAG","features":[16]},{"name":"OID_FDDI_PORT_CONNECTION_CAPABILITIES","features":[16]},{"name":"OID_FDDI_PORT_CONNECTION_POLICIES","features":[16]},{"name":"OID_FDDI_PORT_CONNNECT_STATE","features":[16]},{"name":"OID_FDDI_PORT_CURRENT_PATH","features":[16]},{"name":"OID_FDDI_PORT_EB_ERROR_CT","features":[16]},{"name":"OID_FDDI_PORT_HARDWARE_PRESENT","features":[16]},{"name":"OID_FDDI_PORT_INDEX","features":[16]},{"name":"OID_FDDI_PORT_LCT_FAIL_CT","features":[16]},{"name":"OID_FDDI_PORT_LEM_CT","features":[16]},{"name":"OID_FDDI_PORT_LEM_REJECT_CT","features":[16]},{"name":"OID_FDDI_PORT_LER_ALARM","features":[16]},{"name":"OID_FDDI_PORT_LER_CUTOFF","features":[16]},{"name":"OID_FDDI_PORT_LER_ESTIMATE","features":[16]},{"name":"OID_FDDI_PORT_LER_FLAG","features":[16]},{"name":"OID_FDDI_PORT_MAC_INDICATED","features":[16]},{"name":"OID_FDDI_PORT_MAC_LOOP_TIME","features":[16]},{"name":"OID_FDDI_PORT_MAC_PLACEMENT","features":[16]},{"name":"OID_FDDI_PORT_MAINT_LS","features":[16]},{"name":"OID_FDDI_PORT_MY_TYPE","features":[16]},{"name":"OID_FDDI_PORT_NEIGHBOR_TYPE","features":[16]},{"name":"OID_FDDI_PORT_PCM_STATE","features":[16]},{"name":"OID_FDDI_PORT_PC_LS","features":[16]},{"name":"OID_FDDI_PORT_PC_WITHHOLD","features":[16]},{"name":"OID_FDDI_PORT_PMD_CLASS","features":[16]},{"name":"OID_FDDI_PORT_REQUESTED_PATHS","features":[16]},{"name":"OID_FDDI_RING_MGT_STATE","features":[16]},{"name":"OID_FDDI_SHORT_CURRENT_ADDR","features":[16]},{"name":"OID_FDDI_SHORT_MAX_LIST_SIZE","features":[16]},{"name":"OID_FDDI_SHORT_MULTICAST_LIST","features":[16]},{"name":"OID_FDDI_SHORT_PERMANENT_ADDR","features":[16]},{"name":"OID_FDDI_SMT_AVAILABLE_PATHS","features":[16]},{"name":"OID_FDDI_SMT_BYPASS_PRESENT","features":[16]},{"name":"OID_FDDI_SMT_CF_STATE","features":[16]},{"name":"OID_FDDI_SMT_CONFIG_CAPABILITIES","features":[16]},{"name":"OID_FDDI_SMT_CONFIG_POLICY","features":[16]},{"name":"OID_FDDI_SMT_CONNECTION_POLICY","features":[16]},{"name":"OID_FDDI_SMT_ECM_STATE","features":[16]},{"name":"OID_FDDI_SMT_HI_VERSION_ID","features":[16]},{"name":"OID_FDDI_SMT_HOLD_STATE","features":[16]},{"name":"OID_FDDI_SMT_LAST_SET_STATION_ID","features":[16]},{"name":"OID_FDDI_SMT_LO_VERSION_ID","features":[16]},{"name":"OID_FDDI_SMT_MAC_CT","features":[16]},{"name":"OID_FDDI_SMT_MAC_INDEXES","features":[16]},{"name":"OID_FDDI_SMT_MANUFACTURER_DATA","features":[16]},{"name":"OID_FDDI_SMT_MASTER_CT","features":[16]},{"name":"OID_FDDI_SMT_MIB_VERSION_ID","features":[16]},{"name":"OID_FDDI_SMT_MSG_TIME_STAMP","features":[16]},{"name":"OID_FDDI_SMT_NON_MASTER_CT","features":[16]},{"name":"OID_FDDI_SMT_OP_VERSION_ID","features":[16]},{"name":"OID_FDDI_SMT_PEER_WRAP_FLAG","features":[16]},{"name":"OID_FDDI_SMT_PORT_INDEXES","features":[16]},{"name":"OID_FDDI_SMT_REMOTE_DISCONNECT_FLAG","features":[16]},{"name":"OID_FDDI_SMT_SET_COUNT","features":[16]},{"name":"OID_FDDI_SMT_STATION_ACTION","features":[16]},{"name":"OID_FDDI_SMT_STATION_ID","features":[16]},{"name":"OID_FDDI_SMT_STATION_STATUS","features":[16]},{"name":"OID_FDDI_SMT_STAT_RPT_POLICY","features":[16]},{"name":"OID_FDDI_SMT_TRACE_MAX_EXPIRATION","features":[16]},{"name":"OID_FDDI_SMT_TRANSITION_TIME_STAMP","features":[16]},{"name":"OID_FDDI_SMT_T_NOTIFY","features":[16]},{"name":"OID_FDDI_SMT_USER_DATA","features":[16]},{"name":"OID_FDDI_UPSTREAM_NODE_LONG","features":[16]},{"name":"OID_FFP_ADAPTER_STATS","features":[16]},{"name":"OID_FFP_CONTROL","features":[16]},{"name":"OID_FFP_DATA","features":[16]},{"name":"OID_FFP_DRIVER_STATS","features":[16]},{"name":"OID_FFP_FLUSH","features":[16]},{"name":"OID_FFP_PARAMS","features":[16]},{"name":"OID_FFP_SUPPORT","features":[16]},{"name":"OID_GEN_ADMIN_STATUS","features":[16]},{"name":"OID_GEN_ALIAS","features":[16]},{"name":"OID_GEN_BROADCAST_BYTES_RCV","features":[16]},{"name":"OID_GEN_BROADCAST_BYTES_XMIT","features":[16]},{"name":"OID_GEN_BROADCAST_FRAMES_RCV","features":[16]},{"name":"OID_GEN_BROADCAST_FRAMES_XMIT","features":[16]},{"name":"OID_GEN_BYTES_RCV","features":[16]},{"name":"OID_GEN_BYTES_XMIT","features":[16]},{"name":"OID_GEN_CO_BYTES_RCV","features":[16]},{"name":"OID_GEN_CO_BYTES_XMIT","features":[16]},{"name":"OID_GEN_CO_BYTES_XMIT_OUTSTANDING","features":[16]},{"name":"OID_GEN_CO_DEVICE_PROFILE","features":[16]},{"name":"OID_GEN_CO_DRIVER_VERSION","features":[16]},{"name":"OID_GEN_CO_GET_NETCARD_TIME","features":[16]},{"name":"OID_GEN_CO_GET_TIME_CAPS","features":[16]},{"name":"OID_GEN_CO_HARDWARE_STATUS","features":[16]},{"name":"OID_GEN_CO_LINK_SPEED","features":[16]},{"name":"OID_GEN_CO_MAC_OPTIONS","features":[16]},{"name":"OID_GEN_CO_MEDIA_CONNECT_STATUS","features":[16]},{"name":"OID_GEN_CO_MEDIA_IN_USE","features":[16]},{"name":"OID_GEN_CO_MEDIA_SUPPORTED","features":[16]},{"name":"OID_GEN_CO_MINIMUM_LINK_SPEED","features":[16]},{"name":"OID_GEN_CO_NETCARD_LOAD","features":[16]},{"name":"OID_GEN_CO_PROTOCOL_OPTIONS","features":[16]},{"name":"OID_GEN_CO_RCV_CRC_ERROR","features":[16]},{"name":"OID_GEN_CO_RCV_PDUS_ERROR","features":[16]},{"name":"OID_GEN_CO_RCV_PDUS_NO_BUFFER","features":[16]},{"name":"OID_GEN_CO_RCV_PDUS_OK","features":[16]},{"name":"OID_GEN_CO_SUPPORTED_GUIDS","features":[16]},{"name":"OID_GEN_CO_SUPPORTED_LIST","features":[16]},{"name":"OID_GEN_CO_TRANSMIT_QUEUE_LENGTH","features":[16]},{"name":"OID_GEN_CO_VENDOR_DESCRIPTION","features":[16]},{"name":"OID_GEN_CO_VENDOR_DRIVER_VERSION","features":[16]},{"name":"OID_GEN_CO_VENDOR_ID","features":[16]},{"name":"OID_GEN_CO_XMIT_PDUS_ERROR","features":[16]},{"name":"OID_GEN_CO_XMIT_PDUS_OK","features":[16]},{"name":"OID_GEN_CURRENT_LOOKAHEAD","features":[16]},{"name":"OID_GEN_CURRENT_PACKET_FILTER","features":[16]},{"name":"OID_GEN_DEVICE_PROFILE","features":[16]},{"name":"OID_GEN_DIRECTED_BYTES_RCV","features":[16]},{"name":"OID_GEN_DIRECTED_BYTES_XMIT","features":[16]},{"name":"OID_GEN_DIRECTED_FRAMES_RCV","features":[16]},{"name":"OID_GEN_DIRECTED_FRAMES_XMIT","features":[16]},{"name":"OID_GEN_DISCONTINUITY_TIME","features":[16]},{"name":"OID_GEN_DRIVER_VERSION","features":[16]},{"name":"OID_GEN_ENUMERATE_PORTS","features":[16]},{"name":"OID_GEN_FRIENDLY_NAME","features":[16]},{"name":"OID_GEN_GET_NETCARD_TIME","features":[16]},{"name":"OID_GEN_GET_TIME_CAPS","features":[16]},{"name":"OID_GEN_HARDWARE_STATUS","features":[16]},{"name":"OID_GEN_HD_SPLIT_CURRENT_CONFIG","features":[16]},{"name":"OID_GEN_HD_SPLIT_PARAMETERS","features":[16]},{"name":"OID_GEN_INIT_TIME_MS","features":[16]},{"name":"OID_GEN_INTERFACE_INFO","features":[16]},{"name":"OID_GEN_INTERRUPT_MODERATION","features":[16]},{"name":"OID_GEN_IP_OPER_STATUS","features":[16]},{"name":"OID_GEN_ISOLATION_PARAMETERS","features":[16]},{"name":"OID_GEN_LAST_CHANGE","features":[16]},{"name":"OID_GEN_LINK_PARAMETERS","features":[16]},{"name":"OID_GEN_LINK_SPEED","features":[16]},{"name":"OID_GEN_LINK_SPEED_EX","features":[16]},{"name":"OID_GEN_LINK_STATE","features":[16]},{"name":"OID_GEN_MACHINE_NAME","features":[16]},{"name":"OID_GEN_MAC_ADDRESS","features":[16]},{"name":"OID_GEN_MAC_OPTIONS","features":[16]},{"name":"OID_GEN_MAXIMUM_FRAME_SIZE","features":[16]},{"name":"OID_GEN_MAXIMUM_LOOKAHEAD","features":[16]},{"name":"OID_GEN_MAXIMUM_SEND_PACKETS","features":[16]},{"name":"OID_GEN_MAXIMUM_TOTAL_SIZE","features":[16]},{"name":"OID_GEN_MAX_LINK_SPEED","features":[16]},{"name":"OID_GEN_MEDIA_CAPABILITIES","features":[16]},{"name":"OID_GEN_MEDIA_CONNECT_STATUS","features":[16]},{"name":"OID_GEN_MEDIA_CONNECT_STATUS_EX","features":[16]},{"name":"OID_GEN_MEDIA_DUPLEX_STATE","features":[16]},{"name":"OID_GEN_MEDIA_IN_USE","features":[16]},{"name":"OID_GEN_MEDIA_SENSE_COUNTS","features":[16]},{"name":"OID_GEN_MEDIA_SUPPORTED","features":[16]},{"name":"OID_GEN_MINIPORT_RESTART_ATTRIBUTES","features":[16]},{"name":"OID_GEN_MULTICAST_BYTES_RCV","features":[16]},{"name":"OID_GEN_MULTICAST_BYTES_XMIT","features":[16]},{"name":"OID_GEN_MULTICAST_FRAMES_RCV","features":[16]},{"name":"OID_GEN_MULTICAST_FRAMES_XMIT","features":[16]},{"name":"OID_GEN_NDIS_RESERVED_1","features":[16]},{"name":"OID_GEN_NDIS_RESERVED_2","features":[16]},{"name":"OID_GEN_NDIS_RESERVED_3","features":[16]},{"name":"OID_GEN_NDIS_RESERVED_4","features":[16]},{"name":"OID_GEN_NDIS_RESERVED_5","features":[16]},{"name":"OID_GEN_NDIS_RESERVED_6","features":[16]},{"name":"OID_GEN_NDIS_RESERVED_7","features":[16]},{"name":"OID_GEN_NETCARD_LOAD","features":[16]},{"name":"OID_GEN_NETWORK_LAYER_ADDRESSES","features":[16]},{"name":"OID_GEN_OPERATIONAL_STATUS","features":[16]},{"name":"OID_GEN_PCI_DEVICE_CUSTOM_PROPERTIES","features":[16]},{"name":"OID_GEN_PHYSICAL_MEDIUM","features":[16]},{"name":"OID_GEN_PHYSICAL_MEDIUM_EX","features":[16]},{"name":"OID_GEN_PORT_AUTHENTICATION_PARAMETERS","features":[16]},{"name":"OID_GEN_PORT_STATE","features":[16]},{"name":"OID_GEN_PROMISCUOUS_MODE","features":[16]},{"name":"OID_GEN_PROTOCOL_OPTIONS","features":[16]},{"name":"OID_GEN_RCV_CRC_ERROR","features":[16]},{"name":"OID_GEN_RCV_DISCARDS","features":[16]},{"name":"OID_GEN_RCV_ERROR","features":[16]},{"name":"OID_GEN_RCV_LINK_SPEED","features":[16]},{"name":"OID_GEN_RCV_NO_BUFFER","features":[16]},{"name":"OID_GEN_RCV_OK","features":[16]},{"name":"OID_GEN_RECEIVE_BLOCK_SIZE","features":[16]},{"name":"OID_GEN_RECEIVE_BUFFER_SPACE","features":[16]},{"name":"OID_GEN_RECEIVE_HASH","features":[16]},{"name":"OID_GEN_RECEIVE_SCALE_CAPABILITIES","features":[16]},{"name":"OID_GEN_RECEIVE_SCALE_PARAMETERS","features":[16]},{"name":"OID_GEN_RECEIVE_SCALE_PARAMETERS_V2","features":[16]},{"name":"OID_GEN_RESET_COUNTS","features":[16]},{"name":"OID_GEN_RNDIS_CONFIG_PARAMETER","features":[16]},{"name":"OID_GEN_RSS_SET_INDIRECTION_TABLE_ENTRIES","features":[16]},{"name":"OID_GEN_STATISTICS","features":[16]},{"name":"OID_GEN_SUPPORTED_GUIDS","features":[16]},{"name":"OID_GEN_SUPPORTED_LIST","features":[16]},{"name":"OID_GEN_TIMEOUT_DPC_REQUEST_CAPABILITIES","features":[16]},{"name":"OID_GEN_TRANSMIT_BLOCK_SIZE","features":[16]},{"name":"OID_GEN_TRANSMIT_BUFFER_SPACE","features":[16]},{"name":"OID_GEN_TRANSMIT_QUEUE_LENGTH","features":[16]},{"name":"OID_GEN_TRANSPORT_HEADER_OFFSET","features":[16]},{"name":"OID_GEN_UNKNOWN_PROTOS","features":[16]},{"name":"OID_GEN_VENDOR_DESCRIPTION","features":[16]},{"name":"OID_GEN_VENDOR_DRIVER_VERSION","features":[16]},{"name":"OID_GEN_VENDOR_ID","features":[16]},{"name":"OID_GEN_VLAN_ID","features":[16]},{"name":"OID_GEN_XMIT_DISCARDS","features":[16]},{"name":"OID_GEN_XMIT_ERROR","features":[16]},{"name":"OID_GEN_XMIT_LINK_SPEED","features":[16]},{"name":"OID_GEN_XMIT_OK","features":[16]},{"name":"OID_GFT_ACTIVATE_FLOW_ENTRIES","features":[16]},{"name":"OID_GFT_ADD_FLOW_ENTRIES","features":[16]},{"name":"OID_GFT_ALLOCATE_COUNTERS","features":[16]},{"name":"OID_GFT_COUNTER_VALUES","features":[16]},{"name":"OID_GFT_CREATE_LOGICAL_VPORT","features":[16]},{"name":"OID_GFT_CREATE_TABLE","features":[16]},{"name":"OID_GFT_CURRENT_CAPABILITIES","features":[16]},{"name":"OID_GFT_DEACTIVATE_FLOW_ENTRIES","features":[16]},{"name":"OID_GFT_DELETE_FLOW_ENTRIES","features":[16]},{"name":"OID_GFT_DELETE_LOGICAL_VPORT","features":[16]},{"name":"OID_GFT_DELETE_PROFILE","features":[16]},{"name":"OID_GFT_DELETE_TABLE","features":[16]},{"name":"OID_GFT_ENUM_COUNTERS","features":[16]},{"name":"OID_GFT_ENUM_FLOW_ENTRIES","features":[16]},{"name":"OID_GFT_ENUM_LOGICAL_VPORTS","features":[16]},{"name":"OID_GFT_ENUM_PROFILES","features":[16]},{"name":"OID_GFT_ENUM_TABLES","features":[16]},{"name":"OID_GFT_EXACT_MATCH_PROFILE","features":[16]},{"name":"OID_GFT_FLOW_ENTRY_PARAMETERS","features":[16]},{"name":"OID_GFT_FREE_COUNTERS","features":[16]},{"name":"OID_GFT_GLOBAL_PARAMETERS","features":[16]},{"name":"OID_GFT_HARDWARE_CAPABILITIES","features":[16]},{"name":"OID_GFT_HEADER_TRANSPOSITION_PROFILE","features":[16]},{"name":"OID_GFT_STATISTICS","features":[16]},{"name":"OID_GFT_VPORT_PARAMETERS","features":[16]},{"name":"OID_GFT_WILDCARD_MATCH_PROFILE","features":[16]},{"name":"OID_IP4_OFFLOAD_STATS","features":[16]},{"name":"OID_IP6_OFFLOAD_STATS","features":[16]},{"name":"OID_IRDA_EXTRA_RCV_BOFS","features":[16]},{"name":"OID_IRDA_LINK_SPEED","features":[16]},{"name":"OID_IRDA_MAX_RECEIVE_WINDOW_SIZE","features":[16]},{"name":"OID_IRDA_MAX_SEND_WINDOW_SIZE","features":[16]},{"name":"OID_IRDA_MAX_UNICAST_LIST_SIZE","features":[16]},{"name":"OID_IRDA_MEDIA_BUSY","features":[16]},{"name":"OID_IRDA_RATE_SNIFF","features":[16]},{"name":"OID_IRDA_RECEIVING","features":[16]},{"name":"OID_IRDA_RESERVED1","features":[16]},{"name":"OID_IRDA_RESERVED2","features":[16]},{"name":"OID_IRDA_SUPPORTED_SPEEDS","features":[16]},{"name":"OID_IRDA_TURNAROUND_TIME","features":[16]},{"name":"OID_IRDA_UNICAST_LIST","features":[16]},{"name":"OID_KDNET_ADD_PF","features":[16]},{"name":"OID_KDNET_ENUMERATE_PFS","features":[16]},{"name":"OID_KDNET_QUERY_PF_INFORMATION","features":[16]},{"name":"OID_KDNET_REMOVE_PF","features":[16]},{"name":"OID_LTALK_COLLISIONS","features":[16]},{"name":"OID_LTALK_CURRENT_NODE_ID","features":[16]},{"name":"OID_LTALK_DEFERS","features":[16]},{"name":"OID_LTALK_FCS_ERRORS","features":[16]},{"name":"OID_LTALK_IN_BROADCASTS","features":[16]},{"name":"OID_LTALK_IN_LENGTH_ERRORS","features":[16]},{"name":"OID_LTALK_NO_DATA_ERRORS","features":[16]},{"name":"OID_LTALK_OUT_NO_HANDLERS","features":[16]},{"name":"OID_LTALK_RANDOM_CTS_ERRORS","features":[16]},{"name":"OID_NDK_CONNECTIONS","features":[16]},{"name":"OID_NDK_LOCAL_ENDPOINTS","features":[16]},{"name":"OID_NDK_SET_STATE","features":[16]},{"name":"OID_NDK_STATISTICS","features":[16]},{"name":"OID_NIC_SWITCH_ALLOCATE_VF","features":[16]},{"name":"OID_NIC_SWITCH_CREATE_SWITCH","features":[16]},{"name":"OID_NIC_SWITCH_CREATE_VPORT","features":[16]},{"name":"OID_NIC_SWITCH_CURRENT_CAPABILITIES","features":[16]},{"name":"OID_NIC_SWITCH_DELETE_SWITCH","features":[16]},{"name":"OID_NIC_SWITCH_DELETE_VPORT","features":[16]},{"name":"OID_NIC_SWITCH_ENUM_SWITCHES","features":[16]},{"name":"OID_NIC_SWITCH_ENUM_VFS","features":[16]},{"name":"OID_NIC_SWITCH_ENUM_VPORTS","features":[16]},{"name":"OID_NIC_SWITCH_FREE_VF","features":[16]},{"name":"OID_NIC_SWITCH_HARDWARE_CAPABILITIES","features":[16]},{"name":"OID_NIC_SWITCH_PARAMETERS","features":[16]},{"name":"OID_NIC_SWITCH_VF_PARAMETERS","features":[16]},{"name":"OID_NIC_SWITCH_VPORT_PARAMETERS","features":[16]},{"name":"OID_OFFLOAD_ENCAPSULATION","features":[16]},{"name":"OID_PACKET_COALESCING_FILTER_MATCH_COUNT","features":[16]},{"name":"OID_PD_CLOSE_PROVIDER","features":[16]},{"name":"OID_PD_OPEN_PROVIDER","features":[16]},{"name":"OID_PD_QUERY_CURRENT_CONFIG","features":[16]},{"name":"OID_PM_ADD_PROTOCOL_OFFLOAD","features":[16]},{"name":"OID_PM_ADD_WOL_PATTERN","features":[16]},{"name":"OID_PM_CURRENT_CAPABILITIES","features":[16]},{"name":"OID_PM_GET_PROTOCOL_OFFLOAD","features":[16]},{"name":"OID_PM_HARDWARE_CAPABILITIES","features":[16]},{"name":"OID_PM_PARAMETERS","features":[16]},{"name":"OID_PM_PROTOCOL_OFFLOAD_LIST","features":[16]},{"name":"OID_PM_REMOVE_PROTOCOL_OFFLOAD","features":[16]},{"name":"OID_PM_REMOVE_WOL_PATTERN","features":[16]},{"name":"OID_PM_RESERVED_1","features":[16]},{"name":"OID_PM_WOL_PATTERN_LIST","features":[16]},{"name":"OID_PNP_ADD_WAKE_UP_PATTERN","features":[16]},{"name":"OID_PNP_CAPABILITIES","features":[16]},{"name":"OID_PNP_ENABLE_WAKE_UP","features":[16]},{"name":"OID_PNP_QUERY_POWER","features":[16]},{"name":"OID_PNP_REMOVE_WAKE_UP_PATTERN","features":[16]},{"name":"OID_PNP_SET_POWER","features":[16]},{"name":"OID_PNP_WAKE_UP_ERROR","features":[16]},{"name":"OID_PNP_WAKE_UP_OK","features":[16]},{"name":"OID_PNP_WAKE_UP_PATTERN_LIST","features":[16]},{"name":"OID_QOS_CURRENT_CAPABILITIES","features":[16]},{"name":"OID_QOS_HARDWARE_CAPABILITIES","features":[16]},{"name":"OID_QOS_OFFLOAD_CREATE_SQ","features":[16]},{"name":"OID_QOS_OFFLOAD_CURRENT_CAPABILITIES","features":[16]},{"name":"OID_QOS_OFFLOAD_DELETE_SQ","features":[16]},{"name":"OID_QOS_OFFLOAD_ENUM_SQS","features":[16]},{"name":"OID_QOS_OFFLOAD_HARDWARE_CAPABILITIES","features":[16]},{"name":"OID_QOS_OFFLOAD_SQ_STATS","features":[16]},{"name":"OID_QOS_OFFLOAD_UPDATE_SQ","features":[16]},{"name":"OID_QOS_OPERATIONAL_PARAMETERS","features":[16]},{"name":"OID_QOS_PARAMETERS","features":[16]},{"name":"OID_QOS_REMOTE_PARAMETERS","features":[16]},{"name":"OID_QOS_RESERVED1","features":[16]},{"name":"OID_QOS_RESERVED10","features":[16]},{"name":"OID_QOS_RESERVED11","features":[16]},{"name":"OID_QOS_RESERVED12","features":[16]},{"name":"OID_QOS_RESERVED13","features":[16]},{"name":"OID_QOS_RESERVED14","features":[16]},{"name":"OID_QOS_RESERVED15","features":[16]},{"name":"OID_QOS_RESERVED16","features":[16]},{"name":"OID_QOS_RESERVED17","features":[16]},{"name":"OID_QOS_RESERVED18","features":[16]},{"name":"OID_QOS_RESERVED19","features":[16]},{"name":"OID_QOS_RESERVED2","features":[16]},{"name":"OID_QOS_RESERVED20","features":[16]},{"name":"OID_QOS_RESERVED3","features":[16]},{"name":"OID_QOS_RESERVED4","features":[16]},{"name":"OID_QOS_RESERVED5","features":[16]},{"name":"OID_QOS_RESERVED6","features":[16]},{"name":"OID_QOS_RESERVED7","features":[16]},{"name":"OID_QOS_RESERVED8","features":[16]},{"name":"OID_QOS_RESERVED9","features":[16]},{"name":"OID_RECEIVE_FILTER_ALLOCATE_QUEUE","features":[16]},{"name":"OID_RECEIVE_FILTER_CLEAR_FILTER","features":[16]},{"name":"OID_RECEIVE_FILTER_CURRENT_CAPABILITIES","features":[16]},{"name":"OID_RECEIVE_FILTER_ENUM_FILTERS","features":[16]},{"name":"OID_RECEIVE_FILTER_ENUM_QUEUES","features":[16]},{"name":"OID_RECEIVE_FILTER_FREE_QUEUE","features":[16]},{"name":"OID_RECEIVE_FILTER_GLOBAL_PARAMETERS","features":[16]},{"name":"OID_RECEIVE_FILTER_HARDWARE_CAPABILITIES","features":[16]},{"name":"OID_RECEIVE_FILTER_MOVE_FILTER","features":[16]},{"name":"OID_RECEIVE_FILTER_PARAMETERS","features":[16]},{"name":"OID_RECEIVE_FILTER_QUEUE_ALLOCATION_COMPLETE","features":[16]},{"name":"OID_RECEIVE_FILTER_QUEUE_PARAMETERS","features":[16]},{"name":"OID_RECEIVE_FILTER_SET_FILTER","features":[16]},{"name":"OID_SRIOV_BAR_RESOURCES","features":[16]},{"name":"OID_SRIOV_CONFIG_STATE","features":[16]},{"name":"OID_SRIOV_CURRENT_CAPABILITIES","features":[16]},{"name":"OID_SRIOV_HARDWARE_CAPABILITIES","features":[16]},{"name":"OID_SRIOV_OVERLYING_ADAPTER_INFO","features":[16]},{"name":"OID_SRIOV_PF_LUID","features":[16]},{"name":"OID_SRIOV_PROBED_BARS","features":[16]},{"name":"OID_SRIOV_READ_VF_CONFIG_BLOCK","features":[16]},{"name":"OID_SRIOV_READ_VF_CONFIG_SPACE","features":[16]},{"name":"OID_SRIOV_RESET_VF","features":[16]},{"name":"OID_SRIOV_SET_VF_POWER_STATE","features":[16]},{"name":"OID_SRIOV_VF_INVALIDATE_CONFIG_BLOCK","features":[16]},{"name":"OID_SRIOV_VF_SERIAL_NUMBER","features":[16]},{"name":"OID_SRIOV_VF_VENDOR_DEVICE_ID","features":[16]},{"name":"OID_SRIOV_WRITE_VF_CONFIG_BLOCK","features":[16]},{"name":"OID_SRIOV_WRITE_VF_CONFIG_SPACE","features":[16]},{"name":"OID_SWITCH_FEATURE_STATUS_QUERY","features":[16]},{"name":"OID_SWITCH_NIC_ARRAY","features":[16]},{"name":"OID_SWITCH_NIC_CONNECT","features":[16]},{"name":"OID_SWITCH_NIC_CREATE","features":[16]},{"name":"OID_SWITCH_NIC_DELETE","features":[16]},{"name":"OID_SWITCH_NIC_DIRECT_REQUEST","features":[16]},{"name":"OID_SWITCH_NIC_DISCONNECT","features":[16]},{"name":"OID_SWITCH_NIC_REQUEST","features":[16]},{"name":"OID_SWITCH_NIC_RESTORE","features":[16]},{"name":"OID_SWITCH_NIC_RESTORE_COMPLETE","features":[16]},{"name":"OID_SWITCH_NIC_RESUME","features":[16]},{"name":"OID_SWITCH_NIC_SAVE","features":[16]},{"name":"OID_SWITCH_NIC_SAVE_COMPLETE","features":[16]},{"name":"OID_SWITCH_NIC_SUSPEND","features":[16]},{"name":"OID_SWITCH_NIC_SUSPENDED_LM_SOURCE_FINISHED","features":[16]},{"name":"OID_SWITCH_NIC_SUSPENDED_LM_SOURCE_STARTED","features":[16]},{"name":"OID_SWITCH_NIC_UPDATED","features":[16]},{"name":"OID_SWITCH_PARAMETERS","features":[16]},{"name":"OID_SWITCH_PORT_ARRAY","features":[16]},{"name":"OID_SWITCH_PORT_CREATE","features":[16]},{"name":"OID_SWITCH_PORT_DELETE","features":[16]},{"name":"OID_SWITCH_PORT_FEATURE_STATUS_QUERY","features":[16]},{"name":"OID_SWITCH_PORT_PROPERTY_ADD","features":[16]},{"name":"OID_SWITCH_PORT_PROPERTY_DELETE","features":[16]},{"name":"OID_SWITCH_PORT_PROPERTY_ENUM","features":[16]},{"name":"OID_SWITCH_PORT_PROPERTY_UPDATE","features":[16]},{"name":"OID_SWITCH_PORT_TEARDOWN","features":[16]},{"name":"OID_SWITCH_PORT_UPDATED","features":[16]},{"name":"OID_SWITCH_PROPERTY_ADD","features":[16]},{"name":"OID_SWITCH_PROPERTY_DELETE","features":[16]},{"name":"OID_SWITCH_PROPERTY_ENUM","features":[16]},{"name":"OID_SWITCH_PROPERTY_UPDATE","features":[16]},{"name":"OID_TAPI_ACCEPT","features":[16]},{"name":"OID_TAPI_ANSWER","features":[16]},{"name":"OID_TAPI_CLOSE","features":[16]},{"name":"OID_TAPI_CLOSE_CALL","features":[16]},{"name":"OID_TAPI_CONDITIONAL_MEDIA_DETECTION","features":[16]},{"name":"OID_TAPI_CONFIG_DIALOG","features":[16]},{"name":"OID_TAPI_DEV_SPECIFIC","features":[16]},{"name":"OID_TAPI_DIAL","features":[16]},{"name":"OID_TAPI_DROP","features":[16]},{"name":"OID_TAPI_GATHER_DIGITS","features":[16]},{"name":"OID_TAPI_GET_ADDRESS_CAPS","features":[16]},{"name":"OID_TAPI_GET_ADDRESS_ID","features":[16]},{"name":"OID_TAPI_GET_ADDRESS_STATUS","features":[16]},{"name":"OID_TAPI_GET_CALL_ADDRESS_ID","features":[16]},{"name":"OID_TAPI_GET_CALL_INFO","features":[16]},{"name":"OID_TAPI_GET_CALL_STATUS","features":[16]},{"name":"OID_TAPI_GET_DEV_CAPS","features":[16]},{"name":"OID_TAPI_GET_DEV_CONFIG","features":[16]},{"name":"OID_TAPI_GET_EXTENSION_ID","features":[16]},{"name":"OID_TAPI_GET_ID","features":[16]},{"name":"OID_TAPI_GET_LINE_DEV_STATUS","features":[16]},{"name":"OID_TAPI_MAKE_CALL","features":[16]},{"name":"OID_TAPI_MONITOR_DIGITS","features":[16]},{"name":"OID_TAPI_NEGOTIATE_EXT_VERSION","features":[16]},{"name":"OID_TAPI_OPEN","features":[16]},{"name":"OID_TAPI_PROVIDER_INITIALIZE","features":[16]},{"name":"OID_TAPI_PROVIDER_SHUTDOWN","features":[16]},{"name":"OID_TAPI_SECURE_CALL","features":[16]},{"name":"OID_TAPI_SELECT_EXT_VERSION","features":[16]},{"name":"OID_TAPI_SEND_USER_USER_INFO","features":[16]},{"name":"OID_TAPI_SET_APP_SPECIFIC","features":[16]},{"name":"OID_TAPI_SET_CALL_PARAMS","features":[16]},{"name":"OID_TAPI_SET_DEFAULT_MEDIA_DETECTION","features":[16]},{"name":"OID_TAPI_SET_DEV_CONFIG","features":[16]},{"name":"OID_TAPI_SET_MEDIA_MODE","features":[16]},{"name":"OID_TAPI_SET_STATUS_MESSAGES","features":[16]},{"name":"OID_TCP4_OFFLOAD_STATS","features":[16]},{"name":"OID_TCP6_OFFLOAD_STATS","features":[16]},{"name":"OID_TCP_CONNECTION_OFFLOAD_CURRENT_CONFIG","features":[16]},{"name":"OID_TCP_CONNECTION_OFFLOAD_HARDWARE_CAPABILITIES","features":[16]},{"name":"OID_TCP_CONNECTION_OFFLOAD_PARAMETERS","features":[16]},{"name":"OID_TCP_OFFLOAD_CURRENT_CONFIG","features":[16]},{"name":"OID_TCP_OFFLOAD_HARDWARE_CAPABILITIES","features":[16]},{"name":"OID_TCP_OFFLOAD_PARAMETERS","features":[16]},{"name":"OID_TCP_RSC_STATISTICS","features":[16]},{"name":"OID_TCP_SAN_SUPPORT","features":[16]},{"name":"OID_TCP_TASK_IPSEC_ADD_SA","features":[16]},{"name":"OID_TCP_TASK_IPSEC_ADD_UDPESP_SA","features":[16]},{"name":"OID_TCP_TASK_IPSEC_DELETE_SA","features":[16]},{"name":"OID_TCP_TASK_IPSEC_DELETE_UDPESP_SA","features":[16]},{"name":"OID_TCP_TASK_IPSEC_OFFLOAD_V2_ADD_SA","features":[16]},{"name":"OID_TCP_TASK_IPSEC_OFFLOAD_V2_ADD_SA_EX","features":[16]},{"name":"OID_TCP_TASK_IPSEC_OFFLOAD_V2_DELETE_SA","features":[16]},{"name":"OID_TCP_TASK_IPSEC_OFFLOAD_V2_UPDATE_SA","features":[16]},{"name":"OID_TCP_TASK_OFFLOAD","features":[16]},{"name":"OID_TIMESTAMP_CAPABILITY","features":[16]},{"name":"OID_TIMESTAMP_CURRENT_CONFIG","features":[16]},{"name":"OID_TIMESTAMP_GET_CROSSTIMESTAMP","features":[16]},{"name":"OID_TUNNEL_INTERFACE_RELEASE_OID","features":[16]},{"name":"OID_TUNNEL_INTERFACE_SET_OID","features":[16]},{"name":"OID_VLAN_RESERVED1","features":[16]},{"name":"OID_VLAN_RESERVED2","features":[16]},{"name":"OID_VLAN_RESERVED3","features":[16]},{"name":"OID_VLAN_RESERVED4","features":[16]},{"name":"OID_WAN_CO_GET_COMP_INFO","features":[16]},{"name":"OID_WAN_CO_GET_INFO","features":[16]},{"name":"OID_WAN_CO_GET_LINK_INFO","features":[16]},{"name":"OID_WAN_CO_GET_STATS_INFO","features":[16]},{"name":"OID_WAN_CO_SET_COMP_INFO","features":[16]},{"name":"OID_WAN_CO_SET_LINK_INFO","features":[16]},{"name":"OID_WAN_CURRENT_ADDRESS","features":[16]},{"name":"OID_WAN_GET_BRIDGE_INFO","features":[16]},{"name":"OID_WAN_GET_COMP_INFO","features":[16]},{"name":"OID_WAN_GET_INFO","features":[16]},{"name":"OID_WAN_GET_LINK_INFO","features":[16]},{"name":"OID_WAN_GET_STATS_INFO","features":[16]},{"name":"OID_WAN_HEADER_FORMAT","features":[16]},{"name":"OID_WAN_LINE_COUNT","features":[16]},{"name":"OID_WAN_MEDIUM_SUBTYPE","features":[16]},{"name":"OID_WAN_PERMANENT_ADDRESS","features":[16]},{"name":"OID_WAN_PROTOCOL_CAPS","features":[16]},{"name":"OID_WAN_PROTOCOL_TYPE","features":[16]},{"name":"OID_WAN_QUALITY_OF_SERVICE","features":[16]},{"name":"OID_WAN_SET_BRIDGE_INFO","features":[16]},{"name":"OID_WAN_SET_COMP_INFO","features":[16]},{"name":"OID_WAN_SET_LINK_INFO","features":[16]},{"name":"OID_WWAN_AUTH_CHALLENGE","features":[16]},{"name":"OID_WWAN_BASE_STATIONS_INFO","features":[16]},{"name":"OID_WWAN_CONNECT","features":[16]},{"name":"OID_WWAN_CREATE_MAC","features":[16]},{"name":"OID_WWAN_DELETE_MAC","features":[16]},{"name":"OID_WWAN_DEVICE_BINDINGS","features":[16]},{"name":"OID_WWAN_DEVICE_CAPS","features":[16]},{"name":"OID_WWAN_DEVICE_CAPS_EX","features":[16]},{"name":"OID_WWAN_DEVICE_RESET","features":[16]},{"name":"OID_WWAN_DEVICE_SERVICE_COMMAND","features":[16]},{"name":"OID_WWAN_DEVICE_SERVICE_SESSION","features":[16]},{"name":"OID_WWAN_DEVICE_SERVICE_SESSION_WRITE","features":[16]},{"name":"OID_WWAN_DRIVER_CAPS","features":[16]},{"name":"OID_WWAN_ENUMERATE_DEVICE_SERVICES","features":[16]},{"name":"OID_WWAN_ENUMERATE_DEVICE_SERVICE_COMMANDS","features":[16]},{"name":"OID_WWAN_HOME_PROVIDER","features":[16]},{"name":"OID_WWAN_IMS_VOICE_STATE","features":[16]},{"name":"OID_WWAN_LOCATION_STATE","features":[16]},{"name":"OID_WWAN_LTE_ATTACH_CONFIG","features":[16]},{"name":"OID_WWAN_LTE_ATTACH_STATUS","features":[16]},{"name":"OID_WWAN_MBIM_VERSION","features":[16]},{"name":"OID_WWAN_MODEM_CONFIG_INFO","features":[16]},{"name":"OID_WWAN_MODEM_LOGGING_CONFIG","features":[16]},{"name":"OID_WWAN_MPDP","features":[16]},{"name":"OID_WWAN_NETWORK_BLACKLIST","features":[16]},{"name":"OID_WWAN_NETWORK_IDLE_HINT","features":[16]},{"name":"OID_WWAN_NETWORK_PARAMS","features":[16]},{"name":"OID_WWAN_NITZ","features":[16]},{"name":"OID_WWAN_PACKET_SERVICE","features":[16]},{"name":"OID_WWAN_PCO","features":[16]},{"name":"OID_WWAN_PIN","features":[16]},{"name":"OID_WWAN_PIN_EX","features":[16]},{"name":"OID_WWAN_PIN_EX2","features":[16]},{"name":"OID_WWAN_PIN_LIST","features":[16]},{"name":"OID_WWAN_PREFERRED_MULTICARRIER_PROVIDERS","features":[16]},{"name":"OID_WWAN_PREFERRED_PROVIDERS","features":[16]},{"name":"OID_WWAN_PRESHUTDOWN","features":[16]},{"name":"OID_WWAN_PROVISIONED_CONTEXTS","features":[16]},{"name":"OID_WWAN_PS_MEDIA_CONFIG","features":[16]},{"name":"OID_WWAN_RADIO_STATE","features":[16]},{"name":"OID_WWAN_READY_INFO","features":[16]},{"name":"OID_WWAN_REGISTER_PARAMS","features":[16]},{"name":"OID_WWAN_REGISTER_STATE","features":[16]},{"name":"OID_WWAN_REGISTER_STATE_EX","features":[16]},{"name":"OID_WWAN_SAR_CONFIG","features":[16]},{"name":"OID_WWAN_SAR_TRANSMISSION_STATUS","features":[16]},{"name":"OID_WWAN_SERVICE_ACTIVATION","features":[16]},{"name":"OID_WWAN_SIGNAL_STATE","features":[16]},{"name":"OID_WWAN_SIGNAL_STATE_EX","features":[16]},{"name":"OID_WWAN_SLOT_INFO_STATUS","features":[16]},{"name":"OID_WWAN_SMS_CONFIGURATION","features":[16]},{"name":"OID_WWAN_SMS_DELETE","features":[16]},{"name":"OID_WWAN_SMS_READ","features":[16]},{"name":"OID_WWAN_SMS_SEND","features":[16]},{"name":"OID_WWAN_SMS_STATUS","features":[16]},{"name":"OID_WWAN_SUBSCRIBE_DEVICE_SERVICE_EVENTS","features":[16]},{"name":"OID_WWAN_SYS_CAPS","features":[16]},{"name":"OID_WWAN_SYS_SLOTMAPPINGS","features":[16]},{"name":"OID_WWAN_UE_POLICY","features":[16]},{"name":"OID_WWAN_UICC_ACCESS_BINARY","features":[16]},{"name":"OID_WWAN_UICC_ACCESS_RECORD","features":[16]},{"name":"OID_WWAN_UICC_APDU","features":[16]},{"name":"OID_WWAN_UICC_APP_LIST","features":[16]},{"name":"OID_WWAN_UICC_ATR","features":[16]},{"name":"OID_WWAN_UICC_CLOSE_CHANNEL","features":[16]},{"name":"OID_WWAN_UICC_FILE_STATUS","features":[16]},{"name":"OID_WWAN_UICC_OPEN_CHANNEL","features":[16]},{"name":"OID_WWAN_UICC_RESET","features":[16]},{"name":"OID_WWAN_UICC_TERMINAL_CAPABILITY","features":[16]},{"name":"OID_WWAN_USSD","features":[16]},{"name":"OID_WWAN_VENDOR_SPECIFIC","features":[16]},{"name":"OID_WWAN_VISIBLE_PROVIDERS","features":[16]},{"name":"OID_XBOX_ACC_RESERVED0","features":[16]},{"name":"PMKID_CANDIDATE","features":[16]},{"name":"READABLE_LOCAL_CLOCK","features":[16]},{"name":"RECEIVE_TIME_INDICATION_CAPABLE","features":[16]},{"name":"TIMED_SEND_CAPABLE","features":[16]},{"name":"TIME_STAMP_CAPABLE","features":[16]},{"name":"TRANSPORT_HEADER_OFFSET","features":[16]},{"name":"TUNNEL_TYPE","features":[16]},{"name":"TUNNEL_TYPE_6TO4","features":[16]},{"name":"TUNNEL_TYPE_DIRECT","features":[16]},{"name":"TUNNEL_TYPE_IPHTTPS","features":[16]},{"name":"TUNNEL_TYPE_ISATAP","features":[16]},{"name":"TUNNEL_TYPE_NONE","features":[16]},{"name":"TUNNEL_TYPE_OTHER","features":[16]},{"name":"TUNNEL_TYPE_TEREDO","features":[16]},{"name":"UDP_ENCAP_TYPE","features":[16]},{"name":"UNSPECIFIED_NETWORK_GUID","features":[16]},{"name":"WAN_PROTOCOL_KEEPS_STATS","features":[16]},{"name":"fNDIS_GUID_ALLOW_READ","features":[16]},{"name":"fNDIS_GUID_ALLOW_WRITE","features":[16]},{"name":"fNDIS_GUID_ANSI_STRING","features":[16]},{"name":"fNDIS_GUID_ARRAY","features":[16]},{"name":"fNDIS_GUID_METHOD","features":[16]},{"name":"fNDIS_GUID_NDIS_RESERVED","features":[16]},{"name":"fNDIS_GUID_SUPPORT_COMMON_HEADER","features":[16]},{"name":"fNDIS_GUID_TO_OID","features":[16]},{"name":"fNDIS_GUID_TO_STATUS","features":[16]},{"name":"fNDIS_GUID_UNICODE_STRING","features":[16]}],"450":[{"name":"ACTION_HEADER","features":[92]},{"name":"ADAPTER_STATUS","features":[92]},{"name":"ALL_TRANSPORTS","features":[92]},{"name":"ASYNCH","features":[92]},{"name":"CALL_PENDING","features":[92]},{"name":"DEREGISTERED","features":[92]},{"name":"DUPLICATE","features":[92]},{"name":"DUPLICATE_DEREG","features":[92]},{"name":"FIND_NAME_BUFFER","features":[92]},{"name":"FIND_NAME_HEADER","features":[92]},{"name":"GROUP_NAME","features":[92]},{"name":"HANGUP_COMPLETE","features":[92]},{"name":"HANGUP_PENDING","features":[92]},{"name":"LANA_ENUM","features":[92]},{"name":"LISTEN_OUTSTANDING","features":[92]},{"name":"MAX_LANA","features":[92]},{"name":"MS_NBF","features":[92]},{"name":"NAME_BUFFER","features":[92]},{"name":"NAME_FLAGS_MASK","features":[92]},{"name":"NCB","features":[1,92]},{"name":"NCB","features":[1,92]},{"name":"NCBACTION","features":[92]},{"name":"NCBADDGRNAME","features":[92]},{"name":"NCBADDNAME","features":[92]},{"name":"NCBASTAT","features":[92]},{"name":"NCBCALL","features":[92]},{"name":"NCBCANCEL","features":[92]},{"name":"NCBCHAINSEND","features":[92]},{"name":"NCBCHAINSENDNA","features":[92]},{"name":"NCBDELNAME","features":[92]},{"name":"NCBDGRECV","features":[92]},{"name":"NCBDGRECVBC","features":[92]},{"name":"NCBDGSEND","features":[92]},{"name":"NCBDGSENDBC","features":[92]},{"name":"NCBENUM","features":[92]},{"name":"NCBFINDNAME","features":[92]},{"name":"NCBHANGUP","features":[92]},{"name":"NCBLANSTALERT","features":[92]},{"name":"NCBLISTEN","features":[92]},{"name":"NCBNAMSZ","features":[92]},{"name":"NCBRECV","features":[92]},{"name":"NCBRECVANY","features":[92]},{"name":"NCBRESET","features":[92]},{"name":"NCBSEND","features":[92]},{"name":"NCBSENDNA","features":[92]},{"name":"NCBSSTAT","features":[92]},{"name":"NCBTRACE","features":[92]},{"name":"NCBUNLINK","features":[92]},{"name":"NRC_ACTSES","features":[92]},{"name":"NRC_BADDR","features":[92]},{"name":"NRC_BRIDGE","features":[92]},{"name":"NRC_BUFLEN","features":[92]},{"name":"NRC_CANCEL","features":[92]},{"name":"NRC_CANOCCR","features":[92]},{"name":"NRC_CMDCAN","features":[92]},{"name":"NRC_CMDTMO","features":[92]},{"name":"NRC_DUPENV","features":[92]},{"name":"NRC_DUPNAME","features":[92]},{"name":"NRC_ENVNOTDEF","features":[92]},{"name":"NRC_GOODRET","features":[92]},{"name":"NRC_IFBUSY","features":[92]},{"name":"NRC_ILLCMD","features":[92]},{"name":"NRC_ILLNN","features":[92]},{"name":"NRC_INCOMP","features":[92]},{"name":"NRC_INUSE","features":[92]},{"name":"NRC_INVADDRESS","features":[92]},{"name":"NRC_INVDDID","features":[92]},{"name":"NRC_LOCKFAIL","features":[92]},{"name":"NRC_LOCTFUL","features":[92]},{"name":"NRC_MAXAPPS","features":[92]},{"name":"NRC_NAMCONF","features":[92]},{"name":"NRC_NAMERR","features":[92]},{"name":"NRC_NAMTFUL","features":[92]},{"name":"NRC_NOCALL","features":[92]},{"name":"NRC_NORES","features":[92]},{"name":"NRC_NORESOURCES","features":[92]},{"name":"NRC_NOSAPS","features":[92]},{"name":"NRC_NOWILD","features":[92]},{"name":"NRC_OPENERR","features":[92]},{"name":"NRC_OSRESNOTAV","features":[92]},{"name":"NRC_PENDING","features":[92]},{"name":"NRC_REMTFUL","features":[92]},{"name":"NRC_SABORT","features":[92]},{"name":"NRC_SCLOSED","features":[92]},{"name":"NRC_SNUMOUT","features":[92]},{"name":"NRC_SYSTEM","features":[92]},{"name":"NRC_TOOMANY","features":[92]},{"name":"Netbios","features":[1,92]},{"name":"REGISTERED","features":[92]},{"name":"REGISTERING","features":[92]},{"name":"SESSION_ABORTED","features":[92]},{"name":"SESSION_BUFFER","features":[92]},{"name":"SESSION_ESTABLISHED","features":[92]},{"name":"SESSION_HEADER","features":[92]},{"name":"UNIQUE_NAME","features":[92]}],"451":[{"name":"AA_AUDIT_ALL","features":[93]},{"name":"AA_A_ACL","features":[93]},{"name":"AA_A_CREATE","features":[93]},{"name":"AA_A_DELETE","features":[93]},{"name":"AA_A_OPEN","features":[93]},{"name":"AA_A_OWNER","features":[93]},{"name":"AA_A_WRITE","features":[93]},{"name":"AA_CLOSE","features":[93]},{"name":"AA_F_ACL","features":[93]},{"name":"AA_F_CREATE","features":[93]},{"name":"AA_F_DELETE","features":[93]},{"name":"AA_F_OPEN","features":[93]},{"name":"AA_F_WRITE","features":[93]},{"name":"AA_S_ACL","features":[93]},{"name":"AA_S_CREATE","features":[93]},{"name":"AA_S_DELETE","features":[93]},{"name":"AA_S_OPEN","features":[93]},{"name":"AA_S_WRITE","features":[93]},{"name":"ACCESS_ACCESS_LIST_PARMNUM","features":[93]},{"name":"ACCESS_ATTR_PARMNUM","features":[93]},{"name":"ACCESS_AUDIT","features":[93]},{"name":"ACCESS_COUNT_PARMNUM","features":[93]},{"name":"ACCESS_FAIL_ACL","features":[93]},{"name":"ACCESS_FAIL_DELETE","features":[93]},{"name":"ACCESS_FAIL_MASK","features":[93]},{"name":"ACCESS_FAIL_OPEN","features":[93]},{"name":"ACCESS_FAIL_SHIFT","features":[93]},{"name":"ACCESS_FAIL_WRITE","features":[93]},{"name":"ACCESS_GROUP","features":[93]},{"name":"ACCESS_INFO_0","features":[93]},{"name":"ACCESS_INFO_1","features":[93]},{"name":"ACCESS_INFO_1002","features":[93]},{"name":"ACCESS_LETTERS","features":[93]},{"name":"ACCESS_LIST","features":[93]},{"name":"ACCESS_NONE","features":[93]},{"name":"ACCESS_RESOURCE_NAME_PARMNUM","features":[93]},{"name":"ACCESS_SUCCESS_ACL","features":[93]},{"name":"ACCESS_SUCCESS_DELETE","features":[93]},{"name":"ACCESS_SUCCESS_MASK","features":[93]},{"name":"ACCESS_SUCCESS_OPEN","features":[93]},{"name":"ACCESS_SUCCESS_WRITE","features":[93]},{"name":"ACTION_ADMINUNLOCK","features":[93]},{"name":"ACTION_LOCKOUT","features":[93]},{"name":"ADMIN_OTHER_INFO","features":[93]},{"name":"AE_ACCLIM","features":[93]},{"name":"AE_ACCLIMITEXCD","features":[93]},{"name":"AE_ACCRESTRICT","features":[93]},{"name":"AE_ACLMOD","features":[93]},{"name":"AE_ACLMOD","features":[93]},{"name":"AE_ACLMODFAIL","features":[93]},{"name":"AE_ADD","features":[93]},{"name":"AE_ADMIN","features":[93]},{"name":"AE_ADMINDIS","features":[93]},{"name":"AE_ADMINPRIVREQD","features":[93]},{"name":"AE_ADMIN_CLOSE","features":[93]},{"name":"AE_AUTODIS","features":[93]},{"name":"AE_BADPW","features":[93]},{"name":"AE_CLOSEFILE","features":[93]},{"name":"AE_CLOSEFILE","features":[93]},{"name":"AE_CONNREJ","features":[93]},{"name":"AE_CONNREJ","features":[93]},{"name":"AE_CONNSTART","features":[93]},{"name":"AE_CONNSTART","features":[93]},{"name":"AE_CONNSTOP","features":[93]},{"name":"AE_CONNSTOP","features":[93]},{"name":"AE_DELETE","features":[93]},{"name":"AE_ERROR","features":[93]},{"name":"AE_GENERAL","features":[93]},{"name":"AE_GENERIC","features":[93]},{"name":"AE_GENERIC_TYPE","features":[93]},{"name":"AE_GUEST","features":[93]},{"name":"AE_LIM_DELETED","features":[93]},{"name":"AE_LIM_DISABLED","features":[93]},{"name":"AE_LIM_EXPIRED","features":[93]},{"name":"AE_LIM_INVAL_WKSTA","features":[93]},{"name":"AE_LIM_LOGONHOURS","features":[93]},{"name":"AE_LIM_UNKNOWN","features":[93]},{"name":"AE_LOCKOUT","features":[93]},{"name":"AE_LOCKOUT","features":[93]},{"name":"AE_MOD","features":[93]},{"name":"AE_NETLOGDENIED","features":[93]},{"name":"AE_NETLOGOFF","features":[93]},{"name":"AE_NETLOGOFF","features":[93]},{"name":"AE_NETLOGON","features":[93]},{"name":"AE_NETLOGON","features":[93]},{"name":"AE_NOACCESSPERM","features":[93]},{"name":"AE_NORMAL","features":[93]},{"name":"AE_NORMAL_CLOSE","features":[93]},{"name":"AE_RESACCESS","features":[93]},{"name":"AE_RESACCESS","features":[93]},{"name":"AE_RESACCESS2","features":[93]},{"name":"AE_RESACCESSREJ","features":[93]},{"name":"AE_RESACCESSREJ","features":[93]},{"name":"AE_SERVICESTAT","features":[93]},{"name":"AE_SERVICESTAT","features":[93]},{"name":"AE_SESSDIS","features":[93]},{"name":"AE_SESSLOGOFF","features":[93]},{"name":"AE_SESSLOGOFF","features":[93]},{"name":"AE_SESSLOGON","features":[93]},{"name":"AE_SESSLOGON","features":[93]},{"name":"AE_SESSPWERR","features":[93]},{"name":"AE_SESSPWERR","features":[93]},{"name":"AE_SES_CLOSE","features":[93]},{"name":"AE_SRVCONT","features":[93]},{"name":"AE_SRVPAUSED","features":[93]},{"name":"AE_SRVSTART","features":[93]},{"name":"AE_SRVSTATUS","features":[93]},{"name":"AE_SRVSTATUS","features":[93]},{"name":"AE_SRVSTOP","features":[93]},{"name":"AE_UASMOD","features":[93]},{"name":"AE_UASMOD","features":[93]},{"name":"AE_UAS_GROUP","features":[93]},{"name":"AE_UAS_MODALS","features":[93]},{"name":"AE_UAS_USER","features":[93]},{"name":"AE_UNSHARE","features":[93]},{"name":"AE_USER","features":[93]},{"name":"AE_USERLIMIT","features":[93]},{"name":"AF_OP","features":[93]},{"name":"AF_OP_ACCOUNTS","features":[93]},{"name":"AF_OP_COMM","features":[93]},{"name":"AF_OP_PRINT","features":[93]},{"name":"AF_OP_SERVER","features":[93]},{"name":"ALERTER_MAILSLOT","features":[93]},{"name":"ALERTSZ","features":[93]},{"name":"ALERT_ADMIN_EVENT","features":[93]},{"name":"ALERT_ERRORLOG_EVENT","features":[93]},{"name":"ALERT_MESSAGE_EVENT","features":[93]},{"name":"ALERT_PRINT_EVENT","features":[93]},{"name":"ALERT_USER_EVENT","features":[93]},{"name":"ALIGN_SHIFT","features":[93]},{"name":"ALIGN_SIZE","features":[93]},{"name":"ALLOCATE_RESPONSE","features":[93]},{"name":"AT_ENUM","features":[93]},{"name":"AT_INFO","features":[93]},{"name":"AUDIT_ENTRY","features":[93]},{"name":"BACKUP_MSG_FILENAME","features":[93]},{"name":"BIND_FLAGS1","features":[93]},{"name":"CLTYPE_LEN","features":[93]},{"name":"CNLEN","features":[93]},{"name":"COMPONENT_CHARACTERISTICS","features":[93]},{"name":"CONFIG_INFO_0","features":[93]},{"name":"COULD_NOT_VERIFY_VOLUMES","features":[93]},{"name":"CREATE_BYPASS_CSC","features":[93]},{"name":"CREATE_CRED_RESET","features":[93]},{"name":"CREATE_GLOBAL_MAPPING","features":[93]},{"name":"CREATE_NO_CONNECT","features":[93]},{"name":"CREATE_PERSIST_MAPPING","features":[93]},{"name":"CREATE_REQUIRE_CONNECTION_INTEGRITY","features":[93]},{"name":"CREATE_REQUIRE_CONNECTION_PRIVACY","features":[93]},{"name":"CREATE_WRITE_THROUGH_SEMANTICS","features":[93]},{"name":"CRYPT_KEY_LEN","features":[93]},{"name":"CRYPT_TXT_LEN","features":[93]},{"name":"DEFAULT_PAGES","features":[93]},{"name":"DEF_MAX_BADPW","features":[93]},{"name":"DEF_MAX_PWHIST","features":[93]},{"name":"DEF_MIN_PWLEN","features":[93]},{"name":"DEF_PWUNIQUENESS","features":[93]},{"name":"DEVLEN","features":[93]},{"name":"DFS_CONNECTION_FAILURE","features":[93]},{"name":"DFS_ERROR_ACTIVEDIRECTORY_OFFLINE","features":[93]},{"name":"DFS_ERROR_CLUSTERINFO_FAILED","features":[93]},{"name":"DFS_ERROR_COMPUTERINFO_FAILED","features":[93]},{"name":"DFS_ERROR_CREATEEVENT_FAILED","features":[93]},{"name":"DFS_ERROR_CREATE_REPARSEPOINT_FAILURE","features":[93]},{"name":"DFS_ERROR_CREATE_REPARSEPOINT_SUCCESS","features":[93]},{"name":"DFS_ERROR_CROSS_FOREST_TRUST_INFO_FAILED","features":[93]},{"name":"DFS_ERROR_DCINFO_FAILED","features":[93]},{"name":"DFS_ERROR_DSCONNECT_FAILED","features":[93]},{"name":"DFS_ERROR_DUPLICATE_LINK","features":[93]},{"name":"DFS_ERROR_HANDLENAMESPACE_FAILED","features":[93]},{"name":"DFS_ERROR_LINKS_OVERLAP","features":[93]},{"name":"DFS_ERROR_LINK_OVERLAP","features":[93]},{"name":"DFS_ERROR_MUTLIPLE_ROOTS_NOT_SUPPORTED","features":[93]},{"name":"DFS_ERROR_NO_DFS_DATA","features":[93]},{"name":"DFS_ERROR_ON_ROOT","features":[93]},{"name":"DFS_ERROR_OVERLAPPING_DIRECTORIES","features":[93]},{"name":"DFS_ERROR_PREFIXTABLE_FAILED","features":[93]},{"name":"DFS_ERROR_REFLECTIONENGINE_FAILED","features":[93]},{"name":"DFS_ERROR_REGISTERSTORE_FAILED","features":[93]},{"name":"DFS_ERROR_REMOVE_LINK_FAILED","features":[93]},{"name":"DFS_ERROR_RESYNCHRONIZE_FAILED","features":[93]},{"name":"DFS_ERROR_ROOTSYNCINIT_FAILED","features":[93]},{"name":"DFS_ERROR_SECURITYINIT_FAILED","features":[93]},{"name":"DFS_ERROR_SITECACHEINIT_FAILED","features":[93]},{"name":"DFS_ERROR_SITESUPPOR_FAILED","features":[93]},{"name":"DFS_ERROR_TARGET_LIST_INCORRECT","features":[93]},{"name":"DFS_ERROR_THREADINIT_FAILED","features":[93]},{"name":"DFS_ERROR_TOO_MANY_ERRORS","features":[93]},{"name":"DFS_ERROR_TRUSTED_DOMAIN_INFO_FAILED","features":[93]},{"name":"DFS_ERROR_UNSUPPORTED_FILESYSTEM","features":[93]},{"name":"DFS_ERROR_WINSOCKINIT_FAILED","features":[93]},{"name":"DFS_INFO_ACTIVEDIRECTORY_ONLINE","features":[93]},{"name":"DFS_INFO_CROSS_FOREST_TRUST_INFO_SUCCESS","features":[93]},{"name":"DFS_INFO_DOMAIN_REFERRAL_MIN_OVERFLOW","features":[93]},{"name":"DFS_INFO_DS_RECONNECTED","features":[93]},{"name":"DFS_INFO_FINISH_BUILDING_NAMESPACE","features":[93]},{"name":"DFS_INFO_FINISH_INIT","features":[93]},{"name":"DFS_INFO_RECONNECT_DATA","features":[93]},{"name":"DFS_INFO_TRUSTED_DOMAIN_INFO_SUCCESS","features":[93]},{"name":"DFS_INIT_SUCCESS","features":[93]},{"name":"DFS_MAX_DNR_ATTEMPTS","features":[93]},{"name":"DFS_OPEN_FAILURE","features":[93]},{"name":"DFS_REFERRAL_FAILURE","features":[93]},{"name":"DFS_REFERRAL_REQUEST","features":[93]},{"name":"DFS_REFERRAL_SUCCESS","features":[93]},{"name":"DFS_ROOT_SHARE_ACQUIRE_FAILED","features":[93]},{"name":"DFS_ROOT_SHARE_ACQUIRE_SUCCESS","features":[93]},{"name":"DFS_SPECIAL_REFERRAL_FAILURE","features":[93]},{"name":"DFS_WARN_DOMAIN_REFERRAL_OVERFLOW","features":[93]},{"name":"DFS_WARN_INCOMPLETE_MOVE","features":[93]},{"name":"DFS_WARN_METADATA_LINK_INFO_INVALID","features":[93]},{"name":"DFS_WARN_METADATA_LINK_TYPE_INCORRECT","features":[93]},{"name":"DNLEN","features":[93]},{"name":"DPP_ADVANCED","features":[93]},{"name":"DSREG_DEVICE_JOIN","features":[93]},{"name":"DSREG_JOIN_INFO","features":[1,93,68]},{"name":"DSREG_JOIN_TYPE","features":[93]},{"name":"DSREG_UNKNOWN_JOIN","features":[93]},{"name":"DSREG_USER_INFO","features":[93]},{"name":"DSREG_WORKPLACE_JOIN","features":[93]},{"name":"EBP_ABOVE","features":[93]},{"name":"EBP_BELOW","features":[93]},{"name":"ENCRYPTED_PWLEN","features":[93]},{"name":"ENUM_BINDING_PATHS_FLAGS","features":[93]},{"name":"ERRLOG2_BASE","features":[93]},{"name":"ERRLOG_BASE","features":[93]},{"name":"ERRLOG_OTHER_INFO","features":[93]},{"name":"ERROR_LOG","features":[93]},{"name":"EVENT_BAD_ACCOUNT_NAME","features":[93]},{"name":"EVENT_BAD_SERVICE_STATE","features":[93]},{"name":"EVENT_BOOT_SYSTEM_DRIVERS_FAILED","features":[93]},{"name":"EVENT_BOWSER_CANT_READ_REGISTRY","features":[93]},{"name":"EVENT_BOWSER_ELECTION_RECEIVED","features":[93]},{"name":"EVENT_BOWSER_ELECTION_SENT_FIND_MASTER_FAILED","features":[93]},{"name":"EVENT_BOWSER_ELECTION_SENT_GETBLIST_FAILED","features":[93]},{"name":"EVENT_BOWSER_GETBROWSERLIST_THRESHOLD_EXCEEDED","features":[93]},{"name":"EVENT_BOWSER_ILLEGAL_DATAGRAM","features":[93]},{"name":"EVENT_BOWSER_ILLEGAL_DATAGRAM_THRESHOLD","features":[93]},{"name":"EVENT_BOWSER_MAILSLOT_DATAGRAM_THRESHOLD_EXCEEDED","features":[93]},{"name":"EVENT_BOWSER_NAME_CONVERSION_FAILED","features":[93]},{"name":"EVENT_BOWSER_NON_MASTER_MASTER_ANNOUNCE","features":[93]},{"name":"EVENT_BOWSER_NON_PDC_WON_ELECTION","features":[93]},{"name":"EVENT_BOWSER_OLD_BACKUP_FOUND","features":[93]},{"name":"EVENT_BOWSER_OTHER_MASTER_ON_NET","features":[93]},{"name":"EVENT_BOWSER_PDC_LOST_ELECTION","features":[93]},{"name":"EVENT_BOWSER_PROMOTED_WHILE_ALREADY_MASTER","features":[93]},{"name":"EVENT_BRIDGE_ADAPTER_BIND_FAILED","features":[93]},{"name":"EVENT_BRIDGE_ADAPTER_FILTER_FAILED","features":[93]},{"name":"EVENT_BRIDGE_ADAPTER_LINK_SPEED_QUERY_FAILED","features":[93]},{"name":"EVENT_BRIDGE_ADAPTER_MAC_ADDR_QUERY_FAILED","features":[93]},{"name":"EVENT_BRIDGE_ADAPTER_NAME_QUERY_FAILED","features":[93]},{"name":"EVENT_BRIDGE_BUFFER_POOL_CREATION_FAILED","features":[93]},{"name":"EVENT_BRIDGE_DEVICE_CREATION_FAILED","features":[93]},{"name":"EVENT_BRIDGE_ETHERNET_NOT_OFFERED","features":[93]},{"name":"EVENT_BRIDGE_INIT_MALLOC_FAILED","features":[93]},{"name":"EVENT_BRIDGE_MINIPORT_INIT_FAILED","features":[93]},{"name":"EVENT_BRIDGE_MINIPORT_REGISTER_FAILED","features":[93]},{"name":"EVENT_BRIDGE_MINIPROT_DEVNAME_MISSING","features":[93]},{"name":"EVENT_BRIDGE_NO_BRIDGE_MAC_ADDR","features":[93]},{"name":"EVENT_BRIDGE_PACKET_POOL_CREATION_FAILED","features":[93]},{"name":"EVENT_BRIDGE_PROTOCOL_REGISTER_FAILED","features":[93]},{"name":"EVENT_BRIDGE_THREAD_CREATION_FAILED","features":[93]},{"name":"EVENT_BRIDGE_THREAD_REF_FAILED","features":[93]},{"name":"EVENT_BROWSER_BACKUP_STOPPED","features":[93]},{"name":"EVENT_BROWSER_DEPENDANT_SERVICE_FAILED","features":[93]},{"name":"EVENT_BROWSER_DOMAIN_LIST_FAILED","features":[93]},{"name":"EVENT_BROWSER_DOMAIN_LIST_RETRIEVED","features":[93]},{"name":"EVENT_BROWSER_ELECTION_SENT_LANMAN_NT_STARTED","features":[93]},{"name":"EVENT_BROWSER_ELECTION_SENT_LANMAN_NT_STOPPED","features":[93]},{"name":"EVENT_BROWSER_ELECTION_SENT_ROLE_CHANGED","features":[93]},{"name":"EVENT_BROWSER_GETBLIST_RECEIVED_NOT_MASTER","features":[93]},{"name":"EVENT_BROWSER_ILLEGAL_CONFIG","features":[93]},{"name":"EVENT_BROWSER_MASTER_PROMOTION_FAILED","features":[93]},{"name":"EVENT_BROWSER_MASTER_PROMOTION_FAILED_NO_MASTER","features":[93]},{"name":"EVENT_BROWSER_MASTER_PROMOTION_FAILED_STOPPING","features":[93]},{"name":"EVENT_BROWSER_NOT_STARTED_IPX_CONFIG_MISMATCH","features":[93]},{"name":"EVENT_BROWSER_OTHERDOMAIN_ADD_FAILED","features":[93]},{"name":"EVENT_BROWSER_ROLE_CHANGE_FAILED","features":[93]},{"name":"EVENT_BROWSER_SERVER_LIST_FAILED","features":[93]},{"name":"EVENT_BROWSER_SERVER_LIST_RETRIEVED","features":[93]},{"name":"EVENT_BROWSER_STATUS_BITS_UPDATE_FAILED","features":[93]},{"name":"EVENT_CALL_TO_FUNCTION_FAILED","features":[93]},{"name":"EVENT_CALL_TO_FUNCTION_FAILED_II","features":[93]},{"name":"EVENT_CIRCULAR_DEPENDENCY_AUTO","features":[93]},{"name":"EVENT_CIRCULAR_DEPENDENCY_DEMAND","features":[93]},{"name":"EVENT_COMMAND_NOT_INTERACTIVE","features":[93]},{"name":"EVENT_COMMAND_START_FAILED","features":[93]},{"name":"EVENT_CONNECTION_TIMEOUT","features":[93]},{"name":"EVENT_ComputerNameChange","features":[93]},{"name":"EVENT_DAV_REDIR_DELAYED_WRITE_FAILED","features":[93]},{"name":"EVENT_DCOM_ASSERTION_FAILURE","features":[93]},{"name":"EVENT_DCOM_COMPLUS_DISABLED","features":[93]},{"name":"EVENT_DCOM_INVALID_ENDPOINT_DATA","features":[93]},{"name":"EVENT_DEPEND_ON_LATER_GROUP","features":[93]},{"name":"EVENT_DEPEND_ON_LATER_SERVICE","features":[93]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_NOTSUPP","features":[93]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_NOTSUPP_PRIMARY_DN","features":[93]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_OTHER","features":[93]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_OTHER_PRIMARY_DN","features":[93]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_REFUSED","features":[93]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_REFUSED_PRIMARY_DN","features":[93]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_SECURITY","features":[93]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_SECURITY_PRIMARY_DN","features":[93]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_SERVERFAIL","features":[93]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_SERVERFAIL_PRIMARY_DN","features":[93]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_TIMEOUT","features":[93]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_TIMEOUT_PRIMARY_DN","features":[93]},{"name":"EVENT_DNSAPI_PTR_DEREGISTRATION_FAILED_NOTSUPP","features":[93]},{"name":"EVENT_DNSAPI_PTR_DEREGISTRATION_FAILED_OTHER","features":[93]},{"name":"EVENT_DNSAPI_PTR_DEREGISTRATION_FAILED_REFUSED","features":[93]},{"name":"EVENT_DNSAPI_PTR_DEREGISTRATION_FAILED_SECURITY","features":[93]},{"name":"EVENT_DNSAPI_PTR_DEREGISTRATION_FAILED_SERVERFAIL","features":[93]},{"name":"EVENT_DNSAPI_PTR_DEREGISTRATION_FAILED_TIMEOUT","features":[93]},{"name":"EVENT_DNSAPI_PTR_REGISTRATION_FAILED_NOTSUPP","features":[93]},{"name":"EVENT_DNSAPI_PTR_REGISTRATION_FAILED_OTHER","features":[93]},{"name":"EVENT_DNSAPI_PTR_REGISTRATION_FAILED_REFUSED","features":[93]},{"name":"EVENT_DNSAPI_PTR_REGISTRATION_FAILED_SECURITY","features":[93]},{"name":"EVENT_DNSAPI_PTR_REGISTRATION_FAILED_SERVERFAIL","features":[93]},{"name":"EVENT_DNSAPI_PTR_REGISTRATION_FAILED_TIMEOUT","features":[93]},{"name":"EVENT_DNSAPI_REGISTERED_ADAPTER","features":[93]},{"name":"EVENT_DNSAPI_REGISTERED_ADAPTER_PRIMARY_DN","features":[93]},{"name":"EVENT_DNSAPI_REGISTERED_PTR","features":[93]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_NOTSUPP","features":[93]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_NOTSUPP_PRIMARY_DN","features":[93]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_OTHER","features":[93]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_OTHER_PRIMARY_DN","features":[93]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_REFUSED","features":[93]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_REFUSED_PRIMARY_DN","features":[93]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_SECURITY","features":[93]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_SECURITY_PRIMARY_DN","features":[93]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_SERVERFAIL","features":[93]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_SERVERFAIL_PRIMARY_DN","features":[93]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_TIMEOUT","features":[93]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_TIMEOUT_PRIMARY_DN","features":[93]},{"name":"EVENT_DNSDomainNameChange","features":[93]},{"name":"EVENT_DNS_CACHE_NETWORK_PERF_WARNING","features":[93]},{"name":"EVENT_DNS_CACHE_START_FAILURE_LOW_MEMORY","features":[93]},{"name":"EVENT_DNS_CACHE_START_FAILURE_NO_CONTROL","features":[93]},{"name":"EVENT_DNS_CACHE_START_FAILURE_NO_DLL","features":[93]},{"name":"EVENT_DNS_CACHE_START_FAILURE_NO_DONE_EVENT","features":[93]},{"name":"EVENT_DNS_CACHE_START_FAILURE_NO_ENTRY","features":[93]},{"name":"EVENT_DNS_CACHE_START_FAILURE_NO_RPC","features":[93]},{"name":"EVENT_DNS_CACHE_START_FAILURE_NO_SHUTDOWN_NOTIFY","features":[93]},{"name":"EVENT_DNS_CACHE_START_FAILURE_NO_UPDATE","features":[93]},{"name":"EVENT_DNS_CACHE_UNABLE_TO_REACH_SERVER_WARNING","features":[93]},{"name":"EVENT_EQOS_ERROR_MACHINE_POLICY_KEYNAME_SIZE_ZERO","features":[93]},{"name":"EVENT_EQOS_ERROR_MACHINE_POLICY_KEYNAME_TOO_LONG","features":[93]},{"name":"EVENT_EQOS_ERROR_MACHINE_POLICY_REFERESH","features":[93]},{"name":"EVENT_EQOS_ERROR_OPENING_MACHINE_POLICY_ROOT_KEY","features":[93]},{"name":"EVENT_EQOS_ERROR_OPENING_MACHINE_POLICY_SUBKEY","features":[93]},{"name":"EVENT_EQOS_ERROR_OPENING_USER_POLICY_ROOT_KEY","features":[93]},{"name":"EVENT_EQOS_ERROR_OPENING_USER_POLICY_SUBKEY","features":[93]},{"name":"EVENT_EQOS_ERROR_PROCESSING_MACHINE_POLICY_FIELD","features":[93]},{"name":"EVENT_EQOS_ERROR_PROCESSING_USER_POLICY_FIELD","features":[93]},{"name":"EVENT_EQOS_ERROR_SETTING_APP_MARKING","features":[93]},{"name":"EVENT_EQOS_ERROR_SETTING_TCP_AUTOTUNING","features":[93]},{"name":"EVENT_EQOS_ERROR_USER_POLICY_KEYNAME_SIZE_ZERO","features":[93]},{"name":"EVENT_EQOS_ERROR_USER_POLICY_KEYNAME_TOO_LONG","features":[93]},{"name":"EVENT_EQOS_ERROR_USER_POLICY_REFERESH","features":[93]},{"name":"EVENT_EQOS_INFO_APP_MARKING_ALLOWED","features":[93]},{"name":"EVENT_EQOS_INFO_APP_MARKING_IGNORED","features":[93]},{"name":"EVENT_EQOS_INFO_APP_MARKING_NOT_CONFIGURED","features":[93]},{"name":"EVENT_EQOS_INFO_LOCAL_SETTING_DONT_USE_NLA","features":[93]},{"name":"EVENT_EQOS_INFO_MACHINE_POLICY_REFRESH_NO_CHANGE","features":[93]},{"name":"EVENT_EQOS_INFO_MACHINE_POLICY_REFRESH_WITH_CHANGE","features":[93]},{"name":"EVENT_EQOS_INFO_TCP_AUTOTUNING_HIGHLY_RESTRICTED","features":[93]},{"name":"EVENT_EQOS_INFO_TCP_AUTOTUNING_NORMAL","features":[93]},{"name":"EVENT_EQOS_INFO_TCP_AUTOTUNING_NOT_CONFIGURED","features":[93]},{"name":"EVENT_EQOS_INFO_TCP_AUTOTUNING_OFF","features":[93]},{"name":"EVENT_EQOS_INFO_TCP_AUTOTUNING_RESTRICTED","features":[93]},{"name":"EVENT_EQOS_INFO_USER_POLICY_REFRESH_NO_CHANGE","features":[93]},{"name":"EVENT_EQOS_INFO_USER_POLICY_REFRESH_WITH_CHANGE","features":[93]},{"name":"EVENT_EQOS_URL_QOS_APPLICATION_CONFLICT","features":[93]},{"name":"EVENT_EQOS_WARNING_MACHINE_POLICY_CONFLICT","features":[93]},{"name":"EVENT_EQOS_WARNING_MACHINE_POLICY_NO_FULLPATH_APPNAME","features":[93]},{"name":"EVENT_EQOS_WARNING_MACHINE_POLICY_PROFILE_NOT_SPECIFIED","features":[93]},{"name":"EVENT_EQOS_WARNING_MACHINE_POLICY_QUOTA_EXCEEDED","features":[93]},{"name":"EVENT_EQOS_WARNING_MACHINE_POLICY_VERSION","features":[93]},{"name":"EVENT_EQOS_WARNING_TEST_1","features":[93]},{"name":"EVENT_EQOS_WARNING_TEST_2","features":[93]},{"name":"EVENT_EQOS_WARNING_USER_POLICY_CONFLICT","features":[93]},{"name":"EVENT_EQOS_WARNING_USER_POLICY_NO_FULLPATH_APPNAME","features":[93]},{"name":"EVENT_EQOS_WARNING_USER_POLICY_PROFILE_NOT_SPECIFIED","features":[93]},{"name":"EVENT_EQOS_WARNING_USER_POLICY_QUOTA_EXCEEDED","features":[93]},{"name":"EVENT_EQOS_WARNING_USER_POLICY_VERSION","features":[93]},{"name":"EVENT_EventLogProductInfo","features":[93]},{"name":"EVENT_EventlogAbnormalShutdown","features":[93]},{"name":"EVENT_EventlogStarted","features":[93]},{"name":"EVENT_EventlogStopped","features":[93]},{"name":"EVENT_EventlogUptime","features":[93]},{"name":"EVENT_FIRST_LOGON_FAILED","features":[93]},{"name":"EVENT_FIRST_LOGON_FAILED_II","features":[93]},{"name":"EVENT_FRS_ACCESS_CHECKS_DISABLED","features":[93]},{"name":"EVENT_FRS_ACCESS_CHECKS_FAILED_UNKNOWN","features":[93]},{"name":"EVENT_FRS_ACCESS_CHECKS_FAILED_USER","features":[93]},{"name":"EVENT_FRS_ASSERT","features":[93]},{"name":"EVENT_FRS_BAD_REG_DATA","features":[93]},{"name":"EVENT_FRS_CANNOT_COMMUNICATE","features":[93]},{"name":"EVENT_FRS_CANNOT_CREATE_UUID","features":[93]},{"name":"EVENT_FRS_CANNOT_START_BACKUP_RESTORE_IN_PROGRESS","features":[93]},{"name":"EVENT_FRS_CANT_OPEN_PREINSTALL","features":[93]},{"name":"EVENT_FRS_CANT_OPEN_STAGE","features":[93]},{"name":"EVENT_FRS_DATABASE_SPACE","features":[93]},{"name":"EVENT_FRS_DISK_WRITE_CACHE_ENABLED","features":[93]},{"name":"EVENT_FRS_DS_POLL_ERROR_SUMMARY","features":[93]},{"name":"EVENT_FRS_DUPLICATE_IN_CXTION","features":[93]},{"name":"EVENT_FRS_DUPLICATE_IN_CXTION_SYSVOL","features":[93]},{"name":"EVENT_FRS_ERROR","features":[93]},{"name":"EVENT_FRS_ERROR_REPLICA_SET_DELETED","features":[93]},{"name":"EVENT_FRS_HUGE_FILE","features":[93]},{"name":"EVENT_FRS_IN_ERROR_STATE","features":[93]},{"name":"EVENT_FRS_JET_1414","features":[93]},{"name":"EVENT_FRS_JOIN_FAIL_TIME_SKEW","features":[93]},{"name":"EVENT_FRS_LONG_JOIN","features":[93]},{"name":"EVENT_FRS_LONG_JOIN_DONE","features":[93]},{"name":"EVENT_FRS_MOVED_PREEXISTING","features":[93]},{"name":"EVENT_FRS_NO_DNS_ATTRIBUTE","features":[93]},{"name":"EVENT_FRS_NO_SID","features":[93]},{"name":"EVENT_FRS_OVERLAPS_LOGGING","features":[93]},{"name":"EVENT_FRS_OVERLAPS_OTHER_STAGE","features":[93]},{"name":"EVENT_FRS_OVERLAPS_ROOT","features":[93]},{"name":"EVENT_FRS_OVERLAPS_STAGE","features":[93]},{"name":"EVENT_FRS_OVERLAPS_WORKING","features":[93]},{"name":"EVENT_FRS_PREPARE_ROOT_FAILED","features":[93]},{"name":"EVENT_FRS_REPLICA_IN_JRNL_WRAP_ERROR","features":[93]},{"name":"EVENT_FRS_REPLICA_NO_ROOT_CHANGE","features":[93]},{"name":"EVENT_FRS_REPLICA_SET_CREATE_FAIL","features":[93]},{"name":"EVENT_FRS_REPLICA_SET_CREATE_OK","features":[93]},{"name":"EVENT_FRS_REPLICA_SET_CXTIONS","features":[93]},{"name":"EVENT_FRS_RMTCO_TIME_SKEW","features":[93]},{"name":"EVENT_FRS_ROOT_HAS_MOVED","features":[93]},{"name":"EVENT_FRS_ROOT_NOT_VALID","features":[93]},{"name":"EVENT_FRS_STAGE_NOT_VALID","features":[93]},{"name":"EVENT_FRS_STAGING_AREA_FULL","features":[93]},{"name":"EVENT_FRS_STARTING","features":[93]},{"name":"EVENT_FRS_STOPPED","features":[93]},{"name":"EVENT_FRS_STOPPED_ASSERT","features":[93]},{"name":"EVENT_FRS_STOPPED_FORCE","features":[93]},{"name":"EVENT_FRS_STOPPING","features":[93]},{"name":"EVENT_FRS_SYSVOL_NOT_READY","features":[93]},{"name":"EVENT_FRS_SYSVOL_NOT_READY_PRIMARY","features":[93]},{"name":"EVENT_FRS_SYSVOL_READY","features":[93]},{"name":"EVENT_FRS_VOLUME_NOT_SUPPORTED","features":[93]},{"name":"EVENT_INVALID_DRIVER_DEPENDENCY","features":[93]},{"name":"EVENT_IPX_CREATE_DEVICE","features":[93]},{"name":"EVENT_IPX_ILLEGAL_CONFIG","features":[93]},{"name":"EVENT_IPX_INTERNAL_NET_INVALID","features":[93]},{"name":"EVENT_IPX_NEW_DEFAULT_TYPE","features":[93]},{"name":"EVENT_IPX_NO_ADAPTERS","features":[93]},{"name":"EVENT_IPX_NO_FRAME_TYPES","features":[93]},{"name":"EVENT_IPX_SAP_ANNOUNCE","features":[93]},{"name":"EVENT_NBT_BAD_BACKUP_WINS_ADDR","features":[93]},{"name":"EVENT_NBT_BAD_PRIMARY_WINS_ADDR","features":[93]},{"name":"EVENT_NBT_CREATE_ADDRESS","features":[93]},{"name":"EVENT_NBT_CREATE_CONNECTION","features":[93]},{"name":"EVENT_NBT_CREATE_DEVICE","features":[93]},{"name":"EVENT_NBT_CREATE_DRIVER","features":[93]},{"name":"EVENT_NBT_DUPLICATE_NAME","features":[93]},{"name":"EVENT_NBT_DUPLICATE_NAME_ERROR","features":[93]},{"name":"EVENT_NBT_NAME_RELEASE","features":[93]},{"name":"EVENT_NBT_NAME_SERVER_ADDRS","features":[93]},{"name":"EVENT_NBT_NON_OS_INIT","features":[93]},{"name":"EVENT_NBT_NO_BACKUP_WINS","features":[93]},{"name":"EVENT_NBT_NO_DEVICES","features":[93]},{"name":"EVENT_NBT_NO_RESOURCES","features":[93]},{"name":"EVENT_NBT_NO_WINS","features":[93]},{"name":"EVENT_NBT_OPEN_REG_LINKAGE","features":[93]},{"name":"EVENT_NBT_OPEN_REG_NAMESERVER","features":[93]},{"name":"EVENT_NBT_OPEN_REG_PARAMS","features":[93]},{"name":"EVENT_NBT_READ_BIND","features":[93]},{"name":"EVENT_NBT_READ_EXPORT","features":[93]},{"name":"EVENT_NBT_TIMERS","features":[93]},{"name":"EVENT_NDIS_ADAPTER_CHECK_ERROR","features":[93]},{"name":"EVENT_NDIS_ADAPTER_DISABLED","features":[93]},{"name":"EVENT_NDIS_ADAPTER_NOT_FOUND","features":[93]},{"name":"EVENT_NDIS_BAD_IO_BASE_ADDRESS","features":[93]},{"name":"EVENT_NDIS_BAD_VERSION","features":[93]},{"name":"EVENT_NDIS_CABLE_DISCONNECTED_ERROR","features":[93]},{"name":"EVENT_NDIS_DMA_CONFLICT","features":[93]},{"name":"EVENT_NDIS_DRIVER_FAILURE","features":[93]},{"name":"EVENT_NDIS_HARDWARE_FAILURE","features":[93]},{"name":"EVENT_NDIS_INTERRUPT_CONFLICT","features":[93]},{"name":"EVENT_NDIS_INTERRUPT_CONNECT","features":[93]},{"name":"EVENT_NDIS_INVALID_DOWNLOAD_FILE_ERROR","features":[93]},{"name":"EVENT_NDIS_INVALID_VALUE_FROM_ADAPTER","features":[93]},{"name":"EVENT_NDIS_IO_PORT_CONFLICT","features":[93]},{"name":"EVENT_NDIS_LOBE_FAILUE_ERROR","features":[93]},{"name":"EVENT_NDIS_MAXFRAMESIZE_ERROR","features":[93]},{"name":"EVENT_NDIS_MAXINTERNALBUFS_ERROR","features":[93]},{"name":"EVENT_NDIS_MAXMULTICAST_ERROR","features":[93]},{"name":"EVENT_NDIS_MAXRECEIVES_ERROR","features":[93]},{"name":"EVENT_NDIS_MAXTRANSMITS_ERROR","features":[93]},{"name":"EVENT_NDIS_MEMORY_CONFLICT","features":[93]},{"name":"EVENT_NDIS_MISSING_CONFIGURATION_PARAMETER","features":[93]},{"name":"EVENT_NDIS_NETWORK_ADDRESS","features":[93]},{"name":"EVENT_NDIS_OUT_OF_RESOURCE","features":[93]},{"name":"EVENT_NDIS_PORT_OR_DMA_CONFLICT","features":[93]},{"name":"EVENT_NDIS_PRODUCTID_ERROR","features":[93]},{"name":"EVENT_NDIS_RECEIVE_SPACE_SMALL","features":[93]},{"name":"EVENT_NDIS_REMOVE_RECEIVED_ERROR","features":[93]},{"name":"EVENT_NDIS_RESET_FAILURE_CORRECTION","features":[93]},{"name":"EVENT_NDIS_RESET_FAILURE_ERROR","features":[93]},{"name":"EVENT_NDIS_RESOURCE_CONFLICT","features":[93]},{"name":"EVENT_NDIS_SIGNAL_LOSS_ERROR","features":[93]},{"name":"EVENT_NDIS_TIMEOUT","features":[93]},{"name":"EVENT_NDIS_TOKEN_RING_CORRECTION","features":[93]},{"name":"EVENT_NDIS_UNSUPPORTED_CONFIGURATION","features":[93]},{"name":"EVENT_PS_ADMISSIONCONTROL_OVERFLOW","features":[93]},{"name":"EVENT_PS_BAD_BESTEFFORT_LIMIT","features":[93]},{"name":"EVENT_PS_BINDING_FAILED","features":[93]},{"name":"EVENT_PS_GPC_REGISTER_FAILED","features":[93]},{"name":"EVENT_PS_INIT_DEVICE_FAILED","features":[93]},{"name":"EVENT_PS_MISSING_ADAPTER_REGISTRY_DATA","features":[93]},{"name":"EVENT_PS_NETWORK_ADDRESS_FAIL","features":[93]},{"name":"EVENT_PS_NO_RESOURCES_FOR_INIT","features":[93]},{"name":"EVENT_PS_QUERY_OID_GEN_LINK_SPEED","features":[93]},{"name":"EVENT_PS_QUERY_OID_GEN_MAXIMUM_FRAME_SIZE","features":[93]},{"name":"EVENT_PS_QUERY_OID_GEN_MAXIMUM_TOTAL_SIZE","features":[93]},{"name":"EVENT_PS_REGISTER_ADDRESS_FAMILY_FAILED","features":[93]},{"name":"EVENT_PS_REGISTER_MINIPORT_FAILED","features":[93]},{"name":"EVENT_PS_REGISTER_PROTOCOL_FAILED","features":[93]},{"name":"EVENT_PS_RESOURCE_POOL","features":[93]},{"name":"EVENT_PS_WAN_LIMITED_BESTEFFORT","features":[93]},{"name":"EVENT_PS_WMI_INSTANCE_NAME_FAILED","features":[93]},{"name":"EVENT_RDR_AT_THREAD_MAX","features":[93]},{"name":"EVENT_RDR_CANT_BIND_TRANSPORT","features":[93]},{"name":"EVENT_RDR_CANT_BUILD_SMB_HEADER","features":[93]},{"name":"EVENT_RDR_CANT_CREATE_DEVICE","features":[93]},{"name":"EVENT_RDR_CANT_CREATE_THREAD","features":[93]},{"name":"EVENT_RDR_CANT_GET_SECURITY_CONTEXT","features":[93]},{"name":"EVENT_RDR_CANT_READ_REGISTRY","features":[93]},{"name":"EVENT_RDR_CANT_REGISTER_ADDRESS","features":[93]},{"name":"EVENT_RDR_CANT_SET_THREAD","features":[93]},{"name":"EVENT_RDR_CLOSE_BEHIND","features":[93]},{"name":"EVENT_RDR_CONNECTION","features":[93]},{"name":"EVENT_RDR_CONNECTION_REFERENCE","features":[93]},{"name":"EVENT_RDR_CONTEXTS","features":[93]},{"name":"EVENT_RDR_DELAYED_SET_ATTRIBUTES_FAILED","features":[93]},{"name":"EVENT_RDR_DELETEONCLOSE_FAILED","features":[93]},{"name":"EVENT_RDR_DISPOSITION","features":[93]},{"name":"EVENT_RDR_ENCRYPT","features":[93]},{"name":"EVENT_RDR_FAILED_UNLOCK","features":[93]},{"name":"EVENT_RDR_INVALID_LOCK_REPLY","features":[93]},{"name":"EVENT_RDR_INVALID_OPLOCK","features":[93]},{"name":"EVENT_RDR_INVALID_REPLY","features":[93]},{"name":"EVENT_RDR_INVALID_SMB","features":[93]},{"name":"EVENT_RDR_MAXCMDS","features":[93]},{"name":"EVENT_RDR_OPLOCK_SMB","features":[93]},{"name":"EVENT_RDR_PRIMARY_TRANSPORT_CONNECT_FAILED","features":[93]},{"name":"EVENT_RDR_RESOURCE_SHORTAGE","features":[93]},{"name":"EVENT_RDR_SECURITY_SIGNATURE_MISMATCH","features":[93]},{"name":"EVENT_RDR_SERVER_REFERENCE","features":[93]},{"name":"EVENT_RDR_SMB_REFERENCE","features":[93]},{"name":"EVENT_RDR_TIMEOUT","features":[93]},{"name":"EVENT_RDR_TIMEZONE_BIAS_TOO_LARGE","features":[93]},{"name":"EVENT_RDR_UNEXPECTED_ERROR","features":[93]},{"name":"EVENT_RDR_WRITE_BEHIND_FLUSH_FAILED","features":[93]},{"name":"EVENT_READFILE_TIMEOUT","features":[93]},{"name":"EVENT_REVERTED_TO_LASTKNOWNGOOD","features":[93]},{"name":"EVENT_RPCSS_ACTIVATION_ERROR","features":[93]},{"name":"EVENT_RPCSS_CREATEDEBUGGERPROCESS_FAILURE","features":[93]},{"name":"EVENT_RPCSS_CREATEPROCESS_FAILURE","features":[93]},{"name":"EVENT_RPCSS_DEFAULT_LAUNCH_ACCESS_DENIED","features":[93]},{"name":"EVENT_RPCSS_LAUNCH_ACCESS_DENIED","features":[93]},{"name":"EVENT_RPCSS_REMOTE_SIDE_ERROR","features":[93]},{"name":"EVENT_RPCSS_REMOTE_SIDE_ERROR_WITH_FILE","features":[93]},{"name":"EVENT_RPCSS_REMOTE_SIDE_UNAVAILABLE","features":[93]},{"name":"EVENT_RPCSS_RUNAS_CANT_LOGIN","features":[93]},{"name":"EVENT_RPCSS_RUNAS_CREATEPROCESS_FAILURE","features":[93]},{"name":"EVENT_RPCSS_SERVER_NOT_RESPONDING","features":[93]},{"name":"EVENT_RPCSS_SERVER_START_TIMEOUT","features":[93]},{"name":"EVENT_RPCSS_START_SERVICE_FAILURE","features":[93]},{"name":"EVENT_RPCSS_STOP_SERVICE_FAILURE","features":[93]},{"name":"EVENT_RUNNING_LASTKNOWNGOOD","features":[93]},{"name":"EVENT_SCOPE_LABEL_TOO_LONG","features":[93]},{"name":"EVENT_SCOPE_TOO_LONG","features":[93]},{"name":"EVENT_SECOND_LOGON_FAILED","features":[93]},{"name":"EVENT_SERVICE_CONFIG_BACKOUT_FAILED","features":[93]},{"name":"EVENT_SERVICE_CONTROL_SUCCESS","features":[93]},{"name":"EVENT_SERVICE_CRASH","features":[93]},{"name":"EVENT_SERVICE_CRASH_NO_ACTION","features":[93]},{"name":"EVENT_SERVICE_DIFFERENT_PID_CONNECTED","features":[93]},{"name":"EVENT_SERVICE_EXIT_FAILED","features":[93]},{"name":"EVENT_SERVICE_EXIT_FAILED_SPECIFIC","features":[93]},{"name":"EVENT_SERVICE_LOGON_TYPE_NOT_GRANTED","features":[93]},{"name":"EVENT_SERVICE_NOT_INTERACTIVE","features":[93]},{"name":"EVENT_SERVICE_RECOVERY_FAILED","features":[93]},{"name":"EVENT_SERVICE_SCESRV_FAILED","features":[93]},{"name":"EVENT_SERVICE_SHUTDOWN_FAILED","features":[93]},{"name":"EVENT_SERVICE_START_AT_BOOT_FAILED","features":[93]},{"name":"EVENT_SERVICE_START_FAILED","features":[93]},{"name":"EVENT_SERVICE_START_FAILED_GROUP","features":[93]},{"name":"EVENT_SERVICE_START_FAILED_II","features":[93]},{"name":"EVENT_SERVICE_START_FAILED_NONE","features":[93]},{"name":"EVENT_SERVICE_START_HUNG","features":[93]},{"name":"EVENT_SERVICE_START_TYPE_CHANGED","features":[93]},{"name":"EVENT_SERVICE_STATUS_SUCCESS","features":[93]},{"name":"EVENT_SERVICE_STOP_SUCCESS_WITH_REASON","features":[93]},{"name":"EVENT_SEVERE_SERVICE_FAILED","features":[93]},{"name":"EVENT_SRV_CANT_BIND_DUP_NAME","features":[93]},{"name":"EVENT_SRV_CANT_BIND_TO_TRANSPORT","features":[93]},{"name":"EVENT_SRV_CANT_CHANGE_DOMAIN_NAME","features":[93]},{"name":"EVENT_SRV_CANT_CREATE_DEVICE","features":[93]},{"name":"EVENT_SRV_CANT_CREATE_PROCESS","features":[93]},{"name":"EVENT_SRV_CANT_CREATE_THREAD","features":[93]},{"name":"EVENT_SRV_CANT_GROW_TABLE","features":[93]},{"name":"EVENT_SRV_CANT_LOAD_DRIVER","features":[93]},{"name":"EVENT_SRV_CANT_MAP_ERROR","features":[93]},{"name":"EVENT_SRV_CANT_OPEN_NPFS","features":[93]},{"name":"EVENT_SRV_CANT_RECREATE_SHARE","features":[93]},{"name":"EVENT_SRV_CANT_START_SCAVENGER","features":[93]},{"name":"EVENT_SRV_CANT_UNLOAD_DRIVER","features":[93]},{"name":"EVENT_SRV_DISK_FULL","features":[93]},{"name":"EVENT_SRV_DOS_ATTACK_DETECTED","features":[93]},{"name":"EVENT_SRV_INVALID_REGISTRY_VALUE","features":[93]},{"name":"EVENT_SRV_INVALID_REQUEST","features":[93]},{"name":"EVENT_SRV_INVALID_SD","features":[93]},{"name":"EVENT_SRV_IRP_STACK_SIZE","features":[93]},{"name":"EVENT_SRV_KEY_NOT_CREATED","features":[93]},{"name":"EVENT_SRV_KEY_NOT_FOUND","features":[93]},{"name":"EVENT_SRV_NETWORK_ERROR","features":[93]},{"name":"EVENT_SRV_NONPAGED_POOL_LIMIT","features":[93]},{"name":"EVENT_SRV_NO_BLOCKING_IO","features":[93]},{"name":"EVENT_SRV_NO_FREE_CONNECTIONS","features":[93]},{"name":"EVENT_SRV_NO_FREE_RAW_WORK_ITEM","features":[93]},{"name":"EVENT_SRV_NO_NONPAGED_POOL","features":[93]},{"name":"EVENT_SRV_NO_PAGED_POOL","features":[93]},{"name":"EVENT_SRV_NO_TRANSPORTS_BOUND","features":[93]},{"name":"EVENT_SRV_NO_VIRTUAL_MEMORY","features":[93]},{"name":"EVENT_SRV_NO_WORK_ITEM","features":[93]},{"name":"EVENT_SRV_OUT_OF_WORK_ITEM_DOS","features":[93]},{"name":"EVENT_SRV_PAGED_POOL_LIMIT","features":[93]},{"name":"EVENT_SRV_RESOURCE_SHORTAGE","features":[93]},{"name":"EVENT_SRV_SERVICE_FAILED","features":[93]},{"name":"EVENT_SRV_TOO_MANY_DOS","features":[93]},{"name":"EVENT_SRV_TXF_INIT_FAILED","features":[93]},{"name":"EVENT_SRV_UNEXPECTED_DISC","features":[93]},{"name":"EVENT_STREAMS_ALLOCB_FAILURE","features":[93]},{"name":"EVENT_STREAMS_ALLOCB_FAILURE_CNT","features":[93]},{"name":"EVENT_STREAMS_ESBALLOC_FAILURE","features":[93]},{"name":"EVENT_STREAMS_ESBALLOC_FAILURE_CNT","features":[93]},{"name":"EVENT_STREAMS_STRLOG","features":[93]},{"name":"EVENT_TAKE_OWNERSHIP","features":[93]},{"name":"EVENT_TCPIP6_STARTED","features":[93]},{"name":"EVENT_TCPIP_ADAPTER_REG_FAILURE","features":[93]},{"name":"EVENT_TCPIP_ADDRESS_CONFLICT1","features":[93]},{"name":"EVENT_TCPIP_ADDRESS_CONFLICT2","features":[93]},{"name":"EVENT_TCPIP_AUTOCONFIGURED_ADDRESS_LIMIT_REACHED","features":[93]},{"name":"EVENT_TCPIP_AUTOCONFIGURED_ROUTE_LIMIT_REACHED","features":[93]},{"name":"EVENT_TCPIP_CREATE_DEVICE_FAILED","features":[93]},{"name":"EVENT_TCPIP_DHCP_INIT_FAILED","features":[93]},{"name":"EVENT_TCPIP_INTERFACE_BIND_FAILURE","features":[93]},{"name":"EVENT_TCPIP_INVALID_ADDRESS","features":[93]},{"name":"EVENT_TCPIP_INVALID_DEFAULT_GATEWAY","features":[93]},{"name":"EVENT_TCPIP_INVALID_MASK","features":[93]},{"name":"EVENT_TCPIP_IPV4_UNINSTALLED","features":[93]},{"name":"EVENT_TCPIP_IP_INIT_FAILED","features":[93]},{"name":"EVENT_TCPIP_MEDIA_CONNECT","features":[93]},{"name":"EVENT_TCPIP_MEDIA_DISCONNECT","features":[93]},{"name":"EVENT_TCPIP_NO_ADAPTER_RESOURCES","features":[93]},{"name":"EVENT_TCPIP_NO_ADDRESS_LIST","features":[93]},{"name":"EVENT_TCPIP_NO_BINDINGS","features":[93]},{"name":"EVENT_TCPIP_NO_MASK","features":[93]},{"name":"EVENT_TCPIP_NO_MASK_LIST","features":[93]},{"name":"EVENT_TCPIP_NO_RESOURCES_FOR_INIT","features":[93]},{"name":"EVENT_TCPIP_NTE_CONTEXT_LIST_FAILURE","features":[93]},{"name":"EVENT_TCPIP_OUT_OF_ORDER_FRAGMENTS_EXCEEDED","features":[93]},{"name":"EVENT_TCPIP_PCF_CLEAR_FILTER_FAILURE","features":[93]},{"name":"EVENT_TCPIP_PCF_MISSING_CAPABILITY","features":[93]},{"name":"EVENT_TCPIP_PCF_MULTICAST_OID_ISSUE","features":[93]},{"name":"EVENT_TCPIP_PCF_NO_ARP_FILTER","features":[93]},{"name":"EVENT_TCPIP_PCF_SET_FILTER_FAILURE","features":[93]},{"name":"EVENT_TCPIP_TCP_CONNECTIONS_PERF_IMPACTED","features":[93]},{"name":"EVENT_TCPIP_TCP_CONNECT_LIMIT_REACHED","features":[93]},{"name":"EVENT_TCPIP_TCP_GLOBAL_EPHEMERAL_PORT_SPACE_EXHAUSTED","features":[93]},{"name":"EVENT_TCPIP_TCP_INIT_FAILED","features":[93]},{"name":"EVENT_TCPIP_TCP_MPP_ATTACKS_DETECTED","features":[93]},{"name":"EVENT_TCPIP_TCP_TIME_WAIT_COLLISION","features":[93]},{"name":"EVENT_TCPIP_TCP_WSD_WS_RESTRICTED","features":[93]},{"name":"EVENT_TCPIP_TOO_MANY_GATEWAYS","features":[93]},{"name":"EVENT_TCPIP_TOO_MANY_NETS","features":[93]},{"name":"EVENT_TCPIP_UDP_GLOBAL_EPHEMERAL_PORT_SPACE_EXHAUSTED","features":[93]},{"name":"EVENT_TCPIP_UDP_LIMIT_REACHED","features":[93]},{"name":"EVENT_TRANSACT_INVALID","features":[93]},{"name":"EVENT_TRANSACT_TIMEOUT","features":[93]},{"name":"EVENT_TRANSPORT_ADAPTER_NOT_FOUND","features":[93]},{"name":"EVENT_TRANSPORT_BAD_PROTOCOL","features":[93]},{"name":"EVENT_TRANSPORT_BINDING_FAILED","features":[93]},{"name":"EVENT_TRANSPORT_QUERY_OID_FAILED","features":[93]},{"name":"EVENT_TRANSPORT_REGISTER_FAILED","features":[93]},{"name":"EVENT_TRANSPORT_RESOURCE_LIMIT","features":[93]},{"name":"EVENT_TRANSPORT_RESOURCE_POOL","features":[93]},{"name":"EVENT_TRANSPORT_RESOURCE_SPECIFIC","features":[93]},{"name":"EVENT_TRANSPORT_SET_OID_FAILED","features":[93]},{"name":"EVENT_TRANSPORT_TOO_MANY_LINKS","features":[93]},{"name":"EVENT_TRANSPORT_TRANSFER_DATA","features":[93]},{"name":"EVENT_TRK_INTERNAL_ERROR","features":[93]},{"name":"EVENT_TRK_SERVICE_CORRUPT_LOG","features":[93]},{"name":"EVENT_TRK_SERVICE_DUPLICATE_VOLIDS","features":[93]},{"name":"EVENT_TRK_SERVICE_MOVE_QUOTA_EXCEEDED","features":[93]},{"name":"EVENT_TRK_SERVICE_START_FAILURE","features":[93]},{"name":"EVENT_TRK_SERVICE_START_SUCCESS","features":[93]},{"name":"EVENT_TRK_SERVICE_VOLUME_CLAIM","features":[93]},{"name":"EVENT_TRK_SERVICE_VOLUME_CREATE","features":[93]},{"name":"EVENT_TRK_SERVICE_VOL_QUOTA_EXCEEDED","features":[93]},{"name":"EVENT_UP_DRIVER_ON_MP","features":[93]},{"name":"EVENT_WEBCLIENT_CLOSE_DELETE_FAILED","features":[93]},{"name":"EVENT_WEBCLIENT_CLOSE_PROPPATCH_FAILED","features":[93]},{"name":"EVENT_WEBCLIENT_CLOSE_PUT_FAILED","features":[93]},{"name":"EVENT_WEBCLIENT_SETINFO_PROPPATCH_FAILED","features":[93]},{"name":"EVENT_WINNAT_SESSION_LIMIT_REACHED","features":[93]},{"name":"EVENT_WINSOCK_CLOSESOCKET_STUCK","features":[93]},{"name":"EVENT_WINSOCK_TDI_FILTER_DETECTED","features":[93]},{"name":"EVENT_WSK_OWNINGTHREAD_PARAMETER_IGNORED","features":[93]},{"name":"EVLEN","features":[93]},{"name":"EXTRA_EXIT_POINT","features":[93]},{"name":"EXTRA_EXIT_POINT_DELETED","features":[93]},{"name":"EXTRA_EXIT_POINT_NOT_DELETED","features":[93]},{"name":"EXTRA_VOLUME","features":[93]},{"name":"EXTRA_VOLUME_DELETED","features":[93]},{"name":"EXTRA_VOLUME_NOT_DELETED","features":[93]},{"name":"FILTER_INTERDOMAIN_TRUST_ACCOUNT","features":[93]},{"name":"FILTER_NORMAL_ACCOUNT","features":[93]},{"name":"FILTER_SERVER_TRUST_ACCOUNT","features":[93]},{"name":"FILTER_TEMP_DUPLICATE_ACCOUNT","features":[93]},{"name":"FILTER_WORKSTATION_TRUST_ACCOUNT","features":[93]},{"name":"FLAT_STRING","features":[93]},{"name":"FORCE_LEVEL_FLAGS","features":[93]},{"name":"GNLEN","features":[93]},{"name":"GROUPIDMASK","features":[93]},{"name":"GROUP_ALL_PARMNUM","features":[93]},{"name":"GROUP_ATTRIBUTES_PARMNUM","features":[93]},{"name":"GROUP_COMMENT_PARMNUM","features":[93]},{"name":"GROUP_INFO_0","features":[93]},{"name":"GROUP_INFO_1","features":[93]},{"name":"GROUP_INFO_1002","features":[93]},{"name":"GROUP_INFO_1005","features":[93]},{"name":"GROUP_INFO_2","features":[93]},{"name":"GROUP_INFO_3","features":[1,93]},{"name":"GROUP_NAME_PARMNUM","features":[93]},{"name":"GROUP_SPECIALGRP_ADMINS","features":[93]},{"name":"GROUP_SPECIALGRP_GUESTS","features":[93]},{"name":"GROUP_SPECIALGRP_LOCAL","features":[93]},{"name":"GROUP_SPECIALGRP_USERS","features":[93]},{"name":"GROUP_USERS_INFO_0","features":[93]},{"name":"GROUP_USERS_INFO_1","features":[93]},{"name":"GetNetScheduleAccountInformation","features":[93]},{"name":"HARDWARE_ADDRESS","features":[93]},{"name":"HARDWARE_ADDRESS_LENGTH","features":[93]},{"name":"HELP_MSG_FILENAME","features":[93]},{"name":"HLOG","features":[93]},{"name":"IEnumNetCfgBindingInterface","features":[93]},{"name":"IEnumNetCfgBindingPath","features":[93]},{"name":"IEnumNetCfgComponent","features":[93]},{"name":"INTERFACE_INFO_REVISION_1","features":[93]},{"name":"INVALID_TRACEID","features":[93]},{"name":"INetCfg","features":[93]},{"name":"INetCfgBindingInterface","features":[93]},{"name":"INetCfgBindingPath","features":[93]},{"name":"INetCfgClass","features":[93]},{"name":"INetCfgClassSetup","features":[93]},{"name":"INetCfgClassSetup2","features":[93]},{"name":"INetCfgComponent","features":[93]},{"name":"INetCfgComponentBindings","features":[93]},{"name":"INetCfgComponentControl","features":[93]},{"name":"INetCfgComponentNotifyBinding","features":[93]},{"name":"INetCfgComponentNotifyGlobal","features":[93]},{"name":"INetCfgComponentPropertyUi","features":[93]},{"name":"INetCfgComponentSetup","features":[93]},{"name":"INetCfgComponentSysPrep","features":[93]},{"name":"INetCfgComponentUpperEdge","features":[93]},{"name":"INetCfgLock","features":[93]},{"name":"INetCfgPnpReconfigCallback","features":[93]},{"name":"INetCfgSysPrep","features":[93]},{"name":"INetLanConnectionUiInfo","features":[93]},{"name":"INetRasConnectionIpUiInfo","features":[93]},{"name":"IPX_PROTOCOL_BASE","features":[93]},{"name":"IPX_PROTOCOL_RIP","features":[93]},{"name":"IProvisioningDomain","features":[93]},{"name":"IProvisioningProfileWireless","features":[93]},{"name":"IR_PROMISCUOUS","features":[93]},{"name":"IR_PROMISCUOUS_MULTICAST","features":[93]},{"name":"I_NetLogonControl2","features":[93]},{"name":"JOB_ADD_CURRENT_DATE","features":[93]},{"name":"JOB_EXEC_ERROR","features":[93]},{"name":"JOB_NONINTERACTIVE","features":[93]},{"name":"JOB_RUNS_TODAY","features":[93]},{"name":"JOB_RUN_PERIODICALLY","features":[93]},{"name":"KNOWLEDGE_INCONSISTENCY_DETECTED","features":[93]},{"name":"LG_INCLUDE_INDIRECT","features":[93]},{"name":"LM20_CNLEN","features":[93]},{"name":"LM20_DEVLEN","features":[93]},{"name":"LM20_DNLEN","features":[93]},{"name":"LM20_GNLEN","features":[93]},{"name":"LM20_MAXCOMMENTSZ","features":[93]},{"name":"LM20_NNLEN","features":[93]},{"name":"LM20_PATHLEN","features":[93]},{"name":"LM20_PWLEN","features":[93]},{"name":"LM20_QNLEN","features":[93]},{"name":"LM20_SERVICE_ACTIVE","features":[93]},{"name":"LM20_SERVICE_CONTINUE_PENDING","features":[93]},{"name":"LM20_SERVICE_PAUSED","features":[93]},{"name":"LM20_SERVICE_PAUSE_PENDING","features":[93]},{"name":"LM20_SNLEN","features":[93]},{"name":"LM20_STXTLEN","features":[93]},{"name":"LM20_UNCLEN","features":[93]},{"name":"LM20_UNLEN","features":[93]},{"name":"LM_REDIR_FAILURE","features":[93]},{"name":"LOCALGROUP_COMMENT_PARMNUM","features":[93]},{"name":"LOCALGROUP_INFO_0","features":[93]},{"name":"LOCALGROUP_INFO_1","features":[93]},{"name":"LOCALGROUP_INFO_1002","features":[93]},{"name":"LOCALGROUP_MEMBERS_INFO_0","features":[1,93]},{"name":"LOCALGROUP_MEMBERS_INFO_1","features":[1,93,4]},{"name":"LOCALGROUP_MEMBERS_INFO_2","features":[1,93,4]},{"name":"LOCALGROUP_MEMBERS_INFO_3","features":[93]},{"name":"LOCALGROUP_NAME_PARMNUM","features":[93]},{"name":"LOCALGROUP_USERS_INFO_0","features":[93]},{"name":"LOGFLAGS_BACKWARD","features":[93]},{"name":"LOGFLAGS_FORWARD","features":[93]},{"name":"LOGFLAGS_SEEK","features":[93]},{"name":"LOWER_GET_HINT_MASK","features":[93]},{"name":"LOWER_HINT_MASK","features":[93]},{"name":"LogErrorA","features":[93]},{"name":"LogErrorW","features":[93]},{"name":"LogEventA","features":[93]},{"name":"LogEventW","features":[93]},{"name":"MACHINE_UNJOINED","features":[93]},{"name":"MAJOR_VERSION_MASK","features":[93]},{"name":"MAXCOMMENTSZ","features":[93]},{"name":"MAXPERMENTRIES","features":[93]},{"name":"MAX_LANMAN_MESSAGE_ID","features":[93]},{"name":"MAX_NERR","features":[93]},{"name":"MAX_PASSWD_LEN","features":[93]},{"name":"MAX_PREFERRED_LENGTH","features":[93]},{"name":"MAX_PROTOCOL_DLL_LEN","features":[93]},{"name":"MAX_PROTOCOL_NAME_LEN","features":[93]},{"name":"MESSAGE_FILENAME","features":[93]},{"name":"MFE_BOUNDARY_REACHED","features":[93]},{"name":"MFE_IIF","features":[93]},{"name":"MFE_NOT_FORWARDING","features":[93]},{"name":"MFE_NOT_LAST_HOP","features":[93]},{"name":"MFE_NO_ERROR","features":[93]},{"name":"MFE_NO_MULTICAST","features":[93]},{"name":"MFE_NO_ROUTE","features":[93]},{"name":"MFE_NO_SPACE","features":[93]},{"name":"MFE_OIF_PRUNED","features":[93]},{"name":"MFE_OLD_ROUTER","features":[93]},{"name":"MFE_PROHIBITED","features":[93]},{"name":"MFE_PRUNED_UPSTREAM","features":[93]},{"name":"MFE_REACHED_CORE","features":[93]},{"name":"MFE_WRONG_IF","features":[93]},{"name":"MIN_LANMAN_MESSAGE_ID","features":[93]},{"name":"MISSING_EXIT_POINT","features":[93]},{"name":"MISSING_EXIT_POINT_CREATED","features":[93]},{"name":"MISSING_EXIT_POINT_NOT_CREATED","features":[93]},{"name":"MISSING_VOLUME","features":[93]},{"name":"MISSING_VOLUME_CREATED","features":[93]},{"name":"MISSING_VOLUME_NOT_CREATED","features":[93]},{"name":"MODALS_DOMAIN_ID_PARMNUM","features":[93]},{"name":"MODALS_DOMAIN_NAME_PARMNUM","features":[93]},{"name":"MODALS_FORCE_LOGOFF_PARMNUM","features":[93]},{"name":"MODALS_LOCKOUT_DURATION_PARMNUM","features":[93]},{"name":"MODALS_LOCKOUT_OBSERVATION_WINDOW_PARMNUM","features":[93]},{"name":"MODALS_LOCKOUT_THRESHOLD_PARMNUM","features":[93]},{"name":"MODALS_MAX_PASSWD_AGE_PARMNUM","features":[93]},{"name":"MODALS_MIN_PASSWD_AGE_PARMNUM","features":[93]},{"name":"MODALS_MIN_PASSWD_LEN_PARMNUM","features":[93]},{"name":"MODALS_PASSWD_HIST_LEN_PARMNUM","features":[93]},{"name":"MODALS_PRIMARY_PARMNUM","features":[93]},{"name":"MODALS_ROLE_PARMNUM","features":[93]},{"name":"MPR_PROTOCOL_0","features":[93]},{"name":"MRINFO_DISABLED_FLAG","features":[93]},{"name":"MRINFO_DOWN_FLAG","features":[93]},{"name":"MRINFO_LEAF_FLAG","features":[93]},{"name":"MRINFO_PIM_FLAG","features":[93]},{"name":"MRINFO_QUERIER_FLAG","features":[93]},{"name":"MRINFO_TUNNEL_FLAG","features":[93]},{"name":"MSA_INFO_0","features":[93]},{"name":"MSA_INFO_LEVEL","features":[93]},{"name":"MSA_INFO_STATE","features":[93]},{"name":"MSGNAME_FORWARDED_FROM","features":[93]},{"name":"MSGNAME_FORWARDED_TO","features":[93]},{"name":"MSGNAME_NOT_FORWARDED","features":[93]},{"name":"MSG_INFO_0","features":[93]},{"name":"MSG_INFO_1","features":[93]},{"name":"MS_ROUTER_VERSION","features":[93]},{"name":"MprSetupProtocolEnum","features":[93]},{"name":"MprSetupProtocolFree","features":[93]},{"name":"MsaInfoCanInstall","features":[93]},{"name":"MsaInfoCannotInstall","features":[93]},{"name":"MsaInfoInstalled","features":[93]},{"name":"MsaInfoLevel0","features":[93]},{"name":"MsaInfoLevelMax","features":[93]},{"name":"MsaInfoNotExist","features":[93]},{"name":"MsaInfoNotService","features":[93]},{"name":"NCF_DONTEXPOSELOWER","features":[93]},{"name":"NCF_FILTER","features":[93]},{"name":"NCF_FIXED_BINDING","features":[93]},{"name":"NCF_HAS_UI","features":[93]},{"name":"NCF_HIDDEN","features":[93]},{"name":"NCF_HIDE_BINDING","features":[93]},{"name":"NCF_LOWER","features":[93]},{"name":"NCF_LW_FILTER","features":[93]},{"name":"NCF_MULTIPORT_INSTANCED_ADAPTER","features":[93]},{"name":"NCF_NDIS_PROTOCOL","features":[93]},{"name":"NCF_NOT_USER_REMOVABLE","features":[93]},{"name":"NCF_NO_SERVICE","features":[93]},{"name":"NCF_PHYSICAL","features":[93]},{"name":"NCF_SINGLE_INSTANCE","features":[93]},{"name":"NCF_SOFTWARE_ENUMERATED","features":[93]},{"name":"NCF_UPPER","features":[93]},{"name":"NCF_VIRTUAL","features":[93]},{"name":"NCN_ADD","features":[93]},{"name":"NCN_BINDING_PATH","features":[93]},{"name":"NCN_DISABLE","features":[93]},{"name":"NCN_ENABLE","features":[93]},{"name":"NCN_NET","features":[93]},{"name":"NCN_NETCLIENT","features":[93]},{"name":"NCN_NETSERVICE","features":[93]},{"name":"NCN_NETTRANS","features":[93]},{"name":"NCN_PROPERTYCHANGE","features":[93]},{"name":"NCN_REMOVE","features":[93]},{"name":"NCN_UPDATE","features":[93]},{"name":"NCPNP_RECONFIG_LAYER","features":[93]},{"name":"NCRL_NDIS","features":[93]},{"name":"NCRL_TDI","features":[93]},{"name":"NCRP_FLAGS","features":[93]},{"name":"NCRP_QUERY_PROPERTY_UI","features":[93]},{"name":"NCRP_SHOW_PROPERTY_UI","features":[93]},{"name":"NELOG_AT_Exec_Err","features":[93]},{"name":"NELOG_AT_cannot_read","features":[93]},{"name":"NELOG_AT_cannot_write","features":[93]},{"name":"NELOG_AT_sched_err","features":[93]},{"name":"NELOG_AT_schedule_file_created","features":[93]},{"name":"NELOG_Access_File_Bad","features":[93]},{"name":"NELOG_Build_Name","features":[93]},{"name":"NELOG_Cant_Make_Msg_File","features":[93]},{"name":"NELOG_DiskFT","features":[93]},{"name":"NELOG_DriverNotLoaded","features":[93]},{"name":"NELOG_Entries_Lost","features":[93]},{"name":"NELOG_Error_in_DLL","features":[93]},{"name":"NELOG_Exec_Netservr_NoMem","features":[93]},{"name":"NELOG_FT_ErrLog_Too_Large","features":[93]},{"name":"NELOG_FT_Update_In_Progress","features":[93]},{"name":"NELOG_FailedToGetComputerName","features":[93]},{"name":"NELOG_FailedToRegisterSC","features":[93]},{"name":"NELOG_FailedToSetServiceStatus","features":[93]},{"name":"NELOG_File_Changed","features":[93]},{"name":"NELOG_Files_Dont_Fit","features":[93]},{"name":"NELOG_HardErr_From_Server","features":[93]},{"name":"NELOG_HotFix","features":[93]},{"name":"NELOG_Init_Chardev_Err","features":[93]},{"name":"NELOG_Init_Exec_Fail","features":[93]},{"name":"NELOG_Init_OpenCreate_Err","features":[93]},{"name":"NELOG_Init_Seg_Overflow","features":[93]},{"name":"NELOG_Internal_Error","features":[93]},{"name":"NELOG_Invalid_Config_File","features":[93]},{"name":"NELOG_Invalid_Config_Line","features":[93]},{"name":"NELOG_Ioctl_Error","features":[93]},{"name":"NELOG_Joined_Domain","features":[93]},{"name":"NELOG_Joined_Workgroup","features":[93]},{"name":"NELOG_Lazy_Write_Err","features":[93]},{"name":"NELOG_LocalSecFail1","features":[93]},{"name":"NELOG_LocalSecFail2","features":[93]},{"name":"NELOG_LocalSecFail3","features":[93]},{"name":"NELOG_LocalSecGeneralFail","features":[93]},{"name":"NELOG_Mail_Slt_Err","features":[93]},{"name":"NELOG_Mailslot_err","features":[93]},{"name":"NELOG_Message_Send","features":[93]},{"name":"NELOG_Missing_Parameter","features":[93]},{"name":"NELOG_Msg_Log_Err","features":[93]},{"name":"NELOG_Msg_Sem_Shutdown","features":[93]},{"name":"NELOG_Msg_Shutdown","features":[93]},{"name":"NELOG_Msg_Unexpected_SMB_Type","features":[93]},{"name":"NELOG_Name_Expansion","features":[93]},{"name":"NELOG_Ncb_Error","features":[93]},{"name":"NELOG_Ncb_TooManyErr","features":[93]},{"name":"NELOG_NetBios","features":[93]},{"name":"NELOG_NetLogonFailedToInitializeAuthzRm","features":[93]},{"name":"NELOG_NetLogonFailedToInitializeRPCSD","features":[93]},{"name":"NELOG_NetWkSta_Internal_Error","features":[93]},{"name":"NELOG_NetWkSta_NCB_Err","features":[93]},{"name":"NELOG_NetWkSta_No_Resource","features":[93]},{"name":"NELOG_NetWkSta_Reset_Err","features":[93]},{"name":"NELOG_NetWkSta_SMB_Err","features":[93]},{"name":"NELOG_NetWkSta_Stuck_VC_Err","features":[93]},{"name":"NELOG_NetWkSta_Too_Many","features":[93]},{"name":"NELOG_NetWkSta_VC_Err","features":[93]},{"name":"NELOG_NetWkSta_Write_Behind_Err","features":[93]},{"name":"NELOG_Net_Not_Started","features":[93]},{"name":"NELOG_NetlogonAddNameFailure","features":[93]},{"name":"NELOG_NetlogonAuthDCFail","features":[93]},{"name":"NELOG_NetlogonAuthDomainDowngraded","features":[93]},{"name":"NELOG_NetlogonAuthNoDomainController","features":[93]},{"name":"NELOG_NetlogonAuthNoTrustLsaSecret","features":[93]},{"name":"NELOG_NetlogonAuthNoTrustSamAccount","features":[93]},{"name":"NELOG_NetlogonAuthNoUplevelDomainController","features":[93]},{"name":"NELOG_NetlogonBadSiteName","features":[93]},{"name":"NELOG_NetlogonBadSubnetName","features":[93]},{"name":"NELOG_NetlogonBrowserDriver","features":[93]},{"name":"NELOG_NetlogonChangeLogCorrupt","features":[93]},{"name":"NELOG_NetlogonDcOldSiteCovered","features":[93]},{"name":"NELOG_NetlogonDcSiteCovered","features":[93]},{"name":"NELOG_NetlogonDcSiteNotCovered","features":[93]},{"name":"NELOG_NetlogonDcSiteNotCoveredAuto","features":[93]},{"name":"NELOG_NetlogonDnsDeregAborted","features":[93]},{"name":"NELOG_NetlogonDnsHostNameLowerCasingFailed","features":[93]},{"name":"NELOG_NetlogonDownLevelLogoffFailed","features":[93]},{"name":"NELOG_NetlogonDownLevelLogonFailed","features":[93]},{"name":"NELOG_NetlogonDuplicateMachineAccounts","features":[93]},{"name":"NELOG_NetlogonDynamicDnsDeregisterFailure","features":[93]},{"name":"NELOG_NetlogonDynamicDnsFailure","features":[93]},{"name":"NELOG_NetlogonDynamicDnsRegisterFailure","features":[93]},{"name":"NELOG_NetlogonDynamicDnsServerFailure","features":[93]},{"name":"NELOG_NetlogonFailedAccountDelta","features":[93]},{"name":"NELOG_NetlogonFailedDnsHostNameUpdate","features":[93]},{"name":"NELOG_NetlogonFailedDomainDelta","features":[93]},{"name":"NELOG_NetlogonFailedFileCreate","features":[93]},{"name":"NELOG_NetlogonFailedGlobalGroupDelta","features":[93]},{"name":"NELOG_NetlogonFailedLocalGroupDelta","features":[93]},{"name":"NELOG_NetlogonFailedPolicyDelta","features":[93]},{"name":"NELOG_NetlogonFailedPrimary","features":[93]},{"name":"NELOG_NetlogonFailedSecretDelta","features":[93]},{"name":"NELOG_NetlogonFailedSpnUpdate","features":[93]},{"name":"NELOG_NetlogonFailedToAddAuthzRpcInterface","features":[93]},{"name":"NELOG_NetlogonFailedToAddRpcInterface","features":[93]},{"name":"NELOG_NetlogonFailedToCreateShare","features":[93]},{"name":"NELOG_NetlogonFailedToReadMailslot","features":[93]},{"name":"NELOG_NetlogonFailedToRegisterSC","features":[93]},{"name":"NELOG_NetlogonFailedToUpdateTrustList","features":[93]},{"name":"NELOG_NetlogonFailedTrustedDomainDelta","features":[93]},{"name":"NELOG_NetlogonFailedUserDelta","features":[93]},{"name":"NELOG_NetlogonFullSyncCallFailed","features":[93]},{"name":"NELOG_NetlogonFullSyncCallSuccess","features":[93]},{"name":"NELOG_NetlogonFullSyncFailed","features":[93]},{"name":"NELOG_NetlogonFullSyncSuccess","features":[93]},{"name":"NELOG_NetlogonGcOldSiteCovered","features":[93]},{"name":"NELOG_NetlogonGcSiteCovered","features":[93]},{"name":"NELOG_NetlogonGcSiteNotCovered","features":[93]},{"name":"NELOG_NetlogonGcSiteNotCoveredAuto","features":[93]},{"name":"NELOG_NetlogonGetSubnetToSite","features":[93]},{"name":"NELOG_NetlogonInvalidDwordParameterValue","features":[93]},{"name":"NELOG_NetlogonInvalidGenericParameterValue","features":[93]},{"name":"NELOG_NetlogonLanmanBdcsNotAllowed","features":[93]},{"name":"NELOG_NetlogonMachinePasswdSetSucceeded","features":[93]},{"name":"NELOG_NetlogonMsaPasswdSetSucceeded","features":[93]},{"name":"NELOG_NetlogonNTLogoffFailed","features":[93]},{"name":"NELOG_NetlogonNTLogonFailed","features":[93]},{"name":"NELOG_NetlogonNdncOldSiteCovered","features":[93]},{"name":"NELOG_NetlogonNdncSiteCovered","features":[93]},{"name":"NELOG_NetlogonNdncSiteNotCovered","features":[93]},{"name":"NELOG_NetlogonNdncSiteNotCoveredAuto","features":[93]},{"name":"NELOG_NetlogonNoAddressToSiteMapping","features":[93]},{"name":"NELOG_NetlogonNoDynamicDns","features":[93]},{"name":"NELOG_NetlogonNoDynamicDnsManual","features":[93]},{"name":"NELOG_NetlogonNoSiteForClient","features":[93]},{"name":"NELOG_NetlogonNoSiteForClients","features":[93]},{"name":"NELOG_NetlogonPartialSiteMappingForClients","features":[93]},{"name":"NELOG_NetlogonPartialSyncCallFailed","features":[93]},{"name":"NELOG_NetlogonPartialSyncCallSuccess","features":[93]},{"name":"NELOG_NetlogonPartialSyncFailed","features":[93]},{"name":"NELOG_NetlogonPartialSyncSuccess","features":[93]},{"name":"NELOG_NetlogonPasswdSetFailed","features":[93]},{"name":"NELOG_NetlogonRejectedRemoteDynamicDnsDeregister","features":[93]},{"name":"NELOG_NetlogonRejectedRemoteDynamicDnsRegister","features":[93]},{"name":"NELOG_NetlogonRemoteDynamicDnsDeregisterFailure","features":[93]},{"name":"NELOG_NetlogonRemoteDynamicDnsRegisterFailure","features":[93]},{"name":"NELOG_NetlogonRemoteDynamicDnsUpdateRequestFailure","features":[93]},{"name":"NELOG_NetlogonRequireSignOrSealError","features":[93]},{"name":"NELOG_NetlogonRpcCallCancelled","features":[93]},{"name":"NELOG_NetlogonRpcPortRequestFailure","features":[93]},{"name":"NELOG_NetlogonSSIInitError","features":[93]},{"name":"NELOG_NetlogonServerAuthFailed","features":[93]},{"name":"NELOG_NetlogonServerAuthFailedNoAccount","features":[93]},{"name":"NELOG_NetlogonServerAuthNoTrustSamAccount","features":[93]},{"name":"NELOG_NetlogonSessionTypeWrong","features":[93]},{"name":"NELOG_NetlogonSpnCrackNamesFailure","features":[93]},{"name":"NELOG_NetlogonSpnMultipleSamAccountNames","features":[93]},{"name":"NELOG_NetlogonSyncError","features":[93]},{"name":"NELOG_NetlogonSystemError","features":[93]},{"name":"NELOG_NetlogonTooManyGlobalGroups","features":[93]},{"name":"NELOG_NetlogonTrackingError","features":[93]},{"name":"NELOG_NetlogonUserValidationReqInitialTimeOut","features":[93]},{"name":"NELOG_NetlogonUserValidationReqRecurringTimeOut","features":[93]},{"name":"NELOG_NetlogonUserValidationReqWaitInitialWarning","features":[93]},{"name":"NELOG_NetlogonUserValidationReqWaitRecurringWarning","features":[93]},{"name":"NELOG_NoTranportLoaded","features":[93]},{"name":"NELOG_OEM_Code","features":[93]},{"name":"NELOG_ReleaseMem_Alert","features":[93]},{"name":"NELOG_Remote_API","features":[93]},{"name":"NELOG_ReplAccessDenied","features":[93]},{"name":"NELOG_ReplBadExport","features":[93]},{"name":"NELOG_ReplBadImport","features":[93]},{"name":"NELOG_ReplBadMsg","features":[93]},{"name":"NELOG_ReplCannotMasterDir","features":[93]},{"name":"NELOG_ReplLogonFailed","features":[93]},{"name":"NELOG_ReplLostMaster","features":[93]},{"name":"NELOG_ReplMaxFiles","features":[93]},{"name":"NELOG_ReplMaxTreeDepth","features":[93]},{"name":"NELOG_ReplNetErr","features":[93]},{"name":"NELOG_ReplSignalFileErr","features":[93]},{"name":"NELOG_ReplSysErr","features":[93]},{"name":"NELOG_ReplUpdateError","features":[93]},{"name":"NELOG_ReplUserCurDir","features":[93]},{"name":"NELOG_ReplUserLoged","features":[93]},{"name":"NELOG_Resource_Shortage","features":[93]},{"name":"NELOG_RplAdapterResource","features":[93]},{"name":"NELOG_RplBackupDatabase","features":[93]},{"name":"NELOG_RplCheckConfigs","features":[93]},{"name":"NELOG_RplCheckSecurity","features":[93]},{"name":"NELOG_RplCreateProfiles","features":[93]},{"name":"NELOG_RplFileCopy","features":[93]},{"name":"NELOG_RplFileDelete","features":[93]},{"name":"NELOG_RplFilePerms","features":[93]},{"name":"NELOG_RplInitDatabase","features":[93]},{"name":"NELOG_RplInitRestoredDatabase","features":[93]},{"name":"NELOG_RplMessages","features":[93]},{"name":"NELOG_RplRegistry","features":[93]},{"name":"NELOG_RplReplaceRPLDISK","features":[93]},{"name":"NELOG_RplRestoreDatabaseFailure","features":[93]},{"name":"NELOG_RplRestoreDatabaseSuccess","features":[93]},{"name":"NELOG_RplSystem","features":[93]},{"name":"NELOG_RplUpgradeDBTo40","features":[93]},{"name":"NELOG_RplWkstaBbcFile","features":[93]},{"name":"NELOG_RplWkstaFileChecksum","features":[93]},{"name":"NELOG_RplWkstaFileLineCount","features":[93]},{"name":"NELOG_RplWkstaFileOpen","features":[93]},{"name":"NELOG_RplWkstaFileRead","features":[93]},{"name":"NELOG_RplWkstaFileSize","features":[93]},{"name":"NELOG_RplWkstaInternal","features":[93]},{"name":"NELOG_RplWkstaMemory","features":[93]},{"name":"NELOG_RplWkstaNetwork","features":[93]},{"name":"NELOG_RplWkstaTimeout","features":[93]},{"name":"NELOG_RplWkstaWrongVersion","features":[93]},{"name":"NELOG_RplXnsBoot","features":[93]},{"name":"NELOG_SMB_Illegal","features":[93]},{"name":"NELOG_Server_Lock_Failure","features":[93]},{"name":"NELOG_Service_Fail","features":[93]},{"name":"NELOG_Srv_Close_Failure","features":[93]},{"name":"NELOG_Srv_No_Mem_Grow","features":[93]},{"name":"NELOG_Srv_Thread_Failure","features":[93]},{"name":"NELOG_Srvnet_NB_Open","features":[93]},{"name":"NELOG_Srvnet_Not_Started","features":[93]},{"name":"NELOG_System_Error","features":[93]},{"name":"NELOG_System_Semaphore","features":[93]},{"name":"NELOG_UPS_CannotOpenDriver","features":[93]},{"name":"NELOG_UPS_CmdFileConfig","features":[93]},{"name":"NELOG_UPS_CmdFileError","features":[93]},{"name":"NELOG_UPS_CmdFileExec","features":[93]},{"name":"NELOG_UPS_PowerBack","features":[93]},{"name":"NELOG_UPS_PowerOut","features":[93]},{"name":"NELOG_UPS_Shutdown","features":[93]},{"name":"NELOG_Unable_To_Lock_Segment","features":[93]},{"name":"NELOG_Unable_To_Unlock_Segment","features":[93]},{"name":"NELOG_Uninstall_Service","features":[93]},{"name":"NELOG_VIO_POPUP_ERR","features":[93]},{"name":"NELOG_Wksta_Bad_Mailslot_SMB","features":[93]},{"name":"NELOG_Wksta_BiosThreadFailure","features":[93]},{"name":"NELOG_Wksta_Compname","features":[93]},{"name":"NELOG_Wksta_HostTab_Full","features":[93]},{"name":"NELOG_Wksta_Infoseg","features":[93]},{"name":"NELOG_Wksta_IniSeg","features":[93]},{"name":"NELOG_Wksta_SSIRelogon","features":[93]},{"name":"NELOG_Wksta_UASInit","features":[93]},{"name":"NELOG_Wrong_DLL_Version","features":[93]},{"name":"NERR_ACFFileIOFail","features":[93]},{"name":"NERR_ACFNoParent","features":[93]},{"name":"NERR_ACFNoRoom","features":[93]},{"name":"NERR_ACFNotFound","features":[93]},{"name":"NERR_ACFNotLoaded","features":[93]},{"name":"NERR_ACFTooManyLists","features":[93]},{"name":"NERR_AccountExpired","features":[93]},{"name":"NERR_AccountLockedOut","features":[93]},{"name":"NERR_AccountReuseBlockedByPolicy","features":[93]},{"name":"NERR_AccountUndefined","features":[93]},{"name":"NERR_AcctLimitExceeded","features":[93]},{"name":"NERR_ActiveConns","features":[93]},{"name":"NERR_AddForwarded","features":[93]},{"name":"NERR_AlertExists","features":[93]},{"name":"NERR_AlreadyCloudDomainJoined","features":[93]},{"name":"NERR_AlreadyExists","features":[93]},{"name":"NERR_AlreadyForwarded","features":[93]},{"name":"NERR_AlreadyLoggedOn","features":[93]},{"name":"NERR_BASE","features":[93]},{"name":"NERR_BadAsgType","features":[93]},{"name":"NERR_BadComponent","features":[93]},{"name":"NERR_BadControlRecv","features":[93]},{"name":"NERR_BadDest","features":[93]},{"name":"NERR_BadDev","features":[93]},{"name":"NERR_BadDevString","features":[93]},{"name":"NERR_BadDomainJoinInfo","features":[93]},{"name":"NERR_BadDosFunction","features":[93]},{"name":"NERR_BadDosRetCode","features":[93]},{"name":"NERR_BadEventName","features":[93]},{"name":"NERR_BadFileCheckSum","features":[93]},{"name":"NERR_BadOfflineJoinInfo","features":[93]},{"name":"NERR_BadPassword","features":[93]},{"name":"NERR_BadPasswordCore","features":[93]},{"name":"NERR_BadQueueDevString","features":[93]},{"name":"NERR_BadQueuePriority","features":[93]},{"name":"NERR_BadReceive","features":[93]},{"name":"NERR_BadRecipient","features":[93]},{"name":"NERR_BadServiceName","features":[93]},{"name":"NERR_BadServiceProgName","features":[93]},{"name":"NERR_BadSource","features":[93]},{"name":"NERR_BadTransactConfig","features":[93]},{"name":"NERR_BadUasConfig","features":[93]},{"name":"NERR_BadUsername","features":[93]},{"name":"NERR_BrowserConfiguredToNotRun","features":[93]},{"name":"NERR_BrowserNotStarted","features":[93]},{"name":"NERR_BrowserTableIncomplete","features":[93]},{"name":"NERR_BufTooSmall","features":[93]},{"name":"NERR_CallingRplSrvr","features":[93]},{"name":"NERR_CanNotGrowSegment","features":[93]},{"name":"NERR_CanNotGrowUASFile","features":[93]},{"name":"NERR_CannotUnjoinAadDomain","features":[93]},{"name":"NERR_CannotUpdateAadHostName","features":[93]},{"name":"NERR_CantConnectRplSrvr","features":[93]},{"name":"NERR_CantCreateJoinInfo","features":[93]},{"name":"NERR_CantLoadOfflineHive","features":[93]},{"name":"NERR_CantOpenImageFile","features":[93]},{"name":"NERR_CantType","features":[93]},{"name":"NERR_CantVerifyHostname","features":[93]},{"name":"NERR_CfgCompNotFound","features":[93]},{"name":"NERR_CfgParamNotFound","features":[93]},{"name":"NERR_ClientNameNotFound","features":[93]},{"name":"NERR_CommDevInUse","features":[93]},{"name":"NERR_ComputerAccountNotFound","features":[93]},{"name":"NERR_ConnectionInsecure","features":[93]},{"name":"NERR_DCNotFound","features":[93]},{"name":"NERR_DS8DCNotFound","features":[93]},{"name":"NERR_DS8DCRequired","features":[93]},{"name":"NERR_DS9DCNotFound","features":[93]},{"name":"NERR_DataTypeInvalid","features":[93]},{"name":"NERR_DatabaseUpToDate","features":[93]},{"name":"NERR_DefaultJoinRequired","features":[93]},{"name":"NERR_DelComputerName","features":[93]},{"name":"NERR_DeleteLater","features":[93]},{"name":"NERR_DestExists","features":[93]},{"name":"NERR_DestIdle","features":[93]},{"name":"NERR_DestInvalidOp","features":[93]},{"name":"NERR_DestInvalidState","features":[93]},{"name":"NERR_DestNoRoom","features":[93]},{"name":"NERR_DestNotFound","features":[93]},{"name":"NERR_DevInUse","features":[93]},{"name":"NERR_DevInvalidOpCode","features":[93]},{"name":"NERR_DevNotFound","features":[93]},{"name":"NERR_DevNotOpen","features":[93]},{"name":"NERR_DevNotRedirected","features":[93]},{"name":"NERR_DeviceIsShared","features":[93]},{"name":"NERR_DeviceNotShared","features":[93]},{"name":"NERR_DeviceShareConflict","features":[93]},{"name":"NERR_DfsAlreadyShared","features":[93]},{"name":"NERR_DfsBadRenamePath","features":[93]},{"name":"NERR_DfsCantCreateJunctionPoint","features":[93]},{"name":"NERR_DfsCantRemoveDfsRoot","features":[93]},{"name":"NERR_DfsCantRemoveLastServerShare","features":[93]},{"name":"NERR_DfsChildOrParentInDfs","features":[93]},{"name":"NERR_DfsCyclicalName","features":[93]},{"name":"NERR_DfsDataIsIdentical","features":[93]},{"name":"NERR_DfsDuplicateService","features":[93]},{"name":"NERR_DfsInconsistent","features":[93]},{"name":"NERR_DfsInternalCorruption","features":[93]},{"name":"NERR_DfsInternalError","features":[93]},{"name":"NERR_DfsLeafVolume","features":[93]},{"name":"NERR_DfsNoSuchServer","features":[93]},{"name":"NERR_DfsNoSuchShare","features":[93]},{"name":"NERR_DfsNoSuchVolume","features":[93]},{"name":"NERR_DfsNotALeafVolume","features":[93]},{"name":"NERR_DfsNotSupportedInServerDfs","features":[93]},{"name":"NERR_DfsServerNotDfsAware","features":[93]},{"name":"NERR_DfsServerUpgraded","features":[93]},{"name":"NERR_DfsVolumeAlreadyExists","features":[93]},{"name":"NERR_DfsVolumeDataCorrupt","features":[93]},{"name":"NERR_DfsVolumeHasMultipleServers","features":[93]},{"name":"NERR_DfsVolumeIsInterDfs","features":[93]},{"name":"NERR_DfsVolumeIsOffline","features":[93]},{"name":"NERR_DifferentServers","features":[93]},{"name":"NERR_DriverNotFound","features":[93]},{"name":"NERR_DupNameReboot","features":[93]},{"name":"NERR_DuplicateHostName","features":[93]},{"name":"NERR_DuplicateName","features":[93]},{"name":"NERR_DuplicateShare","features":[93]},{"name":"NERR_ErrCommRunSrv","features":[93]},{"name":"NERR_ErrorExecingGhost","features":[93]},{"name":"NERR_ExecFailure","features":[93]},{"name":"NERR_FileIdNotFound","features":[93]},{"name":"NERR_GroupExists","features":[93]},{"name":"NERR_GroupNotFound","features":[93]},{"name":"NERR_GrpMsgProcessor","features":[93]},{"name":"NERR_HostNameTooLong","features":[93]},{"name":"NERR_ImageParamErr","features":[93]},{"name":"NERR_InUseBySpooler","features":[93]},{"name":"NERR_IncompleteDel","features":[93]},{"name":"NERR_InternalError","features":[93]},{"name":"NERR_InvalidAPI","features":[93]},{"name":"NERR_InvalidComputer","features":[93]},{"name":"NERR_InvalidDatabase","features":[93]},{"name":"NERR_InvalidDevice","features":[93]},{"name":"NERR_InvalidLana","features":[93]},{"name":"NERR_InvalidLogSeek","features":[93]},{"name":"NERR_InvalidLogonHours","features":[93]},{"name":"NERR_InvalidMachineNameForJoin","features":[93]},{"name":"NERR_InvalidMaxUsers","features":[93]},{"name":"NERR_InvalidUASOp","features":[93]},{"name":"NERR_InvalidWorkgroupName","features":[93]},{"name":"NERR_InvalidWorkstation","features":[93]},{"name":"NERR_IsDfsShare","features":[93]},{"name":"NERR_ItemNotFound","features":[93]},{"name":"NERR_JobInvalidState","features":[93]},{"name":"NERR_JobNoRoom","features":[93]},{"name":"NERR_JobNotFound","features":[93]},{"name":"NERR_JoinPerformedMustRestart","features":[93]},{"name":"NERR_LDAPCapableDCRequired","features":[93]},{"name":"NERR_LanmanIniError","features":[93]},{"name":"NERR_LastAdmin","features":[93]},{"name":"NERR_LineTooLong","features":[93]},{"name":"NERR_LocalDrive","features":[93]},{"name":"NERR_LocalForward","features":[93]},{"name":"NERR_LogFileChanged","features":[93]},{"name":"NERR_LogFileCorrupt","features":[93]},{"name":"NERR_LogOverflow","features":[93]},{"name":"NERR_LogonDomainExists","features":[93]},{"name":"NERR_LogonNoUserPath","features":[93]},{"name":"NERR_LogonScriptError","features":[93]},{"name":"NERR_LogonServerConflict","features":[93]},{"name":"NERR_LogonServerNotFound","features":[93]},{"name":"NERR_LogonTrackingError","features":[93]},{"name":"NERR_LogonsPaused","features":[93]},{"name":"NERR_MaxLenExceeded","features":[93]},{"name":"NERR_MsgAlreadyStarted","features":[93]},{"name":"NERR_MsgInitFailed","features":[93]},{"name":"NERR_MsgNotStarted","features":[93]},{"name":"NERR_MultipleNets","features":[93]},{"name":"NERR_NameInUse","features":[93]},{"name":"NERR_NameNotForwarded","features":[93]},{"name":"NERR_NameNotFound","features":[93]},{"name":"NERR_NameUsesIncompatibleCodePage","features":[93]},{"name":"NERR_NetNameNotFound","features":[93]},{"name":"NERR_NetNotStarted","features":[93]},{"name":"NERR_NetlogonNotStarted","features":[93]},{"name":"NERR_NetworkError","features":[93]},{"name":"NERR_NoAlternateServers","features":[93]},{"name":"NERR_NoCommDevs","features":[93]},{"name":"NERR_NoComputerName","features":[93]},{"name":"NERR_NoForwardName","features":[93]},{"name":"NERR_NoJoinPending","features":[93]},{"name":"NERR_NoNetworkResource","features":[93]},{"name":"NERR_NoOfflineJoinInfo","features":[93]},{"name":"NERR_NoRoom","features":[93]},{"name":"NERR_NoRplBootSystem","features":[93]},{"name":"NERR_NoSuchAlert","features":[93]},{"name":"NERR_NoSuchConnection","features":[93]},{"name":"NERR_NoSuchServer","features":[93]},{"name":"NERR_NoSuchSession","features":[93]},{"name":"NERR_NonDosFloppyUsed","features":[93]},{"name":"NERR_NonValidatedLogon","features":[93]},{"name":"NERR_NotInCache","features":[93]},{"name":"NERR_NotInDispatchTbl","features":[93]},{"name":"NERR_NotLocalDomain","features":[93]},{"name":"NERR_NotLocalName","features":[93]},{"name":"NERR_NotLoggedOn","features":[93]},{"name":"NERR_NotPrimary","features":[93]},{"name":"NERR_OpenFiles","features":[93]},{"name":"NERR_PasswordCantChange","features":[93]},{"name":"NERR_PasswordExpired","features":[93]},{"name":"NERR_PasswordFilterError","features":[93]},{"name":"NERR_PasswordHistConflict","features":[93]},{"name":"NERR_PasswordMismatch","features":[93]},{"name":"NERR_PasswordMustChange","features":[93]},{"name":"NERR_PasswordNotComplexEnough","features":[93]},{"name":"NERR_PasswordTooLong","features":[93]},{"name":"NERR_PasswordTooRecent","features":[93]},{"name":"NERR_PasswordTooShort","features":[93]},{"name":"NERR_PausedRemote","features":[93]},{"name":"NERR_PersonalSku","features":[93]},{"name":"NERR_PlainTextSecretsRequired","features":[93]},{"name":"NERR_ProcNoRespond","features":[93]},{"name":"NERR_ProcNotFound","features":[93]},{"name":"NERR_ProfileCleanup","features":[93]},{"name":"NERR_ProfileFileTooBig","features":[93]},{"name":"NERR_ProfileLoadErr","features":[93]},{"name":"NERR_ProfileOffset","features":[93]},{"name":"NERR_ProfileSaveErr","features":[93]},{"name":"NERR_ProfileUnknownCmd","features":[93]},{"name":"NERR_ProgNeedsExtraMem","features":[93]},{"name":"NERR_ProvisioningBlobUnsupported","features":[93]},{"name":"NERR_QExists","features":[93]},{"name":"NERR_QInvalidState","features":[93]},{"name":"NERR_QNoRoom","features":[93]},{"name":"NERR_QNotFound","features":[93]},{"name":"NERR_QueueNotFound","features":[93]},{"name":"NERR_RPL_CONNECTED","features":[93]},{"name":"NERR_RedirectedPath","features":[93]},{"name":"NERR_RemoteBootFailed","features":[93]},{"name":"NERR_RemoteErr","features":[93]},{"name":"NERR_RemoteFull","features":[93]},{"name":"NERR_RemoteOnly","features":[93]},{"name":"NERR_ResourceExists","features":[93]},{"name":"NERR_ResourceNotFound","features":[93]},{"name":"NERR_RplAdapterInfoCorrupted","features":[93]},{"name":"NERR_RplAdapterNameUnavailable","features":[93]},{"name":"NERR_RplAdapterNotFound","features":[93]},{"name":"NERR_RplBackupDatabase","features":[93]},{"name":"NERR_RplBadDatabase","features":[93]},{"name":"NERR_RplBadRegistry","features":[93]},{"name":"NERR_RplBootInUse","features":[93]},{"name":"NERR_RplBootInfoCorrupted","features":[93]},{"name":"NERR_RplBootNameUnavailable","features":[93]},{"name":"NERR_RplBootNotFound","features":[93]},{"name":"NERR_RplBootRestart","features":[93]},{"name":"NERR_RplBootServiceTerm","features":[93]},{"name":"NERR_RplBootStartFailed","features":[93]},{"name":"NERR_RplCannotEnum","features":[93]},{"name":"NERR_RplConfigInfoCorrupted","features":[93]},{"name":"NERR_RplConfigNameUnavailable","features":[93]},{"name":"NERR_RplConfigNotEmpty","features":[93]},{"name":"NERR_RplConfigNotFound","features":[93]},{"name":"NERR_RplIncompatibleProfile","features":[93]},{"name":"NERR_RplInternal","features":[93]},{"name":"NERR_RplLoadrDiskErr","features":[93]},{"name":"NERR_RplLoadrNetBiosErr","features":[93]},{"name":"NERR_RplNeedsRPLUSERAcct","features":[93]},{"name":"NERR_RplNoAdaptersStarted","features":[93]},{"name":"NERR_RplNotRplServer","features":[93]},{"name":"NERR_RplProfileInfoCorrupted","features":[93]},{"name":"NERR_RplProfileNameUnavailable","features":[93]},{"name":"NERR_RplProfileNotEmpty","features":[93]},{"name":"NERR_RplProfileNotFound","features":[93]},{"name":"NERR_RplRplfilesShare","features":[93]},{"name":"NERR_RplSrvrCallFailed","features":[93]},{"name":"NERR_RplVendorInfoCorrupted","features":[93]},{"name":"NERR_RplVendorNameUnavailable","features":[93]},{"name":"NERR_RplVendorNotFound","features":[93]},{"name":"NERR_RplWkstaInfoCorrupted","features":[93]},{"name":"NERR_RplWkstaNameUnavailable","features":[93]},{"name":"NERR_RplWkstaNeedsUserAcct","features":[93]},{"name":"NERR_RplWkstaNotFound","features":[93]},{"name":"NERR_RunSrvPaused","features":[93]},{"name":"NERR_SameAsComputerName","features":[93]},{"name":"NERR_ServerNotStarted","features":[93]},{"name":"NERR_ServiceCtlBusy","features":[93]},{"name":"NERR_ServiceCtlNotValid","features":[93]},{"name":"NERR_ServiceCtlTimeout","features":[93]},{"name":"NERR_ServiceEntryLocked","features":[93]},{"name":"NERR_ServiceInstalled","features":[93]},{"name":"NERR_ServiceKillProc","features":[93]},{"name":"NERR_ServiceNotCtrl","features":[93]},{"name":"NERR_ServiceNotInstalled","features":[93]},{"name":"NERR_ServiceNotStarting","features":[93]},{"name":"NERR_ServiceTableFull","features":[93]},{"name":"NERR_ServiceTableLocked","features":[93]},{"name":"NERR_SetupAlreadyJoined","features":[93]},{"name":"NERR_SetupCheckDNSConfig","features":[93]},{"name":"NERR_SetupDomainController","features":[93]},{"name":"NERR_SetupNotJoined","features":[93]},{"name":"NERR_ShareMem","features":[93]},{"name":"NERR_ShareNotFound","features":[93]},{"name":"NERR_SourceIsDir","features":[93]},{"name":"NERR_SpeGroupOp","features":[93]},{"name":"NERR_SpoolNoMemory","features":[93]},{"name":"NERR_SpoolerNotLoaded","features":[93]},{"name":"NERR_StandaloneLogon","features":[93]},{"name":"NERR_StartingRplBoot","features":[93]},{"name":"NERR_Success","features":[93]},{"name":"NERR_SyncRequired","features":[93]},{"name":"NERR_TargetVersionUnsupported","features":[93]},{"name":"NERR_TimeDiffAtDC","features":[93]},{"name":"NERR_TmpFile","features":[93]},{"name":"NERR_TooManyAlerts","features":[93]},{"name":"NERR_TooManyConnections","features":[93]},{"name":"NERR_TooManyEntries","features":[93]},{"name":"NERR_TooManyFiles","features":[93]},{"name":"NERR_TooManyHostNames","features":[93]},{"name":"NERR_TooManyImageParams","features":[93]},{"name":"NERR_TooManyItems","features":[93]},{"name":"NERR_TooManyNames","features":[93]},{"name":"NERR_TooManyServers","features":[93]},{"name":"NERR_TooManySessions","features":[93]},{"name":"NERR_TooMuchData","features":[93]},{"name":"NERR_TruncatedBroadcast","features":[93]},{"name":"NERR_TryDownLevel","features":[93]},{"name":"NERR_UPSDriverNotStarted","features":[93]},{"name":"NERR_UPSInvalidCommPort","features":[93]},{"name":"NERR_UPSInvalidConfig","features":[93]},{"name":"NERR_UPSShutdownFailed","features":[93]},{"name":"NERR_UPSSignalAsserted","features":[93]},{"name":"NERR_UnableToAddName_F","features":[93]},{"name":"NERR_UnableToAddName_W","features":[93]},{"name":"NERR_UnableToDelName_F","features":[93]},{"name":"NERR_UnableToDelName_W","features":[93]},{"name":"NERR_UnknownDevDir","features":[93]},{"name":"NERR_UnknownServer","features":[93]},{"name":"NERR_UseNotFound","features":[93]},{"name":"NERR_UserExists","features":[93]},{"name":"NERR_UserInGroup","features":[93]},{"name":"NERR_UserLogon","features":[93]},{"name":"NERR_UserNotFound","features":[93]},{"name":"NERR_UserNotInGroup","features":[93]},{"name":"NERR_ValuesNotSet","features":[93]},{"name":"NERR_WkstaInconsistentState","features":[93]},{"name":"NERR_WkstaNotStarted","features":[93]},{"name":"NERR_WriteFault","features":[93]},{"name":"NETBIOS_NAME_LEN","features":[93]},{"name":"NETCFG_CLIENT_CID_MS_MSClient","features":[93]},{"name":"NETCFG_E_ACTIVE_RAS_CONNECTIONS","features":[93]},{"name":"NETCFG_E_ADAPTER_NOT_FOUND","features":[93]},{"name":"NETCFG_E_ALREADY_INITIALIZED","features":[93]},{"name":"NETCFG_E_COMPONENT_REMOVED_PENDING_REBOOT","features":[93]},{"name":"NETCFG_E_DUPLICATE_INSTANCEID","features":[93]},{"name":"NETCFG_E_IN_USE","features":[93]},{"name":"NETCFG_E_MAX_FILTER_LIMIT","features":[93]},{"name":"NETCFG_E_NEED_REBOOT","features":[93]},{"name":"NETCFG_E_NOT_INITIALIZED","features":[93]},{"name":"NETCFG_E_NO_WRITE_LOCK","features":[93]},{"name":"NETCFG_E_VMSWITCH_ACTIVE_OVER_ADAPTER","features":[93]},{"name":"NETCFG_SERVICE_CID_MS_NETBIOS","features":[93]},{"name":"NETCFG_SERVICE_CID_MS_PSCHED","features":[93]},{"name":"NETCFG_SERVICE_CID_MS_SERVER","features":[93]},{"name":"NETCFG_SERVICE_CID_MS_WLBS","features":[93]},{"name":"NETCFG_S_CAUSED_SETUP_CHANGE","features":[93]},{"name":"NETCFG_S_COMMIT_NOW","features":[93]},{"name":"NETCFG_S_DISABLE_QUERY","features":[93]},{"name":"NETCFG_S_REBOOT","features":[93]},{"name":"NETCFG_S_STILL_REFERENCED","features":[93]},{"name":"NETCFG_TRANS_CID_MS_APPLETALK","features":[93]},{"name":"NETCFG_TRANS_CID_MS_NETBEUI","features":[93]},{"name":"NETCFG_TRANS_CID_MS_NETMON","features":[93]},{"name":"NETCFG_TRANS_CID_MS_NWIPX","features":[93]},{"name":"NETCFG_TRANS_CID_MS_NWSPX","features":[93]},{"name":"NETCFG_TRANS_CID_MS_TCPIP","features":[93]},{"name":"NETLOGON_CONTROL_BACKUP_CHANGE_LOG","features":[93]},{"name":"NETLOGON_CONTROL_BREAKPOINT","features":[93]},{"name":"NETLOGON_CONTROL_CHANGE_PASSWORD","features":[93]},{"name":"NETLOGON_CONTROL_FIND_USER","features":[93]},{"name":"NETLOGON_CONTROL_FORCE_DNS_REG","features":[93]},{"name":"NETLOGON_CONTROL_PDC_REPLICATE","features":[93]},{"name":"NETLOGON_CONTROL_QUERY","features":[93]},{"name":"NETLOGON_CONTROL_QUERY_DNS_REG","features":[93]},{"name":"NETLOGON_CONTROL_QUERY_ENC_TYPES","features":[93]},{"name":"NETLOGON_CONTROL_REDISCOVER","features":[93]},{"name":"NETLOGON_CONTROL_REPLICATE","features":[93]},{"name":"NETLOGON_CONTROL_SET_DBFLAG","features":[93]},{"name":"NETLOGON_CONTROL_SYNCHRONIZE","features":[93]},{"name":"NETLOGON_CONTROL_TC_QUERY","features":[93]},{"name":"NETLOGON_CONTROL_TC_VERIFY","features":[93]},{"name":"NETLOGON_CONTROL_TRANSPORT_NOTIFY","features":[93]},{"name":"NETLOGON_CONTROL_TRUNCATE_LOG","features":[93]},{"name":"NETLOGON_CONTROL_UNLOAD_NETLOGON_DLL","features":[93]},{"name":"NETLOGON_DNS_UPDATE_FAILURE","features":[93]},{"name":"NETLOGON_FULL_SYNC_REPLICATION","features":[93]},{"name":"NETLOGON_HAS_IP","features":[93]},{"name":"NETLOGON_HAS_TIMESERV","features":[93]},{"name":"NETLOGON_INFO_1","features":[93]},{"name":"NETLOGON_INFO_2","features":[93]},{"name":"NETLOGON_INFO_3","features":[93]},{"name":"NETLOGON_INFO_4","features":[93]},{"name":"NETLOGON_REDO_NEEDED","features":[93]},{"name":"NETLOGON_REPLICATION_IN_PROGRESS","features":[93]},{"name":"NETLOGON_REPLICATION_NEEDED","features":[93]},{"name":"NETLOGON_VERIFY_STATUS_RETURNED","features":[93]},{"name":"NETLOG_NetlogonNonWindowsSupportsSecureRpc","features":[93]},{"name":"NETLOG_NetlogonRc4Allowed","features":[93]},{"name":"NETLOG_NetlogonRc4Denied","features":[93]},{"name":"NETLOG_NetlogonRpcBacklogLimitFailure","features":[93]},{"name":"NETLOG_NetlogonRpcBacklogLimitSet","features":[93]},{"name":"NETLOG_NetlogonRpcSigningClient","features":[93]},{"name":"NETLOG_NetlogonRpcSigningTrust","features":[93]},{"name":"NETLOG_NetlogonUnsecureRpcClient","features":[93]},{"name":"NETLOG_NetlogonUnsecureRpcMachineAllowedBySsdl","features":[93]},{"name":"NETLOG_NetlogonUnsecureRpcTrust","features":[93]},{"name":"NETLOG_NetlogonUnsecureRpcTrustAllowedBySsdl","features":[93]},{"name":"NETLOG_NetlogonUnsecuredRpcMachineTemporarilyAllowed","features":[93]},{"name":"NETLOG_PassThruFilterError_Request_AdminOverride","features":[93]},{"name":"NETLOG_PassThruFilterError_Request_Blocked","features":[93]},{"name":"NETLOG_PassThruFilterError_Summary_AdminOverride","features":[93]},{"name":"NETLOG_PassThruFilterError_Summary_Blocked","features":[93]},{"name":"NETMAN_VARTYPE_HARDWARE_ADDRESS","features":[93]},{"name":"NETMAN_VARTYPE_STRING","features":[93]},{"name":"NETMAN_VARTYPE_ULONG","features":[93]},{"name":"NETSETUP_ACCT_CREATE","features":[93]},{"name":"NETSETUP_ACCT_DELETE","features":[93]},{"name":"NETSETUP_ALT_SAMACCOUNTNAME","features":[93]},{"name":"NETSETUP_AMBIGUOUS_DC","features":[93]},{"name":"NETSETUP_DEFER_SPN_SET","features":[93]},{"name":"NETSETUP_DNS_NAME_CHANGES_ONLY","features":[93]},{"name":"NETSETUP_DOMAIN_JOIN_IF_JOINED","features":[93]},{"name":"NETSETUP_DONT_CONTROL_SERVICES","features":[93]},{"name":"NETSETUP_FORCE_SPN_SET","features":[93]},{"name":"NETSETUP_IGNORE_UNSUPPORTED_FLAGS","features":[93]},{"name":"NETSETUP_INSTALL_INVOCATION","features":[93]},{"name":"NETSETUP_JOIN_DC_ACCOUNT","features":[93]},{"name":"NETSETUP_JOIN_DOMAIN","features":[93]},{"name":"NETSETUP_JOIN_READONLY","features":[93]},{"name":"NETSETUP_JOIN_STATUS","features":[93]},{"name":"NETSETUP_JOIN_UNSECURE","features":[93]},{"name":"NETSETUP_JOIN_WITH_NEW_NAME","features":[93]},{"name":"NETSETUP_MACHINE_PWD_PASSED","features":[93]},{"name":"NETSETUP_NAME_TYPE","features":[93]},{"name":"NETSETUP_NO_ACCT_REUSE","features":[93]},{"name":"NETSETUP_NO_NETLOGON_CACHE","features":[93]},{"name":"NETSETUP_PROVISION","features":[93]},{"name":"NETSETUP_PROVISIONING_PARAMS","features":[93]},{"name":"NETSETUP_PROVISIONING_PARAMS_CURRENT_VERSION","features":[93]},{"name":"NETSETUP_PROVISIONING_PARAMS_WIN8_VERSION","features":[93]},{"name":"NETSETUP_PROVISION_CHECK_PWD_ONLY","features":[93]},{"name":"NETSETUP_PROVISION_DOWNLEVEL_PRIV_SUPPORT","features":[93]},{"name":"NETSETUP_PROVISION_ONLINE_CALLER","features":[93]},{"name":"NETSETUP_PROVISION_PERSISTENTSITE","features":[93]},{"name":"NETSETUP_PROVISION_REUSE_ACCOUNT","features":[93]},{"name":"NETSETUP_PROVISION_ROOT_CA_CERTS","features":[93]},{"name":"NETSETUP_PROVISION_SKIP_ACCOUNT_SEARCH","features":[93]},{"name":"NETSETUP_PROVISION_USE_DEFAULT_PASSWORD","features":[93]},{"name":"NETSETUP_SET_MACHINE_NAME","features":[93]},{"name":"NETSETUP_WIN9X_UPGRADE","features":[93]},{"name":"NETWORK_INSTALL_TIME","features":[93]},{"name":"NETWORK_NAME","features":[93]},{"name":"NETWORK_UPGRADE_TYPE","features":[93]},{"name":"NET_COMPUTER_NAME_TYPE","features":[93]},{"name":"NET_DFS_ENUM","features":[93]},{"name":"NET_DFS_ENUMEX","features":[93]},{"name":"NET_DISPLAY_GROUP","features":[93]},{"name":"NET_DISPLAY_MACHINE","features":[93]},{"name":"NET_DISPLAY_USER","features":[93]},{"name":"NET_IGNORE_UNSUPPORTED_FLAGS","features":[93]},{"name":"NET_JOIN_DOMAIN_JOIN_OPTIONS","features":[93]},{"name":"NET_REMOTE_COMPUTER_SUPPORTS_OPTIONS","features":[93]},{"name":"NET_REQUEST_PROVISION_OPTIONS","features":[93]},{"name":"NET_SERVER_TYPE","features":[93]},{"name":"NET_USER_ENUM_FILTER_FLAGS","features":[93]},{"name":"NET_VALIDATE_AUTHENTICATION_INPUT_ARG","features":[1,93]},{"name":"NET_VALIDATE_BAD_PASSWORD_COUNT","features":[93]},{"name":"NET_VALIDATE_BAD_PASSWORD_TIME","features":[93]},{"name":"NET_VALIDATE_LOCKOUT_TIME","features":[93]},{"name":"NET_VALIDATE_OUTPUT_ARG","features":[1,93]},{"name":"NET_VALIDATE_PASSWORD_CHANGE_INPUT_ARG","features":[1,93]},{"name":"NET_VALIDATE_PASSWORD_HASH","features":[93]},{"name":"NET_VALIDATE_PASSWORD_HISTORY","features":[93]},{"name":"NET_VALIDATE_PASSWORD_HISTORY_LENGTH","features":[93]},{"name":"NET_VALIDATE_PASSWORD_LAST_SET","features":[93]},{"name":"NET_VALIDATE_PASSWORD_RESET_INPUT_ARG","features":[1,93]},{"name":"NET_VALIDATE_PASSWORD_TYPE","features":[93]},{"name":"NET_VALIDATE_PERSISTED_FIELDS","features":[1,93]},{"name":"NON_VALIDATED_LOGON","features":[93]},{"name":"NOT_A_DFS_PATH","features":[93]},{"name":"NO_PERMISSION_REQUIRED","features":[93]},{"name":"NSF_COMPONENT_UPDATE","features":[93]},{"name":"NSF_POSTSYSINSTALL","features":[93]},{"name":"NSF_PRIMARYINSTALL","features":[93]},{"name":"NSF_WIN16_UPGRADE","features":[93]},{"name":"NSF_WIN95_UPGRADE","features":[93]},{"name":"NSF_WINNT_SBS_UPGRADE","features":[93]},{"name":"NSF_WINNT_SVR_UPGRADE","features":[93]},{"name":"NSF_WINNT_WKS_UPGRADE","features":[93]},{"name":"NTFRSPRF_COLLECT_RPC_BINDING_ERROR_CONN","features":[93]},{"name":"NTFRSPRF_COLLECT_RPC_BINDING_ERROR_SET","features":[93]},{"name":"NTFRSPRF_COLLECT_RPC_CALL_ERROR_CONN","features":[93]},{"name":"NTFRSPRF_COLLECT_RPC_CALL_ERROR_SET","features":[93]},{"name":"NTFRSPRF_OPEN_RPC_BINDING_ERROR_CONN","features":[93]},{"name":"NTFRSPRF_OPEN_RPC_BINDING_ERROR_SET","features":[93]},{"name":"NTFRSPRF_OPEN_RPC_CALL_ERROR_CONN","features":[93]},{"name":"NTFRSPRF_OPEN_RPC_CALL_ERROR_SET","features":[93]},{"name":"NTFRSPRF_REGISTRY_ERROR_CONN","features":[93]},{"name":"NTFRSPRF_REGISTRY_ERROR_SET","features":[93]},{"name":"NTFRSPRF_VIRTUALALLOC_ERROR_CONN","features":[93]},{"name":"NTFRSPRF_VIRTUALALLOC_ERROR_SET","features":[93]},{"name":"NULL_USERSETINFO_PASSWD","features":[93]},{"name":"NWSAP_DISPLAY_NAME","features":[93]},{"name":"NWSAP_EVENT_BADWANFILTER_VALUE","features":[93]},{"name":"NWSAP_EVENT_BIND_FAILED","features":[93]},{"name":"NWSAP_EVENT_CARDLISTEVENT_FAIL","features":[93]},{"name":"NWSAP_EVENT_CARDMALLOC_FAILED","features":[93]},{"name":"NWSAP_EVENT_CREATELPCEVENT_ERROR","features":[93]},{"name":"NWSAP_EVENT_CREATELPCPORT_ERROR","features":[93]},{"name":"NWSAP_EVENT_GETSOCKNAME_FAILED","features":[93]},{"name":"NWSAP_EVENT_HASHTABLE_MALLOC_FAILED","features":[93]},{"name":"NWSAP_EVENT_INVALID_FILTERNAME","features":[93]},{"name":"NWSAP_EVENT_KEY_NOT_FOUND","features":[93]},{"name":"NWSAP_EVENT_LPCHANDLEMEMORY_ERROR","features":[93]},{"name":"NWSAP_EVENT_LPCLISTENMEMORY_ERROR","features":[93]},{"name":"NWSAP_EVENT_NOCARDS","features":[93]},{"name":"NWSAP_EVENT_OPTBCASTINADDR_FAILED","features":[93]},{"name":"NWSAP_EVENT_OPTEXTENDEDADDR_FAILED","features":[93]},{"name":"NWSAP_EVENT_OPTMAXADAPTERNUM_ERROR","features":[93]},{"name":"NWSAP_EVENT_RECVSEM_FAIL","features":[93]},{"name":"NWSAP_EVENT_SDMDEVENT_FAIL","features":[93]},{"name":"NWSAP_EVENT_SENDEVENT_FAIL","features":[93]},{"name":"NWSAP_EVENT_SETOPTBCAST_FAILED","features":[93]},{"name":"NWSAP_EVENT_SOCKET_FAILED","features":[93]},{"name":"NWSAP_EVENT_STARTLPCWORKER_ERROR","features":[93]},{"name":"NWSAP_EVENT_STARTRECEIVE_ERROR","features":[93]},{"name":"NWSAP_EVENT_STARTWANCHECK_ERROR","features":[93]},{"name":"NWSAP_EVENT_STARTWANWORKER_ERROR","features":[93]},{"name":"NWSAP_EVENT_STARTWORKER_ERROR","features":[93]},{"name":"NWSAP_EVENT_TABLE_MALLOC_FAILED","features":[93]},{"name":"NWSAP_EVENT_THREADEVENT_FAIL","features":[93]},{"name":"NWSAP_EVENT_WANBIND_FAILED","features":[93]},{"name":"NWSAP_EVENT_WANEVENT_ERROR","features":[93]},{"name":"NWSAP_EVENT_WANHANDLEMEMORY_ERROR","features":[93]},{"name":"NWSAP_EVENT_WANSEM_FAIL","features":[93]},{"name":"NWSAP_EVENT_WANSOCKET_FAILED","features":[93]},{"name":"NWSAP_EVENT_WSASTARTUP_FAILED","features":[93]},{"name":"NetAccessAdd","features":[93]},{"name":"NetAccessDel","features":[93]},{"name":"NetAccessEnum","features":[93]},{"name":"NetAccessGetInfo","features":[93]},{"name":"NetAccessGetUserPerms","features":[93]},{"name":"NetAccessSetInfo","features":[93]},{"name":"NetAddAlternateComputerName","features":[93]},{"name":"NetAddServiceAccount","features":[1,93]},{"name":"NetAlertRaise","features":[93]},{"name":"NetAlertRaiseEx","features":[93]},{"name":"NetAllComputerNames","features":[93]},{"name":"NetAlternateComputerNames","features":[93]},{"name":"NetApiBufferAllocate","features":[93]},{"name":"NetApiBufferFree","features":[93]},{"name":"NetApiBufferReallocate","features":[93]},{"name":"NetApiBufferSize","features":[93]},{"name":"NetAuditClear","features":[93]},{"name":"NetAuditRead","features":[93]},{"name":"NetAuditWrite","features":[93]},{"name":"NetComputerNameTypeMax","features":[93]},{"name":"NetConfigGet","features":[93]},{"name":"NetConfigGetAll","features":[93]},{"name":"NetConfigSet","features":[93]},{"name":"NetCreateProvisioningPackage","features":[93]},{"name":"NetEnumerateComputerNames","features":[93]},{"name":"NetEnumerateServiceAccounts","features":[1,93]},{"name":"NetErrorLogClear","features":[93]},{"name":"NetErrorLogRead","features":[93]},{"name":"NetErrorLogWrite","features":[93]},{"name":"NetFreeAadJoinInformation","features":[1,93,68]},{"name":"NetGetAadJoinInformation","features":[1,93,68]},{"name":"NetGetAnyDCName","features":[93]},{"name":"NetGetDCName","features":[93]},{"name":"NetGetDisplayInformationIndex","features":[93]},{"name":"NetGetJoinInformation","features":[93]},{"name":"NetGetJoinableOUs","features":[93]},{"name":"NetGroupAdd","features":[93]},{"name":"NetGroupAddUser","features":[93]},{"name":"NetGroupDel","features":[93]},{"name":"NetGroupDelUser","features":[93]},{"name":"NetGroupEnum","features":[93]},{"name":"NetGroupGetInfo","features":[93]},{"name":"NetGroupGetUsers","features":[93]},{"name":"NetGroupSetInfo","features":[93]},{"name":"NetGroupSetUsers","features":[93]},{"name":"NetIsServiceAccount","features":[1,93]},{"name":"NetJoinDomain","features":[93]},{"name":"NetLocalGroupAdd","features":[93]},{"name":"NetLocalGroupAddMember","features":[1,93]},{"name":"NetLocalGroupAddMembers","features":[93]},{"name":"NetLocalGroupDel","features":[93]},{"name":"NetLocalGroupDelMember","features":[1,93]},{"name":"NetLocalGroupDelMembers","features":[93]},{"name":"NetLocalGroupEnum","features":[93]},{"name":"NetLocalGroupGetInfo","features":[93]},{"name":"NetLocalGroupGetMembers","features":[93]},{"name":"NetLocalGroupSetInfo","features":[93]},{"name":"NetLocalGroupSetMembers","features":[93]},{"name":"NetMessageBufferSend","features":[93]},{"name":"NetMessageNameAdd","features":[93]},{"name":"NetMessageNameDel","features":[93]},{"name":"NetMessageNameEnum","features":[93]},{"name":"NetMessageNameGetInfo","features":[93]},{"name":"NetPrimaryComputerName","features":[93]},{"name":"NetProvisionComputerAccount","features":[93]},{"name":"NetProvisioning","features":[93]},{"name":"NetQueryDisplayInformation","features":[93]},{"name":"NetQueryServiceAccount","features":[1,93]},{"name":"NetRemoteComputerSupports","features":[93]},{"name":"NetRemoteTOD","features":[93]},{"name":"NetRemoveAlternateComputerName","features":[93]},{"name":"NetRemoveServiceAccount","features":[1,93]},{"name":"NetRenameMachineInDomain","features":[93]},{"name":"NetReplExportDirAdd","features":[93]},{"name":"NetReplExportDirDel","features":[93]},{"name":"NetReplExportDirEnum","features":[93]},{"name":"NetReplExportDirGetInfo","features":[93]},{"name":"NetReplExportDirLock","features":[93]},{"name":"NetReplExportDirSetInfo","features":[93]},{"name":"NetReplExportDirUnlock","features":[93]},{"name":"NetReplGetInfo","features":[93]},{"name":"NetReplImportDirAdd","features":[93]},{"name":"NetReplImportDirDel","features":[93]},{"name":"NetReplImportDirEnum","features":[93]},{"name":"NetReplImportDirGetInfo","features":[93]},{"name":"NetReplImportDirLock","features":[93]},{"name":"NetReplImportDirUnlock","features":[93]},{"name":"NetReplSetInfo","features":[93]},{"name":"NetRequestOfflineDomainJoin","features":[93]},{"name":"NetRequestProvisioningPackageInstall","features":[93]},{"name":"NetScheduleJobAdd","features":[93]},{"name":"NetScheduleJobDel","features":[93]},{"name":"NetScheduleJobEnum","features":[93]},{"name":"NetScheduleJobGetInfo","features":[93]},{"name":"NetServerComputerNameAdd","features":[93]},{"name":"NetServerComputerNameDel","features":[93]},{"name":"NetServerDiskEnum","features":[93]},{"name":"NetServerEnum","features":[93]},{"name":"NetServerGetInfo","features":[93]},{"name":"NetServerSetInfo","features":[93]},{"name":"NetServerTransportAdd","features":[93]},{"name":"NetServerTransportAddEx","features":[93]},{"name":"NetServerTransportDel","features":[93]},{"name":"NetServerTransportEnum","features":[93]},{"name":"NetServiceControl","features":[93]},{"name":"NetServiceEnum","features":[93]},{"name":"NetServiceGetInfo","features":[93]},{"name":"NetServiceInstall","features":[93]},{"name":"NetSetPrimaryComputerName","features":[93]},{"name":"NetSetupDnsMachine","features":[93]},{"name":"NetSetupDomain","features":[93]},{"name":"NetSetupDomainName","features":[93]},{"name":"NetSetupMachine","features":[93]},{"name":"NetSetupNonExistentDomain","features":[93]},{"name":"NetSetupUnjoined","features":[93]},{"name":"NetSetupUnknown","features":[93]},{"name":"NetSetupUnknownStatus","features":[93]},{"name":"NetSetupWorkgroup","features":[93]},{"name":"NetSetupWorkgroupName","features":[93]},{"name":"NetUnjoinDomain","features":[93]},{"name":"NetUseAdd","features":[93]},{"name":"NetUseDel","features":[93]},{"name":"NetUseEnum","features":[93]},{"name":"NetUseGetInfo","features":[93]},{"name":"NetUserAdd","features":[93]},{"name":"NetUserChangePassword","features":[93]},{"name":"NetUserDel","features":[93]},{"name":"NetUserEnum","features":[93]},{"name":"NetUserGetGroups","features":[93]},{"name":"NetUserGetInfo","features":[93]},{"name":"NetUserGetLocalGroups","features":[93]},{"name":"NetUserModalsGet","features":[93]},{"name":"NetUserModalsSet","features":[93]},{"name":"NetUserSetGroups","features":[93]},{"name":"NetUserSetInfo","features":[93]},{"name":"NetValidateAuthentication","features":[93]},{"name":"NetValidateName","features":[93]},{"name":"NetValidatePasswordChange","features":[93]},{"name":"NetValidatePasswordPolicy","features":[93]},{"name":"NetValidatePasswordPolicyFree","features":[93]},{"name":"NetValidatePasswordReset","features":[93]},{"name":"NetWkstaGetInfo","features":[93]},{"name":"NetWkstaSetInfo","features":[93]},{"name":"NetWkstaTransportAdd","features":[93]},{"name":"NetWkstaTransportDel","features":[93]},{"name":"NetWkstaTransportEnum","features":[93]},{"name":"NetWkstaUserEnum","features":[93]},{"name":"NetWkstaUserGetInfo","features":[93]},{"name":"NetWkstaUserSetInfo","features":[93]},{"name":"OBO_COMPONENT","features":[93]},{"name":"OBO_SOFTWARE","features":[93]},{"name":"OBO_TOKEN","features":[1,93]},{"name":"OBO_TOKEN_TYPE","features":[93]},{"name":"OBO_USER","features":[93]},{"name":"OS2MSG_FILENAME","features":[93]},{"name":"PARMNUM_ALL","features":[93]},{"name":"PARMNUM_BASE_INFOLEVEL","features":[93]},{"name":"PARM_ERROR_NONE","features":[93]},{"name":"PARM_ERROR_UNKNOWN","features":[93]},{"name":"PASSWORD_EXPIRED","features":[93]},{"name":"PATHLEN","features":[93]},{"name":"PLATFORM_ID_DOS","features":[93]},{"name":"PLATFORM_ID_NT","features":[93]},{"name":"PLATFORM_ID_OS2","features":[93]},{"name":"PLATFORM_ID_OSF","features":[93]},{"name":"PLATFORM_ID_VMS","features":[93]},{"name":"PREFIX_MISMATCH","features":[93]},{"name":"PREFIX_MISMATCH_FIXED","features":[93]},{"name":"PREFIX_MISMATCH_NOT_FIXED","features":[93]},{"name":"PRINT_OTHER_INFO","features":[93]},{"name":"PRJOB_COMPLETE","features":[93]},{"name":"PRJOB_DELETED","features":[93]},{"name":"PRJOB_DESTNOPAPER","features":[93]},{"name":"PRJOB_DESTOFFLINE","features":[93]},{"name":"PRJOB_DESTPAUSED","features":[93]},{"name":"PRJOB_DEVSTATUS","features":[93]},{"name":"PRJOB_ERROR","features":[93]},{"name":"PRJOB_INTERV","features":[93]},{"name":"PRJOB_NOTIFY","features":[93]},{"name":"PRJOB_QSTATUS","features":[93]},{"name":"PRJOB_QS_PAUSED","features":[93]},{"name":"PRJOB_QS_PRINTING","features":[93]},{"name":"PRJOB_QS_QUEUED","features":[93]},{"name":"PRJOB_QS_SPOOLING","features":[93]},{"name":"PROTO_IPV6_DHCP","features":[93]},{"name":"PROTO_IP_ALG","features":[93]},{"name":"PROTO_IP_BGMP","features":[93]},{"name":"PROTO_IP_BOOTP","features":[93]},{"name":"PROTO_IP_DHCP_ALLOCATOR","features":[93]},{"name":"PROTO_IP_DIFFSERV","features":[93]},{"name":"PROTO_IP_DNS_PROXY","features":[93]},{"name":"PROTO_IP_DTP","features":[93]},{"name":"PROTO_IP_FTP","features":[93]},{"name":"PROTO_IP_H323","features":[93]},{"name":"PROTO_IP_IGMP","features":[93]},{"name":"PROTO_IP_MGM","features":[93]},{"name":"PROTO_IP_MSDP","features":[93]},{"name":"PROTO_IP_NAT","features":[93]},{"name":"PROTO_IP_VRRP","features":[93]},{"name":"PROTO_TYPE_MCAST","features":[93]},{"name":"PROTO_TYPE_MS0","features":[93]},{"name":"PROTO_TYPE_MS1","features":[93]},{"name":"PROTO_TYPE_UCAST","features":[93]},{"name":"PROTO_VENDOR_MS0","features":[93]},{"name":"PROTO_VENDOR_MS1","features":[93]},{"name":"PROTO_VENDOR_MS2","features":[93]},{"name":"PWLEN","features":[93]},{"name":"QNLEN","features":[93]},{"name":"RASCON_IPUI","features":[1,93]},{"name":"RASCON_UIINFO_FLAGS","features":[93]},{"name":"RCUIF_DEMAND_DIAL","features":[93]},{"name":"RCUIF_DISABLE_CLASS_BASED_ROUTE","features":[93]},{"name":"RCUIF_ENABLE_NBT","features":[93]},{"name":"RCUIF_NOT_ADMIN","features":[93]},{"name":"RCUIF_USE_DISABLE_REGISTER_DNS","features":[93]},{"name":"RCUIF_USE_HEADER_COMPRESSION","features":[93]},{"name":"RCUIF_USE_IPv4_EXPLICIT_METRIC","features":[93]},{"name":"RCUIF_USE_IPv4_NAME_SERVERS","features":[93]},{"name":"RCUIF_USE_IPv4_REMOTE_GATEWAY","features":[93]},{"name":"RCUIF_USE_IPv4_STATICADDRESS","features":[93]},{"name":"RCUIF_USE_IPv6_EXPLICIT_METRIC","features":[93]},{"name":"RCUIF_USE_IPv6_NAME_SERVERS","features":[93]},{"name":"RCUIF_USE_IPv6_REMOTE_GATEWAY","features":[93]},{"name":"RCUIF_USE_IPv6_STATICADDRESS","features":[93]},{"name":"RCUIF_USE_PRIVATE_DNS_SUFFIX","features":[93]},{"name":"RCUIF_VPN","features":[93]},{"name":"REGISTER_PROTOCOL_ENTRY_POINT_STRING","features":[93]},{"name":"REPL_EDIR_INFO_0","features":[93]},{"name":"REPL_EDIR_INFO_1","features":[93]},{"name":"REPL_EDIR_INFO_1000","features":[93]},{"name":"REPL_EDIR_INFO_1001","features":[93]},{"name":"REPL_EDIR_INFO_2","features":[93]},{"name":"REPL_EXPORT_EXTENT_INFOLEVEL","features":[93]},{"name":"REPL_EXPORT_INTEGRITY_INFOLEVEL","features":[93]},{"name":"REPL_EXTENT_FILE","features":[93]},{"name":"REPL_EXTENT_TREE","features":[93]},{"name":"REPL_GUARDTIME_INFOLEVEL","features":[93]},{"name":"REPL_IDIR_INFO_0","features":[93]},{"name":"REPL_IDIR_INFO_1","features":[93]},{"name":"REPL_INFO_0","features":[93]},{"name":"REPL_INFO_1000","features":[93]},{"name":"REPL_INFO_1001","features":[93]},{"name":"REPL_INFO_1002","features":[93]},{"name":"REPL_INFO_1003","features":[93]},{"name":"REPL_INTEGRITY_FILE","features":[93]},{"name":"REPL_INTEGRITY_TREE","features":[93]},{"name":"REPL_INTERVAL_INFOLEVEL","features":[93]},{"name":"REPL_PULSE_INFOLEVEL","features":[93]},{"name":"REPL_RANDOM_INFOLEVEL","features":[93]},{"name":"REPL_ROLE_BOTH","features":[93]},{"name":"REPL_ROLE_EXPORT","features":[93]},{"name":"REPL_ROLE_IMPORT","features":[93]},{"name":"REPL_STATE_NEVER_REPLICATED","features":[93]},{"name":"REPL_STATE_NO_MASTER","features":[93]},{"name":"REPL_STATE_NO_SYNC","features":[93]},{"name":"REPL_STATE_OK","features":[93]},{"name":"REPL_UNLOCK_FORCE","features":[93]},{"name":"REPL_UNLOCK_NOFORCE","features":[93]},{"name":"RF_ADD_ALL_INTERFACES","features":[93]},{"name":"RF_DEMAND_UPDATE_ROUTES","features":[93]},{"name":"RF_MULTICAST","features":[93]},{"name":"RF_POWER","features":[93]},{"name":"RF_ROUTING","features":[93]},{"name":"RF_ROUTINGV6","features":[93]},{"name":"RIS_INTERFACE_ADDRESS_CHANGE","features":[93]},{"name":"RIS_INTERFACE_DISABLED","features":[93]},{"name":"RIS_INTERFACE_ENABLED","features":[93]},{"name":"RIS_INTERFACE_MEDIA_ABSENT","features":[93]},{"name":"RIS_INTERFACE_MEDIA_PRESENT","features":[93]},{"name":"ROUTING_DOMAIN_INFO_REVISION_1","features":[93]},{"name":"RTR_INFO_BLOCK_HEADER","features":[93]},{"name":"RTR_INFO_BLOCK_VERSION","features":[93]},{"name":"RTR_TOC_ENTRY","features":[93]},{"name":"RTUTILS_MAX_PROTOCOL_DLL_LEN","features":[93]},{"name":"RTUTILS_MAX_PROTOCOL_NAME_LEN","features":[93]},{"name":"RouterAssert","features":[93]},{"name":"RouterGetErrorStringA","features":[93]},{"name":"RouterGetErrorStringW","features":[93]},{"name":"RouterLogDeregisterA","features":[1,93]},{"name":"RouterLogDeregisterW","features":[1,93]},{"name":"RouterLogEventA","features":[1,93]},{"name":"RouterLogEventDataA","features":[1,93]},{"name":"RouterLogEventDataW","features":[1,93]},{"name":"RouterLogEventExA","features":[1,93]},{"name":"RouterLogEventExW","features":[1,93]},{"name":"RouterLogEventStringA","features":[1,93]},{"name":"RouterLogEventStringW","features":[1,93]},{"name":"RouterLogEventValistExA","features":[1,93]},{"name":"RouterLogEventValistExW","features":[1,93]},{"name":"RouterLogEventW","features":[1,93]},{"name":"RouterLogRegisterA","features":[1,93]},{"name":"RouterLogRegisterW","features":[1,93]},{"name":"SERVCE_LM20_W32TIME","features":[93]},{"name":"SERVER_DISPLAY_NAME","features":[93]},{"name":"SERVER_INFO_100","features":[93]},{"name":"SERVER_INFO_1005","features":[93]},{"name":"SERVER_INFO_101","features":[93]},{"name":"SERVER_INFO_1010","features":[93]},{"name":"SERVER_INFO_1016","features":[93]},{"name":"SERVER_INFO_1017","features":[93]},{"name":"SERVER_INFO_1018","features":[93]},{"name":"SERVER_INFO_102","features":[93]},{"name":"SERVER_INFO_103","features":[1,93]},{"name":"SERVER_INFO_1107","features":[93]},{"name":"SERVER_INFO_1501","features":[93]},{"name":"SERVER_INFO_1502","features":[93]},{"name":"SERVER_INFO_1503","features":[93]},{"name":"SERVER_INFO_1506","features":[93]},{"name":"SERVER_INFO_1509","features":[93]},{"name":"SERVER_INFO_1510","features":[93]},{"name":"SERVER_INFO_1511","features":[93]},{"name":"SERVER_INFO_1512","features":[93]},{"name":"SERVER_INFO_1513","features":[93]},{"name":"SERVER_INFO_1514","features":[1,93]},{"name":"SERVER_INFO_1515","features":[1,93]},{"name":"SERVER_INFO_1516","features":[1,93]},{"name":"SERVER_INFO_1518","features":[1,93]},{"name":"SERVER_INFO_1520","features":[93]},{"name":"SERVER_INFO_1521","features":[93]},{"name":"SERVER_INFO_1522","features":[93]},{"name":"SERVER_INFO_1523","features":[93]},{"name":"SERVER_INFO_1524","features":[93]},{"name":"SERVER_INFO_1525","features":[93]},{"name":"SERVER_INFO_1528","features":[93]},{"name":"SERVER_INFO_1529","features":[93]},{"name":"SERVER_INFO_1530","features":[93]},{"name":"SERVER_INFO_1533","features":[93]},{"name":"SERVER_INFO_1534","features":[93]},{"name":"SERVER_INFO_1535","features":[93]},{"name":"SERVER_INFO_1536","features":[1,93]},{"name":"SERVER_INFO_1537","features":[1,93]},{"name":"SERVER_INFO_1538","features":[1,93]},{"name":"SERVER_INFO_1539","features":[1,93]},{"name":"SERVER_INFO_1540","features":[1,93]},{"name":"SERVER_INFO_1541","features":[1,93]},{"name":"SERVER_INFO_1542","features":[1,93]},{"name":"SERVER_INFO_1543","features":[93]},{"name":"SERVER_INFO_1544","features":[93]},{"name":"SERVER_INFO_1545","features":[93]},{"name":"SERVER_INFO_1546","features":[93]},{"name":"SERVER_INFO_1547","features":[93]},{"name":"SERVER_INFO_1548","features":[93]},{"name":"SERVER_INFO_1549","features":[93]},{"name":"SERVER_INFO_1550","features":[93]},{"name":"SERVER_INFO_1552","features":[93]},{"name":"SERVER_INFO_1553","features":[93]},{"name":"SERVER_INFO_1554","features":[93]},{"name":"SERVER_INFO_1555","features":[93]},{"name":"SERVER_INFO_1556","features":[93]},{"name":"SERVER_INFO_1557","features":[93]},{"name":"SERVER_INFO_1560","features":[93]},{"name":"SERVER_INFO_1561","features":[93]},{"name":"SERVER_INFO_1562","features":[93]},{"name":"SERVER_INFO_1563","features":[93]},{"name":"SERVER_INFO_1564","features":[93]},{"name":"SERVER_INFO_1565","features":[93]},{"name":"SERVER_INFO_1566","features":[1,93]},{"name":"SERVER_INFO_1567","features":[93]},{"name":"SERVER_INFO_1568","features":[93]},{"name":"SERVER_INFO_1569","features":[93]},{"name":"SERVER_INFO_1570","features":[93]},{"name":"SERVER_INFO_1571","features":[93]},{"name":"SERVER_INFO_1572","features":[93]},{"name":"SERVER_INFO_1573","features":[93]},{"name":"SERVER_INFO_1574","features":[93]},{"name":"SERVER_INFO_1575","features":[93]},{"name":"SERVER_INFO_1576","features":[93]},{"name":"SERVER_INFO_1577","features":[93]},{"name":"SERVER_INFO_1578","features":[93]},{"name":"SERVER_INFO_1579","features":[93]},{"name":"SERVER_INFO_1580","features":[93]},{"name":"SERVER_INFO_1581","features":[93]},{"name":"SERVER_INFO_1582","features":[93]},{"name":"SERVER_INFO_1583","features":[93]},{"name":"SERVER_INFO_1584","features":[93]},{"name":"SERVER_INFO_1585","features":[1,93]},{"name":"SERVER_INFO_1586","features":[93]},{"name":"SERVER_INFO_1587","features":[93]},{"name":"SERVER_INFO_1588","features":[93]},{"name":"SERVER_INFO_1590","features":[93]},{"name":"SERVER_INFO_1591","features":[93]},{"name":"SERVER_INFO_1592","features":[93]},{"name":"SERVER_INFO_1593","features":[93]},{"name":"SERVER_INFO_1594","features":[93]},{"name":"SERVER_INFO_1595","features":[93]},{"name":"SERVER_INFO_1596","features":[93]},{"name":"SERVER_INFO_1597","features":[93]},{"name":"SERVER_INFO_1598","features":[93]},{"name":"SERVER_INFO_1599","features":[1,93]},{"name":"SERVER_INFO_1600","features":[1,93]},{"name":"SERVER_INFO_1601","features":[93]},{"name":"SERVER_INFO_1602","features":[1,93]},{"name":"SERVER_INFO_402","features":[93]},{"name":"SERVER_INFO_403","features":[93]},{"name":"SERVER_INFO_502","features":[1,93]},{"name":"SERVER_INFO_503","features":[1,93]},{"name":"SERVER_INFO_598","features":[1,93]},{"name":"SERVER_INFO_599","features":[1,93]},{"name":"SERVER_INFO_HIDDEN","features":[93]},{"name":"SERVER_INFO_SECURITY","features":[93]},{"name":"SERVER_TRANSPORT_INFO_0","features":[93]},{"name":"SERVER_TRANSPORT_INFO_1","features":[93]},{"name":"SERVER_TRANSPORT_INFO_2","features":[93]},{"name":"SERVER_TRANSPORT_INFO_3","features":[93]},{"name":"SERVICE2_BASE","features":[93]},{"name":"SERVICE_ACCOUNT_FLAG_ADD_AGAINST_RODC","features":[93]},{"name":"SERVICE_ACCOUNT_FLAG_LINK_TO_HOST_ONLY","features":[93]},{"name":"SERVICE_ACCOUNT_FLAG_REMOVE_OFFLINE","features":[93]},{"name":"SERVICE_ACCOUNT_FLAG_UNLINK_FROM_HOST_ONLY","features":[93]},{"name":"SERVICE_ACCOUNT_PASSWORD","features":[93]},{"name":"SERVICE_ACCOUNT_SECRET_PREFIX","features":[93]},{"name":"SERVICE_ADWS","features":[93]},{"name":"SERVICE_AFP","features":[93]},{"name":"SERVICE_ALERTER","features":[93]},{"name":"SERVICE_BASE","features":[93]},{"name":"SERVICE_BROWSER","features":[93]},{"name":"SERVICE_CCP_CHKPT_NUM","features":[93]},{"name":"SERVICE_CCP_NO_HINT","features":[93]},{"name":"SERVICE_CCP_QUERY_HINT","features":[93]},{"name":"SERVICE_CCP_WAIT_TIME","features":[93]},{"name":"SERVICE_CTRL_CONTINUE","features":[93]},{"name":"SERVICE_CTRL_INTERROGATE","features":[93]},{"name":"SERVICE_CTRL_PAUSE","features":[93]},{"name":"SERVICE_CTRL_REDIR_COMM","features":[93]},{"name":"SERVICE_CTRL_REDIR_DISK","features":[93]},{"name":"SERVICE_CTRL_REDIR_PRINT","features":[93]},{"name":"SERVICE_CTRL_UNINSTALL","features":[93]},{"name":"SERVICE_DHCP","features":[93]},{"name":"SERVICE_DNS_CACHE","features":[93]},{"name":"SERVICE_DOS_ENCRYPTION","features":[93]},{"name":"SERVICE_DSROLE","features":[93]},{"name":"SERVICE_INFO_0","features":[93]},{"name":"SERVICE_INFO_1","features":[93]},{"name":"SERVICE_INFO_2","features":[93]},{"name":"SERVICE_INSTALLED","features":[93]},{"name":"SERVICE_INSTALL_PENDING","features":[93]},{"name":"SERVICE_INSTALL_STATE","features":[93]},{"name":"SERVICE_IP_CHKPT_NUM","features":[93]},{"name":"SERVICE_IP_NO_HINT","features":[93]},{"name":"SERVICE_IP_QUERY_HINT","features":[93]},{"name":"SERVICE_IP_WAITTIME_SHIFT","features":[93]},{"name":"SERVICE_IP_WAIT_TIME","features":[93]},{"name":"SERVICE_ISMSERV","features":[93]},{"name":"SERVICE_KDC","features":[93]},{"name":"SERVICE_LM20_AFP","features":[93]},{"name":"SERVICE_LM20_ALERTER","features":[93]},{"name":"SERVICE_LM20_BROWSER","features":[93]},{"name":"SERVICE_LM20_DHCP","features":[93]},{"name":"SERVICE_LM20_DSROLE","features":[93]},{"name":"SERVICE_LM20_ISMSERV","features":[93]},{"name":"SERVICE_LM20_KDC","features":[93]},{"name":"SERVICE_LM20_LMHOSTS","features":[93]},{"name":"SERVICE_LM20_MESSENGER","features":[93]},{"name":"SERVICE_LM20_NBT","features":[93]},{"name":"SERVICE_LM20_NETLOGON","features":[93]},{"name":"SERVICE_LM20_NETPOPUP","features":[93]},{"name":"SERVICE_LM20_NETRUN","features":[93]},{"name":"SERVICE_LM20_NTDS","features":[93]},{"name":"SERVICE_LM20_NTFRS","features":[93]},{"name":"SERVICE_LM20_NWSAP","features":[93]},{"name":"SERVICE_LM20_REPL","features":[93]},{"name":"SERVICE_LM20_RIPL","features":[93]},{"name":"SERVICE_LM20_RPCLOCATOR","features":[93]},{"name":"SERVICE_LM20_SCHEDULE","features":[93]},{"name":"SERVICE_LM20_SERVER","features":[93]},{"name":"SERVICE_LM20_SPOOLER","features":[93]},{"name":"SERVICE_LM20_SQLSERVER","features":[93]},{"name":"SERVICE_LM20_TCPIP","features":[93]},{"name":"SERVICE_LM20_TELNET","features":[93]},{"name":"SERVICE_LM20_TIMESOURCE","features":[93]},{"name":"SERVICE_LM20_TRKSVR","features":[93]},{"name":"SERVICE_LM20_TRKWKS","features":[93]},{"name":"SERVICE_LM20_UPS","features":[93]},{"name":"SERVICE_LM20_WORKSTATION","features":[93]},{"name":"SERVICE_LM20_XACTSRV","features":[93]},{"name":"SERVICE_LMHOSTS","features":[93]},{"name":"SERVICE_MAXTIME","features":[93]},{"name":"SERVICE_MESSENGER","features":[93]},{"name":"SERVICE_NBT","features":[93]},{"name":"SERVICE_NETLOGON","features":[93]},{"name":"SERVICE_NETPOPUP","features":[93]},{"name":"SERVICE_NETRUN","features":[93]},{"name":"SERVICE_NOT_PAUSABLE","features":[93]},{"name":"SERVICE_NOT_UNINSTALLABLE","features":[93]},{"name":"SERVICE_NTDS","features":[93]},{"name":"SERVICE_NTFRS","features":[93]},{"name":"SERVICE_NTIP_WAITTIME_SHIFT","features":[93]},{"name":"SERVICE_NTLMSSP","features":[93]},{"name":"SERVICE_NT_MAXTIME","features":[93]},{"name":"SERVICE_NWCS","features":[93]},{"name":"SERVICE_NWSAP","features":[93]},{"name":"SERVICE_PAUSABLE","features":[93]},{"name":"SERVICE_PAUSE_STATE","features":[93]},{"name":"SERVICE_REDIR_COMM_PAUSED","features":[93]},{"name":"SERVICE_REDIR_DISK_PAUSED","features":[93]},{"name":"SERVICE_REDIR_PAUSED","features":[93]},{"name":"SERVICE_REDIR_PRINT_PAUSED","features":[93]},{"name":"SERVICE_REPL","features":[93]},{"name":"SERVICE_RESRV_MASK","features":[93]},{"name":"SERVICE_RIPL","features":[93]},{"name":"SERVICE_RPCLOCATOR","features":[93]},{"name":"SERVICE_SCHEDULE","features":[93]},{"name":"SERVICE_SERVER","features":[93]},{"name":"SERVICE_SPOOLER","features":[93]},{"name":"SERVICE_SQLSERVER","features":[93]},{"name":"SERVICE_TCPIP","features":[93]},{"name":"SERVICE_TELNET","features":[93]},{"name":"SERVICE_TIMESOURCE","features":[93]},{"name":"SERVICE_TRKSVR","features":[93]},{"name":"SERVICE_TRKWKS","features":[93]},{"name":"SERVICE_UIC_AMBIGPARM","features":[93]},{"name":"SERVICE_UIC_BADPARMVAL","features":[93]},{"name":"SERVICE_UIC_CONFIG","features":[93]},{"name":"SERVICE_UIC_CONFLPARM","features":[93]},{"name":"SERVICE_UIC_DUPPARM","features":[93]},{"name":"SERVICE_UIC_EXEC","features":[93]},{"name":"SERVICE_UIC_FILE","features":[93]},{"name":"SERVICE_UIC_INTERNAL","features":[93]},{"name":"SERVICE_UIC_KILL","features":[93]},{"name":"SERVICE_UIC_MISSPARM","features":[93]},{"name":"SERVICE_UIC_M_ADDPAK","features":[93]},{"name":"SERVICE_UIC_M_ANNOUNCE","features":[93]},{"name":"SERVICE_UIC_M_DATABASE_ERROR","features":[93]},{"name":"SERVICE_UIC_M_DISK","features":[93]},{"name":"SERVICE_UIC_M_ERRLOG","features":[93]},{"name":"SERVICE_UIC_M_FILES","features":[93]},{"name":"SERVICE_UIC_M_FILE_UW","features":[93]},{"name":"SERVICE_UIC_M_LANGROUP","features":[93]},{"name":"SERVICE_UIC_M_LANROOT","features":[93]},{"name":"SERVICE_UIC_M_LAZY","features":[93]},{"name":"SERVICE_UIC_M_LOGS","features":[93]},{"name":"SERVICE_UIC_M_LSA_MACHINE_ACCT","features":[93]},{"name":"SERVICE_UIC_M_MEMORY","features":[93]},{"name":"SERVICE_UIC_M_MSGNAME","features":[93]},{"name":"SERVICE_UIC_M_NETLOGON_AUTH","features":[93]},{"name":"SERVICE_UIC_M_NETLOGON_DC_CFLCT","features":[93]},{"name":"SERVICE_UIC_M_NETLOGON_MPATH","features":[93]},{"name":"SERVICE_UIC_M_NETLOGON_NO_DC","features":[93]},{"name":"SERVICE_UIC_M_NULL","features":[93]},{"name":"SERVICE_UIC_M_PROCESSES","features":[93]},{"name":"SERVICE_UIC_M_REDIR","features":[93]},{"name":"SERVICE_UIC_M_SECURITY","features":[93]},{"name":"SERVICE_UIC_M_SEC_FILE_ERR","features":[93]},{"name":"SERVICE_UIC_M_SERVER","features":[93]},{"name":"SERVICE_UIC_M_SERVER_SEC_ERR","features":[93]},{"name":"SERVICE_UIC_M_THREADS","features":[93]},{"name":"SERVICE_UIC_M_UAS","features":[93]},{"name":"SERVICE_UIC_M_UAS_INVALID_ROLE","features":[93]},{"name":"SERVICE_UIC_M_UAS_MACHINE_ACCT","features":[93]},{"name":"SERVICE_UIC_M_UAS_PROLOG","features":[93]},{"name":"SERVICE_UIC_M_UAS_SERVERS_NMEMB","features":[93]},{"name":"SERVICE_UIC_M_UAS_SERVERS_NOGRP","features":[93]},{"name":"SERVICE_UIC_M_WKSTA","features":[93]},{"name":"SERVICE_UIC_NORMAL","features":[93]},{"name":"SERVICE_UIC_RESOURCE","features":[93]},{"name":"SERVICE_UIC_SUBSERV","features":[93]},{"name":"SERVICE_UIC_SYSTEM","features":[93]},{"name":"SERVICE_UIC_UNKPARM","features":[93]},{"name":"SERVICE_UNINSTALLABLE","features":[93]},{"name":"SERVICE_UNINSTALLED","features":[93]},{"name":"SERVICE_UNINSTALL_PENDING","features":[93]},{"name":"SERVICE_UPS","features":[93]},{"name":"SERVICE_W32TIME","features":[93]},{"name":"SERVICE_WORKSTATION","features":[93]},{"name":"SERVICE_XACTSRV","features":[93]},{"name":"SESSION_CRYPT_KLEN","features":[93]},{"name":"SESSION_PWLEN","features":[93]},{"name":"SHPWLEN","features":[93]},{"name":"SMB_COMPRESSION_INFO","features":[1,93]},{"name":"SMB_TREE_CONNECT_PARAMETERS","features":[93]},{"name":"SMB_USE_OPTION_COMPRESSION_PARAMETERS","features":[93]},{"name":"SNLEN","features":[93]},{"name":"SRV_HASH_GENERATION_ACTIVE","features":[93]},{"name":"SRV_SUPPORT_HASH_GENERATION","features":[93]},{"name":"STD_ALERT","features":[93]},{"name":"STXTLEN","features":[93]},{"name":"SUPPORTS_ANY","features":[93]},{"name":"SUPPORTS_BINDING_INTERFACE_FLAGS","features":[93]},{"name":"SUPPORTS_LOCAL","features":[93]},{"name":"SUPPORTS_REMOTE_ADMIN_PROTOCOL","features":[93]},{"name":"SUPPORTS_RPC","features":[93]},{"name":"SUPPORTS_SAM_PROTOCOL","features":[93]},{"name":"SUPPORTS_UNICODE","features":[93]},{"name":"SVAUD_BADNETLOGON","features":[93]},{"name":"SVAUD_BADSESSLOGON","features":[93]},{"name":"SVAUD_BADUSE","features":[93]},{"name":"SVAUD_GOODNETLOGON","features":[93]},{"name":"SVAUD_GOODSESSLOGON","features":[93]},{"name":"SVAUD_GOODUSE","features":[93]},{"name":"SVAUD_LOGONLIM","features":[93]},{"name":"SVAUD_PERMISSIONS","features":[93]},{"name":"SVAUD_RESOURCE","features":[93]},{"name":"SVAUD_SERVICE","features":[93]},{"name":"SVAUD_USERLIST","features":[93]},{"name":"SVI1_NUM_ELEMENTS","features":[93]},{"name":"SVI2_NUM_ELEMENTS","features":[93]},{"name":"SVI3_NUM_ELEMENTS","features":[93]},{"name":"SVTI2_CLUSTER_DNN_NAME","features":[93]},{"name":"SVTI2_CLUSTER_NAME","features":[93]},{"name":"SVTI2_REMAP_PIPE_NAMES","features":[93]},{"name":"SVTI2_RESERVED1","features":[93]},{"name":"SVTI2_RESERVED2","features":[93]},{"name":"SVTI2_RESERVED3","features":[93]},{"name":"SVTI2_SCOPED_NAME","features":[93]},{"name":"SVTI2_UNICODE_TRANSPORT_ADDRESS","features":[93]},{"name":"SV_ACCEPTDOWNLEVELAPIS_PARMNUM","features":[93]},{"name":"SV_ACCESSALERT_PARMNUM","features":[93]},{"name":"SV_ACTIVELOCKS_PARMNUM","features":[93]},{"name":"SV_ALERTSCHEDULE_PARMNUM","features":[93]},{"name":"SV_ALERTSCHED_PARMNUM","features":[93]},{"name":"SV_ALERTS_PARMNUM","features":[93]},{"name":"SV_ALIST_MTIME_PARMNUM","features":[93]},{"name":"SV_ANNDELTA_PARMNUM","features":[93]},{"name":"SV_ANNOUNCE_PARMNUM","features":[93]},{"name":"SV_AUTOSHARESERVER_PARMNUM","features":[93]},{"name":"SV_AUTOSHAREWKS_PARMNUM","features":[93]},{"name":"SV_BALANCECOUNT_PARMNUM","features":[93]},{"name":"SV_CACHEDDIRECTORYLIMIT_PARMNUM","features":[93]},{"name":"SV_CACHEDOPENLIMIT_PARMNUM","features":[93]},{"name":"SV_CHDEVJOBS_PARMNUM","features":[93]},{"name":"SV_CHDEVQ_PARMNUM","features":[93]},{"name":"SV_COMMENT_PARMNUM","features":[93]},{"name":"SV_CONNECTIONLESSAUTODISC_PARMNUM","features":[93]},{"name":"SV_CONNECTIONNOSESSIONSTIMEOUT_PARMNUM","features":[93]},{"name":"SV_CONNECTIONS_PARMNUM","features":[93]},{"name":"SV_CRITICALTHREADS_PARMNUM","features":[93]},{"name":"SV_DISABLEDOS_PARMNUM","features":[93]},{"name":"SV_DISABLESTRICTNAMECHECKING_PARMNUM","features":[93]},{"name":"SV_DISC_PARMNUM","features":[93]},{"name":"SV_DISKALERT_PARMNUM","features":[93]},{"name":"SV_DISKSPACETHRESHOLD_PARMNUM","features":[93]},{"name":"SV_DOMAIN_PARMNUM","features":[93]},{"name":"SV_ENABLEAUTHENTICATEUSERSHARING_PARMNUM","features":[93]},{"name":"SV_ENABLECOMPRESSION_PARMNUM","features":[93]},{"name":"SV_ENABLEFCBOPENS_PARMNUM","features":[93]},{"name":"SV_ENABLEFORCEDLOGOFF_PARMNUM","features":[93]},{"name":"SV_ENABLEOPLOCKFORCECLOSE_PARMNUM","features":[93]},{"name":"SV_ENABLEOPLOCKS_PARMNUM","features":[93]},{"name":"SV_ENABLERAW_PARMNUM","features":[93]},{"name":"SV_ENABLESECURITYSIGNATURE_PARMNUM","features":[93]},{"name":"SV_ENABLESHAREDNETDRIVES_PARMNUM","features":[93]},{"name":"SV_ENABLESOFTCOMPAT_PARMNUM","features":[93]},{"name":"SV_ENABLEW9XSECURITYSIGNATURE_PARMNUM","features":[93]},{"name":"SV_ENABLEWFW311DIRECTIPX_PARMNUM","features":[93]},{"name":"SV_ENFORCEKERBEROSREAUTHENTICATION_PARMNUM","features":[93]},{"name":"SV_ERRORALERT_PARMNUM","features":[93]},{"name":"SV_ERRORTHRESHOLD_PARMNUM","features":[93]},{"name":"SV_GLIST_MTIME_PARMNUM","features":[93]},{"name":"SV_GUESTACC_PARMNUM","features":[93]},{"name":"SV_HIDDEN","features":[93]},{"name":"SV_HIDDEN_PARMNUM","features":[93]},{"name":"SV_IDLETHREADTIMEOUT_PARMNUM","features":[93]},{"name":"SV_INITCONNTABLE_PARMNUM","features":[93]},{"name":"SV_INITFILETABLE_PARMNUM","features":[93]},{"name":"SV_INITSEARCHTABLE_PARMNUM","features":[93]},{"name":"SV_INITSESSTABLE_PARMNUM","features":[93]},{"name":"SV_INITWORKITEMS_PARMNUM","features":[93]},{"name":"SV_IRPSTACKSIZE_PARMNUM","features":[93]},{"name":"SV_LANMASK_PARMNUM","features":[93]},{"name":"SV_LINKINFOVALIDTIME_PARMNUM","features":[93]},{"name":"SV_LMANNOUNCE_PARMNUM","features":[93]},{"name":"SV_LOCKVIOLATIONDELAY_PARMNUM","features":[93]},{"name":"SV_LOCKVIOLATIONOFFSET_PARMNUM","features":[93]},{"name":"SV_LOCKVIOLATIONRETRIES_PARMNUM","features":[93]},{"name":"SV_LOGONALERT_PARMNUM","features":[93]},{"name":"SV_LOWDISKSPACEMINIMUM_PARMNUM","features":[93]},{"name":"SV_MAXAUDITSZ_PARMNUM","features":[93]},{"name":"SV_MAXCOPYLENGTH_PARMNUM","features":[93]},{"name":"SV_MAXCOPYREADLEN_PARMNUM","features":[93]},{"name":"SV_MAXCOPYWRITELEN_PARMNUM","features":[93]},{"name":"SV_MAXFREECONNECTIONS_PARMNUM","features":[93]},{"name":"SV_MAXFREELFCBS_PARMNUM","features":[93]},{"name":"SV_MAXFREEMFCBS_PARMNUM","features":[93]},{"name":"SV_MAXFREEPAGEDPOOLCHUNKS_PARMNUM","features":[93]},{"name":"SV_MAXFREERFCBS_PARMNUM","features":[93]},{"name":"SV_MAXGLOBALOPENSEARCH_PARMNUM","features":[93]},{"name":"SV_MAXKEEPCOMPLSEARCH_PARMNUM","features":[93]},{"name":"SV_MAXKEEPSEARCH_PARMNUM","features":[93]},{"name":"SV_MAXLINKDELAY_PARMNUM","features":[93]},{"name":"SV_MAXMPXCT_PARMNUM","features":[93]},{"name":"SV_MAXNONPAGEDMEMORYUSAGE_PARMNUM","features":[93]},{"name":"SV_MAXPAGEDMEMORYUSAGE_PARMNUM","features":[93]},{"name":"SV_MAXPAGEDPOOLCHUNKSIZE_PARMNUM","features":[93]},{"name":"SV_MAXRAWBUFLEN_PARMNUM","features":[93]},{"name":"SV_MAXRAWWORKITEMS_PARMNUM","features":[93]},{"name":"SV_MAXTHREADSPERQUEUE_PARMNUM","features":[93]},{"name":"SV_MAXWORKITEMIDLETIME_PARMNUM","features":[93]},{"name":"SV_MAXWORKITEMS_PARMNUM","features":[93]},{"name":"SV_MAX_CMD_LEN","features":[93]},{"name":"SV_MAX_SRV_HEUR_LEN","features":[93]},{"name":"SV_MDLREADSWITCHOVER_PARMNUM","features":[93]},{"name":"SV_MINCLIENTBUFFERSIZE_PARMNUM","features":[93]},{"name":"SV_MINFREECONNECTIONS_PARMNUM","features":[93]},{"name":"SV_MINFREEWORKITEMS_PARMNUM","features":[93]},{"name":"SV_MINKEEPCOMPLSEARCH_PARMNUM","features":[93]},{"name":"SV_MINKEEPSEARCH_PARMNUM","features":[93]},{"name":"SV_MINLINKTHROUGHPUT_PARMNUM","features":[93]},{"name":"SV_MINPAGEDPOOLCHUNKSIZE_PARMNUM","features":[93]},{"name":"SV_MINRCVQUEUE_PARMNUM","features":[93]},{"name":"SV_NAME_PARMNUM","features":[93]},{"name":"SV_NETIOALERT_PARMNUM","features":[93]},{"name":"SV_NETWORKERRORTHRESHOLD_PARMNUM","features":[93]},{"name":"SV_NODISC","features":[93]},{"name":"SV_NUMADMIN_PARMNUM","features":[93]},{"name":"SV_NUMBIGBUF_PARMNUM","features":[93]},{"name":"SV_NUMBLOCKTHREADS_PARMNUM","features":[93]},{"name":"SV_NUMFILETASKS_PARMNUM","features":[93]},{"name":"SV_NUMREQBUF_PARMNUM","features":[93]},{"name":"SV_OPENFILES_PARMNUM","features":[93]},{"name":"SV_OPENSEARCH_PARMNUM","features":[93]},{"name":"SV_OPLOCKBREAKRESPONSEWAIT_PARMNUM","features":[93]},{"name":"SV_OPLOCKBREAKWAIT_PARMNUM","features":[93]},{"name":"SV_OTHERQUEUEAFFINITY_PARMNUM","features":[93]},{"name":"SV_PLATFORM_ID_NT","features":[93]},{"name":"SV_PLATFORM_ID_OS2","features":[93]},{"name":"SV_PLATFORM_ID_PARMNUM","features":[93]},{"name":"SV_PREFERREDAFFINITY_PARMNUM","features":[93]},{"name":"SV_PRODUCTTYPE_PARMNUM","features":[93]},{"name":"SV_QUEUESAMPLESECS_PARMNUM","features":[93]},{"name":"SV_RAWWORKITEMS_PARMNUM","features":[93]},{"name":"SV_REMOVEDUPLICATESEARCHES_PARMNUM","features":[93]},{"name":"SV_REQUIRESECURITYSIGNATURE_PARMNUM","features":[93]},{"name":"SV_RESTRICTNULLSESSACCESS_PARMNUM","features":[93]},{"name":"SV_SCAVQOSINFOUPDATETIME_PARMNUM","features":[93]},{"name":"SV_SCAVTIMEOUT_PARMNUM","features":[93]},{"name":"SV_SECURITY_PARMNUM","features":[93]},{"name":"SV_SENDSFROMPREFERREDPROCESSOR_PARMNUM","features":[93]},{"name":"SV_SERVERSIZE_PARMNUM","features":[93]},{"name":"SV_SESSCONNS_PARMNUM","features":[93]},{"name":"SV_SESSOPENS_PARMNUM","features":[93]},{"name":"SV_SESSREQS_PARMNUM","features":[93]},{"name":"SV_SESSUSERS_PARMNUM","features":[93]},{"name":"SV_SESSVCS_PARMNUM","features":[93]},{"name":"SV_SHARESECURITY","features":[93]},{"name":"SV_SHARES_PARMNUM","features":[93]},{"name":"SV_SHARINGVIOLATIONDELAY_PARMNUM","features":[93]},{"name":"SV_SHARINGVIOLATIONRETRIES_PARMNUM","features":[93]},{"name":"SV_SIZREQBUF_PARMNUM","features":[93]},{"name":"SV_SRVHEURISTICS_PARMNUM","features":[93]},{"name":"SV_THREADCOUNTADD_PARMNUM","features":[93]},{"name":"SV_THREADPRIORITY_PARMNUM","features":[93]},{"name":"SV_TIMESOURCE_PARMNUM","features":[93]},{"name":"SV_TYPE_AFP","features":[93]},{"name":"SV_TYPE_ALL","features":[93]},{"name":"SV_TYPE_ALTERNATE_XPORT","features":[93]},{"name":"SV_TYPE_BACKUP_BROWSER","features":[93]},{"name":"SV_TYPE_CLUSTER_NT","features":[93]},{"name":"SV_TYPE_CLUSTER_VS_NT","features":[93]},{"name":"SV_TYPE_DCE","features":[93]},{"name":"SV_TYPE_DFS","features":[93]},{"name":"SV_TYPE_DIALIN_SERVER","features":[93]},{"name":"SV_TYPE_DOMAIN_BAKCTRL","features":[93]},{"name":"SV_TYPE_DOMAIN_CTRL","features":[93]},{"name":"SV_TYPE_DOMAIN_ENUM","features":[93]},{"name":"SV_TYPE_DOMAIN_MASTER","features":[93]},{"name":"SV_TYPE_DOMAIN_MEMBER","features":[93]},{"name":"SV_TYPE_LOCAL_LIST_ONLY","features":[93]},{"name":"SV_TYPE_MASTER_BROWSER","features":[93]},{"name":"SV_TYPE_NOVELL","features":[93]},{"name":"SV_TYPE_NT","features":[93]},{"name":"SV_TYPE_PARMNUM","features":[93]},{"name":"SV_TYPE_POTENTIAL_BROWSER","features":[93]},{"name":"SV_TYPE_PRINTQ_SERVER","features":[93]},{"name":"SV_TYPE_SERVER","features":[93]},{"name":"SV_TYPE_SERVER_MFPN","features":[93]},{"name":"SV_TYPE_SERVER_NT","features":[93]},{"name":"SV_TYPE_SERVER_OSF","features":[93]},{"name":"SV_TYPE_SERVER_UNIX","features":[93]},{"name":"SV_TYPE_SERVER_VMS","features":[93]},{"name":"SV_TYPE_SQLSERVER","features":[93]},{"name":"SV_TYPE_TERMINALSERVER","features":[93]},{"name":"SV_TYPE_TIME_SOURCE","features":[93]},{"name":"SV_TYPE_WFW","features":[93]},{"name":"SV_TYPE_WINDOWS","features":[93]},{"name":"SV_TYPE_WORKSTATION","features":[93]},{"name":"SV_TYPE_XENIX_SERVER","features":[93]},{"name":"SV_ULIST_MTIME_PARMNUM","features":[93]},{"name":"SV_USERPATH_PARMNUM","features":[93]},{"name":"SV_USERSECURITY","features":[93]},{"name":"SV_USERS_PARMNUM","features":[93]},{"name":"SV_USERS_PER_LICENSE","features":[93]},{"name":"SV_VERSION_MAJOR_PARMNUM","features":[93]},{"name":"SV_VERSION_MINOR_PARMNUM","features":[93]},{"name":"SV_VISIBLE","features":[93]},{"name":"SV_XACTMEMSIZE_PARMNUM","features":[93]},{"name":"SW_AUTOPROF_LOAD_MASK","features":[93]},{"name":"SW_AUTOPROF_SAVE_MASK","features":[93]},{"name":"ServiceAccountPasswordGUID","features":[93]},{"name":"SetNetScheduleAccountInformation","features":[93]},{"name":"TIME_OF_DAY_INFO","features":[93]},{"name":"TITLE_SC_MESSAGE_BOX","features":[93]},{"name":"TRACE_NO_STDINFO","features":[93]},{"name":"TRACE_NO_SYNCH","features":[93]},{"name":"TRACE_USE_CONSOLE","features":[93]},{"name":"TRACE_USE_DATE","features":[93]},{"name":"TRACE_USE_FILE","features":[93]},{"name":"TRACE_USE_MASK","features":[93]},{"name":"TRACE_USE_MSEC","features":[93]},{"name":"TRANSPORT_INFO","features":[1,93]},{"name":"TRANSPORT_NAME_PARMNUM","features":[93]},{"name":"TRANSPORT_QUALITYOFSERVICE_PARMNUM","features":[93]},{"name":"TRANSPORT_TYPE","features":[93]},{"name":"TraceDeregisterA","features":[93]},{"name":"TraceDeregisterExA","features":[93]},{"name":"TraceDeregisterExW","features":[93]},{"name":"TraceDeregisterW","features":[93]},{"name":"TraceDumpExA","features":[1,93]},{"name":"TraceDumpExW","features":[1,93]},{"name":"TraceGetConsoleA","features":[1,93]},{"name":"TraceGetConsoleW","features":[1,93]},{"name":"TracePrintfA","features":[93]},{"name":"TracePrintfExA","features":[93]},{"name":"TracePrintfExW","features":[93]},{"name":"TracePrintfW","features":[93]},{"name":"TracePutsExA","features":[93]},{"name":"TracePutsExW","features":[93]},{"name":"TraceRegisterExA","features":[93]},{"name":"TraceRegisterExW","features":[93]},{"name":"TraceVprintfExA","features":[93]},{"name":"TraceVprintfExW","features":[93]},{"name":"UAS_ROLE_BACKUP","features":[93]},{"name":"UAS_ROLE_MEMBER","features":[93]},{"name":"UAS_ROLE_PRIMARY","features":[93]},{"name":"UAS_ROLE_STANDALONE","features":[93]},{"name":"UF_ACCOUNTDISABLE","features":[93]},{"name":"UF_DONT_EXPIRE_PASSWD","features":[93]},{"name":"UF_DONT_REQUIRE_PREAUTH","features":[93]},{"name":"UF_ENCRYPTED_TEXT_PASSWORD_ALLOWED","features":[93]},{"name":"UF_HOMEDIR_REQUIRED","features":[93]},{"name":"UF_INTERDOMAIN_TRUST_ACCOUNT","features":[93]},{"name":"UF_LOCKOUT","features":[93]},{"name":"UF_MNS_LOGON_ACCOUNT","features":[93]},{"name":"UF_NORMAL_ACCOUNT","features":[93]},{"name":"UF_NOT_DELEGATED","features":[93]},{"name":"UF_NO_AUTH_DATA_REQUIRED","features":[93]},{"name":"UF_PARTIAL_SECRETS_ACCOUNT","features":[93]},{"name":"UF_PASSWD_CANT_CHANGE","features":[93]},{"name":"UF_PASSWD_NOTREQD","features":[93]},{"name":"UF_PASSWORD_EXPIRED","features":[93]},{"name":"UF_SCRIPT","features":[93]},{"name":"UF_SERVER_TRUST_ACCOUNT","features":[93]},{"name":"UF_SMARTCARD_REQUIRED","features":[93]},{"name":"UF_TEMP_DUPLICATE_ACCOUNT","features":[93]},{"name":"UF_TRUSTED_FOR_DELEGATION","features":[93]},{"name":"UF_TRUSTED_TO_AUTHENTICATE_FOR_DELEGATION","features":[93]},{"name":"UF_USE_AES_KEYS","features":[93]},{"name":"UF_USE_DES_KEY_ONLY","features":[93]},{"name":"UF_WORKSTATION_TRUST_ACCOUNT","features":[93]},{"name":"UNCLEN","features":[93]},{"name":"UNITS_PER_DAY","features":[93]},{"name":"UNLEN","features":[93]},{"name":"UPPER_GET_HINT_MASK","features":[93]},{"name":"UPPER_HINT_MASK","features":[93]},{"name":"USER_ACCOUNT_FLAGS","features":[93]},{"name":"USER_ACCT_EXPIRES_PARMNUM","features":[93]},{"name":"USER_AUTH_FLAGS_PARMNUM","features":[93]},{"name":"USER_CODE_PAGE_PARMNUM","features":[93]},{"name":"USER_COMMENT_PARMNUM","features":[93]},{"name":"USER_COUNTRY_CODE_PARMNUM","features":[93]},{"name":"USER_FLAGS_PARMNUM","features":[93]},{"name":"USER_FULL_NAME_PARMNUM","features":[93]},{"name":"USER_HOME_DIR_DRIVE_PARMNUM","features":[93]},{"name":"USER_HOME_DIR_PARMNUM","features":[93]},{"name":"USER_INFO_0","features":[93]},{"name":"USER_INFO_1","features":[93]},{"name":"USER_INFO_10","features":[93]},{"name":"USER_INFO_1003","features":[93]},{"name":"USER_INFO_1005","features":[93]},{"name":"USER_INFO_1006","features":[93]},{"name":"USER_INFO_1007","features":[93]},{"name":"USER_INFO_1008","features":[93]},{"name":"USER_INFO_1009","features":[93]},{"name":"USER_INFO_1010","features":[93]},{"name":"USER_INFO_1011","features":[93]},{"name":"USER_INFO_1012","features":[93]},{"name":"USER_INFO_1013","features":[93]},{"name":"USER_INFO_1014","features":[93]},{"name":"USER_INFO_1017","features":[93]},{"name":"USER_INFO_1018","features":[93]},{"name":"USER_INFO_1020","features":[93]},{"name":"USER_INFO_1023","features":[93]},{"name":"USER_INFO_1024","features":[93]},{"name":"USER_INFO_1025","features":[93]},{"name":"USER_INFO_1051","features":[93]},{"name":"USER_INFO_1052","features":[93]},{"name":"USER_INFO_1053","features":[93]},{"name":"USER_INFO_11","features":[93]},{"name":"USER_INFO_2","features":[93]},{"name":"USER_INFO_20","features":[93]},{"name":"USER_INFO_21","features":[93]},{"name":"USER_INFO_22","features":[93]},{"name":"USER_INFO_23","features":[1,93]},{"name":"USER_INFO_24","features":[1,93]},{"name":"USER_INFO_3","features":[93]},{"name":"USER_INFO_4","features":[1,93]},{"name":"USER_LAST_LOGOFF_PARMNUM","features":[93]},{"name":"USER_LAST_LOGON_PARMNUM","features":[93]},{"name":"USER_LOGON_HOURS_PARMNUM","features":[93]},{"name":"USER_LOGON_SERVER_PARMNUM","features":[93]},{"name":"USER_MAX_STORAGE_PARMNUM","features":[93]},{"name":"USER_MODALS_INFO_0","features":[93]},{"name":"USER_MODALS_INFO_1","features":[93]},{"name":"USER_MODALS_INFO_1001","features":[93]},{"name":"USER_MODALS_INFO_1002","features":[93]},{"name":"USER_MODALS_INFO_1003","features":[93]},{"name":"USER_MODALS_INFO_1004","features":[93]},{"name":"USER_MODALS_INFO_1005","features":[93]},{"name":"USER_MODALS_INFO_1006","features":[93]},{"name":"USER_MODALS_INFO_1007","features":[93]},{"name":"USER_MODALS_INFO_2","features":[1,93]},{"name":"USER_MODALS_INFO_3","features":[93]},{"name":"USER_MODALS_ROLES","features":[93]},{"name":"USER_NAME_PARMNUM","features":[93]},{"name":"USER_NUM_LOGONS_PARMNUM","features":[93]},{"name":"USER_OTHER_INFO","features":[93]},{"name":"USER_PAD_PW_COUNT_PARMNUM","features":[93]},{"name":"USER_PARMS_PARMNUM","features":[93]},{"name":"USER_PASSWORD_AGE_PARMNUM","features":[93]},{"name":"USER_PASSWORD_PARMNUM","features":[93]},{"name":"USER_PRIMARY_GROUP_PARMNUM","features":[93]},{"name":"USER_PRIV","features":[93]},{"name":"USER_PRIV_ADMIN","features":[93]},{"name":"USER_PRIV_GUEST","features":[93]},{"name":"USER_PRIV_MASK","features":[93]},{"name":"USER_PRIV_PARMNUM","features":[93]},{"name":"USER_PRIV_USER","features":[93]},{"name":"USER_PROFILE","features":[93]},{"name":"USER_PROFILE_PARMNUM","features":[93]},{"name":"USER_SCRIPT_PATH_PARMNUM","features":[93]},{"name":"USER_UNITS_PER_WEEK_PARMNUM","features":[93]},{"name":"USER_USR_COMMENT_PARMNUM","features":[93]},{"name":"USER_WORKSTATIONS_PARMNUM","features":[93]},{"name":"USE_ASGTYPE_PARMNUM","features":[93]},{"name":"USE_AUTHIDENTITY_PARMNUM","features":[93]},{"name":"USE_CHARDEV","features":[93]},{"name":"USE_CONN","features":[93]},{"name":"USE_DEFAULT_CREDENTIALS","features":[93]},{"name":"USE_DISCONN","features":[93]},{"name":"USE_DISKDEV","features":[93]},{"name":"USE_DOMAINNAME_PARMNUM","features":[93]},{"name":"USE_FLAGS_PARMNUM","features":[93]},{"name":"USE_FLAG_GLOBAL_MAPPING","features":[93]},{"name":"USE_FORCE","features":[93]},{"name":"USE_INFO_0","features":[93]},{"name":"USE_INFO_1","features":[93]},{"name":"USE_INFO_2","features":[93]},{"name":"USE_INFO_3","features":[93]},{"name":"USE_INFO_4","features":[93]},{"name":"USE_INFO_5","features":[93]},{"name":"USE_INFO_ASG_TYPE","features":[93]},{"name":"USE_IPC","features":[93]},{"name":"USE_LOCAL_PARMNUM","features":[93]},{"name":"USE_LOTS_OF_FORCE","features":[93]},{"name":"USE_NETERR","features":[93]},{"name":"USE_NOFORCE","features":[93]},{"name":"USE_OK","features":[93]},{"name":"USE_OPTIONS_PARMNUM","features":[93]},{"name":"USE_OPTION_DEFERRED_CONNECTION_PARAMETERS","features":[93]},{"name":"USE_OPTION_GENERIC","features":[93]},{"name":"USE_OPTION_PROPERTIES","features":[93]},{"name":"USE_OPTION_TRANSPORT_PARAMETERS","features":[93]},{"name":"USE_PASSWORD_PARMNUM","features":[93]},{"name":"USE_PAUSED","features":[93]},{"name":"USE_RECONN","features":[93]},{"name":"USE_REMOTE_PARMNUM","features":[93]},{"name":"USE_SD_PARMNUM","features":[93]},{"name":"USE_SESSLOST","features":[93]},{"name":"USE_SPECIFIC_TRANSPORT","features":[93]},{"name":"USE_SPOOLDEV","features":[93]},{"name":"USE_USERNAME_PARMNUM","features":[93]},{"name":"USE_WILDCARD","features":[93]},{"name":"UseTransportType_None","features":[93]},{"name":"UseTransportType_Quic","features":[93]},{"name":"UseTransportType_Wsk","features":[93]},{"name":"VALIDATED_LOGON","features":[93]},{"name":"VALID_LOGOFF","features":[93]},{"name":"WKSTA_BUFFERNAMEDPIPES_PARMNUM","features":[93]},{"name":"WKSTA_BUFFERREADONLYFILES_PARMNUM","features":[93]},{"name":"WKSTA_BUFFILESWITHDENYWRITE_PARMNUM","features":[93]},{"name":"WKSTA_CACHEFILETIMEOUT_PARMNUM","features":[93]},{"name":"WKSTA_CHARCOUNT_PARMNUM","features":[93]},{"name":"WKSTA_CHARTIME_PARMNUM","features":[93]},{"name":"WKSTA_CHARWAIT_PARMNUM","features":[93]},{"name":"WKSTA_COMPUTERNAME_PARMNUM","features":[93]},{"name":"WKSTA_DORMANTFILELIMIT_PARMNUM","features":[93]},{"name":"WKSTA_ERRLOGSZ_PARMNUM","features":[93]},{"name":"WKSTA_FORCECORECREATEMODE_PARMNUM","features":[93]},{"name":"WKSTA_INFO_100","features":[93]},{"name":"WKSTA_INFO_101","features":[93]},{"name":"WKSTA_INFO_1010","features":[93]},{"name":"WKSTA_INFO_1011","features":[93]},{"name":"WKSTA_INFO_1012","features":[93]},{"name":"WKSTA_INFO_1013","features":[93]},{"name":"WKSTA_INFO_1018","features":[93]},{"name":"WKSTA_INFO_102","features":[93]},{"name":"WKSTA_INFO_1023","features":[93]},{"name":"WKSTA_INFO_1027","features":[93]},{"name":"WKSTA_INFO_1028","features":[93]},{"name":"WKSTA_INFO_1032","features":[93]},{"name":"WKSTA_INFO_1033","features":[93]},{"name":"WKSTA_INFO_1041","features":[93]},{"name":"WKSTA_INFO_1042","features":[93]},{"name":"WKSTA_INFO_1043","features":[93]},{"name":"WKSTA_INFO_1044","features":[93]},{"name":"WKSTA_INFO_1045","features":[93]},{"name":"WKSTA_INFO_1046","features":[93]},{"name":"WKSTA_INFO_1047","features":[93]},{"name":"WKSTA_INFO_1048","features":[1,93]},{"name":"WKSTA_INFO_1049","features":[1,93]},{"name":"WKSTA_INFO_1050","features":[1,93]},{"name":"WKSTA_INFO_1051","features":[1,93]},{"name":"WKSTA_INFO_1052","features":[1,93]},{"name":"WKSTA_INFO_1053","features":[1,93]},{"name":"WKSTA_INFO_1054","features":[1,93]},{"name":"WKSTA_INFO_1055","features":[1,93]},{"name":"WKSTA_INFO_1056","features":[1,93]},{"name":"WKSTA_INFO_1057","features":[1,93]},{"name":"WKSTA_INFO_1058","features":[1,93]},{"name":"WKSTA_INFO_1059","features":[1,93]},{"name":"WKSTA_INFO_1060","features":[1,93]},{"name":"WKSTA_INFO_1061","features":[1,93]},{"name":"WKSTA_INFO_1062","features":[93]},{"name":"WKSTA_INFO_302","features":[93]},{"name":"WKSTA_INFO_402","features":[93]},{"name":"WKSTA_INFO_502","features":[1,93]},{"name":"WKSTA_KEEPCONN_PARMNUM","features":[93]},{"name":"WKSTA_KEEPSEARCH_PARMNUM","features":[93]},{"name":"WKSTA_LANGROUP_PARMNUM","features":[93]},{"name":"WKSTA_LANROOT_PARMNUM","features":[93]},{"name":"WKSTA_LOCKINCREMENT_PARMNUM","features":[93]},{"name":"WKSTA_LOCKMAXIMUM_PARMNUM","features":[93]},{"name":"WKSTA_LOCKQUOTA_PARMNUM","features":[93]},{"name":"WKSTA_LOGGED_ON_USERS_PARMNUM","features":[93]},{"name":"WKSTA_LOGON_DOMAIN_PARMNUM","features":[93]},{"name":"WKSTA_LOGON_SERVER_PARMNUM","features":[93]},{"name":"WKSTA_MAILSLOTS_PARMNUM","features":[93]},{"name":"WKSTA_MAXCMDS_PARMNUM","features":[93]},{"name":"WKSTA_MAXTHREADS_PARMNUM","features":[93]},{"name":"WKSTA_MAXWRKCACHE_PARMNUM","features":[93]},{"name":"WKSTA_NUMALERTS_PARMNUM","features":[93]},{"name":"WKSTA_NUMCHARBUF_PARMNUM","features":[93]},{"name":"WKSTA_NUMDGRAMBUF_PARMNUM","features":[93]},{"name":"WKSTA_NUMSERVICES_PARMNUM","features":[93]},{"name":"WKSTA_NUMWORKBUF_PARMNUM","features":[93]},{"name":"WKSTA_OTH_DOMAINS_PARMNUM","features":[93]},{"name":"WKSTA_PIPEINCREMENT_PARMNUM","features":[93]},{"name":"WKSTA_PIPEMAXIMUM_PARMNUM","features":[93]},{"name":"WKSTA_PLATFORM_ID_PARMNUM","features":[93]},{"name":"WKSTA_PRINTBUFTIME_PARMNUM","features":[93]},{"name":"WKSTA_READAHEADTHRUPUT_PARMNUM","features":[93]},{"name":"WKSTA_SESSTIMEOUT_PARMNUM","features":[93]},{"name":"WKSTA_SIZCHARBUF_PARMNUM","features":[93]},{"name":"WKSTA_SIZERROR_PARMNUM","features":[93]},{"name":"WKSTA_SIZWORKBUF_PARMNUM","features":[93]},{"name":"WKSTA_TRANSPORT_INFO_0","features":[1,93]},{"name":"WKSTA_USE512BYTESMAXTRANSFER_PARMNUM","features":[93]},{"name":"WKSTA_USECLOSEBEHIND_PARMNUM","features":[93]},{"name":"WKSTA_USEENCRYPTION_PARMNUM","features":[93]},{"name":"WKSTA_USELOCKANDREADANDUNLOCK_PARMNUM","features":[93]},{"name":"WKSTA_USEOPPORTUNISTICLOCKING_PARMNUM","features":[93]},{"name":"WKSTA_USERAWREAD_PARMNUM","features":[93]},{"name":"WKSTA_USERAWWRITE_PARMNUM","features":[93]},{"name":"WKSTA_USER_INFO_0","features":[93]},{"name":"WKSTA_USER_INFO_1","features":[93]},{"name":"WKSTA_USER_INFO_1101","features":[93]},{"name":"WKSTA_USEUNLOCKBEHIND_PARMNUM","features":[93]},{"name":"WKSTA_USEWRITERAWWITHDATA_PARMNUM","features":[93]},{"name":"WKSTA_UTILIZENTCACHING_PARMNUM","features":[93]},{"name":"WKSTA_VER_MAJOR_PARMNUM","features":[93]},{"name":"WKSTA_VER_MINOR_PARMNUM","features":[93]},{"name":"WKSTA_WRKHEURISTICS_PARMNUM","features":[93]},{"name":"WORKERFUNCTION","features":[93]},{"name":"WORKSTATION_DISPLAY_NAME","features":[93]},{"name":"WZC_PROFILE_API_ERROR_FAILED_TO_LOAD_SCHEMA","features":[93]},{"name":"WZC_PROFILE_API_ERROR_FAILED_TO_LOAD_XML","features":[93]},{"name":"WZC_PROFILE_API_ERROR_INTERNAL","features":[93]},{"name":"WZC_PROFILE_API_ERROR_NOT_SUPPORTED","features":[93]},{"name":"WZC_PROFILE_API_ERROR_XML_VALIDATION_FAILED","features":[93]},{"name":"WZC_PROFILE_CONFIG_ERROR_1X_NOT_ALLOWED","features":[93]},{"name":"WZC_PROFILE_CONFIG_ERROR_1X_NOT_ALLOWED_KEY_REQUIRED","features":[93]},{"name":"WZC_PROFILE_CONFIG_ERROR_1X_NOT_ENABLED_KEY_PROVIDED","features":[93]},{"name":"WZC_PROFILE_CONFIG_ERROR_EAP_METHOD_NOT_APPLICABLE","features":[93]},{"name":"WZC_PROFILE_CONFIG_ERROR_EAP_METHOD_REQUIRED","features":[93]},{"name":"WZC_PROFILE_CONFIG_ERROR_INVALID_AUTH_FOR_CONNECTION_TYPE","features":[93]},{"name":"WZC_PROFILE_CONFIG_ERROR_INVALID_ENCRYPTION_FOR_AUTHMODE","features":[93]},{"name":"WZC_PROFILE_CONFIG_ERROR_KEY_INDEX_NOT_APPLICABLE","features":[93]},{"name":"WZC_PROFILE_CONFIG_ERROR_KEY_INDEX_REQUIRED","features":[93]},{"name":"WZC_PROFILE_CONFIG_ERROR_KEY_REQUIRED","features":[93]},{"name":"WZC_PROFILE_CONFIG_ERROR_WPA_ENCRYPTION_NOT_SUPPORTED","features":[93]},{"name":"WZC_PROFILE_CONFIG_ERROR_WPA_NOT_SUPPORTED","features":[93]},{"name":"WZC_PROFILE_SET_ERROR_DUPLICATE_NETWORK","features":[93]},{"name":"WZC_PROFILE_SET_ERROR_MEMORY_ALLOCATION","features":[93]},{"name":"WZC_PROFILE_SET_ERROR_READING_1X_CONFIG","features":[93]},{"name":"WZC_PROFILE_SET_ERROR_WRITING_1X_CONFIG","features":[93]},{"name":"WZC_PROFILE_SET_ERROR_WRITING_WZC_CFG","features":[93]},{"name":"WZC_PROFILE_SUCCESS","features":[93]},{"name":"WZC_PROFILE_XML_ERROR_1X_ENABLED","features":[93]},{"name":"WZC_PROFILE_XML_ERROR_AUTHENTICATION","features":[93]},{"name":"WZC_PROFILE_XML_ERROR_BAD_KEY_INDEX","features":[93]},{"name":"WZC_PROFILE_XML_ERROR_BAD_NETWORK_KEY","features":[93]},{"name":"WZC_PROFILE_XML_ERROR_BAD_SSID","features":[93]},{"name":"WZC_PROFILE_XML_ERROR_BAD_VERSION","features":[93]},{"name":"WZC_PROFILE_XML_ERROR_CONNECTION_TYPE","features":[93]},{"name":"WZC_PROFILE_XML_ERROR_EAP_METHOD","features":[93]},{"name":"WZC_PROFILE_XML_ERROR_ENCRYPTION","features":[93]},{"name":"WZC_PROFILE_XML_ERROR_KEY_INDEX_RANGE","features":[93]},{"name":"WZC_PROFILE_XML_ERROR_KEY_PROVIDED_AUTOMATICALLY","features":[93]},{"name":"WZC_PROFILE_XML_ERROR_NO_VERSION","features":[93]},{"name":"WZC_PROFILE_XML_ERROR_SSID_NOT_FOUND","features":[93]},{"name":"WZC_PROFILE_XML_ERROR_UNSUPPORTED_VERSION","features":[93]}],"452":[{"name":"CMD_ENTRY","features":[1,94]},{"name":"CMD_FLAG_HIDDEN","features":[94]},{"name":"CMD_FLAG_INTERACTIVE","features":[94]},{"name":"CMD_FLAG_LIMIT_MASK","features":[94]},{"name":"CMD_FLAG_LOCAL","features":[94]},{"name":"CMD_FLAG_ONLINE","features":[94]},{"name":"CMD_FLAG_PRIORITY","features":[94]},{"name":"CMD_FLAG_PRIVATE","features":[94]},{"name":"CMD_GROUP_ENTRY","features":[1,94]},{"name":"DEFAULT_CONTEXT_PRIORITY","features":[94]},{"name":"ERROR_CMD_NOT_FOUND","features":[94]},{"name":"ERROR_CONTEXT_ALREADY_REGISTERED","features":[94]},{"name":"ERROR_CONTINUE_IN_PARENT_CONTEXT","features":[94]},{"name":"ERROR_DLL_LOAD_FAILED","features":[94]},{"name":"ERROR_ENTRY_PT_NOT_FOUND","features":[94]},{"name":"ERROR_HELPER_ALREADY_REGISTERED","features":[94]},{"name":"ERROR_INIT_DISPLAY","features":[94]},{"name":"ERROR_INVALID_OPTION_TAG","features":[94]},{"name":"ERROR_INVALID_OPTION_VALUE","features":[94]},{"name":"ERROR_INVALID_SYNTAX","features":[94]},{"name":"ERROR_MISSING_OPTION","features":[94]},{"name":"ERROR_NO_CHANGE","features":[94]},{"name":"ERROR_NO_ENTRIES","features":[94]},{"name":"ERROR_NO_TAG","features":[94]},{"name":"ERROR_OKAY","features":[94]},{"name":"ERROR_PARSING_FAILURE","features":[94]},{"name":"ERROR_PROTOCOL_NOT_IN_TRANSPORT","features":[94]},{"name":"ERROR_SHOW_USAGE","features":[94]},{"name":"ERROR_SUPPRESS_OUTPUT","features":[94]},{"name":"ERROR_TAG_ALREADY_PRESENT","features":[94]},{"name":"ERROR_TRANSPORT_NOT_PRESENT","features":[94]},{"name":"GET_RESOURCE_STRING_FN_NAME","features":[94]},{"name":"MAX_NAME_LEN","features":[94]},{"name":"MatchEnumTag","features":[1,94]},{"name":"MatchToken","features":[1,94]},{"name":"NETSH_ARG_DELIMITER","features":[94]},{"name":"NETSH_CMD_DELIMITER","features":[94]},{"name":"NETSH_COMMIT","features":[94]},{"name":"NETSH_COMMIT_STATE","features":[94]},{"name":"NETSH_ERROR_BASE","features":[94]},{"name":"NETSH_ERROR_END","features":[94]},{"name":"NETSH_FLUSH","features":[94]},{"name":"NETSH_MAX_CMD_TOKEN_LENGTH","features":[94]},{"name":"NETSH_MAX_TOKEN_LENGTH","features":[94]},{"name":"NETSH_SAVE","features":[94]},{"name":"NETSH_UNCOMMIT","features":[94]},{"name":"NETSH_VERSION_50","features":[94]},{"name":"NS_CMD_FLAGS","features":[94]},{"name":"NS_CONTEXT_ATTRIBUTES","features":[1,94]},{"name":"NS_EVENTS","features":[94]},{"name":"NS_EVENT_FROM_N","features":[94]},{"name":"NS_EVENT_FROM_START","features":[94]},{"name":"NS_EVENT_LAST_N","features":[94]},{"name":"NS_EVENT_LAST_SECS","features":[94]},{"name":"NS_EVENT_LOOP","features":[94]},{"name":"NS_GET_EVENT_IDS_FN_NAME","features":[94]},{"name":"NS_HELPER_ATTRIBUTES","features":[94]},{"name":"NS_MODE_CHANGE","features":[94]},{"name":"NS_REQS","features":[94]},{"name":"NS_REQ_ALLOW_MULTIPLE","features":[94]},{"name":"NS_REQ_ONE_OR_MORE","features":[94]},{"name":"NS_REQ_PRESENT","features":[94]},{"name":"NS_REQ_ZERO","features":[94]},{"name":"PFN_CUSTOM_HELP","features":[1,94]},{"name":"PFN_HANDLE_CMD","features":[1,94]},{"name":"PGET_RESOURCE_STRING_FN","features":[94]},{"name":"PNS_CONTEXT_COMMIT_FN","features":[94]},{"name":"PNS_CONTEXT_CONNECT_FN","features":[94]},{"name":"PNS_CONTEXT_DUMP_FN","features":[94]},{"name":"PNS_DLL_INIT_FN","features":[94]},{"name":"PNS_DLL_STOP_FN","features":[94]},{"name":"PNS_HELPER_START_FN","features":[94]},{"name":"PNS_HELPER_STOP_FN","features":[94]},{"name":"PNS_OSVERSIONCHECK","features":[1,94]},{"name":"PreprocessCommand","features":[1,94]},{"name":"PrintError","features":[1,94]},{"name":"PrintMessage","features":[94]},{"name":"PrintMessageFromModule","features":[1,94]},{"name":"RegisterContext","features":[1,94]},{"name":"RegisterHelper","features":[94]},{"name":"TAG_TYPE","features":[1,94]},{"name":"TOKEN_VALUE","features":[94]}],"453":[{"name":"ATTRIBUTE_TYPE","features":[95]},{"name":"AT_BOOLEAN","features":[95]},{"name":"AT_GUID","features":[95]},{"name":"AT_INT16","features":[95]},{"name":"AT_INT32","features":[95]},{"name":"AT_INT64","features":[95]},{"name":"AT_INT8","features":[95]},{"name":"AT_INVALID","features":[95]},{"name":"AT_LIFE_TIME","features":[95]},{"name":"AT_OCTET_STRING","features":[95]},{"name":"AT_SOCKADDR","features":[95]},{"name":"AT_STRING","features":[95]},{"name":"AT_UINT16","features":[95]},{"name":"AT_UINT32","features":[95]},{"name":"AT_UINT64","features":[95]},{"name":"AT_UINT8","features":[95]},{"name":"DF_IMPERSONATION","features":[95]},{"name":"DF_TRACELESS","features":[95]},{"name":"DIAGNOSIS_STATUS","features":[95]},{"name":"DIAG_SOCKADDR","features":[95]},{"name":"DS_CONFIRMED","features":[95]},{"name":"DS_DEFERRED","features":[95]},{"name":"DS_INDETERMINATE","features":[95]},{"name":"DS_NOT_IMPLEMENTED","features":[95]},{"name":"DS_PASSTHROUGH","features":[95]},{"name":"DS_REJECTED","features":[95]},{"name":"DiagnosticsInfo","features":[95]},{"name":"HELPER_ATTRIBUTE","features":[1,95]},{"name":"HYPOTHESIS","features":[1,95]},{"name":"HelperAttributeInfo","features":[95]},{"name":"HypothesisResult","features":[1,95]},{"name":"INetDiagExtensibleHelper","features":[95]},{"name":"INetDiagHelper","features":[95]},{"name":"INetDiagHelperEx","features":[95]},{"name":"INetDiagHelperInfo","features":[95]},{"name":"INetDiagHelperUtilFactory","features":[95]},{"name":"LIFE_TIME","features":[1,95]},{"name":"NDF_ADD_CAPTURE_TRACE","features":[95]},{"name":"NDF_APPLY_INCLUSION_LIST_FILTER","features":[95]},{"name":"NDF_ERROR_START","features":[95]},{"name":"NDF_E_BAD_PARAM","features":[95]},{"name":"NDF_E_CANCELLED","features":[95]},{"name":"NDF_E_DISABLED","features":[95]},{"name":"NDF_E_LENGTH_EXCEEDED","features":[95]},{"name":"NDF_E_NOHELPERCLASS","features":[95]},{"name":"NDF_E_PROBLEM_PRESENT","features":[95]},{"name":"NDF_E_UNKNOWN","features":[95]},{"name":"NDF_E_VALIDATION","features":[95]},{"name":"NDF_INBOUND_FLAG_EDGETRAVERSAL","features":[95]},{"name":"NDF_INBOUND_FLAG_HEALTHCHECK","features":[95]},{"name":"NdfCancelIncident","features":[95]},{"name":"NdfCloseIncident","features":[95]},{"name":"NdfCreateConnectivityIncident","features":[95]},{"name":"NdfCreateDNSIncident","features":[95]},{"name":"NdfCreateGroupingIncident","features":[95,15]},{"name":"NdfCreateIncident","features":[1,95]},{"name":"NdfCreateNetConnectionIncident","features":[95]},{"name":"NdfCreatePnrpIncident","features":[1,95]},{"name":"NdfCreateSharingIncident","features":[95]},{"name":"NdfCreateWebIncident","features":[95]},{"name":"NdfCreateWebIncidentEx","features":[1,95]},{"name":"NdfCreateWinSockIncident","features":[95,15,4]},{"name":"NdfDiagnoseIncident","features":[95]},{"name":"NdfExecuteDiagnosis","features":[1,95]},{"name":"NdfGetTraceFile","features":[95]},{"name":"NdfRepairIncident","features":[95]},{"name":"OCTET_STRING","features":[95]},{"name":"PROBLEM_TYPE","features":[95]},{"name":"PT_DOWN_STREAM_HEALTH","features":[95]},{"name":"PT_HIGHER_UTILIZATION","features":[95]},{"name":"PT_HIGH_UTILIZATION","features":[95]},{"name":"PT_INVALID","features":[95]},{"name":"PT_LOWER_HEALTH","features":[95]},{"name":"PT_LOW_HEALTH","features":[95]},{"name":"PT_UP_STREAM_UTILIZATION","features":[95]},{"name":"RCF_ISCONFIRMED","features":[95]},{"name":"RCF_ISLEAF","features":[95]},{"name":"RCF_ISTHIRDPARTY","features":[95]},{"name":"REPAIR_RISK","features":[95]},{"name":"REPAIR_SCOPE","features":[95]},{"name":"REPAIR_STATUS","features":[95]},{"name":"RF_CONTACT_ADMIN","features":[95]},{"name":"RF_INFORMATION_ONLY","features":[95]},{"name":"RF_REPRO","features":[95]},{"name":"RF_RESERVED","features":[95]},{"name":"RF_RESERVED_CA","features":[95]},{"name":"RF_RESERVED_LNI","features":[95]},{"name":"RF_SHOW_EVENTS","features":[95]},{"name":"RF_UI_ONLY","features":[95]},{"name":"RF_USER_ACTION","features":[95]},{"name":"RF_USER_CONFIRMATION","features":[95]},{"name":"RF_VALIDATE_HELPTOPIC","features":[95]},{"name":"RF_WORKAROUND","features":[95]},{"name":"RR_NORISK","features":[95]},{"name":"RR_NOROLLBACK","features":[95]},{"name":"RR_ROLLBACK","features":[95]},{"name":"RS_APPLICATION","features":[95]},{"name":"RS_DEFERRED","features":[95]},{"name":"RS_NOT_IMPLEMENTED","features":[95]},{"name":"RS_PROCESS","features":[95]},{"name":"RS_REPAIRED","features":[95]},{"name":"RS_SYSTEM","features":[95]},{"name":"RS_UNREPAIRED","features":[95]},{"name":"RS_USER","features":[95]},{"name":"RS_USER_ACTION","features":[95]},{"name":"RepairInfo","features":[95]},{"name":"RepairInfoEx","features":[95]},{"name":"RootCauseInfo","features":[95]},{"name":"ShellCommandInfo","features":[95]},{"name":"UIT_DUI","features":[95]},{"name":"UIT_HELP_PANE","features":[95]},{"name":"UIT_INVALID","features":[95]},{"name":"UIT_NONE","features":[95]},{"name":"UIT_SHELL_COMMAND","features":[95]},{"name":"UI_INFO_TYPE","features":[95]},{"name":"UiInfo","features":[95]}],"455":[{"name":"DRT_ACTIVE","features":[96]},{"name":"DRT_ADDRESS","features":[96,15]},{"name":"DRT_ADDRESS_FLAGS","features":[96]},{"name":"DRT_ADDRESS_FLAG_ACCEPTED","features":[96]},{"name":"DRT_ADDRESS_FLAG_BAD_VALIDATE_ID","features":[96]},{"name":"DRT_ADDRESS_FLAG_INQUIRE","features":[96]},{"name":"DRT_ADDRESS_FLAG_LOOP","features":[96]},{"name":"DRT_ADDRESS_FLAG_REJECTED","features":[96]},{"name":"DRT_ADDRESS_FLAG_SUSPECT_UNREGISTERED_ID","features":[96]},{"name":"DRT_ADDRESS_FLAG_TOO_BUSY","features":[96]},{"name":"DRT_ADDRESS_FLAG_UNREACHABLE","features":[96]},{"name":"DRT_ADDRESS_LIST","features":[96,15]},{"name":"DRT_ALONE","features":[96]},{"name":"DRT_BOOTSTRAP_PROVIDER","features":[96]},{"name":"DRT_BOOTSTRAP_RESOLVE_CALLBACK","features":[1,96,15]},{"name":"DRT_DATA","features":[96]},{"name":"DRT_EVENT_DATA","features":[96,15]},{"name":"DRT_EVENT_LEAFSET_KEY_CHANGED","features":[96]},{"name":"DRT_EVENT_REGISTRATION_STATE_CHANGED","features":[96]},{"name":"DRT_EVENT_STATUS_CHANGED","features":[96]},{"name":"DRT_EVENT_TYPE","features":[96]},{"name":"DRT_E_BOOTSTRAPPROVIDER_IN_USE","features":[96]},{"name":"DRT_E_BOOTSTRAPPROVIDER_NOT_ATTACHED","features":[96]},{"name":"DRT_E_CAPABILITY_MISMATCH","features":[96]},{"name":"DRT_E_DUPLICATE_KEY","features":[96]},{"name":"DRT_E_FAULTED","features":[96]},{"name":"DRT_E_INSUFFICIENT_BUFFER","features":[96]},{"name":"DRT_E_INVALID_ADDRESS","features":[96]},{"name":"DRT_E_INVALID_BOOTSTRAP_PROVIDER","features":[96]},{"name":"DRT_E_INVALID_CERT_CHAIN","features":[96]},{"name":"DRT_E_INVALID_INSTANCE_PREFIX","features":[96]},{"name":"DRT_E_INVALID_KEY","features":[96]},{"name":"DRT_E_INVALID_KEY_SIZE","features":[96]},{"name":"DRT_E_INVALID_MAX_ADDRESSES","features":[96]},{"name":"DRT_E_INVALID_MAX_ENDPOINTS","features":[96]},{"name":"DRT_E_INVALID_MESSAGE","features":[96]},{"name":"DRT_E_INVALID_PORT","features":[96]},{"name":"DRT_E_INVALID_SCOPE","features":[96]},{"name":"DRT_E_INVALID_SEARCH_INFO","features":[96]},{"name":"DRT_E_INVALID_SEARCH_RANGE","features":[96]},{"name":"DRT_E_INVALID_SECURITY_MODE","features":[96]},{"name":"DRT_E_INVALID_SECURITY_PROVIDER","features":[96]},{"name":"DRT_E_INVALID_SETTINGS","features":[96]},{"name":"DRT_E_INVALID_TRANSPORT_PROVIDER","features":[96]},{"name":"DRT_E_NO_ADDRESSES_AVAILABLE","features":[96]},{"name":"DRT_E_NO_MORE","features":[96]},{"name":"DRT_E_SEARCH_IN_PROGRESS","features":[96]},{"name":"DRT_E_SECURITYPROVIDER_IN_USE","features":[96]},{"name":"DRT_E_SECURITYPROVIDER_NOT_ATTACHED","features":[96]},{"name":"DRT_E_STILL_IN_USE","features":[96]},{"name":"DRT_E_TIMEOUT","features":[96]},{"name":"DRT_E_TRANSPORTPROVIDER_IN_USE","features":[96]},{"name":"DRT_E_TRANSPORTPROVIDER_NOT_ATTACHED","features":[96]},{"name":"DRT_E_TRANSPORT_ALREADY_BOUND","features":[96]},{"name":"DRT_E_TRANSPORT_ALREADY_EXISTS_FOR_SCOPE","features":[96]},{"name":"DRT_E_TRANSPORT_EXECUTING_CALLBACK","features":[96]},{"name":"DRT_E_TRANSPORT_INVALID_ARGUMENT","features":[96]},{"name":"DRT_E_TRANSPORT_NOT_BOUND","features":[96]},{"name":"DRT_E_TRANSPORT_NO_DEST_ADDRESSES","features":[96]},{"name":"DRT_E_TRANSPORT_SHUTTING_DOWN","features":[96]},{"name":"DRT_E_TRANSPORT_STILL_BOUND","features":[96]},{"name":"DRT_E_TRANSPORT_UNEXPECTED","features":[96]},{"name":"DRT_FAULTED","features":[96]},{"name":"DRT_GLOBAL_SCOPE","features":[96]},{"name":"DRT_LEAFSET_KEY_ADDED","features":[96]},{"name":"DRT_LEAFSET_KEY_CHANGE_TYPE","features":[96]},{"name":"DRT_LEAFSET_KEY_DELETED","features":[96]},{"name":"DRT_LINK_LOCAL_ISATAP_SCOPEID","features":[96]},{"name":"DRT_LINK_LOCAL_SCOPE","features":[96]},{"name":"DRT_MATCH_EXACT","features":[96]},{"name":"DRT_MATCH_INTERMEDIATE","features":[96]},{"name":"DRT_MATCH_NEAR","features":[96]},{"name":"DRT_MATCH_TYPE","features":[96]},{"name":"DRT_MAX_INSTANCE_PREFIX_LEN","features":[96]},{"name":"DRT_MAX_PAYLOAD_SIZE","features":[96]},{"name":"DRT_MAX_ROUTING_ADDRESSES","features":[96]},{"name":"DRT_MIN_ROUTING_ADDRESSES","features":[96]},{"name":"DRT_NO_NETWORK","features":[96]},{"name":"DRT_PAYLOAD_REVOKED","features":[96]},{"name":"DRT_REGISTRATION","features":[96]},{"name":"DRT_REGISTRATION_STATE","features":[96]},{"name":"DRT_REGISTRATION_STATE_UNRESOLVEABLE","features":[96]},{"name":"DRT_SCOPE","features":[96]},{"name":"DRT_SEARCH_INFO","features":[1,96]},{"name":"DRT_SEARCH_RESULT","features":[96]},{"name":"DRT_SECURE_CONFIDENTIALPAYLOAD","features":[96]},{"name":"DRT_SECURE_MEMBERSHIP","features":[96]},{"name":"DRT_SECURE_RESOLVE","features":[96]},{"name":"DRT_SECURITY_MODE","features":[96]},{"name":"DRT_SECURITY_PROVIDER","features":[96]},{"name":"DRT_SETTINGS","features":[96]},{"name":"DRT_SITE_LOCAL_SCOPE","features":[96]},{"name":"DRT_STATUS","features":[96]},{"name":"DRT_S_RETRY","features":[96]},{"name":"DrtClose","features":[96]},{"name":"DrtContinueSearch","features":[96]},{"name":"DrtCreateDerivedKey","features":[1,96,68]},{"name":"DrtCreateDerivedKeySecurityProvider","features":[1,96,68]},{"name":"DrtCreateDnsBootstrapResolver","features":[96]},{"name":"DrtCreateIpv6UdpTransport","features":[96]},{"name":"DrtCreateNullSecurityProvider","features":[96]},{"name":"DrtCreatePnrpBootstrapResolver","features":[1,96]},{"name":"DrtDeleteDerivedKeySecurityProvider","features":[96]},{"name":"DrtDeleteDnsBootstrapResolver","features":[96]},{"name":"DrtDeleteIpv6UdpTransport","features":[96]},{"name":"DrtDeleteNullSecurityProvider","features":[96]},{"name":"DrtDeletePnrpBootstrapResolver","features":[96]},{"name":"DrtEndSearch","features":[96]},{"name":"DrtGetEventData","features":[96,15]},{"name":"DrtGetEventDataSize","features":[96]},{"name":"DrtGetInstanceName","features":[96]},{"name":"DrtGetInstanceNameSize","features":[96]},{"name":"DrtGetSearchPath","features":[96,15]},{"name":"DrtGetSearchPathSize","features":[96]},{"name":"DrtGetSearchResult","features":[96]},{"name":"DrtGetSearchResultSize","features":[96]},{"name":"DrtOpen","features":[1,96]},{"name":"DrtRegisterKey","features":[96]},{"name":"DrtStartSearch","features":[1,96]},{"name":"DrtUnregisterKey","features":[96]},{"name":"DrtUpdateKey","features":[96]},{"name":"FACILITY_DRT","features":[96]},{"name":"MaximumPeerDistClientInfoByHandlesClass","features":[96]},{"name":"NS_PNRPCLOUD","features":[96]},{"name":"NS_PNRPNAME","features":[96]},{"name":"NS_PROVIDER_PNRPCLOUD","features":[96]},{"name":"NS_PROVIDER_PNRPNAME","features":[96]},{"name":"PEERDIST_CLIENT_BASIC_INFO","features":[1,96]},{"name":"PEERDIST_CLIENT_INFO_BY_HANDLE_CLASS","features":[96]},{"name":"PEERDIST_CONTENT_TAG","features":[96]},{"name":"PEERDIST_PUBLICATION_OPTIONS","features":[96]},{"name":"PEERDIST_PUBLICATION_OPTIONS_VERSION","features":[96]},{"name":"PEERDIST_PUBLICATION_OPTIONS_VERSION_1","features":[96]},{"name":"PEERDIST_PUBLICATION_OPTIONS_VERSION_2","features":[96]},{"name":"PEERDIST_READ_TIMEOUT_DEFAULT","features":[96]},{"name":"PEERDIST_READ_TIMEOUT_LOCAL_CACHE_ONLY","features":[96]},{"name":"PEERDIST_RETRIEVAL_OPTIONS","features":[96]},{"name":"PEERDIST_RETRIEVAL_OPTIONS_CONTENTINFO_VERSION","features":[96]},{"name":"PEERDIST_RETRIEVAL_OPTIONS_CONTENTINFO_VERSION_1","features":[96]},{"name":"PEERDIST_RETRIEVAL_OPTIONS_CONTENTINFO_VERSION_2","features":[96]},{"name":"PEERDIST_RETRIEVAL_OPTIONS_CONTENTINFO_VERSION_VALUE","features":[96]},{"name":"PEERDIST_STATUS","features":[96]},{"name":"PEERDIST_STATUS_AVAILABLE","features":[96]},{"name":"PEERDIST_STATUS_DISABLED","features":[96]},{"name":"PEERDIST_STATUS_INFO","features":[96]},{"name":"PEERDIST_STATUS_UNAVAILABLE","features":[96]},{"name":"PEER_ADDRESS","features":[96,15]},{"name":"PEER_APPLICATION","features":[96]},{"name":"PEER_APPLICATION_ALL_USERS","features":[96]},{"name":"PEER_APPLICATION_CURRENT_USER","features":[96]},{"name":"PEER_APPLICATION_REGISTRATION_INFO","features":[96]},{"name":"PEER_APPLICATION_REGISTRATION_TYPE","features":[96]},{"name":"PEER_APP_LAUNCH_INFO","features":[1,96,15]},{"name":"PEER_CHANGE_ADDED","features":[96]},{"name":"PEER_CHANGE_DELETED","features":[96]},{"name":"PEER_CHANGE_TYPE","features":[96]},{"name":"PEER_CHANGE_UPDATED","features":[96]},{"name":"PEER_COLLAB_EVENT_DATA","features":[1,96,15]},{"name":"PEER_COLLAB_EVENT_REGISTRATION","features":[96]},{"name":"PEER_COLLAB_EVENT_TYPE","features":[96]},{"name":"PEER_COLLAB_OBJECTID_USER_PICTURE","features":[96]},{"name":"PEER_CONNECTED","features":[96]},{"name":"PEER_CONNECTION_DIRECT","features":[96]},{"name":"PEER_CONNECTION_FAILED","features":[96]},{"name":"PEER_CONNECTION_FLAGS","features":[96]},{"name":"PEER_CONNECTION_INFO","features":[96,15]},{"name":"PEER_CONNECTION_NEIGHBOR","features":[96]},{"name":"PEER_CONNECTION_STATUS","features":[96]},{"name":"PEER_CONTACT","features":[1,96]},{"name":"PEER_CREDENTIAL_INFO","features":[1,96,68]},{"name":"PEER_DATA","features":[96]},{"name":"PEER_DEFER_EXPIRATION","features":[96]},{"name":"PEER_DISABLE_PRESENCE","features":[96]},{"name":"PEER_DISCONNECTED","features":[96]},{"name":"PEER_ENDPOINT","features":[96,15]},{"name":"PEER_EVENT_APPLICATION_CHANGED_DATA","features":[1,96,15]},{"name":"PEER_EVENT_CONNECTION_CHANGE_DATA","features":[96]},{"name":"PEER_EVENT_ENDPOINT_APPLICATION_CHANGED","features":[96]},{"name":"PEER_EVENT_ENDPOINT_CHANGED","features":[96]},{"name":"PEER_EVENT_ENDPOINT_CHANGED_DATA","features":[1,96,15]},{"name":"PEER_EVENT_ENDPOINT_OBJECT_CHANGED","features":[96]},{"name":"PEER_EVENT_ENDPOINT_PRESENCE_CHANGED","features":[96]},{"name":"PEER_EVENT_INCOMING_DATA","features":[96]},{"name":"PEER_EVENT_MEMBER_CHANGE_DATA","features":[96]},{"name":"PEER_EVENT_MY_APPLICATION_CHANGED","features":[96]},{"name":"PEER_EVENT_MY_ENDPOINT_CHANGED","features":[96]},{"name":"PEER_EVENT_MY_OBJECT_CHANGED","features":[96]},{"name":"PEER_EVENT_MY_PRESENCE_CHANGED","features":[96]},{"name":"PEER_EVENT_NODE_CHANGE_DATA","features":[96]},{"name":"PEER_EVENT_OBJECT_CHANGED_DATA","features":[1,96,15]},{"name":"PEER_EVENT_PEOPLE_NEAR_ME_CHANGED","features":[96]},{"name":"PEER_EVENT_PEOPLE_NEAR_ME_CHANGED_DATA","features":[96,15]},{"name":"PEER_EVENT_PRESENCE_CHANGED_DATA","features":[1,96,15]},{"name":"PEER_EVENT_RECORD_CHANGE_DATA","features":[96]},{"name":"PEER_EVENT_REQUEST_STATUS_CHANGED","features":[96]},{"name":"PEER_EVENT_REQUEST_STATUS_CHANGED_DATA","features":[96,15]},{"name":"PEER_EVENT_SYNCHRONIZED_DATA","features":[96]},{"name":"PEER_EVENT_WATCHLIST_CHANGED","features":[96]},{"name":"PEER_EVENT_WATCHLIST_CHANGED_DATA","features":[1,96]},{"name":"PEER_E_ALREADY_EXISTS","features":[96]},{"name":"PEER_E_CLIENT_INVALID_COMPARTMENT_ID","features":[96]},{"name":"PEER_E_CLOUD_DISABLED","features":[96]},{"name":"PEER_E_CLOUD_IS_DEAD","features":[96]},{"name":"PEER_E_CLOUD_IS_SEARCH_ONLY","features":[96]},{"name":"PEER_E_CLOUD_NOT_FOUND","features":[96]},{"name":"PEER_E_DISK_FULL","features":[96]},{"name":"PEER_E_DUPLICATE_PEER_NAME","features":[96]},{"name":"PEER_E_INVALID_IDENTITY","features":[96]},{"name":"PEER_E_NOT_FOUND","features":[96]},{"name":"PEER_E_TOO_MUCH_LOAD","features":[96]},{"name":"PEER_GRAPH_EVENT_CONNECTION_REQUIRED","features":[96]},{"name":"PEER_GRAPH_EVENT_DATA","features":[96]},{"name":"PEER_GRAPH_EVENT_DIRECT_CONNECTION","features":[96]},{"name":"PEER_GRAPH_EVENT_INCOMING_DATA","features":[96]},{"name":"PEER_GRAPH_EVENT_NEIGHBOR_CONNECTION","features":[96]},{"name":"PEER_GRAPH_EVENT_NODE_CHANGED","features":[96]},{"name":"PEER_GRAPH_EVENT_PROPERTY_CHANGED","features":[96]},{"name":"PEER_GRAPH_EVENT_RECORD_CHANGED","features":[96]},{"name":"PEER_GRAPH_EVENT_REGISTRATION","features":[96]},{"name":"PEER_GRAPH_EVENT_STATUS_CHANGED","features":[96]},{"name":"PEER_GRAPH_EVENT_SYNCHRONIZED","features":[96]},{"name":"PEER_GRAPH_EVENT_TYPE","features":[96]},{"name":"PEER_GRAPH_PROPERTIES","features":[96]},{"name":"PEER_GRAPH_PROPERTY_DEFER_EXPIRATION","features":[96]},{"name":"PEER_GRAPH_PROPERTY_FLAGS","features":[96]},{"name":"PEER_GRAPH_PROPERTY_HEARTBEATS","features":[96]},{"name":"PEER_GRAPH_SCOPE","features":[96]},{"name":"PEER_GRAPH_SCOPE_ANY","features":[96]},{"name":"PEER_GRAPH_SCOPE_GLOBAL","features":[96]},{"name":"PEER_GRAPH_SCOPE_LINKLOCAL","features":[96]},{"name":"PEER_GRAPH_SCOPE_LOOPBACK","features":[96]},{"name":"PEER_GRAPH_SCOPE_SITELOCAL","features":[96]},{"name":"PEER_GRAPH_STATUS_FLAGS","features":[96]},{"name":"PEER_GRAPH_STATUS_HAS_CONNECTIONS","features":[96]},{"name":"PEER_GRAPH_STATUS_LISTENING","features":[96]},{"name":"PEER_GRAPH_STATUS_SYNCHRONIZED","features":[96]},{"name":"PEER_GROUP_AUTHENTICATION_SCHEME","features":[96]},{"name":"PEER_GROUP_EVENT_AUTHENTICATION_FAILED","features":[96]},{"name":"PEER_GROUP_EVENT_CONNECTION_FAILED","features":[96]},{"name":"PEER_GROUP_EVENT_DATA","features":[96]},{"name":"PEER_GROUP_EVENT_DIRECT_CONNECTION","features":[96]},{"name":"PEER_GROUP_EVENT_INCOMING_DATA","features":[96]},{"name":"PEER_GROUP_EVENT_MEMBER_CHANGED","features":[96]},{"name":"PEER_GROUP_EVENT_NEIGHBOR_CONNECTION","features":[96]},{"name":"PEER_GROUP_EVENT_PROPERTY_CHANGED","features":[96]},{"name":"PEER_GROUP_EVENT_RECORD_CHANGED","features":[96]},{"name":"PEER_GROUP_EVENT_REGISTRATION","features":[96]},{"name":"PEER_GROUP_EVENT_STATUS_CHANGED","features":[96]},{"name":"PEER_GROUP_EVENT_TYPE","features":[96]},{"name":"PEER_GROUP_GMC_AUTHENTICATION","features":[96]},{"name":"PEER_GROUP_ISSUE_CREDENTIAL_FLAGS","features":[96]},{"name":"PEER_GROUP_PASSWORD_AUTHENTICATION","features":[96]},{"name":"PEER_GROUP_PROPERTIES","features":[96]},{"name":"PEER_GROUP_PROPERTY_FLAGS","features":[96]},{"name":"PEER_GROUP_ROLE_ADMIN","features":[96]},{"name":"PEER_GROUP_ROLE_INVITING_MEMBER","features":[96]},{"name":"PEER_GROUP_ROLE_MEMBER","features":[96]},{"name":"PEER_GROUP_STATUS","features":[96]},{"name":"PEER_GROUP_STATUS_HAS_CONNECTIONS","features":[96]},{"name":"PEER_GROUP_STATUS_LISTENING","features":[96]},{"name":"PEER_GROUP_STORE_CREDENTIALS","features":[96]},{"name":"PEER_INVITATION","features":[96]},{"name":"PEER_INVITATION_INFO","features":[1,96,68]},{"name":"PEER_INVITATION_RESPONSE","features":[96]},{"name":"PEER_INVITATION_RESPONSE_ACCEPTED","features":[96]},{"name":"PEER_INVITATION_RESPONSE_DECLINED","features":[96]},{"name":"PEER_INVITATION_RESPONSE_ERROR","features":[96]},{"name":"PEER_INVITATION_RESPONSE_EXPIRED","features":[96]},{"name":"PEER_INVITATION_RESPONSE_TYPE","features":[96]},{"name":"PEER_MEMBER","features":[1,96,15,68]},{"name":"PEER_MEMBER_CHANGE_TYPE","features":[96]},{"name":"PEER_MEMBER_CONNECTED","features":[96]},{"name":"PEER_MEMBER_DATA_OPTIONAL","features":[96]},{"name":"PEER_MEMBER_DISCONNECTED","features":[96]},{"name":"PEER_MEMBER_FLAGS","features":[96]},{"name":"PEER_MEMBER_JOINED","features":[96]},{"name":"PEER_MEMBER_LEFT","features":[96]},{"name":"PEER_MEMBER_PRESENT","features":[96]},{"name":"PEER_MEMBER_UPDATED","features":[96]},{"name":"PEER_NAME_PAIR","features":[96]},{"name":"PEER_NODE_CHANGE_CONNECTED","features":[96]},{"name":"PEER_NODE_CHANGE_DISCONNECTED","features":[96]},{"name":"PEER_NODE_CHANGE_TYPE","features":[96]},{"name":"PEER_NODE_CHANGE_UPDATED","features":[96]},{"name":"PEER_NODE_INFO","features":[96,15]},{"name":"PEER_OBJECT","features":[96]},{"name":"PEER_PEOPLE_NEAR_ME","features":[96,15]},{"name":"PEER_PNRP_ALL_LINK_CLOUDS","features":[96]},{"name":"PEER_PNRP_CLOUD_INFO","features":[96]},{"name":"PEER_PNRP_ENDPOINT_INFO","features":[96,15]},{"name":"PEER_PNRP_REGISTRATION_INFO","features":[96,15]},{"name":"PEER_PRESENCE_AWAY","features":[96]},{"name":"PEER_PRESENCE_BE_RIGHT_BACK","features":[96]},{"name":"PEER_PRESENCE_BUSY","features":[96]},{"name":"PEER_PRESENCE_IDLE","features":[96]},{"name":"PEER_PRESENCE_INFO","features":[96]},{"name":"PEER_PRESENCE_OFFLINE","features":[96]},{"name":"PEER_PRESENCE_ONLINE","features":[96]},{"name":"PEER_PRESENCE_ON_THE_PHONE","features":[96]},{"name":"PEER_PRESENCE_OUT_TO_LUNCH","features":[96]},{"name":"PEER_PRESENCE_STATUS","features":[96]},{"name":"PEER_PUBLICATION_SCOPE","features":[96]},{"name":"PEER_PUBLICATION_SCOPE_ALL","features":[96]},{"name":"PEER_PUBLICATION_SCOPE_INTERNET","features":[96]},{"name":"PEER_PUBLICATION_SCOPE_NEAR_ME","features":[96]},{"name":"PEER_PUBLICATION_SCOPE_NONE","features":[96]},{"name":"PEER_RECORD","features":[1,96]},{"name":"PEER_RECORD_ADDED","features":[96]},{"name":"PEER_RECORD_CHANGE_TYPE","features":[96]},{"name":"PEER_RECORD_DELETED","features":[96]},{"name":"PEER_RECORD_EXPIRED","features":[96]},{"name":"PEER_RECORD_FLAGS","features":[96]},{"name":"PEER_RECORD_FLAG_AUTOREFRESH","features":[96]},{"name":"PEER_RECORD_FLAG_DELETED","features":[96]},{"name":"PEER_RECORD_UPDATED","features":[96]},{"name":"PEER_SECURITY_INTERFACE","features":[1,96]},{"name":"PEER_SIGNIN_ALL","features":[96]},{"name":"PEER_SIGNIN_FLAGS","features":[96]},{"name":"PEER_SIGNIN_INTERNET","features":[96]},{"name":"PEER_SIGNIN_NEAR_ME","features":[96]},{"name":"PEER_SIGNIN_NONE","features":[96]},{"name":"PEER_VERSION_DATA","features":[96]},{"name":"PEER_WATCH_ALLOWED","features":[96]},{"name":"PEER_WATCH_BLOCKED","features":[96]},{"name":"PEER_WATCH_PERMISSION","features":[96]},{"name":"PFNPEER_FREE_SECURITY_DATA","features":[96]},{"name":"PFNPEER_ON_PASSWORD_AUTH_FAILED","features":[96]},{"name":"PFNPEER_SECURE_RECORD","features":[1,96]},{"name":"PFNPEER_VALIDATE_RECORD","features":[1,96]},{"name":"PNRPCLOUDINFO","features":[96]},{"name":"PNRPINFO_HINT","features":[96]},{"name":"PNRPINFO_V1","features":[96,15]},{"name":"PNRPINFO_V2","features":[96,15,41]},{"name":"PNRP_CLOUD_FLAGS","features":[96]},{"name":"PNRP_CLOUD_FULL_PARTICIPANT","features":[96]},{"name":"PNRP_CLOUD_ID","features":[96]},{"name":"PNRP_CLOUD_NAME_LOCAL","features":[96]},{"name":"PNRP_CLOUD_NO_FLAGS","features":[96]},{"name":"PNRP_CLOUD_RESOLVE_ONLY","features":[96]},{"name":"PNRP_CLOUD_STATE","features":[96]},{"name":"PNRP_CLOUD_STATE_ACTIVE","features":[96]},{"name":"PNRP_CLOUD_STATE_ALONE","features":[96]},{"name":"PNRP_CLOUD_STATE_DEAD","features":[96]},{"name":"PNRP_CLOUD_STATE_DISABLED","features":[96]},{"name":"PNRP_CLOUD_STATE_NO_NET","features":[96]},{"name":"PNRP_CLOUD_STATE_SYNCHRONISING","features":[96]},{"name":"PNRP_CLOUD_STATE_VIRTUAL","features":[96]},{"name":"PNRP_EXTENDED_PAYLOAD_TYPE","features":[96]},{"name":"PNRP_EXTENDED_PAYLOAD_TYPE_BINARY","features":[96]},{"name":"PNRP_EXTENDED_PAYLOAD_TYPE_NONE","features":[96]},{"name":"PNRP_EXTENDED_PAYLOAD_TYPE_STRING","features":[96]},{"name":"PNRP_GLOBAL_SCOPE","features":[96]},{"name":"PNRP_LINK_LOCAL_SCOPE","features":[96]},{"name":"PNRP_MAX_ENDPOINT_ADDRESSES","features":[96]},{"name":"PNRP_MAX_EXTENDED_PAYLOAD_BYTES","features":[96]},{"name":"PNRP_REGISTERED_ID_STATE","features":[96]},{"name":"PNRP_REGISTERED_ID_STATE_OK","features":[96]},{"name":"PNRP_REGISTERED_ID_STATE_PROBLEM","features":[96]},{"name":"PNRP_RESOLVE_CRITERIA","features":[96]},{"name":"PNRP_RESOLVE_CRITERIA_ANY_PEER_NAME","features":[96]},{"name":"PNRP_RESOLVE_CRITERIA_DEFAULT","features":[96]},{"name":"PNRP_RESOLVE_CRITERIA_NEAREST_NON_CURRENT_PROCESS_PEER_NAME","features":[96]},{"name":"PNRP_RESOLVE_CRITERIA_NEAREST_PEER_NAME","features":[96]},{"name":"PNRP_RESOLVE_CRITERIA_NEAREST_REMOTE_PEER_NAME","features":[96]},{"name":"PNRP_RESOLVE_CRITERIA_NON_CURRENT_PROCESS_PEER_NAME","features":[96]},{"name":"PNRP_RESOLVE_CRITERIA_REMOTE_PEER_NAME","features":[96]},{"name":"PNRP_SCOPE","features":[96]},{"name":"PNRP_SCOPE_ANY","features":[96]},{"name":"PNRP_SITE_LOCAL_SCOPE","features":[96]},{"name":"PeerCollabAddContact","features":[1,96]},{"name":"PeerCollabAsyncInviteContact","features":[1,96,15]},{"name":"PeerCollabAsyncInviteEndpoint","features":[1,96,15]},{"name":"PeerCollabCancelInvitation","features":[1,96]},{"name":"PeerCollabCloseHandle","features":[1,96]},{"name":"PeerCollabDeleteContact","features":[96]},{"name":"PeerCollabDeleteEndpointData","features":[96,15]},{"name":"PeerCollabDeleteObject","features":[96]},{"name":"PeerCollabEnumApplicationRegistrationInfo","features":[96]},{"name":"PeerCollabEnumApplications","features":[96,15]},{"name":"PeerCollabEnumContacts","features":[96]},{"name":"PeerCollabEnumEndpoints","features":[1,96]},{"name":"PeerCollabEnumObjects","features":[96,15]},{"name":"PeerCollabEnumPeopleNearMe","features":[96]},{"name":"PeerCollabExportContact","features":[96]},{"name":"PeerCollabGetAppLaunchInfo","features":[1,96,15]},{"name":"PeerCollabGetApplicationRegistrationInfo","features":[96]},{"name":"PeerCollabGetContact","features":[1,96]},{"name":"PeerCollabGetEndpointName","features":[96]},{"name":"PeerCollabGetEventData","features":[1,96,15]},{"name":"PeerCollabGetInvitationResponse","features":[1,96]},{"name":"PeerCollabGetPresenceInfo","features":[96,15]},{"name":"PeerCollabGetSigninOptions","features":[96]},{"name":"PeerCollabInviteContact","features":[1,96,15]},{"name":"PeerCollabInviteEndpoint","features":[96,15]},{"name":"PeerCollabParseContact","features":[1,96]},{"name":"PeerCollabQueryContactData","features":[96,15]},{"name":"PeerCollabRefreshEndpointData","features":[96,15]},{"name":"PeerCollabRegisterApplication","features":[96]},{"name":"PeerCollabRegisterEvent","features":[1,96]},{"name":"PeerCollabSetEndpointName","features":[96]},{"name":"PeerCollabSetObject","features":[96]},{"name":"PeerCollabSetPresenceInfo","features":[96]},{"name":"PeerCollabShutdown","features":[96]},{"name":"PeerCollabSignin","features":[1,96]},{"name":"PeerCollabSignout","features":[96]},{"name":"PeerCollabStartup","features":[96]},{"name":"PeerCollabSubscribeEndpointData","features":[96,15]},{"name":"PeerCollabUnregisterApplication","features":[96]},{"name":"PeerCollabUnregisterEvent","features":[96]},{"name":"PeerCollabUnsubscribeEndpointData","features":[96,15]},{"name":"PeerCollabUpdateContact","features":[1,96]},{"name":"PeerCreatePeerName","features":[96]},{"name":"PeerDistClientAddContentInformation","features":[1,96,6]},{"name":"PeerDistClientAddData","features":[1,96,6]},{"name":"PeerDistClientBasicInfo","features":[96]},{"name":"PeerDistClientBlockRead","features":[1,96,6]},{"name":"PeerDistClientCancelAsyncOperation","features":[1,96,6]},{"name":"PeerDistClientCloseContent","features":[96]},{"name":"PeerDistClientCompleteContentInformation","features":[1,96,6]},{"name":"PeerDistClientFlushContent","features":[1,96,6]},{"name":"PeerDistClientGetInformationByHandle","features":[96]},{"name":"PeerDistClientOpenContent","features":[1,96]},{"name":"PeerDistClientStreamRead","features":[1,96,6]},{"name":"PeerDistGetOverlappedResult","features":[1,96,6]},{"name":"PeerDistGetStatus","features":[96]},{"name":"PeerDistGetStatusEx","features":[96]},{"name":"PeerDistRegisterForStatusChangeNotification","features":[1,96,6]},{"name":"PeerDistRegisterForStatusChangeNotificationEx","features":[1,96,6]},{"name":"PeerDistServerCancelAsyncOperation","features":[1,96,6]},{"name":"PeerDistServerCloseContentInformation","features":[96]},{"name":"PeerDistServerCloseStreamHandle","features":[96]},{"name":"PeerDistServerOpenContentInformation","features":[1,96]},{"name":"PeerDistServerOpenContentInformationEx","features":[1,96]},{"name":"PeerDistServerPublishAddToStream","features":[1,96,6]},{"name":"PeerDistServerPublishCompleteStream","features":[1,96,6]},{"name":"PeerDistServerPublishStream","features":[1,96]},{"name":"PeerDistServerRetrieveContentInformation","features":[1,96,6]},{"name":"PeerDistServerUnpublish","features":[96]},{"name":"PeerDistShutdown","features":[96]},{"name":"PeerDistStartup","features":[96]},{"name":"PeerDistUnregisterForStatusChangeNotification","features":[96]},{"name":"PeerEndEnumeration","features":[96]},{"name":"PeerEnumGroups","features":[96]},{"name":"PeerEnumIdentities","features":[96]},{"name":"PeerFreeData","features":[96]},{"name":"PeerGetItemCount","features":[96]},{"name":"PeerGetNextItem","features":[96]},{"name":"PeerGraphAddRecord","features":[1,96]},{"name":"PeerGraphClose","features":[96]},{"name":"PeerGraphCloseDirectConnection","features":[96]},{"name":"PeerGraphConnect","features":[96,15]},{"name":"PeerGraphCreate","features":[1,96]},{"name":"PeerGraphDelete","features":[96]},{"name":"PeerGraphDeleteRecord","features":[1,96]},{"name":"PeerGraphEndEnumeration","features":[96]},{"name":"PeerGraphEnumConnections","features":[96]},{"name":"PeerGraphEnumNodes","features":[96]},{"name":"PeerGraphEnumRecords","features":[96]},{"name":"PeerGraphExportDatabase","features":[96]},{"name":"PeerGraphFreeData","features":[96]},{"name":"PeerGraphGetEventData","features":[96]},{"name":"PeerGraphGetItemCount","features":[96]},{"name":"PeerGraphGetNextItem","features":[96]},{"name":"PeerGraphGetNodeInfo","features":[96,15]},{"name":"PeerGraphGetProperties","features":[96]},{"name":"PeerGraphGetRecord","features":[1,96]},{"name":"PeerGraphGetStatus","features":[96]},{"name":"PeerGraphImportDatabase","features":[96]},{"name":"PeerGraphListen","features":[96]},{"name":"PeerGraphOpen","features":[1,96]},{"name":"PeerGraphOpenDirectConnection","features":[96,15]},{"name":"PeerGraphPeerTimeToUniversalTime","features":[1,96]},{"name":"PeerGraphRegisterEvent","features":[1,96]},{"name":"PeerGraphSearchRecords","features":[96]},{"name":"PeerGraphSendData","features":[96]},{"name":"PeerGraphSetNodeAttributes","features":[96]},{"name":"PeerGraphSetPresence","features":[1,96]},{"name":"PeerGraphSetProperties","features":[96]},{"name":"PeerGraphShutdown","features":[96]},{"name":"PeerGraphStartup","features":[96]},{"name":"PeerGraphUniversalTimeToPeerTime","features":[1,96]},{"name":"PeerGraphUnregisterEvent","features":[96]},{"name":"PeerGraphUpdateRecord","features":[1,96]},{"name":"PeerGraphValidateDeferredRecords","features":[96]},{"name":"PeerGroupAddRecord","features":[1,96]},{"name":"PeerGroupClose","features":[96]},{"name":"PeerGroupCloseDirectConnection","features":[96]},{"name":"PeerGroupConnect","features":[96]},{"name":"PeerGroupConnectByAddress","features":[96,15]},{"name":"PeerGroupCreate","features":[96]},{"name":"PeerGroupCreateInvitation","features":[1,96]},{"name":"PeerGroupCreatePasswordInvitation","features":[96]},{"name":"PeerGroupDelete","features":[96]},{"name":"PeerGroupDeleteRecord","features":[96]},{"name":"PeerGroupEnumConnections","features":[96]},{"name":"PeerGroupEnumMembers","features":[96]},{"name":"PeerGroupEnumRecords","features":[96]},{"name":"PeerGroupExportConfig","features":[96]},{"name":"PeerGroupExportDatabase","features":[96]},{"name":"PeerGroupGetEventData","features":[96]},{"name":"PeerGroupGetProperties","features":[96]},{"name":"PeerGroupGetRecord","features":[1,96]},{"name":"PeerGroupGetStatus","features":[96]},{"name":"PeerGroupImportConfig","features":[1,96]},{"name":"PeerGroupImportDatabase","features":[96]},{"name":"PeerGroupIssueCredentials","features":[1,96,68]},{"name":"PeerGroupJoin","features":[96]},{"name":"PeerGroupOpen","features":[96]},{"name":"PeerGroupOpenDirectConnection","features":[96,15]},{"name":"PeerGroupParseInvitation","features":[1,96,68]},{"name":"PeerGroupPasswordJoin","features":[96]},{"name":"PeerGroupPeerTimeToUniversalTime","features":[1,96]},{"name":"PeerGroupRegisterEvent","features":[1,96]},{"name":"PeerGroupResumePasswordAuthentication","features":[96]},{"name":"PeerGroupSearchRecords","features":[96]},{"name":"PeerGroupSendData","features":[96]},{"name":"PeerGroupSetProperties","features":[96]},{"name":"PeerGroupShutdown","features":[96]},{"name":"PeerGroupStartup","features":[96]},{"name":"PeerGroupUniversalTimeToPeerTime","features":[1,96]},{"name":"PeerGroupUnregisterEvent","features":[96]},{"name":"PeerGroupUpdateRecord","features":[1,96]},{"name":"PeerHostNameToPeerName","features":[96]},{"name":"PeerIdentityCreate","features":[96]},{"name":"PeerIdentityDelete","features":[96]},{"name":"PeerIdentityExport","features":[96]},{"name":"PeerIdentityGetCryptKey","features":[96]},{"name":"PeerIdentityGetDefault","features":[96]},{"name":"PeerIdentityGetFriendlyName","features":[96]},{"name":"PeerIdentityGetXML","features":[96]},{"name":"PeerIdentityImport","features":[96]},{"name":"PeerIdentitySetFriendlyName","features":[96]},{"name":"PeerNameToPeerHostName","features":[96]},{"name":"PeerPnrpEndResolve","features":[96]},{"name":"PeerPnrpGetCloudInfo","features":[96]},{"name":"PeerPnrpGetEndpoint","features":[96,15]},{"name":"PeerPnrpRegister","features":[96,15]},{"name":"PeerPnrpResolve","features":[96,15]},{"name":"PeerPnrpShutdown","features":[96]},{"name":"PeerPnrpStartResolve","features":[1,96]},{"name":"PeerPnrpStartup","features":[96]},{"name":"PeerPnrpUnregister","features":[96]},{"name":"PeerPnrpUpdateRegistration","features":[96,15]},{"name":"SVCID_PNRPCLOUD","features":[96]},{"name":"SVCID_PNRPNAME_V1","features":[96]},{"name":"SVCID_PNRPNAME_V2","features":[96]},{"name":"WSA_PNRP_CLIENT_INVALID_COMPARTMENT_ID","features":[96]},{"name":"WSA_PNRP_CLOUD_DISABLED","features":[96]},{"name":"WSA_PNRP_CLOUD_IS_DEAD","features":[96]},{"name":"WSA_PNRP_CLOUD_IS_SEARCH_ONLY","features":[96]},{"name":"WSA_PNRP_CLOUD_NOT_FOUND","features":[96]},{"name":"WSA_PNRP_DUPLICATE_PEER_NAME","features":[96]},{"name":"WSA_PNRP_ERROR_BASE","features":[96]},{"name":"WSA_PNRP_INVALID_IDENTITY","features":[96]},{"name":"WSA_PNRP_TOO_MUCH_LOAD","features":[96]},{"name":"WSZ_SCOPE_GLOBAL","features":[96]},{"name":"WSZ_SCOPE_LINKLOCAL","features":[96]},{"name":"WSZ_SCOPE_SITELOCAL","features":[96]}],"456":[{"name":"ABLE_TO_RECV_RSVP","features":[97]},{"name":"ADDRESS_LIST_DESCRIPTOR","features":[16,97]},{"name":"ADM_CTRL_FAILED","features":[97]},{"name":"ADSPEC","features":[97]},{"name":"AD_FLAG_BREAK_BIT","features":[97]},{"name":"AD_GENERAL_PARAMS","features":[97]},{"name":"AD_GUARANTEED","features":[97]},{"name":"ALLOWED_TO_SEND_DATA","features":[97]},{"name":"ANY_DEST_ADDR","features":[97]},{"name":"CBADMITRESULT","features":[97]},{"name":"CBGETRSVPOBJECTS","features":[97]},{"name":"CONTROLLED_DELAY_SERV","features":[97]},{"name":"CONTROLLED_LOAD_SERV","features":[97]},{"name":"CONTROL_SERVICE","features":[97]},{"name":"CREDENTIAL_SUB_TYPE_ASCII_ID","features":[97]},{"name":"CREDENTIAL_SUB_TYPE_KERBEROS_TKT","features":[97]},{"name":"CREDENTIAL_SUB_TYPE_PGP_CERT","features":[97]},{"name":"CREDENTIAL_SUB_TYPE_UNICODE_ID","features":[97]},{"name":"CREDENTIAL_SUB_TYPE_X509_V3_CERT","features":[97]},{"name":"CURRENT_TCI_VERSION","features":[97]},{"name":"CtrlLoadFlowspec","features":[97]},{"name":"DD_TCP_DEVICE_NAME","features":[97]},{"name":"DUP_RESULTS","features":[97]},{"name":"END_TO_END_QOSABILITY","features":[97]},{"name":"ENUMERATION_BUFFER","features":[97,15]},{"name":"ERROR_ADDRESS_TYPE_NOT_SUPPORTED","features":[97]},{"name":"ERROR_DS_MAPPING_EXISTS","features":[97]},{"name":"ERROR_DUPLICATE_FILTER","features":[97]},{"name":"ERROR_FILTER_CONFLICT","features":[97]},{"name":"ERROR_INCOMPATABLE_QOS","features":[97]},{"name":"ERROR_INCOMPATIBLE_TCI_VERSION","features":[97]},{"name":"ERROR_INVALID_ADDRESS_TYPE","features":[97]},{"name":"ERROR_INVALID_DIFFSERV_FLOW","features":[97]},{"name":"ERROR_INVALID_DS_CLASS","features":[97]},{"name":"ERROR_INVALID_FLOW_MODE","features":[97]},{"name":"ERROR_INVALID_PEAK_RATE","features":[97]},{"name":"ERROR_INVALID_QOS_PRIORITY","features":[97]},{"name":"ERROR_INVALID_SD_MODE","features":[97]},{"name":"ERROR_INVALID_SERVICE_TYPE","features":[97]},{"name":"ERROR_INVALID_SHAPE_RATE","features":[97]},{"name":"ERROR_INVALID_TOKEN_RATE","features":[97]},{"name":"ERROR_INVALID_TRAFFIC_CLASS","features":[97]},{"name":"ERROR_NO_MORE_INFO","features":[97]},{"name":"ERROR_SPEC","features":[97,15]},{"name":"ERROR_SPECF_InPlace","features":[97]},{"name":"ERROR_SPECF_NotGuilty","features":[97]},{"name":"ERROR_TC_NOT_SUPPORTED","features":[97]},{"name":"ERROR_TC_OBJECT_LENGTH_INVALID","features":[97]},{"name":"ERROR_TC_SUPPORTED_OBJECTS_EXIST","features":[97]},{"name":"ERROR_TOO_MANY_CLIENTS","features":[97]},{"name":"ERR_FORWARD_OK","features":[97]},{"name":"ERR_Usage_globl","features":[97]},{"name":"ERR_Usage_local","features":[97]},{"name":"ERR_Usage_serv","features":[97]},{"name":"ERR_global_mask","features":[97]},{"name":"EXPIRED_CREDENTIAL","features":[97]},{"name":"Error_Spec_IPv4","features":[97,15]},{"name":"FILTERSPECV4","features":[97]},{"name":"FILTERSPECV4_GPI","features":[97]},{"name":"FILTERSPECV6","features":[97]},{"name":"FILTERSPECV6_FLOW","features":[97]},{"name":"FILTERSPECV6_GPI","features":[97]},{"name":"FILTERSPEC_END","features":[97]},{"name":"FILTER_SPEC","features":[97,15]},{"name":"FLOWDESCRIPTOR","features":[97,15]},{"name":"FLOW_DESC","features":[97,15]},{"name":"FLOW_DURATION","features":[97]},{"name":"FORCE_IMMEDIATE_REFRESH","features":[97]},{"name":"FSCTL_TCP_BASE","features":[97]},{"name":"FVEB_UNLOCK_FLAG_AUK_OSFVEINFO","features":[97]},{"name":"FVEB_UNLOCK_FLAG_CACHED","features":[97]},{"name":"FVEB_UNLOCK_FLAG_EXTERNAL","features":[97]},{"name":"FVEB_UNLOCK_FLAG_MEDIA","features":[97]},{"name":"FVEB_UNLOCK_FLAG_NBP","features":[97]},{"name":"FVEB_UNLOCK_FLAG_NONE","features":[97]},{"name":"FVEB_UNLOCK_FLAG_PASSPHRASE","features":[97]},{"name":"FVEB_UNLOCK_FLAG_PIN","features":[97]},{"name":"FVEB_UNLOCK_FLAG_RECOVERY","features":[97]},{"name":"FVEB_UNLOCK_FLAG_TPM","features":[97]},{"name":"FilterType","features":[97]},{"name":"Filter_Spec_IPv4","features":[97,15]},{"name":"Filter_Spec_IPv4GPI","features":[97,15]},{"name":"GENERAL_INFO","features":[97]},{"name":"GQOS_API","features":[97]},{"name":"GQOS_ERRORCODE_UNKNOWN","features":[97]},{"name":"GQOS_ERRORVALUE_UNKNOWN","features":[97]},{"name":"GQOS_KERNEL_TC","features":[97]},{"name":"GQOS_KERNEL_TC_SYS","features":[97]},{"name":"GQOS_NET_ADMISSION","features":[97]},{"name":"GQOS_NET_POLICY","features":[97]},{"name":"GQOS_NO_ERRORCODE","features":[97]},{"name":"GQOS_NO_ERRORVALUE","features":[97]},{"name":"GQOS_RSVP","features":[97]},{"name":"GQOS_RSVP_SYS","features":[97]},{"name":"GUARANTEED_SERV","features":[97]},{"name":"GUAR_ADSPARM_C","features":[97]},{"name":"GUAR_ADSPARM_Csum","features":[97]},{"name":"GUAR_ADSPARM_Ctot","features":[97]},{"name":"GUAR_ADSPARM_D","features":[97]},{"name":"GUAR_ADSPARM_Dsum","features":[97]},{"name":"GUAR_ADSPARM_Dtot","features":[97]},{"name":"GUID_QOS_BESTEFFORT_BANDWIDTH","features":[97]},{"name":"GUID_QOS_ENABLE_AVG_STATS","features":[97]},{"name":"GUID_QOS_ENABLE_WINDOW_ADJUSTMENT","features":[97]},{"name":"GUID_QOS_FLOW_8021P_CONFORMING","features":[97]},{"name":"GUID_QOS_FLOW_8021P_NONCONFORMING","features":[97]},{"name":"GUID_QOS_FLOW_COUNT","features":[97]},{"name":"GUID_QOS_FLOW_IP_CONFORMING","features":[97]},{"name":"GUID_QOS_FLOW_IP_NONCONFORMING","features":[97]},{"name":"GUID_QOS_FLOW_MODE","features":[97]},{"name":"GUID_QOS_ISSLOW_FLOW","features":[97]},{"name":"GUID_QOS_LATENCY","features":[97]},{"name":"GUID_QOS_MAX_OUTSTANDING_SENDS","features":[97]},{"name":"GUID_QOS_NON_BESTEFFORT_LIMIT","features":[97]},{"name":"GUID_QOS_REMAINING_BANDWIDTH","features":[97]},{"name":"GUID_QOS_STATISTICS_BUFFER","features":[97]},{"name":"GUID_QOS_TIMER_RESOLUTION","features":[97]},{"name":"Gads_parms_t","features":[97]},{"name":"GenAdspecParams","features":[97]},{"name":"GenTspec","features":[97]},{"name":"GenTspecParms","features":[97]},{"name":"GuarFlowSpec","features":[97]},{"name":"GuarRspec","features":[97]},{"name":"HIGHLY_DELAY_SENSITIVE","features":[97]},{"name":"HSP_UPGRADE_IMAGEDATA","features":[97]},{"name":"IDENTITY_CHANGED","features":[97]},{"name":"IDPE_ATTR","features":[97]},{"name":"ID_ERROR_OBJECT","features":[97]},{"name":"IF_MIB_STATS_ID","features":[97]},{"name":"INFO_NOT_AVAILABLE","features":[97]},{"name":"INSUFFICIENT_PRIVILEGES","features":[97]},{"name":"INTSERV_VERSION0","features":[97]},{"name":"INTSERV_VERS_MASK","features":[97]},{"name":"INV_LPM_HANDLE","features":[97]},{"name":"INV_REQ_HANDLE","features":[97]},{"name":"INV_RESULTS","features":[97]},{"name":"IN_ADDR_IPV4","features":[97]},{"name":"IN_ADDR_IPV6","features":[97]},{"name":"IPX_PATTERN","features":[97]},{"name":"IP_INTFC_INFO_ID","features":[97]},{"name":"IP_MIB_ADDRTABLE_ENTRY_ID","features":[97]},{"name":"IP_MIB_STATS_ID","features":[97]},{"name":"IP_PATTERN","features":[97]},{"name":"ISPH_FLG_INV","features":[97]},{"name":"ISSH_BREAK_BIT","features":[97]},{"name":"IS_ADSPEC_BODY","features":[97]},{"name":"IS_FLOWSPEC","features":[97]},{"name":"IS_GUAR_RSPEC","features":[97]},{"name":"IS_WKP_COMPOSED_MTU","features":[97]},{"name":"IS_WKP_HOP_CNT","features":[97]},{"name":"IS_WKP_MIN_LATENCY","features":[97]},{"name":"IS_WKP_PATH_BW","features":[97]},{"name":"IS_WKP_Q_TSPEC","features":[97]},{"name":"IS_WKP_TB_TSPEC","features":[97]},{"name":"IntServFlowSpec","features":[97]},{"name":"IntServMainHdr","features":[97]},{"name":"IntServParmHdr","features":[97]},{"name":"IntServServiceHdr","features":[97]},{"name":"IntServTspecBody","features":[97]},{"name":"LINE_RATE","features":[97]},{"name":"LOCAL_QOSABILITY","features":[97]},{"name":"LOCAL_TRAFFIC_CONTROL","features":[97]},{"name":"LPMIPTABLE","features":[97,15]},{"name":"LPM_API_VERSION_1","features":[97]},{"name":"LPM_HANDLE","features":[97]},{"name":"LPM_INIT_INFO","features":[97]},{"name":"LPM_OK","features":[97]},{"name":"LPM_PE_ALL_TYPES","features":[97]},{"name":"LPM_PE_APP_IDENTITY","features":[97]},{"name":"LPM_PE_USER_IDENTITY","features":[97]},{"name":"LPM_RESULT_DEFER","features":[97]},{"name":"LPM_RESULT_READY","features":[97]},{"name":"LPM_TIME_OUT","features":[97]},{"name":"LPV_DONT_CARE","features":[97]},{"name":"LPV_DROP_MSG","features":[97]},{"name":"LPV_MAX_PRIORITY","features":[97]},{"name":"LPV_MIN_PRIORITY","features":[97]},{"name":"LPV_REJECT","features":[97]},{"name":"LPV_RESERVED","features":[97]},{"name":"MAX_HSP_UPGRADE_FILENAME_LENGTH","features":[97]},{"name":"MAX_PHYSADDR_SIZE","features":[97]},{"name":"MAX_STRING_LENGTH","features":[97]},{"name":"MODERATELY_DELAY_SENSITIVE","features":[97]},{"name":"OSDEVICE_TYPE_BLOCKIO_CDROM","features":[97]},{"name":"OSDEVICE_TYPE_BLOCKIO_FILE","features":[97]},{"name":"OSDEVICE_TYPE_BLOCKIO_HARDDISK","features":[97]},{"name":"OSDEVICE_TYPE_BLOCKIO_PARTITION","features":[97]},{"name":"OSDEVICE_TYPE_BLOCKIO_RAMDISK","features":[97]},{"name":"OSDEVICE_TYPE_BLOCKIO_REMOVABLEDISK","features":[97]},{"name":"OSDEVICE_TYPE_BLOCKIO_VIRTUALHARDDISK","features":[97]},{"name":"OSDEVICE_TYPE_CIMFS","features":[97]},{"name":"OSDEVICE_TYPE_COMPOSITE","features":[97]},{"name":"OSDEVICE_TYPE_SERIAL","features":[97]},{"name":"OSDEVICE_TYPE_UDP","features":[97]},{"name":"OSDEVICE_TYPE_UNKNOWN","features":[97]},{"name":"OSDEVICE_TYPE_VMBUS","features":[97]},{"name":"Opt_Distinct","features":[97]},{"name":"Opt_Explicit","features":[97]},{"name":"Opt_Share_mask","features":[97]},{"name":"Opt_Shared","features":[97]},{"name":"Opt_SndSel_mask","features":[97]},{"name":"Opt_Wildcard","features":[97]},{"name":"PALLOCMEM","features":[97]},{"name":"PARAM_BUFFER","features":[97]},{"name":"PCM_VERSION_1","features":[97]},{"name":"PE_ATTRIB_TYPE_CREDENTIAL","features":[97]},{"name":"PE_ATTRIB_TYPE_POLICY_LOCATOR","features":[97]},{"name":"PE_TYPE_APPID","features":[97]},{"name":"PFREEMEM","features":[97]},{"name":"POLICY_DATA","features":[97]},{"name":"POLICY_DECISION","features":[97]},{"name":"POLICY_ELEMENT","features":[97]},{"name":"POLICY_ERRV_CRAZY_FLOWSPEC","features":[97]},{"name":"POLICY_ERRV_EXPIRED_CREDENTIALS","features":[97]},{"name":"POLICY_ERRV_EXPIRED_USER_TOKEN","features":[97]},{"name":"POLICY_ERRV_GLOBAL_DEF_FLOW_COUNT","features":[97]},{"name":"POLICY_ERRV_GLOBAL_DEF_FLOW_DURATION","features":[97]},{"name":"POLICY_ERRV_GLOBAL_DEF_FLOW_RATE","features":[97]},{"name":"POLICY_ERRV_GLOBAL_DEF_PEAK_RATE","features":[97]},{"name":"POLICY_ERRV_GLOBAL_DEF_SUM_FLOW_RATE","features":[97]},{"name":"POLICY_ERRV_GLOBAL_DEF_SUM_PEAK_RATE","features":[97]},{"name":"POLICY_ERRV_GLOBAL_GRP_FLOW_COUNT","features":[97]},{"name":"POLICY_ERRV_GLOBAL_GRP_FLOW_DURATION","features":[97]},{"name":"POLICY_ERRV_GLOBAL_GRP_FLOW_RATE","features":[97]},{"name":"POLICY_ERRV_GLOBAL_GRP_PEAK_RATE","features":[97]},{"name":"POLICY_ERRV_GLOBAL_GRP_SUM_FLOW_RATE","features":[97]},{"name":"POLICY_ERRV_GLOBAL_GRP_SUM_PEAK_RATE","features":[97]},{"name":"POLICY_ERRV_GLOBAL_UNAUTH_USER_FLOW_COUNT","features":[97]},{"name":"POLICY_ERRV_GLOBAL_UNAUTH_USER_FLOW_DURATION","features":[97]},{"name":"POLICY_ERRV_GLOBAL_UNAUTH_USER_FLOW_RATE","features":[97]},{"name":"POLICY_ERRV_GLOBAL_UNAUTH_USER_PEAK_RATE","features":[97]},{"name":"POLICY_ERRV_GLOBAL_UNAUTH_USER_SUM_FLOW_RATE","features":[97]},{"name":"POLICY_ERRV_GLOBAL_UNAUTH_USER_SUM_PEAK_RATE","features":[97]},{"name":"POLICY_ERRV_GLOBAL_USER_FLOW_COUNT","features":[97]},{"name":"POLICY_ERRV_GLOBAL_USER_FLOW_DURATION","features":[97]},{"name":"POLICY_ERRV_GLOBAL_USER_FLOW_RATE","features":[97]},{"name":"POLICY_ERRV_GLOBAL_USER_PEAK_RATE","features":[97]},{"name":"POLICY_ERRV_GLOBAL_USER_SUM_FLOW_RATE","features":[97]},{"name":"POLICY_ERRV_GLOBAL_USER_SUM_PEAK_RATE","features":[97]},{"name":"POLICY_ERRV_IDENTITY_CHANGED","features":[97]},{"name":"POLICY_ERRV_INSUFFICIENT_PRIVILEGES","features":[97]},{"name":"POLICY_ERRV_NO_ACCEPTS","features":[97]},{"name":"POLICY_ERRV_NO_MEMORY","features":[97]},{"name":"POLICY_ERRV_NO_MORE_INFO","features":[97]},{"name":"POLICY_ERRV_NO_PRIVILEGES","features":[97]},{"name":"POLICY_ERRV_NO_RESOURCES","features":[97]},{"name":"POLICY_ERRV_PRE_EMPTED","features":[97]},{"name":"POLICY_ERRV_SUBNET_DEF_FLOW_COUNT","features":[97]},{"name":"POLICY_ERRV_SUBNET_DEF_FLOW_DURATION","features":[97]},{"name":"POLICY_ERRV_SUBNET_DEF_FLOW_RATE","features":[97]},{"name":"POLICY_ERRV_SUBNET_DEF_PEAK_RATE","features":[97]},{"name":"POLICY_ERRV_SUBNET_DEF_SUM_FLOW_RATE","features":[97]},{"name":"POLICY_ERRV_SUBNET_DEF_SUM_PEAK_RATE","features":[97]},{"name":"POLICY_ERRV_SUBNET_GRP_FLOW_COUNT","features":[97]},{"name":"POLICY_ERRV_SUBNET_GRP_FLOW_DURATION","features":[97]},{"name":"POLICY_ERRV_SUBNET_GRP_FLOW_RATE","features":[97]},{"name":"POLICY_ERRV_SUBNET_GRP_PEAK_RATE","features":[97]},{"name":"POLICY_ERRV_SUBNET_GRP_SUM_FLOW_RATE","features":[97]},{"name":"POLICY_ERRV_SUBNET_GRP_SUM_PEAK_RATE","features":[97]},{"name":"POLICY_ERRV_SUBNET_UNAUTH_USER_FLOW_COUNT","features":[97]},{"name":"POLICY_ERRV_SUBNET_UNAUTH_USER_FLOW_DURATION","features":[97]},{"name":"POLICY_ERRV_SUBNET_UNAUTH_USER_FLOW_RATE","features":[97]},{"name":"POLICY_ERRV_SUBNET_UNAUTH_USER_PEAK_RATE","features":[97]},{"name":"POLICY_ERRV_SUBNET_UNAUTH_USER_SUM_FLOW_RATE","features":[97]},{"name":"POLICY_ERRV_SUBNET_UNAUTH_USER_SUM_PEAK_RATE","features":[97]},{"name":"POLICY_ERRV_SUBNET_USER_FLOW_COUNT","features":[97]},{"name":"POLICY_ERRV_SUBNET_USER_FLOW_DURATION","features":[97]},{"name":"POLICY_ERRV_SUBNET_USER_FLOW_RATE","features":[97]},{"name":"POLICY_ERRV_SUBNET_USER_PEAK_RATE","features":[97]},{"name":"POLICY_ERRV_SUBNET_USER_SUM_FLOW_RATE","features":[97]},{"name":"POLICY_ERRV_SUBNET_USER_SUM_PEAK_RATE","features":[97]},{"name":"POLICY_ERRV_UNKNOWN","features":[97]},{"name":"POLICY_ERRV_UNKNOWN_USER","features":[97]},{"name":"POLICY_ERRV_UNSUPPORTED_CREDENTIAL_TYPE","features":[97]},{"name":"POLICY_ERRV_USER_CHANGED","features":[97]},{"name":"POLICY_LOCATOR_SUB_TYPE_ASCII_DN","features":[97]},{"name":"POLICY_LOCATOR_SUB_TYPE_ASCII_DN_ENC","features":[97]},{"name":"POLICY_LOCATOR_SUB_TYPE_UNICODE_DN","features":[97]},{"name":"POLICY_LOCATOR_SUB_TYPE_UNICODE_DN_ENC","features":[97]},{"name":"POSITIVE_INFINITY_RATE","features":[97]},{"name":"PREDICTIVE_SERV","features":[97]},{"name":"QOSAddSocketToFlow","features":[1,97,15]},{"name":"QOSCancel","features":[1,97,6]},{"name":"QOSCloseHandle","features":[1,97]},{"name":"QOSCreateHandle","features":[1,97]},{"name":"QOSEnumerateFlows","features":[1,97]},{"name":"QOSFlowRateCongestion","features":[97]},{"name":"QOSFlowRateContentChange","features":[97]},{"name":"QOSFlowRateHigherContentEncoding","features":[97]},{"name":"QOSFlowRateNotApplicable","features":[97]},{"name":"QOSFlowRateUserCaused","features":[97]},{"name":"QOSNotifyAvailable","features":[97]},{"name":"QOSNotifyCongested","features":[97]},{"name":"QOSNotifyFlow","features":[1,97,6]},{"name":"QOSNotifyUncongested","features":[97]},{"name":"QOSQueryFlow","features":[1,97,6]},{"name":"QOSQueryFlowFundamentals","features":[97]},{"name":"QOSQueryOutgoingRate","features":[97]},{"name":"QOSQueryPacketPriority","features":[97]},{"name":"QOSRemoveSocketFromFlow","features":[1,97,15]},{"name":"QOSSPBASE","features":[97]},{"name":"QOSSP_ERR_BASE","features":[97]},{"name":"QOSSetFlow","features":[1,97,6]},{"name":"QOSSetOutgoingDSCPValue","features":[97]},{"name":"QOSSetOutgoingRate","features":[97]},{"name":"QOSSetTrafficType","features":[97]},{"name":"QOSShapeAndMark","features":[97]},{"name":"QOSShapeOnly","features":[97]},{"name":"QOSStartTrackingClient","features":[1,97,15]},{"name":"QOSStopTrackingClient","features":[1,97,15]},{"name":"QOSTrafficTypeAudioVideo","features":[97]},{"name":"QOSTrafficTypeBackground","features":[97]},{"name":"QOSTrafficTypeBestEffort","features":[97]},{"name":"QOSTrafficTypeControl","features":[97]},{"name":"QOSTrafficTypeExcellentEffort","features":[97]},{"name":"QOSTrafficTypeVoice","features":[97]},{"name":"QOSUseNonConformantMarkings","features":[97]},{"name":"QOS_DESTADDR","features":[97,15]},{"name":"QOS_DIFFSERV","features":[97]},{"name":"QOS_DIFFSERV_RULE","features":[97]},{"name":"QOS_DS_CLASS","features":[97]},{"name":"QOS_FLOWRATE_OUTGOING","features":[97]},{"name":"QOS_FLOWRATE_REASON","features":[97]},{"name":"QOS_FLOW_FUNDAMENTALS","features":[1,97]},{"name":"QOS_FRIENDLY_NAME","features":[97]},{"name":"QOS_GENERAL_ID_BASE","features":[97]},{"name":"QOS_MAX_OBJECT_STRING_LENGTH","features":[97]},{"name":"QOS_NON_ADAPTIVE_FLOW","features":[97]},{"name":"QOS_NOTIFY_FLOW","features":[97]},{"name":"QOS_NOT_SPECIFIED","features":[97]},{"name":"QOS_OBJECT_HDR","features":[97]},{"name":"QOS_OUTGOING_DEFAULT_MINIMUM_BANDWIDTH","features":[97]},{"name":"QOS_PACKET_PRIORITY","features":[97]},{"name":"QOS_QUERYFLOW_FRESH","features":[97]},{"name":"QOS_QUERY_FLOW","features":[97]},{"name":"QOS_SD_MODE","features":[97]},{"name":"QOS_SET_FLOW","features":[97]},{"name":"QOS_SHAPING","features":[97]},{"name":"QOS_SHAPING_RATE","features":[97]},{"name":"QOS_TCP_TRAFFIC","features":[97]},{"name":"QOS_TRAFFIC_CLASS","features":[97]},{"name":"QOS_TRAFFIC_GENERAL_ID_BASE","features":[97]},{"name":"QOS_TRAFFIC_TYPE","features":[97]},{"name":"QOS_VERSION","features":[97]},{"name":"QUALITATIVE_SERV","features":[97]},{"name":"QualAppFlowSpec","features":[97]},{"name":"QualTspec","features":[97]},{"name":"QualTspecParms","features":[97]},{"name":"RCVD_PATH_TEAR","features":[97]},{"name":"RCVD_RESV_TEAR","features":[97]},{"name":"RESOURCES_ALLOCATED","features":[97]},{"name":"RESOURCES_MODIFIED","features":[97]},{"name":"RESV_STYLE","features":[97]},{"name":"RHANDLE","features":[97]},{"name":"RSVP_ADSPEC","features":[97]},{"name":"RSVP_DEFAULT_STYLE","features":[97]},{"name":"RSVP_Err_ADMISSION","features":[97]},{"name":"RSVP_Err_AMBIG_FILTER","features":[97]},{"name":"RSVP_Err_API_ERROR","features":[97]},{"name":"RSVP_Err_BAD_DSTPORT","features":[97]},{"name":"RSVP_Err_BAD_SNDPORT","features":[97]},{"name":"RSVP_Err_BAD_STYLE","features":[97]},{"name":"RSVP_Err_NONE","features":[97]},{"name":"RSVP_Err_NO_PATH","features":[97]},{"name":"RSVP_Err_NO_SENDER","features":[97]},{"name":"RSVP_Err_POLICY","features":[97]},{"name":"RSVP_Err_PREEMPTED","features":[97]},{"name":"RSVP_Err_RSVP_SYS_ERROR","features":[97]},{"name":"RSVP_Err_TC_ERROR","features":[97]},{"name":"RSVP_Err_TC_SYS_ERROR","features":[97]},{"name":"RSVP_Err_UNKNOWN_CTYPE","features":[97]},{"name":"RSVP_Err_UNKNOWN_STYLE","features":[97]},{"name":"RSVP_Err_UNKN_OBJ_CLASS","features":[97]},{"name":"RSVP_Erv_API","features":[97]},{"name":"RSVP_Erv_Bandwidth","features":[97]},{"name":"RSVP_Erv_Bucket_szie","features":[97]},{"name":"RSVP_Erv_Conflict_Serv","features":[97]},{"name":"RSVP_Erv_Crazy_Flowspec","features":[97]},{"name":"RSVP_Erv_Crazy_Tspec","features":[97]},{"name":"RSVP_Erv_DelayBnd","features":[97]},{"name":"RSVP_Erv_Flow_Rate","features":[97]},{"name":"RSVP_Erv_MEMORY","features":[97]},{"name":"RSVP_Erv_MTU","features":[97]},{"name":"RSVP_Erv_Min_Policied_size","features":[97]},{"name":"RSVP_Erv_No_Serv","features":[97]},{"name":"RSVP_Erv_Nonev","features":[97]},{"name":"RSVP_Erv_Other","features":[97]},{"name":"RSVP_Erv_Peak_Rate","features":[97]},{"name":"RSVP_FILTERSPEC","features":[97]},{"name":"RSVP_FILTERSPEC_V4","features":[97]},{"name":"RSVP_FILTERSPEC_V4_GPI","features":[97]},{"name":"RSVP_FILTERSPEC_V6","features":[97]},{"name":"RSVP_FILTERSPEC_V6_FLOW","features":[97]},{"name":"RSVP_FILTERSPEC_V6_GPI","features":[97]},{"name":"RSVP_FIXED_FILTER_STYLE","features":[97]},{"name":"RSVP_HOP","features":[97,15]},{"name":"RSVP_MSG_OBJS","features":[97,15]},{"name":"RSVP_OBJECT_ID_BASE","features":[97]},{"name":"RSVP_PATH","features":[97]},{"name":"RSVP_PATH_ERR","features":[97]},{"name":"RSVP_PATH_TEAR","features":[97]},{"name":"RSVP_POLICY","features":[97]},{"name":"RSVP_POLICY_INFO","features":[97]},{"name":"RSVP_RESERVE_INFO","features":[97,15]},{"name":"RSVP_RESV","features":[97]},{"name":"RSVP_RESV_ERR","features":[97]},{"name":"RSVP_RESV_TEAR","features":[97]},{"name":"RSVP_SCOPE","features":[97,15]},{"name":"RSVP_SESSION","features":[97,15]},{"name":"RSVP_SHARED_EXPLICIT_STYLE","features":[97]},{"name":"RSVP_STATUS_INFO","features":[97]},{"name":"RSVP_WILDCARD_STYLE","features":[97]},{"name":"RsvpObjHdr","features":[97]},{"name":"Rsvp_Hop_IPv4","features":[97,15]},{"name":"SENDER_TSPEC","features":[97]},{"name":"SERVICETYPE_BESTEFFORT","features":[97]},{"name":"SERVICETYPE_CONTROLLEDLOAD","features":[97]},{"name":"SERVICETYPE_GENERAL_INFORMATION","features":[97]},{"name":"SERVICETYPE_GUARANTEED","features":[97]},{"name":"SERVICETYPE_NETWORK_CONTROL","features":[97]},{"name":"SERVICETYPE_NETWORK_UNAVAILABLE","features":[97]},{"name":"SERVICETYPE_NOCHANGE","features":[97]},{"name":"SERVICETYPE_NONCONFORMING","features":[97]},{"name":"SERVICETYPE_NOTRAFFIC","features":[97]},{"name":"SERVICETYPE_QUALITATIVE","features":[97]},{"name":"SERVICE_BESTEFFORT","features":[97]},{"name":"SERVICE_CONTROLLEDLOAD","features":[97]},{"name":"SERVICE_GUARANTEED","features":[97]},{"name":"SERVICE_NO_QOS_SIGNALING","features":[97]},{"name":"SERVICE_NO_TRAFFIC_CONTROL","features":[97]},{"name":"SERVICE_QUALITATIVE","features":[97]},{"name":"SESSFLG_E_Police","features":[97]},{"name":"SIPAERROR_FIRMWAREFAILURE","features":[97]},{"name":"SIPAERROR_INTERNALFAILURE","features":[97]},{"name":"SIPAEVENTTYPE_AGGREGATION","features":[97]},{"name":"SIPAEVENTTYPE_AUTHORITY","features":[97]},{"name":"SIPAEVENTTYPE_CONTAINER","features":[97]},{"name":"SIPAEVENTTYPE_DRTM","features":[97]},{"name":"SIPAEVENTTYPE_ELAM","features":[97]},{"name":"SIPAEVENTTYPE_ERROR","features":[97]},{"name":"SIPAEVENTTYPE_INFORMATION","features":[97]},{"name":"SIPAEVENTTYPE_KSR","features":[97]},{"name":"SIPAEVENTTYPE_LOADEDMODULE","features":[97]},{"name":"SIPAEVENTTYPE_NONMEASURED","features":[97]},{"name":"SIPAEVENTTYPE_OSPARAMETER","features":[97]},{"name":"SIPAEVENTTYPE_PREOSPARAMETER","features":[97]},{"name":"SIPAEVENTTYPE_TRUSTPOINT","features":[97]},{"name":"SIPAEVENTTYPE_VBS","features":[97]},{"name":"SIPAEVENT_APPLICATION_RETURN","features":[97]},{"name":"SIPAEVENT_APPLICATION_SVN","features":[97]},{"name":"SIPAEVENT_AUTHENTICODEHASH","features":[97]},{"name":"SIPAEVENT_AUTHORITYISSUER","features":[97]},{"name":"SIPAEVENT_AUTHORITYPUBKEY","features":[97]},{"name":"SIPAEVENT_AUTHORITYPUBLISHER","features":[97]},{"name":"SIPAEVENT_AUTHORITYSERIAL","features":[97]},{"name":"SIPAEVENT_AUTHORITYSHA1THUMBPRINT","features":[97]},{"name":"SIPAEVENT_BITLOCKER_UNLOCK","features":[97]},{"name":"SIPAEVENT_BOOTCOUNTER","features":[97]},{"name":"SIPAEVENT_BOOTDEBUGGING","features":[97]},{"name":"SIPAEVENT_BOOT_REVOCATION_LIST","features":[97]},{"name":"SIPAEVENT_CODEINTEGRITY","features":[97]},{"name":"SIPAEVENT_COUNTERID","features":[97]},{"name":"SIPAEVENT_DATAEXECUTIONPREVENTION","features":[97]},{"name":"SIPAEVENT_DRIVER_LOAD_POLICY","features":[97]},{"name":"SIPAEVENT_DRTM_AMD_SMM_HASH","features":[97]},{"name":"SIPAEVENT_DRTM_AMD_SMM_SIGNER_KEY","features":[97]},{"name":"SIPAEVENT_DRTM_SMM_LEVEL","features":[97]},{"name":"SIPAEVENT_DRTM_STATE_AUTH","features":[97]},{"name":"SIPAEVENT_DUMPS_DISABLED","features":[97]},{"name":"SIPAEVENT_DUMP_ENCRYPTION_ENABLED","features":[97]},{"name":"SIPAEVENT_DUMP_ENCRYPTION_KEY_DIGEST","features":[97]},{"name":"SIPAEVENT_ELAM_CONFIGURATION","features":[97]},{"name":"SIPAEVENT_ELAM_KEYNAME","features":[97]},{"name":"SIPAEVENT_ELAM_MEASURED","features":[97]},{"name":"SIPAEVENT_ELAM_POLICY","features":[97]},{"name":"SIPAEVENT_EVENTCOUNTER","features":[97]},{"name":"SIPAEVENT_FILEPATH","features":[97]},{"name":"SIPAEVENT_FLIGHTSIGNING","features":[97]},{"name":"SIPAEVENT_HASHALGORITHMID","features":[97]},{"name":"SIPAEVENT_HIBERNATION_DISABLED","features":[97]},{"name":"SIPAEVENT_HYPERVISOR_BOOT_DMA_PROTECTION","features":[97]},{"name":"SIPAEVENT_HYPERVISOR_DEBUG","features":[97]},{"name":"SIPAEVENT_HYPERVISOR_IOMMU_POLICY","features":[97]},{"name":"SIPAEVENT_HYPERVISOR_LAUNCH_TYPE","features":[97]},{"name":"SIPAEVENT_HYPERVISOR_MMIO_NX_POLICY","features":[97]},{"name":"SIPAEVENT_HYPERVISOR_MSR_FILTER_POLICY","features":[97]},{"name":"SIPAEVENT_HYPERVISOR_PATH","features":[97]},{"name":"SIPAEVENT_IMAGEBASE","features":[97]},{"name":"SIPAEVENT_IMAGESIZE","features":[97]},{"name":"SIPAEVENT_IMAGEVALIDATED","features":[97]},{"name":"SIPAEVENT_INFORMATION","features":[97]},{"name":"SIPAEVENT_KSR_SIGNATURE","features":[97]},{"name":"SIPAEVENT_KSR_SIGNATURE_PAYLOAD","features":[97]},{"name":"SIPAEVENT_LSAISO_CONFIG","features":[97]},{"name":"SIPAEVENT_MODULE_HSP","features":[97]},{"name":"SIPAEVENT_MODULE_SVN","features":[97]},{"name":"SIPAEVENT_MORBIT_API_STATUS","features":[97]},{"name":"SIPAEVENT_MORBIT_NOT_CANCELABLE","features":[97]},{"name":"SIPAEVENT_NOAUTHORITY","features":[97]},{"name":"SIPAEVENT_OSDEVICE","features":[97]},{"name":"SIPAEVENT_OSKERNELDEBUG","features":[97]},{"name":"SIPAEVENT_OS_REVOCATION_LIST","features":[97]},{"name":"SIPAEVENT_PAGEFILE_ENCRYPTION_ENABLED","features":[97]},{"name":"SIPAEVENT_PHYSICALADDRESSEXTENSION","features":[97]},{"name":"SIPAEVENT_REVOCATION_LIST_PAYLOAD","features":[97]},{"name":"SIPAEVENT_SAFEMODE","features":[97]},{"name":"SIPAEVENT_SBCP_INFO","features":[97]},{"name":"SIPAEVENT_SBCP_INFO_PAYLOAD_V1","features":[97]},{"name":"SIPAEVENT_SI_POLICY","features":[97]},{"name":"SIPAEVENT_SI_POLICY_PAYLOAD","features":[97]},{"name":"SIPAEVENT_SMT_STATUS","features":[97]},{"name":"SIPAEVENT_SVN_CHAIN_STATUS","features":[97]},{"name":"SIPAEVENT_SYSTEMROOT","features":[97]},{"name":"SIPAEVENT_TESTSIGNING","features":[97]},{"name":"SIPAEVENT_TRANSFER_CONTROL","features":[97]},{"name":"SIPAEVENT_VBS_DUMP_USES_AMEROOT","features":[97]},{"name":"SIPAEVENT_VBS_HVCI_POLICY","features":[97]},{"name":"SIPAEVENT_VBS_IOMMU_REQUIRED","features":[97]},{"name":"SIPAEVENT_VBS_MANDATORY_ENFORCEMENT","features":[97]},{"name":"SIPAEVENT_VBS_MICROSOFT_BOOT_CHAIN_REQUIRED","features":[97]},{"name":"SIPAEVENT_VBS_MMIO_NX_REQUIRED","features":[97]},{"name":"SIPAEVENT_VBS_MSR_FILTERING_REQUIRED","features":[97]},{"name":"SIPAEVENT_VBS_SECUREBOOT_REQUIRED","features":[97]},{"name":"SIPAEVENT_VBS_VSM_NOSECRETS_ENFORCED","features":[97]},{"name":"SIPAEVENT_VBS_VSM_REQUIRED","features":[97]},{"name":"SIPAEVENT_VSM_IDKS_INFO","features":[97]},{"name":"SIPAEVENT_VSM_IDK_INFO","features":[97]},{"name":"SIPAEVENT_VSM_IDK_INFO_PAYLOAD","features":[97]},{"name":"SIPAEVENT_VSM_IDK_RSA_INFO","features":[97]},{"name":"SIPAEVENT_VSM_LAUNCH_TYPE","features":[97]},{"name":"SIPAEVENT_WINPE","features":[97]},{"name":"SIPAEV_ACTION","features":[97]},{"name":"SIPAEV_AMD_SL_EVENT_BASE","features":[97]},{"name":"SIPAEV_AMD_SL_LOAD","features":[97]},{"name":"SIPAEV_AMD_SL_LOAD_1","features":[97]},{"name":"SIPAEV_AMD_SL_PSP_FW_SPLT","features":[97]},{"name":"SIPAEV_AMD_SL_PUB_KEY","features":[97]},{"name":"SIPAEV_AMD_SL_SEPARATOR","features":[97]},{"name":"SIPAEV_AMD_SL_SVN","features":[97]},{"name":"SIPAEV_AMD_SL_TSME_RB_FUSE","features":[97]},{"name":"SIPAEV_COMPACT_HASH","features":[97]},{"name":"SIPAEV_CPU_MICROCODE","features":[97]},{"name":"SIPAEV_EFI_ACTION","features":[97]},{"name":"SIPAEV_EFI_BOOT_SERVICES_APPLICATION","features":[97]},{"name":"SIPAEV_EFI_BOOT_SERVICES_DRIVER","features":[97]},{"name":"SIPAEV_EFI_EVENT_BASE","features":[97]},{"name":"SIPAEV_EFI_GPT_EVENT","features":[97]},{"name":"SIPAEV_EFI_HANDOFF_TABLES","features":[97]},{"name":"SIPAEV_EFI_HANDOFF_TABLES2","features":[97]},{"name":"SIPAEV_EFI_HCRTM_EVENT","features":[97]},{"name":"SIPAEV_EFI_PLATFORM_FIRMWARE_BLOB","features":[97]},{"name":"SIPAEV_EFI_PLATFORM_FIRMWARE_BLOB2","features":[97]},{"name":"SIPAEV_EFI_RUNTIME_SERVICES_DRIVER","features":[97]},{"name":"SIPAEV_EFI_SPDM_FIRMWARE_BLOB","features":[97]},{"name":"SIPAEV_EFI_SPDM_FIRMWARE_CONFIG","features":[97]},{"name":"SIPAEV_EFI_VARIABLE_AUTHORITY","features":[97]},{"name":"SIPAEV_EFI_VARIABLE_BOOT","features":[97]},{"name":"SIPAEV_EFI_VARIABLE_BOOT2","features":[97]},{"name":"SIPAEV_EFI_VARIABLE_DRIVER_CONFIG","features":[97]},{"name":"SIPAEV_EVENT_TAG","features":[97]},{"name":"SIPAEV_IPL","features":[97]},{"name":"SIPAEV_IPL_PARTITION_DATA","features":[97]},{"name":"SIPAEV_NONHOST_CODE","features":[97]},{"name":"SIPAEV_NONHOST_CONFIG","features":[97]},{"name":"SIPAEV_NONHOST_INFO","features":[97]},{"name":"SIPAEV_NO_ACTION","features":[97]},{"name":"SIPAEV_OMIT_BOOT_DEVICE_EVENTS","features":[97]},{"name":"SIPAEV_PLATFORM_CONFIG_FLAGS","features":[97]},{"name":"SIPAEV_POST_CODE","features":[97]},{"name":"SIPAEV_PREBOOT_CERT","features":[97]},{"name":"SIPAEV_SEPARATOR","features":[97]},{"name":"SIPAEV_S_CRTM_CONTENTS","features":[97]},{"name":"SIPAEV_S_CRTM_VERSION","features":[97]},{"name":"SIPAEV_TABLE_OF_DEVICES","features":[97]},{"name":"SIPAEV_TXT_BIOSAC_REG_DATA","features":[97]},{"name":"SIPAEV_TXT_BOOT_POL_HASH","features":[97]},{"name":"SIPAEV_TXT_BPM_HASH","features":[97]},{"name":"SIPAEV_TXT_BPM_INFO_HASH","features":[97]},{"name":"SIPAEV_TXT_CAP_VALUE","features":[97]},{"name":"SIPAEV_TXT_COLD_BOOT_BIOS_HASH","features":[97]},{"name":"SIPAEV_TXT_COMBINED_HASH","features":[97]},{"name":"SIPAEV_TXT_CPU_SCRTM_STAT","features":[97]},{"name":"SIPAEV_TXT_ELEMENTS_HASH","features":[97]},{"name":"SIPAEV_TXT_EVENT_BASE","features":[97]},{"name":"SIPAEV_TXT_HASH_START","features":[97]},{"name":"SIPAEV_TXT_KM_HASH","features":[97]},{"name":"SIPAEV_TXT_KM_INFO_HASH","features":[97]},{"name":"SIPAEV_TXT_LCP_AUTHORITIES_HASH","features":[97]},{"name":"SIPAEV_TXT_LCP_CONTROL_HASH","features":[97]},{"name":"SIPAEV_TXT_LCP_DETAILS_HASH","features":[97]},{"name":"SIPAEV_TXT_LCP_HASH","features":[97]},{"name":"SIPAEV_TXT_MLE_HASH","features":[97]},{"name":"SIPAEV_TXT_NV_INFO_HASH","features":[97]},{"name":"SIPAEV_TXT_OSSINITDATA_CAP_HASH","features":[97]},{"name":"SIPAEV_TXT_PCR_MAPPING","features":[97]},{"name":"SIPAEV_TXT_RANDOM_VALUE","features":[97]},{"name":"SIPAEV_TXT_SINIT_PUBKEY_HASH","features":[97]},{"name":"SIPAEV_TXT_STM_HASH","features":[97]},{"name":"SIPAEV_UNUSED","features":[97]},{"name":"SIPAHDRSIGNATURE","features":[97]},{"name":"SIPAKSRHDRSIGNATURE","features":[97]},{"name":"SIPALOGVERSION","features":[97]},{"name":"STATE_TIMEOUT","features":[97]},{"name":"Scope_list_ipv4","features":[97,15]},{"name":"Session_IPv4","features":[97,15]},{"name":"TCBASE","features":[97]},{"name":"TCG_PCClientPCREventStruct","features":[97]},{"name":"TCG_PCClientTaggedEventStruct","features":[97]},{"name":"TCI_ADD_FLOW_COMPLETE_HANDLER","features":[1,97]},{"name":"TCI_CLIENT_FUNC_LIST","features":[1,97]},{"name":"TCI_DEL_FLOW_COMPLETE_HANDLER","features":[1,97]},{"name":"TCI_MOD_FLOW_COMPLETE_HANDLER","features":[1,97]},{"name":"TCI_NOTIFY_HANDLER","features":[1,97]},{"name":"TC_GEN_FILTER","features":[97]},{"name":"TC_GEN_FLOW","features":[97,15]},{"name":"TC_IFC_DESCRIPTOR","features":[16,97]},{"name":"TC_NONCONF_BORROW","features":[97]},{"name":"TC_NONCONF_BORROW_PLUS","features":[97]},{"name":"TC_NONCONF_DISCARD","features":[97]},{"name":"TC_NONCONF_SHAPE","features":[97]},{"name":"TC_NOTIFY_FLOW_CLOSE","features":[97]},{"name":"TC_NOTIFY_IFC_CHANGE","features":[97]},{"name":"TC_NOTIFY_IFC_CLOSE","features":[97]},{"name":"TC_NOTIFY_IFC_UP","features":[97]},{"name":"TC_NOTIFY_PARAM_CHANGED","features":[97]},{"name":"TC_SUPPORTED_INFO_BUFFER","features":[16,97]},{"name":"TcAddFilter","features":[1,97]},{"name":"TcAddFlow","features":[1,97,15]},{"name":"TcCloseInterface","features":[1,97]},{"name":"TcDeleteFilter","features":[1,97]},{"name":"TcDeleteFlow","features":[1,97]},{"name":"TcDeregisterClient","features":[1,97]},{"name":"TcEnumerateFlows","features":[1,97,15]},{"name":"TcEnumerateInterfaces","features":[1,16,97]},{"name":"TcGetFlowNameA","features":[1,97]},{"name":"TcGetFlowNameW","features":[1,97]},{"name":"TcModifyFlow","features":[1,97,15]},{"name":"TcOpenInterfaceA","features":[1,97]},{"name":"TcOpenInterfaceW","features":[1,97]},{"name":"TcQueryFlowA","features":[97]},{"name":"TcQueryFlowW","features":[97]},{"name":"TcQueryInterface","features":[1,97]},{"name":"TcRegisterClient","features":[1,97]},{"name":"TcSetFlowA","features":[97]},{"name":"TcSetFlowW","features":[97]},{"name":"TcSetInterface","features":[1,97]},{"name":"UNSUPPORTED_CREDENTIAL_TYPE","features":[97]},{"name":"WBCL_DIGEST_ALG_BITMAP_SHA3_256","features":[97]},{"name":"WBCL_DIGEST_ALG_BITMAP_SHA3_384","features":[97]},{"name":"WBCL_DIGEST_ALG_BITMAP_SHA3_512","features":[97]},{"name":"WBCL_DIGEST_ALG_BITMAP_SHA_1","features":[97]},{"name":"WBCL_DIGEST_ALG_BITMAP_SHA_2_256","features":[97]},{"name":"WBCL_DIGEST_ALG_BITMAP_SHA_2_384","features":[97]},{"name":"WBCL_DIGEST_ALG_BITMAP_SHA_2_512","features":[97]},{"name":"WBCL_DIGEST_ALG_BITMAP_SM3_256","features":[97]},{"name":"WBCL_DIGEST_ALG_ID_SHA3_256","features":[97]},{"name":"WBCL_DIGEST_ALG_ID_SHA3_384","features":[97]},{"name":"WBCL_DIGEST_ALG_ID_SHA3_512","features":[97]},{"name":"WBCL_DIGEST_ALG_ID_SHA_1","features":[97]},{"name":"WBCL_DIGEST_ALG_ID_SHA_2_256","features":[97]},{"name":"WBCL_DIGEST_ALG_ID_SHA_2_384","features":[97]},{"name":"WBCL_DIGEST_ALG_ID_SHA_2_512","features":[97]},{"name":"WBCL_DIGEST_ALG_ID_SM3_256","features":[97]},{"name":"WBCL_HASH_LEN_SHA1","features":[97]},{"name":"WBCL_Iterator","features":[97]},{"name":"WBCL_LogHdr","features":[97]},{"name":"WBCL_MAX_HSP_UPGRADE_HASH_LEN","features":[97]},{"name":"class_ADSPEC","features":[97]},{"name":"class_CONFIRM","features":[97]},{"name":"class_ERROR_SPEC","features":[97]},{"name":"class_FILTER_SPEC","features":[97]},{"name":"class_FLOWSPEC","features":[97]},{"name":"class_INTEGRITY","features":[97]},{"name":"class_IS_FLOWSPEC","features":[97]},{"name":"class_MAX","features":[97]},{"name":"class_NULL","features":[97]},{"name":"class_POLICY_DATA","features":[97]},{"name":"class_RSVP_HOP","features":[97]},{"name":"class_SCOPE","features":[97]},{"name":"class_SENDER_TEMPLATE","features":[97]},{"name":"class_SENDER_TSPEC","features":[97]},{"name":"class_SESSION","features":[97]},{"name":"class_SESSION_GROUP","features":[97]},{"name":"class_STYLE","features":[97]},{"name":"class_TIME_VALUES","features":[97]},{"name":"ctype_ADSPEC_INTSERV","features":[97]},{"name":"ctype_ERROR_SPEC_ipv4","features":[97]},{"name":"ctype_FILTER_SPEC_ipv4","features":[97]},{"name":"ctype_FILTER_SPEC_ipv4GPI","features":[97]},{"name":"ctype_FLOWSPEC_Intserv0","features":[97]},{"name":"ctype_POLICY_DATA","features":[97]},{"name":"ctype_RSVP_HOP_ipv4","features":[97]},{"name":"ctype_SCOPE_list_ipv4","features":[97]},{"name":"ctype_SENDER_TEMPLATE_ipv4","features":[97]},{"name":"ctype_SENDER_TEMPLATE_ipv4GPI","features":[97]},{"name":"ctype_SENDER_TSPEC","features":[97]},{"name":"ctype_SESSION_ipv4","features":[97]},{"name":"ctype_SESSION_ipv4GPI","features":[97]},{"name":"ctype_STYLE","features":[97]},{"name":"int_serv_wkp","features":[97]},{"name":"ioctl_code","features":[97]},{"name":"mCOMPANY","features":[97]},{"name":"mIOC_IN","features":[97]},{"name":"mIOC_OUT","features":[97]},{"name":"mIOC_VENDOR","features":[97]}],"457":[{"name":"ALLOW_NO_AUTH","features":[98]},{"name":"ALL_SOURCES","features":[98]},{"name":"ANY_SOURCE","features":[98]},{"name":"ATADDRESSLEN","features":[98]},{"name":"AUTH_VALIDATION_EX","features":[1,98]},{"name":"DO_NOT_ALLOW_NO_AUTH","features":[98]},{"name":"ERROR_ACCESSING_TCPCFGDLL","features":[98]},{"name":"ERROR_ACCT_DISABLED","features":[98]},{"name":"ERROR_ACCT_EXPIRED","features":[98]},{"name":"ERROR_ACTION_REQUIRED","features":[98]},{"name":"ERROR_ALLOCATING_MEMORY","features":[98]},{"name":"ERROR_ALREADY_DISCONNECTING","features":[98]},{"name":"ERROR_ASYNC_REQUEST_PENDING","features":[98]},{"name":"ERROR_AUTHENTICATION_FAILURE","features":[98]},{"name":"ERROR_AUTH_INTERNAL","features":[98]},{"name":"ERROR_AUTOMATIC_VPN_FAILED","features":[98]},{"name":"ERROR_BAD_ADDRESS_SPECIFIED","features":[98]},{"name":"ERROR_BAD_CALLBACK_NUMBER","features":[98]},{"name":"ERROR_BAD_PHONE_NUMBER","features":[98]},{"name":"ERROR_BAD_STRING","features":[98]},{"name":"ERROR_BAD_USAGE_IN_INI_FILE","features":[98]},{"name":"ERROR_BIPLEX_PORT_NOT_AVAILABLE","features":[98]},{"name":"ERROR_BLOCKED","features":[98]},{"name":"ERROR_BROADBAND_ACTIVE","features":[98]},{"name":"ERROR_BROADBAND_NO_NIC","features":[98]},{"name":"ERROR_BROADBAND_TIMEOUT","features":[98]},{"name":"ERROR_BUFFER_INVALID","features":[98]},{"name":"ERROR_BUFFER_TOO_SMALL","features":[98]},{"name":"ERROR_BUNDLE_NOT_FOUND","features":[98]},{"name":"ERROR_CANNOT_DELETE","features":[98]},{"name":"ERROR_CANNOT_DO_CUSTOMDIAL","features":[98]},{"name":"ERROR_CANNOT_FIND_PHONEBOOK_ENTRY","features":[98]},{"name":"ERROR_CANNOT_GET_LANA","features":[98]},{"name":"ERROR_CANNOT_INITIATE_MOBIKE_UPDATE","features":[98]},{"name":"ERROR_CANNOT_LOAD_PHONEBOOK","features":[98]},{"name":"ERROR_CANNOT_LOAD_STRING","features":[98]},{"name":"ERROR_CANNOT_OPEN_PHONEBOOK","features":[98]},{"name":"ERROR_CANNOT_PROJECT_CLIENT","features":[98]},{"name":"ERROR_CANNOT_SET_PORT_INFO","features":[98]},{"name":"ERROR_CANNOT_SHARE_CONNECTION","features":[98]},{"name":"ERROR_CANNOT_USE_LOGON_CREDENTIALS","features":[98]},{"name":"ERROR_CANNOT_WRITE_PHONEBOOK","features":[98]},{"name":"ERROR_CERT_FOR_ENCRYPTION_NOT_FOUND","features":[98]},{"name":"ERROR_CHANGING_PASSWORD","features":[98]},{"name":"ERROR_CMD_TOO_LONG","features":[98]},{"name":"ERROR_CONGESTION","features":[98]},{"name":"ERROR_CONNECTING_DEVICE_NOT_FOUND","features":[98]},{"name":"ERROR_CONNECTION_ALREADY_SHARED","features":[98]},{"name":"ERROR_CONNECTION_REJECT","features":[98]},{"name":"ERROR_CORRUPT_PHONEBOOK","features":[98]},{"name":"ERROR_DCB_NOT_FOUND","features":[98]},{"name":"ERROR_DEFAULTOFF_MACRO_NOT_FOUND","features":[98]},{"name":"ERROR_DEVICENAME_NOT_FOUND","features":[98]},{"name":"ERROR_DEVICENAME_TOO_LONG","features":[98]},{"name":"ERROR_DEVICETYPE_DOES_NOT_EXIST","features":[98]},{"name":"ERROR_DEVICE_COMPLIANCE","features":[98]},{"name":"ERROR_DEVICE_DOES_NOT_EXIST","features":[98]},{"name":"ERROR_DEVICE_NOT_READY","features":[98]},{"name":"ERROR_DIAL_ALREADY_IN_PROGRESS","features":[98]},{"name":"ERROR_DISCONNECTION","features":[98]},{"name":"ERROR_DNSNAME_NOT_RESOLVABLE","features":[98]},{"name":"ERROR_DONOTDISTURB","features":[98]},{"name":"ERROR_EAPTLS_CACHE_CREDENTIALS_INVALID","features":[98]},{"name":"ERROR_EAPTLS_PASSWD_INVALID","features":[98]},{"name":"ERROR_EAPTLS_SCARD_CACHE_CREDENTIALS_INVALID","features":[98]},{"name":"ERROR_EAP_METHOD_DOES_NOT_SUPPORT_SSO","features":[98]},{"name":"ERROR_EAP_METHOD_NOT_INSTALLED","features":[98]},{"name":"ERROR_EAP_METHOD_OPERATION_NOT_SUPPORTED","features":[98]},{"name":"ERROR_EAP_SERVER_CERT_EXPIRED","features":[98]},{"name":"ERROR_EAP_SERVER_CERT_INVALID","features":[98]},{"name":"ERROR_EAP_SERVER_CERT_OTHER_ERROR","features":[98]},{"name":"ERROR_EAP_SERVER_CERT_REVOKED","features":[98]},{"name":"ERROR_EAP_SERVER_ROOT_CERT_INVALID","features":[98]},{"name":"ERROR_EAP_SERVER_ROOT_CERT_NAME_REQUIRED","features":[98]},{"name":"ERROR_EAP_SERVER_ROOT_CERT_NOT_FOUND","features":[98]},{"name":"ERROR_EAP_USER_CERT_EXPIRED","features":[98]},{"name":"ERROR_EAP_USER_CERT_INVALID","features":[98]},{"name":"ERROR_EAP_USER_CERT_OTHER_ERROR","features":[98]},{"name":"ERROR_EAP_USER_CERT_REVOKED","features":[98]},{"name":"ERROR_EAP_USER_ROOT_CERT_EXPIRED","features":[98]},{"name":"ERROR_EAP_USER_ROOT_CERT_INVALID","features":[98]},{"name":"ERROR_EAP_USER_ROOT_CERT_NOT_FOUND","features":[98]},{"name":"ERROR_EMPTY_INI_FILE","features":[98]},{"name":"ERROR_EVENT_INVALID","features":[98]},{"name":"ERROR_FAILED_CP_REQUIRED","features":[98]},{"name":"ERROR_FAILED_TO_ENCRYPT","features":[98]},{"name":"ERROR_FAST_USER_SWITCH","features":[98]},{"name":"ERROR_FEATURE_DEPRECATED","features":[98]},{"name":"ERROR_FILE_COULD_NOT_BE_OPENED","features":[98]},{"name":"ERROR_FROM_DEVICE","features":[98]},{"name":"ERROR_HANGUP_FAILED","features":[98]},{"name":"ERROR_HARDWARE_FAILURE","features":[98]},{"name":"ERROR_HIBERNATION","features":[98]},{"name":"ERROR_IDLE_TIMEOUT","features":[98]},{"name":"ERROR_IKEV2_PSK_INTERFACE_ALREADY_EXISTS","features":[98]},{"name":"ERROR_INCOMPATIBLE","features":[98]},{"name":"ERROR_INTERACTIVE_MODE","features":[98]},{"name":"ERROR_INTERNAL_ADDRESS_FAILURE","features":[98]},{"name":"ERROR_INVALID_AUTH_STATE","features":[98]},{"name":"ERROR_INVALID_CALLBACK_NUMBER","features":[98]},{"name":"ERROR_INVALID_COMPRESSION_SPECIFIED","features":[98]},{"name":"ERROR_INVALID_DESTINATION_IP","features":[98]},{"name":"ERROR_INVALID_FUNCTION_FOR_ENTRY","features":[98]},{"name":"ERROR_INVALID_INTERFACE_CONFIG","features":[98]},{"name":"ERROR_INVALID_MSCHAPV2_CONFIG","features":[98]},{"name":"ERROR_INVALID_PEAP_COOKIE_ATTRIBUTES","features":[98]},{"name":"ERROR_INVALID_PEAP_COOKIE_CONFIG","features":[98]},{"name":"ERROR_INVALID_PEAP_COOKIE_USER","features":[98]},{"name":"ERROR_INVALID_PORT_HANDLE","features":[98]},{"name":"ERROR_INVALID_PREFERENCES","features":[98]},{"name":"ERROR_INVALID_SERVER_CERT","features":[98]},{"name":"ERROR_INVALID_SIZE","features":[98]},{"name":"ERROR_INVALID_SMM","features":[98]},{"name":"ERROR_INVALID_TUNNELID","features":[98]},{"name":"ERROR_INVALID_VPNSTRATEGY","features":[98]},{"name":"ERROR_IN_COMMAND","features":[98]},{"name":"ERROR_IPSEC_SERVICE_STOPPED","features":[98]},{"name":"ERROR_IPXCP_DIALOUT_ALREADY_ACTIVE","features":[98]},{"name":"ERROR_IPXCP_NET_NUMBER_CONFLICT","features":[98]},{"name":"ERROR_IPXCP_NO_DIALIN_CONFIGURED","features":[98]},{"name":"ERROR_IPXCP_NO_DIALOUT_CONFIGURED","features":[98]},{"name":"ERROR_IP_CONFIGURATION","features":[98]},{"name":"ERROR_KEY_NOT_FOUND","features":[98]},{"name":"ERROR_LINE_BUSY","features":[98]},{"name":"ERROR_LINK_FAILURE","features":[98]},{"name":"ERROR_MACRO_NOT_DEFINED","features":[98]},{"name":"ERROR_MACRO_NOT_FOUND","features":[98]},{"name":"ERROR_MESSAGE_MACRO_NOT_FOUND","features":[98]},{"name":"ERROR_MOBIKE_DISABLED","features":[98]},{"name":"ERROR_NAME_EXISTS_ON_NET","features":[98]},{"name":"ERROR_NETBIOS_ERROR","features":[98]},{"name":"ERROR_NOT_BINARY_MACRO","features":[98]},{"name":"ERROR_NOT_NAP_CAPABLE","features":[98]},{"name":"ERROR_NO_ACTIVE_ISDN_LINES","features":[98]},{"name":"ERROR_NO_ANSWER","features":[98]},{"name":"ERROR_NO_CARRIER","features":[98]},{"name":"ERROR_NO_CERTIFICATE","features":[98]},{"name":"ERROR_NO_COMMAND_FOUND","features":[98]},{"name":"ERROR_NO_CONNECTION","features":[98]},{"name":"ERROR_NO_DIALIN_PERMISSION","features":[98]},{"name":"ERROR_NO_DIALTONE","features":[98]},{"name":"ERROR_NO_DIFF_USER_AT_LOGON","features":[98]},{"name":"ERROR_NO_EAPTLS_CERTIFICATE","features":[98]},{"name":"ERROR_NO_ENDPOINTS","features":[98]},{"name":"ERROR_NO_IP_ADDRESSES","features":[98]},{"name":"ERROR_NO_IP_RAS_ADAPTER","features":[98]},{"name":"ERROR_NO_ISDN_CHANNELS_AVAILABLE","features":[98]},{"name":"ERROR_NO_LOCAL_ENCRYPTION","features":[98]},{"name":"ERROR_NO_MAC_FOR_PORT","features":[98]},{"name":"ERROR_NO_REG_CERT_AT_LOGON","features":[98]},{"name":"ERROR_NO_REMOTE_ENCRYPTION","features":[98]},{"name":"ERROR_NO_RESPONSES","features":[98]},{"name":"ERROR_NO_SMART_CARD_READER","features":[98]},{"name":"ERROR_NUMBERCHANGED","features":[98]},{"name":"ERROR_OAKLEY_ATTRIB_FAIL","features":[98]},{"name":"ERROR_OAKLEY_AUTH_FAIL","features":[98]},{"name":"ERROR_OAKLEY_ERROR","features":[98]},{"name":"ERROR_OAKLEY_GENERAL_PROCESSING","features":[98]},{"name":"ERROR_OAKLEY_NO_CERT","features":[98]},{"name":"ERROR_OAKLEY_NO_PEER_CERT","features":[98]},{"name":"ERROR_OAKLEY_NO_POLICY","features":[98]},{"name":"ERROR_OAKLEY_TIMED_OUT","features":[98]},{"name":"ERROR_OUTOFORDER","features":[98]},{"name":"ERROR_OUT_OF_BUFFERS","features":[98]},{"name":"ERROR_OVERRUN","features":[98]},{"name":"ERROR_PARTIAL_RESPONSE_LOOPING","features":[98]},{"name":"ERROR_PASSWD_EXPIRED","features":[98]},{"name":"ERROR_PEAP_CRYPTOBINDING_INVALID","features":[98]},{"name":"ERROR_PEAP_CRYPTOBINDING_NOTRECEIVED","features":[98]},{"name":"ERROR_PEAP_IDENTITY_MISMATCH","features":[98]},{"name":"ERROR_PEAP_SERVER_REJECTED_CLIENT_TLV","features":[98]},{"name":"ERROR_PHONE_NUMBER_TOO_LONG","features":[98]},{"name":"ERROR_PLUGIN_NOT_INSTALLED","features":[98]},{"name":"ERROR_PORT_ALREADY_OPEN","features":[98]},{"name":"ERROR_PORT_DISCONNECTED","features":[98]},{"name":"ERROR_PORT_NOT_AVAILABLE","features":[98]},{"name":"ERROR_PORT_NOT_CONFIGURED","features":[98]},{"name":"ERROR_PORT_NOT_CONNECTED","features":[98]},{"name":"ERROR_PORT_NOT_FOUND","features":[98]},{"name":"ERROR_PORT_NOT_OPEN","features":[98]},{"name":"ERROR_PORT_OR_DEVICE","features":[98]},{"name":"ERROR_PPP_CP_REJECTED","features":[98]},{"name":"ERROR_PPP_INVALID_PACKET","features":[98]},{"name":"ERROR_PPP_LCP_TERMINATED","features":[98]},{"name":"ERROR_PPP_LOOPBACK_DETECTED","features":[98]},{"name":"ERROR_PPP_NCP_TERMINATED","features":[98]},{"name":"ERROR_PPP_NOT_CONVERGING","features":[98]},{"name":"ERROR_PPP_NO_ADDRESS_ASSIGNED","features":[98]},{"name":"ERROR_PPP_NO_PROTOCOLS_CONFIGURED","features":[98]},{"name":"ERROR_PPP_NO_RESPONSE","features":[98]},{"name":"ERROR_PPP_REMOTE_TERMINATED","features":[98]},{"name":"ERROR_PPP_REQUIRED_ADDRESS_REJECTED","features":[98]},{"name":"ERROR_PPP_TIMEOUT","features":[98]},{"name":"ERROR_PROJECTION_NOT_COMPLETE","features":[98]},{"name":"ERROR_PROTOCOL_ENGINE_DISABLED","features":[98]},{"name":"ERROR_PROTOCOL_NOT_CONFIGURED","features":[98]},{"name":"ERROR_RASAUTO_CANNOT_INITIALIZE","features":[98]},{"name":"ERROR_RASMAN_CANNOT_INITIALIZE","features":[98]},{"name":"ERROR_RASMAN_SERVICE_STOPPED","features":[98]},{"name":"ERROR_RASQEC_CONN_DOESNOTEXIST","features":[98]},{"name":"ERROR_RASQEC_NAPAGENT_NOT_CONNECTED","features":[98]},{"name":"ERROR_RASQEC_NAPAGENT_NOT_ENABLED","features":[98]},{"name":"ERROR_RASQEC_RESOURCE_CREATION_FAILED","features":[98]},{"name":"ERROR_RASQEC_TIMEOUT","features":[98]},{"name":"ERROR_READING_DEFAULTOFF","features":[98]},{"name":"ERROR_READING_DEVICENAME","features":[98]},{"name":"ERROR_READING_DEVICETYPE","features":[98]},{"name":"ERROR_READING_INI_FILE","features":[98]},{"name":"ERROR_READING_MAXCARRIERBPS","features":[98]},{"name":"ERROR_READING_MAXCONNECTBPS","features":[98]},{"name":"ERROR_READING_SCARD","features":[98]},{"name":"ERROR_READING_SECTIONNAME","features":[98]},{"name":"ERROR_READING_USAGE","features":[98]},{"name":"ERROR_RECV_BUF_FULL","features":[98]},{"name":"ERROR_REMOTE_DISCONNECTION","features":[98]},{"name":"ERROR_REMOTE_REQUIRES_ENCRYPTION","features":[98]},{"name":"ERROR_REQUEST_TIMEOUT","features":[98]},{"name":"ERROR_RESTRICTED_LOGON_HOURS","features":[98]},{"name":"ERROR_ROUTE_NOT_ALLOCATED","features":[98]},{"name":"ERROR_ROUTE_NOT_AVAILABLE","features":[98]},{"name":"ERROR_SCRIPT_SYNTAX","features":[98]},{"name":"ERROR_SERVER_GENERAL_NET_FAILURE","features":[98]},{"name":"ERROR_SERVER_NOT_RESPONDING","features":[98]},{"name":"ERROR_SERVER_OUT_OF_RESOURCES","features":[98]},{"name":"ERROR_SERVER_POLICY","features":[98]},{"name":"ERROR_SHARE_CONNECTION_FAILED","features":[98]},{"name":"ERROR_SHARING_ADDRESS_EXISTS","features":[98]},{"name":"ERROR_SHARING_CHANGE_FAILED","features":[98]},{"name":"ERROR_SHARING_HOST_ADDRESS_CONFLICT","features":[98]},{"name":"ERROR_SHARING_MULTIPLE_ADDRESSES","features":[98]},{"name":"ERROR_SHARING_NO_PRIVATE_LAN","features":[98]},{"name":"ERROR_SHARING_PRIVATE_INSTALL","features":[98]},{"name":"ERROR_SHARING_ROUTER_INSTALL","features":[98]},{"name":"ERROR_SHARING_RRAS_CONFLICT","features":[98]},{"name":"ERROR_SLIP_REQUIRES_IP","features":[98]},{"name":"ERROR_SMART_CARD_REQUIRED","features":[98]},{"name":"ERROR_SMM_TIMEOUT","features":[98]},{"name":"ERROR_SMM_UNINITIALIZED","features":[98]},{"name":"ERROR_SSO_CERT_MISSING","features":[98]},{"name":"ERROR_SSTP_COOKIE_SET_FAILURE","features":[98]},{"name":"ERROR_STATE_MACHINES_ALREADY_STARTED","features":[98]},{"name":"ERROR_STATE_MACHINES_NOT_STARTED","features":[98]},{"name":"ERROR_SYSTEM_SUSPENDED","features":[98]},{"name":"ERROR_TAPI_CONFIGURATION","features":[98]},{"name":"ERROR_TEMPFAILURE","features":[98]},{"name":"ERROR_TOO_MANY_LINE_ERRORS","features":[98]},{"name":"ERROR_TS_UNACCEPTABLE","features":[98]},{"name":"ERROR_UNABLE_TO_AUTHENTICATE_SERVER","features":[98]},{"name":"ERROR_UNEXPECTED_RESPONSE","features":[98]},{"name":"ERROR_UNKNOWN","features":[98]},{"name":"ERROR_UNKNOWN_DEVICE_TYPE","features":[98]},{"name":"ERROR_UNKNOWN_FRAMED_PROTOCOL","features":[98]},{"name":"ERROR_UNKNOWN_RESPONSE_KEY","features":[98]},{"name":"ERROR_UNKNOWN_SERVICE_TYPE","features":[98]},{"name":"ERROR_UNRECOGNIZED_RESPONSE","features":[98]},{"name":"ERROR_UNSUPPORTED_BPS","features":[98]},{"name":"ERROR_UPDATECONNECTION_REQUEST_IN_PROCESS","features":[98]},{"name":"ERROR_USER_DISCONNECTION","features":[98]},{"name":"ERROR_USER_LOGOFF","features":[98]},{"name":"ERROR_VALIDATING_SERVER_CERT","features":[98]},{"name":"ERROR_VOICE_ANSWER","features":[98]},{"name":"ERROR_VPN_BAD_CERT","features":[98]},{"name":"ERROR_VPN_BAD_PSK","features":[98]},{"name":"ERROR_VPN_DISCONNECT","features":[98]},{"name":"ERROR_VPN_GRE_BLOCKED","features":[98]},{"name":"ERROR_VPN_PLUGIN_GENERIC","features":[98]},{"name":"ERROR_VPN_REFUSED","features":[98]},{"name":"ERROR_VPN_TIMEOUT","features":[98]},{"name":"ERROR_WRITING_DEFAULTOFF","features":[98]},{"name":"ERROR_WRITING_DEVICENAME","features":[98]},{"name":"ERROR_WRITING_DEVICETYPE","features":[98]},{"name":"ERROR_WRITING_INITBPS","features":[98]},{"name":"ERROR_WRITING_MAXCARRIERBPS","features":[98]},{"name":"ERROR_WRITING_MAXCONNECTBPS","features":[98]},{"name":"ERROR_WRITING_SECTIONNAME","features":[98]},{"name":"ERROR_WRITING_USAGE","features":[98]},{"name":"ERROR_WRONG_DEVICE_ATTACHED","features":[98]},{"name":"ERROR_WRONG_INFO_SPECIFIED","features":[98]},{"name":"ERROR_WRONG_KEY_SPECIFIED","features":[98]},{"name":"ERROR_WRONG_MODULE","features":[98]},{"name":"ERROR_WRONG_TUNNEL_TYPE","features":[98]},{"name":"ERROR_X25_DIAGNOSTIC","features":[98]},{"name":"ET_None","features":[98]},{"name":"ET_Optional","features":[98]},{"name":"ET_Require","features":[98]},{"name":"ET_RequireMax","features":[98]},{"name":"GRE_CONFIG_PARAMS0","features":[98]},{"name":"HRASCONN","features":[98]},{"name":"IKEV2_CONFIG_PARAMS","features":[1,98,68]},{"name":"IKEV2_ID_PAYLOAD_TYPE","features":[98]},{"name":"IKEV2_ID_PAYLOAD_TYPE_DER_ASN1_DN","features":[98]},{"name":"IKEV2_ID_PAYLOAD_TYPE_DER_ASN1_GN","features":[98]},{"name":"IKEV2_ID_PAYLOAD_TYPE_FQDN","features":[98]},{"name":"IKEV2_ID_PAYLOAD_TYPE_ID_IPV6_ADDR","features":[98]},{"name":"IKEV2_ID_PAYLOAD_TYPE_INVALID","features":[98]},{"name":"IKEV2_ID_PAYLOAD_TYPE_IPV4_ADDR","features":[98]},{"name":"IKEV2_ID_PAYLOAD_TYPE_KEY_ID","features":[98]},{"name":"IKEV2_ID_PAYLOAD_TYPE_MAX","features":[98]},{"name":"IKEV2_ID_PAYLOAD_TYPE_RESERVED1","features":[98]},{"name":"IKEV2_ID_PAYLOAD_TYPE_RESERVED2","features":[98]},{"name":"IKEV2_ID_PAYLOAD_TYPE_RESERVED3","features":[98]},{"name":"IKEV2_ID_PAYLOAD_TYPE_RESERVED4","features":[98]},{"name":"IKEV2_ID_PAYLOAD_TYPE_RFC822_ADDR","features":[98]},{"name":"IKEV2_PROJECTION_INFO","features":[98]},{"name":"IKEV2_PROJECTION_INFO2","features":[98]},{"name":"IKEV2_TUNNEL_CONFIG_PARAMS2","features":[98,68]},{"name":"IKEV2_TUNNEL_CONFIG_PARAMS3","features":[1,98,68]},{"name":"IKEV2_TUNNEL_CONFIG_PARAMS4","features":[1,98,68]},{"name":"IPADDRESSLEN","features":[98]},{"name":"IPV6_ADDRESS_LEN_IN_BYTES","features":[98]},{"name":"IPXADDRESSLEN","features":[98]},{"name":"L2TP_CONFIG_PARAMS0","features":[98]},{"name":"L2TP_CONFIG_PARAMS1","features":[98]},{"name":"L2TP_TUNNEL_CONFIG_PARAMS1","features":[98]},{"name":"L2TP_TUNNEL_CONFIG_PARAMS2","features":[98]},{"name":"MAXIPADRESSLEN","features":[98]},{"name":"MAX_SSTP_HASH_SIZE","features":[98]},{"name":"METHOD_BGP4_AS_PATH","features":[98]},{"name":"METHOD_BGP4_NEXTHOP_ATTR","features":[98]},{"name":"METHOD_BGP4_PA_ORIGIN","features":[98]},{"name":"METHOD_BGP4_PEER_ID","features":[98]},{"name":"METHOD_RIP2_NEIGHBOUR_ADDR","features":[98]},{"name":"METHOD_RIP2_OUTBOUND_INTF","features":[98]},{"name":"METHOD_RIP2_ROUTE_TAG","features":[98]},{"name":"METHOD_RIP2_ROUTE_TIMESTAMP","features":[98]},{"name":"METHOD_TYPE_ALL_METHODS","features":[98]},{"name":"MGM_ENUM_TYPES","features":[98]},{"name":"MGM_FORWARD_STATE_FLAG","features":[98]},{"name":"MGM_IF_ENTRY","features":[1,98]},{"name":"MGM_JOIN_STATE_FLAG","features":[98]},{"name":"MGM_MFE_STATS_0","features":[98]},{"name":"MGM_MFE_STATS_1","features":[98]},{"name":"MPRAPI_ADMIN_DLL_CALLBACKS","features":[1,98,15]},{"name":"MPRAPI_ADMIN_DLL_VERSION_1","features":[98]},{"name":"MPRAPI_ADMIN_DLL_VERSION_2","features":[98]},{"name":"MPRAPI_IF_CUSTOM_CONFIG_FOR_IKEV2","features":[98]},{"name":"MPRAPI_IKEV2_AUTH_USING_CERT","features":[98]},{"name":"MPRAPI_IKEV2_AUTH_USING_EAP","features":[98]},{"name":"MPRAPI_IKEV2_PROJECTION_INFO_TYPE","features":[98]},{"name":"MPRAPI_IKEV2_SET_TUNNEL_CONFIG_PARAMS","features":[98]},{"name":"MPRAPI_L2TP_SET_TUNNEL_CONFIG_PARAMS","features":[98]},{"name":"MPRAPI_MPR_IF_CUSTOM_CONFIG_OBJECT_REVISION_1","features":[98]},{"name":"MPRAPI_MPR_IF_CUSTOM_CONFIG_OBJECT_REVISION_2","features":[98]},{"name":"MPRAPI_MPR_IF_CUSTOM_CONFIG_OBJECT_REVISION_3","features":[98]},{"name":"MPRAPI_MPR_SERVER_OBJECT_REVISION_1","features":[98]},{"name":"MPRAPI_MPR_SERVER_OBJECT_REVISION_2","features":[98]},{"name":"MPRAPI_MPR_SERVER_OBJECT_REVISION_3","features":[98]},{"name":"MPRAPI_MPR_SERVER_OBJECT_REVISION_4","features":[98]},{"name":"MPRAPI_MPR_SERVER_OBJECT_REVISION_5","features":[98]},{"name":"MPRAPI_MPR_SERVER_SET_CONFIG_OBJECT_REVISION_1","features":[98]},{"name":"MPRAPI_MPR_SERVER_SET_CONFIG_OBJECT_REVISION_2","features":[98]},{"name":"MPRAPI_MPR_SERVER_SET_CONFIG_OBJECT_REVISION_3","features":[98]},{"name":"MPRAPI_MPR_SERVER_SET_CONFIG_OBJECT_REVISION_4","features":[98]},{"name":"MPRAPI_MPR_SERVER_SET_CONFIG_OBJECT_REVISION_5","features":[98]},{"name":"MPRAPI_OBJECT_HEADER","features":[98]},{"name":"MPRAPI_OBJECT_TYPE","features":[98]},{"name":"MPRAPI_OBJECT_TYPE_AUTH_VALIDATION_OBJECT","features":[98]},{"name":"MPRAPI_OBJECT_TYPE_IF_CUSTOM_CONFIG_OBJECT","features":[98]},{"name":"MPRAPI_OBJECT_TYPE_MPR_SERVER_OBJECT","features":[98]},{"name":"MPRAPI_OBJECT_TYPE_MPR_SERVER_SET_CONFIG_OBJECT","features":[98]},{"name":"MPRAPI_OBJECT_TYPE_RAS_CONNECTION_OBJECT","features":[98]},{"name":"MPRAPI_OBJECT_TYPE_UPDATE_CONNECTION_OBJECT","features":[98]},{"name":"MPRAPI_PPP_PROJECTION_INFO_TYPE","features":[98]},{"name":"MPRAPI_RAS_CONNECTION_OBJECT_REVISION_1","features":[98]},{"name":"MPRAPI_RAS_UPDATE_CONNECTION_OBJECT_REVISION_1","features":[98]},{"name":"MPRAPI_SET_CONFIG_PROTOCOL_FOR_GRE","features":[98]},{"name":"MPRAPI_SET_CONFIG_PROTOCOL_FOR_IKEV2","features":[98]},{"name":"MPRAPI_SET_CONFIG_PROTOCOL_FOR_L2TP","features":[98]},{"name":"MPRAPI_SET_CONFIG_PROTOCOL_FOR_PPTP","features":[98]},{"name":"MPRAPI_SET_CONFIG_PROTOCOL_FOR_SSTP","features":[98]},{"name":"MPRAPI_TUNNEL_CONFIG_PARAMS0","features":[1,98,68]},{"name":"MPRAPI_TUNNEL_CONFIG_PARAMS1","features":[1,98,68]},{"name":"MPRDM_DialAll","features":[98]},{"name":"MPRDM_DialAsNeeded","features":[98]},{"name":"MPRDM_DialFirst","features":[98]},{"name":"MPRDT_Atm","features":[98]},{"name":"MPRDT_FrameRelay","features":[98]},{"name":"MPRDT_Generic","features":[98]},{"name":"MPRDT_Irda","features":[98]},{"name":"MPRDT_Isdn","features":[98]},{"name":"MPRDT_Modem","features":[98]},{"name":"MPRDT_Pad","features":[98]},{"name":"MPRDT_Parallel","features":[98]},{"name":"MPRDT_SW56","features":[98]},{"name":"MPRDT_Serial","features":[98]},{"name":"MPRDT_Sonet","features":[98]},{"name":"MPRDT_Vpn","features":[98]},{"name":"MPRDT_X25","features":[98]},{"name":"MPRET_Direct","features":[98]},{"name":"MPRET_Phone","features":[98]},{"name":"MPRET_Vpn","features":[98]},{"name":"MPRIDS_Disabled","features":[98]},{"name":"MPRIDS_UseGlobalValue","features":[98]},{"name":"MPRIO_DisableLcpExtensions","features":[98]},{"name":"MPRIO_IpHeaderCompression","features":[98]},{"name":"MPRIO_IpSecPreSharedKey","features":[98]},{"name":"MPRIO_NetworkLogon","features":[98]},{"name":"MPRIO_PromoteAlternates","features":[98]},{"name":"MPRIO_RemoteDefaultGateway","features":[98]},{"name":"MPRIO_RequireCHAP","features":[98]},{"name":"MPRIO_RequireDataEncryption","features":[98]},{"name":"MPRIO_RequireEAP","features":[98]},{"name":"MPRIO_RequireEncryptedPw","features":[98]},{"name":"MPRIO_RequireMachineCertificates","features":[98]},{"name":"MPRIO_RequireMsCHAP","features":[98]},{"name":"MPRIO_RequireMsCHAP2","features":[98]},{"name":"MPRIO_RequireMsEncryptedPw","features":[98]},{"name":"MPRIO_RequirePAP","features":[98]},{"name":"MPRIO_RequireSPAP","features":[98]},{"name":"MPRIO_SecureLocalFiles","features":[98]},{"name":"MPRIO_SharedPhoneNumbers","features":[98]},{"name":"MPRIO_SpecificIpAddr","features":[98]},{"name":"MPRIO_SpecificNameServers","features":[98]},{"name":"MPRIO_SwCompression","features":[98]},{"name":"MPRIO_UsePreSharedKeyForIkev2Initiator","features":[98]},{"name":"MPRIO_UsePreSharedKeyForIkev2Responder","features":[98]},{"name":"MPRNP_Ip","features":[98]},{"name":"MPRNP_Ipv6","features":[98]},{"name":"MPRNP_Ipx","features":[98]},{"name":"MPR_CERT_EKU","features":[1,98]},{"name":"MPR_CREDENTIALSEX_0","features":[98]},{"name":"MPR_CREDENTIALSEX_1","features":[98]},{"name":"MPR_DEVICE_0","features":[98]},{"name":"MPR_DEVICE_1","features":[98]},{"name":"MPR_ENABLE_RAS_ON_DEVICE","features":[98]},{"name":"MPR_ENABLE_ROUTING_ON_DEVICE","features":[98]},{"name":"MPR_ET","features":[98]},{"name":"MPR_ET_None","features":[98]},{"name":"MPR_ET_Optional","features":[98]},{"name":"MPR_ET_Require","features":[98]},{"name":"MPR_ET_RequireMax","features":[98]},{"name":"MPR_FILTER_0","features":[1,98]},{"name":"MPR_IFTRANSPORT_0","features":[1,98]},{"name":"MPR_IF_CUSTOMINFOEX0","features":[98,68]},{"name":"MPR_IF_CUSTOMINFOEX1","features":[98,68]},{"name":"MPR_IF_CUSTOMINFOEX2","features":[98,15,68]},{"name":"MPR_INTERFACE_0","features":[1,98]},{"name":"MPR_INTERFACE_1","features":[1,98]},{"name":"MPR_INTERFACE_2","features":[1,98]},{"name":"MPR_INTERFACE_3","features":[1,98,15]},{"name":"MPR_INTERFACE_ADMIN_DISABLED","features":[98]},{"name":"MPR_INTERFACE_CONNECTION_FAILURE","features":[98]},{"name":"MPR_INTERFACE_DIALOUT_HOURS_RESTRICTION","features":[98]},{"name":"MPR_INTERFACE_DIAL_MODE","features":[98]},{"name":"MPR_INTERFACE_NO_DEVICE","features":[98]},{"name":"MPR_INTERFACE_NO_MEDIA_SENSE","features":[98]},{"name":"MPR_INTERFACE_OUT_OF_RESOURCES","features":[98]},{"name":"MPR_INTERFACE_SERVICE_PAUSED","features":[98]},{"name":"MPR_IPINIP_INTERFACE_0","features":[98]},{"name":"MPR_MaxAreaCode","features":[98]},{"name":"MPR_MaxCallbackNumber","features":[98]},{"name":"MPR_MaxDeviceName","features":[98]},{"name":"MPR_MaxDeviceType","features":[98]},{"name":"MPR_MaxEntryName","features":[98]},{"name":"MPR_MaxFacilities","features":[98]},{"name":"MPR_MaxIpAddress","features":[98]},{"name":"MPR_MaxIpxAddress","features":[98]},{"name":"MPR_MaxPadType","features":[98]},{"name":"MPR_MaxPhoneNumber","features":[98]},{"name":"MPR_MaxUserData","features":[98]},{"name":"MPR_MaxX25Address","features":[98]},{"name":"MPR_SERVER_0","features":[1,98]},{"name":"MPR_SERVER_1","features":[98]},{"name":"MPR_SERVER_2","features":[98]},{"name":"MPR_SERVER_EX0","features":[1,98,68]},{"name":"MPR_SERVER_EX1","features":[1,98,68]},{"name":"MPR_SERVER_SET_CONFIG_EX0","features":[1,98,68]},{"name":"MPR_SERVER_SET_CONFIG_EX1","features":[1,98,68]},{"name":"MPR_TRANSPORT_0","features":[1,98]},{"name":"MPR_VPN_TRAFFIC_SELECTOR","features":[98,15]},{"name":"MPR_VPN_TRAFFIC_SELECTORS","features":[98,15]},{"name":"MPR_VPN_TS_IPv4_ADDR_RANGE","features":[98]},{"name":"MPR_VPN_TS_IPv6_ADDR_RANGE","features":[98]},{"name":"MPR_VPN_TS_TYPE","features":[98]},{"name":"MPR_VS","features":[98]},{"name":"MPR_VS_Default","features":[98]},{"name":"MPR_VS_Ikev2First","features":[98]},{"name":"MPR_VS_Ikev2Only","features":[98]},{"name":"MPR_VS_L2tpFirst","features":[98]},{"name":"MPR_VS_L2tpOnly","features":[98]},{"name":"MPR_VS_PptpFirst","features":[98]},{"name":"MPR_VS_PptpOnly","features":[98]},{"name":"MgmAddGroupMembershipEntry","features":[1,98]},{"name":"MgmDeRegisterMProtocol","features":[1,98]},{"name":"MgmDeleteGroupMembershipEntry","features":[1,98]},{"name":"MgmGetFirstMfe","features":[98]},{"name":"MgmGetFirstMfeStats","features":[98]},{"name":"MgmGetMfe","features":[90,98]},{"name":"MgmGetMfeStats","features":[90,98]},{"name":"MgmGetNextMfe","features":[90,98]},{"name":"MgmGetNextMfeStats","features":[90,98]},{"name":"MgmGetProtocolOnInterface","features":[98]},{"name":"MgmGroupEnumerationEnd","features":[1,98]},{"name":"MgmGroupEnumerationGetNext","features":[1,98]},{"name":"MgmGroupEnumerationStart","features":[1,98]},{"name":"MgmRegisterMProtocol","features":[1,98]},{"name":"MgmReleaseInterfaceOwnership","features":[1,98]},{"name":"MgmTakeInterfaceOwnership","features":[1,98]},{"name":"MprAdminBufferFree","features":[98]},{"name":"MprAdminConnectionClearStats","features":[1,98]},{"name":"MprAdminConnectionEnum","features":[98]},{"name":"MprAdminConnectionEnumEx","features":[1,98]},{"name":"MprAdminConnectionGetInfo","features":[1,98]},{"name":"MprAdminConnectionGetInfoEx","features":[1,98]},{"name":"MprAdminConnectionRemoveQuarantine","features":[1,98]},{"name":"MprAdminDeregisterConnectionNotification","features":[1,98]},{"name":"MprAdminDeviceEnum","features":[98]},{"name":"MprAdminEstablishDomainRasServer","features":[1,98]},{"name":"MprAdminGetErrorString","features":[98]},{"name":"MprAdminGetPDCServer","features":[98]},{"name":"MprAdminInterfaceConnect","features":[1,98]},{"name":"MprAdminInterfaceCreate","features":[1,98]},{"name":"MprAdminInterfaceDelete","features":[1,98]},{"name":"MprAdminInterfaceDeviceGetInfo","features":[1,98]},{"name":"MprAdminInterfaceDeviceSetInfo","features":[1,98]},{"name":"MprAdminInterfaceDisconnect","features":[1,98]},{"name":"MprAdminInterfaceEnum","features":[98]},{"name":"MprAdminInterfaceGetCredentials","features":[98]},{"name":"MprAdminInterfaceGetCredentialsEx","features":[1,98]},{"name":"MprAdminInterfaceGetCustomInfoEx","features":[1,98,15,68]},{"name":"MprAdminInterfaceGetHandle","features":[1,98]},{"name":"MprAdminInterfaceGetInfo","features":[1,98]},{"name":"MprAdminInterfaceQueryUpdateResult","features":[1,98]},{"name":"MprAdminInterfaceSetCredentials","features":[98]},{"name":"MprAdminInterfaceSetCredentialsEx","features":[1,98]},{"name":"MprAdminInterfaceSetCustomInfoEx","features":[1,98,15,68]},{"name":"MprAdminInterfaceSetInfo","features":[1,98]},{"name":"MprAdminInterfaceTransportAdd","features":[1,98]},{"name":"MprAdminInterfaceTransportGetInfo","features":[1,98]},{"name":"MprAdminInterfaceTransportRemove","features":[1,98]},{"name":"MprAdminInterfaceTransportSetInfo","features":[1,98]},{"name":"MprAdminInterfaceUpdatePhonebookInfo","features":[1,98]},{"name":"MprAdminInterfaceUpdateRoutes","features":[1,98]},{"name":"MprAdminIsDomainRasServer","features":[1,98]},{"name":"MprAdminIsServiceInitialized","features":[1,98]},{"name":"MprAdminIsServiceRunning","features":[1,98]},{"name":"MprAdminMIBBufferFree","features":[98]},{"name":"MprAdminMIBEntryCreate","features":[98]},{"name":"MprAdminMIBEntryDelete","features":[98]},{"name":"MprAdminMIBEntryGet","features":[98]},{"name":"MprAdminMIBEntryGetFirst","features":[98]},{"name":"MprAdminMIBEntryGetNext","features":[98]},{"name":"MprAdminMIBEntrySet","features":[98]},{"name":"MprAdminMIBServerConnect","features":[98]},{"name":"MprAdminMIBServerDisconnect","features":[98]},{"name":"MprAdminPortClearStats","features":[1,98]},{"name":"MprAdminPortDisconnect","features":[1,98]},{"name":"MprAdminPortEnum","features":[1,98]},{"name":"MprAdminPortGetInfo","features":[1,98]},{"name":"MprAdminPortReset","features":[1,98]},{"name":"MprAdminRegisterConnectionNotification","features":[1,98]},{"name":"MprAdminSendUserMessage","features":[1,98]},{"name":"MprAdminServerConnect","features":[98]},{"name":"MprAdminServerDisconnect","features":[98]},{"name":"MprAdminServerGetCredentials","features":[98]},{"name":"MprAdminServerGetInfo","features":[98]},{"name":"MprAdminServerGetInfoEx","features":[1,98,68]},{"name":"MprAdminServerSetCredentials","features":[98]},{"name":"MprAdminServerSetInfo","features":[98]},{"name":"MprAdminServerSetInfoEx","features":[1,98,68]},{"name":"MprAdminTransportCreate","features":[98]},{"name":"MprAdminTransportGetInfo","features":[98]},{"name":"MprAdminTransportSetInfo","features":[98]},{"name":"MprAdminUpdateConnection","features":[1,98]},{"name":"MprAdminUserGetInfo","features":[98]},{"name":"MprAdminUserSetInfo","features":[98]},{"name":"MprConfigBufferFree","features":[98]},{"name":"MprConfigFilterGetInfo","features":[1,98]},{"name":"MprConfigFilterSetInfo","features":[1,98]},{"name":"MprConfigGetFriendlyName","features":[1,98]},{"name":"MprConfigGetGuidName","features":[1,98]},{"name":"MprConfigInterfaceCreate","features":[1,98]},{"name":"MprConfigInterfaceDelete","features":[1,98]},{"name":"MprConfigInterfaceEnum","features":[1,98]},{"name":"MprConfigInterfaceGetCustomInfoEx","features":[1,98,15,68]},{"name":"MprConfigInterfaceGetHandle","features":[1,98]},{"name":"MprConfigInterfaceGetInfo","features":[1,98]},{"name":"MprConfigInterfaceSetCustomInfoEx","features":[1,98,15,68]},{"name":"MprConfigInterfaceSetInfo","features":[1,98]},{"name":"MprConfigInterfaceTransportAdd","features":[1,98]},{"name":"MprConfigInterfaceTransportEnum","features":[1,98]},{"name":"MprConfigInterfaceTransportGetHandle","features":[1,98]},{"name":"MprConfigInterfaceTransportGetInfo","features":[1,98]},{"name":"MprConfigInterfaceTransportRemove","features":[1,98]},{"name":"MprConfigInterfaceTransportSetInfo","features":[1,98]},{"name":"MprConfigServerBackup","features":[1,98]},{"name":"MprConfigServerConnect","features":[1,98]},{"name":"MprConfigServerDisconnect","features":[1,98]},{"name":"MprConfigServerGetInfo","features":[1,98]},{"name":"MprConfigServerGetInfoEx","features":[1,98,68]},{"name":"MprConfigServerInstall","features":[98]},{"name":"MprConfigServerRefresh","features":[1,98]},{"name":"MprConfigServerRestore","features":[1,98]},{"name":"MprConfigServerSetInfo","features":[98]},{"name":"MprConfigServerSetInfoEx","features":[1,98,68]},{"name":"MprConfigTransportCreate","features":[1,98]},{"name":"MprConfigTransportDelete","features":[1,98]},{"name":"MprConfigTransportEnum","features":[1,98]},{"name":"MprConfigTransportGetHandle","features":[1,98]},{"name":"MprConfigTransportGetInfo","features":[1,98]},{"name":"MprConfigTransportSetInfo","features":[1,98]},{"name":"MprInfoBlockAdd","features":[98]},{"name":"MprInfoBlockFind","features":[98]},{"name":"MprInfoBlockQuerySize","features":[98]},{"name":"MprInfoBlockRemove","features":[98]},{"name":"MprInfoBlockSet","features":[98]},{"name":"MprInfoCreate","features":[98]},{"name":"MprInfoDelete","features":[98]},{"name":"MprInfoDuplicate","features":[98]},{"name":"MprInfoRemoveAll","features":[98]},{"name":"ORASADFUNC","features":[1,98]},{"name":"PENDING","features":[98]},{"name":"PFNRASFREEBUFFER","features":[98]},{"name":"PFNRASGETBUFFER","features":[98]},{"name":"PFNRASRECEIVEBUFFER","features":[1,98]},{"name":"PFNRASRETRIEVEBUFFER","features":[1,98]},{"name":"PFNRASSENDBUFFER","features":[1,98]},{"name":"PFNRASSETCOMMSETTINGS","features":[1,98]},{"name":"PID_ATALK","features":[98]},{"name":"PID_IP","features":[98]},{"name":"PID_IPV6","features":[98]},{"name":"PID_IPX","features":[98]},{"name":"PID_NBF","features":[98]},{"name":"PMGM_CREATION_ALERT_CALLBACK","features":[1,98]},{"name":"PMGM_DISABLE_IGMP_CALLBACK","features":[98]},{"name":"PMGM_ENABLE_IGMP_CALLBACK","features":[98]},{"name":"PMGM_JOIN_ALERT_CALLBACK","features":[1,98]},{"name":"PMGM_LOCAL_JOIN_CALLBACK","features":[98]},{"name":"PMGM_LOCAL_LEAVE_CALLBACK","features":[98]},{"name":"PMGM_PRUNE_ALERT_CALLBACK","features":[1,98]},{"name":"PMGM_RPF_CALLBACK","features":[98]},{"name":"PMGM_WRONG_IF_CALLBACK","features":[98]},{"name":"PMPRADMINACCEPTNEWCONNECTION","features":[1,98]},{"name":"PMPRADMINACCEPTNEWCONNECTION2","features":[1,98]},{"name":"PMPRADMINACCEPTNEWCONNECTION3","features":[1,98]},{"name":"PMPRADMINACCEPTNEWCONNECTIONEX","features":[1,98]},{"name":"PMPRADMINACCEPTNEWLINK","features":[1,98]},{"name":"PMPRADMINACCEPTREAUTHENTICATION","features":[1,98]},{"name":"PMPRADMINACCEPTREAUTHENTICATIONEX","features":[1,98]},{"name":"PMPRADMINACCEPTTUNNELENDPOINTCHANGEEX","features":[1,98]},{"name":"PMPRADMINCONNECTIONHANGUPNOTIFICATION","features":[1,98]},{"name":"PMPRADMINCONNECTIONHANGUPNOTIFICATION2","features":[1,98]},{"name":"PMPRADMINCONNECTIONHANGUPNOTIFICATION3","features":[1,98]},{"name":"PMPRADMINCONNECTIONHANGUPNOTIFICATIONEX","features":[1,98]},{"name":"PMPRADMINGETIPADDRESSFORUSER","features":[1,98]},{"name":"PMPRADMINGETIPV6ADDRESSFORUSER","features":[1,98,15]},{"name":"PMPRADMINLINKHANGUPNOTIFICATION","features":[1,98]},{"name":"PMPRADMINRASVALIDATEPREAUTHENTICATEDCONNECTIONEX","features":[1,98]},{"name":"PMPRADMINRELEASEIPADRESS","features":[98]},{"name":"PMPRADMINRELEASEIPV6ADDRESSFORUSER","features":[98,15]},{"name":"PMPRADMINTERMINATEDLL","features":[98]},{"name":"PPP_ATCP_INFO","features":[98]},{"name":"PPP_CCP_COMPRESSION","features":[98]},{"name":"PPP_CCP_ENCRYPTION128BIT","features":[98]},{"name":"PPP_CCP_ENCRYPTION40BIT","features":[98]},{"name":"PPP_CCP_ENCRYPTION40BITOLD","features":[98]},{"name":"PPP_CCP_ENCRYPTION56BIT","features":[98]},{"name":"PPP_CCP_HISTORYLESS","features":[98]},{"name":"PPP_CCP_INFO","features":[98]},{"name":"PPP_INFO","features":[98]},{"name":"PPP_INFO_2","features":[98]},{"name":"PPP_INFO_3","features":[98]},{"name":"PPP_IPCP_INFO","features":[98]},{"name":"PPP_IPCP_INFO2","features":[98]},{"name":"PPP_IPCP_VJ","features":[98]},{"name":"PPP_IPV6_CP_INFO","features":[98]},{"name":"PPP_IPXCP_INFO","features":[98]},{"name":"PPP_LCP","features":[98]},{"name":"PPP_LCP_3_DES","features":[98]},{"name":"PPP_LCP_ACFC","features":[98]},{"name":"PPP_LCP_AES_128","features":[98]},{"name":"PPP_LCP_AES_192","features":[98]},{"name":"PPP_LCP_AES_256","features":[98]},{"name":"PPP_LCP_CHAP","features":[98]},{"name":"PPP_LCP_CHAP_MD5","features":[98]},{"name":"PPP_LCP_CHAP_MS","features":[98]},{"name":"PPP_LCP_CHAP_MSV2","features":[98]},{"name":"PPP_LCP_DES_56","features":[98]},{"name":"PPP_LCP_EAP","features":[98]},{"name":"PPP_LCP_GCM_AES_128","features":[98]},{"name":"PPP_LCP_GCM_AES_192","features":[98]},{"name":"PPP_LCP_GCM_AES_256","features":[98]},{"name":"PPP_LCP_INFO","features":[98]},{"name":"PPP_LCP_INFO_AUTH_DATA","features":[98]},{"name":"PPP_LCP_MULTILINK_FRAMING","features":[98]},{"name":"PPP_LCP_PAP","features":[98]},{"name":"PPP_LCP_PFC","features":[98]},{"name":"PPP_LCP_SPAP","features":[98]},{"name":"PPP_LCP_SSHF","features":[98]},{"name":"PPP_NBFCP_INFO","features":[98]},{"name":"PPP_PROJECTION_INFO","features":[98]},{"name":"PPP_PROJECTION_INFO2","features":[98]},{"name":"PPTP_CONFIG_PARAMS","features":[98]},{"name":"PROJECTION_INFO","features":[98]},{"name":"PROJECTION_INFO2","features":[98]},{"name":"PROJECTION_INFO_TYPE_IKEv2","features":[98]},{"name":"PROJECTION_INFO_TYPE_PPP","features":[98]},{"name":"RASADFLG_PositionDlg","features":[98]},{"name":"RASADFUNCA","features":[1,98]},{"name":"RASADFUNCW","features":[1,98]},{"name":"RASADPARAMS","features":[1,98]},{"name":"RASADP_ConnectionQueryTimeout","features":[98]},{"name":"RASADP_DisableConnectionQuery","features":[98]},{"name":"RASADP_FailedConnectionTimeout","features":[98]},{"name":"RASADP_LoginSessionDisable","features":[98]},{"name":"RASADP_SavedAddressesLimit","features":[98]},{"name":"RASAMBA","features":[98]},{"name":"RASAMBW","features":[98]},{"name":"RASAPIVERSION","features":[98]},{"name":"RASAPIVERSION_500","features":[98]},{"name":"RASAPIVERSION_501","features":[98]},{"name":"RASAPIVERSION_600","features":[98]},{"name":"RASAPIVERSION_601","features":[98]},{"name":"RASAUTODIALENTRYA","features":[98]},{"name":"RASAUTODIALENTRYW","features":[98]},{"name":"RASBASE","features":[98]},{"name":"RASBASEEND","features":[98]},{"name":"RASCCPCA_MPPC","features":[98]},{"name":"RASCCPCA_STAC","features":[98]},{"name":"RASCCPO_Compression","features":[98]},{"name":"RASCCPO_Encryption128bit","features":[98]},{"name":"RASCCPO_Encryption40bit","features":[98]},{"name":"RASCCPO_Encryption56bit","features":[98]},{"name":"RASCCPO_HistoryLess","features":[98]},{"name":"RASCF_AllUsers","features":[98]},{"name":"RASCF_GlobalCreds","features":[98]},{"name":"RASCF_OwnerKnown","features":[98]},{"name":"RASCF_OwnerMatch","features":[98]},{"name":"RASCM_DDMPreSharedKey","features":[98]},{"name":"RASCM_DefaultCreds","features":[98]},{"name":"RASCM_Domain","features":[98]},{"name":"RASCM_Password","features":[98]},{"name":"RASCM_PreSharedKey","features":[98]},{"name":"RASCM_ServerPreSharedKey","features":[98]},{"name":"RASCM_UserName","features":[98]},{"name":"RASCN_BandwidthAdded","features":[98]},{"name":"RASCN_BandwidthRemoved","features":[98]},{"name":"RASCN_Connection","features":[98]},{"name":"RASCN_Disconnection","features":[98]},{"name":"RASCN_Dormant","features":[98]},{"name":"RASCN_EPDGPacketArrival","features":[98]},{"name":"RASCN_ReConnection","features":[98]},{"name":"RASCOMMSETTINGS","features":[98]},{"name":"RASCONNA","features":[1,98]},{"name":"RASCONNA","features":[1,98]},{"name":"RASCONNSTATE","features":[98]},{"name":"RASCONNSTATUSA","features":[98,15]},{"name":"RASCONNSTATUSW","features":[98,15]},{"name":"RASCONNSUBSTATE","features":[98]},{"name":"RASCONNW","features":[1,98]},{"name":"RASCONNW","features":[1,98]},{"name":"RASCREDENTIALSA","features":[98]},{"name":"RASCREDENTIALSW","features":[98]},{"name":"RASCSS_DONE","features":[98]},{"name":"RASCSS_Dormant","features":[98]},{"name":"RASCSS_None","features":[98]},{"name":"RASCSS_Reconnected","features":[98]},{"name":"RASCSS_Reconnecting","features":[98]},{"name":"RASCS_AllDevicesConnected","features":[98]},{"name":"RASCS_ApplySettings","features":[98]},{"name":"RASCS_AuthAck","features":[98]},{"name":"RASCS_AuthCallback","features":[98]},{"name":"RASCS_AuthChangePassword","features":[98]},{"name":"RASCS_AuthLinkSpeed","features":[98]},{"name":"RASCS_AuthNotify","features":[98]},{"name":"RASCS_AuthProject","features":[98]},{"name":"RASCS_AuthRetry","features":[98]},{"name":"RASCS_Authenticate","features":[98]},{"name":"RASCS_Authenticated","features":[98]},{"name":"RASCS_CallbackComplete","features":[98]},{"name":"RASCS_CallbackSetByCaller","features":[98]},{"name":"RASCS_ConnectDevice","features":[98]},{"name":"RASCS_Connected","features":[98]},{"name":"RASCS_DONE","features":[98]},{"name":"RASCS_DeviceConnected","features":[98]},{"name":"RASCS_Disconnected","features":[98]},{"name":"RASCS_Interactive","features":[98]},{"name":"RASCS_InvokeEapUI","features":[98]},{"name":"RASCS_LogonNetwork","features":[98]},{"name":"RASCS_OpenPort","features":[98]},{"name":"RASCS_PAUSED","features":[98]},{"name":"RASCS_PasswordExpired","features":[98]},{"name":"RASCS_PortOpened","features":[98]},{"name":"RASCS_PrepareForCallback","features":[98]},{"name":"RASCS_Projected","features":[98]},{"name":"RASCS_ReAuthenticate","features":[98]},{"name":"RASCS_RetryAuthentication","features":[98]},{"name":"RASCS_StartAuthentication","features":[98]},{"name":"RASCS_SubEntryConnected","features":[98]},{"name":"RASCS_SubEntryDisconnected","features":[98]},{"name":"RASCS_WaitForCallback","features":[98]},{"name":"RASCS_WaitForModemReset","features":[98]},{"name":"RASCTRYINFO","features":[98]},{"name":"RASCUSTOMSCRIPTEXTENSIONS","features":[1,98]},{"name":"RASDDFLAG_AoacRedial","features":[98]},{"name":"RASDDFLAG_LinkFailure","features":[98]},{"name":"RASDDFLAG_NoPrompt","features":[98]},{"name":"RASDDFLAG_PositionDlg","features":[98]},{"name":"RASDEVINFOA","features":[98]},{"name":"RASDEVINFOW","features":[98]},{"name":"RASDEVSPECIFICINFO","features":[98]},{"name":"RASDEVSPECIFICINFO","features":[98]},{"name":"RASDIALDLG","features":[1,98]},{"name":"RASDIALEVENT","features":[98]},{"name":"RASDIALEXTENSIONS","features":[1,98]},{"name":"RASDIALFUNC","features":[98]},{"name":"RASDIALFUNC1","features":[98]},{"name":"RASDIALFUNC2","features":[98]},{"name":"RASDIALPARAMSA","features":[98]},{"name":"RASDIALPARAMSA","features":[98]},{"name":"RASDIALPARAMSW","features":[98]},{"name":"RASDIALPARAMSW","features":[98]},{"name":"RASDT_Atm","features":[98]},{"name":"RASDT_FrameRelay","features":[98]},{"name":"RASDT_Generic","features":[98]},{"name":"RASDT_Irda","features":[98]},{"name":"RASDT_Isdn","features":[98]},{"name":"RASDT_Modem","features":[98]},{"name":"RASDT_PPPoE","features":[98]},{"name":"RASDT_Pad","features":[98]},{"name":"RASDT_Parallel","features":[98]},{"name":"RASDT_SW56","features":[98]},{"name":"RASDT_Serial","features":[98]},{"name":"RASDT_Sonet","features":[98]},{"name":"RASDT_Vpn","features":[98]},{"name":"RASDT_X25","features":[98]},{"name":"RASEAPF_Logon","features":[98]},{"name":"RASEAPF_NonInteractive","features":[98]},{"name":"RASEAPF_Preview","features":[98]},{"name":"RASEAPINFO","features":[98]},{"name":"RASEAPUSERIDENTITYA","features":[98]},{"name":"RASEAPUSERIDENTITYW","features":[98]},{"name":"RASEDFLAG_CloneEntry","features":[98]},{"name":"RASEDFLAG_IncomingConnection","features":[98]},{"name":"RASEDFLAG_InternetEntry","features":[98]},{"name":"RASEDFLAG_NAT","features":[98]},{"name":"RASEDFLAG_NewBroadbandEntry","features":[98]},{"name":"RASEDFLAG_NewDirectEntry","features":[98]},{"name":"RASEDFLAG_NewEntry","features":[98]},{"name":"RASEDFLAG_NewPhoneEntry","features":[98]},{"name":"RASEDFLAG_NewTunnelEntry","features":[98]},{"name":"RASEDFLAG_NoRename","features":[98]},{"name":"RASEDFLAG_PositionDlg","features":[98]},{"name":"RASEDFLAG_ShellOwned","features":[98]},{"name":"RASEDM_DialAll","features":[98]},{"name":"RASEDM_DialAsNeeded","features":[98]},{"name":"RASENTRYA","features":[1,98,15]},{"name":"RASENTRYDLGA","features":[1,98]},{"name":"RASENTRYDLGA","features":[1,98]},{"name":"RASENTRYDLGW","features":[1,98]},{"name":"RASENTRYDLGW","features":[1,98]},{"name":"RASENTRYNAMEA","features":[98]},{"name":"RASENTRYNAMEW","features":[98]},{"name":"RASENTRYW","features":[1,98,15]},{"name":"RASENTRY_DIAL_MODE","features":[98]},{"name":"RASEO2_AuthTypeIsOtp","features":[98]},{"name":"RASEO2_AutoTriggerCapable","features":[98]},{"name":"RASEO2_CacheCredentials","features":[98]},{"name":"RASEO2_DisableClassBasedStaticRoute","features":[98]},{"name":"RASEO2_DisableIKENameEkuCheck","features":[98]},{"name":"RASEO2_DisableMobility","features":[98]},{"name":"RASEO2_DisableNbtOverIP","features":[98]},{"name":"RASEO2_DontNegotiateMultilink","features":[98]},{"name":"RASEO2_DontUseRasCredentials","features":[98]},{"name":"RASEO2_IPv4ExplicitMetric","features":[98]},{"name":"RASEO2_IPv6ExplicitMetric","features":[98]},{"name":"RASEO2_IPv6RemoteDefaultGateway","features":[98]},{"name":"RASEO2_IPv6SpecificNameServers","features":[98]},{"name":"RASEO2_Internet","features":[98]},{"name":"RASEO2_IsAlwaysOn","features":[98]},{"name":"RASEO2_IsPrivateNetwork","features":[98]},{"name":"RASEO2_IsThirdPartyProfile","features":[98]},{"name":"RASEO2_PlumbIKEv2TSAsRoutes","features":[98]},{"name":"RASEO2_ReconnectIfDropped","features":[98]},{"name":"RASEO2_RegisterIpWithDNS","features":[98]},{"name":"RASEO2_RequireMachineCertificates","features":[98]},{"name":"RASEO2_SecureClientForMSNet","features":[98]},{"name":"RASEO2_SecureFileAndPrint","features":[98]},{"name":"RASEO2_SecureRoutingCompartment","features":[98]},{"name":"RASEO2_SharePhoneNumbers","features":[98]},{"name":"RASEO2_SpecificIPv6Addr","features":[98]},{"name":"RASEO2_UseDNSSuffixForRegistration","features":[98]},{"name":"RASEO2_UseGlobalDeviceSettings","features":[98]},{"name":"RASEO2_UsePreSharedKey","features":[98]},{"name":"RASEO2_UsePreSharedKeyForIkev2Initiator","features":[98]},{"name":"RASEO2_UsePreSharedKeyForIkev2Responder","features":[98]},{"name":"RASEO2_UseTypicalSettings","features":[98]},{"name":"RASEO_Custom","features":[98]},{"name":"RASEO_CustomScript","features":[98]},{"name":"RASEO_DisableLcpExtensions","features":[98]},{"name":"RASEO_IpHeaderCompression","features":[98]},{"name":"RASEO_ModemLights","features":[98]},{"name":"RASEO_NetworkLogon","features":[98]},{"name":"RASEO_PreviewDomain","features":[98]},{"name":"RASEO_PreviewPhoneNumber","features":[98]},{"name":"RASEO_PreviewUserPw","features":[98]},{"name":"RASEO_PromoteAlternates","features":[98]},{"name":"RASEO_RemoteDefaultGateway","features":[98]},{"name":"RASEO_RequireCHAP","features":[98]},{"name":"RASEO_RequireDataEncryption","features":[98]},{"name":"RASEO_RequireEAP","features":[98]},{"name":"RASEO_RequireEncryptedPw","features":[98]},{"name":"RASEO_RequireMsCHAP","features":[98]},{"name":"RASEO_RequireMsCHAP2","features":[98]},{"name":"RASEO_RequireMsEncryptedPw","features":[98]},{"name":"RASEO_RequirePAP","features":[98]},{"name":"RASEO_RequireSPAP","features":[98]},{"name":"RASEO_RequireW95MSCHAP","features":[98]},{"name":"RASEO_SecureLocalFiles","features":[98]},{"name":"RASEO_SharedPhoneNumbers","features":[98]},{"name":"RASEO_ShowDialingProgress","features":[98]},{"name":"RASEO_SpecificIpAddr","features":[98]},{"name":"RASEO_SpecificNameServers","features":[98]},{"name":"RASEO_SwCompression","features":[98]},{"name":"RASEO_TerminalAfterDial","features":[98]},{"name":"RASEO_TerminalBeforeDial","features":[98]},{"name":"RASEO_UseCountryAndAreaCodes","features":[98]},{"name":"RASEO_UseLogonCredentials","features":[98]},{"name":"RASET_Broadband","features":[98]},{"name":"RASET_Direct","features":[98]},{"name":"RASET_Internet","features":[98]},{"name":"RASET_Phone","features":[98]},{"name":"RASET_Vpn","features":[98]},{"name":"RASFP_Ppp","features":[98]},{"name":"RASFP_Ras","features":[98]},{"name":"RASFP_Slip","features":[98]},{"name":"RASIDS_Disabled","features":[98]},{"name":"RASIDS_UseGlobalValue","features":[98]},{"name":"RASIKEV2_PROJECTION_INFO","features":[98,15]},{"name":"RASIKEV2_PROJECTION_INFO","features":[98,15]},{"name":"RASIKEV_PROJECTION_INFO_FLAGS","features":[98]},{"name":"RASIKEv2_AUTH_EAP","features":[98]},{"name":"RASIKEv2_AUTH_MACHINECERTIFICATES","features":[98]},{"name":"RASIKEv2_AUTH_PSK","features":[98]},{"name":"RASIKEv2_FLAGS_BEHIND_NAT","features":[98]},{"name":"RASIKEv2_FLAGS_MOBIKESUPPORTED","features":[98]},{"name":"RASIKEv2_FLAGS_SERVERBEHIND_NAT","features":[98]},{"name":"RASIPADDR","features":[98]},{"name":"RASIPO_VJ","features":[98]},{"name":"RASIPXW","features":[98]},{"name":"RASLCPAD_CHAP_MD5","features":[98]},{"name":"RASLCPAD_CHAP_MS","features":[98]},{"name":"RASLCPAD_CHAP_MSV2","features":[98]},{"name":"RASLCPAP_CHAP","features":[98]},{"name":"RASLCPAP_EAP","features":[98]},{"name":"RASLCPAP_PAP","features":[98]},{"name":"RASLCPAP_SPAP","features":[98]},{"name":"RASLCPO_3_DES","features":[98]},{"name":"RASLCPO_ACFC","features":[98]},{"name":"RASLCPO_AES_128","features":[98]},{"name":"RASLCPO_AES_192","features":[98]},{"name":"RASLCPO_AES_256","features":[98]},{"name":"RASLCPO_DES_56","features":[98]},{"name":"RASLCPO_GCM_AES_128","features":[98]},{"name":"RASLCPO_GCM_AES_192","features":[98]},{"name":"RASLCPO_GCM_AES_256","features":[98]},{"name":"RASLCPO_PFC","features":[98]},{"name":"RASLCPO_SSHF","features":[98]},{"name":"RASNAP_ProbationTime","features":[98]},{"name":"RASNOUSERA","features":[98]},{"name":"RASNOUSERW","features":[98]},{"name":"RASNOUSER_SmartCard","features":[98]},{"name":"RASNP_Ip","features":[98]},{"name":"RASNP_Ipv6","features":[98]},{"name":"RASNP_Ipx","features":[98]},{"name":"RASNP_NetBEUI","features":[98]},{"name":"RASPBDEVENT_AddEntry","features":[98]},{"name":"RASPBDEVENT_DialEntry","features":[98]},{"name":"RASPBDEVENT_EditEntry","features":[98]},{"name":"RASPBDEVENT_EditGlobals","features":[98]},{"name":"RASPBDEVENT_NoUser","features":[98]},{"name":"RASPBDEVENT_NoUserEdit","features":[98]},{"name":"RASPBDEVENT_RemoveEntry","features":[98]},{"name":"RASPBDFLAG_ForceCloseOnDial","features":[98]},{"name":"RASPBDFLAG_NoUser","features":[98]},{"name":"RASPBDFLAG_PositionDlg","features":[98]},{"name":"RASPBDFLAG_UpdateDefaults","features":[98]},{"name":"RASPBDLGA","features":[1,98]},{"name":"RASPBDLGA","features":[1,98]},{"name":"RASPBDLGFUNCA","features":[98]},{"name":"RASPBDLGFUNCW","features":[98]},{"name":"RASPBDLGW","features":[1,98]},{"name":"RASPBDLGW","features":[1,98]},{"name":"RASPPPCCP","features":[98]},{"name":"RASPPPIPA","features":[98]},{"name":"RASPPPIPV6","features":[98]},{"name":"RASPPPIPW","features":[98]},{"name":"RASPPPIPXA","features":[98]},{"name":"RASPPPLCPA","features":[1,98]},{"name":"RASPPPLCPW","features":[1,98]},{"name":"RASPPPNBFA","features":[98]},{"name":"RASPPPNBFW","features":[98]},{"name":"RASPPP_PROJECTION_INFO","features":[1,98,15]},{"name":"RASPPP_PROJECTION_INFO_SERVER_AUTH_DATA","features":[98]},{"name":"RASPPP_PROJECTION_INFO_SERVER_AUTH_PROTOCOL","features":[98]},{"name":"RASPRIV2_DialinPolicy","features":[98]},{"name":"RASPRIV_AdminSetCallback","features":[98]},{"name":"RASPRIV_CallerSetCallback","features":[98]},{"name":"RASPRIV_DialinPrivilege","features":[98]},{"name":"RASPRIV_NoCallback","features":[98]},{"name":"RASPROJECTION","features":[98]},{"name":"RASPROJECTION_INFO_TYPE","features":[98]},{"name":"RASP_Amb","features":[98]},{"name":"RASP_PppCcp","features":[98]},{"name":"RASP_PppIp","features":[98]},{"name":"RASP_PppIpv6","features":[98]},{"name":"RASP_PppIpx","features":[98]},{"name":"RASP_PppLcp","features":[98]},{"name":"RASP_PppNbf","features":[98]},{"name":"RASSECURITYPROC","features":[98]},{"name":"RASSUBENTRYA","features":[98]},{"name":"RASSUBENTRYW","features":[98]},{"name":"RASTUNNELENDPOINT","features":[98,15]},{"name":"RASTUNNELENDPOINT_IPv4","features":[98]},{"name":"RASTUNNELENDPOINT_IPv6","features":[98]},{"name":"RASTUNNELENDPOINT_UNKNOWN","features":[98]},{"name":"RASUPDATECONN","features":[98,15]},{"name":"RAS_CONNECTION_0","features":[1,98]},{"name":"RAS_CONNECTION_1","features":[1,98]},{"name":"RAS_CONNECTION_2","features":[1,98]},{"name":"RAS_CONNECTION_3","features":[1,98]},{"name":"RAS_CONNECTION_4","features":[1,98]},{"name":"RAS_CONNECTION_EX","features":[1,98]},{"name":"RAS_FLAGS","features":[98]},{"name":"RAS_FLAGS_ARAP_CONNECTION","features":[98]},{"name":"RAS_FLAGS_DORMANT","features":[98]},{"name":"RAS_FLAGS_IKEV2_CONNECTION","features":[98]},{"name":"RAS_FLAGS_MESSENGER_PRESENT","features":[98]},{"name":"RAS_FLAGS_PPP_CONNECTION","features":[98]},{"name":"RAS_FLAGS_QUARANTINE_PRESENT","features":[98]},{"name":"RAS_FLAGS_RAS_CONNECTION","features":[98]},{"name":"RAS_HARDWARE_CONDITION","features":[98]},{"name":"RAS_HARDWARE_FAILURE","features":[98]},{"name":"RAS_HARDWARE_OPERATIONAL","features":[98]},{"name":"RAS_MaxAreaCode","features":[98]},{"name":"RAS_MaxCallbackNumber","features":[98]},{"name":"RAS_MaxDeviceName","features":[98]},{"name":"RAS_MaxDeviceType","features":[98]},{"name":"RAS_MaxDnsSuffix","features":[98]},{"name":"RAS_MaxEntryName","features":[98]},{"name":"RAS_MaxFacilities","features":[98]},{"name":"RAS_MaxIDSize","features":[98]},{"name":"RAS_MaxIpAddress","features":[98]},{"name":"RAS_MaxIpxAddress","features":[98]},{"name":"RAS_MaxPadType","features":[98]},{"name":"RAS_MaxPhoneNumber","features":[98]},{"name":"RAS_MaxReplyMessage","features":[98]},{"name":"RAS_MaxUserData","features":[98]},{"name":"RAS_MaxX25Address","features":[98]},{"name":"RAS_PORT_0","features":[1,98]},{"name":"RAS_PORT_1","features":[1,98]},{"name":"RAS_PORT_2","features":[1,98]},{"name":"RAS_PORT_AUTHENTICATED","features":[98]},{"name":"RAS_PORT_AUTHENTICATING","features":[98]},{"name":"RAS_PORT_CALLING_BACK","features":[98]},{"name":"RAS_PORT_CONDITION","features":[98]},{"name":"RAS_PORT_DISCONNECTED","features":[98]},{"name":"RAS_PORT_INITIALIZING","features":[98]},{"name":"RAS_PORT_LISTENING","features":[98]},{"name":"RAS_PORT_NON_OPERATIONAL","features":[98]},{"name":"RAS_PROJECTION_INFO","features":[1,98,15]},{"name":"RAS_QUARANTINE_STATE","features":[98]},{"name":"RAS_QUAR_STATE_NORMAL","features":[98]},{"name":"RAS_QUAR_STATE_NOT_CAPABLE","features":[98]},{"name":"RAS_QUAR_STATE_PROBATION","features":[98]},{"name":"RAS_QUAR_STATE_QUARANTINE","features":[98]},{"name":"RAS_SECURITY_INFO","features":[98]},{"name":"RAS_STATS","features":[98]},{"name":"RAS_UPDATE_CONNECTION","features":[98]},{"name":"RAS_USER_0","features":[98]},{"name":"RAS_USER_1","features":[98]},{"name":"RCD_AllUsers","features":[98]},{"name":"RCD_Eap","features":[98]},{"name":"RCD_Logon","features":[98]},{"name":"RCD_SingleUser","features":[98]},{"name":"RDEOPT_CustomDial","features":[98]},{"name":"RDEOPT_DisableConnectedUI","features":[98]},{"name":"RDEOPT_DisableReconnect","features":[98]},{"name":"RDEOPT_DisableReconnectUI","features":[98]},{"name":"RDEOPT_EapInfoCryptInCapable","features":[98]},{"name":"RDEOPT_IgnoreModemSpeaker","features":[98]},{"name":"RDEOPT_IgnoreSoftwareCompression","features":[98]},{"name":"RDEOPT_InvokeAutoTriggerCredentialUI","features":[98]},{"name":"RDEOPT_NoUser","features":[98]},{"name":"RDEOPT_PauseOnScript","features":[98]},{"name":"RDEOPT_PausedStates","features":[98]},{"name":"RDEOPT_Router","features":[98]},{"name":"RDEOPT_SetModemSpeaker","features":[98]},{"name":"RDEOPT_SetSoftwareCompression","features":[98]},{"name":"RDEOPT_UseCustomScripting","features":[98]},{"name":"RDEOPT_UsePrefixSuffix","features":[98]},{"name":"REN_AllUsers","features":[98]},{"name":"REN_User","features":[98]},{"name":"ROUTER_CONNECTION_STATE","features":[98]},{"name":"ROUTER_CUSTOM_IKEv2_POLICY0","features":[98]},{"name":"ROUTER_IF_STATE_CONNECTED","features":[98]},{"name":"ROUTER_IF_STATE_CONNECTING","features":[98]},{"name":"ROUTER_IF_STATE_DISCONNECTED","features":[98]},{"name":"ROUTER_IF_STATE_UNREACHABLE","features":[98]},{"name":"ROUTER_IF_TYPE_CLIENT","features":[98]},{"name":"ROUTER_IF_TYPE_DEDICATED","features":[98]},{"name":"ROUTER_IF_TYPE_DIALOUT","features":[98]},{"name":"ROUTER_IF_TYPE_FULL_ROUTER","features":[98]},{"name":"ROUTER_IF_TYPE_HOME_ROUTER","features":[98]},{"name":"ROUTER_IF_TYPE_INTERNAL","features":[98]},{"name":"ROUTER_IF_TYPE_LOOPBACK","features":[98]},{"name":"ROUTER_IF_TYPE_MAX","features":[98]},{"name":"ROUTER_IF_TYPE_TUNNEL1","features":[98]},{"name":"ROUTER_IKEv2_IF_CUSTOM_CONFIG0","features":[98,68]},{"name":"ROUTER_IKEv2_IF_CUSTOM_CONFIG1","features":[98,68]},{"name":"ROUTER_IKEv2_IF_CUSTOM_CONFIG2","features":[98,15,68]},{"name":"ROUTER_INTERFACE_TYPE","features":[98]},{"name":"ROUTING_PROTOCOL_CONFIG","features":[1,98]},{"name":"RRAS_SERVICE_NAME","features":[98]},{"name":"RTM_BLOCK_METHODS","features":[98]},{"name":"RTM_CHANGE_NOTIFICATION","features":[98]},{"name":"RTM_CHANGE_TYPE_ALL","features":[98]},{"name":"RTM_CHANGE_TYPE_BEST","features":[98]},{"name":"RTM_CHANGE_TYPE_FORWARDING","features":[98]},{"name":"RTM_DEST_FLAG_DONT_FORWARD","features":[98]},{"name":"RTM_DEST_FLAG_FWD_ENGIN_ADD","features":[98]},{"name":"RTM_DEST_FLAG_NATURAL_NET","features":[98]},{"name":"RTM_DEST_INFO","features":[1,98]},{"name":"RTM_ENTITY_DEREGISTERED","features":[98]},{"name":"RTM_ENTITY_EXPORT_METHOD","features":[98]},{"name":"RTM_ENTITY_EXPORT_METHODS","features":[98]},{"name":"RTM_ENTITY_ID","features":[98]},{"name":"RTM_ENTITY_INFO","features":[98]},{"name":"RTM_ENTITY_METHOD_INPUT","features":[98]},{"name":"RTM_ENTITY_METHOD_OUTPUT","features":[98]},{"name":"RTM_ENTITY_REGISTERED","features":[98]},{"name":"RTM_ENUM_ALL_DESTS","features":[98]},{"name":"RTM_ENUM_ALL_ROUTES","features":[98]},{"name":"RTM_ENUM_NEXT","features":[98]},{"name":"RTM_ENUM_OWN_DESTS","features":[98]},{"name":"RTM_ENUM_OWN_ROUTES","features":[98]},{"name":"RTM_ENUM_RANGE","features":[98]},{"name":"RTM_ENUM_START","features":[98]},{"name":"RTM_EVENT_CALLBACK","features":[98]},{"name":"RTM_EVENT_TYPE","features":[98]},{"name":"RTM_MATCH_FULL","features":[98]},{"name":"RTM_MATCH_INTERFACE","features":[98]},{"name":"RTM_MATCH_NEIGHBOUR","features":[98]},{"name":"RTM_MATCH_NEXTHOP","features":[98]},{"name":"RTM_MATCH_NONE","features":[98]},{"name":"RTM_MATCH_OWNER","features":[98]},{"name":"RTM_MATCH_PREF","features":[98]},{"name":"RTM_MAX_ADDRESS_SIZE","features":[98]},{"name":"RTM_MAX_VIEWS","features":[98]},{"name":"RTM_NET_ADDRESS","features":[98]},{"name":"RTM_NEXTHOP_CHANGE_NEW","features":[98]},{"name":"RTM_NEXTHOP_FLAGS_DOWN","features":[98]},{"name":"RTM_NEXTHOP_FLAGS_REMOTE","features":[98]},{"name":"RTM_NEXTHOP_INFO","features":[98]},{"name":"RTM_NEXTHOP_LIST","features":[98]},{"name":"RTM_NEXTHOP_STATE_CREATED","features":[98]},{"name":"RTM_NEXTHOP_STATE_DELETED","features":[98]},{"name":"RTM_NOTIFY_ONLY_MARKED_DESTS","features":[98]},{"name":"RTM_NUM_CHANGE_TYPES","features":[98]},{"name":"RTM_PREF_INFO","features":[98]},{"name":"RTM_REGN_PROFILE","features":[98]},{"name":"RTM_RESUME_METHODS","features":[98]},{"name":"RTM_ROUTE_CHANGE_BEST","features":[98]},{"name":"RTM_ROUTE_CHANGE_FIRST","features":[98]},{"name":"RTM_ROUTE_CHANGE_NEW","features":[98]},{"name":"RTM_ROUTE_EXPIRED","features":[98]},{"name":"RTM_ROUTE_FLAGS_BLACKHOLE","features":[98]},{"name":"RTM_ROUTE_FLAGS_DISCARD","features":[98]},{"name":"RTM_ROUTE_FLAGS_INACTIVE","features":[98]},{"name":"RTM_ROUTE_FLAGS_LIMITED_BC","features":[98]},{"name":"RTM_ROUTE_FLAGS_LOCAL","features":[98]},{"name":"RTM_ROUTE_FLAGS_LOCAL_MCAST","features":[98]},{"name":"RTM_ROUTE_FLAGS_LOOPBACK","features":[98]},{"name":"RTM_ROUTE_FLAGS_MARTIAN","features":[98]},{"name":"RTM_ROUTE_FLAGS_MCAST","features":[98]},{"name":"RTM_ROUTE_FLAGS_MYSELF","features":[98]},{"name":"RTM_ROUTE_FLAGS_ONES_NETBC","features":[98]},{"name":"RTM_ROUTE_FLAGS_ONES_SUBNETBC","features":[98]},{"name":"RTM_ROUTE_FLAGS_REMOTE","features":[98]},{"name":"RTM_ROUTE_FLAGS_ZEROS_NETBC","features":[98]},{"name":"RTM_ROUTE_FLAGS_ZEROS_SUBNETBC","features":[98]},{"name":"RTM_ROUTE_INFO","features":[98]},{"name":"RTM_ROUTE_STATE_CREATED","features":[98]},{"name":"RTM_ROUTE_STATE_DELETED","features":[98]},{"name":"RTM_ROUTE_STATE_DELETING","features":[98]},{"name":"RTM_VIEW_ID_MCAST","features":[98]},{"name":"RTM_VIEW_ID_UCAST","features":[98]},{"name":"RTM_VIEW_MASK_ALL","features":[98]},{"name":"RTM_VIEW_MASK_ANY","features":[98]},{"name":"RTM_VIEW_MASK_MCAST","features":[98]},{"name":"RTM_VIEW_MASK_NONE","features":[98]},{"name":"RTM_VIEW_MASK_SIZE","features":[98]},{"name":"RTM_VIEW_MASK_UCAST","features":[98]},{"name":"RasClearConnectionStatistics","features":[98]},{"name":"RasClearLinkStatistics","features":[98]},{"name":"RasConnectionNotificationA","features":[1,98]},{"name":"RasConnectionNotificationW","features":[1,98]},{"name":"RasCreatePhonebookEntryA","features":[1,98]},{"name":"RasCreatePhonebookEntryW","features":[1,98]},{"name":"RasCustomDeleteEntryNotifyFn","features":[98]},{"name":"RasCustomDialDlgFn","features":[1,98]},{"name":"RasCustomDialFn","features":[1,98]},{"name":"RasCustomEntryDlgFn","features":[1,98]},{"name":"RasCustomHangUpFn","features":[98]},{"name":"RasCustomScriptExecuteFn","features":[1,98]},{"name":"RasDeleteEntryA","features":[98]},{"name":"RasDeleteEntryW","features":[98]},{"name":"RasDeleteSubEntryA","features":[98]},{"name":"RasDeleteSubEntryW","features":[98]},{"name":"RasDialA","features":[1,98]},{"name":"RasDialDlgA","features":[1,98]},{"name":"RasDialDlgW","features":[1,98]},{"name":"RasDialW","features":[1,98]},{"name":"RasEditPhonebookEntryA","features":[1,98]},{"name":"RasEditPhonebookEntryW","features":[1,98]},{"name":"RasEntryDlgA","features":[1,98]},{"name":"RasEntryDlgW","features":[1,98]},{"name":"RasEnumAutodialAddressesA","features":[98]},{"name":"RasEnumAutodialAddressesW","features":[98]},{"name":"RasEnumConnectionsA","features":[1,98]},{"name":"RasEnumConnectionsW","features":[1,98]},{"name":"RasEnumDevicesA","features":[98]},{"name":"RasEnumDevicesW","features":[98]},{"name":"RasEnumEntriesA","features":[98]},{"name":"RasEnumEntriesW","features":[98]},{"name":"RasFreeEapUserIdentityA","features":[98]},{"name":"RasFreeEapUserIdentityW","features":[98]},{"name":"RasGetAutodialAddressA","features":[98]},{"name":"RasGetAutodialAddressW","features":[98]},{"name":"RasGetAutodialEnableA","features":[1,98]},{"name":"RasGetAutodialEnableW","features":[1,98]},{"name":"RasGetAutodialParamA","features":[98]},{"name":"RasGetAutodialParamW","features":[98]},{"name":"RasGetConnectStatusA","features":[98,15]},{"name":"RasGetConnectStatusW","features":[98,15]},{"name":"RasGetConnectionStatistics","features":[98]},{"name":"RasGetCountryInfoA","features":[98]},{"name":"RasGetCountryInfoW","features":[98]},{"name":"RasGetCredentialsA","features":[98]},{"name":"RasGetCredentialsW","features":[98]},{"name":"RasGetCustomAuthDataA","features":[98]},{"name":"RasGetCustomAuthDataW","features":[98]},{"name":"RasGetEapUserDataA","features":[1,98]},{"name":"RasGetEapUserDataW","features":[1,98]},{"name":"RasGetEapUserIdentityA","features":[1,98]},{"name":"RasGetEapUserIdentityW","features":[1,98]},{"name":"RasGetEntryDialParamsA","features":[1,98]},{"name":"RasGetEntryDialParamsW","features":[1,98]},{"name":"RasGetEntryPropertiesA","features":[1,98,15]},{"name":"RasGetEntryPropertiesW","features":[1,98,15]},{"name":"RasGetErrorStringA","features":[98]},{"name":"RasGetErrorStringW","features":[98]},{"name":"RasGetLinkStatistics","features":[98]},{"name":"RasGetPCscf","features":[98]},{"name":"RasGetProjectionInfoA","features":[98]},{"name":"RasGetProjectionInfoEx","features":[1,98,15]},{"name":"RasGetProjectionInfoW","features":[98]},{"name":"RasGetSubEntryHandleA","features":[98]},{"name":"RasGetSubEntryHandleW","features":[98]},{"name":"RasGetSubEntryPropertiesA","features":[98]},{"name":"RasGetSubEntryPropertiesW","features":[98]},{"name":"RasHangUpA","features":[98]},{"name":"RasHangUpW","features":[98]},{"name":"RasInvokeEapUI","features":[1,98]},{"name":"RasPhonebookDlgA","features":[1,98]},{"name":"RasPhonebookDlgW","features":[1,98]},{"name":"RasRenameEntryA","features":[98]},{"name":"RasRenameEntryW","features":[98]},{"name":"RasSetAutodialAddressA","features":[98]},{"name":"RasSetAutodialAddressW","features":[98]},{"name":"RasSetAutodialEnableA","features":[1,98]},{"name":"RasSetAutodialEnableW","features":[1,98]},{"name":"RasSetAutodialParamA","features":[98]},{"name":"RasSetAutodialParamW","features":[98]},{"name":"RasSetCredentialsA","features":[1,98]},{"name":"RasSetCredentialsW","features":[1,98]},{"name":"RasSetCustomAuthDataA","features":[98]},{"name":"RasSetCustomAuthDataW","features":[98]},{"name":"RasSetEapUserDataA","features":[1,98]},{"name":"RasSetEapUserDataW","features":[1,98]},{"name":"RasSetEntryDialParamsA","features":[1,98]},{"name":"RasSetEntryDialParamsW","features":[1,98]},{"name":"RasSetEntryPropertiesA","features":[1,98,15]},{"name":"RasSetEntryPropertiesW","features":[1,98,15]},{"name":"RasSetSubEntryPropertiesA","features":[98]},{"name":"RasSetSubEntryPropertiesW","features":[98]},{"name":"RasUpdateConnection","features":[98,15]},{"name":"RasValidateEntryNameA","features":[98]},{"name":"RasValidateEntryNameW","features":[98]},{"name":"RtmAddNextHop","features":[98]},{"name":"RtmAddRouteToDest","features":[98]},{"name":"RtmBlockMethods","features":[1,98]},{"name":"RtmConvertIpv6AddressAndLengthToNetAddress","features":[98,15]},{"name":"RtmConvertNetAddressToIpv6AddressAndLength","features":[98,15]},{"name":"RtmCreateDestEnum","features":[98]},{"name":"RtmCreateNextHopEnum","features":[98]},{"name":"RtmCreateRouteEnum","features":[98]},{"name":"RtmCreateRouteList","features":[98]},{"name":"RtmCreateRouteListEnum","features":[98]},{"name":"RtmDeleteEnumHandle","features":[98]},{"name":"RtmDeleteNextHop","features":[98]},{"name":"RtmDeleteRouteList","features":[98]},{"name":"RtmDeleteRouteToDest","features":[98]},{"name":"RtmDeregisterEntity","features":[98]},{"name":"RtmDeregisterFromChangeNotification","features":[98]},{"name":"RtmFindNextHop","features":[98]},{"name":"RtmGetChangeStatus","features":[1,98]},{"name":"RtmGetChangedDests","features":[1,98]},{"name":"RtmGetDestInfo","features":[1,98]},{"name":"RtmGetEntityInfo","features":[98]},{"name":"RtmGetEntityMethods","features":[98]},{"name":"RtmGetEnumDests","features":[1,98]},{"name":"RtmGetEnumNextHops","features":[98]},{"name":"RtmGetEnumRoutes","features":[98]},{"name":"RtmGetExactMatchDestination","features":[1,98]},{"name":"RtmGetExactMatchRoute","features":[98]},{"name":"RtmGetLessSpecificDestination","features":[1,98]},{"name":"RtmGetListEnumRoutes","features":[98]},{"name":"RtmGetMostSpecificDestination","features":[1,98]},{"name":"RtmGetNextHopInfo","features":[98]},{"name":"RtmGetNextHopPointer","features":[98]},{"name":"RtmGetOpaqueInformationPointer","features":[98]},{"name":"RtmGetRegisteredEntities","features":[98]},{"name":"RtmGetRouteInfo","features":[98]},{"name":"RtmGetRoutePointer","features":[98]},{"name":"RtmHoldDestination","features":[98]},{"name":"RtmIgnoreChangedDests","features":[98]},{"name":"RtmInsertInRouteList","features":[98]},{"name":"RtmInvokeMethod","features":[98]},{"name":"RtmIsBestRoute","features":[98]},{"name":"RtmIsMarkedForChangeNotification","features":[1,98]},{"name":"RtmLockDestination","features":[1,98]},{"name":"RtmLockNextHop","features":[1,98]},{"name":"RtmLockRoute","features":[1,98]},{"name":"RtmMarkDestForChangeNotification","features":[1,98]},{"name":"RtmReferenceHandles","features":[1,98]},{"name":"RtmRegisterEntity","features":[1,98]},{"name":"RtmRegisterForChangeNotification","features":[98]},{"name":"RtmReleaseChangedDests","features":[1,98]},{"name":"RtmReleaseDestInfo","features":[1,98]},{"name":"RtmReleaseDests","features":[1,98]},{"name":"RtmReleaseEntities","features":[98]},{"name":"RtmReleaseEntityInfo","features":[98]},{"name":"RtmReleaseNextHopInfo","features":[98]},{"name":"RtmReleaseNextHops","features":[98]},{"name":"RtmReleaseRouteInfo","features":[98]},{"name":"RtmReleaseRoutes","features":[98]},{"name":"RtmUpdateAndUnlockRoute","features":[98]},{"name":"SECURITYMSG_ERROR","features":[98]},{"name":"SECURITYMSG_FAILURE","features":[98]},{"name":"SECURITYMSG_SUCCESS","features":[98]},{"name":"SECURITY_MESSAGE","features":[98]},{"name":"SECURITY_MESSAGE_MSG_ID","features":[98]},{"name":"SOURCE_GROUP_ENTRY","features":[98]},{"name":"SSTP_CERT_INFO","features":[1,98,68]},{"name":"SSTP_CONFIG_PARAMS","features":[1,98,68]},{"name":"VPN_TS_IP_ADDRESS","features":[98,15]},{"name":"VS_Default","features":[98]},{"name":"VS_GREOnly","features":[98]},{"name":"VS_Ikev2First","features":[98]},{"name":"VS_Ikev2Only","features":[98]},{"name":"VS_Ikev2Sstp","features":[98]},{"name":"VS_L2tpFirst","features":[98]},{"name":"VS_L2tpOnly","features":[98]},{"name":"VS_L2tpSstp","features":[98]},{"name":"VS_PptpFirst","features":[98]},{"name":"VS_PptpOnly","features":[98]},{"name":"VS_PptpSstp","features":[98]},{"name":"VS_ProtocolList","features":[98]},{"name":"VS_SstpFirst","features":[98]},{"name":"VS_SstpOnly","features":[98]},{"name":"WARNING_MSG_ALIAS_NOT_ADDED","features":[98]},{"name":"WM_RASDIALEVENT","features":[98]}],"458":[{"name":"ASN_APPLICATION","features":[99]},{"name":"ASN_CONSTRUCTOR","features":[99]},{"name":"ASN_CONTEXT","features":[99]},{"name":"ASN_CONTEXTSPECIFIC","features":[99]},{"name":"ASN_PRIMATIVE","features":[99]},{"name":"ASN_PRIMITIVE","features":[99]},{"name":"ASN_PRIVATE","features":[99]},{"name":"ASN_UNIVERSAL","features":[99]},{"name":"AsnAny","features":[1,99]},{"name":"AsnObjectIdentifier","features":[99]},{"name":"AsnObjectIdentifier","features":[99]},{"name":"AsnOctetString","features":[1,99]},{"name":"AsnOctetString","features":[1,99]},{"name":"DEFAULT_SNMPTRAP_PORT_IPX","features":[99]},{"name":"DEFAULT_SNMPTRAP_PORT_UDP","features":[99]},{"name":"DEFAULT_SNMP_PORT_IPX","features":[99]},{"name":"DEFAULT_SNMP_PORT_UDP","features":[99]},{"name":"MAXOBJIDSIZE","features":[99]},{"name":"MAXOBJIDSTRSIZE","features":[99]},{"name":"MAXVENDORINFO","features":[99]},{"name":"MGMCTL_SETAGENTPORT","features":[99]},{"name":"PFNSNMPCLEANUPEX","features":[99]},{"name":"PFNSNMPEXTENSIONCLOSE","features":[99]},{"name":"PFNSNMPEXTENSIONINIT","features":[1,99]},{"name":"PFNSNMPEXTENSIONINITEX","features":[1,99]},{"name":"PFNSNMPEXTENSIONMONITOR","features":[1,99]},{"name":"PFNSNMPEXTENSIONQUERY","features":[1,99]},{"name":"PFNSNMPEXTENSIONQUERYEX","features":[1,99]},{"name":"PFNSNMPEXTENSIONTRAP","features":[1,99]},{"name":"PFNSNMPSTARTUPEX","features":[99]},{"name":"SNMPAPI_ALLOC_ERROR","features":[99]},{"name":"SNMPAPI_CALLBACK","features":[1,99]},{"name":"SNMPAPI_CONTEXT_INVALID","features":[99]},{"name":"SNMPAPI_CONTEXT_UNKNOWN","features":[99]},{"name":"SNMPAPI_ENTITY_INVALID","features":[99]},{"name":"SNMPAPI_ENTITY_UNKNOWN","features":[99]},{"name":"SNMPAPI_ERROR","features":[99]},{"name":"SNMPAPI_FAILURE","features":[99]},{"name":"SNMPAPI_HWND_INVALID","features":[99]},{"name":"SNMPAPI_INDEX_INVALID","features":[99]},{"name":"SNMPAPI_M2M_SUPPORT","features":[99]},{"name":"SNMPAPI_MESSAGE_INVALID","features":[99]},{"name":"SNMPAPI_MODE_INVALID","features":[99]},{"name":"SNMPAPI_NOERROR","features":[99]},{"name":"SNMPAPI_NOOP","features":[99]},{"name":"SNMPAPI_NOT_INITIALIZED","features":[99]},{"name":"SNMPAPI_NO_SUPPORT","features":[99]},{"name":"SNMPAPI_OFF","features":[99]},{"name":"SNMPAPI_OID_INVALID","features":[99]},{"name":"SNMPAPI_ON","features":[99]},{"name":"SNMPAPI_OPERATION_INVALID","features":[99]},{"name":"SNMPAPI_OTHER_ERROR","features":[99]},{"name":"SNMPAPI_OUTPUT_TRUNCATED","features":[99]},{"name":"SNMPAPI_PDU_INVALID","features":[99]},{"name":"SNMPAPI_SESSION_INVALID","features":[99]},{"name":"SNMPAPI_SIZE_INVALID","features":[99]},{"name":"SNMPAPI_SUCCESS","features":[99]},{"name":"SNMPAPI_SYNTAX_INVALID","features":[99]},{"name":"SNMPAPI_TL_INVALID_PARAM","features":[99]},{"name":"SNMPAPI_TL_IN_USE","features":[99]},{"name":"SNMPAPI_TL_NOT_AVAILABLE","features":[99]},{"name":"SNMPAPI_TL_NOT_INITIALIZED","features":[99]},{"name":"SNMPAPI_TL_NOT_SUPPORTED","features":[99]},{"name":"SNMPAPI_TL_OTHER","features":[99]},{"name":"SNMPAPI_TL_PDU_TOO_BIG","features":[99]},{"name":"SNMPAPI_TL_RESOURCE_ERROR","features":[99]},{"name":"SNMPAPI_TL_SRC_INVALID","features":[99]},{"name":"SNMPAPI_TL_TIMEOUT","features":[99]},{"name":"SNMPAPI_TL_UNDELIVERABLE","features":[99]},{"name":"SNMPAPI_TRANSLATED","features":[99]},{"name":"SNMPAPI_UNTRANSLATED_V1","features":[99]},{"name":"SNMPAPI_UNTRANSLATED_V2","features":[99]},{"name":"SNMPAPI_V1_SUPPORT","features":[99]},{"name":"SNMPAPI_V2_SUPPORT","features":[99]},{"name":"SNMPAPI_VBL_INVALID","features":[99]},{"name":"SNMPLISTEN_ALL_ADDR","features":[99]},{"name":"SNMPLISTEN_USEENTITY_ADDR","features":[99]},{"name":"SNMP_ACCESS_NONE","features":[99]},{"name":"SNMP_ACCESS_NOTIFY","features":[99]},{"name":"SNMP_ACCESS_READ_CREATE","features":[99]},{"name":"SNMP_ACCESS_READ_ONLY","features":[99]},{"name":"SNMP_ACCESS_READ_WRITE","features":[99]},{"name":"SNMP_API_TRANSLATE_MODE","features":[99]},{"name":"SNMP_AUTHAPI_INVALID_MSG_TYPE","features":[99]},{"name":"SNMP_AUTHAPI_INVALID_VERSION","features":[99]},{"name":"SNMP_AUTHAPI_TRIV_AUTH_FAILED","features":[99]},{"name":"SNMP_BERAPI_INVALID_LENGTH","features":[99]},{"name":"SNMP_BERAPI_INVALID_OBJELEM","features":[99]},{"name":"SNMP_BERAPI_INVALID_TAG","features":[99]},{"name":"SNMP_BERAPI_OVERFLOW","features":[99]},{"name":"SNMP_BERAPI_SHORT_BUFFER","features":[99]},{"name":"SNMP_ERROR","features":[99]},{"name":"SNMP_ERRORSTATUS_AUTHORIZATIONERROR","features":[99]},{"name":"SNMP_ERRORSTATUS_BADVALUE","features":[99]},{"name":"SNMP_ERRORSTATUS_COMMITFAILED","features":[99]},{"name":"SNMP_ERRORSTATUS_GENERR","features":[99]},{"name":"SNMP_ERRORSTATUS_INCONSISTENTNAME","features":[99]},{"name":"SNMP_ERRORSTATUS_INCONSISTENTVALUE","features":[99]},{"name":"SNMP_ERRORSTATUS_NOACCESS","features":[99]},{"name":"SNMP_ERRORSTATUS_NOCREATION","features":[99]},{"name":"SNMP_ERRORSTATUS_NOERROR","features":[99]},{"name":"SNMP_ERRORSTATUS_NOSUCHNAME","features":[99]},{"name":"SNMP_ERRORSTATUS_NOTWRITABLE","features":[99]},{"name":"SNMP_ERRORSTATUS_READONLY","features":[99]},{"name":"SNMP_ERRORSTATUS_RESOURCEUNAVAILABLE","features":[99]},{"name":"SNMP_ERRORSTATUS_TOOBIG","features":[99]},{"name":"SNMP_ERRORSTATUS_UNDOFAILED","features":[99]},{"name":"SNMP_ERRORSTATUS_WRONGENCODING","features":[99]},{"name":"SNMP_ERRORSTATUS_WRONGLENGTH","features":[99]},{"name":"SNMP_ERRORSTATUS_WRONGTYPE","features":[99]},{"name":"SNMP_ERRORSTATUS_WRONGVALUE","features":[99]},{"name":"SNMP_ERROR_AUTHORIZATIONERROR","features":[99]},{"name":"SNMP_ERROR_BADVALUE","features":[99]},{"name":"SNMP_ERROR_COMMITFAILED","features":[99]},{"name":"SNMP_ERROR_GENERR","features":[99]},{"name":"SNMP_ERROR_INCONSISTENTNAME","features":[99]},{"name":"SNMP_ERROR_INCONSISTENTVALUE","features":[99]},{"name":"SNMP_ERROR_NOACCESS","features":[99]},{"name":"SNMP_ERROR_NOCREATION","features":[99]},{"name":"SNMP_ERROR_NOERROR","features":[99]},{"name":"SNMP_ERROR_NOSUCHNAME","features":[99]},{"name":"SNMP_ERROR_NOTWRITABLE","features":[99]},{"name":"SNMP_ERROR_READONLY","features":[99]},{"name":"SNMP_ERROR_RESOURCEUNAVAILABLE","features":[99]},{"name":"SNMP_ERROR_STATUS","features":[99]},{"name":"SNMP_ERROR_TOOBIG","features":[99]},{"name":"SNMP_ERROR_UNDOFAILED","features":[99]},{"name":"SNMP_ERROR_WRONGENCODING","features":[99]},{"name":"SNMP_ERROR_WRONGLENGTH","features":[99]},{"name":"SNMP_ERROR_WRONGTYPE","features":[99]},{"name":"SNMP_ERROR_WRONGVALUE","features":[99]},{"name":"SNMP_EXTENSION_GET","features":[99]},{"name":"SNMP_EXTENSION_GET_NEXT","features":[99]},{"name":"SNMP_EXTENSION_REQUEST_TYPE","features":[99]},{"name":"SNMP_EXTENSION_SET_CLEANUP","features":[99]},{"name":"SNMP_EXTENSION_SET_COMMIT","features":[99]},{"name":"SNMP_EXTENSION_SET_TEST","features":[99]},{"name":"SNMP_EXTENSION_SET_UNDO","features":[99]},{"name":"SNMP_GENERICTRAP","features":[99]},{"name":"SNMP_GENERICTRAP_AUTHFAILURE","features":[99]},{"name":"SNMP_GENERICTRAP_COLDSTART","features":[99]},{"name":"SNMP_GENERICTRAP_EGPNEIGHLOSS","features":[99]},{"name":"SNMP_GENERICTRAP_ENTERSPECIFIC","features":[99]},{"name":"SNMP_GENERICTRAP_LINKDOWN","features":[99]},{"name":"SNMP_GENERICTRAP_LINKUP","features":[99]},{"name":"SNMP_GENERICTRAP_WARMSTART","features":[99]},{"name":"SNMP_LOG","features":[99]},{"name":"SNMP_LOG_ERROR","features":[99]},{"name":"SNMP_LOG_FATAL","features":[99]},{"name":"SNMP_LOG_SILENT","features":[99]},{"name":"SNMP_LOG_TRACE","features":[99]},{"name":"SNMP_LOG_VERBOSE","features":[99]},{"name":"SNMP_LOG_WARNING","features":[99]},{"name":"SNMP_MAX_OID_LEN","features":[99]},{"name":"SNMP_MEM_ALLOC_ERROR","features":[99]},{"name":"SNMP_MGMTAPI_AGAIN","features":[99]},{"name":"SNMP_MGMTAPI_INVALID_BUFFER","features":[99]},{"name":"SNMP_MGMTAPI_INVALID_CTL","features":[99]},{"name":"SNMP_MGMTAPI_INVALID_SESSION","features":[99]},{"name":"SNMP_MGMTAPI_NOTRAPS","features":[99]},{"name":"SNMP_MGMTAPI_SELECT_FDERRORS","features":[99]},{"name":"SNMP_MGMTAPI_TIMEOUT","features":[99]},{"name":"SNMP_MGMTAPI_TRAP_DUPINIT","features":[99]},{"name":"SNMP_MGMTAPI_TRAP_ERRORS","features":[99]},{"name":"SNMP_OUTPUT_LOG_TYPE","features":[99]},{"name":"SNMP_OUTPUT_TO_CONSOLE","features":[99]},{"name":"SNMP_OUTPUT_TO_DEBUGGER","features":[99]},{"name":"SNMP_OUTPUT_TO_EVENTLOG","features":[99]},{"name":"SNMP_OUTPUT_TO_LOGFILE","features":[99]},{"name":"SNMP_PDUAPI_INVALID_ES","features":[99]},{"name":"SNMP_PDUAPI_INVALID_GT","features":[99]},{"name":"SNMP_PDUAPI_UNRECOGNIZED_PDU","features":[99]},{"name":"SNMP_PDU_GET","features":[99]},{"name":"SNMP_PDU_GETBULK","features":[99]},{"name":"SNMP_PDU_GETNEXT","features":[99]},{"name":"SNMP_PDU_RESPONSE","features":[99]},{"name":"SNMP_PDU_SET","features":[99]},{"name":"SNMP_PDU_TRAP","features":[99]},{"name":"SNMP_PDU_TYPE","features":[99]},{"name":"SNMP_STATUS","features":[99]},{"name":"SNMP_TRAP_AUTHFAIL","features":[99]},{"name":"SNMP_TRAP_COLDSTART","features":[99]},{"name":"SNMP_TRAP_EGPNEIGHBORLOSS","features":[99]},{"name":"SNMP_TRAP_ENTERPRISESPECIFIC","features":[99]},{"name":"SNMP_TRAP_LINKDOWN","features":[99]},{"name":"SNMP_TRAP_LINKUP","features":[99]},{"name":"SNMP_TRAP_WARMSTART","features":[99]},{"name":"SnmpCancelMsg","features":[99]},{"name":"SnmpCleanup","features":[99]},{"name":"SnmpCleanupEx","features":[99]},{"name":"SnmpClose","features":[99]},{"name":"SnmpContextToStr","features":[99]},{"name":"SnmpCountVbl","features":[99]},{"name":"SnmpCreatePdu","features":[99]},{"name":"SnmpCreateSession","features":[1,99]},{"name":"SnmpCreateVbl","features":[99]},{"name":"SnmpDecodeMsg","features":[99]},{"name":"SnmpDeleteVb","features":[99]},{"name":"SnmpDuplicatePdu","features":[99]},{"name":"SnmpDuplicateVbl","features":[99]},{"name":"SnmpEncodeMsg","features":[99]},{"name":"SnmpEntityToStr","features":[99]},{"name":"SnmpFreeContext","features":[99]},{"name":"SnmpFreeDescriptor","features":[99]},{"name":"SnmpFreeEntity","features":[99]},{"name":"SnmpFreePdu","features":[99]},{"name":"SnmpFreeVbl","features":[99]},{"name":"SnmpGetLastError","features":[99]},{"name":"SnmpGetPduData","features":[99]},{"name":"SnmpGetRetransmitMode","features":[99]},{"name":"SnmpGetRetry","features":[99]},{"name":"SnmpGetTimeout","features":[99]},{"name":"SnmpGetTranslateMode","features":[99]},{"name":"SnmpGetVb","features":[99]},{"name":"SnmpGetVendorInfo","features":[99]},{"name":"SnmpListen","features":[99]},{"name":"SnmpListenEx","features":[99]},{"name":"SnmpMgrClose","features":[1,99]},{"name":"SnmpMgrCtl","features":[1,99]},{"name":"SnmpMgrGetTrap","features":[1,99]},{"name":"SnmpMgrGetTrapEx","features":[1,99]},{"name":"SnmpMgrOidToStr","features":[1,99]},{"name":"SnmpMgrOpen","features":[99]},{"name":"SnmpMgrRequest","features":[1,99]},{"name":"SnmpMgrStrToOid","features":[1,99]},{"name":"SnmpMgrTrapListen","features":[1,99]},{"name":"SnmpOidCompare","features":[99]},{"name":"SnmpOidCopy","features":[99]},{"name":"SnmpOidToStr","features":[99]},{"name":"SnmpOpen","features":[1,99]},{"name":"SnmpRecvMsg","features":[99]},{"name":"SnmpRegister","features":[99]},{"name":"SnmpSendMsg","features":[99]},{"name":"SnmpSetPduData","features":[99]},{"name":"SnmpSetPort","features":[99]},{"name":"SnmpSetRetransmitMode","features":[99]},{"name":"SnmpSetRetry","features":[99]},{"name":"SnmpSetTimeout","features":[99]},{"name":"SnmpSetTranslateMode","features":[99]},{"name":"SnmpSetVb","features":[99]},{"name":"SnmpStartup","features":[99]},{"name":"SnmpStartupEx","features":[99]},{"name":"SnmpStrToContext","features":[99]},{"name":"SnmpStrToEntity","features":[99]},{"name":"SnmpStrToOid","features":[99]},{"name":"SnmpSvcGetUptime","features":[99]},{"name":"SnmpSvcSetLogLevel","features":[99]},{"name":"SnmpSvcSetLogType","features":[99]},{"name":"SnmpUtilAsnAnyCpy","features":[1,99]},{"name":"SnmpUtilAsnAnyFree","features":[1,99]},{"name":"SnmpUtilDbgPrint","features":[99]},{"name":"SnmpUtilIdsToA","features":[99]},{"name":"SnmpUtilMemAlloc","features":[99]},{"name":"SnmpUtilMemFree","features":[99]},{"name":"SnmpUtilMemReAlloc","features":[99]},{"name":"SnmpUtilOctetsCmp","features":[1,99]},{"name":"SnmpUtilOctetsCpy","features":[1,99]},{"name":"SnmpUtilOctetsFree","features":[1,99]},{"name":"SnmpUtilOctetsNCmp","features":[1,99]},{"name":"SnmpUtilOidAppend","features":[99]},{"name":"SnmpUtilOidCmp","features":[99]},{"name":"SnmpUtilOidCpy","features":[99]},{"name":"SnmpUtilOidFree","features":[99]},{"name":"SnmpUtilOidNCmp","features":[99]},{"name":"SnmpUtilOidToA","features":[99]},{"name":"SnmpUtilPrintAsnAny","features":[1,99]},{"name":"SnmpUtilPrintOid","features":[99]},{"name":"SnmpUtilVarBindCpy","features":[1,99]},{"name":"SnmpUtilVarBindFree","features":[1,99]},{"name":"SnmpUtilVarBindListCpy","features":[1,99]},{"name":"SnmpUtilVarBindListFree","features":[1,99]},{"name":"SnmpVarBind","features":[1,99]},{"name":"SnmpVarBindList","features":[1,99]},{"name":"SnmpVarBindList","features":[1,99]},{"name":"smiCNTR64","features":[99]},{"name":"smiOCTETS","features":[99]},{"name":"smiOID","features":[99]},{"name":"smiVALUE","features":[99]},{"name":"smiVENDORINFO","features":[99]}],"459":[{"name":"CONNDLG_CONN_POINT","features":[100]},{"name":"CONNDLG_HIDE_BOX","features":[100]},{"name":"CONNDLG_NOT_PERSIST","features":[100]},{"name":"CONNDLG_PERSIST","features":[100]},{"name":"CONNDLG_RO_PATH","features":[100]},{"name":"CONNDLG_USE_MRU","features":[100]},{"name":"CONNECTDLGSTRUCTA","features":[1,100]},{"name":"CONNECTDLGSTRUCTW","features":[1,100]},{"name":"CONNECTDLGSTRUCT_FLAGS","features":[100]},{"name":"CONNECT_CMD_SAVECRED","features":[100]},{"name":"CONNECT_COMMANDLINE","features":[100]},{"name":"CONNECT_CRED_RESET","features":[100]},{"name":"CONNECT_CURRENT_MEDIA","features":[100]},{"name":"CONNECT_DEFERRED","features":[100]},{"name":"CONNECT_GLOBAL_MAPPING","features":[100]},{"name":"CONNECT_INTERACTIVE","features":[100]},{"name":"CONNECT_LOCALDRIVE","features":[100]},{"name":"CONNECT_NEED_DRIVE","features":[100]},{"name":"CONNECT_PROMPT","features":[100]},{"name":"CONNECT_REDIRECT","features":[100]},{"name":"CONNECT_REFCOUNT","features":[100]},{"name":"CONNECT_REQUIRE_INTEGRITY","features":[100]},{"name":"CONNECT_REQUIRE_PRIVACY","features":[100]},{"name":"CONNECT_RESERVED","features":[100]},{"name":"CONNECT_TEMPORARY","features":[100]},{"name":"CONNECT_UPDATE_PROFILE","features":[100]},{"name":"CONNECT_UPDATE_RECENT","features":[100]},{"name":"CONNECT_WRITE_THROUGH_SEMANTICS","features":[100]},{"name":"DISCDLGSTRUCTA","features":[1,100]},{"name":"DISCDLGSTRUCTW","features":[1,100]},{"name":"DISCDLGSTRUCT_FLAGS","features":[100]},{"name":"DISC_NO_FORCE","features":[100]},{"name":"DISC_UPDATE_PROFILE","features":[100]},{"name":"MultinetGetConnectionPerformanceA","features":[100]},{"name":"MultinetGetConnectionPerformanceW","features":[100]},{"name":"NETCONNECTINFOSTRUCT","features":[100]},{"name":"NETINFOSTRUCT","features":[1,100]},{"name":"NETINFOSTRUCT_CHARACTERISTICS","features":[100]},{"name":"NETINFO_DISKRED","features":[100]},{"name":"NETINFO_DLL16","features":[100]},{"name":"NETINFO_PRINTERRED","features":[100]},{"name":"NETPROPERTY_PERSISTENT","features":[100]},{"name":"NETRESOURCEA","features":[100]},{"name":"NETRESOURCEW","features":[100]},{"name":"NETWORK_NAME_FORMAT_FLAGS","features":[100]},{"name":"NET_RESOURCE_SCOPE","features":[100]},{"name":"NET_RESOURCE_TYPE","features":[100]},{"name":"NET_USE_CONNECT_FLAGS","features":[100]},{"name":"NOTIFYADD","features":[1,100]},{"name":"NOTIFYCANCEL","features":[1,100]},{"name":"NOTIFYINFO","features":[100]},{"name":"NOTIFY_POST","features":[100]},{"name":"NOTIFY_PRE","features":[100]},{"name":"NPAddConnection","features":[100]},{"name":"NPAddConnection3","features":[1,100]},{"name":"NPAddConnection4","features":[1,100]},{"name":"NPCancelConnection","features":[1,100]},{"name":"NPCancelConnection2","features":[1,100]},{"name":"NPCloseEnum","features":[1,100]},{"name":"NPDIRECTORY_NOTIFY_OPERATION","features":[100]},{"name":"NPEnumResource","features":[1,100]},{"name":"NPFormatNetworkName","features":[100]},{"name":"NPGetCaps","features":[100]},{"name":"NPGetConnection","features":[100]},{"name":"NPGetConnection3","features":[100]},{"name":"NPGetConnectionPerformance","features":[100]},{"name":"NPGetPersistentUseOptionsForConnection","features":[100]},{"name":"NPGetResourceInformation","features":[100]},{"name":"NPGetResourceParent","features":[100]},{"name":"NPGetUniversalName","features":[100]},{"name":"NPGetUser","features":[100]},{"name":"NPOpenEnum","features":[1,100]},{"name":"NP_PROPERTY_DIALOG_SELECTION","features":[100]},{"name":"PF_AddConnectNotify","features":[1,100]},{"name":"PF_CancelConnectNotify","features":[1,100]},{"name":"PF_NPAddConnection","features":[100]},{"name":"PF_NPAddConnection3","features":[1,100]},{"name":"PF_NPAddConnection4","features":[1,100]},{"name":"PF_NPCancelConnection","features":[1,100]},{"name":"PF_NPCancelConnection2","features":[1,100]},{"name":"PF_NPCloseEnum","features":[1,100]},{"name":"PF_NPDeviceMode","features":[1,100]},{"name":"PF_NPDirectoryNotify","features":[1,100]},{"name":"PF_NPEnumResource","features":[1,100]},{"name":"PF_NPFMXEditPerm","features":[1,100]},{"name":"PF_NPFMXGetPermCaps","features":[100]},{"name":"PF_NPFMXGetPermHelp","features":[1,100]},{"name":"PF_NPFormatNetworkName","features":[100]},{"name":"PF_NPGetCaps","features":[100]},{"name":"PF_NPGetConnection","features":[100]},{"name":"PF_NPGetConnection3","features":[100]},{"name":"PF_NPGetConnectionPerformance","features":[100]},{"name":"PF_NPGetDirectoryType","features":[1,100]},{"name":"PF_NPGetPersistentUseOptionsForConnection","features":[100]},{"name":"PF_NPGetPropertyText","features":[100]},{"name":"PF_NPGetResourceInformation","features":[100]},{"name":"PF_NPGetResourceParent","features":[100]},{"name":"PF_NPGetUniversalName","features":[100]},{"name":"PF_NPGetUser","features":[100]},{"name":"PF_NPLogonNotify","features":[1,100]},{"name":"PF_NPOpenEnum","features":[1,100]},{"name":"PF_NPPasswordChangeNotify","features":[100]},{"name":"PF_NPPropertyDialog","features":[1,100]},{"name":"PF_NPSearchDialog","features":[1,100]},{"name":"REMOTE_NAME_INFOA","features":[100]},{"name":"REMOTE_NAME_INFOW","features":[100]},{"name":"REMOTE_NAME_INFO_LEVEL","features":[100]},{"name":"RESOURCEDISPLAYTYPE_DIRECTORY","features":[100]},{"name":"RESOURCEDISPLAYTYPE_NDSCONTAINER","features":[100]},{"name":"RESOURCEDISPLAYTYPE_NETWORK","features":[100]},{"name":"RESOURCEDISPLAYTYPE_ROOT","features":[100]},{"name":"RESOURCEDISPLAYTYPE_SHAREADMIN","features":[100]},{"name":"RESOURCETYPE_ANY","features":[100]},{"name":"RESOURCETYPE_DISK","features":[100]},{"name":"RESOURCETYPE_PRINT","features":[100]},{"name":"RESOURCETYPE_RESERVED","features":[100]},{"name":"RESOURCETYPE_UNKNOWN","features":[100]},{"name":"RESOURCEUSAGE_ALL","features":[100]},{"name":"RESOURCEUSAGE_ATTACHED","features":[100]},{"name":"RESOURCEUSAGE_CONNECTABLE","features":[100]},{"name":"RESOURCEUSAGE_CONTAINER","features":[100]},{"name":"RESOURCEUSAGE_NOLOCALDEVICE","features":[100]},{"name":"RESOURCEUSAGE_NONE","features":[100]},{"name":"RESOURCEUSAGE_RESERVED","features":[100]},{"name":"RESOURCEUSAGE_SIBLING","features":[100]},{"name":"RESOURCE_CONNECTED","features":[100]},{"name":"RESOURCE_CONTEXT","features":[100]},{"name":"RESOURCE_GLOBALNET","features":[100]},{"name":"RESOURCE_RECENT","features":[100]},{"name":"RESOURCE_REMEMBERED","features":[100]},{"name":"UNC_INFO_LEVEL","features":[100]},{"name":"UNIVERSAL_NAME_INFOA","features":[100]},{"name":"UNIVERSAL_NAME_INFOW","features":[100]},{"name":"UNIVERSAL_NAME_INFO_LEVEL","features":[100]},{"name":"WNCON_DYNAMIC","features":[100]},{"name":"WNCON_FORNETCARD","features":[100]},{"name":"WNCON_NOTROUTED","features":[100]},{"name":"WNCON_SLOWLINK","features":[100]},{"name":"WNDN_MKDIR","features":[100]},{"name":"WNDN_MVDIR","features":[100]},{"name":"WNDN_RMDIR","features":[100]},{"name":"WNDT_NETWORK","features":[100]},{"name":"WNDT_NORMAL","features":[100]},{"name":"WNET_OPEN_ENUM_USAGE","features":[100]},{"name":"WNFMT_ABBREVIATED","features":[100]},{"name":"WNFMT_CONNECTION","features":[100]},{"name":"WNFMT_INENUM","features":[100]},{"name":"WNFMT_MULTILINE","features":[100]},{"name":"WNGETCON_CONNECTED","features":[100]},{"name":"WNGETCON_DISCONNECTED","features":[100]},{"name":"WNNC_ADMIN","features":[100]},{"name":"WNNC_ADM_DIRECTORYNOTIFY","features":[100]},{"name":"WNNC_ADM_GETDIRECTORYTYPE","features":[100]},{"name":"WNNC_CONNECTION","features":[100]},{"name":"WNNC_CONNECTION_FLAGS","features":[100]},{"name":"WNNC_CON_ADDCONNECTION","features":[100]},{"name":"WNNC_CON_ADDCONNECTION3","features":[100]},{"name":"WNNC_CON_ADDCONNECTION4","features":[100]},{"name":"WNNC_CON_CANCELCONNECTION","features":[100]},{"name":"WNNC_CON_CANCELCONNECTION2","features":[100]},{"name":"WNNC_CON_DEFER","features":[100]},{"name":"WNNC_CON_GETCONNECTIONS","features":[100]},{"name":"WNNC_CON_GETPERFORMANCE","features":[100]},{"name":"WNNC_DIALOG","features":[100]},{"name":"WNNC_DLG_DEVICEMODE","features":[100]},{"name":"WNNC_DLG_FORMATNETWORKNAME","features":[100]},{"name":"WNNC_DLG_GETRESOURCEINFORMATION","features":[100]},{"name":"WNNC_DLG_GETRESOURCEPARENT","features":[100]},{"name":"WNNC_DLG_PERMISSIONEDITOR","features":[100]},{"name":"WNNC_DLG_PROPERTYDIALOG","features":[100]},{"name":"WNNC_DLG_SEARCHDIALOG","features":[100]},{"name":"WNNC_DRIVER_VERSION","features":[100]},{"name":"WNNC_ENUMERATION","features":[100]},{"name":"WNNC_ENUM_CONTEXT","features":[100]},{"name":"WNNC_ENUM_GLOBAL","features":[100]},{"name":"WNNC_ENUM_LOCAL","features":[100]},{"name":"WNNC_ENUM_SHAREABLE","features":[100]},{"name":"WNNC_NET_NONE","features":[100]},{"name":"WNNC_NET_TYPE","features":[100]},{"name":"WNNC_SPEC_VERSION","features":[100]},{"name":"WNNC_SPEC_VERSION51","features":[100]},{"name":"WNNC_START","features":[100]},{"name":"WNNC_USER","features":[100]},{"name":"WNNC_USR_GETUSER","features":[100]},{"name":"WNNC_WAIT_FOR_START","features":[100]},{"name":"WNPERMC_AUDIT","features":[100]},{"name":"WNPERMC_OWNER","features":[100]},{"name":"WNPERMC_PERM","features":[100]},{"name":"WNPERM_DLG","features":[100]},{"name":"WNPERM_DLG_AUDIT","features":[100]},{"name":"WNPERM_DLG_OWNER","features":[100]},{"name":"WNPERM_DLG_PERM","features":[100]},{"name":"WNPS_DIR","features":[100]},{"name":"WNPS_FILE","features":[100]},{"name":"WNPS_MULT","features":[100]},{"name":"WNSRCH_REFRESH_FIRST_LEVEL","features":[100]},{"name":"WNTYPE_COMM","features":[100]},{"name":"WNTYPE_DRIVE","features":[100]},{"name":"WNTYPE_FILE","features":[100]},{"name":"WNTYPE_PRINTER","features":[100]},{"name":"WN_CREDENTIAL_CLASS","features":[100]},{"name":"WN_NETWORK_CLASS","features":[100]},{"name":"WN_NT_PASSWORD_CHANGED","features":[100]},{"name":"WN_PRIMARY_AUTHENT_CLASS","features":[100]},{"name":"WN_SERVICE_CLASS","features":[100]},{"name":"WN_VALID_LOGON_ACCOUNT","features":[100]},{"name":"WNetAddConnection2A","features":[1,100]},{"name":"WNetAddConnection2W","features":[1,100]},{"name":"WNetAddConnection3A","features":[1,100]},{"name":"WNetAddConnection3W","features":[1,100]},{"name":"WNetAddConnection4A","features":[1,100]},{"name":"WNetAddConnection4W","features":[1,100]},{"name":"WNetAddConnectionA","features":[1,100]},{"name":"WNetAddConnectionW","features":[1,100]},{"name":"WNetCancelConnection2A","features":[1,100]},{"name":"WNetCancelConnection2W","features":[1,100]},{"name":"WNetCancelConnectionA","features":[1,100]},{"name":"WNetCancelConnectionW","features":[1,100]},{"name":"WNetCloseEnum","features":[1,100]},{"name":"WNetConnectionDialog","features":[1,100]},{"name":"WNetConnectionDialog1A","features":[1,100]},{"name":"WNetConnectionDialog1W","features":[1,100]},{"name":"WNetDisconnectDialog","features":[1,100]},{"name":"WNetDisconnectDialog1A","features":[1,100]},{"name":"WNetDisconnectDialog1W","features":[1,100]},{"name":"WNetEnumResourceA","features":[1,100]},{"name":"WNetEnumResourceW","features":[1,100]},{"name":"WNetGetConnectionA","features":[1,100]},{"name":"WNetGetConnectionW","features":[1,100]},{"name":"WNetGetLastErrorA","features":[1,100]},{"name":"WNetGetLastErrorW","features":[1,100]},{"name":"WNetGetNetworkInformationA","features":[1,100]},{"name":"WNetGetNetworkInformationW","features":[1,100]},{"name":"WNetGetProviderNameA","features":[1,100]},{"name":"WNetGetProviderNameW","features":[1,100]},{"name":"WNetGetResourceInformationA","features":[1,100]},{"name":"WNetGetResourceInformationW","features":[1,100]},{"name":"WNetGetResourceParentA","features":[1,100]},{"name":"WNetGetResourceParentW","features":[1,100]},{"name":"WNetGetUniversalNameA","features":[1,100]},{"name":"WNetGetUniversalNameW","features":[1,100]},{"name":"WNetGetUserA","features":[1,100]},{"name":"WNetGetUserW","features":[1,100]},{"name":"WNetOpenEnumA","features":[1,100]},{"name":"WNetOpenEnumW","features":[1,100]},{"name":"WNetSetLastErrorA","features":[100]},{"name":"WNetSetLastErrorW","features":[100]},{"name":"WNetUseConnection4A","features":[1,100]},{"name":"WNetUseConnection4W","features":[1,100]},{"name":"WNetUseConnectionA","features":[1,100]},{"name":"WNetUseConnectionW","features":[1,100]}],"460":[{"name":"AUTHNEXTSTEP","features":[101]},{"name":"CancelRequest","features":[101]},{"name":"DAV_AUTHN_SCHEME_BASIC","features":[101]},{"name":"DAV_AUTHN_SCHEME_CERT","features":[101]},{"name":"DAV_AUTHN_SCHEME_DIGEST","features":[101]},{"name":"DAV_AUTHN_SCHEME_FBA","features":[101]},{"name":"DAV_AUTHN_SCHEME_NEGOTIATE","features":[101]},{"name":"DAV_AUTHN_SCHEME_NTLM","features":[101]},{"name":"DAV_AUTHN_SCHEME_PASSPORT","features":[101]},{"name":"DAV_CALLBACK_AUTH_BLOB","features":[101]},{"name":"DAV_CALLBACK_AUTH_UNP","features":[101]},{"name":"DAV_CALLBACK_CRED","features":[1,101]},{"name":"DavAddConnection","features":[1,101]},{"name":"DavCancelConnectionsToServer","features":[1,101]},{"name":"DavDeleteConnection","features":[1,101]},{"name":"DavFlushFile","features":[1,101]},{"name":"DavGetExtendedError","features":[1,101]},{"name":"DavGetHTTPFromUNCPath","features":[101]},{"name":"DavGetTheLockOwnerOfTheFile","features":[101]},{"name":"DavGetUNCFromHTTPPath","features":[101]},{"name":"DavInvalidateCache","features":[101]},{"name":"DavRegisterAuthCallback","features":[1,101]},{"name":"DavUnregisterAuthCallback","features":[101]},{"name":"DefaultBehavior","features":[101]},{"name":"PFNDAVAUTHCALLBACK","features":[1,101]},{"name":"PFNDAVAUTHCALLBACK_FREECRED","features":[101]},{"name":"RetryRequest","features":[101]}],"461":[{"name":"CH_DESCRIPTION_TYPE","features":[102]},{"name":"DEVPKEY_InfraCast_AccessPointBssid","features":[35,102]},{"name":"DEVPKEY_InfraCast_ChallengeAep","features":[35,102]},{"name":"DEVPKEY_InfraCast_DevnodeAep","features":[35,102]},{"name":"DEVPKEY_InfraCast_HostName_ResolutionMode","features":[35,102]},{"name":"DEVPKEY_InfraCast_PinSupported","features":[35,102]},{"name":"DEVPKEY_InfraCast_RtspTcpConnectionParametersSupported","features":[35,102]},{"name":"DEVPKEY_InfraCast_SinkHostName","features":[35,102]},{"name":"DEVPKEY_InfraCast_SinkIpAddress","features":[35,102]},{"name":"DEVPKEY_InfraCast_StreamSecuritySupported","features":[35,102]},{"name":"DEVPKEY_InfraCast_Supported","features":[35,102]},{"name":"DEVPKEY_PciDevice_AERCapabilityPresent","features":[35,102]},{"name":"DEVPKEY_PciDevice_AcsCapabilityRegister","features":[35,102]},{"name":"DEVPKEY_PciDevice_AcsCompatibleUpHierarchy","features":[35,102]},{"name":"DEVPKEY_PciDevice_AcsSupport","features":[35,102]},{"name":"DEVPKEY_PciDevice_AriSupport","features":[35,102]},{"name":"DEVPKEY_PciDevice_AtomicsSupported","features":[35,102]},{"name":"DEVPKEY_PciDevice_AtsSupport","features":[35,102]},{"name":"DEVPKEY_PciDevice_BarTypes","features":[35,102]},{"name":"DEVPKEY_PciDevice_BaseClass","features":[35,102]},{"name":"DEVPKEY_PciDevice_Correctable_Error_Mask","features":[35,102]},{"name":"DEVPKEY_PciDevice_CurrentLinkSpeed","features":[35,102]},{"name":"DEVPKEY_PciDevice_CurrentLinkWidth","features":[35,102]},{"name":"DEVPKEY_PciDevice_CurrentPayloadSize","features":[35,102]},{"name":"DEVPKEY_PciDevice_CurrentSpeedAndMode","features":[35,102]},{"name":"DEVPKEY_PciDevice_D3ColdSupport","features":[35,102]},{"name":"DEVPKEY_PciDevice_DeviceType","features":[35,102]},{"name":"DEVPKEY_PciDevice_ECRC_Errors","features":[35,102]},{"name":"DEVPKEY_PciDevice_Error_Reporting","features":[35,102]},{"name":"DEVPKEY_PciDevice_ExpressSpecVersion","features":[35,102]},{"name":"DEVPKEY_PciDevice_FirmwareErrorHandling","features":[35,102]},{"name":"DEVPKEY_PciDevice_InterruptMessageMaximum","features":[35,102]},{"name":"DEVPKEY_PciDevice_InterruptSupport","features":[35,102]},{"name":"DEVPKEY_PciDevice_Label_Id","features":[35,102]},{"name":"DEVPKEY_PciDevice_Label_String","features":[35,102]},{"name":"DEVPKEY_PciDevice_MaxLinkSpeed","features":[35,102]},{"name":"DEVPKEY_PciDevice_MaxLinkWidth","features":[35,102]},{"name":"DEVPKEY_PciDevice_MaxPayloadSize","features":[35,102]},{"name":"DEVPKEY_PciDevice_MaxReadRequestSize","features":[35,102]},{"name":"DEVPKEY_PciDevice_OnPostPath","features":[35,102]},{"name":"DEVPKEY_PciDevice_ParentSerialNumber","features":[35,102]},{"name":"DEVPKEY_PciDevice_ProgIf","features":[35,102]},{"name":"DEVPKEY_PciDevice_RequiresReservedMemoryRegion","features":[35,102]},{"name":"DEVPKEY_PciDevice_RootError_Reporting","features":[35,102]},{"name":"DEVPKEY_PciDevice_S0WakeupSupported","features":[35,102]},{"name":"DEVPKEY_PciDevice_SerialNumber","features":[35,102]},{"name":"DEVPKEY_PciDevice_SriovSupport","features":[35,102]},{"name":"DEVPKEY_PciDevice_SubClass","features":[35,102]},{"name":"DEVPKEY_PciDevice_SupportedLinkSubState","features":[35,102]},{"name":"DEVPKEY_PciDevice_Uncorrectable_Error_Mask","features":[35,102]},{"name":"DEVPKEY_PciDevice_Uncorrectable_Error_Severity","features":[35,102]},{"name":"DEVPKEY_PciDevice_UsbComponentRelation","features":[35,102]},{"name":"DEVPKEY_PciDevice_UsbDvsecPortSpecificAttributes","features":[35,102]},{"name":"DEVPKEY_PciDevice_UsbDvsecPortType","features":[35,102]},{"name":"DEVPKEY_PciDevice_UsbHostRouterName","features":[35,102]},{"name":"DEVPKEY_PciRootBus_ASPMSupport","features":[35,102]},{"name":"DEVPKEY_PciRootBus_ClockPowerManagementSupport","features":[35,102]},{"name":"DEVPKEY_PciRootBus_CurrentSpeedAndMode","features":[35,102]},{"name":"DEVPKEY_PciRootBus_DeviceIDMessagingCapable","features":[35,102]},{"name":"DEVPKEY_PciRootBus_ExtendedConfigAvailable","features":[35,102]},{"name":"DEVPKEY_PciRootBus_ExtendedPCIConfigOpRegionSupport","features":[35,102]},{"name":"DEVPKEY_PciRootBus_MSISupport","features":[35,102]},{"name":"DEVPKEY_PciRootBus_NativePciExpressControl","features":[35,102]},{"name":"DEVPKEY_PciRootBus_PCIExpressAERControl","features":[35,102]},{"name":"DEVPKEY_PciRootBus_PCIExpressCapabilityControl","features":[35,102]},{"name":"DEVPKEY_PciRootBus_PCIExpressNativeHotPlugControl","features":[35,102]},{"name":"DEVPKEY_PciRootBus_PCIExpressNativePMEControl","features":[35,102]},{"name":"DEVPKEY_PciRootBus_PCISegmentGroupsSupport","features":[35,102]},{"name":"DEVPKEY_PciRootBus_SHPCNativeHotPlugControl","features":[35,102]},{"name":"DEVPKEY_PciRootBus_SecondaryBusWidth","features":[35,102]},{"name":"DEVPKEY_PciRootBus_SecondaryInterface","features":[35,102]},{"name":"DEVPKEY_PciRootBus_SupportedSpeedsAndModes","features":[35,102]},{"name":"DEVPKEY_PciRootBus_SystemMsiSupport","features":[35,102]},{"name":"DEVPKEY_WiFiDirectServices_AdvertisementId","features":[35,102]},{"name":"DEVPKEY_WiFiDirectServices_RequestServiceInformation","features":[35,102]},{"name":"DEVPKEY_WiFiDirectServices_ServiceAddress","features":[35,102]},{"name":"DEVPKEY_WiFiDirectServices_ServiceConfigMethods","features":[35,102]},{"name":"DEVPKEY_WiFiDirectServices_ServiceInformation","features":[35,102]},{"name":"DEVPKEY_WiFiDirectServices_ServiceName","features":[35,102]},{"name":"DEVPKEY_WiFiDirect_DeviceAddress","features":[35,102]},{"name":"DEVPKEY_WiFiDirect_DeviceAddressCopy","features":[35,102]},{"name":"DEVPKEY_WiFiDirect_FoundWsbService","features":[35,102]},{"name":"DEVPKEY_WiFiDirect_GroupId","features":[35,102]},{"name":"DEVPKEY_WiFiDirect_InformationElements","features":[35,102]},{"name":"DEVPKEY_WiFiDirect_InterfaceAddress","features":[35,102]},{"name":"DEVPKEY_WiFiDirect_InterfaceGuid","features":[35,102]},{"name":"DEVPKEY_WiFiDirect_IsConnected","features":[35,102]},{"name":"DEVPKEY_WiFiDirect_IsDMGCapable","features":[35,102]},{"name":"DEVPKEY_WiFiDirect_IsLegacyDevice","features":[35,102]},{"name":"DEVPKEY_WiFiDirect_IsMiracastLCPSupported","features":[35,102]},{"name":"DEVPKEY_WiFiDirect_IsRecentlyAssociated","features":[35,102]},{"name":"DEVPKEY_WiFiDirect_IsVisible","features":[35,102]},{"name":"DEVPKEY_WiFiDirect_LinkQuality","features":[35,102]},{"name":"DEVPKEY_WiFiDirect_MiracastVersion","features":[35,102]},{"name":"DEVPKEY_WiFiDirect_Miracast_SessionMgmtControlPort","features":[35,102]},{"name":"DEVPKEY_WiFiDirect_NoMiracastAutoProject","features":[35,102]},{"name":"DEVPKEY_WiFiDirect_RtspTcpConnectionParametersSupported","features":[35,102]},{"name":"DEVPKEY_WiFiDirect_Service_Aeps","features":[35,102]},{"name":"DEVPKEY_WiFiDirect_Services","features":[35,102]},{"name":"DEVPKEY_WiFiDirect_SupportedChannelList","features":[35,102]},{"name":"DEVPKEY_WiFiDirect_TransientAssociation","features":[35,102]},{"name":"DEVPKEY_WiFi_InterfaceGuid","features":[35,102]},{"name":"DEVPROP_PCIDEVICE_ACSCOMPATIBLEUPHIERARCHY","features":[102]},{"name":"DEVPROP_PCIDEVICE_ACSSUPPORT","features":[102]},{"name":"DEVPROP_PCIDEVICE_CURRENTSPEEDANDMODE","features":[102]},{"name":"DEVPROP_PCIDEVICE_DEVICEBRIDGETYPE","features":[102]},{"name":"DEVPROP_PCIDEVICE_INTERRUPTTYPE","features":[102]},{"name":"DEVPROP_PCIDEVICE_SRIOVSUPPORT","features":[102]},{"name":"DEVPROP_PCIEXPRESSDEVICE_LINKSPEED","features":[102]},{"name":"DEVPROP_PCIEXPRESSDEVICE_LINKWIDTH","features":[102]},{"name":"DEVPROP_PCIEXPRESSDEVICE_PAYLOADORREQUESTSIZE","features":[102]},{"name":"DEVPROP_PCIEXPRESSDEVICE_SPEC_VERSION","features":[102]},{"name":"DEVPROP_PCIROOTBUS_BUSWIDTH","features":[102]},{"name":"DEVPROP_PCIROOTBUS_CURRENTSPEEDANDMODE","features":[102]},{"name":"DEVPROP_PCIROOTBUS_SECONDARYINTERFACE","features":[102]},{"name":"DEVPROP_PCIROOTBUS_SUPPORTEDSPEEDSANDMODES","features":[102]},{"name":"DISCOVERY_FILTER_BITMASK_ANY","features":[102]},{"name":"DISCOVERY_FILTER_BITMASK_DEVICE","features":[102]},{"name":"DISCOVERY_FILTER_BITMASK_GO","features":[102]},{"name":"DOT11EXTIHV_ADAPTER_RESET","features":[1,102]},{"name":"DOT11EXTIHV_CONTROL","features":[1,102]},{"name":"DOT11EXTIHV_CREATE_DISCOVERY_PROFILES","features":[1,102,103]},{"name":"DOT11EXTIHV_DEINIT_ADAPTER","features":[1,102]},{"name":"DOT11EXTIHV_DEINIT_SERVICE","features":[102]},{"name":"DOT11EXTIHV_GET_VERSION_INFO","features":[102]},{"name":"DOT11EXTIHV_INIT_ADAPTER","features":[1,102]},{"name":"DOT11EXTIHV_INIT_SERVICE","features":[1,16,102,103,104]},{"name":"DOT11EXTIHV_INIT_VIRTUAL_STATION","features":[1,102]},{"name":"DOT11EXTIHV_IS_UI_REQUEST_PENDING","features":[1,102]},{"name":"DOT11EXTIHV_ONEX_INDICATE_RESULT","features":[1,102,103]},{"name":"DOT11EXTIHV_PERFORM_CAPABILITY_MATCH","features":[1,102,103]},{"name":"DOT11EXTIHV_PERFORM_POST_ASSOCIATE","features":[1,16,102]},{"name":"DOT11EXTIHV_PERFORM_PRE_ASSOCIATE","features":[1,102,103]},{"name":"DOT11EXTIHV_PROCESS_SESSION_CHANGE","features":[102,104]},{"name":"DOT11EXTIHV_PROCESS_UI_RESPONSE","features":[102]},{"name":"DOT11EXTIHV_QUERY_UI_REQUEST","features":[1,102]},{"name":"DOT11EXTIHV_RECEIVE_INDICATION","features":[1,102]},{"name":"DOT11EXTIHV_RECEIVE_PACKET","features":[1,102]},{"name":"DOT11EXTIHV_SEND_PACKET_COMPLETION","features":[1,102]},{"name":"DOT11EXTIHV_STOP_POST_ASSOCIATE","features":[1,102]},{"name":"DOT11EXTIHV_VALIDATE_PROFILE","features":[1,102,103]},{"name":"DOT11EXT_ALLOCATE_BUFFER","features":[102]},{"name":"DOT11EXT_APIS","features":[1,16,102,103]},{"name":"DOT11EXT_FREE_BUFFER","features":[102]},{"name":"DOT11EXT_GET_PROFILE_CUSTOM_USER_DATA","features":[1,102]},{"name":"DOT11EXT_IHV_CONNECTION_PHASE","features":[102]},{"name":"DOT11EXT_IHV_CONNECTIVITY_PROFILE","features":[102]},{"name":"DOT11EXT_IHV_DISCOVERY_PROFILE","features":[1,102]},{"name":"DOT11EXT_IHV_DISCOVERY_PROFILE_LIST","features":[1,102]},{"name":"DOT11EXT_IHV_HANDLERS","features":[1,16,102,103,104]},{"name":"DOT11EXT_IHV_INDICATION_TYPE","features":[102]},{"name":"DOT11EXT_IHV_PARAMS","features":[1,102,103]},{"name":"DOT11EXT_IHV_PROFILE_PARAMS","features":[1,102,103]},{"name":"DOT11EXT_IHV_SECURITY_PROFILE","features":[1,102]},{"name":"DOT11EXT_IHV_SSID_LIST","features":[102]},{"name":"DOT11EXT_IHV_UI_REQUEST","features":[102]},{"name":"DOT11EXT_NIC_SPECIFIC_EXTENSION","features":[1,102]},{"name":"DOT11EXT_ONEX_START","features":[1,102,103]},{"name":"DOT11EXT_ONEX_STOP","features":[1,102]},{"name":"DOT11EXT_POST_ASSOCIATE_COMPLETION","features":[1,102]},{"name":"DOT11EXT_PRE_ASSOCIATE_COMPLETION","features":[1,102]},{"name":"DOT11EXT_PROCESS_ONEX_PACKET","features":[1,102]},{"name":"DOT11EXT_PSK_MAX_LENGTH","features":[102]},{"name":"DOT11EXT_QUERY_VIRTUAL_STATION_PROPERTIES","features":[1,102]},{"name":"DOT11EXT_RELEASE_VIRTUAL_STATION","features":[1,102]},{"name":"DOT11EXT_REQUEST_VIRTUAL_STATION","features":[1,102]},{"name":"DOT11EXT_SEND_NOTIFICATION","features":[1,102]},{"name":"DOT11EXT_SEND_PACKET","features":[1,102]},{"name":"DOT11EXT_SEND_UI_REQUEST","features":[1,102]},{"name":"DOT11EXT_SET_AUTH_ALGORITHM","features":[1,102]},{"name":"DOT11EXT_SET_CURRENT_PROFILE","features":[1,102]},{"name":"DOT11EXT_SET_DEFAULT_KEY","features":[1,16,102]},{"name":"DOT11EXT_SET_DEFAULT_KEY_ID","features":[1,102]},{"name":"DOT11EXT_SET_ETHERTYPE_HANDLING","features":[1,102]},{"name":"DOT11EXT_SET_EXCLUDE_UNENCRYPTED","features":[1,102]},{"name":"DOT11EXT_SET_KEY_MAPPING_KEY","features":[1,102]},{"name":"DOT11EXT_SET_MULTICAST_CIPHER_ALGORITHM","features":[1,102]},{"name":"DOT11EXT_SET_PROFILE_CUSTOM_USER_DATA","features":[1,102]},{"name":"DOT11EXT_SET_UNICAST_CIPHER_ALGORITHM","features":[1,102]},{"name":"DOT11EXT_SET_VIRTUAL_STATION_AP_PROPERTIES","features":[1,102]},{"name":"DOT11EXT_VIRTUAL_STATION_APIS","features":[1,102]},{"name":"DOT11EXT_VIRTUAL_STATION_AP_PROPERTY","features":[1,102]},{"name":"DOT11_ACCESSNETWORKOPTIONS","features":[102]},{"name":"DOT11_AC_PARAM","features":[102]},{"name":"DOT11_ADAPTER","features":[102]},{"name":"DOT11_ADDITIONAL_IE","features":[16,102]},{"name":"DOT11_ADDITIONAL_IE_REVISION_1","features":[102]},{"name":"DOT11_ADHOC_AUTH_ALGORITHM","features":[102]},{"name":"DOT11_ADHOC_AUTH_ALGO_80211_OPEN","features":[102]},{"name":"DOT11_ADHOC_AUTH_ALGO_INVALID","features":[102]},{"name":"DOT11_ADHOC_AUTH_ALGO_RSNA_PSK","features":[102]},{"name":"DOT11_ADHOC_CIPHER_ALGORITHM","features":[102]},{"name":"DOT11_ADHOC_CIPHER_ALGO_CCMP","features":[102]},{"name":"DOT11_ADHOC_CIPHER_ALGO_INVALID","features":[102]},{"name":"DOT11_ADHOC_CIPHER_ALGO_NONE","features":[102]},{"name":"DOT11_ADHOC_CIPHER_ALGO_WEP","features":[102]},{"name":"DOT11_ADHOC_CONNECT_FAIL_DOMAIN_MISMATCH","features":[102]},{"name":"DOT11_ADHOC_CONNECT_FAIL_OTHER","features":[102]},{"name":"DOT11_ADHOC_CONNECT_FAIL_PASSPHRASE_MISMATCH","features":[102]},{"name":"DOT11_ADHOC_CONNECT_FAIL_REASON","features":[102]},{"name":"DOT11_ADHOC_NETWORK_CONNECTION_STATUS","features":[102]},{"name":"DOT11_ADHOC_NETWORK_CONNECTION_STATUS_CONNECTED","features":[102]},{"name":"DOT11_ADHOC_NETWORK_CONNECTION_STATUS_CONNECTING","features":[102]},{"name":"DOT11_ADHOC_NETWORK_CONNECTION_STATUS_DISCONNECTED","features":[102]},{"name":"DOT11_ADHOC_NETWORK_CONNECTION_STATUS_FORMED","features":[102]},{"name":"DOT11_ADHOC_NETWORK_CONNECTION_STATUS_INVALID","features":[102]},{"name":"DOT11_ANQP_QUERY_COMPLETE_PARAMETERS","features":[1,16,102]},{"name":"DOT11_ANQP_QUERY_COMPLETE_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_ANQP_QUERY_RESULT","features":[102]},{"name":"DOT11_AP_JOIN_REQUEST","features":[102]},{"name":"DOT11_ASSOCIATION_COMPLETION_PARAMETERS","features":[1,16,102]},{"name":"DOT11_ASSOCIATION_COMPLETION_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_ASSOCIATION_COMPLETION_PARAMETERS_REVISION_2","features":[102]},{"name":"DOT11_ASSOCIATION_INFO_EX","features":[102]},{"name":"DOT11_ASSOCIATION_INFO_LIST","features":[16,102]},{"name":"DOT11_ASSOCIATION_INFO_LIST_REVISION_1","features":[102]},{"name":"DOT11_ASSOCIATION_PARAMS","features":[16,102]},{"name":"DOT11_ASSOCIATION_PARAMS_REVISION_1","features":[102]},{"name":"DOT11_ASSOCIATION_START_PARAMETERS","features":[16,102]},{"name":"DOT11_ASSOCIATION_START_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_ASSOCIATION_STATE","features":[102]},{"name":"DOT11_ASSOC_ERROR_SOURCE_OS","features":[102]},{"name":"DOT11_ASSOC_ERROR_SOURCE_OTHER","features":[102]},{"name":"DOT11_ASSOC_ERROR_SOURCE_REMOTE","features":[102]},{"name":"DOT11_ASSOC_STATUS_SUCCESS","features":[102]},{"name":"DOT11_AUTH_ALGORITHM","features":[102]},{"name":"DOT11_AUTH_ALGORITHM_LIST","features":[16,102]},{"name":"DOT11_AUTH_ALGORITHM_LIST_REVISION_1","features":[102]},{"name":"DOT11_AUTH_ALGO_80211_OPEN","features":[102]},{"name":"DOT11_AUTH_ALGO_80211_SHARED_KEY","features":[102]},{"name":"DOT11_AUTH_ALGO_IHV_END","features":[102]},{"name":"DOT11_AUTH_ALGO_IHV_START","features":[102]},{"name":"DOT11_AUTH_ALGO_MICHAEL","features":[102]},{"name":"DOT11_AUTH_ALGO_OWE","features":[102]},{"name":"DOT11_AUTH_ALGO_RSNA","features":[102]},{"name":"DOT11_AUTH_ALGO_RSNA_PSK","features":[102]},{"name":"DOT11_AUTH_ALGO_WPA","features":[102]},{"name":"DOT11_AUTH_ALGO_WPA3","features":[102]},{"name":"DOT11_AUTH_ALGO_WPA3_ENT","features":[102]},{"name":"DOT11_AUTH_ALGO_WPA3_ENT_192","features":[102]},{"name":"DOT11_AUTH_ALGO_WPA3_SAE","features":[102]},{"name":"DOT11_AUTH_ALGO_WPA_NONE","features":[102]},{"name":"DOT11_AUTH_ALGO_WPA_PSK","features":[102]},{"name":"DOT11_AUTH_CIPHER_PAIR","features":[102]},{"name":"DOT11_AUTH_CIPHER_PAIR_LIST","features":[16,102]},{"name":"DOT11_AUTH_CIPHER_PAIR_LIST_REVISION_1","features":[102]},{"name":"DOT11_AVAILABLE_CHANNEL_LIST","features":[16,102]},{"name":"DOT11_AVAILABLE_CHANNEL_LIST_REVISION_1","features":[102]},{"name":"DOT11_AVAILABLE_FREQUENCY_LIST","features":[16,102]},{"name":"DOT11_AVAILABLE_FREQUENCY_LIST_REVISION_1","features":[102]},{"name":"DOT11_BAND","features":[102]},{"name":"DOT11_BSSID_CANDIDATE","features":[102]},{"name":"DOT11_BSSID_LIST","features":[16,102]},{"name":"DOT11_BSSID_LIST_REVISION_1","features":[102]},{"name":"DOT11_BSS_DESCRIPTION","features":[102]},{"name":"DOT11_BSS_ENTRY","features":[1,102]},{"name":"DOT11_BSS_ENTRY_BYTE_ARRAY_REVISION_1","features":[102]},{"name":"DOT11_BSS_ENTRY_PHY_SPECIFIC_INFO","features":[102]},{"name":"DOT11_BSS_LIST","features":[102]},{"name":"DOT11_BSS_TYPE","features":[102]},{"name":"DOT11_BYTE_ARRAY","features":[16,102]},{"name":"DOT11_CAN_SUSTAIN_AP_PARAMETERS","features":[16,102]},{"name":"DOT11_CAN_SUSTAIN_AP_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_CAN_SUSTAIN_AP_REASON_IHV_END","features":[102]},{"name":"DOT11_CAN_SUSTAIN_AP_REASON_IHV_START","features":[102]},{"name":"DOT11_CAPABILITY_CHANNEL_AGILITY","features":[102]},{"name":"DOT11_CAPABILITY_DSSSOFDM","features":[102]},{"name":"DOT11_CAPABILITY_INFO_CF_POLLABLE","features":[102]},{"name":"DOT11_CAPABILITY_INFO_CF_POLL_REQ","features":[102]},{"name":"DOT11_CAPABILITY_INFO_ESS","features":[102]},{"name":"DOT11_CAPABILITY_INFO_IBSS","features":[102]},{"name":"DOT11_CAPABILITY_INFO_PRIVACY","features":[102]},{"name":"DOT11_CAPABILITY_PBCC","features":[102]},{"name":"DOT11_CAPABILITY_SHORT_PREAMBLE","features":[102]},{"name":"DOT11_CAPABILITY_SHORT_SLOT_TIME","features":[102]},{"name":"DOT11_CCA_MODE_CS_ONLY","features":[102]},{"name":"DOT11_CCA_MODE_CS_WITH_TIMER","features":[102]},{"name":"DOT11_CCA_MODE_ED_ONLY","features":[102]},{"name":"DOT11_CCA_MODE_ED_and_CS","features":[102]},{"name":"DOT11_CCA_MODE_HRCS_AND_ED","features":[102]},{"name":"DOT11_CHANNEL_HINT","features":[102]},{"name":"DOT11_CIPHER_ALGORITHM","features":[102]},{"name":"DOT11_CIPHER_ALGORITHM_LIST","features":[16,102]},{"name":"DOT11_CIPHER_ALGORITHM_LIST_REVISION_1","features":[102]},{"name":"DOT11_CIPHER_ALGO_BIP","features":[102]},{"name":"DOT11_CIPHER_ALGO_BIP_CMAC_256","features":[102]},{"name":"DOT11_CIPHER_ALGO_BIP_GMAC_128","features":[102]},{"name":"DOT11_CIPHER_ALGO_BIP_GMAC_256","features":[102]},{"name":"DOT11_CIPHER_ALGO_CCMP","features":[102]},{"name":"DOT11_CIPHER_ALGO_CCMP_256","features":[102]},{"name":"DOT11_CIPHER_ALGO_GCMP","features":[102]},{"name":"DOT11_CIPHER_ALGO_GCMP_256","features":[102]},{"name":"DOT11_CIPHER_ALGO_IHV_END","features":[102]},{"name":"DOT11_CIPHER_ALGO_IHV_START","features":[102]},{"name":"DOT11_CIPHER_ALGO_NONE","features":[102]},{"name":"DOT11_CIPHER_ALGO_RSN_USE_GROUP","features":[102]},{"name":"DOT11_CIPHER_ALGO_TKIP","features":[102]},{"name":"DOT11_CIPHER_ALGO_WEP","features":[102]},{"name":"DOT11_CIPHER_ALGO_WEP104","features":[102]},{"name":"DOT11_CIPHER_ALGO_WEP40","features":[102]},{"name":"DOT11_CIPHER_ALGO_WPA_USE_GROUP","features":[102]},{"name":"DOT11_CIPHER_DEFAULT_KEY_VALUE","features":[1,16,102]},{"name":"DOT11_CIPHER_DEFAULT_KEY_VALUE_REVISION_1","features":[102]},{"name":"DOT11_CIPHER_KEY_MAPPING_KEY_VALUE","features":[1,102]},{"name":"DOT11_CIPHER_KEY_MAPPING_KEY_VALUE_BYTE_ARRAY_REVISION_1","features":[102]},{"name":"DOT11_CONF_ALGO_TKIP","features":[102]},{"name":"DOT11_CONF_ALGO_WEP_RC4","features":[102]},{"name":"DOT11_CONNECTION_COMPLETION_PARAMETERS","features":[16,102]},{"name":"DOT11_CONNECTION_COMPLETION_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_CONNECTION_START_PARAMETERS","features":[16,102]},{"name":"DOT11_CONNECTION_START_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_CONNECTION_STATUS_SUCCESS","features":[102]},{"name":"DOT11_COUNTERS_ENTRY","features":[102]},{"name":"DOT11_COUNTRY_OR_REGION_STRING_LIST","features":[16,102]},{"name":"DOT11_COUNTRY_OR_REGION_STRING_LIST_REVISION_1","features":[102]},{"name":"DOT11_CURRENT_OFFLOAD_CAPABILITY","features":[102]},{"name":"DOT11_CURRENT_OPERATION_MODE","features":[102]},{"name":"DOT11_CURRENT_OPTIONAL_CAPABILITY","features":[1,102]},{"name":"DOT11_DATA_RATE_MAPPING_ENTRY","features":[102]},{"name":"DOT11_DATA_RATE_MAPPING_TABLE","features":[16,102]},{"name":"DOT11_DATA_RATE_MAPPING_TABLE_REVISION_1","features":[102]},{"name":"DOT11_DEFAULT_WEP_OFFLOAD","features":[1,102]},{"name":"DOT11_DEFAULT_WEP_UPLOAD","features":[1,102]},{"name":"DOT11_DEVICE_ENTRY_BYTE_ARRAY_REVISION_1","features":[102]},{"name":"DOT11_DIRECTION","features":[102]},{"name":"DOT11_DIR_BOTH","features":[102]},{"name":"DOT11_DIR_INBOUND","features":[102]},{"name":"DOT11_DIR_OUTBOUND","features":[102]},{"name":"DOT11_DISASSOCIATE_PEER_REQUEST","features":[16,102]},{"name":"DOT11_DISASSOCIATE_PEER_REQUEST_REVISION_1","features":[102]},{"name":"DOT11_DISASSOCIATION_PARAMETERS","features":[16,102]},{"name":"DOT11_DISASSOCIATION_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_DIVERSITY_SELECTION_RX","features":[1,102]},{"name":"DOT11_DIVERSITY_SELECTION_RX_LIST","features":[1,102]},{"name":"DOT11_DIVERSITY_SUPPORT","features":[102]},{"name":"DOT11_DS_CHANGED","features":[102]},{"name":"DOT11_DS_INFO","features":[102]},{"name":"DOT11_DS_UNCHANGED","features":[102]},{"name":"DOT11_DS_UNKNOWN","features":[102]},{"name":"DOT11_EAP_RESULT","features":[102,103]},{"name":"DOT11_ENCAP_802_1H","features":[102]},{"name":"DOT11_ENCAP_ENTRY","features":[102]},{"name":"DOT11_ENCAP_RFC_1042","features":[102]},{"name":"DOT11_ERP_PHY_ATTRIBUTES","features":[1,102]},{"name":"DOT11_EXEMPT_ALWAYS","features":[102]},{"name":"DOT11_EXEMPT_BOTH","features":[102]},{"name":"DOT11_EXEMPT_MULTICAST","features":[102]},{"name":"DOT11_EXEMPT_NO_EXEMPTION","features":[102]},{"name":"DOT11_EXEMPT_ON_KEY_MAPPING_KEY_UNAVAILABLE","features":[102]},{"name":"DOT11_EXEMPT_UNICAST","features":[102]},{"name":"DOT11_EXTAP_ATTRIBUTES","features":[1,16,102]},{"name":"DOT11_EXTAP_ATTRIBUTES_REVISION_1","features":[102]},{"name":"DOT11_EXTAP_RECV_CONTEXT_REVISION_1","features":[102]},{"name":"DOT11_EXTAP_SEND_CONTEXT_REVISION_1","features":[102]},{"name":"DOT11_EXTSTA_ATTRIBUTES","features":[1,16,102]},{"name":"DOT11_EXTSTA_ATTRIBUTES_REVISION_1","features":[102]},{"name":"DOT11_EXTSTA_ATTRIBUTES_REVISION_2","features":[102]},{"name":"DOT11_EXTSTA_ATTRIBUTES_REVISION_3","features":[102]},{"name":"DOT11_EXTSTA_ATTRIBUTES_REVISION_4","features":[102]},{"name":"DOT11_EXTSTA_ATTRIBUTES_SAFEMODE_CERTIFIED","features":[102]},{"name":"DOT11_EXTSTA_ATTRIBUTES_SAFEMODE_OID_SUPPORTED","features":[102]},{"name":"DOT11_EXTSTA_ATTRIBUTES_SAFEMODE_RESERVED","features":[102]},{"name":"DOT11_EXTSTA_CAPABILITY","features":[16,102]},{"name":"DOT11_EXTSTA_CAPABILITY_REVISION_1","features":[102]},{"name":"DOT11_EXTSTA_RECV_CONTEXT","features":[16,102]},{"name":"DOT11_EXTSTA_RECV_CONTEXT_REVISION_1","features":[102]},{"name":"DOT11_EXTSTA_SEND_CONTEXT","features":[16,102]},{"name":"DOT11_EXTSTA_SEND_CONTEXT_REVISION_1","features":[102]},{"name":"DOT11_FLAGS_80211B_CHANNEL_AGILITY","features":[102]},{"name":"DOT11_FLAGS_80211B_PBCC","features":[102]},{"name":"DOT11_FLAGS_80211B_SHORT_PREAMBLE","features":[102]},{"name":"DOT11_FLAGS_80211G_BARKER_PREAMBLE_MODE","features":[102]},{"name":"DOT11_FLAGS_80211G_DSSS_OFDM","features":[102]},{"name":"DOT11_FLAGS_80211G_NON_ERP_PRESENT","features":[102]},{"name":"DOT11_FLAGS_80211G_USE_PROTECTION","features":[102]},{"name":"DOT11_FLAGS_PS_ON","features":[102]},{"name":"DOT11_FRAGMENT_DESCRIPTOR","features":[102]},{"name":"DOT11_FREQUENCY_BANDS_LOWER","features":[102]},{"name":"DOT11_FREQUENCY_BANDS_MIDDLE","features":[102]},{"name":"DOT11_FREQUENCY_BANDS_UPPER","features":[102]},{"name":"DOT11_GO_NEGOTIATION_CONFIRMATION_SEND_COMPLETE_PARAMETERS","features":[16,102]},{"name":"DOT11_GO_NEGOTIATION_CONFIRMATION_SEND_COMPLETE_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_GO_NEGOTIATION_REQUEST_SEND_COMPLETE_PARAMETERS","features":[16,102]},{"name":"DOT11_GO_NEGOTIATION_REQUEST_SEND_COMPLETE_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_GO_NEGOTIATION_RESPONSE_SEND_COMPLETE_PARAMETERS","features":[16,102]},{"name":"DOT11_GO_NEGOTIATION_RESPONSE_SEND_COMPLETE_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_HESSID_LENGTH","features":[102]},{"name":"DOT11_HOPPING_PATTERN_ENTRY","features":[102]},{"name":"DOT11_HOPPING_PATTERN_ENTRY_LIST","features":[102]},{"name":"DOT11_HOP_ALGO_ADOPTED","features":[102]},{"name":"DOT11_HRDSSS_PHY_ATTRIBUTES","features":[1,102]},{"name":"DOT11_HR_CCA_MODE_CS_AND_ED","features":[102]},{"name":"DOT11_HR_CCA_MODE_CS_ONLY","features":[102]},{"name":"DOT11_HR_CCA_MODE_CS_WITH_TIMER","features":[102]},{"name":"DOT11_HR_CCA_MODE_ED_ONLY","features":[102]},{"name":"DOT11_HR_CCA_MODE_HRCS_AND_ED","features":[102]},{"name":"DOT11_HW_DEFRAGMENTATION_SUPPORTED","features":[102]},{"name":"DOT11_HW_FRAGMENTATION_SUPPORTED","features":[102]},{"name":"DOT11_HW_MSDU_AUTH_SUPPORTED_RX","features":[102]},{"name":"DOT11_HW_MSDU_AUTH_SUPPORTED_TX","features":[102]},{"name":"DOT11_HW_WEP_SUPPORTED_RX","features":[102]},{"name":"DOT11_HW_WEP_SUPPORTED_TX","features":[102]},{"name":"DOT11_IBSS_PARAMS","features":[1,16,102]},{"name":"DOT11_IBSS_PARAMS_REVISION_1","features":[102]},{"name":"DOT11_IHV_VERSION_INFO","features":[102]},{"name":"DOT11_INCOMING_ASSOC_COMPLETION_PARAMETERS","features":[1,16,102]},{"name":"DOT11_INCOMING_ASSOC_COMPLETION_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_INCOMING_ASSOC_DECISION","features":[1,16,102]},{"name":"DOT11_INCOMING_ASSOC_DECISION_REVISION_1","features":[102]},{"name":"DOT11_INCOMING_ASSOC_DECISION_REVISION_2","features":[102]},{"name":"DOT11_INCOMING_ASSOC_DECISION_V2","features":[1,16,102]},{"name":"DOT11_INCOMING_ASSOC_REQUEST_RECEIVED_PARAMETERS","features":[1,16,102]},{"name":"DOT11_INCOMING_ASSOC_REQUEST_RECEIVED_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_INCOMING_ASSOC_STARTED_PARAMETERS","features":[16,102]},{"name":"DOT11_INCOMING_ASSOC_STARTED_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_INVALID_CHANNEL_NUMBER","features":[102]},{"name":"DOT11_INVITATION_REQUEST_SEND_COMPLETE_PARAMETERS","features":[16,102]},{"name":"DOT11_INVITATION_REQUEST_SEND_COMPLETE_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_INVITATION_RESPONSE_SEND_COMPLETE_PARAMETERS","features":[16,102]},{"name":"DOT11_INVITATION_RESPONSE_SEND_COMPLETE_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_IV48_COUNTER","features":[102]},{"name":"DOT11_JOIN_REQUEST","features":[102]},{"name":"DOT11_KEY_ALGO_BIP","features":[102]},{"name":"DOT11_KEY_ALGO_BIP_GMAC_256","features":[102]},{"name":"DOT11_KEY_ALGO_CCMP","features":[102]},{"name":"DOT11_KEY_ALGO_GCMP","features":[102]},{"name":"DOT11_KEY_ALGO_GCMP_256","features":[102]},{"name":"DOT11_KEY_ALGO_TKIP_MIC","features":[102]},{"name":"DOT11_KEY_DIRECTION","features":[102]},{"name":"DOT11_LINK_QUALITY_ENTRY","features":[102]},{"name":"DOT11_LINK_QUALITY_PARAMETERS","features":[16,102]},{"name":"DOT11_LINK_QUALITY_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_MAC_ADDRESS_LIST","features":[16,102]},{"name":"DOT11_MAC_ADDRESS_LIST_REVISION_1","features":[102]},{"name":"DOT11_MAC_FRAME_STATISTICS","features":[102]},{"name":"DOT11_MAC_INFO","features":[102]},{"name":"DOT11_MAC_PARAMETERS","features":[16,102]},{"name":"DOT11_MAC_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_MANUFACTURING_CALLBACK_PARAMETERS","features":[16,102]},{"name":"DOT11_MANUFACTURING_CALLBACK_REVISION_1","features":[102]},{"name":"DOT11_MANUFACTURING_CALLBACK_TYPE","features":[102]},{"name":"DOT11_MANUFACTURING_FUNCTIONAL_TEST_QUERY_ADC","features":[102]},{"name":"DOT11_MANUFACTURING_FUNCTIONAL_TEST_RX","features":[1,102]},{"name":"DOT11_MANUFACTURING_FUNCTIONAL_TEST_TX","features":[1,102]},{"name":"DOT11_MANUFACTURING_SELF_TEST_QUERY_RESULTS","features":[1,102]},{"name":"DOT11_MANUFACTURING_SELF_TEST_SET_PARAMS","features":[102]},{"name":"DOT11_MANUFACTURING_SELF_TEST_TYPE","features":[102]},{"name":"DOT11_MANUFACTURING_SELF_TEST_TYPE_BT_COEXISTENCE","features":[102]},{"name":"DOT11_MANUFACTURING_SELF_TEST_TYPE_INTERFACE","features":[102]},{"name":"DOT11_MANUFACTURING_SELF_TEST_TYPE_RF_INTERFACE","features":[102]},{"name":"DOT11_MANUFACTURING_TEST","features":[102]},{"name":"DOT11_MANUFACTURING_TEST_QUERY_DATA","features":[102]},{"name":"DOT11_MANUFACTURING_TEST_REVISION_1","features":[102]},{"name":"DOT11_MANUFACTURING_TEST_SET_DATA","features":[102]},{"name":"DOT11_MANUFACTURING_TEST_SLEEP","features":[102]},{"name":"DOT11_MANUFACTURING_TEST_TYPE","features":[102]},{"name":"DOT11_MAX_CHANNEL_HINTS","features":[102]},{"name":"DOT11_MAX_NUM_DEFAULT_KEY","features":[102]},{"name":"DOT11_MAX_NUM_DEFAULT_KEY_MFP","features":[102]},{"name":"DOT11_MAX_NUM_OF_FRAGMENTS","features":[102]},{"name":"DOT11_MAX_PDU_SIZE","features":[102]},{"name":"DOT11_MAX_REQUESTED_SERVICE_INFORMATION_LENGTH","features":[102]},{"name":"DOT11_MD_CAPABILITY_ENTRY_LIST","features":[102]},{"name":"DOT11_MIN_PDU_SIZE","features":[102]},{"name":"DOT11_MPDU_MAX_LENGTH_INDICATION","features":[16,102]},{"name":"DOT11_MPDU_MAX_LENGTH_INDICATION_REVISION_1","features":[102]},{"name":"DOT11_MSONEX_FAILURE","features":[102]},{"name":"DOT11_MSONEX_IN_PROGRESS","features":[102]},{"name":"DOT11_MSONEX_RESULT","features":[102]},{"name":"DOT11_MSONEX_RESULT_PARAMS","features":[102,103]},{"name":"DOT11_MSONEX_SUCCESS","features":[102]},{"name":"DOT11_MSSECURITY_SETTINGS","features":[1,102,103]},{"name":"DOT11_MULTI_DOMAIN_CAPABILITY_ENTRY","features":[102]},{"name":"DOT11_NETWORK","features":[102]},{"name":"DOT11_NETWORK_LIST","features":[102]},{"name":"DOT11_NIC_SPECIFIC_EXTENSION","features":[102]},{"name":"DOT11_NLO_FLAG_SCAN_AT_SYSTEM_RESUME","features":[102]},{"name":"DOT11_NLO_FLAG_SCAN_ON_AOAC_PLATFORM","features":[102]},{"name":"DOT11_NLO_FLAG_STOP_NLO_INDICATION","features":[102]},{"name":"DOT11_OFDM_PHY_ATTRIBUTES","features":[102]},{"name":"DOT11_OFFLOAD_CAPABILITY","features":[102]},{"name":"DOT11_OFFLOAD_NETWORK","features":[102]},{"name":"DOT11_OFFLOAD_NETWORK_LIST_INFO","features":[16,102]},{"name":"DOT11_OFFLOAD_NETWORK_LIST_REVISION_1","features":[102]},{"name":"DOT11_OFFLOAD_NETWORK_STATUS_PARAMETERS","features":[16,102]},{"name":"DOT11_OFFLOAD_NETWORK_STATUS_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_OFFLOAD_TYPE","features":[102]},{"name":"DOT11_OI","features":[102]},{"name":"DOT11_OI_MAX_LENGTH","features":[102]},{"name":"DOT11_OI_MIN_LENGTH","features":[102]},{"name":"DOT11_OPERATION_MODE_AP","features":[102]},{"name":"DOT11_OPERATION_MODE_CAPABILITY","features":[102]},{"name":"DOT11_OPERATION_MODE_EXTENSIBLE_AP","features":[102]},{"name":"DOT11_OPERATION_MODE_EXTENSIBLE_STATION","features":[102]},{"name":"DOT11_OPERATION_MODE_MANUFACTURING","features":[102]},{"name":"DOT11_OPERATION_MODE_NETWORK_MONITOR","features":[102]},{"name":"DOT11_OPERATION_MODE_STATION","features":[102]},{"name":"DOT11_OPERATION_MODE_UNKNOWN","features":[102]},{"name":"DOT11_OPERATION_MODE_WFD_CLIENT","features":[102]},{"name":"DOT11_OPERATION_MODE_WFD_DEVICE","features":[102]},{"name":"DOT11_OPERATION_MODE_WFD_GROUP_OWNER","features":[102]},{"name":"DOT11_OPTIONAL_CAPABILITY","features":[1,102]},{"name":"DOT11_PACKET_TYPE_ALL_MULTICAST_CTRL","features":[102]},{"name":"DOT11_PACKET_TYPE_ALL_MULTICAST_DATA","features":[102]},{"name":"DOT11_PACKET_TYPE_ALL_MULTICAST_MGMT","features":[102]},{"name":"DOT11_PACKET_TYPE_BROADCAST_CTRL","features":[102]},{"name":"DOT11_PACKET_TYPE_BROADCAST_DATA","features":[102]},{"name":"DOT11_PACKET_TYPE_BROADCAST_MGMT","features":[102]},{"name":"DOT11_PACKET_TYPE_DIRECTED_CTRL","features":[102]},{"name":"DOT11_PACKET_TYPE_DIRECTED_DATA","features":[102]},{"name":"DOT11_PACKET_TYPE_DIRECTED_MGMT","features":[102]},{"name":"DOT11_PACKET_TYPE_MULTICAST_CTRL","features":[102]},{"name":"DOT11_PACKET_TYPE_MULTICAST_DATA","features":[102]},{"name":"DOT11_PACKET_TYPE_MULTICAST_MGMT","features":[102]},{"name":"DOT11_PACKET_TYPE_PROMISCUOUS_CTRL","features":[102]},{"name":"DOT11_PACKET_TYPE_PROMISCUOUS_DATA","features":[102]},{"name":"DOT11_PACKET_TYPE_PROMISCUOUS_MGMT","features":[102]},{"name":"DOT11_PEER_INFO","features":[1,102]},{"name":"DOT11_PEER_INFO_LIST","features":[1,16,102]},{"name":"DOT11_PEER_INFO_LIST_REVISION_1","features":[102]},{"name":"DOT11_PEER_STATISTICS","features":[102]},{"name":"DOT11_PER_MSDU_COUNTERS","features":[102]},{"name":"DOT11_PHY_ATTRIBUTES","features":[1,16,102]},{"name":"DOT11_PHY_ATTRIBUTES_REVISION_1","features":[102]},{"name":"DOT11_PHY_FRAME_STATISTICS","features":[102]},{"name":"DOT11_PHY_FREQUENCY_ADOPTED_PARAMETERS","features":[16,102]},{"name":"DOT11_PHY_FREQUENCY_ADOPTED_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_PHY_ID_LIST","features":[16,102]},{"name":"DOT11_PHY_ID_LIST_REVISION_1","features":[102]},{"name":"DOT11_PHY_STATE_PARAMETERS","features":[1,16,102]},{"name":"DOT11_PHY_STATE_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_PHY_TYPE","features":[102]},{"name":"DOT11_PHY_TYPE_INFO","features":[1,102]},{"name":"DOT11_PHY_TYPE_LIST","features":[16,102]},{"name":"DOT11_PHY_TYPE_LIST_REVISION_1","features":[102]},{"name":"DOT11_PMKID_CANDIDATE_LIST_PARAMETERS","features":[16,102]},{"name":"DOT11_PMKID_CANDIDATE_LIST_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_PMKID_ENTRY","features":[102]},{"name":"DOT11_PMKID_LIST","features":[16,102]},{"name":"DOT11_PMKID_LIST_REVISION_1","features":[102]},{"name":"DOT11_PORT_STATE","features":[1,102]},{"name":"DOT11_PORT_STATE_NOTIFICATION","features":[1,16,102]},{"name":"DOT11_PORT_STATE_NOTIFICATION_REVISION_1","features":[102]},{"name":"DOT11_POWER_MGMT_AUTO_MODE_ENABLED_INFO","features":[1,16,102]},{"name":"DOT11_POWER_MGMT_AUTO_MODE_ENABLED_REVISION_1","features":[102]},{"name":"DOT11_POWER_MGMT_MODE","features":[1,102]},{"name":"DOT11_POWER_MGMT_MODE_STATUS_INFO","features":[16,102]},{"name":"DOT11_POWER_MGMT_MODE_STATUS_INFO_REVISION_1","features":[102]},{"name":"DOT11_POWER_MODE","features":[102]},{"name":"DOT11_POWER_MODE_REASON","features":[102]},{"name":"DOT11_POWER_SAVE_LEVEL_FAST_PSP","features":[102]},{"name":"DOT11_POWER_SAVE_LEVEL_MAX_PSP","features":[102]},{"name":"DOT11_POWER_SAVING_FAST_PSP","features":[102]},{"name":"DOT11_POWER_SAVING_MAXIMUM_LEVEL","features":[102]},{"name":"DOT11_POWER_SAVING_MAX_PSP","features":[102]},{"name":"DOT11_POWER_SAVING_NO_POWER_SAVING","features":[102]},{"name":"DOT11_PRIORITY_CONTENTION","features":[102]},{"name":"DOT11_PRIORITY_CONTENTION_FREE","features":[102]},{"name":"DOT11_PRIVACY_EXEMPTION","features":[102]},{"name":"DOT11_PRIVACY_EXEMPTION_LIST","features":[16,102]},{"name":"DOT11_PRIVACY_EXEMPTION_LIST_REVISION_1","features":[102]},{"name":"DOT11_PROVISION_DISCOVERY_REQUEST_SEND_COMPLETE_PARAMETERS","features":[16,102]},{"name":"DOT11_PROVISION_DISCOVERY_REQUEST_SEND_COMPLETE_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_PROVISION_DISCOVERY_RESPONSE_SEND_COMPLETE_PARAMETERS","features":[16,102]},{"name":"DOT11_PROVISION_DISCOVERY_RESPONSE_SEND_COMPLETE_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_PSD_IE_MAX_DATA_SIZE","features":[102]},{"name":"DOT11_PSD_IE_MAX_ENTRY_NUMBER","features":[102]},{"name":"DOT11_QOS_PARAMS","features":[16,102]},{"name":"DOT11_QOS_PARAMS_REVISION_1","features":[102]},{"name":"DOT11_QOS_TX_DURATION","features":[102]},{"name":"DOT11_QOS_TX_MEDIUM_TIME","features":[102]},{"name":"DOT11_RADIO_STATE","features":[102]},{"name":"DOT11_RATE_SET","features":[102]},{"name":"DOT11_RATE_SET_MAX_LENGTH","features":[102]},{"name":"DOT11_RECEIVED_GO_NEGOTIATION_CONFIRMATION_PARAMETERS","features":[16,102]},{"name":"DOT11_RECEIVED_GO_NEGOTIATION_CONFIRMATION_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_RECEIVED_GO_NEGOTIATION_REQUEST_PARAMETERS","features":[16,102]},{"name":"DOT11_RECEIVED_GO_NEGOTIATION_REQUEST_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_RECEIVED_GO_NEGOTIATION_RESPONSE_PARAMETERS","features":[16,102]},{"name":"DOT11_RECEIVED_GO_NEGOTIATION_RESPONSE_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_RECEIVED_INVITATION_REQUEST_PARAMETERS","features":[16,102]},{"name":"DOT11_RECEIVED_INVITATION_REQUEST_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_RECEIVED_INVITATION_RESPONSE_PARAMETERS","features":[16,102]},{"name":"DOT11_RECEIVED_INVITATION_RESPONSE_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_RECEIVED_PROVISION_DISCOVERY_REQUEST_PARAMETERS","features":[16,102]},{"name":"DOT11_RECEIVED_PROVISION_DISCOVERY_REQUEST_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_RECEIVED_PROVISION_DISCOVERY_RESPONSE_PARAMETERS","features":[16,102]},{"name":"DOT11_RECEIVED_PROVISION_DISCOVERY_RESPONSE_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_RECV_CONTEXT_REVISION_1","features":[102]},{"name":"DOT11_RECV_EXTENSION_INFO","features":[1,102]},{"name":"DOT11_RECV_EXTENSION_INFO_V2","features":[1,102]},{"name":"DOT11_RECV_SENSITIVITY","features":[102]},{"name":"DOT11_RECV_SENSITIVITY_LIST","features":[102]},{"name":"DOT11_REG_DOMAINS_SUPPORT_VALUE","features":[102]},{"name":"DOT11_REG_DOMAIN_DOC","features":[102]},{"name":"DOT11_REG_DOMAIN_ETSI","features":[102]},{"name":"DOT11_REG_DOMAIN_FCC","features":[102]},{"name":"DOT11_REG_DOMAIN_FRANCE","features":[102]},{"name":"DOT11_REG_DOMAIN_MKK","features":[102]},{"name":"DOT11_REG_DOMAIN_OTHER","features":[102]},{"name":"DOT11_REG_DOMAIN_SPAIN","features":[102]},{"name":"DOT11_REG_DOMAIN_VALUE","features":[102]},{"name":"DOT11_RESET_REQUEST","features":[1,102]},{"name":"DOT11_RESET_TYPE","features":[102]},{"name":"DOT11_ROAMING_COMPLETION_PARAMETERS","features":[16,102]},{"name":"DOT11_ROAMING_COMPLETION_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_ROAMING_START_PARAMETERS","features":[16,102]},{"name":"DOT11_ROAMING_START_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_RSSI_RANGE","features":[102]},{"name":"DOT11_SCAN_REQUEST","features":[1,102]},{"name":"DOT11_SCAN_REQUEST_V2","features":[1,102]},{"name":"DOT11_SCAN_TYPE","features":[102]},{"name":"DOT11_SECURITY_PACKET_HEADER","features":[102]},{"name":"DOT11_SEND_CONTEXT_REVISION_1","features":[102]},{"name":"DOT11_SEND_GO_NEGOTIATION_CONFIRMATION_PARAMETERS","features":[1,16,102]},{"name":"DOT11_SEND_GO_NEGOTIATION_CONFIRMATION_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_SEND_GO_NEGOTIATION_REQUEST_PARAMETERS","features":[16,102]},{"name":"DOT11_SEND_GO_NEGOTIATION_REQUEST_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_SEND_GO_NEGOTIATION_RESPONSE_PARAMETERS","features":[1,16,102]},{"name":"DOT11_SEND_GO_NEGOTIATION_RESPONSE_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_SEND_INVITATION_REQUEST_PARAMETERS","features":[1,16,102]},{"name":"DOT11_SEND_INVITATION_REQUEST_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_SEND_INVITATION_RESPONSE_PARAMETERS","features":[1,16,102]},{"name":"DOT11_SEND_INVITATION_RESPONSE_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_SEND_PROVISION_DISCOVERY_REQUEST_PARAMETERS","features":[1,16,102]},{"name":"DOT11_SEND_PROVISION_DISCOVERY_REQUEST_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_SEND_PROVISION_DISCOVERY_RESPONSE_PARAMETERS","features":[16,102]},{"name":"DOT11_SEND_PROVISION_DISCOVERY_RESPONSE_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_SERVICE_CLASS_REORDERABLE_MULTICAST","features":[102]},{"name":"DOT11_SERVICE_CLASS_STRICTLY_ORDERED","features":[102]},{"name":"DOT11_SSID","features":[102]},{"name":"DOT11_SSID_LIST","features":[16,102]},{"name":"DOT11_SSID_LIST_REVISION_1","features":[102]},{"name":"DOT11_SSID_MAX_LENGTH","features":[102]},{"name":"DOT11_START_REQUEST","features":[102]},{"name":"DOT11_STATISTICS","features":[16,102]},{"name":"DOT11_STATISTICS_REVISION_1","features":[102]},{"name":"DOT11_STATUS_AP_JOIN_CONFIRM","features":[102]},{"name":"DOT11_STATUS_AUTH_FAILED","features":[102]},{"name":"DOT11_STATUS_AUTH_NOT_VERIFIED","features":[102]},{"name":"DOT11_STATUS_AUTH_VERIFIED","features":[102]},{"name":"DOT11_STATUS_ENCRYPTION_FAILED","features":[102]},{"name":"DOT11_STATUS_EXCESSIVE_DATA_LENGTH","features":[102]},{"name":"DOT11_STATUS_GENERATE_AUTH_FAILED","features":[102]},{"name":"DOT11_STATUS_ICV_VERIFIED","features":[102]},{"name":"DOT11_STATUS_INDICATION","features":[102]},{"name":"DOT11_STATUS_JOIN_CONFIRM","features":[102]},{"name":"DOT11_STATUS_MPDU_MAX_LENGTH_CHANGED","features":[102]},{"name":"DOT11_STATUS_PACKET_NOT_REASSEMBLED","features":[102]},{"name":"DOT11_STATUS_PACKET_REASSEMBLED","features":[102]},{"name":"DOT11_STATUS_PS_LIFETIME_EXPIRED","features":[102]},{"name":"DOT11_STATUS_RESET_CONFIRM","features":[102]},{"name":"DOT11_STATUS_RETRY_LIMIT_EXCEEDED","features":[102]},{"name":"DOT11_STATUS_SCAN_CONFIRM","features":[102]},{"name":"DOT11_STATUS_START_CONFIRM","features":[102]},{"name":"DOT11_STATUS_SUCCESS","features":[102]},{"name":"DOT11_STATUS_UNAVAILABLE_BSS","features":[102]},{"name":"DOT11_STATUS_UNAVAILABLE_PRIORITY","features":[102]},{"name":"DOT11_STATUS_UNAVAILABLE_SERVICE_CLASS","features":[102]},{"name":"DOT11_STATUS_UNSUPPORTED_PRIORITY","features":[102]},{"name":"DOT11_STATUS_UNSUPPORTED_SERVICE_CLASS","features":[102]},{"name":"DOT11_STATUS_WEP_KEY_UNAVAILABLE","features":[102]},{"name":"DOT11_STATUS_XMIT_MSDU_TIMER_EXPIRED","features":[102]},{"name":"DOT11_STOP_AP_PARAMETERS","features":[16,102]},{"name":"DOT11_STOP_AP_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_STOP_AP_REASON_AP_ACTIVE","features":[102]},{"name":"DOT11_STOP_AP_REASON_CHANNEL_NOT_AVAILABLE","features":[102]},{"name":"DOT11_STOP_AP_REASON_FREQUENCY_NOT_AVAILABLE","features":[102]},{"name":"DOT11_STOP_AP_REASON_IHV_END","features":[102]},{"name":"DOT11_STOP_AP_REASON_IHV_START","features":[102]},{"name":"DOT11_SUPPORTED_ANTENNA","features":[1,102]},{"name":"DOT11_SUPPORTED_ANTENNA_LIST","features":[1,102]},{"name":"DOT11_SUPPORTED_DATA_RATES_VALUE","features":[102]},{"name":"DOT11_SUPPORTED_DATA_RATES_VALUE_V2","features":[102]},{"name":"DOT11_SUPPORTED_DSSS_CHANNEL","features":[102]},{"name":"DOT11_SUPPORTED_DSSS_CHANNEL_LIST","features":[102]},{"name":"DOT11_SUPPORTED_OFDM_FREQUENCY","features":[102]},{"name":"DOT11_SUPPORTED_OFDM_FREQUENCY_LIST","features":[102]},{"name":"DOT11_SUPPORTED_PHY_TYPES","features":[102]},{"name":"DOT11_SUPPORTED_POWER_LEVELS","features":[102]},{"name":"DOT11_TEMP_TYPE","features":[102]},{"name":"DOT11_TKIPMIC_FAILURE_PARAMETERS","features":[1,16,102]},{"name":"DOT11_TKIPMIC_FAILURE_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_UPDATE_IE","features":[102]},{"name":"DOT11_UPDATE_IE_OP","features":[102]},{"name":"DOT11_VENUEINFO","features":[102]},{"name":"DOT11_VWIFI_ATTRIBUTES","features":[16,102]},{"name":"DOT11_VWIFI_ATTRIBUTES_REVISION_1","features":[102]},{"name":"DOT11_VWIFI_COMBINATION","features":[16,102]},{"name":"DOT11_VWIFI_COMBINATION_REVISION_1","features":[102]},{"name":"DOT11_VWIFI_COMBINATION_REVISION_2","features":[102]},{"name":"DOT11_VWIFI_COMBINATION_REVISION_3","features":[102]},{"name":"DOT11_VWIFI_COMBINATION_V2","features":[16,102]},{"name":"DOT11_VWIFI_COMBINATION_V3","features":[16,102]},{"name":"DOT11_WEP_OFFLOAD","features":[1,102]},{"name":"DOT11_WEP_UPLOAD","features":[1,102]},{"name":"DOT11_WFD_ADDITIONAL_IE","features":[16,102]},{"name":"DOT11_WFD_ADDITIONAL_IE_REVISION_1","features":[102]},{"name":"DOT11_WFD_ADVERTISED_SERVICE_DESCRIPTOR","features":[102]},{"name":"DOT11_WFD_ADVERTISED_SERVICE_LIST","features":[102]},{"name":"DOT11_WFD_ADVERTISEMENT_ID","features":[102]},{"name":"DOT11_WFD_APS2_SERVICE_TYPE_MAX_LENGTH","features":[102]},{"name":"DOT11_WFD_ASP2_INSTANCE_NAME_MAX_LENGTH","features":[102]},{"name":"DOT11_WFD_ATTRIBUTES","features":[1,16,102]},{"name":"DOT11_WFD_ATTRIBUTES_REVISION_1","features":[102]},{"name":"DOT11_WFD_CHANNEL","features":[102]},{"name":"DOT11_WFD_CONFIGURATION_TIMEOUT","features":[102]},{"name":"DOT11_WFD_DEVICE_AUTO_AVAILABILITY","features":[102]},{"name":"DOT11_WFD_DEVICE_CAPABILITY_CONCURRENT_OPERATION","features":[102]},{"name":"DOT11_WFD_DEVICE_CAPABILITY_CONFIG","features":[1,16,102]},{"name":"DOT11_WFD_DEVICE_CAPABILITY_CONFIG_REVISION_1","features":[102]},{"name":"DOT11_WFD_DEVICE_CAPABILITY_P2P_CLIENT_DISCOVERABILITY","features":[102]},{"name":"DOT11_WFD_DEVICE_CAPABILITY_P2P_DEVICE_LIMIT","features":[102]},{"name":"DOT11_WFD_DEVICE_CAPABILITY_P2P_INFRASTRUCTURE_MANAGED","features":[102]},{"name":"DOT11_WFD_DEVICE_CAPABILITY_P2P_INVITATION_PROCEDURE","features":[102]},{"name":"DOT11_WFD_DEVICE_CAPABILITY_RESERVED_6","features":[102]},{"name":"DOT11_WFD_DEVICE_CAPABILITY_RESERVED_7","features":[102]},{"name":"DOT11_WFD_DEVICE_CAPABILITY_SERVICE_DISCOVERY","features":[102]},{"name":"DOT11_WFD_DEVICE_ENTRY","features":[102]},{"name":"DOT11_WFD_DEVICE_HIGH_AVAILABILITY","features":[102]},{"name":"DOT11_WFD_DEVICE_INFO","features":[16,102]},{"name":"DOT11_WFD_DEVICE_INFO_REVISION_1","features":[102]},{"name":"DOT11_WFD_DEVICE_LISTEN_CHANNEL","features":[16,102]},{"name":"DOT11_WFD_DEVICE_LISTEN_CHANNEL_REVISION_1","features":[102]},{"name":"DOT11_WFD_DEVICE_NOT_DISCOVERABLE","features":[102]},{"name":"DOT11_WFD_DEVICE_TYPE","features":[102]},{"name":"DOT11_WFD_DISCOVER_COMPLETE_MAX_LIST_SIZE","features":[102]},{"name":"DOT11_WFD_DISCOVER_COMPLETE_PARAMETERS","features":[16,102]},{"name":"DOT11_WFD_DISCOVER_COMPLETE_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_WFD_DISCOVER_DEVICE_FILTER","features":[102]},{"name":"DOT11_WFD_DISCOVER_REQUEST","features":[1,16,102]},{"name":"DOT11_WFD_DISCOVER_REQUEST_REVISION_1","features":[102]},{"name":"DOT11_WFD_DISCOVER_TYPE","features":[102]},{"name":"DOT11_WFD_GO_INTENT","features":[102]},{"name":"DOT11_WFD_GROUP_CAPABILITY_CROSS_CONNECTION_SUPPORTED","features":[102]},{"name":"DOT11_WFD_GROUP_CAPABILITY_EAPOL_KEY_IP_ADDRESS_ALLOCATION_SUPPORTED","features":[102]},{"name":"DOT11_WFD_GROUP_CAPABILITY_GROUP_LIMIT_REACHED","features":[102]},{"name":"DOT11_WFD_GROUP_CAPABILITY_GROUP_OWNER","features":[102]},{"name":"DOT11_WFD_GROUP_CAPABILITY_INTRABSS_DISTRIBUTION_SUPPORTED","features":[102]},{"name":"DOT11_WFD_GROUP_CAPABILITY_IN_GROUP_FORMATION","features":[102]},{"name":"DOT11_WFD_GROUP_CAPABILITY_NONE","features":[102]},{"name":"DOT11_WFD_GROUP_CAPABILITY_PERSISTENT_GROUP","features":[102]},{"name":"DOT11_WFD_GROUP_CAPABILITY_PERSISTENT_RECONNECT_SUPPORTED","features":[102]},{"name":"DOT11_WFD_GROUP_CAPABILITY_RESERVED_7","features":[102]},{"name":"DOT11_WFD_GROUP_ID","features":[102]},{"name":"DOT11_WFD_GROUP_JOIN_PARAMETERS","features":[1,16,102]},{"name":"DOT11_WFD_GROUP_JOIN_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_WFD_GROUP_OWNER_CAPABILITY_CONFIG","features":[1,16,102]},{"name":"DOT11_WFD_GROUP_OWNER_CAPABILITY_CONFIG_REVISION_1","features":[102]},{"name":"DOT11_WFD_GROUP_OWNER_CAPABILITY_CONFIG_REVISION_2","features":[102]},{"name":"DOT11_WFD_GROUP_OWNER_CAPABILITY_CONFIG_V2","features":[1,16,102]},{"name":"DOT11_WFD_GROUP_START_PARAMETERS","features":[16,102]},{"name":"DOT11_WFD_GROUP_START_PARAMETERS_REVISION_1","features":[102]},{"name":"DOT11_WFD_INVITATION_FLAGS","features":[102]},{"name":"DOT11_WFD_MINOR_REASON_DISASSOCIATED_FROM_WLAN_CROSS_CONNECTION_POLICY","features":[102]},{"name":"DOT11_WFD_MINOR_REASON_DISASSOCIATED_INFRASTRUCTURE_MANAGED_POLICY","features":[102]},{"name":"DOT11_WFD_MINOR_REASON_DISASSOCIATED_NOT_MANAGED_INFRASTRUCTURE_CAPABLE","features":[102]},{"name":"DOT11_WFD_MINOR_REASON_DISASSOCIATED_WFD_COEXISTENCE_POLICY","features":[102]},{"name":"DOT11_WFD_MINOR_REASON_SUCCESS","features":[102]},{"name":"DOT11_WFD_SCAN_TYPE","features":[102]},{"name":"DOT11_WFD_SECONDARY_DEVICE_TYPE_LIST","features":[16,102]},{"name":"DOT11_WFD_SECONDARY_DEVICE_TYPE_LIST_REVISION_1","features":[102]},{"name":"DOT11_WFD_SERVICE_HASH_LIST","features":[102]},{"name":"DOT11_WFD_SERVICE_INFORMATION_MAX_LENGTH","features":[102]},{"name":"DOT11_WFD_SERVICE_NAME_MAX_LENGTH","features":[102]},{"name":"DOT11_WFD_SESSION_ID","features":[102]},{"name":"DOT11_WFD_SESSION_INFO","features":[102]},{"name":"DOT11_WFD_SESSION_INFO_MAX_LENGTH","features":[102]},{"name":"DOT11_WFD_STATUS_FAILED_INCOMPATIBLE_PARAMETERS","features":[102]},{"name":"DOT11_WFD_STATUS_FAILED_INCOMPATIBLE_PROVISIONING_METHOD","features":[102]},{"name":"DOT11_WFD_STATUS_FAILED_INFORMATION_IS_UNAVAILABLE","features":[102]},{"name":"DOT11_WFD_STATUS_FAILED_INVALID_PARAMETERS","features":[102]},{"name":"DOT11_WFD_STATUS_FAILED_LIMIT_REACHED","features":[102]},{"name":"DOT11_WFD_STATUS_FAILED_MATCHING_MAX_INTENT","features":[102]},{"name":"DOT11_WFD_STATUS_FAILED_NO_COMMON_CHANNELS","features":[102]},{"name":"DOT11_WFD_STATUS_FAILED_PREVIOUS_PROTOCOL_ERROR","features":[102]},{"name":"DOT11_WFD_STATUS_FAILED_REJECTED_BY_USER","features":[102]},{"name":"DOT11_WFD_STATUS_FAILED_UNABLE_TO_ACCOMODATE_REQUEST","features":[102]},{"name":"DOT11_WFD_STATUS_FAILED_UNKNOWN_WFD_GROUP","features":[102]},{"name":"DOT11_WFD_STATUS_SUCCESS","features":[102]},{"name":"DOT11_WFD_STATUS_SUCCESS_ACCEPTED_BY_USER","features":[102]},{"name":"DOT11_WME_AC_PARAMETERS","features":[102]},{"name":"DOT11_WME_AC_PARAMETERS_LIST","features":[102]},{"name":"DOT11_WME_PACKET","features":[102]},{"name":"DOT11_WME_UPDATE_IE","features":[102]},{"name":"DOT11_WPA_TSC","features":[1,102]},{"name":"DOT11_WPS_CONFIG_METHOD","features":[102]},{"name":"DOT11_WPS_CONFIG_METHOD_DISPLAY","features":[102]},{"name":"DOT11_WPS_CONFIG_METHOD_KEYPAD","features":[102]},{"name":"DOT11_WPS_CONFIG_METHOD_NFC_INTERFACE","features":[102]},{"name":"DOT11_WPS_CONFIG_METHOD_NFC_TAG","features":[102]},{"name":"DOT11_WPS_CONFIG_METHOD_NULL","features":[102]},{"name":"DOT11_WPS_CONFIG_METHOD_PUSHBUTTON","features":[102]},{"name":"DOT11_WPS_CONFIG_METHOD_WFDS_DEFAULT","features":[102]},{"name":"DOT11_WPS_DEVICE_NAME","features":[102]},{"name":"DOT11_WPS_DEVICE_NAME_MAX_LENGTH","features":[102]},{"name":"DOT11_WPS_DEVICE_PASSWORD_ID","features":[102]},{"name":"DOT11_WPS_MAX_MODEL_NAME_LENGTH","features":[102]},{"name":"DOT11_WPS_MAX_MODEL_NUMBER_LENGTH","features":[102]},{"name":"DOT11_WPS_MAX_PASSKEY_LENGTH","features":[102]},{"name":"DOT11_WPS_PASSWORD_ID_DEFAULT","features":[102]},{"name":"DOT11_WPS_PASSWORD_ID_MACHINE_SPECIFIED","features":[102]},{"name":"DOT11_WPS_PASSWORD_ID_NFC_CONNECTION_HANDOVER","features":[102]},{"name":"DOT11_WPS_PASSWORD_ID_OOB_RANGE_MAX","features":[102]},{"name":"DOT11_WPS_PASSWORD_ID_OOB_RANGE_MIN","features":[102]},{"name":"DOT11_WPS_PASSWORD_ID_PUSHBUTTON","features":[102]},{"name":"DOT11_WPS_PASSWORD_ID_REGISTRAR_SPECIFIED","features":[102]},{"name":"DOT11_WPS_PASSWORD_ID_REKEY","features":[102]},{"name":"DOT11_WPS_PASSWORD_ID_USER_SPECIFIED","features":[102]},{"name":"DOT11_WPS_PASSWORD_ID_WFD_SERVICES","features":[102]},{"name":"DOT11_WPS_VERSION_1_0","features":[102]},{"name":"DOT11_WPS_VERSION_2_0","features":[102]},{"name":"DevProp_PciDevice_AcsCompatibleUpHierarchy_Enhanced","features":[102]},{"name":"DevProp_PciDevice_AcsCompatibleUpHierarchy_NoP2PSupported","features":[102]},{"name":"DevProp_PciDevice_AcsCompatibleUpHierarchy_NotSupported","features":[102]},{"name":"DevProp_PciDevice_AcsCompatibleUpHierarchy_SingleFunctionSupported","features":[102]},{"name":"DevProp_PciDevice_AcsCompatibleUpHierarchy_Supported","features":[102]},{"name":"DevProp_PciDevice_AcsSupport_Missing","features":[102]},{"name":"DevProp_PciDevice_AcsSupport_NotNeeded","features":[102]},{"name":"DevProp_PciDevice_AcsSupport_Present","features":[102]},{"name":"DevProp_PciDevice_BridgeType_PciConventional","features":[102]},{"name":"DevProp_PciDevice_BridgeType_PciExpressDownstreamSwitchPort","features":[102]},{"name":"DevProp_PciDevice_BridgeType_PciExpressEventCollector","features":[102]},{"name":"DevProp_PciDevice_BridgeType_PciExpressRootPort","features":[102]},{"name":"DevProp_PciDevice_BridgeType_PciExpressToPciXBridge","features":[102]},{"name":"DevProp_PciDevice_BridgeType_PciExpressTreatedAsPci","features":[102]},{"name":"DevProp_PciDevice_BridgeType_PciExpressUpstreamSwitchPort","features":[102]},{"name":"DevProp_PciDevice_BridgeType_PciX","features":[102]},{"name":"DevProp_PciDevice_BridgeType_PciXToExpressBridge","features":[102]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode1_100Mhz","features":[102]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode1_133MHZ","features":[102]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode1_66Mhz","features":[102]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode1_ECC_100Mhz","features":[102]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode1_ECC_133Mhz","features":[102]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode1_ECC_66Mhz","features":[102]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode2_266_100MHz","features":[102]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode2_266_133MHz","features":[102]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode2_266_66MHz","features":[102]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode2_533_100MHz","features":[102]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode2_533_133MHz","features":[102]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode2_533_66MHz","features":[102]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode_Conventional_Pci","features":[102]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_Pci_Conventional_33MHz","features":[102]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_Pci_Conventional_66MHz","features":[102]},{"name":"DevProp_PciDevice_DeviceType_PciConventional","features":[102]},{"name":"DevProp_PciDevice_DeviceType_PciExpressEndpoint","features":[102]},{"name":"DevProp_PciDevice_DeviceType_PciExpressLegacyEndpoint","features":[102]},{"name":"DevProp_PciDevice_DeviceType_PciExpressRootComplexIntegratedEndpoint","features":[102]},{"name":"DevProp_PciDevice_DeviceType_PciExpressTreatedAsPci","features":[102]},{"name":"DevProp_PciDevice_DeviceType_PciX","features":[102]},{"name":"DevProp_PciDevice_InterruptType_LineBased","features":[102]},{"name":"DevProp_PciDevice_InterruptType_Msi","features":[102]},{"name":"DevProp_PciDevice_InterruptType_MsiX","features":[102]},{"name":"DevProp_PciDevice_SriovSupport_DidntGetVfBarSpace","features":[102]},{"name":"DevProp_PciDevice_SriovSupport_MissingAcs","features":[102]},{"name":"DevProp_PciDevice_SriovSupport_MissingPfDriver","features":[102]},{"name":"DevProp_PciDevice_SriovSupport_NoBusResource","features":[102]},{"name":"DevProp_PciDevice_SriovSupport_Ok","features":[102]},{"name":"DevProp_PciExpressDevice_LinkSpeed_Five_Gbps","features":[102]},{"name":"DevProp_PciExpressDevice_LinkSpeed_TwoAndHalf_Gbps","features":[102]},{"name":"DevProp_PciExpressDevice_LinkWidth_By_1","features":[102]},{"name":"DevProp_PciExpressDevice_LinkWidth_By_12","features":[102]},{"name":"DevProp_PciExpressDevice_LinkWidth_By_16","features":[102]},{"name":"DevProp_PciExpressDevice_LinkWidth_By_2","features":[102]},{"name":"DevProp_PciExpressDevice_LinkWidth_By_32","features":[102]},{"name":"DevProp_PciExpressDevice_LinkWidth_By_4","features":[102]},{"name":"DevProp_PciExpressDevice_LinkWidth_By_8","features":[102]},{"name":"DevProp_PciExpressDevice_PayloadOrRequestSize_1024Bytes","features":[102]},{"name":"DevProp_PciExpressDevice_PayloadOrRequestSize_128Bytes","features":[102]},{"name":"DevProp_PciExpressDevice_PayloadOrRequestSize_2048Bytes","features":[102]},{"name":"DevProp_PciExpressDevice_PayloadOrRequestSize_256Bytes","features":[102]},{"name":"DevProp_PciExpressDevice_PayloadOrRequestSize_4096Bytes","features":[102]},{"name":"DevProp_PciExpressDevice_PayloadOrRequestSize_512Bytes","features":[102]},{"name":"DevProp_PciExpressDevice_Spec_Version_10","features":[102]},{"name":"DevProp_PciExpressDevice_Spec_Version_11","features":[102]},{"name":"DevProp_PciRootBus_BusWidth_32Bits","features":[102]},{"name":"DevProp_PciRootBus_BusWidth_64Bits","features":[102]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_Conventional_33Mhz","features":[102]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_Conventional_66Mhz","features":[102]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_266_Mode2_100Mhz","features":[102]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_266_Mode2_133Mhz","features":[102]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_266_Mode2_66Mhz","features":[102]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_533_Mode2_100Mhz","features":[102]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_533_Mode2_133Mhz","features":[102]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_533_Mode2_66Mhz","features":[102]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_Mode1_100Mhz","features":[102]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_Mode1_133Mhz","features":[102]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_Mode1_66Mhz","features":[102]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_Mode1_ECC_100Mhz","features":[102]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_Mode1_ECC_133Mhz","features":[102]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_Mode1_ECC_66Mhz","features":[102]},{"name":"DevProp_PciRootBus_SecondaryInterface_PciConventional","features":[102]},{"name":"DevProp_PciRootBus_SecondaryInterface_PciExpress","features":[102]},{"name":"DevProp_PciRootBus_SecondaryInterface_PciXMode1","features":[102]},{"name":"DevProp_PciRootBus_SecondaryInterface_PciXMode2","features":[102]},{"name":"DevProp_PciRootBus_SupportedSpeedsAndModes_Pci_Conventional_33Mhz","features":[102]},{"name":"DevProp_PciRootBus_SupportedSpeedsAndModes_Pci_Conventional_66Mhz","features":[102]},{"name":"DevProp_PciRootBus_SupportedSpeedsAndModes_Pci_X_133Mhz","features":[102]},{"name":"DevProp_PciRootBus_SupportedSpeedsAndModes_Pci_X_266Mhz","features":[102]},{"name":"DevProp_PciRootBus_SupportedSpeedsAndModes_Pci_X_533Mhz","features":[102]},{"name":"DevProp_PciRootBus_SupportedSpeedsAndModes_Pci_X_66Mhz","features":[102]},{"name":"Dot11AdHocManager","features":[102]},{"name":"GUID_AEPSERVICE_WIFIDIRECT_DEVICE","features":[102]},{"name":"GUID_DEVINTERFACE_ASP_INFRA_DEVICE","features":[102]},{"name":"GUID_DEVINTERFACE_WIFIDIRECT_DEVICE","features":[102]},{"name":"IDot11AdHocInterface","features":[102]},{"name":"IDot11AdHocInterfaceNotificationSink","features":[102]},{"name":"IDot11AdHocManager","features":[102]},{"name":"IDot11AdHocManagerNotificationSink","features":[102]},{"name":"IDot11AdHocNetwork","features":[102]},{"name":"IDot11AdHocNetworkNotificationSink","features":[102]},{"name":"IDot11AdHocSecuritySettings","features":[102]},{"name":"IEnumDot11AdHocInterfaces","features":[102]},{"name":"IEnumDot11AdHocNetworks","features":[102]},{"name":"IEnumDot11AdHocSecuritySettings","features":[102]},{"name":"IHV_INIT_FUNCTION_NAME","features":[102]},{"name":"IHV_INIT_VS_FUNCTION_NAME","features":[102]},{"name":"IHV_VERSION_FUNCTION_NAME","features":[102]},{"name":"IndicationTypeLinkQuality","features":[102]},{"name":"IndicationTypeNicSpecificNotification","features":[102]},{"name":"IndicationTypePhyStateChange","features":[102]},{"name":"IndicationTypePmkidCandidateList","features":[102]},{"name":"IndicationTypeTkipMicFailure","features":[102]},{"name":"L2_NOTIFICATION_CODE_GROUP_SIZE","features":[102]},{"name":"L2_NOTIFICATION_CODE_PUBLIC_BEGIN","features":[102]},{"name":"L2_NOTIFICATION_DATA","features":[102]},{"name":"L2_NOTIFICATION_SOURCE_ALL","features":[102]},{"name":"L2_NOTIFICATION_SOURCE_DOT3_AUTO_CONFIG","features":[102]},{"name":"L2_NOTIFICATION_SOURCE_NONE","features":[102]},{"name":"L2_NOTIFICATION_SOURCE_ONEX","features":[102]},{"name":"L2_NOTIFICATION_SOURCE_SECURITY","features":[102]},{"name":"L2_NOTIFICATION_SOURCE_WCM","features":[102]},{"name":"L2_NOTIFICATION_SOURCE_WCM_CSP","features":[102]},{"name":"L2_NOTIFICATION_SOURCE_WFD","features":[102]},{"name":"L2_NOTIFICATION_SOURCE_WLAN_ACM","features":[102]},{"name":"L2_NOTIFICATION_SOURCE_WLAN_DEVICE_SERVICE","features":[102]},{"name":"L2_NOTIFICATION_SOURCE_WLAN_HNWK","features":[102]},{"name":"L2_NOTIFICATION_SOURCE_WLAN_IHV","features":[102]},{"name":"L2_NOTIFICATION_SOURCE_WLAN_MSM","features":[102]},{"name":"L2_NOTIFICATION_SOURCE_WLAN_SECURITY","features":[102]},{"name":"L2_PROFILE_MAX_NAME_LENGTH","features":[102]},{"name":"L2_REASON_CODE_DOT11_AC_BASE","features":[102]},{"name":"L2_REASON_CODE_DOT11_MSM_BASE","features":[102]},{"name":"L2_REASON_CODE_DOT11_SECURITY_BASE","features":[102]},{"name":"L2_REASON_CODE_DOT3_AC_BASE","features":[102]},{"name":"L2_REASON_CODE_DOT3_MSM_BASE","features":[102]},{"name":"L2_REASON_CODE_GEN_BASE","features":[102]},{"name":"L2_REASON_CODE_GROUP_SIZE","features":[102]},{"name":"L2_REASON_CODE_IHV_BASE","features":[102]},{"name":"L2_REASON_CODE_ONEX_BASE","features":[102]},{"name":"L2_REASON_CODE_PROFILE_BASE","features":[102]},{"name":"L2_REASON_CODE_PROFILE_MISSING","features":[102]},{"name":"L2_REASON_CODE_RESERVED_BASE","features":[102]},{"name":"L2_REASON_CODE_SUCCESS","features":[102]},{"name":"L2_REASON_CODE_UNKNOWN","features":[102]},{"name":"L2_REASON_CODE_WIMAX_BASE","features":[102]},{"name":"MAX_NUM_SUPPORTED_RATES","features":[102]},{"name":"MAX_NUM_SUPPORTED_RATES_V2","features":[102]},{"name":"MS_MAX_PROFILE_NAME_LENGTH","features":[102]},{"name":"MS_PROFILE_GROUP_POLICY","features":[102]},{"name":"MS_PROFILE_USER","features":[102]},{"name":"NDIS_PACKET_TYPE_802_11_ALL_MULTICAST_DATA","features":[102]},{"name":"NDIS_PACKET_TYPE_802_11_BROADCAST_DATA","features":[102]},{"name":"NDIS_PACKET_TYPE_802_11_DIRECTED_DATA","features":[102]},{"name":"NDIS_PACKET_TYPE_802_11_MULTICAST_DATA","features":[102]},{"name":"NDIS_PACKET_TYPE_802_11_PROMISCUOUS_DATA","features":[102]},{"name":"OID_DOT11_AP_JOIN_REQUEST","features":[102]},{"name":"OID_DOT11_ATIM_WINDOW","features":[102]},{"name":"OID_DOT11_BEACON_PERIOD","features":[102]},{"name":"OID_DOT11_CCA_MODE_SUPPORTED","features":[102]},{"name":"OID_DOT11_CCA_WATCHDOG_COUNT_MAX","features":[102]},{"name":"OID_DOT11_CCA_WATCHDOG_COUNT_MIN","features":[102]},{"name":"OID_DOT11_CCA_WATCHDOG_TIMER_MAX","features":[102]},{"name":"OID_DOT11_CCA_WATCHDOG_TIMER_MIN","features":[102]},{"name":"OID_DOT11_CFP_MAX_DURATION","features":[102]},{"name":"OID_DOT11_CFP_PERIOD","features":[102]},{"name":"OID_DOT11_CF_POLLABLE","features":[102]},{"name":"OID_DOT11_CHANNEL_AGILITY_ENABLED","features":[102]},{"name":"OID_DOT11_CHANNEL_AGILITY_PRESENT","features":[102]},{"name":"OID_DOT11_COUNTERS_ENTRY","features":[102]},{"name":"OID_DOT11_COUNTRY_STRING","features":[102]},{"name":"OID_DOT11_CURRENT_ADDRESS","features":[102]},{"name":"OID_DOT11_CURRENT_CCA_MODE","features":[102]},{"name":"OID_DOT11_CURRENT_CHANNEL","features":[102]},{"name":"OID_DOT11_CURRENT_CHANNEL_NUMBER","features":[102]},{"name":"OID_DOT11_CURRENT_DWELL_TIME","features":[102]},{"name":"OID_DOT11_CURRENT_FREQUENCY","features":[102]},{"name":"OID_DOT11_CURRENT_INDEX","features":[102]},{"name":"OID_DOT11_CURRENT_OFFLOAD_CAPABILITY","features":[102]},{"name":"OID_DOT11_CURRENT_OPERATION_MODE","features":[102]},{"name":"OID_DOT11_CURRENT_OPTIONAL_CAPABILITY","features":[102]},{"name":"OID_DOT11_CURRENT_PACKET_FILTER","features":[102]},{"name":"OID_DOT11_CURRENT_PATTERN","features":[102]},{"name":"OID_DOT11_CURRENT_PHY_TYPE","features":[102]},{"name":"OID_DOT11_CURRENT_REG_DOMAIN","features":[102]},{"name":"OID_DOT11_CURRENT_RX_ANTENNA","features":[102]},{"name":"OID_DOT11_CURRENT_SET","features":[102]},{"name":"OID_DOT11_CURRENT_TX_ANTENNA","features":[102]},{"name":"OID_DOT11_CURRENT_TX_POWER_LEVEL","features":[102]},{"name":"OID_DOT11_DEFAULT_WEP_OFFLOAD","features":[102]},{"name":"OID_DOT11_DEFAULT_WEP_UPLOAD","features":[102]},{"name":"OID_DOT11_DIVERSITY_SELECTION_RX","features":[102]},{"name":"OID_DOT11_DIVERSITY_SUPPORT","features":[102]},{"name":"OID_DOT11_DSSS_OFDM_OPTION_ENABLED","features":[102]},{"name":"OID_DOT11_DSSS_OFDM_OPTION_IMPLEMENTED","features":[102]},{"name":"OID_DOT11_DTIM_PERIOD","features":[102]},{"name":"OID_DOT11_ED_THRESHOLD","features":[102]},{"name":"OID_DOT11_EHCC_CAPABILITY_ENABLED","features":[102]},{"name":"OID_DOT11_EHCC_CAPABILITY_IMPLEMENTED","features":[102]},{"name":"OID_DOT11_EHCC_NUMBER_OF_CHANNELS_FAMILY_INDEX","features":[102]},{"name":"OID_DOT11_EHCC_PRIME_RADIX","features":[102]},{"name":"OID_DOT11_ERP_PBCC_OPTION_ENABLED","features":[102]},{"name":"OID_DOT11_ERP_PBCC_OPTION_IMPLEMENTED","features":[102]},{"name":"OID_DOT11_FRAGMENTATION_THRESHOLD","features":[102]},{"name":"OID_DOT11_FREQUENCY_BANDS_SUPPORTED","features":[102]},{"name":"OID_DOT11_HOPPING_PATTERN","features":[102]},{"name":"OID_DOT11_HOP_ALGORITHM_ADOPTED","features":[102]},{"name":"OID_DOT11_HOP_MODULUS","features":[102]},{"name":"OID_DOT11_HOP_OFFSET","features":[102]},{"name":"OID_DOT11_HOP_TIME","features":[102]},{"name":"OID_DOT11_HR_CCA_MODE_SUPPORTED","features":[102]},{"name":"OID_DOT11_JOIN_REQUEST","features":[102]},{"name":"OID_DOT11_LONG_RETRY_LIMIT","features":[102]},{"name":"OID_DOT11_MAC_ADDRESS","features":[102]},{"name":"OID_DOT11_MAXIMUM_LIST_SIZE","features":[102]},{"name":"OID_DOT11_MAX_DWELL_TIME","features":[102]},{"name":"OID_DOT11_MAX_MAC_ADDRESS_STATES","features":[102]},{"name":"OID_DOT11_MAX_RECEIVE_LIFETIME","features":[102]},{"name":"OID_DOT11_MAX_TRANSMIT_MSDU_LIFETIME","features":[102]},{"name":"OID_DOT11_MEDIUM_OCCUPANCY_LIMIT","features":[102]},{"name":"OID_DOT11_MPDU_MAX_LENGTH","features":[102]},{"name":"OID_DOT11_MULTICAST_LIST","features":[102]},{"name":"OID_DOT11_MULTI_DOMAIN_CAPABILITY","features":[102]},{"name":"OID_DOT11_MULTI_DOMAIN_CAPABILITY_ENABLED","features":[102]},{"name":"OID_DOT11_MULTI_DOMAIN_CAPABILITY_IMPLEMENTED","features":[102]},{"name":"OID_DOT11_NDIS_START","features":[102]},{"name":"OID_DOT11_NIC_POWER_STATE","features":[102]},{"name":"OID_DOT11_NIC_SPECIFIC_EXTENSION","features":[102]},{"name":"OID_DOT11_NUMBER_OF_HOPPING_SETS","features":[102]},{"name":"OID_DOT11_OFFLOAD_CAPABILITY","features":[102]},{"name":"OID_DOT11_OPERATIONAL_RATE_SET","features":[102]},{"name":"OID_DOT11_OPERATION_MODE_CAPABILITY","features":[102]},{"name":"OID_DOT11_OPTIONAL_CAPABILITY","features":[102]},{"name":"OID_DOT11_PBCC_OPTION_IMPLEMENTED","features":[102]},{"name":"OID_DOT11_PERMANENT_ADDRESS","features":[102]},{"name":"OID_DOT11_POWER_MGMT_MODE","features":[102]},{"name":"OID_DOT11_PRIVATE_OIDS_START","features":[102]},{"name":"OID_DOT11_QOS_TX_DURATION","features":[102]},{"name":"OID_DOT11_QOS_TX_MEDIUM_TIME","features":[102]},{"name":"OID_DOT11_QOS_TX_QUEUES_SUPPORTED","features":[102]},{"name":"OID_DOT11_RANDOM_TABLE_FIELD_NUMBER","features":[102]},{"name":"OID_DOT11_RANDOM_TABLE_FLAG","features":[102]},{"name":"OID_DOT11_RECV_SENSITIVITY_LIST","features":[102]},{"name":"OID_DOT11_REG_DOMAINS_SUPPORT_VALUE","features":[102]},{"name":"OID_DOT11_RESET_REQUEST","features":[102]},{"name":"OID_DOT11_RF_USAGE","features":[102]},{"name":"OID_DOT11_RSSI_RANGE","features":[102]},{"name":"OID_DOT11_RTS_THRESHOLD","features":[102]},{"name":"OID_DOT11_SCAN_REQUEST","features":[102]},{"name":"OID_DOT11_SHORT_PREAMBLE_OPTION_IMPLEMENTED","features":[102]},{"name":"OID_DOT11_SHORT_RETRY_LIMIT","features":[102]},{"name":"OID_DOT11_SHORT_SLOT_TIME_OPTION_ENABLED","features":[102]},{"name":"OID_DOT11_SHORT_SLOT_TIME_OPTION_IMPLEMENTED","features":[102]},{"name":"OID_DOT11_START_REQUEST","features":[102]},{"name":"OID_DOT11_STATION_ID","features":[102]},{"name":"OID_DOT11_SUPPORTED_DATA_RATES_VALUE","features":[102]},{"name":"OID_DOT11_SUPPORTED_DSSS_CHANNEL_LIST","features":[102]},{"name":"OID_DOT11_SUPPORTED_OFDM_FREQUENCY_LIST","features":[102]},{"name":"OID_DOT11_SUPPORTED_PHY_TYPES","features":[102]},{"name":"OID_DOT11_SUPPORTED_POWER_LEVELS","features":[102]},{"name":"OID_DOT11_SUPPORTED_RX_ANTENNA","features":[102]},{"name":"OID_DOT11_SUPPORTED_TX_ANTENNA","features":[102]},{"name":"OID_DOT11_TEMP_TYPE","features":[102]},{"name":"OID_DOT11_TI_THRESHOLD","features":[102]},{"name":"OID_DOT11_UPDATE_IE","features":[102]},{"name":"OID_DOT11_WEP_ICV_ERROR_COUNT","features":[102]},{"name":"OID_DOT11_WEP_OFFLOAD","features":[102]},{"name":"OID_DOT11_WEP_UPLOAD","features":[102]},{"name":"OID_DOT11_WME_AC_PARAMETERS","features":[102]},{"name":"OID_DOT11_WME_ENABLED","features":[102]},{"name":"OID_DOT11_WME_IMPLEMENTED","features":[102]},{"name":"OID_DOT11_WME_UPDATE_IE","features":[102]},{"name":"OID_DOT11_WPA_TSC","features":[102]},{"name":"ONEX_AUTHENTICATOR_NO_LONGER_PRESENT","features":[102]},{"name":"ONEX_AUTH_IDENTITY","features":[102]},{"name":"ONEX_AUTH_PARAMS","features":[1,102]},{"name":"ONEX_AUTH_RESTART_REASON","features":[102]},{"name":"ONEX_AUTH_STATUS","features":[102]},{"name":"ONEX_EAP_ERROR","features":[102,103]},{"name":"ONEX_EAP_FAILURE_RECEIVED","features":[102]},{"name":"ONEX_EAP_METHOD_BACKEND_SUPPORT","features":[102]},{"name":"ONEX_IDENTITY_NOT_FOUND","features":[102]},{"name":"ONEX_NOTIFICATION_TYPE","features":[102]},{"name":"ONEX_NO_RESPONSE_TO_IDENTITY","features":[102]},{"name":"ONEX_PROFILE_DISALLOWED_EAP_TYPE","features":[102]},{"name":"ONEX_PROFILE_EXPIRED_EXPLICIT_CREDENTIALS","features":[102]},{"name":"ONEX_PROFILE_INVALID_AUTH_MODE","features":[102]},{"name":"ONEX_PROFILE_INVALID_EAP_CONNECTION_PROPERTIES","features":[102]},{"name":"ONEX_PROFILE_INVALID_EAP_TYPE_OR_FLAG","features":[102]},{"name":"ONEX_PROFILE_INVALID_EXPLICIT_CREDENTIALS","features":[102]},{"name":"ONEX_PROFILE_INVALID_LENGTH","features":[102]},{"name":"ONEX_PROFILE_INVALID_ONEX_FLAGS","features":[102]},{"name":"ONEX_PROFILE_INVALID_SUPPLICANT_MODE","features":[102]},{"name":"ONEX_PROFILE_INVALID_TIMER_VALUE","features":[102]},{"name":"ONEX_PROFILE_VERSION_NOT_SUPPORTED","features":[102]},{"name":"ONEX_REASON_CODE","features":[102]},{"name":"ONEX_REASON_CODE_SUCCESS","features":[102]},{"name":"ONEX_REASON_START","features":[102]},{"name":"ONEX_RESULT_UPDATE_DATA","features":[1,102]},{"name":"ONEX_STATUS","features":[102]},{"name":"ONEX_UI_CANCELLED","features":[102]},{"name":"ONEX_UI_DISABLED","features":[102]},{"name":"ONEX_UI_FAILURE","features":[102]},{"name":"ONEX_UI_NOT_PERMITTED","features":[102]},{"name":"ONEX_UNABLE_TO_IDENTIFY_USER","features":[102]},{"name":"ONEX_USER_INFO","features":[102]},{"name":"ONEX_VARIABLE_BLOB","features":[102]},{"name":"OneXAuthFailure","features":[102]},{"name":"OneXAuthIdentityExplicitUser","features":[102]},{"name":"OneXAuthIdentityGuest","features":[102]},{"name":"OneXAuthIdentityInvalid","features":[102]},{"name":"OneXAuthIdentityMachine","features":[102]},{"name":"OneXAuthIdentityNone","features":[102]},{"name":"OneXAuthIdentityUser","features":[102]},{"name":"OneXAuthInProgress","features":[102]},{"name":"OneXAuthInvalid","features":[102]},{"name":"OneXAuthNoAuthenticatorFound","features":[102]},{"name":"OneXAuthNotStarted","features":[102]},{"name":"OneXAuthSuccess","features":[102]},{"name":"OneXEapMethodBackendSupportUnknown","features":[102]},{"name":"OneXEapMethodBackendSupported","features":[102]},{"name":"OneXEapMethodBackendUnsupported","features":[102]},{"name":"OneXNotificationTypeAuthRestarted","features":[102]},{"name":"OneXNotificationTypeEventInvalid","features":[102]},{"name":"OneXNotificationTypeResultUpdate","features":[102]},{"name":"OneXNumNotifications","features":[102]},{"name":"OneXPublicNotificationBase","features":[102]},{"name":"OneXRestartReasonAltCredsTrial","features":[102]},{"name":"OneXRestartReasonInvalid","features":[102]},{"name":"OneXRestartReasonMsmInitiated","features":[102]},{"name":"OneXRestartReasonOneXAuthTimeout","features":[102]},{"name":"OneXRestartReasonOneXConfigurationChanged","features":[102]},{"name":"OneXRestartReasonOneXHeldStateTimeout","features":[102]},{"name":"OneXRestartReasonOneXUserChanged","features":[102]},{"name":"OneXRestartReasonPeerInitiated","features":[102]},{"name":"OneXRestartReasonQuarantineStateChanged","features":[102]},{"name":"WDIAG_IHV_WLAN_ID","features":[102]},{"name":"WDIAG_IHV_WLAN_ID_FLAG_SECURITY_ENABLED","features":[102]},{"name":"WFDCancelOpenSession","features":[1,102]},{"name":"WFDCloseHandle","features":[1,102]},{"name":"WFDCloseSession","features":[1,102]},{"name":"WFDOpenHandle","features":[1,102]},{"name":"WFDOpenLegacySession","features":[1,102]},{"name":"WFDSVC_CONNECTION_CAPABILITY","features":[1,102]},{"name":"WFDSVC_CONNECTION_CAPABILITY_CLIENT","features":[102]},{"name":"WFDSVC_CONNECTION_CAPABILITY_GO","features":[102]},{"name":"WFDSVC_CONNECTION_CAPABILITY_NEW","features":[102]},{"name":"WFDStartOpenSession","features":[1,102]},{"name":"WFDUpdateDeviceVisibility","features":[102]},{"name":"WFD_API_VERSION","features":[102]},{"name":"WFD_API_VERSION_1_0","features":[102]},{"name":"WFD_GROUP_ID","features":[102]},{"name":"WFD_OPEN_SESSION_COMPLETE_CALLBACK","features":[1,102]},{"name":"WFD_ROLE_TYPE","features":[102]},{"name":"WFD_ROLE_TYPE_CLIENT","features":[102]},{"name":"WFD_ROLE_TYPE_DEVICE","features":[102]},{"name":"WFD_ROLE_TYPE_GROUP_OWNER","features":[102]},{"name":"WFD_ROLE_TYPE_MAX","features":[102]},{"name":"WFD_ROLE_TYPE_NONE","features":[102]},{"name":"WLAN_ADHOC_NETWORK_STATE","features":[102]},{"name":"WLAN_API_VERSION","features":[102]},{"name":"WLAN_API_VERSION_1_0","features":[102]},{"name":"WLAN_API_VERSION_2_0","features":[102]},{"name":"WLAN_ASSOCIATION_ATTRIBUTES","features":[102]},{"name":"WLAN_AUTH_CIPHER_PAIR_LIST","features":[102]},{"name":"WLAN_AUTOCONF_OPCODE","features":[102]},{"name":"WLAN_AVAILABLE_NETWORK","features":[1,102]},{"name":"WLAN_AVAILABLE_NETWORK_ANQP_SUPPORTED","features":[102]},{"name":"WLAN_AVAILABLE_NETWORK_AUTO_CONNECT_FAILED","features":[102]},{"name":"WLAN_AVAILABLE_NETWORK_CONNECTED","features":[102]},{"name":"WLAN_AVAILABLE_NETWORK_CONSOLE_USER_PROFILE","features":[102]},{"name":"WLAN_AVAILABLE_NETWORK_HAS_PROFILE","features":[102]},{"name":"WLAN_AVAILABLE_NETWORK_HOTSPOT2_DOMAIN","features":[102]},{"name":"WLAN_AVAILABLE_NETWORK_HOTSPOT2_ENABLED","features":[102]},{"name":"WLAN_AVAILABLE_NETWORK_HOTSPOT2_ROAMING","features":[102]},{"name":"WLAN_AVAILABLE_NETWORK_INCLUDE_ALL_ADHOC_PROFILES","features":[102]},{"name":"WLAN_AVAILABLE_NETWORK_INCLUDE_ALL_MANUAL_HIDDEN_PROFILES","features":[102]},{"name":"WLAN_AVAILABLE_NETWORK_INTERWORKING_SUPPORTED","features":[102]},{"name":"WLAN_AVAILABLE_NETWORK_LIST","features":[1,102]},{"name":"WLAN_AVAILABLE_NETWORK_LIST_V2","features":[1,102]},{"name":"WLAN_AVAILABLE_NETWORK_V2","features":[1,102]},{"name":"WLAN_BSS_ENTRY","features":[1,102]},{"name":"WLAN_BSS_LIST","features":[1,102]},{"name":"WLAN_CONNECTION_ADHOC_JOIN_ONLY","features":[102]},{"name":"WLAN_CONNECTION_ATTRIBUTES","features":[1,102]},{"name":"WLAN_CONNECTION_EAPOL_PASSTHROUGH","features":[102]},{"name":"WLAN_CONNECTION_HIDDEN_NETWORK","features":[102]},{"name":"WLAN_CONNECTION_IGNORE_PRIVACY_BIT","features":[102]},{"name":"WLAN_CONNECTION_MODE","features":[102]},{"name":"WLAN_CONNECTION_NOTIFICATION_ADHOC_NETWORK_FORMED","features":[102]},{"name":"WLAN_CONNECTION_NOTIFICATION_CONSOLE_USER_PROFILE","features":[102]},{"name":"WLAN_CONNECTION_NOTIFICATION_DATA","features":[1,102]},{"name":"WLAN_CONNECTION_NOTIFICATION_FLAGS","features":[102]},{"name":"WLAN_CONNECTION_PARAMETERS","features":[16,102]},{"name":"WLAN_CONNECTION_PARAMETERS_V2","features":[16,102]},{"name":"WLAN_CONNECTION_PERSIST_DISCOVERY_PROFILE","features":[102]},{"name":"WLAN_CONNECTION_PERSIST_DISCOVERY_PROFILE_CONNECTION_MODE_AUTO","features":[102]},{"name":"WLAN_CONNECTION_PERSIST_DISCOVERY_PROFILE_OVERWRITE_EXISTING","features":[102]},{"name":"WLAN_COUNTRY_OR_REGION_STRING_LIST","features":[102]},{"name":"WLAN_DEVICE_SERVICE_GUID_LIST","features":[102]},{"name":"WLAN_DEVICE_SERVICE_NOTIFICATION_DATA","features":[102]},{"name":"WLAN_FILTER_LIST_TYPE","features":[102]},{"name":"WLAN_HOSTED_NETWORK_CONNECTION_SETTINGS","features":[102]},{"name":"WLAN_HOSTED_NETWORK_DATA_PEER_STATE_CHANGE","features":[102]},{"name":"WLAN_HOSTED_NETWORK_NOTIFICATION_CODE","features":[102]},{"name":"WLAN_HOSTED_NETWORK_OPCODE","features":[102]},{"name":"WLAN_HOSTED_NETWORK_PEER_AUTH_STATE","features":[102]},{"name":"WLAN_HOSTED_NETWORK_PEER_STATE","features":[102]},{"name":"WLAN_HOSTED_NETWORK_RADIO_STATE","features":[102]},{"name":"WLAN_HOSTED_NETWORK_REASON","features":[102]},{"name":"WLAN_HOSTED_NETWORK_SECURITY_SETTINGS","features":[102]},{"name":"WLAN_HOSTED_NETWORK_STATE","features":[102]},{"name":"WLAN_HOSTED_NETWORK_STATE_CHANGE","features":[102]},{"name":"WLAN_HOSTED_NETWORK_STATUS","features":[102]},{"name":"WLAN_IHV_CONTROL_TYPE","features":[102]},{"name":"WLAN_INTERFACE_CAPABILITY","features":[1,102]},{"name":"WLAN_INTERFACE_INFO","features":[102]},{"name":"WLAN_INTERFACE_INFO_LIST","features":[102]},{"name":"WLAN_INTERFACE_STATE","features":[102]},{"name":"WLAN_INTERFACE_TYPE","features":[102]},{"name":"WLAN_INTF_OPCODE","features":[102]},{"name":"WLAN_MAC_FRAME_STATISTICS","features":[102]},{"name":"WLAN_MAX_NAME_LENGTH","features":[102]},{"name":"WLAN_MAX_PHY_INDEX","features":[102]},{"name":"WLAN_MAX_PHY_TYPE_NUMBER","features":[102]},{"name":"WLAN_MSM_NOTIFICATION_DATA","features":[1,102]},{"name":"WLAN_NOTIFICATION_ACM","features":[102]},{"name":"WLAN_NOTIFICATION_CALLBACK","features":[102]},{"name":"WLAN_NOTIFICATION_MSM","features":[102]},{"name":"WLAN_NOTIFICATION_SECURITY","features":[102]},{"name":"WLAN_NOTIFICATION_SOURCES","features":[102]},{"name":"WLAN_NOTIFICATION_SOURCE_ACM","features":[102]},{"name":"WLAN_NOTIFICATION_SOURCE_ALL","features":[102]},{"name":"WLAN_NOTIFICATION_SOURCE_DEVICE_SERVICE","features":[102]},{"name":"WLAN_NOTIFICATION_SOURCE_HNWK","features":[102]},{"name":"WLAN_NOTIFICATION_SOURCE_IHV","features":[102]},{"name":"WLAN_NOTIFICATION_SOURCE_MSM","features":[102]},{"name":"WLAN_NOTIFICATION_SOURCE_NONE","features":[102]},{"name":"WLAN_NOTIFICATION_SOURCE_ONEX","features":[102]},{"name":"WLAN_NOTIFICATION_SOURCE_SECURITY","features":[102]},{"name":"WLAN_OPCODE_VALUE_TYPE","features":[102]},{"name":"WLAN_OPERATIONAL_STATE","features":[102]},{"name":"WLAN_PHY_FRAME_STATISTICS","features":[102]},{"name":"WLAN_PHY_RADIO_STATE","features":[102]},{"name":"WLAN_POWER_SETTING","features":[102]},{"name":"WLAN_PROFILE_CONNECTION_MODE_AUTO","features":[102]},{"name":"WLAN_PROFILE_CONNECTION_MODE_SET_BY_CLIENT","features":[102]},{"name":"WLAN_PROFILE_GET_PLAINTEXT_KEY","features":[102]},{"name":"WLAN_PROFILE_GROUP_POLICY","features":[102]},{"name":"WLAN_PROFILE_INFO","features":[102]},{"name":"WLAN_PROFILE_INFO_LIST","features":[102]},{"name":"WLAN_PROFILE_USER","features":[102]},{"name":"WLAN_RADIO_STATE","features":[102]},{"name":"WLAN_RATE_SET","features":[102]},{"name":"WLAN_RAW_DATA","features":[102]},{"name":"WLAN_RAW_DATA_LIST","features":[102]},{"name":"WLAN_REASON_CODE_AC_BASE","features":[102]},{"name":"WLAN_REASON_CODE_AC_CONNECT_BASE","features":[102]},{"name":"WLAN_REASON_CODE_AC_END","features":[102]},{"name":"WLAN_REASON_CODE_ADHOC_SECURITY_FAILURE","features":[102]},{"name":"WLAN_REASON_CODE_AP_PROFILE_NOT_ALLOWED","features":[102]},{"name":"WLAN_REASON_CODE_AP_PROFILE_NOT_ALLOWED_FOR_CLIENT","features":[102]},{"name":"WLAN_REASON_CODE_AP_STARTING_FAILURE","features":[102]},{"name":"WLAN_REASON_CODE_ASSOCIATION_FAILURE","features":[102]},{"name":"WLAN_REASON_CODE_ASSOCIATION_TIMEOUT","features":[102]},{"name":"WLAN_REASON_CODE_AUTO_AP_PROFILE_NOT_ALLOWED","features":[102]},{"name":"WLAN_REASON_CODE_AUTO_CONNECTION_NOT_ALLOWED","features":[102]},{"name":"WLAN_REASON_CODE_AUTO_SWITCH_SET_FOR_ADHOC","features":[102]},{"name":"WLAN_REASON_CODE_AUTO_SWITCH_SET_FOR_MANUAL_CONNECTION","features":[102]},{"name":"WLAN_REASON_CODE_BAD_MAX_NUMBER_OF_CLIENTS_FOR_AP","features":[102]},{"name":"WLAN_REASON_CODE_BASE","features":[102]},{"name":"WLAN_REASON_CODE_BSS_TYPE_NOT_ALLOWED","features":[102]},{"name":"WLAN_REASON_CODE_BSS_TYPE_UNMATCH","features":[102]},{"name":"WLAN_REASON_CODE_CONFLICT_SECURITY","features":[102]},{"name":"WLAN_REASON_CODE_CONNECT_CALL_FAIL","features":[102]},{"name":"WLAN_REASON_CODE_DATARATE_UNMATCH","features":[102]},{"name":"WLAN_REASON_CODE_DISCONNECT_TIMEOUT","features":[102]},{"name":"WLAN_REASON_CODE_DRIVER_DISCONNECTED","features":[102]},{"name":"WLAN_REASON_CODE_DRIVER_OPERATION_FAILURE","features":[102]},{"name":"WLAN_REASON_CODE_GP_DENIED","features":[102]},{"name":"WLAN_REASON_CODE_HOTSPOT2_PROFILE_DENIED","features":[102]},{"name":"WLAN_REASON_CODE_HOTSPOT2_PROFILE_NOT_ALLOWED","features":[102]},{"name":"WLAN_REASON_CODE_IHV_CONNECTIVITY_NOT_SUPPORTED","features":[102]},{"name":"WLAN_REASON_CODE_IHV_NOT_AVAILABLE","features":[102]},{"name":"WLAN_REASON_CODE_IHV_NOT_RESPONDING","features":[102]},{"name":"WLAN_REASON_CODE_IHV_OUI_MISMATCH","features":[102]},{"name":"WLAN_REASON_CODE_IHV_OUI_MISSING","features":[102]},{"name":"WLAN_REASON_CODE_IHV_SECURITY_NOT_SUPPORTED","features":[102]},{"name":"WLAN_REASON_CODE_IHV_SECURITY_ONEX_MISSING","features":[102]},{"name":"WLAN_REASON_CODE_IHV_SETTINGS_MISSING","features":[102]},{"name":"WLAN_REASON_CODE_INTERNAL_FAILURE","features":[102]},{"name":"WLAN_REASON_CODE_INVALID_ADHOC_CONNECTION_MODE","features":[102]},{"name":"WLAN_REASON_CODE_INVALID_BSS_TYPE","features":[102]},{"name":"WLAN_REASON_CODE_INVALID_CHANNEL","features":[102]},{"name":"WLAN_REASON_CODE_INVALID_PHY_TYPE","features":[102]},{"name":"WLAN_REASON_CODE_INVALID_PROFILE_NAME","features":[102]},{"name":"WLAN_REASON_CODE_INVALID_PROFILE_SCHEMA","features":[102]},{"name":"WLAN_REASON_CODE_INVALID_PROFILE_TYPE","features":[102]},{"name":"WLAN_REASON_CODE_IN_BLOCKED_LIST","features":[102]},{"name":"WLAN_REASON_CODE_IN_FAILED_LIST","features":[102]},{"name":"WLAN_REASON_CODE_KEY_MISMATCH","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_AUTH_START_TIMEOUT","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_AUTH_SUCCESS_TIMEOUT","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_AUTH_WCN_COMPLETED","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_BASE","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_CANCELLED","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_CAPABILITY_DISCOVERY","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_CAPABILITY_MFP_NW_NIC","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_CAPABILITY_NETWORK","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_CAPABILITY_NIC","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_CAPABILITY_PROFILE","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_CAPABILITY_PROFILE_AUTH","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_CAPABILITY_PROFILE_CIPHER","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_CAPABILITY_PROFILE_SAFE_MODE_NIC","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_CAPABILITY_PROFILE_SAFE_MODE_NW","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_CONNECT_BASE","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_DOWNGRADE_DETECTED","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_END","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_FORCED_FAILURE","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_G1_MISSING_GRP_KEY","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_G1_MISSING_KEY_DATA","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_G1_MISSING_MGMT_GRP_KEY","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_KEY_FORMAT","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_KEY_START_TIMEOUT","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_KEY_SUCCESS_TIMEOUT","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_M2_MISSING_IE","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_M2_MISSING_KEY_DATA","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_M3_MISSING_GRP_KEY","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_M3_MISSING_IE","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_M3_MISSING_KEY_DATA","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_M3_MISSING_MGMT_GRP_KEY","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_M3_TOO_MANY_RSNIE","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_MAX","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_MIN","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_MIXED_CELL","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_NIC_FAILURE","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_NO_AUTHENTICATOR","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_NO_PAIRWISE_KEY","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PEER_INDICATED_INSECURE","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_AUTH_TIMERS_INVALID","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_DUPLICATE_AUTH_CIPHER","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_INVALID_AUTH_CIPHER","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_INVALID_GKEY_INTV","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_INVALID_KEY_INDEX","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_INVALID_PMKCACHE_MODE","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_INVALID_PMKCACHE_SIZE","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_INVALID_PMKCACHE_TTL","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_INVALID_PREAUTH_MODE","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_INVALID_PREAUTH_THROTTLE","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_KEYMATERIAL_CHAR","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_KEY_LENGTH","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_KEY_UNMAPPED_CHAR","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_NO_AUTH_CIPHER_SPECIFIED","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_ONEX_DISABLED","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_ONEX_ENABLED","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_PASSPHRASE_CHAR","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_PREAUTH_ONLY_ENABLED","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_PSK_LENGTH","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_PSK_PRESENT","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_RAWDATA_INVALID","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_SAFE_MODE","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_TOO_MANY_AUTH_CIPHER_SPECIFIED","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_UNSUPPORTED_AUTH","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_UNSUPPORTED_CIPHER","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_WRONG_KEYTYPE","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PR_IE_MATCHING","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_PSK_MISMATCH_SUSPECTED","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_SEC_IE_MATCHING","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_TRANSITION_NETWORK","features":[102]},{"name":"WLAN_REASON_CODE_MSMSEC_UI_REQUEST_FAILURE","features":[102]},{"name":"WLAN_REASON_CODE_MSM_BASE","features":[102]},{"name":"WLAN_REASON_CODE_MSM_CONNECT_BASE","features":[102]},{"name":"WLAN_REASON_CODE_MSM_END","features":[102]},{"name":"WLAN_REASON_CODE_MSM_SECURITY_MISSING","features":[102]},{"name":"WLAN_REASON_CODE_NETWORK_NOT_AVAILABLE","features":[102]},{"name":"WLAN_REASON_CODE_NETWORK_NOT_COMPATIBLE","features":[102]},{"name":"WLAN_REASON_CODE_NON_BROADCAST_SET_FOR_ADHOC","features":[102]},{"name":"WLAN_REASON_CODE_NOT_VISIBLE","features":[102]},{"name":"WLAN_REASON_CODE_NO_AUTO_CONNECTION","features":[102]},{"name":"WLAN_REASON_CODE_NO_VISIBLE_AP","features":[102]},{"name":"WLAN_REASON_CODE_OPERATION_MODE_NOT_SUPPORTED","features":[102]},{"name":"WLAN_REASON_CODE_PHY_TYPE_UNMATCH","features":[102]},{"name":"WLAN_REASON_CODE_PRE_SECURITY_FAILURE","features":[102]},{"name":"WLAN_REASON_CODE_PROFILE_BASE","features":[102]},{"name":"WLAN_REASON_CODE_PROFILE_CHANGED_OR_DELETED","features":[102]},{"name":"WLAN_REASON_CODE_PROFILE_CONNECT_BASE","features":[102]},{"name":"WLAN_REASON_CODE_PROFILE_END","features":[102]},{"name":"WLAN_REASON_CODE_PROFILE_MISSING","features":[102]},{"name":"WLAN_REASON_CODE_PROFILE_NOT_COMPATIBLE","features":[102]},{"name":"WLAN_REASON_CODE_PROFILE_SSID_INVALID","features":[102]},{"name":"WLAN_REASON_CODE_RANGE_SIZE","features":[102]},{"name":"WLAN_REASON_CODE_RESERVED_BASE","features":[102]},{"name":"WLAN_REASON_CODE_RESERVED_END","features":[102]},{"name":"WLAN_REASON_CODE_ROAMING_FAILURE","features":[102]},{"name":"WLAN_REASON_CODE_ROAMING_SECURITY_FAILURE","features":[102]},{"name":"WLAN_REASON_CODE_SCAN_CALL_FAIL","features":[102]},{"name":"WLAN_REASON_CODE_SECURITY_FAILURE","features":[102]},{"name":"WLAN_REASON_CODE_SECURITY_MISSING","features":[102]},{"name":"WLAN_REASON_CODE_SECURITY_TIMEOUT","features":[102]},{"name":"WLAN_REASON_CODE_SSID_LIST_TOO_LONG","features":[102]},{"name":"WLAN_REASON_CODE_START_SECURITY_FAILURE","features":[102]},{"name":"WLAN_REASON_CODE_SUCCESS","features":[102]},{"name":"WLAN_REASON_CODE_TOO_MANY_SECURITY_ATTEMPTS","features":[102]},{"name":"WLAN_REASON_CODE_TOO_MANY_SSID","features":[102]},{"name":"WLAN_REASON_CODE_UI_REQUEST_TIMEOUT","features":[102]},{"name":"WLAN_REASON_CODE_UNKNOWN","features":[102]},{"name":"WLAN_REASON_CODE_UNSUPPORTED_SECURITY_SET","features":[102]},{"name":"WLAN_REASON_CODE_UNSUPPORTED_SECURITY_SET_BY_OS","features":[102]},{"name":"WLAN_REASON_CODE_USER_CANCELLED","features":[102]},{"name":"WLAN_REASON_CODE_USER_DENIED","features":[102]},{"name":"WLAN_REASON_CODE_USER_NOT_RESPOND","features":[102]},{"name":"WLAN_SECURABLE_OBJECT","features":[102]},{"name":"WLAN_SECURABLE_OBJECT_COUNT","features":[102]},{"name":"WLAN_SECURITY_ATTRIBUTES","features":[1,102]},{"name":"WLAN_SET_EAPHOST_DATA_ALL_USERS","features":[102]},{"name":"WLAN_SET_EAPHOST_FLAGS","features":[102]},{"name":"WLAN_STATISTICS","features":[102]},{"name":"WLAN_UI_API_INITIAL_VERSION","features":[102]},{"name":"WLAN_UI_API_VERSION","features":[102]},{"name":"WLAdvPage","features":[102]},{"name":"WLConnectionPage","features":[102]},{"name":"WLSecurityPage","features":[102]},{"name":"WL_DISPLAY_PAGES","features":[102]},{"name":"WlanAllocateMemory","features":[102]},{"name":"WlanCloseHandle","features":[1,102]},{"name":"WlanConnect","features":[1,16,102]},{"name":"WlanConnect2","features":[1,16,102]},{"name":"WlanDeleteProfile","features":[1,102]},{"name":"WlanDeviceServiceCommand","features":[1,102]},{"name":"WlanDisconnect","features":[1,102]},{"name":"WlanEnumInterfaces","features":[1,102]},{"name":"WlanExtractPsdIEDataList","features":[1,102]},{"name":"WlanFreeMemory","features":[102]},{"name":"WlanGetAvailableNetworkList","features":[1,102]},{"name":"WlanGetAvailableNetworkList2","features":[1,102]},{"name":"WlanGetFilterList","features":[1,102]},{"name":"WlanGetInterfaceCapability","features":[1,102]},{"name":"WlanGetNetworkBssList","features":[1,102]},{"name":"WlanGetProfile","features":[1,102]},{"name":"WlanGetProfileCustomUserData","features":[1,102]},{"name":"WlanGetProfileList","features":[1,102]},{"name":"WlanGetSecuritySettings","features":[1,102]},{"name":"WlanGetSupportedDeviceServices","features":[1,102]},{"name":"WlanHostedNetworkForceStart","features":[1,102]},{"name":"WlanHostedNetworkForceStop","features":[1,102]},{"name":"WlanHostedNetworkInitSettings","features":[1,102]},{"name":"WlanHostedNetworkQueryProperty","features":[1,102]},{"name":"WlanHostedNetworkQuerySecondaryKey","features":[1,102]},{"name":"WlanHostedNetworkQueryStatus","features":[1,102]},{"name":"WlanHostedNetworkRefreshSecuritySettings","features":[1,102]},{"name":"WlanHostedNetworkSetProperty","features":[1,102]},{"name":"WlanHostedNetworkSetSecondaryKey","features":[1,102]},{"name":"WlanHostedNetworkStartUsing","features":[1,102]},{"name":"WlanHostedNetworkStopUsing","features":[1,102]},{"name":"WlanIhvControl","features":[1,102]},{"name":"WlanOpenHandle","features":[1,102]},{"name":"WlanQueryAutoConfigParameter","features":[1,102]},{"name":"WlanQueryInterface","features":[1,102]},{"name":"WlanReasonCodeToString","features":[102]},{"name":"WlanRegisterDeviceServiceNotification","features":[1,102]},{"name":"WlanRegisterNotification","features":[1,102]},{"name":"WlanRegisterVirtualStationNotification","features":[1,102]},{"name":"WlanRenameProfile","features":[1,102]},{"name":"WlanSaveTemporaryProfile","features":[1,102]},{"name":"WlanScan","features":[1,102]},{"name":"WlanSetAutoConfigParameter","features":[1,102]},{"name":"WlanSetFilterList","features":[1,102]},{"name":"WlanSetInterface","features":[1,102]},{"name":"WlanSetProfile","features":[1,102]},{"name":"WlanSetProfileCustomUserData","features":[1,102]},{"name":"WlanSetProfileEapUserData","features":[1,102,103]},{"name":"WlanSetProfileEapXmlUserData","features":[1,102]},{"name":"WlanSetProfileList","features":[1,102]},{"name":"WlanSetProfilePosition","features":[1,102]},{"name":"WlanSetPsdIEDataList","features":[1,102]},{"name":"WlanSetSecuritySettings","features":[1,102]},{"name":"WlanUIEditProfile","features":[1,102]},{"name":"ch_description_type_center_frequency","features":[102]},{"name":"ch_description_type_logical","features":[102]},{"name":"ch_description_type_phy_specific","features":[102]},{"name":"connection_phase_any","features":[102]},{"name":"connection_phase_initial_connection","features":[102]},{"name":"connection_phase_post_l3_connection","features":[102]},{"name":"dot11_AC_param_BE","features":[102]},{"name":"dot11_AC_param_BK","features":[102]},{"name":"dot11_AC_param_VI","features":[102]},{"name":"dot11_AC_param_VO","features":[102]},{"name":"dot11_AC_param_max","features":[102]},{"name":"dot11_ANQP_query_result_access_issues","features":[102]},{"name":"dot11_ANQP_query_result_advertisement_protocol_not_supported_on_remote","features":[102]},{"name":"dot11_ANQP_query_result_advertisement_server_not_responding","features":[102]},{"name":"dot11_ANQP_query_result_failure","features":[102]},{"name":"dot11_ANQP_query_result_gas_protocol_failure","features":[102]},{"name":"dot11_ANQP_query_result_resources","features":[102]},{"name":"dot11_ANQP_query_result_success","features":[102]},{"name":"dot11_ANQP_query_result_timed_out","features":[102]},{"name":"dot11_BSS_type_any","features":[102]},{"name":"dot11_BSS_type_independent","features":[102]},{"name":"dot11_BSS_type_infrastructure","features":[102]},{"name":"dot11_assoc_state_auth_assoc","features":[102]},{"name":"dot11_assoc_state_auth_unassoc","features":[102]},{"name":"dot11_assoc_state_unauth_unassoc","features":[102]},{"name":"dot11_assoc_state_zero","features":[102]},{"name":"dot11_band_2p4g","features":[102]},{"name":"dot11_band_4p9g","features":[102]},{"name":"dot11_band_5g","features":[102]},{"name":"dot11_diversity_support_dynamic","features":[102]},{"name":"dot11_diversity_support_fixedlist","features":[102]},{"name":"dot11_diversity_support_notsupported","features":[102]},{"name":"dot11_diversity_support_unknown","features":[102]},{"name":"dot11_hop_algo_current","features":[102]},{"name":"dot11_hop_algo_hcc","features":[102]},{"name":"dot11_hop_algo_hop_index","features":[102]},{"name":"dot11_key_direction_both","features":[102]},{"name":"dot11_key_direction_inbound","features":[102]},{"name":"dot11_key_direction_outbound","features":[102]},{"name":"dot11_manufacturing_callback_IHV_end","features":[102]},{"name":"dot11_manufacturing_callback_IHV_start","features":[102]},{"name":"dot11_manufacturing_callback_self_test_complete","features":[102]},{"name":"dot11_manufacturing_callback_sleep_complete","features":[102]},{"name":"dot11_manufacturing_callback_unknown","features":[102]},{"name":"dot11_manufacturing_test_IHV_end","features":[102]},{"name":"dot11_manufacturing_test_IHV_start","features":[102]},{"name":"dot11_manufacturing_test_awake","features":[102]},{"name":"dot11_manufacturing_test_query_adc","features":[102]},{"name":"dot11_manufacturing_test_query_data","features":[102]},{"name":"dot11_manufacturing_test_rx","features":[102]},{"name":"dot11_manufacturing_test_self_query_result","features":[102]},{"name":"dot11_manufacturing_test_self_start","features":[102]},{"name":"dot11_manufacturing_test_set_data","features":[102]},{"name":"dot11_manufacturing_test_sleep","features":[102]},{"name":"dot11_manufacturing_test_tx","features":[102]},{"name":"dot11_manufacturing_test_unknown","features":[102]},{"name":"dot11_offload_type_auth","features":[102]},{"name":"dot11_offload_type_wep","features":[102]},{"name":"dot11_phy_type_IHV_end","features":[102]},{"name":"dot11_phy_type_IHV_start","features":[102]},{"name":"dot11_phy_type_any","features":[102]},{"name":"dot11_phy_type_dmg","features":[102]},{"name":"dot11_phy_type_dsss","features":[102]},{"name":"dot11_phy_type_eht","features":[102]},{"name":"dot11_phy_type_erp","features":[102]},{"name":"dot11_phy_type_fhss","features":[102]},{"name":"dot11_phy_type_he","features":[102]},{"name":"dot11_phy_type_hrdsss","features":[102]},{"name":"dot11_phy_type_ht","features":[102]},{"name":"dot11_phy_type_irbaseband","features":[102]},{"name":"dot11_phy_type_ofdm","features":[102]},{"name":"dot11_phy_type_unknown","features":[102]},{"name":"dot11_phy_type_vht","features":[102]},{"name":"dot11_power_mode_active","features":[102]},{"name":"dot11_power_mode_powersave","features":[102]},{"name":"dot11_power_mode_reason_compliant_AP","features":[102]},{"name":"dot11_power_mode_reason_compliant_WFD_device","features":[102]},{"name":"dot11_power_mode_reason_legacy_WFD_device","features":[102]},{"name":"dot11_power_mode_reason_no_change","features":[102]},{"name":"dot11_power_mode_reason_noncompliant_AP","features":[102]},{"name":"dot11_power_mode_reason_others","features":[102]},{"name":"dot11_power_mode_unknown","features":[102]},{"name":"dot11_radio_state_off","features":[102]},{"name":"dot11_radio_state_on","features":[102]},{"name":"dot11_radio_state_unknown","features":[102]},{"name":"dot11_reset_type_mac","features":[102]},{"name":"dot11_reset_type_phy","features":[102]},{"name":"dot11_reset_type_phy_and_mac","features":[102]},{"name":"dot11_scan_type_active","features":[102]},{"name":"dot11_scan_type_auto","features":[102]},{"name":"dot11_scan_type_forced","features":[102]},{"name":"dot11_scan_type_passive","features":[102]},{"name":"dot11_temp_type_1","features":[102]},{"name":"dot11_temp_type_2","features":[102]},{"name":"dot11_temp_type_unknown","features":[102]},{"name":"dot11_update_ie_op_create_replace","features":[102]},{"name":"dot11_update_ie_op_delete","features":[102]},{"name":"dot11_wfd_discover_type_auto","features":[102]},{"name":"dot11_wfd_discover_type_find_only","features":[102]},{"name":"dot11_wfd_discover_type_forced","features":[102]},{"name":"dot11_wfd_discover_type_scan_only","features":[102]},{"name":"dot11_wfd_discover_type_scan_social_channels","features":[102]},{"name":"dot11_wfd_scan_type_active","features":[102]},{"name":"dot11_wfd_scan_type_auto","features":[102]},{"name":"dot11_wfd_scan_type_passive","features":[102]},{"name":"wlan_adhoc_network_state_connected","features":[102]},{"name":"wlan_adhoc_network_state_formed","features":[102]},{"name":"wlan_autoconf_opcode_allow_explicit_creds","features":[102]},{"name":"wlan_autoconf_opcode_allow_virtual_station_extensibility","features":[102]},{"name":"wlan_autoconf_opcode_block_period","features":[102]},{"name":"wlan_autoconf_opcode_end","features":[102]},{"name":"wlan_autoconf_opcode_only_use_gp_profiles_for_allowed_networks","features":[102]},{"name":"wlan_autoconf_opcode_power_setting","features":[102]},{"name":"wlan_autoconf_opcode_show_denied_networks","features":[102]},{"name":"wlan_autoconf_opcode_start","features":[102]},{"name":"wlan_connection_mode_auto","features":[102]},{"name":"wlan_connection_mode_discovery_secure","features":[102]},{"name":"wlan_connection_mode_discovery_unsecure","features":[102]},{"name":"wlan_connection_mode_invalid","features":[102]},{"name":"wlan_connection_mode_profile","features":[102]},{"name":"wlan_connection_mode_temporary_profile","features":[102]},{"name":"wlan_filter_list_type_gp_deny","features":[102]},{"name":"wlan_filter_list_type_gp_permit","features":[102]},{"name":"wlan_filter_list_type_user_deny","features":[102]},{"name":"wlan_filter_list_type_user_permit","features":[102]},{"name":"wlan_hosted_network_active","features":[102]},{"name":"wlan_hosted_network_idle","features":[102]},{"name":"wlan_hosted_network_opcode_connection_settings","features":[102]},{"name":"wlan_hosted_network_opcode_enable","features":[102]},{"name":"wlan_hosted_network_opcode_security_settings","features":[102]},{"name":"wlan_hosted_network_opcode_station_profile","features":[102]},{"name":"wlan_hosted_network_peer_state_authenticated","features":[102]},{"name":"wlan_hosted_network_peer_state_change","features":[102]},{"name":"wlan_hosted_network_peer_state_invalid","features":[102]},{"name":"wlan_hosted_network_radio_state_change","features":[102]},{"name":"wlan_hosted_network_reason_ap_start_failed","features":[102]},{"name":"wlan_hosted_network_reason_bad_parameters","features":[102]},{"name":"wlan_hosted_network_reason_client_abort","features":[102]},{"name":"wlan_hosted_network_reason_crypt_error","features":[102]},{"name":"wlan_hosted_network_reason_device_change","features":[102]},{"name":"wlan_hosted_network_reason_elevation_required","features":[102]},{"name":"wlan_hosted_network_reason_gp_denied","features":[102]},{"name":"wlan_hosted_network_reason_impersonation","features":[102]},{"name":"wlan_hosted_network_reason_incompatible_connection_started","features":[102]},{"name":"wlan_hosted_network_reason_incompatible_connection_stopped","features":[102]},{"name":"wlan_hosted_network_reason_insufficient_resources","features":[102]},{"name":"wlan_hosted_network_reason_interface_available","features":[102]},{"name":"wlan_hosted_network_reason_interface_unavailable","features":[102]},{"name":"wlan_hosted_network_reason_miniport_started","features":[102]},{"name":"wlan_hosted_network_reason_miniport_stopped","features":[102]},{"name":"wlan_hosted_network_reason_peer_arrived","features":[102]},{"name":"wlan_hosted_network_reason_peer_departed","features":[102]},{"name":"wlan_hosted_network_reason_peer_timeout","features":[102]},{"name":"wlan_hosted_network_reason_persistence_failed","features":[102]},{"name":"wlan_hosted_network_reason_properties_change","features":[102]},{"name":"wlan_hosted_network_reason_read_only","features":[102]},{"name":"wlan_hosted_network_reason_service_available_on_virtual_station","features":[102]},{"name":"wlan_hosted_network_reason_service_shutting_down","features":[102]},{"name":"wlan_hosted_network_reason_service_unavailable","features":[102]},{"name":"wlan_hosted_network_reason_stop_before_start","features":[102]},{"name":"wlan_hosted_network_reason_success","features":[102]},{"name":"wlan_hosted_network_reason_unspecified","features":[102]},{"name":"wlan_hosted_network_reason_user_action","features":[102]},{"name":"wlan_hosted_network_reason_virtual_station_blocking_use","features":[102]},{"name":"wlan_hosted_network_state_change","features":[102]},{"name":"wlan_hosted_network_unavailable","features":[102]},{"name":"wlan_ihv_control_type_driver","features":[102]},{"name":"wlan_ihv_control_type_service","features":[102]},{"name":"wlan_interface_state_ad_hoc_network_formed","features":[102]},{"name":"wlan_interface_state_associating","features":[102]},{"name":"wlan_interface_state_authenticating","features":[102]},{"name":"wlan_interface_state_connected","features":[102]},{"name":"wlan_interface_state_disconnected","features":[102]},{"name":"wlan_interface_state_disconnecting","features":[102]},{"name":"wlan_interface_state_discovering","features":[102]},{"name":"wlan_interface_state_not_ready","features":[102]},{"name":"wlan_interface_type_emulated_802_11","features":[102]},{"name":"wlan_interface_type_invalid","features":[102]},{"name":"wlan_interface_type_native_802_11","features":[102]},{"name":"wlan_intf_opcode_autoconf_enabled","features":[102]},{"name":"wlan_intf_opcode_autoconf_end","features":[102]},{"name":"wlan_intf_opcode_autoconf_start","features":[102]},{"name":"wlan_intf_opcode_background_scan_enabled","features":[102]},{"name":"wlan_intf_opcode_bss_type","features":[102]},{"name":"wlan_intf_opcode_certified_safe_mode","features":[102]},{"name":"wlan_intf_opcode_channel_number","features":[102]},{"name":"wlan_intf_opcode_current_connection","features":[102]},{"name":"wlan_intf_opcode_current_operation_mode","features":[102]},{"name":"wlan_intf_opcode_hosted_network_capable","features":[102]},{"name":"wlan_intf_opcode_ihv_end","features":[102]},{"name":"wlan_intf_opcode_ihv_start","features":[102]},{"name":"wlan_intf_opcode_interface_state","features":[102]},{"name":"wlan_intf_opcode_management_frame_protection_capable","features":[102]},{"name":"wlan_intf_opcode_media_streaming_mode","features":[102]},{"name":"wlan_intf_opcode_msm_end","features":[102]},{"name":"wlan_intf_opcode_msm_start","features":[102]},{"name":"wlan_intf_opcode_radio_state","features":[102]},{"name":"wlan_intf_opcode_rssi","features":[102]},{"name":"wlan_intf_opcode_secondary_sta_interfaces","features":[102]},{"name":"wlan_intf_opcode_secondary_sta_synchronized_connections","features":[102]},{"name":"wlan_intf_opcode_security_end","features":[102]},{"name":"wlan_intf_opcode_security_start","features":[102]},{"name":"wlan_intf_opcode_statistics","features":[102]},{"name":"wlan_intf_opcode_supported_adhoc_auth_cipher_pairs","features":[102]},{"name":"wlan_intf_opcode_supported_country_or_region_string_list","features":[102]},{"name":"wlan_intf_opcode_supported_infrastructure_auth_cipher_pairs","features":[102]},{"name":"wlan_intf_opcode_supported_safe_mode","features":[102]},{"name":"wlan_notification_acm_adhoc_network_state_change","features":[102]},{"name":"wlan_notification_acm_autoconf_disabled","features":[102]},{"name":"wlan_notification_acm_autoconf_enabled","features":[102]},{"name":"wlan_notification_acm_background_scan_disabled","features":[102]},{"name":"wlan_notification_acm_background_scan_enabled","features":[102]},{"name":"wlan_notification_acm_bss_type_change","features":[102]},{"name":"wlan_notification_acm_connection_attempt_fail","features":[102]},{"name":"wlan_notification_acm_connection_complete","features":[102]},{"name":"wlan_notification_acm_connection_start","features":[102]},{"name":"wlan_notification_acm_disconnected","features":[102]},{"name":"wlan_notification_acm_disconnecting","features":[102]},{"name":"wlan_notification_acm_end","features":[102]},{"name":"wlan_notification_acm_filter_list_change","features":[102]},{"name":"wlan_notification_acm_interface_arrival","features":[102]},{"name":"wlan_notification_acm_interface_removal","features":[102]},{"name":"wlan_notification_acm_network_available","features":[102]},{"name":"wlan_notification_acm_network_not_available","features":[102]},{"name":"wlan_notification_acm_operational_state_change","features":[102]},{"name":"wlan_notification_acm_power_setting_change","features":[102]},{"name":"wlan_notification_acm_profile_blocked","features":[102]},{"name":"wlan_notification_acm_profile_change","features":[102]},{"name":"wlan_notification_acm_profile_name_change","features":[102]},{"name":"wlan_notification_acm_profile_unblocked","features":[102]},{"name":"wlan_notification_acm_profiles_exhausted","features":[102]},{"name":"wlan_notification_acm_scan_complete","features":[102]},{"name":"wlan_notification_acm_scan_fail","features":[102]},{"name":"wlan_notification_acm_scan_list_refresh","features":[102]},{"name":"wlan_notification_acm_screen_power_change","features":[102]},{"name":"wlan_notification_acm_start","features":[102]},{"name":"wlan_notification_msm_adapter_operation_mode_change","features":[102]},{"name":"wlan_notification_msm_adapter_removal","features":[102]},{"name":"wlan_notification_msm_associated","features":[102]},{"name":"wlan_notification_msm_associating","features":[102]},{"name":"wlan_notification_msm_authenticating","features":[102]},{"name":"wlan_notification_msm_connected","features":[102]},{"name":"wlan_notification_msm_disassociating","features":[102]},{"name":"wlan_notification_msm_disconnected","features":[102]},{"name":"wlan_notification_msm_end","features":[102]},{"name":"wlan_notification_msm_link_degraded","features":[102]},{"name":"wlan_notification_msm_link_improved","features":[102]},{"name":"wlan_notification_msm_peer_join","features":[102]},{"name":"wlan_notification_msm_peer_leave","features":[102]},{"name":"wlan_notification_msm_radio_state_change","features":[102]},{"name":"wlan_notification_msm_roaming_end","features":[102]},{"name":"wlan_notification_msm_roaming_start","features":[102]},{"name":"wlan_notification_msm_signal_quality_change","features":[102]},{"name":"wlan_notification_msm_start","features":[102]},{"name":"wlan_notification_security_end","features":[102]},{"name":"wlan_notification_security_start","features":[102]},{"name":"wlan_opcode_value_type_invalid","features":[102]},{"name":"wlan_opcode_value_type_query_only","features":[102]},{"name":"wlan_opcode_value_type_set_by_group_policy","features":[102]},{"name":"wlan_opcode_value_type_set_by_user","features":[102]},{"name":"wlan_operational_state_going_off","features":[102]},{"name":"wlan_operational_state_going_on","features":[102]},{"name":"wlan_operational_state_off","features":[102]},{"name":"wlan_operational_state_on","features":[102]},{"name":"wlan_operational_state_unknown","features":[102]},{"name":"wlan_power_setting_invalid","features":[102]},{"name":"wlan_power_setting_low_saving","features":[102]},{"name":"wlan_power_setting_maximum_saving","features":[102]},{"name":"wlan_power_setting_medium_saving","features":[102]},{"name":"wlan_power_setting_no_saving","features":[102]},{"name":"wlan_secure_ac_enabled","features":[102]},{"name":"wlan_secure_add_new_all_user_profiles","features":[102]},{"name":"wlan_secure_add_new_per_user_profiles","features":[102]},{"name":"wlan_secure_all_user_profiles_order","features":[102]},{"name":"wlan_secure_bc_scan_enabled","features":[102]},{"name":"wlan_secure_bss_type","features":[102]},{"name":"wlan_secure_current_operation_mode","features":[102]},{"name":"wlan_secure_deny_list","features":[102]},{"name":"wlan_secure_get_plaintext_key","features":[102]},{"name":"wlan_secure_hosted_network_elevated_access","features":[102]},{"name":"wlan_secure_ihv_control","features":[102]},{"name":"wlan_secure_interface_properties","features":[102]},{"name":"wlan_secure_media_streaming_mode_enabled","features":[102]},{"name":"wlan_secure_permit_list","features":[102]},{"name":"wlan_secure_show_denied","features":[102]},{"name":"wlan_secure_virtual_station_extensibility","features":[102]},{"name":"wlan_secure_wfd_elevated_access","features":[102]}],"463":[{"name":"FreeInterfaceContextTable","features":[1,105]},{"name":"GetInterfaceContextTableForHostName","features":[1,105]},{"name":"NET_INTERFACE_CONTEXT","features":[105]},{"name":"NET_INTERFACE_CONTEXT_TABLE","features":[1,105]},{"name":"NET_INTERFACE_FLAG_CONNECT_IF_NEEDED","features":[105]},{"name":"NET_INTERFACE_FLAG_NONE","features":[105]},{"name":"ONDEMAND_NOTIFICATION_CALLBACK","features":[105]},{"name":"OnDemandGetRoutingHint","features":[105]},{"name":"OnDemandRegisterNotification","features":[1,105]},{"name":"OnDemandUnRegisterNotification","features":[1,105]},{"name":"WCM_API_VERSION","features":[105]},{"name":"WCM_API_VERSION_1_0","features":[105]},{"name":"WCM_BILLING_CYCLE_INFO","features":[1,105]},{"name":"WCM_CONNECTION_COST","features":[105]},{"name":"WCM_CONNECTION_COST_APPROACHINGDATALIMIT","features":[105]},{"name":"WCM_CONNECTION_COST_CONGESTED","features":[105]},{"name":"WCM_CONNECTION_COST_DATA","features":[105]},{"name":"WCM_CONNECTION_COST_FIXED","features":[105]},{"name":"WCM_CONNECTION_COST_OVERDATALIMIT","features":[105]},{"name":"WCM_CONNECTION_COST_ROAMING","features":[105]},{"name":"WCM_CONNECTION_COST_SOURCE","features":[105]},{"name":"WCM_CONNECTION_COST_SOURCE_DEFAULT","features":[105]},{"name":"WCM_CONNECTION_COST_SOURCE_GP","features":[105]},{"name":"WCM_CONNECTION_COST_SOURCE_OPERATOR","features":[105]},{"name":"WCM_CONNECTION_COST_SOURCE_USER","features":[105]},{"name":"WCM_CONNECTION_COST_UNKNOWN","features":[105]},{"name":"WCM_CONNECTION_COST_UNRESTRICTED","features":[105]},{"name":"WCM_CONNECTION_COST_VARIABLE","features":[105]},{"name":"WCM_DATAPLAN_STATUS","features":[1,105]},{"name":"WCM_MAX_PROFILE_NAME","features":[105]},{"name":"WCM_MEDIA_TYPE","features":[105]},{"name":"WCM_POLICY_VALUE","features":[1,105]},{"name":"WCM_PROFILE_INFO","features":[105]},{"name":"WCM_PROFILE_INFO_LIST","features":[105]},{"name":"WCM_PROPERTY","features":[105]},{"name":"WCM_TIME_INTERVAL","features":[105]},{"name":"WCM_UNKNOWN_DATAPLAN_STATUS","features":[105]},{"name":"WCM_USAGE_DATA","features":[1,105]},{"name":"WcmFreeMemory","features":[105]},{"name":"WcmGetProfileList","features":[105]},{"name":"WcmQueryProperty","features":[105]},{"name":"WcmSetProfileList","features":[1,105]},{"name":"WcmSetProperty","features":[105]},{"name":"wcm_global_property_domain_policy","features":[105]},{"name":"wcm_global_property_minimize_policy","features":[105]},{"name":"wcm_global_property_powermanagement_policy","features":[105]},{"name":"wcm_global_property_roaming_policy","features":[105]},{"name":"wcm_intf_property_connection_cost","features":[105]},{"name":"wcm_intf_property_dataplan_status","features":[105]},{"name":"wcm_intf_property_hotspot_profile","features":[105]},{"name":"wcm_media_ethernet","features":[105]},{"name":"wcm_media_invalid","features":[105]},{"name":"wcm_media_max","features":[105]},{"name":"wcm_media_mbn","features":[105]},{"name":"wcm_media_unknown","features":[105]},{"name":"wcm_media_wlan","features":[105]}],"464":[{"name":"DL_ADDRESS_TYPE","features":[18]},{"name":"DlBroadcast","features":[18]},{"name":"DlMulticast","features":[18]},{"name":"DlUnicast","features":[18]},{"name":"FWPM_ACTION0","features":[18]},{"name":"FWPM_ACTRL_ADD","features":[18]},{"name":"FWPM_ACTRL_ADD_LINK","features":[18]},{"name":"FWPM_ACTRL_BEGIN_READ_TXN","features":[18]},{"name":"FWPM_ACTRL_BEGIN_WRITE_TXN","features":[18]},{"name":"FWPM_ACTRL_CLASSIFY","features":[18]},{"name":"FWPM_ACTRL_ENUM","features":[18]},{"name":"FWPM_ACTRL_OPEN","features":[18]},{"name":"FWPM_ACTRL_READ","features":[18]},{"name":"FWPM_ACTRL_READ_STATS","features":[18]},{"name":"FWPM_ACTRL_SUBSCRIBE","features":[18]},{"name":"FWPM_ACTRL_WRITE","features":[18]},{"name":"FWPM_APPC_NETWORK_CAPABILITY_INTERNET_CLIENT","features":[18]},{"name":"FWPM_APPC_NETWORK_CAPABILITY_INTERNET_CLIENT_SERVER","features":[18]},{"name":"FWPM_APPC_NETWORK_CAPABILITY_INTERNET_PRIVATE_NETWORK","features":[18]},{"name":"FWPM_APPC_NETWORK_CAPABILITY_TYPE","features":[18]},{"name":"FWPM_AUTO_WEIGHT_BITS","features":[18]},{"name":"FWPM_CALLOUT0","features":[18]},{"name":"FWPM_CALLOUT_BUILT_IN_RESERVED_1","features":[18]},{"name":"FWPM_CALLOUT_BUILT_IN_RESERVED_2","features":[18]},{"name":"FWPM_CALLOUT_BUILT_IN_RESERVED_3","features":[18]},{"name":"FWPM_CALLOUT_BUILT_IN_RESERVED_4","features":[18]},{"name":"FWPM_CALLOUT_CHANGE0","features":[18]},{"name":"FWPM_CALLOUT_CHANGE_CALLBACK0","features":[18]},{"name":"FWPM_CALLOUT_EDGE_TRAVERSAL_ALE_LISTEN_V4","features":[18]},{"name":"FWPM_CALLOUT_EDGE_TRAVERSAL_ALE_RESOURCE_ASSIGNMENT_V4","features":[18]},{"name":"FWPM_CALLOUT_ENUM_TEMPLATE0","features":[18]},{"name":"FWPM_CALLOUT_FLAG_PERSISTENT","features":[18]},{"name":"FWPM_CALLOUT_FLAG_REGISTERED","features":[18]},{"name":"FWPM_CALLOUT_FLAG_USES_PROVIDER_CONTEXT","features":[18]},{"name":"FWPM_CALLOUT_HTTP_TEMPLATE_SSL_HANDSHAKE","features":[18]},{"name":"FWPM_CALLOUT_IPSEC_ALE_CONNECT_V4","features":[18]},{"name":"FWPM_CALLOUT_IPSEC_ALE_CONNECT_V6","features":[18]},{"name":"FWPM_CALLOUT_IPSEC_DOSP_FORWARD_V4","features":[18]},{"name":"FWPM_CALLOUT_IPSEC_DOSP_FORWARD_V6","features":[18]},{"name":"FWPM_CALLOUT_IPSEC_FORWARD_INBOUND_TUNNEL_V4","features":[18]},{"name":"FWPM_CALLOUT_IPSEC_FORWARD_INBOUND_TUNNEL_V6","features":[18]},{"name":"FWPM_CALLOUT_IPSEC_FORWARD_OUTBOUND_TUNNEL_V4","features":[18]},{"name":"FWPM_CALLOUT_IPSEC_FORWARD_OUTBOUND_TUNNEL_V6","features":[18]},{"name":"FWPM_CALLOUT_IPSEC_INBOUND_INITIATE_SECURE_V4","features":[18]},{"name":"FWPM_CALLOUT_IPSEC_INBOUND_INITIATE_SECURE_V6","features":[18]},{"name":"FWPM_CALLOUT_IPSEC_INBOUND_TRANSPORT_V4","features":[18]},{"name":"FWPM_CALLOUT_IPSEC_INBOUND_TRANSPORT_V6","features":[18]},{"name":"FWPM_CALLOUT_IPSEC_INBOUND_TUNNEL_ALE_ACCEPT_V4","features":[18]},{"name":"FWPM_CALLOUT_IPSEC_INBOUND_TUNNEL_ALE_ACCEPT_V6","features":[18]},{"name":"FWPM_CALLOUT_IPSEC_INBOUND_TUNNEL_V4","features":[18]},{"name":"FWPM_CALLOUT_IPSEC_INBOUND_TUNNEL_V6","features":[18]},{"name":"FWPM_CALLOUT_IPSEC_OUTBOUND_TRANSPORT_V4","features":[18]},{"name":"FWPM_CALLOUT_IPSEC_OUTBOUND_TRANSPORT_V6","features":[18]},{"name":"FWPM_CALLOUT_IPSEC_OUTBOUND_TUNNEL_V4","features":[18]},{"name":"FWPM_CALLOUT_IPSEC_OUTBOUND_TUNNEL_V6","features":[18]},{"name":"FWPM_CALLOUT_OUTBOUND_NETWORK_CONNECTION_POLICY_LAYER_V4","features":[18]},{"name":"FWPM_CALLOUT_OUTBOUND_NETWORK_CONNECTION_POLICY_LAYER_V6","features":[18]},{"name":"FWPM_CALLOUT_POLICY_SILENT_MODE_AUTH_CONNECT_LAYER_V4","features":[18]},{"name":"FWPM_CALLOUT_POLICY_SILENT_MODE_AUTH_CONNECT_LAYER_V6","features":[18]},{"name":"FWPM_CALLOUT_POLICY_SILENT_MODE_AUTH_RECV_ACCEPT_LAYER_V4","features":[18]},{"name":"FWPM_CALLOUT_POLICY_SILENT_MODE_AUTH_RECV_ACCEPT_LAYER_V6","features":[18]},{"name":"FWPM_CALLOUT_RESERVED_AUTH_CONNECT_LAYER_V4","features":[18]},{"name":"FWPM_CALLOUT_RESERVED_AUTH_CONNECT_LAYER_V6","features":[18]},{"name":"FWPM_CALLOUT_SET_OPTIONS_AUTH_CONNECT_LAYER_V4","features":[18]},{"name":"FWPM_CALLOUT_SET_OPTIONS_AUTH_CONNECT_LAYER_V6","features":[18]},{"name":"FWPM_CALLOUT_SET_OPTIONS_AUTH_RECV_ACCEPT_LAYER_V4","features":[18]},{"name":"FWPM_CALLOUT_SET_OPTIONS_AUTH_RECV_ACCEPT_LAYER_V6","features":[18]},{"name":"FWPM_CALLOUT_SUBSCRIPTION0","features":[18]},{"name":"FWPM_CALLOUT_TCP_CHIMNEY_ACCEPT_LAYER_V4","features":[18]},{"name":"FWPM_CALLOUT_TCP_CHIMNEY_ACCEPT_LAYER_V6","features":[18]},{"name":"FWPM_CALLOUT_TCP_CHIMNEY_CONNECT_LAYER_V4","features":[18]},{"name":"FWPM_CALLOUT_TCP_CHIMNEY_CONNECT_LAYER_V6","features":[18]},{"name":"FWPM_CALLOUT_TCP_TEMPLATES_ACCEPT_LAYER_V4","features":[18]},{"name":"FWPM_CALLOUT_TCP_TEMPLATES_ACCEPT_LAYER_V6","features":[18]},{"name":"FWPM_CALLOUT_TCP_TEMPLATES_CONNECT_LAYER_V4","features":[18]},{"name":"FWPM_CALLOUT_TCP_TEMPLATES_CONNECT_LAYER_V6","features":[18]},{"name":"FWPM_CALLOUT_TEREDO_ALE_LISTEN_V6","features":[18]},{"name":"FWPM_CALLOUT_TEREDO_ALE_RESOURCE_ASSIGNMENT_V6","features":[18]},{"name":"FWPM_CALLOUT_WFP_TRANSPORT_LAYER_V4_SILENT_DROP","features":[18]},{"name":"FWPM_CALLOUT_WFP_TRANSPORT_LAYER_V6_SILENT_DROP","features":[18]},{"name":"FWPM_CHANGE_ADD","features":[18]},{"name":"FWPM_CHANGE_DELETE","features":[18]},{"name":"FWPM_CHANGE_TYPE","features":[18]},{"name":"FWPM_CHANGE_TYPE_MAX","features":[18]},{"name":"FWPM_CLASSIFY_OPTION0","features":[1,18,4]},{"name":"FWPM_CLASSIFY_OPTIONS0","features":[1,18,4]},{"name":"FWPM_CLASSIFY_OPTIONS_CONTEXT","features":[18]},{"name":"FWPM_CONDITION_ALE_APP_ID","features":[18]},{"name":"FWPM_CONDITION_ALE_EFFECTIVE_NAME","features":[18]},{"name":"FWPM_CONDITION_ALE_NAP_CONTEXT","features":[18]},{"name":"FWPM_CONDITION_ALE_ORIGINAL_APP_ID","features":[18]},{"name":"FWPM_CONDITION_ALE_PACKAGE_ID","features":[18]},{"name":"FWPM_CONDITION_ALE_PROMISCUOUS_MODE","features":[18]},{"name":"FWPM_CONDITION_ALE_REAUTH_REASON","features":[18]},{"name":"FWPM_CONDITION_ALE_REMOTE_MACHINE_ID","features":[18]},{"name":"FWPM_CONDITION_ALE_REMOTE_USER_ID","features":[18]},{"name":"FWPM_CONDITION_ALE_SECURITY_ATTRIBUTE_FQBN_VALUE","features":[18]},{"name":"FWPM_CONDITION_ALE_SIO_FIREWALL_SYSTEM_PORT","features":[18]},{"name":"FWPM_CONDITION_ALE_USER_ID","features":[18]},{"name":"FWPM_CONDITION_ARRIVAL_INTERFACE_INDEX","features":[18]},{"name":"FWPM_CONDITION_ARRIVAL_INTERFACE_PROFILE_ID","features":[18]},{"name":"FWPM_CONDITION_ARRIVAL_INTERFACE_TYPE","features":[18]},{"name":"FWPM_CONDITION_ARRIVAL_TUNNEL_TYPE","features":[18]},{"name":"FWPM_CONDITION_AUTHENTICATION_TYPE","features":[18]},{"name":"FWPM_CONDITION_CLIENT_CERT_KEY_LENGTH","features":[18]},{"name":"FWPM_CONDITION_CLIENT_CERT_OID","features":[18]},{"name":"FWPM_CONDITION_CLIENT_TOKEN","features":[18]},{"name":"FWPM_CONDITION_COMPARTMENT_ID","features":[18]},{"name":"FWPM_CONDITION_CURRENT_PROFILE_ID","features":[18]},{"name":"FWPM_CONDITION_DCOM_APP_ID","features":[18]},{"name":"FWPM_CONDITION_DESTINATION_INTERFACE_INDEX","features":[18]},{"name":"FWPM_CONDITION_DESTINATION_SUB_INTERFACE_INDEX","features":[18]},{"name":"FWPM_CONDITION_DIRECTION","features":[18]},{"name":"FWPM_CONDITION_EMBEDDED_LOCAL_ADDRESS_TYPE","features":[18]},{"name":"FWPM_CONDITION_EMBEDDED_LOCAL_PORT","features":[18]},{"name":"FWPM_CONDITION_EMBEDDED_PROTOCOL","features":[18]},{"name":"FWPM_CONDITION_EMBEDDED_REMOTE_ADDRESS","features":[18]},{"name":"FWPM_CONDITION_EMBEDDED_REMOTE_PORT","features":[18]},{"name":"FWPM_CONDITION_ETHER_TYPE","features":[18]},{"name":"FWPM_CONDITION_FLAGS","features":[18]},{"name":"FWPM_CONDITION_IMAGE_NAME","features":[18]},{"name":"FWPM_CONDITION_INTERFACE_INDEX","features":[18]},{"name":"FWPM_CONDITION_INTERFACE_MAC_ADDRESS","features":[18]},{"name":"FWPM_CONDITION_INTERFACE_QUARANTINE_EPOCH","features":[18]},{"name":"FWPM_CONDITION_INTERFACE_TYPE","features":[18]},{"name":"FWPM_CONDITION_IPSEC_POLICY_KEY","features":[18]},{"name":"FWPM_CONDITION_IPSEC_SECURITY_REALM_ID","features":[18]},{"name":"FWPM_CONDITION_IP_ARRIVAL_INTERFACE","features":[18]},{"name":"FWPM_CONDITION_IP_DESTINATION_ADDRESS","features":[18]},{"name":"FWPM_CONDITION_IP_DESTINATION_ADDRESS_TYPE","features":[18]},{"name":"FWPM_CONDITION_IP_DESTINATION_PORT","features":[18]},{"name":"FWPM_CONDITION_IP_FORWARD_INTERFACE","features":[18]},{"name":"FWPM_CONDITION_IP_LOCAL_ADDRESS","features":[18]},{"name":"FWPM_CONDITION_IP_LOCAL_ADDRESS_TYPE","features":[18]},{"name":"FWPM_CONDITION_IP_LOCAL_ADDRESS_V4","features":[18]},{"name":"FWPM_CONDITION_IP_LOCAL_ADDRESS_V6","features":[18]},{"name":"FWPM_CONDITION_IP_LOCAL_INTERFACE","features":[18]},{"name":"FWPM_CONDITION_IP_LOCAL_PORT","features":[18]},{"name":"FWPM_CONDITION_IP_NEXTHOP_ADDRESS","features":[18]},{"name":"FWPM_CONDITION_IP_NEXTHOP_INTERFACE","features":[18]},{"name":"FWPM_CONDITION_IP_PHYSICAL_ARRIVAL_INTERFACE","features":[18]},{"name":"FWPM_CONDITION_IP_PHYSICAL_NEXTHOP_INTERFACE","features":[18]},{"name":"FWPM_CONDITION_IP_PROTOCOL","features":[18]},{"name":"FWPM_CONDITION_IP_REMOTE_ADDRESS","features":[18]},{"name":"FWPM_CONDITION_IP_REMOTE_ADDRESS_V4","features":[18]},{"name":"FWPM_CONDITION_IP_REMOTE_ADDRESS_V6","features":[18]},{"name":"FWPM_CONDITION_IP_REMOTE_PORT","features":[18]},{"name":"FWPM_CONDITION_IP_SOURCE_ADDRESS","features":[18]},{"name":"FWPM_CONDITION_IP_SOURCE_PORT","features":[18]},{"name":"FWPM_CONDITION_KM_AUTH_NAP_CONTEXT","features":[18]},{"name":"FWPM_CONDITION_KM_MODE","features":[18]},{"name":"FWPM_CONDITION_KM_TYPE","features":[18]},{"name":"FWPM_CONDITION_L2_FLAGS","features":[18]},{"name":"FWPM_CONDITION_LOCAL_INTERFACE_PROFILE_ID","features":[18]},{"name":"FWPM_CONDITION_MAC_DESTINATION_ADDRESS","features":[18]},{"name":"FWPM_CONDITION_MAC_DESTINATION_ADDRESS_TYPE","features":[18]},{"name":"FWPM_CONDITION_MAC_LOCAL_ADDRESS","features":[18]},{"name":"FWPM_CONDITION_MAC_LOCAL_ADDRESS_TYPE","features":[18]},{"name":"FWPM_CONDITION_MAC_REMOTE_ADDRESS","features":[18]},{"name":"FWPM_CONDITION_MAC_REMOTE_ADDRESS_TYPE","features":[18]},{"name":"FWPM_CONDITION_MAC_SOURCE_ADDRESS","features":[18]},{"name":"FWPM_CONDITION_MAC_SOURCE_ADDRESS_TYPE","features":[18]},{"name":"FWPM_CONDITION_NDIS_MEDIA_TYPE","features":[18]},{"name":"FWPM_CONDITION_NDIS_PHYSICAL_MEDIA_TYPE","features":[18]},{"name":"FWPM_CONDITION_NDIS_PORT","features":[18]},{"name":"FWPM_CONDITION_NET_EVENT_TYPE","features":[18]},{"name":"FWPM_CONDITION_NEXTHOP_INTERFACE_INDEX","features":[18]},{"name":"FWPM_CONDITION_NEXTHOP_INTERFACE_PROFILE_ID","features":[18]},{"name":"FWPM_CONDITION_NEXTHOP_INTERFACE_TYPE","features":[18]},{"name":"FWPM_CONDITION_NEXTHOP_SUB_INTERFACE_INDEX","features":[18]},{"name":"FWPM_CONDITION_NEXTHOP_TUNNEL_TYPE","features":[18]},{"name":"FWPM_CONDITION_ORIGINAL_ICMP_TYPE","features":[18]},{"name":"FWPM_CONDITION_ORIGINAL_PROFILE_ID","features":[18]},{"name":"FWPM_CONDITION_PEER_NAME","features":[18]},{"name":"FWPM_CONDITION_PIPE","features":[18]},{"name":"FWPM_CONDITION_PROCESS_WITH_RPC_IF_UUID","features":[18]},{"name":"FWPM_CONDITION_QM_MODE","features":[18]},{"name":"FWPM_CONDITION_REAUTHORIZE_REASON","features":[18]},{"name":"FWPM_CONDITION_REMOTE_ID","features":[18]},{"name":"FWPM_CONDITION_REMOTE_USER_TOKEN","features":[18]},{"name":"FWPM_CONDITION_RESERVED0","features":[18]},{"name":"FWPM_CONDITION_RESERVED1","features":[18]},{"name":"FWPM_CONDITION_RESERVED10","features":[18]},{"name":"FWPM_CONDITION_RESERVED11","features":[18]},{"name":"FWPM_CONDITION_RESERVED12","features":[18]},{"name":"FWPM_CONDITION_RESERVED13","features":[18]},{"name":"FWPM_CONDITION_RESERVED14","features":[18]},{"name":"FWPM_CONDITION_RESERVED15","features":[18]},{"name":"FWPM_CONDITION_RESERVED2","features":[18]},{"name":"FWPM_CONDITION_RESERVED3","features":[18]},{"name":"FWPM_CONDITION_RESERVED4","features":[18]},{"name":"FWPM_CONDITION_RESERVED5","features":[18]},{"name":"FWPM_CONDITION_RESERVED6","features":[18]},{"name":"FWPM_CONDITION_RESERVED7","features":[18]},{"name":"FWPM_CONDITION_RESERVED8","features":[18]},{"name":"FWPM_CONDITION_RESERVED9","features":[18]},{"name":"FWPM_CONDITION_RPC_AUTH_LEVEL","features":[18]},{"name":"FWPM_CONDITION_RPC_AUTH_TYPE","features":[18]},{"name":"FWPM_CONDITION_RPC_EP_FLAGS","features":[18]},{"name":"FWPM_CONDITION_RPC_EP_VALUE","features":[18]},{"name":"FWPM_CONDITION_RPC_IF_FLAG","features":[18]},{"name":"FWPM_CONDITION_RPC_IF_UUID","features":[18]},{"name":"FWPM_CONDITION_RPC_IF_VERSION","features":[18]},{"name":"FWPM_CONDITION_RPC_PROTOCOL","features":[18]},{"name":"FWPM_CONDITION_RPC_PROXY_AUTH_TYPE","features":[18]},{"name":"FWPM_CONDITION_RPC_SERVER_NAME","features":[18]},{"name":"FWPM_CONDITION_RPC_SERVER_PORT","features":[18]},{"name":"FWPM_CONDITION_SEC_ENCRYPT_ALGORITHM","features":[18]},{"name":"FWPM_CONDITION_SEC_KEY_SIZE","features":[18]},{"name":"FWPM_CONDITION_SOURCE_INTERFACE_INDEX","features":[18]},{"name":"FWPM_CONDITION_SOURCE_SUB_INTERFACE_INDEX","features":[18]},{"name":"FWPM_CONDITION_SUB_INTERFACE_INDEX","features":[18]},{"name":"FWPM_CONDITION_TUNNEL_TYPE","features":[18]},{"name":"FWPM_CONDITION_VLAN_ID","features":[18]},{"name":"FWPM_CONDITION_VSWITCH_DESTINATION_INTERFACE_ID","features":[18]},{"name":"FWPM_CONDITION_VSWITCH_DESTINATION_INTERFACE_TYPE","features":[18]},{"name":"FWPM_CONDITION_VSWITCH_DESTINATION_VM_ID","features":[18]},{"name":"FWPM_CONDITION_VSWITCH_ID","features":[18]},{"name":"FWPM_CONDITION_VSWITCH_NETWORK_TYPE","features":[18]},{"name":"FWPM_CONDITION_VSWITCH_SOURCE_INTERFACE_ID","features":[18]},{"name":"FWPM_CONDITION_VSWITCH_SOURCE_INTERFACE_TYPE","features":[18]},{"name":"FWPM_CONDITION_VSWITCH_SOURCE_VM_ID","features":[18]},{"name":"FWPM_CONDITION_VSWITCH_TENANT_NETWORK_ID","features":[18]},{"name":"FWPM_CONNECTION0","features":[1,18]},{"name":"FWPM_CONNECTION_CALLBACK0","features":[1,18]},{"name":"FWPM_CONNECTION_ENUM_FLAG_QUERY_BYTES_TRANSFERRED","features":[18]},{"name":"FWPM_CONNECTION_ENUM_TEMPLATE0","features":[18]},{"name":"FWPM_CONNECTION_EVENT_ADD","features":[18]},{"name":"FWPM_CONNECTION_EVENT_DELETE","features":[18]},{"name":"FWPM_CONNECTION_EVENT_MAX","features":[18]},{"name":"FWPM_CONNECTION_EVENT_TYPE","features":[18]},{"name":"FWPM_CONNECTION_SUBSCRIPTION0","features":[18]},{"name":"FWPM_DISPLAY_DATA0","features":[18]},{"name":"FWPM_DYNAMIC_KEYWORD_CALLBACK0","features":[18]},{"name":"FWPM_ENGINE_COLLECT_NET_EVENTS","features":[18]},{"name":"FWPM_ENGINE_MONITOR_IPSEC_CONNECTIONS","features":[18]},{"name":"FWPM_ENGINE_NAME_CACHE","features":[18]},{"name":"FWPM_ENGINE_NET_EVENT_MATCH_ANY_KEYWORDS","features":[18]},{"name":"FWPM_ENGINE_OPTION","features":[18]},{"name":"FWPM_ENGINE_OPTION_MAX","features":[18]},{"name":"FWPM_ENGINE_OPTION_PACKET_BATCH_INBOUND","features":[18]},{"name":"FWPM_ENGINE_OPTION_PACKET_QUEUE_FORWARD","features":[18]},{"name":"FWPM_ENGINE_OPTION_PACKET_QUEUE_INBOUND","features":[18]},{"name":"FWPM_ENGINE_OPTION_PACKET_QUEUE_NONE","features":[18]},{"name":"FWPM_ENGINE_PACKET_QUEUING","features":[18]},{"name":"FWPM_ENGINE_TXN_WATCHDOG_TIMEOUT_IN_MSEC","features":[18]},{"name":"FWPM_FIELD0","features":[18]},{"name":"FWPM_FIELD_FLAGS","features":[18]},{"name":"FWPM_FIELD_IP_ADDRESS","features":[18]},{"name":"FWPM_FIELD_RAW_DATA","features":[18]},{"name":"FWPM_FIELD_TYPE","features":[18]},{"name":"FWPM_FIELD_TYPE_MAX","features":[18]},{"name":"FWPM_FILTER0","features":[1,18,4]},{"name":"FWPM_FILTER_CHANGE0","features":[18]},{"name":"FWPM_FILTER_CHANGE_CALLBACK0","features":[18]},{"name":"FWPM_FILTER_CONDITION0","features":[1,18,4]},{"name":"FWPM_FILTER_ENUM_TEMPLATE0","features":[1,18,4]},{"name":"FWPM_FILTER_FLAGS","features":[18]},{"name":"FWPM_FILTER_FLAG_BOOTTIME","features":[18]},{"name":"FWPM_FILTER_FLAG_CLEAR_ACTION_RIGHT","features":[18]},{"name":"FWPM_FILTER_FLAG_DISABLED","features":[18]},{"name":"FWPM_FILTER_FLAG_GAMEOS_ONLY","features":[18]},{"name":"FWPM_FILTER_FLAG_HAS_PROVIDER_CONTEXT","features":[18]},{"name":"FWPM_FILTER_FLAG_HAS_SECURITY_REALM_PROVIDER_CONTEXT","features":[18]},{"name":"FWPM_FILTER_FLAG_INDEXED","features":[18]},{"name":"FWPM_FILTER_FLAG_IPSEC_NO_ACQUIRE_INITIATE","features":[18]},{"name":"FWPM_FILTER_FLAG_NONE","features":[18]},{"name":"FWPM_FILTER_FLAG_PERMIT_IF_CALLOUT_UNREGISTERED","features":[18]},{"name":"FWPM_FILTER_FLAG_PERSISTENT","features":[18]},{"name":"FWPM_FILTER_FLAG_RESERVED0","features":[18]},{"name":"FWPM_FILTER_FLAG_RESERVED1","features":[18]},{"name":"FWPM_FILTER_FLAG_SILENT_MODE","features":[18]},{"name":"FWPM_FILTER_FLAG_SYSTEMOS_ONLY","features":[18]},{"name":"FWPM_FILTER_SUBSCRIPTION0","features":[1,18,4]},{"name":"FWPM_GENERAL_CONTEXT","features":[18]},{"name":"FWPM_IPSEC_AUTHIP_MM_CONTEXT","features":[18]},{"name":"FWPM_IPSEC_AUTHIP_QM_TRANSPORT_CONTEXT","features":[18]},{"name":"FWPM_IPSEC_AUTHIP_QM_TUNNEL_CONTEXT","features":[18]},{"name":"FWPM_IPSEC_DOSP_CONTEXT","features":[18]},{"name":"FWPM_IPSEC_IKEV2_MM_CONTEXT","features":[18]},{"name":"FWPM_IPSEC_IKEV2_QM_TRANSPORT_CONTEXT","features":[18]},{"name":"FWPM_IPSEC_IKEV2_QM_TUNNEL_CONTEXT","features":[18]},{"name":"FWPM_IPSEC_IKE_MM_CONTEXT","features":[18]},{"name":"FWPM_IPSEC_IKE_QM_TRANSPORT_CONTEXT","features":[18]},{"name":"FWPM_IPSEC_IKE_QM_TUNNEL_CONTEXT","features":[18]},{"name":"FWPM_IPSEC_KEYING_CONTEXT","features":[18]},{"name":"FWPM_KEYING_MODULE_AUTHIP","features":[18]},{"name":"FWPM_KEYING_MODULE_IKE","features":[18]},{"name":"FWPM_KEYING_MODULE_IKEV2","features":[18]},{"name":"FWPM_LAYER0","features":[18]},{"name":"FWPM_LAYER_ALE_AUTH_CONNECT_V4","features":[18]},{"name":"FWPM_LAYER_ALE_AUTH_CONNECT_V4_DISCARD","features":[18]},{"name":"FWPM_LAYER_ALE_AUTH_CONNECT_V6","features":[18]},{"name":"FWPM_LAYER_ALE_AUTH_CONNECT_V6_DISCARD","features":[18]},{"name":"FWPM_LAYER_ALE_AUTH_LISTEN_V4","features":[18]},{"name":"FWPM_LAYER_ALE_AUTH_LISTEN_V4_DISCARD","features":[18]},{"name":"FWPM_LAYER_ALE_AUTH_LISTEN_V6","features":[18]},{"name":"FWPM_LAYER_ALE_AUTH_LISTEN_V6_DISCARD","features":[18]},{"name":"FWPM_LAYER_ALE_AUTH_RECV_ACCEPT_V4","features":[18]},{"name":"FWPM_LAYER_ALE_AUTH_RECV_ACCEPT_V4_DISCARD","features":[18]},{"name":"FWPM_LAYER_ALE_AUTH_RECV_ACCEPT_V6","features":[18]},{"name":"FWPM_LAYER_ALE_AUTH_RECV_ACCEPT_V6_DISCARD","features":[18]},{"name":"FWPM_LAYER_ALE_BIND_REDIRECT_V4","features":[18]},{"name":"FWPM_LAYER_ALE_BIND_REDIRECT_V6","features":[18]},{"name":"FWPM_LAYER_ALE_CONNECT_REDIRECT_V4","features":[18]},{"name":"FWPM_LAYER_ALE_CONNECT_REDIRECT_V6","features":[18]},{"name":"FWPM_LAYER_ALE_ENDPOINT_CLOSURE_V4","features":[18]},{"name":"FWPM_LAYER_ALE_ENDPOINT_CLOSURE_V6","features":[18]},{"name":"FWPM_LAYER_ALE_FLOW_ESTABLISHED_V4","features":[18]},{"name":"FWPM_LAYER_ALE_FLOW_ESTABLISHED_V4_DISCARD","features":[18]},{"name":"FWPM_LAYER_ALE_FLOW_ESTABLISHED_V6","features":[18]},{"name":"FWPM_LAYER_ALE_FLOW_ESTABLISHED_V6_DISCARD","features":[18]},{"name":"FWPM_LAYER_ALE_RESOURCE_ASSIGNMENT_V4","features":[18]},{"name":"FWPM_LAYER_ALE_RESOURCE_ASSIGNMENT_V4_DISCARD","features":[18]},{"name":"FWPM_LAYER_ALE_RESOURCE_ASSIGNMENT_V6","features":[18]},{"name":"FWPM_LAYER_ALE_RESOURCE_ASSIGNMENT_V6_DISCARD","features":[18]},{"name":"FWPM_LAYER_ALE_RESOURCE_RELEASE_V4","features":[18]},{"name":"FWPM_LAYER_ALE_RESOURCE_RELEASE_V6","features":[18]},{"name":"FWPM_LAYER_DATAGRAM_DATA_V4","features":[18]},{"name":"FWPM_LAYER_DATAGRAM_DATA_V4_DISCARD","features":[18]},{"name":"FWPM_LAYER_DATAGRAM_DATA_V6","features":[18]},{"name":"FWPM_LAYER_DATAGRAM_DATA_V6_DISCARD","features":[18]},{"name":"FWPM_LAYER_EGRESS_VSWITCH_ETHERNET","features":[18]},{"name":"FWPM_LAYER_EGRESS_VSWITCH_TRANSPORT_V4","features":[18]},{"name":"FWPM_LAYER_EGRESS_VSWITCH_TRANSPORT_V6","features":[18]},{"name":"FWPM_LAYER_ENUM_TEMPLATE0","features":[18]},{"name":"FWPM_LAYER_FLAG_BUFFERED","features":[18]},{"name":"FWPM_LAYER_FLAG_BUILTIN","features":[18]},{"name":"FWPM_LAYER_FLAG_CLASSIFY_MOSTLY","features":[18]},{"name":"FWPM_LAYER_FLAG_KERNEL","features":[18]},{"name":"FWPM_LAYER_IKEEXT_V4","features":[18]},{"name":"FWPM_LAYER_IKEEXT_V6","features":[18]},{"name":"FWPM_LAYER_INBOUND_ICMP_ERROR_V4","features":[18]},{"name":"FWPM_LAYER_INBOUND_ICMP_ERROR_V4_DISCARD","features":[18]},{"name":"FWPM_LAYER_INBOUND_ICMP_ERROR_V6","features":[18]},{"name":"FWPM_LAYER_INBOUND_ICMP_ERROR_V6_DISCARD","features":[18]},{"name":"FWPM_LAYER_INBOUND_IPPACKET_V4","features":[18]},{"name":"FWPM_LAYER_INBOUND_IPPACKET_V4_DISCARD","features":[18]},{"name":"FWPM_LAYER_INBOUND_IPPACKET_V6","features":[18]},{"name":"FWPM_LAYER_INBOUND_IPPACKET_V6_DISCARD","features":[18]},{"name":"FWPM_LAYER_INBOUND_MAC_FRAME_ETHERNET","features":[18]},{"name":"FWPM_LAYER_INBOUND_MAC_FRAME_NATIVE","features":[18]},{"name":"FWPM_LAYER_INBOUND_MAC_FRAME_NATIVE_FAST","features":[18]},{"name":"FWPM_LAYER_INBOUND_RESERVED2","features":[18]},{"name":"FWPM_LAYER_INBOUND_TRANSPORT_FAST","features":[18]},{"name":"FWPM_LAYER_INBOUND_TRANSPORT_V4","features":[18]},{"name":"FWPM_LAYER_INBOUND_TRANSPORT_V4_DISCARD","features":[18]},{"name":"FWPM_LAYER_INBOUND_TRANSPORT_V6","features":[18]},{"name":"FWPM_LAYER_INBOUND_TRANSPORT_V6_DISCARD","features":[18]},{"name":"FWPM_LAYER_INGRESS_VSWITCH_ETHERNET","features":[18]},{"name":"FWPM_LAYER_INGRESS_VSWITCH_TRANSPORT_V4","features":[18]},{"name":"FWPM_LAYER_INGRESS_VSWITCH_TRANSPORT_V6","features":[18]},{"name":"FWPM_LAYER_IPFORWARD_V4","features":[18]},{"name":"FWPM_LAYER_IPFORWARD_V4_DISCARD","features":[18]},{"name":"FWPM_LAYER_IPFORWARD_V6","features":[18]},{"name":"FWPM_LAYER_IPFORWARD_V6_DISCARD","features":[18]},{"name":"FWPM_LAYER_IPSEC_KM_DEMUX_V4","features":[18]},{"name":"FWPM_LAYER_IPSEC_KM_DEMUX_V6","features":[18]},{"name":"FWPM_LAYER_IPSEC_V4","features":[18]},{"name":"FWPM_LAYER_IPSEC_V6","features":[18]},{"name":"FWPM_LAYER_KM_AUTHORIZATION","features":[18]},{"name":"FWPM_LAYER_NAME_RESOLUTION_CACHE_V4","features":[18]},{"name":"FWPM_LAYER_NAME_RESOLUTION_CACHE_V6","features":[18]},{"name":"FWPM_LAYER_OUTBOUND_ICMP_ERROR_V4","features":[18]},{"name":"FWPM_LAYER_OUTBOUND_ICMP_ERROR_V4_DISCARD","features":[18]},{"name":"FWPM_LAYER_OUTBOUND_ICMP_ERROR_V6","features":[18]},{"name":"FWPM_LAYER_OUTBOUND_ICMP_ERROR_V6_DISCARD","features":[18]},{"name":"FWPM_LAYER_OUTBOUND_IPPACKET_V4","features":[18]},{"name":"FWPM_LAYER_OUTBOUND_IPPACKET_V4_DISCARD","features":[18]},{"name":"FWPM_LAYER_OUTBOUND_IPPACKET_V6","features":[18]},{"name":"FWPM_LAYER_OUTBOUND_IPPACKET_V6_DISCARD","features":[18]},{"name":"FWPM_LAYER_OUTBOUND_MAC_FRAME_ETHERNET","features":[18]},{"name":"FWPM_LAYER_OUTBOUND_MAC_FRAME_NATIVE","features":[18]},{"name":"FWPM_LAYER_OUTBOUND_MAC_FRAME_NATIVE_FAST","features":[18]},{"name":"FWPM_LAYER_OUTBOUND_NETWORK_CONNECTION_POLICY_V4","features":[18]},{"name":"FWPM_LAYER_OUTBOUND_NETWORK_CONNECTION_POLICY_V6","features":[18]},{"name":"FWPM_LAYER_OUTBOUND_TRANSPORT_FAST","features":[18]},{"name":"FWPM_LAYER_OUTBOUND_TRANSPORT_V4","features":[18]},{"name":"FWPM_LAYER_OUTBOUND_TRANSPORT_V4_DISCARD","features":[18]},{"name":"FWPM_LAYER_OUTBOUND_TRANSPORT_V6","features":[18]},{"name":"FWPM_LAYER_OUTBOUND_TRANSPORT_V6_DISCARD","features":[18]},{"name":"FWPM_LAYER_RPC_EPMAP","features":[18]},{"name":"FWPM_LAYER_RPC_EP_ADD","features":[18]},{"name":"FWPM_LAYER_RPC_PROXY_CONN","features":[18]},{"name":"FWPM_LAYER_RPC_PROXY_IF","features":[18]},{"name":"FWPM_LAYER_RPC_UM","features":[18]},{"name":"FWPM_LAYER_STATISTICS0","features":[18]},{"name":"FWPM_LAYER_STREAM_PACKET_V4","features":[18]},{"name":"FWPM_LAYER_STREAM_PACKET_V6","features":[18]},{"name":"FWPM_LAYER_STREAM_V4","features":[18]},{"name":"FWPM_LAYER_STREAM_V4_DISCARD","features":[18]},{"name":"FWPM_LAYER_STREAM_V6","features":[18]},{"name":"FWPM_LAYER_STREAM_V6_DISCARD","features":[18]},{"name":"FWPM_NETWORK_CONNECTION_POLICY_CONTEXT","features":[18]},{"name":"FWPM_NETWORK_CONNECTION_POLICY_SETTING0","features":[1,18,4]},{"name":"FWPM_NETWORK_CONNECTION_POLICY_SETTINGS0","features":[1,18,4]},{"name":"FWPM_NET_EVENT0","features":[1,18,4]},{"name":"FWPM_NET_EVENT1","features":[1,18,4]},{"name":"FWPM_NET_EVENT2","features":[1,18,4]},{"name":"FWPM_NET_EVENT3","features":[1,18,4]},{"name":"FWPM_NET_EVENT4","features":[1,18,4]},{"name":"FWPM_NET_EVENT5","features":[1,18,4]},{"name":"FWPM_NET_EVENT_CALLBACK0","features":[1,18,4]},{"name":"FWPM_NET_EVENT_CALLBACK1","features":[1,18,4]},{"name":"FWPM_NET_EVENT_CALLBACK2","features":[1,18,4]},{"name":"FWPM_NET_EVENT_CALLBACK3","features":[1,18,4]},{"name":"FWPM_NET_EVENT_CALLBACK4","features":[1,18,4]},{"name":"FWPM_NET_EVENT_CAPABILITY_ALLOW0","features":[1,18]},{"name":"FWPM_NET_EVENT_CAPABILITY_DROP0","features":[1,18]},{"name":"FWPM_NET_EVENT_CLASSIFY_ALLOW0","features":[1,18]},{"name":"FWPM_NET_EVENT_CLASSIFY_DROP0","features":[18]},{"name":"FWPM_NET_EVENT_CLASSIFY_DROP1","features":[1,18]},{"name":"FWPM_NET_EVENT_CLASSIFY_DROP2","features":[1,18]},{"name":"FWPM_NET_EVENT_CLASSIFY_DROP_MAC0","features":[1,18]},{"name":"FWPM_NET_EVENT_ENUM_TEMPLATE0","features":[1,18,4]},{"name":"FWPM_NET_EVENT_FLAG_APP_ID_SET","features":[18]},{"name":"FWPM_NET_EVENT_FLAG_EFFECTIVE_NAME_SET","features":[18]},{"name":"FWPM_NET_EVENT_FLAG_ENTERPRISE_ID_SET","features":[18]},{"name":"FWPM_NET_EVENT_FLAG_IP_PROTOCOL_SET","features":[18]},{"name":"FWPM_NET_EVENT_FLAG_IP_VERSION_SET","features":[18]},{"name":"FWPM_NET_EVENT_FLAG_LOCAL_ADDR_SET","features":[18]},{"name":"FWPM_NET_EVENT_FLAG_LOCAL_PORT_SET","features":[18]},{"name":"FWPM_NET_EVENT_FLAG_PACKAGE_ID_SET","features":[18]},{"name":"FWPM_NET_EVENT_FLAG_POLICY_FLAGS_SET","features":[18]},{"name":"FWPM_NET_EVENT_FLAG_REAUTH_REASON_SET","features":[18]},{"name":"FWPM_NET_EVENT_FLAG_REMOTE_ADDR_SET","features":[18]},{"name":"FWPM_NET_EVENT_FLAG_REMOTE_PORT_SET","features":[18]},{"name":"FWPM_NET_EVENT_FLAG_SCOPE_ID_SET","features":[18]},{"name":"FWPM_NET_EVENT_FLAG_USER_ID_SET","features":[18]},{"name":"FWPM_NET_EVENT_HEADER0","features":[1,18,4]},{"name":"FWPM_NET_EVENT_HEADER1","features":[1,18,4]},{"name":"FWPM_NET_EVENT_HEADER2","features":[1,18,4]},{"name":"FWPM_NET_EVENT_HEADER3","features":[1,18,4]},{"name":"FWPM_NET_EVENT_IKEEXT_EM_FAILURE0","features":[18]},{"name":"FWPM_NET_EVENT_IKEEXT_EM_FAILURE1","features":[18]},{"name":"FWPM_NET_EVENT_IKEEXT_EM_FAILURE_FLAG_BENIGN","features":[18]},{"name":"FWPM_NET_EVENT_IKEEXT_EM_FAILURE_FLAG_MULTIPLE","features":[18]},{"name":"FWPM_NET_EVENT_IKEEXT_MM_FAILURE0","features":[18]},{"name":"FWPM_NET_EVENT_IKEEXT_MM_FAILURE1","features":[18]},{"name":"FWPM_NET_EVENT_IKEEXT_MM_FAILURE2","features":[18]},{"name":"FWPM_NET_EVENT_IKEEXT_MM_FAILURE_FLAG_BENIGN","features":[18]},{"name":"FWPM_NET_EVENT_IKEEXT_MM_FAILURE_FLAG_MULTIPLE","features":[18]},{"name":"FWPM_NET_EVENT_IKEEXT_QM_FAILURE0","features":[1,18,4]},{"name":"FWPM_NET_EVENT_IKEEXT_QM_FAILURE1","features":[1,18,4]},{"name":"FWPM_NET_EVENT_IPSEC_DOSP_DROP0","features":[18]},{"name":"FWPM_NET_EVENT_IPSEC_KERNEL_DROP0","features":[18]},{"name":"FWPM_NET_EVENT_KEYWORD_CAPABILITY_ALLOW","features":[18]},{"name":"FWPM_NET_EVENT_KEYWORD_CAPABILITY_DROP","features":[18]},{"name":"FWPM_NET_EVENT_KEYWORD_CLASSIFY_ALLOW","features":[18]},{"name":"FWPM_NET_EVENT_KEYWORD_INBOUND_BCAST","features":[18]},{"name":"FWPM_NET_EVENT_KEYWORD_INBOUND_MCAST","features":[18]},{"name":"FWPM_NET_EVENT_KEYWORD_PORT_SCANNING_DROP","features":[18]},{"name":"FWPM_NET_EVENT_LPM_PACKET_ARRIVAL0","features":[18]},{"name":"FWPM_NET_EVENT_SUBSCRIPTION0","features":[1,18,4]},{"name":"FWPM_NET_EVENT_TYPE","features":[18]},{"name":"FWPM_NET_EVENT_TYPE_CAPABILITY_ALLOW","features":[18]},{"name":"FWPM_NET_EVENT_TYPE_CAPABILITY_DROP","features":[18]},{"name":"FWPM_NET_EVENT_TYPE_CLASSIFY_ALLOW","features":[18]},{"name":"FWPM_NET_EVENT_TYPE_CLASSIFY_DROP","features":[18]},{"name":"FWPM_NET_EVENT_TYPE_CLASSIFY_DROP_MAC","features":[18]},{"name":"FWPM_NET_EVENT_TYPE_IKEEXT_EM_FAILURE","features":[18]},{"name":"FWPM_NET_EVENT_TYPE_IKEEXT_MM_FAILURE","features":[18]},{"name":"FWPM_NET_EVENT_TYPE_IKEEXT_QM_FAILURE","features":[18]},{"name":"FWPM_NET_EVENT_TYPE_IPSEC_DOSP_DROP","features":[18]},{"name":"FWPM_NET_EVENT_TYPE_IPSEC_KERNEL_DROP","features":[18]},{"name":"FWPM_NET_EVENT_TYPE_LPM_PACKET_ARRIVAL","features":[18]},{"name":"FWPM_NET_EVENT_TYPE_MAX","features":[18]},{"name":"FWPM_PROVIDER0","features":[18]},{"name":"FWPM_PROVIDER_CHANGE0","features":[18]},{"name":"FWPM_PROVIDER_CHANGE_CALLBACK0","features":[18]},{"name":"FWPM_PROVIDER_CONTEXT0","features":[1,18,4]},{"name":"FWPM_PROVIDER_CONTEXT1","features":[1,18,4]},{"name":"FWPM_PROVIDER_CONTEXT2","features":[1,18,4]},{"name":"FWPM_PROVIDER_CONTEXT3","features":[1,18,4]},{"name":"FWPM_PROVIDER_CONTEXT_CHANGE0","features":[18]},{"name":"FWPM_PROVIDER_CONTEXT_CHANGE_CALLBACK0","features":[18]},{"name":"FWPM_PROVIDER_CONTEXT_ENUM_TEMPLATE0","features":[18]},{"name":"FWPM_PROVIDER_CONTEXT_FLAG_DOWNLEVEL","features":[18]},{"name":"FWPM_PROVIDER_CONTEXT_FLAG_PERSISTENT","features":[18]},{"name":"FWPM_PROVIDER_CONTEXT_SECURE_SOCKET_AUTHIP","features":[18]},{"name":"FWPM_PROVIDER_CONTEXT_SECURE_SOCKET_IPSEC","features":[18]},{"name":"FWPM_PROVIDER_CONTEXT_SUBSCRIPTION0","features":[18]},{"name":"FWPM_PROVIDER_CONTEXT_TYPE","features":[18]},{"name":"FWPM_PROVIDER_CONTEXT_TYPE_MAX","features":[18]},{"name":"FWPM_PROVIDER_ENUM_TEMPLATE0","features":[18]},{"name":"FWPM_PROVIDER_FLAG_DISABLED","features":[18]},{"name":"FWPM_PROVIDER_FLAG_PERSISTENT","features":[18]},{"name":"FWPM_PROVIDER_IKEEXT","features":[18]},{"name":"FWPM_PROVIDER_IPSEC_DOSP_CONFIG","features":[18]},{"name":"FWPM_PROVIDER_MPSSVC_APP_ISOLATION","features":[18]},{"name":"FWPM_PROVIDER_MPSSVC_EDP","features":[18]},{"name":"FWPM_PROVIDER_MPSSVC_TENANT_RESTRICTIONS","features":[18]},{"name":"FWPM_PROVIDER_MPSSVC_WF","features":[18]},{"name":"FWPM_PROVIDER_MPSSVC_WSH","features":[18]},{"name":"FWPM_PROVIDER_SUBSCRIPTION0","features":[18]},{"name":"FWPM_PROVIDER_TCP_CHIMNEY_OFFLOAD","features":[18]},{"name":"FWPM_PROVIDER_TCP_TEMPLATES","features":[18]},{"name":"FWPM_SERVICE_RUNNING","features":[18]},{"name":"FWPM_SERVICE_START_PENDING","features":[18]},{"name":"FWPM_SERVICE_STATE","features":[18]},{"name":"FWPM_SERVICE_STATE_MAX","features":[18]},{"name":"FWPM_SERVICE_STOPPED","features":[18]},{"name":"FWPM_SERVICE_STOP_PENDING","features":[18]},{"name":"FWPM_SESSION0","features":[1,18,4]},{"name":"FWPM_SESSION_ENUM_TEMPLATE0","features":[18]},{"name":"FWPM_SESSION_FLAG_DYNAMIC","features":[18]},{"name":"FWPM_SESSION_FLAG_RESERVED","features":[18]},{"name":"FWPM_STATISTICS0","features":[18]},{"name":"FWPM_SUBLAYER0","features":[18]},{"name":"FWPM_SUBLAYER_CHANGE0","features":[18]},{"name":"FWPM_SUBLAYER_CHANGE_CALLBACK0","features":[18]},{"name":"FWPM_SUBLAYER_ENUM_TEMPLATE0","features":[18]},{"name":"FWPM_SUBLAYER_FLAG_PERSISTENT","features":[18]},{"name":"FWPM_SUBLAYER_INSPECTION","features":[18]},{"name":"FWPM_SUBLAYER_IPSEC_DOSP","features":[18]},{"name":"FWPM_SUBLAYER_IPSEC_FORWARD_OUTBOUND_TUNNEL","features":[18]},{"name":"FWPM_SUBLAYER_IPSEC_SECURITY_REALM","features":[18]},{"name":"FWPM_SUBLAYER_IPSEC_TUNNEL","features":[18]},{"name":"FWPM_SUBLAYER_LIPS","features":[18]},{"name":"FWPM_SUBLAYER_MPSSVC_APP_ISOLATION","features":[18]},{"name":"FWPM_SUBLAYER_MPSSVC_EDP","features":[18]},{"name":"FWPM_SUBLAYER_MPSSVC_QUARANTINE","features":[18]},{"name":"FWPM_SUBLAYER_MPSSVC_TENANT_RESTRICTIONS","features":[18]},{"name":"FWPM_SUBLAYER_MPSSVC_WF","features":[18]},{"name":"FWPM_SUBLAYER_MPSSVC_WSH","features":[18]},{"name":"FWPM_SUBLAYER_RPC_AUDIT","features":[18]},{"name":"FWPM_SUBLAYER_SECURE_SOCKET","features":[18]},{"name":"FWPM_SUBLAYER_SUBSCRIPTION0","features":[18]},{"name":"FWPM_SUBLAYER_TCP_CHIMNEY_OFFLOAD","features":[18]},{"name":"FWPM_SUBLAYER_TCP_TEMPLATES","features":[18]},{"name":"FWPM_SUBLAYER_TEREDO","features":[18]},{"name":"FWPM_SUBLAYER_UNIVERSAL","features":[18]},{"name":"FWPM_SUBSCRIPTION_FLAGS","features":[18]},{"name":"FWPM_SUBSCRIPTION_FLAG_NOTIFY_ON_ADD","features":[18]},{"name":"FWPM_SUBSCRIPTION_FLAG_NOTIFY_ON_DELETE","features":[18]},{"name":"FWPM_SYSTEM_PORTS0","features":[18]},{"name":"FWPM_SYSTEM_PORTS_BY_TYPE0","features":[18]},{"name":"FWPM_SYSTEM_PORTS_CALLBACK0","features":[18]},{"name":"FWPM_SYSTEM_PORT_IPHTTPS_IN","features":[18]},{"name":"FWPM_SYSTEM_PORT_IPHTTPS_OUT","features":[18]},{"name":"FWPM_SYSTEM_PORT_RPC_EPMAP","features":[18]},{"name":"FWPM_SYSTEM_PORT_TEREDO","features":[18]},{"name":"FWPM_SYSTEM_PORT_TYPE","features":[18]},{"name":"FWPM_SYSTEM_PORT_TYPE_MAX","features":[18]},{"name":"FWPM_TUNNEL_FLAG_ENABLE_VIRTUAL_IF_TUNNELING","features":[18]},{"name":"FWPM_TUNNEL_FLAG_POINT_TO_POINT","features":[18]},{"name":"FWPM_TUNNEL_FLAG_RESERVED0","features":[18]},{"name":"FWPM_TXN_READ_ONLY","features":[18]},{"name":"FWPM_VSWITCH_EVENT0","features":[1,18]},{"name":"FWPM_VSWITCH_EVENT_CALLBACK0","features":[1,18]},{"name":"FWPM_VSWITCH_EVENT_DISABLED_FOR_INSPECTION","features":[18]},{"name":"FWPM_VSWITCH_EVENT_ENABLED_FOR_INSPECTION","features":[18]},{"name":"FWPM_VSWITCH_EVENT_FILTER_ADD_TO_INCOMPLETE_LAYER","features":[18]},{"name":"FWPM_VSWITCH_EVENT_FILTER_ENGINE_NOT_IN_REQUIRED_POSITION","features":[18]},{"name":"FWPM_VSWITCH_EVENT_FILTER_ENGINE_REORDER","features":[18]},{"name":"FWPM_VSWITCH_EVENT_MAX","features":[18]},{"name":"FWPM_VSWITCH_EVENT_SUBSCRIPTION0","features":[18]},{"name":"FWPM_VSWITCH_EVENT_TYPE","features":[18]},{"name":"FWPM_WEIGHT_RANGE_IKE_EXEMPTIONS","features":[18]},{"name":"FWPM_WEIGHT_RANGE_IPSEC","features":[18]},{"name":"FWPS_ALE_ENDPOINT_FLAG_IPSEC_SECURED","features":[18]},{"name":"FWPS_CLASSIFY_OUT_FLAG_ABSORB","features":[18]},{"name":"FWPS_CLASSIFY_OUT_FLAG_ALE_FAST_CACHE_CHECK","features":[18]},{"name":"FWPS_CLASSIFY_OUT_FLAG_ALE_FAST_CACHE_POSSIBLE","features":[18]},{"name":"FWPS_CLASSIFY_OUT_FLAG_BUFFER_LIMIT_REACHED","features":[18]},{"name":"FWPS_CLASSIFY_OUT_FLAG_NO_MORE_DATA","features":[18]},{"name":"FWPS_FILTER_FLAG_CLEAR_ACTION_RIGHT","features":[18]},{"name":"FWPS_FILTER_FLAG_HAS_SECURITY_REALM_PROVIDER_CONTEXT","features":[18]},{"name":"FWPS_FILTER_FLAG_IPSEC_NO_ACQUIRE_INITIATE","features":[18]},{"name":"FWPS_FILTER_FLAG_OR_CONDITIONS","features":[18]},{"name":"FWPS_FILTER_FLAG_PERMIT_IF_CALLOUT_UNREGISTERED","features":[18]},{"name":"FWPS_FILTER_FLAG_RESERVED0","features":[18]},{"name":"FWPS_FILTER_FLAG_RESERVED1","features":[18]},{"name":"FWPS_FILTER_FLAG_SILENT_MODE","features":[18]},{"name":"FWPS_INCOMING_FLAG_ABSORB","features":[18]},{"name":"FWPS_INCOMING_FLAG_CACHE_SAFE","features":[18]},{"name":"FWPS_INCOMING_FLAG_CONNECTION_FAILING_INDICATION","features":[18]},{"name":"FWPS_INCOMING_FLAG_ENFORCE_QUERY","features":[18]},{"name":"FWPS_INCOMING_FLAG_IS_LOCAL_ONLY_FLOW","features":[18]},{"name":"FWPS_INCOMING_FLAG_IS_LOOSE_SOURCE_FLOW","features":[18]},{"name":"FWPS_INCOMING_FLAG_MID_STREAM_INSPECTION","features":[18]},{"name":"FWPS_INCOMING_FLAG_RECLASSIFY","features":[18]},{"name":"FWPS_INCOMING_FLAG_RESERVED0","features":[18]},{"name":"FWPS_L2_INCOMING_FLAG_IS_RAW_IPV4_FRAMING","features":[18]},{"name":"FWPS_L2_INCOMING_FLAG_IS_RAW_IPV6_FRAMING","features":[18]},{"name":"FWPS_L2_INCOMING_FLAG_RECLASSIFY_MULTI_DESTINATION","features":[18]},{"name":"FWPS_L2_METADATA_FIELD_ETHERNET_MAC_HEADER_SIZE","features":[18]},{"name":"FWPS_L2_METADATA_FIELD_RESERVED","features":[18]},{"name":"FWPS_L2_METADATA_FIELD_VSWITCH_DESTINATION_PORT_ID","features":[18]},{"name":"FWPS_L2_METADATA_FIELD_VSWITCH_PACKET_CONTEXT","features":[18]},{"name":"FWPS_L2_METADATA_FIELD_VSWITCH_SOURCE_NIC_INDEX","features":[18]},{"name":"FWPS_L2_METADATA_FIELD_VSWITCH_SOURCE_PORT_ID","features":[18]},{"name":"FWPS_L2_METADATA_FIELD_WIFI_OPERATION_MODE","features":[18]},{"name":"FWPS_METADATA_FIELD_ALE_CLASSIFY_REQUIRED","features":[18]},{"name":"FWPS_METADATA_FIELD_COMPARTMENT_ID","features":[18]},{"name":"FWPS_METADATA_FIELD_COMPLETION_HANDLE","features":[18]},{"name":"FWPS_METADATA_FIELD_DESTINATION_INTERFACE_INDEX","features":[18]},{"name":"FWPS_METADATA_FIELD_DESTINATION_PREFIX","features":[18]},{"name":"FWPS_METADATA_FIELD_DISCARD_REASON","features":[18]},{"name":"FWPS_METADATA_FIELD_ETHER_FRAME_LENGTH","features":[18]},{"name":"FWPS_METADATA_FIELD_FLOW_HANDLE","features":[18]},{"name":"FWPS_METADATA_FIELD_FORWARD_LAYER_INBOUND_PASS_THRU","features":[18]},{"name":"FWPS_METADATA_FIELD_FORWARD_LAYER_OUTBOUND_PASS_THRU","features":[18]},{"name":"FWPS_METADATA_FIELD_FRAGMENT_DATA","features":[18]},{"name":"FWPS_METADATA_FIELD_ICMP_ID_AND_SEQUENCE","features":[18]},{"name":"FWPS_METADATA_FIELD_IP_HEADER_SIZE","features":[18]},{"name":"FWPS_METADATA_FIELD_LOCAL_REDIRECT_TARGET_PID","features":[18]},{"name":"FWPS_METADATA_FIELD_ORIGINAL_DESTINATION","features":[18]},{"name":"FWPS_METADATA_FIELD_PACKET_DIRECTION","features":[18]},{"name":"FWPS_METADATA_FIELD_PACKET_SYSTEM_CRITICAL","features":[18]},{"name":"FWPS_METADATA_FIELD_PARENT_ENDPOINT_HANDLE","features":[18]},{"name":"FWPS_METADATA_FIELD_PATH_MTU","features":[18]},{"name":"FWPS_METADATA_FIELD_PROCESS_ID","features":[18]},{"name":"FWPS_METADATA_FIELD_PROCESS_PATH","features":[18]},{"name":"FWPS_METADATA_FIELD_REDIRECT_RECORD_HANDLE","features":[18]},{"name":"FWPS_METADATA_FIELD_REMOTE_SCOPE_ID","features":[18]},{"name":"FWPS_METADATA_FIELD_RESERVED","features":[18]},{"name":"FWPS_METADATA_FIELD_SOURCE_INTERFACE_INDEX","features":[18]},{"name":"FWPS_METADATA_FIELD_SUB_PROCESS_TAG","features":[18]},{"name":"FWPS_METADATA_FIELD_SYSTEM_FLAGS","features":[18]},{"name":"FWPS_METADATA_FIELD_TOKEN","features":[18]},{"name":"FWPS_METADATA_FIELD_TRANSPORT_CONTROL_DATA","features":[18]},{"name":"FWPS_METADATA_FIELD_TRANSPORT_ENDPOINT_HANDLE","features":[18]},{"name":"FWPS_METADATA_FIELD_TRANSPORT_HEADER_INCLUDE_HEADER","features":[18]},{"name":"FWPS_METADATA_FIELD_TRANSPORT_HEADER_SIZE","features":[18]},{"name":"FWPS_RIGHT_ACTION_WRITE","features":[18]},{"name":"FWP_ACTION_BLOCK","features":[18]},{"name":"FWP_ACTION_CALLOUT_INSPECTION","features":[18]},{"name":"FWP_ACTION_CALLOUT_TERMINATING","features":[18]},{"name":"FWP_ACTION_CALLOUT_UNKNOWN","features":[18]},{"name":"FWP_ACTION_CONTINUE","features":[18]},{"name":"FWP_ACTION_FLAG_CALLOUT","features":[18]},{"name":"FWP_ACTION_FLAG_NON_TERMINATING","features":[18]},{"name":"FWP_ACTION_FLAG_TERMINATING","features":[18]},{"name":"FWP_ACTION_NONE","features":[18]},{"name":"FWP_ACTION_NONE_NO_MATCH","features":[18]},{"name":"FWP_ACTION_PERMIT","features":[18]},{"name":"FWP_ACTION_TYPE","features":[18]},{"name":"FWP_ACTRL_MATCH_FILTER","features":[18]},{"name":"FWP_AF","features":[18]},{"name":"FWP_AF_ETHER","features":[18]},{"name":"FWP_AF_INET","features":[18]},{"name":"FWP_AF_INET6","features":[18]},{"name":"FWP_AF_NONE","features":[18]},{"name":"FWP_BYTEMAP_ARRAY64_SIZE","features":[18]},{"name":"FWP_BYTE_ARRAY16","features":[18]},{"name":"FWP_BYTE_ARRAY16_TYPE","features":[18]},{"name":"FWP_BYTE_ARRAY6","features":[18]},{"name":"FWP_BYTE_ARRAY6_SIZE","features":[18]},{"name":"FWP_BYTE_ARRAY6_TYPE","features":[18]},{"name":"FWP_BYTE_BLOB","features":[18]},{"name":"FWP_BYTE_BLOB_TYPE","features":[18]},{"name":"FWP_CALLOUT_FLAG_ALLOW_L2_BATCH_CLASSIFY","features":[18]},{"name":"FWP_CALLOUT_FLAG_ALLOW_MID_STREAM_INSPECTION","features":[18]},{"name":"FWP_CALLOUT_FLAG_ALLOW_OFFLOAD","features":[18]},{"name":"FWP_CALLOUT_FLAG_ALLOW_RECLASSIFY","features":[18]},{"name":"FWP_CALLOUT_FLAG_ALLOW_RSC","features":[18]},{"name":"FWP_CALLOUT_FLAG_ALLOW_URO","features":[18]},{"name":"FWP_CALLOUT_FLAG_ALLOW_USO","features":[18]},{"name":"FWP_CALLOUT_FLAG_CONDITIONAL_ON_FLOW","features":[18]},{"name":"FWP_CALLOUT_FLAG_ENABLE_COMMIT_ADD_NOTIFY","features":[18]},{"name":"FWP_CALLOUT_FLAG_RESERVED1","features":[18]},{"name":"FWP_CALLOUT_FLAG_RESERVED2","features":[18]},{"name":"FWP_CLASSIFY_OPTION_LOCAL_ONLY_MAPPING","features":[18]},{"name":"FWP_CLASSIFY_OPTION_LOOSE_SOURCE_MAPPING","features":[18]},{"name":"FWP_CLASSIFY_OPTION_MAX","features":[18]},{"name":"FWP_CLASSIFY_OPTION_MCAST_BCAST_LIFETIME","features":[18]},{"name":"FWP_CLASSIFY_OPTION_MULTICAST_STATE","features":[18]},{"name":"FWP_CLASSIFY_OPTION_SECURE_SOCKET_AUTHIP_MM_POLICY_KEY","features":[18]},{"name":"FWP_CLASSIFY_OPTION_SECURE_SOCKET_AUTHIP_QM_POLICY_KEY","features":[18]},{"name":"FWP_CLASSIFY_OPTION_SECURE_SOCKET_SECURITY_FLAGS","features":[18]},{"name":"FWP_CLASSIFY_OPTION_TYPE","features":[18]},{"name":"FWP_CLASSIFY_OPTION_UNICAST_LIFETIME","features":[18]},{"name":"FWP_CONDITION_FLAG_IS_APPCONTAINER_LOOPBACK","features":[18]},{"name":"FWP_CONDITION_FLAG_IS_AUTH_FW","features":[18]},{"name":"FWP_CONDITION_FLAG_IS_CONNECTION_REDIRECTED","features":[18]},{"name":"FWP_CONDITION_FLAG_IS_FRAGMENT","features":[18]},{"name":"FWP_CONDITION_FLAG_IS_FRAGMENT_GROUP","features":[18]},{"name":"FWP_CONDITION_FLAG_IS_HONORING_POLICY_AUTHORIZE","features":[18]},{"name":"FWP_CONDITION_FLAG_IS_IMPLICIT_BIND","features":[18]},{"name":"FWP_CONDITION_FLAG_IS_INBOUND_PASS_THRU","features":[18]},{"name":"FWP_CONDITION_FLAG_IS_IPSEC_NATT_RECLASSIFY","features":[18]},{"name":"FWP_CONDITION_FLAG_IS_IPSEC_SECURED","features":[18]},{"name":"FWP_CONDITION_FLAG_IS_LOOPBACK","features":[18]},{"name":"FWP_CONDITION_FLAG_IS_NAME_APP_SPECIFIED","features":[18]},{"name":"FWP_CONDITION_FLAG_IS_NON_APPCONTAINER_LOOPBACK","features":[18]},{"name":"FWP_CONDITION_FLAG_IS_OUTBOUND_PASS_THRU","features":[18]},{"name":"FWP_CONDITION_FLAG_IS_PROMISCUOUS","features":[18]},{"name":"FWP_CONDITION_FLAG_IS_PROXY_CONNECTION","features":[18]},{"name":"FWP_CONDITION_FLAG_IS_RAW_ENDPOINT","features":[18]},{"name":"FWP_CONDITION_FLAG_IS_REASSEMBLED","features":[18]},{"name":"FWP_CONDITION_FLAG_IS_REAUTHORIZE","features":[18]},{"name":"FWP_CONDITION_FLAG_IS_RECLASSIFY","features":[18]},{"name":"FWP_CONDITION_FLAG_IS_RESERVED","features":[18]},{"name":"FWP_CONDITION_FLAG_IS_WILDCARD_BIND","features":[18]},{"name":"FWP_CONDITION_FLAG_REQUIRES_ALE_CLASSIFY","features":[18]},{"name":"FWP_CONDITION_L2_IF_CONNECTOR_PRESENT","features":[18]},{"name":"FWP_CONDITION_L2_IS_IP_FRAGMENT_GROUP","features":[18]},{"name":"FWP_CONDITION_L2_IS_MALFORMED_PACKET","features":[18]},{"name":"FWP_CONDITION_L2_IS_MOBILE_BROADBAND","features":[18]},{"name":"FWP_CONDITION_L2_IS_NATIVE_ETHERNET","features":[18]},{"name":"FWP_CONDITION_L2_IS_VM2VM","features":[18]},{"name":"FWP_CONDITION_L2_IS_WIFI","features":[18]},{"name":"FWP_CONDITION_L2_IS_WIFI_DIRECT_DATA","features":[18]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_CHECK_OFFLOAD","features":[18]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_CLASSIFY_COMPLETION","features":[18]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_EDP_POLICY_CHANGED","features":[18]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_IPSEC_PROPERTIES_CHANGED","features":[18]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_MID_STREAM_INSPECTION","features":[18]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_NEW_ARRIVAL_INTERFACE","features":[18]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_NEW_INBOUND_MCAST_BCAST_PACKET","features":[18]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_NEW_NEXTHOP_INTERFACE","features":[18]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_POLICY_CHANGE","features":[18]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_PROFILE_CROSSING","features":[18]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_PROXY_HANDLE_CHANGED","features":[18]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_SOCKET_PROPERTY_CHANGED","features":[18]},{"name":"FWP_CONDITION_SOCKET_PROPERTY_FLAG_ALLOW_EDGE_TRAFFIC","features":[18]},{"name":"FWP_CONDITION_SOCKET_PROPERTY_FLAG_DENY_EDGE_TRAFFIC","features":[18]},{"name":"FWP_CONDITION_SOCKET_PROPERTY_FLAG_IS_SYSTEM_PORT_RPC","features":[18]},{"name":"FWP_CONDITION_VALUE0","features":[1,18,4]},{"name":"FWP_DATA_TYPE","features":[18]},{"name":"FWP_DATA_TYPE_MAX","features":[18]},{"name":"FWP_DIRECTION","features":[18]},{"name":"FWP_DIRECTION_INBOUND","features":[18]},{"name":"FWP_DIRECTION_MAX","features":[18]},{"name":"FWP_DIRECTION_OUTBOUND","features":[18]},{"name":"FWP_DOUBLE","features":[18]},{"name":"FWP_EMPTY","features":[18]},{"name":"FWP_ETHER_ENCAP_METHOD","features":[18]},{"name":"FWP_ETHER_ENCAP_METHOD_ETHER_V2","features":[18]},{"name":"FWP_ETHER_ENCAP_METHOD_SNAP","features":[18]},{"name":"FWP_ETHER_ENCAP_METHOD_SNAP_W_OUI_ZERO","features":[18]},{"name":"FWP_FILTER_ENUM_FLAG_BEST_TERMINATING_MATCH","features":[18]},{"name":"FWP_FILTER_ENUM_FLAG_BOOTTIME_ONLY","features":[18]},{"name":"FWP_FILTER_ENUM_FLAG_INCLUDE_BOOTTIME","features":[18]},{"name":"FWP_FILTER_ENUM_FLAG_INCLUDE_DISABLED","features":[18]},{"name":"FWP_FILTER_ENUM_FLAG_RESERVED1","features":[18]},{"name":"FWP_FILTER_ENUM_FLAG_SORTED","features":[18]},{"name":"FWP_FILTER_ENUM_FULLY_CONTAINED","features":[18]},{"name":"FWP_FILTER_ENUM_OVERLAPPING","features":[18]},{"name":"FWP_FILTER_ENUM_TYPE","features":[18]},{"name":"FWP_FILTER_ENUM_TYPE_MAX","features":[18]},{"name":"FWP_FLOAT","features":[18]},{"name":"FWP_INT16","features":[18]},{"name":"FWP_INT32","features":[18]},{"name":"FWP_INT64","features":[18]},{"name":"FWP_INT8","features":[18]},{"name":"FWP_IP_VERSION","features":[18]},{"name":"FWP_IP_VERSION_MAX","features":[18]},{"name":"FWP_IP_VERSION_NONE","features":[18]},{"name":"FWP_IP_VERSION_V4","features":[18]},{"name":"FWP_IP_VERSION_V6","features":[18]},{"name":"FWP_MATCH_EQUAL","features":[18]},{"name":"FWP_MATCH_EQUAL_CASE_INSENSITIVE","features":[18]},{"name":"FWP_MATCH_FLAGS_ALL_SET","features":[18]},{"name":"FWP_MATCH_FLAGS_ANY_SET","features":[18]},{"name":"FWP_MATCH_FLAGS_NONE_SET","features":[18]},{"name":"FWP_MATCH_GREATER","features":[18]},{"name":"FWP_MATCH_GREATER_OR_EQUAL","features":[18]},{"name":"FWP_MATCH_LESS","features":[18]},{"name":"FWP_MATCH_LESS_OR_EQUAL","features":[18]},{"name":"FWP_MATCH_NOT_EQUAL","features":[18]},{"name":"FWP_MATCH_NOT_PREFIX","features":[18]},{"name":"FWP_MATCH_PREFIX","features":[18]},{"name":"FWP_MATCH_RANGE","features":[18]},{"name":"FWP_MATCH_TYPE","features":[18]},{"name":"FWP_MATCH_TYPE_MAX","features":[18]},{"name":"FWP_NETWORK_CONNECTION_POLICY_MAX","features":[18]},{"name":"FWP_NETWORK_CONNECTION_POLICY_NEXT_HOP","features":[18]},{"name":"FWP_NETWORK_CONNECTION_POLICY_NEXT_HOP_INTERFACE","features":[18]},{"name":"FWP_NETWORK_CONNECTION_POLICY_SETTING_TYPE","features":[18]},{"name":"FWP_NETWORK_CONNECTION_POLICY_SOURCE_ADDRESS","features":[18]},{"name":"FWP_OPTION_VALUE_ALLOW_GLOBAL_MULTICAST_STATE","features":[18]},{"name":"FWP_OPTION_VALUE_ALLOW_MULTICAST_STATE","features":[18]},{"name":"FWP_OPTION_VALUE_DENY_MULTICAST_STATE","features":[18]},{"name":"FWP_OPTION_VALUE_DISABLE_LOCAL_ONLY_MAPPING","features":[18]},{"name":"FWP_OPTION_VALUE_DISABLE_LOOSE_SOURCE","features":[18]},{"name":"FWP_OPTION_VALUE_ENABLE_LOCAL_ONLY_MAPPING","features":[18]},{"name":"FWP_OPTION_VALUE_ENABLE_LOOSE_SOURCE","features":[18]},{"name":"FWP_RANGE0","features":[1,18,4]},{"name":"FWP_RANGE_TYPE","features":[18]},{"name":"FWP_SECURITY_DESCRIPTOR_TYPE","features":[18]},{"name":"FWP_SID","features":[18]},{"name":"FWP_SINGLE_DATA_TYPE_MAX","features":[18]},{"name":"FWP_TOKEN_ACCESS_INFORMATION_TYPE","features":[18]},{"name":"FWP_TOKEN_INFORMATION","features":[1,18,4]},{"name":"FWP_TOKEN_INFORMATION_TYPE","features":[18]},{"name":"FWP_UINT16","features":[18]},{"name":"FWP_UINT32","features":[18]},{"name":"FWP_UINT64","features":[18]},{"name":"FWP_UINT8","features":[18]},{"name":"FWP_UNICODE_STRING_TYPE","features":[18]},{"name":"FWP_V4_ADDR_AND_MASK","features":[18]},{"name":"FWP_V4_ADDR_MASK","features":[18]},{"name":"FWP_V6_ADDR_AND_MASK","features":[18]},{"name":"FWP_V6_ADDR_MASK","features":[18]},{"name":"FWP_V6_ADDR_SIZE","features":[18]},{"name":"FWP_VALUE0","features":[1,18,4]},{"name":"FWP_VSWITCH_NETWORK_TYPE","features":[18]},{"name":"FWP_VSWITCH_NETWORK_TYPE_EXTERNAL","features":[18]},{"name":"FWP_VSWITCH_NETWORK_TYPE_INTERNAL","features":[18]},{"name":"FWP_VSWITCH_NETWORK_TYPE_PRIVATE","features":[18]},{"name":"FWP_VSWITCH_NETWORK_TYPE_UNKNOWN","features":[18]},{"name":"FwpmCalloutAdd0","features":[1,18,4]},{"name":"FwpmCalloutCreateEnumHandle0","features":[1,18]},{"name":"FwpmCalloutDeleteById0","features":[1,18]},{"name":"FwpmCalloutDeleteByKey0","features":[1,18]},{"name":"FwpmCalloutDestroyEnumHandle0","features":[1,18]},{"name":"FwpmCalloutEnum0","features":[1,18]},{"name":"FwpmCalloutGetById0","features":[1,18]},{"name":"FwpmCalloutGetByKey0","features":[1,18]},{"name":"FwpmCalloutGetSecurityInfoByKey0","features":[1,18,4]},{"name":"FwpmCalloutSetSecurityInfoByKey0","features":[1,18,4]},{"name":"FwpmCalloutSubscribeChanges0","features":[1,18]},{"name":"FwpmCalloutSubscriptionsGet0","features":[1,18]},{"name":"FwpmCalloutUnsubscribeChanges0","features":[1,18]},{"name":"FwpmConnectionCreateEnumHandle0","features":[1,18]},{"name":"FwpmConnectionDestroyEnumHandle0","features":[1,18]},{"name":"FwpmConnectionEnum0","features":[1,18]},{"name":"FwpmConnectionGetById0","features":[1,18]},{"name":"FwpmConnectionGetSecurityInfo0","features":[1,18,4]},{"name":"FwpmConnectionSetSecurityInfo0","features":[1,18,4]},{"name":"FwpmConnectionSubscribe0","features":[1,18]},{"name":"FwpmConnectionUnsubscribe0","features":[1,18]},{"name":"FwpmDynamicKeywordSubscribe0","features":[1,18]},{"name":"FwpmDynamicKeywordUnsubscribe0","features":[1,18]},{"name":"FwpmEngineClose0","features":[1,18]},{"name":"FwpmEngineGetOption0","features":[1,18,4]},{"name":"FwpmEngineGetSecurityInfo0","features":[1,18,4]},{"name":"FwpmEngineOpen0","features":[1,18,4,19]},{"name":"FwpmEngineSetOption0","features":[1,18,4]},{"name":"FwpmEngineSetSecurityInfo0","features":[1,18,4]},{"name":"FwpmFilterAdd0","features":[1,18,4]},{"name":"FwpmFilterCreateEnumHandle0","features":[1,18,4]},{"name":"FwpmFilterDeleteById0","features":[1,18]},{"name":"FwpmFilterDeleteByKey0","features":[1,18]},{"name":"FwpmFilterDestroyEnumHandle0","features":[1,18]},{"name":"FwpmFilterEnum0","features":[1,18,4]},{"name":"FwpmFilterGetById0","features":[1,18,4]},{"name":"FwpmFilterGetByKey0","features":[1,18,4]},{"name":"FwpmFilterGetSecurityInfoByKey0","features":[1,18,4]},{"name":"FwpmFilterSetSecurityInfoByKey0","features":[1,18,4]},{"name":"FwpmFilterSubscribeChanges0","features":[1,18,4]},{"name":"FwpmFilterSubscriptionsGet0","features":[1,18,4]},{"name":"FwpmFilterUnsubscribeChanges0","features":[1,18]},{"name":"FwpmFreeMemory0","features":[18]},{"name":"FwpmGetAppIdFromFileName0","features":[18]},{"name":"FwpmIPsecTunnelAdd0","features":[1,18,4]},{"name":"FwpmIPsecTunnelAdd1","features":[1,18,4]},{"name":"FwpmIPsecTunnelAdd2","features":[1,18,4]},{"name":"FwpmIPsecTunnelAdd3","features":[1,18,4]},{"name":"FwpmIPsecTunnelDeleteByKey0","features":[1,18]},{"name":"FwpmLayerCreateEnumHandle0","features":[1,18]},{"name":"FwpmLayerDestroyEnumHandle0","features":[1,18]},{"name":"FwpmLayerEnum0","features":[1,18]},{"name":"FwpmLayerGetById0","features":[1,18]},{"name":"FwpmLayerGetByKey0","features":[1,18]},{"name":"FwpmLayerGetSecurityInfoByKey0","features":[1,18,4]},{"name":"FwpmLayerSetSecurityInfoByKey0","features":[1,18,4]},{"name":"FwpmNetEventCreateEnumHandle0","features":[1,18,4]},{"name":"FwpmNetEventDestroyEnumHandle0","features":[1,18]},{"name":"FwpmNetEventEnum0","features":[1,18,4]},{"name":"FwpmNetEventEnum1","features":[1,18,4]},{"name":"FwpmNetEventEnum2","features":[1,18,4]},{"name":"FwpmNetEventEnum3","features":[1,18,4]},{"name":"FwpmNetEventEnum4","features":[1,18,4]},{"name":"FwpmNetEventEnum5","features":[1,18,4]},{"name":"FwpmNetEventSubscribe0","features":[1,18,4]},{"name":"FwpmNetEventSubscribe1","features":[1,18,4]},{"name":"FwpmNetEventSubscribe2","features":[1,18,4]},{"name":"FwpmNetEventSubscribe3","features":[1,18,4]},{"name":"FwpmNetEventSubscribe4","features":[1,18,4]},{"name":"FwpmNetEventSubscriptionsGet0","features":[1,18,4]},{"name":"FwpmNetEventUnsubscribe0","features":[1,18]},{"name":"FwpmNetEventsGetSecurityInfo0","features":[1,18,4]},{"name":"FwpmNetEventsSetSecurityInfo0","features":[1,18,4]},{"name":"FwpmProviderAdd0","features":[1,18,4]},{"name":"FwpmProviderContextAdd0","features":[1,18,4]},{"name":"FwpmProviderContextAdd1","features":[1,18,4]},{"name":"FwpmProviderContextAdd2","features":[1,18,4]},{"name":"FwpmProviderContextAdd3","features":[1,18,4]},{"name":"FwpmProviderContextCreateEnumHandle0","features":[1,18]},{"name":"FwpmProviderContextDeleteById0","features":[1,18]},{"name":"FwpmProviderContextDeleteByKey0","features":[1,18]},{"name":"FwpmProviderContextDestroyEnumHandle0","features":[1,18]},{"name":"FwpmProviderContextEnum0","features":[1,18,4]},{"name":"FwpmProviderContextEnum1","features":[1,18,4]},{"name":"FwpmProviderContextEnum2","features":[1,18,4]},{"name":"FwpmProviderContextEnum3","features":[1,18,4]},{"name":"FwpmProviderContextGetById0","features":[1,18,4]},{"name":"FwpmProviderContextGetById1","features":[1,18,4]},{"name":"FwpmProviderContextGetById2","features":[1,18,4]},{"name":"FwpmProviderContextGetById3","features":[1,18,4]},{"name":"FwpmProviderContextGetByKey0","features":[1,18,4]},{"name":"FwpmProviderContextGetByKey1","features":[1,18,4]},{"name":"FwpmProviderContextGetByKey2","features":[1,18,4]},{"name":"FwpmProviderContextGetByKey3","features":[1,18,4]},{"name":"FwpmProviderContextGetSecurityInfoByKey0","features":[1,18,4]},{"name":"FwpmProviderContextSetSecurityInfoByKey0","features":[1,18,4]},{"name":"FwpmProviderContextSubscribeChanges0","features":[1,18]},{"name":"FwpmProviderContextSubscriptionsGet0","features":[1,18]},{"name":"FwpmProviderContextUnsubscribeChanges0","features":[1,18]},{"name":"FwpmProviderCreateEnumHandle0","features":[1,18]},{"name":"FwpmProviderDeleteByKey0","features":[1,18]},{"name":"FwpmProviderDestroyEnumHandle0","features":[1,18]},{"name":"FwpmProviderEnum0","features":[1,18]},{"name":"FwpmProviderGetByKey0","features":[1,18]},{"name":"FwpmProviderGetSecurityInfoByKey0","features":[1,18,4]},{"name":"FwpmProviderSetSecurityInfoByKey0","features":[1,18,4]},{"name":"FwpmProviderSubscribeChanges0","features":[1,18]},{"name":"FwpmProviderSubscriptionsGet0","features":[1,18]},{"name":"FwpmProviderUnsubscribeChanges0","features":[1,18]},{"name":"FwpmSessionCreateEnumHandle0","features":[1,18]},{"name":"FwpmSessionDestroyEnumHandle0","features":[1,18]},{"name":"FwpmSessionEnum0","features":[1,18,4]},{"name":"FwpmSubLayerAdd0","features":[1,18,4]},{"name":"FwpmSubLayerCreateEnumHandle0","features":[1,18]},{"name":"FwpmSubLayerDeleteByKey0","features":[1,18]},{"name":"FwpmSubLayerDestroyEnumHandle0","features":[1,18]},{"name":"FwpmSubLayerEnum0","features":[1,18]},{"name":"FwpmSubLayerGetByKey0","features":[1,18]},{"name":"FwpmSubLayerGetSecurityInfoByKey0","features":[1,18,4]},{"name":"FwpmSubLayerSetSecurityInfoByKey0","features":[1,18,4]},{"name":"FwpmSubLayerSubscribeChanges0","features":[1,18]},{"name":"FwpmSubLayerSubscriptionsGet0","features":[1,18]},{"name":"FwpmSubLayerUnsubscribeChanges0","features":[1,18]},{"name":"FwpmSystemPortsGet0","features":[1,18]},{"name":"FwpmSystemPortsSubscribe0","features":[1,18]},{"name":"FwpmSystemPortsUnsubscribe0","features":[1,18]},{"name":"FwpmTransactionAbort0","features":[1,18]},{"name":"FwpmTransactionBegin0","features":[1,18]},{"name":"FwpmTransactionCommit0","features":[1,18]},{"name":"FwpmvSwitchEventSubscribe0","features":[1,18]},{"name":"FwpmvSwitchEventUnsubscribe0","features":[1,18]},{"name":"FwpmvSwitchEventsGetSecurityInfo0","features":[1,18,4]},{"name":"FwpmvSwitchEventsSetSecurityInfo0","features":[1,18,4]},{"name":"IKEEXT_ANONYMOUS","features":[18]},{"name":"IKEEXT_AUTHENTICATION_IMPERSONATION_TYPE","features":[18]},{"name":"IKEEXT_AUTHENTICATION_METHOD0","features":[18]},{"name":"IKEEXT_AUTHENTICATION_METHOD1","features":[18]},{"name":"IKEEXT_AUTHENTICATION_METHOD2","features":[18]},{"name":"IKEEXT_AUTHENTICATION_METHOD_TYPE","features":[18]},{"name":"IKEEXT_AUTHENTICATION_METHOD_TYPE_MAX","features":[18]},{"name":"IKEEXT_CERTIFICATE","features":[18]},{"name":"IKEEXT_CERTIFICATE_AUTHENTICATION0","features":[18]},{"name":"IKEEXT_CERTIFICATE_AUTHENTICATION1","features":[18]},{"name":"IKEEXT_CERTIFICATE_AUTHENTICATION2","features":[18]},{"name":"IKEEXT_CERTIFICATE_CREDENTIAL0","features":[18]},{"name":"IKEEXT_CERTIFICATE_CREDENTIAL1","features":[18]},{"name":"IKEEXT_CERTIFICATE_CRITERIA0","features":[18]},{"name":"IKEEXT_CERTIFICATE_ECDSA_P256","features":[18]},{"name":"IKEEXT_CERTIFICATE_ECDSA_P384","features":[18]},{"name":"IKEEXT_CERT_AUTH","features":[18]},{"name":"IKEEXT_CERT_AUTH_ALLOW_HTTP_CERT_LOOKUP","features":[18]},{"name":"IKEEXT_CERT_AUTH_DISABLE_SSL_CERT_VALIDATION","features":[18]},{"name":"IKEEXT_CERT_AUTH_ENABLE_CRL_CHECK_STRONG","features":[18]},{"name":"IKEEXT_CERT_AUTH_FLAG_DISABLE_CRL_CHECK","features":[18]},{"name":"IKEEXT_CERT_AUTH_FLAG_DISABLE_REQUEST_PAYLOAD","features":[18]},{"name":"IKEEXT_CERT_AUTH_FLAG_SSL_ONE_WAY","features":[18]},{"name":"IKEEXT_CERT_AUTH_URL_CONTAINS_BUNDLE","features":[18]},{"name":"IKEEXT_CERT_CONFIG_ENTERPRISE_STORE","features":[18]},{"name":"IKEEXT_CERT_CONFIG_EXPLICIT_TRUST_LIST","features":[18]},{"name":"IKEEXT_CERT_CONFIG_TRUSTED_ROOT_STORE","features":[18]},{"name":"IKEEXT_CERT_CONFIG_TYPE","features":[18]},{"name":"IKEEXT_CERT_CONFIG_TYPE_MAX","features":[18]},{"name":"IKEEXT_CERT_CONFIG_UNSPECIFIED","features":[18]},{"name":"IKEEXT_CERT_CREDENTIAL_FLAG_NAP_CERT","features":[18]},{"name":"IKEEXT_CERT_CRITERIA_CN","features":[18]},{"name":"IKEEXT_CERT_CRITERIA_DC","features":[18]},{"name":"IKEEXT_CERT_CRITERIA_DNS","features":[18]},{"name":"IKEEXT_CERT_CRITERIA_NAME_TYPE","features":[18]},{"name":"IKEEXT_CERT_CRITERIA_NAME_TYPE_MAX","features":[18]},{"name":"IKEEXT_CERT_CRITERIA_O","features":[18]},{"name":"IKEEXT_CERT_CRITERIA_OU","features":[18]},{"name":"IKEEXT_CERT_CRITERIA_RFC822","features":[18]},{"name":"IKEEXT_CERT_CRITERIA_UPN","features":[18]},{"name":"IKEEXT_CERT_EKUS0","features":[18]},{"name":"IKEEXT_CERT_FLAGS","features":[18]},{"name":"IKEEXT_CERT_FLAG_DISABLE_REQUEST_PAYLOAD","features":[18]},{"name":"IKEEXT_CERT_FLAG_ENABLE_ACCOUNT_MAPPING","features":[18]},{"name":"IKEEXT_CERT_FLAG_FOLLOW_RENEWAL_CERTIFICATE","features":[18]},{"name":"IKEEXT_CERT_FLAG_IGNORE_INIT_CERT_MAP_FAILURE","features":[18]},{"name":"IKEEXT_CERT_FLAG_INTERMEDIATE_CA","features":[18]},{"name":"IKEEXT_CERT_FLAG_PREFER_NAP_CERTIFICATE_OUTBOUND","features":[18]},{"name":"IKEEXT_CERT_FLAG_SELECT_NAP_CERTIFICATE","features":[18]},{"name":"IKEEXT_CERT_FLAG_USE_NAP_CERTIFICATE","features":[18]},{"name":"IKEEXT_CERT_FLAG_VERIFY_NAP_CERTIFICATE","features":[18]},{"name":"IKEEXT_CERT_HASH_LEN","features":[18]},{"name":"IKEEXT_CERT_NAME0","features":[18]},{"name":"IKEEXT_CERT_ROOT_CONFIG0","features":[18]},{"name":"IKEEXT_CIPHER_3DES","features":[18]},{"name":"IKEEXT_CIPHER_AES_128","features":[18]},{"name":"IKEEXT_CIPHER_AES_192","features":[18]},{"name":"IKEEXT_CIPHER_AES_256","features":[18]},{"name":"IKEEXT_CIPHER_AES_GCM_128_16ICV","features":[18]},{"name":"IKEEXT_CIPHER_AES_GCM_256_16ICV","features":[18]},{"name":"IKEEXT_CIPHER_ALGORITHM0","features":[18]},{"name":"IKEEXT_CIPHER_DES","features":[18]},{"name":"IKEEXT_CIPHER_TYPE","features":[18]},{"name":"IKEEXT_CIPHER_TYPE_MAX","features":[18]},{"name":"IKEEXT_COMMON_STATISTICS0","features":[18]},{"name":"IKEEXT_COMMON_STATISTICS1","features":[18]},{"name":"IKEEXT_COOKIE_PAIR0","features":[18]},{"name":"IKEEXT_CREDENTIAL0","features":[18]},{"name":"IKEEXT_CREDENTIAL1","features":[18]},{"name":"IKEEXT_CREDENTIAL2","features":[18]},{"name":"IKEEXT_CREDENTIALS0","features":[18]},{"name":"IKEEXT_CREDENTIALS1","features":[18]},{"name":"IKEEXT_CREDENTIALS2","features":[18]},{"name":"IKEEXT_CREDENTIAL_PAIR0","features":[18]},{"name":"IKEEXT_CREDENTIAL_PAIR1","features":[18]},{"name":"IKEEXT_CREDENTIAL_PAIR2","features":[18]},{"name":"IKEEXT_DH_ECP_256","features":[18]},{"name":"IKEEXT_DH_ECP_384","features":[18]},{"name":"IKEEXT_DH_GROUP","features":[18]},{"name":"IKEEXT_DH_GROUP_1","features":[18]},{"name":"IKEEXT_DH_GROUP_14","features":[18]},{"name":"IKEEXT_DH_GROUP_2","features":[18]},{"name":"IKEEXT_DH_GROUP_2048","features":[18]},{"name":"IKEEXT_DH_GROUP_24","features":[18]},{"name":"IKEEXT_DH_GROUP_MAX","features":[18]},{"name":"IKEEXT_DH_GROUP_NONE","features":[18]},{"name":"IKEEXT_EAP","features":[18]},{"name":"IKEEXT_EAP_AUTHENTICATION0","features":[18]},{"name":"IKEEXT_EAP_AUTHENTICATION_FLAGS","features":[18]},{"name":"IKEEXT_EAP_FLAG_LOCAL_AUTH_ONLY","features":[18]},{"name":"IKEEXT_EAP_FLAG_REMOTE_AUTH_ONLY","features":[18]},{"name":"IKEEXT_EM_POLICY0","features":[18]},{"name":"IKEEXT_EM_POLICY1","features":[18]},{"name":"IKEEXT_EM_POLICY2","features":[18]},{"name":"IKEEXT_EM_SA_STATE","features":[18]},{"name":"IKEEXT_EM_SA_STATE_AUTH_COMPLETE","features":[18]},{"name":"IKEEXT_EM_SA_STATE_COMPLETE","features":[18]},{"name":"IKEEXT_EM_SA_STATE_FINAL","features":[18]},{"name":"IKEEXT_EM_SA_STATE_MAX","features":[18]},{"name":"IKEEXT_EM_SA_STATE_NONE","features":[18]},{"name":"IKEEXT_EM_SA_STATE_SENT_ATTS","features":[18]},{"name":"IKEEXT_EM_SA_STATE_SSPI_SENT","features":[18]},{"name":"IKEEXT_IMPERSONATION_MAX","features":[18]},{"name":"IKEEXT_IMPERSONATION_NONE","features":[18]},{"name":"IKEEXT_IMPERSONATION_SOCKET_PRINCIPAL","features":[18]},{"name":"IKEEXT_INTEGRITY_ALGORITHM0","features":[18]},{"name":"IKEEXT_INTEGRITY_MD5","features":[18]},{"name":"IKEEXT_INTEGRITY_SHA1","features":[18]},{"name":"IKEEXT_INTEGRITY_SHA_256","features":[18]},{"name":"IKEEXT_INTEGRITY_SHA_384","features":[18]},{"name":"IKEEXT_INTEGRITY_TYPE","features":[18]},{"name":"IKEEXT_INTEGRITY_TYPE_MAX","features":[18]},{"name":"IKEEXT_IPV6_CGA","features":[18]},{"name":"IKEEXT_IPV6_CGA_AUTHENTICATION0","features":[18]},{"name":"IKEEXT_IP_VERSION_SPECIFIC_COMMON_STATISTICS0","features":[18]},{"name":"IKEEXT_IP_VERSION_SPECIFIC_COMMON_STATISTICS1","features":[18]},{"name":"IKEEXT_IP_VERSION_SPECIFIC_KEYMODULE_STATISTICS0","features":[18]},{"name":"IKEEXT_IP_VERSION_SPECIFIC_KEYMODULE_STATISTICS1","features":[18]},{"name":"IKEEXT_KERBEROS","features":[18]},{"name":"IKEEXT_KERBEROS_AUTHENTICATION0","features":[18]},{"name":"IKEEXT_KERBEROS_AUTHENTICATION1","features":[18]},{"name":"IKEEXT_KERBEROS_AUTHENTICATION_FLAGS","features":[18]},{"name":"IKEEXT_KERB_AUTH_DISABLE_INITIATOR_TOKEN_GENERATION","features":[18]},{"name":"IKEEXT_KERB_AUTH_DONT_ACCEPT_EXPLICIT_CREDENTIALS","features":[18]},{"name":"IKEEXT_KERB_AUTH_FORCE_PROXY_ON_INITIATOR","features":[18]},{"name":"IKEEXT_KEYMODULE_STATISTICS0","features":[18]},{"name":"IKEEXT_KEYMODULE_STATISTICS1","features":[18]},{"name":"IKEEXT_KEY_MODULE_AUTHIP","features":[18]},{"name":"IKEEXT_KEY_MODULE_IKE","features":[18]},{"name":"IKEEXT_KEY_MODULE_IKEV2","features":[18]},{"name":"IKEEXT_KEY_MODULE_MAX","features":[18]},{"name":"IKEEXT_KEY_MODULE_TYPE","features":[18]},{"name":"IKEEXT_MM_SA_STATE","features":[18]},{"name":"IKEEXT_MM_SA_STATE_COMPLETE","features":[18]},{"name":"IKEEXT_MM_SA_STATE_FINAL","features":[18]},{"name":"IKEEXT_MM_SA_STATE_FINAL_SENT","features":[18]},{"name":"IKEEXT_MM_SA_STATE_MAX","features":[18]},{"name":"IKEEXT_MM_SA_STATE_NONE","features":[18]},{"name":"IKEEXT_MM_SA_STATE_SA_SENT","features":[18]},{"name":"IKEEXT_MM_SA_STATE_SSPI_SENT","features":[18]},{"name":"IKEEXT_NAME_CREDENTIAL0","features":[18]},{"name":"IKEEXT_NTLM_V2","features":[18]},{"name":"IKEEXT_NTLM_V2_AUTHENTICATION0","features":[18]},{"name":"IKEEXT_NTLM_V2_AUTH_DONT_ACCEPT_EXPLICIT_CREDENTIALS","features":[18]},{"name":"IKEEXT_POLICY0","features":[18]},{"name":"IKEEXT_POLICY1","features":[18]},{"name":"IKEEXT_POLICY2","features":[18]},{"name":"IKEEXT_POLICY_ENABLE_IKEV2_FRAGMENTATION","features":[18]},{"name":"IKEEXT_POLICY_FLAG","features":[18]},{"name":"IKEEXT_POLICY_FLAG_DISABLE_DIAGNOSTICS","features":[18]},{"name":"IKEEXT_POLICY_FLAG_ENABLE_OPTIONAL_DH","features":[18]},{"name":"IKEEXT_POLICY_FLAG_IMS_VPN","features":[18]},{"name":"IKEEXT_POLICY_FLAG_MOBIKE_NOT_SUPPORTED","features":[18]},{"name":"IKEEXT_POLICY_FLAG_NO_IMPERSONATION_LUID_VERIFY","features":[18]},{"name":"IKEEXT_POLICY_FLAG_NO_MACHINE_LUID_VERIFY","features":[18]},{"name":"IKEEXT_POLICY_FLAG_SITE_TO_SITE","features":[18]},{"name":"IKEEXT_POLICY_SUPPORT_LOW_POWER_MODE","features":[18]},{"name":"IKEEXT_PRESHARED_KEY","features":[18]},{"name":"IKEEXT_PRESHARED_KEY_AUTHENTICATION0","features":[18]},{"name":"IKEEXT_PRESHARED_KEY_AUTHENTICATION1","features":[18]},{"name":"IKEEXT_PRESHARED_KEY_AUTHENTICATION_FLAGS","features":[18]},{"name":"IKEEXT_PROPOSAL0","features":[18]},{"name":"IKEEXT_PSK_FLAG_LOCAL_AUTH_ONLY","features":[18]},{"name":"IKEEXT_PSK_FLAG_REMOTE_AUTH_ONLY","features":[18]},{"name":"IKEEXT_QM_SA_STATE","features":[18]},{"name":"IKEEXT_QM_SA_STATE_COMPLETE","features":[18]},{"name":"IKEEXT_QM_SA_STATE_FINAL","features":[18]},{"name":"IKEEXT_QM_SA_STATE_INITIAL","features":[18]},{"name":"IKEEXT_QM_SA_STATE_MAX","features":[18]},{"name":"IKEEXT_QM_SA_STATE_NONE","features":[18]},{"name":"IKEEXT_RESERVED","features":[18]},{"name":"IKEEXT_RESERVED_AUTHENTICATION0","features":[18]},{"name":"IKEEXT_RESERVED_AUTHENTICATION_FLAGS","features":[18]},{"name":"IKEEXT_RESERVED_AUTH_DISABLE_INITIATOR_TOKEN_GENERATION","features":[18]},{"name":"IKEEXT_SA_DETAILS0","features":[18]},{"name":"IKEEXT_SA_DETAILS1","features":[18]},{"name":"IKEEXT_SA_DETAILS2","features":[18]},{"name":"IKEEXT_SA_ENUM_TEMPLATE0","features":[1,18,4]},{"name":"IKEEXT_SA_ROLE","features":[18]},{"name":"IKEEXT_SA_ROLE_INITIATOR","features":[18]},{"name":"IKEEXT_SA_ROLE_MAX","features":[18]},{"name":"IKEEXT_SA_ROLE_RESPONDER","features":[18]},{"name":"IKEEXT_SSL","features":[18]},{"name":"IKEEXT_SSL_ECDSA_P256","features":[18]},{"name":"IKEEXT_SSL_ECDSA_P384","features":[18]},{"name":"IKEEXT_STATISTICS0","features":[18]},{"name":"IKEEXT_STATISTICS1","features":[18]},{"name":"IKEEXT_TRAFFIC0","features":[18]},{"name":"IPSEC_ADDRESS_INFO0","features":[18]},{"name":"IPSEC_AGGREGATE_DROP_PACKET_STATISTICS0","features":[18]},{"name":"IPSEC_AGGREGATE_DROP_PACKET_STATISTICS1","features":[18]},{"name":"IPSEC_AGGREGATE_SA_STATISTICS0","features":[18]},{"name":"IPSEC_AH_DROP_PACKET_STATISTICS0","features":[18]},{"name":"IPSEC_AUTH_AES_128","features":[18]},{"name":"IPSEC_AUTH_AES_192","features":[18]},{"name":"IPSEC_AUTH_AES_256","features":[18]},{"name":"IPSEC_AUTH_AND_CIPHER_TRANSFORM0","features":[18]},{"name":"IPSEC_AUTH_CONFIG_GCM_AES_128","features":[18]},{"name":"IPSEC_AUTH_CONFIG_GCM_AES_192","features":[18]},{"name":"IPSEC_AUTH_CONFIG_GCM_AES_256","features":[18]},{"name":"IPSEC_AUTH_CONFIG_HMAC_MD5_96","features":[18]},{"name":"IPSEC_AUTH_CONFIG_HMAC_SHA_1_96","features":[18]},{"name":"IPSEC_AUTH_CONFIG_HMAC_SHA_256_128","features":[18]},{"name":"IPSEC_AUTH_CONFIG_MAX","features":[18]},{"name":"IPSEC_AUTH_MAX","features":[18]},{"name":"IPSEC_AUTH_MD5","features":[18]},{"name":"IPSEC_AUTH_SHA_1","features":[18]},{"name":"IPSEC_AUTH_SHA_256","features":[18]},{"name":"IPSEC_AUTH_TRANSFORM0","features":[18]},{"name":"IPSEC_AUTH_TRANSFORM_ID0","features":[18]},{"name":"IPSEC_AUTH_TYPE","features":[18]},{"name":"IPSEC_CIPHER_CONFIG_CBC_3DES","features":[18]},{"name":"IPSEC_CIPHER_CONFIG_CBC_AES_128","features":[18]},{"name":"IPSEC_CIPHER_CONFIG_CBC_AES_192","features":[18]},{"name":"IPSEC_CIPHER_CONFIG_CBC_AES_256","features":[18]},{"name":"IPSEC_CIPHER_CONFIG_CBC_DES","features":[18]},{"name":"IPSEC_CIPHER_CONFIG_GCM_AES_128","features":[18]},{"name":"IPSEC_CIPHER_CONFIG_GCM_AES_192","features":[18]},{"name":"IPSEC_CIPHER_CONFIG_GCM_AES_256","features":[18]},{"name":"IPSEC_CIPHER_CONFIG_MAX","features":[18]},{"name":"IPSEC_CIPHER_TRANSFORM0","features":[18]},{"name":"IPSEC_CIPHER_TRANSFORM_ID0","features":[18]},{"name":"IPSEC_CIPHER_TYPE","features":[18]},{"name":"IPSEC_CIPHER_TYPE_3DES","features":[18]},{"name":"IPSEC_CIPHER_TYPE_AES_128","features":[18]},{"name":"IPSEC_CIPHER_TYPE_AES_192","features":[18]},{"name":"IPSEC_CIPHER_TYPE_AES_256","features":[18]},{"name":"IPSEC_CIPHER_TYPE_DES","features":[18]},{"name":"IPSEC_CIPHER_TYPE_MAX","features":[18]},{"name":"IPSEC_DOSP_DSCP_DISABLE_VALUE","features":[18]},{"name":"IPSEC_DOSP_FLAGS","features":[18]},{"name":"IPSEC_DOSP_FLAG_DISABLE_AUTHIP","features":[18]},{"name":"IPSEC_DOSP_FLAG_DISABLE_DEFAULT_BLOCK","features":[18]},{"name":"IPSEC_DOSP_FLAG_ENABLE_IKEV1","features":[18]},{"name":"IPSEC_DOSP_FLAG_ENABLE_IKEV2","features":[18]},{"name":"IPSEC_DOSP_FLAG_FILTER_BLOCK","features":[18]},{"name":"IPSEC_DOSP_FLAG_FILTER_EXEMPT","features":[18]},{"name":"IPSEC_DOSP_OPTIONS0","features":[18]},{"name":"IPSEC_DOSP_RATE_LIMIT_DISABLE_VALUE","features":[18]},{"name":"IPSEC_DOSP_STATE0","features":[18]},{"name":"IPSEC_DOSP_STATE_ENUM_TEMPLATE0","features":[18]},{"name":"IPSEC_DOSP_STATISTICS0","features":[18]},{"name":"IPSEC_ESP_DROP_PACKET_STATISTICS0","features":[18]},{"name":"IPSEC_FAILURE_ME","features":[18]},{"name":"IPSEC_FAILURE_NONE","features":[18]},{"name":"IPSEC_FAILURE_PEER","features":[18]},{"name":"IPSEC_FAILURE_POINT","features":[18]},{"name":"IPSEC_FAILURE_POINT_MAX","features":[18]},{"name":"IPSEC_GETSPI0","features":[18]},{"name":"IPSEC_GETSPI1","features":[18]},{"name":"IPSEC_ID0","features":[18]},{"name":"IPSEC_KEYING_POLICY0","features":[18]},{"name":"IPSEC_KEYING_POLICY1","features":[18]},{"name":"IPSEC_KEYING_POLICY_FLAG_TERMINATING_MATCH","features":[18]},{"name":"IPSEC_KEYMODULE_STATE0","features":[18]},{"name":"IPSEC_KEY_MANAGER0","features":[18]},{"name":"IPSEC_KEY_MANAGER_CALLBACKS0","features":[1,18,4]},{"name":"IPSEC_KEY_MANAGER_DICTATE_KEY0","features":[1,18,4]},{"name":"IPSEC_KEY_MANAGER_FLAG_DICTATE_KEY","features":[18]},{"name":"IPSEC_KEY_MANAGER_KEY_DICTATION_CHECK0","features":[1,18]},{"name":"IPSEC_KEY_MANAGER_NOTIFY_KEY0","features":[1,18,4]},{"name":"IPSEC_PFS_1","features":[18]},{"name":"IPSEC_PFS_14","features":[18]},{"name":"IPSEC_PFS_2","features":[18]},{"name":"IPSEC_PFS_2048","features":[18]},{"name":"IPSEC_PFS_24","features":[18]},{"name":"IPSEC_PFS_ECP_256","features":[18]},{"name":"IPSEC_PFS_ECP_384","features":[18]},{"name":"IPSEC_PFS_GROUP","features":[18]},{"name":"IPSEC_PFS_MAX","features":[18]},{"name":"IPSEC_PFS_MM","features":[18]},{"name":"IPSEC_PFS_NONE","features":[18]},{"name":"IPSEC_POLICY_FLAG","features":[18]},{"name":"IPSEC_POLICY_FLAG_BANDWIDTH1","features":[18]},{"name":"IPSEC_POLICY_FLAG_BANDWIDTH2","features":[18]},{"name":"IPSEC_POLICY_FLAG_BANDWIDTH3","features":[18]},{"name":"IPSEC_POLICY_FLAG_BANDWIDTH4","features":[18]},{"name":"IPSEC_POLICY_FLAG_CLEAR_DF_ON_TUNNEL","features":[18]},{"name":"IPSEC_POLICY_FLAG_DONT_NEGOTIATE_BYTE_LIFETIME","features":[18]},{"name":"IPSEC_POLICY_FLAG_DONT_NEGOTIATE_SECOND_LIFETIME","features":[18]},{"name":"IPSEC_POLICY_FLAG_ENABLE_SERVER_ADDR_ASSIGNMENT","features":[18]},{"name":"IPSEC_POLICY_FLAG_ENABLE_V6_IN_V4_TUNNELING","features":[18]},{"name":"IPSEC_POLICY_FLAG_KEY_MANAGER_ALLOW_DICTATE_KEY","features":[18]},{"name":"IPSEC_POLICY_FLAG_KEY_MANAGER_ALLOW_NOTIFY_KEY","features":[18]},{"name":"IPSEC_POLICY_FLAG_NAT_ENCAP_ALLOW_GENERAL_NAT_TRAVERSAL","features":[18]},{"name":"IPSEC_POLICY_FLAG_NAT_ENCAP_ALLOW_PEER_BEHIND_NAT","features":[18]},{"name":"IPSEC_POLICY_FLAG_ND_BOUNDARY","features":[18]},{"name":"IPSEC_POLICY_FLAG_ND_SECURE","features":[18]},{"name":"IPSEC_POLICY_FLAG_RESERVED1","features":[18]},{"name":"IPSEC_POLICY_FLAG_SITE_TO_SITE_TUNNEL","features":[18]},{"name":"IPSEC_POLICY_FLAG_TUNNEL_ALLOW_OUTBOUND_CLEAR_CONNECTION","features":[18]},{"name":"IPSEC_POLICY_FLAG_TUNNEL_BYPASS_ALREADY_SECURE_CONNECTION","features":[18]},{"name":"IPSEC_POLICY_FLAG_TUNNEL_BYPASS_ICMPV6","features":[18]},{"name":"IPSEC_PROPOSAL0","features":[18]},{"name":"IPSEC_SA0","features":[18]},{"name":"IPSEC_SA_AUTH_AND_CIPHER_INFORMATION0","features":[18]},{"name":"IPSEC_SA_AUTH_INFORMATION0","features":[18]},{"name":"IPSEC_SA_BUNDLE0","features":[18]},{"name":"IPSEC_SA_BUNDLE1","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAGS","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_ALLOW_NULL_TARGET_NAME_MATCH","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_ASSUME_UDP_CONTEXT_OUTBOUND","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_CLEAR_DF_ON_TUNNEL","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_ENABLE_OPTIONAL_ASYMMETRIC_IDLE","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_FORCE_INBOUND_CONNECTIONS","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_FORCE_OUTBOUND_CONNECTIONS","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_FORWARD_PATH_INITIATOR","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_GUARANTEE_ENCRYPTION","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_IP_IN_IP_PKT","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_LOCALLY_DICTATED_KEYS","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_LOW_POWER_MODE_SUPPORT","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_ND_BOUNDARY","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_ND_PEER_BOUNDARY","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_ND_PEER_NAT_BOUNDARY","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_ND_SECURE","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_NLB","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_NO_EXPLICIT_CRED_MATCH","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_NO_IMPERSONATION_LUID_VERIFY","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_NO_MACHINE_LUID_VERIFY","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_PEER_SUPPORTS_GUARANTEE_ENCRYPTION","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_SA_OFFLOADED","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_SUPPRESS_DUPLICATE_DELETION","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_TUNNEL_BANDWIDTH1","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_TUNNEL_BANDWIDTH2","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_TUNNEL_BANDWIDTH3","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_TUNNEL_BANDWIDTH4","features":[18]},{"name":"IPSEC_SA_BUNDLE_FLAG_USING_DICTATED_KEYS","features":[18]},{"name":"IPSEC_SA_CIPHER_INFORMATION0","features":[18]},{"name":"IPSEC_SA_CONTEXT0","features":[1,18,4]},{"name":"IPSEC_SA_CONTEXT1","features":[1,18,4]},{"name":"IPSEC_SA_CONTEXT_CALLBACK0","features":[18]},{"name":"IPSEC_SA_CONTEXT_CHANGE0","features":[18]},{"name":"IPSEC_SA_CONTEXT_ENUM_TEMPLATE0","features":[1,18,4]},{"name":"IPSEC_SA_CONTEXT_EVENT_ADD","features":[18]},{"name":"IPSEC_SA_CONTEXT_EVENT_DELETE","features":[18]},{"name":"IPSEC_SA_CONTEXT_EVENT_MAX","features":[18]},{"name":"IPSEC_SA_CONTEXT_EVENT_TYPE0","features":[18]},{"name":"IPSEC_SA_CONTEXT_SUBSCRIPTION0","features":[1,18,4]},{"name":"IPSEC_SA_DETAILS0","features":[1,18,4]},{"name":"IPSEC_SA_DETAILS1","features":[1,18,4]},{"name":"IPSEC_SA_ENUM_TEMPLATE0","features":[18]},{"name":"IPSEC_SA_IDLE_TIMEOUT0","features":[18]},{"name":"IPSEC_SA_LIFETIME0","features":[18]},{"name":"IPSEC_SA_TRANSFORM0","features":[18]},{"name":"IPSEC_STATISTICS0","features":[18]},{"name":"IPSEC_STATISTICS1","features":[18]},{"name":"IPSEC_TOKEN0","features":[18]},{"name":"IPSEC_TOKEN_MODE","features":[18]},{"name":"IPSEC_TOKEN_MODE_EXTENDED","features":[18]},{"name":"IPSEC_TOKEN_MODE_MAIN","features":[18]},{"name":"IPSEC_TOKEN_MODE_MAX","features":[18]},{"name":"IPSEC_TOKEN_PRINCIPAL","features":[18]},{"name":"IPSEC_TOKEN_PRINCIPAL_LOCAL","features":[18]},{"name":"IPSEC_TOKEN_PRINCIPAL_MAX","features":[18]},{"name":"IPSEC_TOKEN_PRINCIPAL_PEER","features":[18]},{"name":"IPSEC_TOKEN_TYPE","features":[18]},{"name":"IPSEC_TOKEN_TYPE_IMPERSONATION","features":[18]},{"name":"IPSEC_TOKEN_TYPE_MACHINE","features":[18]},{"name":"IPSEC_TOKEN_TYPE_MAX","features":[18]},{"name":"IPSEC_TRAFFIC0","features":[18]},{"name":"IPSEC_TRAFFIC1","features":[18]},{"name":"IPSEC_TRAFFIC_SELECTOR0","features":[18]},{"name":"IPSEC_TRAFFIC_SELECTOR_POLICY0","features":[18]},{"name":"IPSEC_TRAFFIC_STATISTICS0","features":[18]},{"name":"IPSEC_TRAFFIC_STATISTICS1","features":[18]},{"name":"IPSEC_TRAFFIC_TYPE","features":[18]},{"name":"IPSEC_TRAFFIC_TYPE_MAX","features":[18]},{"name":"IPSEC_TRAFFIC_TYPE_TRANSPORT","features":[18]},{"name":"IPSEC_TRAFFIC_TYPE_TUNNEL","features":[18]},{"name":"IPSEC_TRANSFORM_AH","features":[18]},{"name":"IPSEC_TRANSFORM_ESP_AUTH","features":[18]},{"name":"IPSEC_TRANSFORM_ESP_AUTH_AND_CIPHER","features":[18]},{"name":"IPSEC_TRANSFORM_ESP_AUTH_FW","features":[18]},{"name":"IPSEC_TRANSFORM_ESP_CIPHER","features":[18]},{"name":"IPSEC_TRANSFORM_TYPE","features":[18]},{"name":"IPSEC_TRANSFORM_TYPE_MAX","features":[18]},{"name":"IPSEC_TRANSPORT_POLICY0","features":[18]},{"name":"IPSEC_TRANSPORT_POLICY1","features":[18]},{"name":"IPSEC_TRANSPORT_POLICY2","features":[18]},{"name":"IPSEC_TUNNEL_ENDPOINT0","features":[18]},{"name":"IPSEC_TUNNEL_ENDPOINTS0","features":[18]},{"name":"IPSEC_TUNNEL_ENDPOINTS1","features":[18]},{"name":"IPSEC_TUNNEL_ENDPOINTS2","features":[18]},{"name":"IPSEC_TUNNEL_POLICY0","features":[18]},{"name":"IPSEC_TUNNEL_POLICY1","features":[18]},{"name":"IPSEC_TUNNEL_POLICY2","features":[18]},{"name":"IPSEC_TUNNEL_POLICY3","features":[18]},{"name":"IPSEC_V4_UDP_ENCAPSULATION0","features":[18]},{"name":"IPSEC_VIRTUAL_IF_TUNNEL_INFO0","features":[18]},{"name":"IPsecDospGetSecurityInfo0","features":[1,18,4]},{"name":"IPsecDospGetStatistics0","features":[1,18]},{"name":"IPsecDospSetSecurityInfo0","features":[1,18,4]},{"name":"IPsecDospStateCreateEnumHandle0","features":[1,18]},{"name":"IPsecDospStateDestroyEnumHandle0","features":[1,18]},{"name":"IPsecDospStateEnum0","features":[1,18]},{"name":"IPsecGetStatistics0","features":[1,18]},{"name":"IPsecGetStatistics1","features":[1,18]},{"name":"IPsecKeyManagerAddAndRegister0","features":[1,18,4]},{"name":"IPsecKeyManagerGetSecurityInfoByKey0","features":[1,18,4]},{"name":"IPsecKeyManagerSetSecurityInfoByKey0","features":[1,18,4]},{"name":"IPsecKeyManagerUnregisterAndDelete0","features":[1,18]},{"name":"IPsecKeyManagersGet0","features":[1,18]},{"name":"IPsecSaContextAddInbound0","features":[1,18]},{"name":"IPsecSaContextAddInbound1","features":[1,18]},{"name":"IPsecSaContextAddOutbound0","features":[1,18]},{"name":"IPsecSaContextAddOutbound1","features":[1,18]},{"name":"IPsecSaContextCreate0","features":[1,18]},{"name":"IPsecSaContextCreate1","features":[1,18]},{"name":"IPsecSaContextCreateEnumHandle0","features":[1,18,4]},{"name":"IPsecSaContextDeleteById0","features":[1,18]},{"name":"IPsecSaContextDestroyEnumHandle0","features":[1,18]},{"name":"IPsecSaContextEnum0","features":[1,18,4]},{"name":"IPsecSaContextEnum1","features":[1,18,4]},{"name":"IPsecSaContextExpire0","features":[1,18]},{"name":"IPsecSaContextGetById0","features":[1,18,4]},{"name":"IPsecSaContextGetById1","features":[1,18,4]},{"name":"IPsecSaContextGetSpi0","features":[1,18]},{"name":"IPsecSaContextGetSpi1","features":[1,18]},{"name":"IPsecSaContextSetSpi0","features":[1,18]},{"name":"IPsecSaContextSubscribe0","features":[1,18,4]},{"name":"IPsecSaContextSubscriptionsGet0","features":[1,18,4]},{"name":"IPsecSaContextUnsubscribe0","features":[1,18]},{"name":"IPsecSaContextUpdate0","features":[1,18,4]},{"name":"IPsecSaCreateEnumHandle0","features":[1,18]},{"name":"IPsecSaDbGetSecurityInfo0","features":[1,18,4]},{"name":"IPsecSaDbSetSecurityInfo0","features":[1,18,4]},{"name":"IPsecSaDestroyEnumHandle0","features":[1,18]},{"name":"IPsecSaEnum0","features":[1,18,4]},{"name":"IPsecSaEnum1","features":[1,18,4]},{"name":"IkeextGetStatistics0","features":[1,18]},{"name":"IkeextGetStatistics1","features":[1,18]},{"name":"IkeextSaCreateEnumHandle0","features":[1,18,4]},{"name":"IkeextSaDbGetSecurityInfo0","features":[1,18,4]},{"name":"IkeextSaDbSetSecurityInfo0","features":[1,18,4]},{"name":"IkeextSaDeleteById0","features":[1,18]},{"name":"IkeextSaDestroyEnumHandle0","features":[1,18]},{"name":"IkeextSaEnum0","features":[1,18]},{"name":"IkeextSaEnum1","features":[1,18]},{"name":"IkeextSaEnum2","features":[1,18]},{"name":"IkeextSaGetById0","features":[1,18]},{"name":"IkeextSaGetById1","features":[1,18]},{"name":"IkeextSaGetById2","features":[1,18]}],"465":[{"name":"FW_DYNAMIC_KEYWORD_ADDRESS0","features":[106]},{"name":"FW_DYNAMIC_KEYWORD_ADDRESS_DATA0","features":[106]},{"name":"FW_DYNAMIC_KEYWORD_ADDRESS_ENUM_FLAGS","features":[106]},{"name":"FW_DYNAMIC_KEYWORD_ADDRESS_ENUM_FLAGS_ALL","features":[106]},{"name":"FW_DYNAMIC_KEYWORD_ADDRESS_ENUM_FLAGS_AUTO_RESOLVE","features":[106]},{"name":"FW_DYNAMIC_KEYWORD_ADDRESS_ENUM_FLAGS_NON_AUTO_RESOLVE","features":[106]},{"name":"FW_DYNAMIC_KEYWORD_ADDRESS_FLAGS","features":[106]},{"name":"FW_DYNAMIC_KEYWORD_ADDRESS_FLAGS_AUTO_RESOLVE","features":[106]},{"name":"FW_DYNAMIC_KEYWORD_ORIGIN_INVALID","features":[106]},{"name":"FW_DYNAMIC_KEYWORD_ORIGIN_LOCAL","features":[106]},{"name":"FW_DYNAMIC_KEYWORD_ORIGIN_MDM","features":[106]},{"name":"FW_DYNAMIC_KEYWORD_ORIGIN_TYPE","features":[106]},{"name":"ICSSC_DEFAULT","features":[106]},{"name":"ICSSC_ENABLED","features":[106]},{"name":"ICSSHARINGTYPE_PRIVATE","features":[106]},{"name":"ICSSHARINGTYPE_PUBLIC","features":[106]},{"name":"ICSTT_IPADDRESS","features":[106]},{"name":"ICSTT_NAME","features":[106]},{"name":"ICS_TARGETTYPE","features":[106]},{"name":"IDynamicPortMapping","features":[106]},{"name":"IDynamicPortMappingCollection","features":[106]},{"name":"IEnumNetConnection","features":[106]},{"name":"IEnumNetSharingEveryConnection","features":[106]},{"name":"IEnumNetSharingPortMapping","features":[106]},{"name":"IEnumNetSharingPrivateConnection","features":[106]},{"name":"IEnumNetSharingPublicConnection","features":[106]},{"name":"INATEventManager","features":[106]},{"name":"INATExternalIPAddressCallback","features":[106]},{"name":"INATNumberOfEntriesCallback","features":[106]},{"name":"INET_FIREWALL_AC_BINARIES","features":[106]},{"name":"INET_FIREWALL_AC_BINARY","features":[106]},{"name":"INET_FIREWALL_AC_CAPABILITIES","features":[1,106,4]},{"name":"INET_FIREWALL_AC_CHANGE","features":[1,106,4]},{"name":"INET_FIREWALL_AC_CHANGE_CREATE","features":[106]},{"name":"INET_FIREWALL_AC_CHANGE_DELETE","features":[106]},{"name":"INET_FIREWALL_AC_CHANGE_INVALID","features":[106]},{"name":"INET_FIREWALL_AC_CHANGE_MAX","features":[106]},{"name":"INET_FIREWALL_AC_CHANGE_TYPE","features":[106]},{"name":"INET_FIREWALL_AC_CREATION_TYPE","features":[106]},{"name":"INET_FIREWALL_AC_MAX","features":[106]},{"name":"INET_FIREWALL_AC_NONE","features":[106]},{"name":"INET_FIREWALL_AC_PACKAGE_ID_ONLY","features":[106]},{"name":"INET_FIREWALL_APP_CONTAINER","features":[1,106,4]},{"name":"INetConnection","features":[106]},{"name":"INetConnectionConnectUi","features":[106]},{"name":"INetConnectionManager","features":[106]},{"name":"INetConnectionProps","features":[106]},{"name":"INetFwAuthorizedApplication","features":[106]},{"name":"INetFwAuthorizedApplications","features":[106]},{"name":"INetFwIcmpSettings","features":[106]},{"name":"INetFwMgr","features":[106]},{"name":"INetFwOpenPort","features":[106]},{"name":"INetFwOpenPorts","features":[106]},{"name":"INetFwPolicy","features":[106]},{"name":"INetFwPolicy2","features":[106]},{"name":"INetFwProduct","features":[106]},{"name":"INetFwProducts","features":[106]},{"name":"INetFwProfile","features":[106]},{"name":"INetFwRemoteAdminSettings","features":[106]},{"name":"INetFwRule","features":[106]},{"name":"INetFwRule2","features":[106]},{"name":"INetFwRule3","features":[106]},{"name":"INetFwRules","features":[106]},{"name":"INetFwService","features":[106]},{"name":"INetFwServiceRestriction","features":[106]},{"name":"INetFwServices","features":[106]},{"name":"INetSharingConfiguration","features":[106]},{"name":"INetSharingEveryConnectionCollection","features":[106]},{"name":"INetSharingManager","features":[106]},{"name":"INetSharingPortMapping","features":[106]},{"name":"INetSharingPortMappingCollection","features":[106]},{"name":"INetSharingPortMappingProps","features":[106]},{"name":"INetSharingPrivateConnectionCollection","features":[106]},{"name":"INetSharingPublicConnectionCollection","features":[106]},{"name":"IStaticPortMapping","features":[106]},{"name":"IStaticPortMappingCollection","features":[106]},{"name":"IUPnPNAT","features":[106]},{"name":"NCCF_ALLOW_DUPLICATION","features":[106]},{"name":"NCCF_ALLOW_REMOVAL","features":[106]},{"name":"NCCF_ALLOW_RENAME","features":[106]},{"name":"NCCF_ALL_USERS","features":[106]},{"name":"NCCF_BLUETOOTH_MASK","features":[106]},{"name":"NCCF_BRANDED","features":[106]},{"name":"NCCF_BRIDGED","features":[106]},{"name":"NCCF_DEFAULT","features":[106]},{"name":"NCCF_FIREWALLED","features":[106]},{"name":"NCCF_HOMENET_CAPABLE","features":[106]},{"name":"NCCF_HOSTED_NETWORK","features":[106]},{"name":"NCCF_INCOMING_ONLY","features":[106]},{"name":"NCCF_LAN_MASK","features":[106]},{"name":"NCCF_NONE","features":[106]},{"name":"NCCF_OUTGOING_ONLY","features":[106]},{"name":"NCCF_QUARANTINED","features":[106]},{"name":"NCCF_RESERVED","features":[106]},{"name":"NCCF_SHARED","features":[106]},{"name":"NCCF_SHARED_PRIVATE","features":[106]},{"name":"NCCF_VIRTUAL_STATION","features":[106]},{"name":"NCCF_WIFI_DIRECT","features":[106]},{"name":"NCME_DEFAULT","features":[106]},{"name":"NCME_HIDDEN","features":[106]},{"name":"NCM_BRIDGE","features":[106]},{"name":"NCM_DIRECT","features":[106]},{"name":"NCM_ISDN","features":[106]},{"name":"NCM_LAN","features":[106]},{"name":"NCM_NONE","features":[106]},{"name":"NCM_PHONE","features":[106]},{"name":"NCM_PPPOE","features":[106]},{"name":"NCM_SHAREDACCESSHOST_LAN","features":[106]},{"name":"NCM_SHAREDACCESSHOST_RAS","features":[106]},{"name":"NCM_TUNNEL","features":[106]},{"name":"NCS_ACTION_REQUIRED","features":[106]},{"name":"NCS_ACTION_REQUIRED_RETRY","features":[106]},{"name":"NCS_AUTHENTICATING","features":[106]},{"name":"NCS_AUTHENTICATION_FAILED","features":[106]},{"name":"NCS_AUTHENTICATION_SUCCEEDED","features":[106]},{"name":"NCS_CONNECTED","features":[106]},{"name":"NCS_CONNECTING","features":[106]},{"name":"NCS_CONNECT_FAILED","features":[106]},{"name":"NCS_CREDENTIALS_REQUIRED","features":[106]},{"name":"NCS_DISCONNECTED","features":[106]},{"name":"NCS_DISCONNECTING","features":[106]},{"name":"NCS_HARDWARE_DISABLED","features":[106]},{"name":"NCS_HARDWARE_MALFUNCTION","features":[106]},{"name":"NCS_HARDWARE_NOT_PRESENT","features":[106]},{"name":"NCS_INVALID_ADDRESS","features":[106]},{"name":"NCS_MEDIA_DISCONNECTED","features":[106]},{"name":"NCT_BRIDGE","features":[106]},{"name":"NCT_DIRECT_CONNECT","features":[106]},{"name":"NCT_INBOUND","features":[106]},{"name":"NCT_INTERNET","features":[106]},{"name":"NCT_LAN","features":[106]},{"name":"NCT_PHONE","features":[106]},{"name":"NCT_TUNNEL","features":[106]},{"name":"NCUC_DEFAULT","features":[106]},{"name":"NCUC_ENABLE_DISABLE","features":[106]},{"name":"NCUC_NO_UI","features":[106]},{"name":"NETCONMGR_ENUM_FLAGS","features":[106]},{"name":"NETCONUI_CONNECT_FLAGS","features":[106]},{"name":"NETCON_CHARACTERISTIC_FLAGS","features":[106]},{"name":"NETCON_MAX_NAME_LEN","features":[106]},{"name":"NETCON_MEDIATYPE","features":[106]},{"name":"NETCON_PROPERTIES","features":[106]},{"name":"NETCON_STATUS","features":[106]},{"name":"NETCON_TYPE","features":[106]},{"name":"NETISO_ERROR_TYPE","features":[106]},{"name":"NETISO_ERROR_TYPE_INTERNET_CLIENT","features":[106]},{"name":"NETISO_ERROR_TYPE_INTERNET_CLIENT_SERVER","features":[106]},{"name":"NETISO_ERROR_TYPE_MAX","features":[106]},{"name":"NETISO_ERROR_TYPE_NONE","features":[106]},{"name":"NETISO_ERROR_TYPE_PRIVATE_NETWORK","features":[106]},{"name":"NETISO_FLAG","features":[106]},{"name":"NETISO_FLAG_FORCE_COMPUTE_BINARIES","features":[106]},{"name":"NETISO_FLAG_MAX","features":[106]},{"name":"NETISO_GEID_FOR_NEUTRAL_AWARE","features":[106]},{"name":"NETISO_GEID_FOR_WDAG","features":[106]},{"name":"NET_FW_ACTION","features":[106]},{"name":"NET_FW_ACTION_ALLOW","features":[106]},{"name":"NET_FW_ACTION_BLOCK","features":[106]},{"name":"NET_FW_ACTION_MAX","features":[106]},{"name":"NET_FW_AUTHENTICATE_AND_ENCRYPT","features":[106]},{"name":"NET_FW_AUTHENTICATE_AND_NEGOTIATE_ENCRYPTION","features":[106]},{"name":"NET_FW_AUTHENTICATE_NONE","features":[106]},{"name":"NET_FW_AUTHENTICATE_NO_ENCAPSULATION","features":[106]},{"name":"NET_FW_AUTHENTICATE_TYPE","features":[106]},{"name":"NET_FW_AUTHENTICATE_WITH_INTEGRITY","features":[106]},{"name":"NET_FW_EDGE_TRAVERSAL_TYPE","features":[106]},{"name":"NET_FW_EDGE_TRAVERSAL_TYPE_ALLOW","features":[106]},{"name":"NET_FW_EDGE_TRAVERSAL_TYPE_DEFER_TO_APP","features":[106]},{"name":"NET_FW_EDGE_TRAVERSAL_TYPE_DEFER_TO_USER","features":[106]},{"name":"NET_FW_EDGE_TRAVERSAL_TYPE_DENY","features":[106]},{"name":"NET_FW_IP_PROTOCOL","features":[106]},{"name":"NET_FW_IP_PROTOCOL_ANY","features":[106]},{"name":"NET_FW_IP_PROTOCOL_TCP","features":[106]},{"name":"NET_FW_IP_PROTOCOL_UDP","features":[106]},{"name":"NET_FW_IP_VERSION","features":[106]},{"name":"NET_FW_IP_VERSION_ANY","features":[106]},{"name":"NET_FW_IP_VERSION_MAX","features":[106]},{"name":"NET_FW_IP_VERSION_V4","features":[106]},{"name":"NET_FW_IP_VERSION_V6","features":[106]},{"name":"NET_FW_MODIFY_STATE","features":[106]},{"name":"NET_FW_MODIFY_STATE_GP_OVERRIDE","features":[106]},{"name":"NET_FW_MODIFY_STATE_INBOUND_BLOCKED","features":[106]},{"name":"NET_FW_MODIFY_STATE_OK","features":[106]},{"name":"NET_FW_POLICY_EFFECTIVE","features":[106]},{"name":"NET_FW_POLICY_GROUP","features":[106]},{"name":"NET_FW_POLICY_LOCAL","features":[106]},{"name":"NET_FW_POLICY_TYPE","features":[106]},{"name":"NET_FW_POLICY_TYPE_MAX","features":[106]},{"name":"NET_FW_PROFILE2_ALL","features":[106]},{"name":"NET_FW_PROFILE2_DOMAIN","features":[106]},{"name":"NET_FW_PROFILE2_PRIVATE","features":[106]},{"name":"NET_FW_PROFILE2_PUBLIC","features":[106]},{"name":"NET_FW_PROFILE_CURRENT","features":[106]},{"name":"NET_FW_PROFILE_DOMAIN","features":[106]},{"name":"NET_FW_PROFILE_STANDARD","features":[106]},{"name":"NET_FW_PROFILE_TYPE","features":[106]},{"name":"NET_FW_PROFILE_TYPE2","features":[106]},{"name":"NET_FW_PROFILE_TYPE_MAX","features":[106]},{"name":"NET_FW_RULE_CATEGORY","features":[106]},{"name":"NET_FW_RULE_CATEGORY_BOOT","features":[106]},{"name":"NET_FW_RULE_CATEGORY_CONSEC","features":[106]},{"name":"NET_FW_RULE_CATEGORY_FIREWALL","features":[106]},{"name":"NET_FW_RULE_CATEGORY_MAX","features":[106]},{"name":"NET_FW_RULE_CATEGORY_STEALTH","features":[106]},{"name":"NET_FW_RULE_DIRECTION","features":[106]},{"name":"NET_FW_RULE_DIR_IN","features":[106]},{"name":"NET_FW_RULE_DIR_MAX","features":[106]},{"name":"NET_FW_RULE_DIR_OUT","features":[106]},{"name":"NET_FW_SCOPE","features":[106]},{"name":"NET_FW_SCOPE_ALL","features":[106]},{"name":"NET_FW_SCOPE_CUSTOM","features":[106]},{"name":"NET_FW_SCOPE_LOCAL_SUBNET","features":[106]},{"name":"NET_FW_SCOPE_MAX","features":[106]},{"name":"NET_FW_SERVICE_FILE_AND_PRINT","features":[106]},{"name":"NET_FW_SERVICE_NONE","features":[106]},{"name":"NET_FW_SERVICE_REMOTE_DESKTOP","features":[106]},{"name":"NET_FW_SERVICE_TYPE","features":[106]},{"name":"NET_FW_SERVICE_TYPE_MAX","features":[106]},{"name":"NET_FW_SERVICE_UPNP","features":[106]},{"name":"NcFreeNetconProperties","features":[106]},{"name":"NcIsValidConnectionName","features":[1,106]},{"name":"NetFwAuthorizedApplication","features":[106]},{"name":"NetFwMgr","features":[106]},{"name":"NetFwOpenPort","features":[106]},{"name":"NetFwPolicy2","features":[106]},{"name":"NetFwProduct","features":[106]},{"name":"NetFwProducts","features":[106]},{"name":"NetFwRule","features":[106]},{"name":"NetSharingManager","features":[106]},{"name":"NetworkIsolationDiagnoseConnectFailureAndGetInfo","features":[106]},{"name":"NetworkIsolationEnumAppContainers","features":[1,106,4]},{"name":"NetworkIsolationEnumerateAppContainerRules","features":[106]},{"name":"NetworkIsolationFreeAppContainers","features":[1,106,4]},{"name":"NetworkIsolationGetAppContainerConfig","features":[1,106,4]},{"name":"NetworkIsolationGetEnterpriseIdAsync","features":[1,106]},{"name":"NetworkIsolationGetEnterpriseIdClose","features":[1,106]},{"name":"NetworkIsolationRegisterForAppContainerChanges","features":[1,106,4]},{"name":"NetworkIsolationSetAppContainerConfig","features":[1,106,4]},{"name":"NetworkIsolationSetupAppContainerBinaries","features":[1,106]},{"name":"NetworkIsolationUnregisterForAppContainerChanges","features":[1,106]},{"name":"PAC_CHANGES_CALLBACK_FN","features":[1,106,4]},{"name":"PFN_FWADDDYNAMICKEYWORDADDRESS0","features":[106]},{"name":"PFN_FWDELETEDYNAMICKEYWORDADDRESS0","features":[106]},{"name":"PFN_FWENUMDYNAMICKEYWORDADDRESSBYID0","features":[106]},{"name":"PFN_FWENUMDYNAMICKEYWORDADDRESSESBYTYPE0","features":[106]},{"name":"PFN_FWFREEDYNAMICKEYWORDADDRESSDATA0","features":[106]},{"name":"PFN_FWUPDATEDYNAMICKEYWORDADDRESS0","features":[1,106]},{"name":"PNETISO_EDP_ID_CALLBACK_FN","features":[106]},{"name":"SHARINGCONNECTIONTYPE","features":[106]},{"name":"SHARINGCONNECTION_ENUM_FLAGS","features":[106]},{"name":"S_OBJECT_NO_LONGER_VALID","features":[106]},{"name":"UPnPNAT","features":[106]}],"466":[{"name":"WNV_API_MAJOR_VERSION_1","features":[107]},{"name":"WNV_API_MINOR_VERSION_0","features":[107]},{"name":"WNV_CA_NOTIFICATION_TYPE","features":[107]},{"name":"WNV_CUSTOMER_ADDRESS_CHANGE_PARAM","features":[107,15]},{"name":"WNV_IP_ADDRESS","features":[107,15]},{"name":"WNV_NOTIFICATION_PARAM","features":[107]},{"name":"WNV_NOTIFICATION_TYPE","features":[107]},{"name":"WNV_OBJECT_CHANGE_PARAM","features":[107,15]},{"name":"WNV_OBJECT_HEADER","features":[107]},{"name":"WNV_OBJECT_TYPE","features":[107]},{"name":"WNV_POLICY_MISMATCH_PARAM","features":[107,15]},{"name":"WNV_PROVIDER_ADDRESS_CHANGE_PARAM","features":[107,15]},{"name":"WNV_REDIRECT_PARAM","features":[107,15]},{"name":"WnvCustomerAddressAdded","features":[107]},{"name":"WnvCustomerAddressDeleted","features":[107]},{"name":"WnvCustomerAddressMax","features":[107]},{"name":"WnvCustomerAddressMoved","features":[107]},{"name":"WnvCustomerAddressType","features":[107]},{"name":"WnvNotificationTypeMax","features":[107]},{"name":"WnvObjectChangeType","features":[107]},{"name":"WnvObjectTypeMax","features":[107]},{"name":"WnvOpen","features":[1,107]},{"name":"WnvPolicyMismatchType","features":[107]},{"name":"WnvProviderAddressType","features":[107]},{"name":"WnvRedirectType","features":[107]},{"name":"WnvRequestNotification","features":[1,107,6]}],"467":[{"name":"ACTRL_DS_CONTROL_ACCESS","features":[108]},{"name":"ACTRL_DS_CREATE_CHILD","features":[108]},{"name":"ACTRL_DS_DELETE_CHILD","features":[108]},{"name":"ACTRL_DS_DELETE_TREE","features":[108]},{"name":"ACTRL_DS_LIST","features":[108]},{"name":"ACTRL_DS_LIST_OBJECT","features":[108]},{"name":"ACTRL_DS_OPEN","features":[108]},{"name":"ACTRL_DS_READ_PROP","features":[108]},{"name":"ACTRL_DS_SELF","features":[108]},{"name":"ACTRL_DS_WRITE_PROP","features":[108]},{"name":"ADAM_REPL_AUTHENTICATION_MODE_MUTUAL_AUTH_REQUIRED","features":[108]},{"name":"ADAM_REPL_AUTHENTICATION_MODE_NEGOTIATE","features":[108]},{"name":"ADAM_REPL_AUTHENTICATION_MODE_NEGOTIATE_PASS_THROUGH","features":[108]},{"name":"ADAM_SCP_FSMO_NAMING_STRING","features":[108]},{"name":"ADAM_SCP_FSMO_NAMING_STRING_W","features":[108]},{"name":"ADAM_SCP_FSMO_SCHEMA_STRING","features":[108]},{"name":"ADAM_SCP_FSMO_SCHEMA_STRING_W","features":[108]},{"name":"ADAM_SCP_FSMO_STRING","features":[108]},{"name":"ADAM_SCP_FSMO_STRING_W","features":[108]},{"name":"ADAM_SCP_INSTANCE_NAME_STRING","features":[108]},{"name":"ADAM_SCP_INSTANCE_NAME_STRING_W","features":[108]},{"name":"ADAM_SCP_PARTITION_STRING","features":[108]},{"name":"ADAM_SCP_PARTITION_STRING_W","features":[108]},{"name":"ADAM_SCP_SITE_NAME_STRING","features":[108]},{"name":"ADAM_SCP_SITE_NAME_STRING_W","features":[108]},{"name":"ADSIPROP_ADSIFLAG","features":[108]},{"name":"ADSIPROP_ASYNCHRONOUS","features":[108]},{"name":"ADSIPROP_ATTRIBTYPES_ONLY","features":[108]},{"name":"ADSIPROP_CACHE_RESULTS","features":[108]},{"name":"ADSIPROP_CHASE_REFERRALS","features":[108]},{"name":"ADSIPROP_DEREF_ALIASES","features":[108]},{"name":"ADSIPROP_PAGED_TIME_LIMIT","features":[108]},{"name":"ADSIPROP_PAGESIZE","features":[108]},{"name":"ADSIPROP_SEARCH_SCOPE","features":[108]},{"name":"ADSIPROP_SIZE_LIMIT","features":[108]},{"name":"ADSIPROP_SORT_ON","features":[108]},{"name":"ADSIPROP_TIMEOUT","features":[108]},{"name":"ADSIPROP_TIME_LIMIT","features":[108]},{"name":"ADSI_DIALECT_ENUM","features":[108]},{"name":"ADSI_DIALECT_LDAP","features":[108]},{"name":"ADSI_DIALECT_SQL","features":[108]},{"name":"ADSPROPERROR","features":[1,108]},{"name":"ADSPROPINITPARAMS","features":[1,108]},{"name":"ADSTYPE","features":[108]},{"name":"ADSTYPE_BACKLINK","features":[108]},{"name":"ADSTYPE_BOOLEAN","features":[108]},{"name":"ADSTYPE_CASEIGNORE_LIST","features":[108]},{"name":"ADSTYPE_CASE_EXACT_STRING","features":[108]},{"name":"ADSTYPE_CASE_IGNORE_STRING","features":[108]},{"name":"ADSTYPE_DN_STRING","features":[108]},{"name":"ADSTYPE_DN_WITH_BINARY","features":[108]},{"name":"ADSTYPE_DN_WITH_STRING","features":[108]},{"name":"ADSTYPE_EMAIL","features":[108]},{"name":"ADSTYPE_FAXNUMBER","features":[108]},{"name":"ADSTYPE_HOLD","features":[108]},{"name":"ADSTYPE_INTEGER","features":[108]},{"name":"ADSTYPE_INVALID","features":[108]},{"name":"ADSTYPE_LARGE_INTEGER","features":[108]},{"name":"ADSTYPE_NETADDRESS","features":[108]},{"name":"ADSTYPE_NT_SECURITY_DESCRIPTOR","features":[108]},{"name":"ADSTYPE_NUMERIC_STRING","features":[108]},{"name":"ADSTYPE_OBJECT_CLASS","features":[108]},{"name":"ADSTYPE_OCTET_LIST","features":[108]},{"name":"ADSTYPE_OCTET_STRING","features":[108]},{"name":"ADSTYPE_PATH","features":[108]},{"name":"ADSTYPE_POSTALADDRESS","features":[108]},{"name":"ADSTYPE_PRINTABLE_STRING","features":[108]},{"name":"ADSTYPE_PROV_SPECIFIC","features":[108]},{"name":"ADSTYPE_REPLICAPOINTER","features":[108]},{"name":"ADSTYPE_TIMESTAMP","features":[108]},{"name":"ADSTYPE_TYPEDNAME","features":[108]},{"name":"ADSTYPE_UNKNOWN","features":[108]},{"name":"ADSTYPE_UTC_TIME","features":[108]},{"name":"ADSVALUE","features":[1,108]},{"name":"ADS_ACEFLAG_ENUM","features":[108]},{"name":"ADS_ACEFLAG_FAILED_ACCESS","features":[108]},{"name":"ADS_ACEFLAG_INHERITED_ACE","features":[108]},{"name":"ADS_ACEFLAG_INHERIT_ACE","features":[108]},{"name":"ADS_ACEFLAG_INHERIT_ONLY_ACE","features":[108]},{"name":"ADS_ACEFLAG_NO_PROPAGATE_INHERIT_ACE","features":[108]},{"name":"ADS_ACEFLAG_SUCCESSFUL_ACCESS","features":[108]},{"name":"ADS_ACEFLAG_VALID_INHERIT_FLAGS","features":[108]},{"name":"ADS_ACETYPE_ACCESS_ALLOWED","features":[108]},{"name":"ADS_ACETYPE_ACCESS_ALLOWED_CALLBACK","features":[108]},{"name":"ADS_ACETYPE_ACCESS_ALLOWED_CALLBACK_OBJECT","features":[108]},{"name":"ADS_ACETYPE_ACCESS_ALLOWED_OBJECT","features":[108]},{"name":"ADS_ACETYPE_ACCESS_DENIED","features":[108]},{"name":"ADS_ACETYPE_ACCESS_DENIED_CALLBACK","features":[108]},{"name":"ADS_ACETYPE_ACCESS_DENIED_CALLBACK_OBJECT","features":[108]},{"name":"ADS_ACETYPE_ACCESS_DENIED_OBJECT","features":[108]},{"name":"ADS_ACETYPE_ENUM","features":[108]},{"name":"ADS_ACETYPE_SYSTEM_ALARM_CALLBACK","features":[108]},{"name":"ADS_ACETYPE_SYSTEM_ALARM_CALLBACK_OBJECT","features":[108]},{"name":"ADS_ACETYPE_SYSTEM_ALARM_OBJECT","features":[108]},{"name":"ADS_ACETYPE_SYSTEM_AUDIT","features":[108]},{"name":"ADS_ACETYPE_SYSTEM_AUDIT_CALLBACK","features":[108]},{"name":"ADS_ACETYPE_SYSTEM_AUDIT_CALLBACK_OBJECT","features":[108]},{"name":"ADS_ACETYPE_SYSTEM_AUDIT_OBJECT","features":[108]},{"name":"ADS_ATTR_APPEND","features":[108]},{"name":"ADS_ATTR_CLEAR","features":[108]},{"name":"ADS_ATTR_DEF","features":[1,108]},{"name":"ADS_ATTR_DELETE","features":[108]},{"name":"ADS_ATTR_INFO","features":[1,108]},{"name":"ADS_ATTR_UPDATE","features":[108]},{"name":"ADS_AUTHENTICATION_ENUM","features":[108]},{"name":"ADS_AUTH_RESERVED","features":[108]},{"name":"ADS_BACKLINK","features":[108]},{"name":"ADS_CASEIGNORE_LIST","features":[108]},{"name":"ADS_CHASE_REFERRALS_ALWAYS","features":[108]},{"name":"ADS_CHASE_REFERRALS_ENUM","features":[108]},{"name":"ADS_CHASE_REFERRALS_EXTERNAL","features":[108]},{"name":"ADS_CHASE_REFERRALS_NEVER","features":[108]},{"name":"ADS_CHASE_REFERRALS_SUBORDINATE","features":[108]},{"name":"ADS_CLASS_DEF","features":[1,108]},{"name":"ADS_DEREFENUM","features":[108]},{"name":"ADS_DEREF_ALWAYS","features":[108]},{"name":"ADS_DEREF_FINDING","features":[108]},{"name":"ADS_DEREF_NEVER","features":[108]},{"name":"ADS_DEREF_SEARCHING","features":[108]},{"name":"ADS_DISPLAY_ENUM","features":[108]},{"name":"ADS_DISPLAY_FULL","features":[108]},{"name":"ADS_DISPLAY_VALUE_ONLY","features":[108]},{"name":"ADS_DN_WITH_BINARY","features":[108]},{"name":"ADS_DN_WITH_STRING","features":[108]},{"name":"ADS_EMAIL","features":[108]},{"name":"ADS_ESCAPEDMODE_DEFAULT","features":[108]},{"name":"ADS_ESCAPEDMODE_OFF","features":[108]},{"name":"ADS_ESCAPEDMODE_OFF_EX","features":[108]},{"name":"ADS_ESCAPEDMODE_ON","features":[108]},{"name":"ADS_ESCAPE_MODE_ENUM","features":[108]},{"name":"ADS_EXT_INITCREDENTIALS","features":[108]},{"name":"ADS_EXT_INITIALIZE_COMPLETE","features":[108]},{"name":"ADS_EXT_MAXEXTDISPID","features":[108]},{"name":"ADS_EXT_MINEXTDISPID","features":[108]},{"name":"ADS_FAST_BIND","features":[108]},{"name":"ADS_FAXNUMBER","features":[108]},{"name":"ADS_FLAGTYPE_ENUM","features":[108]},{"name":"ADS_FLAG_INHERITED_OBJECT_TYPE_PRESENT","features":[108]},{"name":"ADS_FLAG_OBJECT_TYPE_PRESENT","features":[108]},{"name":"ADS_FORMAT_ENUM","features":[108]},{"name":"ADS_FORMAT_LEAF","features":[108]},{"name":"ADS_FORMAT_PROVIDER","features":[108]},{"name":"ADS_FORMAT_SERVER","features":[108]},{"name":"ADS_FORMAT_WINDOWS","features":[108]},{"name":"ADS_FORMAT_WINDOWS_DN","features":[108]},{"name":"ADS_FORMAT_WINDOWS_NO_SERVER","features":[108]},{"name":"ADS_FORMAT_WINDOWS_PARENT","features":[108]},{"name":"ADS_FORMAT_X500","features":[108]},{"name":"ADS_FORMAT_X500_DN","features":[108]},{"name":"ADS_FORMAT_X500_NO_SERVER","features":[108]},{"name":"ADS_FORMAT_X500_PARENT","features":[108]},{"name":"ADS_GROUP_TYPE_DOMAIN_LOCAL_GROUP","features":[108]},{"name":"ADS_GROUP_TYPE_ENUM","features":[108]},{"name":"ADS_GROUP_TYPE_GLOBAL_GROUP","features":[108]},{"name":"ADS_GROUP_TYPE_LOCAL_GROUP","features":[108]},{"name":"ADS_GROUP_TYPE_SECURITY_ENABLED","features":[108]},{"name":"ADS_GROUP_TYPE_UNIVERSAL_GROUP","features":[108]},{"name":"ADS_HOLD","features":[108]},{"name":"ADS_NAME_INITTYPE_DOMAIN","features":[108]},{"name":"ADS_NAME_INITTYPE_ENUM","features":[108]},{"name":"ADS_NAME_INITTYPE_GC","features":[108]},{"name":"ADS_NAME_INITTYPE_SERVER","features":[108]},{"name":"ADS_NAME_TYPE_1779","features":[108]},{"name":"ADS_NAME_TYPE_CANONICAL","features":[108]},{"name":"ADS_NAME_TYPE_CANONICAL_EX","features":[108]},{"name":"ADS_NAME_TYPE_DISPLAY","features":[108]},{"name":"ADS_NAME_TYPE_DOMAIN_SIMPLE","features":[108]},{"name":"ADS_NAME_TYPE_ENTERPRISE_SIMPLE","features":[108]},{"name":"ADS_NAME_TYPE_ENUM","features":[108]},{"name":"ADS_NAME_TYPE_GUID","features":[108]},{"name":"ADS_NAME_TYPE_NT4","features":[108]},{"name":"ADS_NAME_TYPE_SERVICE_PRINCIPAL_NAME","features":[108]},{"name":"ADS_NAME_TYPE_SID_OR_SID_HISTORY_NAME","features":[108]},{"name":"ADS_NAME_TYPE_UNKNOWN","features":[108]},{"name":"ADS_NAME_TYPE_USER_PRINCIPAL_NAME","features":[108]},{"name":"ADS_NETADDRESS","features":[108]},{"name":"ADS_NO_AUTHENTICATION","features":[108]},{"name":"ADS_NO_REFERRAL_CHASING","features":[108]},{"name":"ADS_NT_SECURITY_DESCRIPTOR","features":[108]},{"name":"ADS_OBJECT_INFO","features":[108]},{"name":"ADS_OCTET_LIST","features":[108]},{"name":"ADS_OCTET_STRING","features":[108]},{"name":"ADS_OPTION_ACCUMULATIVE_MODIFICATION","features":[108]},{"name":"ADS_OPTION_ENUM","features":[108]},{"name":"ADS_OPTION_MUTUAL_AUTH_STATUS","features":[108]},{"name":"ADS_OPTION_PAGE_SIZE","features":[108]},{"name":"ADS_OPTION_PASSWORD_METHOD","features":[108]},{"name":"ADS_OPTION_PASSWORD_PORTNUMBER","features":[108]},{"name":"ADS_OPTION_QUOTA","features":[108]},{"name":"ADS_OPTION_REFERRALS","features":[108]},{"name":"ADS_OPTION_SECURITY_MASK","features":[108]},{"name":"ADS_OPTION_SERVERNAME","features":[108]},{"name":"ADS_OPTION_SKIP_SID_LOOKUP","features":[108]},{"name":"ADS_PASSWORD_ENCODE_CLEAR","features":[108]},{"name":"ADS_PASSWORD_ENCODE_REQUIRE_SSL","features":[108]},{"name":"ADS_PASSWORD_ENCODING_ENUM","features":[108]},{"name":"ADS_PATH","features":[108]},{"name":"ADS_PATHTYPE_ENUM","features":[108]},{"name":"ADS_PATH_FILE","features":[108]},{"name":"ADS_PATH_FILESHARE","features":[108]},{"name":"ADS_PATH_REGISTRY","features":[108]},{"name":"ADS_POSTALADDRESS","features":[108]},{"name":"ADS_PREFERENCES_ENUM","features":[108]},{"name":"ADS_PROMPT_CREDENTIALS","features":[108]},{"name":"ADS_PROPERTY_APPEND","features":[108]},{"name":"ADS_PROPERTY_CLEAR","features":[108]},{"name":"ADS_PROPERTY_DELETE","features":[108]},{"name":"ADS_PROPERTY_OPERATION_ENUM","features":[108]},{"name":"ADS_PROPERTY_UPDATE","features":[108]},{"name":"ADS_PROV_SPECIFIC","features":[108]},{"name":"ADS_READONLY_SERVER","features":[108]},{"name":"ADS_REPLICAPOINTER","features":[108]},{"name":"ADS_RIGHTS_ENUM","features":[108]},{"name":"ADS_RIGHT_ACCESS_SYSTEM_SECURITY","features":[108]},{"name":"ADS_RIGHT_ACTRL_DS_LIST","features":[108]},{"name":"ADS_RIGHT_DELETE","features":[108]},{"name":"ADS_RIGHT_DS_CONTROL_ACCESS","features":[108]},{"name":"ADS_RIGHT_DS_CREATE_CHILD","features":[108]},{"name":"ADS_RIGHT_DS_DELETE_CHILD","features":[108]},{"name":"ADS_RIGHT_DS_DELETE_TREE","features":[108]},{"name":"ADS_RIGHT_DS_LIST_OBJECT","features":[108]},{"name":"ADS_RIGHT_DS_READ_PROP","features":[108]},{"name":"ADS_RIGHT_DS_SELF","features":[108]},{"name":"ADS_RIGHT_DS_WRITE_PROP","features":[108]},{"name":"ADS_RIGHT_GENERIC_ALL","features":[108]},{"name":"ADS_RIGHT_GENERIC_EXECUTE","features":[108]},{"name":"ADS_RIGHT_GENERIC_READ","features":[108]},{"name":"ADS_RIGHT_GENERIC_WRITE","features":[108]},{"name":"ADS_RIGHT_READ_CONTROL","features":[108]},{"name":"ADS_RIGHT_SYNCHRONIZE","features":[108]},{"name":"ADS_RIGHT_WRITE_DAC","features":[108]},{"name":"ADS_RIGHT_WRITE_OWNER","features":[108]},{"name":"ADS_SCOPEENUM","features":[108]},{"name":"ADS_SCOPE_BASE","features":[108]},{"name":"ADS_SCOPE_ONELEVEL","features":[108]},{"name":"ADS_SCOPE_SUBTREE","features":[108]},{"name":"ADS_SD_CONTROL_ENUM","features":[108]},{"name":"ADS_SD_CONTROL_SE_DACL_AUTO_INHERITED","features":[108]},{"name":"ADS_SD_CONTROL_SE_DACL_AUTO_INHERIT_REQ","features":[108]},{"name":"ADS_SD_CONTROL_SE_DACL_DEFAULTED","features":[108]},{"name":"ADS_SD_CONTROL_SE_DACL_PRESENT","features":[108]},{"name":"ADS_SD_CONTROL_SE_DACL_PROTECTED","features":[108]},{"name":"ADS_SD_CONTROL_SE_GROUP_DEFAULTED","features":[108]},{"name":"ADS_SD_CONTROL_SE_OWNER_DEFAULTED","features":[108]},{"name":"ADS_SD_CONTROL_SE_SACL_AUTO_INHERITED","features":[108]},{"name":"ADS_SD_CONTROL_SE_SACL_AUTO_INHERIT_REQ","features":[108]},{"name":"ADS_SD_CONTROL_SE_SACL_DEFAULTED","features":[108]},{"name":"ADS_SD_CONTROL_SE_SACL_PRESENT","features":[108]},{"name":"ADS_SD_CONTROL_SE_SACL_PROTECTED","features":[108]},{"name":"ADS_SD_CONTROL_SE_SELF_RELATIVE","features":[108]},{"name":"ADS_SD_FORMAT_ENUM","features":[108]},{"name":"ADS_SD_FORMAT_HEXSTRING","features":[108]},{"name":"ADS_SD_FORMAT_IID","features":[108]},{"name":"ADS_SD_FORMAT_RAW","features":[108]},{"name":"ADS_SD_REVISION_DS","features":[108]},{"name":"ADS_SD_REVISION_ENUM","features":[108]},{"name":"ADS_SEARCHPREF_ASYNCHRONOUS","features":[108]},{"name":"ADS_SEARCHPREF_ATTRIBTYPES_ONLY","features":[108]},{"name":"ADS_SEARCHPREF_ATTRIBUTE_QUERY","features":[108]},{"name":"ADS_SEARCHPREF_CACHE_RESULTS","features":[108]},{"name":"ADS_SEARCHPREF_CHASE_REFERRALS","features":[108]},{"name":"ADS_SEARCHPREF_DEREF_ALIASES","features":[108]},{"name":"ADS_SEARCHPREF_DIRSYNC","features":[108]},{"name":"ADS_SEARCHPREF_DIRSYNC_FLAG","features":[108]},{"name":"ADS_SEARCHPREF_ENUM","features":[108]},{"name":"ADS_SEARCHPREF_EXTENDED_DN","features":[108]},{"name":"ADS_SEARCHPREF_INFO","features":[1,108]},{"name":"ADS_SEARCHPREF_PAGED_TIME_LIMIT","features":[108]},{"name":"ADS_SEARCHPREF_PAGESIZE","features":[108]},{"name":"ADS_SEARCHPREF_SEARCH_SCOPE","features":[108]},{"name":"ADS_SEARCHPREF_SECURITY_MASK","features":[108]},{"name":"ADS_SEARCHPREF_SIZE_LIMIT","features":[108]},{"name":"ADS_SEARCHPREF_SORT_ON","features":[108]},{"name":"ADS_SEARCHPREF_TIMEOUT","features":[108]},{"name":"ADS_SEARCHPREF_TIME_LIMIT","features":[108]},{"name":"ADS_SEARCHPREF_TOMBSTONE","features":[108]},{"name":"ADS_SEARCHPREF_VLV","features":[108]},{"name":"ADS_SEARCH_COLUMN","features":[1,108]},{"name":"ADS_SEARCH_HANDLE","features":[108]},{"name":"ADS_SECURE_AUTHENTICATION","features":[108]},{"name":"ADS_SECURITY_INFO_DACL","features":[108]},{"name":"ADS_SECURITY_INFO_ENUM","features":[108]},{"name":"ADS_SECURITY_INFO_GROUP","features":[108]},{"name":"ADS_SECURITY_INFO_OWNER","features":[108]},{"name":"ADS_SECURITY_INFO_SACL","features":[108]},{"name":"ADS_SERVER_BIND","features":[108]},{"name":"ADS_SETTYPE_DN","features":[108]},{"name":"ADS_SETTYPE_ENUM","features":[108]},{"name":"ADS_SETTYPE_FULL","features":[108]},{"name":"ADS_SETTYPE_PROVIDER","features":[108]},{"name":"ADS_SETTYPE_SERVER","features":[108]},{"name":"ADS_SORTKEY","features":[1,108]},{"name":"ADS_STATUSENUM","features":[108]},{"name":"ADS_STATUS_INVALID_SEARCHPREF","features":[108]},{"name":"ADS_STATUS_INVALID_SEARCHPREFVALUE","features":[108]},{"name":"ADS_STATUS_S_OK","features":[108]},{"name":"ADS_SYSTEMFLAG_ATTR_IS_CONSTRUCTED","features":[108]},{"name":"ADS_SYSTEMFLAG_ATTR_NOT_REPLICATED","features":[108]},{"name":"ADS_SYSTEMFLAG_CONFIG_ALLOW_LIMITED_MOVE","features":[108]},{"name":"ADS_SYSTEMFLAG_CONFIG_ALLOW_MOVE","features":[108]},{"name":"ADS_SYSTEMFLAG_CONFIG_ALLOW_RENAME","features":[108]},{"name":"ADS_SYSTEMFLAG_CR_NTDS_DOMAIN","features":[108]},{"name":"ADS_SYSTEMFLAG_CR_NTDS_NC","features":[108]},{"name":"ADS_SYSTEMFLAG_DISALLOW_DELETE","features":[108]},{"name":"ADS_SYSTEMFLAG_DOMAIN_DISALLOW_MOVE","features":[108]},{"name":"ADS_SYSTEMFLAG_DOMAIN_DISALLOW_RENAME","features":[108]},{"name":"ADS_SYSTEMFLAG_ENUM","features":[108]},{"name":"ADS_TIMESTAMP","features":[108]},{"name":"ADS_TYPEDNAME","features":[108]},{"name":"ADS_UF_ACCOUNTDISABLE","features":[108]},{"name":"ADS_UF_DONT_EXPIRE_PASSWD","features":[108]},{"name":"ADS_UF_DONT_REQUIRE_PREAUTH","features":[108]},{"name":"ADS_UF_ENCRYPTED_TEXT_PASSWORD_ALLOWED","features":[108]},{"name":"ADS_UF_HOMEDIR_REQUIRED","features":[108]},{"name":"ADS_UF_INTERDOMAIN_TRUST_ACCOUNT","features":[108]},{"name":"ADS_UF_LOCKOUT","features":[108]},{"name":"ADS_UF_MNS_LOGON_ACCOUNT","features":[108]},{"name":"ADS_UF_NORMAL_ACCOUNT","features":[108]},{"name":"ADS_UF_NOT_DELEGATED","features":[108]},{"name":"ADS_UF_PASSWD_CANT_CHANGE","features":[108]},{"name":"ADS_UF_PASSWD_NOTREQD","features":[108]},{"name":"ADS_UF_PASSWORD_EXPIRED","features":[108]},{"name":"ADS_UF_SCRIPT","features":[108]},{"name":"ADS_UF_SERVER_TRUST_ACCOUNT","features":[108]},{"name":"ADS_UF_SMARTCARD_REQUIRED","features":[108]},{"name":"ADS_UF_TEMP_DUPLICATE_ACCOUNT","features":[108]},{"name":"ADS_UF_TRUSTED_FOR_DELEGATION","features":[108]},{"name":"ADS_UF_TRUSTED_TO_AUTHENTICATE_FOR_DELEGATION","features":[108]},{"name":"ADS_UF_USE_DES_KEY_ONLY","features":[108]},{"name":"ADS_UF_WORKSTATION_TRUST_ACCOUNT","features":[108]},{"name":"ADS_USER_FLAG_ENUM","features":[108]},{"name":"ADS_USE_DELEGATION","features":[108]},{"name":"ADS_USE_ENCRYPTION","features":[108]},{"name":"ADS_USE_SEALING","features":[108]},{"name":"ADS_USE_SIGNING","features":[108]},{"name":"ADS_USE_SSL","features":[108]},{"name":"ADS_VLV","features":[108]},{"name":"ADSystemInfo","features":[108]},{"name":"ADsBuildEnumerator","features":[108]},{"name":"ADsBuildVarArrayInt","features":[1,108,41,42]},{"name":"ADsBuildVarArrayStr","features":[1,108,41,42]},{"name":"ADsDecodeBinaryData","features":[108]},{"name":"ADsEncodeBinaryData","features":[108]},{"name":"ADsEnumerateNext","features":[1,108,41,42]},{"name":"ADsFreeEnumerator","features":[108]},{"name":"ADsGetLastError","features":[108]},{"name":"ADsGetObject","features":[108]},{"name":"ADsOpenObject","features":[108]},{"name":"ADsPropCheckIfWritable","features":[1,108]},{"name":"ADsPropCreateNotifyObj","features":[1,108]},{"name":"ADsPropGetInitInfo","features":[1,108]},{"name":"ADsPropSendErrorMessage","features":[1,108]},{"name":"ADsPropSetHwnd","features":[1,108]},{"name":"ADsPropSetHwndWithTitle","features":[1,108]},{"name":"ADsPropShowErrorDialog","features":[1,108]},{"name":"ADsSecurityUtility","features":[108]},{"name":"ADsSetLastError","features":[108]},{"name":"AccessControlEntry","features":[108]},{"name":"AccessControlList","features":[108]},{"name":"AdsFreeAdsValues","features":[1,108]},{"name":"AdsTypeToPropVariant","features":[1,108,41,42]},{"name":"AllocADsMem","features":[108]},{"name":"AllocADsStr","features":[108]},{"name":"BackLink","features":[108]},{"name":"BinarySDToSecurityDescriptor","features":[1,108,4,41,42]},{"name":"CFSTR_DSDISPLAYSPECOPTIONS","features":[108]},{"name":"CFSTR_DSOBJECTNAMES","features":[108]},{"name":"CFSTR_DSOP_DS_SELECTION_LIST","features":[108]},{"name":"CFSTR_DSPROPERTYPAGEINFO","features":[108]},{"name":"CFSTR_DSQUERYPARAMS","features":[108]},{"name":"CFSTR_DSQUERYSCOPE","features":[108]},{"name":"CFSTR_DS_DISPLAY_SPEC_OPTIONS","features":[108]},{"name":"CLSID_CommonQuery","features":[108]},{"name":"CLSID_DsAdminCreateObj","features":[108]},{"name":"CLSID_DsDisplaySpecifier","features":[108]},{"name":"CLSID_DsDomainTreeBrowser","features":[108]},{"name":"CLSID_DsFindAdvanced","features":[108]},{"name":"CLSID_DsFindComputer","features":[108]},{"name":"CLSID_DsFindContainer","features":[108]},{"name":"CLSID_DsFindDomainController","features":[108]},{"name":"CLSID_DsFindFrsMembers","features":[108]},{"name":"CLSID_DsFindObjects","features":[108]},{"name":"CLSID_DsFindPeople","features":[108]},{"name":"CLSID_DsFindPrinter","features":[108]},{"name":"CLSID_DsFindVolume","features":[108]},{"name":"CLSID_DsFindWriteableDomainController","features":[108]},{"name":"CLSID_DsFolderProperties","features":[108]},{"name":"CLSID_DsObjectPicker","features":[108]},{"name":"CLSID_DsPropertyPages","features":[108]},{"name":"CLSID_DsQuery","features":[108]},{"name":"CLSID_MicrosoftDS","features":[108]},{"name":"CQFF_ISOPTIONAL","features":[108]},{"name":"CQFF_NOGLOBALPAGES","features":[108]},{"name":"CQFORM","features":[108,50]},{"name":"CQPAGE","features":[1,108,50]},{"name":"CQPM_CLEARFORM","features":[108]},{"name":"CQPM_ENABLE","features":[108]},{"name":"CQPM_GETPARAMETERS","features":[108]},{"name":"CQPM_HANDLERSPECIFIC","features":[108]},{"name":"CQPM_HELP","features":[108]},{"name":"CQPM_INITIALIZE","features":[108]},{"name":"CQPM_PERSIST","features":[108]},{"name":"CQPM_RELEASE","features":[108]},{"name":"CQPM_SETDEFAULTPARAMETERS","features":[108]},{"name":"CaseIgnoreList","features":[108]},{"name":"DBDTF_RETURNEXTERNAL","features":[108]},{"name":"DBDTF_RETURNFQDN","features":[108]},{"name":"DBDTF_RETURNINBOUND","features":[108]},{"name":"DBDTF_RETURNINOUTBOUND","features":[108]},{"name":"DBDTF_RETURNMIXEDDOMAINS","features":[108]},{"name":"DNWithBinary","features":[108]},{"name":"DNWithString","features":[108]},{"name":"DOMAINDESC","features":[1,108]},{"name":"DOMAIN_CONTROLLER_INFOA","features":[108]},{"name":"DOMAIN_CONTROLLER_INFOW","features":[108]},{"name":"DOMAIN_TREE","features":[1,108]},{"name":"DSA_NEWOBJ_CTX_CLEANUP","features":[108]},{"name":"DSA_NEWOBJ_CTX_COMMIT","features":[108]},{"name":"DSA_NEWOBJ_CTX_POSTCOMMIT","features":[108]},{"name":"DSA_NEWOBJ_CTX_PRECOMMIT","features":[108]},{"name":"DSA_NEWOBJ_DISPINFO","features":[108,50]},{"name":"DSA_NOTIFY_DEL","features":[108]},{"name":"DSA_NOTIFY_FLAG_ADDITIONAL_DATA","features":[108]},{"name":"DSA_NOTIFY_FLAG_FORCE_ADDITIONAL_DATA","features":[108]},{"name":"DSA_NOTIFY_MOV","features":[108]},{"name":"DSA_NOTIFY_PROP","features":[108]},{"name":"DSA_NOTIFY_REN","features":[108]},{"name":"DSBF_DISPLAYNAME","features":[108]},{"name":"DSBF_ICONLOCATION","features":[108]},{"name":"DSBF_STATE","features":[108]},{"name":"DSBID_BANNER","features":[108]},{"name":"DSBID_CONTAINERLIST","features":[108]},{"name":"DSBITEMA","features":[108]},{"name":"DSBITEMW","features":[108]},{"name":"DSBI_CHECKBOXES","features":[108]},{"name":"DSBI_DONTSIGNSEAL","features":[108]},{"name":"DSBI_ENTIREDIRECTORY","features":[108]},{"name":"DSBI_EXPANDONOPEN","features":[108]},{"name":"DSBI_HASCREDENTIALS","features":[108]},{"name":"DSBI_IGNORETREATASLEAF","features":[108]},{"name":"DSBI_INCLUDEHIDDEN","features":[108]},{"name":"DSBI_NOBUTTONS","features":[108]},{"name":"DSBI_NOLINES","features":[108]},{"name":"DSBI_NOLINESATROOT","features":[108]},{"name":"DSBI_NOROOT","features":[108]},{"name":"DSBI_RETURNOBJECTCLASS","features":[108]},{"name":"DSBI_RETURN_FORMAT","features":[108]},{"name":"DSBI_SIMPLEAUTHENTICATE","features":[108]},{"name":"DSBM_CHANGEIMAGESTATE","features":[108]},{"name":"DSBM_CONTEXTMENU","features":[108]},{"name":"DSBM_HELP","features":[108]},{"name":"DSBM_QUERYINSERT","features":[108]},{"name":"DSBM_QUERYINSERTA","features":[108]},{"name":"DSBM_QUERYINSERTW","features":[108]},{"name":"DSBROWSEINFOA","features":[1,108,109]},{"name":"DSBROWSEINFOW","features":[1,108,109]},{"name":"DSBS_CHECKED","features":[108]},{"name":"DSBS_HIDDEN","features":[108]},{"name":"DSBS_ROOT","features":[108]},{"name":"DSB_MAX_DISPLAYNAME_CHARS","features":[108]},{"name":"DSCCIF_HASWIZARDDIALOG","features":[108]},{"name":"DSCCIF_HASWIZARDPRIMARYPAGE","features":[108]},{"name":"DSCLASSCREATIONINFO","features":[108]},{"name":"DSCOLUMN","features":[108]},{"name":"DSDISPLAYSPECOPTIONS","features":[108]},{"name":"DSDSOF_DONTSIGNSEAL","features":[108]},{"name":"DSDSOF_DSAVAILABLE","features":[108]},{"name":"DSDSOF_HASUSERANDSERVERINFO","features":[108]},{"name":"DSDSOF_SIMPLEAUTHENTICATE","features":[108]},{"name":"DSECAF_NOTLISTED","features":[108]},{"name":"DSGIF_DEFAULTISCONTAINER","features":[108]},{"name":"DSGIF_GETDEFAULTICON","features":[108]},{"name":"DSGIF_ISDISABLED","features":[108]},{"name":"DSGIF_ISMASK","features":[108]},{"name":"DSGIF_ISNORMAL","features":[108]},{"name":"DSGIF_ISOPEN","features":[108]},{"name":"DSICCF_IGNORETREATASLEAF","features":[108]},{"name":"DSOBJECT","features":[108]},{"name":"DSOBJECTNAMES","features":[108]},{"name":"DSOBJECT_ISCONTAINER","features":[108]},{"name":"DSOBJECT_READONLYPAGES","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_ALL_APP_PACKAGES","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_ALL_WELLKNOWN_SIDS","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_ANONYMOUS","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_AUTHENTICATED_USER","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_BATCH","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_COMPUTERS","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_CREATOR_GROUP","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_CREATOR_OWNER","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_DIALUP","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_EXCLUDE_BUILTIN_GROUPS","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_GLOBAL_GROUPS","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_IIS_APP_POOL","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_INTERACTIVE","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_INTERNET_USER","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_LOCAL_ACCOUNTS","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_LOCAL_GROUPS","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_LOCAL_LOGON","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_LOCAL_SERVICE","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_NETWORK","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_NETWORK_SERVICE","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_OWNER_RIGHTS","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_REMOTE_LOGON","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_SERVICE","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_SERVICES","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_SYSTEM","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_TERMINAL_SERVER","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_THIS_ORG_CERT","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_USERS","features":[108]},{"name":"DSOP_DOWNLEVEL_FILTER_WORLD","features":[108]},{"name":"DSOP_FILTER_BUILTIN_GROUPS","features":[108]},{"name":"DSOP_FILTER_COMPUTERS","features":[108]},{"name":"DSOP_FILTER_CONTACTS","features":[108]},{"name":"DSOP_FILTER_DOMAIN_LOCAL_GROUPS_DL","features":[108]},{"name":"DSOP_FILTER_DOMAIN_LOCAL_GROUPS_SE","features":[108]},{"name":"DSOP_FILTER_FLAGS","features":[108]},{"name":"DSOP_FILTER_GLOBAL_GROUPS_DL","features":[108]},{"name":"DSOP_FILTER_GLOBAL_GROUPS_SE","features":[108]},{"name":"DSOP_FILTER_INCLUDE_ADVANCED_VIEW","features":[108]},{"name":"DSOP_FILTER_PASSWORDSETTINGS_OBJECTS","features":[108]},{"name":"DSOP_FILTER_SERVICE_ACCOUNTS","features":[108]},{"name":"DSOP_FILTER_UNIVERSAL_GROUPS_DL","features":[108]},{"name":"DSOP_FILTER_UNIVERSAL_GROUPS_SE","features":[108]},{"name":"DSOP_FILTER_USERS","features":[108]},{"name":"DSOP_FILTER_WELL_KNOWN_PRINCIPALS","features":[108]},{"name":"DSOP_FLAG_MULTISELECT","features":[108]},{"name":"DSOP_FLAG_SKIP_TARGET_COMPUTER_DC_CHECK","features":[108]},{"name":"DSOP_INIT_INFO","features":[108]},{"name":"DSOP_SCOPE_FLAG_DEFAULT_FILTER_COMPUTERS","features":[108]},{"name":"DSOP_SCOPE_FLAG_DEFAULT_FILTER_CONTACTS","features":[108]},{"name":"DSOP_SCOPE_FLAG_DEFAULT_FILTER_GROUPS","features":[108]},{"name":"DSOP_SCOPE_FLAG_DEFAULT_FILTER_PASSWORDSETTINGS_OBJECTS","features":[108]},{"name":"DSOP_SCOPE_FLAG_DEFAULT_FILTER_SERVICE_ACCOUNTS","features":[108]},{"name":"DSOP_SCOPE_FLAG_DEFAULT_FILTER_USERS","features":[108]},{"name":"DSOP_SCOPE_FLAG_STARTING_SCOPE","features":[108]},{"name":"DSOP_SCOPE_FLAG_WANT_DOWNLEVEL_BUILTIN_PATH","features":[108]},{"name":"DSOP_SCOPE_FLAG_WANT_PROVIDER_GC","features":[108]},{"name":"DSOP_SCOPE_FLAG_WANT_PROVIDER_LDAP","features":[108]},{"name":"DSOP_SCOPE_FLAG_WANT_PROVIDER_WINNT","features":[108]},{"name":"DSOP_SCOPE_FLAG_WANT_SID_PATH","features":[108]},{"name":"DSOP_SCOPE_INIT_INFO","features":[108]},{"name":"DSOP_SCOPE_TYPE_DOWNLEVEL_JOINED_DOMAIN","features":[108]},{"name":"DSOP_SCOPE_TYPE_ENTERPRISE_DOMAIN","features":[108]},{"name":"DSOP_SCOPE_TYPE_EXTERNAL_DOWNLEVEL_DOMAIN","features":[108]},{"name":"DSOP_SCOPE_TYPE_EXTERNAL_UPLEVEL_DOMAIN","features":[108]},{"name":"DSOP_SCOPE_TYPE_GLOBAL_CATALOG","features":[108]},{"name":"DSOP_SCOPE_TYPE_TARGET_COMPUTER","features":[108]},{"name":"DSOP_SCOPE_TYPE_UPLEVEL_JOINED_DOMAIN","features":[108]},{"name":"DSOP_SCOPE_TYPE_USER_ENTERED_DOWNLEVEL_SCOPE","features":[108]},{"name":"DSOP_SCOPE_TYPE_USER_ENTERED_UPLEVEL_SCOPE","features":[108]},{"name":"DSOP_SCOPE_TYPE_WORKGROUP","features":[108]},{"name":"DSOP_UPLEVEL_FILTER_FLAGS","features":[108]},{"name":"DSPROPERTYPAGEINFO","features":[108]},{"name":"DSPROP_ATTRCHANGED_MSG","features":[108]},{"name":"DSPROVIDER_ADVANCED","features":[108]},{"name":"DSPROVIDER_AD_LDS","features":[108]},{"name":"DSPROVIDER_UNUSED_0","features":[108]},{"name":"DSPROVIDER_UNUSED_1","features":[108]},{"name":"DSPROVIDER_UNUSED_2","features":[108]},{"name":"DSPROVIDER_UNUSED_3","features":[108]},{"name":"DSQPF_ENABLEADMINFEATURES","features":[108]},{"name":"DSQPF_ENABLEADVANCEDFEATURES","features":[108]},{"name":"DSQPF_HASCREDENTIALS","features":[108]},{"name":"DSQPF_NOCHOOSECOLUMNS","features":[108]},{"name":"DSQPF_NOSAVE","features":[108]},{"name":"DSQPF_SAVELOCATION","features":[108]},{"name":"DSQPF_SHOWHIDDENOBJECTS","features":[108]},{"name":"DSQPM_GETCLASSLIST","features":[108]},{"name":"DSQPM_HELPTOPICS","features":[108]},{"name":"DSQUERYCLASSLIST","features":[108]},{"name":"DSQUERYINITPARAMS","features":[108]},{"name":"DSQUERYPARAMS","features":[1,108]},{"name":"DSROLE_MACHINE_ROLE","features":[108]},{"name":"DSROLE_OPERATION_STATE","features":[108]},{"name":"DSROLE_OPERATION_STATE_INFO","features":[108]},{"name":"DSROLE_PRIMARY_DOMAIN_GUID_PRESENT","features":[108]},{"name":"DSROLE_PRIMARY_DOMAIN_INFO_BASIC","features":[108]},{"name":"DSROLE_PRIMARY_DOMAIN_INFO_LEVEL","features":[108]},{"name":"DSROLE_PRIMARY_DS_MIXED_MODE","features":[108]},{"name":"DSROLE_PRIMARY_DS_READONLY","features":[108]},{"name":"DSROLE_PRIMARY_DS_RUNNING","features":[108]},{"name":"DSROLE_SERVER_STATE","features":[108]},{"name":"DSROLE_UPGRADE_IN_PROGRESS","features":[108]},{"name":"DSROLE_UPGRADE_STATUS_INFO","features":[108]},{"name":"DSSSF_DONTSIGNSEAL","features":[108]},{"name":"DSSSF_DSAVAILABLE","features":[108]},{"name":"DSSSF_SIMPLEAUTHENTICATE","features":[108]},{"name":"DS_AVOID_SELF","features":[108]},{"name":"DS_BACKGROUND_ONLY","features":[108]},{"name":"DS_BEHAVIOR_LONGHORN","features":[108]},{"name":"DS_BEHAVIOR_WIN2000","features":[108]},{"name":"DS_BEHAVIOR_WIN2003","features":[108]},{"name":"DS_BEHAVIOR_WIN2003_WITH_MIXED_DOMAINS","features":[108]},{"name":"DS_BEHAVIOR_WIN2008","features":[108]},{"name":"DS_BEHAVIOR_WIN2008R2","features":[108]},{"name":"DS_BEHAVIOR_WIN2012","features":[108]},{"name":"DS_BEHAVIOR_WIN2012R2","features":[108]},{"name":"DS_BEHAVIOR_WIN2016","features":[108]},{"name":"DS_BEHAVIOR_WIN7","features":[108]},{"name":"DS_BEHAVIOR_WIN8","features":[108]},{"name":"DS_BEHAVIOR_WINBLUE","features":[108]},{"name":"DS_BEHAVIOR_WINTHRESHOLD","features":[108]},{"name":"DS_CANONICAL_NAME","features":[108]},{"name":"DS_CANONICAL_NAME_EX","features":[108]},{"name":"DS_CLOSEST_FLAG","features":[108]},{"name":"DS_DIRECTORY_SERVICE_10_REQUIRED","features":[108]},{"name":"DS_DIRECTORY_SERVICE_6_REQUIRED","features":[108]},{"name":"DS_DIRECTORY_SERVICE_8_REQUIRED","features":[108]},{"name":"DS_DIRECTORY_SERVICE_9_REQUIRED","features":[108]},{"name":"DS_DIRECTORY_SERVICE_PREFERRED","features":[108]},{"name":"DS_DIRECTORY_SERVICE_REQUIRED","features":[108]},{"name":"DS_DISPLAY_NAME","features":[108]},{"name":"DS_DNS_CONTROLLER_FLAG","features":[108]},{"name":"DS_DNS_DOMAIN_FLAG","features":[108]},{"name":"DS_DNS_DOMAIN_NAME","features":[108]},{"name":"DS_DNS_FOREST_FLAG","features":[108]},{"name":"DS_DOMAIN_CONTROLLER_INFO_1A","features":[1,108]},{"name":"DS_DOMAIN_CONTROLLER_INFO_1W","features":[1,108]},{"name":"DS_DOMAIN_CONTROLLER_INFO_2A","features":[1,108]},{"name":"DS_DOMAIN_CONTROLLER_INFO_2W","features":[1,108]},{"name":"DS_DOMAIN_CONTROLLER_INFO_3A","features":[1,108]},{"name":"DS_DOMAIN_CONTROLLER_INFO_3W","features":[1,108]},{"name":"DS_DOMAIN_DIRECT_INBOUND","features":[108]},{"name":"DS_DOMAIN_DIRECT_OUTBOUND","features":[108]},{"name":"DS_DOMAIN_IN_FOREST","features":[108]},{"name":"DS_DOMAIN_NATIVE_MODE","features":[108]},{"name":"DS_DOMAIN_PRIMARY","features":[108]},{"name":"DS_DOMAIN_TREE_ROOT","features":[108]},{"name":"DS_DOMAIN_TRUSTSA","features":[1,108]},{"name":"DS_DOMAIN_TRUSTSW","features":[1,108]},{"name":"DS_DS_10_FLAG","features":[108]},{"name":"DS_DS_8_FLAG","features":[108]},{"name":"DS_DS_9_FLAG","features":[108]},{"name":"DS_DS_FLAG","features":[108]},{"name":"DS_EXIST_ADVISORY_MODE","features":[108]},{"name":"DS_FORCE_REDISCOVERY","features":[108]},{"name":"DS_FQDN_1779_NAME","features":[108]},{"name":"DS_FULL_SECRET_DOMAIN_6_FLAG","features":[108]},{"name":"DS_GC_FLAG","features":[108]},{"name":"DS_GC_SERVER_REQUIRED","features":[108]},{"name":"DS_GFTI_UPDATE_TDO","features":[108]},{"name":"DS_GFTI_VALID_FLAGS","features":[108]},{"name":"DS_GOOD_TIMESERV_FLAG","features":[108]},{"name":"DS_GOOD_TIMESERV_PREFERRED","features":[108]},{"name":"DS_INSTANCETYPE_IS_NC_HEAD","features":[108]},{"name":"DS_INSTANCETYPE_NC_COMING","features":[108]},{"name":"DS_INSTANCETYPE_NC_GOING","features":[108]},{"name":"DS_INSTANCETYPE_NC_IS_WRITEABLE","features":[108]},{"name":"DS_IP_REQUIRED","features":[108]},{"name":"DS_IS_DNS_NAME","features":[108]},{"name":"DS_IS_FLAT_NAME","features":[108]},{"name":"DS_KCC_FLAG_ASYNC_OP","features":[108]},{"name":"DS_KCC_FLAG_DAMPED","features":[108]},{"name":"DS_KCC_TASKID","features":[108]},{"name":"DS_KCC_TASKID_UPDATE_TOPOLOGY","features":[108]},{"name":"DS_KDC_FLAG","features":[108]},{"name":"DS_KDC_REQUIRED","features":[108]},{"name":"DS_KEY_LIST_FLAG","features":[108]},{"name":"DS_KEY_LIST_SUPPORT_REQUIRED","features":[108]},{"name":"DS_LDAP_FLAG","features":[108]},{"name":"DS_LIST_ACCOUNT_OBJECT_FOR_SERVER","features":[108]},{"name":"DS_LIST_DNS_HOST_NAME_FOR_SERVER","features":[108]},{"name":"DS_LIST_DSA_OBJECT_FOR_SERVER","features":[108]},{"name":"DS_MANGLE_FOR","features":[108]},{"name":"DS_MANGLE_OBJECT_RDN_FOR_DELETION","features":[108]},{"name":"DS_MANGLE_OBJECT_RDN_FOR_NAME_CONFLICT","features":[108]},{"name":"DS_MANGLE_UNKNOWN","features":[108]},{"name":"DS_NAME_ERROR","features":[108]},{"name":"DS_NAME_ERROR_DOMAIN_ONLY","features":[108]},{"name":"DS_NAME_ERROR_NOT_FOUND","features":[108]},{"name":"DS_NAME_ERROR_NOT_UNIQUE","features":[108]},{"name":"DS_NAME_ERROR_NO_MAPPING","features":[108]},{"name":"DS_NAME_ERROR_NO_SYNTACTICAL_MAPPING","features":[108]},{"name":"DS_NAME_ERROR_RESOLVING","features":[108]},{"name":"DS_NAME_ERROR_TRUST_REFERRAL","features":[108]},{"name":"DS_NAME_FLAGS","features":[108]},{"name":"DS_NAME_FLAG_EVAL_AT_DC","features":[108]},{"name":"DS_NAME_FLAG_GCVERIFY","features":[108]},{"name":"DS_NAME_FLAG_SYNTACTICAL_ONLY","features":[108]},{"name":"DS_NAME_FLAG_TRUST_REFERRAL","features":[108]},{"name":"DS_NAME_FORMAT","features":[108]},{"name":"DS_NAME_NO_ERROR","features":[108]},{"name":"DS_NAME_NO_FLAGS","features":[108]},{"name":"DS_NAME_RESULTA","features":[108]},{"name":"DS_NAME_RESULTW","features":[108]},{"name":"DS_NAME_RESULT_ITEMA","features":[108]},{"name":"DS_NAME_RESULT_ITEMW","features":[108]},{"name":"DS_NDNC_FLAG","features":[108]},{"name":"DS_NOTIFY_AFTER_SITE_RECORDS","features":[108]},{"name":"DS_NT4_ACCOUNT_NAME","features":[108]},{"name":"DS_ONLY_DO_SITE_NAME","features":[108]},{"name":"DS_ONLY_LDAP_NEEDED","features":[108]},{"name":"DS_PDC_FLAG","features":[108]},{"name":"DS_PDC_REQUIRED","features":[108]},{"name":"DS_PING_FLAGS","features":[108]},{"name":"DS_PROP_ADMIN_PREFIX","features":[108]},{"name":"DS_PROP_SHELL_PREFIX","features":[108]},{"name":"DS_REPADD_ASYNCHRONOUS_OPERATION","features":[108]},{"name":"DS_REPADD_ASYNCHRONOUS_REPLICA","features":[108]},{"name":"DS_REPADD_CRITICAL","features":[108]},{"name":"DS_REPADD_DISABLE_NOTIFICATION","features":[108]},{"name":"DS_REPADD_DISABLE_PERIODIC","features":[108]},{"name":"DS_REPADD_INITIAL","features":[108]},{"name":"DS_REPADD_INTERSITE_MESSAGING","features":[108]},{"name":"DS_REPADD_NEVER_NOTIFY","features":[108]},{"name":"DS_REPADD_NONGC_RO_REPLICA","features":[108]},{"name":"DS_REPADD_PERIODIC","features":[108]},{"name":"DS_REPADD_SELECT_SECRETS","features":[108]},{"name":"DS_REPADD_TWO_WAY","features":[108]},{"name":"DS_REPADD_USE_COMPRESSION","features":[108]},{"name":"DS_REPADD_WRITEABLE","features":[108]},{"name":"DS_REPDEL_ASYNCHRONOUS_OPERATION","features":[108]},{"name":"DS_REPDEL_IGNORE_ERRORS","features":[108]},{"name":"DS_REPDEL_INTERSITE_MESSAGING","features":[108]},{"name":"DS_REPDEL_LOCAL_ONLY","features":[108]},{"name":"DS_REPDEL_NO_SOURCE","features":[108]},{"name":"DS_REPDEL_REF_OK","features":[108]},{"name":"DS_REPDEL_WRITEABLE","features":[108]},{"name":"DS_REPL_ATTR_META_DATA","features":[1,108]},{"name":"DS_REPL_ATTR_META_DATA_2","features":[1,108]},{"name":"DS_REPL_ATTR_META_DATA_BLOB","features":[1,108]},{"name":"DS_REPL_ATTR_VALUE_META_DATA","features":[1,108]},{"name":"DS_REPL_ATTR_VALUE_META_DATA_2","features":[1,108]},{"name":"DS_REPL_ATTR_VALUE_META_DATA_EXT","features":[1,108]},{"name":"DS_REPL_CURSOR","features":[108]},{"name":"DS_REPL_CURSORS","features":[108]},{"name":"DS_REPL_CURSORS_2","features":[1,108]},{"name":"DS_REPL_CURSORS_3W","features":[1,108]},{"name":"DS_REPL_CURSOR_2","features":[1,108]},{"name":"DS_REPL_CURSOR_3W","features":[1,108]},{"name":"DS_REPL_CURSOR_BLOB","features":[1,108]},{"name":"DS_REPL_INFO_CURSORS_2_FOR_NC","features":[108]},{"name":"DS_REPL_INFO_CURSORS_3_FOR_NC","features":[108]},{"name":"DS_REPL_INFO_CURSORS_FOR_NC","features":[108]},{"name":"DS_REPL_INFO_FLAG_IMPROVE_LINKED_ATTRS","features":[108]},{"name":"DS_REPL_INFO_KCC_DSA_CONNECT_FAILURES","features":[108]},{"name":"DS_REPL_INFO_KCC_DSA_LINK_FAILURES","features":[108]},{"name":"DS_REPL_INFO_METADATA_2_FOR_ATTR_VALUE","features":[108]},{"name":"DS_REPL_INFO_METADATA_2_FOR_OBJ","features":[108]},{"name":"DS_REPL_INFO_METADATA_EXT_FOR_ATTR_VALUE","features":[108]},{"name":"DS_REPL_INFO_METADATA_FOR_ATTR_VALUE","features":[108]},{"name":"DS_REPL_INFO_METADATA_FOR_OBJ","features":[108]},{"name":"DS_REPL_INFO_NEIGHBORS","features":[108]},{"name":"DS_REPL_INFO_PENDING_OPS","features":[108]},{"name":"DS_REPL_INFO_TYPE","features":[108]},{"name":"DS_REPL_INFO_TYPE_MAX","features":[108]},{"name":"DS_REPL_KCC_DSA_FAILURESW","features":[1,108]},{"name":"DS_REPL_KCC_DSA_FAILUREW","features":[1,108]},{"name":"DS_REPL_KCC_DSA_FAILUREW_BLOB","features":[1,108]},{"name":"DS_REPL_NBR_COMPRESS_CHANGES","features":[108]},{"name":"DS_REPL_NBR_DISABLE_SCHEDULED_SYNC","features":[108]},{"name":"DS_REPL_NBR_DO_SCHEDULED_SYNCS","features":[108]},{"name":"DS_REPL_NBR_FULL_SYNC_IN_PROGRESS","features":[108]},{"name":"DS_REPL_NBR_FULL_SYNC_NEXT_PACKET","features":[108]},{"name":"DS_REPL_NBR_GCSPN","features":[108]},{"name":"DS_REPL_NBR_IGNORE_CHANGE_NOTIFICATIONS","features":[108]},{"name":"DS_REPL_NBR_NEVER_SYNCED","features":[108]},{"name":"DS_REPL_NBR_NONGC_RO_REPLICA","features":[108]},{"name":"DS_REPL_NBR_NO_CHANGE_NOTIFICATIONS","features":[108]},{"name":"DS_REPL_NBR_PARTIAL_ATTRIBUTE_SET","features":[108]},{"name":"DS_REPL_NBR_PREEMPTED","features":[108]},{"name":"DS_REPL_NBR_RETURN_OBJECT_PARENTS","features":[108]},{"name":"DS_REPL_NBR_SELECT_SECRETS","features":[108]},{"name":"DS_REPL_NBR_SYNC_ON_STARTUP","features":[108]},{"name":"DS_REPL_NBR_TWO_WAY_SYNC","features":[108]},{"name":"DS_REPL_NBR_USE_ASYNC_INTERSITE_TRANSPORT","features":[108]},{"name":"DS_REPL_NBR_WRITEABLE","features":[108]},{"name":"DS_REPL_NEIGHBORSW","features":[1,108]},{"name":"DS_REPL_NEIGHBORW","features":[1,108]},{"name":"DS_REPL_NEIGHBORW_BLOB","features":[1,108]},{"name":"DS_REPL_OBJ_META_DATA","features":[1,108]},{"name":"DS_REPL_OBJ_META_DATA_2","features":[1,108]},{"name":"DS_REPL_OPW","features":[1,108]},{"name":"DS_REPL_OPW_BLOB","features":[1,108]},{"name":"DS_REPL_OP_TYPE","features":[108]},{"name":"DS_REPL_OP_TYPE_ADD","features":[108]},{"name":"DS_REPL_OP_TYPE_DELETE","features":[108]},{"name":"DS_REPL_OP_TYPE_MODIFY","features":[108]},{"name":"DS_REPL_OP_TYPE_SYNC","features":[108]},{"name":"DS_REPL_OP_TYPE_UPDATE_REFS","features":[108]},{"name":"DS_REPL_PENDING_OPSW","features":[1,108]},{"name":"DS_REPL_QUEUE_STATISTICSW","features":[1,108]},{"name":"DS_REPL_VALUE_META_DATA","features":[1,108]},{"name":"DS_REPL_VALUE_META_DATA_2","features":[1,108]},{"name":"DS_REPL_VALUE_META_DATA_BLOB","features":[1,108]},{"name":"DS_REPL_VALUE_META_DATA_BLOB_EXT","features":[1,108]},{"name":"DS_REPL_VALUE_META_DATA_EXT","features":[1,108]},{"name":"DS_REPMOD_ASYNCHRONOUS_OPERATION","features":[108]},{"name":"DS_REPMOD_UPDATE_ADDRESS","features":[108]},{"name":"DS_REPMOD_UPDATE_FLAGS","features":[108]},{"name":"DS_REPMOD_UPDATE_INSTANCE","features":[108]},{"name":"DS_REPMOD_UPDATE_RESULT","features":[108]},{"name":"DS_REPMOD_UPDATE_SCHEDULE","features":[108]},{"name":"DS_REPMOD_UPDATE_TRANSPORT","features":[108]},{"name":"DS_REPMOD_WRITEABLE","features":[108]},{"name":"DS_REPSYNCALL_ABORT_IF_SERVER_UNAVAILABLE","features":[108]},{"name":"DS_REPSYNCALL_CROSS_SITE_BOUNDARIES","features":[108]},{"name":"DS_REPSYNCALL_DO_NOT_SYNC","features":[108]},{"name":"DS_REPSYNCALL_ERRINFOA","features":[108]},{"name":"DS_REPSYNCALL_ERRINFOW","features":[108]},{"name":"DS_REPSYNCALL_ERROR","features":[108]},{"name":"DS_REPSYNCALL_EVENT","features":[108]},{"name":"DS_REPSYNCALL_EVENT_ERROR","features":[108]},{"name":"DS_REPSYNCALL_EVENT_FINISHED","features":[108]},{"name":"DS_REPSYNCALL_EVENT_SYNC_COMPLETED","features":[108]},{"name":"DS_REPSYNCALL_EVENT_SYNC_STARTED","features":[108]},{"name":"DS_REPSYNCALL_ID_SERVERS_BY_DN","features":[108]},{"name":"DS_REPSYNCALL_NO_OPTIONS","features":[108]},{"name":"DS_REPSYNCALL_PUSH_CHANGES_OUTWARD","features":[108]},{"name":"DS_REPSYNCALL_SERVER_UNREACHABLE","features":[108]},{"name":"DS_REPSYNCALL_SKIP_INITIAL_CHECK","features":[108]},{"name":"DS_REPSYNCALL_SYNCA","features":[108]},{"name":"DS_REPSYNCALL_SYNCW","features":[108]},{"name":"DS_REPSYNCALL_SYNC_ADJACENT_SERVERS_ONLY","features":[108]},{"name":"DS_REPSYNCALL_UPDATEA","features":[108]},{"name":"DS_REPSYNCALL_UPDATEW","features":[108]},{"name":"DS_REPSYNCALL_WIN32_ERROR_CONTACTING_SERVER","features":[108]},{"name":"DS_REPSYNCALL_WIN32_ERROR_REPLICATING","features":[108]},{"name":"DS_REPSYNC_ABANDONED","features":[108]},{"name":"DS_REPSYNC_ADD_REFERENCE","features":[108]},{"name":"DS_REPSYNC_ASYNCHRONOUS_OPERATION","features":[108]},{"name":"DS_REPSYNC_ASYNCHRONOUS_REPLICA","features":[108]},{"name":"DS_REPSYNC_CRITICAL","features":[108]},{"name":"DS_REPSYNC_FORCE","features":[108]},{"name":"DS_REPSYNC_FULL","features":[108]},{"name":"DS_REPSYNC_FULL_IN_PROGRESS","features":[108]},{"name":"DS_REPSYNC_INITIAL","features":[108]},{"name":"DS_REPSYNC_INITIAL_IN_PROGRESS","features":[108]},{"name":"DS_REPSYNC_INTERSITE_MESSAGING","features":[108]},{"name":"DS_REPSYNC_NEVER_COMPLETED","features":[108]},{"name":"DS_REPSYNC_NEVER_NOTIFY","features":[108]},{"name":"DS_REPSYNC_NONGC_RO_REPLICA","features":[108]},{"name":"DS_REPSYNC_NOTIFICATION","features":[108]},{"name":"DS_REPSYNC_NO_DISCARD","features":[108]},{"name":"DS_REPSYNC_PARTIAL_ATTRIBUTE_SET","features":[108]},{"name":"DS_REPSYNC_PERIODIC","features":[108]},{"name":"DS_REPSYNC_PREEMPTED","features":[108]},{"name":"DS_REPSYNC_REQUEUE","features":[108]},{"name":"DS_REPSYNC_SELECT_SECRETS","features":[108]},{"name":"DS_REPSYNC_TWO_WAY","features":[108]},{"name":"DS_REPSYNC_URGENT","features":[108]},{"name":"DS_REPSYNC_USE_COMPRESSION","features":[108]},{"name":"DS_REPSYNC_WRITEABLE","features":[108]},{"name":"DS_REPUPD_ADD_REFERENCE","features":[108]},{"name":"DS_REPUPD_ASYNCHRONOUS_OPERATION","features":[108]},{"name":"DS_REPUPD_DELETE_REFERENCE","features":[108]},{"name":"DS_REPUPD_REFERENCE_GCSPN","features":[108]},{"name":"DS_REPUPD_WRITEABLE","features":[108]},{"name":"DS_RETURN_DNS_NAME","features":[108]},{"name":"DS_RETURN_FLAT_NAME","features":[108]},{"name":"DS_ROLE_DOMAIN_OWNER","features":[108]},{"name":"DS_ROLE_INFRASTRUCTURE_OWNER","features":[108]},{"name":"DS_ROLE_PDC_OWNER","features":[108]},{"name":"DS_ROLE_RID_OWNER","features":[108]},{"name":"DS_ROLE_SCHEMA_OWNER","features":[108]},{"name":"DS_SCHEMA_GUID_ATTR","features":[108]},{"name":"DS_SCHEMA_GUID_ATTR_SET","features":[108]},{"name":"DS_SCHEMA_GUID_CLASS","features":[108]},{"name":"DS_SCHEMA_GUID_CONTROL_RIGHT","features":[108]},{"name":"DS_SCHEMA_GUID_MAPA","features":[108]},{"name":"DS_SCHEMA_GUID_MAPW","features":[108]},{"name":"DS_SCHEMA_GUID_NOT_FOUND","features":[108]},{"name":"DS_SELECTION","features":[1,108,41,42]},{"name":"DS_SELECTION_LIST","features":[1,108,41,42]},{"name":"DS_SELECT_SECRET_DOMAIN_6_FLAG","features":[108]},{"name":"DS_SERVICE_PRINCIPAL_NAME","features":[108]},{"name":"DS_SID_OR_SID_HISTORY_NAME","features":[108]},{"name":"DS_SITE_COST_INFO","features":[108]},{"name":"DS_SPN_ADD_SPN_OP","features":[108]},{"name":"DS_SPN_DELETE_SPN_OP","features":[108]},{"name":"DS_SPN_DNS_HOST","features":[108]},{"name":"DS_SPN_DN_HOST","features":[108]},{"name":"DS_SPN_DOMAIN","features":[108]},{"name":"DS_SPN_NAME_TYPE","features":[108]},{"name":"DS_SPN_NB_DOMAIN","features":[108]},{"name":"DS_SPN_NB_HOST","features":[108]},{"name":"DS_SPN_REPLACE_SPN_OP","features":[108]},{"name":"DS_SPN_SERVICE","features":[108]},{"name":"DS_SPN_WRITE_OP","features":[108]},{"name":"DS_SYNCED_EVENT_NAME","features":[108]},{"name":"DS_SYNCED_EVENT_NAME_W","features":[108]},{"name":"DS_TIMESERV_FLAG","features":[108]},{"name":"DS_TIMESERV_REQUIRED","features":[108]},{"name":"DS_TRY_NEXTCLOSEST_SITE","features":[108]},{"name":"DS_UNIQUE_ID_NAME","features":[108]},{"name":"DS_UNKNOWN_NAME","features":[108]},{"name":"DS_USER_PRINCIPAL_NAME","features":[108]},{"name":"DS_WEB_SERVICE_REQUIRED","features":[108]},{"name":"DS_WRITABLE_FLAG","features":[108]},{"name":"DS_WRITABLE_REQUIRED","features":[108]},{"name":"DS_WS_FLAG","features":[108]},{"name":"DsAddSidHistoryA","features":[1,108]},{"name":"DsAddSidHistoryW","features":[1,108]},{"name":"DsAddressToSiteNamesA","features":[108,15]},{"name":"DsAddressToSiteNamesExA","features":[108,15]},{"name":"DsAddressToSiteNamesExW","features":[108,15]},{"name":"DsAddressToSiteNamesW","features":[108,15]},{"name":"DsBindA","features":[1,108]},{"name":"DsBindByInstanceA","features":[1,108]},{"name":"DsBindByInstanceW","features":[1,108]},{"name":"DsBindToISTGA","features":[1,108]},{"name":"DsBindToISTGW","features":[1,108]},{"name":"DsBindW","features":[1,108]},{"name":"DsBindWithCredA","features":[1,108]},{"name":"DsBindWithCredW","features":[1,108]},{"name":"DsBindWithSpnA","features":[1,108]},{"name":"DsBindWithSpnExA","features":[1,108]},{"name":"DsBindWithSpnExW","features":[1,108]},{"name":"DsBindWithSpnW","features":[1,108]},{"name":"DsBindingSetTimeout","features":[1,108]},{"name":"DsBrowseForContainerA","features":[1,108,109]},{"name":"DsBrowseForContainerW","features":[1,108,109]},{"name":"DsClientMakeSpnForTargetServerA","features":[108]},{"name":"DsClientMakeSpnForTargetServerW","features":[108]},{"name":"DsCrackNamesA","features":[1,108]},{"name":"DsCrackNamesW","features":[1,108]},{"name":"DsCrackSpn2A","features":[108]},{"name":"DsCrackSpn2W","features":[108]},{"name":"DsCrackSpn3W","features":[108]},{"name":"DsCrackSpn4W","features":[108]},{"name":"DsCrackSpnA","features":[108]},{"name":"DsCrackSpnW","features":[108]},{"name":"DsCrackUnquotedMangledRdnA","features":[1,108]},{"name":"DsCrackUnquotedMangledRdnW","features":[1,108]},{"name":"DsDeregisterDnsHostRecordsA","features":[108]},{"name":"DsDeregisterDnsHostRecordsW","features":[108]},{"name":"DsEnumerateDomainTrustsA","features":[1,108]},{"name":"DsEnumerateDomainTrustsW","features":[1,108]},{"name":"DsFreeDomainControllerInfoA","features":[108]},{"name":"DsFreeDomainControllerInfoW","features":[108]},{"name":"DsFreeNameResultA","features":[108]},{"name":"DsFreeNameResultW","features":[108]},{"name":"DsFreePasswordCredentials","features":[108]},{"name":"DsFreeSchemaGuidMapA","features":[108]},{"name":"DsFreeSchemaGuidMapW","features":[108]},{"name":"DsFreeSpnArrayA","features":[108]},{"name":"DsFreeSpnArrayW","features":[108]},{"name":"DsGetDcCloseW","features":[1,108]},{"name":"DsGetDcNameA","features":[108]},{"name":"DsGetDcNameW","features":[108]},{"name":"DsGetDcNextA","features":[1,108,15]},{"name":"DsGetDcNextW","features":[1,108,15]},{"name":"DsGetDcOpenA","features":[1,108]},{"name":"DsGetDcOpenW","features":[1,108]},{"name":"DsGetDcSiteCoverageA","features":[108]},{"name":"DsGetDcSiteCoverageW","features":[108]},{"name":"DsGetDomainControllerInfoA","features":[1,108]},{"name":"DsGetDomainControllerInfoW","features":[1,108]},{"name":"DsGetForestTrustInformationW","features":[1,108,23]},{"name":"DsGetFriendlyClassName","features":[108]},{"name":"DsGetIcon","features":[108,50]},{"name":"DsGetRdnW","features":[108]},{"name":"DsGetSiteNameA","features":[108]},{"name":"DsGetSiteNameW","features":[108]},{"name":"DsGetSpnA","features":[108]},{"name":"DsGetSpnW","features":[108]},{"name":"DsInheritSecurityIdentityA","features":[1,108]},{"name":"DsInheritSecurityIdentityW","features":[1,108]},{"name":"DsIsMangledDnA","features":[1,108]},{"name":"DsIsMangledDnW","features":[1,108]},{"name":"DsIsMangledRdnValueA","features":[1,108]},{"name":"DsIsMangledRdnValueW","features":[1,108]},{"name":"DsListDomainsInSiteA","features":[1,108]},{"name":"DsListDomainsInSiteW","features":[1,108]},{"name":"DsListInfoForServerA","features":[1,108]},{"name":"DsListInfoForServerW","features":[1,108]},{"name":"DsListRolesA","features":[1,108]},{"name":"DsListRolesW","features":[1,108]},{"name":"DsListServersForDomainInSiteA","features":[1,108]},{"name":"DsListServersForDomainInSiteW","features":[1,108]},{"name":"DsListServersInSiteA","features":[1,108]},{"name":"DsListServersInSiteW","features":[1,108]},{"name":"DsListSitesA","features":[1,108]},{"name":"DsListSitesW","features":[1,108]},{"name":"DsMakePasswordCredentialsA","features":[108]},{"name":"DsMakePasswordCredentialsW","features":[108]},{"name":"DsMakeSpnA","features":[108]},{"name":"DsMakeSpnW","features":[108]},{"name":"DsMapSchemaGuidsA","features":[1,108]},{"name":"DsMapSchemaGuidsW","features":[1,108]},{"name":"DsMergeForestTrustInformationW","features":[1,108,23]},{"name":"DsQuerySitesByCostA","features":[1,108]},{"name":"DsQuerySitesByCostW","features":[1,108]},{"name":"DsQuerySitesFree","features":[108]},{"name":"DsQuoteRdnValueA","features":[108]},{"name":"DsQuoteRdnValueW","features":[108]},{"name":"DsRemoveDsDomainA","features":[1,108]},{"name":"DsRemoveDsDomainW","features":[1,108]},{"name":"DsRemoveDsServerA","features":[1,108]},{"name":"DsRemoveDsServerW","features":[1,108]},{"name":"DsReplicaAddA","features":[1,108]},{"name":"DsReplicaAddW","features":[1,108]},{"name":"DsReplicaConsistencyCheck","features":[1,108]},{"name":"DsReplicaDelA","features":[1,108]},{"name":"DsReplicaDelW","features":[1,108]},{"name":"DsReplicaFreeInfo","features":[108]},{"name":"DsReplicaGetInfo2W","features":[1,108]},{"name":"DsReplicaGetInfoW","features":[1,108]},{"name":"DsReplicaModifyA","features":[1,108]},{"name":"DsReplicaModifyW","features":[1,108]},{"name":"DsReplicaSyncA","features":[1,108]},{"name":"DsReplicaSyncAllA","features":[1,108]},{"name":"DsReplicaSyncAllW","features":[1,108]},{"name":"DsReplicaSyncW","features":[1,108]},{"name":"DsReplicaUpdateRefsA","features":[1,108]},{"name":"DsReplicaUpdateRefsW","features":[1,108]},{"name":"DsReplicaVerifyObjectsA","features":[1,108]},{"name":"DsReplicaVerifyObjectsW","features":[1,108]},{"name":"DsRoleFreeMemory","features":[108]},{"name":"DsRoleGetPrimaryDomainInformation","features":[108]},{"name":"DsRoleOperationActive","features":[108]},{"name":"DsRoleOperationIdle","features":[108]},{"name":"DsRoleOperationNeedReboot","features":[108]},{"name":"DsRoleOperationState","features":[108]},{"name":"DsRolePrimaryDomainInfoBasic","features":[108]},{"name":"DsRoleServerBackup","features":[108]},{"name":"DsRoleServerPrimary","features":[108]},{"name":"DsRoleServerUnknown","features":[108]},{"name":"DsRoleUpgradeStatus","features":[108]},{"name":"DsRole_RoleBackupDomainController","features":[108]},{"name":"DsRole_RoleMemberServer","features":[108]},{"name":"DsRole_RoleMemberWorkstation","features":[108]},{"name":"DsRole_RolePrimaryDomainController","features":[108]},{"name":"DsRole_RoleStandaloneServer","features":[108]},{"name":"DsRole_RoleStandaloneWorkstation","features":[108]},{"name":"DsServerRegisterSpnA","features":[108]},{"name":"DsServerRegisterSpnW","features":[108]},{"name":"DsUnBindA","features":[1,108]},{"name":"DsUnBindW","features":[1,108]},{"name":"DsUnquoteRdnValueA","features":[108]},{"name":"DsUnquoteRdnValueW","features":[108]},{"name":"DsValidateSubnetNameA","features":[108]},{"name":"DsValidateSubnetNameW","features":[108]},{"name":"DsWriteAccountSpnA","features":[1,108]},{"name":"DsWriteAccountSpnW","features":[1,108]},{"name":"Email","features":[108]},{"name":"FACILITY_BACKUP","features":[108]},{"name":"FACILITY_NTDSB","features":[108]},{"name":"FACILITY_SYSTEM","features":[108]},{"name":"FLAG_DISABLABLE_OPTIONAL_FEATURE","features":[108]},{"name":"FLAG_DOMAIN_OPTIONAL_FEATURE","features":[108]},{"name":"FLAG_FOREST_OPTIONAL_FEATURE","features":[108]},{"name":"FLAG_SERVER_OPTIONAL_FEATURE","features":[108]},{"name":"FRSCONN_MAX_PRIORITY","features":[108]},{"name":"FRSCONN_PRIORITY_MASK","features":[108]},{"name":"FaxNumber","features":[108]},{"name":"FreeADsMem","features":[1,108]},{"name":"FreeADsStr","features":[1,108]},{"name":"GUID_COMPUTRS_CONTAINER_A","features":[108]},{"name":"GUID_COMPUTRS_CONTAINER_W","features":[108]},{"name":"GUID_DELETED_OBJECTS_CONTAINER_A","features":[108]},{"name":"GUID_DELETED_OBJECTS_CONTAINER_W","features":[108]},{"name":"GUID_DOMAIN_CONTROLLERS_CONTAINER_A","features":[108]},{"name":"GUID_DOMAIN_CONTROLLERS_CONTAINER_W","features":[108]},{"name":"GUID_FOREIGNSECURITYPRINCIPALS_CONTAINER_A","features":[108]},{"name":"GUID_FOREIGNSECURITYPRINCIPALS_CONTAINER_W","features":[108]},{"name":"GUID_INFRASTRUCTURE_CONTAINER_A","features":[108]},{"name":"GUID_INFRASTRUCTURE_CONTAINER_W","features":[108]},{"name":"GUID_KEYS_CONTAINER_W","features":[108]},{"name":"GUID_LOSTANDFOUND_CONTAINER_A","features":[108]},{"name":"GUID_LOSTANDFOUND_CONTAINER_W","features":[108]},{"name":"GUID_MANAGED_SERVICE_ACCOUNTS_CONTAINER_W","features":[108]},{"name":"GUID_MICROSOFT_PROGRAM_DATA_CONTAINER_A","features":[108]},{"name":"GUID_MICROSOFT_PROGRAM_DATA_CONTAINER_W","features":[108]},{"name":"GUID_NTDS_QUOTAS_CONTAINER_A","features":[108]},{"name":"GUID_NTDS_QUOTAS_CONTAINER_W","features":[108]},{"name":"GUID_PRIVILEGED_ACCESS_MANAGEMENT_OPTIONAL_FEATURE_A","features":[108]},{"name":"GUID_PRIVILEGED_ACCESS_MANAGEMENT_OPTIONAL_FEATURE_W","features":[108]},{"name":"GUID_PROGRAM_DATA_CONTAINER_A","features":[108]},{"name":"GUID_PROGRAM_DATA_CONTAINER_W","features":[108]},{"name":"GUID_RECYCLE_BIN_OPTIONAL_FEATURE_A","features":[108]},{"name":"GUID_RECYCLE_BIN_OPTIONAL_FEATURE_W","features":[108]},{"name":"GUID_SYSTEMS_CONTAINER_A","features":[108]},{"name":"GUID_SYSTEMS_CONTAINER_W","features":[108]},{"name":"GUID_USERS_CONTAINER_A","features":[108]},{"name":"GUID_USERS_CONTAINER_W","features":[108]},{"name":"Hold","features":[108]},{"name":"IADs","features":[108]},{"name":"IADsADSystemInfo","features":[108]},{"name":"IADsAccessControlEntry","features":[108]},{"name":"IADsAccessControlList","features":[108]},{"name":"IADsAcl","features":[108]},{"name":"IADsAggregatee","features":[108]},{"name":"IADsAggregator","features":[108]},{"name":"IADsBackLink","features":[108]},{"name":"IADsCaseIgnoreList","features":[108]},{"name":"IADsClass","features":[108]},{"name":"IADsCollection","features":[108]},{"name":"IADsComputer","features":[108]},{"name":"IADsComputerOperations","features":[108]},{"name":"IADsContainer","features":[108]},{"name":"IADsDNWithBinary","features":[108]},{"name":"IADsDNWithString","features":[108]},{"name":"IADsDeleteOps","features":[108]},{"name":"IADsDomain","features":[108]},{"name":"IADsEmail","features":[108]},{"name":"IADsExtension","features":[108]},{"name":"IADsFaxNumber","features":[108]},{"name":"IADsFileService","features":[108]},{"name":"IADsFileServiceOperations","features":[108]},{"name":"IADsFileShare","features":[108]},{"name":"IADsGroup","features":[108]},{"name":"IADsHold","features":[108]},{"name":"IADsLargeInteger","features":[108]},{"name":"IADsLocality","features":[108]},{"name":"IADsMembers","features":[108]},{"name":"IADsNameTranslate","features":[108]},{"name":"IADsNamespaces","features":[108]},{"name":"IADsNetAddress","features":[108]},{"name":"IADsO","features":[108]},{"name":"IADsOU","features":[108]},{"name":"IADsObjectOptions","features":[108]},{"name":"IADsOctetList","features":[108]},{"name":"IADsOpenDSObject","features":[108]},{"name":"IADsPath","features":[108]},{"name":"IADsPathname","features":[108]},{"name":"IADsPostalAddress","features":[108]},{"name":"IADsPrintJob","features":[108]},{"name":"IADsPrintJobOperations","features":[108]},{"name":"IADsPrintQueue","features":[108]},{"name":"IADsPrintQueueOperations","features":[108]},{"name":"IADsProperty","features":[108]},{"name":"IADsPropertyEntry","features":[108]},{"name":"IADsPropertyList","features":[108]},{"name":"IADsPropertyValue","features":[108]},{"name":"IADsPropertyValue2","features":[108]},{"name":"IADsReplicaPointer","features":[108]},{"name":"IADsResource","features":[108]},{"name":"IADsSecurityDescriptor","features":[108]},{"name":"IADsSecurityUtility","features":[108]},{"name":"IADsService","features":[108]},{"name":"IADsServiceOperations","features":[108]},{"name":"IADsSession","features":[108]},{"name":"IADsSyntax","features":[108]},{"name":"IADsTimestamp","features":[108]},{"name":"IADsTypedName","features":[108]},{"name":"IADsUser","features":[108]},{"name":"IADsWinNTSystemInfo","features":[108]},{"name":"ICommonQuery","features":[108]},{"name":"IDirectoryObject","features":[108]},{"name":"IDirectorySchemaMgmt","features":[108]},{"name":"IDirectorySearch","features":[108]},{"name":"IDsAdminCreateObj","features":[108]},{"name":"IDsAdminNewObj","features":[108]},{"name":"IDsAdminNewObjExt","features":[108]},{"name":"IDsAdminNewObjPrimarySite","features":[108]},{"name":"IDsAdminNotifyHandler","features":[108]},{"name":"IDsBrowseDomainTree","features":[108]},{"name":"IDsDisplaySpecifier","features":[108]},{"name":"IDsObjectPicker","features":[108]},{"name":"IDsObjectPickerCredentials","features":[108]},{"name":"IPersistQuery","features":[108]},{"name":"IPrivateDispatch","features":[108]},{"name":"IPrivateUnknown","features":[108]},{"name":"IQueryForm","features":[108]},{"name":"LPCQADDFORMSPROC","features":[1,108,50]},{"name":"LPCQADDPAGESPROC","features":[1,108,50]},{"name":"LPCQPAGEPROC","features":[1,108,50]},{"name":"LPDSENUMATTRIBUTES","features":[1,108]},{"name":"LargeInteger","features":[108]},{"name":"NTDSAPI_BIND_ALLOW_DELEGATION","features":[108]},{"name":"NTDSAPI_BIND_FIND_BINDING","features":[108]},{"name":"NTDSAPI_BIND_FORCE_KERBEROS","features":[108]},{"name":"NTDSCONN_KCC_GC_TOPOLOGY","features":[108]},{"name":"NTDSCONN_KCC_INTERSITE_GC_TOPOLOGY","features":[108]},{"name":"NTDSCONN_KCC_INTERSITE_TOPOLOGY","features":[108]},{"name":"NTDSCONN_KCC_MINIMIZE_HOPS_TOPOLOGY","features":[108]},{"name":"NTDSCONN_KCC_NO_REASON","features":[108]},{"name":"NTDSCONN_KCC_OSCILLATING_CONNECTION_TOPOLOGY","features":[108]},{"name":"NTDSCONN_KCC_REDUNDANT_SERVER_TOPOLOGY","features":[108]},{"name":"NTDSCONN_KCC_RING_TOPOLOGY","features":[108]},{"name":"NTDSCONN_KCC_SERVER_FAILOVER_TOPOLOGY","features":[108]},{"name":"NTDSCONN_KCC_SITE_FAILOVER_TOPOLOGY","features":[108]},{"name":"NTDSCONN_KCC_STALE_SERVERS_TOPOLOGY","features":[108]},{"name":"NTDSCONN_OPT_DISABLE_INTERSITE_COMPRESSION","features":[108]},{"name":"NTDSCONN_OPT_IGNORE_SCHEDULE_MASK","features":[108]},{"name":"NTDSCONN_OPT_IS_GENERATED","features":[108]},{"name":"NTDSCONN_OPT_OVERRIDE_NOTIFY_DEFAULT","features":[108]},{"name":"NTDSCONN_OPT_RODC_TOPOLOGY","features":[108]},{"name":"NTDSCONN_OPT_TWOWAY_SYNC","features":[108]},{"name":"NTDSCONN_OPT_USER_OWNED_SCHEDULE","features":[108]},{"name":"NTDSCONN_OPT_USE_NOTIFY","features":[108]},{"name":"NTDSDSA_OPT_BLOCK_RPC","features":[108]},{"name":"NTDSDSA_OPT_DISABLE_INBOUND_REPL","features":[108]},{"name":"NTDSDSA_OPT_DISABLE_NTDSCONN_XLATE","features":[108]},{"name":"NTDSDSA_OPT_DISABLE_OUTBOUND_REPL","features":[108]},{"name":"NTDSDSA_OPT_DISABLE_SPN_REGISTRATION","features":[108]},{"name":"NTDSDSA_OPT_GENERATE_OWN_TOPO","features":[108]},{"name":"NTDSDSA_OPT_IS_GC","features":[108]},{"name":"NTDSSETTINGS_DEFAULT_SERVER_REDUNDANCY","features":[108]},{"name":"NTDSSETTINGS_OPT_FORCE_KCC_W2K_ELECTION","features":[108]},{"name":"NTDSSETTINGS_OPT_FORCE_KCC_WHISTLER_BEHAVIOR","features":[108]},{"name":"NTDSSETTINGS_OPT_IS_AUTO_TOPOLOGY_DISABLED","features":[108]},{"name":"NTDSSETTINGS_OPT_IS_GROUP_CACHING_ENABLED","features":[108]},{"name":"NTDSSETTINGS_OPT_IS_INTER_SITE_AUTO_TOPOLOGY_DISABLED","features":[108]},{"name":"NTDSSETTINGS_OPT_IS_RAND_BH_SELECTION_DISABLED","features":[108]},{"name":"NTDSSETTINGS_OPT_IS_REDUNDANT_SERVER_TOPOLOGY_ENABLED","features":[108]},{"name":"NTDSSETTINGS_OPT_IS_SCHEDULE_HASHING_ENABLED","features":[108]},{"name":"NTDSSETTINGS_OPT_IS_TOPL_CLEANUP_DISABLED","features":[108]},{"name":"NTDSSETTINGS_OPT_IS_TOPL_DETECT_STALE_DISABLED","features":[108]},{"name":"NTDSSETTINGS_OPT_IS_TOPL_MIN_HOPS_DISABLED","features":[108]},{"name":"NTDSSETTINGS_OPT_W2K3_BRIDGES_REQUIRED","features":[108]},{"name":"NTDSSETTINGS_OPT_W2K3_IGNORE_SCHEDULES","features":[108]},{"name":"NTDSSITECONN_OPT_DISABLE_COMPRESSION","features":[108]},{"name":"NTDSSITECONN_OPT_TWOWAY_SYNC","features":[108]},{"name":"NTDSSITECONN_OPT_USE_NOTIFY","features":[108]},{"name":"NTDSSITELINK_OPT_DISABLE_COMPRESSION","features":[108]},{"name":"NTDSSITELINK_OPT_TWOWAY_SYNC","features":[108]},{"name":"NTDSSITELINK_OPT_USE_NOTIFY","features":[108]},{"name":"NTDSTRANSPORT_OPT_BRIDGES_REQUIRED","features":[108]},{"name":"NTDSTRANSPORT_OPT_IGNORE_SCHEDULES","features":[108]},{"name":"NameTranslate","features":[108]},{"name":"NetAddress","features":[108]},{"name":"OPENQUERYWINDOW","features":[108]},{"name":"OQWF_DEFAULTFORM","features":[108]},{"name":"OQWF_HIDEMENUS","features":[108]},{"name":"OQWF_HIDESEARCHUI","features":[108]},{"name":"OQWF_ISSUEONOPEN","features":[108]},{"name":"OQWF_LOADQUERY","features":[108]},{"name":"OQWF_OKCANCEL","features":[108]},{"name":"OQWF_PARAMISPROPERTYBAG","features":[108]},{"name":"OQWF_REMOVEFORMS","features":[108]},{"name":"OQWF_REMOVESCOPES","features":[108]},{"name":"OQWF_SAVEQUERYONOK","features":[108]},{"name":"OQWF_SHOWOPTIONAL","features":[108]},{"name":"OQWF_SINGLESELECT","features":[108]},{"name":"OctetList","features":[108]},{"name":"Path","features":[108]},{"name":"Pathname","features":[108]},{"name":"PostalAddress","features":[108]},{"name":"PropVariantToAdsType","features":[1,108,41,42]},{"name":"PropertyEntry","features":[108]},{"name":"PropertyValue","features":[108]},{"name":"QUERYFORM_CHANGESFORMLIST","features":[108]},{"name":"QUERYFORM_CHANGESOPTFORMLIST","features":[108]},{"name":"ReallocADsMem","features":[108]},{"name":"ReallocADsStr","features":[1,108]},{"name":"ReplicaPointer","features":[108]},{"name":"SCHEDULE","features":[108]},{"name":"SCHEDULE_BANDWIDTH","features":[108]},{"name":"SCHEDULE_HEADER","features":[108]},{"name":"SCHEDULE_INTERVAL","features":[108]},{"name":"SCHEDULE_PRIORITY","features":[108]},{"name":"SecurityDescriptor","features":[108]},{"name":"SecurityDescriptorToBinarySD","features":[1,108,4,41,42]},{"name":"Timestamp","features":[108]},{"name":"TypedName","features":[108]},{"name":"WM_ADSPROP_NOTIFY_APPLY","features":[108]},{"name":"WM_ADSPROP_NOTIFY_CHANGE","features":[108]},{"name":"WM_ADSPROP_NOTIFY_ERROR","features":[108]},{"name":"WM_ADSPROP_NOTIFY_EXIT","features":[108]},{"name":"WM_ADSPROP_NOTIFY_FOREGROUND","features":[108]},{"name":"WM_ADSPROP_NOTIFY_PAGEHWND","features":[108]},{"name":"WM_ADSPROP_NOTIFY_PAGEINIT","features":[108]},{"name":"WM_ADSPROP_NOTIFY_SETFOCUS","features":[108]},{"name":"WinNTSystemInfo","features":[108]},{"name":"hrAccessDenied","features":[108]},{"name":"hrAfterInitialization","features":[108]},{"name":"hrAlreadyInitialized","features":[108]},{"name":"hrAlreadyOpen","features":[108]},{"name":"hrAlreadyPrepared","features":[108]},{"name":"hrBFInUse","features":[108]},{"name":"hrBFNotSynchronous","features":[108]},{"name":"hrBFPageNotFound","features":[108]},{"name":"hrBackupDirectoryNotEmpty","features":[108]},{"name":"hrBackupInProgress","features":[108]},{"name":"hrBackupNotAllowedYet","features":[108]},{"name":"hrBadBackupDatabaseSize","features":[108]},{"name":"hrBadCheckpointSignature","features":[108]},{"name":"hrBadColumnId","features":[108]},{"name":"hrBadDbSignature","features":[108]},{"name":"hrBadItagSequence","features":[108]},{"name":"hrBadLogSignature","features":[108]},{"name":"hrBadLogVersion","features":[108]},{"name":"hrBufferTooSmall","features":[108]},{"name":"hrBufferTruncated","features":[108]},{"name":"hrCannotBeTagged","features":[108]},{"name":"hrCannotRename","features":[108]},{"name":"hrCheckpointCorrupt","features":[108]},{"name":"hrCircularLogging","features":[108]},{"name":"hrColumn2ndSysMaint","features":[108]},{"name":"hrColumnCannotIndex","features":[108]},{"name":"hrColumnDoesNotFit","features":[108]},{"name":"hrColumnDuplicate","features":[108]},{"name":"hrColumnInUse","features":[108]},{"name":"hrColumnIndexed","features":[108]},{"name":"hrColumnLong","features":[108]},{"name":"hrColumnMaxTruncated","features":[108]},{"name":"hrColumnNotFound","features":[108]},{"name":"hrColumnNotUpdatable","features":[108]},{"name":"hrColumnNull","features":[108]},{"name":"hrColumnSetNull","features":[108]},{"name":"hrColumnTooBig","features":[108]},{"name":"hrCommunicationError","features":[108]},{"name":"hrConsistentTimeMismatch","features":[108]},{"name":"hrContainerNotEmpty","features":[108]},{"name":"hrContentsExpired","features":[108]},{"name":"hrCouldNotConnect","features":[108]},{"name":"hrCreateIndexFailed","features":[108]},{"name":"hrCurrencyStackOutOfMemory","features":[108]},{"name":"hrDatabaseAttached","features":[108]},{"name":"hrDatabaseCorrupted","features":[108]},{"name":"hrDatabaseDuplicate","features":[108]},{"name":"hrDatabaseInUse","features":[108]},{"name":"hrDatabaseInconsistent","features":[108]},{"name":"hrDatabaseInvalidName","features":[108]},{"name":"hrDatabaseInvalidPages","features":[108]},{"name":"hrDatabaseLocked","features":[108]},{"name":"hrDatabaseNotFound","features":[108]},{"name":"hrDeleteBackupFileFail","features":[108]},{"name":"hrDensityInvalid","features":[108]},{"name":"hrDiskFull","features":[108]},{"name":"hrDiskIO","features":[108]},{"name":"hrError","features":[108]},{"name":"hrExistingLogFileHasBadSignature","features":[108]},{"name":"hrExistingLogFileIsNotContiguous","features":[108]},{"name":"hrFLDKeyTooBig","features":[108]},{"name":"hrFLDNullKey","features":[108]},{"name":"hrFLDTooManySegments","features":[108]},{"name":"hrFeatureNotAvailable","features":[108]},{"name":"hrFileAccessDenied","features":[108]},{"name":"hrFileClose","features":[108]},{"name":"hrFileNotFound","features":[108]},{"name":"hrFileOpenReadOnly","features":[108]},{"name":"hrFullBackupNotTaken","features":[108]},{"name":"hrGivenLogFileHasBadSignature","features":[108]},{"name":"hrGivenLogFileIsNotContiguous","features":[108]},{"name":"hrIllegalOperation","features":[108]},{"name":"hrInTransaction","features":[108]},{"name":"hrIncrementalBackupDisabled","features":[108]},{"name":"hrIndexCantBuild","features":[108]},{"name":"hrIndexDuplicate","features":[108]},{"name":"hrIndexHasClustered","features":[108]},{"name":"hrIndexHasPrimary","features":[108]},{"name":"hrIndexInUse","features":[108]},{"name":"hrIndexInvalidDef","features":[108]},{"name":"hrIndexMustStay","features":[108]},{"name":"hrIndexNotFound","features":[108]},{"name":"hrInvalidBackup","features":[108]},{"name":"hrInvalidBackupSequence","features":[108]},{"name":"hrInvalidBookmark","features":[108]},{"name":"hrInvalidBufferSize","features":[108]},{"name":"hrInvalidCodePage","features":[108]},{"name":"hrInvalidColumnType","features":[108]},{"name":"hrInvalidCountry","features":[108]},{"name":"hrInvalidDatabase","features":[108]},{"name":"hrInvalidDatabaseId","features":[108]},{"name":"hrInvalidFilename","features":[108]},{"name":"hrInvalidHandle","features":[108]},{"name":"hrInvalidLanguageId","features":[108]},{"name":"hrInvalidLogSequence","features":[108]},{"name":"hrInvalidName","features":[108]},{"name":"hrInvalidObject","features":[108]},{"name":"hrInvalidOnSort","features":[108]},{"name":"hrInvalidOperation","features":[108]},{"name":"hrInvalidParam","features":[108]},{"name":"hrInvalidParameter","features":[108]},{"name":"hrInvalidPath","features":[108]},{"name":"hrInvalidRecips","features":[108]},{"name":"hrInvalidSesid","features":[108]},{"name":"hrInvalidTableId","features":[108]},{"name":"hrKeyChanged","features":[108]},{"name":"hrKeyDuplicate","features":[108]},{"name":"hrKeyIsMade","features":[108]},{"name":"hrKeyNotMade","features":[108]},{"name":"hrLogBufferTooSmall","features":[108]},{"name":"hrLogCorrupted","features":[108]},{"name":"hrLogDiskFull","features":[108]},{"name":"hrLogFileCorrupt","features":[108]},{"name":"hrLogFileNotFound","features":[108]},{"name":"hrLogSequenceEnd","features":[108]},{"name":"hrLogWriteFail","features":[108]},{"name":"hrLoggingDisabled","features":[108]},{"name":"hrMakeBackupDirectoryFail","features":[108]},{"name":"hrMissingExpiryToken","features":[108]},{"name":"hrMissingFullBackup","features":[108]},{"name":"hrMissingLogFile","features":[108]},{"name":"hrMissingPreviousLogFile","features":[108]},{"name":"hrMissingRestoreLogFiles","features":[108]},{"name":"hrNoBackup","features":[108]},{"name":"hrNoBackupDirectory","features":[108]},{"name":"hrNoCurrentIndex","features":[108]},{"name":"hrNoCurrentRecord","features":[108]},{"name":"hrNoFullRestore","features":[108]},{"name":"hrNoIdleActivity","features":[108]},{"name":"hrNoWriteLock","features":[108]},{"name":"hrNone","features":[108]},{"name":"hrNotInTransaction","features":[108]},{"name":"hrNotInitialized","features":[108]},{"name":"hrNullInvalid","features":[108]},{"name":"hrNullKeyDisallowed","features":[108]},{"name":"hrNyi","features":[108]},{"name":"hrObjectDuplicate","features":[108]},{"name":"hrObjectNotFound","features":[108]},{"name":"hrOutOfBuffers","features":[108]},{"name":"hrOutOfCursors","features":[108]},{"name":"hrOutOfDatabaseSpace","features":[108]},{"name":"hrOutOfFileHandles","features":[108]},{"name":"hrOutOfMemory","features":[108]},{"name":"hrOutOfSessions","features":[108]},{"name":"hrOutOfThreads","features":[108]},{"name":"hrPMRecDeleted","features":[108]},{"name":"hrPatchFileMismatch","features":[108]},{"name":"hrPermissionDenied","features":[108]},{"name":"hrReadVerifyFailure","features":[108]},{"name":"hrRecordClusteredChanged","features":[108]},{"name":"hrRecordDeleted","features":[108]},{"name":"hrRecordNotFound","features":[108]},{"name":"hrRecordTooBig","features":[108]},{"name":"hrRecoveredWithErrors","features":[108]},{"name":"hrRemainingVersions","features":[108]},{"name":"hrRestoreInProgress","features":[108]},{"name":"hrRestoreLogTooHigh","features":[108]},{"name":"hrRestoreLogTooLow","features":[108]},{"name":"hrRestoreMapExists","features":[108]},{"name":"hrSeekNotEqual","features":[108]},{"name":"hrSessionWriteConflict","features":[108]},{"name":"hrTableDuplicate","features":[108]},{"name":"hrTableEmpty","features":[108]},{"name":"hrTableInUse","features":[108]},{"name":"hrTableLocked","features":[108]},{"name":"hrTableNotEmpty","features":[108]},{"name":"hrTaggedNotNULL","features":[108]},{"name":"hrTempFileOpenError","features":[108]},{"name":"hrTermInProgress","features":[108]},{"name":"hrTooManyActiveUsers","features":[108]},{"name":"hrTooManyAttachedDatabases","features":[108]},{"name":"hrTooManyColumns","features":[108]},{"name":"hrTooManyIO","features":[108]},{"name":"hrTooManyIndexes","features":[108]},{"name":"hrTooManyKeys","features":[108]},{"name":"hrTooManyOpenDatabases","features":[108]},{"name":"hrTooManyOpenIndexes","features":[108]},{"name":"hrTooManyOpenTables","features":[108]},{"name":"hrTooManySorts","features":[108]},{"name":"hrTransTooDeep","features":[108]},{"name":"hrUnknownExpiryTokenFormat","features":[108]},{"name":"hrUpdateNotPrepared","features":[108]},{"name":"hrVersionStoreOutOfMemory","features":[108]},{"name":"hrWriteConflict","features":[108]},{"name":"hrerrDataHasChanged","features":[108]},{"name":"hrwrnDataHasChanged","features":[108]}],"469":[{"name":"AddClusterGroupDependency","features":[110]},{"name":"AddClusterGroupDependencyEx","features":[110]},{"name":"AddClusterGroupSetDependency","features":[110]},{"name":"AddClusterGroupSetDependencyEx","features":[110]},{"name":"AddClusterGroupToGroupSetDependency","features":[110]},{"name":"AddClusterGroupToGroupSetDependencyEx","features":[110]},{"name":"AddClusterNode","features":[1,110]},{"name":"AddClusterNodeEx","features":[1,110]},{"name":"AddClusterResourceDependency","features":[110]},{"name":"AddClusterResourceDependencyEx","features":[110]},{"name":"AddClusterResourceNode","features":[110]},{"name":"AddClusterResourceNodeEx","features":[110]},{"name":"AddClusterStorageNode","features":[1,110]},{"name":"AddCrossClusterGroupSetDependency","features":[110]},{"name":"AddResourceToClusterSharedVolumes","features":[110]},{"name":"BackupClusterDatabase","features":[110]},{"name":"BitLockerDecrypted","features":[110]},{"name":"BitLockerDecrypting","features":[110]},{"name":"BitLockerEnabled","features":[110]},{"name":"BitLockerPaused","features":[110]},{"name":"BitLockerStopped","features":[110]},{"name":"BitlockerEncrypted","features":[110]},{"name":"BitlockerEncrypting","features":[110]},{"name":"CA_UPGRADE_VERSION","features":[110]},{"name":"CLCTL_ADD_CRYPTO_CHECKPOINT","features":[110]},{"name":"CLCTL_ADD_CRYPTO_CHECKPOINT_EX","features":[110]},{"name":"CLCTL_ADD_DEPENDENCY","features":[110]},{"name":"CLCTL_ADD_OWNER","features":[110]},{"name":"CLCTL_ADD_REGISTRY_CHECKPOINT","features":[110]},{"name":"CLCTL_ADD_REGISTRY_CHECKPOINT_32BIT","features":[110]},{"name":"CLCTL_ADD_REGISTRY_CHECKPOINT_64BIT","features":[110]},{"name":"CLCTL_BATCH_BLOCK_KEY","features":[110]},{"name":"CLCTL_BATCH_UNBLOCK_KEY","features":[110]},{"name":"CLCTL_BLOCK_GEM_SEND_RECV","features":[110]},{"name":"CLCTL_CHECK_DRAIN_VETO","features":[110]},{"name":"CLCTL_CHECK_VOTER_DOWN","features":[110]},{"name":"CLCTL_CHECK_VOTER_DOWN_WITNESS","features":[110]},{"name":"CLCTL_CHECK_VOTER_EVICT","features":[110]},{"name":"CLCTL_CHECK_VOTER_EVICT_WITNESS","features":[110]},{"name":"CLCTL_CLEAR_NODE_CONNECTION_INFO","features":[110]},{"name":"CLCTL_CLOUD_WITNESS_RESOURCE_TYPE_VALIDATE_CREDENTIALS","features":[110]},{"name":"CLCTL_CLOUD_WITNESS_RESOURCE_TYPE_VALIDATE_CREDENTIALS_WITH_KEY","features":[110]},{"name":"CLCTL_CLOUD_WITNESS_RESOURCE_UPDATE_KEY","features":[110]},{"name":"CLCTL_CLOUD_WITNESS_RESOURCE_UPDATE_TOKEN","features":[110]},{"name":"CLCTL_CLUSTER_BASE","features":[110]},{"name":"CLCTL_CLUSTER_NAME_CHANGED","features":[110]},{"name":"CLCTL_CLUSTER_VERSION_CHANGED","features":[110]},{"name":"CLCTL_CODES","features":[110]},{"name":"CLCTL_DELETE","features":[110]},{"name":"CLCTL_DELETE_CRYPTO_CHECKPOINT","features":[110]},{"name":"CLCTL_DELETE_REGISTRY_CHECKPOINT","features":[110]},{"name":"CLCTL_DISABLE_SHARED_VOLUME_DIRECTIO","features":[110]},{"name":"CLCTL_ENABLE_SHARED_VOLUME_DIRECTIO","features":[110]},{"name":"CLCTL_ENUM_AFFINITY_RULE_NAMES","features":[110]},{"name":"CLCTL_ENUM_COMMON_PROPERTIES","features":[110]},{"name":"CLCTL_ENUM_PRIVATE_PROPERTIES","features":[110]},{"name":"CLCTL_EVICT_NODE","features":[110]},{"name":"CLCTL_FILESERVER_SHARE_ADD","features":[110]},{"name":"CLCTL_FILESERVER_SHARE_DEL","features":[110]},{"name":"CLCTL_FILESERVER_SHARE_MODIFY","features":[110]},{"name":"CLCTL_FILESERVER_SHARE_REPORT","features":[110]},{"name":"CLCTL_FIXUP_ON_UPGRADE","features":[110]},{"name":"CLCTL_FORCE_DB_FLUSH","features":[110]},{"name":"CLCTL_FORCE_QUORUM","features":[110]},{"name":"CLCTL_FSWITNESS_GET_EPOCH_INFO","features":[110]},{"name":"CLCTL_FSWITNESS_RELEASE_LOCK","features":[110]},{"name":"CLCTL_FSWITNESS_SET_EPOCH_INFO","features":[110]},{"name":"CLCTL_GET_ARB_TIMEOUT","features":[110]},{"name":"CLCTL_GET_CHARACTERISTICS","features":[110]},{"name":"CLCTL_GET_CLASS_INFO","features":[110]},{"name":"CLCTL_GET_CLUSDB_TIMESTAMP","features":[110]},{"name":"CLCTL_GET_CLUSTER_SERVICE_ACCOUNT_NAME","features":[110]},{"name":"CLCTL_GET_COMMON_PROPERTIES","features":[110]},{"name":"CLCTL_GET_COMMON_PROPERTY_FMTS","features":[110]},{"name":"CLCTL_GET_COMMON_RESOURCE_PROPERTY_FMTS","features":[110]},{"name":"CLCTL_GET_CRYPTO_CHECKPOINTS","features":[110]},{"name":"CLCTL_GET_DNS_NAME","features":[110]},{"name":"CLCTL_GET_FAILURE_INFO","features":[110]},{"name":"CLCTL_GET_FLAGS","features":[110]},{"name":"CLCTL_GET_FQDN","features":[110]},{"name":"CLCTL_GET_GEMID_VECTOR","features":[110]},{"name":"CLCTL_GET_GUM_LOCK_OWNER","features":[110]},{"name":"CLCTL_GET_ID","features":[110]},{"name":"CLCTL_GET_INFRASTRUCTURE_SOFS_BUFFER","features":[110]},{"name":"CLCTL_GET_LOADBAL_PROCESS_LIST","features":[110]},{"name":"CLCTL_GET_NAME","features":[110]},{"name":"CLCTL_GET_NETWORK","features":[110]},{"name":"CLCTL_GET_NETWORK_NAME","features":[110]},{"name":"CLCTL_GET_NODE","features":[110]},{"name":"CLCTL_GET_NODES_IN_FD","features":[110]},{"name":"CLCTL_GET_OPERATION_CONTEXT","features":[110]},{"name":"CLCTL_GET_PRIVATE_PROPERTIES","features":[110]},{"name":"CLCTL_GET_PRIVATE_PROPERTY_FMTS","features":[110]},{"name":"CLCTL_GET_PRIVATE_RESOURCE_PROPERTY_FMTS","features":[110]},{"name":"CLCTL_GET_REGISTRY_CHECKPOINTS","features":[110]},{"name":"CLCTL_GET_REQUIRED_DEPENDENCIES","features":[110]},{"name":"CLCTL_GET_RESOURCE_TYPE","features":[110]},{"name":"CLCTL_GET_RO_COMMON_PROPERTIES","features":[110]},{"name":"CLCTL_GET_RO_PRIVATE_PROPERTIES","features":[110]},{"name":"CLCTL_GET_SHARED_VOLUME_ID","features":[110]},{"name":"CLCTL_GET_STATE_CHANGE_TIME","features":[110]},{"name":"CLCTL_GET_STORAGE_CONFIGURATION","features":[110]},{"name":"CLCTL_GET_STORAGE_CONFIG_ATTRIBUTES","features":[110]},{"name":"CLCTL_GET_STUCK_NODES","features":[110]},{"name":"CLCTL_GLOBAL_SHIFT","features":[110]},{"name":"CLCTL_GROUPSET_GET_GROUPS","features":[110]},{"name":"CLCTL_GROUPSET_GET_PROVIDER_GROUPS","features":[110]},{"name":"CLCTL_GROUPSET_GET_PROVIDER_GROUPSETS","features":[110]},{"name":"CLCTL_GROUP_GET_LAST_MOVE_TIME","features":[110]},{"name":"CLCTL_GROUP_GET_PROVIDER_GROUPS","features":[110]},{"name":"CLCTL_GROUP_GET_PROVIDER_GROUPSETS","features":[110]},{"name":"CLCTL_GROUP_SET_CCF_FROM_MASTER","features":[110]},{"name":"CLCTL_HOLD_IO","features":[110]},{"name":"CLCTL_INITIALIZE","features":[110]},{"name":"CLCTL_INJECT_GEM_FAULT","features":[110]},{"name":"CLCTL_INSTALL_NODE","features":[110]},{"name":"CLCTL_INTERNAL_SHIFT","features":[110]},{"name":"CLCTL_INTRODUCE_GEM_REPAIR_DELAY","features":[110]},{"name":"CLCTL_IPADDRESS_RELEASE_LEASE","features":[110]},{"name":"CLCTL_IPADDRESS_RENEW_LEASE","features":[110]},{"name":"CLCTL_IS_FEATURE_INSTALLED","features":[110]},{"name":"CLCTL_IS_QUORUM_BLOCKED","features":[110]},{"name":"CLCTL_IS_S2D_FEATURE_SUPPORTED","features":[110]},{"name":"CLCTL_JOINING_GROUP","features":[110]},{"name":"CLCTL_LEAVING_GROUP","features":[110]},{"name":"CLCTL_MODIFY_SHIFT","features":[110]},{"name":"CLCTL_NETNAME_CREDS_NOTIFYCAM","features":[110]},{"name":"CLCTL_NETNAME_DELETE_CO","features":[110]},{"name":"CLCTL_NETNAME_GET_OU_FOR_VCO","features":[110]},{"name":"CLCTL_NETNAME_GET_VIRTUAL_SERVER_TOKEN","features":[110]},{"name":"CLCTL_NETNAME_REGISTER_DNS_RECORDS","features":[110]},{"name":"CLCTL_NETNAME_REPAIR_VCO","features":[110]},{"name":"CLCTL_NETNAME_RESET_VCO","features":[110]},{"name":"CLCTL_NETNAME_SET_PWD_INFO","features":[110]},{"name":"CLCTL_NETNAME_SET_PWD_INFOEX","features":[110]},{"name":"CLCTL_NETNAME_VALIDATE_VCO","features":[110]},{"name":"CLCTL_NOTIFY_DRAIN_COMPLETE","features":[110]},{"name":"CLCTL_NOTIFY_INFRASTRUCTURE_SOFS_CHANGED","features":[110]},{"name":"CLCTL_NOTIFY_MONITOR_SHUTTING_DOWN","features":[110]},{"name":"CLCTL_NOTIFY_OWNER_CHANGE","features":[110]},{"name":"CLCTL_NOTIFY_QUORUM_STATUS","features":[110]},{"name":"CLCTL_POOL_GET_DRIVE_INFO","features":[110]},{"name":"CLCTL_PROVIDER_STATE_CHANGE","features":[110]},{"name":"CLCTL_QUERY_DELETE","features":[110]},{"name":"CLCTL_QUERY_MAINTENANCE_MODE","features":[110]},{"name":"CLCTL_RELOAD_AUTOLOGGER_CONFIG","features":[110]},{"name":"CLCTL_REMOVE_DEPENDENCY","features":[110]},{"name":"CLCTL_REMOVE_NODE","features":[110]},{"name":"CLCTL_REMOVE_OWNER","features":[110]},{"name":"CLCTL_REPLICATION_ADD_REPLICATION_GROUP","features":[110]},{"name":"CLCTL_REPLICATION_GET_ELIGIBLE_LOGDISKS","features":[110]},{"name":"CLCTL_REPLICATION_GET_ELIGIBLE_SOURCE_DATADISKS","features":[110]},{"name":"CLCTL_REPLICATION_GET_ELIGIBLE_TARGET_DATADISKS","features":[110]},{"name":"CLCTL_REPLICATION_GET_LOG_INFO","features":[110]},{"name":"CLCTL_REPLICATION_GET_LOG_VOLUME","features":[110]},{"name":"CLCTL_REPLICATION_GET_REPLICATED_DISKS","features":[110]},{"name":"CLCTL_REPLICATION_GET_REPLICATED_PARTITION_INFO","features":[110]},{"name":"CLCTL_REPLICATION_GET_REPLICA_VOLUMES","features":[110]},{"name":"CLCTL_REPLICATION_GET_RESOURCE_GROUP","features":[110]},{"name":"CLCTL_RESOURCE_PREPARE_UPGRADE","features":[110]},{"name":"CLCTL_RESOURCE_UPGRADE_COMPLETED","features":[110]},{"name":"CLCTL_RESOURCE_UPGRADE_DLL","features":[110]},{"name":"CLCTL_RESUME_IO","features":[110]},{"name":"CLCTL_RW_MODIFY_NOOP","features":[110]},{"name":"CLCTL_SCALEOUT_COMMAND","features":[110]},{"name":"CLCTL_SCALEOUT_CONTROL","features":[110]},{"name":"CLCTL_SCALEOUT_GET_CLUSTERS","features":[110]},{"name":"CLCTL_SEND_DUMMY_GEM_MESSAGES","features":[110]},{"name":"CLCTL_SET_ACCOUNT_ACCESS","features":[110]},{"name":"CLCTL_SET_CLUSTER_S2D_CACHE_METADATA_RESERVE_BYTES","features":[110]},{"name":"CLCTL_SET_CLUSTER_S2D_ENABLED","features":[110]},{"name":"CLCTL_SET_COMMON_PROPERTIES","features":[110]},{"name":"CLCTL_SET_CSV_MAINTENANCE_MODE","features":[110]},{"name":"CLCTL_SET_DNS_DOMAIN","features":[110]},{"name":"CLCTL_SET_INFRASTRUCTURE_SOFS_BUFFER","features":[110]},{"name":"CLCTL_SET_MAINTENANCE_MODE","features":[110]},{"name":"CLCTL_SET_NAME","features":[110]},{"name":"CLCTL_SET_PRIVATE_PROPERTIES","features":[110]},{"name":"CLCTL_SET_SHARED_VOLUME_BACKUP_MODE","features":[110]},{"name":"CLCTL_SET_STORAGE_CONFIGURATION","features":[110]},{"name":"CLCTL_SHUTDOWN","features":[110]},{"name":"CLCTL_STARTING_PHASE1","features":[110]},{"name":"CLCTL_STARTING_PHASE2","features":[110]},{"name":"CLCTL_STATE_CHANGE_REASON","features":[110]},{"name":"CLCTL_STORAGE_GET_AVAILABLE_DISKS","features":[110]},{"name":"CLCTL_STORAGE_GET_AVAILABLE_DISKS_EX","features":[110]},{"name":"CLCTL_STORAGE_GET_AVAILABLE_DISKS_EX2_INT","features":[110]},{"name":"CLCTL_STORAGE_GET_CLUSBFLT_PATHINFO","features":[110]},{"name":"CLCTL_STORAGE_GET_CLUSBFLT_PATHS","features":[110]},{"name":"CLCTL_STORAGE_GET_CLUSPORT_DISK_COUNT","features":[110]},{"name":"CLCTL_STORAGE_GET_DIRTY","features":[110]},{"name":"CLCTL_STORAGE_GET_DISKID","features":[110]},{"name":"CLCTL_STORAGE_GET_DISK_INFO","features":[110]},{"name":"CLCTL_STORAGE_GET_DISK_INFO_EX","features":[110]},{"name":"CLCTL_STORAGE_GET_DISK_INFO_EX2","features":[110]},{"name":"CLCTL_STORAGE_GET_DISK_NUMBER_INFO","features":[110]},{"name":"CLCTL_STORAGE_GET_DRIVELETTERS","features":[110]},{"name":"CLCTL_STORAGE_GET_MOUNTPOINTS","features":[110]},{"name":"CLCTL_STORAGE_GET_PHYSICAL_DISK_INFO","features":[110]},{"name":"CLCTL_STORAGE_GET_RESOURCEID","features":[110]},{"name":"CLCTL_STORAGE_GET_SHARED_VOLUME_INFO","features":[110]},{"name":"CLCTL_STORAGE_GET_SHARED_VOLUME_PARTITION_NAMES","features":[110]},{"name":"CLCTL_STORAGE_GET_SHARED_VOLUME_STATES","features":[110]},{"name":"CLCTL_STORAGE_IS_CLUSTERABLE","features":[110]},{"name":"CLCTL_STORAGE_IS_CSV_FILE","features":[110]},{"name":"CLCTL_STORAGE_IS_PATH_VALID","features":[110]},{"name":"CLCTL_STORAGE_IS_SHARED_VOLUME","features":[110]},{"name":"CLCTL_STORAGE_REMAP_DRIVELETTER","features":[110]},{"name":"CLCTL_STORAGE_REMOVE_VM_OWNERSHIP","features":[110]},{"name":"CLCTL_STORAGE_RENAME_SHARED_VOLUME","features":[110]},{"name":"CLCTL_STORAGE_RENAME_SHARED_VOLUME_GUID","features":[110]},{"name":"CLCTL_STORAGE_SET_DRIVELETTER","features":[110]},{"name":"CLCTL_STORAGE_SYNC_CLUSDISK_DB","features":[110]},{"name":"CLCTL_UNDELETE","features":[110]},{"name":"CLCTL_UNKNOWN","features":[110]},{"name":"CLCTL_USER_SHIFT","features":[110]},{"name":"CLCTL_VALIDATE_CHANGE_GROUP","features":[110]},{"name":"CLCTL_VALIDATE_COMMON_PROPERTIES","features":[110]},{"name":"CLCTL_VALIDATE_DIRECTORY","features":[110]},{"name":"CLCTL_VALIDATE_NETNAME","features":[110]},{"name":"CLCTL_VALIDATE_PATH","features":[110]},{"name":"CLCTL_VALIDATE_PRIVATE_PROPERTIES","features":[110]},{"name":"CLOUD_WITNESS_CONTAINER_NAME","features":[110]},{"name":"CLRES_CALLBACK_FUNCTION_TABLE","features":[1,110]},{"name":"CLRES_FUNCTION_TABLE","features":[1,110,49]},{"name":"CLRES_V1_FUNCTIONS","features":[1,110,49]},{"name":"CLRES_V2_FUNCTIONS","features":[1,110,49]},{"name":"CLRES_V3_FUNCTIONS","features":[1,110,49]},{"name":"CLRES_V4_FUNCTIONS","features":[1,110,49]},{"name":"CLRES_VERSION_V1_00","features":[110]},{"name":"CLRES_VERSION_V2_00","features":[110]},{"name":"CLRES_VERSION_V3_00","features":[110]},{"name":"CLRES_VERSION_V4_00","features":[110]},{"name":"CLUADMEX_OBJECT_TYPE","features":[110]},{"name":"CLUADMEX_OT_CLUSTER","features":[110]},{"name":"CLUADMEX_OT_GROUP","features":[110]},{"name":"CLUADMEX_OT_NETINTERFACE","features":[110]},{"name":"CLUADMEX_OT_NETWORK","features":[110]},{"name":"CLUADMEX_OT_NODE","features":[110]},{"name":"CLUADMEX_OT_NONE","features":[110]},{"name":"CLUADMEX_OT_RESOURCE","features":[110]},{"name":"CLUADMEX_OT_RESOURCETYPE","features":[110]},{"name":"CLUSAPI_CHANGE_ACCESS","features":[110]},{"name":"CLUSAPI_CHANGE_RESOURCE_GROUP_FORCE_MOVE_TO_CSV","features":[110]},{"name":"CLUSAPI_GROUP_MOVE_FAILBACK","features":[110]},{"name":"CLUSAPI_GROUP_MOVE_HIGH_PRIORITY_START","features":[110]},{"name":"CLUSAPI_GROUP_MOVE_IGNORE_AFFINITY_RULE","features":[110]},{"name":"CLUSAPI_GROUP_MOVE_IGNORE_RESOURCE_STATUS","features":[110]},{"name":"CLUSAPI_GROUP_MOVE_QUEUE_ENABLED","features":[110]},{"name":"CLUSAPI_GROUP_MOVE_RETURN_TO_SOURCE_NODE_ON_ERROR","features":[110]},{"name":"CLUSAPI_GROUP_OFFLINE_IGNORE_RESOURCE_STATUS","features":[110]},{"name":"CLUSAPI_GROUP_ONLINE_BEST_POSSIBLE_NODE","features":[110]},{"name":"CLUSAPI_GROUP_ONLINE_IGNORE_AFFINITY_RULE","features":[110]},{"name":"CLUSAPI_GROUP_ONLINE_IGNORE_RESOURCE_STATUS","features":[110]},{"name":"CLUSAPI_GROUP_ONLINE_SYNCHRONOUS","features":[110]},{"name":"CLUSAPI_NODE_AVOID_PLACEMENT","features":[110]},{"name":"CLUSAPI_NODE_PAUSE_REMAIN_ON_PAUSED_NODE_ON_MOVE_ERROR","features":[110]},{"name":"CLUSAPI_NODE_PAUSE_RETRY_DRAIN_ON_FAILURE","features":[110]},{"name":"CLUSAPI_NODE_RESUME_FAILBACK_PINNED_VMS_ONLY","features":[110]},{"name":"CLUSAPI_NODE_RESUME_FAILBACK_STORAGE","features":[110]},{"name":"CLUSAPI_NODE_RESUME_FAILBACK_VMS","features":[110]},{"name":"CLUSAPI_NO_ACCESS","features":[110]},{"name":"CLUSAPI_READ_ACCESS","features":[110]},{"name":"CLUSAPI_REASON_HANDLER","features":[1,110]},{"name":"CLUSAPI_RESOURCE_OFFLINE_DO_NOT_UPDATE_PERSISTENT_STATE","features":[110]},{"name":"CLUSAPI_RESOURCE_OFFLINE_FORCE_WITH_TERMINATION","features":[110]},{"name":"CLUSAPI_RESOURCE_OFFLINE_IGNORE_RESOURCE_STATUS","features":[110]},{"name":"CLUSAPI_RESOURCE_OFFLINE_REASON_BEING_DELETED","features":[110]},{"name":"CLUSAPI_RESOURCE_OFFLINE_REASON_BEING_RESTARTED","features":[110]},{"name":"CLUSAPI_RESOURCE_OFFLINE_REASON_MOVING","features":[110]},{"name":"CLUSAPI_RESOURCE_OFFLINE_REASON_NONE","features":[110]},{"name":"CLUSAPI_RESOURCE_OFFLINE_REASON_PREEMPTED","features":[110]},{"name":"CLUSAPI_RESOURCE_OFFLINE_REASON_SHUTTING_DOWN","features":[110]},{"name":"CLUSAPI_RESOURCE_OFFLINE_REASON_UNKNOWN","features":[110]},{"name":"CLUSAPI_RESOURCE_OFFLINE_REASON_USER_REQUESTED","features":[110]},{"name":"CLUSAPI_RESOURCE_ONLINE_BEST_POSSIBLE_NODE","features":[110]},{"name":"CLUSAPI_RESOURCE_ONLINE_DO_NOT_UPDATE_PERSISTENT_STATE","features":[110]},{"name":"CLUSAPI_RESOURCE_ONLINE_IGNORE_AFFINITY_RULE","features":[110]},{"name":"CLUSAPI_RESOURCE_ONLINE_IGNORE_RESOURCE_STATUS","features":[110]},{"name":"CLUSAPI_RESOURCE_ONLINE_NECESSARY_FOR_QUORUM","features":[110]},{"name":"CLUSAPI_VALID_CHANGE_RESOURCE_GROUP_FLAGS","features":[110]},{"name":"CLUSAPI_VERSION","features":[110]},{"name":"CLUSAPI_VERSION_NI","features":[110]},{"name":"CLUSAPI_VERSION_RS3","features":[110]},{"name":"CLUSAPI_VERSION_SERVER2008","features":[110]},{"name":"CLUSAPI_VERSION_SERVER2008R2","features":[110]},{"name":"CLUSAPI_VERSION_WINDOWS8","features":[110]},{"name":"CLUSAPI_VERSION_WINDOWSBLUE","features":[110]},{"name":"CLUSAPI_VERSION_WINTHRESHOLD","features":[110]},{"name":"CLUSCTL_ACCESS_MODE_MASK","features":[110]},{"name":"CLUSCTL_ACCESS_SHIFT","features":[110]},{"name":"CLUSCTL_AFFINITYRULE_CODES","features":[110]},{"name":"CLUSCTL_AFFINITYRULE_GET_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_AFFINITYRULE_GET_GROUPNAMES","features":[110]},{"name":"CLUSCTL_AFFINITYRULE_GET_ID","features":[110]},{"name":"CLUSCTL_AFFINITYRULE_GET_RO_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_AFFINITYRULE_SET_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_CLOUD_WITNESS_RESOURCE_TYPE_VALIDATE_CREDENTIALS","features":[110]},{"name":"CLUSCTL_CLOUD_WITNESS_RESOURCE_TYPE_VALIDATE_CREDENTIALS_WITH_KEY","features":[110]},{"name":"CLUSCTL_CLOUD_WITNESS_RESOURCE_UPDATE_KEY","features":[110]},{"name":"CLUSCTL_CLOUD_WITNESS_RESOURCE_UPDATE_TOKEN","features":[110]},{"name":"CLUSCTL_CLUSTER_BATCH_BLOCK_KEY","features":[110]},{"name":"CLUSCTL_CLUSTER_BATCH_UNBLOCK_KEY","features":[110]},{"name":"CLUSCTL_CLUSTER_CHECK_VOTER_DOWN","features":[110]},{"name":"CLUSCTL_CLUSTER_CHECK_VOTER_DOWN_WITNESS","features":[110]},{"name":"CLUSCTL_CLUSTER_CHECK_VOTER_EVICT","features":[110]},{"name":"CLUSCTL_CLUSTER_CHECK_VOTER_EVICT_WITNESS","features":[110]},{"name":"CLUSCTL_CLUSTER_CLEAR_NODE_CONNECTION_INFO","features":[110]},{"name":"CLUSCTL_CLUSTER_CODES","features":[110]},{"name":"CLUSCTL_CLUSTER_ENUM_AFFINITY_RULE_NAMES","features":[110]},{"name":"CLUSCTL_CLUSTER_ENUM_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_CLUSTER_ENUM_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_CLUSTER_FORCE_FLUSH_DB","features":[110]},{"name":"CLUSCTL_CLUSTER_GET_CLMUSR_TOKEN","features":[110]},{"name":"CLUSCTL_CLUSTER_GET_CLUSDB_TIMESTAMP","features":[110]},{"name":"CLUSCTL_CLUSTER_GET_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_CLUSTER_GET_COMMON_PROPERTY_FMTS","features":[110]},{"name":"CLUSCTL_CLUSTER_GET_FQDN","features":[110]},{"name":"CLUSCTL_CLUSTER_GET_GUM_LOCK_OWNER","features":[110]},{"name":"CLUSCTL_CLUSTER_GET_NODES_IN_FD","features":[110]},{"name":"CLUSCTL_CLUSTER_GET_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_CLUSTER_GET_PRIVATE_PROPERTY_FMTS","features":[110]},{"name":"CLUSCTL_CLUSTER_GET_RO_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_CLUSTER_GET_RO_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_CLUSTER_GET_SHARED_VOLUME_ID","features":[110]},{"name":"CLUSCTL_CLUSTER_GET_STORAGE_CONFIGURATION","features":[110]},{"name":"CLUSCTL_CLUSTER_GET_STORAGE_CONFIG_ATTRIBUTES","features":[110]},{"name":"CLUSCTL_CLUSTER_RELOAD_AUTOLOGGER_CONFIG","features":[110]},{"name":"CLUSCTL_CLUSTER_REMOVE_NODE","features":[110]},{"name":"CLUSCTL_CLUSTER_SET_ACCOUNT_ACCESS","features":[110]},{"name":"CLUSCTL_CLUSTER_SET_CLUSTER_S2D_CACHE_METADATA_RESERVE_BYTES","features":[110]},{"name":"CLUSCTL_CLUSTER_SET_CLUSTER_S2D_ENABLED","features":[110]},{"name":"CLUSCTL_CLUSTER_SET_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_CLUSTER_SET_DNS_DOMAIN","features":[110]},{"name":"CLUSCTL_CLUSTER_SET_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_CLUSTER_SET_STORAGE_CONFIGURATION","features":[110]},{"name":"CLUSCTL_CLUSTER_SHUTDOWN","features":[110]},{"name":"CLUSCTL_CLUSTER_STORAGE_RENAME_SHARED_VOLUME","features":[110]},{"name":"CLUSCTL_CLUSTER_STORAGE_RENAME_SHARED_VOLUME_GUID","features":[110]},{"name":"CLUSCTL_CLUSTER_UNKNOWN","features":[110]},{"name":"CLUSCTL_CLUSTER_VALIDATE_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_CLUSTER_VALIDATE_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_CONTROL_CODE_MASK","features":[110]},{"name":"CLUSCTL_FUNCTION_SHIFT","features":[110]},{"name":"CLUSCTL_GET_OPERATION_CONTEXT_PARAMS_VERSION_1","features":[110]},{"name":"CLUSCTL_GROUPSET_CODES","features":[110]},{"name":"CLUSCTL_GROUPSET_GET_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_GROUPSET_GET_GROUPS","features":[110]},{"name":"CLUSCTL_GROUPSET_GET_ID","features":[110]},{"name":"CLUSCTL_GROUPSET_GET_PROVIDER_GROUPS","features":[110]},{"name":"CLUSCTL_GROUPSET_GET_PROVIDER_GROUPSETS","features":[110]},{"name":"CLUSCTL_GROUPSET_GET_RO_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_GROUPSET_SET_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_GROUP_CODES","features":[110]},{"name":"CLUSCTL_GROUP_ENUM_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_GROUP_ENUM_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_GROUP_GET_CHARACTERISTICS","features":[110]},{"name":"CLUSCTL_GROUP_GET_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_GROUP_GET_COMMON_PROPERTY_FMTS","features":[110]},{"name":"CLUSCTL_GROUP_GET_FAILURE_INFO","features":[110]},{"name":"CLUSCTL_GROUP_GET_FLAGS","features":[110]},{"name":"CLUSCTL_GROUP_GET_ID","features":[110]},{"name":"CLUSCTL_GROUP_GET_LAST_MOVE_TIME","features":[110]},{"name":"CLUSCTL_GROUP_GET_LAST_MOVE_TIME_OUTPUT","features":[1,110]},{"name":"CLUSCTL_GROUP_GET_NAME","features":[110]},{"name":"CLUSCTL_GROUP_GET_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_GROUP_GET_PRIVATE_PROPERTY_FMTS","features":[110]},{"name":"CLUSCTL_GROUP_GET_PROVIDER_GROUPS","features":[110]},{"name":"CLUSCTL_GROUP_GET_PROVIDER_GROUPSETS","features":[110]},{"name":"CLUSCTL_GROUP_GET_RO_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_GROUP_GET_RO_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_GROUP_QUERY_DELETE","features":[110]},{"name":"CLUSCTL_GROUP_SET_CCF_FROM_MASTER","features":[110]},{"name":"CLUSCTL_GROUP_SET_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_GROUP_SET_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_GROUP_UNKNOWN","features":[110]},{"name":"CLUSCTL_GROUP_VALIDATE_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_GROUP_VALIDATE_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_NETINTERFACE_CODES","features":[110]},{"name":"CLUSCTL_NETINTERFACE_ENUM_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_NETINTERFACE_ENUM_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_NETINTERFACE_GET_CHARACTERISTICS","features":[110]},{"name":"CLUSCTL_NETINTERFACE_GET_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_NETINTERFACE_GET_COMMON_PROPERTY_FMTS","features":[110]},{"name":"CLUSCTL_NETINTERFACE_GET_FLAGS","features":[110]},{"name":"CLUSCTL_NETINTERFACE_GET_ID","features":[110]},{"name":"CLUSCTL_NETINTERFACE_GET_NAME","features":[110]},{"name":"CLUSCTL_NETINTERFACE_GET_NETWORK","features":[110]},{"name":"CLUSCTL_NETINTERFACE_GET_NODE","features":[110]},{"name":"CLUSCTL_NETINTERFACE_GET_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_NETINTERFACE_GET_PRIVATE_PROPERTY_FMTS","features":[110]},{"name":"CLUSCTL_NETINTERFACE_GET_RO_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_NETINTERFACE_GET_RO_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_NETINTERFACE_SET_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_NETINTERFACE_SET_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_NETINTERFACE_UNKNOWN","features":[110]},{"name":"CLUSCTL_NETINTERFACE_VALIDATE_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_NETINTERFACE_VALIDATE_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_NETWORK_CODES","features":[110]},{"name":"CLUSCTL_NETWORK_ENUM_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_NETWORK_ENUM_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_NETWORK_GET_CHARACTERISTICS","features":[110]},{"name":"CLUSCTL_NETWORK_GET_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_NETWORK_GET_COMMON_PROPERTY_FMTS","features":[110]},{"name":"CLUSCTL_NETWORK_GET_FLAGS","features":[110]},{"name":"CLUSCTL_NETWORK_GET_ID","features":[110]},{"name":"CLUSCTL_NETWORK_GET_NAME","features":[110]},{"name":"CLUSCTL_NETWORK_GET_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_NETWORK_GET_PRIVATE_PROPERTY_FMTS","features":[110]},{"name":"CLUSCTL_NETWORK_GET_RO_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_NETWORK_GET_RO_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_NETWORK_SET_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_NETWORK_SET_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_NETWORK_UNKNOWN","features":[110]},{"name":"CLUSCTL_NETWORK_VALIDATE_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_NETWORK_VALIDATE_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_NODE_BLOCK_GEM_SEND_RECV","features":[110]},{"name":"CLUSCTL_NODE_CODES","features":[110]},{"name":"CLUSCTL_NODE_ENUM_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_NODE_ENUM_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_NODE_GET_CHARACTERISTICS","features":[110]},{"name":"CLUSCTL_NODE_GET_CLUSTER_SERVICE_ACCOUNT_NAME","features":[110]},{"name":"CLUSCTL_NODE_GET_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_NODE_GET_COMMON_PROPERTY_FMTS","features":[110]},{"name":"CLUSCTL_NODE_GET_FLAGS","features":[110]},{"name":"CLUSCTL_NODE_GET_GEMID_VECTOR","features":[110]},{"name":"CLUSCTL_NODE_GET_ID","features":[110]},{"name":"CLUSCTL_NODE_GET_NAME","features":[110]},{"name":"CLUSCTL_NODE_GET_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_NODE_GET_PRIVATE_PROPERTY_FMTS","features":[110]},{"name":"CLUSCTL_NODE_GET_RO_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_NODE_GET_RO_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_NODE_GET_STUCK_NODES","features":[110]},{"name":"CLUSCTL_NODE_INJECT_GEM_FAULT","features":[110]},{"name":"CLUSCTL_NODE_INTRODUCE_GEM_REPAIR_DELAY","features":[110]},{"name":"CLUSCTL_NODE_SEND_DUMMY_GEM_MESSAGES","features":[110]},{"name":"CLUSCTL_NODE_SET_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_NODE_SET_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_NODE_UNKNOWN","features":[110]},{"name":"CLUSCTL_NODE_VALIDATE_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_NODE_VALIDATE_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_OBJECT_MASK","features":[110]},{"name":"CLUSCTL_OBJECT_SHIFT","features":[110]},{"name":"CLUSCTL_RESOURCE_ADD_CRYPTO_CHECKPOINT","features":[110]},{"name":"CLUSCTL_RESOURCE_ADD_CRYPTO_CHECKPOINT_EX","features":[110]},{"name":"CLUSCTL_RESOURCE_ADD_DEPENDENCY","features":[110]},{"name":"CLUSCTL_RESOURCE_ADD_OWNER","features":[110]},{"name":"CLUSCTL_RESOURCE_ADD_REGISTRY_CHECKPOINT","features":[110]},{"name":"CLUSCTL_RESOURCE_ADD_REGISTRY_CHECKPOINT_32BIT","features":[110]},{"name":"CLUSCTL_RESOURCE_ADD_REGISTRY_CHECKPOINT_64BIT","features":[110]},{"name":"CLUSCTL_RESOURCE_CHECK_DRAIN_VETO","features":[110]},{"name":"CLUSCTL_RESOURCE_CLUSTER_NAME_CHANGED","features":[110]},{"name":"CLUSCTL_RESOURCE_CLUSTER_VERSION_CHANGED","features":[110]},{"name":"CLUSCTL_RESOURCE_CODES","features":[110]},{"name":"CLUSCTL_RESOURCE_DELETE","features":[110]},{"name":"CLUSCTL_RESOURCE_DELETE_CRYPTO_CHECKPOINT","features":[110]},{"name":"CLUSCTL_RESOURCE_DELETE_REGISTRY_CHECKPOINT","features":[110]},{"name":"CLUSCTL_RESOURCE_DISABLE_SHARED_VOLUME_DIRECTIO","features":[110]},{"name":"CLUSCTL_RESOURCE_ENABLE_SHARED_VOLUME_DIRECTIO","features":[110]},{"name":"CLUSCTL_RESOURCE_ENUM_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_RESOURCE_ENUM_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_RESOURCE_EVICT_NODE","features":[110]},{"name":"CLUSCTL_RESOURCE_FORCE_QUORUM","features":[110]},{"name":"CLUSCTL_RESOURCE_FSWITNESS_GET_EPOCH_INFO","features":[110]},{"name":"CLUSCTL_RESOURCE_FSWITNESS_RELEASE_LOCK","features":[110]},{"name":"CLUSCTL_RESOURCE_FSWITNESS_SET_EPOCH_INFO","features":[110]},{"name":"CLUSCTL_RESOURCE_GET_CHARACTERISTICS","features":[110]},{"name":"CLUSCTL_RESOURCE_GET_CLASS_INFO","features":[110]},{"name":"CLUSCTL_RESOURCE_GET_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_RESOURCE_GET_COMMON_PROPERTY_FMTS","features":[110]},{"name":"CLUSCTL_RESOURCE_GET_CRYPTO_CHECKPOINTS","features":[110]},{"name":"CLUSCTL_RESOURCE_GET_DNS_NAME","features":[110]},{"name":"CLUSCTL_RESOURCE_GET_FAILURE_INFO","features":[110]},{"name":"CLUSCTL_RESOURCE_GET_FLAGS","features":[110]},{"name":"CLUSCTL_RESOURCE_GET_ID","features":[110]},{"name":"CLUSCTL_RESOURCE_GET_INFRASTRUCTURE_SOFS_BUFFER","features":[110]},{"name":"CLUSCTL_RESOURCE_GET_LOADBAL_PROCESS_LIST","features":[110]},{"name":"CLUSCTL_RESOURCE_GET_NAME","features":[110]},{"name":"CLUSCTL_RESOURCE_GET_NETWORK_NAME","features":[110]},{"name":"CLUSCTL_RESOURCE_GET_NODES_IN_FD","features":[110]},{"name":"CLUSCTL_RESOURCE_GET_OPERATION_CONTEXT","features":[110]},{"name":"CLUSCTL_RESOURCE_GET_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_RESOURCE_GET_PRIVATE_PROPERTY_FMTS","features":[110]},{"name":"CLUSCTL_RESOURCE_GET_REGISTRY_CHECKPOINTS","features":[110]},{"name":"CLUSCTL_RESOURCE_GET_REQUIRED_DEPENDENCIES","features":[110]},{"name":"CLUSCTL_RESOURCE_GET_RESOURCE_TYPE","features":[110]},{"name":"CLUSCTL_RESOURCE_GET_RO_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_RESOURCE_GET_RO_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_RESOURCE_GET_STATE_CHANGE_TIME","features":[110]},{"name":"CLUSCTL_RESOURCE_INITIALIZE","features":[110]},{"name":"CLUSCTL_RESOURCE_INSTALL_NODE","features":[110]},{"name":"CLUSCTL_RESOURCE_IPADDRESS_RELEASE_LEASE","features":[110]},{"name":"CLUSCTL_RESOURCE_IPADDRESS_RENEW_LEASE","features":[110]},{"name":"CLUSCTL_RESOURCE_IS_QUORUM_BLOCKED","features":[110]},{"name":"CLUSCTL_RESOURCE_JOINING_GROUP","features":[110]},{"name":"CLUSCTL_RESOURCE_LEAVING_GROUP","features":[110]},{"name":"CLUSCTL_RESOURCE_NETNAME_CREDS_NOTIFYCAM","features":[110]},{"name":"CLUSCTL_RESOURCE_NETNAME_DELETE_CO","features":[110]},{"name":"CLUSCTL_RESOURCE_NETNAME_GET_VIRTUAL_SERVER_TOKEN","features":[110]},{"name":"CLUSCTL_RESOURCE_NETNAME_REGISTER_DNS_RECORDS","features":[110]},{"name":"CLUSCTL_RESOURCE_NETNAME_REPAIR_VCO","features":[110]},{"name":"CLUSCTL_RESOURCE_NETNAME_RESET_VCO","features":[110]},{"name":"CLUSCTL_RESOURCE_NETNAME_SET_PWD_INFO","features":[110]},{"name":"CLUSCTL_RESOURCE_NETNAME_SET_PWD_INFOEX","features":[110]},{"name":"CLUSCTL_RESOURCE_NETNAME_VALIDATE_VCO","features":[110]},{"name":"CLUSCTL_RESOURCE_NOTIFY_DRAIN_COMPLETE","features":[110]},{"name":"CLUSCTL_RESOURCE_NOTIFY_OWNER_CHANGE","features":[110]},{"name":"CLUSCTL_RESOURCE_NOTIFY_QUORUM_STATUS","features":[110]},{"name":"CLUSCTL_RESOURCE_POOL_GET_DRIVE_INFO","features":[110]},{"name":"CLUSCTL_RESOURCE_PREPARE_UPGRADE","features":[110]},{"name":"CLUSCTL_RESOURCE_PROVIDER_STATE_CHANGE","features":[110]},{"name":"CLUSCTL_RESOURCE_QUERY_DELETE","features":[110]},{"name":"CLUSCTL_RESOURCE_QUERY_MAINTENANCE_MODE","features":[110]},{"name":"CLUSCTL_RESOURCE_REMOVE_DEPENDENCY","features":[110]},{"name":"CLUSCTL_RESOURCE_REMOVE_OWNER","features":[110]},{"name":"CLUSCTL_RESOURCE_RLUA_GET_VIRTUAL_SERVER_TOKEN","features":[110]},{"name":"CLUSCTL_RESOURCE_RLUA_SET_PWD_INFO","features":[110]},{"name":"CLUSCTL_RESOURCE_RLUA_SET_PWD_INFOEX","features":[110]},{"name":"CLUSCTL_RESOURCE_RW_MODIFY_NOOP","features":[110]},{"name":"CLUSCTL_RESOURCE_SCALEOUT_COMMAND","features":[110]},{"name":"CLUSCTL_RESOURCE_SCALEOUT_CONTROL","features":[110]},{"name":"CLUSCTL_RESOURCE_SCALEOUT_GET_CLUSTERS","features":[110]},{"name":"CLUSCTL_RESOURCE_SET_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_RESOURCE_SET_CSV_MAINTENANCE_MODE","features":[110]},{"name":"CLUSCTL_RESOURCE_SET_INFRASTRUCTURE_SOFS_BUFFER","features":[110]},{"name":"CLUSCTL_RESOURCE_SET_MAINTENANCE_MODE","features":[110]},{"name":"CLUSCTL_RESOURCE_SET_NAME","features":[110]},{"name":"CLUSCTL_RESOURCE_SET_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_RESOURCE_SET_SHARED_VOLUME_BACKUP_MODE","features":[110]},{"name":"CLUSCTL_RESOURCE_STATE_CHANGE_REASON","features":[110]},{"name":"CLUSCTL_RESOURCE_STATE_CHANGE_REASON_STRUCT","features":[110]},{"name":"CLUSCTL_RESOURCE_STATE_CHANGE_REASON_VERSION_1","features":[110]},{"name":"CLUSCTL_RESOURCE_STORAGE_GET_DIRTY","features":[110]},{"name":"CLUSCTL_RESOURCE_STORAGE_GET_DISKID","features":[110]},{"name":"CLUSCTL_RESOURCE_STORAGE_GET_DISK_INFO","features":[110]},{"name":"CLUSCTL_RESOURCE_STORAGE_GET_DISK_INFO_EX","features":[110]},{"name":"CLUSCTL_RESOURCE_STORAGE_GET_DISK_INFO_EX2","features":[110]},{"name":"CLUSCTL_RESOURCE_STORAGE_GET_DISK_NUMBER_INFO","features":[110]},{"name":"CLUSCTL_RESOURCE_STORAGE_GET_MOUNTPOINTS","features":[110]},{"name":"CLUSCTL_RESOURCE_STORAGE_GET_SHARED_VOLUME_INFO","features":[110]},{"name":"CLUSCTL_RESOURCE_STORAGE_GET_SHARED_VOLUME_PARTITION_NAMES","features":[110]},{"name":"CLUSCTL_RESOURCE_STORAGE_GET_SHARED_VOLUME_STATES","features":[110]},{"name":"CLUSCTL_RESOURCE_STORAGE_IS_PATH_VALID","features":[110]},{"name":"CLUSCTL_RESOURCE_STORAGE_IS_SHARED_VOLUME","features":[110]},{"name":"CLUSCTL_RESOURCE_STORAGE_RENAME_SHARED_VOLUME","features":[110]},{"name":"CLUSCTL_RESOURCE_STORAGE_RENAME_SHARED_VOLUME_GUID","features":[110]},{"name":"CLUSCTL_RESOURCE_STORAGE_SET_DRIVELETTER","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_CHECK_DRAIN_VETO","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_CLUSTER_VERSION_CHANGED","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_CODES","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_ENUM_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_ENUM_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_EVICT_NODE","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_FIXUP_ON_UPGRADE","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_GEN_APP_VALIDATE_DIRECTORY","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_GEN_APP_VALIDATE_PATH","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_GEN_SCRIPT_VALIDATE_PATH","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_ARB_TIMEOUT","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_CHARACTERISTICS","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_CLASS_INFO","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_COMMON_PROPERTY_FMTS","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_COMMON_RESOURCE_PROPERTY_FMTS","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_CRYPTO_CHECKPOINTS","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_FLAGS","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_PRIVATE_PROPERTY_FMTS","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_PRIVATE_RESOURCE_PROPERTY_FMTS","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_REGISTRY_CHECKPOINTS","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_REQUIRED_DEPENDENCIES","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_RO_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_RO_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_HOLD_IO","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_INSTALL_NODE","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_NETNAME_GET_OU_FOR_VCO","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_NETNAME_VALIDATE_NETNAME","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_NOTIFY_DRAIN_COMPLETE","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_NOTIFY_MONITOR_SHUTTING_DOWN","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_PREPARE_UPGRADE","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_QUERY_DELETE","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_REPLICATION_ADD_REPLICATION_GROUP","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_REPLICATION_GET_ELIGIBLE_LOGDISKS","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_REPLICATION_GET_ELIGIBLE_SOURCE_DATADISKS","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_REPLICATION_GET_ELIGIBLE_TARGET_DATADISKS","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_REPLICATION_GET_LOG_INFO","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_REPLICATION_GET_LOG_VOLUME","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_REPLICATION_GET_REPLICATED_DISKS","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_REPLICATION_GET_REPLICATED_PARTITION_INFO","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_REPLICATION_GET_REPLICA_VOLUMES","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_REPLICATION_GET_RESOURCE_GROUP","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_RESUME_IO","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_SET_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_SET_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_STARTING_PHASE1","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_STARTING_PHASE2","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_GET_AVAILABLE_DISKS","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_GET_AVAILABLE_DISKS_EX","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_GET_AVAILABLE_DISKS_EX2_FLAG_ADD_VOLUME_INFO","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_GET_AVAILABLE_DISKS_EX2_FLAG_FILTER_BY_POOL","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_GET_AVAILABLE_DISKS_EX2_FLAG_INCLUDE_NON_SHARED_DISKS","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_GET_AVAILABLE_DISKS_EX2_INPUT","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_GET_AVAILABLE_DISKS_EX2_INT","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_GET_DISKID","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_GET_DRIVELETTERS","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_GET_RESOURCEID","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_IS_CLUSTERABLE","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_IS_CSV_FILE","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_REMAP_DRIVELETTER","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_REMOVE_VM_OWNERSHIP","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_SYNC_CLUSDISK_DB","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_UNKNOWN","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_UPGRADE_COMPLETED","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_VALIDATE_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_VALIDATE_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSCTL_RESOURCE_TYPE_WITNESS_VALIDATE_PATH","features":[110]},{"name":"CLUSCTL_RESOURCE_UNDELETE","features":[110]},{"name":"CLUSCTL_RESOURCE_UNKNOWN","features":[110]},{"name":"CLUSCTL_RESOURCE_UPGRADE_COMPLETED","features":[110]},{"name":"CLUSCTL_RESOURCE_UPGRADE_DLL","features":[110]},{"name":"CLUSCTL_RESOURCE_VALIDATE_CHANGE_GROUP","features":[110]},{"name":"CLUSCTL_RESOURCE_VALIDATE_COMMON_PROPERTIES","features":[110]},{"name":"CLUSCTL_RESOURCE_VALIDATE_PRIVATE_PROPERTIES","features":[110]},{"name":"CLUSGROUPSET_STATUS_APPLICATION_READY","features":[110]},{"name":"CLUSGROUPSET_STATUS_GROUPS_ONLINE","features":[110]},{"name":"CLUSGROUPSET_STATUS_GROUPS_PENDING","features":[110]},{"name":"CLUSGROUPSET_STATUS_OS_HEARTBEAT","features":[110]},{"name":"CLUSGROUP_TYPE","features":[110]},{"name":"CLUSGRP_STATUS_APPLICATION_READY","features":[110]},{"name":"CLUSGRP_STATUS_EMBEDDED_FAILURE","features":[110]},{"name":"CLUSGRP_STATUS_LOCKED_MODE","features":[110]},{"name":"CLUSGRP_STATUS_NETWORK_FAILURE","features":[110]},{"name":"CLUSGRP_STATUS_OFFLINE_DUE_TO_ANTIAFFINITY_CONFLICT","features":[110]},{"name":"CLUSGRP_STATUS_OFFLINE_NOT_LOCAL_DISK_OWNER","features":[110]},{"name":"CLUSGRP_STATUS_OS_HEARTBEAT","features":[110]},{"name":"CLUSGRP_STATUS_PHYSICAL_RESOURCES_LACKING","features":[110]},{"name":"CLUSGRP_STATUS_PREEMPTED","features":[110]},{"name":"CLUSGRP_STATUS_UNMONITORED","features":[110]},{"name":"CLUSGRP_STATUS_WAITING_FOR_DEPENDENCIES","features":[110]},{"name":"CLUSGRP_STATUS_WAITING_IN_QUEUE_FOR_MOVE","features":[110]},{"name":"CLUSGRP_STATUS_WAITING_TO_START","features":[110]},{"name":"CLUSPROP_BINARY","features":[110]},{"name":"CLUSPROP_BUFFER_HELPER","features":[1,110,4]},{"name":"CLUSPROP_DWORD","features":[110]},{"name":"CLUSPROP_FILETIME","features":[1,110]},{"name":"CLUSPROP_FORMAT_BINARY","features":[110]},{"name":"CLUSPROP_FORMAT_DWORD","features":[110]},{"name":"CLUSPROP_FORMAT_EXPANDED_SZ","features":[110]},{"name":"CLUSPROP_FORMAT_EXPAND_SZ","features":[110]},{"name":"CLUSPROP_FORMAT_FILETIME","features":[110]},{"name":"CLUSPROP_FORMAT_LARGE_INTEGER","features":[110]},{"name":"CLUSPROP_FORMAT_LONG","features":[110]},{"name":"CLUSPROP_FORMAT_MULTI_SZ","features":[110]},{"name":"CLUSPROP_FORMAT_PROPERTY_LIST","features":[110]},{"name":"CLUSPROP_FORMAT_SECURITY_DESCRIPTOR","features":[110]},{"name":"CLUSPROP_FORMAT_SZ","features":[110]},{"name":"CLUSPROP_FORMAT_ULARGE_INTEGER","features":[110]},{"name":"CLUSPROP_FORMAT_UNKNOWN","features":[110]},{"name":"CLUSPROP_FORMAT_USER","features":[110]},{"name":"CLUSPROP_FORMAT_VALUE_LIST","features":[110]},{"name":"CLUSPROP_FORMAT_WORD","features":[110]},{"name":"CLUSPROP_FTSET_INFO","features":[110]},{"name":"CLUSPROP_IPADDR_ENABLENETBIOS","features":[110]},{"name":"CLUSPROP_IPADDR_ENABLENETBIOS_DISABLED","features":[110]},{"name":"CLUSPROP_IPADDR_ENABLENETBIOS_ENABLED","features":[110]},{"name":"CLUSPROP_IPADDR_ENABLENETBIOS_TRACK_NIC","features":[110]},{"name":"CLUSPROP_LARGE_INTEGER","features":[110]},{"name":"CLUSPROP_LIST","features":[110]},{"name":"CLUSPROP_LONG","features":[110]},{"name":"CLUSPROP_PARTITION_INFO","features":[110]},{"name":"CLUSPROP_PARTITION_INFO_EX","features":[110]},{"name":"CLUSPROP_PARTITION_INFO_EX2","features":[110]},{"name":"CLUSPROP_PIFLAGS","features":[110]},{"name":"CLUSPROP_PIFLAG_DEFAULT_QUORUM","features":[110]},{"name":"CLUSPROP_PIFLAG_ENCRYPTION_ENABLED","features":[110]},{"name":"CLUSPROP_PIFLAG_RAW","features":[110]},{"name":"CLUSPROP_PIFLAG_REMOVABLE","features":[110]},{"name":"CLUSPROP_PIFLAG_STICKY","features":[110]},{"name":"CLUSPROP_PIFLAG_UNKNOWN","features":[110]},{"name":"CLUSPROP_PIFLAG_USABLE","features":[110]},{"name":"CLUSPROP_PIFLAG_USABLE_FOR_CSV","features":[110]},{"name":"CLUSPROP_REQUIRED_DEPENDENCY","features":[110]},{"name":"CLUSPROP_RESOURCE_CLASS","features":[110]},{"name":"CLUSPROP_RESOURCE_CLASS_INFO","features":[110]},{"name":"CLUSPROP_SCSI_ADDRESS","features":[110]},{"name":"CLUSPROP_SECURITY_DESCRIPTOR","features":[110,4]},{"name":"CLUSPROP_SYNTAX","features":[110]},{"name":"CLUSPROP_SYNTAX_DISK_GUID","features":[110]},{"name":"CLUSPROP_SYNTAX_DISK_NUMBER","features":[110]},{"name":"CLUSPROP_SYNTAX_DISK_SERIALNUMBER","features":[110]},{"name":"CLUSPROP_SYNTAX_DISK_SIGNATURE","features":[110]},{"name":"CLUSPROP_SYNTAX_DISK_SIZE","features":[110]},{"name":"CLUSPROP_SYNTAX_ENDMARK","features":[110]},{"name":"CLUSPROP_SYNTAX_FTSET_INFO","features":[110]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_BINARY","features":[110]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_DWORD","features":[110]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_EXPANDED_SZ","features":[110]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_EXPAND_SZ","features":[110]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_FILETIME","features":[110]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_LARGE_INTEGER","features":[110]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_LONG","features":[110]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_MULTI_SZ","features":[110]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_PROPERTY_LIST","features":[110]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_SECURITY_DESCRIPTOR","features":[110]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_SZ","features":[110]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_ULARGE_INTEGER","features":[110]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_WORD","features":[110]},{"name":"CLUSPROP_SYNTAX_NAME","features":[110]},{"name":"CLUSPROP_SYNTAX_PARTITION_INFO","features":[110]},{"name":"CLUSPROP_SYNTAX_PARTITION_INFO_EX","features":[110]},{"name":"CLUSPROP_SYNTAX_PARTITION_INFO_EX2","features":[110]},{"name":"CLUSPROP_SYNTAX_RESCLASS","features":[110]},{"name":"CLUSPROP_SYNTAX_SCSI_ADDRESS","features":[110]},{"name":"CLUSPROP_SYNTAX_STORAGE_DEVICE_ID_DESCRIPTOR","features":[110]},{"name":"CLUSPROP_SZ","features":[110]},{"name":"CLUSPROP_TYPE_DISK_GUID","features":[110]},{"name":"CLUSPROP_TYPE_DISK_NUMBER","features":[110]},{"name":"CLUSPROP_TYPE_DISK_SERIALNUMBER","features":[110]},{"name":"CLUSPROP_TYPE_DISK_SIZE","features":[110]},{"name":"CLUSPROP_TYPE_ENDMARK","features":[110]},{"name":"CLUSPROP_TYPE_FTSET_INFO","features":[110]},{"name":"CLUSPROP_TYPE_LIST_VALUE","features":[110]},{"name":"CLUSPROP_TYPE_NAME","features":[110]},{"name":"CLUSPROP_TYPE_PARTITION_INFO","features":[110]},{"name":"CLUSPROP_TYPE_PARTITION_INFO_EX","features":[110]},{"name":"CLUSPROP_TYPE_PARTITION_INFO_EX2","features":[110]},{"name":"CLUSPROP_TYPE_RESCLASS","features":[110]},{"name":"CLUSPROP_TYPE_RESERVED1","features":[110]},{"name":"CLUSPROP_TYPE_SCSI_ADDRESS","features":[110]},{"name":"CLUSPROP_TYPE_SIGNATURE","features":[110]},{"name":"CLUSPROP_TYPE_STORAGE_DEVICE_ID_DESCRIPTOR","features":[110]},{"name":"CLUSPROP_TYPE_UNKNOWN","features":[110]},{"name":"CLUSPROP_TYPE_USER","features":[110]},{"name":"CLUSPROP_ULARGE_INTEGER","features":[110]},{"name":"CLUSPROP_VALUE","features":[110]},{"name":"CLUSPROP_WORD","features":[110]},{"name":"CLUSREG_COMMAND_NONE","features":[110]},{"name":"CLUSREG_CONDITION_EXISTS","features":[110]},{"name":"CLUSREG_CONDITION_IS_EQUAL","features":[110]},{"name":"CLUSREG_CONDITION_IS_GREATER_THAN","features":[110]},{"name":"CLUSREG_CONDITION_IS_LESS_THAN","features":[110]},{"name":"CLUSREG_CONDITION_IS_NOT_EQUAL","features":[110]},{"name":"CLUSREG_CONDITION_KEY_EXISTS","features":[110]},{"name":"CLUSREG_CONDITION_KEY_NOT_EXISTS","features":[110]},{"name":"CLUSREG_CONDITION_NOT_EXISTS","features":[110]},{"name":"CLUSREG_CONTROL_COMMAND","features":[110]},{"name":"CLUSREG_CREATE_KEY","features":[110]},{"name":"CLUSREG_DATABASE_ISOLATE_READ","features":[110]},{"name":"CLUSREG_DATABASE_SYNC_WRITE_TO_ALL_NODES","features":[110]},{"name":"CLUSREG_DELETE_KEY","features":[110]},{"name":"CLUSREG_DELETE_VALUE","features":[110]},{"name":"CLUSREG_KEYNAME_OBJECTGUIDS","features":[110]},{"name":"CLUSREG_LAST_COMMAND","features":[110]},{"name":"CLUSREG_NAME_AFFINITYRULE_ENABLED","features":[110]},{"name":"CLUSREG_NAME_AFFINITYRULE_GROUPS","features":[110]},{"name":"CLUSREG_NAME_AFFINITYRULE_NAME","features":[110]},{"name":"CLUSREG_NAME_AFFINITYRULE_TYPE","features":[110]},{"name":"CLUSREG_NAME_CLOUDWITNESS_ACCOUNT_NAME","features":[110]},{"name":"CLUSREG_NAME_CLOUDWITNESS_CONTAINER_NAME","features":[110]},{"name":"CLUSREG_NAME_CLOUDWITNESS_ENDPOINT_INFO","features":[110]},{"name":"CLUSREG_NAME_CLOUDWITNESS_PRIMARY_KEY","features":[110]},{"name":"CLUSREG_NAME_CLOUDWITNESS_PRIMARY_TOKEN","features":[110]},{"name":"CLUSREG_NAME_CLUS_DEFAULT_NETWORK_ROLE","features":[110]},{"name":"CLUSREG_NAME_CLUS_DESC","features":[110]},{"name":"CLUSREG_NAME_CLUS_SD","features":[110]},{"name":"CLUSREG_NAME_CROSS_SITE_DELAY","features":[110]},{"name":"CLUSREG_NAME_CROSS_SITE_THRESHOLD","features":[110]},{"name":"CLUSREG_NAME_CROSS_SUBNET_DELAY","features":[110]},{"name":"CLUSREG_NAME_CROSS_SUBNET_THRESHOLD","features":[110]},{"name":"CLUSREG_NAME_CSV_BLOCK_CACHE","features":[110]},{"name":"CLUSREG_NAME_CSV_MDS_SD","features":[110]},{"name":"CLUSREG_NAME_DATABASE_READ_WRITE_MODE","features":[110]},{"name":"CLUSREG_NAME_DDA_DEVICE_ALLOCATIONS","features":[110]},{"name":"CLUSREG_NAME_DHCP_BACKUP_PATH","features":[110]},{"name":"CLUSREG_NAME_DHCP_DATABASE_PATH","features":[110]},{"name":"CLUSREG_NAME_DRAIN_ON_SHUTDOWN","features":[110]},{"name":"CLUSREG_NAME_ENABLED_EVENT_LOGS","features":[110]},{"name":"CLUSREG_NAME_FAILOVER_MOVE_MIGRATION_TYPE","features":[110]},{"name":"CLUSREG_NAME_FILESHR_CA_TIMEOUT","features":[110]},{"name":"CLUSREG_NAME_FILESHR_HIDE_SUBDIR_SHARES","features":[110]},{"name":"CLUSREG_NAME_FILESHR_IS_DFS_ROOT","features":[110]},{"name":"CLUSREG_NAME_FILESHR_MAX_USERS","features":[110]},{"name":"CLUSREG_NAME_FILESHR_PATH","features":[110]},{"name":"CLUSREG_NAME_FILESHR_QOS_FLOWSCOPE","features":[110]},{"name":"CLUSREG_NAME_FILESHR_QOS_POLICYID","features":[110]},{"name":"CLUSREG_NAME_FILESHR_REMARK","features":[110]},{"name":"CLUSREG_NAME_FILESHR_SD","features":[110]},{"name":"CLUSREG_NAME_FILESHR_SERVER_NAME","features":[110]},{"name":"CLUSREG_NAME_FILESHR_SHARE_FLAGS","features":[110]},{"name":"CLUSREG_NAME_FILESHR_SHARE_NAME","features":[110]},{"name":"CLUSREG_NAME_FILESHR_SHARE_SUBDIRS","features":[110]},{"name":"CLUSREG_NAME_FIXQUORUM","features":[110]},{"name":"CLUSREG_NAME_FSWITNESS_ARB_DELAY","features":[110]},{"name":"CLUSREG_NAME_FSWITNESS_IMPERSONATE_CNO","features":[110]},{"name":"CLUSREG_NAME_FSWITNESS_SHARE_PATH","features":[110]},{"name":"CLUSREG_NAME_FUNCTIONAL_LEVEL","features":[110]},{"name":"CLUSREG_NAME_GENAPP_COMMAND_LINE","features":[110]},{"name":"CLUSREG_NAME_GENAPP_CURRENT_DIRECTORY","features":[110]},{"name":"CLUSREG_NAME_GENAPP_USE_NETWORK_NAME","features":[110]},{"name":"CLUSREG_NAME_GENSCRIPT_SCRIPT_FILEPATH","features":[110]},{"name":"CLUSREG_NAME_GENSVC_SERVICE_NAME","features":[110]},{"name":"CLUSREG_NAME_GENSVC_STARTUP_PARAMS","features":[110]},{"name":"CLUSREG_NAME_GENSVC_USE_NETWORK_NAME","features":[110]},{"name":"CLUSREG_NAME_GPUP_DEVICE_ALLOCATIONS","features":[110]},{"name":"CLUSREG_NAME_GROUPSET_AVAILABILITY_SET_INDEX_TO_NODE_MAPPING","features":[110]},{"name":"CLUSREG_NAME_GROUPSET_FAULT_DOMAINS","features":[110]},{"name":"CLUSREG_NAME_GROUPSET_IS_AVAILABILITY_SET","features":[110]},{"name":"CLUSREG_NAME_GROUPSET_IS_GLOBAL","features":[110]},{"name":"CLUSREG_NAME_GROUPSET_NAME","features":[110]},{"name":"CLUSREG_NAME_GROUPSET_RESERVE_NODE","features":[110]},{"name":"CLUSREG_NAME_GROUPSET_STARTUP_COUNT","features":[110]},{"name":"CLUSREG_NAME_GROUPSET_STARTUP_DELAY","features":[110]},{"name":"CLUSREG_NAME_GROUPSET_STARTUP_SETTING","features":[110]},{"name":"CLUSREG_NAME_GROUPSET_STATUS_INFORMATION","features":[110]},{"name":"CLUSREG_NAME_GROUPSET_UPDATE_DOMAINS","features":[110]},{"name":"CLUSREG_NAME_GROUP_DEPENDENCY_TIMEOUT","features":[110]},{"name":"CLUSREG_NAME_GRP_ANTI_AFFINITY_CLASS_NAME","features":[110]},{"name":"CLUSREG_NAME_GRP_CCF_EPOCH","features":[110]},{"name":"CLUSREG_NAME_GRP_CCF_EPOCH_HIGH","features":[110]},{"name":"CLUSREG_NAME_GRP_COLD_START_SETTING","features":[110]},{"name":"CLUSREG_NAME_GRP_DEFAULT_OWNER","features":[110]},{"name":"CLUSREG_NAME_GRP_DESC","features":[110]},{"name":"CLUSREG_NAME_GRP_FAILBACK_TYPE","features":[110]},{"name":"CLUSREG_NAME_GRP_FAILBACK_WIN_END","features":[110]},{"name":"CLUSREG_NAME_GRP_FAILBACK_WIN_START","features":[110]},{"name":"CLUSREG_NAME_GRP_FAILOVER_PERIOD","features":[110]},{"name":"CLUSREG_NAME_GRP_FAILOVER_THRESHOLD","features":[110]},{"name":"CLUSREG_NAME_GRP_FAULT_DOMAIN","features":[110]},{"name":"CLUSREG_NAME_GRP_LOCK_MOVE","features":[110]},{"name":"CLUSREG_NAME_GRP_NAME","features":[110]},{"name":"CLUSREG_NAME_GRP_PERSISTENT_STATE","features":[110]},{"name":"CLUSREG_NAME_GRP_PLACEMENT_OPTIONS","features":[110]},{"name":"CLUSREG_NAME_GRP_PREFERRED_SITE","features":[110]},{"name":"CLUSREG_NAME_GRP_PRIORITY","features":[110]},{"name":"CLUSREG_NAME_GRP_RESILIENCY_PERIOD","features":[110]},{"name":"CLUSREG_NAME_GRP_START_DELAY","features":[110]},{"name":"CLUSREG_NAME_GRP_STATUS_INFORMATION","features":[110]},{"name":"CLUSREG_NAME_GRP_TYPE","features":[110]},{"name":"CLUSREG_NAME_GRP_UPDATE_DOMAIN","features":[110]},{"name":"CLUSREG_NAME_IGNORE_PERSISTENT_STATE","features":[110]},{"name":"CLUSREG_NAME_IPADDR_ADDRESS","features":[110]},{"name":"CLUSREG_NAME_IPADDR_DHCP_ADDRESS","features":[110]},{"name":"CLUSREG_NAME_IPADDR_DHCP_SERVER","features":[110]},{"name":"CLUSREG_NAME_IPADDR_DHCP_SUBNET_MASK","features":[110]},{"name":"CLUSREG_NAME_IPADDR_ENABLE_DHCP","features":[110]},{"name":"CLUSREG_NAME_IPADDR_ENABLE_NETBIOS","features":[110]},{"name":"CLUSREG_NAME_IPADDR_LEASE_OBTAINED_TIME","features":[110]},{"name":"CLUSREG_NAME_IPADDR_LEASE_TERMINATES_TIME","features":[110]},{"name":"CLUSREG_NAME_IPADDR_NETWORK","features":[110]},{"name":"CLUSREG_NAME_IPADDR_OVERRIDE_ADDRMATCH","features":[110]},{"name":"CLUSREG_NAME_IPADDR_PROBE_FAILURE_THRESHOLD","features":[110]},{"name":"CLUSREG_NAME_IPADDR_PROBE_PORT","features":[110]},{"name":"CLUSREG_NAME_IPADDR_SHARED_NETNAME","features":[110]},{"name":"CLUSREG_NAME_IPADDR_SUBNET_MASK","features":[110]},{"name":"CLUSREG_NAME_IPADDR_T1","features":[110]},{"name":"CLUSREG_NAME_IPADDR_T2","features":[110]},{"name":"CLUSREG_NAME_IPV6_NATIVE_ADDRESS","features":[110]},{"name":"CLUSREG_NAME_IPV6_NATIVE_NETWORK","features":[110]},{"name":"CLUSREG_NAME_IPV6_NATIVE_PREFIX_LENGTH","features":[110]},{"name":"CLUSREG_NAME_IPV6_TUNNEL_ADDRESS","features":[110]},{"name":"CLUSREG_NAME_IPV6_TUNNEL_TUNNELTYPE","features":[110]},{"name":"CLUSREG_NAME_LAST_RECENT_EVENTS_RESET_TIME","features":[110]},{"name":"CLUSREG_NAME_LOG_FILE_PATH","features":[110]},{"name":"CLUSREG_NAME_MESSAGE_BUFFER_LENGTH","features":[110]},{"name":"CLUSREG_NAME_MIXED_MODE","features":[110]},{"name":"CLUSREG_NAME_NETFT_IPSEC_ENABLED","features":[110]},{"name":"CLUSREG_NAME_NETIFACE_ADAPTER_ID","features":[110]},{"name":"CLUSREG_NAME_NETIFACE_ADAPTER_NAME","features":[110]},{"name":"CLUSREG_NAME_NETIFACE_ADDRESS","features":[110]},{"name":"CLUSREG_NAME_NETIFACE_DESC","features":[110]},{"name":"CLUSREG_NAME_NETIFACE_DHCP_ENABLED","features":[110]},{"name":"CLUSREG_NAME_NETIFACE_IPV4_ADDRESSES","features":[110]},{"name":"CLUSREG_NAME_NETIFACE_IPV6_ADDRESSES","features":[110]},{"name":"CLUSREG_NAME_NETIFACE_NAME","features":[110]},{"name":"CLUSREG_NAME_NETIFACE_NETWORK","features":[110]},{"name":"CLUSREG_NAME_NETIFACE_NODE","features":[110]},{"name":"CLUSREG_NAME_NETNAME_AD_AWARE","features":[110]},{"name":"CLUSREG_NAME_NETNAME_ALIASES","features":[110]},{"name":"CLUSREG_NAME_NETNAME_CONTAINERGUID","features":[110]},{"name":"CLUSREG_NAME_NETNAME_CREATING_DC","features":[110]},{"name":"CLUSREG_NAME_NETNAME_DNN_DISABLE_CLONES","features":[110]},{"name":"CLUSREG_NAME_NETNAME_DNS_NAME","features":[110]},{"name":"CLUSREG_NAME_NETNAME_DNS_SUFFIX","features":[110]},{"name":"CLUSREG_NAME_NETNAME_EXCLUDE_NETWORKS","features":[110]},{"name":"CLUSREG_NAME_NETNAME_HOST_TTL","features":[110]},{"name":"CLUSREG_NAME_NETNAME_IN_USE_NETWORKS","features":[110]},{"name":"CLUSREG_NAME_NETNAME_LAST_DNS_UPDATE","features":[110]},{"name":"CLUSREG_NAME_NETNAME_NAME","features":[110]},{"name":"CLUSREG_NAME_NETNAME_OBJECT_ID","features":[110]},{"name":"CLUSREG_NAME_NETNAME_PUBLISH_PTR","features":[110]},{"name":"CLUSREG_NAME_NETNAME_REGISTER_ALL_IP","features":[110]},{"name":"CLUSREG_NAME_NETNAME_REMAP_PIPE_NAMES","features":[110]},{"name":"CLUSREG_NAME_NETNAME_REMOVEVCO_ONDELETE","features":[110]},{"name":"CLUSREG_NAME_NETNAME_RESOURCE_DATA","features":[110]},{"name":"CLUSREG_NAME_NETNAME_STATUS_DNS","features":[110]},{"name":"CLUSREG_NAME_NETNAME_STATUS_KERBEROS","features":[110]},{"name":"CLUSREG_NAME_NETNAME_STATUS_NETBIOS","features":[110]},{"name":"CLUSREG_NAME_NETNAME_VCO_CONTAINER","features":[110]},{"name":"CLUSREG_NAME_NET_ADDRESS","features":[110]},{"name":"CLUSREG_NAME_NET_ADDRESS_MASK","features":[110]},{"name":"CLUSREG_NAME_NET_AUTOMETRIC","features":[110]},{"name":"CLUSREG_NAME_NET_DESC","features":[110]},{"name":"CLUSREG_NAME_NET_IPV4_ADDRESSES","features":[110]},{"name":"CLUSREG_NAME_NET_IPV4_PREFIXLENGTHS","features":[110]},{"name":"CLUSREG_NAME_NET_IPV6_ADDRESSES","features":[110]},{"name":"CLUSREG_NAME_NET_IPV6_PREFIXLENGTHS","features":[110]},{"name":"CLUSREG_NAME_NET_METRIC","features":[110]},{"name":"CLUSREG_NAME_NET_NAME","features":[110]},{"name":"CLUSREG_NAME_NET_RDMA_CAPABLE","features":[110]},{"name":"CLUSREG_NAME_NET_ROLE","features":[110]},{"name":"CLUSREG_NAME_NET_RSS_CAPABLE","features":[110]},{"name":"CLUSREG_NAME_NET_SPEED","features":[110]},{"name":"CLUSREG_NAME_NODE_BUILD_NUMBER","features":[110]},{"name":"CLUSREG_NAME_NODE_CSDVERSION","features":[110]},{"name":"CLUSREG_NAME_NODE_DESC","features":[110]},{"name":"CLUSREG_NAME_NODE_DRAIN_STATUS","features":[110]},{"name":"CLUSREG_NAME_NODE_DRAIN_TARGET","features":[110]},{"name":"CLUSREG_NAME_NODE_DYNAMIC_WEIGHT","features":[110]},{"name":"CLUSREG_NAME_NODE_FAULT_DOMAIN","features":[110]},{"name":"CLUSREG_NAME_NODE_FDID","features":[110]},{"name":"CLUSREG_NAME_NODE_HIGHEST_VERSION","features":[110]},{"name":"CLUSREG_NAME_NODE_IS_PRIMARY","features":[110]},{"name":"CLUSREG_NAME_NODE_LOWEST_VERSION","features":[110]},{"name":"CLUSREG_NAME_NODE_MAJOR_VERSION","features":[110]},{"name":"CLUSREG_NAME_NODE_MANUFACTURER","features":[110]},{"name":"CLUSREG_NAME_NODE_MINOR_VERSION","features":[110]},{"name":"CLUSREG_NAME_NODE_MODEL","features":[110]},{"name":"CLUSREG_NAME_NODE_NAME","features":[110]},{"name":"CLUSREG_NAME_NODE_NEEDS_PQ","features":[110]},{"name":"CLUSREG_NAME_NODE_SERIALNUMBER","features":[110]},{"name":"CLUSREG_NAME_NODE_STATUS_INFO","features":[110]},{"name":"CLUSREG_NAME_NODE_UNIQUEID","features":[110]},{"name":"CLUSREG_NAME_NODE_WEIGHT","features":[110]},{"name":"CLUSREG_NAME_PHYSDISK_CSVBLOCKCACHE","features":[110]},{"name":"CLUSREG_NAME_PHYSDISK_CSVSNAPSHOTAGELIMIT","features":[110]},{"name":"CLUSREG_NAME_PHYSDISK_CSVSNAPSHOTDIFFAREASIZE","features":[110]},{"name":"CLUSREG_NAME_PHYSDISK_CSVWRITETHROUGH","features":[110]},{"name":"CLUSREG_NAME_PHYSDISK_DISKARBINTERVAL","features":[110]},{"name":"CLUSREG_NAME_PHYSDISK_DISKARBTYPE","features":[110]},{"name":"CLUSREG_NAME_PHYSDISK_DISKGUID","features":[110]},{"name":"CLUSREG_NAME_PHYSDISK_DISKIDGUID","features":[110]},{"name":"CLUSREG_NAME_PHYSDISK_DISKIDTYPE","features":[110]},{"name":"CLUSREG_NAME_PHYSDISK_DISKIODELAY","features":[110]},{"name":"CLUSREG_NAME_PHYSDISK_DISKPATH","features":[110]},{"name":"CLUSREG_NAME_PHYSDISK_DISKRECOVERYACTION","features":[110]},{"name":"CLUSREG_NAME_PHYSDISK_DISKRELOAD","features":[110]},{"name":"CLUSREG_NAME_PHYSDISK_DISKRUNCHKDSK","features":[110]},{"name":"CLUSREG_NAME_PHYSDISK_DISKSIGNATURE","features":[110]},{"name":"CLUSREG_NAME_PHYSDISK_DISKUNIQUEIDS","features":[110]},{"name":"CLUSREG_NAME_PHYSDISK_DISKVOLUMEINFO","features":[110]},{"name":"CLUSREG_NAME_PHYSDISK_FASTONLINEARBITRATE","features":[110]},{"name":"CLUSREG_NAME_PHYSDISK_MAINTMODE","features":[110]},{"name":"CLUSREG_NAME_PHYSDISK_MIGRATEFIXUP","features":[110]},{"name":"CLUSREG_NAME_PHYSDISK_SPACEIDGUID","features":[110]},{"name":"CLUSREG_NAME_PHYSDISK_VOLSNAPACTIVATETIMEOUT","features":[110]},{"name":"CLUSREG_NAME_PLACEMENT_OPTIONS","features":[110]},{"name":"CLUSREG_NAME_PLUMB_ALL_CROSS_SUBNET_ROUTES","features":[110]},{"name":"CLUSREG_NAME_PREVENTQUORUM","features":[110]},{"name":"CLUSREG_NAME_PRTSPOOL_DEFAULT_SPOOL_DIR","features":[110]},{"name":"CLUSREG_NAME_PRTSPOOL_TIMEOUT","features":[110]},{"name":"CLUSREG_NAME_QUARANTINE_DURATION","features":[110]},{"name":"CLUSREG_NAME_QUARANTINE_THRESHOLD","features":[110]},{"name":"CLUSREG_NAME_QUORUM_ARBITRATION_TIMEOUT","features":[110]},{"name":"CLUSREG_NAME_RESILIENCY_DEFAULT_SECONDS","features":[110]},{"name":"CLUSREG_NAME_RESILIENCY_LEVEL","features":[110]},{"name":"CLUSREG_NAME_RESTYPE_ADMIN_EXTENSIONS","features":[110]},{"name":"CLUSREG_NAME_RESTYPE_DEADLOCK_TIMEOUT","features":[110]},{"name":"CLUSREG_NAME_RESTYPE_DESC","features":[110]},{"name":"CLUSREG_NAME_RESTYPE_DLL_NAME","features":[110]},{"name":"CLUSREG_NAME_RESTYPE_DUMP_LOG_QUERY","features":[110]},{"name":"CLUSREG_NAME_RESTYPE_DUMP_POLICY","features":[110]},{"name":"CLUSREG_NAME_RESTYPE_DUMP_SERVICES","features":[110]},{"name":"CLUSREG_NAME_RESTYPE_ENABLED_EVENT_LOGS","features":[110]},{"name":"CLUSREG_NAME_RESTYPE_IS_ALIVE","features":[110]},{"name":"CLUSREG_NAME_RESTYPE_LOOKS_ALIVE","features":[110]},{"name":"CLUSREG_NAME_RESTYPE_MAX_MONITORS","features":[110]},{"name":"CLUSREG_NAME_RESTYPE_NAME","features":[110]},{"name":"CLUSREG_NAME_RESTYPE_PENDING_TIMEOUT","features":[110]},{"name":"CLUSREG_NAME_RESTYPE_WPR_PROFILES","features":[110]},{"name":"CLUSREG_NAME_RESTYPE_WPR_START_AFTER","features":[110]},{"name":"CLUSREG_NAME_RES_DATA1","features":[110]},{"name":"CLUSREG_NAME_RES_DATA2","features":[110]},{"name":"CLUSREG_NAME_RES_DEADLOCK_TIMEOUT","features":[110]},{"name":"CLUSREG_NAME_RES_DESC","features":[110]},{"name":"CLUSREG_NAME_RES_EMBEDDED_FAILURE_ACTION","features":[110]},{"name":"CLUSREG_NAME_RES_IS_ALIVE","features":[110]},{"name":"CLUSREG_NAME_RES_LAST_OPERATION_STATUS_CODE","features":[110]},{"name":"CLUSREG_NAME_RES_LOOKS_ALIVE","features":[110]},{"name":"CLUSREG_NAME_RES_MONITOR_PID","features":[110]},{"name":"CLUSREG_NAME_RES_NAME","features":[110]},{"name":"CLUSREG_NAME_RES_PENDING_TIMEOUT","features":[110]},{"name":"CLUSREG_NAME_RES_PERSISTENT_STATE","features":[110]},{"name":"CLUSREG_NAME_RES_RESTART_ACTION","features":[110]},{"name":"CLUSREG_NAME_RES_RESTART_DELAY","features":[110]},{"name":"CLUSREG_NAME_RES_RESTART_PERIOD","features":[110]},{"name":"CLUSREG_NAME_RES_RESTART_THRESHOLD","features":[110]},{"name":"CLUSREG_NAME_RES_RETRY_PERIOD_ON_FAILURE","features":[110]},{"name":"CLUSREG_NAME_RES_SEPARATE_MONITOR","features":[110]},{"name":"CLUSREG_NAME_RES_STATUS","features":[110]},{"name":"CLUSREG_NAME_RES_STATUS_INFORMATION","features":[110]},{"name":"CLUSREG_NAME_RES_TYPE","features":[110]},{"name":"CLUSREG_NAME_ROUTE_HISTORY_LENGTH","features":[110]},{"name":"CLUSREG_NAME_SAME_SUBNET_DELAY","features":[110]},{"name":"CLUSREG_NAME_SAME_SUBNET_THRESHOLD","features":[110]},{"name":"CLUSREG_NAME_SHUTDOWN_TIMEOUT_MINUTES","features":[110]},{"name":"CLUSREG_NAME_SOFS_SMBASYMMETRYMODE","features":[110]},{"name":"CLUSREG_NAME_START_MEMORY","features":[110]},{"name":"CLUSREG_NAME_STORAGESPACE_DESCRIPTION","features":[110]},{"name":"CLUSREG_NAME_STORAGESPACE_HEALTH","features":[110]},{"name":"CLUSREG_NAME_STORAGESPACE_NAME","features":[110]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLARBITRATE","features":[110]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLCONSUMEDCAPACITY","features":[110]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLDESC","features":[110]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLDRIVEIDS","features":[110]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLHEALTH","features":[110]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLIDGUID","features":[110]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLNAME","features":[110]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLQUORUMSHARE","features":[110]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLQUORUMUSERACCOUNT","features":[110]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLREEVALTIMEOUT","features":[110]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLSTATE","features":[110]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLTOTALCAPACITY","features":[110]},{"name":"CLUSREG_NAME_STORAGESPACE_PROVISIONING","features":[110]},{"name":"CLUSREG_NAME_STORAGESPACE_RESILIENCYCOLUMNS","features":[110]},{"name":"CLUSREG_NAME_STORAGESPACE_RESILIENCYINTERLEAVE","features":[110]},{"name":"CLUSREG_NAME_STORAGESPACE_RESILIENCYTYPE","features":[110]},{"name":"CLUSREG_NAME_STORAGESPACE_STATE","features":[110]},{"name":"CLUSREG_NAME_UPGRADE_VERSION","features":[110]},{"name":"CLUSREG_NAME_VIP_ADAPTER_NAME","features":[110]},{"name":"CLUSREG_NAME_VIP_ADDRESS","features":[110]},{"name":"CLUSREG_NAME_VIP_PREFIX_LENGTH","features":[110]},{"name":"CLUSREG_NAME_VIP_RDID","features":[110]},{"name":"CLUSREG_NAME_VIP_VSID","features":[110]},{"name":"CLUSREG_NAME_VIRTUAL_NUMA_COUNT","features":[110]},{"name":"CLUSREG_NAME_VSSTASK_APPNAME","features":[110]},{"name":"CLUSREG_NAME_VSSTASK_APPPARAMS","features":[110]},{"name":"CLUSREG_NAME_VSSTASK_CURRENTDIRECTORY","features":[110]},{"name":"CLUSREG_NAME_VSSTASK_TRIGGERARRAY","features":[110]},{"name":"CLUSREG_NAME_WINS_BACKUP_PATH","features":[110]},{"name":"CLUSREG_NAME_WINS_DATABASE_PATH","features":[110]},{"name":"CLUSREG_NAME_WITNESS_DYNAMIC_WEIGHT","features":[110]},{"name":"CLUSREG_READ_ERROR","features":[110]},{"name":"CLUSREG_READ_KEY","features":[110]},{"name":"CLUSREG_READ_VALUE","features":[110]},{"name":"CLUSREG_SET_KEY_SECURITY","features":[110]},{"name":"CLUSREG_SET_VALUE","features":[110]},{"name":"CLUSREG_VALUE_DELETED","features":[110]},{"name":"CLUSRESDLL_STATUS_DO_NOT_COLLECT_WER_REPORT","features":[110]},{"name":"CLUSRESDLL_STATUS_DUMP_NOW","features":[110]},{"name":"CLUSRESDLL_STATUS_INSUFFICIENT_MEMORY","features":[110]},{"name":"CLUSRESDLL_STATUS_INSUFFICIENT_OTHER_RESOURCES","features":[110]},{"name":"CLUSRESDLL_STATUS_INSUFFICIENT_PROCESSOR","features":[110]},{"name":"CLUSRESDLL_STATUS_INVALID_PARAMETERS","features":[110]},{"name":"CLUSRESDLL_STATUS_NETWORK_NOT_AVAILABLE","features":[110]},{"name":"CLUSRESDLL_STATUS_OFFLINE_BUSY","features":[110]},{"name":"CLUSRESDLL_STATUS_OFFLINE_DESTINATION_REJECTED","features":[110]},{"name":"CLUSRESDLL_STATUS_OFFLINE_DESTINATION_THROTTLED","features":[110]},{"name":"CLUSRESDLL_STATUS_OFFLINE_SOURCE_THROTTLED","features":[110]},{"name":"CLUSRES_DISABLE_WPR_WATCHDOG_FOR_OFFLINE_CALLS","features":[110]},{"name":"CLUSRES_DISABLE_WPR_WATCHDOG_FOR_ONLINE_CALLS","features":[110]},{"name":"CLUSRES_NAME_GET_OPERATION_CONTEXT_FLAGS","features":[110]},{"name":"CLUSRES_STATUS_APPLICATION_READY","features":[110]},{"name":"CLUSRES_STATUS_EMBEDDED_FAILURE","features":[110]},{"name":"CLUSRES_STATUS_FAILED_DUE_TO_INSUFFICIENT_CPU","features":[110]},{"name":"CLUSRES_STATUS_FAILED_DUE_TO_INSUFFICIENT_GENERIC_RESOURCES","features":[110]},{"name":"CLUSRES_STATUS_FAILED_DUE_TO_INSUFFICIENT_MEMORY","features":[110]},{"name":"CLUSRES_STATUS_LOCKED_MODE","features":[110]},{"name":"CLUSRES_STATUS_NETWORK_FAILURE","features":[110]},{"name":"CLUSRES_STATUS_OFFLINE_NOT_LOCAL_DISK_OWNER","features":[110]},{"name":"CLUSRES_STATUS_OS_HEARTBEAT","features":[110]},{"name":"CLUSRES_STATUS_UNMONITORED","features":[110]},{"name":"CLUSTERSET_OBJECT_TYPE","features":[110]},{"name":"CLUSTERSET_OBJECT_TYPE_DATABASE","features":[110]},{"name":"CLUSTERSET_OBJECT_TYPE_MEMBER","features":[110]},{"name":"CLUSTERSET_OBJECT_TYPE_NONE","features":[110]},{"name":"CLUSTERSET_OBJECT_TYPE_WORKLOAD","features":[110]},{"name":"CLUSTERVERSIONINFO","features":[110]},{"name":"CLUSTERVERSIONINFO_NT4","features":[110]},{"name":"CLUSTER_ADD_EVICT_DELAY","features":[110]},{"name":"CLUSTER_AVAILABILITY_SET_CONFIG","features":[1,110]},{"name":"CLUSTER_AVAILABILITY_SET_CONFIG_V1","features":[110]},{"name":"CLUSTER_BATCH_COMMAND","features":[110]},{"name":"CLUSTER_CHANGE","features":[110]},{"name":"CLUSTER_CHANGE_ALL","features":[110]},{"name":"CLUSTER_CHANGE_CLUSTER_ALL_V2","features":[110]},{"name":"CLUSTER_CHANGE_CLUSTER_COMMON_PROPERTY_V2","features":[110]},{"name":"CLUSTER_CHANGE_CLUSTER_GROUP_ADDED_V2","features":[110]},{"name":"CLUSTER_CHANGE_CLUSTER_HANDLE_CLOSE_V2","features":[110]},{"name":"CLUSTER_CHANGE_CLUSTER_LOST_NOTIFICATIONS_V2","features":[110]},{"name":"CLUSTER_CHANGE_CLUSTER_MEMBERSHIP_V2","features":[110]},{"name":"CLUSTER_CHANGE_CLUSTER_NETWORK_ADDED_V2","features":[110]},{"name":"CLUSTER_CHANGE_CLUSTER_NODE_ADDED_V2","features":[110]},{"name":"CLUSTER_CHANGE_CLUSTER_PRIVATE_PROPERTY_V2","features":[110]},{"name":"CLUSTER_CHANGE_CLUSTER_PROPERTY","features":[110]},{"name":"CLUSTER_CHANGE_CLUSTER_RECONNECT","features":[110]},{"name":"CLUSTER_CHANGE_CLUSTER_RECONNECT_V2","features":[110]},{"name":"CLUSTER_CHANGE_CLUSTER_RENAME_V2","features":[110]},{"name":"CLUSTER_CHANGE_CLUSTER_RESOURCE_TYPE_ADDED_V2","features":[110]},{"name":"CLUSTER_CHANGE_CLUSTER_STATE","features":[110]},{"name":"CLUSTER_CHANGE_CLUSTER_STATE_V2","features":[110]},{"name":"CLUSTER_CHANGE_CLUSTER_UPGRADED_V2","features":[110]},{"name":"CLUSTER_CHANGE_CLUSTER_V2","features":[110]},{"name":"CLUSTER_CHANGE_GROUPSET_ALL_V2","features":[110]},{"name":"CLUSTER_CHANGE_GROUPSET_COMMON_PROPERTY_V2","features":[110]},{"name":"CLUSTER_CHANGE_GROUPSET_DELETED_v2","features":[110]},{"name":"CLUSTER_CHANGE_GROUPSET_DEPENDENCIES_V2","features":[110]},{"name":"CLUSTER_CHANGE_GROUPSET_DEPENDENTS_V2","features":[110]},{"name":"CLUSTER_CHANGE_GROUPSET_GROUP_ADDED","features":[110]},{"name":"CLUSTER_CHANGE_GROUPSET_GROUP_REMOVED","features":[110]},{"name":"CLUSTER_CHANGE_GROUPSET_HANDLE_CLOSE_v2","features":[110]},{"name":"CLUSTER_CHANGE_GROUPSET_PRIVATE_PROPERTY_V2","features":[110]},{"name":"CLUSTER_CHANGE_GROUPSET_STATE_V2","features":[110]},{"name":"CLUSTER_CHANGE_GROUPSET_V2","features":[110]},{"name":"CLUSTER_CHANGE_GROUP_ADDED","features":[110]},{"name":"CLUSTER_CHANGE_GROUP_ALL_V2","features":[110]},{"name":"CLUSTER_CHANGE_GROUP_COMMON_PROPERTY_V2","features":[110]},{"name":"CLUSTER_CHANGE_GROUP_DELETED","features":[110]},{"name":"CLUSTER_CHANGE_GROUP_DELETED_V2","features":[110]},{"name":"CLUSTER_CHANGE_GROUP_HANDLE_CLOSE_V2","features":[110]},{"name":"CLUSTER_CHANGE_GROUP_OWNER_NODE_V2","features":[110]},{"name":"CLUSTER_CHANGE_GROUP_PREFERRED_OWNERS_V2","features":[110]},{"name":"CLUSTER_CHANGE_GROUP_PRIVATE_PROPERTY_V2","features":[110]},{"name":"CLUSTER_CHANGE_GROUP_PROPERTY","features":[110]},{"name":"CLUSTER_CHANGE_GROUP_RESOURCE_ADDED_V2","features":[110]},{"name":"CLUSTER_CHANGE_GROUP_RESOURCE_GAINED_V2","features":[110]},{"name":"CLUSTER_CHANGE_GROUP_RESOURCE_LOST_V2","features":[110]},{"name":"CLUSTER_CHANGE_GROUP_STATE","features":[110]},{"name":"CLUSTER_CHANGE_GROUP_STATE_V2","features":[110]},{"name":"CLUSTER_CHANGE_GROUP_V2","features":[110]},{"name":"CLUSTER_CHANGE_HANDLE_CLOSE","features":[110]},{"name":"CLUSTER_CHANGE_NETINTERFACE_ADDED","features":[110]},{"name":"CLUSTER_CHANGE_NETINTERFACE_ALL_V2","features":[110]},{"name":"CLUSTER_CHANGE_NETINTERFACE_COMMON_PROPERTY_V2","features":[110]},{"name":"CLUSTER_CHANGE_NETINTERFACE_DELETED","features":[110]},{"name":"CLUSTER_CHANGE_NETINTERFACE_DELETED_V2","features":[110]},{"name":"CLUSTER_CHANGE_NETINTERFACE_HANDLE_CLOSE_V2","features":[110]},{"name":"CLUSTER_CHANGE_NETINTERFACE_PRIVATE_PROPERTY_V2","features":[110]},{"name":"CLUSTER_CHANGE_NETINTERFACE_PROPERTY","features":[110]},{"name":"CLUSTER_CHANGE_NETINTERFACE_STATE","features":[110]},{"name":"CLUSTER_CHANGE_NETINTERFACE_STATE_V2","features":[110]},{"name":"CLUSTER_CHANGE_NETINTERFACE_V2","features":[110]},{"name":"CLUSTER_CHANGE_NETWORK_ADDED","features":[110]},{"name":"CLUSTER_CHANGE_NETWORK_ALL_V2","features":[110]},{"name":"CLUSTER_CHANGE_NETWORK_COMMON_PROPERTY_V2","features":[110]},{"name":"CLUSTER_CHANGE_NETWORK_DELETED","features":[110]},{"name":"CLUSTER_CHANGE_NETWORK_DELETED_V2","features":[110]},{"name":"CLUSTER_CHANGE_NETWORK_HANDLE_CLOSE_V2","features":[110]},{"name":"CLUSTER_CHANGE_NETWORK_PRIVATE_PROPERTY_V2","features":[110]},{"name":"CLUSTER_CHANGE_NETWORK_PROPERTY","features":[110]},{"name":"CLUSTER_CHANGE_NETWORK_STATE","features":[110]},{"name":"CLUSTER_CHANGE_NETWORK_STATE_V2","features":[110]},{"name":"CLUSTER_CHANGE_NETWORK_V2","features":[110]},{"name":"CLUSTER_CHANGE_NODE_ADDED","features":[110]},{"name":"CLUSTER_CHANGE_NODE_ALL_V2","features":[110]},{"name":"CLUSTER_CHANGE_NODE_COMMON_PROPERTY_V2","features":[110]},{"name":"CLUSTER_CHANGE_NODE_DELETED","features":[110]},{"name":"CLUSTER_CHANGE_NODE_DELETED_V2","features":[110]},{"name":"CLUSTER_CHANGE_NODE_GROUP_GAINED_V2","features":[110]},{"name":"CLUSTER_CHANGE_NODE_GROUP_LOST_V2","features":[110]},{"name":"CLUSTER_CHANGE_NODE_HANDLE_CLOSE_V2","features":[110]},{"name":"CLUSTER_CHANGE_NODE_NETINTERFACE_ADDED_V2","features":[110]},{"name":"CLUSTER_CHANGE_NODE_PRIVATE_PROPERTY_V2","features":[110]},{"name":"CLUSTER_CHANGE_NODE_PROPERTY","features":[110]},{"name":"CLUSTER_CHANGE_NODE_STATE","features":[110]},{"name":"CLUSTER_CHANGE_NODE_STATE_V2","features":[110]},{"name":"CLUSTER_CHANGE_NODE_UPGRADE_PHASE_V2","features":[110]},{"name":"CLUSTER_CHANGE_NODE_V2","features":[110]},{"name":"CLUSTER_CHANGE_QUORUM_ALL_V2","features":[110]},{"name":"CLUSTER_CHANGE_QUORUM_STATE","features":[110]},{"name":"CLUSTER_CHANGE_QUORUM_STATE_V2","features":[110]},{"name":"CLUSTER_CHANGE_QUORUM_V2","features":[110]},{"name":"CLUSTER_CHANGE_REGISTRY_ALL_V2","features":[110]},{"name":"CLUSTER_CHANGE_REGISTRY_ATTRIBUTES","features":[110]},{"name":"CLUSTER_CHANGE_REGISTRY_ATTRIBUTES_V2","features":[110]},{"name":"CLUSTER_CHANGE_REGISTRY_HANDLE_CLOSE_V2","features":[110]},{"name":"CLUSTER_CHANGE_REGISTRY_NAME","features":[110]},{"name":"CLUSTER_CHANGE_REGISTRY_NAME_V2","features":[110]},{"name":"CLUSTER_CHANGE_REGISTRY_SUBTREE","features":[110]},{"name":"CLUSTER_CHANGE_REGISTRY_SUBTREE_V2","features":[110]},{"name":"CLUSTER_CHANGE_REGISTRY_V2","features":[110]},{"name":"CLUSTER_CHANGE_REGISTRY_VALUE","features":[110]},{"name":"CLUSTER_CHANGE_REGISTRY_VALUE_V2","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_ADDED","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_ALL_V2","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_COMMON_PROPERTY_V2","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_DELETED","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_DELETED_V2","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_DEPENDENCIES_V2","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_DEPENDENTS_V2","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_DLL_UPGRADED_V2","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_HANDLE_CLOSE_V2","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_OWNER_GROUP_V2","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_POSSIBLE_OWNERS_V2","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_PRIVATE_PROPERTY_V2","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_PROPERTY","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_STATE","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_STATE_V2","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_TERMINAL_STATE_V2","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_TYPE_ADDED","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_TYPE_ALL_V2","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_TYPE_COMMON_PROPERTY_V2","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_TYPE_DELETED","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_TYPE_DELETED_V2","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_TYPE_DLL_UPGRADED_V2","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_TYPE_POSSIBLE_OWNERS_V2","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_TYPE_PRIVATE_PROPERTY_V2","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_TYPE_PROPERTY","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_TYPE_V2","features":[110]},{"name":"CLUSTER_CHANGE_RESOURCE_V2","features":[110]},{"name":"CLUSTER_CHANGE_SHARED_VOLUME_ADDED_V2","features":[110]},{"name":"CLUSTER_CHANGE_SHARED_VOLUME_ALL_V2","features":[110]},{"name":"CLUSTER_CHANGE_SHARED_VOLUME_REMOVED_V2","features":[110]},{"name":"CLUSTER_CHANGE_SHARED_VOLUME_STATE_V2","features":[110]},{"name":"CLUSTER_CHANGE_SHARED_VOLUME_V2","features":[110]},{"name":"CLUSTER_CHANGE_SPACEPORT_CUSTOM_PNP_V2","features":[110]},{"name":"CLUSTER_CHANGE_SPACEPORT_V2","features":[110]},{"name":"CLUSTER_CHANGE_UPGRADE_ALL","features":[110]},{"name":"CLUSTER_CHANGE_UPGRADE_NODE_COMMIT","features":[110]},{"name":"CLUSTER_CHANGE_UPGRADE_NODE_POSTCOMMIT","features":[110]},{"name":"CLUSTER_CHANGE_UPGRADE_NODE_PREPARE","features":[110]},{"name":"CLUSTER_CLOUD_TYPE","features":[110]},{"name":"CLUSTER_CLOUD_TYPE_AZURE","features":[110]},{"name":"CLUSTER_CLOUD_TYPE_MIXED","features":[110]},{"name":"CLUSTER_CLOUD_TYPE_NONE","features":[110]},{"name":"CLUSTER_CLOUD_TYPE_UNKNOWN","features":[110]},{"name":"CLUSTER_CONFIGURED","features":[110]},{"name":"CLUSTER_CONTROL_OBJECT","features":[110]},{"name":"CLUSTER_CREATE_GROUP_INFO","features":[110]},{"name":"CLUSTER_CREATE_GROUP_INFO_VERSION","features":[110]},{"name":"CLUSTER_CREATE_GROUP_INFO_VERSION_1","features":[110]},{"name":"CLUSTER_CSA_VSS_STATE","features":[110]},{"name":"CLUSTER_CSV_COMPATIBLE_FILTERS","features":[110]},{"name":"CLUSTER_CSV_INCOMPATIBLE_FILTERS","features":[110]},{"name":"CLUSTER_CSV_VOLUME_FAULT_STATE","features":[110]},{"name":"CLUSTER_DELETE_ACCESS_CONTROL_ENTRY","features":[110]},{"name":"CLUSTER_ENFORCED_ANTIAFFINITY","features":[110]},{"name":"CLUSTER_ENUM","features":[110]},{"name":"CLUSTER_ENUM_ALL","features":[110]},{"name":"CLUSTER_ENUM_GROUP","features":[110]},{"name":"CLUSTER_ENUM_INTERNAL_NETWORK","features":[110]},{"name":"CLUSTER_ENUM_ITEM","features":[110]},{"name":"CLUSTER_ENUM_ITEM_VERSION","features":[110]},{"name":"CLUSTER_ENUM_ITEM_VERSION_1","features":[110]},{"name":"CLUSTER_ENUM_NETINTERFACE","features":[110]},{"name":"CLUSTER_ENUM_NETWORK","features":[110]},{"name":"CLUSTER_ENUM_NODE","features":[110]},{"name":"CLUSTER_ENUM_RESOURCE","features":[110]},{"name":"CLUSTER_ENUM_RESTYPE","features":[110]},{"name":"CLUSTER_ENUM_SHARED_VOLUME_GROUP","features":[110]},{"name":"CLUSTER_ENUM_SHARED_VOLUME_RESOURCE","features":[110]},{"name":"CLUSTER_GROUP_AUTOFAILBACK_TYPE","features":[110]},{"name":"CLUSTER_GROUP_ENUM","features":[110]},{"name":"CLUSTER_GROUP_ENUM_ALL","features":[110]},{"name":"CLUSTER_GROUP_ENUM_CONTAINS","features":[110]},{"name":"CLUSTER_GROUP_ENUM_ITEM","features":[110]},{"name":"CLUSTER_GROUP_ENUM_ITEM_VERSION","features":[110]},{"name":"CLUSTER_GROUP_ENUM_ITEM_VERSION_1","features":[110]},{"name":"CLUSTER_GROUP_ENUM_NODES","features":[110]},{"name":"CLUSTER_GROUP_PRIORITY","features":[110]},{"name":"CLUSTER_GROUP_STATE","features":[110]},{"name":"CLUSTER_GROUP_WAIT_DELAY","features":[110]},{"name":"CLUSTER_HANG_RECOVERY_ACTION_KEYNAME","features":[110]},{"name":"CLUSTER_HANG_TIMEOUT_KEYNAME","features":[110]},{"name":"CLUSTER_HEALTH_FAULT","features":[110]},{"name":"CLUSTER_HEALTH_FAULT_ARGS","features":[110]},{"name":"CLUSTER_HEALTH_FAULT_ARRAY","features":[110]},{"name":"CLUSTER_HEALTH_FAULT_DESCRIPTION","features":[110]},{"name":"CLUSTER_HEALTH_FAULT_DESCRIPTION_LABEL","features":[110]},{"name":"CLUSTER_HEALTH_FAULT_ERRORCODE","features":[110]},{"name":"CLUSTER_HEALTH_FAULT_ERRORCODE_LABEL","features":[110]},{"name":"CLUSTER_HEALTH_FAULT_ERRORTYPE","features":[110]},{"name":"CLUSTER_HEALTH_FAULT_ERRORTYPE_LABEL","features":[110]},{"name":"CLUSTER_HEALTH_FAULT_FLAGS","features":[110]},{"name":"CLUSTER_HEALTH_FAULT_FLAGS_LABEL","features":[110]},{"name":"CLUSTER_HEALTH_FAULT_ID","features":[110]},{"name":"CLUSTER_HEALTH_FAULT_ID_LABEL","features":[110]},{"name":"CLUSTER_HEALTH_FAULT_PROPERTY_NAME","features":[110]},{"name":"CLUSTER_HEALTH_FAULT_PROVIDER","features":[110]},{"name":"CLUSTER_HEALTH_FAULT_PROVIDER_LABEL","features":[110]},{"name":"CLUSTER_HEALTH_FAULT_RESERVED","features":[110]},{"name":"CLUSTER_HEALTH_FAULT_RESERVED_LABEL","features":[110]},{"name":"CLUSTER_INSTALLED","features":[110]},{"name":"CLUSTER_IP_ENTRY","features":[110]},{"name":"CLUSTER_MEMBERSHIP_INFO","features":[1,110]},{"name":"CLUSTER_MGMT_POINT_RESTYPE","features":[110]},{"name":"CLUSTER_MGMT_POINT_RESTYPE_AUTO","features":[110]},{"name":"CLUSTER_MGMT_POINT_RESTYPE_DNN","features":[110]},{"name":"CLUSTER_MGMT_POINT_RESTYPE_SNN","features":[110]},{"name":"CLUSTER_MGMT_POINT_TYPE","features":[110]},{"name":"CLUSTER_MGMT_POINT_TYPE_CNO","features":[110]},{"name":"CLUSTER_MGMT_POINT_TYPE_CNO_ONLY","features":[110]},{"name":"CLUSTER_MGMT_POINT_TYPE_DNS_ONLY","features":[110]},{"name":"CLUSTER_MGMT_POINT_TYPE_NONE","features":[110]},{"name":"CLUSTER_NAME_AUTO_BALANCER_LEVEL","features":[110]},{"name":"CLUSTER_NAME_AUTO_BALANCER_MODE","features":[110]},{"name":"CLUSTER_NAME_PREFERRED_SITE","features":[110]},{"name":"CLUSTER_NETINTERFACE_STATE","features":[110]},{"name":"CLUSTER_NETWORK_ENUM","features":[110]},{"name":"CLUSTER_NETWORK_ENUM_ALL","features":[110]},{"name":"CLUSTER_NETWORK_ENUM_NETINTERFACES","features":[110]},{"name":"CLUSTER_NETWORK_ROLE","features":[110]},{"name":"CLUSTER_NETWORK_STATE","features":[110]},{"name":"CLUSTER_NODE_DRAIN_STATUS","features":[110]},{"name":"CLUSTER_NODE_ENUM","features":[110]},{"name":"CLUSTER_NODE_ENUM_ALL","features":[110]},{"name":"CLUSTER_NODE_ENUM_GROUPS","features":[110]},{"name":"CLUSTER_NODE_ENUM_NETINTERFACES","features":[110]},{"name":"CLUSTER_NODE_ENUM_PREFERRED_GROUPS","features":[110]},{"name":"CLUSTER_NODE_RESUME_FAILBACK_TYPE","features":[110]},{"name":"CLUSTER_NODE_STATE","features":[110]},{"name":"CLUSTER_NODE_STATUS","features":[110]},{"name":"CLUSTER_NOTIFICATIONS_V1","features":[110]},{"name":"CLUSTER_NOTIFICATIONS_V2","features":[110]},{"name":"CLUSTER_NOTIFICATIONS_VERSION","features":[110]},{"name":"CLUSTER_OBJECT_TYPE","features":[110]},{"name":"CLUSTER_OBJECT_TYPE_AFFINITYRULE","features":[110]},{"name":"CLUSTER_OBJECT_TYPE_CLUSTER","features":[110]},{"name":"CLUSTER_OBJECT_TYPE_FAULTDOMAIN","features":[110]},{"name":"CLUSTER_OBJECT_TYPE_GROUP","features":[110]},{"name":"CLUSTER_OBJECT_TYPE_GROUPSET","features":[110]},{"name":"CLUSTER_OBJECT_TYPE_NETWORK","features":[110]},{"name":"CLUSTER_OBJECT_TYPE_NETWORK_INTERFACE","features":[110]},{"name":"CLUSTER_OBJECT_TYPE_NODE","features":[110]},{"name":"CLUSTER_OBJECT_TYPE_NONE","features":[110]},{"name":"CLUSTER_OBJECT_TYPE_QUORUM","features":[110]},{"name":"CLUSTER_OBJECT_TYPE_REGISTRY","features":[110]},{"name":"CLUSTER_OBJECT_TYPE_RESOURCE","features":[110]},{"name":"CLUSTER_OBJECT_TYPE_RESOURCE_TYPE","features":[110]},{"name":"CLUSTER_OBJECT_TYPE_SHARED_VOLUME","features":[110]},{"name":"CLUSTER_PROPERTY_FORMAT","features":[110]},{"name":"CLUSTER_PROPERTY_SYNTAX","features":[110]},{"name":"CLUSTER_PROPERTY_TYPE","features":[110]},{"name":"CLUSTER_QUORUM_LOST","features":[110]},{"name":"CLUSTER_QUORUM_MAINTAINED","features":[110]},{"name":"CLUSTER_QUORUM_TYPE","features":[110]},{"name":"CLUSTER_QUORUM_VALUE","features":[110]},{"name":"CLUSTER_READ_BATCH_COMMAND","features":[110]},{"name":"CLUSTER_REG_COMMAND","features":[110]},{"name":"CLUSTER_REQUEST_REPLY_TIMEOUT","features":[110]},{"name":"CLUSTER_RESOURCE_APPLICATION_STATE","features":[110]},{"name":"CLUSTER_RESOURCE_CLASS","features":[110]},{"name":"CLUSTER_RESOURCE_CREATE_FLAGS","features":[110]},{"name":"CLUSTER_RESOURCE_DEFAULT_MONITOR","features":[110]},{"name":"CLUSTER_RESOURCE_EMBEDDED_FAILURE_ACTION","features":[110]},{"name":"CLUSTER_RESOURCE_ENUM","features":[110]},{"name":"CLUSTER_RESOURCE_ENUM_ALL","features":[110]},{"name":"CLUSTER_RESOURCE_ENUM_DEPENDS","features":[110]},{"name":"CLUSTER_RESOURCE_ENUM_ITEM","features":[110]},{"name":"CLUSTER_RESOURCE_ENUM_ITEM_VERSION","features":[110]},{"name":"CLUSTER_RESOURCE_ENUM_ITEM_VERSION_1","features":[110]},{"name":"CLUSTER_RESOURCE_ENUM_NODES","features":[110]},{"name":"CLUSTER_RESOURCE_ENUM_PROVIDES","features":[110]},{"name":"CLUSTER_RESOURCE_RESTART_ACTION","features":[110]},{"name":"CLUSTER_RESOURCE_SEPARATE_MONITOR","features":[110]},{"name":"CLUSTER_RESOURCE_STATE","features":[110]},{"name":"CLUSTER_RESOURCE_STATE_CHANGE_REASON","features":[110]},{"name":"CLUSTER_RESOURCE_TYPE_ENUM","features":[110]},{"name":"CLUSTER_RESOURCE_TYPE_ENUM_ALL","features":[110]},{"name":"CLUSTER_RESOURCE_TYPE_ENUM_NODES","features":[110]},{"name":"CLUSTER_RESOURCE_TYPE_ENUM_RESOURCES","features":[110]},{"name":"CLUSTER_RESOURCE_TYPE_SPECIFIC_V2","features":[110]},{"name":"CLUSTER_RESOURCE_VALID_FLAGS","features":[110]},{"name":"CLUSTER_ROLE","features":[110]},{"name":"CLUSTER_ROLE_STATE","features":[110]},{"name":"CLUSTER_RUNNING","features":[110]},{"name":"CLUSTER_S2D_BUS_TYPES","features":[110]},{"name":"CLUSTER_S2D_CACHE_BEHAVIOR_FLAGS","features":[110]},{"name":"CLUSTER_S2D_CACHE_DESIRED_STATE","features":[110]},{"name":"CLUSTER_S2D_CACHE_FLASH_RESERVE_PERCENT","features":[110]},{"name":"CLUSTER_S2D_CACHE_METADATA_RESERVE","features":[110]},{"name":"CLUSTER_S2D_CACHE_PAGE_SIZE_KBYTES","features":[110]},{"name":"CLUSTER_S2D_ENABLED","features":[110]},{"name":"CLUSTER_S2D_IO_LATENCY_THRESHOLD","features":[110]},{"name":"CLUSTER_S2D_OPTIMIZATIONS","features":[110]},{"name":"CLUSTER_SETUP_PHASE","features":[110]},{"name":"CLUSTER_SETUP_PHASE_SEVERITY","features":[110]},{"name":"CLUSTER_SETUP_PHASE_TYPE","features":[110]},{"name":"CLUSTER_SET_ACCESS_TYPE_ALLOWED","features":[110]},{"name":"CLUSTER_SET_ACCESS_TYPE_DENIED","features":[110]},{"name":"CLUSTER_SET_PASSWORD_STATUS","features":[1,110]},{"name":"CLUSTER_SHARED_VOLUMES_ROOT","features":[110]},{"name":"CLUSTER_SHARED_VOLUME_BACKUP_STATE","features":[110]},{"name":"CLUSTER_SHARED_VOLUME_RENAME_GUID_INPUT","features":[110]},{"name":"CLUSTER_SHARED_VOLUME_RENAME_INPUT","features":[110]},{"name":"CLUSTER_SHARED_VOLUME_RENAME_INPUT_GUID_NAME","features":[110]},{"name":"CLUSTER_SHARED_VOLUME_RENAME_INPUT_NAME","features":[110]},{"name":"CLUSTER_SHARED_VOLUME_RENAME_INPUT_TYPE","features":[110]},{"name":"CLUSTER_SHARED_VOLUME_RENAME_INPUT_VOLUME","features":[110]},{"name":"CLUSTER_SHARED_VOLUME_SNAPSHOT_STATE","features":[110]},{"name":"CLUSTER_SHARED_VOLUME_STATE","features":[110]},{"name":"CLUSTER_SHARED_VOLUME_STATE_INFO","features":[110]},{"name":"CLUSTER_SHARED_VOLUME_STATE_INFO_EX","features":[110]},{"name":"CLUSTER_SHARED_VOLUME_VSS_WRITER_OPERATION_TIMEOUT","features":[110]},{"name":"CLUSTER_STORAGENODE_STATE","features":[110]},{"name":"CLUSTER_UPGRADE_PHASE","features":[110]},{"name":"CLUSTER_VALIDATE_CSV_FILENAME","features":[110]},{"name":"CLUSTER_VALIDATE_DIRECTORY","features":[110]},{"name":"CLUSTER_VALIDATE_NETNAME","features":[110]},{"name":"CLUSTER_VALIDATE_PATH","features":[110]},{"name":"CLUSTER_VERSION_FLAG_MIXED_MODE","features":[110]},{"name":"CLUSTER_VERSION_UNKNOWN","features":[110]},{"name":"CLUSTER_WITNESS_DATABASE_WRITE_TIMEOUT","features":[110]},{"name":"CLUSTER_WITNESS_FAILED_RESTART_INTERVAL","features":[110]},{"name":"CLUS_ACCESS_ANY","features":[110]},{"name":"CLUS_ACCESS_READ","features":[110]},{"name":"CLUS_ACCESS_WRITE","features":[110]},{"name":"CLUS_AFFINITY_RULE_DIFFERENT_FAULT_DOMAIN","features":[110]},{"name":"CLUS_AFFINITY_RULE_DIFFERENT_NODE","features":[110]},{"name":"CLUS_AFFINITY_RULE_MAX","features":[110]},{"name":"CLUS_AFFINITY_RULE_MIN","features":[110]},{"name":"CLUS_AFFINITY_RULE_NONE","features":[110]},{"name":"CLUS_AFFINITY_RULE_SAME_FAULT_DOMAIN","features":[110]},{"name":"CLUS_AFFINITY_RULE_SAME_NODE","features":[110]},{"name":"CLUS_AFFINITY_RULE_TYPE","features":[110]},{"name":"CLUS_CHARACTERISTICS","features":[110]},{"name":"CLUS_CHAR_BROADCAST_DELETE","features":[110]},{"name":"CLUS_CHAR_CLONES","features":[110]},{"name":"CLUS_CHAR_COEXIST_IN_SHARED_VOLUME_GROUP","features":[110]},{"name":"CLUS_CHAR_DELETE_REQUIRES_ALL_NODES","features":[110]},{"name":"CLUS_CHAR_DRAIN_LOCAL_OFFLINE","features":[110]},{"name":"CLUS_CHAR_INFRASTRUCTURE","features":[110]},{"name":"CLUS_CHAR_LOCAL_QUORUM","features":[110]},{"name":"CLUS_CHAR_LOCAL_QUORUM_DEBUG","features":[110]},{"name":"CLUS_CHAR_MONITOR_DETACH","features":[110]},{"name":"CLUS_CHAR_MONITOR_REATTACH","features":[110]},{"name":"CLUS_CHAR_NOTIFY_NEW_OWNER","features":[110]},{"name":"CLUS_CHAR_NOT_PREEMPTABLE","features":[110]},{"name":"CLUS_CHAR_OPERATION_CONTEXT","features":[110]},{"name":"CLUS_CHAR_PLACEMENT_DATA","features":[110]},{"name":"CLUS_CHAR_QUORUM","features":[110]},{"name":"CLUS_CHAR_REQUIRES_STATE_CHANGE_REASON","features":[110]},{"name":"CLUS_CHAR_SINGLE_CLUSTER_INSTANCE","features":[110]},{"name":"CLUS_CHAR_SINGLE_GROUP_INSTANCE","features":[110]},{"name":"CLUS_CHAR_SUPPORTS_UNMONITORED_STATE","features":[110]},{"name":"CLUS_CHAR_UNKNOWN","features":[110]},{"name":"CLUS_CHAR_VETO_DRAIN","features":[110]},{"name":"CLUS_CHKDSK_INFO","features":[110]},{"name":"CLUS_CREATE_CRYPT_CONTAINER_NOT_FOUND","features":[110]},{"name":"CLUS_CREATE_INFRASTRUCTURE_FILESERVER_INPUT","features":[110]},{"name":"CLUS_CREATE_INFRASTRUCTURE_FILESERVER_OUTPUT","features":[110]},{"name":"CLUS_CSV_MAINTENANCE_MODE_INFO","features":[1,110]},{"name":"CLUS_CSV_VOLUME_INFO","features":[110]},{"name":"CLUS_CSV_VOLUME_NAME","features":[110]},{"name":"CLUS_DISK_NUMBER_INFO","features":[110]},{"name":"CLUS_DNN_LEADER_STATUS","features":[1,110]},{"name":"CLUS_DNN_SODAFS_CLONE_STATUS","features":[110]},{"name":"CLUS_FLAGS","features":[110]},{"name":"CLUS_FLAG_CORE","features":[110]},{"name":"CLUS_FORCE_QUORUM_INFO","features":[110]},{"name":"CLUS_FTSET_INFO","features":[110]},{"name":"CLUS_GLOBAL","features":[110]},{"name":"CLUS_GROUP_DO_NOT_START","features":[110]},{"name":"CLUS_GROUP_START_ALLOWED","features":[110]},{"name":"CLUS_GROUP_START_ALWAYS","features":[110]},{"name":"CLUS_GROUP_START_SETTING","features":[110]},{"name":"CLUS_GRP_MOVE_ALLOWED","features":[110]},{"name":"CLUS_GRP_MOVE_LOCKED","features":[110]},{"name":"CLUS_HYBRID_QUORUM","features":[110]},{"name":"CLUS_MAINTENANCE_MODE_INFO","features":[1,110]},{"name":"CLUS_MAINTENANCE_MODE_INFOEX","features":[1,110]},{"name":"CLUS_MODIFY","features":[110]},{"name":"CLUS_NAME_RES_TYPE_CLUSTER_GROUPID","features":[110]},{"name":"CLUS_NAME_RES_TYPE_DATA_RESID","features":[110]},{"name":"CLUS_NAME_RES_TYPE_LOG_MULTIPLE","features":[110]},{"name":"CLUS_NAME_RES_TYPE_LOG_RESID","features":[110]},{"name":"CLUS_NAME_RES_TYPE_LOG_VOLUME","features":[110]},{"name":"CLUS_NAME_RES_TYPE_MINIMUM_LOG_SIZE","features":[110]},{"name":"CLUS_NAME_RES_TYPE_REPLICATION_GROUPID","features":[110]},{"name":"CLUS_NAME_RES_TYPE_REPLICATION_GROUP_TYPE","features":[110]},{"name":"CLUS_NAME_RES_TYPE_SOURCE_RESID","features":[110]},{"name":"CLUS_NAME_RES_TYPE_SOURCE_VOLUMES","features":[110]},{"name":"CLUS_NAME_RES_TYPE_TARGET_RESID","features":[110]},{"name":"CLUS_NAME_RES_TYPE_TARGET_VOLUMES","features":[110]},{"name":"CLUS_NAME_RES_TYPE_UNIT_LOG_SIZE_CHANGE","features":[110]},{"name":"CLUS_NETNAME_IP_INFO_ENTRY","features":[110]},{"name":"CLUS_NETNAME_IP_INFO_FOR_MULTICHANNEL","features":[110]},{"name":"CLUS_NETNAME_PWD_INFO","features":[110]},{"name":"CLUS_NETNAME_PWD_INFOEX","features":[110]},{"name":"CLUS_NETNAME_VS_TOKEN_INFO","features":[1,110]},{"name":"CLUS_NODE_MAJORITY_QUORUM","features":[110]},{"name":"CLUS_NOT_GLOBAL","features":[110]},{"name":"CLUS_NO_MODIFY","features":[110]},{"name":"CLUS_OBJECT_AFFINITYRULE","features":[110]},{"name":"CLUS_OBJECT_CLUSTER","features":[110]},{"name":"CLUS_OBJECT_GROUP","features":[110]},{"name":"CLUS_OBJECT_GROUPSET","features":[110]},{"name":"CLUS_OBJECT_INVALID","features":[110]},{"name":"CLUS_OBJECT_NETINTERFACE","features":[110]},{"name":"CLUS_OBJECT_NETWORK","features":[110]},{"name":"CLUS_OBJECT_NODE","features":[110]},{"name":"CLUS_OBJECT_RESOURCE","features":[110]},{"name":"CLUS_OBJECT_RESOURCE_TYPE","features":[110]},{"name":"CLUS_OBJECT_USER","features":[110]},{"name":"CLUS_PARTITION_INFO","features":[110]},{"name":"CLUS_PARTITION_INFO_EX","features":[110]},{"name":"CLUS_PARTITION_INFO_EX2","features":[110]},{"name":"CLUS_PROVIDER_STATE_CHANGE_INFO","features":[110]},{"name":"CLUS_RESCLASS_NETWORK","features":[110]},{"name":"CLUS_RESCLASS_STORAGE","features":[110]},{"name":"CLUS_RESCLASS_UNKNOWN","features":[110]},{"name":"CLUS_RESCLASS_USER","features":[110]},{"name":"CLUS_RESDLL_OFFLINE_DO_NOT_UPDATE_PERSISTENT_STATE","features":[110]},{"name":"CLUS_RESDLL_OFFLINE_DUE_TO_EMBEDDED_FAILURE","features":[110]},{"name":"CLUS_RESDLL_OFFLINE_IGNORE_NETWORK_CONNECTIVITY","features":[110]},{"name":"CLUS_RESDLL_OFFLINE_IGNORE_RESOURCE_STATUS","features":[110]},{"name":"CLUS_RESDLL_OFFLINE_QUEUE_ENABLED","features":[110]},{"name":"CLUS_RESDLL_OFFLINE_RETURNING_TO_SOURCE_NODE_BECAUSE_OF_ERROR","features":[110]},{"name":"CLUS_RESDLL_OFFLINE_RETURN_TO_SOURCE_NODE_ON_ERROR","features":[110]},{"name":"CLUS_RESDLL_ONLINE_IGNORE_NETWORK_CONNECTIVITY","features":[110]},{"name":"CLUS_RESDLL_ONLINE_IGNORE_RESOURCE_STATUS","features":[110]},{"name":"CLUS_RESDLL_ONLINE_RECOVER_MONITOR_STATE","features":[110]},{"name":"CLUS_RESDLL_ONLINE_RESTORE_ONLINE_STATE","features":[110]},{"name":"CLUS_RESDLL_ONLINE_RETURN_TO_SOURCE_NODE_ON_ERROR","features":[110]},{"name":"CLUS_RESDLL_OPEN_DONT_DELETE_TEMP_DISK","features":[110]},{"name":"CLUS_RESDLL_OPEN_RECOVER_MONITOR_STATE","features":[110]},{"name":"CLUS_RESOURCE_CLASS_INFO","features":[110]},{"name":"CLUS_RESSUBCLASS","features":[110]},{"name":"CLUS_RESSUBCLASS_NETWORK","features":[110]},{"name":"CLUS_RESSUBCLASS_NETWORK_INTERNET_PROTOCOL","features":[110]},{"name":"CLUS_RESSUBCLASS_SHARED","features":[110]},{"name":"CLUS_RESSUBCLASS_STORAGE","features":[110]},{"name":"CLUS_RESSUBCLASS_STORAGE_DISK","features":[110]},{"name":"CLUS_RESSUBCLASS_STORAGE_REPLICATION","features":[110]},{"name":"CLUS_RESSUBCLASS_STORAGE_SHARED_BUS","features":[110]},{"name":"CLUS_RESTYPE_NAME_CAU","features":[110]},{"name":"CLUS_RESTYPE_NAME_CLOUD_WITNESS","features":[110]},{"name":"CLUS_RESTYPE_NAME_CONTAINER","features":[110]},{"name":"CLUS_RESTYPE_NAME_CROSS_CLUSTER","features":[110]},{"name":"CLUS_RESTYPE_NAME_DFS","features":[110]},{"name":"CLUS_RESTYPE_NAME_DFSR","features":[110]},{"name":"CLUS_RESTYPE_NAME_DHCP","features":[110]},{"name":"CLUS_RESTYPE_NAME_DNN","features":[110]},{"name":"CLUS_RESTYPE_NAME_FILESERVER","features":[110]},{"name":"CLUS_RESTYPE_NAME_FILESHR","features":[110]},{"name":"CLUS_RESTYPE_NAME_FSWITNESS","features":[110]},{"name":"CLUS_RESTYPE_NAME_GENAPP","features":[110]},{"name":"CLUS_RESTYPE_NAME_GENSCRIPT","features":[110]},{"name":"CLUS_RESTYPE_NAME_GENSVC","features":[110]},{"name":"CLUS_RESTYPE_NAME_HARDDISK","features":[110]},{"name":"CLUS_RESTYPE_NAME_HCSVM","features":[110]},{"name":"CLUS_RESTYPE_NAME_HEALTH_SERVICE","features":[110]},{"name":"CLUS_RESTYPE_NAME_IPADDR","features":[110]},{"name":"CLUS_RESTYPE_NAME_IPV6_NATIVE","features":[110]},{"name":"CLUS_RESTYPE_NAME_IPV6_TUNNEL","features":[110]},{"name":"CLUS_RESTYPE_NAME_ISCSITARGET","features":[110]},{"name":"CLUS_RESTYPE_NAME_ISNS","features":[110]},{"name":"CLUS_RESTYPE_NAME_MSDTC","features":[110]},{"name":"CLUS_RESTYPE_NAME_MSMQ","features":[110]},{"name":"CLUS_RESTYPE_NAME_MSMQ_TRIGGER","features":[110]},{"name":"CLUS_RESTYPE_NAME_NAT","features":[110]},{"name":"CLUS_RESTYPE_NAME_NETNAME","features":[110]},{"name":"CLUS_RESTYPE_NAME_NETWORK_FILE_SYSTEM","features":[110]},{"name":"CLUS_RESTYPE_NAME_NEW_MSMQ","features":[110]},{"name":"CLUS_RESTYPE_NAME_NFS","features":[110]},{"name":"CLUS_RESTYPE_NAME_NFS_MSNS","features":[110]},{"name":"CLUS_RESTYPE_NAME_NFS_V2","features":[110]},{"name":"CLUS_RESTYPE_NAME_NV_PROVIDER_ADDRESS","features":[110]},{"name":"CLUS_RESTYPE_NAME_PHYS_DISK","features":[110]},{"name":"CLUS_RESTYPE_NAME_PRTSPLR","features":[110]},{"name":"CLUS_RESTYPE_NAME_SCALEOUT_MASTER","features":[110]},{"name":"CLUS_RESTYPE_NAME_SCALEOUT_WORKER","features":[110]},{"name":"CLUS_RESTYPE_NAME_SDDC_MANAGEMENT","features":[110]},{"name":"CLUS_RESTYPE_NAME_SODAFILESERVER","features":[110]},{"name":"CLUS_RESTYPE_NAME_STORAGE_POLICIES","features":[110]},{"name":"CLUS_RESTYPE_NAME_STORAGE_POOL","features":[110]},{"name":"CLUS_RESTYPE_NAME_STORAGE_REPLICA","features":[110]},{"name":"CLUS_RESTYPE_NAME_STORQOS","features":[110]},{"name":"CLUS_RESTYPE_NAME_TASKSCHEDULER","features":[110]},{"name":"CLUS_RESTYPE_NAME_VIRTUAL_IPV4","features":[110]},{"name":"CLUS_RESTYPE_NAME_VIRTUAL_IPV6","features":[110]},{"name":"CLUS_RESTYPE_NAME_VM","features":[110]},{"name":"CLUS_RESTYPE_NAME_VMREPLICA_BROKER","features":[110]},{"name":"CLUS_RESTYPE_NAME_VMREPLICA_COORDINATOR","features":[110]},{"name":"CLUS_RESTYPE_NAME_VM_CONFIG","features":[110]},{"name":"CLUS_RESTYPE_NAME_VM_WMI","features":[110]},{"name":"CLUS_RESTYPE_NAME_VSSTASK","features":[110]},{"name":"CLUS_RESTYPE_NAME_WINS","features":[110]},{"name":"CLUS_RES_NAME_SCALEOUT_MASTER","features":[110]},{"name":"CLUS_RES_NAME_SCALEOUT_WORKER","features":[110]},{"name":"CLUS_SCSI_ADDRESS","features":[110]},{"name":"CLUS_SET_MAINTENANCE_MODE_INPUT","features":[1,110]},{"name":"CLUS_SHARED_VOLUME_BACKUP_MODE","features":[110]},{"name":"CLUS_STARTING_PARAMS","features":[1,110]},{"name":"CLUS_STORAGE_GET_AVAILABLE_DRIVELETTERS","features":[110]},{"name":"CLUS_STORAGE_REMAP_DRIVELETTER","features":[110]},{"name":"CLUS_STORAGE_SET_DRIVELETTER","features":[110]},{"name":"CLUS_WORKER","features":[1,110]},{"name":"CREATEDC_PRESENT","features":[110]},{"name":"CREATE_CLUSTER_CONFIG","features":[1,110]},{"name":"CREATE_CLUSTER_MAJOR_VERSION_MASK","features":[110]},{"name":"CREATE_CLUSTER_NAME_ACCOUNT","features":[1,110]},{"name":"CREATE_CLUSTER_VERSION","features":[110]},{"name":"CTCTL_GET_FAULT_DOMAIN_STATE","features":[110]},{"name":"CTCTL_GET_ROUTESTATUS_BASIC","features":[110]},{"name":"CTCTL_GET_ROUTESTATUS_EXTENDED","features":[110]},{"name":"CanResourceBeDependent","features":[1,110]},{"name":"CancelClusterGroupOperation","features":[110]},{"name":"ChangeClusterResourceGroup","features":[110]},{"name":"ChangeClusterResourceGroupEx","features":[110]},{"name":"ChangeClusterResourceGroupEx2","features":[110]},{"name":"CloseCluster","features":[1,110]},{"name":"CloseClusterCryptProvider","features":[110]},{"name":"CloseClusterGroup","features":[1,110]},{"name":"CloseClusterGroupSet","features":[1,110]},{"name":"CloseClusterNetInterface","features":[1,110]},{"name":"CloseClusterNetwork","features":[1,110]},{"name":"CloseClusterNode","features":[1,110]},{"name":"CloseClusterNotifyPort","features":[1,110]},{"name":"CloseClusterResource","features":[1,110]},{"name":"ClusAddClusterHealthFault","features":[110]},{"name":"ClusApplication","features":[110]},{"name":"ClusCryptoKeys","features":[110]},{"name":"ClusDisk","features":[110]},{"name":"ClusDisks","features":[110]},{"name":"ClusGetClusterHealthFaults","features":[110]},{"name":"ClusGroupTypeAvailableStorage","features":[110]},{"name":"ClusGroupTypeClusterUpdateAgent","features":[110]},{"name":"ClusGroupTypeCoreCluster","features":[110]},{"name":"ClusGroupTypeCoreSddc","features":[110]},{"name":"ClusGroupTypeCrossClusterOrchestrator","features":[110]},{"name":"ClusGroupTypeDhcpServer","features":[110]},{"name":"ClusGroupTypeDtc","features":[110]},{"name":"ClusGroupTypeFileServer","features":[110]},{"name":"ClusGroupTypeGenericApplication","features":[110]},{"name":"ClusGroupTypeGenericScript","features":[110]},{"name":"ClusGroupTypeGenericService","features":[110]},{"name":"ClusGroupTypeIScsiNameService","features":[110]},{"name":"ClusGroupTypeIScsiTarget","features":[110]},{"name":"ClusGroupTypeInfrastructureFileServer","features":[110]},{"name":"ClusGroupTypeMsmq","features":[110]},{"name":"ClusGroupTypePrintServer","features":[110]},{"name":"ClusGroupTypeScaleoutCluster","features":[110]},{"name":"ClusGroupTypeScaleoutFileServer","features":[110]},{"name":"ClusGroupTypeSharedVolume","features":[110]},{"name":"ClusGroupTypeStandAloneDfs","features":[110]},{"name":"ClusGroupTypeStoragePool","features":[110]},{"name":"ClusGroupTypeStorageReplica","features":[110]},{"name":"ClusGroupTypeTaskScheduler","features":[110]},{"name":"ClusGroupTypeTemporary","features":[110]},{"name":"ClusGroupTypeTsSessionBroker","features":[110]},{"name":"ClusGroupTypeUnknown","features":[110]},{"name":"ClusGroupTypeVMReplicaBroker","features":[110]},{"name":"ClusGroupTypeVMReplicaCoordinator","features":[110]},{"name":"ClusGroupTypeVirtualMachine","features":[110]},{"name":"ClusGroupTypeWins","features":[110]},{"name":"ClusNetInterface","features":[110]},{"name":"ClusNetInterfaces","features":[110]},{"name":"ClusNetwork","features":[110]},{"name":"ClusNetworkNetInterfaces","features":[110]},{"name":"ClusNetworks","features":[110]},{"name":"ClusNode","features":[110]},{"name":"ClusNodeNetInterfaces","features":[110]},{"name":"ClusNodes","features":[110]},{"name":"ClusPartition","features":[110]},{"name":"ClusPartitionEx","features":[110]},{"name":"ClusPartitions","features":[110]},{"name":"ClusProperties","features":[110]},{"name":"ClusProperty","features":[110]},{"name":"ClusPropertyValue","features":[110]},{"name":"ClusPropertyValueData","features":[110]},{"name":"ClusPropertyValues","features":[110]},{"name":"ClusRefObject","features":[110]},{"name":"ClusRegistryKeys","features":[110]},{"name":"ClusRemoveClusterHealthFault","features":[110]},{"name":"ClusResDependencies","features":[110]},{"name":"ClusResDependents","features":[110]},{"name":"ClusResGroup","features":[110]},{"name":"ClusResGroupPreferredOwnerNodes","features":[110]},{"name":"ClusResGroupResources","features":[110]},{"name":"ClusResGroups","features":[110]},{"name":"ClusResPossibleOwnerNodes","features":[110]},{"name":"ClusResType","features":[110]},{"name":"ClusResTypePossibleOwnerNodes","features":[110]},{"name":"ClusResTypeResources","features":[110]},{"name":"ClusResTypes","features":[110]},{"name":"ClusResource","features":[110]},{"name":"ClusResources","features":[110]},{"name":"ClusScsiAddress","features":[110]},{"name":"ClusVersion","features":[110]},{"name":"ClusWorkerCheckTerminate","features":[1,110]},{"name":"ClusWorkerCreate","features":[1,110]},{"name":"ClusWorkerTerminate","features":[1,110]},{"name":"ClusWorkerTerminateEx","features":[1,110]},{"name":"ClusWorkersTerminate","features":[1,110]},{"name":"ClusapiSetReasonHandler","features":[1,110]},{"name":"Cluster","features":[110]},{"name":"ClusterAddGroupToAffinityRule","features":[110]},{"name":"ClusterAddGroupToGroupSet","features":[110]},{"name":"ClusterAddGroupToGroupSetWithDomains","features":[110]},{"name":"ClusterAddGroupToGroupSetWithDomainsEx","features":[110]},{"name":"ClusterAffinityRuleControl","features":[110]},{"name":"ClusterClearBackupStateForSharedVolume","features":[110]},{"name":"ClusterCloseEnum","features":[110]},{"name":"ClusterCloseEnumEx","features":[110]},{"name":"ClusterControl","features":[110]},{"name":"ClusterControlEx","features":[110]},{"name":"ClusterCreateAffinityRule","features":[110]},{"name":"ClusterDecrypt","features":[110]},{"name":"ClusterEncrypt","features":[110]},{"name":"ClusterEnum","features":[110]},{"name":"ClusterEnumEx","features":[110]},{"name":"ClusterGetEnumCount","features":[110]},{"name":"ClusterGetEnumCountEx","features":[110]},{"name":"ClusterGetVolumeNameForVolumeMountPoint","features":[1,110]},{"name":"ClusterGetVolumePathName","features":[1,110]},{"name":"ClusterGroupAllowFailback","features":[110]},{"name":"ClusterGroupCloseEnum","features":[110]},{"name":"ClusterGroupCloseEnumEx","features":[110]},{"name":"ClusterGroupControl","features":[110]},{"name":"ClusterGroupControlEx","features":[110]},{"name":"ClusterGroupEnum","features":[110]},{"name":"ClusterGroupEnumEx","features":[110]},{"name":"ClusterGroupFailbackTypeCount","features":[110]},{"name":"ClusterGroupFailed","features":[110]},{"name":"ClusterGroupGetEnumCount","features":[110]},{"name":"ClusterGroupGetEnumCountEx","features":[110]},{"name":"ClusterGroupOffline","features":[110]},{"name":"ClusterGroupOnline","features":[110]},{"name":"ClusterGroupOpenEnum","features":[110]},{"name":"ClusterGroupOpenEnumEx","features":[110]},{"name":"ClusterGroupPartialOnline","features":[110]},{"name":"ClusterGroupPending","features":[110]},{"name":"ClusterGroupPreventFailback","features":[110]},{"name":"ClusterGroupSetCloseEnum","features":[110]},{"name":"ClusterGroupSetControl","features":[110]},{"name":"ClusterGroupSetControlEx","features":[110]},{"name":"ClusterGroupSetEnum","features":[110]},{"name":"ClusterGroupSetGetEnumCount","features":[110]},{"name":"ClusterGroupSetOpenEnum","features":[110]},{"name":"ClusterGroupStateUnknown","features":[110]},{"name":"ClusterIsPathOnSharedVolume","features":[1,110]},{"name":"ClusterNames","features":[110]},{"name":"ClusterNetInterfaceCloseEnum","features":[110]},{"name":"ClusterNetInterfaceControl","features":[110]},{"name":"ClusterNetInterfaceControlEx","features":[110]},{"name":"ClusterNetInterfaceEnum","features":[110]},{"name":"ClusterNetInterfaceFailed","features":[110]},{"name":"ClusterNetInterfaceOpenEnum","features":[110]},{"name":"ClusterNetInterfaceStateUnknown","features":[110]},{"name":"ClusterNetInterfaceUnavailable","features":[110]},{"name":"ClusterNetInterfaceUnreachable","features":[110]},{"name":"ClusterNetInterfaceUp","features":[110]},{"name":"ClusterNetworkCloseEnum","features":[110]},{"name":"ClusterNetworkControl","features":[110]},{"name":"ClusterNetworkControlEx","features":[110]},{"name":"ClusterNetworkDown","features":[110]},{"name":"ClusterNetworkEnum","features":[110]},{"name":"ClusterNetworkGetEnumCount","features":[110]},{"name":"ClusterNetworkOpenEnum","features":[110]},{"name":"ClusterNetworkPartitioned","features":[110]},{"name":"ClusterNetworkRoleClientAccess","features":[110]},{"name":"ClusterNetworkRoleInternalAndClient","features":[110]},{"name":"ClusterNetworkRoleInternalUse","features":[110]},{"name":"ClusterNetworkRoleNone","features":[110]},{"name":"ClusterNetworkStateUnknown","features":[110]},{"name":"ClusterNetworkUnavailable","features":[110]},{"name":"ClusterNetworkUp","features":[110]},{"name":"ClusterNodeCloseEnum","features":[110]},{"name":"ClusterNodeCloseEnumEx","features":[110]},{"name":"ClusterNodeControl","features":[110]},{"name":"ClusterNodeControlEx","features":[110]},{"name":"ClusterNodeDown","features":[110]},{"name":"ClusterNodeDrainStatusCount","features":[110]},{"name":"ClusterNodeEnum","features":[110]},{"name":"ClusterNodeEnumEx","features":[110]},{"name":"ClusterNodeGetEnumCount","features":[110]},{"name":"ClusterNodeGetEnumCountEx","features":[110]},{"name":"ClusterNodeJoining","features":[110]},{"name":"ClusterNodeOpenEnum","features":[110]},{"name":"ClusterNodeOpenEnumEx","features":[110]},{"name":"ClusterNodePaused","features":[110]},{"name":"ClusterNodeReplacement","features":[110]},{"name":"ClusterNodeResumeFailbackTypeCount","features":[110]},{"name":"ClusterNodeStateUnknown","features":[110]},{"name":"ClusterNodeUp","features":[110]},{"name":"ClusterOpenEnum","features":[110]},{"name":"ClusterOpenEnumEx","features":[110]},{"name":"ClusterPrepareSharedVolumeForBackup","features":[110]},{"name":"ClusterRegBatchAddCommand","features":[110]},{"name":"ClusterRegBatchCloseNotification","features":[110]},{"name":"ClusterRegBatchReadCommand","features":[110]},{"name":"ClusterRegCloseBatch","features":[1,110]},{"name":"ClusterRegCloseBatchEx","features":[110]},{"name":"ClusterRegCloseBatchNotifyPort","features":[110]},{"name":"ClusterRegCloseKey","features":[110,49]},{"name":"ClusterRegCloseReadBatch","features":[110]},{"name":"ClusterRegCloseReadBatchEx","features":[110]},{"name":"ClusterRegCloseReadBatchReply","features":[110]},{"name":"ClusterRegCreateBatch","features":[110,49]},{"name":"ClusterRegCreateBatchNotifyPort","features":[110,49]},{"name":"ClusterRegCreateKey","features":[1,110,4,49]},{"name":"ClusterRegCreateKeyEx","features":[1,110,4,49]},{"name":"ClusterRegCreateReadBatch","features":[110,49]},{"name":"ClusterRegDeleteKey","features":[110,49]},{"name":"ClusterRegDeleteKeyEx","features":[110,49]},{"name":"ClusterRegDeleteValue","features":[110,49]},{"name":"ClusterRegDeleteValueEx","features":[110,49]},{"name":"ClusterRegEnumKey","features":[1,110,49]},{"name":"ClusterRegEnumValue","features":[110,49]},{"name":"ClusterRegGetBatchNotification","features":[110]},{"name":"ClusterRegGetKeySecurity","features":[110,4,49]},{"name":"ClusterRegOpenKey","features":[110,49]},{"name":"ClusterRegQueryInfoKey","features":[1,110,49]},{"name":"ClusterRegQueryValue","features":[110,49]},{"name":"ClusterRegReadBatchAddCommand","features":[110]},{"name":"ClusterRegReadBatchReplyNextCommand","features":[110]},{"name":"ClusterRegSetKeySecurity","features":[110,4,49]},{"name":"ClusterRegSetKeySecurityEx","features":[110,4,49]},{"name":"ClusterRegSetValue","features":[110,49]},{"name":"ClusterRegSetValueEx","features":[110,49]},{"name":"ClusterRegSyncDatabase","features":[110]},{"name":"ClusterRemoveAffinityRule","features":[110]},{"name":"ClusterRemoveGroupFromAffinityRule","features":[110]},{"name":"ClusterRemoveGroupFromGroupSet","features":[110]},{"name":"ClusterRemoveGroupFromGroupSetEx","features":[110]},{"name":"ClusterResourceApplicationOSHeartBeat","features":[110]},{"name":"ClusterResourceApplicationReady","features":[110]},{"name":"ClusterResourceApplicationStateUnknown","features":[110]},{"name":"ClusterResourceCloseEnum","features":[110]},{"name":"ClusterResourceCloseEnumEx","features":[110]},{"name":"ClusterResourceControl","features":[110]},{"name":"ClusterResourceControlAsUser","features":[110]},{"name":"ClusterResourceControlAsUserEx","features":[110]},{"name":"ClusterResourceControlEx","features":[110]},{"name":"ClusterResourceDontRestart","features":[110]},{"name":"ClusterResourceEmbeddedFailureActionLogOnly","features":[110]},{"name":"ClusterResourceEmbeddedFailureActionNone","features":[110]},{"name":"ClusterResourceEmbeddedFailureActionRecover","features":[110]},{"name":"ClusterResourceEnum","features":[110]},{"name":"ClusterResourceEnumEx","features":[110]},{"name":"ClusterResourceFailed","features":[110]},{"name":"ClusterResourceGetEnumCount","features":[110]},{"name":"ClusterResourceGetEnumCountEx","features":[110]},{"name":"ClusterResourceInherited","features":[110]},{"name":"ClusterResourceInitializing","features":[110]},{"name":"ClusterResourceOffline","features":[110]},{"name":"ClusterResourceOfflinePending","features":[110]},{"name":"ClusterResourceOnline","features":[110]},{"name":"ClusterResourceOnlinePending","features":[110]},{"name":"ClusterResourceOpenEnum","features":[110]},{"name":"ClusterResourceOpenEnumEx","features":[110]},{"name":"ClusterResourcePending","features":[110]},{"name":"ClusterResourceRestartActionCount","features":[110]},{"name":"ClusterResourceRestartNoNotify","features":[110]},{"name":"ClusterResourceRestartNotify","features":[110]},{"name":"ClusterResourceStateUnknown","features":[110]},{"name":"ClusterResourceTypeCloseEnum","features":[110]},{"name":"ClusterResourceTypeControl","features":[110]},{"name":"ClusterResourceTypeControlAsUser","features":[110]},{"name":"ClusterResourceTypeControlAsUserEx","features":[110]},{"name":"ClusterResourceTypeControlEx","features":[110]},{"name":"ClusterResourceTypeEnum","features":[110]},{"name":"ClusterResourceTypeGetEnumCount","features":[110]},{"name":"ClusterResourceTypeOpenEnum","features":[110]},{"name":"ClusterRoleClustered","features":[110]},{"name":"ClusterRoleDFSReplicatedFolder","features":[110]},{"name":"ClusterRoleDHCP","features":[110]},{"name":"ClusterRoleDTC","features":[110]},{"name":"ClusterRoleDistributedFileSystem","features":[110]},{"name":"ClusterRoleDistributedNetworkName","features":[110]},{"name":"ClusterRoleFileServer","features":[110]},{"name":"ClusterRoleFileShare","features":[110]},{"name":"ClusterRoleFileShareWitness","features":[110]},{"name":"ClusterRoleGenericApplication","features":[110]},{"name":"ClusterRoleGenericScript","features":[110]},{"name":"ClusterRoleGenericService","features":[110]},{"name":"ClusterRoleHardDisk","features":[110]},{"name":"ClusterRoleIPAddress","features":[110]},{"name":"ClusterRoleIPV6Address","features":[110]},{"name":"ClusterRoleIPV6TunnelAddress","features":[110]},{"name":"ClusterRoleISCSINameServer","features":[110]},{"name":"ClusterRoleISCSITargetServer","features":[110]},{"name":"ClusterRoleMSMQ","features":[110]},{"name":"ClusterRoleNFS","features":[110]},{"name":"ClusterRoleNetworkFileSystem","features":[110]},{"name":"ClusterRoleNetworkName","features":[110]},{"name":"ClusterRolePhysicalDisk","features":[110]},{"name":"ClusterRolePrintServer","features":[110]},{"name":"ClusterRoleSODAFileServer","features":[110]},{"name":"ClusterRoleStandAloneNamespaceServer","features":[110]},{"name":"ClusterRoleStoragePool","features":[110]},{"name":"ClusterRoleTaskScheduler","features":[110]},{"name":"ClusterRoleUnclustered","features":[110]},{"name":"ClusterRoleUnknown","features":[110]},{"name":"ClusterRoleVirtualMachine","features":[110]},{"name":"ClusterRoleVirtualMachineConfiguration","features":[110]},{"name":"ClusterRoleVirtualMachineReplicaBroker","features":[110]},{"name":"ClusterRoleVolumeShadowCopyServiceTask","features":[110]},{"name":"ClusterRoleWINS","features":[110]},{"name":"ClusterSetAccountAccess","features":[110]},{"name":"ClusterSetupPhaseAddClusterProperties","features":[110]},{"name":"ClusterSetupPhaseAddNodeToCluster","features":[110]},{"name":"ClusterSetupPhaseCleanupCOs","features":[110]},{"name":"ClusterSetupPhaseCleanupNode","features":[110]},{"name":"ClusterSetupPhaseClusterGroupOnline","features":[110]},{"name":"ClusterSetupPhaseConfigureClusSvc","features":[110]},{"name":"ClusterSetupPhaseConfigureClusterAccount","features":[110]},{"name":"ClusterSetupPhaseContinue","features":[110]},{"name":"ClusterSetupPhaseCoreGroupCleanup","features":[110]},{"name":"ClusterSetupPhaseCreateClusterAccount","features":[110]},{"name":"ClusterSetupPhaseCreateGroups","features":[110]},{"name":"ClusterSetupPhaseCreateIPAddressResources","features":[110]},{"name":"ClusterSetupPhaseCreateNetworkName","features":[110]},{"name":"ClusterSetupPhaseCreateResourceTypes","features":[110]},{"name":"ClusterSetupPhaseDeleteGroup","features":[110]},{"name":"ClusterSetupPhaseEnd","features":[110]},{"name":"ClusterSetupPhaseEvictNode","features":[110]},{"name":"ClusterSetupPhaseFailureCleanup","features":[110]},{"name":"ClusterSetupPhaseFatal","features":[110]},{"name":"ClusterSetupPhaseFormingCluster","features":[110]},{"name":"ClusterSetupPhaseGettingCurrentMembership","features":[110]},{"name":"ClusterSetupPhaseInformational","features":[110]},{"name":"ClusterSetupPhaseInitialize","features":[110]},{"name":"ClusterSetupPhaseMoveGroup","features":[110]},{"name":"ClusterSetupPhaseNodeUp","features":[110]},{"name":"ClusterSetupPhaseOfflineGroup","features":[110]},{"name":"ClusterSetupPhaseQueryClusterNameAccount","features":[110]},{"name":"ClusterSetupPhaseReport","features":[110]},{"name":"ClusterSetupPhaseStart","features":[110]},{"name":"ClusterSetupPhaseStartingClusSvc","features":[110]},{"name":"ClusterSetupPhaseValidateClusDisk","features":[110]},{"name":"ClusterSetupPhaseValidateClusterNameAccount","features":[110]},{"name":"ClusterSetupPhaseValidateNetft","features":[110]},{"name":"ClusterSetupPhaseValidateNodeState","features":[110]},{"name":"ClusterSetupPhaseWarning","features":[110]},{"name":"ClusterSharedVolumeHWSnapshotCompleted","features":[110]},{"name":"ClusterSharedVolumePrepareForFreeze","features":[110]},{"name":"ClusterSharedVolumePrepareForHWSnapshot","features":[110]},{"name":"ClusterSharedVolumeRenameInputTypeNone","features":[110]},{"name":"ClusterSharedVolumeRenameInputTypeVolumeGuid","features":[110]},{"name":"ClusterSharedVolumeRenameInputTypeVolumeId","features":[110]},{"name":"ClusterSharedVolumeRenameInputTypeVolumeName","features":[110]},{"name":"ClusterSharedVolumeRenameInputTypeVolumeOffset","features":[110]},{"name":"ClusterSharedVolumeSetSnapshotState","features":[110]},{"name":"ClusterSharedVolumeSnapshotStateUnknown","features":[110]},{"name":"ClusterStateNotConfigured","features":[110]},{"name":"ClusterStateNotInstalled","features":[110]},{"name":"ClusterStateNotRunning","features":[110]},{"name":"ClusterStateRunning","features":[110]},{"name":"ClusterStorageNodeDown","features":[110]},{"name":"ClusterStorageNodePaused","features":[110]},{"name":"ClusterStorageNodeStarting","features":[110]},{"name":"ClusterStorageNodeStateUnknown","features":[110]},{"name":"ClusterStorageNodeStopping","features":[110]},{"name":"ClusterStorageNodeUp","features":[110]},{"name":"ClusterUpgradeFunctionalLevel","features":[1,110]},{"name":"ClusterUpgradePhaseInitialize","features":[110]},{"name":"ClusterUpgradePhaseInstallingNewComponents","features":[110]},{"name":"ClusterUpgradePhaseUpgradeComplete","features":[110]},{"name":"ClusterUpgradePhaseUpgradingComponents","features":[110]},{"name":"ClusterUpgradePhaseValidatingUpgrade","features":[110]},{"name":"CreateCluster","features":[1,110]},{"name":"CreateClusterAvailabilitySet","features":[1,110]},{"name":"CreateClusterGroup","features":[110]},{"name":"CreateClusterGroupEx","features":[110]},{"name":"CreateClusterGroupSet","features":[110]},{"name":"CreateClusterNameAccount","features":[1,110]},{"name":"CreateClusterNotifyPort","features":[110]},{"name":"CreateClusterNotifyPortV2","features":[110]},{"name":"CreateClusterResource","features":[110]},{"name":"CreateClusterResourceEx","features":[110]},{"name":"CreateClusterResourceType","features":[110]},{"name":"CreateClusterResourceTypeEx","features":[110]},{"name":"DNS_LENGTH","features":[110]},{"name":"DeleteClusterGroup","features":[110]},{"name":"DeleteClusterGroupEx","features":[110]},{"name":"DeleteClusterGroupSet","features":[110]},{"name":"DeleteClusterGroupSetEx","features":[110]},{"name":"DeleteClusterResource","features":[110]},{"name":"DeleteClusterResourceEx","features":[110]},{"name":"DeleteClusterResourceType","features":[110]},{"name":"DeleteClusterResourceTypeEx","features":[110]},{"name":"DestroyCluster","features":[1,110]},{"name":"DestroyClusterGroup","features":[110]},{"name":"DestroyClusterGroupEx","features":[110]},{"name":"DetermineCNOResTypeFromCluster","features":[110]},{"name":"DetermineCNOResTypeFromNodelist","features":[110]},{"name":"DetermineClusterCloudTypeFromCluster","features":[110]},{"name":"DetermineClusterCloudTypeFromNodelist","features":[110]},{"name":"DoNotFailbackGroups","features":[110]},{"name":"DomainNames","features":[110]},{"name":"ENABLE_CLUSTER_SHARED_VOLUMES","features":[110]},{"name":"EvictClusterNode","features":[110]},{"name":"EvictClusterNodeEx","features":[110]},{"name":"EvictClusterNodeEx2","features":[110]},{"name":"FAILURE_TYPE","features":[110]},{"name":"FAILURE_TYPE_EMBEDDED","features":[110]},{"name":"FAILURE_TYPE_GENERAL","features":[110]},{"name":"FAILURE_TYPE_NETWORK_LOSS","features":[110]},{"name":"FE_UPGRADE_VERSION","features":[110]},{"name":"FILESHARE_CHANGE","features":[110]},{"name":"FILESHARE_CHANGE_ADD","features":[110]},{"name":"FILESHARE_CHANGE_DEL","features":[110]},{"name":"FILESHARE_CHANGE_ENUM","features":[110]},{"name":"FILESHARE_CHANGE_LIST","features":[110]},{"name":"FILESHARE_CHANGE_MODIFY","features":[110]},{"name":"FILESHARE_CHANGE_NONE","features":[110]},{"name":"FailClusterResource","features":[110]},{"name":"FailClusterResourceEx","features":[110]},{"name":"FailbackGroupsImmediately","features":[110]},{"name":"FailbackGroupsPerPolicy","features":[110]},{"name":"FreeClusterCrypt","features":[110]},{"name":"FreeClusterHealthFault","features":[110]},{"name":"FreeClusterHealthFaultArray","features":[110]},{"name":"GET_OPERATION_CONTEXT_PARAMS","features":[110]},{"name":"GROUPSET_READY_SETTING_APPLICATION_READY","features":[110]},{"name":"GROUPSET_READY_SETTING_DELAY","features":[110]},{"name":"GROUPSET_READY_SETTING_ONLINE","features":[110]},{"name":"GROUPSET_READY_SETTING_OS_HEARTBEAT","features":[110]},{"name":"GROUP_FAILURE_INFO","features":[110]},{"name":"GROUP_FAILURE_INFO_BUFFER","features":[110]},{"name":"GROUP_FAILURE_INFO_VERSION_1","features":[110]},{"name":"GRP_PLACEMENT_OPTIONS","features":[110]},{"name":"GRP_PLACEMENT_OPTIONS_ALL","features":[110]},{"name":"GRP_PLACEMENT_OPTIONS_DEFAULT","features":[110]},{"name":"GRP_PLACEMENT_OPTIONS_DISABLE_AUTOBALANCING","features":[110]},{"name":"GRP_PLACEMENT_OPTIONS_MIN_VALUE","features":[110]},{"name":"GUID_PRESENT","features":[110]},{"name":"GetClusterFromGroup","features":[110]},{"name":"GetClusterFromNetInterface","features":[110]},{"name":"GetClusterFromNetwork","features":[110]},{"name":"GetClusterFromNode","features":[110]},{"name":"GetClusterFromResource","features":[110]},{"name":"GetClusterGroupKey","features":[110,49]},{"name":"GetClusterGroupState","features":[110]},{"name":"GetClusterInformation","features":[110]},{"name":"GetClusterKey","features":[110,49]},{"name":"GetClusterNetInterface","features":[110]},{"name":"GetClusterNetInterfaceKey","features":[110,49]},{"name":"GetClusterNetInterfaceState","features":[110]},{"name":"GetClusterNetworkId","features":[110]},{"name":"GetClusterNetworkKey","features":[110,49]},{"name":"GetClusterNetworkState","features":[110]},{"name":"GetClusterNodeId","features":[110]},{"name":"GetClusterNodeKey","features":[110,49]},{"name":"GetClusterNodeState","features":[110]},{"name":"GetClusterNotify","features":[110]},{"name":"GetClusterNotifyV2","features":[110]},{"name":"GetClusterQuorumResource","features":[110]},{"name":"GetClusterResourceDependencyExpression","features":[110]},{"name":"GetClusterResourceKey","features":[110,49]},{"name":"GetClusterResourceNetworkName","features":[1,110]},{"name":"GetClusterResourceState","features":[110]},{"name":"GetClusterResourceTypeKey","features":[110,49]},{"name":"GetNodeCloudTypeDW","features":[110]},{"name":"GetNodeClusterState","features":[110]},{"name":"GetNotifyEventHandle","features":[1,110]},{"name":"HCHANGE","features":[110]},{"name":"HCI_UPGRADE_BIT","features":[110]},{"name":"HCLUSCRYPTPROVIDER","features":[110]},{"name":"HCLUSENUM","features":[110]},{"name":"HCLUSENUMEX","features":[110]},{"name":"HCLUSTER","features":[110]},{"name":"HGROUP","features":[110]},{"name":"HGROUPENUM","features":[110]},{"name":"HGROUPENUMEX","features":[110]},{"name":"HGROUPSET","features":[110]},{"name":"HGROUPSETENUM","features":[110]},{"name":"HNETINTERFACE","features":[110]},{"name":"HNETINTERFACEENUM","features":[110]},{"name":"HNETWORK","features":[110]},{"name":"HNETWORKENUM","features":[110]},{"name":"HNODE","features":[110]},{"name":"HNODEENUM","features":[110]},{"name":"HNODEENUMEX","features":[110]},{"name":"HREGBATCH","features":[110]},{"name":"HREGBATCHNOTIFICATION","features":[110]},{"name":"HREGBATCHPORT","features":[110]},{"name":"HREGREADBATCH","features":[110]},{"name":"HREGREADBATCHREPLY","features":[110]},{"name":"HRESENUM","features":[110]},{"name":"HRESENUMEX","features":[110]},{"name":"HRESOURCE","features":[110]},{"name":"HRESTYPEENUM","features":[110]},{"name":"IGetClusterDataInfo","features":[110]},{"name":"IGetClusterGroupInfo","features":[110]},{"name":"IGetClusterNetInterfaceInfo","features":[110]},{"name":"IGetClusterNetworkInfo","features":[110]},{"name":"IGetClusterNodeInfo","features":[110]},{"name":"IGetClusterObjectInfo","features":[110]},{"name":"IGetClusterResourceInfo","features":[110]},{"name":"IGetClusterUIInfo","features":[110]},{"name":"ISClusApplication","features":[110]},{"name":"ISClusCryptoKeys","features":[110]},{"name":"ISClusDisk","features":[110]},{"name":"ISClusDisks","features":[110]},{"name":"ISClusNetInterface","features":[110]},{"name":"ISClusNetInterfaces","features":[110]},{"name":"ISClusNetwork","features":[110]},{"name":"ISClusNetworkNetInterfaces","features":[110]},{"name":"ISClusNetworks","features":[110]},{"name":"ISClusNode","features":[110]},{"name":"ISClusNodeNetInterfaces","features":[110]},{"name":"ISClusNodes","features":[110]},{"name":"ISClusPartition","features":[110]},{"name":"ISClusPartitionEx","features":[110]},{"name":"ISClusPartitions","features":[110]},{"name":"ISClusProperties","features":[110]},{"name":"ISClusProperty","features":[110]},{"name":"ISClusPropertyValue","features":[110]},{"name":"ISClusPropertyValueData","features":[110]},{"name":"ISClusPropertyValues","features":[110]},{"name":"ISClusRefObject","features":[110]},{"name":"ISClusRegistryKeys","features":[110]},{"name":"ISClusResDependencies","features":[110]},{"name":"ISClusResDependents","features":[110]},{"name":"ISClusResGroup","features":[110]},{"name":"ISClusResGroupPreferredOwnerNodes","features":[110]},{"name":"ISClusResGroupResources","features":[110]},{"name":"ISClusResGroups","features":[110]},{"name":"ISClusResPossibleOwnerNodes","features":[110]},{"name":"ISClusResType","features":[110]},{"name":"ISClusResTypePossibleOwnerNodes","features":[110]},{"name":"ISClusResTypeResources","features":[110]},{"name":"ISClusResTypes","features":[110]},{"name":"ISClusResource","features":[110]},{"name":"ISClusResources","features":[110]},{"name":"ISClusScsiAddress","features":[110]},{"name":"ISClusVersion","features":[110]},{"name":"ISCluster","features":[110]},{"name":"ISClusterNames","features":[110]},{"name":"ISDomainNames","features":[110]},{"name":"IWCContextMenuCallback","features":[110]},{"name":"IWCPropertySheetCallback","features":[110]},{"name":"IWCWizard97Callback","features":[110]},{"name":"IWCWizardCallback","features":[110]},{"name":"IWEExtendContextMenu","features":[110]},{"name":"IWEExtendPropertySheet","features":[110]},{"name":"IWEExtendWizard","features":[110]},{"name":"IWEExtendWizard97","features":[110]},{"name":"IWEInvokeCommand","features":[110]},{"name":"InitializeClusterHealthFault","features":[110]},{"name":"InitializeClusterHealthFaultArray","features":[110]},{"name":"IsFileOnClusterSharedVolume","features":[1,110]},{"name":"LOCKED_MODE_FLAGS_DONT_REMOVE_FROM_MOVE_QUEUE","features":[110]},{"name":"LOG_ERROR","features":[110]},{"name":"LOG_INFORMATION","features":[110]},{"name":"LOG_LEVEL","features":[110]},{"name":"LOG_SEVERE","features":[110]},{"name":"LOG_WARNING","features":[110]},{"name":"LPGROUP_CALLBACK_EX","features":[110]},{"name":"LPNODE_CALLBACK","features":[110]},{"name":"LPRESOURCE_CALLBACK","features":[110]},{"name":"LPRESOURCE_CALLBACK_EX","features":[110]},{"name":"MAINTENANCE_MODE_TYPE_ENUM","features":[110]},{"name":"MAINTENANCE_MODE_V2_SIG","features":[110]},{"name":"MAX_CLUSTERNAME_LENGTH","features":[110]},{"name":"MAX_CO_PASSWORD_LENGTH","features":[110]},{"name":"MAX_CO_PASSWORD_LENGTHEX","features":[110]},{"name":"MAX_CO_PASSWORD_STORAGEEX","features":[110]},{"name":"MAX_CREATINGDC_LENGTH","features":[110]},{"name":"MAX_OBJECTID","features":[110]},{"name":"MINIMUM_NEVER_PREEMPT_PRIORITY","features":[110]},{"name":"MINIMUM_PREEMPTOR_PRIORITY","features":[110]},{"name":"MN_UPGRADE_VERSION","features":[110]},{"name":"MONITOR_STATE","features":[1,110]},{"name":"MaintenanceModeTypeDisableIsAliveCheck","features":[110]},{"name":"MaintenanceModeTypeOfflineResource","features":[110]},{"name":"MaintenanceModeTypeUnclusterResource","features":[110]},{"name":"ModifyQuorum","features":[110]},{"name":"MoveClusterGroup","features":[110]},{"name":"MoveClusterGroupEx","features":[110]},{"name":"MoveClusterGroupEx2","features":[110]},{"name":"NINETEEN_H1_UPGRADE_VERSION","features":[110]},{"name":"NINETEEN_H2_UPGRADE_VERSION","features":[110]},{"name":"NI_UPGRADE_VERSION","features":[110]},{"name":"NNLEN","features":[110]},{"name":"NODE_CLUSTER_STATE","features":[110]},{"name":"NOTIFY_FILTER_AND_TYPE","features":[110]},{"name":"NT10_MAJOR_VERSION","features":[110]},{"name":"NT11_MAJOR_VERSION","features":[110]},{"name":"NT12_MAJOR_VERSION","features":[110]},{"name":"NT13_MAJOR_VERSION","features":[110]},{"name":"NT4SP4_MAJOR_VERSION","features":[110]},{"name":"NT4_MAJOR_VERSION","features":[110]},{"name":"NT51_MAJOR_VERSION","features":[110]},{"name":"NT5_MAJOR_VERSION","features":[110]},{"name":"NT6_MAJOR_VERSION","features":[110]},{"name":"NT7_MAJOR_VERSION","features":[110]},{"name":"NT8_MAJOR_VERSION","features":[110]},{"name":"NT9_MAJOR_VERSION","features":[110]},{"name":"NodeDrainStatusCompleted","features":[110]},{"name":"NodeDrainStatusFailed","features":[110]},{"name":"NodeDrainStatusInProgress","features":[110]},{"name":"NodeDrainStatusNotInitiated","features":[110]},{"name":"NodeStatusAvoidPlacement","features":[110]},{"name":"NodeStatusDrainCompleted","features":[110]},{"name":"NodeStatusDrainFailed","features":[110]},{"name":"NodeStatusDrainInProgress","features":[110]},{"name":"NodeStatusIsolated","features":[110]},{"name":"NodeStatusMax","features":[110]},{"name":"NodeStatusNormal","features":[110]},{"name":"NodeStatusQuarantined","features":[110]},{"name":"NodeUtilizationInfoElement","features":[110]},{"name":"OfflineClusterGroup","features":[110]},{"name":"OfflineClusterGroupEx","features":[110]},{"name":"OfflineClusterGroupEx2","features":[110]},{"name":"OfflineClusterResource","features":[110]},{"name":"OfflineClusterResourceEx","features":[110]},{"name":"OfflineClusterResourceEx2","features":[110]},{"name":"OnlineClusterGroup","features":[110]},{"name":"OnlineClusterGroupEx","features":[110]},{"name":"OnlineClusterGroupEx2","features":[110]},{"name":"OnlineClusterResource","features":[110]},{"name":"OnlineClusterResourceEx","features":[110]},{"name":"OnlineClusterResourceEx2","features":[110]},{"name":"OpenCluster","features":[110]},{"name":"OpenClusterCryptProvider","features":[110]},{"name":"OpenClusterCryptProviderEx","features":[110]},{"name":"OpenClusterEx","features":[110]},{"name":"OpenClusterGroup","features":[110]},{"name":"OpenClusterGroupEx","features":[110]},{"name":"OpenClusterGroupSet","features":[110]},{"name":"OpenClusterNetInterface","features":[110]},{"name":"OpenClusterNetInterfaceEx","features":[110]},{"name":"OpenClusterNetwork","features":[110]},{"name":"OpenClusterNetworkEx","features":[110]},{"name":"OpenClusterNode","features":[110]},{"name":"OpenClusterNodeById","features":[110]},{"name":"OpenClusterNodeEx","features":[110]},{"name":"OpenClusterResource","features":[110]},{"name":"OpenClusterResourceEx","features":[110]},{"name":"OperationalQuorum","features":[110]},{"name":"PARBITRATE_ROUTINE","features":[110]},{"name":"PARM_WPR_WATCHDOG_FOR_CURRENT_RESOURCE_CALL_ROUTINE","features":[110]},{"name":"PBEGIN_RESCALL_AS_USER_ROUTINE","features":[1,110]},{"name":"PBEGIN_RESCALL_ROUTINE","features":[1,110]},{"name":"PBEGIN_RESTYPECALL_AS_USER_ROUTINE","features":[1,110]},{"name":"PBEGIN_RESTYPECALL_ROUTINE","features":[1,110]},{"name":"PCANCEL_ROUTINE","features":[110]},{"name":"PCHANGE_RESOURCE_PROCESS_FOR_DUMPS","features":[1,110]},{"name":"PCHANGE_RES_TYPE_PROCESS_FOR_DUMPS","features":[1,110]},{"name":"PCLOSE_CLUSTER_CRYPT_PROVIDER","features":[110]},{"name":"PCLOSE_ROUTINE","features":[110]},{"name":"PCLUSAPIClusWorkerCheckTerminate","features":[1,110]},{"name":"PCLUSAPI_ADD_CLUSTER_GROUP_DEPENDENCY","features":[110]},{"name":"PCLUSAPI_ADD_CLUSTER_GROUP_DEPENDENCY_EX","features":[110]},{"name":"PCLUSAPI_ADD_CLUSTER_GROUP_GROUPSET_DEPENDENCY","features":[110]},{"name":"PCLUSAPI_ADD_CLUSTER_GROUP_GROUPSET_DEPENDENCY_EX","features":[110]},{"name":"PCLUSAPI_ADD_CLUSTER_GROUP_TO_GROUP_GROUPSET_DEPENDENCY","features":[110]},{"name":"PCLUSAPI_ADD_CLUSTER_GROUP_TO_GROUP_GROUPSET_DEPENDENCY_EX","features":[110]},{"name":"PCLUSAPI_ADD_CLUSTER_NODE","features":[1,110]},{"name":"PCLUSAPI_ADD_CLUSTER_NODE_EX","features":[1,110]},{"name":"PCLUSAPI_ADD_CLUSTER_RESOURCE_DEPENDENCY","features":[110]},{"name":"PCLUSAPI_ADD_CLUSTER_RESOURCE_DEPENDENCY_EX","features":[110]},{"name":"PCLUSAPI_ADD_CLUSTER_RESOURCE_NODE","features":[110]},{"name":"PCLUSAPI_ADD_CLUSTER_RESOURCE_NODE_EX","features":[110]},{"name":"PCLUSAPI_ADD_CROSS_CLUSTER_GROUPSET_DEPENDENCY","features":[110]},{"name":"PCLUSAPI_ADD_RESOURCE_TO_CLUSTER_SHARED_VOLUMES","features":[110]},{"name":"PCLUSAPI_BACKUP_CLUSTER_DATABASE","features":[110]},{"name":"PCLUSAPI_CAN_RESOURCE_BE_DEPENDENT","features":[1,110]},{"name":"PCLUSAPI_CHANGE_CLUSTER_RESOURCE_GROUP","features":[110]},{"name":"PCLUSAPI_CHANGE_CLUSTER_RESOURCE_GROUP_EX","features":[110]},{"name":"PCLUSAPI_CHANGE_CLUSTER_RESOURCE_GROUP_EX2","features":[110]},{"name":"PCLUSAPI_CLOSE_CLUSTER","features":[1,110]},{"name":"PCLUSAPI_CLOSE_CLUSTER_GROUP","features":[1,110]},{"name":"PCLUSAPI_CLOSE_CLUSTER_GROUP_GROUPSET","features":[1,110]},{"name":"PCLUSAPI_CLOSE_CLUSTER_NETWORK","features":[1,110]},{"name":"PCLUSAPI_CLOSE_CLUSTER_NET_INTERFACE","features":[1,110]},{"name":"PCLUSAPI_CLOSE_CLUSTER_NODE","features":[1,110]},{"name":"PCLUSAPI_CLOSE_CLUSTER_NOTIFY_PORT","features":[1,110]},{"name":"PCLUSAPI_CLOSE_CLUSTER_RESOURCE","features":[1,110]},{"name":"PCLUSAPI_CLUSTER_ADD_GROUP_TO_AFFINITY_RULE","features":[110]},{"name":"PCLUSAPI_CLUSTER_ADD_GROUP_TO_GROUPSET_WITH_DOMAINS_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_ADD_GROUP_TO_GROUP_GROUPSET","features":[110]},{"name":"PCLUSAPI_CLUSTER_AFFINITY_RULE_CONTROL","features":[110]},{"name":"PCLUSAPI_CLUSTER_CLOSE_ENUM","features":[110]},{"name":"PCLUSAPI_CLUSTER_CLOSE_ENUM_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_CONTROL","features":[110]},{"name":"PCLUSAPI_CLUSTER_CONTROL_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_CREATE_AFFINITY_RULE","features":[110]},{"name":"PCLUSAPI_CLUSTER_ENUM","features":[110]},{"name":"PCLUSAPI_CLUSTER_ENUM_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_GET_ENUM_COUNT","features":[110]},{"name":"PCLUSAPI_CLUSTER_GET_ENUM_COUNT_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_GROUP_CLOSE_ENUM","features":[110]},{"name":"PCLUSAPI_CLUSTER_GROUP_CLOSE_ENUM_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_GROUP_CONTROL","features":[110]},{"name":"PCLUSAPI_CLUSTER_GROUP_CONTROL_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_GROUP_ENUM","features":[110]},{"name":"PCLUSAPI_CLUSTER_GROUP_ENUM_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_GROUP_GET_ENUM_COUNT","features":[110]},{"name":"PCLUSAPI_CLUSTER_GROUP_GET_ENUM_COUNT_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_GROUP_GROUPSET_CONTROL","features":[110]},{"name":"PCLUSAPI_CLUSTER_GROUP_GROUPSET_CONTROL_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_GROUP_OPEN_ENUM","features":[110]},{"name":"PCLUSAPI_CLUSTER_GROUP_OPEN_ENUM_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_NETWORK_CLOSE_ENUM","features":[110]},{"name":"PCLUSAPI_CLUSTER_NETWORK_CONTROL","features":[110]},{"name":"PCLUSAPI_CLUSTER_NETWORK_CONTROL_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_NETWORK_ENUM","features":[110]},{"name":"PCLUSAPI_CLUSTER_NETWORK_GET_ENUM_COUNT","features":[110]},{"name":"PCLUSAPI_CLUSTER_NETWORK_OPEN_ENUM","features":[110]},{"name":"PCLUSAPI_CLUSTER_NET_INTERFACE_CONTROL","features":[110]},{"name":"PCLUSAPI_CLUSTER_NET_INTERFACE_CONTROL_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_NODE_CLOSE_ENUM","features":[110]},{"name":"PCLUSAPI_CLUSTER_NODE_CLOSE_ENUM_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_NODE_CONTROL","features":[110]},{"name":"PCLUSAPI_CLUSTER_NODE_CONTROL_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_NODE_ENUM","features":[110]},{"name":"PCLUSAPI_CLUSTER_NODE_ENUM_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_NODE_GET_ENUM_COUNT","features":[110]},{"name":"PCLUSAPI_CLUSTER_NODE_GET_ENUM_COUNT_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_NODE_OPEN_ENUM","features":[110]},{"name":"PCLUSAPI_CLUSTER_NODE_OPEN_ENUM_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_OPEN_ENUM","features":[110]},{"name":"PCLUSAPI_CLUSTER_OPEN_ENUM_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_REG_CLOSE_KEY","features":[110,49]},{"name":"PCLUSAPI_CLUSTER_REG_CREATE_BATCH","features":[110,49]},{"name":"PCLUSAPI_CLUSTER_REG_CREATE_KEY","features":[1,110,4,49]},{"name":"PCLUSAPI_CLUSTER_REG_CREATE_KEY_EX","features":[1,110,4,49]},{"name":"PCLUSAPI_CLUSTER_REG_DELETE_KEY","features":[110,49]},{"name":"PCLUSAPI_CLUSTER_REG_DELETE_KEY_EX","features":[110,49]},{"name":"PCLUSAPI_CLUSTER_REG_DELETE_VALUE","features":[110,49]},{"name":"PCLUSAPI_CLUSTER_REG_DELETE_VALUE_EX","features":[110,49]},{"name":"PCLUSAPI_CLUSTER_REG_ENUM_KEY","features":[1,110,49]},{"name":"PCLUSAPI_CLUSTER_REG_ENUM_VALUE","features":[110,49]},{"name":"PCLUSAPI_CLUSTER_REG_GET_KEY_SECURITY","features":[110,4,49]},{"name":"PCLUSAPI_CLUSTER_REG_OPEN_KEY","features":[110,49]},{"name":"PCLUSAPI_CLUSTER_REG_QUERY_INFO_KEY","features":[1,110,49]},{"name":"PCLUSAPI_CLUSTER_REG_QUERY_VALUE","features":[110,49]},{"name":"PCLUSAPI_CLUSTER_REG_SET_KEY_SECURITY","features":[110,4,49]},{"name":"PCLUSAPI_CLUSTER_REG_SET_KEY_SECURITY_EX","features":[110,4,49]},{"name":"PCLUSAPI_CLUSTER_REG_SET_VALUE","features":[110,49]},{"name":"PCLUSAPI_CLUSTER_REG_SET_VALUE_EX","features":[110,49]},{"name":"PCLUSAPI_CLUSTER_REG_SYNC_DATABASE","features":[110]},{"name":"PCLUSAPI_CLUSTER_REMOVE_AFFINITY_RULE","features":[110]},{"name":"PCLUSAPI_CLUSTER_REMOVE_GROUP_FROM_AFFINITY_RULE","features":[110]},{"name":"PCLUSAPI_CLUSTER_REMOVE_GROUP_FROM_GROUPSET","features":[110]},{"name":"PCLUSAPI_CLUSTER_REMOVE_GROUP_FROM_GROUPSET_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_CLOSE_ENUM","features":[110]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_CLOSE_ENUM_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_CONTROL","features":[110]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_CONTROL_AS_USER_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_CONTROL_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_ENUM","features":[110]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_ENUM_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_GET_ENUM_COUNT","features":[110]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_GET_ENUM_COUNT_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_OPEN_ENUM","features":[110]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_OPEN_ENUM_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_TYPE_CLOSE_ENUM","features":[110]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_TYPE_CONTROL","features":[110]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_TYPE_CONTROL_AS_USER_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_TYPE_CONTROL_EX","features":[110]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_TYPE_ENUM","features":[110]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_TYPE_GET_ENUM_COUNT","features":[110]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_TYPE_OPEN_ENUM","features":[110]},{"name":"PCLUSAPI_CLUSTER_UPGRADE","features":[1,110]},{"name":"PCLUSAPI_CLUS_WORKER_CREATE","features":[1,110]},{"name":"PCLUSAPI_CLUS_WORKER_TERMINATE","features":[1,110]},{"name":"PCLUSAPI_CREATE_CLUSTER","features":[1,110]},{"name":"PCLUSAPI_CREATE_CLUSTER_AVAILABILITY_SET","features":[1,110]},{"name":"PCLUSAPI_CREATE_CLUSTER_CNOLESS","features":[1,110]},{"name":"PCLUSAPI_CREATE_CLUSTER_GROUP","features":[110]},{"name":"PCLUSAPI_CREATE_CLUSTER_GROUPEX","features":[110]},{"name":"PCLUSAPI_CREATE_CLUSTER_GROUP_GROUPSET","features":[110]},{"name":"PCLUSAPI_CREATE_CLUSTER_NAME_ACCOUNT","features":[1,110]},{"name":"PCLUSAPI_CREATE_CLUSTER_NOTIFY_PORT","features":[110]},{"name":"PCLUSAPI_CREATE_CLUSTER_NOTIFY_PORT_V2","features":[110]},{"name":"PCLUSAPI_CREATE_CLUSTER_RESOURCE","features":[110]},{"name":"PCLUSAPI_CREATE_CLUSTER_RESOURCE_EX","features":[110]},{"name":"PCLUSAPI_CREATE_CLUSTER_RESOURCE_TYPE","features":[110]},{"name":"PCLUSAPI_CREATE_CLUSTER_RESOURCE_TYPE_EX","features":[110]},{"name":"PCLUSAPI_DELETE_CLUSTER_GROUP","features":[110]},{"name":"PCLUSAPI_DELETE_CLUSTER_GROUP_EX","features":[110]},{"name":"PCLUSAPI_DELETE_CLUSTER_GROUP_GROUPSET","features":[110]},{"name":"PCLUSAPI_DELETE_CLUSTER_GROUP_GROUPSET_EX","features":[110]},{"name":"PCLUSAPI_DELETE_CLUSTER_RESOURCE","features":[110]},{"name":"PCLUSAPI_DELETE_CLUSTER_RESOURCE_EX","features":[110]},{"name":"PCLUSAPI_DELETE_CLUSTER_RESOURCE_TYPE","features":[110]},{"name":"PCLUSAPI_DELETE_CLUSTER_RESOURCE_TYPE_EX","features":[110]},{"name":"PCLUSAPI_DESTROY_CLUSTER","features":[1,110]},{"name":"PCLUSAPI_DESTROY_CLUSTER_GROUP","features":[110]},{"name":"PCLUSAPI_DESTROY_CLUSTER_GROUP_EX","features":[110]},{"name":"PCLUSAPI_EVICT_CLUSTER_NODE","features":[110]},{"name":"PCLUSAPI_EVICT_CLUSTER_NODE_EX","features":[110]},{"name":"PCLUSAPI_EVICT_CLUSTER_NODE_EX2","features":[110]},{"name":"PCLUSAPI_FAIL_CLUSTER_RESOURCE","features":[110]},{"name":"PCLUSAPI_FAIL_CLUSTER_RESOURCE_EX","features":[110]},{"name":"PCLUSAPI_GET_CLUSTER_FROM_GROUP","features":[110]},{"name":"PCLUSAPI_GET_CLUSTER_FROM_GROUP_GROUPSET","features":[110]},{"name":"PCLUSAPI_GET_CLUSTER_FROM_NETWORK","features":[110]},{"name":"PCLUSAPI_GET_CLUSTER_FROM_NET_INTERFACE","features":[110]},{"name":"PCLUSAPI_GET_CLUSTER_FROM_NODE","features":[110]},{"name":"PCLUSAPI_GET_CLUSTER_FROM_RESOURCE","features":[110]},{"name":"PCLUSAPI_GET_CLUSTER_GROUP_KEY","features":[110,49]},{"name":"PCLUSAPI_GET_CLUSTER_GROUP_STATE","features":[110]},{"name":"PCLUSAPI_GET_CLUSTER_INFORMATION","features":[110]},{"name":"PCLUSAPI_GET_CLUSTER_KEY","features":[110,49]},{"name":"PCLUSAPI_GET_CLUSTER_NETWORK_ID","features":[110]},{"name":"PCLUSAPI_GET_CLUSTER_NETWORK_KEY","features":[110,49]},{"name":"PCLUSAPI_GET_CLUSTER_NETWORK_STATE","features":[110]},{"name":"PCLUSAPI_GET_CLUSTER_NET_INTERFACE","features":[110]},{"name":"PCLUSAPI_GET_CLUSTER_NET_INTERFACE_KEY","features":[110,49]},{"name":"PCLUSAPI_GET_CLUSTER_NET_INTERFACE_STATE","features":[110]},{"name":"PCLUSAPI_GET_CLUSTER_NODE_ID","features":[110]},{"name":"PCLUSAPI_GET_CLUSTER_NODE_KEY","features":[110,49]},{"name":"PCLUSAPI_GET_CLUSTER_NODE_STATE","features":[110]},{"name":"PCLUSAPI_GET_CLUSTER_NOTIFY","features":[110]},{"name":"PCLUSAPI_GET_CLUSTER_NOTIFY_V2","features":[110]},{"name":"PCLUSAPI_GET_CLUSTER_QUORUM_RESOURCE","features":[110]},{"name":"PCLUSAPI_GET_CLUSTER_RESOURCE_DEPENDENCY_EXPRESSION","features":[110]},{"name":"PCLUSAPI_GET_CLUSTER_RESOURCE_KEY","features":[110,49]},{"name":"PCLUSAPI_GET_CLUSTER_RESOURCE_NETWORK_NAME","features":[1,110]},{"name":"PCLUSAPI_GET_CLUSTER_RESOURCE_STATE","features":[110]},{"name":"PCLUSAPI_GET_CLUSTER_RESOURCE_TYPE_KEY","features":[110,49]},{"name":"PCLUSAPI_GET_NODE_CLUSTER_STATE","features":[110]},{"name":"PCLUSAPI_GET_NOTIFY_EVENT_HANDLE_V2","features":[1,110]},{"name":"PCLUSAPI_IS_FILE_ON_CLUSTER_SHARED_VOLUME","features":[1,110]},{"name":"PCLUSAPI_MOVE_CLUSTER_GROUP","features":[110]},{"name":"PCLUSAPI_OFFLINE_CLUSTER_GROUP","features":[110]},{"name":"PCLUSAPI_OFFLINE_CLUSTER_RESOURCE","features":[110]},{"name":"PCLUSAPI_ONLINE_CLUSTER_GROUP","features":[110]},{"name":"PCLUSAPI_ONLINE_CLUSTER_RESOURCE","features":[110]},{"name":"PCLUSAPI_OPEN_CLUSTER","features":[110]},{"name":"PCLUSAPI_OPEN_CLUSTER_EX","features":[110]},{"name":"PCLUSAPI_OPEN_CLUSTER_GROUP","features":[110]},{"name":"PCLUSAPI_OPEN_CLUSTER_GROUP_EX","features":[110]},{"name":"PCLUSAPI_OPEN_CLUSTER_GROUP_GROUPSET","features":[110]},{"name":"PCLUSAPI_OPEN_CLUSTER_NETINTERFACE_EX","features":[110]},{"name":"PCLUSAPI_OPEN_CLUSTER_NETWORK","features":[110]},{"name":"PCLUSAPI_OPEN_CLUSTER_NETWORK_EX","features":[110]},{"name":"PCLUSAPI_OPEN_CLUSTER_NET_INTERFACE","features":[110]},{"name":"PCLUSAPI_OPEN_CLUSTER_NODE","features":[110]},{"name":"PCLUSAPI_OPEN_CLUSTER_NODE_EX","features":[110]},{"name":"PCLUSAPI_OPEN_CLUSTER_RESOURCE","features":[110]},{"name":"PCLUSAPI_OPEN_CLUSTER_RESOURCE_EX","features":[110]},{"name":"PCLUSAPI_OPEN_NODE_BY_ID","features":[110]},{"name":"PCLUSAPI_PAUSE_CLUSTER_NODE","features":[110]},{"name":"PCLUSAPI_PAUSE_CLUSTER_NODE_EX","features":[1,110]},{"name":"PCLUSAPI_PAUSE_CLUSTER_NODE_EX2","features":[1,110]},{"name":"PCLUSAPI_PFN_REASON_HANDLER","features":[1,110]},{"name":"PCLUSAPI_REGISTER_CLUSTER_NOTIFY","features":[1,110]},{"name":"PCLUSAPI_REGISTER_CLUSTER_NOTIFY_V2","features":[1,110]},{"name":"PCLUSAPI_REMOVE_CLUSTER_GROUP_DEPENDENCY","features":[110]},{"name":"PCLUSAPI_REMOVE_CLUSTER_GROUP_DEPENDENCY_EX","features":[110]},{"name":"PCLUSAPI_REMOVE_CLUSTER_GROUP_GROUPSET_DEPENDENCY","features":[110]},{"name":"PCLUSAPI_REMOVE_CLUSTER_GROUP_GROUPSET_DEPENDENCY_EX","features":[110]},{"name":"PCLUSAPI_REMOVE_CLUSTER_GROUP_TO_GROUP_GROUPSET_DEPENDENCY","features":[110]},{"name":"PCLUSAPI_REMOVE_CLUSTER_GROUP_TO_GROUP_GROUPSET_DEPENDENCY_EX","features":[110]},{"name":"PCLUSAPI_REMOVE_CLUSTER_NAME_ACCOUNT","features":[110]},{"name":"PCLUSAPI_REMOVE_CLUSTER_RESOURCE_DEPENDENCY","features":[110]},{"name":"PCLUSAPI_REMOVE_CLUSTER_RESOURCE_DEPENDENCY_EX","features":[110]},{"name":"PCLUSAPI_REMOVE_CLUSTER_RESOURCE_NODE","features":[110]},{"name":"PCLUSAPI_REMOVE_CLUSTER_RESOURCE_NODE_EX","features":[110]},{"name":"PCLUSAPI_REMOVE_CROSS_CLUSTER_GROUPSET_DEPENDENCY","features":[110]},{"name":"PCLUSAPI_REMOVE_RESOURCE_FROM_CLUSTER_SHARED_VOLUMES","features":[110]},{"name":"PCLUSAPI_RESTART_CLUSTER_RESOURCE","features":[110]},{"name":"PCLUSAPI_RESTART_CLUSTER_RESOURCE_EX","features":[110]},{"name":"PCLUSAPI_RESTORE_CLUSTER_DATABASE","features":[1,110]},{"name":"PCLUSAPI_RESUME_CLUSTER_NODE","features":[110]},{"name":"PCLUSAPI_RESUME_CLUSTER_NODE_EX","features":[110]},{"name":"PCLUSAPI_RESUME_CLUSTER_NODE_EX2","features":[110]},{"name":"PCLUSAPI_SET_CLUSTER_GROUP_GROUPSET_DEPENDENCY_EXPRESSION","features":[110]},{"name":"PCLUSAPI_SET_CLUSTER_GROUP_GROUPSET_DEPENDENCY_EXPRESSION_EX","features":[110]},{"name":"PCLUSAPI_SET_CLUSTER_GROUP_NAME","features":[110]},{"name":"PCLUSAPI_SET_CLUSTER_GROUP_NAME_EX","features":[110]},{"name":"PCLUSAPI_SET_CLUSTER_GROUP_NODE_LIST","features":[110]},{"name":"PCLUSAPI_SET_CLUSTER_GROUP_NODE_LIST_EX","features":[110]},{"name":"PCLUSAPI_SET_CLUSTER_NAME_EX","features":[110]},{"name":"PCLUSAPI_SET_CLUSTER_NETWORK_NAME","features":[110]},{"name":"PCLUSAPI_SET_CLUSTER_NETWORK_NAME_EX","features":[110]},{"name":"PCLUSAPI_SET_CLUSTER_NETWORK_PRIORITY_ORDER","features":[110]},{"name":"PCLUSAPI_SET_CLUSTER_QUORUM_RESOURCE","features":[110]},{"name":"PCLUSAPI_SET_CLUSTER_QUORUM_RESOURCE_EX","features":[110]},{"name":"PCLUSAPI_SET_CLUSTER_RESOURCE_DEPENDENCY_EXPRESSION","features":[110]},{"name":"PCLUSAPI_SET_CLUSTER_RESOURCE_NAME","features":[110]},{"name":"PCLUSAPI_SET_CLUSTER_RESOURCE_NAME_EX","features":[110]},{"name":"PCLUSAPI_SET_CLUSTER_SERVICE_ACCOUNT_PASSWORD","features":[1,110]},{"name":"PCLUSAPI_SET_GROUP_DEPENDENCY_EXPRESSION","features":[110]},{"name":"PCLUSAPI_SET_GROUP_DEPENDENCY_EXPRESSION_EX","features":[110]},{"name":"PCLUSAPI_SET_REASON_HANDLER","features":[1,110]},{"name":"PCLUSAPI_SHARED_VOLUME_SET_SNAPSHOT_STATE","features":[110]},{"name":"PCLUSAPI_SetClusterName","features":[110]},{"name":"PCLUSTER_CLEAR_BACKUP_STATE_FOR_SHARED_VOLUME","features":[110]},{"name":"PCLUSTER_DECRYPT","features":[110]},{"name":"PCLUSTER_ENCRYPT","features":[110]},{"name":"PCLUSTER_GET_VOLUME_NAME_FOR_VOLUME_MOUNT_POINT","features":[1,110]},{"name":"PCLUSTER_GET_VOLUME_PATH_NAME","features":[1,110]},{"name":"PCLUSTER_IS_PATH_ON_SHARED_VOLUME","features":[1,110]},{"name":"PCLUSTER_PREPARE_SHARED_VOLUME_FOR_BACKUP","features":[110]},{"name":"PCLUSTER_REG_BATCH_ADD_COMMAND","features":[110]},{"name":"PCLUSTER_REG_BATCH_CLOSE_NOTIFICATION","features":[110]},{"name":"PCLUSTER_REG_BATCH_READ_COMMAND","features":[110]},{"name":"PCLUSTER_REG_CLOSE_BATCH","features":[1,110]},{"name":"PCLUSTER_REG_CLOSE_BATCH_NOTIFY_PORT","features":[110]},{"name":"PCLUSTER_REG_CLOSE_READ_BATCH","features":[110]},{"name":"PCLUSTER_REG_CLOSE_READ_BATCH_EX","features":[110]},{"name":"PCLUSTER_REG_CLOSE_READ_BATCH_REPLY","features":[110]},{"name":"PCLUSTER_REG_CREATE_BATCH_NOTIFY_PORT","features":[110,49]},{"name":"PCLUSTER_REG_CREATE_READ_BATCH","features":[110,49]},{"name":"PCLUSTER_REG_GET_BATCH_NOTIFICATION","features":[110]},{"name":"PCLUSTER_REG_READ_BATCH_ADD_COMMAND","features":[110]},{"name":"PCLUSTER_REG_READ_BATCH_REPLY_NEXT_COMMAND","features":[110]},{"name":"PCLUSTER_SETUP_PROGRESS_CALLBACK","features":[1,110]},{"name":"PCLUSTER_SET_ACCOUNT_ACCESS","features":[110]},{"name":"PCLUSTER_UPGRADE_PROGRESS_CALLBACK","features":[1,110]},{"name":"PEND_CONTROL_CALL","features":[110]},{"name":"PEND_TYPE_CONTROL_CALL","features":[110]},{"name":"PEXTEND_RES_CONTROL_CALL","features":[110]},{"name":"PEXTEND_RES_TYPE_CONTROL_CALL","features":[110]},{"name":"PFREE_CLUSTER_CRYPT","features":[110]},{"name":"PIS_ALIVE_ROUTINE","features":[1,110]},{"name":"PLACEMENT_OPTIONS","features":[110]},{"name":"PLACEMENT_OPTIONS_ALL","features":[110]},{"name":"PLACEMENT_OPTIONS_AVAILABILITY_SET_DOMAIN_AFFINITY","features":[110]},{"name":"PLACEMENT_OPTIONS_CONSIDER_OFFLINE_VMS","features":[110]},{"name":"PLACEMENT_OPTIONS_DEFAULT_PLACEMENT_OPTIONS","features":[110]},{"name":"PLACEMENT_OPTIONS_DISABLE_CSV_VM_DEPENDENCY","features":[110]},{"name":"PLACEMENT_OPTIONS_DONT_RESUME_AVAILABILTY_SET_VMS_WITH_EXISTING_TEMP_DISK","features":[110]},{"name":"PLACEMENT_OPTIONS_DONT_RESUME_VMS_WITH_EXISTING_TEMP_DISK","features":[110]},{"name":"PLACEMENT_OPTIONS_DONT_USE_CPU","features":[110]},{"name":"PLACEMENT_OPTIONS_DONT_USE_LOCAL_TEMP_DISK","features":[110]},{"name":"PLACEMENT_OPTIONS_DONT_USE_MEMORY","features":[110]},{"name":"PLACEMENT_OPTIONS_MIN_VALUE","features":[110]},{"name":"PLACEMENT_OPTIONS_SAVE_AVAILABILTY_SET_VMS_WITH_LOCAL_DISK_ON_DRAIN_OVERWRITE","features":[110]},{"name":"PLACEMENT_OPTIONS_SAVE_VMS_WITH_LOCAL_DISK_ON_DRAIN_OVERWRITE","features":[110]},{"name":"PLOG_EVENT_ROUTINE","features":[110]},{"name":"PLOOKS_ALIVE_ROUTINE","features":[1,110]},{"name":"POFFLINE_ROUTINE","features":[110]},{"name":"POFFLINE_V2_ROUTINE","features":[110]},{"name":"PONLINE_ROUTINE","features":[1,110]},{"name":"PONLINE_V2_ROUTINE","features":[1,110]},{"name":"POPEN_CLUSTER_CRYPT_PROVIDER","features":[110]},{"name":"POPEN_CLUSTER_CRYPT_PROVIDEREX","features":[110]},{"name":"POPEN_ROUTINE","features":[110,49]},{"name":"POPEN_V2_ROUTINE","features":[110,49]},{"name":"POST_UPGRADE_VERSION_INFO","features":[110]},{"name":"PQUERY_APPINSTANCE_VERSION","features":[1,110]},{"name":"PQUORUM_RESOURCE_LOST","features":[110]},{"name":"PRAISE_RES_TYPE_NOTIFICATION","features":[110]},{"name":"PREGISTER_APPINSTANCE","features":[1,110]},{"name":"PREGISTER_APPINSTANCE_VERSION","features":[110]},{"name":"PRELEASE_ROUTINE","features":[110]},{"name":"PREQUEST_DUMP_ROUTINE","features":[1,110]},{"name":"PRESET_ALL_APPINSTANCE_VERSIONS","features":[110]},{"name":"PRESOURCE_CONTROL_ROUTINE","features":[110]},{"name":"PRESOURCE_TYPE_CONTROL_ROUTINE","features":[110]},{"name":"PRESUTIL_ADD_UNKNOWN_PROPERTIES","features":[1,110,49]},{"name":"PRESUTIL_CREATE_DIRECTORY_TREE","features":[110]},{"name":"PRESUTIL_DUP_PARAMETER_BLOCK","features":[1,110]},{"name":"PRESUTIL_DUP_STRING","features":[110]},{"name":"PRESUTIL_ENUM_PRIVATE_PROPERTIES","features":[110,49]},{"name":"PRESUTIL_ENUM_PROPERTIES","features":[1,110]},{"name":"PRESUTIL_ENUM_RESOURCES","features":[110]},{"name":"PRESUTIL_ENUM_RESOURCES_EX","features":[110]},{"name":"PRESUTIL_ENUM_RESOURCES_EX2","features":[110]},{"name":"PRESUTIL_EXPAND_ENVIRONMENT_STRINGS","features":[110]},{"name":"PRESUTIL_FIND_BINARY_PROPERTY","features":[110]},{"name":"PRESUTIL_FIND_DEPENDENT_DISK_RESOURCE_DRIVE_LETTER","features":[110]},{"name":"PRESUTIL_FIND_DWORD_PROPERTY","features":[110]},{"name":"PRESUTIL_FIND_EXPANDED_SZ_PROPERTY","features":[110]},{"name":"PRESUTIL_FIND_EXPAND_SZ_PROPERTY","features":[110]},{"name":"PRESUTIL_FIND_FILETIME_PROPERTY","features":[1,110]},{"name":"PRESUTIL_FIND_LONG_PROPERTY","features":[110]},{"name":"PRESUTIL_FIND_MULTI_SZ_PROPERTY","features":[110]},{"name":"PRESUTIL_FIND_SZ_PROPERTY","features":[110]},{"name":"PRESUTIL_FIND_ULARGEINTEGER_PROPERTY","features":[110]},{"name":"PRESUTIL_FREE_ENVIRONMENT","features":[110]},{"name":"PRESUTIL_FREE_PARAMETER_BLOCK","features":[1,110]},{"name":"PRESUTIL_GET_ALL_PROPERTIES","features":[1,110,49]},{"name":"PRESUTIL_GET_BINARY_PROPERTY","features":[110]},{"name":"PRESUTIL_GET_BINARY_VALUE","features":[110,49]},{"name":"PRESUTIL_GET_CORE_CLUSTER_RESOURCES","features":[110]},{"name":"PRESUTIL_GET_CORE_CLUSTER_RESOURCES_EX","features":[110]},{"name":"PRESUTIL_GET_DWORD_PROPERTY","features":[110]},{"name":"PRESUTIL_GET_DWORD_VALUE","features":[110,49]},{"name":"PRESUTIL_GET_ENVIRONMENT_WITH_NET_NAME","features":[110]},{"name":"PRESUTIL_GET_EXPAND_SZ_VALUE","features":[1,110,49]},{"name":"PRESUTIL_GET_FILETIME_PROPERTY","features":[1,110]},{"name":"PRESUTIL_GET_LONG_PROPERTY","features":[110]},{"name":"PRESUTIL_GET_MULTI_SZ_PROPERTY","features":[110]},{"name":"PRESUTIL_GET_PRIVATE_PROPERTIES","features":[110,49]},{"name":"PRESUTIL_GET_PROPERTIES","features":[1,110,49]},{"name":"PRESUTIL_GET_PROPERTIES_TO_PARAMETER_BLOCK","features":[1,110,49]},{"name":"PRESUTIL_GET_PROPERTY","features":[1,110,49]},{"name":"PRESUTIL_GET_PROPERTY_FORMATS","features":[1,110]},{"name":"PRESUTIL_GET_PROPERTY_SIZE","features":[1,110,49]},{"name":"PRESUTIL_GET_QWORD_VALUE","features":[110,49]},{"name":"PRESUTIL_GET_RESOURCE_DEPENDENCY","features":[1,110]},{"name":"PRESUTIL_GET_RESOURCE_DEPENDENCY_BY_CLASS","features":[1,110]},{"name":"PRESUTIL_GET_RESOURCE_DEPENDENCY_BY_CLASS_EX","features":[1,110]},{"name":"PRESUTIL_GET_RESOURCE_DEPENDENCY_BY_NAME","features":[1,110]},{"name":"PRESUTIL_GET_RESOURCE_DEPENDENCY_BY_NAME_EX","features":[1,110]},{"name":"PRESUTIL_GET_RESOURCE_DEPENDENCY_EX","features":[1,110]},{"name":"PRESUTIL_GET_RESOURCE_DEPENDENTIP_ADDRESS_PROPS","features":[110]},{"name":"PRESUTIL_GET_RESOURCE_NAME","features":[110]},{"name":"PRESUTIL_GET_RESOURCE_NAME_DEPENDENCY","features":[110]},{"name":"PRESUTIL_GET_RESOURCE_NAME_DEPENDENCY_EX","features":[110]},{"name":"PRESUTIL_GET_SZ_PROPERTY","features":[110]},{"name":"PRESUTIL_GET_SZ_VALUE","features":[110,49]},{"name":"PRESUTIL_IS_PATH_VALID","features":[1,110]},{"name":"PRESUTIL_IS_RESOURCE_CLASS_EQUAL","features":[1,110]},{"name":"PRESUTIL_PROPERTY_LIST_FROM_PARAMETER_BLOCK","features":[1,110]},{"name":"PRESUTIL_REMOVE_RESOURCE_SERVICE_ENVIRONMENT","features":[110]},{"name":"PRESUTIL_RESOURCES_EQUAL","features":[1,110]},{"name":"PRESUTIL_RESOURCE_TYPES_EQUAL","features":[1,110]},{"name":"PRESUTIL_SET_BINARY_VALUE","features":[110,49]},{"name":"PRESUTIL_SET_DWORD_VALUE","features":[110,49]},{"name":"PRESUTIL_SET_EXPAND_SZ_VALUE","features":[110,49]},{"name":"PRESUTIL_SET_MULTI_SZ_VALUE","features":[110,49]},{"name":"PRESUTIL_SET_PRIVATE_PROPERTY_LIST","features":[110,49]},{"name":"PRESUTIL_SET_PROPERTY_PARAMETER_BLOCK","features":[1,110,49]},{"name":"PRESUTIL_SET_PROPERTY_PARAMETER_BLOCK_EX","features":[1,110,49]},{"name":"PRESUTIL_SET_PROPERTY_TABLE","features":[1,110,49]},{"name":"PRESUTIL_SET_PROPERTY_TABLE_EX","features":[1,110,49]},{"name":"PRESUTIL_SET_QWORD_VALUE","features":[110,49]},{"name":"PRESUTIL_SET_RESOURCE_SERVICE_ENVIRONMENT","features":[110]},{"name":"PRESUTIL_SET_RESOURCE_SERVICE_START_PARAMETERS","features":[110,4]},{"name":"PRESUTIL_SET_RESOURCE_SERVICE_START_PARAMETERS_EX","features":[110,4]},{"name":"PRESUTIL_SET_SZ_VALUE","features":[110,49]},{"name":"PRESUTIL_SET_UNKNOWN_PROPERTIES","features":[1,110,49]},{"name":"PRESUTIL_START_RESOURCE_SERVICE","features":[110,4]},{"name":"PRESUTIL_STOP_RESOURCE_SERVICE","features":[110]},{"name":"PRESUTIL_STOP_SERVICE","features":[110,4]},{"name":"PRESUTIL_TERMINATE_SERVICE_PROCESS_FROM_RES_DLL","features":[1,110]},{"name":"PRESUTIL_VERIFY_PRIVATE_PROPERTY_LIST","features":[110]},{"name":"PRESUTIL_VERIFY_PROPERTY_TABLE","features":[1,110]},{"name":"PRESUTIL_VERIFY_RESOURCE_SERVICE","features":[110]},{"name":"PRESUTIL_VERIFY_SERVICE","features":[110,4]},{"name":"PRES_UTIL_VERIFY_SHUTDOWN_SAFE","features":[110]},{"name":"PSET_INTERNAL_STATE","features":[1,110]},{"name":"PSET_RESOURCE_INMEMORY_NODELOCAL_PROPERTIES_ROUTINE","features":[110]},{"name":"PSET_RESOURCE_LOCKED_MODE_EX_ROUTINE","features":[1,110]},{"name":"PSET_RESOURCE_LOCKED_MODE_ROUTINE","features":[1,110]},{"name":"PSET_RESOURCE_STATUS_ROUTINE","features":[1,110]},{"name":"PSET_RESOURCE_STATUS_ROUTINE_EX","features":[1,110]},{"name":"PSET_RESOURCE_WPR_POLICY_ROUTINE","features":[110]},{"name":"PSIGNAL_FAILURE_ROUTINE","features":[110]},{"name":"PSTARTUP_EX_ROUTINE","features":[1,110,49]},{"name":"PSTARTUP_ROUTINE","features":[1,110,49]},{"name":"PTERMINATE_ROUTINE","features":[110]},{"name":"PWORKER_START_ROUTINE","features":[1,110]},{"name":"PauseClusterNode","features":[110]},{"name":"PauseClusterNodeEx","features":[1,110]},{"name":"PauseClusterNodeEx2","features":[1,110]},{"name":"PaxosTagCStruct","features":[110]},{"name":"PriorityDisabled","features":[110]},{"name":"PriorityHigh","features":[110]},{"name":"PriorityLow","features":[110]},{"name":"PriorityMedium","features":[110]},{"name":"QueryAppInstanceVersion","features":[1,110]},{"name":"RESDLL_CONTEXT_OPERATION_TYPE","features":[110]},{"name":"RESOURCE_EXIT_STATE","features":[110]},{"name":"RESOURCE_FAILURE_INFO","features":[110]},{"name":"RESOURCE_FAILURE_INFO_BUFFER","features":[110]},{"name":"RESOURCE_FAILURE_INFO_VERSION_1","features":[110]},{"name":"RESOURCE_MONITOR_STATE","features":[110]},{"name":"RESOURCE_STATUS","features":[1,110]},{"name":"RESOURCE_STATUS_EX","features":[1,110]},{"name":"RESOURCE_TERMINAL_FAILURE_INFO_BUFFER","features":[1,110]},{"name":"RESTYPE_MONITOR_SHUTTING_DOWN_CLUSSVC_CRASH","features":[110]},{"name":"RESTYPE_MONITOR_SHUTTING_DOWN_NODE_STOP","features":[110]},{"name":"RESUTIL_FILETIME_DATA","features":[1,110]},{"name":"RESUTIL_LARGEINT_DATA","features":[110]},{"name":"RESUTIL_PROPERTY_ITEM","features":[1,110]},{"name":"RESUTIL_PROPITEM_IN_MEMORY","features":[110]},{"name":"RESUTIL_PROPITEM_READ_ONLY","features":[110]},{"name":"RESUTIL_PROPITEM_REQUIRED","features":[110]},{"name":"RESUTIL_PROPITEM_SIGNED","features":[110]},{"name":"RESUTIL_ULARGEINT_DATA","features":[110]},{"name":"RS3_UPGRADE_VERSION","features":[110]},{"name":"RS4_UPGRADE_VERSION","features":[110]},{"name":"RS5_UPGRADE_VERSION","features":[110]},{"name":"RedirectedIOReasonBitLockerInitializing","features":[110]},{"name":"RedirectedIOReasonFileSystemTiering","features":[110]},{"name":"RedirectedIOReasonMax","features":[110]},{"name":"RedirectedIOReasonReFs","features":[110]},{"name":"RedirectedIOReasonUnsafeFileSystemFilter","features":[110]},{"name":"RedirectedIOReasonUnsafeVolumeFilter","features":[110]},{"name":"RedirectedIOReasonUserRequest","features":[110]},{"name":"RegisterAppInstance","features":[1,110]},{"name":"RegisterAppInstanceVersion","features":[110]},{"name":"RegisterClusterNotify","features":[1,110]},{"name":"RegisterClusterNotifyV2","features":[1,110]},{"name":"RegisterClusterResourceTypeNotifyV2","features":[110]},{"name":"RemoveClusterGroupDependency","features":[110]},{"name":"RemoveClusterGroupDependencyEx","features":[110]},{"name":"RemoveClusterGroupSetDependency","features":[110]},{"name":"RemoveClusterGroupSetDependencyEx","features":[110]},{"name":"RemoveClusterGroupToGroupSetDependency","features":[110]},{"name":"RemoveClusterGroupToGroupSetDependencyEx","features":[110]},{"name":"RemoveClusterNameAccount","features":[1,110]},{"name":"RemoveClusterResourceDependency","features":[110]},{"name":"RemoveClusterResourceDependencyEx","features":[110]},{"name":"RemoveClusterResourceNode","features":[110]},{"name":"RemoveClusterResourceNodeEx","features":[110]},{"name":"RemoveClusterStorageNode","features":[110]},{"name":"RemoveCrossClusterGroupSetDependency","features":[110]},{"name":"RemoveResourceFromClusterSharedVolumes","features":[110]},{"name":"ResUtilAddUnknownProperties","features":[1,110,49]},{"name":"ResUtilCreateDirectoryTree","features":[110]},{"name":"ResUtilDupGroup","features":[110]},{"name":"ResUtilDupParameterBlock","features":[1,110]},{"name":"ResUtilDupResource","features":[110]},{"name":"ResUtilDupString","features":[110]},{"name":"ResUtilEnumGroups","features":[110]},{"name":"ResUtilEnumGroupsEx","features":[110]},{"name":"ResUtilEnumPrivateProperties","features":[110,49]},{"name":"ResUtilEnumProperties","features":[1,110]},{"name":"ResUtilEnumResources","features":[110]},{"name":"ResUtilEnumResourcesEx","features":[110]},{"name":"ResUtilEnumResourcesEx2","features":[110]},{"name":"ResUtilExpandEnvironmentStrings","features":[110]},{"name":"ResUtilFindBinaryProperty","features":[110]},{"name":"ResUtilFindDependentDiskResourceDriveLetter","features":[110]},{"name":"ResUtilFindDwordProperty","features":[110]},{"name":"ResUtilFindExpandSzProperty","features":[110]},{"name":"ResUtilFindExpandedSzProperty","features":[110]},{"name":"ResUtilFindFileTimeProperty","features":[1,110]},{"name":"ResUtilFindLongProperty","features":[110]},{"name":"ResUtilFindMultiSzProperty","features":[110]},{"name":"ResUtilFindSzProperty","features":[110]},{"name":"ResUtilFindULargeIntegerProperty","features":[110]},{"name":"ResUtilFreeEnvironment","features":[110]},{"name":"ResUtilFreeParameterBlock","features":[1,110]},{"name":"ResUtilGetAllProperties","features":[1,110,49]},{"name":"ResUtilGetBinaryProperty","features":[110]},{"name":"ResUtilGetBinaryValue","features":[110,49]},{"name":"ResUtilGetClusterGroupType","features":[110]},{"name":"ResUtilGetClusterId","features":[110]},{"name":"ResUtilGetClusterRoleState","features":[110]},{"name":"ResUtilGetCoreClusterResources","features":[110]},{"name":"ResUtilGetCoreClusterResourcesEx","features":[110]},{"name":"ResUtilGetCoreGroup","features":[110]},{"name":"ResUtilGetDwordProperty","features":[110]},{"name":"ResUtilGetDwordValue","features":[110,49]},{"name":"ResUtilGetEnvironmentWithNetName","features":[110]},{"name":"ResUtilGetFileTimeProperty","features":[1,110]},{"name":"ResUtilGetLongProperty","features":[110]},{"name":"ResUtilGetMultiSzProperty","features":[110]},{"name":"ResUtilGetPrivateProperties","features":[110,49]},{"name":"ResUtilGetProperties","features":[1,110,49]},{"name":"ResUtilGetPropertiesToParameterBlock","features":[1,110,49]},{"name":"ResUtilGetProperty","features":[1,110,49]},{"name":"ResUtilGetPropertyFormats","features":[1,110]},{"name":"ResUtilGetPropertySize","features":[1,110,49]},{"name":"ResUtilGetQwordValue","features":[110,49]},{"name":"ResUtilGetResourceDependency","features":[1,110]},{"name":"ResUtilGetResourceDependencyByClass","features":[1,110]},{"name":"ResUtilGetResourceDependencyByClassEx","features":[1,110]},{"name":"ResUtilGetResourceDependencyByName","features":[1,110]},{"name":"ResUtilGetResourceDependencyByNameEx","features":[1,110]},{"name":"ResUtilGetResourceDependencyEx","features":[1,110]},{"name":"ResUtilGetResourceDependentIPAddressProps","features":[110]},{"name":"ResUtilGetResourceName","features":[110]},{"name":"ResUtilGetResourceNameDependency","features":[110]},{"name":"ResUtilGetResourceNameDependencyEx","features":[110]},{"name":"ResUtilGetSzProperty","features":[110]},{"name":"ResUtilGetSzValue","features":[110,49]},{"name":"ResUtilGroupsEqual","features":[1,110]},{"name":"ResUtilIsPathValid","features":[1,110]},{"name":"ResUtilIsResourceClassEqual","features":[1,110]},{"name":"ResUtilLeftPaxosIsLessThanRight","features":[1,110]},{"name":"ResUtilNodeEnum","features":[110]},{"name":"ResUtilPaxosComparer","features":[1,110]},{"name":"ResUtilPropertyListFromParameterBlock","features":[1,110]},{"name":"ResUtilRemoveResourceServiceEnvironment","features":[110]},{"name":"ResUtilResourceDepEnum","features":[110]},{"name":"ResUtilResourceTypesEqual","features":[1,110]},{"name":"ResUtilResourcesEqual","features":[1,110]},{"name":"ResUtilSetBinaryValue","features":[110,49]},{"name":"ResUtilSetDwordValue","features":[110,49]},{"name":"ResUtilSetExpandSzValue","features":[110,49]},{"name":"ResUtilSetMultiSzValue","features":[110,49]},{"name":"ResUtilSetPrivatePropertyList","features":[110,49]},{"name":"ResUtilSetPropertyParameterBlock","features":[1,110,49]},{"name":"ResUtilSetPropertyParameterBlockEx","features":[1,110,49]},{"name":"ResUtilSetPropertyTable","features":[1,110,49]},{"name":"ResUtilSetPropertyTableEx","features":[1,110,49]},{"name":"ResUtilSetQwordValue","features":[110,49]},{"name":"ResUtilSetResourceServiceEnvironment","features":[110]},{"name":"ResUtilSetResourceServiceStartParameters","features":[110,4]},{"name":"ResUtilSetResourceServiceStartParametersEx","features":[110,4]},{"name":"ResUtilSetSzValue","features":[110,49]},{"name":"ResUtilSetUnknownProperties","features":[1,110,49]},{"name":"ResUtilSetValueEx","features":[110,49]},{"name":"ResUtilStartResourceService","features":[110,4]},{"name":"ResUtilStopResourceService","features":[110]},{"name":"ResUtilStopService","features":[110,4]},{"name":"ResUtilTerminateServiceProcessFromResDll","features":[1,110]},{"name":"ResUtilVerifyPrivatePropertyList","features":[110]},{"name":"ResUtilVerifyPropertyTable","features":[1,110]},{"name":"ResUtilVerifyResourceService","features":[110]},{"name":"ResUtilVerifyService","features":[110,4]},{"name":"ResUtilVerifyShutdownSafe","features":[110]},{"name":"ResUtilsDeleteKeyTree","features":[1,110,49]},{"name":"ResdllContextOperationTypeDrain","features":[110]},{"name":"ResdllContextOperationTypeDrainFailure","features":[110]},{"name":"ResdllContextOperationTypeEmbeddedFailure","features":[110]},{"name":"ResdllContextOperationTypeFailback","features":[110]},{"name":"ResdllContextOperationTypeNetworkDisconnect","features":[110]},{"name":"ResdllContextOperationTypeNetworkDisconnectMoveRetry","features":[110]},{"name":"ResdllContextOperationTypePreemption","features":[110]},{"name":"ResetAllAppInstanceVersions","features":[110]},{"name":"ResourceExitStateContinue","features":[110]},{"name":"ResourceExitStateMax","features":[110]},{"name":"ResourceExitStateTerminate","features":[110]},{"name":"ResourceUtilizationInfoElement","features":[110]},{"name":"RestartClusterResource","features":[110]},{"name":"RestartClusterResourceEx","features":[110]},{"name":"RestoreClusterDatabase","features":[1,110]},{"name":"ResumeClusterNode","features":[110]},{"name":"ResumeClusterNodeEx","features":[110]},{"name":"ResumeClusterNodeEx2","features":[110]},{"name":"RmonArbitrateResource","features":[110]},{"name":"RmonDeadlocked","features":[110]},{"name":"RmonDeletingResource","features":[110]},{"name":"RmonIdle","features":[110]},{"name":"RmonInitializing","features":[110]},{"name":"RmonInitializingResource","features":[110]},{"name":"RmonIsAlivePoll","features":[110]},{"name":"RmonLooksAlivePoll","features":[110]},{"name":"RmonOfflineResource","features":[110]},{"name":"RmonOnlineResource","features":[110]},{"name":"RmonReleaseResource","features":[110]},{"name":"RmonResourceControl","features":[110]},{"name":"RmonResourceTypeControl","features":[110]},{"name":"RmonShutdownResource","features":[110]},{"name":"RmonStartingResource","features":[110]},{"name":"RmonTerminateResource","features":[110]},{"name":"SET_APPINSTANCE_CSV_FLAGS_VALID_ONLY_IF_CSV_COORDINATOR","features":[110]},{"name":"SET_APP_INSTANCE_CSV_FLAGS","features":[1,110]},{"name":"SR_DISK_REPLICATION_ELIGIBLE","features":[110]},{"name":"SR_REPLICATED_DISK_TYPE","features":[110]},{"name":"SR_REPLICATED_PARTITION_DISALLOW_MULTINODE_IO","features":[110]},{"name":"SR_RESOURCE_TYPE_ADD_REPLICATION_GROUP","features":[1,110]},{"name":"SR_RESOURCE_TYPE_ADD_REPLICATION_GROUP_RESULT","features":[110]},{"name":"SR_RESOURCE_TYPE_DISK_INFO","features":[110]},{"name":"SR_RESOURCE_TYPE_ELIGIBLE_DISKS_RESULT","features":[110]},{"name":"SR_RESOURCE_TYPE_QUERY_ELIGIBLE_LOGDISKS","features":[1,110]},{"name":"SR_RESOURCE_TYPE_QUERY_ELIGIBLE_SOURCE_DATADISKS","features":[1,110]},{"name":"SR_RESOURCE_TYPE_QUERY_ELIGIBLE_TARGET_DATADISKS","features":[1,110]},{"name":"SR_RESOURCE_TYPE_REPLICATED_DISK","features":[110]},{"name":"SR_RESOURCE_TYPE_REPLICATED_DISKS_RESULT","features":[110]},{"name":"SR_RESOURCE_TYPE_REPLICATED_PARTITION_ARRAY","features":[110]},{"name":"SR_RESOURCE_TYPE_REPLICATED_PARTITION_INFO","features":[110]},{"name":"STARTUP_EX_ROUTINE","features":[110]},{"name":"STARTUP_ROUTINE","features":[110]},{"name":"SetAppInstanceCsvFlags","features":[1,110]},{"name":"SetClusterGroupName","features":[110]},{"name":"SetClusterGroupNameEx","features":[110]},{"name":"SetClusterGroupNodeList","features":[110]},{"name":"SetClusterGroupNodeListEx","features":[110]},{"name":"SetClusterGroupSetDependencyExpression","features":[110]},{"name":"SetClusterGroupSetDependencyExpressionEx","features":[110]},{"name":"SetClusterName","features":[110]},{"name":"SetClusterNameEx","features":[110]},{"name":"SetClusterNetworkName","features":[110]},{"name":"SetClusterNetworkNameEx","features":[110]},{"name":"SetClusterNetworkPriorityOrder","features":[110]},{"name":"SetClusterQuorumResource","features":[110]},{"name":"SetClusterQuorumResourceEx","features":[110]},{"name":"SetClusterResourceDependencyExpression","features":[110]},{"name":"SetClusterResourceName","features":[110]},{"name":"SetClusterResourceNameEx","features":[110]},{"name":"SetClusterServiceAccountPassword","features":[1,110]},{"name":"SetGroupDependencyExpression","features":[110]},{"name":"SetGroupDependencyExpressionEx","features":[110]},{"name":"SharedVolumeStateActive","features":[110]},{"name":"SharedVolumeStateActiveRedirected","features":[110]},{"name":"SharedVolumeStateActiveVolumeRedirected","features":[110]},{"name":"SharedVolumeStatePaused","features":[110]},{"name":"SharedVolumeStateUnavailable","features":[110]},{"name":"SrDiskReplicationEligibleAlreadyInReplication","features":[110]},{"name":"SrDiskReplicationEligibleFileSystemNotSupported","features":[110]},{"name":"SrDiskReplicationEligibleInSameSite","features":[110]},{"name":"SrDiskReplicationEligibleInsufficientFreeSpace","features":[110]},{"name":"SrDiskReplicationEligibleNone","features":[110]},{"name":"SrDiskReplicationEligibleNotGpt","features":[110]},{"name":"SrDiskReplicationEligibleNotInSameSite","features":[110]},{"name":"SrDiskReplicationEligibleOffline","features":[110]},{"name":"SrDiskReplicationEligibleOther","features":[110]},{"name":"SrDiskReplicationEligiblePartitionLayoutMismatch","features":[110]},{"name":"SrDiskReplicationEligibleSameAsSpecifiedDisk","features":[110]},{"name":"SrDiskReplicationEligibleYes","features":[110]},{"name":"SrReplicatedDiskTypeDestination","features":[110]},{"name":"SrReplicatedDiskTypeLogDestination","features":[110]},{"name":"SrReplicatedDiskTypeLogNotInParthership","features":[110]},{"name":"SrReplicatedDiskTypeLogSource","features":[110]},{"name":"SrReplicatedDiskTypeNone","features":[110]},{"name":"SrReplicatedDiskTypeNotInParthership","features":[110]},{"name":"SrReplicatedDiskTypeOther","features":[110]},{"name":"SrReplicatedDiskTypeSource","features":[110]},{"name":"USE_CLIENT_ACCESS_NETWORKS_FOR_CSV","features":[110]},{"name":"VM_RESDLL_CONTEXT","features":[110]},{"name":"VmResdllContextLiveMigration","features":[110]},{"name":"VmResdllContextSave","features":[110]},{"name":"VmResdllContextShutdown","features":[110]},{"name":"VmResdllContextShutdownForce","features":[110]},{"name":"VmResdllContextTurnOff","features":[110]},{"name":"VolumeBackupInProgress","features":[110]},{"name":"VolumeBackupNone","features":[110]},{"name":"VolumeRedirectedIOReasonMax","features":[110]},{"name":"VolumeRedirectedIOReasonNoDiskConnectivity","features":[110]},{"name":"VolumeRedirectedIOReasonStorageSpaceNotAttached","features":[110]},{"name":"VolumeRedirectedIOReasonVolumeReplicationEnabled","features":[110]},{"name":"VolumeStateDismounted","features":[110]},{"name":"VolumeStateInMaintenance","features":[110]},{"name":"VolumeStateNoAccess","features":[110]},{"name":"VolumeStateNoDirectIO","features":[110]},{"name":"VolumeStateNoFaults","features":[110]},{"name":"WS2016_RTM_UPGRADE_VERSION","features":[110]},{"name":"WS2016_TP4_UPGRADE_VERSION","features":[110]},{"name":"WS2016_TP5_UPGRADE_VERSION","features":[110]},{"name":"WitnessTagHelper","features":[110]},{"name":"WitnessTagUpdateHelper","features":[110]},{"name":"eResourceStateChangeReasonFailedMove","features":[110]},{"name":"eResourceStateChangeReasonFailover","features":[110]},{"name":"eResourceStateChangeReasonMove","features":[110]},{"name":"eResourceStateChangeReasonRundown","features":[110]},{"name":"eResourceStateChangeReasonShutdown","features":[110]},{"name":"eResourceStateChangeReasonUnknown","features":[110]}],"470":[{"name":"CacheRangeChunkSize","features":[111]},{"name":"CreateRequestQueueExternalIdProperty","features":[111]},{"name":"CreateRequestQueueMax","features":[111]},{"name":"DelegateRequestDelegateUrlProperty","features":[111]},{"name":"DelegateRequestReservedProperty","features":[111]},{"name":"ExParamTypeErrorHeaders","features":[111]},{"name":"ExParamTypeHttp2SettingsLimits","features":[111]},{"name":"ExParamTypeHttp2Window","features":[111]},{"name":"ExParamTypeHttpPerformance","features":[111]},{"name":"ExParamTypeMax","features":[111]},{"name":"ExParamTypeTlsRestrictions","features":[111]},{"name":"ExParamTypeTlsSessionTicketKeys","features":[111]},{"name":"HTTP2_SETTINGS_LIMITS_PARAM","features":[111]},{"name":"HTTP2_WINDOW_SIZE_PARAM","features":[111]},{"name":"HTTPAPI_VERSION","features":[111]},{"name":"HTTP_503_RESPONSE_VERBOSITY","features":[111]},{"name":"HTTP_AUTHENTICATION_HARDENING_LEVELS","features":[111]},{"name":"HTTP_AUTH_ENABLE_BASIC","features":[111]},{"name":"HTTP_AUTH_ENABLE_DIGEST","features":[111]},{"name":"HTTP_AUTH_ENABLE_KERBEROS","features":[111]},{"name":"HTTP_AUTH_ENABLE_NEGOTIATE","features":[111]},{"name":"HTTP_AUTH_ENABLE_NTLM","features":[111]},{"name":"HTTP_AUTH_EX_FLAG_CAPTURE_CREDENTIAL","features":[111]},{"name":"HTTP_AUTH_EX_FLAG_ENABLE_KERBEROS_CREDENTIAL_CACHING","features":[111]},{"name":"HTTP_AUTH_STATUS","features":[111]},{"name":"HTTP_BANDWIDTH_LIMIT_INFO","features":[111]},{"name":"HTTP_BINDING_INFO","features":[1,111]},{"name":"HTTP_BYTE_RANGE","features":[111]},{"name":"HTTP_CACHE_POLICY","features":[111]},{"name":"HTTP_CACHE_POLICY_TYPE","features":[111]},{"name":"HTTP_CHANNEL_BIND_CLIENT_SERVICE","features":[111]},{"name":"HTTP_CHANNEL_BIND_DOTLESS_SERVICE","features":[111]},{"name":"HTTP_CHANNEL_BIND_INFO","features":[111]},{"name":"HTTP_CHANNEL_BIND_NO_SERVICE_NAME_CHECK","features":[111]},{"name":"HTTP_CHANNEL_BIND_PROXY","features":[111]},{"name":"HTTP_CHANNEL_BIND_PROXY_COHOSTING","features":[111]},{"name":"HTTP_CHANNEL_BIND_SECURE_CHANNEL_TOKEN","features":[111]},{"name":"HTTP_CONNECTION_LIMIT_INFO","features":[111]},{"name":"HTTP_COOKED_URL","features":[111]},{"name":"HTTP_CREATE_REQUEST_QUEUE_FLAG_CONTROLLER","features":[111]},{"name":"HTTP_CREATE_REQUEST_QUEUE_FLAG_DELEGATION","features":[111]},{"name":"HTTP_CREATE_REQUEST_QUEUE_FLAG_OPEN_EXISTING","features":[111]},{"name":"HTTP_CREATE_REQUEST_QUEUE_PROPERTY_ID","features":[111]},{"name":"HTTP_CREATE_REQUEST_QUEUE_PROPERTY_INFO","features":[111]},{"name":"HTTP_DATA_CHUNK","features":[1,111]},{"name":"HTTP_DATA_CHUNK_TYPE","features":[111]},{"name":"HTTP_DELEGATE_REQUEST_PROPERTY_ID","features":[111]},{"name":"HTTP_DELEGATE_REQUEST_PROPERTY_INFO","features":[111]},{"name":"HTTP_DEMAND_CBT","features":[111]},{"name":"HTTP_ENABLED_STATE","features":[111]},{"name":"HTTP_ERROR_HEADERS_PARAM","features":[111]},{"name":"HTTP_FEATURE_ID","features":[111]},{"name":"HTTP_FLOWRATE_INFO","features":[111]},{"name":"HTTP_FLUSH_RESPONSE_FLAG_RECURSIVE","features":[111]},{"name":"HTTP_HEADER_ID","features":[111]},{"name":"HTTP_INITIALIZE","features":[111]},{"name":"HTTP_INITIALIZE_CONFIG","features":[111]},{"name":"HTTP_INITIALIZE_SERVER","features":[111]},{"name":"HTTP_KNOWN_HEADER","features":[111]},{"name":"HTTP_LISTEN_ENDPOINT_INFO","features":[1,111]},{"name":"HTTP_LOGGING_FLAG_LOCAL_TIME_ROLLOVER","features":[111]},{"name":"HTTP_LOGGING_FLAG_LOG_ERRORS_ONLY","features":[111]},{"name":"HTTP_LOGGING_FLAG_LOG_SUCCESS_ONLY","features":[111]},{"name":"HTTP_LOGGING_FLAG_USE_UTF8_CONVERSION","features":[111]},{"name":"HTTP_LOGGING_INFO","features":[111,4]},{"name":"HTTP_LOGGING_ROLLOVER_TYPE","features":[111]},{"name":"HTTP_LOGGING_TYPE","features":[111]},{"name":"HTTP_LOG_DATA","features":[111]},{"name":"HTTP_LOG_DATA_TYPE","features":[111]},{"name":"HTTP_LOG_FIELDS_DATA","features":[111]},{"name":"HTTP_LOG_FIELD_BYTES_RECV","features":[111]},{"name":"HTTP_LOG_FIELD_BYTES_SENT","features":[111]},{"name":"HTTP_LOG_FIELD_CLIENT_IP","features":[111]},{"name":"HTTP_LOG_FIELD_CLIENT_PORT","features":[111]},{"name":"HTTP_LOG_FIELD_COMPUTER_NAME","features":[111]},{"name":"HTTP_LOG_FIELD_COOKIE","features":[111]},{"name":"HTTP_LOG_FIELD_CORRELATION_ID","features":[111]},{"name":"HTTP_LOG_FIELD_DATE","features":[111]},{"name":"HTTP_LOG_FIELD_FAULT_CODE","features":[111]},{"name":"HTTP_LOG_FIELD_HOST","features":[111]},{"name":"HTTP_LOG_FIELD_METHOD","features":[111]},{"name":"HTTP_LOG_FIELD_QUEUE_NAME","features":[111]},{"name":"HTTP_LOG_FIELD_REASON","features":[111]},{"name":"HTTP_LOG_FIELD_REFERER","features":[111]},{"name":"HTTP_LOG_FIELD_SERVER_IP","features":[111]},{"name":"HTTP_LOG_FIELD_SERVER_PORT","features":[111]},{"name":"HTTP_LOG_FIELD_SITE_ID","features":[111]},{"name":"HTTP_LOG_FIELD_SITE_NAME","features":[111]},{"name":"HTTP_LOG_FIELD_STATUS","features":[111]},{"name":"HTTP_LOG_FIELD_STREAM_ID","features":[111]},{"name":"HTTP_LOG_FIELD_STREAM_ID_EX","features":[111]},{"name":"HTTP_LOG_FIELD_SUB_STATUS","features":[111]},{"name":"HTTP_LOG_FIELD_TIME","features":[111]},{"name":"HTTP_LOG_FIELD_TIME_TAKEN","features":[111]},{"name":"HTTP_LOG_FIELD_TRANSPORT_TYPE","features":[111]},{"name":"HTTP_LOG_FIELD_URI","features":[111]},{"name":"HTTP_LOG_FIELD_URI_QUERY","features":[111]},{"name":"HTTP_LOG_FIELD_URI_STEM","features":[111]},{"name":"HTTP_LOG_FIELD_USER_AGENT","features":[111]},{"name":"HTTP_LOG_FIELD_USER_NAME","features":[111]},{"name":"HTTP_LOG_FIELD_VERSION","features":[111]},{"name":"HTTP_LOG_FIELD_WIN32_STATUS","features":[111]},{"name":"HTTP_MAX_SERVER_QUEUE_LENGTH","features":[111]},{"name":"HTTP_MIN_SERVER_QUEUE_LENGTH","features":[111]},{"name":"HTTP_MULTIPLE_KNOWN_HEADERS","features":[111]},{"name":"HTTP_PERFORMANCE_PARAM","features":[111]},{"name":"HTTP_PERFORMANCE_PARAM_TYPE","features":[111]},{"name":"HTTP_PROPERTY_FLAGS","features":[111]},{"name":"HTTP_PROTECTION_LEVEL_INFO","features":[111]},{"name":"HTTP_PROTECTION_LEVEL_TYPE","features":[111]},{"name":"HTTP_QOS_SETTING_INFO","features":[111]},{"name":"HTTP_QOS_SETTING_TYPE","features":[111]},{"name":"HTTP_QUERY_REQUEST_QUALIFIER_QUIC","features":[111]},{"name":"HTTP_QUERY_REQUEST_QUALIFIER_TCP","features":[111]},{"name":"HTTP_QUIC_API_TIMINGS","features":[111]},{"name":"HTTP_QUIC_CONNECTION_API_TIMINGS","features":[111]},{"name":"HTTP_QUIC_STREAM_API_TIMINGS","features":[111]},{"name":"HTTP_QUIC_STREAM_REQUEST_STATS","features":[111]},{"name":"HTTP_RECEIVE_FULL_CHAIN","features":[111]},{"name":"HTTP_RECEIVE_HTTP_REQUEST_FLAGS","features":[111]},{"name":"HTTP_RECEIVE_REQUEST_ENTITY_BODY_FLAG_FILL_BUFFER","features":[111]},{"name":"HTTP_RECEIVE_REQUEST_FLAG_COPY_BODY","features":[111]},{"name":"HTTP_RECEIVE_REQUEST_FLAG_FLUSH_BODY","features":[111]},{"name":"HTTP_RECEIVE_SECURE_CHANNEL_TOKEN","features":[111]},{"name":"HTTP_REQUEST_AUTH_FLAG_TOKEN_FOR_CACHED_CRED","features":[111]},{"name":"HTTP_REQUEST_AUTH_INFO","features":[1,111]},{"name":"HTTP_REQUEST_AUTH_TYPE","features":[111]},{"name":"HTTP_REQUEST_CHANNEL_BIND_STATUS","features":[111]},{"name":"HTTP_REQUEST_FLAG_HTTP2","features":[111]},{"name":"HTTP_REQUEST_FLAG_HTTP3","features":[111]},{"name":"HTTP_REQUEST_FLAG_IP_ROUTED","features":[111]},{"name":"HTTP_REQUEST_FLAG_MORE_ENTITY_BODY_EXISTS","features":[111]},{"name":"HTTP_REQUEST_HEADERS","features":[111]},{"name":"HTTP_REQUEST_INFO","features":[111]},{"name":"HTTP_REQUEST_INFO_TYPE","features":[111]},{"name":"HTTP_REQUEST_PROPERTY","features":[111]},{"name":"HTTP_REQUEST_PROPERTY_SNI","features":[111]},{"name":"HTTP_REQUEST_PROPERTY_SNI_FLAG_NO_SNI","features":[111]},{"name":"HTTP_REQUEST_PROPERTY_SNI_FLAG_SNI_USED","features":[111]},{"name":"HTTP_REQUEST_PROPERTY_SNI_HOST_MAX_LENGTH","features":[111]},{"name":"HTTP_REQUEST_PROPERTY_STREAM_ERROR","features":[111]},{"name":"HTTP_REQUEST_SIZING_INFO","features":[111]},{"name":"HTTP_REQUEST_SIZING_INFO_FLAG_FIRST_REQUEST","features":[111]},{"name":"HTTP_REQUEST_SIZING_INFO_FLAG_TCP_FAST_OPEN","features":[111]},{"name":"HTTP_REQUEST_SIZING_INFO_FLAG_TLS_FALSE_START","features":[111]},{"name":"HTTP_REQUEST_SIZING_INFO_FLAG_TLS_SESSION_RESUMPTION","features":[111]},{"name":"HTTP_REQUEST_SIZING_TYPE","features":[111]},{"name":"HTTP_REQUEST_TIMING_INFO","features":[111]},{"name":"HTTP_REQUEST_TIMING_TYPE","features":[111]},{"name":"HTTP_REQUEST_TOKEN_BINDING_INFO","features":[111]},{"name":"HTTP_REQUEST_V1","features":[1,111,15]},{"name":"HTTP_REQUEST_V2","features":[1,111,15]},{"name":"HTTP_RESPONSE_FLAG_MORE_ENTITY_BODY_EXISTS","features":[111]},{"name":"HTTP_RESPONSE_FLAG_MULTIPLE_ENCODINGS_AVAILABLE","features":[111]},{"name":"HTTP_RESPONSE_HEADERS","features":[111]},{"name":"HTTP_RESPONSE_INFO","features":[111]},{"name":"HTTP_RESPONSE_INFO_FLAGS_PRESERVE_ORDER","features":[111]},{"name":"HTTP_RESPONSE_INFO_TYPE","features":[111]},{"name":"HTTP_RESPONSE_V1","features":[1,111]},{"name":"HTTP_RESPONSE_V2","features":[1,111]},{"name":"HTTP_SCHEME","features":[111]},{"name":"HTTP_SEND_RESPONSE_FLAG_BUFFER_DATA","features":[111]},{"name":"HTTP_SEND_RESPONSE_FLAG_DISCONNECT","features":[111]},{"name":"HTTP_SEND_RESPONSE_FLAG_ENABLE_NAGLING","features":[111]},{"name":"HTTP_SEND_RESPONSE_FLAG_GOAWAY","features":[111]},{"name":"HTTP_SEND_RESPONSE_FLAG_MORE_DATA","features":[111]},{"name":"HTTP_SEND_RESPONSE_FLAG_OPAQUE","features":[111]},{"name":"HTTP_SEND_RESPONSE_FLAG_PROCESS_RANGES","features":[111]},{"name":"HTTP_SERVER_AUTHENTICATION_BASIC_PARAMS","features":[111]},{"name":"HTTP_SERVER_AUTHENTICATION_DIGEST_PARAMS","features":[111]},{"name":"HTTP_SERVER_AUTHENTICATION_INFO","features":[1,111]},{"name":"HTTP_SERVER_PROPERTY","features":[111]},{"name":"HTTP_SERVICE_BINDING_A","features":[111]},{"name":"HTTP_SERVICE_BINDING_BASE","features":[111]},{"name":"HTTP_SERVICE_BINDING_TYPE","features":[111]},{"name":"HTTP_SERVICE_BINDING_W","features":[111]},{"name":"HTTP_SERVICE_CONFIG_CACHE_KEY","features":[111]},{"name":"HTTP_SERVICE_CONFIG_CACHE_SET","features":[111]},{"name":"HTTP_SERVICE_CONFIG_ID","features":[111]},{"name":"HTTP_SERVICE_CONFIG_IP_LISTEN_PARAM","features":[111,15]},{"name":"HTTP_SERVICE_CONFIG_IP_LISTEN_QUERY","features":[111,15]},{"name":"HTTP_SERVICE_CONFIG_QUERY_TYPE","features":[111]},{"name":"HTTP_SERVICE_CONFIG_SETTING_KEY","features":[111]},{"name":"HTTP_SERVICE_CONFIG_SETTING_SET","features":[111]},{"name":"HTTP_SERVICE_CONFIG_SSL_CCS_KEY","features":[111,15]},{"name":"HTTP_SERVICE_CONFIG_SSL_CCS_QUERY","features":[111,15]},{"name":"HTTP_SERVICE_CONFIG_SSL_CCS_QUERY_EX","features":[111,15]},{"name":"HTTP_SERVICE_CONFIG_SSL_CCS_SET","features":[111,15]},{"name":"HTTP_SERVICE_CONFIG_SSL_CCS_SET_EX","features":[111,15]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_DISABLE_HTTP2","features":[111]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_DISABLE_LEGACY_TLS","features":[111]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_DISABLE_OCSP_STAPLING","features":[111]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_DISABLE_QUIC","features":[111]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_DISABLE_SESSION_ID","features":[111]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_DISABLE_TLS12","features":[111]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_DISABLE_TLS13","features":[111]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_ENABLE_CLIENT_CORRELATION","features":[111]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_ENABLE_SESSION_TICKET","features":[111]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_ENABLE_TOKEN_BINDING","features":[111]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_LOG_EXTENDED_EVENTS","features":[111]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_NEGOTIATE_CLIENT_CERT","features":[111]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_NO_RAW_FILTER","features":[111]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_REJECT","features":[111]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_USE_DS_MAPPER","features":[111]},{"name":"HTTP_SERVICE_CONFIG_SSL_KEY","features":[111,15]},{"name":"HTTP_SERVICE_CONFIG_SSL_KEY_EX","features":[111,15]},{"name":"HTTP_SERVICE_CONFIG_SSL_PARAM","features":[111]},{"name":"HTTP_SERVICE_CONFIG_SSL_PARAM_EX","features":[111]},{"name":"HTTP_SERVICE_CONFIG_SSL_QUERY","features":[111,15]},{"name":"HTTP_SERVICE_CONFIG_SSL_QUERY_EX","features":[111,15]},{"name":"HTTP_SERVICE_CONFIG_SSL_SET","features":[111,15]},{"name":"HTTP_SERVICE_CONFIG_SSL_SET_EX","features":[111,15]},{"name":"HTTP_SERVICE_CONFIG_SSL_SNI_KEY","features":[111,15]},{"name":"HTTP_SERVICE_CONFIG_SSL_SNI_QUERY","features":[111,15]},{"name":"HTTP_SERVICE_CONFIG_SSL_SNI_QUERY_EX","features":[111,15]},{"name":"HTTP_SERVICE_CONFIG_SSL_SNI_SET","features":[111,15]},{"name":"HTTP_SERVICE_CONFIG_SSL_SNI_SET_EX","features":[111,15]},{"name":"HTTP_SERVICE_CONFIG_TIMEOUT_KEY","features":[111]},{"name":"HTTP_SERVICE_CONFIG_TIMEOUT_SET","features":[111]},{"name":"HTTP_SERVICE_CONFIG_URLACL_KEY","features":[111]},{"name":"HTTP_SERVICE_CONFIG_URLACL_PARAM","features":[111]},{"name":"HTTP_SERVICE_CONFIG_URLACL_QUERY","features":[111]},{"name":"HTTP_SERVICE_CONFIG_URLACL_SET","features":[111]},{"name":"HTTP_SSL_CLIENT_CERT_INFO","features":[1,111]},{"name":"HTTP_SSL_INFO","features":[1,111]},{"name":"HTTP_SSL_PROTOCOL_INFO","features":[111]},{"name":"HTTP_SSL_SERVICE_CONFIG_EX_PARAM_TYPE","features":[111]},{"name":"HTTP_STATE_INFO","features":[111]},{"name":"HTTP_TIMEOUT_LIMIT_INFO","features":[111]},{"name":"HTTP_TLS_RESTRICTIONS_PARAM","features":[111]},{"name":"HTTP_TLS_SESSION_TICKET_KEYS_PARAM","features":[111]},{"name":"HTTP_TRANSPORT_ADDRESS","features":[111,15]},{"name":"HTTP_UNKNOWN_HEADER","features":[111]},{"name":"HTTP_URL_FLAG_REMOVE_ALL","features":[111]},{"name":"HTTP_VERB","features":[111]},{"name":"HTTP_VERSION","features":[111]},{"name":"HTTP_VERSION","features":[111]},{"name":"HTTP_WSK_API_TIMINGS","features":[111]},{"name":"HeaderWaitTimeout","features":[111]},{"name":"Http503ResponseVerbosityBasic","features":[111]},{"name":"Http503ResponseVerbosityFull","features":[111]},{"name":"Http503ResponseVerbosityLimited","features":[111]},{"name":"HttpAddFragmentToCache","features":[1,111,6]},{"name":"HttpAddUrl","features":[1,111]},{"name":"HttpAddUrlToUrlGroup","features":[111]},{"name":"HttpAuthStatusFailure","features":[111]},{"name":"HttpAuthStatusNotAuthenticated","features":[111]},{"name":"HttpAuthStatusSuccess","features":[111]},{"name":"HttpAuthenticationHardeningLegacy","features":[111]},{"name":"HttpAuthenticationHardeningMedium","features":[111]},{"name":"HttpAuthenticationHardeningStrict","features":[111]},{"name":"HttpCachePolicyMaximum","features":[111]},{"name":"HttpCachePolicyNocache","features":[111]},{"name":"HttpCachePolicyTimeToLive","features":[111]},{"name":"HttpCachePolicyUserInvalidates","features":[111]},{"name":"HttpCancelHttpRequest","features":[1,111,6]},{"name":"HttpCloseRequestQueue","features":[1,111]},{"name":"HttpCloseServerSession","features":[111]},{"name":"HttpCloseUrlGroup","features":[111]},{"name":"HttpCreateHttpHandle","features":[1,111]},{"name":"HttpCreateRequestQueue","features":[1,111,4]},{"name":"HttpCreateServerSession","features":[111]},{"name":"HttpCreateUrlGroup","features":[111]},{"name":"HttpDataChunkFromFileHandle","features":[111]},{"name":"HttpDataChunkFromFragmentCache","features":[111]},{"name":"HttpDataChunkFromFragmentCacheEx","features":[111]},{"name":"HttpDataChunkFromMemory","features":[111]},{"name":"HttpDataChunkMaximum","features":[111]},{"name":"HttpDataChunkTrailers","features":[111]},{"name":"HttpDeclarePush","features":[1,111]},{"name":"HttpDelegateRequestEx","features":[1,111]},{"name":"HttpDeleteServiceConfiguration","features":[1,111,6]},{"name":"HttpEnabledStateActive","features":[111]},{"name":"HttpEnabledStateInactive","features":[111]},{"name":"HttpFeatureApiTimings","features":[111]},{"name":"HttpFeatureDelegateEx","features":[111]},{"name":"HttpFeatureHttp3","features":[111]},{"name":"HttpFeatureLast","features":[111]},{"name":"HttpFeatureResponseTrailers","features":[111]},{"name":"HttpFeatureUnknown","features":[111]},{"name":"HttpFeaturemax","features":[111]},{"name":"HttpFindUrlGroupId","features":[1,111]},{"name":"HttpFlushResponseCache","features":[1,111,6]},{"name":"HttpGetExtension","features":[111]},{"name":"HttpHeaderAccept","features":[111]},{"name":"HttpHeaderAcceptCharset","features":[111]},{"name":"HttpHeaderAcceptEncoding","features":[111]},{"name":"HttpHeaderAcceptLanguage","features":[111]},{"name":"HttpHeaderAcceptRanges","features":[111]},{"name":"HttpHeaderAge","features":[111]},{"name":"HttpHeaderAllow","features":[111]},{"name":"HttpHeaderAuthorization","features":[111]},{"name":"HttpHeaderCacheControl","features":[111]},{"name":"HttpHeaderConnection","features":[111]},{"name":"HttpHeaderContentEncoding","features":[111]},{"name":"HttpHeaderContentLanguage","features":[111]},{"name":"HttpHeaderContentLength","features":[111]},{"name":"HttpHeaderContentLocation","features":[111]},{"name":"HttpHeaderContentMd5","features":[111]},{"name":"HttpHeaderContentRange","features":[111]},{"name":"HttpHeaderContentType","features":[111]},{"name":"HttpHeaderCookie","features":[111]},{"name":"HttpHeaderDate","features":[111]},{"name":"HttpHeaderEtag","features":[111]},{"name":"HttpHeaderExpect","features":[111]},{"name":"HttpHeaderExpires","features":[111]},{"name":"HttpHeaderFrom","features":[111]},{"name":"HttpHeaderHost","features":[111]},{"name":"HttpHeaderIfMatch","features":[111]},{"name":"HttpHeaderIfModifiedSince","features":[111]},{"name":"HttpHeaderIfNoneMatch","features":[111]},{"name":"HttpHeaderIfRange","features":[111]},{"name":"HttpHeaderIfUnmodifiedSince","features":[111]},{"name":"HttpHeaderKeepAlive","features":[111]},{"name":"HttpHeaderLastModified","features":[111]},{"name":"HttpHeaderLocation","features":[111]},{"name":"HttpHeaderMaxForwards","features":[111]},{"name":"HttpHeaderMaximum","features":[111]},{"name":"HttpHeaderPragma","features":[111]},{"name":"HttpHeaderProxyAuthenticate","features":[111]},{"name":"HttpHeaderProxyAuthorization","features":[111]},{"name":"HttpHeaderRange","features":[111]},{"name":"HttpHeaderReferer","features":[111]},{"name":"HttpHeaderRequestMaximum","features":[111]},{"name":"HttpHeaderResponseMaximum","features":[111]},{"name":"HttpHeaderRetryAfter","features":[111]},{"name":"HttpHeaderServer","features":[111]},{"name":"HttpHeaderSetCookie","features":[111]},{"name":"HttpHeaderTe","features":[111]},{"name":"HttpHeaderTrailer","features":[111]},{"name":"HttpHeaderTransferEncoding","features":[111]},{"name":"HttpHeaderTranslate","features":[111]},{"name":"HttpHeaderUpgrade","features":[111]},{"name":"HttpHeaderUserAgent","features":[111]},{"name":"HttpHeaderVary","features":[111]},{"name":"HttpHeaderVia","features":[111]},{"name":"HttpHeaderWarning","features":[111]},{"name":"HttpHeaderWwwAuthenticate","features":[111]},{"name":"HttpInitialize","features":[111]},{"name":"HttpIsFeatureSupported","features":[1,111]},{"name":"HttpLogDataTypeFields","features":[111]},{"name":"HttpLoggingRolloverDaily","features":[111]},{"name":"HttpLoggingRolloverHourly","features":[111]},{"name":"HttpLoggingRolloverMonthly","features":[111]},{"name":"HttpLoggingRolloverSize","features":[111]},{"name":"HttpLoggingRolloverWeekly","features":[111]},{"name":"HttpLoggingTypeIIS","features":[111]},{"name":"HttpLoggingTypeNCSA","features":[111]},{"name":"HttpLoggingTypeRaw","features":[111]},{"name":"HttpLoggingTypeW3C","features":[111]},{"name":"HttpNone","features":[111]},{"name":"HttpPrepareUrl","features":[111]},{"name":"HttpProtectionLevelEdgeRestricted","features":[111]},{"name":"HttpProtectionLevelRestricted","features":[111]},{"name":"HttpProtectionLevelUnrestricted","features":[111]},{"name":"HttpQosSettingTypeBandwidth","features":[111]},{"name":"HttpQosSettingTypeConnectionLimit","features":[111]},{"name":"HttpQosSettingTypeFlowRate","features":[111]},{"name":"HttpQueryRequestQueueProperty","features":[1,111]},{"name":"HttpQueryServerSessionProperty","features":[111]},{"name":"HttpQueryServiceConfiguration","features":[1,111,6]},{"name":"HttpQueryUrlGroupProperty","features":[111]},{"name":"HttpReadFragmentFromCache","features":[1,111,6]},{"name":"HttpReceiveClientCertificate","features":[1,111,6]},{"name":"HttpReceiveHttpRequest","features":[1,111,15,6]},{"name":"HttpReceiveRequestEntityBody","features":[1,111,6]},{"name":"HttpRemoveUrl","features":[1,111]},{"name":"HttpRemoveUrlFromUrlGroup","features":[111]},{"name":"HttpRequestAuthTypeBasic","features":[111]},{"name":"HttpRequestAuthTypeDigest","features":[111]},{"name":"HttpRequestAuthTypeKerberos","features":[111]},{"name":"HttpRequestAuthTypeNTLM","features":[111]},{"name":"HttpRequestAuthTypeNegotiate","features":[111]},{"name":"HttpRequestAuthTypeNone","features":[111]},{"name":"HttpRequestInfoTypeAuth","features":[111]},{"name":"HttpRequestInfoTypeChannelBind","features":[111]},{"name":"HttpRequestInfoTypeQuicStats","features":[111]},{"name":"HttpRequestInfoTypeRequestSizing","features":[111]},{"name":"HttpRequestInfoTypeRequestTiming","features":[111]},{"name":"HttpRequestInfoTypeSslProtocol","features":[111]},{"name":"HttpRequestInfoTypeSslTokenBinding","features":[111]},{"name":"HttpRequestInfoTypeSslTokenBindingDraft","features":[111]},{"name":"HttpRequestInfoTypeTcpInfoV0","features":[111]},{"name":"HttpRequestInfoTypeTcpInfoV1","features":[111]},{"name":"HttpRequestPropertyIsb","features":[111]},{"name":"HttpRequestPropertyQuicApiTimings","features":[111]},{"name":"HttpRequestPropertyQuicStats","features":[111]},{"name":"HttpRequestPropertySni","features":[111]},{"name":"HttpRequestPropertyStreamError","features":[111]},{"name":"HttpRequestPropertyTcpInfoV0","features":[111]},{"name":"HttpRequestPropertyTcpInfoV1","features":[111]},{"name":"HttpRequestPropertyWskApiTimings","features":[111]},{"name":"HttpRequestSizingTypeHeaders","features":[111]},{"name":"HttpRequestSizingTypeMax","features":[111]},{"name":"HttpRequestSizingTypeTlsHandshakeLeg1ClientData","features":[111]},{"name":"HttpRequestSizingTypeTlsHandshakeLeg1ServerData","features":[111]},{"name":"HttpRequestSizingTypeTlsHandshakeLeg2ClientData","features":[111]},{"name":"HttpRequestSizingTypeTlsHandshakeLeg2ServerData","features":[111]},{"name":"HttpRequestTimingTypeConnectionStart","features":[111]},{"name":"HttpRequestTimingTypeDataStart","features":[111]},{"name":"HttpRequestTimingTypeHttp2HeaderDecodeEnd","features":[111]},{"name":"HttpRequestTimingTypeHttp2HeaderDecodeStart","features":[111]},{"name":"HttpRequestTimingTypeHttp2StreamStart","features":[111]},{"name":"HttpRequestTimingTypeHttp3HeaderDecodeEnd","features":[111]},{"name":"HttpRequestTimingTypeHttp3HeaderDecodeStart","features":[111]},{"name":"HttpRequestTimingTypeHttp3StreamStart","features":[111]},{"name":"HttpRequestTimingTypeMax","features":[111]},{"name":"HttpRequestTimingTypeRequestDeliveredForDelegation","features":[111]},{"name":"HttpRequestTimingTypeRequestDeliveredForIO","features":[111]},{"name":"HttpRequestTimingTypeRequestDeliveredForInspection","features":[111]},{"name":"HttpRequestTimingTypeRequestHeaderParseEnd","features":[111]},{"name":"HttpRequestTimingTypeRequestHeaderParseStart","features":[111]},{"name":"HttpRequestTimingTypeRequestQueuedForDelegation","features":[111]},{"name":"HttpRequestTimingTypeRequestQueuedForIO","features":[111]},{"name":"HttpRequestTimingTypeRequestQueuedForInspection","features":[111]},{"name":"HttpRequestTimingTypeRequestReturnedAfterDelegation","features":[111]},{"name":"HttpRequestTimingTypeRequestReturnedAfterInspection","features":[111]},{"name":"HttpRequestTimingTypeRequestRoutingEnd","features":[111]},{"name":"HttpRequestTimingTypeRequestRoutingStart","features":[111]},{"name":"HttpRequestTimingTypeTlsAttributesQueryEnd","features":[111]},{"name":"HttpRequestTimingTypeTlsAttributesQueryStart","features":[111]},{"name":"HttpRequestTimingTypeTlsCertificateLoadEnd","features":[111]},{"name":"HttpRequestTimingTypeTlsCertificateLoadStart","features":[111]},{"name":"HttpRequestTimingTypeTlsClientCertQueryEnd","features":[111]},{"name":"HttpRequestTimingTypeTlsClientCertQueryStart","features":[111]},{"name":"HttpRequestTimingTypeTlsHandshakeLeg1End","features":[111]},{"name":"HttpRequestTimingTypeTlsHandshakeLeg1Start","features":[111]},{"name":"HttpRequestTimingTypeTlsHandshakeLeg2End","features":[111]},{"name":"HttpRequestTimingTypeTlsHandshakeLeg2Start","features":[111]},{"name":"HttpResponseInfoTypeAuthenticationProperty","features":[111]},{"name":"HttpResponseInfoTypeChannelBind","features":[111]},{"name":"HttpResponseInfoTypeMultipleKnownHeaders","features":[111]},{"name":"HttpResponseInfoTypeQoSProperty","features":[111]},{"name":"HttpSchemeHttp","features":[111]},{"name":"HttpSchemeHttps","features":[111]},{"name":"HttpSchemeMaximum","features":[111]},{"name":"HttpSendHttpResponse","features":[1,111,6]},{"name":"HttpSendResponseEntityBody","features":[1,111,6]},{"name":"HttpServer503VerbosityProperty","features":[111]},{"name":"HttpServerAuthenticationProperty","features":[111]},{"name":"HttpServerBindingProperty","features":[111]},{"name":"HttpServerChannelBindProperty","features":[111]},{"name":"HttpServerDelegationProperty","features":[111]},{"name":"HttpServerExtendedAuthenticationProperty","features":[111]},{"name":"HttpServerListenEndpointProperty","features":[111]},{"name":"HttpServerLoggingProperty","features":[111]},{"name":"HttpServerProtectionLevelProperty","features":[111]},{"name":"HttpServerQosProperty","features":[111]},{"name":"HttpServerQueueLengthProperty","features":[111]},{"name":"HttpServerStateProperty","features":[111]},{"name":"HttpServerTimeoutsProperty","features":[111]},{"name":"HttpServiceBindingTypeA","features":[111]},{"name":"HttpServiceBindingTypeNone","features":[111]},{"name":"HttpServiceBindingTypeW","features":[111]},{"name":"HttpServiceConfigCache","features":[111]},{"name":"HttpServiceConfigIPListenList","features":[111]},{"name":"HttpServiceConfigMax","features":[111]},{"name":"HttpServiceConfigQueryExact","features":[111]},{"name":"HttpServiceConfigQueryMax","features":[111]},{"name":"HttpServiceConfigQueryNext","features":[111]},{"name":"HttpServiceConfigSSLCertInfo","features":[111]},{"name":"HttpServiceConfigSetting","features":[111]},{"name":"HttpServiceConfigSslCcsCertInfo","features":[111]},{"name":"HttpServiceConfigSslCcsCertInfoEx","features":[111]},{"name":"HttpServiceConfigSslCertInfoEx","features":[111]},{"name":"HttpServiceConfigSslScopedCcsCertInfo","features":[111]},{"name":"HttpServiceConfigSslScopedCcsCertInfoEx","features":[111]},{"name":"HttpServiceConfigSslSniCertInfo","features":[111]},{"name":"HttpServiceConfigSslSniCertInfoEx","features":[111]},{"name":"HttpServiceConfigTimeout","features":[111]},{"name":"HttpServiceConfigUrlAclInfo","features":[111]},{"name":"HttpSetRequestProperty","features":[1,111,6]},{"name":"HttpSetRequestQueueProperty","features":[1,111]},{"name":"HttpSetServerSessionProperty","features":[111]},{"name":"HttpSetServiceConfiguration","features":[1,111,6]},{"name":"HttpSetUrlGroupProperty","features":[111]},{"name":"HttpShutdownRequestQueue","features":[1,111]},{"name":"HttpTerminate","features":[111]},{"name":"HttpTlsThrottle","features":[111]},{"name":"HttpUpdateServiceConfiguration","features":[1,111,6]},{"name":"HttpVerbCONNECT","features":[111]},{"name":"HttpVerbCOPY","features":[111]},{"name":"HttpVerbDELETE","features":[111]},{"name":"HttpVerbGET","features":[111]},{"name":"HttpVerbHEAD","features":[111]},{"name":"HttpVerbInvalid","features":[111]},{"name":"HttpVerbLOCK","features":[111]},{"name":"HttpVerbMKCOL","features":[111]},{"name":"HttpVerbMOVE","features":[111]},{"name":"HttpVerbMaximum","features":[111]},{"name":"HttpVerbOPTIONS","features":[111]},{"name":"HttpVerbPOST","features":[111]},{"name":"HttpVerbPROPFIND","features":[111]},{"name":"HttpVerbPROPPATCH","features":[111]},{"name":"HttpVerbPUT","features":[111]},{"name":"HttpVerbSEARCH","features":[111]},{"name":"HttpVerbTRACE","features":[111]},{"name":"HttpVerbTRACK","features":[111]},{"name":"HttpVerbUNLOCK","features":[111]},{"name":"HttpVerbUnknown","features":[111]},{"name":"HttpVerbUnparsed","features":[111]},{"name":"HttpWaitForDemandStart","features":[1,111,6]},{"name":"HttpWaitForDisconnect","features":[1,111,6]},{"name":"HttpWaitForDisconnectEx","features":[1,111,6]},{"name":"IdleConnectionTimeout","features":[111]},{"name":"MaxCacheResponseSize","features":[111]},{"name":"PerformanceParamAggressiveICW","features":[111]},{"name":"PerformanceParamDecryptOnSspiThread","features":[111]},{"name":"PerformanceParamMax","features":[111]},{"name":"PerformanceParamMaxConcurrentClientStreams","features":[111]},{"name":"PerformanceParamMaxReceiveBufferSize","features":[111]},{"name":"PerformanceParamMaxSendBufferSize","features":[111]},{"name":"PerformanceParamSendBufferingFlags","features":[111]}],"471":[{"name":"BerElement","features":[112]},{"name":"DBGPRINT","features":[112]},{"name":"DEREFERENCECONNECTION","features":[112]},{"name":"LAPI_MAJOR_VER1","features":[112]},{"name":"LAPI_MINOR_VER1","features":[112]},{"name":"LBER_DEFAULT","features":[112]},{"name":"LBER_ERROR","features":[112]},{"name":"LBER_TRANSLATE_STRINGS","features":[112]},{"name":"LBER_USE_DER","features":[112]},{"name":"LBER_USE_INDEFINITE_LEN","features":[112]},{"name":"LDAP","features":[112]},{"name":"LDAPAPIFeatureInfoA","features":[112]},{"name":"LDAPAPIFeatureInfoW","features":[112]},{"name":"LDAPAPIInfoA","features":[112]},{"name":"LDAPAPIInfoW","features":[112]},{"name":"LDAPControlA","features":[1,112]},{"name":"LDAPControlW","features":[1,112]},{"name":"LDAPMessage","features":[1,112]},{"name":"LDAPModA","features":[112]},{"name":"LDAPModW","features":[112]},{"name":"LDAPSortKeyA","features":[1,112]},{"name":"LDAPSortKeyW","features":[1,112]},{"name":"LDAPVLVInfo","features":[112]},{"name":"LDAP_ABANDON_CMD","features":[112]},{"name":"LDAP_ADD_CMD","features":[112]},{"name":"LDAP_ADMIN_LIMIT_EXCEEDED","features":[112]},{"name":"LDAP_AFFECTS_MULTIPLE_DSAS","features":[112]},{"name":"LDAP_ALIAS_DEREF_PROBLEM","features":[112]},{"name":"LDAP_ALIAS_PROBLEM","features":[112]},{"name":"LDAP_ALREADY_EXISTS","features":[112]},{"name":"LDAP_API_FEATURE_VIRTUAL_LIST_VIEW","features":[112]},{"name":"LDAP_API_INFO_VERSION","features":[112]},{"name":"LDAP_API_VERSION","features":[112]},{"name":"LDAP_ATTRIBUTE_OR_VALUE_EXISTS","features":[112]},{"name":"LDAP_AUTH_METHOD_NOT_SUPPORTED","features":[112]},{"name":"LDAP_AUTH_OTHERKIND","features":[112]},{"name":"LDAP_AUTH_SASL","features":[112]},{"name":"LDAP_AUTH_SIMPLE","features":[112]},{"name":"LDAP_AUTH_UNKNOWN","features":[112]},{"name":"LDAP_BERVAL","features":[112]},{"name":"LDAP_BIND_CMD","features":[112]},{"name":"LDAP_BUSY","features":[112]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_ADAM_OID","features":[112]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_ADAM_OID_W","features":[112]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_LDAP_INTEG_OID","features":[112]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_LDAP_INTEG_OID_W","features":[112]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_OID","features":[112]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_OID_W","features":[112]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_PARTIAL_SECRETS_OID","features":[112]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_PARTIAL_SECRETS_OID_W","features":[112]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_V51_OID","features":[112]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_V51_OID_W","features":[112]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_V60_OID","features":[112]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_V60_OID_W","features":[112]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_V61_OID","features":[112]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_V61_OID_W","features":[112]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_V61_R2_OID","features":[112]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_V61_R2_OID_W","features":[112]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_W8_OID","features":[112]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_W8_OID_W","features":[112]},{"name":"LDAP_CHASE_EXTERNAL_REFERRALS","features":[112]},{"name":"LDAP_CHASE_SUBORDINATE_REFERRALS","features":[112]},{"name":"LDAP_CLIENT_LOOP","features":[112]},{"name":"LDAP_COMPARE_CMD","features":[112]},{"name":"LDAP_COMPARE_FALSE","features":[112]},{"name":"LDAP_COMPARE_TRUE","features":[112]},{"name":"LDAP_CONFIDENTIALITY_REQUIRED","features":[112]},{"name":"LDAP_CONNECT_ERROR","features":[112]},{"name":"LDAP_CONSTRAINT_VIOLATION","features":[112]},{"name":"LDAP_CONTROL_NOT_FOUND","features":[112]},{"name":"LDAP_CONTROL_REFERRALS","features":[112]},{"name":"LDAP_CONTROL_REFERRALS_W","features":[112]},{"name":"LDAP_CONTROL_VLVREQUEST","features":[112]},{"name":"LDAP_CONTROL_VLVREQUEST_W","features":[112]},{"name":"LDAP_CONTROL_VLVRESPONSE","features":[112]},{"name":"LDAP_CONTROL_VLVRESPONSE_W","features":[112]},{"name":"LDAP_DECODING_ERROR","features":[112]},{"name":"LDAP_DELETE_CMD","features":[112]},{"name":"LDAP_DEREF_ALWAYS","features":[112]},{"name":"LDAP_DEREF_FINDING","features":[112]},{"name":"LDAP_DEREF_NEVER","features":[112]},{"name":"LDAP_DEREF_SEARCHING","features":[112]},{"name":"LDAP_DIRSYNC_ANCESTORS_FIRST_ORDER","features":[112]},{"name":"LDAP_DIRSYNC_INCREMENTAL_VALUES","features":[112]},{"name":"LDAP_DIRSYNC_OBJECT_SECURITY","features":[112]},{"name":"LDAP_DIRSYNC_PUBLIC_DATA_ONLY","features":[112]},{"name":"LDAP_DIRSYNC_ROPAS_DATA_ONLY","features":[112]},{"name":"LDAP_ENCODING_ERROR","features":[112]},{"name":"LDAP_EXTENDED_CMD","features":[112]},{"name":"LDAP_FEATURE_INFO_VERSION","features":[112]},{"name":"LDAP_FILTER_AND","features":[112]},{"name":"LDAP_FILTER_APPROX","features":[112]},{"name":"LDAP_FILTER_EQUALITY","features":[112]},{"name":"LDAP_FILTER_ERROR","features":[112]},{"name":"LDAP_FILTER_EXTENSIBLE","features":[112]},{"name":"LDAP_FILTER_GE","features":[112]},{"name":"LDAP_FILTER_LE","features":[112]},{"name":"LDAP_FILTER_NOT","features":[112]},{"name":"LDAP_FILTER_OR","features":[112]},{"name":"LDAP_FILTER_PRESENT","features":[112]},{"name":"LDAP_FILTER_SUBSTRINGS","features":[112]},{"name":"LDAP_GC_PORT","features":[112]},{"name":"LDAP_INAPPROPRIATE_AUTH","features":[112]},{"name":"LDAP_INAPPROPRIATE_MATCHING","features":[112]},{"name":"LDAP_INSUFFICIENT_RIGHTS","features":[112]},{"name":"LDAP_INVALID_CMD","features":[112]},{"name":"LDAP_INVALID_CREDENTIALS","features":[112]},{"name":"LDAP_INVALID_DN_SYNTAX","features":[112]},{"name":"LDAP_INVALID_RES","features":[112]},{"name":"LDAP_INVALID_SYNTAX","features":[112]},{"name":"LDAP_IS_LEAF","features":[112]},{"name":"LDAP_LOCAL_ERROR","features":[112]},{"name":"LDAP_LOOP_DETECT","features":[112]},{"name":"LDAP_MATCHING_RULE_BIT_AND","features":[112]},{"name":"LDAP_MATCHING_RULE_BIT_AND_W","features":[112]},{"name":"LDAP_MATCHING_RULE_BIT_OR","features":[112]},{"name":"LDAP_MATCHING_RULE_BIT_OR_W","features":[112]},{"name":"LDAP_MATCHING_RULE_DN_BINARY_COMPLEX","features":[112]},{"name":"LDAP_MATCHING_RULE_DN_BINARY_COMPLEX_W","features":[112]},{"name":"LDAP_MATCHING_RULE_TRANSITIVE_EVALUATION","features":[112]},{"name":"LDAP_MATCHING_RULE_TRANSITIVE_EVALUATION_W","features":[112]},{"name":"LDAP_MODIFY_CMD","features":[112]},{"name":"LDAP_MODRDN_CMD","features":[112]},{"name":"LDAP_MOD_ADD","features":[112]},{"name":"LDAP_MOD_BVALUES","features":[112]},{"name":"LDAP_MOD_DELETE","features":[112]},{"name":"LDAP_MOD_REPLACE","features":[112]},{"name":"LDAP_MORE_RESULTS_TO_RETURN","features":[112]},{"name":"LDAP_MSG_ALL","features":[112]},{"name":"LDAP_MSG_ONE","features":[112]},{"name":"LDAP_MSG_RECEIVED","features":[112]},{"name":"LDAP_NAMING_VIOLATION","features":[112]},{"name":"LDAP_NOT_ALLOWED_ON_NONLEAF","features":[112]},{"name":"LDAP_NOT_ALLOWED_ON_RDN","features":[112]},{"name":"LDAP_NOT_SUPPORTED","features":[112]},{"name":"LDAP_NO_LIMIT","features":[112]},{"name":"LDAP_NO_MEMORY","features":[112]},{"name":"LDAP_NO_OBJECT_CLASS_MODS","features":[112]},{"name":"LDAP_NO_RESULTS_RETURNED","features":[112]},{"name":"LDAP_NO_SUCH_ATTRIBUTE","features":[112]},{"name":"LDAP_NO_SUCH_OBJECT","features":[112]},{"name":"LDAP_OBJECT_CLASS_VIOLATION","features":[112]},{"name":"LDAP_OFFSET_RANGE_ERROR","features":[112]},{"name":"LDAP_OPATT_ABANDON_REPL","features":[112]},{"name":"LDAP_OPATT_ABANDON_REPL_W","features":[112]},{"name":"LDAP_OPATT_BECOME_DOM_MASTER","features":[112]},{"name":"LDAP_OPATT_BECOME_DOM_MASTER_W","features":[112]},{"name":"LDAP_OPATT_BECOME_PDC","features":[112]},{"name":"LDAP_OPATT_BECOME_PDC_W","features":[112]},{"name":"LDAP_OPATT_BECOME_RID_MASTER","features":[112]},{"name":"LDAP_OPATT_BECOME_RID_MASTER_W","features":[112]},{"name":"LDAP_OPATT_BECOME_SCHEMA_MASTER","features":[112]},{"name":"LDAP_OPATT_BECOME_SCHEMA_MASTER_W","features":[112]},{"name":"LDAP_OPATT_CONFIG_NAMING_CONTEXT","features":[112]},{"name":"LDAP_OPATT_CONFIG_NAMING_CONTEXT_W","features":[112]},{"name":"LDAP_OPATT_CURRENT_TIME","features":[112]},{"name":"LDAP_OPATT_CURRENT_TIME_W","features":[112]},{"name":"LDAP_OPATT_DEFAULT_NAMING_CONTEXT","features":[112]},{"name":"LDAP_OPATT_DEFAULT_NAMING_CONTEXT_W","features":[112]},{"name":"LDAP_OPATT_DNS_HOST_NAME","features":[112]},{"name":"LDAP_OPATT_DNS_HOST_NAME_W","features":[112]},{"name":"LDAP_OPATT_DO_GARBAGE_COLLECTION","features":[112]},{"name":"LDAP_OPATT_DO_GARBAGE_COLLECTION_W","features":[112]},{"name":"LDAP_OPATT_DS_SERVICE_NAME","features":[112]},{"name":"LDAP_OPATT_DS_SERVICE_NAME_W","features":[112]},{"name":"LDAP_OPATT_FIXUP_INHERITANCE","features":[112]},{"name":"LDAP_OPATT_FIXUP_INHERITANCE_W","features":[112]},{"name":"LDAP_OPATT_HIGHEST_COMMITTED_USN","features":[112]},{"name":"LDAP_OPATT_HIGHEST_COMMITTED_USN_W","features":[112]},{"name":"LDAP_OPATT_INVALIDATE_RID_POOL","features":[112]},{"name":"LDAP_OPATT_INVALIDATE_RID_POOL_W","features":[112]},{"name":"LDAP_OPATT_LDAP_SERVICE_NAME","features":[112]},{"name":"LDAP_OPATT_LDAP_SERVICE_NAME_W","features":[112]},{"name":"LDAP_OPATT_NAMING_CONTEXTS","features":[112]},{"name":"LDAP_OPATT_NAMING_CONTEXTS_W","features":[112]},{"name":"LDAP_OPATT_RECALC_HIERARCHY","features":[112]},{"name":"LDAP_OPATT_RECALC_HIERARCHY_W","features":[112]},{"name":"LDAP_OPATT_ROOT_DOMAIN_NAMING_CONTEXT","features":[112]},{"name":"LDAP_OPATT_ROOT_DOMAIN_NAMING_CONTEXT_W","features":[112]},{"name":"LDAP_OPATT_SCHEMA_NAMING_CONTEXT","features":[112]},{"name":"LDAP_OPATT_SCHEMA_NAMING_CONTEXT_W","features":[112]},{"name":"LDAP_OPATT_SCHEMA_UPDATE_NOW","features":[112]},{"name":"LDAP_OPATT_SCHEMA_UPDATE_NOW_W","features":[112]},{"name":"LDAP_OPATT_SERVER_NAME","features":[112]},{"name":"LDAP_OPATT_SERVER_NAME_W","features":[112]},{"name":"LDAP_OPATT_SUBSCHEMA_SUBENTRY","features":[112]},{"name":"LDAP_OPATT_SUBSCHEMA_SUBENTRY_W","features":[112]},{"name":"LDAP_OPATT_SUPPORTED_CAPABILITIES","features":[112]},{"name":"LDAP_OPATT_SUPPORTED_CAPABILITIES_W","features":[112]},{"name":"LDAP_OPATT_SUPPORTED_CONTROL","features":[112]},{"name":"LDAP_OPATT_SUPPORTED_CONTROL_W","features":[112]},{"name":"LDAP_OPATT_SUPPORTED_LDAP_POLICIES","features":[112]},{"name":"LDAP_OPATT_SUPPORTED_LDAP_POLICIES_W","features":[112]},{"name":"LDAP_OPATT_SUPPORTED_LDAP_VERSION","features":[112]},{"name":"LDAP_OPATT_SUPPORTED_LDAP_VERSION_W","features":[112]},{"name":"LDAP_OPATT_SUPPORTED_SASL_MECHANISM","features":[112]},{"name":"LDAP_OPATT_SUPPORTED_SASL_MECHANISM_W","features":[112]},{"name":"LDAP_OPERATIONS_ERROR","features":[112]},{"name":"LDAP_OPT_API_FEATURE_INFO","features":[112]},{"name":"LDAP_OPT_API_INFO","features":[112]},{"name":"LDAP_OPT_AREC_EXCLUSIVE","features":[112]},{"name":"LDAP_OPT_AUTO_RECONNECT","features":[112]},{"name":"LDAP_OPT_CACHE_ENABLE","features":[112]},{"name":"LDAP_OPT_CACHE_FN_PTRS","features":[112]},{"name":"LDAP_OPT_CACHE_STRATEGY","features":[112]},{"name":"LDAP_OPT_CHASE_REFERRALS","features":[112]},{"name":"LDAP_OPT_CLDAP_TIMEOUT","features":[112]},{"name":"LDAP_OPT_CLDAP_TRIES","features":[112]},{"name":"LDAP_OPT_CLIENT_CERTIFICATE","features":[112]},{"name":"LDAP_OPT_DEREF","features":[112]},{"name":"LDAP_OPT_DESC","features":[112]},{"name":"LDAP_OPT_DNS","features":[112]},{"name":"LDAP_OPT_DNSDOMAIN_NAME","features":[112]},{"name":"LDAP_OPT_ENCRYPT","features":[112]},{"name":"LDAP_OPT_ERROR_NUMBER","features":[112]},{"name":"LDAP_OPT_ERROR_STRING","features":[112]},{"name":"LDAP_OPT_FAST_CONCURRENT_BIND","features":[112]},{"name":"LDAP_OPT_GETDSNAME_FLAGS","features":[112]},{"name":"LDAP_OPT_HOST_NAME","features":[112]},{"name":"LDAP_OPT_HOST_REACHABLE","features":[112]},{"name":"LDAP_OPT_IO_FN_PTRS","features":[112]},{"name":"LDAP_OPT_PING_KEEP_ALIVE","features":[112]},{"name":"LDAP_OPT_PING_LIMIT","features":[112]},{"name":"LDAP_OPT_PING_WAIT_TIME","features":[112]},{"name":"LDAP_OPT_PROMPT_CREDENTIALS","features":[112]},{"name":"LDAP_OPT_PROTOCOL_VERSION","features":[112]},{"name":"LDAP_OPT_REBIND_ARG","features":[112]},{"name":"LDAP_OPT_REBIND_FN","features":[112]},{"name":"LDAP_OPT_REFERRALS","features":[112]},{"name":"LDAP_OPT_REFERRAL_CALLBACK","features":[112]},{"name":"LDAP_OPT_REFERRAL_HOP_LIMIT","features":[112]},{"name":"LDAP_OPT_REF_DEREF_CONN_PER_MSG","features":[112]},{"name":"LDAP_OPT_RESTART","features":[112]},{"name":"LDAP_OPT_RETURN_REFS","features":[112]},{"name":"LDAP_OPT_ROOTDSE_CACHE","features":[112]},{"name":"LDAP_OPT_SASL_METHOD","features":[112]},{"name":"LDAP_OPT_SCH_FLAGS","features":[112]},{"name":"LDAP_OPT_SECURITY_CONTEXT","features":[112]},{"name":"LDAP_OPT_SEND_TIMEOUT","features":[112]},{"name":"LDAP_OPT_SERVER_CERTIFICATE","features":[112]},{"name":"LDAP_OPT_SERVER_ERROR","features":[112]},{"name":"LDAP_OPT_SERVER_EXT_ERROR","features":[112]},{"name":"LDAP_OPT_SIGN","features":[112]},{"name":"LDAP_OPT_SIZELIMIT","features":[112]},{"name":"LDAP_OPT_SOCKET_BIND_ADDRESSES","features":[112]},{"name":"LDAP_OPT_SSL","features":[112]},{"name":"LDAP_OPT_SSL_INFO","features":[112]},{"name":"LDAP_OPT_SSPI_FLAGS","features":[112]},{"name":"LDAP_OPT_TCP_KEEPALIVE","features":[112]},{"name":"LDAP_OPT_THREAD_FN_PTRS","features":[112]},{"name":"LDAP_OPT_TIMELIMIT","features":[112]},{"name":"LDAP_OPT_TLS","features":[112]},{"name":"LDAP_OPT_TLS_INFO","features":[112]},{"name":"LDAP_OPT_VERSION","features":[112]},{"name":"LDAP_OTHER","features":[112]},{"name":"LDAP_PAGED_RESULT_OID_STRING","features":[112]},{"name":"LDAP_PAGED_RESULT_OID_STRING_W","features":[112]},{"name":"LDAP_PARAM_ERROR","features":[112]},{"name":"LDAP_PARTIAL_RESULTS","features":[112]},{"name":"LDAP_POLICYHINT_APPLY_FULLPWDPOLICY","features":[112]},{"name":"LDAP_PORT","features":[112]},{"name":"LDAP_PROTOCOL_ERROR","features":[112]},{"name":"LDAP_REFERRAL","features":[112]},{"name":"LDAP_REFERRAL_CALLBACK","features":[1,112]},{"name":"LDAP_REFERRAL_LIMIT_EXCEEDED","features":[112]},{"name":"LDAP_REFERRAL_V2","features":[112]},{"name":"LDAP_RESULTS_TOO_LARGE","features":[112]},{"name":"LDAP_RES_ADD","features":[112]},{"name":"LDAP_RES_ANY","features":[112]},{"name":"LDAP_RES_BIND","features":[112]},{"name":"LDAP_RES_COMPARE","features":[112]},{"name":"LDAP_RES_DELETE","features":[112]},{"name":"LDAP_RES_EXTENDED","features":[112]},{"name":"LDAP_RES_MODIFY","features":[112]},{"name":"LDAP_RES_MODRDN","features":[112]},{"name":"LDAP_RES_REFERRAL","features":[112]},{"name":"LDAP_RES_SEARCH_ENTRY","features":[112]},{"name":"LDAP_RES_SEARCH_RESULT","features":[112]},{"name":"LDAP_RES_SESSION","features":[112]},{"name":"LDAP_RETCODE","features":[112]},{"name":"LDAP_SASL_BIND_IN_PROGRESS","features":[112]},{"name":"LDAP_SCOPE_BASE","features":[112]},{"name":"LDAP_SCOPE_ONELEVEL","features":[112]},{"name":"LDAP_SCOPE_SUBTREE","features":[112]},{"name":"LDAP_SEARCH_CMD","features":[112]},{"name":"LDAP_SEARCH_HINT_INDEX_ONLY_OID","features":[112]},{"name":"LDAP_SEARCH_HINT_INDEX_ONLY_OID_W","features":[112]},{"name":"LDAP_SEARCH_HINT_REQUIRED_INDEX_OID","features":[112]},{"name":"LDAP_SEARCH_HINT_REQUIRED_INDEX_OID_W","features":[112]},{"name":"LDAP_SEARCH_HINT_SOFT_SIZE_LIMIT_OID","features":[112]},{"name":"LDAP_SEARCH_HINT_SOFT_SIZE_LIMIT_OID_W","features":[112]},{"name":"LDAP_SERVER_ASQ_OID","features":[112]},{"name":"LDAP_SERVER_ASQ_OID_W","features":[112]},{"name":"LDAP_SERVER_BATCH_REQUEST_OID","features":[112]},{"name":"LDAP_SERVER_BATCH_REQUEST_OID_W","features":[112]},{"name":"LDAP_SERVER_BYPASS_QUOTA_OID","features":[112]},{"name":"LDAP_SERVER_BYPASS_QUOTA_OID_W","features":[112]},{"name":"LDAP_SERVER_CROSSDOM_MOVE_TARGET_OID","features":[112]},{"name":"LDAP_SERVER_CROSSDOM_MOVE_TARGET_OID_W","features":[112]},{"name":"LDAP_SERVER_DIRSYNC_EX_OID","features":[112]},{"name":"LDAP_SERVER_DIRSYNC_EX_OID_W","features":[112]},{"name":"LDAP_SERVER_DIRSYNC_OID","features":[112]},{"name":"LDAP_SERVER_DIRSYNC_OID_W","features":[112]},{"name":"LDAP_SERVER_DN_INPUT_OID","features":[112]},{"name":"LDAP_SERVER_DN_INPUT_OID_W","features":[112]},{"name":"LDAP_SERVER_DOMAIN_SCOPE_OID","features":[112]},{"name":"LDAP_SERVER_DOMAIN_SCOPE_OID_W","features":[112]},{"name":"LDAP_SERVER_DOWN","features":[112]},{"name":"LDAP_SERVER_EXPECTED_ENTRY_COUNT_OID","features":[112]},{"name":"LDAP_SERVER_EXPECTED_ENTRY_COUNT_OID_W","features":[112]},{"name":"LDAP_SERVER_EXTENDED_DN_OID","features":[112]},{"name":"LDAP_SERVER_EXTENDED_DN_OID_W","features":[112]},{"name":"LDAP_SERVER_FAST_BIND_OID","features":[112]},{"name":"LDAP_SERVER_FAST_BIND_OID_W","features":[112]},{"name":"LDAP_SERVER_FORCE_UPDATE_OID","features":[112]},{"name":"LDAP_SERVER_FORCE_UPDATE_OID_W","features":[112]},{"name":"LDAP_SERVER_GET_STATS_OID","features":[112]},{"name":"LDAP_SERVER_GET_STATS_OID_W","features":[112]},{"name":"LDAP_SERVER_LAZY_COMMIT_OID","features":[112]},{"name":"LDAP_SERVER_LAZY_COMMIT_OID_W","features":[112]},{"name":"LDAP_SERVER_LINK_TTL_OID","features":[112]},{"name":"LDAP_SERVER_LINK_TTL_OID_W","features":[112]},{"name":"LDAP_SERVER_NOTIFICATION_OID","features":[112]},{"name":"LDAP_SERVER_NOTIFICATION_OID_W","features":[112]},{"name":"LDAP_SERVER_PERMISSIVE_MODIFY_OID","features":[112]},{"name":"LDAP_SERVER_PERMISSIVE_MODIFY_OID_W","features":[112]},{"name":"LDAP_SERVER_POLICY_HINTS_DEPRECATED_OID","features":[112]},{"name":"LDAP_SERVER_POLICY_HINTS_DEPRECATED_OID_W","features":[112]},{"name":"LDAP_SERVER_POLICY_HINTS_OID","features":[112]},{"name":"LDAP_SERVER_POLICY_HINTS_OID_W","features":[112]},{"name":"LDAP_SERVER_QUOTA_CONTROL_OID","features":[112]},{"name":"LDAP_SERVER_QUOTA_CONTROL_OID_W","features":[112]},{"name":"LDAP_SERVER_RANGE_OPTION_OID","features":[112]},{"name":"LDAP_SERVER_RANGE_OPTION_OID_W","features":[112]},{"name":"LDAP_SERVER_RANGE_RETRIEVAL_NOERR_OID","features":[112]},{"name":"LDAP_SERVER_RANGE_RETRIEVAL_NOERR_OID_W","features":[112]},{"name":"LDAP_SERVER_RESP_SORT_OID","features":[112]},{"name":"LDAP_SERVER_RESP_SORT_OID_W","features":[112]},{"name":"LDAP_SERVER_SD_FLAGS_OID","features":[112]},{"name":"LDAP_SERVER_SD_FLAGS_OID_W","features":[112]},{"name":"LDAP_SERVER_SEARCH_HINTS_OID","features":[112]},{"name":"LDAP_SERVER_SEARCH_HINTS_OID_W","features":[112]},{"name":"LDAP_SERVER_SEARCH_OPTIONS_OID","features":[112]},{"name":"LDAP_SERVER_SEARCH_OPTIONS_OID_W","features":[112]},{"name":"LDAP_SERVER_SET_OWNER_OID","features":[112]},{"name":"LDAP_SERVER_SET_OWNER_OID_W","features":[112]},{"name":"LDAP_SERVER_SHOW_DEACTIVATED_LINK_OID","features":[112]},{"name":"LDAP_SERVER_SHOW_DEACTIVATED_LINK_OID_W","features":[112]},{"name":"LDAP_SERVER_SHOW_DELETED_OID","features":[112]},{"name":"LDAP_SERVER_SHOW_DELETED_OID_W","features":[112]},{"name":"LDAP_SERVER_SHOW_RECYCLED_OID","features":[112]},{"name":"LDAP_SERVER_SHOW_RECYCLED_OID_W","features":[112]},{"name":"LDAP_SERVER_SHUTDOWN_NOTIFY_OID","features":[112]},{"name":"LDAP_SERVER_SHUTDOWN_NOTIFY_OID_W","features":[112]},{"name":"LDAP_SERVER_SORT_OID","features":[112]},{"name":"LDAP_SERVER_SORT_OID_W","features":[112]},{"name":"LDAP_SERVER_TREE_DELETE_EX_OID","features":[112]},{"name":"LDAP_SERVER_TREE_DELETE_EX_OID_W","features":[112]},{"name":"LDAP_SERVER_TREE_DELETE_OID","features":[112]},{"name":"LDAP_SERVER_TREE_DELETE_OID_W","features":[112]},{"name":"LDAP_SERVER_UPDATE_STATS_OID","features":[112]},{"name":"LDAP_SERVER_UPDATE_STATS_OID_W","features":[112]},{"name":"LDAP_SERVER_VERIFY_NAME_OID","features":[112]},{"name":"LDAP_SERVER_VERIFY_NAME_OID_W","features":[112]},{"name":"LDAP_SERVER_WHO_AM_I_OID","features":[112]},{"name":"LDAP_SERVER_WHO_AM_I_OID_W","features":[112]},{"name":"LDAP_SESSION_CMD","features":[112]},{"name":"LDAP_SIZELIMIT_EXCEEDED","features":[112]},{"name":"LDAP_SORT_CONTROL_MISSING","features":[112]},{"name":"LDAP_SSL_GC_PORT","features":[112]},{"name":"LDAP_SSL_PORT","features":[112]},{"name":"LDAP_START_TLS_OID","features":[112]},{"name":"LDAP_START_TLS_OID_W","features":[112]},{"name":"LDAP_STRONG_AUTH_REQUIRED","features":[112]},{"name":"LDAP_SUBSTRING_ANY","features":[112]},{"name":"LDAP_SUBSTRING_FINAL","features":[112]},{"name":"LDAP_SUBSTRING_INITIAL","features":[112]},{"name":"LDAP_SUCCESS","features":[112]},{"name":"LDAP_TIMELIMIT_EXCEEDED","features":[112]},{"name":"LDAP_TIMEOUT","features":[112]},{"name":"LDAP_TIMEVAL","features":[112]},{"name":"LDAP_TTL_EXTENDED_OP_OID","features":[112]},{"name":"LDAP_TTL_EXTENDED_OP_OID_W","features":[112]},{"name":"LDAP_UNAVAILABLE","features":[112]},{"name":"LDAP_UNAVAILABLE_CRIT_EXTENSION","features":[112]},{"name":"LDAP_UNBIND_CMD","features":[112]},{"name":"LDAP_UNDEFINED_TYPE","features":[112]},{"name":"LDAP_UNICODE","features":[112]},{"name":"LDAP_UNWILLING_TO_PERFORM","features":[112]},{"name":"LDAP_UPDATE_STATS_INVOCATIONID_OID","features":[112]},{"name":"LDAP_UPDATE_STATS_INVOCATIONID_OID_W","features":[112]},{"name":"LDAP_UPDATE_STATS_USN_OID","features":[112]},{"name":"LDAP_UPDATE_STATS_USN_OID_W","features":[112]},{"name":"LDAP_USER_CANCELLED","features":[112]},{"name":"LDAP_VENDOR_NAME","features":[112]},{"name":"LDAP_VENDOR_NAME_W","features":[112]},{"name":"LDAP_VENDOR_VERSION","features":[112]},{"name":"LDAP_VERSION","features":[112]},{"name":"LDAP_VERSION1","features":[112]},{"name":"LDAP_VERSION2","features":[112]},{"name":"LDAP_VERSION3","features":[112]},{"name":"LDAP_VERSION_INFO","features":[112]},{"name":"LDAP_VERSION_MAX","features":[112]},{"name":"LDAP_VERSION_MIN","features":[112]},{"name":"LDAP_VIRTUAL_LIST_VIEW_ERROR","features":[112]},{"name":"LDAP_VLVINFO_VERSION","features":[112]},{"name":"LdapGetLastError","features":[112]},{"name":"LdapMapErrorToWin32","features":[1,112]},{"name":"LdapUTF8ToUnicode","features":[112]},{"name":"LdapUnicodeToUTF8","features":[112]},{"name":"NOTIFYOFNEWCONNECTION","features":[1,112]},{"name":"PLDAPSearch","features":[112]},{"name":"QUERYCLIENTCERT","features":[1,112,23,68]},{"name":"QUERYFORCONNECTION","features":[112]},{"name":"SERVER_SEARCH_FLAG_DOMAIN_SCOPE","features":[112]},{"name":"SERVER_SEARCH_FLAG_PHANTOM_ROOT","features":[112]},{"name":"VERIFYSERVERCERT","features":[1,112,68]},{"name":"ber_alloc_t","features":[112]},{"name":"ber_bvdup","features":[112]},{"name":"ber_bvecfree","features":[112]},{"name":"ber_bvfree","features":[112]},{"name":"ber_first_element","features":[112]},{"name":"ber_flatten","features":[112]},{"name":"ber_free","features":[112]},{"name":"ber_init","features":[112]},{"name":"ber_next_element","features":[112]},{"name":"ber_peek_tag","features":[112]},{"name":"ber_printf","features":[112]},{"name":"ber_scanf","features":[112]},{"name":"ber_skip_tag","features":[112]},{"name":"cldap_open","features":[112]},{"name":"cldap_openA","features":[112]},{"name":"cldap_openW","features":[112]},{"name":"ldap_abandon","features":[112]},{"name":"ldap_add","features":[112]},{"name":"ldap_addA","features":[112]},{"name":"ldap_addW","features":[112]},{"name":"ldap_add_ext","features":[1,112]},{"name":"ldap_add_extA","features":[1,112]},{"name":"ldap_add_extW","features":[1,112]},{"name":"ldap_add_ext_s","features":[1,112]},{"name":"ldap_add_ext_sA","features":[1,112]},{"name":"ldap_add_ext_sW","features":[1,112]},{"name":"ldap_add_s","features":[112]},{"name":"ldap_add_sA","features":[112]},{"name":"ldap_add_sW","features":[112]},{"name":"ldap_bind","features":[112]},{"name":"ldap_bindA","features":[112]},{"name":"ldap_bindW","features":[112]},{"name":"ldap_bind_s","features":[112]},{"name":"ldap_bind_sA","features":[112]},{"name":"ldap_bind_sW","features":[112]},{"name":"ldap_check_filterA","features":[112]},{"name":"ldap_check_filterW","features":[112]},{"name":"ldap_cleanup","features":[1,112]},{"name":"ldap_close_extended_op","features":[112]},{"name":"ldap_compare","features":[112]},{"name":"ldap_compareA","features":[112]},{"name":"ldap_compareW","features":[112]},{"name":"ldap_compare_ext","features":[1,112]},{"name":"ldap_compare_extA","features":[1,112]},{"name":"ldap_compare_extW","features":[1,112]},{"name":"ldap_compare_ext_s","features":[1,112]},{"name":"ldap_compare_ext_sA","features":[1,112]},{"name":"ldap_compare_ext_sW","features":[1,112]},{"name":"ldap_compare_s","features":[112]},{"name":"ldap_compare_sA","features":[112]},{"name":"ldap_compare_sW","features":[112]},{"name":"ldap_conn_from_msg","features":[1,112]},{"name":"ldap_connect","features":[112]},{"name":"ldap_control_free","features":[1,112]},{"name":"ldap_control_freeA","features":[1,112]},{"name":"ldap_control_freeW","features":[1,112]},{"name":"ldap_controls_free","features":[1,112]},{"name":"ldap_controls_freeA","features":[1,112]},{"name":"ldap_controls_freeW","features":[1,112]},{"name":"ldap_count_entries","features":[1,112]},{"name":"ldap_count_references","features":[1,112]},{"name":"ldap_count_values","features":[112]},{"name":"ldap_count_valuesA","features":[112]},{"name":"ldap_count_valuesW","features":[112]},{"name":"ldap_count_values_len","features":[112]},{"name":"ldap_create_page_control","features":[1,112]},{"name":"ldap_create_page_controlA","features":[1,112]},{"name":"ldap_create_page_controlW","features":[1,112]},{"name":"ldap_create_sort_control","features":[1,112]},{"name":"ldap_create_sort_controlA","features":[1,112]},{"name":"ldap_create_sort_controlW","features":[1,112]},{"name":"ldap_create_vlv_controlA","features":[1,112]},{"name":"ldap_create_vlv_controlW","features":[1,112]},{"name":"ldap_delete","features":[112]},{"name":"ldap_deleteA","features":[112]},{"name":"ldap_deleteW","features":[112]},{"name":"ldap_delete_ext","features":[1,112]},{"name":"ldap_delete_extA","features":[1,112]},{"name":"ldap_delete_extW","features":[1,112]},{"name":"ldap_delete_ext_s","features":[1,112]},{"name":"ldap_delete_ext_sA","features":[1,112]},{"name":"ldap_delete_ext_sW","features":[1,112]},{"name":"ldap_delete_s","features":[112]},{"name":"ldap_delete_sA","features":[112]},{"name":"ldap_delete_sW","features":[112]},{"name":"ldap_dn2ufn","features":[112]},{"name":"ldap_dn2ufnA","features":[112]},{"name":"ldap_dn2ufnW","features":[112]},{"name":"ldap_encode_sort_controlA","features":[1,112]},{"name":"ldap_encode_sort_controlW","features":[1,112]},{"name":"ldap_err2string","features":[112]},{"name":"ldap_err2stringA","features":[112]},{"name":"ldap_err2stringW","features":[112]},{"name":"ldap_escape_filter_element","features":[112]},{"name":"ldap_escape_filter_elementA","features":[112]},{"name":"ldap_escape_filter_elementW","features":[112]},{"name":"ldap_explode_dn","features":[112]},{"name":"ldap_explode_dnA","features":[112]},{"name":"ldap_explode_dnW","features":[112]},{"name":"ldap_extended_operation","features":[1,112]},{"name":"ldap_extended_operationA","features":[1,112]},{"name":"ldap_extended_operationW","features":[1,112]},{"name":"ldap_extended_operation_sA","features":[1,112]},{"name":"ldap_extended_operation_sW","features":[1,112]},{"name":"ldap_first_attribute","features":[1,112]},{"name":"ldap_first_attributeA","features":[1,112]},{"name":"ldap_first_attributeW","features":[1,112]},{"name":"ldap_first_entry","features":[1,112]},{"name":"ldap_first_reference","features":[1,112]},{"name":"ldap_free_controls","features":[1,112]},{"name":"ldap_free_controlsA","features":[1,112]},{"name":"ldap_free_controlsW","features":[1,112]},{"name":"ldap_get_dn","features":[1,112]},{"name":"ldap_get_dnA","features":[1,112]},{"name":"ldap_get_dnW","features":[1,112]},{"name":"ldap_get_next_page","features":[112]},{"name":"ldap_get_next_page_s","features":[1,112]},{"name":"ldap_get_option","features":[112]},{"name":"ldap_get_optionW","features":[112]},{"name":"ldap_get_paged_count","features":[1,112]},{"name":"ldap_get_values","features":[1,112]},{"name":"ldap_get_valuesA","features":[1,112]},{"name":"ldap_get_valuesW","features":[1,112]},{"name":"ldap_get_values_len","features":[1,112]},{"name":"ldap_get_values_lenA","features":[1,112]},{"name":"ldap_get_values_lenW","features":[1,112]},{"name":"ldap_init","features":[112]},{"name":"ldap_initA","features":[112]},{"name":"ldap_initW","features":[112]},{"name":"ldap_memfree","features":[112]},{"name":"ldap_memfreeA","features":[112]},{"name":"ldap_memfreeW","features":[112]},{"name":"ldap_modify","features":[112]},{"name":"ldap_modifyA","features":[112]},{"name":"ldap_modifyW","features":[112]},{"name":"ldap_modify_ext","features":[1,112]},{"name":"ldap_modify_extA","features":[1,112]},{"name":"ldap_modify_extW","features":[1,112]},{"name":"ldap_modify_ext_s","features":[1,112]},{"name":"ldap_modify_ext_sA","features":[1,112]},{"name":"ldap_modify_ext_sW","features":[1,112]},{"name":"ldap_modify_s","features":[112]},{"name":"ldap_modify_sA","features":[112]},{"name":"ldap_modify_sW","features":[112]},{"name":"ldap_modrdn","features":[112]},{"name":"ldap_modrdn2","features":[112]},{"name":"ldap_modrdn2A","features":[112]},{"name":"ldap_modrdn2W","features":[112]},{"name":"ldap_modrdn2_s","features":[112]},{"name":"ldap_modrdn2_sA","features":[112]},{"name":"ldap_modrdn2_sW","features":[112]},{"name":"ldap_modrdnA","features":[112]},{"name":"ldap_modrdnW","features":[112]},{"name":"ldap_modrdn_s","features":[112]},{"name":"ldap_modrdn_sA","features":[112]},{"name":"ldap_modrdn_sW","features":[112]},{"name":"ldap_msgfree","features":[1,112]},{"name":"ldap_next_attribute","features":[1,112]},{"name":"ldap_next_attributeA","features":[1,112]},{"name":"ldap_next_attributeW","features":[1,112]},{"name":"ldap_next_entry","features":[1,112]},{"name":"ldap_next_reference","features":[1,112]},{"name":"ldap_open","features":[112]},{"name":"ldap_openA","features":[112]},{"name":"ldap_openW","features":[112]},{"name":"ldap_parse_extended_resultA","features":[1,112]},{"name":"ldap_parse_extended_resultW","features":[1,112]},{"name":"ldap_parse_page_control","features":[1,112]},{"name":"ldap_parse_page_controlA","features":[1,112]},{"name":"ldap_parse_page_controlW","features":[1,112]},{"name":"ldap_parse_reference","features":[1,112]},{"name":"ldap_parse_referenceA","features":[1,112]},{"name":"ldap_parse_referenceW","features":[1,112]},{"name":"ldap_parse_result","features":[1,112]},{"name":"ldap_parse_resultA","features":[1,112]},{"name":"ldap_parse_resultW","features":[1,112]},{"name":"ldap_parse_sort_control","features":[1,112]},{"name":"ldap_parse_sort_controlA","features":[1,112]},{"name":"ldap_parse_sort_controlW","features":[1,112]},{"name":"ldap_parse_vlv_controlA","features":[1,112]},{"name":"ldap_parse_vlv_controlW","features":[1,112]},{"name":"ldap_perror","features":[112]},{"name":"ldap_rename_ext","features":[1,112]},{"name":"ldap_rename_extA","features":[1,112]},{"name":"ldap_rename_extW","features":[1,112]},{"name":"ldap_rename_ext_s","features":[1,112]},{"name":"ldap_rename_ext_sA","features":[1,112]},{"name":"ldap_rename_ext_sW","features":[1,112]},{"name":"ldap_result","features":[1,112]},{"name":"ldap_result2error","features":[1,112]},{"name":"ldap_sasl_bindA","features":[1,112]},{"name":"ldap_sasl_bindW","features":[1,112]},{"name":"ldap_sasl_bind_sA","features":[1,112]},{"name":"ldap_sasl_bind_sW","features":[1,112]},{"name":"ldap_search","features":[112]},{"name":"ldap_searchA","features":[112]},{"name":"ldap_searchW","features":[112]},{"name":"ldap_search_abandon_page","features":[112]},{"name":"ldap_search_ext","features":[1,112]},{"name":"ldap_search_extA","features":[1,112]},{"name":"ldap_search_extW","features":[1,112]},{"name":"ldap_search_ext_s","features":[1,112]},{"name":"ldap_search_ext_sA","features":[1,112]},{"name":"ldap_search_ext_sW","features":[1,112]},{"name":"ldap_search_init_page","features":[1,112]},{"name":"ldap_search_init_pageA","features":[1,112]},{"name":"ldap_search_init_pageW","features":[1,112]},{"name":"ldap_search_s","features":[1,112]},{"name":"ldap_search_sA","features":[1,112]},{"name":"ldap_search_sW","features":[1,112]},{"name":"ldap_search_st","features":[1,112]},{"name":"ldap_search_stA","features":[1,112]},{"name":"ldap_search_stW","features":[1,112]},{"name":"ldap_set_dbg_flags","features":[112]},{"name":"ldap_set_dbg_routine","features":[112]},{"name":"ldap_set_option","features":[112]},{"name":"ldap_set_optionW","features":[112]},{"name":"ldap_simple_bind","features":[112]},{"name":"ldap_simple_bindA","features":[112]},{"name":"ldap_simple_bindW","features":[112]},{"name":"ldap_simple_bind_s","features":[112]},{"name":"ldap_simple_bind_sA","features":[112]},{"name":"ldap_simple_bind_sW","features":[112]},{"name":"ldap_sslinit","features":[112]},{"name":"ldap_sslinitA","features":[112]},{"name":"ldap_sslinitW","features":[112]},{"name":"ldap_start_tls_sA","features":[1,112]},{"name":"ldap_start_tls_sW","features":[1,112]},{"name":"ldap_startup","features":[1,112]},{"name":"ldap_stop_tls_s","features":[1,112]},{"name":"ldap_ufn2dn","features":[112]},{"name":"ldap_ufn2dnA","features":[112]},{"name":"ldap_ufn2dnW","features":[112]},{"name":"ldap_unbind","features":[112]},{"name":"ldap_unbind_s","features":[112]},{"name":"ldap_value_free","features":[112]},{"name":"ldap_value_freeA","features":[112]},{"name":"ldap_value_freeW","features":[112]},{"name":"ldap_value_free_len","features":[112]}],"474":[{"name":"WEB_SOCKET_ABORTED_CLOSE_STATUS","features":[113]},{"name":"WEB_SOCKET_ACTION","features":[113]},{"name":"WEB_SOCKET_ACTION_QUEUE","features":[113]},{"name":"WEB_SOCKET_ALLOCATED_BUFFER_PROPERTY_TYPE","features":[113]},{"name":"WEB_SOCKET_ALL_ACTION_QUEUE","features":[113]},{"name":"WEB_SOCKET_BINARY_FRAGMENT_BUFFER_TYPE","features":[113]},{"name":"WEB_SOCKET_BINARY_MESSAGE_BUFFER_TYPE","features":[113]},{"name":"WEB_SOCKET_BUFFER","features":[113]},{"name":"WEB_SOCKET_BUFFER_TYPE","features":[113]},{"name":"WEB_SOCKET_CLOSE_BUFFER_TYPE","features":[113]},{"name":"WEB_SOCKET_CLOSE_STATUS","features":[113]},{"name":"WEB_SOCKET_DISABLE_MASKING_PROPERTY_TYPE","features":[113]},{"name":"WEB_SOCKET_DISABLE_UTF8_VERIFICATION_PROPERTY_TYPE","features":[113]},{"name":"WEB_SOCKET_EMPTY_CLOSE_STATUS","features":[113]},{"name":"WEB_SOCKET_ENDPOINT_UNAVAILABLE_CLOSE_STATUS","features":[113]},{"name":"WEB_SOCKET_HANDLE","features":[113]},{"name":"WEB_SOCKET_HTTP_HEADER","features":[113]},{"name":"WEB_SOCKET_INDICATE_RECEIVE_COMPLETE_ACTION","features":[113]},{"name":"WEB_SOCKET_INDICATE_SEND_COMPLETE_ACTION","features":[113]},{"name":"WEB_SOCKET_INVALID_DATA_TYPE_CLOSE_STATUS","features":[113]},{"name":"WEB_SOCKET_INVALID_PAYLOAD_CLOSE_STATUS","features":[113]},{"name":"WEB_SOCKET_KEEPALIVE_INTERVAL_PROPERTY_TYPE","features":[113]},{"name":"WEB_SOCKET_MAX_CLOSE_REASON_LENGTH","features":[113]},{"name":"WEB_SOCKET_MESSAGE_TOO_BIG_CLOSE_STATUS","features":[113]},{"name":"WEB_SOCKET_NO_ACTION","features":[113]},{"name":"WEB_SOCKET_PING_PONG_BUFFER_TYPE","features":[113]},{"name":"WEB_SOCKET_POLICY_VIOLATION_CLOSE_STATUS","features":[113]},{"name":"WEB_SOCKET_PROPERTY","features":[113]},{"name":"WEB_SOCKET_PROPERTY_TYPE","features":[113]},{"name":"WEB_SOCKET_PROTOCOL_ERROR_CLOSE_STATUS","features":[113]},{"name":"WEB_SOCKET_RECEIVE_ACTION_QUEUE","features":[113]},{"name":"WEB_SOCKET_RECEIVE_BUFFER_SIZE_PROPERTY_TYPE","features":[113]},{"name":"WEB_SOCKET_RECEIVE_FROM_NETWORK_ACTION","features":[113]},{"name":"WEB_SOCKET_SECURE_HANDSHAKE_ERROR_CLOSE_STATUS","features":[113]},{"name":"WEB_SOCKET_SEND_ACTION_QUEUE","features":[113]},{"name":"WEB_SOCKET_SEND_BUFFER_SIZE_PROPERTY_TYPE","features":[113]},{"name":"WEB_SOCKET_SEND_TO_NETWORK_ACTION","features":[113]},{"name":"WEB_SOCKET_SERVER_ERROR_CLOSE_STATUS","features":[113]},{"name":"WEB_SOCKET_SUCCESS_CLOSE_STATUS","features":[113]},{"name":"WEB_SOCKET_SUPPORTED_VERSIONS_PROPERTY_TYPE","features":[113]},{"name":"WEB_SOCKET_UNSOLICITED_PONG_BUFFER_TYPE","features":[113]},{"name":"WEB_SOCKET_UNSUPPORTED_EXTENSIONS_CLOSE_STATUS","features":[113]},{"name":"WEB_SOCKET_UTF8_FRAGMENT_BUFFER_TYPE","features":[113]},{"name":"WEB_SOCKET_UTF8_MESSAGE_BUFFER_TYPE","features":[113]},{"name":"WebSocketAbortHandle","features":[113]},{"name":"WebSocketBeginClientHandshake","features":[113]},{"name":"WebSocketBeginServerHandshake","features":[113]},{"name":"WebSocketCompleteAction","features":[113]},{"name":"WebSocketCreateClientHandle","features":[113]},{"name":"WebSocketCreateServerHandle","features":[113]},{"name":"WebSocketDeleteHandle","features":[113]},{"name":"WebSocketEndClientHandshake","features":[113]},{"name":"WebSocketEndServerHandshake","features":[113]},{"name":"WebSocketGetAction","features":[113]},{"name":"WebSocketGetGlobalProperty","features":[113]},{"name":"WebSocketReceive","features":[113]},{"name":"WebSocketSend","features":[113]}],"475":[{"name":"API_GET_PROXY_FOR_URL","features":[114]},{"name":"API_GET_PROXY_SETTINGS","features":[114]},{"name":"API_QUERY_DATA_AVAILABLE","features":[114]},{"name":"API_READ_DATA","features":[114]},{"name":"API_RECEIVE_RESPONSE","features":[114]},{"name":"API_SEND_REQUEST","features":[114]},{"name":"API_WRITE_DATA","features":[114]},{"name":"AutoLogonPolicy_Always","features":[114]},{"name":"AutoLogonPolicy_Never","features":[114]},{"name":"AutoLogonPolicy_OnlyIfBypassProxy","features":[114]},{"name":"ERROR_WINHTTP_AUTODETECTION_FAILED","features":[114]},{"name":"ERROR_WINHTTP_AUTO_PROXY_SERVICE_ERROR","features":[114]},{"name":"ERROR_WINHTTP_BAD_AUTO_PROXY_SCRIPT","features":[114]},{"name":"ERROR_WINHTTP_CANNOT_CALL_AFTER_OPEN","features":[114]},{"name":"ERROR_WINHTTP_CANNOT_CALL_AFTER_SEND","features":[114]},{"name":"ERROR_WINHTTP_CANNOT_CALL_BEFORE_OPEN","features":[114]},{"name":"ERROR_WINHTTP_CANNOT_CALL_BEFORE_SEND","features":[114]},{"name":"ERROR_WINHTTP_CANNOT_CONNECT","features":[114]},{"name":"ERROR_WINHTTP_CHUNKED_ENCODING_HEADER_SIZE_OVERFLOW","features":[114]},{"name":"ERROR_WINHTTP_CLIENT_AUTH_CERT_NEEDED","features":[114]},{"name":"ERROR_WINHTTP_CLIENT_AUTH_CERT_NEEDED_PROXY","features":[114]},{"name":"ERROR_WINHTTP_CLIENT_CERT_NO_ACCESS_PRIVATE_KEY","features":[114]},{"name":"ERROR_WINHTTP_CLIENT_CERT_NO_PRIVATE_KEY","features":[114]},{"name":"ERROR_WINHTTP_CONNECTION_ERROR","features":[114]},{"name":"ERROR_WINHTTP_FEATURE_DISABLED","features":[114]},{"name":"ERROR_WINHTTP_GLOBAL_CALLBACK_FAILED","features":[114]},{"name":"ERROR_WINHTTP_HEADER_ALREADY_EXISTS","features":[114]},{"name":"ERROR_WINHTTP_HEADER_COUNT_EXCEEDED","features":[114]},{"name":"ERROR_WINHTTP_HEADER_NOT_FOUND","features":[114]},{"name":"ERROR_WINHTTP_HEADER_SIZE_OVERFLOW","features":[114]},{"name":"ERROR_WINHTTP_HTTP_PROTOCOL_MISMATCH","features":[114]},{"name":"ERROR_WINHTTP_INCORRECT_HANDLE_STATE","features":[114]},{"name":"ERROR_WINHTTP_INCORRECT_HANDLE_TYPE","features":[114]},{"name":"ERROR_WINHTTP_INTERNAL_ERROR","features":[114]},{"name":"ERROR_WINHTTP_INVALID_HEADER","features":[114]},{"name":"ERROR_WINHTTP_INVALID_OPTION","features":[114]},{"name":"ERROR_WINHTTP_INVALID_QUERY_REQUEST","features":[114]},{"name":"ERROR_WINHTTP_INVALID_SERVER_RESPONSE","features":[114]},{"name":"ERROR_WINHTTP_INVALID_URL","features":[114]},{"name":"ERROR_WINHTTP_LOGIN_FAILURE","features":[114]},{"name":"ERROR_WINHTTP_NAME_NOT_RESOLVED","features":[114]},{"name":"ERROR_WINHTTP_NOT_INITIALIZED","features":[114]},{"name":"ERROR_WINHTTP_OPERATION_CANCELLED","features":[114]},{"name":"ERROR_WINHTTP_OPTION_NOT_SETTABLE","features":[114]},{"name":"ERROR_WINHTTP_OUT_OF_HANDLES","features":[114]},{"name":"ERROR_WINHTTP_REDIRECT_FAILED","features":[114]},{"name":"ERROR_WINHTTP_RESEND_REQUEST","features":[114]},{"name":"ERROR_WINHTTP_RESERVED_189","features":[114]},{"name":"ERROR_WINHTTP_RESPONSE_DRAIN_OVERFLOW","features":[114]},{"name":"ERROR_WINHTTP_SCRIPT_EXECUTION_ERROR","features":[114]},{"name":"ERROR_WINHTTP_SECURE_CERT_CN_INVALID","features":[114]},{"name":"ERROR_WINHTTP_SECURE_CERT_DATE_INVALID","features":[114]},{"name":"ERROR_WINHTTP_SECURE_CERT_REVOKED","features":[114]},{"name":"ERROR_WINHTTP_SECURE_CERT_REV_FAILED","features":[114]},{"name":"ERROR_WINHTTP_SECURE_CERT_WRONG_USAGE","features":[114]},{"name":"ERROR_WINHTTP_SECURE_CHANNEL_ERROR","features":[114]},{"name":"ERROR_WINHTTP_SECURE_FAILURE","features":[114]},{"name":"ERROR_WINHTTP_SECURE_FAILURE_PROXY","features":[114]},{"name":"ERROR_WINHTTP_SECURE_INVALID_CA","features":[114]},{"name":"ERROR_WINHTTP_SECURE_INVALID_CERT","features":[114]},{"name":"ERROR_WINHTTP_SHUTDOWN","features":[114]},{"name":"ERROR_WINHTTP_TIMEOUT","features":[114]},{"name":"ERROR_WINHTTP_UNABLE_TO_DOWNLOAD_SCRIPT","features":[114]},{"name":"ERROR_WINHTTP_UNHANDLED_SCRIPT_TYPE","features":[114]},{"name":"ERROR_WINHTTP_UNRECOGNIZED_SCHEME","features":[114]},{"name":"HTTPREQUEST_PROXYSETTING_DEFAULT","features":[114]},{"name":"HTTPREQUEST_PROXYSETTING_DIRECT","features":[114]},{"name":"HTTPREQUEST_PROXYSETTING_PRECONFIG","features":[114]},{"name":"HTTPREQUEST_PROXYSETTING_PROXY","features":[114]},{"name":"HTTPREQUEST_SETCREDENTIALS_FOR_PROXY","features":[114]},{"name":"HTTPREQUEST_SETCREDENTIALS_FOR_SERVER","features":[114]},{"name":"HTTP_STATUS_ACCEPTED","features":[114]},{"name":"HTTP_STATUS_AMBIGUOUS","features":[114]},{"name":"HTTP_STATUS_BAD_GATEWAY","features":[114]},{"name":"HTTP_STATUS_BAD_METHOD","features":[114]},{"name":"HTTP_STATUS_BAD_REQUEST","features":[114]},{"name":"HTTP_STATUS_CONFLICT","features":[114]},{"name":"HTTP_STATUS_CONTINUE","features":[114]},{"name":"HTTP_STATUS_CREATED","features":[114]},{"name":"HTTP_STATUS_DENIED","features":[114]},{"name":"HTTP_STATUS_FIRST","features":[114]},{"name":"HTTP_STATUS_FORBIDDEN","features":[114]},{"name":"HTTP_STATUS_GATEWAY_TIMEOUT","features":[114]},{"name":"HTTP_STATUS_GONE","features":[114]},{"name":"HTTP_STATUS_LAST","features":[114]},{"name":"HTTP_STATUS_LENGTH_REQUIRED","features":[114]},{"name":"HTTP_STATUS_MOVED","features":[114]},{"name":"HTTP_STATUS_NONE_ACCEPTABLE","features":[114]},{"name":"HTTP_STATUS_NOT_FOUND","features":[114]},{"name":"HTTP_STATUS_NOT_MODIFIED","features":[114]},{"name":"HTTP_STATUS_NOT_SUPPORTED","features":[114]},{"name":"HTTP_STATUS_NO_CONTENT","features":[114]},{"name":"HTTP_STATUS_OK","features":[114]},{"name":"HTTP_STATUS_PARTIAL","features":[114]},{"name":"HTTP_STATUS_PARTIAL_CONTENT","features":[114]},{"name":"HTTP_STATUS_PAYMENT_REQ","features":[114]},{"name":"HTTP_STATUS_PERMANENT_REDIRECT","features":[114]},{"name":"HTTP_STATUS_PRECOND_FAILED","features":[114]},{"name":"HTTP_STATUS_PROXY_AUTH_REQ","features":[114]},{"name":"HTTP_STATUS_REDIRECT","features":[114]},{"name":"HTTP_STATUS_REDIRECT_KEEP_VERB","features":[114]},{"name":"HTTP_STATUS_REDIRECT_METHOD","features":[114]},{"name":"HTTP_STATUS_REQUEST_TIMEOUT","features":[114]},{"name":"HTTP_STATUS_REQUEST_TOO_LARGE","features":[114]},{"name":"HTTP_STATUS_RESET_CONTENT","features":[114]},{"name":"HTTP_STATUS_RETRY_WITH","features":[114]},{"name":"HTTP_STATUS_SERVER_ERROR","features":[114]},{"name":"HTTP_STATUS_SERVICE_UNAVAIL","features":[114]},{"name":"HTTP_STATUS_SWITCH_PROTOCOLS","features":[114]},{"name":"HTTP_STATUS_UNSUPPORTED_MEDIA","features":[114]},{"name":"HTTP_STATUS_URI_TOO_LONG","features":[114]},{"name":"HTTP_STATUS_USE_PROXY","features":[114]},{"name":"HTTP_STATUS_VERSION_NOT_SUP","features":[114]},{"name":"HTTP_STATUS_WEBDAV_MULTI_STATUS","features":[114]},{"name":"HTTP_VERSION_INFO","features":[114]},{"name":"ICU_BROWSER_MODE","features":[114]},{"name":"ICU_DECODE","features":[114]},{"name":"ICU_ENCODE_PERCENT","features":[114]},{"name":"ICU_ENCODE_SPACES_ONLY","features":[114]},{"name":"ICU_ESCAPE","features":[114]},{"name":"ICU_ESCAPE_AUTHORITY","features":[114]},{"name":"ICU_NO_ENCODE","features":[114]},{"name":"ICU_NO_META","features":[114]},{"name":"ICU_REJECT_USERPWD","features":[114]},{"name":"INTERNET_DEFAULT_HTTPS_PORT","features":[114]},{"name":"INTERNET_DEFAULT_HTTP_PORT","features":[114]},{"name":"INTERNET_DEFAULT_PORT","features":[114]},{"name":"IWinHttpRequest","features":[114]},{"name":"IWinHttpRequestEvents","features":[114]},{"name":"NETWORKING_KEY_BUFSIZE","features":[114]},{"name":"SECURITY_FLAG_IGNORE_CERT_CN_INVALID","features":[114]},{"name":"SECURITY_FLAG_IGNORE_CERT_DATE_INVALID","features":[114]},{"name":"SECURITY_FLAG_IGNORE_CERT_WRONG_USAGE","features":[114]},{"name":"SECURITY_FLAG_IGNORE_UNKNOWN_CA","features":[114]},{"name":"SECURITY_FLAG_SECURE","features":[114]},{"name":"SECURITY_FLAG_STRENGTH_MEDIUM","features":[114]},{"name":"SECURITY_FLAG_STRENGTH_STRONG","features":[114]},{"name":"SECURITY_FLAG_STRENGTH_WEAK","features":[114]},{"name":"SecureProtocol_ALL","features":[114]},{"name":"SecureProtocol_SSL2","features":[114]},{"name":"SecureProtocol_SSL3","features":[114]},{"name":"SecureProtocol_TLS1","features":[114]},{"name":"SecureProtocol_TLS1_1","features":[114]},{"name":"SecureProtocol_TLS1_2","features":[114]},{"name":"SslErrorFlag_CertCNInvalid","features":[114]},{"name":"SslErrorFlag_CertDateInvalid","features":[114]},{"name":"SslErrorFlag_CertWrongUsage","features":[114]},{"name":"SslErrorFlag_Ignore_All","features":[114]},{"name":"SslErrorFlag_UnknownCA","features":[114]},{"name":"URL_COMPONENTS","features":[114]},{"name":"WINHTTP_ACCESS_TYPE","features":[114]},{"name":"WINHTTP_ACCESS_TYPE_AUTOMATIC_PROXY","features":[114]},{"name":"WINHTTP_ACCESS_TYPE_DEFAULT_PROXY","features":[114]},{"name":"WINHTTP_ACCESS_TYPE_NAMED_PROXY","features":[114]},{"name":"WINHTTP_ACCESS_TYPE_NO_PROXY","features":[114]},{"name":"WINHTTP_ADDREQ_FLAGS_MASK","features":[114]},{"name":"WINHTTP_ADDREQ_FLAG_ADD","features":[114]},{"name":"WINHTTP_ADDREQ_FLAG_ADD_IF_NEW","features":[114]},{"name":"WINHTTP_ADDREQ_FLAG_COALESCE","features":[114]},{"name":"WINHTTP_ADDREQ_FLAG_COALESCE_WITH_COMMA","features":[114]},{"name":"WINHTTP_ADDREQ_FLAG_COALESCE_WITH_SEMICOLON","features":[114]},{"name":"WINHTTP_ADDREQ_FLAG_REPLACE","features":[114]},{"name":"WINHTTP_ADDREQ_INDEX_MASK","features":[114]},{"name":"WINHTTP_ASYNC_RESULT","features":[114]},{"name":"WINHTTP_AUTH_SCHEME_BASIC","features":[114]},{"name":"WINHTTP_AUTH_SCHEME_DIGEST","features":[114]},{"name":"WINHTTP_AUTH_SCHEME_NEGOTIATE","features":[114]},{"name":"WINHTTP_AUTH_SCHEME_NTLM","features":[114]},{"name":"WINHTTP_AUTH_SCHEME_PASSPORT","features":[114]},{"name":"WINHTTP_AUTH_TARGET_PROXY","features":[114]},{"name":"WINHTTP_AUTH_TARGET_SERVER","features":[114]},{"name":"WINHTTP_AUTOLOGON_SECURITY_LEVEL_DEFAULT","features":[114]},{"name":"WINHTTP_AUTOLOGON_SECURITY_LEVEL_HIGH","features":[114]},{"name":"WINHTTP_AUTOLOGON_SECURITY_LEVEL_LOW","features":[114]},{"name":"WINHTTP_AUTOLOGON_SECURITY_LEVEL_MAX","features":[114]},{"name":"WINHTTP_AUTOLOGON_SECURITY_LEVEL_MEDIUM","features":[114]},{"name":"WINHTTP_AUTOLOGON_SECURITY_LEVEL_PROXY_ONLY","features":[114]},{"name":"WINHTTP_AUTOPROXY_ALLOW_AUTOCONFIG","features":[114]},{"name":"WINHTTP_AUTOPROXY_ALLOW_CM","features":[114]},{"name":"WINHTTP_AUTOPROXY_ALLOW_STATIC","features":[114]},{"name":"WINHTTP_AUTOPROXY_AUTO_DETECT","features":[114]},{"name":"WINHTTP_AUTOPROXY_CONFIG_URL","features":[114]},{"name":"WINHTTP_AUTOPROXY_HOST_KEEPCASE","features":[114]},{"name":"WINHTTP_AUTOPROXY_HOST_LOWERCASE","features":[114]},{"name":"WINHTTP_AUTOPROXY_NO_CACHE_CLIENT","features":[114]},{"name":"WINHTTP_AUTOPROXY_NO_CACHE_SVC","features":[114]},{"name":"WINHTTP_AUTOPROXY_NO_DIRECTACCESS","features":[114]},{"name":"WINHTTP_AUTOPROXY_OPTIONS","features":[1,114]},{"name":"WINHTTP_AUTOPROXY_RUN_INPROCESS","features":[114]},{"name":"WINHTTP_AUTOPROXY_RUN_OUTPROCESS_ONLY","features":[114]},{"name":"WINHTTP_AUTOPROXY_SORT_RESULTS","features":[114]},{"name":"WINHTTP_AUTOPROXY_USE_INTERFACE_CONFIG","features":[114]},{"name":"WINHTTP_AUTO_DETECT_TYPE_DHCP","features":[114]},{"name":"WINHTTP_AUTO_DETECT_TYPE_DNS_A","features":[114]},{"name":"WINHTTP_CALLBACK_FLAG_ALL_NOTIFICATIONS","features":[114]},{"name":"WINHTTP_CALLBACK_FLAG_DATA_AVAILABLE","features":[114]},{"name":"WINHTTP_CALLBACK_FLAG_DETECTING_PROXY","features":[114]},{"name":"WINHTTP_CALLBACK_FLAG_GETPROXYFORURL_COMPLETE","features":[114]},{"name":"WINHTTP_CALLBACK_FLAG_GETPROXYSETTINGS_COMPLETE","features":[114]},{"name":"WINHTTP_CALLBACK_FLAG_HEADERS_AVAILABLE","features":[114]},{"name":"WINHTTP_CALLBACK_FLAG_INTERMEDIATE_RESPONSE","features":[114]},{"name":"WINHTTP_CALLBACK_FLAG_READ_COMPLETE","features":[114]},{"name":"WINHTTP_CALLBACK_FLAG_REDIRECT","features":[114]},{"name":"WINHTTP_CALLBACK_FLAG_REQUEST_ERROR","features":[114]},{"name":"WINHTTP_CALLBACK_FLAG_SECURE_FAILURE","features":[114]},{"name":"WINHTTP_CALLBACK_FLAG_SENDREQUEST_COMPLETE","features":[114]},{"name":"WINHTTP_CALLBACK_FLAG_WRITE_COMPLETE","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_CLOSE_COMPLETE","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_CLOSING_CONNECTION","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_CONNECTED_TO_SERVER","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_CONNECTING_TO_SERVER","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_CONNECTION_CLOSED","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_DATA_AVAILABLE","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_DETECTING_PROXY","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_FLAG_CERT_CN_INVALID","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_FLAG_CERT_DATE_INVALID","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_FLAG_CERT_REVOKED","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_FLAG_CERT_REV_FAILED","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_FLAG_CERT_WRONG_USAGE","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_FLAG_INVALID_CA","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_FLAG_INVALID_CERT","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_FLAG_SECURITY_CHANNEL_ERROR","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_GETPROXYFORURL_COMPLETE","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_GETPROXYSETTINGS_COMPLETE","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_HANDLE_CLOSING","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_HANDLE_CREATED","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_HEADERS_AVAILABLE","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_INTERMEDIATE_RESPONSE","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_NAME_RESOLVED","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_READ_COMPLETE","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_RECEIVING_RESPONSE","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_REDIRECT","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_REQUEST_ERROR","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_REQUEST_SENT","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_RESOLVING_NAME","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_RESPONSE_RECEIVED","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_SECURE_FAILURE","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_SENDING_REQUEST","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_SENDREQUEST_COMPLETE","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_SETTINGS_READ_COMPLETE","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_SETTINGS_WRITE_COMPLETE","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_SHUTDOWN_COMPLETE","features":[114]},{"name":"WINHTTP_CALLBACK_STATUS_WRITE_COMPLETE","features":[114]},{"name":"WINHTTP_CERTIFICATE_INFO","features":[1,114]},{"name":"WINHTTP_CONNECTION_GROUP","features":[114]},{"name":"WINHTTP_CONNECTION_INFO","features":[114,15]},{"name":"WINHTTP_CONNECTION_INFO","features":[114,15]},{"name":"WINHTTP_CONNECTION_RETRY_CONDITION_408","features":[114]},{"name":"WINHTTP_CONNECTION_RETRY_CONDITION_SSL_HANDSHAKE","features":[114]},{"name":"WINHTTP_CONNECTION_RETRY_CONDITION_STALE_CONNECTION","features":[114]},{"name":"WINHTTP_CONNS_PER_SERVER_UNLIMITED","features":[114]},{"name":"WINHTTP_CREDS","features":[114]},{"name":"WINHTTP_CREDS_AUTHSCHEME","features":[114]},{"name":"WINHTTP_CREDS_EX","features":[114]},{"name":"WINHTTP_CURRENT_USER_IE_PROXY_CONFIG","features":[1,114]},{"name":"WINHTTP_DECOMPRESSION_FLAG_DEFLATE","features":[114]},{"name":"WINHTTP_DECOMPRESSION_FLAG_GZIP","features":[114]},{"name":"WINHTTP_DISABLE_AUTHENTICATION","features":[114]},{"name":"WINHTTP_DISABLE_COOKIES","features":[114]},{"name":"WINHTTP_DISABLE_KEEP_ALIVE","features":[114]},{"name":"WINHTTP_DISABLE_PASSPORT_AUTH","features":[114]},{"name":"WINHTTP_DISABLE_PASSPORT_KEYRING","features":[114]},{"name":"WINHTTP_DISABLE_REDIRECTS","features":[114]},{"name":"WINHTTP_DISABLE_SPN_SERVER_PORT","features":[114]},{"name":"WINHTTP_ENABLE_PASSPORT_AUTH","features":[114]},{"name":"WINHTTP_ENABLE_PASSPORT_KEYRING","features":[114]},{"name":"WINHTTP_ENABLE_SPN_SERVER_PORT","features":[114]},{"name":"WINHTTP_ENABLE_SSL_REVERT_IMPERSONATION","features":[114]},{"name":"WINHTTP_ENABLE_SSL_REVOCATION","features":[114]},{"name":"WINHTTP_ERROR_BASE","features":[114]},{"name":"WINHTTP_ERROR_LAST","features":[114]},{"name":"WINHTTP_EXTENDED_HEADER","features":[114]},{"name":"WINHTTP_EXTENDED_HEADER_FLAG_UNICODE","features":[114]},{"name":"WINHTTP_FAILED_CONNECTION_RETRIES","features":[114]},{"name":"WINHTTP_FEATURE_ADD_REQUEST_HEADERS_EX","features":[114]},{"name":"WINHTTP_FEATURE_BACKGROUND_CONNECTIONS","features":[114]},{"name":"WINHTTP_FEATURE_CONNECTION_GUID","features":[114]},{"name":"WINHTTP_FEATURE_CONNECTION_STATS_V0","features":[114]},{"name":"WINHTTP_FEATURE_CONNECTION_STATS_V1","features":[114]},{"name":"WINHTTP_FEATURE_DISABLE_CERT_CHAIN_BUILDING","features":[114]},{"name":"WINHTTP_FEATURE_DISABLE_PROXY_AUTH_SCHEMES","features":[114]},{"name":"WINHTTP_FEATURE_DISABLE_SECURE_PROTOCOL_FALLBACK","features":[114]},{"name":"WINHTTP_FEATURE_DISABLE_STREAM_QUEUE","features":[114]},{"name":"WINHTTP_FEATURE_ENABLE_HTTP2_PLUS_CLIENT_CERT","features":[114]},{"name":"WINHTTP_FEATURE_EXPIRE_CONNECTION","features":[114]},{"name":"WINHTTP_FEATURE_EXTENDED_HEADER_FLAG_UNICODE","features":[114]},{"name":"WINHTTP_FEATURE_FAILED_CONNECTION_RETRIES","features":[114]},{"name":"WINHTTP_FEATURE_FIRST_AVAILABLE_CONNECTION","features":[114]},{"name":"WINHTTP_FEATURE_FLAG_AUTOMATIC_CHUNKING","features":[114]},{"name":"WINHTTP_FEATURE_FLAG_SECURE_DEFAULTS","features":[114]},{"name":"WINHTTP_FEATURE_FREE_QUERY_CONNECTION_GROUP_RESULT","features":[114]},{"name":"WINHTTP_FEATURE_HTTP2_KEEPALIVE","features":[114]},{"name":"WINHTTP_FEATURE_HTTP2_PLUS_TRANSFER_ENCODING","features":[114]},{"name":"WINHTTP_FEATURE_HTTP2_RECEIVE_WINDOW","features":[114]},{"name":"WINHTTP_FEATURE_HTTP3_HANDSHAKE_TIMEOUT","features":[114]},{"name":"WINHTTP_FEATURE_HTTP3_INITIAL_RTT","features":[114]},{"name":"WINHTTP_FEATURE_HTTP3_KEEPALIVE","features":[114]},{"name":"WINHTTP_FEATURE_HTTP3_STREAM_ERROR_CODE","features":[114]},{"name":"WINHTTP_FEATURE_HTTP_PROTOCOL_REQUIRED","features":[114]},{"name":"WINHTTP_FEATURE_IGNORE_CERT_REVOCATION_OFFLINE","features":[114]},{"name":"WINHTTP_FEATURE_IPV6_FAST_FALLBACK","features":[114]},{"name":"WINHTTP_FEATURE_IS_FEATURE_SUPPORTED","features":[114]},{"name":"WINHTTP_FEATURE_MATCH_CONNECTION_GUID","features":[114]},{"name":"WINHTTP_FEATURE_MATCH_CONNECTION_GUID_FLAG_REQUIRE_MARKED_CONNECTION","features":[114]},{"name":"WINHTTP_FEATURE_QUERY_CONNECTION_GROUP","features":[114]},{"name":"WINHTTP_FEATURE_QUERY_CONNECTION_GROUP_FLAG_INSECURE","features":[114]},{"name":"WINHTTP_FEATURE_QUERY_EX_ALL_HEADERS","features":[114]},{"name":"WINHTTP_FEATURE_QUERY_FLAG_TRAILERS","features":[114]},{"name":"WINHTTP_FEATURE_QUERY_FLAG_WIRE_ENCODING","features":[114]},{"name":"WINHTTP_FEATURE_QUERY_HEADERS_EX","features":[114]},{"name":"WINHTTP_FEATURE_QUIC_STATS","features":[114]},{"name":"WINHTTP_FEATURE_READ_DATA_EX","features":[114]},{"name":"WINHTTP_FEATURE_READ_DATA_EX_FLAG_FILL_BUFFER","features":[114]},{"name":"WINHTTP_FEATURE_REFERER_TOKEN_BINDING_HOSTNAME","features":[114]},{"name":"WINHTTP_FEATURE_REQUEST_ANNOTATION","features":[114]},{"name":"WINHTTP_FEATURE_REQUEST_STATS","features":[114]},{"name":"WINHTTP_FEATURE_REQUEST_TIMES","features":[114]},{"name":"WINHTTP_FEATURE_REQUIRE_STREAM_END","features":[114]},{"name":"WINHTTP_FEATURE_RESOLUTION_HOSTNAME","features":[114]},{"name":"WINHTTP_FEATURE_RESOLVER_CACHE_CONFIG","features":[114]},{"name":"WINHTTP_FEATURE_RESOLVER_CACHE_CONFIG_FLAG_BYPASS_CACHE","features":[114]},{"name":"WINHTTP_FEATURE_RESOLVER_CACHE_CONFIG_FLAG_CONN_USE_TTL","features":[114]},{"name":"WINHTTP_FEATURE_RESOLVER_CACHE_CONFIG_FLAG_SOFT_LIMIT","features":[114]},{"name":"WINHTTP_FEATURE_RESOLVER_CACHE_CONFIG_FLAG_USE_DNS_TTL","features":[114]},{"name":"WINHTTP_FEATURE_REVERT_IMPERSONATION_SERVER_CERT","features":[114]},{"name":"WINHTTP_FEATURE_SECURITY_FLAG_IGNORE_ALL_CERT_ERRORS","features":[114]},{"name":"WINHTTP_FEATURE_SECURITY_INFO","features":[114]},{"name":"WINHTTP_FEATURE_SERVER_CERT_CHAIN_CONTEXT","features":[114]},{"name":"WINHTTP_FEATURE_SET_PROXY_SETINGS_PER_USER","features":[114]},{"name":"WINHTTP_FEATURE_SET_TOKEN_BINDING","features":[114]},{"name":"WINHTTP_FEATURE_STREAM_ERROR_CODE","features":[114]},{"name":"WINHTTP_FEATURE_TCP_FAST_OPEN","features":[114]},{"name":"WINHTTP_FEATURE_TCP_KEEPALIVE","features":[114]},{"name":"WINHTTP_FEATURE_TCP_PRIORITY_STATUS","features":[114]},{"name":"WINHTTP_FEATURE_TLS_FALSE_START","features":[114]},{"name":"WINHTTP_FEATURE_TLS_PROTOCOL_INSECURE_FALLBACK","features":[114]},{"name":"WINHTTP_FEATURE_TOKEN_BINDING_PUBLIC_KEY","features":[114]},{"name":"WINHTTP_FLAG_ASYNC","features":[114]},{"name":"WINHTTP_FLAG_AUTOMATIC_CHUNKING","features":[114]},{"name":"WINHTTP_FLAG_BYPASS_PROXY_CACHE","features":[114]},{"name":"WINHTTP_FLAG_ESCAPE_DISABLE","features":[114]},{"name":"WINHTTP_FLAG_ESCAPE_DISABLE_QUERY","features":[114]},{"name":"WINHTTP_FLAG_ESCAPE_PERCENT","features":[114]},{"name":"WINHTTP_FLAG_NULL_CODEPAGE","features":[114]},{"name":"WINHTTP_FLAG_REFRESH","features":[114]},{"name":"WINHTTP_FLAG_SECURE","features":[114]},{"name":"WINHTTP_FLAG_SECURE_DEFAULTS","features":[114]},{"name":"WINHTTP_FLAG_SECURE_PROTOCOL_SSL2","features":[114]},{"name":"WINHTTP_FLAG_SECURE_PROTOCOL_SSL3","features":[114]},{"name":"WINHTTP_FLAG_SECURE_PROTOCOL_TLS1","features":[114]},{"name":"WINHTTP_FLAG_SECURE_PROTOCOL_TLS1_1","features":[114]},{"name":"WINHTTP_FLAG_SECURE_PROTOCOL_TLS1_2","features":[114]},{"name":"WINHTTP_FLAG_SECURE_PROTOCOL_TLS1_3","features":[114]},{"name":"WINHTTP_HANDLE_TYPE_CONNECT","features":[114]},{"name":"WINHTTP_HANDLE_TYPE_PROXY_RESOLVER","features":[114]},{"name":"WINHTTP_HANDLE_TYPE_REQUEST","features":[114]},{"name":"WINHTTP_HANDLE_TYPE_SESSION","features":[114]},{"name":"WINHTTP_HANDLE_TYPE_WEBSOCKET","features":[114]},{"name":"WINHTTP_HEADER_NAME","features":[114]},{"name":"WINHTTP_HOST_CONNECTION_GROUP","features":[114]},{"name":"WINHTTP_HTTP2_RECEIVE_WINDOW","features":[114]},{"name":"WINHTTP_IGNORE_REQUEST_TOTAL_LENGTH","features":[114]},{"name":"WINHTTP_INTERNET_SCHEME","features":[114]},{"name":"WINHTTP_INTERNET_SCHEME_FTP","features":[114]},{"name":"WINHTTP_INTERNET_SCHEME_HTTP","features":[114]},{"name":"WINHTTP_INTERNET_SCHEME_HTTPS","features":[114]},{"name":"WINHTTP_INTERNET_SCHEME_SOCKS","features":[114]},{"name":"WINHTTP_LAST_OPTION","features":[114]},{"name":"WINHTTP_MATCH_CONNECTION_GUID","features":[114]},{"name":"WINHTTP_MATCH_CONNECTION_GUID","features":[114]},{"name":"WINHTTP_MATCH_CONNECTION_GUID_FLAGS_MASK","features":[114]},{"name":"WINHTTP_MATCH_CONNECTION_GUID_FLAG_REQUIRE_MARKED_CONNECTION","features":[114]},{"name":"WINHTTP_OPEN_REQUEST_FLAGS","features":[114]},{"name":"WINHTTP_OPTION_ASSURED_NON_BLOCKING_CALLBACKS","features":[114]},{"name":"WINHTTP_OPTION_AUTOLOGON_POLICY","features":[114]},{"name":"WINHTTP_OPTION_BACKGROUND_CONNECTIONS","features":[114]},{"name":"WINHTTP_OPTION_CALLBACK","features":[114]},{"name":"WINHTTP_OPTION_CLIENT_CERT_CONTEXT","features":[114]},{"name":"WINHTTP_OPTION_CLIENT_CERT_ISSUER_LIST","features":[114]},{"name":"WINHTTP_OPTION_CODEPAGE","features":[114]},{"name":"WINHTTP_OPTION_CONFIGURE_PASSPORT_AUTH","features":[114]},{"name":"WINHTTP_OPTION_CONNECTION_FILTER","features":[114]},{"name":"WINHTTP_OPTION_CONNECTION_GUID","features":[114]},{"name":"WINHTTP_OPTION_CONNECTION_INFO","features":[114]},{"name":"WINHTTP_OPTION_CONNECTION_STATS_V0","features":[114]},{"name":"WINHTTP_OPTION_CONNECTION_STATS_V1","features":[114]},{"name":"WINHTTP_OPTION_CONNECT_RETRIES","features":[114]},{"name":"WINHTTP_OPTION_CONNECT_TIMEOUT","features":[114]},{"name":"WINHTTP_OPTION_CONTEXT_VALUE","features":[114]},{"name":"WINHTTP_OPTION_DECOMPRESSION","features":[114]},{"name":"WINHTTP_OPTION_DISABLE_CERT_CHAIN_BUILDING","features":[114]},{"name":"WINHTTP_OPTION_DISABLE_FEATURE","features":[114]},{"name":"WINHTTP_OPTION_DISABLE_GLOBAL_POOLING","features":[114]},{"name":"WINHTTP_OPTION_DISABLE_PROXY_AUTH_SCHEMES","features":[114]},{"name":"WINHTTP_OPTION_DISABLE_SECURE_PROTOCOL_FALLBACK","features":[114]},{"name":"WINHTTP_OPTION_DISABLE_STREAM_QUEUE","features":[114]},{"name":"WINHTTP_OPTION_ENABLETRACING","features":[114]},{"name":"WINHTTP_OPTION_ENABLE_FEATURE","features":[114]},{"name":"WINHTTP_OPTION_ENABLE_HTTP2_PLUS_CLIENT_CERT","features":[114]},{"name":"WINHTTP_OPTION_ENABLE_HTTP_PROTOCOL","features":[114]},{"name":"WINHTTP_OPTION_ENCODE_EXTRA","features":[114]},{"name":"WINHTTP_OPTION_EXPIRE_CONNECTION","features":[114]},{"name":"WINHTTP_OPTION_EXTENDED_ERROR","features":[114]},{"name":"WINHTTP_OPTION_FAILED_CONNECTION_RETRIES","features":[114]},{"name":"WINHTTP_OPTION_FEATURE_SUPPORTED","features":[114]},{"name":"WINHTTP_OPTION_FIRST_AVAILABLE_CONNECTION","features":[114]},{"name":"WINHTTP_OPTION_GLOBAL_PROXY_CREDS","features":[114]},{"name":"WINHTTP_OPTION_GLOBAL_SERVER_CREDS","features":[114]},{"name":"WINHTTP_OPTION_HANDLE_TYPE","features":[114]},{"name":"WINHTTP_OPTION_HTTP2_KEEPALIVE","features":[114]},{"name":"WINHTTP_OPTION_HTTP2_PLUS_TRANSFER_ENCODING","features":[114]},{"name":"WINHTTP_OPTION_HTTP2_RECEIVE_WINDOW","features":[114]},{"name":"WINHTTP_OPTION_HTTP3_HANDSHAKE_TIMEOUT","features":[114]},{"name":"WINHTTP_OPTION_HTTP3_INITIAL_RTT","features":[114]},{"name":"WINHTTP_OPTION_HTTP3_KEEPALIVE","features":[114]},{"name":"WINHTTP_OPTION_HTTP3_STREAM_ERROR_CODE","features":[114]},{"name":"WINHTTP_OPTION_HTTP_PROTOCOL_REQUIRED","features":[114]},{"name":"WINHTTP_OPTION_HTTP_PROTOCOL_USED","features":[114]},{"name":"WINHTTP_OPTION_HTTP_VERSION","features":[114]},{"name":"WINHTTP_OPTION_IGNORE_CERT_REVOCATION_OFFLINE","features":[114]},{"name":"WINHTTP_OPTION_IPV6_FAST_FALLBACK","features":[114]},{"name":"WINHTTP_OPTION_IS_PROXY_CONNECT_RESPONSE","features":[114]},{"name":"WINHTTP_OPTION_KDC_PROXY_SETTINGS","features":[114]},{"name":"WINHTTP_OPTION_MATCH_CONNECTION_GUID","features":[114]},{"name":"WINHTTP_OPTION_MAX_CONNS_PER_1_0_SERVER","features":[114]},{"name":"WINHTTP_OPTION_MAX_CONNS_PER_SERVER","features":[114]},{"name":"WINHTTP_OPTION_MAX_HTTP_AUTOMATIC_REDIRECTS","features":[114]},{"name":"WINHTTP_OPTION_MAX_HTTP_STATUS_CONTINUE","features":[114]},{"name":"WINHTTP_OPTION_MAX_RESPONSE_DRAIN_SIZE","features":[114]},{"name":"WINHTTP_OPTION_MAX_RESPONSE_HEADER_SIZE","features":[114]},{"name":"WINHTTP_OPTION_NETWORK_INTERFACE_AFFINITY","features":[114]},{"name":"WINHTTP_OPTION_PARENT_HANDLE","features":[114]},{"name":"WINHTTP_OPTION_PASSPORT_COBRANDING_TEXT","features":[114]},{"name":"WINHTTP_OPTION_PASSPORT_COBRANDING_URL","features":[114]},{"name":"WINHTTP_OPTION_PASSPORT_RETURN_URL","features":[114]},{"name":"WINHTTP_OPTION_PASSPORT_SIGN_OUT","features":[114]},{"name":"WINHTTP_OPTION_PASSWORD","features":[114]},{"name":"WINHTTP_OPTION_PROXY","features":[114]},{"name":"WINHTTP_OPTION_PROXY_DISABLE_SERVICE_CALLS","features":[114]},{"name":"WINHTTP_OPTION_PROXY_PASSWORD","features":[114]},{"name":"WINHTTP_OPTION_PROXY_RESULT_ENTRY","features":[114]},{"name":"WINHTTP_OPTION_PROXY_SPN_USED","features":[114]},{"name":"WINHTTP_OPTION_PROXY_USERNAME","features":[114]},{"name":"WINHTTP_OPTION_QUIC_STATS","features":[114]},{"name":"WINHTTP_OPTION_READ_BUFFER_SIZE","features":[114]},{"name":"WINHTTP_OPTION_RECEIVE_PROXY_CONNECT_RESPONSE","features":[114]},{"name":"WINHTTP_OPTION_RECEIVE_RESPONSE_TIMEOUT","features":[114]},{"name":"WINHTTP_OPTION_RECEIVE_TIMEOUT","features":[114]},{"name":"WINHTTP_OPTION_REDIRECT_POLICY","features":[114]},{"name":"WINHTTP_OPTION_REDIRECT_POLICY_ALWAYS","features":[114]},{"name":"WINHTTP_OPTION_REDIRECT_POLICY_DEFAULT","features":[114]},{"name":"WINHTTP_OPTION_REDIRECT_POLICY_DISALLOW_HTTPS_TO_HTTP","features":[114]},{"name":"WINHTTP_OPTION_REDIRECT_POLICY_LAST","features":[114]},{"name":"WINHTTP_OPTION_REDIRECT_POLICY_NEVER","features":[114]},{"name":"WINHTTP_OPTION_REFERER_TOKEN_BINDING_HOSTNAME","features":[114]},{"name":"WINHTTP_OPTION_REJECT_USERPWD_IN_URL","features":[114]},{"name":"WINHTTP_OPTION_REQUEST_ANNOTATION","features":[114]},{"name":"WINHTTP_OPTION_REQUEST_ANNOTATION_MAX_LENGTH","features":[114]},{"name":"WINHTTP_OPTION_REQUEST_PRIORITY","features":[114]},{"name":"WINHTTP_OPTION_REQUEST_STATS","features":[114]},{"name":"WINHTTP_OPTION_REQUEST_TIMES","features":[114]},{"name":"WINHTTP_OPTION_REQUIRE_STREAM_END","features":[114]},{"name":"WINHTTP_OPTION_RESOLUTION_HOSTNAME","features":[114]},{"name":"WINHTTP_OPTION_RESOLVER_CACHE_CONFIG","features":[114]},{"name":"WINHTTP_OPTION_RESOLVE_TIMEOUT","features":[114]},{"name":"WINHTTP_OPTION_REVERT_IMPERSONATION_SERVER_CERT","features":[114]},{"name":"WINHTTP_OPTION_SECURE_PROTOCOLS","features":[114]},{"name":"WINHTTP_OPTION_SECURITY_CERTIFICATE_STRUCT","features":[114]},{"name":"WINHTTP_OPTION_SECURITY_FLAGS","features":[114]},{"name":"WINHTTP_OPTION_SECURITY_INFO","features":[114]},{"name":"WINHTTP_OPTION_SECURITY_KEY_BITNESS","features":[114]},{"name":"WINHTTP_OPTION_SEND_TIMEOUT","features":[114]},{"name":"WINHTTP_OPTION_SERVER_CBT","features":[114]},{"name":"WINHTTP_OPTION_SERVER_CERT_CHAIN_CONTEXT","features":[114]},{"name":"WINHTTP_OPTION_SERVER_CERT_CONTEXT","features":[114]},{"name":"WINHTTP_OPTION_SERVER_SPN_USED","features":[114]},{"name":"WINHTTP_OPTION_SET_TOKEN_BINDING","features":[114]},{"name":"WINHTTP_OPTION_SPN","features":[114]},{"name":"WINHTTP_OPTION_SPN_MASK","features":[114]},{"name":"WINHTTP_OPTION_STREAM_ERROR_CODE","features":[114]},{"name":"WINHTTP_OPTION_TCP_FAST_OPEN","features":[114]},{"name":"WINHTTP_OPTION_TCP_KEEPALIVE","features":[114]},{"name":"WINHTTP_OPTION_TCP_PRIORITY_HINT","features":[114]},{"name":"WINHTTP_OPTION_TCP_PRIORITY_STATUS","features":[114]},{"name":"WINHTTP_OPTION_TLS_FALSE_START","features":[114]},{"name":"WINHTTP_OPTION_TLS_PROTOCOL_INSECURE_FALLBACK","features":[114]},{"name":"WINHTTP_OPTION_TOKEN_BINDING_PUBLIC_KEY","features":[114]},{"name":"WINHTTP_OPTION_UNLOAD_NOTIFY_EVENT","features":[114]},{"name":"WINHTTP_OPTION_UNSAFE_HEADER_PARSING","features":[114]},{"name":"WINHTTP_OPTION_UPGRADE_TO_WEB_SOCKET","features":[114]},{"name":"WINHTTP_OPTION_URL","features":[114]},{"name":"WINHTTP_OPTION_USERNAME","features":[114]},{"name":"WINHTTP_OPTION_USER_AGENT","features":[114]},{"name":"WINHTTP_OPTION_USE_GLOBAL_SERVER_CREDENTIALS","features":[114]},{"name":"WINHTTP_OPTION_USE_SESSION_SCH_CRED","features":[114]},{"name":"WINHTTP_OPTION_WEB_SOCKET_CLOSE_TIMEOUT","features":[114]},{"name":"WINHTTP_OPTION_WEB_SOCKET_KEEPALIVE_INTERVAL","features":[114]},{"name":"WINHTTP_OPTION_WEB_SOCKET_RECEIVE_BUFFER_SIZE","features":[114]},{"name":"WINHTTP_OPTION_WEB_SOCKET_SEND_BUFFER_SIZE","features":[114]},{"name":"WINHTTP_OPTION_WORKER_THREAD_COUNT","features":[114]},{"name":"WINHTTP_OPTION_WRITE_BUFFER_SIZE","features":[114]},{"name":"WINHTTP_PROTOCOL_FLAG_HTTP2","features":[114]},{"name":"WINHTTP_PROTOCOL_FLAG_HTTP3","features":[114]},{"name":"WINHTTP_PROXY_CHANGE_CALLBACK","features":[114]},{"name":"WINHTTP_PROXY_DISABLE_AUTH_LOCAL_SERVICE","features":[114]},{"name":"WINHTTP_PROXY_DISABLE_SCHEME_BASIC","features":[114]},{"name":"WINHTTP_PROXY_DISABLE_SCHEME_DIGEST","features":[114]},{"name":"WINHTTP_PROXY_DISABLE_SCHEME_KERBEROS","features":[114]},{"name":"WINHTTP_PROXY_DISABLE_SCHEME_NEGOTIATE","features":[114]},{"name":"WINHTTP_PROXY_DISABLE_SCHEME_NTLM","features":[114]},{"name":"WINHTTP_PROXY_INFO","features":[114]},{"name":"WINHTTP_PROXY_NETWORKING_KEY","features":[114]},{"name":"WINHTTP_PROXY_NOTIFY_CHANGE","features":[114]},{"name":"WINHTTP_PROXY_RESULT","features":[1,114]},{"name":"WINHTTP_PROXY_RESULT_ENTRY","features":[1,114]},{"name":"WINHTTP_PROXY_RESULT_EX","features":[1,114]},{"name":"WINHTTP_PROXY_SETTINGS","features":[1,114]},{"name":"WINHTTP_PROXY_SETTINGS_EX","features":[114]},{"name":"WINHTTP_PROXY_SETTINGS_EX","features":[114]},{"name":"WINHTTP_PROXY_SETTINGS_PARAM","features":[114]},{"name":"WINHTTP_PROXY_SETTINGS_PARAM","features":[114]},{"name":"WINHTTP_PROXY_SETTINGS_TYPE","features":[114]},{"name":"WINHTTP_PROXY_TYPE_AUTO_DETECT","features":[114]},{"name":"WINHTTP_PROXY_TYPE_AUTO_PROXY_URL","features":[114]},{"name":"WINHTTP_PROXY_TYPE_DIRECT","features":[114]},{"name":"WINHTTP_PROXY_TYPE_PROXY","features":[114]},{"name":"WINHTTP_QUERY_ACCEPT","features":[114]},{"name":"WINHTTP_QUERY_ACCEPT_CHARSET","features":[114]},{"name":"WINHTTP_QUERY_ACCEPT_ENCODING","features":[114]},{"name":"WINHTTP_QUERY_ACCEPT_LANGUAGE","features":[114]},{"name":"WINHTTP_QUERY_ACCEPT_RANGES","features":[114]},{"name":"WINHTTP_QUERY_AGE","features":[114]},{"name":"WINHTTP_QUERY_ALLOW","features":[114]},{"name":"WINHTTP_QUERY_AUTHENTICATION_INFO","features":[114]},{"name":"WINHTTP_QUERY_AUTHORIZATION","features":[114]},{"name":"WINHTTP_QUERY_CACHE_CONTROL","features":[114]},{"name":"WINHTTP_QUERY_CONNECTION","features":[114]},{"name":"WINHTTP_QUERY_CONNECTION_GROUP_RESULT","features":[114]},{"name":"WINHTTP_QUERY_CONTENT_BASE","features":[114]},{"name":"WINHTTP_QUERY_CONTENT_DESCRIPTION","features":[114]},{"name":"WINHTTP_QUERY_CONTENT_DISPOSITION","features":[114]},{"name":"WINHTTP_QUERY_CONTENT_ENCODING","features":[114]},{"name":"WINHTTP_QUERY_CONTENT_ID","features":[114]},{"name":"WINHTTP_QUERY_CONTENT_LANGUAGE","features":[114]},{"name":"WINHTTP_QUERY_CONTENT_LENGTH","features":[114]},{"name":"WINHTTP_QUERY_CONTENT_LOCATION","features":[114]},{"name":"WINHTTP_QUERY_CONTENT_MD5","features":[114]},{"name":"WINHTTP_QUERY_CONTENT_RANGE","features":[114]},{"name":"WINHTTP_QUERY_CONTENT_TRANSFER_ENCODING","features":[114]},{"name":"WINHTTP_QUERY_CONTENT_TYPE","features":[114]},{"name":"WINHTTP_QUERY_COOKIE","features":[114]},{"name":"WINHTTP_QUERY_COST","features":[114]},{"name":"WINHTTP_QUERY_CUSTOM","features":[114]},{"name":"WINHTTP_QUERY_DATE","features":[114]},{"name":"WINHTTP_QUERY_DERIVED_FROM","features":[114]},{"name":"WINHTTP_QUERY_ETAG","features":[114]},{"name":"WINHTTP_QUERY_EXPECT","features":[114]},{"name":"WINHTTP_QUERY_EXPIRES","features":[114]},{"name":"WINHTTP_QUERY_EX_ALL_HEADERS","features":[114]},{"name":"WINHTTP_QUERY_FLAG_NUMBER","features":[114]},{"name":"WINHTTP_QUERY_FLAG_NUMBER64","features":[114]},{"name":"WINHTTP_QUERY_FLAG_REQUEST_HEADERS","features":[114]},{"name":"WINHTTP_QUERY_FLAG_SYSTEMTIME","features":[114]},{"name":"WINHTTP_QUERY_FLAG_TRAILERS","features":[114]},{"name":"WINHTTP_QUERY_FLAG_WIRE_ENCODING","features":[114]},{"name":"WINHTTP_QUERY_FORWARDED","features":[114]},{"name":"WINHTTP_QUERY_FROM","features":[114]},{"name":"WINHTTP_QUERY_HOST","features":[114]},{"name":"WINHTTP_QUERY_IF_MATCH","features":[114]},{"name":"WINHTTP_QUERY_IF_MODIFIED_SINCE","features":[114]},{"name":"WINHTTP_QUERY_IF_NONE_MATCH","features":[114]},{"name":"WINHTTP_QUERY_IF_RANGE","features":[114]},{"name":"WINHTTP_QUERY_IF_UNMODIFIED_SINCE","features":[114]},{"name":"WINHTTP_QUERY_LAST_MODIFIED","features":[114]},{"name":"WINHTTP_QUERY_LINK","features":[114]},{"name":"WINHTTP_QUERY_LOCATION","features":[114]},{"name":"WINHTTP_QUERY_MAX","features":[114]},{"name":"WINHTTP_QUERY_MAX_FORWARDS","features":[114]},{"name":"WINHTTP_QUERY_MESSAGE_ID","features":[114]},{"name":"WINHTTP_QUERY_MIME_VERSION","features":[114]},{"name":"WINHTTP_QUERY_ORIG_URI","features":[114]},{"name":"WINHTTP_QUERY_PASSPORT_CONFIG","features":[114]},{"name":"WINHTTP_QUERY_PASSPORT_URLS","features":[114]},{"name":"WINHTTP_QUERY_PRAGMA","features":[114]},{"name":"WINHTTP_QUERY_PROXY_AUTHENTICATE","features":[114]},{"name":"WINHTTP_QUERY_PROXY_AUTHORIZATION","features":[114]},{"name":"WINHTTP_QUERY_PROXY_CONNECTION","features":[114]},{"name":"WINHTTP_QUERY_PROXY_SUPPORT","features":[114]},{"name":"WINHTTP_QUERY_PUBLIC","features":[114]},{"name":"WINHTTP_QUERY_RANGE","features":[114]},{"name":"WINHTTP_QUERY_RAW_HEADERS","features":[114]},{"name":"WINHTTP_QUERY_RAW_HEADERS_CRLF","features":[114]},{"name":"WINHTTP_QUERY_REFERER","features":[114]},{"name":"WINHTTP_QUERY_REFRESH","features":[114]},{"name":"WINHTTP_QUERY_REQUEST_METHOD","features":[114]},{"name":"WINHTTP_QUERY_RETRY_AFTER","features":[114]},{"name":"WINHTTP_QUERY_SERVER","features":[114]},{"name":"WINHTTP_QUERY_SET_COOKIE","features":[114]},{"name":"WINHTTP_QUERY_STATUS_CODE","features":[114]},{"name":"WINHTTP_QUERY_STATUS_TEXT","features":[114]},{"name":"WINHTTP_QUERY_TITLE","features":[114]},{"name":"WINHTTP_QUERY_TRANSFER_ENCODING","features":[114]},{"name":"WINHTTP_QUERY_UNLESS_MODIFIED_SINCE","features":[114]},{"name":"WINHTTP_QUERY_UPGRADE","features":[114]},{"name":"WINHTTP_QUERY_URI","features":[114]},{"name":"WINHTTP_QUERY_USER_AGENT","features":[114]},{"name":"WINHTTP_QUERY_VARY","features":[114]},{"name":"WINHTTP_QUERY_VERSION","features":[114]},{"name":"WINHTTP_QUERY_VIA","features":[114]},{"name":"WINHTTP_QUERY_WARNING","features":[114]},{"name":"WINHTTP_QUERY_WWW_AUTHENTICATE","features":[114]},{"name":"WINHTTP_REQUEST_STATS","features":[114]},{"name":"WINHTTP_REQUEST_STATS","features":[114]},{"name":"WINHTTP_REQUEST_STAT_ENTRY","features":[114]},{"name":"WINHTTP_REQUEST_STAT_FLAG_FIRST_REQUEST","features":[114]},{"name":"WINHTTP_REQUEST_STAT_FLAG_PROXY_TLS_FALSE_START","features":[114]},{"name":"WINHTTP_REQUEST_STAT_FLAG_PROXY_TLS_SESSION_RESUMPTION","features":[114]},{"name":"WINHTTP_REQUEST_STAT_FLAG_TCP_FAST_OPEN","features":[114]},{"name":"WINHTTP_REQUEST_STAT_FLAG_TLS_FALSE_START","features":[114]},{"name":"WINHTTP_REQUEST_STAT_FLAG_TLS_SESSION_RESUMPTION","features":[114]},{"name":"WINHTTP_REQUEST_TIMES","features":[114]},{"name":"WINHTTP_REQUEST_TIMES","features":[114]},{"name":"WINHTTP_REQUEST_TIME_ENTRY","features":[114]},{"name":"WINHTTP_RESET_ALL","features":[114]},{"name":"WINHTTP_RESET_DISCARD_RESOLVERS","features":[114]},{"name":"WINHTTP_RESET_NOTIFY_NETWORK_CHANGED","features":[114]},{"name":"WINHTTP_RESET_OUT_OF_PROC","features":[114]},{"name":"WINHTTP_RESET_SCRIPT_CACHE","features":[114]},{"name":"WINHTTP_RESET_STATE","features":[114]},{"name":"WINHTTP_RESET_SWPAD_ALL","features":[114]},{"name":"WINHTTP_RESET_SWPAD_CURRENT_NETWORK","features":[114]},{"name":"WINHTTP_RESOLVER_CACHE_CONFIG","features":[114]},{"name":"WINHTTP_RESOLVER_CACHE_CONFIG","features":[114]},{"name":"WINHTTP_RESOLVER_CACHE_CONFIG_FLAG_BYPASS_CACHE","features":[114]},{"name":"WINHTTP_RESOLVER_CACHE_CONFIG_FLAG_CONN_USE_TTL","features":[114]},{"name":"WINHTTP_RESOLVER_CACHE_CONFIG_FLAG_SOFT_LIMIT","features":[114]},{"name":"WINHTTP_RESOLVER_CACHE_CONFIG_FLAG_USE_DNS_TTL","features":[114]},{"name":"WINHTTP_SECURE_DNS_SETTING","features":[114]},{"name":"WINHTTP_STATUS_CALLBACK","features":[114]},{"name":"WINHTTP_TIME_FORMAT_BUFSIZE","features":[114]},{"name":"WINHTTP_WEB_SOCKET_ABORTED_CLOSE_STATUS","features":[114]},{"name":"WINHTTP_WEB_SOCKET_ASYNC_RESULT","features":[114]},{"name":"WINHTTP_WEB_SOCKET_BINARY_FRAGMENT_BUFFER_TYPE","features":[114]},{"name":"WINHTTP_WEB_SOCKET_BINARY_MESSAGE_BUFFER_TYPE","features":[114]},{"name":"WINHTTP_WEB_SOCKET_BUFFER_TYPE","features":[114]},{"name":"WINHTTP_WEB_SOCKET_CLOSE_BUFFER_TYPE","features":[114]},{"name":"WINHTTP_WEB_SOCKET_CLOSE_OPERATION","features":[114]},{"name":"WINHTTP_WEB_SOCKET_CLOSE_STATUS","features":[114]},{"name":"WINHTTP_WEB_SOCKET_EMPTY_CLOSE_STATUS","features":[114]},{"name":"WINHTTP_WEB_SOCKET_ENDPOINT_TERMINATED_CLOSE_STATUS","features":[114]},{"name":"WINHTTP_WEB_SOCKET_INVALID_DATA_TYPE_CLOSE_STATUS","features":[114]},{"name":"WINHTTP_WEB_SOCKET_INVALID_PAYLOAD_CLOSE_STATUS","features":[114]},{"name":"WINHTTP_WEB_SOCKET_MAX_CLOSE_REASON_LENGTH","features":[114]},{"name":"WINHTTP_WEB_SOCKET_MESSAGE_TOO_BIG_CLOSE_STATUS","features":[114]},{"name":"WINHTTP_WEB_SOCKET_MIN_KEEPALIVE_VALUE","features":[114]},{"name":"WINHTTP_WEB_SOCKET_OPERATION","features":[114]},{"name":"WINHTTP_WEB_SOCKET_POLICY_VIOLATION_CLOSE_STATUS","features":[114]},{"name":"WINHTTP_WEB_SOCKET_PROTOCOL_ERROR_CLOSE_STATUS","features":[114]},{"name":"WINHTTP_WEB_SOCKET_RECEIVE_OPERATION","features":[114]},{"name":"WINHTTP_WEB_SOCKET_SECURE_HANDSHAKE_ERROR_CLOSE_STATUS","features":[114]},{"name":"WINHTTP_WEB_SOCKET_SEND_OPERATION","features":[114]},{"name":"WINHTTP_WEB_SOCKET_SERVER_ERROR_CLOSE_STATUS","features":[114]},{"name":"WINHTTP_WEB_SOCKET_SHUTDOWN_OPERATION","features":[114]},{"name":"WINHTTP_WEB_SOCKET_STATUS","features":[114]},{"name":"WINHTTP_WEB_SOCKET_SUCCESS_CLOSE_STATUS","features":[114]},{"name":"WINHTTP_WEB_SOCKET_UNSUPPORTED_EXTENSIONS_CLOSE_STATUS","features":[114]},{"name":"WINHTTP_WEB_SOCKET_UTF8_FRAGMENT_BUFFER_TYPE","features":[114]},{"name":"WINHTTP_WEB_SOCKET_UTF8_MESSAGE_BUFFER_TYPE","features":[114]},{"name":"WIN_HTTP_CREATE_URL_FLAGS","features":[114]},{"name":"WinHttpAddRequestHeaders","features":[1,114]},{"name":"WinHttpAddRequestHeadersEx","features":[114]},{"name":"WinHttpCheckPlatform","features":[1,114]},{"name":"WinHttpCloseHandle","features":[1,114]},{"name":"WinHttpConnect","features":[114]},{"name":"WinHttpConnectFailureCount","features":[114]},{"name":"WinHttpConnectionAcquireEnd","features":[114]},{"name":"WinHttpConnectionAcquireStart","features":[114]},{"name":"WinHttpConnectionAcquireWaitEnd","features":[114]},{"name":"WinHttpConnectionEstablishmentEnd","features":[114]},{"name":"WinHttpConnectionEstablishmentStart","features":[114]},{"name":"WinHttpCrackUrl","features":[1,114]},{"name":"WinHttpCreateProxyResolver","features":[114]},{"name":"WinHttpCreateUrl","features":[1,114]},{"name":"WinHttpDetectAutoProxyConfigUrl","features":[1,114]},{"name":"WinHttpFreeProxyResult","features":[1,114]},{"name":"WinHttpFreeProxyResultEx","features":[1,114]},{"name":"WinHttpFreeProxySettings","features":[1,114]},{"name":"WinHttpFreeProxySettingsEx","features":[114]},{"name":"WinHttpFreeQueryConnectionGroupResult","features":[114]},{"name":"WinHttpGetDefaultProxyConfiguration","features":[1,114]},{"name":"WinHttpGetIEProxyConfigForCurrentUser","features":[1,114]},{"name":"WinHttpGetProxyForUrl","features":[1,114]},{"name":"WinHttpGetProxyForUrlEx","features":[1,114]},{"name":"WinHttpGetProxyForUrlEx2","features":[1,114]},{"name":"WinHttpGetProxyResult","features":[1,114]},{"name":"WinHttpGetProxyResultEx","features":[1,114]},{"name":"WinHttpGetProxySettingsEx","features":[114]},{"name":"WinHttpGetProxySettingsResultEx","features":[114]},{"name":"WinHttpGetProxySettingsVersion","features":[114]},{"name":"WinHttpNameResolutionEnd","features":[114]},{"name":"WinHttpNameResolutionStart","features":[114]},{"name":"WinHttpOpen","features":[114]},{"name":"WinHttpOpenRequest","features":[114]},{"name":"WinHttpProxyDetectionEnd","features":[114]},{"name":"WinHttpProxyDetectionStart","features":[114]},{"name":"WinHttpProxyFailureCount","features":[114]},{"name":"WinHttpProxySettingsTypeUnknown","features":[114]},{"name":"WinHttpProxySettingsTypeWsa","features":[114]},{"name":"WinHttpProxySettingsTypeWsl","features":[114]},{"name":"WinHttpProxyTlsHandshakeClientLeg1End","features":[114]},{"name":"WinHttpProxyTlsHandshakeClientLeg1Size","features":[114]},{"name":"WinHttpProxyTlsHandshakeClientLeg1Start","features":[114]},{"name":"WinHttpProxyTlsHandshakeClientLeg2End","features":[114]},{"name":"WinHttpProxyTlsHandshakeClientLeg2Size","features":[114]},{"name":"WinHttpProxyTlsHandshakeClientLeg2Start","features":[114]},{"name":"WinHttpProxyTlsHandshakeClientLeg3End","features":[114]},{"name":"WinHttpProxyTlsHandshakeClientLeg3Start","features":[114]},{"name":"WinHttpProxyTlsHandshakeServerLeg1Size","features":[114]},{"name":"WinHttpProxyTlsHandshakeServerLeg2Size","features":[114]},{"name":"WinHttpProxyTunnelEnd","features":[114]},{"name":"WinHttpProxyTunnelStart","features":[114]},{"name":"WinHttpQueryAuthSchemes","features":[1,114]},{"name":"WinHttpQueryConnectionGroup","features":[114]},{"name":"WinHttpQueryDataAvailable","features":[1,114]},{"name":"WinHttpQueryHeaders","features":[1,114]},{"name":"WinHttpQueryHeadersEx","features":[114]},{"name":"WinHttpQueryOption","features":[1,114]},{"name":"WinHttpReadData","features":[1,114]},{"name":"WinHttpReadDataEx","features":[114]},{"name":"WinHttpReadProxySettings","features":[1,114]},{"name":"WinHttpReceiveResponse","features":[1,114]},{"name":"WinHttpReceiveResponseBodyDecompressionDelta","features":[114]},{"name":"WinHttpReceiveResponseEnd","features":[114]},{"name":"WinHttpReceiveResponseHeadersDecompressionEnd","features":[114]},{"name":"WinHttpReceiveResponseHeadersDecompressionStart","features":[114]},{"name":"WinHttpReceiveResponseHeadersEnd","features":[114]},{"name":"WinHttpReceiveResponseStart","features":[114]},{"name":"WinHttpRegisterProxyChangeNotification","features":[114]},{"name":"WinHttpRequest","features":[114]},{"name":"WinHttpRequestAutoLogonPolicy","features":[114]},{"name":"WinHttpRequestHeadersCompressedSize","features":[114]},{"name":"WinHttpRequestHeadersSize","features":[114]},{"name":"WinHttpRequestOption","features":[114]},{"name":"WinHttpRequestOption_EnableCertificateRevocationCheck","features":[114]},{"name":"WinHttpRequestOption_EnableHttp1_1","features":[114]},{"name":"WinHttpRequestOption_EnableHttpsToHttpRedirects","features":[114]},{"name":"WinHttpRequestOption_EnablePassportAuthentication","features":[114]},{"name":"WinHttpRequestOption_EnableRedirects","features":[114]},{"name":"WinHttpRequestOption_EnableTracing","features":[114]},{"name":"WinHttpRequestOption_EscapePercentInURL","features":[114]},{"name":"WinHttpRequestOption_MaxAutomaticRedirects","features":[114]},{"name":"WinHttpRequestOption_MaxResponseDrainSize","features":[114]},{"name":"WinHttpRequestOption_MaxResponseHeaderSize","features":[114]},{"name":"WinHttpRequestOption_RejectUserpwd","features":[114]},{"name":"WinHttpRequestOption_RevertImpersonationOverSsl","features":[114]},{"name":"WinHttpRequestOption_SecureProtocols","features":[114]},{"name":"WinHttpRequestOption_SelectCertificate","features":[114]},{"name":"WinHttpRequestOption_SslErrorIgnoreFlags","features":[114]},{"name":"WinHttpRequestOption_URL","features":[114]},{"name":"WinHttpRequestOption_URLCodePage","features":[114]},{"name":"WinHttpRequestOption_UrlEscapeDisable","features":[114]},{"name":"WinHttpRequestOption_UrlEscapeDisableQuery","features":[114]},{"name":"WinHttpRequestOption_UserAgentString","features":[114]},{"name":"WinHttpRequestSecureProtocols","features":[114]},{"name":"WinHttpRequestSslErrorFlags","features":[114]},{"name":"WinHttpRequestStatLast","features":[114]},{"name":"WinHttpRequestStatMax","features":[114]},{"name":"WinHttpRequestTimeLast","features":[114]},{"name":"WinHttpRequestTimeMax","features":[114]},{"name":"WinHttpResetAutoProxy","features":[114]},{"name":"WinHttpResponseBodyCompressedSize","features":[114]},{"name":"WinHttpResponseBodySize","features":[114]},{"name":"WinHttpResponseHeadersCompressedSize","features":[114]},{"name":"WinHttpResponseHeadersSize","features":[114]},{"name":"WinHttpSecureDnsSettingDefault","features":[114]},{"name":"WinHttpSecureDnsSettingForcePlaintext","features":[114]},{"name":"WinHttpSecureDnsSettingMax","features":[114]},{"name":"WinHttpSecureDnsSettingRequireEncryption","features":[114]},{"name":"WinHttpSecureDnsSettingTryEncryptionWithFallback","features":[114]},{"name":"WinHttpSendRequest","features":[1,114]},{"name":"WinHttpSendRequestEnd","features":[114]},{"name":"WinHttpSendRequestHeadersCompressionEnd","features":[114]},{"name":"WinHttpSendRequestHeadersCompressionStart","features":[114]},{"name":"WinHttpSendRequestHeadersEnd","features":[114]},{"name":"WinHttpSendRequestStart","features":[114]},{"name":"WinHttpSetCredentials","features":[1,114]},{"name":"WinHttpSetDefaultProxyConfiguration","features":[1,114]},{"name":"WinHttpSetOption","features":[1,114]},{"name":"WinHttpSetProxySettingsPerUser","features":[1,114]},{"name":"WinHttpSetStatusCallback","features":[114]},{"name":"WinHttpSetTimeouts","features":[1,114]},{"name":"WinHttpStreamWaitEnd","features":[114]},{"name":"WinHttpStreamWaitStart","features":[114]},{"name":"WinHttpTimeFromSystemTime","features":[1,114]},{"name":"WinHttpTimeToSystemTime","features":[1,114]},{"name":"WinHttpTlsHandshakeClientLeg1End","features":[114]},{"name":"WinHttpTlsHandshakeClientLeg1Size","features":[114]},{"name":"WinHttpTlsHandshakeClientLeg1Start","features":[114]},{"name":"WinHttpTlsHandshakeClientLeg2End","features":[114]},{"name":"WinHttpTlsHandshakeClientLeg2Size","features":[114]},{"name":"WinHttpTlsHandshakeClientLeg2Start","features":[114]},{"name":"WinHttpTlsHandshakeClientLeg3End","features":[114]},{"name":"WinHttpTlsHandshakeClientLeg3Start","features":[114]},{"name":"WinHttpTlsHandshakeServerLeg1Size","features":[114]},{"name":"WinHttpTlsHandshakeServerLeg2Size","features":[114]},{"name":"WinHttpUnregisterProxyChangeNotification","features":[114]},{"name":"WinHttpWebSocketClose","features":[114]},{"name":"WinHttpWebSocketCompleteUpgrade","features":[114]},{"name":"WinHttpWebSocketQueryCloseStatus","features":[114]},{"name":"WinHttpWebSocketReceive","features":[114]},{"name":"WinHttpWebSocketSend","features":[114]},{"name":"WinHttpWebSocketShutdown","features":[114]},{"name":"WinHttpWriteData","features":[1,114]},{"name":"WinHttpWriteProxySettings","features":[1,114]}],"476":[{"name":"ANY_CACHE_ENTRY","features":[115]},{"name":"APP_CACHE_DOWNLOAD_ENTRY","features":[115]},{"name":"APP_CACHE_DOWNLOAD_LIST","features":[115]},{"name":"APP_CACHE_ENTRY_TYPE_EXPLICIT","features":[115]},{"name":"APP_CACHE_ENTRY_TYPE_FALLBACK","features":[115]},{"name":"APP_CACHE_ENTRY_TYPE_FOREIGN","features":[115]},{"name":"APP_CACHE_ENTRY_TYPE_MANIFEST","features":[115]},{"name":"APP_CACHE_ENTRY_TYPE_MASTER","features":[115]},{"name":"APP_CACHE_FINALIZE_STATE","features":[115]},{"name":"APP_CACHE_GROUP_INFO","features":[1,115]},{"name":"APP_CACHE_GROUP_LIST","features":[1,115]},{"name":"APP_CACHE_LOOKUP_NO_MASTER_ONLY","features":[115]},{"name":"APP_CACHE_STATE","features":[115]},{"name":"AUTH_FLAG_DISABLE_BASIC_CLEARCHANNEL","features":[115]},{"name":"AUTH_FLAG_DISABLE_NEGOTIATE","features":[115]},{"name":"AUTH_FLAG_DISABLE_SERVER_AUTH","features":[115]},{"name":"AUTH_FLAG_ENABLE_NEGOTIATE","features":[115]},{"name":"AUTH_FLAG_RESET","features":[115]},{"name":"AUTODIAL_MODE_ALWAYS","features":[115]},{"name":"AUTODIAL_MODE_NEVER","features":[115]},{"name":"AUTODIAL_MODE_NO_NETWORK_PRESENT","features":[115]},{"name":"AUTO_PROXY_FLAG_ALWAYS_DETECT","features":[115]},{"name":"AUTO_PROXY_FLAG_CACHE_INIT_RUN","features":[115]},{"name":"AUTO_PROXY_FLAG_DETECTION_RUN","features":[115]},{"name":"AUTO_PROXY_FLAG_DETECTION_SUSPECT","features":[115]},{"name":"AUTO_PROXY_FLAG_DONT_CACHE_PROXY_RESULT","features":[115]},{"name":"AUTO_PROXY_FLAG_MIGRATED","features":[115]},{"name":"AUTO_PROXY_FLAG_USER_SET","features":[115]},{"name":"AUTO_PROXY_SCRIPT_BUFFER","features":[115]},{"name":"AppCacheCheckManifest","features":[115]},{"name":"AppCacheCloseHandle","features":[115]},{"name":"AppCacheCreateAndCommitFile","features":[115]},{"name":"AppCacheDeleteGroup","features":[115]},{"name":"AppCacheDeleteIEGroup","features":[115]},{"name":"AppCacheDuplicateHandle","features":[115]},{"name":"AppCacheFinalize","features":[115]},{"name":"AppCacheFinalizeStateComplete","features":[115]},{"name":"AppCacheFinalizeStateIncomplete","features":[115]},{"name":"AppCacheFinalizeStateManifestChange","features":[115]},{"name":"AppCacheFreeDownloadList","features":[115]},{"name":"AppCacheFreeGroupList","features":[1,115]},{"name":"AppCacheFreeIESpace","features":[1,115]},{"name":"AppCacheFreeSpace","features":[1,115]},{"name":"AppCacheGetDownloadList","features":[115]},{"name":"AppCacheGetFallbackUrl","features":[115]},{"name":"AppCacheGetGroupList","features":[1,115]},{"name":"AppCacheGetIEGroupList","features":[1,115]},{"name":"AppCacheGetInfo","features":[1,115]},{"name":"AppCacheGetManifestUrl","features":[115]},{"name":"AppCacheLookup","features":[115]},{"name":"AppCacheStateNoUpdateNeeded","features":[115]},{"name":"AppCacheStateUpdateNeeded","features":[115]},{"name":"AppCacheStateUpdateNeededMasterOnly","features":[115]},{"name":"AppCacheStateUpdateNeededNew","features":[115]},{"name":"AutoProxyHelperFunctions","features":[115]},{"name":"AutoProxyHelperVtbl","features":[115]},{"name":"CACHEGROUP_ATTRIBUTE_BASIC","features":[115]},{"name":"CACHEGROUP_ATTRIBUTE_FLAG","features":[115]},{"name":"CACHEGROUP_ATTRIBUTE_GET_ALL","features":[115]},{"name":"CACHEGROUP_ATTRIBUTE_GROUPNAME","features":[115]},{"name":"CACHEGROUP_ATTRIBUTE_QUOTA","features":[115]},{"name":"CACHEGROUP_ATTRIBUTE_STORAGE","features":[115]},{"name":"CACHEGROUP_ATTRIBUTE_TYPE","features":[115]},{"name":"CACHEGROUP_FLAG_FLUSHURL_ONDELETE","features":[115]},{"name":"CACHEGROUP_FLAG_GIDONLY","features":[115]},{"name":"CACHEGROUP_FLAG_NONPURGEABLE","features":[115]},{"name":"CACHEGROUP_FLAG_VALID","features":[115]},{"name":"CACHEGROUP_ID_BUILTIN_STICKY","features":[115]},{"name":"CACHEGROUP_SEARCH_ALL","features":[115]},{"name":"CACHEGROUP_SEARCH_BYURL","features":[115]},{"name":"CACHEGROUP_TYPE_INVALID","features":[115]},{"name":"CACHE_CONFIG","features":[115]},{"name":"CACHE_CONFIG_APPCONTAINER_CONTENT_QUOTA_FC","features":[115]},{"name":"CACHE_CONFIG_APPCONTAINER_TOTAL_CONTENT_QUOTA_FC","features":[115]},{"name":"CACHE_CONFIG_CONTENT_PATHS_FC","features":[115]},{"name":"CACHE_CONFIG_CONTENT_QUOTA_FC","features":[115]},{"name":"CACHE_CONFIG_CONTENT_USAGE_FC","features":[115]},{"name":"CACHE_CONFIG_COOKIES_PATHS_FC","features":[115]},{"name":"CACHE_CONFIG_DISK_CACHE_PATHS_FC","features":[115]},{"name":"CACHE_CONFIG_FORCE_CLEANUP_FC","features":[115]},{"name":"CACHE_CONFIG_HISTORY_PATHS_FC","features":[115]},{"name":"CACHE_CONFIG_QUOTA_FC","features":[115]},{"name":"CACHE_CONFIG_STICKY_CONTENT_USAGE_FC","features":[115]},{"name":"CACHE_CONFIG_SYNC_MODE_FC","features":[115]},{"name":"CACHE_CONFIG_TOTAL_CONTENT_QUOTA_FC","features":[115]},{"name":"CACHE_CONFIG_USER_MODE_FC","features":[115]},{"name":"CACHE_ENTRY_ACCTIME_FC","features":[115]},{"name":"CACHE_ENTRY_ATTRIBUTE_FC","features":[115]},{"name":"CACHE_ENTRY_EXEMPT_DELTA_FC","features":[115]},{"name":"CACHE_ENTRY_EXPTIME_FC","features":[115]},{"name":"CACHE_ENTRY_HEADERINFO_FC","features":[115]},{"name":"CACHE_ENTRY_HITRATE_FC","features":[115]},{"name":"CACHE_ENTRY_MODIFY_DATA_FC","features":[115]},{"name":"CACHE_ENTRY_MODTIME_FC","features":[115]},{"name":"CACHE_ENTRY_SYNCTIME_FC","features":[115]},{"name":"CACHE_ENTRY_TYPE_FC","features":[115]},{"name":"CACHE_FIND_CONTAINER_RETURN_NOCHANGE","features":[115]},{"name":"CACHE_HEADER_DATA_CACHE_READ_COUNT_SINCE_LAST_SCAVENGE","features":[115]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_12","features":[115]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_13","features":[115]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_15","features":[115]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_16","features":[115]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_17","features":[115]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_18","features":[115]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_19","features":[115]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_20","features":[115]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_23","features":[115]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_24","features":[115]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_25","features":[115]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_26","features":[115]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_28","features":[115]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_29","features":[115]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_30","features":[115]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_31","features":[115]},{"name":"CACHE_HEADER_DATA_CACHE_WRITE_COUNT_SINCE_LAST_SCAVENGE","features":[115]},{"name":"CACHE_HEADER_DATA_CONLIST_CHANGE_COUNT","features":[115]},{"name":"CACHE_HEADER_DATA_COOKIE_CHANGE_COUNT","features":[115]},{"name":"CACHE_HEADER_DATA_CURRENT_SETTINGS_VERSION","features":[115]},{"name":"CACHE_HEADER_DATA_DOWNLOAD_PARTIAL","features":[115]},{"name":"CACHE_HEADER_DATA_GID_HIGH","features":[115]},{"name":"CACHE_HEADER_DATA_GID_LOW","features":[115]},{"name":"CACHE_HEADER_DATA_HSTS_CHANGE_COUNT","features":[115]},{"name":"CACHE_HEADER_DATA_LAST","features":[115]},{"name":"CACHE_HEADER_DATA_LAST_SCAVENGE_TIMESTAMP","features":[115]},{"name":"CACHE_HEADER_DATA_NOTIFICATION_FILTER","features":[115]},{"name":"CACHE_HEADER_DATA_NOTIFICATION_HWND","features":[115]},{"name":"CACHE_HEADER_DATA_NOTIFICATION_MESG","features":[115]},{"name":"CACHE_HEADER_DATA_ROOTGROUP_OFFSET","features":[115]},{"name":"CACHE_HEADER_DATA_ROOT_GROUPLIST_OFFSET","features":[115]},{"name":"CACHE_HEADER_DATA_ROOT_LEAK_OFFSET","features":[115]},{"name":"CACHE_HEADER_DATA_SSL_STATE_COUNT","features":[115]},{"name":"CACHE_NOTIFY_ADD_URL","features":[115]},{"name":"CACHE_NOTIFY_DELETE_ALL","features":[115]},{"name":"CACHE_NOTIFY_DELETE_URL","features":[115]},{"name":"CACHE_NOTIFY_FILTER_CHANGED","features":[115]},{"name":"CACHE_NOTIFY_SET_OFFLINE","features":[115]},{"name":"CACHE_NOTIFY_SET_ONLINE","features":[115]},{"name":"CACHE_NOTIFY_UPDATE_URL","features":[115]},{"name":"CACHE_NOTIFY_URL_SET_STICKY","features":[115]},{"name":"CACHE_NOTIFY_URL_UNSET_STICKY","features":[115]},{"name":"CACHE_OPERATOR","features":[1,115]},{"name":"COOKIE_ACCEPTED_CACHE_ENTRY","features":[115]},{"name":"COOKIE_ALLOW","features":[115]},{"name":"COOKIE_ALLOW_ALL","features":[115]},{"name":"COOKIE_CACHE_ENTRY","features":[115]},{"name":"COOKIE_DLG_INFO","features":[1,115]},{"name":"COOKIE_DONT_ALLOW","features":[115]},{"name":"COOKIE_DONT_ALLOW_ALL","features":[115]},{"name":"COOKIE_DOWNGRADED_CACHE_ENTRY","features":[115]},{"name":"COOKIE_LEASHED_CACHE_ENTRY","features":[115]},{"name":"COOKIE_OP_3RD_PARTY","features":[115]},{"name":"COOKIE_OP_GET","features":[115]},{"name":"COOKIE_OP_MODIFY","features":[115]},{"name":"COOKIE_OP_PERSISTENT","features":[115]},{"name":"COOKIE_OP_SESSION","features":[115]},{"name":"COOKIE_OP_SET","features":[115]},{"name":"COOKIE_REJECTED_CACHE_ENTRY","features":[115]},{"name":"COOKIE_STATE_ACCEPT","features":[115]},{"name":"COOKIE_STATE_DOWNGRADE","features":[115]},{"name":"COOKIE_STATE_LB","features":[115]},{"name":"COOKIE_STATE_LEASH","features":[115]},{"name":"COOKIE_STATE_MAX","features":[115]},{"name":"COOKIE_STATE_PROMPT","features":[115]},{"name":"COOKIE_STATE_REJECT","features":[115]},{"name":"COOKIE_STATE_UB","features":[115]},{"name":"COOKIE_STATE_UNKNOWN","features":[115]},{"name":"CommitUrlCacheEntryA","features":[1,115]},{"name":"CommitUrlCacheEntryBinaryBlob","features":[1,115]},{"name":"CommitUrlCacheEntryW","features":[1,115]},{"name":"ConnectionEstablishmentEnd","features":[115]},{"name":"ConnectionEstablishmentStart","features":[115]},{"name":"CookieDecision","features":[1,115]},{"name":"CreateMD5SSOHash","features":[1,115]},{"name":"CreateUrlCacheContainerA","features":[1,115]},{"name":"CreateUrlCacheContainerW","features":[1,115]},{"name":"CreateUrlCacheEntryA","features":[1,115]},{"name":"CreateUrlCacheEntryExW","features":[1,115]},{"name":"CreateUrlCacheEntryW","features":[1,115]},{"name":"CreateUrlCacheGroup","features":[115]},{"name":"DIALENG_OperationComplete","features":[115]},{"name":"DIALENG_RedialAttempt","features":[115]},{"name":"DIALENG_RedialWait","features":[115]},{"name":"DIALPROP_DOMAIN","features":[115]},{"name":"DIALPROP_LASTERROR","features":[115]},{"name":"DIALPROP_PASSWORD","features":[115]},{"name":"DIALPROP_PHONENUMBER","features":[115]},{"name":"DIALPROP_REDIALCOUNT","features":[115]},{"name":"DIALPROP_REDIALINTERVAL","features":[115]},{"name":"DIALPROP_RESOLVEDPHONE","features":[115]},{"name":"DIALPROP_SAVEPASSWORD","features":[115]},{"name":"DIALPROP_USERNAME","features":[115]},{"name":"DLG_FLAGS_INSECURE_FALLBACK","features":[115]},{"name":"DLG_FLAGS_INVALID_CA","features":[115]},{"name":"DLG_FLAGS_SEC_CERT_CN_INVALID","features":[115]},{"name":"DLG_FLAGS_SEC_CERT_DATE_INVALID","features":[115]},{"name":"DLG_FLAGS_SEC_CERT_REV_FAILED","features":[115]},{"name":"DLG_FLAGS_WEAK_SIGNATURE","features":[115]},{"name":"DOWNLOAD_CACHE_ENTRY","features":[115]},{"name":"DUO_PROTOCOL_FLAG_SPDY3","features":[115]},{"name":"DUO_PROTOCOL_MASK","features":[115]},{"name":"DeleteIE3Cache","features":[1,115]},{"name":"DeleteUrlCacheContainerA","features":[1,115]},{"name":"DeleteUrlCacheContainerW","features":[1,115]},{"name":"DeleteUrlCacheEntry","features":[1,115]},{"name":"DeleteUrlCacheEntryA","features":[1,115]},{"name":"DeleteUrlCacheEntryW","features":[1,115]},{"name":"DeleteUrlCacheGroup","features":[1,115]},{"name":"DeleteWpadCacheForNetworks","features":[1,115]},{"name":"DetectAutoProxyUrl","features":[1,115]},{"name":"DoConnectoidsExist","features":[1,115]},{"name":"EDITED_CACHE_ENTRY","features":[115]},{"name":"ERROR_FTP_DROPPED","features":[115]},{"name":"ERROR_FTP_NO_PASSIVE_MODE","features":[115]},{"name":"ERROR_FTP_TRANSFER_IN_PROGRESS","features":[115]},{"name":"ERROR_GOPHER_ATTRIBUTE_NOT_FOUND","features":[115]},{"name":"ERROR_GOPHER_DATA_ERROR","features":[115]},{"name":"ERROR_GOPHER_END_OF_DATA","features":[115]},{"name":"ERROR_GOPHER_INCORRECT_LOCATOR_TYPE","features":[115]},{"name":"ERROR_GOPHER_INVALID_LOCATOR","features":[115]},{"name":"ERROR_GOPHER_NOT_FILE","features":[115]},{"name":"ERROR_GOPHER_NOT_GOPHER_PLUS","features":[115]},{"name":"ERROR_GOPHER_PROTOCOL_ERROR","features":[115]},{"name":"ERROR_GOPHER_UNKNOWN_LOCATOR","features":[115]},{"name":"ERROR_HTTP_COOKIE_DECLINED","features":[115]},{"name":"ERROR_HTTP_COOKIE_NEEDS_CONFIRMATION","features":[115]},{"name":"ERROR_HTTP_COOKIE_NEEDS_CONFIRMATION_EX","features":[115]},{"name":"ERROR_HTTP_DOWNLEVEL_SERVER","features":[115]},{"name":"ERROR_HTTP_HEADER_ALREADY_EXISTS","features":[115]},{"name":"ERROR_HTTP_HEADER_NOT_FOUND","features":[115]},{"name":"ERROR_HTTP_HSTS_REDIRECT_REQUIRED","features":[115]},{"name":"ERROR_HTTP_INVALID_HEADER","features":[115]},{"name":"ERROR_HTTP_INVALID_QUERY_REQUEST","features":[115]},{"name":"ERROR_HTTP_INVALID_SERVER_RESPONSE","features":[115]},{"name":"ERROR_HTTP_NOT_REDIRECTED","features":[115]},{"name":"ERROR_HTTP_PUSH_ENABLE_FAILED","features":[115]},{"name":"ERROR_HTTP_PUSH_RETRY_NOT_SUPPORTED","features":[115]},{"name":"ERROR_HTTP_PUSH_STATUS_CODE_NOT_SUPPORTED","features":[115]},{"name":"ERROR_HTTP_REDIRECT_FAILED","features":[115]},{"name":"ERROR_HTTP_REDIRECT_NEEDS_CONFIRMATION","features":[115]},{"name":"ERROR_INTERNET_ASYNC_THREAD_FAILED","features":[115]},{"name":"ERROR_INTERNET_BAD_AUTO_PROXY_SCRIPT","features":[115]},{"name":"ERROR_INTERNET_BAD_OPTION_LENGTH","features":[115]},{"name":"ERROR_INTERNET_BAD_REGISTRY_PARAMETER","features":[115]},{"name":"ERROR_INTERNET_CACHE_SUCCESS","features":[115]},{"name":"ERROR_INTERNET_CANNOT_CONNECT","features":[115]},{"name":"ERROR_INTERNET_CHG_POST_IS_NON_SECURE","features":[115]},{"name":"ERROR_INTERNET_CLIENT_AUTH_CERT_NEEDED","features":[115]},{"name":"ERROR_INTERNET_CLIENT_AUTH_CERT_NEEDED_PROXY","features":[115]},{"name":"ERROR_INTERNET_CLIENT_AUTH_NOT_SETUP","features":[115]},{"name":"ERROR_INTERNET_CONNECTION_ABORTED","features":[115]},{"name":"ERROR_INTERNET_CONNECTION_AVAILABLE","features":[115]},{"name":"ERROR_INTERNET_CONNECTION_RESET","features":[115]},{"name":"ERROR_INTERNET_DECODING_FAILED","features":[115]},{"name":"ERROR_INTERNET_DIALOG_PENDING","features":[115]},{"name":"ERROR_INTERNET_DISALLOW_INPRIVATE","features":[115]},{"name":"ERROR_INTERNET_DISCONNECTED","features":[115]},{"name":"ERROR_INTERNET_EXTENDED_ERROR","features":[115]},{"name":"ERROR_INTERNET_FAILED_DUETOSECURITYCHECK","features":[115]},{"name":"ERROR_INTERNET_FEATURE_DISABLED","features":[115]},{"name":"ERROR_INTERNET_FORCE_RETRY","features":[115]},{"name":"ERROR_INTERNET_FORTEZZA_LOGIN_NEEDED","features":[115]},{"name":"ERROR_INTERNET_GLOBAL_CALLBACK_FAILED","features":[115]},{"name":"ERROR_INTERNET_HANDLE_EXISTS","features":[115]},{"name":"ERROR_INTERNET_HTTPS_HTTP_SUBMIT_REDIR","features":[115]},{"name":"ERROR_INTERNET_HTTPS_TO_HTTP_ON_REDIR","features":[115]},{"name":"ERROR_INTERNET_HTTP_PROTOCOL_MISMATCH","features":[115]},{"name":"ERROR_INTERNET_HTTP_TO_HTTPS_ON_REDIR","features":[115]},{"name":"ERROR_INTERNET_INCORRECT_FORMAT","features":[115]},{"name":"ERROR_INTERNET_INCORRECT_HANDLE_STATE","features":[115]},{"name":"ERROR_INTERNET_INCORRECT_HANDLE_TYPE","features":[115]},{"name":"ERROR_INTERNET_INCORRECT_PASSWORD","features":[115]},{"name":"ERROR_INTERNET_INCORRECT_USER_NAME","features":[115]},{"name":"ERROR_INTERNET_INSECURE_FALLBACK_REQUIRED","features":[115]},{"name":"ERROR_INTERNET_INSERT_CDROM","features":[115]},{"name":"ERROR_INTERNET_INTERNAL_ERROR","features":[115]},{"name":"ERROR_INTERNET_INTERNAL_SOCKET_ERROR","features":[115]},{"name":"ERROR_INTERNET_INVALID_CA","features":[115]},{"name":"ERROR_INTERNET_INVALID_OPERATION","features":[115]},{"name":"ERROR_INTERNET_INVALID_OPTION","features":[115]},{"name":"ERROR_INTERNET_INVALID_PROXY_REQUEST","features":[115]},{"name":"ERROR_INTERNET_INVALID_URL","features":[115]},{"name":"ERROR_INTERNET_ITEM_NOT_FOUND","features":[115]},{"name":"ERROR_INTERNET_LOGIN_FAILURE","features":[115]},{"name":"ERROR_INTERNET_LOGIN_FAILURE_DISPLAY_ENTITY_BODY","features":[115]},{"name":"ERROR_INTERNET_MIXED_SECURITY","features":[115]},{"name":"ERROR_INTERNET_NAME_NOT_RESOLVED","features":[115]},{"name":"ERROR_INTERNET_NEED_MSN_SSPI_PKG","features":[115]},{"name":"ERROR_INTERNET_NEED_UI","features":[115]},{"name":"ERROR_INTERNET_NOT_INITIALIZED","features":[115]},{"name":"ERROR_INTERNET_NOT_PROXY_REQUEST","features":[115]},{"name":"ERROR_INTERNET_NO_CALLBACK","features":[115]},{"name":"ERROR_INTERNET_NO_CM_CONNECTION","features":[115]},{"name":"ERROR_INTERNET_NO_CONTEXT","features":[115]},{"name":"ERROR_INTERNET_NO_DIRECT_ACCESS","features":[115]},{"name":"ERROR_INTERNET_NO_KNOWN_SERVERS","features":[115]},{"name":"ERROR_INTERNET_NO_NEW_CONTAINERS","features":[115]},{"name":"ERROR_INTERNET_NO_PING_SUPPORT","features":[115]},{"name":"ERROR_INTERNET_OFFLINE","features":[115]},{"name":"ERROR_INTERNET_OPERATION_CANCELLED","features":[115]},{"name":"ERROR_INTERNET_OPTION_NOT_SETTABLE","features":[115]},{"name":"ERROR_INTERNET_OUT_OF_HANDLES","features":[115]},{"name":"ERROR_INTERNET_PING_FAILED","features":[115]},{"name":"ERROR_INTERNET_POST_IS_NON_SECURE","features":[115]},{"name":"ERROR_INTERNET_PROTOCOL_NOT_FOUND","features":[115]},{"name":"ERROR_INTERNET_PROXY_ALERT","features":[115]},{"name":"ERROR_INTERNET_PROXY_SERVER_UNREACHABLE","features":[115]},{"name":"ERROR_INTERNET_REDIRECT_SCHEME_CHANGE","features":[115]},{"name":"ERROR_INTERNET_REGISTRY_VALUE_NOT_FOUND","features":[115]},{"name":"ERROR_INTERNET_REQUEST_PENDING","features":[115]},{"name":"ERROR_INTERNET_RETRY_DIALOG","features":[115]},{"name":"ERROR_INTERNET_SECURE_FAILURE_PROXY","features":[115]},{"name":"ERROR_INTERNET_SECURITY_CHANNEL_ERROR","features":[115]},{"name":"ERROR_INTERNET_SEC_CERT_CN_INVALID","features":[115]},{"name":"ERROR_INTERNET_SEC_CERT_DATE_INVALID","features":[115]},{"name":"ERROR_INTERNET_SEC_CERT_ERRORS","features":[115]},{"name":"ERROR_INTERNET_SEC_CERT_NO_REV","features":[115]},{"name":"ERROR_INTERNET_SEC_CERT_REVOKED","features":[115]},{"name":"ERROR_INTERNET_SEC_CERT_REV_FAILED","features":[115]},{"name":"ERROR_INTERNET_SEC_CERT_WEAK_SIGNATURE","features":[115]},{"name":"ERROR_INTERNET_SEC_INVALID_CERT","features":[115]},{"name":"ERROR_INTERNET_SERVER_UNREACHABLE","features":[115]},{"name":"ERROR_INTERNET_SHUTDOWN","features":[115]},{"name":"ERROR_INTERNET_SOURCE_PORT_IN_USE","features":[115]},{"name":"ERROR_INTERNET_TCPIP_NOT_INSTALLED","features":[115]},{"name":"ERROR_INTERNET_TIMEOUT","features":[115]},{"name":"ERROR_INTERNET_UNABLE_TO_CACHE_FILE","features":[115]},{"name":"ERROR_INTERNET_UNABLE_TO_DOWNLOAD_SCRIPT","features":[115]},{"name":"ERROR_INTERNET_UNRECOGNIZED_SCHEME","features":[115]},{"name":"ExportCookieFileA","features":[1,115]},{"name":"ExportCookieFileW","features":[1,115]},{"name":"FLAGS_ERROR_UI_FILTER_FOR_ERRORS","features":[115]},{"name":"FLAGS_ERROR_UI_FLAGS_CHANGE_OPTIONS","features":[115]},{"name":"FLAGS_ERROR_UI_FLAGS_GENERATE_DATA","features":[115]},{"name":"FLAGS_ERROR_UI_FLAGS_NO_UI","features":[115]},{"name":"FLAGS_ERROR_UI_SERIALIZE_DIALOGS","features":[115]},{"name":"FLAGS_ERROR_UI_SHOW_IDN_HOSTNAME","features":[115]},{"name":"FLAG_ICC_FORCE_CONNECTION","features":[115]},{"name":"FORTCMD","features":[115]},{"name":"FORTCMD_CHG_PERSONALITY","features":[115]},{"name":"FORTCMD_LOGOFF","features":[115]},{"name":"FORTCMD_LOGON","features":[115]},{"name":"FORTSTAT","features":[115]},{"name":"FORTSTAT_INSTALLED","features":[115]},{"name":"FORTSTAT_LOGGEDON","features":[115]},{"name":"FTP_FLAGS","features":[115]},{"name":"FTP_TRANSFER_TYPE_ASCII","features":[115]},{"name":"FTP_TRANSFER_TYPE_BINARY","features":[115]},{"name":"FTP_TRANSFER_TYPE_UNKNOWN","features":[115]},{"name":"FindCloseUrlCache","features":[1,115]},{"name":"FindFirstUrlCacheContainerA","features":[1,115]},{"name":"FindFirstUrlCacheContainerW","features":[1,115]},{"name":"FindFirstUrlCacheEntryA","features":[1,115]},{"name":"FindFirstUrlCacheEntryExA","features":[1,115]},{"name":"FindFirstUrlCacheEntryExW","features":[1,115]},{"name":"FindFirstUrlCacheEntryW","features":[1,115]},{"name":"FindFirstUrlCacheGroup","features":[1,115]},{"name":"FindNextUrlCacheContainerA","features":[1,115]},{"name":"FindNextUrlCacheContainerW","features":[1,115]},{"name":"FindNextUrlCacheEntryA","features":[1,115]},{"name":"FindNextUrlCacheEntryExA","features":[1,115]},{"name":"FindNextUrlCacheEntryExW","features":[1,115]},{"name":"FindNextUrlCacheEntryW","features":[1,115]},{"name":"FindNextUrlCacheGroup","features":[1,115]},{"name":"FindP3PPolicySymbol","features":[115]},{"name":"FreeUrlCacheSpaceA","features":[1,115]},{"name":"FreeUrlCacheSpaceW","features":[1,115]},{"name":"FtpCommandA","features":[1,115]},{"name":"FtpCommandW","features":[1,115]},{"name":"FtpCreateDirectoryA","features":[1,115]},{"name":"FtpCreateDirectoryW","features":[1,115]},{"name":"FtpDeleteFileA","features":[1,115]},{"name":"FtpDeleteFileW","features":[1,115]},{"name":"FtpFindFirstFileA","features":[1,115,21]},{"name":"FtpFindFirstFileW","features":[1,115,21]},{"name":"FtpGetCurrentDirectoryA","features":[1,115]},{"name":"FtpGetCurrentDirectoryW","features":[1,115]},{"name":"FtpGetFileA","features":[1,115]},{"name":"FtpGetFileEx","features":[1,115]},{"name":"FtpGetFileSize","features":[115]},{"name":"FtpGetFileW","features":[1,115]},{"name":"FtpOpenFileA","features":[115]},{"name":"FtpOpenFileW","features":[115]},{"name":"FtpPutFileA","features":[1,115]},{"name":"FtpPutFileEx","features":[1,115]},{"name":"FtpPutFileW","features":[1,115]},{"name":"FtpRemoveDirectoryA","features":[1,115]},{"name":"FtpRemoveDirectoryW","features":[1,115]},{"name":"FtpRenameFileA","features":[1,115]},{"name":"FtpRenameFileW","features":[1,115]},{"name":"FtpSetCurrentDirectoryA","features":[1,115]},{"name":"FtpSetCurrentDirectoryW","features":[1,115]},{"name":"GOPHER_ABSTRACT_ATTRIBUTE","features":[115]},{"name":"GOPHER_ABSTRACT_ATTRIBUTE_TYPE","features":[115]},{"name":"GOPHER_ABSTRACT_CATEGORY","features":[115]},{"name":"GOPHER_ADMIN_ATTRIBUTE","features":[115]},{"name":"GOPHER_ADMIN_ATTRIBUTE_TYPE","features":[115]},{"name":"GOPHER_ADMIN_CATEGORY","features":[115]},{"name":"GOPHER_ASK_ATTRIBUTE_TYPE","features":[115]},{"name":"GOPHER_ATTRIBUTE_ENUMERATOR","features":[1,115]},{"name":"GOPHER_ATTRIBUTE_ID_ABSTRACT","features":[115]},{"name":"GOPHER_ATTRIBUTE_ID_ADMIN","features":[115]},{"name":"GOPHER_ATTRIBUTE_ID_ALL","features":[115]},{"name":"GOPHER_ATTRIBUTE_ID_BASE","features":[115]},{"name":"GOPHER_ATTRIBUTE_ID_GEOG","features":[115]},{"name":"GOPHER_ATTRIBUTE_ID_LOCATION","features":[115]},{"name":"GOPHER_ATTRIBUTE_ID_MOD_DATE","features":[115]},{"name":"GOPHER_ATTRIBUTE_ID_ORG","features":[115]},{"name":"GOPHER_ATTRIBUTE_ID_PROVIDER","features":[115]},{"name":"GOPHER_ATTRIBUTE_ID_RANGE","features":[115]},{"name":"GOPHER_ATTRIBUTE_ID_SCORE","features":[115]},{"name":"GOPHER_ATTRIBUTE_ID_SITE","features":[115]},{"name":"GOPHER_ATTRIBUTE_ID_TIMEZONE","features":[115]},{"name":"GOPHER_ATTRIBUTE_ID_TREEWALK","features":[115]},{"name":"GOPHER_ATTRIBUTE_ID_TTL","features":[115]},{"name":"GOPHER_ATTRIBUTE_ID_UNKNOWN","features":[115]},{"name":"GOPHER_ATTRIBUTE_ID_VERSION","features":[115]},{"name":"GOPHER_ATTRIBUTE_ID_VIEW","features":[115]},{"name":"GOPHER_ATTRIBUTE_TYPE","features":[1,115]},{"name":"GOPHER_CATEGORY_ID_ABSTRACT","features":[115]},{"name":"GOPHER_CATEGORY_ID_ADMIN","features":[115]},{"name":"GOPHER_CATEGORY_ID_ALL","features":[115]},{"name":"GOPHER_CATEGORY_ID_ASK","features":[115]},{"name":"GOPHER_CATEGORY_ID_INFO","features":[115]},{"name":"GOPHER_CATEGORY_ID_UNKNOWN","features":[115]},{"name":"GOPHER_CATEGORY_ID_VERONICA","features":[115]},{"name":"GOPHER_CATEGORY_ID_VIEWS","features":[115]},{"name":"GOPHER_FIND_DATAA","features":[1,115]},{"name":"GOPHER_FIND_DATAW","features":[1,115]},{"name":"GOPHER_GEOGRAPHICAL_LOCATION_ATTRIBUTE_TYPE","features":[115]},{"name":"GOPHER_GEOG_ATTRIBUTE","features":[115]},{"name":"GOPHER_INFO_CATEGORY","features":[115]},{"name":"GOPHER_LOCATION_ATTRIBUTE","features":[115]},{"name":"GOPHER_LOCATION_ATTRIBUTE_TYPE","features":[115]},{"name":"GOPHER_MOD_DATE_ATTRIBUTE","features":[115]},{"name":"GOPHER_MOD_DATE_ATTRIBUTE_TYPE","features":[1,115]},{"name":"GOPHER_ORGANIZATION_ATTRIBUTE_TYPE","features":[115]},{"name":"GOPHER_ORG_ATTRIBUTE","features":[115]},{"name":"GOPHER_PROVIDER_ATTRIBUTE","features":[115]},{"name":"GOPHER_PROVIDER_ATTRIBUTE_TYPE","features":[115]},{"name":"GOPHER_RANGE_ATTRIBUTE","features":[115]},{"name":"GOPHER_SCORE_ATTRIBUTE","features":[115]},{"name":"GOPHER_SCORE_ATTRIBUTE_TYPE","features":[115]},{"name":"GOPHER_SCORE_RANGE_ATTRIBUTE_TYPE","features":[115]},{"name":"GOPHER_SITE_ATTRIBUTE","features":[115]},{"name":"GOPHER_SITE_ATTRIBUTE_TYPE","features":[115]},{"name":"GOPHER_TIMEZONE_ATTRIBUTE","features":[115]},{"name":"GOPHER_TIMEZONE_ATTRIBUTE_TYPE","features":[115]},{"name":"GOPHER_TREEWALK_ATTRIBUTE","features":[115]},{"name":"GOPHER_TTL_ATTRIBUTE","features":[115]},{"name":"GOPHER_TTL_ATTRIBUTE_TYPE","features":[115]},{"name":"GOPHER_TYPE","features":[115]},{"name":"GOPHER_TYPE_ASK","features":[115]},{"name":"GOPHER_TYPE_BINARY","features":[115]},{"name":"GOPHER_TYPE_BITMAP","features":[115]},{"name":"GOPHER_TYPE_CALENDAR","features":[115]},{"name":"GOPHER_TYPE_CSO","features":[115]},{"name":"GOPHER_TYPE_DIRECTORY","features":[115]},{"name":"GOPHER_TYPE_DOS_ARCHIVE","features":[115]},{"name":"GOPHER_TYPE_ERROR","features":[115]},{"name":"GOPHER_TYPE_GIF","features":[115]},{"name":"GOPHER_TYPE_GOPHER_PLUS","features":[115]},{"name":"GOPHER_TYPE_HTML","features":[115]},{"name":"GOPHER_TYPE_IMAGE","features":[115]},{"name":"GOPHER_TYPE_INDEX_SERVER","features":[115]},{"name":"GOPHER_TYPE_INLINE","features":[115]},{"name":"GOPHER_TYPE_MAC_BINHEX","features":[115]},{"name":"GOPHER_TYPE_MOVIE","features":[115]},{"name":"GOPHER_TYPE_PDF","features":[115]},{"name":"GOPHER_TYPE_REDUNDANT","features":[115]},{"name":"GOPHER_TYPE_SOUND","features":[115]},{"name":"GOPHER_TYPE_TELNET","features":[115]},{"name":"GOPHER_TYPE_TEXT_FILE","features":[115]},{"name":"GOPHER_TYPE_TN3270","features":[115]},{"name":"GOPHER_TYPE_UNIX_UUENCODED","features":[115]},{"name":"GOPHER_TYPE_UNKNOWN","features":[115]},{"name":"GOPHER_UNKNOWN_ATTRIBUTE_TYPE","features":[115]},{"name":"GOPHER_VERONICA_ATTRIBUTE_TYPE","features":[1,115]},{"name":"GOPHER_VERONICA_CATEGORY","features":[115]},{"name":"GOPHER_VERSION_ATTRIBUTE","features":[115]},{"name":"GOPHER_VERSION_ATTRIBUTE_TYPE","features":[115]},{"name":"GOPHER_VIEWS_CATEGORY","features":[115]},{"name":"GOPHER_VIEW_ATTRIBUTE","features":[115]},{"name":"GOPHER_VIEW_ATTRIBUTE_TYPE","features":[115]},{"name":"GROUPNAME_MAX_LENGTH","features":[115]},{"name":"GROUP_OWNER_STORAGE_SIZE","features":[115]},{"name":"GetDiskInfoA","features":[1,115]},{"name":"GetUrlCacheConfigInfoA","features":[1,115]},{"name":"GetUrlCacheConfigInfoW","features":[1,115]},{"name":"GetUrlCacheEntryBinaryBlob","features":[1,115]},{"name":"GetUrlCacheEntryInfoA","features":[1,115]},{"name":"GetUrlCacheEntryInfoExA","features":[1,115]},{"name":"GetUrlCacheEntryInfoExW","features":[1,115]},{"name":"GetUrlCacheEntryInfoW","features":[1,115]},{"name":"GetUrlCacheGroupAttributeA","features":[1,115]},{"name":"GetUrlCacheGroupAttributeW","features":[1,115]},{"name":"GetUrlCacheHeaderData","features":[1,115]},{"name":"GopherCreateLocatorA","features":[1,115]},{"name":"GopherCreateLocatorW","features":[1,115]},{"name":"GopherFindFirstFileA","features":[1,115]},{"name":"GopherFindFirstFileW","features":[1,115]},{"name":"GopherGetAttributeA","features":[1,115]},{"name":"GopherGetAttributeW","features":[1,115]},{"name":"GopherGetLocatorTypeA","features":[1,115]},{"name":"GopherGetLocatorTypeW","features":[1,115]},{"name":"GopherOpenFileA","features":[115]},{"name":"GopherOpenFileW","features":[115]},{"name":"HSR_ASYNC","features":[115]},{"name":"HSR_CHUNKED","features":[115]},{"name":"HSR_DOWNLOAD","features":[115]},{"name":"HSR_INITIATE","features":[115]},{"name":"HSR_SYNC","features":[115]},{"name":"HSR_USE_CONTEXT","features":[115]},{"name":"HTTP_1_1_CACHE_ENTRY","features":[115]},{"name":"HTTP_ADDREQ_FLAG","features":[115]},{"name":"HTTP_ADDREQ_FLAGS_MASK","features":[115]},{"name":"HTTP_ADDREQ_FLAG_ADD","features":[115]},{"name":"HTTP_ADDREQ_FLAG_ADD_IF_NEW","features":[115]},{"name":"HTTP_ADDREQ_FLAG_ALLOW_EMPTY_VALUES","features":[115]},{"name":"HTTP_ADDREQ_FLAG_COALESCE","features":[115]},{"name":"HTTP_ADDREQ_FLAG_COALESCE_WITH_COMMA","features":[115]},{"name":"HTTP_ADDREQ_FLAG_COALESCE_WITH_SEMICOLON","features":[115]},{"name":"HTTP_ADDREQ_FLAG_REPLACE","features":[115]},{"name":"HTTP_ADDREQ_FLAG_RESPONSE_HEADERS","features":[115]},{"name":"HTTP_ADDREQ_INDEX_MASK","features":[115]},{"name":"HTTP_COOKIES_SAME_SITE_LEVEL_CROSS_SITE","features":[115]},{"name":"HTTP_COOKIES_SAME_SITE_LEVEL_CROSS_SITE_LAX","features":[115]},{"name":"HTTP_COOKIES_SAME_SITE_LEVEL_MAX","features":[115]},{"name":"HTTP_COOKIES_SAME_SITE_LEVEL_SAME_SITE","features":[115]},{"name":"HTTP_COOKIES_SAME_SITE_LEVEL_UNKNOWN","features":[115]},{"name":"HTTP_MAJOR_VERSION","features":[115]},{"name":"HTTP_MINOR_VERSION","features":[115]},{"name":"HTTP_POLICY_EXTENSION_INIT","features":[115]},{"name":"HTTP_POLICY_EXTENSION_SHUTDOWN","features":[115]},{"name":"HTTP_POLICY_EXTENSION_TYPE","features":[115]},{"name":"HTTP_POLICY_EXTENSION_VERSION","features":[115]},{"name":"HTTP_PROTOCOL_FLAG_HTTP2","features":[115]},{"name":"HTTP_PROTOCOL_MASK","features":[115]},{"name":"HTTP_PUSH_NOTIFICATION_STATUS","features":[1,115]},{"name":"HTTP_PUSH_TRANSPORT_SETTING","features":[115]},{"name":"HTTP_PUSH_WAIT_HANDLE","features":[115]},{"name":"HTTP_PUSH_WAIT_TYPE","features":[115]},{"name":"HTTP_QUERY_ACCEPT","features":[115]},{"name":"HTTP_QUERY_ACCEPT_CHARSET","features":[115]},{"name":"HTTP_QUERY_ACCEPT_ENCODING","features":[115]},{"name":"HTTP_QUERY_ACCEPT_LANGUAGE","features":[115]},{"name":"HTTP_QUERY_ACCEPT_RANGES","features":[115]},{"name":"HTTP_QUERY_AGE","features":[115]},{"name":"HTTP_QUERY_ALLOW","features":[115]},{"name":"HTTP_QUERY_AUTHENTICATION_INFO","features":[115]},{"name":"HTTP_QUERY_AUTHORIZATION","features":[115]},{"name":"HTTP_QUERY_CACHE_CONTROL","features":[115]},{"name":"HTTP_QUERY_CONNECTION","features":[115]},{"name":"HTTP_QUERY_CONTENT_BASE","features":[115]},{"name":"HTTP_QUERY_CONTENT_DESCRIPTION","features":[115]},{"name":"HTTP_QUERY_CONTENT_DISPOSITION","features":[115]},{"name":"HTTP_QUERY_CONTENT_ENCODING","features":[115]},{"name":"HTTP_QUERY_CONTENT_ID","features":[115]},{"name":"HTTP_QUERY_CONTENT_LANGUAGE","features":[115]},{"name":"HTTP_QUERY_CONTENT_LENGTH","features":[115]},{"name":"HTTP_QUERY_CONTENT_LOCATION","features":[115]},{"name":"HTTP_QUERY_CONTENT_MD5","features":[115]},{"name":"HTTP_QUERY_CONTENT_RANGE","features":[115]},{"name":"HTTP_QUERY_CONTENT_TRANSFER_ENCODING","features":[115]},{"name":"HTTP_QUERY_CONTENT_TYPE","features":[115]},{"name":"HTTP_QUERY_COOKIE","features":[115]},{"name":"HTTP_QUERY_COST","features":[115]},{"name":"HTTP_QUERY_CUSTOM","features":[115]},{"name":"HTTP_QUERY_DATE","features":[115]},{"name":"HTTP_QUERY_DEFAULT_STYLE","features":[115]},{"name":"HTTP_QUERY_DERIVED_FROM","features":[115]},{"name":"HTTP_QUERY_DO_NOT_TRACK","features":[115]},{"name":"HTTP_QUERY_ECHO_HEADERS","features":[115]},{"name":"HTTP_QUERY_ECHO_HEADERS_CRLF","features":[115]},{"name":"HTTP_QUERY_ECHO_REPLY","features":[115]},{"name":"HTTP_QUERY_ECHO_REQUEST","features":[115]},{"name":"HTTP_QUERY_ETAG","features":[115]},{"name":"HTTP_QUERY_EXPECT","features":[115]},{"name":"HTTP_QUERY_EXPIRES","features":[115]},{"name":"HTTP_QUERY_FLAG_COALESCE","features":[115]},{"name":"HTTP_QUERY_FLAG_COALESCE_WITH_COMMA","features":[115]},{"name":"HTTP_QUERY_FLAG_NUMBER","features":[115]},{"name":"HTTP_QUERY_FLAG_NUMBER64","features":[115]},{"name":"HTTP_QUERY_FLAG_REQUEST_HEADERS","features":[115]},{"name":"HTTP_QUERY_FLAG_SYSTEMTIME","features":[115]},{"name":"HTTP_QUERY_FORWARDED","features":[115]},{"name":"HTTP_QUERY_FROM","features":[115]},{"name":"HTTP_QUERY_HOST","features":[115]},{"name":"HTTP_QUERY_HTTP2_SETTINGS","features":[115]},{"name":"HTTP_QUERY_IF_MATCH","features":[115]},{"name":"HTTP_QUERY_IF_MODIFIED_SINCE","features":[115]},{"name":"HTTP_QUERY_IF_NONE_MATCH","features":[115]},{"name":"HTTP_QUERY_IF_RANGE","features":[115]},{"name":"HTTP_QUERY_IF_UNMODIFIED_SINCE","features":[115]},{"name":"HTTP_QUERY_INCLUDE_REFERER_TOKEN_BINDING_ID","features":[115]},{"name":"HTTP_QUERY_INCLUDE_REFERRED_TOKEN_BINDING_ID","features":[115]},{"name":"HTTP_QUERY_KEEP_ALIVE","features":[115]},{"name":"HTTP_QUERY_LAST_MODIFIED","features":[115]},{"name":"HTTP_QUERY_LINK","features":[115]},{"name":"HTTP_QUERY_LOCATION","features":[115]},{"name":"HTTP_QUERY_MAX","features":[115]},{"name":"HTTP_QUERY_MAX_FORWARDS","features":[115]},{"name":"HTTP_QUERY_MESSAGE_ID","features":[115]},{"name":"HTTP_QUERY_MIME_VERSION","features":[115]},{"name":"HTTP_QUERY_ORIG_URI","features":[115]},{"name":"HTTP_QUERY_P3P","features":[115]},{"name":"HTTP_QUERY_PASSPORT_CONFIG","features":[115]},{"name":"HTTP_QUERY_PASSPORT_URLS","features":[115]},{"name":"HTTP_QUERY_PRAGMA","features":[115]},{"name":"HTTP_QUERY_PROXY_AUTHENTICATE","features":[115]},{"name":"HTTP_QUERY_PROXY_AUTHORIZATION","features":[115]},{"name":"HTTP_QUERY_PROXY_CONNECTION","features":[115]},{"name":"HTTP_QUERY_PROXY_SUPPORT","features":[115]},{"name":"HTTP_QUERY_PUBLIC","features":[115]},{"name":"HTTP_QUERY_PUBLIC_KEY_PINS","features":[115]},{"name":"HTTP_QUERY_PUBLIC_KEY_PINS_REPORT_ONLY","features":[115]},{"name":"HTTP_QUERY_RANGE","features":[115]},{"name":"HTTP_QUERY_RAW_HEADERS","features":[115]},{"name":"HTTP_QUERY_RAW_HEADERS_CRLF","features":[115]},{"name":"HTTP_QUERY_REFERER","features":[115]},{"name":"HTTP_QUERY_REFRESH","features":[115]},{"name":"HTTP_QUERY_REQUEST_METHOD","features":[115]},{"name":"HTTP_QUERY_RETRY_AFTER","features":[115]},{"name":"HTTP_QUERY_SERVER","features":[115]},{"name":"HTTP_QUERY_SET_COOKIE","features":[115]},{"name":"HTTP_QUERY_SET_COOKIE2","features":[115]},{"name":"HTTP_QUERY_STATUS_CODE","features":[115]},{"name":"HTTP_QUERY_STATUS_TEXT","features":[115]},{"name":"HTTP_QUERY_STRICT_TRANSPORT_SECURITY","features":[115]},{"name":"HTTP_QUERY_TITLE","features":[115]},{"name":"HTTP_QUERY_TOKEN_BINDING","features":[115]},{"name":"HTTP_QUERY_TRANSFER_ENCODING","features":[115]},{"name":"HTTP_QUERY_TRANSLATE","features":[115]},{"name":"HTTP_QUERY_UNLESS_MODIFIED_SINCE","features":[115]},{"name":"HTTP_QUERY_UPGRADE","features":[115]},{"name":"HTTP_QUERY_URI","features":[115]},{"name":"HTTP_QUERY_USER_AGENT","features":[115]},{"name":"HTTP_QUERY_VARY","features":[115]},{"name":"HTTP_QUERY_VERSION","features":[115]},{"name":"HTTP_QUERY_VIA","features":[115]},{"name":"HTTP_QUERY_WARNING","features":[115]},{"name":"HTTP_QUERY_WWW_AUTHENTICATE","features":[115]},{"name":"HTTP_QUERY_X_CONTENT_TYPE_OPTIONS","features":[115]},{"name":"HTTP_QUERY_X_FRAME_OPTIONS","features":[115]},{"name":"HTTP_QUERY_X_P2P_PEERDIST","features":[115]},{"name":"HTTP_QUERY_X_UA_COMPATIBLE","features":[115]},{"name":"HTTP_QUERY_X_XSS_PROTECTION","features":[115]},{"name":"HTTP_REQUEST_TIMES","features":[115]},{"name":"HTTP_STATUS_MISDIRECTED_REQUEST","features":[115]},{"name":"HTTP_VERSIONA","features":[115]},{"name":"HTTP_VERSIONW","features":[115]},{"name":"HTTP_WEB_SOCKET_ABORTED_CLOSE_STATUS","features":[115]},{"name":"HTTP_WEB_SOCKET_ASYNC_RESULT","features":[115]},{"name":"HTTP_WEB_SOCKET_BINARY_FRAGMENT_TYPE","features":[115]},{"name":"HTTP_WEB_SOCKET_BINARY_MESSAGE_TYPE","features":[115]},{"name":"HTTP_WEB_SOCKET_BUFFER_TYPE","features":[115]},{"name":"HTTP_WEB_SOCKET_CLOSE_OPERATION","features":[115]},{"name":"HTTP_WEB_SOCKET_CLOSE_STATUS","features":[115]},{"name":"HTTP_WEB_SOCKET_CLOSE_TYPE","features":[115]},{"name":"HTTP_WEB_SOCKET_EMPTY_CLOSE_STATUS","features":[115]},{"name":"HTTP_WEB_SOCKET_ENDPOINT_TERMINATED_CLOSE_STATUS","features":[115]},{"name":"HTTP_WEB_SOCKET_INVALID_DATA_TYPE_CLOSE_STATUS","features":[115]},{"name":"HTTP_WEB_SOCKET_INVALID_PAYLOAD_CLOSE_STATUS","features":[115]},{"name":"HTTP_WEB_SOCKET_MAX_CLOSE_REASON_LENGTH","features":[115]},{"name":"HTTP_WEB_SOCKET_MESSAGE_TOO_BIG_CLOSE_STATUS","features":[115]},{"name":"HTTP_WEB_SOCKET_MIN_KEEPALIVE_VALUE","features":[115]},{"name":"HTTP_WEB_SOCKET_OPERATION","features":[115]},{"name":"HTTP_WEB_SOCKET_PING_TYPE","features":[115]},{"name":"HTTP_WEB_SOCKET_POLICY_VIOLATION_CLOSE_STATUS","features":[115]},{"name":"HTTP_WEB_SOCKET_PROTOCOL_ERROR_CLOSE_STATUS","features":[115]},{"name":"HTTP_WEB_SOCKET_RECEIVE_OPERATION","features":[115]},{"name":"HTTP_WEB_SOCKET_SECURE_HANDSHAKE_ERROR_CLOSE_STATUS","features":[115]},{"name":"HTTP_WEB_SOCKET_SEND_OPERATION","features":[115]},{"name":"HTTP_WEB_SOCKET_SERVER_ERROR_CLOSE_STATUS","features":[115]},{"name":"HTTP_WEB_SOCKET_SHUTDOWN_OPERATION","features":[115]},{"name":"HTTP_WEB_SOCKET_SUCCESS_CLOSE_STATUS","features":[115]},{"name":"HTTP_WEB_SOCKET_UNSUPPORTED_EXTENSIONS_CLOSE_STATUS","features":[115]},{"name":"HTTP_WEB_SOCKET_UTF8_FRAGMENT_TYPE","features":[115]},{"name":"HTTP_WEB_SOCKET_UTF8_MESSAGE_TYPE","features":[115]},{"name":"HttpAddRequestHeadersA","features":[1,115]},{"name":"HttpAddRequestHeadersW","features":[1,115]},{"name":"HttpCheckDavComplianceA","features":[1,115]},{"name":"HttpCheckDavComplianceW","features":[1,115]},{"name":"HttpCloseDependencyHandle","features":[115]},{"name":"HttpDuplicateDependencyHandle","features":[115]},{"name":"HttpEndRequestA","features":[1,115]},{"name":"HttpEndRequestW","features":[1,115]},{"name":"HttpGetServerCredentials","features":[115]},{"name":"HttpIndicatePageLoadComplete","features":[115]},{"name":"HttpIsHostHstsEnabled","features":[1,115]},{"name":"HttpOpenDependencyHandle","features":[1,115]},{"name":"HttpOpenRequestA","features":[115]},{"name":"HttpOpenRequestW","features":[115]},{"name":"HttpPushClose","features":[115]},{"name":"HttpPushEnable","features":[115]},{"name":"HttpPushWait","features":[1,115]},{"name":"HttpPushWaitEnableComplete","features":[115]},{"name":"HttpPushWaitReceiveComplete","features":[115]},{"name":"HttpPushWaitSendComplete","features":[115]},{"name":"HttpQueryInfoA","features":[1,115]},{"name":"HttpQueryInfoW","features":[1,115]},{"name":"HttpRequestTimeMax","features":[115]},{"name":"HttpSendRequestA","features":[1,115]},{"name":"HttpSendRequestExA","features":[1,115]},{"name":"HttpSendRequestExW","features":[1,115]},{"name":"HttpSendRequestW","features":[1,115]},{"name":"HttpWebSocketClose","features":[1,115]},{"name":"HttpWebSocketCompleteUpgrade","features":[115]},{"name":"HttpWebSocketQueryCloseStatus","features":[1,115]},{"name":"HttpWebSocketReceive","features":[1,115]},{"name":"HttpWebSocketSend","features":[1,115]},{"name":"HttpWebSocketShutdown","features":[1,115]},{"name":"ICU_USERNAME","features":[115]},{"name":"IDENTITY_CACHE_ENTRY","features":[115]},{"name":"IDSI_FLAG_KEEP_ALIVE","features":[115]},{"name":"IDSI_FLAG_PROXY","features":[115]},{"name":"IDSI_FLAG_SECURE","features":[115]},{"name":"IDSI_FLAG_TUNNEL","features":[115]},{"name":"IDialBranding","features":[115]},{"name":"IDialEngine","features":[115]},{"name":"IDialEventSink","features":[115]},{"name":"IMMUTABLE_CACHE_ENTRY","features":[115]},{"name":"INSTALLED_CACHE_ENTRY","features":[115]},{"name":"INTERENT_GOONLINE_MASK","features":[115]},{"name":"INTERENT_GOONLINE_NOPROMPT","features":[115]},{"name":"INTERENT_GOONLINE_REFRESH","features":[115]},{"name":"INTERNET_ACCESS_TYPE","features":[115]},{"name":"INTERNET_ASYNC_RESULT","features":[115]},{"name":"INTERNET_AUTH_NOTIFY_DATA","features":[115]},{"name":"INTERNET_AUTH_SCHEME_BASIC","features":[115]},{"name":"INTERNET_AUTH_SCHEME_DIGEST","features":[115]},{"name":"INTERNET_AUTH_SCHEME_KERBEROS","features":[115]},{"name":"INTERNET_AUTH_SCHEME_NEGOTIATE","features":[115]},{"name":"INTERNET_AUTH_SCHEME_NTLM","features":[115]},{"name":"INTERNET_AUTH_SCHEME_PASSPORT","features":[115]},{"name":"INTERNET_AUTH_SCHEME_UNKNOWN","features":[115]},{"name":"INTERNET_AUTODIAL","features":[115]},{"name":"INTERNET_AUTODIAL_FAILIFSECURITYCHECK","features":[115]},{"name":"INTERNET_AUTODIAL_FORCE_ONLINE","features":[115]},{"name":"INTERNET_AUTODIAL_FORCE_UNATTENDED","features":[115]},{"name":"INTERNET_AUTODIAL_OVERRIDE_NET_PRESENT","features":[115]},{"name":"INTERNET_AUTOPROXY_INIT_DEFAULT","features":[115]},{"name":"INTERNET_AUTOPROXY_INIT_DOWNLOADSYNC","features":[115]},{"name":"INTERNET_AUTOPROXY_INIT_ONLYQUERY","features":[115]},{"name":"INTERNET_AUTOPROXY_INIT_QUERYSTATE","features":[115]},{"name":"INTERNET_BUFFERSA","features":[115]},{"name":"INTERNET_BUFFERSW","features":[115]},{"name":"INTERNET_CACHE_CONFIG_INFOA","features":[1,115]},{"name":"INTERNET_CACHE_CONFIG_INFOW","features":[1,115]},{"name":"INTERNET_CACHE_CONFIG_PATH_ENTRYA","features":[115]},{"name":"INTERNET_CACHE_CONFIG_PATH_ENTRYW","features":[115]},{"name":"INTERNET_CACHE_CONTAINER_AUTODELETE","features":[115]},{"name":"INTERNET_CACHE_CONTAINER_BLOOM_FILTER","features":[115]},{"name":"INTERNET_CACHE_CONTAINER_INFOA","features":[115]},{"name":"INTERNET_CACHE_CONTAINER_INFOW","features":[115]},{"name":"INTERNET_CACHE_CONTAINER_MAP_ENABLED","features":[115]},{"name":"INTERNET_CACHE_CONTAINER_NODESKTOPINIT","features":[115]},{"name":"INTERNET_CACHE_CONTAINER_NOSUBDIRS","features":[115]},{"name":"INTERNET_CACHE_CONTAINER_RESERVED1","features":[115]},{"name":"INTERNET_CACHE_CONTAINER_SHARE_READ","features":[115]},{"name":"INTERNET_CACHE_CONTAINER_SHARE_READ_WRITE","features":[115]},{"name":"INTERNET_CACHE_ENTRY_INFOA","features":[1,115]},{"name":"INTERNET_CACHE_ENTRY_INFOW","features":[1,115]},{"name":"INTERNET_CACHE_FLAG_ADD_FILENAME_ONLY","features":[115]},{"name":"INTERNET_CACHE_FLAG_ALLOW_COLLISIONS","features":[115]},{"name":"INTERNET_CACHE_FLAG_ENTRY_OR_MAPPING","features":[115]},{"name":"INTERNET_CACHE_FLAG_GET_STRUCT_ONLY","features":[115]},{"name":"INTERNET_CACHE_FLAG_INSTALLED_ENTRY","features":[115]},{"name":"INTERNET_CACHE_GROUP_ADD","features":[115]},{"name":"INTERNET_CACHE_GROUP_INFOA","features":[115]},{"name":"INTERNET_CACHE_GROUP_INFOW","features":[115]},{"name":"INTERNET_CACHE_GROUP_REMOVE","features":[115]},{"name":"INTERNET_CACHE_TIMESTAMPS","features":[1,115]},{"name":"INTERNET_CALLBACK_COOKIE","features":[1,115]},{"name":"INTERNET_CERTIFICATE_INFO","features":[1,115]},{"name":"INTERNET_CONNECTED_INFO","features":[115]},{"name":"INTERNET_CONNECTION","features":[115]},{"name":"INTERNET_CONNECTION_CONFIGURED","features":[115]},{"name":"INTERNET_CONNECTION_LAN","features":[115]},{"name":"INTERNET_CONNECTION_MODEM","features":[115]},{"name":"INTERNET_CONNECTION_MODEM_BUSY","features":[115]},{"name":"INTERNET_CONNECTION_OFFLINE","features":[115]},{"name":"INTERNET_CONNECTION_PROXY","features":[115]},{"name":"INTERNET_COOKIE","features":[1,115]},{"name":"INTERNET_COOKIE2","features":[1,115]},{"name":"INTERNET_COOKIE_ALL_COOKIES","features":[115]},{"name":"INTERNET_COOKIE_APPLY_HOST_ONLY","features":[115]},{"name":"INTERNET_COOKIE_APPLY_P3P","features":[115]},{"name":"INTERNET_COOKIE_ECTX_3RDPARTY","features":[115]},{"name":"INTERNET_COOKIE_EDGE_COOKIES","features":[115]},{"name":"INTERNET_COOKIE_EVALUATE_P3P","features":[115]},{"name":"INTERNET_COOKIE_FLAGS","features":[115]},{"name":"INTERNET_COOKIE_HOST_ONLY","features":[115]},{"name":"INTERNET_COOKIE_HOST_ONLY_APPLIED","features":[115]},{"name":"INTERNET_COOKIE_HTTPONLY","features":[115]},{"name":"INTERNET_COOKIE_IE6","features":[115]},{"name":"INTERNET_COOKIE_IS_LEGACY","features":[115]},{"name":"INTERNET_COOKIE_IS_RESTRICTED","features":[115]},{"name":"INTERNET_COOKIE_IS_SECURE","features":[115]},{"name":"INTERNET_COOKIE_IS_SESSION","features":[115]},{"name":"INTERNET_COOKIE_NON_SCRIPT","features":[115]},{"name":"INTERNET_COOKIE_NO_CALLBACK","features":[115]},{"name":"INTERNET_COOKIE_P3P_ENABLED","features":[115]},{"name":"INTERNET_COOKIE_PERSISTENT_HOST_ONLY","features":[115]},{"name":"INTERNET_COOKIE_PROMPT_REQUIRED","features":[115]},{"name":"INTERNET_COOKIE_RESTRICTED_ZONE","features":[115]},{"name":"INTERNET_COOKIE_SAME_SITE_LAX","features":[115]},{"name":"INTERNET_COOKIE_SAME_SITE_LEVEL_CROSS_SITE","features":[115]},{"name":"INTERNET_COOKIE_SAME_SITE_STRICT","features":[115]},{"name":"INTERNET_COOKIE_THIRD_PARTY","features":[115]},{"name":"INTERNET_CREDENTIALS","features":[1,115]},{"name":"INTERNET_CUSTOMDIAL_CAN_HANGUP","features":[115]},{"name":"INTERNET_CUSTOMDIAL_CONNECT","features":[115]},{"name":"INTERNET_CUSTOMDIAL_DISCONNECT","features":[115]},{"name":"INTERNET_CUSTOMDIAL_SAFE_FOR_UNATTENDED","features":[115]},{"name":"INTERNET_CUSTOMDIAL_SHOWOFFLINE","features":[115]},{"name":"INTERNET_CUSTOMDIAL_UNATTENDED","features":[115]},{"name":"INTERNET_CUSTOMDIAL_WILL_SUPPLY_STATE","features":[115]},{"name":"INTERNET_DEFAULT_FTP_PORT","features":[115]},{"name":"INTERNET_DEFAULT_GOPHER_PORT","features":[115]},{"name":"INTERNET_DEFAULT_SOCKS_PORT","features":[115]},{"name":"INTERNET_DIAGNOSTIC_SOCKET_INFO","features":[115]},{"name":"INTERNET_DIALSTATE_DISCONNECTED","features":[115]},{"name":"INTERNET_DIAL_FORCE_PROMPT","features":[115]},{"name":"INTERNET_DIAL_SHOW_OFFLINE","features":[115]},{"name":"INTERNET_DIAL_UNATTENDED","features":[115]},{"name":"INTERNET_DOWNLOAD_MODE_HANDLE","features":[1,115]},{"name":"INTERNET_END_BROWSER_SESSION_DATA","features":[115]},{"name":"INTERNET_ERROR_BASE","features":[115]},{"name":"INTERNET_ERROR_LAST","features":[115]},{"name":"INTERNET_ERROR_MASK_COMBINED_SEC_CERT","features":[115]},{"name":"INTERNET_ERROR_MASK_INSERT_CDROM","features":[115]},{"name":"INTERNET_ERROR_MASK_LOGIN_FAILURE_DISPLAY_ENTITY_BODY","features":[115]},{"name":"INTERNET_ERROR_MASK_NEED_MSN_SSPI_PKG","features":[115]},{"name":"INTERNET_FIRST_OPTION","features":[115]},{"name":"INTERNET_FLAG_ASYNC","features":[115]},{"name":"INTERNET_FLAG_BGUPDATE","features":[115]},{"name":"INTERNET_FLAG_CACHE_ASYNC","features":[115]},{"name":"INTERNET_FLAG_CACHE_IF_NET_FAIL","features":[115]},{"name":"INTERNET_FLAG_DONT_CACHE","features":[115]},{"name":"INTERNET_FLAG_EXISTING_CONNECT","features":[115]},{"name":"INTERNET_FLAG_FORMS_SUBMIT","features":[115]},{"name":"INTERNET_FLAG_FROM_CACHE","features":[115]},{"name":"INTERNET_FLAG_FTP_FOLDER_VIEW","features":[115]},{"name":"INTERNET_FLAG_FWD_BACK","features":[115]},{"name":"INTERNET_FLAG_HYPERLINK","features":[115]},{"name":"INTERNET_FLAG_IDN_DIRECT","features":[115]},{"name":"INTERNET_FLAG_IDN_PROXY","features":[115]},{"name":"INTERNET_FLAG_IGNORE_CERT_CN_INVALID","features":[115]},{"name":"INTERNET_FLAG_IGNORE_CERT_DATE_INVALID","features":[115]},{"name":"INTERNET_FLAG_IGNORE_REDIRECT_TO_HTTP","features":[115]},{"name":"INTERNET_FLAG_IGNORE_REDIRECT_TO_HTTPS","features":[115]},{"name":"INTERNET_FLAG_KEEP_CONNECTION","features":[115]},{"name":"INTERNET_FLAG_MAKE_PERSISTENT","features":[115]},{"name":"INTERNET_FLAG_MUST_CACHE_REQUEST","features":[115]},{"name":"INTERNET_FLAG_NEED_FILE","features":[115]},{"name":"INTERNET_FLAG_NO_AUTH","features":[115]},{"name":"INTERNET_FLAG_NO_AUTO_REDIRECT","features":[115]},{"name":"INTERNET_FLAG_NO_CACHE_WRITE","features":[115]},{"name":"INTERNET_FLAG_NO_COOKIES","features":[115]},{"name":"INTERNET_FLAG_NO_UI","features":[115]},{"name":"INTERNET_FLAG_OFFLINE","features":[115]},{"name":"INTERNET_FLAG_PASSIVE","features":[115]},{"name":"INTERNET_FLAG_PRAGMA_NOCACHE","features":[115]},{"name":"INTERNET_FLAG_RAW_DATA","features":[115]},{"name":"INTERNET_FLAG_READ_PREFETCH","features":[115]},{"name":"INTERNET_FLAG_RELOAD","features":[115]},{"name":"INTERNET_FLAG_RESTRICTED_ZONE","features":[115]},{"name":"INTERNET_FLAG_RESYNCHRONIZE","features":[115]},{"name":"INTERNET_FLAG_SECURE","features":[115]},{"name":"INTERNET_FLAG_TRANSFER_ASCII","features":[115]},{"name":"INTERNET_FLAG_TRANSFER_BINARY","features":[115]},{"name":"INTERNET_GLOBAL_CALLBACK_DETECTING_PROXY","features":[115]},{"name":"INTERNET_GLOBAL_CALLBACK_SENDING_HTTP_HEADERS","features":[115]},{"name":"INTERNET_HANDLE_TYPE_CONNECT_FTP","features":[115]},{"name":"INTERNET_HANDLE_TYPE_CONNECT_GOPHER","features":[115]},{"name":"INTERNET_HANDLE_TYPE_CONNECT_HTTP","features":[115]},{"name":"INTERNET_HANDLE_TYPE_FILE_REQUEST","features":[115]},{"name":"INTERNET_HANDLE_TYPE_FTP_FILE","features":[115]},{"name":"INTERNET_HANDLE_TYPE_FTP_FILE_HTML","features":[115]},{"name":"INTERNET_HANDLE_TYPE_FTP_FIND","features":[115]},{"name":"INTERNET_HANDLE_TYPE_FTP_FIND_HTML","features":[115]},{"name":"INTERNET_HANDLE_TYPE_GOPHER_FILE","features":[115]},{"name":"INTERNET_HANDLE_TYPE_GOPHER_FILE_HTML","features":[115]},{"name":"INTERNET_HANDLE_TYPE_GOPHER_FIND","features":[115]},{"name":"INTERNET_HANDLE_TYPE_GOPHER_FIND_HTML","features":[115]},{"name":"INTERNET_HANDLE_TYPE_HTTP_REQUEST","features":[115]},{"name":"INTERNET_HANDLE_TYPE_INTERNET","features":[115]},{"name":"INTERNET_IDENTITY_FLAG_CLEAR_CONTENT","features":[115]},{"name":"INTERNET_IDENTITY_FLAG_CLEAR_COOKIES","features":[115]},{"name":"INTERNET_IDENTITY_FLAG_CLEAR_DATA","features":[115]},{"name":"INTERNET_IDENTITY_FLAG_CLEAR_HISTORY","features":[115]},{"name":"INTERNET_IDENTITY_FLAG_PRIVATE_CACHE","features":[115]},{"name":"INTERNET_IDENTITY_FLAG_SHARED_CACHE","features":[115]},{"name":"INTERNET_INTERNAL_ERROR_BASE","features":[115]},{"name":"INTERNET_INVALID_PORT_NUMBER","features":[115]},{"name":"INTERNET_KEEP_ALIVE_DISABLED","features":[115]},{"name":"INTERNET_KEEP_ALIVE_ENABLED","features":[115]},{"name":"INTERNET_KEEP_ALIVE_UNKNOWN","features":[115]},{"name":"INTERNET_LAST_OPTION","features":[115]},{"name":"INTERNET_LAST_OPTION_INTERNAL","features":[115]},{"name":"INTERNET_MAX_HOST_NAME_LENGTH","features":[115]},{"name":"INTERNET_MAX_PASSWORD_LENGTH","features":[115]},{"name":"INTERNET_MAX_PORT_NUMBER_LENGTH","features":[115]},{"name":"INTERNET_MAX_PORT_NUMBER_VALUE","features":[115]},{"name":"INTERNET_MAX_USER_NAME_LENGTH","features":[115]},{"name":"INTERNET_NO_CALLBACK","features":[115]},{"name":"INTERNET_OPEN_TYPE_DIRECT","features":[115]},{"name":"INTERNET_OPEN_TYPE_PRECONFIG","features":[115]},{"name":"INTERNET_OPEN_TYPE_PRECONFIG_WITH_NO_AUTOPROXY","features":[115]},{"name":"INTERNET_OPEN_TYPE_PROXY","features":[115]},{"name":"INTERNET_OPTION_ACTIVATE_WORKER_THREADS","features":[115]},{"name":"INTERNET_OPTION_ACTIVITY_ID","features":[115]},{"name":"INTERNET_OPTION_ALLOW_FAILED_CONNECT_CONTENT","features":[115]},{"name":"INTERNET_OPTION_ALLOW_INSECURE_FALLBACK","features":[115]},{"name":"INTERNET_OPTION_ALTER_IDENTITY","features":[115]},{"name":"INTERNET_OPTION_APP_CACHE","features":[115]},{"name":"INTERNET_OPTION_ASYNC","features":[115]},{"name":"INTERNET_OPTION_ASYNC_ID","features":[115]},{"name":"INTERNET_OPTION_ASYNC_PRIORITY","features":[115]},{"name":"INTERNET_OPTION_AUTH_FLAGS","features":[115]},{"name":"INTERNET_OPTION_AUTH_SCHEME_SELECTED","features":[115]},{"name":"INTERNET_OPTION_AUTODIAL_CONNECTION","features":[115]},{"name":"INTERNET_OPTION_AUTODIAL_HWND","features":[115]},{"name":"INTERNET_OPTION_AUTODIAL_MODE","features":[115]},{"name":"INTERNET_OPTION_BACKGROUND_CONNECTIONS","features":[115]},{"name":"INTERNET_OPTION_BYPASS_EDITED_ENTRY","features":[115]},{"name":"INTERNET_OPTION_CACHE_ENTRY_EXTRA_DATA","features":[115]},{"name":"INTERNET_OPTION_CACHE_PARTITION","features":[115]},{"name":"INTERNET_OPTION_CACHE_STREAM_HANDLE","features":[115]},{"name":"INTERNET_OPTION_CACHE_TIMESTAMPS","features":[115]},{"name":"INTERNET_OPTION_CALLBACK","features":[115]},{"name":"INTERNET_OPTION_CALLBACK_FILTER","features":[115]},{"name":"INTERNET_OPTION_CALLER_MODULE","features":[115]},{"name":"INTERNET_OPTION_CANCEL_CACHE_WRITE","features":[115]},{"name":"INTERNET_OPTION_CERT_ERROR_FLAGS","features":[115]},{"name":"INTERNET_OPTION_CHUNK_ENCODE_REQUEST","features":[115]},{"name":"INTERNET_OPTION_CLIENT_CERT_CONTEXT","features":[115]},{"name":"INTERNET_OPTION_CLIENT_CERT_ISSUER_LIST","features":[115]},{"name":"INTERNET_OPTION_CM_HANDLE_COPY_REF","features":[115]},{"name":"INTERNET_OPTION_CODEPAGE","features":[115]},{"name":"INTERNET_OPTION_CODEPAGE_EXTRA","features":[115]},{"name":"INTERNET_OPTION_CODEPAGE_PATH","features":[115]},{"name":"INTERNET_OPTION_COMPRESSED_CONTENT_LENGTH","features":[115]},{"name":"INTERNET_OPTION_CONNECTED_STATE","features":[115]},{"name":"INTERNET_OPTION_CONNECTION_FILTER","features":[115]},{"name":"INTERNET_OPTION_CONNECTION_INFO","features":[115]},{"name":"INTERNET_OPTION_CONNECT_BACKOFF","features":[115]},{"name":"INTERNET_OPTION_CONNECT_LIMIT","features":[115]},{"name":"INTERNET_OPTION_CONNECT_RETRIES","features":[115]},{"name":"INTERNET_OPTION_CONNECT_TIME","features":[115]},{"name":"INTERNET_OPTION_CONNECT_TIMEOUT","features":[115]},{"name":"INTERNET_OPTION_CONTEXT_VALUE","features":[115]},{"name":"INTERNET_OPTION_CONTEXT_VALUE_OLD","features":[115]},{"name":"INTERNET_OPTION_CONTROL_RECEIVE_TIMEOUT","features":[115]},{"name":"INTERNET_OPTION_CONTROL_SEND_TIMEOUT","features":[115]},{"name":"INTERNET_OPTION_COOKIES_3RD_PARTY","features":[115]},{"name":"INTERNET_OPTION_COOKIES_APPLY_HOST_ONLY","features":[115]},{"name":"INTERNET_OPTION_COOKIES_SAME_SITE_LEVEL","features":[115]},{"name":"INTERNET_OPTION_DATAFILE_EXT","features":[115]},{"name":"INTERNET_OPTION_DATAFILE_NAME","features":[115]},{"name":"INTERNET_OPTION_DATA_RECEIVE_TIMEOUT","features":[115]},{"name":"INTERNET_OPTION_DATA_SEND_TIMEOUT","features":[115]},{"name":"INTERNET_OPTION_DEPENDENCY_HANDLE","features":[115]},{"name":"INTERNET_OPTION_DETECT_POST_SEND","features":[115]},{"name":"INTERNET_OPTION_DIAGNOSTIC_SOCKET_INFO","features":[115]},{"name":"INTERNET_OPTION_DIGEST_AUTH_UNLOAD","features":[115]},{"name":"INTERNET_OPTION_DISABLE_AUTODIAL","features":[115]},{"name":"INTERNET_OPTION_DISABLE_INSECURE_FALLBACK","features":[115]},{"name":"INTERNET_OPTION_DISABLE_NTLM_PREAUTH","features":[115]},{"name":"INTERNET_OPTION_DISABLE_PASSPORT_AUTH","features":[115]},{"name":"INTERNET_OPTION_DISABLE_PROXY_LINK_LOCAL_NAME_RESOLUTION","features":[115]},{"name":"INTERNET_OPTION_DISALLOW_PREMATURE_EOF","features":[115]},{"name":"INTERNET_OPTION_DISCONNECTED_TIMEOUT","features":[115]},{"name":"INTERNET_OPTION_DOWNLOAD_MODE","features":[115]},{"name":"INTERNET_OPTION_DOWNLOAD_MODE_HANDLE","features":[115]},{"name":"INTERNET_OPTION_DO_NOT_TRACK","features":[115]},{"name":"INTERNET_OPTION_DUO_USED","features":[115]},{"name":"INTERNET_OPTION_EDGE_COOKIES","features":[115]},{"name":"INTERNET_OPTION_EDGE_COOKIES_TEMP","features":[115]},{"name":"INTERNET_OPTION_EDGE_MODE","features":[115]},{"name":"INTERNET_OPTION_ENABLE_DUO","features":[115]},{"name":"INTERNET_OPTION_ENABLE_HEADER_CALLBACKS","features":[115]},{"name":"INTERNET_OPTION_ENABLE_HTTP_PROTOCOL","features":[115]},{"name":"INTERNET_OPTION_ENABLE_PASSPORT_AUTH","features":[115]},{"name":"INTERNET_OPTION_ENABLE_REDIRECT_CACHE_READ","features":[115]},{"name":"INTERNET_OPTION_ENABLE_TEST_SIGNING","features":[115]},{"name":"INTERNET_OPTION_ENABLE_WBOEXT","features":[115]},{"name":"INTERNET_OPTION_ENABLE_ZLIB_DEFLATE","features":[115]},{"name":"INTERNET_OPTION_ENCODE_EXTRA","features":[115]},{"name":"INTERNET_OPTION_ENCODE_FALLBACK_FOR_REDIRECT_URI","features":[115]},{"name":"INTERNET_OPTION_END_BROWSER_SESSION","features":[115]},{"name":"INTERNET_OPTION_ENTERPRISE_CONTEXT","features":[115]},{"name":"INTERNET_OPTION_ERROR_MASK","features":[115]},{"name":"INTERNET_OPTION_EXEMPT_CONNECTION_LIMIT","features":[115]},{"name":"INTERNET_OPTION_EXTENDED_CALLBACKS","features":[115]},{"name":"INTERNET_OPTION_EXTENDED_ERROR","features":[115]},{"name":"INTERNET_OPTION_FAIL_ON_CACHE_WRITE_ERROR","features":[115]},{"name":"INTERNET_OPTION_FALSE_START","features":[115]},{"name":"INTERNET_OPTION_FLUSH_STATE","features":[115]},{"name":"INTERNET_OPTION_FORCE_DECODE","features":[115]},{"name":"INTERNET_OPTION_FROM_CACHE_TIMEOUT","features":[115]},{"name":"INTERNET_OPTION_GLOBAL_CALLBACK","features":[115]},{"name":"INTERNET_OPTION_HANDLE_TYPE","features":[115]},{"name":"INTERNET_OPTION_HIBERNATE_INACTIVE_WORKER_THREADS","features":[115]},{"name":"INTERNET_OPTION_HSTS","features":[115]},{"name":"INTERNET_OPTION_HTTP_09","features":[115]},{"name":"INTERNET_OPTION_HTTP_DECODING","features":[115]},{"name":"INTERNET_OPTION_HTTP_PROTOCOL_USED","features":[115]},{"name":"INTERNET_OPTION_HTTP_VERSION","features":[115]},{"name":"INTERNET_OPTION_IDENTITY","features":[115]},{"name":"INTERNET_OPTION_IDLE_STATE","features":[115]},{"name":"INTERNET_OPTION_IDN","features":[115]},{"name":"INTERNET_OPTION_IGNORE_CERT_ERROR_FLAGS","features":[115]},{"name":"INTERNET_OPTION_IGNORE_OFFLINE","features":[115]},{"name":"INTERNET_OPTION_KEEP_CONNECTION","features":[115]},{"name":"INTERNET_OPTION_LINE_STATE","features":[115]},{"name":"INTERNET_OPTION_LISTEN_TIMEOUT","features":[115]},{"name":"INTERNET_OPTION_MAX_CONNS_PER_1_0_SERVER","features":[115]},{"name":"INTERNET_OPTION_MAX_CONNS_PER_PROXY","features":[115]},{"name":"INTERNET_OPTION_MAX_CONNS_PER_SERVER","features":[115]},{"name":"INTERNET_OPTION_MAX_QUERY_BUFFER_SIZE","features":[115]},{"name":"INTERNET_OPTION_NET_SPEED","features":[115]},{"name":"INTERNET_OPTION_NOCACHE_WRITE_IN_PRIVATE","features":[115]},{"name":"INTERNET_OPTION_NOTIFY_SENDING_COOKIE","features":[115]},{"name":"INTERNET_OPTION_NO_HTTP_SERVER_AUTH","features":[115]},{"name":"INTERNET_OPTION_OFFLINE_MODE","features":[115]},{"name":"INTERNET_OPTION_OFFLINE_SEMANTICS","features":[115]},{"name":"INTERNET_OPTION_OFFLINE_TIMEOUT","features":[115]},{"name":"INTERNET_OPTION_OPT_IN_WEAK_SIGNATURE","features":[115]},{"name":"INTERNET_OPTION_ORIGINAL_CONNECT_FLAGS","features":[115]},{"name":"INTERNET_OPTION_PARENT_HANDLE","features":[115]},{"name":"INTERNET_OPTION_PARSE_LINE_FOLDING","features":[115]},{"name":"INTERNET_OPTION_PASSWORD","features":[115]},{"name":"INTERNET_OPTION_PER_CONNECTION_OPTION","features":[115]},{"name":"INTERNET_OPTION_POLICY","features":[115]},{"name":"INTERNET_OPTION_PRESERVE_REFERER_ON_HTTPS_TO_HTTP_REDIRECT","features":[115]},{"name":"INTERNET_OPTION_PRESERVE_REQUEST_SERVER_CREDENTIALS_ON_REDIRECT","features":[115]},{"name":"INTERNET_OPTION_PROXY","features":[115]},{"name":"INTERNET_OPTION_PROXY_AUTH_SCHEME","features":[115]},{"name":"INTERNET_OPTION_PROXY_CREDENTIALS","features":[115]},{"name":"INTERNET_OPTION_PROXY_FROM_REQUEST","features":[115]},{"name":"INTERNET_OPTION_PROXY_PASSWORD","features":[115]},{"name":"INTERNET_OPTION_PROXY_SETTINGS_CHANGED","features":[115]},{"name":"INTERNET_OPTION_PROXY_USERNAME","features":[115]},{"name":"INTERNET_OPTION_READ_BUFFER_SIZE","features":[115]},{"name":"INTERNET_OPTION_RECEIVE_THROUGHPUT","features":[115]},{"name":"INTERNET_OPTION_RECEIVE_TIMEOUT","features":[115]},{"name":"INTERNET_OPTION_REFERER_TOKEN_BINDING_HOSTNAME","features":[115]},{"name":"INTERNET_OPTION_REFRESH","features":[115]},{"name":"INTERNET_OPTION_REMOVE_IDENTITY","features":[115]},{"name":"INTERNET_OPTION_REQUEST_ANNOTATION","features":[115]},{"name":"INTERNET_OPTION_REQUEST_ANNOTATION_MAX_LENGTH","features":[115]},{"name":"INTERNET_OPTION_REQUEST_FLAGS","features":[115]},{"name":"INTERNET_OPTION_REQUEST_PRIORITY","features":[115]},{"name":"INTERNET_OPTION_REQUEST_TIMES","features":[115]},{"name":"INTERNET_OPTION_RESET","features":[115]},{"name":"INTERNET_OPTION_RESET_URLCACHE_SESSION","features":[115]},{"name":"INTERNET_OPTION_RESPONSE_RESUMABLE","features":[115]},{"name":"INTERNET_OPTION_RESTORE_WORKER_THREAD_DEFAULTS","features":[115]},{"name":"INTERNET_OPTION_SECONDARY_CACHE_KEY","features":[115]},{"name":"INTERNET_OPTION_SECURE_FAILURE","features":[115]},{"name":"INTERNET_OPTION_SECURITY_CERTIFICATE","features":[115]},{"name":"INTERNET_OPTION_SECURITY_CERTIFICATE_STRUCT","features":[115]},{"name":"INTERNET_OPTION_SECURITY_CONNECTION_INFO","features":[115]},{"name":"INTERNET_OPTION_SECURITY_FLAGS","features":[115]},{"name":"INTERNET_OPTION_SECURITY_KEY_BITNESS","features":[115]},{"name":"INTERNET_OPTION_SECURITY_SELECT_CLIENT_CERT","features":[115]},{"name":"INTERNET_OPTION_SEND_THROUGHPUT","features":[115]},{"name":"INTERNET_OPTION_SEND_TIMEOUT","features":[115]},{"name":"INTERNET_OPTION_SEND_UTF8_SERVERNAME_TO_PROXY","features":[115]},{"name":"INTERNET_OPTION_SERVER_ADDRESS_INFO","features":[115]},{"name":"INTERNET_OPTION_SERVER_AUTH_SCHEME","features":[115]},{"name":"INTERNET_OPTION_SERVER_CERT_CHAIN_CONTEXT","features":[115]},{"name":"INTERNET_OPTION_SERVER_CREDENTIALS","features":[115]},{"name":"INTERNET_OPTION_SESSION_START_TIME","features":[115]},{"name":"INTERNET_OPTION_SETTINGS_CHANGED","features":[115]},{"name":"INTERNET_OPTION_SET_IN_PRIVATE","features":[115]},{"name":"INTERNET_OPTION_SOCKET_NODELAY","features":[115]},{"name":"INTERNET_OPTION_SOCKET_NOTIFICATION_IOCTL","features":[115]},{"name":"INTERNET_OPTION_SOCKET_SEND_BUFFER_LENGTH","features":[115]},{"name":"INTERNET_OPTION_SOURCE_PORT","features":[115]},{"name":"INTERNET_OPTION_SUPPRESS_BEHAVIOR","features":[115]},{"name":"INTERNET_OPTION_SUPPRESS_SERVER_AUTH","features":[115]},{"name":"INTERNET_OPTION_SYNC_MODE_AUTOMATIC_SESSION_DISABLED","features":[115]},{"name":"INTERNET_OPTION_TCP_FAST_OPEN","features":[115]},{"name":"INTERNET_OPTION_TIMED_CONNECTION_LIMIT_BYPASS","features":[115]},{"name":"INTERNET_OPTION_TOKEN_BINDING_PUBLIC_KEY","features":[115]},{"name":"INTERNET_OPTION_TUNNEL_ONLY","features":[115]},{"name":"INTERNET_OPTION_UNLOAD_NOTIFY_EVENT","features":[115]},{"name":"INTERNET_OPTION_UPGRADE_TO_WEB_SOCKET","features":[115]},{"name":"INTERNET_OPTION_URL","features":[115]},{"name":"INTERNET_OPTION_USERNAME","features":[115]},{"name":"INTERNET_OPTION_USER_AGENT","features":[115]},{"name":"INTERNET_OPTION_USER_PASS_SERVER_ONLY","features":[115]},{"name":"INTERNET_OPTION_USE_FIRST_AVAILABLE_CONNECTION","features":[115]},{"name":"INTERNET_OPTION_USE_MODIFIED_HEADER_FILTER","features":[115]},{"name":"INTERNET_OPTION_VERSION","features":[115]},{"name":"INTERNET_OPTION_WEB_SOCKET_CLOSE_TIMEOUT","features":[115]},{"name":"INTERNET_OPTION_WEB_SOCKET_KEEPALIVE_INTERVAL","features":[115]},{"name":"INTERNET_OPTION_WPAD_SLEEP","features":[115]},{"name":"INTERNET_OPTION_WRITE_BUFFER_SIZE","features":[115]},{"name":"INTERNET_OPTION_WWA_MODE","features":[115]},{"name":"INTERNET_PER_CONN","features":[115]},{"name":"INTERNET_PER_CONN_AUTOCONFIG_LAST_DETECT_TIME","features":[115]},{"name":"INTERNET_PER_CONN_AUTOCONFIG_LAST_DETECT_URL","features":[115]},{"name":"INTERNET_PER_CONN_AUTOCONFIG_RELOAD_DELAY_MINS","features":[115]},{"name":"INTERNET_PER_CONN_AUTOCONFIG_SECONDARY_URL","features":[115]},{"name":"INTERNET_PER_CONN_AUTOCONFIG_URL","features":[115]},{"name":"INTERNET_PER_CONN_AUTODISCOVERY_FLAGS","features":[115]},{"name":"INTERNET_PER_CONN_FLAGS","features":[115]},{"name":"INTERNET_PER_CONN_FLAGS_UI","features":[115]},{"name":"INTERNET_PER_CONN_OPTIONA","features":[1,115]},{"name":"INTERNET_PER_CONN_OPTIONW","features":[1,115]},{"name":"INTERNET_PER_CONN_OPTION_LISTA","features":[1,115]},{"name":"INTERNET_PER_CONN_OPTION_LISTW","features":[1,115]},{"name":"INTERNET_PER_CONN_PROXY_BYPASS","features":[115]},{"name":"INTERNET_PER_CONN_PROXY_SERVER","features":[115]},{"name":"INTERNET_PREFETCH_ABORTED","features":[115]},{"name":"INTERNET_PREFETCH_COMPLETE","features":[115]},{"name":"INTERNET_PREFETCH_PROGRESS","features":[115]},{"name":"INTERNET_PREFETCH_STATUS","features":[115]},{"name":"INTERNET_PRIORITY_FOREGROUND","features":[115]},{"name":"INTERNET_PROXY_INFO","features":[115]},{"name":"INTERNET_RAS_INSTALLED","features":[115]},{"name":"INTERNET_REQFLAG_ASYNC","features":[115]},{"name":"INTERNET_REQFLAG_CACHE_WRITE_DISABLED","features":[115]},{"name":"INTERNET_REQFLAG_FROM_APP_CACHE","features":[115]},{"name":"INTERNET_REQFLAG_FROM_CACHE","features":[115]},{"name":"INTERNET_REQFLAG_NET_TIMEOUT","features":[115]},{"name":"INTERNET_REQFLAG_NO_HEADERS","features":[115]},{"name":"INTERNET_REQFLAG_PASSIVE","features":[115]},{"name":"INTERNET_REQFLAG_VIA_PROXY","features":[115]},{"name":"INTERNET_RFC1123_BUFSIZE","features":[115]},{"name":"INTERNET_RFC1123_FORMAT","features":[115]},{"name":"INTERNET_SCHEME","features":[115]},{"name":"INTERNET_SCHEME_DEFAULT","features":[115]},{"name":"INTERNET_SCHEME_FILE","features":[115]},{"name":"INTERNET_SCHEME_FIRST","features":[115]},{"name":"INTERNET_SCHEME_FTP","features":[115]},{"name":"INTERNET_SCHEME_GOPHER","features":[115]},{"name":"INTERNET_SCHEME_HTTP","features":[115]},{"name":"INTERNET_SCHEME_HTTPS","features":[115]},{"name":"INTERNET_SCHEME_JAVASCRIPT","features":[115]},{"name":"INTERNET_SCHEME_LAST","features":[115]},{"name":"INTERNET_SCHEME_MAILTO","features":[115]},{"name":"INTERNET_SCHEME_NEWS","features":[115]},{"name":"INTERNET_SCHEME_PARTIAL","features":[115]},{"name":"INTERNET_SCHEME_RES","features":[115]},{"name":"INTERNET_SCHEME_SOCKS","features":[115]},{"name":"INTERNET_SCHEME_UNKNOWN","features":[115]},{"name":"INTERNET_SCHEME_VBSCRIPT","features":[115]},{"name":"INTERNET_SECURITY_CONNECTION_INFO","features":[1,115,23,68]},{"name":"INTERNET_SECURITY_INFO","features":[1,115,23,68]},{"name":"INTERNET_SERVER_CONNECTION_STATE","features":[1,115]},{"name":"INTERNET_SERVICE_FTP","features":[115]},{"name":"INTERNET_SERVICE_GOPHER","features":[115]},{"name":"INTERNET_SERVICE_HTTP","features":[115]},{"name":"INTERNET_SERVICE_URL","features":[115]},{"name":"INTERNET_STATE","features":[115]},{"name":"INTERNET_STATE_BUSY","features":[115]},{"name":"INTERNET_STATE_CONNECTED","features":[115]},{"name":"INTERNET_STATE_DISCONNECTED","features":[115]},{"name":"INTERNET_STATE_DISCONNECTED_BY_USER","features":[115]},{"name":"INTERNET_STATE_IDLE","features":[115]},{"name":"INTERNET_STATUS_CLOSING_CONNECTION","features":[115]},{"name":"INTERNET_STATUS_CONNECTED_TO_SERVER","features":[115]},{"name":"INTERNET_STATUS_CONNECTING_TO_SERVER","features":[115]},{"name":"INTERNET_STATUS_CONNECTION_CLOSED","features":[115]},{"name":"INTERNET_STATUS_COOKIE","features":[115]},{"name":"INTERNET_STATUS_COOKIE_HISTORY","features":[115]},{"name":"INTERNET_STATUS_COOKIE_RECEIVED","features":[115]},{"name":"INTERNET_STATUS_COOKIE_SENT","features":[115]},{"name":"INTERNET_STATUS_CTL_RESPONSE_RECEIVED","features":[115]},{"name":"INTERNET_STATUS_DETECTING_PROXY","features":[115]},{"name":"INTERNET_STATUS_END_BROWSER_SESSION","features":[115]},{"name":"INTERNET_STATUS_FILTER_CLOSED","features":[115]},{"name":"INTERNET_STATUS_FILTER_CLOSING","features":[115]},{"name":"INTERNET_STATUS_FILTER_CONNECTED","features":[115]},{"name":"INTERNET_STATUS_FILTER_CONNECTING","features":[115]},{"name":"INTERNET_STATUS_FILTER_HANDLE_CLOSING","features":[115]},{"name":"INTERNET_STATUS_FILTER_HANDLE_CREATED","features":[115]},{"name":"INTERNET_STATUS_FILTER_PREFETCH","features":[115]},{"name":"INTERNET_STATUS_FILTER_RECEIVED","features":[115]},{"name":"INTERNET_STATUS_FILTER_RECEIVING","features":[115]},{"name":"INTERNET_STATUS_FILTER_REDIRECT","features":[115]},{"name":"INTERNET_STATUS_FILTER_RESOLVED","features":[115]},{"name":"INTERNET_STATUS_FILTER_RESOLVING","features":[115]},{"name":"INTERNET_STATUS_FILTER_SENDING","features":[115]},{"name":"INTERNET_STATUS_FILTER_SENT","features":[115]},{"name":"INTERNET_STATUS_FILTER_STATE_CHANGE","features":[115]},{"name":"INTERNET_STATUS_HANDLE_CLOSING","features":[115]},{"name":"INTERNET_STATUS_HANDLE_CREATED","features":[115]},{"name":"INTERNET_STATUS_INTERMEDIATE_RESPONSE","features":[115]},{"name":"INTERNET_STATUS_NAME_RESOLVED","features":[115]},{"name":"INTERNET_STATUS_P3P_HEADER","features":[115]},{"name":"INTERNET_STATUS_P3P_POLICYREF","features":[115]},{"name":"INTERNET_STATUS_PREFETCH","features":[115]},{"name":"INTERNET_STATUS_PRIVACY_IMPACTED","features":[115]},{"name":"INTERNET_STATUS_PROXY_CREDENTIALS","features":[115]},{"name":"INTERNET_STATUS_RECEIVING_RESPONSE","features":[115]},{"name":"INTERNET_STATUS_REDIRECT","features":[115]},{"name":"INTERNET_STATUS_REQUEST_COMPLETE","features":[115]},{"name":"INTERNET_STATUS_REQUEST_HEADERS_SET","features":[115]},{"name":"INTERNET_STATUS_REQUEST_SENT","features":[115]},{"name":"INTERNET_STATUS_RESOLVING_NAME","features":[115]},{"name":"INTERNET_STATUS_RESPONSE_HEADERS_SET","features":[115]},{"name":"INTERNET_STATUS_RESPONSE_RECEIVED","features":[115]},{"name":"INTERNET_STATUS_SENDING_COOKIE","features":[115]},{"name":"INTERNET_STATUS_SENDING_REQUEST","features":[115]},{"name":"INTERNET_STATUS_SERVER_CONNECTION_STATE","features":[115]},{"name":"INTERNET_STATUS_SERVER_CREDENTIALS","features":[115]},{"name":"INTERNET_STATUS_STATE_CHANGE","features":[115]},{"name":"INTERNET_STATUS_USER_INPUT_REQUIRED","features":[115]},{"name":"INTERNET_SUPPRESS_COOKIE_PERSIST","features":[115]},{"name":"INTERNET_SUPPRESS_COOKIE_PERSIST_RESET","features":[115]},{"name":"INTERNET_SUPPRESS_COOKIE_POLICY","features":[115]},{"name":"INTERNET_SUPPRESS_COOKIE_POLICY_RESET","features":[115]},{"name":"INTERNET_SUPPRESS_RESET_ALL","features":[115]},{"name":"INTERNET_VERSION_INFO","features":[115]},{"name":"IProofOfPossessionCookieInfoManager","features":[115]},{"name":"IProofOfPossessionCookieInfoManager2","features":[115]},{"name":"IRF_ASYNC","features":[115]},{"name":"IRF_NO_WAIT","features":[115]},{"name":"IRF_SYNC","features":[115]},{"name":"IRF_USE_CONTEXT","features":[115]},{"name":"ISO_FORCE_DISCONNECTED","features":[115]},{"name":"ISO_FORCE_OFFLINE","features":[115]},{"name":"ISO_GLOBAL","features":[115]},{"name":"ISO_REGISTRY","features":[115]},{"name":"ImportCookieFileA","features":[1,115]},{"name":"ImportCookieFileW","features":[1,115]},{"name":"IncomingCookieState","features":[115]},{"name":"IncrementUrlCacheHeaderData","features":[1,115]},{"name":"InternalInternetGetCookie","features":[115]},{"name":"InternetAlgIdToStringA","features":[1,115,68]},{"name":"InternetAlgIdToStringW","features":[1,115,68]},{"name":"InternetAttemptConnect","features":[115]},{"name":"InternetAutodial","features":[1,115]},{"name":"InternetAutodialHangup","features":[1,115]},{"name":"InternetCanonicalizeUrlA","features":[1,115]},{"name":"InternetCanonicalizeUrlW","features":[1,115]},{"name":"InternetCheckConnectionA","features":[1,115]},{"name":"InternetCheckConnectionW","features":[1,115]},{"name":"InternetClearAllPerSiteCookieDecisions","features":[1,115]},{"name":"InternetCloseHandle","features":[1,115]},{"name":"InternetCombineUrlA","features":[1,115]},{"name":"InternetCombineUrlW","features":[1,115]},{"name":"InternetConfirmZoneCrossing","features":[1,115]},{"name":"InternetConfirmZoneCrossingA","features":[1,115]},{"name":"InternetConfirmZoneCrossingW","features":[1,115]},{"name":"InternetConnectA","features":[115]},{"name":"InternetConnectW","features":[115]},{"name":"InternetConvertUrlFromWireToWideChar","features":[1,115]},{"name":"InternetCookieHistory","features":[1,115]},{"name":"InternetCookieState","features":[115]},{"name":"InternetCrackUrlA","features":[1,114,115]},{"name":"InternetCrackUrlW","features":[1,114,115]},{"name":"InternetCreateUrlA","features":[1,115]},{"name":"InternetCreateUrlW","features":[1,115]},{"name":"InternetDial","features":[1,115]},{"name":"InternetDialA","features":[1,115]},{"name":"InternetDialW","features":[1,115]},{"name":"InternetEnumPerSiteCookieDecisionA","features":[1,115]},{"name":"InternetEnumPerSiteCookieDecisionW","features":[1,115]},{"name":"InternetErrorDlg","features":[1,115]},{"name":"InternetFindNextFileA","features":[1,115]},{"name":"InternetFindNextFileW","features":[1,115]},{"name":"InternetFortezzaCommand","features":[1,115]},{"name":"InternetFreeCookies","features":[1,115]},{"name":"InternetFreeProxyInfoList","features":[1,115]},{"name":"InternetGetConnectedState","features":[1,115]},{"name":"InternetGetConnectedStateEx","features":[1,115]},{"name":"InternetGetConnectedStateExA","features":[1,115]},{"name":"InternetGetConnectedStateExW","features":[1,115]},{"name":"InternetGetCookieA","features":[1,115]},{"name":"InternetGetCookieEx2","features":[1,115]},{"name":"InternetGetCookieExA","features":[1,115]},{"name":"InternetGetCookieExW","features":[1,115]},{"name":"InternetGetCookieW","features":[1,115]},{"name":"InternetGetLastResponseInfoA","features":[1,115]},{"name":"InternetGetLastResponseInfoW","features":[1,115]},{"name":"InternetGetPerSiteCookieDecisionA","features":[1,115]},{"name":"InternetGetPerSiteCookieDecisionW","features":[1,115]},{"name":"InternetGetProxyForUrl","features":[1,115]},{"name":"InternetGetSecurityInfoByURL","features":[1,115,68]},{"name":"InternetGetSecurityInfoByURLA","features":[1,115,68]},{"name":"InternetGetSecurityInfoByURLW","features":[1,115,68]},{"name":"InternetGoOnline","features":[1,115]},{"name":"InternetGoOnlineA","features":[1,115]},{"name":"InternetGoOnlineW","features":[1,115]},{"name":"InternetHangUp","features":[115]},{"name":"InternetInitializeAutoProxyDll","features":[1,115]},{"name":"InternetLockRequestFile","features":[1,115]},{"name":"InternetOpenA","features":[115]},{"name":"InternetOpenUrlA","features":[115]},{"name":"InternetOpenUrlW","features":[115]},{"name":"InternetOpenW","features":[115]},{"name":"InternetQueryDataAvailable","features":[1,115]},{"name":"InternetQueryFortezzaStatus","features":[1,115]},{"name":"InternetQueryOptionA","features":[1,115]},{"name":"InternetQueryOptionW","features":[1,115]},{"name":"InternetReadFile","features":[1,115]},{"name":"InternetReadFileExA","features":[1,115]},{"name":"InternetReadFileExW","features":[1,115]},{"name":"InternetSecurityProtocolToStringA","features":[1,115]},{"name":"InternetSecurityProtocolToStringW","features":[1,115]},{"name":"InternetSetCookieA","features":[1,115]},{"name":"InternetSetCookieEx2","features":[1,115]},{"name":"InternetSetCookieExA","features":[115]},{"name":"InternetSetCookieExW","features":[115]},{"name":"InternetSetCookieW","features":[1,115]},{"name":"InternetSetDialState","features":[1,115]},{"name":"InternetSetDialStateA","features":[1,115]},{"name":"InternetSetDialStateW","features":[1,115]},{"name":"InternetSetFilePointer","features":[115]},{"name":"InternetSetOptionA","features":[1,115]},{"name":"InternetSetOptionExA","features":[1,115]},{"name":"InternetSetOptionExW","features":[1,115]},{"name":"InternetSetOptionW","features":[1,115]},{"name":"InternetSetPerSiteCookieDecisionA","features":[1,115]},{"name":"InternetSetPerSiteCookieDecisionW","features":[1,115]},{"name":"InternetSetStatusCallback","features":[115]},{"name":"InternetSetStatusCallbackA","features":[115]},{"name":"InternetSetStatusCallbackW","features":[115]},{"name":"InternetShowSecurityInfoByURL","features":[1,115]},{"name":"InternetShowSecurityInfoByURLA","features":[1,115]},{"name":"InternetShowSecurityInfoByURLW","features":[1,115]},{"name":"InternetTimeFromSystemTime","features":[1,115]},{"name":"InternetTimeFromSystemTimeA","features":[1,115]},{"name":"InternetTimeFromSystemTimeW","features":[1,115]},{"name":"InternetTimeToSystemTime","features":[1,115]},{"name":"InternetTimeToSystemTimeA","features":[1,115]},{"name":"InternetTimeToSystemTimeW","features":[1,115]},{"name":"InternetUnlockRequestFile","features":[1,115]},{"name":"InternetWriteFile","features":[1,115]},{"name":"InternetWriteFileExA","features":[1,115]},{"name":"InternetWriteFileExW","features":[1,115]},{"name":"IsDomainLegalCookieDomainA","features":[1,115]},{"name":"IsDomainLegalCookieDomainW","features":[1,115]},{"name":"IsHostInProxyBypassList","features":[1,115]},{"name":"IsProfilesEnabled","features":[1,115]},{"name":"IsUrlCacheEntryExpiredA","features":[1,115]},{"name":"IsUrlCacheEntryExpiredW","features":[1,115]},{"name":"LOCAL_NAMESPACE_PREFIX","features":[115]},{"name":"LOCAL_NAMESPACE_PREFIX_W","features":[115]},{"name":"LPINTERNET_STATUS_CALLBACK","features":[115]},{"name":"LoadUrlCacheContent","features":[1,115]},{"name":"MAX_CACHE_ENTRY_INFO_SIZE","features":[115]},{"name":"MAX_GOPHER_ATTRIBUTE_NAME","features":[115]},{"name":"MAX_GOPHER_CATEGORY_NAME","features":[115]},{"name":"MAX_GOPHER_DISPLAY_TEXT","features":[115]},{"name":"MAX_GOPHER_HOST_NAME","features":[115]},{"name":"MAX_GOPHER_SELECTOR_TEXT","features":[115]},{"name":"MIN_GOPHER_ATTRIBUTE_LENGTH","features":[115]},{"name":"MUST_REVALIDATE_CACHE_ENTRY","features":[115]},{"name":"MaxPrivacySettings","features":[115]},{"name":"NORMAL_CACHE_ENTRY","features":[115]},{"name":"NameResolutionEnd","features":[115]},{"name":"NameResolutionStart","features":[115]},{"name":"OTHER_USER_CACHE_ENTRY","features":[115]},{"name":"OutgoingCookieState","features":[115]},{"name":"PENDING_DELETE_CACHE_ENTRY","features":[115]},{"name":"PFN_AUTH_NOTIFY","features":[115]},{"name":"PFN_DIAL_HANDLER","features":[1,115]},{"name":"POLICY_EXTENSION_TYPE_NONE","features":[115]},{"name":"POLICY_EXTENSION_TYPE_WINHTTP","features":[115]},{"name":"POLICY_EXTENSION_TYPE_WININET","features":[115]},{"name":"POLICY_EXTENSION_VERSION1","features":[115]},{"name":"POST_CHECK_CACHE_ENTRY","features":[115]},{"name":"POST_RESPONSE_CACHE_ENTRY","features":[115]},{"name":"PRIVACY_IMPACTED_CACHE_ENTRY","features":[115]},{"name":"PRIVACY_MODE_CACHE_ENTRY","features":[115]},{"name":"PRIVACY_TEMPLATE_ADVANCED","features":[115]},{"name":"PRIVACY_TEMPLATE_CUSTOM","features":[115]},{"name":"PRIVACY_TEMPLATE_HIGH","features":[115]},{"name":"PRIVACY_TEMPLATE_LOW","features":[115]},{"name":"PRIVACY_TEMPLATE_MAX","features":[115]},{"name":"PRIVACY_TEMPLATE_MEDIUM","features":[115]},{"name":"PRIVACY_TEMPLATE_MEDIUM_HIGH","features":[115]},{"name":"PRIVACY_TEMPLATE_MEDIUM_LOW","features":[115]},{"name":"PRIVACY_TEMPLATE_NO_COOKIES","features":[115]},{"name":"PRIVACY_TYPE_FIRST_PARTY","features":[115]},{"name":"PRIVACY_TYPE_THIRD_PARTY","features":[115]},{"name":"PROXY_AUTO_DETECT_TYPE","features":[115]},{"name":"PROXY_AUTO_DETECT_TYPE_DHCP","features":[115]},{"name":"PROXY_AUTO_DETECT_TYPE_DNS_A","features":[115]},{"name":"PROXY_TYPE_AUTO_DETECT","features":[115]},{"name":"PROXY_TYPE_AUTO_PROXY_URL","features":[115]},{"name":"PROXY_TYPE_DIRECT","features":[115]},{"name":"PROXY_TYPE_PROXY","features":[115]},{"name":"ParseX509EncodedCertificateForListBoxEntry","features":[115]},{"name":"PerformOperationOverUrlCacheA","features":[1,115]},{"name":"PrivacyGetZonePreferenceW","features":[115]},{"name":"PrivacySetZonePreferenceW","features":[115]},{"name":"ProofOfPossessionCookieInfo","features":[115]},{"name":"ProofOfPossessionCookieInfoManager","features":[115]},{"name":"REDIRECT_CACHE_ENTRY","features":[115]},{"name":"REGSTR_DIAL_AUTOCONNECT","features":[115]},{"name":"REGSTR_LEASH_LEGACY_COOKIES","features":[115]},{"name":"REQUEST_TIMES","features":[115]},{"name":"ReadGuidsForConnectedNetworks","features":[1,115]},{"name":"ReadUrlCacheEntryStream","features":[1,115]},{"name":"ReadUrlCacheEntryStreamEx","features":[1,115]},{"name":"RegisterUrlCacheNotification","features":[1,115]},{"name":"ResumeSuspendedDownload","features":[1,115]},{"name":"RetrieveUrlCacheEntryFileA","features":[1,115]},{"name":"RetrieveUrlCacheEntryFileW","features":[1,115]},{"name":"RetrieveUrlCacheEntryStreamA","features":[1,115]},{"name":"RetrieveUrlCacheEntryStreamW","features":[1,115]},{"name":"RunOnceUrlCache","features":[1,115]},{"name":"SECURITY_FLAG_128BIT","features":[115]},{"name":"SECURITY_FLAG_40BIT","features":[115]},{"name":"SECURITY_FLAG_56BIT","features":[115]},{"name":"SECURITY_FLAG_FORTEZZA","features":[115]},{"name":"SECURITY_FLAG_IETFSSL4","features":[115]},{"name":"SECURITY_FLAG_IGNORE_REDIRECT_TO_HTTP","features":[115]},{"name":"SECURITY_FLAG_IGNORE_REDIRECT_TO_HTTPS","features":[115]},{"name":"SECURITY_FLAG_IGNORE_REVOCATION","features":[115]},{"name":"SECURITY_FLAG_IGNORE_WEAK_SIGNATURE","features":[115]},{"name":"SECURITY_FLAG_IGNORE_WRONG_USAGE","features":[115]},{"name":"SECURITY_FLAG_NORMALBITNESS","features":[115]},{"name":"SECURITY_FLAG_OPT_IN_WEAK_SIGNATURE","features":[115]},{"name":"SECURITY_FLAG_PCT","features":[115]},{"name":"SECURITY_FLAG_PCT4","features":[115]},{"name":"SECURITY_FLAG_SSL","features":[115]},{"name":"SECURITY_FLAG_SSL3","features":[115]},{"name":"SECURITY_FLAG_UNKNOWNBIT","features":[115]},{"name":"SHORTPATH_CACHE_ENTRY","features":[115]},{"name":"SPARSE_CACHE_ENTRY","features":[115]},{"name":"STATIC_CACHE_ENTRY","features":[115]},{"name":"STICKY_CACHE_ENTRY","features":[115]},{"name":"SetUrlCacheConfigInfoA","features":[1,115]},{"name":"SetUrlCacheConfigInfoW","features":[1,115]},{"name":"SetUrlCacheEntryGroup","features":[1,115]},{"name":"SetUrlCacheEntryGroupA","features":[1,115]},{"name":"SetUrlCacheEntryGroupW","features":[1,115]},{"name":"SetUrlCacheEntryInfoA","features":[1,115]},{"name":"SetUrlCacheEntryInfoW","features":[1,115]},{"name":"SetUrlCacheGroupAttributeA","features":[1,115]},{"name":"SetUrlCacheGroupAttributeW","features":[1,115]},{"name":"SetUrlCacheHeaderData","features":[1,115]},{"name":"ShowClientAuthCerts","features":[1,115]},{"name":"ShowSecurityInfo","features":[1,115,23,68]},{"name":"ShowX509EncodedCertificate","features":[1,115]},{"name":"TLSHandshakeEnd","features":[115]},{"name":"TLSHandshakeStart","features":[115]},{"name":"TRACK_OFFLINE_CACHE_ENTRY","features":[115]},{"name":"TRACK_ONLINE_CACHE_ENTRY","features":[115]},{"name":"URLCACHE_ENTRY_INFO","features":[1,115]},{"name":"URLHISTORY_CACHE_ENTRY","features":[115]},{"name":"URL_CACHE_LIMIT_TYPE","features":[115]},{"name":"URL_COMPONENTSA","features":[115]},{"name":"URL_COMPONENTSW","features":[115]},{"name":"UnlockUrlCacheEntryFile","features":[1,115]},{"name":"UnlockUrlCacheEntryFileA","features":[1,115]},{"name":"UnlockUrlCacheEntryFileW","features":[1,115]},{"name":"UnlockUrlCacheEntryStream","features":[1,115]},{"name":"UpdateUrlCacheContentPath","features":[1,115]},{"name":"UrlCacheCheckEntriesExist","features":[1,115]},{"name":"UrlCacheCloseEntryHandle","features":[115]},{"name":"UrlCacheContainerSetEntryMaximumAge","features":[115]},{"name":"UrlCacheCreateContainer","features":[115]},{"name":"UrlCacheFindFirstEntry","features":[1,115]},{"name":"UrlCacheFindNextEntry","features":[1,115]},{"name":"UrlCacheFreeEntryInfo","features":[1,115]},{"name":"UrlCacheFreeGlobalSpace","features":[115]},{"name":"UrlCacheGetContentPaths","features":[115]},{"name":"UrlCacheGetEntryInfo","features":[1,115]},{"name":"UrlCacheGetGlobalCacheSize","features":[115]},{"name":"UrlCacheGetGlobalLimit","features":[115]},{"name":"UrlCacheLimitTypeAppContainer","features":[115]},{"name":"UrlCacheLimitTypeAppContainerTotal","features":[115]},{"name":"UrlCacheLimitTypeIE","features":[115]},{"name":"UrlCacheLimitTypeIETotal","features":[115]},{"name":"UrlCacheLimitTypeNum","features":[115]},{"name":"UrlCacheReadEntryStream","features":[115]},{"name":"UrlCacheReloadSettings","features":[115]},{"name":"UrlCacheRetrieveEntryFile","features":[1,115]},{"name":"UrlCacheRetrieveEntryStream","features":[1,115]},{"name":"UrlCacheServer","features":[115]},{"name":"UrlCacheSetGlobalLimit","features":[115]},{"name":"UrlCacheUpdateEntryExtraData","features":[115]},{"name":"WININET_API_FLAG_ASYNC","features":[115]},{"name":"WININET_API_FLAG_SYNC","features":[115]},{"name":"WININET_API_FLAG_USE_CONTEXT","features":[115]},{"name":"WININET_PROXY_INFO","features":[1,115]},{"name":"WININET_PROXY_INFO_LIST","features":[1,115]},{"name":"WININET_SYNC_MODE","features":[115]},{"name":"WININET_SYNC_MODE_ALWAYS","features":[115]},{"name":"WININET_SYNC_MODE_AUTOMATIC","features":[115]},{"name":"WININET_SYNC_MODE_DEFAULT","features":[115]},{"name":"WININET_SYNC_MODE_NEVER","features":[115]},{"name":"WININET_SYNC_MODE_ONCE_PER_SESSION","features":[115]},{"name":"WININET_SYNC_MODE_ON_EXPIRY","features":[115]},{"name":"WPAD_CACHE_DELETE","features":[115]},{"name":"WPAD_CACHE_DELETE_ALL","features":[115]},{"name":"WPAD_CACHE_DELETE_CURRENT","features":[115]},{"name":"XDR_CACHE_ENTRY","features":[115]},{"name":"pfnInternetDeInitializeAutoProxyDll","features":[1,115]},{"name":"pfnInternetGetProxyInfo","features":[1,115]},{"name":"pfnInternetInitializeAutoProxyDll","features":[1,115]}],"477":[{"name":"AAL5_MODE_MESSAGE","features":[15]},{"name":"AAL5_MODE_STREAMING","features":[15]},{"name":"AAL5_PARAMETERS","features":[15]},{"name":"AAL5_SSCS_FRAME_RELAY","features":[15]},{"name":"AAL5_SSCS_NULL","features":[15]},{"name":"AAL5_SSCS_SSCOP_ASSURED","features":[15]},{"name":"AAL5_SSCS_SSCOP_NON_ASSURED","features":[15]},{"name":"AALTYPE_5","features":[15]},{"name":"AALTYPE_USER","features":[15]},{"name":"AALUSER_PARAMETERS","features":[15]},{"name":"AAL_PARAMETERS_IE","features":[15]},{"name":"AAL_TYPE","features":[15]},{"name":"ADDRESS_FAMILY","features":[15]},{"name":"ADDRINFOA","features":[15]},{"name":"ADDRINFOEX2A","features":[15]},{"name":"ADDRINFOEX2W","features":[15]},{"name":"ADDRINFOEX3","features":[15]},{"name":"ADDRINFOEX4","features":[1,15]},{"name":"ADDRINFOEX5","features":[1,15]},{"name":"ADDRINFOEX6","features":[1,15]},{"name":"ADDRINFOEXA","features":[15]},{"name":"ADDRINFOEXW","features":[15]},{"name":"ADDRINFOEX_VERSION_2","features":[15]},{"name":"ADDRINFOEX_VERSION_3","features":[15]},{"name":"ADDRINFOEX_VERSION_4","features":[15]},{"name":"ADDRINFOEX_VERSION_5","features":[15]},{"name":"ADDRINFOEX_VERSION_6","features":[15]},{"name":"ADDRINFOW","features":[15]},{"name":"ADDRINFO_DNS_SERVER","features":[15]},{"name":"AFPROTOCOLS","features":[15]},{"name":"AF_12844","features":[15]},{"name":"AF_APPLETALK","features":[15]},{"name":"AF_ATM","features":[15]},{"name":"AF_BAN","features":[15]},{"name":"AF_CCITT","features":[15]},{"name":"AF_CHAOS","features":[15]},{"name":"AF_CLUSTER","features":[15]},{"name":"AF_DATAKIT","features":[15]},{"name":"AF_DECnet","features":[15]},{"name":"AF_DLI","features":[15]},{"name":"AF_ECMA","features":[15]},{"name":"AF_FIREFOX","features":[15]},{"name":"AF_HYLINK","features":[15]},{"name":"AF_HYPERV","features":[15]},{"name":"AF_ICLFXBM","features":[15]},{"name":"AF_IMPLINK","features":[15]},{"name":"AF_INET","features":[15]},{"name":"AF_INET6","features":[15]},{"name":"AF_IPX","features":[15]},{"name":"AF_IRDA","features":[15]},{"name":"AF_ISO","features":[15]},{"name":"AF_LAT","features":[15]},{"name":"AF_LINK","features":[15]},{"name":"AF_MAX","features":[15]},{"name":"AF_NETBIOS","features":[15]},{"name":"AF_NETDES","features":[15]},{"name":"AF_NS","features":[15]},{"name":"AF_OSI","features":[15]},{"name":"AF_PUP","features":[15]},{"name":"AF_SNA","features":[15]},{"name":"AF_TCNMESSAGE","features":[15]},{"name":"AF_TCNPROCESS","features":[15]},{"name":"AF_UNIX","features":[15]},{"name":"AF_UNKNOWN1","features":[15]},{"name":"AF_UNSPEC","features":[15]},{"name":"AF_VOICEVIEW","features":[15]},{"name":"AI_ADDRCONFIG","features":[15]},{"name":"AI_ALL","features":[15]},{"name":"AI_BYPASS_DNS_CACHE","features":[15]},{"name":"AI_CANONNAME","features":[15]},{"name":"AI_DISABLE_IDN_ENCODING","features":[15]},{"name":"AI_DNS_ONLY","features":[15]},{"name":"AI_DNS_RESPONSE_HOSTFILE","features":[15]},{"name":"AI_DNS_RESPONSE_SECURE","features":[15]},{"name":"AI_DNS_SERVER_TYPE_DOH","features":[15]},{"name":"AI_DNS_SERVER_TYPE_UDP","features":[15]},{"name":"AI_DNS_SERVER_UDP_FALLBACK","features":[15]},{"name":"AI_EXCLUSIVE_CUSTOM_SERVERS","features":[15]},{"name":"AI_EXTENDED","features":[15]},{"name":"AI_FILESERVER","features":[15]},{"name":"AI_FORCE_CLEAR_TEXT","features":[15]},{"name":"AI_FQDN","features":[15]},{"name":"AI_NON_AUTHORITATIVE","features":[15]},{"name":"AI_NUMERICHOST","features":[15]},{"name":"AI_NUMERICSERV","features":[15]},{"name":"AI_PASSIVE","features":[15]},{"name":"AI_REQUIRE_SECURE","features":[15]},{"name":"AI_RESOLUTION_HANDLE","features":[15]},{"name":"AI_RETURN_PREFERRED_NAMES","features":[15]},{"name":"AI_RETURN_RESPONSE_FLAGS","features":[15]},{"name":"AI_RETURN_TTL","features":[15]},{"name":"AI_SECURE","features":[15]},{"name":"AI_SECURE_WITH_FALLBACK","features":[15]},{"name":"AI_V4MAPPED","features":[15]},{"name":"ARP_HARDWARE_TYPE","features":[15]},{"name":"ARP_HEADER","features":[15]},{"name":"ARP_HW_802","features":[15]},{"name":"ARP_HW_ENET","features":[15]},{"name":"ARP_OPCODE","features":[15]},{"name":"ARP_REQUEST","features":[15]},{"name":"ARP_RESPONSE","features":[15]},{"name":"ASSOCIATE_NAMERES_CONTEXT","features":[15]},{"name":"ASSOCIATE_NAMERES_CONTEXT_INPUT","features":[15]},{"name":"ATMPROTO_AAL1","features":[15]},{"name":"ATMPROTO_AAL2","features":[15]},{"name":"ATMPROTO_AAL34","features":[15]},{"name":"ATMPROTO_AAL5","features":[15]},{"name":"ATMPROTO_AALUSER","features":[15]},{"name":"ATM_ADDRESS","features":[15]},{"name":"ATM_ADDR_SIZE","features":[15]},{"name":"ATM_AESA","features":[15]},{"name":"ATM_BHLI","features":[15]},{"name":"ATM_BLLI","features":[15]},{"name":"ATM_BLLI_IE","features":[15]},{"name":"ATM_BROADBAND_BEARER_CAPABILITY_IE","features":[15]},{"name":"ATM_CALLING_PARTY_NUMBER_IE","features":[15]},{"name":"ATM_CAUSE_IE","features":[15]},{"name":"ATM_CONNECTION_ID","features":[15]},{"name":"ATM_E164","features":[15]},{"name":"ATM_NSAP","features":[15]},{"name":"ATM_PVC_PARAMS","features":[15]},{"name":"ATM_QOS_CLASS_IE","features":[15]},{"name":"ATM_TD","features":[1,15]},{"name":"ATM_TRAFFIC_DESCRIPTOR_IE","features":[1,15]},{"name":"ATM_TRANSIT_NETWORK_SELECTION_IE","features":[15]},{"name":"AcceptEx","features":[1,15,6]},{"name":"BASE_PROTOCOL","features":[15]},{"name":"BCOB_A","features":[15]},{"name":"BCOB_C","features":[15]},{"name":"BCOB_X","features":[15]},{"name":"BHLI_HighLayerProfile","features":[15]},{"name":"BHLI_ISO","features":[15]},{"name":"BHLI_UserSpecific","features":[15]},{"name":"BHLI_VendorSpecificAppId","features":[15]},{"name":"BIGENDIAN","features":[15]},{"name":"BITS_PER_BYTE","features":[15]},{"name":"BLLI_L2_ELAPB","features":[15]},{"name":"BLLI_L2_HDLC_ABM","features":[15]},{"name":"BLLI_L2_HDLC_ARM","features":[15]},{"name":"BLLI_L2_HDLC_NRM","features":[15]},{"name":"BLLI_L2_ISO_1745","features":[15]},{"name":"BLLI_L2_ISO_7776","features":[15]},{"name":"BLLI_L2_LLC","features":[15]},{"name":"BLLI_L2_MODE_EXT","features":[15]},{"name":"BLLI_L2_MODE_NORMAL","features":[15]},{"name":"BLLI_L2_Q921","features":[15]},{"name":"BLLI_L2_Q922","features":[15]},{"name":"BLLI_L2_USER_SPECIFIED","features":[15]},{"name":"BLLI_L2_X25L","features":[15]},{"name":"BLLI_L2_X25M","features":[15]},{"name":"BLLI_L2_X75","features":[15]},{"name":"BLLI_L3_IPI_IP","features":[15]},{"name":"BLLI_L3_IPI_SNAP","features":[15]},{"name":"BLLI_L3_ISO_8208","features":[15]},{"name":"BLLI_L3_ISO_TR9577","features":[15]},{"name":"BLLI_L3_MODE_EXT","features":[15]},{"name":"BLLI_L3_MODE_NORMAL","features":[15]},{"name":"BLLI_L3_PACKET_1024","features":[15]},{"name":"BLLI_L3_PACKET_128","features":[15]},{"name":"BLLI_L3_PACKET_16","features":[15]},{"name":"BLLI_L3_PACKET_2048","features":[15]},{"name":"BLLI_L3_PACKET_256","features":[15]},{"name":"BLLI_L3_PACKET_32","features":[15]},{"name":"BLLI_L3_PACKET_4096","features":[15]},{"name":"BLLI_L3_PACKET_512","features":[15]},{"name":"BLLI_L3_PACKET_64","features":[15]},{"name":"BLLI_L3_SIO_8473","features":[15]},{"name":"BLLI_L3_T70","features":[15]},{"name":"BLLI_L3_USER_SPECIFIED","features":[15]},{"name":"BLLI_L3_X223","features":[15]},{"name":"BLLI_L3_X25","features":[15]},{"name":"BYTE_ORDER","features":[15]},{"name":"CAUSE_AAL_PARAMETERS_UNSUPPORTED","features":[15]},{"name":"CAUSE_ACCESS_INFORMAION_DISCARDED","features":[15]},{"name":"CAUSE_BEARER_CAPABILITY_UNAUTHORIZED","features":[15]},{"name":"CAUSE_BEARER_CAPABILITY_UNAVAILABLE","features":[15]},{"name":"CAUSE_BEARER_CAPABILITY_UNIMPLEMENTED","features":[15]},{"name":"CAUSE_CALL_REJECTED","features":[15]},{"name":"CAUSE_CHANNEL_NONEXISTENT","features":[15]},{"name":"CAUSE_COND_PERMANENT","features":[15]},{"name":"CAUSE_COND_TRANSIENT","features":[15]},{"name":"CAUSE_COND_UNKNOWN","features":[15]},{"name":"CAUSE_DESTINATION_OUT_OF_ORDER","features":[15]},{"name":"CAUSE_INCOMPATIBLE_DESTINATION","features":[15]},{"name":"CAUSE_INCORRECT_MESSAGE_LENGTH","features":[15]},{"name":"CAUSE_INVALID_CALL_REFERENCE","features":[15]},{"name":"CAUSE_INVALID_ENDPOINT_REFERENCE","features":[15]},{"name":"CAUSE_INVALID_IE_CONTENTS","features":[15]},{"name":"CAUSE_INVALID_NUMBER_FORMAT","features":[15]},{"name":"CAUSE_INVALID_STATE_FOR_MESSAGE","features":[15]},{"name":"CAUSE_INVALID_TRANSIT_NETWORK_SELECTION","features":[15]},{"name":"CAUSE_LOC_BEYOND_INTERWORKING","features":[15]},{"name":"CAUSE_LOC_INTERNATIONAL_NETWORK","features":[15]},{"name":"CAUSE_LOC_PRIVATE_LOCAL","features":[15]},{"name":"CAUSE_LOC_PRIVATE_REMOTE","features":[15]},{"name":"CAUSE_LOC_PUBLIC_LOCAL","features":[15]},{"name":"CAUSE_LOC_PUBLIC_REMOTE","features":[15]},{"name":"CAUSE_LOC_TRANSIT_NETWORK","features":[15]},{"name":"CAUSE_LOC_USER","features":[15]},{"name":"CAUSE_MANDATORY_IE_MISSING","features":[15]},{"name":"CAUSE_NA_ABNORMAL","features":[15]},{"name":"CAUSE_NA_NORMAL","features":[15]},{"name":"CAUSE_NETWORK_OUT_OF_ORDER","features":[15]},{"name":"CAUSE_NORMAL_CALL_CLEARING","features":[15]},{"name":"CAUSE_NORMAL_UNSPECIFIED","features":[15]},{"name":"CAUSE_NO_ROUTE_TO_DESTINATION","features":[15]},{"name":"CAUSE_NO_ROUTE_TO_TRANSIT_NETWORK","features":[15]},{"name":"CAUSE_NO_USER_RESPONDING","features":[15]},{"name":"CAUSE_NO_VPI_VCI_AVAILABLE","features":[15]},{"name":"CAUSE_NUMBER_CHANGED","features":[15]},{"name":"CAUSE_OPTION_UNAVAILABLE","features":[15]},{"name":"CAUSE_PROTOCOL_ERROR","features":[15]},{"name":"CAUSE_PU_PROVIDER","features":[15]},{"name":"CAUSE_PU_USER","features":[15]},{"name":"CAUSE_QOS_UNAVAILABLE","features":[15]},{"name":"CAUSE_REASON_IE_INSUFFICIENT","features":[15]},{"name":"CAUSE_REASON_IE_MISSING","features":[15]},{"name":"CAUSE_REASON_USER","features":[15]},{"name":"CAUSE_RECOVERY_ON_TIMEOUT","features":[15]},{"name":"CAUSE_RESOURCE_UNAVAILABLE","features":[15]},{"name":"CAUSE_STATUS_ENQUIRY_RESPONSE","features":[15]},{"name":"CAUSE_TEMPORARY_FAILURE","features":[15]},{"name":"CAUSE_TOO_MANY_PENDING_ADD_PARTY","features":[15]},{"name":"CAUSE_UNALLOCATED_NUMBER","features":[15]},{"name":"CAUSE_UNIMPLEMENTED_IE","features":[15]},{"name":"CAUSE_UNIMPLEMENTED_MESSAGE_TYPE","features":[15]},{"name":"CAUSE_UNSUPPORTED_TRAFFIC_PARAMETERS","features":[15]},{"name":"CAUSE_USER_BUSY","features":[15]},{"name":"CAUSE_USER_CELL_RATE_UNAVAILABLE","features":[15]},{"name":"CAUSE_USER_REJECTS_CLIR","features":[15]},{"name":"CAUSE_VPI_VCI_UNACCEPTABLE","features":[15]},{"name":"CAUSE_VPI_VCI_UNAVAILABLE","features":[15]},{"name":"CF_ACCEPT","features":[15]},{"name":"CF_DEFER","features":[15]},{"name":"CF_REJECT","features":[15]},{"name":"CLIP_NOT","features":[15]},{"name":"CLIP_SUS","features":[15]},{"name":"CMSGHDR","features":[15]},{"name":"COMP_EQUAL","features":[15]},{"name":"COMP_NOTLESS","features":[15]},{"name":"CONTROL_CHANNEL_TRIGGER_STATUS","features":[15]},{"name":"CONTROL_CHANNEL_TRIGGER_STATUS_HARDWARE_SLOT_ALLOCATED","features":[15]},{"name":"CONTROL_CHANNEL_TRIGGER_STATUS_INVALID","features":[15]},{"name":"CONTROL_CHANNEL_TRIGGER_STATUS_POLICY_ERROR","features":[15]},{"name":"CONTROL_CHANNEL_TRIGGER_STATUS_SERVICE_UNAVAILABLE","features":[15]},{"name":"CONTROL_CHANNEL_TRIGGER_STATUS_SOFTWARE_SLOT_ALLOCATED","features":[15]},{"name":"CONTROL_CHANNEL_TRIGGER_STATUS_SYSTEM_ERROR","features":[15]},{"name":"CONTROL_CHANNEL_TRIGGER_STATUS_TRANSPORT_DISCONNECTED","features":[15]},{"name":"CSADDR_INFO","features":[15]},{"name":"DE_REUSE_SOCKET","features":[15]},{"name":"DL_ADDRESS_LENGTH_MAXIMUM","features":[15]},{"name":"DL_EI48","features":[15]},{"name":"DL_EI64","features":[15]},{"name":"DL_EUI48","features":[15]},{"name":"DL_EUI64","features":[15]},{"name":"DL_HEADER_LENGTH_MAXIMUM","features":[15]},{"name":"DL_OUI","features":[15]},{"name":"DL_TEREDO_ADDRESS","features":[15]},{"name":"DL_TEREDO_ADDRESS_PRV","features":[15]},{"name":"DL_TUNNEL_ADDRESS","features":[15,7]},{"name":"ETHERNET_HEADER","features":[15]},{"name":"ETHERNET_TYPE_802_1AD","features":[15]},{"name":"ETHERNET_TYPE_802_1Q","features":[15]},{"name":"ETHERNET_TYPE_ARP","features":[15]},{"name":"ETHERNET_TYPE_IPV4","features":[15]},{"name":"ETHERNET_TYPE_IPV6","features":[15]},{"name":"ETHERNET_TYPE_MINIMUM","features":[15]},{"name":"ETH_LENGTH_OF_HEADER","features":[15]},{"name":"ETH_LENGTH_OF_SNAP_HEADER","features":[15]},{"name":"ETH_LENGTH_OF_VLAN_HEADER","features":[15]},{"name":"EXT_LEN_UNIT","features":[15]},{"name":"E_WINDOW_ADVANCE_BY_TIME","features":[15]},{"name":"E_WINDOW_USE_AS_DATA_CACHE","features":[15]},{"name":"EnumProtocolsA","features":[15]},{"name":"EnumProtocolsW","features":[15]},{"name":"FALLBACK_INDEX","features":[15]},{"name":"FD_ACCEPT","features":[15]},{"name":"FD_ACCEPT_BIT","features":[15]},{"name":"FD_ADDRESS_LIST_CHANGE_BIT","features":[15]},{"name":"FD_CLOSE","features":[15]},{"name":"FD_CLOSE_BIT","features":[15]},{"name":"FD_CONNECT","features":[15]},{"name":"FD_CONNECT_BIT","features":[15]},{"name":"FD_GROUP_QOS_BIT","features":[15]},{"name":"FD_MAX_EVENTS","features":[15]},{"name":"FD_OOB","features":[15]},{"name":"FD_OOB_BIT","features":[15]},{"name":"FD_QOS_BIT","features":[15]},{"name":"FD_READ","features":[15]},{"name":"FD_READ_BIT","features":[15]},{"name":"FD_ROUTING_INTERFACE_CHANGE_BIT","features":[15]},{"name":"FD_SET","features":[15]},{"name":"FD_SETSIZE","features":[15]},{"name":"FD_WRITE","features":[15]},{"name":"FD_WRITE_BIT","features":[15]},{"name":"FIOASYNC","features":[15]},{"name":"FIONBIO","features":[15]},{"name":"FIONREAD","features":[15]},{"name":"FLOWSPEC","features":[15]},{"name":"FROM_PROTOCOL_INFO","features":[15]},{"name":"FallbackIndexMax","features":[15]},{"name":"FallbackIndexTcpFastopen","features":[15]},{"name":"FreeAddrInfoEx","features":[15]},{"name":"FreeAddrInfoExW","features":[15]},{"name":"FreeAddrInfoW","features":[15]},{"name":"GAI_STRERROR_BUFFER_SIZE","features":[15]},{"name":"GROUP_FILTER","features":[15]},{"name":"GROUP_REQ","features":[15]},{"name":"GROUP_SOURCE_REQ","features":[15]},{"name":"GetAcceptExSockaddrs","features":[15]},{"name":"GetAddrInfoExA","features":[1,15,6]},{"name":"GetAddrInfoExCancel","features":[1,15]},{"name":"GetAddrInfoExOverlappedResult","features":[1,15,6]},{"name":"GetAddrInfoExW","features":[1,15,6]},{"name":"GetAddrInfoW","features":[15]},{"name":"GetAddressByNameA","features":[1,15]},{"name":"GetAddressByNameW","features":[1,15]},{"name":"GetHostNameW","features":[15]},{"name":"GetNameByTypeA","features":[15]},{"name":"GetNameByTypeW","features":[15]},{"name":"GetNameInfoW","features":[15]},{"name":"GetServiceA","features":[1,15]},{"name":"GetServiceW","features":[1,15]},{"name":"GetTypeByNameA","features":[15]},{"name":"GetTypeByNameW","features":[15]},{"name":"HOSTENT","features":[15]},{"name":"IAS_ATTRIB_INT","features":[15]},{"name":"IAS_ATTRIB_NO_ATTRIB","features":[15]},{"name":"IAS_ATTRIB_NO_CLASS","features":[15]},{"name":"IAS_ATTRIB_OCTETSEQ","features":[15]},{"name":"IAS_ATTRIB_STR","features":[15]},{"name":"IAS_MAX_ATTRIBNAME","features":[15]},{"name":"IAS_MAX_CLASSNAME","features":[15]},{"name":"IAS_MAX_OCTET_STRING","features":[15]},{"name":"IAS_MAX_USER_STRING","features":[15]},{"name":"ICMP4_TIME_EXCEED_CODE","features":[15]},{"name":"ICMP4_TIME_EXCEED_REASSEMBLY","features":[15]},{"name":"ICMP4_TIME_EXCEED_TRANSIT","features":[15]},{"name":"ICMP4_UNREACH_ADMIN","features":[15]},{"name":"ICMP4_UNREACH_CODE","features":[15]},{"name":"ICMP4_UNREACH_FRAG_NEEDED","features":[15]},{"name":"ICMP4_UNREACH_HOST","features":[15]},{"name":"ICMP4_UNREACH_HOST_ADMIN","features":[15]},{"name":"ICMP4_UNREACH_HOST_TOS","features":[15]},{"name":"ICMP4_UNREACH_HOST_UNKNOWN","features":[15]},{"name":"ICMP4_UNREACH_ISOLATED","features":[15]},{"name":"ICMP4_UNREACH_NET","features":[15]},{"name":"ICMP4_UNREACH_NET_ADMIN","features":[15]},{"name":"ICMP4_UNREACH_NET_TOS","features":[15]},{"name":"ICMP4_UNREACH_NET_UNKNOWN","features":[15]},{"name":"ICMP4_UNREACH_PORT","features":[15]},{"name":"ICMP4_UNREACH_PROTOCOL","features":[15]},{"name":"ICMP4_UNREACH_SOURCEROUTE_FAILED","features":[15]},{"name":"ICMP6_DST_UNREACH_ADDR","features":[15]},{"name":"ICMP6_DST_UNREACH_ADMIN","features":[15]},{"name":"ICMP6_DST_UNREACH_BEYONDSCOPE","features":[15]},{"name":"ICMP6_DST_UNREACH_NOPORT","features":[15]},{"name":"ICMP6_DST_UNREACH_NOROUTE","features":[15]},{"name":"ICMP6_PARAMPROB_FIRSTFRAGMENT","features":[15]},{"name":"ICMP6_PARAMPROB_HEADER","features":[15]},{"name":"ICMP6_PARAMPROB_NEXTHEADER","features":[15]},{"name":"ICMP6_PARAMPROB_OPTION","features":[15]},{"name":"ICMP6_TIME_EXCEED_REASSEMBLY","features":[15]},{"name":"ICMP6_TIME_EXCEED_TRANSIT","features":[15]},{"name":"ICMPV4_ADDRESS_MASK_MESSAGE","features":[15]},{"name":"ICMPV4_INVALID_PREFERENCE_LEVEL","features":[15]},{"name":"ICMPV4_ROUTER_ADVERT_ENTRY","features":[15]},{"name":"ICMPV4_ROUTER_ADVERT_HEADER","features":[15]},{"name":"ICMPV4_ROUTER_SOLICIT","features":[15]},{"name":"ICMPV4_TIMESTAMP_MESSAGE","features":[15]},{"name":"ICMPV6_ECHO_REQUEST_FLAG_REVERSE","features":[15]},{"name":"ICMP_ERROR_INFO","features":[15]},{"name":"ICMP_HEADER","features":[15]},{"name":"ICMP_MESSAGE","features":[15]},{"name":"IE_AALParameters","features":[15]},{"name":"IE_BHLI","features":[15]},{"name":"IE_BLLI","features":[15]},{"name":"IE_BroadbandBearerCapability","features":[15]},{"name":"IE_CalledPartyNumber","features":[15]},{"name":"IE_CalledPartySubaddress","features":[15]},{"name":"IE_CallingPartyNumber","features":[15]},{"name":"IE_CallingPartySubaddress","features":[15]},{"name":"IE_Cause","features":[15]},{"name":"IE_QOSClass","features":[15]},{"name":"IE_TrafficDescriptor","features":[15]},{"name":"IE_TransitNetworkSelection","features":[15]},{"name":"IFF_BROADCAST","features":[15]},{"name":"IFF_LOOPBACK","features":[15]},{"name":"IFF_MULTICAST","features":[15]},{"name":"IFF_POINTTOPOINT","features":[15]},{"name":"IFF_UP","features":[15]},{"name":"IGMPV3_QUERY_HEADER","features":[15]},{"name":"IGMPV3_REPORT_HEADER","features":[15]},{"name":"IGMPV3_REPORT_RECORD_HEADER","features":[15]},{"name":"IGMP_HEADER","features":[15]},{"name":"IGMP_LEAVE_GROUP_TYPE","features":[15]},{"name":"IGMP_MAX_RESP_CODE_TYPE","features":[15]},{"name":"IGMP_MAX_RESP_CODE_TYPE_FLOAT","features":[15]},{"name":"IGMP_MAX_RESP_CODE_TYPE_NORMAL","features":[15]},{"name":"IGMP_QUERY_TYPE","features":[15]},{"name":"IGMP_VERSION1_REPORT_TYPE","features":[15]},{"name":"IGMP_VERSION2_REPORT_TYPE","features":[15]},{"name":"IGMP_VERSION3_REPORT_TYPE","features":[15]},{"name":"IMPLINK_HIGHEXPER","features":[15]},{"name":"IMPLINK_IP","features":[15]},{"name":"IMPLINK_LOWEXPER","features":[15]},{"name":"IN4ADDR_LINKLOCALPREFIX_LENGTH","features":[15]},{"name":"IN4ADDR_LOOPBACK","features":[15]},{"name":"IN4ADDR_LOOPBACKPREFIX_LENGTH","features":[15]},{"name":"IN4ADDR_MULTICASTPREFIX_LENGTH","features":[15]},{"name":"IN6ADDR_6TO4PREFIX_LENGTH","features":[15]},{"name":"IN6ADDR_LINKLOCALPREFIX_LENGTH","features":[15]},{"name":"IN6ADDR_MULTICASTPREFIX_LENGTH","features":[15]},{"name":"IN6ADDR_SOLICITEDNODEMULTICASTPREFIX_LENGTH","features":[15]},{"name":"IN6ADDR_TEREDOPREFIX_LENGTH","features":[15]},{"name":"IN6ADDR_V4MAPPEDPREFIX_LENGTH","features":[15]},{"name":"IN6_ADDR","features":[15]},{"name":"IN6_EMBEDDEDV4_BITS_IN_BYTE","features":[15]},{"name":"IN6_EMBEDDEDV4_UOCTET_POSITION","features":[15]},{"name":"IN6_PKTINFO","features":[15]},{"name":"IN6_PKTINFO_EX","features":[15]},{"name":"INADDR_LOOPBACK","features":[15]},{"name":"INADDR_NONE","features":[15]},{"name":"INCL_WINSOCK_API_PROTOTYPES","features":[15]},{"name":"INCL_WINSOCK_API_TYPEDEFS","features":[15]},{"name":"INET6_ADDRSTRLEN","features":[15]},{"name":"INET_ADDRSTRLEN","features":[15]},{"name":"INET_PORT_RANGE","features":[15]},{"name":"INET_PORT_RESERVATION_INFORMATION","features":[15]},{"name":"INET_PORT_RESERVATION_INSTANCE","features":[15]},{"name":"INET_PORT_RESERVATION_TOKEN","features":[15]},{"name":"INTERFACE_INFO","features":[15]},{"name":"INTERFACE_INFO_EX","features":[15]},{"name":"INVALID_SOCKET","features":[15]},{"name":"IN_ADDR","features":[15]},{"name":"IN_CLASSA_HOST","features":[15]},{"name":"IN_CLASSA_MAX","features":[15]},{"name":"IN_CLASSA_NET","features":[15]},{"name":"IN_CLASSA_NSHIFT","features":[15]},{"name":"IN_CLASSB_HOST","features":[15]},{"name":"IN_CLASSB_MAX","features":[15]},{"name":"IN_CLASSB_NET","features":[15]},{"name":"IN_CLASSB_NSHIFT","features":[15]},{"name":"IN_CLASSC_HOST","features":[15]},{"name":"IN_CLASSC_NET","features":[15]},{"name":"IN_CLASSC_NSHIFT","features":[15]},{"name":"IN_CLASSD_HOST","features":[15]},{"name":"IN_CLASSD_NET","features":[15]},{"name":"IN_CLASSD_NSHIFT","features":[15]},{"name":"IN_PKTINFO","features":[15]},{"name":"IN_PKTINFO_EX","features":[15]},{"name":"IN_RECVERR","features":[15]},{"name":"IOCPARM_MASK","features":[15]},{"name":"IOC_IN","features":[15]},{"name":"IOC_INOUT","features":[15]},{"name":"IOC_OUT","features":[15]},{"name":"IOC_PROTOCOL","features":[15]},{"name":"IOC_UNIX","features":[15]},{"name":"IOC_VENDOR","features":[15]},{"name":"IOC_VOID","features":[15]},{"name":"IOC_WS2","features":[15]},{"name":"IP4_OFF_MASK","features":[15]},{"name":"IP6F_MORE_FRAG","features":[15]},{"name":"IP6F_OFF_MASK","features":[15]},{"name":"IP6F_RESERVED_MASK","features":[15]},{"name":"IP6OPT_JUMBO","features":[15]},{"name":"IP6OPT_MUTABLE","features":[15]},{"name":"IP6OPT_NSAP_ADDR","features":[15]},{"name":"IP6OPT_PAD1","features":[15]},{"name":"IP6OPT_PADN","features":[15]},{"name":"IP6OPT_ROUTER_ALERT","features":[15]},{"name":"IP6OPT_TUNNEL_LIMIT","features":[15]},{"name":"IP6OPT_TYPE_DISCARD","features":[15]},{"name":"IP6OPT_TYPE_FORCEICMP","features":[15]},{"name":"IP6OPT_TYPE_ICMP","features":[15]},{"name":"IP6OPT_TYPE_SKIP","features":[15]},{"name":"IP6T_SO_ORIGINAL_DST","features":[15]},{"name":"IPPORT_BIFFUDP","features":[15]},{"name":"IPPORT_CHARGEN","features":[15]},{"name":"IPPORT_CMDSERVER","features":[15]},{"name":"IPPORT_DAYTIME","features":[15]},{"name":"IPPORT_DISCARD","features":[15]},{"name":"IPPORT_DYNAMIC_MAX","features":[15]},{"name":"IPPORT_DYNAMIC_MIN","features":[15]},{"name":"IPPORT_ECHO","features":[15]},{"name":"IPPORT_EFSSERVER","features":[15]},{"name":"IPPORT_EPMAP","features":[15]},{"name":"IPPORT_EXECSERVER","features":[15]},{"name":"IPPORT_FINGER","features":[15]},{"name":"IPPORT_FTP","features":[15]},{"name":"IPPORT_FTP_DATA","features":[15]},{"name":"IPPORT_HTTPS","features":[15]},{"name":"IPPORT_IMAP","features":[15]},{"name":"IPPORT_IMAP3","features":[15]},{"name":"IPPORT_LDAP","features":[15]},{"name":"IPPORT_LOGINSERVER","features":[15]},{"name":"IPPORT_MICROSOFT_DS","features":[15]},{"name":"IPPORT_MSP","features":[15]},{"name":"IPPORT_MTP","features":[15]},{"name":"IPPORT_NAMESERVER","features":[15]},{"name":"IPPORT_NETBIOS_DGM","features":[15]},{"name":"IPPORT_NETBIOS_NS","features":[15]},{"name":"IPPORT_NETBIOS_SSN","features":[15]},{"name":"IPPORT_NETSTAT","features":[15]},{"name":"IPPORT_NTP","features":[15]},{"name":"IPPORT_POP3","features":[15]},{"name":"IPPORT_QOTD","features":[15]},{"name":"IPPORT_REGISTERED_MAX","features":[15]},{"name":"IPPORT_REGISTERED_MIN","features":[15]},{"name":"IPPORT_RESERVED","features":[15]},{"name":"IPPORT_RJE","features":[15]},{"name":"IPPORT_ROUTESERVER","features":[15]},{"name":"IPPORT_SMTP","features":[15]},{"name":"IPPORT_SNMP","features":[15]},{"name":"IPPORT_SNMP_TRAP","features":[15]},{"name":"IPPORT_SUPDUP","features":[15]},{"name":"IPPORT_SYSTAT","features":[15]},{"name":"IPPORT_TCPMUX","features":[15]},{"name":"IPPORT_TELNET","features":[15]},{"name":"IPPORT_TFTP","features":[15]},{"name":"IPPORT_TIMESERVER","features":[15]},{"name":"IPPORT_TTYLINK","features":[15]},{"name":"IPPORT_WHOIS","features":[15]},{"name":"IPPORT_WHOSERVER","features":[15]},{"name":"IPPROTO","features":[15]},{"name":"IPPROTO_AH","features":[15]},{"name":"IPPROTO_CBT","features":[15]},{"name":"IPPROTO_DSTOPTS","features":[15]},{"name":"IPPROTO_EGP","features":[15]},{"name":"IPPROTO_ESP","features":[15]},{"name":"IPPROTO_FRAGMENT","features":[15]},{"name":"IPPROTO_GGP","features":[15]},{"name":"IPPROTO_HOPOPTS","features":[15]},{"name":"IPPROTO_ICLFXBM","features":[15]},{"name":"IPPROTO_ICMP","features":[15]},{"name":"IPPROTO_ICMPV6","features":[15]},{"name":"IPPROTO_IDP","features":[15]},{"name":"IPPROTO_IGMP","features":[15]},{"name":"IPPROTO_IGP","features":[15]},{"name":"IPPROTO_IP","features":[15]},{"name":"IPPROTO_IPV4","features":[15]},{"name":"IPPROTO_IPV6","features":[15]},{"name":"IPPROTO_L2TP","features":[15]},{"name":"IPPROTO_MAX","features":[15]},{"name":"IPPROTO_ND","features":[15]},{"name":"IPPROTO_NONE","features":[15]},{"name":"IPPROTO_PGM","features":[15]},{"name":"IPPROTO_PIM","features":[15]},{"name":"IPPROTO_PUP","features":[15]},{"name":"IPPROTO_RAW","features":[15]},{"name":"IPPROTO_RDP","features":[15]},{"name":"IPPROTO_RESERVED_IPSEC","features":[15]},{"name":"IPPROTO_RESERVED_IPSECOFFLOAD","features":[15]},{"name":"IPPROTO_RESERVED_MAX","features":[15]},{"name":"IPPROTO_RESERVED_RAW","features":[15]},{"name":"IPPROTO_RESERVED_WNV","features":[15]},{"name":"IPPROTO_RM","features":[15]},{"name":"IPPROTO_ROUTING","features":[15]},{"name":"IPPROTO_SCTP","features":[15]},{"name":"IPPROTO_ST","features":[15]},{"name":"IPPROTO_TCP","features":[15]},{"name":"IPPROTO_UDP","features":[15]},{"name":"IPTLS_METADATA","features":[15]},{"name":"IPV4_HEADER","features":[15]},{"name":"IPV4_MAX_MINIMUM_MTU","features":[15]},{"name":"IPV4_MINIMUM_MTU","features":[15]},{"name":"IPV4_MIN_MINIMUM_MTU","features":[15]},{"name":"IPV4_OPTION_HEADER","features":[15]},{"name":"IPV4_OPTION_TYPE","features":[15]},{"name":"IPV4_ROUTING_HEADER","features":[15]},{"name":"IPV4_TIMESTAMP_OPTION","features":[15]},{"name":"IPV4_VERSION","features":[15]},{"name":"IPV6_ADD_IFLIST","features":[15]},{"name":"IPV6_ADD_MEMBERSHIP","features":[15]},{"name":"IPV6_CHECKSUM","features":[15]},{"name":"IPV6_DEL_IFLIST","features":[15]},{"name":"IPV6_DONTFRAG","features":[15]},{"name":"IPV6_DROP_MEMBERSHIP","features":[15]},{"name":"IPV6_ECN","features":[15]},{"name":"IPV6_ECN_MASK","features":[15]},{"name":"IPV6_ECN_SHIFT","features":[15]},{"name":"IPV6_EXTENSION_HEADER","features":[15]},{"name":"IPV6_FLOW_LABEL_MASK","features":[15]},{"name":"IPV6_FRAGMENT_HEADER","features":[15]},{"name":"IPV6_FULL_TRAFFIC_CLASS_MASK","features":[15]},{"name":"IPV6_GET_IFLIST","features":[15]},{"name":"IPV6_HDRINCL","features":[15]},{"name":"IPV6_HEADER","features":[15]},{"name":"IPV6_HOPLIMIT","features":[15]},{"name":"IPV6_HOPOPTS","features":[15]},{"name":"IPV6_IFLIST","features":[15]},{"name":"IPV6_JOIN_GROUP","features":[15]},{"name":"IPV6_LEAVE_GROUP","features":[15]},{"name":"IPV6_MINIMUM_MTU","features":[15]},{"name":"IPV6_MREQ","features":[15]},{"name":"IPV6_MTU","features":[15]},{"name":"IPV6_MTU_DISCOVER","features":[15]},{"name":"IPV6_MULTICAST_HOPS","features":[15]},{"name":"IPV6_MULTICAST_IF","features":[15]},{"name":"IPV6_MULTICAST_LOOP","features":[15]},{"name":"IPV6_NEIGHBOR_ADVERTISEMENT_FLAGS","features":[15]},{"name":"IPV6_NRT_INTERFACE","features":[15]},{"name":"IPV6_OPTION_HEADER","features":[15]},{"name":"IPV6_OPTION_JUMBOGRAM","features":[15]},{"name":"IPV6_OPTION_ROUTER_ALERT","features":[15]},{"name":"IPV6_OPTION_TYPE","features":[15]},{"name":"IPV6_PKTINFO","features":[15]},{"name":"IPV6_PKTINFO_EX","features":[15]},{"name":"IPV6_PROTECTION_LEVEL","features":[15]},{"name":"IPV6_RECVDSTADDR","features":[15]},{"name":"IPV6_RECVECN","features":[15]},{"name":"IPV6_RECVERR","features":[15]},{"name":"IPV6_RECVIF","features":[15]},{"name":"IPV6_RECVRTHDR","features":[15]},{"name":"IPV6_RECVTCLASS","features":[15]},{"name":"IPV6_ROUTER_ADVERTISEMENT_FLAGS","features":[15]},{"name":"IPV6_ROUTING_HEADER","features":[15]},{"name":"IPV6_RTHDR","features":[15]},{"name":"IPV6_TCLASS","features":[15]},{"name":"IPV6_TRAFFIC_CLASS_MASK","features":[15]},{"name":"IPV6_UNICAST_HOPS","features":[15]},{"name":"IPV6_UNICAST_IF","features":[15]},{"name":"IPV6_USER_MTU","features":[15]},{"name":"IPV6_V6ONLY","features":[15]},{"name":"IPV6_VERSION","features":[15]},{"name":"IPV6_WFP_REDIRECT_CONTEXT","features":[15]},{"name":"IPV6_WFP_REDIRECT_RECORDS","features":[15]},{"name":"IPX_ADDRESS","features":[15]},{"name":"IPX_ADDRESS_DATA","features":[1,15]},{"name":"IPX_ADDRESS_NOTIFY","features":[15]},{"name":"IPX_DSTYPE","features":[15]},{"name":"IPX_EXTENDED_ADDRESS","features":[15]},{"name":"IPX_FILTERPTYPE","features":[15]},{"name":"IPX_GETNETINFO","features":[15]},{"name":"IPX_GETNETINFO_NORIP","features":[15]},{"name":"IPX_IMMEDIATESPXACK","features":[15]},{"name":"IPX_MAXSIZE","features":[15]},{"name":"IPX_MAX_ADAPTER_NUM","features":[15]},{"name":"IPX_NETNUM_DATA","features":[15]},{"name":"IPX_PTYPE","features":[15]},{"name":"IPX_RECEIVE_BROADCAST","features":[15]},{"name":"IPX_RECVHDR","features":[15]},{"name":"IPX_RERIPNETNUMBER","features":[15]},{"name":"IPX_SPXCONNSTATUS_DATA","features":[15]},{"name":"IPX_SPXGETCONNECTIONSTATUS","features":[15]},{"name":"IPX_STOPFILTERPTYPE","features":[15]},{"name":"IP_ADD_IFLIST","features":[15]},{"name":"IP_ADD_MEMBERSHIP","features":[15]},{"name":"IP_ADD_SOURCE_MEMBERSHIP","features":[15]},{"name":"IP_BLOCK_SOURCE","features":[15]},{"name":"IP_DEFAULT_MULTICAST_LOOP","features":[15]},{"name":"IP_DEFAULT_MULTICAST_TTL","features":[15]},{"name":"IP_DEL_IFLIST","features":[15]},{"name":"IP_DONTFRAGMENT","features":[15]},{"name":"IP_DROP_MEMBERSHIP","features":[15]},{"name":"IP_DROP_SOURCE_MEMBERSHIP","features":[15]},{"name":"IP_ECN","features":[15]},{"name":"IP_GET_IFLIST","features":[15]},{"name":"IP_HDRINCL","features":[15]},{"name":"IP_HOPLIMIT","features":[15]},{"name":"IP_IFLIST","features":[15]},{"name":"IP_MAX_MEMBERSHIPS","features":[15]},{"name":"IP_MREQ","features":[15]},{"name":"IP_MREQ_SOURCE","features":[15]},{"name":"IP_MSFILTER","features":[15]},{"name":"IP_MTU","features":[15]},{"name":"IP_MTU_DISCOVER","features":[15]},{"name":"IP_MULTICAST_IF","features":[15]},{"name":"IP_MULTICAST_LOOP","features":[15]},{"name":"IP_MULTICAST_TTL","features":[15]},{"name":"IP_NRT_INTERFACE","features":[15]},{"name":"IP_OPTIONS","features":[15]},{"name":"IP_OPTION_TIMESTAMP_ADDRESS","features":[15]},{"name":"IP_OPTION_TIMESTAMP_FLAGS","features":[15]},{"name":"IP_OPTION_TIMESTAMP_ONLY","features":[15]},{"name":"IP_OPTION_TIMESTAMP_SPECIFIC_ADDRESS","features":[15]},{"name":"IP_OPT_EOL","features":[15]},{"name":"IP_OPT_LSRR","features":[15]},{"name":"IP_OPT_MULTIDEST","features":[15]},{"name":"IP_OPT_NOP","features":[15]},{"name":"IP_OPT_ROUTER_ALERT","features":[15]},{"name":"IP_OPT_RR","features":[15]},{"name":"IP_OPT_SECURITY","features":[15]},{"name":"IP_OPT_SID","features":[15]},{"name":"IP_OPT_SSRR","features":[15]},{"name":"IP_OPT_TS","features":[15]},{"name":"IP_ORIGINAL_ARRIVAL_IF","features":[15]},{"name":"IP_PKTINFO","features":[15]},{"name":"IP_PKTINFO_EX","features":[15]},{"name":"IP_PMTUDISC_DO","features":[15]},{"name":"IP_PMTUDISC_DONT","features":[15]},{"name":"IP_PMTUDISC_MAX","features":[15]},{"name":"IP_PMTUDISC_NOT_SET","features":[15]},{"name":"IP_PMTUDISC_PROBE","features":[15]},{"name":"IP_PROTECTION_LEVEL","features":[15]},{"name":"IP_RECEIVE_BROADCAST","features":[15]},{"name":"IP_RECVDSTADDR","features":[15]},{"name":"IP_RECVECN","features":[15]},{"name":"IP_RECVERR","features":[15]},{"name":"IP_RECVIF","features":[15]},{"name":"IP_RECVRTHDR","features":[15]},{"name":"IP_RECVTCLASS","features":[15]},{"name":"IP_RECVTOS","features":[15]},{"name":"IP_RECVTTL","features":[15]},{"name":"IP_RTHDR","features":[15]},{"name":"IP_TCLASS","features":[15]},{"name":"IP_TOS","features":[15]},{"name":"IP_TTL","features":[15]},{"name":"IP_UNBLOCK_SOURCE","features":[15]},{"name":"IP_UNICAST_IF","features":[15]},{"name":"IP_UNSPECIFIED_HOP_LIMIT","features":[15]},{"name":"IP_UNSPECIFIED_TYPE_OF_SERVICE","features":[15]},{"name":"IP_UNSPECIFIED_USER_MTU","features":[15]},{"name":"IP_USER_MTU","features":[15]},{"name":"IP_VER_MASK","features":[15]},{"name":"IP_WFP_REDIRECT_CONTEXT","features":[15]},{"name":"IP_WFP_REDIRECT_RECORDS","features":[15]},{"name":"IRDA_PROTO_SOCK_STREAM","features":[15]},{"name":"IRLMP_9WIRE_MODE","features":[15]},{"name":"IRLMP_DISCOVERY_MODE","features":[15]},{"name":"IRLMP_ENUMDEVICES","features":[15]},{"name":"IRLMP_EXCLUSIVE_MODE","features":[15]},{"name":"IRLMP_IAS_QUERY","features":[15]},{"name":"IRLMP_IAS_SET","features":[15]},{"name":"IRLMP_IRLPT_MODE","features":[15]},{"name":"IRLMP_PARAMETERS","features":[15]},{"name":"IRLMP_SEND_PDU_LEN","features":[15]},{"name":"IRLMP_SHARP_MODE","features":[15]},{"name":"IRLMP_TINYTP_MODE","features":[15]},{"name":"ISOPROTO_CLNP","features":[15]},{"name":"ISOPROTO_CLTP","features":[15]},{"name":"ISOPROTO_ESIS","features":[15]},{"name":"ISOPROTO_INACT_NL","features":[15]},{"name":"ISOPROTO_INTRAISIS","features":[15]},{"name":"ISOPROTO_TP","features":[15]},{"name":"ISOPROTO_TP0","features":[15]},{"name":"ISOPROTO_TP1","features":[15]},{"name":"ISOPROTO_TP2","features":[15]},{"name":"ISOPROTO_TP3","features":[15]},{"name":"ISOPROTO_TP4","features":[15]},{"name":"ISOPROTO_X25","features":[15]},{"name":"ISO_EXP_DATA_NUSE","features":[15]},{"name":"ISO_EXP_DATA_USE","features":[15]},{"name":"ISO_HIERARCHICAL","features":[15]},{"name":"ISO_MAX_ADDR_LENGTH","features":[15]},{"name":"ISO_NON_HIERARCHICAL","features":[15]},{"name":"InetNtopW","features":[15]},{"name":"InetPtonW","features":[15]},{"name":"IpDadStateDeprecated","features":[15]},{"name":"IpDadStateDuplicate","features":[15]},{"name":"IpDadStateInvalid","features":[15]},{"name":"IpDadStatePreferred","features":[15]},{"name":"IpDadStateTentative","features":[15]},{"name":"IpPrefixOriginDhcp","features":[15]},{"name":"IpPrefixOriginManual","features":[15]},{"name":"IpPrefixOriginOther","features":[15]},{"name":"IpPrefixOriginRouterAdvertisement","features":[15]},{"name":"IpPrefixOriginUnchanged","features":[15]},{"name":"IpPrefixOriginWellKnown","features":[15]},{"name":"IpSuffixOriginDhcp","features":[15]},{"name":"IpSuffixOriginLinkLayerAddress","features":[15]},{"name":"IpSuffixOriginManual","features":[15]},{"name":"IpSuffixOriginOther","features":[15]},{"name":"IpSuffixOriginRandom","features":[15]},{"name":"IpSuffixOriginUnchanged","features":[15]},{"name":"IpSuffixOriginWellKnown","features":[15]},{"name":"JL_BOTH","features":[15]},{"name":"JL_RECEIVER_ONLY","features":[15]},{"name":"JL_SENDER_ONLY","features":[15]},{"name":"LAYERED_PROTOCOL","features":[15]},{"name":"LINGER","features":[15]},{"name":"LITTLEENDIAN","features":[15]},{"name":"LM_BAUD_115200","features":[15]},{"name":"LM_BAUD_1152K","features":[15]},{"name":"LM_BAUD_1200","features":[15]},{"name":"LM_BAUD_16M","features":[15]},{"name":"LM_BAUD_19200","features":[15]},{"name":"LM_BAUD_2400","features":[15]},{"name":"LM_BAUD_38400","features":[15]},{"name":"LM_BAUD_4M","features":[15]},{"name":"LM_BAUD_57600","features":[15]},{"name":"LM_BAUD_576K","features":[15]},{"name":"LM_BAUD_9600","features":[15]},{"name":"LM_HB1_Computer","features":[15]},{"name":"LM_HB1_Fax","features":[15]},{"name":"LM_HB1_LANAccess","features":[15]},{"name":"LM_HB1_Modem","features":[15]},{"name":"LM_HB1_PDA_Palmtop","features":[15]},{"name":"LM_HB1_PnP","features":[15]},{"name":"LM_HB1_Printer","features":[15]},{"name":"LM_HB2_FileServer","features":[15]},{"name":"LM_HB2_Telephony","features":[15]},{"name":"LM_HB_Extension","features":[15]},{"name":"LM_IRPARMS","features":[15]},{"name":"LOG2_BITS_PER_BYTE","features":[15]},{"name":"LPBLOCKINGCALLBACK","features":[1,15]},{"name":"LPCONDITIONPROC","features":[15]},{"name":"LPFN_ACCEPTEX","features":[1,15,6]},{"name":"LPFN_CONNECTEX","features":[1,15,6]},{"name":"LPFN_DISCONNECTEX","features":[1,15,6]},{"name":"LPFN_GETACCEPTEXSOCKADDRS","features":[15]},{"name":"LPFN_NSPAPI","features":[15]},{"name":"LPFN_RIOCLOSECOMPLETIONQUEUE","features":[15]},{"name":"LPFN_RIOCREATECOMPLETIONQUEUE","features":[1,15]},{"name":"LPFN_RIOCREATEREQUESTQUEUE","features":[15]},{"name":"LPFN_RIODEQUEUECOMPLETION","features":[15]},{"name":"LPFN_RIODEREGISTERBUFFER","features":[15]},{"name":"LPFN_RIONOTIFY","features":[15]},{"name":"LPFN_RIORECEIVE","features":[1,15]},{"name":"LPFN_RIORECEIVEEX","features":[15]},{"name":"LPFN_RIOREGISTERBUFFER","features":[15]},{"name":"LPFN_RIORESIZECOMPLETIONQUEUE","features":[1,15]},{"name":"LPFN_RIORESIZEREQUESTQUEUE","features":[1,15]},{"name":"LPFN_RIOSEND","features":[1,15]},{"name":"LPFN_RIOSENDEX","features":[1,15]},{"name":"LPFN_TRANSMITFILE","features":[1,15,6]},{"name":"LPFN_TRANSMITPACKETS","features":[1,15,6]},{"name":"LPFN_WSAPOLL","features":[15]},{"name":"LPFN_WSARECVMSG","features":[1,15,6]},{"name":"LPFN_WSASENDMSG","features":[1,15,6]},{"name":"LPLOOKUPSERVICE_COMPLETION_ROUTINE","features":[1,15,6]},{"name":"LPNSPCLEANUP","features":[15]},{"name":"LPNSPGETSERVICECLASSINFO","features":[15]},{"name":"LPNSPINSTALLSERVICECLASS","features":[15]},{"name":"LPNSPIOCTL","features":[1,15,6]},{"name":"LPNSPLOOKUPSERVICEBEGIN","features":[1,15,41]},{"name":"LPNSPLOOKUPSERVICEEND","features":[1,15]},{"name":"LPNSPLOOKUPSERVICENEXT","features":[1,15,41]},{"name":"LPNSPREMOVESERVICECLASS","features":[15]},{"name":"LPNSPSETSERVICE","features":[15,41]},{"name":"LPNSPSTARTUP","features":[1,15,41,6]},{"name":"LPNSPV2CLEANUP","features":[15]},{"name":"LPNSPV2CLIENTSESSIONRUNDOWN","features":[15]},{"name":"LPNSPV2LOOKUPSERVICEBEGIN","features":[1,15,41]},{"name":"LPNSPV2LOOKUPSERVICEEND","features":[1,15]},{"name":"LPNSPV2LOOKUPSERVICENEXTEX","features":[1,15,41]},{"name":"LPNSPV2SETSERVICEEX","features":[1,15,41]},{"name":"LPNSPV2STARTUP","features":[15]},{"name":"LPSERVICE_CALLBACK_PROC","features":[1,15]},{"name":"LPWPUCLOSEEVENT","features":[1,15]},{"name":"LPWPUCLOSESOCKETHANDLE","features":[15]},{"name":"LPWPUCLOSETHREAD","features":[1,15]},{"name":"LPWPUCOMPLETEOVERLAPPEDREQUEST","features":[1,15,6]},{"name":"LPWPUCREATEEVENT","features":[1,15]},{"name":"LPWPUCREATESOCKETHANDLE","features":[15]},{"name":"LPWPUFDISSET","features":[15]},{"name":"LPWPUGETPROVIDERPATH","features":[15]},{"name":"LPWPUMODIFYIFSHANDLE","features":[15]},{"name":"LPWPUOPENCURRENTTHREAD","features":[1,15]},{"name":"LPWPUPOSTMESSAGE","features":[1,15]},{"name":"LPWPUQUERYBLOCKINGCALLBACK","features":[1,15]},{"name":"LPWPUQUERYSOCKETHANDLECONTEXT","features":[15]},{"name":"LPWPUQUEUEAPC","features":[1,15]},{"name":"LPWPURESETEVENT","features":[1,15]},{"name":"LPWPUSETEVENT","features":[1,15]},{"name":"LPWSAOVERLAPPED_COMPLETION_ROUTINE","features":[1,15,6]},{"name":"LPWSAUSERAPC","features":[15]},{"name":"LPWSCDEINSTALLPROVIDER","features":[15]},{"name":"LPWSCENABLENSPROVIDER","features":[1,15]},{"name":"LPWSCENUMPROTOCOLS","features":[15]},{"name":"LPWSCGETPROVIDERPATH","features":[15]},{"name":"LPWSCINSTALLNAMESPACE","features":[15]},{"name":"LPWSCINSTALLPROVIDER","features":[15]},{"name":"LPWSCUNINSTALLNAMESPACE","features":[15]},{"name":"LPWSCUPDATEPROVIDER","features":[15]},{"name":"LPWSCWRITENAMESPACEORDER","features":[15]},{"name":"LPWSCWRITEPROVIDERORDER","features":[15]},{"name":"LPWSPACCEPT","features":[15]},{"name":"LPWSPADDRESSTOSTRING","features":[15]},{"name":"LPWSPASYNCSELECT","features":[1,15]},{"name":"LPWSPBIND","features":[15]},{"name":"LPWSPCANCELBLOCKINGCALL","features":[15]},{"name":"LPWSPCLEANUP","features":[15]},{"name":"LPWSPCLOSESOCKET","features":[15]},{"name":"LPWSPCONNECT","features":[15]},{"name":"LPWSPDUPLICATESOCKET","features":[15]},{"name":"LPWSPENUMNETWORKEVENTS","features":[1,15]},{"name":"LPWSPEVENTSELECT","features":[1,15]},{"name":"LPWSPGETOVERLAPPEDRESULT","features":[1,15,6]},{"name":"LPWSPGETPEERNAME","features":[15]},{"name":"LPWSPGETQOSBYNAME","features":[1,15]},{"name":"LPWSPGETSOCKNAME","features":[15]},{"name":"LPWSPGETSOCKOPT","features":[15]},{"name":"LPWSPIOCTL","features":[1,15,6]},{"name":"LPWSPJOINLEAF","features":[15]},{"name":"LPWSPLISTEN","features":[15]},{"name":"LPWSPRECV","features":[1,15,6]},{"name":"LPWSPRECVDISCONNECT","features":[15]},{"name":"LPWSPRECVFROM","features":[1,15,6]},{"name":"LPWSPSELECT","features":[15]},{"name":"LPWSPSEND","features":[1,15,6]},{"name":"LPWSPSENDDISCONNECT","features":[15]},{"name":"LPWSPSENDTO","features":[1,15,6]},{"name":"LPWSPSETSOCKOPT","features":[15]},{"name":"LPWSPSHUTDOWN","features":[15]},{"name":"LPWSPSOCKET","features":[15]},{"name":"LPWSPSTARTUP","features":[1,15,6]},{"name":"LPWSPSTRINGTOADDRESS","features":[15]},{"name":"LSP_CRYPTO_COMPRESS","features":[15]},{"name":"LSP_FIREWALL","features":[15]},{"name":"LSP_INBOUND_MODIFY","features":[15]},{"name":"LSP_INSPECTOR","features":[15]},{"name":"LSP_LOCAL_CACHE","features":[15]},{"name":"LSP_OUTBOUND_MODIFY","features":[15]},{"name":"LSP_PROXY","features":[15]},{"name":"LSP_REDIRECTOR","features":[15]},{"name":"LSP_SYSTEM","features":[15]},{"name":"LUP_ADDRCONFIG","features":[15]},{"name":"LUP_API_ANSI","features":[15]},{"name":"LUP_CONTAINERS","features":[15]},{"name":"LUP_DEEP","features":[15]},{"name":"LUP_DISABLE_IDN_ENCODING","features":[15]},{"name":"LUP_DNS_ONLY","features":[15]},{"name":"LUP_DUAL_ADDR","features":[15]},{"name":"LUP_EXCLUSIVE_CUSTOM_SERVERS","features":[15]},{"name":"LUP_EXTENDED_QUERYSET","features":[15]},{"name":"LUP_FILESERVER","features":[15]},{"name":"LUP_FLUSHCACHE","features":[15]},{"name":"LUP_FLUSHPREVIOUS","features":[15]},{"name":"LUP_FORCE_CLEAR_TEXT","features":[15]},{"name":"LUP_NEAREST","features":[15]},{"name":"LUP_NOCONTAINERS","features":[15]},{"name":"LUP_NON_AUTHORITATIVE","features":[15]},{"name":"LUP_REQUIRE_SECURE","features":[15]},{"name":"LUP_RESOLUTION_HANDLE","features":[15]},{"name":"LUP_RES_SERVICE","features":[15]},{"name":"LUP_RETURN_ADDR","features":[15]},{"name":"LUP_RETURN_ALIASES","features":[15]},{"name":"LUP_RETURN_ALL","features":[15]},{"name":"LUP_RETURN_BLOB","features":[15]},{"name":"LUP_RETURN_COMMENT","features":[15]},{"name":"LUP_RETURN_NAME","features":[15]},{"name":"LUP_RETURN_PREFERRED_NAMES","features":[15]},{"name":"LUP_RETURN_QUERY_STRING","features":[15]},{"name":"LUP_RETURN_RESPONSE_FLAGS","features":[15]},{"name":"LUP_RETURN_TTL","features":[15]},{"name":"LUP_RETURN_TYPE","features":[15]},{"name":"LUP_RETURN_VERSION","features":[15]},{"name":"LUP_SECURE","features":[15]},{"name":"LUP_SECURE_WITH_FALLBACK","features":[15]},{"name":"LinkLocalAlwaysOff","features":[15]},{"name":"LinkLocalAlwaysOn","features":[15]},{"name":"LinkLocalDelayed","features":[15]},{"name":"LinkLocalUnchanged","features":[15]},{"name":"LmCharSetASCII","features":[15]},{"name":"LmCharSetISO_8859_1","features":[15]},{"name":"LmCharSetISO_8859_2","features":[15]},{"name":"LmCharSetISO_8859_3","features":[15]},{"name":"LmCharSetISO_8859_4","features":[15]},{"name":"LmCharSetISO_8859_5","features":[15]},{"name":"LmCharSetISO_8859_6","features":[15]},{"name":"LmCharSetISO_8859_7","features":[15]},{"name":"LmCharSetISO_8859_8","features":[15]},{"name":"LmCharSetISO_8859_9","features":[15]},{"name":"LmCharSetUNICODE","features":[15]},{"name":"MAXGETHOSTSTRUCT","features":[15]},{"name":"MAX_IPV4_HLEN","features":[15]},{"name":"MAX_IPV4_PACKET","features":[15]},{"name":"MAX_IPV6_PAYLOAD","features":[15]},{"name":"MAX_MCAST_TTL","features":[15]},{"name":"MAX_PROTOCOL_CHAIN","features":[15]},{"name":"MAX_WINDOW_INCREMENT_PERCENTAGE","features":[15]},{"name":"MCAST_BLOCK_SOURCE","features":[15]},{"name":"MCAST_EXCLUDE","features":[15]},{"name":"MCAST_INCLUDE","features":[15]},{"name":"MCAST_JOIN_GROUP","features":[15]},{"name":"MCAST_JOIN_SOURCE_GROUP","features":[15]},{"name":"MCAST_LEAVE_GROUP","features":[15]},{"name":"MCAST_LEAVE_SOURCE_GROUP","features":[15]},{"name":"MCAST_UNBLOCK_SOURCE","features":[15]},{"name":"MIB_IPPROTO_BBN","features":[15]},{"name":"MIB_IPPROTO_BGP","features":[15]},{"name":"MIB_IPPROTO_CISCO","features":[15]},{"name":"MIB_IPPROTO_DHCP","features":[15]},{"name":"MIB_IPPROTO_DVMRP","features":[15]},{"name":"MIB_IPPROTO_EGP","features":[15]},{"name":"MIB_IPPROTO_EIGRP","features":[15]},{"name":"MIB_IPPROTO_ES_IS","features":[15]},{"name":"MIB_IPPROTO_GGP","features":[15]},{"name":"MIB_IPPROTO_HELLO","features":[15]},{"name":"MIB_IPPROTO_ICMP","features":[15]},{"name":"MIB_IPPROTO_IDPR","features":[15]},{"name":"MIB_IPPROTO_IS_IS","features":[15]},{"name":"MIB_IPPROTO_LOCAL","features":[15]},{"name":"MIB_IPPROTO_NETMGMT","features":[15]},{"name":"MIB_IPPROTO_NT_AUTOSTATIC","features":[15]},{"name":"MIB_IPPROTO_NT_STATIC","features":[15]},{"name":"MIB_IPPROTO_NT_STATIC_NON_DOD","features":[15]},{"name":"MIB_IPPROTO_OSPF","features":[15]},{"name":"MIB_IPPROTO_OTHER","features":[15]},{"name":"MIB_IPPROTO_RIP","features":[15]},{"name":"MIB_IPPROTO_RPL","features":[15]},{"name":"MIT_GUID","features":[15]},{"name":"MIT_IF_LUID","features":[15]},{"name":"MLDV2_QUERY_HEADER","features":[15]},{"name":"MLDV2_REPORT_HEADER","features":[15]},{"name":"MLDV2_REPORT_RECORD_HEADER","features":[15]},{"name":"MLD_HEADER","features":[15]},{"name":"MLD_MAX_RESP_CODE_TYPE","features":[15]},{"name":"MLD_MAX_RESP_CODE_TYPE_FLOAT","features":[15]},{"name":"MLD_MAX_RESP_CODE_TYPE_NORMAL","features":[15]},{"name":"MSG_BCAST","features":[15]},{"name":"MSG_CTRUNC","features":[15]},{"name":"MSG_DONTROUTE","features":[15]},{"name":"MSG_ERRQUEUE","features":[15]},{"name":"MSG_INTERRUPT","features":[15]},{"name":"MSG_MAXIOVLEN","features":[15]},{"name":"MSG_MCAST","features":[15]},{"name":"MSG_OOB","features":[15]},{"name":"MSG_PARTIAL","features":[15]},{"name":"MSG_PEEK","features":[15]},{"name":"MSG_PUSH_IMMEDIATE","features":[15]},{"name":"MSG_TRUNC","features":[15]},{"name":"MSG_WAITALL","features":[15]},{"name":"MULTICAST_MODE_TYPE","features":[15]},{"name":"NAPI_DOMAIN_DESCRIPTION_BLOB","features":[15]},{"name":"NAPI_PROVIDER_INSTALLATION_BLOB","features":[15]},{"name":"NAPI_PROVIDER_LEVEL","features":[15]},{"name":"NAPI_PROVIDER_TYPE","features":[15]},{"name":"ND_NA_FLAG_OVERRIDE","features":[15]},{"name":"ND_NA_FLAG_ROUTER","features":[15]},{"name":"ND_NA_FLAG_SOLICITED","features":[15]},{"name":"ND_NEIGHBOR_ADVERT_HEADER","features":[15]},{"name":"ND_NEIGHBOR_SOLICIT_HEADER","features":[15]},{"name":"ND_OPTION_DNSSL","features":[15]},{"name":"ND_OPTION_HDR","features":[15]},{"name":"ND_OPTION_MTU","features":[15]},{"name":"ND_OPTION_PREFIX_INFO","features":[15]},{"name":"ND_OPTION_RDNSS","features":[15]},{"name":"ND_OPTION_RD_HDR","features":[15]},{"name":"ND_OPTION_ROUTE_INFO","features":[15]},{"name":"ND_OPTION_TYPE","features":[15]},{"name":"ND_OPT_ADVERTISEMENT_INTERVAL","features":[15]},{"name":"ND_OPT_DNSSL","features":[15]},{"name":"ND_OPT_DNSSL_MIN_LEN","features":[15]},{"name":"ND_OPT_HOME_AGENT_INFORMATION","features":[15]},{"name":"ND_OPT_MTU","features":[15]},{"name":"ND_OPT_NBMA_SHORTCUT_LIMIT","features":[15]},{"name":"ND_OPT_PI_FLAG_AUTO","features":[15]},{"name":"ND_OPT_PI_FLAG_ONLINK","features":[15]},{"name":"ND_OPT_PI_FLAG_ROUTE","features":[15]},{"name":"ND_OPT_PI_FLAG_ROUTER_ADDR","features":[15]},{"name":"ND_OPT_PI_FLAG_SITE_PREFIX","features":[15]},{"name":"ND_OPT_PREFIX_INFORMATION","features":[15]},{"name":"ND_OPT_RDNSS","features":[15]},{"name":"ND_OPT_RDNSS_MIN_LEN","features":[15]},{"name":"ND_OPT_REDIRECTED_HEADER","features":[15]},{"name":"ND_OPT_RI_FLAG_PREFERENCE","features":[15]},{"name":"ND_OPT_ROUTE_INFO","features":[15]},{"name":"ND_OPT_SOURCE_ADDR_LIST","features":[15]},{"name":"ND_OPT_SOURCE_LINKADDR","features":[15]},{"name":"ND_OPT_TARGET_ADDR_LIST","features":[15]},{"name":"ND_OPT_TARGET_LINKADDR","features":[15]},{"name":"ND_RA_FLAG_HOME_AGENT","features":[15]},{"name":"ND_RA_FLAG_MANAGED","features":[15]},{"name":"ND_RA_FLAG_OTHER","features":[15]},{"name":"ND_RA_FLAG_PREFERENCE","features":[15]},{"name":"ND_REDIRECT_HEADER","features":[15]},{"name":"ND_ROUTER_ADVERT_HEADER","features":[15]},{"name":"ND_ROUTER_SOLICIT_HEADER","features":[15]},{"name":"NETBIOS_GROUP_NAME","features":[15]},{"name":"NETBIOS_NAME_LENGTH","features":[15]},{"name":"NETBIOS_TYPE_QUICK_GROUP","features":[15]},{"name":"NETBIOS_TYPE_QUICK_UNIQUE","features":[15]},{"name":"NETBIOS_UNIQUE_NAME","features":[15]},{"name":"NETRESOURCE2A","features":[15]},{"name":"NETRESOURCE2W","features":[15]},{"name":"NI_DGRAM","features":[15]},{"name":"NI_MAXHOST","features":[15]},{"name":"NI_MAXSERV","features":[15]},{"name":"NI_NAMEREQD","features":[15]},{"name":"NI_NOFQDN","features":[15]},{"name":"NI_NUMERICHOST","features":[15]},{"name":"NI_NUMERICSERV","features":[15]},{"name":"NLA_802_1X_LOCATION","features":[15]},{"name":"NLA_ALLUSERS_NETWORK","features":[15]},{"name":"NLA_BLOB","features":[15]},{"name":"NLA_BLOB_DATA_TYPE","features":[15]},{"name":"NLA_CONNECTIVITY","features":[15]},{"name":"NLA_CONNECTIVITY_TYPE","features":[15]},{"name":"NLA_FRIENDLY_NAME","features":[15]},{"name":"NLA_ICS","features":[15]},{"name":"NLA_INTERFACE","features":[15]},{"name":"NLA_INTERNET","features":[15]},{"name":"NLA_INTERNET_NO","features":[15]},{"name":"NLA_INTERNET_UNKNOWN","features":[15]},{"name":"NLA_INTERNET_YES","features":[15]},{"name":"NLA_NAMESPACE_GUID","features":[15]},{"name":"NLA_NETWORK_AD_HOC","features":[15]},{"name":"NLA_NETWORK_MANAGED","features":[15]},{"name":"NLA_NETWORK_UNKNOWN","features":[15]},{"name":"NLA_NETWORK_UNMANAGED","features":[15]},{"name":"NLA_RAW_DATA","features":[15]},{"name":"NLA_SERVICE_CLASS_GUID","features":[15]},{"name":"NL_ADDRESS_TYPE","features":[15]},{"name":"NL_BANDWIDTH_FLAG","features":[15]},{"name":"NL_BANDWIDTH_INFORMATION","features":[1,15]},{"name":"NL_DAD_STATE","features":[15]},{"name":"NL_INTERFACE_NETWORK_CATEGORY_STATE","features":[15]},{"name":"NL_INTERFACE_OFFLOAD_ROD","features":[15]},{"name":"NL_LINK_LOCAL_ADDRESS_BEHAVIOR","features":[15]},{"name":"NL_NEIGHBOR_STATE","features":[15]},{"name":"NL_NETWORK_CATEGORY","features":[15]},{"name":"NL_NETWORK_CONNECTIVITY_COST_HINT","features":[15]},{"name":"NL_NETWORK_CONNECTIVITY_HINT","features":[1,15]},{"name":"NL_NETWORK_CONNECTIVITY_LEVEL_HINT","features":[15]},{"name":"NL_PATH_BANDWIDTH_ROD","features":[1,15]},{"name":"NL_PREFIX_ORIGIN","features":[15]},{"name":"NL_ROUTER_DISCOVERY_BEHAVIOR","features":[15]},{"name":"NL_ROUTE_ORIGIN","features":[15]},{"name":"NL_ROUTE_PROTOCOL","features":[15]},{"name":"NL_SUFFIX_ORIGIN","features":[15]},{"name":"NPI_MODULEID","features":[1,15]},{"name":"NPI_MODULEID_TYPE","features":[15]},{"name":"NSPROTO_IPX","features":[15]},{"name":"NSPROTO_SPX","features":[15]},{"name":"NSPROTO_SPXII","features":[15]},{"name":"NSPV2_ROUTINE","features":[1,15,41]},{"name":"NSP_NOTIFY_APC","features":[15]},{"name":"NSP_NOTIFY_EVENT","features":[15]},{"name":"NSP_NOTIFY_HWND","features":[15]},{"name":"NSP_NOTIFY_IMMEDIATELY","features":[15]},{"name":"NSP_NOTIFY_PORT","features":[15]},{"name":"NSP_ROUTINE","features":[1,15,41,6]},{"name":"NSTYPE_DYNAMIC","features":[15]},{"name":"NSTYPE_ENUMERABLE","features":[15]},{"name":"NSTYPE_HIERARCHICAL","features":[15]},{"name":"NSTYPE_WORKGROUP","features":[15]},{"name":"NS_ALL","features":[15]},{"name":"NS_DEFAULT","features":[15]},{"name":"NS_DHCP","features":[15]},{"name":"NS_DNS","features":[15]},{"name":"NS_EMAIL","features":[15]},{"name":"NS_INFOA","features":[15]},{"name":"NS_INFOW","features":[15]},{"name":"NS_LOCALNAME","features":[15]},{"name":"NS_MS","features":[15]},{"name":"NS_NBP","features":[15]},{"name":"NS_NDS","features":[15]},{"name":"NS_NETBT","features":[15]},{"name":"NS_NETDES","features":[15]},{"name":"NS_NIS","features":[15]},{"name":"NS_NISPLUS","features":[15]},{"name":"NS_NLA","features":[15]},{"name":"NS_NTDS","features":[15]},{"name":"NS_PEER_BROWSE","features":[15]},{"name":"NS_SAP","features":[15]},{"name":"NS_SERVICE_INFOA","features":[15,41]},{"name":"NS_SERVICE_INFOW","features":[15,41]},{"name":"NS_SLP","features":[15]},{"name":"NS_STDA","features":[15]},{"name":"NS_TCPIP_HOSTS","features":[15]},{"name":"NS_TCPIP_LOCAL","features":[15]},{"name":"NS_VNS","features":[15]},{"name":"NS_WINS","features":[15]},{"name":"NS_WRQ","features":[15]},{"name":"NS_X500","features":[15]},{"name":"NetworkCategoryDomainAuthenticated","features":[15]},{"name":"NetworkCategoryPrivate","features":[15]},{"name":"NetworkCategoryPublic","features":[15]},{"name":"NetworkCategoryUnchanged","features":[15]},{"name":"NetworkCategoryUnknown","features":[15]},{"name":"NetworkConnectivityCostHintFixed","features":[15]},{"name":"NetworkConnectivityCostHintUnknown","features":[15]},{"name":"NetworkConnectivityCostHintUnrestricted","features":[15]},{"name":"NetworkConnectivityCostHintVariable","features":[15]},{"name":"NetworkConnectivityLevelHintConstrainedInternetAccess","features":[15]},{"name":"NetworkConnectivityLevelHintHidden","features":[15]},{"name":"NetworkConnectivityLevelHintInternetAccess","features":[15]},{"name":"NetworkConnectivityLevelHintLocalAccess","features":[15]},{"name":"NetworkConnectivityLevelHintNone","features":[15]},{"name":"NetworkConnectivityLevelHintUnknown","features":[15]},{"name":"NlatAnycast","features":[15]},{"name":"NlatBroadcast","features":[15]},{"name":"NlatInvalid","features":[15]},{"name":"NlatMulticast","features":[15]},{"name":"NlatUnicast","features":[15]},{"name":"NlatUnspecified","features":[15]},{"name":"NlbwDisabled","features":[15]},{"name":"NlbwEnabled","features":[15]},{"name":"NlbwUnchanged","features":[15]},{"name":"NldsDeprecated","features":[15]},{"name":"NldsDuplicate","features":[15]},{"name":"NldsInvalid","features":[15]},{"name":"NldsPreferred","features":[15]},{"name":"NldsTentative","features":[15]},{"name":"NlincCategoryStateMax","features":[15]},{"name":"NlincCategoryUnknown","features":[15]},{"name":"NlincDomainAuthenticated","features":[15]},{"name":"NlincPrivate","features":[15]},{"name":"NlincPublic","features":[15]},{"name":"NlnsDelay","features":[15]},{"name":"NlnsIncomplete","features":[15]},{"name":"NlnsMaximum","features":[15]},{"name":"NlnsPermanent","features":[15]},{"name":"NlnsProbe","features":[15]},{"name":"NlnsReachable","features":[15]},{"name":"NlnsStale","features":[15]},{"name":"NlnsUnreachable","features":[15]},{"name":"Nlro6to4","features":[15]},{"name":"NlroDHCP","features":[15]},{"name":"NlroManual","features":[15]},{"name":"NlroRouterAdvertisement","features":[15]},{"name":"NlroWellKnown","features":[15]},{"name":"NlsoDhcp","features":[15]},{"name":"NlsoLinkLayerAddress","features":[15]},{"name":"NlsoManual","features":[15]},{"name":"NlsoOther","features":[15]},{"name":"NlsoRandom","features":[15]},{"name":"NlsoWellKnown","features":[15]},{"name":"PFL_HIDDEN","features":[15]},{"name":"PFL_MATCHES_PROTOCOL_ZERO","features":[15]},{"name":"PFL_MULTIPLE_PROTO_ENTRIES","features":[15]},{"name":"PFL_NETWORKDIRECT_PROVIDER","features":[15]},{"name":"PFL_RECOMMENDED_PROTO_ENTRY","features":[15]},{"name":"PF_APPLETALK","features":[15]},{"name":"PF_ATM","features":[15]},{"name":"PF_BAN","features":[15]},{"name":"PF_CCITT","features":[15]},{"name":"PF_CHAOS","features":[15]},{"name":"PF_DATAKIT","features":[15]},{"name":"PF_DECnet","features":[15]},{"name":"PF_DLI","features":[15]},{"name":"PF_ECMA","features":[15]},{"name":"PF_FIREFOX","features":[15]},{"name":"PF_HYLINK","features":[15]},{"name":"PF_IMPLINK","features":[15]},{"name":"PF_IPX","features":[15]},{"name":"PF_IRDA","features":[15]},{"name":"PF_ISO","features":[15]},{"name":"PF_LAT","features":[15]},{"name":"PF_MAX","features":[15]},{"name":"PF_NS","features":[15]},{"name":"PF_OSI","features":[15]},{"name":"PF_PUP","features":[15]},{"name":"PF_SNA","features":[15]},{"name":"PF_UNIX","features":[15]},{"name":"PF_UNKNOWN1","features":[15]},{"name":"PF_VOICEVIEW","features":[15]},{"name":"PI_ALLOWED","features":[15]},{"name":"PI_NUMBER_NOT_AVAILABLE","features":[15]},{"name":"PI_RESTRICTED","features":[15]},{"name":"PMTUD_STATE","features":[15]},{"name":"POLLERR","features":[15]},{"name":"POLLHUP","features":[15]},{"name":"POLLIN","features":[15]},{"name":"POLLNVAL","features":[15]},{"name":"POLLOUT","features":[15]},{"name":"POLLPRI","features":[15]},{"name":"POLLRDBAND","features":[15]},{"name":"POLLRDNORM","features":[15]},{"name":"POLLWRBAND","features":[15]},{"name":"POLLWRNORM","features":[15]},{"name":"PRIORITY_STATUS","features":[15]},{"name":"PROP_ADDRESSES","features":[15]},{"name":"PROP_ALL","features":[15]},{"name":"PROP_COMMENT","features":[15]},{"name":"PROP_DISPLAY_HINT","features":[15]},{"name":"PROP_LOCALE","features":[15]},{"name":"PROP_MACHINE","features":[15]},{"name":"PROP_SD","features":[15]},{"name":"PROP_START_TIME","features":[15]},{"name":"PROP_VERSION","features":[15]},{"name":"PROTECTION_LEVEL_DEFAULT","features":[15]},{"name":"PROTECTION_LEVEL_EDGERESTRICTED","features":[15]},{"name":"PROTECTION_LEVEL_RESTRICTED","features":[15]},{"name":"PROTECTION_LEVEL_UNRESTRICTED","features":[15]},{"name":"PROTOCOL_INFOA","features":[15]},{"name":"PROTOCOL_INFOW","features":[15]},{"name":"PROTOENT","features":[15]},{"name":"PROTO_IP_BBN","features":[15]},{"name":"PROTO_IP_BGP","features":[15]},{"name":"PROTO_IP_CISCO","features":[15]},{"name":"PROTO_IP_DHCP","features":[15]},{"name":"PROTO_IP_DVMRP","features":[15]},{"name":"PROTO_IP_EGP","features":[15]},{"name":"PROTO_IP_EIGRP","features":[15]},{"name":"PROTO_IP_ES_IS","features":[15]},{"name":"PROTO_IP_GGP","features":[15]},{"name":"PROTO_IP_HELLO","features":[15]},{"name":"PROTO_IP_ICMP","features":[15]},{"name":"PROTO_IP_IDPR","features":[15]},{"name":"PROTO_IP_IS_IS","features":[15]},{"name":"PROTO_IP_LOCAL","features":[15]},{"name":"PROTO_IP_NETMGMT","features":[15]},{"name":"PROTO_IP_NT_AUTOSTATIC","features":[15]},{"name":"PROTO_IP_NT_STATIC","features":[15]},{"name":"PROTO_IP_NT_STATIC_NON_DOD","features":[15]},{"name":"PROTO_IP_OSPF","features":[15]},{"name":"PROTO_IP_OTHER","features":[15]},{"name":"PROTO_IP_RIP","features":[15]},{"name":"PROTO_IP_RPL","features":[15]},{"name":"PVD_CONFIG","features":[15]},{"name":"ProcessSocketNotifications","features":[1,15,6]},{"name":"ProviderInfoAudit","features":[15]},{"name":"ProviderInfoLspCategories","features":[15]},{"name":"ProviderLevel_None","features":[15]},{"name":"ProviderLevel_Primary","features":[15]},{"name":"ProviderLevel_Secondary","features":[15]},{"name":"ProviderType_Application","features":[15]},{"name":"ProviderType_Service","features":[15]},{"name":"Q2931_IE","features":[15]},{"name":"Q2931_IE_TYPE","features":[15]},{"name":"QOS","features":[15]},{"name":"QOS_CLASS0","features":[15]},{"name":"QOS_CLASS1","features":[15]},{"name":"QOS_CLASS2","features":[15]},{"name":"QOS_CLASS3","features":[15]},{"name":"QOS_CLASS4","features":[15]},{"name":"RCVALL_IF","features":[15]},{"name":"RCVALL_IPLEVEL","features":[15]},{"name":"RCVALL_OFF","features":[15]},{"name":"RCVALL_ON","features":[15]},{"name":"RCVALL_SOCKETLEVELONLY","features":[15]},{"name":"RCVALL_VALUE","features":[15]},{"name":"REAL_TIME_NOTIFICATION_CAPABILITY","features":[15]},{"name":"REAL_TIME_NOTIFICATION_CAPABILITY_EX","features":[15]},{"name":"REAL_TIME_NOTIFICATION_SETTING_INPUT","features":[15]},{"name":"REAL_TIME_NOTIFICATION_SETTING_INPUT_EX","features":[1,15]},{"name":"REAL_TIME_NOTIFICATION_SETTING_OUTPUT","features":[15]},{"name":"RESOURCEDISPLAYTYPE_DOMAIN","features":[15]},{"name":"RESOURCEDISPLAYTYPE_FILE","features":[15]},{"name":"RESOURCEDISPLAYTYPE_GENERIC","features":[15]},{"name":"RESOURCEDISPLAYTYPE_GROUP","features":[15]},{"name":"RESOURCEDISPLAYTYPE_SERVER","features":[15]},{"name":"RESOURCEDISPLAYTYPE_SHARE","features":[15]},{"name":"RESOURCEDISPLAYTYPE_TREE","features":[15]},{"name":"RESOURCE_DISPLAY_TYPE","features":[15]},{"name":"RESULT_IS_ADDED","features":[15]},{"name":"RESULT_IS_ALIAS","features":[15]},{"name":"RESULT_IS_CHANGED","features":[15]},{"name":"RESULT_IS_DELETED","features":[15]},{"name":"RES_FIND_MULTIPLE","features":[15]},{"name":"RES_FLUSH_CACHE","features":[15]},{"name":"RES_SERVICE","features":[15]},{"name":"RES_SOFT_SEARCH","features":[15]},{"name":"RES_UNUSED_1","features":[15]},{"name":"RIORESULT","features":[15]},{"name":"RIO_BUF","features":[15]},{"name":"RIO_BUFFERID","features":[15]},{"name":"RIO_CMSG_BUFFER","features":[15]},{"name":"RIO_CORRUPT_CQ","features":[15]},{"name":"RIO_CQ","features":[15]},{"name":"RIO_EVENT_COMPLETION","features":[15]},{"name":"RIO_EXTENSION_FUNCTION_TABLE","features":[1,15]},{"name":"RIO_IOCP_COMPLETION","features":[15]},{"name":"RIO_MAX_CQ_SIZE","features":[15]},{"name":"RIO_MSG_COMMIT_ONLY","features":[15]},{"name":"RIO_MSG_DEFER","features":[15]},{"name":"RIO_MSG_DONT_NOTIFY","features":[15]},{"name":"RIO_MSG_WAITALL","features":[15]},{"name":"RIO_NOTIFICATION_COMPLETION","features":[1,15]},{"name":"RIO_NOTIFICATION_COMPLETION_TYPE","features":[15]},{"name":"RIO_RQ","features":[15]},{"name":"RM_ADD_RECEIVE_IF","features":[15]},{"name":"RM_DEL_RECEIVE_IF","features":[15]},{"name":"RM_FEC_INFO","features":[1,15]},{"name":"RM_FLUSHCACHE","features":[15]},{"name":"RM_HIGH_SPEED_INTRANET_OPT","features":[15]},{"name":"RM_LATEJOIN","features":[15]},{"name":"RM_OPTIONSBASE","features":[15]},{"name":"RM_RATE_WINDOW_SIZE","features":[15]},{"name":"RM_RECEIVER_STATISTICS","features":[15]},{"name":"RM_RECEIVER_STATS","features":[15]},{"name":"RM_SENDER_STATISTICS","features":[15]},{"name":"RM_SENDER_STATS","features":[15]},{"name":"RM_SENDER_WINDOW_ADVANCE_METHOD","features":[15]},{"name":"RM_SEND_WINDOW","features":[15]},{"name":"RM_SEND_WINDOW_ADV_RATE","features":[15]},{"name":"RM_SET_MCAST_TTL","features":[15]},{"name":"RM_SET_MESSAGE_BOUNDARY","features":[15]},{"name":"RM_SET_SEND_IF","features":[15]},{"name":"RM_USE_FEC","features":[15]},{"name":"RNRSERVICE_DELETE","features":[15]},{"name":"RNRSERVICE_DEREGISTER","features":[15]},{"name":"RNRSERVICE_REGISTER","features":[15]},{"name":"RSS_SCALABILITY_INFO","features":[1,15]},{"name":"RouteProtocolBbn","features":[15]},{"name":"RouteProtocolBgp","features":[15]},{"name":"RouteProtocolCisco","features":[15]},{"name":"RouteProtocolDhcp","features":[15]},{"name":"RouteProtocolDvmrp","features":[15]},{"name":"RouteProtocolEgp","features":[15]},{"name":"RouteProtocolEigrp","features":[15]},{"name":"RouteProtocolEsIs","features":[15]},{"name":"RouteProtocolGgp","features":[15]},{"name":"RouteProtocolHello","features":[15]},{"name":"RouteProtocolIcmp","features":[15]},{"name":"RouteProtocolIdpr","features":[15]},{"name":"RouteProtocolIsIs","features":[15]},{"name":"RouteProtocolLocal","features":[15]},{"name":"RouteProtocolNetMgmt","features":[15]},{"name":"RouteProtocolOspf","features":[15]},{"name":"RouteProtocolOther","features":[15]},{"name":"RouteProtocolRip","features":[15]},{"name":"RouteProtocolRpl","features":[15]},{"name":"RouterDiscoveryDhcp","features":[15]},{"name":"RouterDiscoveryDisabled","features":[15]},{"name":"RouterDiscoveryEnabled","features":[15]},{"name":"RouterDiscoveryUnchanged","features":[15]},{"name":"RtlEthernetAddressToStringA","features":[15]},{"name":"RtlEthernetAddressToStringW","features":[15]},{"name":"RtlEthernetStringToAddressA","features":[15]},{"name":"RtlEthernetStringToAddressW","features":[15]},{"name":"RtlIpv4AddressToStringA","features":[15]},{"name":"RtlIpv4AddressToStringExA","features":[15]},{"name":"RtlIpv4AddressToStringExW","features":[15]},{"name":"RtlIpv4AddressToStringW","features":[15]},{"name":"RtlIpv4StringToAddressA","features":[1,15]},{"name":"RtlIpv4StringToAddressExA","features":[1,15]},{"name":"RtlIpv4StringToAddressExW","features":[1,15]},{"name":"RtlIpv4StringToAddressW","features":[1,15]},{"name":"RtlIpv6AddressToStringA","features":[15]},{"name":"RtlIpv6AddressToStringExA","features":[15]},{"name":"RtlIpv6AddressToStringExW","features":[15]},{"name":"RtlIpv6AddressToStringW","features":[15]},{"name":"RtlIpv6StringToAddressA","features":[15]},{"name":"RtlIpv6StringToAddressExA","features":[15]},{"name":"RtlIpv6StringToAddressExW","features":[15]},{"name":"RtlIpv6StringToAddressW","features":[15]},{"name":"SAP_FIELD_ABSENT","features":[15]},{"name":"SAP_FIELD_ANY","features":[15]},{"name":"SAP_FIELD_ANY_AESA_REST","features":[15]},{"name":"SAP_FIELD_ANY_AESA_SEL","features":[15]},{"name":"SCOPE_ID","features":[15]},{"name":"SCOPE_LEVEL","features":[15]},{"name":"SD_BOTH","features":[15]},{"name":"SD_RECEIVE","features":[15]},{"name":"SD_SEND","features":[15]},{"name":"SECURITY_PROTOCOL_NONE","features":[15]},{"name":"SENDER_DEFAULT_LATE_JOINER_PERCENTAGE","features":[15]},{"name":"SENDER_DEFAULT_RATE_KBITS_PER_SEC","features":[15]},{"name":"SENDER_DEFAULT_WINDOW_ADV_PERCENTAGE","features":[15]},{"name":"SENDER_MAX_LATE_JOINER_PERCENTAGE","features":[15]},{"name":"SEND_RECV_FLAGS","features":[15]},{"name":"SERVENT","features":[15]},{"name":"SERVENT","features":[15]},{"name":"SERVICE_ADDRESS","features":[15]},{"name":"SERVICE_ADDRESSES","features":[15]},{"name":"SERVICE_ADDRESS_FLAG_RPC_CN","features":[15]},{"name":"SERVICE_ADDRESS_FLAG_RPC_DG","features":[15]},{"name":"SERVICE_ADDRESS_FLAG_RPC_NB","features":[15]},{"name":"SERVICE_ADD_TYPE","features":[15]},{"name":"SERVICE_ASYNC_INFO","features":[1,15]},{"name":"SERVICE_DELETE_TYPE","features":[15]},{"name":"SERVICE_DEREGISTER","features":[15]},{"name":"SERVICE_FLAG_DEFER","features":[15]},{"name":"SERVICE_FLAG_HARD","features":[15]},{"name":"SERVICE_FLUSH","features":[15]},{"name":"SERVICE_INFOA","features":[15,41]},{"name":"SERVICE_INFOW","features":[15,41]},{"name":"SERVICE_LOCAL","features":[15]},{"name":"SERVICE_MULTIPLE","features":[15]},{"name":"SERVICE_REGISTER","features":[15]},{"name":"SERVICE_RESOURCE","features":[15]},{"name":"SERVICE_SERVICE","features":[15]},{"name":"SERVICE_TYPE_INFO","features":[15]},{"name":"SERVICE_TYPE_INFO_ABSA","features":[15]},{"name":"SERVICE_TYPE_INFO_ABSW","features":[15]},{"name":"SERVICE_TYPE_VALUE","features":[15]},{"name":"SERVICE_TYPE_VALUE_ABSA","features":[15]},{"name":"SERVICE_TYPE_VALUE_ABSW","features":[15]},{"name":"SERVICE_TYPE_VALUE_CONN","features":[15]},{"name":"SERVICE_TYPE_VALUE_CONNA","features":[15]},{"name":"SERVICE_TYPE_VALUE_CONNW","features":[15]},{"name":"SERVICE_TYPE_VALUE_IPXPORTA","features":[15]},{"name":"SERVICE_TYPE_VALUE_IPXPORTW","features":[15]},{"name":"SERVICE_TYPE_VALUE_OBJECTID","features":[15]},{"name":"SERVICE_TYPE_VALUE_OBJECTIDA","features":[15]},{"name":"SERVICE_TYPE_VALUE_OBJECTIDW","features":[15]},{"name":"SERVICE_TYPE_VALUE_SAPID","features":[15]},{"name":"SERVICE_TYPE_VALUE_SAPIDA","features":[15]},{"name":"SERVICE_TYPE_VALUE_SAPIDW","features":[15]},{"name":"SERVICE_TYPE_VALUE_TCPPORT","features":[15]},{"name":"SERVICE_TYPE_VALUE_TCPPORTA","features":[15]},{"name":"SERVICE_TYPE_VALUE_TCPPORTW","features":[15]},{"name":"SERVICE_TYPE_VALUE_UDPPORT","features":[15]},{"name":"SERVICE_TYPE_VALUE_UDPPORTA","features":[15]},{"name":"SERVICE_TYPE_VALUE_UDPPORTW","features":[15]},{"name":"SET_SERVICE_OPERATION","features":[15]},{"name":"SET_SERVICE_PARTIAL_SUCCESS","features":[15]},{"name":"SG_CONSTRAINED_GROUP","features":[15]},{"name":"SG_UNCONSTRAINED_GROUP","features":[15]},{"name":"SIOCATMARK","features":[15]},{"name":"SIOCGHIWAT","features":[15]},{"name":"SIOCGLOWAT","features":[15]},{"name":"SIOCSHIWAT","features":[15]},{"name":"SIOCSLOWAT","features":[15]},{"name":"SIO_ABSORB_RTRALERT","features":[15]},{"name":"SIO_ACQUIRE_PORT_RESERVATION","features":[15]},{"name":"SIO_ADDRESS_LIST_CHANGE","features":[15]},{"name":"SIO_ADDRESS_LIST_QUERY","features":[15]},{"name":"SIO_ADDRESS_LIST_SORT","features":[15]},{"name":"SIO_AF_UNIX_GETPEERPID","features":[15]},{"name":"SIO_AF_UNIX_SETBINDPARENTPATH","features":[15]},{"name":"SIO_AF_UNIX_SETCONNPARENTPATH","features":[15]},{"name":"SIO_APPLY_TRANSPORT_SETTING","features":[15]},{"name":"SIO_ASSOCIATE_HANDLE","features":[15]},{"name":"SIO_ASSOCIATE_PORT_RESERVATION","features":[15]},{"name":"SIO_ASSOCIATE_PVC","features":[15]},{"name":"SIO_BASE_HANDLE","features":[15]},{"name":"SIO_BSP_HANDLE","features":[15]},{"name":"SIO_BSP_HANDLE_POLL","features":[15]},{"name":"SIO_BSP_HANDLE_SELECT","features":[15]},{"name":"SIO_CPU_AFFINITY","features":[15]},{"name":"SIO_DELETE_PEER_TARGET_NAME","features":[15]},{"name":"SIO_ENABLE_CIRCULAR_QUEUEING","features":[15]},{"name":"SIO_EXT_POLL","features":[15]},{"name":"SIO_EXT_SELECT","features":[15]},{"name":"SIO_EXT_SENDMSG","features":[15]},{"name":"SIO_FIND_ROUTE","features":[15]},{"name":"SIO_FLUSH","features":[15]},{"name":"SIO_GET_ATM_ADDRESS","features":[15]},{"name":"SIO_GET_ATM_CONNECTION_ID","features":[15]},{"name":"SIO_GET_BROADCAST_ADDRESS","features":[15]},{"name":"SIO_GET_EXTENSION_FUNCTION_POINTER","features":[15]},{"name":"SIO_GET_GROUP_QOS","features":[15]},{"name":"SIO_GET_MULTIPLE_EXTENSION_FUNCTION_POINTER","features":[15]},{"name":"SIO_GET_NUMBER_OF_ATM_DEVICES","features":[15]},{"name":"SIO_GET_QOS","features":[15]},{"name":"SIO_GET_TX_TIMESTAMP","features":[15]},{"name":"SIO_INDEX_ADD_MCAST","features":[15]},{"name":"SIO_INDEX_BIND","features":[15]},{"name":"SIO_INDEX_DEL_MCAST","features":[15]},{"name":"SIO_INDEX_MCASTIF","features":[15]},{"name":"SIO_KEEPALIVE_VALS","features":[15]},{"name":"SIO_LIMIT_BROADCASTS","features":[15]},{"name":"SIO_LOOPBACK_FAST_PATH","features":[15]},{"name":"SIO_MULTICAST_SCOPE","features":[15]},{"name":"SIO_MULTIPOINT_LOOPBACK","features":[15]},{"name":"SIO_NSP_NOTIFY_CHANGE","features":[15]},{"name":"SIO_PRIORITY_HINT","features":[15]},{"name":"SIO_QUERY_RSS_PROCESSOR_INFO","features":[15]},{"name":"SIO_QUERY_RSS_SCALABILITY_INFO","features":[15]},{"name":"SIO_QUERY_SECURITY","features":[15]},{"name":"SIO_QUERY_TARGET_PNP_HANDLE","features":[15]},{"name":"SIO_QUERY_TRANSPORT_SETTING","features":[15]},{"name":"SIO_QUERY_WFP_ALE_ENDPOINT_HANDLE","features":[15]},{"name":"SIO_QUERY_WFP_CONNECTION_REDIRECT_CONTEXT","features":[15]},{"name":"SIO_QUERY_WFP_CONNECTION_REDIRECT_RECORDS","features":[15]},{"name":"SIO_RCVALL","features":[15]},{"name":"SIO_RCVALL_IF","features":[15]},{"name":"SIO_RCVALL_IGMPMCAST","features":[15]},{"name":"SIO_RCVALL_MCAST","features":[15]},{"name":"SIO_RCVALL_MCAST_IF","features":[15]},{"name":"SIO_RELEASE_PORT_RESERVATION","features":[15]},{"name":"SIO_RESERVED_1","features":[15]},{"name":"SIO_RESERVED_2","features":[15]},{"name":"SIO_ROUTING_INTERFACE_CHANGE","features":[15]},{"name":"SIO_ROUTING_INTERFACE_QUERY","features":[15]},{"name":"SIO_SET_COMPATIBILITY_MODE","features":[15]},{"name":"SIO_SET_GROUP_QOS","features":[15]},{"name":"SIO_SET_PEER_TARGET_NAME","features":[15]},{"name":"SIO_SET_PRIORITY_HINT","features":[15]},{"name":"SIO_SET_QOS","features":[15]},{"name":"SIO_SET_SECURITY","features":[15]},{"name":"SIO_SET_WFP_CONNECTION_REDIRECT_RECORDS","features":[15]},{"name":"SIO_SOCKET_CLOSE_NOTIFY","features":[15]},{"name":"SIO_SOCKET_USAGE_NOTIFICATION","features":[15]},{"name":"SIO_TCP_INFO","features":[15]},{"name":"SIO_TCP_INITIAL_RTO","features":[15]},{"name":"SIO_TCP_SET_ACK_FREQUENCY","features":[15]},{"name":"SIO_TCP_SET_ICW","features":[15]},{"name":"SIO_TIMESTAMPING","features":[15]},{"name":"SIO_TRANSLATE_HANDLE","features":[15]},{"name":"SIO_UCAST_IF","features":[15]},{"name":"SIO_UDP_CONNRESET","features":[15]},{"name":"SIO_UDP_NETRESET","features":[15]},{"name":"SIZEOF_IP_OPT_ROUTERALERT","features":[15]},{"name":"SIZEOF_IP_OPT_ROUTING_HEADER","features":[15]},{"name":"SIZEOF_IP_OPT_SECURITY","features":[15]},{"name":"SIZEOF_IP_OPT_STREAMIDENTIFIER","features":[15]},{"name":"SIZEOF_IP_OPT_TIMESTAMP_HEADER","features":[15]},{"name":"SI_NETWORK","features":[15]},{"name":"SI_USER_FAILED","features":[15]},{"name":"SI_USER_NOT_SCREENED","features":[15]},{"name":"SI_USER_PASSED","features":[15]},{"name":"SNAP_CONTROL","features":[15]},{"name":"SNAP_DSAP","features":[15]},{"name":"SNAP_HEADER","features":[15]},{"name":"SNAP_OUI","features":[15]},{"name":"SNAP_SSAP","features":[15]},{"name":"SOCKADDR","features":[15]},{"name":"SOCKADDR_ATM","features":[15]},{"name":"SOCKADDR_DL","features":[15]},{"name":"SOCKADDR_IN","features":[15]},{"name":"SOCKADDR_IN6","features":[15]},{"name":"SOCKADDR_IN6_PAIR","features":[15]},{"name":"SOCKADDR_IN6_W2KSP1","features":[15]},{"name":"SOCKADDR_INET","features":[15]},{"name":"SOCKADDR_IPX","features":[15]},{"name":"SOCKADDR_IRDA","features":[15]},{"name":"SOCKADDR_NB","features":[15]},{"name":"SOCKADDR_STORAGE","features":[15]},{"name":"SOCKADDR_STORAGE_XP","features":[15]},{"name":"SOCKADDR_TP","features":[15]},{"name":"SOCKADDR_UN","features":[15]},{"name":"SOCKADDR_VNS","features":[15]},{"name":"SOCKET","features":[15]},{"name":"SOCKET_ADDRESS","features":[15]},{"name":"SOCKET_ADDRESS_LIST","features":[15]},{"name":"SOCKET_DEFAULT2_QM_POLICY","features":[15]},{"name":"SOCKET_ERROR","features":[15]},{"name":"SOCKET_INFO_CONNECTION_ENCRYPTED","features":[15]},{"name":"SOCKET_INFO_CONNECTION_IMPERSONATED","features":[15]},{"name":"SOCKET_INFO_CONNECTION_SECURED","features":[15]},{"name":"SOCKET_PEER_TARGET_NAME","features":[15]},{"name":"SOCKET_PRIORITY_HINT","features":[15]},{"name":"SOCKET_PROCESSOR_AFFINITY","features":[15,7]},{"name":"SOCKET_QUERY_IPSEC2_ABORT_CONNECTION_ON_FIELD_CHANGE","features":[15]},{"name":"SOCKET_QUERY_IPSEC2_FIELD_MASK_MM_SA_ID","features":[15]},{"name":"SOCKET_QUERY_IPSEC2_FIELD_MASK_QM_SA_ID","features":[15]},{"name":"SOCKET_SECURITY_PROTOCOL","features":[15]},{"name":"SOCKET_SECURITY_PROTOCOL_DEFAULT","features":[15]},{"name":"SOCKET_SECURITY_PROTOCOL_INVALID","features":[15]},{"name":"SOCKET_SECURITY_PROTOCOL_IPSEC","features":[15]},{"name":"SOCKET_SECURITY_PROTOCOL_IPSEC2","features":[15]},{"name":"SOCKET_SECURITY_QUERY_INFO","features":[15]},{"name":"SOCKET_SECURITY_QUERY_INFO_IPSEC2","features":[15]},{"name":"SOCKET_SECURITY_QUERY_TEMPLATE","features":[15]},{"name":"SOCKET_SECURITY_QUERY_TEMPLATE_IPSEC2","features":[15]},{"name":"SOCKET_SECURITY_SETTINGS","features":[15]},{"name":"SOCKET_SECURITY_SETTINGS_IPSEC","features":[15]},{"name":"SOCKET_SETTINGS_ALLOW_INSECURE","features":[15]},{"name":"SOCKET_SETTINGS_GUARANTEE_ENCRYPTION","features":[15]},{"name":"SOCKET_SETTINGS_IPSEC_ALLOW_FIRST_INBOUND_PKT_UNENCRYPTED","features":[15]},{"name":"SOCKET_SETTINGS_IPSEC_OPTIONAL_PEER_NAME_VERIFICATION","features":[15]},{"name":"SOCKET_SETTINGS_IPSEC_PEER_NAME_IS_RAW_FORMAT","features":[15]},{"name":"SOCKET_SETTINGS_IPSEC_SKIP_FILTER_INSTANTIATION","features":[15]},{"name":"SOCKET_USAGE_TYPE","features":[15]},{"name":"SOCK_DGRAM","features":[15]},{"name":"SOCK_NOTIFY_EVENT_ERR","features":[15]},{"name":"SOCK_NOTIFY_EVENT_HANGUP","features":[15]},{"name":"SOCK_NOTIFY_EVENT_IN","features":[15]},{"name":"SOCK_NOTIFY_EVENT_OUT","features":[15]},{"name":"SOCK_NOTIFY_EVENT_REMOVE","features":[15]},{"name":"SOCK_NOTIFY_OP_DISABLE","features":[15]},{"name":"SOCK_NOTIFY_OP_ENABLE","features":[15]},{"name":"SOCK_NOTIFY_OP_NONE","features":[15]},{"name":"SOCK_NOTIFY_OP_REMOVE","features":[15]},{"name":"SOCK_NOTIFY_REGISTER_EVENT_HANGUP","features":[15]},{"name":"SOCK_NOTIFY_REGISTER_EVENT_IN","features":[15]},{"name":"SOCK_NOTIFY_REGISTER_EVENT_NONE","features":[15]},{"name":"SOCK_NOTIFY_REGISTER_EVENT_OUT","features":[15]},{"name":"SOCK_NOTIFY_REGISTRATION","features":[15]},{"name":"SOCK_NOTIFY_TRIGGER_EDGE","features":[15]},{"name":"SOCK_NOTIFY_TRIGGER_LEVEL","features":[15]},{"name":"SOCK_NOTIFY_TRIGGER_ONESHOT","features":[15]},{"name":"SOCK_NOTIFY_TRIGGER_PERSISTENT","features":[15]},{"name":"SOCK_RAW","features":[15]},{"name":"SOCK_RDM","features":[15]},{"name":"SOCK_SEQPACKET","features":[15]},{"name":"SOCK_STREAM","features":[15]},{"name":"SOL_IP","features":[15]},{"name":"SOL_IPV6","features":[15]},{"name":"SOL_IRLMP","features":[15]},{"name":"SOL_SOCKET","features":[15]},{"name":"SOMAXCONN","features":[15]},{"name":"SO_ACCEPTCONN","features":[15]},{"name":"SO_BROADCAST","features":[15]},{"name":"SO_BSP_STATE","features":[15]},{"name":"SO_COMPARTMENT_ID","features":[15]},{"name":"SO_CONDITIONAL_ACCEPT","features":[15]},{"name":"SO_CONNDATA","features":[15]},{"name":"SO_CONNDATALEN","features":[15]},{"name":"SO_CONNECT_TIME","features":[15]},{"name":"SO_CONNOPT","features":[15]},{"name":"SO_CONNOPTLEN","features":[15]},{"name":"SO_DEBUG","features":[15]},{"name":"SO_DISCDATA","features":[15]},{"name":"SO_DISCDATALEN","features":[15]},{"name":"SO_DISCOPT","features":[15]},{"name":"SO_DISCOPTLEN","features":[15]},{"name":"SO_DONTROUTE","features":[15]},{"name":"SO_ERROR","features":[15]},{"name":"SO_GROUP_ID","features":[15]},{"name":"SO_GROUP_PRIORITY","features":[15]},{"name":"SO_KEEPALIVE","features":[15]},{"name":"SO_LINGER","features":[15]},{"name":"SO_MAXDG","features":[15]},{"name":"SO_MAXPATHDG","features":[15]},{"name":"SO_MAX_MSG_SIZE","features":[15]},{"name":"SO_OOBINLINE","features":[15]},{"name":"SO_OPENTYPE","features":[15]},{"name":"SO_ORIGINAL_DST","features":[15]},{"name":"SO_PAUSE_ACCEPT","features":[15]},{"name":"SO_PORT_SCALABILITY","features":[15]},{"name":"SO_PROTOCOL_INFO","features":[15]},{"name":"SO_PROTOCOL_INFOA","features":[15]},{"name":"SO_PROTOCOL_INFOW","features":[15]},{"name":"SO_RANDOMIZE_PORT","features":[15]},{"name":"SO_RCVBUF","features":[15]},{"name":"SO_RCVLOWAT","features":[15]},{"name":"SO_RCVTIMEO","features":[15]},{"name":"SO_REUSEADDR","features":[15]},{"name":"SO_REUSE_MULTICASTPORT","features":[15]},{"name":"SO_REUSE_UNICASTPORT","features":[15]},{"name":"SO_SNDBUF","features":[15]},{"name":"SO_SNDLOWAT","features":[15]},{"name":"SO_SNDTIMEO","features":[15]},{"name":"SO_SYNCHRONOUS_ALERT","features":[15]},{"name":"SO_SYNCHRONOUS_NONALERT","features":[15]},{"name":"SO_TIMESTAMP","features":[15]},{"name":"SO_TIMESTAMP_ID","features":[15]},{"name":"SO_TYPE","features":[15]},{"name":"SO_UPDATE_ACCEPT_CONTEXT","features":[15]},{"name":"SO_UPDATE_CONNECT_CONTEXT","features":[15]},{"name":"SO_USELOOPBACK","features":[15]},{"name":"SYSTEM_CRITICAL_SOCKET","features":[15]},{"name":"ScopeLevelAdmin","features":[15]},{"name":"ScopeLevelCount","features":[15]},{"name":"ScopeLevelGlobal","features":[15]},{"name":"ScopeLevelInterface","features":[15]},{"name":"ScopeLevelLink","features":[15]},{"name":"ScopeLevelOrganization","features":[15]},{"name":"ScopeLevelSite","features":[15]},{"name":"ScopeLevelSubnet","features":[15]},{"name":"SetAddrInfoExA","features":[1,15,41,6]},{"name":"SetAddrInfoExW","features":[1,15,41,6]},{"name":"SetServiceA","features":[1,15,41]},{"name":"SetServiceW","features":[1,15,41]},{"name":"SetSocketMediaStreamingMode","features":[1,15]},{"name":"SocketMaximumPriorityHintType","features":[15]},{"name":"SocketPriorityHintLow","features":[15]},{"name":"SocketPriorityHintNormal","features":[15]},{"name":"SocketPriorityHintVeryLow","features":[15]},{"name":"TCPSTATE","features":[15]},{"name":"TCPSTATE_CLOSED","features":[15]},{"name":"TCPSTATE_CLOSE_WAIT","features":[15]},{"name":"TCPSTATE_CLOSING","features":[15]},{"name":"TCPSTATE_ESTABLISHED","features":[15]},{"name":"TCPSTATE_FIN_WAIT_1","features":[15]},{"name":"TCPSTATE_FIN_WAIT_2","features":[15]},{"name":"TCPSTATE_LAST_ACK","features":[15]},{"name":"TCPSTATE_LISTEN","features":[15]},{"name":"TCPSTATE_MAX","features":[15]},{"name":"TCPSTATE_SYN_RCVD","features":[15]},{"name":"TCPSTATE_SYN_SENT","features":[15]},{"name":"TCPSTATE_TIME_WAIT","features":[15]},{"name":"TCP_ACK_FREQUENCY_PARAMETERS","features":[15]},{"name":"TCP_ATMARK","features":[15]},{"name":"TCP_BSDURGENT","features":[15]},{"name":"TCP_CONGESTION_ALGORITHM","features":[15]},{"name":"TCP_DELAY_FIN_ACK","features":[15]},{"name":"TCP_EXPEDITED_1122","features":[15]},{"name":"TCP_FAIL_CONNECT_ON_ICMP_ERROR","features":[15]},{"name":"TCP_FASTOPEN","features":[15]},{"name":"TCP_HDR","features":[15]},{"name":"TCP_ICMP_ERROR_INFO","features":[15]},{"name":"TCP_ICW_LEVEL","features":[15]},{"name":"TCP_ICW_LEVEL_AGGRESSIVE","features":[15]},{"name":"TCP_ICW_LEVEL_COMPAT","features":[15]},{"name":"TCP_ICW_LEVEL_DEFAULT","features":[15]},{"name":"TCP_ICW_LEVEL_EXPERIMENTAL","features":[15]},{"name":"TCP_ICW_LEVEL_HIGH","features":[15]},{"name":"TCP_ICW_LEVEL_MAX","features":[15]},{"name":"TCP_ICW_LEVEL_VERY_HIGH","features":[15]},{"name":"TCP_ICW_PARAMETERS","features":[15]},{"name":"TCP_INFO_v0","features":[1,15]},{"name":"TCP_INFO_v1","features":[1,15]},{"name":"TCP_INITIAL_RTO_DEFAULT_MAX_SYN_RETRANSMISSIONS","features":[15]},{"name":"TCP_INITIAL_RTO_DEFAULT_RTT","features":[15]},{"name":"TCP_INITIAL_RTO_NO_SYN_RETRANSMISSIONS","features":[15]},{"name":"TCP_INITIAL_RTO_PARAMETERS","features":[15]},{"name":"TCP_INITIAL_RTO_UNSPECIFIED_MAX_SYN_RETRANSMISSIONS","features":[15]},{"name":"TCP_KEEPALIVE","features":[15]},{"name":"TCP_KEEPCNT","features":[15]},{"name":"TCP_KEEPIDLE","features":[15]},{"name":"TCP_KEEPINTVL","features":[15]},{"name":"TCP_MAXRT","features":[15]},{"name":"TCP_MAXRTMS","features":[15]},{"name":"TCP_MAXSEG","features":[15]},{"name":"TCP_NODELAY","features":[15]},{"name":"TCP_NOSYNRETRIES","features":[15]},{"name":"TCP_NOURG","features":[15]},{"name":"TCP_OFFLOAD_NOT_PREFERRED","features":[15]},{"name":"TCP_OFFLOAD_NO_PREFERENCE","features":[15]},{"name":"TCP_OFFLOAD_PREFERENCE","features":[15]},{"name":"TCP_OFFLOAD_PREFERRED","features":[15]},{"name":"TCP_OPT_FASTOPEN","features":[15]},{"name":"TCP_OPT_MSS","features":[15]},{"name":"TCP_OPT_SACK","features":[15]},{"name":"TCP_OPT_SACK_PERMITTED","features":[15]},{"name":"TCP_OPT_TS","features":[15]},{"name":"TCP_OPT_UNKNOWN","features":[15]},{"name":"TCP_OPT_WS","features":[15]},{"name":"TCP_STDURG","features":[15]},{"name":"TCP_TIMESTAMPS","features":[15]},{"name":"TF_DISCONNECT","features":[15]},{"name":"TF_REUSE_SOCKET","features":[15]},{"name":"TF_USE_DEFAULT_WORKER","features":[15]},{"name":"TF_USE_KERNEL_APC","features":[15]},{"name":"TF_USE_SYSTEM_THREAD","features":[15]},{"name":"TF_WRITE_BEHIND","features":[15]},{"name":"TH_ACK","features":[15]},{"name":"TH_CWR","features":[15]},{"name":"TH_ECE","features":[15]},{"name":"TH_FIN","features":[15]},{"name":"TH_NETDEV","features":[15]},{"name":"TH_OPT_EOL","features":[15]},{"name":"TH_OPT_FASTOPEN","features":[15]},{"name":"TH_OPT_MSS","features":[15]},{"name":"TH_OPT_NOP","features":[15]},{"name":"TH_OPT_SACK","features":[15]},{"name":"TH_OPT_SACK_PERMITTED","features":[15]},{"name":"TH_OPT_TS","features":[15]},{"name":"TH_OPT_WS","features":[15]},{"name":"TH_PSH","features":[15]},{"name":"TH_RST","features":[15]},{"name":"TH_SYN","features":[15]},{"name":"TH_TAPI","features":[15]},{"name":"TH_URG","features":[15]},{"name":"TIMESTAMPING_CONFIG","features":[15]},{"name":"TIMESTAMPING_FLAG_RX","features":[15]},{"name":"TIMESTAMPING_FLAG_TX","features":[15]},{"name":"TIMEVAL","features":[15]},{"name":"TNS_PLAN_CARRIER_ID_CODE","features":[15]},{"name":"TNS_TYPE_NATIONAL","features":[15]},{"name":"TP_DISCONNECT","features":[15]},{"name":"TP_ELEMENT_EOP","features":[15]},{"name":"TP_ELEMENT_FILE","features":[15]},{"name":"TP_ELEMENT_MEMORY","features":[15]},{"name":"TP_REUSE_SOCKET","features":[15]},{"name":"TP_USE_DEFAULT_WORKER","features":[15]},{"name":"TP_USE_KERNEL_APC","features":[15]},{"name":"TP_USE_SYSTEM_THREAD","features":[15]},{"name":"TRANSMIT_FILE_BUFFERS","features":[15]},{"name":"TRANSMIT_PACKETS_ELEMENT","features":[1,15]},{"name":"TRANSPORT_SETTING_ID","features":[15]},{"name":"TR_END_TO_END","features":[15]},{"name":"TR_NOIND","features":[15]},{"name":"TR_NO_END_TO_END","features":[15]},{"name":"TT_CBR","features":[15]},{"name":"TT_NOIND","features":[15]},{"name":"TT_VBR","features":[15]},{"name":"TUNNEL_SUB_TYPE","features":[15]},{"name":"TUNNEL_SUB_TYPE_CP","features":[15]},{"name":"TUNNEL_SUB_TYPE_HA","features":[15]},{"name":"TUNNEL_SUB_TYPE_IPTLS","features":[15]},{"name":"TUNNEL_SUB_TYPE_NONE","features":[15]},{"name":"TransmitFile","features":[1,15,6]},{"name":"UDP_CHECKSUM_COVERAGE","features":[15]},{"name":"UDP_COALESCED_INFO","features":[15]},{"name":"UDP_NOCHECKSUM","features":[15]},{"name":"UDP_RECV_MAX_COALESCED_SIZE","features":[15]},{"name":"UDP_SEND_MSG_SIZE","features":[15]},{"name":"UNIX_PATH_MAX","features":[15]},{"name":"UP_P2MP","features":[15]},{"name":"UP_P2P","features":[15]},{"name":"VLAN_TAG","features":[15]},{"name":"VNSPROTO_IPC","features":[15]},{"name":"VNSPROTO_RELIABLE_IPC","features":[15]},{"name":"VNSPROTO_SPP","features":[15]},{"name":"WCE_AF_IRDA","features":[15]},{"name":"WCE_DEVICELIST","features":[15]},{"name":"WCE_IRDA_DEVICE_INFO","features":[15]},{"name":"WCE_PF_IRDA","features":[15]},{"name":"WINDOWS_AF_IRDA","features":[15]},{"name":"WINDOWS_DEVICELIST","features":[15]},{"name":"WINDOWS_IAS_QUERY","features":[15]},{"name":"WINDOWS_IAS_SET","features":[15]},{"name":"WINDOWS_IRDA_DEVICE_INFO","features":[15]},{"name":"WINDOWS_PF_IRDA","features":[15]},{"name":"WINSOCK_SHUTDOWN_HOW","features":[15]},{"name":"WINSOCK_SOCKET_TYPE","features":[15]},{"name":"WPUCompleteOverlappedRequest","features":[1,15,6]},{"name":"WSAAccept","features":[15]},{"name":"WSAAddressToStringA","features":[15]},{"name":"WSAAddressToStringW","features":[15]},{"name":"WSAAdvertiseProvider","features":[1,15,41]},{"name":"WSAAsyncGetHostByAddr","features":[1,15]},{"name":"WSAAsyncGetHostByName","features":[1,15]},{"name":"WSAAsyncGetProtoByName","features":[1,15]},{"name":"WSAAsyncGetProtoByNumber","features":[1,15]},{"name":"WSAAsyncGetServByName","features":[1,15]},{"name":"WSAAsyncGetServByPort","features":[1,15]},{"name":"WSAAsyncSelect","features":[1,15]},{"name":"WSABASEERR","features":[15]},{"name":"WSABUF","features":[15]},{"name":"WSACOMPLETION","features":[1,15,6]},{"name":"WSACOMPLETIONTYPE","features":[15]},{"name":"WSACancelAsyncRequest","features":[1,15]},{"name":"WSACancelBlockingCall","features":[15]},{"name":"WSACleanup","features":[15]},{"name":"WSACloseEvent","features":[1,15]},{"name":"WSAConnect","features":[15]},{"name":"WSAConnectByList","features":[1,15,6]},{"name":"WSAConnectByNameA","features":[1,15,6]},{"name":"WSAConnectByNameW","features":[1,15,6]},{"name":"WSACreateEvent","features":[1,15]},{"name":"WSADATA","features":[15]},{"name":"WSADATA","features":[15]},{"name":"WSADESCRIPTION_LEN","features":[15]},{"name":"WSADeleteSocketPeerTargetName","features":[1,15,6]},{"name":"WSADuplicateSocketA","features":[15]},{"name":"WSADuplicateSocketW","features":[15]},{"name":"WSAEACCES","features":[15]},{"name":"WSAEADDRINUSE","features":[15]},{"name":"WSAEADDRNOTAVAIL","features":[15]},{"name":"WSAEAFNOSUPPORT","features":[15]},{"name":"WSAEALREADY","features":[15]},{"name":"WSAEBADF","features":[15]},{"name":"WSAECANCELLED","features":[15]},{"name":"WSAECOMPARATOR","features":[15]},{"name":"WSAECONNABORTED","features":[15]},{"name":"WSAECONNREFUSED","features":[15]},{"name":"WSAECONNRESET","features":[15]},{"name":"WSAEDESTADDRREQ","features":[15]},{"name":"WSAEDISCON","features":[15]},{"name":"WSAEDQUOT","features":[15]},{"name":"WSAEFAULT","features":[15]},{"name":"WSAEHOSTDOWN","features":[15]},{"name":"WSAEHOSTUNREACH","features":[15]},{"name":"WSAEINPROGRESS","features":[15]},{"name":"WSAEINTR","features":[15]},{"name":"WSAEINVAL","features":[15]},{"name":"WSAEINVALIDPROCTABLE","features":[15]},{"name":"WSAEINVALIDPROVIDER","features":[15]},{"name":"WSAEISCONN","features":[15]},{"name":"WSAELOOP","features":[15]},{"name":"WSAEMFILE","features":[15]},{"name":"WSAEMSGSIZE","features":[15]},{"name":"WSAENAMETOOLONG","features":[15]},{"name":"WSAENETDOWN","features":[15]},{"name":"WSAENETRESET","features":[15]},{"name":"WSAENETUNREACH","features":[15]},{"name":"WSAENOBUFS","features":[15]},{"name":"WSAENOMORE","features":[15]},{"name":"WSAENOPROTOOPT","features":[15]},{"name":"WSAENOTCONN","features":[15]},{"name":"WSAENOTEMPTY","features":[15]},{"name":"WSAENOTSOCK","features":[15]},{"name":"WSAEOPNOTSUPP","features":[15]},{"name":"WSAEPFNOSUPPORT","features":[15]},{"name":"WSAEPROCLIM","features":[15]},{"name":"WSAEPROTONOSUPPORT","features":[15]},{"name":"WSAEPROTOTYPE","features":[15]},{"name":"WSAEPROVIDERFAILEDINIT","features":[15]},{"name":"WSAEREFUSED","features":[15]},{"name":"WSAEREMOTE","features":[15]},{"name":"WSAESETSERVICEOP","features":[15]},{"name":"WSAESHUTDOWN","features":[15]},{"name":"WSAESOCKTNOSUPPORT","features":[15]},{"name":"WSAESTALE","features":[15]},{"name":"WSAETIMEDOUT","features":[15]},{"name":"WSAETOOMANYREFS","features":[15]},{"name":"WSAEUSERS","features":[15]},{"name":"WSAEVENT","features":[15]},{"name":"WSAEWOULDBLOCK","features":[15]},{"name":"WSAEnumNameSpaceProvidersA","features":[1,15]},{"name":"WSAEnumNameSpaceProvidersExA","features":[1,15,41]},{"name":"WSAEnumNameSpaceProvidersExW","features":[1,15,41]},{"name":"WSAEnumNameSpaceProvidersW","features":[1,15]},{"name":"WSAEnumNetworkEvents","features":[1,15]},{"name":"WSAEnumProtocolsA","features":[15]},{"name":"WSAEnumProtocolsW","features":[15]},{"name":"WSAEventSelect","features":[1,15]},{"name":"WSAGetLastError","features":[15]},{"name":"WSAGetOverlappedResult","features":[1,15,6]},{"name":"WSAGetQOSByName","features":[1,15]},{"name":"WSAGetServiceClassInfoA","features":[15]},{"name":"WSAGetServiceClassInfoW","features":[15]},{"name":"WSAGetServiceClassNameByClassIdA","features":[15]},{"name":"WSAGetServiceClassNameByClassIdW","features":[15]},{"name":"WSAHOST_NOT_FOUND","features":[15]},{"name":"WSAHtonl","features":[15]},{"name":"WSAHtons","features":[15]},{"name":"WSAID_ACCEPTEX","features":[15]},{"name":"WSAID_CONNECTEX","features":[15]},{"name":"WSAID_DISCONNECTEX","features":[15]},{"name":"WSAID_GETACCEPTEXSOCKADDRS","features":[15]},{"name":"WSAID_MULTIPLE_RIO","features":[15]},{"name":"WSAID_TRANSMITFILE","features":[15]},{"name":"WSAID_TRANSMITPACKETS","features":[15]},{"name":"WSAID_WSAPOLL","features":[15]},{"name":"WSAID_WSARECVMSG","features":[15]},{"name":"WSAID_WSASENDMSG","features":[15]},{"name":"WSAImpersonateSocketPeer","features":[15]},{"name":"WSAInstallServiceClassA","features":[15]},{"name":"WSAInstallServiceClassW","features":[15]},{"name":"WSAIoctl","features":[1,15,6]},{"name":"WSAIsBlocking","features":[1,15]},{"name":"WSAJoinLeaf","features":[15]},{"name":"WSALookupServiceBeginA","features":[1,15,41]},{"name":"WSALookupServiceBeginW","features":[1,15,41]},{"name":"WSALookupServiceEnd","features":[1,15]},{"name":"WSALookupServiceNextA","features":[1,15,41]},{"name":"WSALookupServiceNextW","features":[1,15,41]},{"name":"WSAMSG","features":[15]},{"name":"WSANAMESPACE_INFOA","features":[1,15]},{"name":"WSANAMESPACE_INFOEXA","features":[1,15,41]},{"name":"WSANAMESPACE_INFOEXW","features":[1,15,41]},{"name":"WSANAMESPACE_INFOW","features":[1,15]},{"name":"WSANETWORKEVENTS","features":[15]},{"name":"WSANOTINITIALISED","features":[15]},{"name":"WSANO_DATA","features":[15]},{"name":"WSANO_RECOVERY","features":[15]},{"name":"WSANSCLASSINFOA","features":[15]},{"name":"WSANSCLASSINFOW","features":[15]},{"name":"WSANSPIoctl","features":[1,15,6]},{"name":"WSANtohl","features":[15]},{"name":"WSANtohs","features":[15]},{"name":"WSAPOLLDATA","features":[15]},{"name":"WSAPOLLFD","features":[15]},{"name":"WSAPOLL_EVENT_FLAGS","features":[15]},{"name":"WSAPROTOCOLCHAIN","features":[15]},{"name":"WSAPROTOCOL_INFOA","features":[15]},{"name":"WSAPROTOCOL_INFOW","features":[15]},{"name":"WSAPROTOCOL_LEN","features":[15]},{"name":"WSAPoll","features":[15]},{"name":"WSAProviderCompleteAsyncCall","features":[1,15]},{"name":"WSAProviderConfigChange","features":[1,15,6]},{"name":"WSAQUERYSET2A","features":[15,41]},{"name":"WSAQUERYSET2W","features":[15,41]},{"name":"WSAQUERYSETA","features":[15,41]},{"name":"WSAQUERYSETW","features":[15,41]},{"name":"WSAQuerySocketSecurity","features":[1,15,6]},{"name":"WSARecv","features":[1,15,6]},{"name":"WSARecvDisconnect","features":[15]},{"name":"WSARecvEx","features":[15]},{"name":"WSARecvFrom","features":[1,15,6]},{"name":"WSARemoveServiceClass","features":[15]},{"name":"WSAResetEvent","features":[1,15]},{"name":"WSARevertImpersonation","features":[15]},{"name":"WSASENDMSG","features":[1,15,6]},{"name":"WSASERVICECLASSINFOA","features":[15]},{"name":"WSASERVICECLASSINFOW","features":[15]},{"name":"WSASERVICE_NOT_FOUND","features":[15]},{"name":"WSASYSCALLFAILURE","features":[15]},{"name":"WSASYSNOTREADY","features":[15]},{"name":"WSASYS_STATUS_LEN","features":[15]},{"name":"WSASend","features":[1,15,6]},{"name":"WSASendDisconnect","features":[15]},{"name":"WSASendMsg","features":[1,15,6]},{"name":"WSASendTo","features":[1,15,6]},{"name":"WSASetBlockingHook","features":[1,15]},{"name":"WSASetEvent","features":[1,15]},{"name":"WSASetLastError","features":[15]},{"name":"WSASetServiceA","features":[15,41]},{"name":"WSASetServiceW","features":[15,41]},{"name":"WSASetSocketPeerTargetName","features":[1,15,6]},{"name":"WSASetSocketSecurity","features":[1,15,6]},{"name":"WSASocketA","features":[15]},{"name":"WSASocketW","features":[15]},{"name":"WSAStartup","features":[15]},{"name":"WSAStringToAddressA","features":[15]},{"name":"WSAStringToAddressW","features":[15]},{"name":"WSATHREADID","features":[1,15]},{"name":"WSATRY_AGAIN","features":[15]},{"name":"WSATYPE_NOT_FOUND","features":[15]},{"name":"WSAUnadvertiseProvider","features":[15]},{"name":"WSAUnhookBlockingHook","features":[15]},{"name":"WSAVERNOTSUPPORTED","features":[15]},{"name":"WSAVERSION","features":[15]},{"name":"WSAWaitForMultipleEvents","features":[1,15]},{"name":"WSA_COMPATIBILITY_BEHAVIOR_ID","features":[15]},{"name":"WSA_COMPATIBILITY_MODE","features":[15]},{"name":"WSA_ERROR","features":[15]},{"name":"WSA_E_CANCELLED","features":[15]},{"name":"WSA_E_NO_MORE","features":[15]},{"name":"WSA_FLAG_ACCESS_SYSTEM_SECURITY","features":[15]},{"name":"WSA_FLAG_MULTIPOINT_C_LEAF","features":[15]},{"name":"WSA_FLAG_MULTIPOINT_C_ROOT","features":[15]},{"name":"WSA_FLAG_MULTIPOINT_D_LEAF","features":[15]},{"name":"WSA_FLAG_MULTIPOINT_D_ROOT","features":[15]},{"name":"WSA_FLAG_NO_HANDLE_INHERIT","features":[15]},{"name":"WSA_FLAG_OVERLAPPED","features":[15]},{"name":"WSA_FLAG_REGISTERED_IO","features":[15]},{"name":"WSA_INFINITE","features":[15]},{"name":"WSA_INVALID_HANDLE","features":[15]},{"name":"WSA_INVALID_PARAMETER","features":[15]},{"name":"WSA_IO_INCOMPLETE","features":[15]},{"name":"WSA_IO_PENDING","features":[15]},{"name":"WSA_IPSEC_NAME_POLICY_ERROR","features":[15]},{"name":"WSA_MAXIMUM_WAIT_EVENTS","features":[15]},{"name":"WSA_NOT_ENOUGH_MEMORY","features":[15]},{"name":"WSA_OPERATION_ABORTED","features":[15]},{"name":"WSA_QOS_ADMISSION_FAILURE","features":[15]},{"name":"WSA_QOS_BAD_OBJECT","features":[15]},{"name":"WSA_QOS_BAD_STYLE","features":[15]},{"name":"WSA_QOS_EFILTERCOUNT","features":[15]},{"name":"WSA_QOS_EFILTERSTYLE","features":[15]},{"name":"WSA_QOS_EFILTERTYPE","features":[15]},{"name":"WSA_QOS_EFLOWCOUNT","features":[15]},{"name":"WSA_QOS_EFLOWDESC","features":[15]},{"name":"WSA_QOS_EFLOWSPEC","features":[15]},{"name":"WSA_QOS_EOBJLENGTH","features":[15]},{"name":"WSA_QOS_EPOLICYOBJ","features":[15]},{"name":"WSA_QOS_EPROVSPECBUF","features":[15]},{"name":"WSA_QOS_EPSFILTERSPEC","features":[15]},{"name":"WSA_QOS_EPSFLOWSPEC","features":[15]},{"name":"WSA_QOS_ESDMODEOBJ","features":[15]},{"name":"WSA_QOS_ESERVICETYPE","features":[15]},{"name":"WSA_QOS_ESHAPERATEOBJ","features":[15]},{"name":"WSA_QOS_EUNKOWNPSOBJ","features":[15]},{"name":"WSA_QOS_GENERIC_ERROR","features":[15]},{"name":"WSA_QOS_NO_RECEIVERS","features":[15]},{"name":"WSA_QOS_NO_SENDERS","features":[15]},{"name":"WSA_QOS_POLICY_FAILURE","features":[15]},{"name":"WSA_QOS_RECEIVERS","features":[15]},{"name":"WSA_QOS_REQUEST_CONFIRMED","features":[15]},{"name":"WSA_QOS_RESERVED_PETYPE","features":[15]},{"name":"WSA_QOS_SENDERS","features":[15]},{"name":"WSA_QOS_TRAFFIC_CTRL_ERROR","features":[15]},{"name":"WSA_SECURE_HOST_NOT_FOUND","features":[15]},{"name":"WSA_WAIT_EVENT_0","features":[15]},{"name":"WSA_WAIT_FAILED","features":[15]},{"name":"WSA_WAIT_IO_COMPLETION","features":[15]},{"name":"WSA_WAIT_TIMEOUT","features":[15]},{"name":"WSCDeinstallProvider","features":[15]},{"name":"WSCDeinstallProvider32","features":[15]},{"name":"WSCEnableNSProvider","features":[1,15]},{"name":"WSCEnableNSProvider32","features":[1,15]},{"name":"WSCEnumNameSpaceProviders32","features":[1,15]},{"name":"WSCEnumNameSpaceProvidersEx32","features":[1,15,41]},{"name":"WSCEnumProtocols","features":[15]},{"name":"WSCEnumProtocols32","features":[15]},{"name":"WSCGetApplicationCategory","features":[15]},{"name":"WSCGetProviderInfo","features":[15]},{"name":"WSCGetProviderInfo32","features":[15]},{"name":"WSCGetProviderPath","features":[15]},{"name":"WSCGetProviderPath32","features":[15]},{"name":"WSCInstallNameSpace","features":[15]},{"name":"WSCInstallNameSpace32","features":[15]},{"name":"WSCInstallNameSpaceEx","features":[15,41]},{"name":"WSCInstallNameSpaceEx32","features":[15,41]},{"name":"WSCInstallProvider","features":[15]},{"name":"WSCInstallProvider64_32","features":[15]},{"name":"WSCInstallProviderAndChains64_32","features":[15]},{"name":"WSCSetApplicationCategory","features":[15]},{"name":"WSCSetProviderInfo","features":[15]},{"name":"WSCSetProviderInfo32","features":[15]},{"name":"WSCUnInstallNameSpace","features":[15]},{"name":"WSCUnInstallNameSpace32","features":[15]},{"name":"WSCUpdateProvider","features":[15]},{"name":"WSCUpdateProvider32","features":[15]},{"name":"WSCWriteNameSpaceOrder","features":[15]},{"name":"WSCWriteNameSpaceOrder32","features":[15]},{"name":"WSCWriteProviderOrder","features":[15]},{"name":"WSCWriteProviderOrder32","features":[15]},{"name":"WSC_PROVIDER_AUDIT_INFO","features":[15]},{"name":"WSC_PROVIDER_INFO_TYPE","features":[15]},{"name":"WSK_SO_BASE","features":[15]},{"name":"WSPDATA","features":[15]},{"name":"WSPDESCRIPTION_LEN","features":[15]},{"name":"WSPPROC_TABLE","features":[1,15,6]},{"name":"WSPUPCALLTABLE","features":[1,15]},{"name":"WSS_OPERATION_IN_PROGRESS","features":[15]},{"name":"WsaBehaviorAll","features":[15]},{"name":"WsaBehaviorAutoTuning","features":[15]},{"name":"WsaBehaviorReceiveBuffering","features":[15]},{"name":"XP1_CONNECTIONLESS","features":[15]},{"name":"XP1_CONNECT_DATA","features":[15]},{"name":"XP1_DISCONNECT_DATA","features":[15]},{"name":"XP1_EXPEDITED_DATA","features":[15]},{"name":"XP1_GRACEFUL_CLOSE","features":[15]},{"name":"XP1_GUARANTEED_DELIVERY","features":[15]},{"name":"XP1_GUARANTEED_ORDER","features":[15]},{"name":"XP1_IFS_HANDLES","features":[15]},{"name":"XP1_INTERRUPT","features":[15]},{"name":"XP1_MESSAGE_ORIENTED","features":[15]},{"name":"XP1_MULTIPOINT_CONTROL_PLANE","features":[15]},{"name":"XP1_MULTIPOINT_DATA_PLANE","features":[15]},{"name":"XP1_PARTIAL_MESSAGE","features":[15]},{"name":"XP1_PSEUDO_STREAM","features":[15]},{"name":"XP1_QOS_SUPPORTED","features":[15]},{"name":"XP1_SAN_SUPPORT_SDP","features":[15]},{"name":"XP1_SUPPORT_BROADCAST","features":[15]},{"name":"XP1_SUPPORT_MULTIPOINT","features":[15]},{"name":"XP1_UNI_RECV","features":[15]},{"name":"XP1_UNI_SEND","features":[15]},{"name":"XP_BANDWIDTH_ALLOCATION","features":[15]},{"name":"XP_CONNECTIONLESS","features":[15]},{"name":"XP_CONNECT_DATA","features":[15]},{"name":"XP_DISCONNECT_DATA","features":[15]},{"name":"XP_ENCRYPTS","features":[15]},{"name":"XP_EXPEDITED_DATA","features":[15]},{"name":"XP_FRAGMENTATION","features":[15]},{"name":"XP_GRACEFUL_CLOSE","features":[15]},{"name":"XP_GUARANTEED_DELIVERY","features":[15]},{"name":"XP_GUARANTEED_ORDER","features":[15]},{"name":"XP_MESSAGE_ORIENTED","features":[15]},{"name":"XP_PSEUDO_STREAM","features":[15]},{"name":"XP_SUPPORTS_BROADCAST","features":[15]},{"name":"XP_SUPPORTS_MULTICAST","features":[15]},{"name":"_BIG_ENDIAN","features":[15]},{"name":"_LITTLE_ENDIAN","features":[15]},{"name":"_PDP_ENDIAN","features":[15]},{"name":"_SS_MAXSIZE","features":[15]},{"name":"__WSAFDIsSet","features":[15]},{"name":"accept","features":[15]},{"name":"bind","features":[15]},{"name":"closesocket","features":[15]},{"name":"connect","features":[15]},{"name":"eWINDOW_ADVANCE_METHOD","features":[15]},{"name":"freeaddrinfo","features":[15]},{"name":"getaddrinfo","features":[15]},{"name":"gethostbyaddr","features":[15]},{"name":"gethostbyname","features":[15]},{"name":"gethostname","features":[15]},{"name":"getnameinfo","features":[15]},{"name":"getpeername","features":[15]},{"name":"getprotobyname","features":[15]},{"name":"getprotobynumber","features":[15]},{"name":"getservbyname","features":[15]},{"name":"getservbyport","features":[15]},{"name":"getsockname","features":[15]},{"name":"getsockopt","features":[15]},{"name":"htonl","features":[15]},{"name":"htons","features":[15]},{"name":"inet_addr","features":[15]},{"name":"inet_ntoa","features":[15]},{"name":"inet_ntop","features":[15]},{"name":"inet_pton","features":[15]},{"name":"ioctlsocket","features":[15]},{"name":"listen","features":[15]},{"name":"netent","features":[15]},{"name":"ntohl","features":[15]},{"name":"ntohs","features":[15]},{"name":"recv","features":[15]},{"name":"recvfrom","features":[15]},{"name":"select","features":[15]},{"name":"send","features":[15]},{"name":"sendto","features":[15]},{"name":"setsockopt","features":[15]},{"name":"shutdown","features":[15]},{"name":"sockaddr_gen","features":[15]},{"name":"sockaddr_in6_old","features":[15]},{"name":"socket","features":[15]},{"name":"socklen_t","features":[15]},{"name":"sockproto","features":[15]},{"name":"tcp_keepalive","features":[15]}],"478":[{"name":"CTAPCBOR_HYBRID_STORAGE_LINKED_DATA","features":[116]},{"name":"CTAPCBOR_HYBRID_STORAGE_LINKED_DATA_CURRENT_VERSION","features":[116]},{"name":"CTAPCBOR_HYBRID_STORAGE_LINKED_DATA_VERSION_1","features":[116]},{"name":"IContentPrefetcherTaskTrigger","features":[116]},{"name":"WEBAUTHN_API_CURRENT_VERSION","features":[116]},{"name":"WEBAUTHN_API_VERSION_1","features":[116]},{"name":"WEBAUTHN_API_VERSION_2","features":[116]},{"name":"WEBAUTHN_API_VERSION_3","features":[116]},{"name":"WEBAUTHN_API_VERSION_4","features":[116]},{"name":"WEBAUTHN_API_VERSION_5","features":[116]},{"name":"WEBAUTHN_API_VERSION_6","features":[116]},{"name":"WEBAUTHN_API_VERSION_7","features":[116]},{"name":"WEBAUTHN_ASSERTION","features":[116]},{"name":"WEBAUTHN_ASSERTION_CURRENT_VERSION","features":[116]},{"name":"WEBAUTHN_ASSERTION_VERSION_1","features":[116]},{"name":"WEBAUTHN_ASSERTION_VERSION_2","features":[116]},{"name":"WEBAUTHN_ASSERTION_VERSION_3","features":[116]},{"name":"WEBAUTHN_ASSERTION_VERSION_4","features":[116]},{"name":"WEBAUTHN_ASSERTION_VERSION_5","features":[116]},{"name":"WEBAUTHN_ATTESTATION_CONVEYANCE_PREFERENCE_ANY","features":[116]},{"name":"WEBAUTHN_ATTESTATION_CONVEYANCE_PREFERENCE_DIRECT","features":[116]},{"name":"WEBAUTHN_ATTESTATION_CONVEYANCE_PREFERENCE_INDIRECT","features":[116]},{"name":"WEBAUTHN_ATTESTATION_CONVEYANCE_PREFERENCE_NONE","features":[116]},{"name":"WEBAUTHN_ATTESTATION_DECODE_COMMON","features":[116]},{"name":"WEBAUTHN_ATTESTATION_DECODE_NONE","features":[116]},{"name":"WEBAUTHN_ATTESTATION_TYPE_NONE","features":[116]},{"name":"WEBAUTHN_ATTESTATION_TYPE_PACKED","features":[116]},{"name":"WEBAUTHN_ATTESTATION_TYPE_TPM","features":[116]},{"name":"WEBAUTHN_ATTESTATION_TYPE_U2F","features":[116]},{"name":"WEBAUTHN_ATTESTATION_VER_TPM_2_0","features":[116]},{"name":"WEBAUTHN_AUTHENTICATOR_ATTACHMENT_ANY","features":[116]},{"name":"WEBAUTHN_AUTHENTICATOR_ATTACHMENT_CROSS_PLATFORM","features":[116]},{"name":"WEBAUTHN_AUTHENTICATOR_ATTACHMENT_CROSS_PLATFORM_U2F_V2","features":[116]},{"name":"WEBAUTHN_AUTHENTICATOR_ATTACHMENT_PLATFORM","features":[116]},{"name":"WEBAUTHN_AUTHENTICATOR_GET_ASSERTION_OPTIONS","features":[1,116]},{"name":"WEBAUTHN_AUTHENTICATOR_GET_ASSERTION_OPTIONS_CURRENT_VERSION","features":[116]},{"name":"WEBAUTHN_AUTHENTICATOR_GET_ASSERTION_OPTIONS_VERSION_1","features":[116]},{"name":"WEBAUTHN_AUTHENTICATOR_GET_ASSERTION_OPTIONS_VERSION_2","features":[116]},{"name":"WEBAUTHN_AUTHENTICATOR_GET_ASSERTION_OPTIONS_VERSION_3","features":[116]},{"name":"WEBAUTHN_AUTHENTICATOR_GET_ASSERTION_OPTIONS_VERSION_4","features":[116]},{"name":"WEBAUTHN_AUTHENTICATOR_GET_ASSERTION_OPTIONS_VERSION_5","features":[116]},{"name":"WEBAUTHN_AUTHENTICATOR_GET_ASSERTION_OPTIONS_VERSION_6","features":[116]},{"name":"WEBAUTHN_AUTHENTICATOR_GET_ASSERTION_OPTIONS_VERSION_7","features":[116]},{"name":"WEBAUTHN_AUTHENTICATOR_HMAC_SECRET_VALUES_FLAG","features":[116]},{"name":"WEBAUTHN_AUTHENTICATOR_MAKE_CREDENTIAL_OPTIONS","features":[1,116]},{"name":"WEBAUTHN_AUTHENTICATOR_MAKE_CREDENTIAL_OPTIONS_CURRENT_VERSION","features":[116]},{"name":"WEBAUTHN_AUTHENTICATOR_MAKE_CREDENTIAL_OPTIONS_VERSION_1","features":[116]},{"name":"WEBAUTHN_AUTHENTICATOR_MAKE_CREDENTIAL_OPTIONS_VERSION_2","features":[116]},{"name":"WEBAUTHN_AUTHENTICATOR_MAKE_CREDENTIAL_OPTIONS_VERSION_3","features":[116]},{"name":"WEBAUTHN_AUTHENTICATOR_MAKE_CREDENTIAL_OPTIONS_VERSION_4","features":[116]},{"name":"WEBAUTHN_AUTHENTICATOR_MAKE_CREDENTIAL_OPTIONS_VERSION_5","features":[116]},{"name":"WEBAUTHN_AUTHENTICATOR_MAKE_CREDENTIAL_OPTIONS_VERSION_6","features":[116]},{"name":"WEBAUTHN_AUTHENTICATOR_MAKE_CREDENTIAL_OPTIONS_VERSION_7","features":[116]},{"name":"WEBAUTHN_CLIENT_DATA","features":[116]},{"name":"WEBAUTHN_CLIENT_DATA_CURRENT_VERSION","features":[116]},{"name":"WEBAUTHN_COMMON_ATTESTATION","features":[116]},{"name":"WEBAUTHN_COMMON_ATTESTATION_CURRENT_VERSION","features":[116]},{"name":"WEBAUTHN_COSE_ALGORITHM_ECDSA_P256_WITH_SHA256","features":[116]},{"name":"WEBAUTHN_COSE_ALGORITHM_ECDSA_P384_WITH_SHA384","features":[116]},{"name":"WEBAUTHN_COSE_ALGORITHM_ECDSA_P521_WITH_SHA512","features":[116]},{"name":"WEBAUTHN_COSE_ALGORITHM_RSASSA_PKCS1_V1_5_WITH_SHA256","features":[116]},{"name":"WEBAUTHN_COSE_ALGORITHM_RSASSA_PKCS1_V1_5_WITH_SHA384","features":[116]},{"name":"WEBAUTHN_COSE_ALGORITHM_RSASSA_PKCS1_V1_5_WITH_SHA512","features":[116]},{"name":"WEBAUTHN_COSE_ALGORITHM_RSA_PSS_WITH_SHA256","features":[116]},{"name":"WEBAUTHN_COSE_ALGORITHM_RSA_PSS_WITH_SHA384","features":[116]},{"name":"WEBAUTHN_COSE_ALGORITHM_RSA_PSS_WITH_SHA512","features":[116]},{"name":"WEBAUTHN_COSE_CREDENTIAL_PARAMETER","features":[116]},{"name":"WEBAUTHN_COSE_CREDENTIAL_PARAMETERS","features":[116]},{"name":"WEBAUTHN_COSE_CREDENTIAL_PARAMETER_CURRENT_VERSION","features":[116]},{"name":"WEBAUTHN_CREDENTIAL","features":[116]},{"name":"WEBAUTHN_CREDENTIALS","features":[116]},{"name":"WEBAUTHN_CREDENTIAL_ATTESTATION","features":[1,116]},{"name":"WEBAUTHN_CREDENTIAL_ATTESTATION_CURRENT_VERSION","features":[116]},{"name":"WEBAUTHN_CREDENTIAL_ATTESTATION_VERSION_1","features":[116]},{"name":"WEBAUTHN_CREDENTIAL_ATTESTATION_VERSION_2","features":[116]},{"name":"WEBAUTHN_CREDENTIAL_ATTESTATION_VERSION_3","features":[116]},{"name":"WEBAUTHN_CREDENTIAL_ATTESTATION_VERSION_4","features":[116]},{"name":"WEBAUTHN_CREDENTIAL_ATTESTATION_VERSION_5","features":[116]},{"name":"WEBAUTHN_CREDENTIAL_ATTESTATION_VERSION_6","features":[116]},{"name":"WEBAUTHN_CREDENTIAL_CURRENT_VERSION","features":[116]},{"name":"WEBAUTHN_CREDENTIAL_DETAILS","features":[1,116]},{"name":"WEBAUTHN_CREDENTIAL_DETAILS_CURRENT_VERSION","features":[116]},{"name":"WEBAUTHN_CREDENTIAL_DETAILS_LIST","features":[1,116]},{"name":"WEBAUTHN_CREDENTIAL_DETAILS_VERSION_1","features":[116]},{"name":"WEBAUTHN_CREDENTIAL_DETAILS_VERSION_2","features":[116]},{"name":"WEBAUTHN_CREDENTIAL_EX","features":[116]},{"name":"WEBAUTHN_CREDENTIAL_EX_CURRENT_VERSION","features":[116]},{"name":"WEBAUTHN_CREDENTIAL_LIST","features":[116]},{"name":"WEBAUTHN_CREDENTIAL_TYPE_PUBLIC_KEY","features":[116]},{"name":"WEBAUTHN_CRED_BLOB_EXTENSION","features":[116]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_OPERATION_DELETE","features":[116]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_OPERATION_GET","features":[116]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_OPERATION_NONE","features":[116]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_OPERATION_SET","features":[116]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_STATUS_AUTHENTICATOR_ERROR","features":[116]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_STATUS_INVALID_DATA","features":[116]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_STATUS_INVALID_PARAMETER","features":[116]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_STATUS_LACK_OF_SPACE","features":[116]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_STATUS_MULTIPLE_CREDENTIALS","features":[116]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_STATUS_NONE","features":[116]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_STATUS_NOT_FOUND","features":[116]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_STATUS_NOT_SUPPORTED","features":[116]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_STATUS_PLATFORM_ERROR","features":[116]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_STATUS_SUCCESS","features":[116]},{"name":"WEBAUTHN_CRED_PROTECT_EXTENSION_IN","features":[1,116]},{"name":"WEBAUTHN_CRED_WITH_HMAC_SECRET_SALT","features":[116]},{"name":"WEBAUTHN_CTAP_ONE_HMAC_SECRET_LENGTH","features":[116]},{"name":"WEBAUTHN_CTAP_TRANSPORT_BLE","features":[116]},{"name":"WEBAUTHN_CTAP_TRANSPORT_FLAGS_MASK","features":[116]},{"name":"WEBAUTHN_CTAP_TRANSPORT_HYBRID","features":[116]},{"name":"WEBAUTHN_CTAP_TRANSPORT_INTERNAL","features":[116]},{"name":"WEBAUTHN_CTAP_TRANSPORT_NFC","features":[116]},{"name":"WEBAUTHN_CTAP_TRANSPORT_TEST","features":[116]},{"name":"WEBAUTHN_CTAP_TRANSPORT_USB","features":[116]},{"name":"WEBAUTHN_ENTERPRISE_ATTESTATION_NONE","features":[116]},{"name":"WEBAUTHN_ENTERPRISE_ATTESTATION_PLATFORM_MANAGED","features":[116]},{"name":"WEBAUTHN_ENTERPRISE_ATTESTATION_VENDOR_FACILITATED","features":[116]},{"name":"WEBAUTHN_EXTENSION","features":[116]},{"name":"WEBAUTHN_EXTENSIONS","features":[116]},{"name":"WEBAUTHN_EXTENSIONS_IDENTIFIER_CRED_BLOB","features":[116]},{"name":"WEBAUTHN_EXTENSIONS_IDENTIFIER_CRED_PROTECT","features":[116]},{"name":"WEBAUTHN_EXTENSIONS_IDENTIFIER_HMAC_SECRET","features":[116]},{"name":"WEBAUTHN_EXTENSIONS_IDENTIFIER_MIN_PIN_LENGTH","features":[116]},{"name":"WEBAUTHN_GET_CREDENTIALS_OPTIONS","features":[1,116]},{"name":"WEBAUTHN_GET_CREDENTIALS_OPTIONS_CURRENT_VERSION","features":[116]},{"name":"WEBAUTHN_GET_CREDENTIALS_OPTIONS_VERSION_1","features":[116]},{"name":"WEBAUTHN_HASH_ALGORITHM_SHA_256","features":[116]},{"name":"WEBAUTHN_HASH_ALGORITHM_SHA_384","features":[116]},{"name":"WEBAUTHN_HASH_ALGORITHM_SHA_512","features":[116]},{"name":"WEBAUTHN_HMAC_SECRET_SALT","features":[116]},{"name":"WEBAUTHN_HMAC_SECRET_SALT_VALUES","features":[116]},{"name":"WEBAUTHN_LARGE_BLOB_SUPPORT_NONE","features":[116]},{"name":"WEBAUTHN_LARGE_BLOB_SUPPORT_PREFERRED","features":[116]},{"name":"WEBAUTHN_LARGE_BLOB_SUPPORT_REQUIRED","features":[116]},{"name":"WEBAUTHN_MAX_USER_ID_LENGTH","features":[116]},{"name":"WEBAUTHN_RP_ENTITY_INFORMATION","features":[116]},{"name":"WEBAUTHN_RP_ENTITY_INFORMATION_CURRENT_VERSION","features":[116]},{"name":"WEBAUTHN_USER_ENTITY_INFORMATION","features":[116]},{"name":"WEBAUTHN_USER_ENTITY_INFORMATION_CURRENT_VERSION","features":[116]},{"name":"WEBAUTHN_USER_VERIFICATION_ANY","features":[116]},{"name":"WEBAUTHN_USER_VERIFICATION_OPTIONAL","features":[116]},{"name":"WEBAUTHN_USER_VERIFICATION_OPTIONAL_WITH_CREDENTIAL_ID_LIST","features":[116]},{"name":"WEBAUTHN_USER_VERIFICATION_REQUIRED","features":[116]},{"name":"WEBAUTHN_USER_VERIFICATION_REQUIREMENT_ANY","features":[116]},{"name":"WEBAUTHN_USER_VERIFICATION_REQUIREMENT_DISCOURAGED","features":[116]},{"name":"WEBAUTHN_USER_VERIFICATION_REQUIREMENT_PREFERRED","features":[116]},{"name":"WEBAUTHN_USER_VERIFICATION_REQUIREMENT_REQUIRED","features":[116]},{"name":"WEBAUTHN_X5C","features":[116]},{"name":"WS_ABANDON_MESSAGE_CALLBACK","features":[116]},{"name":"WS_ABORT_CHANNEL_CALLBACK","features":[116]},{"name":"WS_ABORT_LISTENER_CALLBACK","features":[116]},{"name":"WS_ACCEPT_CHANNEL_CALLBACK","features":[116]},{"name":"WS_ACTION_HEADER","features":[116]},{"name":"WS_ADDRESSING_VERSION","features":[116]},{"name":"WS_ADDRESSING_VERSION_0_9","features":[116]},{"name":"WS_ADDRESSING_VERSION_1_0","features":[116]},{"name":"WS_ADDRESSING_VERSION_TRANSPORT","features":[116]},{"name":"WS_ANY_ATTRIBUTE","features":[1,116]},{"name":"WS_ANY_ATTRIBUTES","features":[1,116]},{"name":"WS_ANY_ATTRIBUTES_FIELD_MAPPING","features":[116]},{"name":"WS_ANY_ATTRIBUTES_TYPE","features":[116]},{"name":"WS_ANY_CONTENT_FIELD_MAPPING","features":[116]},{"name":"WS_ANY_ELEMENT_FIELD_MAPPING","features":[116]},{"name":"WS_ANY_ELEMENT_TYPE_MAPPING","features":[116]},{"name":"WS_ASYNC_CALLBACK","features":[116]},{"name":"WS_ASYNC_CONTEXT","features":[116]},{"name":"WS_ASYNC_FUNCTION","features":[116]},{"name":"WS_ASYNC_OPERATION","features":[116]},{"name":"WS_ASYNC_STATE","features":[116]},{"name":"WS_ATTRIBUTE_DESCRIPTION","features":[1,116]},{"name":"WS_ATTRIBUTE_FIELD_MAPPING","features":[116]},{"name":"WS_ATTRIBUTE_TYPE_MAPPING","features":[116]},{"name":"WS_AUTO_COOKIE_MODE","features":[116]},{"name":"WS_BINDING_TEMPLATE_TYPE","features":[116]},{"name":"WS_BLANK_MESSAGE","features":[116]},{"name":"WS_BOOL_DESCRIPTION","features":[1,116]},{"name":"WS_BOOL_TYPE","features":[116]},{"name":"WS_BOOL_VALUE_TYPE","features":[116]},{"name":"WS_BUFFERED_TRANSFER_MODE","features":[116]},{"name":"WS_BUFFERS","features":[116]},{"name":"WS_BYTES","features":[116]},{"name":"WS_BYTES_DESCRIPTION","features":[116]},{"name":"WS_BYTES_TYPE","features":[116]},{"name":"WS_BYTE_ARRAY_DESCRIPTION","features":[116]},{"name":"WS_BYTE_ARRAY_TYPE","features":[116]},{"name":"WS_CALLBACK_MODEL","features":[116]},{"name":"WS_CALL_PROPERTY","features":[116]},{"name":"WS_CALL_PROPERTY_CALL_ID","features":[116]},{"name":"WS_CALL_PROPERTY_CHECK_MUST_UNDERSTAND","features":[116]},{"name":"WS_CALL_PROPERTY_ID","features":[116]},{"name":"WS_CALL_PROPERTY_RECEIVE_MESSAGE_CONTEXT","features":[116]},{"name":"WS_CALL_PROPERTY_SEND_MESSAGE_CONTEXT","features":[116]},{"name":"WS_CAPI_ASYMMETRIC_SECURITY_KEY_HANDLE","features":[116]},{"name":"WS_CAPI_ASYMMETRIC_SECURITY_KEY_HANDLE_TYPE","features":[116]},{"name":"WS_CERTIFICATE_VALIDATION_CALLBACK","features":[1,116,68]},{"name":"WS_CERTIFICATE_VALIDATION_CALLBACK_CONTEXT","features":[1,116,68]},{"name":"WS_CERT_CREDENTIAL","features":[116]},{"name":"WS_CERT_CREDENTIAL_TYPE","features":[116]},{"name":"WS_CERT_ENDPOINT_IDENTITY","features":[116]},{"name":"WS_CERT_ENDPOINT_IDENTITY_TYPE","features":[116]},{"name":"WS_CERT_FAILURE_CN_MISMATCH","features":[116]},{"name":"WS_CERT_FAILURE_INVALID_DATE","features":[116]},{"name":"WS_CERT_FAILURE_REVOCATION_OFFLINE","features":[116]},{"name":"WS_CERT_FAILURE_UNTRUSTED_ROOT","features":[116]},{"name":"WS_CERT_FAILURE_WRONG_USAGE","features":[116]},{"name":"WS_CERT_ISSUER_LIST_NOTIFICATION_CALLBACK","features":[116,23,68]},{"name":"WS_CERT_MESSAGE_SECURITY_BINDING_CONSTRAINT","features":[116]},{"name":"WS_CERT_MESSAGE_SECURITY_BINDING_CONSTRAINT_TYPE","features":[116]},{"name":"WS_CERT_SIGNED_SAML_AUTHENTICATOR","features":[1,116,68]},{"name":"WS_CERT_SIGNED_SAML_AUTHENTICATOR_TYPE","features":[116]},{"name":"WS_CHANNEL","features":[116]},{"name":"WS_CHANNEL_BINDING","features":[116]},{"name":"WS_CHANNEL_DECODER","features":[116]},{"name":"WS_CHANNEL_ENCODER","features":[116]},{"name":"WS_CHANNEL_PROPERTIES","features":[116]},{"name":"WS_CHANNEL_PROPERTY","features":[116]},{"name":"WS_CHANNEL_PROPERTY_ADDRESSING_VERSION","features":[116]},{"name":"WS_CHANNEL_PROPERTY_ALLOW_UNSECURED_FAULTS","features":[116]},{"name":"WS_CHANNEL_PROPERTY_ASYNC_CALLBACK_MODEL","features":[116]},{"name":"WS_CHANNEL_PROPERTY_CHANNEL_TYPE","features":[116]},{"name":"WS_CHANNEL_PROPERTY_CLOSE_TIMEOUT","features":[116]},{"name":"WS_CHANNEL_PROPERTY_CONNECT_TIMEOUT","features":[116]},{"name":"WS_CHANNEL_PROPERTY_CONSTRAINT","features":[116]},{"name":"WS_CHANNEL_PROPERTY_COOKIE_MODE","features":[116]},{"name":"WS_CHANNEL_PROPERTY_CUSTOM_CHANNEL_CALLBACKS","features":[116]},{"name":"WS_CHANNEL_PROPERTY_CUSTOM_CHANNEL_INSTANCE","features":[116]},{"name":"WS_CHANNEL_PROPERTY_CUSTOM_CHANNEL_PARAMETERS","features":[116]},{"name":"WS_CHANNEL_PROPERTY_CUSTOM_HTTP_PROXY","features":[116]},{"name":"WS_CHANNEL_PROPERTY_DECODER","features":[116]},{"name":"WS_CHANNEL_PROPERTY_ENABLE_HTTP_REDIRECT","features":[116]},{"name":"WS_CHANNEL_PROPERTY_ENABLE_TIMEOUTS","features":[116]},{"name":"WS_CHANNEL_PROPERTY_ENCODER","features":[116]},{"name":"WS_CHANNEL_PROPERTY_ENCODING","features":[116]},{"name":"WS_CHANNEL_PROPERTY_ENVELOPE_VERSION","features":[116]},{"name":"WS_CHANNEL_PROPERTY_FAULTS_AS_ERRORS","features":[116]},{"name":"WS_CHANNEL_PROPERTY_HTTP_CONNECTION_ID","features":[116]},{"name":"WS_CHANNEL_PROPERTY_HTTP_MESSAGE_MAPPING","features":[116]},{"name":"WS_CHANNEL_PROPERTY_HTTP_PROXY_SETTING_MODE","features":[116]},{"name":"WS_CHANNEL_PROPERTY_HTTP_PROXY_SPN","features":[116]},{"name":"WS_CHANNEL_PROPERTY_HTTP_REDIRECT_CALLBACK_CONTEXT","features":[116]},{"name":"WS_CHANNEL_PROPERTY_HTTP_SERVER_SPN","features":[116]},{"name":"WS_CHANNEL_PROPERTY_ID","features":[116]},{"name":"WS_CHANNEL_PROPERTY_IP_VERSION","features":[116]},{"name":"WS_CHANNEL_PROPERTY_IS_SESSION_SHUT_DOWN","features":[116]},{"name":"WS_CHANNEL_PROPERTY_KEEP_ALIVE_INTERVAL","features":[116]},{"name":"WS_CHANNEL_PROPERTY_KEEP_ALIVE_TIME","features":[116]},{"name":"WS_CHANNEL_PROPERTY_MAX_BUFFERED_MESSAGE_SIZE","features":[116]},{"name":"WS_CHANNEL_PROPERTY_MAX_HTTP_REQUEST_HEADERS_BUFFER_SIZE","features":[116]},{"name":"WS_CHANNEL_PROPERTY_MAX_HTTP_SERVER_CONNECTIONS","features":[116]},{"name":"WS_CHANNEL_PROPERTY_MAX_SESSION_DICTIONARY_SIZE","features":[116]},{"name":"WS_CHANNEL_PROPERTY_MAX_STREAMED_FLUSH_SIZE","features":[116]},{"name":"WS_CHANNEL_PROPERTY_MAX_STREAMED_MESSAGE_SIZE","features":[116]},{"name":"WS_CHANNEL_PROPERTY_MAX_STREAMED_START_SIZE","features":[116]},{"name":"WS_CHANNEL_PROPERTY_MULTICAST_HOPS","features":[116]},{"name":"WS_CHANNEL_PROPERTY_MULTICAST_INTERFACE","features":[116]},{"name":"WS_CHANNEL_PROPERTY_NO_DELAY","features":[116]},{"name":"WS_CHANNEL_PROPERTY_PROTECTION_LEVEL","features":[116]},{"name":"WS_CHANNEL_PROPERTY_RECEIVE_RESPONSE_TIMEOUT","features":[116]},{"name":"WS_CHANNEL_PROPERTY_RECEIVE_TIMEOUT","features":[116]},{"name":"WS_CHANNEL_PROPERTY_REMOTE_ADDRESS","features":[116]},{"name":"WS_CHANNEL_PROPERTY_REMOTE_IP_ADDRESS","features":[116]},{"name":"WS_CHANNEL_PROPERTY_RESOLVE_TIMEOUT","features":[116]},{"name":"WS_CHANNEL_PROPERTY_SEND_KEEP_ALIVES","features":[116]},{"name":"WS_CHANNEL_PROPERTY_SEND_TIMEOUT","features":[116]},{"name":"WS_CHANNEL_PROPERTY_STATE","features":[116]},{"name":"WS_CHANNEL_PROPERTY_TRANSFER_MODE","features":[116]},{"name":"WS_CHANNEL_PROPERTY_TRANSPORT_URL","features":[116]},{"name":"WS_CHANNEL_PROPERTY_TRIM_BUFFERED_MESSAGE_SIZE","features":[116]},{"name":"WS_CHANNEL_STATE","features":[116]},{"name":"WS_CHANNEL_STATE_ACCEPTING","features":[116]},{"name":"WS_CHANNEL_STATE_CLOSED","features":[116]},{"name":"WS_CHANNEL_STATE_CLOSING","features":[116]},{"name":"WS_CHANNEL_STATE_CREATED","features":[116]},{"name":"WS_CHANNEL_STATE_FAULTED","features":[116]},{"name":"WS_CHANNEL_STATE_OPEN","features":[116]},{"name":"WS_CHANNEL_STATE_OPENING","features":[116]},{"name":"WS_CHANNEL_TYPE","features":[116]},{"name":"WS_CHANNEL_TYPE_DUPLEX","features":[116]},{"name":"WS_CHANNEL_TYPE_DUPLEX_SESSION","features":[116]},{"name":"WS_CHANNEL_TYPE_INPUT","features":[116]},{"name":"WS_CHANNEL_TYPE_INPUT_SESSION","features":[116]},{"name":"WS_CHANNEL_TYPE_OUTPUT","features":[116]},{"name":"WS_CHANNEL_TYPE_OUTPUT_SESSION","features":[116]},{"name":"WS_CHANNEL_TYPE_REPLY","features":[116]},{"name":"WS_CHANNEL_TYPE_REQUEST","features":[116]},{"name":"WS_CHANNEL_TYPE_SESSION","features":[116]},{"name":"WS_CHARSET","features":[116]},{"name":"WS_CHARSET_AUTO","features":[116]},{"name":"WS_CHARSET_UTF16BE","features":[116]},{"name":"WS_CHARSET_UTF16LE","features":[116]},{"name":"WS_CHARSET_UTF8","features":[116]},{"name":"WS_CHAR_ARRAY_DESCRIPTION","features":[116]},{"name":"WS_CHAR_ARRAY_TYPE","features":[116]},{"name":"WS_CLOSE_CHANNEL_CALLBACK","features":[116]},{"name":"WS_CLOSE_LISTENER_CALLBACK","features":[116]},{"name":"WS_CONTRACT_DESCRIPTION","features":[1,116]},{"name":"WS_COOKIE_MODE","features":[116]},{"name":"WS_CREATE_CHANNEL_CALLBACK","features":[116]},{"name":"WS_CREATE_CHANNEL_FOR_LISTENER_CALLBACK","features":[116]},{"name":"WS_CREATE_DECODER_CALLBACK","features":[116]},{"name":"WS_CREATE_ENCODER_CALLBACK","features":[116]},{"name":"WS_CREATE_LISTENER_CALLBACK","features":[116]},{"name":"WS_CUSTOM_CERT_CREDENTIAL","features":[1,116,23,68]},{"name":"WS_CUSTOM_CERT_CREDENTIAL_TYPE","features":[116]},{"name":"WS_CUSTOM_CHANNEL_BINDING","features":[116]},{"name":"WS_CUSTOM_CHANNEL_CALLBACKS","features":[116]},{"name":"WS_CUSTOM_HTTP_PROXY","features":[116]},{"name":"WS_CUSTOM_LISTENER_CALLBACKS","features":[116]},{"name":"WS_CUSTOM_TYPE","features":[116]},{"name":"WS_CUSTOM_TYPE_DESCRIPTION","features":[1,116]},{"name":"WS_DATETIME","features":[116]},{"name":"WS_DATETIME_DESCRIPTION","features":[116]},{"name":"WS_DATETIME_FORMAT","features":[116]},{"name":"WS_DATETIME_FORMAT_LOCAL","features":[116]},{"name":"WS_DATETIME_FORMAT_NONE","features":[116]},{"name":"WS_DATETIME_FORMAT_UTC","features":[116]},{"name":"WS_DATETIME_TYPE","features":[116]},{"name":"WS_DATETIME_VALUE_TYPE","features":[116]},{"name":"WS_DECIMAL_DESCRIPTION","features":[1,116]},{"name":"WS_DECIMAL_TYPE","features":[116]},{"name":"WS_DECIMAL_VALUE_TYPE","features":[116]},{"name":"WS_DECODER_DECODE_CALLBACK","features":[116]},{"name":"WS_DECODER_END_CALLBACK","features":[116]},{"name":"WS_DECODER_GET_CONTENT_TYPE_CALLBACK","features":[116]},{"name":"WS_DECODER_START_CALLBACK","features":[116]},{"name":"WS_DEFAULT_VALUE","features":[116]},{"name":"WS_DEFAULT_WINDOWS_INTEGRATED_AUTH_CREDENTIAL","features":[116]},{"name":"WS_DEFAULT_WINDOWS_INTEGRATED_AUTH_CREDENTIAL_TYPE","features":[116]},{"name":"WS_DESCRIPTION_TYPE","features":[116]},{"name":"WS_DISALLOWED_USER_AGENT_SUBSTRINGS","features":[116]},{"name":"WS_DNS_ENDPOINT_IDENTITY","features":[116]},{"name":"WS_DNS_ENDPOINT_IDENTITY_TYPE","features":[116]},{"name":"WS_DOUBLE_DESCRIPTION","features":[116]},{"name":"WS_DOUBLE_TYPE","features":[116]},{"name":"WS_DOUBLE_VALUE_TYPE","features":[116]},{"name":"WS_DUPLICATE_MESSAGE","features":[116]},{"name":"WS_DURATION","features":[1,116]},{"name":"WS_DURATION_COMPARISON_CALLBACK","features":[1,116]},{"name":"WS_DURATION_DESCRIPTION","features":[1,116]},{"name":"WS_DURATION_TYPE","features":[116]},{"name":"WS_DURATION_VALUE_TYPE","features":[116]},{"name":"WS_DYNAMIC_STRING_CALLBACK","features":[1,116]},{"name":"WS_ELEMENT_CHOICE_FIELD_MAPPING","features":[116]},{"name":"WS_ELEMENT_CONTENT_TYPE_MAPPING","features":[116]},{"name":"WS_ELEMENT_DESCRIPTION","features":[1,116]},{"name":"WS_ELEMENT_FIELD_MAPPING","features":[116]},{"name":"WS_ELEMENT_TYPE_MAPPING","features":[116]},{"name":"WS_ENCODER_ENCODE_CALLBACK","features":[116]},{"name":"WS_ENCODER_END_CALLBACK","features":[116]},{"name":"WS_ENCODER_GET_CONTENT_TYPE_CALLBACK","features":[116]},{"name":"WS_ENCODER_START_CALLBACK","features":[116]},{"name":"WS_ENCODING","features":[116]},{"name":"WS_ENCODING_RAW","features":[116]},{"name":"WS_ENCODING_XML_BINARY_1","features":[116]},{"name":"WS_ENCODING_XML_BINARY_SESSION_1","features":[116]},{"name":"WS_ENCODING_XML_MTOM_UTF16BE","features":[116]},{"name":"WS_ENCODING_XML_MTOM_UTF16LE","features":[116]},{"name":"WS_ENCODING_XML_MTOM_UTF8","features":[116]},{"name":"WS_ENCODING_XML_UTF16BE","features":[116]},{"name":"WS_ENCODING_XML_UTF16LE","features":[116]},{"name":"WS_ENCODING_XML_UTF8","features":[116]},{"name":"WS_ENDPOINT_ADDRESS","features":[116]},{"name":"WS_ENDPOINT_ADDRESS_DESCRIPTION","features":[116]},{"name":"WS_ENDPOINT_ADDRESS_EXTENSION_METADATA_ADDRESS","features":[116]},{"name":"WS_ENDPOINT_ADDRESS_EXTENSION_TYPE","features":[116]},{"name":"WS_ENDPOINT_ADDRESS_TYPE","features":[116]},{"name":"WS_ENDPOINT_IDENTITY","features":[116]},{"name":"WS_ENDPOINT_IDENTITY_TYPE","features":[116]},{"name":"WS_ENDPOINT_POLICY_EXTENSION","features":[1,116]},{"name":"WS_ENDPOINT_POLICY_EXTENSION_TYPE","features":[116]},{"name":"WS_ENUM_DESCRIPTION","features":[1,116]},{"name":"WS_ENUM_TYPE","features":[116]},{"name":"WS_ENUM_VALUE","features":[1,116]},{"name":"WS_ENVELOPE_VERSION","features":[116]},{"name":"WS_ENVELOPE_VERSION_NONE","features":[116]},{"name":"WS_ENVELOPE_VERSION_SOAP_1_1","features":[116]},{"name":"WS_ENVELOPE_VERSION_SOAP_1_2","features":[116]},{"name":"WS_ERROR","features":[116]},{"name":"WS_ERROR_PROPERTY","features":[116]},{"name":"WS_ERROR_PROPERTY_ID","features":[116]},{"name":"WS_ERROR_PROPERTY_LANGID","features":[116]},{"name":"WS_ERROR_PROPERTY_ORIGINAL_ERROR_CODE","features":[116]},{"name":"WS_ERROR_PROPERTY_STRING_COUNT","features":[116]},{"name":"WS_EXCEPTION_CODE","features":[116]},{"name":"WS_EXCEPTION_CODE_INTERNAL_FAILURE","features":[116]},{"name":"WS_EXCEPTION_CODE_USAGE_FAILURE","features":[116]},{"name":"WS_EXCLUSIVE_WITH_COMMENTS_XML_CANONICALIZATION_ALGORITHM","features":[116]},{"name":"WS_EXCLUSIVE_XML_CANONICALIZATION_ALGORITHM","features":[116]},{"name":"WS_EXTENDED_PROTECTION_POLICY","features":[116]},{"name":"WS_EXTENDED_PROTECTION_POLICY_ALWAYS","features":[116]},{"name":"WS_EXTENDED_PROTECTION_POLICY_NEVER","features":[116]},{"name":"WS_EXTENDED_PROTECTION_POLICY_WHEN_SUPPORTED","features":[116]},{"name":"WS_EXTENDED_PROTECTION_SCENARIO","features":[116]},{"name":"WS_EXTENDED_PROTECTION_SCENARIO_BOUND_SERVER","features":[116]},{"name":"WS_EXTENDED_PROTECTION_SCENARIO_TERMINATED_SSL","features":[116]},{"name":"WS_FAULT","features":[1,116]},{"name":"WS_FAULT_CODE","features":[1,116]},{"name":"WS_FAULT_DESCRIPTION","features":[116]},{"name":"WS_FAULT_DETAIL_DESCRIPTION","features":[1,116]},{"name":"WS_FAULT_DISCLOSURE","features":[116]},{"name":"WS_FAULT_ERROR_PROPERTY_ACTION","features":[116]},{"name":"WS_FAULT_ERROR_PROPERTY_FAULT","features":[116]},{"name":"WS_FAULT_ERROR_PROPERTY_HEADER","features":[116]},{"name":"WS_FAULT_ERROR_PROPERTY_ID","features":[116]},{"name":"WS_FAULT_MESSAGE","features":[116]},{"name":"WS_FAULT_REASON","features":[116]},{"name":"WS_FAULT_TO_HEADER","features":[116]},{"name":"WS_FAULT_TYPE","features":[116]},{"name":"WS_FIELD_DESCRIPTION","features":[1,116]},{"name":"WS_FIELD_MAPPING","features":[116]},{"name":"WS_FIELD_NILLABLE","features":[116]},{"name":"WS_FIELD_NILLABLE_ITEM","features":[116]},{"name":"WS_FIELD_OPTIONAL","features":[116]},{"name":"WS_FIELD_OTHER_NAMESPACE","features":[116]},{"name":"WS_FIELD_POINTER","features":[116]},{"name":"WS_FLOAT_DESCRIPTION","features":[116]},{"name":"WS_FLOAT_TYPE","features":[116]},{"name":"WS_FLOAT_VALUE_TYPE","features":[116]},{"name":"WS_FREE_CHANNEL_CALLBACK","features":[116]},{"name":"WS_FREE_DECODER_CALLBACK","features":[116]},{"name":"WS_FREE_ENCODER_CALLBACK","features":[116]},{"name":"WS_FREE_LISTENER_CALLBACK","features":[116]},{"name":"WS_FROM_HEADER","features":[116]},{"name":"WS_FULL_FAULT_DISCLOSURE","features":[116]},{"name":"WS_GET_CERT_CALLBACK","features":[1,116,68]},{"name":"WS_GET_CHANNEL_PROPERTY_CALLBACK","features":[116]},{"name":"WS_GET_LISTENER_PROPERTY_CALLBACK","features":[116]},{"name":"WS_GUID_DESCRIPTION","features":[116]},{"name":"WS_GUID_TYPE","features":[116]},{"name":"WS_GUID_VALUE_TYPE","features":[116]},{"name":"WS_HEADER_TYPE","features":[116]},{"name":"WS_HEAP","features":[116]},{"name":"WS_HEAP_PROPERTIES","features":[116]},{"name":"WS_HEAP_PROPERTY","features":[116]},{"name":"WS_HEAP_PROPERTY_ACTUAL_SIZE","features":[116]},{"name":"WS_HEAP_PROPERTY_ID","features":[116]},{"name":"WS_HEAP_PROPERTY_MAX_SIZE","features":[116]},{"name":"WS_HEAP_PROPERTY_REQUESTED_SIZE","features":[116]},{"name":"WS_HEAP_PROPERTY_TRIM_SIZE","features":[116]},{"name":"WS_HOST_NAMES","features":[116]},{"name":"WS_HTTPS_URL","features":[116]},{"name":"WS_HTTP_BINDING_TEMPLATE","features":[116]},{"name":"WS_HTTP_BINDING_TEMPLATE_TYPE","features":[116]},{"name":"WS_HTTP_CHANNEL_BINDING","features":[116]},{"name":"WS_HTTP_HEADER_AUTH_BINDING_TEMPLATE","features":[116]},{"name":"WS_HTTP_HEADER_AUTH_BINDING_TEMPLATE_TYPE","features":[116]},{"name":"WS_HTTP_HEADER_AUTH_POLICY_DESCRIPTION","features":[116]},{"name":"WS_HTTP_HEADER_AUTH_SCHEME_BASIC","features":[116]},{"name":"WS_HTTP_HEADER_AUTH_SCHEME_DIGEST","features":[116]},{"name":"WS_HTTP_HEADER_AUTH_SCHEME_NEGOTIATE","features":[116]},{"name":"WS_HTTP_HEADER_AUTH_SCHEME_NONE","features":[116]},{"name":"WS_HTTP_HEADER_AUTH_SCHEME_NTLM","features":[116]},{"name":"WS_HTTP_HEADER_AUTH_SCHEME_PASSPORT","features":[116]},{"name":"WS_HTTP_HEADER_AUTH_SECURITY_BINDING","features":[116]},{"name":"WS_HTTP_HEADER_AUTH_SECURITY_BINDING_CONSTRAINT","features":[116]},{"name":"WS_HTTP_HEADER_AUTH_SECURITY_BINDING_CONSTRAINT_TYPE","features":[116]},{"name":"WS_HTTP_HEADER_AUTH_SECURITY_BINDING_POLICY_DESCRIPTION","features":[116]},{"name":"WS_HTTP_HEADER_AUTH_SECURITY_BINDING_TEMPLATE","features":[116]},{"name":"WS_HTTP_HEADER_AUTH_SECURITY_BINDING_TYPE","features":[116]},{"name":"WS_HTTP_HEADER_AUTH_TARGET","features":[116]},{"name":"WS_HTTP_HEADER_AUTH_TARGET_PROXY","features":[116]},{"name":"WS_HTTP_HEADER_AUTH_TARGET_SERVICE","features":[116]},{"name":"WS_HTTP_HEADER_MAPPING","features":[1,116]},{"name":"WS_HTTP_HEADER_MAPPING_COMMA_SEPARATOR","features":[116]},{"name":"WS_HTTP_HEADER_MAPPING_QUOTED_VALUE","features":[116]},{"name":"WS_HTTP_HEADER_MAPPING_SEMICOLON_SEPARATOR","features":[116]},{"name":"WS_HTTP_MESSAGE_MAPPING","features":[1,116]},{"name":"WS_HTTP_POLICY_DESCRIPTION","features":[116]},{"name":"WS_HTTP_PROXY_SETTING_MODE","features":[116]},{"name":"WS_HTTP_PROXY_SETTING_MODE_AUTO","features":[116]},{"name":"WS_HTTP_PROXY_SETTING_MODE_CUSTOM","features":[116]},{"name":"WS_HTTP_PROXY_SETTING_MODE_NONE","features":[116]},{"name":"WS_HTTP_REDIRECT_CALLBACK","features":[116]},{"name":"WS_HTTP_REDIRECT_CALLBACK_CONTEXT","features":[116]},{"name":"WS_HTTP_REQUEST_MAPPING_VERB","features":[116]},{"name":"WS_HTTP_RESPONSE_MAPPING_STATUS_CODE","features":[116]},{"name":"WS_HTTP_RESPONSE_MAPPING_STATUS_TEXT","features":[116]},{"name":"WS_HTTP_SSL_BINDING_TEMPLATE","features":[116]},{"name":"WS_HTTP_SSL_BINDING_TEMPLATE_TYPE","features":[116]},{"name":"WS_HTTP_SSL_HEADER_AUTH_BINDING_TEMPLATE","features":[116]},{"name":"WS_HTTP_SSL_HEADER_AUTH_BINDING_TEMPLATE_TYPE","features":[116]},{"name":"WS_HTTP_SSL_HEADER_AUTH_POLICY_DESCRIPTION","features":[116]},{"name":"WS_HTTP_SSL_KERBEROS_APREQ_BINDING_TEMPLATE","features":[116]},{"name":"WS_HTTP_SSL_KERBEROS_APREQ_BINDING_TEMPLATE_TYPE","features":[116]},{"name":"WS_HTTP_SSL_KERBEROS_APREQ_POLICY_DESCRIPTION","features":[116]},{"name":"WS_HTTP_SSL_KERBEROS_APREQ_SECURITY_CONTEXT_BINDING_TEMPLATE","features":[116]},{"name":"WS_HTTP_SSL_KERBEROS_APREQ_SECURITY_CONTEXT_BINDING_TEMPLATE_TYPE","features":[116]},{"name":"WS_HTTP_SSL_KERBEROS_APREQ_SECURITY_CONTEXT_POLICY_DESCRIPTION","features":[116]},{"name":"WS_HTTP_SSL_POLICY_DESCRIPTION","features":[116]},{"name":"WS_HTTP_SSL_USERNAME_BINDING_TEMPLATE","features":[116]},{"name":"WS_HTTP_SSL_USERNAME_BINDING_TEMPLATE_TYPE","features":[116]},{"name":"WS_HTTP_SSL_USERNAME_POLICY_DESCRIPTION","features":[116]},{"name":"WS_HTTP_SSL_USERNAME_SECURITY_CONTEXT_BINDING_TEMPLATE","features":[116]},{"name":"WS_HTTP_SSL_USERNAME_SECURITY_CONTEXT_BINDING_TEMPLATE_TYPE","features":[116]},{"name":"WS_HTTP_SSL_USERNAME_SECURITY_CONTEXT_POLICY_DESCRIPTION","features":[116]},{"name":"WS_HTTP_URL","features":[116]},{"name":"WS_INCLUSIVE_WITH_COMMENTS_XML_CANONICALIZATION_ALGORITHM","features":[116]},{"name":"WS_INCLUSIVE_XML_CANONICALIZATION_ALGORITHM","features":[116]},{"name":"WS_INT16_DESCRIPTION","features":[116]},{"name":"WS_INT16_TYPE","features":[116]},{"name":"WS_INT16_VALUE_TYPE","features":[116]},{"name":"WS_INT32_DESCRIPTION","features":[116]},{"name":"WS_INT32_TYPE","features":[116]},{"name":"WS_INT32_VALUE_TYPE","features":[116]},{"name":"WS_INT64_DESCRIPTION","features":[116]},{"name":"WS_INT64_TYPE","features":[116]},{"name":"WS_INT64_VALUE_TYPE","features":[116]},{"name":"WS_INT8_DESCRIPTION","features":[116]},{"name":"WS_INT8_TYPE","features":[116]},{"name":"WS_INT8_VALUE_TYPE","features":[116]},{"name":"WS_IP_VERSION","features":[116]},{"name":"WS_IP_VERSION_4","features":[116]},{"name":"WS_IP_VERSION_6","features":[116]},{"name":"WS_IP_VERSION_AUTO","features":[116]},{"name":"WS_ISSUED_TOKEN_MESSAGE_SECURITY_BINDING_CONSTRAINT","features":[1,116]},{"name":"WS_ISSUED_TOKEN_MESSAGE_SECURITY_BINDING_CONSTRAINT_TYPE","features":[116]},{"name":"WS_IS_DEFAULT_VALUE_CALLBACK","features":[1,116]},{"name":"WS_ITEM_RANGE","features":[116]},{"name":"WS_KERBEROS_APREQ_MESSAGE_SECURITY_BINDING","features":[116]},{"name":"WS_KERBEROS_APREQ_MESSAGE_SECURITY_BINDING_CONSTRAINT","features":[116]},{"name":"WS_KERBEROS_APREQ_MESSAGE_SECURITY_BINDING_CONSTRAINT_TYPE","features":[116]},{"name":"WS_KERBEROS_APREQ_MESSAGE_SECURITY_BINDING_POLICY_DESCRIPTION","features":[116]},{"name":"WS_KERBEROS_APREQ_MESSAGE_SECURITY_BINDING_TEMPLATE","features":[116]},{"name":"WS_KERBEROS_APREQ_MESSAGE_SECURITY_BINDING_TYPE","features":[116]},{"name":"WS_LISTENER","features":[116]},{"name":"WS_LISTENER_PROPERTIES","features":[116]},{"name":"WS_LISTENER_PROPERTY","features":[116]},{"name":"WS_LISTENER_PROPERTY_ASYNC_CALLBACK_MODEL","features":[116]},{"name":"WS_LISTENER_PROPERTY_CHANNEL_BINDING","features":[116]},{"name":"WS_LISTENER_PROPERTY_CHANNEL_TYPE","features":[116]},{"name":"WS_LISTENER_PROPERTY_CLOSE_TIMEOUT","features":[116]},{"name":"WS_LISTENER_PROPERTY_CONNECT_TIMEOUT","features":[116]},{"name":"WS_LISTENER_PROPERTY_CUSTOM_LISTENER_CALLBACKS","features":[116]},{"name":"WS_LISTENER_PROPERTY_CUSTOM_LISTENER_INSTANCE","features":[116]},{"name":"WS_LISTENER_PROPERTY_CUSTOM_LISTENER_PARAMETERS","features":[116]},{"name":"WS_LISTENER_PROPERTY_DISALLOWED_USER_AGENT","features":[116]},{"name":"WS_LISTENER_PROPERTY_ID","features":[116]},{"name":"WS_LISTENER_PROPERTY_IP_VERSION","features":[116]},{"name":"WS_LISTENER_PROPERTY_IS_MULTICAST","features":[116]},{"name":"WS_LISTENER_PROPERTY_LISTEN_BACKLOG","features":[116]},{"name":"WS_LISTENER_PROPERTY_MULTICAST_INTERFACES","features":[116]},{"name":"WS_LISTENER_PROPERTY_MULTICAST_LOOPBACK","features":[116]},{"name":"WS_LISTENER_PROPERTY_STATE","features":[116]},{"name":"WS_LISTENER_PROPERTY_TO_HEADER_MATCHING_OPTIONS","features":[116]},{"name":"WS_LISTENER_PROPERTY_TRANSPORT_URL_MATCHING_OPTIONS","features":[116]},{"name":"WS_LISTENER_STATE","features":[116]},{"name":"WS_LISTENER_STATE_CLOSED","features":[116]},{"name":"WS_LISTENER_STATE_CLOSING","features":[116]},{"name":"WS_LISTENER_STATE_CREATED","features":[116]},{"name":"WS_LISTENER_STATE_FAULTED","features":[116]},{"name":"WS_LISTENER_STATE_OPEN","features":[116]},{"name":"WS_LISTENER_STATE_OPENING","features":[116]},{"name":"WS_LONG_CALLBACK","features":[116]},{"name":"WS_MANUAL_COOKIE_MODE","features":[116]},{"name":"WS_MATCH_URL_DNS_FULLY_QUALIFIED_HOST","features":[116]},{"name":"WS_MATCH_URL_DNS_HOST","features":[116]},{"name":"WS_MATCH_URL_EXACT_PATH","features":[116]},{"name":"WS_MATCH_URL_HOST_ADDRESSES","features":[116]},{"name":"WS_MATCH_URL_LOCAL_HOST","features":[116]},{"name":"WS_MATCH_URL_NETBIOS_HOST","features":[116]},{"name":"WS_MATCH_URL_NO_QUERY","features":[116]},{"name":"WS_MATCH_URL_PORT","features":[116]},{"name":"WS_MATCH_URL_PREFIX_PATH","features":[116]},{"name":"WS_MATCH_URL_THIS_HOST","features":[116]},{"name":"WS_MESSAGE","features":[116]},{"name":"WS_MESSAGE_DESCRIPTION","features":[1,116]},{"name":"WS_MESSAGE_DONE_CALLBACK","features":[116]},{"name":"WS_MESSAGE_ID_HEADER","features":[116]},{"name":"WS_MESSAGE_INITIALIZATION","features":[116]},{"name":"WS_MESSAGE_PROPERTIES","features":[116]},{"name":"WS_MESSAGE_PROPERTY","features":[116]},{"name":"WS_MESSAGE_PROPERTY_ADDRESSING_VERSION","features":[116]},{"name":"WS_MESSAGE_PROPERTY_BODY_READER","features":[116]},{"name":"WS_MESSAGE_PROPERTY_BODY_WRITER","features":[116]},{"name":"WS_MESSAGE_PROPERTY_ENCODED_CERT","features":[116]},{"name":"WS_MESSAGE_PROPERTY_ENVELOPE_VERSION","features":[116]},{"name":"WS_MESSAGE_PROPERTY_HEADER_BUFFER","features":[116]},{"name":"WS_MESSAGE_PROPERTY_HEADER_POSITION","features":[116]},{"name":"WS_MESSAGE_PROPERTY_HEAP","features":[116]},{"name":"WS_MESSAGE_PROPERTY_HEAP_PROPERTIES","features":[116]},{"name":"WS_MESSAGE_PROPERTY_HTTP_HEADER_AUTH_WINDOWS_TOKEN","features":[116]},{"name":"WS_MESSAGE_PROPERTY_ID","features":[116]},{"name":"WS_MESSAGE_PROPERTY_IS_ADDRESSED","features":[116]},{"name":"WS_MESSAGE_PROPERTY_IS_FAULT","features":[116]},{"name":"WS_MESSAGE_PROPERTY_MAX_PROCESSED_HEADERS","features":[116]},{"name":"WS_MESSAGE_PROPERTY_MESSAGE_SECURITY_WINDOWS_TOKEN","features":[116]},{"name":"WS_MESSAGE_PROPERTY_PROTECTION_LEVEL","features":[116]},{"name":"WS_MESSAGE_PROPERTY_SAML_ASSERTION","features":[116]},{"name":"WS_MESSAGE_PROPERTY_SECURITY_CONTEXT","features":[116]},{"name":"WS_MESSAGE_PROPERTY_STATE","features":[116]},{"name":"WS_MESSAGE_PROPERTY_TRANSPORT_SECURITY_WINDOWS_TOKEN","features":[116]},{"name":"WS_MESSAGE_PROPERTY_USERNAME","features":[116]},{"name":"WS_MESSAGE_PROPERTY_XML_READER_PROPERTIES","features":[116]},{"name":"WS_MESSAGE_PROPERTY_XML_WRITER_PROPERTIES","features":[116]},{"name":"WS_MESSAGE_SECURITY_USAGE","features":[116]},{"name":"WS_MESSAGE_STATE","features":[116]},{"name":"WS_MESSAGE_STATE_DONE","features":[116]},{"name":"WS_MESSAGE_STATE_EMPTY","features":[116]},{"name":"WS_MESSAGE_STATE_INITIALIZED","features":[116]},{"name":"WS_MESSAGE_STATE_READING","features":[116]},{"name":"WS_MESSAGE_STATE_WRITING","features":[116]},{"name":"WS_METADATA","features":[116]},{"name":"WS_METADATA_ENDPOINT","features":[1,116]},{"name":"WS_METADATA_ENDPOINTS","features":[1,116]},{"name":"WS_METADATA_EXCHANGE_TYPE","features":[116]},{"name":"WS_METADATA_EXCHANGE_TYPE_HTTP_GET","features":[116]},{"name":"WS_METADATA_EXCHANGE_TYPE_MEX","features":[116]},{"name":"WS_METADATA_EXCHANGE_TYPE_NONE","features":[116]},{"name":"WS_METADATA_PROPERTY","features":[116]},{"name":"WS_METADATA_PROPERTY_HEAP_PROPERTIES","features":[116]},{"name":"WS_METADATA_PROPERTY_HEAP_REQUESTED_SIZE","features":[116]},{"name":"WS_METADATA_PROPERTY_HOST_NAMES","features":[116]},{"name":"WS_METADATA_PROPERTY_ID","features":[116]},{"name":"WS_METADATA_PROPERTY_MAX_DOCUMENTS","features":[116]},{"name":"WS_METADATA_PROPERTY_POLICY_PROPERTIES","features":[116]},{"name":"WS_METADATA_PROPERTY_STATE","features":[116]},{"name":"WS_METADATA_PROPERTY_VERIFY_HOST_NAMES","features":[116]},{"name":"WS_METADATA_STATE","features":[116]},{"name":"WS_METADATA_STATE_CREATED","features":[116]},{"name":"WS_METADATA_STATE_FAULTED","features":[116]},{"name":"WS_METADATA_STATE_RESOLVED","features":[116]},{"name":"WS_MINIMAL_FAULT_DISCLOSURE","features":[116]},{"name":"WS_MOVE_TO","features":[116]},{"name":"WS_MOVE_TO_BOF","features":[116]},{"name":"WS_MOVE_TO_CHILD_ELEMENT","features":[116]},{"name":"WS_MOVE_TO_CHILD_NODE","features":[116]},{"name":"WS_MOVE_TO_END_ELEMENT","features":[116]},{"name":"WS_MOVE_TO_EOF","features":[116]},{"name":"WS_MOVE_TO_FIRST_NODE","features":[116]},{"name":"WS_MOVE_TO_NEXT_ELEMENT","features":[116]},{"name":"WS_MOVE_TO_NEXT_NODE","features":[116]},{"name":"WS_MOVE_TO_PARENT_ELEMENT","features":[116]},{"name":"WS_MOVE_TO_PREVIOUS_ELEMENT","features":[116]},{"name":"WS_MOVE_TO_PREVIOUS_NODE","features":[116]},{"name":"WS_MOVE_TO_ROOT_ELEMENT","features":[116]},{"name":"WS_MUST_UNDERSTAND_HEADER_ATTRIBUTE","features":[116]},{"name":"WS_NAMEDPIPE_CHANNEL_BINDING","features":[116]},{"name":"WS_NAMEDPIPE_SSPI_TRANSPORT_SECURITY_BINDING","features":[116]},{"name":"WS_NAMEDPIPE_SSPI_TRANSPORT_SECURITY_BINDING_TYPE","features":[116]},{"name":"WS_NCRYPT_ASYMMETRIC_SECURITY_KEY_HANDLE","features":[116,68]},{"name":"WS_NCRYPT_ASYMMETRIC_SECURITY_KEY_HANDLE_TYPE","features":[116]},{"name":"WS_NETPIPE_URL","features":[116]},{"name":"WS_NETTCP_URL","features":[116]},{"name":"WS_NON_RPC_LITERAL_OPERATION","features":[116]},{"name":"WS_NO_FIELD_MAPPING","features":[116]},{"name":"WS_OPAQUE_WINDOWS_INTEGRATED_AUTH_CREDENTIAL","features":[116]},{"name":"WS_OPAQUE_WINDOWS_INTEGRATED_AUTH_CREDENTIAL_TYPE","features":[116]},{"name":"WS_OPEN_CHANNEL_CALLBACK","features":[116]},{"name":"WS_OPEN_LISTENER_CALLBACK","features":[116]},{"name":"WS_OPERATION_CANCEL_CALLBACK","features":[116]},{"name":"WS_OPERATION_CONTEXT","features":[116]},{"name":"WS_OPERATION_CONTEXT_PROPERTY_CHANNEL","features":[116]},{"name":"WS_OPERATION_CONTEXT_PROPERTY_CHANNEL_USER_STATE","features":[116]},{"name":"WS_OPERATION_CONTEXT_PROPERTY_CONTRACT_DESCRIPTION","features":[116]},{"name":"WS_OPERATION_CONTEXT_PROPERTY_ENDPOINT_ADDRESS","features":[116]},{"name":"WS_OPERATION_CONTEXT_PROPERTY_HEAP","features":[116]},{"name":"WS_OPERATION_CONTEXT_PROPERTY_HOST_USER_STATE","features":[116]},{"name":"WS_OPERATION_CONTEXT_PROPERTY_ID","features":[116]},{"name":"WS_OPERATION_CONTEXT_PROPERTY_INPUT_MESSAGE","features":[116]},{"name":"WS_OPERATION_CONTEXT_PROPERTY_LISTENER","features":[116]},{"name":"WS_OPERATION_CONTEXT_PROPERTY_OUTPUT_MESSAGE","features":[116]},{"name":"WS_OPERATION_DESCRIPTION","features":[1,116]},{"name":"WS_OPERATION_FREE_STATE_CALLBACK","features":[116]},{"name":"WS_OPERATION_STYLE","features":[116]},{"name":"WS_PARAMETER_DESCRIPTION","features":[116]},{"name":"WS_PARAMETER_TYPE","features":[116]},{"name":"WS_PARAMETER_TYPE_ARRAY","features":[116]},{"name":"WS_PARAMETER_TYPE_ARRAY_COUNT","features":[116]},{"name":"WS_PARAMETER_TYPE_MESSAGES","features":[116]},{"name":"WS_PARAMETER_TYPE_NORMAL","features":[116]},{"name":"WS_POLICY","features":[116]},{"name":"WS_POLICY_CONSTRAINTS","features":[116]},{"name":"WS_POLICY_EXTENSION","features":[116]},{"name":"WS_POLICY_EXTENSION_TYPE","features":[116]},{"name":"WS_POLICY_PROPERTIES","features":[116]},{"name":"WS_POLICY_PROPERTY","features":[116]},{"name":"WS_POLICY_PROPERTY_ID","features":[116]},{"name":"WS_POLICY_PROPERTY_MAX_ALTERNATIVES","features":[116]},{"name":"WS_POLICY_PROPERTY_MAX_DEPTH","features":[116]},{"name":"WS_POLICY_PROPERTY_MAX_EXTENSIONS","features":[116]},{"name":"WS_POLICY_PROPERTY_STATE","features":[116]},{"name":"WS_POLICY_STATE","features":[116]},{"name":"WS_POLICY_STATE_CREATED","features":[116]},{"name":"WS_POLICY_STATE_FAULTED","features":[116]},{"name":"WS_PROTECTION_LEVEL","features":[116]},{"name":"WS_PROTECTION_LEVEL_NONE","features":[116]},{"name":"WS_PROTECTION_LEVEL_SIGN","features":[116]},{"name":"WS_PROTECTION_LEVEL_SIGN_AND_ENCRYPT","features":[116]},{"name":"WS_PROXY_FAULT_LANG_ID","features":[116]},{"name":"WS_PROXY_MESSAGE_CALLBACK","features":[116]},{"name":"WS_PROXY_MESSAGE_CALLBACK_CONTEXT","features":[116]},{"name":"WS_PROXY_PROPERTY","features":[116]},{"name":"WS_PROXY_PROPERTY_CALL_TIMEOUT","features":[116]},{"name":"WS_PROXY_PROPERTY_ID","features":[116]},{"name":"WS_PROXY_PROPERTY_MAX_CALL_POOL_SIZE","features":[116]},{"name":"WS_PROXY_PROPERTY_MAX_CLOSE_TIMEOUT","features":[116]},{"name":"WS_PROXY_PROPERTY_MAX_PENDING_CALLS","features":[116]},{"name":"WS_PROXY_PROPERTY_MESSAGE_PROPERTIES","features":[116]},{"name":"WS_PROXY_PROPERTY_STATE","features":[116]},{"name":"WS_PULL_BYTES_CALLBACK","features":[116]},{"name":"WS_PUSH_BYTES_CALLBACK","features":[116]},{"name":"WS_RAW_SYMMETRIC_SECURITY_KEY_HANDLE","features":[116]},{"name":"WS_RAW_SYMMETRIC_SECURITY_KEY_HANDLE_TYPE","features":[116]},{"name":"WS_READ_CALLBACK","features":[116]},{"name":"WS_READ_MESSAGE_END_CALLBACK","features":[116]},{"name":"WS_READ_MESSAGE_START_CALLBACK","features":[116]},{"name":"WS_READ_NILLABLE_POINTER","features":[116]},{"name":"WS_READ_NILLABLE_VALUE","features":[116]},{"name":"WS_READ_OPTION","features":[116]},{"name":"WS_READ_OPTIONAL_POINTER","features":[116]},{"name":"WS_READ_REQUIRED_POINTER","features":[116]},{"name":"WS_READ_REQUIRED_VALUE","features":[116]},{"name":"WS_READ_TYPE_CALLBACK","features":[116]},{"name":"WS_RECEIVE_OPTION","features":[116]},{"name":"WS_RECEIVE_OPTIONAL_MESSAGE","features":[116]},{"name":"WS_RECEIVE_REQUIRED_MESSAGE","features":[116]},{"name":"WS_RELATES_TO_HEADER","features":[116]},{"name":"WS_RELAY_HEADER_ATTRIBUTE","features":[116]},{"name":"WS_REPEATING_ANY_ELEMENT_FIELD_MAPPING","features":[116]},{"name":"WS_REPEATING_ELEMENT_CHOICE_FIELD_MAPPING","features":[116]},{"name":"WS_REPEATING_ELEMENT_FIELD_MAPPING","features":[116]},{"name":"WS_REPEATING_HEADER","features":[116]},{"name":"WS_REPEATING_HEADER_OPTION","features":[116]},{"name":"WS_REPLY_MESSAGE","features":[116]},{"name":"WS_REPLY_TO_HEADER","features":[116]},{"name":"WS_REQUEST_MESSAGE","features":[116]},{"name":"WS_REQUEST_SECURITY_TOKEN_ACTION","features":[116]},{"name":"WS_REQUEST_SECURITY_TOKEN_ACTION_ISSUE","features":[116]},{"name":"WS_REQUEST_SECURITY_TOKEN_ACTION_NEW_CONTEXT","features":[116]},{"name":"WS_REQUEST_SECURITY_TOKEN_ACTION_RENEW_CONTEXT","features":[116]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY","features":[116]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_APPLIES_TO","features":[116]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_BEARER_KEY_TYPE_VERSION","features":[116]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_CONSTRAINT","features":[116]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_EXISTING_TOKEN","features":[116]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_ID","features":[116]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_ISSUED_TOKEN_KEY_ENTROPY","features":[116]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_ISSUED_TOKEN_KEY_SIZE","features":[116]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_ISSUED_TOKEN_KEY_TYPE","features":[116]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_ISSUED_TOKEN_TYPE","features":[116]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_LOCAL_REQUEST_PARAMETERS","features":[116]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_MESSAGE_PROPERTIES","features":[116]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_REQUEST_ACTION","features":[116]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_SECURE_CONVERSATION_VERSION","features":[116]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_SERVICE_REQUEST_PARAMETERS","features":[116]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_TRUST_VERSION","features":[116]},{"name":"WS_RESET_CHANNEL_CALLBACK","features":[116]},{"name":"WS_RESET_LISTENER_CALLBACK","features":[116]},{"name":"WS_RPC_LITERAL_OPERATION","features":[116]},{"name":"WS_RSA_ENDPOINT_IDENTITY","features":[116]},{"name":"WS_RSA_ENDPOINT_IDENTITY_TYPE","features":[116]},{"name":"WS_SAML_AUTHENTICATOR","features":[116]},{"name":"WS_SAML_AUTHENTICATOR_TYPE","features":[116]},{"name":"WS_SAML_MESSAGE_SECURITY_BINDING","features":[116]},{"name":"WS_SAML_MESSAGE_SECURITY_BINDING_TYPE","features":[116]},{"name":"WS_SECURE_CONVERSATION_VERSION","features":[116]},{"name":"WS_SECURE_CONVERSATION_VERSION_1_3","features":[116]},{"name":"WS_SECURE_CONVERSATION_VERSION_FEBRUARY_2005","features":[116]},{"name":"WS_SECURE_PROTOCOL","features":[116]},{"name":"WS_SECURE_PROTOCOL_SSL2","features":[116]},{"name":"WS_SECURE_PROTOCOL_SSL3","features":[116]},{"name":"WS_SECURE_PROTOCOL_TLS1_0","features":[116]},{"name":"WS_SECURE_PROTOCOL_TLS1_1","features":[116]},{"name":"WS_SECURE_PROTOCOL_TLS1_2","features":[116]},{"name":"WS_SECURITY_ALGORITHM_ASYMMETRIC_KEYWRAP_RSA_1_5","features":[116]},{"name":"WS_SECURITY_ALGORITHM_ASYMMETRIC_KEYWRAP_RSA_OAEP","features":[116]},{"name":"WS_SECURITY_ALGORITHM_ASYMMETRIC_SIGNATURE_DSA_SHA1","features":[116]},{"name":"WS_SECURITY_ALGORITHM_ASYMMETRIC_SIGNATURE_RSA_SHA1","features":[116]},{"name":"WS_SECURITY_ALGORITHM_ASYMMETRIC_SIGNATURE_RSA_SHA_256","features":[116]},{"name":"WS_SECURITY_ALGORITHM_ASYMMETRIC_SIGNATURE_RSA_SHA_384","features":[116]},{"name":"WS_SECURITY_ALGORITHM_ASYMMETRIC_SIGNATURE_RSA_SHA_512","features":[116]},{"name":"WS_SECURITY_ALGORITHM_CANONICALIZATION_EXCLUSIVE","features":[116]},{"name":"WS_SECURITY_ALGORITHM_CANONICALIZATION_EXCLUSIVE_WITH_COMMENTS","features":[116]},{"name":"WS_SECURITY_ALGORITHM_DEFAULT","features":[116]},{"name":"WS_SECURITY_ALGORITHM_DIGEST_SHA1","features":[116]},{"name":"WS_SECURITY_ALGORITHM_DIGEST_SHA_256","features":[116]},{"name":"WS_SECURITY_ALGORITHM_DIGEST_SHA_384","features":[116]},{"name":"WS_SECURITY_ALGORITHM_DIGEST_SHA_512","features":[116]},{"name":"WS_SECURITY_ALGORITHM_ID","features":[116]},{"name":"WS_SECURITY_ALGORITHM_KEY_DERIVATION_P_SHA1","features":[116]},{"name":"WS_SECURITY_ALGORITHM_PROPERTY","features":[116]},{"name":"WS_SECURITY_ALGORITHM_PROPERTY_ID","features":[116]},{"name":"WS_SECURITY_ALGORITHM_SUITE","features":[116]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME","features":[116]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC128","features":[116]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC128_RSA15","features":[116]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC128_SHA256","features":[116]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC128_SHA256_RSA15","features":[116]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC192","features":[116]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC192_RSA15","features":[116]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC192_SHA256","features":[116]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC192_SHA256_RSA15","features":[116]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC256","features":[116]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC256_RSA15","features":[116]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC256_SHA256","features":[116]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC256_SHA256_RSA15","features":[116]},{"name":"WS_SECURITY_ALGORITHM_SYMMETRIC_SIGNATURE_HMAC_SHA1","features":[116]},{"name":"WS_SECURITY_ALGORITHM_SYMMETRIC_SIGNATURE_HMAC_SHA_256","features":[116]},{"name":"WS_SECURITY_ALGORITHM_SYMMETRIC_SIGNATURE_HMAC_SHA_384","features":[116]},{"name":"WS_SECURITY_ALGORITHM_SYMMETRIC_SIGNATURE_HMAC_SHA_512","features":[116]},{"name":"WS_SECURITY_BEARER_KEY_TYPE_VERSION","features":[116]},{"name":"WS_SECURITY_BEARER_KEY_TYPE_VERSION_1_3_ERRATA_01","features":[116]},{"name":"WS_SECURITY_BEARER_KEY_TYPE_VERSION_1_3_ORIGINAL_SCHEMA","features":[116]},{"name":"WS_SECURITY_BEARER_KEY_TYPE_VERSION_1_3_ORIGINAL_SPECIFICATION","features":[116]},{"name":"WS_SECURITY_BINDING","features":[116]},{"name":"WS_SECURITY_BINDING_CONSTRAINT","features":[116]},{"name":"WS_SECURITY_BINDING_CONSTRAINT_TYPE","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTIES","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_ALLOWED_IMPERSONATION_LEVEL","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_ALLOW_ANONYMOUS_CLIENTS","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_CERTIFICATE_VALIDATION_CALLBACK_CONTEXT","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_CERT_FAILURES_TO_IGNORE","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_CONSTRAINT","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_DISABLE_CERT_REVOCATION_CHECK","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_DISALLOWED_SECURE_PROTOCOLS","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_HTTP_HEADER_AUTH_BASIC_REALM","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_HTTP_HEADER_AUTH_DIGEST_DOMAIN","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_HTTP_HEADER_AUTH_DIGEST_REALM","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_HTTP_HEADER_AUTH_SCHEME","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_HTTP_HEADER_AUTH_TARGET","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_ID","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_MESSAGE_PROPERTIES","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_REQUIRE_SERVER_AUTH","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_REQUIRE_SSL_CLIENT_CERT","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_SECURE_CONVERSATION_VERSION","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_SECURITY_CONTEXT_KEY_ENTROPY_MODE","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_SECURITY_CONTEXT_KEY_SIZE","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_SECURITY_CONTEXT_MAX_ACTIVE_CONTEXTS","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_SECURITY_CONTEXT_MAX_PENDING_CONTEXTS","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_SECURITY_CONTEXT_RENEWAL_INTERVAL","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_SECURITY_CONTEXT_ROLLOVER_INTERVAL","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_SECURITY_CONTEXT_SUPPORT_RENEW","features":[116]},{"name":"WS_SECURITY_BINDING_PROPERTY_WINDOWS_INTEGRATED_AUTH_PACKAGE","features":[116]},{"name":"WS_SECURITY_BINDING_TYPE","features":[116]},{"name":"WS_SECURITY_CONSTRAINTS","features":[116]},{"name":"WS_SECURITY_CONTEXT","features":[116]},{"name":"WS_SECURITY_CONTEXT_MESSAGE_SECURITY_BINDING","features":[116]},{"name":"WS_SECURITY_CONTEXT_MESSAGE_SECURITY_BINDING_CONSTRAINT","features":[116]},{"name":"WS_SECURITY_CONTEXT_MESSAGE_SECURITY_BINDING_CONSTRAINT_TYPE","features":[116]},{"name":"WS_SECURITY_CONTEXT_MESSAGE_SECURITY_BINDING_POLICY_DESCRIPTION","features":[116]},{"name":"WS_SECURITY_CONTEXT_MESSAGE_SECURITY_BINDING_TEMPLATE","features":[116]},{"name":"WS_SECURITY_CONTEXT_MESSAGE_SECURITY_BINDING_TYPE","features":[116]},{"name":"WS_SECURITY_CONTEXT_PROPERTY","features":[116]},{"name":"WS_SECURITY_CONTEXT_PROPERTY_ID","features":[116]},{"name":"WS_SECURITY_CONTEXT_PROPERTY_IDENTIFIER","features":[116]},{"name":"WS_SECURITY_CONTEXT_PROPERTY_MESSAGE_SECURITY_WINDOWS_TOKEN","features":[116]},{"name":"WS_SECURITY_CONTEXT_PROPERTY_SAML_ASSERTION","features":[116]},{"name":"WS_SECURITY_CONTEXT_PROPERTY_USERNAME","features":[116]},{"name":"WS_SECURITY_CONTEXT_SECURITY_BINDING_POLICY_DESCRIPTION","features":[116]},{"name":"WS_SECURITY_CONTEXT_SECURITY_BINDING_TEMPLATE","features":[116]},{"name":"WS_SECURITY_DESCRIPTION","features":[116]},{"name":"WS_SECURITY_HEADER_LAYOUT","features":[116]},{"name":"WS_SECURITY_HEADER_LAYOUT_LAX","features":[116]},{"name":"WS_SECURITY_HEADER_LAYOUT_LAX_WITH_TIMESTAMP_FIRST","features":[116]},{"name":"WS_SECURITY_HEADER_LAYOUT_LAX_WITH_TIMESTAMP_LAST","features":[116]},{"name":"WS_SECURITY_HEADER_LAYOUT_STRICT","features":[116]},{"name":"WS_SECURITY_HEADER_VERSION","features":[116]},{"name":"WS_SECURITY_HEADER_VERSION_1_0","features":[116]},{"name":"WS_SECURITY_HEADER_VERSION_1_1","features":[116]},{"name":"WS_SECURITY_KEY_ENTROPY_MODE","features":[116]},{"name":"WS_SECURITY_KEY_ENTROPY_MODE_CLIENT_ONLY","features":[116]},{"name":"WS_SECURITY_KEY_ENTROPY_MODE_COMBINED","features":[116]},{"name":"WS_SECURITY_KEY_ENTROPY_MODE_SERVER_ONLY","features":[116]},{"name":"WS_SECURITY_KEY_HANDLE","features":[116]},{"name":"WS_SECURITY_KEY_HANDLE_TYPE","features":[116]},{"name":"WS_SECURITY_KEY_TYPE","features":[116]},{"name":"WS_SECURITY_KEY_TYPE_ASYMMETRIC","features":[116]},{"name":"WS_SECURITY_KEY_TYPE_NONE","features":[116]},{"name":"WS_SECURITY_KEY_TYPE_SYMMETRIC","features":[116]},{"name":"WS_SECURITY_PROPERTIES","features":[116]},{"name":"WS_SECURITY_PROPERTY","features":[116]},{"name":"WS_SECURITY_PROPERTY_ALGORITHM_SUITE","features":[116]},{"name":"WS_SECURITY_PROPERTY_ALGORITHM_SUITE_NAME","features":[116]},{"name":"WS_SECURITY_PROPERTY_CONSTRAINT","features":[116]},{"name":"WS_SECURITY_PROPERTY_EXTENDED_PROTECTION_POLICY","features":[116]},{"name":"WS_SECURITY_PROPERTY_EXTENDED_PROTECTION_SCENARIO","features":[116]},{"name":"WS_SECURITY_PROPERTY_ID","features":[116]},{"name":"WS_SECURITY_PROPERTY_MAX_ALLOWED_CLOCK_SKEW","features":[116]},{"name":"WS_SECURITY_PROPERTY_MAX_ALLOWED_LATENCY","features":[116]},{"name":"WS_SECURITY_PROPERTY_SECURITY_HEADER_LAYOUT","features":[116]},{"name":"WS_SECURITY_PROPERTY_SECURITY_HEADER_VERSION","features":[116]},{"name":"WS_SECURITY_PROPERTY_SERVICE_IDENTITIES","features":[116]},{"name":"WS_SECURITY_PROPERTY_TIMESTAMP_USAGE","features":[116]},{"name":"WS_SECURITY_PROPERTY_TIMESTAMP_VALIDITY_DURATION","features":[116]},{"name":"WS_SECURITY_PROPERTY_TRANSPORT_PROTECTION_LEVEL","features":[116]},{"name":"WS_SECURITY_TIMESTAMP_USAGE","features":[116]},{"name":"WS_SECURITY_TIMESTAMP_USAGE_ALWAYS","features":[116]},{"name":"WS_SECURITY_TIMESTAMP_USAGE_NEVER","features":[116]},{"name":"WS_SECURITY_TIMESTAMP_USAGE_REQUESTS_ONLY","features":[116]},{"name":"WS_SECURITY_TOKEN","features":[116]},{"name":"WS_SECURITY_TOKEN_PROPERTY_ATTACHED_REFERENCE_XML","features":[116]},{"name":"WS_SECURITY_TOKEN_PROPERTY_ID","features":[116]},{"name":"WS_SECURITY_TOKEN_PROPERTY_KEY_TYPE","features":[116]},{"name":"WS_SECURITY_TOKEN_PROPERTY_SERIALIZED_XML","features":[116]},{"name":"WS_SECURITY_TOKEN_PROPERTY_SYMMETRIC_KEY","features":[116]},{"name":"WS_SECURITY_TOKEN_PROPERTY_UNATTACHED_REFERENCE_XML","features":[116]},{"name":"WS_SECURITY_TOKEN_PROPERTY_VALID_FROM_TIME","features":[116]},{"name":"WS_SECURITY_TOKEN_PROPERTY_VALID_TILL_TIME","features":[116]},{"name":"WS_SECURITY_TOKEN_REFERENCE_MODE","features":[116]},{"name":"WS_SECURITY_TOKEN_REFERENCE_MODE_CERT_THUMBPRINT","features":[116]},{"name":"WS_SECURITY_TOKEN_REFERENCE_MODE_LOCAL_ID","features":[116]},{"name":"WS_SECURITY_TOKEN_REFERENCE_MODE_SAML_ASSERTION_ID","features":[116]},{"name":"WS_SECURITY_TOKEN_REFERENCE_MODE_SECURITY_CONTEXT_ID","features":[116]},{"name":"WS_SECURITY_TOKEN_REFERENCE_MODE_XML_BUFFER","features":[116]},{"name":"WS_SERVICE_ACCEPT_CHANNEL_CALLBACK","features":[116]},{"name":"WS_SERVICE_CANCEL_REASON","features":[116]},{"name":"WS_SERVICE_CHANNEL_FAULTED","features":[116]},{"name":"WS_SERVICE_CLOSE_CHANNEL_CALLBACK","features":[116]},{"name":"WS_SERVICE_CONTRACT","features":[1,116]},{"name":"WS_SERVICE_ENDPOINT","features":[1,116]},{"name":"WS_SERVICE_ENDPOINT_METADATA","features":[1,116]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY","features":[116]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_ACCEPT_CHANNEL_CALLBACK","features":[116]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_BODY_HEAP_MAX_SIZE","features":[116]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_BODY_HEAP_TRIM_SIZE","features":[116]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_CHECK_MUST_UNDERSTAND","features":[116]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_CLOSE_CHANNEL_CALLBACK","features":[116]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_ID","features":[116]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_LISTENER_PROPERTIES","features":[116]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_MAX_ACCEPTING_CHANNELS","features":[116]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_MAX_CALL_POOL_SIZE","features":[116]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_MAX_CHANNELS","features":[116]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_MAX_CHANNEL_POOL_SIZE","features":[116]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_MAX_CONCURRENCY","features":[116]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_MESSAGE_PROPERTIES","features":[116]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_METADATA","features":[116]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_METADATA_EXCHANGE_TYPE","features":[116]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_METADATA_EXCHANGE_URL_SUFFIX","features":[116]},{"name":"WS_SERVICE_HOST","features":[116]},{"name":"WS_SERVICE_HOST_ABORT","features":[116]},{"name":"WS_SERVICE_HOST_STATE","features":[116]},{"name":"WS_SERVICE_HOST_STATE_CLOSED","features":[116]},{"name":"WS_SERVICE_HOST_STATE_CLOSING","features":[116]},{"name":"WS_SERVICE_HOST_STATE_CREATED","features":[116]},{"name":"WS_SERVICE_HOST_STATE_FAULTED","features":[116]},{"name":"WS_SERVICE_HOST_STATE_OPEN","features":[116]},{"name":"WS_SERVICE_HOST_STATE_OPENING","features":[116]},{"name":"WS_SERVICE_MESSAGE_RECEIVE_CALLBACK","features":[116]},{"name":"WS_SERVICE_METADATA","features":[1,116]},{"name":"WS_SERVICE_METADATA_DOCUMENT","features":[1,116]},{"name":"WS_SERVICE_OPERATION_MESSAGE_NILLABLE_ELEMENT","features":[116]},{"name":"WS_SERVICE_PROPERTY","features":[116]},{"name":"WS_SERVICE_PROPERTY_ACCEPT_CALLBACK","features":[116]},{"name":"WS_SERVICE_PROPERTY_CLOSE_CALLBACK","features":[116]},{"name":"WS_SERVICE_PROPERTY_CLOSE_TIMEOUT","features":[116]},{"name":"WS_SERVICE_PROPERTY_FAULT_DISCLOSURE","features":[116]},{"name":"WS_SERVICE_PROPERTY_FAULT_LANGID","features":[116]},{"name":"WS_SERVICE_PROPERTY_HOST_STATE","features":[116]},{"name":"WS_SERVICE_PROPERTY_HOST_USER_STATE","features":[116]},{"name":"WS_SERVICE_PROPERTY_ID","features":[116]},{"name":"WS_SERVICE_PROPERTY_METADATA","features":[116]},{"name":"WS_SERVICE_PROXY","features":[116]},{"name":"WS_SERVICE_PROXY_STATE","features":[116]},{"name":"WS_SERVICE_PROXY_STATE_CLOSED","features":[116]},{"name":"WS_SERVICE_PROXY_STATE_CLOSING","features":[116]},{"name":"WS_SERVICE_PROXY_STATE_CREATED","features":[116]},{"name":"WS_SERVICE_PROXY_STATE_FAULTED","features":[116]},{"name":"WS_SERVICE_PROXY_STATE_OPEN","features":[116]},{"name":"WS_SERVICE_PROXY_STATE_OPENING","features":[116]},{"name":"WS_SERVICE_SECURITY_CALLBACK","features":[1,116]},{"name":"WS_SERVICE_SECURITY_IDENTITIES","features":[116]},{"name":"WS_SERVICE_STUB_CALLBACK","features":[116]},{"name":"WS_SET_CHANNEL_PROPERTY_CALLBACK","features":[116]},{"name":"WS_SET_LISTENER_PROPERTY_CALLBACK","features":[116]},{"name":"WS_SHORT_CALLBACK","features":[116]},{"name":"WS_SHUTDOWN_SESSION_CHANNEL_CALLBACK","features":[116]},{"name":"WS_SINGLETON_HEADER","features":[116]},{"name":"WS_SOAPUDP_URL","features":[116]},{"name":"WS_SPN_ENDPOINT_IDENTITY","features":[116]},{"name":"WS_SPN_ENDPOINT_IDENTITY_TYPE","features":[116]},{"name":"WS_SSL_TRANSPORT_SECURITY_BINDING","features":[116]},{"name":"WS_SSL_TRANSPORT_SECURITY_BINDING_CONSTRAINT","features":[1,116]},{"name":"WS_SSL_TRANSPORT_SECURITY_BINDING_CONSTRAINT_TYPE","features":[116]},{"name":"WS_SSL_TRANSPORT_SECURITY_BINDING_POLICY_DESCRIPTION","features":[116]},{"name":"WS_SSL_TRANSPORT_SECURITY_BINDING_TEMPLATE","features":[116]},{"name":"WS_SSL_TRANSPORT_SECURITY_BINDING_TYPE","features":[116]},{"name":"WS_SSPI_TRANSPORT_SECURITY_BINDING_POLICY_DESCRIPTION","features":[116]},{"name":"WS_STREAMED_INPUT_TRANSFER_MODE","features":[116]},{"name":"WS_STREAMED_OUTPUT_TRANSFER_MODE","features":[116]},{"name":"WS_STREAMED_TRANSFER_MODE","features":[116]},{"name":"WS_STRING","features":[116]},{"name":"WS_STRING_DESCRIPTION","features":[116]},{"name":"WS_STRING_TYPE","features":[116]},{"name":"WS_STRING_USERNAME_CREDENTIAL","features":[116]},{"name":"WS_STRING_USERNAME_CREDENTIAL_TYPE","features":[116]},{"name":"WS_STRING_WINDOWS_INTEGRATED_AUTH_CREDENTIAL","features":[116]},{"name":"WS_STRING_WINDOWS_INTEGRATED_AUTH_CREDENTIAL_TYPE","features":[116]},{"name":"WS_STRUCT_ABSTRACT","features":[116]},{"name":"WS_STRUCT_DESCRIPTION","features":[1,116]},{"name":"WS_STRUCT_IGNORE_TRAILING_ELEMENT_CONTENT","features":[116]},{"name":"WS_STRUCT_IGNORE_UNHANDLED_ATTRIBUTES","features":[116]},{"name":"WS_STRUCT_TYPE","features":[116]},{"name":"WS_SUBJECT_NAME_CERT_CREDENTIAL","features":[116]},{"name":"WS_SUBJECT_NAME_CERT_CREDENTIAL_TYPE","features":[116]},{"name":"WS_SUPPORTING_MESSAGE_SECURITY_USAGE","features":[116]},{"name":"WS_TCP_BINDING_TEMPLATE","features":[116]},{"name":"WS_TCP_BINDING_TEMPLATE_TYPE","features":[116]},{"name":"WS_TCP_CHANNEL_BINDING","features":[116]},{"name":"WS_TCP_POLICY_DESCRIPTION","features":[116]},{"name":"WS_TCP_SSPI_BINDING_TEMPLATE","features":[116]},{"name":"WS_TCP_SSPI_BINDING_TEMPLATE_TYPE","features":[116]},{"name":"WS_TCP_SSPI_KERBEROS_APREQ_BINDING_TEMPLATE","features":[116]},{"name":"WS_TCP_SSPI_KERBEROS_APREQ_BINDING_TEMPLATE_TYPE","features":[116]},{"name":"WS_TCP_SSPI_KERBEROS_APREQ_POLICY_DESCRIPTION","features":[116]},{"name":"WS_TCP_SSPI_KERBEROS_APREQ_SECURITY_CONTEXT_BINDING_TEMPLATE","features":[116]},{"name":"WS_TCP_SSPI_KERBEROS_APREQ_SECURITY_CONTEXT_BINDING_TEMPLATE_TYPE","features":[116]},{"name":"WS_TCP_SSPI_KERBEROS_APREQ_SECURITY_CONTEXT_POLICY_DESCRIPTION","features":[116]},{"name":"WS_TCP_SSPI_POLICY_DESCRIPTION","features":[116]},{"name":"WS_TCP_SSPI_TRANSPORT_SECURITY_BINDING","features":[116]},{"name":"WS_TCP_SSPI_TRANSPORT_SECURITY_BINDING_CONSTRAINT","features":[116]},{"name":"WS_TCP_SSPI_TRANSPORT_SECURITY_BINDING_CONSTRAINT_TYPE","features":[116]},{"name":"WS_TCP_SSPI_TRANSPORT_SECURITY_BINDING_TEMPLATE","features":[116]},{"name":"WS_TCP_SSPI_TRANSPORT_SECURITY_BINDING_TYPE","features":[116]},{"name":"WS_TCP_SSPI_USERNAME_BINDING_TEMPLATE","features":[116]},{"name":"WS_TCP_SSPI_USERNAME_BINDING_TEMPLATE_TYPE","features":[116]},{"name":"WS_TCP_SSPI_USERNAME_POLICY_DESCRIPTION","features":[116]},{"name":"WS_TCP_SSPI_USERNAME_SECURITY_CONTEXT_BINDING_TEMPLATE","features":[116]},{"name":"WS_TCP_SSPI_USERNAME_SECURITY_CONTEXT_BINDING_TEMPLATE_TYPE","features":[116]},{"name":"WS_TCP_SSPI_USERNAME_SECURITY_CONTEXT_POLICY_DESCRIPTION","features":[116]},{"name":"WS_TEXT_FIELD_MAPPING","features":[116]},{"name":"WS_THUMBPRINT_CERT_CREDENTIAL","features":[116]},{"name":"WS_THUMBPRINT_CERT_CREDENTIAL_TYPE","features":[116]},{"name":"WS_TIMESPAN","features":[116]},{"name":"WS_TIMESPAN_DESCRIPTION","features":[116]},{"name":"WS_TIMESPAN_TYPE","features":[116]},{"name":"WS_TIMESPAN_VALUE_TYPE","features":[116]},{"name":"WS_TO_HEADER","features":[116]},{"name":"WS_TRACE_API","features":[116]},{"name":"WS_TRACE_API_ABANDON_MESSAGE","features":[116]},{"name":"WS_TRACE_API_ABORT_CALL","features":[116]},{"name":"WS_TRACE_API_ABORT_CHANNEL","features":[116]},{"name":"WS_TRACE_API_ABORT_LISTENER","features":[116]},{"name":"WS_TRACE_API_ABORT_SERVICE_HOST","features":[116]},{"name":"WS_TRACE_API_ABORT_SERVICE_PROXY","features":[116]},{"name":"WS_TRACE_API_ACCEPT_CHANNEL","features":[116]},{"name":"WS_TRACE_API_ADDRESS_MESSAGE","features":[116]},{"name":"WS_TRACE_API_ADD_CUSTOM_HEADER","features":[116]},{"name":"WS_TRACE_API_ADD_ERROR_STRING","features":[116]},{"name":"WS_TRACE_API_ADD_MAPPED_HEADER","features":[116]},{"name":"WS_TRACE_API_ALLOC","features":[116]},{"name":"WS_TRACE_API_ASYNC_EXECUTE","features":[116]},{"name":"WS_TRACE_API_CALL","features":[116]},{"name":"WS_TRACE_API_CHECK_MUST_UNDERSTAND_HEADERS","features":[116]},{"name":"WS_TRACE_API_CLOSE_CHANNEL","features":[116]},{"name":"WS_TRACE_API_CLOSE_LISTENER","features":[116]},{"name":"WS_TRACE_API_CLOSE_SERVICE_HOST","features":[116]},{"name":"WS_TRACE_API_CLOSE_SERVICE_PROXY","features":[116]},{"name":"WS_TRACE_API_COMBINE_URL","features":[116]},{"name":"WS_TRACE_API_COPY_ERROR","features":[116]},{"name":"WS_TRACE_API_COPY_NODE","features":[116]},{"name":"WS_TRACE_API_CREATE_CHANNEL","features":[116]},{"name":"WS_TRACE_API_CREATE_CHANNEL_FOR_LISTENER","features":[116]},{"name":"WS_TRACE_API_CREATE_ERROR","features":[116]},{"name":"WS_TRACE_API_CREATE_FAULT_FROM_ERROR","features":[116]},{"name":"WS_TRACE_API_CREATE_HEAP","features":[116]},{"name":"WS_TRACE_API_CREATE_LISTENER","features":[116]},{"name":"WS_TRACE_API_CREATE_MESSAGE","features":[116]},{"name":"WS_TRACE_API_CREATE_MESSAGE_FOR_CHANNEL","features":[116]},{"name":"WS_TRACE_API_CREATE_METADATA","features":[116]},{"name":"WS_TRACE_API_CREATE_READER","features":[116]},{"name":"WS_TRACE_API_CREATE_SERVICE_HOST","features":[116]},{"name":"WS_TRACE_API_CREATE_SERVICE_PROXY","features":[116]},{"name":"WS_TRACE_API_CREATE_WRITER","features":[116]},{"name":"WS_TRACE_API_CREATE_XML_BUFFER","features":[116]},{"name":"WS_TRACE_API_CREATE_XML_SECURITY_TOKEN","features":[116]},{"name":"WS_TRACE_API_DATETIME_TO_FILETIME","features":[116]},{"name":"WS_TRACE_API_DECODE_URL","features":[116]},{"name":"WS_TRACE_API_DUMP_MEMORY","features":[116]},{"name":"WS_TRACE_API_ENCODE_URL","features":[116]},{"name":"WS_TRACE_API_END_READER_CANONICALIZATION","features":[116]},{"name":"WS_TRACE_API_END_WRITER_CANONICALIZATION","features":[116]},{"name":"WS_TRACE_API_FILETIME_TO_DATETIME","features":[116]},{"name":"WS_TRACE_API_FILL_BODY","features":[116]},{"name":"WS_TRACE_API_FILL_READER","features":[116]},{"name":"WS_TRACE_API_FIND_ATTRIBUTE","features":[116]},{"name":"WS_TRACE_API_FLUSH_BODY","features":[116]},{"name":"WS_TRACE_API_FLUSH_WRITER","features":[116]},{"name":"WS_TRACE_API_FREE_CHANNEL","features":[116]},{"name":"WS_TRACE_API_FREE_ERROR","features":[116]},{"name":"WS_TRACE_API_FREE_HEAP","features":[116]},{"name":"WS_TRACE_API_FREE_LISTENER","features":[116]},{"name":"WS_TRACE_API_FREE_MESSAGE","features":[116]},{"name":"WS_TRACE_API_FREE_METADATA","features":[116]},{"name":"WS_TRACE_API_FREE_SECURITY_TOKEN","features":[116]},{"name":"WS_TRACE_API_FREE_SERVICE_HOST","features":[116]},{"name":"WS_TRACE_API_FREE_SERVICE_PROXY","features":[116]},{"name":"WS_TRACE_API_FREE_XML_READER","features":[116]},{"name":"WS_TRACE_API_FREE_XML_WRITER","features":[116]},{"name":"WS_TRACE_API_GET_CHANNEL_PROPERTY","features":[116]},{"name":"WS_TRACE_API_GET_CONTEXT_PROPERTY","features":[116]},{"name":"WS_TRACE_API_GET_CUSTOM_HEADER","features":[116]},{"name":"WS_TRACE_API_GET_DICTIONARY","features":[116]},{"name":"WS_TRACE_API_GET_ERROR_PROPERTY","features":[116]},{"name":"WS_TRACE_API_GET_ERROR_STRING","features":[116]},{"name":"WS_TRACE_API_GET_FAULT_ERROR_DETAIL","features":[116]},{"name":"WS_TRACE_API_GET_FAULT_ERROR_PROPERTY","features":[116]},{"name":"WS_TRACE_API_GET_HEADER","features":[116]},{"name":"WS_TRACE_API_GET_HEADER_ATTRIBUTES","features":[116]},{"name":"WS_TRACE_API_GET_HEAP_PROPERTY","features":[116]},{"name":"WS_TRACE_API_GET_LISTENER_PROPERTY","features":[116]},{"name":"WS_TRACE_API_GET_MAPPED_HEADER","features":[116]},{"name":"WS_TRACE_API_GET_MESSAGE_PROPERTY","features":[116]},{"name":"WS_TRACE_API_GET_METADATA_ENDPOINTS","features":[116]},{"name":"WS_TRACE_API_GET_METADATA_PROPERTY","features":[116]},{"name":"WS_TRACE_API_GET_MISSING_METADATA_DOCUMENT_ADDRESS","features":[116]},{"name":"WS_TRACE_API_GET_POLICY_ALTERNATIVE_COUNT","features":[116]},{"name":"WS_TRACE_API_GET_POLICY_PROPERTY","features":[116]},{"name":"WS_TRACE_API_GET_READER_NODE","features":[116]},{"name":"WS_TRACE_API_GET_READER_POSITION","features":[116]},{"name":"WS_TRACE_API_GET_READER_PROPERTY","features":[116]},{"name":"WS_TRACE_API_GET_SECURITY_CONTEXT_PROPERTY","features":[116]},{"name":"WS_TRACE_API_GET_SECURITY_TOKEN_PROPERTY","features":[116]},{"name":"WS_TRACE_API_GET_SERVICE_HOST_PROPERTY","features":[116]},{"name":"WS_TRACE_API_GET_SERVICE_PROXY_PROPERTY","features":[116]},{"name":"WS_TRACE_API_GET_WRITER_POSITION","features":[116]},{"name":"WS_TRACE_API_GET_WRITER_PROPERTY","features":[116]},{"name":"WS_TRACE_API_GET_XML_ATTRIBUTE","features":[116]},{"name":"WS_TRACE_API_INITIALIZE_MESSAGE","features":[116]},{"name":"WS_TRACE_API_MARK_HEADER_AS_UNDERSTOOD","features":[116]},{"name":"WS_TRACE_API_MATCH_POLICY_ALTERNATIVE","features":[116]},{"name":"WS_TRACE_API_MOVE_READER","features":[116]},{"name":"WS_TRACE_API_MOVE_WRITER","features":[116]},{"name":"WS_TRACE_API_NAMESPACE_FROM_PREFIX","features":[116]},{"name":"WS_TRACE_API_NONE","features":[116]},{"name":"WS_TRACE_API_OPEN_CHANNEL","features":[116]},{"name":"WS_TRACE_API_OPEN_LISTENER","features":[116]},{"name":"WS_TRACE_API_OPEN_SERVICE_HOST","features":[116]},{"name":"WS_TRACE_API_OPEN_SERVICE_PROXY","features":[116]},{"name":"WS_TRACE_API_PREFIX_FROM_NAMESPACE","features":[116]},{"name":"WS_TRACE_API_PULL_BYTES","features":[116]},{"name":"WS_TRACE_API_PUSH_BYTES","features":[116]},{"name":"WS_TRACE_API_READ_ARRAY","features":[116]},{"name":"WS_TRACE_API_READ_ATTRIBUTE_TYPE","features":[116]},{"name":"WS_TRACE_API_READ_BODY","features":[116]},{"name":"WS_TRACE_API_READ_BYTES","features":[116]},{"name":"WS_TRACE_API_READ_CHARS","features":[116]},{"name":"WS_TRACE_API_READ_CHARS_UTF8","features":[116]},{"name":"WS_TRACE_API_READ_ELEMENT_TYPE","features":[116]},{"name":"WS_TRACE_API_READ_ELEMENT_VALUE","features":[116]},{"name":"WS_TRACE_API_READ_ENDPOINT_ADDRESS_EXTENSION","features":[116]},{"name":"WS_TRACE_API_READ_END_ATTRIBUTE","features":[116]},{"name":"WS_TRACE_API_READ_END_ELEMENT","features":[116]},{"name":"WS_TRACE_API_READ_ENVELOPE_END","features":[116]},{"name":"WS_TRACE_API_READ_ENVELOPE_START","features":[116]},{"name":"WS_TRACE_API_READ_MESSAGE_END","features":[116]},{"name":"WS_TRACE_API_READ_MESSAGE_START","features":[116]},{"name":"WS_TRACE_API_READ_METADATA","features":[116]},{"name":"WS_TRACE_API_READ_NODE","features":[116]},{"name":"WS_TRACE_API_READ_QUALIFIED_NAME","features":[116]},{"name":"WS_TRACE_API_READ_START_ATTRIBUTE","features":[116]},{"name":"WS_TRACE_API_READ_START_ELEMENT","features":[116]},{"name":"WS_TRACE_API_READ_TO_START_ELEMENT","features":[116]},{"name":"WS_TRACE_API_READ_TYPE","features":[116]},{"name":"WS_TRACE_API_READ_XML_BUFFER","features":[116]},{"name":"WS_TRACE_API_READ_XML_BUFFER_FROM_BYTES","features":[116]},{"name":"WS_TRACE_API_RECEIVE_MESSAGE","features":[116]},{"name":"WS_TRACE_API_REMOVE_CUSTOM_HEADER","features":[116]},{"name":"WS_TRACE_API_REMOVE_HEADER","features":[116]},{"name":"WS_TRACE_API_REMOVE_MAPPED_HEADER","features":[116]},{"name":"WS_TRACE_API_REMOVE_NODE","features":[116]},{"name":"WS_TRACE_API_REQUEST_REPLY","features":[116]},{"name":"WS_TRACE_API_REQUEST_SECURITY_TOKEN","features":[116]},{"name":"WS_TRACE_API_RESET_CHANNEL","features":[116]},{"name":"WS_TRACE_API_RESET_ERROR","features":[116]},{"name":"WS_TRACE_API_RESET_HEAP","features":[116]},{"name":"WS_TRACE_API_RESET_LISTENER","features":[116]},{"name":"WS_TRACE_API_RESET_MESSAGE","features":[116]},{"name":"WS_TRACE_API_RESET_METADATA","features":[116]},{"name":"WS_TRACE_API_RESET_SERVICE_HOST","features":[116]},{"name":"WS_TRACE_API_RESET_SERVICE_PROXY","features":[116]},{"name":"WS_TRACE_API_REVOKE_SECURITY_CONTEXT","features":[116]},{"name":"WS_TRACE_API_SEND_FAULT_MESSAGE_FOR_ERROR","features":[116]},{"name":"WS_TRACE_API_SEND_MESSAGE","features":[116]},{"name":"WS_TRACE_API_SEND_REPLY_MESSAGE","features":[116]},{"name":"WS_TRACE_API_SERVICE_REGISTER_FOR_CANCEL","features":[116]},{"name":"WS_TRACE_API_SET_AUTOFAIL","features":[116]},{"name":"WS_TRACE_API_SET_CHANNEL_PROPERTY","features":[116]},{"name":"WS_TRACE_API_SET_ERROR_PROPERTY","features":[116]},{"name":"WS_TRACE_API_SET_FAULT_ERROR_DETAIL","features":[116]},{"name":"WS_TRACE_API_SET_FAULT_ERROR_PROPERTY","features":[116]},{"name":"WS_TRACE_API_SET_HEADER","features":[116]},{"name":"WS_TRACE_API_SET_INPUT","features":[116]},{"name":"WS_TRACE_API_SET_INPUT_TO_BUFFER","features":[116]},{"name":"WS_TRACE_API_SET_LISTENER_PROPERTY","features":[116]},{"name":"WS_TRACE_API_SET_MESSAGE_PROPERTY","features":[116]},{"name":"WS_TRACE_API_SET_OUTPUT","features":[116]},{"name":"WS_TRACE_API_SET_OUTPUT_TO_BUFFER","features":[116]},{"name":"WS_TRACE_API_SET_READER_POSITION","features":[116]},{"name":"WS_TRACE_API_SET_WRITER_POSITION","features":[116]},{"name":"WS_TRACE_API_SHUTDOWN_SESSION_CHANNEL","features":[116]},{"name":"WS_TRACE_API_SKIP_NODE","features":[116]},{"name":"WS_TRACE_API_START_READER_CANONICALIZATION","features":[116]},{"name":"WS_TRACE_API_START_WRITER_CANONICALIZATION","features":[116]},{"name":"WS_TRACE_API_TRIM_XML_WHITESPACE","features":[116]},{"name":"WS_TRACE_API_VERIFY_XML_NCNAME","features":[116]},{"name":"WS_TRACE_API_WRITE_ARRAY","features":[116]},{"name":"WS_TRACE_API_WRITE_ATTRIBUTE_TYPE","features":[116]},{"name":"WS_TRACE_API_WRITE_BODY","features":[116]},{"name":"WS_TRACE_API_WRITE_BYTES","features":[116]},{"name":"WS_TRACE_API_WRITE_CHARS","features":[116]},{"name":"WS_TRACE_API_WRITE_CHARS_UTF8","features":[116]},{"name":"WS_TRACE_API_WRITE_ELEMENT_TYPE","features":[116]},{"name":"WS_TRACE_API_WRITE_END_ATTRIBUTE","features":[116]},{"name":"WS_TRACE_API_WRITE_END_CDATA","features":[116]},{"name":"WS_TRACE_API_WRITE_END_ELEMENT","features":[116]},{"name":"WS_TRACE_API_WRITE_END_START_ELEMENT","features":[116]},{"name":"WS_TRACE_API_WRITE_ENVELOPE_END","features":[116]},{"name":"WS_TRACE_API_WRITE_ENVELOPE_START","features":[116]},{"name":"WS_TRACE_API_WRITE_MESSAGE_END","features":[116]},{"name":"WS_TRACE_API_WRITE_MESSAGE_START","features":[116]},{"name":"WS_TRACE_API_WRITE_NODE","features":[116]},{"name":"WS_TRACE_API_WRITE_QUALIFIED_NAME","features":[116]},{"name":"WS_TRACE_API_WRITE_START_ATTRIBUTE","features":[116]},{"name":"WS_TRACE_API_WRITE_START_CDATA","features":[116]},{"name":"WS_TRACE_API_WRITE_START_ELEMENT","features":[116]},{"name":"WS_TRACE_API_WRITE_TEXT","features":[116]},{"name":"WS_TRACE_API_WRITE_TYPE","features":[116]},{"name":"WS_TRACE_API_WRITE_VALUE","features":[116]},{"name":"WS_TRACE_API_WRITE_XMLNS_ATTRIBUTE","features":[116]},{"name":"WS_TRACE_API_WRITE_XML_BUFFER","features":[116]},{"name":"WS_TRACE_API_WRITE_XML_BUFFER_TO_BYTES","features":[116]},{"name":"WS_TRACE_API_WS_CREATE_SERVICE_HOST_FROM_TEMPLATE","features":[116]},{"name":"WS_TRACE_API_WS_CREATE_SERVICE_PROXY_FROM_TEMPLATE","features":[116]},{"name":"WS_TRACE_API_XML_STRING_EQUALS","features":[116]},{"name":"WS_TRANSFER_MODE","features":[116]},{"name":"WS_TRUST_VERSION","features":[116]},{"name":"WS_TRUST_VERSION_1_3","features":[116]},{"name":"WS_TRUST_VERSION_FEBRUARY_2005","features":[116]},{"name":"WS_TYPE","features":[116]},{"name":"WS_TYPE_ATTRIBUTE_FIELD_MAPPING","features":[116]},{"name":"WS_TYPE_MAPPING","features":[116]},{"name":"WS_UDP_CHANNEL_BINDING","features":[116]},{"name":"WS_UINT16_DESCRIPTION","features":[116]},{"name":"WS_UINT16_TYPE","features":[116]},{"name":"WS_UINT16_VALUE_TYPE","features":[116]},{"name":"WS_UINT32_DESCRIPTION","features":[116]},{"name":"WS_UINT32_TYPE","features":[116]},{"name":"WS_UINT32_VALUE_TYPE","features":[116]},{"name":"WS_UINT64_DESCRIPTION","features":[116]},{"name":"WS_UINT64_TYPE","features":[116]},{"name":"WS_UINT64_VALUE_TYPE","features":[116]},{"name":"WS_UINT8_DESCRIPTION","features":[116]},{"name":"WS_UINT8_TYPE","features":[116]},{"name":"WS_UINT8_VALUE_TYPE","features":[116]},{"name":"WS_UNION_DESCRIPTION","features":[1,116]},{"name":"WS_UNION_FIELD_DESCRIPTION","features":[1,116]},{"name":"WS_UNION_TYPE","features":[116]},{"name":"WS_UNIQUE_ID","features":[116]},{"name":"WS_UNIQUE_ID_DESCRIPTION","features":[116]},{"name":"WS_UNIQUE_ID_TYPE","features":[116]},{"name":"WS_UNKNOWN_ENDPOINT_IDENTITY","features":[116]},{"name":"WS_UNKNOWN_ENDPOINT_IDENTITY_TYPE","features":[116]},{"name":"WS_UPN_ENDPOINT_IDENTITY","features":[116]},{"name":"WS_UPN_ENDPOINT_IDENTITY_TYPE","features":[116]},{"name":"WS_URL","features":[116]},{"name":"WS_URL_FLAGS_ALLOW_HOST_WILDCARDS","features":[116]},{"name":"WS_URL_FLAGS_NO_PATH_COLLAPSE","features":[116]},{"name":"WS_URL_FLAGS_ZERO_TERMINATE","features":[116]},{"name":"WS_URL_HTTPS_SCHEME_TYPE","features":[116]},{"name":"WS_URL_HTTP_SCHEME_TYPE","features":[116]},{"name":"WS_URL_NETPIPE_SCHEME_TYPE","features":[116]},{"name":"WS_URL_NETTCP_SCHEME_TYPE","features":[116]},{"name":"WS_URL_SCHEME_TYPE","features":[116]},{"name":"WS_URL_SOAPUDP_SCHEME_TYPE","features":[116]},{"name":"WS_USERNAME_CREDENTIAL","features":[116]},{"name":"WS_USERNAME_CREDENTIAL_TYPE","features":[116]},{"name":"WS_USERNAME_MESSAGE_SECURITY_BINDING","features":[116]},{"name":"WS_USERNAME_MESSAGE_SECURITY_BINDING_CONSTRAINT","features":[116]},{"name":"WS_USERNAME_MESSAGE_SECURITY_BINDING_CONSTRAINT_TYPE","features":[116]},{"name":"WS_USERNAME_MESSAGE_SECURITY_BINDING_POLICY_DESCRIPTION","features":[116]},{"name":"WS_USERNAME_MESSAGE_SECURITY_BINDING_TEMPLATE","features":[116]},{"name":"WS_USERNAME_MESSAGE_SECURITY_BINDING_TYPE","features":[116]},{"name":"WS_UTF8_ARRAY_DESCRIPTION","features":[116]},{"name":"WS_UTF8_ARRAY_TYPE","features":[116]},{"name":"WS_VALIDATE_PASSWORD_CALLBACK","features":[116]},{"name":"WS_VALIDATE_SAML_CALLBACK","features":[116]},{"name":"WS_VALUE_TYPE","features":[116]},{"name":"WS_VOID_DESCRIPTION","features":[116]},{"name":"WS_VOID_TYPE","features":[116]},{"name":"WS_WINDOWS_INTEGRATED_AUTH_CREDENTIAL","features":[116]},{"name":"WS_WINDOWS_INTEGRATED_AUTH_CREDENTIAL_TYPE","features":[116]},{"name":"WS_WINDOWS_INTEGRATED_AUTH_PACKAGE","features":[116]},{"name":"WS_WINDOWS_INTEGRATED_AUTH_PACKAGE_KERBEROS","features":[116]},{"name":"WS_WINDOWS_INTEGRATED_AUTH_PACKAGE_NTLM","features":[116]},{"name":"WS_WINDOWS_INTEGRATED_AUTH_PACKAGE_SPNEGO","features":[116]},{"name":"WS_WRITE_CALLBACK","features":[116]},{"name":"WS_WRITE_MESSAGE_END_CALLBACK","features":[116]},{"name":"WS_WRITE_MESSAGE_START_CALLBACK","features":[116]},{"name":"WS_WRITE_NILLABLE_POINTER","features":[116]},{"name":"WS_WRITE_NILLABLE_VALUE","features":[116]},{"name":"WS_WRITE_OPTION","features":[116]},{"name":"WS_WRITE_REQUIRED_POINTER","features":[116]},{"name":"WS_WRITE_REQUIRED_VALUE","features":[116]},{"name":"WS_WRITE_TYPE_CALLBACK","features":[116]},{"name":"WS_WSZ_DESCRIPTION","features":[116]},{"name":"WS_WSZ_TYPE","features":[116]},{"name":"WS_XML_ATTRIBUTE","features":[1,116]},{"name":"WS_XML_ATTRIBUTE_FIELD_MAPPING","features":[116]},{"name":"WS_XML_BASE64_TEXT","features":[116]},{"name":"WS_XML_BOOL_TEXT","features":[1,116]},{"name":"WS_XML_BUFFER","features":[116]},{"name":"WS_XML_BUFFER_PROPERTY","features":[116]},{"name":"WS_XML_BUFFER_PROPERTY_ID","features":[116]},{"name":"WS_XML_BUFFER_TYPE","features":[116]},{"name":"WS_XML_CANONICALIZATION_ALGORITHM","features":[116]},{"name":"WS_XML_CANONICALIZATION_INCLUSIVE_PREFIXES","features":[1,116]},{"name":"WS_XML_CANONICALIZATION_PROPERTY","features":[116]},{"name":"WS_XML_CANONICALIZATION_PROPERTY_ALGORITHM","features":[116]},{"name":"WS_XML_CANONICALIZATION_PROPERTY_ID","features":[116]},{"name":"WS_XML_CANONICALIZATION_PROPERTY_INCLUSIVE_PREFIXES","features":[116]},{"name":"WS_XML_CANONICALIZATION_PROPERTY_OMITTED_ELEMENT","features":[116]},{"name":"WS_XML_CANONICALIZATION_PROPERTY_OUTPUT_BUFFER_SIZE","features":[116]},{"name":"WS_XML_COMMENT_NODE","features":[1,116]},{"name":"WS_XML_DATETIME_TEXT","features":[116]},{"name":"WS_XML_DECIMAL_TEXT","features":[1,116]},{"name":"WS_XML_DICTIONARY","features":[1,116]},{"name":"WS_XML_DOUBLE_TEXT","features":[116]},{"name":"WS_XML_ELEMENT_NODE","features":[1,116]},{"name":"WS_XML_FLOAT_TEXT","features":[116]},{"name":"WS_XML_GUID_TEXT","features":[116]},{"name":"WS_XML_INT32_TEXT","features":[116]},{"name":"WS_XML_INT64_TEXT","features":[116]},{"name":"WS_XML_LIST_TEXT","features":[116]},{"name":"WS_XML_NODE","features":[116]},{"name":"WS_XML_NODE_POSITION","features":[116]},{"name":"WS_XML_NODE_TYPE","features":[116]},{"name":"WS_XML_NODE_TYPE_BOF","features":[116]},{"name":"WS_XML_NODE_TYPE_CDATA","features":[116]},{"name":"WS_XML_NODE_TYPE_COMMENT","features":[116]},{"name":"WS_XML_NODE_TYPE_ELEMENT","features":[116]},{"name":"WS_XML_NODE_TYPE_END_CDATA","features":[116]},{"name":"WS_XML_NODE_TYPE_END_ELEMENT","features":[116]},{"name":"WS_XML_NODE_TYPE_EOF","features":[116]},{"name":"WS_XML_NODE_TYPE_TEXT","features":[116]},{"name":"WS_XML_QNAME","features":[1,116]},{"name":"WS_XML_QNAME_DESCRIPTION","features":[116]},{"name":"WS_XML_QNAME_TEXT","features":[1,116]},{"name":"WS_XML_QNAME_TYPE","features":[116]},{"name":"WS_XML_READER","features":[116]},{"name":"WS_XML_READER_BINARY_ENCODING","features":[1,116]},{"name":"WS_XML_READER_BUFFER_INPUT","features":[116]},{"name":"WS_XML_READER_ENCODING","features":[116]},{"name":"WS_XML_READER_ENCODING_TYPE","features":[116]},{"name":"WS_XML_READER_ENCODING_TYPE_BINARY","features":[116]},{"name":"WS_XML_READER_ENCODING_TYPE_MTOM","features":[116]},{"name":"WS_XML_READER_ENCODING_TYPE_RAW","features":[116]},{"name":"WS_XML_READER_ENCODING_TYPE_TEXT","features":[116]},{"name":"WS_XML_READER_INPUT","features":[116]},{"name":"WS_XML_READER_INPUT_TYPE","features":[116]},{"name":"WS_XML_READER_INPUT_TYPE_BUFFER","features":[116]},{"name":"WS_XML_READER_INPUT_TYPE_STREAM","features":[116]},{"name":"WS_XML_READER_MTOM_ENCODING","features":[1,116]},{"name":"WS_XML_READER_PROPERTIES","features":[116]},{"name":"WS_XML_READER_PROPERTY","features":[116]},{"name":"WS_XML_READER_PROPERTY_ALLOW_FRAGMENT","features":[116]},{"name":"WS_XML_READER_PROPERTY_ALLOW_INVALID_CHARACTER_REFERENCES","features":[116]},{"name":"WS_XML_READER_PROPERTY_CHARSET","features":[116]},{"name":"WS_XML_READER_PROPERTY_COLUMN","features":[116]},{"name":"WS_XML_READER_PROPERTY_ID","features":[116]},{"name":"WS_XML_READER_PROPERTY_IN_ATTRIBUTE","features":[116]},{"name":"WS_XML_READER_PROPERTY_MAX_ATTRIBUTES","features":[116]},{"name":"WS_XML_READER_PROPERTY_MAX_DEPTH","features":[116]},{"name":"WS_XML_READER_PROPERTY_MAX_MIME_PARTS","features":[116]},{"name":"WS_XML_READER_PROPERTY_MAX_NAMESPACES","features":[116]},{"name":"WS_XML_READER_PROPERTY_READ_DECLARATION","features":[116]},{"name":"WS_XML_READER_PROPERTY_ROW","features":[116]},{"name":"WS_XML_READER_PROPERTY_STREAM_BUFFER_SIZE","features":[116]},{"name":"WS_XML_READER_PROPERTY_STREAM_MAX_MIME_HEADERS_SIZE","features":[116]},{"name":"WS_XML_READER_PROPERTY_STREAM_MAX_ROOT_MIME_PART_SIZE","features":[116]},{"name":"WS_XML_READER_PROPERTY_UTF8_TRIM_SIZE","features":[116]},{"name":"WS_XML_READER_RAW_ENCODING","features":[116]},{"name":"WS_XML_READER_STREAM_INPUT","features":[116]},{"name":"WS_XML_READER_TEXT_ENCODING","features":[116]},{"name":"WS_XML_SECURITY_TOKEN_PROPERTY","features":[116]},{"name":"WS_XML_SECURITY_TOKEN_PROPERTY_ATTACHED_REFERENCE","features":[116]},{"name":"WS_XML_SECURITY_TOKEN_PROPERTY_ID","features":[116]},{"name":"WS_XML_SECURITY_TOKEN_PROPERTY_UNATTACHED_REFERENCE","features":[116]},{"name":"WS_XML_SECURITY_TOKEN_PROPERTY_VALID_FROM_TIME","features":[116]},{"name":"WS_XML_SECURITY_TOKEN_PROPERTY_VALID_TILL_TIME","features":[116]},{"name":"WS_XML_STRING","features":[1,116]},{"name":"WS_XML_STRING_DESCRIPTION","features":[116]},{"name":"WS_XML_STRING_TYPE","features":[116]},{"name":"WS_XML_TEXT","features":[116]},{"name":"WS_XML_TEXT_NODE","features":[116]},{"name":"WS_XML_TEXT_TYPE","features":[116]},{"name":"WS_XML_TEXT_TYPE_BASE64","features":[116]},{"name":"WS_XML_TEXT_TYPE_BOOL","features":[116]},{"name":"WS_XML_TEXT_TYPE_DATETIME","features":[116]},{"name":"WS_XML_TEXT_TYPE_DECIMAL","features":[116]},{"name":"WS_XML_TEXT_TYPE_DOUBLE","features":[116]},{"name":"WS_XML_TEXT_TYPE_FLOAT","features":[116]},{"name":"WS_XML_TEXT_TYPE_GUID","features":[116]},{"name":"WS_XML_TEXT_TYPE_INT32","features":[116]},{"name":"WS_XML_TEXT_TYPE_INT64","features":[116]},{"name":"WS_XML_TEXT_TYPE_LIST","features":[116]},{"name":"WS_XML_TEXT_TYPE_QNAME","features":[116]},{"name":"WS_XML_TEXT_TYPE_TIMESPAN","features":[116]},{"name":"WS_XML_TEXT_TYPE_UINT64","features":[116]},{"name":"WS_XML_TEXT_TYPE_UNIQUE_ID","features":[116]},{"name":"WS_XML_TEXT_TYPE_UTF16","features":[116]},{"name":"WS_XML_TEXT_TYPE_UTF8","features":[116]},{"name":"WS_XML_TIMESPAN_TEXT","features":[116]},{"name":"WS_XML_TOKEN_MESSAGE_SECURITY_BINDING","features":[116]},{"name":"WS_XML_TOKEN_MESSAGE_SECURITY_BINDING_TYPE","features":[116]},{"name":"WS_XML_UINT64_TEXT","features":[116]},{"name":"WS_XML_UNIQUE_ID_TEXT","features":[116]},{"name":"WS_XML_UTF16_TEXT","features":[116]},{"name":"WS_XML_UTF8_TEXT","features":[1,116]},{"name":"WS_XML_WRITER","features":[116]},{"name":"WS_XML_WRITER_BINARY_ENCODING","features":[1,116]},{"name":"WS_XML_WRITER_BUFFER_OUTPUT","features":[116]},{"name":"WS_XML_WRITER_ENCODING","features":[116]},{"name":"WS_XML_WRITER_ENCODING_TYPE","features":[116]},{"name":"WS_XML_WRITER_ENCODING_TYPE_BINARY","features":[116]},{"name":"WS_XML_WRITER_ENCODING_TYPE_MTOM","features":[116]},{"name":"WS_XML_WRITER_ENCODING_TYPE_RAW","features":[116]},{"name":"WS_XML_WRITER_ENCODING_TYPE_TEXT","features":[116]},{"name":"WS_XML_WRITER_MTOM_ENCODING","features":[1,116]},{"name":"WS_XML_WRITER_OUTPUT","features":[116]},{"name":"WS_XML_WRITER_OUTPUT_TYPE","features":[116]},{"name":"WS_XML_WRITER_OUTPUT_TYPE_BUFFER","features":[116]},{"name":"WS_XML_WRITER_OUTPUT_TYPE_STREAM","features":[116]},{"name":"WS_XML_WRITER_PROPERTIES","features":[116]},{"name":"WS_XML_WRITER_PROPERTY","features":[116]},{"name":"WS_XML_WRITER_PROPERTY_ALLOW_FRAGMENT","features":[116]},{"name":"WS_XML_WRITER_PROPERTY_ALLOW_INVALID_CHARACTER_REFERENCES","features":[116]},{"name":"WS_XML_WRITER_PROPERTY_BUFFERS","features":[116]},{"name":"WS_XML_WRITER_PROPERTY_BUFFER_MAX_SIZE","features":[116]},{"name":"WS_XML_WRITER_PROPERTY_BUFFER_TRIM_SIZE","features":[116]},{"name":"WS_XML_WRITER_PROPERTY_BYTES","features":[116]},{"name":"WS_XML_WRITER_PROPERTY_BYTES_TO_CLOSE","features":[116]},{"name":"WS_XML_WRITER_PROPERTY_BYTES_WRITTEN","features":[116]},{"name":"WS_XML_WRITER_PROPERTY_CHARSET","features":[116]},{"name":"WS_XML_WRITER_PROPERTY_COMPRESS_EMPTY_ELEMENTS","features":[116]},{"name":"WS_XML_WRITER_PROPERTY_EMIT_UNCOMPRESSED_EMPTY_ELEMENTS","features":[116]},{"name":"WS_XML_WRITER_PROPERTY_ID","features":[116]},{"name":"WS_XML_WRITER_PROPERTY_INDENT","features":[116]},{"name":"WS_XML_WRITER_PROPERTY_INITIAL_BUFFER","features":[116]},{"name":"WS_XML_WRITER_PROPERTY_IN_ATTRIBUTE","features":[116]},{"name":"WS_XML_WRITER_PROPERTY_MAX_ATTRIBUTES","features":[116]},{"name":"WS_XML_WRITER_PROPERTY_MAX_DEPTH","features":[116]},{"name":"WS_XML_WRITER_PROPERTY_MAX_MIME_PARTS_BUFFER_SIZE","features":[116]},{"name":"WS_XML_WRITER_PROPERTY_MAX_NAMESPACES","features":[116]},{"name":"WS_XML_WRITER_PROPERTY_WRITE_DECLARATION","features":[116]},{"name":"WS_XML_WRITER_RAW_ENCODING","features":[116]},{"name":"WS_XML_WRITER_STREAM_OUTPUT","features":[116]},{"name":"WS_XML_WRITER_TEXT_ENCODING","features":[116]},{"name":"WebAuthNAuthenticatorGetAssertion","features":[1,116]},{"name":"WebAuthNAuthenticatorMakeCredential","features":[1,116]},{"name":"WebAuthNCancelCurrentOperation","features":[116]},{"name":"WebAuthNDeletePlatformCredential","features":[116]},{"name":"WebAuthNFreeAssertion","features":[116]},{"name":"WebAuthNFreeCredentialAttestation","features":[1,116]},{"name":"WebAuthNFreePlatformCredentialList","features":[1,116]},{"name":"WebAuthNGetApiVersionNumber","features":[116]},{"name":"WebAuthNGetCancellationId","features":[116]},{"name":"WebAuthNGetErrorName","features":[116]},{"name":"WebAuthNGetPlatformCredentialList","features":[1,116]},{"name":"WebAuthNGetW3CExceptionDOMError","features":[116]},{"name":"WebAuthNIsUserVerifyingPlatformAuthenticatorAvailable","features":[1,116]},{"name":"WsAbandonCall","features":[116]},{"name":"WsAbandonMessage","features":[116]},{"name":"WsAbortChannel","features":[116]},{"name":"WsAbortListener","features":[116]},{"name":"WsAbortServiceHost","features":[116]},{"name":"WsAbortServiceProxy","features":[116]},{"name":"WsAcceptChannel","features":[116]},{"name":"WsAddCustomHeader","features":[1,116]},{"name":"WsAddErrorString","features":[116]},{"name":"WsAddMappedHeader","features":[1,116]},{"name":"WsAddressMessage","features":[116]},{"name":"WsAlloc","features":[116]},{"name":"WsAsyncExecute","features":[116]},{"name":"WsCall","features":[1,116]},{"name":"WsCheckMustUnderstandHeaders","features":[116]},{"name":"WsCloseChannel","features":[116]},{"name":"WsCloseListener","features":[116]},{"name":"WsCloseServiceHost","features":[116]},{"name":"WsCloseServiceProxy","features":[116]},{"name":"WsCombineUrl","features":[116]},{"name":"WsCopyError","features":[116]},{"name":"WsCopyNode","features":[116]},{"name":"WsCreateChannel","features":[116]},{"name":"WsCreateChannelForListener","features":[116]},{"name":"WsCreateError","features":[116]},{"name":"WsCreateFaultFromError","features":[1,116]},{"name":"WsCreateHeap","features":[116]},{"name":"WsCreateListener","features":[116]},{"name":"WsCreateMessage","features":[116]},{"name":"WsCreateMessageForChannel","features":[116]},{"name":"WsCreateMetadata","features":[116]},{"name":"WsCreateReader","features":[116]},{"name":"WsCreateServiceEndpointFromTemplate","features":[1,116]},{"name":"WsCreateServiceHost","features":[1,116]},{"name":"WsCreateServiceProxy","features":[116]},{"name":"WsCreateServiceProxyFromTemplate","features":[116]},{"name":"WsCreateWriter","features":[116]},{"name":"WsCreateXmlBuffer","features":[116]},{"name":"WsCreateXmlSecurityToken","features":[116]},{"name":"WsDateTimeToFileTime","features":[1,116]},{"name":"WsDecodeUrl","features":[116]},{"name":"WsEncodeUrl","features":[116]},{"name":"WsEndReaderCanonicalization","features":[116]},{"name":"WsEndWriterCanonicalization","features":[116]},{"name":"WsFileTimeToDateTime","features":[1,116]},{"name":"WsFillBody","features":[116]},{"name":"WsFillReader","features":[116]},{"name":"WsFindAttribute","features":[1,116]},{"name":"WsFlushBody","features":[116]},{"name":"WsFlushWriter","features":[116]},{"name":"WsFreeChannel","features":[116]},{"name":"WsFreeError","features":[116]},{"name":"WsFreeHeap","features":[116]},{"name":"WsFreeListener","features":[116]},{"name":"WsFreeMessage","features":[116]},{"name":"WsFreeMetadata","features":[116]},{"name":"WsFreeReader","features":[116]},{"name":"WsFreeSecurityToken","features":[116]},{"name":"WsFreeServiceHost","features":[116]},{"name":"WsFreeServiceProxy","features":[116]},{"name":"WsFreeWriter","features":[116]},{"name":"WsGetChannelProperty","features":[116]},{"name":"WsGetCustomHeader","features":[1,116]},{"name":"WsGetDictionary","features":[1,116]},{"name":"WsGetErrorProperty","features":[116]},{"name":"WsGetErrorString","features":[116]},{"name":"WsGetFaultErrorDetail","features":[1,116]},{"name":"WsGetFaultErrorProperty","features":[116]},{"name":"WsGetHeader","features":[116]},{"name":"WsGetHeaderAttributes","features":[116]},{"name":"WsGetHeapProperty","features":[116]},{"name":"WsGetListenerProperty","features":[116]},{"name":"WsGetMappedHeader","features":[1,116]},{"name":"WsGetMessageProperty","features":[116]},{"name":"WsGetMetadataEndpoints","features":[1,116]},{"name":"WsGetMetadataProperty","features":[116]},{"name":"WsGetMissingMetadataDocumentAddress","features":[116]},{"name":"WsGetNamespaceFromPrefix","features":[1,116]},{"name":"WsGetOperationContextProperty","features":[116]},{"name":"WsGetPolicyAlternativeCount","features":[116]},{"name":"WsGetPolicyProperty","features":[116]},{"name":"WsGetPrefixFromNamespace","features":[1,116]},{"name":"WsGetReaderNode","features":[116]},{"name":"WsGetReaderPosition","features":[116]},{"name":"WsGetReaderProperty","features":[116]},{"name":"WsGetSecurityContextProperty","features":[116]},{"name":"WsGetSecurityTokenProperty","features":[116]},{"name":"WsGetServiceHostProperty","features":[116]},{"name":"WsGetServiceProxyProperty","features":[116]},{"name":"WsGetWriterPosition","features":[116]},{"name":"WsGetWriterProperty","features":[116]},{"name":"WsGetXmlAttribute","features":[1,116]},{"name":"WsInitializeMessage","features":[116]},{"name":"WsMarkHeaderAsUnderstood","features":[116]},{"name":"WsMatchPolicyAlternative","features":[1,116]},{"name":"WsMoveReader","features":[1,116]},{"name":"WsMoveWriter","features":[1,116]},{"name":"WsOpenChannel","features":[116]},{"name":"WsOpenListener","features":[116]},{"name":"WsOpenServiceHost","features":[116]},{"name":"WsOpenServiceProxy","features":[116]},{"name":"WsPullBytes","features":[116]},{"name":"WsPushBytes","features":[116]},{"name":"WsReadArray","features":[1,116]},{"name":"WsReadAttribute","features":[1,116]},{"name":"WsReadBody","features":[1,116]},{"name":"WsReadBytes","features":[116]},{"name":"WsReadChars","features":[116]},{"name":"WsReadCharsUtf8","features":[116]},{"name":"WsReadElement","features":[1,116]},{"name":"WsReadEndAttribute","features":[116]},{"name":"WsReadEndElement","features":[116]},{"name":"WsReadEndpointAddressExtension","features":[116]},{"name":"WsReadEnvelopeEnd","features":[116]},{"name":"WsReadEnvelopeStart","features":[116]},{"name":"WsReadMessageEnd","features":[116]},{"name":"WsReadMessageStart","features":[116]},{"name":"WsReadMetadata","features":[116]},{"name":"WsReadNode","features":[116]},{"name":"WsReadQualifiedName","features":[1,116]},{"name":"WsReadStartAttribute","features":[116]},{"name":"WsReadStartElement","features":[116]},{"name":"WsReadToStartElement","features":[1,116]},{"name":"WsReadType","features":[116]},{"name":"WsReadValue","features":[116]},{"name":"WsReadXmlBuffer","features":[116]},{"name":"WsReadXmlBufferFromBytes","features":[116]},{"name":"WsReceiveMessage","features":[1,116]},{"name":"WsRegisterOperationForCancel","features":[116]},{"name":"WsRemoveCustomHeader","features":[1,116]},{"name":"WsRemoveHeader","features":[116]},{"name":"WsRemoveMappedHeader","features":[1,116]},{"name":"WsRemoveNode","features":[116]},{"name":"WsRequestReply","features":[1,116]},{"name":"WsRequestSecurityToken","features":[116]},{"name":"WsResetChannel","features":[116]},{"name":"WsResetError","features":[116]},{"name":"WsResetHeap","features":[116]},{"name":"WsResetListener","features":[116]},{"name":"WsResetMessage","features":[116]},{"name":"WsResetMetadata","features":[116]},{"name":"WsResetServiceHost","features":[116]},{"name":"WsResetServiceProxy","features":[116]},{"name":"WsRevokeSecurityContext","features":[116]},{"name":"WsSendFaultMessageForError","features":[116]},{"name":"WsSendMessage","features":[1,116]},{"name":"WsSendReplyMessage","features":[1,116]},{"name":"WsSetChannelProperty","features":[116]},{"name":"WsSetErrorProperty","features":[116]},{"name":"WsSetFaultErrorDetail","features":[1,116]},{"name":"WsSetFaultErrorProperty","features":[116]},{"name":"WsSetHeader","features":[116]},{"name":"WsSetInput","features":[116]},{"name":"WsSetInputToBuffer","features":[116]},{"name":"WsSetListenerProperty","features":[116]},{"name":"WsSetMessageProperty","features":[116]},{"name":"WsSetOutput","features":[116]},{"name":"WsSetOutputToBuffer","features":[116]},{"name":"WsSetReaderPosition","features":[116]},{"name":"WsSetWriterPosition","features":[116]},{"name":"WsShutdownSessionChannel","features":[116]},{"name":"WsSkipNode","features":[116]},{"name":"WsStartReaderCanonicalization","features":[116]},{"name":"WsStartWriterCanonicalization","features":[116]},{"name":"WsTrimXmlWhitespace","features":[116]},{"name":"WsVerifyXmlNCName","features":[116]},{"name":"WsWriteArray","features":[1,116]},{"name":"WsWriteAttribute","features":[1,116]},{"name":"WsWriteBody","features":[1,116]},{"name":"WsWriteBytes","features":[116]},{"name":"WsWriteChars","features":[116]},{"name":"WsWriteCharsUtf8","features":[116]},{"name":"WsWriteElement","features":[1,116]},{"name":"WsWriteEndAttribute","features":[116]},{"name":"WsWriteEndCData","features":[116]},{"name":"WsWriteEndElement","features":[116]},{"name":"WsWriteEndStartElement","features":[116]},{"name":"WsWriteEnvelopeEnd","features":[116]},{"name":"WsWriteEnvelopeStart","features":[116]},{"name":"WsWriteMessageEnd","features":[116]},{"name":"WsWriteMessageStart","features":[116]},{"name":"WsWriteNode","features":[116]},{"name":"WsWriteQualifiedName","features":[1,116]},{"name":"WsWriteStartAttribute","features":[1,116]},{"name":"WsWriteStartCData","features":[116]},{"name":"WsWriteStartElement","features":[1,116]},{"name":"WsWriteText","features":[116]},{"name":"WsWriteType","features":[116]},{"name":"WsWriteValue","features":[116]},{"name":"WsWriteXmlBuffer","features":[116]},{"name":"WsWriteXmlBufferToBytes","features":[116]},{"name":"WsWriteXmlnsAttribute","features":[1,116]},{"name":"WsXmlStringEquals","features":[1,116]}],"479":[{"name":"ACCESS_ALLOWED_ACE","features":[4]},{"name":"ACCESS_ALLOWED_CALLBACK_ACE","features":[4]},{"name":"ACCESS_ALLOWED_CALLBACK_OBJECT_ACE","features":[4]},{"name":"ACCESS_ALLOWED_OBJECT_ACE","features":[4]},{"name":"ACCESS_DENIED_ACE","features":[4]},{"name":"ACCESS_DENIED_CALLBACK_ACE","features":[4]},{"name":"ACCESS_DENIED_CALLBACK_OBJECT_ACE","features":[4]},{"name":"ACCESS_DENIED_OBJECT_ACE","features":[4]},{"name":"ACCESS_REASONS","features":[4]},{"name":"ACE_FLAGS","features":[4]},{"name":"ACE_HEADER","features":[4]},{"name":"ACE_INHERITED_OBJECT_TYPE_PRESENT","features":[4]},{"name":"ACE_OBJECT_TYPE_PRESENT","features":[4]},{"name":"ACE_REVISION","features":[4]},{"name":"ACL","features":[4]},{"name":"ACL_INFORMATION_CLASS","features":[4]},{"name":"ACL_REVISION","features":[4]},{"name":"ACL_REVISION_DS","features":[4]},{"name":"ACL_REVISION_INFORMATION","features":[4]},{"name":"ACL_SIZE_INFORMATION","features":[4]},{"name":"ATTRIBUTE_SECURITY_INFORMATION","features":[4]},{"name":"AUDIT_EVENT_TYPE","features":[4]},{"name":"AccessCheck","features":[1,4]},{"name":"AccessCheckAndAuditAlarmA","features":[1,4]},{"name":"AccessCheckAndAuditAlarmW","features":[1,4]},{"name":"AccessCheckByType","features":[1,4]},{"name":"AccessCheckByTypeAndAuditAlarmA","features":[1,4]},{"name":"AccessCheckByTypeAndAuditAlarmW","features":[1,4]},{"name":"AccessCheckByTypeResultList","features":[1,4]},{"name":"AccessCheckByTypeResultListAndAuditAlarmA","features":[1,4]},{"name":"AccessCheckByTypeResultListAndAuditAlarmByHandleA","features":[1,4]},{"name":"AccessCheckByTypeResultListAndAuditAlarmByHandleW","features":[1,4]},{"name":"AccessCheckByTypeResultListAndAuditAlarmW","features":[1,4]},{"name":"AclRevisionInformation","features":[4]},{"name":"AclSizeInformation","features":[4]},{"name":"AddAccessAllowedAce","features":[1,4]},{"name":"AddAccessAllowedAceEx","features":[1,4]},{"name":"AddAccessAllowedObjectAce","features":[1,4]},{"name":"AddAccessDeniedAce","features":[1,4]},{"name":"AddAccessDeniedAceEx","features":[1,4]},{"name":"AddAccessDeniedObjectAce","features":[1,4]},{"name":"AddAce","features":[1,4]},{"name":"AddAuditAccessAce","features":[1,4]},{"name":"AddAuditAccessAceEx","features":[1,4]},{"name":"AddAuditAccessObjectAce","features":[1,4]},{"name":"AddConditionalAce","features":[1,4]},{"name":"AddMandatoryAce","features":[1,4]},{"name":"AddResourceAttributeAce","features":[1,4]},{"name":"AddScopedPolicyIDAce","features":[1,4]},{"name":"AdjustTokenGroups","features":[1,4]},{"name":"AdjustTokenPrivileges","features":[1,4]},{"name":"AllocateAndInitializeSid","features":[1,4]},{"name":"AllocateLocallyUniqueId","features":[1,4]},{"name":"AreAllAccessesGranted","features":[1,4]},{"name":"AreAnyAccessesGranted","features":[1,4]},{"name":"AuditEventDirectoryServiceAccess","features":[4]},{"name":"AuditEventObjectAccess","features":[4]},{"name":"BACKUP_SECURITY_INFORMATION","features":[4]},{"name":"CLAIM_SECURITY_ATTRIBUTES_INFORMATION","features":[4]},{"name":"CLAIM_SECURITY_ATTRIBUTE_DISABLED","features":[4]},{"name":"CLAIM_SECURITY_ATTRIBUTE_DISABLED_BY_DEFAULT","features":[4]},{"name":"CLAIM_SECURITY_ATTRIBUTE_FLAGS","features":[4]},{"name":"CLAIM_SECURITY_ATTRIBUTE_FQBN_VALUE","features":[4]},{"name":"CLAIM_SECURITY_ATTRIBUTE_MANDATORY","features":[4]},{"name":"CLAIM_SECURITY_ATTRIBUTE_NON_INHERITABLE","features":[4]},{"name":"CLAIM_SECURITY_ATTRIBUTE_OCTET_STRING_VALUE","features":[4]},{"name":"CLAIM_SECURITY_ATTRIBUTE_RELATIVE_V1","features":[4]},{"name":"CLAIM_SECURITY_ATTRIBUTE_TYPE_BOOLEAN","features":[4]},{"name":"CLAIM_SECURITY_ATTRIBUTE_TYPE_FQBN","features":[4]},{"name":"CLAIM_SECURITY_ATTRIBUTE_TYPE_INT64","features":[4]},{"name":"CLAIM_SECURITY_ATTRIBUTE_TYPE_OCTET_STRING","features":[4]},{"name":"CLAIM_SECURITY_ATTRIBUTE_TYPE_SID","features":[4]},{"name":"CLAIM_SECURITY_ATTRIBUTE_TYPE_STRING","features":[4]},{"name":"CLAIM_SECURITY_ATTRIBUTE_TYPE_UINT64","features":[4]},{"name":"CLAIM_SECURITY_ATTRIBUTE_USE_FOR_DENY_ONLY","features":[4]},{"name":"CLAIM_SECURITY_ATTRIBUTE_V1","features":[4]},{"name":"CLAIM_SECURITY_ATTRIBUTE_VALUE_CASE_SENSITIVE","features":[4]},{"name":"CLAIM_SECURITY_ATTRIBUTE_VALUE_TYPE","features":[4]},{"name":"CONTAINER_INHERIT_ACE","features":[4]},{"name":"CREATE_RESTRICTED_TOKEN_FLAGS","features":[4]},{"name":"CVT_SECONDS","features":[4]},{"name":"CheckTokenCapability","features":[1,4]},{"name":"CheckTokenMembership","features":[1,4]},{"name":"CheckTokenMembershipEx","features":[1,4]},{"name":"ConvertToAutoInheritPrivateObjectSecurity","features":[1,4]},{"name":"CopySid","features":[1,4]},{"name":"CreatePrivateObjectSecurity","features":[1,4]},{"name":"CreatePrivateObjectSecurityEx","features":[1,4]},{"name":"CreatePrivateObjectSecurityWithMultipleInheritance","features":[1,4]},{"name":"CreateRestrictedToken","features":[1,4]},{"name":"CreateWellKnownSid","features":[1,4]},{"name":"DACL_SECURITY_INFORMATION","features":[4]},{"name":"DISABLE_MAX_PRIVILEGE","features":[4]},{"name":"DeleteAce","features":[1,4]},{"name":"DeriveCapabilitySidsFromName","features":[1,4]},{"name":"DestroyPrivateObjectSecurity","features":[1,4]},{"name":"DuplicateToken","features":[1,4]},{"name":"DuplicateTokenEx","features":[1,4]},{"name":"ENUM_PERIOD","features":[4]},{"name":"ENUM_PERIOD_DAYS","features":[4]},{"name":"ENUM_PERIOD_HOURS","features":[4]},{"name":"ENUM_PERIOD_INVALID","features":[4]},{"name":"ENUM_PERIOD_MINUTES","features":[4]},{"name":"ENUM_PERIOD_MONTHS","features":[4]},{"name":"ENUM_PERIOD_SECONDS","features":[4]},{"name":"ENUM_PERIOD_WEEKS","features":[4]},{"name":"ENUM_PERIOD_YEARS","features":[4]},{"name":"EqualDomainSid","features":[1,4]},{"name":"EqualPrefixSid","features":[1,4]},{"name":"EqualSid","features":[1,4]},{"name":"FAILED_ACCESS_ACE_FLAG","features":[4]},{"name":"FindFirstFreeAce","features":[1,4]},{"name":"FreeSid","features":[1,4]},{"name":"GENERIC_MAPPING","features":[4]},{"name":"GROUP_SECURITY_INFORMATION","features":[4]},{"name":"GetAce","features":[1,4]},{"name":"GetAclInformation","features":[1,4]},{"name":"GetAppContainerAce","features":[1,4]},{"name":"GetCachedSigningLevel","features":[1,4]},{"name":"GetFileSecurityA","features":[1,4]},{"name":"GetFileSecurityW","features":[1,4]},{"name":"GetKernelObjectSecurity","features":[1,4]},{"name":"GetLengthSid","features":[1,4]},{"name":"GetPrivateObjectSecurity","features":[1,4]},{"name":"GetSecurityDescriptorControl","features":[1,4]},{"name":"GetSecurityDescriptorDacl","features":[1,4]},{"name":"GetSecurityDescriptorGroup","features":[1,4]},{"name":"GetSecurityDescriptorLength","features":[4]},{"name":"GetSecurityDescriptorOwner","features":[1,4]},{"name":"GetSecurityDescriptorRMControl","features":[4]},{"name":"GetSecurityDescriptorSacl","features":[1,4]},{"name":"GetSidIdentifierAuthority","features":[1,4]},{"name":"GetSidLengthRequired","features":[4]},{"name":"GetSidSubAuthority","features":[1,4]},{"name":"GetSidSubAuthorityCount","features":[1,4]},{"name":"GetTokenInformation","features":[1,4]},{"name":"GetUserObjectSecurity","features":[1,4]},{"name":"GetWindowsAccountDomainSid","features":[1,4]},{"name":"HDIAGNOSTIC_DATA_QUERY_SESSION","features":[4]},{"name":"HDIAGNOSTIC_EVENT_CATEGORY_DESCRIPTION","features":[4]},{"name":"HDIAGNOSTIC_EVENT_PRODUCER_DESCRIPTION","features":[4]},{"name":"HDIAGNOSTIC_EVENT_TAG_DESCRIPTION","features":[4]},{"name":"HDIAGNOSTIC_RECORD","features":[4]},{"name":"HDIAGNOSTIC_REPORT","features":[4]},{"name":"INHERITED_ACE","features":[4]},{"name":"INHERIT_NO_PROPAGATE","features":[4]},{"name":"INHERIT_ONLY","features":[4]},{"name":"INHERIT_ONLY_ACE","features":[4]},{"name":"ImpersonateAnonymousToken","features":[1,4]},{"name":"ImpersonateLoggedOnUser","features":[1,4]},{"name":"ImpersonateSelf","features":[1,4]},{"name":"InitializeAcl","features":[1,4]},{"name":"InitializeSecurityDescriptor","features":[1,4]},{"name":"InitializeSid","features":[1,4]},{"name":"IsTokenRestricted","features":[1,4]},{"name":"IsValidAcl","features":[1,4]},{"name":"IsValidSecurityDescriptor","features":[1,4]},{"name":"IsValidSid","features":[1,4]},{"name":"IsWellKnownSid","features":[1,4]},{"name":"LABEL_SECURITY_INFORMATION","features":[4]},{"name":"LLFILETIME","features":[1,4]},{"name":"LOGON32_LOGON","features":[4]},{"name":"LOGON32_LOGON_BATCH","features":[4]},{"name":"LOGON32_LOGON_INTERACTIVE","features":[4]},{"name":"LOGON32_LOGON_NETWORK","features":[4]},{"name":"LOGON32_LOGON_NETWORK_CLEARTEXT","features":[4]},{"name":"LOGON32_LOGON_NEW_CREDENTIALS","features":[4]},{"name":"LOGON32_LOGON_SERVICE","features":[4]},{"name":"LOGON32_LOGON_UNLOCK","features":[4]},{"name":"LOGON32_PROVIDER","features":[4]},{"name":"LOGON32_PROVIDER_DEFAULT","features":[4]},{"name":"LOGON32_PROVIDER_WINNT40","features":[4]},{"name":"LOGON32_PROVIDER_WINNT50","features":[4]},{"name":"LUA_TOKEN","features":[4]},{"name":"LUID_AND_ATTRIBUTES","features":[1,4]},{"name":"LogonUserA","features":[1,4]},{"name":"LogonUserExA","features":[1,4]},{"name":"LogonUserExW","features":[1,4]},{"name":"LogonUserW","features":[1,4]},{"name":"LookupAccountNameA","features":[1,4]},{"name":"LookupAccountNameW","features":[1,4]},{"name":"LookupAccountSidA","features":[1,4]},{"name":"LookupAccountSidW","features":[1,4]},{"name":"LookupPrivilegeDisplayNameA","features":[1,4]},{"name":"LookupPrivilegeDisplayNameW","features":[1,4]},{"name":"LookupPrivilegeNameA","features":[1,4]},{"name":"LookupPrivilegeNameW","features":[1,4]},{"name":"LookupPrivilegeValueA","features":[1,4]},{"name":"LookupPrivilegeValueW","features":[1,4]},{"name":"MANDATORY_LEVEL","features":[4]},{"name":"MakeAbsoluteSD","features":[1,4]},{"name":"MakeSelfRelativeSD","features":[1,4]},{"name":"MandatoryLevelCount","features":[4]},{"name":"MandatoryLevelHigh","features":[4]},{"name":"MandatoryLevelLow","features":[4]},{"name":"MandatoryLevelMedium","features":[4]},{"name":"MandatoryLevelSecureProcess","features":[4]},{"name":"MandatoryLevelSystem","features":[4]},{"name":"MandatoryLevelUntrusted","features":[4]},{"name":"MapGenericMask","features":[4]},{"name":"MaxTokenInfoClass","features":[4]},{"name":"NCRYPT_DESCRIPTOR_HANDLE","features":[4]},{"name":"NCRYPT_STREAM_HANDLE","features":[4]},{"name":"NO_INHERITANCE","features":[4]},{"name":"NO_PROPAGATE_INHERIT_ACE","features":[4]},{"name":"OBJECT_INHERIT_ACE","features":[4]},{"name":"OBJECT_SECURITY_INFORMATION","features":[4]},{"name":"OBJECT_TYPE_LIST","features":[4]},{"name":"OWNER_SECURITY_INFORMATION","features":[4]},{"name":"ObjectCloseAuditAlarmA","features":[1,4]},{"name":"ObjectCloseAuditAlarmW","features":[1,4]},{"name":"ObjectDeleteAuditAlarmA","features":[1,4]},{"name":"ObjectDeleteAuditAlarmW","features":[1,4]},{"name":"ObjectOpenAuditAlarmA","features":[1,4]},{"name":"ObjectOpenAuditAlarmW","features":[1,4]},{"name":"ObjectPrivilegeAuditAlarmA","features":[1,4]},{"name":"ObjectPrivilegeAuditAlarmW","features":[1,4]},{"name":"PLSA_AP_CALL_PACKAGE_UNTRUSTED","features":[1,4]},{"name":"PRIVILEGE_SET","features":[1,4]},{"name":"PROTECTED_DACL_SECURITY_INFORMATION","features":[4]},{"name":"PROTECTED_SACL_SECURITY_INFORMATION","features":[4]},{"name":"PSECURITY_DESCRIPTOR","features":[4]},{"name":"PrivilegeCheck","features":[1,4]},{"name":"PrivilegedServiceAuditAlarmA","features":[1,4]},{"name":"PrivilegedServiceAuditAlarmW","features":[1,4]},{"name":"QUOTA_LIMITS","features":[4]},{"name":"QuerySecurityAccessMask","features":[4]},{"name":"RevertToSelf","features":[1,4]},{"name":"RtlConvertSidToUnicodeString","features":[1,4]},{"name":"RtlNormalizeSecurityDescriptor","features":[1,4]},{"name":"SACL_SECURITY_INFORMATION","features":[4]},{"name":"SAFER_LEVEL_HANDLE","features":[4]},{"name":"SANDBOX_INERT","features":[4]},{"name":"SCOPE_SECURITY_INFORMATION","features":[4]},{"name":"SC_HANDLE","features":[4]},{"name":"SECURITY_APP_PACKAGE_AUTHORITY","features":[4]},{"name":"SECURITY_ATTRIBUTES","features":[1,4]},{"name":"SECURITY_AUTHENTICATION_AUTHORITY","features":[4]},{"name":"SECURITY_AUTO_INHERIT_FLAGS","features":[4]},{"name":"SECURITY_CAPABILITIES","features":[1,4]},{"name":"SECURITY_CREATOR_SID_AUTHORITY","features":[4]},{"name":"SECURITY_DESCRIPTOR","features":[1,4]},{"name":"SECURITY_DESCRIPTOR_CONTROL","features":[4]},{"name":"SECURITY_DESCRIPTOR_RELATIVE","features":[4]},{"name":"SECURITY_DYNAMIC_TRACKING","features":[1,4]},{"name":"SECURITY_IMPERSONATION_LEVEL","features":[4]},{"name":"SECURITY_LOCAL_SID_AUTHORITY","features":[4]},{"name":"SECURITY_MANDATORY_LABEL_AUTHORITY","features":[4]},{"name":"SECURITY_NON_UNIQUE_AUTHORITY","features":[4]},{"name":"SECURITY_NT_AUTHORITY","features":[4]},{"name":"SECURITY_NULL_SID_AUTHORITY","features":[4]},{"name":"SECURITY_PROCESS_TRUST_AUTHORITY","features":[4]},{"name":"SECURITY_QUALITY_OF_SERVICE","features":[1,4]},{"name":"SECURITY_RESOURCE_MANAGER_AUTHORITY","features":[4]},{"name":"SECURITY_SCOPED_POLICY_ID_AUTHORITY","features":[4]},{"name":"SECURITY_STATIC_TRACKING","features":[1,4]},{"name":"SECURITY_WORLD_SID_AUTHORITY","features":[4]},{"name":"SEC_THREAD_START","features":[4]},{"name":"SEF_AVOID_OWNER_CHECK","features":[4]},{"name":"SEF_AVOID_OWNER_RESTRICTION","features":[4]},{"name":"SEF_AVOID_PRIVILEGE_CHECK","features":[4]},{"name":"SEF_DACL_AUTO_INHERIT","features":[4]},{"name":"SEF_DEFAULT_DESCRIPTOR_FOR_OBJECT","features":[4]},{"name":"SEF_DEFAULT_GROUP_FROM_PARENT","features":[4]},{"name":"SEF_DEFAULT_OWNER_FROM_PARENT","features":[4]},{"name":"SEF_MACL_NO_EXECUTE_UP","features":[4]},{"name":"SEF_MACL_NO_READ_UP","features":[4]},{"name":"SEF_MACL_NO_WRITE_UP","features":[4]},{"name":"SEF_SACL_AUTO_INHERIT","features":[4]},{"name":"SE_ACCESS_REPLY","features":[1,4]},{"name":"SE_ACCESS_REQUEST","features":[1,4]},{"name":"SE_ASSIGNPRIMARYTOKEN_NAME","features":[4]},{"name":"SE_AUDIT_NAME","features":[4]},{"name":"SE_BACKUP_NAME","features":[4]},{"name":"SE_CHANGE_NOTIFY_NAME","features":[4]},{"name":"SE_CREATE_GLOBAL_NAME","features":[4]},{"name":"SE_CREATE_PAGEFILE_NAME","features":[4]},{"name":"SE_CREATE_PERMANENT_NAME","features":[4]},{"name":"SE_CREATE_SYMBOLIC_LINK_NAME","features":[4]},{"name":"SE_CREATE_TOKEN_NAME","features":[4]},{"name":"SE_DACL_AUTO_INHERITED","features":[4]},{"name":"SE_DACL_AUTO_INHERIT_REQ","features":[4]},{"name":"SE_DACL_DEFAULTED","features":[4]},{"name":"SE_DACL_PRESENT","features":[4]},{"name":"SE_DACL_PROTECTED","features":[4]},{"name":"SE_DEBUG_NAME","features":[4]},{"name":"SE_DELEGATE_SESSION_USER_IMPERSONATE_NAME","features":[4]},{"name":"SE_ENABLE_DELEGATION_NAME","features":[4]},{"name":"SE_GROUP_DEFAULTED","features":[4]},{"name":"SE_IMPERSONATE_NAME","features":[4]},{"name":"SE_IMPERSONATION_STATE","features":[1,4]},{"name":"SE_INCREASE_QUOTA_NAME","features":[4]},{"name":"SE_INC_BASE_PRIORITY_NAME","features":[4]},{"name":"SE_INC_WORKING_SET_NAME","features":[4]},{"name":"SE_LOAD_DRIVER_NAME","features":[4]},{"name":"SE_LOCK_MEMORY_NAME","features":[4]},{"name":"SE_MACHINE_ACCOUNT_NAME","features":[4]},{"name":"SE_MANAGE_VOLUME_NAME","features":[4]},{"name":"SE_OWNER_DEFAULTED","features":[4]},{"name":"SE_PRIVILEGE_ENABLED","features":[4]},{"name":"SE_PRIVILEGE_ENABLED_BY_DEFAULT","features":[4]},{"name":"SE_PRIVILEGE_REMOVED","features":[4]},{"name":"SE_PRIVILEGE_USED_FOR_ACCESS","features":[4]},{"name":"SE_PROF_SINGLE_PROCESS_NAME","features":[4]},{"name":"SE_RELABEL_NAME","features":[4]},{"name":"SE_REMOTE_SHUTDOWN_NAME","features":[4]},{"name":"SE_RESTORE_NAME","features":[4]},{"name":"SE_RM_CONTROL_VALID","features":[4]},{"name":"SE_SACL_AUTO_INHERITED","features":[4]},{"name":"SE_SACL_AUTO_INHERIT_REQ","features":[4]},{"name":"SE_SACL_DEFAULTED","features":[4]},{"name":"SE_SACL_PRESENT","features":[4]},{"name":"SE_SACL_PROTECTED","features":[4]},{"name":"SE_SECURITY_DESCRIPTOR","features":[4]},{"name":"SE_SECURITY_NAME","features":[4]},{"name":"SE_SELF_RELATIVE","features":[4]},{"name":"SE_SHUTDOWN_NAME","features":[4]},{"name":"SE_SID","features":[4]},{"name":"SE_SYNC_AGENT_NAME","features":[4]},{"name":"SE_SYSTEMTIME_NAME","features":[4]},{"name":"SE_SYSTEM_ENVIRONMENT_NAME","features":[4]},{"name":"SE_SYSTEM_PROFILE_NAME","features":[4]},{"name":"SE_TAKE_OWNERSHIP_NAME","features":[4]},{"name":"SE_TCB_NAME","features":[4]},{"name":"SE_TIME_ZONE_NAME","features":[4]},{"name":"SE_TRUSTED_CREDMAN_ACCESS_NAME","features":[4]},{"name":"SE_UNDOCK_NAME","features":[4]},{"name":"SE_UNSOLICITED_INPUT_NAME","features":[4]},{"name":"SID","features":[4]},{"name":"SID_AND_ATTRIBUTES","features":[1,4]},{"name":"SID_AND_ATTRIBUTES_HASH","features":[1,4]},{"name":"SID_IDENTIFIER_AUTHORITY","features":[4]},{"name":"SID_NAME_USE","features":[4]},{"name":"SIGNING_LEVEL_FILE_CACHE_FLAG_NOT_VALIDATED","features":[4]},{"name":"SIGNING_LEVEL_FILE_CACHE_FLAG_VALIDATE_ONLY","features":[4]},{"name":"SIGNING_LEVEL_MICROSOFT","features":[4]},{"name":"SUB_CONTAINERS_AND_OBJECTS_INHERIT","features":[4]},{"name":"SUB_CONTAINERS_ONLY_INHERIT","features":[4]},{"name":"SUB_OBJECTS_ONLY_INHERIT","features":[4]},{"name":"SUCCESSFUL_ACCESS_ACE_FLAG","features":[4]},{"name":"SYSTEM_ACCESS_FILTER_ACE","features":[4]},{"name":"SYSTEM_ALARM_ACE","features":[4]},{"name":"SYSTEM_ALARM_CALLBACK_ACE","features":[4]},{"name":"SYSTEM_ALARM_CALLBACK_OBJECT_ACE","features":[4]},{"name":"SYSTEM_ALARM_OBJECT_ACE","features":[4]},{"name":"SYSTEM_AUDIT_ACE","features":[4]},{"name":"SYSTEM_AUDIT_CALLBACK_ACE","features":[4]},{"name":"SYSTEM_AUDIT_CALLBACK_OBJECT_ACE","features":[4]},{"name":"SYSTEM_AUDIT_OBJECT_ACE","features":[4]},{"name":"SYSTEM_AUDIT_OBJECT_ACE_FLAGS","features":[4]},{"name":"SYSTEM_MANDATORY_LABEL_ACE","features":[4]},{"name":"SYSTEM_PROCESS_TRUST_LABEL_ACE","features":[4]},{"name":"SYSTEM_RESOURCE_ATTRIBUTE_ACE","features":[4]},{"name":"SYSTEM_SCOPED_POLICY_ID_ACE","features":[4]},{"name":"SecurityAnonymous","features":[4]},{"name":"SecurityDelegation","features":[4]},{"name":"SecurityIdentification","features":[4]},{"name":"SecurityImpersonation","features":[4]},{"name":"SetAclInformation","features":[1,4]},{"name":"SetCachedSigningLevel","features":[1,4]},{"name":"SetFileSecurityA","features":[1,4]},{"name":"SetFileSecurityW","features":[1,4]},{"name":"SetKernelObjectSecurity","features":[1,4]},{"name":"SetPrivateObjectSecurity","features":[1,4]},{"name":"SetPrivateObjectSecurityEx","features":[1,4]},{"name":"SetSecurityAccessMask","features":[4]},{"name":"SetSecurityDescriptorControl","features":[1,4]},{"name":"SetSecurityDescriptorDacl","features":[1,4]},{"name":"SetSecurityDescriptorGroup","features":[1,4]},{"name":"SetSecurityDescriptorOwner","features":[1,4]},{"name":"SetSecurityDescriptorRMControl","features":[4]},{"name":"SetSecurityDescriptorSacl","features":[1,4]},{"name":"SetTokenInformation","features":[1,4]},{"name":"SetUserObjectSecurity","features":[1,4]},{"name":"SidTypeAlias","features":[4]},{"name":"SidTypeComputer","features":[4]},{"name":"SidTypeDeletedAccount","features":[4]},{"name":"SidTypeDomain","features":[4]},{"name":"SidTypeGroup","features":[4]},{"name":"SidTypeInvalid","features":[4]},{"name":"SidTypeLabel","features":[4]},{"name":"SidTypeLogonSession","features":[4]},{"name":"SidTypeUnknown","features":[4]},{"name":"SidTypeUser","features":[4]},{"name":"SidTypeWellKnownGroup","features":[4]},{"name":"TOKEN_ACCESS_INFORMATION","features":[1,4]},{"name":"TOKEN_ACCESS_MASK","features":[4]},{"name":"TOKEN_ACCESS_PSEUDO_HANDLE","features":[4]},{"name":"TOKEN_ACCESS_PSEUDO_HANDLE_WIN8","features":[4]},{"name":"TOKEN_ACCESS_SYSTEM_SECURITY","features":[4]},{"name":"TOKEN_ADJUST_DEFAULT","features":[4]},{"name":"TOKEN_ADJUST_GROUPS","features":[4]},{"name":"TOKEN_ADJUST_PRIVILEGES","features":[4]},{"name":"TOKEN_ADJUST_SESSIONID","features":[4]},{"name":"TOKEN_ALL_ACCESS","features":[4]},{"name":"TOKEN_APPCONTAINER_INFORMATION","features":[1,4]},{"name":"TOKEN_ASSIGN_PRIMARY","features":[4]},{"name":"TOKEN_AUDIT_POLICY","features":[4]},{"name":"TOKEN_CONTROL","features":[1,4]},{"name":"TOKEN_DEFAULT_DACL","features":[4]},{"name":"TOKEN_DELETE","features":[4]},{"name":"TOKEN_DEVICE_CLAIMS","features":[4]},{"name":"TOKEN_DUPLICATE","features":[4]},{"name":"TOKEN_ELEVATION","features":[4]},{"name":"TOKEN_ELEVATION_TYPE","features":[4]},{"name":"TOKEN_EXECUTE","features":[4]},{"name":"TOKEN_GROUPS","features":[1,4]},{"name":"TOKEN_GROUPS_AND_PRIVILEGES","features":[1,4]},{"name":"TOKEN_IMPERSONATE","features":[4]},{"name":"TOKEN_INFORMATION_CLASS","features":[4]},{"name":"TOKEN_LINKED_TOKEN","features":[1,4]},{"name":"TOKEN_MANDATORY_LABEL","features":[1,4]},{"name":"TOKEN_MANDATORY_POLICY","features":[4]},{"name":"TOKEN_MANDATORY_POLICY_ID","features":[4]},{"name":"TOKEN_MANDATORY_POLICY_NEW_PROCESS_MIN","features":[4]},{"name":"TOKEN_MANDATORY_POLICY_NO_WRITE_UP","features":[4]},{"name":"TOKEN_MANDATORY_POLICY_OFF","features":[4]},{"name":"TOKEN_MANDATORY_POLICY_VALID_MASK","features":[4]},{"name":"TOKEN_ORIGIN","features":[1,4]},{"name":"TOKEN_OWNER","features":[1,4]},{"name":"TOKEN_PRIMARY_GROUP","features":[1,4]},{"name":"TOKEN_PRIVILEGES","features":[1,4]},{"name":"TOKEN_PRIVILEGES_ATTRIBUTES","features":[4]},{"name":"TOKEN_QUERY","features":[4]},{"name":"TOKEN_QUERY_SOURCE","features":[4]},{"name":"TOKEN_READ","features":[4]},{"name":"TOKEN_READ_CONTROL","features":[4]},{"name":"TOKEN_SOURCE","features":[1,4]},{"name":"TOKEN_STATISTICS","features":[1,4]},{"name":"TOKEN_TRUST_CONSTRAINT_MASK","features":[4]},{"name":"TOKEN_TYPE","features":[4]},{"name":"TOKEN_USER","features":[1,4]},{"name":"TOKEN_USER_CLAIMS","features":[4]},{"name":"TOKEN_WRITE","features":[4]},{"name":"TOKEN_WRITE_DAC","features":[4]},{"name":"TOKEN_WRITE_OWNER","features":[4]},{"name":"TokenAccessInformation","features":[4]},{"name":"TokenAppContainerNumber","features":[4]},{"name":"TokenAppContainerSid","features":[4]},{"name":"TokenAuditPolicy","features":[4]},{"name":"TokenBnoIsolation","features":[4]},{"name":"TokenCapabilities","features":[4]},{"name":"TokenChildProcessFlags","features":[4]},{"name":"TokenDefaultDacl","features":[4]},{"name":"TokenDeviceClaimAttributes","features":[4]},{"name":"TokenDeviceGroups","features":[4]},{"name":"TokenElevation","features":[4]},{"name":"TokenElevationType","features":[4]},{"name":"TokenElevationTypeDefault","features":[4]},{"name":"TokenElevationTypeFull","features":[4]},{"name":"TokenElevationTypeLimited","features":[4]},{"name":"TokenGroups","features":[4]},{"name":"TokenGroupsAndPrivileges","features":[4]},{"name":"TokenHasRestrictions","features":[4]},{"name":"TokenImpersonation","features":[4]},{"name":"TokenImpersonationLevel","features":[4]},{"name":"TokenIntegrityLevel","features":[4]},{"name":"TokenIsAppContainer","features":[4]},{"name":"TokenIsAppSilo","features":[4]},{"name":"TokenIsLessPrivilegedAppContainer","features":[4]},{"name":"TokenIsRestricted","features":[4]},{"name":"TokenIsSandboxed","features":[4]},{"name":"TokenLinkedToken","features":[4]},{"name":"TokenLogonSid","features":[4]},{"name":"TokenMandatoryPolicy","features":[4]},{"name":"TokenOrigin","features":[4]},{"name":"TokenOwner","features":[4]},{"name":"TokenPrimary","features":[4]},{"name":"TokenPrimaryGroup","features":[4]},{"name":"TokenPrivateNameSpace","features":[4]},{"name":"TokenPrivileges","features":[4]},{"name":"TokenProcessTrustLevel","features":[4]},{"name":"TokenRestrictedDeviceClaimAttributes","features":[4]},{"name":"TokenRestrictedDeviceGroups","features":[4]},{"name":"TokenRestrictedSids","features":[4]},{"name":"TokenRestrictedUserClaimAttributes","features":[4]},{"name":"TokenSandBoxInert","features":[4]},{"name":"TokenSecurityAttributes","features":[4]},{"name":"TokenSessionId","features":[4]},{"name":"TokenSessionReference","features":[4]},{"name":"TokenSingletonAttributes","features":[4]},{"name":"TokenSource","features":[4]},{"name":"TokenStatistics","features":[4]},{"name":"TokenType","features":[4]},{"name":"TokenUIAccess","features":[4]},{"name":"TokenUser","features":[4]},{"name":"TokenUserClaimAttributes","features":[4]},{"name":"TokenVirtualizationAllowed","features":[4]},{"name":"TokenVirtualizationEnabled","features":[4]},{"name":"UNPROTECTED_DACL_SECURITY_INFORMATION","features":[4]},{"name":"UNPROTECTED_SACL_SECURITY_INFORMATION","features":[4]},{"name":"WELL_KNOWN_SID_TYPE","features":[4]},{"name":"WRITE_RESTRICTED","features":[4]},{"name":"WinAccountAdministratorSid","features":[4]},{"name":"WinAccountCertAdminsSid","features":[4]},{"name":"WinAccountCloneableControllersSid","features":[4]},{"name":"WinAccountComputersSid","features":[4]},{"name":"WinAccountControllersSid","features":[4]},{"name":"WinAccountDefaultSystemManagedSid","features":[4]},{"name":"WinAccountDomainAdminsSid","features":[4]},{"name":"WinAccountDomainGuestsSid","features":[4]},{"name":"WinAccountDomainUsersSid","features":[4]},{"name":"WinAccountEnterpriseAdminsSid","features":[4]},{"name":"WinAccountEnterpriseKeyAdminsSid","features":[4]},{"name":"WinAccountGuestSid","features":[4]},{"name":"WinAccountKeyAdminsSid","features":[4]},{"name":"WinAccountKrbtgtSid","features":[4]},{"name":"WinAccountPolicyAdminsSid","features":[4]},{"name":"WinAccountProtectedUsersSid","features":[4]},{"name":"WinAccountRasAndIasServersSid","features":[4]},{"name":"WinAccountReadonlyControllersSid","features":[4]},{"name":"WinAccountSchemaAdminsSid","features":[4]},{"name":"WinAnonymousSid","features":[4]},{"name":"WinApplicationPackageAuthoritySid","features":[4]},{"name":"WinAuthenticatedUserSid","features":[4]},{"name":"WinAuthenticationAuthorityAssertedSid","features":[4]},{"name":"WinAuthenticationFreshKeyAuthSid","features":[4]},{"name":"WinAuthenticationKeyPropertyAttestationSid","features":[4]},{"name":"WinAuthenticationKeyPropertyMFASid","features":[4]},{"name":"WinAuthenticationKeyTrustSid","features":[4]},{"name":"WinAuthenticationServiceAssertedSid","features":[4]},{"name":"WinBatchSid","features":[4]},{"name":"WinBuiltinAccessControlAssistanceOperatorsSid","features":[4]},{"name":"WinBuiltinAccountOperatorsSid","features":[4]},{"name":"WinBuiltinAdministratorsSid","features":[4]},{"name":"WinBuiltinAnyPackageSid","features":[4]},{"name":"WinBuiltinAuthorizationAccessSid","features":[4]},{"name":"WinBuiltinBackupOperatorsSid","features":[4]},{"name":"WinBuiltinCertSvcDComAccessGroup","features":[4]},{"name":"WinBuiltinCryptoOperatorsSid","features":[4]},{"name":"WinBuiltinDCOMUsersSid","features":[4]},{"name":"WinBuiltinDefaultSystemManagedGroupSid","features":[4]},{"name":"WinBuiltinDeviceOwnersSid","features":[4]},{"name":"WinBuiltinDomainSid","features":[4]},{"name":"WinBuiltinEventLogReadersGroup","features":[4]},{"name":"WinBuiltinGuestsSid","features":[4]},{"name":"WinBuiltinHyperVAdminsSid","features":[4]},{"name":"WinBuiltinIUsersSid","features":[4]},{"name":"WinBuiltinIncomingForestTrustBuildersSid","features":[4]},{"name":"WinBuiltinNetworkConfigurationOperatorsSid","features":[4]},{"name":"WinBuiltinPerfLoggingUsersSid","features":[4]},{"name":"WinBuiltinPerfMonitoringUsersSid","features":[4]},{"name":"WinBuiltinPowerUsersSid","features":[4]},{"name":"WinBuiltinPreWindows2000CompatibleAccessSid","features":[4]},{"name":"WinBuiltinPrintOperatorsSid","features":[4]},{"name":"WinBuiltinRDSEndpointServersSid","features":[4]},{"name":"WinBuiltinRDSManagementServersSid","features":[4]},{"name":"WinBuiltinRDSRemoteAccessServersSid","features":[4]},{"name":"WinBuiltinRemoteDesktopUsersSid","features":[4]},{"name":"WinBuiltinRemoteManagementUsersSid","features":[4]},{"name":"WinBuiltinReplicatorSid","features":[4]},{"name":"WinBuiltinStorageReplicaAdminsSid","features":[4]},{"name":"WinBuiltinSystemOperatorsSid","features":[4]},{"name":"WinBuiltinTerminalServerLicenseServersSid","features":[4]},{"name":"WinBuiltinUsersSid","features":[4]},{"name":"WinCacheablePrincipalsGroupSid","features":[4]},{"name":"WinCapabilityAppointmentsSid","features":[4]},{"name":"WinCapabilityContactsSid","features":[4]},{"name":"WinCapabilityDocumentsLibrarySid","features":[4]},{"name":"WinCapabilityEnterpriseAuthenticationSid","features":[4]},{"name":"WinCapabilityInternetClientServerSid","features":[4]},{"name":"WinCapabilityInternetClientSid","features":[4]},{"name":"WinCapabilityMusicLibrarySid","features":[4]},{"name":"WinCapabilityPicturesLibrarySid","features":[4]},{"name":"WinCapabilityPrivateNetworkClientServerSid","features":[4]},{"name":"WinCapabilityRemovableStorageSid","features":[4]},{"name":"WinCapabilitySharedUserCertificatesSid","features":[4]},{"name":"WinCapabilityVideosLibrarySid","features":[4]},{"name":"WinConsoleLogonSid","features":[4]},{"name":"WinCreatorGroupServerSid","features":[4]},{"name":"WinCreatorGroupSid","features":[4]},{"name":"WinCreatorOwnerRightsSid","features":[4]},{"name":"WinCreatorOwnerServerSid","features":[4]},{"name":"WinCreatorOwnerSid","features":[4]},{"name":"WinDialupSid","features":[4]},{"name":"WinDigestAuthenticationSid","features":[4]},{"name":"WinEnterpriseControllersSid","features":[4]},{"name":"WinEnterpriseReadonlyControllersSid","features":[4]},{"name":"WinHighLabelSid","features":[4]},{"name":"WinIUserSid","features":[4]},{"name":"WinInteractiveSid","features":[4]},{"name":"WinLocalAccountAndAdministratorSid","features":[4]},{"name":"WinLocalAccountSid","features":[4]},{"name":"WinLocalLogonSid","features":[4]},{"name":"WinLocalServiceSid","features":[4]},{"name":"WinLocalSid","features":[4]},{"name":"WinLocalSystemSid","features":[4]},{"name":"WinLogonIdsSid","features":[4]},{"name":"WinLowLabelSid","features":[4]},{"name":"WinMediumLabelSid","features":[4]},{"name":"WinMediumPlusLabelSid","features":[4]},{"name":"WinNTLMAuthenticationSid","features":[4]},{"name":"WinNetworkServiceSid","features":[4]},{"name":"WinNetworkSid","features":[4]},{"name":"WinNewEnterpriseReadonlyControllersSid","features":[4]},{"name":"WinNonCacheablePrincipalsGroupSid","features":[4]},{"name":"WinNtAuthoritySid","features":[4]},{"name":"WinNullSid","features":[4]},{"name":"WinOtherOrganizationSid","features":[4]},{"name":"WinProxySid","features":[4]},{"name":"WinRemoteLogonIdSid","features":[4]},{"name":"WinRestrictedCodeSid","features":[4]},{"name":"WinSChannelAuthenticationSid","features":[4]},{"name":"WinSelfSid","features":[4]},{"name":"WinServiceSid","features":[4]},{"name":"WinSystemLabelSid","features":[4]},{"name":"WinTerminalServerSid","features":[4]},{"name":"WinThisOrganizationCertificateSid","features":[4]},{"name":"WinThisOrganizationSid","features":[4]},{"name":"WinUntrustedLabelSid","features":[4]},{"name":"WinUserModeDriversSid","features":[4]},{"name":"WinWorldSid","features":[4]},{"name":"WinWriteRestrictedCodeSid","features":[4]},{"name":"cwcFILENAMESUFFIXMAX","features":[4]},{"name":"cwcHRESULTSTRING","features":[4]},{"name":"szLBRACE","features":[4]},{"name":"szLPAREN","features":[4]},{"name":"szRBRACE","features":[4]},{"name":"szRPAREN","features":[4]},{"name":"wszCERTENROLLSHAREPATH","features":[4]},{"name":"wszFCSAPARM_CERTFILENAMESUFFIX","features":[4]},{"name":"wszFCSAPARM_CONFIGDN","features":[4]},{"name":"wszFCSAPARM_CRLDELTAFILENAMESUFFIX","features":[4]},{"name":"wszFCSAPARM_CRLFILENAMESUFFIX","features":[4]},{"name":"wszFCSAPARM_DOMAINDN","features":[4]},{"name":"wszFCSAPARM_DSCACERTATTRIBUTE","features":[4]},{"name":"wszFCSAPARM_DSCRLATTRIBUTE","features":[4]},{"name":"wszFCSAPARM_DSCROSSCERTPAIRATTRIBUTE","features":[4]},{"name":"wszFCSAPARM_DSKRACERTATTRIBUTE","features":[4]},{"name":"wszFCSAPARM_DSUSERCERTATTRIBUTE","features":[4]},{"name":"wszFCSAPARM_SANITIZEDCANAME","features":[4]},{"name":"wszFCSAPARM_SANITIZEDCANAMEHASH","features":[4]},{"name":"wszFCSAPARM_SERVERDNSNAME","features":[4]},{"name":"wszFCSAPARM_SERVERSHORTNAME","features":[4]},{"name":"wszLBRACE","features":[4]},{"name":"wszLPAREN","features":[4]},{"name":"wszRBRACE","features":[4]},{"name":"wszRPAREN","features":[4]}],"480":[{"name":"SAFER_CODE_PROPERTIES_V1","features":[1,117,68]},{"name":"SAFER_CODE_PROPERTIES_V2","features":[1,117,68]},{"name":"SAFER_COMPUTE_TOKEN_FROM_LEVEL_FLAGS","features":[117]},{"name":"SAFER_CRITERIA_APPX_PACKAGE","features":[117]},{"name":"SAFER_CRITERIA_AUTHENTICODE","features":[117]},{"name":"SAFER_CRITERIA_IMAGEHASH","features":[117]},{"name":"SAFER_CRITERIA_IMAGEPATH","features":[117]},{"name":"SAFER_CRITERIA_IMAGEPATH_NT","features":[117]},{"name":"SAFER_CRITERIA_NOSIGNEDHASH","features":[117]},{"name":"SAFER_CRITERIA_URLZONE","features":[117]},{"name":"SAFER_HASH_IDENTIFICATION","features":[1,117,68]},{"name":"SAFER_HASH_IDENTIFICATION2","features":[1,117,68]},{"name":"SAFER_IDENTIFICATION_HEADER","features":[1,117]},{"name":"SAFER_IDENTIFICATION_TYPES","features":[117]},{"name":"SAFER_LEVELID_CONSTRAINED","features":[117]},{"name":"SAFER_LEVELID_DISALLOWED","features":[117]},{"name":"SAFER_LEVELID_FULLYTRUSTED","features":[117]},{"name":"SAFER_LEVELID_NORMALUSER","features":[117]},{"name":"SAFER_LEVELID_UNTRUSTED","features":[117]},{"name":"SAFER_LEVEL_OPEN","features":[117]},{"name":"SAFER_MAX_DESCRIPTION_SIZE","features":[117]},{"name":"SAFER_MAX_FRIENDLYNAME_SIZE","features":[117]},{"name":"SAFER_MAX_HASH_SIZE","features":[117]},{"name":"SAFER_OBJECT_INFO_CLASS","features":[117]},{"name":"SAFER_PATHNAME_IDENTIFICATION","features":[1,117]},{"name":"SAFER_POLICY_BLOCK_CLIENT_UI","features":[117]},{"name":"SAFER_POLICY_HASH_DUPLICATE","features":[117]},{"name":"SAFER_POLICY_INFO_CLASS","features":[117]},{"name":"SAFER_POLICY_JOBID_CONSTRAINED","features":[117]},{"name":"SAFER_POLICY_JOBID_MASK","features":[117]},{"name":"SAFER_POLICY_JOBID_UNTRUSTED","features":[117]},{"name":"SAFER_POLICY_ONLY_AUDIT","features":[117]},{"name":"SAFER_POLICY_ONLY_EXES","features":[117]},{"name":"SAFER_POLICY_SANDBOX_INERT","features":[117]},{"name":"SAFER_POLICY_UIFLAGS_HIDDEN","features":[117]},{"name":"SAFER_POLICY_UIFLAGS_INFORMATION_PROMPT","features":[117]},{"name":"SAFER_POLICY_UIFLAGS_MASK","features":[117]},{"name":"SAFER_POLICY_UIFLAGS_OPTION_PROMPT","features":[117]},{"name":"SAFER_SCOPEID_MACHINE","features":[117]},{"name":"SAFER_SCOPEID_USER","features":[117]},{"name":"SAFER_TOKEN_COMPARE_ONLY","features":[117]},{"name":"SAFER_TOKEN_MAKE_INERT","features":[117]},{"name":"SAFER_TOKEN_NULL_IF_EQUAL","features":[117]},{"name":"SAFER_TOKEN_WANT_FLAGS","features":[117]},{"name":"SAFER_URLZONE_IDENTIFICATION","features":[1,117]},{"name":"SRP_POLICY_APPX","features":[117]},{"name":"SRP_POLICY_DLL","features":[117]},{"name":"SRP_POLICY_EXE","features":[117]},{"name":"SRP_POLICY_MANAGEDINSTALLER","features":[117]},{"name":"SRP_POLICY_MSI","features":[117]},{"name":"SRP_POLICY_NOV2","features":[117]},{"name":"SRP_POLICY_SCRIPT","features":[117]},{"name":"SRP_POLICY_SHELL","features":[117]},{"name":"SRP_POLICY_WLDPCONFIGCI","features":[117]},{"name":"SRP_POLICY_WLDPMSI","features":[117]},{"name":"SRP_POLICY_WLDPSCRIPT","features":[117]},{"name":"SaferCloseLevel","features":[1,117]},{"name":"SaferComputeTokenFromLevel","features":[1,117]},{"name":"SaferCreateLevel","features":[1,117]},{"name":"SaferGetLevelInformation","features":[1,117]},{"name":"SaferGetPolicyInformation","features":[1,117]},{"name":"SaferIdentifyLevel","features":[1,117,68]},{"name":"SaferIdentityDefault","features":[117]},{"name":"SaferIdentityTypeCertificate","features":[117]},{"name":"SaferIdentityTypeImageHash","features":[117]},{"name":"SaferIdentityTypeImageName","features":[117]},{"name":"SaferIdentityTypeUrlZone","features":[117]},{"name":"SaferObjectAllIdentificationGuids","features":[117]},{"name":"SaferObjectBuiltin","features":[117]},{"name":"SaferObjectDefaultOwner","features":[117]},{"name":"SaferObjectDeletedPrivileges","features":[117]},{"name":"SaferObjectDescription","features":[117]},{"name":"SaferObjectDisableMaxPrivilege","features":[117]},{"name":"SaferObjectDisallowed","features":[117]},{"name":"SaferObjectExtendedError","features":[117]},{"name":"SaferObjectFriendlyName","features":[117]},{"name":"SaferObjectInvertDeletedPrivileges","features":[117]},{"name":"SaferObjectLevelId","features":[117]},{"name":"SaferObjectRestrictedSidsAdded","features":[117]},{"name":"SaferObjectRestrictedSidsInverted","features":[117]},{"name":"SaferObjectScopeId","features":[117]},{"name":"SaferObjectSidsToDisable","features":[117]},{"name":"SaferObjectSingleIdentification","features":[117]},{"name":"SaferPolicyAuthenticodeEnabled","features":[117]},{"name":"SaferPolicyDefaultLevel","features":[117]},{"name":"SaferPolicyDefaultLevelFlags","features":[117]},{"name":"SaferPolicyEnableTransparentEnforcement","features":[117]},{"name":"SaferPolicyEvaluateUserScope","features":[117]},{"name":"SaferPolicyLevelList","features":[117]},{"name":"SaferPolicyScopeFlags","features":[117]},{"name":"SaferRecordEventLogEntry","features":[1,117]},{"name":"SaferSetLevelInformation","features":[1,117]},{"name":"SaferSetPolicyInformation","features":[1,117]},{"name":"SaferiIsExecutableFileType","features":[1,117]}],"481":[{"name":"ACCEPT_SECURITY_CONTEXT_FN","features":[23,118]},{"name":"ACCOUNT_ADJUST_PRIVILEGES","features":[23]},{"name":"ACCOUNT_ADJUST_QUOTAS","features":[23]},{"name":"ACCOUNT_ADJUST_SYSTEM_ACCESS","features":[23]},{"name":"ACCOUNT_VIEW","features":[23]},{"name":"ACQUIRE_CREDENTIALS_HANDLE_FN_A","features":[23,118]},{"name":"ACQUIRE_CREDENTIALS_HANDLE_FN_W","features":[23,118]},{"name":"ADD_CREDENTIALS_FN_A","features":[23,118]},{"name":"ADD_CREDENTIALS_FN_W","features":[23,118]},{"name":"APPLY_CONTROL_TOKEN_FN","features":[23,118]},{"name":"ASC_REQ_ALLOCATE_MEMORY","features":[23]},{"name":"ASC_REQ_ALLOW_CONTEXT_REPLAY","features":[23]},{"name":"ASC_REQ_ALLOW_MISSING_BINDINGS","features":[23]},{"name":"ASC_REQ_ALLOW_NON_USER_LOGONS","features":[23]},{"name":"ASC_REQ_ALLOW_NULL_SESSION","features":[23]},{"name":"ASC_REQ_CALL_LEVEL","features":[23]},{"name":"ASC_REQ_CONFIDENTIALITY","features":[23]},{"name":"ASC_REQ_CONNECTION","features":[23]},{"name":"ASC_REQ_DATAGRAM","features":[23]},{"name":"ASC_REQ_DELEGATE","features":[23]},{"name":"ASC_REQ_EXTENDED_ERROR","features":[23]},{"name":"ASC_REQ_FLAGS","features":[23]},{"name":"ASC_REQ_FRAGMENT_SUPPLIED","features":[23]},{"name":"ASC_REQ_FRAGMENT_TO_FIT","features":[23]},{"name":"ASC_REQ_HIGH_FLAGS","features":[23]},{"name":"ASC_REQ_IDENTIFY","features":[23]},{"name":"ASC_REQ_INTEGRITY","features":[23]},{"name":"ASC_REQ_LICENSING","features":[23]},{"name":"ASC_REQ_MESSAGES","features":[23]},{"name":"ASC_REQ_MUTUAL_AUTH","features":[23]},{"name":"ASC_REQ_NO_TOKEN","features":[23]},{"name":"ASC_REQ_PROXY_BINDINGS","features":[23]},{"name":"ASC_REQ_REPLAY_DETECT","features":[23]},{"name":"ASC_REQ_SEQUENCE_DETECT","features":[23]},{"name":"ASC_REQ_SESSION_TICKET","features":[23]},{"name":"ASC_REQ_STREAM","features":[23]},{"name":"ASC_REQ_USE_DCE_STYLE","features":[23]},{"name":"ASC_REQ_USE_SESSION_KEY","features":[23]},{"name":"ASC_RET_ALLOCATED_MEMORY","features":[23]},{"name":"ASC_RET_ALLOW_CONTEXT_REPLAY","features":[23]},{"name":"ASC_RET_ALLOW_NON_USER_LOGONS","features":[23]},{"name":"ASC_RET_CALL_LEVEL","features":[23]},{"name":"ASC_RET_CONFIDENTIALITY","features":[23]},{"name":"ASC_RET_CONNECTION","features":[23]},{"name":"ASC_RET_DATAGRAM","features":[23]},{"name":"ASC_RET_DELEGATE","features":[23]},{"name":"ASC_RET_EXTENDED_ERROR","features":[23]},{"name":"ASC_RET_FRAGMENT_ONLY","features":[23]},{"name":"ASC_RET_IDENTIFY","features":[23]},{"name":"ASC_RET_INTEGRITY","features":[23]},{"name":"ASC_RET_LICENSING","features":[23]},{"name":"ASC_RET_MESSAGES","features":[23]},{"name":"ASC_RET_MUTUAL_AUTH","features":[23]},{"name":"ASC_RET_NO_ADDITIONAL_TOKEN","features":[23]},{"name":"ASC_RET_NO_TOKEN","features":[23]},{"name":"ASC_RET_NULL_SESSION","features":[23]},{"name":"ASC_RET_REPLAY_DETECT","features":[23]},{"name":"ASC_RET_SEQUENCE_DETECT","features":[23]},{"name":"ASC_RET_SESSION_TICKET","features":[23]},{"name":"ASC_RET_STREAM","features":[23]},{"name":"ASC_RET_THIRD_LEG_FAILED","features":[23]},{"name":"ASC_RET_USED_DCE_STYLE","features":[23]},{"name":"ASC_RET_USE_SESSION_KEY","features":[23]},{"name":"AUDIT_ENUMERATE_USERS","features":[23]},{"name":"AUDIT_POLICY_INFORMATION","features":[23]},{"name":"AUDIT_QUERY_MISC_POLICY","features":[23]},{"name":"AUDIT_QUERY_SYSTEM_POLICY","features":[23]},{"name":"AUDIT_QUERY_USER_POLICY","features":[23]},{"name":"AUDIT_SET_MISC_POLICY","features":[23]},{"name":"AUDIT_SET_SYSTEM_POLICY","features":[23]},{"name":"AUDIT_SET_USER_POLICY","features":[23]},{"name":"AUTH_REQ_ALLOW_ENC_TKT_IN_SKEY","features":[23]},{"name":"AUTH_REQ_ALLOW_FORWARDABLE","features":[23]},{"name":"AUTH_REQ_ALLOW_NOADDRESS","features":[23]},{"name":"AUTH_REQ_ALLOW_POSTDATE","features":[23]},{"name":"AUTH_REQ_ALLOW_PROXIABLE","features":[23]},{"name":"AUTH_REQ_ALLOW_RENEWABLE","features":[23]},{"name":"AUTH_REQ_ALLOW_S4U_DELEGATE","features":[23]},{"name":"AUTH_REQ_ALLOW_VALIDATE","features":[23]},{"name":"AUTH_REQ_OK_AS_DELEGATE","features":[23]},{"name":"AUTH_REQ_PREAUTH_REQUIRED","features":[23]},{"name":"AUTH_REQ_TRANSITIVE_TRUST","features":[23]},{"name":"AUTH_REQ_VALIDATE_CLIENT","features":[23]},{"name":"AcceptSecurityContext","features":[23,118]},{"name":"AccountDomainInformation","features":[23]},{"name":"AcquireCredentialsHandleA","features":[23,118]},{"name":"AcquireCredentialsHandleW","features":[23,118]},{"name":"AddCredentialsA","features":[23,118]},{"name":"AddCredentialsW","features":[23,118]},{"name":"AddSecurityPackageA","features":[23]},{"name":"AddSecurityPackageW","features":[23]},{"name":"ApplyControlToken","features":[23,118]},{"name":"AuditCategoryAccountLogon","features":[23]},{"name":"AuditCategoryAccountManagement","features":[23]},{"name":"AuditCategoryDetailedTracking","features":[23]},{"name":"AuditCategoryDirectoryServiceAccess","features":[23]},{"name":"AuditCategoryLogon","features":[23]},{"name":"AuditCategoryObjectAccess","features":[23]},{"name":"AuditCategoryPolicyChange","features":[23]},{"name":"AuditCategoryPrivilegeUse","features":[23]},{"name":"AuditCategorySystem","features":[23]},{"name":"AuditComputeEffectivePolicyBySid","features":[1,23]},{"name":"AuditComputeEffectivePolicyByToken","features":[1,23]},{"name":"AuditEnumerateCategories","features":[1,23]},{"name":"AuditEnumeratePerUserPolicy","features":[1,23]},{"name":"AuditEnumerateSubCategories","features":[1,23]},{"name":"AuditFree","features":[23]},{"name":"AuditLookupCategoryGuidFromCategoryId","features":[1,23]},{"name":"AuditLookupCategoryIdFromCategoryGuid","features":[1,23]},{"name":"AuditLookupCategoryNameA","features":[1,23]},{"name":"AuditLookupCategoryNameW","features":[1,23]},{"name":"AuditLookupSubCategoryNameA","features":[1,23]},{"name":"AuditLookupSubCategoryNameW","features":[1,23]},{"name":"AuditQueryGlobalSaclA","features":[1,23]},{"name":"AuditQueryGlobalSaclW","features":[1,23]},{"name":"AuditQueryPerUserPolicy","features":[1,23]},{"name":"AuditQuerySecurity","features":[1,23]},{"name":"AuditQuerySystemPolicy","features":[1,23]},{"name":"AuditSetGlobalSaclA","features":[1,23]},{"name":"AuditSetGlobalSaclW","features":[1,23]},{"name":"AuditSetPerUserPolicy","features":[1,23]},{"name":"AuditSetSecurity","features":[1,23]},{"name":"AuditSetSystemPolicy","features":[1,23]},{"name":"Audit_AccountLogon","features":[23]},{"name":"Audit_AccountLogon_CredentialValidation","features":[23]},{"name":"Audit_AccountLogon_KerbCredentialValidation","features":[23]},{"name":"Audit_AccountLogon_Kerberos","features":[23]},{"name":"Audit_AccountLogon_Others","features":[23]},{"name":"Audit_AccountManagement","features":[23]},{"name":"Audit_AccountManagement_ApplicationGroup","features":[23]},{"name":"Audit_AccountManagement_ComputerAccount","features":[23]},{"name":"Audit_AccountManagement_DistributionGroup","features":[23]},{"name":"Audit_AccountManagement_Others","features":[23]},{"name":"Audit_AccountManagement_SecurityGroup","features":[23]},{"name":"Audit_AccountManagement_UserAccount","features":[23]},{"name":"Audit_DSAccess_DSAccess","features":[23]},{"name":"Audit_DetailedTracking","features":[23]},{"name":"Audit_DetailedTracking_DpapiActivity","features":[23]},{"name":"Audit_DetailedTracking_PnpActivity","features":[23]},{"name":"Audit_DetailedTracking_ProcessCreation","features":[23]},{"name":"Audit_DetailedTracking_ProcessTermination","features":[23]},{"name":"Audit_DetailedTracking_RpcCall","features":[23]},{"name":"Audit_DetailedTracking_TokenRightAdjusted","features":[23]},{"name":"Audit_DirectoryServiceAccess","features":[23]},{"name":"Audit_DsAccess_AdAuditChanges","features":[23]},{"name":"Audit_Ds_DetailedReplication","features":[23]},{"name":"Audit_Ds_Replication","features":[23]},{"name":"Audit_Logon","features":[23]},{"name":"Audit_Logon_AccountLockout","features":[23]},{"name":"Audit_Logon_Claims","features":[23]},{"name":"Audit_Logon_Groups","features":[23]},{"name":"Audit_Logon_IPSecMainMode","features":[23]},{"name":"Audit_Logon_IPSecQuickMode","features":[23]},{"name":"Audit_Logon_IPSecUserMode","features":[23]},{"name":"Audit_Logon_Logoff","features":[23]},{"name":"Audit_Logon_Logon","features":[23]},{"name":"Audit_Logon_NPS","features":[23]},{"name":"Audit_Logon_Others","features":[23]},{"name":"Audit_Logon_SpecialLogon","features":[23]},{"name":"Audit_ObjectAccess","features":[23]},{"name":"Audit_ObjectAccess_ApplicationGenerated","features":[23]},{"name":"Audit_ObjectAccess_CbacStaging","features":[23]},{"name":"Audit_ObjectAccess_CertificationServices","features":[23]},{"name":"Audit_ObjectAccess_DetailedFileShare","features":[23]},{"name":"Audit_ObjectAccess_FileSystem","features":[23]},{"name":"Audit_ObjectAccess_FirewallConnection","features":[23]},{"name":"Audit_ObjectAccess_FirewallPacketDrops","features":[23]},{"name":"Audit_ObjectAccess_Handle","features":[23]},{"name":"Audit_ObjectAccess_Kernel","features":[23]},{"name":"Audit_ObjectAccess_Other","features":[23]},{"name":"Audit_ObjectAccess_Registry","features":[23]},{"name":"Audit_ObjectAccess_RemovableStorage","features":[23]},{"name":"Audit_ObjectAccess_Sam","features":[23]},{"name":"Audit_ObjectAccess_Share","features":[23]},{"name":"Audit_PolicyChange","features":[23]},{"name":"Audit_PolicyChange_AuditPolicy","features":[23]},{"name":"Audit_PolicyChange_AuthenticationPolicy","features":[23]},{"name":"Audit_PolicyChange_AuthorizationPolicy","features":[23]},{"name":"Audit_PolicyChange_MpsscvRulePolicy","features":[23]},{"name":"Audit_PolicyChange_Others","features":[23]},{"name":"Audit_PolicyChange_WfpIPSecPolicy","features":[23]},{"name":"Audit_PrivilegeUse","features":[23]},{"name":"Audit_PrivilegeUse_NonSensitive","features":[23]},{"name":"Audit_PrivilegeUse_Others","features":[23]},{"name":"Audit_PrivilegeUse_Sensitive","features":[23]},{"name":"Audit_System","features":[23]},{"name":"Audit_System_IPSecDriverEvents","features":[23]},{"name":"Audit_System_Integrity","features":[23]},{"name":"Audit_System_Others","features":[23]},{"name":"Audit_System_SecurityStateChange","features":[23]},{"name":"Audit_System_SecuritySubsystemExtension","features":[23]},{"name":"CENTRAL_ACCESS_POLICY","features":[1,23]},{"name":"CENTRAL_ACCESS_POLICY_ENTRY","features":[23]},{"name":"CENTRAL_ACCESS_POLICY_OWNER_RIGHTS_PRESENT_FLAG","features":[23]},{"name":"CENTRAL_ACCESS_POLICY_STAGED_FLAG","features":[23]},{"name":"CENTRAL_ACCESS_POLICY_STAGED_OWNER_RIGHTS_PRESENT_FLAG","features":[23]},{"name":"CHANGE_PASSWORD_FN_A","features":[1,23]},{"name":"CHANGE_PASSWORD_FN_W","features":[1,23]},{"name":"CLEAR_BLOCK","features":[23]},{"name":"CLEAR_BLOCK_LENGTH","features":[23]},{"name":"CLOUDAP_NAME","features":[23]},{"name":"CLOUDAP_NAME_W","features":[23]},{"name":"COMPLETE_AUTH_TOKEN_FN","features":[23,118]},{"name":"CREDP_FLAGS_CLEAR_PASSWORD","features":[23]},{"name":"CREDP_FLAGS_DONT_CACHE_TI","features":[23]},{"name":"CREDP_FLAGS_IN_PROCESS","features":[23]},{"name":"CREDP_FLAGS_TRUSTED_CALLER","features":[23]},{"name":"CREDP_FLAGS_USER_ENCRYPTED_PASSWORD","features":[23]},{"name":"CREDP_FLAGS_USE_MIDL_HEAP","features":[23]},{"name":"CREDP_FLAGS_VALIDATE_PROXY_TARGET","features":[23]},{"name":"CRED_FETCH","features":[23]},{"name":"CRED_MARSHALED_TI_SIZE_SIZE","features":[23]},{"name":"CRYPTO_SETTINGS","features":[23]},{"name":"CYPHER_BLOCK_LENGTH","features":[23]},{"name":"CertHashInfo","features":[23]},{"name":"ChangeAccountPasswordA","features":[1,23]},{"name":"ChangeAccountPasswordW","features":[1,23]},{"name":"ClOUDAP_NAME_A","features":[23]},{"name":"CollisionOther","features":[23]},{"name":"CollisionTdo","features":[23]},{"name":"CollisionXref","features":[23]},{"name":"CompleteAuthToken","features":[23,118]},{"name":"CredFetchDPAPI","features":[23]},{"name":"CredFetchDefault","features":[23]},{"name":"CredFetchForced","features":[23]},{"name":"CredFreeCredentialsFn","features":[1,23,118]},{"name":"CredMarshalTargetInfo","features":[1,23,118]},{"name":"CredReadDomainCredentialsFn","features":[1,23,118]},{"name":"CredReadFn","features":[1,23,118]},{"name":"CredUnmarshalTargetInfo","features":[1,23,118]},{"name":"CredWriteFn","features":[1,23,118]},{"name":"CrediUnmarshalandDecodeStringFn","features":[1,23]},{"name":"DECRYPT_MESSAGE_FN","features":[23,118]},{"name":"DEFAULT_TLS_SSP_NAME","features":[23]},{"name":"DEFAULT_TLS_SSP_NAME_A","features":[23]},{"name":"DEFAULT_TLS_SSP_NAME_W","features":[23]},{"name":"DELETE_SECURITY_CONTEXT_FN","features":[23,118]},{"name":"DOMAIN_LOCKOUT_ADMINS","features":[23]},{"name":"DOMAIN_NO_LM_OWF_CHANGE","features":[23]},{"name":"DOMAIN_PASSWORD_COMPLEX","features":[23]},{"name":"DOMAIN_PASSWORD_INFORMATION","features":[23]},{"name":"DOMAIN_PASSWORD_NO_ANON_CHANGE","features":[23]},{"name":"DOMAIN_PASSWORD_NO_CLEAR_CHANGE","features":[23]},{"name":"DOMAIN_PASSWORD_PROPERTIES","features":[23]},{"name":"DOMAIN_PASSWORD_STORE_CLEARTEXT","features":[23]},{"name":"DOMAIN_REFUSE_PASSWORD_CHANGE","features":[23]},{"name":"DS_INET_ADDRESS","features":[23]},{"name":"DS_NETBIOS_ADDRESS","features":[23]},{"name":"DS_UNKNOWN_ADDRESS_TYPE","features":[23]},{"name":"DecryptMessage","features":[23,118]},{"name":"DeleteSecurityContext","features":[23,118]},{"name":"DeleteSecurityPackageA","features":[23]},{"name":"DeleteSecurityPackageW","features":[23]},{"name":"DeprecatedIUMCredKey","features":[23]},{"name":"DnsDomainInformation","features":[23]},{"name":"DomainUserCredKey","features":[23]},{"name":"ENABLE_TLS_CLIENT_EARLY_START","features":[23]},{"name":"ENCRYPTED_CREDENTIALW","features":[1,23,118]},{"name":"ENCRYPT_MESSAGE_FN","features":[23,118]},{"name":"ENUMERATE_SECURITY_PACKAGES_FN_A","features":[23]},{"name":"ENUMERATE_SECURITY_PACKAGES_FN_W","features":[23]},{"name":"EXPORT_SECURITY_CONTEXT_FLAGS","features":[23]},{"name":"EXPORT_SECURITY_CONTEXT_FN","features":[23,118]},{"name":"EXTENDED_NAME_FORMAT","features":[23]},{"name":"E_RM_UNKNOWN_ERROR","features":[23]},{"name":"EncryptMessage","features":[23,118]},{"name":"EnumerateSecurityPackagesA","features":[23]},{"name":"EnumerateSecurityPackagesW","features":[23]},{"name":"ExportSecurityContext","features":[23,118]},{"name":"ExternallySuppliedCredKey","features":[23]},{"name":"FACILITY_SL_ITF","features":[23]},{"name":"FREE_CONTEXT_BUFFER_FN","features":[23]},{"name":"FREE_CREDENTIALS_HANDLE_FN","features":[23,118]},{"name":"ForestTrustBinaryInfo","features":[23]},{"name":"ForestTrustDomainInfo","features":[23]},{"name":"ForestTrustRecordTypeLast","features":[23]},{"name":"ForestTrustScannerInfo","features":[23]},{"name":"ForestTrustTopLevelName","features":[23]},{"name":"ForestTrustTopLevelNameEx","features":[23]},{"name":"FreeContextBuffer","features":[23]},{"name":"FreeCredentialsHandle","features":[23,118]},{"name":"GetComputerObjectNameA","features":[1,23]},{"name":"GetComputerObjectNameW","features":[1,23]},{"name":"GetUserNameExA","features":[1,23]},{"name":"GetUserNameExW","features":[1,23]},{"name":"ICcgDomainAuthCredentials","features":[23]},{"name":"ID_CAP_SLAPI","features":[23]},{"name":"IMPERSONATE_SECURITY_CONTEXT_FN","features":[23,118]},{"name":"IMPORT_SECURITY_CONTEXT_FN_A","features":[23,118]},{"name":"IMPORT_SECURITY_CONTEXT_FN_W","features":[23,118]},{"name":"INITIALIZE_SECURITY_CONTEXT_FN_A","features":[23,118]},{"name":"INITIALIZE_SECURITY_CONTEXT_FN_W","features":[23,118]},{"name":"INIT_SECURITY_INTERFACE_A","features":[1,23,118]},{"name":"INIT_SECURITY_INTERFACE_W","features":[1,23,118]},{"name":"ISC_REQ_ALLOCATE_MEMORY","features":[23]},{"name":"ISC_REQ_CALL_LEVEL","features":[23]},{"name":"ISC_REQ_CONFIDENTIALITY","features":[23]},{"name":"ISC_REQ_CONFIDENTIALITY_ONLY","features":[23]},{"name":"ISC_REQ_CONNECTION","features":[23]},{"name":"ISC_REQ_DATAGRAM","features":[23]},{"name":"ISC_REQ_DEFERRED_CRED_VALIDATION","features":[23]},{"name":"ISC_REQ_DELEGATE","features":[23]},{"name":"ISC_REQ_EXTENDED_ERROR","features":[23]},{"name":"ISC_REQ_FLAGS","features":[23]},{"name":"ISC_REQ_FORWARD_CREDENTIALS","features":[23]},{"name":"ISC_REQ_FRAGMENT_SUPPLIED","features":[23]},{"name":"ISC_REQ_FRAGMENT_TO_FIT","features":[23]},{"name":"ISC_REQ_HIGH_FLAGS","features":[23]},{"name":"ISC_REQ_IDENTIFY","features":[23]},{"name":"ISC_REQ_INTEGRITY","features":[23]},{"name":"ISC_REQ_MANUAL_CRED_VALIDATION","features":[23]},{"name":"ISC_REQ_MESSAGES","features":[23]},{"name":"ISC_REQ_MUTUAL_AUTH","features":[23]},{"name":"ISC_REQ_NO_INTEGRITY","features":[23]},{"name":"ISC_REQ_NO_POST_HANDSHAKE_AUTH","features":[23]},{"name":"ISC_REQ_NULL_SESSION","features":[23]},{"name":"ISC_REQ_PROMPT_FOR_CREDS","features":[23]},{"name":"ISC_REQ_REPLAY_DETECT","features":[23]},{"name":"ISC_REQ_RESERVED1","features":[23]},{"name":"ISC_REQ_SEQUENCE_DETECT","features":[23]},{"name":"ISC_REQ_STREAM","features":[23]},{"name":"ISC_REQ_UNVERIFIED_TARGET_NAME","features":[23]},{"name":"ISC_REQ_USE_DCE_STYLE","features":[23]},{"name":"ISC_REQ_USE_HTTP_STYLE","features":[23]},{"name":"ISC_REQ_USE_SESSION_KEY","features":[23]},{"name":"ISC_REQ_USE_SUPPLIED_CREDS","features":[23]},{"name":"ISC_RET_ALLOCATED_MEMORY","features":[23]},{"name":"ISC_RET_CALL_LEVEL","features":[23]},{"name":"ISC_RET_CONFIDENTIALITY","features":[23]},{"name":"ISC_RET_CONFIDENTIALITY_ONLY","features":[23]},{"name":"ISC_RET_CONNECTION","features":[23]},{"name":"ISC_RET_DATAGRAM","features":[23]},{"name":"ISC_RET_DEFERRED_CRED_VALIDATION","features":[23]},{"name":"ISC_RET_DELEGATE","features":[23]},{"name":"ISC_RET_EXTENDED_ERROR","features":[23]},{"name":"ISC_RET_FORWARD_CREDENTIALS","features":[23]},{"name":"ISC_RET_FRAGMENT_ONLY","features":[23]},{"name":"ISC_RET_IDENTIFY","features":[23]},{"name":"ISC_RET_INTEGRITY","features":[23]},{"name":"ISC_RET_INTERMEDIATE_RETURN","features":[23]},{"name":"ISC_RET_MANUAL_CRED_VALIDATION","features":[23]},{"name":"ISC_RET_MESSAGES","features":[23]},{"name":"ISC_RET_MUTUAL_AUTH","features":[23]},{"name":"ISC_RET_NO_ADDITIONAL_TOKEN","features":[23]},{"name":"ISC_RET_NO_POST_HANDSHAKE_AUTH","features":[23]},{"name":"ISC_RET_NULL_SESSION","features":[23]},{"name":"ISC_RET_REAUTHENTICATION","features":[23]},{"name":"ISC_RET_REPLAY_DETECT","features":[23]},{"name":"ISC_RET_RESERVED1","features":[23]},{"name":"ISC_RET_SEQUENCE_DETECT","features":[23]},{"name":"ISC_RET_STREAM","features":[23]},{"name":"ISC_RET_USED_COLLECTED_CREDS","features":[23]},{"name":"ISC_RET_USED_DCE_STYLE","features":[23]},{"name":"ISC_RET_USED_HTTP_STYLE","features":[23]},{"name":"ISC_RET_USED_SUPPLIED_CREDS","features":[23]},{"name":"ISC_RET_USE_SESSION_KEY","features":[23]},{"name":"ISSP_LEVEL","features":[23]},{"name":"ISSP_MODE","features":[23]},{"name":"ImpersonateSecurityContext","features":[23,118]},{"name":"ImportSecurityContextA","features":[23,118]},{"name":"ImportSecurityContextW","features":[23,118]},{"name":"InitSecurityInterfaceA","features":[1,23,118]},{"name":"InitSecurityInterfaceW","features":[1,23,118]},{"name":"InitializeSecurityContextA","features":[23,118]},{"name":"InitializeSecurityContextW","features":[23,118]},{"name":"InvalidCredKey","features":[23]},{"name":"KDC_PROXY_CACHE_ENTRY_DATA","features":[1,23]},{"name":"KDC_PROXY_SETTINGS_FLAGS_FORCEPROXY","features":[23]},{"name":"KDC_PROXY_SETTINGS_V1","features":[23]},{"name":"KERBEROS_REVISION","features":[23]},{"name":"KERBEROS_VERSION","features":[23]},{"name":"KERB_ADDRESS_TYPE","features":[23]},{"name":"KERB_ADD_BINDING_CACHE_ENTRY_EX_REQUEST","features":[23]},{"name":"KERB_ADD_BINDING_CACHE_ENTRY_REQUEST","features":[23]},{"name":"KERB_ADD_CREDENTIALS_REQUEST","features":[1,23]},{"name":"KERB_ADD_CREDENTIALS_REQUEST_EX","features":[1,23]},{"name":"KERB_AUTH_DATA","features":[23]},{"name":"KERB_BINDING_CACHE_ENTRY_DATA","features":[23]},{"name":"KERB_CERTIFICATE_HASHINFO","features":[23]},{"name":"KERB_CERTIFICATE_INFO","features":[23]},{"name":"KERB_CERTIFICATE_INFO_TYPE","features":[23]},{"name":"KERB_CERTIFICATE_LOGON","features":[23]},{"name":"KERB_CERTIFICATE_LOGON_FLAG_CHECK_DUPLICATES","features":[23]},{"name":"KERB_CERTIFICATE_LOGON_FLAG_USE_CERTIFICATE_INFO","features":[23]},{"name":"KERB_CERTIFICATE_S4U_LOGON","features":[23]},{"name":"KERB_CERTIFICATE_S4U_LOGON_FLAG_CHECK_DUPLICATES","features":[23]},{"name":"KERB_CERTIFICATE_S4U_LOGON_FLAG_CHECK_LOGONHOURS","features":[23]},{"name":"KERB_CERTIFICATE_S4U_LOGON_FLAG_FAIL_IF_NT_AUTH_POLICY_REQUIRED","features":[23]},{"name":"KERB_CERTIFICATE_S4U_LOGON_FLAG_IDENTIFY","features":[23]},{"name":"KERB_CERTIFICATE_UNLOCK_LOGON","features":[1,23]},{"name":"KERB_CHANGEPASSWORD_REQUEST","features":[1,23]},{"name":"KERB_CHECKSUM_CRC32","features":[23]},{"name":"KERB_CHECKSUM_DES_MAC","features":[23]},{"name":"KERB_CHECKSUM_DES_MAC_MD5","features":[23]},{"name":"KERB_CHECKSUM_HMAC_MD5","features":[23]},{"name":"KERB_CHECKSUM_HMAC_SHA1_96_AES128","features":[23]},{"name":"KERB_CHECKSUM_HMAC_SHA1_96_AES128_Ki","features":[23]},{"name":"KERB_CHECKSUM_HMAC_SHA1_96_AES256","features":[23]},{"name":"KERB_CHECKSUM_HMAC_SHA1_96_AES256_Ki","features":[23]},{"name":"KERB_CHECKSUM_KRB_DES_MAC","features":[23]},{"name":"KERB_CHECKSUM_KRB_DES_MAC_K","features":[23]},{"name":"KERB_CHECKSUM_LM","features":[23]},{"name":"KERB_CHECKSUM_MD25","features":[23]},{"name":"KERB_CHECKSUM_MD4","features":[23]},{"name":"KERB_CHECKSUM_MD5","features":[23]},{"name":"KERB_CHECKSUM_MD5_DES","features":[23]},{"name":"KERB_CHECKSUM_MD5_HMAC","features":[23]},{"name":"KERB_CHECKSUM_NONE","features":[23]},{"name":"KERB_CHECKSUM_RC4_MD5","features":[23]},{"name":"KERB_CHECKSUM_REAL_CRC32","features":[23]},{"name":"KERB_CHECKSUM_SHA1","features":[23]},{"name":"KERB_CHECKSUM_SHA1_NEW","features":[23]},{"name":"KERB_CHECKSUM_SHA256","features":[23]},{"name":"KERB_CHECKSUM_SHA384","features":[23]},{"name":"KERB_CHECKSUM_SHA512","features":[23]},{"name":"KERB_CLEANUP_MACHINE_PKINIT_CREDS_REQUEST","features":[1,23]},{"name":"KERB_CLOUD_KERBEROS_DEBUG_DATA","features":[23]},{"name":"KERB_CLOUD_KERBEROS_DEBUG_DATA_V0","features":[23]},{"name":"KERB_CLOUD_KERBEROS_DEBUG_DATA_VERSION","features":[23]},{"name":"KERB_CLOUD_KERBEROS_DEBUG_REQUEST","features":[1,23]},{"name":"KERB_CLOUD_KERBEROS_DEBUG_RESPONSE","features":[23]},{"name":"KERB_CRYPTO_KEY","features":[23]},{"name":"KERB_CRYPTO_KEY32","features":[23]},{"name":"KERB_CRYPTO_KEY_TYPE","features":[23]},{"name":"KERB_DECRYPT_FLAG_DEFAULT_KEY","features":[23]},{"name":"KERB_DECRYPT_REQUEST","features":[1,23]},{"name":"KERB_DECRYPT_RESPONSE","features":[23]},{"name":"KERB_ETYPE_AES128_CTS_HMAC_SHA1_96","features":[23]},{"name":"KERB_ETYPE_AES128_CTS_HMAC_SHA1_96_PLAIN","features":[23]},{"name":"KERB_ETYPE_AES256_CTS_HMAC_SHA1_96","features":[23]},{"name":"KERB_ETYPE_AES256_CTS_HMAC_SHA1_96_PLAIN","features":[23]},{"name":"KERB_ETYPE_DEFAULT","features":[23]},{"name":"KERB_ETYPE_DES3_CBC_MD5","features":[23]},{"name":"KERB_ETYPE_DES3_CBC_SHA1","features":[23]},{"name":"KERB_ETYPE_DES3_CBC_SHA1_KD","features":[23]},{"name":"KERB_ETYPE_DES_CBC_CRC","features":[23]},{"name":"KERB_ETYPE_DES_CBC_MD4","features":[23]},{"name":"KERB_ETYPE_DES_CBC_MD5","features":[23]},{"name":"KERB_ETYPE_DES_CBC_MD5_NT","features":[23]},{"name":"KERB_ETYPE_DES_EDE3_CBC_ENV","features":[23]},{"name":"KERB_ETYPE_DES_PLAIN","features":[23]},{"name":"KERB_ETYPE_DSA_SHA1_CMS","features":[23]},{"name":"KERB_ETYPE_DSA_SIGN","features":[23]},{"name":"KERB_ETYPE_NULL","features":[23]},{"name":"KERB_ETYPE_PKCS7_PUB","features":[23]},{"name":"KERB_ETYPE_RC2_CBC_ENV","features":[23]},{"name":"KERB_ETYPE_RC4_HMAC_NT","features":[23]},{"name":"KERB_ETYPE_RC4_HMAC_NT_EXP","features":[23]},{"name":"KERB_ETYPE_RC4_HMAC_OLD","features":[23]},{"name":"KERB_ETYPE_RC4_HMAC_OLD_EXP","features":[23]},{"name":"KERB_ETYPE_RC4_LM","features":[23]},{"name":"KERB_ETYPE_RC4_MD4","features":[23]},{"name":"KERB_ETYPE_RC4_PLAIN","features":[23]},{"name":"KERB_ETYPE_RC4_PLAIN2","features":[23]},{"name":"KERB_ETYPE_RC4_PLAIN_EXP","features":[23]},{"name":"KERB_ETYPE_RC4_PLAIN_OLD","features":[23]},{"name":"KERB_ETYPE_RC4_PLAIN_OLD_EXP","features":[23]},{"name":"KERB_ETYPE_RC4_SHA","features":[23]},{"name":"KERB_ETYPE_RSA_ENV","features":[23]},{"name":"KERB_ETYPE_RSA_ES_OEAP_ENV","features":[23]},{"name":"KERB_ETYPE_RSA_MD5_CMS","features":[23]},{"name":"KERB_ETYPE_RSA_PRIV","features":[23]},{"name":"KERB_ETYPE_RSA_PUB","features":[23]},{"name":"KERB_ETYPE_RSA_PUB_MD5","features":[23]},{"name":"KERB_ETYPE_RSA_PUB_SHA1","features":[23]},{"name":"KERB_ETYPE_RSA_SHA1_CMS","features":[23]},{"name":"KERB_EXTERNAL_NAME","features":[23]},{"name":"KERB_EXTERNAL_TICKET","features":[23]},{"name":"KERB_INTERACTIVE_LOGON","features":[23]},{"name":"KERB_INTERACTIVE_PROFILE","features":[23]},{"name":"KERB_INTERACTIVE_UNLOCK_LOGON","features":[1,23]},{"name":"KERB_LOGON_FLAG_ALLOW_EXPIRED_TICKET","features":[23]},{"name":"KERB_LOGON_FLAG_REDIRECTED","features":[23]},{"name":"KERB_LOGON_SUBMIT_TYPE","features":[23]},{"name":"KERB_NET_ADDRESS","features":[23]},{"name":"KERB_NET_ADDRESSES","features":[23]},{"name":"KERB_PROFILE_BUFFER_TYPE","features":[23]},{"name":"KERB_PROTOCOL_MESSAGE_TYPE","features":[23]},{"name":"KERB_PURGE_ALL_TICKETS","features":[23]},{"name":"KERB_PURGE_BINDING_CACHE_REQUEST","features":[23]},{"name":"KERB_PURGE_KDC_PROXY_CACHE_REQUEST","features":[1,23]},{"name":"KERB_PURGE_KDC_PROXY_CACHE_RESPONSE","features":[23]},{"name":"KERB_PURGE_TKT_CACHE_EX_REQUEST","features":[1,23]},{"name":"KERB_PURGE_TKT_CACHE_REQUEST","features":[1,23]},{"name":"KERB_QUERY_BINDING_CACHE_REQUEST","features":[23]},{"name":"KERB_QUERY_BINDING_CACHE_RESPONSE","features":[23]},{"name":"KERB_QUERY_DOMAIN_EXTENDED_POLICIES_REQUEST","features":[23]},{"name":"KERB_QUERY_DOMAIN_EXTENDED_POLICIES_RESPONSE","features":[23]},{"name":"KERB_QUERY_DOMAIN_EXTENDED_POLICIES_RESPONSE_FLAG_DAC_DISABLED","features":[23]},{"name":"KERB_QUERY_KDC_PROXY_CACHE_REQUEST","features":[1,23]},{"name":"KERB_QUERY_KDC_PROXY_CACHE_RESPONSE","features":[1,23]},{"name":"KERB_QUERY_S4U2PROXY_CACHE_REQUEST","features":[1,23]},{"name":"KERB_QUERY_S4U2PROXY_CACHE_RESPONSE","features":[1,23]},{"name":"KERB_QUERY_TKT_CACHE_EX2_RESPONSE","features":[23]},{"name":"KERB_QUERY_TKT_CACHE_EX3_RESPONSE","features":[23]},{"name":"KERB_QUERY_TKT_CACHE_EX_RESPONSE","features":[23]},{"name":"KERB_QUERY_TKT_CACHE_REQUEST","features":[1,23]},{"name":"KERB_QUERY_TKT_CACHE_RESPONSE","features":[23]},{"name":"KERB_REFRESH_POLICY_KDC","features":[23]},{"name":"KERB_REFRESH_POLICY_KERBEROS","features":[23]},{"name":"KERB_REFRESH_POLICY_REQUEST","features":[23]},{"name":"KERB_REFRESH_POLICY_RESPONSE","features":[23]},{"name":"KERB_REFRESH_SCCRED_GETTGT","features":[23]},{"name":"KERB_REFRESH_SCCRED_RELEASE","features":[23]},{"name":"KERB_REFRESH_SCCRED_REQUEST","features":[1,23]},{"name":"KERB_REQUEST_ADD_CREDENTIAL","features":[23]},{"name":"KERB_REQUEST_FLAGS","features":[23]},{"name":"KERB_REQUEST_REMOVE_CREDENTIAL","features":[23]},{"name":"KERB_REQUEST_REPLACE_CREDENTIAL","features":[23]},{"name":"KERB_RETRIEVE_KEY_TAB_REQUEST","features":[23]},{"name":"KERB_RETRIEVE_KEY_TAB_RESPONSE","features":[23]},{"name":"KERB_RETRIEVE_TICKET_AS_KERB_CRED","features":[23]},{"name":"KERB_RETRIEVE_TICKET_CACHE_TICKET","features":[23]},{"name":"KERB_RETRIEVE_TICKET_DEFAULT","features":[23]},{"name":"KERB_RETRIEVE_TICKET_DONT_USE_CACHE","features":[23]},{"name":"KERB_RETRIEVE_TICKET_MAX_LIFETIME","features":[23]},{"name":"KERB_RETRIEVE_TICKET_USE_CACHE_ONLY","features":[23]},{"name":"KERB_RETRIEVE_TICKET_USE_CREDHANDLE","features":[23]},{"name":"KERB_RETRIEVE_TICKET_WITH_SEC_CRED","features":[23]},{"name":"KERB_RETRIEVE_TKT_REQUEST","features":[1,23,118]},{"name":"KERB_RETRIEVE_TKT_RESPONSE","features":[23]},{"name":"KERB_S4U2PROXY_CACHE_ENTRY_INFO","features":[1,23]},{"name":"KERB_S4U2PROXY_CACHE_ENTRY_INFO_FLAG_NEGATIVE","features":[23]},{"name":"KERB_S4U2PROXY_CRED","features":[1,23]},{"name":"KERB_S4U2PROXY_CRED_FLAG_NEGATIVE","features":[23]},{"name":"KERB_S4U_LOGON","features":[23]},{"name":"KERB_S4U_LOGON_FLAG_CHECK_LOGONHOURS","features":[23]},{"name":"KERB_S4U_LOGON_FLAG_IDENTIFY","features":[23]},{"name":"KERB_SETPASSWORD_EX_REQUEST","features":[1,23,118]},{"name":"KERB_SETPASSWORD_REQUEST","features":[1,23,118]},{"name":"KERB_SETPASS_USE_CREDHANDLE","features":[23]},{"name":"KERB_SETPASS_USE_LOGONID","features":[23]},{"name":"KERB_SMART_CARD_LOGON","features":[23]},{"name":"KERB_SMART_CARD_PROFILE","features":[23]},{"name":"KERB_SMART_CARD_UNLOCK_LOGON","features":[1,23]},{"name":"KERB_SUBMIT_TKT_REQUEST","features":[1,23]},{"name":"KERB_TICKET_CACHE_INFO","features":[23]},{"name":"KERB_TICKET_CACHE_INFO_EX","features":[23]},{"name":"KERB_TICKET_CACHE_INFO_EX2","features":[23]},{"name":"KERB_TICKET_CACHE_INFO_EX3","features":[23]},{"name":"KERB_TICKET_FLAGS","features":[23]},{"name":"KERB_TICKET_FLAGS_cname_in_pa_data","features":[23]},{"name":"KERB_TICKET_FLAGS_enc_pa_rep","features":[23]},{"name":"KERB_TICKET_FLAGS_forwardable","features":[23]},{"name":"KERB_TICKET_FLAGS_forwarded","features":[23]},{"name":"KERB_TICKET_FLAGS_hw_authent","features":[23]},{"name":"KERB_TICKET_FLAGS_initial","features":[23]},{"name":"KERB_TICKET_FLAGS_invalid","features":[23]},{"name":"KERB_TICKET_FLAGS_may_postdate","features":[23]},{"name":"KERB_TICKET_FLAGS_name_canonicalize","features":[23]},{"name":"KERB_TICKET_FLAGS_ok_as_delegate","features":[23]},{"name":"KERB_TICKET_FLAGS_postdated","features":[23]},{"name":"KERB_TICKET_FLAGS_pre_authent","features":[23]},{"name":"KERB_TICKET_FLAGS_proxiable","features":[23]},{"name":"KERB_TICKET_FLAGS_proxy","features":[23]},{"name":"KERB_TICKET_FLAGS_renewable","features":[23]},{"name":"KERB_TICKET_FLAGS_reserved","features":[23]},{"name":"KERB_TICKET_FLAGS_reserved1","features":[23]},{"name":"KERB_TICKET_LOGON","features":[23]},{"name":"KERB_TICKET_PROFILE","features":[23]},{"name":"KERB_TICKET_UNLOCK_LOGON","features":[1,23]},{"name":"KERB_TRANSFER_CRED_CLEANUP_CREDENTIALS","features":[23]},{"name":"KERB_TRANSFER_CRED_REQUEST","features":[1,23]},{"name":"KERB_TRANSFER_CRED_WITH_TICKETS","features":[23]},{"name":"KERB_USE_DEFAULT_TICKET_FLAGS","features":[23]},{"name":"KERB_WRAP_NO_ENCRYPT","features":[23]},{"name":"KERN_CONTEXT_CERT_INFO_V1","features":[23]},{"name":"KRB_ANONYMOUS_STRING","features":[23]},{"name":"KRB_NT_ENTERPRISE_PRINCIPAL","features":[23]},{"name":"KRB_NT_ENT_PRINCIPAL_AND_ID","features":[23]},{"name":"KRB_NT_MS_BRANCH_ID","features":[23]},{"name":"KRB_NT_MS_PRINCIPAL","features":[23]},{"name":"KRB_NT_MS_PRINCIPAL_AND_ID","features":[23]},{"name":"KRB_NT_PRINCIPAL","features":[23]},{"name":"KRB_NT_PRINCIPAL_AND_ID","features":[23]},{"name":"KRB_NT_SRV_HST","features":[23]},{"name":"KRB_NT_SRV_INST","features":[23]},{"name":"KRB_NT_SRV_INST_AND_ID","features":[23]},{"name":"KRB_NT_SRV_XHST","features":[23]},{"name":"KRB_NT_UID","features":[23]},{"name":"KRB_NT_UNKNOWN","features":[23]},{"name":"KRB_NT_WELLKNOWN","features":[23]},{"name":"KRB_NT_X500_PRINCIPAL","features":[23]},{"name":"KRB_WELLKNOWN_STRING","features":[23]},{"name":"KSEC_CONTEXT_TYPE","features":[23]},{"name":"KSEC_LIST_ENTRY","features":[23,7]},{"name":"KSecNonPaged","features":[23]},{"name":"KSecPaged","features":[23]},{"name":"KerbAddBindingCacheEntryExMessage","features":[23]},{"name":"KerbAddBindingCacheEntryMessage","features":[23]},{"name":"KerbAddExtraCredentialsExMessage","features":[23]},{"name":"KerbAddExtraCredentialsMessage","features":[23]},{"name":"KerbCertificateLogon","features":[23]},{"name":"KerbCertificateS4ULogon","features":[23]},{"name":"KerbCertificateUnlockLogon","features":[23]},{"name":"KerbChangeMachinePasswordMessage","features":[23]},{"name":"KerbChangePasswordMessage","features":[23]},{"name":"KerbCleanupMachinePkinitCredsMessage","features":[23]},{"name":"KerbDebugRequestMessage","features":[23]},{"name":"KerbDecryptDataMessage","features":[23]},{"name":"KerbInteractiveLogon","features":[23]},{"name":"KerbInteractiveProfile","features":[23]},{"name":"KerbLuidLogon","features":[23]},{"name":"KerbNoElevationLogon","features":[23]},{"name":"KerbPinKdcMessage","features":[23]},{"name":"KerbPrintCloudKerberosDebugMessage","features":[23]},{"name":"KerbProxyLogon","features":[23]},{"name":"KerbPurgeBindingCacheMessage","features":[23]},{"name":"KerbPurgeKdcProxyCacheMessage","features":[23]},{"name":"KerbPurgeTicketCacheExMessage","features":[23]},{"name":"KerbPurgeTicketCacheMessage","features":[23]},{"name":"KerbQueryBindingCacheMessage","features":[23]},{"name":"KerbQueryDomainExtendedPoliciesMessage","features":[23]},{"name":"KerbQueryKdcProxyCacheMessage","features":[23]},{"name":"KerbQueryS4U2ProxyCacheMessage","features":[23]},{"name":"KerbQuerySupplementalCredentialsMessage","features":[23]},{"name":"KerbQueryTicketCacheEx2Message","features":[23]},{"name":"KerbQueryTicketCacheEx3Message","features":[23]},{"name":"KerbQueryTicketCacheExMessage","features":[23]},{"name":"KerbQueryTicketCacheMessage","features":[23]},{"name":"KerbRefreshPolicyMessage","features":[23]},{"name":"KerbRefreshSmartcardCredentialsMessage","features":[23]},{"name":"KerbRetrieveEncodedTicketMessage","features":[23]},{"name":"KerbRetrieveKeyTabMessage","features":[23]},{"name":"KerbRetrieveTicketMessage","features":[23]},{"name":"KerbS4ULogon","features":[23]},{"name":"KerbSetPasswordExMessage","features":[23]},{"name":"KerbSetPasswordMessage","features":[23]},{"name":"KerbSmartCardLogon","features":[23]},{"name":"KerbSmartCardProfile","features":[23]},{"name":"KerbSmartCardUnlockLogon","features":[23]},{"name":"KerbSubmitTicketMessage","features":[23]},{"name":"KerbTicketLogon","features":[23]},{"name":"KerbTicketProfile","features":[23]},{"name":"KerbTicketUnlockLogon","features":[23]},{"name":"KerbTransferCredentialsMessage","features":[23]},{"name":"KerbUnpinAllKdcsMessage","features":[23]},{"name":"KerbUpdateAddressesMessage","features":[23]},{"name":"KerbVerifyCredentialsMessage","features":[23]},{"name":"KerbVerifyPacMessage","features":[23]},{"name":"KerbWorkstationUnlockLogon","features":[23]},{"name":"KspCompleteTokenFn","features":[1,23]},{"name":"KspDeleteContextFn","features":[1,23]},{"name":"KspGetTokenFn","features":[1,23]},{"name":"KspInitContextFn","features":[1,23]},{"name":"KspInitPackageFn","features":[1,23,7]},{"name":"KspMakeSignatureFn","features":[1,23]},{"name":"KspMapHandleFn","features":[1,23]},{"name":"KspQueryAttributesFn","features":[1,23]},{"name":"KspSealMessageFn","features":[1,23]},{"name":"KspSerializeAuthDataFn","features":[1,23]},{"name":"KspSetPagingModeFn","features":[1,23]},{"name":"KspUnsealMessageFn","features":[1,23]},{"name":"KspVerifySignatureFn","features":[1,23]},{"name":"LCRED_CRED_EXISTS","features":[23]},{"name":"LCRED_STATUS_NOCRED","features":[23]},{"name":"LCRED_STATUS_UNKNOWN_ISSUER","features":[23]},{"name":"LOGON_CACHED_ACCOUNT","features":[23]},{"name":"LOGON_EXTRA_SIDS","features":[23]},{"name":"LOGON_GRACE_LOGON","features":[23]},{"name":"LOGON_GUEST","features":[23]},{"name":"LOGON_HOURS","features":[23]},{"name":"LOGON_LM_V2","features":[23]},{"name":"LOGON_MANAGED_SERVICE","features":[23]},{"name":"LOGON_NOENCRYPTION","features":[23]},{"name":"LOGON_NO_ELEVATION","features":[23]},{"name":"LOGON_NO_OPTIMIZED","features":[23]},{"name":"LOGON_NTLMV2_ENABLED","features":[23]},{"name":"LOGON_NTLM_V2","features":[23]},{"name":"LOGON_NT_V2","features":[23]},{"name":"LOGON_OPTIMIZED","features":[23]},{"name":"LOGON_PKINIT","features":[23]},{"name":"LOGON_PROFILE_PATH_RETURNED","features":[23]},{"name":"LOGON_RESOURCE_GROUPS","features":[23]},{"name":"LOGON_SERVER_TRUST_ACCOUNT","features":[23]},{"name":"LOGON_SUBAUTH_SESSION_KEY","features":[23]},{"name":"LOGON_USED_LM_PASSWORD","features":[23]},{"name":"LOGON_WINLOGON","features":[23]},{"name":"LOOKUP_TRANSLATE_NAMES","features":[23]},{"name":"LOOKUP_VIEW_LOCAL_INFORMATION","features":[23]},{"name":"LSAD_AES_BLOCK_SIZE","features":[23]},{"name":"LSAD_AES_CRYPT_SHA512_HASH_SIZE","features":[23]},{"name":"LSAD_AES_KEY_SIZE","features":[23]},{"name":"LSAD_AES_SALT_SIZE","features":[23]},{"name":"LSASETCAPS_RELOAD_FLAG","features":[23]},{"name":"LSASETCAPS_VALID_FLAG_MASK","features":[23]},{"name":"LSA_ADT_LEGACY_SECURITY_SOURCE_NAME","features":[23]},{"name":"LSA_ADT_SECURITY_SOURCE_NAME","features":[23]},{"name":"LSA_AP_NAME_CALL_PACKAGE","features":[23]},{"name":"LSA_AP_NAME_CALL_PACKAGE_PASSTHROUGH","features":[23]},{"name":"LSA_AP_NAME_CALL_PACKAGE_UNTRUSTED","features":[23]},{"name":"LSA_AP_NAME_INITIALIZE_PACKAGE","features":[23]},{"name":"LSA_AP_NAME_LOGON_TERMINATED","features":[23]},{"name":"LSA_AP_NAME_LOGON_USER","features":[23]},{"name":"LSA_AP_NAME_LOGON_USER_EX","features":[23]},{"name":"LSA_AP_NAME_LOGON_USER_EX2","features":[23]},{"name":"LSA_AP_POST_LOGON_USER","features":[1,23]},{"name":"LSA_AUTH_INFORMATION","features":[23]},{"name":"LSA_AUTH_INFORMATION_AUTH_TYPE","features":[23]},{"name":"LSA_CALL_LICENSE_SERVER","features":[23]},{"name":"LSA_DISPATCH_TABLE","features":[1,23]},{"name":"LSA_ENUMERATION_INFORMATION","features":[1,23]},{"name":"LSA_FOREST_TRUST_BINARY_DATA","features":[23]},{"name":"LSA_FOREST_TRUST_COLLISION_INFORMATION","features":[23]},{"name":"LSA_FOREST_TRUST_COLLISION_RECORD","features":[23]},{"name":"LSA_FOREST_TRUST_COLLISION_RECORD_TYPE","features":[23]},{"name":"LSA_FOREST_TRUST_DOMAIN_INFO","features":[1,23]},{"name":"LSA_FOREST_TRUST_INFORMATION","features":[1,23]},{"name":"LSA_FOREST_TRUST_INFORMATION2","features":[1,23]},{"name":"LSA_FOREST_TRUST_RECORD","features":[1,23]},{"name":"LSA_FOREST_TRUST_RECORD2","features":[1,23]},{"name":"LSA_FOREST_TRUST_RECORD_TYPE","features":[23]},{"name":"LSA_FOREST_TRUST_RECORD_TYPE_UNRECOGNIZED","features":[23]},{"name":"LSA_FOREST_TRUST_SCANNER_INFO","features":[1,23]},{"name":"LSA_FTRECORD_DISABLED_REASONS","features":[23]},{"name":"LSA_GLOBAL_SECRET_PREFIX","features":[23]},{"name":"LSA_GLOBAL_SECRET_PREFIX_LENGTH","features":[23]},{"name":"LSA_HANDLE","features":[23]},{"name":"LSA_LAST_INTER_LOGON_INFO","features":[23]},{"name":"LSA_LOCAL_SECRET_PREFIX","features":[23]},{"name":"LSA_LOCAL_SECRET_PREFIX_LENGTH","features":[23]},{"name":"LSA_LOOKUP_DISALLOW_CONNECTED_ACCOUNT_INTERNET_SID","features":[23]},{"name":"LSA_LOOKUP_DOMAIN_INFO_CLASS","features":[23]},{"name":"LSA_LOOKUP_ISOLATED_AS_LOCAL","features":[23]},{"name":"LSA_LOOKUP_PREFER_INTERNET_NAMES","features":[23]},{"name":"LSA_MACHINE_SECRET_PREFIX","features":[23]},{"name":"LSA_MAXIMUM_ENUMERATION_LENGTH","features":[23]},{"name":"LSA_MAXIMUM_SID_COUNT","features":[23]},{"name":"LSA_MODE_INDIVIDUAL_ACCOUNTS","features":[23]},{"name":"LSA_MODE_LOG_FULL","features":[23]},{"name":"LSA_MODE_MANDATORY_ACCESS","features":[23]},{"name":"LSA_MODE_PASSWORD_PROTECTED","features":[23]},{"name":"LSA_NB_DISABLED_ADMIN","features":[23]},{"name":"LSA_NB_DISABLED_CONFLICT","features":[23]},{"name":"LSA_OBJECT_ATTRIBUTES","features":[1,23]},{"name":"LSA_QUERY_CLIENT_PRELOGON_SESSION_ID","features":[23]},{"name":"LSA_REFERENCED_DOMAIN_LIST","features":[1,23]},{"name":"LSA_SCANNER_INFO_ADMIN_ALL_FLAGS","features":[23]},{"name":"LSA_SCANNER_INFO_DISABLE_AUTH_TARGET_VALIDATION","features":[23]},{"name":"LSA_SECPKG_FUNCTION_TABLE","features":[1,23,118,37]},{"name":"LSA_SECRET_MAXIMUM_COUNT","features":[23]},{"name":"LSA_SECRET_MAXIMUM_LENGTH","features":[23]},{"name":"LSA_SID_DISABLED_ADMIN","features":[23]},{"name":"LSA_SID_DISABLED_CONFLICT","features":[23]},{"name":"LSA_STRING","features":[23]},{"name":"LSA_TLN_DISABLED_ADMIN","features":[23]},{"name":"LSA_TLN_DISABLED_CONFLICT","features":[23]},{"name":"LSA_TLN_DISABLED_NEW","features":[23]},{"name":"LSA_TOKEN_INFORMATION_NULL","features":[1,23]},{"name":"LSA_TOKEN_INFORMATION_TYPE","features":[23]},{"name":"LSA_TOKEN_INFORMATION_V1","features":[1,23]},{"name":"LSA_TOKEN_INFORMATION_V3","features":[1,23]},{"name":"LSA_TRANSLATED_NAME","features":[23]},{"name":"LSA_TRANSLATED_SID","features":[23]},{"name":"LSA_TRANSLATED_SID2","features":[1,23]},{"name":"LSA_TRUST_INFORMATION","features":[1,23]},{"name":"LSA_UNICODE_STRING","features":[23]},{"name":"LocalUserCredKey","features":[23]},{"name":"LsaAddAccountRights","features":[1,23]},{"name":"LsaCallAuthenticationPackage","features":[1,23]},{"name":"LsaClose","features":[1,23]},{"name":"LsaConnectUntrusted","features":[1,23]},{"name":"LsaCreateTrustedDomainEx","features":[1,23]},{"name":"LsaDeleteTrustedDomain","features":[1,23]},{"name":"LsaDeregisterLogonProcess","features":[1,23]},{"name":"LsaEnumerateAccountRights","features":[1,23]},{"name":"LsaEnumerateAccountsWithUserRight","features":[1,23]},{"name":"LsaEnumerateLogonSessions","features":[1,23]},{"name":"LsaEnumerateTrustedDomains","features":[1,23]},{"name":"LsaEnumerateTrustedDomainsEx","features":[1,23]},{"name":"LsaFreeMemory","features":[1,23]},{"name":"LsaFreeReturnBuffer","features":[1,23]},{"name":"LsaGetAppliedCAPIDs","features":[1,23]},{"name":"LsaGetLogonSessionData","features":[1,23]},{"name":"LsaLogonUser","features":[1,23]},{"name":"LsaLookupAuthenticationPackage","features":[1,23]},{"name":"LsaLookupNames","features":[1,23]},{"name":"LsaLookupNames2","features":[1,23]},{"name":"LsaLookupSids","features":[1,23]},{"name":"LsaLookupSids2","features":[1,23]},{"name":"LsaNtStatusToWinError","features":[1,23]},{"name":"LsaOpenPolicy","features":[1,23]},{"name":"LsaOpenTrustedDomainByName","features":[1,23]},{"name":"LsaQueryCAPs","features":[1,23]},{"name":"LsaQueryDomainInformationPolicy","features":[1,23]},{"name":"LsaQueryForestTrustInformation","features":[1,23]},{"name":"LsaQueryForestTrustInformation2","features":[1,23]},{"name":"LsaQueryInformationPolicy","features":[1,23]},{"name":"LsaQueryTrustedDomainInfo","features":[1,23]},{"name":"LsaQueryTrustedDomainInfoByName","features":[1,23]},{"name":"LsaRegisterLogonProcess","features":[1,23]},{"name":"LsaRegisterPolicyChangeNotification","features":[1,23]},{"name":"LsaRemoveAccountRights","features":[1,23]},{"name":"LsaRetrievePrivateData","features":[1,23]},{"name":"LsaSetCAPs","features":[1,23]},{"name":"LsaSetDomainInformationPolicy","features":[1,23]},{"name":"LsaSetForestTrustInformation","features":[1,23]},{"name":"LsaSetForestTrustInformation2","features":[1,23]},{"name":"LsaSetInformationPolicy","features":[1,23]},{"name":"LsaSetTrustedDomainInfoByName","features":[1,23]},{"name":"LsaSetTrustedDomainInformation","features":[1,23]},{"name":"LsaStorePrivateData","features":[1,23]},{"name":"LsaTokenInformationNull","features":[23]},{"name":"LsaTokenInformationV1","features":[23]},{"name":"LsaTokenInformationV2","features":[23]},{"name":"LsaTokenInformationV3","features":[23]},{"name":"LsaUnregisterPolicyChangeNotification","features":[1,23]},{"name":"MAKE_SIGNATURE_FN","features":[23,118]},{"name":"MAXIMUM_CAPES_PER_CAP","features":[23]},{"name":"MAX_CRED_SIZE","features":[23]},{"name":"MAX_PROTOCOL_ID_SIZE","features":[23]},{"name":"MAX_RECORDS_IN_FOREST_TRUST_INFO","features":[23]},{"name":"MAX_USER_RECORDS","features":[23]},{"name":"MICROSOFT_KERBEROS_NAME","features":[23]},{"name":"MICROSOFT_KERBEROS_NAME_A","features":[23]},{"name":"MICROSOFT_KERBEROS_NAME_W","features":[23]},{"name":"MSV1_0","features":[23]},{"name":"MSV1_0_ALLOW_FORCE_GUEST","features":[23]},{"name":"MSV1_0_ALLOW_MSVCHAPV2","features":[23]},{"name":"MSV1_0_ALLOW_SERVER_TRUST_ACCOUNT","features":[23]},{"name":"MSV1_0_ALLOW_WORKSTATION_TRUST_ACCOUNT","features":[23]},{"name":"MSV1_0_AVID","features":[23]},{"name":"MSV1_0_AV_FLAG_FORCE_GUEST","features":[23]},{"name":"MSV1_0_AV_FLAG_MIC_HANDSHAKE_MESSAGES","features":[23]},{"name":"MSV1_0_AV_FLAG_UNVERIFIED_TARGET","features":[23]},{"name":"MSV1_0_AV_PAIR","features":[23]},{"name":"MSV1_0_CHALLENGE_LENGTH","features":[23]},{"name":"MSV1_0_CHANGEPASSWORD_REQUEST","features":[1,23]},{"name":"MSV1_0_CHANGEPASSWORD_RESPONSE","features":[1,23]},{"name":"MSV1_0_CHECK_LOGONHOURS_FOR_S4U","features":[23]},{"name":"MSV1_0_CLEARTEXT_PASSWORD_ALLOWED","features":[23]},{"name":"MSV1_0_CLEARTEXT_PASSWORD_SUPPLIED","features":[23]},{"name":"MSV1_0_CREDENTIAL_KEY","features":[23]},{"name":"MSV1_0_CREDENTIAL_KEY_LENGTH","features":[23]},{"name":"MSV1_0_CREDENTIAL_KEY_TYPE","features":[23]},{"name":"MSV1_0_CRED_CREDKEY_PRESENT","features":[23]},{"name":"MSV1_0_CRED_LM_PRESENT","features":[23]},{"name":"MSV1_0_CRED_NT_PRESENT","features":[23]},{"name":"MSV1_0_CRED_REMOVED","features":[23]},{"name":"MSV1_0_CRED_SHA_PRESENT","features":[23]},{"name":"MSV1_0_CRED_VERSION","features":[23]},{"name":"MSV1_0_CRED_VERSION_ARSO","features":[23]},{"name":"MSV1_0_CRED_VERSION_INVALID","features":[23]},{"name":"MSV1_0_CRED_VERSION_IUM","features":[23]},{"name":"MSV1_0_CRED_VERSION_REMOTE","features":[23]},{"name":"MSV1_0_CRED_VERSION_RESERVED_1","features":[23]},{"name":"MSV1_0_CRED_VERSION_V2","features":[23]},{"name":"MSV1_0_CRED_VERSION_V3","features":[23]},{"name":"MSV1_0_DISABLE_PERSONAL_FALLBACK","features":[23]},{"name":"MSV1_0_DONT_TRY_GUEST_ACCOUNT","features":[23]},{"name":"MSV1_0_GUEST_LOGON","features":[23]},{"name":"MSV1_0_INTERACTIVE_LOGON","features":[23]},{"name":"MSV1_0_INTERACTIVE_PROFILE","features":[23]},{"name":"MSV1_0_INTERNET_DOMAIN","features":[23]},{"name":"MSV1_0_IUM_SUPPLEMENTAL_CREDENTIAL","features":[23]},{"name":"MSV1_0_LANMAN_SESSION_KEY_LENGTH","features":[23]},{"name":"MSV1_0_LM20_LOGON","features":[23]},{"name":"MSV1_0_LM20_LOGON_PROFILE","features":[23]},{"name":"MSV1_0_LOGON_SUBMIT_TYPE","features":[23]},{"name":"MSV1_0_MAX_AVL_SIZE","features":[23]},{"name":"MSV1_0_MAX_NTLM3_LIFE","features":[23]},{"name":"MSV1_0_MNS_LOGON","features":[23]},{"name":"MSV1_0_NTLM3_OWF_LENGTH","features":[23]},{"name":"MSV1_0_NTLM3_RESPONSE","features":[23]},{"name":"MSV1_0_NTLM3_RESPONSE_LENGTH","features":[23]},{"name":"MSV1_0_OWF_PASSWORD_LENGTH","features":[23]},{"name":"MSV1_0_PACKAGE_NAME","features":[23]},{"name":"MSV1_0_PACKAGE_NAMEW","features":[23]},{"name":"MSV1_0_PASSTHROUGH_REQUEST","features":[23]},{"name":"MSV1_0_PASSTHROUGH_RESPONSE","features":[23]},{"name":"MSV1_0_PASSTHRU","features":[23]},{"name":"MSV1_0_PROFILE_BUFFER_TYPE","features":[23]},{"name":"MSV1_0_PROTOCOL_MESSAGE_TYPE","features":[23]},{"name":"MSV1_0_REMOTE_SUPPLEMENTAL_CREDENTIAL","features":[23]},{"name":"MSV1_0_RETURN_PASSWORD_EXPIRY","features":[23]},{"name":"MSV1_0_RETURN_PROFILE_PATH","features":[23]},{"name":"MSV1_0_RETURN_USER_PARAMETERS","features":[23]},{"name":"MSV1_0_S4U2SELF","features":[23]},{"name":"MSV1_0_S4U_LOGON","features":[23]},{"name":"MSV1_0_S4U_LOGON_FLAG_CHECK_LOGONHOURS","features":[23]},{"name":"MSV1_0_SHA_PASSWORD_LENGTH","features":[23]},{"name":"MSV1_0_SUBAUTHENTICATION_DLL","features":[23]},{"name":"MSV1_0_SUBAUTHENTICATION_DLL_EX","features":[23]},{"name":"MSV1_0_SUBAUTHENTICATION_DLL_IIS","features":[23]},{"name":"MSV1_0_SUBAUTHENTICATION_DLL_RAS","features":[23]},{"name":"MSV1_0_SUBAUTHENTICATION_DLL_SHIFT","features":[23]},{"name":"MSV1_0_SUBAUTHENTICATION_FLAGS","features":[23]},{"name":"MSV1_0_SUBAUTHENTICATION_KEY","features":[23]},{"name":"MSV1_0_SUBAUTHENTICATION_VALUE","features":[23]},{"name":"MSV1_0_SUBAUTH_ACCOUNT_DISABLED","features":[23]},{"name":"MSV1_0_SUBAUTH_ACCOUNT_EXPIRY","features":[23]},{"name":"MSV1_0_SUBAUTH_ACCOUNT_TYPE","features":[23]},{"name":"MSV1_0_SUBAUTH_LOCKOUT","features":[23]},{"name":"MSV1_0_SUBAUTH_LOGON","features":[23]},{"name":"MSV1_0_SUBAUTH_LOGON_HOURS","features":[23]},{"name":"MSV1_0_SUBAUTH_PASSWORD","features":[23]},{"name":"MSV1_0_SUBAUTH_PASSWORD_EXPIRY","features":[23]},{"name":"MSV1_0_SUBAUTH_REQUEST","features":[23]},{"name":"MSV1_0_SUBAUTH_RESPONSE","features":[23]},{"name":"MSV1_0_SUBAUTH_WORKSTATIONS","features":[23]},{"name":"MSV1_0_SUPPLEMENTAL_CREDENTIAL","features":[23]},{"name":"MSV1_0_SUPPLEMENTAL_CREDENTIAL_V2","features":[23]},{"name":"MSV1_0_SUPPLEMENTAL_CREDENTIAL_V3","features":[23]},{"name":"MSV1_0_TRY_GUEST_ACCOUNT_ONLY","features":[23]},{"name":"MSV1_0_TRY_SPECIFIED_DOMAIN_ONLY","features":[23]},{"name":"MSV1_0_UPDATE_LOGON_STATISTICS","features":[23]},{"name":"MSV1_0_USER_SESSION_KEY_LENGTH","features":[23]},{"name":"MSV1_0_USE_CLIENT_CHALLENGE","features":[23]},{"name":"MSV1_0_USE_DOMAIN_FOR_ROUTING_ONLY","features":[23]},{"name":"MSV1_0_VALIDATION_INFO","features":[1,23,119]},{"name":"MSV1_0_VALIDATION_KICKOFF_TIME","features":[23]},{"name":"MSV1_0_VALIDATION_LOGOFF_TIME","features":[23]},{"name":"MSV1_0_VALIDATION_LOGON_DOMAIN","features":[23]},{"name":"MSV1_0_VALIDATION_LOGON_SERVER","features":[23]},{"name":"MSV1_0_VALIDATION_SESSION_KEY","features":[23]},{"name":"MSV1_0_VALIDATION_USER_FLAGS","features":[23]},{"name":"MSV1_0_VALIDATION_USER_ID","features":[23]},{"name":"MSV_SUBAUTH_LOGON_PARAMETER_CONTROL","features":[23]},{"name":"MSV_SUB_AUTHENTICATION_FILTER","features":[23]},{"name":"MSV_SUPPLEMENTAL_CREDENTIAL_FLAGS","features":[23]},{"name":"MakeSignature","features":[23,118]},{"name":"MsV1_0CacheLogon","features":[23]},{"name":"MsV1_0CacheLookup","features":[23]},{"name":"MsV1_0CacheLookupEx","features":[23]},{"name":"MsV1_0ChangeCachedPassword","features":[23]},{"name":"MsV1_0ChangePassword","features":[23]},{"name":"MsV1_0ClearCachedCredentials","features":[23]},{"name":"MsV1_0ConfigLocalAliases","features":[23]},{"name":"MsV1_0DecryptDpapiMasterKey","features":[23]},{"name":"MsV1_0DeleteTbalSecrets","features":[23]},{"name":"MsV1_0DeriveCredential","features":[23]},{"name":"MsV1_0EnumerateUsers","features":[23]},{"name":"MsV1_0GenericPassthrough","features":[23]},{"name":"MsV1_0GetCredentialKey","features":[23]},{"name":"MsV1_0GetStrongCredentialKey","features":[23]},{"name":"MsV1_0GetUserInfo","features":[23]},{"name":"MsV1_0InteractiveLogon","features":[23]},{"name":"MsV1_0InteractiveProfile","features":[23]},{"name":"MsV1_0Lm20ChallengeRequest","features":[23]},{"name":"MsV1_0Lm20GetChallengeResponse","features":[23]},{"name":"MsV1_0Lm20Logon","features":[23]},{"name":"MsV1_0Lm20LogonProfile","features":[23]},{"name":"MsV1_0LookupToken","features":[23]},{"name":"MsV1_0LuidLogon","features":[23]},{"name":"MsV1_0NetworkLogon","features":[23]},{"name":"MsV1_0NoElevationLogon","features":[23]},{"name":"MsV1_0ProvisionTbal","features":[23]},{"name":"MsV1_0ReLogonUsers","features":[23]},{"name":"MsV1_0S4ULogon","features":[23]},{"name":"MsV1_0SetProcessOption","features":[23]},{"name":"MsV1_0SetThreadOption","features":[23]},{"name":"MsV1_0SmartCardProfile","features":[23]},{"name":"MsV1_0SubAuth","features":[23]},{"name":"MsV1_0SubAuthLogon","features":[23]},{"name":"MsV1_0TransferCred","features":[23]},{"name":"MsV1_0ValidateAuth","features":[23]},{"name":"MsV1_0VirtualLogon","features":[23]},{"name":"MsV1_0WorkstationUnlockLogon","features":[23]},{"name":"MsvAvChannelBindings","features":[23]},{"name":"MsvAvDnsComputerName","features":[23]},{"name":"MsvAvDnsDomainName","features":[23]},{"name":"MsvAvDnsTreeName","features":[23]},{"name":"MsvAvEOL","features":[23]},{"name":"MsvAvFlags","features":[23]},{"name":"MsvAvNbComputerName","features":[23]},{"name":"MsvAvNbDomainName","features":[23]},{"name":"MsvAvRestrictions","features":[23]},{"name":"MsvAvTargetName","features":[23]},{"name":"MsvAvTimestamp","features":[23]},{"name":"NEGOSSP_NAME","features":[23]},{"name":"NEGOSSP_NAME_A","features":[23]},{"name":"NEGOSSP_NAME_W","features":[23]},{"name":"NEGOTIATE_ALLOW_NTLM","features":[23]},{"name":"NEGOTIATE_CALLER_NAME_REQUEST","features":[1,23]},{"name":"NEGOTIATE_CALLER_NAME_RESPONSE","features":[23]},{"name":"NEGOTIATE_MAX_PREFIX","features":[23]},{"name":"NEGOTIATE_MESSAGES","features":[23]},{"name":"NEGOTIATE_NEG_NTLM","features":[23]},{"name":"NEGOTIATE_PACKAGE_PREFIX","features":[23]},{"name":"NEGOTIATE_PACKAGE_PREFIXES","features":[23]},{"name":"NETLOGON_GENERIC_INFO","features":[23]},{"name":"NETLOGON_INTERACTIVE_INFO","features":[23,119]},{"name":"NETLOGON_LOGON_IDENTITY_INFO","features":[23]},{"name":"NETLOGON_LOGON_INFO_CLASS","features":[23]},{"name":"NETLOGON_NETWORK_INFO","features":[23]},{"name":"NETLOGON_SERVICE_INFO","features":[23,119]},{"name":"NGC_DATA_FLAG_IS_CLOUD_TRUST_CRED","features":[23]},{"name":"NGC_DATA_FLAG_IS_SMARTCARD_DATA","features":[23]},{"name":"NGC_DATA_FLAG_KERB_CERTIFICATE_LOGON_FLAG_CHECK_DUPLICATES","features":[23]},{"name":"NGC_DATA_FLAG_KERB_CERTIFICATE_LOGON_FLAG_USE_CERTIFICATE_INFO","features":[23]},{"name":"NOTIFIER_FLAG_NEW_THREAD","features":[23]},{"name":"NOTIFIER_FLAG_ONE_SHOT","features":[23]},{"name":"NOTIFIER_FLAG_SECONDS","features":[23]},{"name":"NOTIFIER_TYPE_HANDLE_WAIT","features":[23]},{"name":"NOTIFIER_TYPE_IMMEDIATE","features":[23]},{"name":"NOTIFIER_TYPE_INTERVAL","features":[23]},{"name":"NOTIFIER_TYPE_NOTIFY_EVENT","features":[23]},{"name":"NOTIFIER_TYPE_STATE_CHANGE","features":[23]},{"name":"NOTIFY_CLASS_DOMAIN_CHANGE","features":[23]},{"name":"NOTIFY_CLASS_PACKAGE_CHANGE","features":[23]},{"name":"NOTIFY_CLASS_REGISTRY_CHANGE","features":[23]},{"name":"NOTIFY_CLASS_ROLE_CHANGE","features":[23]},{"name":"NO_LONG_NAMES","features":[23]},{"name":"NTLMSP_NAME","features":[23]},{"name":"NTLMSP_NAME_A","features":[23]},{"name":"NameCanonical","features":[23]},{"name":"NameCanonicalEx","features":[23]},{"name":"NameDisplay","features":[23]},{"name":"NameDnsDomain","features":[23]},{"name":"NameFullyQualifiedDN","features":[23]},{"name":"NameGivenName","features":[23]},{"name":"NameSamCompatible","features":[23]},{"name":"NameServicePrincipal","features":[23]},{"name":"NameSurname","features":[23]},{"name":"NameUniqueId","features":[23]},{"name":"NameUnknown","features":[23]},{"name":"NameUserPrincipal","features":[23]},{"name":"NegCallPackageMax","features":[23]},{"name":"NegEnumPackagePrefixes","features":[23]},{"name":"NegGetCallerName","features":[23]},{"name":"NegMsgReserved1","features":[23]},{"name":"NegTransferCredentials","features":[23]},{"name":"NetlogonGenericInformation","features":[23]},{"name":"NetlogonInteractiveInformation","features":[23]},{"name":"NetlogonInteractiveTransitiveInformation","features":[23]},{"name":"NetlogonNetworkInformation","features":[23]},{"name":"NetlogonNetworkTransitiveInformation","features":[23]},{"name":"NetlogonServiceInformation","features":[23]},{"name":"NetlogonServiceTransitiveInformation","features":[23]},{"name":"PCT1SP_NAME","features":[23]},{"name":"PCT1SP_NAME_A","features":[23]},{"name":"PCT1SP_NAME_W","features":[23]},{"name":"PER_USER_AUDIT_FAILURE_EXCLUDE","features":[23]},{"name":"PER_USER_AUDIT_FAILURE_INCLUDE","features":[23]},{"name":"PER_USER_AUDIT_NONE","features":[23]},{"name":"PER_USER_AUDIT_SUCCESS_EXCLUDE","features":[23]},{"name":"PER_USER_AUDIT_SUCCESS_INCLUDE","features":[23]},{"name":"PER_USER_POLICY_UNCHANGED","features":[23]},{"name":"PKSEC_CREATE_CONTEXT_LIST","features":[23]},{"name":"PKSEC_DEREFERENCE_LIST_ENTRY","features":[23,7]},{"name":"PKSEC_INSERT_LIST_ENTRY","features":[23,7]},{"name":"PKSEC_LOCATE_PKG_BY_ID","features":[23]},{"name":"PKSEC_REFERENCE_LIST_ENTRY","features":[1,23,7]},{"name":"PKSEC_SERIALIZE_SCHANNEL_AUTH_DATA","features":[1,23]},{"name":"PKSEC_SERIALIZE_WINNT_AUTH_DATA","features":[1,23]},{"name":"PKU2U_CERTIFICATE_S4U_LOGON","features":[23]},{"name":"PKU2U_CERT_BLOB","features":[23]},{"name":"PKU2U_CREDUI_CONTEXT","features":[23]},{"name":"PKU2U_LOGON_SUBMIT_TYPE","features":[23]},{"name":"PKU2U_PACKAGE_NAME","features":[23]},{"name":"PKU2U_PACKAGE_NAME_A","features":[23]},{"name":"PKU2U_PACKAGE_NAME_W","features":[23]},{"name":"PLSA_ADD_CREDENTIAL","features":[1,23]},{"name":"PLSA_ALLOCATE_CLIENT_BUFFER","features":[1,23]},{"name":"PLSA_ALLOCATE_LSA_HEAP","features":[23]},{"name":"PLSA_ALLOCATE_PRIVATE_HEAP","features":[23]},{"name":"PLSA_ALLOCATE_SHARED_MEMORY","features":[23]},{"name":"PLSA_AP_CALL_PACKAGE","features":[1,23]},{"name":"PLSA_AP_CALL_PACKAGE_PASSTHROUGH","features":[1,23]},{"name":"PLSA_AP_INITIALIZE_PACKAGE","features":[1,23]},{"name":"PLSA_AP_LOGON_TERMINATED","features":[1,23]},{"name":"PLSA_AP_LOGON_USER","features":[1,23]},{"name":"PLSA_AP_LOGON_USER_EX","features":[1,23]},{"name":"PLSA_AP_LOGON_USER_EX2","features":[1,23]},{"name":"PLSA_AP_LOGON_USER_EX3","features":[1,23]},{"name":"PLSA_AP_POST_LOGON_USER_SURROGATE","features":[1,23]},{"name":"PLSA_AP_PRE_LOGON_USER_SURROGATE","features":[1,23]},{"name":"PLSA_AUDIT_ACCOUNT_LOGON","features":[1,23]},{"name":"PLSA_AUDIT_LOGON","features":[1,23]},{"name":"PLSA_AUDIT_LOGON_EX","features":[1,23]},{"name":"PLSA_CALLBACK_FUNCTION","features":[1,23]},{"name":"PLSA_CALL_PACKAGE","features":[1,23]},{"name":"PLSA_CALL_PACKAGEEX","features":[1,23]},{"name":"PLSA_CALL_PACKAGE_PASSTHROUGH","features":[1,23]},{"name":"PLSA_CANCEL_NOTIFICATION","features":[1,23]},{"name":"PLSA_CHECK_PROTECTED_USER_BY_TOKEN","features":[1,23]},{"name":"PLSA_CLIENT_CALLBACK","features":[1,23]},{"name":"PLSA_CLOSE_SAM_USER","features":[1,23]},{"name":"PLSA_CONVERT_AUTH_DATA_TO_TOKEN","features":[1,23]},{"name":"PLSA_COPY_FROM_CLIENT_BUFFER","features":[1,23]},{"name":"PLSA_COPY_TO_CLIENT_BUFFER","features":[1,23]},{"name":"PLSA_CRACK_SINGLE_NAME","features":[1,23]},{"name":"PLSA_CREATE_LOGON_SESSION","features":[1,23]},{"name":"PLSA_CREATE_SHARED_MEMORY","features":[23]},{"name":"PLSA_CREATE_THREAD","features":[1,23,37]},{"name":"PLSA_CREATE_TOKEN","features":[1,23]},{"name":"PLSA_CREATE_TOKEN_EX","features":[1,23]},{"name":"PLSA_DELETE_CREDENTIAL","features":[1,23]},{"name":"PLSA_DELETE_LOGON_SESSION","features":[1,23]},{"name":"PLSA_DELETE_SHARED_MEMORY","features":[1,23]},{"name":"PLSA_DUPLICATE_HANDLE","features":[1,23]},{"name":"PLSA_EXPAND_AUTH_DATA_FOR_DOMAIN","features":[1,23]},{"name":"PLSA_FREE_CLIENT_BUFFER","features":[1,23]},{"name":"PLSA_FREE_LSA_HEAP","features":[23]},{"name":"PLSA_FREE_PRIVATE_HEAP","features":[23]},{"name":"PLSA_FREE_SHARED_MEMORY","features":[23]},{"name":"PLSA_GET_APP_MODE_INFO","features":[1,23]},{"name":"PLSA_GET_AUTH_DATA_FOR_USER","features":[1,23]},{"name":"PLSA_GET_CALL_INFO","features":[1,23]},{"name":"PLSA_GET_CLIENT_INFO","features":[1,23]},{"name":"PLSA_GET_CLIENT_INFO_EX","features":[1,23]},{"name":"PLSA_GET_CREDENTIALS","features":[1,23]},{"name":"PLSA_GET_EXTENDED_CALL_FLAGS","features":[1,23]},{"name":"PLSA_GET_SERVICE_ACCOUNT_PASSWORD","features":[1,23]},{"name":"PLSA_GET_USER_AUTH_DATA","features":[1,23]},{"name":"PLSA_GET_USER_CREDENTIALS","features":[1,23]},{"name":"PLSA_IMPERSONATE_CLIENT","features":[1,23]},{"name":"PLSA_LOCATE_PKG_BY_ID","features":[23]},{"name":"PLSA_MAP_BUFFER","features":[1,23]},{"name":"PLSA_OPEN_SAM_USER","features":[1,23]},{"name":"PLSA_OPEN_TOKEN_BY_LOGON_ID","features":[1,23]},{"name":"PLSA_PROTECT_MEMORY","features":[23]},{"name":"PLSA_QUERY_CLIENT_REQUEST","features":[1,23]},{"name":"PLSA_REDIRECTED_LOGON_CALLBACK","features":[1,23]},{"name":"PLSA_REDIRECTED_LOGON_CLEANUP_CALLBACK","features":[1,23]},{"name":"PLSA_REDIRECTED_LOGON_GET_LOGON_CREDS","features":[1,23]},{"name":"PLSA_REDIRECTED_LOGON_GET_SID","features":[1,23]},{"name":"PLSA_REDIRECTED_LOGON_GET_SUPP_CREDS","features":[1,23]},{"name":"PLSA_REDIRECTED_LOGON_INIT","features":[1,23]},{"name":"PLSA_REGISTER_CALLBACK","features":[1,23]},{"name":"PLSA_REGISTER_NOTIFICATION","features":[1,23,37]},{"name":"PLSA_SAVE_SUPPLEMENTAL_CREDENTIALS","features":[1,23]},{"name":"PLSA_SET_APP_MODE_INFO","features":[1,23]},{"name":"PLSA_UNLOAD_PACKAGE","features":[1,23]},{"name":"PLSA_UPDATE_PRIMARY_CREDENTIALS","features":[1,23]},{"name":"POLICY_ACCOUNT_DOMAIN_INFO","features":[1,23]},{"name":"POLICY_AUDIT_CATEGORIES_INFO","features":[23]},{"name":"POLICY_AUDIT_EVENTS_INFO","features":[1,23]},{"name":"POLICY_AUDIT_EVENT_FAILURE","features":[23]},{"name":"POLICY_AUDIT_EVENT_NONE","features":[23]},{"name":"POLICY_AUDIT_EVENT_SUCCESS","features":[23]},{"name":"POLICY_AUDIT_EVENT_TYPE","features":[23]},{"name":"POLICY_AUDIT_EVENT_UNCHANGED","features":[23]},{"name":"POLICY_AUDIT_FULL_QUERY_INFO","features":[1,23]},{"name":"POLICY_AUDIT_FULL_SET_INFO","features":[1,23]},{"name":"POLICY_AUDIT_LOG_ADMIN","features":[23]},{"name":"POLICY_AUDIT_LOG_INFO","features":[1,23]},{"name":"POLICY_AUDIT_SID_ARRAY","features":[1,23]},{"name":"POLICY_AUDIT_SUBCATEGORIES_INFO","features":[23]},{"name":"POLICY_CREATE_ACCOUNT","features":[23]},{"name":"POLICY_CREATE_PRIVILEGE","features":[23]},{"name":"POLICY_CREATE_SECRET","features":[23]},{"name":"POLICY_DEFAULT_QUOTA_INFO","features":[23]},{"name":"POLICY_DNS_DOMAIN_INFO","features":[1,23]},{"name":"POLICY_DOMAIN_EFS_INFO","features":[23]},{"name":"POLICY_DOMAIN_INFORMATION_CLASS","features":[23]},{"name":"POLICY_DOMAIN_KERBEROS_TICKET_INFO","features":[23]},{"name":"POLICY_GET_PRIVATE_INFORMATION","features":[23]},{"name":"POLICY_INFORMATION_CLASS","features":[23]},{"name":"POLICY_KERBEROS_VALIDATE_CLIENT","features":[23]},{"name":"POLICY_LOOKUP_NAMES","features":[23]},{"name":"POLICY_LSA_SERVER_ROLE","features":[23]},{"name":"POLICY_LSA_SERVER_ROLE_INFO","features":[23]},{"name":"POLICY_MACHINE_ACCT_INFO","features":[1,23]},{"name":"POLICY_MACHINE_ACCT_INFO2","features":[1,23]},{"name":"POLICY_MODIFICATION_INFO","features":[23]},{"name":"POLICY_NOTIFICATION","features":[23]},{"name":"POLICY_NOTIFICATION_INFORMATION_CLASS","features":[23]},{"name":"POLICY_PD_ACCOUNT_INFO","features":[23]},{"name":"POLICY_PRIMARY_DOMAIN_INFO","features":[1,23]},{"name":"POLICY_QOS_ALLOW_LOCAL_ROOT_CERT_STORE","features":[23]},{"name":"POLICY_QOS_DHCP_SERVER_ALLOWED","features":[23]},{"name":"POLICY_QOS_INBOUND_CONFIDENTIALITY","features":[23]},{"name":"POLICY_QOS_INBOUND_INTEGRITY","features":[23]},{"name":"POLICY_QOS_OUTBOUND_CONFIDENTIALITY","features":[23]},{"name":"POLICY_QOS_OUTBOUND_INTEGRITY","features":[23]},{"name":"POLICY_QOS_RAS_SERVER_ALLOWED","features":[23]},{"name":"POLICY_QOS_SCHANNEL_REQUIRED","features":[23]},{"name":"POLICY_REPLICA_SOURCE_INFO","features":[23]},{"name":"POLICY_SERVER_ADMIN","features":[23]},{"name":"POLICY_SET_AUDIT_REQUIREMENTS","features":[23]},{"name":"POLICY_SET_DEFAULT_QUOTA_LIMITS","features":[23]},{"name":"POLICY_TRUST_ADMIN","features":[23]},{"name":"POLICY_VIEW_AUDIT_INFORMATION","features":[23]},{"name":"POLICY_VIEW_LOCAL_INFORMATION","features":[23]},{"name":"PRIMARY_CRED_ARSO_LOGON","features":[23]},{"name":"PRIMARY_CRED_AUTH_ID","features":[23]},{"name":"PRIMARY_CRED_CACHED_INTERACTIVE_LOGON","features":[23]},{"name":"PRIMARY_CRED_CACHED_LOGON","features":[23]},{"name":"PRIMARY_CRED_CLEAR_PASSWORD","features":[23]},{"name":"PRIMARY_CRED_DO_NOT_SPLIT","features":[23]},{"name":"PRIMARY_CRED_ENCRYPTED_CREDGUARD_PASSWORD","features":[23]},{"name":"PRIMARY_CRED_ENTERPRISE_INTERNET_USER","features":[23]},{"name":"PRIMARY_CRED_EX","features":[23]},{"name":"PRIMARY_CRED_FOR_PASSWORD_CHANGE","features":[23]},{"name":"PRIMARY_CRED_INTERACTIVE_FIDO_LOGON","features":[23]},{"name":"PRIMARY_CRED_INTERACTIVE_NGC_LOGON","features":[23]},{"name":"PRIMARY_CRED_INTERACTIVE_SMARTCARD_LOGON","features":[23]},{"name":"PRIMARY_CRED_INTERNET_USER","features":[23]},{"name":"PRIMARY_CRED_LOGON_LUA","features":[23]},{"name":"PRIMARY_CRED_LOGON_NO_TCB","features":[23]},{"name":"PRIMARY_CRED_LOGON_PACKAGE_SHIFT","features":[23]},{"name":"PRIMARY_CRED_OWF_PASSWORD","features":[23]},{"name":"PRIMARY_CRED_PACKAGE_MASK","features":[23]},{"name":"PRIMARY_CRED_PACKED_CREDS","features":[23]},{"name":"PRIMARY_CRED_PROTECTED_USER","features":[23]},{"name":"PRIMARY_CRED_REFRESH_NEEDED","features":[23]},{"name":"PRIMARY_CRED_RESTRICTED_TS","features":[23]},{"name":"PRIMARY_CRED_SUPPLEMENTAL","features":[23]},{"name":"PRIMARY_CRED_TRANSFER","features":[23]},{"name":"PRIMARY_CRED_UPDATE","features":[23]},{"name":"PSAM_CREDENTIAL_UPDATE_FREE_ROUTINE","features":[23]},{"name":"PSAM_CREDENTIAL_UPDATE_NOTIFY_ROUTINE","features":[1,23]},{"name":"PSAM_CREDENTIAL_UPDATE_REGISTER_MAPPED_ENTRYPOINTS_ROUTINE","features":[1,23]},{"name":"PSAM_CREDENTIAL_UPDATE_REGISTER_ROUTINE","features":[1,23]},{"name":"PSAM_INIT_NOTIFICATION_ROUTINE","features":[1,23]},{"name":"PSAM_PASSWORD_FILTER_ROUTINE","features":[1,23]},{"name":"PSAM_PASSWORD_NOTIFICATION_ROUTINE","features":[1,23]},{"name":"PctPublicKey","features":[23]},{"name":"Pku2uCertificateS4ULogon","features":[23]},{"name":"PolicyAccountDomainInformation","features":[23]},{"name":"PolicyAuditEventsInformation","features":[23]},{"name":"PolicyAuditFullQueryInformation","features":[23]},{"name":"PolicyAuditFullSetInformation","features":[23]},{"name":"PolicyAuditLogInformation","features":[23]},{"name":"PolicyDefaultQuotaInformation","features":[23]},{"name":"PolicyDnsDomainInformation","features":[23]},{"name":"PolicyDnsDomainInformationInt","features":[23]},{"name":"PolicyDomainEfsInformation","features":[23]},{"name":"PolicyDomainKerberosTicketInformation","features":[23]},{"name":"PolicyLastEntry","features":[23]},{"name":"PolicyLocalAccountDomainInformation","features":[23]},{"name":"PolicyLsaServerRoleInformation","features":[23]},{"name":"PolicyMachineAccountInformation","features":[23]},{"name":"PolicyMachineAccountInformation2","features":[23]},{"name":"PolicyModificationInformation","features":[23]},{"name":"PolicyNotifyAccountDomainInformation","features":[23]},{"name":"PolicyNotifyAuditEventsInformation","features":[23]},{"name":"PolicyNotifyDnsDomainInformation","features":[23]},{"name":"PolicyNotifyDomainEfsInformation","features":[23]},{"name":"PolicyNotifyDomainKerberosTicketInformation","features":[23]},{"name":"PolicyNotifyGlobalSaclInformation","features":[23]},{"name":"PolicyNotifyMachineAccountPasswordInformation","features":[23]},{"name":"PolicyNotifyMax","features":[23]},{"name":"PolicyNotifyServerRoleInformation","features":[23]},{"name":"PolicyPdAccountInformation","features":[23]},{"name":"PolicyPrimaryDomainInformation","features":[23]},{"name":"PolicyReplicaSourceInformation","features":[23]},{"name":"PolicyServerRoleBackup","features":[23]},{"name":"PolicyServerRolePrimary","features":[23]},{"name":"QUERY_CONTEXT_ATTRIBUTES_EX_FN_A","features":[23,118]},{"name":"QUERY_CONTEXT_ATTRIBUTES_EX_FN_W","features":[23,118]},{"name":"QUERY_CONTEXT_ATTRIBUTES_FN_A","features":[23,118]},{"name":"QUERY_CONTEXT_ATTRIBUTES_FN_W","features":[23,118]},{"name":"QUERY_CREDENTIALS_ATTRIBUTES_EX_FN_A","features":[23,118]},{"name":"QUERY_CREDENTIALS_ATTRIBUTES_EX_FN_W","features":[23,118]},{"name":"QUERY_CREDENTIALS_ATTRIBUTES_FN_A","features":[23,118]},{"name":"QUERY_CREDENTIALS_ATTRIBUTES_FN_W","features":[23,118]},{"name":"QUERY_SECURITY_CONTEXT_TOKEN_FN","features":[23,118]},{"name":"QUERY_SECURITY_PACKAGE_INFO_FN_A","features":[23]},{"name":"QUERY_SECURITY_PACKAGE_INFO_FN_W","features":[23]},{"name":"QueryContextAttributesA","features":[23,118]},{"name":"QueryContextAttributesExA","features":[23,118]},{"name":"QueryContextAttributesExW","features":[23,118]},{"name":"QueryContextAttributesW","features":[23,118]},{"name":"QueryCredentialsAttributesA","features":[23,118]},{"name":"QueryCredentialsAttributesExA","features":[23,118]},{"name":"QueryCredentialsAttributesExW","features":[23,118]},{"name":"QueryCredentialsAttributesW","features":[23,118]},{"name":"QuerySecurityContextToken","features":[23,118]},{"name":"QuerySecurityPackageInfoA","features":[23]},{"name":"QuerySecurityPackageInfoW","features":[23]},{"name":"RCRED_CRED_EXISTS","features":[23]},{"name":"RCRED_STATUS_NOCRED","features":[23]},{"name":"RCRED_STATUS_UNKNOWN_ISSUER","features":[23]},{"name":"REVERT_SECURITY_CONTEXT_FN","features":[23,118]},{"name":"RTL_ENCRYPT_MEMORY_SIZE","features":[23]},{"name":"RTL_ENCRYPT_OPTION_CROSS_PROCESS","features":[23]},{"name":"RTL_ENCRYPT_OPTION_FOR_SYSTEM","features":[23]},{"name":"RTL_ENCRYPT_OPTION_SAME_LOGON","features":[23]},{"name":"RevertSecurityContext","features":[23,118]},{"name":"RtlDecryptMemory","features":[1,23]},{"name":"RtlEncryptMemory","features":[1,23]},{"name":"RtlGenRandom","features":[1,23]},{"name":"SAM_CREDENTIAL_UPDATE_FREE_ROUTINE","features":[23]},{"name":"SAM_CREDENTIAL_UPDATE_NOTIFY_ROUTINE","features":[23]},{"name":"SAM_CREDENTIAL_UPDATE_REGISTER_MAPPED_ENTRYPOINTS_ROUTINE","features":[23]},{"name":"SAM_CREDENTIAL_UPDATE_REGISTER_ROUTINE","features":[23]},{"name":"SAM_DAYS_PER_WEEK","features":[23]},{"name":"SAM_INIT_NOTIFICATION_ROUTINE","features":[23]},{"name":"SAM_PASSWORD_CHANGE_NOTIFY_ROUTINE","features":[23]},{"name":"SAM_PASSWORD_FILTER_ROUTINE","features":[23]},{"name":"SAM_REGISTER_MAPPING_ELEMENT","features":[1,23]},{"name":"SAM_REGISTER_MAPPING_LIST","features":[1,23]},{"name":"SAM_REGISTER_MAPPING_TABLE","features":[1,23]},{"name":"SASL_AUTHZID_STATE","features":[23]},{"name":"SASL_OPTION_AUTHZ_PROCESSING","features":[23]},{"name":"SASL_OPTION_AUTHZ_STRING","features":[23]},{"name":"SASL_OPTION_RECV_SIZE","features":[23]},{"name":"SASL_OPTION_SEND_SIZE","features":[23]},{"name":"SCHANNEL_ALERT","features":[23]},{"name":"SCHANNEL_ALERT_TOKEN","features":[23]},{"name":"SCHANNEL_ALERT_TOKEN_ALERT_TYPE","features":[23]},{"name":"SCHANNEL_CERT_HASH","features":[23]},{"name":"SCHANNEL_CERT_HASH_STORE","features":[23]},{"name":"SCHANNEL_CLIENT_SIGNATURE","features":[23,68]},{"name":"SCHANNEL_CRED","features":[1,23,68]},{"name":"SCHANNEL_CRED_FLAGS","features":[23]},{"name":"SCHANNEL_CRED_VERSION","features":[23]},{"name":"SCHANNEL_NAME","features":[23]},{"name":"SCHANNEL_NAME_A","features":[23]},{"name":"SCHANNEL_NAME_W","features":[23]},{"name":"SCHANNEL_RENEGOTIATE","features":[23]},{"name":"SCHANNEL_SECRET_PRIVKEY","features":[23]},{"name":"SCHANNEL_SECRET_TYPE_CAPI","features":[23]},{"name":"SCHANNEL_SESSION","features":[23]},{"name":"SCHANNEL_SESSION_TOKEN","features":[23]},{"name":"SCHANNEL_SESSION_TOKEN_FLAGS","features":[23]},{"name":"SCHANNEL_SHUTDOWN","features":[23]},{"name":"SCH_ALLOW_NULL_ENCRYPTION","features":[23]},{"name":"SCH_CRED","features":[23]},{"name":"SCH_CREDENTIALS","features":[1,23,68]},{"name":"SCH_CREDENTIALS_VERSION","features":[23]},{"name":"SCH_CRED_AUTO_CRED_VALIDATION","features":[23]},{"name":"SCH_CRED_CACHE_ONLY_URL_RETRIEVAL","features":[23]},{"name":"SCH_CRED_CACHE_ONLY_URL_RETRIEVAL_ON_CREATE","features":[23]},{"name":"SCH_CRED_CERT_CONTEXT","features":[23]},{"name":"SCH_CRED_DEFERRED_CRED_VALIDATION","features":[23]},{"name":"SCH_CRED_DISABLE_RECONNECTS","features":[23]},{"name":"SCH_CRED_FORMAT_CERT_CONTEXT","features":[23]},{"name":"SCH_CRED_FORMAT_CERT_HASH","features":[23]},{"name":"SCH_CRED_FORMAT_CERT_HASH_STORE","features":[23]},{"name":"SCH_CRED_IGNORE_NO_REVOCATION_CHECK","features":[23]},{"name":"SCH_CRED_IGNORE_REVOCATION_OFFLINE","features":[23]},{"name":"SCH_CRED_MANUAL_CRED_VALIDATION","features":[23]},{"name":"SCH_CRED_MAX_STORE_NAME_SIZE","features":[23]},{"name":"SCH_CRED_MAX_SUPPORTED_ALGS","features":[23]},{"name":"SCH_CRED_MAX_SUPPORTED_ALPN_IDS","features":[23]},{"name":"SCH_CRED_MAX_SUPPORTED_CERTS","features":[23]},{"name":"SCH_CRED_MAX_SUPPORTED_CHAINING_MODES","features":[23]},{"name":"SCH_CRED_MAX_SUPPORTED_CRYPTO_SETTINGS","features":[23]},{"name":"SCH_CRED_MAX_SUPPORTED_PARAMETERS","features":[23]},{"name":"SCH_CRED_MEMORY_STORE_CERT","features":[23]},{"name":"SCH_CRED_NO_DEFAULT_CREDS","features":[23]},{"name":"SCH_CRED_NO_SERVERNAME_CHECK","features":[23]},{"name":"SCH_CRED_NO_SYSTEM_MAPPER","features":[23]},{"name":"SCH_CRED_PUBLIC_CERTCHAIN","features":[23]},{"name":"SCH_CRED_RESTRICTED_ROOTS","features":[23]},{"name":"SCH_CRED_REVOCATION_CHECK_CACHE_ONLY","features":[23]},{"name":"SCH_CRED_REVOCATION_CHECK_CHAIN","features":[23]},{"name":"SCH_CRED_REVOCATION_CHECK_CHAIN_EXCLUDE_ROOT","features":[23]},{"name":"SCH_CRED_REVOCATION_CHECK_END_CERT","features":[23]},{"name":"SCH_CRED_SECRET_CAPI","features":[23]},{"name":"SCH_CRED_SECRET_PRIVKEY","features":[23]},{"name":"SCH_CRED_SNI_CREDENTIAL","features":[23]},{"name":"SCH_CRED_SNI_ENABLE_OCSP","features":[23]},{"name":"SCH_CRED_USE_DEFAULT_CREDS","features":[23]},{"name":"SCH_CRED_V1","features":[23]},{"name":"SCH_CRED_V2","features":[23]},{"name":"SCH_CRED_V3","features":[23]},{"name":"SCH_CRED_VERSION","features":[23]},{"name":"SCH_CRED_X509_CAPI","features":[23]},{"name":"SCH_CRED_X509_CERTCHAIN","features":[23]},{"name":"SCH_DISABLE_RECONNECTS","features":[23]},{"name":"SCH_EXTENSIONS_OPTIONS_NONE","features":[23]},{"name":"SCH_EXTENSION_DATA","features":[23]},{"name":"SCH_MACHINE_CERT_HASH","features":[23]},{"name":"SCH_MAX_EXT_SUBSCRIPTIONS","features":[23]},{"name":"SCH_NO_RECORD_HEADER","features":[23]},{"name":"SCH_SEND_AUX_RECORD","features":[23]},{"name":"SCH_SEND_ROOT_CERT","features":[23]},{"name":"SCH_USE_DTLS_ONLY","features":[23]},{"name":"SCH_USE_PRESHAREDKEY_ONLY","features":[23]},{"name":"SCH_USE_STRONG_CRYPTO","features":[23]},{"name":"SECBUFFER_ALERT","features":[23]},{"name":"SECBUFFER_APPLICATION_PROTOCOLS","features":[23]},{"name":"SECBUFFER_ATTRMASK","features":[23]},{"name":"SECBUFFER_CERTIFICATE_REQUEST_CONTEXT","features":[23]},{"name":"SECBUFFER_CHANGE_PASS_RESPONSE","features":[23]},{"name":"SECBUFFER_CHANNEL_BINDINGS","features":[23]},{"name":"SECBUFFER_CHANNEL_BINDINGS_RESULT","features":[23]},{"name":"SECBUFFER_DATA","features":[23]},{"name":"SECBUFFER_DTLS_MTU","features":[23]},{"name":"SECBUFFER_EMPTY","features":[23]},{"name":"SECBUFFER_EXTRA","features":[23]},{"name":"SECBUFFER_FLAGS","features":[23]},{"name":"SECBUFFER_KERNEL_MAP","features":[23]},{"name":"SECBUFFER_MECHLIST","features":[23]},{"name":"SECBUFFER_MECHLIST_SIGNATURE","features":[23]},{"name":"SECBUFFER_MISSING","features":[23]},{"name":"SECBUFFER_NEGOTIATION_INFO","features":[23]},{"name":"SECBUFFER_PADDING","features":[23]},{"name":"SECBUFFER_PKG_PARAMS","features":[23]},{"name":"SECBUFFER_PRESHARED_KEY","features":[23]},{"name":"SECBUFFER_PRESHARED_KEY_IDENTITY","features":[23]},{"name":"SECBUFFER_READONLY","features":[23]},{"name":"SECBUFFER_READONLY_WITH_CHECKSUM","features":[23]},{"name":"SECBUFFER_RESERVED","features":[23]},{"name":"SECBUFFER_SEND_GENERIC_TLS_EXTENSION","features":[23]},{"name":"SECBUFFER_SRTP_MASTER_KEY_IDENTIFIER","features":[23]},{"name":"SECBUFFER_SRTP_PROTECTION_PROFILES","features":[23]},{"name":"SECBUFFER_STREAM","features":[23]},{"name":"SECBUFFER_STREAM_HEADER","features":[23]},{"name":"SECBUFFER_STREAM_TRAILER","features":[23]},{"name":"SECBUFFER_SUBSCRIBE_GENERIC_TLS_EXTENSION","features":[23]},{"name":"SECBUFFER_TARGET","features":[23]},{"name":"SECBUFFER_TARGET_HOST","features":[23]},{"name":"SECBUFFER_TOKEN","features":[23]},{"name":"SECBUFFER_TOKEN_BINDING","features":[23]},{"name":"SECBUFFER_TRAFFIC_SECRETS","features":[23]},{"name":"SECBUFFER_UNMAPPED","features":[23]},{"name":"SECBUFFER_VERSION","features":[23]},{"name":"SECPKGCONTEXT_CIPHERINFO_V1","features":[23]},{"name":"SECPKGCONTEXT_CONNECTION_INFO_EX_V1","features":[23]},{"name":"SECPKG_ANSI_ATTRIBUTE","features":[23]},{"name":"SECPKG_APP_MODE_INFO","features":[1,23]},{"name":"SECPKG_ATTR","features":[23]},{"name":"SECPKG_ATTR_ACCESS_TOKEN","features":[23]},{"name":"SECPKG_ATTR_APPLICATION_PROTOCOL","features":[23]},{"name":"SECPKG_ATTR_APP_DATA","features":[23]},{"name":"SECPKG_ATTR_AUTHENTICATION_ID","features":[23]},{"name":"SECPKG_ATTR_AUTHORITY","features":[23]},{"name":"SECPKG_ATTR_CC_POLICY_RESULT","features":[23]},{"name":"SECPKG_ATTR_CERT_CHECK_RESULT","features":[23]},{"name":"SECPKG_ATTR_CERT_CHECK_RESULT_INPROC","features":[23]},{"name":"SECPKG_ATTR_CERT_TRUST_STATUS","features":[23]},{"name":"SECPKG_ATTR_CIPHER_INFO","features":[23]},{"name":"SECPKG_ATTR_CIPHER_STRENGTHS","features":[23]},{"name":"SECPKG_ATTR_CLIENT_CERT_POLICY","features":[23]},{"name":"SECPKG_ATTR_CLIENT_SPECIFIED_TARGET","features":[23]},{"name":"SECPKG_ATTR_CONNECTION_INFO","features":[23]},{"name":"SECPKG_ATTR_CONNECTION_INFO_EX","features":[23]},{"name":"SECPKG_ATTR_CONTEXT_DELETED","features":[23]},{"name":"SECPKG_ATTR_CREDENTIAL_NAME","features":[23]},{"name":"SECPKG_ATTR_CREDS","features":[23]},{"name":"SECPKG_ATTR_CREDS_2","features":[23]},{"name":"SECPKG_ATTR_C_ACCESS_TOKEN","features":[23]},{"name":"SECPKG_ATTR_C_FULL_ACCESS_TOKEN","features":[23]},{"name":"SECPKG_ATTR_DCE_INFO","features":[23]},{"name":"SECPKG_ATTR_DTLS_MTU","features":[23]},{"name":"SECPKG_ATTR_EAP_KEY_BLOCK","features":[23]},{"name":"SECPKG_ATTR_EAP_PRF_INFO","features":[23]},{"name":"SECPKG_ATTR_EARLY_START","features":[23]},{"name":"SECPKG_ATTR_ENDPOINT_BINDINGS","features":[23]},{"name":"SECPKG_ATTR_FLAGS","features":[23]},{"name":"SECPKG_ATTR_ISSUER_LIST","features":[23]},{"name":"SECPKG_ATTR_ISSUER_LIST_EX","features":[23]},{"name":"SECPKG_ATTR_IS_LOOPBACK","features":[23]},{"name":"SECPKG_ATTR_KEYING_MATERIAL","features":[23]},{"name":"SECPKG_ATTR_KEYING_MATERIAL_INFO","features":[23]},{"name":"SECPKG_ATTR_KEYING_MATERIAL_INPROC","features":[23]},{"name":"SECPKG_ATTR_KEYING_MATERIAL_TOKEN_BINDING","features":[23]},{"name":"SECPKG_ATTR_KEY_INFO","features":[23]},{"name":"SECPKG_ATTR_LAST_CLIENT_TOKEN_STATUS","features":[23]},{"name":"SECPKG_ATTR_LCT_STATUS","features":[23]},{"name":"SECPKG_ATTR_LIFESPAN","features":[23]},{"name":"SECPKG_ATTR_LOCAL_CERT_CONTEXT","features":[23]},{"name":"SECPKG_ATTR_LOCAL_CERT_INFO","features":[23]},{"name":"SECPKG_ATTR_LOCAL_CRED","features":[23]},{"name":"SECPKG_ATTR_LOGOFF_TIME","features":[23]},{"name":"SECPKG_ATTR_MAPPED_CRED_ATTR","features":[23]},{"name":"SECPKG_ATTR_NAMES","features":[23]},{"name":"SECPKG_ATTR_NATIVE_NAMES","features":[23]},{"name":"SECPKG_ATTR_NEGOTIATED_TLS_EXTENSIONS","features":[23]},{"name":"SECPKG_ATTR_NEGOTIATION_INFO","features":[23]},{"name":"SECPKG_ATTR_NEGOTIATION_PACKAGE","features":[23]},{"name":"SECPKG_ATTR_NEGO_INFO_FLAG_NO_KERBEROS","features":[23]},{"name":"SECPKG_ATTR_NEGO_INFO_FLAG_NO_NTLM","features":[23]},{"name":"SECPKG_ATTR_NEGO_KEYS","features":[23]},{"name":"SECPKG_ATTR_NEGO_PKG_INFO","features":[23]},{"name":"SECPKG_ATTR_NEGO_STATUS","features":[23]},{"name":"SECPKG_ATTR_PACKAGE_INFO","features":[23]},{"name":"SECPKG_ATTR_PASSWORD_EXPIRY","features":[23]},{"name":"SECPKG_ATTR_PROMPTING_NEEDED","features":[23]},{"name":"SECPKG_ATTR_PROTO_INFO","features":[23]},{"name":"SECPKG_ATTR_REMOTE_CERTIFICATES","features":[23]},{"name":"SECPKG_ATTR_REMOTE_CERT_CHAIN","features":[23]},{"name":"SECPKG_ATTR_REMOTE_CERT_CONTEXT","features":[23]},{"name":"SECPKG_ATTR_REMOTE_CRED","features":[23]},{"name":"SECPKG_ATTR_ROOT_STORE","features":[23]},{"name":"SECPKG_ATTR_SASL_CONTEXT","features":[23]},{"name":"SECPKG_ATTR_SERIALIZED_REMOTE_CERT_CONTEXT","features":[23]},{"name":"SECPKG_ATTR_SERIALIZED_REMOTE_CERT_CONTEXT_INPROC","features":[23]},{"name":"SECPKG_ATTR_SERVER_AUTH_FLAGS","features":[23]},{"name":"SECPKG_ATTR_SESSION_INFO","features":[23]},{"name":"SECPKG_ATTR_SESSION_KEY","features":[23]},{"name":"SECPKG_ATTR_SESSION_TICKET_KEYS","features":[23]},{"name":"SECPKG_ATTR_SIZES","features":[23]},{"name":"SECPKG_ATTR_SRTP_PARAMETERS","features":[23]},{"name":"SECPKG_ATTR_STREAM_SIZES","features":[23]},{"name":"SECPKG_ATTR_SUBJECT_SECURITY_ATTRIBUTES","features":[23]},{"name":"SECPKG_ATTR_SUPPORTED_ALGS","features":[23]},{"name":"SECPKG_ATTR_SUPPORTED_PROTOCOLS","features":[23]},{"name":"SECPKG_ATTR_SUPPORTED_SIGNATURES","features":[23]},{"name":"SECPKG_ATTR_TARGET","features":[23]},{"name":"SECPKG_ATTR_TARGET_INFORMATION","features":[23]},{"name":"SECPKG_ATTR_THUNK_ALL","features":[23]},{"name":"SECPKG_ATTR_TOKEN_BINDING","features":[23]},{"name":"SECPKG_ATTR_UI_INFO","features":[23]},{"name":"SECPKG_ATTR_UNIQUE_BINDINGS","features":[23]},{"name":"SECPKG_ATTR_USER_FLAGS","features":[23]},{"name":"SECPKG_ATTR_USE_NCRYPT","features":[23]},{"name":"SECPKG_ATTR_USE_VALIDATED","features":[23]},{"name":"SECPKG_BYTE_VECTOR","features":[23]},{"name":"SECPKG_CALLFLAGS_APPCONTAINER","features":[23]},{"name":"SECPKG_CALLFLAGS_APPCONTAINER_AUTHCAPABLE","features":[23]},{"name":"SECPKG_CALLFLAGS_APPCONTAINER_UPNCAPABLE","features":[23]},{"name":"SECPKG_CALLFLAGS_FORCE_SUPPLIED","features":[23]},{"name":"SECPKG_CALL_ANSI","features":[23]},{"name":"SECPKG_CALL_ASYNC_UPDATE","features":[23]},{"name":"SECPKG_CALL_BUFFER_MARSHAL","features":[23]},{"name":"SECPKG_CALL_CLEANUP","features":[23]},{"name":"SECPKG_CALL_CLOUDAP_CONNECT","features":[23]},{"name":"SECPKG_CALL_INFO","features":[23]},{"name":"SECPKG_CALL_IN_PROC","features":[23]},{"name":"SECPKG_CALL_IS_TCB","features":[23]},{"name":"SECPKG_CALL_KERNEL_MODE","features":[23]},{"name":"SECPKG_CALL_NEGO","features":[23]},{"name":"SECPKG_CALL_NEGO_EXTENDER","features":[23]},{"name":"SECPKG_CALL_NETWORK_ONLY","features":[23]},{"name":"SECPKG_CALL_PACKAGE_MESSAGE_TYPE","features":[23]},{"name":"SECPKG_CALL_PACKAGE_PIN_DC_REQUEST","features":[23]},{"name":"SECPKG_CALL_PACKAGE_TRANSFER_CRED_REQUEST","features":[1,23]},{"name":"SECPKG_CALL_PACKAGE_TRANSFER_CRED_REQUEST_FLAG_CLEANUP_CREDENTIALS","features":[23]},{"name":"SECPKG_CALL_PACKAGE_TRANSFER_CRED_REQUEST_FLAG_OPTIMISTIC_LOGON","features":[23]},{"name":"SECPKG_CALL_PACKAGE_TRANSFER_CRED_REQUEST_FLAG_TO_SSO_SESSION","features":[23]},{"name":"SECPKG_CALL_PACKAGE_UNPIN_ALL_DCS_REQUEST","features":[23]},{"name":"SECPKG_CALL_PROCESS_TERM","features":[23]},{"name":"SECPKG_CALL_RECURSIVE","features":[23]},{"name":"SECPKG_CALL_SYSTEM_PROC","features":[23]},{"name":"SECPKG_CALL_THREAD_TERM","features":[23]},{"name":"SECPKG_CALL_UNLOCK","features":[23]},{"name":"SECPKG_CALL_URGENT","features":[23]},{"name":"SECPKG_CALL_WINLOGON","features":[23]},{"name":"SECPKG_CALL_WOWA32","features":[23]},{"name":"SECPKG_CALL_WOWCLIENT","features":[23]},{"name":"SECPKG_CALL_WOWX86","features":[23]},{"name":"SECPKG_CLIENT_INFO","features":[1,23]},{"name":"SECPKG_CLIENT_INFO_EX","features":[1,23]},{"name":"SECPKG_CLIENT_PROCESS_TERMINATED","features":[23]},{"name":"SECPKG_CLIENT_THREAD_TERMINATED","features":[23]},{"name":"SECPKG_CONTEXT_EXPORT_DELETE_OLD","features":[23]},{"name":"SECPKG_CONTEXT_EXPORT_RESET_NEW","features":[23]},{"name":"SECPKG_CONTEXT_EXPORT_TO_KERNEL","features":[23]},{"name":"SECPKG_CONTEXT_THUNKS","features":[23]},{"name":"SECPKG_CRED","features":[23]},{"name":"SECPKG_CREDENTIAL","features":[1,23]},{"name":"SECPKG_CREDENTIAL_ATTRIBUTE","features":[23]},{"name":"SECPKG_CREDENTIAL_FLAGS_CALLER_HAS_TCB","features":[23]},{"name":"SECPKG_CREDENTIAL_FLAGS_CREDMAN_CRED","features":[23]},{"name":"SECPKG_CREDENTIAL_VERSION","features":[23]},{"name":"SECPKG_CRED_ATTR_CERT","features":[23]},{"name":"SECPKG_CRED_ATTR_KDC_PROXY_SETTINGS","features":[23]},{"name":"SECPKG_CRED_ATTR_NAMES","features":[23]},{"name":"SECPKG_CRED_ATTR_PAC_BYPASS","features":[23]},{"name":"SECPKG_CRED_ATTR_SSI_PROVIDER","features":[23]},{"name":"SECPKG_CRED_AUTOLOGON_RESTRICTED","features":[23]},{"name":"SECPKG_CRED_BOTH","features":[23]},{"name":"SECPKG_CRED_CLASS","features":[23]},{"name":"SECPKG_CRED_DEFAULT","features":[23]},{"name":"SECPKG_CRED_INBOUND","features":[23]},{"name":"SECPKG_CRED_OUTBOUND","features":[23]},{"name":"SECPKG_CRED_PROCESS_POLICY_ONLY","features":[23]},{"name":"SECPKG_CRED_RESERVED","features":[23]},{"name":"SECPKG_DLL_FUNCTIONS","features":[1,23]},{"name":"SECPKG_EVENT_NOTIFY","features":[23]},{"name":"SECPKG_EVENT_PACKAGE_CHANGE","features":[23]},{"name":"SECPKG_EVENT_ROLE_CHANGE","features":[23]},{"name":"SECPKG_EXTENDED_INFORMATION","features":[23]},{"name":"SECPKG_EXTENDED_INFORMATION_CLASS","features":[23]},{"name":"SECPKG_EXTRA_OIDS","features":[23]},{"name":"SECPKG_FLAG_ACCEPT_WIN32_NAME","features":[23]},{"name":"SECPKG_FLAG_APPCONTAINER_CHECKS","features":[23]},{"name":"SECPKG_FLAG_APPCONTAINER_PASSTHROUGH","features":[23]},{"name":"SECPKG_FLAG_APPLY_LOOPBACK","features":[23]},{"name":"SECPKG_FLAG_ASCII_BUFFERS","features":[23]},{"name":"SECPKG_FLAG_CLIENT_ONLY","features":[23]},{"name":"SECPKG_FLAG_CONNECTION","features":[23]},{"name":"SECPKG_FLAG_CREDENTIAL_ISOLATION_ENABLED","features":[23]},{"name":"SECPKG_FLAG_DATAGRAM","features":[23]},{"name":"SECPKG_FLAG_DELEGATION","features":[23]},{"name":"SECPKG_FLAG_EXTENDED_ERROR","features":[23]},{"name":"SECPKG_FLAG_FRAGMENT","features":[23]},{"name":"SECPKG_FLAG_GSS_COMPATIBLE","features":[23]},{"name":"SECPKG_FLAG_IMPERSONATION","features":[23]},{"name":"SECPKG_FLAG_INTEGRITY","features":[23]},{"name":"SECPKG_FLAG_LOGON","features":[23]},{"name":"SECPKG_FLAG_MULTI_REQUIRED","features":[23]},{"name":"SECPKG_FLAG_MUTUAL_AUTH","features":[23]},{"name":"SECPKG_FLAG_NEGOTIABLE","features":[23]},{"name":"SECPKG_FLAG_NEGOTIABLE2","features":[23]},{"name":"SECPKG_FLAG_NEGO_EXTENDER","features":[23]},{"name":"SECPKG_FLAG_PRIVACY","features":[23]},{"name":"SECPKG_FLAG_READONLY_WITH_CHECKSUM","features":[23]},{"name":"SECPKG_FLAG_RESTRICTED_TOKENS","features":[23]},{"name":"SECPKG_FLAG_STREAM","features":[23]},{"name":"SECPKG_FLAG_TOKEN_ONLY","features":[23]},{"name":"SECPKG_FUNCTION_TABLE","features":[1,23,118,37]},{"name":"SECPKG_GSS_INFO","features":[23]},{"name":"SECPKG_ID_NONE","features":[23]},{"name":"SECPKG_INTERFACE_VERSION","features":[23]},{"name":"SECPKG_INTERFACE_VERSION_10","features":[23]},{"name":"SECPKG_INTERFACE_VERSION_11","features":[23]},{"name":"SECPKG_INTERFACE_VERSION_2","features":[23]},{"name":"SECPKG_INTERFACE_VERSION_3","features":[23]},{"name":"SECPKG_INTERFACE_VERSION_4","features":[23]},{"name":"SECPKG_INTERFACE_VERSION_5","features":[23]},{"name":"SECPKG_INTERFACE_VERSION_6","features":[23]},{"name":"SECPKG_INTERFACE_VERSION_7","features":[23]},{"name":"SECPKG_INTERFACE_VERSION_8","features":[23]},{"name":"SECPKG_INTERFACE_VERSION_9","features":[23]},{"name":"SECPKG_KERNEL_FUNCTIONS","features":[1,23,7]},{"name":"SECPKG_KERNEL_FUNCTION_TABLE","features":[1,23,7]},{"name":"SECPKG_LSAMODEINIT_NAME","features":[23]},{"name":"SECPKG_MAX_OID_LENGTH","features":[23]},{"name":"SECPKG_MSVAV_FLAGS_VALID","features":[23]},{"name":"SECPKG_MSVAV_TIMESTAMP_VALID","features":[23]},{"name":"SECPKG_MUTUAL_AUTH_LEVEL","features":[23]},{"name":"SECPKG_NAME_TYPE","features":[23]},{"name":"SECPKG_NEGO2_INFO","features":[23]},{"name":"SECPKG_NEGOTIATION_COMPLETE","features":[23]},{"name":"SECPKG_NEGOTIATION_DIRECT","features":[23]},{"name":"SECPKG_NEGOTIATION_IN_PROGRESS","features":[23]},{"name":"SECPKG_NEGOTIATION_OPTIMISTIC","features":[23]},{"name":"SECPKG_NEGOTIATION_TRY_MULTICRED","features":[23]},{"name":"SECPKG_NTLM_TARGETINFO","features":[1,23]},{"name":"SECPKG_OPTIONS_PERMANENT","features":[23]},{"name":"SECPKG_OPTIONS_TYPE_LSA","features":[23]},{"name":"SECPKG_OPTIONS_TYPE_SSPI","features":[23]},{"name":"SECPKG_OPTIONS_TYPE_UNKNOWN","features":[23]},{"name":"SECPKG_PACKAGE_CHANGE_LOAD","features":[23]},{"name":"SECPKG_PACKAGE_CHANGE_SELECT","features":[23]},{"name":"SECPKG_PACKAGE_CHANGE_TYPE","features":[23]},{"name":"SECPKG_PACKAGE_CHANGE_UNLOAD","features":[23]},{"name":"SECPKG_PARAMETERS","features":[1,23]},{"name":"SECPKG_POST_LOGON_USER_INFO","features":[1,23]},{"name":"SECPKG_PRIMARY_CRED","features":[1,23]},{"name":"SECPKG_PRIMARY_CRED_EX","features":[1,23]},{"name":"SECPKG_PRIMARY_CRED_EX_FLAGS_EX_DELEGATION_TOKEN","features":[23]},{"name":"SECPKG_REDIRECTED_LOGON_BUFFER","features":[1,23]},{"name":"SECPKG_REDIRECTED_LOGON_GUID_INITIALIZER","features":[23]},{"name":"SECPKG_SERIALIZED_OID","features":[23]},{"name":"SECPKG_SESSIONINFO_TYPE","features":[23]},{"name":"SECPKG_SHORT_VECTOR","features":[23]},{"name":"SECPKG_STATE_CRED_ISOLATION_ENABLED","features":[23]},{"name":"SECPKG_STATE_DOMAIN_CONTROLLER","features":[23]},{"name":"SECPKG_STATE_ENCRYPTION_PERMITTED","features":[23]},{"name":"SECPKG_STATE_RESERVED_1","features":[23]},{"name":"SECPKG_STATE_STANDALONE","features":[23]},{"name":"SECPKG_STATE_STRONG_ENCRYPTION_PERMITTED","features":[23]},{"name":"SECPKG_STATE_WORKSTATION","features":[23]},{"name":"SECPKG_SUPPLEMENTAL_CRED","features":[23]},{"name":"SECPKG_SUPPLEMENTAL_CRED_ARRAY","features":[23]},{"name":"SECPKG_SUPPLIED_CREDENTIAL","features":[23]},{"name":"SECPKG_SURROGATE_LOGON","features":[1,23]},{"name":"SECPKG_SURROGATE_LOGON_ENTRY","features":[23]},{"name":"SECPKG_SURROGATE_LOGON_VERSION_1","features":[23]},{"name":"SECPKG_TARGETINFO","features":[1,23]},{"name":"SECPKG_UNICODE_ATTRIBUTE","features":[23]},{"name":"SECPKG_USERMODEINIT_NAME","features":[23]},{"name":"SECPKG_USER_FUNCTION_TABLE","features":[1,23]},{"name":"SECPKG_WOW_CLIENT_DLL","features":[23]},{"name":"SECQOP_WRAP_NO_ENCRYPT","features":[23]},{"name":"SECQOP_WRAP_OOB_DATA","features":[23]},{"name":"SECRET_QUERY_VALUE","features":[23]},{"name":"SECRET_SET_VALUE","features":[23]},{"name":"SECURITY_ENTRYPOINT","features":[23]},{"name":"SECURITY_ENTRYPOINT16","features":[23]},{"name":"SECURITY_ENTRYPOINT_ANSI","features":[23]},{"name":"SECURITY_ENTRYPOINT_ANSIA","features":[23]},{"name":"SECURITY_ENTRYPOINT_ANSIW","features":[23]},{"name":"SECURITY_LOGON_SESSION_DATA","features":[1,23]},{"name":"SECURITY_LOGON_TYPE","features":[23]},{"name":"SECURITY_NATIVE_DREP","features":[23]},{"name":"SECURITY_NETWORK_DREP","features":[23]},{"name":"SECURITY_PACKAGE_OPTIONS","features":[23]},{"name":"SECURITY_PACKAGE_OPTIONS_TYPE","features":[23]},{"name":"SECURITY_STRING","features":[23]},{"name":"SECURITY_SUPPORT_PROVIDER_INTERFACE_VERSION","features":[23]},{"name":"SECURITY_SUPPORT_PROVIDER_INTERFACE_VERSION_2","features":[23]},{"name":"SECURITY_SUPPORT_PROVIDER_INTERFACE_VERSION_3","features":[23]},{"name":"SECURITY_SUPPORT_PROVIDER_INTERFACE_VERSION_4","features":[23]},{"name":"SECURITY_SUPPORT_PROVIDER_INTERFACE_VERSION_5","features":[23]},{"name":"SECURITY_USER_DATA","features":[1,23]},{"name":"SEC_APPLICATION_PROTOCOLS","features":[23]},{"name":"SEC_APPLICATION_PROTOCOL_LIST","features":[23]},{"name":"SEC_APPLICATION_PROTOCOL_NEGOTIATION_EXT","features":[23]},{"name":"SEC_APPLICATION_PROTOCOL_NEGOTIATION_STATUS","features":[23]},{"name":"SEC_CERTIFICATE_REQUEST_CONTEXT","features":[23]},{"name":"SEC_CHANNEL_BINDINGS","features":[23]},{"name":"SEC_CHANNEL_BINDINGS_AUDIT_BINDINGS","features":[23]},{"name":"SEC_CHANNEL_BINDINGS_EX","features":[23]},{"name":"SEC_CHANNEL_BINDINGS_RESULT","features":[23]},{"name":"SEC_CHANNEL_BINDINGS_RESULT_ABSENT","features":[23]},{"name":"SEC_CHANNEL_BINDINGS_RESULT_CLIENT_SUPPORT","features":[23]},{"name":"SEC_CHANNEL_BINDINGS_RESULT_NOTVALID_MISMATCH","features":[23]},{"name":"SEC_CHANNEL_BINDINGS_RESULT_NOTVALID_MISSING","features":[23]},{"name":"SEC_CHANNEL_BINDINGS_RESULT_VALID_MATCHED","features":[23]},{"name":"SEC_CHANNEL_BINDINGS_RESULT_VALID_MISSING","features":[23]},{"name":"SEC_CHANNEL_BINDINGS_RESULT_VALID_PROXY","features":[23]},{"name":"SEC_CHANNEL_BINDINGS_VALID_FLAGS","features":[23]},{"name":"SEC_DTLS_MTU","features":[23]},{"name":"SEC_FLAGS","features":[23]},{"name":"SEC_GET_KEY_FN","features":[23]},{"name":"SEC_NEGOTIATION_INFO","features":[23]},{"name":"SEC_PRESHAREDKEY","features":[23]},{"name":"SEC_PRESHAREDKEY_IDENTITY","features":[23]},{"name":"SEC_SRTP_MASTER_KEY_IDENTIFIER","features":[23]},{"name":"SEC_SRTP_PROTECTION_PROFILES","features":[23]},{"name":"SEC_TOKEN_BINDING","features":[23]},{"name":"SEC_TRAFFIC_SECRETS","features":[23]},{"name":"SEC_TRAFFIC_SECRET_TYPE","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY32","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_ENCRYPT_FOR_SYSTEM","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_ENCRYPT_SAME_LOGON","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_ENCRYPT_SAME_PROCESS","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_EX2","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_EX32","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_EXA","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_EXW","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_ID_PROVIDER","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_NULL_DOMAIN","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_NULL_USER","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_PROCESS_ENCRYPTED","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_RESERVED","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_SSPIPFC_CREDPROV_DO_NOT_LOAD","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_SSPIPFC_CREDPROV_DO_NOT_SAVE","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_SSPIPFC_NO_CHECKBOX","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_SSPIPFC_SAVE_CRED_BY_CALLER","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_SSPIPFC_SAVE_CRED_CHECKED","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_SSPIPFC_USE_MASK","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_SYSTEM_ENCRYPTED","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_SYSTEM_PROTECTED","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_USER_PROTECTED","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_INFO","features":[23,19]},{"name":"SEC_WINNT_AUTH_IDENTITY_MARSHALLED","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_ONLY","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_VERSION","features":[23]},{"name":"SEC_WINNT_AUTH_IDENTITY_VERSION_2","features":[23]},{"name":"SEND_GENERIC_TLS_EXTENSION","features":[23]},{"name":"SESSION_TICKET_INFO_V0","features":[23]},{"name":"SESSION_TICKET_INFO_VERSION","features":[23]},{"name":"SET_CONTEXT_ATTRIBUTES_FN_A","features":[23,118]},{"name":"SET_CONTEXT_ATTRIBUTES_FN_W","features":[23,118]},{"name":"SET_CREDENTIALS_ATTRIBUTES_FN_A","features":[23,118]},{"name":"SET_CREDENTIALS_ATTRIBUTES_FN_W","features":[23,118]},{"name":"SE_ADT_ACCESS_REASON","features":[23]},{"name":"SE_ADT_CLAIMS","features":[23]},{"name":"SE_ADT_OBJECT_ONLY","features":[23]},{"name":"SE_ADT_OBJECT_TYPE","features":[23]},{"name":"SE_ADT_PARAMETERS_SELF_RELATIVE","features":[23]},{"name":"SE_ADT_PARAMETERS_SEND_TO_LSA","features":[23]},{"name":"SE_ADT_PARAMETER_ARRAY","features":[23]},{"name":"SE_ADT_PARAMETER_ARRAY_ENTRY","features":[23]},{"name":"SE_ADT_PARAMETER_ARRAY_EX","features":[23]},{"name":"SE_ADT_PARAMETER_EXTENSIBLE_AUDIT","features":[23]},{"name":"SE_ADT_PARAMETER_GENERIC_AUDIT","features":[23]},{"name":"SE_ADT_PARAMETER_TYPE","features":[23]},{"name":"SE_ADT_PARAMETER_WRITE_SYNCHRONOUS","features":[23]},{"name":"SE_ADT_POLICY_AUDIT_EVENT_TYPE_EX_BEGIN","features":[23]},{"name":"SE_BATCH_LOGON_NAME","features":[23]},{"name":"SE_DENY_BATCH_LOGON_NAME","features":[23]},{"name":"SE_DENY_INTERACTIVE_LOGON_NAME","features":[23]},{"name":"SE_DENY_NETWORK_LOGON_NAME","features":[23]},{"name":"SE_DENY_REMOTE_INTERACTIVE_LOGON_NAME","features":[23]},{"name":"SE_DENY_SERVICE_LOGON_NAME","features":[23]},{"name":"SE_INTERACTIVE_LOGON_NAME","features":[23]},{"name":"SE_MAX_AUDIT_PARAMETERS","features":[23]},{"name":"SE_MAX_GENERIC_AUDIT_PARAMETERS","features":[23]},{"name":"SE_NETWORK_LOGON_NAME","features":[23]},{"name":"SE_REMOTE_INTERACTIVE_LOGON_NAME","features":[23]},{"name":"SE_SERVICE_LOGON_NAME","features":[23]},{"name":"SLAcquireGenuineTicket","features":[23]},{"name":"SLActivateProduct","features":[23]},{"name":"SLClose","features":[23]},{"name":"SLConsumeRight","features":[23]},{"name":"SLDATATYPE","features":[23]},{"name":"SLDepositOfflineConfirmationId","features":[23]},{"name":"SLDepositOfflineConfirmationIdEx","features":[23]},{"name":"SLFireEvent","features":[23]},{"name":"SLGenerateOfflineInstallationId","features":[23]},{"name":"SLGenerateOfflineInstallationIdEx","features":[23]},{"name":"SLGetApplicationInformation","features":[23]},{"name":"SLGetGenuineInformation","features":[23]},{"name":"SLGetInstalledProductKeyIds","features":[23]},{"name":"SLGetLicense","features":[23]},{"name":"SLGetLicenseFileId","features":[23]},{"name":"SLGetLicenseInformation","features":[23]},{"name":"SLGetLicensingStatusInformation","features":[23]},{"name":"SLGetPKeyId","features":[23]},{"name":"SLGetPKeyInformation","features":[23]},{"name":"SLGetPolicyInformation","features":[23]},{"name":"SLGetPolicyInformationDWORD","features":[23]},{"name":"SLGetProductSkuInformation","features":[23]},{"name":"SLGetReferralInformation","features":[23]},{"name":"SLGetSLIDList","features":[23]},{"name":"SLGetServerStatus","features":[23]},{"name":"SLGetServiceInformation","features":[23]},{"name":"SLGetWindowsInformation","features":[23]},{"name":"SLGetWindowsInformationDWORD","features":[23]},{"name":"SLIDTYPE","features":[23]},{"name":"SLInstallLicense","features":[23]},{"name":"SLInstallProofOfPurchase","features":[23]},{"name":"SLIsGenuineLocal","features":[23]},{"name":"SLLICENSINGSTATUS","features":[23]},{"name":"SLOpen","features":[23]},{"name":"SLQueryLicenseValueFromApp","features":[23]},{"name":"SLREFERRALTYPE","features":[23]},{"name":"SLRegisterEvent","features":[1,23]},{"name":"SLSetCurrentProductKey","features":[23]},{"name":"SLSetGenuineInformation","features":[23]},{"name":"SLUninstallLicense","features":[23]},{"name":"SLUninstallProofOfPurchase","features":[23]},{"name":"SLUnregisterEvent","features":[1,23]},{"name":"SL_ACTIVATION_INFO_HEADER","features":[23]},{"name":"SL_ACTIVATION_TYPE","features":[23]},{"name":"SL_ACTIVATION_TYPE_ACTIVE_DIRECTORY","features":[23]},{"name":"SL_ACTIVATION_TYPE_DEFAULT","features":[23]},{"name":"SL_AD_ACTIVATION_INFO","features":[23]},{"name":"SL_CLIENTAPI_ZONE","features":[23]},{"name":"SL_DATA_BINARY","features":[23]},{"name":"SL_DATA_DWORD","features":[23]},{"name":"SL_DATA_MULTI_SZ","features":[23]},{"name":"SL_DATA_NONE","features":[23]},{"name":"SL_DATA_SUM","features":[23]},{"name":"SL_DATA_SZ","features":[23]},{"name":"SL_DEFAULT_MIGRATION_ENCRYPTOR_URI","features":[23]},{"name":"SL_EVENT_LICENSING_STATE_CHANGED","features":[23]},{"name":"SL_EVENT_POLICY_CHANGED","features":[23]},{"name":"SL_EVENT_USER_NOTIFICATION","features":[23]},{"name":"SL_E_ACTIVATION_IN_PROGRESS","features":[23]},{"name":"SL_E_APPLICATION_POLICIES_MISSING","features":[23]},{"name":"SL_E_APPLICATION_POLICIES_NOT_LOADED","features":[23]},{"name":"SL_E_AUTHN_CANT_VERIFY","features":[23]},{"name":"SL_E_AUTHN_CHALLENGE_NOT_SET","features":[23]},{"name":"SL_E_AUTHN_MISMATCHED_KEY","features":[23]},{"name":"SL_E_AUTHN_WRONG_VERSION","features":[23]},{"name":"SL_E_BASE_SKU_NOT_AVAILABLE","features":[23]},{"name":"SL_E_BIOS_KEY","features":[23]},{"name":"SL_E_BLOCKED_PRODUCT_KEY","features":[23]},{"name":"SL_E_CHPA_ACTCONFIG_ID_NOT_FOUND","features":[23]},{"name":"SL_E_CHPA_BINDING_MAPPING_NOT_FOUND","features":[23]},{"name":"SL_E_CHPA_BINDING_NOT_FOUND","features":[23]},{"name":"SL_E_CHPA_BUSINESS_RULE_INPUT_NOT_FOUND","features":[23]},{"name":"SL_E_CHPA_DATABASE_ERROR","features":[23]},{"name":"SL_E_CHPA_DIGITALMARKER_BINDING_NOT_CONFIGURED","features":[23]},{"name":"SL_E_CHPA_DIGITALMARKER_INVALID_BINDING","features":[23]},{"name":"SL_E_CHPA_DMAK_EXTENSION_LIMIT_EXCEEDED","features":[23]},{"name":"SL_E_CHPA_DMAK_LIMIT_EXCEEDED","features":[23]},{"name":"SL_E_CHPA_DYNAMICALLY_BLOCKED_PRODUCT_KEY","features":[23]},{"name":"SL_E_CHPA_FAILED_TO_DELETE_PRODUCTKEY_BINDING","features":[23]},{"name":"SL_E_CHPA_FAILED_TO_DELETE_PRODUCT_KEY_PROPERTY","features":[23]},{"name":"SL_E_CHPA_FAILED_TO_INSERT_PRODUCTKEY_BINDING","features":[23]},{"name":"SL_E_CHPA_FAILED_TO_INSERT_PRODUCT_KEY_PROPERTY","features":[23]},{"name":"SL_E_CHPA_FAILED_TO_INSERT_PRODUCT_KEY_RECORD","features":[23]},{"name":"SL_E_CHPA_FAILED_TO_PROCESS_PRODUCT_KEY_BINDINGS_XML","features":[23]},{"name":"SL_E_CHPA_FAILED_TO_UPDATE_PRODUCTKEY_BINDING","features":[23]},{"name":"SL_E_CHPA_FAILED_TO_UPDATE_PRODUCT_KEY_PROPERTY","features":[23]},{"name":"SL_E_CHPA_FAILED_TO_UPDATE_PRODUCT_KEY_RECORD","features":[23]},{"name":"SL_E_CHPA_GENERAL_ERROR","features":[23]},{"name":"SL_E_CHPA_INVALID_ACTCONFIG_ID","features":[23]},{"name":"SL_E_CHPA_INVALID_ARGUMENT","features":[23]},{"name":"SL_E_CHPA_INVALID_BINDING","features":[23]},{"name":"SL_E_CHPA_INVALID_BINDING_URI","features":[23]},{"name":"SL_E_CHPA_INVALID_PRODUCT_DATA","features":[23]},{"name":"SL_E_CHPA_INVALID_PRODUCT_DATA_ID","features":[23]},{"name":"SL_E_CHPA_INVALID_PRODUCT_KEY","features":[23]},{"name":"SL_E_CHPA_INVALID_PRODUCT_KEY_CHAR","features":[23]},{"name":"SL_E_CHPA_INVALID_PRODUCT_KEY_FORMAT","features":[23]},{"name":"SL_E_CHPA_INVALID_PRODUCT_KEY_LENGTH","features":[23]},{"name":"SL_E_CHPA_MAXIMUM_UNLOCK_EXCEEDED","features":[23]},{"name":"SL_E_CHPA_MSCH_RESPONSE_NOT_AVAILABLE_VGA","features":[23]},{"name":"SL_E_CHPA_NETWORK_ERROR","features":[23]},{"name":"SL_E_CHPA_NO_RULES_TO_ACTIVATE","features":[23]},{"name":"SL_E_CHPA_NULL_VALUE_FOR_PROPERTY_NAME_OR_ID","features":[23]},{"name":"SL_E_CHPA_OEM_SLP_COA0","features":[23]},{"name":"SL_E_CHPA_OVERRIDE_REQUEST_NOT_FOUND","features":[23]},{"name":"SL_E_CHPA_PRODUCT_KEY_BEING_USED","features":[23]},{"name":"SL_E_CHPA_PRODUCT_KEY_BLOCKED","features":[23]},{"name":"SL_E_CHPA_PRODUCT_KEY_BLOCKED_IPLOCATION","features":[23]},{"name":"SL_E_CHPA_PRODUCT_KEY_OUT_OF_RANGE","features":[23]},{"name":"SL_E_CHPA_REISSUANCE_LIMIT_NOT_FOUND","features":[23]},{"name":"SL_E_CHPA_RESPONSE_NOT_AVAILABLE","features":[23]},{"name":"SL_E_CHPA_SYSTEM_ERROR","features":[23]},{"name":"SL_E_CHPA_TIMEBASED_ACTIVATION_AFTER_END_DATE","features":[23]},{"name":"SL_E_CHPA_TIMEBASED_ACTIVATION_BEFORE_START_DATE","features":[23]},{"name":"SL_E_CHPA_TIMEBASED_ACTIVATION_NOT_AVAILABLE","features":[23]},{"name":"SL_E_CHPA_TIMEBASED_PRODUCT_KEY_NOT_CONFIGURED","features":[23]},{"name":"SL_E_CHPA_UNKNOWN_PRODUCT_KEY_TYPE","features":[23]},{"name":"SL_E_CHPA_UNKNOWN_PROPERTY_ID","features":[23]},{"name":"SL_E_CHPA_UNKNOWN_PROPERTY_NAME","features":[23]},{"name":"SL_E_CHPA_UNSUPPORTED_PRODUCT_KEY","features":[23]},{"name":"SL_E_CIDIID_INVALID_CHECK_DIGITS","features":[23]},{"name":"SL_E_CIDIID_INVALID_DATA","features":[23]},{"name":"SL_E_CIDIID_INVALID_DATA_LENGTH","features":[23]},{"name":"SL_E_CIDIID_INVALID_VERSION","features":[23]},{"name":"SL_E_CIDIID_MISMATCHED","features":[23]},{"name":"SL_E_CIDIID_MISMATCHED_PKEY","features":[23]},{"name":"SL_E_CIDIID_NOT_BOUND","features":[23]},{"name":"SL_E_CIDIID_NOT_DEPOSITED","features":[23]},{"name":"SL_E_CIDIID_VERSION_NOT_SUPPORTED","features":[23]},{"name":"SL_E_DATATYPE_MISMATCHED","features":[23]},{"name":"SL_E_DECRYPTION_LICENSES_NOT_AVAILABLE","features":[23]},{"name":"SL_E_DEPENDENT_PROPERTY_NOT_SET","features":[23]},{"name":"SL_E_DOWNLEVEL_SETUP_KEY","features":[23]},{"name":"SL_E_DUPLICATE_POLICY","features":[23]},{"name":"SL_E_EDITION_MISMATCHED","features":[23]},{"name":"SL_E_ENGINE_DETECTED_EXPLOIT","features":[23]},{"name":"SL_E_EUL_CONSUMPTION_FAILED","features":[23]},{"name":"SL_E_EUL_NOT_AVAILABLE","features":[23]},{"name":"SL_E_EVALUATION_FAILED","features":[23]},{"name":"SL_E_EVENT_ALREADY_REGISTERED","features":[23]},{"name":"SL_E_EVENT_NOT_REGISTERED","features":[23]},{"name":"SL_E_EXTERNAL_SIGNATURE_NOT_FOUND","features":[23]},{"name":"SL_E_GRACE_TIME_EXPIRED","features":[23]},{"name":"SL_E_HEALTH_CHECK_FAILED_MUI_FILES","features":[23]},{"name":"SL_E_HEALTH_CHECK_FAILED_NEUTRAL_FILES","features":[23]},{"name":"SL_E_HWID_CHANGED","features":[23]},{"name":"SL_E_HWID_ERROR","features":[23]},{"name":"SL_E_IA_ID_MISMATCH","features":[23]},{"name":"SL_E_IA_INVALID_VIRTUALIZATION_PLATFORM","features":[23]},{"name":"SL_E_IA_MACHINE_NOT_BOUND","features":[23]},{"name":"SL_E_IA_PARENT_PARTITION_NOT_ACTIVATED","features":[23]},{"name":"SL_E_IA_THROTTLE_LIMIT_EXCEEDED","features":[23]},{"name":"SL_E_INTERNAL_ERROR","features":[23]},{"name":"SL_E_INVALID_AD_DATA","features":[23]},{"name":"SL_E_INVALID_BINDING_BLOB","features":[23]},{"name":"SL_E_INVALID_CLIENT_TOKEN","features":[23]},{"name":"SL_E_INVALID_CONTEXT","features":[23]},{"name":"SL_E_INVALID_CONTEXT_DATA","features":[23]},{"name":"SL_E_INVALID_EVENT_ID","features":[23]},{"name":"SL_E_INVALID_FILE_HASH","features":[23]},{"name":"SL_E_INVALID_GUID","features":[23]},{"name":"SL_E_INVALID_HASH","features":[23]},{"name":"SL_E_INVALID_LICENSE","features":[23]},{"name":"SL_E_INVALID_LICENSE_STATE","features":[23]},{"name":"SL_E_INVALID_LICENSE_STATE_BREACH_GRACE","features":[23]},{"name":"SL_E_INVALID_LICENSE_STATE_BREACH_GRACE_EXPIRED","features":[23]},{"name":"SL_E_INVALID_OEM_OR_VOLUME_BINDING_DATA","features":[23]},{"name":"SL_E_INVALID_OFFLINE_BLOB","features":[23]},{"name":"SL_E_INVALID_OSVERSION_TEMPLATEID","features":[23]},{"name":"SL_E_INVALID_OS_FOR_PRODUCT_KEY","features":[23]},{"name":"SL_E_INVALID_PACKAGE","features":[23]},{"name":"SL_E_INVALID_PACKAGE_VERSION","features":[23]},{"name":"SL_E_INVALID_PKEY","features":[23]},{"name":"SL_E_INVALID_PRODUCT_KEY","features":[23]},{"name":"SL_E_INVALID_PRODUCT_KEY_TYPE","features":[23]},{"name":"SL_E_INVALID_RSDP_COUNT","features":[23]},{"name":"SL_E_INVALID_RULESET_RULE","features":[23]},{"name":"SL_E_INVALID_RUNNING_MODE","features":[23]},{"name":"SL_E_INVALID_TEMPLATE_ID","features":[23]},{"name":"SL_E_INVALID_TOKEN_DATA","features":[23]},{"name":"SL_E_INVALID_USE_OF_ADD_ON_PKEY","features":[23]},{"name":"SL_E_INVALID_XML_BLOB","features":[23]},{"name":"SL_E_IP_LOCATION_FALIED","features":[23]},{"name":"SL_E_ISSUANCE_LICENSE_NOT_INSTALLED","features":[23]},{"name":"SL_E_LICENSE_AUTHORIZATION_FAILED","features":[23]},{"name":"SL_E_LICENSE_DECRYPTION_FAILED","features":[23]},{"name":"SL_E_LICENSE_FILE_NOT_INSTALLED","features":[23]},{"name":"SL_E_LICENSE_INVALID_ADDON_INFO","features":[23]},{"name":"SL_E_LICENSE_MANAGEMENT_DATA_DUPLICATED","features":[23]},{"name":"SL_E_LICENSE_MANAGEMENT_DATA_NOT_FOUND","features":[23]},{"name":"SL_E_LICENSE_NOT_BOUND","features":[23]},{"name":"SL_E_LICENSE_SERVER_URL_NOT_FOUND","features":[23]},{"name":"SL_E_LICENSE_SIGNATURE_VERIFICATION_FAILED","features":[23]},{"name":"SL_E_LUA_ACCESSDENIED","features":[23]},{"name":"SL_E_MISMATCHED_APPID","features":[23]},{"name":"SL_E_MISMATCHED_KEY_TYPES","features":[23]},{"name":"SL_E_MISMATCHED_PID","features":[23]},{"name":"SL_E_MISMATCHED_PKEY_RANGE","features":[23]},{"name":"SL_E_MISMATCHED_PRODUCT_SKU","features":[23]},{"name":"SL_E_MISMATCHED_SECURITY_PROCESSOR","features":[23]},{"name":"SL_E_MISSING_OVERRIDE_ONLY_ATTRIBUTE","features":[23]},{"name":"SL_E_NONGENUINE_GRACE_TIME_EXPIRED","features":[23]},{"name":"SL_E_NONGENUINE_GRACE_TIME_EXPIRED_2","features":[23]},{"name":"SL_E_NON_GENUINE_STATUS_LAST","features":[23]},{"name":"SL_E_NOTIFICATION_BREACH_DETECTED","features":[23]},{"name":"SL_E_NOTIFICATION_GRACE_EXPIRED","features":[23]},{"name":"SL_E_NOTIFICATION_OTHER_REASONS","features":[23]},{"name":"SL_E_NOT_ACTIVATED","features":[23]},{"name":"SL_E_NOT_EVALUATED","features":[23]},{"name":"SL_E_NOT_GENUINE","features":[23]},{"name":"SL_E_NOT_SUPPORTED","features":[23]},{"name":"SL_E_NO_PID_CONFIG_DATA","features":[23]},{"name":"SL_E_NO_PRODUCT_KEY_FOUND","features":[23]},{"name":"SL_E_OEM_KEY_EDITION_MISMATCH","features":[23]},{"name":"SL_E_OFFLINE_GENUINE_BLOB_NOT_FOUND","features":[23]},{"name":"SL_E_OFFLINE_GENUINE_BLOB_REVOKED","features":[23]},{"name":"SL_E_OFFLINE_VALIDATION_BLOB_PARAM_NOT_FOUND","features":[23]},{"name":"SL_E_OPERATION_NOT_ALLOWED","features":[23]},{"name":"SL_E_OUT_OF_TOLERANCE","features":[23]},{"name":"SL_E_PKEY_INTERNAL_ERROR","features":[23]},{"name":"SL_E_PKEY_INVALID_ALGORITHM","features":[23]},{"name":"SL_E_PKEY_INVALID_CONFIG","features":[23]},{"name":"SL_E_PKEY_INVALID_KEYCHANGE1","features":[23]},{"name":"SL_E_PKEY_INVALID_KEYCHANGE2","features":[23]},{"name":"SL_E_PKEY_INVALID_KEYCHANGE3","features":[23]},{"name":"SL_E_PKEY_INVALID_UNIQUEID","features":[23]},{"name":"SL_E_PKEY_INVALID_UPGRADE","features":[23]},{"name":"SL_E_PKEY_NOT_INSTALLED","features":[23]},{"name":"SL_E_PLUGIN_INVALID_MANIFEST","features":[23]},{"name":"SL_E_PLUGIN_NOT_REGISTERED","features":[23]},{"name":"SL_E_POLICY_CACHE_INVALID","features":[23]},{"name":"SL_E_POLICY_OTHERINFO_MISMATCH","features":[23]},{"name":"SL_E_PRODUCT_KEY_INSTALLATION_NOT_ALLOWED","features":[23]},{"name":"SL_E_PRODUCT_SKU_NOT_INSTALLED","features":[23]},{"name":"SL_E_PRODUCT_UNIQUENESS_GROUP_ID_INVALID","features":[23]},{"name":"SL_E_PROXY_KEY_NOT_FOUND","features":[23]},{"name":"SL_E_PROXY_POLICY_NOT_UPDATED","features":[23]},{"name":"SL_E_PUBLISHING_LICENSE_NOT_INSTALLED","features":[23]},{"name":"SL_E_RAC_NOT_AVAILABLE","features":[23]},{"name":"SL_E_RIGHT_NOT_CONSUMED","features":[23]},{"name":"SL_E_RIGHT_NOT_GRANTED","features":[23]},{"name":"SL_E_SECURE_STORE_ID_MISMATCH","features":[23]},{"name":"SL_E_SERVICE_RUNNING","features":[23]},{"name":"SL_E_SERVICE_STOPPING","features":[23]},{"name":"SL_E_SFS_BAD_TOKEN_EXT","features":[23]},{"name":"SL_E_SFS_BAD_TOKEN_NAME","features":[23]},{"name":"SL_E_SFS_DUPLICATE_TOKEN_NAME","features":[23]},{"name":"SL_E_SFS_FILE_READ_ERROR","features":[23]},{"name":"SL_E_SFS_FILE_WRITE_ERROR","features":[23]},{"name":"SL_E_SFS_INVALID_FD_TABLE","features":[23]},{"name":"SL_E_SFS_INVALID_FILE_POSITION","features":[23]},{"name":"SL_E_SFS_INVALID_FS_HEADER","features":[23]},{"name":"SL_E_SFS_INVALID_FS_VERSION","features":[23]},{"name":"SL_E_SFS_INVALID_SYNC","features":[23]},{"name":"SL_E_SFS_INVALID_TOKEN_DATA_HASH","features":[23]},{"name":"SL_E_SFS_INVALID_TOKEN_DESCRIPTOR","features":[23]},{"name":"SL_E_SFS_NO_ACTIVE_TRANSACTION","features":[23]},{"name":"SL_E_SFS_TOKEN_SIZE_MISMATCH","features":[23]},{"name":"SL_E_SLP_BAD_FORMAT","features":[23]},{"name":"SL_E_SLP_INVALID_MARKER_VERSION","features":[23]},{"name":"SL_E_SLP_MISSING_ACPI_SLIC","features":[23]},{"name":"SL_E_SLP_MISSING_SLP_MARKER","features":[23]},{"name":"SL_E_SLP_NOT_SIGNED","features":[23]},{"name":"SL_E_SLP_OEM_CERT_MISSING","features":[23]},{"name":"SL_E_SOFTMOD_EXPLOIT_DETECTED","features":[23]},{"name":"SL_E_SPC_NOT_AVAILABLE","features":[23]},{"name":"SL_E_SRV_AUTHORIZATION_FAILED","features":[23]},{"name":"SL_E_SRV_BUSINESS_TOKEN_ENTRY_NOT_FOUND","features":[23]},{"name":"SL_E_SRV_CLIENT_CLOCK_OUT_OF_SYNC","features":[23]},{"name":"SL_E_SRV_GENERAL_ERROR","features":[23]},{"name":"SL_E_SRV_INVALID_BINDING","features":[23]},{"name":"SL_E_SRV_INVALID_LICENSE_STRUCTURE","features":[23]},{"name":"SL_E_SRV_INVALID_PAYLOAD","features":[23]},{"name":"SL_E_SRV_INVALID_PRODUCT_KEY_LICENSE","features":[23]},{"name":"SL_E_SRV_INVALID_PUBLISH_LICENSE","features":[23]},{"name":"SL_E_SRV_INVALID_RIGHTS_ACCOUNT_LICENSE","features":[23]},{"name":"SL_E_SRV_INVALID_SECURITY_PROCESSOR_LICENSE","features":[23]},{"name":"SL_E_SRV_SERVER_PONG","features":[23]},{"name":"SL_E_STORE_UPGRADE_TOKEN_NOT_AUTHORIZED","features":[23]},{"name":"SL_E_STORE_UPGRADE_TOKEN_NOT_PRS_SIGNED","features":[23]},{"name":"SL_E_STORE_UPGRADE_TOKEN_REQUIRED","features":[23]},{"name":"SL_E_STORE_UPGRADE_TOKEN_WRONG_EDITION","features":[23]},{"name":"SL_E_STORE_UPGRADE_TOKEN_WRONG_PID","features":[23]},{"name":"SL_E_STORE_UPGRADE_TOKEN_WRONG_VERSION","features":[23]},{"name":"SL_E_TAMPER_DETECTED","features":[23]},{"name":"SL_E_TAMPER_RECOVERY_REQUIRES_ACTIVATION","features":[23]},{"name":"SL_E_TKA_CERT_CNG_NOT_AVAILABLE","features":[23]},{"name":"SL_E_TKA_CERT_NOT_FOUND","features":[23]},{"name":"SL_E_TKA_CHALLENGE_EXPIRED","features":[23]},{"name":"SL_E_TKA_CHALLENGE_MISMATCH","features":[23]},{"name":"SL_E_TKA_CRITERIA_MISMATCH","features":[23]},{"name":"SL_E_TKA_FAILED_GRANT_PARSING","features":[23]},{"name":"SL_E_TKA_GRANT_NOT_FOUND","features":[23]},{"name":"SL_E_TKA_INVALID_BLOB","features":[23]},{"name":"SL_E_TKA_INVALID_CERTIFICATE","features":[23]},{"name":"SL_E_TKA_INVALID_CERT_CHAIN","features":[23]},{"name":"SL_E_TKA_INVALID_SKU_ID","features":[23]},{"name":"SL_E_TKA_INVALID_SMARTCARD","features":[23]},{"name":"SL_E_TKA_INVALID_THUMBPRINT","features":[23]},{"name":"SL_E_TKA_SILENT_ACTIVATION_FAILURE","features":[23]},{"name":"SL_E_TKA_SOFT_CERT_DISALLOWED","features":[23]},{"name":"SL_E_TKA_SOFT_CERT_INVALID","features":[23]},{"name":"SL_E_TKA_TAMPERED_CERT_CHAIN","features":[23]},{"name":"SL_E_TKA_THUMBPRINT_CERT_NOT_FOUND","features":[23]},{"name":"SL_E_TKA_TPID_MISMATCH","features":[23]},{"name":"SL_E_TOKEN_STORE_INVALID_STATE","features":[23]},{"name":"SL_E_TOKSTO_ALREADY_INITIALIZED","features":[23]},{"name":"SL_E_TOKSTO_CANT_ACQUIRE_MUTEX","features":[23]},{"name":"SL_E_TOKSTO_CANT_CREATE_FILE","features":[23]},{"name":"SL_E_TOKSTO_CANT_CREATE_MUTEX","features":[23]},{"name":"SL_E_TOKSTO_CANT_PARSE_PROPERTIES","features":[23]},{"name":"SL_E_TOKSTO_CANT_READ_FILE","features":[23]},{"name":"SL_E_TOKSTO_CANT_WRITE_TO_FILE","features":[23]},{"name":"SL_E_TOKSTO_INVALID_FILE","features":[23]},{"name":"SL_E_TOKSTO_NOT_INITIALIZED","features":[23]},{"name":"SL_E_TOKSTO_NO_ID_SET","features":[23]},{"name":"SL_E_TOKSTO_NO_PROPERTIES","features":[23]},{"name":"SL_E_TOKSTO_NO_TOKEN_DATA","features":[23]},{"name":"SL_E_TOKSTO_PROPERTY_NOT_FOUND","features":[23]},{"name":"SL_E_TOKSTO_TOKEN_NOT_FOUND","features":[23]},{"name":"SL_E_USE_LICENSE_NOT_INSTALLED","features":[23]},{"name":"SL_E_VALIDATION_BLOB_PARAM_NOT_FOUND","features":[23]},{"name":"SL_E_VALIDATION_BLOCKED_PRODUCT_KEY","features":[23]},{"name":"SL_E_VALIDATION_INVALID_PRODUCT_KEY","features":[23]},{"name":"SL_E_VALIDITY_PERIOD_EXPIRED","features":[23]},{"name":"SL_E_VALIDITY_TIME_EXPIRED","features":[23]},{"name":"SL_E_VALUE_NOT_FOUND","features":[23]},{"name":"SL_E_VL_AD_AO_NAME_TOO_LONG","features":[23]},{"name":"SL_E_VL_AD_AO_NOT_FOUND","features":[23]},{"name":"SL_E_VL_AD_SCHEMA_VERSION_NOT_SUPPORTED","features":[23]},{"name":"SL_E_VL_BINDING_SERVICE_NOT_ENABLED","features":[23]},{"name":"SL_E_VL_BINDING_SERVICE_UNAVAILABLE","features":[23]},{"name":"SL_E_VL_INFO_PRODUCT_USER_RIGHT","features":[23]},{"name":"SL_E_VL_INVALID_TIMESTAMP","features":[23]},{"name":"SL_E_VL_KEY_MANAGEMENT_SERVICE_ID_MISMATCH","features":[23]},{"name":"SL_E_VL_KEY_MANAGEMENT_SERVICE_NOT_ACTIVATED","features":[23]},{"name":"SL_E_VL_KEY_MANAGEMENT_SERVICE_VM_NOT_SUPPORTED","features":[23]},{"name":"SL_E_VL_MACHINE_NOT_BOUND","features":[23]},{"name":"SL_E_VL_NOT_ENOUGH_COUNT","features":[23]},{"name":"SL_E_VL_NOT_WINDOWS_SLP","features":[23]},{"name":"SL_E_WINDOWS_INVALID_LICENSE_STATE","features":[23]},{"name":"SL_E_WINDOWS_VERSION_MISMATCH","features":[23]},{"name":"SL_GENUINE_STATE","features":[23]},{"name":"SL_GEN_STATE_INVALID_LICENSE","features":[23]},{"name":"SL_GEN_STATE_IS_GENUINE","features":[23]},{"name":"SL_GEN_STATE_LAST","features":[23]},{"name":"SL_GEN_STATE_OFFLINE","features":[23]},{"name":"SL_GEN_STATE_TAMPERED","features":[23]},{"name":"SL_ID_ALL_LICENSES","features":[23]},{"name":"SL_ID_ALL_LICENSE_FILES","features":[23]},{"name":"SL_ID_APPLICATION","features":[23]},{"name":"SL_ID_LAST","features":[23]},{"name":"SL_ID_LICENSE","features":[23]},{"name":"SL_ID_LICENSE_FILE","features":[23]},{"name":"SL_ID_PKEY","features":[23]},{"name":"SL_ID_PRODUCT_SKU","features":[23]},{"name":"SL_ID_STORE_TOKEN","features":[23]},{"name":"SL_INFO_KEY_ACTIVE_PLUGINS","features":[23]},{"name":"SL_INFO_KEY_AUTHOR","features":[23]},{"name":"SL_INFO_KEY_BIOS_OA2_MINOR_VERSION","features":[23]},{"name":"SL_INFO_KEY_BIOS_PKEY","features":[23]},{"name":"SL_INFO_KEY_BIOS_PKEY_DESCRIPTION","features":[23]},{"name":"SL_INFO_KEY_BIOS_PKEY_PKPN","features":[23]},{"name":"SL_INFO_KEY_BIOS_SLIC_STATE","features":[23]},{"name":"SL_INFO_KEY_CHANNEL","features":[23]},{"name":"SL_INFO_KEY_DESCRIPTION","features":[23]},{"name":"SL_INFO_KEY_DIGITAL_PID","features":[23]},{"name":"SL_INFO_KEY_DIGITAL_PID2","features":[23]},{"name":"SL_INFO_KEY_IS_KMS","features":[23]},{"name":"SL_INFO_KEY_IS_PRS","features":[23]},{"name":"SL_INFO_KEY_KMS_CURRENT_COUNT","features":[23]},{"name":"SL_INFO_KEY_KMS_FAILED_REQUESTS","features":[23]},{"name":"SL_INFO_KEY_KMS_LICENSED_REQUESTS","features":[23]},{"name":"SL_INFO_KEY_KMS_NON_GENUINE_GRACE_REQUESTS","features":[23]},{"name":"SL_INFO_KEY_KMS_NOTIFICATION_REQUESTS","features":[23]},{"name":"SL_INFO_KEY_KMS_OOB_GRACE_REQUESTS","features":[23]},{"name":"SL_INFO_KEY_KMS_OOT_GRACE_REQUESTS","features":[23]},{"name":"SL_INFO_KEY_KMS_REQUIRED_CLIENT_COUNT","features":[23]},{"name":"SL_INFO_KEY_KMS_TOTAL_REQUESTS","features":[23]},{"name":"SL_INFO_KEY_KMS_UNLICENSED_REQUESTS","features":[23]},{"name":"SL_INFO_KEY_LICENSE_TYPE","features":[23]},{"name":"SL_INFO_KEY_LICENSOR_URL","features":[23]},{"name":"SL_INFO_KEY_NAME","features":[23]},{"name":"SL_INFO_KEY_PARTIAL_PRODUCT_KEY","features":[23]},{"name":"SL_INFO_KEY_PRODUCT_KEY_ACTIVATION_URL","features":[23]},{"name":"SL_INFO_KEY_PRODUCT_SKU_ID","features":[23]},{"name":"SL_INFO_KEY_RIGHT_ACCOUNT_ACTIVATION_URL","features":[23]},{"name":"SL_INFO_KEY_SECURE_PROCESSOR_ACTIVATION_URL","features":[23]},{"name":"SL_INFO_KEY_SECURE_STORE_ID","features":[23]},{"name":"SL_INFO_KEY_SYSTEM_STATE","features":[23]},{"name":"SL_INFO_KEY_USE_LICENSE_ACTIVATION_URL","features":[23]},{"name":"SL_INFO_KEY_VERSION","features":[23]},{"name":"SL_INTERNAL_ZONE","features":[23]},{"name":"SL_I_NONGENUINE_GRACE_PERIOD","features":[23]},{"name":"SL_I_NONGENUINE_GRACE_PERIOD_2","features":[23]},{"name":"SL_I_OOB_GRACE_PERIOD","features":[23]},{"name":"SL_I_OOT_GRACE_PERIOD","features":[23]},{"name":"SL_I_PERPETUAL_OOB_GRACE_PERIOD","features":[23]},{"name":"SL_I_STORE_BASED_ACTIVATION","features":[23]},{"name":"SL_I_TIMEBASED_EXTENDED_GRACE_PERIOD","features":[23]},{"name":"SL_I_TIMEBASED_VALIDITY_PERIOD","features":[23]},{"name":"SL_LICENSING_STATUS","features":[23]},{"name":"SL_LICENSING_STATUS_IN_GRACE_PERIOD","features":[23]},{"name":"SL_LICENSING_STATUS_LAST","features":[23]},{"name":"SL_LICENSING_STATUS_LICENSED","features":[23]},{"name":"SL_LICENSING_STATUS_NOTIFICATION","features":[23]},{"name":"SL_LICENSING_STATUS_UNLICENSED","features":[23]},{"name":"SL_MDOLLAR_ZONE","features":[23]},{"name":"SL_MSCH_ZONE","features":[23]},{"name":"SL_NONGENUINE_UI_OPTIONS","features":[23]},{"name":"SL_PKEY_DETECT","features":[23]},{"name":"SL_PKEY_MS2005","features":[23]},{"name":"SL_PKEY_MS2009","features":[23]},{"name":"SL_POLICY_EVALUATION_MODE_ENABLED","features":[23]},{"name":"SL_PROP_ACTIVATION_VALIDATION_IN_PROGRESS","features":[23]},{"name":"SL_PROP_BRT_COMMIT","features":[23]},{"name":"SL_PROP_BRT_DATA","features":[23]},{"name":"SL_PROP_GENUINE_RESULT","features":[23]},{"name":"SL_PROP_GET_GENUINE_AUTHZ","features":[23]},{"name":"SL_PROP_GET_GENUINE_SERVER_AUTHZ","features":[23]},{"name":"SL_PROP_LAST_ACT_ATTEMPT_HRESULT","features":[23]},{"name":"SL_PROP_LAST_ACT_ATTEMPT_SERVER_FLAGS","features":[23]},{"name":"SL_PROP_LAST_ACT_ATTEMPT_TIME","features":[23]},{"name":"SL_PROP_NONGENUINE_GRACE_FLAG","features":[23]},{"name":"SL_REARM_REBOOT_REQUIRED","features":[23]},{"name":"SL_REFERRALTYPE_APPID","features":[23]},{"name":"SL_REFERRALTYPE_BEST_MATCH","features":[23]},{"name":"SL_REFERRALTYPE_OVERRIDE_APPID","features":[23]},{"name":"SL_REFERRALTYPE_OVERRIDE_SKUID","features":[23]},{"name":"SL_REFERRALTYPE_SKUID","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_CIDIID_INVALID_CHECK_DIGITS","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_CIDIID_INVALID_DATA","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_CIDIID_INVALID_DATA_LENGTH","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_CIDIID_INVALID_VERSION","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_DIGITALMARKER_BINDING_NOT_CONFIGURED","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_DIGITALMARKER_INVALID_BINDING","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_DMAK_EXTENSION_LIMIT_EXCEEDED","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_DMAK_LIMIT_EXCEEDED","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_DMAK_OVERRIDE_LIMIT_REACHED","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_FREE_OFFER_EXPIRED","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_INVALID_ACTCONFIG_ID","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_INVALID_ARGUMENT","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_INVALID_BINDING","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_INVALID_BINDING_URI","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_INVALID_PRODUCT_DATA","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_INVALID_PRODUCT_DATA_ID","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_INVALID_PRODUCT_KEY","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_INVALID_PRODUCT_KEY_FORMAT","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_INVALID_PRODUCT_KEY_LENGTH","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_MAXIMUM_UNLOCK_EXCEEDED","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_NO_RULES_TO_ACTIVATE","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_OEM_SLP_COA0","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_OSR_DEVICE_BLOCKED","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_OSR_DEVICE_THROTTLED","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_OSR_DONOR_HWID_NO_ENTITLEMENT","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_OSR_GENERIC_ERROR","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_OSR_GP_DISABLED","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_OSR_HARDWARE_BLOCKED","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_OSR_LICENSE_BLOCKED","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_OSR_LICENSE_THROTTLED","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_OSR_NOT_ADMIN","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_OSR_NO_ASSOCIATION","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_OSR_USER_BLOCKED","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_OSR_USER_THROTTLED","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_PRODUCT_KEY_BLOCKED","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_PRODUCT_KEY_BLOCKED_IPLOCATION","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_PRODUCT_KEY_OUT_OF_RANGE","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_ROT_OVERRIDE_LIMIT_REACHED","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_TIMEBASED_ACTIVATION_AFTER_END_DATE","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_TIMEBASED_ACTIVATION_BEFORE_START_DATE","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_TIMEBASED_ACTIVATION_NOT_AVAILABLE","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_TIMEBASED_PRODUCT_KEY_NOT_CONFIGURED","features":[23]},{"name":"SL_REMAPPING_MDOLLAR_UNSUPPORTED_PRODUCT_KEY","features":[23]},{"name":"SL_REMAPPING_SP_PUB_API_BAD_GET_INFO_QUERY","features":[23]},{"name":"SL_REMAPPING_SP_PUB_API_HANDLE_NOT_COMMITED","features":[23]},{"name":"SL_REMAPPING_SP_PUB_API_INVALID_ALGORITHM_TYPE","features":[23]},{"name":"SL_REMAPPING_SP_PUB_API_INVALID_HANDLE","features":[23]},{"name":"SL_REMAPPING_SP_PUB_API_INVALID_KEY_LENGTH","features":[23]},{"name":"SL_REMAPPING_SP_PUB_API_INVALID_LICENSE","features":[23]},{"name":"SL_REMAPPING_SP_PUB_API_NO_AES_PROVIDER","features":[23]},{"name":"SL_REMAPPING_SP_PUB_API_TOO_MANY_LOADED_ENVIRONMENTS","features":[23]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_HASH_FINALIZED","features":[23]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_INVALID_BLOCK","features":[23]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_INVALID_BLOCKLENGTH","features":[23]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_INVALID_CIPHER","features":[23]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_INVALID_CIPHERMODE","features":[23]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_INVALID_FORMAT","features":[23]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_INVALID_KEYLENGTH","features":[23]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_INVALID_PADDING","features":[23]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_INVALID_SIGNATURE","features":[23]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_INVALID_SIGNATURELENGTH","features":[23]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_KEY_NOT_AVAILABLE","features":[23]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_KEY_NOT_FOUND","features":[23]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_NOT_BLOCK_ALIGNED","features":[23]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_UNKNOWN_ATTRIBUTEID","features":[23]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_UNKNOWN_HASHID","features":[23]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_UNKNOWN_KEYID","features":[23]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_UNKNOWN_PROVIDERID","features":[23]},{"name":"SL_REMAPPING_SP_PUB_GENERAL_NOT_INITIALIZED","features":[23]},{"name":"SL_REMAPPING_SP_PUB_KM_CACHE_IDENTICAL","features":[23]},{"name":"SL_REMAPPING_SP_PUB_KM_CACHE_POLICY_CHANGED","features":[23]},{"name":"SL_REMAPPING_SP_PUB_KM_CACHE_TAMPER","features":[23]},{"name":"SL_REMAPPING_SP_PUB_KM_CACHE_TAMPER_RESTORE_FAILED","features":[23]},{"name":"SL_REMAPPING_SP_PUB_PROXY_SOFT_TAMPER","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TAMPER_MODULE_AUTHENTICATION","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TAMPER_SECURITY_PROCESSOR_PATCHED","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TIMER_ALREADY_EXISTS","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TIMER_EXPIRED","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TIMER_NAME_SIZE_TOO_BIG","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TIMER_NOT_FOUND","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TIMER_READ_ONLY","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TRUSTED_TIME_OK","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TS_ACCESS_DENIED","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TS_ATTRIBUTE_NOT_FOUND","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TS_ATTRIBUTE_READ_ONLY","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TS_DATA_SIZE_TOO_BIG","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TS_ENTRY_KEY_ALREADY_EXISTS","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TS_ENTRY_KEY_NOT_FOUND","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TS_ENTRY_KEY_SIZE_TOO_BIG","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TS_ENTRY_READ_ONLY","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TS_FULL","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TS_INVALID_HW_BINDING","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TS_MAX_REARM_REACHED","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TS_NAMESPACE_IN_USE","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TS_NAMESPACE_NOT_FOUND","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TS_REARMED","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TS_RECREATED","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TS_TAMPERED","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TS_TAMPERED_BREADCRUMB_GENERATION","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TS_TAMPERED_BREADCRUMB_LOAD_INVALID","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TS_TAMPERED_DATA_BREADCRUMB_MISMATCH","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TS_TAMPERED_DATA_VERSION_MISMATCH","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TS_TAMPERED_INVALID_DATA","features":[23]},{"name":"SL_REMAPPING_SP_PUB_TS_TAMPERED_NO_DATA","features":[23]},{"name":"SL_REMAPPING_SP_STATUS_ALREADY_EXISTS","features":[23]},{"name":"SL_REMAPPING_SP_STATUS_DEBUGGER_DETECTED","features":[23]},{"name":"SL_REMAPPING_SP_STATUS_GENERIC_FAILURE","features":[23]},{"name":"SL_REMAPPING_SP_STATUS_INSUFFICIENT_BUFFER","features":[23]},{"name":"SL_REMAPPING_SP_STATUS_INVALIDARG","features":[23]},{"name":"SL_REMAPPING_SP_STATUS_INVALIDDATA","features":[23]},{"name":"SL_REMAPPING_SP_STATUS_INVALID_SPAPI_CALL","features":[23]},{"name":"SL_REMAPPING_SP_STATUS_INVALID_SPAPI_VERSION","features":[23]},{"name":"SL_REMAPPING_SP_STATUS_NO_MORE_DATA","features":[23]},{"name":"SL_REMAPPING_SP_STATUS_PUSHKEY_CONFLICT","features":[23]},{"name":"SL_REMAPPING_SP_STATUS_SYSTEM_TIME_SKEWED","features":[23]},{"name":"SL_SERVER_ZONE","features":[23]},{"name":"SL_SYSTEM_POLICY_INFORMATION","features":[23]},{"name":"SL_SYSTEM_STATE_REBOOT_POLICY_FOUND","features":[23]},{"name":"SL_SYSTEM_STATE_TAMPERED","features":[23]},{"name":"SPP_MIGRATION_GATHER_ACTIVATED_WINDOWS_STATE","features":[23]},{"name":"SPP_MIGRATION_GATHER_ALL","features":[23]},{"name":"SPP_MIGRATION_GATHER_MIGRATABLE_APPS","features":[23]},{"name":"SP_ACCEPT_CREDENTIALS_NAME","features":[23]},{"name":"SP_PROT_ALL","features":[23]},{"name":"SP_PROT_DTLS1_0_CLIENT","features":[23]},{"name":"SP_PROT_DTLS1_0_SERVER","features":[23]},{"name":"SP_PROT_DTLS1_2_CLIENT","features":[23]},{"name":"SP_PROT_DTLS1_2_SERVER","features":[23]},{"name":"SP_PROT_DTLS_CLIENT","features":[23]},{"name":"SP_PROT_DTLS_SERVER","features":[23]},{"name":"SP_PROT_NONE","features":[23]},{"name":"SP_PROT_PCT1_CLIENT","features":[23]},{"name":"SP_PROT_PCT1_SERVER","features":[23]},{"name":"SP_PROT_SSL2_CLIENT","features":[23]},{"name":"SP_PROT_SSL2_SERVER","features":[23]},{"name":"SP_PROT_SSL3_CLIENT","features":[23]},{"name":"SP_PROT_SSL3_SERVER","features":[23]},{"name":"SP_PROT_TLS1_0_CLIENT","features":[23]},{"name":"SP_PROT_TLS1_0_SERVER","features":[23]},{"name":"SP_PROT_TLS1_1_CLIENT","features":[23]},{"name":"SP_PROT_TLS1_1_SERVER","features":[23]},{"name":"SP_PROT_TLS1_2_CLIENT","features":[23]},{"name":"SP_PROT_TLS1_2_SERVER","features":[23]},{"name":"SP_PROT_TLS1_3PLUS_CLIENT","features":[23]},{"name":"SP_PROT_TLS1_3PLUS_SERVER","features":[23]},{"name":"SP_PROT_TLS1_3_CLIENT","features":[23]},{"name":"SP_PROT_TLS1_3_SERVER","features":[23]},{"name":"SP_PROT_TLS1_CLIENT","features":[23]},{"name":"SP_PROT_TLS1_SERVER","features":[23]},{"name":"SP_PROT_UNI_CLIENT","features":[23]},{"name":"SP_PROT_UNI_SERVER","features":[23]},{"name":"SR_SECURITY_DESCRIPTOR","features":[23]},{"name":"SSL2SP_NAME","features":[23]},{"name":"SSL2SP_NAME_A","features":[23]},{"name":"SSL2SP_NAME_W","features":[23]},{"name":"SSL3SP_NAME","features":[23]},{"name":"SSL3SP_NAME_A","features":[23]},{"name":"SSL3SP_NAME_W","features":[23]},{"name":"SSL_CRACK_CERTIFICATE_FN","features":[1,23,68]},{"name":"SSL_CRACK_CERTIFICATE_NAME","features":[23]},{"name":"SSL_CREDENTIAL_CERTIFICATE","features":[23]},{"name":"SSL_EMPTY_CACHE_FN_A","features":[1,23]},{"name":"SSL_EMPTY_CACHE_FN_W","features":[1,23]},{"name":"SSL_FREE_CERTIFICATE_FN","features":[1,23,68]},{"name":"SSL_FREE_CERTIFICATE_NAME","features":[23]},{"name":"SSL_SESSION_DISABLE_RECONNECTS","features":[23]},{"name":"SSL_SESSION_ENABLE_RECONNECTS","features":[23]},{"name":"SSL_SESSION_RECONNECT","features":[23]},{"name":"SSPIPFC_CREDPROV_DO_NOT_LOAD","features":[23]},{"name":"SSPIPFC_CREDPROV_DO_NOT_SAVE","features":[23]},{"name":"SSPIPFC_NO_CHECKBOX","features":[23]},{"name":"SSPIPFC_SAVE_CRED_BY_CALLER","features":[23]},{"name":"SSPIPFC_USE_CREDUIBROKER","features":[23]},{"name":"SUBSCRIBE_GENERIC_TLS_EXTENSION","features":[23]},{"name":"SZ_ALG_MAX_SIZE","features":[23]},{"name":"SaslAcceptSecurityContext","features":[23,118]},{"name":"SaslEnumerateProfilesA","features":[23]},{"name":"SaslEnumerateProfilesW","features":[23]},{"name":"SaslGetContextOption","features":[23,118]},{"name":"SaslGetProfilePackageA","features":[23]},{"name":"SaslGetProfilePackageW","features":[23]},{"name":"SaslIdentifyPackageA","features":[23]},{"name":"SaslIdentifyPackageW","features":[23]},{"name":"SaslInitializeSecurityContextA","features":[23,118]},{"name":"SaslInitializeSecurityContextW","features":[23,118]},{"name":"SaslSetContextOption","features":[23,118]},{"name":"Sasl_AuthZIDForbidden","features":[23]},{"name":"Sasl_AuthZIDProcessed","features":[23]},{"name":"SchGetExtensionsOptions","features":[23]},{"name":"SeAdtParmTypeAccessMask","features":[23]},{"name":"SeAdtParmTypeAccessReason","features":[23]},{"name":"SeAdtParmTypeClaims","features":[23]},{"name":"SeAdtParmTypeDateTime","features":[23]},{"name":"SeAdtParmTypeDuration","features":[23]},{"name":"SeAdtParmTypeFileSpec","features":[23]},{"name":"SeAdtParmTypeGuid","features":[23]},{"name":"SeAdtParmTypeHexInt64","features":[23]},{"name":"SeAdtParmTypeHexUlong","features":[23]},{"name":"SeAdtParmTypeLogonHours","features":[23]},{"name":"SeAdtParmTypeLogonId","features":[23]},{"name":"SeAdtParmTypeLogonIdAsSid","features":[23]},{"name":"SeAdtParmTypeLogonIdEx","features":[23]},{"name":"SeAdtParmTypeLogonIdNoSid","features":[23]},{"name":"SeAdtParmTypeLuid","features":[23]},{"name":"SeAdtParmTypeMessage","features":[23]},{"name":"SeAdtParmTypeMultiSzString","features":[23]},{"name":"SeAdtParmTypeNoLogonId","features":[23]},{"name":"SeAdtParmTypeNoUac","features":[23]},{"name":"SeAdtParmTypeNone","features":[23]},{"name":"SeAdtParmTypeObjectTypes","features":[23]},{"name":"SeAdtParmTypePrivs","features":[23]},{"name":"SeAdtParmTypePtr","features":[23]},{"name":"SeAdtParmTypeResourceAttribute","features":[23]},{"name":"SeAdtParmTypeSD","features":[23]},{"name":"SeAdtParmTypeSid","features":[23]},{"name":"SeAdtParmTypeSidList","features":[23]},{"name":"SeAdtParmTypeSockAddr","features":[23]},{"name":"SeAdtParmTypeSockAddrNoPort","features":[23]},{"name":"SeAdtParmTypeStagingReason","features":[23]},{"name":"SeAdtParmTypeString","features":[23]},{"name":"SeAdtParmTypeStringList","features":[23]},{"name":"SeAdtParmTypeTime","features":[23]},{"name":"SeAdtParmTypeUlong","features":[23]},{"name":"SeAdtParmTypeUlongNoConv","features":[23]},{"name":"SeAdtParmTypeUserAccountControl","features":[23]},{"name":"SecApplicationProtocolNegotiationExt_ALPN","features":[23]},{"name":"SecApplicationProtocolNegotiationExt_NPN","features":[23]},{"name":"SecApplicationProtocolNegotiationExt_None","features":[23]},{"name":"SecApplicationProtocolNegotiationStatus_None","features":[23]},{"name":"SecApplicationProtocolNegotiationStatus_SelectedClientOnly","features":[23]},{"name":"SecApplicationProtocolNegotiationStatus_Success","features":[23]},{"name":"SecBuffer","features":[23]},{"name":"SecBufferDesc","features":[23]},{"name":"SecDelegationType","features":[23]},{"name":"SecDirectory","features":[23]},{"name":"SecFull","features":[23]},{"name":"SecNameAlternateId","features":[23]},{"name":"SecNameDN","features":[23]},{"name":"SecNameFlat","features":[23]},{"name":"SecNameSPN","features":[23]},{"name":"SecNameSamCompatible","features":[23]},{"name":"SecObject","features":[23]},{"name":"SecPkgAttrLastClientTokenMaybe","features":[23]},{"name":"SecPkgAttrLastClientTokenNo","features":[23]},{"name":"SecPkgAttrLastClientTokenYes","features":[23]},{"name":"SecPkgCallPackageMaxMessage","features":[23]},{"name":"SecPkgCallPackageMinMessage","features":[23]},{"name":"SecPkgCallPackagePinDcMessage","features":[23]},{"name":"SecPkgCallPackageTransferCredMessage","features":[23]},{"name":"SecPkgCallPackageUnpinAllDcsMessage","features":[23]},{"name":"SecPkgContext_AccessToken","features":[23]},{"name":"SecPkgContext_ApplicationProtocol","features":[23]},{"name":"SecPkgContext_AuthorityA","features":[23]},{"name":"SecPkgContext_AuthorityW","features":[23]},{"name":"SecPkgContext_AuthzID","features":[23]},{"name":"SecPkgContext_Bindings","features":[23]},{"name":"SecPkgContext_CertInfo","features":[23]},{"name":"SecPkgContext_CertificateValidationResult","features":[23]},{"name":"SecPkgContext_Certificates","features":[23]},{"name":"SecPkgContext_CipherInfo","features":[23]},{"name":"SecPkgContext_ClientCertPolicyResult","features":[23]},{"name":"SecPkgContext_ClientSpecifiedTarget","features":[23]},{"name":"SecPkgContext_ConnectionInfo","features":[23,68]},{"name":"SecPkgContext_ConnectionInfoEx","features":[23]},{"name":"SecPkgContext_CredInfo","features":[23]},{"name":"SecPkgContext_CredentialNameA","features":[23]},{"name":"SecPkgContext_CredentialNameW","features":[23]},{"name":"SecPkgContext_DceInfo","features":[23]},{"name":"SecPkgContext_EapKeyBlock","features":[23]},{"name":"SecPkgContext_EapPrfInfo","features":[23]},{"name":"SecPkgContext_EarlyStart","features":[23]},{"name":"SecPkgContext_Flags","features":[23]},{"name":"SecPkgContext_IssuerListInfoEx","features":[23,68]},{"name":"SecPkgContext_KeyInfoA","features":[23]},{"name":"SecPkgContext_KeyInfoW","features":[23]},{"name":"SecPkgContext_KeyingMaterial","features":[23]},{"name":"SecPkgContext_KeyingMaterialInfo","features":[23]},{"name":"SecPkgContext_KeyingMaterial_Inproc","features":[23]},{"name":"SecPkgContext_LastClientTokenStatus","features":[23]},{"name":"SecPkgContext_Lifespan","features":[23]},{"name":"SecPkgContext_LocalCredentialInfo","features":[23]},{"name":"SecPkgContext_LogoffTime","features":[23]},{"name":"SecPkgContext_MappedCredAttr","features":[23]},{"name":"SecPkgContext_NamesA","features":[23]},{"name":"SecPkgContext_NamesW","features":[23]},{"name":"SecPkgContext_NativeNamesA","features":[23]},{"name":"SecPkgContext_NativeNamesW","features":[23]},{"name":"SecPkgContext_NegoKeys","features":[23]},{"name":"SecPkgContext_NegoPackageInfo","features":[23]},{"name":"SecPkgContext_NegoStatus","features":[23]},{"name":"SecPkgContext_NegotiatedTlsExtensions","features":[23]},{"name":"SecPkgContext_NegotiationInfoA","features":[23]},{"name":"SecPkgContext_NegotiationInfoW","features":[23]},{"name":"SecPkgContext_PackageInfoA","features":[23]},{"name":"SecPkgContext_PackageInfoW","features":[23]},{"name":"SecPkgContext_PasswordExpiry","features":[23]},{"name":"SecPkgContext_ProtoInfoA","features":[23]},{"name":"SecPkgContext_ProtoInfoW","features":[23]},{"name":"SecPkgContext_RemoteCredentialInfo","features":[23]},{"name":"SecPkgContext_SaslContext","features":[23]},{"name":"SecPkgContext_SessionAppData","features":[23]},{"name":"SecPkgContext_SessionInfo","features":[23]},{"name":"SecPkgContext_SessionKey","features":[23]},{"name":"SecPkgContext_Sizes","features":[23]},{"name":"SecPkgContext_SrtpParameters","features":[23]},{"name":"SecPkgContext_StreamSizes","features":[23]},{"name":"SecPkgContext_SubjectAttributes","features":[23]},{"name":"SecPkgContext_SupportedSignatures","features":[23]},{"name":"SecPkgContext_Target","features":[23]},{"name":"SecPkgContext_TargetInformation","features":[23]},{"name":"SecPkgContext_TokenBinding","features":[23]},{"name":"SecPkgContext_UiInfo","features":[1,23]},{"name":"SecPkgContext_UserFlags","features":[23]},{"name":"SecPkgCredClass_Ephemeral","features":[23]},{"name":"SecPkgCredClass_Explicit","features":[23]},{"name":"SecPkgCredClass_None","features":[23]},{"name":"SecPkgCredClass_PersistedGeneric","features":[23]},{"name":"SecPkgCredClass_PersistedSpecific","features":[23]},{"name":"SecPkgCred_CipherStrengths","features":[23]},{"name":"SecPkgCred_ClientCertPolicy","features":[1,23]},{"name":"SecPkgCred_SessionTicketKey","features":[23]},{"name":"SecPkgCred_SessionTicketKeys","features":[23]},{"name":"SecPkgCred_SupportedAlgs","features":[23,68]},{"name":"SecPkgCred_SupportedProtocols","features":[23]},{"name":"SecPkgCredentials_Cert","features":[23]},{"name":"SecPkgCredentials_KdcProxySettingsW","features":[23]},{"name":"SecPkgCredentials_NamesA","features":[23]},{"name":"SecPkgCredentials_NamesW","features":[23]},{"name":"SecPkgCredentials_SSIProviderA","features":[23]},{"name":"SecPkgCredentials_SSIProviderW","features":[23]},{"name":"SecPkgInfoA","features":[23]},{"name":"SecPkgInfoW","features":[23]},{"name":"SecService","features":[23]},{"name":"SecSessionPrimaryCred","features":[23]},{"name":"SecTrafficSecret_Client","features":[23]},{"name":"SecTrafficSecret_None","features":[23]},{"name":"SecTrafficSecret_Server","features":[23]},{"name":"SecTree","features":[23]},{"name":"SecpkgContextThunks","features":[23]},{"name":"SecpkgExtraOids","features":[23]},{"name":"SecpkgGssInfo","features":[23]},{"name":"SecpkgMaxInfo","features":[23]},{"name":"SecpkgMutualAuthLevel","features":[23]},{"name":"SecpkgNego2Info","features":[23]},{"name":"SecpkgWowClientDll","features":[23]},{"name":"SecurityFunctionTableA","features":[1,23,118]},{"name":"SecurityFunctionTableW","features":[1,23,118]},{"name":"SendSAS","features":[1,23]},{"name":"SetContextAttributesA","features":[23,118]},{"name":"SetContextAttributesW","features":[23,118]},{"name":"SetCredentialsAttributesA","features":[23,118]},{"name":"SetCredentialsAttributesW","features":[23,118]},{"name":"SpAcceptCredentialsFn","features":[1,23]},{"name":"SpAcceptLsaModeContextFn","features":[1,23]},{"name":"SpAcquireCredentialsHandleFn","features":[1,23]},{"name":"SpAddCredentialsFn","features":[1,23]},{"name":"SpApplyControlTokenFn","features":[1,23]},{"name":"SpChangeAccountPasswordFn","features":[1,23]},{"name":"SpCompleteAuthTokenFn","features":[1,23]},{"name":"SpDeleteContextFn","features":[1,23]},{"name":"SpDeleteCredentialsFn","features":[1,23]},{"name":"SpExchangeMetaDataFn","features":[1,23]},{"name":"SpExportSecurityContextFn","features":[1,23]},{"name":"SpExtractTargetInfoFn","features":[1,23]},{"name":"SpFormatCredentialsFn","features":[1,23]},{"name":"SpFreeCredentialsHandleFn","features":[1,23]},{"name":"SpGetContextTokenFn","features":[1,23]},{"name":"SpGetCredUIContextFn","features":[1,23]},{"name":"SpGetCredentialsFn","features":[1,23]},{"name":"SpGetExtendedInformationFn","features":[1,23]},{"name":"SpGetInfoFn","features":[1,23]},{"name":"SpGetRemoteCredGuardLogonBufferFn","features":[1,23]},{"name":"SpGetRemoteCredGuardSupplementalCredsFn","features":[1,23]},{"name":"SpGetTbalSupplementalCredsFn","features":[1,23]},{"name":"SpGetUserInfoFn","features":[1,23]},{"name":"SpImportSecurityContextFn","features":[1,23]},{"name":"SpInitLsaModeContextFn","features":[1,23]},{"name":"SpInitUserModeContextFn","features":[1,23]},{"name":"SpInitializeFn","features":[1,23,118,37]},{"name":"SpInstanceInitFn","features":[1,23]},{"name":"SpLsaModeInitializeFn","features":[1,23,118,37]},{"name":"SpMakeSignatureFn","features":[1,23]},{"name":"SpMarshalAttributeDataFn","features":[1,23]},{"name":"SpMarshallSupplementalCredsFn","features":[1,23]},{"name":"SpQueryContextAttributesFn","features":[1,23]},{"name":"SpQueryCredentialsAttributesFn","features":[1,23]},{"name":"SpQueryMetaDataFn","features":[1,23]},{"name":"SpSaveCredentialsFn","features":[1,23]},{"name":"SpSealMessageFn","features":[1,23]},{"name":"SpSetContextAttributesFn","features":[1,23]},{"name":"SpSetCredentialsAttributesFn","features":[1,23]},{"name":"SpSetExtendedInformationFn","features":[1,23]},{"name":"SpShutdownFn","features":[1,23]},{"name":"SpUnsealMessageFn","features":[1,23]},{"name":"SpUpdateCredentialsFn","features":[1,23]},{"name":"SpUserModeInitializeFn","features":[1,23]},{"name":"SpValidateTargetInfoFn","features":[1,23]},{"name":"SpVerifySignatureFn","features":[1,23]},{"name":"SslCrackCertificate","features":[1,23,68]},{"name":"SslDeserializeCertificateStore","features":[1,23,68]},{"name":"SslDeserializeCertificateStoreFn","features":[1,23,68]},{"name":"SslEmptyCacheA","features":[1,23]},{"name":"SslEmptyCacheW","features":[1,23]},{"name":"SslFreeCertificate","features":[1,23,68]},{"name":"SslGenerateRandomBits","features":[23]},{"name":"SslGetExtensions","features":[23]},{"name":"SslGetExtensionsFn","features":[23]},{"name":"SslGetMaximumKeySize","features":[23]},{"name":"SslGetServerIdentity","features":[23]},{"name":"SslGetServerIdentityFn","features":[23]},{"name":"SspiCompareAuthIdentities","features":[1,23]},{"name":"SspiCopyAuthIdentity","features":[23]},{"name":"SspiDecryptAuthIdentity","features":[23]},{"name":"SspiDecryptAuthIdentityEx","features":[23]},{"name":"SspiEncodeAuthIdentityAsStrings","features":[23]},{"name":"SspiEncodeStringsAsAuthIdentity","features":[23]},{"name":"SspiEncryptAuthIdentity","features":[23]},{"name":"SspiEncryptAuthIdentityEx","features":[23]},{"name":"SspiExcludePackage","features":[23]},{"name":"SspiFreeAuthIdentity","features":[23]},{"name":"SspiGetTargetHostName","features":[23]},{"name":"SspiIsAuthIdentityEncrypted","features":[1,23]},{"name":"SspiIsPromptingNeeded","features":[1,23]},{"name":"SspiLocalFree","features":[23]},{"name":"SspiMarshalAuthIdentity","features":[23]},{"name":"SspiPrepareForCredRead","features":[23]},{"name":"SspiPrepareForCredWrite","features":[23]},{"name":"SspiPromptForCredentialsA","features":[23]},{"name":"SspiPromptForCredentialsW","features":[23]},{"name":"SspiSetChannelBindingFlags","features":[23]},{"name":"SspiUnmarshalAuthIdentity","features":[23]},{"name":"SspiValidateAuthIdentity","features":[23]},{"name":"SspiZeroAuthIdentity","features":[23]},{"name":"TLS1SP_NAME","features":[23]},{"name":"TLS1SP_NAME_A","features":[23]},{"name":"TLS1SP_NAME_W","features":[23]},{"name":"TLS1_ALERT_ACCESS_DENIED","features":[23]},{"name":"TLS1_ALERT_BAD_CERTIFICATE","features":[23]},{"name":"TLS1_ALERT_BAD_RECORD_MAC","features":[23]},{"name":"TLS1_ALERT_CERTIFICATE_EXPIRED","features":[23]},{"name":"TLS1_ALERT_CERTIFICATE_REVOKED","features":[23]},{"name":"TLS1_ALERT_CERTIFICATE_UNKNOWN","features":[23]},{"name":"TLS1_ALERT_CLOSE_NOTIFY","features":[23]},{"name":"TLS1_ALERT_DECODE_ERROR","features":[23]},{"name":"TLS1_ALERT_DECOMPRESSION_FAIL","features":[23]},{"name":"TLS1_ALERT_DECRYPTION_FAILED","features":[23]},{"name":"TLS1_ALERT_DECRYPT_ERROR","features":[23]},{"name":"TLS1_ALERT_EXPORT_RESTRICTION","features":[23]},{"name":"TLS1_ALERT_FATAL","features":[23]},{"name":"TLS1_ALERT_HANDSHAKE_FAILURE","features":[23]},{"name":"TLS1_ALERT_ILLEGAL_PARAMETER","features":[23]},{"name":"TLS1_ALERT_INSUFFIENT_SECURITY","features":[23]},{"name":"TLS1_ALERT_INTERNAL_ERROR","features":[23]},{"name":"TLS1_ALERT_NO_APP_PROTOCOL","features":[23]},{"name":"TLS1_ALERT_NO_RENEGOTIATION","features":[23]},{"name":"TLS1_ALERT_PROTOCOL_VERSION","features":[23]},{"name":"TLS1_ALERT_RECORD_OVERFLOW","features":[23]},{"name":"TLS1_ALERT_UNEXPECTED_MESSAGE","features":[23]},{"name":"TLS1_ALERT_UNKNOWN_CA","features":[23]},{"name":"TLS1_ALERT_UNKNOWN_PSK_IDENTITY","features":[23]},{"name":"TLS1_ALERT_UNSUPPORTED_CERT","features":[23]},{"name":"TLS1_ALERT_UNSUPPORTED_EXT","features":[23]},{"name":"TLS1_ALERT_USER_CANCELED","features":[23]},{"name":"TLS1_ALERT_WARNING","features":[23]},{"name":"TLS_EXTENSION_SUBSCRIPTION","features":[23]},{"name":"TLS_PARAMETERS","features":[23]},{"name":"TLS_PARAMS_OPTIONAL","features":[23]},{"name":"TOKENBINDING_EXTENSION_FORMAT","features":[23]},{"name":"TOKENBINDING_EXTENSION_FORMAT_UNDEFINED","features":[23]},{"name":"TOKENBINDING_IDENTIFIER","features":[23]},{"name":"TOKENBINDING_KEY_PARAMETERS_TYPE","features":[23]},{"name":"TOKENBINDING_KEY_PARAMETERS_TYPE_ANYEXISTING","features":[23]},{"name":"TOKENBINDING_KEY_PARAMETERS_TYPE_ECDSAP256","features":[23]},{"name":"TOKENBINDING_KEY_PARAMETERS_TYPE_RSA2048_PKCS","features":[23]},{"name":"TOKENBINDING_KEY_PARAMETERS_TYPE_RSA2048_PSS","features":[23]},{"name":"TOKENBINDING_KEY_TYPES","features":[23]},{"name":"TOKENBINDING_RESULT_DATA","features":[23]},{"name":"TOKENBINDING_RESULT_LIST","features":[23]},{"name":"TOKENBINDING_TYPE","features":[23]},{"name":"TOKENBINDING_TYPE_PROVIDED","features":[23]},{"name":"TOKENBINDING_TYPE_REFERRED","features":[23]},{"name":"TRUSTED_CONTROLLERS_INFO","features":[23]},{"name":"TRUSTED_DOMAIN_AUTH_INFORMATION","features":[23]},{"name":"TRUSTED_DOMAIN_FULL_INFORMATION","features":[1,23]},{"name":"TRUSTED_DOMAIN_FULL_INFORMATION2","features":[1,23]},{"name":"TRUSTED_DOMAIN_INFORMATION_EX","features":[1,23]},{"name":"TRUSTED_DOMAIN_INFORMATION_EX2","features":[1,23]},{"name":"TRUSTED_DOMAIN_NAME_INFO","features":[23]},{"name":"TRUSTED_DOMAIN_SUPPORTED_ENCRYPTION_TYPES","features":[23]},{"name":"TRUSTED_DOMAIN_TRUST_ATTRIBUTES","features":[23]},{"name":"TRUSTED_DOMAIN_TRUST_DIRECTION","features":[23]},{"name":"TRUSTED_DOMAIN_TRUST_TYPE","features":[23]},{"name":"TRUSTED_INFORMATION_CLASS","features":[23]},{"name":"TRUSTED_PASSWORD_INFO","features":[23]},{"name":"TRUSTED_POSIX_OFFSET_INFO","features":[23]},{"name":"TRUSTED_QUERY_AUTH","features":[23]},{"name":"TRUSTED_QUERY_CONTROLLERS","features":[23]},{"name":"TRUSTED_QUERY_DOMAIN_NAME","features":[23]},{"name":"TRUSTED_QUERY_POSIX","features":[23]},{"name":"TRUSTED_SET_AUTH","features":[23]},{"name":"TRUSTED_SET_CONTROLLERS","features":[23]},{"name":"TRUSTED_SET_POSIX","features":[23]},{"name":"TRUST_ATTRIBUTES_USER","features":[23]},{"name":"TRUST_ATTRIBUTES_VALID","features":[23]},{"name":"TRUST_ATTRIBUTE_CROSS_ORGANIZATION","features":[23]},{"name":"TRUST_ATTRIBUTE_CROSS_ORGANIZATION_ENABLE_TGT_DELEGATION","features":[23]},{"name":"TRUST_ATTRIBUTE_CROSS_ORGANIZATION_NO_TGT_DELEGATION","features":[23]},{"name":"TRUST_ATTRIBUTE_DISABLE_AUTH_TARGET_VALIDATION","features":[23]},{"name":"TRUST_ATTRIBUTE_FILTER_SIDS","features":[23]},{"name":"TRUST_ATTRIBUTE_FOREST_TRANSITIVE","features":[23]},{"name":"TRUST_ATTRIBUTE_NON_TRANSITIVE","features":[23]},{"name":"TRUST_ATTRIBUTE_PIM_TRUST","features":[23]},{"name":"TRUST_ATTRIBUTE_QUARANTINED_DOMAIN","features":[23]},{"name":"TRUST_ATTRIBUTE_TREAT_AS_EXTERNAL","features":[23]},{"name":"TRUST_ATTRIBUTE_TREE_PARENT","features":[23]},{"name":"TRUST_ATTRIBUTE_TREE_ROOT","features":[23]},{"name":"TRUST_ATTRIBUTE_TRUST_USES_AES_KEYS","features":[23]},{"name":"TRUST_ATTRIBUTE_TRUST_USES_RC4_ENCRYPTION","features":[23]},{"name":"TRUST_ATTRIBUTE_UPLEVEL_ONLY","features":[23]},{"name":"TRUST_ATTRIBUTE_WITHIN_FOREST","features":[23]},{"name":"TRUST_AUTH_TYPE_CLEAR","features":[23]},{"name":"TRUST_AUTH_TYPE_NONE","features":[23]},{"name":"TRUST_AUTH_TYPE_NT4OWF","features":[23]},{"name":"TRUST_AUTH_TYPE_VERSION","features":[23]},{"name":"TRUST_DIRECTION_BIDIRECTIONAL","features":[23]},{"name":"TRUST_DIRECTION_DISABLED","features":[23]},{"name":"TRUST_DIRECTION_INBOUND","features":[23]},{"name":"TRUST_DIRECTION_OUTBOUND","features":[23]},{"name":"TRUST_TYPE_AAD","features":[23]},{"name":"TRUST_TYPE_DCE","features":[23]},{"name":"TRUST_TYPE_DOWNLEVEL","features":[23]},{"name":"TRUST_TYPE_MIT","features":[23]},{"name":"TRUST_TYPE_UPLEVEL","features":[23]},{"name":"TlsHashAlgorithm_Md5","features":[23]},{"name":"TlsHashAlgorithm_None","features":[23]},{"name":"TlsHashAlgorithm_Sha1","features":[23]},{"name":"TlsHashAlgorithm_Sha224","features":[23]},{"name":"TlsHashAlgorithm_Sha256","features":[23]},{"name":"TlsHashAlgorithm_Sha384","features":[23]},{"name":"TlsHashAlgorithm_Sha512","features":[23]},{"name":"TlsParametersCngAlgUsageCertSig","features":[23]},{"name":"TlsParametersCngAlgUsageCipher","features":[23]},{"name":"TlsParametersCngAlgUsageDigest","features":[23]},{"name":"TlsParametersCngAlgUsageKeyExchange","features":[23]},{"name":"TlsParametersCngAlgUsageSignature","features":[23]},{"name":"TlsSignatureAlgorithm_Anonymous","features":[23]},{"name":"TlsSignatureAlgorithm_Dsa","features":[23]},{"name":"TlsSignatureAlgorithm_Ecdsa","features":[23]},{"name":"TlsSignatureAlgorithm_Rsa","features":[23]},{"name":"TokenBindingDeleteAllBindings","features":[23]},{"name":"TokenBindingDeleteBinding","features":[23]},{"name":"TokenBindingGenerateBinding","features":[23]},{"name":"TokenBindingGenerateID","features":[23]},{"name":"TokenBindingGenerateIDForUri","features":[23]},{"name":"TokenBindingGenerateMessage","features":[23]},{"name":"TokenBindingGetHighestSupportedVersion","features":[23]},{"name":"TokenBindingGetKeyTypesClient","features":[23]},{"name":"TokenBindingGetKeyTypesServer","features":[23]},{"name":"TokenBindingVerifyMessage","features":[23]},{"name":"TranslateNameA","features":[1,23]},{"name":"TranslateNameW","features":[1,23]},{"name":"TrustedControllersInformation","features":[23]},{"name":"TrustedDomainAuthInformation","features":[23]},{"name":"TrustedDomainAuthInformationInternal","features":[23]},{"name":"TrustedDomainAuthInformationInternalAes","features":[23]},{"name":"TrustedDomainFullInformation","features":[23]},{"name":"TrustedDomainFullInformation2Internal","features":[23]},{"name":"TrustedDomainFullInformationInternal","features":[23]},{"name":"TrustedDomainFullInformationInternalAes","features":[23]},{"name":"TrustedDomainInformationBasic","features":[23]},{"name":"TrustedDomainInformationEx","features":[23]},{"name":"TrustedDomainInformationEx2Internal","features":[23]},{"name":"TrustedDomainNameInformation","features":[23]},{"name":"TrustedDomainSupportedEncryptionTypes","features":[23]},{"name":"TrustedPasswordInformation","features":[23]},{"name":"TrustedPosixOffsetInformation","features":[23]},{"name":"UNDERSTANDS_LONG_NAMES","features":[23]},{"name":"UNISP_NAME","features":[23]},{"name":"UNISP_NAME_A","features":[23]},{"name":"UNISP_NAME_W","features":[23]},{"name":"UNISP_RPC_ID","features":[23]},{"name":"USER_ACCOUNT_AUTO_LOCKED","features":[23]},{"name":"USER_ACCOUNT_DISABLED","features":[23]},{"name":"USER_ALL_INFORMATION","features":[1,23]},{"name":"USER_ALL_PARAMETERS","features":[23]},{"name":"USER_DONT_EXPIRE_PASSWORD","features":[23]},{"name":"USER_DONT_REQUIRE_PREAUTH","features":[23]},{"name":"USER_ENCRYPTED_TEXT_PASSWORD_ALLOWED","features":[23]},{"name":"USER_HOME_DIRECTORY_REQUIRED","features":[23]},{"name":"USER_INTERDOMAIN_TRUST_ACCOUNT","features":[23]},{"name":"USER_MNS_LOGON_ACCOUNT","features":[23]},{"name":"USER_NORMAL_ACCOUNT","features":[23]},{"name":"USER_NOT_DELEGATED","features":[23]},{"name":"USER_NO_AUTH_DATA_REQUIRED","features":[23]},{"name":"USER_PARTIAL_SECRETS_ACCOUNT","features":[23]},{"name":"USER_PASSWORD_EXPIRED","features":[23]},{"name":"USER_PASSWORD_NOT_REQUIRED","features":[23]},{"name":"USER_SERVER_TRUST_ACCOUNT","features":[23]},{"name":"USER_SESSION_KEY","features":[23,119]},{"name":"USER_SMARTCARD_REQUIRED","features":[23]},{"name":"USER_TEMP_DUPLICATE_ACCOUNT","features":[23]},{"name":"USER_TRUSTED_FOR_DELEGATION","features":[23]},{"name":"USER_TRUSTED_TO_AUTHENTICATE_FOR_DELEGATION","features":[23]},{"name":"USER_USE_AES_KEYS","features":[23]},{"name":"USER_USE_DES_KEY_ONLY","features":[23]},{"name":"USER_WORKSTATION_TRUST_ACCOUNT","features":[23]},{"name":"VERIFY_SIGNATURE_FN","features":[23,118]},{"name":"VerifySignature","features":[23,118]},{"name":"WDIGEST_SP_NAME","features":[23]},{"name":"WDIGEST_SP_NAME_A","features":[23]},{"name":"WDIGEST_SP_NAME_W","features":[23]},{"name":"WINDOWS_SLID","features":[23]},{"name":"X509Certificate","features":[1,23,68]},{"name":"_FACILITY_WINDOWS_STORE","features":[23]},{"name":"_HMAPPER","features":[23]},{"name":"eTlsAlgorithmUsage","features":[23]},{"name":"eTlsHashAlgorithm","features":[23]},{"name":"eTlsSignatureAlgorithm","features":[23]}],"483":[{"name":"ACCCTRL_DEFAULT_PROVIDER","features":[120]},{"name":"ACCCTRL_DEFAULT_PROVIDERA","features":[120]},{"name":"ACCCTRL_DEFAULT_PROVIDERW","features":[120]},{"name":"ACCESS_MODE","features":[120]},{"name":"ACTRL_ACCESSA","features":[120]},{"name":"ACTRL_ACCESSW","features":[120]},{"name":"ACTRL_ACCESS_ALLOWED","features":[120]},{"name":"ACTRL_ACCESS_DENIED","features":[120]},{"name":"ACTRL_ACCESS_ENTRYA","features":[120]},{"name":"ACTRL_ACCESS_ENTRYW","features":[120]},{"name":"ACTRL_ACCESS_ENTRY_ACCESS_FLAGS","features":[120]},{"name":"ACTRL_ACCESS_ENTRY_LISTA","features":[120]},{"name":"ACTRL_ACCESS_ENTRY_LISTW","features":[120]},{"name":"ACTRL_ACCESS_INFOA","features":[120]},{"name":"ACTRL_ACCESS_INFOW","features":[120]},{"name":"ACTRL_ACCESS_NO_OPTIONS","features":[120]},{"name":"ACTRL_ACCESS_PROTECTED","features":[120]},{"name":"ACTRL_ACCESS_SUPPORTS_OBJECT_ENTRIES","features":[120]},{"name":"ACTRL_AUDIT_FAILURE","features":[120]},{"name":"ACTRL_AUDIT_SUCCESS","features":[120]},{"name":"ACTRL_CHANGE_ACCESS","features":[120]},{"name":"ACTRL_CHANGE_OWNER","features":[120]},{"name":"ACTRL_CONTROL_INFOA","features":[120]},{"name":"ACTRL_CONTROL_INFOW","features":[120]},{"name":"ACTRL_DELETE","features":[120]},{"name":"ACTRL_DIR_CREATE_CHILD","features":[120]},{"name":"ACTRL_DIR_CREATE_OBJECT","features":[120]},{"name":"ACTRL_DIR_DELETE_CHILD","features":[120]},{"name":"ACTRL_DIR_LIST","features":[120]},{"name":"ACTRL_DIR_TRAVERSE","features":[120]},{"name":"ACTRL_FILE_APPEND","features":[120]},{"name":"ACTRL_FILE_CREATE_PIPE","features":[120]},{"name":"ACTRL_FILE_EXECUTE","features":[120]},{"name":"ACTRL_FILE_READ","features":[120]},{"name":"ACTRL_FILE_READ_ATTRIB","features":[120]},{"name":"ACTRL_FILE_READ_PROP","features":[120]},{"name":"ACTRL_FILE_WRITE","features":[120]},{"name":"ACTRL_FILE_WRITE_ATTRIB","features":[120]},{"name":"ACTRL_FILE_WRITE_PROP","features":[120]},{"name":"ACTRL_KERNEL_ALERT","features":[120]},{"name":"ACTRL_KERNEL_CONTROL","features":[120]},{"name":"ACTRL_KERNEL_DIMPERSONATE","features":[120]},{"name":"ACTRL_KERNEL_DUP_HANDLE","features":[120]},{"name":"ACTRL_KERNEL_GET_CONTEXT","features":[120]},{"name":"ACTRL_KERNEL_GET_INFO","features":[120]},{"name":"ACTRL_KERNEL_IMPERSONATE","features":[120]},{"name":"ACTRL_KERNEL_PROCESS","features":[120]},{"name":"ACTRL_KERNEL_SET_CONTEXT","features":[120]},{"name":"ACTRL_KERNEL_SET_INFO","features":[120]},{"name":"ACTRL_KERNEL_TERMINATE","features":[120]},{"name":"ACTRL_KERNEL_THREAD","features":[120]},{"name":"ACTRL_KERNEL_TOKEN","features":[120]},{"name":"ACTRL_KERNEL_VM","features":[120]},{"name":"ACTRL_KERNEL_VM_READ","features":[120]},{"name":"ACTRL_KERNEL_VM_WRITE","features":[120]},{"name":"ACTRL_OVERLAPPED","features":[1,120]},{"name":"ACTRL_PERM_1","features":[120]},{"name":"ACTRL_PERM_10","features":[120]},{"name":"ACTRL_PERM_11","features":[120]},{"name":"ACTRL_PERM_12","features":[120]},{"name":"ACTRL_PERM_13","features":[120]},{"name":"ACTRL_PERM_14","features":[120]},{"name":"ACTRL_PERM_15","features":[120]},{"name":"ACTRL_PERM_16","features":[120]},{"name":"ACTRL_PERM_17","features":[120]},{"name":"ACTRL_PERM_18","features":[120]},{"name":"ACTRL_PERM_19","features":[120]},{"name":"ACTRL_PERM_2","features":[120]},{"name":"ACTRL_PERM_20","features":[120]},{"name":"ACTRL_PERM_3","features":[120]},{"name":"ACTRL_PERM_4","features":[120]},{"name":"ACTRL_PERM_5","features":[120]},{"name":"ACTRL_PERM_6","features":[120]},{"name":"ACTRL_PERM_7","features":[120]},{"name":"ACTRL_PERM_8","features":[120]},{"name":"ACTRL_PERM_9","features":[120]},{"name":"ACTRL_PRINT_JADMIN","features":[120]},{"name":"ACTRL_PRINT_PADMIN","features":[120]},{"name":"ACTRL_PRINT_PUSE","features":[120]},{"name":"ACTRL_PRINT_SADMIN","features":[120]},{"name":"ACTRL_PRINT_SLIST","features":[120]},{"name":"ACTRL_PROPERTY_ENTRYA","features":[120]},{"name":"ACTRL_PROPERTY_ENTRYW","features":[120]},{"name":"ACTRL_READ_CONTROL","features":[120]},{"name":"ACTRL_REG_CREATE_CHILD","features":[120]},{"name":"ACTRL_REG_LINK","features":[120]},{"name":"ACTRL_REG_LIST","features":[120]},{"name":"ACTRL_REG_NOTIFY","features":[120]},{"name":"ACTRL_REG_QUERY","features":[120]},{"name":"ACTRL_REG_SET","features":[120]},{"name":"ACTRL_RESERVED","features":[120]},{"name":"ACTRL_STD_RIGHTS_ALL","features":[120]},{"name":"ACTRL_SVC_GET_INFO","features":[120]},{"name":"ACTRL_SVC_INTERROGATE","features":[120]},{"name":"ACTRL_SVC_LIST","features":[120]},{"name":"ACTRL_SVC_PAUSE","features":[120]},{"name":"ACTRL_SVC_SET_INFO","features":[120]},{"name":"ACTRL_SVC_START","features":[120]},{"name":"ACTRL_SVC_STATUS","features":[120]},{"name":"ACTRL_SVC_STOP","features":[120]},{"name":"ACTRL_SVC_UCONTROL","features":[120]},{"name":"ACTRL_SYNCHRONIZE","features":[120]},{"name":"ACTRL_SYSTEM_ACCESS","features":[120]},{"name":"ACTRL_WIN_CLIPBRD","features":[120]},{"name":"ACTRL_WIN_CREATE","features":[120]},{"name":"ACTRL_WIN_EXIT","features":[120]},{"name":"ACTRL_WIN_GLOBAL_ATOMS","features":[120]},{"name":"ACTRL_WIN_LIST","features":[120]},{"name":"ACTRL_WIN_LIST_DESK","features":[120]},{"name":"ACTRL_WIN_READ_ATTRIBS","features":[120]},{"name":"ACTRL_WIN_SCREEN","features":[120]},{"name":"ACTRL_WIN_WRITE_ATTRIBS","features":[120]},{"name":"APF_AuditFailure","features":[120]},{"name":"APF_AuditSuccess","features":[120]},{"name":"APF_ValidFlags","features":[120]},{"name":"APT_Guid","features":[120]},{"name":"APT_Int64","features":[120]},{"name":"APT_IpAddress","features":[120]},{"name":"APT_LogonId","features":[120]},{"name":"APT_LogonIdWithSid","features":[120]},{"name":"APT_Luid","features":[120]},{"name":"APT_None","features":[120]},{"name":"APT_ObjectTypeList","features":[120]},{"name":"APT_Pointer","features":[120]},{"name":"APT_Sid","features":[120]},{"name":"APT_String","features":[120]},{"name":"APT_Time","features":[120]},{"name":"APT_Ulong","features":[120]},{"name":"AP_ParamTypeBits","features":[120]},{"name":"AP_ParamTypeMask","features":[120]},{"name":"AUDIT_IP_ADDRESS","features":[120]},{"name":"AUDIT_OBJECT_TYPE","features":[120]},{"name":"AUDIT_OBJECT_TYPES","features":[120]},{"name":"AUDIT_PARAM","features":[120]},{"name":"AUDIT_PARAMS","features":[120]},{"name":"AUDIT_PARAM_TYPE","features":[120]},{"name":"AUDIT_TYPE_LEGACY","features":[120]},{"name":"AUDIT_TYPE_WMI","features":[120]},{"name":"AUTHZP_WPD_EVENT","features":[120]},{"name":"AUTHZ_ACCESS_CHECK_FLAGS","features":[120]},{"name":"AUTHZ_ACCESS_CHECK_NO_DEEP_COPY_SD","features":[120]},{"name":"AUTHZ_ACCESS_CHECK_RESULTS_HANDLE","features":[120]},{"name":"AUTHZ_ACCESS_REPLY","features":[120]},{"name":"AUTHZ_ACCESS_REQUEST","features":[1,120]},{"name":"AUTHZ_ALLOW_MULTIPLE_SOURCE_INSTANCES","features":[120]},{"name":"AUTHZ_AUDIT_EVENT_HANDLE","features":[120]},{"name":"AUTHZ_AUDIT_EVENT_INFORMATION_CLASS","features":[120]},{"name":"AUTHZ_AUDIT_EVENT_TYPE_HANDLE","features":[120]},{"name":"AUTHZ_AUDIT_EVENT_TYPE_LEGACY","features":[120]},{"name":"AUTHZ_AUDIT_EVENT_TYPE_OLD","features":[1,120]},{"name":"AUTHZ_AUDIT_EVENT_TYPE_UNION","features":[120]},{"name":"AUTHZ_AUDIT_INSTANCE_INFORMATION","features":[120]},{"name":"AUTHZ_CAP_CHANGE_SUBSCRIPTION_HANDLE","features":[120]},{"name":"AUTHZ_CLIENT_CONTEXT_HANDLE","features":[120]},{"name":"AUTHZ_COMPUTE_PRIVILEGES","features":[120]},{"name":"AUTHZ_CONTEXT_INFORMATION_CLASS","features":[120]},{"name":"AUTHZ_FLAG_ALLOW_MULTIPLE_SOURCE_INSTANCES","features":[120]},{"name":"AUTHZ_GENERATE_FAILURE_AUDIT","features":[120]},{"name":"AUTHZ_GENERATE_RESULTS","features":[120]},{"name":"AUTHZ_GENERATE_SUCCESS_AUDIT","features":[120]},{"name":"AUTHZ_INITIALIZE_OBJECT_ACCESS_AUDIT_EVENT_FLAGS","features":[120]},{"name":"AUTHZ_INIT_INFO","features":[1,120]},{"name":"AUTHZ_INIT_INFO_VERSION_V1","features":[120]},{"name":"AUTHZ_MIGRATED_LEGACY_PUBLISHER","features":[120]},{"name":"AUTHZ_NO_ALLOC_STRINGS","features":[120]},{"name":"AUTHZ_NO_FAILURE_AUDIT","features":[120]},{"name":"AUTHZ_NO_SUCCESS_AUDIT","features":[120]},{"name":"AUTHZ_REGISTRATION_OBJECT_TYPE_NAME_OFFSET","features":[120]},{"name":"AUTHZ_REQUIRE_S4U_LOGON","features":[120]},{"name":"AUTHZ_RESOURCE_MANAGER_FLAGS","features":[120]},{"name":"AUTHZ_RESOURCE_MANAGER_HANDLE","features":[120]},{"name":"AUTHZ_RM_FLAG_INITIALIZE_UNDER_IMPERSONATION","features":[120]},{"name":"AUTHZ_RM_FLAG_NO_AUDIT","features":[120]},{"name":"AUTHZ_RM_FLAG_NO_CENTRAL_ACCESS_POLICIES","features":[120]},{"name":"AUTHZ_RPC_INIT_INFO_CLIENT","features":[120]},{"name":"AUTHZ_RPC_INIT_INFO_CLIENT_VERSION_V1","features":[120]},{"name":"AUTHZ_SECURITY_ATTRIBUTES_INFORMATION","features":[120]},{"name":"AUTHZ_SECURITY_ATTRIBUTES_INFORMATION_VERSION","features":[120]},{"name":"AUTHZ_SECURITY_ATTRIBUTES_INFORMATION_VERSION_V1","features":[120]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_FLAGS","features":[120]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_FQBN_VALUE","features":[120]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_NON_INHERITABLE","features":[120]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_OCTET_STRING_VALUE","features":[120]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_OPERATION","features":[120]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_OPERATION_ADD","features":[120]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_OPERATION_DELETE","features":[120]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_OPERATION_NONE","features":[120]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_OPERATION_REPLACE","features":[120]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_OPERATION_REPLACE_ALL","features":[120]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_TYPE_BOOLEAN","features":[120]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_TYPE_FQBN","features":[120]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_TYPE_INT64","features":[120]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_TYPE_INVALID","features":[120]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_TYPE_OCTET_STRING","features":[120]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_TYPE_SID","features":[120]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_TYPE_STRING","features":[120]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_TYPE_UINT64","features":[120]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_V1","features":[120]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_VALUE_CASE_SENSITIVE","features":[120]},{"name":"AUTHZ_SECURITY_EVENT_PROVIDER_HANDLE","features":[120]},{"name":"AUTHZ_SID_OPERATION","features":[120]},{"name":"AUTHZ_SID_OPERATION_ADD","features":[120]},{"name":"AUTHZ_SID_OPERATION_DELETE","features":[120]},{"name":"AUTHZ_SID_OPERATION_NONE","features":[120]},{"name":"AUTHZ_SID_OPERATION_REPLACE","features":[120]},{"name":"AUTHZ_SID_OPERATION_REPLACE_ALL","features":[120]},{"name":"AUTHZ_SKIP_TOKEN_GROUPS","features":[120]},{"name":"AUTHZ_SOURCE_SCHEMA_REGISTRATION","features":[120]},{"name":"AUTHZ_WPD_CATEGORY_FLAG","features":[120]},{"name":"AZ_AZSTORE_DEFAULT_DOMAIN_TIMEOUT","features":[120]},{"name":"AZ_AZSTORE_DEFAULT_MAX_SCRIPT_ENGINES","features":[120]},{"name":"AZ_AZSTORE_DEFAULT_SCRIPT_ENGINE_TIMEOUT","features":[120]},{"name":"AZ_AZSTORE_FLAG_AUDIT_IS_CRITICAL","features":[120]},{"name":"AZ_AZSTORE_FLAG_BATCH_UPDATE","features":[120]},{"name":"AZ_AZSTORE_FLAG_CREATE","features":[120]},{"name":"AZ_AZSTORE_FLAG_MANAGE_ONLY_PASSIVE_SUBMIT","features":[120]},{"name":"AZ_AZSTORE_FLAG_MANAGE_STORE_ONLY","features":[120]},{"name":"AZ_AZSTORE_FORCE_APPLICATION_CLOSE","features":[120]},{"name":"AZ_AZSTORE_MIN_DOMAIN_TIMEOUT","features":[120]},{"name":"AZ_AZSTORE_MIN_SCRIPT_ENGINE_TIMEOUT","features":[120]},{"name":"AZ_AZSTORE_NT6_FUNCTION_LEVEL","features":[120]},{"name":"AZ_CLIENT_CONTEXT_GET_GROUPS_STORE_LEVEL_ONLY","features":[120]},{"name":"AZ_CLIENT_CONTEXT_GET_GROUP_RECURSIVE","features":[120]},{"name":"AZ_CLIENT_CONTEXT_SKIP_GROUP","features":[120]},{"name":"AZ_CLIENT_CONTEXT_SKIP_LDAP_QUERY","features":[120]},{"name":"AZ_GROUPTYPE_BASIC","features":[120]},{"name":"AZ_GROUPTYPE_BIZRULE","features":[120]},{"name":"AZ_GROUPTYPE_LDAP_QUERY","features":[120]},{"name":"AZ_MAX_APPLICATION_DATA_LENGTH","features":[120]},{"name":"AZ_MAX_APPLICATION_NAME_LENGTH","features":[120]},{"name":"AZ_MAX_APPLICATION_VERSION_LENGTH","features":[120]},{"name":"AZ_MAX_BIZRULE_STRING","features":[120]},{"name":"AZ_MAX_DESCRIPTION_LENGTH","features":[120]},{"name":"AZ_MAX_GROUP_BIZRULE_IMPORTED_PATH_LENGTH","features":[120]},{"name":"AZ_MAX_GROUP_BIZRULE_LANGUAGE_LENGTH","features":[120]},{"name":"AZ_MAX_GROUP_BIZRULE_LENGTH","features":[120]},{"name":"AZ_MAX_GROUP_LDAP_QUERY_LENGTH","features":[120]},{"name":"AZ_MAX_GROUP_NAME_LENGTH","features":[120]},{"name":"AZ_MAX_NAME_LENGTH","features":[120]},{"name":"AZ_MAX_OPERATION_NAME_LENGTH","features":[120]},{"name":"AZ_MAX_POLICY_URL_LENGTH","features":[120]},{"name":"AZ_MAX_ROLE_NAME_LENGTH","features":[120]},{"name":"AZ_MAX_SCOPE_NAME_LENGTH","features":[120]},{"name":"AZ_MAX_TASK_BIZRULE_IMPORTED_PATH_LENGTH","features":[120]},{"name":"AZ_MAX_TASK_BIZRULE_LANGUAGE_LENGTH","features":[120]},{"name":"AZ_MAX_TASK_BIZRULE_LENGTH","features":[120]},{"name":"AZ_MAX_TASK_NAME_LENGTH","features":[120]},{"name":"AZ_PROP_APPLICATION_AUTHZ_INTERFACE_CLSID","features":[120]},{"name":"AZ_PROP_APPLICATION_BIZRULE_ENABLED","features":[120]},{"name":"AZ_PROP_APPLICATION_DATA","features":[120]},{"name":"AZ_PROP_APPLICATION_NAME","features":[120]},{"name":"AZ_PROP_APPLICATION_VERSION","features":[120]},{"name":"AZ_PROP_APPLY_STORE_SACL","features":[120]},{"name":"AZ_PROP_AZSTORE_DOMAIN_TIMEOUT","features":[120]},{"name":"AZ_PROP_AZSTORE_MAJOR_VERSION","features":[120]},{"name":"AZ_PROP_AZSTORE_MAX_SCRIPT_ENGINES","features":[120]},{"name":"AZ_PROP_AZSTORE_MINOR_VERSION","features":[120]},{"name":"AZ_PROP_AZSTORE_SCRIPT_ENGINE_TIMEOUT","features":[120]},{"name":"AZ_PROP_AZSTORE_TARGET_MACHINE","features":[120]},{"name":"AZ_PROP_AZTORE_IS_ADAM_INSTANCE","features":[120]},{"name":"AZ_PROP_CHILD_CREATE","features":[120]},{"name":"AZ_PROP_CLIENT_CONTEXT_LDAP_QUERY_DN","features":[120]},{"name":"AZ_PROP_CLIENT_CONTEXT_ROLE_FOR_ACCESS_CHECK","features":[120]},{"name":"AZ_PROP_CLIENT_CONTEXT_USER_CANONICAL","features":[120]},{"name":"AZ_PROP_CLIENT_CONTEXT_USER_DISPLAY","features":[120]},{"name":"AZ_PROP_CLIENT_CONTEXT_USER_DN","features":[120]},{"name":"AZ_PROP_CLIENT_CONTEXT_USER_DNS_SAM_COMPAT","features":[120]},{"name":"AZ_PROP_CLIENT_CONTEXT_USER_GUID","features":[120]},{"name":"AZ_PROP_CLIENT_CONTEXT_USER_SAM_COMPAT","features":[120]},{"name":"AZ_PROP_CLIENT_CONTEXT_USER_UPN","features":[120]},{"name":"AZ_PROP_CONSTANTS","features":[120]},{"name":"AZ_PROP_DELEGATED_POLICY_USERS","features":[120]},{"name":"AZ_PROP_DELEGATED_POLICY_USERS_NAME","features":[120]},{"name":"AZ_PROP_DESCRIPTION","features":[120]},{"name":"AZ_PROP_GENERATE_AUDITS","features":[120]},{"name":"AZ_PROP_GROUP_APP_MEMBERS","features":[120]},{"name":"AZ_PROP_GROUP_APP_NON_MEMBERS","features":[120]},{"name":"AZ_PROP_GROUP_BIZRULE","features":[120]},{"name":"AZ_PROP_GROUP_BIZRULE_IMPORTED_PATH","features":[120]},{"name":"AZ_PROP_GROUP_BIZRULE_LANGUAGE","features":[120]},{"name":"AZ_PROP_GROUP_LDAP_QUERY","features":[120]},{"name":"AZ_PROP_GROUP_MEMBERS","features":[120]},{"name":"AZ_PROP_GROUP_MEMBERS_NAME","features":[120]},{"name":"AZ_PROP_GROUP_NON_MEMBERS","features":[120]},{"name":"AZ_PROP_GROUP_NON_MEMBERS_NAME","features":[120]},{"name":"AZ_PROP_GROUP_TYPE","features":[120]},{"name":"AZ_PROP_NAME","features":[120]},{"name":"AZ_PROP_OPERATION_ID","features":[120]},{"name":"AZ_PROP_POLICY_ADMINS","features":[120]},{"name":"AZ_PROP_POLICY_ADMINS_NAME","features":[120]},{"name":"AZ_PROP_POLICY_READERS","features":[120]},{"name":"AZ_PROP_POLICY_READERS_NAME","features":[120]},{"name":"AZ_PROP_ROLE_APP_MEMBERS","features":[120]},{"name":"AZ_PROP_ROLE_MEMBERS","features":[120]},{"name":"AZ_PROP_ROLE_MEMBERS_NAME","features":[120]},{"name":"AZ_PROP_ROLE_OPERATIONS","features":[120]},{"name":"AZ_PROP_ROLE_TASKS","features":[120]},{"name":"AZ_PROP_SCOPE_BIZRULES_WRITABLE","features":[120]},{"name":"AZ_PROP_SCOPE_CAN_BE_DELEGATED","features":[120]},{"name":"AZ_PROP_TASK_BIZRULE","features":[120]},{"name":"AZ_PROP_TASK_BIZRULE_IMPORTED_PATH","features":[120]},{"name":"AZ_PROP_TASK_BIZRULE_LANGUAGE","features":[120]},{"name":"AZ_PROP_TASK_IS_ROLE_DEFINITION","features":[120]},{"name":"AZ_PROP_TASK_OPERATIONS","features":[120]},{"name":"AZ_PROP_TASK_TASKS","features":[120]},{"name":"AZ_PROP_WRITABLE","features":[120]},{"name":"AZ_SUBMIT_FLAG_ABORT","features":[120]},{"name":"AZ_SUBMIT_FLAG_FLUSH","features":[120]},{"name":"AuthzAccessCheck","features":[1,120]},{"name":"AuthzAddSidsToContext","features":[1,120]},{"name":"AuthzAuditEventInfoAdditionalInfo","features":[120]},{"name":"AuthzAuditEventInfoFlags","features":[120]},{"name":"AuthzAuditEventInfoObjectName","features":[120]},{"name":"AuthzAuditEventInfoObjectType","features":[120]},{"name":"AuthzAuditEventInfoOperationType","features":[120]},{"name":"AuthzCachedAccessCheck","features":[1,120]},{"name":"AuthzContextInfoAll","features":[120]},{"name":"AuthzContextInfoAppContainerSid","features":[120]},{"name":"AuthzContextInfoAuthenticationId","features":[120]},{"name":"AuthzContextInfoCapabilitySids","features":[120]},{"name":"AuthzContextInfoDeviceClaims","features":[120]},{"name":"AuthzContextInfoDeviceSids","features":[120]},{"name":"AuthzContextInfoExpirationTime","features":[120]},{"name":"AuthzContextInfoGroupsSids","features":[120]},{"name":"AuthzContextInfoIdentifier","features":[120]},{"name":"AuthzContextInfoPrivileges","features":[120]},{"name":"AuthzContextInfoRestrictedSids","features":[120]},{"name":"AuthzContextInfoSecurityAttributes","features":[120]},{"name":"AuthzContextInfoServerContext","features":[120]},{"name":"AuthzContextInfoSource","features":[120]},{"name":"AuthzContextInfoUserClaims","features":[120]},{"name":"AuthzContextInfoUserSid","features":[120]},{"name":"AuthzEnumerateSecurityEventSources","features":[1,120]},{"name":"AuthzEvaluateSacl","features":[1,120]},{"name":"AuthzFreeAuditEvent","features":[1,120]},{"name":"AuthzFreeCentralAccessPolicyCache","features":[1,120]},{"name":"AuthzFreeContext","features":[1,120]},{"name":"AuthzFreeHandle","features":[1,120]},{"name":"AuthzFreeResourceManager","features":[1,120]},{"name":"AuthzGetInformationFromContext","features":[1,120]},{"name":"AuthzInitializeCompoundContext","features":[1,120]},{"name":"AuthzInitializeContextFromAuthzContext","features":[1,120]},{"name":"AuthzInitializeContextFromSid","features":[1,120]},{"name":"AuthzInitializeContextFromToken","features":[1,120]},{"name":"AuthzInitializeObjectAccessAuditEvent","features":[1,120]},{"name":"AuthzInitializeObjectAccessAuditEvent2","features":[1,120]},{"name":"AuthzInitializeRemoteResourceManager","features":[1,120]},{"name":"AuthzInitializeResourceManager","features":[1,120]},{"name":"AuthzInitializeResourceManagerEx","features":[1,120]},{"name":"AuthzInstallSecurityEventSource","features":[1,120]},{"name":"AuthzModifyClaims","features":[1,120]},{"name":"AuthzModifySecurityAttributes","features":[1,120]},{"name":"AuthzModifySids","features":[1,120]},{"name":"AuthzOpenObjectAudit","features":[1,120]},{"name":"AuthzRegisterCapChangeNotification","features":[1,120,37]},{"name":"AuthzRegisterSecurityEventSource","features":[1,120]},{"name":"AuthzReportSecurityEvent","features":[1,120]},{"name":"AuthzReportSecurityEventFromParams","features":[1,120]},{"name":"AuthzSetAppContainerInformation","features":[1,120]},{"name":"AuthzUninstallSecurityEventSource","features":[1,120]},{"name":"AuthzUnregisterCapChangeNotification","features":[1,120]},{"name":"AuthzUnregisterSecurityEventSource","features":[1,120]},{"name":"AzAuthorizationStore","features":[120]},{"name":"AzBizRuleContext","features":[120]},{"name":"AzPrincipalLocator","features":[120]},{"name":"BuildExplicitAccessWithNameA","features":[120]},{"name":"BuildExplicitAccessWithNameW","features":[120]},{"name":"BuildImpersonateExplicitAccessWithNameA","features":[120]},{"name":"BuildImpersonateExplicitAccessWithNameW","features":[120]},{"name":"BuildImpersonateTrusteeA","features":[120]},{"name":"BuildImpersonateTrusteeW","features":[120]},{"name":"BuildSecurityDescriptorA","features":[1,120]},{"name":"BuildSecurityDescriptorW","features":[1,120]},{"name":"BuildTrusteeWithNameA","features":[120]},{"name":"BuildTrusteeWithNameW","features":[120]},{"name":"BuildTrusteeWithObjectsAndNameA","features":[120]},{"name":"BuildTrusteeWithObjectsAndNameW","features":[120]},{"name":"BuildTrusteeWithObjectsAndSidA","features":[1,120]},{"name":"BuildTrusteeWithObjectsAndSidW","features":[1,120]},{"name":"BuildTrusteeWithSidA","features":[1,120]},{"name":"BuildTrusteeWithSidW","features":[1,120]},{"name":"ConvertSecurityDescriptorToStringSecurityDescriptorA","features":[1,120]},{"name":"ConvertSecurityDescriptorToStringSecurityDescriptorW","features":[1,120]},{"name":"ConvertSidToStringSidA","features":[1,120]},{"name":"ConvertSidToStringSidW","features":[1,120]},{"name":"ConvertStringSecurityDescriptorToSecurityDescriptorA","features":[1,120]},{"name":"ConvertStringSecurityDescriptorToSecurityDescriptorW","features":[1,120]},{"name":"ConvertStringSidToSidA","features":[1,120]},{"name":"ConvertStringSidToSidW","features":[1,120]},{"name":"DENY_ACCESS","features":[120]},{"name":"EXPLICIT_ACCESS_A","features":[120]},{"name":"EXPLICIT_ACCESS_W","features":[120]},{"name":"FN_OBJECT_MGR_FUNCTS","features":[120]},{"name":"FN_PROGRESS","features":[1,120]},{"name":"FreeInheritedFromArray","features":[1,120]},{"name":"GRANT_ACCESS","features":[120]},{"name":"GetAuditedPermissionsFromAclA","features":[1,120]},{"name":"GetAuditedPermissionsFromAclW","features":[1,120]},{"name":"GetEffectiveRightsFromAclA","features":[1,120]},{"name":"GetEffectiveRightsFromAclW","features":[1,120]},{"name":"GetExplicitEntriesFromAclA","features":[1,120]},{"name":"GetExplicitEntriesFromAclW","features":[1,120]},{"name":"GetInheritanceSourceA","features":[1,120]},{"name":"GetInheritanceSourceW","features":[1,120]},{"name":"GetMultipleTrusteeA","features":[120]},{"name":"GetMultipleTrusteeOperationA","features":[120]},{"name":"GetMultipleTrusteeOperationW","features":[120]},{"name":"GetMultipleTrusteeW","features":[120]},{"name":"GetNamedSecurityInfoA","features":[1,120]},{"name":"GetNamedSecurityInfoW","features":[1,120]},{"name":"GetSecurityInfo","features":[1,120]},{"name":"GetTrusteeFormA","features":[120]},{"name":"GetTrusteeFormW","features":[120]},{"name":"GetTrusteeNameA","features":[120]},{"name":"GetTrusteeNameW","features":[120]},{"name":"GetTrusteeTypeA","features":[120]},{"name":"GetTrusteeTypeW","features":[120]},{"name":"IAzApplication","features":[120]},{"name":"IAzApplication2","features":[120]},{"name":"IAzApplication3","features":[120]},{"name":"IAzApplicationGroup","features":[120]},{"name":"IAzApplicationGroup2","features":[120]},{"name":"IAzApplicationGroups","features":[120]},{"name":"IAzApplications","features":[120]},{"name":"IAzAuthorizationStore","features":[120]},{"name":"IAzAuthorizationStore2","features":[120]},{"name":"IAzAuthorizationStore3","features":[120]},{"name":"IAzBizRuleContext","features":[120]},{"name":"IAzBizRuleInterfaces","features":[120]},{"name":"IAzBizRuleParameters","features":[120]},{"name":"IAzClientContext","features":[120]},{"name":"IAzClientContext2","features":[120]},{"name":"IAzClientContext3","features":[120]},{"name":"IAzNameResolver","features":[120]},{"name":"IAzObjectPicker","features":[120]},{"name":"IAzOperation","features":[120]},{"name":"IAzOperation2","features":[120]},{"name":"IAzOperations","features":[120]},{"name":"IAzPrincipalLocator","features":[120]},{"name":"IAzRole","features":[120]},{"name":"IAzRoleAssignment","features":[120]},{"name":"IAzRoleAssignments","features":[120]},{"name":"IAzRoleDefinition","features":[120]},{"name":"IAzRoleDefinitions","features":[120]},{"name":"IAzRoles","features":[120]},{"name":"IAzScope","features":[120]},{"name":"IAzScope2","features":[120]},{"name":"IAzScopes","features":[120]},{"name":"IAzTask","features":[120]},{"name":"IAzTask2","features":[120]},{"name":"IAzTasks","features":[120]},{"name":"INHERITED_ACCESS_ENTRY","features":[120]},{"name":"INHERITED_FROMA","features":[120]},{"name":"INHERITED_FROMW","features":[120]},{"name":"INHERITED_GRANDPARENT","features":[120]},{"name":"INHERITED_PARENT","features":[120]},{"name":"LookupSecurityDescriptorPartsA","features":[1,120]},{"name":"LookupSecurityDescriptorPartsW","features":[1,120]},{"name":"MULTIPLE_TRUSTEE_OPERATION","features":[120]},{"name":"NOT_USED_ACCESS","features":[120]},{"name":"NO_MULTIPLE_TRUSTEE","features":[120]},{"name":"OBJECTS_AND_NAME_A","features":[120]},{"name":"OBJECTS_AND_NAME_W","features":[120]},{"name":"OBJECTS_AND_SID","features":[120]},{"name":"OLESCRIPT_E_SYNTAX","features":[120]},{"name":"PFN_AUTHZ_COMPUTE_DYNAMIC_GROUPS","features":[1,120]},{"name":"PFN_AUTHZ_DYNAMIC_ACCESS_CHECK","features":[1,120]},{"name":"PFN_AUTHZ_FREE_CENTRAL_ACCESS_POLICY","features":[120]},{"name":"PFN_AUTHZ_FREE_DYNAMIC_GROUPS","features":[1,120]},{"name":"PFN_AUTHZ_GET_CENTRAL_ACCESS_POLICY","features":[1,120]},{"name":"PROG_INVOKE_SETTING","features":[120]},{"name":"ProgressCancelOperation","features":[120]},{"name":"ProgressInvokeEveryObject","features":[120]},{"name":"ProgressInvokeNever","features":[120]},{"name":"ProgressInvokeOnError","features":[120]},{"name":"ProgressInvokePrePostError","features":[120]},{"name":"ProgressRetryOperation","features":[120]},{"name":"REVOKE_ACCESS","features":[120]},{"name":"SDDL_ACCESS_ALLOWED","features":[120]},{"name":"SDDL_ACCESS_CONTROL_ASSISTANCE_OPS","features":[120]},{"name":"SDDL_ACCESS_DENIED","features":[120]},{"name":"SDDL_ACCESS_FILTER","features":[120]},{"name":"SDDL_ACCOUNT_OPERATORS","features":[120]},{"name":"SDDL_ACE_BEGIN","features":[120]},{"name":"SDDL_ACE_COND_ATTRIBUTE_PREFIX","features":[120]},{"name":"SDDL_ACE_COND_BEGIN","features":[120]},{"name":"SDDL_ACE_COND_BLOB_PREFIX","features":[120]},{"name":"SDDL_ACE_COND_DEVICE_ATTRIBUTE_PREFIX","features":[120]},{"name":"SDDL_ACE_COND_END","features":[120]},{"name":"SDDL_ACE_COND_RESOURCE_ATTRIBUTE_PREFIX","features":[120]},{"name":"SDDL_ACE_COND_SID_PREFIX","features":[120]},{"name":"SDDL_ACE_COND_TOKEN_ATTRIBUTE_PREFIX","features":[120]},{"name":"SDDL_ACE_COND_USER_ATTRIBUTE_PREFIX","features":[120]},{"name":"SDDL_ACE_END","features":[120]},{"name":"SDDL_ALARM","features":[120]},{"name":"SDDL_ALIAS_PREW2KCOMPACC","features":[120]},{"name":"SDDL_ALIAS_SIZE","features":[120]},{"name":"SDDL_ALL_APP_PACKAGES","features":[120]},{"name":"SDDL_ANONYMOUS","features":[120]},{"name":"SDDL_AUDIT","features":[120]},{"name":"SDDL_AUDIT_FAILURE","features":[120]},{"name":"SDDL_AUDIT_SUCCESS","features":[120]},{"name":"SDDL_AUTHENTICATED_USERS","features":[120]},{"name":"SDDL_AUTHORITY_ASSERTED","features":[120]},{"name":"SDDL_AUTO_INHERITED","features":[120]},{"name":"SDDL_AUTO_INHERIT_REQ","features":[120]},{"name":"SDDL_BACKUP_OPERATORS","features":[120]},{"name":"SDDL_BLOB","features":[120]},{"name":"SDDL_BOOLEAN","features":[120]},{"name":"SDDL_BUILTIN_ADMINISTRATORS","features":[120]},{"name":"SDDL_BUILTIN_GUESTS","features":[120]},{"name":"SDDL_BUILTIN_USERS","features":[120]},{"name":"SDDL_CALLBACK_ACCESS_ALLOWED","features":[120]},{"name":"SDDL_CALLBACK_ACCESS_DENIED","features":[120]},{"name":"SDDL_CALLBACK_AUDIT","features":[120]},{"name":"SDDL_CALLBACK_OBJECT_ACCESS_ALLOWED","features":[120]},{"name":"SDDL_CERTSVC_DCOM_ACCESS","features":[120]},{"name":"SDDL_CERT_SERV_ADMINISTRATORS","features":[120]},{"name":"SDDL_CLONEABLE_CONTROLLERS","features":[120]},{"name":"SDDL_CONTAINER_INHERIT","features":[120]},{"name":"SDDL_CONTROL_ACCESS","features":[120]},{"name":"SDDL_CREATE_CHILD","features":[120]},{"name":"SDDL_CREATOR_GROUP","features":[120]},{"name":"SDDL_CREATOR_OWNER","features":[120]},{"name":"SDDL_CRITICAL","features":[120]},{"name":"SDDL_CRYPTO_OPERATORS","features":[120]},{"name":"SDDL_DACL","features":[120]},{"name":"SDDL_DELETE_CHILD","features":[120]},{"name":"SDDL_DELETE_TREE","features":[120]},{"name":"SDDL_DELIMINATOR","features":[120]},{"name":"SDDL_DOMAIN_ADMINISTRATORS","features":[120]},{"name":"SDDL_DOMAIN_COMPUTERS","features":[120]},{"name":"SDDL_DOMAIN_DOMAIN_CONTROLLERS","features":[120]},{"name":"SDDL_DOMAIN_GUESTS","features":[120]},{"name":"SDDL_DOMAIN_USERS","features":[120]},{"name":"SDDL_ENTERPRISE_ADMINS","features":[120]},{"name":"SDDL_ENTERPRISE_DOMAIN_CONTROLLERS","features":[120]},{"name":"SDDL_ENTERPRISE_KEY_ADMINS","features":[120]},{"name":"SDDL_ENTERPRISE_RO_DCs","features":[120]},{"name":"SDDL_EVENT_LOG_READERS","features":[120]},{"name":"SDDL_EVERYONE","features":[120]},{"name":"SDDL_FILE_ALL","features":[120]},{"name":"SDDL_FILE_EXECUTE","features":[120]},{"name":"SDDL_FILE_READ","features":[120]},{"name":"SDDL_FILE_WRITE","features":[120]},{"name":"SDDL_GENERIC_ALL","features":[120]},{"name":"SDDL_GENERIC_EXECUTE","features":[120]},{"name":"SDDL_GENERIC_READ","features":[120]},{"name":"SDDL_GENERIC_WRITE","features":[120]},{"name":"SDDL_GROUP","features":[120]},{"name":"SDDL_GROUP_POLICY_ADMINS","features":[120]},{"name":"SDDL_HYPER_V_ADMINS","features":[120]},{"name":"SDDL_IIS_USERS","features":[120]},{"name":"SDDL_INHERITED","features":[120]},{"name":"SDDL_INHERIT_ONLY","features":[120]},{"name":"SDDL_INT","features":[120]},{"name":"SDDL_INTERACTIVE","features":[120]},{"name":"SDDL_KEY_ADMINS","features":[120]},{"name":"SDDL_KEY_ALL","features":[120]},{"name":"SDDL_KEY_EXECUTE","features":[120]},{"name":"SDDL_KEY_READ","features":[120]},{"name":"SDDL_KEY_WRITE","features":[120]},{"name":"SDDL_LIST_CHILDREN","features":[120]},{"name":"SDDL_LIST_OBJECT","features":[120]},{"name":"SDDL_LOCAL_ADMIN","features":[120]},{"name":"SDDL_LOCAL_GUEST","features":[120]},{"name":"SDDL_LOCAL_SERVICE","features":[120]},{"name":"SDDL_LOCAL_SYSTEM","features":[120]},{"name":"SDDL_MANDATORY_LABEL","features":[120]},{"name":"SDDL_ML_HIGH","features":[120]},{"name":"SDDL_ML_LOW","features":[120]},{"name":"SDDL_ML_MEDIUM","features":[120]},{"name":"SDDL_ML_MEDIUM_PLUS","features":[120]},{"name":"SDDL_ML_SYSTEM","features":[120]},{"name":"SDDL_NETWORK","features":[120]},{"name":"SDDL_NETWORK_CONFIGURATION_OPS","features":[120]},{"name":"SDDL_NETWORK_SERVICE","features":[120]},{"name":"SDDL_NO_EXECUTE_UP","features":[120]},{"name":"SDDL_NO_PROPAGATE","features":[120]},{"name":"SDDL_NO_READ_UP","features":[120]},{"name":"SDDL_NO_WRITE_UP","features":[120]},{"name":"SDDL_NULL_ACL","features":[120]},{"name":"SDDL_OBJECT_ACCESS_ALLOWED","features":[120]},{"name":"SDDL_OBJECT_ACCESS_DENIED","features":[120]},{"name":"SDDL_OBJECT_ALARM","features":[120]},{"name":"SDDL_OBJECT_AUDIT","features":[120]},{"name":"SDDL_OBJECT_INHERIT","features":[120]},{"name":"SDDL_OWNER","features":[120]},{"name":"SDDL_OWNER_RIGHTS","features":[120]},{"name":"SDDL_PERFLOG_USERS","features":[120]},{"name":"SDDL_PERFMON_USERS","features":[120]},{"name":"SDDL_PERSONAL_SELF","features":[120]},{"name":"SDDL_POWER_USERS","features":[120]},{"name":"SDDL_PRINTER_OPERATORS","features":[120]},{"name":"SDDL_PROCESS_TRUST_LABEL","features":[120]},{"name":"SDDL_PROTECTED","features":[120]},{"name":"SDDL_PROTECTED_USERS","features":[120]},{"name":"SDDL_RAS_SERVERS","features":[120]},{"name":"SDDL_RDS_ENDPOINT_SERVERS","features":[120]},{"name":"SDDL_RDS_MANAGEMENT_SERVERS","features":[120]},{"name":"SDDL_RDS_REMOTE_ACCESS_SERVERS","features":[120]},{"name":"SDDL_READ_CONTROL","features":[120]},{"name":"SDDL_READ_PROPERTY","features":[120]},{"name":"SDDL_REMOTE_DESKTOP","features":[120]},{"name":"SDDL_REMOTE_MANAGEMENT_USERS","features":[120]},{"name":"SDDL_REPLICATOR","features":[120]},{"name":"SDDL_RESOURCE_ATTRIBUTE","features":[120]},{"name":"SDDL_RESTRICTED_CODE","features":[120]},{"name":"SDDL_REVISION","features":[120]},{"name":"SDDL_REVISION_1","features":[120]},{"name":"SDDL_SACL","features":[120]},{"name":"SDDL_SCHEMA_ADMINISTRATORS","features":[120]},{"name":"SDDL_SCOPED_POLICY_ID","features":[120]},{"name":"SDDL_SELF_WRITE","features":[120]},{"name":"SDDL_SEPERATOR","features":[120]},{"name":"SDDL_SERVER_OPERATORS","features":[120]},{"name":"SDDL_SERVICE","features":[120]},{"name":"SDDL_SERVICE_ASSERTED","features":[120]},{"name":"SDDL_SID","features":[120]},{"name":"SDDL_SPACE","features":[120]},{"name":"SDDL_STANDARD_DELETE","features":[120]},{"name":"SDDL_TRUST_PROTECTED_FILTER","features":[120]},{"name":"SDDL_UINT","features":[120]},{"name":"SDDL_USER_MODE_DRIVERS","features":[120]},{"name":"SDDL_WRITE_DAC","features":[120]},{"name":"SDDL_WRITE_OWNER","features":[120]},{"name":"SDDL_WRITE_PROPERTY","features":[120]},{"name":"SDDL_WRITE_RESTRICTED_CODE","features":[120]},{"name":"SDDL_WSTRING","features":[120]},{"name":"SET_ACCESS","features":[120]},{"name":"SET_AUDIT_FAILURE","features":[120]},{"name":"SET_AUDIT_SUCCESS","features":[120]},{"name":"SE_DS_OBJECT","features":[120]},{"name":"SE_DS_OBJECT_ALL","features":[120]},{"name":"SE_FILE_OBJECT","features":[120]},{"name":"SE_KERNEL_OBJECT","features":[120]},{"name":"SE_LMSHARE","features":[120]},{"name":"SE_OBJECT_TYPE","features":[120]},{"name":"SE_PRINTER","features":[120]},{"name":"SE_PROVIDER_DEFINED_OBJECT","features":[120]},{"name":"SE_REGISTRY_KEY","features":[120]},{"name":"SE_REGISTRY_WOW64_32KEY","features":[120]},{"name":"SE_REGISTRY_WOW64_64KEY","features":[120]},{"name":"SE_SERVICE","features":[120]},{"name":"SE_UNKNOWN_OBJECT_TYPE","features":[120]},{"name":"SE_WINDOW_OBJECT","features":[120]},{"name":"SE_WMIGUID_OBJECT","features":[120]},{"name":"SetEntriesInAclA","features":[1,120]},{"name":"SetEntriesInAclW","features":[1,120]},{"name":"SetNamedSecurityInfoA","features":[1,120]},{"name":"SetNamedSecurityInfoW","features":[1,120]},{"name":"SetSecurityInfo","features":[1,120]},{"name":"TREE_SEC_INFO","features":[120]},{"name":"TREE_SEC_INFO_RESET","features":[120]},{"name":"TREE_SEC_INFO_RESET_KEEP_EXPLICIT","features":[120]},{"name":"TREE_SEC_INFO_SET","features":[120]},{"name":"TRUSTEE_A","features":[120]},{"name":"TRUSTEE_ACCESSA","features":[120]},{"name":"TRUSTEE_ACCESSW","features":[120]},{"name":"TRUSTEE_ACCESS_ALL","features":[120]},{"name":"TRUSTEE_ACCESS_ALLOWED","features":[120]},{"name":"TRUSTEE_ACCESS_EXPLICIT","features":[120]},{"name":"TRUSTEE_ACCESS_READ","features":[120]},{"name":"TRUSTEE_ACCESS_WRITE","features":[120]},{"name":"TRUSTEE_BAD_FORM","features":[120]},{"name":"TRUSTEE_FORM","features":[120]},{"name":"TRUSTEE_IS_ALIAS","features":[120]},{"name":"TRUSTEE_IS_COMPUTER","features":[120]},{"name":"TRUSTEE_IS_DELETED","features":[120]},{"name":"TRUSTEE_IS_DOMAIN","features":[120]},{"name":"TRUSTEE_IS_GROUP","features":[120]},{"name":"TRUSTEE_IS_IMPERSONATE","features":[120]},{"name":"TRUSTEE_IS_INVALID","features":[120]},{"name":"TRUSTEE_IS_NAME","features":[120]},{"name":"TRUSTEE_IS_OBJECTS_AND_NAME","features":[120]},{"name":"TRUSTEE_IS_OBJECTS_AND_SID","features":[120]},{"name":"TRUSTEE_IS_SID","features":[120]},{"name":"TRUSTEE_IS_UNKNOWN","features":[120]},{"name":"TRUSTEE_IS_USER","features":[120]},{"name":"TRUSTEE_IS_WELL_KNOWN_GROUP","features":[120]},{"name":"TRUSTEE_TYPE","features":[120]},{"name":"TRUSTEE_W","features":[120]},{"name":"TreeResetNamedSecurityInfoA","features":[1,120]},{"name":"TreeResetNamedSecurityInfoW","features":[1,120]},{"name":"TreeSetNamedSecurityInfoA","features":[1,120]},{"name":"TreeSetNamedSecurityInfoW","features":[1,120]},{"name":"_AUTHZ_SS_MAXSIZE","features":[120]}],"486":[{"name":"BINARY_BLOB_CREDENTIAL_INFO","features":[118]},{"name":"BinaryBlobCredential","features":[118]},{"name":"BinaryBlobForSystem","features":[118]},{"name":"CERT_CREDENTIAL_INFO","features":[118]},{"name":"CERT_HASH_LENGTH","features":[118]},{"name":"CREDENTIALA","features":[1,118]},{"name":"CREDENTIALW","features":[1,118]},{"name":"CREDENTIAL_ATTRIBUTEA","features":[118]},{"name":"CREDENTIAL_ATTRIBUTEW","features":[118]},{"name":"CREDENTIAL_TARGET_INFORMATIONA","features":[118]},{"name":"CREDENTIAL_TARGET_INFORMATIONW","features":[118]},{"name":"CREDSPP_SUBMIT_TYPE","features":[118]},{"name":"CREDSSP_CRED","features":[118]},{"name":"CREDSSP_CRED_EX","features":[118]},{"name":"CREDSSP_CRED_EX_VERSION","features":[118]},{"name":"CREDSSP_FLAG_REDIRECT","features":[118]},{"name":"CREDSSP_NAME","features":[118]},{"name":"CREDSSP_SERVER_AUTH_CERTIFICATE","features":[118]},{"name":"CREDSSP_SERVER_AUTH_LOOPBACK","features":[118]},{"name":"CREDSSP_SERVER_AUTH_NEGOTIATE","features":[118]},{"name":"CREDUIWIN_AUTHPACKAGE_ONLY","features":[118]},{"name":"CREDUIWIN_CHECKBOX","features":[118]},{"name":"CREDUIWIN_DOWNLEVEL_HELLO_AS_SMART_CARD","features":[118]},{"name":"CREDUIWIN_ENUMERATE_ADMINS","features":[118]},{"name":"CREDUIWIN_ENUMERATE_CURRENT_USER","features":[118]},{"name":"CREDUIWIN_FLAGS","features":[118]},{"name":"CREDUIWIN_GENERIC","features":[118]},{"name":"CREDUIWIN_IGNORE_CLOUDAUTHORITY_NAME","features":[118]},{"name":"CREDUIWIN_IN_CRED_ONLY","features":[118]},{"name":"CREDUIWIN_PACK_32_WOW","features":[118]},{"name":"CREDUIWIN_PREPROMPTING","features":[118]},{"name":"CREDUIWIN_SECURE_PROMPT","features":[118]},{"name":"CREDUI_FLAGS","features":[118]},{"name":"CREDUI_FLAGS_ALWAYS_SHOW_UI","features":[118]},{"name":"CREDUI_FLAGS_COMPLETE_USERNAME","features":[118]},{"name":"CREDUI_FLAGS_DO_NOT_PERSIST","features":[118]},{"name":"CREDUI_FLAGS_EXCLUDE_CERTIFICATES","features":[118]},{"name":"CREDUI_FLAGS_EXPECT_CONFIRMATION","features":[118]},{"name":"CREDUI_FLAGS_GENERIC_CREDENTIALS","features":[118]},{"name":"CREDUI_FLAGS_INCORRECT_PASSWORD","features":[118]},{"name":"CREDUI_FLAGS_KEEP_USERNAME","features":[118]},{"name":"CREDUI_FLAGS_PASSWORD_ONLY_OK","features":[118]},{"name":"CREDUI_FLAGS_PERSIST","features":[118]},{"name":"CREDUI_FLAGS_REQUEST_ADMINISTRATOR","features":[118]},{"name":"CREDUI_FLAGS_REQUIRE_CERTIFICATE","features":[118]},{"name":"CREDUI_FLAGS_REQUIRE_SMARTCARD","features":[118]},{"name":"CREDUI_FLAGS_SERVER_CREDENTIAL","features":[118]},{"name":"CREDUI_FLAGS_SHOW_SAVE_CHECK_BOX","features":[118]},{"name":"CREDUI_FLAGS_USERNAME_TARGET_CREDENTIALS","features":[118]},{"name":"CREDUI_FLAGS_VALIDATE_USERNAME","features":[118]},{"name":"CREDUI_INFOA","features":[1,12,118]},{"name":"CREDUI_INFOW","features":[1,12,118]},{"name":"CREDUI_MAX_CAPTION_LENGTH","features":[118]},{"name":"CREDUI_MAX_DOMAIN_TARGET_LENGTH","features":[118]},{"name":"CREDUI_MAX_GENERIC_TARGET_LENGTH","features":[118]},{"name":"CREDUI_MAX_MESSAGE_LENGTH","features":[118]},{"name":"CREDUI_MAX_USERNAME_LENGTH","features":[118]},{"name":"CRED_ALLOW_NAME_RESOLUTION","features":[118]},{"name":"CRED_CACHE_TARGET_INFORMATION","features":[118]},{"name":"CRED_ENUMERATE_ALL_CREDENTIALS","features":[118]},{"name":"CRED_ENUMERATE_FLAGS","features":[118]},{"name":"CRED_FLAGS","features":[118]},{"name":"CRED_FLAGS_NGC_CERT","features":[118]},{"name":"CRED_FLAGS_OWF_CRED_BLOB","features":[118]},{"name":"CRED_FLAGS_PASSWORD_FOR_CERT","features":[118]},{"name":"CRED_FLAGS_PROMPT_NOW","features":[118]},{"name":"CRED_FLAGS_REQUIRE_CONFIRMATION","features":[118]},{"name":"CRED_FLAGS_USERNAME_TARGET","features":[118]},{"name":"CRED_FLAGS_VALID_FLAGS","features":[118]},{"name":"CRED_FLAGS_VALID_INPUT_FLAGS","features":[118]},{"name":"CRED_FLAGS_VSM_PROTECTED","features":[118]},{"name":"CRED_FLAGS_WILDCARD_MATCH","features":[118]},{"name":"CRED_LOGON_TYPES_MASK","features":[118]},{"name":"CRED_MARSHAL_TYPE","features":[118]},{"name":"CRED_MAX_ATTRIBUTES","features":[118]},{"name":"CRED_MAX_CREDENTIAL_BLOB_SIZE","features":[118]},{"name":"CRED_MAX_DOMAIN_TARGET_NAME_LENGTH","features":[118]},{"name":"CRED_MAX_GENERIC_TARGET_NAME_LENGTH","features":[118]},{"name":"CRED_MAX_STRING_LENGTH","features":[118]},{"name":"CRED_MAX_TARGETNAME_ATTRIBUTE_LENGTH","features":[118]},{"name":"CRED_MAX_TARGETNAME_NAMESPACE_LENGTH","features":[118]},{"name":"CRED_MAX_USERNAME_LENGTH","features":[118]},{"name":"CRED_MAX_VALUE_SIZE","features":[118]},{"name":"CRED_PACK_FLAGS","features":[118]},{"name":"CRED_PACK_GENERIC_CREDENTIALS","features":[118]},{"name":"CRED_PACK_ID_PROVIDER_CREDENTIALS","features":[118]},{"name":"CRED_PACK_PROTECTED_CREDENTIALS","features":[118]},{"name":"CRED_PACK_WOW_BUFFER","features":[118]},{"name":"CRED_PERSIST","features":[118]},{"name":"CRED_PERSIST_ENTERPRISE","features":[118]},{"name":"CRED_PERSIST_LOCAL_MACHINE","features":[118]},{"name":"CRED_PERSIST_NONE","features":[118]},{"name":"CRED_PERSIST_SESSION","features":[118]},{"name":"CRED_PRESERVE_CREDENTIAL_BLOB","features":[118]},{"name":"CRED_PROTECTION_TYPE","features":[118]},{"name":"CRED_PROTECT_AS_SELF","features":[118]},{"name":"CRED_PROTECT_TO_SYSTEM","features":[118]},{"name":"CRED_SESSION_WILDCARD_NAME","features":[118]},{"name":"CRED_SESSION_WILDCARD_NAME_A","features":[118]},{"name":"CRED_SESSION_WILDCARD_NAME_W","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_BATCH","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_BATCH_A","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_BATCH_W","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_CACHEDINTERACTIVE","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_CACHEDINTERACTIVE_A","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_CACHEDINTERACTIVE_W","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_INTERACTIVE","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_INTERACTIVE_A","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_INTERACTIVE_W","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_NAME","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_NAME_A","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_NAME_W","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_NETWORK","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_NETWORKCLEARTEXT","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_NETWORKCLEARTEXT_A","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_NETWORKCLEARTEXT_W","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_NETWORK_A","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_NETWORK_W","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_REMOTEINTERACTIVE","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_REMOTEINTERACTIVE_A","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_REMOTEINTERACTIVE_W","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_SERVICE","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_SERVICE_A","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_SERVICE_W","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_TARGET","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_TARGET_A","features":[118]},{"name":"CRED_TARGETNAME_ATTRIBUTE_TARGET_W","features":[118]},{"name":"CRED_TARGETNAME_DOMAIN_NAMESPACE","features":[118]},{"name":"CRED_TARGETNAME_DOMAIN_NAMESPACE_A","features":[118]},{"name":"CRED_TARGETNAME_DOMAIN_NAMESPACE_W","features":[118]},{"name":"CRED_TARGETNAME_LEGACYGENERIC_NAMESPACE_A","features":[118]},{"name":"CRED_TARGETNAME_LEGACYGENERIC_NAMESPACE_W","features":[118]},{"name":"CRED_TI_CREATE_EXPLICIT_CRED","features":[118]},{"name":"CRED_TI_DNSTREE_IS_DFS_SERVER","features":[118]},{"name":"CRED_TI_DOMAIN_FORMAT_UNKNOWN","features":[118]},{"name":"CRED_TI_ONLY_PASSWORD_REQUIRED","features":[118]},{"name":"CRED_TI_SERVER_FORMAT_UNKNOWN","features":[118]},{"name":"CRED_TI_USERNAME_TARGET","features":[118]},{"name":"CRED_TI_VALID_FLAGS","features":[118]},{"name":"CRED_TI_WORKGROUP_MEMBER","features":[118]},{"name":"CRED_TYPE","features":[118]},{"name":"CRED_TYPE_DOMAIN_CERTIFICATE","features":[118]},{"name":"CRED_TYPE_DOMAIN_EXTENDED","features":[118]},{"name":"CRED_TYPE_DOMAIN_PASSWORD","features":[118]},{"name":"CRED_TYPE_DOMAIN_VISIBLE_PASSWORD","features":[118]},{"name":"CRED_TYPE_GENERIC","features":[118]},{"name":"CRED_TYPE_GENERIC_CERTIFICATE","features":[118]},{"name":"CRED_TYPE_MAXIMUM","features":[118]},{"name":"CRED_TYPE_MAXIMUM_EX","features":[118]},{"name":"CRED_UNPROTECT_ALLOW_TO_SYSTEM","features":[118]},{"name":"CRED_UNPROTECT_AS_SELF","features":[118]},{"name":"CertCredential","features":[118]},{"name":"CredDeleteA","features":[1,118]},{"name":"CredDeleteW","features":[1,118]},{"name":"CredEnumerateA","features":[1,118]},{"name":"CredEnumerateW","features":[1,118]},{"name":"CredFindBestCredentialA","features":[1,118]},{"name":"CredFindBestCredentialW","features":[1,118]},{"name":"CredForSystemProtection","features":[118]},{"name":"CredFree","features":[118]},{"name":"CredGetSessionTypes","features":[1,118]},{"name":"CredGetTargetInfoA","features":[1,118]},{"name":"CredGetTargetInfoW","features":[1,118]},{"name":"CredIsMarshaledCredentialA","features":[1,118]},{"name":"CredIsMarshaledCredentialW","features":[1,118]},{"name":"CredIsProtectedA","features":[1,118]},{"name":"CredIsProtectedW","features":[1,118]},{"name":"CredMarshalCredentialA","features":[1,118]},{"name":"CredMarshalCredentialW","features":[1,118]},{"name":"CredPackAuthenticationBufferA","features":[1,118]},{"name":"CredPackAuthenticationBufferW","features":[1,118]},{"name":"CredProtectA","features":[1,118]},{"name":"CredProtectW","features":[1,118]},{"name":"CredReadA","features":[1,118]},{"name":"CredReadDomainCredentialsA","features":[1,118]},{"name":"CredReadDomainCredentialsW","features":[1,118]},{"name":"CredReadW","features":[1,118]},{"name":"CredRenameA","features":[1,118]},{"name":"CredRenameW","features":[1,118]},{"name":"CredTrustedProtection","features":[118]},{"name":"CredUICmdLinePromptForCredentialsA","features":[1,118]},{"name":"CredUICmdLinePromptForCredentialsW","features":[1,118]},{"name":"CredUIConfirmCredentialsA","features":[1,118]},{"name":"CredUIConfirmCredentialsW","features":[1,118]},{"name":"CredUIParseUserNameA","features":[118]},{"name":"CredUIParseUserNameW","features":[118]},{"name":"CredUIPromptForCredentialsA","features":[1,12,118]},{"name":"CredUIPromptForCredentialsW","features":[1,12,118]},{"name":"CredUIPromptForWindowsCredentialsA","features":[1,12,118]},{"name":"CredUIPromptForWindowsCredentialsW","features":[1,12,118]},{"name":"CredUIReadSSOCredW","features":[118]},{"name":"CredUIStoreSSOCredW","features":[1,118]},{"name":"CredUnPackAuthenticationBufferA","features":[1,118]},{"name":"CredUnPackAuthenticationBufferW","features":[1,118]},{"name":"CredUnmarshalCredentialA","features":[1,118]},{"name":"CredUnmarshalCredentialW","features":[1,118]},{"name":"CredUnprotectA","features":[1,118]},{"name":"CredUnprotectW","features":[1,118]},{"name":"CredUnprotected","features":[118]},{"name":"CredUserProtection","features":[118]},{"name":"CredWriteA","features":[1,118]},{"name":"CredWriteDomainCredentialsA","features":[1,118]},{"name":"CredWriteDomainCredentialsW","features":[1,118]},{"name":"CredWriteW","features":[1,118]},{"name":"CredsspCertificateCreds","features":[118]},{"name":"CredsspCredEx","features":[118]},{"name":"CredsspPasswordCreds","features":[118]},{"name":"CredsspSchannelCreds","features":[118]},{"name":"CredsspSubmitBufferBoth","features":[118]},{"name":"CredsspSubmitBufferBothOld","features":[118]},{"name":"FILE_DEVICE_SMARTCARD","features":[118]},{"name":"GUID_DEVINTERFACE_SMARTCARD_READER","features":[118]},{"name":"GetOpenCardNameA","features":[1,118]},{"name":"GetOpenCardNameW","features":[1,118]},{"name":"KeyCredentialManagerFreeInformation","features":[118]},{"name":"KeyCredentialManagerGetInformation","features":[118]},{"name":"KeyCredentialManagerGetOperationErrorStates","features":[1,118]},{"name":"KeyCredentialManagerInfo","features":[118]},{"name":"KeyCredentialManagerOperationErrorStateCertificateFailure","features":[118]},{"name":"KeyCredentialManagerOperationErrorStateDeviceJoinFailure","features":[118]},{"name":"KeyCredentialManagerOperationErrorStateHardwareFailure","features":[118]},{"name":"KeyCredentialManagerOperationErrorStateNone","features":[118]},{"name":"KeyCredentialManagerOperationErrorStatePinExistsFailure","features":[118]},{"name":"KeyCredentialManagerOperationErrorStatePolicyFailure","features":[118]},{"name":"KeyCredentialManagerOperationErrorStateRemoteSessionFailure","features":[118]},{"name":"KeyCredentialManagerOperationErrorStateTokenFailure","features":[118]},{"name":"KeyCredentialManagerOperationErrorStates","features":[118]},{"name":"KeyCredentialManagerOperationType","features":[118]},{"name":"KeyCredentialManagerPinChange","features":[118]},{"name":"KeyCredentialManagerPinReset","features":[118]},{"name":"KeyCredentialManagerProvisioning","features":[118]},{"name":"KeyCredentialManagerShowUIOperation","features":[1,118]},{"name":"LPOCNCHKPROC","features":[1,118]},{"name":"LPOCNCONNPROCA","features":[118]},{"name":"LPOCNCONNPROCW","features":[118]},{"name":"LPOCNDSCPROC","features":[118]},{"name":"MAXIMUM_ATTR_STRING_LENGTH","features":[118]},{"name":"MAXIMUM_SMARTCARD_READERS","features":[118]},{"name":"OPENCARDNAMEA","features":[1,118]},{"name":"OPENCARDNAMEW","features":[1,118]},{"name":"OPENCARDNAME_EXA","features":[1,118,50]},{"name":"OPENCARDNAME_EXW","features":[1,118,50]},{"name":"OPENCARD_SEARCH_CRITERIAA","features":[1,118]},{"name":"OPENCARD_SEARCH_CRITERIAW","features":[1,118]},{"name":"READER_SEL_REQUEST","features":[118]},{"name":"READER_SEL_REQUEST_MATCH_TYPE","features":[118]},{"name":"READER_SEL_RESPONSE","features":[118]},{"name":"RSR_MATCH_TYPE_ALL_CARDS","features":[118]},{"name":"RSR_MATCH_TYPE_READER_AND_CONTAINER","features":[118]},{"name":"RSR_MATCH_TYPE_SERIAL_NUMBER","features":[118]},{"name":"SCARD_ABSENT","features":[118]},{"name":"SCARD_ALL_READERS","features":[118]},{"name":"SCARD_ATRMASK","features":[118]},{"name":"SCARD_ATR_LENGTH","features":[118]},{"name":"SCARD_AUDIT_CHV_FAILURE","features":[118]},{"name":"SCARD_AUDIT_CHV_SUCCESS","features":[118]},{"name":"SCARD_CLASS_COMMUNICATIONS","features":[118]},{"name":"SCARD_CLASS_ICC_STATE","features":[118]},{"name":"SCARD_CLASS_IFD_PROTOCOL","features":[118]},{"name":"SCARD_CLASS_MECHANICAL","features":[118]},{"name":"SCARD_CLASS_PERF","features":[118]},{"name":"SCARD_CLASS_POWER_MGMT","features":[118]},{"name":"SCARD_CLASS_PROTOCOL","features":[118]},{"name":"SCARD_CLASS_SECURITY","features":[118]},{"name":"SCARD_CLASS_SYSTEM","features":[118]},{"name":"SCARD_CLASS_VENDOR_DEFINED","features":[118]},{"name":"SCARD_CLASS_VENDOR_INFO","features":[118]},{"name":"SCARD_COLD_RESET","features":[118]},{"name":"SCARD_DEFAULT_READERS","features":[118]},{"name":"SCARD_EJECT_CARD","features":[118]},{"name":"SCARD_IO_REQUEST","features":[118]},{"name":"SCARD_LEAVE_CARD","features":[118]},{"name":"SCARD_LOCAL_READERS","features":[118]},{"name":"SCARD_NEGOTIABLE","features":[118]},{"name":"SCARD_POWERED","features":[118]},{"name":"SCARD_POWER_DOWN","features":[118]},{"name":"SCARD_PRESENT","features":[118]},{"name":"SCARD_PROTOCOL_DEFAULT","features":[118]},{"name":"SCARD_PROTOCOL_OPTIMAL","features":[118]},{"name":"SCARD_PROTOCOL_RAW","features":[118]},{"name":"SCARD_PROTOCOL_T0","features":[118]},{"name":"SCARD_PROTOCOL_T1","features":[118]},{"name":"SCARD_PROTOCOL_UNDEFINED","features":[118]},{"name":"SCARD_PROVIDER_CSP","features":[118]},{"name":"SCARD_PROVIDER_KSP","features":[118]},{"name":"SCARD_PROVIDER_PRIMARY","features":[118]},{"name":"SCARD_READERSTATEA","features":[118]},{"name":"SCARD_READERSTATEW","features":[118]},{"name":"SCARD_READER_CONFISCATES","features":[118]},{"name":"SCARD_READER_CONTACTLESS","features":[118]},{"name":"SCARD_READER_EJECTS","features":[118]},{"name":"SCARD_READER_SWALLOWS","features":[118]},{"name":"SCARD_READER_TYPE_EMBEDDEDSE","features":[118]},{"name":"SCARD_READER_TYPE_IDE","features":[118]},{"name":"SCARD_READER_TYPE_KEYBOARD","features":[118]},{"name":"SCARD_READER_TYPE_NFC","features":[118]},{"name":"SCARD_READER_TYPE_NGC","features":[118]},{"name":"SCARD_READER_TYPE_PARALELL","features":[118]},{"name":"SCARD_READER_TYPE_PCMCIA","features":[118]},{"name":"SCARD_READER_TYPE_SCSI","features":[118]},{"name":"SCARD_READER_TYPE_SERIAL","features":[118]},{"name":"SCARD_READER_TYPE_TPM","features":[118]},{"name":"SCARD_READER_TYPE_UICC","features":[118]},{"name":"SCARD_READER_TYPE_USB","features":[118]},{"name":"SCARD_READER_TYPE_VENDOR","features":[118]},{"name":"SCARD_RESET_CARD","features":[118]},{"name":"SCARD_SCOPE","features":[118]},{"name":"SCARD_SCOPE_SYSTEM","features":[118]},{"name":"SCARD_SCOPE_TERMINAL","features":[118]},{"name":"SCARD_SCOPE_USER","features":[118]},{"name":"SCARD_SHARE_DIRECT","features":[118]},{"name":"SCARD_SHARE_EXCLUSIVE","features":[118]},{"name":"SCARD_SHARE_SHARED","features":[118]},{"name":"SCARD_SPECIFIC","features":[118]},{"name":"SCARD_STATE","features":[118]},{"name":"SCARD_STATE_ATRMATCH","features":[118]},{"name":"SCARD_STATE_CHANGED","features":[118]},{"name":"SCARD_STATE_EMPTY","features":[118]},{"name":"SCARD_STATE_EXCLUSIVE","features":[118]},{"name":"SCARD_STATE_IGNORE","features":[118]},{"name":"SCARD_STATE_INUSE","features":[118]},{"name":"SCARD_STATE_MUTE","features":[118]},{"name":"SCARD_STATE_PRESENT","features":[118]},{"name":"SCARD_STATE_UNAVAILABLE","features":[118]},{"name":"SCARD_STATE_UNAWARE","features":[118]},{"name":"SCARD_STATE_UNKNOWN","features":[118]},{"name":"SCARD_STATE_UNPOWERED","features":[118]},{"name":"SCARD_SWALLOWED","features":[118]},{"name":"SCARD_SYSTEM_READERS","features":[118]},{"name":"SCARD_T0_CMD_LENGTH","features":[118]},{"name":"SCARD_T0_COMMAND","features":[118]},{"name":"SCARD_T0_HEADER_LENGTH","features":[118]},{"name":"SCARD_T0_REQUEST","features":[118]},{"name":"SCARD_T1_EPILOGUE_LENGTH","features":[118]},{"name":"SCARD_T1_EPILOGUE_LENGTH_LRC","features":[118]},{"name":"SCARD_T1_MAX_IFS","features":[118]},{"name":"SCARD_T1_PROLOGUE_LENGTH","features":[118]},{"name":"SCARD_T1_REQUEST","features":[118]},{"name":"SCARD_UNKNOWN","features":[118]},{"name":"SCARD_UNPOWER_CARD","features":[118]},{"name":"SCARD_WARM_RESET","features":[118]},{"name":"SCERR_NOCARDNAME","features":[118]},{"name":"SCERR_NOGUIDS","features":[118]},{"name":"SC_DLG_FORCE_UI","features":[118]},{"name":"SC_DLG_MINIMAL_UI","features":[118]},{"name":"SC_DLG_NO_UI","features":[118]},{"name":"SCardAccessStartedEvent","features":[1,118]},{"name":"SCardAddReaderToGroupA","features":[118]},{"name":"SCardAddReaderToGroupW","features":[118]},{"name":"SCardAudit","features":[118]},{"name":"SCardBeginTransaction","features":[118]},{"name":"SCardCancel","features":[118]},{"name":"SCardConnectA","features":[118]},{"name":"SCardConnectW","features":[118]},{"name":"SCardControl","features":[118]},{"name":"SCardDisconnect","features":[118]},{"name":"SCardDlgExtendedError","features":[118]},{"name":"SCardEndTransaction","features":[118]},{"name":"SCardEstablishContext","features":[118]},{"name":"SCardForgetCardTypeA","features":[118]},{"name":"SCardForgetCardTypeW","features":[118]},{"name":"SCardForgetReaderA","features":[118]},{"name":"SCardForgetReaderGroupA","features":[118]},{"name":"SCardForgetReaderGroupW","features":[118]},{"name":"SCardForgetReaderW","features":[118]},{"name":"SCardFreeMemory","features":[118]},{"name":"SCardGetAttrib","features":[118]},{"name":"SCardGetCardTypeProviderNameA","features":[118]},{"name":"SCardGetCardTypeProviderNameW","features":[118]},{"name":"SCardGetDeviceTypeIdA","features":[118]},{"name":"SCardGetDeviceTypeIdW","features":[118]},{"name":"SCardGetProviderIdA","features":[118]},{"name":"SCardGetProviderIdW","features":[118]},{"name":"SCardGetReaderDeviceInstanceIdA","features":[118]},{"name":"SCardGetReaderDeviceInstanceIdW","features":[118]},{"name":"SCardGetReaderIconA","features":[118]},{"name":"SCardGetReaderIconW","features":[118]},{"name":"SCardGetStatusChangeA","features":[118]},{"name":"SCardGetStatusChangeW","features":[118]},{"name":"SCardGetTransmitCount","features":[118]},{"name":"SCardIntroduceCardTypeA","features":[118]},{"name":"SCardIntroduceCardTypeW","features":[118]},{"name":"SCardIntroduceReaderA","features":[118]},{"name":"SCardIntroduceReaderGroupA","features":[118]},{"name":"SCardIntroduceReaderGroupW","features":[118]},{"name":"SCardIntroduceReaderW","features":[118]},{"name":"SCardIsValidContext","features":[118]},{"name":"SCardListCardsA","features":[118]},{"name":"SCardListCardsW","features":[118]},{"name":"SCardListInterfacesA","features":[118]},{"name":"SCardListInterfacesW","features":[118]},{"name":"SCardListReaderGroupsA","features":[118]},{"name":"SCardListReaderGroupsW","features":[118]},{"name":"SCardListReadersA","features":[118]},{"name":"SCardListReadersW","features":[118]},{"name":"SCardListReadersWithDeviceInstanceIdA","features":[118]},{"name":"SCardListReadersWithDeviceInstanceIdW","features":[118]},{"name":"SCardLocateCardsA","features":[118]},{"name":"SCardLocateCardsByATRA","features":[118]},{"name":"SCardLocateCardsByATRW","features":[118]},{"name":"SCardLocateCardsW","features":[118]},{"name":"SCardReadCacheA","features":[118]},{"name":"SCardReadCacheW","features":[118]},{"name":"SCardReconnect","features":[118]},{"name":"SCardReleaseContext","features":[118]},{"name":"SCardReleaseStartedEvent","features":[118]},{"name":"SCardRemoveReaderFromGroupA","features":[118]},{"name":"SCardRemoveReaderFromGroupW","features":[118]},{"name":"SCardSetAttrib","features":[118]},{"name":"SCardSetCardTypeProviderNameA","features":[118]},{"name":"SCardSetCardTypeProviderNameW","features":[118]},{"name":"SCardState","features":[118]},{"name":"SCardStatusA","features":[118]},{"name":"SCardStatusW","features":[118]},{"name":"SCardTransmit","features":[118]},{"name":"SCardUIDlgSelectCardA","features":[1,118,50]},{"name":"SCardUIDlgSelectCardW","features":[1,118,50]},{"name":"SCardWriteCacheA","features":[118]},{"name":"SCardWriteCacheW","features":[118]},{"name":"SECPKG_ALT_ATTR","features":[118]},{"name":"SECPKG_ATTR_C_FULL_IDENT_TOKEN","features":[118]},{"name":"STATUS_ACCOUNT_DISABLED","features":[1,118]},{"name":"STATUS_ACCOUNT_EXPIRED","features":[1,118]},{"name":"STATUS_ACCOUNT_LOCKED_OUT","features":[1,118]},{"name":"STATUS_ACCOUNT_RESTRICTION","features":[1,118]},{"name":"STATUS_AUTHENTICATION_FIREWALL_FAILED","features":[1,118]},{"name":"STATUS_DOWNGRADE_DETECTED","features":[1,118]},{"name":"STATUS_LOGON_FAILURE","features":[1,118]},{"name":"STATUS_LOGON_TYPE_NOT_GRANTED","features":[1,118]},{"name":"STATUS_NO_SUCH_LOGON_SESSION","features":[1,118]},{"name":"STATUS_NO_SUCH_USER","features":[1,118]},{"name":"STATUS_PASSWORD_EXPIRED","features":[1,118]},{"name":"STATUS_PASSWORD_MUST_CHANGE","features":[1,118]},{"name":"STATUS_WRONG_PASSWORD","features":[1,118]},{"name":"SecHandle","features":[118]},{"name":"SecPkgContext_ClientCreds","features":[118]},{"name":"TS_SSP_NAME","features":[118]},{"name":"TS_SSP_NAME_A","features":[118]},{"name":"USERNAME_TARGET_CREDENTIAL_INFO","features":[118]},{"name":"UsernameForPackedCredentials","features":[118]},{"name":"UsernameTargetCredential","features":[118]},{"name":"szOID_TS_KP_TS_SERVER_AUTH","features":[118]}],"487":[{"name":"ALG_CLASS_ALL","features":[68]},{"name":"ALG_CLASS_ANY","features":[68]},{"name":"ALG_CLASS_DATA_ENCRYPT","features":[68]},{"name":"ALG_CLASS_HASH","features":[68]},{"name":"ALG_CLASS_KEY_EXCHANGE","features":[68]},{"name":"ALG_CLASS_MSG_ENCRYPT","features":[68]},{"name":"ALG_CLASS_SIGNATURE","features":[68]},{"name":"ALG_ID","features":[68]},{"name":"ALG_SID_3DES","features":[68]},{"name":"ALG_SID_3DES_112","features":[68]},{"name":"ALG_SID_AES","features":[68]},{"name":"ALG_SID_AES_128","features":[68]},{"name":"ALG_SID_AES_192","features":[68]},{"name":"ALG_SID_AES_256","features":[68]},{"name":"ALG_SID_AGREED_KEY_ANY","features":[68]},{"name":"ALG_SID_ANY","features":[68]},{"name":"ALG_SID_CAST","features":[68]},{"name":"ALG_SID_CYLINK_MEK","features":[68]},{"name":"ALG_SID_DES","features":[68]},{"name":"ALG_SID_DESX","features":[68]},{"name":"ALG_SID_DH_EPHEM","features":[68]},{"name":"ALG_SID_DH_SANDF","features":[68]},{"name":"ALG_SID_DSS_ANY","features":[68]},{"name":"ALG_SID_DSS_DMS","features":[68]},{"name":"ALG_SID_DSS_PKCS","features":[68]},{"name":"ALG_SID_ECDH","features":[68]},{"name":"ALG_SID_ECDH_EPHEM","features":[68]},{"name":"ALG_SID_ECDSA","features":[68]},{"name":"ALG_SID_ECMQV","features":[68]},{"name":"ALG_SID_EXAMPLE","features":[68]},{"name":"ALG_SID_HASH_REPLACE_OWF","features":[68]},{"name":"ALG_SID_HMAC","features":[68]},{"name":"ALG_SID_IDEA","features":[68]},{"name":"ALG_SID_KEA","features":[68]},{"name":"ALG_SID_MAC","features":[68]},{"name":"ALG_SID_MD2","features":[68]},{"name":"ALG_SID_MD4","features":[68]},{"name":"ALG_SID_MD5","features":[68]},{"name":"ALG_SID_PCT1_MASTER","features":[68]},{"name":"ALG_SID_RC2","features":[68]},{"name":"ALG_SID_RC4","features":[68]},{"name":"ALG_SID_RC5","features":[68]},{"name":"ALG_SID_RIPEMD","features":[68]},{"name":"ALG_SID_RIPEMD160","features":[68]},{"name":"ALG_SID_RSA_ANY","features":[68]},{"name":"ALG_SID_RSA_ENTRUST","features":[68]},{"name":"ALG_SID_RSA_MSATWORK","features":[68]},{"name":"ALG_SID_RSA_PGP","features":[68]},{"name":"ALG_SID_RSA_PKCS","features":[68]},{"name":"ALG_SID_SAFERSK128","features":[68]},{"name":"ALG_SID_SAFERSK64","features":[68]},{"name":"ALG_SID_SCHANNEL_ENC_KEY","features":[68]},{"name":"ALG_SID_SCHANNEL_MAC_KEY","features":[68]},{"name":"ALG_SID_SCHANNEL_MASTER_HASH","features":[68]},{"name":"ALG_SID_SEAL","features":[68]},{"name":"ALG_SID_SHA","features":[68]},{"name":"ALG_SID_SHA1","features":[68]},{"name":"ALG_SID_SHA_256","features":[68]},{"name":"ALG_SID_SHA_384","features":[68]},{"name":"ALG_SID_SHA_512","features":[68]},{"name":"ALG_SID_SKIPJACK","features":[68]},{"name":"ALG_SID_SSL2_MASTER","features":[68]},{"name":"ALG_SID_SSL3SHAMD5","features":[68]},{"name":"ALG_SID_SSL3_MASTER","features":[68]},{"name":"ALG_SID_TEK","features":[68]},{"name":"ALG_SID_THIRDPARTY_ANY","features":[68]},{"name":"ALG_SID_TLS1PRF","features":[68]},{"name":"ALG_SID_TLS1_MASTER","features":[68]},{"name":"ALG_TYPE_ANY","features":[68]},{"name":"ALG_TYPE_BLOCK","features":[68]},{"name":"ALG_TYPE_DH","features":[68]},{"name":"ALG_TYPE_DSS","features":[68]},{"name":"ALG_TYPE_ECDH","features":[68]},{"name":"ALG_TYPE_RSA","features":[68]},{"name":"ALG_TYPE_SECURECHANNEL","features":[68]},{"name":"ALG_TYPE_STREAM","features":[68]},{"name":"ALG_TYPE_THIRDPARTY","features":[68]},{"name":"AT_KEYEXCHANGE","features":[68]},{"name":"AT_SIGNATURE","features":[68]},{"name":"AUDIT_CARD_DELETE","features":[68]},{"name":"AUDIT_CARD_IMPORT","features":[68]},{"name":"AUDIT_CARD_WRITTEN","features":[68]},{"name":"AUDIT_SERVICE_IDLE_STOP","features":[68]},{"name":"AUDIT_STORE_DELETE","features":[68]},{"name":"AUDIT_STORE_EXPORT","features":[68]},{"name":"AUDIT_STORE_IMPORT","features":[68]},{"name":"AUTHENTICODE_EXTRA_CERT_CHAIN_POLICY_PARA","features":[68]},{"name":"AUTHENTICODE_EXTRA_CERT_CHAIN_POLICY_STATUS","features":[1,68]},{"name":"AUTHENTICODE_TS_EXTRA_CERT_CHAIN_POLICY_PARA","features":[1,68]},{"name":"AUTHTYPE_CLIENT","features":[68]},{"name":"AUTHTYPE_SERVER","features":[68]},{"name":"BASIC_CONSTRAINTS_CERT_CHAIN_POLICY_CA_FLAG","features":[68]},{"name":"BASIC_CONSTRAINTS_CERT_CHAIN_POLICY_END_ENTITY_FLAG","features":[68]},{"name":"BCRYPTBUFFER_VERSION","features":[68]},{"name":"BCRYPTGENRANDOM_FLAGS","features":[68]},{"name":"BCRYPT_3DES_112_ALGORITHM","features":[68]},{"name":"BCRYPT_3DES_112_CBC_ALG_HANDLE","features":[68]},{"name":"BCRYPT_3DES_112_CFB_ALG_HANDLE","features":[68]},{"name":"BCRYPT_3DES_112_ECB_ALG_HANDLE","features":[68]},{"name":"BCRYPT_3DES_ALGORITHM","features":[68]},{"name":"BCRYPT_3DES_CBC_ALG_HANDLE","features":[68]},{"name":"BCRYPT_3DES_CFB_ALG_HANDLE","features":[68]},{"name":"BCRYPT_3DES_ECB_ALG_HANDLE","features":[68]},{"name":"BCRYPT_AES_ALGORITHM","features":[68]},{"name":"BCRYPT_AES_CBC_ALG_HANDLE","features":[68]},{"name":"BCRYPT_AES_CCM_ALG_HANDLE","features":[68]},{"name":"BCRYPT_AES_CFB_ALG_HANDLE","features":[68]},{"name":"BCRYPT_AES_CMAC_ALGORITHM","features":[68]},{"name":"BCRYPT_AES_CMAC_ALG_HANDLE","features":[68]},{"name":"BCRYPT_AES_ECB_ALG_HANDLE","features":[68]},{"name":"BCRYPT_AES_GCM_ALG_HANDLE","features":[68]},{"name":"BCRYPT_AES_GMAC_ALGORITHM","features":[68]},{"name":"BCRYPT_AES_GMAC_ALG_HANDLE","features":[68]},{"name":"BCRYPT_AES_WRAP_KEY_BLOB","features":[68]},{"name":"BCRYPT_ALGORITHM_IDENTIFIER","features":[68]},{"name":"BCRYPT_ALGORITHM_NAME","features":[68]},{"name":"BCRYPT_ALG_HANDLE","features":[68]},{"name":"BCRYPT_ALG_HANDLE_HMAC_FLAG","features":[68]},{"name":"BCRYPT_ASYMMETRIC_ENCRYPTION_INTERFACE","features":[68]},{"name":"BCRYPT_ASYMMETRIC_ENCRYPTION_OPERATION","features":[68]},{"name":"BCRYPT_AUTHENTICATED_CIPHER_MODE_INFO","features":[68]},{"name":"BCRYPT_AUTHENTICATED_CIPHER_MODE_INFO_VERSION","features":[68]},{"name":"BCRYPT_AUTH_MODE_CHAIN_CALLS_FLAG","features":[68]},{"name":"BCRYPT_AUTH_MODE_IN_PROGRESS_FLAG","features":[68]},{"name":"BCRYPT_AUTH_TAG_LENGTH","features":[68]},{"name":"BCRYPT_BLOCK_LENGTH","features":[68]},{"name":"BCRYPT_BLOCK_PADDING","features":[68]},{"name":"BCRYPT_BLOCK_SIZE_LIST","features":[68]},{"name":"BCRYPT_BUFFERS_LOCKED_FLAG","features":[68]},{"name":"BCRYPT_CAPI_AES_FLAG","features":[68]},{"name":"BCRYPT_CAPI_KDF_ALGORITHM","features":[68]},{"name":"BCRYPT_CAPI_KDF_ALG_HANDLE","features":[68]},{"name":"BCRYPT_CHACHA20_POLY1305_ALGORITHM","features":[68]},{"name":"BCRYPT_CHACHA20_POLY1305_ALG_HANDLE","features":[68]},{"name":"BCRYPT_CHAINING_MODE","features":[68]},{"name":"BCRYPT_CHAIN_MODE_CBC","features":[68]},{"name":"BCRYPT_CHAIN_MODE_CCM","features":[68]},{"name":"BCRYPT_CHAIN_MODE_CFB","features":[68]},{"name":"BCRYPT_CHAIN_MODE_ECB","features":[68]},{"name":"BCRYPT_CHAIN_MODE_GCM","features":[68]},{"name":"BCRYPT_CHAIN_MODE_NA","features":[68]},{"name":"BCRYPT_CIPHER_INTERFACE","features":[68]},{"name":"BCRYPT_CIPHER_OPERATION","features":[68]},{"name":"BCRYPT_DESX_ALGORITHM","features":[68]},{"name":"BCRYPT_DESX_CBC_ALG_HANDLE","features":[68]},{"name":"BCRYPT_DESX_CFB_ALG_HANDLE","features":[68]},{"name":"BCRYPT_DESX_ECB_ALG_HANDLE","features":[68]},{"name":"BCRYPT_DES_ALGORITHM","features":[68]},{"name":"BCRYPT_DES_CBC_ALG_HANDLE","features":[68]},{"name":"BCRYPT_DES_CFB_ALG_HANDLE","features":[68]},{"name":"BCRYPT_DES_ECB_ALG_HANDLE","features":[68]},{"name":"BCRYPT_DH_ALGORITHM","features":[68]},{"name":"BCRYPT_DH_ALG_HANDLE","features":[68]},{"name":"BCRYPT_DH_KEY_BLOB","features":[68]},{"name":"BCRYPT_DH_KEY_BLOB_MAGIC","features":[68]},{"name":"BCRYPT_DH_PARAMETERS","features":[68]},{"name":"BCRYPT_DH_PARAMETERS_MAGIC","features":[68]},{"name":"BCRYPT_DH_PARAMETER_HEADER","features":[68]},{"name":"BCRYPT_DH_PRIVATE_BLOB","features":[68]},{"name":"BCRYPT_DH_PRIVATE_MAGIC","features":[68]},{"name":"BCRYPT_DH_PUBLIC_BLOB","features":[68]},{"name":"BCRYPT_DH_PUBLIC_MAGIC","features":[68]},{"name":"BCRYPT_DSA_ALGORITHM","features":[68]},{"name":"BCRYPT_DSA_ALG_HANDLE","features":[68]},{"name":"BCRYPT_DSA_KEY_BLOB","features":[68]},{"name":"BCRYPT_DSA_KEY_BLOB_V2","features":[68]},{"name":"BCRYPT_DSA_MAGIC","features":[68]},{"name":"BCRYPT_DSA_PARAMETERS","features":[68]},{"name":"BCRYPT_DSA_PARAMETERS_MAGIC","features":[68]},{"name":"BCRYPT_DSA_PARAMETERS_MAGIC_V2","features":[68]},{"name":"BCRYPT_DSA_PARAMETER_HEADER","features":[68]},{"name":"BCRYPT_DSA_PARAMETER_HEADER_V2","features":[68]},{"name":"BCRYPT_DSA_PRIVATE_BLOB","features":[68]},{"name":"BCRYPT_DSA_PRIVATE_MAGIC","features":[68]},{"name":"BCRYPT_DSA_PRIVATE_MAGIC_V2","features":[68]},{"name":"BCRYPT_DSA_PUBLIC_BLOB","features":[68]},{"name":"BCRYPT_DSA_PUBLIC_MAGIC","features":[68]},{"name":"BCRYPT_DSA_PUBLIC_MAGIC_V2","features":[68]},{"name":"BCRYPT_ECCFULLKEY_BLOB","features":[68]},{"name":"BCRYPT_ECCFULLPRIVATE_BLOB","features":[68]},{"name":"BCRYPT_ECCFULLPUBLIC_BLOB","features":[68]},{"name":"BCRYPT_ECCKEY_BLOB","features":[68]},{"name":"BCRYPT_ECCPRIVATE_BLOB","features":[68]},{"name":"BCRYPT_ECCPUBLIC_BLOB","features":[68]},{"name":"BCRYPT_ECC_CURVE_25519","features":[68]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP160R1","features":[68]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP160T1","features":[68]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP192R1","features":[68]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP192T1","features":[68]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP224R1","features":[68]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP224T1","features":[68]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP256R1","features":[68]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP256T1","features":[68]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP320R1","features":[68]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP320T1","features":[68]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP384R1","features":[68]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP384T1","features":[68]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP512R1","features":[68]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP512T1","features":[68]},{"name":"BCRYPT_ECC_CURVE_EC192WAPI","features":[68]},{"name":"BCRYPT_ECC_CURVE_NAME","features":[68]},{"name":"BCRYPT_ECC_CURVE_NAMES","features":[68]},{"name":"BCRYPT_ECC_CURVE_NAME_LIST","features":[68]},{"name":"BCRYPT_ECC_CURVE_NISTP192","features":[68]},{"name":"BCRYPT_ECC_CURVE_NISTP224","features":[68]},{"name":"BCRYPT_ECC_CURVE_NISTP256","features":[68]},{"name":"BCRYPT_ECC_CURVE_NISTP384","features":[68]},{"name":"BCRYPT_ECC_CURVE_NISTP521","features":[68]},{"name":"BCRYPT_ECC_CURVE_NUMSP256T1","features":[68]},{"name":"BCRYPT_ECC_CURVE_NUMSP384T1","features":[68]},{"name":"BCRYPT_ECC_CURVE_NUMSP512T1","features":[68]},{"name":"BCRYPT_ECC_CURVE_SECP160K1","features":[68]},{"name":"BCRYPT_ECC_CURVE_SECP160R1","features":[68]},{"name":"BCRYPT_ECC_CURVE_SECP160R2","features":[68]},{"name":"BCRYPT_ECC_CURVE_SECP192K1","features":[68]},{"name":"BCRYPT_ECC_CURVE_SECP192R1","features":[68]},{"name":"BCRYPT_ECC_CURVE_SECP224K1","features":[68]},{"name":"BCRYPT_ECC_CURVE_SECP224R1","features":[68]},{"name":"BCRYPT_ECC_CURVE_SECP256K1","features":[68]},{"name":"BCRYPT_ECC_CURVE_SECP256R1","features":[68]},{"name":"BCRYPT_ECC_CURVE_SECP384R1","features":[68]},{"name":"BCRYPT_ECC_CURVE_SECP521R1","features":[68]},{"name":"BCRYPT_ECC_CURVE_WTLS12","features":[68]},{"name":"BCRYPT_ECC_CURVE_WTLS7","features":[68]},{"name":"BCRYPT_ECC_CURVE_WTLS9","features":[68]},{"name":"BCRYPT_ECC_CURVE_X962P192V1","features":[68]},{"name":"BCRYPT_ECC_CURVE_X962P192V2","features":[68]},{"name":"BCRYPT_ECC_CURVE_X962P192V3","features":[68]},{"name":"BCRYPT_ECC_CURVE_X962P239V1","features":[68]},{"name":"BCRYPT_ECC_CURVE_X962P239V2","features":[68]},{"name":"BCRYPT_ECC_CURVE_X962P239V3","features":[68]},{"name":"BCRYPT_ECC_CURVE_X962P256V1","features":[68]},{"name":"BCRYPT_ECC_FULLKEY_BLOB_V1","features":[68]},{"name":"BCRYPT_ECC_PARAMETERS","features":[68]},{"name":"BCRYPT_ECC_PARAMETERS_MAGIC","features":[68]},{"name":"BCRYPT_ECC_PRIME_MONTGOMERY_CURVE","features":[68]},{"name":"BCRYPT_ECC_PRIME_SHORT_WEIERSTRASS_CURVE","features":[68]},{"name":"BCRYPT_ECC_PRIME_TWISTED_EDWARDS_CURVE","features":[68]},{"name":"BCRYPT_ECDH_ALGORITHM","features":[68]},{"name":"BCRYPT_ECDH_ALG_HANDLE","features":[68]},{"name":"BCRYPT_ECDH_P256_ALGORITHM","features":[68]},{"name":"BCRYPT_ECDH_P256_ALG_HANDLE","features":[68]},{"name":"BCRYPT_ECDH_P384_ALGORITHM","features":[68]},{"name":"BCRYPT_ECDH_P384_ALG_HANDLE","features":[68]},{"name":"BCRYPT_ECDH_P521_ALGORITHM","features":[68]},{"name":"BCRYPT_ECDH_P521_ALG_HANDLE","features":[68]},{"name":"BCRYPT_ECDH_PRIVATE_GENERIC_MAGIC","features":[68]},{"name":"BCRYPT_ECDH_PRIVATE_P256_MAGIC","features":[68]},{"name":"BCRYPT_ECDH_PRIVATE_P384_MAGIC","features":[68]},{"name":"BCRYPT_ECDH_PRIVATE_P521_MAGIC","features":[68]},{"name":"BCRYPT_ECDH_PUBLIC_GENERIC_MAGIC","features":[68]},{"name":"BCRYPT_ECDH_PUBLIC_P256_MAGIC","features":[68]},{"name":"BCRYPT_ECDH_PUBLIC_P384_MAGIC","features":[68]},{"name":"BCRYPT_ECDH_PUBLIC_P521_MAGIC","features":[68]},{"name":"BCRYPT_ECDSA_ALGORITHM","features":[68]},{"name":"BCRYPT_ECDSA_ALG_HANDLE","features":[68]},{"name":"BCRYPT_ECDSA_P256_ALGORITHM","features":[68]},{"name":"BCRYPT_ECDSA_P256_ALG_HANDLE","features":[68]},{"name":"BCRYPT_ECDSA_P384_ALGORITHM","features":[68]},{"name":"BCRYPT_ECDSA_P384_ALG_HANDLE","features":[68]},{"name":"BCRYPT_ECDSA_P521_ALGORITHM","features":[68]},{"name":"BCRYPT_ECDSA_P521_ALG_HANDLE","features":[68]},{"name":"BCRYPT_ECDSA_PRIVATE_GENERIC_MAGIC","features":[68]},{"name":"BCRYPT_ECDSA_PRIVATE_P256_MAGIC","features":[68]},{"name":"BCRYPT_ECDSA_PRIVATE_P384_MAGIC","features":[68]},{"name":"BCRYPT_ECDSA_PRIVATE_P521_MAGIC","features":[68]},{"name":"BCRYPT_ECDSA_PUBLIC_GENERIC_MAGIC","features":[68]},{"name":"BCRYPT_ECDSA_PUBLIC_P256_MAGIC","features":[68]},{"name":"BCRYPT_ECDSA_PUBLIC_P384_MAGIC","features":[68]},{"name":"BCRYPT_ECDSA_PUBLIC_P521_MAGIC","features":[68]},{"name":"BCRYPT_EFFECTIVE_KEY_LENGTH","features":[68]},{"name":"BCRYPT_ENABLE_INCOMPATIBLE_FIPS_CHECKS","features":[68]},{"name":"BCRYPT_EXTENDED_KEYSIZE","features":[68]},{"name":"BCRYPT_FLAGS","features":[68]},{"name":"BCRYPT_GENERATE_IV","features":[68]},{"name":"BCRYPT_GLOBAL_PARAMETERS","features":[68]},{"name":"BCRYPT_HANDLE","features":[68]},{"name":"BCRYPT_HASH_BLOCK_LENGTH","features":[68]},{"name":"BCRYPT_HASH_HANDLE","features":[68]},{"name":"BCRYPT_HASH_INTERFACE","features":[68]},{"name":"BCRYPT_HASH_INTERFACE_MAJORVERSION_2","features":[68]},{"name":"BCRYPT_HASH_LENGTH","features":[68]},{"name":"BCRYPT_HASH_OID_LIST","features":[68]},{"name":"BCRYPT_HASH_OPERATION","features":[68]},{"name":"BCRYPT_HASH_OPERATION_FINISH_HASH","features":[68]},{"name":"BCRYPT_HASH_OPERATION_HASH_DATA","features":[68]},{"name":"BCRYPT_HASH_OPERATION_TYPE","features":[68]},{"name":"BCRYPT_HASH_REUSABLE_FLAG","features":[68]},{"name":"BCRYPT_HKDF_ALGORITHM","features":[68]},{"name":"BCRYPT_HKDF_ALG_HANDLE","features":[68]},{"name":"BCRYPT_HKDF_HASH_ALGORITHM","features":[68]},{"name":"BCRYPT_HKDF_PRK_AND_FINALIZE","features":[68]},{"name":"BCRYPT_HKDF_SALT_AND_FINALIZE","features":[68]},{"name":"BCRYPT_HMAC_MD2_ALG_HANDLE","features":[68]},{"name":"BCRYPT_HMAC_MD4_ALG_HANDLE","features":[68]},{"name":"BCRYPT_HMAC_MD5_ALG_HANDLE","features":[68]},{"name":"BCRYPT_HMAC_SHA1_ALG_HANDLE","features":[68]},{"name":"BCRYPT_HMAC_SHA256_ALG_HANDLE","features":[68]},{"name":"BCRYPT_HMAC_SHA384_ALG_HANDLE","features":[68]},{"name":"BCRYPT_HMAC_SHA512_ALG_HANDLE","features":[68]},{"name":"BCRYPT_INITIALIZATION_VECTOR","features":[68]},{"name":"BCRYPT_INTERFACE","features":[68]},{"name":"BCRYPT_INTERFACE_VERSION","features":[68]},{"name":"BCRYPT_IS_IFX_TPM_WEAK_KEY","features":[68]},{"name":"BCRYPT_IS_KEYED_HASH","features":[68]},{"name":"BCRYPT_IS_REUSABLE_HASH","features":[68]},{"name":"BCRYPT_KDF_HASH","features":[68]},{"name":"BCRYPT_KDF_HKDF","features":[68]},{"name":"BCRYPT_KDF_HMAC","features":[68]},{"name":"BCRYPT_KDF_RAW_SECRET","features":[68]},{"name":"BCRYPT_KDF_SP80056A_CONCAT","features":[68]},{"name":"BCRYPT_KDF_TLS_PRF","features":[68]},{"name":"BCRYPT_KEY_BLOB","features":[68]},{"name":"BCRYPT_KEY_DATA_BLOB","features":[68]},{"name":"BCRYPT_KEY_DATA_BLOB_HEADER","features":[68]},{"name":"BCRYPT_KEY_DATA_BLOB_MAGIC","features":[68]},{"name":"BCRYPT_KEY_DATA_BLOB_VERSION1","features":[68]},{"name":"BCRYPT_KEY_DERIVATION_INTERFACE","features":[68]},{"name":"BCRYPT_KEY_DERIVATION_OPERATION","features":[68]},{"name":"BCRYPT_KEY_HANDLE","features":[68]},{"name":"BCRYPT_KEY_LENGTH","features":[68]},{"name":"BCRYPT_KEY_LENGTHS","features":[68]},{"name":"BCRYPT_KEY_LENGTHS_STRUCT","features":[68]},{"name":"BCRYPT_KEY_OBJECT_LENGTH","features":[68]},{"name":"BCRYPT_KEY_STRENGTH","features":[68]},{"name":"BCRYPT_KEY_VALIDATION_RANGE","features":[68]},{"name":"BCRYPT_KEY_VALIDATION_RANGE_AND_ORDER","features":[68]},{"name":"BCRYPT_KEY_VALIDATION_REGENERATE","features":[68]},{"name":"BCRYPT_MD2_ALGORITHM","features":[68]},{"name":"BCRYPT_MD2_ALG_HANDLE","features":[68]},{"name":"BCRYPT_MD4_ALGORITHM","features":[68]},{"name":"BCRYPT_MD4_ALG_HANDLE","features":[68]},{"name":"BCRYPT_MD5_ALGORITHM","features":[68]},{"name":"BCRYPT_MD5_ALG_HANDLE","features":[68]},{"name":"BCRYPT_MESSAGE_BLOCK_LENGTH","features":[68]},{"name":"BCRYPT_MULTI_FLAG","features":[68]},{"name":"BCRYPT_MULTI_HASH_OPERATION","features":[68]},{"name":"BCRYPT_MULTI_OBJECT_LENGTH","features":[68]},{"name":"BCRYPT_MULTI_OBJECT_LENGTH_STRUCT","features":[68]},{"name":"BCRYPT_MULTI_OPERATION_TYPE","features":[68]},{"name":"BCRYPT_NO_CURVE_GENERATION_ALG_ID","features":[68]},{"name":"BCRYPT_NO_KEY_VALIDATION","features":[68]},{"name":"BCRYPT_OAEP_PADDING_INFO","features":[68]},{"name":"BCRYPT_OBJECT_ALIGNMENT","features":[68]},{"name":"BCRYPT_OBJECT_LENGTH","features":[68]},{"name":"BCRYPT_OID","features":[68]},{"name":"BCRYPT_OID_LIST","features":[68]},{"name":"BCRYPT_OPAQUE_KEY_BLOB","features":[68]},{"name":"BCRYPT_OPEN_ALGORITHM_PROVIDER_FLAGS","features":[68]},{"name":"BCRYPT_OPERATION","features":[68]},{"name":"BCRYPT_OPERATION_TYPE_HASH","features":[68]},{"name":"BCRYPT_PADDING_SCHEMES","features":[68]},{"name":"BCRYPT_PAD_NONE","features":[68]},{"name":"BCRYPT_PAD_OAEP","features":[68]},{"name":"BCRYPT_PAD_PKCS1","features":[68]},{"name":"BCRYPT_PAD_PKCS1_OPTIONAL_HASH_OID","features":[68]},{"name":"BCRYPT_PAD_PSS","features":[68]},{"name":"BCRYPT_PBKDF2_ALGORITHM","features":[68]},{"name":"BCRYPT_PBKDF2_ALG_HANDLE","features":[68]},{"name":"BCRYPT_PCP_PLATFORM_TYPE_PROPERTY","features":[68]},{"name":"BCRYPT_PCP_PROVIDER_VERSION_PROPERTY","features":[68]},{"name":"BCRYPT_PKCS1_PADDING_INFO","features":[68]},{"name":"BCRYPT_PRIMITIVE_TYPE","features":[68]},{"name":"BCRYPT_PRIVATE_KEY","features":[68]},{"name":"BCRYPT_PRIVATE_KEY_BLOB","features":[68]},{"name":"BCRYPT_PRIVATE_KEY_FLAG","features":[68]},{"name":"BCRYPT_PROVIDER_HANDLE","features":[68]},{"name":"BCRYPT_PROVIDER_NAME","features":[68]},{"name":"BCRYPT_PROV_DISPATCH","features":[68]},{"name":"BCRYPT_PSS_PADDING_INFO","features":[68]},{"name":"BCRYPT_PUBLIC_KEY_BLOB","features":[68]},{"name":"BCRYPT_PUBLIC_KEY_FLAG","features":[68]},{"name":"BCRYPT_PUBLIC_KEY_LENGTH","features":[68]},{"name":"BCRYPT_QUERY_PROVIDER_MODE","features":[68]},{"name":"BCRYPT_RC2_ALGORITHM","features":[68]},{"name":"BCRYPT_RC2_CBC_ALG_HANDLE","features":[68]},{"name":"BCRYPT_RC2_CFB_ALG_HANDLE","features":[68]},{"name":"BCRYPT_RC2_ECB_ALG_HANDLE","features":[68]},{"name":"BCRYPT_RC4_ALGORITHM","features":[68]},{"name":"BCRYPT_RC4_ALG_HANDLE","features":[68]},{"name":"BCRYPT_RESOLVE_PROVIDERS_FLAGS","features":[68]},{"name":"BCRYPT_RNG_ALGORITHM","features":[68]},{"name":"BCRYPT_RNG_ALG_HANDLE","features":[68]},{"name":"BCRYPT_RNG_DUAL_EC_ALGORITHM","features":[68]},{"name":"BCRYPT_RNG_FIPS186_DSA_ALGORITHM","features":[68]},{"name":"BCRYPT_RNG_INTERFACE","features":[68]},{"name":"BCRYPT_RNG_OPERATION","features":[68]},{"name":"BCRYPT_RNG_USE_ENTROPY_IN_BUFFER","features":[68]},{"name":"BCRYPT_RSAFULLPRIVATE_BLOB","features":[68]},{"name":"BCRYPT_RSAFULLPRIVATE_MAGIC","features":[68]},{"name":"BCRYPT_RSAKEY_BLOB","features":[68]},{"name":"BCRYPT_RSAKEY_BLOB_MAGIC","features":[68]},{"name":"BCRYPT_RSAPRIVATE_BLOB","features":[68]},{"name":"BCRYPT_RSAPRIVATE_MAGIC","features":[68]},{"name":"BCRYPT_RSAPUBLIC_BLOB","features":[68]},{"name":"BCRYPT_RSAPUBLIC_MAGIC","features":[68]},{"name":"BCRYPT_RSA_ALGORITHM","features":[68]},{"name":"BCRYPT_RSA_ALG_HANDLE","features":[68]},{"name":"BCRYPT_RSA_SIGN_ALGORITHM","features":[68]},{"name":"BCRYPT_RSA_SIGN_ALG_HANDLE","features":[68]},{"name":"BCRYPT_SECRET_AGREEMENT_INTERFACE","features":[68]},{"name":"BCRYPT_SECRET_AGREEMENT_OPERATION","features":[68]},{"name":"BCRYPT_SECRET_HANDLE","features":[68]},{"name":"BCRYPT_SHA1_ALGORITHM","features":[68]},{"name":"BCRYPT_SHA1_ALG_HANDLE","features":[68]},{"name":"BCRYPT_SHA256_ALGORITHM","features":[68]},{"name":"BCRYPT_SHA256_ALG_HANDLE","features":[68]},{"name":"BCRYPT_SHA384_ALGORITHM","features":[68]},{"name":"BCRYPT_SHA384_ALG_HANDLE","features":[68]},{"name":"BCRYPT_SHA512_ALGORITHM","features":[68]},{"name":"BCRYPT_SHA512_ALG_HANDLE","features":[68]},{"name":"BCRYPT_SIGNATURE_INTERFACE","features":[68]},{"name":"BCRYPT_SIGNATURE_LENGTH","features":[68]},{"name":"BCRYPT_SIGNATURE_OPERATION","features":[68]},{"name":"BCRYPT_SP800108_CTR_HMAC_ALGORITHM","features":[68]},{"name":"BCRYPT_SP800108_CTR_HMAC_ALG_HANDLE","features":[68]},{"name":"BCRYPT_SP80056A_CONCAT_ALGORITHM","features":[68]},{"name":"BCRYPT_SP80056A_CONCAT_ALG_HANDLE","features":[68]},{"name":"BCRYPT_SUPPORTED_PAD_OAEP","features":[68]},{"name":"BCRYPT_SUPPORTED_PAD_PKCS1_ENC","features":[68]},{"name":"BCRYPT_SUPPORTED_PAD_PKCS1_SIG","features":[68]},{"name":"BCRYPT_SUPPORTED_PAD_PSS","features":[68]},{"name":"BCRYPT_SUPPORTED_PAD_ROUTER","features":[68]},{"name":"BCRYPT_TABLE","features":[68]},{"name":"BCRYPT_TLS1_1_KDF_ALGORITHM","features":[68]},{"name":"BCRYPT_TLS1_1_KDF_ALG_HANDLE","features":[68]},{"name":"BCRYPT_TLS1_2_KDF_ALGORITHM","features":[68]},{"name":"BCRYPT_TLS1_2_KDF_ALG_HANDLE","features":[68]},{"name":"BCRYPT_TLS_CBC_HMAC_VERIFY_FLAG","features":[68]},{"name":"BCRYPT_USE_SYSTEM_PREFERRED_RNG","features":[68]},{"name":"BCRYPT_XTS_AES_ALGORITHM","features":[68]},{"name":"BCRYPT_XTS_AES_ALG_HANDLE","features":[68]},{"name":"BCryptAddContextFunction","features":[1,68]},{"name":"BCryptBuffer","features":[68]},{"name":"BCryptBufferDesc","features":[68]},{"name":"BCryptCloseAlgorithmProvider","features":[1,68]},{"name":"BCryptConfigureContext","features":[1,68]},{"name":"BCryptConfigureContextFunction","features":[1,68]},{"name":"BCryptCreateContext","features":[1,68]},{"name":"BCryptCreateHash","features":[1,68]},{"name":"BCryptCreateMultiHash","features":[1,68]},{"name":"BCryptDecrypt","features":[1,68]},{"name":"BCryptDeleteContext","features":[1,68]},{"name":"BCryptDeriveKey","features":[1,68]},{"name":"BCryptDeriveKeyCapi","features":[1,68]},{"name":"BCryptDeriveKeyPBKDF2","features":[1,68]},{"name":"BCryptDestroyHash","features":[1,68]},{"name":"BCryptDestroyKey","features":[1,68]},{"name":"BCryptDestroySecret","features":[1,68]},{"name":"BCryptDuplicateHash","features":[1,68]},{"name":"BCryptDuplicateKey","features":[1,68]},{"name":"BCryptEncrypt","features":[1,68]},{"name":"BCryptEnumAlgorithms","features":[1,68]},{"name":"BCryptEnumContextFunctionProviders","features":[1,68]},{"name":"BCryptEnumContextFunctions","features":[1,68]},{"name":"BCryptEnumContexts","features":[1,68]},{"name":"BCryptEnumProviders","features":[1,68]},{"name":"BCryptEnumRegisteredProviders","features":[1,68]},{"name":"BCryptExportKey","features":[1,68]},{"name":"BCryptFinalizeKeyPair","features":[1,68]},{"name":"BCryptFinishHash","features":[1,68]},{"name":"BCryptFreeBuffer","features":[68]},{"name":"BCryptGenRandom","features":[1,68]},{"name":"BCryptGenerateKeyPair","features":[1,68]},{"name":"BCryptGenerateSymmetricKey","features":[1,68]},{"name":"BCryptGetFipsAlgorithmMode","features":[1,68]},{"name":"BCryptGetProperty","features":[1,68]},{"name":"BCryptHash","features":[1,68]},{"name":"BCryptHashData","features":[1,68]},{"name":"BCryptImportKey","features":[1,68]},{"name":"BCryptImportKeyPair","features":[1,68]},{"name":"BCryptKeyDerivation","features":[1,68]},{"name":"BCryptOpenAlgorithmProvider","features":[1,68]},{"name":"BCryptProcessMultiOperations","features":[1,68]},{"name":"BCryptQueryContextConfiguration","features":[1,68]},{"name":"BCryptQueryContextFunctionConfiguration","features":[1,68]},{"name":"BCryptQueryContextFunctionProperty","features":[1,68]},{"name":"BCryptQueryProviderRegistration","features":[1,68]},{"name":"BCryptRegisterConfigChangeNotify","features":[1,68]},{"name":"BCryptRemoveContextFunction","features":[1,68]},{"name":"BCryptResolveProviders","features":[1,68]},{"name":"BCryptSecretAgreement","features":[1,68]},{"name":"BCryptSetContextFunctionProperty","features":[1,68]},{"name":"BCryptSetProperty","features":[1,68]},{"name":"BCryptSignHash","features":[1,68]},{"name":"BCryptUnregisterConfigChangeNotify","features":[1,68]},{"name":"BCryptVerifySignature","features":[1,68]},{"name":"CALG_3DES","features":[68]},{"name":"CALG_3DES_112","features":[68]},{"name":"CALG_AES","features":[68]},{"name":"CALG_AES_128","features":[68]},{"name":"CALG_AES_192","features":[68]},{"name":"CALG_AES_256","features":[68]},{"name":"CALG_AGREEDKEY_ANY","features":[68]},{"name":"CALG_CYLINK_MEK","features":[68]},{"name":"CALG_DES","features":[68]},{"name":"CALG_DESX","features":[68]},{"name":"CALG_DH_EPHEM","features":[68]},{"name":"CALG_DH_SF","features":[68]},{"name":"CALG_DSS_SIGN","features":[68]},{"name":"CALG_ECDH","features":[68]},{"name":"CALG_ECDH_EPHEM","features":[68]},{"name":"CALG_ECDSA","features":[68]},{"name":"CALG_ECMQV","features":[68]},{"name":"CALG_HASH_REPLACE_OWF","features":[68]},{"name":"CALG_HMAC","features":[68]},{"name":"CALG_HUGHES_MD5","features":[68]},{"name":"CALG_KEA_KEYX","features":[68]},{"name":"CALG_MAC","features":[68]},{"name":"CALG_MD2","features":[68]},{"name":"CALG_MD4","features":[68]},{"name":"CALG_MD5","features":[68]},{"name":"CALG_NO_SIGN","features":[68]},{"name":"CALG_NULLCIPHER","features":[68]},{"name":"CALG_OID_INFO_CNG_ONLY","features":[68]},{"name":"CALG_OID_INFO_PARAMETERS","features":[68]},{"name":"CALG_PCT1_MASTER","features":[68]},{"name":"CALG_RC2","features":[68]},{"name":"CALG_RC4","features":[68]},{"name":"CALG_RC5","features":[68]},{"name":"CALG_RSA_KEYX","features":[68]},{"name":"CALG_RSA_SIGN","features":[68]},{"name":"CALG_SCHANNEL_ENC_KEY","features":[68]},{"name":"CALG_SCHANNEL_MAC_KEY","features":[68]},{"name":"CALG_SCHANNEL_MASTER_HASH","features":[68]},{"name":"CALG_SEAL","features":[68]},{"name":"CALG_SHA","features":[68]},{"name":"CALG_SHA1","features":[68]},{"name":"CALG_SHA_256","features":[68]},{"name":"CALG_SHA_384","features":[68]},{"name":"CALG_SHA_512","features":[68]},{"name":"CALG_SKIPJACK","features":[68]},{"name":"CALG_SSL2_MASTER","features":[68]},{"name":"CALG_SSL3_MASTER","features":[68]},{"name":"CALG_SSL3_SHAMD5","features":[68]},{"name":"CALG_TEK","features":[68]},{"name":"CALG_THIRDPARTY_CIPHER","features":[68]},{"name":"CALG_THIRDPARTY_HASH","features":[68]},{"name":"CALG_THIRDPARTY_KEY_EXCHANGE","features":[68]},{"name":"CALG_THIRDPARTY_SIGNATURE","features":[68]},{"name":"CALG_TLS1PRF","features":[68]},{"name":"CALG_TLS1_MASTER","features":[68]},{"name":"CASetupProperty","features":[68]},{"name":"CCertSrvSetup","features":[68]},{"name":"CCertSrvSetupKeyInformation","features":[68]},{"name":"CCertificateEnrollmentPolicyServerSetup","features":[68]},{"name":"CCertificateEnrollmentServerSetup","features":[68]},{"name":"CEPSetupProperty","features":[68]},{"name":"CERTIFICATE_CHAIN_BLOB","features":[68]},{"name":"CERT_ACCESS_DESCRIPTION","features":[68]},{"name":"CERT_ACCESS_STATE_GP_SYSTEM_STORE_FLAG","features":[68]},{"name":"CERT_ACCESS_STATE_LM_SYSTEM_STORE_FLAG","features":[68]},{"name":"CERT_ACCESS_STATE_PROP_ID","features":[68]},{"name":"CERT_ACCESS_STATE_SHARED_USER_FLAG","features":[68]},{"name":"CERT_ACCESS_STATE_SYSTEM_STORE_FLAG","features":[68]},{"name":"CERT_ACCESS_STATE_WRITE_PERSIST_FLAG","features":[68]},{"name":"CERT_AIA_URL_RETRIEVED_PROP_ID","features":[68]},{"name":"CERT_ALT_NAME_EDI_PARTY_NAME","features":[68]},{"name":"CERT_ALT_NAME_ENTRY","features":[68]},{"name":"CERT_ALT_NAME_ENTRY_ERR_INDEX_MASK","features":[68]},{"name":"CERT_ALT_NAME_ENTRY_ERR_INDEX_SHIFT","features":[68]},{"name":"CERT_ALT_NAME_INFO","features":[68]},{"name":"CERT_ALT_NAME_VALUE_ERR_INDEX_MASK","features":[68]},{"name":"CERT_ALT_NAME_VALUE_ERR_INDEX_SHIFT","features":[68]},{"name":"CERT_ALT_NAME_X400_ADDRESS","features":[68]},{"name":"CERT_ARCHIVED_KEY_HASH_PROP_ID","features":[68]},{"name":"CERT_ARCHIVED_PROP_ID","features":[68]},{"name":"CERT_AUTHORITY_INFO_ACCESS","features":[68]},{"name":"CERT_AUTHORITY_INFO_ACCESS_PROP_ID","features":[68]},{"name":"CERT_AUTHORITY_KEY_ID2_INFO","features":[68]},{"name":"CERT_AUTHORITY_KEY_ID_INFO","features":[68]},{"name":"CERT_AUTH_ROOT_AUTO_UPDATE_DISABLE_PARTIAL_CHAIN_LOGGING_FLAG","features":[68]},{"name":"CERT_AUTH_ROOT_AUTO_UPDATE_DISABLE_UNTRUSTED_ROOT_LOGGING_FLAG","features":[68]},{"name":"CERT_AUTH_ROOT_AUTO_UPDATE_ENCODED_CTL_VALUE_NAME","features":[68]},{"name":"CERT_AUTH_ROOT_AUTO_UPDATE_FLAGS_VALUE_NAME","features":[68]},{"name":"CERT_AUTH_ROOT_AUTO_UPDATE_LAST_SYNC_TIME_VALUE_NAME","features":[68]},{"name":"CERT_AUTH_ROOT_AUTO_UPDATE_ROOT_DIR_URL_VALUE_NAME","features":[68]},{"name":"CERT_AUTH_ROOT_AUTO_UPDATE_SYNC_DELTA_TIME_VALUE_NAME","features":[68]},{"name":"CERT_AUTH_ROOT_CAB_FILENAME","features":[68]},{"name":"CERT_AUTH_ROOT_CERT_EXT","features":[68]},{"name":"CERT_AUTH_ROOT_CTL_FILENAME","features":[68]},{"name":"CERT_AUTH_ROOT_CTL_FILENAME_A","features":[68]},{"name":"CERT_AUTH_ROOT_SEQ_FILENAME","features":[68]},{"name":"CERT_AUTH_ROOT_SHA256_HASH_PROP_ID","features":[68]},{"name":"CERT_AUTO_ENROLL_PROP_ID","features":[68]},{"name":"CERT_AUTO_ENROLL_RETRY_PROP_ID","features":[68]},{"name":"CERT_AUTO_UPDATE_DISABLE_RANDOM_QUERY_STRING_FLAG","features":[68]},{"name":"CERT_AUTO_UPDATE_ROOT_DIR_URL_VALUE_NAME","features":[68]},{"name":"CERT_AUTO_UPDATE_SYNC_FROM_DIR_URL_VALUE_NAME","features":[68]},{"name":"CERT_BACKED_UP_PROP_ID","features":[68]},{"name":"CERT_BASIC_CONSTRAINTS2_INFO","features":[1,68]},{"name":"CERT_BASIC_CONSTRAINTS_INFO","features":[1,68]},{"name":"CERT_BIOMETRIC_DATA","features":[68]},{"name":"CERT_BIOMETRIC_DATA_TYPE","features":[68]},{"name":"CERT_BIOMETRIC_EXT_INFO","features":[68]},{"name":"CERT_BIOMETRIC_OID_DATA_CHOICE","features":[68]},{"name":"CERT_BIOMETRIC_PICTURE_TYPE","features":[68]},{"name":"CERT_BIOMETRIC_PREDEFINED_DATA_CHOICE","features":[68]},{"name":"CERT_BIOMETRIC_SIGNATURE_TYPE","features":[68]},{"name":"CERT_BUNDLE_CERTIFICATE","features":[68]},{"name":"CERT_BUNDLE_CRL","features":[68]},{"name":"CERT_CASE_INSENSITIVE_IS_RDN_ATTRS_FLAG","features":[68]},{"name":"CERT_CA_DISABLE_CRL_PROP_ID","features":[68]},{"name":"CERT_CA_OCSP_AUTHORITY_INFO_ACCESS_PROP_ID","features":[68]},{"name":"CERT_CA_SUBJECT_FLAG","features":[68]},{"name":"CERT_CEP_PROP_ID","features":[68]},{"name":"CERT_CHAIN","features":[68]},{"name":"CERT_CHAIN_AUTO_CURRENT_USER","features":[68]},{"name":"CERT_CHAIN_AUTO_FLAGS_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_AUTO_FLUSH_DISABLE_FLAG","features":[68]},{"name":"CERT_CHAIN_AUTO_FLUSH_FIRST_DELTA_SECONDS_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_AUTO_FLUSH_NEXT_DELTA_SECONDS_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_AUTO_HPKP_RULE_INFO","features":[68]},{"name":"CERT_CHAIN_AUTO_IMPERSONATED","features":[68]},{"name":"CERT_CHAIN_AUTO_LOCAL_MACHINE","features":[68]},{"name":"CERT_CHAIN_AUTO_LOG_CREATE_FLAG","features":[68]},{"name":"CERT_CHAIN_AUTO_LOG_FILE_NAME_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_AUTO_LOG_FLUSH_FLAG","features":[68]},{"name":"CERT_CHAIN_AUTO_LOG_FREE_FLAG","features":[68]},{"name":"CERT_CHAIN_AUTO_NETWORK_INFO","features":[68]},{"name":"CERT_CHAIN_AUTO_PINRULE_INFO","features":[68]},{"name":"CERT_CHAIN_AUTO_PROCESS_INFO","features":[68]},{"name":"CERT_CHAIN_AUTO_SERIAL_LOCAL_MACHINE","features":[68]},{"name":"CERT_CHAIN_CACHE_END_CERT","features":[68]},{"name":"CERT_CHAIN_CACHE_ONLY_URL_RETRIEVAL","features":[68]},{"name":"CERT_CHAIN_CACHE_RESYNC_FILETIME_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_CONFIG_REGPATH","features":[68]},{"name":"CERT_CHAIN_CONTEXT","features":[1,68]},{"name":"CERT_CHAIN_CRL_VALIDITY_EXT_PERIOD_HOURS_DEFAULT","features":[68]},{"name":"CERT_CHAIN_CRL_VALIDITY_EXT_PERIOD_HOURS_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_CROSS_CERT_DOWNLOAD_INTERVAL_HOURS_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_DEFAULT_CONFIG_SUBDIR","features":[68]},{"name":"CERT_CHAIN_DISABLE_AIA","features":[68]},{"name":"CERT_CHAIN_DISABLE_AIA_URL_RETRIEVAL_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_DISABLE_ALL_EKU_WEAK_FLAG","features":[68]},{"name":"CERT_CHAIN_DISABLE_AUTH_ROOT_AUTO_UPDATE","features":[68]},{"name":"CERT_CHAIN_DISABLE_AUTO_FLUSH_PROCESS_NAME_LIST_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_DISABLE_CA_NAME_CONSTRAINTS_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_DISABLE_CODE_SIGNING_WEAK_FLAG","features":[68]},{"name":"CERT_CHAIN_DISABLE_ECC_PARA_FLAG","features":[68]},{"name":"CERT_CHAIN_DISABLE_FILE_HASH_WEAK_FLAG","features":[68]},{"name":"CERT_CHAIN_DISABLE_MANDATORY_BASIC_CONSTRAINTS_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_DISABLE_MD2_MD4","features":[68]},{"name":"CERT_CHAIN_DISABLE_MOTW_CODE_SIGNING_WEAK_FLAG","features":[68]},{"name":"CERT_CHAIN_DISABLE_MOTW_FILE_HASH_WEAK_FLAG","features":[68]},{"name":"CERT_CHAIN_DISABLE_MOTW_TIMESTAMP_HASH_WEAK_FLAG","features":[68]},{"name":"CERT_CHAIN_DISABLE_MOTW_TIMESTAMP_WEAK_FLAG","features":[68]},{"name":"CERT_CHAIN_DISABLE_MY_PEER_TRUST","features":[68]},{"name":"CERT_CHAIN_DISABLE_OPT_IN_SERVER_AUTH_WEAK_FLAG","features":[68]},{"name":"CERT_CHAIN_DISABLE_PASS1_QUALITY_FILTERING","features":[68]},{"name":"CERT_CHAIN_DISABLE_SERIAL_CHAIN_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_DISABLE_SERVER_AUTH_WEAK_FLAG","features":[68]},{"name":"CERT_CHAIN_DISABLE_SYNC_WITH_SSL_TIME_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_DISABLE_TIMESTAMP_HASH_WEAK_FLAG","features":[68]},{"name":"CERT_CHAIN_DISABLE_TIMESTAMP_WEAK_FLAG","features":[68]},{"name":"CERT_CHAIN_DISABLE_UNSUPPORTED_CRITICAL_EXTENSIONS_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_ELEMENT","features":[1,68]},{"name":"CERT_CHAIN_ENABLE_ALL_EKU_HYGIENE_FLAG","features":[68]},{"name":"CERT_CHAIN_ENABLE_CACHE_AUTO_UPDATE","features":[68]},{"name":"CERT_CHAIN_ENABLE_CODE_SIGNING_HYGIENE_FLAG","features":[68]},{"name":"CERT_CHAIN_ENABLE_DISALLOWED_CA","features":[68]},{"name":"CERT_CHAIN_ENABLE_MD2_MD4_FLAG","features":[68]},{"name":"CERT_CHAIN_ENABLE_MOTW_CODE_SIGNING_HYGIENE_FLAG","features":[68]},{"name":"CERT_CHAIN_ENABLE_MOTW_TIMESTAMP_HYGIENE_FLAG","features":[68]},{"name":"CERT_CHAIN_ENABLE_ONLY_WEAK_LOGGING_FLAG","features":[68]},{"name":"CERT_CHAIN_ENABLE_PEER_TRUST","features":[68]},{"name":"CERT_CHAIN_ENABLE_SERVER_AUTH_HYGIENE_FLAG","features":[68]},{"name":"CERT_CHAIN_ENABLE_SHARE_STORE","features":[68]},{"name":"CERT_CHAIN_ENABLE_TIMESTAMP_HYGIENE_FLAG","features":[68]},{"name":"CERT_CHAIN_ENABLE_WEAK_LOGGING_FLAG","features":[68]},{"name":"CERT_CHAIN_ENABLE_WEAK_RSA_ROOT_FLAG","features":[68]},{"name":"CERT_CHAIN_ENABLE_WEAK_SETTINGS_FLAG","features":[68]},{"name":"CERT_CHAIN_ENABLE_WEAK_SIGNATURE_FLAGS_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_ENGINE_CONFIG","features":[68]},{"name":"CERT_CHAIN_EXCLUSIVE_ENABLE_CA_FLAG","features":[68]},{"name":"CERT_CHAIN_FIND_BY_ISSUER","features":[68]},{"name":"CERT_CHAIN_FIND_BY_ISSUER_CACHE_ONLY_FLAG","features":[68]},{"name":"CERT_CHAIN_FIND_BY_ISSUER_CACHE_ONLY_URL_FLAG","features":[68]},{"name":"CERT_CHAIN_FIND_BY_ISSUER_COMPARE_KEY_FLAG","features":[68]},{"name":"CERT_CHAIN_FIND_BY_ISSUER_COMPLEX_CHAIN_FLAG","features":[68]},{"name":"CERT_CHAIN_FIND_BY_ISSUER_LOCAL_MACHINE_FLAG","features":[68]},{"name":"CERT_CHAIN_FIND_BY_ISSUER_NO_KEY_FLAG","features":[68]},{"name":"CERT_CHAIN_FIND_BY_ISSUER_PARA","features":[1,68]},{"name":"CERT_CHAIN_HAS_MOTW","features":[68]},{"name":"CERT_CHAIN_MAX_AIA_URL_COUNT_IN_CERT_DEFAULT","features":[68]},{"name":"CERT_CHAIN_MAX_AIA_URL_COUNT_IN_CERT_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_MAX_AIA_URL_RETRIEVAL_BYTE_COUNT_DEFAULT","features":[68]},{"name":"CERT_CHAIN_MAX_AIA_URL_RETRIEVAL_BYTE_COUNT_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_MAX_AIA_URL_RETRIEVAL_CERT_COUNT_DEFAULT","features":[68]},{"name":"CERT_CHAIN_MAX_AIA_URL_RETRIEVAL_CERT_COUNT_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_MAX_AIA_URL_RETRIEVAL_COUNT_PER_CHAIN_DEFAULT","features":[68]},{"name":"CERT_CHAIN_MAX_AIA_URL_RETRIEVAL_COUNT_PER_CHAIN_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_MAX_SSL_TIME_UPDATED_EVENT_COUNT_DEFAULT","features":[68]},{"name":"CERT_CHAIN_MAX_SSL_TIME_UPDATED_EVENT_COUNT_DISABLE","features":[68]},{"name":"CERT_CHAIN_MAX_SSL_TIME_UPDATED_EVENT_COUNT_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_MAX_URL_RETRIEVAL_BYTE_COUNT_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_MIN_PUB_KEY_BIT_LENGTH_DISABLE","features":[68]},{"name":"CERT_CHAIN_MIN_RSA_PUB_KEY_BIT_LENGTH_DEFAULT","features":[68]},{"name":"CERT_CHAIN_MIN_RSA_PUB_KEY_BIT_LENGTH_DISABLE","features":[68]},{"name":"CERT_CHAIN_MIN_RSA_PUB_KEY_BIT_LENGTH_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_MOTW_IGNORE_AFTER_TIME_WEAK_FLAG","features":[68]},{"name":"CERT_CHAIN_OCSP_VALIDITY_SECONDS_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_ONLY_ADDITIONAL_AND_AUTH_ROOT","features":[68]},{"name":"CERT_CHAIN_OPTIONS_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_OPTION_DISABLE_AIA_URL_RETRIEVAL","features":[68]},{"name":"CERT_CHAIN_OPTION_ENABLE_SIA_URL_RETRIEVAL","features":[68]},{"name":"CERT_CHAIN_OPT_IN_WEAK_FLAGS","features":[68]},{"name":"CERT_CHAIN_OPT_IN_WEAK_SIGNATURE","features":[68]},{"name":"CERT_CHAIN_PARA","features":[68]},{"name":"CERT_CHAIN_POLICY_ALLOW_TESTROOT_FLAG","features":[68]},{"name":"CERT_CHAIN_POLICY_ALLOW_UNKNOWN_CA_FLAG","features":[68]},{"name":"CERT_CHAIN_POLICY_AUTHENTICODE","features":[68]},{"name":"CERT_CHAIN_POLICY_AUTHENTICODE_TS","features":[68]},{"name":"CERT_CHAIN_POLICY_BASE","features":[68]},{"name":"CERT_CHAIN_POLICY_BASIC_CONSTRAINTS","features":[68]},{"name":"CERT_CHAIN_POLICY_EV","features":[68]},{"name":"CERT_CHAIN_POLICY_FLAGS","features":[68]},{"name":"CERT_CHAIN_POLICY_IGNORE_ALL_NOT_TIME_VALID_FLAGS","features":[68]},{"name":"CERT_CHAIN_POLICY_IGNORE_ALL_REV_UNKNOWN_FLAGS","features":[68]},{"name":"CERT_CHAIN_POLICY_IGNORE_CA_REV_UNKNOWN_FLAG","features":[68]},{"name":"CERT_CHAIN_POLICY_IGNORE_CTL_NOT_TIME_VALID_FLAG","features":[68]},{"name":"CERT_CHAIN_POLICY_IGNORE_CTL_SIGNER_REV_UNKNOWN_FLAG","features":[68]},{"name":"CERT_CHAIN_POLICY_IGNORE_END_REV_UNKNOWN_FLAG","features":[68]},{"name":"CERT_CHAIN_POLICY_IGNORE_INVALID_BASIC_CONSTRAINTS_FLAG","features":[68]},{"name":"CERT_CHAIN_POLICY_IGNORE_INVALID_NAME_FLAG","features":[68]},{"name":"CERT_CHAIN_POLICY_IGNORE_INVALID_POLICY_FLAG","features":[68]},{"name":"CERT_CHAIN_POLICY_IGNORE_NOT_SUPPORTED_CRITICAL_EXT_FLAG","features":[68]},{"name":"CERT_CHAIN_POLICY_IGNORE_NOT_TIME_NESTED_FLAG","features":[68]},{"name":"CERT_CHAIN_POLICY_IGNORE_NOT_TIME_VALID_FLAG","features":[68]},{"name":"CERT_CHAIN_POLICY_IGNORE_PEER_TRUST_FLAG","features":[68]},{"name":"CERT_CHAIN_POLICY_IGNORE_ROOT_REV_UNKNOWN_FLAG","features":[68]},{"name":"CERT_CHAIN_POLICY_IGNORE_WEAK_SIGNATURE_FLAG","features":[68]},{"name":"CERT_CHAIN_POLICY_IGNORE_WRONG_USAGE_FLAG","features":[68]},{"name":"CERT_CHAIN_POLICY_MICROSOFT_ROOT","features":[68]},{"name":"CERT_CHAIN_POLICY_NT_AUTH","features":[68]},{"name":"CERT_CHAIN_POLICY_PARA","features":[68]},{"name":"CERT_CHAIN_POLICY_SSL","features":[68]},{"name":"CERT_CHAIN_POLICY_SSL_F12","features":[68]},{"name":"CERT_CHAIN_POLICY_SSL_F12_ERROR_LEVEL","features":[68]},{"name":"CERT_CHAIN_POLICY_SSL_F12_NONE_CATEGORY","features":[68]},{"name":"CERT_CHAIN_POLICY_SSL_F12_ROOT_PROGRAM_CATEGORY","features":[68]},{"name":"CERT_CHAIN_POLICY_SSL_F12_SUCCESS_LEVEL","features":[68]},{"name":"CERT_CHAIN_POLICY_SSL_F12_WARNING_LEVEL","features":[68]},{"name":"CERT_CHAIN_POLICY_SSL_F12_WEAK_CRYPTO_CATEGORY","features":[68]},{"name":"CERT_CHAIN_POLICY_SSL_HPKP_HEADER","features":[68]},{"name":"CERT_CHAIN_POLICY_SSL_KEY_PIN","features":[68]},{"name":"CERT_CHAIN_POLICY_SSL_KEY_PIN_MISMATCH_ERROR","features":[68]},{"name":"CERT_CHAIN_POLICY_SSL_KEY_PIN_MISMATCH_WARNING","features":[68]},{"name":"CERT_CHAIN_POLICY_SSL_KEY_PIN_MITM_ERROR","features":[68]},{"name":"CERT_CHAIN_POLICY_SSL_KEY_PIN_MITM_WARNING","features":[68]},{"name":"CERT_CHAIN_POLICY_SSL_KEY_PIN_SUCCESS","features":[68]},{"name":"CERT_CHAIN_POLICY_STATUS","features":[68]},{"name":"CERT_CHAIN_POLICY_THIRD_PARTY_ROOT","features":[68]},{"name":"CERT_CHAIN_POLICY_TRUST_TESTROOT_FLAG","features":[68]},{"name":"CERT_CHAIN_RETURN_LOWER_QUALITY_CONTEXTS","features":[68]},{"name":"CERT_CHAIN_REVOCATION_ACCUMULATIVE_TIMEOUT","features":[68]},{"name":"CERT_CHAIN_REVOCATION_CHECK_CACHE_ONLY","features":[68]},{"name":"CERT_CHAIN_REVOCATION_CHECK_CHAIN","features":[68]},{"name":"CERT_CHAIN_REVOCATION_CHECK_CHAIN_EXCLUDE_ROOT","features":[68]},{"name":"CERT_CHAIN_REVOCATION_CHECK_END_CERT","features":[68]},{"name":"CERT_CHAIN_REVOCATION_CHECK_OCSP_CERT","features":[68]},{"name":"CERT_CHAIN_REV_ACCUMULATIVE_URL_RETRIEVAL_TIMEOUT_MILLISECONDS_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_SERIAL_CHAIN_LOG_FILE_NAME_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_SSL_HANDSHAKE_LOG_FILE_NAME_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_STRONG_SIGN_DISABLE_END_CHECK_FLAG","features":[68]},{"name":"CERT_CHAIN_THREAD_STORE_SYNC","features":[68]},{"name":"CERT_CHAIN_TIMESTAMP_TIME","features":[68]},{"name":"CERT_CHAIN_URL_RETRIEVAL_TIMEOUT_MILLISECONDS_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_USE_LOCAL_MACHINE_STORE","features":[68]},{"name":"CERT_CHAIN_WEAK_AFTER_TIME_NAME","features":[68]},{"name":"CERT_CHAIN_WEAK_ALL_CONFIG_NAME","features":[68]},{"name":"CERT_CHAIN_WEAK_FILE_HASH_AFTER_TIME_NAME","features":[68]},{"name":"CERT_CHAIN_WEAK_FLAGS_NAME","features":[68]},{"name":"CERT_CHAIN_WEAK_HYGIENE_NAME","features":[68]},{"name":"CERT_CHAIN_WEAK_MIN_BIT_LENGTH_NAME","features":[68]},{"name":"CERT_CHAIN_WEAK_PREFIX_NAME","features":[68]},{"name":"CERT_CHAIN_WEAK_RSA_PUB_KEY_TIME_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_WEAK_SHA256_ALLOW_NAME","features":[68]},{"name":"CERT_CHAIN_WEAK_SIGNATURE_LOG_DIR_VALUE_NAME","features":[68]},{"name":"CERT_CHAIN_WEAK_THIRD_PARTY_CONFIG_NAME","features":[68]},{"name":"CERT_CHAIN_WEAK_TIMESTAMP_HASH_AFTER_TIME_NAME","features":[68]},{"name":"CERT_CLOSE_STORE_CHECK_FLAG","features":[68]},{"name":"CERT_CLOSE_STORE_FORCE_FLAG","features":[68]},{"name":"CERT_CLR_DELETE_KEY_PROP_ID","features":[68]},{"name":"CERT_COMPARE_ANY","features":[68]},{"name":"CERT_COMPARE_ATTR","features":[68]},{"name":"CERT_COMPARE_CERT_ID","features":[68]},{"name":"CERT_COMPARE_CROSS_CERT_DIST_POINTS","features":[68]},{"name":"CERT_COMPARE_CTL_USAGE","features":[68]},{"name":"CERT_COMPARE_ENHKEY_USAGE","features":[68]},{"name":"CERT_COMPARE_EXISTING","features":[68]},{"name":"CERT_COMPARE_HASH","features":[68]},{"name":"CERT_COMPARE_HASH_STR","features":[68]},{"name":"CERT_COMPARE_HAS_PRIVATE_KEY","features":[68]},{"name":"CERT_COMPARE_ISSUER_OF","features":[68]},{"name":"CERT_COMPARE_KEY_IDENTIFIER","features":[68]},{"name":"CERT_COMPARE_KEY_SPEC","features":[68]},{"name":"CERT_COMPARE_MASK","features":[68]},{"name":"CERT_COMPARE_MD5_HASH","features":[68]},{"name":"CERT_COMPARE_NAME","features":[68]},{"name":"CERT_COMPARE_NAME_STR_A","features":[68]},{"name":"CERT_COMPARE_NAME_STR_W","features":[68]},{"name":"CERT_COMPARE_PROPERTY","features":[68]},{"name":"CERT_COMPARE_PUBKEY_MD5_HASH","features":[68]},{"name":"CERT_COMPARE_PUBLIC_KEY","features":[68]},{"name":"CERT_COMPARE_SHA1_HASH","features":[68]},{"name":"CERT_COMPARE_SHIFT","features":[68]},{"name":"CERT_COMPARE_SIGNATURE_HASH","features":[68]},{"name":"CERT_COMPARE_SUBJECT_CERT","features":[68]},{"name":"CERT_COMPARE_SUBJECT_INFO_ACCESS","features":[68]},{"name":"CERT_CONTEXT","features":[1,68]},{"name":"CERT_CONTEXT_REVOCATION_TYPE","features":[68]},{"name":"CERT_CONTROL_STORE_FLAGS","features":[68]},{"name":"CERT_CREATE_CONTEXT_NOCOPY_FLAG","features":[68]},{"name":"CERT_CREATE_CONTEXT_NO_ENTRY_FLAG","features":[68]},{"name":"CERT_CREATE_CONTEXT_NO_HCRYPTMSG_FLAG","features":[68]},{"name":"CERT_CREATE_CONTEXT_PARA","features":[1,68]},{"name":"CERT_CREATE_CONTEXT_SORTED_FLAG","features":[68]},{"name":"CERT_CREATE_SELFSIGN_FLAGS","features":[68]},{"name":"CERT_CREATE_SELFSIGN_NO_KEY_INFO","features":[68]},{"name":"CERT_CREATE_SELFSIGN_NO_SIGN","features":[68]},{"name":"CERT_CRL_CONTEXT_PAIR","features":[1,68]},{"name":"CERT_CRL_SIGN_KEY_USAGE","features":[68]},{"name":"CERT_CROSS_CERT_DIST_POINTS_PROP_ID","features":[68]},{"name":"CERT_CTL_USAGE_PROP_ID","features":[68]},{"name":"CERT_DATA_ENCIPHERMENT_KEY_USAGE","features":[68]},{"name":"CERT_DATE_STAMP_PROP_ID","features":[68]},{"name":"CERT_DECIPHER_ONLY_KEY_USAGE","features":[68]},{"name":"CERT_DEFAULT_OID_PUBLIC_KEY_SIGN","features":[68]},{"name":"CERT_DEFAULT_OID_PUBLIC_KEY_XCHG","features":[68]},{"name":"CERT_DESCRIPTION_PROP_ID","features":[68]},{"name":"CERT_DH_PARAMETERS","features":[68]},{"name":"CERT_DIGITAL_SIGNATURE_KEY_USAGE","features":[68]},{"name":"CERT_DISABLE_PIN_RULES_AUTO_UPDATE_VALUE_NAME","features":[68]},{"name":"CERT_DISABLE_ROOT_AUTO_UPDATE_VALUE_NAME","features":[68]},{"name":"CERT_DISALLOWED_CA_FILETIME_PROP_ID","features":[68]},{"name":"CERT_DISALLOWED_CERT_AUTO_UPDATE_ENCODED_CTL_VALUE_NAME","features":[68]},{"name":"CERT_DISALLOWED_CERT_AUTO_UPDATE_LAST_SYNC_TIME_VALUE_NAME","features":[68]},{"name":"CERT_DISALLOWED_CERT_AUTO_UPDATE_LIST_IDENTIFIER","features":[68]},{"name":"CERT_DISALLOWED_CERT_AUTO_UPDATE_SYNC_DELTA_TIME_VALUE_NAME","features":[68]},{"name":"CERT_DISALLOWED_CERT_CAB_FILENAME","features":[68]},{"name":"CERT_DISALLOWED_CERT_CTL_FILENAME","features":[68]},{"name":"CERT_DISALLOWED_CERT_CTL_FILENAME_A","features":[68]},{"name":"CERT_DISALLOWED_ENHKEY_USAGE_PROP_ID","features":[68]},{"name":"CERT_DISALLOWED_FILETIME_PROP_ID","features":[68]},{"name":"CERT_DSS_PARAMETERS","features":[68]},{"name":"CERT_DSS_R_LEN","features":[68]},{"name":"CERT_DSS_S_LEN","features":[68]},{"name":"CERT_ECC_SIGNATURE","features":[68]},{"name":"CERT_EFSBLOB_VALUE_NAME","features":[68]},{"name":"CERT_EFS_PROP_ID","features":[68]},{"name":"CERT_ENABLE_DISALLOWED_CERT_AUTO_UPDATE_VALUE_NAME","features":[68]},{"name":"CERT_ENCIPHER_ONLY_KEY_USAGE","features":[68]},{"name":"CERT_ENCODING_TYPE_MASK","features":[68]},{"name":"CERT_END_ENTITY_SUBJECT_FLAG","features":[68]},{"name":"CERT_ENHKEY_USAGE_PROP_ID","features":[68]},{"name":"CERT_ENROLLMENT_PROP_ID","features":[68]},{"name":"CERT_EXCLUDED_SUBTREE_BIT","features":[68]},{"name":"CERT_EXTENDED_ERROR_INFO_PROP_ID","features":[68]},{"name":"CERT_EXTENSION","features":[1,68]},{"name":"CERT_EXTENSIONS","features":[1,68]},{"name":"CERT_FILE_HASH_USE_TYPE","features":[68]},{"name":"CERT_FILE_STORE_COMMIT_ENABLE_FLAG","features":[68]},{"name":"CERT_FIND_ANY","features":[68]},{"name":"CERT_FIND_CERT_ID","features":[68]},{"name":"CERT_FIND_CHAIN_IN_STORE_FLAGS","features":[68]},{"name":"CERT_FIND_CROSS_CERT_DIST_POINTS","features":[68]},{"name":"CERT_FIND_CTL_USAGE","features":[68]},{"name":"CERT_FIND_ENHKEY_USAGE","features":[68]},{"name":"CERT_FIND_EXISTING","features":[68]},{"name":"CERT_FIND_EXT_ONLY_CTL_USAGE_FLAG","features":[68]},{"name":"CERT_FIND_EXT_ONLY_ENHKEY_USAGE_FLAG","features":[68]},{"name":"CERT_FIND_FLAGS","features":[68]},{"name":"CERT_FIND_HASH","features":[68]},{"name":"CERT_FIND_HASH_STR","features":[68]},{"name":"CERT_FIND_HAS_PRIVATE_KEY","features":[68]},{"name":"CERT_FIND_ISSUER_ATTR","features":[68]},{"name":"CERT_FIND_ISSUER_NAME","features":[68]},{"name":"CERT_FIND_ISSUER_OF","features":[68]},{"name":"CERT_FIND_ISSUER_STR","features":[68]},{"name":"CERT_FIND_ISSUER_STR_A","features":[68]},{"name":"CERT_FIND_ISSUER_STR_W","features":[68]},{"name":"CERT_FIND_KEY_IDENTIFIER","features":[68]},{"name":"CERT_FIND_KEY_SPEC","features":[68]},{"name":"CERT_FIND_MD5_HASH","features":[68]},{"name":"CERT_FIND_NO_CTL_USAGE_FLAG","features":[68]},{"name":"CERT_FIND_NO_ENHKEY_USAGE_FLAG","features":[68]},{"name":"CERT_FIND_OPTIONAL_CTL_USAGE_FLAG","features":[68]},{"name":"CERT_FIND_OPTIONAL_ENHKEY_USAGE_FLAG","features":[68]},{"name":"CERT_FIND_OR_CTL_USAGE_FLAG","features":[68]},{"name":"CERT_FIND_OR_ENHKEY_USAGE_FLAG","features":[68]},{"name":"CERT_FIND_PROPERTY","features":[68]},{"name":"CERT_FIND_PROP_ONLY_CTL_USAGE_FLAG","features":[68]},{"name":"CERT_FIND_PROP_ONLY_ENHKEY_USAGE_FLAG","features":[68]},{"name":"CERT_FIND_PUBKEY_MD5_HASH","features":[68]},{"name":"CERT_FIND_PUBLIC_KEY","features":[68]},{"name":"CERT_FIND_SHA1_HASH","features":[68]},{"name":"CERT_FIND_SIGNATURE_HASH","features":[68]},{"name":"CERT_FIND_SUBJECT_ATTR","features":[68]},{"name":"CERT_FIND_SUBJECT_CERT","features":[68]},{"name":"CERT_FIND_SUBJECT_INFO_ACCESS","features":[68]},{"name":"CERT_FIND_SUBJECT_NAME","features":[68]},{"name":"CERT_FIND_SUBJECT_STR","features":[68]},{"name":"CERT_FIND_SUBJECT_STR_A","features":[68]},{"name":"CERT_FIND_SUBJECT_STR_W","features":[68]},{"name":"CERT_FIND_TYPE","features":[68]},{"name":"CERT_FIND_VALID_CTL_USAGE_FLAG","features":[68]},{"name":"CERT_FIND_VALID_ENHKEY_USAGE_FLAG","features":[68]},{"name":"CERT_FIRST_RESERVED_PROP_ID","features":[68]},{"name":"CERT_FIRST_USER_PROP_ID","features":[68]},{"name":"CERT_FORTEZZA_DATA_PROP","features":[68]},{"name":"CERT_FORTEZZA_DATA_PROP_ID","features":[68]},{"name":"CERT_FRIENDLY_NAME_PROP_ID","features":[68]},{"name":"CERT_GENERAL_SUBTREE","features":[1,68]},{"name":"CERT_GROUP_POLICY_SYSTEM_STORE_REGPATH","features":[68]},{"name":"CERT_HASHED_URL","features":[68]},{"name":"CERT_HASH_PROP_ID","features":[68]},{"name":"CERT_HCRYPTPROV_OR_NCRYPT_KEY_HANDLE_PROP_ID","features":[68]},{"name":"CERT_HCRYPTPROV_TRANSFER_PROP_ID","features":[68]},{"name":"CERT_ID","features":[68]},{"name":"CERT_ID_ISSUER_SERIAL_NUMBER","features":[68]},{"name":"CERT_ID_KEY_IDENTIFIER","features":[68]},{"name":"CERT_ID_OPTION","features":[68]},{"name":"CERT_ID_SHA1_HASH","features":[68]},{"name":"CERT_IE30_RESERVED_PROP_ID","features":[68]},{"name":"CERT_IE_DIRTY_FLAGS_REGPATH","features":[68]},{"name":"CERT_INFO","features":[1,68]},{"name":"CERT_INFO_EXTENSION_FLAG","features":[68]},{"name":"CERT_INFO_ISSUER_FLAG","features":[68]},{"name":"CERT_INFO_ISSUER_UNIQUE_ID_FLAG","features":[68]},{"name":"CERT_INFO_NOT_AFTER_FLAG","features":[68]},{"name":"CERT_INFO_NOT_BEFORE_FLAG","features":[68]},{"name":"CERT_INFO_SERIAL_NUMBER_FLAG","features":[68]},{"name":"CERT_INFO_SIGNATURE_ALGORITHM_FLAG","features":[68]},{"name":"CERT_INFO_SUBJECT_FLAG","features":[68]},{"name":"CERT_INFO_SUBJECT_PUBLIC_KEY_INFO_FLAG","features":[68]},{"name":"CERT_INFO_SUBJECT_UNIQUE_ID_FLAG","features":[68]},{"name":"CERT_INFO_VERSION_FLAG","features":[68]},{"name":"CERT_ISOLATED_KEY_PROP_ID","features":[68]},{"name":"CERT_ISSUER_CHAIN_PUB_KEY_CNG_ALG_BIT_LENGTH_PROP_ID","features":[68]},{"name":"CERT_ISSUER_CHAIN_SIGN_HASH_CNG_ALG_PROP_ID","features":[68]},{"name":"CERT_ISSUER_PUBLIC_KEY_MD5_HASH_PROP_ID","features":[68]},{"name":"CERT_ISSUER_PUB_KEY_BIT_LENGTH_PROP_ID","features":[68]},{"name":"CERT_ISSUER_SERIAL_NUMBER","features":[68]},{"name":"CERT_ISSUER_SERIAL_NUMBER_MD5_HASH_PROP_ID","features":[68]},{"name":"CERT_KEYGEN_REQUEST_INFO","features":[68]},{"name":"CERT_KEYGEN_REQUEST_V1","features":[68]},{"name":"CERT_KEY_AGREEMENT_KEY_USAGE","features":[68]},{"name":"CERT_KEY_ATTRIBUTES_INFO","features":[1,68]},{"name":"CERT_KEY_CERT_SIGN_KEY_USAGE","features":[68]},{"name":"CERT_KEY_CLASSIFICATION_PROP_ID","features":[68]},{"name":"CERT_KEY_CONTEXT","features":[68]},{"name":"CERT_KEY_CONTEXT_PROP_ID","features":[68]},{"name":"CERT_KEY_ENCIPHERMENT_KEY_USAGE","features":[68]},{"name":"CERT_KEY_IDENTIFIER_PROP_ID","features":[68]},{"name":"CERT_KEY_PROV_HANDLE_PROP_ID","features":[68]},{"name":"CERT_KEY_PROV_INFO_PROP_ID","features":[68]},{"name":"CERT_KEY_REPAIR_ATTEMPTED_PROP_ID","features":[68]},{"name":"CERT_KEY_SPEC","features":[68]},{"name":"CERT_KEY_SPEC_PROP_ID","features":[68]},{"name":"CERT_KEY_USAGE_RESTRICTION_INFO","features":[68]},{"name":"CERT_LAST_RESERVED_PROP_ID","features":[68]},{"name":"CERT_LAST_USER_PROP_ID","features":[68]},{"name":"CERT_LDAP_STORE_AREC_EXCLUSIVE_FLAG","features":[68]},{"name":"CERT_LDAP_STORE_OPENED_FLAG","features":[68]},{"name":"CERT_LDAP_STORE_OPENED_PARA","features":[68]},{"name":"CERT_LDAP_STORE_SIGN_FLAG","features":[68]},{"name":"CERT_LDAP_STORE_UNBIND_FLAG","features":[68]},{"name":"CERT_LOCAL_MACHINE_SYSTEM_STORE_REGPATH","features":[68]},{"name":"CERT_LOGOTYPE_AUDIO","features":[68]},{"name":"CERT_LOGOTYPE_AUDIO_INFO","features":[68]},{"name":"CERT_LOGOTYPE_BITS_IMAGE_RESOLUTION_CHOICE","features":[68]},{"name":"CERT_LOGOTYPE_CHOICE","features":[68]},{"name":"CERT_LOGOTYPE_COLOR_IMAGE_INFO_CHOICE","features":[68]},{"name":"CERT_LOGOTYPE_DATA","features":[68]},{"name":"CERT_LOGOTYPE_DETAILS","features":[68]},{"name":"CERT_LOGOTYPE_DIRECT_INFO_CHOICE","features":[68]},{"name":"CERT_LOGOTYPE_EXT_INFO","features":[68]},{"name":"CERT_LOGOTYPE_GRAY_SCALE_IMAGE_INFO_CHOICE","features":[68]},{"name":"CERT_LOGOTYPE_IMAGE","features":[68]},{"name":"CERT_LOGOTYPE_IMAGE_INFO","features":[68]},{"name":"CERT_LOGOTYPE_IMAGE_INFO_TYPE","features":[68]},{"name":"CERT_LOGOTYPE_INDIRECT_INFO_CHOICE","features":[68]},{"name":"CERT_LOGOTYPE_INFO","features":[68]},{"name":"CERT_LOGOTYPE_NO_IMAGE_RESOLUTION_CHOICE","features":[68]},{"name":"CERT_LOGOTYPE_OPTION","features":[68]},{"name":"CERT_LOGOTYPE_REFERENCE","features":[68]},{"name":"CERT_LOGOTYPE_TABLE_SIZE_IMAGE_RESOLUTION_CHOICE","features":[68]},{"name":"CERT_MD5_HASH_PROP_ID","features":[68]},{"name":"CERT_NAME_ATTR_TYPE","features":[68]},{"name":"CERT_NAME_CONSTRAINTS_INFO","features":[1,68]},{"name":"CERT_NAME_DISABLE_IE4_UTF8_FLAG","features":[68]},{"name":"CERT_NAME_DNS_TYPE","features":[68]},{"name":"CERT_NAME_EMAIL_TYPE","features":[68]},{"name":"CERT_NAME_FRIENDLY_DISPLAY_TYPE","features":[68]},{"name":"CERT_NAME_INFO","features":[68]},{"name":"CERT_NAME_ISSUER_FLAG","features":[68]},{"name":"CERT_NAME_RDN_TYPE","features":[68]},{"name":"CERT_NAME_SEARCH_ALL_NAMES_FLAG","features":[68]},{"name":"CERT_NAME_SIMPLE_DISPLAY_TYPE","features":[68]},{"name":"CERT_NAME_STR_COMMA_FLAG","features":[68]},{"name":"CERT_NAME_STR_CRLF_FLAG","features":[68]},{"name":"CERT_NAME_STR_DISABLE_IE4_UTF8_FLAG","features":[68]},{"name":"CERT_NAME_STR_DISABLE_UTF8_DIR_STR_FLAG","features":[68]},{"name":"CERT_NAME_STR_ENABLE_PUNYCODE_FLAG","features":[68]},{"name":"CERT_NAME_STR_ENABLE_T61_UNICODE_FLAG","features":[68]},{"name":"CERT_NAME_STR_ENABLE_UTF8_UNICODE_FLAG","features":[68]},{"name":"CERT_NAME_STR_FORCE_UTF8_DIR_STR_FLAG","features":[68]},{"name":"CERT_NAME_STR_FORWARD_FLAG","features":[68]},{"name":"CERT_NAME_STR_NO_PLUS_FLAG","features":[68]},{"name":"CERT_NAME_STR_NO_QUOTING_FLAG","features":[68]},{"name":"CERT_NAME_STR_REVERSE_FLAG","features":[68]},{"name":"CERT_NAME_STR_SEMICOLON_FLAG","features":[68]},{"name":"CERT_NAME_UPN_TYPE","features":[68]},{"name":"CERT_NAME_URL_TYPE","features":[68]},{"name":"CERT_NAME_VALUE","features":[68]},{"name":"CERT_NCRYPT_KEY_HANDLE_PROP_ID","features":[68]},{"name":"CERT_NCRYPT_KEY_HANDLE_TRANSFER_PROP_ID","features":[68]},{"name":"CERT_NCRYPT_KEY_SPEC","features":[68]},{"name":"CERT_NEW_KEY_PROP_ID","features":[68]},{"name":"CERT_NEXT_UPDATE_LOCATION_PROP_ID","features":[68]},{"name":"CERT_NONCOMPLIANT_ROOT_URL_PROP_ID","features":[68]},{"name":"CERT_NON_REPUDIATION_KEY_USAGE","features":[68]},{"name":"CERT_NOT_BEFORE_ENHKEY_USAGE_PROP_ID","features":[68]},{"name":"CERT_NOT_BEFORE_FILETIME_PROP_ID","features":[68]},{"name":"CERT_NO_AUTO_EXPIRE_CHECK_PROP_ID","features":[68]},{"name":"CERT_NO_EXPIRE_NOTIFICATION_PROP_ID","features":[68]},{"name":"CERT_OCM_SUBCOMPONENTS_LOCAL_MACHINE_REGPATH","features":[68]},{"name":"CERT_OCM_SUBCOMPONENTS_ROOT_AUTO_UPDATE_VALUE_NAME","features":[68]},{"name":"CERT_OCSP_CACHE_PREFIX_PROP_ID","features":[68]},{"name":"CERT_OCSP_MUST_STAPLE_PROP_ID","features":[68]},{"name":"CERT_OCSP_RESPONSE_PROP_ID","features":[68]},{"name":"CERT_OFFLINE_CRL_SIGN_KEY_USAGE","features":[68]},{"name":"CERT_OID_NAME_STR","features":[68]},{"name":"CERT_OPEN_STORE_FLAGS","features":[68]},{"name":"CERT_OR_CRL_BLOB","features":[68]},{"name":"CERT_OR_CRL_BUNDLE","features":[68]},{"name":"CERT_OTHER_LOGOTYPE_INFO","features":[68]},{"name":"CERT_OTHER_NAME","features":[68]},{"name":"CERT_PAIR","features":[68]},{"name":"CERT_PHYSICAL_STORE_ADD_ENABLE_FLAG","features":[68]},{"name":"CERT_PHYSICAL_STORE_AUTH_ROOT_NAME","features":[68]},{"name":"CERT_PHYSICAL_STORE_DEFAULT_NAME","features":[68]},{"name":"CERT_PHYSICAL_STORE_DS_USER_CERTIFICATE_NAME","features":[68]},{"name":"CERT_PHYSICAL_STORE_ENTERPRISE_NAME","features":[68]},{"name":"CERT_PHYSICAL_STORE_GROUP_POLICY_NAME","features":[68]},{"name":"CERT_PHYSICAL_STORE_INFO","features":[68]},{"name":"CERT_PHYSICAL_STORE_INSERT_COMPUTER_NAME_ENABLE_FLAG","features":[68]},{"name":"CERT_PHYSICAL_STORE_LOCAL_MACHINE_GROUP_POLICY_NAME","features":[68]},{"name":"CERT_PHYSICAL_STORE_LOCAL_MACHINE_NAME","features":[68]},{"name":"CERT_PHYSICAL_STORE_OPEN_DISABLE_FLAG","features":[68]},{"name":"CERT_PHYSICAL_STORE_PREDEFINED_ENUM_FLAG","features":[68]},{"name":"CERT_PHYSICAL_STORE_REMOTE_OPEN_DISABLE_FLAG","features":[68]},{"name":"CERT_PHYSICAL_STORE_SMART_CARD_NAME","features":[68]},{"name":"CERT_PIN_RULES_AUTO_UPDATE_ENCODED_CTL_VALUE_NAME","features":[68]},{"name":"CERT_PIN_RULES_AUTO_UPDATE_LAST_SYNC_TIME_VALUE_NAME","features":[68]},{"name":"CERT_PIN_RULES_AUTO_UPDATE_LIST_IDENTIFIER","features":[68]},{"name":"CERT_PIN_RULES_AUTO_UPDATE_SYNC_DELTA_TIME_VALUE_NAME","features":[68]},{"name":"CERT_PIN_RULES_CAB_FILENAME","features":[68]},{"name":"CERT_PIN_RULES_CTL_FILENAME","features":[68]},{"name":"CERT_PIN_RULES_CTL_FILENAME_A","features":[68]},{"name":"CERT_PIN_SHA256_HASH_PROP_ID","features":[68]},{"name":"CERT_POLICIES_INFO","features":[68]},{"name":"CERT_POLICY95_QUALIFIER1","features":[68]},{"name":"CERT_POLICY_CONSTRAINTS_INFO","features":[1,68]},{"name":"CERT_POLICY_ID","features":[68]},{"name":"CERT_POLICY_INFO","features":[68]},{"name":"CERT_POLICY_MAPPING","features":[68]},{"name":"CERT_POLICY_MAPPINGS_INFO","features":[68]},{"name":"CERT_POLICY_QUALIFIER_INFO","features":[68]},{"name":"CERT_POLICY_QUALIFIER_NOTICE_REFERENCE","features":[68]},{"name":"CERT_POLICY_QUALIFIER_USER_NOTICE","features":[68]},{"name":"CERT_PRIVATE_KEY_VALIDITY","features":[1,68]},{"name":"CERT_PROT_ROOT_DISABLE_CURRENT_USER_FLAG","features":[68]},{"name":"CERT_PROT_ROOT_DISABLE_LM_AUTH_FLAG","features":[68]},{"name":"CERT_PROT_ROOT_DISABLE_NOT_DEFINED_NAME_CONSTRAINT_FLAG","features":[68]},{"name":"CERT_PROT_ROOT_DISABLE_NT_AUTH_REQUIRED_FLAG","features":[68]},{"name":"CERT_PROT_ROOT_DISABLE_PEER_TRUST","features":[68]},{"name":"CERT_PROT_ROOT_FLAGS_VALUE_NAME","features":[68]},{"name":"CERT_PROT_ROOT_INHIBIT_ADD_AT_INIT_FLAG","features":[68]},{"name":"CERT_PROT_ROOT_INHIBIT_PURGE_LM_FLAG","features":[68]},{"name":"CERT_PROT_ROOT_ONLY_LM_GPT_FLAG","features":[68]},{"name":"CERT_PROT_ROOT_PEER_USAGES_VALUE_NAME","features":[68]},{"name":"CERT_PROT_ROOT_PEER_USAGES_VALUE_NAME_A","features":[68]},{"name":"CERT_PUBKEY_ALG_PARA_PROP_ID","features":[68]},{"name":"CERT_PUBKEY_HASH_RESERVED_PROP_ID","features":[68]},{"name":"CERT_PUBLIC_KEY_INFO","features":[68]},{"name":"CERT_PUB_KEY_CNG_ALG_BIT_LENGTH_PROP_ID","features":[68]},{"name":"CERT_PVK_FILE_PROP_ID","features":[68]},{"name":"CERT_QC_STATEMENT","features":[68]},{"name":"CERT_QC_STATEMENTS_EXT_INFO","features":[68]},{"name":"CERT_QUERY_CONTENT_CERT","features":[68]},{"name":"CERT_QUERY_CONTENT_CERT_PAIR","features":[68]},{"name":"CERT_QUERY_CONTENT_CRL","features":[68]},{"name":"CERT_QUERY_CONTENT_CTL","features":[68]},{"name":"CERT_QUERY_CONTENT_FLAG_ALL","features":[68]},{"name":"CERT_QUERY_CONTENT_FLAG_ALL_ISSUER_CERT","features":[68]},{"name":"CERT_QUERY_CONTENT_FLAG_CERT","features":[68]},{"name":"CERT_QUERY_CONTENT_FLAG_CERT_PAIR","features":[68]},{"name":"CERT_QUERY_CONTENT_FLAG_CRL","features":[68]},{"name":"CERT_QUERY_CONTENT_FLAG_CTL","features":[68]},{"name":"CERT_QUERY_CONTENT_FLAG_PFX","features":[68]},{"name":"CERT_QUERY_CONTENT_FLAG_PFX_AND_LOAD","features":[68]},{"name":"CERT_QUERY_CONTENT_FLAG_PKCS10","features":[68]},{"name":"CERT_QUERY_CONTENT_FLAG_PKCS7_SIGNED","features":[68]},{"name":"CERT_QUERY_CONTENT_FLAG_PKCS7_SIGNED_EMBED","features":[68]},{"name":"CERT_QUERY_CONTENT_FLAG_PKCS7_UNSIGNED","features":[68]},{"name":"CERT_QUERY_CONTENT_FLAG_SERIALIZED_CERT","features":[68]},{"name":"CERT_QUERY_CONTENT_FLAG_SERIALIZED_CRL","features":[68]},{"name":"CERT_QUERY_CONTENT_FLAG_SERIALIZED_CTL","features":[68]},{"name":"CERT_QUERY_CONTENT_FLAG_SERIALIZED_STORE","features":[68]},{"name":"CERT_QUERY_CONTENT_PFX","features":[68]},{"name":"CERT_QUERY_CONTENT_PFX_AND_LOAD","features":[68]},{"name":"CERT_QUERY_CONTENT_PKCS10","features":[68]},{"name":"CERT_QUERY_CONTENT_PKCS7_SIGNED","features":[68]},{"name":"CERT_QUERY_CONTENT_PKCS7_SIGNED_EMBED","features":[68]},{"name":"CERT_QUERY_CONTENT_PKCS7_UNSIGNED","features":[68]},{"name":"CERT_QUERY_CONTENT_SERIALIZED_CERT","features":[68]},{"name":"CERT_QUERY_CONTENT_SERIALIZED_CRL","features":[68]},{"name":"CERT_QUERY_CONTENT_SERIALIZED_CTL","features":[68]},{"name":"CERT_QUERY_CONTENT_SERIALIZED_STORE","features":[68]},{"name":"CERT_QUERY_CONTENT_TYPE","features":[68]},{"name":"CERT_QUERY_CONTENT_TYPE_FLAGS","features":[68]},{"name":"CERT_QUERY_ENCODING_TYPE","features":[68]},{"name":"CERT_QUERY_FORMAT_ASN_ASCII_HEX_ENCODED","features":[68]},{"name":"CERT_QUERY_FORMAT_BASE64_ENCODED","features":[68]},{"name":"CERT_QUERY_FORMAT_BINARY","features":[68]},{"name":"CERT_QUERY_FORMAT_FLAG_ALL","features":[68]},{"name":"CERT_QUERY_FORMAT_FLAG_ASN_ASCII_HEX_ENCODED","features":[68]},{"name":"CERT_QUERY_FORMAT_FLAG_BASE64_ENCODED","features":[68]},{"name":"CERT_QUERY_FORMAT_FLAG_BINARY","features":[68]},{"name":"CERT_QUERY_FORMAT_TYPE","features":[68]},{"name":"CERT_QUERY_FORMAT_TYPE_FLAGS","features":[68]},{"name":"CERT_QUERY_OBJECT_BLOB","features":[68]},{"name":"CERT_QUERY_OBJECT_FILE","features":[68]},{"name":"CERT_QUERY_OBJECT_TYPE","features":[68]},{"name":"CERT_RDN","features":[68]},{"name":"CERT_RDN_ANY_TYPE","features":[68]},{"name":"CERT_RDN_ATTR","features":[68]},{"name":"CERT_RDN_ATTR_VALUE_TYPE","features":[68]},{"name":"CERT_RDN_BMP_STRING","features":[68]},{"name":"CERT_RDN_DISABLE_CHECK_TYPE_FLAG","features":[68]},{"name":"CERT_RDN_DISABLE_IE4_UTF8_FLAG","features":[68]},{"name":"CERT_RDN_ENABLE_PUNYCODE_FLAG","features":[68]},{"name":"CERT_RDN_ENABLE_T61_UNICODE_FLAG","features":[68]},{"name":"CERT_RDN_ENABLE_UTF8_UNICODE_FLAG","features":[68]},{"name":"CERT_RDN_ENCODED_BLOB","features":[68]},{"name":"CERT_RDN_FLAGS_MASK","features":[68]},{"name":"CERT_RDN_FORCE_UTF8_UNICODE_FLAG","features":[68]},{"name":"CERT_RDN_GENERAL_STRING","features":[68]},{"name":"CERT_RDN_GRAPHIC_STRING","features":[68]},{"name":"CERT_RDN_IA5_STRING","features":[68]},{"name":"CERT_RDN_INT4_STRING","features":[68]},{"name":"CERT_RDN_ISO646_STRING","features":[68]},{"name":"CERT_RDN_NUMERIC_STRING","features":[68]},{"name":"CERT_RDN_OCTET_STRING","features":[68]},{"name":"CERT_RDN_PRINTABLE_STRING","features":[68]},{"name":"CERT_RDN_T61_STRING","features":[68]},{"name":"CERT_RDN_TELETEX_STRING","features":[68]},{"name":"CERT_RDN_TYPE_MASK","features":[68]},{"name":"CERT_RDN_UNICODE_STRING","features":[68]},{"name":"CERT_RDN_UNIVERSAL_STRING","features":[68]},{"name":"CERT_RDN_UTF8_STRING","features":[68]},{"name":"CERT_RDN_VIDEOTEX_STRING","features":[68]},{"name":"CERT_RDN_VISIBLE_STRING","features":[68]},{"name":"CERT_REGISTRY_STORE_CLIENT_GPT_FLAG","features":[68]},{"name":"CERT_REGISTRY_STORE_CLIENT_GPT_PARA","features":[68,49]},{"name":"CERT_REGISTRY_STORE_EXTERNAL_FLAG","features":[68]},{"name":"CERT_REGISTRY_STORE_LM_GPT_FLAG","features":[68]},{"name":"CERT_REGISTRY_STORE_MY_IE_DIRTY_FLAG","features":[68]},{"name":"CERT_REGISTRY_STORE_REMOTE_FLAG","features":[68]},{"name":"CERT_REGISTRY_STORE_ROAMING_FLAG","features":[68]},{"name":"CERT_REGISTRY_STORE_ROAMING_PARA","features":[68,49]},{"name":"CERT_REGISTRY_STORE_SERIALIZED_FLAG","features":[68]},{"name":"CERT_RENEWAL_PROP_ID","features":[68]},{"name":"CERT_REQUEST_INFO","features":[68]},{"name":"CERT_REQUEST_ORIGINATOR_PROP_ID","features":[68]},{"name":"CERT_REQUEST_V1","features":[68]},{"name":"CERT_RETRIEVE_BIOMETRIC_PREDEFINED_BASE_TYPE","features":[68]},{"name":"CERT_RETRIEVE_COMMUNITY_LOGO","features":[68]},{"name":"CERT_RETRIEVE_ISSUER_LOGO","features":[68]},{"name":"CERT_RETRIEVE_SUBJECT_LOGO","features":[68]},{"name":"CERT_RETR_BEHAVIOR_FILE_VALUE_NAME","features":[68]},{"name":"CERT_RETR_BEHAVIOR_INET_AUTH_VALUE_NAME","features":[68]},{"name":"CERT_RETR_BEHAVIOR_INET_STATUS_VALUE_NAME","features":[68]},{"name":"CERT_RETR_BEHAVIOR_LDAP_VALUE_NAME","features":[68]},{"name":"CERT_REVOCATION_CHAIN_PARA","features":[1,68]},{"name":"CERT_REVOCATION_CRL_INFO","features":[1,68]},{"name":"CERT_REVOCATION_INFO","features":[1,68]},{"name":"CERT_REVOCATION_PARA","features":[1,68]},{"name":"CERT_REVOCATION_STATUS","features":[1,68]},{"name":"CERT_REVOCATION_STATUS_REASON","features":[68]},{"name":"CERT_ROOT_PROGRAM_CERT_POLICIES_PROP_ID","features":[68]},{"name":"CERT_ROOT_PROGRAM_CHAIN_POLICIES_PROP_ID","features":[68]},{"name":"CERT_ROOT_PROGRAM_FLAGS","features":[68]},{"name":"CERT_ROOT_PROGRAM_FLAG_ADDRESS","features":[68]},{"name":"CERT_ROOT_PROGRAM_FLAG_LSC","features":[68]},{"name":"CERT_ROOT_PROGRAM_FLAG_ORG","features":[68]},{"name":"CERT_ROOT_PROGRAM_FLAG_OU","features":[68]},{"name":"CERT_ROOT_PROGRAM_FLAG_SUBJECT_LOGO","features":[68]},{"name":"CERT_ROOT_PROGRAM_NAME_CONSTRAINTS_PROP_ID","features":[68]},{"name":"CERT_RSA_PUBLIC_KEY_OBJID","features":[68]},{"name":"CERT_SCARD_PIN_ID_PROP_ID","features":[68]},{"name":"CERT_SCARD_PIN_INFO_PROP_ID","features":[68]},{"name":"CERT_SCEP_CA_CERT_PROP_ID","features":[68]},{"name":"CERT_SCEP_ENCRYPT_HASH_CNG_ALG_PROP_ID","features":[68]},{"name":"CERT_SCEP_FLAGS_PROP_ID","features":[68]},{"name":"CERT_SCEP_GUID_PROP_ID","features":[68]},{"name":"CERT_SCEP_NONCE_PROP_ID","features":[68]},{"name":"CERT_SCEP_RA_ENCRYPTION_CERT_PROP_ID","features":[68]},{"name":"CERT_SCEP_RA_SIGNATURE_CERT_PROP_ID","features":[68]},{"name":"CERT_SCEP_SERVER_CERTS_PROP_ID","features":[68]},{"name":"CERT_SCEP_SIGNER_CERT_PROP_ID","features":[68]},{"name":"CERT_SELECT_ALLOW_DUPLICATES","features":[68]},{"name":"CERT_SELECT_ALLOW_EXPIRED","features":[68]},{"name":"CERT_SELECT_BY_ENHKEY_USAGE","features":[68]},{"name":"CERT_SELECT_BY_EXTENSION","features":[68]},{"name":"CERT_SELECT_BY_FRIENDLYNAME","features":[68]},{"name":"CERT_SELECT_BY_ISSUER_ATTR","features":[68]},{"name":"CERT_SELECT_BY_ISSUER_DISPLAYNAME","features":[68]},{"name":"CERT_SELECT_BY_ISSUER_NAME","features":[68]},{"name":"CERT_SELECT_BY_KEY_USAGE","features":[68]},{"name":"CERT_SELECT_BY_POLICY_OID","features":[68]},{"name":"CERT_SELECT_BY_PROV_NAME","features":[68]},{"name":"CERT_SELECT_BY_PUBLIC_KEY","features":[68]},{"name":"CERT_SELECT_BY_SUBJECT_ATTR","features":[68]},{"name":"CERT_SELECT_BY_SUBJECT_HOST_NAME","features":[68]},{"name":"CERT_SELECT_BY_THUMBPRINT","features":[68]},{"name":"CERT_SELECT_BY_TLS_SIGNATURES","features":[68]},{"name":"CERT_SELECT_CHAIN_PARA","features":[1,68]},{"name":"CERT_SELECT_CRITERIA","features":[68]},{"name":"CERT_SELECT_CRITERIA_TYPE","features":[68]},{"name":"CERT_SELECT_DISALLOW_SELFSIGNED","features":[68]},{"name":"CERT_SELECT_HARDWARE_ONLY","features":[68]},{"name":"CERT_SELECT_HAS_KEY_FOR_KEY_EXCHANGE","features":[68]},{"name":"CERT_SELECT_HAS_KEY_FOR_SIGNATURE","features":[68]},{"name":"CERT_SELECT_HAS_PRIVATE_KEY","features":[68]},{"name":"CERT_SELECT_IGNORE_AUTOSELECT","features":[68]},{"name":"CERT_SELECT_MAX_PARA","features":[68]},{"name":"CERT_SELECT_TRUSTED_ROOT","features":[68]},{"name":"CERT_SEND_AS_TRUSTED_ISSUER_PROP_ID","features":[68]},{"name":"CERT_SERIALIZABLE_KEY_CONTEXT_PROP_ID","features":[68]},{"name":"CERT_SERIAL_CHAIN_PROP_ID","features":[68]},{"name":"CERT_SERVER_OCSP_RESPONSE_ASYNC_FLAG","features":[68]},{"name":"CERT_SERVER_OCSP_RESPONSE_CONTEXT","features":[68]},{"name":"CERT_SERVER_OCSP_RESPONSE_OPEN_PARA","features":[1,68]},{"name":"CERT_SERVER_OCSP_RESPONSE_OPEN_PARA_READ_FLAG","features":[68]},{"name":"CERT_SERVER_OCSP_RESPONSE_OPEN_PARA_WRITE_FLAG","features":[68]},{"name":"CERT_SET_KEY_CONTEXT_PROP_ID","features":[68]},{"name":"CERT_SET_KEY_PROV_HANDLE_PROP_ID","features":[68]},{"name":"CERT_SET_PROPERTY_IGNORE_PERSIST_ERROR_FLAG","features":[68]},{"name":"CERT_SET_PROPERTY_INHIBIT_PERSIST_FLAG","features":[68]},{"name":"CERT_SHA1_HASH_PROP_ID","features":[68]},{"name":"CERT_SHA256_HASH_PROP_ID","features":[68]},{"name":"CERT_SIGNATURE_HASH_PROP_ID","features":[68]},{"name":"CERT_SIGNED_CONTENT_INFO","features":[68]},{"name":"CERT_SIGN_HASH_CNG_ALG_PROP_ID","features":[68]},{"name":"CERT_SIMPLE_CHAIN","features":[1,68]},{"name":"CERT_SIMPLE_NAME_STR","features":[68]},{"name":"CERT_SMART_CARD_DATA_PROP_ID","features":[68]},{"name":"CERT_SMART_CARD_READER_NON_REMOVABLE_PROP_ID","features":[68]},{"name":"CERT_SMART_CARD_READER_PROP_ID","features":[68]},{"name":"CERT_SMART_CARD_ROOT_INFO_PROP_ID","features":[68]},{"name":"CERT_SOURCE_LOCATION_PROP_ID","features":[68]},{"name":"CERT_SOURCE_URL_PROP_ID","features":[68]},{"name":"CERT_SRV_OCSP_RESP_MAX_BEFORE_NEXT_UPDATE_SECONDS_VALUE_NAME","features":[68]},{"name":"CERT_SRV_OCSP_RESP_MAX_SYNC_CERT_FILE_SECONDS_VALUE_NAME","features":[68]},{"name":"CERT_SRV_OCSP_RESP_MIN_AFTER_NEXT_UPDATE_SECONDS_VALUE_NAME","features":[68]},{"name":"CERT_SRV_OCSP_RESP_MIN_BEFORE_NEXT_UPDATE_SECONDS_VALUE_NAME","features":[68]},{"name":"CERT_SRV_OCSP_RESP_MIN_SYNC_CERT_FILE_SECONDS_DEFAULT","features":[68]},{"name":"CERT_SRV_OCSP_RESP_MIN_SYNC_CERT_FILE_SECONDS_VALUE_NAME","features":[68]},{"name":"CERT_SRV_OCSP_RESP_MIN_VALIDITY_SECONDS_VALUE_NAME","features":[68]},{"name":"CERT_SRV_OCSP_RESP_URL_RETRIEVAL_TIMEOUT_MILLISECONDS_VALUE_NAME","features":[68]},{"name":"CERT_STORE_ADD_ALWAYS","features":[68]},{"name":"CERT_STORE_ADD_NEW","features":[68]},{"name":"CERT_STORE_ADD_NEWER","features":[68]},{"name":"CERT_STORE_ADD_NEWER_INHERIT_PROPERTIES","features":[68]},{"name":"CERT_STORE_ADD_REPLACE_EXISTING","features":[68]},{"name":"CERT_STORE_ADD_REPLACE_EXISTING_INHERIT_PROPERTIES","features":[68]},{"name":"CERT_STORE_ADD_USE_EXISTING","features":[68]},{"name":"CERT_STORE_BACKUP_RESTORE_FLAG","features":[68]},{"name":"CERT_STORE_BASE_CRL_FLAG","features":[68]},{"name":"CERT_STORE_CERTIFICATE_CONTEXT","features":[68]},{"name":"CERT_STORE_CREATE_NEW_FLAG","features":[68]},{"name":"CERT_STORE_CRL_CONTEXT","features":[68]},{"name":"CERT_STORE_CTL_CONTEXT","features":[68]},{"name":"CERT_STORE_CTRL_AUTO_RESYNC","features":[68]},{"name":"CERT_STORE_CTRL_CANCEL_NOTIFY","features":[68]},{"name":"CERT_STORE_CTRL_COMMIT","features":[68]},{"name":"CERT_STORE_CTRL_COMMIT_CLEAR_FLAG","features":[68]},{"name":"CERT_STORE_CTRL_COMMIT_FORCE_FLAG","features":[68]},{"name":"CERT_STORE_CTRL_INHIBIT_DUPLICATE_HANDLE_FLAG","features":[68]},{"name":"CERT_STORE_CTRL_NOTIFY_CHANGE","features":[68]},{"name":"CERT_STORE_CTRL_RESYNC","features":[68]},{"name":"CERT_STORE_DEFER_CLOSE_UNTIL_LAST_FREE_FLAG","features":[68]},{"name":"CERT_STORE_DELETE_FLAG","features":[68]},{"name":"CERT_STORE_DELTA_CRL_FLAG","features":[68]},{"name":"CERT_STORE_ENUM_ARCHIVED_FLAG","features":[68]},{"name":"CERT_STORE_LOCALIZED_NAME_PROP_ID","features":[68]},{"name":"CERT_STORE_MANIFOLD_FLAG","features":[68]},{"name":"CERT_STORE_MAXIMUM_ALLOWED_FLAG","features":[68]},{"name":"CERT_STORE_NO_CRL_FLAG","features":[68]},{"name":"CERT_STORE_NO_CRYPT_RELEASE_FLAG","features":[68]},{"name":"CERT_STORE_NO_ISSUER_FLAG","features":[68]},{"name":"CERT_STORE_OPEN_EXISTING_FLAG","features":[68]},{"name":"CERT_STORE_PROV_CLOSE_FUNC","features":[68]},{"name":"CERT_STORE_PROV_COLLECTION","features":[68]},{"name":"CERT_STORE_PROV_CONTROL_FUNC","features":[68]},{"name":"CERT_STORE_PROV_DELETED_FLAG","features":[68]},{"name":"CERT_STORE_PROV_DELETE_CERT_FUNC","features":[68]},{"name":"CERT_STORE_PROV_DELETE_CRL_FUNC","features":[68]},{"name":"CERT_STORE_PROV_DELETE_CTL_FUNC","features":[68]},{"name":"CERT_STORE_PROV_EXTERNAL_FLAG","features":[68]},{"name":"CERT_STORE_PROV_FILE","features":[68]},{"name":"CERT_STORE_PROV_FILENAME","features":[68]},{"name":"CERT_STORE_PROV_FILENAME_A","features":[68]},{"name":"CERT_STORE_PROV_FILENAME_W","features":[68]},{"name":"CERT_STORE_PROV_FIND_CERT_FUNC","features":[68]},{"name":"CERT_STORE_PROV_FIND_CRL_FUNC","features":[68]},{"name":"CERT_STORE_PROV_FIND_CTL_FUNC","features":[68]},{"name":"CERT_STORE_PROV_FIND_INFO","features":[68]},{"name":"CERT_STORE_PROV_FLAGS","features":[68]},{"name":"CERT_STORE_PROV_FREE_FIND_CERT_FUNC","features":[68]},{"name":"CERT_STORE_PROV_FREE_FIND_CRL_FUNC","features":[68]},{"name":"CERT_STORE_PROV_FREE_FIND_CTL_FUNC","features":[68]},{"name":"CERT_STORE_PROV_GET_CERT_PROPERTY_FUNC","features":[68]},{"name":"CERT_STORE_PROV_GET_CRL_PROPERTY_FUNC","features":[68]},{"name":"CERT_STORE_PROV_GET_CTL_PROPERTY_FUNC","features":[68]},{"name":"CERT_STORE_PROV_GP_SYSTEM_STORE_FLAG","features":[68]},{"name":"CERT_STORE_PROV_INFO","features":[68]},{"name":"CERT_STORE_PROV_LDAP","features":[68]},{"name":"CERT_STORE_PROV_LDAP_W","features":[68]},{"name":"CERT_STORE_PROV_LM_SYSTEM_STORE_FLAG","features":[68]},{"name":"CERT_STORE_PROV_MEMORY","features":[68]},{"name":"CERT_STORE_PROV_MSG","features":[68]},{"name":"CERT_STORE_PROV_NO_PERSIST_FLAG","features":[68]},{"name":"CERT_STORE_PROV_PHYSICAL","features":[68]},{"name":"CERT_STORE_PROV_PHYSICAL_W","features":[68]},{"name":"CERT_STORE_PROV_PKCS12","features":[68]},{"name":"CERT_STORE_PROV_PKCS7","features":[68]},{"name":"CERT_STORE_PROV_READ_CERT_FUNC","features":[68]},{"name":"CERT_STORE_PROV_READ_CRL_FUNC","features":[68]},{"name":"CERT_STORE_PROV_READ_CTL_FUNC","features":[68]},{"name":"CERT_STORE_PROV_REG","features":[68]},{"name":"CERT_STORE_PROV_SERIALIZED","features":[68]},{"name":"CERT_STORE_PROV_SET_CERT_PROPERTY_FUNC","features":[68]},{"name":"CERT_STORE_PROV_SET_CRL_PROPERTY_FUNC","features":[68]},{"name":"CERT_STORE_PROV_SET_CTL_PROPERTY_FUNC","features":[68]},{"name":"CERT_STORE_PROV_SHARED_USER_FLAG","features":[68]},{"name":"CERT_STORE_PROV_SMART_CARD","features":[68]},{"name":"CERT_STORE_PROV_SMART_CARD_W","features":[68]},{"name":"CERT_STORE_PROV_SYSTEM","features":[68]},{"name":"CERT_STORE_PROV_SYSTEM_A","features":[68]},{"name":"CERT_STORE_PROV_SYSTEM_REGISTRY","features":[68]},{"name":"CERT_STORE_PROV_SYSTEM_REGISTRY_A","features":[68]},{"name":"CERT_STORE_PROV_SYSTEM_REGISTRY_W","features":[68]},{"name":"CERT_STORE_PROV_SYSTEM_STORE_FLAG","features":[68]},{"name":"CERT_STORE_PROV_SYSTEM_W","features":[68]},{"name":"CERT_STORE_PROV_WRITE_ADD_FLAG","features":[68]},{"name":"CERT_STORE_PROV_WRITE_CERT_FUNC","features":[68]},{"name":"CERT_STORE_PROV_WRITE_CRL_FUNC","features":[68]},{"name":"CERT_STORE_PROV_WRITE_CTL_FUNC","features":[68]},{"name":"CERT_STORE_READONLY_FLAG","features":[68]},{"name":"CERT_STORE_REVOCATION_FLAG","features":[68]},{"name":"CERT_STORE_SAVE_AS","features":[68]},{"name":"CERT_STORE_SAVE_AS_PKCS12","features":[68]},{"name":"CERT_STORE_SAVE_AS_PKCS7","features":[68]},{"name":"CERT_STORE_SAVE_AS_STORE","features":[68]},{"name":"CERT_STORE_SAVE_TO","features":[68]},{"name":"CERT_STORE_SAVE_TO_FILE","features":[68]},{"name":"CERT_STORE_SAVE_TO_FILENAME","features":[68]},{"name":"CERT_STORE_SAVE_TO_FILENAME_A","features":[68]},{"name":"CERT_STORE_SAVE_TO_FILENAME_W","features":[68]},{"name":"CERT_STORE_SAVE_TO_MEMORY","features":[68]},{"name":"CERT_STORE_SET_LOCALIZED_NAME_FLAG","features":[68]},{"name":"CERT_STORE_SHARE_CONTEXT_FLAG","features":[68]},{"name":"CERT_STORE_SHARE_STORE_FLAG","features":[68]},{"name":"CERT_STORE_SIGNATURE_FLAG","features":[68]},{"name":"CERT_STORE_TIME_VALIDITY_FLAG","features":[68]},{"name":"CERT_STORE_UNSAFE_PHYSICAL_FLAG","features":[68]},{"name":"CERT_STORE_UPDATE_KEYID_FLAG","features":[68]},{"name":"CERT_STRING_TYPE","features":[68]},{"name":"CERT_STRONG_SIGN_ECDSA_ALGORITHM","features":[68]},{"name":"CERT_STRONG_SIGN_ENABLE_CRL_CHECK","features":[68]},{"name":"CERT_STRONG_SIGN_ENABLE_OCSP_CHECK","features":[68]},{"name":"CERT_STRONG_SIGN_FLAGS","features":[68]},{"name":"CERT_STRONG_SIGN_OID_INFO_CHOICE","features":[68]},{"name":"CERT_STRONG_SIGN_PARA","features":[68]},{"name":"CERT_STRONG_SIGN_SERIALIZED_INFO","features":[68]},{"name":"CERT_STRONG_SIGN_SERIALIZED_INFO_CHOICE","features":[68]},{"name":"CERT_SUBJECT_DISABLE_CRL_PROP_ID","features":[68]},{"name":"CERT_SUBJECT_INFO_ACCESS_PROP_ID","features":[68]},{"name":"CERT_SUBJECT_NAME_MD5_HASH_PROP_ID","features":[68]},{"name":"CERT_SUBJECT_OCSP_AUTHORITY_INFO_ACCESS_PROP_ID","features":[68]},{"name":"CERT_SUBJECT_PUBLIC_KEY_MD5_HASH_PROP_ID","features":[68]},{"name":"CERT_SUBJECT_PUB_KEY_BIT_LENGTH_PROP_ID","features":[68]},{"name":"CERT_SUPPORTED_ALGORITHM_INFO","features":[68]},{"name":"CERT_SYSTEM_STORE_CURRENT_SERVICE_ID","features":[68]},{"name":"CERT_SYSTEM_STORE_CURRENT_USER_GROUP_POLICY_ID","features":[68]},{"name":"CERT_SYSTEM_STORE_CURRENT_USER_ID","features":[68]},{"name":"CERT_SYSTEM_STORE_DEFER_READ_FLAG","features":[68]},{"name":"CERT_SYSTEM_STORE_FLAGS","features":[68]},{"name":"CERT_SYSTEM_STORE_INFO","features":[68]},{"name":"CERT_SYSTEM_STORE_LOCAL_MACHINE_ENTERPRISE_ID","features":[68]},{"name":"CERT_SYSTEM_STORE_LOCAL_MACHINE_GROUP_POLICY_ID","features":[68]},{"name":"CERT_SYSTEM_STORE_LOCAL_MACHINE_ID","features":[68]},{"name":"CERT_SYSTEM_STORE_LOCAL_MACHINE_WCOS_ID","features":[68]},{"name":"CERT_SYSTEM_STORE_LOCATION_MASK","features":[68]},{"name":"CERT_SYSTEM_STORE_LOCATION_SHIFT","features":[68]},{"name":"CERT_SYSTEM_STORE_MASK","features":[68]},{"name":"CERT_SYSTEM_STORE_RELOCATE_FLAG","features":[68]},{"name":"CERT_SYSTEM_STORE_RELOCATE_PARA","features":[68,49]},{"name":"CERT_SYSTEM_STORE_SERVICES_ID","features":[68]},{"name":"CERT_SYSTEM_STORE_UNPROTECTED_FLAG","features":[68]},{"name":"CERT_SYSTEM_STORE_USERS_ID","features":[68]},{"name":"CERT_TEMPLATE_EXT","features":[1,68]},{"name":"CERT_TIMESTAMP_HASH_USE_TYPE","features":[68]},{"name":"CERT_TPM_SPECIFICATION_INFO","features":[68]},{"name":"CERT_TRUST_AUTO_UPDATE_CA_REVOCATION","features":[68]},{"name":"CERT_TRUST_AUTO_UPDATE_END_REVOCATION","features":[68]},{"name":"CERT_TRUST_BEFORE_DISALLOWED_CA_FILETIME","features":[68]},{"name":"CERT_TRUST_CTL_IS_NOT_SIGNATURE_VALID","features":[68]},{"name":"CERT_TRUST_CTL_IS_NOT_TIME_VALID","features":[68]},{"name":"CERT_TRUST_CTL_IS_NOT_VALID_FOR_USAGE","features":[68]},{"name":"CERT_TRUST_HAS_ALLOW_WEAK_SIGNATURE","features":[68]},{"name":"CERT_TRUST_HAS_AUTO_UPDATE_WEAK_SIGNATURE","features":[68]},{"name":"CERT_TRUST_HAS_CRL_VALIDITY_EXTENDED","features":[68]},{"name":"CERT_TRUST_HAS_EXACT_MATCH_ISSUER","features":[68]},{"name":"CERT_TRUST_HAS_EXCLUDED_NAME_CONSTRAINT","features":[68]},{"name":"CERT_TRUST_HAS_ISSUANCE_CHAIN_POLICY","features":[68]},{"name":"CERT_TRUST_HAS_KEY_MATCH_ISSUER","features":[68]},{"name":"CERT_TRUST_HAS_NAME_MATCH_ISSUER","features":[68]},{"name":"CERT_TRUST_HAS_NOT_DEFINED_NAME_CONSTRAINT","features":[68]},{"name":"CERT_TRUST_HAS_NOT_PERMITTED_NAME_CONSTRAINT","features":[68]},{"name":"CERT_TRUST_HAS_NOT_SUPPORTED_CRITICAL_EXT","features":[68]},{"name":"CERT_TRUST_HAS_NOT_SUPPORTED_NAME_CONSTRAINT","features":[68]},{"name":"CERT_TRUST_HAS_PREFERRED_ISSUER","features":[68]},{"name":"CERT_TRUST_HAS_VALID_NAME_CONSTRAINTS","features":[68]},{"name":"CERT_TRUST_HAS_WEAK_HYGIENE","features":[68]},{"name":"CERT_TRUST_HAS_WEAK_SIGNATURE","features":[68]},{"name":"CERT_TRUST_INVALID_BASIC_CONSTRAINTS","features":[68]},{"name":"CERT_TRUST_INVALID_EXTENSION","features":[68]},{"name":"CERT_TRUST_INVALID_NAME_CONSTRAINTS","features":[68]},{"name":"CERT_TRUST_INVALID_POLICY_CONSTRAINTS","features":[68]},{"name":"CERT_TRUST_IS_CA_TRUSTED","features":[68]},{"name":"CERT_TRUST_IS_COMPLEX_CHAIN","features":[68]},{"name":"CERT_TRUST_IS_CYCLIC","features":[68]},{"name":"CERT_TRUST_IS_EXPLICIT_DISTRUST","features":[68]},{"name":"CERT_TRUST_IS_FROM_EXCLUSIVE_TRUST_STORE","features":[68]},{"name":"CERT_TRUST_IS_KEY_ROLLOVER","features":[68]},{"name":"CERT_TRUST_IS_NOT_SIGNATURE_VALID","features":[68]},{"name":"CERT_TRUST_IS_NOT_TIME_NESTED","features":[68]},{"name":"CERT_TRUST_IS_NOT_TIME_VALID","features":[68]},{"name":"CERT_TRUST_IS_NOT_VALID_FOR_USAGE","features":[68]},{"name":"CERT_TRUST_IS_OFFLINE_REVOCATION","features":[68]},{"name":"CERT_TRUST_IS_PARTIAL_CHAIN","features":[68]},{"name":"CERT_TRUST_IS_PEER_TRUSTED","features":[68]},{"name":"CERT_TRUST_IS_REVOKED","features":[68]},{"name":"CERT_TRUST_IS_SELF_SIGNED","features":[68]},{"name":"CERT_TRUST_IS_UNTRUSTED_ROOT","features":[68]},{"name":"CERT_TRUST_LIST_INFO","features":[1,68]},{"name":"CERT_TRUST_NO_ERROR","features":[68]},{"name":"CERT_TRUST_NO_ISSUANCE_CHAIN_POLICY","features":[68]},{"name":"CERT_TRUST_NO_OCSP_FAILOVER_TO_CRL","features":[68]},{"name":"CERT_TRUST_NO_TIME_CHECK","features":[68]},{"name":"CERT_TRUST_PUB_ALLOW_END_USER_TRUST","features":[68]},{"name":"CERT_TRUST_PUB_ALLOW_ENTERPRISE_ADMIN_TRUST","features":[68]},{"name":"CERT_TRUST_PUB_ALLOW_MACHINE_ADMIN_TRUST","features":[68]},{"name":"CERT_TRUST_PUB_ALLOW_TRUST_MASK","features":[68]},{"name":"CERT_TRUST_PUB_AUTHENTICODE_FLAGS_VALUE_NAME","features":[68]},{"name":"CERT_TRUST_PUB_CHECK_PUBLISHER_REV_FLAG","features":[68]},{"name":"CERT_TRUST_PUB_CHECK_TIMESTAMP_REV_FLAG","features":[68]},{"name":"CERT_TRUST_REVOCATION_STATUS_UNKNOWN","features":[68]},{"name":"CERT_TRUST_SSL_HANDSHAKE_OCSP","features":[68]},{"name":"CERT_TRUST_SSL_RECONNECT_OCSP","features":[68]},{"name":"CERT_TRUST_SSL_TIME_VALID","features":[68]},{"name":"CERT_TRUST_SSL_TIME_VALID_OCSP","features":[68]},{"name":"CERT_TRUST_STATUS","features":[68]},{"name":"CERT_UNICODE_ATTR_ERR_INDEX_MASK","features":[68]},{"name":"CERT_UNICODE_ATTR_ERR_INDEX_SHIFT","features":[68]},{"name":"CERT_UNICODE_IS_RDN_ATTRS_FLAG","features":[68]},{"name":"CERT_UNICODE_RDN_ERR_INDEX_MASK","features":[68]},{"name":"CERT_UNICODE_RDN_ERR_INDEX_SHIFT","features":[68]},{"name":"CERT_UNICODE_VALUE_ERR_INDEX_MASK","features":[68]},{"name":"CERT_UNICODE_VALUE_ERR_INDEX_SHIFT","features":[68]},{"name":"CERT_USAGE_MATCH","features":[68]},{"name":"CERT_V1","features":[68]},{"name":"CERT_V2","features":[68]},{"name":"CERT_V3","features":[68]},{"name":"CERT_VERIFY_ALLOW_MORE_USAGE_FLAG","features":[68]},{"name":"CERT_VERIFY_CACHE_ONLY_BASED_REVOCATION","features":[68]},{"name":"CERT_VERIFY_INHIBIT_CTL_UPDATE_FLAG","features":[68]},{"name":"CERT_VERIFY_NO_TIME_CHECK_FLAG","features":[68]},{"name":"CERT_VERIFY_REV_ACCUMULATIVE_TIMEOUT_FLAG","features":[68]},{"name":"CERT_VERIFY_REV_CHAIN_FLAG","features":[68]},{"name":"CERT_VERIFY_REV_NO_OCSP_FAILOVER_TO_CRL_FLAG","features":[68]},{"name":"CERT_VERIFY_REV_SERVER_OCSP_FLAG","features":[68]},{"name":"CERT_VERIFY_REV_SERVER_OCSP_WIRE_ONLY_FLAG","features":[68]},{"name":"CERT_VERIFY_TRUSTED_SIGNERS_FLAG","features":[68]},{"name":"CERT_VERIFY_UPDATED_CTL_FLAG","features":[68]},{"name":"CERT_X500_NAME_STR","features":[68]},{"name":"CERT_X942_DH_PARAMETERS","features":[68]},{"name":"CERT_X942_DH_VALIDATION_PARAMS","features":[68]},{"name":"CERT_XML_NAME_STR","features":[68]},{"name":"CESSetupProperty","features":[68]},{"name":"CLAIMLIST","features":[68]},{"name":"CMC_ADD_ATTRIBUTES","features":[68]},{"name":"CMC_ADD_ATTRIBUTES_INFO","features":[68]},{"name":"CMC_ADD_EXTENSIONS","features":[68]},{"name":"CMC_ADD_EXTENSIONS_INFO","features":[1,68]},{"name":"CMC_DATA","features":[68]},{"name":"CMC_DATA_INFO","features":[68]},{"name":"CMC_FAIL_BAD_ALG","features":[68]},{"name":"CMC_FAIL_BAD_CERT_ID","features":[68]},{"name":"CMC_FAIL_BAD_IDENTITY","features":[68]},{"name":"CMC_FAIL_BAD_MESSAGE_CHECK","features":[68]},{"name":"CMC_FAIL_BAD_REQUEST","features":[68]},{"name":"CMC_FAIL_BAD_TIME","features":[68]},{"name":"CMC_FAIL_INTERNAL_CA_ERROR","features":[68]},{"name":"CMC_FAIL_MUST_ARCHIVE_KEYS","features":[68]},{"name":"CMC_FAIL_NO_KEY_REUSE","features":[68]},{"name":"CMC_FAIL_POP_FAILED","features":[68]},{"name":"CMC_FAIL_POP_REQUIRED","features":[68]},{"name":"CMC_FAIL_TRY_LATER","features":[68]},{"name":"CMC_FAIL_UNSUPORTED_EXT","features":[68]},{"name":"CMC_OTHER_INFO_FAIL_CHOICE","features":[68]},{"name":"CMC_OTHER_INFO_NO_CHOICE","features":[68]},{"name":"CMC_OTHER_INFO_PEND_CHOICE","features":[68]},{"name":"CMC_PEND_INFO","features":[1,68]},{"name":"CMC_RESPONSE","features":[68]},{"name":"CMC_RESPONSE_INFO","features":[68]},{"name":"CMC_STATUS","features":[68]},{"name":"CMC_STATUS_CONFIRM_REQUIRED","features":[68]},{"name":"CMC_STATUS_FAILED","features":[68]},{"name":"CMC_STATUS_INFO","features":[1,68]},{"name":"CMC_STATUS_NO_SUPPORT","features":[68]},{"name":"CMC_STATUS_PENDING","features":[68]},{"name":"CMC_STATUS_SUCCESS","features":[68]},{"name":"CMC_TAGGED_ATTRIBUTE","features":[68]},{"name":"CMC_TAGGED_CERT_REQUEST","features":[68]},{"name":"CMC_TAGGED_CERT_REQUEST_CHOICE","features":[68]},{"name":"CMC_TAGGED_CONTENT_INFO","features":[68]},{"name":"CMC_TAGGED_OTHER_MSG","features":[68]},{"name":"CMC_TAGGED_REQUEST","features":[68]},{"name":"CMSCEPSetup","features":[68]},{"name":"CMSG_ATTR_CERT_COUNT_PARAM","features":[68]},{"name":"CMSG_ATTR_CERT_PARAM","features":[68]},{"name":"CMSG_AUTHENTICATED_ATTRIBUTES_FLAG","features":[68]},{"name":"CMSG_BARE_CONTENT_FLAG","features":[68]},{"name":"CMSG_BARE_CONTENT_PARAM","features":[68]},{"name":"CMSG_CERT_COUNT_PARAM","features":[68]},{"name":"CMSG_CERT_PARAM","features":[68]},{"name":"CMSG_CMS_ENCAPSULATED_CONTENT_FLAG","features":[68]},{"name":"CMSG_CMS_ENCAPSULATED_CTL_FLAG","features":[68]},{"name":"CMSG_CMS_RECIPIENT_COUNT_PARAM","features":[68]},{"name":"CMSG_CMS_RECIPIENT_ENCRYPTED_KEY_INDEX_PARAM","features":[68]},{"name":"CMSG_CMS_RECIPIENT_INDEX_PARAM","features":[68]},{"name":"CMSG_CMS_RECIPIENT_INFO","features":[1,68]},{"name":"CMSG_CMS_RECIPIENT_INFO_PARAM","features":[68]},{"name":"CMSG_CMS_SIGNER_INFO","features":[68]},{"name":"CMSG_CMS_SIGNER_INFO_PARAM","features":[68]},{"name":"CMSG_CNG_CONTENT_DECRYPT_INFO","features":[68]},{"name":"CMSG_COMPUTED_HASH_PARAM","features":[68]},{"name":"CMSG_CONTENTS_OCTETS_FLAG","features":[68]},{"name":"CMSG_CONTENT_ENCRYPT_FREE_OBJID_FLAG","features":[68]},{"name":"CMSG_CONTENT_ENCRYPT_FREE_PARA_FLAG","features":[68]},{"name":"CMSG_CONTENT_ENCRYPT_INFO","features":[1,68]},{"name":"CMSG_CONTENT_ENCRYPT_PAD_ENCODED_LEN_FLAG","features":[68]},{"name":"CMSG_CONTENT_ENCRYPT_RELEASE_CONTEXT_FLAG","features":[68]},{"name":"CMSG_CONTENT_PARAM","features":[68]},{"name":"CMSG_CRL_COUNT_PARAM","features":[68]},{"name":"CMSG_CRL_PARAM","features":[68]},{"name":"CMSG_CRYPT_RELEASE_CONTEXT_FLAG","features":[68]},{"name":"CMSG_CTRL_ADD_ATTR_CERT","features":[68]},{"name":"CMSG_CTRL_ADD_CERT","features":[68]},{"name":"CMSG_CTRL_ADD_CMS_SIGNER_INFO","features":[68]},{"name":"CMSG_CTRL_ADD_CRL","features":[68]},{"name":"CMSG_CTRL_ADD_SIGNER","features":[68]},{"name":"CMSG_CTRL_ADD_SIGNER_UNAUTH_ATTR","features":[68]},{"name":"CMSG_CTRL_ADD_SIGNER_UNAUTH_ATTR_PARA","features":[68]},{"name":"CMSG_CTRL_DECRYPT","features":[68]},{"name":"CMSG_CTRL_DECRYPT_PARA","features":[68]},{"name":"CMSG_CTRL_DEL_ATTR_CERT","features":[68]},{"name":"CMSG_CTRL_DEL_CERT","features":[68]},{"name":"CMSG_CTRL_DEL_CRL","features":[68]},{"name":"CMSG_CTRL_DEL_SIGNER","features":[68]},{"name":"CMSG_CTRL_DEL_SIGNER_UNAUTH_ATTR","features":[68]},{"name":"CMSG_CTRL_DEL_SIGNER_UNAUTH_ATTR_PARA","features":[68]},{"name":"CMSG_CTRL_ENABLE_STRONG_SIGNATURE","features":[68]},{"name":"CMSG_CTRL_KEY_AGREE_DECRYPT","features":[68]},{"name":"CMSG_CTRL_KEY_AGREE_DECRYPT_PARA","features":[1,68]},{"name":"CMSG_CTRL_KEY_TRANS_DECRYPT","features":[68]},{"name":"CMSG_CTRL_KEY_TRANS_DECRYPT_PARA","features":[68]},{"name":"CMSG_CTRL_MAIL_LIST_DECRYPT","features":[68]},{"name":"CMSG_CTRL_MAIL_LIST_DECRYPT_PARA","features":[1,68]},{"name":"CMSG_CTRL_VERIFY_HASH","features":[68]},{"name":"CMSG_CTRL_VERIFY_SIGNATURE","features":[68]},{"name":"CMSG_CTRL_VERIFY_SIGNATURE_EX","features":[68]},{"name":"CMSG_CTRL_VERIFY_SIGNATURE_EX_PARA","features":[68]},{"name":"CMSG_DATA","features":[68]},{"name":"CMSG_DEFAULT_INSTALLABLE_FUNC_OID","features":[68]},{"name":"CMSG_DETACHED_FLAG","features":[68]},{"name":"CMSG_ENCODED_MESSAGE","features":[68]},{"name":"CMSG_ENCODED_SIGNER","features":[68]},{"name":"CMSG_ENCODE_HASHED_SUBJECT_IDENTIFIER_FLAG","features":[68]},{"name":"CMSG_ENCODE_SORTED_CTL_FLAG","features":[68]},{"name":"CMSG_ENCODING_TYPE_MASK","features":[68]},{"name":"CMSG_ENCRYPTED","features":[68]},{"name":"CMSG_ENCRYPTED_DIGEST","features":[68]},{"name":"CMSG_ENCRYPTED_ENCODE_INFO","features":[68]},{"name":"CMSG_ENCRYPT_PARAM","features":[68]},{"name":"CMSG_ENVELOPED","features":[68]},{"name":"CMSG_ENVELOPED_DATA_CMS_VERSION","features":[68]},{"name":"CMSG_ENVELOPED_DATA_PKCS_1_5_VERSION","features":[68]},{"name":"CMSG_ENVELOPED_DATA_V0","features":[68]},{"name":"CMSG_ENVELOPED_DATA_V2","features":[68]},{"name":"CMSG_ENVELOPED_ENCODE_INFO","features":[1,68]},{"name":"CMSG_ENVELOPED_RECIPIENT_V0","features":[68]},{"name":"CMSG_ENVELOPED_RECIPIENT_V2","features":[68]},{"name":"CMSG_ENVELOPED_RECIPIENT_V3","features":[68]},{"name":"CMSG_ENVELOPED_RECIPIENT_V4","features":[68]},{"name":"CMSG_ENVELOPE_ALGORITHM_PARAM","features":[68]},{"name":"CMSG_HASHED","features":[68]},{"name":"CMSG_HASHED_DATA_CMS_VERSION","features":[68]},{"name":"CMSG_HASHED_DATA_PKCS_1_5_VERSION","features":[68]},{"name":"CMSG_HASHED_DATA_V0","features":[68]},{"name":"CMSG_HASHED_DATA_V2","features":[68]},{"name":"CMSG_HASHED_ENCODE_INFO","features":[68]},{"name":"CMSG_HASH_ALGORITHM_PARAM","features":[68]},{"name":"CMSG_HASH_DATA_PARAM","features":[68]},{"name":"CMSG_INDEFINITE_LENGTH","features":[68]},{"name":"CMSG_INNER_CONTENT_TYPE_PARAM","features":[68]},{"name":"CMSG_KEY_AGREE_ENCRYPT_FREE_MATERIAL_FLAG","features":[68]},{"name":"CMSG_KEY_AGREE_ENCRYPT_FREE_OBJID_FLAG","features":[68]},{"name":"CMSG_KEY_AGREE_ENCRYPT_FREE_PARA_FLAG","features":[68]},{"name":"CMSG_KEY_AGREE_ENCRYPT_FREE_PUBKEY_ALG_FLAG","features":[68]},{"name":"CMSG_KEY_AGREE_ENCRYPT_FREE_PUBKEY_BITS_FLAG","features":[68]},{"name":"CMSG_KEY_AGREE_ENCRYPT_FREE_PUBKEY_PARA_FLAG","features":[68]},{"name":"CMSG_KEY_AGREE_ENCRYPT_INFO","features":[68]},{"name":"CMSG_KEY_AGREE_EPHEMERAL_KEY_CHOICE","features":[68]},{"name":"CMSG_KEY_AGREE_KEY_ENCRYPT_INFO","features":[68]},{"name":"CMSG_KEY_AGREE_OPTION","features":[68]},{"name":"CMSG_KEY_AGREE_ORIGINATOR","features":[68]},{"name":"CMSG_KEY_AGREE_ORIGINATOR_CERT","features":[68]},{"name":"CMSG_KEY_AGREE_ORIGINATOR_PUBLIC_KEY","features":[68]},{"name":"CMSG_KEY_AGREE_RECIPIENT","features":[68]},{"name":"CMSG_KEY_AGREE_RECIPIENT_ENCODE_INFO","features":[1,68]},{"name":"CMSG_KEY_AGREE_RECIPIENT_INFO","features":[1,68]},{"name":"CMSG_KEY_AGREE_STATIC_KEY_CHOICE","features":[68]},{"name":"CMSG_KEY_AGREE_VERSION","features":[68]},{"name":"CMSG_KEY_TRANS_CMS_VERSION","features":[68]},{"name":"CMSG_KEY_TRANS_ENCRYPT_FREE_OBJID_FLAG","features":[68]},{"name":"CMSG_KEY_TRANS_ENCRYPT_FREE_PARA_FLAG","features":[68]},{"name":"CMSG_KEY_TRANS_ENCRYPT_INFO","features":[68]},{"name":"CMSG_KEY_TRANS_PKCS_1_5_VERSION","features":[68]},{"name":"CMSG_KEY_TRANS_RECIPIENT","features":[68]},{"name":"CMSG_KEY_TRANS_RECIPIENT_ENCODE_INFO","features":[68]},{"name":"CMSG_KEY_TRANS_RECIPIENT_INFO","features":[68]},{"name":"CMSG_LENGTH_ONLY_FLAG","features":[68]},{"name":"CMSG_MAIL_LIST_ENCRYPT_FREE_OBJID_FLAG","features":[68]},{"name":"CMSG_MAIL_LIST_ENCRYPT_FREE_PARA_FLAG","features":[68]},{"name":"CMSG_MAIL_LIST_ENCRYPT_INFO","features":[68]},{"name":"CMSG_MAIL_LIST_HANDLE_KEY_CHOICE","features":[68]},{"name":"CMSG_MAIL_LIST_RECIPIENT","features":[68]},{"name":"CMSG_MAIL_LIST_RECIPIENT_ENCODE_INFO","features":[1,68]},{"name":"CMSG_MAIL_LIST_RECIPIENT_INFO","features":[1,68]},{"name":"CMSG_MAIL_LIST_VERSION","features":[68]},{"name":"CMSG_MAX_LENGTH_FLAG","features":[68]},{"name":"CMSG_OID_CAPI1_EXPORT_KEY_AGREE_FUNC","features":[68]},{"name":"CMSG_OID_CAPI1_EXPORT_KEY_TRANS_FUNC","features":[68]},{"name":"CMSG_OID_CAPI1_EXPORT_MAIL_LIST_FUNC","features":[68]},{"name":"CMSG_OID_CAPI1_GEN_CONTENT_ENCRYPT_KEY_FUNC","features":[68]},{"name":"CMSG_OID_CAPI1_IMPORT_KEY_AGREE_FUNC","features":[68]},{"name":"CMSG_OID_CAPI1_IMPORT_KEY_TRANS_FUNC","features":[68]},{"name":"CMSG_OID_CAPI1_IMPORT_MAIL_LIST_FUNC","features":[68]},{"name":"CMSG_OID_CNG_EXPORT_KEY_AGREE_FUNC","features":[68]},{"name":"CMSG_OID_CNG_EXPORT_KEY_TRANS_FUNC","features":[68]},{"name":"CMSG_OID_CNG_GEN_CONTENT_ENCRYPT_KEY_FUNC","features":[68]},{"name":"CMSG_OID_CNG_IMPORT_CONTENT_ENCRYPT_KEY_FUNC","features":[68]},{"name":"CMSG_OID_CNG_IMPORT_KEY_AGREE_FUNC","features":[68]},{"name":"CMSG_OID_CNG_IMPORT_KEY_TRANS_FUNC","features":[68]},{"name":"CMSG_OID_EXPORT_ENCRYPT_KEY_FUNC","features":[68]},{"name":"CMSG_OID_EXPORT_KEY_AGREE_FUNC","features":[68]},{"name":"CMSG_OID_EXPORT_KEY_TRANS_FUNC","features":[68]},{"name":"CMSG_OID_EXPORT_MAIL_LIST_FUNC","features":[68]},{"name":"CMSG_OID_GEN_CONTENT_ENCRYPT_KEY_FUNC","features":[68]},{"name":"CMSG_OID_GEN_ENCRYPT_KEY_FUNC","features":[68]},{"name":"CMSG_OID_IMPORT_ENCRYPT_KEY_FUNC","features":[68]},{"name":"CMSG_OID_IMPORT_KEY_AGREE_FUNC","features":[68]},{"name":"CMSG_OID_IMPORT_KEY_TRANS_FUNC","features":[68]},{"name":"CMSG_OID_IMPORT_MAIL_LIST_FUNC","features":[68]},{"name":"CMSG_RC2_AUX_INFO","features":[68]},{"name":"CMSG_RC4_AUX_INFO","features":[68]},{"name":"CMSG_RC4_NO_SALT_FLAG","features":[68]},{"name":"CMSG_RECIPIENT_COUNT_PARAM","features":[68]},{"name":"CMSG_RECIPIENT_ENCODE_INFO","features":[1,68]},{"name":"CMSG_RECIPIENT_ENCRYPTED_KEY_ENCODE_INFO","features":[1,68]},{"name":"CMSG_RECIPIENT_ENCRYPTED_KEY_INFO","features":[1,68]},{"name":"CMSG_RECIPIENT_INDEX_PARAM","features":[68]},{"name":"CMSG_RECIPIENT_INFO_PARAM","features":[68]},{"name":"CMSG_SIGNED","features":[68]},{"name":"CMSG_SIGNED_AND_ENVELOPED","features":[68]},{"name":"CMSG_SIGNED_AND_ENVELOPED_ENCODE_INFO","features":[1,68]},{"name":"CMSG_SIGNED_DATA_CMS_VERSION","features":[68]},{"name":"CMSG_SIGNED_DATA_NO_SIGN_FLAG","features":[68]},{"name":"CMSG_SIGNED_DATA_PKCS_1_5_VERSION","features":[68]},{"name":"CMSG_SIGNED_DATA_V1","features":[68]},{"name":"CMSG_SIGNED_DATA_V3","features":[68]},{"name":"CMSG_SIGNED_ENCODE_INFO","features":[1,68]},{"name":"CMSG_SIGNER_AUTH_ATTR_PARAM","features":[68]},{"name":"CMSG_SIGNER_CERT_ID_PARAM","features":[68]},{"name":"CMSG_SIGNER_CERT_INFO_PARAM","features":[68]},{"name":"CMSG_SIGNER_COUNT_PARAM","features":[68]},{"name":"CMSG_SIGNER_ENCODE_INFO","features":[1,68]},{"name":"CMSG_SIGNER_HASH_ALGORITHM_PARAM","features":[68]},{"name":"CMSG_SIGNER_INFO","features":[68]},{"name":"CMSG_SIGNER_INFO_CMS_VERSION","features":[68]},{"name":"CMSG_SIGNER_INFO_PARAM","features":[68]},{"name":"CMSG_SIGNER_INFO_PKCS_1_5_VERSION","features":[68]},{"name":"CMSG_SIGNER_INFO_V1","features":[68]},{"name":"CMSG_SIGNER_INFO_V3","features":[68]},{"name":"CMSG_SIGNER_ONLY_FLAG","features":[68]},{"name":"CMSG_SIGNER_UNAUTH_ATTR_PARAM","features":[68]},{"name":"CMSG_SP3_COMPATIBLE_AUX_INFO","features":[68]},{"name":"CMSG_SP3_COMPATIBLE_ENCRYPT_FLAG","features":[68]},{"name":"CMSG_STREAM_INFO","features":[1,68]},{"name":"CMSG_TRUSTED_SIGNER_FLAG","features":[68]},{"name":"CMSG_TYPE_PARAM","features":[68]},{"name":"CMSG_UNPROTECTED_ATTR_PARAM","features":[68]},{"name":"CMSG_USE_SIGNER_INDEX_FLAG","features":[68]},{"name":"CMSG_VERIFY_COUNTER_SIGN_ENABLE_STRONG_FLAG","features":[68]},{"name":"CMSG_VERIFY_SIGNER_CERT","features":[68]},{"name":"CMSG_VERIFY_SIGNER_CHAIN","features":[68]},{"name":"CMSG_VERIFY_SIGNER_NULL","features":[68]},{"name":"CMSG_VERIFY_SIGNER_PUBKEY","features":[68]},{"name":"CMSG_VERSION_PARAM","features":[68]},{"name":"CMS_DH_KEY_INFO","features":[68]},{"name":"CMS_KEY_INFO","features":[68]},{"name":"CMS_SIGNER_INFO","features":[68]},{"name":"CNG_RSA_PRIVATE_KEY_BLOB","features":[68]},{"name":"CNG_RSA_PUBLIC_KEY_BLOB","features":[68]},{"name":"CONTEXT_OID_CAPI2_ANY","features":[68]},{"name":"CONTEXT_OID_CERTIFICATE","features":[68]},{"name":"CONTEXT_OID_CREATE_OBJECT_CONTEXT_FUNC","features":[68]},{"name":"CONTEXT_OID_CRL","features":[68]},{"name":"CONTEXT_OID_CTL","features":[68]},{"name":"CONTEXT_OID_OCSP_RESP","features":[68]},{"name":"CONTEXT_OID_PKCS7","features":[68]},{"name":"CPS_URLS","features":[68]},{"name":"CREDENTIAL_OID_PASSWORD_CREDENTIALS","features":[68]},{"name":"CREDENTIAL_OID_PASSWORD_CREDENTIALS_A","features":[68]},{"name":"CREDENTIAL_OID_PASSWORD_CREDENTIALS_W","features":[68]},{"name":"CRL_CONTEXT","features":[1,68]},{"name":"CRL_DIST_POINT","features":[68]},{"name":"CRL_DIST_POINTS_INFO","features":[68]},{"name":"CRL_DIST_POINT_ERR_CRL_ISSUER_BIT","features":[68]},{"name":"CRL_DIST_POINT_ERR_INDEX_MASK","features":[68]},{"name":"CRL_DIST_POINT_ERR_INDEX_SHIFT","features":[68]},{"name":"CRL_DIST_POINT_FULL_NAME","features":[68]},{"name":"CRL_DIST_POINT_ISSUER_RDN_NAME","features":[68]},{"name":"CRL_DIST_POINT_NAME","features":[68]},{"name":"CRL_DIST_POINT_NO_NAME","features":[68]},{"name":"CRL_ENTRY","features":[1,68]},{"name":"CRL_FIND_ANY","features":[68]},{"name":"CRL_FIND_EXISTING","features":[68]},{"name":"CRL_FIND_ISSUED_BY","features":[68]},{"name":"CRL_FIND_ISSUED_BY_AKI_FLAG","features":[68]},{"name":"CRL_FIND_ISSUED_BY_BASE_FLAG","features":[68]},{"name":"CRL_FIND_ISSUED_BY_DELTA_FLAG","features":[68]},{"name":"CRL_FIND_ISSUED_BY_SIGNATURE_FLAG","features":[68]},{"name":"CRL_FIND_ISSUED_FOR","features":[68]},{"name":"CRL_FIND_ISSUED_FOR_PARA","features":[1,68]},{"name":"CRL_FIND_ISSUED_FOR_SET_STRONG_PROPERTIES_FLAG","features":[68]},{"name":"CRL_INFO","features":[1,68]},{"name":"CRL_ISSUING_DIST_POINT","features":[1,68]},{"name":"CRL_REASON_AA_COMPROMISE","features":[68]},{"name":"CRL_REASON_AA_COMPROMISE_FLAG","features":[68]},{"name":"CRL_REASON_AFFILIATION_CHANGED","features":[68]},{"name":"CRL_REASON_AFFILIATION_CHANGED_FLAG","features":[68]},{"name":"CRL_REASON_CA_COMPROMISE","features":[68]},{"name":"CRL_REASON_CA_COMPROMISE_FLAG","features":[68]},{"name":"CRL_REASON_CERTIFICATE_HOLD","features":[68]},{"name":"CRL_REASON_CERTIFICATE_HOLD_FLAG","features":[68]},{"name":"CRL_REASON_CESSATION_OF_OPERATION","features":[68]},{"name":"CRL_REASON_CESSATION_OF_OPERATION_FLAG","features":[68]},{"name":"CRL_REASON_KEY_COMPROMISE","features":[68]},{"name":"CRL_REASON_KEY_COMPROMISE_FLAG","features":[68]},{"name":"CRL_REASON_PRIVILEGE_WITHDRAWN","features":[68]},{"name":"CRL_REASON_PRIVILEGE_WITHDRAWN_FLAG","features":[68]},{"name":"CRL_REASON_REMOVE_FROM_CRL","features":[68]},{"name":"CRL_REASON_SUPERSEDED","features":[68]},{"name":"CRL_REASON_SUPERSEDED_FLAG","features":[68]},{"name":"CRL_REASON_UNSPECIFIED","features":[68]},{"name":"CRL_REASON_UNUSED_FLAG","features":[68]},{"name":"CRL_REVOCATION_INFO","features":[1,68]},{"name":"CRL_V1","features":[68]},{"name":"CRL_V2","features":[68]},{"name":"CROSS_CERT_DIST_POINTS_INFO","features":[68]},{"name":"CROSS_CERT_DIST_POINT_ERR_INDEX_MASK","features":[68]},{"name":"CROSS_CERT_DIST_POINT_ERR_INDEX_SHIFT","features":[68]},{"name":"CRYPTNET_CACHED_OCSP_SWITCH_TO_CRL_COUNT_DEFAULT","features":[68]},{"name":"CRYPTNET_CACHED_OCSP_SWITCH_TO_CRL_COUNT_VALUE_NAME","features":[68]},{"name":"CRYPTNET_CRL_BEFORE_OCSP_ENABLE","features":[68]},{"name":"CRYPTNET_CRL_PRE_FETCH_DISABLE_INFORMATION_EVENTS_VALUE_NAME","features":[68]},{"name":"CRYPTNET_CRL_PRE_FETCH_LOG_FILE_NAME_VALUE_NAME","features":[68]},{"name":"CRYPTNET_CRL_PRE_FETCH_MAX_AGE_SECONDS_VALUE_NAME","features":[68]},{"name":"CRYPTNET_CRL_PRE_FETCH_MIN_AFTER_NEXT_UPDATE_SECONDS_VALUE_NAME","features":[68]},{"name":"CRYPTNET_CRL_PRE_FETCH_MIN_BEFORE_NEXT_UPDATE_SECONDS_VALUE_NAME","features":[68]},{"name":"CRYPTNET_CRL_PRE_FETCH_PROCESS_NAME_LIST_VALUE_NAME","features":[68]},{"name":"CRYPTNET_CRL_PRE_FETCH_PUBLISH_BEFORE_NEXT_UPDATE_SECONDS_VALUE_NAME","features":[68]},{"name":"CRYPTNET_CRL_PRE_FETCH_PUBLISH_RANDOM_INTERVAL_SECONDS_VALUE_NAME","features":[68]},{"name":"CRYPTNET_CRL_PRE_FETCH_TIMEOUT_SECONDS_VALUE_NAME","features":[68]},{"name":"CRYPTNET_CRL_PRE_FETCH_URL_LIST_VALUE_NAME","features":[68]},{"name":"CRYPTNET_MAX_CACHED_OCSP_PER_CRL_COUNT_DEFAULT","features":[68]},{"name":"CRYPTNET_MAX_CACHED_OCSP_PER_CRL_COUNT_VALUE_NAME","features":[68]},{"name":"CRYPTNET_OCSP_AFTER_CRL_DISABLE","features":[68]},{"name":"CRYPTNET_PRE_FETCH_AFTER_CURRENT_TIME_PRE_FETCH_PERIOD_SECONDS_VALUE_NAME","features":[68]},{"name":"CRYPTNET_PRE_FETCH_AFTER_PUBLISH_PRE_FETCH_DIVISOR_DEFAULT","features":[68]},{"name":"CRYPTNET_PRE_FETCH_AFTER_PUBLISH_PRE_FETCH_DIVISOR_VALUE_NAME","features":[68]},{"name":"CRYPTNET_PRE_FETCH_BEFORE_NEXT_UPDATE_PRE_FETCH_DIVISOR_DEFAULT","features":[68]},{"name":"CRYPTNET_PRE_FETCH_BEFORE_NEXT_UPDATE_PRE_FETCH_DIVISOR_VALUE_NAME","features":[68]},{"name":"CRYPTNET_PRE_FETCH_MAX_AFTER_NEXT_UPDATE_PRE_FETCH_PERIOD_SECONDS_VALUE_NAME","features":[68]},{"name":"CRYPTNET_PRE_FETCH_MAX_MAX_AGE_SECONDS_VALUE_NAME","features":[68]},{"name":"CRYPTNET_PRE_FETCH_MIN_AFTER_NEXT_UPDATE_PRE_FETCH_PERIOD_SECONDS_VALUE_NAME","features":[68]},{"name":"CRYPTNET_PRE_FETCH_MIN_BEFORE_NEXT_UPDATE_PRE_FETCH_PERIOD_SECONDS_VALUE_NAME","features":[68]},{"name":"CRYPTNET_PRE_FETCH_MIN_MAX_AGE_SECONDS_VALUE_NAME","features":[68]},{"name":"CRYPTNET_PRE_FETCH_MIN_OCSP_VALIDITY_PERIOD_SECONDS_VALUE_NAME","features":[68]},{"name":"CRYPTNET_PRE_FETCH_RETRIEVAL_TIMEOUT_SECONDS_VALUE_NAME","features":[68]},{"name":"CRYPTNET_PRE_FETCH_SCAN_AFTER_TRIGGER_DELAY_SECONDS_DEFAULT","features":[68]},{"name":"CRYPTNET_PRE_FETCH_SCAN_AFTER_TRIGGER_DELAY_SECONDS_VALUE_NAME","features":[68]},{"name":"CRYPTNET_PRE_FETCH_TRIGGER_DISABLE","features":[68]},{"name":"CRYPTNET_PRE_FETCH_TRIGGER_PERIOD_SECONDS_VALUE_NAME","features":[68]},{"name":"CRYPTNET_PRE_FETCH_VALIDITY_PERIOD_AFTER_NEXT_UPDATE_PRE_FETCH_DIVISOR_DEFAULT","features":[68]},{"name":"CRYPTNET_PRE_FETCH_VALIDITY_PERIOD_AFTER_NEXT_UPDATE_PRE_FETCH_DIVISOR_VALUE_NAME","features":[68]},{"name":"CRYPTNET_URL_CACHE_DEFAULT_FLUSH","features":[68]},{"name":"CRYPTNET_URL_CACHE_DEFAULT_FLUSH_EXEMPT_SECONDS_VALUE_NAME","features":[68]},{"name":"CRYPTNET_URL_CACHE_DISABLE_FLUSH","features":[68]},{"name":"CRYPTNET_URL_CACHE_FLUSH_INFO","features":[1,68]},{"name":"CRYPTNET_URL_CACHE_PRE_FETCH_AUTOROOT_CAB","features":[68]},{"name":"CRYPTNET_URL_CACHE_PRE_FETCH_BLOB","features":[68]},{"name":"CRYPTNET_URL_CACHE_PRE_FETCH_CRL","features":[68]},{"name":"CRYPTNET_URL_CACHE_PRE_FETCH_DISALLOWED_CERT_CAB","features":[68]},{"name":"CRYPTNET_URL_CACHE_PRE_FETCH_INFO","features":[1,68]},{"name":"CRYPTNET_URL_CACHE_PRE_FETCH_NONE","features":[68]},{"name":"CRYPTNET_URL_CACHE_PRE_FETCH_OCSP","features":[68]},{"name":"CRYPTNET_URL_CACHE_PRE_FETCH_PIN_RULES_CAB","features":[68]},{"name":"CRYPTNET_URL_CACHE_RESPONSE_HTTP","features":[68]},{"name":"CRYPTNET_URL_CACHE_RESPONSE_INFO","features":[1,68]},{"name":"CRYPTNET_URL_CACHE_RESPONSE_NONE","features":[68]},{"name":"CRYPTNET_URL_CACHE_RESPONSE_VALIDATED","features":[68]},{"name":"CRYPTPROTECTMEMORY_BLOCK_SIZE","features":[68]},{"name":"CRYPTPROTECTMEMORY_CROSS_PROCESS","features":[68]},{"name":"CRYPTPROTECTMEMORY_SAME_LOGON","features":[68]},{"name":"CRYPTPROTECTMEMORY_SAME_PROCESS","features":[68]},{"name":"CRYPTPROTECT_AUDIT","features":[68]},{"name":"CRYPTPROTECT_CRED_REGENERATE","features":[68]},{"name":"CRYPTPROTECT_CRED_SYNC","features":[68]},{"name":"CRYPTPROTECT_DEFAULT_PROVIDER","features":[68]},{"name":"CRYPTPROTECT_FIRST_RESERVED_FLAGVAL","features":[68]},{"name":"CRYPTPROTECT_LAST_RESERVED_FLAGVAL","features":[68]},{"name":"CRYPTPROTECT_LOCAL_MACHINE","features":[68]},{"name":"CRYPTPROTECT_NO_RECOVERY","features":[68]},{"name":"CRYPTPROTECT_PROMPTSTRUCT","features":[1,68]},{"name":"CRYPTPROTECT_PROMPT_ON_PROTECT","features":[68]},{"name":"CRYPTPROTECT_PROMPT_ON_UNPROTECT","features":[68]},{"name":"CRYPTPROTECT_PROMPT_REQUIRE_STRONG","features":[68]},{"name":"CRYPTPROTECT_PROMPT_RESERVED","features":[68]},{"name":"CRYPTPROTECT_PROMPT_STRONG","features":[68]},{"name":"CRYPTPROTECT_UI_FORBIDDEN","features":[68]},{"name":"CRYPTPROTECT_VERIFY_PROTECTION","features":[68]},{"name":"CRYPT_3DES_KEY_STATE","features":[68]},{"name":"CRYPT_ACCUMULATIVE_TIMEOUT","features":[68]},{"name":"CRYPT_ACQUIRE_ALLOW_NCRYPT_KEY_FLAG","features":[68]},{"name":"CRYPT_ACQUIRE_CACHE_FLAG","features":[68]},{"name":"CRYPT_ACQUIRE_COMPARE_KEY_FLAG","features":[68]},{"name":"CRYPT_ACQUIRE_FLAGS","features":[68]},{"name":"CRYPT_ACQUIRE_NCRYPT_KEY_FLAGS_MASK","features":[68]},{"name":"CRYPT_ACQUIRE_NO_HEALING","features":[68]},{"name":"CRYPT_ACQUIRE_ONLY_NCRYPT_KEY_FLAG","features":[68]},{"name":"CRYPT_ACQUIRE_PREFER_NCRYPT_KEY_FLAG","features":[68]},{"name":"CRYPT_ACQUIRE_SILENT_FLAG","features":[68]},{"name":"CRYPT_ACQUIRE_USE_PROV_INFO_FLAG","features":[68]},{"name":"CRYPT_ACQUIRE_WINDOW_HANDLE_FLAG","features":[68]},{"name":"CRYPT_AES_128_KEY_STATE","features":[68]},{"name":"CRYPT_AES_256_KEY_STATE","features":[68]},{"name":"CRYPT_AIA_RETRIEVAL","features":[68]},{"name":"CRYPT_ALGORITHM_IDENTIFIER","features":[68]},{"name":"CRYPT_ALL_FUNCTIONS","features":[68]},{"name":"CRYPT_ALL_PROVIDERS","features":[68]},{"name":"CRYPT_ANY","features":[68]},{"name":"CRYPT_ARCHIVABLE","features":[68]},{"name":"CRYPT_ARCHIVE","features":[68]},{"name":"CRYPT_ASN_ENCODING","features":[68]},{"name":"CRYPT_ASYNC_RETRIEVAL","features":[68]},{"name":"CRYPT_ASYNC_RETRIEVAL_COMPLETION","features":[68]},{"name":"CRYPT_ATTRIBUTE","features":[68]},{"name":"CRYPT_ATTRIBUTES","features":[68]},{"name":"CRYPT_ATTRIBUTE_TYPE_VALUE","features":[68]},{"name":"CRYPT_BIT_BLOB","features":[68]},{"name":"CRYPT_BLOB_ARRAY","features":[68]},{"name":"CRYPT_BLOB_VER3","features":[68]},{"name":"CRYPT_CACHE_ONLY_RETRIEVAL","features":[68]},{"name":"CRYPT_CHECK_FRESHNESS_TIME_VALIDITY","features":[68]},{"name":"CRYPT_CONTENT_INFO","features":[68]},{"name":"CRYPT_CONTENT_INFO_SEQUENCE_OF_ANY","features":[68]},{"name":"CRYPT_CONTEXTS","features":[68]},{"name":"CRYPT_CONTEXT_CONFIG","features":[68]},{"name":"CRYPT_CONTEXT_CONFIG_FLAGS","features":[68]},{"name":"CRYPT_CONTEXT_FUNCTIONS","features":[68]},{"name":"CRYPT_CONTEXT_FUNCTION_CONFIG","features":[68]},{"name":"CRYPT_CONTEXT_FUNCTION_PROVIDERS","features":[68]},{"name":"CRYPT_CREATE_IV","features":[68]},{"name":"CRYPT_CREATE_NEW_FLUSH_ENTRY","features":[68]},{"name":"CRYPT_CREATE_SALT","features":[68]},{"name":"CRYPT_CREDENTIALS","features":[68]},{"name":"CRYPT_CSP_PROVIDER","features":[68]},{"name":"CRYPT_DATA_KEY","features":[68]},{"name":"CRYPT_DECODE_ALLOC_FLAG","features":[68]},{"name":"CRYPT_DECODE_ENABLE_PUNYCODE_FLAG","features":[68]},{"name":"CRYPT_DECODE_ENABLE_UTF8PERCENT_FLAG","features":[68]},{"name":"CRYPT_DECODE_NOCOPY_FLAG","features":[68]},{"name":"CRYPT_DECODE_NO_SIGNATURE_BYTE_REVERSAL_FLAG","features":[68]},{"name":"CRYPT_DECODE_PARA","features":[68]},{"name":"CRYPT_DECODE_SHARE_OID_STRING_FLAG","features":[68]},{"name":"CRYPT_DECODE_TO_BE_SIGNED_FLAG","features":[68]},{"name":"CRYPT_DECRYPT","features":[68]},{"name":"CRYPT_DECRYPT_MESSAGE_PARA","features":[68]},{"name":"CRYPT_DECRYPT_RSA_NO_PADDING_CHECK","features":[68]},{"name":"CRYPT_DEFAULT_CONTAINER_OPTIONAL","features":[68]},{"name":"CRYPT_DEFAULT_CONTEXT","features":[68]},{"name":"CRYPT_DEFAULT_CONTEXT_AUTO_RELEASE_FLAG","features":[68]},{"name":"CRYPT_DEFAULT_CONTEXT_CERT_SIGN_OID","features":[68]},{"name":"CRYPT_DEFAULT_CONTEXT_FLAGS","features":[68]},{"name":"CRYPT_DEFAULT_CONTEXT_MULTI_CERT_SIGN_OID","features":[68]},{"name":"CRYPT_DEFAULT_CONTEXT_MULTI_OID_PARA","features":[68]},{"name":"CRYPT_DEFAULT_CONTEXT_PROCESS_FLAG","features":[68]},{"name":"CRYPT_DEFAULT_CONTEXT_TYPE","features":[68]},{"name":"CRYPT_DEFAULT_OID","features":[68]},{"name":"CRYPT_DELETEKEYSET","features":[68]},{"name":"CRYPT_DELETE_DEFAULT","features":[68]},{"name":"CRYPT_DELETE_KEYSET","features":[68]},{"name":"CRYPT_DESTROYKEY","features":[68]},{"name":"CRYPT_DES_KEY_STATE","features":[68]},{"name":"CRYPT_DOMAIN","features":[68]},{"name":"CRYPT_DONT_CACHE_RESULT","features":[68]},{"name":"CRYPT_DONT_CHECK_TIME_VALIDITY","features":[68]},{"name":"CRYPT_DONT_VERIFY_SIGNATURE","features":[68]},{"name":"CRYPT_ECC_CMS_SHARED_INFO","features":[68]},{"name":"CRYPT_ECC_CMS_SHARED_INFO_SUPPPUBINFO_BYTE_LENGTH","features":[68]},{"name":"CRYPT_ECC_PRIVATE_KEY_INFO","features":[68]},{"name":"CRYPT_ECC_PRIVATE_KEY_INFO_v1","features":[68]},{"name":"CRYPT_ENABLE_FILE_RETRIEVAL","features":[68]},{"name":"CRYPT_ENABLE_SSL_REVOCATION_RETRIEVAL","features":[68]},{"name":"CRYPT_ENCODE_ALLOC_FLAG","features":[68]},{"name":"CRYPT_ENCODE_DECODE_NONE","features":[68]},{"name":"CRYPT_ENCODE_ENABLE_PUNYCODE_FLAG","features":[68]},{"name":"CRYPT_ENCODE_ENABLE_UTF8PERCENT_FLAG","features":[68]},{"name":"CRYPT_ENCODE_NO_SIGNATURE_BYTE_REVERSAL_FLAG","features":[68]},{"name":"CRYPT_ENCODE_OBJECT_FLAGS","features":[68]},{"name":"CRYPT_ENCODE_PARA","features":[68]},{"name":"CRYPT_ENCRYPT","features":[68]},{"name":"CRYPT_ENCRYPTED_PRIVATE_KEY_INFO","features":[68]},{"name":"CRYPT_ENCRYPT_ALG_OID_GROUP_ID","features":[68]},{"name":"CRYPT_ENCRYPT_MESSAGE_PARA","features":[68]},{"name":"CRYPT_ENHKEY_USAGE_OID_GROUP_ID","features":[68]},{"name":"CRYPT_ENROLLMENT_NAME_VALUE_PAIR","features":[68]},{"name":"CRYPT_EXCLUSIVE","features":[68]},{"name":"CRYPT_EXPORT","features":[68]},{"name":"CRYPT_EXPORTABLE","features":[68]},{"name":"CRYPT_EXPORT_KEY","features":[68]},{"name":"CRYPT_EXT_OR_ATTR_OID_GROUP_ID","features":[68]},{"name":"CRYPT_FAILED","features":[68]},{"name":"CRYPT_FASTSGC","features":[68]},{"name":"CRYPT_FIND_FLAGS","features":[68]},{"name":"CRYPT_FIND_MACHINE_KEYSET_FLAG","features":[68]},{"name":"CRYPT_FIND_SILENT_KEYSET_FLAG","features":[68]},{"name":"CRYPT_FIND_USER_KEYSET_FLAG","features":[68]},{"name":"CRYPT_FIRST","features":[68]},{"name":"CRYPT_FIRST_ALG_OID_GROUP_ID","features":[68]},{"name":"CRYPT_FLAG_IPSEC","features":[68]},{"name":"CRYPT_FLAG_PCT1","features":[68]},{"name":"CRYPT_FLAG_SIGNING","features":[68]},{"name":"CRYPT_FLAG_SSL2","features":[68]},{"name":"CRYPT_FLAG_SSL3","features":[68]},{"name":"CRYPT_FLAG_TLS1","features":[68]},{"name":"CRYPT_FORCE_KEY_PROTECTION_HIGH","features":[68]},{"name":"CRYPT_FORMAT_COMMA","features":[68]},{"name":"CRYPT_FORMAT_CRLF","features":[68]},{"name":"CRYPT_FORMAT_OID","features":[68]},{"name":"CRYPT_FORMAT_RDN_CRLF","features":[68]},{"name":"CRYPT_FORMAT_RDN_REVERSE","features":[68]},{"name":"CRYPT_FORMAT_RDN_SEMICOLON","features":[68]},{"name":"CRYPT_FORMAT_RDN_UNQUOTE","features":[68]},{"name":"CRYPT_FORMAT_SEMICOLON","features":[68]},{"name":"CRYPT_FORMAT_SIMPLE","features":[68]},{"name":"CRYPT_FORMAT_STR_MULTI_LINE","features":[68]},{"name":"CRYPT_FORMAT_STR_NO_HEX","features":[68]},{"name":"CRYPT_FORMAT_X509","features":[68]},{"name":"CRYPT_GET_INSTALLED_OID_FUNC_FLAG","features":[68]},{"name":"CRYPT_GET_TIME_VALID_OBJECT_EXTRA_INFO","features":[1,68]},{"name":"CRYPT_GET_URL_FLAGS","features":[68]},{"name":"CRYPT_GET_URL_FROM_AUTH_ATTRIBUTE","features":[68]},{"name":"CRYPT_GET_URL_FROM_EXTENSION","features":[68]},{"name":"CRYPT_GET_URL_FROM_PROPERTY","features":[68]},{"name":"CRYPT_GET_URL_FROM_UNAUTH_ATTRIBUTE","features":[68]},{"name":"CRYPT_HASH_ALG_OID_GROUP_ID","features":[68]},{"name":"CRYPT_HASH_INFO","features":[68]},{"name":"CRYPT_HASH_MESSAGE_PARA","features":[68]},{"name":"CRYPT_HTTP_POST_RETRIEVAL","features":[68]},{"name":"CRYPT_IMAGE_REF","features":[68]},{"name":"CRYPT_IMAGE_REF_FLAGS","features":[68]},{"name":"CRYPT_IMAGE_REG","features":[68]},{"name":"CRYPT_IMPL_HARDWARE","features":[68]},{"name":"CRYPT_IMPL_MIXED","features":[68]},{"name":"CRYPT_IMPL_REMOVABLE","features":[68]},{"name":"CRYPT_IMPL_SOFTWARE","features":[68]},{"name":"CRYPT_IMPL_UNKNOWN","features":[68]},{"name":"CRYPT_IMPORT_KEY","features":[68]},{"name":"CRYPT_IMPORT_PUBLIC_KEY_FLAGS","features":[68]},{"name":"CRYPT_INITIATOR","features":[68]},{"name":"CRYPT_INSTALL_OID_FUNC_BEFORE_FLAG","features":[68]},{"name":"CRYPT_INSTALL_OID_INFO_BEFORE_FLAG","features":[68]},{"name":"CRYPT_INTEGER_BLOB","features":[68]},{"name":"CRYPT_INTERFACE_REG","features":[68]},{"name":"CRYPT_IPSEC_HMAC_KEY","features":[68]},{"name":"CRYPT_KDF_OID_GROUP_ID","features":[68]},{"name":"CRYPT_KEEP_TIME_VALID","features":[68]},{"name":"CRYPT_KEK","features":[68]},{"name":"CRYPT_KEYID_ALLOC_FLAG","features":[68]},{"name":"CRYPT_KEYID_DELETE_FLAG","features":[68]},{"name":"CRYPT_KEYID_MACHINE_FLAG","features":[68]},{"name":"CRYPT_KEYID_SET_NEW_FLAG","features":[68]},{"name":"CRYPT_KEY_FLAGS","features":[68]},{"name":"CRYPT_KEY_PARAM_ID","features":[68]},{"name":"CRYPT_KEY_PROV_INFO","features":[68]},{"name":"CRYPT_KEY_PROV_PARAM","features":[68]},{"name":"CRYPT_KEY_SIGN_MESSAGE_PARA","features":[68]},{"name":"CRYPT_KEY_VERIFY_MESSAGE_PARA","features":[68]},{"name":"CRYPT_KM","features":[68]},{"name":"CRYPT_LAST_ALG_OID_GROUP_ID","features":[68]},{"name":"CRYPT_LAST_OID_GROUP_ID","features":[68]},{"name":"CRYPT_LDAP_AREC_EXCLUSIVE_RETRIEVAL","features":[68]},{"name":"CRYPT_LDAP_INSERT_ENTRY_ATTRIBUTE","features":[68]},{"name":"CRYPT_LDAP_SCOPE_BASE_ONLY_RETRIEVAL","features":[68]},{"name":"CRYPT_LDAP_SIGN_RETRIEVAL","features":[68]},{"name":"CRYPT_LITTLE_ENDIAN","features":[68]},{"name":"CRYPT_LOCAL","features":[68]},{"name":"CRYPT_LOCALIZED_NAME_ENCODING_TYPE","features":[68]},{"name":"CRYPT_LOCALIZED_NAME_OID","features":[68]},{"name":"CRYPT_MAC","features":[68]},{"name":"CRYPT_MACHINE_DEFAULT","features":[68]},{"name":"CRYPT_MACHINE_KEYSET","features":[68]},{"name":"CRYPT_MASK_GEN_ALGORITHM","features":[68]},{"name":"CRYPT_MATCH_ANY_ENCODING_TYPE","features":[68]},{"name":"CRYPT_MESSAGE_BARE_CONTENT_OUT_FLAG","features":[68]},{"name":"CRYPT_MESSAGE_ENCAPSULATED_CONTENT_OUT_FLAG","features":[68]},{"name":"CRYPT_MESSAGE_KEYID_RECIPIENT_FLAG","features":[68]},{"name":"CRYPT_MESSAGE_KEYID_SIGNER_FLAG","features":[68]},{"name":"CRYPT_MESSAGE_SILENT_KEYSET_FLAG","features":[68]},{"name":"CRYPT_MIN_DEPENDENCIES","features":[68]},{"name":"CRYPT_MM","features":[68]},{"name":"CRYPT_MODE_CBC","features":[68]},{"name":"CRYPT_MODE_CBCI","features":[68]},{"name":"CRYPT_MODE_CBCOFM","features":[68]},{"name":"CRYPT_MODE_CBCOFMI","features":[68]},{"name":"CRYPT_MODE_CFB","features":[68]},{"name":"CRYPT_MODE_CFBP","features":[68]},{"name":"CRYPT_MODE_CTS","features":[68]},{"name":"CRYPT_MODE_ECB","features":[68]},{"name":"CRYPT_MODE_OFB","features":[68]},{"name":"CRYPT_MODE_OFBP","features":[68]},{"name":"CRYPT_MSG_TYPE","features":[68]},{"name":"CRYPT_NDR_ENCODING","features":[68]},{"name":"CRYPT_NEWKEYSET","features":[68]},{"name":"CRYPT_NEXT","features":[68]},{"name":"CRYPT_NOHASHOID","features":[68]},{"name":"CRYPT_NOT_MODIFIED_RETRIEVAL","features":[68]},{"name":"CRYPT_NO_AUTH_RETRIEVAL","features":[68]},{"name":"CRYPT_NO_OCSP_FAILOVER_TO_CRL_RETRIEVAL","features":[68]},{"name":"CRYPT_NO_SALT","features":[68]},{"name":"CRYPT_OAEP","features":[68]},{"name":"CRYPT_OBJECT_LOCATOR_FIRST_RESERVED_USER_NAME_TYPE","features":[68]},{"name":"CRYPT_OBJECT_LOCATOR_LAST_RESERVED_NAME_TYPE","features":[68]},{"name":"CRYPT_OBJECT_LOCATOR_LAST_RESERVED_USER_NAME_TYPE","features":[68]},{"name":"CRYPT_OBJECT_LOCATOR_PROVIDER_TABLE","features":[1,68]},{"name":"CRYPT_OBJECT_LOCATOR_RELEASE_DLL_UNLOAD","features":[68]},{"name":"CRYPT_OBJECT_LOCATOR_RELEASE_PROCESS_EXIT","features":[68]},{"name":"CRYPT_OBJECT_LOCATOR_RELEASE_REASON","features":[68]},{"name":"CRYPT_OBJECT_LOCATOR_RELEASE_SERVICE_STOP","features":[68]},{"name":"CRYPT_OBJECT_LOCATOR_RELEASE_SYSTEM_SHUTDOWN","features":[68]},{"name":"CRYPT_OBJECT_LOCATOR_SPN_NAME_TYPE","features":[68]},{"name":"CRYPT_OBJID_TABLE","features":[68]},{"name":"CRYPT_OCSP_ONLY_RETRIEVAL","features":[68]},{"name":"CRYPT_OFFLINE_CHECK_RETRIEVAL","features":[68]},{"name":"CRYPT_OID_CREATE_COM_OBJECT_FUNC","features":[68]},{"name":"CRYPT_OID_DECODE_OBJECT_EX_FUNC","features":[68]},{"name":"CRYPT_OID_DECODE_OBJECT_FUNC","features":[68]},{"name":"CRYPT_OID_DISABLE_SEARCH_DS_FLAG","features":[68]},{"name":"CRYPT_OID_ENCODE_OBJECT_EX_FUNC","features":[68]},{"name":"CRYPT_OID_ENCODE_OBJECT_FUNC","features":[68]},{"name":"CRYPT_OID_ENUM_PHYSICAL_STORE_FUNC","features":[68]},{"name":"CRYPT_OID_ENUM_SYSTEM_STORE_FUNC","features":[68]},{"name":"CRYPT_OID_EXPORT_PRIVATE_KEY_INFO_FUNC","features":[68]},{"name":"CRYPT_OID_EXPORT_PUBLIC_KEY_INFO_EX2_FUNC","features":[68]},{"name":"CRYPT_OID_EXPORT_PUBLIC_KEY_INFO_FROM_BCRYPT_HANDLE_FUNC","features":[68]},{"name":"CRYPT_OID_EXPORT_PUBLIC_KEY_INFO_FUNC","features":[68]},{"name":"CRYPT_OID_EXTRACT_ENCODED_SIGNATURE_PARAMETERS_FUNC","features":[68]},{"name":"CRYPT_OID_FIND_LOCALIZED_NAME_FUNC","features":[68]},{"name":"CRYPT_OID_FIND_OID_INFO_FUNC","features":[68]},{"name":"CRYPT_OID_FORMAT_OBJECT_FUNC","features":[68]},{"name":"CRYPT_OID_FUNC_ENTRY","features":[68]},{"name":"CRYPT_OID_IMPORT_PRIVATE_KEY_INFO_FUNC","features":[68]},{"name":"CRYPT_OID_IMPORT_PUBLIC_KEY_INFO_EX2_FUNC","features":[68]},{"name":"CRYPT_OID_IMPORT_PUBLIC_KEY_INFO_FUNC","features":[68]},{"name":"CRYPT_OID_INFO","features":[68]},{"name":"CRYPT_OID_INFO_ALGID_KEY","features":[68]},{"name":"CRYPT_OID_INFO_CNG_ALGID_KEY","features":[68]},{"name":"CRYPT_OID_INFO_CNG_SIGN_KEY","features":[68]},{"name":"CRYPT_OID_INFO_ECC_PARAMETERS_ALGORITHM","features":[68]},{"name":"CRYPT_OID_INFO_ECC_WRAP_PARAMETERS_ALGORITHM","features":[68]},{"name":"CRYPT_OID_INFO_HASH_PARAMETERS_ALGORITHM","features":[68]},{"name":"CRYPT_OID_INFO_MGF1_PARAMETERS_ALGORITHM","features":[68]},{"name":"CRYPT_OID_INFO_NAME_KEY","features":[68]},{"name":"CRYPT_OID_INFO_NO_PARAMETERS_ALGORITHM","features":[68]},{"name":"CRYPT_OID_INFO_NO_SIGN_ALGORITHM","features":[68]},{"name":"CRYPT_OID_INFO_OAEP_PARAMETERS_ALGORITHM","features":[68]},{"name":"CRYPT_OID_INFO_OID_GROUP_BIT_LEN_MASK","features":[68]},{"name":"CRYPT_OID_INFO_OID_GROUP_BIT_LEN_SHIFT","features":[68]},{"name":"CRYPT_OID_INFO_OID_KEY","features":[68]},{"name":"CRYPT_OID_INFO_OID_KEY_FLAGS_MASK","features":[68]},{"name":"CRYPT_OID_INFO_PUBKEY_ENCRYPT_KEY_FLAG","features":[68]},{"name":"CRYPT_OID_INFO_PUBKEY_SIGN_KEY_FLAG","features":[68]},{"name":"CRYPT_OID_INFO_SIGN_KEY","features":[68]},{"name":"CRYPT_OID_INHIBIT_SIGNATURE_FORMAT_FLAG","features":[68]},{"name":"CRYPT_OID_NO_NULL_ALGORITHM_PARA_FLAG","features":[68]},{"name":"CRYPT_OID_OPEN_STORE_PROV_FUNC","features":[68]},{"name":"CRYPT_OID_OPEN_SYSTEM_STORE_PROV_FUNC","features":[68]},{"name":"CRYPT_OID_PREFER_CNG_ALGID_FLAG","features":[68]},{"name":"CRYPT_OID_PUBKEY_ENCRYPT_ONLY_FLAG","features":[68]},{"name":"CRYPT_OID_PUBKEY_SIGN_ONLY_FLAG","features":[68]},{"name":"CRYPT_OID_REGISTER_PHYSICAL_STORE_FUNC","features":[68]},{"name":"CRYPT_OID_REGISTER_SYSTEM_STORE_FUNC","features":[68]},{"name":"CRYPT_OID_REGPATH","features":[68]},{"name":"CRYPT_OID_REG_DLL_VALUE_NAME","features":[68]},{"name":"CRYPT_OID_REG_ENCODING_TYPE_PREFIX","features":[68]},{"name":"CRYPT_OID_REG_FLAGS_VALUE_NAME","features":[68]},{"name":"CRYPT_OID_REG_FUNC_NAME_VALUE_NAME","features":[68]},{"name":"CRYPT_OID_REG_FUNC_NAME_VALUE_NAME_A","features":[68]},{"name":"CRYPT_OID_SIGN_AND_ENCODE_HASH_FUNC","features":[68]},{"name":"CRYPT_OID_SYSTEM_STORE_LOCATION_VALUE_NAME","features":[68]},{"name":"CRYPT_OID_UNREGISTER_PHYSICAL_STORE_FUNC","features":[68]},{"name":"CRYPT_OID_UNREGISTER_SYSTEM_STORE_FUNC","features":[68]},{"name":"CRYPT_OID_USE_CURVE_NAME_FOR_ENCODE_FLAG","features":[68]},{"name":"CRYPT_OID_USE_CURVE_PARAMETERS_FOR_ENCODE_FLAG","features":[68]},{"name":"CRYPT_OID_USE_PUBKEY_PARA_FOR_PKCS7_FLAG","features":[68]},{"name":"CRYPT_OID_VERIFY_CERTIFICATE_CHAIN_POLICY_FUNC","features":[68]},{"name":"CRYPT_OID_VERIFY_CTL_USAGE_FUNC","features":[68]},{"name":"CRYPT_OID_VERIFY_ENCODED_SIGNATURE_FUNC","features":[68]},{"name":"CRYPT_OID_VERIFY_REVOCATION_FUNC","features":[68]},{"name":"CRYPT_ONLINE","features":[68]},{"name":"CRYPT_OVERRIDE","features":[68]},{"name":"CRYPT_OVERWRITE","features":[68]},{"name":"CRYPT_OWF_REPL_LM_HASH","features":[68]},{"name":"CRYPT_PARAM_ASYNC_RETRIEVAL_COMPLETION","features":[68]},{"name":"CRYPT_PARAM_CANCEL_ASYNC_RETRIEVAL","features":[68]},{"name":"CRYPT_PASSWORD_CREDENTIALSA","features":[68]},{"name":"CRYPT_PASSWORD_CREDENTIALSW","features":[68]},{"name":"CRYPT_PKCS12_PBE_PARAMS","features":[68]},{"name":"CRYPT_PKCS8_EXPORT_PARAMS","features":[1,68]},{"name":"CRYPT_PKCS8_IMPORT_PARAMS","features":[1,68]},{"name":"CRYPT_POLICY_OID_GROUP_ID","features":[68]},{"name":"CRYPT_PREGEN","features":[68]},{"name":"CRYPT_PRIORITY_BOTTOM","features":[68]},{"name":"CRYPT_PRIORITY_TOP","features":[68]},{"name":"CRYPT_PRIVATE_KEY_INFO","features":[68]},{"name":"CRYPT_PROCESS_ISOLATE","features":[68]},{"name":"CRYPT_PROPERTY_REF","features":[68]},{"name":"CRYPT_PROVIDERS","features":[68]},{"name":"CRYPT_PROVIDER_REF","features":[68]},{"name":"CRYPT_PROVIDER_REFS","features":[68]},{"name":"CRYPT_PROVIDER_REG","features":[68]},{"name":"CRYPT_PROXY_CACHE_RETRIEVAL","features":[68]},{"name":"CRYPT_PSOURCE_ALGORITHM","features":[68]},{"name":"CRYPT_PSTORE","features":[68]},{"name":"CRYPT_PUBKEY_ALG_OID_GROUP_ID","features":[68]},{"name":"CRYPT_RANDOM_QUERY_STRING_RETRIEVAL","features":[68]},{"name":"CRYPT_RC2_128BIT_VERSION","features":[68]},{"name":"CRYPT_RC2_40BIT_VERSION","features":[68]},{"name":"CRYPT_RC2_56BIT_VERSION","features":[68]},{"name":"CRYPT_RC2_64BIT_VERSION","features":[68]},{"name":"CRYPT_RC2_CBC_PARAMETERS","features":[1,68]},{"name":"CRYPT_RC4_KEY_STATE","features":[68]},{"name":"CRYPT_RDN_ATTR_OID_GROUP_ID","features":[68]},{"name":"CRYPT_READ","features":[68]},{"name":"CRYPT_RECIPIENT","features":[68]},{"name":"CRYPT_REGISTER_FIRST_INDEX","features":[68]},{"name":"CRYPT_REGISTER_LAST_INDEX","features":[68]},{"name":"CRYPT_RETRIEVE_AUX_INFO","features":[1,68]},{"name":"CRYPT_RETRIEVE_MAX_ERROR_CONTENT_LENGTH","features":[68]},{"name":"CRYPT_RETRIEVE_MULTIPLE_OBJECTS","features":[68]},{"name":"CRYPT_RSAES_OAEP_PARAMETERS","features":[68]},{"name":"CRYPT_RSA_SSA_PSS_PARAMETERS","features":[68]},{"name":"CRYPT_SECRETDIGEST","features":[68]},{"name":"CRYPT_SEC_DESCR","features":[68]},{"name":"CRYPT_SEQUENCE_OF_ANY","features":[68]},{"name":"CRYPT_SERVER","features":[68]},{"name":"CRYPT_SET_HASH_PARAM","features":[68]},{"name":"CRYPT_SET_PROV_PARAM_ID","features":[68]},{"name":"CRYPT_SF","features":[68]},{"name":"CRYPT_SGC","features":[68]},{"name":"CRYPT_SGCKEY","features":[68]},{"name":"CRYPT_SGC_ENUM","features":[68]},{"name":"CRYPT_SIGN_ALG_OID_GROUP_ID","features":[68]},{"name":"CRYPT_SIGN_MESSAGE_PARA","features":[1,68]},{"name":"CRYPT_SILENT","features":[68]},{"name":"CRYPT_SMART_CARD_ROOT_INFO","features":[68]},{"name":"CRYPT_SMIME_CAPABILITIES","features":[68]},{"name":"CRYPT_SMIME_CAPABILITY","features":[68]},{"name":"CRYPT_SORTED_CTL_ENCODE_HASHED_SUBJECT_IDENTIFIER_FLAG","features":[68]},{"name":"CRYPT_SSL2_FALLBACK","features":[68]},{"name":"CRYPT_STICKY_CACHE_RETRIEVAL","features":[68]},{"name":"CRYPT_STRING","features":[68]},{"name":"CRYPT_STRING_ANY","features":[68]},{"name":"CRYPT_STRING_BASE64","features":[68]},{"name":"CRYPT_STRING_BASE64HEADER","features":[68]},{"name":"CRYPT_STRING_BASE64REQUESTHEADER","features":[68]},{"name":"CRYPT_STRING_BASE64URI","features":[68]},{"name":"CRYPT_STRING_BASE64X509CRLHEADER","features":[68]},{"name":"CRYPT_STRING_BASE64_ANY","features":[68]},{"name":"CRYPT_STRING_BINARY","features":[68]},{"name":"CRYPT_STRING_ENCODEMASK","features":[68]},{"name":"CRYPT_STRING_HASHDATA","features":[68]},{"name":"CRYPT_STRING_HEX","features":[68]},{"name":"CRYPT_STRING_HEXADDR","features":[68]},{"name":"CRYPT_STRING_HEXASCII","features":[68]},{"name":"CRYPT_STRING_HEXASCIIADDR","features":[68]},{"name":"CRYPT_STRING_HEXRAW","features":[68]},{"name":"CRYPT_STRING_HEX_ANY","features":[68]},{"name":"CRYPT_STRING_NOCR","features":[68]},{"name":"CRYPT_STRING_NOCRLF","features":[68]},{"name":"CRYPT_STRING_PERCENTESCAPE","features":[68]},{"name":"CRYPT_STRING_RESERVED100","features":[68]},{"name":"CRYPT_STRING_RESERVED200","features":[68]},{"name":"CRYPT_STRING_STRICT","features":[68]},{"name":"CRYPT_SUCCEED","features":[68]},{"name":"CRYPT_TEMPLATE_OID_GROUP_ID","features":[68]},{"name":"CRYPT_TIMESTAMP_ACCURACY","features":[68]},{"name":"CRYPT_TIMESTAMP_CONTEXT","features":[1,68]},{"name":"CRYPT_TIMESTAMP_INFO","features":[1,68]},{"name":"CRYPT_TIMESTAMP_PARA","features":[1,68]},{"name":"CRYPT_TIMESTAMP_REQUEST","features":[1,68]},{"name":"CRYPT_TIMESTAMP_RESPONSE","features":[68]},{"name":"CRYPT_TIMESTAMP_RESPONSE_STATUS","features":[68]},{"name":"CRYPT_TIMESTAMP_VERSION","features":[68]},{"name":"CRYPT_TIME_STAMP_REQUEST_INFO","features":[68]},{"name":"CRYPT_TYPE2_FORMAT","features":[68]},{"name":"CRYPT_UI_PROMPT","features":[68]},{"name":"CRYPT_UM","features":[68]},{"name":"CRYPT_UNICODE_NAME_DECODE_DISABLE_IE4_UTF8_FLAG","features":[68]},{"name":"CRYPT_UNICODE_NAME_ENCODE_DISABLE_CHECK_TYPE_FLAG","features":[68]},{"name":"CRYPT_UNICODE_NAME_ENCODE_ENABLE_T61_UNICODE_FLAG","features":[68]},{"name":"CRYPT_UNICODE_NAME_ENCODE_ENABLE_UTF8_UNICODE_FLAG","features":[68]},{"name":"CRYPT_UNICODE_NAME_ENCODE_FORCE_UTF8_UNICODE_FLAG","features":[68]},{"name":"CRYPT_UPDATE_KEY","features":[68]},{"name":"CRYPT_URL_ARRAY","features":[68]},{"name":"CRYPT_URL_INFO","features":[68]},{"name":"CRYPT_USERDATA","features":[68]},{"name":"CRYPT_USER_DEFAULT","features":[68]},{"name":"CRYPT_USER_KEYSET","features":[68]},{"name":"CRYPT_USER_PROTECTED","features":[68]},{"name":"CRYPT_USER_PROTECTED_STRONG","features":[68]},{"name":"CRYPT_VERIFYCONTEXT","features":[68]},{"name":"CRYPT_VERIFY_CERT_FLAGS","features":[68]},{"name":"CRYPT_VERIFY_CERT_SIGN_CHECK_WEAK_HASH_FLAG","features":[68]},{"name":"CRYPT_VERIFY_CERT_SIGN_DISABLE_MD2_MD4_FLAG","features":[68]},{"name":"CRYPT_VERIFY_CERT_SIGN_ISSUER_CERT","features":[68]},{"name":"CRYPT_VERIFY_CERT_SIGN_ISSUER_CHAIN","features":[68]},{"name":"CRYPT_VERIFY_CERT_SIGN_ISSUER_NULL","features":[68]},{"name":"CRYPT_VERIFY_CERT_SIGN_ISSUER_PUBKEY","features":[68]},{"name":"CRYPT_VERIFY_CERT_SIGN_RETURN_STRONG_PROPERTIES_FLAG","features":[68]},{"name":"CRYPT_VERIFY_CERT_SIGN_SET_STRONG_PROPERTIES_FLAG","features":[68]},{"name":"CRYPT_VERIFY_CERT_SIGN_STRONG_PROPERTIES_INFO","features":[68]},{"name":"CRYPT_VERIFY_CERT_SIGN_SUBJECT_BLOB","features":[68]},{"name":"CRYPT_VERIFY_CERT_SIGN_SUBJECT_CERT","features":[68]},{"name":"CRYPT_VERIFY_CERT_SIGN_SUBJECT_CRL","features":[68]},{"name":"CRYPT_VERIFY_CERT_SIGN_SUBJECT_OCSP_BASIC_SIGNED_RESPONSE","features":[68]},{"name":"CRYPT_VERIFY_CERT_SIGN_WEAK_HASH_INFO","features":[68]},{"name":"CRYPT_VERIFY_CONTEXT_SIGNATURE","features":[68]},{"name":"CRYPT_VERIFY_DATA_HASH","features":[68]},{"name":"CRYPT_VERIFY_MESSAGE_PARA","features":[1,68]},{"name":"CRYPT_VOLATILE","features":[68]},{"name":"CRYPT_WIRE_ONLY_RETRIEVAL","features":[68]},{"name":"CRYPT_WRITE","features":[68]},{"name":"CRYPT_X931_FORMAT","features":[68]},{"name":"CRYPT_X942_COUNTER_BYTE_LENGTH","features":[68]},{"name":"CRYPT_X942_KEY_LENGTH_BYTE_LENGTH","features":[68]},{"name":"CRYPT_X942_OTHER_INFO","features":[68]},{"name":"CRYPT_XML_ALGORITHM","features":[68]},{"name":"CRYPT_XML_ALGORITHM_INFO","features":[68]},{"name":"CRYPT_XML_ALGORITHM_INFO_FIND_BY_CNG_ALGID","features":[68]},{"name":"CRYPT_XML_ALGORITHM_INFO_FIND_BY_CNG_SIGN_ALGID","features":[68]},{"name":"CRYPT_XML_ALGORITHM_INFO_FIND_BY_NAME","features":[68]},{"name":"CRYPT_XML_ALGORITHM_INFO_FIND_BY_URI","features":[68]},{"name":"CRYPT_XML_BLOB","features":[68]},{"name":"CRYPT_XML_BLOB_MAX","features":[68]},{"name":"CRYPT_XML_CHARSET","features":[68]},{"name":"CRYPT_XML_CHARSET_AUTO","features":[68]},{"name":"CRYPT_XML_CHARSET_UTF16BE","features":[68]},{"name":"CRYPT_XML_CHARSET_UTF16LE","features":[68]},{"name":"CRYPT_XML_CHARSET_UTF8","features":[68]},{"name":"CRYPT_XML_CRYPTOGRAPHIC_INTERFACE","features":[68]},{"name":"CRYPT_XML_DATA_BLOB","features":[68]},{"name":"CRYPT_XML_DATA_PROVIDER","features":[68]},{"name":"CRYPT_XML_DIGEST_REFERENCE_DATA_TRANSFORMED","features":[68]},{"name":"CRYPT_XML_DIGEST_VALUE_MAX","features":[68]},{"name":"CRYPT_XML_DOC_CTXT","features":[68]},{"name":"CRYPT_XML_E_ALGORITHM","features":[68]},{"name":"CRYPT_XML_E_BASE","features":[68]},{"name":"CRYPT_XML_E_ENCODING","features":[68]},{"name":"CRYPT_XML_E_HANDLE","features":[68]},{"name":"CRYPT_XML_E_HASH_FAILED","features":[68]},{"name":"CRYPT_XML_E_INVALID_DIGEST","features":[68]},{"name":"CRYPT_XML_E_INVALID_KEYVALUE","features":[68]},{"name":"CRYPT_XML_E_INVALID_SIGNATURE","features":[68]},{"name":"CRYPT_XML_E_LARGE","features":[68]},{"name":"CRYPT_XML_E_LAST","features":[68]},{"name":"CRYPT_XML_E_NON_UNIQUE_ID","features":[68]},{"name":"CRYPT_XML_E_OPERATION","features":[68]},{"name":"CRYPT_XML_E_SIGNER","features":[68]},{"name":"CRYPT_XML_E_SIGN_FAILED","features":[68]},{"name":"CRYPT_XML_E_TOO_MANY_SIGNATURES","features":[68]},{"name":"CRYPT_XML_E_TOO_MANY_TRANSFORMS","features":[68]},{"name":"CRYPT_XML_E_TRANSFORM","features":[68]},{"name":"CRYPT_XML_E_UNEXPECTED_XML","features":[68]},{"name":"CRYPT_XML_E_UNRESOLVED_REFERENCE","features":[68]},{"name":"CRYPT_XML_E_VERIFY_FAILED","features":[68]},{"name":"CRYPT_XML_FLAGS","features":[68]},{"name":"CRYPT_XML_FLAG_ADD_OBJECT_CREATE_COPY","features":[68]},{"name":"CRYPT_XML_FLAG_ALWAYS_RETURN_ENCODED_OBJECT","features":[68]},{"name":"CRYPT_XML_FLAG_CREATE_REFERENCE_AS_OBJECT","features":[68]},{"name":"CRYPT_XML_FLAG_DISABLE_EXTENSIONS","features":[68]},{"name":"CRYPT_XML_FLAG_ECDSA_DSIG11","features":[68]},{"name":"CRYPT_XML_FLAG_ENFORCE_ID_NAME_FORMAT","features":[68]},{"name":"CRYPT_XML_FLAG_ENFORCE_ID_NCNAME_FORMAT","features":[68]},{"name":"CRYPT_XML_FLAG_NO_SERIALIZE","features":[68]},{"name":"CRYPT_XML_GROUP_ID","features":[68]},{"name":"CRYPT_XML_GROUP_ID_HASH","features":[68]},{"name":"CRYPT_XML_GROUP_ID_SIGN","features":[68]},{"name":"CRYPT_XML_ID_MAX","features":[68]},{"name":"CRYPT_XML_ISSUER_SERIAL","features":[68]},{"name":"CRYPT_XML_KEYINFO_PARAM","features":[68]},{"name":"CRYPT_XML_KEYINFO_SPEC","features":[68]},{"name":"CRYPT_XML_KEYINFO_SPEC_ENCODED","features":[68]},{"name":"CRYPT_XML_KEYINFO_SPEC_NONE","features":[68]},{"name":"CRYPT_XML_KEYINFO_SPEC_PARAM","features":[68]},{"name":"CRYPT_XML_KEYINFO_TYPE","features":[68]},{"name":"CRYPT_XML_KEYINFO_TYPE_CUSTOM","features":[68]},{"name":"CRYPT_XML_KEYINFO_TYPE_KEYNAME","features":[68]},{"name":"CRYPT_XML_KEYINFO_TYPE_KEYVALUE","features":[68]},{"name":"CRYPT_XML_KEYINFO_TYPE_RETRIEVAL","features":[68]},{"name":"CRYPT_XML_KEYINFO_TYPE_X509DATA","features":[68]},{"name":"CRYPT_XML_KEY_DSA_KEY_VALUE","features":[68]},{"name":"CRYPT_XML_KEY_ECDSA_KEY_VALUE","features":[68]},{"name":"CRYPT_XML_KEY_INFO","features":[68]},{"name":"CRYPT_XML_KEY_INFO_ITEM","features":[68]},{"name":"CRYPT_XML_KEY_RSA_KEY_VALUE","features":[68]},{"name":"CRYPT_XML_KEY_VALUE","features":[68]},{"name":"CRYPT_XML_KEY_VALUE_TYPE","features":[68]},{"name":"CRYPT_XML_KEY_VALUE_TYPE_CUSTOM","features":[68]},{"name":"CRYPT_XML_KEY_VALUE_TYPE_DSA","features":[68]},{"name":"CRYPT_XML_KEY_VALUE_TYPE_ECDSA","features":[68]},{"name":"CRYPT_XML_KEY_VALUE_TYPE_RSA","features":[68]},{"name":"CRYPT_XML_OBJECT","features":[68]},{"name":"CRYPT_XML_OBJECTS_MAX","features":[68]},{"name":"CRYPT_XML_PROPERTY","features":[68]},{"name":"CRYPT_XML_PROPERTY_DOC_DECLARATION","features":[68]},{"name":"CRYPT_XML_PROPERTY_ID","features":[68]},{"name":"CRYPT_XML_PROPERTY_MAX_HEAP_SIZE","features":[68]},{"name":"CRYPT_XML_PROPERTY_MAX_SIGNATURES","features":[68]},{"name":"CRYPT_XML_PROPERTY_SIGNATURE_LOCATION","features":[68]},{"name":"CRYPT_XML_PROPERTY_XML_OUTPUT_CHARSET","features":[68]},{"name":"CRYPT_XML_REFERENCE","features":[68]},{"name":"CRYPT_XML_REFERENCES","features":[68]},{"name":"CRYPT_XML_REFERENCES_MAX","features":[68]},{"name":"CRYPT_XML_SIGNATURE","features":[68]},{"name":"CRYPT_XML_SIGNATURES_MAX","features":[68]},{"name":"CRYPT_XML_SIGNATURE_VALUE_MAX","features":[68]},{"name":"CRYPT_XML_SIGNED_INFO","features":[68]},{"name":"CRYPT_XML_SIGN_ADD_KEYVALUE","features":[68]},{"name":"CRYPT_XML_STATUS","features":[68]},{"name":"CRYPT_XML_STATUS_DIGESTING","features":[68]},{"name":"CRYPT_XML_STATUS_DIGEST_VALID","features":[68]},{"name":"CRYPT_XML_STATUS_ERROR_DIGEST_INVALID","features":[68]},{"name":"CRYPT_XML_STATUS_ERROR_KEYINFO_NOT_PARSED","features":[68]},{"name":"CRYPT_XML_STATUS_ERROR_NOT_RESOLVED","features":[68]},{"name":"CRYPT_XML_STATUS_ERROR_NOT_SUPPORTED_ALGORITHM","features":[68]},{"name":"CRYPT_XML_STATUS_ERROR_NOT_SUPPORTED_TRANSFORM","features":[68]},{"name":"CRYPT_XML_STATUS_ERROR_SIGNATURE_INVALID","features":[68]},{"name":"CRYPT_XML_STATUS_ERROR_STATUS","features":[68]},{"name":"CRYPT_XML_STATUS_INFO_STATUS","features":[68]},{"name":"CRYPT_XML_STATUS_INTERNAL_REFERENCE","features":[68]},{"name":"CRYPT_XML_STATUS_KEY_AVAILABLE","features":[68]},{"name":"CRYPT_XML_STATUS_NO_ERROR","features":[68]},{"name":"CRYPT_XML_STATUS_OPENED_TO_ENCODE","features":[68]},{"name":"CRYPT_XML_STATUS_SIGNATURE_VALID","features":[68]},{"name":"CRYPT_XML_TRANSFORM_CHAIN_CONFIG","features":[68]},{"name":"CRYPT_XML_TRANSFORM_FLAGS","features":[68]},{"name":"CRYPT_XML_TRANSFORM_INFO","features":[68]},{"name":"CRYPT_XML_TRANSFORM_MAX","features":[68]},{"name":"CRYPT_XML_TRANSFORM_ON_NODESET","features":[68]},{"name":"CRYPT_XML_TRANSFORM_ON_STREAM","features":[68]},{"name":"CRYPT_XML_TRANSFORM_URI_QUERY_STRING","features":[68]},{"name":"CRYPT_XML_X509DATA","features":[68]},{"name":"CRYPT_XML_X509DATA_ITEM","features":[68]},{"name":"CRYPT_XML_X509DATA_TYPE","features":[68]},{"name":"CRYPT_XML_X509DATA_TYPE_CERTIFICATE","features":[68]},{"name":"CRYPT_XML_X509DATA_TYPE_CRL","features":[68]},{"name":"CRYPT_XML_X509DATA_TYPE_CUSTOM","features":[68]},{"name":"CRYPT_XML_X509DATA_TYPE_ISSUER_SERIAL","features":[68]},{"name":"CRYPT_XML_X509DATA_TYPE_SKI","features":[68]},{"name":"CRYPT_XML_X509DATA_TYPE_SUBJECT_NAME","features":[68]},{"name":"CRYPT_Y_ONLY","features":[68]},{"name":"CTL_ANY_SUBJECT_INFO","features":[68]},{"name":"CTL_ANY_SUBJECT_TYPE","features":[68]},{"name":"CTL_CERT_SUBJECT_TYPE","features":[68]},{"name":"CTL_CONTEXT","features":[1,68]},{"name":"CTL_ENTRY","features":[68]},{"name":"CTL_ENTRY_FROM_PROP_CHAIN_FLAG","features":[68]},{"name":"CTL_FIND_ANY","features":[68]},{"name":"CTL_FIND_EXISTING","features":[68]},{"name":"CTL_FIND_MD5_HASH","features":[68]},{"name":"CTL_FIND_NO_LIST_ID_CBDATA","features":[68]},{"name":"CTL_FIND_SAME_USAGE_FLAG","features":[68]},{"name":"CTL_FIND_SHA1_HASH","features":[68]},{"name":"CTL_FIND_SUBJECT","features":[68]},{"name":"CTL_FIND_SUBJECT_PARA","features":[1,68]},{"name":"CTL_FIND_USAGE","features":[68]},{"name":"CTL_FIND_USAGE_PARA","features":[1,68]},{"name":"CTL_INFO","features":[1,68]},{"name":"CTL_USAGE","features":[68]},{"name":"CTL_USAGE_MATCH","features":[68]},{"name":"CTL_V1","features":[68]},{"name":"CTL_VERIFY_USAGE_PARA","features":[68]},{"name":"CTL_VERIFY_USAGE_STATUS","features":[1,68]},{"name":"CUR_BLOB_VERSION","features":[68]},{"name":"CertAddCRLContextToStore","features":[1,68]},{"name":"CertAddCRLLinkToStore","features":[1,68]},{"name":"CertAddCTLContextToStore","features":[1,68]},{"name":"CertAddCTLLinkToStore","features":[1,68]},{"name":"CertAddCertificateContextToStore","features":[1,68]},{"name":"CertAddCertificateLinkToStore","features":[1,68]},{"name":"CertAddEncodedCRLToStore","features":[1,68]},{"name":"CertAddEncodedCTLToStore","features":[1,68]},{"name":"CertAddEncodedCertificateToStore","features":[1,68]},{"name":"CertAddEncodedCertificateToSystemStoreA","features":[1,68]},{"name":"CertAddEncodedCertificateToSystemStoreW","features":[1,68]},{"name":"CertAddEnhancedKeyUsageIdentifier","features":[1,68]},{"name":"CertAddRefServerOcspResponse","features":[68]},{"name":"CertAddRefServerOcspResponseContext","features":[68]},{"name":"CertAddSerializedElementToStore","features":[1,68]},{"name":"CertAddStoreToCollection","features":[1,68]},{"name":"CertAlgIdToOID","features":[68]},{"name":"CertCloseServerOcspResponse","features":[68]},{"name":"CertCloseStore","features":[1,68]},{"name":"CertCompareCertificate","features":[1,68]},{"name":"CertCompareCertificateName","features":[1,68]},{"name":"CertCompareIntegerBlob","features":[1,68]},{"name":"CertComparePublicKeyInfo","features":[1,68]},{"name":"CertControlStore","features":[1,68]},{"name":"CertCreateCRLContext","features":[1,68]},{"name":"CertCreateCTLContext","features":[1,68]},{"name":"CertCreateCTLEntryFromCertificateContextProperties","features":[1,68]},{"name":"CertCreateCertificateChainEngine","features":[1,68]},{"name":"CertCreateCertificateContext","features":[1,68]},{"name":"CertCreateContext","features":[1,68]},{"name":"CertCreateSelfSignCertificate","features":[1,68]},{"name":"CertDeleteCRLFromStore","features":[1,68]},{"name":"CertDeleteCTLFromStore","features":[1,68]},{"name":"CertDeleteCertificateFromStore","features":[1,68]},{"name":"CertDuplicateCRLContext","features":[1,68]},{"name":"CertDuplicateCTLContext","features":[1,68]},{"name":"CertDuplicateCertificateChain","features":[1,68]},{"name":"CertDuplicateCertificateContext","features":[1,68]},{"name":"CertDuplicateStore","features":[68]},{"name":"CertEnumCRLContextProperties","features":[1,68]},{"name":"CertEnumCRLsInStore","features":[1,68]},{"name":"CertEnumCTLContextProperties","features":[1,68]},{"name":"CertEnumCTLsInStore","features":[1,68]},{"name":"CertEnumCertificateContextProperties","features":[1,68]},{"name":"CertEnumCertificatesInStore","features":[1,68]},{"name":"CertEnumPhysicalStore","features":[1,68]},{"name":"CertEnumSubjectInSortedCTL","features":[1,68]},{"name":"CertEnumSystemStore","features":[1,68]},{"name":"CertEnumSystemStoreLocation","features":[1,68]},{"name":"CertFindAttribute","features":[68]},{"name":"CertFindCRLInStore","features":[1,68]},{"name":"CertFindCTLInStore","features":[1,68]},{"name":"CertFindCertificateInCRL","features":[1,68]},{"name":"CertFindCertificateInStore","features":[1,68]},{"name":"CertFindChainInStore","features":[1,68]},{"name":"CertFindExtension","features":[1,68]},{"name":"CertFindRDNAttr","features":[68]},{"name":"CertFindSubjectInCTL","features":[1,68]},{"name":"CertFindSubjectInSortedCTL","features":[1,68]},{"name":"CertFreeCRLContext","features":[1,68]},{"name":"CertFreeCTLContext","features":[1,68]},{"name":"CertFreeCertificateChain","features":[1,68]},{"name":"CertFreeCertificateChainEngine","features":[68]},{"name":"CertFreeCertificateChainList","features":[1,68]},{"name":"CertFreeCertificateContext","features":[1,68]},{"name":"CertFreeServerOcspResponseContext","features":[68]},{"name":"CertGetCRLContextProperty","features":[1,68]},{"name":"CertGetCRLFromStore","features":[1,68]},{"name":"CertGetCTLContextProperty","features":[1,68]},{"name":"CertGetCertificateChain","features":[1,68]},{"name":"CertGetCertificateContextProperty","features":[1,68]},{"name":"CertGetEnhancedKeyUsage","features":[1,68]},{"name":"CertGetIntendedKeyUsage","features":[1,68]},{"name":"CertGetIssuerCertificateFromStore","features":[1,68]},{"name":"CertGetNameStringA","features":[1,68]},{"name":"CertGetNameStringW","features":[1,68]},{"name":"CertGetPublicKeyLength","features":[68]},{"name":"CertGetServerOcspResponseContext","features":[68]},{"name":"CertGetStoreProperty","features":[1,68]},{"name":"CertGetSubjectCertificateFromStore","features":[1,68]},{"name":"CertGetValidUsages","features":[1,68]},{"name":"CertIsRDNAttrsInCertificateName","features":[1,68]},{"name":"CertIsStrongHashToSign","features":[1,68]},{"name":"CertIsValidCRLForCertificate","features":[1,68]},{"name":"CertIsWeakHash","features":[1,68]},{"name":"CertKeyType","features":[68]},{"name":"CertNameToStrA","features":[68]},{"name":"CertNameToStrW","features":[68]},{"name":"CertOIDToAlgId","features":[68]},{"name":"CertOpenServerOcspResponse","features":[1,68]},{"name":"CertOpenStore","features":[68]},{"name":"CertOpenSystemStoreA","features":[68]},{"name":"CertOpenSystemStoreW","features":[68]},{"name":"CertRDNValueToStrA","features":[68]},{"name":"CertRDNValueToStrW","features":[68]},{"name":"CertRegisterPhysicalStore","features":[1,68]},{"name":"CertRegisterSystemStore","features":[1,68]},{"name":"CertRemoveEnhancedKeyUsageIdentifier","features":[1,68]},{"name":"CertRemoveStoreFromCollection","features":[68]},{"name":"CertResyncCertificateChainEngine","features":[1,68]},{"name":"CertRetrieveLogoOrBiometricInfo","features":[1,68]},{"name":"CertSaveStore","features":[1,68]},{"name":"CertSelectCertificateChains","features":[1,68]},{"name":"CertSerializeCRLStoreElement","features":[1,68]},{"name":"CertSerializeCTLStoreElement","features":[1,68]},{"name":"CertSerializeCertificateStoreElement","features":[1,68]},{"name":"CertSetCRLContextProperty","features":[1,68]},{"name":"CertSetCTLContextProperty","features":[1,68]},{"name":"CertSetCertificateContextPropertiesFromCTLEntry","features":[1,68]},{"name":"CertSetCertificateContextProperty","features":[1,68]},{"name":"CertSetEnhancedKeyUsage","features":[1,68]},{"name":"CertSetStoreProperty","features":[1,68]},{"name":"CertStrToNameA","features":[1,68]},{"name":"CertStrToNameW","features":[1,68]},{"name":"CertUnregisterPhysicalStore","features":[1,68]},{"name":"CertUnregisterSystemStore","features":[1,68]},{"name":"CertVerifyCRLRevocation","features":[1,68]},{"name":"CertVerifyCRLTimeValidity","features":[1,68]},{"name":"CertVerifyCTLUsage","features":[1,68]},{"name":"CertVerifyCertificateChainPolicy","features":[1,68]},{"name":"CertVerifyRevocation","features":[1,68]},{"name":"CertVerifySubjectCertificateContext","features":[1,68]},{"name":"CertVerifyTimeValidity","features":[1,68]},{"name":"CertVerifyValidityNesting","features":[1,68]},{"name":"CloseCryptoHandle","features":[68]},{"name":"CryptAcquireCertificatePrivateKey","features":[1,68]},{"name":"CryptAcquireContextA","features":[1,68]},{"name":"CryptAcquireContextW","features":[1,68]},{"name":"CryptBinaryToStringA","features":[1,68]},{"name":"CryptBinaryToStringW","features":[1,68]},{"name":"CryptCloseAsyncHandle","features":[1,68]},{"name":"CryptContextAddRef","features":[1,68]},{"name":"CryptCreateAsyncHandle","features":[1,68]},{"name":"CryptCreateHash","features":[1,68]},{"name":"CryptCreateKeyIdentifierFromCSP","features":[1,68]},{"name":"CryptDecodeMessage","features":[1,68]},{"name":"CryptDecodeObject","features":[1,68]},{"name":"CryptDecodeObjectEx","features":[1,68]},{"name":"CryptDecrypt","features":[1,68]},{"name":"CryptDecryptAndVerifyMessageSignature","features":[1,68]},{"name":"CryptDecryptMessage","features":[1,68]},{"name":"CryptDeriveKey","features":[1,68]},{"name":"CryptDestroyHash","features":[1,68]},{"name":"CryptDestroyKey","features":[1,68]},{"name":"CryptDuplicateHash","features":[1,68]},{"name":"CryptDuplicateKey","features":[1,68]},{"name":"CryptEncodeObject","features":[1,68]},{"name":"CryptEncodeObjectEx","features":[1,68]},{"name":"CryptEncrypt","features":[1,68]},{"name":"CryptEncryptMessage","features":[1,68]},{"name":"CryptEnumKeyIdentifierProperties","features":[1,68]},{"name":"CryptEnumOIDFunction","features":[1,68]},{"name":"CryptEnumOIDInfo","features":[1,68]},{"name":"CryptEnumProviderTypesA","features":[1,68]},{"name":"CryptEnumProviderTypesW","features":[1,68]},{"name":"CryptEnumProvidersA","features":[1,68]},{"name":"CryptEnumProvidersW","features":[1,68]},{"name":"CryptExportKey","features":[1,68]},{"name":"CryptExportPKCS8","features":[1,68]},{"name":"CryptExportPublicKeyInfo","features":[1,68]},{"name":"CryptExportPublicKeyInfoEx","features":[1,68]},{"name":"CryptExportPublicKeyInfoFromBCryptKeyHandle","features":[1,68]},{"name":"CryptFindCertificateKeyProvInfo","features":[1,68]},{"name":"CryptFindLocalizedName","features":[68]},{"name":"CryptFindOIDInfo","features":[68]},{"name":"CryptFormatObject","features":[1,68]},{"name":"CryptFreeOIDFunctionAddress","features":[1,68]},{"name":"CryptGenKey","features":[1,68]},{"name":"CryptGenRandom","features":[1,68]},{"name":"CryptGetAsyncParam","features":[1,68]},{"name":"CryptGetDefaultOIDDllList","features":[1,68]},{"name":"CryptGetDefaultOIDFunctionAddress","features":[1,68]},{"name":"CryptGetDefaultProviderA","features":[1,68]},{"name":"CryptGetDefaultProviderW","features":[1,68]},{"name":"CryptGetHashParam","features":[1,68]},{"name":"CryptGetKeyIdentifierProperty","features":[1,68]},{"name":"CryptGetKeyParam","features":[1,68]},{"name":"CryptGetMessageCertificates","features":[68]},{"name":"CryptGetMessageSignerCount","features":[68]},{"name":"CryptGetOIDFunctionAddress","features":[1,68]},{"name":"CryptGetOIDFunctionValue","features":[1,68]},{"name":"CryptGetObjectUrl","features":[1,68]},{"name":"CryptGetProvParam","features":[1,68]},{"name":"CryptGetUserKey","features":[1,68]},{"name":"CryptHashCertificate","features":[1,68]},{"name":"CryptHashCertificate2","features":[1,68]},{"name":"CryptHashData","features":[1,68]},{"name":"CryptHashMessage","features":[1,68]},{"name":"CryptHashPublicKeyInfo","features":[1,68]},{"name":"CryptHashSessionKey","features":[1,68]},{"name":"CryptHashToBeSigned","features":[1,68]},{"name":"CryptImportKey","features":[1,68]},{"name":"CryptImportPKCS8","features":[1,68]},{"name":"CryptImportPublicKeyInfo","features":[1,68]},{"name":"CryptImportPublicKeyInfoEx","features":[1,68]},{"name":"CryptImportPublicKeyInfoEx2","features":[1,68]},{"name":"CryptInitOIDFunctionSet","features":[68]},{"name":"CryptInstallCancelRetrieval","features":[1,68]},{"name":"CryptInstallDefaultContext","features":[1,68]},{"name":"CryptInstallOIDFunctionAddress","features":[1,68]},{"name":"CryptMemAlloc","features":[68]},{"name":"CryptMemFree","features":[68]},{"name":"CryptMemRealloc","features":[68]},{"name":"CryptMsgCalculateEncodedLength","features":[68]},{"name":"CryptMsgClose","features":[1,68]},{"name":"CryptMsgControl","features":[1,68]},{"name":"CryptMsgCountersign","features":[1,68]},{"name":"CryptMsgCountersignEncoded","features":[1,68]},{"name":"CryptMsgDuplicate","features":[68]},{"name":"CryptMsgEncodeAndSignCTL","features":[1,68]},{"name":"CryptMsgGetAndVerifySigner","features":[1,68]},{"name":"CryptMsgGetParam","features":[1,68]},{"name":"CryptMsgOpenToDecode","features":[1,68]},{"name":"CryptMsgOpenToEncode","features":[1,68]},{"name":"CryptMsgSignCTL","features":[1,68]},{"name":"CryptMsgUpdate","features":[1,68]},{"name":"CryptMsgVerifyCountersignatureEncoded","features":[1,68]},{"name":"CryptMsgVerifyCountersignatureEncodedEx","features":[1,68]},{"name":"CryptProtectData","features":[1,68]},{"name":"CryptProtectMemory","features":[1,68]},{"name":"CryptQueryObject","features":[1,68]},{"name":"CryptRegisterDefaultOIDFunction","features":[1,68]},{"name":"CryptRegisterOIDFunction","features":[1,68]},{"name":"CryptRegisterOIDInfo","features":[1,68]},{"name":"CryptReleaseContext","features":[1,68]},{"name":"CryptRetrieveObjectByUrlA","features":[1,68]},{"name":"CryptRetrieveObjectByUrlW","features":[1,68]},{"name":"CryptRetrieveTimeStamp","features":[1,68]},{"name":"CryptSetAsyncParam","features":[1,68]},{"name":"CryptSetHashParam","features":[1,68]},{"name":"CryptSetKeyIdentifierProperty","features":[1,68]},{"name":"CryptSetKeyParam","features":[1,68]},{"name":"CryptSetOIDFunctionValue","features":[1,68,49]},{"name":"CryptSetProvParam","features":[1,68]},{"name":"CryptSetProviderA","features":[1,68]},{"name":"CryptSetProviderExA","features":[1,68]},{"name":"CryptSetProviderExW","features":[1,68]},{"name":"CryptSetProviderW","features":[1,68]},{"name":"CryptSignAndEncodeCertificate","features":[1,68]},{"name":"CryptSignAndEncryptMessage","features":[1,68]},{"name":"CryptSignCertificate","features":[1,68]},{"name":"CryptSignHashA","features":[1,68]},{"name":"CryptSignHashW","features":[1,68]},{"name":"CryptSignMessage","features":[1,68]},{"name":"CryptSignMessageWithKey","features":[1,68]},{"name":"CryptStringToBinaryA","features":[1,68]},{"name":"CryptStringToBinaryW","features":[1,68]},{"name":"CryptUninstallCancelRetrieval","features":[1,68]},{"name":"CryptUninstallDefaultContext","features":[1,68]},{"name":"CryptUnprotectData","features":[1,68]},{"name":"CryptUnprotectMemory","features":[1,68]},{"name":"CryptUnregisterDefaultOIDFunction","features":[1,68]},{"name":"CryptUnregisterOIDFunction","features":[1,68]},{"name":"CryptUnregisterOIDInfo","features":[1,68]},{"name":"CryptUpdateProtectedState","features":[1,68]},{"name":"CryptVerifyCertificateSignature","features":[1,68]},{"name":"CryptVerifyCertificateSignatureEx","features":[1,68]},{"name":"CryptVerifyDetachedMessageHash","features":[1,68]},{"name":"CryptVerifyDetachedMessageSignature","features":[1,68]},{"name":"CryptVerifyMessageHash","features":[1,68]},{"name":"CryptVerifyMessageSignature","features":[1,68]},{"name":"CryptVerifyMessageSignatureWithKey","features":[1,68]},{"name":"CryptVerifySignatureA","features":[1,68]},{"name":"CryptVerifySignatureW","features":[1,68]},{"name":"CryptVerifyTimeStampSignature","features":[1,68]},{"name":"CryptXmlAddObject","features":[68]},{"name":"CryptXmlClose","features":[68]},{"name":"CryptXmlCreateReference","features":[68]},{"name":"CryptXmlDigestReference","features":[68]},{"name":"CryptXmlDllCloseDigest","features":[68]},{"name":"CryptXmlDllCreateDigest","features":[68]},{"name":"CryptXmlDllCreateKey","features":[68]},{"name":"CryptXmlDllDigestData","features":[68]},{"name":"CryptXmlDllEncodeAlgorithm","features":[68]},{"name":"CryptXmlDllEncodeKeyValue","features":[68]},{"name":"CryptXmlDllFinalizeDigest","features":[68]},{"name":"CryptXmlDllGetAlgorithmInfo","features":[68]},{"name":"CryptXmlDllGetInterface","features":[68]},{"name":"CryptXmlDllSignData","features":[68]},{"name":"CryptXmlDllVerifySignature","features":[68]},{"name":"CryptXmlEncode","features":[68]},{"name":"CryptXmlEnumAlgorithmInfo","features":[1,68]},{"name":"CryptXmlFindAlgorithmInfo","features":[68]},{"name":"CryptXmlGetAlgorithmInfo","features":[68]},{"name":"CryptXmlGetDocContext","features":[68]},{"name":"CryptXmlGetReference","features":[68]},{"name":"CryptXmlGetSignature","features":[68]},{"name":"CryptXmlGetStatus","features":[68]},{"name":"CryptXmlGetTransforms","features":[68]},{"name":"CryptXmlImportPublicKey","features":[68]},{"name":"CryptXmlOpenToDecode","features":[68]},{"name":"CryptXmlOpenToEncode","features":[68]},{"name":"CryptXmlSetHMACSecret","features":[68]},{"name":"CryptXmlSign","features":[68]},{"name":"CryptXmlVerifySignature","features":[68]},{"name":"DSAFIPSVERSION_ENUM","features":[68]},{"name":"DSA_FIPS186_2","features":[68]},{"name":"DSA_FIPS186_3","features":[68]},{"name":"DSA_HASH_ALGORITHM_SHA1","features":[68]},{"name":"DSA_HASH_ALGORITHM_SHA256","features":[68]},{"name":"DSA_HASH_ALGORITHM_SHA512","features":[68]},{"name":"DSSSEED","features":[68]},{"name":"Decrypt","features":[1,68]},{"name":"Direction","features":[68]},{"name":"DirectionDecrypt","features":[68]},{"name":"DirectionEncrypt","features":[68]},{"name":"ECC_CMS_SHARED_INFO","features":[68]},{"name":"ECC_CURVE_ALG_ID_ENUM","features":[68]},{"name":"ECC_CURVE_TYPE_ENUM","features":[68]},{"name":"ENDPOINTADDRESS","features":[68]},{"name":"ENDPOINTADDRESS2","features":[68]},{"name":"ENUM_CEPSETUPPROP_AUTHENTICATION","features":[68]},{"name":"ENUM_CEPSETUPPROP_CAINFORMATION","features":[68]},{"name":"ENUM_CEPSETUPPROP_CHALLENGEURL","features":[68]},{"name":"ENUM_CEPSETUPPROP_EXCHANGEKEYINFORMATION","features":[68]},{"name":"ENUM_CEPSETUPPROP_KEYBASED_RENEWAL","features":[68]},{"name":"ENUM_CEPSETUPPROP_MSCEPURL","features":[68]},{"name":"ENUM_CEPSETUPPROP_RANAME_CITY","features":[68]},{"name":"ENUM_CEPSETUPPROP_RANAME_CN","features":[68]},{"name":"ENUM_CEPSETUPPROP_RANAME_COMPANY","features":[68]},{"name":"ENUM_CEPSETUPPROP_RANAME_COUNTRY","features":[68]},{"name":"ENUM_CEPSETUPPROP_RANAME_DEPT","features":[68]},{"name":"ENUM_CEPSETUPPROP_RANAME_EMAIL","features":[68]},{"name":"ENUM_CEPSETUPPROP_RANAME_STATE","features":[68]},{"name":"ENUM_CEPSETUPPROP_SIGNINGKEYINFORMATION","features":[68]},{"name":"ENUM_CEPSETUPPROP_SSLCERTHASH","features":[68]},{"name":"ENUM_CEPSETUPPROP_URL","features":[68]},{"name":"ENUM_CEPSETUPPROP_USECHALLENGE","features":[68]},{"name":"ENUM_CEPSETUPPROP_USELOCALSYSTEM","features":[68]},{"name":"ENUM_CESSETUPPROP_ALLOW_KEYBASED_RENEWAL","features":[68]},{"name":"ENUM_CESSETUPPROP_AUTHENTICATION","features":[68]},{"name":"ENUM_CESSETUPPROP_CACONFIG","features":[68]},{"name":"ENUM_CESSETUPPROP_RENEWALONLY","features":[68]},{"name":"ENUM_CESSETUPPROP_SSLCERTHASH","features":[68]},{"name":"ENUM_CESSETUPPROP_URL","features":[68]},{"name":"ENUM_CESSETUPPROP_USE_IISAPPPOOLIDENTITY","features":[68]},{"name":"ENUM_SETUPPROP_CADSSUFFIX","features":[68]},{"name":"ENUM_SETUPPROP_CAKEYINFORMATION","features":[68]},{"name":"ENUM_SETUPPROP_CANAME","features":[68]},{"name":"ENUM_SETUPPROP_CATYPE","features":[68]},{"name":"ENUM_SETUPPROP_DATABASEDIRECTORY","features":[68]},{"name":"ENUM_SETUPPROP_EXPIRATIONDATE","features":[68]},{"name":"ENUM_SETUPPROP_INTERACTIVE","features":[68]},{"name":"ENUM_SETUPPROP_INVALID","features":[68]},{"name":"ENUM_SETUPPROP_LOGDIRECTORY","features":[68]},{"name":"ENUM_SETUPPROP_PARENTCAMACHINE","features":[68]},{"name":"ENUM_SETUPPROP_PARENTCANAME","features":[68]},{"name":"ENUM_SETUPPROP_PRESERVEDATABASE","features":[68]},{"name":"ENUM_SETUPPROP_REQUESTFILE","features":[68]},{"name":"ENUM_SETUPPROP_SHAREDFOLDER","features":[68]},{"name":"ENUM_SETUPPROP_VALIDITYPERIOD","features":[68]},{"name":"ENUM_SETUPPROP_VALIDITYPERIODUNIT","features":[68]},{"name":"ENUM_SETUPPROP_WEBCAMACHINE","features":[68]},{"name":"ENUM_SETUPPROP_WEBCANAME","features":[68]},{"name":"EV_EXTRA_CERT_CHAIN_POLICY_PARA","features":[68]},{"name":"EV_EXTRA_CERT_CHAIN_POLICY_STATUS","features":[68]},{"name":"EXPORT_PRIVATE_KEYS","features":[68]},{"name":"EXPO_OFFLOAD_FUNC_NAME","features":[68]},{"name":"EXPO_OFFLOAD_REG_VALUE","features":[68]},{"name":"E_ICARD_ARGUMENT","features":[68]},{"name":"E_ICARD_COMMUNICATION","features":[68]},{"name":"E_ICARD_DATA_ACCESS","features":[68]},{"name":"E_ICARD_EXPORT","features":[68]},{"name":"E_ICARD_FAIL","features":[68]},{"name":"E_ICARD_FAILED_REQUIRED_CLAIMS","features":[68]},{"name":"E_ICARD_IDENTITY","features":[68]},{"name":"E_ICARD_IMPORT","features":[68]},{"name":"E_ICARD_INFORMATIONCARD","features":[68]},{"name":"E_ICARD_INVALID_PROOF_KEY","features":[68]},{"name":"E_ICARD_LOGOVALIDATION","features":[68]},{"name":"E_ICARD_MISSING_APPLIESTO","features":[68]},{"name":"E_ICARD_PASSWORDVALIDATION","features":[68]},{"name":"E_ICARD_POLICY","features":[68]},{"name":"E_ICARD_PROCESSDIED","features":[68]},{"name":"E_ICARD_REFRESH_REQUIRED","features":[68]},{"name":"E_ICARD_REQUEST","features":[68]},{"name":"E_ICARD_SERVICE","features":[68]},{"name":"E_ICARD_SERVICEBUSY","features":[68]},{"name":"E_ICARD_SHUTTINGDOWN","features":[68]},{"name":"E_ICARD_STOREKEY","features":[68]},{"name":"E_ICARD_STORE_IMPORT","features":[68]},{"name":"E_ICARD_TOKENCREATION","features":[68]},{"name":"E_ICARD_TRUSTEXCHANGE","features":[68]},{"name":"E_ICARD_UI_INITIALIZATION","features":[68]},{"name":"E_ICARD_UNKNOWN_REFERENCE","features":[68]},{"name":"E_ICARD_UNTRUSTED","features":[68]},{"name":"E_ICARD_USERCANCELLED","features":[68]},{"name":"Encrypt","features":[1,68]},{"name":"FindCertsByIssuer","features":[68]},{"name":"FreeToken","features":[1,68]},{"name":"GENERIC_XML_TOKEN","features":[1,68]},{"name":"GenerateDerivedKey","features":[68]},{"name":"GetBrowserToken","features":[68]},{"name":"GetCryptoTransform","features":[68]},{"name":"GetKeyedHash","features":[68]},{"name":"GetToken","features":[1,68]},{"name":"HASHALGORITHM_ENUM","features":[68]},{"name":"HCERTCHAINENGINE","features":[68]},{"name":"HCERTSTORE","features":[68]},{"name":"HCERTSTOREPROV","features":[68]},{"name":"HCRYPTASYNC","features":[68]},{"name":"HCRYPTPROV_LEGACY","features":[68]},{"name":"HCRYPTPROV_OR_NCRYPT_KEY_HANDLE","features":[68]},{"name":"HMAC_INFO","features":[68]},{"name":"HP_ALGID","features":[68]},{"name":"HP_HASHSIZE","features":[68]},{"name":"HP_HASHVAL","features":[68]},{"name":"HP_HMAC_INFO","features":[68]},{"name":"HP_TLS1PRF_LABEL","features":[68]},{"name":"HP_TLS1PRF_SEED","features":[68]},{"name":"HTTPSPOLICY_CALLBACK_DATA_AUTH_TYPE","features":[68]},{"name":"HTTPSPolicyCallbackData","features":[68]},{"name":"HandleType","features":[68]},{"name":"HashCore","features":[68]},{"name":"HashFinal","features":[68]},{"name":"ICertSrvSetup","features":[68]},{"name":"ICertSrvSetupKeyInformation","features":[68]},{"name":"ICertSrvSetupKeyInformationCollection","features":[68]},{"name":"ICertificateEnrollmentPolicyServerSetup","features":[68]},{"name":"ICertificateEnrollmentServerSetup","features":[68]},{"name":"IFX_RSA_KEYGEN_VUL_AFFECTED_LEVEL_1","features":[68]},{"name":"IFX_RSA_KEYGEN_VUL_AFFECTED_LEVEL_2","features":[68]},{"name":"IFX_RSA_KEYGEN_VUL_NOT_AFFECTED","features":[68]},{"name":"IMSCEPSetup","features":[68]},{"name":"INFORMATIONCARD_ASYMMETRIC_CRYPTO_PARAMETERS","features":[68]},{"name":"INFORMATIONCARD_CRYPTO_HANDLE","features":[68]},{"name":"INFORMATIONCARD_HASH_CRYPTO_PARAMETERS","features":[1,68]},{"name":"INFORMATIONCARD_SYMMETRIC_CRYPTO_PARAMETERS","features":[68]},{"name":"INFORMATIONCARD_TRANSFORM_CRYPTO_PARAMETERS","features":[1,68]},{"name":"INTERNATIONAL_USAGE","features":[68]},{"name":"ImportInformationCard","features":[68]},{"name":"KDF_ALGORITHMID","features":[68]},{"name":"KDF_CONTEXT","features":[68]},{"name":"KDF_GENERIC_PARAMETER","features":[68]},{"name":"KDF_HASH_ALGORITHM","features":[68]},{"name":"KDF_HKDF_INFO","features":[68]},{"name":"KDF_HKDF_SALT","features":[68]},{"name":"KDF_HMAC_KEY","features":[68]},{"name":"KDF_ITERATION_COUNT","features":[68]},{"name":"KDF_KEYBITLENGTH","features":[68]},{"name":"KDF_LABEL","features":[68]},{"name":"KDF_PARTYUINFO","features":[68]},{"name":"KDF_PARTYVINFO","features":[68]},{"name":"KDF_SALT","features":[68]},{"name":"KDF_SECRET_APPEND","features":[68]},{"name":"KDF_SECRET_HANDLE","features":[68]},{"name":"KDF_SECRET_PREPEND","features":[68]},{"name":"KDF_SUPPPRIVINFO","features":[68]},{"name":"KDF_SUPPPUBINFO","features":[68]},{"name":"KDF_TLS_PRF_LABEL","features":[68]},{"name":"KDF_TLS_PRF_PROTOCOL","features":[68]},{"name":"KDF_TLS_PRF_SEED","features":[68]},{"name":"KDF_USE_SECRET_AS_HMAC_KEY_FLAG","features":[68]},{"name":"KEYSTATEBLOB","features":[68]},{"name":"KEY_LENGTH_MASK","features":[68]},{"name":"KEY_TYPE_SUBTYPE","features":[68]},{"name":"KP_ADMIN_PIN","features":[68]},{"name":"KP_ALGID","features":[68]},{"name":"KP_BLOCKLEN","features":[68]},{"name":"KP_CERTIFICATE","features":[68]},{"name":"KP_CLEAR_KEY","features":[68]},{"name":"KP_CLIENT_RANDOM","features":[68]},{"name":"KP_CMS_DH_KEY_INFO","features":[68]},{"name":"KP_CMS_KEY_INFO","features":[68]},{"name":"KP_EFFECTIVE_KEYLEN","features":[68]},{"name":"KP_G","features":[68]},{"name":"KP_GET_USE_COUNT","features":[68]},{"name":"KP_HIGHEST_VERSION","features":[68]},{"name":"KP_INFO","features":[68]},{"name":"KP_IV","features":[68]},{"name":"KP_KEYEXCHANGE_PIN","features":[68]},{"name":"KP_KEYLEN","features":[68]},{"name":"KP_KEYVAL","features":[68]},{"name":"KP_MODE","features":[68]},{"name":"KP_MODE_BITS","features":[68]},{"name":"KP_OAEP_PARAMS","features":[68]},{"name":"KP_P","features":[68]},{"name":"KP_PADDING","features":[68]},{"name":"KP_PERMISSIONS","features":[68]},{"name":"KP_PIN_ID","features":[68]},{"name":"KP_PIN_INFO","features":[68]},{"name":"KP_PRECOMP_MD5","features":[68]},{"name":"KP_PRECOMP_SHA","features":[68]},{"name":"KP_PREHASH","features":[68]},{"name":"KP_PUB_EX_LEN","features":[68]},{"name":"KP_PUB_EX_VAL","features":[68]},{"name":"KP_PUB_PARAMS","features":[68]},{"name":"KP_Q","features":[68]},{"name":"KP_RA","features":[68]},{"name":"KP_RB","features":[68]},{"name":"KP_ROUNDS","features":[68]},{"name":"KP_RP","features":[68]},{"name":"KP_SALT","features":[68]},{"name":"KP_SALT_EX","features":[68]},{"name":"KP_SCHANNEL_ALG","features":[68]},{"name":"KP_SERVER_RANDOM","features":[68]},{"name":"KP_SIGNATURE_PIN","features":[68]},{"name":"KP_VERIFY_PARAMS","features":[68]},{"name":"KP_X","features":[68]},{"name":"KP_Y","features":[68]},{"name":"KeyTypeHardware","features":[68]},{"name":"KeyTypeOther","features":[68]},{"name":"KeyTypePassport","features":[68]},{"name":"KeyTypePassportRemote","features":[68]},{"name":"KeyTypePassportSmartCard","features":[68]},{"name":"KeyTypePhysicalSmartCard","features":[68]},{"name":"KeyTypeSelfSigned","features":[68]},{"name":"KeyTypeSoftware","features":[68]},{"name":"KeyTypeVirtualSmartCard","features":[68]},{"name":"LEGACY_DH_PRIVATE_BLOB","features":[68]},{"name":"LEGACY_DH_PUBLIC_BLOB","features":[68]},{"name":"LEGACY_DSA_PRIVATE_BLOB","features":[68]},{"name":"LEGACY_DSA_PUBLIC_BLOB","features":[68]},{"name":"LEGACY_DSA_V2_PRIVATE_BLOB","features":[68]},{"name":"LEGACY_DSA_V2_PUBLIC_BLOB","features":[68]},{"name":"LEGACY_RSAPRIVATE_BLOB","features":[68]},{"name":"LEGACY_RSAPUBLIC_BLOB","features":[68]},{"name":"MAXUIDLEN","features":[68]},{"name":"MICROSOFT_ROOT_CERT_CHAIN_POLICY_CHECK_APPLICATION_ROOT_FLAG","features":[68]},{"name":"MICROSOFT_ROOT_CERT_CHAIN_POLICY_DISABLE_FLIGHT_ROOT_FLAG","features":[68]},{"name":"MICROSOFT_ROOT_CERT_CHAIN_POLICY_ENABLE_TEST_ROOT_FLAG","features":[68]},{"name":"MSCEPSetupProperty","features":[68]},{"name":"MS_DEF_DH_SCHANNEL_PROV","features":[68]},{"name":"MS_DEF_DH_SCHANNEL_PROV_A","features":[68]},{"name":"MS_DEF_DH_SCHANNEL_PROV_W","features":[68]},{"name":"MS_DEF_DSS_DH_PROV","features":[68]},{"name":"MS_DEF_DSS_DH_PROV_A","features":[68]},{"name":"MS_DEF_DSS_DH_PROV_W","features":[68]},{"name":"MS_DEF_DSS_PROV","features":[68]},{"name":"MS_DEF_DSS_PROV_A","features":[68]},{"name":"MS_DEF_DSS_PROV_W","features":[68]},{"name":"MS_DEF_PROV","features":[68]},{"name":"MS_DEF_PROV_A","features":[68]},{"name":"MS_DEF_PROV_W","features":[68]},{"name":"MS_DEF_RSA_SCHANNEL_PROV","features":[68]},{"name":"MS_DEF_RSA_SCHANNEL_PROV_A","features":[68]},{"name":"MS_DEF_RSA_SCHANNEL_PROV_W","features":[68]},{"name":"MS_DEF_RSA_SIG_PROV","features":[68]},{"name":"MS_DEF_RSA_SIG_PROV_A","features":[68]},{"name":"MS_DEF_RSA_SIG_PROV_W","features":[68]},{"name":"MS_ENHANCED_PROV","features":[68]},{"name":"MS_ENHANCED_PROV_A","features":[68]},{"name":"MS_ENHANCED_PROV_W","features":[68]},{"name":"MS_ENH_DSS_DH_PROV","features":[68]},{"name":"MS_ENH_DSS_DH_PROV_A","features":[68]},{"name":"MS_ENH_DSS_DH_PROV_W","features":[68]},{"name":"MS_ENH_RSA_AES_PROV","features":[68]},{"name":"MS_ENH_RSA_AES_PROV_A","features":[68]},{"name":"MS_ENH_RSA_AES_PROV_W","features":[68]},{"name":"MS_ENH_RSA_AES_PROV_XP","features":[68]},{"name":"MS_ENH_RSA_AES_PROV_XP_A","features":[68]},{"name":"MS_ENH_RSA_AES_PROV_XP_W","features":[68]},{"name":"MS_KEY_PROTECTION_PROVIDER","features":[68]},{"name":"MS_KEY_STORAGE_PROVIDER","features":[68]},{"name":"MS_NGC_KEY_STORAGE_PROVIDER","features":[68]},{"name":"MS_PLATFORM_CRYPTO_PROVIDER","features":[68]},{"name":"MS_PLATFORM_KEY_STORAGE_PROVIDER","features":[68]},{"name":"MS_PRIMITIVE_PROVIDER","features":[68]},{"name":"MS_SCARD_PROV","features":[68]},{"name":"MS_SCARD_PROV_A","features":[68]},{"name":"MS_SCARD_PROV_W","features":[68]},{"name":"MS_SMART_CARD_KEY_STORAGE_PROVIDER","features":[68]},{"name":"MS_STRONG_PROV","features":[68]},{"name":"MS_STRONG_PROV_A","features":[68]},{"name":"MS_STRONG_PROV_W","features":[68]},{"name":"ManageCardSpace","features":[68]},{"name":"NCRYPTBUFFER_ATTESTATIONSTATEMENT_BLOB","features":[68]},{"name":"NCRYPTBUFFER_ATTESTATION_CLAIM_CHALLENGE_REQUIRED","features":[68]},{"name":"NCRYPTBUFFER_ATTESTATION_CLAIM_TYPE","features":[68]},{"name":"NCRYPTBUFFER_CERT_BLOB","features":[68]},{"name":"NCRYPTBUFFER_CLAIM_IDBINDING_NONCE","features":[68]},{"name":"NCRYPTBUFFER_CLAIM_KEYATTESTATION_NONCE","features":[68]},{"name":"NCRYPTBUFFER_DATA","features":[68]},{"name":"NCRYPTBUFFER_ECC_CURVE_NAME","features":[68]},{"name":"NCRYPTBUFFER_ECC_PARAMETERS","features":[68]},{"name":"NCRYPTBUFFER_EMPTY","features":[68]},{"name":"NCRYPTBUFFER_KEY_PROPERTY_FLAGS","features":[68]},{"name":"NCRYPTBUFFER_PKCS_ALG_ID","features":[68]},{"name":"NCRYPTBUFFER_PKCS_ALG_OID","features":[68]},{"name":"NCRYPTBUFFER_PKCS_ALG_PARAM","features":[68]},{"name":"NCRYPTBUFFER_PKCS_ATTRS","features":[68]},{"name":"NCRYPTBUFFER_PKCS_KEY_NAME","features":[68]},{"name":"NCRYPTBUFFER_PKCS_OID","features":[68]},{"name":"NCRYPTBUFFER_PKCS_SECRET","features":[68]},{"name":"NCRYPTBUFFER_PROTECTION_DESCRIPTOR_STRING","features":[68]},{"name":"NCRYPTBUFFER_PROTECTION_FLAGS","features":[68]},{"name":"NCRYPTBUFFER_SSL_CLEAR_KEY","features":[68]},{"name":"NCRYPTBUFFER_SSL_CLIENT_RANDOM","features":[68]},{"name":"NCRYPTBUFFER_SSL_HIGHEST_VERSION","features":[68]},{"name":"NCRYPTBUFFER_SSL_KEY_ARG_DATA","features":[68]},{"name":"NCRYPTBUFFER_SSL_SERVER_RANDOM","features":[68]},{"name":"NCRYPTBUFFER_SSL_SESSION_HASH","features":[68]},{"name":"NCRYPTBUFFER_TPM_PLATFORM_CLAIM_NONCE","features":[68]},{"name":"NCRYPTBUFFER_TPM_PLATFORM_CLAIM_PCR_MASK","features":[68]},{"name":"NCRYPTBUFFER_TPM_PLATFORM_CLAIM_STATIC_CREATE","features":[68]},{"name":"NCRYPTBUFFER_TPM_SEAL_NO_DA_PROTECTION","features":[68]},{"name":"NCRYPTBUFFER_TPM_SEAL_PASSWORD","features":[68]},{"name":"NCRYPTBUFFER_TPM_SEAL_POLICYINFO","features":[68]},{"name":"NCRYPTBUFFER_TPM_SEAL_TICKET","features":[68]},{"name":"NCRYPTBUFFER_VERSION","features":[68]},{"name":"NCRYPTBUFFER_VSM_KEY_ATTESTATION_CLAIM_RESTRICTIONS","features":[68]},{"name":"NCRYPT_3DES_112_ALGORITHM","features":[68]},{"name":"NCRYPT_3DES_ALGORITHM","features":[68]},{"name":"NCRYPT_AES_ALGORITHM","features":[68]},{"name":"NCRYPT_AES_ALGORITHM_GROUP","features":[68]},{"name":"NCRYPT_ALGORITHM_GROUP_PROPERTY","features":[68]},{"name":"NCRYPT_ALGORITHM_NAME_CLASS","features":[68]},{"name":"NCRYPT_ALGORITHM_PROPERTY","features":[68]},{"name":"NCRYPT_ALLOC_PARA","features":[68]},{"name":"NCRYPT_ALLOW_ALL_USAGES","features":[68]},{"name":"NCRYPT_ALLOW_ARCHIVING_FLAG","features":[68]},{"name":"NCRYPT_ALLOW_DECRYPT_FLAG","features":[68]},{"name":"NCRYPT_ALLOW_EXPORT_FLAG","features":[68]},{"name":"NCRYPT_ALLOW_KEY_AGREEMENT_FLAG","features":[68]},{"name":"NCRYPT_ALLOW_KEY_IMPORT_FLAG","features":[68]},{"name":"NCRYPT_ALLOW_PLAINTEXT_ARCHIVING_FLAG","features":[68]},{"name":"NCRYPT_ALLOW_PLAINTEXT_EXPORT_FLAG","features":[68]},{"name":"NCRYPT_ALLOW_SIGNING_FLAG","features":[68]},{"name":"NCRYPT_ALLOW_SILENT_KEY_ACCESS","features":[68]},{"name":"NCRYPT_ALTERNATE_KEY_STORAGE_LOCATION_PROPERTY","features":[68]},{"name":"NCRYPT_ASSOCIATED_ECDH_KEY","features":[68]},{"name":"NCRYPT_ASYMMETRIC_ENCRYPTION_INTERFACE","features":[68]},{"name":"NCRYPT_ASYMMETRIC_ENCRYPTION_OPERATION","features":[68]},{"name":"NCRYPT_ATTESTATION_FLAG","features":[68]},{"name":"NCRYPT_AUTHORITY_KEY_FLAG","features":[68]},{"name":"NCRYPT_AUTH_TAG_LENGTH","features":[68]},{"name":"NCRYPT_BLOCK_LENGTH_PROPERTY","features":[68]},{"name":"NCRYPT_CAPI_KDF_ALGORITHM","features":[68]},{"name":"NCRYPT_CERTIFICATE_PROPERTY","features":[68]},{"name":"NCRYPT_CHAINING_MODE_PROPERTY","features":[68]},{"name":"NCRYPT_CHANGEPASSWORD_PROPERTY","features":[68]},{"name":"NCRYPT_CIPHER_BLOCK_PADDING_FLAG","features":[68]},{"name":"NCRYPT_CIPHER_KEY_BLOB","features":[68]},{"name":"NCRYPT_CIPHER_KEY_BLOB_MAGIC","features":[68]},{"name":"NCRYPT_CIPHER_NO_PADDING_FLAG","features":[68]},{"name":"NCRYPT_CIPHER_OPERATION","features":[68]},{"name":"NCRYPT_CIPHER_OTHER_PADDING_FLAG","features":[68]},{"name":"NCRYPT_CIPHER_PADDING_INFO","features":[68]},{"name":"NCRYPT_CLAIM_AUTHORITY_AND_SUBJECT","features":[68]},{"name":"NCRYPT_CLAIM_AUTHORITY_ONLY","features":[68]},{"name":"NCRYPT_CLAIM_PLATFORM","features":[68]},{"name":"NCRYPT_CLAIM_SUBJECT_ONLY","features":[68]},{"name":"NCRYPT_CLAIM_UNKNOWN","features":[68]},{"name":"NCRYPT_CLAIM_VSM_KEY_ATTESTATION_STATEMENT","features":[68]},{"name":"NCRYPT_CLAIM_WEB_AUTH_SUBJECT_ONLY","features":[68]},{"name":"NCRYPT_DESCR_DELIMITER_AND","features":[68]},{"name":"NCRYPT_DESCR_DELIMITER_OR","features":[68]},{"name":"NCRYPT_DESCR_EQUAL","features":[68]},{"name":"NCRYPT_DESX_ALGORITHM","features":[68]},{"name":"NCRYPT_DES_ALGORITHM","features":[68]},{"name":"NCRYPT_DES_ALGORITHM_GROUP","features":[68]},{"name":"NCRYPT_DH_ALGORITHM","features":[68]},{"name":"NCRYPT_DH_ALGORITHM_GROUP","features":[68]},{"name":"NCRYPT_DH_PARAMETERS_PROPERTY","features":[68]},{"name":"NCRYPT_DISMISS_UI_TIMEOUT_SEC_PROPERTY","features":[68]},{"name":"NCRYPT_DO_NOT_FINALIZE_FLAG","features":[68]},{"name":"NCRYPT_DSA_ALGORITHM","features":[68]},{"name":"NCRYPT_DSA_ALGORITHM_GROUP","features":[68]},{"name":"NCRYPT_ECC_CURVE_NAME_LIST_PROPERTY","features":[68]},{"name":"NCRYPT_ECC_CURVE_NAME_PROPERTY","features":[68]},{"name":"NCRYPT_ECC_PARAMETERS_PROPERTY","features":[68]},{"name":"NCRYPT_ECDH_ALGORITHM","features":[68]},{"name":"NCRYPT_ECDH_ALGORITHM_GROUP","features":[68]},{"name":"NCRYPT_ECDH_P256_ALGORITHM","features":[68]},{"name":"NCRYPT_ECDH_P384_ALGORITHM","features":[68]},{"name":"NCRYPT_ECDH_P521_ALGORITHM","features":[68]},{"name":"NCRYPT_ECDSA_ALGORITHM","features":[68]},{"name":"NCRYPT_ECDSA_ALGORITHM_GROUP","features":[68]},{"name":"NCRYPT_ECDSA_P256_ALGORITHM","features":[68]},{"name":"NCRYPT_ECDSA_P384_ALGORITHM","features":[68]},{"name":"NCRYPT_ECDSA_P521_ALGORITHM","features":[68]},{"name":"NCRYPT_EXPORTED_ISOLATED_KEY_ENVELOPE","features":[68]},{"name":"NCRYPT_EXPORTED_ISOLATED_KEY_HEADER","features":[68]},{"name":"NCRYPT_EXPORTED_ISOLATED_KEY_HEADER_CURRENT_VERSION","features":[68]},{"name":"NCRYPT_EXPORTED_ISOLATED_KEY_HEADER_V0","features":[68]},{"name":"NCRYPT_EXPORT_LEGACY_FLAG","features":[68]},{"name":"NCRYPT_EXPORT_POLICY_PROPERTY","features":[68]},{"name":"NCRYPT_EXTENDED_ERRORS_FLAG","features":[68]},{"name":"NCRYPT_FLAGS","features":[68]},{"name":"NCRYPT_HANDLE","features":[68]},{"name":"NCRYPT_HASH_HANDLE","features":[68]},{"name":"NCRYPT_HASH_OPERATION","features":[68]},{"name":"NCRYPT_HMAC_SHA256_ALGORITHM","features":[68]},{"name":"NCRYPT_IGNORE_DEVICE_STATE_FLAG","features":[68]},{"name":"NCRYPT_IMPL_HARDWARE_FLAG","features":[68]},{"name":"NCRYPT_IMPL_HARDWARE_RNG_FLAG","features":[68]},{"name":"NCRYPT_IMPL_REMOVABLE_FLAG","features":[68]},{"name":"NCRYPT_IMPL_SOFTWARE_FLAG","features":[68]},{"name":"NCRYPT_IMPL_TYPE_PROPERTY","features":[68]},{"name":"NCRYPT_IMPL_VIRTUAL_ISOLATION_FLAG","features":[68]},{"name":"NCRYPT_INITIALIZATION_VECTOR","features":[68]},{"name":"NCRYPT_ISOLATED_KEY_ATTESTED_ATTRIBUTES","features":[68]},{"name":"NCRYPT_ISOLATED_KEY_ATTESTED_ATTRIBUTES_CURRENT_VERSION","features":[68]},{"name":"NCRYPT_ISOLATED_KEY_ATTESTED_ATTRIBUTES_V0","features":[68]},{"name":"NCRYPT_ISOLATED_KEY_ENVELOPE_BLOB","features":[68]},{"name":"NCRYPT_ISOLATED_KEY_FLAG_CREATED_IN_ISOLATION","features":[68]},{"name":"NCRYPT_ISOLATED_KEY_FLAG_IMPORT_ONLY","features":[68]},{"name":"NCRYPT_KDF_KEY_BLOB","features":[68]},{"name":"NCRYPT_KDF_KEY_BLOB_MAGIC","features":[68]},{"name":"NCRYPT_KDF_SECRET_VALUE","features":[68]},{"name":"NCRYPT_KEY_ACCESS_POLICY_BLOB","features":[68]},{"name":"NCRYPT_KEY_ACCESS_POLICY_PROPERTY","features":[68]},{"name":"NCRYPT_KEY_ACCESS_POLICY_VERSION","features":[68]},{"name":"NCRYPT_KEY_ATTEST_MAGIC","features":[68]},{"name":"NCRYPT_KEY_ATTEST_PADDING_INFO","features":[68]},{"name":"NCRYPT_KEY_BLOB_HEADER","features":[68]},{"name":"NCRYPT_KEY_DERIVATION_GROUP","features":[68]},{"name":"NCRYPT_KEY_DERIVATION_INTERFACE","features":[68]},{"name":"NCRYPT_KEY_DERIVATION_OPERATION","features":[68]},{"name":"NCRYPT_KEY_HANDLE","features":[68]},{"name":"NCRYPT_KEY_PROTECTION_ALGORITHM_CERTIFICATE","features":[68]},{"name":"NCRYPT_KEY_PROTECTION_ALGORITHM_LOCAL","features":[68]},{"name":"NCRYPT_KEY_PROTECTION_ALGORITHM_LOCKEDCREDENTIALS","features":[68]},{"name":"NCRYPT_KEY_PROTECTION_ALGORITHM_SDDL","features":[68]},{"name":"NCRYPT_KEY_PROTECTION_ALGORITHM_SID","features":[68]},{"name":"NCRYPT_KEY_PROTECTION_ALGORITHM_WEBCREDENTIALS","features":[68]},{"name":"NCRYPT_KEY_PROTECTION_CERT_CERTBLOB","features":[68]},{"name":"NCRYPT_KEY_PROTECTION_CERT_HASHID","features":[68]},{"name":"NCRYPT_KEY_PROTECTION_INTERFACE","features":[68]},{"name":"NCRYPT_KEY_PROTECTION_LOCAL_LOGON","features":[68]},{"name":"NCRYPT_KEY_PROTECTION_LOCAL_MACHINE","features":[68]},{"name":"NCRYPT_KEY_PROTECTION_LOCAL_USER","features":[68]},{"name":"NCRYPT_KEY_STORAGE_ALGORITHM","features":[68]},{"name":"NCRYPT_KEY_STORAGE_INTERFACE","features":[68]},{"name":"NCRYPT_KEY_TYPE_PROPERTY","features":[68]},{"name":"NCRYPT_KEY_USAGE_PROPERTY","features":[68]},{"name":"NCRYPT_LAST_MODIFIED_PROPERTY","features":[68]},{"name":"NCRYPT_LENGTHS_PROPERTY","features":[68]},{"name":"NCRYPT_LENGTH_PROPERTY","features":[68]},{"name":"NCRYPT_MACHINE_KEY_FLAG","features":[68]},{"name":"NCRYPT_MAX_ALG_ID_LENGTH","features":[68]},{"name":"NCRYPT_MAX_KEY_NAME_LENGTH","features":[68]},{"name":"NCRYPT_MAX_NAME_LENGTH_PROPERTY","features":[68]},{"name":"NCRYPT_MAX_PROPERTY_DATA","features":[68]},{"name":"NCRYPT_MAX_PROPERTY_NAME","features":[68]},{"name":"NCRYPT_MD2_ALGORITHM","features":[68]},{"name":"NCRYPT_MD4_ALGORITHM","features":[68]},{"name":"NCRYPT_MD5_ALGORITHM","features":[68]},{"name":"NCRYPT_NAMED_DESCRIPTOR_FLAG","features":[68]},{"name":"NCRYPT_NAME_PROPERTY","features":[68]},{"name":"NCRYPT_NO_CACHED_PASSWORD","features":[68]},{"name":"NCRYPT_NO_KEY_VALIDATION","features":[68]},{"name":"NCRYPT_NO_PADDING_FLAG","features":[68]},{"name":"NCRYPT_OPAQUETRANSPORT_BLOB","features":[68]},{"name":"NCRYPT_OPERATION","features":[68]},{"name":"NCRYPT_OVERWRITE_KEY_FLAG","features":[68]},{"name":"NCRYPT_PAD_CIPHER_FLAG","features":[68]},{"name":"NCRYPT_PAD_OAEP_FLAG","features":[68]},{"name":"NCRYPT_PAD_PKCS1_FLAG","features":[68]},{"name":"NCRYPT_PAD_PSS_FLAG","features":[68]},{"name":"NCRYPT_PBKDF2_ALGORITHM","features":[68]},{"name":"NCRYPT_PCP_ALTERNATE_KEY_STORAGE_LOCATION_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_CHANGEPASSWORD_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_ECC_EKCERT_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_ECC_EKNVCERT_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_ECC_EKPUB_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_EKCERT_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_EKNVCERT_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_EKPUB_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_ENCRYPTION_KEY","features":[68]},{"name":"NCRYPT_PCP_EXPORT_ALLOWED_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_HMACVERIFICATION_KEY","features":[68]},{"name":"NCRYPT_PCP_HMAC_AUTH_NONCE","features":[68]},{"name":"NCRYPT_PCP_HMAC_AUTH_POLICYINFO","features":[68]},{"name":"NCRYPT_PCP_HMAC_AUTH_POLICYREF","features":[68]},{"name":"NCRYPT_PCP_HMAC_AUTH_SIGNATURE","features":[68]},{"name":"NCRYPT_PCP_HMAC_AUTH_SIGNATURE_INFO","features":[68]},{"name":"NCRYPT_PCP_HMAC_AUTH_TICKET","features":[68]},{"name":"NCRYPT_PCP_IDENTITY_KEY","features":[68]},{"name":"NCRYPT_PCP_INTERMEDIATE_CA_EKCERT_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_KEYATTESTATION_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_KEY_CREATIONHASH_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_KEY_CREATIONTICKET_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_KEY_USAGE_POLICY_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_MIGRATIONPASSWORD_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_NO_DA_PROTECTION_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_PASSWORD_REQUIRED_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_PCRTABLE_ALGORITHM_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_PCRTABLE_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_PLATFORMHANDLE_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_PLATFORM_BINDING_PCRALGID_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_PLATFORM_BINDING_PCRDIGESTLIST_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_PLATFORM_BINDING_PCRDIGEST_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_PLATFORM_BINDING_PCRMASK_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_PLATFORM_TYPE_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_PROVIDERHANDLE_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_PROVIDER_VERSION_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_PSS_SALT_SIZE_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_RAW_POLICYDIGEST_INFO","features":[68]},{"name":"NCRYPT_PCP_RAW_POLICYDIGEST_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_RSA_EKCERT_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_RSA_EKNVCERT_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_RSA_EKPUB_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_RSA_SCHEME_HASH_ALG_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_RSA_SCHEME_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_SESSIONID_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_SIGNATURE_KEY","features":[68]},{"name":"NCRYPT_PCP_SRKPUB_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_STORAGEPARENT_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_STORAGE_KEY","features":[68]},{"name":"NCRYPT_PCP_SYMMETRIC_KEYBITS_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_TPM12_IDACTIVATION_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_TPM12_IDBINDING_DYNAMIC_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_TPM12_IDBINDING_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_TPM2BNAME_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_TPM_FW_VERSION_INFO","features":[68]},{"name":"NCRYPT_PCP_TPM_FW_VERSION_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_TPM_IFX_RSA_KEYGEN_PROHIBITED_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_TPM_IFX_RSA_KEYGEN_VULNERABILITY_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_TPM_MANUFACTURER_ID_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_TPM_VERSION_PROPERTY","features":[68]},{"name":"NCRYPT_PCP_TPM_WEB_AUTHN_ATTESTATION_STATEMENT","features":[68]},{"name":"NCRYPT_PCP_USAGEAUTH_PROPERTY","features":[68]},{"name":"NCRYPT_PERSIST_FLAG","features":[68]},{"name":"NCRYPT_PERSIST_ONLY_FLAG","features":[68]},{"name":"NCRYPT_PIN_CACHE_APPLICATION_IMAGE_PROPERTY","features":[68]},{"name":"NCRYPT_PIN_CACHE_APPLICATION_STATUS_PROPERTY","features":[68]},{"name":"NCRYPT_PIN_CACHE_APPLICATION_TICKET_BYTE_LENGTH","features":[68]},{"name":"NCRYPT_PIN_CACHE_APPLICATION_TICKET_PROPERTY","features":[68]},{"name":"NCRYPT_PIN_CACHE_CLEAR_FOR_CALLING_PROCESS_OPTION","features":[68]},{"name":"NCRYPT_PIN_CACHE_CLEAR_PROPERTY","features":[68]},{"name":"NCRYPT_PIN_CACHE_DISABLE_DPL_FLAG","features":[68]},{"name":"NCRYPT_PIN_CACHE_FLAGS_PROPERTY","features":[68]},{"name":"NCRYPT_PIN_CACHE_FREE_APPLICATION_TICKET_PROPERTY","features":[68]},{"name":"NCRYPT_PIN_CACHE_IS_GESTURE_REQUIRED_PROPERTY","features":[68]},{"name":"NCRYPT_PIN_CACHE_PIN_PROPERTY","features":[68]},{"name":"NCRYPT_PIN_CACHE_REQUIRE_GESTURE_FLAG","features":[68]},{"name":"NCRYPT_PIN_PROMPT_PROPERTY","features":[68]},{"name":"NCRYPT_PIN_PROPERTY","features":[68]},{"name":"NCRYPT_PKCS7_ENVELOPE_BLOB","features":[68]},{"name":"NCRYPT_PKCS8_PRIVATE_KEY_BLOB","features":[68]},{"name":"NCRYPT_PLATFORM_ATTEST_MAGIC","features":[68]},{"name":"NCRYPT_PLATFORM_ATTEST_PADDING_INFO","features":[68]},{"name":"NCRYPT_PREFER_VIRTUAL_ISOLATION_FLAG","features":[68]},{"name":"NCRYPT_PROTECTED_KEY_BLOB","features":[68]},{"name":"NCRYPT_PROTECTED_KEY_BLOB_MAGIC","features":[68]},{"name":"NCRYPT_PROTECTION_INFO_TYPE_DESCRIPTOR_STRING","features":[68]},{"name":"NCRYPT_PROTECT_STREAM_INFO","features":[1,68]},{"name":"NCRYPT_PROTECT_STREAM_INFO_EX","features":[1,68]},{"name":"NCRYPT_PROTECT_TO_LOCAL_SYSTEM","features":[68]},{"name":"NCRYPT_PROVIDER_HANDLE_PROPERTY","features":[68]},{"name":"NCRYPT_PROV_HANDLE","features":[68]},{"name":"NCRYPT_PUBLIC_LENGTH_PROPERTY","features":[68]},{"name":"NCRYPT_RC2_ALGORITHM","features":[68]},{"name":"NCRYPT_RC2_ALGORITHM_GROUP","features":[68]},{"name":"NCRYPT_READER_ICON_PROPERTY","features":[68]},{"name":"NCRYPT_READER_PROPERTY","features":[68]},{"name":"NCRYPT_REGISTER_NOTIFY_FLAG","features":[68]},{"name":"NCRYPT_REQUIRE_KDS_LRPC_BIND_FLAG","features":[68]},{"name":"NCRYPT_ROOT_CERTSTORE_PROPERTY","features":[68]},{"name":"NCRYPT_RSA_ALGORITHM","features":[68]},{"name":"NCRYPT_RSA_ALGORITHM_GROUP","features":[68]},{"name":"NCRYPT_RSA_SIGN_ALGORITHM","features":[68]},{"name":"NCRYPT_SCARD_NGC_KEY_NAME","features":[68]},{"name":"NCRYPT_SCARD_PIN_ID","features":[68]},{"name":"NCRYPT_SCARD_PIN_INFO","features":[68]},{"name":"NCRYPT_SCHANNEL_INTERFACE","features":[68]},{"name":"NCRYPT_SCHANNEL_SIGNATURE_INTERFACE","features":[68]},{"name":"NCRYPT_SEALING_FLAG","features":[68]},{"name":"NCRYPT_SECRET_AGREEMENT_INTERFACE","features":[68]},{"name":"NCRYPT_SECRET_AGREEMENT_OPERATION","features":[68]},{"name":"NCRYPT_SECRET_HANDLE","features":[68]},{"name":"NCRYPT_SECURE_PIN_PROPERTY","features":[68]},{"name":"NCRYPT_SECURITY_DESCR_PROPERTY","features":[68]},{"name":"NCRYPT_SECURITY_DESCR_SUPPORT_PROPERTY","features":[68]},{"name":"NCRYPT_SHA1_ALGORITHM","features":[68]},{"name":"NCRYPT_SHA256_ALGORITHM","features":[68]},{"name":"NCRYPT_SHA384_ALGORITHM","features":[68]},{"name":"NCRYPT_SHA512_ALGORITHM","features":[68]},{"name":"NCRYPT_SIGNATURE_INTERFACE","features":[68]},{"name":"NCRYPT_SIGNATURE_LENGTH_PROPERTY","features":[68]},{"name":"NCRYPT_SIGNATURE_OPERATION","features":[68]},{"name":"NCRYPT_SILENT_FLAG","features":[68]},{"name":"NCRYPT_SMARTCARD_GUID_PROPERTY","features":[68]},{"name":"NCRYPT_SP800108_CTR_HMAC_ALGORITHM","features":[68]},{"name":"NCRYPT_SP80056A_CONCAT_ALGORITHM","features":[68]},{"name":"NCRYPT_SUPPORTED_LENGTHS","features":[68]},{"name":"NCRYPT_TPM12_PROVIDER","features":[68]},{"name":"NCRYPT_TPM_LOADABLE_KEY_BLOB","features":[68]},{"name":"NCRYPT_TPM_LOADABLE_KEY_BLOB_HEADER","features":[68]},{"name":"NCRYPT_TPM_LOADABLE_KEY_BLOB_MAGIC","features":[68]},{"name":"NCRYPT_TPM_PAD_PSS_IGNORE_SALT","features":[68]},{"name":"NCRYPT_TPM_PLATFORM_ATTESTATION_STATEMENT","features":[68]},{"name":"NCRYPT_TPM_PLATFORM_ATTESTATION_STATEMENT_CURRENT_VERSION","features":[68]},{"name":"NCRYPT_TPM_PLATFORM_ATTESTATION_STATEMENT_V0","features":[68]},{"name":"NCRYPT_TPM_PSS_SALT_SIZE_HASHSIZE","features":[68]},{"name":"NCRYPT_TPM_PSS_SALT_SIZE_MAXIMUM","features":[68]},{"name":"NCRYPT_TPM_PSS_SALT_SIZE_UNKNOWN","features":[68]},{"name":"NCRYPT_TREAT_NIST_AS_GENERIC_ECC_FLAG","features":[68]},{"name":"NCRYPT_UI_APPCONTAINER_ACCESS_MEDIUM_FLAG","features":[68]},{"name":"NCRYPT_UI_FINGERPRINT_PROTECTION_FLAG","features":[68]},{"name":"NCRYPT_UI_FORCE_HIGH_PROTECTION_FLAG","features":[68]},{"name":"NCRYPT_UI_POLICY","features":[68]},{"name":"NCRYPT_UI_POLICY_PROPERTY","features":[68]},{"name":"NCRYPT_UI_PROTECT_KEY_FLAG","features":[68]},{"name":"NCRYPT_UNIQUE_NAME_PROPERTY","features":[68]},{"name":"NCRYPT_UNPROTECT_NO_DECRYPT","features":[68]},{"name":"NCRYPT_UNREGISTER_NOTIFY_FLAG","features":[68]},{"name":"NCRYPT_USER_CERTSTORE_PROPERTY","features":[68]},{"name":"NCRYPT_USE_CONTEXT_PROPERTY","features":[68]},{"name":"NCRYPT_USE_COUNT_ENABLED_PROPERTY","features":[68]},{"name":"NCRYPT_USE_COUNT_PROPERTY","features":[68]},{"name":"NCRYPT_USE_PER_BOOT_KEY_FLAG","features":[68]},{"name":"NCRYPT_USE_PER_BOOT_KEY_PROPERTY","features":[68]},{"name":"NCRYPT_USE_VIRTUAL_ISOLATION_FLAG","features":[68]},{"name":"NCRYPT_USE_VIRTUAL_ISOLATION_PROPERTY","features":[68]},{"name":"NCRYPT_VERSION_PROPERTY","features":[68]},{"name":"NCRYPT_VSM_KEY_ATTESTATION_CLAIM_RESTRICTIONS","features":[68]},{"name":"NCRYPT_VSM_KEY_ATTESTATION_CLAIM_RESTRICTIONS_CURRENT_VERSION","features":[68]},{"name":"NCRYPT_VSM_KEY_ATTESTATION_CLAIM_RESTRICTIONS_V0","features":[68]},{"name":"NCRYPT_VSM_KEY_ATTESTATION_STATEMENT","features":[68]},{"name":"NCRYPT_VSM_KEY_ATTESTATION_STATEMENT_CURRENT_VERSION","features":[68]},{"name":"NCRYPT_VSM_KEY_ATTESTATION_STATEMENT_V0","features":[68]},{"name":"NCRYPT_WINDOW_HANDLE_PROPERTY","features":[68]},{"name":"NCRYPT_WRITE_KEY_TO_LEGACY_STORE_FLAG","features":[68]},{"name":"NCryptAlgorithmName","features":[68]},{"name":"NCryptCloseProtectionDescriptor","features":[68]},{"name":"NCryptCreateClaim","features":[68]},{"name":"NCryptCreatePersistedKey","features":[68]},{"name":"NCryptCreateProtectionDescriptor","features":[68]},{"name":"NCryptDecrypt","features":[68]},{"name":"NCryptDeleteKey","features":[68]},{"name":"NCryptDeriveKey","features":[68]},{"name":"NCryptEncrypt","features":[68]},{"name":"NCryptEnumAlgorithms","features":[68]},{"name":"NCryptEnumKeys","features":[68]},{"name":"NCryptEnumStorageProviders","features":[68]},{"name":"NCryptExportKey","features":[68]},{"name":"NCryptFinalizeKey","features":[68]},{"name":"NCryptFreeBuffer","features":[68]},{"name":"NCryptFreeObject","features":[68]},{"name":"NCryptGetProperty","features":[68]},{"name":"NCryptGetProtectionDescriptorInfo","features":[68]},{"name":"NCryptImportKey","features":[68]},{"name":"NCryptIsAlgSupported","features":[68]},{"name":"NCryptIsKeyHandle","features":[1,68]},{"name":"NCryptKeyDerivation","features":[68]},{"name":"NCryptKeyName","features":[68]},{"name":"NCryptNotifyChangeKey","features":[1,68]},{"name":"NCryptOpenKey","features":[68]},{"name":"NCryptOpenStorageProvider","features":[68]},{"name":"NCryptProtectSecret","features":[1,68]},{"name":"NCryptProviderName","features":[68]},{"name":"NCryptQueryProtectionDescriptorName","features":[68]},{"name":"NCryptRegisterProtectionDescriptorName","features":[68]},{"name":"NCryptSecretAgreement","features":[68]},{"name":"NCryptSetProperty","features":[68]},{"name":"NCryptSignHash","features":[68]},{"name":"NCryptStreamClose","features":[68]},{"name":"NCryptStreamOpenToProtect","features":[1,68]},{"name":"NCryptStreamOpenToUnprotect","features":[1,68]},{"name":"NCryptStreamOpenToUnprotectEx","features":[1,68]},{"name":"NCryptStreamUpdate","features":[1,68]},{"name":"NCryptTranslateHandle","features":[68]},{"name":"NCryptUnprotectSecret","features":[1,68]},{"name":"NCryptVerifyClaim","features":[68]},{"name":"NCryptVerifySignature","features":[68]},{"name":"NETSCAPE_SIGN_CA_CERT_TYPE","features":[68]},{"name":"NETSCAPE_SIGN_CERT_TYPE","features":[68]},{"name":"NETSCAPE_SMIME_CA_CERT_TYPE","features":[68]},{"name":"NETSCAPE_SMIME_CERT_TYPE","features":[68]},{"name":"NETSCAPE_SSL_CA_CERT_TYPE","features":[68]},{"name":"NETSCAPE_SSL_CLIENT_AUTH_CERT_TYPE","features":[68]},{"name":"NETSCAPE_SSL_SERVER_AUTH_CERT_TYPE","features":[68]},{"name":"OCSP_BASIC_BY_KEY_RESPONDER_ID","features":[68]},{"name":"OCSP_BASIC_BY_NAME_RESPONDER_ID","features":[68]},{"name":"OCSP_BASIC_GOOD_CERT_STATUS","features":[68]},{"name":"OCSP_BASIC_RESPONSE","features":[68]},{"name":"OCSP_BASIC_RESPONSE_ENTRY","features":[1,68]},{"name":"OCSP_BASIC_RESPONSE_INFO","features":[1,68]},{"name":"OCSP_BASIC_RESPONSE_V1","features":[68]},{"name":"OCSP_BASIC_REVOKED_CERT_STATUS","features":[68]},{"name":"OCSP_BASIC_REVOKED_INFO","features":[1,68]},{"name":"OCSP_BASIC_SIGNED_RESPONSE","features":[68]},{"name":"OCSP_BASIC_SIGNED_RESPONSE_INFO","features":[68]},{"name":"OCSP_BASIC_UNKNOWN_CERT_STATUS","features":[68]},{"name":"OCSP_CERT_ID","features":[68]},{"name":"OCSP_INTERNAL_ERROR_RESPONSE","features":[68]},{"name":"OCSP_MALFORMED_REQUEST_RESPONSE","features":[68]},{"name":"OCSP_REQUEST","features":[68]},{"name":"OCSP_REQUEST_ENTRY","features":[1,68]},{"name":"OCSP_REQUEST_INFO","features":[1,68]},{"name":"OCSP_REQUEST_V1","features":[68]},{"name":"OCSP_RESPONSE","features":[68]},{"name":"OCSP_RESPONSE_INFO","features":[68]},{"name":"OCSP_SIGNATURE_INFO","features":[68]},{"name":"OCSP_SIGNED_REQUEST","features":[68]},{"name":"OCSP_SIGNED_REQUEST_INFO","features":[68]},{"name":"OCSP_SIG_REQUIRED_RESPONSE","features":[68]},{"name":"OCSP_SUCCESSFUL_RESPONSE","features":[68]},{"name":"OCSP_TRY_LATER_RESPONSE","features":[68]},{"name":"OCSP_UNAUTHORIZED_RESPONSE","features":[68]},{"name":"OPAQUEKEYBLOB","features":[68]},{"name":"PCRYPT_DECRYPT_PRIVATE_KEY_FUNC","features":[1,68]},{"name":"PCRYPT_ENCRYPT_PRIVATE_KEY_FUNC","features":[1,68]},{"name":"PCRYPT_RESOLVE_HCRYPTPROV_FUNC","features":[1,68]},{"name":"PFNCryptStreamOutputCallback","features":[1,68]},{"name":"PFNCryptStreamOutputCallbackEx","features":[1,68]},{"name":"PFN_AUTHENTICODE_DIGEST_SIGN","features":[1,68]},{"name":"PFN_AUTHENTICODE_DIGEST_SIGN_EX","features":[1,68]},{"name":"PFN_AUTHENTICODE_DIGEST_SIGN_EX_WITHFILEHANDLE","features":[1,68]},{"name":"PFN_AUTHENTICODE_DIGEST_SIGN_WITHFILEHANDLE","features":[1,68]},{"name":"PFN_CANCEL_ASYNC_RETRIEVAL_FUNC","features":[1,68]},{"name":"PFN_CERT_CHAIN_FIND_BY_ISSUER_CALLBACK","features":[1,68]},{"name":"PFN_CERT_CREATE_CONTEXT_SORT_FUNC","features":[1,68]},{"name":"PFN_CERT_DLL_OPEN_STORE_PROV_FUNC","features":[1,68]},{"name":"PFN_CERT_ENUM_PHYSICAL_STORE","features":[1,68]},{"name":"PFN_CERT_ENUM_SYSTEM_STORE","features":[1,68]},{"name":"PFN_CERT_ENUM_SYSTEM_STORE_LOCATION","features":[1,68]},{"name":"PFN_CERT_IS_WEAK_HASH","features":[1,68]},{"name":"PFN_CERT_SERVER_OCSP_RESPONSE_UPDATE_CALLBACK","features":[1,68]},{"name":"PFN_CERT_STORE_PROV_CLOSE","features":[68]},{"name":"PFN_CERT_STORE_PROV_CONTROL","features":[1,68]},{"name":"PFN_CERT_STORE_PROV_DELETE_CERT","features":[1,68]},{"name":"PFN_CERT_STORE_PROV_DELETE_CRL","features":[1,68]},{"name":"PFN_CERT_STORE_PROV_DELETE_CTL","features":[1,68]},{"name":"PFN_CERT_STORE_PROV_FIND_CERT","features":[1,68]},{"name":"PFN_CERT_STORE_PROV_FIND_CRL","features":[1,68]},{"name":"PFN_CERT_STORE_PROV_FIND_CTL","features":[1,68]},{"name":"PFN_CERT_STORE_PROV_FREE_FIND_CERT","features":[1,68]},{"name":"PFN_CERT_STORE_PROV_FREE_FIND_CRL","features":[1,68]},{"name":"PFN_CERT_STORE_PROV_FREE_FIND_CTL","features":[1,68]},{"name":"PFN_CERT_STORE_PROV_GET_CERT_PROPERTY","features":[1,68]},{"name":"PFN_CERT_STORE_PROV_GET_CRL_PROPERTY","features":[1,68]},{"name":"PFN_CERT_STORE_PROV_GET_CTL_PROPERTY","features":[1,68]},{"name":"PFN_CERT_STORE_PROV_READ_CERT","features":[1,68]},{"name":"PFN_CERT_STORE_PROV_READ_CRL","features":[1,68]},{"name":"PFN_CERT_STORE_PROV_READ_CTL","features":[1,68]},{"name":"PFN_CERT_STORE_PROV_SET_CERT_PROPERTY","features":[1,68]},{"name":"PFN_CERT_STORE_PROV_SET_CRL_PROPERTY","features":[1,68]},{"name":"PFN_CERT_STORE_PROV_SET_CTL_PROPERTY","features":[1,68]},{"name":"PFN_CERT_STORE_PROV_WRITE_CERT","features":[1,68]},{"name":"PFN_CERT_STORE_PROV_WRITE_CRL","features":[1,68]},{"name":"PFN_CERT_STORE_PROV_WRITE_CTL","features":[1,68]},{"name":"PFN_CMSG_ALLOC","features":[68]},{"name":"PFN_CMSG_CNG_IMPORT_CONTENT_ENCRYPT_KEY","features":[1,68]},{"name":"PFN_CMSG_CNG_IMPORT_KEY_AGREE","features":[1,68]},{"name":"PFN_CMSG_CNG_IMPORT_KEY_TRANS","features":[1,68]},{"name":"PFN_CMSG_EXPORT_ENCRYPT_KEY","features":[1,68]},{"name":"PFN_CMSG_EXPORT_KEY_AGREE","features":[1,68]},{"name":"PFN_CMSG_EXPORT_KEY_TRANS","features":[1,68]},{"name":"PFN_CMSG_EXPORT_MAIL_LIST","features":[1,68]},{"name":"PFN_CMSG_FREE","features":[68]},{"name":"PFN_CMSG_GEN_CONTENT_ENCRYPT_KEY","features":[1,68]},{"name":"PFN_CMSG_GEN_ENCRYPT_KEY","features":[1,68]},{"name":"PFN_CMSG_IMPORT_ENCRYPT_KEY","features":[1,68]},{"name":"PFN_CMSG_IMPORT_KEY_AGREE","features":[1,68]},{"name":"PFN_CMSG_IMPORT_KEY_TRANS","features":[1,68]},{"name":"PFN_CMSG_IMPORT_MAIL_LIST","features":[1,68]},{"name":"PFN_CMSG_STREAM_OUTPUT","features":[1,68]},{"name":"PFN_CRYPT_ALLOC","features":[68]},{"name":"PFN_CRYPT_ASYNC_PARAM_FREE_FUNC","features":[68]},{"name":"PFN_CRYPT_ASYNC_RETRIEVAL_COMPLETION_FUNC","features":[68]},{"name":"PFN_CRYPT_CANCEL_RETRIEVAL","features":[1,68]},{"name":"PFN_CRYPT_ENUM_KEYID_PROP","features":[1,68]},{"name":"PFN_CRYPT_ENUM_OID_FUNC","features":[1,68]},{"name":"PFN_CRYPT_ENUM_OID_INFO","features":[1,68]},{"name":"PFN_CRYPT_EXPORT_PUBLIC_KEY_INFO_EX2_FUNC","features":[1,68]},{"name":"PFN_CRYPT_EXPORT_PUBLIC_KEY_INFO_FROM_BCRYPT_HANDLE_FUNC","features":[1,68]},{"name":"PFN_CRYPT_EXTRACT_ENCODED_SIGNATURE_PARAMETERS_FUNC","features":[1,68]},{"name":"PFN_CRYPT_FREE","features":[68]},{"name":"PFN_CRYPT_GET_SIGNER_CERTIFICATE","features":[1,68]},{"name":"PFN_CRYPT_OBJECT_LOCATOR_PROVIDER_FLUSH","features":[1,68]},{"name":"PFN_CRYPT_OBJECT_LOCATOR_PROVIDER_FREE","features":[68]},{"name":"PFN_CRYPT_OBJECT_LOCATOR_PROVIDER_FREE_IDENTIFIER","features":[68]},{"name":"PFN_CRYPT_OBJECT_LOCATOR_PROVIDER_FREE_PASSWORD","features":[68]},{"name":"PFN_CRYPT_OBJECT_LOCATOR_PROVIDER_GET","features":[1,68]},{"name":"PFN_CRYPT_OBJECT_LOCATOR_PROVIDER_INITIALIZE","features":[1,68]},{"name":"PFN_CRYPT_OBJECT_LOCATOR_PROVIDER_RELEASE","features":[68]},{"name":"PFN_CRYPT_SIGN_AND_ENCODE_HASH_FUNC","features":[1,68]},{"name":"PFN_CRYPT_VERIFY_ENCODED_SIGNATURE_FUNC","features":[1,68]},{"name":"PFN_CRYPT_XML_CREATE_TRANSFORM","features":[68]},{"name":"PFN_CRYPT_XML_DATA_PROVIDER_CLOSE","features":[68]},{"name":"PFN_CRYPT_XML_DATA_PROVIDER_READ","features":[68]},{"name":"PFN_CRYPT_XML_ENUM_ALG_INFO","features":[1,68]},{"name":"PFN_CRYPT_XML_WRITE_CALLBACK","features":[68]},{"name":"PFN_EXPORT_PRIV_KEY_FUNC","features":[1,68]},{"name":"PFN_FREE_ENCODED_OBJECT_FUNC","features":[68]},{"name":"PFN_IMPORT_PRIV_KEY_FUNC","features":[1,68]},{"name":"PFN_IMPORT_PUBLIC_KEY_INFO_EX2_FUNC","features":[1,68]},{"name":"PFN_NCRYPT_ALLOC","features":[68]},{"name":"PFN_NCRYPT_FREE","features":[68]},{"name":"PFXExportCertStore","features":[1,68]},{"name":"PFXExportCertStoreEx","features":[1,68]},{"name":"PFXImportCertStore","features":[68]},{"name":"PFXIsPFXBlob","features":[1,68]},{"name":"PFXVerifyPassword","features":[1,68]},{"name":"PKCS12_ALLOW_OVERWRITE_KEY","features":[68]},{"name":"PKCS12_ALWAYS_CNG_KSP","features":[68]},{"name":"PKCS12_CONFIG_REGPATH","features":[68]},{"name":"PKCS12_DISABLE_ENCRYPT_CERTIFICATES","features":[68]},{"name":"PKCS12_ENCRYPT_CERTIFICATES","features":[68]},{"name":"PKCS12_ENCRYPT_CERTIFICATES_VALUE_NAME","features":[68]},{"name":"PKCS12_EXPORT_ECC_CURVE_OID","features":[68]},{"name":"PKCS12_EXPORT_ECC_CURVE_PARAMETERS","features":[68]},{"name":"PKCS12_EXPORT_PBES2_PARAMS","features":[68]},{"name":"PKCS12_EXPORT_RESERVED_MASK","features":[68]},{"name":"PKCS12_EXPORT_SILENT","features":[68]},{"name":"PKCS12_IMPORT_RESERVED_MASK","features":[68]},{"name":"PKCS12_IMPORT_SILENT","features":[68]},{"name":"PKCS12_INCLUDE_EXTENDED_PROPERTIES","features":[68]},{"name":"PKCS12_NO_PERSIST_KEY","features":[68]},{"name":"PKCS12_ONLY_CERTIFICATES","features":[68]},{"name":"PKCS12_ONLY_CERTIFICATES_CONTAINER_NAME","features":[68]},{"name":"PKCS12_ONLY_CERTIFICATES_PROVIDER_NAME","features":[68]},{"name":"PKCS12_ONLY_CERTIFICATES_PROVIDER_TYPE","features":[68]},{"name":"PKCS12_ONLY_NOT_ENCRYPTED_CERTIFICATES","features":[68]},{"name":"PKCS12_PBES2_ALG_AES256_SHA256","features":[68]},{"name":"PKCS12_PBES2_EXPORT_PARAMS","features":[68]},{"name":"PKCS12_PBKDF2_ID_HMAC_SHA1","features":[68]},{"name":"PKCS12_PBKDF2_ID_HMAC_SHA256","features":[68]},{"name":"PKCS12_PBKDF2_ID_HMAC_SHA384","features":[68]},{"name":"PKCS12_PBKDF2_ID_HMAC_SHA512","features":[68]},{"name":"PKCS12_PREFER_CNG_KSP","features":[68]},{"name":"PKCS12_PROTECT_TO_DOMAIN_SIDS","features":[68]},{"name":"PKCS12_VIRTUAL_ISOLATION_KEY","features":[68]},{"name":"PKCS5_PADDING","features":[68]},{"name":"PKCS7_SIGNER_INFO","features":[68]},{"name":"PKCS_7_ASN_ENCODING","features":[68]},{"name":"PKCS_7_NDR_ENCODING","features":[68]},{"name":"PKCS_ATTRIBUTE","features":[68]},{"name":"PKCS_ATTRIBUTES","features":[68]},{"name":"PKCS_CONTENT_INFO","features":[68]},{"name":"PKCS_CONTENT_INFO_SEQUENCE_OF_ANY","features":[68]},{"name":"PKCS_CTL","features":[68]},{"name":"PKCS_ENCRYPTED_PRIVATE_KEY_INFO","features":[68]},{"name":"PKCS_PRIVATE_KEY_INFO","features":[68]},{"name":"PKCS_RC2_CBC_PARAMETERS","features":[68]},{"name":"PKCS_RSAES_OAEP_PARAMETERS","features":[68]},{"name":"PKCS_RSA_PRIVATE_KEY","features":[68]},{"name":"PKCS_RSA_SSA_PSS_PARAMETERS","features":[68]},{"name":"PKCS_RSA_SSA_PSS_TRAILER_FIELD_BC","features":[68]},{"name":"PKCS_SMIME_CAPABILITIES","features":[68]},{"name":"PKCS_SORTED_CTL","features":[68]},{"name":"PKCS_TIME_REQUEST","features":[68]},{"name":"PKCS_UTC_TIME","features":[68]},{"name":"PLAINTEXTKEYBLOB","features":[68]},{"name":"POLICY_ELEMENT","features":[1,68]},{"name":"PP_ADMIN_PIN","features":[68]},{"name":"PP_APPLI_CERT","features":[68]},{"name":"PP_CERTCHAIN","features":[68]},{"name":"PP_CHANGE_PASSWORD","features":[68]},{"name":"PP_CLIENT_HWND","features":[68]},{"name":"PP_CONTAINER","features":[68]},{"name":"PP_CONTEXT_INFO","features":[68]},{"name":"PP_CRYPT_COUNT_KEY_USE","features":[68]},{"name":"PP_DELETEKEY","features":[68]},{"name":"PP_DISMISS_PIN_UI_SEC","features":[68]},{"name":"PP_ENUMALGS","features":[68]},{"name":"PP_ENUMALGS_EX","features":[68]},{"name":"PP_ENUMCONTAINERS","features":[68]},{"name":"PP_ENUMELECTROOTS","features":[68]},{"name":"PP_ENUMEX_SIGNING_PROT","features":[68]},{"name":"PP_ENUMMANDROOTS","features":[68]},{"name":"PP_IMPTYPE","features":[68]},{"name":"PP_IS_PFX_EPHEMERAL","features":[68]},{"name":"PP_KEYEXCHANGE_ALG","features":[68]},{"name":"PP_KEYEXCHANGE_KEYSIZE","features":[68]},{"name":"PP_KEYEXCHANGE_PIN","features":[68]},{"name":"PP_KEYSET_SEC_DESCR","features":[68]},{"name":"PP_KEYSET_TYPE","features":[68]},{"name":"PP_KEYSPEC","features":[68]},{"name":"PP_KEYSTORAGE","features":[68]},{"name":"PP_KEYX_KEYSIZE_INC","features":[68]},{"name":"PP_KEY_TYPE_SUBTYPE","features":[68]},{"name":"PP_NAME","features":[68]},{"name":"PP_PIN_PROMPT_STRING","features":[68]},{"name":"PP_PROVTYPE","features":[68]},{"name":"PP_ROOT_CERTSTORE","features":[68]},{"name":"PP_SECURE_KEYEXCHANGE_PIN","features":[68]},{"name":"PP_SECURE_SIGNATURE_PIN","features":[68]},{"name":"PP_SESSION_KEYSIZE","features":[68]},{"name":"PP_SGC_INFO","features":[68]},{"name":"PP_SIGNATURE_ALG","features":[68]},{"name":"PP_SIGNATURE_KEYSIZE","features":[68]},{"name":"PP_SIGNATURE_PIN","features":[68]},{"name":"PP_SIG_KEYSIZE_INC","features":[68]},{"name":"PP_SMARTCARD_GUID","features":[68]},{"name":"PP_SMARTCARD_READER","features":[68]},{"name":"PP_SMARTCARD_READER_ICON","features":[68]},{"name":"PP_SYM_KEYSIZE","features":[68]},{"name":"PP_UI_PROMPT","features":[68]},{"name":"PP_UNIQUE_CONTAINER","features":[68]},{"name":"PP_USER_CERTSTORE","features":[68]},{"name":"PP_USE_HARDWARE_RNG","features":[68]},{"name":"PP_VERSION","features":[68]},{"name":"PRIVATEKEYBLOB","features":[68]},{"name":"PRIVKEYVER3","features":[68]},{"name":"PROV_DH_SCHANNEL","features":[68]},{"name":"PROV_DSS","features":[68]},{"name":"PROV_DSS_DH","features":[68]},{"name":"PROV_EC_ECDSA_FULL","features":[68]},{"name":"PROV_EC_ECDSA_SIG","features":[68]},{"name":"PROV_EC_ECNRA_FULL","features":[68]},{"name":"PROV_EC_ECNRA_SIG","features":[68]},{"name":"PROV_ENUMALGS","features":[68]},{"name":"PROV_ENUMALGS_EX","features":[68]},{"name":"PROV_FORTEZZA","features":[68]},{"name":"PROV_INTEL_SEC","features":[68]},{"name":"PROV_MS_EXCHANGE","features":[68]},{"name":"PROV_REPLACE_OWF","features":[68]},{"name":"PROV_RNG","features":[68]},{"name":"PROV_RSA_AES","features":[68]},{"name":"PROV_RSA_FULL","features":[68]},{"name":"PROV_RSA_SCHANNEL","features":[68]},{"name":"PROV_RSA_SIG","features":[68]},{"name":"PROV_SPYRUS_LYNKS","features":[68]},{"name":"PROV_SSL","features":[68]},{"name":"PROV_STT_ACQ","features":[68]},{"name":"PROV_STT_BRND","features":[68]},{"name":"PROV_STT_ISS","features":[68]},{"name":"PROV_STT_MER","features":[68]},{"name":"PROV_STT_ROOT","features":[68]},{"name":"PUBKEY","features":[68]},{"name":"PUBKEYVER3","features":[68]},{"name":"PUBLICKEYBLOB","features":[68]},{"name":"PUBLICKEYBLOBEX","features":[68]},{"name":"PUBLICKEYSTRUC","features":[68]},{"name":"PVK_TYPE_FILE_NAME","features":[68]},{"name":"PVK_TYPE_KEYCONTAINER","features":[68]},{"name":"PaddingMode","features":[68]},{"name":"ProcessPrng","features":[1,68]},{"name":"RANDOM_PADDING","features":[68]},{"name":"RECIPIENTPOLICY","features":[68]},{"name":"RECIPIENTPOLICY2","features":[68]},{"name":"RECIPIENTPOLICYV1","features":[68]},{"name":"RECIPIENTPOLICYV2","features":[68]},{"name":"REPORT_NOT_ABLE_TO_EXPORT_PRIVATE_KEY","features":[68]},{"name":"REPORT_NO_PRIVATE_KEY","features":[68]},{"name":"REVOCATION_OID_CRL_REVOCATION","features":[68]},{"name":"ROOT_INFO_LUID","features":[68]},{"name":"RSA1024BIT_KEY","features":[68]},{"name":"RSAPUBKEY","features":[68]},{"name":"RSA_CSP_PUBLICKEYBLOB","features":[68]},{"name":"SCHANNEL_ALG","features":[68]},{"name":"SCHANNEL_ENC_KEY","features":[68]},{"name":"SCHANNEL_MAC_KEY","features":[68]},{"name":"SCHEME_OID_RETRIEVE_ENCODED_OBJECTW_FUNC","features":[68]},{"name":"SCHEME_OID_RETRIEVE_ENCODED_OBJECT_FUNC","features":[68]},{"name":"SIGNATURE_RESOURCE_NUMBER","features":[68]},{"name":"SIGNER_ATTR_AUTHCODE","features":[1,68]},{"name":"SIGNER_AUTHCODE_ATTR","features":[68]},{"name":"SIGNER_BLOB_INFO","features":[68]},{"name":"SIGNER_CERT","features":[1,68]},{"name":"SIGNER_CERT_CHOICE","features":[68]},{"name":"SIGNER_CERT_POLICY","features":[68]},{"name":"SIGNER_CERT_POLICY_CHAIN","features":[68]},{"name":"SIGNER_CERT_POLICY_CHAIN_NO_ROOT","features":[68]},{"name":"SIGNER_CERT_POLICY_SPC","features":[68]},{"name":"SIGNER_CERT_POLICY_STORE","features":[68]},{"name":"SIGNER_CERT_SPC_CHAIN","features":[68]},{"name":"SIGNER_CERT_SPC_FILE","features":[68]},{"name":"SIGNER_CERT_STORE","features":[68]},{"name":"SIGNER_CERT_STORE_INFO","features":[1,68]},{"name":"SIGNER_CONTEXT","features":[68]},{"name":"SIGNER_DIGEST_SIGN_INFO","features":[1,68]},{"name":"SIGNER_DIGEST_SIGN_INFO_V1","features":[1,68]},{"name":"SIGNER_DIGEST_SIGN_INFO_V2","features":[1,68]},{"name":"SIGNER_FILE_INFO","features":[1,68]},{"name":"SIGNER_NO_ATTR","features":[68]},{"name":"SIGNER_PRIVATE_KEY_CHOICE","features":[68]},{"name":"SIGNER_PROVIDER_INFO","features":[68]},{"name":"SIGNER_SIGNATURE_ATTRIBUTE_CHOICE","features":[68]},{"name":"SIGNER_SIGNATURE_INFO","features":[1,68]},{"name":"SIGNER_SIGN_FLAGS","features":[68]},{"name":"SIGNER_SPC_CHAIN_INFO","features":[68]},{"name":"SIGNER_SUBJECT_BLOB","features":[68]},{"name":"SIGNER_SUBJECT_CHOICE","features":[68]},{"name":"SIGNER_SUBJECT_FILE","features":[68]},{"name":"SIGNER_SUBJECT_INFO","features":[1,68]},{"name":"SIGNER_TIMESTAMP_AUTHENTICODE","features":[68]},{"name":"SIGNER_TIMESTAMP_FLAGS","features":[68]},{"name":"SIGNER_TIMESTAMP_RFC3161","features":[68]},{"name":"SIG_APPEND","features":[68]},{"name":"SIMPLEBLOB","features":[68]},{"name":"SITE_PIN_RULES_ALL_SUBDOMAINS_FLAG","features":[68]},{"name":"SORTED_CTL_EXT_HASHED_SUBJECT_IDENTIFIER_FLAG","features":[68]},{"name":"SPC_DIGEST_GENERATE_FLAG","features":[68]},{"name":"SPC_DIGEST_SIGN_EX_FLAG","features":[68]},{"name":"SPC_DIGEST_SIGN_FLAG","features":[68]},{"name":"SPC_EXC_PE_PAGE_HASHES_FLAG","features":[68]},{"name":"SPC_INC_PE_DEBUG_INFO_FLAG","features":[68]},{"name":"SPC_INC_PE_IMPORT_ADDR_TABLE_FLAG","features":[68]},{"name":"SPC_INC_PE_PAGE_HASHES_FLAG","features":[68]},{"name":"SPC_INC_PE_RESOURCES_FLAG","features":[68]},{"name":"SSL_ECCKEY_BLOB","features":[68]},{"name":"SSL_ECCPUBLIC_BLOB","features":[68]},{"name":"SSL_F12_ERROR_TEXT_LENGTH","features":[68]},{"name":"SSL_F12_EXTRA_CERT_CHAIN_POLICY_STATUS","features":[68]},{"name":"SSL_HPKP_HEADER_COUNT","features":[68]},{"name":"SSL_HPKP_HEADER_EXTRA_CERT_CHAIN_POLICY_PARA","features":[68]},{"name":"SSL_HPKP_PKP_HEADER_INDEX","features":[68]},{"name":"SSL_HPKP_PKP_RO_HEADER_INDEX","features":[68]},{"name":"SSL_KEY_PIN_ERROR_TEXT_LENGTH","features":[68]},{"name":"SSL_KEY_PIN_EXTRA_CERT_CHAIN_POLICY_PARA","features":[68]},{"name":"SSL_KEY_PIN_EXTRA_CERT_CHAIN_POLICY_STATUS","features":[68]},{"name":"SSL_OBJECT_LOCATOR_CERT_VALIDATION_CONFIG_FUNC","features":[68]},{"name":"SSL_OBJECT_LOCATOR_ISSUER_LIST_FUNC","features":[68]},{"name":"SSL_OBJECT_LOCATOR_PFX_FUNC","features":[68]},{"name":"SYMMETRICWRAPKEYBLOB","features":[68]},{"name":"SignError","features":[68]},{"name":"SignHash","features":[68]},{"name":"SignerFreeSignerContext","features":[68]},{"name":"SignerSign","features":[1,68]},{"name":"SignerSignEx","features":[1,68]},{"name":"SignerSignEx2","features":[1,68]},{"name":"SignerSignEx3","features":[1,68]},{"name":"SignerTimeStamp","features":[1,68]},{"name":"SignerTimeStampEx","features":[1,68]},{"name":"SignerTimeStampEx2","features":[1,68]},{"name":"SignerTimeStampEx3","features":[1,68]},{"name":"SystemPrng","features":[1,68]},{"name":"TIMESTAMP_DONT_HASH_DATA","features":[68]},{"name":"TIMESTAMP_FAILURE_BAD_ALG","features":[68]},{"name":"TIMESTAMP_FAILURE_BAD_FORMAT","features":[68]},{"name":"TIMESTAMP_FAILURE_BAD_REQUEST","features":[68]},{"name":"TIMESTAMP_FAILURE_EXTENSION_NOT_SUPPORTED","features":[68]},{"name":"TIMESTAMP_FAILURE_INFO_NOT_AVAILABLE","features":[68]},{"name":"TIMESTAMP_FAILURE_POLICY_NOT_SUPPORTED","features":[68]},{"name":"TIMESTAMP_FAILURE_SYSTEM_FAILURE","features":[68]},{"name":"TIMESTAMP_FAILURE_TIME_NOT_AVAILABLE","features":[68]},{"name":"TIMESTAMP_INFO","features":[68]},{"name":"TIMESTAMP_NO_AUTH_RETRIEVAL","features":[68]},{"name":"TIMESTAMP_REQUEST","features":[68]},{"name":"TIMESTAMP_RESPONSE","features":[68]},{"name":"TIMESTAMP_STATUS_GRANTED","features":[68]},{"name":"TIMESTAMP_STATUS_GRANTED_WITH_MODS","features":[68]},{"name":"TIMESTAMP_STATUS_REJECTED","features":[68]},{"name":"TIMESTAMP_STATUS_REVOCATION_WARNING","features":[68]},{"name":"TIMESTAMP_STATUS_REVOKED","features":[68]},{"name":"TIMESTAMP_STATUS_WAITING","features":[68]},{"name":"TIMESTAMP_VERIFY_CONTEXT_SIGNATURE","features":[68]},{"name":"TIMESTAMP_VERSION","features":[68]},{"name":"TIME_VALID_OID_FLUSH_CRL","features":[68]},{"name":"TIME_VALID_OID_FLUSH_CRL_FROM_CERT","features":[68]},{"name":"TIME_VALID_OID_FLUSH_CTL","features":[68]},{"name":"TIME_VALID_OID_FLUSH_FRESHEST_CRL_FROM_CERT","features":[68]},{"name":"TIME_VALID_OID_FLUSH_FRESHEST_CRL_FROM_CRL","features":[68]},{"name":"TIME_VALID_OID_FLUSH_OBJECT_FUNC","features":[68]},{"name":"TIME_VALID_OID_GET_CRL","features":[68]},{"name":"TIME_VALID_OID_GET_CRL_FROM_CERT","features":[68]},{"name":"TIME_VALID_OID_GET_CTL","features":[68]},{"name":"TIME_VALID_OID_GET_FRESHEST_CRL_FROM_CERT","features":[68]},{"name":"TIME_VALID_OID_GET_FRESHEST_CRL_FROM_CRL","features":[68]},{"name":"TIME_VALID_OID_GET_OBJECT_FUNC","features":[68]},{"name":"TPM_RSA_SRK_SEAL_KEY","features":[68]},{"name":"TransformBlock","features":[68]},{"name":"TransformFinalBlock","features":[68]},{"name":"URL_OID_CERTIFICATE_CRL_DIST_POINT","features":[68]},{"name":"URL_OID_CERTIFICATE_CRL_DIST_POINT_AND_OCSP","features":[68]},{"name":"URL_OID_CERTIFICATE_FRESHEST_CRL","features":[68]},{"name":"URL_OID_CERTIFICATE_ISSUER","features":[68]},{"name":"URL_OID_CERTIFICATE_OCSP","features":[68]},{"name":"URL_OID_CERTIFICATE_OCSP_AND_CRL_DIST_POINT","features":[68]},{"name":"URL_OID_CERTIFICATE_ONLY_OCSP","features":[68]},{"name":"URL_OID_CRL_FRESHEST_CRL","features":[68]},{"name":"URL_OID_CRL_ISSUER","features":[68]},{"name":"URL_OID_CROSS_CERT_DIST_POINT","features":[68]},{"name":"URL_OID_CROSS_CERT_SUBJECT_INFO_ACCESS","features":[68]},{"name":"URL_OID_CTL_ISSUER","features":[68]},{"name":"URL_OID_CTL_NEXT_UPDATE","features":[68]},{"name":"URL_OID_GET_OBJECT_URL_FUNC","features":[68]},{"name":"USAGE_MATCH_TYPE_AND","features":[68]},{"name":"USAGE_MATCH_TYPE_OR","features":[68]},{"name":"VerifyHash","features":[1,68]},{"name":"X509_ALGORITHM_IDENTIFIER","features":[68]},{"name":"X509_ALTERNATE_NAME","features":[68]},{"name":"X509_ANY_STRING","features":[68]},{"name":"X509_ASN_ENCODING","features":[68]},{"name":"X509_AUTHORITY_INFO_ACCESS","features":[68]},{"name":"X509_AUTHORITY_KEY_ID","features":[68]},{"name":"X509_AUTHORITY_KEY_ID2","features":[68]},{"name":"X509_BASIC_CONSTRAINTS","features":[68]},{"name":"X509_BASIC_CONSTRAINTS2","features":[68]},{"name":"X509_BIOMETRIC_EXT","features":[68]},{"name":"X509_BITS","features":[68]},{"name":"X509_BITS_WITHOUT_TRAILING_ZEROES","features":[68]},{"name":"X509_CERT","features":[68]},{"name":"X509_CERTIFICATE_TEMPLATE","features":[68]},{"name":"X509_CERT_BUNDLE","features":[68]},{"name":"X509_CERT_CRL_TO_BE_SIGNED","features":[68]},{"name":"X509_CERT_PAIR","features":[68]},{"name":"X509_CERT_POLICIES","features":[68]},{"name":"X509_CERT_REQUEST_TO_BE_SIGNED","features":[68]},{"name":"X509_CERT_TO_BE_SIGNED","features":[68]},{"name":"X509_CHOICE_OF_TIME","features":[68]},{"name":"X509_CRL_DIST_POINTS","features":[68]},{"name":"X509_CRL_REASON_CODE","features":[68]},{"name":"X509_CROSS_CERT_DIST_POINTS","features":[68]},{"name":"X509_DH_PARAMETERS","features":[68]},{"name":"X509_DH_PUBLICKEY","features":[68]},{"name":"X509_DSS_PARAMETERS","features":[68]},{"name":"X509_DSS_PUBLICKEY","features":[68]},{"name":"X509_DSS_SIGNATURE","features":[68]},{"name":"X509_ECC_PARAMETERS","features":[68]},{"name":"X509_ECC_PRIVATE_KEY","features":[68]},{"name":"X509_ECC_SIGNATURE","features":[68]},{"name":"X509_ENHANCED_KEY_USAGE","features":[68]},{"name":"X509_ENUMERATED","features":[68]},{"name":"X509_EXTENSIONS","features":[68]},{"name":"X509_INTEGER","features":[68]},{"name":"X509_ISSUING_DIST_POINT","features":[68]},{"name":"X509_KEYGEN_REQUEST_TO_BE_SIGNED","features":[68]},{"name":"X509_KEY_ATTRIBUTES","features":[68]},{"name":"X509_KEY_USAGE","features":[68]},{"name":"X509_KEY_USAGE_RESTRICTION","features":[68]},{"name":"X509_LOGOTYPE_EXT","features":[68]},{"name":"X509_MULTI_BYTE_INTEGER","features":[68]},{"name":"X509_MULTI_BYTE_UINT","features":[68]},{"name":"X509_NAME","features":[68]},{"name":"X509_NAME_CONSTRAINTS","features":[68]},{"name":"X509_NAME_VALUE","features":[68]},{"name":"X509_NDR_ENCODING","features":[68]},{"name":"X509_OBJECT_IDENTIFIER","features":[68]},{"name":"X509_OCTET_STRING","features":[68]},{"name":"X509_PKIX_POLICY_QUALIFIER_USERNOTICE","features":[68]},{"name":"X509_POLICY_CONSTRAINTS","features":[68]},{"name":"X509_POLICY_MAPPINGS","features":[68]},{"name":"X509_PUBLIC_KEY_INFO","features":[68]},{"name":"X509_QC_STATEMENTS_EXT","features":[68]},{"name":"X509_SEQUENCE_OF_ANY","features":[68]},{"name":"X509_SUBJECT_DIR_ATTRS","features":[68]},{"name":"X509_SUBJECT_INFO_ACCESS","features":[68]},{"name":"X509_UNICODE_ANY_STRING","features":[68]},{"name":"X509_UNICODE_NAME","features":[68]},{"name":"X509_UNICODE_NAME_VALUE","features":[68]},{"name":"X942_DH_PARAMETERS","features":[68]},{"name":"X942_OTHER_INFO","features":[68]},{"name":"ZERO_PADDING","features":[68]},{"name":"cPRIV_KEY_CACHE_MAX_ITEMS_DEFAULT","features":[68]},{"name":"cPRIV_KEY_CACHE_PURGE_INTERVAL_SECONDS_DEFAULT","features":[68]},{"name":"dwFORCE_KEY_PROTECTION_DISABLED","features":[68]},{"name":"dwFORCE_KEY_PROTECTION_HIGH","features":[68]},{"name":"dwFORCE_KEY_PROTECTION_USER_SELECT","features":[68]},{"name":"szFORCE_KEY_PROTECTION","features":[68]},{"name":"szKEY_CACHE_ENABLED","features":[68]},{"name":"szKEY_CACHE_SECONDS","features":[68]},{"name":"szKEY_CRYPTOAPI_PRIVATE_KEY_OPTIONS","features":[68]},{"name":"szOIDVerisign_FailInfo","features":[68]},{"name":"szOIDVerisign_MessageType","features":[68]},{"name":"szOIDVerisign_PkiStatus","features":[68]},{"name":"szOIDVerisign_RecipientNonce","features":[68]},{"name":"szOIDVerisign_SenderNonce","features":[68]},{"name":"szOIDVerisign_TransactionID","features":[68]},{"name":"szOID_ANSI_X942","features":[68]},{"name":"szOID_ANSI_X942_DH","features":[68]},{"name":"szOID_ANY_APPLICATION_POLICY","features":[68]},{"name":"szOID_ANY_CERT_POLICY","features":[68]},{"name":"szOID_ANY_ENHANCED_KEY_USAGE","features":[68]},{"name":"szOID_APPLICATION_CERT_POLICIES","features":[68]},{"name":"szOID_APPLICATION_POLICY_CONSTRAINTS","features":[68]},{"name":"szOID_APPLICATION_POLICY_MAPPINGS","features":[68]},{"name":"szOID_ARCHIVED_KEY_ATTR","features":[68]},{"name":"szOID_ARCHIVED_KEY_CERT_HASH","features":[68]},{"name":"szOID_ATTEST_WHQL_CRYPTO","features":[68]},{"name":"szOID_ATTR_PLATFORM_SPECIFICATION","features":[68]},{"name":"szOID_ATTR_SUPPORTED_ALGORITHMS","features":[68]},{"name":"szOID_ATTR_TPM_SECURITY_ASSERTIONS","features":[68]},{"name":"szOID_ATTR_TPM_SPECIFICATION","features":[68]},{"name":"szOID_AUTHORITY_INFO_ACCESS","features":[68]},{"name":"szOID_AUTHORITY_KEY_IDENTIFIER","features":[68]},{"name":"szOID_AUTHORITY_KEY_IDENTIFIER2","features":[68]},{"name":"szOID_AUTHORITY_REVOCATION_LIST","features":[68]},{"name":"szOID_AUTO_ENROLL_CTL_USAGE","features":[68]},{"name":"szOID_BACKGROUND_OTHER_LOGOTYPE","features":[68]},{"name":"szOID_BASIC_CONSTRAINTS","features":[68]},{"name":"szOID_BASIC_CONSTRAINTS2","features":[68]},{"name":"szOID_BIOMETRIC_EXT","features":[68]},{"name":"szOID_BIOMETRIC_SIGNING","features":[68]},{"name":"szOID_BUSINESS_CATEGORY","features":[68]},{"name":"szOID_CA_CERTIFICATE","features":[68]},{"name":"szOID_CERTIFICATE_REVOCATION_LIST","features":[68]},{"name":"szOID_CERTIFICATE_TEMPLATE","features":[68]},{"name":"szOID_CERTSRV_CA_VERSION","features":[68]},{"name":"szOID_CERTSRV_CROSSCA_VERSION","features":[68]},{"name":"szOID_CERTSRV_PREVIOUS_CERT_HASH","features":[68]},{"name":"szOID_CERT_DISALLOWED_CA_FILETIME_PROP_ID","features":[68]},{"name":"szOID_CERT_DISALLOWED_FILETIME_PROP_ID","features":[68]},{"name":"szOID_CERT_EXTENSIONS","features":[68]},{"name":"szOID_CERT_ISSUER_SERIAL_NUMBER_MD5_HASH_PROP_ID","features":[68]},{"name":"szOID_CERT_KEY_IDENTIFIER_PROP_ID","features":[68]},{"name":"szOID_CERT_MANIFOLD","features":[68]},{"name":"szOID_CERT_MD5_HASH_PROP_ID","features":[68]},{"name":"szOID_CERT_POLICIES","features":[68]},{"name":"szOID_CERT_POLICIES_95","features":[68]},{"name":"szOID_CERT_POLICIES_95_QUALIFIER1","features":[68]},{"name":"szOID_CERT_PROP_ID_PREFIX","features":[68]},{"name":"szOID_CERT_SIGNATURE_HASH_PROP_ID","features":[68]},{"name":"szOID_CERT_STRONG_KEY_OS_1","features":[68]},{"name":"szOID_CERT_STRONG_KEY_OS_CURRENT","features":[68]},{"name":"szOID_CERT_STRONG_KEY_OS_PREFIX","features":[68]},{"name":"szOID_CERT_STRONG_SIGN_OS_1","features":[68]},{"name":"szOID_CERT_STRONG_SIGN_OS_CURRENT","features":[68]},{"name":"szOID_CERT_STRONG_SIGN_OS_PREFIX","features":[68]},{"name":"szOID_CERT_SUBJECT_NAME_MD5_HASH_PROP_ID","features":[68]},{"name":"szOID_CMC","features":[68]},{"name":"szOID_CMC_ADD_ATTRIBUTES","features":[68]},{"name":"szOID_CMC_ADD_EXTENSIONS","features":[68]},{"name":"szOID_CMC_DATA_RETURN","features":[68]},{"name":"szOID_CMC_DECRYPTED_POP","features":[68]},{"name":"szOID_CMC_ENCRYPTED_POP","features":[68]},{"name":"szOID_CMC_GET_CERT","features":[68]},{"name":"szOID_CMC_GET_CRL","features":[68]},{"name":"szOID_CMC_IDENTIFICATION","features":[68]},{"name":"szOID_CMC_IDENTITY_PROOF","features":[68]},{"name":"szOID_CMC_ID_CONFIRM_CERT_ACCEPTANCE","features":[68]},{"name":"szOID_CMC_ID_POP_LINK_RANDOM","features":[68]},{"name":"szOID_CMC_ID_POP_LINK_WITNESS","features":[68]},{"name":"szOID_CMC_LRA_POP_WITNESS","features":[68]},{"name":"szOID_CMC_QUERY_PENDING","features":[68]},{"name":"szOID_CMC_RECIPIENT_NONCE","features":[68]},{"name":"szOID_CMC_REG_INFO","features":[68]},{"name":"szOID_CMC_RESPONSE_INFO","features":[68]},{"name":"szOID_CMC_REVOKE_REQUEST","features":[68]},{"name":"szOID_CMC_SENDER_NONCE","features":[68]},{"name":"szOID_CMC_STATUS_INFO","features":[68]},{"name":"szOID_CMC_TRANSACTION_ID","features":[68]},{"name":"szOID_CN_ECDSA_SHA256","features":[68]},{"name":"szOID_COMMON_NAME","features":[68]},{"name":"szOID_COUNTRY_NAME","features":[68]},{"name":"szOID_CRL_DIST_POINTS","features":[68]},{"name":"szOID_CRL_NEXT_PUBLISH","features":[68]},{"name":"szOID_CRL_NUMBER","features":[68]},{"name":"szOID_CRL_REASON_CODE","features":[68]},{"name":"szOID_CRL_SELF_CDP","features":[68]},{"name":"szOID_CRL_VIRTUAL_BASE","features":[68]},{"name":"szOID_CROSS_CERTIFICATE_PAIR","features":[68]},{"name":"szOID_CROSS_CERT_DIST_POINTS","features":[68]},{"name":"szOID_CTL","features":[68]},{"name":"szOID_CT_CERT_SCTLIST","features":[68]},{"name":"szOID_CT_PKI_DATA","features":[68]},{"name":"szOID_CT_PKI_RESPONSE","features":[68]},{"name":"szOID_DELTA_CRL_INDICATOR","features":[68]},{"name":"szOID_DESCRIPTION","features":[68]},{"name":"szOID_DESTINATION_INDICATOR","features":[68]},{"name":"szOID_DEVICE_SERIAL_NUMBER","features":[68]},{"name":"szOID_DH_SINGLE_PASS_STDDH_SHA1_KDF","features":[68]},{"name":"szOID_DH_SINGLE_PASS_STDDH_SHA256_KDF","features":[68]},{"name":"szOID_DH_SINGLE_PASS_STDDH_SHA384_KDF","features":[68]},{"name":"szOID_DISALLOWED_HASH","features":[68]},{"name":"szOID_DISALLOWED_LIST","features":[68]},{"name":"szOID_DN_QUALIFIER","features":[68]},{"name":"szOID_DOMAIN_COMPONENT","features":[68]},{"name":"szOID_DRM","features":[68]},{"name":"szOID_DRM_INDIVIDUALIZATION","features":[68]},{"name":"szOID_DS","features":[68]},{"name":"szOID_DSALG","features":[68]},{"name":"szOID_DSALG_CRPT","features":[68]},{"name":"szOID_DSALG_HASH","features":[68]},{"name":"szOID_DSALG_RSA","features":[68]},{"name":"szOID_DSALG_SIGN","features":[68]},{"name":"szOID_DS_EMAIL_REPLICATION","features":[68]},{"name":"szOID_DYNAMIC_CODE_GEN_SIGNER","features":[68]},{"name":"szOID_ECC_CURVE_BRAINPOOLP160R1","features":[68]},{"name":"szOID_ECC_CURVE_BRAINPOOLP160T1","features":[68]},{"name":"szOID_ECC_CURVE_BRAINPOOLP192R1","features":[68]},{"name":"szOID_ECC_CURVE_BRAINPOOLP192T1","features":[68]},{"name":"szOID_ECC_CURVE_BRAINPOOLP224R1","features":[68]},{"name":"szOID_ECC_CURVE_BRAINPOOLP224T1","features":[68]},{"name":"szOID_ECC_CURVE_BRAINPOOLP256R1","features":[68]},{"name":"szOID_ECC_CURVE_BRAINPOOLP256T1","features":[68]},{"name":"szOID_ECC_CURVE_BRAINPOOLP320R1","features":[68]},{"name":"szOID_ECC_CURVE_BRAINPOOLP320T1","features":[68]},{"name":"szOID_ECC_CURVE_BRAINPOOLP384R1","features":[68]},{"name":"szOID_ECC_CURVE_BRAINPOOLP384T1","features":[68]},{"name":"szOID_ECC_CURVE_BRAINPOOLP512R1","features":[68]},{"name":"szOID_ECC_CURVE_BRAINPOOLP512T1","features":[68]},{"name":"szOID_ECC_CURVE_EC192WAPI","features":[68]},{"name":"szOID_ECC_CURVE_NISTP192","features":[68]},{"name":"szOID_ECC_CURVE_NISTP224","features":[68]},{"name":"szOID_ECC_CURVE_NISTP256","features":[68]},{"name":"szOID_ECC_CURVE_NISTP384","features":[68]},{"name":"szOID_ECC_CURVE_NISTP521","features":[68]},{"name":"szOID_ECC_CURVE_P256","features":[68]},{"name":"szOID_ECC_CURVE_P384","features":[68]},{"name":"szOID_ECC_CURVE_P521","features":[68]},{"name":"szOID_ECC_CURVE_SECP160K1","features":[68]},{"name":"szOID_ECC_CURVE_SECP160R1","features":[68]},{"name":"szOID_ECC_CURVE_SECP160R2","features":[68]},{"name":"szOID_ECC_CURVE_SECP192K1","features":[68]},{"name":"szOID_ECC_CURVE_SECP192R1","features":[68]},{"name":"szOID_ECC_CURVE_SECP224K1","features":[68]},{"name":"szOID_ECC_CURVE_SECP224R1","features":[68]},{"name":"szOID_ECC_CURVE_SECP256K1","features":[68]},{"name":"szOID_ECC_CURVE_SECP256R1","features":[68]},{"name":"szOID_ECC_CURVE_SECP384R1","features":[68]},{"name":"szOID_ECC_CURVE_SECP521R1","features":[68]},{"name":"szOID_ECC_CURVE_WTLS12","features":[68]},{"name":"szOID_ECC_CURVE_WTLS7","features":[68]},{"name":"szOID_ECC_CURVE_WTLS9","features":[68]},{"name":"szOID_ECC_CURVE_X962P192V1","features":[68]},{"name":"szOID_ECC_CURVE_X962P192V2","features":[68]},{"name":"szOID_ECC_CURVE_X962P192V3","features":[68]},{"name":"szOID_ECC_CURVE_X962P239V1","features":[68]},{"name":"szOID_ECC_CURVE_X962P239V2","features":[68]},{"name":"szOID_ECC_CURVE_X962P239V3","features":[68]},{"name":"szOID_ECC_CURVE_X962P256V1","features":[68]},{"name":"szOID_ECC_PUBLIC_KEY","features":[68]},{"name":"szOID_ECDSA_SHA1","features":[68]},{"name":"szOID_ECDSA_SHA256","features":[68]},{"name":"szOID_ECDSA_SHA384","features":[68]},{"name":"szOID_ECDSA_SHA512","features":[68]},{"name":"szOID_ECDSA_SPECIFIED","features":[68]},{"name":"szOID_EFS_RECOVERY","features":[68]},{"name":"szOID_EMBEDDED_NT_CRYPTO","features":[68]},{"name":"szOID_ENCLAVE_SIGNING","features":[68]},{"name":"szOID_ENCRYPTED_KEY_HASH","features":[68]},{"name":"szOID_ENHANCED_KEY_USAGE","features":[68]},{"name":"szOID_ENROLLMENT_AGENT","features":[68]},{"name":"szOID_ENROLLMENT_CSP_PROVIDER","features":[68]},{"name":"szOID_ENROLLMENT_NAME_VALUE_PAIR","features":[68]},{"name":"szOID_ENROLL_AIK_INFO","features":[68]},{"name":"szOID_ENROLL_ATTESTATION_CHALLENGE","features":[68]},{"name":"szOID_ENROLL_ATTESTATION_STATEMENT","features":[68]},{"name":"szOID_ENROLL_CAXCHGCERT_HASH","features":[68]},{"name":"szOID_ENROLL_CERTTYPE_EXTENSION","features":[68]},{"name":"szOID_ENROLL_EKPUB_CHALLENGE","features":[68]},{"name":"szOID_ENROLL_EKVERIFYCERT","features":[68]},{"name":"szOID_ENROLL_EKVERIFYCREDS","features":[68]},{"name":"szOID_ENROLL_EKVERIFYKEY","features":[68]},{"name":"szOID_ENROLL_EK_CA_KEYID","features":[68]},{"name":"szOID_ENROLL_EK_INFO","features":[68]},{"name":"szOID_ENROLL_ENCRYPTION_ALGORITHM","features":[68]},{"name":"szOID_ENROLL_KEY_AFFINITY","features":[68]},{"name":"szOID_ENROLL_KSP_NAME","features":[68]},{"name":"szOID_ENROLL_SCEP_CHALLENGE_ANSWER","features":[68]},{"name":"szOID_ENROLL_SCEP_CLIENT_REQUEST","features":[68]},{"name":"szOID_ENROLL_SCEP_ERROR","features":[68]},{"name":"szOID_ENROLL_SCEP_SERVER_MESSAGE","features":[68]},{"name":"szOID_ENROLL_SCEP_SERVER_SECRET","features":[68]},{"name":"szOID_ENROLL_SCEP_SERVER_STATE","features":[68]},{"name":"szOID_ENROLL_SCEP_SIGNER_HASH","features":[68]},{"name":"szOID_ENTERPRISE_OID_ROOT","features":[68]},{"name":"szOID_EV_RDN_COUNTRY","features":[68]},{"name":"szOID_EV_RDN_LOCALE","features":[68]},{"name":"szOID_EV_RDN_STATE_OR_PROVINCE","features":[68]},{"name":"szOID_EV_WHQL_CRYPTO","features":[68]},{"name":"szOID_FACSIMILE_TELEPHONE_NUMBER","features":[68]},{"name":"szOID_FRESHEST_CRL","features":[68]},{"name":"szOID_GIVEN_NAME","features":[68]},{"name":"szOID_HPKP_DOMAIN_NAME_CTL","features":[68]},{"name":"szOID_HPKP_HEADER_VALUE_CTL","features":[68]},{"name":"szOID_INFOSEC","features":[68]},{"name":"szOID_INFOSEC_SuiteAConfidentiality","features":[68]},{"name":"szOID_INFOSEC_SuiteAIntegrity","features":[68]},{"name":"szOID_INFOSEC_SuiteAKMandSig","features":[68]},{"name":"szOID_INFOSEC_SuiteAKeyManagement","features":[68]},{"name":"szOID_INFOSEC_SuiteASignature","features":[68]},{"name":"szOID_INFOSEC_SuiteATokenProtection","features":[68]},{"name":"szOID_INFOSEC_mosaicConfidentiality","features":[68]},{"name":"szOID_INFOSEC_mosaicIntegrity","features":[68]},{"name":"szOID_INFOSEC_mosaicKMandSig","features":[68]},{"name":"szOID_INFOSEC_mosaicKMandUpdSig","features":[68]},{"name":"szOID_INFOSEC_mosaicKeyManagement","features":[68]},{"name":"szOID_INFOSEC_mosaicSignature","features":[68]},{"name":"szOID_INFOSEC_mosaicTokenProtection","features":[68]},{"name":"szOID_INFOSEC_mosaicUpdatedInteg","features":[68]},{"name":"szOID_INFOSEC_mosaicUpdatedSig","features":[68]},{"name":"szOID_INFOSEC_sdnsConfidentiality","features":[68]},{"name":"szOID_INFOSEC_sdnsIntegrity","features":[68]},{"name":"szOID_INFOSEC_sdnsKMandSig","features":[68]},{"name":"szOID_INFOSEC_sdnsKeyManagement","features":[68]},{"name":"szOID_INFOSEC_sdnsSignature","features":[68]},{"name":"szOID_INFOSEC_sdnsTokenProtection","features":[68]},{"name":"szOID_INHIBIT_ANY_POLICY","features":[68]},{"name":"szOID_INITIALS","features":[68]},{"name":"szOID_INTERNATIONALIZED_EMAIL_ADDRESS","features":[68]},{"name":"szOID_INTERNATIONAL_ISDN_NUMBER","features":[68]},{"name":"szOID_IPSEC_KP_IKE_INTERMEDIATE","features":[68]},{"name":"szOID_ISSUED_CERT_HASH","features":[68]},{"name":"szOID_ISSUER_ALT_NAME","features":[68]},{"name":"szOID_ISSUER_ALT_NAME2","features":[68]},{"name":"szOID_ISSUING_DIST_POINT","features":[68]},{"name":"szOID_IUM_SIGNING","features":[68]},{"name":"szOID_KEYID_RDN","features":[68]},{"name":"szOID_KEY_ATTRIBUTES","features":[68]},{"name":"szOID_KEY_USAGE","features":[68]},{"name":"szOID_KEY_USAGE_RESTRICTION","features":[68]},{"name":"szOID_KP_CA_EXCHANGE","features":[68]},{"name":"szOID_KP_CSP_SIGNATURE","features":[68]},{"name":"szOID_KP_CTL_USAGE_SIGNING","features":[68]},{"name":"szOID_KP_DOCUMENT_SIGNING","features":[68]},{"name":"szOID_KP_EFS","features":[68]},{"name":"szOID_KP_FLIGHT_SIGNING","features":[68]},{"name":"szOID_KP_KERNEL_MODE_CODE_SIGNING","features":[68]},{"name":"szOID_KP_KERNEL_MODE_HAL_EXTENSION_SIGNING","features":[68]},{"name":"szOID_KP_KERNEL_MODE_TRUSTED_BOOT_SIGNING","features":[68]},{"name":"szOID_KP_KEY_RECOVERY","features":[68]},{"name":"szOID_KP_KEY_RECOVERY_AGENT","features":[68]},{"name":"szOID_KP_LIFETIME_SIGNING","features":[68]},{"name":"szOID_KP_MOBILE_DEVICE_SOFTWARE","features":[68]},{"name":"szOID_KP_PRIVACY_CA","features":[68]},{"name":"szOID_KP_QUALIFIED_SUBORDINATION","features":[68]},{"name":"szOID_KP_SMARTCARD_LOGON","features":[68]},{"name":"szOID_KP_SMART_DISPLAY","features":[68]},{"name":"szOID_KP_TIME_STAMP_SIGNING","features":[68]},{"name":"szOID_KP_TPM_AIK_CERTIFICATE","features":[68]},{"name":"szOID_KP_TPM_EK_CERTIFICATE","features":[68]},{"name":"szOID_KP_TPM_PLATFORM_CERTIFICATE","features":[68]},{"name":"szOID_LEGACY_POLICY_MAPPINGS","features":[68]},{"name":"szOID_LICENSES","features":[68]},{"name":"szOID_LICENSE_SERVER","features":[68]},{"name":"szOID_LOCALITY_NAME","features":[68]},{"name":"szOID_LOCAL_MACHINE_KEYSET","features":[68]},{"name":"szOID_LOGOTYPE_EXT","features":[68]},{"name":"szOID_LOYALTY_OTHER_LOGOTYPE","features":[68]},{"name":"szOID_MEMBER","features":[68]},{"name":"szOID_MICROSOFT_PUBLISHER_SIGNER","features":[68]},{"name":"szOID_NAME_CONSTRAINTS","features":[68]},{"name":"szOID_NETSCAPE","features":[68]},{"name":"szOID_NETSCAPE_BASE_URL","features":[68]},{"name":"szOID_NETSCAPE_CA_POLICY_URL","features":[68]},{"name":"szOID_NETSCAPE_CA_REVOCATION_URL","features":[68]},{"name":"szOID_NETSCAPE_CERT_EXTENSION","features":[68]},{"name":"szOID_NETSCAPE_CERT_RENEWAL_URL","features":[68]},{"name":"szOID_NETSCAPE_CERT_SEQUENCE","features":[68]},{"name":"szOID_NETSCAPE_CERT_TYPE","features":[68]},{"name":"szOID_NETSCAPE_COMMENT","features":[68]},{"name":"szOID_NETSCAPE_DATA_TYPE","features":[68]},{"name":"szOID_NETSCAPE_REVOCATION_URL","features":[68]},{"name":"szOID_NETSCAPE_SSL_SERVER_NAME","features":[68]},{"name":"szOID_NEXT_UPDATE_LOCATION","features":[68]},{"name":"szOID_NIST_AES128_CBC","features":[68]},{"name":"szOID_NIST_AES128_WRAP","features":[68]},{"name":"szOID_NIST_AES192_CBC","features":[68]},{"name":"szOID_NIST_AES192_WRAP","features":[68]},{"name":"szOID_NIST_AES256_CBC","features":[68]},{"name":"szOID_NIST_AES256_WRAP","features":[68]},{"name":"szOID_NIST_sha256","features":[68]},{"name":"szOID_NIST_sha384","features":[68]},{"name":"szOID_NIST_sha512","features":[68]},{"name":"szOID_NT5_CRYPTO","features":[68]},{"name":"szOID_NTDS_CA_SECURITY_EXT","features":[68]},{"name":"szOID_NTDS_OBJECTSID","features":[68]},{"name":"szOID_NTDS_REPLICATION","features":[68]},{"name":"szOID_NT_PRINCIPAL_NAME","features":[68]},{"name":"szOID_OEM_WHQL_CRYPTO","features":[68]},{"name":"szOID_OIW","features":[68]},{"name":"szOID_OIWDIR","features":[68]},{"name":"szOID_OIWDIR_CRPT","features":[68]},{"name":"szOID_OIWDIR_HASH","features":[68]},{"name":"szOID_OIWDIR_SIGN","features":[68]},{"name":"szOID_OIWDIR_md2","features":[68]},{"name":"szOID_OIWDIR_md2RSA","features":[68]},{"name":"szOID_OIWSEC","features":[68]},{"name":"szOID_OIWSEC_desCBC","features":[68]},{"name":"szOID_OIWSEC_desCFB","features":[68]},{"name":"szOID_OIWSEC_desECB","features":[68]},{"name":"szOID_OIWSEC_desEDE","features":[68]},{"name":"szOID_OIWSEC_desMAC","features":[68]},{"name":"szOID_OIWSEC_desOFB","features":[68]},{"name":"szOID_OIWSEC_dhCommMod","features":[68]},{"name":"szOID_OIWSEC_dsa","features":[68]},{"name":"szOID_OIWSEC_dsaComm","features":[68]},{"name":"szOID_OIWSEC_dsaCommSHA","features":[68]},{"name":"szOID_OIWSEC_dsaCommSHA1","features":[68]},{"name":"szOID_OIWSEC_dsaSHA1","features":[68]},{"name":"szOID_OIWSEC_keyHashSeal","features":[68]},{"name":"szOID_OIWSEC_md2RSASign","features":[68]},{"name":"szOID_OIWSEC_md4RSA","features":[68]},{"name":"szOID_OIWSEC_md4RSA2","features":[68]},{"name":"szOID_OIWSEC_md5RSA","features":[68]},{"name":"szOID_OIWSEC_md5RSASign","features":[68]},{"name":"szOID_OIWSEC_mdc2","features":[68]},{"name":"szOID_OIWSEC_mdc2RSA","features":[68]},{"name":"szOID_OIWSEC_rsaSign","features":[68]},{"name":"szOID_OIWSEC_rsaXchg","features":[68]},{"name":"szOID_OIWSEC_sha","features":[68]},{"name":"szOID_OIWSEC_sha1","features":[68]},{"name":"szOID_OIWSEC_sha1RSASign","features":[68]},{"name":"szOID_OIWSEC_shaDSA","features":[68]},{"name":"szOID_OIWSEC_shaRSA","features":[68]},{"name":"szOID_ORGANIZATIONAL_UNIT_NAME","features":[68]},{"name":"szOID_ORGANIZATION_NAME","features":[68]},{"name":"szOID_OS_VERSION","features":[68]},{"name":"szOID_OWNER","features":[68]},{"name":"szOID_PHYSICAL_DELIVERY_OFFICE_NAME","features":[68]},{"name":"szOID_PIN_RULES_CTL","features":[68]},{"name":"szOID_PIN_RULES_DOMAIN_NAME","features":[68]},{"name":"szOID_PIN_RULES_EXT","features":[68]},{"name":"szOID_PIN_RULES_LOG_END_DATE_EXT","features":[68]},{"name":"szOID_PIN_RULES_SIGNER","features":[68]},{"name":"szOID_PKCS","features":[68]},{"name":"szOID_PKCS_1","features":[68]},{"name":"szOID_PKCS_10","features":[68]},{"name":"szOID_PKCS_12","features":[68]},{"name":"szOID_PKCS_12_EXTENDED_ATTRIBUTES","features":[68]},{"name":"szOID_PKCS_12_FRIENDLY_NAME_ATTR","features":[68]},{"name":"szOID_PKCS_12_KEY_PROVIDER_NAME_ATTR","features":[68]},{"name":"szOID_PKCS_12_LOCAL_KEY_ID","features":[68]},{"name":"szOID_PKCS_12_PROTECTED_PASSWORD_SECRET_BAG_TYPE_ID","features":[68]},{"name":"szOID_PKCS_12_PbeIds","features":[68]},{"name":"szOID_PKCS_12_pbeWithSHA1And128BitRC2","features":[68]},{"name":"szOID_PKCS_12_pbeWithSHA1And128BitRC4","features":[68]},{"name":"szOID_PKCS_12_pbeWithSHA1And2KeyTripleDES","features":[68]},{"name":"szOID_PKCS_12_pbeWithSHA1And3KeyTripleDES","features":[68]},{"name":"szOID_PKCS_12_pbeWithSHA1And40BitRC2","features":[68]},{"name":"szOID_PKCS_12_pbeWithSHA1And40BitRC4","features":[68]},{"name":"szOID_PKCS_2","features":[68]},{"name":"szOID_PKCS_3","features":[68]},{"name":"szOID_PKCS_4","features":[68]},{"name":"szOID_PKCS_5","features":[68]},{"name":"szOID_PKCS_5_PBES2","features":[68]},{"name":"szOID_PKCS_5_PBKDF2","features":[68]},{"name":"szOID_PKCS_6","features":[68]},{"name":"szOID_PKCS_7","features":[68]},{"name":"szOID_PKCS_7_DATA","features":[68]},{"name":"szOID_PKCS_7_DIGESTED","features":[68]},{"name":"szOID_PKCS_7_ENCRYPTED","features":[68]},{"name":"szOID_PKCS_7_ENVELOPED","features":[68]},{"name":"szOID_PKCS_7_SIGNED","features":[68]},{"name":"szOID_PKCS_7_SIGNEDANDENVELOPED","features":[68]},{"name":"szOID_PKCS_8","features":[68]},{"name":"szOID_PKCS_9","features":[68]},{"name":"szOID_PKCS_9_CONTENT_TYPE","features":[68]},{"name":"szOID_PKCS_9_MESSAGE_DIGEST","features":[68]},{"name":"szOID_PKINIT_KP_KDC","features":[68]},{"name":"szOID_PKIX","features":[68]},{"name":"szOID_PKIX_ACC_DESCR","features":[68]},{"name":"szOID_PKIX_CA_ISSUERS","features":[68]},{"name":"szOID_PKIX_CA_REPOSITORY","features":[68]},{"name":"szOID_PKIX_KP","features":[68]},{"name":"szOID_PKIX_KP_CLIENT_AUTH","features":[68]},{"name":"szOID_PKIX_KP_CODE_SIGNING","features":[68]},{"name":"szOID_PKIX_KP_EMAIL_PROTECTION","features":[68]},{"name":"szOID_PKIX_KP_IPSEC_END_SYSTEM","features":[68]},{"name":"szOID_PKIX_KP_IPSEC_TUNNEL","features":[68]},{"name":"szOID_PKIX_KP_IPSEC_USER","features":[68]},{"name":"szOID_PKIX_KP_OCSP_SIGNING","features":[68]},{"name":"szOID_PKIX_KP_SERVER_AUTH","features":[68]},{"name":"szOID_PKIX_KP_TIMESTAMP_SIGNING","features":[68]},{"name":"szOID_PKIX_NO_SIGNATURE","features":[68]},{"name":"szOID_PKIX_OCSP","features":[68]},{"name":"szOID_PKIX_OCSP_BASIC_SIGNED_RESPONSE","features":[68]},{"name":"szOID_PKIX_OCSP_NOCHECK","features":[68]},{"name":"szOID_PKIX_OCSP_NONCE","features":[68]},{"name":"szOID_PKIX_PE","features":[68]},{"name":"szOID_PKIX_POLICY_QUALIFIER_CPS","features":[68]},{"name":"szOID_PKIX_POLICY_QUALIFIER_USERNOTICE","features":[68]},{"name":"szOID_PKIX_TIME_STAMPING","features":[68]},{"name":"szOID_PLATFORM_MANIFEST_BINARY_ID","features":[68]},{"name":"szOID_POLICY_CONSTRAINTS","features":[68]},{"name":"szOID_POLICY_MAPPINGS","features":[68]},{"name":"szOID_POSTAL_ADDRESS","features":[68]},{"name":"szOID_POSTAL_CODE","features":[68]},{"name":"szOID_POST_OFFICE_BOX","features":[68]},{"name":"szOID_PREFERRED_DELIVERY_METHOD","features":[68]},{"name":"szOID_PRESENTATION_ADDRESS","features":[68]},{"name":"szOID_PRIVATEKEY_USAGE_PERIOD","features":[68]},{"name":"szOID_PRODUCT_UPDATE","features":[68]},{"name":"szOID_PROTECTED_PROCESS_LIGHT_SIGNER","features":[68]},{"name":"szOID_PROTECTED_PROCESS_SIGNER","features":[68]},{"name":"szOID_QC_EU_COMPLIANCE","features":[68]},{"name":"szOID_QC_SSCD","features":[68]},{"name":"szOID_QC_STATEMENTS_EXT","features":[68]},{"name":"szOID_RDN_DUMMY_SIGNER","features":[68]},{"name":"szOID_RDN_TCG_PLATFORM_MANUFACTURER","features":[68]},{"name":"szOID_RDN_TCG_PLATFORM_MODEL","features":[68]},{"name":"szOID_RDN_TCG_PLATFORM_VERSION","features":[68]},{"name":"szOID_RDN_TPM_MANUFACTURER","features":[68]},{"name":"szOID_RDN_TPM_MODEL","features":[68]},{"name":"szOID_RDN_TPM_VERSION","features":[68]},{"name":"szOID_REASON_CODE_HOLD","features":[68]},{"name":"szOID_REGISTERED_ADDRESS","features":[68]},{"name":"szOID_REMOVE_CERTIFICATE","features":[68]},{"name":"szOID_RENEWAL_CERTIFICATE","features":[68]},{"name":"szOID_REQUEST_CLIENT_INFO","features":[68]},{"name":"szOID_REQUIRE_CERT_CHAIN_POLICY","features":[68]},{"name":"szOID_REVOKED_LIST_SIGNER","features":[68]},{"name":"szOID_RFC3161_counterSign","features":[68]},{"name":"szOID_RFC3161v21_counterSign","features":[68]},{"name":"szOID_RFC3161v21_thumbprints","features":[68]},{"name":"szOID_ROLE_OCCUPANT","features":[68]},{"name":"szOID_ROOT_LIST_SIGNER","features":[68]},{"name":"szOID_ROOT_PROGRAM_AUTO_UPDATE_CA_REVOCATION","features":[68]},{"name":"szOID_ROOT_PROGRAM_AUTO_UPDATE_END_REVOCATION","features":[68]},{"name":"szOID_ROOT_PROGRAM_FLAGS","features":[68]},{"name":"szOID_ROOT_PROGRAM_NO_OCSP_FAILOVER_TO_CRL","features":[68]},{"name":"szOID_RSA","features":[68]},{"name":"szOID_RSAES_OAEP","features":[68]},{"name":"szOID_RSA_DES_EDE3_CBC","features":[68]},{"name":"szOID_RSA_DH","features":[68]},{"name":"szOID_RSA_ENCRYPT","features":[68]},{"name":"szOID_RSA_HASH","features":[68]},{"name":"szOID_RSA_MD2","features":[68]},{"name":"szOID_RSA_MD2RSA","features":[68]},{"name":"szOID_RSA_MD4","features":[68]},{"name":"szOID_RSA_MD4RSA","features":[68]},{"name":"szOID_RSA_MD5","features":[68]},{"name":"szOID_RSA_MD5RSA","features":[68]},{"name":"szOID_RSA_MGF1","features":[68]},{"name":"szOID_RSA_PSPECIFIED","features":[68]},{"name":"szOID_RSA_RC2CBC","features":[68]},{"name":"szOID_RSA_RC4","features":[68]},{"name":"szOID_RSA_RC5_CBCPad","features":[68]},{"name":"szOID_RSA_RSA","features":[68]},{"name":"szOID_RSA_SETOAEP_RSA","features":[68]},{"name":"szOID_RSA_SHA1RSA","features":[68]},{"name":"szOID_RSA_SHA256RSA","features":[68]},{"name":"szOID_RSA_SHA384RSA","features":[68]},{"name":"szOID_RSA_SHA512RSA","features":[68]},{"name":"szOID_RSA_SMIMECapabilities","features":[68]},{"name":"szOID_RSA_SMIMEalg","features":[68]},{"name":"szOID_RSA_SMIMEalgCMS3DESwrap","features":[68]},{"name":"szOID_RSA_SMIMEalgCMSRC2wrap","features":[68]},{"name":"szOID_RSA_SMIMEalgESDH","features":[68]},{"name":"szOID_RSA_SSA_PSS","features":[68]},{"name":"szOID_RSA_certExtensions","features":[68]},{"name":"szOID_RSA_challengePwd","features":[68]},{"name":"szOID_RSA_contentType","features":[68]},{"name":"szOID_RSA_counterSign","features":[68]},{"name":"szOID_RSA_data","features":[68]},{"name":"szOID_RSA_digestedData","features":[68]},{"name":"szOID_RSA_emailAddr","features":[68]},{"name":"szOID_RSA_encryptedData","features":[68]},{"name":"szOID_RSA_envelopedData","features":[68]},{"name":"szOID_RSA_extCertAttrs","features":[68]},{"name":"szOID_RSA_hashedData","features":[68]},{"name":"szOID_RSA_messageDigest","features":[68]},{"name":"szOID_RSA_preferSignedData","features":[68]},{"name":"szOID_RSA_signEnvData","features":[68]},{"name":"szOID_RSA_signedData","features":[68]},{"name":"szOID_RSA_signingTime","features":[68]},{"name":"szOID_RSA_unstructAddr","features":[68]},{"name":"szOID_RSA_unstructName","features":[68]},{"name":"szOID_SEARCH_GUIDE","features":[68]},{"name":"szOID_SEE_ALSO","features":[68]},{"name":"szOID_SERIALIZED","features":[68]},{"name":"szOID_SERVER_GATED_CRYPTO","features":[68]},{"name":"szOID_SGC_NETSCAPE","features":[68]},{"name":"szOID_SITE_PIN_RULES_FLAGS_ATTR","features":[68]},{"name":"szOID_SITE_PIN_RULES_INDEX_ATTR","features":[68]},{"name":"szOID_SORTED_CTL","features":[68]},{"name":"szOID_STATE_OR_PROVINCE_NAME","features":[68]},{"name":"szOID_STREET_ADDRESS","features":[68]},{"name":"szOID_SUBJECT_ALT_NAME","features":[68]},{"name":"szOID_SUBJECT_ALT_NAME2","features":[68]},{"name":"szOID_SUBJECT_DIR_ATTRS","features":[68]},{"name":"szOID_SUBJECT_INFO_ACCESS","features":[68]},{"name":"szOID_SUBJECT_KEY_IDENTIFIER","features":[68]},{"name":"szOID_SUPPORTED_APPLICATION_CONTEXT","features":[68]},{"name":"szOID_SUR_NAME","features":[68]},{"name":"szOID_SYNC_ROOT_CTL_EXT","features":[68]},{"name":"szOID_TELEPHONE_NUMBER","features":[68]},{"name":"szOID_TELETEXT_TERMINAL_IDENTIFIER","features":[68]},{"name":"szOID_TELEX_NUMBER","features":[68]},{"name":"szOID_TIMESTAMP_TOKEN","features":[68]},{"name":"szOID_TITLE","features":[68]},{"name":"szOID_TLS_FEATURES_EXT","features":[68]},{"name":"szOID_USER_CERTIFICATE","features":[68]},{"name":"szOID_USER_PASSWORD","features":[68]},{"name":"szOID_VERISIGN_BITSTRING_6_13","features":[68]},{"name":"szOID_VERISIGN_ISS_STRONG_CRYPTO","features":[68]},{"name":"szOID_VERISIGN_ONSITE_JURISDICTION_HASH","features":[68]},{"name":"szOID_VERISIGN_PRIVATE_6_9","features":[68]},{"name":"szOID_WHQL_CRYPTO","features":[68]},{"name":"szOID_WINDOWS_KITS_SIGNER","features":[68]},{"name":"szOID_WINDOWS_RT_SIGNER","features":[68]},{"name":"szOID_WINDOWS_SOFTWARE_EXTENSION_SIGNER","features":[68]},{"name":"szOID_WINDOWS_STORE_SIGNER","features":[68]},{"name":"szOID_WINDOWS_TCB_SIGNER","features":[68]},{"name":"szOID_WINDOWS_THIRD_PARTY_COMPONENT_SIGNER","features":[68]},{"name":"szOID_X21_ADDRESS","features":[68]},{"name":"szOID_X957","features":[68]},{"name":"szOID_X957_DSA","features":[68]},{"name":"szOID_X957_SHA1DSA","features":[68]},{"name":"szOID_YESNO_TRUST_ATTR","features":[68]},{"name":"szPRIV_KEY_CACHE_MAX_ITEMS","features":[68]},{"name":"szPRIV_KEY_CACHE_PURGE_INTERVAL_SECONDS","features":[68]},{"name":"sz_CERT_STORE_PROV_COLLECTION","features":[68]},{"name":"sz_CERT_STORE_PROV_FILENAME","features":[68]},{"name":"sz_CERT_STORE_PROV_FILENAME_W","features":[68]},{"name":"sz_CERT_STORE_PROV_LDAP","features":[68]},{"name":"sz_CERT_STORE_PROV_LDAP_W","features":[68]},{"name":"sz_CERT_STORE_PROV_MEMORY","features":[68]},{"name":"sz_CERT_STORE_PROV_PHYSICAL","features":[68]},{"name":"sz_CERT_STORE_PROV_PHYSICAL_W","features":[68]},{"name":"sz_CERT_STORE_PROV_PKCS12","features":[68]},{"name":"sz_CERT_STORE_PROV_PKCS7","features":[68]},{"name":"sz_CERT_STORE_PROV_SERIALIZED","features":[68]},{"name":"sz_CERT_STORE_PROV_SMART_CARD","features":[68]},{"name":"sz_CERT_STORE_PROV_SMART_CARD_W","features":[68]},{"name":"sz_CERT_STORE_PROV_SYSTEM","features":[68]},{"name":"sz_CERT_STORE_PROV_SYSTEM_REGISTRY","features":[68]},{"name":"sz_CERT_STORE_PROV_SYSTEM_REGISTRY_W","features":[68]},{"name":"sz_CERT_STORE_PROV_SYSTEM_W","features":[68]},{"name":"wszURI_CANONICALIZATION_C14N","features":[68]},{"name":"wszURI_CANONICALIZATION_C14NC","features":[68]},{"name":"wszURI_CANONICALIZATION_EXSLUSIVE_C14N","features":[68]},{"name":"wszURI_CANONICALIZATION_EXSLUSIVE_C14NC","features":[68]},{"name":"wszURI_NTDS_OBJECTSID_PREFIX","features":[68]},{"name":"wszURI_TRANSFORM_XPATH","features":[68]},{"name":"wszURI_XMLNS_DIGSIG_BASE64","features":[68]},{"name":"wszURI_XMLNS_DIGSIG_DSA_SHA1","features":[68]},{"name":"wszURI_XMLNS_DIGSIG_ECDSA_SHA1","features":[68]},{"name":"wszURI_XMLNS_DIGSIG_ECDSA_SHA256","features":[68]},{"name":"wszURI_XMLNS_DIGSIG_ECDSA_SHA384","features":[68]},{"name":"wszURI_XMLNS_DIGSIG_ECDSA_SHA512","features":[68]},{"name":"wszURI_XMLNS_DIGSIG_HMAC_SHA1","features":[68]},{"name":"wszURI_XMLNS_DIGSIG_HMAC_SHA256","features":[68]},{"name":"wszURI_XMLNS_DIGSIG_HMAC_SHA384","features":[68]},{"name":"wszURI_XMLNS_DIGSIG_HMAC_SHA512","features":[68]},{"name":"wszURI_XMLNS_DIGSIG_RSA_SHA1","features":[68]},{"name":"wszURI_XMLNS_DIGSIG_RSA_SHA256","features":[68]},{"name":"wszURI_XMLNS_DIGSIG_RSA_SHA384","features":[68]},{"name":"wszURI_XMLNS_DIGSIG_RSA_SHA512","features":[68]},{"name":"wszURI_XMLNS_DIGSIG_SHA1","features":[68]},{"name":"wszURI_XMLNS_DIGSIG_SHA256","features":[68]},{"name":"wszURI_XMLNS_DIGSIG_SHA384","features":[68]},{"name":"wszURI_XMLNS_DIGSIG_SHA512","features":[68]},{"name":"wszURI_XMLNS_TRANSFORM_BASE64","features":[68]},{"name":"wszURI_XMLNS_TRANSFORM_ENVELOPED","features":[68]},{"name":"wszXMLNS_DIGSIG","features":[68]},{"name":"wszXMLNS_DIGSIG_Id","features":[68]},{"name":"wszXMLNS_DIGSIG_SignatureProperties","features":[68]}],"488":[{"name":"CATALOG_INFO","features":[121]},{"name":"CRYPTCATATTRIBUTE","features":[121]},{"name":"CRYPTCATCDF","features":[1,121]},{"name":"CRYPTCATMEMBER","features":[1,121,122]},{"name":"CRYPTCATSTORE","features":[1,121]},{"name":"CRYPTCAT_ADDCATALOG_HARDLINK","features":[121]},{"name":"CRYPTCAT_ADDCATALOG_NONE","features":[121]},{"name":"CRYPTCAT_ATTR_AUTHENTICATED","features":[121]},{"name":"CRYPTCAT_ATTR_DATAASCII","features":[121]},{"name":"CRYPTCAT_ATTR_DATABASE64","features":[121]},{"name":"CRYPTCAT_ATTR_DATAREPLACE","features":[121]},{"name":"CRYPTCAT_ATTR_NAMEASCII","features":[121]},{"name":"CRYPTCAT_ATTR_NAMEOBJID","features":[121]},{"name":"CRYPTCAT_ATTR_NO_AUTO_COMPAT_ENTRY","features":[121]},{"name":"CRYPTCAT_ATTR_UNAUTHENTICATED","features":[121]},{"name":"CRYPTCAT_E_AREA_ATTRIBUTE","features":[121]},{"name":"CRYPTCAT_E_AREA_HEADER","features":[121]},{"name":"CRYPTCAT_E_AREA_MEMBER","features":[121]},{"name":"CRYPTCAT_E_CDF_ATTR_TOOFEWVALUES","features":[121]},{"name":"CRYPTCAT_E_CDF_ATTR_TYPECOMBO","features":[121]},{"name":"CRYPTCAT_E_CDF_BAD_GUID_CONV","features":[121]},{"name":"CRYPTCAT_E_CDF_DUPLICATE","features":[121]},{"name":"CRYPTCAT_E_CDF_MEMBER_FILENOTFOUND","features":[121]},{"name":"CRYPTCAT_E_CDF_MEMBER_FILE_PATH","features":[121]},{"name":"CRYPTCAT_E_CDF_MEMBER_INDIRECTDATA","features":[121]},{"name":"CRYPTCAT_E_CDF_TAGNOTFOUND","features":[121]},{"name":"CRYPTCAT_E_CDF_UNSUPPORTED","features":[121]},{"name":"CRYPTCAT_FILEEXT","features":[121]},{"name":"CRYPTCAT_MAX_MEMBERTAG","features":[121]},{"name":"CRYPTCAT_MEMBER_SORTED","features":[121]},{"name":"CRYPTCAT_OPEN_ALWAYS","features":[121]},{"name":"CRYPTCAT_OPEN_CREATENEW","features":[121]},{"name":"CRYPTCAT_OPEN_EXCLUDE_PAGE_HASHES","features":[121]},{"name":"CRYPTCAT_OPEN_EXISTING","features":[121]},{"name":"CRYPTCAT_OPEN_FLAGS","features":[121]},{"name":"CRYPTCAT_OPEN_FLAGS_MASK","features":[121]},{"name":"CRYPTCAT_OPEN_INCLUDE_PAGE_HASHES","features":[121]},{"name":"CRYPTCAT_OPEN_NO_CONTENT_HCRYPTMSG","features":[121]},{"name":"CRYPTCAT_OPEN_SORTED","features":[121]},{"name":"CRYPTCAT_OPEN_VERIFYSIGHASH","features":[121]},{"name":"CRYPTCAT_VERSION","features":[121]},{"name":"CRYPTCAT_VERSION_1","features":[121]},{"name":"CRYPTCAT_VERSION_2","features":[121]},{"name":"CryptCATAdminAcquireContext","features":[1,121]},{"name":"CryptCATAdminAcquireContext2","features":[1,121]},{"name":"CryptCATAdminAddCatalog","features":[121]},{"name":"CryptCATAdminCalcHashFromFileHandle","features":[1,121]},{"name":"CryptCATAdminCalcHashFromFileHandle2","features":[1,121]},{"name":"CryptCATAdminEnumCatalogFromHash","features":[121]},{"name":"CryptCATAdminPauseServiceForBackup","features":[1,121]},{"name":"CryptCATAdminReleaseCatalogContext","features":[1,121]},{"name":"CryptCATAdminReleaseContext","features":[1,121]},{"name":"CryptCATAdminRemoveCatalog","features":[1,121]},{"name":"CryptCATAdminResolveCatalogPath","features":[1,121]},{"name":"CryptCATAllocSortedMemberInfo","features":[1,121,122]},{"name":"CryptCATCDFClose","features":[1,121]},{"name":"CryptCATCDFEnumAttributes","features":[1,121,122]},{"name":"CryptCATCDFEnumCatAttributes","features":[1,121]},{"name":"CryptCATCDFEnumMembers","features":[1,121,122]},{"name":"CryptCATCDFOpen","features":[1,121]},{"name":"CryptCATCatalogInfoFromContext","features":[1,121]},{"name":"CryptCATClose","features":[1,121]},{"name":"CryptCATEnumerateAttr","features":[1,121,122]},{"name":"CryptCATEnumerateCatAttr","features":[1,121]},{"name":"CryptCATEnumerateMember","features":[1,121,122]},{"name":"CryptCATFreeSortedMemberInfo","features":[1,121,122]},{"name":"CryptCATGetAttrInfo","features":[1,121,122]},{"name":"CryptCATGetCatAttrInfo","features":[1,121]},{"name":"CryptCATGetMemberInfo","features":[1,121,122]},{"name":"CryptCATHandleFromStore","features":[1,121]},{"name":"CryptCATOpen","features":[1,121]},{"name":"CryptCATPersistStore","features":[1,121]},{"name":"CryptCATPutAttrInfo","features":[1,121,122]},{"name":"CryptCATPutCatAttrInfo","features":[1,121]},{"name":"CryptCATPutMemberInfo","features":[1,121,122]},{"name":"CryptCATStoreFromHandle","features":[1,121]},{"name":"IsCatalogFile","features":[1,121]},{"name":"MS_ADDINFO_CATALOGMEMBER","features":[1,121,122]},{"name":"PFN_CDF_PARSE_ERROR_CALLBACK","features":[121]},{"name":"szOID_CATALOG_LIST","features":[121]},{"name":"szOID_CATALOG_LIST_MEMBER","features":[121]},{"name":"szOID_CATALOG_LIST_MEMBER2","features":[121]}],"489":[{"name":"ADDED_CERT_TYPE","features":[123]},{"name":"AlgorithmFlags","features":[123]},{"name":"AlgorithmFlagsNone","features":[123]},{"name":"AlgorithmFlagsWrap","features":[123]},{"name":"AlgorithmOperationFlags","features":[123]},{"name":"AlgorithmType","features":[123]},{"name":"AllowNoOutstandingRequest","features":[123]},{"name":"AllowNone","features":[123]},{"name":"AllowUntrustedCertificate","features":[123]},{"name":"AllowUntrustedRoot","features":[123]},{"name":"AllowedKeySignature","features":[123]},{"name":"AllowedNullSignature","features":[123]},{"name":"AlternativeNameType","features":[123]},{"name":"CAIF_DSENTRY","features":[123]},{"name":"CAIF_LOCAL","features":[123]},{"name":"CAIF_REGISTRY","features":[123]},{"name":"CAIF_REGISTRYPARENT","features":[123]},{"name":"CAIF_SHAREDFOLDERENTRY","features":[123]},{"name":"CAINFO","features":[123]},{"name":"CAPATHLENGTH_INFINITE","features":[123]},{"name":"CAPropCertificate","features":[123]},{"name":"CAPropCertificateTypes","features":[123]},{"name":"CAPropCommonName","features":[123]},{"name":"CAPropDNSName","features":[123]},{"name":"CAPropDescription","features":[123]},{"name":"CAPropDistinguishedName","features":[123]},{"name":"CAPropRenewalOnly","features":[123]},{"name":"CAPropSanitizedName","features":[123]},{"name":"CAPropSanitizedShortName","features":[123]},{"name":"CAPropSecurity","features":[123]},{"name":"CAPropSiteName","features":[123]},{"name":"CAPropWebServers","features":[123]},{"name":"CA_ACCESS_ADMIN","features":[123]},{"name":"CA_ACCESS_AUDITOR","features":[123]},{"name":"CA_ACCESS_ENROLL","features":[123]},{"name":"CA_ACCESS_MASKROLES","features":[123]},{"name":"CA_ACCESS_OFFICER","features":[123]},{"name":"CA_ACCESS_OPERATOR","features":[123]},{"name":"CA_ACCESS_READ","features":[123]},{"name":"CA_CRL_BASE","features":[123]},{"name":"CA_CRL_DELTA","features":[123]},{"name":"CA_CRL_REPUBLISH","features":[123]},{"name":"CA_DISP_ERROR","features":[123]},{"name":"CA_DISP_INCOMPLETE","features":[123]},{"name":"CA_DISP_INVALID","features":[123]},{"name":"CA_DISP_REVOKED","features":[123]},{"name":"CA_DISP_UNDER_SUBMISSION","features":[123]},{"name":"CA_DISP_VALID","features":[123]},{"name":"CAlternativeName","features":[123]},{"name":"CAlternativeNames","features":[123]},{"name":"CBinaryConverter","features":[123]},{"name":"CCLOCKSKEWMINUTESDEFAULT","features":[123]},{"name":"CC_DEFAULTCONFIG","features":[123]},{"name":"CC_FIRSTCONFIG","features":[123]},{"name":"CC_LOCALACTIVECONFIG","features":[123]},{"name":"CC_LOCALCONFIG","features":[123]},{"name":"CC_UIPICKCONFIG","features":[123]},{"name":"CC_UIPICKCONFIGSKIPLOCALCA","features":[123]},{"name":"CCertAdmin","features":[123]},{"name":"CCertConfig","features":[123]},{"name":"CCertEncodeAltName","features":[123]},{"name":"CCertEncodeBitString","features":[123]},{"name":"CCertEncodeCRLDistInfo","features":[123]},{"name":"CCertEncodeDateArray","features":[123]},{"name":"CCertEncodeLongArray","features":[123]},{"name":"CCertEncodeStringArray","features":[123]},{"name":"CCertGetConfig","features":[123]},{"name":"CCertProperties","features":[123]},{"name":"CCertProperty","features":[123]},{"name":"CCertPropertyArchived","features":[123]},{"name":"CCertPropertyArchivedKeyHash","features":[123]},{"name":"CCertPropertyAutoEnroll","features":[123]},{"name":"CCertPropertyBackedUp","features":[123]},{"name":"CCertPropertyDescription","features":[123]},{"name":"CCertPropertyEnrollment","features":[123]},{"name":"CCertPropertyEnrollmentPolicyServer","features":[123]},{"name":"CCertPropertyFriendlyName","features":[123]},{"name":"CCertPropertyKeyProvInfo","features":[123]},{"name":"CCertPropertyRenewal","features":[123]},{"name":"CCertPropertyRequestOriginator","features":[123]},{"name":"CCertPropertySHA1Hash","features":[123]},{"name":"CCertRequest","features":[123]},{"name":"CCertServerExit","features":[123]},{"name":"CCertServerPolicy","features":[123]},{"name":"CCertView","features":[123]},{"name":"CCertificateAttestationChallenge","features":[123]},{"name":"CCertificatePolicies","features":[123]},{"name":"CCertificatePolicy","features":[123]},{"name":"CCryptAttribute","features":[123]},{"name":"CCryptAttributes","features":[123]},{"name":"CCspInformation","features":[123]},{"name":"CCspInformations","features":[123]},{"name":"CCspStatus","features":[123]},{"name":"CDR_EXPIRED","features":[123]},{"name":"CDR_REQUEST_LAST_CHANGED","features":[123]},{"name":"CERTADMIN_GET_ROLES_FLAGS","features":[123]},{"name":"CERTENROLL_INDEX_BASE","features":[123]},{"name":"CERTENROLL_OBJECTID","features":[123]},{"name":"CERTENROLL_PROPERTYID","features":[123]},{"name":"CERTTRANSBLOB","features":[123]},{"name":"CERTVIEWRESTRICTION","features":[123]},{"name":"CERT_ALT_NAME","features":[123]},{"name":"CERT_ALT_NAME_DIRECTORY_NAME","features":[123]},{"name":"CERT_ALT_NAME_DNS_NAME","features":[123]},{"name":"CERT_ALT_NAME_IP_ADDRESS","features":[123]},{"name":"CERT_ALT_NAME_OTHER_NAME","features":[123]},{"name":"CERT_ALT_NAME_REGISTERED_ID","features":[123]},{"name":"CERT_ALT_NAME_RFC822_NAME","features":[123]},{"name":"CERT_ALT_NAME_URL","features":[123]},{"name":"CERT_CREATE_REQUEST_FLAGS","features":[123]},{"name":"CERT_DELETE_ROW_FLAGS","features":[123]},{"name":"CERT_EXIT_EVENT_MASK","features":[123]},{"name":"CERT_GET_CONFIG_FLAGS","features":[123]},{"name":"CERT_IMPORT_FLAGS","features":[123]},{"name":"CERT_PROPERTY_TYPE","features":[123]},{"name":"CERT_REQUEST_OUT_TYPE","features":[123]},{"name":"CERT_VIEW_COLUMN_INDEX","features":[123]},{"name":"CERT_VIEW_SEEK_OPERATOR_FLAGS","features":[123]},{"name":"CEnroll","features":[123]},{"name":"CEnroll2","features":[123]},{"name":"CMM_READONLY","features":[123]},{"name":"CMM_REFRESHONLY","features":[123]},{"name":"CObjectId","features":[123]},{"name":"CObjectIds","features":[123]},{"name":"CPF_BADURL_ERROR","features":[123]},{"name":"CPF_BASE","features":[123]},{"name":"CPF_CASTORE_ERROR","features":[123]},{"name":"CPF_COMPLETE","features":[123]},{"name":"CPF_DELTA","features":[123]},{"name":"CPF_FILE_ERROR","features":[123]},{"name":"CPF_FTP_ERROR","features":[123]},{"name":"CPF_HTTP_ERROR","features":[123]},{"name":"CPF_LDAP_ERROR","features":[123]},{"name":"CPF_MANUAL","features":[123]},{"name":"CPF_POSTPONED_BASE_FILE_ERROR","features":[123]},{"name":"CPF_POSTPONED_BASE_LDAP_ERROR","features":[123]},{"name":"CPF_SHADOW","features":[123]},{"name":"CPF_SIGNATURE_ERROR","features":[123]},{"name":"CPolicyQualifier","features":[123]},{"name":"CPolicyQualifiers","features":[123]},{"name":"CRLF_ALLOW_REQUEST_ATTRIBUTE_SUBJECT","features":[123]},{"name":"CRLF_BUILD_ROOTCA_CRLENTRIES_BASEDONKEY","features":[123]},{"name":"CRLF_CRLNUMBER_CRITICAL","features":[123]},{"name":"CRLF_DELETE_EXPIRED_CRLS","features":[123]},{"name":"CRLF_DELTA_USE_OLDEST_UNEXPIRED_BASE","features":[123]},{"name":"CRLF_DISABLE_CHAIN_VERIFICATION","features":[123]},{"name":"CRLF_DISABLE_RDN_REORDER","features":[123]},{"name":"CRLF_DISABLE_ROOT_CROSS_CERTS","features":[123]},{"name":"CRLF_ENFORCE_ENROLLMENT_AGENT","features":[123]},{"name":"CRLF_IGNORE_CROSS_CERT_TRUST_ERROR","features":[123]},{"name":"CRLF_IGNORE_INVALID_POLICIES","features":[123]},{"name":"CRLF_IGNORE_UNKNOWN_CMC_ATTRIBUTES","features":[123]},{"name":"CRLF_LOG_FULL_RESPONSE","features":[123]},{"name":"CRLF_PRESERVE_EXPIRED_CA_CERTS","features":[123]},{"name":"CRLF_PRESERVE_REVOKED_CA_CERTS","features":[123]},{"name":"CRLF_PUBLISH_EXPIRED_CERT_CRLS","features":[123]},{"name":"CRLF_REBUILD_MODIFIED_SUBJECT_ONLY","features":[123]},{"name":"CRLF_REVCHECK_IGNORE_NOREVCHECK","features":[123]},{"name":"CRLF_REVCHECK_IGNORE_OFFLINE","features":[123]},{"name":"CRLF_SAVE_FAILED_CERTS","features":[123]},{"name":"CRLF_USE_CROSS_CERT_TEMPLATE","features":[123]},{"name":"CRLF_USE_XCHG_CERT_TEMPLATE","features":[123]},{"name":"CRLRevocationReason","features":[123]},{"name":"CRYPT_ENUM_ALL_PROVIDERS","features":[123]},{"name":"CR_DISP","features":[123]},{"name":"CR_DISP_DENIED","features":[123]},{"name":"CR_DISP_ERROR","features":[123]},{"name":"CR_DISP_INCOMPLETE","features":[123]},{"name":"CR_DISP_ISSUED","features":[123]},{"name":"CR_DISP_ISSUED_OUT_OF_BAND","features":[123]},{"name":"CR_DISP_REVOKED","features":[123]},{"name":"CR_DISP_UNDER_SUBMISSION","features":[123]},{"name":"CR_FLG_CACROSSCERT","features":[123]},{"name":"CR_FLG_CAXCHGCERT","features":[123]},{"name":"CR_FLG_CHALLENGEPENDING","features":[123]},{"name":"CR_FLG_CHALLENGESATISFIED","features":[123]},{"name":"CR_FLG_DEFINEDCACERT","features":[123]},{"name":"CR_FLG_ENFORCEUTF8","features":[123]},{"name":"CR_FLG_ENROLLONBEHALFOF","features":[123]},{"name":"CR_FLG_FORCETELETEX","features":[123]},{"name":"CR_FLG_FORCEUTF8","features":[123]},{"name":"CR_FLG_PUBLISHERROR","features":[123]},{"name":"CR_FLG_RENEWAL","features":[123]},{"name":"CR_FLG_SUBJECTUNMODIFIED","features":[123]},{"name":"CR_FLG_TRUSTEKCERT","features":[123]},{"name":"CR_FLG_TRUSTEKKEY","features":[123]},{"name":"CR_FLG_TRUSTONUSE","features":[123]},{"name":"CR_FLG_VALIDENCRYPTEDKEYHASH","features":[123]},{"name":"CR_GEMT_DEFAULT","features":[123]},{"name":"CR_GEMT_HRESULT_STRING","features":[123]},{"name":"CR_GEMT_HTTP_ERROR","features":[123]},{"name":"CR_IN_BASE64","features":[123]},{"name":"CR_IN_BASE64HEADER","features":[123]},{"name":"CR_IN_BINARY","features":[123]},{"name":"CR_IN_CERTIFICATETRANSPARENCY","features":[123]},{"name":"CR_IN_CHALLENGERESPONSE","features":[123]},{"name":"CR_IN_CLIENTIDNONE","features":[123]},{"name":"CR_IN_CMC","features":[123]},{"name":"CR_IN_CONNECTONLY","features":[123]},{"name":"CR_IN_CRLS","features":[123]},{"name":"CR_IN_ENCODEANY","features":[123]},{"name":"CR_IN_ENCODEMASK","features":[123]},{"name":"CR_IN_FORMATANY","features":[123]},{"name":"CR_IN_FORMATMASK","features":[123]},{"name":"CR_IN_FULLRESPONSE","features":[123]},{"name":"CR_IN_HTTP","features":[123]},{"name":"CR_IN_KEYGEN","features":[123]},{"name":"CR_IN_MACHINE","features":[123]},{"name":"CR_IN_PKCS10","features":[123]},{"name":"CR_IN_PKCS7","features":[123]},{"name":"CR_IN_RETURNCHALLENGE","features":[123]},{"name":"CR_IN_ROBO","features":[123]},{"name":"CR_IN_RPC","features":[123]},{"name":"CR_IN_SCEP","features":[123]},{"name":"CR_IN_SCEPPOST","features":[123]},{"name":"CR_IN_SIGNEDCERTIFICATETIMESTAMPLIST","features":[123]},{"name":"CR_OUT_BASE64","features":[123]},{"name":"CR_OUT_BASE64HEADER","features":[123]},{"name":"CR_OUT_BASE64REQUESTHEADER","features":[123]},{"name":"CR_OUT_BASE64X509CRLHEADER","features":[123]},{"name":"CR_OUT_BINARY","features":[123]},{"name":"CR_OUT_CHAIN","features":[123]},{"name":"CR_OUT_CRLS","features":[123]},{"name":"CR_OUT_ENCODEMASK","features":[123]},{"name":"CR_OUT_HEX","features":[123]},{"name":"CR_OUT_HEXADDR","features":[123]},{"name":"CR_OUT_HEXASCII","features":[123]},{"name":"CR_OUT_HEXASCIIADDR","features":[123]},{"name":"CR_OUT_HEXRAW","features":[123]},{"name":"CR_OUT_NOCR","features":[123]},{"name":"CR_OUT_NOCRLF","features":[123]},{"name":"CR_PROP_ADVANCEDSERVER","features":[123]},{"name":"CR_PROP_BASECRL","features":[123]},{"name":"CR_PROP_BASECRLPUBLISHSTATUS","features":[123]},{"name":"CR_PROP_CABACKWARDCROSSCERT","features":[123]},{"name":"CR_PROP_CABACKWARDCROSSCERTSTATE","features":[123]},{"name":"CR_PROP_CACERTSTATE","features":[123]},{"name":"CR_PROP_CACERTSTATUSCODE","features":[123]},{"name":"CR_PROP_CACERTVERSION","features":[123]},{"name":"CR_PROP_CAFORWARDCROSSCERT","features":[123]},{"name":"CR_PROP_CAFORWARDCROSSCERTSTATE","features":[123]},{"name":"CR_PROP_CANAME","features":[123]},{"name":"CR_PROP_CAPROPIDMAX","features":[123]},{"name":"CR_PROP_CASIGCERT","features":[123]},{"name":"CR_PROP_CASIGCERTCHAIN","features":[123]},{"name":"CR_PROP_CASIGCERTCOUNT","features":[123]},{"name":"CR_PROP_CASIGCERTCRLCHAIN","features":[123]},{"name":"CR_PROP_CATYPE","features":[123]},{"name":"CR_PROP_CAXCHGCERT","features":[123]},{"name":"CR_PROP_CAXCHGCERTCHAIN","features":[123]},{"name":"CR_PROP_CAXCHGCERTCOUNT","features":[123]},{"name":"CR_PROP_CAXCHGCERTCRLCHAIN","features":[123]},{"name":"CR_PROP_CERTAIAOCSPURLS","features":[123]},{"name":"CR_PROP_CERTAIAURLS","features":[123]},{"name":"CR_PROP_CERTCDPURLS","features":[123]},{"name":"CR_PROP_CRLSTATE","features":[123]},{"name":"CR_PROP_DELTACRL","features":[123]},{"name":"CR_PROP_DELTACRLPUBLISHSTATUS","features":[123]},{"name":"CR_PROP_DNSNAME","features":[123]},{"name":"CR_PROP_EXITCOUNT","features":[123]},{"name":"CR_PROP_EXITDESCRIPTION","features":[123]},{"name":"CR_PROP_FILEVERSION","features":[123]},{"name":"CR_PROP_KRACERT","features":[123]},{"name":"CR_PROP_KRACERTCOUNT","features":[123]},{"name":"CR_PROP_KRACERTSTATE","features":[123]},{"name":"CR_PROP_KRACERTUSEDCOUNT","features":[123]},{"name":"CR_PROP_LOCALENAME","features":[123]},{"name":"CR_PROP_NONE","features":[123]},{"name":"CR_PROP_PARENTCA","features":[123]},{"name":"CR_PROP_POLICYDESCRIPTION","features":[123]},{"name":"CR_PROP_PRODUCTVERSION","features":[123]},{"name":"CR_PROP_ROLESEPARATIONENABLED","features":[123]},{"name":"CR_PROP_SANITIZEDCANAME","features":[123]},{"name":"CR_PROP_SANITIZEDCASHORTNAME","features":[123]},{"name":"CR_PROP_SCEPMAX","features":[123]},{"name":"CR_PROP_SCEPMIN","features":[123]},{"name":"CR_PROP_SCEPSERVERCAPABILITIES","features":[123]},{"name":"CR_PROP_SCEPSERVERCERTS","features":[123]},{"name":"CR_PROP_SCEPSERVERCERTSCHAIN","features":[123]},{"name":"CR_PROP_SHAREDFOLDER","features":[123]},{"name":"CR_PROP_SUBJECTTEMPLATE_OIDS","features":[123]},{"name":"CR_PROP_TEMPLATES","features":[123]},{"name":"CSBACKUP_DISABLE_INCREMENTAL","features":[123]},{"name":"CSBACKUP_TYPE","features":[123]},{"name":"CSBACKUP_TYPE_FULL","features":[123]},{"name":"CSBACKUP_TYPE_LOGS_ONLY","features":[123]},{"name":"CSBACKUP_TYPE_MASK","features":[123]},{"name":"CSBFT_DATABASE_DIRECTORY","features":[123]},{"name":"CSBFT_DIRECTORY","features":[123]},{"name":"CSBFT_LOG_DIRECTORY","features":[123]},{"name":"CSCONTROL_RESTART","features":[123]},{"name":"CSCONTROL_SHUTDOWN","features":[123]},{"name":"CSCONTROL_SUSPEND","features":[123]},{"name":"CSEDB_RSTMAPW","features":[123]},{"name":"CSRESTORE_TYPE_CATCHUP","features":[123]},{"name":"CSRESTORE_TYPE_FULL","features":[123]},{"name":"CSRESTORE_TYPE_MASK","features":[123]},{"name":"CSRESTORE_TYPE_ONLINE","features":[123]},{"name":"CSURL_ADDTOCERTCDP","features":[123]},{"name":"CSURL_ADDTOCERTOCSP","features":[123]},{"name":"CSURL_ADDTOCRLCDP","features":[123]},{"name":"CSURL_ADDTOFRESHESTCRL","features":[123]},{"name":"CSURL_ADDTOIDP","features":[123]},{"name":"CSURL_PUBLISHRETRY","features":[123]},{"name":"CSURL_SERVERPUBLISH","features":[123]},{"name":"CSURL_SERVERPUBLISHDELTA","features":[123]},{"name":"CSVER_MAJOR","features":[123]},{"name":"CSVER_MAJOR_LONGHORN","features":[123]},{"name":"CSVER_MAJOR_THRESHOLD","features":[123]},{"name":"CSVER_MAJOR_WHISTLER","features":[123]},{"name":"CSVER_MAJOR_WIN2K","features":[123]},{"name":"CSVER_MAJOR_WIN7","features":[123]},{"name":"CSVER_MAJOR_WIN8","features":[123]},{"name":"CSVER_MAJOR_WINBLUE","features":[123]},{"name":"CSVER_MINOR","features":[123]},{"name":"CSVER_MINOR_LONGHORN_BETA1","features":[123]},{"name":"CSVER_MINOR_THRESHOLD","features":[123]},{"name":"CSVER_MINOR_WHISTLER_BETA2","features":[123]},{"name":"CSVER_MINOR_WHISTLER_BETA3","features":[123]},{"name":"CSVER_MINOR_WIN2K","features":[123]},{"name":"CSVER_MINOR_WIN7","features":[123]},{"name":"CSVER_MINOR_WIN8","features":[123]},{"name":"CSVER_MINOR_WINBLUE","features":[123]},{"name":"CSignerCertificate","features":[123]},{"name":"CSmimeCapabilities","features":[123]},{"name":"CSmimeCapability","features":[123]},{"name":"CVIEWAGEMINUTESDEFAULT","features":[123]},{"name":"CVRC_COLUMN","features":[123]},{"name":"CVRC_COLUMN_MASK","features":[123]},{"name":"CVRC_COLUMN_RESULT","features":[123]},{"name":"CVRC_COLUMN_SCHEMA","features":[123]},{"name":"CVRC_COLUMN_VALUE","features":[123]},{"name":"CVRC_TABLE","features":[123]},{"name":"CVRC_TABLE_ATTRIBUTES","features":[123]},{"name":"CVRC_TABLE_CRL","features":[123]},{"name":"CVRC_TABLE_EXTENSIONS","features":[123]},{"name":"CVRC_TABLE_MASK","features":[123]},{"name":"CVRC_TABLE_REQCERT","features":[123]},{"name":"CVRC_TABLE_SHIFT","features":[123]},{"name":"CVR_SEEK_EQ","features":[123]},{"name":"CVR_SEEK_GE","features":[123]},{"name":"CVR_SEEK_GT","features":[123]},{"name":"CVR_SEEK_LE","features":[123]},{"name":"CVR_SEEK_LT","features":[123]},{"name":"CVR_SEEK_MASK","features":[123]},{"name":"CVR_SEEK_NODELTA","features":[123]},{"name":"CVR_SEEK_NONE","features":[123]},{"name":"CVR_SORT_ASCEND","features":[123]},{"name":"CVR_SORT_DESCEND","features":[123]},{"name":"CVR_SORT_NONE","features":[123]},{"name":"CV_COLUMN_ATTRIBUTE_DEFAULT","features":[123]},{"name":"CV_COLUMN_CRL_DEFAULT","features":[123]},{"name":"CV_COLUMN_EXTENSION_DEFAULT","features":[123]},{"name":"CV_COLUMN_LOG_DEFAULT","features":[123]},{"name":"CV_COLUMN_LOG_FAILED_DEFAULT","features":[123]},{"name":"CV_COLUMN_LOG_REVOKED_DEFAULT","features":[123]},{"name":"CV_COLUMN_QUEUE_DEFAULT","features":[123]},{"name":"CV_OUT_BASE64","features":[123]},{"name":"CV_OUT_BASE64HEADER","features":[123]},{"name":"CV_OUT_BASE64REQUESTHEADER","features":[123]},{"name":"CV_OUT_BASE64X509CRLHEADER","features":[123]},{"name":"CV_OUT_BINARY","features":[123]},{"name":"CV_OUT_ENCODEMASK","features":[123]},{"name":"CV_OUT_HEX","features":[123]},{"name":"CV_OUT_HEXADDR","features":[123]},{"name":"CV_OUT_HEXASCII","features":[123]},{"name":"CV_OUT_HEXASCIIADDR","features":[123]},{"name":"CV_OUT_HEXRAW","features":[123]},{"name":"CV_OUT_NOCR","features":[123]},{"name":"CV_OUT_NOCRLF","features":[123]},{"name":"CX500DistinguishedName","features":[123]},{"name":"CX509Attribute","features":[123]},{"name":"CX509AttributeArchiveKey","features":[123]},{"name":"CX509AttributeArchiveKeyHash","features":[123]},{"name":"CX509AttributeClientId","features":[123]},{"name":"CX509AttributeCspProvider","features":[123]},{"name":"CX509AttributeExtensions","features":[123]},{"name":"CX509AttributeOSVersion","features":[123]},{"name":"CX509AttributeRenewalCertificate","features":[123]},{"name":"CX509Attributes","features":[123]},{"name":"CX509CertificateRequestCertificate","features":[123]},{"name":"CX509CertificateRequestCmc","features":[123]},{"name":"CX509CertificateRequestPkcs10","features":[123]},{"name":"CX509CertificateRequestPkcs7","features":[123]},{"name":"CX509CertificateRevocationList","features":[123]},{"name":"CX509CertificateRevocationListEntries","features":[123]},{"name":"CX509CertificateRevocationListEntry","features":[123]},{"name":"CX509CertificateTemplateADWritable","features":[123]},{"name":"CX509EndorsementKey","features":[123]},{"name":"CX509Enrollment","features":[123]},{"name":"CX509EnrollmentHelper","features":[123]},{"name":"CX509EnrollmentPolicyActiveDirectory","features":[123]},{"name":"CX509EnrollmentPolicyWebService","features":[123]},{"name":"CX509EnrollmentWebClassFactory","features":[123]},{"name":"CX509Extension","features":[123]},{"name":"CX509ExtensionAlternativeNames","features":[123]},{"name":"CX509ExtensionAuthorityKeyIdentifier","features":[123]},{"name":"CX509ExtensionBasicConstraints","features":[123]},{"name":"CX509ExtensionCertificatePolicies","features":[123]},{"name":"CX509ExtensionEnhancedKeyUsage","features":[123]},{"name":"CX509ExtensionKeyUsage","features":[123]},{"name":"CX509ExtensionMSApplicationPolicies","features":[123]},{"name":"CX509ExtensionSmimeCapabilities","features":[123]},{"name":"CX509ExtensionSubjectKeyIdentifier","features":[123]},{"name":"CX509ExtensionTemplate","features":[123]},{"name":"CX509ExtensionTemplateName","features":[123]},{"name":"CX509Extensions","features":[123]},{"name":"CX509MachineEnrollmentFactory","features":[123]},{"name":"CX509NameValuePair","features":[123]},{"name":"CX509PolicyServerListManager","features":[123]},{"name":"CX509PolicyServerUrl","features":[123]},{"name":"CX509PrivateKey","features":[123]},{"name":"CX509PublicKey","features":[123]},{"name":"CX509SCEPEnrollment","features":[123]},{"name":"CX509SCEPEnrollmentHelper","features":[123]},{"name":"CertSrvBackupClose","features":[123]},{"name":"CertSrvBackupEnd","features":[123]},{"name":"CertSrvBackupFree","features":[123]},{"name":"CertSrvBackupGetBackupLogsW","features":[123]},{"name":"CertSrvBackupGetDatabaseNamesW","features":[123]},{"name":"CertSrvBackupGetDynamicFileListW","features":[123]},{"name":"CertSrvBackupOpenFileW","features":[123]},{"name":"CertSrvBackupPrepareW","features":[123]},{"name":"CertSrvBackupRead","features":[123]},{"name":"CertSrvBackupTruncateLogs","features":[123]},{"name":"CertSrvIsServerOnlineW","features":[1,123]},{"name":"CertSrvRestoreEnd","features":[123]},{"name":"CertSrvRestoreGetDatabaseLocationsW","features":[123]},{"name":"CertSrvRestorePrepareW","features":[123]},{"name":"CertSrvRestoreRegisterComplete","features":[123]},{"name":"CertSrvRestoreRegisterThroughFile","features":[123]},{"name":"CertSrvRestoreRegisterW","features":[123]},{"name":"CertSrvServerControlW","features":[123]},{"name":"ClientIdAutoEnroll","features":[123]},{"name":"ClientIdAutoEnroll2003","features":[123]},{"name":"ClientIdCertReq","features":[123]},{"name":"ClientIdCertReq2003","features":[123]},{"name":"ClientIdDefaultRequest","features":[123]},{"name":"ClientIdEOBO","features":[123]},{"name":"ClientIdNone","features":[123]},{"name":"ClientIdRequestWizard","features":[123]},{"name":"ClientIdTest","features":[123]},{"name":"ClientIdUserStart","features":[123]},{"name":"ClientIdWinRT","features":[123]},{"name":"ClientIdWizard2003","features":[123]},{"name":"ClientIdXEnroll2003","features":[123]},{"name":"CommitFlagDeleteTemplate","features":[123]},{"name":"CommitFlagSaveTemplateGenerateOID","features":[123]},{"name":"CommitFlagSaveTemplateOverwrite","features":[123]},{"name":"CommitFlagSaveTemplateUseCurrentOID","features":[123]},{"name":"CommitTemplateFlags","features":[123]},{"name":"ContextAdministratorForceMachine","features":[123]},{"name":"ContextMachine","features":[123]},{"name":"ContextNone","features":[123]},{"name":"ContextUser","features":[123]},{"name":"DBFLAGS_CHECKPOINTDEPTH60MB","features":[123]},{"name":"DBFLAGS_CIRCULARLOGGING","features":[123]},{"name":"DBFLAGS_CREATEIFNEEDED","features":[123]},{"name":"DBFLAGS_DISABLESNAPSHOTBACKUP","features":[123]},{"name":"DBFLAGS_ENABLEVOLATILEREQUESTS","features":[123]},{"name":"DBFLAGS_LAZYFLUSH","features":[123]},{"name":"DBFLAGS_LOGBUFFERSHUGE","features":[123]},{"name":"DBFLAGS_LOGBUFFERSLARGE","features":[123]},{"name":"DBFLAGS_LOGFILESIZE16MB","features":[123]},{"name":"DBFLAGS_MAXCACHESIZEX100","features":[123]},{"name":"DBFLAGS_MULTITHREADTRANSACTIONS","features":[123]},{"name":"DBFLAGS_READONLY","features":[123]},{"name":"DBG_CERTSRV","features":[123]},{"name":"DBSESSIONCOUNTDEFAULT","features":[123]},{"name":"DB_DISP_ACTIVE","features":[123]},{"name":"DB_DISP_CA_CERT","features":[123]},{"name":"DB_DISP_CA_CERT_CHAIN","features":[123]},{"name":"DB_DISP_DENIED","features":[123]},{"name":"DB_DISP_ERROR","features":[123]},{"name":"DB_DISP_FOREIGN","features":[123]},{"name":"DB_DISP_ISSUED","features":[123]},{"name":"DB_DISP_KRA_CERT","features":[123]},{"name":"DB_DISP_LOG_FAILED_MIN","features":[123]},{"name":"DB_DISP_LOG_MIN","features":[123]},{"name":"DB_DISP_PENDING","features":[123]},{"name":"DB_DISP_QUEUE_MAX","features":[123]},{"name":"DB_DISP_REVOKED","features":[123]},{"name":"DefaultNone","features":[123]},{"name":"DefaultPolicyServer","features":[123]},{"name":"DelayRetryAction","features":[123]},{"name":"DelayRetryLong","features":[123]},{"name":"DelayRetryNone","features":[123]},{"name":"DelayRetryPastSuccess","features":[123]},{"name":"DelayRetryShort","features":[123]},{"name":"DelayRetrySuccess","features":[123]},{"name":"DelayRetryUnknown","features":[123]},{"name":"DisableGroupPolicyList","features":[123]},{"name":"DisableUserServerList","features":[123]},{"name":"DisplayNo","features":[123]},{"name":"DisplayYes","features":[123]},{"name":"EANR_SUPPRESS_IA5CONVERSION","features":[123]},{"name":"EAN_NAMEOBJECTID","features":[123]},{"name":"EDITF_ADDOLDCERTTYPE","features":[123]},{"name":"EDITF_ADDOLDKEYUSAGE","features":[123]},{"name":"EDITF_ATTRIBUTECA","features":[123]},{"name":"EDITF_ATTRIBUTEEKU","features":[123]},{"name":"EDITF_ATTRIBUTEENDDATE","features":[123]},{"name":"EDITF_ATTRIBUTESUBJECTALTNAME2","features":[123]},{"name":"EDITF_AUDITCERTTEMPLATELOAD","features":[123]},{"name":"EDITF_BASICCONSTRAINTSCA","features":[123]},{"name":"EDITF_BASICCONSTRAINTSCRITICAL","features":[123]},{"name":"EDITF_DISABLEEXTENSIONLIST","features":[123]},{"name":"EDITF_DISABLELDAPPACKAGELIST","features":[123]},{"name":"EDITF_DISABLEOLDOSCNUPN","features":[123]},{"name":"EDITF_EMAILOPTIONAL","features":[123]},{"name":"EDITF_ENABLEAKICRITICAL","features":[123]},{"name":"EDITF_ENABLEAKIISSUERNAME","features":[123]},{"name":"EDITF_ENABLEAKIISSUERSERIAL","features":[123]},{"name":"EDITF_ENABLEAKIKEYID","features":[123]},{"name":"EDITF_ENABLECHASECLIENTDC","features":[123]},{"name":"EDITF_ENABLEDEFAULTSMIME","features":[123]},{"name":"EDITF_ENABLEKEYENCIPHERMENTCACERT","features":[123]},{"name":"EDITF_ENABLELDAPREFERRALS","features":[123]},{"name":"EDITF_ENABLEOCSPREVNOCHECK","features":[123]},{"name":"EDITF_ENABLERENEWONBEHALFOF","features":[123]},{"name":"EDITF_ENABLEREQUESTEXTENSIONS","features":[123]},{"name":"EDITF_ENABLEUPNMAP","features":[123]},{"name":"EDITF_IGNOREREQUESTERGROUP","features":[123]},{"name":"EDITF_REQUESTEXTENSIONLIST","features":[123]},{"name":"EDITF_SERVERUPGRADED","features":[123]},{"name":"ENUMEXT_OBJECTID","features":[123]},{"name":"ENUM_CATYPES","features":[123]},{"name":"ENUM_CERT_COLUMN_VALUE_FLAGS","features":[123]},{"name":"ENUM_ENTERPRISE_ROOTCA","features":[123]},{"name":"ENUM_ENTERPRISE_SUBCA","features":[123]},{"name":"ENUM_STANDALONE_ROOTCA","features":[123]},{"name":"ENUM_STANDALONE_SUBCA","features":[123]},{"name":"ENUM_UNKNOWN_CA","features":[123]},{"name":"EXITEVENT_CERTDENIED","features":[123]},{"name":"EXITEVENT_CERTIMPORTED","features":[123]},{"name":"EXITEVENT_CERTISSUED","features":[123]},{"name":"EXITEVENT_CERTPENDING","features":[123]},{"name":"EXITEVENT_CERTRETRIEVEPENDING","features":[123]},{"name":"EXITEVENT_CERTREVOKED","features":[123]},{"name":"EXITEVENT_CRLISSUED","features":[123]},{"name":"EXITEVENT_INVALID","features":[123]},{"name":"EXITEVENT_SHUTDOWN","features":[123]},{"name":"EXITEVENT_STARTUP","features":[123]},{"name":"EXITPUB_ACTIVEDIRECTORY","features":[123]},{"name":"EXITPUB_DEFAULT_ENTERPRISE","features":[123]},{"name":"EXITPUB_DEFAULT_STANDALONE","features":[123]},{"name":"EXITPUB_FILE","features":[123]},{"name":"EXITPUB_REMOVEOLDCERTS","features":[123]},{"name":"EXTENSION_CRITICAL_FLAG","features":[123]},{"name":"EXTENSION_DELETE_FLAG","features":[123]},{"name":"EXTENSION_DISABLE_FLAG","features":[123]},{"name":"EXTENSION_ORIGIN_ADMIN","features":[123]},{"name":"EXTENSION_ORIGIN_CACERT","features":[123]},{"name":"EXTENSION_ORIGIN_CMC","features":[123]},{"name":"EXTENSION_ORIGIN_IMPORTEDCERT","features":[123]},{"name":"EXTENSION_ORIGIN_MASK","features":[123]},{"name":"EXTENSION_ORIGIN_PKCS7","features":[123]},{"name":"EXTENSION_ORIGIN_POLICY","features":[123]},{"name":"EXTENSION_ORIGIN_RENEWALCERT","features":[123]},{"name":"EXTENSION_ORIGIN_REQUEST","features":[123]},{"name":"EXTENSION_ORIGIN_SERVER","features":[123]},{"name":"EXTENSION_POLICY_MASK","features":[123]},{"name":"EncodingType","features":[123]},{"name":"EnrollDenied","features":[123]},{"name":"EnrollError","features":[123]},{"name":"EnrollPended","features":[123]},{"name":"EnrollPrompt","features":[123]},{"name":"EnrollSkipped","features":[123]},{"name":"EnrollUIDeferredEnrollmentRequired","features":[123]},{"name":"EnrollUnknown","features":[123]},{"name":"Enrolled","features":[123]},{"name":"EnrollmentAddOCSPNoCheck","features":[123]},{"name":"EnrollmentAddTemplateName","features":[123]},{"name":"EnrollmentAllowEnrollOnBehalfOf","features":[123]},{"name":"EnrollmentAutoEnrollment","features":[123]},{"name":"EnrollmentAutoEnrollmentCheckUserDSCertificate","features":[123]},{"name":"EnrollmentCAProperty","features":[123]},{"name":"EnrollmentCertificateIssuancePoliciesFromRequest","features":[123]},{"name":"EnrollmentDisplayStatus","features":[123]},{"name":"EnrollmentDomainAuthenticationNotRequired","features":[123]},{"name":"EnrollmentEnrollStatus","features":[123]},{"name":"EnrollmentIncludeBasicConstraintsForEECerts","features":[123]},{"name":"EnrollmentIncludeSymmetricAlgorithms","features":[123]},{"name":"EnrollmentNoRevocationInfoInCerts","features":[123]},{"name":"EnrollmentPendAllRequests","features":[123]},{"name":"EnrollmentPolicyFlags","features":[123]},{"name":"EnrollmentPolicyServerPropertyFlags","features":[123]},{"name":"EnrollmentPreviousApprovalKeyBasedValidateReenrollment","features":[123]},{"name":"EnrollmentPreviousApprovalValidateReenrollment","features":[123]},{"name":"EnrollmentPublishToDS","features":[123]},{"name":"EnrollmentPublishToKRAContainer","features":[123]},{"name":"EnrollmentRemoveInvalidCertificateFromPersonalStore","features":[123]},{"name":"EnrollmentReuseKeyOnFullSmartCard","features":[123]},{"name":"EnrollmentSelectionStatus","features":[123]},{"name":"EnrollmentSkipAutoRenewal","features":[123]},{"name":"EnrollmentTemplateProperty","features":[123]},{"name":"EnrollmentUserInteractionRequired","features":[123]},{"name":"ExportCAs","features":[123]},{"name":"ExportOIDs","features":[123]},{"name":"ExportTemplates","features":[123]},{"name":"FNCERTSRVBACKUPCLOSE","features":[123]},{"name":"FNCERTSRVBACKUPEND","features":[123]},{"name":"FNCERTSRVBACKUPFREE","features":[123]},{"name":"FNCERTSRVBACKUPGETBACKUPLOGSW","features":[123]},{"name":"FNCERTSRVBACKUPGETDATABASENAMESW","features":[123]},{"name":"FNCERTSRVBACKUPGETDYNAMICFILELISTW","features":[123]},{"name":"FNCERTSRVBACKUPOPENFILEW","features":[123]},{"name":"FNCERTSRVBACKUPPREPAREW","features":[123]},{"name":"FNCERTSRVBACKUPREAD","features":[123]},{"name":"FNCERTSRVBACKUPTRUNCATELOGS","features":[123]},{"name":"FNCERTSRVISSERVERONLINEW","features":[1,123]},{"name":"FNCERTSRVRESTOREEND","features":[123]},{"name":"FNCERTSRVRESTOREGETDATABASELOCATIONSW","features":[123]},{"name":"FNCERTSRVRESTOREPREPAREW","features":[123]},{"name":"FNCERTSRVRESTOREREGISTERCOMPLETE","features":[123]},{"name":"FNCERTSRVRESTOREREGISTERW","features":[123]},{"name":"FNCERTSRVSERVERCONTROLW","features":[123]},{"name":"FNIMPORTPFXTOPROVIDER","features":[1,123]},{"name":"FNIMPORTPFXTOPROVIDERFREEDATA","features":[1,123]},{"name":"FR_PROP_ATTESTATIONCHALLENGE","features":[123]},{"name":"FR_PROP_ATTESTATIONPROVIDERNAME","features":[123]},{"name":"FR_PROP_BODYPARTSTRING","features":[123]},{"name":"FR_PROP_CAEXCHANGECERTIFICATE","features":[123]},{"name":"FR_PROP_CAEXCHANGECERTIFICATECHAIN","features":[123]},{"name":"FR_PROP_CAEXCHANGECERTIFICATECRLCHAIN","features":[123]},{"name":"FR_PROP_CAEXCHANGECERTIFICATEHASH","features":[123]},{"name":"FR_PROP_CLAIMCHALLENGE","features":[123]},{"name":"FR_PROP_ENCRYPTEDKEYHASH","features":[123]},{"name":"FR_PROP_FAILINFO","features":[123]},{"name":"FR_PROP_FULLRESPONSE","features":[123]},{"name":"FR_PROP_FULLRESPONSENOPKCS7","features":[123]},{"name":"FR_PROP_ISSUEDCERTIFICATE","features":[123]},{"name":"FR_PROP_ISSUEDCERTIFICATECHAIN","features":[123]},{"name":"FR_PROP_ISSUEDCERTIFICATECRLCHAIN","features":[123]},{"name":"FR_PROP_ISSUEDCERTIFICATEHASH","features":[123]},{"name":"FR_PROP_NONE","features":[123]},{"name":"FR_PROP_OTHERINFOCHOICE","features":[123]},{"name":"FR_PROP_PENDINFOTIME","features":[123]},{"name":"FR_PROP_PENDINFOTOKEN","features":[123]},{"name":"FR_PROP_STATUS","features":[123]},{"name":"FR_PROP_STATUSINFOCOUNT","features":[123]},{"name":"FR_PROP_STATUSSTRING","features":[123]},{"name":"FULL_RESPONSE_PROPERTY_ID","features":[123]},{"name":"GeneralCA","features":[123]},{"name":"GeneralCrossCA","features":[123]},{"name":"GeneralDefault","features":[123]},{"name":"GeneralDonotPersist","features":[123]},{"name":"GeneralMachineType","features":[123]},{"name":"GeneralModified","features":[123]},{"name":"IAlternativeName","features":[123]},{"name":"IAlternativeNames","features":[123]},{"name":"IBinaryConverter","features":[123]},{"name":"IBinaryConverter2","features":[123]},{"name":"ICEnroll","features":[123]},{"name":"ICEnroll2","features":[123]},{"name":"ICEnroll3","features":[123]},{"name":"ICEnroll4","features":[123]},{"name":"ICF_ALLOWFOREIGN","features":[123]},{"name":"ICF_EXISTINGROW","features":[123]},{"name":"ICertAdmin","features":[123]},{"name":"ICertAdmin2","features":[123]},{"name":"ICertConfig","features":[123]},{"name":"ICertConfig2","features":[123]},{"name":"ICertEncodeAltName","features":[123]},{"name":"ICertEncodeAltName2","features":[123]},{"name":"ICertEncodeBitString","features":[123]},{"name":"ICertEncodeBitString2","features":[123]},{"name":"ICertEncodeCRLDistInfo","features":[123]},{"name":"ICertEncodeCRLDistInfo2","features":[123]},{"name":"ICertEncodeDateArray","features":[123]},{"name":"ICertEncodeDateArray2","features":[123]},{"name":"ICertEncodeLongArray","features":[123]},{"name":"ICertEncodeLongArray2","features":[123]},{"name":"ICertEncodeStringArray","features":[123]},{"name":"ICertEncodeStringArray2","features":[123]},{"name":"ICertExit","features":[123]},{"name":"ICertExit2","features":[123]},{"name":"ICertGetConfig","features":[123]},{"name":"ICertManageModule","features":[123]},{"name":"ICertPolicy","features":[123]},{"name":"ICertPolicy2","features":[123]},{"name":"ICertProperties","features":[123]},{"name":"ICertProperty","features":[123]},{"name":"ICertPropertyArchived","features":[123]},{"name":"ICertPropertyArchivedKeyHash","features":[123]},{"name":"ICertPropertyAutoEnroll","features":[123]},{"name":"ICertPropertyBackedUp","features":[123]},{"name":"ICertPropertyDescription","features":[123]},{"name":"ICertPropertyEnrollment","features":[123]},{"name":"ICertPropertyEnrollmentPolicyServer","features":[123]},{"name":"ICertPropertyFriendlyName","features":[123]},{"name":"ICertPropertyKeyProvInfo","features":[123]},{"name":"ICertPropertyRenewal","features":[123]},{"name":"ICertPropertyRequestOriginator","features":[123]},{"name":"ICertPropertySHA1Hash","features":[123]},{"name":"ICertRequest","features":[123]},{"name":"ICertRequest2","features":[123]},{"name":"ICertRequest3","features":[123]},{"name":"ICertRequestD","features":[123]},{"name":"ICertRequestD2","features":[123]},{"name":"ICertServerExit","features":[123]},{"name":"ICertServerPolicy","features":[123]},{"name":"ICertView","features":[123]},{"name":"ICertView2","features":[123]},{"name":"ICertificateAttestationChallenge","features":[123]},{"name":"ICertificateAttestationChallenge2","features":[123]},{"name":"ICertificatePolicies","features":[123]},{"name":"ICertificatePolicy","features":[123]},{"name":"ICertificationAuthorities","features":[123]},{"name":"ICertificationAuthority","features":[123]},{"name":"ICryptAttribute","features":[123]},{"name":"ICryptAttributes","features":[123]},{"name":"ICspAlgorithm","features":[123]},{"name":"ICspAlgorithms","features":[123]},{"name":"ICspInformation","features":[123]},{"name":"ICspInformations","features":[123]},{"name":"ICspStatus","features":[123]},{"name":"ICspStatuses","features":[123]},{"name":"IEnroll","features":[123]},{"name":"IEnroll2","features":[123]},{"name":"IEnroll4","features":[123]},{"name":"IEnumCERTVIEWATTRIBUTE","features":[123]},{"name":"IEnumCERTVIEWCOLUMN","features":[123]},{"name":"IEnumCERTVIEWEXTENSION","features":[123]},{"name":"IEnumCERTVIEWROW","features":[123]},{"name":"IF_ENABLEADMINASAUDITOR","features":[123]},{"name":"IF_ENABLEEXITKEYRETRIEVAL","features":[123]},{"name":"IF_ENFORCEENCRYPTICERTADMIN","features":[123]},{"name":"IF_ENFORCEENCRYPTICERTREQUEST","features":[123]},{"name":"IF_LOCKICERTREQUEST","features":[123]},{"name":"IF_NOLOCALICERTADMIN","features":[123]},{"name":"IF_NOLOCALICERTADMINBACKUP","features":[123]},{"name":"IF_NOLOCALICERTREQUEST","features":[123]},{"name":"IF_NOREMOTEICERTADMIN","features":[123]},{"name":"IF_NOREMOTEICERTADMINBACKUP","features":[123]},{"name":"IF_NOREMOTEICERTREQUEST","features":[123]},{"name":"IF_NORPCICERTREQUEST","features":[123]},{"name":"IF_NOSNAPSHOTBACKUP","features":[123]},{"name":"IKF_OVERWRITE","features":[123]},{"name":"INDESPolicy","features":[123]},{"name":"IOCSPAdmin","features":[123]},{"name":"IOCSPCAConfiguration","features":[123]},{"name":"IOCSPCAConfigurationCollection","features":[123]},{"name":"IOCSPProperty","features":[123]},{"name":"IOCSPPropertyCollection","features":[123]},{"name":"IObjectId","features":[123]},{"name":"IObjectIds","features":[123]},{"name":"IPolicyQualifier","features":[123]},{"name":"IPolicyQualifiers","features":[123]},{"name":"ISSCERT_DEFAULT_DS","features":[123]},{"name":"ISSCERT_DEFAULT_NODS","features":[123]},{"name":"ISSCERT_ENABLE","features":[123]},{"name":"ISSCERT_FILEURL_OLD","features":[123]},{"name":"ISSCERT_FTPURL_OLD","features":[123]},{"name":"ISSCERT_HTTPURL_OLD","features":[123]},{"name":"ISSCERT_LDAPURL_OLD","features":[123]},{"name":"ISSCERT_URLMASK_OLD","features":[123]},{"name":"ISignerCertificate","features":[123]},{"name":"ISignerCertificates","features":[123]},{"name":"ISmimeCapabilities","features":[123]},{"name":"ISmimeCapability","features":[123]},{"name":"IX500DistinguishedName","features":[123]},{"name":"IX509Attribute","features":[123]},{"name":"IX509AttributeArchiveKey","features":[123]},{"name":"IX509AttributeArchiveKeyHash","features":[123]},{"name":"IX509AttributeClientId","features":[123]},{"name":"IX509AttributeCspProvider","features":[123]},{"name":"IX509AttributeExtensions","features":[123]},{"name":"IX509AttributeOSVersion","features":[123]},{"name":"IX509AttributeRenewalCertificate","features":[123]},{"name":"IX509Attributes","features":[123]},{"name":"IX509CertificateRequest","features":[123]},{"name":"IX509CertificateRequestCertificate","features":[123]},{"name":"IX509CertificateRequestCertificate2","features":[123]},{"name":"IX509CertificateRequestCmc","features":[123]},{"name":"IX509CertificateRequestCmc2","features":[123]},{"name":"IX509CertificateRequestPkcs10","features":[123]},{"name":"IX509CertificateRequestPkcs10V2","features":[123]},{"name":"IX509CertificateRequestPkcs10V3","features":[123]},{"name":"IX509CertificateRequestPkcs10V4","features":[123]},{"name":"IX509CertificateRequestPkcs7","features":[123]},{"name":"IX509CertificateRequestPkcs7V2","features":[123]},{"name":"IX509CertificateRevocationList","features":[123]},{"name":"IX509CertificateRevocationListEntries","features":[123]},{"name":"IX509CertificateRevocationListEntry","features":[123]},{"name":"IX509CertificateTemplate","features":[123]},{"name":"IX509CertificateTemplateWritable","features":[123]},{"name":"IX509CertificateTemplates","features":[123]},{"name":"IX509EndorsementKey","features":[123]},{"name":"IX509Enrollment","features":[123]},{"name":"IX509Enrollment2","features":[123]},{"name":"IX509EnrollmentHelper","features":[123]},{"name":"IX509EnrollmentPolicyServer","features":[123]},{"name":"IX509EnrollmentStatus","features":[123]},{"name":"IX509EnrollmentWebClassFactory","features":[123]},{"name":"IX509Extension","features":[123]},{"name":"IX509ExtensionAlternativeNames","features":[123]},{"name":"IX509ExtensionAuthorityKeyIdentifier","features":[123]},{"name":"IX509ExtensionBasicConstraints","features":[123]},{"name":"IX509ExtensionCertificatePolicies","features":[123]},{"name":"IX509ExtensionEnhancedKeyUsage","features":[123]},{"name":"IX509ExtensionKeyUsage","features":[123]},{"name":"IX509ExtensionMSApplicationPolicies","features":[123]},{"name":"IX509ExtensionSmimeCapabilities","features":[123]},{"name":"IX509ExtensionSubjectKeyIdentifier","features":[123]},{"name":"IX509ExtensionTemplate","features":[123]},{"name":"IX509ExtensionTemplateName","features":[123]},{"name":"IX509Extensions","features":[123]},{"name":"IX509MachineEnrollmentFactory","features":[123]},{"name":"IX509NameValuePair","features":[123]},{"name":"IX509NameValuePairs","features":[123]},{"name":"IX509PolicyServerListManager","features":[123]},{"name":"IX509PolicyServerUrl","features":[123]},{"name":"IX509PrivateKey","features":[123]},{"name":"IX509PrivateKey2","features":[123]},{"name":"IX509PublicKey","features":[123]},{"name":"IX509SCEPEnrollment","features":[123]},{"name":"IX509SCEPEnrollment2","features":[123]},{"name":"IX509SCEPEnrollmentHelper","features":[123]},{"name":"IX509SignatureInformation","features":[123]},{"name":"ImportExportable","features":[123]},{"name":"ImportExportableEncrypted","features":[123]},{"name":"ImportForceOverwrite","features":[123]},{"name":"ImportInstallCertificate","features":[123]},{"name":"ImportInstallChain","features":[123]},{"name":"ImportInstallChainAndRoot","features":[123]},{"name":"ImportMachineContext","features":[123]},{"name":"ImportNoUserProtected","features":[123]},{"name":"ImportNone","features":[123]},{"name":"ImportPFXFlags","features":[123]},{"name":"ImportSaveProperties","features":[123]},{"name":"ImportSilent","features":[123]},{"name":"ImportUserProtected","features":[123]},{"name":"ImportUserProtectedHigh","features":[123]},{"name":"InheritDefault","features":[123]},{"name":"InheritExtensionsFlag","features":[123]},{"name":"InheritKeyMask","features":[123]},{"name":"InheritNewDefaultKey","features":[123]},{"name":"InheritNewSimilarKey","features":[123]},{"name":"InheritNone","features":[123]},{"name":"InheritPrivateKey","features":[123]},{"name":"InheritPublicKey","features":[123]},{"name":"InheritRenewalCertificateFlag","features":[123]},{"name":"InheritReserved80000000","features":[123]},{"name":"InheritSubjectAltNameFlag","features":[123]},{"name":"InheritSubjectFlag","features":[123]},{"name":"InheritTemplateFlag","features":[123]},{"name":"InheritValidityPeriodFlag","features":[123]},{"name":"InnerRequestLevel","features":[123]},{"name":"InstallResponseRestrictionFlags","features":[123]},{"name":"KRAF_DISABLEUSEDEFAULTPROVIDER","features":[123]},{"name":"KRAF_ENABLEARCHIVEALL","features":[123]},{"name":"KRAF_ENABLEFOREIGN","features":[123]},{"name":"KRAF_SAVEBADREQUESTKEY","features":[123]},{"name":"KRA_DISP_EXPIRED","features":[123]},{"name":"KRA_DISP_INVALID","features":[123]},{"name":"KRA_DISP_NOTFOUND","features":[123]},{"name":"KRA_DISP_NOTLOADED","features":[123]},{"name":"KRA_DISP_REVOKED","features":[123]},{"name":"KRA_DISP_UNTRUSTED","features":[123]},{"name":"KRA_DISP_VALID","features":[123]},{"name":"KR_ENABLE_MACHINE","features":[123]},{"name":"KR_ENABLE_USER","features":[123]},{"name":"KeyAttestationClaimType","features":[123]},{"name":"KeyIdentifierHashAlgorithm","features":[123]},{"name":"LDAPF_SIGNDISABLE","features":[123]},{"name":"LDAPF_SSLENABLE","features":[123]},{"name":"LevelInnermost","features":[123]},{"name":"LevelNext","features":[123]},{"name":"LevelSafe","features":[123]},{"name":"LevelUnsafe","features":[123]},{"name":"LoadOptionCacheOnly","features":[123]},{"name":"LoadOptionDefault","features":[123]},{"name":"LoadOptionRegisterForADChanges","features":[123]},{"name":"LoadOptionReload","features":[123]},{"name":"OCSPAdmin","features":[123]},{"name":"OCSPPropertyCollection","features":[123]},{"name":"OCSPRequestFlag","features":[123]},{"name":"OCSPSigningFlag","features":[123]},{"name":"OCSP_RF_REJECT_SIGNED_REQUESTS","features":[123]},{"name":"OCSP_SF_ALLOW_NONCE_EXTENSION","features":[123]},{"name":"OCSP_SF_ALLOW_SIGNINGCERT_AUTOENROLLMENT","features":[123]},{"name":"OCSP_SF_ALLOW_SIGNINGCERT_AUTORENEWAL","features":[123]},{"name":"OCSP_SF_AUTODISCOVER_SIGNINGCERT","features":[123]},{"name":"OCSP_SF_FORCE_SIGNINGCERT_ISSUER_ISCA","features":[123]},{"name":"OCSP_SF_MANUAL_ASSIGN_SIGNINGCERT","features":[123]},{"name":"OCSP_SF_RESPONDER_ID_KEYHASH","features":[123]},{"name":"OCSP_SF_RESPONDER_ID_NAME","features":[123]},{"name":"OCSP_SF_SILENT","features":[123]},{"name":"OCSP_SF_USE_CACERT","features":[123]},{"name":"ObjectIdGroupId","features":[123]},{"name":"ObjectIdPublicKeyFlags","features":[123]},{"name":"PENDING_REQUEST_DESIRED_PROPERTY","features":[123]},{"name":"PFXExportChainNoRoot","features":[123]},{"name":"PFXExportChainWithRoot","features":[123]},{"name":"PFXExportEEOnly","features":[123]},{"name":"PFXExportOptions","features":[123]},{"name":"PROCFLG_ENFORCEGOODKEYS","features":[123]},{"name":"PROCFLG_NONE","features":[123]},{"name":"PROPCALLER_ADMIN","features":[123]},{"name":"PROPCALLER_EXIT","features":[123]},{"name":"PROPCALLER_MASK","features":[123]},{"name":"PROPCALLER_POLICY","features":[123]},{"name":"PROPCALLER_REQUEST","features":[123]},{"name":"PROPCALLER_SERVER","features":[123]},{"name":"PROPFLAGS_INDEXED","features":[123]},{"name":"PROPTYPE_BINARY","features":[123]},{"name":"PROPTYPE_DATE","features":[123]},{"name":"PROPTYPE_LONG","features":[123]},{"name":"PROPTYPE_MASK","features":[123]},{"name":"PROPTYPE_STRING","features":[123]},{"name":"Pkcs10AllowedSignatureTypes","features":[123]},{"name":"PolicyQualifierType","features":[123]},{"name":"PolicyQualifierTypeFlags","features":[123]},{"name":"PolicyQualifierTypeUnknown","features":[123]},{"name":"PolicyQualifierTypeUrl","features":[123]},{"name":"PolicyQualifierTypeUserNotice","features":[123]},{"name":"PolicyServerUrlFlags","features":[123]},{"name":"PolicyServerUrlPropertyID","features":[123]},{"name":"PrivateKeyAttestMask","features":[123]},{"name":"PrivateKeyAttestNone","features":[123]},{"name":"PrivateKeyAttestPreferred","features":[123]},{"name":"PrivateKeyAttestRequired","features":[123]},{"name":"PrivateKeyAttestWithoutPolicy","features":[123]},{"name":"PrivateKeyClientVersionMask","features":[123]},{"name":"PrivateKeyClientVersionShift","features":[123]},{"name":"PrivateKeyEKTrustOnUse","features":[123]},{"name":"PrivateKeyEKValidateCert","features":[123]},{"name":"PrivateKeyEKValidateKey","features":[123]},{"name":"PrivateKeyExportable","features":[123]},{"name":"PrivateKeyHelloKspKey","features":[123]},{"name":"PrivateKeyHelloLogonKey","features":[123]},{"name":"PrivateKeyRequireAlternateSignatureAlgorithm","features":[123]},{"name":"PrivateKeyRequireArchival","features":[123]},{"name":"PrivateKeyRequireSameKeyRenewal","features":[123]},{"name":"PrivateKeyRequireStrongKeyProtection","features":[123]},{"name":"PrivateKeyServerVersionMask","features":[123]},{"name":"PrivateKeyServerVersionShift","features":[123]},{"name":"PrivateKeyUseLegacyProvider","features":[123]},{"name":"PsFriendlyName","features":[123]},{"name":"PsPolicyID","features":[123]},{"name":"PsfAllowUnTrustedCA","features":[123]},{"name":"PsfAutoEnrollmentEnabled","features":[123]},{"name":"PsfLocationGroupPolicy","features":[123]},{"name":"PsfLocationRegistry","features":[123]},{"name":"PsfNone","features":[123]},{"name":"PsfUseClientId","features":[123]},{"name":"PstAcquirePrivateKey","features":[1,123]},{"name":"PstGetCertificateChain","features":[1,23,123]},{"name":"PstGetCertificates","features":[1,123]},{"name":"PstGetTrustAnchors","features":[1,23,123]},{"name":"PstGetTrustAnchorsEx","features":[1,23,123]},{"name":"PstGetUserNameForCertificate","features":[1,123]},{"name":"PstMapCertificate","features":[1,23,123]},{"name":"PstValidate","features":[1,123]},{"name":"REQDISP_DEFAULT_ENTERPRISE","features":[123]},{"name":"REQDISP_DENY","features":[123]},{"name":"REQDISP_ISSUE","features":[123]},{"name":"REQDISP_MASK","features":[123]},{"name":"REQDISP_PENDING","features":[123]},{"name":"REQDISP_PENDINGFIRST","features":[123]},{"name":"REQDISP_USEREQUESTATTRIBUTE","features":[123]},{"name":"REVEXT_ASPENABLE","features":[123]},{"name":"REVEXT_CDPENABLE","features":[123]},{"name":"REVEXT_CDPFILEURL_OLD","features":[123]},{"name":"REVEXT_CDPFTPURL_OLD","features":[123]},{"name":"REVEXT_CDPHTTPURL_OLD","features":[123]},{"name":"REVEXT_CDPLDAPURL_OLD","features":[123]},{"name":"REVEXT_CDPURLMASK_OLD","features":[123]},{"name":"REVEXT_DEFAULT_DS","features":[123]},{"name":"REVEXT_DEFAULT_NODS","features":[123]},{"name":"RequestClientInfoClientId","features":[123]},{"name":"SCEPDispositionFailure","features":[123]},{"name":"SCEPDispositionPending","features":[123]},{"name":"SCEPDispositionPendingChallenge","features":[123]},{"name":"SCEPDispositionSuccess","features":[123]},{"name":"SCEPDispositionUnknown","features":[123]},{"name":"SCEPFailBadAlgorithm","features":[123]},{"name":"SCEPFailBadCertId","features":[123]},{"name":"SCEPFailBadMessageCheck","features":[123]},{"name":"SCEPFailBadRequest","features":[123]},{"name":"SCEPFailBadTime","features":[123]},{"name":"SCEPFailUnknown","features":[123]},{"name":"SCEPMessageCertResponse","features":[123]},{"name":"SCEPMessageClaimChallengeAnswer","features":[123]},{"name":"SCEPMessageGetCRL","features":[123]},{"name":"SCEPMessageGetCert","features":[123]},{"name":"SCEPMessageGetCertInitial","features":[123]},{"name":"SCEPMessagePKCSRequest","features":[123]},{"name":"SCEPMessageUnknown","features":[123]},{"name":"SCEPProcessDefault","features":[123]},{"name":"SCEPProcessSkipCertInstall","features":[123]},{"name":"SETUP_ATTEMPT_VROOT_CREATE","features":[123]},{"name":"SETUP_CLIENT_FLAG","features":[123]},{"name":"SETUP_CREATEDB_FLAG","features":[123]},{"name":"SETUP_DCOM_SECURITY_UPDATED_FLAG","features":[123]},{"name":"SETUP_DENIED_FLAG","features":[123]},{"name":"SETUP_FORCECRL_FLAG","features":[123]},{"name":"SETUP_ONLINE_FLAG","features":[123]},{"name":"SETUP_REQUEST_FLAG","features":[123]},{"name":"SETUP_SECURITY_CHANGED","features":[123]},{"name":"SETUP_SERVER_FLAG","features":[123]},{"name":"SETUP_SERVER_IS_UP_TO_DATE_FLAG","features":[123]},{"name":"SETUP_SERVER_UPGRADED_FLAG","features":[123]},{"name":"SETUP_SUSPEND_FLAG","features":[123]},{"name":"SETUP_UPDATE_CAOBJECT_SVRTYPE","features":[123]},{"name":"SETUP_W2K_SECURITY_NOT_UPGRADED_FLAG","features":[123]},{"name":"SKIHashCapiSha1","features":[123]},{"name":"SKIHashDefault","features":[123]},{"name":"SKIHashHPKP","features":[123]},{"name":"SKIHashSha1","features":[123]},{"name":"SKIHashSha256","features":[123]},{"name":"SelectedNo","features":[123]},{"name":"SelectedYes","features":[123]},{"name":"SubjectAlternativeNameEnrolleeSupplies","features":[123]},{"name":"SubjectAlternativeNameRequireDNS","features":[123]},{"name":"SubjectAlternativeNameRequireDirectoryGUID","features":[123]},{"name":"SubjectAlternativeNameRequireDomainDNS","features":[123]},{"name":"SubjectAlternativeNameRequireEmail","features":[123]},{"name":"SubjectAlternativeNameRequireSPN","features":[123]},{"name":"SubjectAlternativeNameRequireUPN","features":[123]},{"name":"SubjectNameAndAlternativeNameOldCertSupplies","features":[123]},{"name":"SubjectNameEnrolleeSupplies","features":[123]},{"name":"SubjectNameRequireCommonName","features":[123]},{"name":"SubjectNameRequireDNS","features":[123]},{"name":"SubjectNameRequireDirectoryPath","features":[123]},{"name":"SubjectNameRequireEmail","features":[123]},{"name":"TP_MACHINEPOLICY","features":[123]},{"name":"TemplatePropAsymmetricAlgorithm","features":[123]},{"name":"TemplatePropCertificatePolicies","features":[123]},{"name":"TemplatePropCommonName","features":[123]},{"name":"TemplatePropCryptoProviders","features":[123]},{"name":"TemplatePropDescription","features":[123]},{"name":"TemplatePropEKUs","features":[123]},{"name":"TemplatePropEnrollmentFlags","features":[123]},{"name":"TemplatePropExtensions","features":[123]},{"name":"TemplatePropFriendlyName","features":[123]},{"name":"TemplatePropGeneralFlags","features":[123]},{"name":"TemplatePropHashAlgorithm","features":[123]},{"name":"TemplatePropKeySecurityDescriptor","features":[123]},{"name":"TemplatePropKeySpec","features":[123]},{"name":"TemplatePropKeyUsage","features":[123]},{"name":"TemplatePropMajorRevision","features":[123]},{"name":"TemplatePropMinimumKeySize","features":[123]},{"name":"TemplatePropMinorRevision","features":[123]},{"name":"TemplatePropOID","features":[123]},{"name":"TemplatePropPrivateKeyFlags","features":[123]},{"name":"TemplatePropRACertificatePolicies","features":[123]},{"name":"TemplatePropRAEKUs","features":[123]},{"name":"TemplatePropRASignatureCount","features":[123]},{"name":"TemplatePropRenewalPeriod","features":[123]},{"name":"TemplatePropSchemaVersion","features":[123]},{"name":"TemplatePropSecurityDescriptor","features":[123]},{"name":"TemplatePropSubjectNameFlags","features":[123]},{"name":"TemplatePropSupersede","features":[123]},{"name":"TemplatePropSymmetricAlgorithm","features":[123]},{"name":"TemplatePropSymmetricKeyLength","features":[123]},{"name":"TemplatePropV1ApplicationPolicy","features":[123]},{"name":"TemplatePropValidityPeriod","features":[123]},{"name":"TypeAny","features":[123]},{"name":"TypeCertificate","features":[123]},{"name":"TypeCmc","features":[123]},{"name":"TypePkcs10","features":[123]},{"name":"TypePkcs7","features":[123]},{"name":"VR_INSTANT_BAD","features":[123]},{"name":"VR_INSTANT_OK","features":[123]},{"name":"VR_PENDING","features":[123]},{"name":"VerifyAllowUI","features":[123]},{"name":"VerifyNone","features":[123]},{"name":"VerifySilent","features":[123]},{"name":"VerifySmartCardNone","features":[123]},{"name":"VerifySmartCardSilent","features":[123]},{"name":"WebEnrollmentFlags","features":[123]},{"name":"WebSecurityLevel","features":[123]},{"name":"X500NameFlags","features":[123]},{"name":"X509AuthAnonymous","features":[123]},{"name":"X509AuthCertificate","features":[123]},{"name":"X509AuthKerberos","features":[123]},{"name":"X509AuthNone","features":[123]},{"name":"X509AuthUsername","features":[123]},{"name":"X509CertificateEnrollmentContext","features":[123]},{"name":"X509CertificateTemplateEnrollmentFlag","features":[123]},{"name":"X509CertificateTemplateGeneralFlag","features":[123]},{"name":"X509CertificateTemplatePrivateKeyFlag","features":[123]},{"name":"X509CertificateTemplateSubjectNameFlag","features":[123]},{"name":"X509EnrollmentAuthFlags","features":[123]},{"name":"X509EnrollmentPolicyExportFlags","features":[123]},{"name":"X509EnrollmentPolicyLoadOption","features":[123]},{"name":"X509HardwareKeyUsageFlags","features":[123]},{"name":"X509KeyParametersExportType","features":[123]},{"name":"X509KeySpec","features":[123]},{"name":"X509KeyUsageFlags","features":[123]},{"name":"X509PrivateKeyExportFlags","features":[123]},{"name":"X509PrivateKeyProtection","features":[123]},{"name":"X509PrivateKeyUsageFlags","features":[123]},{"name":"X509PrivateKeyVerify","features":[123]},{"name":"X509ProviderType","features":[123]},{"name":"X509RequestInheritOptions","features":[123]},{"name":"X509RequestType","features":[123]},{"name":"X509SCEPDisposition","features":[123]},{"name":"X509SCEPFailInfo","features":[123]},{"name":"X509SCEPMessageType","features":[123]},{"name":"X509SCEPProcessMessageFlags","features":[123]},{"name":"XCN_AT_KEYEXCHANGE","features":[123]},{"name":"XCN_AT_NONE","features":[123]},{"name":"XCN_AT_SIGNATURE","features":[123]},{"name":"XCN_BCRYPT_ASYMMETRIC_ENCRYPTION_INTERFACE","features":[123]},{"name":"XCN_BCRYPT_CIPHER_INTERFACE","features":[123]},{"name":"XCN_BCRYPT_HASH_INTERFACE","features":[123]},{"name":"XCN_BCRYPT_KEY_DERIVATION_INTERFACE","features":[123]},{"name":"XCN_BCRYPT_RNG_INTERFACE","features":[123]},{"name":"XCN_BCRYPT_SECRET_AGREEMENT_INTERFACE","features":[123]},{"name":"XCN_BCRYPT_SIGNATURE_INTERFACE","features":[123]},{"name":"XCN_BCRYPT_UNKNOWN_INTERFACE","features":[123]},{"name":"XCN_CERT_ACCESS_STATE_PROP_ID","features":[123]},{"name":"XCN_CERT_AIA_URL_RETRIEVED_PROP_ID","features":[123]},{"name":"XCN_CERT_ALT_NAME_DIRECTORY_NAME","features":[123]},{"name":"XCN_CERT_ALT_NAME_DNS_NAME","features":[123]},{"name":"XCN_CERT_ALT_NAME_EDI_PARTY_NAME","features":[123]},{"name":"XCN_CERT_ALT_NAME_GUID","features":[123]},{"name":"XCN_CERT_ALT_NAME_IP_ADDRESS","features":[123]},{"name":"XCN_CERT_ALT_NAME_OTHER_NAME","features":[123]},{"name":"XCN_CERT_ALT_NAME_REGISTERED_ID","features":[123]},{"name":"XCN_CERT_ALT_NAME_RFC822_NAME","features":[123]},{"name":"XCN_CERT_ALT_NAME_UNKNOWN","features":[123]},{"name":"XCN_CERT_ALT_NAME_URL","features":[123]},{"name":"XCN_CERT_ALT_NAME_USER_PRINCIPLE_NAME","features":[123]},{"name":"XCN_CERT_ALT_NAME_X400_ADDRESS","features":[123]},{"name":"XCN_CERT_ARCHIVED_KEY_HASH_PROP_ID","features":[123]},{"name":"XCN_CERT_ARCHIVED_PROP_ID","features":[123]},{"name":"XCN_CERT_AUTHORITY_INFO_ACCESS_PROP_ID","features":[123]},{"name":"XCN_CERT_AUTH_ROOT_SHA256_HASH_PROP_ID","features":[123]},{"name":"XCN_CERT_AUTO_ENROLL_PROP_ID","features":[123]},{"name":"XCN_CERT_AUTO_ENROLL_RETRY_PROP_ID","features":[123]},{"name":"XCN_CERT_BACKED_UP_PROP_ID","features":[123]},{"name":"XCN_CERT_CA_DISABLE_CRL_PROP_ID","features":[123]},{"name":"XCN_CERT_CA_OCSP_AUTHORITY_INFO_ACCESS_PROP_ID","features":[123]},{"name":"XCN_CERT_CEP_PROP_ID","features":[123]},{"name":"XCN_CERT_CERT_NOT_BEFORE_ENHKEY_USAGE_PROP_ID","features":[123]},{"name":"XCN_CERT_CLR_DELETE_KEY_PROP_ID","features":[123]},{"name":"XCN_CERT_CRL_SIGN_KEY_USAGE","features":[123]},{"name":"XCN_CERT_CROSS_CERT_DIST_POINTS_PROP_ID","features":[123]},{"name":"XCN_CERT_CTL_USAGE_PROP_ID","features":[123]},{"name":"XCN_CERT_DATA_ENCIPHERMENT_KEY_USAGE","features":[123]},{"name":"XCN_CERT_DATE_STAMP_PROP_ID","features":[123]},{"name":"XCN_CERT_DECIPHER_ONLY_KEY_USAGE","features":[123]},{"name":"XCN_CERT_DESCRIPTION_PROP_ID","features":[123]},{"name":"XCN_CERT_DIGITAL_SIGNATURE_KEY_USAGE","features":[123]},{"name":"XCN_CERT_DISALLOWED_ENHKEY_USAGE_PROP_ID","features":[123]},{"name":"XCN_CERT_DISALLOWED_FILETIME_PROP_ID","features":[123]},{"name":"XCN_CERT_EFS_PROP_ID","features":[123]},{"name":"XCN_CERT_ENCIPHER_ONLY_KEY_USAGE","features":[123]},{"name":"XCN_CERT_ENHKEY_USAGE_PROP_ID","features":[123]},{"name":"XCN_CERT_ENROLLMENT_PROP_ID","features":[123]},{"name":"XCN_CERT_EXTENDED_ERROR_INFO_PROP_ID","features":[123]},{"name":"XCN_CERT_FIRST_RESERVED_PROP_ID","features":[123]},{"name":"XCN_CERT_FIRST_USER_PROP_ID","features":[123]},{"name":"XCN_CERT_FORTEZZA_DATA_PROP_ID","features":[123]},{"name":"XCN_CERT_FRIENDLY_NAME_PROP_ID","features":[123]},{"name":"XCN_CERT_HASH_PROP_ID","features":[123]},{"name":"XCN_CERT_HCRYPTPROV_OR_NCRYPT_KEY_HANDLE_PROP_ID","features":[123]},{"name":"XCN_CERT_HCRYPTPROV_TRANSFER_PROP_ID","features":[123]},{"name":"XCN_CERT_IE30_RESERVED_PROP_ID","features":[123]},{"name":"XCN_CERT_ISOLATED_KEY_PROP_ID","features":[123]},{"name":"XCN_CERT_ISSUER_CHAIN_PUB_KEY_CNG_ALG_BIT_LENGTH_PROP_ID","features":[123]},{"name":"XCN_CERT_ISSUER_CHAIN_SIGN_HASH_CNG_ALG_PROP_ID","features":[123]},{"name":"XCN_CERT_ISSUER_PUBLIC_KEY_MD5_HASH_PROP_ID","features":[123]},{"name":"XCN_CERT_ISSUER_PUB_KEY_BIT_LENGTH_PROP_ID","features":[123]},{"name":"XCN_CERT_ISSUER_SERIAL_NUMBER_MD5_HASH_PROP_ID","features":[123]},{"name":"XCN_CERT_KEY_AGREEMENT_KEY_USAGE","features":[123]},{"name":"XCN_CERT_KEY_CERT_SIGN_KEY_USAGE","features":[123]},{"name":"XCN_CERT_KEY_CLASSIFICATION_PROP_ID","features":[123]},{"name":"XCN_CERT_KEY_CONTEXT_PROP_ID","features":[123]},{"name":"XCN_CERT_KEY_ENCIPHERMENT_KEY_USAGE","features":[123]},{"name":"XCN_CERT_KEY_IDENTIFIER_PROP_ID","features":[123]},{"name":"XCN_CERT_KEY_PROV_HANDLE_PROP_ID","features":[123]},{"name":"XCN_CERT_KEY_PROV_INFO_PROP_ID","features":[123]},{"name":"XCN_CERT_KEY_REPAIR_ATTEMPTED_PROP_ID","features":[123]},{"name":"XCN_CERT_KEY_SPEC_PROP_ID","features":[123]},{"name":"XCN_CERT_LAST_RESERVED_PROP_ID","features":[123]},{"name":"XCN_CERT_LAST_USER_PROP_ID","features":[123]},{"name":"XCN_CERT_MD5_HASH_PROP_ID","features":[123]},{"name":"XCN_CERT_NAME_STR_AMBIGUOUS_SEPARATOR_FLAGS","features":[123]},{"name":"XCN_CERT_NAME_STR_COMMA_FLAG","features":[123]},{"name":"XCN_CERT_NAME_STR_CRLF_FLAG","features":[123]},{"name":"XCN_CERT_NAME_STR_DISABLE_IE4_UTF8_FLAG","features":[123]},{"name":"XCN_CERT_NAME_STR_DISABLE_UTF8_DIR_STR_FLAG","features":[123]},{"name":"XCN_CERT_NAME_STR_DS_ESCAPED","features":[123]},{"name":"XCN_CERT_NAME_STR_ENABLE_PUNYCODE_FLAG","features":[123]},{"name":"XCN_CERT_NAME_STR_ENABLE_T61_UNICODE_FLAG","features":[123]},{"name":"XCN_CERT_NAME_STR_ENABLE_UTF8_UNICODE_FLAG","features":[123]},{"name":"XCN_CERT_NAME_STR_FORCE_UTF8_DIR_STR_FLAG","features":[123]},{"name":"XCN_CERT_NAME_STR_FORWARD_FLAG","features":[123]},{"name":"XCN_CERT_NAME_STR_NONE","features":[123]},{"name":"XCN_CERT_NAME_STR_NO_PLUS_FLAG","features":[123]},{"name":"XCN_CERT_NAME_STR_NO_QUOTING_FLAG","features":[123]},{"name":"XCN_CERT_NAME_STR_REVERSE_FLAG","features":[123]},{"name":"XCN_CERT_NAME_STR_SEMICOLON_FLAG","features":[123]},{"name":"XCN_CERT_NCRYPT_KEY_HANDLE_PROP_ID","features":[123]},{"name":"XCN_CERT_NCRYPT_KEY_HANDLE_TRANSFER_PROP_ID","features":[123]},{"name":"XCN_CERT_NEW_KEY_PROP_ID","features":[123]},{"name":"XCN_CERT_NEXT_UPDATE_LOCATION_PROP_ID","features":[123]},{"name":"XCN_CERT_NONCOMPLIANT_ROOT_URL_PROP_ID","features":[123]},{"name":"XCN_CERT_NON_REPUDIATION_KEY_USAGE","features":[123]},{"name":"XCN_CERT_NOT_BEFORE_FILETIME_PROP_ID","features":[123]},{"name":"XCN_CERT_NO_AUTO_EXPIRE_CHECK_PROP_ID","features":[123]},{"name":"XCN_CERT_NO_EXPIRE_NOTIFICATION_PROP_ID","features":[123]},{"name":"XCN_CERT_NO_KEY_USAGE","features":[123]},{"name":"XCN_CERT_OCSP_CACHE_PREFIX_PROP_ID","features":[123]},{"name":"XCN_CERT_OCSP_RESPONSE_PROP_ID","features":[123]},{"name":"XCN_CERT_OFFLINE_CRL_SIGN_KEY_USAGE","features":[123]},{"name":"XCN_CERT_OID_NAME_STR","features":[123]},{"name":"XCN_CERT_PIN_SHA256_HASH_PROP_ID","features":[123]},{"name":"XCN_CERT_PUBKEY_ALG_PARA_PROP_ID","features":[123]},{"name":"XCN_CERT_PUBKEY_HASH_RESERVED_PROP_ID","features":[123]},{"name":"XCN_CERT_PUB_KEY_CNG_ALG_BIT_LENGTH_PROP_ID","features":[123]},{"name":"XCN_CERT_PVK_FILE_PROP_ID","features":[123]},{"name":"XCN_CERT_RENEWAL_PROP_ID","features":[123]},{"name":"XCN_CERT_REQUEST_ORIGINATOR_PROP_ID","features":[123]},{"name":"XCN_CERT_ROOT_PROGRAM_CERT_POLICIES_PROP_ID","features":[123]},{"name":"XCN_CERT_ROOT_PROGRAM_CHAIN_POLICIES_PROP_ID","features":[123]},{"name":"XCN_CERT_ROOT_PROGRAM_NAME_CONSTRAINTS_PROP_ID","features":[123]},{"name":"XCN_CERT_SCARD_PIN_ID_PROP_ID","features":[123]},{"name":"XCN_CERT_SCARD_PIN_INFO_PROP_ID","features":[123]},{"name":"XCN_CERT_SCEP_CA_CERT_PROP_ID","features":[123]},{"name":"XCN_CERT_SCEP_ENCRYPT_HASH_CNG_ALG_PROP_ID","features":[123]},{"name":"XCN_CERT_SCEP_FLAGS_PROP_ID","features":[123]},{"name":"XCN_CERT_SCEP_GUID_PROP_ID","features":[123]},{"name":"XCN_CERT_SCEP_NONCE_PROP_ID","features":[123]},{"name":"XCN_CERT_SCEP_RA_ENCRYPTION_CERT_PROP_ID","features":[123]},{"name":"XCN_CERT_SCEP_RA_SIGNATURE_CERT_PROP_ID","features":[123]},{"name":"XCN_CERT_SCEP_SERVER_CERTS_PROP_ID","features":[123]},{"name":"XCN_CERT_SCEP_SIGNER_CERT_PROP_ID","features":[123]},{"name":"XCN_CERT_SEND_AS_TRUSTED_ISSUER_PROP_ID","features":[123]},{"name":"XCN_CERT_SERIALIZABLE_KEY_CONTEXT_PROP_ID","features":[123]},{"name":"XCN_CERT_SERIAL_CHAIN_PROP_ID","features":[123]},{"name":"XCN_CERT_SHA1_HASH_PROP_ID","features":[123]},{"name":"XCN_CERT_SHA256_HASH_PROP_ID","features":[123]},{"name":"XCN_CERT_SIGNATURE_HASH_PROP_ID","features":[123]},{"name":"XCN_CERT_SIGN_HASH_CNG_ALG_PROP_ID","features":[123]},{"name":"XCN_CERT_SIMPLE_NAME_STR","features":[123]},{"name":"XCN_CERT_SMART_CARD_DATA_PROP_ID","features":[123]},{"name":"XCN_CERT_SMART_CARD_READER_NON_REMOVABLE_PROP_ID","features":[123]},{"name":"XCN_CERT_SMART_CARD_READER_PROP_ID","features":[123]},{"name":"XCN_CERT_SMART_CARD_ROOT_INFO_PROP_ID","features":[123]},{"name":"XCN_CERT_SOURCE_LOCATION_PROP_ID","features":[123]},{"name":"XCN_CERT_SOURCE_URL_PROP_ID","features":[123]},{"name":"XCN_CERT_STORE_LOCALIZED_NAME_PROP_ID","features":[123]},{"name":"XCN_CERT_SUBJECT_DISABLE_CRL_PROP_ID","features":[123]},{"name":"XCN_CERT_SUBJECT_INFO_ACCESS_PROP_ID","features":[123]},{"name":"XCN_CERT_SUBJECT_NAME_MD5_HASH_PROP_ID","features":[123]},{"name":"XCN_CERT_SUBJECT_OCSP_AUTHORITY_INFO_ACCESS_PROP_ID","features":[123]},{"name":"XCN_CERT_SUBJECT_PUBLIC_KEY_MD5_HASH_PROP_ID","features":[123]},{"name":"XCN_CERT_SUBJECT_PUB_KEY_BIT_LENGTH_PROP_ID","features":[123]},{"name":"XCN_CERT_X500_NAME_STR","features":[123]},{"name":"XCN_CERT_XML_NAME_STR","features":[123]},{"name":"XCN_CRL_REASON_AA_COMPROMISE","features":[123]},{"name":"XCN_CRL_REASON_AFFILIATION_CHANGED","features":[123]},{"name":"XCN_CRL_REASON_CA_COMPROMISE","features":[123]},{"name":"XCN_CRL_REASON_CERTIFICATE_HOLD","features":[123]},{"name":"XCN_CRL_REASON_CESSATION_OF_OPERATION","features":[123]},{"name":"XCN_CRL_REASON_KEY_COMPROMISE","features":[123]},{"name":"XCN_CRL_REASON_PRIVILEGE_WITHDRAWN","features":[123]},{"name":"XCN_CRL_REASON_REMOVE_FROM_CRL","features":[123]},{"name":"XCN_CRL_REASON_SUPERSEDED","features":[123]},{"name":"XCN_CRL_REASON_UNSPECIFIED","features":[123]},{"name":"XCN_CRYPT_ANY_GROUP_ID","features":[123]},{"name":"XCN_CRYPT_ENCRYPT_ALG_OID_GROUP_ID","features":[123]},{"name":"XCN_CRYPT_ENHKEY_USAGE_OID_GROUP_ID","features":[123]},{"name":"XCN_CRYPT_EXT_OR_ATTR_OID_GROUP_ID","features":[123]},{"name":"XCN_CRYPT_FIRST_ALG_OID_GROUP_ID","features":[123]},{"name":"XCN_CRYPT_GROUP_ID_MASK","features":[123]},{"name":"XCN_CRYPT_HASH_ALG_OID_GROUP_ID","features":[123]},{"name":"XCN_CRYPT_KDF_OID_GROUP_ID","features":[123]},{"name":"XCN_CRYPT_KEY_LENGTH_MASK","features":[123]},{"name":"XCN_CRYPT_LAST_ALG_OID_GROUP_ID","features":[123]},{"name":"XCN_CRYPT_LAST_OID_GROUP_ID","features":[123]},{"name":"XCN_CRYPT_OID_DISABLE_SEARCH_DS_FLAG","features":[123]},{"name":"XCN_CRYPT_OID_INFO_OID_GROUP_BIT_LEN_MASK","features":[123]},{"name":"XCN_CRYPT_OID_INFO_OID_GROUP_BIT_LEN_SHIFT","features":[123]},{"name":"XCN_CRYPT_OID_INFO_PUBKEY_ANY","features":[123]},{"name":"XCN_CRYPT_OID_INFO_PUBKEY_ENCRYPT_KEY_FLAG","features":[123]},{"name":"XCN_CRYPT_OID_INFO_PUBKEY_SIGN_KEY_FLAG","features":[123]},{"name":"XCN_CRYPT_OID_PREFER_CNG_ALGID_FLAG","features":[123]},{"name":"XCN_CRYPT_OID_USE_CURVE_NAME_FOR_ENCODE_FLAG","features":[123]},{"name":"XCN_CRYPT_OID_USE_CURVE_NONE","features":[123]},{"name":"XCN_CRYPT_OID_USE_CURVE_PARAMETERS_FOR_ENCODE_FLAG","features":[123]},{"name":"XCN_CRYPT_POLICY_OID_GROUP_ID","features":[123]},{"name":"XCN_CRYPT_PUBKEY_ALG_OID_GROUP_ID","features":[123]},{"name":"XCN_CRYPT_RDN_ATTR_OID_GROUP_ID","features":[123]},{"name":"XCN_CRYPT_SIGN_ALG_OID_GROUP_ID","features":[123]},{"name":"XCN_CRYPT_STRING_ANY","features":[123]},{"name":"XCN_CRYPT_STRING_BASE64","features":[123]},{"name":"XCN_CRYPT_STRING_BASE64HEADER","features":[123]},{"name":"XCN_CRYPT_STRING_BASE64REQUESTHEADER","features":[123]},{"name":"XCN_CRYPT_STRING_BASE64URI","features":[123]},{"name":"XCN_CRYPT_STRING_BASE64X509CRLHEADER","features":[123]},{"name":"XCN_CRYPT_STRING_BASE64_ANY","features":[123]},{"name":"XCN_CRYPT_STRING_BINARY","features":[123]},{"name":"XCN_CRYPT_STRING_CHAIN","features":[123]},{"name":"XCN_CRYPT_STRING_ENCODEMASK","features":[123]},{"name":"XCN_CRYPT_STRING_HASHDATA","features":[123]},{"name":"XCN_CRYPT_STRING_HEX","features":[123]},{"name":"XCN_CRYPT_STRING_HEXADDR","features":[123]},{"name":"XCN_CRYPT_STRING_HEXASCII","features":[123]},{"name":"XCN_CRYPT_STRING_HEXASCIIADDR","features":[123]},{"name":"XCN_CRYPT_STRING_HEXRAW","features":[123]},{"name":"XCN_CRYPT_STRING_HEX_ANY","features":[123]},{"name":"XCN_CRYPT_STRING_NOCR","features":[123]},{"name":"XCN_CRYPT_STRING_NOCRLF","features":[123]},{"name":"XCN_CRYPT_STRING_PERCENTESCAPE","features":[123]},{"name":"XCN_CRYPT_STRING_STRICT","features":[123]},{"name":"XCN_CRYPT_STRING_TEXT","features":[123]},{"name":"XCN_CRYPT_TEMPLATE_OID_GROUP_ID","features":[123]},{"name":"XCN_NCRYPT_ALLOW_ALL_USAGES","features":[123]},{"name":"XCN_NCRYPT_ALLOW_ARCHIVING_FLAG","features":[123]},{"name":"XCN_NCRYPT_ALLOW_DECRYPT_FLAG","features":[123]},{"name":"XCN_NCRYPT_ALLOW_EXPORT_FLAG","features":[123]},{"name":"XCN_NCRYPT_ALLOW_EXPORT_NONE","features":[123]},{"name":"XCN_NCRYPT_ALLOW_KEY_AGREEMENT_FLAG","features":[123]},{"name":"XCN_NCRYPT_ALLOW_KEY_IMPORT_FLAG","features":[123]},{"name":"XCN_NCRYPT_ALLOW_PLAINTEXT_ARCHIVING_FLAG","features":[123]},{"name":"XCN_NCRYPT_ALLOW_PLAINTEXT_EXPORT_FLAG","features":[123]},{"name":"XCN_NCRYPT_ALLOW_SIGNING_FLAG","features":[123]},{"name":"XCN_NCRYPT_ALLOW_USAGES_NONE","features":[123]},{"name":"XCN_NCRYPT_ANY_ASYMMETRIC_OPERATION","features":[123]},{"name":"XCN_NCRYPT_ASYMMETRIC_ENCRYPTION_OPERATION","features":[123]},{"name":"XCN_NCRYPT_CIPHER_OPERATION","features":[123]},{"name":"XCN_NCRYPT_CLAIM_AUTHORITY_AND_SUBJECT","features":[123]},{"name":"XCN_NCRYPT_CLAIM_AUTHORITY_ONLY","features":[123]},{"name":"XCN_NCRYPT_CLAIM_NONE","features":[123]},{"name":"XCN_NCRYPT_CLAIM_SUBJECT_ONLY","features":[123]},{"name":"XCN_NCRYPT_CLAIM_UNKNOWN","features":[123]},{"name":"XCN_NCRYPT_EXACT_MATCH_OPERATION","features":[123]},{"name":"XCN_NCRYPT_HASH_OPERATION","features":[123]},{"name":"XCN_NCRYPT_KEY_DERIVATION_OPERATION","features":[123]},{"name":"XCN_NCRYPT_NO_OPERATION","features":[123]},{"name":"XCN_NCRYPT_PCP_ENCRYPTION_KEY","features":[123]},{"name":"XCN_NCRYPT_PCP_GENERIC_KEY","features":[123]},{"name":"XCN_NCRYPT_PCP_IDENTITY_KEY","features":[123]},{"name":"XCN_NCRYPT_PCP_NONE","features":[123]},{"name":"XCN_NCRYPT_PCP_SIGNATURE_KEY","features":[123]},{"name":"XCN_NCRYPT_PCP_STORAGE_KEY","features":[123]},{"name":"XCN_NCRYPT_PREFERENCE_MASK_OPERATION","features":[123]},{"name":"XCN_NCRYPT_PREFER_NON_SIGNATURE_OPERATION","features":[123]},{"name":"XCN_NCRYPT_PREFER_SIGNATURE_ONLY_OPERATION","features":[123]},{"name":"XCN_NCRYPT_RNG_OPERATION","features":[123]},{"name":"XCN_NCRYPT_SECRET_AGREEMENT_OPERATION","features":[123]},{"name":"XCN_NCRYPT_SIGNATURE_OPERATION","features":[123]},{"name":"XCN_NCRYPT_TPM12_PROVIDER","features":[123]},{"name":"XCN_NCRYPT_UI_APPCONTAINER_ACCESS_MEDIUM_FLAG","features":[123]},{"name":"XCN_NCRYPT_UI_FINGERPRINT_PROTECTION_FLAG","features":[123]},{"name":"XCN_NCRYPT_UI_FORCE_HIGH_PROTECTION_FLAG","features":[123]},{"name":"XCN_NCRYPT_UI_NO_PROTECTION_FLAG","features":[123]},{"name":"XCN_NCRYPT_UI_PROTECT_KEY_FLAG","features":[123]},{"name":"XCN_OIDVerisign_FailInfo","features":[123]},{"name":"XCN_OIDVerisign_MessageType","features":[123]},{"name":"XCN_OIDVerisign_PkiStatus","features":[123]},{"name":"XCN_OIDVerisign_RecipientNonce","features":[123]},{"name":"XCN_OIDVerisign_SenderNonce","features":[123]},{"name":"XCN_OIDVerisign_TransactionID","features":[123]},{"name":"XCN_OID_ANSI_X942","features":[123]},{"name":"XCN_OID_ANSI_X942_DH","features":[123]},{"name":"XCN_OID_ANY_APPLICATION_POLICY","features":[123]},{"name":"XCN_OID_ANY_CERT_POLICY","features":[123]},{"name":"XCN_OID_ANY_ENHANCED_KEY_USAGE","features":[123]},{"name":"XCN_OID_APPLICATION_CERT_POLICIES","features":[123]},{"name":"XCN_OID_APPLICATION_POLICY_CONSTRAINTS","features":[123]},{"name":"XCN_OID_APPLICATION_POLICY_MAPPINGS","features":[123]},{"name":"XCN_OID_ARCHIVED_KEY_ATTR","features":[123]},{"name":"XCN_OID_ARCHIVED_KEY_CERT_HASH","features":[123]},{"name":"XCN_OID_ATTR_SUPPORTED_ALGORITHMS","features":[123]},{"name":"XCN_OID_ATTR_TPM_SECURITY_ASSERTIONS","features":[123]},{"name":"XCN_OID_ATTR_TPM_SPECIFICATION","features":[123]},{"name":"XCN_OID_AUTHORITY_INFO_ACCESS","features":[123]},{"name":"XCN_OID_AUTHORITY_KEY_IDENTIFIER","features":[123]},{"name":"XCN_OID_AUTHORITY_KEY_IDENTIFIER2","features":[123]},{"name":"XCN_OID_AUTHORITY_REVOCATION_LIST","features":[123]},{"name":"XCN_OID_AUTO_ENROLL_CTL_USAGE","features":[123]},{"name":"XCN_OID_BACKGROUND_OTHER_LOGOTYPE","features":[123]},{"name":"XCN_OID_BASIC_CONSTRAINTS","features":[123]},{"name":"XCN_OID_BASIC_CONSTRAINTS2","features":[123]},{"name":"XCN_OID_BIOMETRIC_EXT","features":[123]},{"name":"XCN_OID_BUSINESS_CATEGORY","features":[123]},{"name":"XCN_OID_CA_CERTIFICATE","features":[123]},{"name":"XCN_OID_CERTIFICATE_REVOCATION_LIST","features":[123]},{"name":"XCN_OID_CERTIFICATE_TEMPLATE","features":[123]},{"name":"XCN_OID_CERTSRV_CA_VERSION","features":[123]},{"name":"XCN_OID_CERTSRV_CROSSCA_VERSION","features":[123]},{"name":"XCN_OID_CERTSRV_PREVIOUS_CERT_HASH","features":[123]},{"name":"XCN_OID_CERT_DISALLOWED_FILETIME_PROP_ID","features":[123]},{"name":"XCN_OID_CERT_EXTENSIONS","features":[123]},{"name":"XCN_OID_CERT_ISSUER_SERIAL_NUMBER_MD5_HASH_PROP_ID","features":[123]},{"name":"XCN_OID_CERT_KEY_IDENTIFIER_PROP_ID","features":[123]},{"name":"XCN_OID_CERT_MANIFOLD","features":[123]},{"name":"XCN_OID_CERT_MD5_HASH_PROP_ID","features":[123]},{"name":"XCN_OID_CERT_POLICIES","features":[123]},{"name":"XCN_OID_CERT_POLICIES_95","features":[123]},{"name":"XCN_OID_CERT_POLICIES_95_QUALIFIER1","features":[123]},{"name":"XCN_OID_CERT_PROP_ID_PREFIX","features":[123]},{"name":"XCN_OID_CERT_SIGNATURE_HASH_PROP_ID","features":[123]},{"name":"XCN_OID_CERT_STRONG_KEY_OS_1","features":[123]},{"name":"XCN_OID_CERT_STRONG_KEY_OS_CURRENT","features":[123]},{"name":"XCN_OID_CERT_STRONG_KEY_OS_PREFIX","features":[123]},{"name":"XCN_OID_CERT_STRONG_SIGN_OS_1","features":[123]},{"name":"XCN_OID_CERT_STRONG_SIGN_OS_CURRENT","features":[123]},{"name":"XCN_OID_CERT_STRONG_SIGN_OS_PREFIX","features":[123]},{"name":"XCN_OID_CERT_SUBJECT_NAME_MD5_HASH_PROP_ID","features":[123]},{"name":"XCN_OID_CMC","features":[123]},{"name":"XCN_OID_CMC_ADD_ATTRIBUTES","features":[123]},{"name":"XCN_OID_CMC_ADD_EXTENSIONS","features":[123]},{"name":"XCN_OID_CMC_DATA_RETURN","features":[123]},{"name":"XCN_OID_CMC_DECRYPTED_POP","features":[123]},{"name":"XCN_OID_CMC_ENCRYPTED_POP","features":[123]},{"name":"XCN_OID_CMC_GET_CERT","features":[123]},{"name":"XCN_OID_CMC_GET_CRL","features":[123]},{"name":"XCN_OID_CMC_IDENTIFICATION","features":[123]},{"name":"XCN_OID_CMC_IDENTITY_PROOF","features":[123]},{"name":"XCN_OID_CMC_ID_CONFIRM_CERT_ACCEPTANCE","features":[123]},{"name":"XCN_OID_CMC_ID_POP_LINK_RANDOM","features":[123]},{"name":"XCN_OID_CMC_ID_POP_LINK_WITNESS","features":[123]},{"name":"XCN_OID_CMC_LRA_POP_WITNESS","features":[123]},{"name":"XCN_OID_CMC_QUERY_PENDING","features":[123]},{"name":"XCN_OID_CMC_RECIPIENT_NONCE","features":[123]},{"name":"XCN_OID_CMC_REG_INFO","features":[123]},{"name":"XCN_OID_CMC_RESPONSE_INFO","features":[123]},{"name":"XCN_OID_CMC_REVOKE_REQUEST","features":[123]},{"name":"XCN_OID_CMC_SENDER_NONCE","features":[123]},{"name":"XCN_OID_CMC_STATUS_INFO","features":[123]},{"name":"XCN_OID_CMC_TRANSACTION_ID","features":[123]},{"name":"XCN_OID_COMMON_NAME","features":[123]},{"name":"XCN_OID_COUNTRY_NAME","features":[123]},{"name":"XCN_OID_CRL_DIST_POINTS","features":[123]},{"name":"XCN_OID_CRL_NEXT_PUBLISH","features":[123]},{"name":"XCN_OID_CRL_NUMBER","features":[123]},{"name":"XCN_OID_CRL_REASON_CODE","features":[123]},{"name":"XCN_OID_CRL_SELF_CDP","features":[123]},{"name":"XCN_OID_CRL_VIRTUAL_BASE","features":[123]},{"name":"XCN_OID_CROSS_CERTIFICATE_PAIR","features":[123]},{"name":"XCN_OID_CROSS_CERT_DIST_POINTS","features":[123]},{"name":"XCN_OID_CTL","features":[123]},{"name":"XCN_OID_CT_PKI_DATA","features":[123]},{"name":"XCN_OID_CT_PKI_RESPONSE","features":[123]},{"name":"XCN_OID_DELTA_CRL_INDICATOR","features":[123]},{"name":"XCN_OID_DESCRIPTION","features":[123]},{"name":"XCN_OID_DESTINATION_INDICATOR","features":[123]},{"name":"XCN_OID_DEVICE_SERIAL_NUMBER","features":[123]},{"name":"XCN_OID_DH_SINGLE_PASS_STDDH_SHA1_KDF","features":[123]},{"name":"XCN_OID_DH_SINGLE_PASS_STDDH_SHA256_KDF","features":[123]},{"name":"XCN_OID_DH_SINGLE_PASS_STDDH_SHA384_KDF","features":[123]},{"name":"XCN_OID_DISALLOWED_HASH","features":[123]},{"name":"XCN_OID_DISALLOWED_LIST","features":[123]},{"name":"XCN_OID_DN_QUALIFIER","features":[123]},{"name":"XCN_OID_DOMAIN_COMPONENT","features":[123]},{"name":"XCN_OID_DRM","features":[123]},{"name":"XCN_OID_DRM_INDIVIDUALIZATION","features":[123]},{"name":"XCN_OID_DS","features":[123]},{"name":"XCN_OID_DSALG","features":[123]},{"name":"XCN_OID_DSALG_CRPT","features":[123]},{"name":"XCN_OID_DSALG_HASH","features":[123]},{"name":"XCN_OID_DSALG_RSA","features":[123]},{"name":"XCN_OID_DSALG_SIGN","features":[123]},{"name":"XCN_OID_DS_EMAIL_REPLICATION","features":[123]},{"name":"XCN_OID_ECC_CURVE_P256","features":[123]},{"name":"XCN_OID_ECC_CURVE_P384","features":[123]},{"name":"XCN_OID_ECC_CURVE_P521","features":[123]},{"name":"XCN_OID_ECC_PUBLIC_KEY","features":[123]},{"name":"XCN_OID_ECDSA_SHA1","features":[123]},{"name":"XCN_OID_ECDSA_SHA256","features":[123]},{"name":"XCN_OID_ECDSA_SHA384","features":[123]},{"name":"XCN_OID_ECDSA_SHA512","features":[123]},{"name":"XCN_OID_ECDSA_SPECIFIED","features":[123]},{"name":"XCN_OID_EFS_RECOVERY","features":[123]},{"name":"XCN_OID_EMBEDDED_NT_CRYPTO","features":[123]},{"name":"XCN_OID_ENCRYPTED_KEY_HASH","features":[123]},{"name":"XCN_OID_ENHANCED_KEY_USAGE","features":[123]},{"name":"XCN_OID_ENROLLMENT_AGENT","features":[123]},{"name":"XCN_OID_ENROLLMENT_CSP_PROVIDER","features":[123]},{"name":"XCN_OID_ENROLLMENT_NAME_VALUE_PAIR","features":[123]},{"name":"XCN_OID_ENROLL_ATTESTATION_CHALLENGE","features":[123]},{"name":"XCN_OID_ENROLL_ATTESTATION_STATEMENT","features":[123]},{"name":"XCN_OID_ENROLL_CAXCHGCERT_HASH","features":[123]},{"name":"XCN_OID_ENROLL_CERTTYPE_EXTENSION","features":[123]},{"name":"XCN_OID_ENROLL_EKPUB_CHALLENGE","features":[123]},{"name":"XCN_OID_ENROLL_EKVERIFYCERT","features":[123]},{"name":"XCN_OID_ENROLL_EKVERIFYCREDS","features":[123]},{"name":"XCN_OID_ENROLL_EKVERIFYKEY","features":[123]},{"name":"XCN_OID_ENROLL_EK_INFO","features":[123]},{"name":"XCN_OID_ENROLL_ENCRYPTION_ALGORITHM","features":[123]},{"name":"XCN_OID_ENROLL_KSP_NAME","features":[123]},{"name":"XCN_OID_ENROLL_SCEP_ERROR","features":[123]},{"name":"XCN_OID_ENTERPRISE_OID_ROOT","features":[123]},{"name":"XCN_OID_EV_RDN_COUNTRY","features":[123]},{"name":"XCN_OID_EV_RDN_LOCALE","features":[123]},{"name":"XCN_OID_EV_RDN_STATE_OR_PROVINCE","features":[123]},{"name":"XCN_OID_FACSIMILE_TELEPHONE_NUMBER","features":[123]},{"name":"XCN_OID_FRESHEST_CRL","features":[123]},{"name":"XCN_OID_GIVEN_NAME","features":[123]},{"name":"XCN_OID_INFOSEC","features":[123]},{"name":"XCN_OID_INFOSEC_SuiteAConfidentiality","features":[123]},{"name":"XCN_OID_INFOSEC_SuiteAIntegrity","features":[123]},{"name":"XCN_OID_INFOSEC_SuiteAKMandSig","features":[123]},{"name":"XCN_OID_INFOSEC_SuiteAKeyManagement","features":[123]},{"name":"XCN_OID_INFOSEC_SuiteASignature","features":[123]},{"name":"XCN_OID_INFOSEC_SuiteATokenProtection","features":[123]},{"name":"XCN_OID_INFOSEC_mosaicConfidentiality","features":[123]},{"name":"XCN_OID_INFOSEC_mosaicIntegrity","features":[123]},{"name":"XCN_OID_INFOSEC_mosaicKMandSig","features":[123]},{"name":"XCN_OID_INFOSEC_mosaicKMandUpdSig","features":[123]},{"name":"XCN_OID_INFOSEC_mosaicKeyManagement","features":[123]},{"name":"XCN_OID_INFOSEC_mosaicSignature","features":[123]},{"name":"XCN_OID_INFOSEC_mosaicTokenProtection","features":[123]},{"name":"XCN_OID_INFOSEC_mosaicUpdatedInteg","features":[123]},{"name":"XCN_OID_INFOSEC_mosaicUpdatedSig","features":[123]},{"name":"XCN_OID_INFOSEC_sdnsConfidentiality","features":[123]},{"name":"XCN_OID_INFOSEC_sdnsIntegrity","features":[123]},{"name":"XCN_OID_INFOSEC_sdnsKMandSig","features":[123]},{"name":"XCN_OID_INFOSEC_sdnsKeyManagement","features":[123]},{"name":"XCN_OID_INFOSEC_sdnsSignature","features":[123]},{"name":"XCN_OID_INFOSEC_sdnsTokenProtection","features":[123]},{"name":"XCN_OID_INHIBIT_ANY_POLICY","features":[123]},{"name":"XCN_OID_INITIALS","features":[123]},{"name":"XCN_OID_INTERNATIONALIZED_EMAIL_ADDRESS","features":[123]},{"name":"XCN_OID_INTERNATIONAL_ISDN_NUMBER","features":[123]},{"name":"XCN_OID_IPSEC_KP_IKE_INTERMEDIATE","features":[123]},{"name":"XCN_OID_ISSUED_CERT_HASH","features":[123]},{"name":"XCN_OID_ISSUER_ALT_NAME","features":[123]},{"name":"XCN_OID_ISSUER_ALT_NAME2","features":[123]},{"name":"XCN_OID_ISSUING_DIST_POINT","features":[123]},{"name":"XCN_OID_KEYID_RDN","features":[123]},{"name":"XCN_OID_KEY_ATTRIBUTES","features":[123]},{"name":"XCN_OID_KEY_USAGE","features":[123]},{"name":"XCN_OID_KEY_USAGE_RESTRICTION","features":[123]},{"name":"XCN_OID_KP_CA_EXCHANGE","features":[123]},{"name":"XCN_OID_KP_CSP_SIGNATURE","features":[123]},{"name":"XCN_OID_KP_CTL_USAGE_SIGNING","features":[123]},{"name":"XCN_OID_KP_DOCUMENT_SIGNING","features":[123]},{"name":"XCN_OID_KP_EFS","features":[123]},{"name":"XCN_OID_KP_KERNEL_MODE_CODE_SIGNING","features":[123]},{"name":"XCN_OID_KP_KERNEL_MODE_HAL_EXTENSION_SIGNING","features":[123]},{"name":"XCN_OID_KP_KERNEL_MODE_TRUSTED_BOOT_SIGNING","features":[123]},{"name":"XCN_OID_KP_KEY_RECOVERY","features":[123]},{"name":"XCN_OID_KP_KEY_RECOVERY_AGENT","features":[123]},{"name":"XCN_OID_KP_LIFETIME_SIGNING","features":[123]},{"name":"XCN_OID_KP_MOBILE_DEVICE_SOFTWARE","features":[123]},{"name":"XCN_OID_KP_QUALIFIED_SUBORDINATION","features":[123]},{"name":"XCN_OID_KP_SMARTCARD_LOGON","features":[123]},{"name":"XCN_OID_KP_SMART_DISPLAY","features":[123]},{"name":"XCN_OID_KP_TIME_STAMP_SIGNING","features":[123]},{"name":"XCN_OID_KP_TPM_AIK_CERTIFICATE","features":[123]},{"name":"XCN_OID_KP_TPM_EK_CERTIFICATE","features":[123]},{"name":"XCN_OID_KP_TPM_PLATFORM_CERTIFICATE","features":[123]},{"name":"XCN_OID_LEGACY_POLICY_MAPPINGS","features":[123]},{"name":"XCN_OID_LICENSES","features":[123]},{"name":"XCN_OID_LICENSE_SERVER","features":[123]},{"name":"XCN_OID_LOCALITY_NAME","features":[123]},{"name":"XCN_OID_LOCAL_MACHINE_KEYSET","features":[123]},{"name":"XCN_OID_LOGOTYPE_EXT","features":[123]},{"name":"XCN_OID_LOYALTY_OTHER_LOGOTYPE","features":[123]},{"name":"XCN_OID_MEMBER","features":[123]},{"name":"XCN_OID_NAME_CONSTRAINTS","features":[123]},{"name":"XCN_OID_NETSCAPE","features":[123]},{"name":"XCN_OID_NETSCAPE_BASE_URL","features":[123]},{"name":"XCN_OID_NETSCAPE_CA_POLICY_URL","features":[123]},{"name":"XCN_OID_NETSCAPE_CA_REVOCATION_URL","features":[123]},{"name":"XCN_OID_NETSCAPE_CERT_EXTENSION","features":[123]},{"name":"XCN_OID_NETSCAPE_CERT_RENEWAL_URL","features":[123]},{"name":"XCN_OID_NETSCAPE_CERT_SEQUENCE","features":[123]},{"name":"XCN_OID_NETSCAPE_CERT_TYPE","features":[123]},{"name":"XCN_OID_NETSCAPE_COMMENT","features":[123]},{"name":"XCN_OID_NETSCAPE_DATA_TYPE","features":[123]},{"name":"XCN_OID_NETSCAPE_REVOCATION_URL","features":[123]},{"name":"XCN_OID_NETSCAPE_SSL_SERVER_NAME","features":[123]},{"name":"XCN_OID_NEXT_UPDATE_LOCATION","features":[123]},{"name":"XCN_OID_NIST_AES128_CBC","features":[123]},{"name":"XCN_OID_NIST_AES128_WRAP","features":[123]},{"name":"XCN_OID_NIST_AES192_CBC","features":[123]},{"name":"XCN_OID_NIST_AES192_WRAP","features":[123]},{"name":"XCN_OID_NIST_AES256_CBC","features":[123]},{"name":"XCN_OID_NIST_AES256_WRAP","features":[123]},{"name":"XCN_OID_NIST_sha256","features":[123]},{"name":"XCN_OID_NIST_sha384","features":[123]},{"name":"XCN_OID_NIST_sha512","features":[123]},{"name":"XCN_OID_NONE","features":[123]},{"name":"XCN_OID_NT5_CRYPTO","features":[123]},{"name":"XCN_OID_NTDS_REPLICATION","features":[123]},{"name":"XCN_OID_NT_PRINCIPAL_NAME","features":[123]},{"name":"XCN_OID_OEM_WHQL_CRYPTO","features":[123]},{"name":"XCN_OID_OIW","features":[123]},{"name":"XCN_OID_OIWDIR","features":[123]},{"name":"XCN_OID_OIWDIR_CRPT","features":[123]},{"name":"XCN_OID_OIWDIR_HASH","features":[123]},{"name":"XCN_OID_OIWDIR_SIGN","features":[123]},{"name":"XCN_OID_OIWDIR_md2","features":[123]},{"name":"XCN_OID_OIWDIR_md2RSA","features":[123]},{"name":"XCN_OID_OIWSEC","features":[123]},{"name":"XCN_OID_OIWSEC_desCBC","features":[123]},{"name":"XCN_OID_OIWSEC_desCFB","features":[123]},{"name":"XCN_OID_OIWSEC_desECB","features":[123]},{"name":"XCN_OID_OIWSEC_desEDE","features":[123]},{"name":"XCN_OID_OIWSEC_desMAC","features":[123]},{"name":"XCN_OID_OIWSEC_desOFB","features":[123]},{"name":"XCN_OID_OIWSEC_dhCommMod","features":[123]},{"name":"XCN_OID_OIWSEC_dsa","features":[123]},{"name":"XCN_OID_OIWSEC_dsaComm","features":[123]},{"name":"XCN_OID_OIWSEC_dsaCommSHA","features":[123]},{"name":"XCN_OID_OIWSEC_dsaCommSHA1","features":[123]},{"name":"XCN_OID_OIWSEC_dsaSHA1","features":[123]},{"name":"XCN_OID_OIWSEC_keyHashSeal","features":[123]},{"name":"XCN_OID_OIWSEC_md2RSASign","features":[123]},{"name":"XCN_OID_OIWSEC_md4RSA","features":[123]},{"name":"XCN_OID_OIWSEC_md4RSA2","features":[123]},{"name":"XCN_OID_OIWSEC_md5RSA","features":[123]},{"name":"XCN_OID_OIWSEC_md5RSASign","features":[123]},{"name":"XCN_OID_OIWSEC_mdc2","features":[123]},{"name":"XCN_OID_OIWSEC_mdc2RSA","features":[123]},{"name":"XCN_OID_OIWSEC_rsaSign","features":[123]},{"name":"XCN_OID_OIWSEC_rsaXchg","features":[123]},{"name":"XCN_OID_OIWSEC_sha","features":[123]},{"name":"XCN_OID_OIWSEC_sha1","features":[123]},{"name":"XCN_OID_OIWSEC_sha1RSASign","features":[123]},{"name":"XCN_OID_OIWSEC_shaDSA","features":[123]},{"name":"XCN_OID_OIWSEC_shaRSA","features":[123]},{"name":"XCN_OID_ORGANIZATIONAL_UNIT_NAME","features":[123]},{"name":"XCN_OID_ORGANIZATION_NAME","features":[123]},{"name":"XCN_OID_OS_VERSION","features":[123]},{"name":"XCN_OID_OWNER","features":[123]},{"name":"XCN_OID_PHYSICAL_DELIVERY_OFFICE_NAME","features":[123]},{"name":"XCN_OID_PKCS","features":[123]},{"name":"XCN_OID_PKCS_1","features":[123]},{"name":"XCN_OID_PKCS_10","features":[123]},{"name":"XCN_OID_PKCS_12","features":[123]},{"name":"XCN_OID_PKCS_12_EXTENDED_ATTRIBUTES","features":[123]},{"name":"XCN_OID_PKCS_12_FRIENDLY_NAME_ATTR","features":[123]},{"name":"XCN_OID_PKCS_12_KEY_PROVIDER_NAME_ATTR","features":[123]},{"name":"XCN_OID_PKCS_12_LOCAL_KEY_ID","features":[123]},{"name":"XCN_OID_PKCS_12_PROTECTED_PASSWORD_SECRET_BAG_TYPE_ID","features":[123]},{"name":"XCN_OID_PKCS_12_PbeIds","features":[123]},{"name":"XCN_OID_PKCS_12_pbeWithSHA1And128BitRC2","features":[123]},{"name":"XCN_OID_PKCS_12_pbeWithSHA1And128BitRC4","features":[123]},{"name":"XCN_OID_PKCS_12_pbeWithSHA1And2KeyTripleDES","features":[123]},{"name":"XCN_OID_PKCS_12_pbeWithSHA1And3KeyTripleDES","features":[123]},{"name":"XCN_OID_PKCS_12_pbeWithSHA1And40BitRC2","features":[123]},{"name":"XCN_OID_PKCS_12_pbeWithSHA1And40BitRC4","features":[123]},{"name":"XCN_OID_PKCS_2","features":[123]},{"name":"XCN_OID_PKCS_3","features":[123]},{"name":"XCN_OID_PKCS_4","features":[123]},{"name":"XCN_OID_PKCS_5","features":[123]},{"name":"XCN_OID_PKCS_6","features":[123]},{"name":"XCN_OID_PKCS_7","features":[123]},{"name":"XCN_OID_PKCS_7_DATA","features":[123]},{"name":"XCN_OID_PKCS_7_DIGESTED","features":[123]},{"name":"XCN_OID_PKCS_7_ENCRYPTED","features":[123]},{"name":"XCN_OID_PKCS_7_ENVELOPED","features":[123]},{"name":"XCN_OID_PKCS_7_SIGNED","features":[123]},{"name":"XCN_OID_PKCS_7_SIGNEDANDENVELOPED","features":[123]},{"name":"XCN_OID_PKCS_8","features":[123]},{"name":"XCN_OID_PKCS_9","features":[123]},{"name":"XCN_OID_PKCS_9_CONTENT_TYPE","features":[123]},{"name":"XCN_OID_PKCS_9_MESSAGE_DIGEST","features":[123]},{"name":"XCN_OID_PKINIT_KP_KDC","features":[123]},{"name":"XCN_OID_PKIX","features":[123]},{"name":"XCN_OID_PKIX_ACC_DESCR","features":[123]},{"name":"XCN_OID_PKIX_CA_ISSUERS","features":[123]},{"name":"XCN_OID_PKIX_CA_REPOSITORY","features":[123]},{"name":"XCN_OID_PKIX_KP","features":[123]},{"name":"XCN_OID_PKIX_KP_CLIENT_AUTH","features":[123]},{"name":"XCN_OID_PKIX_KP_CODE_SIGNING","features":[123]},{"name":"XCN_OID_PKIX_KP_EMAIL_PROTECTION","features":[123]},{"name":"XCN_OID_PKIX_KP_IPSEC_END_SYSTEM","features":[123]},{"name":"XCN_OID_PKIX_KP_IPSEC_TUNNEL","features":[123]},{"name":"XCN_OID_PKIX_KP_IPSEC_USER","features":[123]},{"name":"XCN_OID_PKIX_KP_OCSP_SIGNING","features":[123]},{"name":"XCN_OID_PKIX_KP_SERVER_AUTH","features":[123]},{"name":"XCN_OID_PKIX_KP_TIMESTAMP_SIGNING","features":[123]},{"name":"XCN_OID_PKIX_NO_SIGNATURE","features":[123]},{"name":"XCN_OID_PKIX_OCSP","features":[123]},{"name":"XCN_OID_PKIX_OCSP_BASIC_SIGNED_RESPONSE","features":[123]},{"name":"XCN_OID_PKIX_OCSP_NOCHECK","features":[123]},{"name":"XCN_OID_PKIX_OCSP_NONCE","features":[123]},{"name":"XCN_OID_PKIX_PE","features":[123]},{"name":"XCN_OID_PKIX_POLICY_QUALIFIER_CPS","features":[123]},{"name":"XCN_OID_PKIX_POLICY_QUALIFIER_USERNOTICE","features":[123]},{"name":"XCN_OID_PKIX_TIME_STAMPING","features":[123]},{"name":"XCN_OID_POLICY_CONSTRAINTS","features":[123]},{"name":"XCN_OID_POLICY_MAPPINGS","features":[123]},{"name":"XCN_OID_POSTAL_ADDRESS","features":[123]},{"name":"XCN_OID_POSTAL_CODE","features":[123]},{"name":"XCN_OID_POST_OFFICE_BOX","features":[123]},{"name":"XCN_OID_PREFERRED_DELIVERY_METHOD","features":[123]},{"name":"XCN_OID_PRESENTATION_ADDRESS","features":[123]},{"name":"XCN_OID_PRIVATEKEY_USAGE_PERIOD","features":[123]},{"name":"XCN_OID_PRODUCT_UPDATE","features":[123]},{"name":"XCN_OID_QC_EU_COMPLIANCE","features":[123]},{"name":"XCN_OID_QC_SSCD","features":[123]},{"name":"XCN_OID_QC_STATEMENTS_EXT","features":[123]},{"name":"XCN_OID_RDN_DUMMY_SIGNER","features":[123]},{"name":"XCN_OID_RDN_TPM_MANUFACTURER","features":[123]},{"name":"XCN_OID_RDN_TPM_MODEL","features":[123]},{"name":"XCN_OID_RDN_TPM_VERSION","features":[123]},{"name":"XCN_OID_REASON_CODE_HOLD","features":[123]},{"name":"XCN_OID_REGISTERED_ADDRESS","features":[123]},{"name":"XCN_OID_REMOVE_CERTIFICATE","features":[123]},{"name":"XCN_OID_RENEWAL_CERTIFICATE","features":[123]},{"name":"XCN_OID_REQUEST_CLIENT_INFO","features":[123]},{"name":"XCN_OID_REQUIRE_CERT_CHAIN_POLICY","features":[123]},{"name":"XCN_OID_REVOKED_LIST_SIGNER","features":[123]},{"name":"XCN_OID_RFC3161_counterSign","features":[123]},{"name":"XCN_OID_ROLE_OCCUPANT","features":[123]},{"name":"XCN_OID_ROOT_LIST_SIGNER","features":[123]},{"name":"XCN_OID_ROOT_PROGRAM_AUTO_UPDATE_CA_REVOCATION","features":[123]},{"name":"XCN_OID_ROOT_PROGRAM_AUTO_UPDATE_END_REVOCATION","features":[123]},{"name":"XCN_OID_ROOT_PROGRAM_FLAGS","features":[123]},{"name":"XCN_OID_ROOT_PROGRAM_NO_OCSP_FAILOVER_TO_CRL","features":[123]},{"name":"XCN_OID_RSA","features":[123]},{"name":"XCN_OID_RSAES_OAEP","features":[123]},{"name":"XCN_OID_RSA_DES_EDE3_CBC","features":[123]},{"name":"XCN_OID_RSA_DH","features":[123]},{"name":"XCN_OID_RSA_ENCRYPT","features":[123]},{"name":"XCN_OID_RSA_HASH","features":[123]},{"name":"XCN_OID_RSA_MD2","features":[123]},{"name":"XCN_OID_RSA_MD2RSA","features":[123]},{"name":"XCN_OID_RSA_MD4","features":[123]},{"name":"XCN_OID_RSA_MD4RSA","features":[123]},{"name":"XCN_OID_RSA_MD5","features":[123]},{"name":"XCN_OID_RSA_MD5RSA","features":[123]},{"name":"XCN_OID_RSA_MGF1","features":[123]},{"name":"XCN_OID_RSA_PSPECIFIED","features":[123]},{"name":"XCN_OID_RSA_RC2CBC","features":[123]},{"name":"XCN_OID_RSA_RC4","features":[123]},{"name":"XCN_OID_RSA_RC5_CBCPad","features":[123]},{"name":"XCN_OID_RSA_RSA","features":[123]},{"name":"XCN_OID_RSA_SETOAEP_RSA","features":[123]},{"name":"XCN_OID_RSA_SHA1RSA","features":[123]},{"name":"XCN_OID_RSA_SHA256RSA","features":[123]},{"name":"XCN_OID_RSA_SHA384RSA","features":[123]},{"name":"XCN_OID_RSA_SHA512RSA","features":[123]},{"name":"XCN_OID_RSA_SMIMECapabilities","features":[123]},{"name":"XCN_OID_RSA_SMIMEalg","features":[123]},{"name":"XCN_OID_RSA_SMIMEalgCMS3DESwrap","features":[123]},{"name":"XCN_OID_RSA_SMIMEalgCMSRC2wrap","features":[123]},{"name":"XCN_OID_RSA_SMIMEalgESDH","features":[123]},{"name":"XCN_OID_RSA_SSA_PSS","features":[123]},{"name":"XCN_OID_RSA_certExtensions","features":[123]},{"name":"XCN_OID_RSA_challengePwd","features":[123]},{"name":"XCN_OID_RSA_contentType","features":[123]},{"name":"XCN_OID_RSA_counterSign","features":[123]},{"name":"XCN_OID_RSA_data","features":[123]},{"name":"XCN_OID_RSA_digestedData","features":[123]},{"name":"XCN_OID_RSA_emailAddr","features":[123]},{"name":"XCN_OID_RSA_encryptedData","features":[123]},{"name":"XCN_OID_RSA_envelopedData","features":[123]},{"name":"XCN_OID_RSA_extCertAttrs","features":[123]},{"name":"XCN_OID_RSA_hashedData","features":[123]},{"name":"XCN_OID_RSA_messageDigest","features":[123]},{"name":"XCN_OID_RSA_preferSignedData","features":[123]},{"name":"XCN_OID_RSA_signEnvData","features":[123]},{"name":"XCN_OID_RSA_signedData","features":[123]},{"name":"XCN_OID_RSA_signingTime","features":[123]},{"name":"XCN_OID_RSA_unstructAddr","features":[123]},{"name":"XCN_OID_RSA_unstructName","features":[123]},{"name":"XCN_OID_SEARCH_GUIDE","features":[123]},{"name":"XCN_OID_SEE_ALSO","features":[123]},{"name":"XCN_OID_SERIALIZED","features":[123]},{"name":"XCN_OID_SERVER_GATED_CRYPTO","features":[123]},{"name":"XCN_OID_SGC_NETSCAPE","features":[123]},{"name":"XCN_OID_SORTED_CTL","features":[123]},{"name":"XCN_OID_STATE_OR_PROVINCE_NAME","features":[123]},{"name":"XCN_OID_STREET_ADDRESS","features":[123]},{"name":"XCN_OID_SUBJECT_ALT_NAME","features":[123]},{"name":"XCN_OID_SUBJECT_ALT_NAME2","features":[123]},{"name":"XCN_OID_SUBJECT_DIR_ATTRS","features":[123]},{"name":"XCN_OID_SUBJECT_INFO_ACCESS","features":[123]},{"name":"XCN_OID_SUBJECT_KEY_IDENTIFIER","features":[123]},{"name":"XCN_OID_SUPPORTED_APPLICATION_CONTEXT","features":[123]},{"name":"XCN_OID_SUR_NAME","features":[123]},{"name":"XCN_OID_TELEPHONE_NUMBER","features":[123]},{"name":"XCN_OID_TELETEXT_TERMINAL_IDENTIFIER","features":[123]},{"name":"XCN_OID_TELEX_NUMBER","features":[123]},{"name":"XCN_OID_TIMESTAMP_TOKEN","features":[123]},{"name":"XCN_OID_TITLE","features":[123]},{"name":"XCN_OID_USER_CERTIFICATE","features":[123]},{"name":"XCN_OID_USER_PASSWORD","features":[123]},{"name":"XCN_OID_VERISIGN_BITSTRING_6_13","features":[123]},{"name":"XCN_OID_VERISIGN_ISS_STRONG_CRYPTO","features":[123]},{"name":"XCN_OID_VERISIGN_ONSITE_JURISDICTION_HASH","features":[123]},{"name":"XCN_OID_VERISIGN_PRIVATE_6_9","features":[123]},{"name":"XCN_OID_WHQL_CRYPTO","features":[123]},{"name":"XCN_OID_X21_ADDRESS","features":[123]},{"name":"XCN_OID_X957","features":[123]},{"name":"XCN_OID_X957_DSA","features":[123]},{"name":"XCN_OID_X957_SHA1DSA","features":[123]},{"name":"XCN_OID_YESNO_TRUST_ATTR","features":[123]},{"name":"XCN_PROPERTYID_NONE","features":[123]},{"name":"XCN_PROV_DH_SCHANNEL","features":[123]},{"name":"XCN_PROV_DSS","features":[123]},{"name":"XCN_PROV_DSS_DH","features":[123]},{"name":"XCN_PROV_EC_ECDSA_FULL","features":[123]},{"name":"XCN_PROV_EC_ECDSA_SIG","features":[123]},{"name":"XCN_PROV_EC_ECNRA_FULL","features":[123]},{"name":"XCN_PROV_EC_ECNRA_SIG","features":[123]},{"name":"XCN_PROV_FORTEZZA","features":[123]},{"name":"XCN_PROV_INTEL_SEC","features":[123]},{"name":"XCN_PROV_MS_EXCHANGE","features":[123]},{"name":"XCN_PROV_NONE","features":[123]},{"name":"XCN_PROV_REPLACE_OWF","features":[123]},{"name":"XCN_PROV_RNG","features":[123]},{"name":"XCN_PROV_RSA_AES","features":[123]},{"name":"XCN_PROV_RSA_FULL","features":[123]},{"name":"XCN_PROV_RSA_SCHANNEL","features":[123]},{"name":"XCN_PROV_RSA_SIG","features":[123]},{"name":"XCN_PROV_SPYRUS_LYNKS","features":[123]},{"name":"XCN_PROV_SSL","features":[123]},{"name":"XECI_AUTOENROLL","features":[123]},{"name":"XECI_CERTREQ","features":[123]},{"name":"XECI_DISABLE","features":[123]},{"name":"XECI_REQWIZARD","features":[123]},{"name":"XECI_XENROLL","features":[123]},{"name":"XECP_STRING_PROPERTY","features":[123]},{"name":"XECR_CMC","features":[123]},{"name":"XECR_PKCS10_V1_5","features":[123]},{"name":"XECR_PKCS10_V2_0","features":[123]},{"name":"XECR_PKCS7","features":[123]},{"name":"XECT_EXTENSION_V1","features":[123]},{"name":"XECT_EXTENSION_V2","features":[123]},{"name":"XEKL_KEYSIZE","features":[123]},{"name":"XEKL_KEYSIZE_DEFAULT","features":[123]},{"name":"XEKL_KEYSIZE_INC","features":[123]},{"name":"XEKL_KEYSIZE_MAX","features":[123]},{"name":"XEKL_KEYSIZE_MIN","features":[123]},{"name":"XEKL_KEYSPEC","features":[123]},{"name":"XEKL_KEYSPEC_KEYX","features":[123]},{"name":"XEKL_KEYSPEC_SIG","features":[123]},{"name":"XEPR_CADNS","features":[123]},{"name":"XEPR_CAFRIENDLYNAME","features":[123]},{"name":"XEPR_CANAME","features":[123]},{"name":"XEPR_DATE","features":[123]},{"name":"XEPR_ENUM_FIRST","features":[123]},{"name":"XEPR_HASH","features":[123]},{"name":"XEPR_REQUESTID","features":[123]},{"name":"XEPR_TEMPLATENAME","features":[123]},{"name":"XEPR_V1TEMPLATENAME","features":[123]},{"name":"XEPR_V2TEMPLATEOID","features":[123]},{"name":"XEPR_VERSION","features":[123]},{"name":"dwCAXCHGOVERLAPPERIODCOUNTDEFAULT","features":[123]},{"name":"dwCAXCHGVALIDITYPERIODCOUNTDEFAULT","features":[123]},{"name":"dwCRLDELTAOVERLAPPERIODCOUNTDEFAULT","features":[123]},{"name":"dwCRLDELTAPERIODCOUNTDEFAULT","features":[123]},{"name":"dwCRLOVERLAPPERIODCOUNTDEFAULT","features":[123]},{"name":"dwCRLPERIODCOUNTDEFAULT","features":[123]},{"name":"dwVALIDITYPERIODCOUNTDEFAULT_ENTERPRISE","features":[123]},{"name":"dwVALIDITYPERIODCOUNTDEFAULT_ROOT","features":[123]},{"name":"dwVALIDITYPERIODCOUNTDEFAULT_STANDALONE","features":[123]},{"name":"szBACKUPANNOTATION","features":[123]},{"name":"szDBBASENAMEPARM","features":[123]},{"name":"szNAMESEPARATORDEFAULT","features":[123]},{"name":"szPROPASNTAG","features":[123]},{"name":"szRESTOREANNOTATION","features":[123]},{"name":"wszAT_EKCERTINF","features":[123]},{"name":"wszAT_TESTROOT","features":[123]},{"name":"wszCAPOLICYFILE","features":[123]},{"name":"wszCERTEXITMODULE_POSTFIX","features":[123]},{"name":"wszCERTIFICATETRANSPARENCYFLAGS","features":[123]},{"name":"wszCERTMANAGE_SUFFIX","features":[123]},{"name":"wszCERTPOLICYMODULE_POSTFIX","features":[123]},{"name":"wszCERT_TYPE","features":[123]},{"name":"wszCERT_TYPE_CLIENT","features":[123]},{"name":"wszCERT_TYPE_CODESIGN","features":[123]},{"name":"wszCERT_TYPE_CUSTOMER","features":[123]},{"name":"wszCERT_TYPE_MERCHANT","features":[123]},{"name":"wszCERT_TYPE_PAYMENT","features":[123]},{"name":"wszCERT_TYPE_SERVER","features":[123]},{"name":"wszCERT_VERSION","features":[123]},{"name":"wszCERT_VERSION_1","features":[123]},{"name":"wszCERT_VERSION_2","features":[123]},{"name":"wszCERT_VERSION_3","features":[123]},{"name":"wszCLASS_CERTADMIN","features":[123]},{"name":"wszCLASS_CERTCONFIG","features":[123]},{"name":"wszCLASS_CERTDBMEM","features":[123]},{"name":"wszCLASS_CERTENCODE","features":[123]},{"name":"wszCLASS_CERTGETCONFIG","features":[123]},{"name":"wszCLASS_CERTREQUEST","features":[123]},{"name":"wszCLASS_CERTSERVEREXIT","features":[123]},{"name":"wszCLASS_CERTSERVERPOLICY","features":[123]},{"name":"wszCLASS_CERTVIEW","features":[123]},{"name":"wszCMM_PROP_COPYRIGHT","features":[123]},{"name":"wszCMM_PROP_DESCRIPTION","features":[123]},{"name":"wszCMM_PROP_DISPLAY_HWND","features":[123]},{"name":"wszCMM_PROP_FILEVER","features":[123]},{"name":"wszCMM_PROP_ISMULTITHREADED","features":[123]},{"name":"wszCMM_PROP_NAME","features":[123]},{"name":"wszCMM_PROP_PRODUCTVER","features":[123]},{"name":"wszCNGENCRYPTIONALGORITHM","features":[123]},{"name":"wszCNGHASHALGORITHM","features":[123]},{"name":"wszCNGPUBLICKEYALGORITHM","features":[123]},{"name":"wszCONFIG_AUTHORITY","features":[123]},{"name":"wszCONFIG_COMMENT","features":[123]},{"name":"wszCONFIG_COMMONNAME","features":[123]},{"name":"wszCONFIG_CONFIG","features":[123]},{"name":"wszCONFIG_COUNTRY","features":[123]},{"name":"wszCONFIG_DESCRIPTION","features":[123]},{"name":"wszCONFIG_EXCHANGECERTIFICATE","features":[123]},{"name":"wszCONFIG_FLAGS","features":[123]},{"name":"wszCONFIG_LOCALITY","features":[123]},{"name":"wszCONFIG_ORGANIZATION","features":[123]},{"name":"wszCONFIG_ORGUNIT","features":[123]},{"name":"wszCONFIG_SANITIZEDNAME","features":[123]},{"name":"wszCONFIG_SANITIZEDSHORTNAME","features":[123]},{"name":"wszCONFIG_SERVER","features":[123]},{"name":"wszCONFIG_SHORTNAME","features":[123]},{"name":"wszCONFIG_SIGNATURECERTIFICATE","features":[123]},{"name":"wszCONFIG_STATE","features":[123]},{"name":"wszCONFIG_WEBENROLLMENTSERVERS","features":[123]},{"name":"wszCRLPUBLISHRETRYCOUNT","features":[123]},{"name":"wszCRTFILENAMEEXT","features":[123]},{"name":"wszDATFILENAMEEXT","features":[123]},{"name":"wszDBBACKUPCERTBACKDAT","features":[123]},{"name":"wszDBBACKUPSUBDIR","features":[123]},{"name":"wszDBFILENAMEEXT","features":[123]},{"name":"wszENCRYPTIONALGORITHM","features":[123]},{"name":"wszENROLLMENTAGENTRIGHTS","features":[123]},{"name":"wszHASHALGORITHM","features":[123]},{"name":"wszINFKEY_ALTERNATESIGNATUREALGORITHM","features":[123]},{"name":"wszINFKEY_ATTESTPRIVATEKEY","features":[123]},{"name":"wszINFKEY_CACAPABILITIES","features":[123]},{"name":"wszINFKEY_CACERTS","features":[123]},{"name":"wszINFKEY_CATHUMBPRINT","features":[123]},{"name":"wszINFKEY_CCDPSYNCDELTATIME","features":[123]},{"name":"wszINFKEY_CHALLENGEPASSWORD","features":[123]},{"name":"wszINFKEY_CONTINUE","features":[123]},{"name":"wszINFKEY_CRITICAL","features":[123]},{"name":"wszINFKEY_CRLDELTAPERIODCOUNT","features":[123]},{"name":"wszINFKEY_CRLDELTAPERIODSTRING","features":[123]},{"name":"wszINFKEY_CRLPERIODCOUNT","features":[123]},{"name":"wszINFKEY_CRLPERIODSTRING","features":[123]},{"name":"wszINFKEY_DIRECTORYNAME","features":[123]},{"name":"wszINFKEY_DNS","features":[123]},{"name":"wszINFKEY_ECCKEYPARAMETERS","features":[123]},{"name":"wszINFKEY_ECCKEYPARAMETERSTYPE","features":[123]},{"name":"wszINFKEY_ECCKEYPARAMETERS_A","features":[123]},{"name":"wszINFKEY_ECCKEYPARAMETERS_B","features":[123]},{"name":"wszINFKEY_ECCKEYPARAMETERS_BASE","features":[123]},{"name":"wszINFKEY_ECCKEYPARAMETERS_COFACTOR","features":[123]},{"name":"wszINFKEY_ECCKEYPARAMETERS_ORDER","features":[123]},{"name":"wszINFKEY_ECCKEYPARAMETERS_P","features":[123]},{"name":"wszINFKEY_ECCKEYPARAMETERS_SEED","features":[123]},{"name":"wszINFKEY_EMAIL","features":[123]},{"name":"wszINFKEY_EMPTY","features":[123]},{"name":"wszINFKEY_ENABLEKEYCOUNTING","features":[123]},{"name":"wszINFKEY_ENCRYPTIONALGORITHM","features":[123]},{"name":"wszINFKEY_ENCRYPTIONLENGTH","features":[123]},{"name":"wszINFKEY_EXCLUDE","features":[123]},{"name":"wszINFKEY_EXPORTABLE","features":[123]},{"name":"wszINFKEY_EXPORTABLEENCRYPTED","features":[123]},{"name":"wszINFKEY_FLAGS","features":[123]},{"name":"wszINFKEY_FORCEUTF8","features":[123]},{"name":"wszINFKEY_FRIENDLYNAME","features":[123]},{"name":"wszINFKEY_HASHALGORITHM","features":[123]},{"name":"wszINFKEY_INCLUDE","features":[123]},{"name":"wszINFKEY_INHIBITPOLICYMAPPING","features":[123]},{"name":"wszINFKEY_IPADDRESS","features":[123]},{"name":"wszINFKEY_KEYALGORITHM","features":[123]},{"name":"wszINFKEY_KEYALGORITHMPARMETERS","features":[123]},{"name":"wszINFKEY_KEYCONTAINER","features":[123]},{"name":"wszINFKEY_KEYLENGTH","features":[123]},{"name":"wszINFKEY_KEYPROTECTION","features":[123]},{"name":"wszINFKEY_KEYUSAGEEXTENSION","features":[123]},{"name":"wszINFKEY_KEYUSAGEPROPERTY","features":[123]},{"name":"wszINFKEY_LEGACYKEYSPEC","features":[123]},{"name":"wszINFKEY_LOADDEFAULTTEMPLATES","features":[123]},{"name":"wszINFKEY_MACHINEKEYSET","features":[123]},{"name":"wszINFKEY_NOTAFTER","features":[123]},{"name":"wszINFKEY_NOTBEFORE","features":[123]},{"name":"wszINFKEY_NOTICE","features":[123]},{"name":"wszINFKEY_OID","features":[123]},{"name":"wszINFKEY_OTHERNAME","features":[123]},{"name":"wszINFKEY_PATHLENGTH","features":[123]},{"name":"wszINFKEY_POLICIES","features":[123]},{"name":"wszINFKEY_PRIVATEKEYARCHIVE","features":[123]},{"name":"wszINFKEY_PROVIDERNAME","features":[123]},{"name":"wszINFKEY_PROVIDERTYPE","features":[123]},{"name":"wszINFKEY_PUBLICKEY","features":[123]},{"name":"wszINFKEY_PUBLICKEYPARAMETERS","features":[123]},{"name":"wszINFKEY_READERNAME","features":[123]},{"name":"wszINFKEY_REGISTEREDID","features":[123]},{"name":"wszINFKEY_RENEWALCERT","features":[123]},{"name":"wszINFKEY_RENEWALKEYLENGTH","features":[123]},{"name":"wszINFKEY_RENEWALVALIDITYPERIODCOUNT","features":[123]},{"name":"wszINFKEY_RENEWALVALIDITYPERIODSTRING","features":[123]},{"name":"wszINFKEY_REQUESTTYPE","features":[123]},{"name":"wszINFKEY_REQUIREEXPLICITPOLICY","features":[123]},{"name":"wszINFKEY_SECURITYDESCRIPTOR","features":[123]},{"name":"wszINFKEY_SERIALNUMBER","features":[123]},{"name":"wszINFKEY_SHOWALLCSPS","features":[123]},{"name":"wszINFKEY_SILENT","features":[123]},{"name":"wszINFKEY_SMIME","features":[123]},{"name":"wszINFKEY_SUBJECT","features":[123]},{"name":"wszINFKEY_SUBJECTNAMEFLAGS","features":[123]},{"name":"wszINFKEY_SUBTREE","features":[123]},{"name":"wszINFKEY_SUPPRESSDEFAULTS","features":[123]},{"name":"wszINFKEY_UICONTEXTMESSAGE","features":[123]},{"name":"wszINFKEY_UPN","features":[123]},{"name":"wszINFKEY_URL","features":[123]},{"name":"wszINFKEY_USEEXISTINGKEY","features":[123]},{"name":"wszINFKEY_USERPROTECTED","features":[123]},{"name":"wszINFKEY_UTF8","features":[123]},{"name":"wszINFKEY_X500NAMEFLAGS","features":[123]},{"name":"wszINFSECTION_AIA","features":[123]},{"name":"wszINFSECTION_APPLICATIONPOLICYCONSTRAINTS","features":[123]},{"name":"wszINFSECTION_APPLICATIONPOLICYMAPPINGS","features":[123]},{"name":"wszINFSECTION_APPLICATIONPOLICYSTATEMENT","features":[123]},{"name":"wszINFSECTION_BASICCONSTRAINTS","features":[123]},{"name":"wszINFSECTION_CAPOLICY","features":[123]},{"name":"wszINFSECTION_CCDP","features":[123]},{"name":"wszINFSECTION_CDP","features":[123]},{"name":"wszINFSECTION_CERTSERVER","features":[123]},{"name":"wszINFSECTION_EKU","features":[123]},{"name":"wszINFSECTION_EXTENSIONS","features":[123]},{"name":"wszINFSECTION_NAMECONSTRAINTS","features":[123]},{"name":"wszINFSECTION_NEWREQUEST","features":[123]},{"name":"wszINFSECTION_POLICYCONSTRAINTS","features":[123]},{"name":"wszINFSECTION_POLICYMAPPINGS","features":[123]},{"name":"wszINFSECTION_POLICYSTATEMENT","features":[123]},{"name":"wszINFSECTION_PROPERTIES","features":[123]},{"name":"wszINFSECTION_REQUESTATTRIBUTES","features":[123]},{"name":"wszINFVALUE_ENDORSEMENTKEY","features":[123]},{"name":"wszINFVALUE_REQUESTTYPE_CERT","features":[123]},{"name":"wszINFVALUE_REQUESTTYPE_CMC","features":[123]},{"name":"wszINFVALUE_REQUESTTYPE_PKCS10","features":[123]},{"name":"wszINFVALUE_REQUESTTYPE_PKCS7","features":[123]},{"name":"wszINFVALUE_REQUESTTYPE_SCEP","features":[123]},{"name":"wszLDAPSESSIONOPTIONVALUE","features":[123]},{"name":"wszLOCALIZEDTIMEPERIODUNITS","features":[123]},{"name":"wszLOGFILENAMEEXT","features":[123]},{"name":"wszLOGPATH","features":[123]},{"name":"wszMACHINEKEYSET","features":[123]},{"name":"wszMICROSOFTCERTMODULE_PREFIX","features":[123]},{"name":"wszNETSCAPEREVOCATIONTYPE","features":[123]},{"name":"wszOCSPCAPROP_CACERTIFICATE","features":[123]},{"name":"wszOCSPCAPROP_CACONFIG","features":[123]},{"name":"wszOCSPCAPROP_CSPNAME","features":[123]},{"name":"wszOCSPCAPROP_ERRORCODE","features":[123]},{"name":"wszOCSPCAPROP_HASHALGORITHMID","features":[123]},{"name":"wszOCSPCAPROP_KEYSPEC","features":[123]},{"name":"wszOCSPCAPROP_LOCALREVOCATIONINFORMATION","features":[123]},{"name":"wszOCSPCAPROP_PROVIDERCLSID","features":[123]},{"name":"wszOCSPCAPROP_PROVIDERPROPERTIES","features":[123]},{"name":"wszOCSPCAPROP_REMINDERDURATION","features":[123]},{"name":"wszOCSPCAPROP_SIGNINGCERTIFICATE","features":[123]},{"name":"wszOCSPCAPROP_SIGNINGCERTIFICATETEMPLATE","features":[123]},{"name":"wszOCSPCAPROP_SIGNINGFLAGS","features":[123]},{"name":"wszOCSPCOMMONPROP_MAXINCOMINGMESSAGESIZE","features":[123]},{"name":"wszOCSPCOMMONPROP_MAXNUMOFREQUESTENTRIES","features":[123]},{"name":"wszOCSPCOMMONPROP_REQFLAGS","features":[123]},{"name":"wszOCSPISAPIPROP_DEBUG","features":[123]},{"name":"wszOCSPISAPIPROP_MAXAGE","features":[123]},{"name":"wszOCSPISAPIPROP_MAXNUMOFCACHEENTRIES","features":[123]},{"name":"wszOCSPISAPIPROP_NUMOFBACKENDCONNECTIONS","features":[123]},{"name":"wszOCSPISAPIPROP_NUMOFTHREADS","features":[123]},{"name":"wszOCSPISAPIPROP_REFRESHRATE","features":[123]},{"name":"wszOCSPISAPIPROP_VIRTUALROOTNAME","features":[123]},{"name":"wszOCSPPROP_ARRAYCONTROLLER","features":[123]},{"name":"wszOCSPPROP_ARRAYMEMBERS","features":[123]},{"name":"wszOCSPPROP_AUDITFILTER","features":[123]},{"name":"wszOCSPPROP_DEBUG","features":[123]},{"name":"wszOCSPPROP_ENROLLPOLLINTERVAL","features":[123]},{"name":"wszOCSPPROP_LOGLEVEL","features":[123]},{"name":"wszOCSPREVPROP_BASECRL","features":[123]},{"name":"wszOCSPREVPROP_BASECRLURLS","features":[123]},{"name":"wszOCSPREVPROP_CRLURLTIMEOUT","features":[123]},{"name":"wszOCSPREVPROP_DELTACRL","features":[123]},{"name":"wszOCSPREVPROP_DELTACRLURLS","features":[123]},{"name":"wszOCSPREVPROP_ERRORCODE","features":[123]},{"name":"wszOCSPREVPROP_REFRESHTIMEOUT","features":[123]},{"name":"wszOCSPREVPROP_SERIALNUMBERSDIRS","features":[123]},{"name":"wszPERIODDAYS","features":[123]},{"name":"wszPERIODHOURS","features":[123]},{"name":"wszPERIODMINUTES","features":[123]},{"name":"wszPERIODMONTHS","features":[123]},{"name":"wszPERIODSECONDS","features":[123]},{"name":"wszPERIODWEEKS","features":[123]},{"name":"wszPERIODYEARS","features":[123]},{"name":"wszPFXFILENAMEEXT","features":[123]},{"name":"wszPROPATTESTATIONCHALLENGE","features":[123]},{"name":"wszPROPATTRIBNAME","features":[123]},{"name":"wszPROPATTRIBREQUESTID","features":[123]},{"name":"wszPROPATTRIBVALUE","features":[123]},{"name":"wszPROPCALLERNAME","features":[123]},{"name":"wszPROPCATYPE","features":[123]},{"name":"wszPROPCERTCLIENTMACHINE","features":[123]},{"name":"wszPROPCERTCOUNT","features":[123]},{"name":"wszPROPCERTIFICATEENROLLMENTFLAGS","features":[123]},{"name":"wszPROPCERTIFICATEGENERALFLAGS","features":[123]},{"name":"wszPROPCERTIFICATEHASH","features":[123]},{"name":"wszPROPCERTIFICATENOTAFTERDATE","features":[123]},{"name":"wszPROPCERTIFICATENOTBEFOREDATE","features":[123]},{"name":"wszPROPCERTIFICATEPRIVATEKEYFLAGS","features":[123]},{"name":"wszPROPCERTIFICATEPUBLICKEYALGORITHM","features":[123]},{"name":"wszPROPCERTIFICATEPUBLICKEYLENGTH","features":[123]},{"name":"wszPROPCERTIFICATERAWPUBLICKEY","features":[123]},{"name":"wszPROPCERTIFICATERAWPUBLICKEYALGORITHMPARAMETERS","features":[123]},{"name":"wszPROPCERTIFICATERAWSMIMECAPABILITIES","features":[123]},{"name":"wszPROPCERTIFICATEREQUESTID","features":[123]},{"name":"wszPROPCERTIFICATESERIALNUMBER","features":[123]},{"name":"wszPROPCERTIFICATESUBJECTKEYIDENTIFIER","features":[123]},{"name":"wszPROPCERTIFICATETEMPLATE","features":[123]},{"name":"wszPROPCERTIFICATETYPE","features":[123]},{"name":"wszPROPCERTIFICATEUPN","features":[123]},{"name":"wszPROPCERTSTATE","features":[123]},{"name":"wszPROPCERTSUFFIX","features":[123]},{"name":"wszPROPCERTTEMPLATE","features":[123]},{"name":"wszPROPCERTTYPE","features":[123]},{"name":"wszPROPCERTUSAGE","features":[123]},{"name":"wszPROPCHALLENGE","features":[123]},{"name":"wszPROPCLIENTBROWSERMACHINE","features":[123]},{"name":"wszPROPCLIENTDCDNS","features":[123]},{"name":"wszPROPCOMMONNAME","features":[123]},{"name":"wszPROPCONFIGDN","features":[123]},{"name":"wszPROPCOUNTRY","features":[123]},{"name":"wszPROPCRITICALTAG","features":[123]},{"name":"wszPROPCRLCOUNT","features":[123]},{"name":"wszPROPCRLEFFECTIVE","features":[123]},{"name":"wszPROPCRLINDEX","features":[123]},{"name":"wszPROPCRLLASTPUBLISHED","features":[123]},{"name":"wszPROPCRLMINBASE","features":[123]},{"name":"wszPROPCRLNAMEID","features":[123]},{"name":"wszPROPCRLNEXTPUBLISH","features":[123]},{"name":"wszPROPCRLNEXTUPDATE","features":[123]},{"name":"wszPROPCRLNUMBER","features":[123]},{"name":"wszPROPCRLPROPAGATIONCOMPLETE","features":[123]},{"name":"wszPROPCRLPUBLISHATTEMPTS","features":[123]},{"name":"wszPROPCRLPUBLISHERROR","features":[123]},{"name":"wszPROPCRLPUBLISHFLAGS","features":[123]},{"name":"wszPROPCRLPUBLISHSTATUSCODE","features":[123]},{"name":"wszPROPCRLRAWCRL","features":[123]},{"name":"wszPROPCRLROWID","features":[123]},{"name":"wszPROPCRLSTATE","features":[123]},{"name":"wszPROPCRLSUFFIX","features":[123]},{"name":"wszPROPCRLTHISPUBLISH","features":[123]},{"name":"wszPROPCRLTHISUPDATE","features":[123]},{"name":"wszPROPCROSSFOREST","features":[123]},{"name":"wszPROPDCNAME","features":[123]},{"name":"wszPROPDECIMALTAG","features":[123]},{"name":"wszPROPDELTACRLSDISABLED","features":[123]},{"name":"wszPROPDEVICESERIALNUMBER","features":[123]},{"name":"wszPROPDISPOSITION","features":[123]},{"name":"wszPROPDISPOSITIONDENY","features":[123]},{"name":"wszPROPDISPOSITIONPENDING","features":[123]},{"name":"wszPROPDISTINGUISHEDNAME","features":[123]},{"name":"wszPROPDN","features":[123]},{"name":"wszPROPDNS","features":[123]},{"name":"wszPROPDOMAINCOMPONENT","features":[123]},{"name":"wszPROPDOMAINDN","features":[123]},{"name":"wszPROPEMAIL","features":[123]},{"name":"wszPROPENDORSEMENTCERTIFICATEHASH","features":[123]},{"name":"wszPROPENDORSEMENTKEYHASH","features":[123]},{"name":"wszPROPEVENTLOGERROR","features":[123]},{"name":"wszPROPEVENTLOGEXHAUSTIVE","features":[123]},{"name":"wszPROPEVENTLOGTERSE","features":[123]},{"name":"wszPROPEVENTLOGVERBOSE","features":[123]},{"name":"wszPROPEVENTLOGWARNING","features":[123]},{"name":"wszPROPEXITCERTFILE","features":[123]},{"name":"wszPROPEXPECTEDCHALLENGE","features":[123]},{"name":"wszPROPEXPIRATIONDATE","features":[123]},{"name":"wszPROPEXTFLAGS","features":[123]},{"name":"wszPROPEXTNAME","features":[123]},{"name":"wszPROPEXTRAWVALUE","features":[123]},{"name":"wszPROPEXTREQUESTID","features":[123]},{"name":"wszPROPFILETAG","features":[123]},{"name":"wszPROPGIVENNAME","features":[123]},{"name":"wszPROPGUID","features":[123]},{"name":"wszPROPHEXTAG","features":[123]},{"name":"wszPROPINITIALS","features":[123]},{"name":"wszPROPIPADDRESS","features":[123]},{"name":"wszPROPKEYARCHIVED","features":[123]},{"name":"wszPROPLOCALITY","features":[123]},{"name":"wszPROPLOGLEVEL","features":[123]},{"name":"wszPROPMACHINEDNSNAME","features":[123]},{"name":"wszPROPMODULEREGLOC","features":[123]},{"name":"wszPROPNAMETYPE","features":[123]},{"name":"wszPROPOCTETTAG","features":[123]},{"name":"wszPROPOFFICER","features":[123]},{"name":"wszPROPOID","features":[123]},{"name":"wszPROPORGANIZATION","features":[123]},{"name":"wszPROPORGUNIT","features":[123]},{"name":"wszPROPPUBLISHEXPIREDCERTINCRL","features":[123]},{"name":"wszPROPRAWCACERTIFICATE","features":[123]},{"name":"wszPROPRAWCERTIFICATE","features":[123]},{"name":"wszPROPRAWCRL","features":[123]},{"name":"wszPROPRAWDELTACRL","features":[123]},{"name":"wszPROPRAWNAME","features":[123]},{"name":"wszPROPRAWPRECERTIFICATE","features":[123]},{"name":"wszPROPREQUESTARCHIVEDKEY","features":[123]},{"name":"wszPROPREQUESTATTRIBUTES","features":[123]},{"name":"wszPROPREQUESTCSPPROVIDER","features":[123]},{"name":"wszPROPREQUESTDISPOSITION","features":[123]},{"name":"wszPROPREQUESTDISPOSITIONMESSAGE","features":[123]},{"name":"wszPROPREQUESTDOT","features":[123]},{"name":"wszPROPREQUESTERCAACCESS","features":[123]},{"name":"wszPROPREQUESTERDN","features":[123]},{"name":"wszPROPREQUESTERNAME","features":[123]},{"name":"wszPROPREQUESTERNAMEFROMOLDCERTIFICATE","features":[123]},{"name":"wszPROPREQUESTERSAMNAME","features":[123]},{"name":"wszPROPREQUESTERUPN","features":[123]},{"name":"wszPROPREQUESTFLAGS","features":[123]},{"name":"wszPROPREQUESTKEYRECOVERYHASHES","features":[123]},{"name":"wszPROPREQUESTMACHINEDNS","features":[123]},{"name":"wszPROPREQUESTOSVERSION","features":[123]},{"name":"wszPROPREQUESTRAWARCHIVEDKEY","features":[123]},{"name":"wszPROPREQUESTRAWOLDCERTIFICATE","features":[123]},{"name":"wszPROPREQUESTRAWREQUEST","features":[123]},{"name":"wszPROPREQUESTREQUESTID","features":[123]},{"name":"wszPROPREQUESTRESOLVEDWHEN","features":[123]},{"name":"wszPROPREQUESTREVOKEDEFFECTIVEWHEN","features":[123]},{"name":"wszPROPREQUESTREVOKEDREASON","features":[123]},{"name":"wszPROPREQUESTREVOKEDWHEN","features":[123]},{"name":"wszPROPREQUESTSTATUSCODE","features":[123]},{"name":"wszPROPREQUESTSUBMITTEDWHEN","features":[123]},{"name":"wszPROPREQUESTTYPE","features":[123]},{"name":"wszPROPSANITIZEDCANAME","features":[123]},{"name":"wszPROPSANITIZEDSHORTNAME","features":[123]},{"name":"wszPROPSEAUDITFILTER","features":[123]},{"name":"wszPROPSEAUDITID","features":[123]},{"name":"wszPROPSERVERUPGRADED","features":[123]},{"name":"wszPROPSESSIONCOUNT","features":[123]},{"name":"wszPROPSIGNERAPPLICATIONPOLICIES","features":[123]},{"name":"wszPROPSIGNERPOLICIES","features":[123]},{"name":"wszPROPSTATE","features":[123]},{"name":"wszPROPSTREETADDRESS","features":[123]},{"name":"wszPROPSUBJECTALTNAME2","features":[123]},{"name":"wszPROPSUBJECTDOT","features":[123]},{"name":"wszPROPSURNAME","features":[123]},{"name":"wszPROPTEMPLATECHANGESEQUENCENUMBER","features":[123]},{"name":"wszPROPTEXTTAG","features":[123]},{"name":"wszPROPTITLE","features":[123]},{"name":"wszPROPUNSTRUCTUREDADDRESS","features":[123]},{"name":"wszPROPUNSTRUCTUREDNAME","features":[123]},{"name":"wszPROPUPN","features":[123]},{"name":"wszPROPURL","features":[123]},{"name":"wszPROPUSEDS","features":[123]},{"name":"wszPROPUSERDN","features":[123]},{"name":"wszPROPUTF8TAG","features":[123]},{"name":"wszPROPVALIDITYPERIODCOUNT","features":[123]},{"name":"wszPROPVALIDITYPERIODSTRING","features":[123]},{"name":"wszPROPVOLATILEMODE","features":[123]},{"name":"wszREGACTIVE","features":[123]},{"name":"wszREGAELOGLEVEL_OLD","features":[123]},{"name":"wszREGAIKCLOUDCAURL","features":[123]},{"name":"wszREGAIKKEYALGORITHM","features":[123]},{"name":"wszREGAIKKEYLENGTH","features":[123]},{"name":"wszREGALLPROVIDERS","features":[123]},{"name":"wszREGALTERNATEPUBLISHDOMAINS","features":[123]},{"name":"wszREGALTERNATESIGNATUREALGORITHM","features":[123]},{"name":"wszREGAUDITFILTER","features":[123]},{"name":"wszREGB2ICERTMANAGEMODULE","features":[123]},{"name":"wszREGBACKUPLOGDIRECTORY","features":[123]},{"name":"wszREGCACERTFILENAME","features":[123]},{"name":"wszREGCACERTHASH","features":[123]},{"name":"wszREGCACERTPUBLICATIONURLS","features":[123]},{"name":"wszREGCADESCRIPTION","features":[123]},{"name":"wszREGCAPATHLENGTH","features":[123]},{"name":"wszREGCASECURITY","features":[123]},{"name":"wszREGCASERIALNUMBER","features":[123]},{"name":"wszREGCASERVERNAME","features":[123]},{"name":"wszREGCATYPE","features":[123]},{"name":"wszREGCAUSEDS","features":[123]},{"name":"wszREGCAXCHGCERTHASH","features":[123]},{"name":"wszREGCAXCHGOVERLAPPERIODCOUNT","features":[123]},{"name":"wszREGCAXCHGOVERLAPPERIODSTRING","features":[123]},{"name":"wszREGCAXCHGVALIDITYPERIODCOUNT","features":[123]},{"name":"wszREGCAXCHGVALIDITYPERIODSTRING","features":[123]},{"name":"wszREGCERTENROLLCOMPATIBLE","features":[123]},{"name":"wszREGCERTIFICATETRANSPARENCYINFOOID","features":[123]},{"name":"wszREGCERTPUBLISHFLAGS","features":[123]},{"name":"wszREGCERTSRVDEBUG","features":[123]},{"name":"wszREGCHECKPOINTFILE","features":[123]},{"name":"wszREGCLOCKSKEWMINUTES","features":[123]},{"name":"wszREGCOMMONNAME","features":[123]},{"name":"wszREGCRLATTEMPTREPUBLISH","features":[123]},{"name":"wszREGCRLDELTANEXTPUBLISH","features":[123]},{"name":"wszREGCRLDELTAOVERLAPPERIODCOUNT","features":[123]},{"name":"wszREGCRLDELTAOVERLAPPERIODSTRING","features":[123]},{"name":"wszREGCRLDELTAPERIODCOUNT","features":[123]},{"name":"wszREGCRLDELTAPERIODSTRING","features":[123]},{"name":"wszREGCRLEDITFLAGS","features":[123]},{"name":"wszREGCRLFLAGS","features":[123]},{"name":"wszREGCRLNEXTPUBLISH","features":[123]},{"name":"wszREGCRLOVERLAPPERIODCOUNT","features":[123]},{"name":"wszREGCRLOVERLAPPERIODSTRING","features":[123]},{"name":"wszREGCRLPATH_OLD","features":[123]},{"name":"wszREGCRLPERIODCOUNT","features":[123]},{"name":"wszREGCRLPERIODSTRING","features":[123]},{"name":"wszREGCRLPUBLICATIONURLS","features":[123]},{"name":"wszREGDATABASERECOVERED","features":[123]},{"name":"wszREGDBDIRECTORY","features":[123]},{"name":"wszREGDBFLAGS","features":[123]},{"name":"wszREGDBLASTFULLBACKUP","features":[123]},{"name":"wszREGDBLASTINCREMENTALBACKUP","features":[123]},{"name":"wszREGDBLASTRECOVERY","features":[123]},{"name":"wszREGDBLOGDIRECTORY","features":[123]},{"name":"wszREGDBMAXREADSESSIONCOUNT","features":[123]},{"name":"wszREGDBSESSIONCOUNT","features":[123]},{"name":"wszREGDBSYSDIRECTORY","features":[123]},{"name":"wszREGDBTEMPDIRECTORY","features":[123]},{"name":"wszREGDEFAULTSMIME","features":[123]},{"name":"wszREGDIRECTORY","features":[123]},{"name":"wszREGDISABLEEXTENSIONLIST","features":[123]},{"name":"wszREGDSCONFIGDN","features":[123]},{"name":"wszREGDSDOMAINDN","features":[123]},{"name":"wszREGEDITFLAGS","features":[123]},{"name":"wszREGEKPUBLISTDIRECTORIES","features":[123]},{"name":"wszREGEKUOIDSFORPUBLISHEXPIREDCERTINCRL","features":[123]},{"name":"wszREGEKUOIDSFORVOLATILEREQUESTS","features":[123]},{"name":"wszREGENABLED","features":[123]},{"name":"wszREGENABLEDEKUFORDEFINEDCACERT","features":[123]},{"name":"wszREGENABLEENROLLEEREQUESTEXTENSIONLIST","features":[123]},{"name":"wszREGENABLEREQUESTEXTENSIONLIST","features":[123]},{"name":"wszREGENFORCEX500NAMELENGTHS","features":[123]},{"name":"wszREGENROLLFLAGS","features":[123]},{"name":"wszREGEXITBODYARG","features":[123]},{"name":"wszREGEXITBODYFORMAT","features":[123]},{"name":"wszREGEXITCRLISSUEDKEY","features":[123]},{"name":"wszREGEXITDENIEDKEY","features":[123]},{"name":"wszREGEXITIMPORTEDKEY","features":[123]},{"name":"wszREGEXITISSUEDKEY","features":[123]},{"name":"wszREGEXITPENDINGKEY","features":[123]},{"name":"wszREGEXITPROPNOTFOUND","features":[123]},{"name":"wszREGEXITREVOKEDKEY","features":[123]},{"name":"wszREGEXITSHUTDOWNKEY","features":[123]},{"name":"wszREGEXITSMTPAUTHENTICATE","features":[123]},{"name":"wszREGEXITSMTPCC","features":[123]},{"name":"wszREGEXITSMTPEVENTFILTER","features":[123]},{"name":"wszREGEXITSMTPFROM","features":[123]},{"name":"wszREGEXITSMTPKEY","features":[123]},{"name":"wszREGEXITSMTPSERVER","features":[123]},{"name":"wszREGEXITSMTPTEMPLATES","features":[123]},{"name":"wszREGEXITSMTPTO","features":[123]},{"name":"wszREGEXITSTARTUPKEY","features":[123]},{"name":"wszREGEXITTITLEARG","features":[123]},{"name":"wszREGEXITTITLEFORMAT","features":[123]},{"name":"wszREGFILEISSUERCERTURL_OLD","features":[123]},{"name":"wszREGFILEREVOCATIONCRLURL_OLD","features":[123]},{"name":"wszREGFORCETELETEX","features":[123]},{"name":"wszREGFTPISSUERCERTURL_OLD","features":[123]},{"name":"wszREGFTPREVOCATIONCRLURL_OLD","features":[123]},{"name":"wszREGHIGHLOGNUMBER","features":[123]},{"name":"wszREGHIGHSERIAL","features":[123]},{"name":"wszREGINTERFACEFLAGS","features":[123]},{"name":"wszREGISSUERCERTURLFLAGS","features":[123]},{"name":"wszREGISSUERCERTURL_OLD","features":[123]},{"name":"wszREGKEYBASE","features":[123]},{"name":"wszREGKEYCERTSVCPATH","features":[123]},{"name":"wszREGKEYCONFIG","features":[123]},{"name":"wszREGKEYCSP","features":[123]},{"name":"wszREGKEYDBPARAMETERS","features":[123]},{"name":"wszREGKEYENCRYPTIONCSP","features":[123]},{"name":"wszREGKEYENROLLMENT","features":[123]},{"name":"wszREGKEYEXITMODULES","features":[123]},{"name":"wszREGKEYGROUPPOLICYENROLLMENT","features":[123]},{"name":"wszREGKEYNOSYSTEMCERTSVCPATH","features":[123]},{"name":"wszREGKEYPOLICYMODULES","features":[123]},{"name":"wszREGKEYREPAIR","features":[123]},{"name":"wszREGKEYRESTOREINPROGRESS","features":[123]},{"name":"wszREGKEYSIZE","features":[123]},{"name":"wszREGKRACERTCOUNT","features":[123]},{"name":"wszREGKRACERTHASH","features":[123]},{"name":"wszREGKRAFLAGS","features":[123]},{"name":"wszREGLDAPFLAGS","features":[123]},{"name":"wszREGLDAPISSUERCERTURL_OLD","features":[123]},{"name":"wszREGLDAPREVOCATIONCRLURL_OLD","features":[123]},{"name":"wszREGLDAPREVOCATIONDNTEMPLATE_OLD","features":[123]},{"name":"wszREGLDAPREVOCATIONDN_OLD","features":[123]},{"name":"wszREGLDAPSESSIONOPTIONS","features":[123]},{"name":"wszREGLOGLEVEL","features":[123]},{"name":"wszREGLOGPATH","features":[123]},{"name":"wszREGLOWLOGNUMBER","features":[123]},{"name":"wszREGMAXINCOMINGALLOCSIZE","features":[123]},{"name":"wszREGMAXINCOMINGMESSAGESIZE","features":[123]},{"name":"wszREGMAXPENDINGREQUESTDAYS","features":[123]},{"name":"wszREGMAXSCTLISTSIZE","features":[123]},{"name":"wszREGNAMESEPARATOR","features":[123]},{"name":"wszREGNETSCAPECERTTYPE","features":[123]},{"name":"wszREGOFFICERRIGHTS","features":[123]},{"name":"wszREGPARENTCAMACHINE","features":[123]},{"name":"wszREGPARENTCANAME","features":[123]},{"name":"wszREGPOLICYFLAGS","features":[123]},{"name":"wszREGPRESERVESCEPDUMMYCERTS","features":[123]},{"name":"wszREGPROCESSINGFLAGS","features":[123]},{"name":"wszREGPROVIDER","features":[123]},{"name":"wszREGPROVIDERTYPE","features":[123]},{"name":"wszREGREQUESTDISPOSITION","features":[123]},{"name":"wszREGREQUESTFILENAME","features":[123]},{"name":"wszREGREQUESTID","features":[123]},{"name":"wszREGREQUESTKEYCONTAINER","features":[123]},{"name":"wszREGREQUESTKEYINDEX","features":[123]},{"name":"wszREGRESTOREMAP","features":[123]},{"name":"wszREGRESTOREMAPCOUNT","features":[123]},{"name":"wszREGRESTORESTATUS","features":[123]},{"name":"wszREGREVOCATIONCRLURL_OLD","features":[123]},{"name":"wszREGREVOCATIONTYPE","features":[123]},{"name":"wszREGREVOCATIONURL","features":[123]},{"name":"wszREGROLESEPARATIONENABLED","features":[123]},{"name":"wszREGSETUPSTATUS","features":[123]},{"name":"wszREGSP4DEFAULTCONFIGURATION","features":[123]},{"name":"wszREGSP4KEYSETNAME","features":[123]},{"name":"wszREGSP4NAMES","features":[123]},{"name":"wszREGSP4QUERIES","features":[123]},{"name":"wszREGSP4SUBJECTNAMESEPARATOR","features":[123]},{"name":"wszREGSUBJECTALTNAME","features":[123]},{"name":"wszREGSUBJECTALTNAME2","features":[123]},{"name":"wszREGSUBJECTTEMPLATE","features":[123]},{"name":"wszREGSYMMETRICKEYSIZE","features":[123]},{"name":"wszREGUNICODE","features":[123]},{"name":"wszREGUPNMAP","features":[123]},{"name":"wszREGUSEDEFINEDCACERTINREQ","features":[123]},{"name":"wszREGVALIDITYPERIODCOUNT","features":[123]},{"name":"wszREGVALIDITYPERIODSTRING","features":[123]},{"name":"wszREGVERIFYFLAGS","features":[123]},{"name":"wszREGVERSION","features":[123]},{"name":"wszREGVIEWAGEMINUTES","features":[123]},{"name":"wszREGVIEWIDLEMINUTES","features":[123]},{"name":"wszREGWEBCLIENTCAMACHINE","features":[123]},{"name":"wszREGWEBCLIENTCANAME","features":[123]},{"name":"wszREGWEBCLIENTCATYPE","features":[123]},{"name":"wszSECUREDATTRIBUTES","features":[123]},{"name":"wszSERVICE_NAME","features":[123]},{"name":"wszzDEFAULTSIGNEDATTRIBUTES","features":[123]}],"490":[{"name":"CryptSIPAddProvider","features":[1,122]},{"name":"CryptSIPCreateIndirectData","features":[1,121,122]},{"name":"CryptSIPGetCaps","features":[1,121,122]},{"name":"CryptSIPGetSealedDigest","features":[1,121,122]},{"name":"CryptSIPGetSignedDataMsg","features":[1,121,122]},{"name":"CryptSIPLoad","features":[1,121,122]},{"name":"CryptSIPPutSignedDataMsg","features":[1,121,122]},{"name":"CryptSIPRemoveProvider","features":[1,122]},{"name":"CryptSIPRemoveSignedDataMsg","features":[1,121,122]},{"name":"CryptSIPRetrieveSubjectGuid","features":[1,122]},{"name":"CryptSIPRetrieveSubjectGuidForCatalogFile","features":[1,122]},{"name":"CryptSIPVerifyIndirectData","features":[1,121,122]},{"name":"MSSIP_ADDINFO_BLOB","features":[122]},{"name":"MSSIP_ADDINFO_CATMEMBER","features":[122]},{"name":"MSSIP_ADDINFO_FLAT","features":[122]},{"name":"MSSIP_ADDINFO_NONE","features":[122]},{"name":"MSSIP_ADDINFO_NONMSSIP","features":[122]},{"name":"MSSIP_FLAGS_MULTI_HASH","features":[122]},{"name":"MSSIP_FLAGS_PROHIBIT_RESIZE_ON_CREATE","features":[122]},{"name":"MSSIP_FLAGS_USE_CATALOG","features":[122]},{"name":"MS_ADDINFO_BLOB","features":[122]},{"name":"MS_ADDINFO_FLAT","features":[122]},{"name":"SIP_ADD_NEWPROVIDER","features":[122]},{"name":"SIP_CAP_FLAG_SEALING","features":[122]},{"name":"SIP_CAP_SET_CUR_VER","features":[122]},{"name":"SIP_CAP_SET_V2","features":[1,122]},{"name":"SIP_CAP_SET_V3","features":[1,122]},{"name":"SIP_CAP_SET_VERSION_2","features":[122]},{"name":"SIP_CAP_SET_VERSION_3","features":[122]},{"name":"SIP_DISPATCH_INFO","features":[1,121,122]},{"name":"SIP_INDIRECT_DATA","features":[122]},{"name":"SIP_MAX_MAGIC_NUMBER","features":[122]},{"name":"SIP_SUBJECTINFO","features":[1,121,122]},{"name":"SPC_MARKER_CHECK_CURRENTLY_SUPPORTED_FLAGS","features":[122]},{"name":"SPC_MARKER_CHECK_SKIP_SIP_INDIRECT_DATA_FLAG","features":[122]},{"name":"SPC_RELAXED_PE_MARKER_CHECK","features":[122]},{"name":"pCryptSIPCreateIndirectData","features":[1,121,122]},{"name":"pCryptSIPGetCaps","features":[1,121,122]},{"name":"pCryptSIPGetSealedDigest","features":[1,121,122]},{"name":"pCryptSIPGetSignedDataMsg","features":[1,121,122]},{"name":"pCryptSIPPutSignedDataMsg","features":[1,121,122]},{"name":"pCryptSIPRemoveSignedDataMsg","features":[1,121,122]},{"name":"pCryptSIPVerifyIndirectData","features":[1,121,122]},{"name":"pfnIsFileSupported","features":[1,122]},{"name":"pfnIsFileSupportedName","features":[1,122]}],"491":[{"name":"ACTION_REVOCATION_DEFAULT_CACHE","features":[124]},{"name":"ACTION_REVOCATION_DEFAULT_ONLINE","features":[124]},{"name":"CERTVIEW_CRYPTUI_LPARAM","features":[124]},{"name":"CERT_CERTIFICATE_ACTION_VERIFY","features":[124]},{"name":"CERT_CREDENTIAL_PROVIDER_ID","features":[124]},{"name":"CERT_DISPWELL_DISTRUST_ADD_CA_CERT","features":[124]},{"name":"CERT_DISPWELL_DISTRUST_ADD_LEAF_CERT","features":[124]},{"name":"CERT_DISPWELL_DISTRUST_CA_CERT","features":[124]},{"name":"CERT_DISPWELL_DISTRUST_LEAF_CERT","features":[124]},{"name":"CERT_DISPWELL_SELECT","features":[124]},{"name":"CERT_DISPWELL_TRUST_ADD_CA_CERT","features":[124]},{"name":"CERT_DISPWELL_TRUST_ADD_LEAF_CERT","features":[124]},{"name":"CERT_DISPWELL_TRUST_CA_CERT","features":[124]},{"name":"CERT_DISPWELL_TRUST_LEAF_CERT","features":[124]},{"name":"CERT_FILTER_DATA","features":[124]},{"name":"CERT_FILTER_EXTENSION_MATCH","features":[124]},{"name":"CERT_FILTER_INCLUDE_V1_CERTS","features":[124]},{"name":"CERT_FILTER_ISSUER_CERTS_ONLY","features":[124]},{"name":"CERT_FILTER_KEY_EXISTS","features":[124]},{"name":"CERT_FILTER_LEAF_CERTS_ONLY","features":[124]},{"name":"CERT_FILTER_OP_EQUALITY","features":[124]},{"name":"CERT_FILTER_OP_EXISTS","features":[124]},{"name":"CERT_FILTER_OP_NOT_EXISTS","features":[124]},{"name":"CERT_FILTER_VALID_SIGNATURE","features":[124]},{"name":"CERT_FILTER_VALID_TIME_RANGE","features":[124]},{"name":"CERT_SELECTUI_INPUT","features":[1,124]},{"name":"CERT_SELECT_STRUCT_A","features":[1,124]},{"name":"CERT_SELECT_STRUCT_FLAGS","features":[124]},{"name":"CERT_SELECT_STRUCT_W","features":[1,124]},{"name":"CERT_TRUST_DO_FULL_SEARCH","features":[124]},{"name":"CERT_TRUST_DO_FULL_TRUST","features":[124]},{"name":"CERT_TRUST_MASK","features":[124]},{"name":"CERT_TRUST_PERMIT_MISSING_CRLS","features":[124]},{"name":"CERT_VALIDITY_AFTER_END","features":[124]},{"name":"CERT_VALIDITY_BEFORE_START","features":[124]},{"name":"CERT_VALIDITY_CERTIFICATE_REVOKED","features":[124]},{"name":"CERT_VALIDITY_CRL_OUT_OF_DATE","features":[124]},{"name":"CERT_VALIDITY_EXPLICITLY_DISTRUSTED","features":[124]},{"name":"CERT_VALIDITY_EXTENDED_USAGE_FAILURE","features":[124]},{"name":"CERT_VALIDITY_ISSUER_DISTRUST","features":[124]},{"name":"CERT_VALIDITY_ISSUER_INVALID","features":[124]},{"name":"CERT_VALIDITY_KEY_USAGE_EXT_FAILURE","features":[124]},{"name":"CERT_VALIDITY_MASK_TRUST","features":[124]},{"name":"CERT_VALIDITY_MASK_VALIDITY","features":[124]},{"name":"CERT_VALIDITY_NAME_CONSTRAINTS_FAILURE","features":[124]},{"name":"CERT_VALIDITY_NO_CRL_FOUND","features":[124]},{"name":"CERT_VALIDITY_NO_ISSUER_CERT_FOUND","features":[124]},{"name":"CERT_VALIDITY_NO_TRUST_DATA","features":[124]},{"name":"CERT_VALIDITY_OTHER_ERROR","features":[124]},{"name":"CERT_VALIDITY_OTHER_EXTENSION_FAILURE","features":[124]},{"name":"CERT_VALIDITY_PERIOD_NESTING_FAILURE","features":[124]},{"name":"CERT_VALIDITY_SIGNATURE_FAILS","features":[124]},{"name":"CERT_VALIDITY_UNKNOWN_CRITICAL_EXTENSION","features":[124]},{"name":"CERT_VERIFY_CERTIFICATE_TRUST","features":[1,124]},{"name":"CERT_VIEWPROPERTIES_STRUCT_A","features":[1,12,124,40,50]},{"name":"CERT_VIEWPROPERTIES_STRUCT_FLAGS","features":[124]},{"name":"CERT_VIEWPROPERTIES_STRUCT_W","features":[1,12,124,40,50]},{"name":"CM_ADD_CERT_STORES","features":[124]},{"name":"CM_ENABLEHOOK","features":[124]},{"name":"CM_ENABLETEMPLATE","features":[124]},{"name":"CM_HIDE_ADVANCEPAGE","features":[124]},{"name":"CM_HIDE_DETAILPAGE","features":[124]},{"name":"CM_HIDE_TRUSTPAGE","features":[124]},{"name":"CM_NO_EDITTRUST","features":[124]},{"name":"CM_NO_NAMECHANGE","features":[124]},{"name":"CM_SHOW_HELP","features":[124]},{"name":"CM_SHOW_HELPICON","features":[124]},{"name":"CM_VIEWFLAGS_MASK","features":[124]},{"name":"CRYPTDLG_ACTION_MASK","features":[124]},{"name":"CRYPTDLG_CACHE_ONLY_URL_RETRIEVAL","features":[124]},{"name":"CRYPTDLG_DISABLE_AIA","features":[124]},{"name":"CRYPTDLG_POLICY_MASK","features":[124]},{"name":"CRYPTDLG_REVOCATION_CACHE","features":[124]},{"name":"CRYPTDLG_REVOCATION_DEFAULT","features":[124]},{"name":"CRYPTDLG_REVOCATION_NONE","features":[124]},{"name":"CRYPTDLG_REVOCATION_ONLINE","features":[124]},{"name":"CRYPTUI_ACCEPT_DECLINE_STYLE","features":[124]},{"name":"CRYPTUI_CACHE_ONLY_URL_RETRIEVAL","features":[124]},{"name":"CRYPTUI_CERT_MGR_PUBLISHER_TAB","features":[124]},{"name":"CRYPTUI_CERT_MGR_SINGLE_TAB_FLAG","features":[124]},{"name":"CRYPTUI_CERT_MGR_STRUCT","features":[1,124]},{"name":"CRYPTUI_CERT_MGR_TAB_MASK","features":[124]},{"name":"CRYPTUI_DISABLE_ADDTOSTORE","features":[124]},{"name":"CRYPTUI_DISABLE_EDITPROPERTIES","features":[124]},{"name":"CRYPTUI_DISABLE_EXPORT","features":[124]},{"name":"CRYPTUI_DISABLE_HTMLLINK","features":[124]},{"name":"CRYPTUI_DISABLE_ISSUERSTATEMENT","features":[124]},{"name":"CRYPTUI_DONT_OPEN_STORES","features":[124]},{"name":"CRYPTUI_ENABLE_ADDTOSTORE","features":[124]},{"name":"CRYPTUI_ENABLE_EDITPROPERTIES","features":[124]},{"name":"CRYPTUI_ENABLE_REVOCATION_CHECKING","features":[124]},{"name":"CRYPTUI_ENABLE_REVOCATION_CHECK_CHAIN","features":[124]},{"name":"CRYPTUI_ENABLE_REVOCATION_CHECK_CHAIN_EXCLUDE_ROOT","features":[124]},{"name":"CRYPTUI_ENABLE_REVOCATION_CHECK_END_CERT","features":[124]},{"name":"CRYPTUI_HIDE_DETAILPAGE","features":[124]},{"name":"CRYPTUI_HIDE_HIERARCHYPAGE","features":[124]},{"name":"CRYPTUI_IGNORE_UNTRUSTED_ROOT","features":[124]},{"name":"CRYPTUI_INITDIALOG_STRUCT","features":[1,124]},{"name":"CRYPTUI_ONLY_OPEN_ROOT_STORE","features":[124]},{"name":"CRYPTUI_SELECT_EXPIRATION_COLUMN","features":[124]},{"name":"CRYPTUI_SELECT_FRIENDLYNAME_COLUMN","features":[124]},{"name":"CRYPTUI_SELECT_INTENDEDUSE_COLUMN","features":[124]},{"name":"CRYPTUI_SELECT_ISSUEDBY_COLUMN","features":[124]},{"name":"CRYPTUI_SELECT_ISSUEDTO_COLUMN","features":[124]},{"name":"CRYPTUI_SELECT_LOCATION_COLUMN","features":[124]},{"name":"CRYPTUI_VIEWCERTIFICATE_FLAGS","features":[124]},{"name":"CRYPTUI_VIEWCERTIFICATE_STRUCTA","features":[1,12,121,122,124,125,40,50]},{"name":"CRYPTUI_VIEWCERTIFICATE_STRUCTW","features":[1,12,121,122,124,125,40,50]},{"name":"CRYPTUI_WARN_REMOTE_TRUST","features":[124]},{"name":"CRYPTUI_WARN_UNTRUSTED_ROOT","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_ADDITIONAL_CERT_CHOICE","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_ADD_CHAIN","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_ADD_CHAIN_NO_ROOT","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_ADD_NONE","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_BLOB_INFO","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_CERT","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_CERT_PVK_INFO","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_COMMERCIAL","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_CONTEXT","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_EXCLUDE_PAGE_HASHES","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_EXTENDED_INFO","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_INCLUDE_PAGE_HASHES","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_INDIVIDUAL","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_INFO","features":[1,124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_NONE","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_PVK","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_PVK_FILE","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_PVK_FILE_INFO","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_PVK_OPTION","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_PVK_PROV","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_SIG_TYPE","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_STORE","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_STORE_INFO","features":[1,124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_SUBJECT","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_SUBJECT_BLOB","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_SUBJECT_FILE","features":[124]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_SUBJECT_NONE","features":[124]},{"name":"CRYPTUI_WIZ_EXPORT_CERTCONTEXT_INFO","features":[1,124]},{"name":"CRYPTUI_WIZ_EXPORT_CERT_CONTEXT","features":[124]},{"name":"CRYPTUI_WIZ_EXPORT_CERT_STORE","features":[124]},{"name":"CRYPTUI_WIZ_EXPORT_CERT_STORE_CERTIFICATES_ONLY","features":[124]},{"name":"CRYPTUI_WIZ_EXPORT_CRL_CONTEXT","features":[124]},{"name":"CRYPTUI_WIZ_EXPORT_CTL_CONTEXT","features":[124]},{"name":"CRYPTUI_WIZ_EXPORT_FORMAT","features":[124]},{"name":"CRYPTUI_WIZ_EXPORT_FORMAT_BASE64","features":[124]},{"name":"CRYPTUI_WIZ_EXPORT_FORMAT_CRL","features":[124]},{"name":"CRYPTUI_WIZ_EXPORT_FORMAT_CTL","features":[124]},{"name":"CRYPTUI_WIZ_EXPORT_FORMAT_DER","features":[124]},{"name":"CRYPTUI_WIZ_EXPORT_FORMAT_PFX","features":[124]},{"name":"CRYPTUI_WIZ_EXPORT_FORMAT_PKCS7","features":[124]},{"name":"CRYPTUI_WIZ_EXPORT_FORMAT_SERIALIZED_CERT_STORE","features":[124]},{"name":"CRYPTUI_WIZ_EXPORT_INFO","features":[1,124]},{"name":"CRYPTUI_WIZ_EXPORT_NO_DELETE_PRIVATE_KEY","features":[124]},{"name":"CRYPTUI_WIZ_EXPORT_PRIVATE_KEY","features":[124]},{"name":"CRYPTUI_WIZ_EXPORT_SUBJECT","features":[124]},{"name":"CRYPTUI_WIZ_FLAGS","features":[124]},{"name":"CRYPTUI_WIZ_IGNORE_NO_UI_FLAG_FOR_CSPS","features":[124]},{"name":"CRYPTUI_WIZ_IMPORT_ALLOW_CERT","features":[124]},{"name":"CRYPTUI_WIZ_IMPORT_ALLOW_CRL","features":[124]},{"name":"CRYPTUI_WIZ_IMPORT_ALLOW_CTL","features":[124]},{"name":"CRYPTUI_WIZ_IMPORT_NO_CHANGE_DEST_STORE","features":[124]},{"name":"CRYPTUI_WIZ_IMPORT_REMOTE_DEST_STORE","features":[124]},{"name":"CRYPTUI_WIZ_IMPORT_SRC_INFO","features":[1,124]},{"name":"CRYPTUI_WIZ_IMPORT_SUBJECT_CERT_CONTEXT","features":[124]},{"name":"CRYPTUI_WIZ_IMPORT_SUBJECT_CERT_STORE","features":[124]},{"name":"CRYPTUI_WIZ_IMPORT_SUBJECT_CRL_CONTEXT","features":[124]},{"name":"CRYPTUI_WIZ_IMPORT_SUBJECT_CTL_CONTEXT","features":[124]},{"name":"CRYPTUI_WIZ_IMPORT_SUBJECT_FILE","features":[124]},{"name":"CRYPTUI_WIZ_IMPORT_SUBJECT_OPTION","features":[124]},{"name":"CRYPTUI_WIZ_IMPORT_TO_CURRENTUSER","features":[124]},{"name":"CRYPTUI_WIZ_IMPORT_TO_LOCALMACHINE","features":[124]},{"name":"CRYPTUI_WIZ_NO_UI","features":[124]},{"name":"CRYPTUI_WIZ_NO_UI_EXCEPT_CSP","features":[124]},{"name":"CRYTPDLG_FLAGS_MASK","features":[124]},{"name":"CSS_ALLOWMULTISELECT","features":[124]},{"name":"CSS_ENABLEHOOK","features":[124]},{"name":"CSS_ENABLETEMPLATE","features":[124]},{"name":"CSS_ENABLETEMPLATEHANDLE","features":[124]},{"name":"CSS_HIDE_PROPERTIES","features":[124]},{"name":"CSS_SELECTCERT_MASK","features":[124]},{"name":"CSS_SHOW_HELP","features":[124]},{"name":"CTL_MODIFY_REQUEST","features":[1,124]},{"name":"CTL_MODIFY_REQUEST_ADD_NOT_TRUSTED","features":[124]},{"name":"CTL_MODIFY_REQUEST_ADD_TRUSTED","features":[124]},{"name":"CTL_MODIFY_REQUEST_OPERATION","features":[124]},{"name":"CTL_MODIFY_REQUEST_REMOVE","features":[124]},{"name":"CertSelectionGetSerializedBlob","features":[1,124]},{"name":"CryptUIDlgCertMgr","features":[1,124]},{"name":"CryptUIDlgSelectCertificateFromStore","features":[1,124]},{"name":"CryptUIDlgViewCertificateA","features":[1,12,121,122,124,125,40,50]},{"name":"CryptUIDlgViewCertificateW","features":[1,12,121,122,124,125,40,50]},{"name":"CryptUIDlgViewContext","features":[1,124]},{"name":"CryptUIWizDigitalSign","features":[1,124]},{"name":"CryptUIWizExport","features":[1,124]},{"name":"CryptUIWizFreeDigitalSignContext","features":[1,124]},{"name":"CryptUIWizImport","features":[1,124]},{"name":"PFNCFILTERPROC","features":[1,124]},{"name":"PFNCMFILTERPROC","features":[1,124]},{"name":"PFNCMHOOKPROC","features":[1,124]},{"name":"PFNTRUSTHELPER","features":[1,124]},{"name":"POLICY_IGNORE_NON_CRITICAL_BC","features":[124]},{"name":"SELCERT_ALGORITHM","features":[124]},{"name":"SELCERT_CERTLIST","features":[124]},{"name":"SELCERT_FINEPRINT","features":[124]},{"name":"SELCERT_ISSUED_TO","features":[124]},{"name":"SELCERT_PROPERTIES","features":[124]},{"name":"SELCERT_SERIAL_NUM","features":[124]},{"name":"SELCERT_THUMBPRINT","features":[124]},{"name":"SELCERT_VALIDITY","features":[124]},{"name":"szCERT_CERTIFICATE_ACTION_VERIFY","features":[124]}],"492":[{"name":"AllUserData","features":[126]},{"name":"CurrentUserData","features":[126]},{"name":"DIAGNOSTIC_DATA_EVENT_BINARY_STATS","features":[126]},{"name":"DIAGNOSTIC_DATA_EVENT_CATEGORY_DESCRIPTION","features":[126]},{"name":"DIAGNOSTIC_DATA_EVENT_PRODUCER_DESCRIPTION","features":[126]},{"name":"DIAGNOSTIC_DATA_EVENT_TAG_DESCRIPTION","features":[126]},{"name":"DIAGNOSTIC_DATA_EVENT_TAG_STATS","features":[126]},{"name":"DIAGNOSTIC_DATA_EVENT_TRANSCRIPT_CONFIGURATION","features":[126]},{"name":"DIAGNOSTIC_DATA_GENERAL_STATS","features":[126]},{"name":"DIAGNOSTIC_DATA_RECORD","features":[1,126]},{"name":"DIAGNOSTIC_DATA_SEARCH_CRITERIA","features":[1,126]},{"name":"DIAGNOSTIC_REPORT_DATA","features":[1,126]},{"name":"DIAGNOSTIC_REPORT_PARAMETER","features":[126]},{"name":"DIAGNOSTIC_REPORT_SIGNATURE","features":[126]},{"name":"DdqAccessLevel","features":[126]},{"name":"DdqCancelDiagnosticRecordOperation","features":[126]},{"name":"DdqCloseSession","features":[126]},{"name":"DdqCreateSession","features":[126]},{"name":"DdqExtractDiagnosticReport","features":[126]},{"name":"DdqFreeDiagnosticRecordLocaleTags","features":[126]},{"name":"DdqFreeDiagnosticRecordPage","features":[126]},{"name":"DdqFreeDiagnosticRecordProducerCategories","features":[126]},{"name":"DdqFreeDiagnosticRecordProducers","features":[126]},{"name":"DdqFreeDiagnosticReport","features":[126]},{"name":"DdqGetDiagnosticDataAccessLevelAllowed","features":[126]},{"name":"DdqGetDiagnosticRecordAtIndex","features":[1,126]},{"name":"DdqGetDiagnosticRecordBinaryDistribution","features":[126]},{"name":"DdqGetDiagnosticRecordCategoryAtIndex","features":[126]},{"name":"DdqGetDiagnosticRecordCategoryCount","features":[126]},{"name":"DdqGetDiagnosticRecordCount","features":[126]},{"name":"DdqGetDiagnosticRecordLocaleTagAtIndex","features":[126]},{"name":"DdqGetDiagnosticRecordLocaleTagCount","features":[126]},{"name":"DdqGetDiagnosticRecordLocaleTags","features":[126]},{"name":"DdqGetDiagnosticRecordPage","features":[1,126]},{"name":"DdqGetDiagnosticRecordPayload","features":[126]},{"name":"DdqGetDiagnosticRecordProducerAtIndex","features":[126]},{"name":"DdqGetDiagnosticRecordProducerCategories","features":[126]},{"name":"DdqGetDiagnosticRecordProducerCount","features":[126]},{"name":"DdqGetDiagnosticRecordProducers","features":[126]},{"name":"DdqGetDiagnosticRecordStats","features":[1,126]},{"name":"DdqGetDiagnosticRecordSummary","features":[126]},{"name":"DdqGetDiagnosticRecordTagDistribution","features":[126]},{"name":"DdqGetDiagnosticReport","features":[126]},{"name":"DdqGetDiagnosticReportAtIndex","features":[1,126]},{"name":"DdqGetDiagnosticReportCount","features":[126]},{"name":"DdqGetDiagnosticReportStoreReportCount","features":[126]},{"name":"DdqGetSessionAccessLevel","features":[126]},{"name":"DdqGetTranscriptConfiguration","features":[126]},{"name":"DdqIsDiagnosticRecordSampledIn","features":[1,126]},{"name":"DdqSetTranscriptConfiguration","features":[126]},{"name":"NoData","features":[126]}],"493":[{"name":"DSCreateISecurityInfoObject","features":[1,127]},{"name":"DSCreateISecurityInfoObjectEx","features":[1,127]},{"name":"DSCreateSecurityPage","features":[1,127,40]},{"name":"DSEditSecurity","features":[1,127]},{"name":"DSSI_IS_ROOT","features":[127]},{"name":"DSSI_NO_ACCESS_CHECK","features":[127]},{"name":"DSSI_NO_EDIT_OWNER","features":[127]},{"name":"DSSI_NO_EDIT_SACL","features":[127]},{"name":"DSSI_NO_FILTER","features":[127]},{"name":"DSSI_NO_READONLY_MESSAGE","features":[127]},{"name":"DSSI_READ_ONLY","features":[127]},{"name":"PFNDSCREATEISECINFO","features":[1,127]},{"name":"PFNDSCREATEISECINFOEX","features":[1,127]},{"name":"PFNDSCREATESECPAGE","features":[1,127,40]},{"name":"PFNDSEDITSECURITY","features":[1,127]},{"name":"PFNREADOBJECTSECURITY","features":[1,127]},{"name":"PFNWRITEOBJECTSECURITY","features":[1,127]}],"494":[{"name":"ENTERPRISE_DATA_POLICIES","features":[128]},{"name":"ENTERPRISE_POLICY_ALLOWED","features":[128]},{"name":"ENTERPRISE_POLICY_ENLIGHTENED","features":[128]},{"name":"ENTERPRISE_POLICY_EXEMPT","features":[128]},{"name":"ENTERPRISE_POLICY_NONE","features":[128]},{"name":"FILE_UNPROTECT_OPTIONS","features":[128]},{"name":"HTHREAD_NETWORK_CONTEXT","features":[1,128]},{"name":"IProtectionPolicyManagerInterop","features":[128]},{"name":"IProtectionPolicyManagerInterop2","features":[128]},{"name":"IProtectionPolicyManagerInterop3","features":[128]},{"name":"ProtectFileToEnterpriseIdentity","features":[128]},{"name":"SRPHOSTING_TYPE","features":[128]},{"name":"SRPHOSTING_TYPE_NONE","features":[128]},{"name":"SRPHOSTING_TYPE_WINHTTP","features":[128]},{"name":"SRPHOSTING_TYPE_WININET","features":[128]},{"name":"SRPHOSTING_VERSION","features":[128]},{"name":"SRPHOSTING_VERSION1","features":[128]},{"name":"SrpCloseThreadNetworkContext","features":[1,128]},{"name":"SrpCreateThreadNetworkContext","features":[1,128]},{"name":"SrpDisablePermissiveModeFileEncryption","features":[128]},{"name":"SrpDoesPolicyAllowAppExecution","features":[1,128,129]},{"name":"SrpEnablePermissiveModeFileEncryption","features":[128]},{"name":"SrpGetEnterpriseIds","features":[1,128]},{"name":"SrpGetEnterprisePolicy","features":[1,128]},{"name":"SrpHostingInitialize","features":[128]},{"name":"SrpHostingTerminate","features":[128]},{"name":"SrpIsTokenService","features":[1,128]},{"name":"SrpSetTokenEnterpriseId","features":[1,128]},{"name":"UnprotectFile","features":[128]}],"495":[{"name":"CERTIFICATE_HASH_LENGTH","features":[103]},{"name":"EAPACTION_Authenticate","features":[103]},{"name":"EAPACTION_Done","features":[103]},{"name":"EAPACTION_IndicateIdentity","features":[103]},{"name":"EAPACTION_IndicateTLV","features":[103]},{"name":"EAPACTION_NoAction","features":[103]},{"name":"EAPACTION_Send","features":[103]},{"name":"EAPACTION_SendAndDone","features":[103]},{"name":"EAPACTION_SendWithTimeout","features":[103]},{"name":"EAPACTION_SendWithTimeoutInteractive","features":[103]},{"name":"EAPCODE_Failure","features":[103]},{"name":"EAPCODE_Request","features":[103]},{"name":"EAPCODE_Response","features":[103]},{"name":"EAPCODE_Success","features":[103]},{"name":"EAPHOST_AUTH_INFO","features":[103]},{"name":"EAPHOST_AUTH_STATUS","features":[103]},{"name":"EAPHOST_IDENTITY_UI_PARAMS","features":[103]},{"name":"EAPHOST_INTERACTIVE_UI_PARAMS","features":[103]},{"name":"EAPHOST_METHOD_API_VERSION","features":[103]},{"name":"EAPHOST_PEER_API_VERSION","features":[103]},{"name":"EAP_ATTRIBUTE","features":[103]},{"name":"EAP_ATTRIBUTES","features":[103]},{"name":"EAP_ATTRIBUTE_TYPE","features":[103]},{"name":"EAP_AUTHENTICATOR_METHOD_ROUTINES","features":[103]},{"name":"EAP_AUTHENTICATOR_SEND_TIMEOUT","features":[103]},{"name":"EAP_AUTHENTICATOR_SEND_TIMEOUT_BASIC","features":[103]},{"name":"EAP_AUTHENTICATOR_SEND_TIMEOUT_INTERACTIVE","features":[103]},{"name":"EAP_AUTHENTICATOR_SEND_TIMEOUT_NONE","features":[103]},{"name":"EAP_AUTHENTICATOR_VALUENAME_CONFIGUI","features":[103]},{"name":"EAP_AUTHENTICATOR_VALUENAME_DLL_PATH","features":[103]},{"name":"EAP_AUTHENTICATOR_VALUENAME_FRIENDLY_NAME","features":[103]},{"name":"EAP_AUTHENTICATOR_VALUENAME_PROPERTIES","features":[103]},{"name":"EAP_CERTIFICATE_CREDENTIAL","features":[103]},{"name":"EAP_CONFIG_INPUT_FIELD_ARRAY","features":[103]},{"name":"EAP_CONFIG_INPUT_FIELD_DATA","features":[103]},{"name":"EAP_CONFIG_INPUT_FIELD_PROPS_DEFAULT","features":[103]},{"name":"EAP_CONFIG_INPUT_FIELD_PROPS_NON_DISPLAYABLE","features":[103]},{"name":"EAP_CONFIG_INPUT_FIELD_PROPS_NON_PERSIST","features":[103]},{"name":"EAP_CONFIG_INPUT_FIELD_TYPE","features":[103]},{"name":"EAP_CREDENTIAL_VERSION","features":[103]},{"name":"EAP_CRED_EXPIRY_REQ","features":[103]},{"name":"EAP_EMPTY_CREDENTIAL","features":[103]},{"name":"EAP_ERROR","features":[103]},{"name":"EAP_E_AUTHENTICATION_FAILED","features":[103]},{"name":"EAP_E_CERT_STORE_INACCESSIBLE","features":[103]},{"name":"EAP_E_EAPHOST_EAPQEC_INACCESSIBLE","features":[103]},{"name":"EAP_E_EAPHOST_FIRST","features":[103]},{"name":"EAP_E_EAPHOST_IDENTITY_UNKNOWN","features":[103]},{"name":"EAP_E_EAPHOST_LAST","features":[103]},{"name":"EAP_E_EAPHOST_METHOD_INVALID_PACKET","features":[103]},{"name":"EAP_E_EAPHOST_METHOD_NOT_INSTALLED","features":[103]},{"name":"EAP_E_EAPHOST_METHOD_OPERATION_NOT_SUPPORTED","features":[103]},{"name":"EAP_E_EAPHOST_REMOTE_INVALID_PACKET","features":[103]},{"name":"EAP_E_EAPHOST_THIRDPARTY_METHOD_HOST_RESET","features":[103]},{"name":"EAP_E_EAPHOST_XML_MALFORMED","features":[103]},{"name":"EAP_E_METHOD_CONFIG_DOES_NOT_SUPPORT_SSO","features":[103]},{"name":"EAP_E_NO_SMART_CARD_READER","features":[103]},{"name":"EAP_E_SERVER_CERT_EXPIRED","features":[103]},{"name":"EAP_E_SERVER_CERT_INVALID","features":[103]},{"name":"EAP_E_SERVER_CERT_NOT_FOUND","features":[103]},{"name":"EAP_E_SERVER_CERT_OTHER_ERROR","features":[103]},{"name":"EAP_E_SERVER_CERT_REVOKED","features":[103]},{"name":"EAP_E_SERVER_FIRST","features":[103]},{"name":"EAP_E_SERVER_LAST","features":[103]},{"name":"EAP_E_SERVER_ROOT_CERT_FIRST","features":[103]},{"name":"EAP_E_SERVER_ROOT_CERT_INVALID","features":[103]},{"name":"EAP_E_SERVER_ROOT_CERT_LAST","features":[103]},{"name":"EAP_E_SERVER_ROOT_CERT_NAME_REQUIRED","features":[103]},{"name":"EAP_E_SERVER_ROOT_CERT_NOT_FOUND","features":[103]},{"name":"EAP_E_SIM_NOT_VALID","features":[103]},{"name":"EAP_E_USER_CERT_EXPIRED","features":[103]},{"name":"EAP_E_USER_CERT_INVALID","features":[103]},{"name":"EAP_E_USER_CERT_NOT_FOUND","features":[103]},{"name":"EAP_E_USER_CERT_OTHER_ERROR","features":[103]},{"name":"EAP_E_USER_CERT_REJECTED","features":[103]},{"name":"EAP_E_USER_CERT_REVOKED","features":[103]},{"name":"EAP_E_USER_CREDENTIALS_REJECTED","features":[103]},{"name":"EAP_E_USER_FIRST","features":[103]},{"name":"EAP_E_USER_LAST","features":[103]},{"name":"EAP_E_USER_NAME_PASSWORD_REJECTED","features":[103]},{"name":"EAP_E_USER_ROOT_CERT_EXPIRED","features":[103]},{"name":"EAP_E_USER_ROOT_CERT_FIRST","features":[103]},{"name":"EAP_E_USER_ROOT_CERT_INVALID","features":[103]},{"name":"EAP_E_USER_ROOT_CERT_LAST","features":[103]},{"name":"EAP_E_USER_ROOT_CERT_NOT_FOUND","features":[103]},{"name":"EAP_FLAG_CONFG_READONLY","features":[103]},{"name":"EAP_FLAG_FULL_AUTH","features":[103]},{"name":"EAP_FLAG_GUEST_ACCESS","features":[103]},{"name":"EAP_FLAG_LOGON","features":[103]},{"name":"EAP_FLAG_MACHINE_AUTH","features":[103]},{"name":"EAP_FLAG_NON_INTERACTIVE","features":[103]},{"name":"EAP_FLAG_ONLY_EAP_TLS","features":[103]},{"name":"EAP_FLAG_PREFER_ALT_CREDENTIALS","features":[103]},{"name":"EAP_FLAG_PREVIEW","features":[103]},{"name":"EAP_FLAG_PRE_LOGON","features":[103]},{"name":"EAP_FLAG_RESUME_FROM_HIBERNATE","features":[103]},{"name":"EAP_FLAG_Reserved1","features":[103]},{"name":"EAP_FLAG_Reserved2","features":[103]},{"name":"EAP_FLAG_Reserved3","features":[103]},{"name":"EAP_FLAG_Reserved4","features":[103]},{"name":"EAP_FLAG_Reserved5","features":[103]},{"name":"EAP_FLAG_Reserved6","features":[103]},{"name":"EAP_FLAG_Reserved7","features":[103]},{"name":"EAP_FLAG_Reserved8","features":[103]},{"name":"EAP_FLAG_Reserved9","features":[103]},{"name":"EAP_FLAG_SERVER_VALIDATION_REQUIRED","features":[103]},{"name":"EAP_FLAG_SUPRESS_UI","features":[103]},{"name":"EAP_FLAG_USER_AUTH","features":[103]},{"name":"EAP_FLAG_VPN","features":[103]},{"name":"EAP_GROUP_MASK","features":[103]},{"name":"EAP_INTERACTIVE_UI_DATA","features":[103]},{"name":"EAP_INTERACTIVE_UI_DATA_TYPE","features":[103]},{"name":"EAP_INTERACTIVE_UI_DATA_VERSION","features":[103]},{"name":"EAP_INVALID_PACKET","features":[103]},{"name":"EAP_I_EAPHOST_EAP_NEGOTIATION_FAILED","features":[103]},{"name":"EAP_I_EAPHOST_FIRST","features":[103]},{"name":"EAP_I_EAPHOST_LAST","features":[103]},{"name":"EAP_I_USER_ACCOUNT_OTHER_ERROR","features":[103]},{"name":"EAP_I_USER_FIRST","features":[103]},{"name":"EAP_I_USER_LAST","features":[103]},{"name":"EAP_METHOD_AUTHENTICATOR_CONFIG_IS_IDENTITY_PRIVACY","features":[103]},{"name":"EAP_METHOD_AUTHENTICATOR_RESPONSE_ACTION","features":[103]},{"name":"EAP_METHOD_AUTHENTICATOR_RESPONSE_AUTHENTICATE","features":[103]},{"name":"EAP_METHOD_AUTHENTICATOR_RESPONSE_DISCARD","features":[103]},{"name":"EAP_METHOD_AUTHENTICATOR_RESPONSE_HANDLE_IDENTITY","features":[103]},{"name":"EAP_METHOD_AUTHENTICATOR_RESPONSE_RESPOND","features":[103]},{"name":"EAP_METHOD_AUTHENTICATOR_RESPONSE_RESULT","features":[103]},{"name":"EAP_METHOD_AUTHENTICATOR_RESPONSE_SEND","features":[103]},{"name":"EAP_METHOD_AUTHENTICATOR_RESULT","features":[1,103]},{"name":"EAP_METHOD_INFO","features":[103]},{"name":"EAP_METHOD_INFO_ARRAY","features":[103]},{"name":"EAP_METHOD_INFO_ARRAY_EX","features":[103]},{"name":"EAP_METHOD_INFO_EX","features":[103]},{"name":"EAP_METHOD_INVALID_PACKET","features":[103]},{"name":"EAP_METHOD_PROPERTY","features":[1,103]},{"name":"EAP_METHOD_PROPERTY_ARRAY","features":[1,103]},{"name":"EAP_METHOD_PROPERTY_TYPE","features":[103]},{"name":"EAP_METHOD_PROPERTY_VALUE","features":[1,103]},{"name":"EAP_METHOD_PROPERTY_VALUE_BOOL","features":[1,103]},{"name":"EAP_METHOD_PROPERTY_VALUE_DWORD","features":[103]},{"name":"EAP_METHOD_PROPERTY_VALUE_STRING","features":[103]},{"name":"EAP_METHOD_PROPERTY_VALUE_TYPE","features":[103]},{"name":"EAP_METHOD_TYPE","features":[103]},{"name":"EAP_PEER_FLAG_GUEST_ACCESS","features":[103]},{"name":"EAP_PEER_FLAG_HEALTH_STATE_CHANGE","features":[103]},{"name":"EAP_PEER_METHOD_ROUTINES","features":[103]},{"name":"EAP_PEER_VALUENAME_CONFIGUI","features":[103]},{"name":"EAP_PEER_VALUENAME_DLL_PATH","features":[103]},{"name":"EAP_PEER_VALUENAME_FRIENDLY_NAME","features":[103]},{"name":"EAP_PEER_VALUENAME_IDENTITY","features":[103]},{"name":"EAP_PEER_VALUENAME_INTERACTIVEUI","features":[103]},{"name":"EAP_PEER_VALUENAME_INVOKE_NAMEDLG","features":[103]},{"name":"EAP_PEER_VALUENAME_INVOKE_PWDDLG","features":[103]},{"name":"EAP_PEER_VALUENAME_PROPERTIES","features":[103]},{"name":"EAP_PEER_VALUENAME_REQUIRE_CONFIGUI","features":[103]},{"name":"EAP_REGISTRY_LOCATION","features":[103]},{"name":"EAP_SIM_CREDENTIAL","features":[103]},{"name":"EAP_TYPE","features":[103]},{"name":"EAP_UI_DATA_FORMAT","features":[103]},{"name":"EAP_UI_INPUT_FIELD_PROPS_DEFAULT","features":[103]},{"name":"EAP_UI_INPUT_FIELD_PROPS_NON_DISPLAYABLE","features":[103]},{"name":"EAP_UI_INPUT_FIELD_PROPS_NON_PERSIST","features":[103]},{"name":"EAP_UI_INPUT_FIELD_PROPS_READ_ONLY","features":[103]},{"name":"EAP_USERNAME_PASSWORD_CREDENTIAL","features":[103]},{"name":"EAP_VALUENAME_PROPERTIES","features":[103]},{"name":"EAP_WINLOGON_CREDENTIAL","features":[103]},{"name":"EapCertificateCredential","features":[103]},{"name":"EapCode","features":[103]},{"name":"EapCodeFailure","features":[103]},{"name":"EapCodeMaximum","features":[103]},{"name":"EapCodeMinimum","features":[103]},{"name":"EapCodeRequest","features":[103]},{"name":"EapCodeResponse","features":[103]},{"name":"EapCodeSuccess","features":[103]},{"name":"EapConfigInputEdit","features":[103]},{"name":"EapConfigInputNetworkPassword","features":[103]},{"name":"EapConfigInputNetworkUsername","features":[103]},{"name":"EapConfigInputPSK","features":[103]},{"name":"EapConfigInputPassword","features":[103]},{"name":"EapConfigInputPin","features":[103]},{"name":"EapConfigInputUsername","features":[103]},{"name":"EapConfigSmartCardError","features":[103]},{"name":"EapConfigSmartCardUsername","features":[103]},{"name":"EapCredExpiryReq","features":[103]},{"name":"EapCredExpiryResp","features":[103]},{"name":"EapCredLogonReq","features":[103]},{"name":"EapCredLogonResp","features":[103]},{"name":"EapCredReq","features":[103]},{"name":"EapCredResp","features":[103]},{"name":"EapCredential","features":[103]},{"name":"EapCredentialType","features":[103]},{"name":"EapCredentialTypeData","features":[103]},{"name":"EapHostAuthFailed","features":[103]},{"name":"EapHostAuthIdentityExchange","features":[103]},{"name":"EapHostAuthInProgress","features":[103]},{"name":"EapHostAuthNegotiatingType","features":[103]},{"name":"EapHostAuthNotStarted","features":[103]},{"name":"EapHostAuthSucceeded","features":[103]},{"name":"EapHostInvalidSession","features":[103]},{"name":"EapHostNapInfo","features":[103]},{"name":"EapHostPeerAuthParams","features":[103]},{"name":"EapHostPeerAuthStatus","features":[103]},{"name":"EapHostPeerBeginSession","features":[1,103]},{"name":"EapHostPeerClearConnection","features":[103]},{"name":"EapHostPeerConfigBlob2Xml","features":[103]},{"name":"EapHostPeerConfigXml2Blob","features":[103]},{"name":"EapHostPeerCredentialsXml2Blob","features":[103]},{"name":"EapHostPeerEndSession","features":[103]},{"name":"EapHostPeerFreeEapError","features":[103]},{"name":"EapHostPeerFreeErrorMemory","features":[103]},{"name":"EapHostPeerFreeMemory","features":[103]},{"name":"EapHostPeerFreeRuntimeMemory","features":[103]},{"name":"EapHostPeerGetAuthStatus","features":[103]},{"name":"EapHostPeerGetDataToUnplumbCredentials","features":[1,103]},{"name":"EapHostPeerGetEncryptedPassword","features":[103]},{"name":"EapHostPeerGetIdentity","features":[1,103]},{"name":"EapHostPeerGetMethodProperties","features":[1,103]},{"name":"EapHostPeerGetMethods","features":[103]},{"name":"EapHostPeerGetResponseAttributes","features":[103]},{"name":"EapHostPeerGetResult","features":[1,103]},{"name":"EapHostPeerGetSendPacket","features":[103]},{"name":"EapHostPeerGetUIContext","features":[103]},{"name":"EapHostPeerIdentity","features":[103]},{"name":"EapHostPeerIdentityExtendedInfo","features":[103]},{"name":"EapHostPeerInitialize","features":[103]},{"name":"EapHostPeerInvokeConfigUI","features":[1,103]},{"name":"EapHostPeerInvokeIdentityUI","features":[1,103]},{"name":"EapHostPeerInvokeInteractiveUI","features":[1,103]},{"name":"EapHostPeerMethodResult","features":[1,103]},{"name":"EapHostPeerMethodResultAltSuccessReceived","features":[103]},{"name":"EapHostPeerMethodResultFromMethod","features":[103]},{"name":"EapHostPeerMethodResultReason","features":[103]},{"name":"EapHostPeerMethodResultTimeout","features":[103]},{"name":"EapHostPeerProcessReceivedPacket","features":[103]},{"name":"EapHostPeerQueryCredentialInputFields","features":[1,103]},{"name":"EapHostPeerQueryInteractiveUIInputFields","features":[103]},{"name":"EapHostPeerQueryUIBlobFromInteractiveUIInputFields","features":[103]},{"name":"EapHostPeerQueryUserBlobFromCredentialInputFields","features":[1,103]},{"name":"EapHostPeerResponseAction","features":[103]},{"name":"EapHostPeerResponseDiscard","features":[103]},{"name":"EapHostPeerResponseInvokeUi","features":[103]},{"name":"EapHostPeerResponseNone","features":[103]},{"name":"EapHostPeerResponseRespond","features":[103]},{"name":"EapHostPeerResponseResult","features":[103]},{"name":"EapHostPeerResponseSend","features":[103]},{"name":"EapHostPeerResponseStartAuthentication","features":[103]},{"name":"EapHostPeerSetResponseAttributes","features":[103]},{"name":"EapHostPeerSetUIContext","features":[103]},{"name":"EapHostPeerUninitialize","features":[103]},{"name":"EapPacket","features":[103]},{"name":"EapPeerMethodOutput","features":[1,103]},{"name":"EapPeerMethodResponseAction","features":[103]},{"name":"EapPeerMethodResponseActionDiscard","features":[103]},{"name":"EapPeerMethodResponseActionInvokeUI","features":[103]},{"name":"EapPeerMethodResponseActionNone","features":[103]},{"name":"EapPeerMethodResponseActionRespond","features":[103]},{"name":"EapPeerMethodResponseActionResult","features":[103]},{"name":"EapPeerMethodResponseActionSend","features":[103]},{"name":"EapPeerMethodResult","features":[1,68,103]},{"name":"EapPeerMethodResultFailure","features":[103]},{"name":"EapPeerMethodResultReason","features":[103]},{"name":"EapPeerMethodResultSuccess","features":[103]},{"name":"EapPeerMethodResultUnknown","features":[103]},{"name":"EapSimCredential","features":[103]},{"name":"EapUsernamePasswordCredential","features":[103]},{"name":"FACILITY_EAP_MESSAGE","features":[103]},{"name":"GUID_EapHost_Cause_CertStoreInaccessible","features":[103]},{"name":"GUID_EapHost_Cause_EapNegotiationFailed","features":[103]},{"name":"GUID_EapHost_Cause_EapQecInaccessible","features":[103]},{"name":"GUID_EapHost_Cause_Generic_AuthFailure","features":[103]},{"name":"GUID_EapHost_Cause_IdentityUnknown","features":[103]},{"name":"GUID_EapHost_Cause_MethodDLLNotFound","features":[103]},{"name":"GUID_EapHost_Cause_MethodDoesNotSupportOperation","features":[103]},{"name":"GUID_EapHost_Cause_Method_Config_Does_Not_Support_Sso","features":[103]},{"name":"GUID_EapHost_Cause_No_SmartCardReader_Found","features":[103]},{"name":"GUID_EapHost_Cause_Server_CertExpired","features":[103]},{"name":"GUID_EapHost_Cause_Server_CertInvalid","features":[103]},{"name":"GUID_EapHost_Cause_Server_CertNotFound","features":[103]},{"name":"GUID_EapHost_Cause_Server_CertOtherError","features":[103]},{"name":"GUID_EapHost_Cause_Server_CertRevoked","features":[103]},{"name":"GUID_EapHost_Cause_Server_Root_CertNameRequired","features":[103]},{"name":"GUID_EapHost_Cause_Server_Root_CertNotFound","features":[103]},{"name":"GUID_EapHost_Cause_SimNotValid","features":[103]},{"name":"GUID_EapHost_Cause_ThirdPartyMethod_Host_Reset","features":[103]},{"name":"GUID_EapHost_Cause_User_Account_OtherProblem","features":[103]},{"name":"GUID_EapHost_Cause_User_CertExpired","features":[103]},{"name":"GUID_EapHost_Cause_User_CertInvalid","features":[103]},{"name":"GUID_EapHost_Cause_User_CertNotFound","features":[103]},{"name":"GUID_EapHost_Cause_User_CertOtherError","features":[103]},{"name":"GUID_EapHost_Cause_User_CertRejected","features":[103]},{"name":"GUID_EapHost_Cause_User_CertRevoked","features":[103]},{"name":"GUID_EapHost_Cause_User_CredsRejected","features":[103]},{"name":"GUID_EapHost_Cause_User_Root_CertExpired","features":[103]},{"name":"GUID_EapHost_Cause_User_Root_CertInvalid","features":[103]},{"name":"GUID_EapHost_Cause_User_Root_CertNotFound","features":[103]},{"name":"GUID_EapHost_Cause_XmlMalformed","features":[103]},{"name":"GUID_EapHost_Default","features":[103]},{"name":"GUID_EapHost_Help_ObtainingCerts","features":[103]},{"name":"GUID_EapHost_Help_Troubleshooting","features":[103]},{"name":"GUID_EapHost_Repair_ContactAdmin_AuthFailure","features":[103]},{"name":"GUID_EapHost_Repair_ContactAdmin_CertNameAbsent","features":[103]},{"name":"GUID_EapHost_Repair_ContactAdmin_CertStoreInaccessible","features":[103]},{"name":"GUID_EapHost_Repair_ContactAdmin_IdentityUnknown","features":[103]},{"name":"GUID_EapHost_Repair_ContactAdmin_InvalidUserAccount","features":[103]},{"name":"GUID_EapHost_Repair_ContactAdmin_InvalidUserCert","features":[103]},{"name":"GUID_EapHost_Repair_ContactAdmin_MethodNotFound","features":[103]},{"name":"GUID_EapHost_Repair_ContactAdmin_NegotiationFailed","features":[103]},{"name":"GUID_EapHost_Repair_ContactAdmin_NoSmartCardReader","features":[103]},{"name":"GUID_EapHost_Repair_ContactAdmin_RootCertInvalid","features":[103]},{"name":"GUID_EapHost_Repair_ContactAdmin_RootCertNotFound","features":[103]},{"name":"GUID_EapHost_Repair_ContactAdmin_RootExpired","features":[103]},{"name":"GUID_EapHost_Repair_ContactSysadmin","features":[103]},{"name":"GUID_EapHost_Repair_Method_Not_Support_Sso","features":[103]},{"name":"GUID_EapHost_Repair_No_ValidSim_Found","features":[103]},{"name":"GUID_EapHost_Repair_RestartNap","features":[103]},{"name":"GUID_EapHost_Repair_Retry_Authentication","features":[103]},{"name":"GUID_EapHost_Repair_Server_ClientSelectServerCert","features":[103]},{"name":"GUID_EapHost_Repair_User_AuthFailure","features":[103]},{"name":"GUID_EapHost_Repair_User_GetNewCert","features":[103]},{"name":"GUID_EapHost_Repair_User_SelectValidCert","features":[103]},{"name":"IAccountingProviderConfig","features":[103]},{"name":"IAuthenticationProviderConfig","features":[103]},{"name":"IEAPProviderConfig","features":[103]},{"name":"IEAPProviderConfig2","features":[103]},{"name":"IEAPProviderConfig3","features":[103]},{"name":"IRouterProtocolConfig","features":[103]},{"name":"ISOLATION_STATE","features":[103]},{"name":"ISOLATION_STATE_IN_PROBATION","features":[103]},{"name":"ISOLATION_STATE_NOT_RESTRICTED","features":[103]},{"name":"ISOLATION_STATE_RESTRICTED_ACCESS","features":[103]},{"name":"ISOLATION_STATE_UNKNOWN","features":[103]},{"name":"LEGACY_IDENTITY_UI_PARAMS","features":[103]},{"name":"LEGACY_INTERACTIVE_UI_PARAMS","features":[103]},{"name":"MAXEAPCODE","features":[103]},{"name":"MAX_EAP_CONFIG_INPUT_FIELD_LENGTH","features":[103]},{"name":"MAX_EAP_CONFIG_INPUT_FIELD_VALUE_LENGTH","features":[103]},{"name":"NCRYPT_PIN_CACHE_PIN_BYTE_LENGTH","features":[103]},{"name":"NgcTicketContext","features":[1,68,103]},{"name":"NotificationHandler","features":[103]},{"name":"PPP_EAP_ACTION","features":[103]},{"name":"PPP_EAP_INFO","features":[103]},{"name":"PPP_EAP_INPUT","features":[1,103]},{"name":"PPP_EAP_OUTPUT","features":[1,68,103]},{"name":"PPP_EAP_PACKET","features":[103]},{"name":"RAS_AUTH_ATTRIBUTE","features":[103]},{"name":"RAS_AUTH_ATTRIBUTE_TYPE","features":[103]},{"name":"RAS_EAP_FLAG_8021X_AUTH","features":[103]},{"name":"RAS_EAP_FLAG_ALTERNATIVE_USER_DB","features":[103]},{"name":"RAS_EAP_FLAG_CONFG_READONLY","features":[103]},{"name":"RAS_EAP_FLAG_FIRST_LINK","features":[103]},{"name":"RAS_EAP_FLAG_GUEST_ACCESS","features":[103]},{"name":"RAS_EAP_FLAG_HOSTED_IN_PEAP","features":[103]},{"name":"RAS_EAP_FLAG_LOGON","features":[103]},{"name":"RAS_EAP_FLAG_MACHINE_AUTH","features":[103]},{"name":"RAS_EAP_FLAG_NON_INTERACTIVE","features":[103]},{"name":"RAS_EAP_FLAG_PEAP_FORCE_FULL_AUTH","features":[103]},{"name":"RAS_EAP_FLAG_PEAP_UPFRONT","features":[103]},{"name":"RAS_EAP_FLAG_PREVIEW","features":[103]},{"name":"RAS_EAP_FLAG_PRE_LOGON","features":[103]},{"name":"RAS_EAP_FLAG_RESERVED","features":[103]},{"name":"RAS_EAP_FLAG_RESUME_FROM_HIBERNATE","features":[103]},{"name":"RAS_EAP_FLAG_ROUTER","features":[103]},{"name":"RAS_EAP_FLAG_SAVE_CREDMAN","features":[103]},{"name":"RAS_EAP_FLAG_SERVER_VALIDATION_REQUIRED","features":[103]},{"name":"RAS_EAP_REGISTRY_LOCATION","features":[103]},{"name":"RAS_EAP_ROLE_AUTHENTICATEE","features":[103]},{"name":"RAS_EAP_ROLE_AUTHENTICATOR","features":[103]},{"name":"RAS_EAP_ROLE_EXCLUDE_IN_EAP","features":[103]},{"name":"RAS_EAP_ROLE_EXCLUDE_IN_PEAP","features":[103]},{"name":"RAS_EAP_ROLE_EXCLUDE_IN_VPN","features":[103]},{"name":"RAS_EAP_VALUENAME_CONFIGUI","features":[103]},{"name":"RAS_EAP_VALUENAME_CONFIG_CLSID","features":[103]},{"name":"RAS_EAP_VALUENAME_DEFAULT_DATA","features":[103]},{"name":"RAS_EAP_VALUENAME_ENCRYPTION","features":[103]},{"name":"RAS_EAP_VALUENAME_FILTER_INNERMETHODS","features":[103]},{"name":"RAS_EAP_VALUENAME_FRIENDLY_NAME","features":[103]},{"name":"RAS_EAP_VALUENAME_IDENTITY","features":[103]},{"name":"RAS_EAP_VALUENAME_INTERACTIVEUI","features":[103]},{"name":"RAS_EAP_VALUENAME_INVOKE_NAMEDLG","features":[103]},{"name":"RAS_EAP_VALUENAME_INVOKE_PWDDLG","features":[103]},{"name":"RAS_EAP_VALUENAME_ISTUNNEL_METHOD","features":[103]},{"name":"RAS_EAP_VALUENAME_PATH","features":[103]},{"name":"RAS_EAP_VALUENAME_PER_POLICY_CONFIG","features":[103]},{"name":"RAS_EAP_VALUENAME_REQUIRE_CONFIGUI","features":[103]},{"name":"RAS_EAP_VALUENAME_ROLES_SUPPORTED","features":[103]},{"name":"RAS_EAP_VALUENAME_STANDALONE_SUPPORTED","features":[103]},{"name":"eapPropCertifiedMethod","features":[103]},{"name":"eapPropChannelBinding","features":[103]},{"name":"eapPropCipherSuiteNegotiation","features":[103]},{"name":"eapPropConfidentiality","features":[103]},{"name":"eapPropCryptoBinding","features":[103]},{"name":"eapPropDictionaryAttackResistance","features":[103]},{"name":"eapPropFastReconnect","features":[103]},{"name":"eapPropFragmentation","features":[103]},{"name":"eapPropHiddenMethod","features":[103]},{"name":"eapPropIdentityPrivacy","features":[103]},{"name":"eapPropIntegrity","features":[103]},{"name":"eapPropKeyDerivation","features":[103]},{"name":"eapPropKeyStrength1024","features":[103]},{"name":"eapPropKeyStrength128","features":[103]},{"name":"eapPropKeyStrength256","features":[103]},{"name":"eapPropKeyStrength512","features":[103]},{"name":"eapPropKeyStrength64","features":[103]},{"name":"eapPropMachineAuth","features":[103]},{"name":"eapPropMethodChaining","features":[103]},{"name":"eapPropMppeEncryption","features":[103]},{"name":"eapPropMutualAuth","features":[103]},{"name":"eapPropNap","features":[103]},{"name":"eapPropReplayProtection","features":[103]},{"name":"eapPropReserved","features":[103]},{"name":"eapPropSessionIndependence","features":[103]},{"name":"eapPropSharedStateEquivalence","features":[103]},{"name":"eapPropStandalone","features":[103]},{"name":"eapPropSupportsConfig","features":[103]},{"name":"eapPropTunnelMethod","features":[103]},{"name":"eapPropUserAuth","features":[103]},{"name":"eatARAPChallengeResponse","features":[103]},{"name":"eatARAPFeatures","features":[103]},{"name":"eatARAPGuestLogon","features":[103]},{"name":"eatARAPPassword","features":[103]},{"name":"eatARAPSecurity","features":[103]},{"name":"eatARAPSecurityData","features":[103]},{"name":"eatARAPZoneAccess","features":[103]},{"name":"eatAcctAuthentic","features":[103]},{"name":"eatAcctDelayTime","features":[103]},{"name":"eatAcctEventTimeStamp","features":[103]},{"name":"eatAcctInputOctets","features":[103]},{"name":"eatAcctInputPackets","features":[103]},{"name":"eatAcctInterimInterval","features":[103]},{"name":"eatAcctLinkCount","features":[103]},{"name":"eatAcctMultiSessionId","features":[103]},{"name":"eatAcctOutputOctets","features":[103]},{"name":"eatAcctOutputPackets","features":[103]},{"name":"eatAcctSessionId","features":[103]},{"name":"eatAcctSessionTime","features":[103]},{"name":"eatAcctStatusType","features":[103]},{"name":"eatAcctTerminateCause","features":[103]},{"name":"eatCallbackId","features":[103]},{"name":"eatCallbackNumber","features":[103]},{"name":"eatCalledStationId","features":[103]},{"name":"eatCallingStationId","features":[103]},{"name":"eatCertificateOID","features":[103]},{"name":"eatCertificateThumbprint","features":[103]},{"name":"eatClass","features":[103]},{"name":"eatClearTextPassword","features":[103]},{"name":"eatConfigurationToken","features":[103]},{"name":"eatConnectInfo","features":[103]},{"name":"eatCredentialsChanged","features":[103]},{"name":"eatEAPConfiguration","features":[103]},{"name":"eatEAPMessage","features":[103]},{"name":"eatEAPTLV","features":[103]},{"name":"eatEMSK","features":[103]},{"name":"eatFastRoamedSession","features":[103]},{"name":"eatFilterId","features":[103]},{"name":"eatFramedAppleTalkLink","features":[103]},{"name":"eatFramedAppleTalkNetwork","features":[103]},{"name":"eatFramedAppleTalkZone","features":[103]},{"name":"eatFramedCompression","features":[103]},{"name":"eatFramedIPAddress","features":[103]},{"name":"eatFramedIPNetmask","features":[103]},{"name":"eatFramedIPXNetwork","features":[103]},{"name":"eatFramedIPv6Pool","features":[103]},{"name":"eatFramedIPv6Prefix","features":[103]},{"name":"eatFramedIPv6Route","features":[103]},{"name":"eatFramedInterfaceId","features":[103]},{"name":"eatFramedMTU","features":[103]},{"name":"eatFramedProtocol","features":[103]},{"name":"eatFramedRoute","features":[103]},{"name":"eatFramedRouting","features":[103]},{"name":"eatIdleTimeout","features":[103]},{"name":"eatInnerEapMethodType","features":[103]},{"name":"eatLoginIPHost","features":[103]},{"name":"eatLoginIPv6Host","features":[103]},{"name":"eatLoginLATGroup","features":[103]},{"name":"eatLoginLATNode","features":[103]},{"name":"eatLoginLATPort","features":[103]},{"name":"eatLoginLATService","features":[103]},{"name":"eatLoginService","features":[103]},{"name":"eatLoginTCPPort","features":[103]},{"name":"eatMD5CHAPChallenge","features":[103]},{"name":"eatMD5CHAPPassword","features":[103]},{"name":"eatMethodId","features":[103]},{"name":"eatMinimum","features":[103]},{"name":"eatNASIPAddress","features":[103]},{"name":"eatNASIPv6Address","features":[103]},{"name":"eatNASIdentifier","features":[103]},{"name":"eatNASPort","features":[103]},{"name":"eatNASPortType","features":[103]},{"name":"eatPEAPEmbeddedEAPTypeId","features":[103]},{"name":"eatPEAPFastRoamedSession","features":[103]},{"name":"eatPasswordRetry","features":[103]},{"name":"eatPeerId","features":[103]},{"name":"eatPortLimit","features":[103]},{"name":"eatPrompt","features":[103]},{"name":"eatProxyState","features":[103]},{"name":"eatQuarantineSoH","features":[103]},{"name":"eatReplyMessage","features":[103]},{"name":"eatReserved","features":[103]},{"name":"eatServerId","features":[103]},{"name":"eatServiceType","features":[103]},{"name":"eatSessionId","features":[103]},{"name":"eatSessionTimeout","features":[103]},{"name":"eatSignature","features":[103]},{"name":"eatState","features":[103]},{"name":"eatTerminationAction","features":[103]},{"name":"eatTunnelClientEndpoint","features":[103]},{"name":"eatTunnelMediumType","features":[103]},{"name":"eatTunnelServerEndpoint","features":[103]},{"name":"eatTunnelType","features":[103]},{"name":"eatUnassigned17","features":[103]},{"name":"eatUnassigned21","features":[103]},{"name":"eatUserName","features":[103]},{"name":"eatUserPassword","features":[103]},{"name":"eatVendorSpecific","features":[103]},{"name":"emptLegacyMethodPropertyFlag","features":[103]},{"name":"emptPropCertifiedMethod","features":[103]},{"name":"emptPropChannelBinding","features":[103]},{"name":"emptPropCipherSuiteNegotiation","features":[103]},{"name":"emptPropConfidentiality","features":[103]},{"name":"emptPropCryptoBinding","features":[103]},{"name":"emptPropDictionaryAttackResistance","features":[103]},{"name":"emptPropFastReconnect","features":[103]},{"name":"emptPropFragmentation","features":[103]},{"name":"emptPropHiddenMethod","features":[103]},{"name":"emptPropIdentityPrivacy","features":[103]},{"name":"emptPropIntegrity","features":[103]},{"name":"emptPropKeyDerivation","features":[103]},{"name":"emptPropKeyStrength1024","features":[103]},{"name":"emptPropKeyStrength128","features":[103]},{"name":"emptPropKeyStrength256","features":[103]},{"name":"emptPropKeyStrength512","features":[103]},{"name":"emptPropKeyStrength64","features":[103]},{"name":"emptPropMachineAuth","features":[103]},{"name":"emptPropMethodChaining","features":[103]},{"name":"emptPropMppeEncryption","features":[103]},{"name":"emptPropMutualAuth","features":[103]},{"name":"emptPropNap","features":[103]},{"name":"emptPropReplayProtection","features":[103]},{"name":"emptPropSessionIndependence","features":[103]},{"name":"emptPropSharedStateEquivalence","features":[103]},{"name":"emptPropStandalone","features":[103]},{"name":"emptPropSupportsConfig","features":[103]},{"name":"emptPropTunnelMethod","features":[103]},{"name":"emptPropUserAuth","features":[103]},{"name":"emptPropVendorSpecific","features":[103]},{"name":"empvtBool","features":[103]},{"name":"empvtDword","features":[103]},{"name":"empvtString","features":[103]},{"name":"raatARAPChallenge","features":[103]},{"name":"raatARAPChallengeResponse","features":[103]},{"name":"raatARAPFeatures","features":[103]},{"name":"raatARAPGuestLogon","features":[103]},{"name":"raatARAPNewPassword","features":[103]},{"name":"raatARAPOldPassword","features":[103]},{"name":"raatARAPPassword","features":[103]},{"name":"raatARAPPasswordChangeReason","features":[103]},{"name":"raatARAPSecurity","features":[103]},{"name":"raatARAPSecurityData","features":[103]},{"name":"raatARAPZoneAccess","features":[103]},{"name":"raatAcctAuthentic","features":[103]},{"name":"raatAcctDelayTime","features":[103]},{"name":"raatAcctEventTimeStamp","features":[103]},{"name":"raatAcctInputOctets","features":[103]},{"name":"raatAcctInputPackets","features":[103]},{"name":"raatAcctInterimInterval","features":[103]},{"name":"raatAcctLinkCount","features":[103]},{"name":"raatAcctMultiSessionId","features":[103]},{"name":"raatAcctOutputOctets","features":[103]},{"name":"raatAcctOutputPackets","features":[103]},{"name":"raatAcctSessionId","features":[103]},{"name":"raatAcctSessionTime","features":[103]},{"name":"raatAcctStatusType","features":[103]},{"name":"raatAcctTerminateCause","features":[103]},{"name":"raatCallbackId","features":[103]},{"name":"raatCallbackNumber","features":[103]},{"name":"raatCalledStationId","features":[103]},{"name":"raatCallingStationId","features":[103]},{"name":"raatCertificateOID","features":[103]},{"name":"raatCertificateThumbprint","features":[103]},{"name":"raatClass","features":[103]},{"name":"raatConfigurationToken","features":[103]},{"name":"raatConnectInfo","features":[103]},{"name":"raatCredentialsChanged","features":[103]},{"name":"raatEAPConfiguration","features":[103]},{"name":"raatEAPMessage","features":[103]},{"name":"raatEAPTLV","features":[103]},{"name":"raatEMSK","features":[103]},{"name":"raatFastRoamedSession","features":[103]},{"name":"raatFilterId","features":[103]},{"name":"raatFramedAppleTalkLink","features":[103]},{"name":"raatFramedAppleTalkNetwork","features":[103]},{"name":"raatFramedAppleTalkZone","features":[103]},{"name":"raatFramedCompression","features":[103]},{"name":"raatFramedIPAddress","features":[103]},{"name":"raatFramedIPNetmask","features":[103]},{"name":"raatFramedIPXNetwork","features":[103]},{"name":"raatFramedIPv6Pool","features":[103]},{"name":"raatFramedIPv6Prefix","features":[103]},{"name":"raatFramedIPv6Route","features":[103]},{"name":"raatFramedInterfaceId","features":[103]},{"name":"raatFramedMTU","features":[103]},{"name":"raatFramedProtocol","features":[103]},{"name":"raatFramedRoute","features":[103]},{"name":"raatFramedRouting","features":[103]},{"name":"raatIdleTimeout","features":[103]},{"name":"raatInnerEAPTypeId","features":[103]},{"name":"raatLoginIPHost","features":[103]},{"name":"raatLoginIPv6Host","features":[103]},{"name":"raatLoginLATGroup","features":[103]},{"name":"raatLoginLATNode","features":[103]},{"name":"raatLoginLATPort","features":[103]},{"name":"raatLoginLATService","features":[103]},{"name":"raatLoginService","features":[103]},{"name":"raatLoginTCPPort","features":[103]},{"name":"raatMD5CHAPChallenge","features":[103]},{"name":"raatMD5CHAPPassword","features":[103]},{"name":"raatMethodId","features":[103]},{"name":"raatMinimum","features":[103]},{"name":"raatNASIPAddress","features":[103]},{"name":"raatNASIPv6Address","features":[103]},{"name":"raatNASIdentifier","features":[103]},{"name":"raatNASPort","features":[103]},{"name":"raatNASPortType","features":[103]},{"name":"raatPEAPEmbeddedEAPTypeId","features":[103]},{"name":"raatPEAPFastRoamedSession","features":[103]},{"name":"raatPasswordRetry","features":[103]},{"name":"raatPeerId","features":[103]},{"name":"raatPortLimit","features":[103]},{"name":"raatPrompt","features":[103]},{"name":"raatProxyState","features":[103]},{"name":"raatReplyMessage","features":[103]},{"name":"raatReserved","features":[103]},{"name":"raatServerId","features":[103]},{"name":"raatServiceType","features":[103]},{"name":"raatSessionId","features":[103]},{"name":"raatSessionTimeout","features":[103]},{"name":"raatSignature","features":[103]},{"name":"raatState","features":[103]},{"name":"raatTerminationAction","features":[103]},{"name":"raatTunnelClientEndpoint","features":[103]},{"name":"raatTunnelMediumType","features":[103]},{"name":"raatTunnelServerEndpoint","features":[103]},{"name":"raatTunnelType","features":[103]},{"name":"raatUnassigned17","features":[103]},{"name":"raatUnassigned21","features":[103]},{"name":"raatUserName","features":[103]},{"name":"raatUserPassword","features":[103]},{"name":"raatVendorSpecific","features":[103]}],"496":[{"name":"CreateAppContainerProfile","features":[1,130]},{"name":"DeleteAppContainerProfile","features":[130]},{"name":"DeriveAppContainerSidFromAppContainerName","features":[1,130]},{"name":"DeriveRestrictedAppContainerSidFromAppContainerSidAndRestrictedName","features":[1,130]},{"name":"GetAppContainerFolderPath","features":[130]},{"name":"GetAppContainerNamedObjectPath","features":[1,130]},{"name":"GetAppContainerRegistryLocation","features":[130,49]},{"name":"IIsolatedAppLauncher","features":[130]},{"name":"IIsolatedProcessLauncher","features":[130]},{"name":"IIsolatedProcessLauncher2","features":[130]},{"name":"IsCrossIsolatedEnvironmentClipboardContent","features":[1,130]},{"name":"IsProcessInIsolatedContainer","features":[1,130]},{"name":"IsProcessInIsolatedWindowsEnvironment","features":[1,130]},{"name":"IsProcessInWDAGContainer","features":[1,130]},{"name":"IsolatedAppLauncher","features":[130]},{"name":"IsolatedAppLauncherTelemetryParameters","features":[1,130]},{"name":"WDAG_CLIPBOARD_TAG","features":[130]}],"497":[{"name":"LicenseKeyAlreadyExists","features":[131]},{"name":"LicenseKeyCorrupted","features":[131]},{"name":"LicenseKeyNotFound","features":[131]},{"name":"LicenseKeyUnprotected","features":[131]},{"name":"LicenseProtectionStatus","features":[131]},{"name":"RegisterLicenseKeyWithExpiration","features":[131]},{"name":"Success","features":[131]},{"name":"ValidateLicenseKeyProtection","features":[1,131]}],"498":[{"name":"ComponentTypeEnforcementClientRp","features":[132]},{"name":"ComponentTypeEnforcementClientSoH","features":[132]},{"name":"CorrelationId","features":[1,132]},{"name":"CountedString","features":[132]},{"name":"ExtendedIsolationState","features":[132]},{"name":"FailureCategory","features":[132]},{"name":"FailureCategoryMapping","features":[1,132]},{"name":"FixupInfo","features":[132]},{"name":"FixupState","features":[132]},{"name":"Ipv4Address","features":[132]},{"name":"Ipv6Address","features":[132]},{"name":"IsolationInfo","features":[1,132]},{"name":"IsolationInfoEx","features":[1,132]},{"name":"IsolationState","features":[132]},{"name":"NapComponentRegistrationInfo","features":[1,132]},{"name":"NapNotifyType","features":[132]},{"name":"NapTracingLevel","features":[132]},{"name":"NetworkSoH","features":[132]},{"name":"PrivateData","features":[132]},{"name":"RemoteConfigurationType","features":[132]},{"name":"ResultCodes","features":[132]},{"name":"SoH","features":[132]},{"name":"SoHAttribute","features":[132]},{"name":"SystemHealthAgentState","features":[132]},{"name":"extendedIsolationStateInfected","features":[132]},{"name":"extendedIsolationStateNoData","features":[132]},{"name":"extendedIsolationStateTransition","features":[132]},{"name":"extendedIsolationStateUnknown","features":[132]},{"name":"failureCategoryClientCommunication","features":[132]},{"name":"failureCategoryClientComponent","features":[132]},{"name":"failureCategoryCount","features":[132]},{"name":"failureCategoryNone","features":[132]},{"name":"failureCategoryOther","features":[132]},{"name":"failureCategoryServerCommunication","features":[132]},{"name":"failureCategoryServerComponent","features":[132]},{"name":"fixupStateCouldNotUpdate","features":[132]},{"name":"fixupStateInProgress","features":[132]},{"name":"fixupStateSuccess","features":[132]},{"name":"freshSoHRequest","features":[132]},{"name":"isolationStateInProbation","features":[132]},{"name":"isolationStateNotRestricted","features":[132]},{"name":"isolationStateRestrictedAccess","features":[132]},{"name":"maxConnectionCountPerEnforcer","features":[132]},{"name":"maxEnforcerCount","features":[132]},{"name":"maxNetworkSoHSize","features":[132]},{"name":"maxPrivateDataSize","features":[132]},{"name":"maxSoHAttributeCount","features":[132]},{"name":"maxSoHAttributeSize","features":[132]},{"name":"maxStringLength","features":[132]},{"name":"maxSystemHealthEntityCount","features":[132]},{"name":"minNetworkSoHSize","features":[132]},{"name":"napNotifyTypeQuarState","features":[132]},{"name":"napNotifyTypeServiceState","features":[132]},{"name":"napNotifyTypeUnknown","features":[132]},{"name":"percentageNotSupported","features":[132]},{"name":"remoteConfigTypeConfigBlob","features":[132]},{"name":"remoteConfigTypeMachine","features":[132]},{"name":"shaFixup","features":[132]},{"name":"tracingLevelAdvanced","features":[132]},{"name":"tracingLevelBasic","features":[132]},{"name":"tracingLevelDebug","features":[132]},{"name":"tracingLevelUndefined","features":[132]}],"500":[{"name":"CAT_MEMBERINFO","features":[125]},{"name":"CAT_MEMBERINFO2","features":[125]},{"name":"CAT_MEMBERINFO2_OBJID","features":[125]},{"name":"CAT_MEMBERINFO2_STRUCT","features":[125]},{"name":"CAT_MEMBERINFO_OBJID","features":[125]},{"name":"CAT_MEMBERINFO_STRUCT","features":[125]},{"name":"CAT_NAMEVALUE","features":[68,125]},{"name":"CAT_NAMEVALUE_OBJID","features":[125]},{"name":"CAT_NAMEVALUE_STRUCT","features":[125]},{"name":"CCPI_RESULT_ALLOW","features":[125]},{"name":"CCPI_RESULT_AUDIT","features":[125]},{"name":"CCPI_RESULT_DENY","features":[125]},{"name":"CERT_CONFIDENCE_AUTHIDEXT","features":[125]},{"name":"CERT_CONFIDENCE_HIGHEST","features":[125]},{"name":"CERT_CONFIDENCE_HYGIENE","features":[125]},{"name":"CERT_CONFIDENCE_SIG","features":[125]},{"name":"CERT_CONFIDENCE_TIME","features":[125]},{"name":"CERT_CONFIDENCE_TIMENEST","features":[125]},{"name":"CONFIG_CI_ACTION_VERIFY","features":[125]},{"name":"CONFIG_CI_PROV_INFO","features":[1,68,125]},{"name":"CONFIG_CI_PROV_INFO_RESULT","features":[1,125]},{"name":"CONFIG_CI_PROV_INFO_RESULT2","features":[1,125]},{"name":"CPD_CHOICE_SIP","features":[125]},{"name":"CPD_RETURN_LOWER_QUALITY_CHAINS","features":[125]},{"name":"CPD_REVOCATION_CHECK_CHAIN","features":[125]},{"name":"CPD_REVOCATION_CHECK_CHAIN_EXCLUDE_ROOT","features":[125]},{"name":"CPD_REVOCATION_CHECK_END_CERT","features":[125]},{"name":"CPD_REVOCATION_CHECK_NONE","features":[125]},{"name":"CPD_RFC3161v21","features":[125]},{"name":"CPD_UISTATE_MODE_ALLOW","features":[125]},{"name":"CPD_UISTATE_MODE_BLOCK","features":[125]},{"name":"CPD_UISTATE_MODE_MASK","features":[125]},{"name":"CPD_UISTATE_MODE_PROMPT","features":[125]},{"name":"CPD_USE_NT5_CHAIN_FLAG","features":[125]},{"name":"CRYPT_PROVIDER_CERT","features":[1,68,125]},{"name":"CRYPT_PROVIDER_DATA","features":[1,121,122,125]},{"name":"CRYPT_PROVIDER_DEFUSAGE","features":[125]},{"name":"CRYPT_PROVIDER_FUNCTIONS","features":[1,121,122,125]},{"name":"CRYPT_PROVIDER_PRIVDATA","features":[125]},{"name":"CRYPT_PROVIDER_REGDEFUSAGE","features":[125]},{"name":"CRYPT_PROVIDER_SGNR","features":[1,68,125]},{"name":"CRYPT_PROVIDER_SIGSTATE","features":[1,68,125]},{"name":"CRYPT_PROVUI_DATA","features":[125]},{"name":"CRYPT_PROVUI_FUNCS","features":[1,121,122,125]},{"name":"CRYPT_REGISTER_ACTIONID","features":[125]},{"name":"CRYPT_TRUST_REG_ENTRY","features":[125]},{"name":"DRIVER_ACTION_VERIFY","features":[125]},{"name":"DRIVER_CLEANUPPOLICY_FUNCTION","features":[125]},{"name":"DRIVER_FINALPOLPROV_FUNCTION","features":[125]},{"name":"DRIVER_INITPROV_FUNCTION","features":[125]},{"name":"DRIVER_VER_INFO","features":[1,68,125]},{"name":"DRIVER_VER_MAJORMINOR","features":[125]},{"name":"DWACTION_ALLOCANDFILL","features":[125]},{"name":"DWACTION_FREE","features":[125]},{"name":"GENERIC_CHAIN_CERTTRUST_FUNCTION","features":[125]},{"name":"GENERIC_CHAIN_FINALPOLICY_FUNCTION","features":[125]},{"name":"HTTPSPROV_ACTION","features":[125]},{"name":"HTTPS_CERTTRUST_FUNCTION","features":[125]},{"name":"HTTPS_CHKCERT_FUNCTION","features":[125]},{"name":"HTTPS_FINALPOLICY_FUNCTION","features":[125]},{"name":"INTENT_TO_SEAL_ATTRIBUTE","features":[1,125]},{"name":"INTENT_TO_SEAL_ATTRIBUTE_STRUCT","features":[125]},{"name":"OFFICESIGN_ACTION_VERIFY","features":[125]},{"name":"OFFICE_CLEANUPPOLICY_FUNCTION","features":[125]},{"name":"OFFICE_INITPROV_FUNCTION","features":[125]},{"name":"OFFICE_POLICY_PROVIDER_DLL_NAME","features":[125]},{"name":"OpenPersonalTrustDBDialog","features":[1,125]},{"name":"OpenPersonalTrustDBDialogEx","features":[1,125]},{"name":"PFN_ALLOCANDFILLDEFUSAGE","features":[1,125]},{"name":"PFN_CPD_ADD_CERT","features":[1,121,122,125]},{"name":"PFN_CPD_ADD_PRIVDATA","features":[1,121,122,125]},{"name":"PFN_CPD_ADD_SGNR","features":[1,121,122,125]},{"name":"PFN_CPD_ADD_STORE","features":[1,121,122,125]},{"name":"PFN_CPD_MEM_ALLOC","features":[125]},{"name":"PFN_CPD_MEM_FREE","features":[125]},{"name":"PFN_FREEDEFUSAGE","features":[1,125]},{"name":"PFN_PROVIDER_CERTCHKPOLICY_CALL","features":[1,121,122,125]},{"name":"PFN_PROVIDER_CERTTRUST_CALL","features":[1,121,122,125]},{"name":"PFN_PROVIDER_CLEANUP_CALL","features":[1,121,122,125]},{"name":"PFN_PROVIDER_FINALPOLICY_CALL","features":[1,121,122,125]},{"name":"PFN_PROVIDER_INIT_CALL","features":[1,121,122,125]},{"name":"PFN_PROVIDER_OBJTRUST_CALL","features":[1,121,122,125]},{"name":"PFN_PROVIDER_SIGTRUST_CALL","features":[1,121,122,125]},{"name":"PFN_PROVIDER_TESTFINALPOLICY_CALL","features":[1,121,122,125]},{"name":"PFN_PROVUI_CALL","features":[1,121,122,125]},{"name":"PFN_WTD_GENERIC_CHAIN_POLICY_CALLBACK","features":[1,121,122,125]},{"name":"PROVDATA_SIP","features":[1,121,122,125]},{"name":"SEALING_SIGNATURE_ATTRIBUTE","features":[68,125]},{"name":"SEALING_SIGNATURE_ATTRIBUTE_STRUCT","features":[125]},{"name":"SEALING_TIMESTAMP_ATTRIBUTE","features":[68,125]},{"name":"SEALING_TIMESTAMP_ATTRIBUTE_STRUCT","features":[125]},{"name":"SGNR_TYPE_TIMESTAMP","features":[125]},{"name":"SPC_CAB_DATA_OBJID","features":[125]},{"name":"SPC_CAB_DATA_STRUCT","features":[125]},{"name":"SPC_CERT_EXTENSIONS_OBJID","features":[125]},{"name":"SPC_COMMERCIAL_SP_KEY_PURPOSE_OBJID","features":[125]},{"name":"SPC_COMMON_NAME_OBJID","features":[125]},{"name":"SPC_ENCRYPTED_DIGEST_RETRY_COUNT_OBJID","features":[125]},{"name":"SPC_FILE_LINK_CHOICE","features":[125]},{"name":"SPC_FINANCIAL_CRITERIA","features":[1,125]},{"name":"SPC_FINANCIAL_CRITERIA_OBJID","features":[125]},{"name":"SPC_FINANCIAL_CRITERIA_STRUCT","features":[125]},{"name":"SPC_GLUE_RDN_OBJID","features":[125]},{"name":"SPC_IMAGE","features":[68,125]},{"name":"SPC_INDIRECT_DATA_CONTENT","features":[68,125]},{"name":"SPC_INDIRECT_DATA_CONTENT_STRUCT","features":[125]},{"name":"SPC_INDIRECT_DATA_OBJID","features":[125]},{"name":"SPC_INDIVIDUAL_SP_KEY_PURPOSE_OBJID","features":[125]},{"name":"SPC_JAVA_CLASS_DATA_OBJID","features":[125]},{"name":"SPC_JAVA_CLASS_DATA_STRUCT","features":[125]},{"name":"SPC_LINK","features":[68,125]},{"name":"SPC_LINK_OBJID","features":[125]},{"name":"SPC_LINK_STRUCT","features":[125]},{"name":"SPC_MINIMAL_CRITERIA_OBJID","features":[125]},{"name":"SPC_MINIMAL_CRITERIA_STRUCT","features":[125]},{"name":"SPC_MONIKER_LINK_CHOICE","features":[125]},{"name":"SPC_NATURAL_AUTH_PLUGIN_OBJID","features":[125]},{"name":"SPC_PE_IMAGE_DATA","features":[68,125]},{"name":"SPC_PE_IMAGE_DATA_OBJID","features":[125]},{"name":"SPC_PE_IMAGE_DATA_STRUCT","features":[125]},{"name":"SPC_PE_IMAGE_PAGE_HASHES_V1_OBJID","features":[125]},{"name":"SPC_PE_IMAGE_PAGE_HASHES_V2_OBJID","features":[125]},{"name":"SPC_RAW_FILE_DATA_OBJID","features":[125]},{"name":"SPC_RELAXED_PE_MARKER_CHECK_OBJID","features":[125]},{"name":"SPC_SERIALIZED_OBJECT","features":[68,125]},{"name":"SPC_SIGINFO","features":[125]},{"name":"SPC_SIGINFO_OBJID","features":[125]},{"name":"SPC_SIGINFO_STRUCT","features":[125]},{"name":"SPC_SP_AGENCY_INFO","features":[68,125]},{"name":"SPC_SP_AGENCY_INFO_OBJID","features":[125]},{"name":"SPC_SP_AGENCY_INFO_STRUCT","features":[125]},{"name":"SPC_SP_OPUS_INFO","features":[68,125]},{"name":"SPC_SP_OPUS_INFO_OBJID","features":[125]},{"name":"SPC_SP_OPUS_INFO_STRUCT","features":[125]},{"name":"SPC_STATEMENT_TYPE","features":[125]},{"name":"SPC_STATEMENT_TYPE_OBJID","features":[125]},{"name":"SPC_STATEMENT_TYPE_STRUCT","features":[125]},{"name":"SPC_STRUCTURED_STORAGE_DATA_OBJID","features":[125]},{"name":"SPC_TIME_STAMP_REQUEST_OBJID","features":[125]},{"name":"SPC_URL_LINK_CHOICE","features":[125]},{"name":"SPC_UUID_LENGTH","features":[125]},{"name":"SPC_WINDOWS_HELLO_COMPATIBILITY_OBJID","features":[125]},{"name":"SP_CHKCERT_FUNCTION","features":[125]},{"name":"SP_CLEANUPPOLICY_FUNCTION","features":[125]},{"name":"SP_FINALPOLICY_FUNCTION","features":[125]},{"name":"SP_GENERIC_CERT_INIT_FUNCTION","features":[125]},{"name":"SP_INIT_FUNCTION","features":[125]},{"name":"SP_OBJTRUST_FUNCTION","features":[125]},{"name":"SP_POLICY_PROVIDER_DLL_NAME","features":[125]},{"name":"SP_SIGTRUST_FUNCTION","features":[125]},{"name":"SP_TESTDUMPPOLICY_FUNCTION_TEST","features":[125]},{"name":"TRUSTERROR_MAX_STEPS","features":[125]},{"name":"TRUSTERROR_STEP_CATALOGFILE","features":[125]},{"name":"TRUSTERROR_STEP_CERTSTORE","features":[125]},{"name":"TRUSTERROR_STEP_FILEIO","features":[125]},{"name":"TRUSTERROR_STEP_FINAL_CERTCHKPROV","features":[125]},{"name":"TRUSTERROR_STEP_FINAL_CERTPROV","features":[125]},{"name":"TRUSTERROR_STEP_FINAL_INITPROV","features":[125]},{"name":"TRUSTERROR_STEP_FINAL_OBJPROV","features":[125]},{"name":"TRUSTERROR_STEP_FINAL_POLICYPROV","features":[125]},{"name":"TRUSTERROR_STEP_FINAL_SIGPROV","features":[125]},{"name":"TRUSTERROR_STEP_FINAL_UIPROV","features":[125]},{"name":"TRUSTERROR_STEP_FINAL_WVTINIT","features":[125]},{"name":"TRUSTERROR_STEP_MESSAGE","features":[125]},{"name":"TRUSTERROR_STEP_MSG_CERTCHAIN","features":[125]},{"name":"TRUSTERROR_STEP_MSG_COUNTERSIGCERT","features":[125]},{"name":"TRUSTERROR_STEP_MSG_COUNTERSIGINFO","features":[125]},{"name":"TRUSTERROR_STEP_MSG_INNERCNT","features":[125]},{"name":"TRUSTERROR_STEP_MSG_INNERCNTTYPE","features":[125]},{"name":"TRUSTERROR_STEP_MSG_SIGNERCERT","features":[125]},{"name":"TRUSTERROR_STEP_MSG_SIGNERCOUNT","features":[125]},{"name":"TRUSTERROR_STEP_MSG_SIGNERINFO","features":[125]},{"name":"TRUSTERROR_STEP_MSG_STORE","features":[125]},{"name":"TRUSTERROR_STEP_SIP","features":[125]},{"name":"TRUSTERROR_STEP_SIPSUBJINFO","features":[125]},{"name":"TRUSTERROR_STEP_VERIFY_MSGHASH","features":[125]},{"name":"TRUSTERROR_STEP_VERIFY_MSGINDIRECTDATA","features":[125]},{"name":"TRUSTERROR_STEP_WVTPARAMS","features":[125]},{"name":"WINTRUST_ACTION_GENERIC_CERT_VERIFY","features":[125]},{"name":"WINTRUST_ACTION_GENERIC_CHAIN_VERIFY","features":[125]},{"name":"WINTRUST_ACTION_GENERIC_VERIFY_V2","features":[125]},{"name":"WINTRUST_ACTION_TRUSTPROVIDER_TEST","features":[125]},{"name":"WINTRUST_BLOB_INFO","features":[125]},{"name":"WINTRUST_CATALOG_INFO","features":[1,68,125]},{"name":"WINTRUST_CERT_INFO","features":[1,68,125]},{"name":"WINTRUST_CONFIG_REGPATH","features":[125]},{"name":"WINTRUST_DATA","features":[1,68,125]},{"name":"WINTRUST_DATA_PROVIDER_FLAGS","features":[125]},{"name":"WINTRUST_DATA_REVOCATION_CHECKS","features":[125]},{"name":"WINTRUST_DATA_STATE_ACTION","features":[125]},{"name":"WINTRUST_DATA_UICHOICE","features":[125]},{"name":"WINTRUST_DATA_UICONTEXT","features":[125]},{"name":"WINTRUST_DATA_UNION_CHOICE","features":[125]},{"name":"WINTRUST_FILE_INFO","features":[1,125]},{"name":"WINTRUST_GET_DEFAULT_FOR_USAGE_ACTION","features":[125]},{"name":"WINTRUST_MAX_HASH_BYTES_TO_MAP_DEFAULT","features":[125]},{"name":"WINTRUST_MAX_HASH_BYTES_TO_MAP_VALUE_NAME","features":[125]},{"name":"WINTRUST_MAX_HEADER_BYTES_TO_MAP_DEFAULT","features":[125]},{"name":"WINTRUST_MAX_HEADER_BYTES_TO_MAP_VALUE_NAME","features":[125]},{"name":"WINTRUST_POLICY_FLAGS","features":[125]},{"name":"WINTRUST_SGNR_INFO","features":[68,125]},{"name":"WINTRUST_SIGNATURE_SETTINGS","features":[68,125]},{"name":"WINTRUST_SIGNATURE_SETTINGS_FLAGS","features":[125]},{"name":"WIN_CERTIFICATE","features":[125]},{"name":"WIN_CERT_REVISION_1_0","features":[125]},{"name":"WIN_CERT_REVISION_2_0","features":[125]},{"name":"WIN_CERT_TYPE_PKCS_SIGNED_DATA","features":[125]},{"name":"WIN_CERT_TYPE_RESERVED_1","features":[125]},{"name":"WIN_CERT_TYPE_TS_STACK_SIGNED","features":[125]},{"name":"WIN_CERT_TYPE_X509","features":[125]},{"name":"WIN_SPUB_ACTION_NT_ACTIVATE_IMAGE","features":[125]},{"name":"WIN_SPUB_ACTION_PUBLISHED_SOFTWARE","features":[125]},{"name":"WIN_SPUB_ACTION_TRUSTED_PUBLISHER","features":[125]},{"name":"WIN_SPUB_TRUSTED_PUBLISHER_DATA","features":[1,125]},{"name":"WIN_TRUST_ACTDATA_CONTEXT_WITH_SUBJECT","features":[1,125]},{"name":"WIN_TRUST_ACTDATA_SUBJECT_ONLY","features":[125]},{"name":"WIN_TRUST_SUBJECT_FILE","features":[1,125]},{"name":"WIN_TRUST_SUBJECT_FILE_AND_DISPLAY","features":[1,125]},{"name":"WIN_TRUST_SUBJTYPE_CABINET","features":[125]},{"name":"WIN_TRUST_SUBJTYPE_CABINETEX","features":[125]},{"name":"WIN_TRUST_SUBJTYPE_JAVA_CLASS","features":[125]},{"name":"WIN_TRUST_SUBJTYPE_JAVA_CLASSEX","features":[125]},{"name":"WIN_TRUST_SUBJTYPE_OLE_STORAGE","features":[125]},{"name":"WIN_TRUST_SUBJTYPE_PE_IMAGE","features":[125]},{"name":"WIN_TRUST_SUBJTYPE_PE_IMAGEEX","features":[125]},{"name":"WIN_TRUST_SUBJTYPE_RAW_FILE","features":[125]},{"name":"WIN_TRUST_SUBJTYPE_RAW_FILEEX","features":[125]},{"name":"WSS_CERTTRUST_SUPPORT","features":[125]},{"name":"WSS_GET_SECONDARY_SIG_COUNT","features":[125]},{"name":"WSS_INPUT_FLAG_MASK","features":[125]},{"name":"WSS_OBJTRUST_SUPPORT","features":[125]},{"name":"WSS_OUTPUT_FLAG_MASK","features":[125]},{"name":"WSS_OUT_FILE_SUPPORTS_SEAL","features":[125]},{"name":"WSS_OUT_HAS_SEALING_INTENT","features":[125]},{"name":"WSS_OUT_SEALING_STATUS_VERIFIED","features":[125]},{"name":"WSS_SIGTRUST_SUPPORT","features":[125]},{"name":"WSS_VERIFY_SEALING","features":[125]},{"name":"WSS_VERIFY_SPECIFIC","features":[125]},{"name":"WTCI_DONT_OPEN_STORES","features":[125]},{"name":"WTCI_OPEN_ONLY_ROOT","features":[125]},{"name":"WTCI_USE_LOCAL_MACHINE","features":[125]},{"name":"WTD_CACHE_ONLY_URL_RETRIEVAL","features":[125]},{"name":"WTD_CHOICE_BLOB","features":[125]},{"name":"WTD_CHOICE_CATALOG","features":[125]},{"name":"WTD_CHOICE_CERT","features":[125]},{"name":"WTD_CHOICE_FILE","features":[125]},{"name":"WTD_CHOICE_SIGNER","features":[125]},{"name":"WTD_CODE_INTEGRITY_DRIVER_MODE","features":[125]},{"name":"WTD_DISABLE_MD2_MD4","features":[125]},{"name":"WTD_GENERIC_CHAIN_POLICY_CREATE_INFO","features":[68,125]},{"name":"WTD_GENERIC_CHAIN_POLICY_DATA","features":[1,121,122,125]},{"name":"WTD_GENERIC_CHAIN_POLICY_SIGNER_INFO","features":[1,68,125]},{"name":"WTD_HASH_ONLY_FLAG","features":[125]},{"name":"WTD_LIFETIME_SIGNING_FLAG","features":[125]},{"name":"WTD_MOTW","features":[125]},{"name":"WTD_NO_IE4_CHAIN_FLAG","features":[125]},{"name":"WTD_NO_POLICY_USAGE_FLAG","features":[125]},{"name":"WTD_PROV_FLAGS_MASK","features":[125]},{"name":"WTD_REVOCATION_CHECK_CHAIN","features":[125]},{"name":"WTD_REVOCATION_CHECK_CHAIN_EXCLUDE_ROOT","features":[125]},{"name":"WTD_REVOCATION_CHECK_END_CERT","features":[125]},{"name":"WTD_REVOCATION_CHECK_NONE","features":[125]},{"name":"WTD_REVOKE_NONE","features":[125]},{"name":"WTD_REVOKE_WHOLECHAIN","features":[125]},{"name":"WTD_SAFER_FLAG","features":[125]},{"name":"WTD_STATEACTION_AUTO_CACHE","features":[125]},{"name":"WTD_STATEACTION_AUTO_CACHE_FLUSH","features":[125]},{"name":"WTD_STATEACTION_CLOSE","features":[125]},{"name":"WTD_STATEACTION_IGNORE","features":[125]},{"name":"WTD_STATEACTION_VERIFY","features":[125]},{"name":"WTD_UICONTEXT_EXECUTE","features":[125]},{"name":"WTD_UICONTEXT_INSTALL","features":[125]},{"name":"WTD_UI_ALL","features":[125]},{"name":"WTD_UI_NOBAD","features":[125]},{"name":"WTD_UI_NOGOOD","features":[125]},{"name":"WTD_UI_NONE","features":[125]},{"name":"WTD_USE_DEFAULT_OSVER_CHECK","features":[125]},{"name":"WTD_USE_IE4_TRUST_FLAG","features":[125]},{"name":"WTHelperCertCheckValidSignature","features":[1,121,122,125]},{"name":"WTHelperCertIsSelfSigned","features":[1,68,125]},{"name":"WTHelperGetProvCertFromChain","features":[1,68,125]},{"name":"WTHelperGetProvPrivateDataFromChain","features":[1,121,122,125]},{"name":"WTHelperGetProvSignerFromChain","features":[1,121,122,125]},{"name":"WTHelperProvDataFromStateData","features":[1,121,122,125]},{"name":"WTPF_ALLOWONLYPERTRUST","features":[125]},{"name":"WTPF_IGNOREEXPIRATION","features":[125]},{"name":"WTPF_IGNOREREVOCATIONONTS","features":[125]},{"name":"WTPF_IGNOREREVOKATION","features":[125]},{"name":"WTPF_OFFLINEOKNBU_COM","features":[125]},{"name":"WTPF_OFFLINEOKNBU_IND","features":[125]},{"name":"WTPF_OFFLINEOK_COM","features":[125]},{"name":"WTPF_OFFLINEOK_IND","features":[125]},{"name":"WTPF_TESTCANBEVALID","features":[125]},{"name":"WTPF_TRUSTTEST","features":[125]},{"name":"WTPF_VERIFY_V1_OFF","features":[125]},{"name":"WT_ADD_ACTION_ID_RET_RESULT_FLAG","features":[125]},{"name":"WT_CURRENT_VERSION","features":[125]},{"name":"WT_PROVIDER_CERTTRUST_FUNCTION","features":[125]},{"name":"WT_PROVIDER_DLL_NAME","features":[125]},{"name":"WT_TRUSTDBDIALOG_NO_UI_FLAG","features":[125]},{"name":"WT_TRUSTDBDIALOG_ONLY_PUB_TAB_FLAG","features":[125]},{"name":"WT_TRUSTDBDIALOG_WRITE_IEAK_STORE_FLAG","features":[125]},{"name":"WT_TRUSTDBDIALOG_WRITE_LEGACY_REG_FLAG","features":[125]},{"name":"WinVerifyTrust","features":[1,125]},{"name":"WinVerifyTrustEx","features":[1,68,125]},{"name":"WintrustAddActionID","features":[1,125]},{"name":"WintrustAddDefaultForUsage","features":[1,125]},{"name":"WintrustGetDefaultForUsage","features":[1,125]},{"name":"WintrustGetRegPolicyFlags","features":[125]},{"name":"WintrustLoadFunctionPointers","features":[1,121,122,125]},{"name":"WintrustRemoveActionID","features":[1,125]},{"name":"WintrustSetDefaultIncludePEPageHashes","features":[1,125]},{"name":"WintrustSetRegPolicyFlags","features":[1,125]},{"name":"szOID_ENHANCED_HASH","features":[125]},{"name":"szOID_INTENT_TO_SEAL","features":[125]},{"name":"szOID_NESTED_SIGNATURE","features":[125]},{"name":"szOID_PKCS_9_SEQUENCE_NUMBER","features":[125]},{"name":"szOID_SEALING_SIGNATURE","features":[125]},{"name":"szOID_SEALING_TIMESTAMP","features":[125]},{"name":"szOID_TRUSTED_CLIENT_AUTH_CA_LIST","features":[125]},{"name":"szOID_TRUSTED_CODESIGNING_CA_LIST","features":[125]},{"name":"szOID_TRUSTED_SERVER_AUTH_CA_LIST","features":[125]}],"501":[{"name":"PFNMSGECALLBACK","features":[1,133]},{"name":"PWLX_ASSIGN_SHELL_PROTECTION","features":[1,133]},{"name":"PWLX_CHANGE_PASSWORD_NOTIFY","features":[1,133]},{"name":"PWLX_CHANGE_PASSWORD_NOTIFY_EX","features":[1,133]},{"name":"PWLX_CLOSE_USER_DESKTOP","features":[1,133,134]},{"name":"PWLX_CREATE_USER_DESKTOP","features":[1,133,134]},{"name":"PWLX_DIALOG_BOX","features":[1,133,50]},{"name":"PWLX_DIALOG_BOX_INDIRECT","features":[1,133,50]},{"name":"PWLX_DIALOG_BOX_INDIRECT_PARAM","features":[1,133,50]},{"name":"PWLX_DIALOG_BOX_PARAM","features":[1,133,50]},{"name":"PWLX_DISCONNECT","features":[1,133]},{"name":"PWLX_GET_OPTION","features":[1,133]},{"name":"PWLX_GET_SOURCE_DESKTOP","features":[1,133,134]},{"name":"PWLX_MESSAGE_BOX","features":[1,133]},{"name":"PWLX_QUERY_CLIENT_CREDENTIALS","features":[1,133]},{"name":"PWLX_QUERY_CONSOLESWITCH_CREDENTIALS","features":[1,133]},{"name":"PWLX_QUERY_IC_CREDENTIALS","features":[1,133]},{"name":"PWLX_QUERY_TERMINAL_SERVICES_DATA","features":[1,133]},{"name":"PWLX_QUERY_TS_LOGON_CREDENTIALS","features":[1,133]},{"name":"PWLX_SAS_NOTIFY","features":[1,133]},{"name":"PWLX_SET_CONTEXT_POINTER","features":[1,133]},{"name":"PWLX_SET_OPTION","features":[1,133]},{"name":"PWLX_SET_RETURN_DESKTOP","features":[1,133,134]},{"name":"PWLX_SET_TIMEOUT","features":[1,133]},{"name":"PWLX_SWITCH_DESKTOP_TO_USER","features":[1,133]},{"name":"PWLX_SWITCH_DESKTOP_TO_WINLOGON","features":[1,133]},{"name":"PWLX_USE_CTRL_ALT_DEL","features":[1,133]},{"name":"PWLX_WIN31_MIGRATE","features":[1,133]},{"name":"STATUSMSG_OPTION_NOANIMATION","features":[133]},{"name":"STATUSMSG_OPTION_SETFOREGROUND","features":[133]},{"name":"WLX_CLIENT_CREDENTIALS_INFO_V1_0","features":[1,133]},{"name":"WLX_CLIENT_CREDENTIALS_INFO_V2_0","features":[1,133]},{"name":"WLX_CONSOLESWITCHCREDENTIAL_TYPE_V1_0","features":[133]},{"name":"WLX_CONSOLESWITCH_CREDENTIALS_INFO_V1_0","features":[1,133]},{"name":"WLX_CREATE_INSTANCE_ONLY","features":[133]},{"name":"WLX_CREATE_USER","features":[133]},{"name":"WLX_CREDENTIAL_TYPE_V1_0","features":[133]},{"name":"WLX_CREDENTIAL_TYPE_V2_0","features":[133]},{"name":"WLX_CURRENT_VERSION","features":[133]},{"name":"WLX_DESKTOP","features":[133,134]},{"name":"WLX_DESKTOP_HANDLE","features":[133]},{"name":"WLX_DESKTOP_NAME","features":[133]},{"name":"WLX_DIRECTORY_LENGTH","features":[133]},{"name":"WLX_DISPATCH_VERSION_1_0","features":[1,133,50]},{"name":"WLX_DISPATCH_VERSION_1_1","features":[1,133,134,50]},{"name":"WLX_DISPATCH_VERSION_1_2","features":[1,133,134,50]},{"name":"WLX_DISPATCH_VERSION_1_3","features":[1,133,134,50]},{"name":"WLX_DISPATCH_VERSION_1_4","features":[1,133,134,50]},{"name":"WLX_DLG_INPUT_TIMEOUT","features":[133]},{"name":"WLX_DLG_SAS","features":[133]},{"name":"WLX_DLG_SCREEN_SAVER_TIMEOUT","features":[133]},{"name":"WLX_DLG_USER_LOGOFF","features":[133]},{"name":"WLX_LOGON_OPT_NO_PROFILE","features":[133]},{"name":"WLX_MPR_NOTIFY_INFO","features":[133]},{"name":"WLX_NOTIFICATION_INFO","features":[1,133,134]},{"name":"WLX_OPTION_CONTEXT_POINTER","features":[133]},{"name":"WLX_OPTION_DISPATCH_TABLE_SIZE","features":[133]},{"name":"WLX_OPTION_FORCE_LOGOFF_TIME","features":[133]},{"name":"WLX_OPTION_IGNORE_AUTO_LOGON","features":[133]},{"name":"WLX_OPTION_NO_SWITCH_ON_SAS","features":[133]},{"name":"WLX_OPTION_SMART_CARD_INFO","features":[133]},{"name":"WLX_OPTION_SMART_CARD_PRESENT","features":[133]},{"name":"WLX_OPTION_USE_CTRL_ALT_DEL","features":[133]},{"name":"WLX_OPTION_USE_SMART_CARD","features":[133]},{"name":"WLX_PROFILE_TYPE_V1_0","features":[133]},{"name":"WLX_PROFILE_TYPE_V2_0","features":[133]},{"name":"WLX_PROFILE_V1_0","features":[133]},{"name":"WLX_PROFILE_V2_0","features":[133]},{"name":"WLX_SAS_ACTION_DELAYED_FORCE_LOGOFF","features":[133]},{"name":"WLX_SAS_ACTION_FORCE_LOGOFF","features":[133]},{"name":"WLX_SAS_ACTION_LOCK_WKSTA","features":[133]},{"name":"WLX_SAS_ACTION_LOGOFF","features":[133]},{"name":"WLX_SAS_ACTION_LOGON","features":[133]},{"name":"WLX_SAS_ACTION_NONE","features":[133]},{"name":"WLX_SAS_ACTION_PWD_CHANGED","features":[133]},{"name":"WLX_SAS_ACTION_RECONNECTED","features":[133]},{"name":"WLX_SAS_ACTION_SHUTDOWN","features":[133]},{"name":"WLX_SAS_ACTION_SHUTDOWN_HIBERNATE","features":[133]},{"name":"WLX_SAS_ACTION_SHUTDOWN_POWER_OFF","features":[133]},{"name":"WLX_SAS_ACTION_SHUTDOWN_REBOOT","features":[133]},{"name":"WLX_SAS_ACTION_SHUTDOWN_SLEEP","features":[133]},{"name":"WLX_SAS_ACTION_SHUTDOWN_SLEEP2","features":[133]},{"name":"WLX_SAS_ACTION_SWITCH_CONSOLE","features":[133]},{"name":"WLX_SAS_ACTION_TASKLIST","features":[133]},{"name":"WLX_SAS_ACTION_UNLOCK_WKSTA","features":[133]},{"name":"WLX_SAS_TYPE_AUTHENTICATED","features":[133]},{"name":"WLX_SAS_TYPE_CTRL_ALT_DEL","features":[133]},{"name":"WLX_SAS_TYPE_MAX_MSFT_VALUE","features":[133]},{"name":"WLX_SAS_TYPE_SCRNSVR_ACTIVITY","features":[133]},{"name":"WLX_SAS_TYPE_SCRNSVR_TIMEOUT","features":[133]},{"name":"WLX_SAS_TYPE_SC_FIRST_READER_ARRIVED","features":[133]},{"name":"WLX_SAS_TYPE_SC_INSERT","features":[133]},{"name":"WLX_SAS_TYPE_SC_LAST_READER_REMOVED","features":[133]},{"name":"WLX_SAS_TYPE_SC_REMOVE","features":[133]},{"name":"WLX_SAS_TYPE_SWITCHUSER","features":[133]},{"name":"WLX_SAS_TYPE_TIMEOUT","features":[133]},{"name":"WLX_SAS_TYPE_USER_LOGOFF","features":[133]},{"name":"WLX_SC_NOTIFICATION_INFO","features":[133]},{"name":"WLX_SHUTDOWN_TYPE","features":[133]},{"name":"WLX_TERMINAL_SERVICES_DATA","features":[133]},{"name":"WLX_VERSION_1_0","features":[133]},{"name":"WLX_VERSION_1_1","features":[133]},{"name":"WLX_VERSION_1_2","features":[133]},{"name":"WLX_VERSION_1_3","features":[133]},{"name":"WLX_VERSION_1_4","features":[133]},{"name":"WLX_WM_SAS","features":[133]}],"502":[{"name":"CB_MAX_CABINET_NAME","features":[135]},{"name":"CB_MAX_CAB_PATH","features":[135]},{"name":"CB_MAX_DISK","features":[135]},{"name":"CB_MAX_DISK_NAME","features":[135]},{"name":"CB_MAX_FILENAME","features":[135]},{"name":"CCAB","features":[135]},{"name":"ERF","features":[1,135]},{"name":"FCIAddFile","features":[1,135]},{"name":"FCICreate","features":[1,135]},{"name":"FCIDestroy","features":[1,135]},{"name":"FCIERROR","features":[135]},{"name":"FCIERR_ALLOC_FAIL","features":[135]},{"name":"FCIERR_BAD_COMPR_TYPE","features":[135]},{"name":"FCIERR_CAB_FILE","features":[135]},{"name":"FCIERR_CAB_FORMAT_LIMIT","features":[135]},{"name":"FCIERR_MCI_FAIL","features":[135]},{"name":"FCIERR_NONE","features":[135]},{"name":"FCIERR_OPEN_SRC","features":[135]},{"name":"FCIERR_READ_SRC","features":[135]},{"name":"FCIERR_TEMP_FILE","features":[135]},{"name":"FCIERR_USER_ABORT","features":[135]},{"name":"FCIFlushCabinet","features":[1,135]},{"name":"FCIFlushFolder","features":[1,135]},{"name":"FDICABINETINFO","features":[1,135]},{"name":"FDICREATE_CPU_TYPE","features":[135]},{"name":"FDICopy","features":[1,135]},{"name":"FDICreate","features":[1,135]},{"name":"FDIDECRYPT","features":[1,135]},{"name":"FDIDECRYPTTYPE","features":[135]},{"name":"FDIDestroy","features":[1,135]},{"name":"FDIERROR","features":[135]},{"name":"FDIERROR_ALLOC_FAIL","features":[135]},{"name":"FDIERROR_BAD_COMPR_TYPE","features":[135]},{"name":"FDIERROR_CABINET_NOT_FOUND","features":[135]},{"name":"FDIERROR_CORRUPT_CABINET","features":[135]},{"name":"FDIERROR_EOF","features":[135]},{"name":"FDIERROR_MDI_FAIL","features":[135]},{"name":"FDIERROR_NONE","features":[135]},{"name":"FDIERROR_NOT_A_CABINET","features":[135]},{"name":"FDIERROR_RESERVE_MISMATCH","features":[135]},{"name":"FDIERROR_TARGET_FILE","features":[135]},{"name":"FDIERROR_UNKNOWN_CABINET_VERSION","features":[135]},{"name":"FDIERROR_USER_ABORT","features":[135]},{"name":"FDIERROR_WRONG_CABINET","features":[135]},{"name":"FDIIsCabinet","features":[1,135]},{"name":"FDINOTIFICATION","features":[135]},{"name":"FDINOTIFICATIONTYPE","features":[135]},{"name":"FDISPILLFILE","features":[135]},{"name":"FDISPILLFILE","features":[135]},{"name":"FDITruncateCabinet","features":[1,135]},{"name":"INCLUDED_FCI","features":[135]},{"name":"INCLUDED_FDI","features":[135]},{"name":"INCLUDED_TYPES_FCI_FDI","features":[135]},{"name":"PFNALLOC","features":[135]},{"name":"PFNCLOSE","features":[135]},{"name":"PFNFCIALLOC","features":[135]},{"name":"PFNFCICLOSE","features":[135]},{"name":"PFNFCIDELETE","features":[135]},{"name":"PFNFCIFILEPLACED","features":[1,135]},{"name":"PFNFCIFREE","features":[135]},{"name":"PFNFCIGETNEXTCABINET","features":[1,135]},{"name":"PFNFCIGETOPENINFO","features":[135]},{"name":"PFNFCIGETTEMPFILE","features":[1,135]},{"name":"PFNFCIOPEN","features":[135]},{"name":"PFNFCIREAD","features":[135]},{"name":"PFNFCISEEK","features":[135]},{"name":"PFNFCISTATUS","features":[135]},{"name":"PFNFCIWRITE","features":[135]},{"name":"PFNFDIDECRYPT","features":[1,135]},{"name":"PFNFDINOTIFY","features":[135]},{"name":"PFNFREE","features":[135]},{"name":"PFNOPEN","features":[135]},{"name":"PFNREAD","features":[135]},{"name":"PFNSEEK","features":[135]},{"name":"PFNWRITE","features":[135]},{"name":"_A_EXEC","features":[135]},{"name":"_A_NAME_IS_UTF","features":[135]},{"name":"cpu80286","features":[135]},{"name":"cpu80386","features":[135]},{"name":"cpuUNKNOWN","features":[135]},{"name":"fdidtDECRYPT","features":[135]},{"name":"fdidtNEW_CABINET","features":[135]},{"name":"fdidtNEW_FOLDER","features":[135]},{"name":"fdintCABINET_INFO","features":[135]},{"name":"fdintCLOSE_FILE_INFO","features":[135]},{"name":"fdintCOPY_FILE","features":[135]},{"name":"fdintENUMERATE","features":[135]},{"name":"fdintNEXT_CABINET","features":[135]},{"name":"fdintPARTIAL_FILE","features":[135]},{"name":"statusCabinet","features":[135]},{"name":"statusFile","features":[135]},{"name":"statusFolder","features":[135]},{"name":"tcompBAD","features":[135]},{"name":"tcompLZX_WINDOW_HI","features":[135]},{"name":"tcompLZX_WINDOW_LO","features":[135]},{"name":"tcompMASK_LZX_WINDOW","features":[135]},{"name":"tcompMASK_QUANTUM_LEVEL","features":[135]},{"name":"tcompMASK_QUANTUM_MEM","features":[135]},{"name":"tcompMASK_RESERVED","features":[135]},{"name":"tcompMASK_TYPE","features":[135]},{"name":"tcompQUANTUM_LEVEL_HI","features":[135]},{"name":"tcompQUANTUM_LEVEL_LO","features":[135]},{"name":"tcompQUANTUM_MEM_HI","features":[135]},{"name":"tcompQUANTUM_MEM_LO","features":[135]},{"name":"tcompSHIFT_LZX_WINDOW","features":[135]},{"name":"tcompSHIFT_QUANTUM_LEVEL","features":[135]},{"name":"tcompSHIFT_QUANTUM_MEM","features":[135]},{"name":"tcompTYPE_LZX","features":[135]},{"name":"tcompTYPE_MSZIP","features":[135]},{"name":"tcompTYPE_NONE","features":[135]},{"name":"tcompTYPE_QUANTUM","features":[135]}],"503":[{"name":"CF_CALLBACK","features":[136,137]},{"name":"CF_CALLBACK_CANCEL_FLAGS","features":[136]},{"name":"CF_CALLBACK_CANCEL_FLAG_IO_ABORTED","features":[136]},{"name":"CF_CALLBACK_CANCEL_FLAG_IO_TIMEOUT","features":[136]},{"name":"CF_CALLBACK_CANCEL_FLAG_NONE","features":[136]},{"name":"CF_CALLBACK_CLOSE_COMPLETION_FLAGS","features":[136]},{"name":"CF_CALLBACK_CLOSE_COMPLETION_FLAG_DELETED","features":[136]},{"name":"CF_CALLBACK_CLOSE_COMPLETION_FLAG_NONE","features":[136]},{"name":"CF_CALLBACK_DEHYDRATE_COMPLETION_FLAGS","features":[136]},{"name":"CF_CALLBACK_DEHYDRATE_COMPLETION_FLAG_BACKGROUND","features":[136]},{"name":"CF_CALLBACK_DEHYDRATE_COMPLETION_FLAG_DEHYDRATED","features":[136]},{"name":"CF_CALLBACK_DEHYDRATE_COMPLETION_FLAG_NONE","features":[136]},{"name":"CF_CALLBACK_DEHYDRATE_FLAGS","features":[136]},{"name":"CF_CALLBACK_DEHYDRATE_FLAG_BACKGROUND","features":[136]},{"name":"CF_CALLBACK_DEHYDRATE_FLAG_NONE","features":[136]},{"name":"CF_CALLBACK_DEHYDRATION_REASON","features":[136]},{"name":"CF_CALLBACK_DEHYDRATION_REASON_NONE","features":[136]},{"name":"CF_CALLBACK_DEHYDRATION_REASON_SYSTEM_INACTIVITY","features":[136]},{"name":"CF_CALLBACK_DEHYDRATION_REASON_SYSTEM_LOW_SPACE","features":[136]},{"name":"CF_CALLBACK_DEHYDRATION_REASON_SYSTEM_OS_UPGRADE","features":[136]},{"name":"CF_CALLBACK_DEHYDRATION_REASON_USER_MANUAL","features":[136]},{"name":"CF_CALLBACK_DELETE_COMPLETION_FLAGS","features":[136]},{"name":"CF_CALLBACK_DELETE_COMPLETION_FLAG_NONE","features":[136]},{"name":"CF_CALLBACK_DELETE_FLAGS","features":[136]},{"name":"CF_CALLBACK_DELETE_FLAG_IS_DIRECTORY","features":[136]},{"name":"CF_CALLBACK_DELETE_FLAG_IS_UNDELETE","features":[136]},{"name":"CF_CALLBACK_DELETE_FLAG_NONE","features":[136]},{"name":"CF_CALLBACK_FETCH_DATA_FLAGS","features":[136]},{"name":"CF_CALLBACK_FETCH_DATA_FLAG_EXPLICIT_HYDRATION","features":[136]},{"name":"CF_CALLBACK_FETCH_DATA_FLAG_NONE","features":[136]},{"name":"CF_CALLBACK_FETCH_DATA_FLAG_RECOVERY","features":[136]},{"name":"CF_CALLBACK_FETCH_PLACEHOLDERS_FLAGS","features":[136]},{"name":"CF_CALLBACK_FETCH_PLACEHOLDERS_FLAG_NONE","features":[136]},{"name":"CF_CALLBACK_INFO","features":[136,137]},{"name":"CF_CALLBACK_OPEN_COMPLETION_FLAGS","features":[136]},{"name":"CF_CALLBACK_OPEN_COMPLETION_FLAG_NONE","features":[136]},{"name":"CF_CALLBACK_OPEN_COMPLETION_FLAG_PLACEHOLDER_UNKNOWN","features":[136]},{"name":"CF_CALLBACK_OPEN_COMPLETION_FLAG_PLACEHOLDER_UNSUPPORTED","features":[136]},{"name":"CF_CALLBACK_PARAMETERS","features":[136]},{"name":"CF_CALLBACK_REGISTRATION","features":[136,137]},{"name":"CF_CALLBACK_RENAME_COMPLETION_FLAGS","features":[136]},{"name":"CF_CALLBACK_RENAME_COMPLETION_FLAG_NONE","features":[136]},{"name":"CF_CALLBACK_RENAME_FLAGS","features":[136]},{"name":"CF_CALLBACK_RENAME_FLAG_IS_DIRECTORY","features":[136]},{"name":"CF_CALLBACK_RENAME_FLAG_NONE","features":[136]},{"name":"CF_CALLBACK_RENAME_FLAG_SOURCE_IN_SCOPE","features":[136]},{"name":"CF_CALLBACK_RENAME_FLAG_TARGET_IN_SCOPE","features":[136]},{"name":"CF_CALLBACK_TYPE","features":[136]},{"name":"CF_CALLBACK_TYPE_CANCEL_FETCH_DATA","features":[136]},{"name":"CF_CALLBACK_TYPE_CANCEL_FETCH_PLACEHOLDERS","features":[136]},{"name":"CF_CALLBACK_TYPE_FETCH_DATA","features":[136]},{"name":"CF_CALLBACK_TYPE_FETCH_PLACEHOLDERS","features":[136]},{"name":"CF_CALLBACK_TYPE_NONE","features":[136]},{"name":"CF_CALLBACK_TYPE_NOTIFY_DEHYDRATE","features":[136]},{"name":"CF_CALLBACK_TYPE_NOTIFY_DEHYDRATE_COMPLETION","features":[136]},{"name":"CF_CALLBACK_TYPE_NOTIFY_DELETE","features":[136]},{"name":"CF_CALLBACK_TYPE_NOTIFY_DELETE_COMPLETION","features":[136]},{"name":"CF_CALLBACK_TYPE_NOTIFY_FILE_CLOSE_COMPLETION","features":[136]},{"name":"CF_CALLBACK_TYPE_NOTIFY_FILE_OPEN_COMPLETION","features":[136]},{"name":"CF_CALLBACK_TYPE_NOTIFY_RENAME","features":[136]},{"name":"CF_CALLBACK_TYPE_NOTIFY_RENAME_COMPLETION","features":[136]},{"name":"CF_CALLBACK_TYPE_VALIDATE_DATA","features":[136]},{"name":"CF_CALLBACK_VALIDATE_DATA_FLAGS","features":[136]},{"name":"CF_CALLBACK_VALIDATE_DATA_FLAG_EXPLICIT_HYDRATION","features":[136]},{"name":"CF_CALLBACK_VALIDATE_DATA_FLAG_NONE","features":[136]},{"name":"CF_CONNECTION_KEY","features":[136]},{"name":"CF_CONNECT_FLAGS","features":[136]},{"name":"CF_CONNECT_FLAG_BLOCK_SELF_IMPLICIT_HYDRATION","features":[136]},{"name":"CF_CONNECT_FLAG_NONE","features":[136]},{"name":"CF_CONNECT_FLAG_REQUIRE_FULL_FILE_PATH","features":[136]},{"name":"CF_CONNECT_FLAG_REQUIRE_PROCESS_INFO","features":[136]},{"name":"CF_CONVERT_FLAGS","features":[136]},{"name":"CF_CONVERT_FLAG_ALWAYS_FULL","features":[136]},{"name":"CF_CONVERT_FLAG_DEHYDRATE","features":[136]},{"name":"CF_CONVERT_FLAG_ENABLE_ON_DEMAND_POPULATION","features":[136]},{"name":"CF_CONVERT_FLAG_FORCE_CONVERT_TO_CLOUD_FILE","features":[136]},{"name":"CF_CONVERT_FLAG_MARK_IN_SYNC","features":[136]},{"name":"CF_CONVERT_FLAG_NONE","features":[136]},{"name":"CF_CREATE_FLAGS","features":[136]},{"name":"CF_CREATE_FLAG_NONE","features":[136]},{"name":"CF_CREATE_FLAG_STOP_ON_ERROR","features":[136]},{"name":"CF_DEHYDRATE_FLAGS","features":[136]},{"name":"CF_DEHYDRATE_FLAG_BACKGROUND","features":[136]},{"name":"CF_DEHYDRATE_FLAG_NONE","features":[136]},{"name":"CF_FILE_RANGE","features":[136]},{"name":"CF_FS_METADATA","features":[136,21]},{"name":"CF_HARDLINK_POLICY","features":[136]},{"name":"CF_HARDLINK_POLICY_ALLOWED","features":[136]},{"name":"CF_HARDLINK_POLICY_NONE","features":[136]},{"name":"CF_HYDRATE_FLAGS","features":[136]},{"name":"CF_HYDRATE_FLAG_NONE","features":[136]},{"name":"CF_HYDRATION_POLICY","features":[136]},{"name":"CF_HYDRATION_POLICY_ALWAYS_FULL","features":[136]},{"name":"CF_HYDRATION_POLICY_FULL","features":[136]},{"name":"CF_HYDRATION_POLICY_MODIFIER","features":[136]},{"name":"CF_HYDRATION_POLICY_MODIFIER_ALLOW_FULL_RESTART_HYDRATION","features":[136]},{"name":"CF_HYDRATION_POLICY_MODIFIER_AUTO_DEHYDRATION_ALLOWED","features":[136]},{"name":"CF_HYDRATION_POLICY_MODIFIER_NONE","features":[136]},{"name":"CF_HYDRATION_POLICY_MODIFIER_STREAMING_ALLOWED","features":[136]},{"name":"CF_HYDRATION_POLICY_MODIFIER_VALIDATION_REQUIRED","features":[136]},{"name":"CF_HYDRATION_POLICY_PARTIAL","features":[136]},{"name":"CF_HYDRATION_POLICY_PRIMARY","features":[136]},{"name":"CF_HYDRATION_POLICY_PROGRESSIVE","features":[136]},{"name":"CF_INSYNC_POLICY","features":[136]},{"name":"CF_INSYNC_POLICY_NONE","features":[136]},{"name":"CF_INSYNC_POLICY_PRESERVE_INSYNC_FOR_SYNC_ENGINE","features":[136]},{"name":"CF_INSYNC_POLICY_TRACK_ALL","features":[136]},{"name":"CF_INSYNC_POLICY_TRACK_DIRECTORY_ALL","features":[136]},{"name":"CF_INSYNC_POLICY_TRACK_DIRECTORY_CREATION_TIME","features":[136]},{"name":"CF_INSYNC_POLICY_TRACK_DIRECTORY_HIDDEN_ATTRIBUTE","features":[136]},{"name":"CF_INSYNC_POLICY_TRACK_DIRECTORY_LAST_WRITE_TIME","features":[136]},{"name":"CF_INSYNC_POLICY_TRACK_DIRECTORY_READONLY_ATTRIBUTE","features":[136]},{"name":"CF_INSYNC_POLICY_TRACK_DIRECTORY_SYSTEM_ATTRIBUTE","features":[136]},{"name":"CF_INSYNC_POLICY_TRACK_FILE_ALL","features":[136]},{"name":"CF_INSYNC_POLICY_TRACK_FILE_CREATION_TIME","features":[136]},{"name":"CF_INSYNC_POLICY_TRACK_FILE_HIDDEN_ATTRIBUTE","features":[136]},{"name":"CF_INSYNC_POLICY_TRACK_FILE_LAST_WRITE_TIME","features":[136]},{"name":"CF_INSYNC_POLICY_TRACK_FILE_READONLY_ATTRIBUTE","features":[136]},{"name":"CF_INSYNC_POLICY_TRACK_FILE_SYSTEM_ATTRIBUTE","features":[136]},{"name":"CF_IN_SYNC_STATE","features":[136]},{"name":"CF_IN_SYNC_STATE_IN_SYNC","features":[136]},{"name":"CF_IN_SYNC_STATE_NOT_IN_SYNC","features":[136]},{"name":"CF_MAX_PRIORITY_HINT","features":[136]},{"name":"CF_MAX_PROVIDER_NAME_LENGTH","features":[136]},{"name":"CF_MAX_PROVIDER_VERSION_LENGTH","features":[136]},{"name":"CF_OPEN_FILE_FLAGS","features":[136]},{"name":"CF_OPEN_FILE_FLAG_DELETE_ACCESS","features":[136]},{"name":"CF_OPEN_FILE_FLAG_EXCLUSIVE","features":[136]},{"name":"CF_OPEN_FILE_FLAG_FOREGROUND","features":[136]},{"name":"CF_OPEN_FILE_FLAG_NONE","features":[136]},{"name":"CF_OPEN_FILE_FLAG_WRITE_ACCESS","features":[136]},{"name":"CF_OPERATION_ACK_DATA_FLAGS","features":[136]},{"name":"CF_OPERATION_ACK_DATA_FLAG_NONE","features":[136]},{"name":"CF_OPERATION_ACK_DEHYDRATE_FLAGS","features":[136]},{"name":"CF_OPERATION_ACK_DEHYDRATE_FLAG_NONE","features":[136]},{"name":"CF_OPERATION_ACK_DELETE_FLAGS","features":[136]},{"name":"CF_OPERATION_ACK_DELETE_FLAG_NONE","features":[136]},{"name":"CF_OPERATION_ACK_RENAME_FLAGS","features":[136]},{"name":"CF_OPERATION_ACK_RENAME_FLAG_NONE","features":[136]},{"name":"CF_OPERATION_INFO","features":[136,137]},{"name":"CF_OPERATION_PARAMETERS","features":[1,136,21]},{"name":"CF_OPERATION_RESTART_HYDRATION_FLAGS","features":[136]},{"name":"CF_OPERATION_RESTART_HYDRATION_FLAG_MARK_IN_SYNC","features":[136]},{"name":"CF_OPERATION_RESTART_HYDRATION_FLAG_NONE","features":[136]},{"name":"CF_OPERATION_RETRIEVE_DATA_FLAGS","features":[136]},{"name":"CF_OPERATION_RETRIEVE_DATA_FLAG_NONE","features":[136]},{"name":"CF_OPERATION_TRANSFER_DATA_FLAGS","features":[136]},{"name":"CF_OPERATION_TRANSFER_DATA_FLAG_NONE","features":[136]},{"name":"CF_OPERATION_TRANSFER_PLACEHOLDERS_FLAGS","features":[136]},{"name":"CF_OPERATION_TRANSFER_PLACEHOLDERS_FLAG_DISABLE_ON_DEMAND_POPULATION","features":[136]},{"name":"CF_OPERATION_TRANSFER_PLACEHOLDERS_FLAG_NONE","features":[136]},{"name":"CF_OPERATION_TRANSFER_PLACEHOLDERS_FLAG_STOP_ON_ERROR","features":[136]},{"name":"CF_OPERATION_TYPE","features":[136]},{"name":"CF_OPERATION_TYPE_ACK_DATA","features":[136]},{"name":"CF_OPERATION_TYPE_ACK_DEHYDRATE","features":[136]},{"name":"CF_OPERATION_TYPE_ACK_DELETE","features":[136]},{"name":"CF_OPERATION_TYPE_ACK_RENAME","features":[136]},{"name":"CF_OPERATION_TYPE_RESTART_HYDRATION","features":[136]},{"name":"CF_OPERATION_TYPE_RETRIEVE_DATA","features":[136]},{"name":"CF_OPERATION_TYPE_TRANSFER_DATA","features":[136]},{"name":"CF_OPERATION_TYPE_TRANSFER_PLACEHOLDERS","features":[136]},{"name":"CF_PIN_STATE","features":[136]},{"name":"CF_PIN_STATE_EXCLUDED","features":[136]},{"name":"CF_PIN_STATE_INHERIT","features":[136]},{"name":"CF_PIN_STATE_PINNED","features":[136]},{"name":"CF_PIN_STATE_UNPINNED","features":[136]},{"name":"CF_PIN_STATE_UNSPECIFIED","features":[136]},{"name":"CF_PLACEHOLDER_BASIC_INFO","features":[136]},{"name":"CF_PLACEHOLDER_CREATE_FLAGS","features":[136]},{"name":"CF_PLACEHOLDER_CREATE_FLAG_ALWAYS_FULL","features":[136]},{"name":"CF_PLACEHOLDER_CREATE_FLAG_DISABLE_ON_DEMAND_POPULATION","features":[136]},{"name":"CF_PLACEHOLDER_CREATE_FLAG_MARK_IN_SYNC","features":[136]},{"name":"CF_PLACEHOLDER_CREATE_FLAG_NONE","features":[136]},{"name":"CF_PLACEHOLDER_CREATE_FLAG_SUPERSEDE","features":[136]},{"name":"CF_PLACEHOLDER_CREATE_INFO","features":[136,21]},{"name":"CF_PLACEHOLDER_INFO_BASIC","features":[136]},{"name":"CF_PLACEHOLDER_INFO_CLASS","features":[136]},{"name":"CF_PLACEHOLDER_INFO_STANDARD","features":[136]},{"name":"CF_PLACEHOLDER_MANAGEMENT_POLICY","features":[136]},{"name":"CF_PLACEHOLDER_MANAGEMENT_POLICY_CONVERT_TO_UNRESTRICTED","features":[136]},{"name":"CF_PLACEHOLDER_MANAGEMENT_POLICY_CREATE_UNRESTRICTED","features":[136]},{"name":"CF_PLACEHOLDER_MANAGEMENT_POLICY_DEFAULT","features":[136]},{"name":"CF_PLACEHOLDER_MANAGEMENT_POLICY_UPDATE_UNRESTRICTED","features":[136]},{"name":"CF_PLACEHOLDER_MAX_FILE_IDENTITY_LENGTH","features":[136]},{"name":"CF_PLACEHOLDER_RANGE_INFO_CLASS","features":[136]},{"name":"CF_PLACEHOLDER_RANGE_INFO_MODIFIED","features":[136]},{"name":"CF_PLACEHOLDER_RANGE_INFO_ONDISK","features":[136]},{"name":"CF_PLACEHOLDER_RANGE_INFO_VALIDATED","features":[136]},{"name":"CF_PLACEHOLDER_STANDARD_INFO","features":[136]},{"name":"CF_PLACEHOLDER_STATE","features":[136]},{"name":"CF_PLACEHOLDER_STATE_ESSENTIAL_PROP_PRESENT","features":[136]},{"name":"CF_PLACEHOLDER_STATE_INVALID","features":[136]},{"name":"CF_PLACEHOLDER_STATE_IN_SYNC","features":[136]},{"name":"CF_PLACEHOLDER_STATE_NO_STATES","features":[136]},{"name":"CF_PLACEHOLDER_STATE_PARTIAL","features":[136]},{"name":"CF_PLACEHOLDER_STATE_PARTIALLY_ON_DISK","features":[136]},{"name":"CF_PLACEHOLDER_STATE_PLACEHOLDER","features":[136]},{"name":"CF_PLACEHOLDER_STATE_SYNC_ROOT","features":[136]},{"name":"CF_PLATFORM_INFO","features":[136]},{"name":"CF_POPULATION_POLICY","features":[136]},{"name":"CF_POPULATION_POLICY_ALWAYS_FULL","features":[136]},{"name":"CF_POPULATION_POLICY_FULL","features":[136]},{"name":"CF_POPULATION_POLICY_MODIFIER","features":[136]},{"name":"CF_POPULATION_POLICY_MODIFIER_NONE","features":[136]},{"name":"CF_POPULATION_POLICY_PARTIAL","features":[136]},{"name":"CF_POPULATION_POLICY_PRIMARY","features":[136]},{"name":"CF_PROCESS_INFO","features":[136]},{"name":"CF_PROVIDER_STATUS_CLEAR_FLAGS","features":[136]},{"name":"CF_PROVIDER_STATUS_CONNECTIVITY_LOST","features":[136]},{"name":"CF_PROVIDER_STATUS_DISCONNECTED","features":[136]},{"name":"CF_PROVIDER_STATUS_ERROR","features":[136]},{"name":"CF_PROVIDER_STATUS_IDLE","features":[136]},{"name":"CF_PROVIDER_STATUS_POPULATE_CONTENT","features":[136]},{"name":"CF_PROVIDER_STATUS_POPULATE_METADATA","features":[136]},{"name":"CF_PROVIDER_STATUS_POPULATE_NAMESPACE","features":[136]},{"name":"CF_PROVIDER_STATUS_SYNC_FULL","features":[136]},{"name":"CF_PROVIDER_STATUS_SYNC_INCREMENTAL","features":[136]},{"name":"CF_PROVIDER_STATUS_TERMINATED","features":[136]},{"name":"CF_REGISTER_FLAGS","features":[136]},{"name":"CF_REGISTER_FLAG_DISABLE_ON_DEMAND_POPULATION_ON_ROOT","features":[136]},{"name":"CF_REGISTER_FLAG_MARK_IN_SYNC_ON_ROOT","features":[136]},{"name":"CF_REGISTER_FLAG_NONE","features":[136]},{"name":"CF_REGISTER_FLAG_UPDATE","features":[136]},{"name":"CF_REQUEST_KEY_DEFAULT","features":[136]},{"name":"CF_REVERT_FLAGS","features":[136]},{"name":"CF_REVERT_FLAG_NONE","features":[136]},{"name":"CF_SET_IN_SYNC_FLAGS","features":[136]},{"name":"CF_SET_IN_SYNC_FLAG_NONE","features":[136]},{"name":"CF_SET_PIN_FLAGS","features":[136]},{"name":"CF_SET_PIN_FLAG_NONE","features":[136]},{"name":"CF_SET_PIN_FLAG_RECURSE","features":[136]},{"name":"CF_SET_PIN_FLAG_RECURSE_ONLY","features":[136]},{"name":"CF_SET_PIN_FLAG_RECURSE_STOP_ON_ERROR","features":[136]},{"name":"CF_SYNC_POLICIES","features":[136]},{"name":"CF_SYNC_PROVIDER_STATUS","features":[136]},{"name":"CF_SYNC_REGISTRATION","features":[136]},{"name":"CF_SYNC_ROOT_BASIC_INFO","features":[136]},{"name":"CF_SYNC_ROOT_INFO_BASIC","features":[136]},{"name":"CF_SYNC_ROOT_INFO_CLASS","features":[136]},{"name":"CF_SYNC_ROOT_INFO_PROVIDER","features":[136]},{"name":"CF_SYNC_ROOT_INFO_STANDARD","features":[136]},{"name":"CF_SYNC_ROOT_PROVIDER_INFO","features":[136]},{"name":"CF_SYNC_ROOT_STANDARD_INFO","features":[136]},{"name":"CF_SYNC_STATUS","features":[136]},{"name":"CF_UPDATE_FLAGS","features":[136]},{"name":"CF_UPDATE_FLAG_ALLOW_PARTIAL","features":[136]},{"name":"CF_UPDATE_FLAG_ALWAYS_FULL","features":[136]},{"name":"CF_UPDATE_FLAG_CLEAR_IN_SYNC","features":[136]},{"name":"CF_UPDATE_FLAG_DEHYDRATE","features":[136]},{"name":"CF_UPDATE_FLAG_DISABLE_ON_DEMAND_POPULATION","features":[136]},{"name":"CF_UPDATE_FLAG_ENABLE_ON_DEMAND_POPULATION","features":[136]},{"name":"CF_UPDATE_FLAG_MARK_IN_SYNC","features":[136]},{"name":"CF_UPDATE_FLAG_NONE","features":[136]},{"name":"CF_UPDATE_FLAG_PASSTHROUGH_FS_METADATA","features":[136]},{"name":"CF_UPDATE_FLAG_REMOVE_FILE_IDENTITY","features":[136]},{"name":"CF_UPDATE_FLAG_REMOVE_PROPERTY","features":[136]},{"name":"CF_UPDATE_FLAG_VERIFY_IN_SYNC","features":[136]},{"name":"CfCloseHandle","features":[1,136]},{"name":"CfConnectSyncRoot","features":[136,137]},{"name":"CfConvertToPlaceholder","features":[1,136,6]},{"name":"CfCreatePlaceholders","features":[136,21]},{"name":"CfDehydratePlaceholder","features":[1,136,6]},{"name":"CfDisconnectSyncRoot","features":[136]},{"name":"CfExecute","features":[1,136,21,137]},{"name":"CfGetCorrelationVector","features":[1,136,137]},{"name":"CfGetPlaceholderInfo","features":[1,136]},{"name":"CfGetPlaceholderRangeInfo","features":[1,136]},{"name":"CfGetPlaceholderRangeInfoForHydration","features":[136]},{"name":"CfGetPlaceholderStateFromAttributeTag","features":[136]},{"name":"CfGetPlaceholderStateFromFileInfo","features":[136,21]},{"name":"CfGetPlaceholderStateFromFindData","features":[1,136,21]},{"name":"CfGetPlatformInfo","features":[136]},{"name":"CfGetSyncRootInfoByHandle","features":[1,136]},{"name":"CfGetSyncRootInfoByPath","features":[136]},{"name":"CfGetTransferKey","features":[1,136]},{"name":"CfGetWin32HandleFromProtectedHandle","features":[1,136]},{"name":"CfHydratePlaceholder","features":[1,136,6]},{"name":"CfOpenFileWithOplock","features":[1,136]},{"name":"CfQuerySyncProviderStatus","features":[136]},{"name":"CfReferenceProtectedHandle","features":[1,136]},{"name":"CfRegisterSyncRoot","features":[136]},{"name":"CfReleaseProtectedHandle","features":[1,136]},{"name":"CfReleaseTransferKey","features":[1,136]},{"name":"CfReportProviderProgress","features":[136]},{"name":"CfReportProviderProgress2","features":[136]},{"name":"CfReportSyncStatus","features":[136]},{"name":"CfRevertPlaceholder","features":[1,136,6]},{"name":"CfSetCorrelationVector","features":[1,136,137]},{"name":"CfSetInSyncState","features":[1,136]},{"name":"CfSetPinState","features":[1,136,6]},{"name":"CfUnregisterSyncRoot","features":[136]},{"name":"CfUpdatePlaceholder","features":[1,136,21,6]},{"name":"CfUpdateSyncProviderStatus","features":[136]}],"504":[{"name":"COMPRESSOR_HANDLE","features":[138]},{"name":"COMPRESS_ALGORITHM","features":[138]},{"name":"COMPRESS_ALGORITHM_INVALID","features":[138]},{"name":"COMPRESS_ALGORITHM_LZMS","features":[138]},{"name":"COMPRESS_ALGORITHM_MAX","features":[138]},{"name":"COMPRESS_ALGORITHM_MSZIP","features":[138]},{"name":"COMPRESS_ALGORITHM_NULL","features":[138]},{"name":"COMPRESS_ALGORITHM_XPRESS","features":[138]},{"name":"COMPRESS_ALGORITHM_XPRESS_HUFF","features":[138]},{"name":"COMPRESS_ALLOCATION_ROUTINES","features":[138]},{"name":"COMPRESS_INFORMATION_CLASS","features":[138]},{"name":"COMPRESS_INFORMATION_CLASS_BLOCK_SIZE","features":[138]},{"name":"COMPRESS_INFORMATION_CLASS_INVALID","features":[138]},{"name":"COMPRESS_INFORMATION_CLASS_LEVEL","features":[138]},{"name":"COMPRESS_RAW","features":[138]},{"name":"CloseCompressor","features":[1,138]},{"name":"CloseDecompressor","features":[1,138]},{"name":"Compress","features":[1,138]},{"name":"CreateCompressor","features":[1,138]},{"name":"CreateDecompressor","features":[1,138]},{"name":"Decompress","features":[1,138]},{"name":"PFN_COMPRESS_ALLOCATE","features":[138]},{"name":"PFN_COMPRESS_FREE","features":[138]},{"name":"QueryCompressorInformation","features":[1,138]},{"name":"QueryDecompressorInformation","features":[1,138]},{"name":"ResetCompressor","features":[1,138]},{"name":"ResetDecompressor","features":[1,138]},{"name":"SetCompressorInformation","features":[1,138]},{"name":"SetDecompressorInformation","features":[1,138]}],"506":[{"name":"DFS_ADD_VOLUME","features":[139]},{"name":"DFS_FORCE_REMOVE","features":[139]},{"name":"DFS_GET_PKT_ENTRY_STATE_ARG","features":[139]},{"name":"DFS_INFO_1","features":[139]},{"name":"DFS_INFO_100","features":[139]},{"name":"DFS_INFO_101","features":[139]},{"name":"DFS_INFO_102","features":[139]},{"name":"DFS_INFO_103","features":[139]},{"name":"DFS_INFO_104","features":[139]},{"name":"DFS_INFO_105","features":[139]},{"name":"DFS_INFO_106","features":[139]},{"name":"DFS_INFO_107","features":[4,139]},{"name":"DFS_INFO_150","features":[4,139]},{"name":"DFS_INFO_1_32","features":[139]},{"name":"DFS_INFO_2","features":[139]},{"name":"DFS_INFO_200","features":[139]},{"name":"DFS_INFO_2_32","features":[139]},{"name":"DFS_INFO_3","features":[139]},{"name":"DFS_INFO_300","features":[139]},{"name":"DFS_INFO_3_32","features":[139]},{"name":"DFS_INFO_4","features":[139]},{"name":"DFS_INFO_4_32","features":[139]},{"name":"DFS_INFO_5","features":[139]},{"name":"DFS_INFO_50","features":[139]},{"name":"DFS_INFO_6","features":[139]},{"name":"DFS_INFO_7","features":[139]},{"name":"DFS_INFO_8","features":[4,139]},{"name":"DFS_INFO_9","features":[4,139]},{"name":"DFS_MOVE_FLAG_REPLACE_IF_EXISTS","features":[139]},{"name":"DFS_NAMESPACE_VERSION_ORIGIN","features":[139]},{"name":"DFS_NAMESPACE_VERSION_ORIGIN_COMBINED","features":[139]},{"name":"DFS_NAMESPACE_VERSION_ORIGIN_DOMAIN","features":[139]},{"name":"DFS_NAMESPACE_VERSION_ORIGIN_SERVER","features":[139]},{"name":"DFS_PROPERTY_FLAG_ABDE","features":[139]},{"name":"DFS_PROPERTY_FLAG_CLUSTER_ENABLED","features":[139]},{"name":"DFS_PROPERTY_FLAG_INSITE_REFERRALS","features":[139]},{"name":"DFS_PROPERTY_FLAG_ROOT_SCALABILITY","features":[139]},{"name":"DFS_PROPERTY_FLAG_SITE_COSTING","features":[139]},{"name":"DFS_PROPERTY_FLAG_TARGET_FAILBACK","features":[139]},{"name":"DFS_RESTORE_VOLUME","features":[139]},{"name":"DFS_SITELIST_INFO","features":[139]},{"name":"DFS_SITENAME_INFO","features":[139]},{"name":"DFS_SITE_PRIMARY","features":[139]},{"name":"DFS_STORAGE_FLAVOR_UNUSED2","features":[139]},{"name":"DFS_STORAGE_INFO","features":[139]},{"name":"DFS_STORAGE_INFO_0_32","features":[139]},{"name":"DFS_STORAGE_INFO_1","features":[139]},{"name":"DFS_STORAGE_STATES","features":[139]},{"name":"DFS_STORAGE_STATE_ACTIVE","features":[139]},{"name":"DFS_STORAGE_STATE_OFFLINE","features":[139]},{"name":"DFS_STORAGE_STATE_ONLINE","features":[139]},{"name":"DFS_SUPPORTED_NAMESPACE_VERSION_INFO","features":[139]},{"name":"DFS_TARGET_PRIORITY","features":[139]},{"name":"DFS_TARGET_PRIORITY_CLASS","features":[139]},{"name":"DFS_VOLUME_FLAVORS","features":[139]},{"name":"DFS_VOLUME_FLAVOR_AD_BLOB","features":[139]},{"name":"DFS_VOLUME_FLAVOR_STANDALONE","features":[139]},{"name":"DFS_VOLUME_FLAVOR_UNUSED1","features":[139]},{"name":"DFS_VOLUME_STATES","features":[139]},{"name":"DFS_VOLUME_STATE_FORCE_SYNC","features":[139]},{"name":"DFS_VOLUME_STATE_INCONSISTENT","features":[139]},{"name":"DFS_VOLUME_STATE_OFFLINE","features":[139]},{"name":"DFS_VOLUME_STATE_OK","features":[139]},{"name":"DFS_VOLUME_STATE_ONLINE","features":[139]},{"name":"DFS_VOLUME_STATE_RESYNCHRONIZE","features":[139]},{"name":"DFS_VOLUME_STATE_STANDBY","features":[139]},{"name":"DfsGlobalHighPriorityClass","features":[139]},{"name":"DfsGlobalLowPriorityClass","features":[139]},{"name":"DfsInvalidPriorityClass","features":[139]},{"name":"DfsSiteCostHighPriorityClass","features":[139]},{"name":"DfsSiteCostLowPriorityClass","features":[139]},{"name":"DfsSiteCostNormalPriorityClass","features":[139]},{"name":"FSCTL_DFS_BASE","features":[139]},{"name":"FSCTL_DFS_GET_PKT_ENTRY_STATE","features":[139]},{"name":"NET_DFS_SETDC_FLAGS","features":[139]},{"name":"NET_DFS_SETDC_INITPKT","features":[139]},{"name":"NET_DFS_SETDC_TIMEOUT","features":[139]},{"name":"NetDfsAdd","features":[139]},{"name":"NetDfsAddFtRoot","features":[139]},{"name":"NetDfsAddRootTarget","features":[139]},{"name":"NetDfsAddStdRoot","features":[139]},{"name":"NetDfsEnum","features":[139]},{"name":"NetDfsGetClientInfo","features":[139]},{"name":"NetDfsGetFtContainerSecurity","features":[4,139]},{"name":"NetDfsGetInfo","features":[139]},{"name":"NetDfsGetSecurity","features":[4,139]},{"name":"NetDfsGetStdContainerSecurity","features":[4,139]},{"name":"NetDfsGetSupportedNamespaceVersion","features":[139]},{"name":"NetDfsMove","features":[139]},{"name":"NetDfsRemove","features":[139]},{"name":"NetDfsRemoveFtRoot","features":[139]},{"name":"NetDfsRemoveFtRootForced","features":[139]},{"name":"NetDfsRemoveRootTarget","features":[139]},{"name":"NetDfsRemoveStdRoot","features":[139]},{"name":"NetDfsSetClientInfo","features":[139]},{"name":"NetDfsSetFtContainerSecurity","features":[4,139]},{"name":"NetDfsSetInfo","features":[139]},{"name":"NetDfsSetSecurity","features":[4,139]},{"name":"NetDfsSetStdContainerSecurity","features":[4,139]}],"508":[{"name":"BackupCancelled","features":[140]},{"name":"BackupInvalidStopReason","features":[140]},{"name":"BackupLimitUserBusyMachineOnAC","features":[140]},{"name":"BackupLimitUserBusyMachineOnDC","features":[140]},{"name":"BackupLimitUserIdleMachineOnDC","features":[140]},{"name":"FHCFG_E_CONFIGURATION_PREVIOUSLY_LOADED","features":[140]},{"name":"FHCFG_E_CONFIG_ALREADY_EXISTS","features":[140]},{"name":"FHCFG_E_CONFIG_FILE_NOT_FOUND","features":[140]},{"name":"FHCFG_E_CORRUPT_CONFIG_FILE","features":[140]},{"name":"FHCFG_E_INVALID_REHYDRATION_STATE","features":[140]},{"name":"FHCFG_E_LEGACY_BACKUP_NOT_FOUND","features":[140]},{"name":"FHCFG_E_LEGACY_BACKUP_USER_EXCLUDED","features":[140]},{"name":"FHCFG_E_LEGACY_TARGET_UNSUPPORTED","features":[140]},{"name":"FHCFG_E_LEGACY_TARGET_VALIDATION_UNSUPPORTED","features":[140]},{"name":"FHCFG_E_NO_VALID_CONFIGURATION_LOADED","features":[140]},{"name":"FHCFG_E_RECOMMENDATION_CHANGE_NOT_ALLOWED","features":[140]},{"name":"FHCFG_E_TARGET_CANNOT_BE_USED","features":[140]},{"name":"FHCFG_E_TARGET_NOT_CONFIGURED","features":[140]},{"name":"FHCFG_E_TARGET_NOT_CONNECTED","features":[140]},{"name":"FHCFG_E_TARGET_NOT_ENOUGH_FREE_SPACE","features":[140]},{"name":"FHCFG_E_TARGET_REHYDRATED_ELSEWHERE","features":[140]},{"name":"FHCFG_E_TARGET_VERIFICATION_FAILED","features":[140]},{"name":"FHSVC_E_BACKUP_BLOCKED","features":[140]},{"name":"FHSVC_E_CONFIG_DISABLED","features":[140]},{"name":"FHSVC_E_CONFIG_DISABLED_GP","features":[140]},{"name":"FHSVC_E_CONFIG_REHYDRATING","features":[140]},{"name":"FHSVC_E_FATAL_CONFIG_ERROR","features":[140]},{"name":"FHSVC_E_NOT_CONFIGURED","features":[140]},{"name":"FH_ACCESS_DENIED","features":[140]},{"name":"FH_BACKUP_STATUS","features":[140]},{"name":"FH_CURRENT_DEFAULT","features":[140]},{"name":"FH_DEVICE_VALIDATION_RESULT","features":[140]},{"name":"FH_DRIVE_FIXED","features":[140]},{"name":"FH_DRIVE_REMOTE","features":[140]},{"name":"FH_DRIVE_REMOVABLE","features":[140]},{"name":"FH_DRIVE_UNKNOWN","features":[140]},{"name":"FH_FOLDER","features":[140]},{"name":"FH_FREQUENCY","features":[140]},{"name":"FH_INVALID_DRIVE_TYPE","features":[140]},{"name":"FH_LIBRARY","features":[140]},{"name":"FH_LOCAL_POLICY_TYPE","features":[140]},{"name":"FH_NAMESPACE_EXISTS","features":[140]},{"name":"FH_PROTECTED_ITEM_CATEGORY","features":[140]},{"name":"FH_READ_ONLY_PERMISSION","features":[140]},{"name":"FH_RETENTION_AGE","features":[140]},{"name":"FH_RETENTION_AGE_BASED","features":[140]},{"name":"FH_RETENTION_DISABLED","features":[140]},{"name":"FH_RETENTION_TYPE","features":[140]},{"name":"FH_RETENTION_TYPES","features":[140]},{"name":"FH_RETENTION_UNLIMITED","features":[140]},{"name":"FH_STATE_BACKUP_NOT_SUPPORTED","features":[140]},{"name":"FH_STATE_DISABLED_BY_GP","features":[140]},{"name":"FH_STATE_FATAL_CONFIG_ERROR","features":[140]},{"name":"FH_STATE_MIGRATING","features":[140]},{"name":"FH_STATE_NOT_TRACKED","features":[140]},{"name":"FH_STATE_NO_ERROR","features":[140]},{"name":"FH_STATE_OFF","features":[140]},{"name":"FH_STATE_REHYDRATING","features":[140]},{"name":"FH_STATE_RUNNING","features":[140]},{"name":"FH_STATE_STAGING_FULL","features":[140]},{"name":"FH_STATE_TARGET_ABSENT","features":[140]},{"name":"FH_STATE_TARGET_ACCESS_DENIED","features":[140]},{"name":"FH_STATE_TARGET_FS_LIMITATION","features":[140]},{"name":"FH_STATE_TARGET_FULL","features":[140]},{"name":"FH_STATE_TARGET_FULL_RETENTION_MAX","features":[140]},{"name":"FH_STATE_TARGET_LOW_SPACE","features":[140]},{"name":"FH_STATE_TARGET_LOW_SPACE_RETENTION_MAX","features":[140]},{"name":"FH_STATE_TARGET_VOLUME_DIRTY","features":[140]},{"name":"FH_STATE_TOO_MUCH_BEHIND","features":[140]},{"name":"FH_STATUS_DISABLED","features":[140]},{"name":"FH_STATUS_DISABLED_BY_GP","features":[140]},{"name":"FH_STATUS_ENABLED","features":[140]},{"name":"FH_STATUS_REHYDRATING","features":[140]},{"name":"FH_TARGET_DRIVE_TYPE","features":[140]},{"name":"FH_TARGET_DRIVE_TYPES","features":[140]},{"name":"FH_TARGET_NAME","features":[140]},{"name":"FH_TARGET_PART_OF_LIBRARY","features":[140]},{"name":"FH_TARGET_PROPERTY_TYPE","features":[140]},{"name":"FH_TARGET_URL","features":[140]},{"name":"FH_VALID_TARGET","features":[140]},{"name":"FhBackupStopReason","features":[140]},{"name":"FhConfigMgr","features":[140]},{"name":"FhReassociation","features":[140]},{"name":"FhServiceBlockBackup","features":[140,34]},{"name":"FhServiceClosePipe","features":[140,34]},{"name":"FhServiceOpenPipe","features":[1,140,34]},{"name":"FhServiceReloadConfiguration","features":[140,34]},{"name":"FhServiceStartBackup","features":[1,140,34]},{"name":"FhServiceStopBackup","features":[1,140,34]},{"name":"FhServiceUnblockBackup","features":[140,34]},{"name":"IFhConfigMgr","features":[140]},{"name":"IFhReassociation","features":[140]},{"name":"IFhScopeIterator","features":[140]},{"name":"IFhTarget","features":[140]},{"name":"MAX_BACKUP_STATUS","features":[140]},{"name":"MAX_LOCAL_POLICY","features":[140]},{"name":"MAX_PROTECTED_ITEM_CATEGORY","features":[140]},{"name":"MAX_RETENTION_TYPE","features":[140]},{"name":"MAX_TARGET_PROPERTY","features":[140]},{"name":"MAX_VALIDATION_RESULT","features":[140]}],"510":[{"name":"ACCESS_ALL","features":[21]},{"name":"ACCESS_ATRIB","features":[21]},{"name":"ACCESS_CREATE","features":[21]},{"name":"ACCESS_DELETE","features":[21]},{"name":"ACCESS_EXEC","features":[21]},{"name":"ACCESS_PERM","features":[21]},{"name":"ACCESS_READ","features":[21]},{"name":"ACCESS_WRITE","features":[21]},{"name":"AddLogContainer","features":[1,21]},{"name":"AddLogContainerSet","features":[1,21]},{"name":"AddUsersToEncryptedFile","features":[4,21]},{"name":"AdvanceLogBase","features":[1,21,6]},{"name":"AlignReservedLog","features":[1,21]},{"name":"AllocReservedLog","features":[1,21]},{"name":"AreFileApisANSI","features":[1,21]},{"name":"AreShortNamesEnabled","features":[1,21]},{"name":"BACKUP_ALTERNATE_DATA","features":[21]},{"name":"BACKUP_DATA","features":[21]},{"name":"BACKUP_EA_DATA","features":[21]},{"name":"BACKUP_LINK","features":[21]},{"name":"BACKUP_OBJECT_ID","features":[21]},{"name":"BACKUP_PROPERTY_DATA","features":[21]},{"name":"BACKUP_REPARSE_DATA","features":[21]},{"name":"BACKUP_SECURITY_DATA","features":[21]},{"name":"BACKUP_SPARSE_BLOCK","features":[21]},{"name":"BACKUP_TXFS_DATA","features":[21]},{"name":"BY_HANDLE_FILE_INFORMATION","features":[1,21]},{"name":"BackupRead","features":[1,21]},{"name":"BackupSeek","features":[1,21]},{"name":"BackupWrite","features":[1,21]},{"name":"BuildIoRingCancelRequest","features":[1,21]},{"name":"BuildIoRingFlushFile","features":[1,21]},{"name":"BuildIoRingReadFile","features":[1,21]},{"name":"BuildIoRingRegisterBuffers","features":[21]},{"name":"BuildIoRingRegisterFileHandles","features":[1,21]},{"name":"BuildIoRingWriteFile","features":[1,21]},{"name":"BusType1394","features":[21]},{"name":"BusTypeAta","features":[21]},{"name":"BusTypeAtapi","features":[21]},{"name":"BusTypeFibre","features":[21]},{"name":"BusTypeFileBackedVirtual","features":[21]},{"name":"BusTypeMax","features":[21]},{"name":"BusTypeMaxReserved","features":[21]},{"name":"BusTypeMmc","features":[21]},{"name":"BusTypeNvme","features":[21]},{"name":"BusTypeRAID","features":[21]},{"name":"BusTypeSCM","features":[21]},{"name":"BusTypeSas","features":[21]},{"name":"BusTypeSata","features":[21]},{"name":"BusTypeScsi","features":[21]},{"name":"BusTypeSd","features":[21]},{"name":"BusTypeSpaces","features":[21]},{"name":"BusTypeSsa","features":[21]},{"name":"BusTypeUfs","features":[21]},{"name":"BusTypeUnknown","features":[21]},{"name":"BusTypeUsb","features":[21]},{"name":"BusTypeVirtual","features":[21]},{"name":"BusTypeiScsi","features":[21]},{"name":"CACHE_ACCESS_CHECK","features":[1,4,21]},{"name":"CACHE_DESTROY_CALLBACK","features":[21]},{"name":"CACHE_KEY_COMPARE","features":[21]},{"name":"CACHE_KEY_HASH","features":[21]},{"name":"CACHE_READ_CALLBACK","features":[1,21]},{"name":"CALLBACK_CHUNK_FINISHED","features":[21]},{"name":"CALLBACK_STREAM_SWITCH","features":[21]},{"name":"CLAIMMEDIALABEL","features":[21]},{"name":"CLAIMMEDIALABELEX","features":[21]},{"name":"CLFS_BASELOG_EXTENSION","features":[21]},{"name":"CLFS_BLOCK_ALLOCATION","features":[21]},{"name":"CLFS_BLOCK_DEALLOCATION","features":[21]},{"name":"CLFS_CONTAINER_RELATIVE_PREFIX","features":[21]},{"name":"CLFS_CONTAINER_STREAM_PREFIX","features":[21]},{"name":"CLFS_CONTEXT_MODE","features":[21]},{"name":"CLFS_FLAG","features":[21]},{"name":"CLFS_FLAG_FILTER_INTERMEDIATE_LEVEL","features":[21]},{"name":"CLFS_FLAG_FILTER_TOP_LEVEL","features":[21]},{"name":"CLFS_FLAG_FORCE_APPEND","features":[21]},{"name":"CLFS_FLAG_FORCE_FLUSH","features":[21]},{"name":"CLFS_FLAG_HIDDEN_SYSTEM_LOG","features":[21]},{"name":"CLFS_FLAG_IGNORE_SHARE_ACCESS","features":[21]},{"name":"CLFS_FLAG_MINIFILTER_LEVEL","features":[21]},{"name":"CLFS_FLAG_NON_REENTRANT_FILTER","features":[21]},{"name":"CLFS_FLAG_NO_FLAGS","features":[21]},{"name":"CLFS_FLAG_READ_IN_PROGRESS","features":[21]},{"name":"CLFS_FLAG_REENTRANT_FILE_SYSTEM","features":[21]},{"name":"CLFS_FLAG_REENTRANT_FILTER","features":[21]},{"name":"CLFS_FLAG_USE_RESERVATION","features":[21]},{"name":"CLFS_IOSTATS_CLASS","features":[21]},{"name":"CLFS_LOG_ARCHIVE_MODE","features":[21]},{"name":"CLFS_LOG_NAME_INFORMATION","features":[21]},{"name":"CLFS_MARSHALLING_FLAG_DISABLE_BUFF_INIT","features":[21]},{"name":"CLFS_MARSHALLING_FLAG_NONE","features":[21]},{"name":"CLFS_MAX_CONTAINER_INFO","features":[21]},{"name":"CLFS_MGMT_CLIENT_REGISTRATION_VERSION","features":[21]},{"name":"CLFS_MGMT_NOTIFICATION","features":[21]},{"name":"CLFS_MGMT_NOTIFICATION_TYPE","features":[21]},{"name":"CLFS_MGMT_POLICY","features":[21]},{"name":"CLFS_MGMT_POLICY_TYPE","features":[21]},{"name":"CLFS_MGMT_POLICY_VERSION","features":[21]},{"name":"CLFS_NODE_ID","features":[21]},{"name":"CLFS_PHYSICAL_LSN_INFORMATION","features":[21]},{"name":"CLFS_SCAN_BACKWARD","features":[21]},{"name":"CLFS_SCAN_BUFFERED","features":[21]},{"name":"CLFS_SCAN_CLOSE","features":[21]},{"name":"CLFS_SCAN_FORWARD","features":[21]},{"name":"CLFS_SCAN_INIT","features":[21]},{"name":"CLFS_SCAN_INITIALIZED","features":[21]},{"name":"CLFS_STREAM_ID_INFORMATION","features":[21]},{"name":"CLSID_DiskQuotaControl","features":[21]},{"name":"CLS_ARCHIVE_DESCRIPTOR","features":[21]},{"name":"CLS_CONTAINER_INFORMATION","features":[21]},{"name":"CLS_CONTEXT_MODE","features":[21]},{"name":"CLS_INFORMATION","features":[21]},{"name":"CLS_IOSTATS_CLASS","features":[21]},{"name":"CLS_IO_STATISTICS","features":[21]},{"name":"CLS_IO_STATISTICS_HEADER","features":[21]},{"name":"CLS_LOG_INFORMATION_CLASS","features":[21]},{"name":"CLS_LSN","features":[21]},{"name":"CLS_SCAN_CONTEXT","features":[1,21]},{"name":"CLS_WRITE_ENTRY","features":[21]},{"name":"COMPRESSION_FORMAT","features":[21]},{"name":"COMPRESSION_FORMAT_DEFAULT","features":[21]},{"name":"COMPRESSION_FORMAT_LZNT1","features":[21]},{"name":"COMPRESSION_FORMAT_NONE","features":[21]},{"name":"COMPRESSION_FORMAT_XP10","features":[21]},{"name":"COMPRESSION_FORMAT_XPRESS","features":[21]},{"name":"COMPRESSION_FORMAT_XPRESS_HUFF","features":[21]},{"name":"CONNECTION_INFO_0","features":[21]},{"name":"CONNECTION_INFO_1","features":[21]},{"name":"COPYFILE2_CALLBACK_CHUNK_FINISHED","features":[21]},{"name":"COPYFILE2_CALLBACK_CHUNK_STARTED","features":[21]},{"name":"COPYFILE2_CALLBACK_ERROR","features":[21]},{"name":"COPYFILE2_CALLBACK_MAX","features":[21]},{"name":"COPYFILE2_CALLBACK_NONE","features":[21]},{"name":"COPYFILE2_CALLBACK_POLL_CONTINUE","features":[21]},{"name":"COPYFILE2_CALLBACK_STREAM_FINISHED","features":[21]},{"name":"COPYFILE2_CALLBACK_STREAM_STARTED","features":[21]},{"name":"COPYFILE2_COPY_PHASE","features":[21]},{"name":"COPYFILE2_EXTENDED_PARAMETERS","features":[1,21]},{"name":"COPYFILE2_EXTENDED_PARAMETERS_V2","features":[1,21]},{"name":"COPYFILE2_MESSAGE","features":[1,21]},{"name":"COPYFILE2_MESSAGE_ACTION","features":[21]},{"name":"COPYFILE2_MESSAGE_TYPE","features":[21]},{"name":"COPYFILE2_PHASE_MAX","features":[21]},{"name":"COPYFILE2_PHASE_NAMEGRAFT_COPY","features":[21]},{"name":"COPYFILE2_PHASE_NONE","features":[21]},{"name":"COPYFILE2_PHASE_PREPARE_DEST","features":[21]},{"name":"COPYFILE2_PHASE_PREPARE_SOURCE","features":[21]},{"name":"COPYFILE2_PHASE_READ_SOURCE","features":[21]},{"name":"COPYFILE2_PHASE_SERVER_COPY","features":[21]},{"name":"COPYFILE2_PHASE_WRITE_DESTINATION","features":[21]},{"name":"COPYFILE2_PROGRESS_CANCEL","features":[21]},{"name":"COPYFILE2_PROGRESS_CONTINUE","features":[21]},{"name":"COPYFILE2_PROGRESS_PAUSE","features":[21]},{"name":"COPYFILE2_PROGRESS_QUIET","features":[21]},{"name":"COPYFILE2_PROGRESS_STOP","features":[21]},{"name":"CREATEFILE2_EXTENDED_PARAMETERS","features":[1,4,21]},{"name":"CREATE_ALWAYS","features":[21]},{"name":"CREATE_NEW","features":[21]},{"name":"CREATE_TAPE_PARTITION_METHOD","features":[21]},{"name":"CRM_PROTOCOL_DYNAMIC_MARSHAL_INFO","features":[21]},{"name":"CRM_PROTOCOL_EXPLICIT_MARSHAL_ONLY","features":[21]},{"name":"CRM_PROTOCOL_MAXIMUM_OPTION","features":[21]},{"name":"CSC_CACHE_AUTO_REINT","features":[21]},{"name":"CSC_CACHE_MANUAL_REINT","features":[21]},{"name":"CSC_CACHE_NONE","features":[21]},{"name":"CSC_CACHE_VDO","features":[21]},{"name":"CSC_MASK","features":[21]},{"name":"CSC_MASK_EXT","features":[21]},{"name":"CSV_BLOCK_AND_FILE_CACHE_CALLBACK_VERSION","features":[21]},{"name":"CSV_BLOCK_CACHE_CALLBACK_VERSION","features":[21]},{"name":"CheckNameLegalDOS8Dot3A","features":[1,21]},{"name":"CheckNameLegalDOS8Dot3W","features":[1,21]},{"name":"ClfsClientRecord","features":[21]},{"name":"ClfsContainerActive","features":[21]},{"name":"ClfsContainerActivePendingDelete","features":[21]},{"name":"ClfsContainerInactive","features":[21]},{"name":"ClfsContainerInitializing","features":[21]},{"name":"ClfsContainerPendingArchive","features":[21]},{"name":"ClfsContainerPendingArchiveAndDelete","features":[21]},{"name":"ClfsContextForward","features":[21]},{"name":"ClfsContextNone","features":[21]},{"name":"ClfsContextPrevious","features":[21]},{"name":"ClfsContextUndoNext","features":[21]},{"name":"ClfsDataRecord","features":[21]},{"name":"ClfsIoStatsDefault","features":[21]},{"name":"ClfsIoStatsMax","features":[21]},{"name":"ClfsLogArchiveDisabled","features":[21]},{"name":"ClfsLogArchiveEnabled","features":[21]},{"name":"ClfsLogBasicInformation","features":[21]},{"name":"ClfsLogBasicInformationPhysical","features":[21]},{"name":"ClfsLogPhysicalLsnInformation","features":[21]},{"name":"ClfsLogPhysicalNameInformation","features":[21]},{"name":"ClfsLogStreamIdentifierInformation","features":[21]},{"name":"ClfsLogSystemMarkingInformation","features":[21]},{"name":"ClfsMgmtAdvanceTailNotification","features":[21]},{"name":"ClfsMgmtLogFullHandlerNotification","features":[21]},{"name":"ClfsMgmtLogUnpinnedNotification","features":[21]},{"name":"ClfsMgmtLogWriteNotification","features":[21]},{"name":"ClfsMgmtPolicyAutoGrow","features":[21]},{"name":"ClfsMgmtPolicyAutoShrink","features":[21]},{"name":"ClfsMgmtPolicyGrowthRate","features":[21]},{"name":"ClfsMgmtPolicyInvalid","features":[21]},{"name":"ClfsMgmtPolicyLogTail","features":[21]},{"name":"ClfsMgmtPolicyMaximumSize","features":[21]},{"name":"ClfsMgmtPolicyMinimumSize","features":[21]},{"name":"ClfsMgmtPolicyNewContainerExtension","features":[21]},{"name":"ClfsMgmtPolicyNewContainerPrefix","features":[21]},{"name":"ClfsMgmtPolicyNewContainerSize","features":[21]},{"name":"ClfsMgmtPolicyNewContainerSuffix","features":[21]},{"name":"ClfsNullRecord","features":[21]},{"name":"ClfsRestartRecord","features":[21]},{"name":"CloseAndResetLogFile","features":[1,21]},{"name":"CloseEncryptedFileRaw","features":[21]},{"name":"CloseIoRing","features":[21]},{"name":"ClsContainerActive","features":[21]},{"name":"ClsContainerActivePendingDelete","features":[21]},{"name":"ClsContainerInactive","features":[21]},{"name":"ClsContainerInitializing","features":[21]},{"name":"ClsContainerPendingArchive","features":[21]},{"name":"ClsContainerPendingArchiveAndDelete","features":[21]},{"name":"ClsContextForward","features":[21]},{"name":"ClsContextNone","features":[21]},{"name":"ClsContextPrevious","features":[21]},{"name":"ClsContextUndoNext","features":[21]},{"name":"ClsIoStatsDefault","features":[21]},{"name":"ClsIoStatsMax","features":[21]},{"name":"CommitComplete","features":[1,21]},{"name":"CommitEnlistment","features":[1,21]},{"name":"CommitTransaction","features":[1,21]},{"name":"CommitTransactionAsync","features":[1,21]},{"name":"CompareFileTime","features":[1,21]},{"name":"CopyFile2","features":[1,21]},{"name":"CopyFileA","features":[1,21]},{"name":"CopyFileExA","features":[1,21]},{"name":"CopyFileExW","features":[1,21]},{"name":"CopyFileFromAppW","features":[1,21]},{"name":"CopyFileTransactedA","features":[1,21]},{"name":"CopyFileTransactedW","features":[1,21]},{"name":"CopyFileW","features":[1,21]},{"name":"CopyLZFile","features":[21]},{"name":"CreateDirectoryA","features":[1,4,21]},{"name":"CreateDirectoryExA","features":[1,4,21]},{"name":"CreateDirectoryExW","features":[1,4,21]},{"name":"CreateDirectoryFromAppW","features":[1,4,21]},{"name":"CreateDirectoryTransactedA","features":[1,4,21]},{"name":"CreateDirectoryTransactedW","features":[1,4,21]},{"name":"CreateDirectoryW","features":[1,4,21]},{"name":"CreateEnlistment","features":[1,4,21]},{"name":"CreateFile2","features":[1,4,21]},{"name":"CreateFile2FromAppW","features":[1,4,21]},{"name":"CreateFileA","features":[1,4,21]},{"name":"CreateFileFromAppW","features":[1,4,21]},{"name":"CreateFileTransactedA","features":[1,4,21]},{"name":"CreateFileTransactedW","features":[1,4,21]},{"name":"CreateFileW","features":[1,4,21]},{"name":"CreateHardLinkA","features":[1,4,21]},{"name":"CreateHardLinkTransactedA","features":[1,4,21]},{"name":"CreateHardLinkTransactedW","features":[1,4,21]},{"name":"CreateHardLinkW","features":[1,4,21]},{"name":"CreateIoRing","features":[21]},{"name":"CreateLogContainerScanContext","features":[1,21,6]},{"name":"CreateLogFile","features":[1,4,21]},{"name":"CreateLogMarshallingArea","features":[1,21]},{"name":"CreateResourceManager","features":[1,4,21]},{"name":"CreateSymbolicLinkA","features":[1,21]},{"name":"CreateSymbolicLinkTransactedA","features":[1,21]},{"name":"CreateSymbolicLinkTransactedW","features":[1,21]},{"name":"CreateSymbolicLinkW","features":[1,21]},{"name":"CreateTapePartition","features":[1,21]},{"name":"CreateTransaction","features":[1,4,21]},{"name":"CreateTransactionManager","features":[1,4,21]},{"name":"DDD_EXACT_MATCH_ON_REMOVE","features":[21]},{"name":"DDD_LUID_BROADCAST_DRIVE","features":[21]},{"name":"DDD_NO_BROADCAST_SYSTEM","features":[21]},{"name":"DDD_RAW_TARGET_PATH","features":[21]},{"name":"DDD_REMOVE_DEFINITION","features":[21]},{"name":"DEFINE_DOS_DEVICE_FLAGS","features":[21]},{"name":"DELETE","features":[21]},{"name":"DISKQUOTA_FILESTATE_INCOMPLETE","features":[21]},{"name":"DISKQUOTA_FILESTATE_MASK","features":[21]},{"name":"DISKQUOTA_FILESTATE_REBUILDING","features":[21]},{"name":"DISKQUOTA_LOGFLAG_USER_LIMIT","features":[21]},{"name":"DISKQUOTA_LOGFLAG_USER_THRESHOLD","features":[21]},{"name":"DISKQUOTA_STATE_DISABLED","features":[21]},{"name":"DISKQUOTA_STATE_ENFORCE","features":[21]},{"name":"DISKQUOTA_STATE_MASK","features":[21]},{"name":"DISKQUOTA_STATE_TRACK","features":[21]},{"name":"DISKQUOTA_USERNAME_RESOLVE","features":[21]},{"name":"DISKQUOTA_USERNAME_RESOLVE_ASYNC","features":[21]},{"name":"DISKQUOTA_USERNAME_RESOLVE_NONE","features":[21]},{"name":"DISKQUOTA_USERNAME_RESOLVE_SYNC","features":[21]},{"name":"DISKQUOTA_USER_ACCOUNT_DELETED","features":[21]},{"name":"DISKQUOTA_USER_ACCOUNT_INVALID","features":[21]},{"name":"DISKQUOTA_USER_ACCOUNT_RESOLVED","features":[21]},{"name":"DISKQUOTA_USER_ACCOUNT_UNAVAILABLE","features":[21]},{"name":"DISKQUOTA_USER_ACCOUNT_UNKNOWN","features":[21]},{"name":"DISKQUOTA_USER_ACCOUNT_UNRESOLVED","features":[21]},{"name":"DISKQUOTA_USER_INFORMATION","features":[21]},{"name":"DISK_SPACE_INFORMATION","features":[21]},{"name":"DecryptFileA","features":[1,21]},{"name":"DecryptFileW","features":[1,21]},{"name":"DefineDosDeviceA","features":[1,21]},{"name":"DefineDosDeviceW","features":[1,21]},{"name":"DeleteFileA","features":[1,21]},{"name":"DeleteFileFromAppW","features":[1,21]},{"name":"DeleteFileTransactedA","features":[1,21]},{"name":"DeleteFileTransactedW","features":[1,21]},{"name":"DeleteFileW","features":[1,21]},{"name":"DeleteLogByHandle","features":[1,21]},{"name":"DeleteLogFile","features":[1,21]},{"name":"DeleteLogMarshallingArea","features":[1,21]},{"name":"DeleteVolumeMountPointA","features":[1,21]},{"name":"DeleteVolumeMountPointW","features":[1,21]},{"name":"DeregisterManageableLogClient","features":[1,21]},{"name":"DuplicateEncryptionInfoFile","features":[1,4,21]},{"name":"EA_CONTAINER_NAME","features":[21]},{"name":"EA_CONTAINER_SIZE","features":[21]},{"name":"EFS_CERTIFICATE_BLOB","features":[21]},{"name":"EFS_COMPATIBILITY_INFO","features":[21]},{"name":"EFS_COMPATIBILITY_VERSION_NCRYPT_PROTECTOR","features":[21]},{"name":"EFS_COMPATIBILITY_VERSION_PFILE_PROTECTOR","features":[21]},{"name":"EFS_DECRYPTION_STATUS_INFO","features":[21]},{"name":"EFS_EFS_SUBVER_EFS_CERT","features":[21]},{"name":"EFS_ENCRYPTION_STATUS_INFO","features":[1,21]},{"name":"EFS_HASH_BLOB","features":[21]},{"name":"EFS_KEY_INFO","features":[68,21]},{"name":"EFS_METADATA_ADD_USER","features":[21]},{"name":"EFS_METADATA_GENERAL_OP","features":[21]},{"name":"EFS_METADATA_REMOVE_USER","features":[21]},{"name":"EFS_METADATA_REPLACE_USER","features":[21]},{"name":"EFS_PFILE_SUBVER_APPX","features":[21]},{"name":"EFS_PFILE_SUBVER_RMS","features":[21]},{"name":"EFS_PIN_BLOB","features":[21]},{"name":"EFS_RPC_BLOB","features":[21]},{"name":"EFS_SUBVER_UNKNOWN","features":[21]},{"name":"EFS_VERSION_INFO","features":[21]},{"name":"ENCRYPTED_FILE_METADATA_SIGNATURE","features":[4,21]},{"name":"ENCRYPTION_CERTIFICATE","features":[4,21]},{"name":"ENCRYPTION_CERTIFICATE_HASH","features":[4,21]},{"name":"ENCRYPTION_CERTIFICATE_HASH_LIST","features":[4,21]},{"name":"ENCRYPTION_CERTIFICATE_LIST","features":[4,21]},{"name":"ENCRYPTION_PROTECTOR","features":[4,21]},{"name":"ENCRYPTION_PROTECTOR_LIST","features":[4,21]},{"name":"ENLISTMENT_MAXIMUM_OPTION","features":[21]},{"name":"ENLISTMENT_OBJECT_PATH","features":[21]},{"name":"ENLISTMENT_SUPERIOR","features":[21]},{"name":"ERASE_TAPE_TYPE","features":[21]},{"name":"EncryptFileA","features":[1,21]},{"name":"EncryptFileW","features":[1,21]},{"name":"EncryptionDisable","features":[1,21]},{"name":"EraseTape","features":[1,21]},{"name":"ExtendedFileIdType","features":[21]},{"name":"FCACHE_CREATE_CALLBACK","features":[1,21]},{"name":"FCACHE_RICHCREATE_CALLBACK","features":[1,21]},{"name":"FH_OVERLAPPED","features":[1,21]},{"name":"FILE_ACCESS_RIGHTS","features":[21]},{"name":"FILE_ACTION","features":[21]},{"name":"FILE_ACTION_ADDED","features":[21]},{"name":"FILE_ACTION_MODIFIED","features":[21]},{"name":"FILE_ACTION_REMOVED","features":[21]},{"name":"FILE_ACTION_RENAMED_NEW_NAME","features":[21]},{"name":"FILE_ACTION_RENAMED_OLD_NAME","features":[21]},{"name":"FILE_ADD_FILE","features":[21]},{"name":"FILE_ADD_SUBDIRECTORY","features":[21]},{"name":"FILE_ALIGNMENT_INFO","features":[21]},{"name":"FILE_ALLOCATION_INFO","features":[21]},{"name":"FILE_ALL_ACCESS","features":[21]},{"name":"FILE_APPEND_DATA","features":[21]},{"name":"FILE_ATTRIBUTE_ARCHIVE","features":[21]},{"name":"FILE_ATTRIBUTE_COMPRESSED","features":[21]},{"name":"FILE_ATTRIBUTE_DEVICE","features":[21]},{"name":"FILE_ATTRIBUTE_DIRECTORY","features":[21]},{"name":"FILE_ATTRIBUTE_EA","features":[21]},{"name":"FILE_ATTRIBUTE_ENCRYPTED","features":[21]},{"name":"FILE_ATTRIBUTE_HIDDEN","features":[21]},{"name":"FILE_ATTRIBUTE_INTEGRITY_STREAM","features":[21]},{"name":"FILE_ATTRIBUTE_NORMAL","features":[21]},{"name":"FILE_ATTRIBUTE_NOT_CONTENT_INDEXED","features":[21]},{"name":"FILE_ATTRIBUTE_NO_SCRUB_DATA","features":[21]},{"name":"FILE_ATTRIBUTE_OFFLINE","features":[21]},{"name":"FILE_ATTRIBUTE_PINNED","features":[21]},{"name":"FILE_ATTRIBUTE_READONLY","features":[21]},{"name":"FILE_ATTRIBUTE_RECALL_ON_DATA_ACCESS","features":[21]},{"name":"FILE_ATTRIBUTE_RECALL_ON_OPEN","features":[21]},{"name":"FILE_ATTRIBUTE_REPARSE_POINT","features":[21]},{"name":"FILE_ATTRIBUTE_SPARSE_FILE","features":[21]},{"name":"FILE_ATTRIBUTE_SYSTEM","features":[21]},{"name":"FILE_ATTRIBUTE_TAG_INFO","features":[21]},{"name":"FILE_ATTRIBUTE_TEMPORARY","features":[21]},{"name":"FILE_ATTRIBUTE_UNPINNED","features":[21]},{"name":"FILE_ATTRIBUTE_VIRTUAL","features":[21]},{"name":"FILE_BASIC_INFO","features":[21]},{"name":"FILE_BEGIN","features":[21]},{"name":"FILE_COMPRESSION_INFO","features":[21]},{"name":"FILE_CREATE_PIPE_INSTANCE","features":[21]},{"name":"FILE_CREATION_DISPOSITION","features":[21]},{"name":"FILE_CURRENT","features":[21]},{"name":"FILE_DELETE_CHILD","features":[21]},{"name":"FILE_DEVICE_CD_ROM","features":[21]},{"name":"FILE_DEVICE_DISK","features":[21]},{"name":"FILE_DEVICE_DVD","features":[21]},{"name":"FILE_DEVICE_TAPE","features":[21]},{"name":"FILE_DEVICE_TYPE","features":[21]},{"name":"FILE_DISPOSITION_FLAG_DELETE","features":[21]},{"name":"FILE_DISPOSITION_FLAG_DO_NOT_DELETE","features":[21]},{"name":"FILE_DISPOSITION_FLAG_FORCE_IMAGE_SECTION_CHECK","features":[21]},{"name":"FILE_DISPOSITION_FLAG_IGNORE_READONLY_ATTRIBUTE","features":[21]},{"name":"FILE_DISPOSITION_FLAG_ON_CLOSE","features":[21]},{"name":"FILE_DISPOSITION_FLAG_POSIX_SEMANTICS","features":[21]},{"name":"FILE_DISPOSITION_INFO","features":[1,21]},{"name":"FILE_DISPOSITION_INFO_EX","features":[21]},{"name":"FILE_DISPOSITION_INFO_EX_FLAGS","features":[21]},{"name":"FILE_END","features":[21]},{"name":"FILE_END_OF_FILE_INFO","features":[21]},{"name":"FILE_EXECUTE","features":[21]},{"name":"FILE_EXTENT","features":[21]},{"name":"FILE_FLAGS_AND_ATTRIBUTES","features":[21]},{"name":"FILE_FLAG_BACKUP_SEMANTICS","features":[21]},{"name":"FILE_FLAG_DELETE_ON_CLOSE","features":[21]},{"name":"FILE_FLAG_FIRST_PIPE_INSTANCE","features":[21]},{"name":"FILE_FLAG_NO_BUFFERING","features":[21]},{"name":"FILE_FLAG_OPEN_NO_RECALL","features":[21]},{"name":"FILE_FLAG_OPEN_REPARSE_POINT","features":[21]},{"name":"FILE_FLAG_OVERLAPPED","features":[21]},{"name":"FILE_FLAG_POSIX_SEMANTICS","features":[21]},{"name":"FILE_FLAG_RANDOM_ACCESS","features":[21]},{"name":"FILE_FLAG_SEQUENTIAL_SCAN","features":[21]},{"name":"FILE_FLAG_SESSION_AWARE","features":[21]},{"name":"FILE_FLAG_WRITE_THROUGH","features":[21]},{"name":"FILE_FLUSH_DATA","features":[21]},{"name":"FILE_FLUSH_DEFAULT","features":[21]},{"name":"FILE_FLUSH_MIN_METADATA","features":[21]},{"name":"FILE_FLUSH_MODE","features":[21]},{"name":"FILE_FLUSH_NO_SYNC","features":[21]},{"name":"FILE_FULL_DIR_INFO","features":[21]},{"name":"FILE_GENERIC_EXECUTE","features":[21]},{"name":"FILE_GENERIC_READ","features":[21]},{"name":"FILE_GENERIC_WRITE","features":[21]},{"name":"FILE_ID_128","features":[21]},{"name":"FILE_ID_BOTH_DIR_INFO","features":[21]},{"name":"FILE_ID_DESCRIPTOR","features":[21]},{"name":"FILE_ID_EXTD_DIR_INFO","features":[21]},{"name":"FILE_ID_INFO","features":[21]},{"name":"FILE_ID_TYPE","features":[21]},{"name":"FILE_INFO_2","features":[21]},{"name":"FILE_INFO_3","features":[21]},{"name":"FILE_INFO_BY_HANDLE_CLASS","features":[21]},{"name":"FILE_INFO_FLAGS_PERMISSIONS","features":[21]},{"name":"FILE_IO_PRIORITY_HINT_INFO","features":[21]},{"name":"FILE_LIST_DIRECTORY","features":[21]},{"name":"FILE_NAME_INFO","features":[21]},{"name":"FILE_NAME_NORMALIZED","features":[21]},{"name":"FILE_NAME_OPENED","features":[21]},{"name":"FILE_NOTIFY_CHANGE","features":[21]},{"name":"FILE_NOTIFY_CHANGE_ATTRIBUTES","features":[21]},{"name":"FILE_NOTIFY_CHANGE_CREATION","features":[21]},{"name":"FILE_NOTIFY_CHANGE_DIR_NAME","features":[21]},{"name":"FILE_NOTIFY_CHANGE_FILE_NAME","features":[21]},{"name":"FILE_NOTIFY_CHANGE_LAST_ACCESS","features":[21]},{"name":"FILE_NOTIFY_CHANGE_LAST_WRITE","features":[21]},{"name":"FILE_NOTIFY_CHANGE_SECURITY","features":[21]},{"name":"FILE_NOTIFY_CHANGE_SIZE","features":[21]},{"name":"FILE_NOTIFY_EXTENDED_INFORMATION","features":[21]},{"name":"FILE_NOTIFY_INFORMATION","features":[21]},{"name":"FILE_PROVIDER_COMPRESSION_LZX","features":[21]},{"name":"FILE_PROVIDER_COMPRESSION_XPRESS16K","features":[21]},{"name":"FILE_PROVIDER_COMPRESSION_XPRESS4K","features":[21]},{"name":"FILE_PROVIDER_COMPRESSION_XPRESS8K","features":[21]},{"name":"FILE_READ_ATTRIBUTES","features":[21]},{"name":"FILE_READ_DATA","features":[21]},{"name":"FILE_READ_EA","features":[21]},{"name":"FILE_REMOTE_PROTOCOL_INFO","features":[21]},{"name":"FILE_RENAME_INFO","features":[1,21]},{"name":"FILE_SEGMENT_ELEMENT","features":[21]},{"name":"FILE_SHARE_DELETE","features":[21]},{"name":"FILE_SHARE_MODE","features":[21]},{"name":"FILE_SHARE_NONE","features":[21]},{"name":"FILE_SHARE_READ","features":[21]},{"name":"FILE_SHARE_WRITE","features":[21]},{"name":"FILE_STANDARD_INFO","features":[1,21]},{"name":"FILE_STORAGE_INFO","features":[21]},{"name":"FILE_STREAM_INFO","features":[21]},{"name":"FILE_TRAVERSE","features":[21]},{"name":"FILE_TYPE","features":[21]},{"name":"FILE_TYPE_CHAR","features":[21]},{"name":"FILE_TYPE_DISK","features":[21]},{"name":"FILE_TYPE_PIPE","features":[21]},{"name":"FILE_TYPE_REMOTE","features":[21]},{"name":"FILE_TYPE_UNKNOWN","features":[21]},{"name":"FILE_VER_GET_LOCALISED","features":[21]},{"name":"FILE_VER_GET_NEUTRAL","features":[21]},{"name":"FILE_VER_GET_PREFETCHED","features":[21]},{"name":"FILE_WRITE_ATTRIBUTES","features":[21]},{"name":"FILE_WRITE_DATA","features":[21]},{"name":"FILE_WRITE_EA","features":[21]},{"name":"FILE_WRITE_FLAGS","features":[21]},{"name":"FILE_WRITE_FLAGS_NONE","features":[21]},{"name":"FILE_WRITE_FLAGS_WRITE_THROUGH","features":[21]},{"name":"FINDEX_INFO_LEVELS","features":[21]},{"name":"FINDEX_SEARCH_OPS","features":[21]},{"name":"FIND_FIRST_EX_CASE_SENSITIVE","features":[21]},{"name":"FIND_FIRST_EX_FLAGS","features":[21]},{"name":"FIND_FIRST_EX_LARGE_FETCH","features":[21]},{"name":"FIND_FIRST_EX_ON_DISK_ENTRIES_ONLY","features":[21]},{"name":"FIO_CONTEXT","features":[1,21]},{"name":"FileAlignmentInfo","features":[21]},{"name":"FileAllocationInfo","features":[21]},{"name":"FileAttributeTagInfo","features":[21]},{"name":"FileBasicInfo","features":[21]},{"name":"FileCaseSensitiveInfo","features":[21]},{"name":"FileCompressionInfo","features":[21]},{"name":"FileDispositionInfo","features":[21]},{"name":"FileDispositionInfoEx","features":[21]},{"name":"FileEncryptionStatusA","features":[1,21]},{"name":"FileEncryptionStatusW","features":[1,21]},{"name":"FileEndOfFileInfo","features":[21]},{"name":"FileFullDirectoryInfo","features":[21]},{"name":"FileFullDirectoryRestartInfo","features":[21]},{"name":"FileIdBothDirectoryInfo","features":[21]},{"name":"FileIdBothDirectoryRestartInfo","features":[21]},{"name":"FileIdExtdDirectoryInfo","features":[21]},{"name":"FileIdExtdDirectoryRestartInfo","features":[21]},{"name":"FileIdInfo","features":[21]},{"name":"FileIdType","features":[21]},{"name":"FileIoPriorityHintInfo","features":[21]},{"name":"FileNameInfo","features":[21]},{"name":"FileNormalizedNameInfo","features":[21]},{"name":"FileRemoteProtocolInfo","features":[21]},{"name":"FileRenameInfo","features":[21]},{"name":"FileRenameInfoEx","features":[21]},{"name":"FileStandardInfo","features":[21]},{"name":"FileStorageInfo","features":[21]},{"name":"FileStreamInfo","features":[21]},{"name":"FileTimeToLocalFileTime","features":[1,21]},{"name":"FindClose","features":[1,21]},{"name":"FindCloseChangeNotification","features":[1,21]},{"name":"FindExInfoBasic","features":[21]},{"name":"FindExInfoMaxInfoLevel","features":[21]},{"name":"FindExInfoStandard","features":[21]},{"name":"FindExSearchLimitToDevices","features":[21]},{"name":"FindExSearchLimitToDirectories","features":[21]},{"name":"FindExSearchMaxSearchOp","features":[21]},{"name":"FindExSearchNameMatch","features":[21]},{"name":"FindFirstChangeNotificationA","features":[1,21]},{"name":"FindFirstChangeNotificationW","features":[1,21]},{"name":"FindFirstFileA","features":[1,21]},{"name":"FindFirstFileExA","features":[1,21]},{"name":"FindFirstFileExFromAppW","features":[1,21]},{"name":"FindFirstFileExW","features":[1,21]},{"name":"FindFirstFileNameTransactedW","features":[1,21]},{"name":"FindFirstFileNameW","features":[1,21]},{"name":"FindFirstFileTransactedA","features":[1,21]},{"name":"FindFirstFileTransactedW","features":[1,21]},{"name":"FindFirstFileW","features":[1,21]},{"name":"FindFirstStreamTransactedW","features":[1,21]},{"name":"FindFirstStreamW","features":[1,21]},{"name":"FindFirstVolumeA","features":[1,21]},{"name":"FindFirstVolumeMountPointA","features":[1,21]},{"name":"FindFirstVolumeMountPointW","features":[1,21]},{"name":"FindFirstVolumeW","features":[1,21]},{"name":"FindNextChangeNotification","features":[1,21]},{"name":"FindNextFileA","features":[1,21]},{"name":"FindNextFileNameW","features":[1,21]},{"name":"FindNextFileW","features":[1,21]},{"name":"FindNextStreamW","features":[1,21]},{"name":"FindNextVolumeA","features":[1,21]},{"name":"FindNextVolumeMountPointA","features":[1,21]},{"name":"FindNextVolumeMountPointW","features":[1,21]},{"name":"FindNextVolumeW","features":[1,21]},{"name":"FindStreamInfoMaxInfoLevel","features":[21]},{"name":"FindStreamInfoStandard","features":[21]},{"name":"FindVolumeClose","features":[1,21]},{"name":"FindVolumeMountPointClose","features":[1,21]},{"name":"FlushFileBuffers","features":[1,21]},{"name":"FlushLogBuffers","features":[1,21,6]},{"name":"FlushLogToLsn","features":[1,21,6]},{"name":"FreeEncryptedFileMetadata","features":[21]},{"name":"FreeEncryptionCertificateHashList","features":[4,21]},{"name":"FreeReservedLog","features":[1,21]},{"name":"GETFINALPATHNAMEBYHANDLE_FLAGS","features":[21]},{"name":"GET_FILEEX_INFO_LEVELS","features":[21]},{"name":"GET_FILE_VERSION_INFO_FLAGS","features":[21]},{"name":"GET_TAPE_DRIVE_INFORMATION","features":[21]},{"name":"GET_TAPE_DRIVE_PARAMETERS_OPERATION","features":[21]},{"name":"GET_TAPE_MEDIA_INFORMATION","features":[21]},{"name":"GetBinaryTypeA","features":[1,21]},{"name":"GetBinaryTypeW","features":[1,21]},{"name":"GetCompressedFileSizeA","features":[21]},{"name":"GetCompressedFileSizeTransactedA","features":[1,21]},{"name":"GetCompressedFileSizeTransactedW","features":[1,21]},{"name":"GetCompressedFileSizeW","features":[21]},{"name":"GetCurrentClockTransactionManager","features":[1,21]},{"name":"GetDiskFreeSpaceA","features":[1,21]},{"name":"GetDiskFreeSpaceExA","features":[1,21]},{"name":"GetDiskFreeSpaceExW","features":[1,21]},{"name":"GetDiskFreeSpaceW","features":[1,21]},{"name":"GetDiskSpaceInformationA","features":[21]},{"name":"GetDiskSpaceInformationW","features":[21]},{"name":"GetDriveTypeA","features":[21]},{"name":"GetDriveTypeW","features":[21]},{"name":"GetEncryptedFileMetadata","features":[21]},{"name":"GetEnlistmentId","features":[1,21]},{"name":"GetEnlistmentRecoveryInformation","features":[1,21]},{"name":"GetExpandedNameA","features":[21]},{"name":"GetExpandedNameW","features":[21]},{"name":"GetFileAttributesA","features":[21]},{"name":"GetFileAttributesExA","features":[1,21]},{"name":"GetFileAttributesExFromAppW","features":[1,21]},{"name":"GetFileAttributesExW","features":[1,21]},{"name":"GetFileAttributesTransactedA","features":[1,21]},{"name":"GetFileAttributesTransactedW","features":[1,21]},{"name":"GetFileAttributesW","features":[21]},{"name":"GetFileBandwidthReservation","features":[1,21]},{"name":"GetFileExInfoStandard","features":[21]},{"name":"GetFileExMaxInfoLevel","features":[21]},{"name":"GetFileInformationByHandle","features":[1,21]},{"name":"GetFileInformationByHandleEx","features":[1,21]},{"name":"GetFileSize","features":[1,21]},{"name":"GetFileSizeEx","features":[1,21]},{"name":"GetFileTime","features":[1,21]},{"name":"GetFileType","features":[1,21]},{"name":"GetFileVersionInfoA","features":[1,21]},{"name":"GetFileVersionInfoExA","features":[1,21]},{"name":"GetFileVersionInfoExW","features":[1,21]},{"name":"GetFileVersionInfoSizeA","features":[21]},{"name":"GetFileVersionInfoSizeExA","features":[21]},{"name":"GetFileVersionInfoSizeExW","features":[21]},{"name":"GetFileVersionInfoSizeW","features":[21]},{"name":"GetFileVersionInfoW","features":[1,21]},{"name":"GetFinalPathNameByHandleA","features":[1,21]},{"name":"GetFinalPathNameByHandleW","features":[1,21]},{"name":"GetFullPathNameA","features":[21]},{"name":"GetFullPathNameTransactedA","features":[1,21]},{"name":"GetFullPathNameTransactedW","features":[1,21]},{"name":"GetFullPathNameW","features":[21]},{"name":"GetIoRingInfo","features":[21]},{"name":"GetLogContainerName","features":[1,21]},{"name":"GetLogFileInformation","features":[1,21]},{"name":"GetLogIoStatistics","features":[1,21]},{"name":"GetLogReservationInfo","features":[1,21]},{"name":"GetLogicalDriveStringsA","features":[21]},{"name":"GetLogicalDriveStringsW","features":[21]},{"name":"GetLogicalDrives","features":[21]},{"name":"GetLongPathNameA","features":[21]},{"name":"GetLongPathNameTransactedA","features":[1,21]},{"name":"GetLongPathNameTransactedW","features":[1,21]},{"name":"GetLongPathNameW","features":[21]},{"name":"GetNextLogArchiveExtent","features":[1,21]},{"name":"GetNotificationResourceManager","features":[1,21]},{"name":"GetNotificationResourceManagerAsync","features":[1,21,6]},{"name":"GetShortPathNameA","features":[21]},{"name":"GetShortPathNameW","features":[21]},{"name":"GetTapeParameters","features":[1,21]},{"name":"GetTapePosition","features":[1,21]},{"name":"GetTapeStatus","features":[1,21]},{"name":"GetTempFileNameA","features":[21]},{"name":"GetTempFileNameW","features":[21]},{"name":"GetTempPath2A","features":[21]},{"name":"GetTempPath2W","features":[21]},{"name":"GetTempPathA","features":[21]},{"name":"GetTempPathW","features":[21]},{"name":"GetTransactionId","features":[1,21]},{"name":"GetTransactionInformation","features":[1,21]},{"name":"GetTransactionManagerId","features":[1,21]},{"name":"GetVolumeInformationA","features":[1,21]},{"name":"GetVolumeInformationByHandleW","features":[1,21]},{"name":"GetVolumeInformationW","features":[1,21]},{"name":"GetVolumeNameForVolumeMountPointA","features":[1,21]},{"name":"GetVolumeNameForVolumeMountPointW","features":[1,21]},{"name":"GetVolumePathNameA","features":[1,21]},{"name":"GetVolumePathNameW","features":[1,21]},{"name":"GetVolumePathNamesForVolumeNameA","features":[1,21]},{"name":"GetVolumePathNamesForVolumeNameW","features":[1,21]},{"name":"HIORING","features":[21]},{"name":"HandleLogFull","features":[1,21]},{"name":"IDiskQuotaControl","features":[21]},{"name":"IDiskQuotaEvents","features":[21]},{"name":"IDiskQuotaUser","features":[21]},{"name":"IDiskQuotaUserBatch","features":[21]},{"name":"IEnumDiskQuotaUsers","features":[21]},{"name":"INVALID_FILE_ATTRIBUTES","features":[21]},{"name":"INVALID_FILE_SIZE","features":[21]},{"name":"INVALID_SET_FILE_POINTER","features":[21]},{"name":"IOCTL_VOLUME_ALLOCATE_BC_STREAM","features":[21]},{"name":"IOCTL_VOLUME_BASE","features":[21]},{"name":"IOCTL_VOLUME_BC_VERSION","features":[21]},{"name":"IOCTL_VOLUME_FREE_BC_STREAM","features":[21]},{"name":"IOCTL_VOLUME_GET_BC_PROPERTIES","features":[21]},{"name":"IOCTL_VOLUME_GET_CSVBLOCKCACHE_CALLBACK","features":[21]},{"name":"IOCTL_VOLUME_GET_GPT_ATTRIBUTES","features":[21]},{"name":"IOCTL_VOLUME_GET_VOLUME_DISK_EXTENTS","features":[21]},{"name":"IOCTL_VOLUME_IS_CLUSTERED","features":[21]},{"name":"IOCTL_VOLUME_IS_CSV","features":[21]},{"name":"IOCTL_VOLUME_IS_DYNAMIC","features":[21]},{"name":"IOCTL_VOLUME_IS_IO_CAPABLE","features":[21]},{"name":"IOCTL_VOLUME_IS_OFFLINE","features":[21]},{"name":"IOCTL_VOLUME_IS_PARTITION","features":[21]},{"name":"IOCTL_VOLUME_LOGICAL_TO_PHYSICAL","features":[21]},{"name":"IOCTL_VOLUME_OFFLINE","features":[21]},{"name":"IOCTL_VOLUME_ONLINE","features":[21]},{"name":"IOCTL_VOLUME_PHYSICAL_TO_LOGICAL","features":[21]},{"name":"IOCTL_VOLUME_POST_ONLINE","features":[21]},{"name":"IOCTL_VOLUME_PREPARE_FOR_CRITICAL_IO","features":[21]},{"name":"IOCTL_VOLUME_PREPARE_FOR_SHRINK","features":[21]},{"name":"IOCTL_VOLUME_QUERY_ALLOCATION_HINT","features":[21]},{"name":"IOCTL_VOLUME_QUERY_FAILOVER_SET","features":[21]},{"name":"IOCTL_VOLUME_QUERY_MINIMUM_SHRINK_SIZE","features":[21]},{"name":"IOCTL_VOLUME_QUERY_VOLUME_NUMBER","features":[21]},{"name":"IOCTL_VOLUME_READ_PLEX","features":[21]},{"name":"IOCTL_VOLUME_SET_GPT_ATTRIBUTES","features":[21]},{"name":"IOCTL_VOLUME_SUPPORTS_ONLINE_OFFLINE","features":[21]},{"name":"IOCTL_VOLUME_UPDATE_PROPERTIES","features":[21]},{"name":"IORING_BUFFER_INFO","features":[21]},{"name":"IORING_BUFFER_REF","features":[21]},{"name":"IORING_CAPABILITIES","features":[21]},{"name":"IORING_CQE","features":[21]},{"name":"IORING_CREATE_ADVISORY_FLAGS","features":[21]},{"name":"IORING_CREATE_ADVISORY_FLAGS_NONE","features":[21]},{"name":"IORING_CREATE_FLAGS","features":[21]},{"name":"IORING_CREATE_REQUIRED_FLAGS","features":[21]},{"name":"IORING_CREATE_REQUIRED_FLAGS_NONE","features":[21]},{"name":"IORING_FEATURE_FLAGS","features":[21]},{"name":"IORING_FEATURE_FLAGS_NONE","features":[21]},{"name":"IORING_FEATURE_SET_COMPLETION_EVENT","features":[21]},{"name":"IORING_FEATURE_UM_EMULATION","features":[21]},{"name":"IORING_HANDLE_REF","features":[1,21]},{"name":"IORING_INFO","features":[21]},{"name":"IORING_OP_CANCEL","features":[21]},{"name":"IORING_OP_CODE","features":[21]},{"name":"IORING_OP_FLUSH","features":[21]},{"name":"IORING_OP_NOP","features":[21]},{"name":"IORING_OP_READ","features":[21]},{"name":"IORING_OP_REGISTER_BUFFERS","features":[21]},{"name":"IORING_OP_REGISTER_FILES","features":[21]},{"name":"IORING_OP_WRITE","features":[21]},{"name":"IORING_REF_KIND","features":[21]},{"name":"IORING_REF_RAW","features":[21]},{"name":"IORING_REF_REGISTERED","features":[21]},{"name":"IORING_REGISTERED_BUFFER","features":[21]},{"name":"IORING_SQE_FLAGS","features":[21]},{"name":"IORING_VERSION","features":[21]},{"name":"IORING_VERSION_1","features":[21]},{"name":"IORING_VERSION_2","features":[21]},{"name":"IORING_VERSION_3","features":[21]},{"name":"IORING_VERSION_INVALID","features":[21]},{"name":"IOSQE_FLAGS_DRAIN_PRECEDING_OPS","features":[21]},{"name":"IOSQE_FLAGS_NONE","features":[21]},{"name":"InstallLogPolicy","features":[1,21]},{"name":"IoPriorityHintLow","features":[21]},{"name":"IoPriorityHintNormal","features":[21]},{"name":"IoPriorityHintVeryLow","features":[21]},{"name":"IsIoRingOpSupported","features":[1,21]},{"name":"KCRM_MARSHAL_HEADER","features":[21]},{"name":"KCRM_PROTOCOL_BLOB","features":[21]},{"name":"KCRM_TRANSACTION_BLOB","features":[21]},{"name":"KTM_MARSHAL_BLOB_VERSION_MAJOR","features":[21]},{"name":"KTM_MARSHAL_BLOB_VERSION_MINOR","features":[21]},{"name":"LOCKFILE_EXCLUSIVE_LOCK","features":[21]},{"name":"LOCKFILE_FAIL_IMMEDIATELY","features":[21]},{"name":"LOCK_FILE_FLAGS","features":[21]},{"name":"LOG_MANAGEMENT_CALLBACKS","features":[1,21]},{"name":"LOG_POLICY_OVERWRITE","features":[21]},{"name":"LOG_POLICY_PERSIST","features":[21]},{"name":"LPPROGRESS_ROUTINE","features":[1,21]},{"name":"LPPROGRESS_ROUTINE_CALLBACK_REASON","features":[21]},{"name":"LZClose","features":[21]},{"name":"LZCopy","features":[21]},{"name":"LZDone","features":[21]},{"name":"LZERROR_BADINHANDLE","features":[21]},{"name":"LZERROR_BADOUTHANDLE","features":[21]},{"name":"LZERROR_BADVALUE","features":[21]},{"name":"LZERROR_GLOBALLOC","features":[21]},{"name":"LZERROR_GLOBLOCK","features":[21]},{"name":"LZERROR_READ","features":[21]},{"name":"LZERROR_UNKNOWNALG","features":[21]},{"name":"LZERROR_WRITE","features":[21]},{"name":"LZInit","features":[21]},{"name":"LZOPENFILE_STYLE","features":[21]},{"name":"LZOpenFileA","features":[21]},{"name":"LZOpenFileW","features":[21]},{"name":"LZRead","features":[21]},{"name":"LZSeek","features":[21]},{"name":"LZStart","features":[21]},{"name":"LocalFileTimeToFileTime","features":[1,21]},{"name":"LockFile","features":[1,21]},{"name":"LockFileEx","features":[1,21,6]},{"name":"LogTailAdvanceFailure","features":[1,21]},{"name":"LsnBlockOffset","features":[21]},{"name":"LsnContainer","features":[21]},{"name":"LsnCreate","features":[21]},{"name":"LsnEqual","features":[1,21]},{"name":"LsnGreater","features":[1,21]},{"name":"LsnIncrement","features":[21]},{"name":"LsnInvalid","features":[1,21]},{"name":"LsnLess","features":[1,21]},{"name":"LsnNull","features":[1,21]},{"name":"LsnRecordSequence","features":[21]},{"name":"MAXIMUM_REPARSE_DATA_BUFFER_SIZE","features":[21]},{"name":"MAXMEDIALABEL","features":[21]},{"name":"MAX_RESOURCEMANAGER_DESCRIPTION_LENGTH","features":[21]},{"name":"MAX_SID_SIZE","features":[21]},{"name":"MAX_TRANSACTION_DESCRIPTION_LENGTH","features":[21]},{"name":"MOVEFILE_COPY_ALLOWED","features":[21]},{"name":"MOVEFILE_CREATE_HARDLINK","features":[21]},{"name":"MOVEFILE_DELAY_UNTIL_REBOOT","features":[21]},{"name":"MOVEFILE_FAIL_IF_NOT_TRACKABLE","features":[21]},{"name":"MOVEFILE_REPLACE_EXISTING","features":[21]},{"name":"MOVEFILE_WRITE_THROUGH","features":[21]},{"name":"MOVE_FILE_FLAGS","features":[21]},{"name":"MaximumFileIdType","features":[21]},{"name":"MaximumFileInfoByHandleClass","features":[21]},{"name":"MaximumIoPriorityHintType","features":[21]},{"name":"MediaLabelInfo","features":[21]},{"name":"MoveFileA","features":[1,21]},{"name":"MoveFileExA","features":[1,21]},{"name":"MoveFileExW","features":[1,21]},{"name":"MoveFileFromAppW","features":[1,21]},{"name":"MoveFileTransactedA","features":[1,21]},{"name":"MoveFileTransactedW","features":[1,21]},{"name":"MoveFileW","features":[1,21]},{"name":"MoveFileWithProgressA","features":[1,21]},{"name":"MoveFileWithProgressW","features":[1,21]},{"name":"NAME_CACHE_CONTEXT","features":[21]},{"name":"NTMSMLI_MAXAPPDESCR","features":[21]},{"name":"NTMSMLI_MAXIDSIZE","features":[21]},{"name":"NTMSMLI_MAXTYPE","features":[21]},{"name":"NTMS_ALLOCATE_ERROR_IF_UNAVAILABLE","features":[21]},{"name":"NTMS_ALLOCATE_FROMSCRATCH","features":[21]},{"name":"NTMS_ALLOCATE_NEW","features":[21]},{"name":"NTMS_ALLOCATE_NEXT","features":[21]},{"name":"NTMS_ALLOCATION_INFORMATION","features":[21]},{"name":"NTMS_APPLICATIONNAME_LENGTH","features":[21]},{"name":"NTMS_ASYNCOP_MOUNT","features":[21]},{"name":"NTMS_ASYNCSTATE_COMPLETE","features":[21]},{"name":"NTMS_ASYNCSTATE_INPROCESS","features":[21]},{"name":"NTMS_ASYNCSTATE_QUEUED","features":[21]},{"name":"NTMS_ASYNCSTATE_WAIT_OPERATOR","features":[21]},{"name":"NTMS_ASYNCSTATE_WAIT_RESOURCE","features":[21]},{"name":"NTMS_ASYNC_IO","features":[1,21]},{"name":"NTMS_BARCODESTATE_OK","features":[21]},{"name":"NTMS_BARCODESTATE_UNREADABLE","features":[21]},{"name":"NTMS_BARCODE_LENGTH","features":[21]},{"name":"NTMS_CHANGER","features":[21]},{"name":"NTMS_CHANGERINFORMATIONA","features":[21]},{"name":"NTMS_CHANGERINFORMATIONW","features":[21]},{"name":"NTMS_CHANGERTYPEINFORMATIONA","features":[21]},{"name":"NTMS_CHANGERTYPEINFORMATIONW","features":[21]},{"name":"NTMS_CHANGER_TYPE","features":[21]},{"name":"NTMS_COMPUTER","features":[21]},{"name":"NTMS_COMPUTERINFORMATION","features":[21]},{"name":"NTMS_COMPUTERNAME_LENGTH","features":[21]},{"name":"NTMS_CONTROL_ACCESS","features":[21]},{"name":"NTMS_CREATE_NEW","features":[21]},{"name":"NTMS_DEALLOCATE_TOSCRATCH","features":[21]},{"name":"NTMS_DESCRIPTION_LENGTH","features":[21]},{"name":"NTMS_DEVICENAME_LENGTH","features":[21]},{"name":"NTMS_DISMOUNT_DEFERRED","features":[21]},{"name":"NTMS_DISMOUNT_IMMEDIATE","features":[21]},{"name":"NTMS_DOORSTATE_CLOSED","features":[21]},{"name":"NTMS_DOORSTATE_OPEN","features":[21]},{"name":"NTMS_DOORSTATE_UNKNOWN","features":[21]},{"name":"NTMS_DRIVE","features":[21]},{"name":"NTMS_DRIVEINFORMATIONA","features":[1,21]},{"name":"NTMS_DRIVEINFORMATIONW","features":[1,21]},{"name":"NTMS_DRIVESTATE_BEING_CLEANED","features":[21]},{"name":"NTMS_DRIVESTATE_DISMOUNTABLE","features":[21]},{"name":"NTMS_DRIVESTATE_DISMOUNTED","features":[21]},{"name":"NTMS_DRIVESTATE_LOADED","features":[21]},{"name":"NTMS_DRIVESTATE_MOUNTED","features":[21]},{"name":"NTMS_DRIVESTATE_UNLOADED","features":[21]},{"name":"NTMS_DRIVETYPEINFORMATIONA","features":[21]},{"name":"NTMS_DRIVETYPEINFORMATIONW","features":[21]},{"name":"NTMS_DRIVE_TYPE","features":[21]},{"name":"NTMS_EJECT_ASK_USER","features":[21]},{"name":"NTMS_EJECT_FORCE","features":[21]},{"name":"NTMS_EJECT_IMMEDIATE","features":[21]},{"name":"NTMS_EJECT_QUEUE","features":[21]},{"name":"NTMS_EJECT_START","features":[21]},{"name":"NTMS_EJECT_STOP","features":[21]},{"name":"NTMS_ENUM_DEFAULT","features":[21]},{"name":"NTMS_ENUM_ROOTPOOL","features":[21]},{"name":"NTMS_ERROR_ON_DUPLICATE","features":[21]},{"name":"NTMS_EVENT_COMPLETE","features":[21]},{"name":"NTMS_EVENT_SIGNAL","features":[21]},{"name":"NTMS_FILESYSTEM_INFO","features":[21]},{"name":"NTMS_I1_LIBRARYINFORMATION","features":[1,21]},{"name":"NTMS_I1_LIBREQUESTINFORMATIONA","features":[1,21]},{"name":"NTMS_I1_LIBREQUESTINFORMATIONW","features":[1,21]},{"name":"NTMS_I1_MESSAGE_LENGTH","features":[21]},{"name":"NTMS_I1_OBJECTINFORMATIONA","features":[1,21]},{"name":"NTMS_I1_OBJECTINFORMATIONW","features":[1,21]},{"name":"NTMS_I1_OPREQUESTINFORMATIONA","features":[1,21]},{"name":"NTMS_I1_OPREQUESTINFORMATIONW","features":[1,21]},{"name":"NTMS_I1_PARTITIONINFORMATIONA","features":[21]},{"name":"NTMS_I1_PARTITIONINFORMATIONW","features":[21]},{"name":"NTMS_I1_PMIDINFORMATIONA","features":[21]},{"name":"NTMS_I1_PMIDINFORMATIONW","features":[21]},{"name":"NTMS_IEDOOR","features":[21]},{"name":"NTMS_IEDOORINFORMATION","features":[21]},{"name":"NTMS_IEPORT","features":[21]},{"name":"NTMS_IEPORTINFORMATION","features":[21]},{"name":"NTMS_INITIALIZING","features":[21]},{"name":"NTMS_INJECT_RETRACT","features":[21]},{"name":"NTMS_INJECT_START","features":[21]},{"name":"NTMS_INJECT_STARTMANY","features":[21]},{"name":"NTMS_INJECT_STOP","features":[21]},{"name":"NTMS_INVENTORY_DEFAULT","features":[21]},{"name":"NTMS_INVENTORY_FAST","features":[21]},{"name":"NTMS_INVENTORY_MAX","features":[21]},{"name":"NTMS_INVENTORY_NONE","features":[21]},{"name":"NTMS_INVENTORY_OMID","features":[21]},{"name":"NTMS_INVENTORY_SLOT","features":[21]},{"name":"NTMS_INVENTORY_STOP","features":[21]},{"name":"NTMS_LIBRARY","features":[21]},{"name":"NTMS_LIBRARYFLAG_AUTODETECTCHANGE","features":[21]},{"name":"NTMS_LIBRARYFLAG_CLEANERPRESENT","features":[21]},{"name":"NTMS_LIBRARYFLAG_FIXEDOFFLINE","features":[21]},{"name":"NTMS_LIBRARYFLAG_IGNORECLEANERUSESREMAINING","features":[21]},{"name":"NTMS_LIBRARYFLAG_RECOGNIZECLEANERBARCODE","features":[21]},{"name":"NTMS_LIBRARYINFORMATION","features":[1,21]},{"name":"NTMS_LIBRARYTYPE_OFFLINE","features":[21]},{"name":"NTMS_LIBRARYTYPE_ONLINE","features":[21]},{"name":"NTMS_LIBRARYTYPE_STANDALONE","features":[21]},{"name":"NTMS_LIBRARYTYPE_UNKNOWN","features":[21]},{"name":"NTMS_LIBREQFLAGS_NOAUTOPURGE","features":[21]},{"name":"NTMS_LIBREQFLAGS_NOFAILEDPURGE","features":[21]},{"name":"NTMS_LIBREQUEST","features":[21]},{"name":"NTMS_LIBREQUESTINFORMATIONA","features":[1,21]},{"name":"NTMS_LIBREQUESTINFORMATIONW","features":[1,21]},{"name":"NTMS_LMIDINFORMATION","features":[21]},{"name":"NTMS_LM_CANCELLED","features":[21]},{"name":"NTMS_LM_CLASSIFY","features":[21]},{"name":"NTMS_LM_CLEANDRIVE","features":[21]},{"name":"NTMS_LM_DEFERRED","features":[21]},{"name":"NTMS_LM_DEFFERED","features":[21]},{"name":"NTMS_LM_DISABLECHANGER","features":[21]},{"name":"NTMS_LM_DISABLEDRIVE","features":[21]},{"name":"NTMS_LM_DISABLELIBRARY","features":[21]},{"name":"NTMS_LM_DISABLEMEDIA","features":[21]},{"name":"NTMS_LM_DISMOUNT","features":[21]},{"name":"NTMS_LM_DOORACCESS","features":[21]},{"name":"NTMS_LM_EJECT","features":[21]},{"name":"NTMS_LM_EJECTCLEANER","features":[21]},{"name":"NTMS_LM_ENABLECHANGER","features":[21]},{"name":"NTMS_LM_ENABLEDRIVE","features":[21]},{"name":"NTMS_LM_ENABLELIBRARY","features":[21]},{"name":"NTMS_LM_ENABLEMEDIA","features":[21]},{"name":"NTMS_LM_FAILED","features":[21]},{"name":"NTMS_LM_INJECT","features":[21]},{"name":"NTMS_LM_INJECTCLEANER","features":[21]},{"name":"NTMS_LM_INPROCESS","features":[21]},{"name":"NTMS_LM_INVALID","features":[21]},{"name":"NTMS_LM_INVENTORY","features":[21]},{"name":"NTMS_LM_MAXWORKITEM","features":[21]},{"name":"NTMS_LM_MOUNT","features":[21]},{"name":"NTMS_LM_PASSED","features":[21]},{"name":"NTMS_LM_PROCESSOMID","features":[21]},{"name":"NTMS_LM_QUEUED","features":[21]},{"name":"NTMS_LM_RELEASECLEANER","features":[21]},{"name":"NTMS_LM_REMOVE","features":[21]},{"name":"NTMS_LM_RESERVECLEANER","features":[21]},{"name":"NTMS_LM_STOPPED","features":[21]},{"name":"NTMS_LM_UPDATEOMID","features":[21]},{"name":"NTMS_LM_WAITING","features":[21]},{"name":"NTMS_LM_WRITESCRATCH","features":[21]},{"name":"NTMS_LOGICAL_MEDIA","features":[21]},{"name":"NTMS_MAXATTR_LENGTH","features":[21]},{"name":"NTMS_MAXATTR_NAMELEN","features":[21]},{"name":"NTMS_MEDIAPOOLINFORMATION","features":[21]},{"name":"NTMS_MEDIARW_READONLY","features":[21]},{"name":"NTMS_MEDIARW_REWRITABLE","features":[21]},{"name":"NTMS_MEDIARW_UNKNOWN","features":[21]},{"name":"NTMS_MEDIARW_WRITEONCE","features":[21]},{"name":"NTMS_MEDIASTATE_IDLE","features":[21]},{"name":"NTMS_MEDIASTATE_INUSE","features":[21]},{"name":"NTMS_MEDIASTATE_LOADED","features":[21]},{"name":"NTMS_MEDIASTATE_MOUNTED","features":[21]},{"name":"NTMS_MEDIASTATE_OPERROR","features":[21]},{"name":"NTMS_MEDIASTATE_OPREQ","features":[21]},{"name":"NTMS_MEDIASTATE_UNLOADED","features":[21]},{"name":"NTMS_MEDIATYPEINFORMATION","features":[21]},{"name":"NTMS_MEDIA_POOL","features":[21]},{"name":"NTMS_MEDIA_TYPE","features":[21]},{"name":"NTMS_MESSAGE_LENGTH","features":[21]},{"name":"NTMS_MODIFY_ACCESS","features":[21]},{"name":"NTMS_MOUNT_ERROR_IF_OFFLINE","features":[21]},{"name":"NTMS_MOUNT_ERROR_IF_UNAVAILABLE","features":[21]},{"name":"NTMS_MOUNT_ERROR_NOT_AVAILABLE","features":[21]},{"name":"NTMS_MOUNT_ERROR_OFFLINE","features":[21]},{"name":"NTMS_MOUNT_INFORMATION","features":[21]},{"name":"NTMS_MOUNT_NOWAIT","features":[21]},{"name":"NTMS_MOUNT_READ","features":[21]},{"name":"NTMS_MOUNT_SPECIFIC_DRIVE","features":[21]},{"name":"NTMS_MOUNT_WRITE","features":[21]},{"name":"NTMS_NEEDS_SERVICE","features":[21]},{"name":"NTMS_NOTIFICATIONINFORMATION","features":[21]},{"name":"NTMS_NOT_PRESENT","features":[21]},{"name":"NTMS_NUMBER_OF_OBJECT_TYPES","features":[21]},{"name":"NTMS_OBJECT","features":[21]},{"name":"NTMS_OBJECTINFORMATIONA","features":[1,21]},{"name":"NTMS_OBJECTINFORMATIONW","features":[1,21]},{"name":"NTMS_OBJECTNAME_LENGTH","features":[21]},{"name":"NTMS_OBJ_DELETE","features":[21]},{"name":"NTMS_OBJ_INSERT","features":[21]},{"name":"NTMS_OBJ_UPDATE","features":[21]},{"name":"NTMS_OMIDLABELID_LENGTH","features":[21]},{"name":"NTMS_OMIDLABELINFO_LENGTH","features":[21]},{"name":"NTMS_OMIDLABELTYPE_LENGTH","features":[21]},{"name":"NTMS_OMID_TYPE","features":[21]},{"name":"NTMS_OMID_TYPE_FILESYSTEM_INFO","features":[21]},{"name":"NTMS_OMID_TYPE_RAW_LABEL","features":[21]},{"name":"NTMS_OPEN_ALWAYS","features":[21]},{"name":"NTMS_OPEN_EXISTING","features":[21]},{"name":"NTMS_OPREQFLAGS_NOALERTS","features":[21]},{"name":"NTMS_OPREQFLAGS_NOAUTOPURGE","features":[21]},{"name":"NTMS_OPREQFLAGS_NOFAILEDPURGE","features":[21]},{"name":"NTMS_OPREQFLAGS_NOTRAYICON","features":[21]},{"name":"NTMS_OPREQUEST","features":[21]},{"name":"NTMS_OPREQUESTINFORMATIONA","features":[1,21]},{"name":"NTMS_OPREQUESTINFORMATIONW","features":[1,21]},{"name":"NTMS_OPREQ_CLEANER","features":[21]},{"name":"NTMS_OPREQ_DEVICESERVICE","features":[21]},{"name":"NTMS_OPREQ_MESSAGE","features":[21]},{"name":"NTMS_OPREQ_MOVEMEDIA","features":[21]},{"name":"NTMS_OPREQ_NEWMEDIA","features":[21]},{"name":"NTMS_OPREQ_UNKNOWN","features":[21]},{"name":"NTMS_OPSTATE_ACTIVE","features":[21]},{"name":"NTMS_OPSTATE_COMPLETE","features":[21]},{"name":"NTMS_OPSTATE_INPROGRESS","features":[21]},{"name":"NTMS_OPSTATE_REFUSED","features":[21]},{"name":"NTMS_OPSTATE_SUBMITTED","features":[21]},{"name":"NTMS_OPSTATE_UNKNOWN","features":[21]},{"name":"NTMS_PARTITION","features":[21]},{"name":"NTMS_PARTITIONINFORMATIONA","features":[21]},{"name":"NTMS_PARTITIONINFORMATIONW","features":[21]},{"name":"NTMS_PARTSTATE_ALLOCATED","features":[21]},{"name":"NTMS_PARTSTATE_AVAILABLE","features":[21]},{"name":"NTMS_PARTSTATE_COMPLETE","features":[21]},{"name":"NTMS_PARTSTATE_DECOMMISSIONED","features":[21]},{"name":"NTMS_PARTSTATE_FOREIGN","features":[21]},{"name":"NTMS_PARTSTATE_IMPORT","features":[21]},{"name":"NTMS_PARTSTATE_INCOMPATIBLE","features":[21]},{"name":"NTMS_PARTSTATE_RESERVED","features":[21]},{"name":"NTMS_PARTSTATE_UNKNOWN","features":[21]},{"name":"NTMS_PARTSTATE_UNPREPARED","features":[21]},{"name":"NTMS_PHYSICAL_MEDIA","features":[21]},{"name":"NTMS_PMIDINFORMATIONA","features":[21]},{"name":"NTMS_PMIDINFORMATIONW","features":[21]},{"name":"NTMS_POOLHIERARCHY_LENGTH","features":[21]},{"name":"NTMS_POOLPOLICY_KEEPOFFLINEIMPORT","features":[21]},{"name":"NTMS_POOLPOLICY_PURGEOFFLINESCRATCH","features":[21]},{"name":"NTMS_POOLTYPE_APPLICATION","features":[21]},{"name":"NTMS_POOLTYPE_FOREIGN","features":[21]},{"name":"NTMS_POOLTYPE_IMPORT","features":[21]},{"name":"NTMS_POOLTYPE_SCRATCH","features":[21]},{"name":"NTMS_POOLTYPE_UNKNOWN","features":[21]},{"name":"NTMS_PORTCONTENT_EMPTY","features":[21]},{"name":"NTMS_PORTCONTENT_FULL","features":[21]},{"name":"NTMS_PORTCONTENT_UNKNOWN","features":[21]},{"name":"NTMS_PORTPOSITION_EXTENDED","features":[21]},{"name":"NTMS_PORTPOSITION_RETRACTED","features":[21]},{"name":"NTMS_PORTPOSITION_UNKNOWN","features":[21]},{"name":"NTMS_PRIORITY_DEFAULT","features":[21]},{"name":"NTMS_PRIORITY_HIGH","features":[21]},{"name":"NTMS_PRIORITY_HIGHEST","features":[21]},{"name":"NTMS_PRIORITY_LOW","features":[21]},{"name":"NTMS_PRIORITY_LOWEST","features":[21]},{"name":"NTMS_PRIORITY_NORMAL","features":[21]},{"name":"NTMS_PRODUCTNAME_LENGTH","features":[21]},{"name":"NTMS_READY","features":[21]},{"name":"NTMS_REVISION_LENGTH","features":[21]},{"name":"NTMS_SEQUENCE_LENGTH","features":[21]},{"name":"NTMS_SERIALNUMBER_LENGTH","features":[21]},{"name":"NTMS_SESSION_QUERYEXPEDITE","features":[21]},{"name":"NTMS_SLOTSTATE_EMPTY","features":[21]},{"name":"NTMS_SLOTSTATE_FULL","features":[21]},{"name":"NTMS_SLOTSTATE_NEEDSINVENTORY","features":[21]},{"name":"NTMS_SLOTSTATE_NOTPRESENT","features":[21]},{"name":"NTMS_SLOTSTATE_UNKNOWN","features":[21]},{"name":"NTMS_STORAGESLOT","features":[21]},{"name":"NTMS_STORAGESLOTINFORMATION","features":[21]},{"name":"NTMS_UIDEST_ADD","features":[21]},{"name":"NTMS_UIDEST_DELETE","features":[21]},{"name":"NTMS_UIDEST_DELETEALL","features":[21]},{"name":"NTMS_UIOPERATION_MAX","features":[21]},{"name":"NTMS_UITYPE_ERR","features":[21]},{"name":"NTMS_UITYPE_INFO","features":[21]},{"name":"NTMS_UITYPE_INVALID","features":[21]},{"name":"NTMS_UITYPE_MAX","features":[21]},{"name":"NTMS_UITYPE_REQ","features":[21]},{"name":"NTMS_UI_DESTINATION","features":[21]},{"name":"NTMS_UNKNOWN","features":[21]},{"name":"NTMS_UNKNOWN_DRIVE","features":[21]},{"name":"NTMS_USERNAME_LENGTH","features":[21]},{"name":"NTMS_USE_ACCESS","features":[21]},{"name":"NTMS_VENDORNAME_LENGTH","features":[21]},{"name":"NetConnectionEnum","features":[21]},{"name":"NetFileClose","features":[21]},{"name":"NetFileEnum","features":[21]},{"name":"NetFileGetInfo","features":[21]},{"name":"NetServerAliasAdd","features":[21]},{"name":"NetServerAliasDel","features":[21]},{"name":"NetServerAliasEnum","features":[21]},{"name":"NetSessionDel","features":[21]},{"name":"NetSessionEnum","features":[21]},{"name":"NetSessionGetInfo","features":[21]},{"name":"NetShareAdd","features":[21]},{"name":"NetShareCheck","features":[21]},{"name":"NetShareDel","features":[21]},{"name":"NetShareDelEx","features":[21]},{"name":"NetShareDelSticky","features":[21]},{"name":"NetShareEnum","features":[21]},{"name":"NetShareEnumSticky","features":[21]},{"name":"NetShareGetInfo","features":[21]},{"name":"NetShareSetInfo","features":[21]},{"name":"NetStatisticsGet","features":[21]},{"name":"NtmsAccessMask","features":[21]},{"name":"NtmsAllocateOptions","features":[21]},{"name":"NtmsAllocationPolicy","features":[21]},{"name":"NtmsAsyncOperations","features":[21]},{"name":"NtmsAsyncStatus","features":[21]},{"name":"NtmsBarCodeState","features":[21]},{"name":"NtmsCreateNtmsMediaOptions","features":[21]},{"name":"NtmsCreateOptions","features":[21]},{"name":"NtmsDeallocationPolicy","features":[21]},{"name":"NtmsDismountOptions","features":[21]},{"name":"NtmsDoorState","features":[21]},{"name":"NtmsDriveState","features":[21]},{"name":"NtmsDriveType","features":[21]},{"name":"NtmsEjectOperation","features":[21]},{"name":"NtmsEnumerateOption","features":[21]},{"name":"NtmsInjectOperation","features":[21]},{"name":"NtmsInventoryMethod","features":[21]},{"name":"NtmsLibRequestFlags","features":[21]},{"name":"NtmsLibraryFlags","features":[21]},{"name":"NtmsLibraryType","features":[21]},{"name":"NtmsLmOperation","features":[21]},{"name":"NtmsLmState","features":[21]},{"name":"NtmsMediaPoolPolicy","features":[21]},{"name":"NtmsMediaState","features":[21]},{"name":"NtmsMountOptions","features":[21]},{"name":"NtmsMountPriority","features":[21]},{"name":"NtmsNotificationOperations","features":[21]},{"name":"NtmsObjectsTypes","features":[21]},{"name":"NtmsOpRequestFlags","features":[21]},{"name":"NtmsOperationalState","features":[21]},{"name":"NtmsOpreqCommand","features":[21]},{"name":"NtmsOpreqState","features":[21]},{"name":"NtmsPartitionState","features":[21]},{"name":"NtmsPoolType","features":[21]},{"name":"NtmsPortContent","features":[21]},{"name":"NtmsPortPosition","features":[21]},{"name":"NtmsReadWriteCharacteristics","features":[21]},{"name":"NtmsSessionOptions","features":[21]},{"name":"NtmsSlotState","features":[21]},{"name":"NtmsUIOperations","features":[21]},{"name":"NtmsUITypes","features":[21]},{"name":"OFSTRUCT","features":[21]},{"name":"OF_CANCEL","features":[21]},{"name":"OF_CREATE","features":[21]},{"name":"OF_DELETE","features":[21]},{"name":"OF_EXIST","features":[21]},{"name":"OF_PARSE","features":[21]},{"name":"OF_PROMPT","features":[21]},{"name":"OF_READ","features":[21]},{"name":"OF_READWRITE","features":[21]},{"name":"OF_REOPEN","features":[21]},{"name":"OF_SHARE_COMPAT","features":[21]},{"name":"OF_SHARE_DENY_NONE","features":[21]},{"name":"OF_SHARE_DENY_READ","features":[21]},{"name":"OF_SHARE_DENY_WRITE","features":[21]},{"name":"OF_SHARE_EXCLUSIVE","features":[21]},{"name":"OF_VERIFY","features":[21]},{"name":"OF_WRITE","features":[21]},{"name":"OPEN_ALWAYS","features":[21]},{"name":"OPEN_EXISTING","features":[21]},{"name":"ObjectIdType","features":[21]},{"name":"OpenEncryptedFileRawA","features":[21]},{"name":"OpenEncryptedFileRawW","features":[21]},{"name":"OpenEnlistment","features":[1,21]},{"name":"OpenFile","features":[21]},{"name":"OpenFileById","features":[1,4,21]},{"name":"OpenResourceManager","features":[1,21]},{"name":"OpenTransaction","features":[1,21]},{"name":"OpenTransactionManager","features":[1,21]},{"name":"OpenTransactionManagerById","features":[1,21]},{"name":"PARTITION_BASIC_DATA_GUID","features":[21]},{"name":"PARTITION_BSP_GUID","features":[21]},{"name":"PARTITION_CLUSTER_GUID","features":[21]},{"name":"PARTITION_DPP_GUID","features":[21]},{"name":"PARTITION_ENTRY_UNUSED_GUID","features":[21]},{"name":"PARTITION_LDM_DATA_GUID","features":[21]},{"name":"PARTITION_LDM_METADATA_GUID","features":[21]},{"name":"PARTITION_LEGACY_BL_GUID","features":[21]},{"name":"PARTITION_LEGACY_BL_GUID_BACKUP","features":[21]},{"name":"PARTITION_MAIN_OS_GUID","features":[21]},{"name":"PARTITION_MSFT_RECOVERY_GUID","features":[21]},{"name":"PARTITION_MSFT_RESERVED_GUID","features":[21]},{"name":"PARTITION_MSFT_SNAPSHOT_GUID","features":[21]},{"name":"PARTITION_OS_DATA_GUID","features":[21]},{"name":"PARTITION_PATCH_GUID","features":[21]},{"name":"PARTITION_PRE_INSTALLED_GUID","features":[21]},{"name":"PARTITION_SBL_CACHE_HDD_GUID","features":[21]},{"name":"PARTITION_SBL_CACHE_SSD_GUID","features":[21]},{"name":"PARTITION_SBL_CACHE_SSD_RESERVED_GUID","features":[21]},{"name":"PARTITION_SERVICING_FILES_GUID","features":[21]},{"name":"PARTITION_SERVICING_METADATA_GUID","features":[21]},{"name":"PARTITION_SERVICING_RESERVE_GUID","features":[21]},{"name":"PARTITION_SERVICING_STAGING_ROOT_GUID","features":[21]},{"name":"PARTITION_SPACES_DATA_GUID","features":[21]},{"name":"PARTITION_SPACES_GUID","features":[21]},{"name":"PARTITION_SYSTEM_GUID","features":[21]},{"name":"PARTITION_WINDOWS_SYSTEM_GUID","features":[21]},{"name":"PCLFS_COMPLETION_ROUTINE","features":[21]},{"name":"PCOPYFILE2_PROGRESS_ROUTINE","features":[1,21]},{"name":"PERM_FILE_CREATE","features":[21]},{"name":"PERM_FILE_READ","features":[21]},{"name":"PERM_FILE_WRITE","features":[21]},{"name":"PFE_EXPORT_FUNC","features":[21]},{"name":"PFE_IMPORT_FUNC","features":[21]},{"name":"PFN_IO_COMPLETION","features":[1,21]},{"name":"PIPE_ACCESS_DUPLEX","features":[21]},{"name":"PIPE_ACCESS_INBOUND","features":[21]},{"name":"PIPE_ACCESS_OUTBOUND","features":[21]},{"name":"PLOG_FULL_HANDLER_CALLBACK","features":[1,21]},{"name":"PLOG_TAIL_ADVANCE_CALLBACK","features":[1,21]},{"name":"PLOG_UNPINNED_CALLBACK","features":[1,21]},{"name":"PREPARE_TAPE_OPERATION","features":[21]},{"name":"PRIORITY_HINT","features":[21]},{"name":"PopIoRingCompletion","features":[21]},{"name":"PrePrepareComplete","features":[1,21]},{"name":"PrePrepareEnlistment","features":[1,21]},{"name":"PrepareComplete","features":[1,21]},{"name":"PrepareEnlistment","features":[1,21]},{"name":"PrepareLogArchive","features":[1,21]},{"name":"PrepareTape","features":[1,21]},{"name":"QUIC","features":[21]},{"name":"QueryDosDeviceA","features":[21]},{"name":"QueryDosDeviceW","features":[21]},{"name":"QueryIoRingCapabilities","features":[21]},{"name":"QueryLogPolicy","features":[1,21]},{"name":"QueryRecoveryAgentsOnEncryptedFile","features":[4,21]},{"name":"QueryUsersOnEncryptedFile","features":[4,21]},{"name":"READ_CONTROL","features":[21]},{"name":"READ_DIRECTORY_NOTIFY_INFORMATION_CLASS","features":[21]},{"name":"REPARSE_GUID_DATA_BUFFER","features":[21]},{"name":"REPLACEFILE_IGNORE_ACL_ERRORS","features":[21]},{"name":"REPLACEFILE_IGNORE_MERGE_ERRORS","features":[21]},{"name":"REPLACEFILE_WRITE_THROUGH","features":[21]},{"name":"REPLACE_FILE_FLAGS","features":[21]},{"name":"RESOURCE_MANAGER_COMMUNICATION","features":[21]},{"name":"RESOURCE_MANAGER_MAXIMUM_OPTION","features":[21]},{"name":"RESOURCE_MANAGER_OBJECT_PATH","features":[21]},{"name":"RESOURCE_MANAGER_VOLATILE","features":[21]},{"name":"ReOpenFile","features":[1,21]},{"name":"ReadDirectoryChangesExW","features":[1,21,6]},{"name":"ReadDirectoryChangesW","features":[1,21,6]},{"name":"ReadDirectoryNotifyExtendedInformation","features":[21]},{"name":"ReadDirectoryNotifyFullInformation","features":[21]},{"name":"ReadDirectoryNotifyInformation","features":[21]},{"name":"ReadDirectoryNotifyMaximumInformation","features":[21]},{"name":"ReadEncryptedFileRaw","features":[21]},{"name":"ReadFile","features":[1,21,6]},{"name":"ReadFileEx","features":[1,21,6]},{"name":"ReadFileScatter","features":[1,21,6]},{"name":"ReadLogArchiveMetadata","features":[1,21]},{"name":"ReadLogNotification","features":[1,21,6]},{"name":"ReadLogRecord","features":[1,21,6]},{"name":"ReadLogRestartArea","features":[1,21,6]},{"name":"ReadNextLogRecord","features":[1,21,6]},{"name":"ReadOnlyEnlistment","features":[1,21]},{"name":"ReadPreviousLogRestartArea","features":[1,21,6]},{"name":"RecoverEnlistment","features":[1,21]},{"name":"RecoverResourceManager","features":[1,21]},{"name":"RecoverTransactionManager","features":[1,21]},{"name":"RegisterForLogWriteNotification","features":[1,21]},{"name":"RegisterManageableLogClient","features":[1,21]},{"name":"RemoveDirectoryA","features":[1,21]},{"name":"RemoveDirectoryFromAppW","features":[1,21]},{"name":"RemoveDirectoryTransactedA","features":[1,21]},{"name":"RemoveDirectoryTransactedW","features":[1,21]},{"name":"RemoveDirectoryW","features":[1,21]},{"name":"RemoveLogContainer","features":[1,21]},{"name":"RemoveLogContainerSet","features":[1,21]},{"name":"RemoveLogPolicy","features":[1,21]},{"name":"RemoveUsersFromEncryptedFile","features":[4,21]},{"name":"RenameTransactionManager","features":[1,21]},{"name":"ReplaceFileA","features":[1,21]},{"name":"ReplaceFileFromAppW","features":[1,21]},{"name":"ReplaceFileW","features":[1,21]},{"name":"ReserveAndAppendLog","features":[1,21,6]},{"name":"ReserveAndAppendLogAligned","features":[1,21,6]},{"name":"RollbackComplete","features":[1,21]},{"name":"RollbackEnlistment","features":[1,21]},{"name":"RollbackTransaction","features":[1,21]},{"name":"RollbackTransactionAsync","features":[1,21]},{"name":"RollforwardTransactionManager","features":[1,21]},{"name":"SECURITY_ANONYMOUS","features":[21]},{"name":"SECURITY_CONTEXT_TRACKING","features":[21]},{"name":"SECURITY_DELEGATION","features":[21]},{"name":"SECURITY_EFFECTIVE_ONLY","features":[21]},{"name":"SECURITY_IDENTIFICATION","features":[21]},{"name":"SECURITY_IMPERSONATION","features":[21]},{"name":"SECURITY_SQOS_PRESENT","features":[21]},{"name":"SECURITY_VALID_SQOS_FLAGS","features":[21]},{"name":"SERVER_ALIAS_INFO_0","features":[1,21]},{"name":"SERVER_CERTIFICATE_INFO_0","features":[21]},{"name":"SERVER_CERTIFICATE_TYPE","features":[21]},{"name":"SESI1_NUM_ELEMENTS","features":[21]},{"name":"SESI2_NUM_ELEMENTS","features":[21]},{"name":"SESSION_INFO_0","features":[21]},{"name":"SESSION_INFO_1","features":[21]},{"name":"SESSION_INFO_10","features":[21]},{"name":"SESSION_INFO_2","features":[21]},{"name":"SESSION_INFO_502","features":[21]},{"name":"SESSION_INFO_USER_FLAGS","features":[21]},{"name":"SESS_GUEST","features":[21]},{"name":"SESS_NOENCRYPTION","features":[21]},{"name":"SET_FILE_POINTER_MOVE_METHOD","features":[21]},{"name":"SET_TAPE_DRIVE_INFORMATION","features":[21]},{"name":"SET_TAPE_MEDIA_INFORMATION","features":[21]},{"name":"SHARE_CURRENT_USES_PARMNUM","features":[21]},{"name":"SHARE_FILE_SD_PARMNUM","features":[21]},{"name":"SHARE_INFO_0","features":[21]},{"name":"SHARE_INFO_1","features":[21]},{"name":"SHARE_INFO_1004","features":[21]},{"name":"SHARE_INFO_1005","features":[21]},{"name":"SHARE_INFO_1006","features":[21]},{"name":"SHARE_INFO_1501","features":[4,21]},{"name":"SHARE_INFO_1503","features":[21]},{"name":"SHARE_INFO_2","features":[21]},{"name":"SHARE_INFO_501","features":[21]},{"name":"SHARE_INFO_502","features":[4,21]},{"name":"SHARE_INFO_503","features":[4,21]},{"name":"SHARE_INFO_PERMISSIONS","features":[21]},{"name":"SHARE_MAX_USES_PARMNUM","features":[21]},{"name":"SHARE_NETNAME_PARMNUM","features":[21]},{"name":"SHARE_PASSWD_PARMNUM","features":[21]},{"name":"SHARE_PATH_PARMNUM","features":[21]},{"name":"SHARE_PERMISSIONS_PARMNUM","features":[21]},{"name":"SHARE_QOS_POLICY_PARMNUM","features":[21]},{"name":"SHARE_REMARK_PARMNUM","features":[21]},{"name":"SHARE_SERVER_PARMNUM","features":[21]},{"name":"SHARE_TYPE","features":[21]},{"name":"SHARE_TYPE_PARMNUM","features":[21]},{"name":"SHI1005_FLAGS_ACCESS_BASED_DIRECTORY_ENUM","features":[21]},{"name":"SHI1005_FLAGS_ALLOW_NAMESPACE_CACHING","features":[21]},{"name":"SHI1005_FLAGS_CLUSTER_MANAGED","features":[21]},{"name":"SHI1005_FLAGS_COMPRESS_DATA","features":[21]},{"name":"SHI1005_FLAGS_DFS","features":[21]},{"name":"SHI1005_FLAGS_DFS_ROOT","features":[21]},{"name":"SHI1005_FLAGS_DISABLE_CLIENT_BUFFERING","features":[21]},{"name":"SHI1005_FLAGS_DISABLE_DIRECTORY_HANDLE_LEASING","features":[21]},{"name":"SHI1005_FLAGS_ENABLE_CA","features":[21]},{"name":"SHI1005_FLAGS_ENABLE_HASH","features":[21]},{"name":"SHI1005_FLAGS_ENCRYPT_DATA","features":[21]},{"name":"SHI1005_FLAGS_FORCE_LEVELII_OPLOCK","features":[21]},{"name":"SHI1005_FLAGS_FORCE_SHARED_DELETE","features":[21]},{"name":"SHI1005_FLAGS_IDENTITY_REMOTING","features":[21]},{"name":"SHI1005_FLAGS_ISOLATED_TRANSPORT","features":[21]},{"name":"SHI1005_FLAGS_RESERVED","features":[21]},{"name":"SHI1005_FLAGS_RESTRICT_EXCLUSIVE_OPENS","features":[21]},{"name":"SHI1_NUM_ELEMENTS","features":[21]},{"name":"SHI2_NUM_ELEMENTS","features":[21]},{"name":"SHI_USES_UNLIMITED","features":[21]},{"name":"SPECIFIC_RIGHTS_ALL","features":[21]},{"name":"STANDARD_RIGHTS_ALL","features":[21]},{"name":"STANDARD_RIGHTS_EXECUTE","features":[21]},{"name":"STANDARD_RIGHTS_READ","features":[21]},{"name":"STANDARD_RIGHTS_REQUIRED","features":[21]},{"name":"STANDARD_RIGHTS_WRITE","features":[21]},{"name":"STATSOPT_CLR","features":[21]},{"name":"STAT_SERVER_0","features":[21]},{"name":"STAT_WORKSTATION_0","features":[21]},{"name":"STORAGE_BUS_TYPE","features":[21]},{"name":"STREAM_INFO_LEVELS","features":[21]},{"name":"STYPE_DEVICE","features":[21]},{"name":"STYPE_DISKTREE","features":[21]},{"name":"STYPE_IPC","features":[21]},{"name":"STYPE_MASK","features":[21]},{"name":"STYPE_PRINTQ","features":[21]},{"name":"STYPE_RESERVED1","features":[21]},{"name":"STYPE_RESERVED2","features":[21]},{"name":"STYPE_RESERVED3","features":[21]},{"name":"STYPE_RESERVED4","features":[21]},{"name":"STYPE_RESERVED5","features":[21]},{"name":"STYPE_RESERVED_ALL","features":[21]},{"name":"STYPE_SPECIAL","features":[21]},{"name":"STYPE_TEMPORARY","features":[21]},{"name":"SYMBOLIC_LINK_FLAGS","features":[21]},{"name":"SYMBOLIC_LINK_FLAG_ALLOW_UNPRIVILEGED_CREATE","features":[21]},{"name":"SYMBOLIC_LINK_FLAG_DIRECTORY","features":[21]},{"name":"SYNCHRONIZE","features":[21]},{"name":"ScanLogContainers","features":[1,21]},{"name":"SearchPathA","features":[21]},{"name":"SearchPathW","features":[21]},{"name":"SetEncryptedFileMetadata","features":[4,21]},{"name":"SetEndOfFile","features":[1,21]},{"name":"SetEndOfLog","features":[1,21,6]},{"name":"SetEnlistmentRecoveryInformation","features":[1,21]},{"name":"SetFileApisToANSI","features":[21]},{"name":"SetFileApisToOEM","features":[21]},{"name":"SetFileAttributesA","features":[1,21]},{"name":"SetFileAttributesFromAppW","features":[1,21]},{"name":"SetFileAttributesTransactedA","features":[1,21]},{"name":"SetFileAttributesTransactedW","features":[1,21]},{"name":"SetFileAttributesW","features":[1,21]},{"name":"SetFileBandwidthReservation","features":[1,21]},{"name":"SetFileCompletionNotificationModes","features":[1,21]},{"name":"SetFileInformationByHandle","features":[1,21]},{"name":"SetFileIoOverlappedRange","features":[1,21]},{"name":"SetFilePointer","features":[1,21]},{"name":"SetFilePointerEx","features":[1,21]},{"name":"SetFileShortNameA","features":[1,21]},{"name":"SetFileShortNameW","features":[1,21]},{"name":"SetFileTime","features":[1,21]},{"name":"SetFileValidData","features":[1,21]},{"name":"SetIoRingCompletionEvent","features":[1,21]},{"name":"SetLogArchiveMode","features":[1,21]},{"name":"SetLogArchiveTail","features":[1,21]},{"name":"SetLogFileSizeWithPolicy","features":[1,21]},{"name":"SetResourceManagerCompletionPort","features":[1,21]},{"name":"SetSearchPathMode","features":[1,21]},{"name":"SetTapeParameters","features":[1,21]},{"name":"SetTapePosition","features":[1,21]},{"name":"SetTransactionInformation","features":[1,21]},{"name":"SetUserFileEncryptionKey","features":[4,21]},{"name":"SetUserFileEncryptionKeyEx","features":[4,21]},{"name":"SetVolumeLabelA","features":[1,21]},{"name":"SetVolumeLabelW","features":[1,21]},{"name":"SetVolumeMountPointA","features":[1,21]},{"name":"SetVolumeMountPointW","features":[1,21]},{"name":"SinglePhaseReject","features":[1,21]},{"name":"SubmitIoRing","features":[21]},{"name":"TAPEMARK_TYPE","features":[21]},{"name":"TAPE_ABSOLUTE_BLOCK","features":[21]},{"name":"TAPE_ABSOLUTE_POSITION","features":[21]},{"name":"TAPE_ERASE","features":[1,21]},{"name":"TAPE_ERASE_LONG","features":[21]},{"name":"TAPE_ERASE_SHORT","features":[21]},{"name":"TAPE_FILEMARKS","features":[21]},{"name":"TAPE_FIXED_PARTITIONS","features":[21]},{"name":"TAPE_FORMAT","features":[21]},{"name":"TAPE_GET_POSITION","features":[21]},{"name":"TAPE_INFORMATION_TYPE","features":[21]},{"name":"TAPE_INITIATOR_PARTITIONS","features":[21]},{"name":"TAPE_LOAD","features":[21]},{"name":"TAPE_LOCK","features":[21]},{"name":"TAPE_LOGICAL_BLOCK","features":[21]},{"name":"TAPE_LOGICAL_POSITION","features":[21]},{"name":"TAPE_LONG_FILEMARKS","features":[21]},{"name":"TAPE_POSITION_METHOD","features":[21]},{"name":"TAPE_POSITION_TYPE","features":[21]},{"name":"TAPE_PREPARE","features":[1,21]},{"name":"TAPE_REWIND","features":[21]},{"name":"TAPE_SELECT_PARTITIONS","features":[21]},{"name":"TAPE_SETMARKS","features":[21]},{"name":"TAPE_SET_POSITION","features":[1,21]},{"name":"TAPE_SHORT_FILEMARKS","features":[21]},{"name":"TAPE_SPACE_END_OF_DATA","features":[21]},{"name":"TAPE_SPACE_FILEMARKS","features":[21]},{"name":"TAPE_SPACE_RELATIVE_BLOCKS","features":[21]},{"name":"TAPE_SPACE_SEQUENTIAL_FMKS","features":[21]},{"name":"TAPE_SPACE_SEQUENTIAL_SMKS","features":[21]},{"name":"TAPE_SPACE_SETMARKS","features":[21]},{"name":"TAPE_TENSION","features":[21]},{"name":"TAPE_UNLOAD","features":[21]},{"name":"TAPE_UNLOCK","features":[21]},{"name":"TAPE_WRITE_MARKS","features":[1,21]},{"name":"TRANSACTIONMANAGER_OBJECT_PATH","features":[21]},{"name":"TRANSACTION_DO_NOT_PROMOTE","features":[21]},{"name":"TRANSACTION_MANAGER_COMMIT_DEFAULT","features":[21]},{"name":"TRANSACTION_MANAGER_COMMIT_LOWEST","features":[21]},{"name":"TRANSACTION_MANAGER_COMMIT_SYSTEM_HIVES","features":[21]},{"name":"TRANSACTION_MANAGER_COMMIT_SYSTEM_VOLUME","features":[21]},{"name":"TRANSACTION_MANAGER_CORRUPT_FOR_PROGRESS","features":[21]},{"name":"TRANSACTION_MANAGER_CORRUPT_FOR_RECOVERY","features":[21]},{"name":"TRANSACTION_MANAGER_MAXIMUM_OPTION","features":[21]},{"name":"TRANSACTION_MANAGER_VOLATILE","features":[21]},{"name":"TRANSACTION_MAXIMUM_OPTION","features":[21]},{"name":"TRANSACTION_NOTIFICATION","features":[21]},{"name":"TRANSACTION_NOTIFICATION_MARSHAL_ARGUMENT","features":[21]},{"name":"TRANSACTION_NOTIFICATION_PROPAGATE_ARGUMENT","features":[21]},{"name":"TRANSACTION_NOTIFICATION_RECOVERY_ARGUMENT","features":[21]},{"name":"TRANSACTION_NOTIFICATION_SAVEPOINT_ARGUMENT","features":[21]},{"name":"TRANSACTION_NOTIFICATION_TM_ONLINE_ARGUMENT","features":[21]},{"name":"TRANSACTION_NOTIFICATION_TM_ONLINE_FLAG_IS_CLUSTERED","features":[21]},{"name":"TRANSACTION_NOTIFY_COMMIT","features":[21]},{"name":"TRANSACTION_NOTIFY_COMMIT_COMPLETE","features":[21]},{"name":"TRANSACTION_NOTIFY_COMMIT_FINALIZE","features":[21]},{"name":"TRANSACTION_NOTIFY_COMMIT_REQUEST","features":[21]},{"name":"TRANSACTION_NOTIFY_DELEGATE_COMMIT","features":[21]},{"name":"TRANSACTION_NOTIFY_ENLIST_MASK","features":[21]},{"name":"TRANSACTION_NOTIFY_ENLIST_PREPREPARE","features":[21]},{"name":"TRANSACTION_NOTIFY_INDOUBT","features":[21]},{"name":"TRANSACTION_NOTIFY_LAST_RECOVER","features":[21]},{"name":"TRANSACTION_NOTIFY_MARSHAL","features":[21]},{"name":"TRANSACTION_NOTIFY_MASK","features":[21]},{"name":"TRANSACTION_NOTIFY_PREPARE","features":[21]},{"name":"TRANSACTION_NOTIFY_PREPARE_COMPLETE","features":[21]},{"name":"TRANSACTION_NOTIFY_PREPREPARE","features":[21]},{"name":"TRANSACTION_NOTIFY_PREPREPARE_COMPLETE","features":[21]},{"name":"TRANSACTION_NOTIFY_PROMOTE","features":[21]},{"name":"TRANSACTION_NOTIFY_PROMOTE_NEW","features":[21]},{"name":"TRANSACTION_NOTIFY_PROPAGATE_PULL","features":[21]},{"name":"TRANSACTION_NOTIFY_PROPAGATE_PUSH","features":[21]},{"name":"TRANSACTION_NOTIFY_RECOVER","features":[21]},{"name":"TRANSACTION_NOTIFY_RECOVER_QUERY","features":[21]},{"name":"TRANSACTION_NOTIFY_REQUEST_OUTCOME","features":[21]},{"name":"TRANSACTION_NOTIFY_RM_DISCONNECTED","features":[21]},{"name":"TRANSACTION_NOTIFY_ROLLBACK","features":[21]},{"name":"TRANSACTION_NOTIFY_ROLLBACK_COMPLETE","features":[21]},{"name":"TRANSACTION_NOTIFY_SINGLE_PHASE_COMMIT","features":[21]},{"name":"TRANSACTION_NOTIFY_TM_ONLINE","features":[21]},{"name":"TRANSACTION_OBJECT_PATH","features":[21]},{"name":"TRANSACTION_OUTCOME","features":[21]},{"name":"TRUNCATE_EXISTING","features":[21]},{"name":"TXFS_MINIVERSION","features":[21]},{"name":"TXFS_MINIVERSION_COMMITTED_VIEW","features":[21]},{"name":"TXFS_MINIVERSION_DEFAULT_VIEW","features":[21]},{"name":"TXFS_MINIVERSION_DIRTY_VIEW","features":[21]},{"name":"TXF_ID","features":[21]},{"name":"TXF_LOG_RECORD_AFFECTED_FILE","features":[21]},{"name":"TXF_LOG_RECORD_BASE","features":[21]},{"name":"TXF_LOG_RECORD_GENERIC_TYPE_ABORT","features":[21]},{"name":"TXF_LOG_RECORD_GENERIC_TYPE_COMMIT","features":[21]},{"name":"TXF_LOG_RECORD_GENERIC_TYPE_DATA","features":[21]},{"name":"TXF_LOG_RECORD_GENERIC_TYPE_PREPARE","features":[21]},{"name":"TXF_LOG_RECORD_TRUNCATE","features":[21]},{"name":"TXF_LOG_RECORD_TYPE","features":[21]},{"name":"TXF_LOG_RECORD_TYPE_AFFECTED_FILE","features":[21]},{"name":"TXF_LOG_RECORD_TYPE_TRUNCATE","features":[21]},{"name":"TXF_LOG_RECORD_TYPE_WRITE","features":[21]},{"name":"TXF_LOG_RECORD_WRITE","features":[21]},{"name":"TerminateLogArchive","features":[1,21]},{"name":"TerminateReadLog","features":[1,21]},{"name":"TransactionOutcomeAborted","features":[21]},{"name":"TransactionOutcomeCommitted","features":[21]},{"name":"TransactionOutcomeUndetermined","features":[21]},{"name":"TruncateLog","features":[1,21,6]},{"name":"TxfGetThreadMiniVersionForCreate","features":[21]},{"name":"TxfLogCreateFileReadContext","features":[1,21]},{"name":"TxfLogCreateRangeReadContext","features":[1,21]},{"name":"TxfLogDestroyReadContext","features":[1,21]},{"name":"TxfLogReadRecords","features":[1,21]},{"name":"TxfLogRecordGetFileName","features":[1,21]},{"name":"TxfLogRecordGetGenericType","features":[1,21]},{"name":"TxfReadMetadataInfo","features":[1,21]},{"name":"TxfSetThreadMiniVersionForCreate","features":[21]},{"name":"UnlockFile","features":[1,21]},{"name":"UnlockFileEx","features":[1,21,6]},{"name":"VER_FIND_FILE_FLAGS","features":[21]},{"name":"VER_FIND_FILE_STATUS","features":[21]},{"name":"VER_INSTALL_FILE_FLAGS","features":[21]},{"name":"VER_INSTALL_FILE_STATUS","features":[21]},{"name":"VFFF_ISSHAREDFILE","features":[21]},{"name":"VFF_BUFFTOOSMALL","features":[21]},{"name":"VFF_CURNEDEST","features":[21]},{"name":"VFF_FILEINUSE","features":[21]},{"name":"VFT2_DRV_COMM","features":[21]},{"name":"VFT2_DRV_DISPLAY","features":[21]},{"name":"VFT2_DRV_INPUTMETHOD","features":[21]},{"name":"VFT2_DRV_INSTALLABLE","features":[21]},{"name":"VFT2_DRV_KEYBOARD","features":[21]},{"name":"VFT2_DRV_LANGUAGE","features":[21]},{"name":"VFT2_DRV_MOUSE","features":[21]},{"name":"VFT2_DRV_NETWORK","features":[21]},{"name":"VFT2_DRV_PRINTER","features":[21]},{"name":"VFT2_DRV_SOUND","features":[21]},{"name":"VFT2_DRV_SYSTEM","features":[21]},{"name":"VFT2_DRV_VERSIONED_PRINTER","features":[21]},{"name":"VFT2_FONT_RASTER","features":[21]},{"name":"VFT2_FONT_TRUETYPE","features":[21]},{"name":"VFT2_FONT_VECTOR","features":[21]},{"name":"VFT2_UNKNOWN","features":[21]},{"name":"VFT_APP","features":[21]},{"name":"VFT_DLL","features":[21]},{"name":"VFT_DRV","features":[21]},{"name":"VFT_FONT","features":[21]},{"name":"VFT_STATIC_LIB","features":[21]},{"name":"VFT_UNKNOWN","features":[21]},{"name":"VFT_VXD","features":[21]},{"name":"VIFF_DONTDELETEOLD","features":[21]},{"name":"VIFF_FORCEINSTALL","features":[21]},{"name":"VIF_ACCESSVIOLATION","features":[21]},{"name":"VIF_BUFFTOOSMALL","features":[21]},{"name":"VIF_CANNOTCREATE","features":[21]},{"name":"VIF_CANNOTDELETE","features":[21]},{"name":"VIF_CANNOTDELETECUR","features":[21]},{"name":"VIF_CANNOTLOADCABINET","features":[21]},{"name":"VIF_CANNOTLOADLZ32","features":[21]},{"name":"VIF_CANNOTREADDST","features":[21]},{"name":"VIF_CANNOTREADSRC","features":[21]},{"name":"VIF_CANNOTRENAME","features":[21]},{"name":"VIF_DIFFCODEPG","features":[21]},{"name":"VIF_DIFFLANG","features":[21]},{"name":"VIF_DIFFTYPE","features":[21]},{"name":"VIF_FILEINUSE","features":[21]},{"name":"VIF_MISMATCH","features":[21]},{"name":"VIF_OUTOFMEMORY","features":[21]},{"name":"VIF_OUTOFSPACE","features":[21]},{"name":"VIF_SHARINGVIOLATION","features":[21]},{"name":"VIF_SRCOLD","features":[21]},{"name":"VIF_TEMPFILE","features":[21]},{"name":"VIF_WRITEPROT","features":[21]},{"name":"VOLUME_ALLOCATE_BC_STREAM_INPUT","features":[1,21]},{"name":"VOLUME_ALLOCATE_BC_STREAM_OUTPUT","features":[21]},{"name":"VOLUME_ALLOCATION_HINT_INPUT","features":[21]},{"name":"VOLUME_ALLOCATION_HINT_OUTPUT","features":[21]},{"name":"VOLUME_CRITICAL_IO","features":[21]},{"name":"VOLUME_FAILOVER_SET","features":[21]},{"name":"VOLUME_GET_BC_PROPERTIES_INPUT","features":[21]},{"name":"VOLUME_GET_BC_PROPERTIES_OUTPUT","features":[21]},{"name":"VOLUME_LOGICAL_OFFSET","features":[21]},{"name":"VOLUME_NAME_DOS","features":[21]},{"name":"VOLUME_NAME_GUID","features":[21]},{"name":"VOLUME_NAME_NONE","features":[21]},{"name":"VOLUME_NAME_NT","features":[21]},{"name":"VOLUME_NUMBER","features":[21]},{"name":"VOLUME_PHYSICAL_OFFSET","features":[21]},{"name":"VOLUME_PHYSICAL_OFFSETS","features":[21]},{"name":"VOLUME_READ_PLEX_INPUT","features":[21]},{"name":"VOLUME_SET_GPT_ATTRIBUTES_INFORMATION","features":[1,21]},{"name":"VOLUME_SHRINK_INFO","features":[21]},{"name":"VOS_DOS","features":[21]},{"name":"VOS_DOS_WINDOWS16","features":[21]},{"name":"VOS_DOS_WINDOWS32","features":[21]},{"name":"VOS_NT","features":[21]},{"name":"VOS_NT_WINDOWS32","features":[21]},{"name":"VOS_OS216","features":[21]},{"name":"VOS_OS216_PM16","features":[21]},{"name":"VOS_OS232","features":[21]},{"name":"VOS_OS232_PM32","features":[21]},{"name":"VOS_UNKNOWN","features":[21]},{"name":"VOS_WINCE","features":[21]},{"name":"VOS__BASE","features":[21]},{"name":"VOS__PM16","features":[21]},{"name":"VOS__PM32","features":[21]},{"name":"VOS__WINDOWS16","features":[21]},{"name":"VOS__WINDOWS32","features":[21]},{"name":"VS_FFI_FILEFLAGSMASK","features":[21]},{"name":"VS_FFI_SIGNATURE","features":[21]},{"name":"VS_FFI_STRUCVERSION","features":[21]},{"name":"VS_FF_DEBUG","features":[21]},{"name":"VS_FF_INFOINFERRED","features":[21]},{"name":"VS_FF_PATCHED","features":[21]},{"name":"VS_FF_PRERELEASE","features":[21]},{"name":"VS_FF_PRIVATEBUILD","features":[21]},{"name":"VS_FF_SPECIALBUILD","features":[21]},{"name":"VS_FIXEDFILEINFO","features":[21]},{"name":"VS_FIXEDFILEINFO_FILE_FLAGS","features":[21]},{"name":"VS_FIXEDFILEINFO_FILE_OS","features":[21]},{"name":"VS_FIXEDFILEINFO_FILE_SUBTYPE","features":[21]},{"name":"VS_FIXEDFILEINFO_FILE_TYPE","features":[21]},{"name":"VS_USER_DEFINED","features":[21]},{"name":"VS_VERSION_INFO","features":[21]},{"name":"ValidateLog","features":[1,4,21]},{"name":"VerFindFileA","features":[21]},{"name":"VerFindFileW","features":[21]},{"name":"VerInstallFileA","features":[21]},{"name":"VerInstallFileW","features":[21]},{"name":"VerLanguageNameA","features":[21]},{"name":"VerLanguageNameW","features":[21]},{"name":"VerQueryValueA","features":[1,21]},{"name":"VerQueryValueW","features":[1,21]},{"name":"WIM_BOOT_NOT_OS_WIM","features":[21]},{"name":"WIM_BOOT_OS_WIM","features":[21]},{"name":"WIM_ENTRY_FLAG_NOT_ACTIVE","features":[21]},{"name":"WIM_ENTRY_FLAG_SUSPENDED","features":[21]},{"name":"WIM_ENTRY_INFO","features":[21]},{"name":"WIM_EXTERNAL_FILE_INFO","features":[21]},{"name":"WIM_EXTERNAL_FILE_INFO_FLAG_NOT_ACTIVE","features":[21]},{"name":"WIM_EXTERNAL_FILE_INFO_FLAG_SUSPENDED","features":[21]},{"name":"WIM_PROVIDER_HASH_SIZE","features":[21]},{"name":"WIN32_FILE_ATTRIBUTE_DATA","features":[1,21]},{"name":"WIN32_FIND_DATAA","features":[1,21]},{"name":"WIN32_FIND_DATAW","features":[1,21]},{"name":"WIN32_FIND_STREAM_DATA","features":[21]},{"name":"WIN32_STREAM_ID","features":[21]},{"name":"WINEFS_SETUSERKEY_SET_CAPABILITIES","features":[21]},{"name":"WIN_STREAM_ID","features":[21]},{"name":"WOF_FILE_COMPRESSION_INFO_V0","features":[21]},{"name":"WOF_FILE_COMPRESSION_INFO_V1","features":[21]},{"name":"WOF_PROVIDER_FILE","features":[21]},{"name":"WOF_PROVIDER_WIM","features":[21]},{"name":"WRITE_DAC","features":[21]},{"name":"WRITE_OWNER","features":[21]},{"name":"WofEnumEntries","features":[1,21]},{"name":"WofEnumEntryProc","features":[1,21]},{"name":"WofEnumFilesProc","features":[1,21]},{"name":"WofFileEnumFiles","features":[1,21]},{"name":"WofGetDriverVersion","features":[1,21]},{"name":"WofIsExternalFile","features":[1,21]},{"name":"WofSetFileDataLocation","features":[1,21]},{"name":"WofShouldCompressBinaries","features":[1,21]},{"name":"WofWimAddEntry","features":[21]},{"name":"WofWimEnumFiles","features":[1,21]},{"name":"WofWimRemoveEntry","features":[21]},{"name":"WofWimSuspendEntry","features":[21]},{"name":"WofWimUpdateEntry","features":[21]},{"name":"Wow64DisableWow64FsRedirection","features":[1,21]},{"name":"Wow64EnableWow64FsRedirection","features":[1,21]},{"name":"Wow64RevertWow64FsRedirection","features":[1,21]},{"name":"WriteEncryptedFileRaw","features":[21]},{"name":"WriteFile","features":[1,21,6]},{"name":"WriteFileEx","features":[1,21,6]},{"name":"WriteFileGather","features":[1,21,6]},{"name":"WriteLogRestartArea","features":[1,21,6]},{"name":"WriteTapemark","features":[1,21]},{"name":"_FT_TYPES_DEFINITION_","features":[21]}],"511":[{"name":"BlockRange","features":[141]},{"name":"BlockRangeList","features":[141]},{"name":"BootOptions","features":[141]},{"name":"CATID_SMTP_DNSRESOLVERRECORDSINK","features":[141]},{"name":"CATID_SMTP_DSN","features":[141]},{"name":"CATID_SMTP_GET_AUX_DOMAIN_INFO_FLAGS","features":[141]},{"name":"CATID_SMTP_LOG","features":[141]},{"name":"CATID_SMTP_MAXMSGSIZE","features":[141]},{"name":"CATID_SMTP_MSGTRACKLOG","features":[141]},{"name":"CATID_SMTP_ON_BEFORE_DATA","features":[141]},{"name":"CATID_SMTP_ON_INBOUND_COMMAND","features":[141]},{"name":"CATID_SMTP_ON_MESSAGE_START","features":[141]},{"name":"CATID_SMTP_ON_PER_RECIPIENT","features":[141]},{"name":"CATID_SMTP_ON_SERVER_RESPONSE","features":[141]},{"name":"CATID_SMTP_ON_SESSION_END","features":[141]},{"name":"CATID_SMTP_ON_SESSION_START","features":[141]},{"name":"CATID_SMTP_STORE_DRIVER","features":[141]},{"name":"CATID_SMTP_TRANSPORT_CATEGORIZE","features":[141]},{"name":"CATID_SMTP_TRANSPORT_POSTCATEGORIZE","features":[141]},{"name":"CATID_SMTP_TRANSPORT_PRECATEGORIZE","features":[141]},{"name":"CATID_SMTP_TRANSPORT_ROUTER","features":[141]},{"name":"CATID_SMTP_TRANSPORT_SUBMISSION","features":[141]},{"name":"CLSID_SmtpCat","features":[141]},{"name":"CloseIMsgSession","features":[141]},{"name":"DDiscFormat2DataEvents","features":[141]},{"name":"DDiscFormat2EraseEvents","features":[141]},{"name":"DDiscFormat2RawCDEvents","features":[141]},{"name":"DDiscFormat2TrackAtOnceEvents","features":[141]},{"name":"DDiscMaster2Events","features":[141]},{"name":"DFileSystemImageEvents","features":[141]},{"name":"DFileSystemImageImportEvents","features":[141]},{"name":"DISC_RECORDER_STATE_FLAGS","features":[141]},{"name":"DISPID_DDISCFORMAT2DATAEVENTS_UPDATE","features":[141]},{"name":"DISPID_DDISCFORMAT2RAWCDEVENTS_UPDATE","features":[141]},{"name":"DISPID_DDISCFORMAT2TAOEVENTS_UPDATE","features":[141]},{"name":"DISPID_DDISCMASTER2EVENTS_DEVICEADDED","features":[141]},{"name":"DISPID_DDISCMASTER2EVENTS_DEVICEREMOVED","features":[141]},{"name":"DISPID_DFILESYSTEMIMAGEEVENTS_UPDATE","features":[141]},{"name":"DISPID_DFILESYSTEMIMAGEIMPORTEVENTS_UPDATEIMPORT","features":[141]},{"name":"DISPID_DWRITEENGINE2EVENTS_UPDATE","features":[141]},{"name":"DISPID_IBLOCKRANGELIST_BLOCKRANGES","features":[141]},{"name":"DISPID_IBLOCKRANGE_ENDLBA","features":[141]},{"name":"DISPID_IBLOCKRANGE_STARTLBA","features":[141]},{"name":"DISPID_IDISCFORMAT2DATAEVENTARGS_CURRENTACTION","features":[141]},{"name":"DISPID_IDISCFORMAT2DATAEVENTARGS_ELAPSEDTIME","features":[141]},{"name":"DISPID_IDISCFORMAT2DATAEVENTARGS_ESTIMATEDREMAININGTIME","features":[141]},{"name":"DISPID_IDISCFORMAT2DATAEVENTARGS_ESTIMATEDTOTALTIME","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_BUFFERUNDERRUNFREEDISABLED","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_CANCELWRITE","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_CLIENTNAME","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_CURRENTMEDIASTATUS","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_CURRENTMEDIATYPE","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_CURRENTROTATIONTYPEISPURECAV","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_CURRENTWRITESPEED","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_DISABLEDVDCOMPATIBILITYMODE","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_FORCEMEDIATOBECLOSED","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_FORCEOVERWRITE","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_FREESECTORS","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_LASTSECTOROFPREVIOUSSESSION","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_MUTLISESSIONINTERFACES","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_NEXTWRITABLEADDRESS","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_POSTGAPALREADYINIMAGE","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_RECORDER","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_REQUESTEDROTATIONTYPEISPURECAV","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_REQUESTEDWRITESPEED","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_SETWRITESPEED","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_STARTSECTOROFPREVIOUSSESSION","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_SUPPORTEDWRITESPEEDDESCRIPTORS","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_SUPPORTEDWRITESPEEDS","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_TOTALSECTORS","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_WRITE","features":[141]},{"name":"DISPID_IDISCFORMAT2DATA_WRITEPROTECTSTATUS","features":[141]},{"name":"DISPID_IDISCFORMAT2ERASEEVENTS_UPDATE","features":[141]},{"name":"DISPID_IDISCFORMAT2ERASE_CLIENTNAME","features":[141]},{"name":"DISPID_IDISCFORMAT2ERASE_ERASEMEDIA","features":[141]},{"name":"DISPID_IDISCFORMAT2ERASE_FULLERASE","features":[141]},{"name":"DISPID_IDISCFORMAT2ERASE_MEDIATYPE","features":[141]},{"name":"DISPID_IDISCFORMAT2ERASE_RECORDER","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCDEVENTARGS_CURRENTACTION","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCDEVENTARGS_CURRENTTRACKNUMBER","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCDEVENTARGS_ELAPSEDTIME","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCDEVENTARGS_ESTIMATEDREMAININGTIME","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCDEVENTARGS_ESTIMATEDTOTALTIME","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCD_BUFFERUNDERRUNFREEDISABLED","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCD_CANCELWRITE","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCD_CLIENTNAME","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCD_CURRENTMEDIATYPE","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCD_CURRENTROTATIONTYPEISPURECAV","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCD_CURRENTWRITESPEED","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCD_LASTPOSSIBLESTARTOFLEADOUT","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCD_PREPAREMEDIA","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCD_RECORDER","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCD_RELEASEMEDIA","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCD_REQUESTEDDATASECTORTYPE","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCD_REQUESTEDROTATIONTYPEISPURECAV","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCD_REQUESTEDWRITESPEED","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCD_SETWRITESPEED","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCD_STARTOFNEXTSESSION","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCD_SUPPORTEDDATASECTORTYPES","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCD_SUPPORTEDWRITESPEEDDESCRIPTORS","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCD_SUPPORTEDWRITESPEEDS","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCD_WRITEMEDIA","features":[141]},{"name":"DISPID_IDISCFORMAT2RAWCD_WRITEMEDIAWITHVALIDATION","features":[141]},{"name":"DISPID_IDISCFORMAT2TAOEVENTARGS_CURRENTACTION","features":[141]},{"name":"DISPID_IDISCFORMAT2TAOEVENTARGS_CURRENTTRACKNUMBER","features":[141]},{"name":"DISPID_IDISCFORMAT2TAOEVENTARGS_ELAPSEDTIME","features":[141]},{"name":"DISPID_IDISCFORMAT2TAOEVENTARGS_ESTIMATEDREMAININGTIME","features":[141]},{"name":"DISPID_IDISCFORMAT2TAOEVENTARGS_ESTIMATEDTOTALTIME","features":[141]},{"name":"DISPID_IDISCFORMAT2TAO_ADDAUDIOTRACK","features":[141]},{"name":"DISPID_IDISCFORMAT2TAO_BUFFERUNDERRUNFREEDISABLED","features":[141]},{"name":"DISPID_IDISCFORMAT2TAO_CANCELADDTRACK","features":[141]},{"name":"DISPID_IDISCFORMAT2TAO_CLIENTNAME","features":[141]},{"name":"DISPID_IDISCFORMAT2TAO_CURRENTMEDIATYPE","features":[141]},{"name":"DISPID_IDISCFORMAT2TAO_CURRENTROTATIONTYPEISPURECAV","features":[141]},{"name":"DISPID_IDISCFORMAT2TAO_CURRENTWRITESPEED","features":[141]},{"name":"DISPID_IDISCFORMAT2TAO_DONOTFINALIZEMEDIA","features":[141]},{"name":"DISPID_IDISCFORMAT2TAO_EXPECTEDTABLEOFCONTENTS","features":[141]},{"name":"DISPID_IDISCFORMAT2TAO_FINISHMEDIA","features":[141]},{"name":"DISPID_IDISCFORMAT2TAO_FREESECTORSONMEDIA","features":[141]},{"name":"DISPID_IDISCFORMAT2TAO_NUMBEROFEXISTINGTRACKS","features":[141]},{"name":"DISPID_IDISCFORMAT2TAO_PREPAREMEDIA","features":[141]},{"name":"DISPID_IDISCFORMAT2TAO_RECORDER","features":[141]},{"name":"DISPID_IDISCFORMAT2TAO_REQUESTEDROTATIONTYPEISPURECAV","features":[141]},{"name":"DISPID_IDISCFORMAT2TAO_REQUESTEDWRITESPEED","features":[141]},{"name":"DISPID_IDISCFORMAT2TAO_SETWRITESPEED","features":[141]},{"name":"DISPID_IDISCFORMAT2TAO_SUPPORTEDWRITESPEEDDESCRIPTORS","features":[141]},{"name":"DISPID_IDISCFORMAT2TAO_SUPPORTEDWRITESPEEDS","features":[141]},{"name":"DISPID_IDISCFORMAT2TAO_TOTALSECTORSONMEDIA","features":[141]},{"name":"DISPID_IDISCFORMAT2TAO_USEDSECTORSONMEDIA","features":[141]},{"name":"DISPID_IDISCFORMAT2_MEDIAHEURISTICALLYBLANK","features":[141]},{"name":"DISPID_IDISCFORMAT2_MEDIAPHYSICALLYBLANK","features":[141]},{"name":"DISPID_IDISCFORMAT2_MEDIASUPPORTED","features":[141]},{"name":"DISPID_IDISCFORMAT2_RECORDERSUPPORTED","features":[141]},{"name":"DISPID_IDISCFORMAT2_SUPPORTEDMEDIATYPES","features":[141]},{"name":"DISPID_IDISCRECORDER2_ACQUIREEXCLUSIVEACCESS","features":[141]},{"name":"DISPID_IDISCRECORDER2_ACTIVEDISCRECORDER","features":[141]},{"name":"DISPID_IDISCRECORDER2_CLOSETRAY","features":[141]},{"name":"DISPID_IDISCRECORDER2_CURRENTFEATUREPAGES","features":[141]},{"name":"DISPID_IDISCRECORDER2_CURRENTPROFILES","features":[141]},{"name":"DISPID_IDISCRECORDER2_DEVICECANLOADMEDIA","features":[141]},{"name":"DISPID_IDISCRECORDER2_DISABLEMCN","features":[141]},{"name":"DISPID_IDISCRECORDER2_EJECTMEDIA","features":[141]},{"name":"DISPID_IDISCRECORDER2_ENABLEMCN","features":[141]},{"name":"DISPID_IDISCRECORDER2_EXCLUSIVEACCESSOWNER","features":[141]},{"name":"DISPID_IDISCRECORDER2_INITIALIZEDISCRECORDER","features":[141]},{"name":"DISPID_IDISCRECORDER2_LEGACYDEVICENUMBER","features":[141]},{"name":"DISPID_IDISCRECORDER2_PRODUCTID","features":[141]},{"name":"DISPID_IDISCRECORDER2_PRODUCTREVISION","features":[141]},{"name":"DISPID_IDISCRECORDER2_RELEASEEXCLUSIVEACCESS","features":[141]},{"name":"DISPID_IDISCRECORDER2_SUPPORTEDFEATUREPAGES","features":[141]},{"name":"DISPID_IDISCRECORDER2_SUPPORTEDMODEPAGES","features":[141]},{"name":"DISPID_IDISCRECORDER2_SUPPORTEDPROFILES","features":[141]},{"name":"DISPID_IDISCRECORDER2_VENDORID","features":[141]},{"name":"DISPID_IDISCRECORDER2_VOLUMENAME","features":[141]},{"name":"DISPID_IDISCRECORDER2_VOLUMEPATHNAMES","features":[141]},{"name":"DISPID_IMULTISESSION_FIRSTDATASESSION","features":[141]},{"name":"DISPID_IMULTISESSION_FREESECTORS","features":[141]},{"name":"DISPID_IMULTISESSION_IMPORTRECORDER","features":[141]},{"name":"DISPID_IMULTISESSION_INUSE","features":[141]},{"name":"DISPID_IMULTISESSION_LASTSECTOROFPREVIOUSSESSION","features":[141]},{"name":"DISPID_IMULTISESSION_LASTWRITTENADDRESS","features":[141]},{"name":"DISPID_IMULTISESSION_NEXTWRITABLEADDRESS","features":[141]},{"name":"DISPID_IMULTISESSION_SECTORSONMEDIA","features":[141]},{"name":"DISPID_IMULTISESSION_STARTSECTOROFPREVIOUSSESSION","features":[141]},{"name":"DISPID_IMULTISESSION_SUPPORTEDONCURRENTMEDIA","features":[141]},{"name":"DISPID_IMULTISESSION_WRITEUNITSIZE","features":[141]},{"name":"DISPID_IRAWCDIMAGECREATOR_ADDSPECIALPREGAP","features":[141]},{"name":"DISPID_IRAWCDIMAGECREATOR_ADDSUBCODERWGENERATOR","features":[141]},{"name":"DISPID_IRAWCDIMAGECREATOR_ADDTRACK","features":[141]},{"name":"DISPID_IRAWCDIMAGECREATOR_CREATERESULTIMAGE","features":[141]},{"name":"DISPID_IRAWCDIMAGECREATOR_DISABLEGAPLESSAUDIO","features":[141]},{"name":"DISPID_IRAWCDIMAGECREATOR_EXPECTEDTABLEOFCONTENTS","features":[141]},{"name":"DISPID_IRAWCDIMAGECREATOR_MEDIACATALOGNUMBER","features":[141]},{"name":"DISPID_IRAWCDIMAGECREATOR_NUMBEROFEXISTINGTRACKS","features":[141]},{"name":"DISPID_IRAWCDIMAGECREATOR_RESULTINGIMAGETYPE","features":[141]},{"name":"DISPID_IRAWCDIMAGECREATOR_STARTINGTRACKNUMBER","features":[141]},{"name":"DISPID_IRAWCDIMAGECREATOR_STARTOFLEADOUT","features":[141]},{"name":"DISPID_IRAWCDIMAGECREATOR_STARTOFLEADOUTLIMIT","features":[141]},{"name":"DISPID_IRAWCDIMAGECREATOR_TRACKINFO","features":[141]},{"name":"DISPID_IRAWCDIMAGECREATOR_USEDSECTORSONDISC","features":[141]},{"name":"DISPID_IRAWCDTRACKINFO_AUDIOHASPREEMPHASIS","features":[141]},{"name":"DISPID_IRAWCDTRACKINFO_DIGITALAUDIOCOPYSETTING","features":[141]},{"name":"DISPID_IRAWCDTRACKINFO_ISRC","features":[141]},{"name":"DISPID_IRAWCDTRACKINFO_SECTORCOUNT","features":[141]},{"name":"DISPID_IRAWCDTRACKINFO_SECTORTYPE","features":[141]},{"name":"DISPID_IRAWCDTRACKINFO_STARTINGLBA","features":[141]},{"name":"DISPID_IRAWCDTRACKINFO_TRACKNUMBER","features":[141]},{"name":"DISPID_IWRITEENGINE2EVENTARGS_FREESYSTEMBUFFER","features":[141]},{"name":"DISPID_IWRITEENGINE2EVENTARGS_LASTREADLBA","features":[141]},{"name":"DISPID_IWRITEENGINE2EVENTARGS_LASTWRITTENLBA","features":[141]},{"name":"DISPID_IWRITEENGINE2EVENTARGS_SECTORCOUNT","features":[141]},{"name":"DISPID_IWRITEENGINE2EVENTARGS_STARTLBA","features":[141]},{"name":"DISPID_IWRITEENGINE2EVENTARGS_TOTALDEVICEBUFFER","features":[141]},{"name":"DISPID_IWRITEENGINE2EVENTARGS_TOTALSYSTEMBUFFER","features":[141]},{"name":"DISPID_IWRITEENGINE2EVENTARGS_USEDDEVICEBUFFER","features":[141]},{"name":"DISPID_IWRITEENGINE2EVENTARGS_USEDSYSTEMBUFFER","features":[141]},{"name":"DISPID_IWRITEENGINE2_BYTESPERSECTOR","features":[141]},{"name":"DISPID_IWRITEENGINE2_CANCELWRITE","features":[141]},{"name":"DISPID_IWRITEENGINE2_DISCRECORDER","features":[141]},{"name":"DISPID_IWRITEENGINE2_ENDINGSECTORSPERSECOND","features":[141]},{"name":"DISPID_IWRITEENGINE2_STARTINGSECTORSPERSECOND","features":[141]},{"name":"DISPID_IWRITEENGINE2_USESTREAMINGWRITE12","features":[141]},{"name":"DISPID_IWRITEENGINE2_WRITEINPROGRESS","features":[141]},{"name":"DISPID_IWRITEENGINE2_WRITESECTION","features":[141]},{"name":"DWriteEngine2Events","features":[141]},{"name":"Emulation12MFloppy","features":[141]},{"name":"Emulation144MFloppy","features":[141]},{"name":"Emulation288MFloppy","features":[141]},{"name":"EmulationHardDisk","features":[141]},{"name":"EmulationNone","features":[141]},{"name":"EmulationType","features":[141]},{"name":"EnumFsiItems","features":[141]},{"name":"EnumProgressItems","features":[141]},{"name":"FileSystemImageResult","features":[141]},{"name":"FsiDirectoryItem","features":[141]},{"name":"FsiFileItem","features":[141]},{"name":"FsiFileSystemISO9660","features":[141]},{"name":"FsiFileSystemJoliet","features":[141]},{"name":"FsiFileSystemNone","features":[141]},{"name":"FsiFileSystemUDF","features":[141]},{"name":"FsiFileSystemUnknown","features":[141]},{"name":"FsiFileSystems","features":[141]},{"name":"FsiItemDirectory","features":[141]},{"name":"FsiItemFile","features":[141]},{"name":"FsiItemNotFound","features":[141]},{"name":"FsiItemType","features":[141]},{"name":"FsiNamedStreams","features":[141]},{"name":"FsiStream","features":[141]},{"name":"GUID_SMTPSVC_SOURCE","features":[141]},{"name":"GUID_SMTP_SOURCE_TYPE","features":[141]},{"name":"GetAttribIMsgOnIStg","features":[141,142]},{"name":"IBlockRange","features":[141]},{"name":"IBlockRangeList","features":[141]},{"name":"IBootOptions","features":[141]},{"name":"IBurnVerification","features":[141]},{"name":"IDiscFormat2","features":[141]},{"name":"IDiscFormat2Data","features":[141]},{"name":"IDiscFormat2DataEventArgs","features":[141]},{"name":"IDiscFormat2Erase","features":[141]},{"name":"IDiscFormat2RawCD","features":[141]},{"name":"IDiscFormat2RawCDEventArgs","features":[141]},{"name":"IDiscFormat2TrackAtOnce","features":[141]},{"name":"IDiscFormat2TrackAtOnceEventArgs","features":[141]},{"name":"IDiscMaster","features":[141]},{"name":"IDiscMaster2","features":[141]},{"name":"IDiscMasterProgressEvents","features":[141]},{"name":"IDiscRecorder","features":[141]},{"name":"IDiscRecorder2","features":[141]},{"name":"IDiscRecorder2Ex","features":[141]},{"name":"IEnumDiscMasterFormats","features":[141]},{"name":"IEnumDiscRecorders","features":[141]},{"name":"IEnumFsiItems","features":[141]},{"name":"IEnumProgressItems","features":[141]},{"name":"IFileSystemImage","features":[141]},{"name":"IFileSystemImage2","features":[141]},{"name":"IFileSystemImage3","features":[141]},{"name":"IFileSystemImageResult","features":[141]},{"name":"IFileSystemImageResult2","features":[141]},{"name":"IFsiDirectoryItem","features":[141]},{"name":"IFsiDirectoryItem2","features":[141]},{"name":"IFsiFileItem","features":[141]},{"name":"IFsiFileItem2","features":[141]},{"name":"IFsiItem","features":[141]},{"name":"IFsiNamedStreams","features":[141]},{"name":"IIsoImageManager","features":[141]},{"name":"IJolietDiscMaster","features":[141]},{"name":"IMAPI2FS_BOOT_ENTRY_COUNT_MAX","features":[141]},{"name":"IMAPI2FS_FullVersion_STR","features":[141]},{"name":"IMAPI2FS_FullVersion_WSTR","features":[141]},{"name":"IMAPI2FS_MajorVersion","features":[141]},{"name":"IMAPI2FS_MinorVersion","features":[141]},{"name":"IMAPI2_DEFAULT_COMMAND_TIMEOUT","features":[141]},{"name":"IMAPILib2_MajorVersion","features":[141]},{"name":"IMAPILib2_MinorVersion","features":[141]},{"name":"IMAPI_BURN_VERIFICATION_FULL","features":[141]},{"name":"IMAPI_BURN_VERIFICATION_LEVEL","features":[141]},{"name":"IMAPI_BURN_VERIFICATION_NONE","features":[141]},{"name":"IMAPI_BURN_VERIFICATION_QUICK","features":[141]},{"name":"IMAPI_CD_SECTOR_AUDIO","features":[141]},{"name":"IMAPI_CD_SECTOR_MODE1","features":[141]},{"name":"IMAPI_CD_SECTOR_MODE1RAW","features":[141]},{"name":"IMAPI_CD_SECTOR_MODE2FORM0","features":[141]},{"name":"IMAPI_CD_SECTOR_MODE2FORM0RAW","features":[141]},{"name":"IMAPI_CD_SECTOR_MODE2FORM1","features":[141]},{"name":"IMAPI_CD_SECTOR_MODE2FORM1RAW","features":[141]},{"name":"IMAPI_CD_SECTOR_MODE2FORM2","features":[141]},{"name":"IMAPI_CD_SECTOR_MODE2FORM2RAW","features":[141]},{"name":"IMAPI_CD_SECTOR_MODE_ZERO","features":[141]},{"name":"IMAPI_CD_SECTOR_TYPE","features":[141]},{"name":"IMAPI_CD_TRACK_DIGITAL_COPY_PERMITTED","features":[141]},{"name":"IMAPI_CD_TRACK_DIGITAL_COPY_PROHIBITED","features":[141]},{"name":"IMAPI_CD_TRACK_DIGITAL_COPY_SCMS","features":[141]},{"name":"IMAPI_CD_TRACK_DIGITAL_COPY_SETTING","features":[141]},{"name":"IMAPI_E_ALREADYOPEN","features":[141]},{"name":"IMAPI_E_BADJOLIETNAME","features":[141]},{"name":"IMAPI_E_BOOTIMAGE_AND_NONBLANK_DISC","features":[141]},{"name":"IMAPI_E_CANNOT_WRITE_TO_MEDIA","features":[141]},{"name":"IMAPI_E_COMPRESSEDSTASH","features":[141]},{"name":"IMAPI_E_DEVICE_INVALIDTYPE","features":[141]},{"name":"IMAPI_E_DEVICE_NOPROPERTIES","features":[141]},{"name":"IMAPI_E_DEVICE_NOTACCESSIBLE","features":[141]},{"name":"IMAPI_E_DEVICE_NOTPRESENT","features":[141]},{"name":"IMAPI_E_DEVICE_STILL_IN_USE","features":[141]},{"name":"IMAPI_E_DISCFULL","features":[141]},{"name":"IMAPI_E_DISCINFO","features":[141]},{"name":"IMAPI_E_ENCRYPTEDSTASH","features":[141]},{"name":"IMAPI_E_FILEACCESS","features":[141]},{"name":"IMAPI_E_FILEEXISTS","features":[141]},{"name":"IMAPI_E_FILESYSTEM","features":[141]},{"name":"IMAPI_E_GENERIC","features":[141]},{"name":"IMAPI_E_INITIALIZE_ENDWRITE","features":[141]},{"name":"IMAPI_E_INITIALIZE_WRITE","features":[141]},{"name":"IMAPI_E_INVALIDIMAGE","features":[141]},{"name":"IMAPI_E_LOSS_OF_STREAMING","features":[141]},{"name":"IMAPI_E_MEDIUM_INVALIDTYPE","features":[141]},{"name":"IMAPI_E_MEDIUM_NOTPRESENT","features":[141]},{"name":"IMAPI_E_NOACTIVEFORMAT","features":[141]},{"name":"IMAPI_E_NOACTIVERECORDER","features":[141]},{"name":"IMAPI_E_NOTENOUGHDISKFORSTASH","features":[141]},{"name":"IMAPI_E_NOTINITIALIZED","features":[141]},{"name":"IMAPI_E_NOTOPENED","features":[141]},{"name":"IMAPI_E_REMOVABLESTASH","features":[141]},{"name":"IMAPI_E_STASHINUSE","features":[141]},{"name":"IMAPI_E_TRACKNOTOPEN","features":[141]},{"name":"IMAPI_E_TRACKOPEN","features":[141]},{"name":"IMAPI_E_TRACK_NOT_BIG_ENOUGH","features":[141]},{"name":"IMAPI_E_USERABORT","features":[141]},{"name":"IMAPI_E_WRONGDISC","features":[141]},{"name":"IMAPI_E_WRONGFORMAT","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_AACS","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_BD_PSEUDO_OVERWRITE","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_BD_READ","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_BD_WRITE","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_CDRW_CAV_WRITE","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_CD_ANALOG_PLAY","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_CD_MASTERING","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_CD_MULTIREAD","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_CD_READ","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_CD_RW_MEDIA_WRITE_SUPPORT","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_CD_TRACK_AT_ONCE","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_CORE","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_DISC_CONTROL_BLOCKS","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_DOUBLE_DENSITY_CD_READ","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_DOUBLE_DENSITY_CD_RW_WRITE","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_DOUBLE_DENSITY_CD_R_WRITE","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_DVD_CPRM","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_DVD_CSS","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_DVD_DASH_WRITE","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_DVD_PLUS_R","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_DVD_PLUS_RW","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_DVD_PLUS_R_DUAL_LAYER","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_DVD_READ","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_EMBEDDED_CHANGER","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_ENHANCED_DEFECT_REPORTING","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_FIRMWARE_INFORMATION","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_FORMATTABLE","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_HARDWARE_DEFECT_MANAGEMENT","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_HD_DVD_READ","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_HD_DVD_WRITE","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_INCREMENTAL_STREAMING_WRITABLE","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_LAYER_JUMP_RECORDING","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_LOGICAL_UNIT_SERIAL_NUMBER","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_MEDIA_SERIAL_NUMBER","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_MICROCODE_UPDATE","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_MORPHING","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_MRW","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_POWER_MANAGEMENT","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_PROFILE_LIST","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_RANDOMLY_READABLE","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_RANDOMLY_WRITABLE","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_REAL_TIME_STREAMING","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_REMOVABLE_MEDIUM","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_RESTRICTED_OVERWRITE","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_RIGID_RESTRICTED_OVERWRITE","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_SECTOR_ERASABLE","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_SMART","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_TIMEOUT","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_VCPS","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_WRITE_ONCE","features":[141]},{"name":"IMAPI_FEATURE_PAGE_TYPE_WRITE_PROTECT","features":[141]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE","features":[141]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_APPENDABLE","features":[141]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_BLANK","features":[141]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_DAMAGED","features":[141]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_ERASE_REQUIRED","features":[141]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_FINALIZED","features":[141]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_FINAL_SESSION","features":[141]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_INFORMATIONAL_MASK","features":[141]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_NON_EMPTY_SESSION","features":[141]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_OVERWRITE_ONLY","features":[141]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_RANDOMLY_WRITABLE","features":[141]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_UNKNOWN","features":[141]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_UNSUPPORTED_MASK","features":[141]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_UNSUPPORTED_MEDIA","features":[141]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_WRITE_PROTECTED","features":[141]},{"name":"IMAPI_FORMAT2_DATA_WRITE_ACTION","features":[141]},{"name":"IMAPI_FORMAT2_DATA_WRITE_ACTION_CALIBRATING_POWER","features":[141]},{"name":"IMAPI_FORMAT2_DATA_WRITE_ACTION_COMPLETED","features":[141]},{"name":"IMAPI_FORMAT2_DATA_WRITE_ACTION_FINALIZATION","features":[141]},{"name":"IMAPI_FORMAT2_DATA_WRITE_ACTION_FORMATTING_MEDIA","features":[141]},{"name":"IMAPI_FORMAT2_DATA_WRITE_ACTION_INITIALIZING_HARDWARE","features":[141]},{"name":"IMAPI_FORMAT2_DATA_WRITE_ACTION_VALIDATING_MEDIA","features":[141]},{"name":"IMAPI_FORMAT2_DATA_WRITE_ACTION_VERIFYING","features":[141]},{"name":"IMAPI_FORMAT2_DATA_WRITE_ACTION_WRITING_DATA","features":[141]},{"name":"IMAPI_FORMAT2_RAW_CD_DATA_SECTOR_TYPE","features":[141]},{"name":"IMAPI_FORMAT2_RAW_CD_SUBCODE_IS_COOKED","features":[141]},{"name":"IMAPI_FORMAT2_RAW_CD_SUBCODE_IS_RAW","features":[141]},{"name":"IMAPI_FORMAT2_RAW_CD_SUBCODE_PQ_ONLY","features":[141]},{"name":"IMAPI_FORMAT2_RAW_CD_WRITE_ACTION","features":[141]},{"name":"IMAPI_FORMAT2_RAW_CD_WRITE_ACTION_FINISHING","features":[141]},{"name":"IMAPI_FORMAT2_RAW_CD_WRITE_ACTION_PREPARING","features":[141]},{"name":"IMAPI_FORMAT2_RAW_CD_WRITE_ACTION_UNKNOWN","features":[141]},{"name":"IMAPI_FORMAT2_RAW_CD_WRITE_ACTION_WRITING","features":[141]},{"name":"IMAPI_FORMAT2_TAO_WRITE_ACTION","features":[141]},{"name":"IMAPI_FORMAT2_TAO_WRITE_ACTION_FINISHING","features":[141]},{"name":"IMAPI_FORMAT2_TAO_WRITE_ACTION_PREPARING","features":[141]},{"name":"IMAPI_FORMAT2_TAO_WRITE_ACTION_UNKNOWN","features":[141]},{"name":"IMAPI_FORMAT2_TAO_WRITE_ACTION_VERIFYING","features":[141]},{"name":"IMAPI_FORMAT2_TAO_WRITE_ACTION_WRITING","features":[141]},{"name":"IMAPI_MEDIA_PHYSICAL_TYPE","features":[141]},{"name":"IMAPI_MEDIA_TYPE_BDR","features":[141]},{"name":"IMAPI_MEDIA_TYPE_BDRE","features":[141]},{"name":"IMAPI_MEDIA_TYPE_BDROM","features":[141]},{"name":"IMAPI_MEDIA_TYPE_CDR","features":[141]},{"name":"IMAPI_MEDIA_TYPE_CDROM","features":[141]},{"name":"IMAPI_MEDIA_TYPE_CDRW","features":[141]},{"name":"IMAPI_MEDIA_TYPE_DISK","features":[141]},{"name":"IMAPI_MEDIA_TYPE_DVDDASHR","features":[141]},{"name":"IMAPI_MEDIA_TYPE_DVDDASHRW","features":[141]},{"name":"IMAPI_MEDIA_TYPE_DVDDASHR_DUALLAYER","features":[141]},{"name":"IMAPI_MEDIA_TYPE_DVDPLUSR","features":[141]},{"name":"IMAPI_MEDIA_TYPE_DVDPLUSRW","features":[141]},{"name":"IMAPI_MEDIA_TYPE_DVDPLUSRW_DUALLAYER","features":[141]},{"name":"IMAPI_MEDIA_TYPE_DVDPLUSR_DUALLAYER","features":[141]},{"name":"IMAPI_MEDIA_TYPE_DVDRAM","features":[141]},{"name":"IMAPI_MEDIA_TYPE_DVDROM","features":[141]},{"name":"IMAPI_MEDIA_TYPE_HDDVDR","features":[141]},{"name":"IMAPI_MEDIA_TYPE_HDDVDRAM","features":[141]},{"name":"IMAPI_MEDIA_TYPE_HDDVDROM","features":[141]},{"name":"IMAPI_MEDIA_TYPE_MAX","features":[141]},{"name":"IMAPI_MEDIA_TYPE_UNKNOWN","features":[141]},{"name":"IMAPI_MEDIA_WRITE_PROTECT_STATE","features":[141]},{"name":"IMAPI_MODE_PAGE_REQUEST_TYPE","features":[141]},{"name":"IMAPI_MODE_PAGE_REQUEST_TYPE_CHANGEABLE_VALUES","features":[141]},{"name":"IMAPI_MODE_PAGE_REQUEST_TYPE_CURRENT_VALUES","features":[141]},{"name":"IMAPI_MODE_PAGE_REQUEST_TYPE_DEFAULT_VALUES","features":[141]},{"name":"IMAPI_MODE_PAGE_REQUEST_TYPE_SAVED_VALUES","features":[141]},{"name":"IMAPI_MODE_PAGE_TYPE","features":[141]},{"name":"IMAPI_MODE_PAGE_TYPE_CACHING","features":[141]},{"name":"IMAPI_MODE_PAGE_TYPE_INFORMATIONAL_EXCEPTIONS","features":[141]},{"name":"IMAPI_MODE_PAGE_TYPE_LEGACY_CAPABILITIES","features":[141]},{"name":"IMAPI_MODE_PAGE_TYPE_MRW","features":[141]},{"name":"IMAPI_MODE_PAGE_TYPE_POWER_CONDITION","features":[141]},{"name":"IMAPI_MODE_PAGE_TYPE_READ_WRITE_ERROR_RECOVERY","features":[141]},{"name":"IMAPI_MODE_PAGE_TYPE_TIMEOUT_AND_PROTECT","features":[141]},{"name":"IMAPI_MODE_PAGE_TYPE_WRITE_PARAMETERS","features":[141]},{"name":"IMAPI_PROFILE_TYPE","features":[141]},{"name":"IMAPI_PROFILE_TYPE_AS_MO","features":[141]},{"name":"IMAPI_PROFILE_TYPE_BD_REWRITABLE","features":[141]},{"name":"IMAPI_PROFILE_TYPE_BD_ROM","features":[141]},{"name":"IMAPI_PROFILE_TYPE_BD_R_RANDOM_RECORDING","features":[141]},{"name":"IMAPI_PROFILE_TYPE_BD_R_SEQUENTIAL","features":[141]},{"name":"IMAPI_PROFILE_TYPE_CDROM","features":[141]},{"name":"IMAPI_PROFILE_TYPE_CD_RECORDABLE","features":[141]},{"name":"IMAPI_PROFILE_TYPE_CD_REWRITABLE","features":[141]},{"name":"IMAPI_PROFILE_TYPE_DDCDROM","features":[141]},{"name":"IMAPI_PROFILE_TYPE_DDCD_RECORDABLE","features":[141]},{"name":"IMAPI_PROFILE_TYPE_DDCD_REWRITABLE","features":[141]},{"name":"IMAPI_PROFILE_TYPE_DVDROM","features":[141]},{"name":"IMAPI_PROFILE_TYPE_DVD_DASH_RECORDABLE","features":[141]},{"name":"IMAPI_PROFILE_TYPE_DVD_DASH_REWRITABLE","features":[141]},{"name":"IMAPI_PROFILE_TYPE_DVD_DASH_RW_SEQUENTIAL","features":[141]},{"name":"IMAPI_PROFILE_TYPE_DVD_DASH_R_DUAL_LAYER_JUMP","features":[141]},{"name":"IMAPI_PROFILE_TYPE_DVD_DASH_R_DUAL_SEQUENTIAL","features":[141]},{"name":"IMAPI_PROFILE_TYPE_DVD_PLUS_R","features":[141]},{"name":"IMAPI_PROFILE_TYPE_DVD_PLUS_RW","features":[141]},{"name":"IMAPI_PROFILE_TYPE_DVD_PLUS_RW_DUAL","features":[141]},{"name":"IMAPI_PROFILE_TYPE_DVD_PLUS_R_DUAL","features":[141]},{"name":"IMAPI_PROFILE_TYPE_DVD_RAM","features":[141]},{"name":"IMAPI_PROFILE_TYPE_HD_DVD_RAM","features":[141]},{"name":"IMAPI_PROFILE_TYPE_HD_DVD_RECORDABLE","features":[141]},{"name":"IMAPI_PROFILE_TYPE_HD_DVD_ROM","features":[141]},{"name":"IMAPI_PROFILE_TYPE_INVALID","features":[141]},{"name":"IMAPI_PROFILE_TYPE_MO_ERASABLE","features":[141]},{"name":"IMAPI_PROFILE_TYPE_MO_WRITE_ONCE","features":[141]},{"name":"IMAPI_PROFILE_TYPE_NON_REMOVABLE_DISK","features":[141]},{"name":"IMAPI_PROFILE_TYPE_NON_STANDARD","features":[141]},{"name":"IMAPI_PROFILE_TYPE_REMOVABLE_DISK","features":[141]},{"name":"IMAPI_READ_TRACK_ADDRESS_TYPE","features":[141]},{"name":"IMAPI_READ_TRACK_ADDRESS_TYPE_LBA","features":[141]},{"name":"IMAPI_READ_TRACK_ADDRESS_TYPE_SESSION","features":[141]},{"name":"IMAPI_READ_TRACK_ADDRESS_TYPE_TRACK","features":[141]},{"name":"IMAPI_SECTORS_PER_SECOND_AT_1X_BD","features":[141]},{"name":"IMAPI_SECTORS_PER_SECOND_AT_1X_CD","features":[141]},{"name":"IMAPI_SECTORS_PER_SECOND_AT_1X_DVD","features":[141]},{"name":"IMAPI_SECTORS_PER_SECOND_AT_1X_HD_DVD","features":[141]},{"name":"IMAPI_SECTOR_SIZE","features":[141]},{"name":"IMAPI_S_BUFFER_TO_SMALL","features":[141]},{"name":"IMAPI_S_PROPERTIESIGNORED","features":[141]},{"name":"IMAPI_WRITEPROTECTED_BY_CARTRIDGE","features":[141]},{"name":"IMAPI_WRITEPROTECTED_BY_DISC_CONTROL_BLOCK","features":[141]},{"name":"IMAPI_WRITEPROTECTED_BY_MEDIA_SPECIFIC_REASON","features":[141]},{"name":"IMAPI_WRITEPROTECTED_BY_SOFTWARE_WRITE_PROTECT","features":[141]},{"name":"IMAPI_WRITEPROTECTED_READ_ONLY_MEDIA","features":[141]},{"name":"IMAPI_WRITEPROTECTED_UNTIL_POWERDOWN","features":[141]},{"name":"IMMPID_CPV_AFTER__","features":[141]},{"name":"IMMPID_CPV_BEFORE__","features":[141]},{"name":"IMMPID_CPV_ENUM","features":[141]},{"name":"IMMPID_CP_START","features":[141]},{"name":"IMMPID_MPV_AFTER__","features":[141]},{"name":"IMMPID_MPV_BEFORE__","features":[141]},{"name":"IMMPID_MPV_ENUM","features":[141]},{"name":"IMMPID_MPV_MESSAGE_CREATION_FLAGS","features":[141]},{"name":"IMMPID_MPV_MESSAGE_OPEN_HANDLES","features":[141]},{"name":"IMMPID_MPV_STORE_DRIVER_HANDLE","features":[141]},{"name":"IMMPID_MPV_TOTAL_OPEN_CONTENT_HANDLES","features":[141]},{"name":"IMMPID_MPV_TOTAL_OPEN_HANDLES","features":[141]},{"name":"IMMPID_MPV_TOTAL_OPEN_PROPERTY_STREAM_HANDLES","features":[141]},{"name":"IMMPID_MP_AFTER__","features":[141]},{"name":"IMMPID_MP_ARRIVAL_FILETIME","features":[141]},{"name":"IMMPID_MP_ARRIVAL_TIME","features":[141]},{"name":"IMMPID_MP_AUTHENTICATED_USER_NAME","features":[141]},{"name":"IMMPID_MP_BEFORE__","features":[141]},{"name":"IMMPID_MP_BINARYMIME_OPTION","features":[141]},{"name":"IMMPID_MP_CHUNKING_OPTION","features":[141]},{"name":"IMMPID_MP_CLIENT_AUTH_TYPE","features":[141]},{"name":"IMMPID_MP_CLIENT_AUTH_USER","features":[141]},{"name":"IMMPID_MP_CONNECTION_IP_ADDRESS","features":[141]},{"name":"IMMPID_MP_CONNECTION_SERVER_IP_ADDRESS","features":[141]},{"name":"IMMPID_MP_CONNECTION_SERVER_PORT","features":[141]},{"name":"IMMPID_MP_CONTENT_FILE_NAME","features":[141]},{"name":"IMMPID_MP_CONTENT_TYPE","features":[141]},{"name":"IMMPID_MP_CRC_GLOBAL","features":[141]},{"name":"IMMPID_MP_CRC_RECIPS","features":[141]},{"name":"IMMPID_MP_DEFERRED_DELIVERY_FILETIME","features":[141]},{"name":"IMMPID_MP_DOMAIN_LIST","features":[141]},{"name":"IMMPID_MP_DSN_ENVID_VALUE","features":[141]},{"name":"IMMPID_MP_DSN_RET_VALUE","features":[141]},{"name":"IMMPID_MP_EIGHTBIT_MIME_OPTION","features":[141]},{"name":"IMMPID_MP_ENCRYPTION_TYPE","features":[141]},{"name":"IMMPID_MP_ENUM","features":[141]},{"name":"IMMPID_MP_ERROR_CODE","features":[141]},{"name":"IMMPID_MP_EXPIRE_DELAY","features":[141]},{"name":"IMMPID_MP_EXPIRE_NDR","features":[141]},{"name":"IMMPID_MP_FOUND_EMBEDDED_CRLF_DOT_CRLF","features":[141]},{"name":"IMMPID_MP_FROM_ADDRESS","features":[141]},{"name":"IMMPID_MP_HELO_DOMAIN","features":[141]},{"name":"IMMPID_MP_HR_CAT_STATUS","features":[141]},{"name":"IMMPID_MP_INBOUND_MAIL_FROM_AUTH","features":[141]},{"name":"IMMPID_MP_LOCAL_EXPIRE_DELAY","features":[141]},{"name":"IMMPID_MP_LOCAL_EXPIRE_NDR","features":[141]},{"name":"IMMPID_MP_MESSAGE_STATUS","features":[141]},{"name":"IMMPID_MP_MSGCLASS","features":[141]},{"name":"IMMPID_MP_MSG_GUID","features":[141]},{"name":"IMMPID_MP_MSG_SIZE_HINT","features":[141]},{"name":"IMMPID_MP_NUM_RECIPIENTS","features":[141]},{"name":"IMMPID_MP_ORIGINAL_ARRIVAL_TIME","features":[141]},{"name":"IMMPID_MP_PICKUP_FILE_NAME","features":[141]},{"name":"IMMPID_MP_RECIPIENT_LIST","features":[141]},{"name":"IMMPID_MP_REMOTE_AUTHENTICATION_TYPE","features":[141]},{"name":"IMMPID_MP_REMOTE_SERVER_DSN_CAPABLE","features":[141]},{"name":"IMMPID_MP_RFC822_BCC_ADDRESS","features":[141]},{"name":"IMMPID_MP_RFC822_CC_ADDRESS","features":[141]},{"name":"IMMPID_MP_RFC822_FROM_ADDRESS","features":[141]},{"name":"IMMPID_MP_RFC822_MSG_ID","features":[141]},{"name":"IMMPID_MP_RFC822_MSG_SUBJECT","features":[141]},{"name":"IMMPID_MP_RFC822_TO_ADDRESS","features":[141]},{"name":"IMMPID_MP_SCANNED_FOR_CRLF_DOT_CRLF","features":[141]},{"name":"IMMPID_MP_SENDER_ADDRESS","features":[141]},{"name":"IMMPID_MP_SENDER_ADDRESS_LEGACY_EX_DN","features":[141]},{"name":"IMMPID_MP_SENDER_ADDRESS_OTHER","features":[141]},{"name":"IMMPID_MP_SENDER_ADDRESS_SMTP","features":[141]},{"name":"IMMPID_MP_SENDER_ADDRESS_X400","features":[141]},{"name":"IMMPID_MP_SENDER_ADDRESS_X500","features":[141]},{"name":"IMMPID_MP_SERVER_NAME","features":[141]},{"name":"IMMPID_MP_SERVER_VERSION","features":[141]},{"name":"IMMPID_MP_SUPERSEDES_MSG_GUID","features":[141]},{"name":"IMMPID_MP_X_PRIORITY","features":[141]},{"name":"IMMPID_NMP_AFTER__","features":[141]},{"name":"IMMPID_NMP_BEFORE__","features":[141]},{"name":"IMMPID_NMP_ENUM","features":[141]},{"name":"IMMPID_NMP_HEADERS","features":[141]},{"name":"IMMPID_NMP_NEWSGROUP_LIST","features":[141]},{"name":"IMMPID_NMP_NNTP_APPROVED_HEADER","features":[141]},{"name":"IMMPID_NMP_NNTP_PROCESSING","features":[141]},{"name":"IMMPID_NMP_POST_TOKEN","features":[141]},{"name":"IMMPID_NMP_PRIMARY_ARTID","features":[141]},{"name":"IMMPID_NMP_PRIMARY_GROUP","features":[141]},{"name":"IMMPID_NMP_SECONDARY_ARTNUM","features":[141]},{"name":"IMMPID_NMP_SECONDARY_GROUPS","features":[141]},{"name":"IMMPID_RPV_AFTER__","features":[141]},{"name":"IMMPID_RPV_BEFORE__","features":[141]},{"name":"IMMPID_RPV_DONT_DELIVER","features":[141]},{"name":"IMMPID_RPV_ENUM","features":[141]},{"name":"IMMPID_RPV_NO_NAME_COLLISIONS","features":[141]},{"name":"IMMPID_RP_ADDRESS","features":[141]},{"name":"IMMPID_RP_ADDRESS_OTHER","features":[141]},{"name":"IMMPID_RP_ADDRESS_SMTP","features":[141]},{"name":"IMMPID_RP_ADDRESS_TYPE","features":[141]},{"name":"IMMPID_RP_ADDRESS_TYPE_SMTP","features":[141]},{"name":"IMMPID_RP_ADDRESS_X400","features":[141]},{"name":"IMMPID_RP_ADDRESS_X500","features":[141]},{"name":"IMMPID_RP_AFTER__","features":[141]},{"name":"IMMPID_RP_BEFORE__","features":[141]},{"name":"IMMPID_RP_DISPLAY_NAME","features":[141]},{"name":"IMMPID_RP_DOMAIN","features":[141]},{"name":"IMMPID_RP_DSN_NOTIFY_INVALID","features":[141]},{"name":"IMMPID_RP_DSN_NOTIFY_SUCCESS","features":[141]},{"name":"IMMPID_RP_DSN_NOTIFY_VALUE","features":[141]},{"name":"IMMPID_RP_DSN_ORCPT_VALUE","features":[141]},{"name":"IMMPID_RP_DSN_PRE_CAT_ADDRESS","features":[141]},{"name":"IMMPID_RP_ENUM","features":[141]},{"name":"IMMPID_RP_ERROR_CODE","features":[141]},{"name":"IMMPID_RP_ERROR_STRING","features":[141]},{"name":"IMMPID_RP_LEGACY_EX_DN","features":[141]},{"name":"IMMPID_RP_MDB_GUID","features":[141]},{"name":"IMMPID_RP_RECIPIENT_FLAGS","features":[141]},{"name":"IMMPID_RP_SMTP_STATUS_STRING","features":[141]},{"name":"IMMPID_RP_USER_GUID","features":[141]},{"name":"IMMP_MPV_STORE_DRIVER_HANDLE","features":[141]},{"name":"IMultisession","features":[141]},{"name":"IMultisessionRandomWrite","features":[141]},{"name":"IMultisessionSequential","features":[141]},{"name":"IMultisessionSequential2","features":[141]},{"name":"IProgressItem","features":[141]},{"name":"IProgressItems","features":[141]},{"name":"IRawCDImageCreator","features":[141]},{"name":"IRawCDImageTrackInfo","features":[141]},{"name":"IRedbookDiscMaster","features":[141]},{"name":"IStreamConcatenate","features":[141]},{"name":"IStreamInterleave","features":[141]},{"name":"IStreamPseudoRandomBased","features":[141]},{"name":"IWriteEngine2","features":[141]},{"name":"IWriteEngine2EventArgs","features":[141]},{"name":"IWriteSpeedDescriptor","features":[141]},{"name":"LPMSGSESS","features":[141]},{"name":"MEDIA_BLANK","features":[141]},{"name":"MEDIA_CDDA_CDROM","features":[141]},{"name":"MEDIA_CD_EXTRA","features":[141]},{"name":"MEDIA_CD_I","features":[141]},{"name":"MEDIA_CD_OTHER","features":[141]},{"name":"MEDIA_CD_ROM_XA","features":[141]},{"name":"MEDIA_FLAGS","features":[141]},{"name":"MEDIA_FORMAT_UNUSABLE_BY_IMAPI","features":[141]},{"name":"MEDIA_RW","features":[141]},{"name":"MEDIA_SPECIAL","features":[141]},{"name":"MEDIA_TYPES","features":[141]},{"name":"MEDIA_WRITABLE","features":[141]},{"name":"MPV_INBOUND_CUTOFF_EXCEEDED","features":[141]},{"name":"MPV_WRITE_CONTENT","features":[141]},{"name":"MP_MSGCLASS_DELIVERY_REPORT","features":[141]},{"name":"MP_MSGCLASS_NONDELIVERY_REPORT","features":[141]},{"name":"MP_MSGCLASS_REPLICATION","features":[141]},{"name":"MP_MSGCLASS_SYSTEM","features":[141]},{"name":"MP_STATUS_ABANDON_DELIVERY","features":[141]},{"name":"MP_STATUS_ABORT_DELIVERY","features":[141]},{"name":"MP_STATUS_BAD_MAIL","features":[141]},{"name":"MP_STATUS_CATEGORIZED","features":[141]},{"name":"MP_STATUS_RETRY","features":[141]},{"name":"MP_STATUS_SUBMITTED","features":[141]},{"name":"MP_STATUS_SUCCESS","features":[141]},{"name":"MSDiscMasterObj","features":[141]},{"name":"MSDiscRecorderObj","features":[141]},{"name":"MSEnumDiscRecordersObj","features":[141]},{"name":"MSGCALLRELEASE","features":[141]},{"name":"MapStorageSCode","features":[141]},{"name":"MsftDiscFormat2Data","features":[141]},{"name":"MsftDiscFormat2Erase","features":[141]},{"name":"MsftDiscFormat2RawCD","features":[141]},{"name":"MsftDiscFormat2TrackAtOnce","features":[141]},{"name":"MsftDiscMaster2","features":[141]},{"name":"MsftDiscRecorder2","features":[141]},{"name":"MsftFileSystemImage","features":[141]},{"name":"MsftIsoImageManager","features":[141]},{"name":"MsftMultisessionRandomWrite","features":[141]},{"name":"MsftMultisessionSequential","features":[141]},{"name":"MsftRawCDImageCreator","features":[141]},{"name":"MsftStreamConcatenate","features":[141]},{"name":"MsftStreamInterleave","features":[141]},{"name":"MsftStreamPrng001","features":[141]},{"name":"MsftStreamZero","features":[141]},{"name":"MsftWriteEngine2","features":[141]},{"name":"MsftWriteSpeedDescriptor","features":[141]},{"name":"NMP_PROCESS_CONTROL","features":[141]},{"name":"NMP_PROCESS_MODERATOR","features":[141]},{"name":"NMP_PROCESS_POST","features":[141]},{"name":"OpenIMsgOnIStg","features":[141,142]},{"name":"OpenIMsgSession","features":[141]},{"name":"PlatformEFI","features":[141]},{"name":"PlatformId","features":[141]},{"name":"PlatformMac","features":[141]},{"name":"PlatformPowerPC","features":[141]},{"name":"PlatformX86","features":[141]},{"name":"ProgressItem","features":[141]},{"name":"ProgressItems","features":[141]},{"name":"RECORDER_BURNING","features":[141]},{"name":"RECORDER_CDR","features":[141]},{"name":"RECORDER_CDRW","features":[141]},{"name":"RECORDER_DOING_NOTHING","features":[141]},{"name":"RECORDER_OPENED","features":[141]},{"name":"RECORDER_TYPES","features":[141]},{"name":"RP_DELIVERED","features":[141]},{"name":"RP_DSN_HANDLED","features":[141]},{"name":"RP_DSN_NOTIFY_DELAY","features":[141]},{"name":"RP_DSN_NOTIFY_FAILURE","features":[141]},{"name":"RP_DSN_NOTIFY_INVALID","features":[141]},{"name":"RP_DSN_NOTIFY_MASK","features":[141]},{"name":"RP_DSN_NOTIFY_NEVER","features":[141]},{"name":"RP_DSN_NOTIFY_SUCCESS","features":[141]},{"name":"RP_DSN_SENT_DELAYED","features":[141]},{"name":"RP_DSN_SENT_DELIVERED","features":[141]},{"name":"RP_DSN_SENT_EXPANDED","features":[141]},{"name":"RP_DSN_SENT_NDR","features":[141]},{"name":"RP_DSN_SENT_RELAYED","features":[141]},{"name":"RP_ENPANDED","features":[141]},{"name":"RP_ERROR_CONTEXT_CAT","features":[141]},{"name":"RP_ERROR_CONTEXT_MTA","features":[141]},{"name":"RP_ERROR_CONTEXT_STORE","features":[141]},{"name":"RP_EXPANDED","features":[141]},{"name":"RP_FAILED","features":[141]},{"name":"RP_GENERAL_FAILURE","features":[141]},{"name":"RP_HANDLED","features":[141]},{"name":"RP_RECIP_FLAGS_RESERVED","features":[141]},{"name":"RP_REMOTE_MTA_NO_DSN","features":[141]},{"name":"RP_UNRESOLVED","features":[141]},{"name":"RP_VOLATILE_FLAGS_MASK","features":[141]},{"name":"SPropAttrArray","features":[141]},{"name":"SZ_PROGID_SMTPCAT","features":[141]},{"name":"SetAttribIMsgOnIStg","features":[141,142]},{"name":"tagIMMPID_CPV_STRUCT","features":[141]},{"name":"tagIMMPID_GUIDLIST_ITEM","features":[141]},{"name":"tagIMMPID_MPV_STRUCT","features":[141]},{"name":"tagIMMPID_MP_STRUCT","features":[141]},{"name":"tagIMMPID_NMP_STRUCT","features":[141]},{"name":"tagIMMPID_RPV_STRUCT","features":[141]},{"name":"tagIMMPID_RP_STRUCT","features":[141]}],"512":[{"name":"BindIFilterFromStorage","features":[143]},{"name":"BindIFilterFromStream","features":[143]},{"name":"CHUNKSTATE","features":[143]},{"name":"CHUNK_BREAKTYPE","features":[143]},{"name":"CHUNK_EOC","features":[143]},{"name":"CHUNK_EOP","features":[143]},{"name":"CHUNK_EOS","features":[143]},{"name":"CHUNK_EOW","features":[143]},{"name":"CHUNK_FILTER_OWNED_VALUE","features":[143]},{"name":"CHUNK_NO_BREAK","features":[143]},{"name":"CHUNK_TEXT","features":[143]},{"name":"CHUNK_VALUE","features":[143]},{"name":"CIADMIN","features":[143]},{"name":"CICAT_ALL_OPENED","features":[143]},{"name":"CICAT_GET_STATE","features":[143]},{"name":"CICAT_NO_QUERY","features":[143]},{"name":"CICAT_READONLY","features":[143]},{"name":"CICAT_STOPPED","features":[143]},{"name":"CICAT_WRITABLE","features":[143]},{"name":"CINULLCATALOG","features":[143]},{"name":"CI_PROVIDER_ALL","features":[143]},{"name":"CI_PROVIDER_INDEXING_SERVICE","features":[143]},{"name":"CI_PROVIDER_MSSEARCH","features":[143]},{"name":"CI_STATE","features":[143]},{"name":"CI_STATE_ANNEALING_MERGE","features":[143]},{"name":"CI_STATE_BATTERY_POLICY","features":[143]},{"name":"CI_STATE_BATTERY_POWER","features":[143]},{"name":"CI_STATE_CONTENT_SCAN_REQUIRED","features":[143]},{"name":"CI_STATE_DELETION_MERGE","features":[143]},{"name":"CI_STATE_HIGH_CPU","features":[143]},{"name":"CI_STATE_HIGH_IO","features":[143]},{"name":"CI_STATE_INDEX_MIGRATION_MERGE","features":[143]},{"name":"CI_STATE_LOW_DISK","features":[143]},{"name":"CI_STATE_LOW_MEMORY","features":[143]},{"name":"CI_STATE_MASTER_MERGE","features":[143]},{"name":"CI_STATE_MASTER_MERGE_PAUSED","features":[143]},{"name":"CI_STATE_READING_USNS","features":[143]},{"name":"CI_STATE_READ_ONLY","features":[143]},{"name":"CI_STATE_RECOVERING","features":[143]},{"name":"CI_STATE_SCANNING","features":[143]},{"name":"CI_STATE_SHADOW_MERGE","features":[143]},{"name":"CI_STATE_STARTING","features":[143]},{"name":"CI_STATE_USER_ACTIVE","features":[143]},{"name":"CI_VERSION_WDS30","features":[143]},{"name":"CI_VERSION_WDS40","features":[143]},{"name":"CI_VERSION_WIN70","features":[143]},{"name":"CLSID_INDEX_SERVER_DSO","features":[143]},{"name":"DBID","features":[143]},{"name":"DBID","features":[143]},{"name":"DBKINDENUM","features":[143]},{"name":"DBKIND_GUID","features":[143]},{"name":"DBKIND_GUID_NAME","features":[143]},{"name":"DBKIND_GUID_PROPID","features":[143]},{"name":"DBKIND_NAME","features":[143]},{"name":"DBKIND_PGUID_NAME","features":[143]},{"name":"DBKIND_PGUID_PROPID","features":[143]},{"name":"DBKIND_PROPID","features":[143]},{"name":"DBPROPSET_CIFRMWRKCORE_EXT","features":[143]},{"name":"DBPROPSET_FSCIFRMWRK_EXT","features":[143]},{"name":"DBPROPSET_MSIDXS_ROWSETEXT","features":[143]},{"name":"DBPROPSET_QUERYEXT","features":[143]},{"name":"DBPROPSET_SESS_QUERYEXT","features":[143]},{"name":"DBPROP_APPLICATION_NAME","features":[143]},{"name":"DBPROP_CATALOGLISTID","features":[143]},{"name":"DBPROP_CI_CATALOG_NAME","features":[143]},{"name":"DBPROP_CI_DEPTHS","features":[143]},{"name":"DBPROP_CI_EXCLUDE_SCOPES","features":[143]},{"name":"DBPROP_CI_INCLUDE_SCOPES","features":[143]},{"name":"DBPROP_CI_PROVIDER","features":[143]},{"name":"DBPROP_CI_QUERY_TYPE","features":[143]},{"name":"DBPROP_CI_SCOPE_FLAGS","features":[143]},{"name":"DBPROP_CI_SECURITY_ID","features":[143]},{"name":"DBPROP_CLIENT_CLSID","features":[143]},{"name":"DBPROP_DEFAULT_EQUALS_BEHAVIOR","features":[143]},{"name":"DBPROP_DEFERCATALOGVERIFICATION","features":[143]},{"name":"DBPROP_DEFERNONINDEXEDTRIMMING","features":[143]},{"name":"DBPROP_DONOTCOMPUTEEXPENSIVEPROPS","features":[143]},{"name":"DBPROP_ENABLEROWSETEVENTS","features":[143]},{"name":"DBPROP_FIRSTROWS","features":[143]},{"name":"DBPROP_FREETEXTANYTERM","features":[143]},{"name":"DBPROP_FREETEXTUSESTEMMING","features":[143]},{"name":"DBPROP_GENERATEPARSETREE","features":[143]},{"name":"DBPROP_GENERICOPTIONS_STRING","features":[143]},{"name":"DBPROP_IGNORENOISEONLYCLAUSES","features":[143]},{"name":"DBPROP_IGNORESBRI","features":[143]},{"name":"DBPROP_MACHINE","features":[143]},{"name":"DBPROP_USECONTENTINDEX","features":[143]},{"name":"DBPROP_USEEXTENDEDDBTYPES","features":[143]},{"name":"DBSETFUNC_ALL","features":[143]},{"name":"DBSETFUNC_DISTINCT","features":[143]},{"name":"DBSETFUNC_NONE","features":[143]},{"name":"FILTERREGION","features":[143]},{"name":"FILTER_E_ACCESS","features":[143]},{"name":"FILTER_E_EMBEDDING_UNAVAILABLE","features":[143]},{"name":"FILTER_E_END_OF_CHUNKS","features":[143]},{"name":"FILTER_E_LINK_UNAVAILABLE","features":[143]},{"name":"FILTER_E_NO_MORE_TEXT","features":[143]},{"name":"FILTER_E_NO_MORE_VALUES","features":[143]},{"name":"FILTER_E_NO_TEXT","features":[143]},{"name":"FILTER_E_NO_VALUES","features":[143]},{"name":"FILTER_E_PASSWORD","features":[143]},{"name":"FILTER_E_UNKNOWNFORMAT","features":[143]},{"name":"FILTER_S_LAST_TEXT","features":[143]},{"name":"FILTER_S_LAST_VALUES","features":[143]},{"name":"FILTER_W_MONIKER_CLIPPED","features":[143]},{"name":"FULLPROPSPEC","features":[143,63]},{"name":"GENERATE_METHOD_EXACT","features":[143]},{"name":"GENERATE_METHOD_INFLECT","features":[143]},{"name":"GENERATE_METHOD_PREFIX","features":[143]},{"name":"IFILTER_FLAGS","features":[143]},{"name":"IFILTER_FLAGS_OLE_PROPERTIES","features":[143]},{"name":"IFILTER_INIT","features":[143]},{"name":"IFILTER_INIT_APPLY_CRAWL_ATTRIBUTES","features":[143]},{"name":"IFILTER_INIT_APPLY_INDEX_ATTRIBUTES","features":[143]},{"name":"IFILTER_INIT_APPLY_OTHER_ATTRIBUTES","features":[143]},{"name":"IFILTER_INIT_CANON_HYPHENS","features":[143]},{"name":"IFILTER_INIT_CANON_PARAGRAPHS","features":[143]},{"name":"IFILTER_INIT_CANON_SPACES","features":[143]},{"name":"IFILTER_INIT_DISABLE_EMBEDDED","features":[143]},{"name":"IFILTER_INIT_EMIT_FORMATTING","features":[143]},{"name":"IFILTER_INIT_FILTER_AGGRESSIVE_BREAK","features":[143]},{"name":"IFILTER_INIT_FILTER_OWNED_VALUE_OK","features":[143]},{"name":"IFILTER_INIT_HARD_LINE_BREAKS","features":[143]},{"name":"IFILTER_INIT_INDEXING_ONLY","features":[143]},{"name":"IFILTER_INIT_SEARCH_LINKS","features":[143]},{"name":"IFilter","features":[143]},{"name":"IPhraseSink","features":[143]},{"name":"LIFF_FORCE_TEXT_FILTER_FALLBACK","features":[143]},{"name":"LIFF_IMPLEMENT_TEXT_FILTER_FALLBACK_POLICY","features":[143]},{"name":"LIFF_LOAD_DEFINED_FILTER","features":[143]},{"name":"LoadIFilter","features":[143]},{"name":"LoadIFilterEx","features":[143]},{"name":"MSIDXSPROP_COMMAND_LOCALE_STRING","features":[143]},{"name":"MSIDXSPROP_MAX_RANK","features":[143]},{"name":"MSIDXSPROP_PARSE_TREE","features":[143]},{"name":"MSIDXSPROP_QUERY_RESTRICTION","features":[143]},{"name":"MSIDXSPROP_RESULTS_FOUND","features":[143]},{"name":"MSIDXSPROP_ROWSETQUERYSTATUS","features":[143]},{"name":"MSIDXSPROP_SAME_SORTORDER_USED","features":[143]},{"name":"MSIDXSPROP_SERVER_NLSVERSION","features":[143]},{"name":"MSIDXSPROP_SERVER_NLSVER_DEFINED","features":[143]},{"name":"MSIDXSPROP_SERVER_VERSION","features":[143]},{"name":"MSIDXSPROP_SERVER_WINVER_MAJOR","features":[143]},{"name":"MSIDXSPROP_SERVER_WINVER_MINOR","features":[143]},{"name":"MSIDXSPROP_WHEREID","features":[143]},{"name":"NOT_AN_ERROR","features":[143]},{"name":"PID_FILENAME","features":[143]},{"name":"PROPID_QUERY_ALL","features":[143]},{"name":"PROPID_QUERY_HITCOUNT","features":[143]},{"name":"PROPID_QUERY_LASTSEENTIME","features":[143]},{"name":"PROPID_QUERY_RANK","features":[143]},{"name":"PROPID_QUERY_RANKVECTOR","features":[143]},{"name":"PROPID_QUERY_UNFILTERED","features":[143]},{"name":"PROPID_QUERY_VIRTUALPATH","features":[143]},{"name":"PROPID_QUERY_WORKID","features":[143]},{"name":"PROPID_STG_CONTENTS","features":[143]},{"name":"PROXIMITY_UNIT_CHAPTER","features":[143]},{"name":"PROXIMITY_UNIT_PARAGRAPH","features":[143]},{"name":"PROXIMITY_UNIT_SENTENCE","features":[143]},{"name":"PROXIMITY_UNIT_WORD","features":[143]},{"name":"PSGUID_FILENAME","features":[143]},{"name":"QUERY_DEEP","features":[143]},{"name":"QUERY_PHYSICAL_PATH","features":[143]},{"name":"QUERY_SHALLOW","features":[143]},{"name":"QUERY_VIRTUAL_PATH","features":[143]},{"name":"SCOPE_FLAG_DEEP","features":[143]},{"name":"SCOPE_FLAG_INCLUDE","features":[143]},{"name":"SCOPE_FLAG_MASK","features":[143]},{"name":"SCOPE_TYPE_MASK","features":[143]},{"name":"SCOPE_TYPE_VPATH","features":[143]},{"name":"SCOPE_TYPE_WINPATH","features":[143]},{"name":"STAT_BUSY","features":[143]},{"name":"STAT_CHUNK","features":[143,63]},{"name":"STAT_COALESCE_COMP_ALL_NOISE","features":[143]},{"name":"STAT_CONTENT_OUT_OF_DATE","features":[143]},{"name":"STAT_CONTENT_QUERY_INCOMPLETE","features":[143]},{"name":"STAT_DONE","features":[143]},{"name":"STAT_ERROR","features":[143]},{"name":"STAT_MISSING_PROP_IN_RELDOC","features":[143]},{"name":"STAT_MISSING_RELDOC","features":[143]},{"name":"STAT_NOISE_WORDS","features":[143]},{"name":"STAT_PARTIAL_SCOPE","features":[143]},{"name":"STAT_REFRESH","features":[143]},{"name":"STAT_REFRESH_INCOMPLETE","features":[143]},{"name":"STAT_RELDOC_ACCESS_DENIED","features":[143]},{"name":"STAT_SHARING_VIOLATION","features":[143]},{"name":"STAT_TIME_LIMIT_EXCEEDED","features":[143]},{"name":"VECTOR_RANK_DICE","features":[143]},{"name":"VECTOR_RANK_INNER","features":[143]},{"name":"VECTOR_RANK_JACCARD","features":[143]},{"name":"VECTOR_RANK_MAX","features":[143]},{"name":"VECTOR_RANK_MIN","features":[143]},{"name":"WORDREP_BREAK_EOC","features":[143]},{"name":"WORDREP_BREAK_EOP","features":[143]},{"name":"WORDREP_BREAK_EOS","features":[143]},{"name":"WORDREP_BREAK_EOW","features":[143]},{"name":"WORDREP_BREAK_TYPE","features":[143]}],"513":[{"name":"FILTER_AGGREGATE_BASIC_INFORMATION","features":[25]},{"name":"FILTER_AGGREGATE_STANDARD_INFORMATION","features":[25]},{"name":"FILTER_FULL_INFORMATION","features":[25]},{"name":"FILTER_INFORMATION_CLASS","features":[25]},{"name":"FILTER_MESSAGE_HEADER","features":[25]},{"name":"FILTER_NAME_MAX_CHARS","features":[25]},{"name":"FILTER_REPLY_HEADER","features":[1,25]},{"name":"FILTER_VOLUME_BASIC_INFORMATION","features":[25]},{"name":"FILTER_VOLUME_INFORMATION_CLASS","features":[25]},{"name":"FILTER_VOLUME_STANDARD_INFORMATION","features":[25]},{"name":"FLTFL_AGGREGATE_INFO_IS_LEGACYFILTER","features":[25]},{"name":"FLTFL_AGGREGATE_INFO_IS_MINIFILTER","features":[25]},{"name":"FLTFL_ASI_IS_LEGACYFILTER","features":[25]},{"name":"FLTFL_ASI_IS_MINIFILTER","features":[25]},{"name":"FLTFL_IASIL_DETACHED_VOLUME","features":[25]},{"name":"FLTFL_IASIM_DETACHED_VOLUME","features":[25]},{"name":"FLTFL_IASI_IS_LEGACYFILTER","features":[25]},{"name":"FLTFL_IASI_IS_MINIFILTER","features":[25]},{"name":"FLTFL_VSI_DETACHED_VOLUME","features":[25]},{"name":"FLT_FILESYSTEM_TYPE","features":[25]},{"name":"FLT_FSTYPE_BSUDF","features":[25]},{"name":"FLT_FSTYPE_CDFS","features":[25]},{"name":"FLT_FSTYPE_CIMFS","features":[25]},{"name":"FLT_FSTYPE_CSVFS","features":[25]},{"name":"FLT_FSTYPE_EXFAT","features":[25]},{"name":"FLT_FSTYPE_FAT","features":[25]},{"name":"FLT_FSTYPE_FS_REC","features":[25]},{"name":"FLT_FSTYPE_GPFS","features":[25]},{"name":"FLT_FSTYPE_INCD","features":[25]},{"name":"FLT_FSTYPE_INCD_FAT","features":[25]},{"name":"FLT_FSTYPE_LANMAN","features":[25]},{"name":"FLT_FSTYPE_MSFS","features":[25]},{"name":"FLT_FSTYPE_MS_NETWARE","features":[25]},{"name":"FLT_FSTYPE_MUP","features":[25]},{"name":"FLT_FSTYPE_NETWARE","features":[25]},{"name":"FLT_FSTYPE_NFS","features":[25]},{"name":"FLT_FSTYPE_NPFS","features":[25]},{"name":"FLT_FSTYPE_NTFS","features":[25]},{"name":"FLT_FSTYPE_OPENAFS","features":[25]},{"name":"FLT_FSTYPE_PSFS","features":[25]},{"name":"FLT_FSTYPE_RAW","features":[25]},{"name":"FLT_FSTYPE_RDPDR","features":[25]},{"name":"FLT_FSTYPE_REFS","features":[25]},{"name":"FLT_FSTYPE_ROXIO_UDF1","features":[25]},{"name":"FLT_FSTYPE_ROXIO_UDF2","features":[25]},{"name":"FLT_FSTYPE_ROXIO_UDF3","features":[25]},{"name":"FLT_FSTYPE_RSFX","features":[25]},{"name":"FLT_FSTYPE_TACIT","features":[25]},{"name":"FLT_FSTYPE_UDFS","features":[25]},{"name":"FLT_FSTYPE_UNKNOWN","features":[25]},{"name":"FLT_FSTYPE_WEBDAV","features":[25]},{"name":"FLT_PORT_FLAG_SYNC_HANDLE","features":[25]},{"name":"FilterAggregateBasicInformation","features":[25]},{"name":"FilterAggregateStandardInformation","features":[25]},{"name":"FilterAttach","features":[25]},{"name":"FilterAttachAtAltitude","features":[25]},{"name":"FilterClose","features":[25]},{"name":"FilterConnectCommunicationPort","features":[1,4,25]},{"name":"FilterCreate","features":[25]},{"name":"FilterDetach","features":[25]},{"name":"FilterFindClose","features":[1,25]},{"name":"FilterFindFirst","features":[1,25]},{"name":"FilterFindNext","features":[1,25]},{"name":"FilterFullInformation","features":[25]},{"name":"FilterGetDosName","features":[25]},{"name":"FilterGetInformation","features":[25]},{"name":"FilterGetMessage","features":[1,25,6]},{"name":"FilterInstanceClose","features":[25]},{"name":"FilterInstanceCreate","features":[25]},{"name":"FilterInstanceFindClose","features":[1,25]},{"name":"FilterInstanceFindFirst","features":[1,25]},{"name":"FilterInstanceFindNext","features":[1,25]},{"name":"FilterInstanceGetInformation","features":[25]},{"name":"FilterLoad","features":[25]},{"name":"FilterReplyMessage","features":[1,25]},{"name":"FilterSendMessage","features":[1,25]},{"name":"FilterUnload","features":[25]},{"name":"FilterVolumeBasicInformation","features":[25]},{"name":"FilterVolumeFindClose","features":[1,25]},{"name":"FilterVolumeFindFirst","features":[1,25]},{"name":"FilterVolumeFindNext","features":[1,25]},{"name":"FilterVolumeInstanceFindClose","features":[1,25]},{"name":"FilterVolumeInstanceFindFirst","features":[1,25]},{"name":"FilterVolumeInstanceFindNext","features":[1,25]},{"name":"FilterVolumeStandardInformation","features":[25]},{"name":"HFILTER","features":[25]},{"name":"HFILTER_INSTANCE","features":[25]},{"name":"INSTANCE_AGGREGATE_STANDARD_INFORMATION","features":[25]},{"name":"INSTANCE_BASIC_INFORMATION","features":[25]},{"name":"INSTANCE_FULL_INFORMATION","features":[25]},{"name":"INSTANCE_INFORMATION_CLASS","features":[25]},{"name":"INSTANCE_NAME_MAX_CHARS","features":[25]},{"name":"INSTANCE_PARTIAL_INFORMATION","features":[25]},{"name":"InstanceAggregateStandardInformation","features":[25]},{"name":"InstanceBasicInformation","features":[25]},{"name":"InstanceFullInformation","features":[25]},{"name":"InstancePartialInformation","features":[25]},{"name":"VOLUME_NAME_MAX_CHARS","features":[25]},{"name":"WNNC_CRED_MANAGER","features":[25]},{"name":"WNNC_NET_10NET","features":[25]},{"name":"WNNC_NET_3IN1","features":[25]},{"name":"WNNC_NET_9P","features":[25]},{"name":"WNNC_NET_9TILES","features":[25]},{"name":"WNNC_NET_APPLETALK","features":[25]},{"name":"WNNC_NET_AS400","features":[25]},{"name":"WNNC_NET_AURISTOR_FS","features":[25]},{"name":"WNNC_NET_AVID","features":[25]},{"name":"WNNC_NET_AVID1","features":[25]},{"name":"WNNC_NET_BMC","features":[25]},{"name":"WNNC_NET_BWNFS","features":[25]},{"name":"WNNC_NET_CLEARCASE","features":[25]},{"name":"WNNC_NET_COGENT","features":[25]},{"name":"WNNC_NET_CSC","features":[25]},{"name":"WNNC_NET_DAV","features":[25]},{"name":"WNNC_NET_DCE","features":[25]},{"name":"WNNC_NET_DECORB","features":[25]},{"name":"WNNC_NET_DFS","features":[25]},{"name":"WNNC_NET_DISTINCT","features":[25]},{"name":"WNNC_NET_DOCUSHARE","features":[25]},{"name":"WNNC_NET_DOCUSPACE","features":[25]},{"name":"WNNC_NET_DRIVEONWEB","features":[25]},{"name":"WNNC_NET_EXIFS","features":[25]},{"name":"WNNC_NET_EXTENDNET","features":[25]},{"name":"WNNC_NET_FARALLON","features":[25]},{"name":"WNNC_NET_FJ_REDIR","features":[25]},{"name":"WNNC_NET_FOXBAT","features":[25]},{"name":"WNNC_NET_FRONTIER","features":[25]},{"name":"WNNC_NET_FTP_NFS","features":[25]},{"name":"WNNC_NET_GOOGLE","features":[25]},{"name":"WNNC_NET_HOB_NFS","features":[25]},{"name":"WNNC_NET_IBMAL","features":[25]},{"name":"WNNC_NET_INTERGRAPH","features":[25]},{"name":"WNNC_NET_KNOWARE","features":[25]},{"name":"WNNC_NET_KWNP","features":[25]},{"name":"WNNC_NET_LANMAN","features":[25]},{"name":"WNNC_NET_LANSTEP","features":[25]},{"name":"WNNC_NET_LANTASTIC","features":[25]},{"name":"WNNC_NET_LIFENET","features":[25]},{"name":"WNNC_NET_LOCK","features":[25]},{"name":"WNNC_NET_LOCUS","features":[25]},{"name":"WNNC_NET_MANGOSOFT","features":[25]},{"name":"WNNC_NET_MASFAX","features":[25]},{"name":"WNNC_NET_MFILES","features":[25]},{"name":"WNNC_NET_MSNET","features":[25]},{"name":"WNNC_NET_MS_NFS","features":[25]},{"name":"WNNC_NET_NDFS","features":[25]},{"name":"WNNC_NET_NETWARE","features":[25]},{"name":"WNNC_NET_OBJECT_DIRE","features":[25]},{"name":"WNNC_NET_OPENAFS","features":[25]},{"name":"WNNC_NET_PATHWORKS","features":[25]},{"name":"WNNC_NET_POWERLAN","features":[25]},{"name":"WNNC_NET_PROTSTOR","features":[25]},{"name":"WNNC_NET_QUINCY","features":[25]},{"name":"WNNC_NET_RDR2SAMPLE","features":[25]},{"name":"WNNC_NET_RIVERFRONT1","features":[25]},{"name":"WNNC_NET_RIVERFRONT2","features":[25]},{"name":"WNNC_NET_RSFX","features":[25]},{"name":"WNNC_NET_SECUREAGENT","features":[25]},{"name":"WNNC_NET_SERNET","features":[25]},{"name":"WNNC_NET_SHIVA","features":[25]},{"name":"WNNC_NET_SMB","features":[25]},{"name":"WNNC_NET_SRT","features":[25]},{"name":"WNNC_NET_STAC","features":[25]},{"name":"WNNC_NET_SUN_PC_NFS","features":[25]},{"name":"WNNC_NET_SYMFONET","features":[25]},{"name":"WNNC_NET_TERMSRV","features":[25]},{"name":"WNNC_NET_TWINS","features":[25]},{"name":"WNNC_NET_VINES","features":[25]},{"name":"WNNC_NET_VMWARE","features":[25]},{"name":"WNNC_NET_YAHOO","features":[25]},{"name":"WNNC_NET_ZENWORKS","features":[25]}],"514":[{"name":"ATA_FLAGS_48BIT_COMMAND","features":[33]},{"name":"ATA_FLAGS_DATA_IN","features":[33]},{"name":"ATA_FLAGS_DATA_OUT","features":[33]},{"name":"ATA_FLAGS_DRDY_REQUIRED","features":[33]},{"name":"ATA_FLAGS_NO_MULTIPLE","features":[33]},{"name":"ATA_FLAGS_USE_DMA","features":[33]},{"name":"ATA_PASS_THROUGH_DIRECT","features":[33]},{"name":"ATA_PASS_THROUGH_DIRECT32","features":[33]},{"name":"ATA_PASS_THROUGH_EX","features":[33]},{"name":"ATA_PASS_THROUGH_EX32","features":[33]},{"name":"AddISNSServerA","features":[33]},{"name":"AddISNSServerW","features":[33]},{"name":"AddIScsiConnectionA","features":[33]},{"name":"AddIScsiConnectionW","features":[33]},{"name":"AddIScsiSendTargetPortalA","features":[33]},{"name":"AddIScsiSendTargetPortalW","features":[33]},{"name":"AddIScsiStaticTargetA","features":[1,33]},{"name":"AddIScsiStaticTargetW","features":[1,33]},{"name":"AddPersistentIScsiDeviceA","features":[33]},{"name":"AddPersistentIScsiDeviceW","features":[33]},{"name":"AddRadiusServerA","features":[33]},{"name":"AddRadiusServerW","features":[33]},{"name":"ClearPersistentIScsiDevices","features":[33]},{"name":"DD_SCSI_DEVICE_NAME","features":[33]},{"name":"DSM_NOTIFICATION_REQUEST_BLOCK","features":[33]},{"name":"DUMP_DRIVER","features":[33]},{"name":"DUMP_DRIVER_EX","features":[33]},{"name":"DUMP_DRIVER_NAME_LENGTH","features":[33]},{"name":"DUMP_EX_FLAG_DRIVER_FULL_PATH_SUPPORT","features":[33]},{"name":"DUMP_EX_FLAG_RESUME_SUPPORT","features":[33]},{"name":"DUMP_EX_FLAG_SUPPORT_64BITMEMORY","features":[33]},{"name":"DUMP_EX_FLAG_SUPPORT_DD_TELEMETRY","features":[33]},{"name":"DUMP_POINTERS","features":[1,33]},{"name":"DUMP_POINTERS_EX","features":[1,33]},{"name":"DUMP_POINTERS_VERSION","features":[33]},{"name":"DUMP_POINTERS_VERSION_1","features":[33]},{"name":"DUMP_POINTERS_VERSION_2","features":[33]},{"name":"DUMP_POINTERS_VERSION_3","features":[33]},{"name":"DUMP_POINTERS_VERSION_4","features":[33]},{"name":"DiscoveryMechanisms","features":[33]},{"name":"FILE_DEVICE_SCSI","features":[33]},{"name":"FIRMWARE_FUNCTION_ACTIVATE","features":[33]},{"name":"FIRMWARE_FUNCTION_DOWNLOAD","features":[33]},{"name":"FIRMWARE_FUNCTION_GET_INFO","features":[33]},{"name":"FIRMWARE_REQUEST_BLOCK","features":[33]},{"name":"FIRMWARE_REQUEST_BLOCK_STRUCTURE_VERSION","features":[33]},{"name":"FIRMWARE_REQUEST_FLAG_CONTROLLER","features":[33]},{"name":"FIRMWARE_REQUEST_FLAG_FIRST_SEGMENT","features":[33]},{"name":"FIRMWARE_REQUEST_FLAG_LAST_SEGMENT","features":[33]},{"name":"FIRMWARE_REQUEST_FLAG_REPLACE_EXISTING_IMAGE","features":[33]},{"name":"FIRMWARE_REQUEST_FLAG_SWITCH_TO_EXISTING_FIRMWARE","features":[33]},{"name":"FIRMWARE_STATUS_COMMAND_ABORT","features":[33]},{"name":"FIRMWARE_STATUS_CONTROLLER_ERROR","features":[33]},{"name":"FIRMWARE_STATUS_DEVICE_ERROR","features":[33]},{"name":"FIRMWARE_STATUS_END_OF_MEDIA","features":[33]},{"name":"FIRMWARE_STATUS_ERROR","features":[33]},{"name":"FIRMWARE_STATUS_ID_NOT_FOUND","features":[33]},{"name":"FIRMWARE_STATUS_ILLEGAL_LENGTH","features":[33]},{"name":"FIRMWARE_STATUS_ILLEGAL_REQUEST","features":[33]},{"name":"FIRMWARE_STATUS_INPUT_BUFFER_TOO_BIG","features":[33]},{"name":"FIRMWARE_STATUS_INTERFACE_CRC_ERROR","features":[33]},{"name":"FIRMWARE_STATUS_INVALID_IMAGE","features":[33]},{"name":"FIRMWARE_STATUS_INVALID_PARAMETER","features":[33]},{"name":"FIRMWARE_STATUS_INVALID_SLOT","features":[33]},{"name":"FIRMWARE_STATUS_MEDIA_CHANGE","features":[33]},{"name":"FIRMWARE_STATUS_MEDIA_CHANGE_REQUEST","features":[33]},{"name":"FIRMWARE_STATUS_OUTPUT_BUFFER_TOO_SMALL","features":[33]},{"name":"FIRMWARE_STATUS_POWER_CYCLE_REQUIRED","features":[33]},{"name":"FIRMWARE_STATUS_SUCCESS","features":[33]},{"name":"FIRMWARE_STATUS_UNCORRECTABLE_DATA_ERROR","features":[33]},{"name":"GetDevicesForIScsiSessionA","features":[33,22]},{"name":"GetDevicesForIScsiSessionW","features":[33,22]},{"name":"GetIScsiIKEInfoA","features":[33]},{"name":"GetIScsiIKEInfoW","features":[33]},{"name":"GetIScsiInitiatorNodeNameA","features":[33]},{"name":"GetIScsiInitiatorNodeNameW","features":[33]},{"name":"GetIScsiSessionListA","features":[33]},{"name":"GetIScsiSessionListEx","features":[1,33]},{"name":"GetIScsiSessionListW","features":[33]},{"name":"GetIScsiTargetInformationA","features":[33]},{"name":"GetIScsiTargetInformationW","features":[33]},{"name":"GetIScsiVersionInformation","features":[33]},{"name":"HYBRID_DEMOTE_BY_SIZE","features":[33]},{"name":"HYBRID_DIRTY_THRESHOLDS","features":[33]},{"name":"HYBRID_FUNCTION_DEMOTE_BY_SIZE","features":[33]},{"name":"HYBRID_FUNCTION_DISABLE_CACHING_MEDIUM","features":[33]},{"name":"HYBRID_FUNCTION_ENABLE_CACHING_MEDIUM","features":[33]},{"name":"HYBRID_FUNCTION_GET_INFO","features":[33]},{"name":"HYBRID_FUNCTION_SET_DIRTY_THRESHOLD","features":[33]},{"name":"HYBRID_INFORMATION","features":[1,33]},{"name":"HYBRID_REQUEST_BLOCK","features":[33]},{"name":"HYBRID_REQUEST_BLOCK_STRUCTURE_VERSION","features":[33]},{"name":"HYBRID_REQUEST_INFO_STRUCTURE_VERSION","features":[33]},{"name":"HYBRID_STATUS_ENABLE_REFCOUNT_HOLD","features":[33]},{"name":"HYBRID_STATUS_ILLEGAL_REQUEST","features":[33]},{"name":"HYBRID_STATUS_INVALID_PARAMETER","features":[33]},{"name":"HYBRID_STATUS_OUTPUT_BUFFER_TOO_SMALL","features":[33]},{"name":"HYBRID_STATUS_SUCCESS","features":[33]},{"name":"IDE_IO_CONTROL","features":[33]},{"name":"ID_FQDN","features":[33]},{"name":"ID_IPV4_ADDR","features":[33]},{"name":"ID_IPV6_ADDR","features":[33]},{"name":"ID_USER_FQDN","features":[33]},{"name":"IKE_AUTHENTICATION_INFORMATION","features":[33]},{"name":"IKE_AUTHENTICATION_METHOD","features":[33]},{"name":"IKE_AUTHENTICATION_PRESHARED_KEY","features":[33]},{"name":"IKE_AUTHENTICATION_PRESHARED_KEY_METHOD","features":[33]},{"name":"IOCTL_ATA_MINIPORT","features":[33]},{"name":"IOCTL_ATA_PASS_THROUGH","features":[33]},{"name":"IOCTL_ATA_PASS_THROUGH_DIRECT","features":[33]},{"name":"IOCTL_IDE_PASS_THROUGH","features":[33]},{"name":"IOCTL_MINIPORT_PROCESS_SERVICE_IRP","features":[33]},{"name":"IOCTL_MINIPORT_SIGNATURE_DSM_GENERAL","features":[33]},{"name":"IOCTL_MINIPORT_SIGNATURE_DSM_NOTIFICATION","features":[33]},{"name":"IOCTL_MINIPORT_SIGNATURE_ENDURANCE_INFO","features":[33]},{"name":"IOCTL_MINIPORT_SIGNATURE_FIRMWARE","features":[33]},{"name":"IOCTL_MINIPORT_SIGNATURE_HYBRDISK","features":[33]},{"name":"IOCTL_MINIPORT_SIGNATURE_QUERY_PHYSICAL_TOPOLOGY","features":[33]},{"name":"IOCTL_MINIPORT_SIGNATURE_QUERY_PROTOCOL","features":[33]},{"name":"IOCTL_MINIPORT_SIGNATURE_QUERY_TEMPERATURE","features":[33]},{"name":"IOCTL_MINIPORT_SIGNATURE_SCSIDISK","features":[33]},{"name":"IOCTL_MINIPORT_SIGNATURE_SET_PROTOCOL","features":[33]},{"name":"IOCTL_MINIPORT_SIGNATURE_SET_TEMPERATURE_THRESHOLD","features":[33]},{"name":"IOCTL_MPIO_PASS_THROUGH_PATH","features":[33]},{"name":"IOCTL_MPIO_PASS_THROUGH_PATH_DIRECT","features":[33]},{"name":"IOCTL_MPIO_PASS_THROUGH_PATH_DIRECT_EX","features":[33]},{"name":"IOCTL_MPIO_PASS_THROUGH_PATH_EX","features":[33]},{"name":"IOCTL_SCSI_BASE","features":[33]},{"name":"IOCTL_SCSI_FREE_DUMP_POINTERS","features":[33]},{"name":"IOCTL_SCSI_GET_ADDRESS","features":[33]},{"name":"IOCTL_SCSI_GET_CAPABILITIES","features":[33]},{"name":"IOCTL_SCSI_GET_DUMP_POINTERS","features":[33]},{"name":"IOCTL_SCSI_GET_INQUIRY_DATA","features":[33]},{"name":"IOCTL_SCSI_MINIPORT","features":[33]},{"name":"IOCTL_SCSI_PASS_THROUGH","features":[33]},{"name":"IOCTL_SCSI_PASS_THROUGH_DIRECT","features":[33]},{"name":"IOCTL_SCSI_PASS_THROUGH_DIRECT_EX","features":[33]},{"name":"IOCTL_SCSI_PASS_THROUGH_EX","features":[33]},{"name":"IOCTL_SCSI_RESCAN_BUS","features":[33]},{"name":"IO_SCSI_CAPABILITIES","features":[1,33]},{"name":"ISCSI_AUTH_TYPES","features":[33]},{"name":"ISCSI_CHAP_AUTH_TYPE","features":[33]},{"name":"ISCSI_CONNECTION_INFOA","features":[33]},{"name":"ISCSI_CONNECTION_INFOW","features":[33]},{"name":"ISCSI_CONNECTION_INFO_EX","features":[33]},{"name":"ISCSI_DEVICE_ON_SESSIONA","features":[33,22]},{"name":"ISCSI_DEVICE_ON_SESSIONW","features":[33,22]},{"name":"ISCSI_DIGEST_TYPES","features":[33]},{"name":"ISCSI_DIGEST_TYPE_CRC32C","features":[33]},{"name":"ISCSI_DIGEST_TYPE_NONE","features":[33]},{"name":"ISCSI_LOGIN_FLAG_ALLOW_PORTAL_HOPPING","features":[33]},{"name":"ISCSI_LOGIN_FLAG_MULTIPATH_ENABLED","features":[33]},{"name":"ISCSI_LOGIN_FLAG_REQUIRE_IPSEC","features":[33]},{"name":"ISCSI_LOGIN_FLAG_RESERVED1","features":[33]},{"name":"ISCSI_LOGIN_FLAG_USE_RADIUS_RESPONSE","features":[33]},{"name":"ISCSI_LOGIN_FLAG_USE_RADIUS_VERIFICATION","features":[33]},{"name":"ISCSI_LOGIN_OPTIONS","features":[33]},{"name":"ISCSI_LOGIN_OPTIONS_AUTH_TYPE","features":[33]},{"name":"ISCSI_LOGIN_OPTIONS_DATA_DIGEST","features":[33]},{"name":"ISCSI_LOGIN_OPTIONS_DEFAULT_TIME_2_RETAIN","features":[33]},{"name":"ISCSI_LOGIN_OPTIONS_DEFAULT_TIME_2_WAIT","features":[33]},{"name":"ISCSI_LOGIN_OPTIONS_HEADER_DIGEST","features":[33]},{"name":"ISCSI_LOGIN_OPTIONS_MAXIMUM_CONNECTIONS","features":[33]},{"name":"ISCSI_LOGIN_OPTIONS_PASSWORD","features":[33]},{"name":"ISCSI_LOGIN_OPTIONS_USERNAME","features":[33]},{"name":"ISCSI_LOGIN_OPTIONS_VERSION","features":[33]},{"name":"ISCSI_MUTUAL_CHAP_AUTH_TYPE","features":[33]},{"name":"ISCSI_NO_AUTH_TYPE","features":[33]},{"name":"ISCSI_SECURITY_FLAG_AGGRESSIVE_MODE_ENABLED","features":[33]},{"name":"ISCSI_SECURITY_FLAG_IKE_IPSEC_ENABLED","features":[33]},{"name":"ISCSI_SECURITY_FLAG_MAIN_MODE_ENABLED","features":[33]},{"name":"ISCSI_SECURITY_FLAG_PFS_ENABLED","features":[33]},{"name":"ISCSI_SECURITY_FLAG_TRANSPORT_MODE_PREFERRED","features":[33]},{"name":"ISCSI_SECURITY_FLAG_TUNNEL_MODE_PREFERRED","features":[33]},{"name":"ISCSI_SECURITY_FLAG_VALID","features":[33]},{"name":"ISCSI_SESSION_INFOA","features":[33]},{"name":"ISCSI_SESSION_INFOW","features":[33]},{"name":"ISCSI_SESSION_INFO_EX","features":[1,33]},{"name":"ISCSI_TARGET_FLAG_HIDE_STATIC_TARGET","features":[33]},{"name":"ISCSI_TARGET_FLAG_MERGE_TARGET_INFORMATION","features":[33]},{"name":"ISCSI_TARGET_MAPPINGA","features":[33]},{"name":"ISCSI_TARGET_MAPPINGW","features":[33]},{"name":"ISCSI_TARGET_PORTALA","features":[33]},{"name":"ISCSI_TARGET_PORTALW","features":[33]},{"name":"ISCSI_TARGET_PORTAL_GROUPA","features":[33]},{"name":"ISCSI_TARGET_PORTAL_GROUPW","features":[33]},{"name":"ISCSI_TARGET_PORTAL_INFOA","features":[33]},{"name":"ISCSI_TARGET_PORTAL_INFOW","features":[33]},{"name":"ISCSI_TARGET_PORTAL_INFO_EXA","features":[33]},{"name":"ISCSI_TARGET_PORTAL_INFO_EXW","features":[33]},{"name":"ISCSI_TCP_PROTOCOL_TYPE","features":[33]},{"name":"ISCSI_UNIQUE_SESSION_ID","features":[33]},{"name":"ISCSI_VERSION_INFO","features":[33]},{"name":"InitiatorName","features":[33]},{"name":"LoginIScsiTargetA","features":[1,33]},{"name":"LoginIScsiTargetW","features":[1,33]},{"name":"LoginOptions","features":[33]},{"name":"LogoutIScsiTarget","features":[33]},{"name":"MAX_ISCSI_ALIAS_LEN","features":[33]},{"name":"MAX_ISCSI_DISCOVERY_DOMAIN_LEN","features":[33]},{"name":"MAX_ISCSI_HBANAME_LEN","features":[33]},{"name":"MAX_ISCSI_NAME_LEN","features":[33]},{"name":"MAX_ISCSI_PORTAL_ADDRESS_LEN","features":[33]},{"name":"MAX_ISCSI_PORTAL_ALIAS_LEN","features":[33]},{"name":"MAX_ISCSI_PORTAL_NAME_LEN","features":[33]},{"name":"MAX_ISCSI_TEXT_ADDRESS_LEN","features":[33]},{"name":"MAX_RADIUS_ADDRESS_LEN","features":[33]},{"name":"MINIPORT_DSM_NOTIFICATION_VERSION","features":[33]},{"name":"MINIPORT_DSM_NOTIFICATION_VERSION_1","features":[33]},{"name":"MINIPORT_DSM_NOTIFY_FLAG_BEGIN","features":[33]},{"name":"MINIPORT_DSM_NOTIFY_FLAG_END","features":[33]},{"name":"MINIPORT_DSM_PROFILE_CRASHDUMP_FILE","features":[33]},{"name":"MINIPORT_DSM_PROFILE_HIBERNATION_FILE","features":[33]},{"name":"MINIPORT_DSM_PROFILE_PAGE_FILE","features":[33]},{"name":"MINIPORT_DSM_PROFILE_UNKNOWN","features":[33]},{"name":"MPIO_IOCTL_FLAG_INVOLVE_DSM","features":[33]},{"name":"MPIO_IOCTL_FLAG_USE_PATHID","features":[33]},{"name":"MPIO_IOCTL_FLAG_USE_SCSIADDRESS","features":[33]},{"name":"MPIO_PASS_THROUGH_PATH","features":[33]},{"name":"MPIO_PASS_THROUGH_PATH32","features":[33]},{"name":"MPIO_PASS_THROUGH_PATH32_EX","features":[33]},{"name":"MPIO_PASS_THROUGH_PATH_DIRECT","features":[33]},{"name":"MPIO_PASS_THROUGH_PATH_DIRECT32","features":[33]},{"name":"MPIO_PASS_THROUGH_PATH_DIRECT32_EX","features":[33]},{"name":"MPIO_PASS_THROUGH_PATH_DIRECT_EX","features":[33]},{"name":"MPIO_PASS_THROUGH_PATH_EX","features":[33]},{"name":"MP_DEVICE_DATA_SET_RANGE","features":[33]},{"name":"MP_STORAGE_DIAGNOSTIC_LEVEL","features":[33]},{"name":"MP_STORAGE_DIAGNOSTIC_TARGET_TYPE","features":[33]},{"name":"MpStorageDiagnosticLevelDefault","features":[33]},{"name":"MpStorageDiagnosticLevelMax","features":[33]},{"name":"MpStorageDiagnosticTargetTypeHbaFirmware","features":[33]},{"name":"MpStorageDiagnosticTargetTypeMax","features":[33]},{"name":"MpStorageDiagnosticTargetTypeMiniport","features":[33]},{"name":"MpStorageDiagnosticTargetTypeUndefined","features":[33]},{"name":"NRB_FUNCTION_ADD_LBAS_PINNED_SET","features":[33]},{"name":"NRB_FUNCTION_FLUSH_NVCACHE","features":[33]},{"name":"NRB_FUNCTION_NVCACHE_INFO","features":[33]},{"name":"NRB_FUNCTION_NVCACHE_POWER_MODE_RETURN","features":[33]},{"name":"NRB_FUNCTION_NVCACHE_POWER_MODE_SET","features":[33]},{"name":"NRB_FUNCTION_NVSEPARATED_FLUSH","features":[33]},{"name":"NRB_FUNCTION_NVSEPARATED_INFO","features":[33]},{"name":"NRB_FUNCTION_NVSEPARATED_WB_DISABLE","features":[33]},{"name":"NRB_FUNCTION_NVSEPARATED_WB_REVERT_DEFAULT","features":[33]},{"name":"NRB_FUNCTION_PASS_HINT_PAYLOAD","features":[33]},{"name":"NRB_FUNCTION_QUERY_ASCENDER_STATUS","features":[33]},{"name":"NRB_FUNCTION_QUERY_CACHE_MISS","features":[33]},{"name":"NRB_FUNCTION_QUERY_HYBRID_DISK_STATUS","features":[33]},{"name":"NRB_FUNCTION_QUERY_PINNED_SET","features":[33]},{"name":"NRB_FUNCTION_REMOVE_LBAS_PINNED_SET","features":[33]},{"name":"NRB_FUNCTION_SPINDLE_STATUS","features":[33]},{"name":"NRB_ILLEGAL_REQUEST","features":[33]},{"name":"NRB_INPUT_DATA_OVERRUN","features":[33]},{"name":"NRB_INPUT_DATA_UNDERRUN","features":[33]},{"name":"NRB_INVALID_PARAMETER","features":[33]},{"name":"NRB_OUTPUT_DATA_OVERRUN","features":[33]},{"name":"NRB_OUTPUT_DATA_UNDERRUN","features":[33]},{"name":"NRB_SUCCESS","features":[33]},{"name":"NTSCSI_UNICODE_STRING","features":[33]},{"name":"NVCACHE_HINT_PAYLOAD","features":[33]},{"name":"NVCACHE_PRIORITY_LEVEL_DESCRIPTOR","features":[33]},{"name":"NVCACHE_REQUEST_BLOCK","features":[33]},{"name":"NVCACHE_STATUS","features":[33]},{"name":"NVCACHE_TYPE","features":[33]},{"name":"NVSEPWriteCacheTypeNone","features":[33]},{"name":"NVSEPWriteCacheTypeUnknown","features":[33]},{"name":"NVSEPWriteCacheTypeWriteBack","features":[33]},{"name":"NVSEPWriteCacheTypeWriteThrough","features":[33]},{"name":"NV_FEATURE_PARAMETER","features":[33]},{"name":"NV_SEP_CACHE_PARAMETER","features":[33]},{"name":"NV_SEP_CACHE_PARAMETER_VERSION","features":[33]},{"name":"NV_SEP_CACHE_PARAMETER_VERSION_1","features":[33]},{"name":"NV_SEP_WRITE_CACHE_TYPE","features":[33]},{"name":"NvCacheStatusDisabled","features":[33]},{"name":"NvCacheStatusDisabling","features":[33]},{"name":"NvCacheStatusEnabled","features":[33]},{"name":"NvCacheStatusUnknown","features":[33]},{"name":"NvCacheTypeNone","features":[33]},{"name":"NvCacheTypeUnknown","features":[33]},{"name":"NvCacheTypeWriteBack","features":[33]},{"name":"NvCacheTypeWriteThrough","features":[33]},{"name":"PDUMP_DEVICE_POWERON_ROUTINE","features":[33]},{"name":"PERSISTENT_ISCSI_LOGIN_INFOA","features":[1,33]},{"name":"PERSISTENT_ISCSI_LOGIN_INFOW","features":[1,33]},{"name":"PersistentTargetMappings","features":[33]},{"name":"PortalGroups","features":[33]},{"name":"ProtocolType","features":[33]},{"name":"RefreshISNSServerA","features":[33]},{"name":"RefreshISNSServerW","features":[33]},{"name":"RefreshIScsiSendTargetPortalA","features":[33]},{"name":"RefreshIScsiSendTargetPortalW","features":[33]},{"name":"RemoveISNSServerA","features":[33]},{"name":"RemoveISNSServerW","features":[33]},{"name":"RemoveIScsiConnection","features":[33]},{"name":"RemoveIScsiPersistentTargetA","features":[33]},{"name":"RemoveIScsiPersistentTargetW","features":[33]},{"name":"RemoveIScsiSendTargetPortalA","features":[33]},{"name":"RemoveIScsiSendTargetPortalW","features":[33]},{"name":"RemoveIScsiStaticTargetA","features":[33]},{"name":"RemoveIScsiStaticTargetW","features":[33]},{"name":"RemovePersistentIScsiDeviceA","features":[33]},{"name":"RemovePersistentIScsiDeviceW","features":[33]},{"name":"RemoveRadiusServerA","features":[33]},{"name":"RemoveRadiusServerW","features":[33]},{"name":"ReportActiveIScsiTargetMappingsA","features":[33]},{"name":"ReportActiveIScsiTargetMappingsW","features":[33]},{"name":"ReportISNSServerListA","features":[33]},{"name":"ReportISNSServerListW","features":[33]},{"name":"ReportIScsiInitiatorListA","features":[33]},{"name":"ReportIScsiInitiatorListW","features":[33]},{"name":"ReportIScsiPersistentLoginsA","features":[1,33]},{"name":"ReportIScsiPersistentLoginsW","features":[1,33]},{"name":"ReportIScsiSendTargetPortalsA","features":[33]},{"name":"ReportIScsiSendTargetPortalsExA","features":[33]},{"name":"ReportIScsiSendTargetPortalsExW","features":[33]},{"name":"ReportIScsiSendTargetPortalsW","features":[33]},{"name":"ReportIScsiTargetPortalsA","features":[33]},{"name":"ReportIScsiTargetPortalsW","features":[33]},{"name":"ReportIScsiTargetsA","features":[1,33]},{"name":"ReportIScsiTargetsW","features":[1,33]},{"name":"ReportPersistentIScsiDevicesA","features":[33]},{"name":"ReportPersistentIScsiDevicesW","features":[33]},{"name":"ReportRadiusServerListA","features":[33]},{"name":"ReportRadiusServerListW","features":[33]},{"name":"SCSI_ADAPTER_BUS_INFO","features":[33]},{"name":"SCSI_ADDRESS","features":[33]},{"name":"SCSI_BUS_DATA","features":[33]},{"name":"SCSI_INQUIRY_DATA","features":[1,33]},{"name":"SCSI_IOCTL_DATA_BIDIRECTIONAL","features":[33]},{"name":"SCSI_IOCTL_DATA_IN","features":[33]},{"name":"SCSI_IOCTL_DATA_OUT","features":[33]},{"name":"SCSI_IOCTL_DATA_UNSPECIFIED","features":[33]},{"name":"SCSI_LUN_LIST","features":[33]},{"name":"SCSI_PASS_THROUGH","features":[33]},{"name":"SCSI_PASS_THROUGH32","features":[33]},{"name":"SCSI_PASS_THROUGH32_EX","features":[33]},{"name":"SCSI_PASS_THROUGH_DIRECT","features":[33]},{"name":"SCSI_PASS_THROUGH_DIRECT32","features":[33]},{"name":"SCSI_PASS_THROUGH_DIRECT32_EX","features":[33]},{"name":"SCSI_PASS_THROUGH_DIRECT_EX","features":[33]},{"name":"SCSI_PASS_THROUGH_EX","features":[33]},{"name":"SRB_IO_CONTROL","features":[33]},{"name":"STORAGE_DIAGNOSTIC_MP_REQUEST","features":[33]},{"name":"STORAGE_DIAGNOSTIC_STATUS_BUFFER_TOO_SMALL","features":[33]},{"name":"STORAGE_DIAGNOSTIC_STATUS_INVALID_PARAMETER","features":[33]},{"name":"STORAGE_DIAGNOSTIC_STATUS_INVALID_SIGNATURE","features":[33]},{"name":"STORAGE_DIAGNOSTIC_STATUS_INVALID_TARGET_TYPE","features":[33]},{"name":"STORAGE_DIAGNOSTIC_STATUS_MORE_DATA","features":[33]},{"name":"STORAGE_DIAGNOSTIC_STATUS_SUCCESS","features":[33]},{"name":"STORAGE_DIAGNOSTIC_STATUS_UNSUPPORTED_VERSION","features":[33]},{"name":"STORAGE_ENDURANCE_DATA_DESCRIPTOR","features":[33]},{"name":"STORAGE_ENDURANCE_INFO","features":[33]},{"name":"STORAGE_FIRMWARE_ACTIVATE","features":[33]},{"name":"STORAGE_FIRMWARE_ACTIVATE_STRUCTURE_VERSION","features":[33]},{"name":"STORAGE_FIRMWARE_DOWNLOAD","features":[33]},{"name":"STORAGE_FIRMWARE_DOWNLOAD_STRUCTURE_VERSION","features":[33]},{"name":"STORAGE_FIRMWARE_DOWNLOAD_STRUCTURE_VERSION_V2","features":[33]},{"name":"STORAGE_FIRMWARE_DOWNLOAD_V2","features":[33]},{"name":"STORAGE_FIRMWARE_INFO","features":[1,33]},{"name":"STORAGE_FIRMWARE_INFO_INVALID_SLOT","features":[33]},{"name":"STORAGE_FIRMWARE_INFO_STRUCTURE_VERSION","features":[33]},{"name":"STORAGE_FIRMWARE_INFO_STRUCTURE_VERSION_V2","features":[33]},{"name":"STORAGE_FIRMWARE_INFO_V2","features":[1,33]},{"name":"STORAGE_FIRMWARE_SLOT_INFO","features":[1,33]},{"name":"STORAGE_FIRMWARE_SLOT_INFO_V2","features":[1,33]},{"name":"STORAGE_FIRMWARE_SLOT_INFO_V2_REVISION_LENGTH","features":[33]},{"name":"ScsiRawInterfaceGuid","features":[33]},{"name":"SendScsiInquiry","features":[33]},{"name":"SendScsiReadCapacity","features":[33]},{"name":"SendScsiReportLuns","features":[33]},{"name":"SetIScsiGroupPresharedKey","features":[1,33]},{"name":"SetIScsiIKEInfoA","features":[1,33]},{"name":"SetIScsiIKEInfoW","features":[1,33]},{"name":"SetIScsiInitiatorCHAPSharedSecret","features":[33]},{"name":"SetIScsiInitiatorNodeNameA","features":[33]},{"name":"SetIScsiInitiatorNodeNameW","features":[33]},{"name":"SetIScsiInitiatorRADIUSSharedSecret","features":[33]},{"name":"SetIScsiTunnelModeOuterAddressA","features":[1,33]},{"name":"SetIScsiTunnelModeOuterAddressW","features":[1,33]},{"name":"SetupPersistentIScsiDevices","features":[33]},{"name":"SetupPersistentIScsiVolumes","features":[33]},{"name":"TARGETPROTOCOLTYPE","features":[33]},{"name":"TARGET_INFORMATION_CLASS","features":[33]},{"name":"TargetAlias","features":[33]},{"name":"TargetFlags","features":[33]},{"name":"WmiScsiAddressGuid","features":[33]},{"name":"_ADAPTER_OBJECT","features":[33]}],"515":[{"name":"JET_BASE_NAME_LENGTH","features":[144]},{"name":"JET_BKINFO","features":[144]},{"name":"JET_BKLOGTIME","features":[144]},{"name":"JET_CALLBACK","features":[144,145]},{"name":"JET_COLUMNBASE_A","features":[144]},{"name":"JET_COLUMNBASE_W","features":[144]},{"name":"JET_COLUMNCREATE_A","features":[144]},{"name":"JET_COLUMNCREATE_W","features":[144]},{"name":"JET_COLUMNDEF","features":[144]},{"name":"JET_COLUMNLIST","features":[144,145]},{"name":"JET_COMMIT_ID","features":[144]},{"name":"JET_COMMIT_ID","features":[144]},{"name":"JET_CONDITIONALCOLUMN_A","features":[144]},{"name":"JET_CONDITIONALCOLUMN_W","features":[144]},{"name":"JET_CONVERT_A","features":[144]},{"name":"JET_CONVERT_W","features":[144]},{"name":"JET_ColInfoGrbitMinimalInfo","features":[144]},{"name":"JET_ColInfoGrbitNonDerivedColumnsOnly","features":[144]},{"name":"JET_ColInfoGrbitSortByColumnid","features":[144]},{"name":"JET_DBINFOMISC","features":[144]},{"name":"JET_DBINFOMISC2","features":[144]},{"name":"JET_DBINFOMISC3","features":[144]},{"name":"JET_DBINFOMISC4","features":[144]},{"name":"JET_DBINFOUPGRADE","features":[144]},{"name":"JET_DbInfoCollate","features":[144]},{"name":"JET_DbInfoConnect","features":[144]},{"name":"JET_DbInfoCountry","features":[144]},{"name":"JET_DbInfoCp","features":[144]},{"name":"JET_DbInfoDBInUse","features":[144]},{"name":"JET_DbInfoFileType","features":[144]},{"name":"JET_DbInfoFilename","features":[144]},{"name":"JET_DbInfoFilesize","features":[144]},{"name":"JET_DbInfoFilesizeOnDisk","features":[144]},{"name":"JET_DbInfoIsam","features":[144]},{"name":"JET_DbInfoLCID","features":[144]},{"name":"JET_DbInfoLangid","features":[144]},{"name":"JET_DbInfoMisc","features":[144]},{"name":"JET_DbInfoOptions","features":[144]},{"name":"JET_DbInfoPageSize","features":[144]},{"name":"JET_DbInfoSpaceAvailable","features":[144]},{"name":"JET_DbInfoSpaceOwned","features":[144]},{"name":"JET_DbInfoTransactions","features":[144]},{"name":"JET_DbInfoUpgrade","features":[144]},{"name":"JET_DbInfoVersion","features":[144]},{"name":"JET_ENUMCOLUMN","features":[144]},{"name":"JET_ENUMCOLUMNID","features":[144]},{"name":"JET_ENUMCOLUMNVALUE","features":[144]},{"name":"JET_ERRCAT","features":[144]},{"name":"JET_ERRINFOBASIC_W","features":[144]},{"name":"JET_EventLoggingDisable","features":[144]},{"name":"JET_EventLoggingLevelHigh","features":[144]},{"name":"JET_EventLoggingLevelLow","features":[144]},{"name":"JET_EventLoggingLevelMax","features":[144]},{"name":"JET_EventLoggingLevelMedium","features":[144]},{"name":"JET_EventLoggingLevelMin","features":[144]},{"name":"JET_ExceptionFailFast","features":[144]},{"name":"JET_ExceptionMsgBox","features":[144]},{"name":"JET_ExceptionNone","features":[144]},{"name":"JET_INDEXCHECKING","features":[144]},{"name":"JET_INDEXCREATE2_A","features":[144]},{"name":"JET_INDEXCREATE2_W","features":[144]},{"name":"JET_INDEXCREATE3_A","features":[144]},{"name":"JET_INDEXCREATE3_W","features":[144]},{"name":"JET_INDEXCREATE_A","features":[144]},{"name":"JET_INDEXCREATE_W","features":[144]},{"name":"JET_INDEXID","features":[144]},{"name":"JET_INDEXID","features":[144]},{"name":"JET_INDEXLIST","features":[144,145]},{"name":"JET_INDEXRANGE","features":[144,145]},{"name":"JET_INDEX_COLUMN","features":[144]},{"name":"JET_INDEX_RANGE","features":[144]},{"name":"JET_INSTANCE_INFO_A","features":[144,145]},{"name":"JET_INSTANCE_INFO_W","features":[144,145]},{"name":"JET_IOPriorityLow","features":[144]},{"name":"JET_IOPriorityNormal","features":[144]},{"name":"JET_IndexCheckingDeferToOpenTable","features":[144]},{"name":"JET_IndexCheckingMax","features":[144]},{"name":"JET_IndexCheckingOff","features":[144]},{"name":"JET_IndexCheckingOn","features":[144]},{"name":"JET_LGPOS","features":[144]},{"name":"JET_LOGINFO_A","features":[144]},{"name":"JET_LOGINFO_W","features":[144]},{"name":"JET_LOGTIME","features":[144]},{"name":"JET_LS","features":[144]},{"name":"JET_MAX_COMPUTERNAME_LENGTH","features":[144]},{"name":"JET_MoveFirst","features":[144]},{"name":"JET_MoveLast","features":[144]},{"name":"JET_MovePrevious","features":[144]},{"name":"JET_OBJECTINFO","features":[144]},{"name":"JET_OBJECTINFO","features":[144]},{"name":"JET_OBJECTLIST","features":[144,145]},{"name":"JET_OPENTEMPORARYTABLE","features":[144,145]},{"name":"JET_OPENTEMPORARYTABLE2","features":[144,145]},{"name":"JET_OPERATIONCONTEXT","features":[144]},{"name":"JET_OSSNAPID","features":[144]},{"name":"JET_OnlineDefragAll","features":[144]},{"name":"JET_OnlineDefragAllOBSOLETE","features":[144]},{"name":"JET_OnlineDefragDatabases","features":[144]},{"name":"JET_OnlineDefragDisable","features":[144]},{"name":"JET_OnlineDefragSpaceTrees","features":[144]},{"name":"JET_PFNDURABLECOMMITCALLBACK","features":[144,145]},{"name":"JET_PFNREALLOC","features":[144]},{"name":"JET_PFNSTATUS","features":[144,145]},{"name":"JET_RECORDLIST","features":[144,145]},{"name":"JET_RECPOS","features":[144]},{"name":"JET_RECPOS2","features":[144]},{"name":"JET_RECPOS2","features":[144]},{"name":"JET_RECSIZE","features":[144]},{"name":"JET_RECSIZE","features":[144]},{"name":"JET_RECSIZE2","features":[144]},{"name":"JET_RECSIZE2","features":[144]},{"name":"JET_RELOP","features":[144]},{"name":"JET_RETINFO","features":[144]},{"name":"JET_RETRIEVECOLUMN","features":[144]},{"name":"JET_RSTINFO_A","features":[144,145]},{"name":"JET_RSTINFO_W","features":[144,145]},{"name":"JET_RSTMAP_A","features":[144]},{"name":"JET_RSTMAP_W","features":[144]},{"name":"JET_SETCOLUMN","features":[144]},{"name":"JET_SETINFO","features":[144]},{"name":"JET_SETSYSPARAM_A","features":[144,145]},{"name":"JET_SETSYSPARAM_W","features":[144,145]},{"name":"JET_SIGNATURE","features":[144]},{"name":"JET_SNPROG","features":[144]},{"name":"JET_SPACEHINTS","features":[144]},{"name":"JET_TABLECREATE2_A","features":[144,145]},{"name":"JET_TABLECREATE2_W","features":[144,145]},{"name":"JET_TABLECREATE3_A","features":[144,145]},{"name":"JET_TABLECREATE3_W","features":[144,145]},{"name":"JET_TABLECREATE4_A","features":[144,145]},{"name":"JET_TABLECREATE4_W","features":[144,145]},{"name":"JET_TABLECREATE_A","features":[144,145]},{"name":"JET_TABLECREATE_W","features":[144,145]},{"name":"JET_THREADSTATS","features":[144]},{"name":"JET_THREADSTATS2","features":[144]},{"name":"JET_THREADSTATS2","features":[144]},{"name":"JET_TUPLELIMITS","features":[144]},{"name":"JET_UNICODEINDEX","features":[144]},{"name":"JET_UNICODEINDEX2","features":[144]},{"name":"JET_USERDEFINEDDEFAULT_A","features":[144]},{"name":"JET_USERDEFINEDDEFAULT_W","features":[144]},{"name":"JET_VERSION","features":[144]},{"name":"JET_bitAbortSnapshot","features":[144]},{"name":"JET_bitAllDatabasesSnapshot","features":[144]},{"name":"JET_bitBackupAtomic","features":[144]},{"name":"JET_bitBackupEndAbort","features":[144]},{"name":"JET_bitBackupEndNormal","features":[144]},{"name":"JET_bitBackupIncremental","features":[144]},{"name":"JET_bitBackupSnapshot","features":[144]},{"name":"JET_bitBackupTruncateDone","features":[144]},{"name":"JET_bitBookmarkPermitVirtualCurrency","features":[144]},{"name":"JET_bitCheckUniqueness","features":[144]},{"name":"JET_bitColumnAutoincrement","features":[144]},{"name":"JET_bitColumnCompressed","features":[144]},{"name":"JET_bitColumnDeleteOnZero","features":[144]},{"name":"JET_bitColumnEscrowUpdate","features":[144]},{"name":"JET_bitColumnFinalize","features":[144]},{"name":"JET_bitColumnFixed","features":[144]},{"name":"JET_bitColumnMaybeNull","features":[144]},{"name":"JET_bitColumnMultiValued","features":[144]},{"name":"JET_bitColumnNotNULL","features":[144]},{"name":"JET_bitColumnTTDescending","features":[144]},{"name":"JET_bitColumnTTKey","features":[144]},{"name":"JET_bitColumnTagged","features":[144]},{"name":"JET_bitColumnUnversioned","features":[144]},{"name":"JET_bitColumnUpdatable","features":[144]},{"name":"JET_bitColumnUserDefinedDefault","features":[144]},{"name":"JET_bitColumnVersion","features":[144]},{"name":"JET_bitCommitLazyFlush","features":[144]},{"name":"JET_bitCompactRepair","features":[144]},{"name":"JET_bitCompactStats","features":[144]},{"name":"JET_bitConfigStoreReadControlDefault","features":[144]},{"name":"JET_bitConfigStoreReadControlDisableAll","features":[144]},{"name":"JET_bitConfigStoreReadControlInhibitRead","features":[144]},{"name":"JET_bitContinueAfterThaw","features":[144]},{"name":"JET_bitCopySnapshot","features":[144]},{"name":"JET_bitCreateHintAppendSequential","features":[144]},{"name":"JET_bitCreateHintHotpointSequential","features":[144]},{"name":"JET_bitDbDeleteCorruptIndexes","features":[144]},{"name":"JET_bitDbDeleteUnicodeIndexes","features":[144]},{"name":"JET_bitDbEnableBackgroundMaintenance","features":[144]},{"name":"JET_bitDbExclusive","features":[144]},{"name":"JET_bitDbOverwriteExisting","features":[144]},{"name":"JET_bitDbPurgeCacheOnAttach","features":[144]},{"name":"JET_bitDbReadOnly","features":[144]},{"name":"JET_bitDbRecoveryOff","features":[144]},{"name":"JET_bitDbShadowingOff","features":[144]},{"name":"JET_bitDbUpgrade","features":[144]},{"name":"JET_bitDefragmentAvailSpaceTreesOnly","features":[144]},{"name":"JET_bitDefragmentBTree","features":[144]},{"name":"JET_bitDefragmentBatchStart","features":[144]},{"name":"JET_bitDefragmentBatchStop","features":[144]},{"name":"JET_bitDefragmentNoPartialMerges","features":[144]},{"name":"JET_bitDeleteColumnIgnoreTemplateColumns","features":[144]},{"name":"JET_bitDeleteHintTableSequential","features":[144]},{"name":"JET_bitDumpCacheIncludeCachedPages","features":[144]},{"name":"JET_bitDumpCacheIncludeCorruptedPages","features":[144]},{"name":"JET_bitDumpCacheIncludeDirtyPages","features":[144]},{"name":"JET_bitDumpCacheMaximum","features":[144]},{"name":"JET_bitDumpCacheMinimum","features":[144]},{"name":"JET_bitDumpCacheNoDecommit","features":[144]},{"name":"JET_bitDumpMaximum","features":[144]},{"name":"JET_bitDumpMinimum","features":[144]},{"name":"JET_bitDurableCommitCallbackLogUnavailable","features":[144]},{"name":"JET_bitESE98FileNames","features":[144]},{"name":"JET_bitEightDotThreeSoftCompat","features":[144]},{"name":"JET_bitEnumerateCompressOutput","features":[144]},{"name":"JET_bitEnumerateCopy","features":[144]},{"name":"JET_bitEnumerateIgnoreDefault","features":[144]},{"name":"JET_bitEnumerateIgnoreUserDefinedDefault","features":[144]},{"name":"JET_bitEnumerateInRecordOnly","features":[144]},{"name":"JET_bitEnumeratePresenceOnly","features":[144]},{"name":"JET_bitEnumerateTaggedOnly","features":[144]},{"name":"JET_bitEscrowNoRollback","features":[144]},{"name":"JET_bitExplicitPrepare","features":[144]},{"name":"JET_bitForceDetach","features":[144]},{"name":"JET_bitForceNewLog","features":[144]},{"name":"JET_bitFullColumnEndLimit","features":[144]},{"name":"JET_bitFullColumnStartLimit","features":[144]},{"name":"JET_bitHungIOEvent","features":[144]},{"name":"JET_bitIdleCompact","features":[144]},{"name":"JET_bitIdleFlushBuffers","features":[144]},{"name":"JET_bitIdleStatus","features":[144]},{"name":"JET_bitIncrementalSnapshot","features":[144]},{"name":"JET_bitIndexColumnMustBeNonNull","features":[144]},{"name":"JET_bitIndexColumnMustBeNull","features":[144]},{"name":"JET_bitIndexCrossProduct","features":[144]},{"name":"JET_bitIndexDisallowNull","features":[144]},{"name":"JET_bitIndexDisallowTruncation","features":[144]},{"name":"JET_bitIndexDotNetGuid","features":[144]},{"name":"JET_bitIndexEmpty","features":[144]},{"name":"JET_bitIndexIgnoreAnyNull","features":[144]},{"name":"JET_bitIndexIgnoreFirstNull","features":[144]},{"name":"JET_bitIndexIgnoreNull","features":[144]},{"name":"JET_bitIndexImmutableStructure","features":[144]},{"name":"JET_bitIndexKeyMost","features":[144]},{"name":"JET_bitIndexLazyFlush","features":[144]},{"name":"JET_bitIndexNestedTable","features":[144]},{"name":"JET_bitIndexPrimary","features":[144]},{"name":"JET_bitIndexSortNullsHigh","features":[144]},{"name":"JET_bitIndexTupleLimits","features":[144]},{"name":"JET_bitIndexTuples","features":[144]},{"name":"JET_bitIndexUnicode","features":[144]},{"name":"JET_bitIndexUnique","features":[144]},{"name":"JET_bitIndexUnversioned","features":[144]},{"name":"JET_bitKeepDbAttachedAtEndOfRecovery","features":[144]},{"name":"JET_bitKeyAscending","features":[144]},{"name":"JET_bitKeyDataZeroLength","features":[144]},{"name":"JET_bitKeyDescending","features":[144]},{"name":"JET_bitLSCursor","features":[144]},{"name":"JET_bitLSReset","features":[144]},{"name":"JET_bitLSTable","features":[144]},{"name":"JET_bitLogStreamMustExist","features":[144]},{"name":"JET_bitMoveFirst","features":[144]},{"name":"JET_bitMoveKeyNE","features":[144]},{"name":"JET_bitNewKey","features":[144]},{"name":"JET_bitNoMove","features":[144]},{"name":"JET_bitNormalizedKey","features":[144]},{"name":"JET_bitObjectSystem","features":[144]},{"name":"JET_bitObjectTableDerived","features":[144]},{"name":"JET_bitObjectTableFixedDDL","features":[144]},{"name":"JET_bitObjectTableNoFixedVarColumnsInDerivedTables","features":[144]},{"name":"JET_bitObjectTableTemplate","features":[144]},{"name":"JET_bitPartialColumnEndLimit","features":[144]},{"name":"JET_bitPartialColumnStartLimit","features":[144]},{"name":"JET_bitPrereadBackward","features":[144]},{"name":"JET_bitPrereadFirstPage","features":[144]},{"name":"JET_bitPrereadForward","features":[144]},{"name":"JET_bitPrereadNormalizedKey","features":[144]},{"name":"JET_bitRangeInclusive","features":[144]},{"name":"JET_bitRangeInstantDuration","features":[144]},{"name":"JET_bitRangeRemove","features":[144]},{"name":"JET_bitRangeUpperLimit","features":[144]},{"name":"JET_bitReadLock","features":[144]},{"name":"JET_bitRecordInIndex","features":[144]},{"name":"JET_bitRecordNotInIndex","features":[144]},{"name":"JET_bitRecordSizeInCopyBuffer","features":[144]},{"name":"JET_bitRecordSizeLocal","features":[144]},{"name":"JET_bitRecordSizeRunningTotal","features":[144]},{"name":"JET_bitRecoveryWithoutUndo","features":[144]},{"name":"JET_bitReplayIgnoreLostLogs","features":[144]},{"name":"JET_bitReplayIgnoreMissingDB","features":[144]},{"name":"JET_bitReplayMissingMapEntryDB","features":[144]},{"name":"JET_bitResizeDatabaseOnlyGrow","features":[144]},{"name":"JET_bitResizeDatabaseOnlyShrink","features":[144]},{"name":"JET_bitRetrieveCopy","features":[144]},{"name":"JET_bitRetrieveFromIndex","features":[144]},{"name":"JET_bitRetrieveFromPrimaryBookmark","features":[144]},{"name":"JET_bitRetrieveHintReserve1","features":[144]},{"name":"JET_bitRetrieveHintReserve2","features":[144]},{"name":"JET_bitRetrieveHintReserve3","features":[144]},{"name":"JET_bitRetrieveHintTableScanBackward","features":[144]},{"name":"JET_bitRetrieveHintTableScanForward","features":[144]},{"name":"JET_bitRetrieveIgnoreDefault","features":[144]},{"name":"JET_bitRetrieveNull","features":[144]},{"name":"JET_bitRetrieveTag","features":[144]},{"name":"JET_bitRetrieveTuple","features":[144]},{"name":"JET_bitRollbackAll","features":[144]},{"name":"JET_bitSeekEQ","features":[144]},{"name":"JET_bitSeekGE","features":[144]},{"name":"JET_bitSeekGT","features":[144]},{"name":"JET_bitSeekLE","features":[144]},{"name":"JET_bitSeekLT","features":[144]},{"name":"JET_bitSetAppendLV","features":[144]},{"name":"JET_bitSetCompressed","features":[144]},{"name":"JET_bitSetContiguousLV","features":[144]},{"name":"JET_bitSetIndexRange","features":[144]},{"name":"JET_bitSetIntrinsicLV","features":[144]},{"name":"JET_bitSetOverwriteLV","features":[144]},{"name":"JET_bitSetRevertToDefaultValue","features":[144]},{"name":"JET_bitSetSeparateLV","features":[144]},{"name":"JET_bitSetSizeLV","features":[144]},{"name":"JET_bitSetUncompressed","features":[144]},{"name":"JET_bitSetUniqueMultiValues","features":[144]},{"name":"JET_bitSetUniqueNormalizedMultiValues","features":[144]},{"name":"JET_bitSetZeroLength","features":[144]},{"name":"JET_bitShrinkDatabaseOff","features":[144]},{"name":"JET_bitShrinkDatabaseOn","features":[144]},{"name":"JET_bitShrinkDatabaseRealtime","features":[144]},{"name":"JET_bitShrinkDatabaseTrim","features":[144]},{"name":"JET_bitSpaceHintsUtilizeParentSpace","features":[144]},{"name":"JET_bitStopServiceAll","features":[144]},{"name":"JET_bitStopServiceBackgroundUserTasks","features":[144]},{"name":"JET_bitStopServiceQuiesceCaches","features":[144]},{"name":"JET_bitStopServiceResume","features":[144]},{"name":"JET_bitStrLimit","features":[144]},{"name":"JET_bitSubStrLimit","features":[144]},{"name":"JET_bitTTDotNetGuid","features":[144]},{"name":"JET_bitTTErrorOnDuplicateInsertion","features":[144]},{"name":"JET_bitTTForceMaterialization","features":[144]},{"name":"JET_bitTTForwardOnly","features":[144]},{"name":"JET_bitTTIndexed","features":[144]},{"name":"JET_bitTTIntrinsicLVsOnly","features":[144]},{"name":"JET_bitTTScrollable","features":[144]},{"name":"JET_bitTTSortNullsHigh","features":[144]},{"name":"JET_bitTTUnique","features":[144]},{"name":"JET_bitTTUpdatable","features":[144]},{"name":"JET_bitTableClass1","features":[144]},{"name":"JET_bitTableClass10","features":[144]},{"name":"JET_bitTableClass11","features":[144]},{"name":"JET_bitTableClass12","features":[144]},{"name":"JET_bitTableClass13","features":[144]},{"name":"JET_bitTableClass14","features":[144]},{"name":"JET_bitTableClass15","features":[144]},{"name":"JET_bitTableClass2","features":[144]},{"name":"JET_bitTableClass3","features":[144]},{"name":"JET_bitTableClass4","features":[144]},{"name":"JET_bitTableClass5","features":[144]},{"name":"JET_bitTableClass6","features":[144]},{"name":"JET_bitTableClass7","features":[144]},{"name":"JET_bitTableClass8","features":[144]},{"name":"JET_bitTableClass9","features":[144]},{"name":"JET_bitTableClassMask","features":[144]},{"name":"JET_bitTableClassNone","features":[144]},{"name":"JET_bitTableCreateFixedDDL","features":[144]},{"name":"JET_bitTableCreateImmutableStructure","features":[144]},{"name":"JET_bitTableCreateNoFixedVarColumnsInDerivedTables","features":[144]},{"name":"JET_bitTableCreateTemplateTable","features":[144]},{"name":"JET_bitTableDenyRead","features":[144]},{"name":"JET_bitTableDenyWrite","features":[144]},{"name":"JET_bitTableInfoBookmark","features":[144]},{"name":"JET_bitTableInfoRollback","features":[144]},{"name":"JET_bitTableInfoUpdatable","features":[144]},{"name":"JET_bitTableNoCache","features":[144]},{"name":"JET_bitTableOpportuneRead","features":[144]},{"name":"JET_bitTablePermitDDL","features":[144]},{"name":"JET_bitTablePreread","features":[144]},{"name":"JET_bitTableReadOnly","features":[144]},{"name":"JET_bitTableSequential","features":[144]},{"name":"JET_bitTableUpdatable","features":[144]},{"name":"JET_bitTermAbrupt","features":[144]},{"name":"JET_bitTermComplete","features":[144]},{"name":"JET_bitTermDirty","features":[144]},{"name":"JET_bitTermStopBackup","features":[144]},{"name":"JET_bitTransactionReadOnly","features":[144]},{"name":"JET_bitTruncateLogsAfterRecovery","features":[144]},{"name":"JET_bitUpdateCheckESE97Compatibility","features":[144]},{"name":"JET_bitWaitAllLevel0Commit","features":[144]},{"name":"JET_bitWaitLastLevel0Commit","features":[144]},{"name":"JET_bitWriteLock","features":[144]},{"name":"JET_bitZeroLength","features":[144]},{"name":"JET_cbBookmarkMost","features":[144]},{"name":"JET_cbColumnLVPageOverhead","features":[144]},{"name":"JET_cbColumnMost","features":[144]},{"name":"JET_cbFullNameMost","features":[144]},{"name":"JET_cbKeyMost","features":[144]},{"name":"JET_cbKeyMost2KBytePage","features":[144]},{"name":"JET_cbKeyMost4KBytePage","features":[144]},{"name":"JET_cbKeyMost8KBytePage","features":[144]},{"name":"JET_cbKeyMostMin","features":[144]},{"name":"JET_cbLVColumnMost","features":[144]},{"name":"JET_cbLVDefaultValueMost","features":[144]},{"name":"JET_cbLimitKeyMost","features":[144]},{"name":"JET_cbNameMost","features":[144]},{"name":"JET_cbPrimaryKeyMost","features":[144]},{"name":"JET_cbSecondaryKeyMost","features":[144]},{"name":"JET_cbtypAfterDelete","features":[144]},{"name":"JET_cbtypAfterInsert","features":[144]},{"name":"JET_cbtypAfterReplace","features":[144]},{"name":"JET_cbtypBeforeDelete","features":[144]},{"name":"JET_cbtypBeforeInsert","features":[144]},{"name":"JET_cbtypBeforeReplace","features":[144]},{"name":"JET_cbtypFinalize","features":[144]},{"name":"JET_cbtypFreeCursorLS","features":[144]},{"name":"JET_cbtypFreeTableLS","features":[144]},{"name":"JET_cbtypNull","features":[144]},{"name":"JET_cbtypOnlineDefragCompleted","features":[144]},{"name":"JET_cbtypUserDefinedDefaultValue","features":[144]},{"name":"JET_ccolFixedMost","features":[144]},{"name":"JET_ccolKeyMost","features":[144]},{"name":"JET_ccolMost","features":[144]},{"name":"JET_ccolTaggedMost","features":[144]},{"name":"JET_ccolVarMost","features":[144]},{"name":"JET_coltypBinary","features":[144]},{"name":"JET_coltypBit","features":[144]},{"name":"JET_coltypCurrency","features":[144]},{"name":"JET_coltypDateTime","features":[144]},{"name":"JET_coltypGUID","features":[144]},{"name":"JET_coltypIEEEDouble","features":[144]},{"name":"JET_coltypIEEESingle","features":[144]},{"name":"JET_coltypLong","features":[144]},{"name":"JET_coltypLongBinary","features":[144]},{"name":"JET_coltypLongLong","features":[144]},{"name":"JET_coltypLongText","features":[144]},{"name":"JET_coltypMax","features":[144]},{"name":"JET_coltypNil","features":[144]},{"name":"JET_coltypSLV","features":[144]},{"name":"JET_coltypShort","features":[144]},{"name":"JET_coltypText","features":[144]},{"name":"JET_coltypUnsignedByte","features":[144]},{"name":"JET_coltypUnsignedLong","features":[144]},{"name":"JET_coltypUnsignedLongLong","features":[144]},{"name":"JET_coltypUnsignedShort","features":[144]},{"name":"JET_configDefault","features":[144]},{"name":"JET_configDynamicMediumMemory","features":[144]},{"name":"JET_configHighConcurrencyScaling","features":[144]},{"name":"JET_configLowDiskFootprint","features":[144]},{"name":"JET_configLowMemory","features":[144]},{"name":"JET_configLowPower","features":[144]},{"name":"JET_configMediumDiskFootprint","features":[144]},{"name":"JET_configRemoveQuotas","features":[144]},{"name":"JET_configRunSilent","features":[144]},{"name":"JET_configSSDProfileIO","features":[144]},{"name":"JET_configUnthrottledMemory","features":[144]},{"name":"JET_dbstateBeingConverted","features":[144]},{"name":"JET_dbstateCleanShutdown","features":[144]},{"name":"JET_dbstateDirtyShutdown","features":[144]},{"name":"JET_dbstateForceDetach","features":[144]},{"name":"JET_dbstateJustCreated","features":[144]},{"name":"JET_errAccessDenied","features":[144]},{"name":"JET_errAfterInitialization","features":[144]},{"name":"JET_errAlreadyInitialized","features":[144]},{"name":"JET_errAlreadyPrepared","features":[144]},{"name":"JET_errAttachedDatabaseMismatch","features":[144]},{"name":"JET_errBackupAbortByServer","features":[144]},{"name":"JET_errBackupDirectoryNotEmpty","features":[144]},{"name":"JET_errBackupInProgress","features":[144]},{"name":"JET_errBackupNotAllowedYet","features":[144]},{"name":"JET_errBadBackupDatabaseSize","features":[144]},{"name":"JET_errBadBookmark","features":[144]},{"name":"JET_errBadCheckpointSignature","features":[144]},{"name":"JET_errBadColumnId","features":[144]},{"name":"JET_errBadDbSignature","features":[144]},{"name":"JET_errBadEmptyPage","features":[144]},{"name":"JET_errBadItagSequence","features":[144]},{"name":"JET_errBadLineCount","features":[144]},{"name":"JET_errBadLogSignature","features":[144]},{"name":"JET_errBadLogVersion","features":[144]},{"name":"JET_errBadPageLink","features":[144]},{"name":"JET_errBadParentPageLink","features":[144]},{"name":"JET_errBadPatchPage","features":[144]},{"name":"JET_errBadRestoreTargetInstance","features":[144]},{"name":"JET_errBufferTooSmall","features":[144]},{"name":"JET_errCallbackFailed","features":[144]},{"name":"JET_errCallbackNotResolved","features":[144]},{"name":"JET_errCannotAddFixedVarColumnToDerivedTable","features":[144]},{"name":"JET_errCannotBeTagged","features":[144]},{"name":"JET_errCannotDeleteSystemTable","features":[144]},{"name":"JET_errCannotDeleteTempTable","features":[144]},{"name":"JET_errCannotDeleteTemplateTable","features":[144]},{"name":"JET_errCannotDisableVersioning","features":[144]},{"name":"JET_errCannotIndex","features":[144]},{"name":"JET_errCannotIndexOnEncryptedColumn","features":[144]},{"name":"JET_errCannotLogDuringRecoveryRedo","features":[144]},{"name":"JET_errCannotMaterializeForwardOnlySort","features":[144]},{"name":"JET_errCannotNestDDL","features":[144]},{"name":"JET_errCannotSeparateIntrinsicLV","features":[144]},{"name":"JET_errCatalogCorrupted","features":[144]},{"name":"JET_errCheckpointCorrupt","features":[144]},{"name":"JET_errCheckpointDepthTooDeep","features":[144]},{"name":"JET_errCheckpointFileNotFound","features":[144]},{"name":"JET_errClientRequestToStopJetService","features":[144]},{"name":"JET_errColumnCannotBeCompressed","features":[144]},{"name":"JET_errColumnCannotBeEncrypted","features":[144]},{"name":"JET_errColumnDoesNotFit","features":[144]},{"name":"JET_errColumnDuplicate","features":[144]},{"name":"JET_errColumnInRelationship","features":[144]},{"name":"JET_errColumnInUse","features":[144]},{"name":"JET_errColumnIndexed","features":[144]},{"name":"JET_errColumnLong","features":[144]},{"name":"JET_errColumnNoChunk","features":[144]},{"name":"JET_errColumnNoEncryptionKey","features":[144]},{"name":"JET_errColumnNotFound","features":[144]},{"name":"JET_errColumnNotUpdatable","features":[144]},{"name":"JET_errColumnRedundant","features":[144]},{"name":"JET_errColumnTooBig","features":[144]},{"name":"JET_errCommittedLogFileCorrupt","features":[144]},{"name":"JET_errCommittedLogFilesMissing","features":[144]},{"name":"JET_errConsistentTimeMismatch","features":[144]},{"name":"JET_errContainerNotEmpty","features":[144]},{"name":"JET_errDDLNotInheritable","features":[144]},{"name":"JET_errDataHasChanged","features":[144]},{"name":"JET_errDatabase200Format","features":[144]},{"name":"JET_errDatabase400Format","features":[144]},{"name":"JET_errDatabase500Format","features":[144]},{"name":"JET_errDatabaseAlreadyRunningMaintenance","features":[144]},{"name":"JET_errDatabaseAlreadyUpgraded","features":[144]},{"name":"JET_errDatabaseAttachedForRecovery","features":[144]},{"name":"JET_errDatabaseBufferDependenciesCorrupted","features":[144]},{"name":"JET_errDatabaseCorrupted","features":[144]},{"name":"JET_errDatabaseCorruptedNoRepair","features":[144]},{"name":"JET_errDatabaseDirtyShutdown","features":[144]},{"name":"JET_errDatabaseDuplicate","features":[144]},{"name":"JET_errDatabaseFileReadOnly","features":[144]},{"name":"JET_errDatabaseIdInUse","features":[144]},{"name":"JET_errDatabaseInUse","features":[144]},{"name":"JET_errDatabaseIncompleteUpgrade","features":[144]},{"name":"JET_errDatabaseInconsistent","features":[144]},{"name":"JET_errDatabaseInvalidName","features":[144]},{"name":"JET_errDatabaseInvalidPages","features":[144]},{"name":"JET_errDatabaseInvalidPath","features":[144]},{"name":"JET_errDatabaseLeakInSpace","features":[144]},{"name":"JET_errDatabaseLocked","features":[144]},{"name":"JET_errDatabaseLogSetMismatch","features":[144]},{"name":"JET_errDatabaseNotFound","features":[144]},{"name":"JET_errDatabaseNotReady","features":[144]},{"name":"JET_errDatabasePatchFileMismatch","features":[144]},{"name":"JET_errDatabaseSharingViolation","features":[144]},{"name":"JET_errDatabaseSignInUse","features":[144]},{"name":"JET_errDatabaseStreamingFileMismatch","features":[144]},{"name":"JET_errDatabaseUnavailable","features":[144]},{"name":"JET_errDatabasesNotFromSameSnapshot","features":[144]},{"name":"JET_errDbTimeBeyondMaxRequired","features":[144]},{"name":"JET_errDbTimeCorrupted","features":[144]},{"name":"JET_errDbTimeTooNew","features":[144]},{"name":"JET_errDbTimeTooOld","features":[144]},{"name":"JET_errDecompressionFailed","features":[144]},{"name":"JET_errDecryptionFailed","features":[144]},{"name":"JET_errDefaultValueTooBig","features":[144]},{"name":"JET_errDeleteBackupFileFail","features":[144]},{"name":"JET_errDensityInvalid","features":[144]},{"name":"JET_errDerivedColumnCorruption","features":[144]},{"name":"JET_errDirtyShutdown","features":[144]},{"name":"JET_errDisabledFunctionality","features":[144]},{"name":"JET_errDiskFull","features":[144]},{"name":"JET_errDiskIO","features":[144]},{"name":"JET_errDiskReadVerificationFailure","features":[144]},{"name":"JET_errEncryptionBadItag","features":[144]},{"name":"JET_errEndingRestoreLogTooLow","features":[144]},{"name":"JET_errEngineFormatVersionNoLongerSupportedTooLow","features":[144]},{"name":"JET_errEngineFormatVersionNotYetImplementedTooHigh","features":[144]},{"name":"JET_errEngineFormatVersionParamTooLowForRequestedFeature","features":[144]},{"name":"JET_errEngineFormatVersionSpecifiedTooLowForDatabaseVersion","features":[144]},{"name":"JET_errEngineFormatVersionSpecifiedTooLowForLogVersion","features":[144]},{"name":"JET_errEntryPointNotFound","features":[144]},{"name":"JET_errExclusiveTableLockRequired","features":[144]},{"name":"JET_errExistingLogFileHasBadSignature","features":[144]},{"name":"JET_errExistingLogFileIsNotContiguous","features":[144]},{"name":"JET_errFeatureNotAvailable","features":[144]},{"name":"JET_errFileAccessDenied","features":[144]},{"name":"JET_errFileAlreadyExists","features":[144]},{"name":"JET_errFileClose","features":[144]},{"name":"JET_errFileCompressed","features":[144]},{"name":"JET_errFileIOAbort","features":[144]},{"name":"JET_errFileIOBeyondEOF","features":[144]},{"name":"JET_errFileIOFail","features":[144]},{"name":"JET_errFileIORetry","features":[144]},{"name":"JET_errFileIOSparse","features":[144]},{"name":"JET_errFileInvalidType","features":[144]},{"name":"JET_errFileNotFound","features":[144]},{"name":"JET_errFileSystemCorruption","features":[144]},{"name":"JET_errFilteredMoveNotSupported","features":[144]},{"name":"JET_errFixedDDL","features":[144]},{"name":"JET_errFixedInheritedDDL","features":[144]},{"name":"JET_errFlushMapDatabaseMismatch","features":[144]},{"name":"JET_errFlushMapUnrecoverable","features":[144]},{"name":"JET_errFlushMapVersionUnsupported","features":[144]},{"name":"JET_errForceDetachNotAllowed","features":[144]},{"name":"JET_errGivenLogFileHasBadSignature","features":[144]},{"name":"JET_errGivenLogFileIsNotContiguous","features":[144]},{"name":"JET_errIllegalOperation","features":[144]},{"name":"JET_errInTransaction","features":[144]},{"name":"JET_errIndexBuildCorrupted","features":[144]},{"name":"JET_errIndexCantBuild","features":[144]},{"name":"JET_errIndexDuplicate","features":[144]},{"name":"JET_errIndexHasPrimary","features":[144]},{"name":"JET_errIndexInUse","features":[144]},{"name":"JET_errIndexInvalidDef","features":[144]},{"name":"JET_errIndexMustStay","features":[144]},{"name":"JET_errIndexNotFound","features":[144]},{"name":"JET_errIndexTuplesCannotRetrieveFromIndex","features":[144]},{"name":"JET_errIndexTuplesInvalidLimits","features":[144]},{"name":"JET_errIndexTuplesKeyTooSmall","features":[144]},{"name":"JET_errIndexTuplesNonUniqueOnly","features":[144]},{"name":"JET_errIndexTuplesOneColumnOnly","features":[144]},{"name":"JET_errIndexTuplesSecondaryIndexOnly","features":[144]},{"name":"JET_errIndexTuplesTextBinaryColumnsOnly","features":[144]},{"name":"JET_errIndexTuplesTextColumnsOnly","features":[144]},{"name":"JET_errIndexTuplesTooManyColumns","features":[144]},{"name":"JET_errIndexTuplesVarSegMacNotAllowed","features":[144]},{"name":"JET_errInitInProgress","features":[144]},{"name":"JET_errInstanceNameInUse","features":[144]},{"name":"JET_errInstanceUnavailable","features":[144]},{"name":"JET_errInstanceUnavailableDueToFatalLogDiskFull","features":[144]},{"name":"JET_errInternalError","features":[144]},{"name":"JET_errInvalidBackup","features":[144]},{"name":"JET_errInvalidBackupSequence","features":[144]},{"name":"JET_errInvalidBookmark","features":[144]},{"name":"JET_errInvalidBufferSize","features":[144]},{"name":"JET_errInvalidCodePage","features":[144]},{"name":"JET_errInvalidColumnType","features":[144]},{"name":"JET_errInvalidCountry","features":[144]},{"name":"JET_errInvalidCreateDbVersion","features":[144]},{"name":"JET_errInvalidCreateIndex","features":[144]},{"name":"JET_errInvalidDatabase","features":[144]},{"name":"JET_errInvalidDatabaseId","features":[144]},{"name":"JET_errInvalidDatabaseVersion","features":[144]},{"name":"JET_errInvalidDbparamId","features":[144]},{"name":"JET_errInvalidFilename","features":[144]},{"name":"JET_errInvalidGrbit","features":[144]},{"name":"JET_errInvalidIndexId","features":[144]},{"name":"JET_errInvalidInstance","features":[144]},{"name":"JET_errInvalidLCMapStringFlags","features":[144]},{"name":"JET_errInvalidLVChunkSize","features":[144]},{"name":"JET_errInvalidLanguageId","features":[144]},{"name":"JET_errInvalidLogDirectory","features":[144]},{"name":"JET_errInvalidLogSequence","features":[144]},{"name":"JET_errInvalidLoggedOperation","features":[144]},{"name":"JET_errInvalidName","features":[144]},{"name":"JET_errInvalidObject","features":[144]},{"name":"JET_errInvalidOnSort","features":[144]},{"name":"JET_errInvalidOperation","features":[144]},{"name":"JET_errInvalidParameter","features":[144]},{"name":"JET_errInvalidPath","features":[144]},{"name":"JET_errInvalidPlaceholderColumn","features":[144]},{"name":"JET_errInvalidPreread","features":[144]},{"name":"JET_errInvalidSesid","features":[144]},{"name":"JET_errInvalidSesparamId","features":[144]},{"name":"JET_errInvalidSettings","features":[144]},{"name":"JET_errInvalidSystemPath","features":[144]},{"name":"JET_errInvalidTableId","features":[144]},{"name":"JET_errKeyBoundary","features":[144]},{"name":"JET_errKeyDuplicate","features":[144]},{"name":"JET_errKeyIsMade","features":[144]},{"name":"JET_errKeyNotMade","features":[144]},{"name":"JET_errKeyTooBig","features":[144]},{"name":"JET_errKeyTruncated","features":[144]},{"name":"JET_errLSAlreadySet","features":[144]},{"name":"JET_errLSCallbackNotSpecified","features":[144]},{"name":"JET_errLSNotSet","features":[144]},{"name":"JET_errLVCorrupted","features":[144]},{"name":"JET_errLanguageNotSupported","features":[144]},{"name":"JET_errLinkNotSupported","features":[144]},{"name":"JET_errLogBufferTooSmall","features":[144]},{"name":"JET_errLogCorruptDuringHardRecovery","features":[144]},{"name":"JET_errLogCorruptDuringHardRestore","features":[144]},{"name":"JET_errLogCorrupted","features":[144]},{"name":"JET_errLogDisabledDueToRecoveryFailure","features":[144]},{"name":"JET_errLogDiskFull","features":[144]},{"name":"JET_errLogFileCorrupt","features":[144]},{"name":"JET_errLogFileNotCopied","features":[144]},{"name":"JET_errLogFilePathInUse","features":[144]},{"name":"JET_errLogFileSizeMismatch","features":[144]},{"name":"JET_errLogFileSizeMismatchDatabasesConsistent","features":[144]},{"name":"JET_errLogGenerationMismatch","features":[144]},{"name":"JET_errLogReadVerifyFailure","features":[144]},{"name":"JET_errLogSectorSizeMismatch","features":[144]},{"name":"JET_errLogSectorSizeMismatchDatabasesConsistent","features":[144]},{"name":"JET_errLogSequenceChecksumMismatch","features":[144]},{"name":"JET_errLogSequenceEnd","features":[144]},{"name":"JET_errLogSequenceEndDatabasesConsistent","features":[144]},{"name":"JET_errLogTornWriteDuringHardRecovery","features":[144]},{"name":"JET_errLogTornWriteDuringHardRestore","features":[144]},{"name":"JET_errLogWriteFail","features":[144]},{"name":"JET_errLoggingDisabled","features":[144]},{"name":"JET_errMakeBackupDirectoryFail","features":[144]},{"name":"JET_errMissingCurrentLogFiles","features":[144]},{"name":"JET_errMissingFileToBackup","features":[144]},{"name":"JET_errMissingFullBackup","features":[144]},{"name":"JET_errMissingLogFile","features":[144]},{"name":"JET_errMissingPatchPage","features":[144]},{"name":"JET_errMissingPreviousLogFile","features":[144]},{"name":"JET_errMissingRestoreLogFiles","features":[144]},{"name":"JET_errMultiValuedColumnMustBeTagged","features":[144]},{"name":"JET_errMultiValuedDuplicate","features":[144]},{"name":"JET_errMultiValuedDuplicateAfterTruncation","features":[144]},{"name":"JET_errMultiValuedIndexViolation","features":[144]},{"name":"JET_errMustBeSeparateLongValue","features":[144]},{"name":"JET_errMustDisableLoggingForDbUpgrade","features":[144]},{"name":"JET_errMustRollback","features":[144]},{"name":"JET_errNTSystemCallFailed","features":[144]},{"name":"JET_errNoBackup","features":[144]},{"name":"JET_errNoBackupDirectory","features":[144]},{"name":"JET_errNoCurrentIndex","features":[144]},{"name":"JET_errNoCurrentRecord","features":[144]},{"name":"JET_errNodeCorrupted","features":[144]},{"name":"JET_errNotInTransaction","features":[144]},{"name":"JET_errNotInitialized","features":[144]},{"name":"JET_errNullInvalid","features":[144]},{"name":"JET_errNullKeyDisallowed","features":[144]},{"name":"JET_errOSSnapshotInvalidSequence","features":[144]},{"name":"JET_errOSSnapshotInvalidSnapId","features":[144]},{"name":"JET_errOSSnapshotNotAllowed","features":[144]},{"name":"JET_errOSSnapshotTimeOut","features":[144]},{"name":"JET_errObjectDuplicate","features":[144]},{"name":"JET_errObjectNotFound","features":[144]},{"name":"JET_errOneDatabasePerSession","features":[144]},{"name":"JET_errOutOfAutoincrementValues","features":[144]},{"name":"JET_errOutOfBuffers","features":[144]},{"name":"JET_errOutOfCursors","features":[144]},{"name":"JET_errOutOfDatabaseSpace","features":[144]},{"name":"JET_errOutOfDbtimeValues","features":[144]},{"name":"JET_errOutOfFileHandles","features":[144]},{"name":"JET_errOutOfLongValueIDs","features":[144]},{"name":"JET_errOutOfMemory","features":[144]},{"name":"JET_errOutOfObjectIDs","features":[144]},{"name":"JET_errOutOfSequentialIndexValues","features":[144]},{"name":"JET_errOutOfSessions","features":[144]},{"name":"JET_errOutOfThreads","features":[144]},{"name":"JET_errPageBoundary","features":[144]},{"name":"JET_errPageInitializedMismatch","features":[144]},{"name":"JET_errPageNotInitialized","features":[144]},{"name":"JET_errPageSizeMismatch","features":[144]},{"name":"JET_errPageTagCorrupted","features":[144]},{"name":"JET_errPartiallyAttachedDB","features":[144]},{"name":"JET_errPatchFileMissing","features":[144]},{"name":"JET_errPermissionDenied","features":[144]},{"name":"JET_errPreviousVersion","features":[144]},{"name":"JET_errPrimaryIndexCorrupted","features":[144]},{"name":"JET_errReadLostFlushVerifyFailure","features":[144]},{"name":"JET_errReadPgnoVerifyFailure","features":[144]},{"name":"JET_errReadVerifyFailure","features":[144]},{"name":"JET_errRecordDeleted","features":[144]},{"name":"JET_errRecordFormatConversionFailed","features":[144]},{"name":"JET_errRecordNoCopy","features":[144]},{"name":"JET_errRecordNotDeleted","features":[144]},{"name":"JET_errRecordNotFound","features":[144]},{"name":"JET_errRecordPrimaryChanged","features":[144]},{"name":"JET_errRecordTooBig","features":[144]},{"name":"JET_errRecordTooBigForBackwardCompatibility","features":[144]},{"name":"JET_errRecoveredWithErrors","features":[144]},{"name":"JET_errRecoveredWithoutUndo","features":[144]},{"name":"JET_errRecoveredWithoutUndoDatabasesConsistent","features":[144]},{"name":"JET_errRecoveryVerifyFailure","features":[144]},{"name":"JET_errRedoAbruptEnded","features":[144]},{"name":"JET_errRequiredLogFilesMissing","features":[144]},{"name":"JET_errRestoreInProgress","features":[144]},{"name":"JET_errRestoreOfNonBackupDatabase","features":[144]},{"name":"JET_errRfsFailure","features":[144]},{"name":"JET_errRfsNotArmed","features":[144]},{"name":"JET_errRollbackError","features":[144]},{"name":"JET_errRollbackRequired","features":[144]},{"name":"JET_errRunningInMultiInstanceMode","features":[144]},{"name":"JET_errRunningInOneInstanceMode","features":[144]},{"name":"JET_errSPAvailExtCacheOutOfMemory","features":[144]},{"name":"JET_errSPAvailExtCacheOutOfSync","features":[144]},{"name":"JET_errSPAvailExtCorrupted","features":[144]},{"name":"JET_errSPOwnExtCorrupted","features":[144]},{"name":"JET_errSecondaryIndexCorrupted","features":[144]},{"name":"JET_errSectorSizeNotSupported","features":[144]},{"name":"JET_errSeparatedLongValue","features":[144]},{"name":"JET_errSesidTableIdMismatch","features":[144]},{"name":"JET_errSessionContextAlreadySet","features":[144]},{"name":"JET_errSessionContextNotSetByThisThread","features":[144]},{"name":"JET_errSessionInUse","features":[144]},{"name":"JET_errSessionSharingViolation","features":[144]},{"name":"JET_errSessionWriteConflict","features":[144]},{"name":"JET_errSoftRecoveryOnBackupDatabase","features":[144]},{"name":"JET_errSoftRecoveryOnSnapshot","features":[144]},{"name":"JET_errSpaceHintsInvalid","features":[144]},{"name":"JET_errStartingRestoreLogTooHigh","features":[144]},{"name":"JET_errStreamingDataNotLogged","features":[144]},{"name":"JET_errSuccess","features":[144]},{"name":"JET_errSystemParameterConflict","features":[144]},{"name":"JET_errSystemParamsAlreadySet","features":[144]},{"name":"JET_errSystemPathInUse","features":[144]},{"name":"JET_errTableDuplicate","features":[144]},{"name":"JET_errTableInUse","features":[144]},{"name":"JET_errTableLocked","features":[144]},{"name":"JET_errTableNotEmpty","features":[144]},{"name":"JET_errTaggedNotNULL","features":[144]},{"name":"JET_errTaskDropped","features":[144]},{"name":"JET_errTempFileOpenError","features":[144]},{"name":"JET_errTempPathInUse","features":[144]},{"name":"JET_errTermInProgress","features":[144]},{"name":"JET_errTooManyActiveUsers","features":[144]},{"name":"JET_errTooManyAttachedDatabases","features":[144]},{"name":"JET_errTooManyColumns","features":[144]},{"name":"JET_errTooManyIO","features":[144]},{"name":"JET_errTooManyIndexes","features":[144]},{"name":"JET_errTooManyInstances","features":[144]},{"name":"JET_errTooManyKeys","features":[144]},{"name":"JET_errTooManyMempoolEntries","features":[144]},{"name":"JET_errTooManyOpenDatabases","features":[144]},{"name":"JET_errTooManyOpenIndexes","features":[144]},{"name":"JET_errTooManyOpenTables","features":[144]},{"name":"JET_errTooManyOpenTablesAndCleanupTimedOut","features":[144]},{"name":"JET_errTooManyRecords","features":[144]},{"name":"JET_errTooManySorts","features":[144]},{"name":"JET_errTooManySplits","features":[144]},{"name":"JET_errTransReadOnly","features":[144]},{"name":"JET_errTransTooDeep","features":[144]},{"name":"JET_errTransactionTooLong","features":[144]},{"name":"JET_errTransactionsNotReadyDuringRecovery","features":[144]},{"name":"JET_errUnicodeLanguageValidationFailure","features":[144]},{"name":"JET_errUnicodeNormalizationNotSupported","features":[144]},{"name":"JET_errUnicodeTranslationBufferTooSmall","features":[144]},{"name":"JET_errUnicodeTranslationFail","features":[144]},{"name":"JET_errUnloadableOSFunctionality","features":[144]},{"name":"JET_errUpdateMustVersion","features":[144]},{"name":"JET_errUpdateNotPrepared","features":[144]},{"name":"JET_errVersionStoreEntryTooBig","features":[144]},{"name":"JET_errVersionStoreOutOfMemory","features":[144]},{"name":"JET_errVersionStoreOutOfMemoryAndCleanupTimedOut","features":[144]},{"name":"JET_errWriteConflict","features":[144]},{"name":"JET_errWriteConflictPrimaryIndex","features":[144]},{"name":"JET_errcatApi","features":[144]},{"name":"JET_errcatCorruption","features":[144]},{"name":"JET_errcatData","features":[144]},{"name":"JET_errcatDisk","features":[144]},{"name":"JET_errcatError","features":[144]},{"name":"JET_errcatFatal","features":[144]},{"name":"JET_errcatFragmentation","features":[144]},{"name":"JET_errcatIO","features":[144]},{"name":"JET_errcatInconsistent","features":[144]},{"name":"JET_errcatMax","features":[144]},{"name":"JET_errcatMemory","features":[144]},{"name":"JET_errcatObsolete","features":[144]},{"name":"JET_errcatOperation","features":[144]},{"name":"JET_errcatQuota","features":[144]},{"name":"JET_errcatResource","features":[144]},{"name":"JET_errcatState","features":[144]},{"name":"JET_errcatUnknown","features":[144]},{"name":"JET_errcatUsage","features":[144]},{"name":"JET_filetypeCheckpoint","features":[144]},{"name":"JET_filetypeDatabase","features":[144]},{"name":"JET_filetypeFlushMap","features":[144]},{"name":"JET_filetypeLog","features":[144]},{"name":"JET_filetypeTempDatabase","features":[144]},{"name":"JET_filetypeUnknown","features":[144]},{"name":"JET_objtypNil","features":[144]},{"name":"JET_objtypTable","features":[144]},{"name":"JET_paramAccessDeniedRetryPeriod","features":[144]},{"name":"JET_paramAlternateDatabaseRecoveryPath","features":[144]},{"name":"JET_paramBaseName","features":[144]},{"name":"JET_paramBatchIOBufferMax","features":[144]},{"name":"JET_paramCachePriority","features":[144]},{"name":"JET_paramCacheSize","features":[144]},{"name":"JET_paramCacheSizeMax","features":[144]},{"name":"JET_paramCacheSizeMin","features":[144]},{"name":"JET_paramCachedClosedTables","features":[144]},{"name":"JET_paramCheckFormatWhenOpenFail","features":[144]},{"name":"JET_paramCheckpointDepthMax","features":[144]},{"name":"JET_paramCheckpointIOMax","features":[144]},{"name":"JET_paramCircularLog","features":[144]},{"name":"JET_paramCleanupMismatchedLogFiles","features":[144]},{"name":"JET_paramCommitDefault","features":[144]},{"name":"JET_paramConfigStoreSpec","features":[144]},{"name":"JET_paramConfiguration","features":[144]},{"name":"JET_paramCreatePathIfNotExist","features":[144]},{"name":"JET_paramDatabasePageSize","features":[144]},{"name":"JET_paramDbExtensionSize","features":[144]},{"name":"JET_paramDbScanIntervalMaxSec","features":[144]},{"name":"JET_paramDbScanIntervalMinSec","features":[144]},{"name":"JET_paramDbScanThrottle","features":[144]},{"name":"JET_paramDefragmentSequentialBTrees","features":[144]},{"name":"JET_paramDefragmentSequentialBTreesDensityCheckFrequency","features":[144]},{"name":"JET_paramDeleteOldLogs","features":[144]},{"name":"JET_paramDeleteOutOfRangeLogs","features":[144]},{"name":"JET_paramDisableCallbacks","features":[144]},{"name":"JET_paramDisablePerfmon","features":[144]},{"name":"JET_paramDurableCommitCallback","features":[144]},{"name":"JET_paramEnableAdvanced","features":[144]},{"name":"JET_paramEnableDBScanInRecovery","features":[144]},{"name":"JET_paramEnableDBScanSerialization","features":[144]},{"name":"JET_paramEnableFileCache","features":[144]},{"name":"JET_paramEnableIndexChecking","features":[144]},{"name":"JET_paramEnableIndexCleanup","features":[144]},{"name":"JET_paramEnableOnlineDefrag","features":[144]},{"name":"JET_paramEnablePersistedCallbacks","features":[144]},{"name":"JET_paramEnableRBS","features":[144]},{"name":"JET_paramEnableShrinkDatabase","features":[144]},{"name":"JET_paramEnableSqm","features":[144]},{"name":"JET_paramEnableTempTableVersioning","features":[144]},{"name":"JET_paramEnableViewCache","features":[144]},{"name":"JET_paramErrorToString","features":[144]},{"name":"JET_paramEventLogCache","features":[144]},{"name":"JET_paramEventLoggingLevel","features":[144]},{"name":"JET_paramEventSource","features":[144]},{"name":"JET_paramEventSourceKey","features":[144]},{"name":"JET_paramExceptionAction","features":[144]},{"name":"JET_paramGlobalMinVerPages","features":[144]},{"name":"JET_paramHungIOActions","features":[144]},{"name":"JET_paramHungIOThreshold","features":[144]},{"name":"JET_paramIOPriority","features":[144]},{"name":"JET_paramIOThrottlingTimeQuanta","features":[144]},{"name":"JET_paramIgnoreLogVersion","features":[144]},{"name":"JET_paramIndexTupleIncrement","features":[144]},{"name":"JET_paramIndexTupleStart","features":[144]},{"name":"JET_paramIndexTuplesLengthMax","features":[144]},{"name":"JET_paramIndexTuplesLengthMin","features":[144]},{"name":"JET_paramIndexTuplesToIndexMax","features":[144]},{"name":"JET_paramKeyMost","features":[144]},{"name":"JET_paramLRUKCorrInterval","features":[144]},{"name":"JET_paramLRUKHistoryMax","features":[144]},{"name":"JET_paramLRUKPolicy","features":[144]},{"name":"JET_paramLRUKTimeout","features":[144]},{"name":"JET_paramLRUKTrxCorrInterval","features":[144]},{"name":"JET_paramLVChunkSizeMost","features":[144]},{"name":"JET_paramLegacyFileNames","features":[144]},{"name":"JET_paramLogBuffers","features":[144]},{"name":"JET_paramLogCheckpointPeriod","features":[144]},{"name":"JET_paramLogFileCreateAsynch","features":[144]},{"name":"JET_paramLogFilePath","features":[144]},{"name":"JET_paramLogFileSize","features":[144]},{"name":"JET_paramLogWaitingUserMax","features":[144]},{"name":"JET_paramMaxCoalesceReadGapSize","features":[144]},{"name":"JET_paramMaxCoalesceReadSize","features":[144]},{"name":"JET_paramMaxCoalesceWriteGapSize","features":[144]},{"name":"JET_paramMaxCoalesceWriteSize","features":[144]},{"name":"JET_paramMaxColtyp","features":[144]},{"name":"JET_paramMaxCursors","features":[144]},{"name":"JET_paramMaxInstances","features":[144]},{"name":"JET_paramMaxOpenTables","features":[144]},{"name":"JET_paramMaxSessions","features":[144]},{"name":"JET_paramMaxTemporaryTables","features":[144]},{"name":"JET_paramMaxTransactionSize","features":[144]},{"name":"JET_paramMaxValueInvalid","features":[144]},{"name":"JET_paramMaxVerPages","features":[144]},{"name":"JET_paramMinDataForXpress","features":[144]},{"name":"JET_paramNoInformationEvent","features":[144]},{"name":"JET_paramOSSnapshotTimeout","features":[144]},{"name":"JET_paramOneDatabasePerSession","features":[144]},{"name":"JET_paramOutstandingIOMax","features":[144]},{"name":"JET_paramPageFragment","features":[144]},{"name":"JET_paramPageHintCacheSize","features":[144]},{"name":"JET_paramPageTempDBMin","features":[144]},{"name":"JET_paramPerfmonRefreshInterval","features":[144]},{"name":"JET_paramPreferredMaxOpenTables","features":[144]},{"name":"JET_paramPreferredVerPages","features":[144]},{"name":"JET_paramPrereadIOMax","features":[144]},{"name":"JET_paramProcessFriendlyName","features":[144]},{"name":"JET_paramRBSFilePath","features":[144]},{"name":"JET_paramRecordUpgradeDirtyLevel","features":[144]},{"name":"JET_paramRecovery","features":[144]},{"name":"JET_paramRuntimeCallback","features":[144]},{"name":"JET_paramStartFlushThreshold","features":[144]},{"name":"JET_paramStopFlushThreshold","features":[144]},{"name":"JET_paramSystemPath","features":[144]},{"name":"JET_paramTableClass10Name","features":[144]},{"name":"JET_paramTableClass11Name","features":[144]},{"name":"JET_paramTableClass12Name","features":[144]},{"name":"JET_paramTableClass13Name","features":[144]},{"name":"JET_paramTableClass14Name","features":[144]},{"name":"JET_paramTableClass15Name","features":[144]},{"name":"JET_paramTableClass1Name","features":[144]},{"name":"JET_paramTableClass2Name","features":[144]},{"name":"JET_paramTableClass3Name","features":[144]},{"name":"JET_paramTableClass4Name","features":[144]},{"name":"JET_paramTableClass5Name","features":[144]},{"name":"JET_paramTableClass6Name","features":[144]},{"name":"JET_paramTableClass7Name","features":[144]},{"name":"JET_paramTableClass8Name","features":[144]},{"name":"JET_paramTableClass9Name","features":[144]},{"name":"JET_paramTempPath","features":[144]},{"name":"JET_paramUnicodeIndexDefault","features":[144]},{"name":"JET_paramUseFlushForWriteDurability","features":[144]},{"name":"JET_paramVerPageSize","features":[144]},{"name":"JET_paramVersionStoreTaskQueueMax","features":[144]},{"name":"JET_paramWaitLogFlush","features":[144]},{"name":"JET_paramWaypointLatency","features":[144]},{"name":"JET_paramZeroDatabaseDuringBackup","features":[144]},{"name":"JET_prepCancel","features":[144]},{"name":"JET_prepInsert","features":[144]},{"name":"JET_prepInsertCopy","features":[144]},{"name":"JET_prepInsertCopyDeleteOriginal","features":[144]},{"name":"JET_prepInsertCopyReplaceOriginal","features":[144]},{"name":"JET_prepReplace","features":[144]},{"name":"JET_prepReplaceNoLock","features":[144]},{"name":"JET_relopBitmaskEqualsZero","features":[144]},{"name":"JET_relopBitmaskNotEqualsZero","features":[144]},{"name":"JET_relopEquals","features":[144]},{"name":"JET_relopGreaterThan","features":[144]},{"name":"JET_relopGreaterThanOrEqual","features":[144]},{"name":"JET_relopLessThan","features":[144]},{"name":"JET_relopLessThanOrEqual","features":[144]},{"name":"JET_relopNotEquals","features":[144]},{"name":"JET_relopPrefixEquals","features":[144]},{"name":"JET_sesparamCommitDefault","features":[144]},{"name":"JET_sesparamCorrelationID","features":[144]},{"name":"JET_sesparamMaxValueInvalid","features":[144]},{"name":"JET_sesparamOperationContext","features":[144]},{"name":"JET_sesparamTransactionLevel","features":[144]},{"name":"JET_snpBackup","features":[144]},{"name":"JET_snpCompact","features":[144]},{"name":"JET_snpRepair","features":[144]},{"name":"JET_snpRestore","features":[144]},{"name":"JET_snpScrub","features":[144]},{"name":"JET_snpUpgrade","features":[144]},{"name":"JET_snpUpgradeRecordFormat","features":[144]},{"name":"JET_sntBegin","features":[144]},{"name":"JET_sntComplete","features":[144]},{"name":"JET_sntFail","features":[144]},{"name":"JET_sntProgress","features":[144]},{"name":"JET_sntRequirements","features":[144]},{"name":"JET_sqmDisable","features":[144]},{"name":"JET_sqmEnable","features":[144]},{"name":"JET_sqmFromCEIP","features":[144]},{"name":"JET_wrnBufferTruncated","features":[144]},{"name":"JET_wrnCallbackNotRegistered","features":[144]},{"name":"JET_wrnColumnDefault","features":[144]},{"name":"JET_wrnColumnMaxTruncated","features":[144]},{"name":"JET_wrnColumnMoreTags","features":[144]},{"name":"JET_wrnColumnNotInRecord","features":[144]},{"name":"JET_wrnColumnNotLocal","features":[144]},{"name":"JET_wrnColumnNull","features":[144]},{"name":"JET_wrnColumnPresent","features":[144]},{"name":"JET_wrnColumnReference","features":[144]},{"name":"JET_wrnColumnSetNull","features":[144]},{"name":"JET_wrnColumnSingleValue","features":[144]},{"name":"JET_wrnColumnSkipped","features":[144]},{"name":"JET_wrnColumnTruncated","features":[144]},{"name":"JET_wrnCommittedLogFilesLost","features":[144]},{"name":"JET_wrnCommittedLogFilesRemoved","features":[144]},{"name":"JET_wrnCopyLongValue","features":[144]},{"name":"JET_wrnCorruptIndexDeleted","features":[144]},{"name":"JET_wrnDataHasChanged","features":[144]},{"name":"JET_wrnDatabaseAttached","features":[144]},{"name":"JET_wrnDatabaseRepaired","features":[144]},{"name":"JET_wrnDefragAlreadyRunning","features":[144]},{"name":"JET_wrnDefragNotRunning","features":[144]},{"name":"JET_wrnExistingLogFileHasBadSignature","features":[144]},{"name":"JET_wrnExistingLogFileIsNotContiguous","features":[144]},{"name":"JET_wrnFileOpenReadOnly","features":[144]},{"name":"JET_wrnFinishWithUndo","features":[144]},{"name":"JET_wrnIdleFull","features":[144]},{"name":"JET_wrnKeyChanged","features":[144]},{"name":"JET_wrnNoErrorInfo","features":[144]},{"name":"JET_wrnNoIdleActivity","features":[144]},{"name":"JET_wrnNoWriteLock","features":[144]},{"name":"JET_wrnNyi","features":[144]},{"name":"JET_wrnPrimaryIndexOutOfDate","features":[144]},{"name":"JET_wrnRemainingVersions","features":[144]},{"name":"JET_wrnSecondaryIndexOutOfDate","features":[144]},{"name":"JET_wrnSeekNotEqual","features":[144]},{"name":"JET_wrnSeparateLongValue","features":[144]},{"name":"JET_wrnShrinkNotPossible","features":[144]},{"name":"JET_wrnSkipThisRecord","features":[144]},{"name":"JET_wrnSortOverflow","features":[144]},{"name":"JET_wrnTableEmpty","features":[144]},{"name":"JET_wrnTableInUseBySystem","features":[144]},{"name":"JET_wrnTargetInstanceRunning","features":[144]},{"name":"JET_wrnUniqueKey","features":[144]},{"name":"JET_wszConfigStoreReadControl","features":[144]},{"name":"JET_wszConfigStoreRelPathSysParamDefault","features":[144]},{"name":"JET_wszConfigStoreRelPathSysParamOverride","features":[144]},{"name":"JetAddColumnA","features":[144,145]},{"name":"JetAddColumnW","features":[144,145]},{"name":"JetAttachDatabase2A","features":[144,145]},{"name":"JetAttachDatabase2W","features":[144,145]},{"name":"JetAttachDatabaseA","features":[144,145]},{"name":"JetAttachDatabaseW","features":[144,145]},{"name":"JetBackupA","features":[144,145]},{"name":"JetBackupInstanceA","features":[144,145]},{"name":"JetBackupInstanceW","features":[144,145]},{"name":"JetBackupW","features":[144,145]},{"name":"JetBeginExternalBackup","features":[144]},{"name":"JetBeginExternalBackupInstance","features":[144,145]},{"name":"JetBeginSessionA","features":[144,145]},{"name":"JetBeginSessionW","features":[144,145]},{"name":"JetBeginTransaction","features":[144,145]},{"name":"JetBeginTransaction2","features":[144,145]},{"name":"JetBeginTransaction3","features":[144,145]},{"name":"JetCloseDatabase","features":[144,145]},{"name":"JetCloseFile","features":[144,145]},{"name":"JetCloseFileInstance","features":[144,145]},{"name":"JetCloseTable","features":[144,145]},{"name":"JetCommitTransaction","features":[144,145]},{"name":"JetCommitTransaction2","features":[144,145]},{"name":"JetCompactA","features":[144,145]},{"name":"JetCompactW","features":[144,145]},{"name":"JetComputeStats","features":[144,145]},{"name":"JetConfigureProcessForCrashDump","features":[144]},{"name":"JetCreateDatabase2A","features":[144,145]},{"name":"JetCreateDatabase2W","features":[144,145]},{"name":"JetCreateDatabaseA","features":[144,145]},{"name":"JetCreateDatabaseW","features":[144,145]},{"name":"JetCreateIndex2A","features":[144,145]},{"name":"JetCreateIndex2W","features":[144,145]},{"name":"JetCreateIndex3A","features":[144,145]},{"name":"JetCreateIndex3W","features":[144,145]},{"name":"JetCreateIndex4A","features":[144,145]},{"name":"JetCreateIndex4W","features":[144,145]},{"name":"JetCreateIndexA","features":[144,145]},{"name":"JetCreateIndexW","features":[144,145]},{"name":"JetCreateInstance2A","features":[144,145]},{"name":"JetCreateInstance2W","features":[144,145]},{"name":"JetCreateInstanceA","features":[144,145]},{"name":"JetCreateInstanceW","features":[144,145]},{"name":"JetCreateTableA","features":[144,145]},{"name":"JetCreateTableColumnIndex2A","features":[144,145]},{"name":"JetCreateTableColumnIndex2W","features":[144,145]},{"name":"JetCreateTableColumnIndex3A","features":[144,145]},{"name":"JetCreateTableColumnIndex3W","features":[144,145]},{"name":"JetCreateTableColumnIndex4A","features":[144,145]},{"name":"JetCreateTableColumnIndex4W","features":[144,145]},{"name":"JetCreateTableColumnIndexA","features":[144,145]},{"name":"JetCreateTableColumnIndexW","features":[144,145]},{"name":"JetCreateTableW","features":[144,145]},{"name":"JetDefragment2A","features":[144,145]},{"name":"JetDefragment2W","features":[144,145]},{"name":"JetDefragment3A","features":[144,145]},{"name":"JetDefragment3W","features":[144,145]},{"name":"JetDefragmentA","features":[144,145]},{"name":"JetDefragmentW","features":[144,145]},{"name":"JetDelete","features":[144,145]},{"name":"JetDeleteColumn2A","features":[144,145]},{"name":"JetDeleteColumn2W","features":[144,145]},{"name":"JetDeleteColumnA","features":[144,145]},{"name":"JetDeleteColumnW","features":[144,145]},{"name":"JetDeleteIndexA","features":[144,145]},{"name":"JetDeleteIndexW","features":[144,145]},{"name":"JetDeleteTableA","features":[144,145]},{"name":"JetDeleteTableW","features":[144,145]},{"name":"JetDetachDatabase2A","features":[144,145]},{"name":"JetDetachDatabase2W","features":[144,145]},{"name":"JetDetachDatabaseA","features":[144,145]},{"name":"JetDetachDatabaseW","features":[144,145]},{"name":"JetDupCursor","features":[144,145]},{"name":"JetDupSession","features":[144,145]},{"name":"JetEnableMultiInstanceA","features":[144,145]},{"name":"JetEnableMultiInstanceW","features":[144,145]},{"name":"JetEndExternalBackup","features":[144]},{"name":"JetEndExternalBackupInstance","features":[144,145]},{"name":"JetEndExternalBackupInstance2","features":[144,145]},{"name":"JetEndSession","features":[144,145]},{"name":"JetEnumerateColumns","features":[144,145]},{"name":"JetEscrowUpdate","features":[144,145]},{"name":"JetExternalRestore2A","features":[144,145]},{"name":"JetExternalRestore2W","features":[144,145]},{"name":"JetExternalRestoreA","features":[144,145]},{"name":"JetExternalRestoreW","features":[144,145]},{"name":"JetFreeBuffer","features":[144]},{"name":"JetGetAttachInfoA","features":[144]},{"name":"JetGetAttachInfoInstanceA","features":[144,145]},{"name":"JetGetAttachInfoInstanceW","features":[144,145]},{"name":"JetGetAttachInfoW","features":[144]},{"name":"JetGetBookmark","features":[144,145]},{"name":"JetGetColumnInfoA","features":[144,145]},{"name":"JetGetColumnInfoW","features":[144,145]},{"name":"JetGetCurrentIndexA","features":[144,145]},{"name":"JetGetCurrentIndexW","features":[144,145]},{"name":"JetGetCursorInfo","features":[144,145]},{"name":"JetGetDatabaseFileInfoA","features":[144]},{"name":"JetGetDatabaseFileInfoW","features":[144]},{"name":"JetGetDatabaseInfoA","features":[144,145]},{"name":"JetGetDatabaseInfoW","features":[144,145]},{"name":"JetGetErrorInfoW","features":[144]},{"name":"JetGetIndexInfoA","features":[144,145]},{"name":"JetGetIndexInfoW","features":[144,145]},{"name":"JetGetInstanceInfoA","features":[144,145]},{"name":"JetGetInstanceInfoW","features":[144,145]},{"name":"JetGetInstanceMiscInfo","features":[144,145]},{"name":"JetGetLS","features":[144,145]},{"name":"JetGetLock","features":[144,145]},{"name":"JetGetLogInfoA","features":[144]},{"name":"JetGetLogInfoInstance2A","features":[144,145]},{"name":"JetGetLogInfoInstance2W","features":[144,145]},{"name":"JetGetLogInfoInstanceA","features":[144,145]},{"name":"JetGetLogInfoInstanceW","features":[144,145]},{"name":"JetGetLogInfoW","features":[144]},{"name":"JetGetObjectInfoA","features":[144,145]},{"name":"JetGetObjectInfoW","features":[144,145]},{"name":"JetGetRecordPosition","features":[144,145]},{"name":"JetGetRecordSize","features":[144,145]},{"name":"JetGetRecordSize2","features":[144,145]},{"name":"JetGetSecondaryIndexBookmark","features":[144,145]},{"name":"JetGetSessionParameter","features":[144,145]},{"name":"JetGetSystemParameterA","features":[144,145]},{"name":"JetGetSystemParameterW","features":[144,145]},{"name":"JetGetTableColumnInfoA","features":[144,145]},{"name":"JetGetTableColumnInfoW","features":[144,145]},{"name":"JetGetTableIndexInfoA","features":[144,145]},{"name":"JetGetTableIndexInfoW","features":[144,145]},{"name":"JetGetTableInfoA","features":[144,145]},{"name":"JetGetTableInfoW","features":[144,145]},{"name":"JetGetThreadStats","features":[144]},{"name":"JetGetTruncateLogInfoInstanceA","features":[144,145]},{"name":"JetGetTruncateLogInfoInstanceW","features":[144,145]},{"name":"JetGetVersion","features":[144,145]},{"name":"JetGotoBookmark","features":[144,145]},{"name":"JetGotoPosition","features":[144,145]},{"name":"JetGotoSecondaryIndexBookmark","features":[144,145]},{"name":"JetGrowDatabase","features":[144,145]},{"name":"JetIdle","features":[144,145]},{"name":"JetIndexRecordCount","features":[144,145]},{"name":"JetInit","features":[144,145]},{"name":"JetInit2","features":[144,145]},{"name":"JetInit3A","features":[144,145]},{"name":"JetInit3W","features":[144,145]},{"name":"JetIntersectIndexes","features":[144,145]},{"name":"JetMakeKey","features":[144,145]},{"name":"JetMove","features":[144,145]},{"name":"JetOSSnapshotAbort","features":[144]},{"name":"JetOSSnapshotEnd","features":[144]},{"name":"JetOSSnapshotFreezeA","features":[144,145]},{"name":"JetOSSnapshotFreezeW","features":[144,145]},{"name":"JetOSSnapshotGetFreezeInfoA","features":[144,145]},{"name":"JetOSSnapshotGetFreezeInfoW","features":[144,145]},{"name":"JetOSSnapshotPrepare","features":[144]},{"name":"JetOSSnapshotPrepareInstance","features":[144,145]},{"name":"JetOSSnapshotThaw","features":[144]},{"name":"JetOSSnapshotTruncateLog","features":[144]},{"name":"JetOSSnapshotTruncateLogInstance","features":[144,145]},{"name":"JetOpenDatabaseA","features":[144,145]},{"name":"JetOpenDatabaseW","features":[144,145]},{"name":"JetOpenFileA","features":[144,145]},{"name":"JetOpenFileInstanceA","features":[144,145]},{"name":"JetOpenFileInstanceW","features":[144,145]},{"name":"JetOpenFileW","features":[144,145]},{"name":"JetOpenTableA","features":[144,145]},{"name":"JetOpenTableW","features":[144,145]},{"name":"JetOpenTempTable","features":[144,145]},{"name":"JetOpenTempTable2","features":[144,145]},{"name":"JetOpenTempTable3","features":[144,145]},{"name":"JetOpenTemporaryTable","features":[144,145]},{"name":"JetOpenTemporaryTable2","features":[144,145]},{"name":"JetPrepareUpdate","features":[144,145]},{"name":"JetPrereadIndexRanges","features":[144,145]},{"name":"JetPrereadKeys","features":[144,145]},{"name":"JetReadFile","features":[144,145]},{"name":"JetReadFileInstance","features":[144,145]},{"name":"JetRegisterCallback","features":[144,145]},{"name":"JetRenameColumnA","features":[144,145]},{"name":"JetRenameColumnW","features":[144,145]},{"name":"JetRenameTableA","features":[144,145]},{"name":"JetRenameTableW","features":[144,145]},{"name":"JetResetSessionContext","features":[144,145]},{"name":"JetResetTableSequential","features":[144,145]},{"name":"JetResizeDatabase","features":[144,145]},{"name":"JetRestore2A","features":[144,145]},{"name":"JetRestore2W","features":[144,145]},{"name":"JetRestoreA","features":[144,145]},{"name":"JetRestoreInstanceA","features":[144,145]},{"name":"JetRestoreInstanceW","features":[144,145]},{"name":"JetRestoreW","features":[144,145]},{"name":"JetRetrieveColumn","features":[144,145]},{"name":"JetRetrieveColumns","features":[144,145]},{"name":"JetRetrieveKey","features":[144,145]},{"name":"JetRollback","features":[144,145]},{"name":"JetSeek","features":[144,145]},{"name":"JetSetColumn","features":[144,145]},{"name":"JetSetColumnDefaultValueA","features":[144,145]},{"name":"JetSetColumnDefaultValueW","features":[144,145]},{"name":"JetSetColumns","features":[144,145]},{"name":"JetSetCurrentIndex2A","features":[144,145]},{"name":"JetSetCurrentIndex2W","features":[144,145]},{"name":"JetSetCurrentIndex3A","features":[144,145]},{"name":"JetSetCurrentIndex3W","features":[144,145]},{"name":"JetSetCurrentIndex4A","features":[144,145]},{"name":"JetSetCurrentIndex4W","features":[144,145]},{"name":"JetSetCurrentIndexA","features":[144,145]},{"name":"JetSetCurrentIndexW","features":[144,145]},{"name":"JetSetCursorFilter","features":[144,145]},{"name":"JetSetDatabaseSizeA","features":[144,145]},{"name":"JetSetDatabaseSizeW","features":[144,145]},{"name":"JetSetIndexRange","features":[144,145]},{"name":"JetSetLS","features":[144,145]},{"name":"JetSetSessionContext","features":[144,145]},{"name":"JetSetSessionParameter","features":[144,145]},{"name":"JetSetSystemParameterA","features":[144,145]},{"name":"JetSetSystemParameterW","features":[144,145]},{"name":"JetSetTableSequential","features":[144,145]},{"name":"JetStopBackup","features":[144]},{"name":"JetStopBackupInstance","features":[144,145]},{"name":"JetStopService","features":[144]},{"name":"JetStopServiceInstance","features":[144,145]},{"name":"JetStopServiceInstance2","features":[144,145]},{"name":"JetTerm","features":[144,145]},{"name":"JetTerm2","features":[144,145]},{"name":"JetTruncateLog","features":[144]},{"name":"JetTruncateLogInstance","features":[144,145]},{"name":"JetUnregisterCallback","features":[144,145]},{"name":"JetUpdate","features":[144,145]},{"name":"JetUpdate2","features":[144,145]},{"name":"cColumnInfoCols","features":[144]},{"name":"cIndexInfoCols","features":[144]},{"name":"cObjectInfoCols","features":[144]},{"name":"wrnBTNotVisibleAccumulated","features":[144]},{"name":"wrnBTNotVisibleRejected","features":[144]}],"516":[{"name":"ACTIVE_LATENCY_CONFIGURATION","features":[146]},{"name":"BUCKET_COUNTER","features":[146]},{"name":"DEBUG_BIT_FIELD","features":[146]},{"name":"DSSD_POWER_STATE_DESCRIPTOR","features":[146]},{"name":"FIRMWARE_ACTIVATION_HISTORY_ENTRY","features":[146]},{"name":"FIRMWARE_ACTIVATION_HISTORY_ENTRY_VERSION_1","features":[146]},{"name":"GUID_MFND_CHILD_CONTROLLER_EVENT_LOG_PAGE","features":[146]},{"name":"GUID_MFND_CHILD_CONTROLLER_EVENT_LOG_PAGEGuid","features":[146]},{"name":"GUID_OCP_DEVICE_DEVICE_CAPABILITIES","features":[146]},{"name":"GUID_OCP_DEVICE_DEVICE_CAPABILITIESGuid","features":[146]},{"name":"GUID_OCP_DEVICE_ERROR_RECOVERY","features":[146]},{"name":"GUID_OCP_DEVICE_ERROR_RECOVERYGuid","features":[146]},{"name":"GUID_OCP_DEVICE_FIRMWARE_ACTIVATION_HISTORY","features":[146]},{"name":"GUID_OCP_DEVICE_FIRMWARE_ACTIVATION_HISTORYGuid","features":[146]},{"name":"GUID_OCP_DEVICE_LATENCY_MONITOR","features":[146]},{"name":"GUID_OCP_DEVICE_LATENCY_MONITORGuid","features":[146]},{"name":"GUID_OCP_DEVICE_SMART_INFORMATION","features":[146]},{"name":"GUID_OCP_DEVICE_SMART_INFORMATIONGuid","features":[146]},{"name":"GUID_OCP_DEVICE_TCG_CONFIGURATION","features":[146]},{"name":"GUID_OCP_DEVICE_TCG_CONFIGURATIONGuid","features":[146]},{"name":"GUID_OCP_DEVICE_TCG_HISTORY","features":[146]},{"name":"GUID_OCP_DEVICE_TCG_HISTORYGuid","features":[146]},{"name":"GUID_OCP_DEVICE_UNSUPPORTED_REQUIREMENTS","features":[146]},{"name":"GUID_OCP_DEVICE_UNSUPPORTED_REQUIREMENTSGuid","features":[146]},{"name":"GUID_WCS_DEVICE_ERROR_RECOVERY","features":[146]},{"name":"GUID_WCS_DEVICE_ERROR_RECOVERYGuid","features":[146]},{"name":"GUID_WCS_DEVICE_SMART_ATTRIBUTES","features":[146]},{"name":"GUID_WCS_DEVICE_SMART_ATTRIBUTESGuid","features":[146]},{"name":"LATENCY_MONITOR_FEATURE_STATUS","features":[146]},{"name":"LATENCY_STAMP","features":[146]},{"name":"LATENCY_STAMP_UNITS","features":[146]},{"name":"MEASURED_LATENCY","features":[146]},{"name":"NVME_ACCESS_FREQUENCIES","features":[146]},{"name":"NVME_ACCESS_FREQUENCY_FR_WRITE_FR_READ","features":[146]},{"name":"NVME_ACCESS_FREQUENCY_FR_WRITE_INFR_READ","features":[146]},{"name":"NVME_ACCESS_FREQUENCY_INFR_WRITE_FR_READ","features":[146]},{"name":"NVME_ACCESS_FREQUENCY_INFR_WRITE_INFR_READ","features":[146]},{"name":"NVME_ACCESS_FREQUENCY_NONE","features":[146]},{"name":"NVME_ACCESS_FREQUENCY_ONE_TIME_READ","features":[146]},{"name":"NVME_ACCESS_FREQUENCY_SPECULATIVE_READ","features":[146]},{"name":"NVME_ACCESS_FREQUENCY_TYPICAL","features":[146]},{"name":"NVME_ACCESS_FREQUENCY_WILL_BE_OVERWRITTEN","features":[146]},{"name":"NVME_ACCESS_LATENCIES","features":[146]},{"name":"NVME_ACCESS_LATENCY_IDLE","features":[146]},{"name":"NVME_ACCESS_LATENCY_LOW","features":[146]},{"name":"NVME_ACCESS_LATENCY_NONE","features":[146]},{"name":"NVME_ACCESS_LATENCY_NORMAL","features":[146]},{"name":"NVME_ACTIVE_NAMESPACE_ID_LIST","features":[146]},{"name":"NVME_ADMIN_COMMANDS","features":[146]},{"name":"NVME_ADMIN_COMMAND_ABORT","features":[146]},{"name":"NVME_ADMIN_COMMAND_ASYNC_EVENT_REQUEST","features":[146]},{"name":"NVME_ADMIN_COMMAND_CREATE_IO_CQ","features":[146]},{"name":"NVME_ADMIN_COMMAND_CREATE_IO_SQ","features":[146]},{"name":"NVME_ADMIN_COMMAND_DELETE_IO_CQ","features":[146]},{"name":"NVME_ADMIN_COMMAND_DELETE_IO_SQ","features":[146]},{"name":"NVME_ADMIN_COMMAND_DEVICE_SELF_TEST","features":[146]},{"name":"NVME_ADMIN_COMMAND_DIRECTIVE_RECEIVE","features":[146]},{"name":"NVME_ADMIN_COMMAND_DIRECTIVE_SEND","features":[146]},{"name":"NVME_ADMIN_COMMAND_DOORBELL_BUFFER_CONFIG","features":[146]},{"name":"NVME_ADMIN_COMMAND_FIRMWARE_ACTIVATE","features":[146]},{"name":"NVME_ADMIN_COMMAND_FIRMWARE_COMMIT","features":[146]},{"name":"NVME_ADMIN_COMMAND_FIRMWARE_IMAGE_DOWNLOAD","features":[146]},{"name":"NVME_ADMIN_COMMAND_FORMAT_NVM","features":[146]},{"name":"NVME_ADMIN_COMMAND_GET_FEATURES","features":[146]},{"name":"NVME_ADMIN_COMMAND_GET_LBA_STATUS","features":[146]},{"name":"NVME_ADMIN_COMMAND_GET_LOG_PAGE","features":[146]},{"name":"NVME_ADMIN_COMMAND_IDENTIFY","features":[146]},{"name":"NVME_ADMIN_COMMAND_NAMESPACE_ATTACHMENT","features":[146]},{"name":"NVME_ADMIN_COMMAND_NAMESPACE_MANAGEMENT","features":[146]},{"name":"NVME_ADMIN_COMMAND_NVME_MI_RECEIVE","features":[146]},{"name":"NVME_ADMIN_COMMAND_NVME_MI_SEND","features":[146]},{"name":"NVME_ADMIN_COMMAND_SANITIZE","features":[146]},{"name":"NVME_ADMIN_COMMAND_SECURITY_RECEIVE","features":[146]},{"name":"NVME_ADMIN_COMMAND_SECURITY_SEND","features":[146]},{"name":"NVME_ADMIN_COMMAND_SET_FEATURES","features":[146]},{"name":"NVME_ADMIN_COMMAND_VIRTUALIZATION_MANAGEMENT","features":[146]},{"name":"NVME_ADMIN_COMPLETION_QUEUE_BASE_ADDRESS","features":[146]},{"name":"NVME_ADMIN_QUEUE_ATTRIBUTES","features":[146]},{"name":"NVME_ADMIN_SUBMISSION_QUEUE_BASE_ADDRESS","features":[146]},{"name":"NVME_AMS_OPTION","features":[146]},{"name":"NVME_AMS_ROUND_ROBIN","features":[146]},{"name":"NVME_AMS_WEIGHTED_ROUND_ROBIN_URGENT","features":[146]},{"name":"NVME_ASYNC_ERROR_DIAG_FAILURE","features":[146]},{"name":"NVME_ASYNC_ERROR_FIRMWARE_IMAGE_LOAD_ERROR","features":[146]},{"name":"NVME_ASYNC_ERROR_INVALID_DOORBELL_WRITE_VALUE","features":[146]},{"name":"NVME_ASYNC_ERROR_INVALID_SUBMISSION_QUEUE","features":[146]},{"name":"NVME_ASYNC_ERROR_PERSISTENT_INTERNAL_DEVICE_ERROR","features":[146]},{"name":"NVME_ASYNC_ERROR_TRANSIENT_INTERNAL_DEVICE_ERROR","features":[146]},{"name":"NVME_ASYNC_EVENT_ERROR_STATUS_CODES","features":[146]},{"name":"NVME_ASYNC_EVENT_HEALTH_STATUS_CODES","features":[146]},{"name":"NVME_ASYNC_EVENT_IO_COMMAND_SET_STATUS_CODES","features":[146]},{"name":"NVME_ASYNC_EVENT_NOTICE_CODES","features":[146]},{"name":"NVME_ASYNC_EVENT_TYPES","features":[146]},{"name":"NVME_ASYNC_EVENT_TYPE_ERROR_STATUS","features":[146]},{"name":"NVME_ASYNC_EVENT_TYPE_HEALTH_STATUS","features":[146]},{"name":"NVME_ASYNC_EVENT_TYPE_IO_COMMAND_SET_STATUS","features":[146]},{"name":"NVME_ASYNC_EVENT_TYPE_NOTICE","features":[146]},{"name":"NVME_ASYNC_EVENT_TYPE_VENDOR_SPECIFIC","features":[146]},{"name":"NVME_ASYNC_EVENT_TYPE_VENDOR_SPECIFIC_CODES","features":[146]},{"name":"NVME_ASYNC_EVENT_TYPE_VENDOR_SPECIFIC_DEVICE_PANIC","features":[146]},{"name":"NVME_ASYNC_EVENT_TYPE_VENDOR_SPECIFIC_RESERVED","features":[146]},{"name":"NVME_ASYNC_HEALTH_NVM_SUBSYSTEM_RELIABILITY","features":[146]},{"name":"NVME_ASYNC_HEALTH_SPARE_BELOW_THRESHOLD","features":[146]},{"name":"NVME_ASYNC_HEALTH_TEMPERATURE_THRESHOLD","features":[146]},{"name":"NVME_ASYNC_IO_CMD_SANITIZE_OPERATION_COMPLETED","features":[146]},{"name":"NVME_ASYNC_IO_CMD_SANITIZE_OPERATION_COMPLETED_WITH_UNEXPECTED_DEALLOCATION","features":[146]},{"name":"NVME_ASYNC_IO_CMD_SET_RESERVATION_LOG_PAGE_AVAILABLE","features":[146]},{"name":"NVME_ASYNC_NOTICE_ASYMMETRIC_ACCESS_CHANGE","features":[146]},{"name":"NVME_ASYNC_NOTICE_ENDURANCE_GROUP_EVENT_AGGREGATE_LOG_CHANGE","features":[146]},{"name":"NVME_ASYNC_NOTICE_FIRMWARE_ACTIVATION_STARTING","features":[146]},{"name":"NVME_ASYNC_NOTICE_LBA_STATUS_INFORMATION_ALERT","features":[146]},{"name":"NVME_ASYNC_NOTICE_NAMESPACE_ATTRIBUTE_CHANGED","features":[146]},{"name":"NVME_ASYNC_NOTICE_PREDICTABLE_LATENCY_EVENT_AGGREGATE_LOG_CHANGE","features":[146]},{"name":"NVME_ASYNC_NOTICE_TELEMETRY_LOG_CHANGED","features":[146]},{"name":"NVME_ASYNC_NOTICE_ZONE_DESCRIPTOR_CHANGED","features":[146]},{"name":"NVME_AUTO_POWER_STATE_TRANSITION_ENTRY","features":[146]},{"name":"NVME_CC_SHN_ABRUPT_SHUTDOWN","features":[146]},{"name":"NVME_CC_SHN_NORMAL_SHUTDOWN","features":[146]},{"name":"NVME_CC_SHN_NO_NOTIFICATION","features":[146]},{"name":"NVME_CC_SHN_SHUTDOWN_NOTIFICATIONS","features":[146]},{"name":"NVME_CDW0_FEATURE_ENABLE_IEEE1667_SILO","features":[146]},{"name":"NVME_CDW0_FEATURE_ERROR_INJECTION","features":[146]},{"name":"NVME_CDW0_FEATURE_READONLY_WRITETHROUGH_MODE","features":[146]},{"name":"NVME_CDW0_RESERVATION_PERSISTENCE","features":[146]},{"name":"NVME_CDW10_ABORT","features":[146]},{"name":"NVME_CDW10_CREATE_IO_QUEUE","features":[146]},{"name":"NVME_CDW10_DATASET_MANAGEMENT","features":[146]},{"name":"NVME_CDW10_DIRECTIVE_RECEIVE","features":[146]},{"name":"NVME_CDW10_DIRECTIVE_SEND","features":[146]},{"name":"NVME_CDW10_FIRMWARE_ACTIVATE","features":[146]},{"name":"NVME_CDW10_FIRMWARE_DOWNLOAD","features":[146]},{"name":"NVME_CDW10_FORMAT_NVM","features":[146]},{"name":"NVME_CDW10_GET_FEATURES","features":[146]},{"name":"NVME_CDW10_GET_LOG_PAGE","features":[146]},{"name":"NVME_CDW10_GET_LOG_PAGE_V13","features":[146]},{"name":"NVME_CDW10_IDENTIFY","features":[146]},{"name":"NVME_CDW10_RESERVATION_ACQUIRE","features":[146]},{"name":"NVME_CDW10_RESERVATION_REGISTER","features":[146]},{"name":"NVME_CDW10_RESERVATION_RELEASE","features":[146]},{"name":"NVME_CDW10_RESERVATION_REPORT","features":[146]},{"name":"NVME_CDW10_SANITIZE","features":[146]},{"name":"NVME_CDW10_SECURITY_SEND_RECEIVE","features":[146]},{"name":"NVME_CDW10_SET_FEATURES","features":[146]},{"name":"NVME_CDW10_ZONE_APPEND","features":[146]},{"name":"NVME_CDW10_ZONE_MANAGEMENT_RECEIVE","features":[146]},{"name":"NVME_CDW10_ZONE_MANAGEMENT_SEND","features":[146]},{"name":"NVME_CDW11_CREATE_IO_CQ","features":[146]},{"name":"NVME_CDW11_CREATE_IO_SQ","features":[146]},{"name":"NVME_CDW11_DATASET_MANAGEMENT","features":[146]},{"name":"NVME_CDW11_DIRECTIVE_RECEIVE","features":[146]},{"name":"NVME_CDW11_DIRECTIVE_SEND","features":[146]},{"name":"NVME_CDW11_FEATURES","features":[146]},{"name":"NVME_CDW11_FEATURE_ARBITRATION","features":[146]},{"name":"NVME_CDW11_FEATURE_ASYNC_EVENT_CONFIG","features":[146]},{"name":"NVME_CDW11_FEATURE_AUTO_POWER_STATE_TRANSITION","features":[146]},{"name":"NVME_CDW11_FEATURE_CLEAR_FW_UPDATE_HISTORY","features":[146]},{"name":"NVME_CDW11_FEATURE_CLEAR_PCIE_CORRECTABLE_ERROR_COUNTERS","features":[146]},{"name":"NVME_CDW11_FEATURE_ENABLE_IEEE1667_SILO","features":[146]},{"name":"NVME_CDW11_FEATURE_ERROR_RECOVERY","features":[146]},{"name":"NVME_CDW11_FEATURE_GET_HOST_METADATA","features":[146]},{"name":"NVME_CDW11_FEATURE_HOST_IDENTIFIER","features":[146]},{"name":"NVME_CDW11_FEATURE_HOST_MEMORY_BUFFER","features":[146]},{"name":"NVME_CDW11_FEATURE_INTERRUPT_COALESCING","features":[146]},{"name":"NVME_CDW11_FEATURE_INTERRUPT_VECTOR_CONFIG","features":[146]},{"name":"NVME_CDW11_FEATURE_IO_COMMAND_SET_PROFILE","features":[146]},{"name":"NVME_CDW11_FEATURE_LBA_RANGE_TYPE","features":[146]},{"name":"NVME_CDW11_FEATURE_NON_OPERATIONAL_POWER_STATE","features":[146]},{"name":"NVME_CDW11_FEATURE_NUMBER_OF_QUEUES","features":[146]},{"name":"NVME_CDW11_FEATURE_POWER_MANAGEMENT","features":[146]},{"name":"NVME_CDW11_FEATURE_READONLY_WRITETHROUGH_MODE","features":[146]},{"name":"NVME_CDW11_FEATURE_RESERVATION_NOTIFICATION_MASK","features":[146]},{"name":"NVME_CDW11_FEATURE_RESERVATION_PERSISTENCE","features":[146]},{"name":"NVME_CDW11_FEATURE_SET_HOST_METADATA","features":[146]},{"name":"NVME_CDW11_FEATURE_SUPPORTED_CAPABILITY","features":[146]},{"name":"NVME_CDW11_FEATURE_TEMPERATURE_THRESHOLD","features":[146]},{"name":"NVME_CDW11_FEATURE_VOLATILE_WRITE_CACHE","features":[146]},{"name":"NVME_CDW11_FEATURE_WRITE_ATOMICITY_NORMAL","features":[146]},{"name":"NVME_CDW11_FIRMWARE_DOWNLOAD","features":[146]},{"name":"NVME_CDW11_GET_LOG_PAGE","features":[146]},{"name":"NVME_CDW11_IDENTIFY","features":[146]},{"name":"NVME_CDW11_RESERVATION_REPORT","features":[146]},{"name":"NVME_CDW11_SANITIZE","features":[146]},{"name":"NVME_CDW11_SECURITY_RECEIVE","features":[146]},{"name":"NVME_CDW11_SECURITY_SEND","features":[146]},{"name":"NVME_CDW12_DIRECTIVE_RECEIVE","features":[146]},{"name":"NVME_CDW12_DIRECTIVE_RECEIVE_STREAMS_ALLOCATE_RESOURCES","features":[146]},{"name":"NVME_CDW12_DIRECTIVE_SEND","features":[146]},{"name":"NVME_CDW12_DIRECTIVE_SEND_IDENTIFY_ENABLE_DIRECTIVE","features":[146]},{"name":"NVME_CDW12_FEATURES","features":[146]},{"name":"NVME_CDW12_FEATURE_HOST_MEMORY_BUFFER","features":[146]},{"name":"NVME_CDW12_GET_LOG_PAGE","features":[146]},{"name":"NVME_CDW12_READ_WRITE","features":[146]},{"name":"NVME_CDW12_ZONE_APPEND","features":[146]},{"name":"NVME_CDW13_FEATURES","features":[146]},{"name":"NVME_CDW13_FEATURE_HOST_MEMORY_BUFFER","features":[146]},{"name":"NVME_CDW13_GET_LOG_PAGE","features":[146]},{"name":"NVME_CDW13_READ_WRITE","features":[146]},{"name":"NVME_CDW13_ZONE_MANAGEMENT_RECEIVE","features":[146]},{"name":"NVME_CDW13_ZONE_MANAGEMENT_SEND","features":[146]},{"name":"NVME_CDW14_FEATURES","features":[146]},{"name":"NVME_CDW14_FEATURE_HOST_MEMORY_BUFFER","features":[146]},{"name":"NVME_CDW14_GET_LOG_PAGE","features":[146]},{"name":"NVME_CDW15_FEATURES","features":[146]},{"name":"NVME_CDW15_FEATURE_HOST_MEMORY_BUFFER","features":[146]},{"name":"NVME_CDW15_READ_WRITE","features":[146]},{"name":"NVME_CDW15_ZONE_APPEND","features":[146]},{"name":"NVME_CHANGED_NAMESPACE_LIST_LOG","features":[146]},{"name":"NVME_CHANGED_ZONE_LIST_LOG","features":[146]},{"name":"NVME_CMBSZ_SIZE_UNITS","features":[146]},{"name":"NVME_CMBSZ_SIZE_UNITS_16MB","features":[146]},{"name":"NVME_CMBSZ_SIZE_UNITS_1MB","features":[146]},{"name":"NVME_CMBSZ_SIZE_UNITS_256MB","features":[146]},{"name":"NVME_CMBSZ_SIZE_UNITS_4GB","features":[146]},{"name":"NVME_CMBSZ_SIZE_UNITS_4KB","features":[146]},{"name":"NVME_CMBSZ_SIZE_UNITS_64GB","features":[146]},{"name":"NVME_CMBSZ_SIZE_UNITS_64KB","features":[146]},{"name":"NVME_COMMAND","features":[146]},{"name":"NVME_COMMAND_DWORD0","features":[146]},{"name":"NVME_COMMAND_EFFECTS_DATA","features":[146]},{"name":"NVME_COMMAND_EFFECTS_LOG","features":[146]},{"name":"NVME_COMMAND_EFFECT_SBUMISSION_EXECUTION_LIMITS","features":[146]},{"name":"NVME_COMMAND_EFFECT_SBUMISSION_EXECUTION_LIMIT_NONE","features":[146]},{"name":"NVME_COMMAND_EFFECT_SBUMISSION_EXECUTION_LIMIT_SINGLE_PER_CONTROLLER","features":[146]},{"name":"NVME_COMMAND_EFFECT_SBUMISSION_EXECUTION_LIMIT_SINGLE_PER_NAMESPACE","features":[146]},{"name":"NVME_COMMAND_SET_IDENTIFIERS","features":[146]},{"name":"NVME_COMMAND_SET_KEY_VALUE","features":[146]},{"name":"NVME_COMMAND_SET_NVM","features":[146]},{"name":"NVME_COMMAND_SET_ZONED_NAMESPACE","features":[146]},{"name":"NVME_COMMAND_STATUS","features":[146]},{"name":"NVME_COMPLETION_DW0_ASYNC_EVENT_REQUEST","features":[146]},{"name":"NVME_COMPLETION_DW0_DIRECTIVE_RECEIVE_STREAMS_ALLOCATE_RESOURCES","features":[146]},{"name":"NVME_COMPLETION_ENTRY","features":[146]},{"name":"NVME_COMPLETION_QUEUE_HEAD_DOORBELL","features":[146]},{"name":"NVME_CONTEXT_ATTRIBUTES","features":[146]},{"name":"NVME_CONTROLLER_CAPABILITIES","features":[146]},{"name":"NVME_CONTROLLER_CONFIGURATION","features":[146]},{"name":"NVME_CONTROLLER_LIST","features":[146]},{"name":"NVME_CONTROLLER_MEMORY_BUFFER_LOCATION","features":[146]},{"name":"NVME_CONTROLLER_MEMORY_BUFFER_SIZE","features":[146]},{"name":"NVME_CONTROLLER_METADATA_CHIPSET_DRIVER_NAME","features":[146]},{"name":"NVME_CONTROLLER_METADATA_CHIPSET_DRIVER_VERSION","features":[146]},{"name":"NVME_CONTROLLER_METADATA_DISPLAY_DRIVER_NAME","features":[146]},{"name":"NVME_CONTROLLER_METADATA_DISPLAY_DRIVER_VERSION","features":[146]},{"name":"NVME_CONTROLLER_METADATA_ELEMENT_TYPES","features":[146]},{"name":"NVME_CONTROLLER_METADATA_FIRMWARE_VERSION","features":[146]},{"name":"NVME_CONTROLLER_METADATA_HOST_DETERMINED_FAILURE_RECORD","features":[146]},{"name":"NVME_CONTROLLER_METADATA_OPERATING_SYSTEM_CONTROLLER_NAME","features":[146]},{"name":"NVME_CONTROLLER_METADATA_OPERATING_SYSTEM_DRIVER_FILENAME","features":[146]},{"name":"NVME_CONTROLLER_METADATA_OPERATING_SYSTEM_DRIVER_NAME","features":[146]},{"name":"NVME_CONTROLLER_METADATA_OPERATING_SYSTEM_DRIVER_VERSION","features":[146]},{"name":"NVME_CONTROLLER_METADATA_OPERATING_SYSTEM_NAME_AND_BUILD","features":[146]},{"name":"NVME_CONTROLLER_METADATA_PREBOOT_CONTROLLER_NAME","features":[146]},{"name":"NVME_CONTROLLER_METADATA_PREBOOT_DRIVER_NAME","features":[146]},{"name":"NVME_CONTROLLER_METADATA_PREBOOT_DRIVER_VERSION","features":[146]},{"name":"NVME_CONTROLLER_METADATA_SYSTEM_PROCESSOR_MODEL","features":[146]},{"name":"NVME_CONTROLLER_METADATA_SYSTEM_PRODUCT_NAME","features":[146]},{"name":"NVME_CONTROLLER_REGISTERS","features":[146]},{"name":"NVME_CONTROLLER_STATUS","features":[146]},{"name":"NVME_CSS_ADMIN_COMMAND_SET_ONLY","features":[146]},{"name":"NVME_CSS_ALL_SUPPORTED_IO_COMMAND_SET","features":[146]},{"name":"NVME_CSS_COMMAND_SETS","features":[146]},{"name":"NVME_CSS_NVM_COMMAND_SET","features":[146]},{"name":"NVME_CSTS_SHST_NO_SHUTDOWN","features":[146]},{"name":"NVME_CSTS_SHST_SHUTDOWN_COMPLETED","features":[146]},{"name":"NVME_CSTS_SHST_SHUTDOWN_IN_PROCESS","features":[146]},{"name":"NVME_CSTS_SHST_SHUTDOWN_STATUS","features":[146]},{"name":"NVME_DEVICE_SELF_TEST_LOG","features":[146]},{"name":"NVME_DEVICE_SELF_TEST_RESULT_DATA","features":[146]},{"name":"NVME_DIRECTIVE_IDENTIFY_RETURN_PARAMETERS","features":[146]},{"name":"NVME_DIRECTIVE_IDENTIFY_RETURN_PARAMETERS_DESCRIPTOR","features":[146]},{"name":"NVME_DIRECTIVE_RECEIVE_IDENTIFY_OPERATIONS","features":[146]},{"name":"NVME_DIRECTIVE_RECEIVE_IDENTIFY_OPERATION_RETURN_PARAMETERS","features":[146]},{"name":"NVME_DIRECTIVE_RECEIVE_STREAMS_OPERATIONS","features":[146]},{"name":"NVME_DIRECTIVE_RECEIVE_STREAMS_OPERATION_ALLOCATE_RESOURCES","features":[146]},{"name":"NVME_DIRECTIVE_RECEIVE_STREAMS_OPERATION_GET_STATUS","features":[146]},{"name":"NVME_DIRECTIVE_RECEIVE_STREAMS_OPERATION_RETURN_PARAMETERS","features":[146]},{"name":"NVME_DIRECTIVE_SEND_IDENTIFY_OPERATIONS","features":[146]},{"name":"NVME_DIRECTIVE_SEND_IDENTIFY_OPERATION_ENABLE_DIRECTIVE","features":[146]},{"name":"NVME_DIRECTIVE_SEND_STREAMS_OPERATIONS","features":[146]},{"name":"NVME_DIRECTIVE_SEND_STREAMS_OPERATION_RELEASE_IDENTIFIER","features":[146]},{"name":"NVME_DIRECTIVE_SEND_STREAMS_OPERATION_RELEASE_RESOURCES","features":[146]},{"name":"NVME_DIRECTIVE_STREAMS_GET_STATUS_DATA","features":[146]},{"name":"NVME_DIRECTIVE_STREAMS_RETURN_PARAMETERS","features":[146]},{"name":"NVME_DIRECTIVE_TYPES","features":[146]},{"name":"NVME_DIRECTIVE_TYPE_IDENTIFY","features":[146]},{"name":"NVME_DIRECTIVE_TYPE_STREAMS","features":[146]},{"name":"NVME_ENDURANCE_GROUP_LOG","features":[146]},{"name":"NVME_ERROR_INFO_LOG","features":[146]},{"name":"NVME_ERROR_INJECTION_ENTRY","features":[146]},{"name":"NVME_ERROR_INJECTION_TYPES","features":[146]},{"name":"NVME_ERROR_INJECTION_TYPE_DEVICE_PANIC_CPU_CONTROLLER_HANG","features":[146]},{"name":"NVME_ERROR_INJECTION_TYPE_DEVICE_PANIC_DRAM_CORRUPTION_CRITICAL","features":[146]},{"name":"NVME_ERROR_INJECTION_TYPE_DEVICE_PANIC_DRAM_CORRUPTION_NONCRITICAL","features":[146]},{"name":"NVME_ERROR_INJECTION_TYPE_DEVICE_PANIC_HW_MALFUNCTION","features":[146]},{"name":"NVME_ERROR_INJECTION_TYPE_DEVICE_PANIC_LOGICAL_FW_ERROR","features":[146]},{"name":"NVME_ERROR_INJECTION_TYPE_DEVICE_PANIC_NAND_CORRUPTION","features":[146]},{"name":"NVME_ERROR_INJECTION_TYPE_DEVICE_PANIC_NAND_HANG","features":[146]},{"name":"NVME_ERROR_INJECTION_TYPE_DEVICE_PANIC_PLP_DEFECT","features":[146]},{"name":"NVME_ERROR_INJECTION_TYPE_DEVICE_PANIC_SRAM_CORRUPTION","features":[146]},{"name":"NVME_ERROR_INJECTION_TYPE_MAX","features":[146]},{"name":"NVME_ERROR_INJECTION_TYPE_RESERVED0","features":[146]},{"name":"NVME_ERROR_INJECTION_TYPE_RESERVED1","features":[146]},{"name":"NVME_EXTENDED_HOST_IDENTIFIER_SIZE","features":[146]},{"name":"NVME_EXTENDED_REPORT_ZONE_INFO","features":[146]},{"name":"NVME_FEATURES","features":[146]},{"name":"NVME_FEATURE_ARBITRATION","features":[146]},{"name":"NVME_FEATURE_ASYNC_EVENT_CONFIG","features":[146]},{"name":"NVME_FEATURE_AUTONOMOUS_POWER_STATE_TRANSITION","features":[146]},{"name":"NVME_FEATURE_CLEAR_FW_UPDATE_HISTORY","features":[146]},{"name":"NVME_FEATURE_CLEAR_PCIE_CORRECTABLE_ERROR_COUNTERS","features":[146]},{"name":"NVME_FEATURE_CONTROLLER_METADATA","features":[146]},{"name":"NVME_FEATURE_ENABLE_IEEE1667_SILO","features":[146]},{"name":"NVME_FEATURE_ENDURANCE_GROUP_EVENT_CONFIG","features":[146]},{"name":"NVME_FEATURE_ENHANCED_CONTROLLER_METADATA","features":[146]},{"name":"NVME_FEATURE_ERROR_INJECTION","features":[146]},{"name":"NVME_FEATURE_ERROR_RECOVERY","features":[146]},{"name":"NVME_FEATURE_HOST_BEHAVIOR_SUPPORT","features":[146]},{"name":"NVME_FEATURE_HOST_CONTROLLED_THERMAL_MANAGEMENT","features":[146]},{"name":"NVME_FEATURE_HOST_IDENTIFIER_DATA","features":[146]},{"name":"NVME_FEATURE_HOST_MEMORY_BUFFER","features":[146]},{"name":"NVME_FEATURE_HOST_METADATA_DATA","features":[146]},{"name":"NVME_FEATURE_INTERRUPT_COALESCING","features":[146]},{"name":"NVME_FEATURE_INTERRUPT_VECTOR_CONFIG","features":[146]},{"name":"NVME_FEATURE_IO_COMMAND_SET_PROFILE","features":[146]},{"name":"NVME_FEATURE_KEEP_ALIVE","features":[146]},{"name":"NVME_FEATURE_LBA_RANGE_TYPE","features":[146]},{"name":"NVME_FEATURE_LBA_STATUS_INFORMATION_REPORT_INTERVAL","features":[146]},{"name":"NVME_FEATURE_NAMESPACE_METADATA","features":[146]},{"name":"NVME_FEATURE_NONOPERATIONAL_POWER_STATE","features":[146]},{"name":"NVME_FEATURE_NUMBER_OF_QUEUES","features":[146]},{"name":"NVME_FEATURE_NVM_HOST_IDENTIFIER","features":[146]},{"name":"NVME_FEATURE_NVM_NAMESPACE_WRITE_PROTECTION_CONFIG","features":[146]},{"name":"NVME_FEATURE_NVM_RESERVATION_NOTIFICATION_MASK","features":[146]},{"name":"NVME_FEATURE_NVM_RESERVATION_PERSISTANCE","features":[146]},{"name":"NVME_FEATURE_NVM_SOFTWARE_PROGRESS_MARKER","features":[146]},{"name":"NVME_FEATURE_PLP_HEALTH_MONITOR","features":[146]},{"name":"NVME_FEATURE_POWER_MANAGEMENT","features":[146]},{"name":"NVME_FEATURE_PREDICTABLE_LATENCY_MODE_CONFIG","features":[146]},{"name":"NVME_FEATURE_PREDICTABLE_LATENCY_MODE_WINDOW","features":[146]},{"name":"NVME_FEATURE_READONLY_WRITETHROUGH_MODE","features":[146]},{"name":"NVME_FEATURE_READ_RECOVERY_LEVEL_CONFIG","features":[146]},{"name":"NVME_FEATURE_SANITIZE_CONFIG","features":[146]},{"name":"NVME_FEATURE_TEMPERATURE_THRESHOLD","features":[146]},{"name":"NVME_FEATURE_TIMESTAMP","features":[146]},{"name":"NVME_FEATURE_VALUE_CODES","features":[146]},{"name":"NVME_FEATURE_VALUE_CURRENT","features":[146]},{"name":"NVME_FEATURE_VALUE_DEFAULT","features":[146]},{"name":"NVME_FEATURE_VALUE_SAVED","features":[146]},{"name":"NVME_FEATURE_VALUE_SUPPORTED_CAPABILITIES","features":[146]},{"name":"NVME_FEATURE_VOLATILE_WRITE_CACHE","features":[146]},{"name":"NVME_FEATURE_WRITE_ATOMICITY","features":[146]},{"name":"NVME_FIRMWARE_ACTIVATE_ACTIONS","features":[146]},{"name":"NVME_FIRMWARE_ACTIVATE_ACTION_ACTIVATE","features":[146]},{"name":"NVME_FIRMWARE_ACTIVATE_ACTION_DOWNLOAD_TO_SLOT","features":[146]},{"name":"NVME_FIRMWARE_ACTIVATE_ACTION_DOWNLOAD_TO_SLOT_AND_ACTIVATE","features":[146]},{"name":"NVME_FIRMWARE_ACTIVATE_ACTION_DOWNLOAD_TO_SLOT_AND_ACTIVATE_IMMEDIATE","features":[146]},{"name":"NVME_FIRMWARE_SLOT_INFO_LOG","features":[146]},{"name":"NVME_FUSED_OPERATION_CODES","features":[146]},{"name":"NVME_FUSED_OPERATION_FIRST_CMD","features":[146]},{"name":"NVME_FUSED_OPERATION_NORMAL","features":[146]},{"name":"NVME_FUSED_OPERATION_SECOND_CMD","features":[146]},{"name":"NVME_HEALTH_INFO_LOG","features":[146]},{"name":"NVME_HOST_IDENTIFIER_SIZE","features":[146]},{"name":"NVME_HOST_MEMORY_BUFFER_DESCRIPTOR_ENTRY","features":[146]},{"name":"NVME_HOST_METADATA_ADD_ENTRY_MULTIPLE","features":[146]},{"name":"NVME_HOST_METADATA_ADD_REPLACE_ENTRY","features":[146]},{"name":"NVME_HOST_METADATA_DELETE_ENTRY_MULTIPLE","features":[146]},{"name":"NVME_HOST_METADATA_ELEMENT_ACTIONS","features":[146]},{"name":"NVME_HOST_METADATA_ELEMENT_DESCRIPTOR","features":[146]},{"name":"NVME_IDENTIFIER_TYPE","features":[146]},{"name":"NVME_IDENTIFIER_TYPE_CSI","features":[146]},{"name":"NVME_IDENTIFIER_TYPE_CSI_LENGTH","features":[146]},{"name":"NVME_IDENTIFIER_TYPE_EUI64","features":[146]},{"name":"NVME_IDENTIFIER_TYPE_EUI64_LENGTH","features":[146]},{"name":"NVME_IDENTIFIER_TYPE_LENGTH","features":[146]},{"name":"NVME_IDENTIFIER_TYPE_NGUID","features":[146]},{"name":"NVME_IDENTIFIER_TYPE_NGUID_LENGTH","features":[146]},{"name":"NVME_IDENTIFIER_TYPE_UUID","features":[146]},{"name":"NVME_IDENTIFIER_TYPE_UUID_LENGTH","features":[146]},{"name":"NVME_IDENTIFY_CNS_ACTIVE_NAMESPACES","features":[146]},{"name":"NVME_IDENTIFY_CNS_ACTIVE_NAMESPACE_LIST_IO_COMMAND_SET","features":[146]},{"name":"NVME_IDENTIFY_CNS_ALLOCATED_NAMESPACE","features":[146]},{"name":"NVME_IDENTIFY_CNS_ALLOCATED_NAMESPACE_IO_COMMAND_SET","features":[146]},{"name":"NVME_IDENTIFY_CNS_ALLOCATED_NAMESPACE_LIST","features":[146]},{"name":"NVME_IDENTIFY_CNS_ALLOCATED_NAMSPACE_LIST_IO_COMMAND_SET","features":[146]},{"name":"NVME_IDENTIFY_CNS_CODES","features":[146]},{"name":"NVME_IDENTIFY_CNS_CONTROLLER","features":[146]},{"name":"NVME_IDENTIFY_CNS_CONTROLLER_LIST_OF_NSID","features":[146]},{"name":"NVME_IDENTIFY_CNS_CONTROLLER_LIST_OF_NVM_SUBSYSTEM","features":[146]},{"name":"NVME_IDENTIFY_CNS_DESCRIPTOR_NAMESPACE","features":[146]},{"name":"NVME_IDENTIFY_CNS_DESCRIPTOR_NAMESPACE_SIZE","features":[146]},{"name":"NVME_IDENTIFY_CNS_DOMAIN_LIST","features":[146]},{"name":"NVME_IDENTIFY_CNS_ENDURANCE_GROUP_LIST","features":[146]},{"name":"NVME_IDENTIFY_CNS_IO_COMMAND_SET","features":[146]},{"name":"NVME_IDENTIFY_CNS_NAMESPACE_GRANULARITY_LIST","features":[146]},{"name":"NVME_IDENTIFY_CNS_NVM_SET","features":[146]},{"name":"NVME_IDENTIFY_CNS_PRIMARY_CONTROLLER_CAPABILITIES","features":[146]},{"name":"NVME_IDENTIFY_CNS_SECONDARY_CONTROLLER_LIST","features":[146]},{"name":"NVME_IDENTIFY_CNS_SPECIFIC_CONTROLLER_IO_COMMAND_SET","features":[146]},{"name":"NVME_IDENTIFY_CNS_SPECIFIC_NAMESPACE","features":[146]},{"name":"NVME_IDENTIFY_CNS_SPECIFIC_NAMESPACE_IO_COMMAND_SET","features":[146]},{"name":"NVME_IDENTIFY_CNS_UUID_LIST","features":[146]},{"name":"NVME_IDENTIFY_CONTROLLER_DATA","features":[146]},{"name":"NVME_IDENTIFY_IO_COMMAND_SET","features":[146]},{"name":"NVME_IDENTIFY_NAMESPACE_DATA","features":[146]},{"name":"NVME_IDENTIFY_NAMESPACE_DESCRIPTOR","features":[146]},{"name":"NVME_IDENTIFY_NVM_SPECIFIC_CONTROLLER_IO_COMMAND_SET","features":[146]},{"name":"NVME_IDENTIFY_SPECIFIC_NAMESPACE_IO_COMMAND_SET","features":[146]},{"name":"NVME_IDENTIFY_ZNS_SPECIFIC_CONTROLLER_IO_COMMAND_SET","features":[146]},{"name":"NVME_IO_COMMAND_SET_COMBINATION_REJECTED","features":[146]},{"name":"NVME_IO_COMMAND_SET_INVALID","features":[146]},{"name":"NVME_IO_COMMAND_SET_NOT_ENABLED","features":[146]},{"name":"NVME_IO_COMMAND_SET_NOT_SUPPORTED","features":[146]},{"name":"NVME_LBA_FORMAT","features":[146]},{"name":"NVME_LBA_RANGE","features":[146]},{"name":"NVME_LBA_RANGET_TYPE_ENTRY","features":[146]},{"name":"NVME_LBA_RANGE_TYPES","features":[146]},{"name":"NVME_LBA_RANGE_TYPE_CACHE","features":[146]},{"name":"NVME_LBA_RANGE_TYPE_FILESYSTEM","features":[146]},{"name":"NVME_LBA_RANGE_TYPE_PAGE_SWAP_FILE","features":[146]},{"name":"NVME_LBA_RANGE_TYPE_RAID","features":[146]},{"name":"NVME_LBA_RANGE_TYPE_RESERVED","features":[146]},{"name":"NVME_LBA_ZONE_FORMAT","features":[146]},{"name":"NVME_LOG_PAGES","features":[146]},{"name":"NVME_LOG_PAGE_ASYMMETRIC_NAMESPACE_ACCESS","features":[146]},{"name":"NVME_LOG_PAGE_CHANGED_NAMESPACE_LIST","features":[146]},{"name":"NVME_LOG_PAGE_CHANGED_ZONE_LIST","features":[146]},{"name":"NVME_LOG_PAGE_COMMAND_EFFECTS","features":[146]},{"name":"NVME_LOG_PAGE_DEVICE_SELF_TEST","features":[146]},{"name":"NVME_LOG_PAGE_ENDURANCE_GROUP_EVENT_AGGREGATE","features":[146]},{"name":"NVME_LOG_PAGE_ENDURANCE_GROUP_INFORMATION","features":[146]},{"name":"NVME_LOG_PAGE_ERROR_INFO","features":[146]},{"name":"NVME_LOG_PAGE_FIRMWARE_SLOT_INFO","features":[146]},{"name":"NVME_LOG_PAGE_HEALTH_INFO","features":[146]},{"name":"NVME_LOG_PAGE_LBA_STATUS_INFORMATION","features":[146]},{"name":"NVME_LOG_PAGE_OCP_DEVICE_CAPABILITIES","features":[146]},{"name":"NVME_LOG_PAGE_OCP_DEVICE_ERROR_RECOVERY","features":[146]},{"name":"NVME_LOG_PAGE_OCP_DEVICE_SMART_INFORMATION","features":[146]},{"name":"NVME_LOG_PAGE_OCP_FIRMWARE_ACTIVATION_HISTORY","features":[146]},{"name":"NVME_LOG_PAGE_OCP_LATENCY_MONITOR","features":[146]},{"name":"NVME_LOG_PAGE_OCP_TCG_CONFIGURATION","features":[146]},{"name":"NVME_LOG_PAGE_OCP_TCG_HISTORY","features":[146]},{"name":"NVME_LOG_PAGE_OCP_UNSUPPORTED_REQUIREMENTS","features":[146]},{"name":"NVME_LOG_PAGE_PERSISTENT_EVENT_LOG","features":[146]},{"name":"NVME_LOG_PAGE_PREDICTABLE_LATENCY_EVENT_AGGREGATE","features":[146]},{"name":"NVME_LOG_PAGE_PREDICTABLE_LATENCY_NVM_SET","features":[146]},{"name":"NVME_LOG_PAGE_RESERVATION_NOTIFICATION","features":[146]},{"name":"NVME_LOG_PAGE_SANITIZE_STATUS","features":[146]},{"name":"NVME_LOG_PAGE_TELEMETRY_CTLR_INITIATED","features":[146]},{"name":"NVME_LOG_PAGE_TELEMETRY_HOST_INITIATED","features":[146]},{"name":"NVME_MAX_HOST_IDENTIFIER_SIZE","features":[146]},{"name":"NVME_MAX_LOG_SIZE","features":[146]},{"name":"NVME_MEDIA_ADDITIONALLY_MODIFIED_AFTER_SANITIZE_NOT_DEFINED","features":[146]},{"name":"NVME_MEDIA_ADDITIONALLY_MOFIDIED_AFTER_SANITIZE","features":[146]},{"name":"NVME_MEDIA_NOT_ADDITIONALLY_MODIFIED_AFTER_SANITIZE","features":[146]},{"name":"NVME_NAMESPACE_ALL","features":[146]},{"name":"NVME_NAMESPACE_METADATA_ELEMENT_TYPES","features":[146]},{"name":"NVME_NAMESPACE_METADATA_OPERATING_SYSTEM_NAMESPACE_NAME","features":[146]},{"name":"NVME_NAMESPACE_METADATA_OPERATING_SYSTEM_NAMESPACE_NAME_QUALIFIER_1","features":[146]},{"name":"NVME_NAMESPACE_METADATA_OPERATING_SYSTEM_NAMESPACE_NAME_QUALIFIER_2","features":[146]},{"name":"NVME_NAMESPACE_METADATA_PREBOOT_NAMESPACE_NAME","features":[146]},{"name":"NVME_NO_DEALLOCATE_MODIFIES_MEDIA_AFTER_SANITIZE","features":[146]},{"name":"NVME_NVM_COMMANDS","features":[146]},{"name":"NVME_NVM_COMMAND_COMPARE","features":[146]},{"name":"NVME_NVM_COMMAND_COPY","features":[146]},{"name":"NVME_NVM_COMMAND_DATASET_MANAGEMENT","features":[146]},{"name":"NVME_NVM_COMMAND_FLUSH","features":[146]},{"name":"NVME_NVM_COMMAND_READ","features":[146]},{"name":"NVME_NVM_COMMAND_RESERVATION_ACQUIRE","features":[146]},{"name":"NVME_NVM_COMMAND_RESERVATION_REGISTER","features":[146]},{"name":"NVME_NVM_COMMAND_RESERVATION_RELEASE","features":[146]},{"name":"NVME_NVM_COMMAND_RESERVATION_REPORT","features":[146]},{"name":"NVME_NVM_COMMAND_VERIFY","features":[146]},{"name":"NVME_NVM_COMMAND_WRITE","features":[146]},{"name":"NVME_NVM_COMMAND_WRITE_UNCORRECTABLE","features":[146]},{"name":"NVME_NVM_COMMAND_WRITE_ZEROES","features":[146]},{"name":"NVME_NVM_COMMAND_ZONE_APPEND","features":[146]},{"name":"NVME_NVM_COMMAND_ZONE_MANAGEMENT_RECEIVE","features":[146]},{"name":"NVME_NVM_COMMAND_ZONE_MANAGEMENT_SEND","features":[146]},{"name":"NVME_NVM_QUEUE_PRIORITIES","features":[146]},{"name":"NVME_NVM_QUEUE_PRIORITY_HIGH","features":[146]},{"name":"NVME_NVM_QUEUE_PRIORITY_LOW","features":[146]},{"name":"NVME_NVM_QUEUE_PRIORITY_MEDIUM","features":[146]},{"name":"NVME_NVM_QUEUE_PRIORITY_URGENT","features":[146]},{"name":"NVME_NVM_SUBSYSTEM_RESET","features":[146]},{"name":"NVME_OCP_DEVICE_CAPABILITIES_LOG","features":[146]},{"name":"NVME_OCP_DEVICE_CAPABILITIES_LOG_VERSION_1","features":[146]},{"name":"NVME_OCP_DEVICE_ERROR_RECOVERY_LOG_V2","features":[146]},{"name":"NVME_OCP_DEVICE_ERROR_RECOVERY_LOG_VERSION_2","features":[146]},{"name":"NVME_OCP_DEVICE_FIRMWARE_ACTIVATION_HISTORY_LOG","features":[146]},{"name":"NVME_OCP_DEVICE_FIRMWARE_ACTIVATION_HISTORY_LOG_VERSION_1","features":[146]},{"name":"NVME_OCP_DEVICE_LATENCY_MONITOR_LOG","features":[146]},{"name":"NVME_OCP_DEVICE_LATENCY_MONITOR_LOG_VERSION_1","features":[146]},{"name":"NVME_OCP_DEVICE_SMART_INFORMATION_LOG_V3","features":[146]},{"name":"NVME_OCP_DEVICE_SMART_INFORMATION_LOG_VERSION_3","features":[146]},{"name":"NVME_OCP_DEVICE_TCG_CONFIGURATION_LOG","features":[146]},{"name":"NVME_OCP_DEVICE_TCG_CONFIGURATION_LOG_VERSION_1","features":[146]},{"name":"NVME_OCP_DEVICE_TCG_HISTORY_LOG","features":[146]},{"name":"NVME_OCP_DEVICE_TCG_HISTORY_LOG_VERSION_1","features":[146]},{"name":"NVME_OCP_DEVICE_UNSUPPORTED_REQUIREMENTS_LOG","features":[146]},{"name":"NVME_OCP_DEVICE_UNSUPPORTED_REQUIREMENTS_LOG_VERSION_1","features":[146]},{"name":"NVME_PERSISTENT_EVENT_LOG_EVENT_HEADER","features":[146]},{"name":"NVME_PERSISTENT_EVENT_LOG_EVENT_TYPES","features":[146]},{"name":"NVME_PERSISTENT_EVENT_LOG_HEADER","features":[146]},{"name":"NVME_PERSISTENT_EVENT_TYPE_CHANGE_NAMESPACE","features":[146]},{"name":"NVME_PERSISTENT_EVENT_TYPE_FIRMWARE_COMMIT","features":[146]},{"name":"NVME_PERSISTENT_EVENT_TYPE_FORMAT_NVM_COMPLETION","features":[146]},{"name":"NVME_PERSISTENT_EVENT_TYPE_FORMAT_NVM_START","features":[146]},{"name":"NVME_PERSISTENT_EVENT_TYPE_MAX","features":[146]},{"name":"NVME_PERSISTENT_EVENT_TYPE_NVM_SUBSYSTEM_HARDWARE_ERROR","features":[146]},{"name":"NVME_PERSISTENT_EVENT_TYPE_POWER_ON_OR_RESET","features":[146]},{"name":"NVME_PERSISTENT_EVENT_TYPE_RESERVED0","features":[146]},{"name":"NVME_PERSISTENT_EVENT_TYPE_RESERVED1_BEGIN","features":[146]},{"name":"NVME_PERSISTENT_EVENT_TYPE_RESERVED1_END","features":[146]},{"name":"NVME_PERSISTENT_EVENT_TYPE_RESERVED2_BEGIN","features":[146]},{"name":"NVME_PERSISTENT_EVENT_TYPE_RESERVED2_END","features":[146]},{"name":"NVME_PERSISTENT_EVENT_TYPE_SANITIZE_COMPLETION","features":[146]},{"name":"NVME_PERSISTENT_EVENT_TYPE_SANITIZE_START","features":[146]},{"name":"NVME_PERSISTENT_EVENT_TYPE_SET_FEATURE","features":[146]},{"name":"NVME_PERSISTENT_EVENT_TYPE_SMART_HEALTH_LOG_SNAPSHOT","features":[146]},{"name":"NVME_PERSISTENT_EVENT_TYPE_TCG_DEFINED","features":[146]},{"name":"NVME_PERSISTENT_EVENT_TYPE_TELEMETRY_LOG_CREATED","features":[146]},{"name":"NVME_PERSISTENT_EVENT_TYPE_THERMAL_EXCURSION","features":[146]},{"name":"NVME_PERSISTENT_EVENT_TYPE_TIMESTAMP_CHANGE","features":[146]},{"name":"NVME_PERSISTENT_EVENT_TYPE_VENDOR_SPECIFIC_EVENT","features":[146]},{"name":"NVME_POWER_STATE_DESC","features":[146]},{"name":"NVME_PROTECTION_INFORMATION_NOT_ENABLED","features":[146]},{"name":"NVME_PROTECTION_INFORMATION_TYPE1","features":[146]},{"name":"NVME_PROTECTION_INFORMATION_TYPE2","features":[146]},{"name":"NVME_PROTECTION_INFORMATION_TYPE3","features":[146]},{"name":"NVME_PROTECTION_INFORMATION_TYPES","features":[146]},{"name":"NVME_PRP_ENTRY","features":[146]},{"name":"NVME_REGISTERED_CONTROLLER_DATA","features":[146]},{"name":"NVME_REGISTERED_CONTROLLER_EXTENDED_DATA","features":[146]},{"name":"NVME_REPORT_ZONE_INFO","features":[146]},{"name":"NVME_RESERVATION_ACQUIRE_ACTIONS","features":[146]},{"name":"NVME_RESERVATION_ACQUIRE_ACTION_ACQUIRE","features":[146]},{"name":"NVME_RESERVATION_ACQUIRE_ACTION_PREEMPT","features":[146]},{"name":"NVME_RESERVATION_ACQUIRE_ACTION_PREEMPT_AND_ABORT","features":[146]},{"name":"NVME_RESERVATION_ACQUIRE_DATA_STRUCTURE","features":[146]},{"name":"NVME_RESERVATION_NOTIFICATION_LOG","features":[146]},{"name":"NVME_RESERVATION_NOTIFICATION_TYPES","features":[146]},{"name":"NVME_RESERVATION_NOTIFICATION_TYPE_EMPTY_LOG_PAGE","features":[146]},{"name":"NVME_RESERVATION_NOTIFICATION_TYPE_REGISTRATION_PREEMPTED","features":[146]},{"name":"NVME_RESERVATION_NOTIFICATION_TYPE_REGISTRATION_RELEASED","features":[146]},{"name":"NVME_RESERVATION_NOTIFICATION_TYPE_RESERVATION_PREEPMPTED","features":[146]},{"name":"NVME_RESERVATION_REGISTER_ACTIONS","features":[146]},{"name":"NVME_RESERVATION_REGISTER_ACTION_REGISTER","features":[146]},{"name":"NVME_RESERVATION_REGISTER_ACTION_REPLACE","features":[146]},{"name":"NVME_RESERVATION_REGISTER_ACTION_UNREGISTER","features":[146]},{"name":"NVME_RESERVATION_REGISTER_DATA_STRUCTURE","features":[146]},{"name":"NVME_RESERVATION_REGISTER_PTPL_STATE_CHANGES","features":[146]},{"name":"NVME_RESERVATION_REGISTER_PTPL_STATE_NO_CHANGE","features":[146]},{"name":"NVME_RESERVATION_REGISTER_PTPL_STATE_RESERVED","features":[146]},{"name":"NVME_RESERVATION_REGISTER_PTPL_STATE_SET_TO_0","features":[146]},{"name":"NVME_RESERVATION_REGISTER_PTPL_STATE_SET_TO_1","features":[146]},{"name":"NVME_RESERVATION_RELEASE_ACTIONS","features":[146]},{"name":"NVME_RESERVATION_RELEASE_ACTION_CLEAR","features":[146]},{"name":"NVME_RESERVATION_RELEASE_ACTION_RELEASE","features":[146]},{"name":"NVME_RESERVATION_RELEASE_DATA_STRUCTURE","features":[146]},{"name":"NVME_RESERVATION_REPORT_STATUS_DATA_STRUCTURE","features":[146]},{"name":"NVME_RESERVATION_REPORT_STATUS_EXTENDED_DATA_STRUCTURE","features":[146]},{"name":"NVME_RESERVATION_REPORT_STATUS_HEADER","features":[146]},{"name":"NVME_RESERVATION_TYPES","features":[146]},{"name":"NVME_RESERVATION_TYPE_EXCLUSIVE_ACCESS","features":[146]},{"name":"NVME_RESERVATION_TYPE_EXCLUSIVE_ACCESS_ALL_REGISTRANTS","features":[146]},{"name":"NVME_RESERVATION_TYPE_EXCLUSIVE_ACCESS_REGISTRANTS_ONLY","features":[146]},{"name":"NVME_RESERVATION_TYPE_RESERVED","features":[146]},{"name":"NVME_RESERVATION_TYPE_WRITE_EXCLUSIVE","features":[146]},{"name":"NVME_RESERVATION_TYPE_WRITE_EXCLUSIVE_ALL_REGISTRANTS","features":[146]},{"name":"NVME_RESERVATION_TYPE_WRITE_EXCLUSIVE_REGISTRANTS_ONLY","features":[146]},{"name":"NVME_SANITIZE_ACTION","features":[146]},{"name":"NVME_SANITIZE_ACTION_EXIT_FAILURE_MODE","features":[146]},{"name":"NVME_SANITIZE_ACTION_RESERVED","features":[146]},{"name":"NVME_SANITIZE_ACTION_START_BLOCK_ERASE_SANITIZE","features":[146]},{"name":"NVME_SANITIZE_ACTION_START_CRYPTO_ERASE_SANITIZE","features":[146]},{"name":"NVME_SANITIZE_ACTION_START_OVERWRITE_SANITIZE","features":[146]},{"name":"NVME_SANITIZE_OPERATION_FAILED","features":[146]},{"name":"NVME_SANITIZE_OPERATION_IN_PROGRESS","features":[146]},{"name":"NVME_SANITIZE_OPERATION_NONE","features":[146]},{"name":"NVME_SANITIZE_OPERATION_STATUS","features":[146]},{"name":"NVME_SANITIZE_OPERATION_SUCCEEDED","features":[146]},{"name":"NVME_SANITIZE_OPERATION_SUCCEEDED_WITH_FORCED_DEALLOCATION","features":[146]},{"name":"NVME_SANITIZE_STATUS","features":[146]},{"name":"NVME_SANITIZE_STATUS_LOG","features":[146]},{"name":"NVME_SCSI_NAME_STRING","features":[146]},{"name":"NVME_SECURE_ERASE_CRYPTOGRAPHIC","features":[146]},{"name":"NVME_SECURE_ERASE_NONE","features":[146]},{"name":"NVME_SECURE_ERASE_SETTINGS","features":[146]},{"name":"NVME_SECURE_ERASE_USER_DATA","features":[146]},{"name":"NVME_SET_ATTRIBUTES_ENTRY","features":[146]},{"name":"NVME_STATE_ZSC","features":[146]},{"name":"NVME_STATE_ZSE","features":[146]},{"name":"NVME_STATE_ZSEO","features":[146]},{"name":"NVME_STATE_ZSF","features":[146]},{"name":"NVME_STATE_ZSIO","features":[146]},{"name":"NVME_STATE_ZSO","features":[146]},{"name":"NVME_STATE_ZSRO","features":[146]},{"name":"NVME_STATUS_ABORT_COMMAND_LIMIT_EXCEEDED","features":[146]},{"name":"NVME_STATUS_ANA_ATTACH_FAILED","features":[146]},{"name":"NVME_STATUS_ASYNC_EVENT_REQUEST_LIMIT_EXCEEDED","features":[146]},{"name":"NVME_STATUS_ATOMIC_WRITE_UNIT_EXCEEDED","features":[146]},{"name":"NVME_STATUS_BOOT_PARTITION_WRITE_PROHIBITED","features":[146]},{"name":"NVME_STATUS_COMMAND_ABORTED_DUE_TO_FAILED_FUSED_COMMAND","features":[146]},{"name":"NVME_STATUS_COMMAND_ABORTED_DUE_TO_FAILED_MISSING_COMMAND","features":[146]},{"name":"NVME_STATUS_COMMAND_ABORTED_DUE_TO_POWER_LOSS_NOTIFICATION","features":[146]},{"name":"NVME_STATUS_COMMAND_ABORTED_DUE_TO_PREEMPT_ABORT","features":[146]},{"name":"NVME_STATUS_COMMAND_ABORTED_DUE_TO_SQ_DELETION","features":[146]},{"name":"NVME_STATUS_COMMAND_ABORT_REQUESTED","features":[146]},{"name":"NVME_STATUS_COMMAND_ID_CONFLICT","features":[146]},{"name":"NVME_STATUS_COMMAND_SEQUENCE_ERROR","features":[146]},{"name":"NVME_STATUS_COMMAND_SPECIFIC_CODES","features":[146]},{"name":"NVME_STATUS_COMPLETION_QUEUE_INVALID","features":[146]},{"name":"NVME_STATUS_CONTROLLER_LIST_INVALID","features":[146]},{"name":"NVME_STATUS_DATA_SGL_LENGTH_INVALID","features":[146]},{"name":"NVME_STATUS_DATA_TRANSFER_ERROR","features":[146]},{"name":"NVME_STATUS_DEVICE_SELF_TEST_IN_PROGRESS","features":[146]},{"name":"NVME_STATUS_DIRECTIVE_ID_INVALID","features":[146]},{"name":"NVME_STATUS_DIRECTIVE_TYPE_INVALID","features":[146]},{"name":"NVME_STATUS_FEATURE_ID_NOT_SAVEABLE","features":[146]},{"name":"NVME_STATUS_FEATURE_NOT_CHANGEABLE","features":[146]},{"name":"NVME_STATUS_FEATURE_NOT_NAMESPACE_SPECIFIC","features":[146]},{"name":"NVME_STATUS_FIRMWARE_ACTIVATION_PROHIBITED","features":[146]},{"name":"NVME_STATUS_FIRMWARE_ACTIVATION_REQUIRES_CONVENTIONAL_RESET","features":[146]},{"name":"NVME_STATUS_FIRMWARE_ACTIVATION_REQUIRES_MAX_TIME_VIOLATION","features":[146]},{"name":"NVME_STATUS_FIRMWARE_ACTIVATION_REQUIRES_NVM_SUBSYSTEM_RESET","features":[146]},{"name":"NVME_STATUS_FIRMWARE_ACTIVATION_REQUIRES_RESET","features":[146]},{"name":"NVME_STATUS_FORMAT_IN_PROGRESS","features":[146]},{"name":"NVME_STATUS_GENERIC_COMMAND_CODES","features":[146]},{"name":"NVME_STATUS_HOST_IDENTIFIER_INCONSISTENT_FORMAT","features":[146]},{"name":"NVME_STATUS_INTERNAL_DEVICE_ERROR","features":[146]},{"name":"NVME_STATUS_INVALID_ANA_GROUP_IDENTIFIER","features":[146]},{"name":"NVME_STATUS_INVALID_COMMAND_OPCODE","features":[146]},{"name":"NVME_STATUS_INVALID_CONTROLLER_IDENTIFIER","features":[146]},{"name":"NVME_STATUS_INVALID_FIELD_IN_COMMAND","features":[146]},{"name":"NVME_STATUS_INVALID_FIRMWARE_IMAGE","features":[146]},{"name":"NVME_STATUS_INVALID_FIRMWARE_SLOT","features":[146]},{"name":"NVME_STATUS_INVALID_FORMAT","features":[146]},{"name":"NVME_STATUS_INVALID_INTERRUPT_VECTOR","features":[146]},{"name":"NVME_STATUS_INVALID_LOG_PAGE","features":[146]},{"name":"NVME_STATUS_INVALID_NAMESPACE_OR_FORMAT","features":[146]},{"name":"NVME_STATUS_INVALID_NUMBER_OF_CONTROLLER_RESOURCES","features":[146]},{"name":"NVME_STATUS_INVALID_NUMBER_OF_SGL_DESCR","features":[146]},{"name":"NVME_STATUS_INVALID_QUEUE_DELETION","features":[146]},{"name":"NVME_STATUS_INVALID_QUEUE_IDENTIFIER","features":[146]},{"name":"NVME_STATUS_INVALID_RESOURCE_IDENTIFIER","features":[146]},{"name":"NVME_STATUS_INVALID_SECONDARY_CONTROLLER_STATE","features":[146]},{"name":"NVME_STATUS_INVALID_SGL_LAST_SEGMENT_DESCR","features":[146]},{"name":"NVME_STATUS_INVALID_USE_OF_CONTROLLER_MEMORY_BUFFER","features":[146]},{"name":"NVME_STATUS_KEEP_ALIVE_TIMEOUT_EXPIRED","features":[146]},{"name":"NVME_STATUS_KEEP_ALIVE_TIMEOUT_INVALID","features":[146]},{"name":"NVME_STATUS_MAX_QUEUE_SIZE_EXCEEDED","features":[146]},{"name":"NVME_STATUS_MEDIA_ERROR_CODES","features":[146]},{"name":"NVME_STATUS_METADATA_SGL_LENGTH_INVALID","features":[146]},{"name":"NVME_STATUS_NAMESPACE_ALREADY_ATTACHED","features":[146]},{"name":"NVME_STATUS_NAMESPACE_IDENTIFIER_UNAVAILABLE","features":[146]},{"name":"NVME_STATUS_NAMESPACE_INSUFFICIENT_CAPACITY","features":[146]},{"name":"NVME_STATUS_NAMESPACE_IS_PRIVATE","features":[146]},{"name":"NVME_STATUS_NAMESPACE_NOT_ATTACHED","features":[146]},{"name":"NVME_STATUS_NAMESPACE_THIN_PROVISIONING_NOT_SUPPORTED","features":[146]},{"name":"NVME_STATUS_NVM_ACCESS_DENIED","features":[146]},{"name":"NVME_STATUS_NVM_ATTEMPTED_WRITE_TO_READ_ONLY_RANGE","features":[146]},{"name":"NVME_STATUS_NVM_CAPACITY_EXCEEDED","features":[146]},{"name":"NVME_STATUS_NVM_COMMAND_SIZE_LIMIT_EXCEEDED","features":[146]},{"name":"NVME_STATUS_NVM_COMPARE_FAILURE","features":[146]},{"name":"NVME_STATUS_NVM_CONFLICTING_ATTRIBUTES","features":[146]},{"name":"NVME_STATUS_NVM_DEALLOCATED_OR_UNWRITTEN_LOGICAL_BLOCK","features":[146]},{"name":"NVME_STATUS_NVM_END_TO_END_APPLICATION_TAG_CHECK_ERROR","features":[146]},{"name":"NVME_STATUS_NVM_END_TO_END_GUARD_CHECK_ERROR","features":[146]},{"name":"NVME_STATUS_NVM_END_TO_END_REFERENCE_TAG_CHECK_ERROR","features":[146]},{"name":"NVME_STATUS_NVM_INVALID_PROTECTION_INFORMATION","features":[146]},{"name":"NVME_STATUS_NVM_LBA_OUT_OF_RANGE","features":[146]},{"name":"NVME_STATUS_NVM_NAMESPACE_NOT_READY","features":[146]},{"name":"NVME_STATUS_NVM_RESERVATION_CONFLICT","features":[146]},{"name":"NVME_STATUS_NVM_UNRECOVERED_READ_ERROR","features":[146]},{"name":"NVME_STATUS_NVM_WRITE_FAULT","features":[146]},{"name":"NVME_STATUS_OPERATION_DENIED","features":[146]},{"name":"NVME_STATUS_OVERLAPPING_RANGE","features":[146]},{"name":"NVME_STATUS_PRP_OFFSET_INVALID","features":[146]},{"name":"NVME_STATUS_RESERVED","features":[146]},{"name":"NVME_STATUS_SANITIZE_FAILED","features":[146]},{"name":"NVME_STATUS_SANITIZE_IN_PROGRESS","features":[146]},{"name":"NVME_STATUS_SANITIZE_PROHIBITED_ON_PERSISTENT_MEMORY","features":[146]},{"name":"NVME_STATUS_SGL_DATA_BLOCK_GRANULARITY_INVALID","features":[146]},{"name":"NVME_STATUS_SGL_DESCR_TYPE_INVALID","features":[146]},{"name":"NVME_STATUS_SGL_OFFSET_INVALID","features":[146]},{"name":"NVME_STATUS_STREAM_RESOURCE_ALLOCATION_FAILED","features":[146]},{"name":"NVME_STATUS_SUCCESS_COMPLETION","features":[146]},{"name":"NVME_STATUS_TYPES","features":[146]},{"name":"NVME_STATUS_TYPE_COMMAND_SPECIFIC","features":[146]},{"name":"NVME_STATUS_TYPE_GENERIC_COMMAND","features":[146]},{"name":"NVME_STATUS_TYPE_MEDIA_ERROR","features":[146]},{"name":"NVME_STATUS_TYPE_VENDOR_SPECIFIC","features":[146]},{"name":"NVME_STATUS_ZONE_BOUNDARY_ERROR","features":[146]},{"name":"NVME_STATUS_ZONE_FULL","features":[146]},{"name":"NVME_STATUS_ZONE_INVALID_FORMAT","features":[146]},{"name":"NVME_STATUS_ZONE_INVALID_STATE_TRANSITION","features":[146]},{"name":"NVME_STATUS_ZONE_INVALID_WRITE","features":[146]},{"name":"NVME_STATUS_ZONE_OFFLINE","features":[146]},{"name":"NVME_STATUS_ZONE_READ_ONLY","features":[146]},{"name":"NVME_STATUS_ZONE_TOO_MANY_ACTIVE","features":[146]},{"name":"NVME_STATUS_ZONE_TOO_MANY_OPEN","features":[146]},{"name":"NVME_STREAMS_GET_STATUS_MAX_IDS","features":[146]},{"name":"NVME_STREAMS_ID_MAX","features":[146]},{"name":"NVME_STREAMS_ID_MIN","features":[146]},{"name":"NVME_SUBMISSION_QUEUE_TAIL_DOORBELL","features":[146]},{"name":"NVME_TELEMETRY_CONTROLLER_INITIATED_LOG","features":[146]},{"name":"NVME_TELEMETRY_DATA_BLOCK_SIZE","features":[146]},{"name":"NVME_TELEMETRY_HOST_INITIATED_LOG","features":[146]},{"name":"NVME_TEMPERATURE_OVER_THRESHOLD","features":[146]},{"name":"NVME_TEMPERATURE_THRESHOLD_TYPES","features":[146]},{"name":"NVME_TEMPERATURE_UNDER_THRESHOLD","features":[146]},{"name":"NVME_VENDOR_LOG_PAGES","features":[146]},{"name":"NVME_VERSION","features":[146]},{"name":"NVME_WCS_DEVICE_CAPABILITIES","features":[146]},{"name":"NVME_WCS_DEVICE_ERROR_RECOVERY_LOG","features":[146]},{"name":"NVME_WCS_DEVICE_ERROR_RECOVERY_LOG_VERSION_1","features":[146]},{"name":"NVME_WCS_DEVICE_RECOVERY_ACTION1","features":[146]},{"name":"NVME_WCS_DEVICE_RECOVERY_ACTION2","features":[146]},{"name":"NVME_WCS_DEVICE_RESET_ACTION","features":[146]},{"name":"NVME_WCS_DEVICE_SMART_ATTRIBUTES_LOG","features":[146]},{"name":"NVME_WCS_DEVICE_SMART_ATTRIBUTES_LOG_V2","features":[146]},{"name":"NVME_WCS_DEVICE_SMART_ATTRIBUTES_LOG_VERSION_2","features":[146]},{"name":"NVME_ZONE_DESCRIPTOR","features":[146]},{"name":"NVME_ZONE_DESCRIPTOR_EXTENSION","features":[146]},{"name":"NVME_ZONE_EXTENDED_REPORT_ZONE_DESC","features":[146]},{"name":"NVME_ZONE_RECEIVE_ACTION","features":[146]},{"name":"NVME_ZONE_RECEIVE_ACTION_SPECIFIC","features":[146]},{"name":"NVME_ZONE_RECEIVE_EXTENDED_REPORT_ZONES","features":[146]},{"name":"NVME_ZONE_RECEIVE_REPORT_ZONES","features":[146]},{"name":"NVME_ZONE_SEND_ACTION","features":[146]},{"name":"NVME_ZONE_SEND_CLOSE","features":[146]},{"name":"NVME_ZONE_SEND_FINISH","features":[146]},{"name":"NVME_ZONE_SEND_OFFLINE","features":[146]},{"name":"NVME_ZONE_SEND_OPEN","features":[146]},{"name":"NVME_ZONE_SEND_RESET","features":[146]},{"name":"NVME_ZONE_SEND_SET_ZONE_DESCRIPTOR","features":[146]},{"name":"NVME_ZRA_ALL_ZONES","features":[146]},{"name":"NVME_ZRA_CLOSED_STATE_ZONES","features":[146]},{"name":"NVME_ZRA_EMPTY_STATE_ZONES","features":[146]},{"name":"NVME_ZRA_EO_STATE_ZONES","features":[146]},{"name":"NVME_ZRA_FULL_STATE_ZONES","features":[146]},{"name":"NVME_ZRA_IO_STATE_ZONES","features":[146]},{"name":"NVME_ZRA_OFFLINE_STATE_ZONES","features":[146]},{"name":"NVME_ZRA_RO_STATE_ZONES","features":[146]},{"name":"NVM_RESERVATION_CAPABILITIES","features":[146]},{"name":"NVM_SET_LIST","features":[146]},{"name":"NVMeDeviceRecovery1Max","features":[146]},{"name":"NVMeDeviceRecovery2Max","features":[146]},{"name":"NVMeDeviceRecoveryControllerReset","features":[146]},{"name":"NVMeDeviceRecoveryDeviceReplacement","features":[146]},{"name":"NVMeDeviceRecoveryFormatNVM","features":[146]},{"name":"NVMeDeviceRecoveryNoAction","features":[146]},{"name":"NVMeDeviceRecoveryPERST","features":[146]},{"name":"NVMeDeviceRecoveryPcieFunctionReset","features":[146]},{"name":"NVMeDeviceRecoveryPcieHotReset","features":[146]},{"name":"NVMeDeviceRecoveryPowerCycle","features":[146]},{"name":"NVMeDeviceRecoverySanitize","features":[146]},{"name":"NVMeDeviceRecoverySubsystemReset","features":[146]},{"name":"NVMeDeviceRecoveryVendorAnalysis","features":[146]},{"name":"NVMeDeviceRecoveryVendorSpecificCommand","features":[146]},{"name":"TCG_ACTIVATE_METHOD_SPECIFIC","features":[146]},{"name":"TCG_ASSIGN_METHOD_SPECIFIC","features":[146]},{"name":"TCG_AUTH_METHOD_SPECIFIC","features":[146]},{"name":"TCG_BLOCKSID_METHOD_SPECIFIC","features":[146]},{"name":"TCG_HISTORY_ENTRY","features":[146]},{"name":"TCG_HISTORY_ENTRY_VERSION_1","features":[146]},{"name":"TCG_REACTIVATE_METHOD_SPECIFIC","features":[146]},{"name":"UNSUPPORTED_REQUIREMENT","features":[146]},{"name":"ZONE_STATE","features":[146]}],"517":[{"name":"IEnumOfflineFilesItems","features":[147]},{"name":"IEnumOfflineFilesSettings","features":[147]},{"name":"IOfflineFilesCache","features":[147]},{"name":"IOfflineFilesCache2","features":[147]},{"name":"IOfflineFilesChangeInfo","features":[147]},{"name":"IOfflineFilesConnectionInfo","features":[147]},{"name":"IOfflineFilesDirectoryItem","features":[147]},{"name":"IOfflineFilesDirtyInfo","features":[147]},{"name":"IOfflineFilesErrorInfo","features":[147]},{"name":"IOfflineFilesEvents","features":[147]},{"name":"IOfflineFilesEvents2","features":[147]},{"name":"IOfflineFilesEvents3","features":[147]},{"name":"IOfflineFilesEvents4","features":[147]},{"name":"IOfflineFilesEventsFilter","features":[147]},{"name":"IOfflineFilesFileItem","features":[147]},{"name":"IOfflineFilesFileSysInfo","features":[147]},{"name":"IOfflineFilesGhostInfo","features":[147]},{"name":"IOfflineFilesItem","features":[147]},{"name":"IOfflineFilesItemContainer","features":[147]},{"name":"IOfflineFilesItemFilter","features":[147]},{"name":"IOfflineFilesPinInfo","features":[147]},{"name":"IOfflineFilesPinInfo2","features":[147]},{"name":"IOfflineFilesProgress","features":[147]},{"name":"IOfflineFilesServerItem","features":[147]},{"name":"IOfflineFilesSetting","features":[147]},{"name":"IOfflineFilesShareInfo","features":[147]},{"name":"IOfflineFilesShareItem","features":[147]},{"name":"IOfflineFilesSimpleProgress","features":[147]},{"name":"IOfflineFilesSuspend","features":[147]},{"name":"IOfflineFilesSuspendInfo","features":[147]},{"name":"IOfflineFilesSyncConflictHandler","features":[147]},{"name":"IOfflineFilesSyncErrorInfo","features":[147]},{"name":"IOfflineFilesSyncErrorItemInfo","features":[147]},{"name":"IOfflineFilesSyncProgress","features":[147]},{"name":"IOfflineFilesTransparentCacheInfo","features":[147]},{"name":"OFFLINEFILES_CACHING_MODE","features":[147]},{"name":"OFFLINEFILES_CACHING_MODE_AUTO_DOC","features":[147]},{"name":"OFFLINEFILES_CACHING_MODE_AUTO_PROGANDDOC","features":[147]},{"name":"OFFLINEFILES_CACHING_MODE_MANUAL","features":[147]},{"name":"OFFLINEFILES_CACHING_MODE_NOCACHING","features":[147]},{"name":"OFFLINEFILES_CACHING_MODE_NONE","features":[147]},{"name":"OFFLINEFILES_CHANGES_LOCAL_ATTRIBUTES","features":[147]},{"name":"OFFLINEFILES_CHANGES_LOCAL_SIZE","features":[147]},{"name":"OFFLINEFILES_CHANGES_LOCAL_TIME","features":[147]},{"name":"OFFLINEFILES_CHANGES_NONE","features":[147]},{"name":"OFFLINEFILES_CHANGES_REMOTE_ATTRIBUTES","features":[147]},{"name":"OFFLINEFILES_CHANGES_REMOTE_SIZE","features":[147]},{"name":"OFFLINEFILES_CHANGES_REMOTE_TIME","features":[147]},{"name":"OFFLINEFILES_COMPARE","features":[147]},{"name":"OFFLINEFILES_COMPARE_EQ","features":[147]},{"name":"OFFLINEFILES_COMPARE_GT","features":[147]},{"name":"OFFLINEFILES_COMPARE_GTE","features":[147]},{"name":"OFFLINEFILES_COMPARE_LT","features":[147]},{"name":"OFFLINEFILES_COMPARE_LTE","features":[147]},{"name":"OFFLINEFILES_COMPARE_NEQ","features":[147]},{"name":"OFFLINEFILES_CONNECT_STATE","features":[147]},{"name":"OFFLINEFILES_CONNECT_STATE_OFFLINE","features":[147]},{"name":"OFFLINEFILES_CONNECT_STATE_ONLINE","features":[147]},{"name":"OFFLINEFILES_CONNECT_STATE_PARTLY_TRANSPARENTLY_CACHED","features":[147]},{"name":"OFFLINEFILES_CONNECT_STATE_TRANSPARENTLY_CACHED","features":[147]},{"name":"OFFLINEFILES_CONNECT_STATE_UNKNOWN","features":[147]},{"name":"OFFLINEFILES_DELETE_FLAG_ADMIN","features":[147]},{"name":"OFFLINEFILES_DELETE_FLAG_DELMODIFIED","features":[147]},{"name":"OFFLINEFILES_DELETE_FLAG_NOAUTOCACHED","features":[147]},{"name":"OFFLINEFILES_DELETE_FLAG_NOPINNED","features":[147]},{"name":"OFFLINEFILES_ENCRYPTION_CONTROL_FLAG_ASYNCPROGRESS","features":[147]},{"name":"OFFLINEFILES_ENCRYPTION_CONTROL_FLAG_BACKGROUND","features":[147]},{"name":"OFFLINEFILES_ENCRYPTION_CONTROL_FLAG_CONSOLE","features":[147]},{"name":"OFFLINEFILES_ENCRYPTION_CONTROL_FLAG_INTERACTIVE","features":[147]},{"name":"OFFLINEFILES_ENCRYPTION_CONTROL_FLAG_LOWPRIORITY","features":[147]},{"name":"OFFLINEFILES_ENUM_FLAT","features":[147]},{"name":"OFFLINEFILES_ENUM_FLAT_FILESONLY","features":[147]},{"name":"OFFLINEFILES_EVENTS","features":[147]},{"name":"OFFLINEFILES_EVENT_BACKGROUNDSYNCBEGIN","features":[147]},{"name":"OFFLINEFILES_EVENT_BACKGROUNDSYNCEND","features":[147]},{"name":"OFFLINEFILES_EVENT_CACHEEVICTBEGIN","features":[147]},{"name":"OFFLINEFILES_EVENT_CACHEEVICTEND","features":[147]},{"name":"OFFLINEFILES_EVENT_CACHEISCORRUPTED","features":[147]},{"name":"OFFLINEFILES_EVENT_CACHEISFULL","features":[147]},{"name":"OFFLINEFILES_EVENT_CACHEMOVED","features":[147]},{"name":"OFFLINEFILES_EVENT_DATALOST","features":[147]},{"name":"OFFLINEFILES_EVENT_ENABLED","features":[147]},{"name":"OFFLINEFILES_EVENT_ENCRYPTIONCHANGED","features":[147]},{"name":"OFFLINEFILES_EVENT_ITEMADDEDTOCACHE","features":[147]},{"name":"OFFLINEFILES_EVENT_ITEMAVAILABLEOFFLINE","features":[147]},{"name":"OFFLINEFILES_EVENT_ITEMDELETEDFROMCACHE","features":[147]},{"name":"OFFLINEFILES_EVENT_ITEMDISCONNECTED","features":[147]},{"name":"OFFLINEFILES_EVENT_ITEMMODIFIED","features":[147]},{"name":"OFFLINEFILES_EVENT_ITEMNOTAVAILABLEOFFLINE","features":[147]},{"name":"OFFLINEFILES_EVENT_ITEMNOTPINNED","features":[147]},{"name":"OFFLINEFILES_EVENT_ITEMPINNED","features":[147]},{"name":"OFFLINEFILES_EVENT_ITEMRECONNECTBEGIN","features":[147]},{"name":"OFFLINEFILES_EVENT_ITEMRECONNECTED","features":[147]},{"name":"OFFLINEFILES_EVENT_ITEMRECONNECTEND","features":[147]},{"name":"OFFLINEFILES_EVENT_ITEMRENAMED","features":[147]},{"name":"OFFLINEFILES_EVENT_NETTRANSPORTARRIVED","features":[147]},{"name":"OFFLINEFILES_EVENT_NONETTRANSPORTS","features":[147]},{"name":"OFFLINEFILES_EVENT_PING","features":[147]},{"name":"OFFLINEFILES_EVENT_POLICYCHANGEDETECTED","features":[147]},{"name":"OFFLINEFILES_EVENT_PREFERENCECHANGEDETECTED","features":[147]},{"name":"OFFLINEFILES_EVENT_PREFETCHCLOSEHANDLEBEGIN","features":[147]},{"name":"OFFLINEFILES_EVENT_PREFETCHCLOSEHANDLEEND","features":[147]},{"name":"OFFLINEFILES_EVENT_PREFETCHFILEBEGIN","features":[147]},{"name":"OFFLINEFILES_EVENT_PREFETCHFILEEND","features":[147]},{"name":"OFFLINEFILES_EVENT_SETTINGSCHANGESAPPLIED","features":[147]},{"name":"OFFLINEFILES_EVENT_SYNCBEGIN","features":[147]},{"name":"OFFLINEFILES_EVENT_SYNCCONFLICTRECADDED","features":[147]},{"name":"OFFLINEFILES_EVENT_SYNCCONFLICTRECREMOVED","features":[147]},{"name":"OFFLINEFILES_EVENT_SYNCCONFLICTRECUPDATED","features":[147]},{"name":"OFFLINEFILES_EVENT_SYNCEND","features":[147]},{"name":"OFFLINEFILES_EVENT_SYNCFILERESULT","features":[147]},{"name":"OFFLINEFILES_EVENT_TRANSPARENTCACHEITEMNOTIFY","features":[147]},{"name":"OFFLINEFILES_ITEM_COPY","features":[147]},{"name":"OFFLINEFILES_ITEM_COPY_LOCAL","features":[147]},{"name":"OFFLINEFILES_ITEM_COPY_ORIGINAL","features":[147]},{"name":"OFFLINEFILES_ITEM_COPY_REMOTE","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_CREATED","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_DELETED","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_DIRECTORY","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_DIRTY","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_FILE","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_GHOST","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_GUEST_ANYACCESS","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_GUEST_READ","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_GUEST_WRITE","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_MODIFIED","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_MODIFIED_ATTRIBUTES","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_MODIFIED_DATA","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_OFFLINE","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_ONLINE","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_OTHER_ANYACCESS","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_OTHER_READ","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_OTHER_WRITE","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_PINNED","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_PINNED_COMPUTER","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_PINNED_OTHERS","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_PINNED_USER","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_SPARSE","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_SUSPENDED","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_USER_ANYACCESS","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_USER_READ","features":[147]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_USER_WRITE","features":[147]},{"name":"OFFLINEFILES_ITEM_QUERY_ADMIN","features":[147]},{"name":"OFFLINEFILES_ITEM_QUERY_ATTEMPT_TRANSITIONONLINE","features":[147]},{"name":"OFFLINEFILES_ITEM_QUERY_CONNECTIONSTATE","features":[147]},{"name":"OFFLINEFILES_ITEM_QUERY_INCLUDETRANSPARENTCACHE","features":[147]},{"name":"OFFLINEFILES_ITEM_QUERY_LOCALDIRTYBYTECOUNT","features":[147]},{"name":"OFFLINEFILES_ITEM_QUERY_REMOTEDIRTYBYTECOUNT","features":[147]},{"name":"OFFLINEFILES_ITEM_QUERY_REMOTEINFO","features":[147]},{"name":"OFFLINEFILES_ITEM_TIME","features":[147]},{"name":"OFFLINEFILES_ITEM_TIME_CREATION","features":[147]},{"name":"OFFLINEFILES_ITEM_TIME_LASTACCESS","features":[147]},{"name":"OFFLINEFILES_ITEM_TIME_LASTWRITE","features":[147]},{"name":"OFFLINEFILES_ITEM_TYPE","features":[147]},{"name":"OFFLINEFILES_ITEM_TYPE_DIRECTORY","features":[147]},{"name":"OFFLINEFILES_ITEM_TYPE_FILE","features":[147]},{"name":"OFFLINEFILES_ITEM_TYPE_SERVER","features":[147]},{"name":"OFFLINEFILES_ITEM_TYPE_SHARE","features":[147]},{"name":"OFFLINEFILES_NUM_EVENTS","features":[147]},{"name":"OFFLINEFILES_OFFLINE_REASON","features":[147]},{"name":"OFFLINEFILES_OFFLINE_REASON_CONNECTION_ERROR","features":[147]},{"name":"OFFLINEFILES_OFFLINE_REASON_CONNECTION_FORCED","features":[147]},{"name":"OFFLINEFILES_OFFLINE_REASON_CONNECTION_SLOW","features":[147]},{"name":"OFFLINEFILES_OFFLINE_REASON_ITEM_SUSPENDED","features":[147]},{"name":"OFFLINEFILES_OFFLINE_REASON_ITEM_VERSION_CONFLICT","features":[147]},{"name":"OFFLINEFILES_OFFLINE_REASON_NOT_APPLICABLE","features":[147]},{"name":"OFFLINEFILES_OFFLINE_REASON_UNKNOWN","features":[147]},{"name":"OFFLINEFILES_OP_ABORT","features":[147]},{"name":"OFFLINEFILES_OP_CONTINUE","features":[147]},{"name":"OFFLINEFILES_OP_RESPONSE","features":[147]},{"name":"OFFLINEFILES_OP_RETRY","features":[147]},{"name":"OFFLINEFILES_PATHFILTER_CHILD","features":[147]},{"name":"OFFLINEFILES_PATHFILTER_DESCENDENT","features":[147]},{"name":"OFFLINEFILES_PATHFILTER_MATCH","features":[147]},{"name":"OFFLINEFILES_PATHFILTER_SELF","features":[147]},{"name":"OFFLINEFILES_PATHFILTER_SELFORCHILD","features":[147]},{"name":"OFFLINEFILES_PATHFILTER_SELFORDESCENDENT","features":[147]},{"name":"OFFLINEFILES_PINLINKTARGETS_ALWAYS","features":[147]},{"name":"OFFLINEFILES_PINLINKTARGETS_EXPLICIT","features":[147]},{"name":"OFFLINEFILES_PINLINKTARGETS_NEVER","features":[147]},{"name":"OFFLINEFILES_PIN_CONTROL_FLAG_ASYNCPROGRESS","features":[147]},{"name":"OFFLINEFILES_PIN_CONTROL_FLAG_BACKGROUND","features":[147]},{"name":"OFFLINEFILES_PIN_CONTROL_FLAG_CONSOLE","features":[147]},{"name":"OFFLINEFILES_PIN_CONTROL_FLAG_FILL","features":[147]},{"name":"OFFLINEFILES_PIN_CONTROL_FLAG_FORALL","features":[147]},{"name":"OFFLINEFILES_PIN_CONTROL_FLAG_FORREDIR","features":[147]},{"name":"OFFLINEFILES_PIN_CONTROL_FLAG_FORUSER","features":[147]},{"name":"OFFLINEFILES_PIN_CONTROL_FLAG_FORUSER_POLICY","features":[147]},{"name":"OFFLINEFILES_PIN_CONTROL_FLAG_INTERACTIVE","features":[147]},{"name":"OFFLINEFILES_PIN_CONTROL_FLAG_LOWPRIORITY","features":[147]},{"name":"OFFLINEFILES_PIN_CONTROL_FLAG_PINLINKTARGETS","features":[147]},{"name":"OFFLINEFILES_SETTING_PinLinkTargets","features":[147]},{"name":"OFFLINEFILES_SETTING_SCOPE_COMPUTER","features":[147]},{"name":"OFFLINEFILES_SETTING_SCOPE_USER","features":[147]},{"name":"OFFLINEFILES_SETTING_VALUE_2DIM_ARRAY_BSTR_BSTR","features":[147]},{"name":"OFFLINEFILES_SETTING_VALUE_2DIM_ARRAY_BSTR_UI4","features":[147]},{"name":"OFFLINEFILES_SETTING_VALUE_BSTR","features":[147]},{"name":"OFFLINEFILES_SETTING_VALUE_BSTR_DBLNULTERM","features":[147]},{"name":"OFFLINEFILES_SETTING_VALUE_TYPE","features":[147]},{"name":"OFFLINEFILES_SETTING_VALUE_UI4","features":[147]},{"name":"OFFLINEFILES_SYNC_CONFLICT_ABORT","features":[147]},{"name":"OFFLINEFILES_SYNC_CONFLICT_RESOLVE","features":[147]},{"name":"OFFLINEFILES_SYNC_CONFLICT_RESOLVE_KEEPALLCHANGES","features":[147]},{"name":"OFFLINEFILES_SYNC_CONFLICT_RESOLVE_KEEPLATEST","features":[147]},{"name":"OFFLINEFILES_SYNC_CONFLICT_RESOLVE_KEEPLOCAL","features":[147]},{"name":"OFFLINEFILES_SYNC_CONFLICT_RESOLVE_KEEPREMOTE","features":[147]},{"name":"OFFLINEFILES_SYNC_CONFLICT_RESOLVE_LOG","features":[147]},{"name":"OFFLINEFILES_SYNC_CONFLICT_RESOLVE_NONE","features":[147]},{"name":"OFFLINEFILES_SYNC_CONFLICT_RESOLVE_NUMCODES","features":[147]},{"name":"OFFLINEFILES_SYNC_CONFLICT_RESOLVE_SKIP","features":[147]},{"name":"OFFLINEFILES_SYNC_CONTROL_CR_DEFAULT","features":[147]},{"name":"OFFLINEFILES_SYNC_CONTROL_CR_KEEPLATEST","features":[147]},{"name":"OFFLINEFILES_SYNC_CONTROL_CR_KEEPLOCAL","features":[147]},{"name":"OFFLINEFILES_SYNC_CONTROL_CR_KEEPREMOTE","features":[147]},{"name":"OFFLINEFILES_SYNC_CONTROL_CR_MASK","features":[147]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_ASYNCPROGRESS","features":[147]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_BACKGROUND","features":[147]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_CONSOLE","features":[147]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_FILLSPARSE","features":[147]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_INTERACTIVE","features":[147]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_LOWPRIORITY","features":[147]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_NONEWFILESOUT","features":[147]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_PINFORALL","features":[147]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_PINFORREDIR","features":[147]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_PINFORUSER","features":[147]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_PINFORUSER_POLICY","features":[147]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_PINLINKTARGETS","features":[147]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_PINNEWFILES","features":[147]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_SKIPSUSPENDEDDIRS","features":[147]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_SYNCIN","features":[147]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_SYNCOUT","features":[147]},{"name":"OFFLINEFILES_SYNC_ITEM_CHANGE_ATTRIBUTES","features":[147]},{"name":"OFFLINEFILES_SYNC_ITEM_CHANGE_CHANGETIME","features":[147]},{"name":"OFFLINEFILES_SYNC_ITEM_CHANGE_FILESIZE","features":[147]},{"name":"OFFLINEFILES_SYNC_ITEM_CHANGE_NONE","features":[147]},{"name":"OFFLINEFILES_SYNC_ITEM_CHANGE_WRITETIME","features":[147]},{"name":"OFFLINEFILES_SYNC_OPERATION","features":[147]},{"name":"OFFLINEFILES_SYNC_OPERATION_CREATE_COPY_ON_CLIENT","features":[147]},{"name":"OFFLINEFILES_SYNC_OPERATION_CREATE_COPY_ON_SERVER","features":[147]},{"name":"OFFLINEFILES_SYNC_OPERATION_DELETE_CLIENT_COPY","features":[147]},{"name":"OFFLINEFILES_SYNC_OPERATION_DELETE_SERVER_COPY","features":[147]},{"name":"OFFLINEFILES_SYNC_OPERATION_PIN","features":[147]},{"name":"OFFLINEFILES_SYNC_OPERATION_PREPARE","features":[147]},{"name":"OFFLINEFILES_SYNC_OPERATION_SYNC_TO_CLIENT","features":[147]},{"name":"OFFLINEFILES_SYNC_OPERATION_SYNC_TO_SERVER","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_DeletedOnClient_DirChangedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_DeletedOnClient_DirOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_DeletedOnClient_FileChangedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_DeletedOnClient_FileOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_DirChangedOnClient","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_DirChangedOnClient_ChangedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_DirChangedOnClient_DeletedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_DirChangedOnClient_FileChangedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_DirChangedOnClient_FileOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_DirChangedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_DirCreatedOnClient_DeletedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_DirCreatedOnClient_DirChangedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_DirCreatedOnClient_DirOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_DirCreatedOnClient_FileChangedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_DirCreatedOnClient_FileOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_DirCreatedOnClient_NoServerCopy","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_DirDeletedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_DirOnClient_FileChangedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_DirOnClient_FileOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_DirOnClient_NoServerCopy","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_DirRenamedOnClient","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_DirRenamedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_DirSparseOnClient","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileChangedOnClient","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileChangedOnClient_ChangedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileChangedOnClient_DeletedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileChangedOnClient_DirChangedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileChangedOnClient_DirOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileChangedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileCreatedOnClient_DeletedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileCreatedOnClient_DirChangedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileCreatedOnClient_DirOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileCreatedOnClient_FileChangedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileCreatedOnClient_FileOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileCreatedOnClient_NoServerCopy","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileDeletedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileOnClient_DirOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileOnClient_NoServerCopy","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileRenamedOnClient","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileRenamedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileReplacedAndDeletedOnClient_DirChangedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileReplacedAndDeletedOnClient_DirOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileReplacedAndDeletedOnClient_FileChangedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileReplacedAndDeletedOnClient_FileOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileSparseOnClient","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileSparseOnClient_ChangedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileSparseOnClient_DeletedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileSparseOnClient_DirChangedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_FileSparseOnClient_DirOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_LOCAL_KNOWN","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_NUMSTATES","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_NoClientCopy_DirChangedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_NoClientCopy_DirOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_NoClientCopy_FileChangedOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_NoClientCopy_FileOnServer","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_REMOTE_KNOWN","features":[147]},{"name":"OFFLINEFILES_SYNC_STATE_Stable","features":[147]},{"name":"OFFLINEFILES_TRANSITION_FLAG_CONSOLE","features":[147]},{"name":"OFFLINEFILES_TRANSITION_FLAG_INTERACTIVE","features":[147]},{"name":"OfflineFilesCache","features":[147]},{"name":"OfflineFilesEnable","features":[1,147]},{"name":"OfflineFilesQueryStatus","features":[1,147]},{"name":"OfflineFilesQueryStatusEx","features":[1,147]},{"name":"OfflineFilesSetting","features":[147]},{"name":"OfflineFilesStart","features":[147]}],"518":[{"name":"OPERATION_END_DISCARD","features":[148]},{"name":"OPERATION_END_PARAMETERS","features":[148]},{"name":"OPERATION_END_PARAMETERS_FLAGS","features":[148]},{"name":"OPERATION_START_FLAGS","features":[148]},{"name":"OPERATION_START_PARAMETERS","features":[148]},{"name":"OPERATION_START_TRACE_CURRENT_THREAD","features":[148]},{"name":"OperationEnd","features":[1,148]},{"name":"OperationStart","features":[1,148]}],"519":[{"name":"APPLICATION_USER_MODEL_ID_MAX_LENGTH","features":[129]},{"name":"APPLICATION_USER_MODEL_ID_MIN_LENGTH","features":[129]},{"name":"APPX_BUNDLE_FOOTPRINT_FILE_TYPE","features":[129]},{"name":"APPX_BUNDLE_FOOTPRINT_FILE_TYPE_BLOCKMAP","features":[129]},{"name":"APPX_BUNDLE_FOOTPRINT_FILE_TYPE_FIRST","features":[129]},{"name":"APPX_BUNDLE_FOOTPRINT_FILE_TYPE_LAST","features":[129]},{"name":"APPX_BUNDLE_FOOTPRINT_FILE_TYPE_MANIFEST","features":[129]},{"name":"APPX_BUNDLE_FOOTPRINT_FILE_TYPE_SIGNATURE","features":[129]},{"name":"APPX_BUNDLE_PAYLOAD_PACKAGE_TYPE","features":[129]},{"name":"APPX_BUNDLE_PAYLOAD_PACKAGE_TYPE_APPLICATION","features":[129]},{"name":"APPX_BUNDLE_PAYLOAD_PACKAGE_TYPE_RESOURCE","features":[129]},{"name":"APPX_CAPABILITIES","features":[129]},{"name":"APPX_CAPABILITY_APPOINTMENTS","features":[129]},{"name":"APPX_CAPABILITY_CLASS_ALL","features":[129]},{"name":"APPX_CAPABILITY_CLASS_CUSTOM","features":[129]},{"name":"APPX_CAPABILITY_CLASS_DEFAULT","features":[129]},{"name":"APPX_CAPABILITY_CLASS_GENERAL","features":[129]},{"name":"APPX_CAPABILITY_CLASS_RESTRICTED","features":[129]},{"name":"APPX_CAPABILITY_CLASS_TYPE","features":[129]},{"name":"APPX_CAPABILITY_CLASS_WINDOWS","features":[129]},{"name":"APPX_CAPABILITY_CONTACTS","features":[129]},{"name":"APPX_CAPABILITY_DOCUMENTS_LIBRARY","features":[129]},{"name":"APPX_CAPABILITY_ENTERPRISE_AUTHENTICATION","features":[129]},{"name":"APPX_CAPABILITY_INTERNET_CLIENT","features":[129]},{"name":"APPX_CAPABILITY_INTERNET_CLIENT_SERVER","features":[129]},{"name":"APPX_CAPABILITY_MUSIC_LIBRARY","features":[129]},{"name":"APPX_CAPABILITY_PICTURES_LIBRARY","features":[129]},{"name":"APPX_CAPABILITY_PRIVATE_NETWORK_CLIENT_SERVER","features":[129]},{"name":"APPX_CAPABILITY_REMOVABLE_STORAGE","features":[129]},{"name":"APPX_CAPABILITY_SHARED_USER_CERTIFICATES","features":[129]},{"name":"APPX_CAPABILITY_VIDEOS_LIBRARY","features":[129]},{"name":"APPX_COMPRESSION_OPTION","features":[129]},{"name":"APPX_COMPRESSION_OPTION_FAST","features":[129]},{"name":"APPX_COMPRESSION_OPTION_MAXIMUM","features":[129]},{"name":"APPX_COMPRESSION_OPTION_NONE","features":[129]},{"name":"APPX_COMPRESSION_OPTION_NORMAL","features":[129]},{"name":"APPX_COMPRESSION_OPTION_SUPERFAST","features":[129]},{"name":"APPX_ENCRYPTED_EXEMPTIONS","features":[129]},{"name":"APPX_ENCRYPTED_PACKAGE_OPTIONS","features":[129]},{"name":"APPX_ENCRYPTED_PACKAGE_OPTION_DIFFUSION","features":[129]},{"name":"APPX_ENCRYPTED_PACKAGE_OPTION_NONE","features":[129]},{"name":"APPX_ENCRYPTED_PACKAGE_OPTION_PAGE_HASHING","features":[129]},{"name":"APPX_ENCRYPTED_PACKAGE_SETTINGS","features":[1,129]},{"name":"APPX_ENCRYPTED_PACKAGE_SETTINGS2","features":[129]},{"name":"APPX_FOOTPRINT_FILE_TYPE","features":[129]},{"name":"APPX_FOOTPRINT_FILE_TYPE_BLOCKMAP","features":[129]},{"name":"APPX_FOOTPRINT_FILE_TYPE_CODEINTEGRITY","features":[129]},{"name":"APPX_FOOTPRINT_FILE_TYPE_CONTENTGROUPMAP","features":[129]},{"name":"APPX_FOOTPRINT_FILE_TYPE_MANIFEST","features":[129]},{"name":"APPX_FOOTPRINT_FILE_TYPE_SIGNATURE","features":[129]},{"name":"APPX_KEY_INFO","features":[129]},{"name":"APPX_PACKAGE_ARCHITECTURE","features":[129]},{"name":"APPX_PACKAGE_ARCHITECTURE2","features":[129]},{"name":"APPX_PACKAGE_ARCHITECTURE2_ARM","features":[129]},{"name":"APPX_PACKAGE_ARCHITECTURE2_ARM64","features":[129]},{"name":"APPX_PACKAGE_ARCHITECTURE2_NEUTRAL","features":[129]},{"name":"APPX_PACKAGE_ARCHITECTURE2_UNKNOWN","features":[129]},{"name":"APPX_PACKAGE_ARCHITECTURE2_X64","features":[129]},{"name":"APPX_PACKAGE_ARCHITECTURE2_X86","features":[129]},{"name":"APPX_PACKAGE_ARCHITECTURE2_X86_ON_ARM64","features":[129]},{"name":"APPX_PACKAGE_ARCHITECTURE_ARM","features":[129]},{"name":"APPX_PACKAGE_ARCHITECTURE_ARM64","features":[129]},{"name":"APPX_PACKAGE_ARCHITECTURE_NEUTRAL","features":[129]},{"name":"APPX_PACKAGE_ARCHITECTURE_X64","features":[129]},{"name":"APPX_PACKAGE_ARCHITECTURE_X86","features":[129]},{"name":"APPX_PACKAGE_EDITOR_UPDATE_PACKAGE_MANIFEST_OPTIONS","features":[129]},{"name":"APPX_PACKAGE_EDITOR_UPDATE_PACKAGE_MANIFEST_OPTION_LOCALIZED","features":[129]},{"name":"APPX_PACKAGE_EDITOR_UPDATE_PACKAGE_MANIFEST_OPTION_NONE","features":[129]},{"name":"APPX_PACKAGE_EDITOR_UPDATE_PACKAGE_MANIFEST_OPTION_SKIP_VALIDATION","features":[129]},{"name":"APPX_PACKAGE_EDITOR_UPDATE_PACKAGE_OPTION","features":[129]},{"name":"APPX_PACKAGE_EDITOR_UPDATE_PACKAGE_OPTION_APPEND_DELTA","features":[129]},{"name":"APPX_PACKAGE_SETTINGS","features":[1,129]},{"name":"APPX_PACKAGE_WRITER_PAYLOAD_STREAM","features":[129]},{"name":"APPX_PACKAGING_CONTEXT_CHANGE_TYPE","features":[129]},{"name":"APPX_PACKAGING_CONTEXT_CHANGE_TYPE_CHANGE","features":[129]},{"name":"APPX_PACKAGING_CONTEXT_CHANGE_TYPE_DETAILS","features":[129]},{"name":"APPX_PACKAGING_CONTEXT_CHANGE_TYPE_END","features":[129]},{"name":"APPX_PACKAGING_CONTEXT_CHANGE_TYPE_START","features":[129]},{"name":"ActivatePackageVirtualizationContext","features":[129]},{"name":"AddPackageDependency","features":[129]},{"name":"AddPackageDependencyOptions","features":[129]},{"name":"AddPackageDependencyOptions_None","features":[129]},{"name":"AddPackageDependencyOptions_PrependIfRankCollision","features":[129]},{"name":"AppPolicyClrCompat","features":[129]},{"name":"AppPolicyClrCompat_ClassicDesktop","features":[129]},{"name":"AppPolicyClrCompat_Other","features":[129]},{"name":"AppPolicyClrCompat_PackagedDesktop","features":[129]},{"name":"AppPolicyClrCompat_Universal","features":[129]},{"name":"AppPolicyCreateFileAccess","features":[129]},{"name":"AppPolicyCreateFileAccess_Full","features":[129]},{"name":"AppPolicyCreateFileAccess_Limited","features":[129]},{"name":"AppPolicyGetClrCompat","features":[1,129]},{"name":"AppPolicyGetCreateFileAccess","features":[1,129]},{"name":"AppPolicyGetLifecycleManagement","features":[1,129]},{"name":"AppPolicyGetMediaFoundationCodecLoading","features":[1,129]},{"name":"AppPolicyGetProcessTerminationMethod","features":[1,129]},{"name":"AppPolicyGetShowDeveloperDiagnostic","features":[1,129]},{"name":"AppPolicyGetThreadInitializationType","features":[1,129]},{"name":"AppPolicyGetWindowingModel","features":[1,129]},{"name":"AppPolicyLifecycleManagement","features":[129]},{"name":"AppPolicyLifecycleManagement_Managed","features":[129]},{"name":"AppPolicyLifecycleManagement_Unmanaged","features":[129]},{"name":"AppPolicyMediaFoundationCodecLoading","features":[129]},{"name":"AppPolicyMediaFoundationCodecLoading_All","features":[129]},{"name":"AppPolicyMediaFoundationCodecLoading_InboxOnly","features":[129]},{"name":"AppPolicyProcessTerminationMethod","features":[129]},{"name":"AppPolicyProcessTerminationMethod_ExitProcess","features":[129]},{"name":"AppPolicyProcessTerminationMethod_TerminateProcess","features":[129]},{"name":"AppPolicyShowDeveloperDiagnostic","features":[129]},{"name":"AppPolicyShowDeveloperDiagnostic_None","features":[129]},{"name":"AppPolicyShowDeveloperDiagnostic_ShowUI","features":[129]},{"name":"AppPolicyThreadInitializationType","features":[129]},{"name":"AppPolicyThreadInitializationType_InitializeWinRT","features":[129]},{"name":"AppPolicyThreadInitializationType_None","features":[129]},{"name":"AppPolicyWindowingModel","features":[129]},{"name":"AppPolicyWindowingModel_ClassicDesktop","features":[129]},{"name":"AppPolicyWindowingModel_ClassicPhone","features":[129]},{"name":"AppPolicyWindowingModel_None","features":[129]},{"name":"AppPolicyWindowingModel_Universal","features":[129]},{"name":"AppxBundleFactory","features":[129]},{"name":"AppxEncryptionFactory","features":[129]},{"name":"AppxFactory","features":[129]},{"name":"AppxPackageEditor","features":[129]},{"name":"AppxPackagingDiagnosticEventSinkManager","features":[129]},{"name":"CheckIsMSIXPackage","features":[1,129]},{"name":"ClosePackageInfo","features":[1,129]},{"name":"CreatePackageDependencyOptions","features":[129]},{"name":"CreatePackageDependencyOptions_DoNotVerifyDependencyResolution","features":[129]},{"name":"CreatePackageDependencyOptions_None","features":[129]},{"name":"CreatePackageDependencyOptions_ScopeIsSystem","features":[129]},{"name":"CreatePackageVirtualizationContext","features":[129]},{"name":"DX_FEATURE_LEVEL","features":[129]},{"name":"DX_FEATURE_LEVEL_10","features":[129]},{"name":"DX_FEATURE_LEVEL_11","features":[129]},{"name":"DX_FEATURE_LEVEL_9","features":[129]},{"name":"DX_FEATURE_LEVEL_UNSPECIFIED","features":[129]},{"name":"DeactivatePackageVirtualizationContext","features":[129]},{"name":"DeletePackageDependency","features":[129]},{"name":"DuplicatePackageVirtualizationContext","features":[129]},{"name":"FindPackagesByPackageFamily","features":[1,129]},{"name":"FormatApplicationUserModelId","features":[1,129]},{"name":"GetApplicationUserModelId","features":[1,129]},{"name":"GetApplicationUserModelIdFromToken","features":[1,129]},{"name":"GetCurrentApplicationUserModelId","features":[1,129]},{"name":"GetCurrentPackageFamilyName","features":[1,129]},{"name":"GetCurrentPackageFullName","features":[1,129]},{"name":"GetCurrentPackageId","features":[1,129]},{"name":"GetCurrentPackageInfo","features":[1,129]},{"name":"GetCurrentPackageInfo2","features":[1,129]},{"name":"GetCurrentPackageInfo3","features":[129]},{"name":"GetCurrentPackagePath","features":[1,129]},{"name":"GetCurrentPackagePath2","features":[1,129]},{"name":"GetCurrentPackageVirtualizationContext","features":[129]},{"name":"GetIdForPackageDependencyContext","features":[129]},{"name":"GetPackageApplicationIds","features":[1,129]},{"name":"GetPackageFamilyName","features":[1,129]},{"name":"GetPackageFamilyNameFromToken","features":[1,129]},{"name":"GetPackageFullName","features":[1,129]},{"name":"GetPackageFullNameFromToken","features":[1,129]},{"name":"GetPackageGraphRevisionId","features":[129]},{"name":"GetPackageId","features":[1,129]},{"name":"GetPackageInfo","features":[1,129]},{"name":"GetPackageInfo2","features":[1,129]},{"name":"GetPackagePath","features":[1,129]},{"name":"GetPackagePathByFullName","features":[1,129]},{"name":"GetPackagePathByFullName2","features":[1,129]},{"name":"GetPackagesByPackageFamily","features":[1,129]},{"name":"GetProcessesInVirtualizationContext","features":[1,129]},{"name":"GetResolvedPackageFullNameForPackageDependency","features":[129]},{"name":"GetStagedPackageOrigin","features":[1,129]},{"name":"GetStagedPackagePathByFullName","features":[1,129]},{"name":"GetStagedPackagePathByFullName2","features":[1,129]},{"name":"IAppxAppInstallerReader","features":[129]},{"name":"IAppxBlockMapBlock","features":[129]},{"name":"IAppxBlockMapBlocksEnumerator","features":[129]},{"name":"IAppxBlockMapFile","features":[129]},{"name":"IAppxBlockMapFilesEnumerator","features":[129]},{"name":"IAppxBlockMapReader","features":[129]},{"name":"IAppxBundleFactory","features":[129]},{"name":"IAppxBundleFactory2","features":[129]},{"name":"IAppxBundleManifestOptionalBundleInfo","features":[129]},{"name":"IAppxBundleManifestOptionalBundleInfoEnumerator","features":[129]},{"name":"IAppxBundleManifestPackageInfo","features":[129]},{"name":"IAppxBundleManifestPackageInfo2","features":[129]},{"name":"IAppxBundleManifestPackageInfo3","features":[129]},{"name":"IAppxBundleManifestPackageInfo4","features":[129]},{"name":"IAppxBundleManifestPackageInfoEnumerator","features":[129]},{"name":"IAppxBundleManifestReader","features":[129]},{"name":"IAppxBundleManifestReader2","features":[129]},{"name":"IAppxBundleReader","features":[129]},{"name":"IAppxBundleWriter","features":[129]},{"name":"IAppxBundleWriter2","features":[129]},{"name":"IAppxBundleWriter3","features":[129]},{"name":"IAppxBundleWriter4","features":[129]},{"name":"IAppxContentGroup","features":[129]},{"name":"IAppxContentGroupFilesEnumerator","features":[129]},{"name":"IAppxContentGroupMapReader","features":[129]},{"name":"IAppxContentGroupMapWriter","features":[129]},{"name":"IAppxContentGroupsEnumerator","features":[129]},{"name":"IAppxDigestProvider","features":[129]},{"name":"IAppxEncryptedBundleWriter","features":[129]},{"name":"IAppxEncryptedBundleWriter2","features":[129]},{"name":"IAppxEncryptedBundleWriter3","features":[129]},{"name":"IAppxEncryptedPackageWriter","features":[129]},{"name":"IAppxEncryptedPackageWriter2","features":[129]},{"name":"IAppxEncryptionFactory","features":[129]},{"name":"IAppxEncryptionFactory2","features":[129]},{"name":"IAppxEncryptionFactory3","features":[129]},{"name":"IAppxEncryptionFactory4","features":[129]},{"name":"IAppxEncryptionFactory5","features":[129]},{"name":"IAppxFactory","features":[129]},{"name":"IAppxFactory2","features":[129]},{"name":"IAppxFactory3","features":[129]},{"name":"IAppxFile","features":[129]},{"name":"IAppxFilesEnumerator","features":[129]},{"name":"IAppxManifestApplication","features":[129]},{"name":"IAppxManifestApplicationsEnumerator","features":[129]},{"name":"IAppxManifestCapabilitiesEnumerator","features":[129]},{"name":"IAppxManifestDeviceCapabilitiesEnumerator","features":[129]},{"name":"IAppxManifestDriverConstraint","features":[129]},{"name":"IAppxManifestDriverConstraintsEnumerator","features":[129]},{"name":"IAppxManifestDriverDependenciesEnumerator","features":[129]},{"name":"IAppxManifestDriverDependency","features":[129]},{"name":"IAppxManifestHostRuntimeDependenciesEnumerator","features":[129]},{"name":"IAppxManifestHostRuntimeDependency","features":[129]},{"name":"IAppxManifestHostRuntimeDependency2","features":[129]},{"name":"IAppxManifestMainPackageDependenciesEnumerator","features":[129]},{"name":"IAppxManifestMainPackageDependency","features":[129]},{"name":"IAppxManifestOSPackageDependenciesEnumerator","features":[129]},{"name":"IAppxManifestOSPackageDependency","features":[129]},{"name":"IAppxManifestOptionalPackageInfo","features":[129]},{"name":"IAppxManifestPackageDependenciesEnumerator","features":[129]},{"name":"IAppxManifestPackageDependency","features":[129]},{"name":"IAppxManifestPackageDependency2","features":[129]},{"name":"IAppxManifestPackageDependency3","features":[129]},{"name":"IAppxManifestPackageId","features":[129]},{"name":"IAppxManifestPackageId2","features":[129]},{"name":"IAppxManifestProperties","features":[129]},{"name":"IAppxManifestQualifiedResource","features":[129]},{"name":"IAppxManifestQualifiedResourcesEnumerator","features":[129]},{"name":"IAppxManifestReader","features":[129]},{"name":"IAppxManifestReader2","features":[129]},{"name":"IAppxManifestReader3","features":[129]},{"name":"IAppxManifestReader4","features":[129]},{"name":"IAppxManifestReader5","features":[129]},{"name":"IAppxManifestReader6","features":[129]},{"name":"IAppxManifestReader7","features":[129]},{"name":"IAppxManifestResourcesEnumerator","features":[129]},{"name":"IAppxManifestTargetDeviceFamiliesEnumerator","features":[129]},{"name":"IAppxManifestTargetDeviceFamily","features":[129]},{"name":"IAppxPackageEditor","features":[129]},{"name":"IAppxPackageReader","features":[129]},{"name":"IAppxPackageWriter","features":[129]},{"name":"IAppxPackageWriter2","features":[129]},{"name":"IAppxPackageWriter3","features":[129]},{"name":"IAppxPackagingDiagnosticEventSink","features":[129]},{"name":"IAppxPackagingDiagnosticEventSinkManager","features":[129]},{"name":"IAppxSourceContentGroupMapReader","features":[129]},{"name":"OpenPackageInfoByFullName","features":[1,129]},{"name":"OpenPackageInfoByFullNameForUser","features":[1,129]},{"name":"PACKAGEDEPENDENCY_CONTEXT","features":[129]},{"name":"PACKAGE_APPLICATIONS_MAX_COUNT","features":[129]},{"name":"PACKAGE_APPLICATIONS_MIN_COUNT","features":[129]},{"name":"PACKAGE_ARCHITECTURE_MAX_LENGTH","features":[129]},{"name":"PACKAGE_ARCHITECTURE_MIN_LENGTH","features":[129]},{"name":"PACKAGE_DEPENDENCY_RANK_DEFAULT","features":[129]},{"name":"PACKAGE_FAMILY_MAX_RESOURCE_PACKAGES","features":[129]},{"name":"PACKAGE_FAMILY_MIN_RESOURCE_PACKAGES","features":[129]},{"name":"PACKAGE_FAMILY_NAME_MAX_LENGTH","features":[129]},{"name":"PACKAGE_FAMILY_NAME_MIN_LENGTH","features":[129]},{"name":"PACKAGE_FILTER_ALL_LOADED","features":[129]},{"name":"PACKAGE_FILTER_BUNDLE","features":[129]},{"name":"PACKAGE_FILTER_DIRECT","features":[129]},{"name":"PACKAGE_FILTER_DYNAMIC","features":[129]},{"name":"PACKAGE_FILTER_HEAD","features":[129]},{"name":"PACKAGE_FILTER_HOSTRUNTIME","features":[129]},{"name":"PACKAGE_FILTER_IS_IN_RELATED_SET","features":[129]},{"name":"PACKAGE_FILTER_OPTIONAL","features":[129]},{"name":"PACKAGE_FILTER_RESOURCE","features":[129]},{"name":"PACKAGE_FILTER_STATIC","features":[129]},{"name":"PACKAGE_FULL_NAME_MAX_LENGTH","features":[129]},{"name":"PACKAGE_FULL_NAME_MIN_LENGTH","features":[129]},{"name":"PACKAGE_GRAPH_MAX_SIZE","features":[129]},{"name":"PACKAGE_GRAPH_MIN_SIZE","features":[129]},{"name":"PACKAGE_ID","features":[129]},{"name":"PACKAGE_ID","features":[129]},{"name":"PACKAGE_INFO","features":[129]},{"name":"PACKAGE_INFO","features":[129]},{"name":"PACKAGE_INFORMATION_BASIC","features":[129]},{"name":"PACKAGE_INFORMATION_FULL","features":[129]},{"name":"PACKAGE_MAX_DEPENDENCIES","features":[129]},{"name":"PACKAGE_MIN_DEPENDENCIES","features":[129]},{"name":"PACKAGE_NAME_MAX_LENGTH","features":[129]},{"name":"PACKAGE_NAME_MIN_LENGTH","features":[129]},{"name":"PACKAGE_PROPERTY_BUNDLE","features":[129]},{"name":"PACKAGE_PROPERTY_DEVELOPMENT_MODE","features":[129]},{"name":"PACKAGE_PROPERTY_DYNAMIC","features":[129]},{"name":"PACKAGE_PROPERTY_FRAMEWORK","features":[129]},{"name":"PACKAGE_PROPERTY_HOSTRUNTIME","features":[129]},{"name":"PACKAGE_PROPERTY_IS_IN_RELATED_SET","features":[129]},{"name":"PACKAGE_PROPERTY_OPTIONAL","features":[129]},{"name":"PACKAGE_PROPERTY_RESOURCE","features":[129]},{"name":"PACKAGE_PROPERTY_STATIC","features":[129]},{"name":"PACKAGE_PUBLISHERID_MAX_LENGTH","features":[129]},{"name":"PACKAGE_PUBLISHERID_MIN_LENGTH","features":[129]},{"name":"PACKAGE_PUBLISHER_MAX_LENGTH","features":[129]},{"name":"PACKAGE_PUBLISHER_MIN_LENGTH","features":[129]},{"name":"PACKAGE_RELATIVE_APPLICATION_ID_MAX_LENGTH","features":[129]},{"name":"PACKAGE_RELATIVE_APPLICATION_ID_MIN_LENGTH","features":[129]},{"name":"PACKAGE_RESOURCEID_MAX_LENGTH","features":[129]},{"name":"PACKAGE_RESOURCEID_MIN_LENGTH","features":[129]},{"name":"PACKAGE_VERSION","features":[129]},{"name":"PACKAGE_VERSION_MAX_LENGTH","features":[129]},{"name":"PACKAGE_VERSION_MIN_LENGTH","features":[129]},{"name":"PACKAGE_VIRTUALIZATION_CONTEXT_HANDLE","features":[129]},{"name":"PackageDependencyLifetimeKind","features":[129]},{"name":"PackageDependencyLifetimeKind_FilePath","features":[129]},{"name":"PackageDependencyLifetimeKind_Process","features":[129]},{"name":"PackageDependencyLifetimeKind_RegistryKey","features":[129]},{"name":"PackageDependencyProcessorArchitectures","features":[129]},{"name":"PackageDependencyProcessorArchitectures_Arm","features":[129]},{"name":"PackageDependencyProcessorArchitectures_Arm64","features":[129]},{"name":"PackageDependencyProcessorArchitectures_Neutral","features":[129]},{"name":"PackageDependencyProcessorArchitectures_None","features":[129]},{"name":"PackageDependencyProcessorArchitectures_X64","features":[129]},{"name":"PackageDependencyProcessorArchitectures_X86","features":[129]},{"name":"PackageDependencyProcessorArchitectures_X86A64","features":[129]},{"name":"PackageFamilyNameFromFullName","features":[1,129]},{"name":"PackageFamilyNameFromId","features":[1,129]},{"name":"PackageFullNameFromId","features":[1,129]},{"name":"PackageIdFromFullName","features":[1,129]},{"name":"PackageInfo3Type","features":[129]},{"name":"PackageInfo3Type_PackageInfoGeneration","features":[129]},{"name":"PackageNameAndPublisherIdFromFamilyName","features":[1,129]},{"name":"PackageOrigin","features":[129]},{"name":"PackageOrigin_DeveloperSigned","features":[129]},{"name":"PackageOrigin_DeveloperUnsigned","features":[129]},{"name":"PackageOrigin_Inbox","features":[129]},{"name":"PackageOrigin_LineOfBusiness","features":[129]},{"name":"PackageOrigin_Store","features":[129]},{"name":"PackageOrigin_Unknown","features":[129]},{"name":"PackageOrigin_Unsigned","features":[129]},{"name":"PackagePathType","features":[129]},{"name":"PackagePathType_Effective","features":[129]},{"name":"PackagePathType_EffectiveExternal","features":[129]},{"name":"PackagePathType_Install","features":[129]},{"name":"PackagePathType_MachineExternal","features":[129]},{"name":"PackagePathType_Mutable","features":[129]},{"name":"PackagePathType_UserExternal","features":[129]},{"name":"ParseApplicationUserModelId","features":[1,129]},{"name":"ReleasePackageVirtualizationContext","features":[129]},{"name":"RemovePackageDependency","features":[129]},{"name":"TryCreatePackageDependency","features":[1,129]},{"name":"VerifyApplicationUserModelId","features":[1,129]},{"name":"VerifyPackageFamilyName","features":[1,129]},{"name":"VerifyPackageFullName","features":[1,129]},{"name":"VerifyPackageId","features":[1,129]},{"name":"VerifyPackageRelativeApplicationId","features":[1,129]},{"name":"_PACKAGE_INFO_REFERENCE","features":[129]}],"521":[{"name":"PRJ_CALLBACKS","features":[1,149]},{"name":"PRJ_CALLBACK_DATA","features":[149]},{"name":"PRJ_CALLBACK_DATA_FLAGS","features":[149]},{"name":"PRJ_CANCEL_COMMAND_CB","features":[149]},{"name":"PRJ_CB_DATA_FLAG_ENUM_RESTART_SCAN","features":[149]},{"name":"PRJ_CB_DATA_FLAG_ENUM_RETURN_SINGLE_ENTRY","features":[149]},{"name":"PRJ_COMPLETE_COMMAND_EXTENDED_PARAMETERS","features":[149]},{"name":"PRJ_COMPLETE_COMMAND_TYPE","features":[149]},{"name":"PRJ_COMPLETE_COMMAND_TYPE_ENUMERATION","features":[149]},{"name":"PRJ_COMPLETE_COMMAND_TYPE_NOTIFICATION","features":[149]},{"name":"PRJ_DIR_ENTRY_BUFFER_HANDLE","features":[149]},{"name":"PRJ_END_DIRECTORY_ENUMERATION_CB","features":[149]},{"name":"PRJ_EXTENDED_INFO","features":[149]},{"name":"PRJ_EXT_INFO_TYPE","features":[149]},{"name":"PRJ_EXT_INFO_TYPE_SYMLINK","features":[149]},{"name":"PRJ_FILE_BASIC_INFO","features":[1,149]},{"name":"PRJ_FILE_STATE","features":[149]},{"name":"PRJ_FILE_STATE_DIRTY_PLACEHOLDER","features":[149]},{"name":"PRJ_FILE_STATE_FULL","features":[149]},{"name":"PRJ_FILE_STATE_HYDRATED_PLACEHOLDER","features":[149]},{"name":"PRJ_FILE_STATE_PLACEHOLDER","features":[149]},{"name":"PRJ_FILE_STATE_TOMBSTONE","features":[149]},{"name":"PRJ_FLAG_NONE","features":[149]},{"name":"PRJ_FLAG_USE_NEGATIVE_PATH_CACHE","features":[149]},{"name":"PRJ_GET_DIRECTORY_ENUMERATION_CB","features":[149]},{"name":"PRJ_GET_FILE_DATA_CB","features":[149]},{"name":"PRJ_GET_PLACEHOLDER_INFO_CB","features":[149]},{"name":"PRJ_NAMESPACE_VIRTUALIZATION_CONTEXT","features":[149]},{"name":"PRJ_NOTIFICATION","features":[149]},{"name":"PRJ_NOTIFICATION_CB","features":[1,149]},{"name":"PRJ_NOTIFICATION_FILE_HANDLE_CLOSED_FILE_DELETED","features":[149]},{"name":"PRJ_NOTIFICATION_FILE_HANDLE_CLOSED_FILE_MODIFIED","features":[149]},{"name":"PRJ_NOTIFICATION_FILE_HANDLE_CLOSED_NO_MODIFICATION","features":[149]},{"name":"PRJ_NOTIFICATION_FILE_OPENED","features":[149]},{"name":"PRJ_NOTIFICATION_FILE_OVERWRITTEN","features":[149]},{"name":"PRJ_NOTIFICATION_FILE_PRE_CONVERT_TO_FULL","features":[149]},{"name":"PRJ_NOTIFICATION_FILE_RENAMED","features":[149]},{"name":"PRJ_NOTIFICATION_HARDLINK_CREATED","features":[149]},{"name":"PRJ_NOTIFICATION_MAPPING","features":[149]},{"name":"PRJ_NOTIFICATION_NEW_FILE_CREATED","features":[149]},{"name":"PRJ_NOTIFICATION_PARAMETERS","features":[1,149]},{"name":"PRJ_NOTIFICATION_PRE_DELETE","features":[149]},{"name":"PRJ_NOTIFICATION_PRE_RENAME","features":[149]},{"name":"PRJ_NOTIFICATION_PRE_SET_HARDLINK","features":[149]},{"name":"PRJ_NOTIFY_FILE_HANDLE_CLOSED_FILE_DELETED","features":[149]},{"name":"PRJ_NOTIFY_FILE_HANDLE_CLOSED_FILE_MODIFIED","features":[149]},{"name":"PRJ_NOTIFY_FILE_HANDLE_CLOSED_NO_MODIFICATION","features":[149]},{"name":"PRJ_NOTIFY_FILE_OPENED","features":[149]},{"name":"PRJ_NOTIFY_FILE_OVERWRITTEN","features":[149]},{"name":"PRJ_NOTIFY_FILE_PRE_CONVERT_TO_FULL","features":[149]},{"name":"PRJ_NOTIFY_FILE_RENAMED","features":[149]},{"name":"PRJ_NOTIFY_HARDLINK_CREATED","features":[149]},{"name":"PRJ_NOTIFY_NEW_FILE_CREATED","features":[149]},{"name":"PRJ_NOTIFY_NONE","features":[149]},{"name":"PRJ_NOTIFY_PRE_DELETE","features":[149]},{"name":"PRJ_NOTIFY_PRE_RENAME","features":[149]},{"name":"PRJ_NOTIFY_PRE_SET_HARDLINK","features":[149]},{"name":"PRJ_NOTIFY_SUPPRESS_NOTIFICATIONS","features":[149]},{"name":"PRJ_NOTIFY_TYPES","features":[149]},{"name":"PRJ_NOTIFY_USE_EXISTING_MASK","features":[149]},{"name":"PRJ_PLACEHOLDER_ID","features":[149]},{"name":"PRJ_PLACEHOLDER_ID_LENGTH","features":[149]},{"name":"PRJ_PLACEHOLDER_INFO","features":[1,149]},{"name":"PRJ_PLACEHOLDER_VERSION_INFO","features":[149]},{"name":"PRJ_QUERY_FILE_NAME_CB","features":[149]},{"name":"PRJ_STARTVIRTUALIZING_FLAGS","features":[149]},{"name":"PRJ_STARTVIRTUALIZING_OPTIONS","features":[149]},{"name":"PRJ_START_DIRECTORY_ENUMERATION_CB","features":[149]},{"name":"PRJ_UPDATE_ALLOW_DIRTY_DATA","features":[149]},{"name":"PRJ_UPDATE_ALLOW_DIRTY_METADATA","features":[149]},{"name":"PRJ_UPDATE_ALLOW_READ_ONLY","features":[149]},{"name":"PRJ_UPDATE_ALLOW_TOMBSTONE","features":[149]},{"name":"PRJ_UPDATE_FAILURE_CAUSES","features":[149]},{"name":"PRJ_UPDATE_FAILURE_CAUSE_DIRTY_DATA","features":[149]},{"name":"PRJ_UPDATE_FAILURE_CAUSE_DIRTY_METADATA","features":[149]},{"name":"PRJ_UPDATE_FAILURE_CAUSE_NONE","features":[149]},{"name":"PRJ_UPDATE_FAILURE_CAUSE_READ_ONLY","features":[149]},{"name":"PRJ_UPDATE_FAILURE_CAUSE_TOMBSTONE","features":[149]},{"name":"PRJ_UPDATE_MAX_VAL","features":[149]},{"name":"PRJ_UPDATE_NONE","features":[149]},{"name":"PRJ_UPDATE_RESERVED1","features":[149]},{"name":"PRJ_UPDATE_RESERVED2","features":[149]},{"name":"PRJ_UPDATE_TYPES","features":[149]},{"name":"PRJ_VIRTUALIZATION_INSTANCE_INFO","features":[149]},{"name":"PrjAllocateAlignedBuffer","features":[149]},{"name":"PrjClearNegativePathCache","features":[149]},{"name":"PrjCompleteCommand","features":[149]},{"name":"PrjDeleteFile","features":[149]},{"name":"PrjDoesNameContainWildCards","features":[1,149]},{"name":"PrjFileNameCompare","features":[149]},{"name":"PrjFileNameMatch","features":[1,149]},{"name":"PrjFillDirEntryBuffer","features":[1,149]},{"name":"PrjFillDirEntryBuffer2","features":[1,149]},{"name":"PrjFreeAlignedBuffer","features":[149]},{"name":"PrjGetOnDiskFileState","features":[149]},{"name":"PrjGetVirtualizationInstanceInfo","features":[149]},{"name":"PrjMarkDirectoryAsPlaceholder","features":[149]},{"name":"PrjStartVirtualizing","features":[1,149]},{"name":"PrjStopVirtualizing","features":[149]},{"name":"PrjUpdateFileIfNeeded","features":[1,149]},{"name":"PrjWriteFileData","features":[149]},{"name":"PrjWritePlaceholderInfo","features":[1,149]},{"name":"PrjWritePlaceholderInfo2","features":[1,149]}],"522":[{"name":"JET_API_PTR","features":[145]},{"name":"JET_HANDLE","features":[145]},{"name":"JET_INSTANCE","features":[145]},{"name":"JET_SESID","features":[145]},{"name":"JET_TABLEID","features":[145]}],"523":[{"name":"APPLY_SNAPSHOT_VHDSET_FLAG","features":[150]},{"name":"APPLY_SNAPSHOT_VHDSET_FLAG_NONE","features":[150]},{"name":"APPLY_SNAPSHOT_VHDSET_FLAG_WRITEABLE","features":[150]},{"name":"APPLY_SNAPSHOT_VHDSET_PARAMETERS","features":[150]},{"name":"APPLY_SNAPSHOT_VHDSET_VERSION","features":[150]},{"name":"APPLY_SNAPSHOT_VHDSET_VERSION_1","features":[150]},{"name":"APPLY_SNAPSHOT_VHDSET_VERSION_UNSPECIFIED","features":[150]},{"name":"ATTACH_VIRTUAL_DISK_FLAG","features":[150]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_AT_BOOT","features":[150]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_BYPASS_DEFAULT_ENCRYPTION_POLICY","features":[150]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_NONE","features":[150]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_NON_PNP","features":[150]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_NO_DRIVE_LETTER","features":[150]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_NO_LOCAL_HOST","features":[150]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_NO_SECURITY_DESCRIPTOR","features":[150]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_PERMANENT_LIFETIME","features":[150]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_READ_ONLY","features":[150]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_REGISTER_VOLUME","features":[150]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_RESTRICTED_RANGE","features":[150]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_SINGLE_PARTITION","features":[150]},{"name":"ATTACH_VIRTUAL_DISK_PARAMETERS","features":[150]},{"name":"ATTACH_VIRTUAL_DISK_VERSION","features":[150]},{"name":"ATTACH_VIRTUAL_DISK_VERSION_1","features":[150]},{"name":"ATTACH_VIRTUAL_DISK_VERSION_2","features":[150]},{"name":"ATTACH_VIRTUAL_DISK_VERSION_UNSPECIFIED","features":[150]},{"name":"AddVirtualDiskParent","features":[1,150]},{"name":"ApplySnapshotVhdSet","features":[1,150]},{"name":"AttachVirtualDisk","features":[1,4,150,6]},{"name":"BreakMirrorVirtualDisk","features":[1,150]},{"name":"COMPACT_VIRTUAL_DISK_FLAG","features":[150]},{"name":"COMPACT_VIRTUAL_DISK_FLAG_NONE","features":[150]},{"name":"COMPACT_VIRTUAL_DISK_FLAG_NO_BLOCK_MOVES","features":[150]},{"name":"COMPACT_VIRTUAL_DISK_FLAG_NO_ZERO_SCAN","features":[150]},{"name":"COMPACT_VIRTUAL_DISK_PARAMETERS","features":[150]},{"name":"COMPACT_VIRTUAL_DISK_VERSION","features":[150]},{"name":"COMPACT_VIRTUAL_DISK_VERSION_1","features":[150]},{"name":"COMPACT_VIRTUAL_DISK_VERSION_UNSPECIFIED","features":[150]},{"name":"CREATE_VIRTUAL_DISK_FLAG","features":[150]},{"name":"CREATE_VIRTUAL_DISK_FLAG_CREATE_BACKING_STORAGE","features":[150]},{"name":"CREATE_VIRTUAL_DISK_FLAG_DO_NOT_COPY_METADATA_FROM_PARENT","features":[150]},{"name":"CREATE_VIRTUAL_DISK_FLAG_FULL_PHYSICAL_ALLOCATION","features":[150]},{"name":"CREATE_VIRTUAL_DISK_FLAG_NONE","features":[150]},{"name":"CREATE_VIRTUAL_DISK_FLAG_PMEM_COMPATIBLE","features":[150]},{"name":"CREATE_VIRTUAL_DISK_FLAG_PRESERVE_PARENT_CHANGE_TRACKING_STATE","features":[150]},{"name":"CREATE_VIRTUAL_DISK_FLAG_PREVENT_WRITES_TO_SOURCE_DISK","features":[150]},{"name":"CREATE_VIRTUAL_DISK_FLAG_SPARSE_FILE","features":[150]},{"name":"CREATE_VIRTUAL_DISK_FLAG_SUPPORT_COMPRESSED_VOLUMES","features":[150]},{"name":"CREATE_VIRTUAL_DISK_FLAG_SUPPORT_SPARSE_FILES_ANY_FS","features":[150]},{"name":"CREATE_VIRTUAL_DISK_FLAG_USE_CHANGE_TRACKING_SOURCE_LIMIT","features":[150]},{"name":"CREATE_VIRTUAL_DISK_FLAG_VHD_SET_USE_ORIGINAL_BACKING_STORAGE","features":[150]},{"name":"CREATE_VIRTUAL_DISK_PARAMETERS","features":[150]},{"name":"CREATE_VIRTUAL_DISK_PARAMETERS_DEFAULT_BLOCK_SIZE","features":[150]},{"name":"CREATE_VIRTUAL_DISK_PARAMETERS_DEFAULT_SECTOR_SIZE","features":[150]},{"name":"CREATE_VIRTUAL_DISK_VERSION","features":[150]},{"name":"CREATE_VIRTUAL_DISK_VERSION_1","features":[150]},{"name":"CREATE_VIRTUAL_DISK_VERSION_2","features":[150]},{"name":"CREATE_VIRTUAL_DISK_VERSION_3","features":[150]},{"name":"CREATE_VIRTUAL_DISK_VERSION_4","features":[150]},{"name":"CREATE_VIRTUAL_DISK_VERSION_UNSPECIFIED","features":[150]},{"name":"CompactVirtualDisk","features":[1,150,6]},{"name":"CompleteForkVirtualDisk","features":[1,150]},{"name":"CreateVirtualDisk","features":[1,4,150,6]},{"name":"DELETE_SNAPSHOT_VHDSET_FLAG","features":[150]},{"name":"DELETE_SNAPSHOT_VHDSET_FLAG_NONE","features":[150]},{"name":"DELETE_SNAPSHOT_VHDSET_FLAG_PERSIST_RCT","features":[150]},{"name":"DELETE_SNAPSHOT_VHDSET_PARAMETERS","features":[150]},{"name":"DELETE_SNAPSHOT_VHDSET_VERSION","features":[150]},{"name":"DELETE_SNAPSHOT_VHDSET_VERSION_1","features":[150]},{"name":"DELETE_SNAPSHOT_VHDSET_VERSION_UNSPECIFIED","features":[150]},{"name":"DEPENDENT_DISK_FLAG","features":[150]},{"name":"DEPENDENT_DISK_FLAG_ALWAYS_ALLOW_SPARSE","features":[150]},{"name":"DEPENDENT_DISK_FLAG_FULLY_ALLOCATED","features":[150]},{"name":"DEPENDENT_DISK_FLAG_MULT_BACKING_FILES","features":[150]},{"name":"DEPENDENT_DISK_FLAG_NONE","features":[150]},{"name":"DEPENDENT_DISK_FLAG_NO_DRIVE_LETTER","features":[150]},{"name":"DEPENDENT_DISK_FLAG_NO_HOST_DISK","features":[150]},{"name":"DEPENDENT_DISK_FLAG_PARENT","features":[150]},{"name":"DEPENDENT_DISK_FLAG_PERMANENT_LIFETIME","features":[150]},{"name":"DEPENDENT_DISK_FLAG_READ_ONLY","features":[150]},{"name":"DEPENDENT_DISK_FLAG_REMOTE","features":[150]},{"name":"DEPENDENT_DISK_FLAG_REMOVABLE","features":[150]},{"name":"DEPENDENT_DISK_FLAG_SUPPORT_COMPRESSED_VOLUMES","features":[150]},{"name":"DEPENDENT_DISK_FLAG_SUPPORT_ENCRYPTED_FILES","features":[150]},{"name":"DEPENDENT_DISK_FLAG_SYSTEM_VOLUME","features":[150]},{"name":"DEPENDENT_DISK_FLAG_SYSTEM_VOLUME_PARENT","features":[150]},{"name":"DETACH_VIRTUAL_DISK_FLAG","features":[150]},{"name":"DETACH_VIRTUAL_DISK_FLAG_NONE","features":[150]},{"name":"DeleteSnapshotVhdSet","features":[1,150]},{"name":"DeleteVirtualDiskMetadata","features":[1,150]},{"name":"DetachVirtualDisk","features":[1,150]},{"name":"EXPAND_VIRTUAL_DISK_FLAG","features":[150]},{"name":"EXPAND_VIRTUAL_DISK_FLAG_NONE","features":[150]},{"name":"EXPAND_VIRTUAL_DISK_FLAG_NOTIFY_CHANGE","features":[150]},{"name":"EXPAND_VIRTUAL_DISK_PARAMETERS","features":[150]},{"name":"EXPAND_VIRTUAL_DISK_VERSION","features":[150]},{"name":"EXPAND_VIRTUAL_DISK_VERSION_1","features":[150]},{"name":"EXPAND_VIRTUAL_DISK_VERSION_UNSPECIFIED","features":[150]},{"name":"EnumerateVirtualDiskMetadata","features":[1,150]},{"name":"ExpandVirtualDisk","features":[1,150,6]},{"name":"FORK_VIRTUAL_DISK_FLAG","features":[150]},{"name":"FORK_VIRTUAL_DISK_FLAG_EXISTING_FILE","features":[150]},{"name":"FORK_VIRTUAL_DISK_FLAG_NONE","features":[150]},{"name":"FORK_VIRTUAL_DISK_PARAMETERS","features":[150]},{"name":"FORK_VIRTUAL_DISK_VERSION","features":[150]},{"name":"FORK_VIRTUAL_DISK_VERSION_1","features":[150]},{"name":"FORK_VIRTUAL_DISK_VERSION_UNSPECIFIED","features":[150]},{"name":"ForkVirtualDisk","features":[1,150,6]},{"name":"GET_STORAGE_DEPENDENCY_FLAG","features":[150]},{"name":"GET_STORAGE_DEPENDENCY_FLAG_DISK_HANDLE","features":[150]},{"name":"GET_STORAGE_DEPENDENCY_FLAG_HOST_VOLUMES","features":[150]},{"name":"GET_STORAGE_DEPENDENCY_FLAG_NONE","features":[150]},{"name":"GET_VIRTUAL_DISK_INFO","features":[1,150]},{"name":"GET_VIRTUAL_DISK_INFO_CHANGE_TRACKING_STATE","features":[150]},{"name":"GET_VIRTUAL_DISK_INFO_FRAGMENTATION","features":[150]},{"name":"GET_VIRTUAL_DISK_INFO_IDENTIFIER","features":[150]},{"name":"GET_VIRTUAL_DISK_INFO_IS_4K_ALIGNED","features":[150]},{"name":"GET_VIRTUAL_DISK_INFO_IS_LOADED","features":[150]},{"name":"GET_VIRTUAL_DISK_INFO_PARENT_IDENTIFIER","features":[150]},{"name":"GET_VIRTUAL_DISK_INFO_PARENT_LOCATION","features":[150]},{"name":"GET_VIRTUAL_DISK_INFO_PARENT_TIMESTAMP","features":[150]},{"name":"GET_VIRTUAL_DISK_INFO_PHYSICAL_DISK","features":[150]},{"name":"GET_VIRTUAL_DISK_INFO_PROVIDER_SUBTYPE","features":[150]},{"name":"GET_VIRTUAL_DISK_INFO_SIZE","features":[150]},{"name":"GET_VIRTUAL_DISK_INFO_SMALLEST_SAFE_VIRTUAL_SIZE","features":[150]},{"name":"GET_VIRTUAL_DISK_INFO_UNSPECIFIED","features":[150]},{"name":"GET_VIRTUAL_DISK_INFO_VERSION","features":[150]},{"name":"GET_VIRTUAL_DISK_INFO_VHD_PHYSICAL_SECTOR_SIZE","features":[150]},{"name":"GET_VIRTUAL_DISK_INFO_VIRTUAL_DISK_ID","features":[150]},{"name":"GET_VIRTUAL_DISK_INFO_VIRTUAL_STORAGE_TYPE","features":[150]},{"name":"GetAllAttachedVirtualDiskPhysicalPaths","features":[1,150]},{"name":"GetStorageDependencyInformation","features":[1,150]},{"name":"GetVirtualDiskInformation","features":[1,150]},{"name":"GetVirtualDiskMetadata","features":[1,150]},{"name":"GetVirtualDiskOperationProgress","features":[1,150,6]},{"name":"GetVirtualDiskPhysicalPath","features":[1,150]},{"name":"MERGE_VIRTUAL_DISK_DEFAULT_MERGE_DEPTH","features":[150]},{"name":"MERGE_VIRTUAL_DISK_FLAG","features":[150]},{"name":"MERGE_VIRTUAL_DISK_FLAG_NONE","features":[150]},{"name":"MERGE_VIRTUAL_DISK_PARAMETERS","features":[150]},{"name":"MERGE_VIRTUAL_DISK_VERSION","features":[150]},{"name":"MERGE_VIRTUAL_DISK_VERSION_1","features":[150]},{"name":"MERGE_VIRTUAL_DISK_VERSION_2","features":[150]},{"name":"MERGE_VIRTUAL_DISK_VERSION_UNSPECIFIED","features":[150]},{"name":"MIRROR_VIRTUAL_DISK_FLAG","features":[150]},{"name":"MIRROR_VIRTUAL_DISK_FLAG_ENABLE_SMB_COMPRESSION","features":[150]},{"name":"MIRROR_VIRTUAL_DISK_FLAG_EXISTING_FILE","features":[150]},{"name":"MIRROR_VIRTUAL_DISK_FLAG_IS_LIVE_MIGRATION","features":[150]},{"name":"MIRROR_VIRTUAL_DISK_FLAG_NONE","features":[150]},{"name":"MIRROR_VIRTUAL_DISK_FLAG_SKIP_MIRROR_ACTIVATION","features":[150]},{"name":"MIRROR_VIRTUAL_DISK_PARAMETERS","features":[150]},{"name":"MIRROR_VIRTUAL_DISK_VERSION","features":[150]},{"name":"MIRROR_VIRTUAL_DISK_VERSION_1","features":[150]},{"name":"MIRROR_VIRTUAL_DISK_VERSION_UNSPECIFIED","features":[150]},{"name":"MODIFY_VHDSET_DEFAULT_SNAPSHOT_PATH","features":[150]},{"name":"MODIFY_VHDSET_FLAG","features":[150]},{"name":"MODIFY_VHDSET_FLAG_NONE","features":[150]},{"name":"MODIFY_VHDSET_FLAG_WRITEABLE_SNAPSHOT","features":[150]},{"name":"MODIFY_VHDSET_PARAMETERS","features":[150]},{"name":"MODIFY_VHDSET_REMOVE_SNAPSHOT","features":[150]},{"name":"MODIFY_VHDSET_SNAPSHOT_PATH","features":[150]},{"name":"MODIFY_VHDSET_UNSPECIFIED","features":[150]},{"name":"MODIFY_VHDSET_VERSION","features":[150]},{"name":"MergeVirtualDisk","features":[1,150,6]},{"name":"MirrorVirtualDisk","features":[1,150,6]},{"name":"ModifyVhdSet","features":[1,150]},{"name":"OPEN_VIRTUAL_DISK_FLAG","features":[150]},{"name":"OPEN_VIRTUAL_DISK_FLAG_BLANK_FILE","features":[150]},{"name":"OPEN_VIRTUAL_DISK_FLAG_BOOT_DRIVE","features":[150]},{"name":"OPEN_VIRTUAL_DISK_FLAG_CACHED_IO","features":[150]},{"name":"OPEN_VIRTUAL_DISK_FLAG_CUSTOM_DIFF_CHAIN","features":[150]},{"name":"OPEN_VIRTUAL_DISK_FLAG_IGNORE_RELATIVE_PARENT_LOCATOR","features":[150]},{"name":"OPEN_VIRTUAL_DISK_FLAG_NONE","features":[150]},{"name":"OPEN_VIRTUAL_DISK_FLAG_NO_PARENTS","features":[150]},{"name":"OPEN_VIRTUAL_DISK_FLAG_NO_WRITE_HARDENING","features":[150]},{"name":"OPEN_VIRTUAL_DISK_FLAG_PARENT_CACHED_IO","features":[150]},{"name":"OPEN_VIRTUAL_DISK_FLAG_SUPPORT_COMPRESSED_VOLUMES","features":[150]},{"name":"OPEN_VIRTUAL_DISK_FLAG_SUPPORT_ENCRYPTED_FILES","features":[150]},{"name":"OPEN_VIRTUAL_DISK_FLAG_SUPPORT_SPARSE_FILES_ANY_FS","features":[150]},{"name":"OPEN_VIRTUAL_DISK_FLAG_VHDSET_FILE_ONLY","features":[150]},{"name":"OPEN_VIRTUAL_DISK_PARAMETERS","features":[1,150]},{"name":"OPEN_VIRTUAL_DISK_RW_DEPTH_DEFAULT","features":[150]},{"name":"OPEN_VIRTUAL_DISK_VERSION","features":[150]},{"name":"OPEN_VIRTUAL_DISK_VERSION_1","features":[150]},{"name":"OPEN_VIRTUAL_DISK_VERSION_2","features":[150]},{"name":"OPEN_VIRTUAL_DISK_VERSION_3","features":[150]},{"name":"OPEN_VIRTUAL_DISK_VERSION_UNSPECIFIED","features":[150]},{"name":"OpenVirtualDisk","features":[1,150]},{"name":"QUERY_CHANGES_VIRTUAL_DISK_FLAG","features":[150]},{"name":"QUERY_CHANGES_VIRTUAL_DISK_FLAG_NONE","features":[150]},{"name":"QUERY_CHANGES_VIRTUAL_DISK_RANGE","features":[150]},{"name":"QueryChangesVirtualDisk","features":[1,150]},{"name":"RAW_SCSI_VIRTUAL_DISK_FLAG","features":[150]},{"name":"RAW_SCSI_VIRTUAL_DISK_FLAG_NONE","features":[150]},{"name":"RAW_SCSI_VIRTUAL_DISK_PARAMETERS","features":[1,150]},{"name":"RAW_SCSI_VIRTUAL_DISK_RESPONSE","features":[150]},{"name":"RAW_SCSI_VIRTUAL_DISK_VERSION","features":[150]},{"name":"RAW_SCSI_VIRTUAL_DISK_VERSION_1","features":[150]},{"name":"RAW_SCSI_VIRTUAL_DISK_VERSION_UNSPECIFIED","features":[150]},{"name":"RESIZE_VIRTUAL_DISK_FLAG","features":[150]},{"name":"RESIZE_VIRTUAL_DISK_FLAG_ALLOW_UNSAFE_VIRTUAL_SIZE","features":[150]},{"name":"RESIZE_VIRTUAL_DISK_FLAG_NONE","features":[150]},{"name":"RESIZE_VIRTUAL_DISK_FLAG_RESIZE_TO_SMALLEST_SAFE_VIRTUAL_SIZE","features":[150]},{"name":"RESIZE_VIRTUAL_DISK_PARAMETERS","features":[150]},{"name":"RESIZE_VIRTUAL_DISK_VERSION","features":[150]},{"name":"RESIZE_VIRTUAL_DISK_VERSION_1","features":[150]},{"name":"RESIZE_VIRTUAL_DISK_VERSION_UNSPECIFIED","features":[150]},{"name":"RawSCSIVirtualDisk","features":[1,150]},{"name":"ResizeVirtualDisk","features":[1,150,6]},{"name":"SET_VIRTUAL_DISK_INFO","features":[1,150]},{"name":"SET_VIRTUAL_DISK_INFO_CHANGE_TRACKING_STATE","features":[150]},{"name":"SET_VIRTUAL_DISK_INFO_IDENTIFIER","features":[150]},{"name":"SET_VIRTUAL_DISK_INFO_PARENT_LOCATOR","features":[150]},{"name":"SET_VIRTUAL_DISK_INFO_PARENT_PATH","features":[150]},{"name":"SET_VIRTUAL_DISK_INFO_PARENT_PATH_WITH_DEPTH","features":[150]},{"name":"SET_VIRTUAL_DISK_INFO_PHYSICAL_SECTOR_SIZE","features":[150]},{"name":"SET_VIRTUAL_DISK_INFO_UNSPECIFIED","features":[150]},{"name":"SET_VIRTUAL_DISK_INFO_VERSION","features":[150]},{"name":"SET_VIRTUAL_DISK_INFO_VIRTUAL_DISK_ID","features":[150]},{"name":"STORAGE_DEPENDENCY_INFO","features":[150]},{"name":"STORAGE_DEPENDENCY_INFO_TYPE_1","features":[150]},{"name":"STORAGE_DEPENDENCY_INFO_TYPE_2","features":[150]},{"name":"STORAGE_DEPENDENCY_INFO_VERSION","features":[150]},{"name":"STORAGE_DEPENDENCY_INFO_VERSION_1","features":[150]},{"name":"STORAGE_DEPENDENCY_INFO_VERSION_2","features":[150]},{"name":"STORAGE_DEPENDENCY_INFO_VERSION_UNSPECIFIED","features":[150]},{"name":"SetVirtualDiskInformation","features":[1,150]},{"name":"SetVirtualDiskMetadata","features":[1,150]},{"name":"TAKE_SNAPSHOT_VHDSET_FLAG","features":[150]},{"name":"TAKE_SNAPSHOT_VHDSET_FLAG_NONE","features":[150]},{"name":"TAKE_SNAPSHOT_VHDSET_FLAG_WRITEABLE","features":[150]},{"name":"TAKE_SNAPSHOT_VHDSET_PARAMETERS","features":[150]},{"name":"TAKE_SNAPSHOT_VHDSET_VERSION","features":[150]},{"name":"TAKE_SNAPSHOT_VHDSET_VERSION_1","features":[150]},{"name":"TAKE_SNAPSHOT_VHDSET_VERSION_UNSPECIFIED","features":[150]},{"name":"TakeSnapshotVhdSet","features":[1,150]},{"name":"VIRTUAL_DISK_ACCESS_ALL","features":[150]},{"name":"VIRTUAL_DISK_ACCESS_ATTACH_RO","features":[150]},{"name":"VIRTUAL_DISK_ACCESS_ATTACH_RW","features":[150]},{"name":"VIRTUAL_DISK_ACCESS_CREATE","features":[150]},{"name":"VIRTUAL_DISK_ACCESS_DETACH","features":[150]},{"name":"VIRTUAL_DISK_ACCESS_GET_INFO","features":[150]},{"name":"VIRTUAL_DISK_ACCESS_MASK","features":[150]},{"name":"VIRTUAL_DISK_ACCESS_METAOPS","features":[150]},{"name":"VIRTUAL_DISK_ACCESS_NONE","features":[150]},{"name":"VIRTUAL_DISK_ACCESS_READ","features":[150]},{"name":"VIRTUAL_DISK_ACCESS_WRITABLE","features":[150]},{"name":"VIRTUAL_DISK_MAXIMUM_CHANGE_TRACKING_ID_LENGTH","features":[150]},{"name":"VIRTUAL_DISK_PROGRESS","features":[150]},{"name":"VIRTUAL_STORAGE_TYPE","features":[150]},{"name":"VIRTUAL_STORAGE_TYPE_DEVICE_ISO","features":[150]},{"name":"VIRTUAL_STORAGE_TYPE_DEVICE_UNKNOWN","features":[150]},{"name":"VIRTUAL_STORAGE_TYPE_DEVICE_VHD","features":[150]},{"name":"VIRTUAL_STORAGE_TYPE_DEVICE_VHDSET","features":[150]},{"name":"VIRTUAL_STORAGE_TYPE_DEVICE_VHDX","features":[150]},{"name":"VIRTUAL_STORAGE_TYPE_VENDOR_MICROSOFT","features":[150]},{"name":"VIRTUAL_STORAGE_TYPE_VENDOR_UNKNOWN","features":[150]}],"526":[{"name":"ABORTPROC","features":[1,12,75]},{"name":"AbortDoc","features":[12,75]},{"name":"DC_BINNAMES","features":[75]},{"name":"DC_BINS","features":[75]},{"name":"DC_COLLATE","features":[75]},{"name":"DC_COLORDEVICE","features":[75]},{"name":"DC_COPIES","features":[75]},{"name":"DC_DRIVER","features":[75]},{"name":"DC_DUPLEX","features":[75]},{"name":"DC_ENUMRESOLUTIONS","features":[75]},{"name":"DC_EXTRA","features":[75]},{"name":"DC_FIELDS","features":[75]},{"name":"DC_FILEDEPENDENCIES","features":[75]},{"name":"DC_MAXEXTENT","features":[75]},{"name":"DC_MEDIAREADY","features":[75]},{"name":"DC_MEDIATYPENAMES","features":[75]},{"name":"DC_MEDIATYPES","features":[75]},{"name":"DC_MINEXTENT","features":[75]},{"name":"DC_NUP","features":[75]},{"name":"DC_ORIENTATION","features":[75]},{"name":"DC_PAPERNAMES","features":[75]},{"name":"DC_PAPERS","features":[75]},{"name":"DC_PAPERSIZE","features":[75]},{"name":"DC_PERSONALITY","features":[75]},{"name":"DC_PRINTERMEM","features":[75]},{"name":"DC_PRINTRATE","features":[75]},{"name":"DC_PRINTRATEPPM","features":[75]},{"name":"DC_PRINTRATEUNIT","features":[75]},{"name":"DC_SIZE","features":[75]},{"name":"DC_STAPLE","features":[75]},{"name":"DC_TRUETYPE","features":[75]},{"name":"DC_VERSION","features":[75]},{"name":"DOCINFOA","features":[75]},{"name":"DOCINFOW","features":[75]},{"name":"DRAWPATRECT","features":[1,75]},{"name":"DeviceCapabilitiesA","features":[1,12,75]},{"name":"DeviceCapabilitiesW","features":[1,12,75]},{"name":"EndDoc","features":[12,75]},{"name":"EndPage","features":[12,75]},{"name":"Escape","features":[12,75]},{"name":"ExtEscape","features":[12,75]},{"name":"HPTPROVIDER","features":[75]},{"name":"IXpsDocumentPackageTarget","features":[75]},{"name":"IXpsDocumentPackageTarget3D","features":[75]},{"name":"IXpsOMBrush","features":[75]},{"name":"IXpsOMCanvas","features":[75]},{"name":"IXpsOMColorProfileResource","features":[75]},{"name":"IXpsOMColorProfileResourceCollection","features":[75]},{"name":"IXpsOMCoreProperties","features":[75]},{"name":"IXpsOMDashCollection","features":[75]},{"name":"IXpsOMDictionary","features":[75]},{"name":"IXpsOMDocument","features":[75]},{"name":"IXpsOMDocumentCollection","features":[75]},{"name":"IXpsOMDocumentSequence","features":[75]},{"name":"IXpsOMDocumentStructureResource","features":[75]},{"name":"IXpsOMFontResource","features":[75]},{"name":"IXpsOMFontResourceCollection","features":[75]},{"name":"IXpsOMGeometry","features":[75]},{"name":"IXpsOMGeometryFigure","features":[75]},{"name":"IXpsOMGeometryFigureCollection","features":[75]},{"name":"IXpsOMGlyphs","features":[75]},{"name":"IXpsOMGlyphsEditor","features":[75]},{"name":"IXpsOMGradientBrush","features":[75]},{"name":"IXpsOMGradientStop","features":[75]},{"name":"IXpsOMGradientStopCollection","features":[75]},{"name":"IXpsOMImageBrush","features":[75]},{"name":"IXpsOMImageResource","features":[75]},{"name":"IXpsOMImageResourceCollection","features":[75]},{"name":"IXpsOMLinearGradientBrush","features":[75]},{"name":"IXpsOMMatrixTransform","features":[75]},{"name":"IXpsOMNameCollection","features":[75]},{"name":"IXpsOMObjectFactory","features":[75]},{"name":"IXpsOMObjectFactory1","features":[75]},{"name":"IXpsOMPackage","features":[75]},{"name":"IXpsOMPackage1","features":[75]},{"name":"IXpsOMPackageTarget","features":[75]},{"name":"IXpsOMPackageWriter","features":[75]},{"name":"IXpsOMPackageWriter3D","features":[75]},{"name":"IXpsOMPage","features":[75]},{"name":"IXpsOMPage1","features":[75]},{"name":"IXpsOMPageReference","features":[75]},{"name":"IXpsOMPageReferenceCollection","features":[75]},{"name":"IXpsOMPart","features":[75]},{"name":"IXpsOMPartResources","features":[75]},{"name":"IXpsOMPartUriCollection","features":[75]},{"name":"IXpsOMPath","features":[75]},{"name":"IXpsOMPrintTicketResource","features":[75]},{"name":"IXpsOMRadialGradientBrush","features":[75]},{"name":"IXpsOMRemoteDictionaryResource","features":[75]},{"name":"IXpsOMRemoteDictionaryResource1","features":[75]},{"name":"IXpsOMRemoteDictionaryResourceCollection","features":[75]},{"name":"IXpsOMResource","features":[75]},{"name":"IXpsOMShareable","features":[75]},{"name":"IXpsOMSignatureBlockResource","features":[75]},{"name":"IXpsOMSignatureBlockResourceCollection","features":[75]},{"name":"IXpsOMSolidColorBrush","features":[75]},{"name":"IXpsOMStoryFragmentsResource","features":[75]},{"name":"IXpsOMThumbnailGenerator","features":[75]},{"name":"IXpsOMTileBrush","features":[75]},{"name":"IXpsOMVisual","features":[75]},{"name":"IXpsOMVisualBrush","features":[75]},{"name":"IXpsOMVisualCollection","features":[75]},{"name":"IXpsSignature","features":[75]},{"name":"IXpsSignatureBlock","features":[75]},{"name":"IXpsSignatureBlockCollection","features":[75]},{"name":"IXpsSignatureCollection","features":[75]},{"name":"IXpsSignatureManager","features":[75]},{"name":"IXpsSignatureRequest","features":[75]},{"name":"IXpsSignatureRequestCollection","features":[75]},{"name":"IXpsSigningOptions","features":[75]},{"name":"PRINTER_DEVICE_CAPABILITIES","features":[75]},{"name":"PRINT_WINDOW_FLAGS","features":[75]},{"name":"PSFEATURE_CUSTPAPER","features":[75]},{"name":"PSFEATURE_OUTPUT","features":[1,75]},{"name":"PSINJECTDATA","features":[75]},{"name":"PSINJECT_BEGINDEFAULTS","features":[75]},{"name":"PSINJECT_BEGINPAGESETUP","features":[75]},{"name":"PSINJECT_BEGINPROLOG","features":[75]},{"name":"PSINJECT_BEGINSETUP","features":[75]},{"name":"PSINJECT_BEGINSTREAM","features":[75]},{"name":"PSINJECT_BOUNDINGBOX","features":[75]},{"name":"PSINJECT_COMMENTS","features":[75]},{"name":"PSINJECT_DOCNEEDEDRES","features":[75]},{"name":"PSINJECT_DOCSUPPLIEDRES","features":[75]},{"name":"PSINJECT_DOCUMENTPROCESSCOLORS","features":[75]},{"name":"PSINJECT_DOCUMENTPROCESSCOLORSATEND","features":[75]},{"name":"PSINJECT_ENDDEFAULTS","features":[75]},{"name":"PSINJECT_ENDPAGECOMMENTS","features":[75]},{"name":"PSINJECT_ENDPAGESETUP","features":[75]},{"name":"PSINJECT_ENDPROLOG","features":[75]},{"name":"PSINJECT_ENDSETUP","features":[75]},{"name":"PSINJECT_ENDSTREAM","features":[75]},{"name":"PSINJECT_EOF","features":[75]},{"name":"PSINJECT_ORIENTATION","features":[75]},{"name":"PSINJECT_PAGEBBOX","features":[75]},{"name":"PSINJECT_PAGENUMBER","features":[75]},{"name":"PSINJECT_PAGEORDER","features":[75]},{"name":"PSINJECT_PAGES","features":[75]},{"name":"PSINJECT_PAGESATEND","features":[75]},{"name":"PSINJECT_PAGETRAILER","features":[75]},{"name":"PSINJECT_PLATECOLOR","features":[75]},{"name":"PSINJECT_POINT","features":[75]},{"name":"PSINJECT_PSADOBE","features":[75]},{"name":"PSINJECT_SHOWPAGE","features":[75]},{"name":"PSINJECT_TRAILER","features":[75]},{"name":"PSINJECT_VMRESTORE","features":[75]},{"name":"PSINJECT_VMSAVE","features":[75]},{"name":"PW_CLIENTONLY","features":[75]},{"name":"PrintWindow","features":[1,12,75]},{"name":"SetAbortProc","features":[1,12,75]},{"name":"StartDocA","features":[12,75]},{"name":"StartDocW","features":[12,75]},{"name":"StartPage","features":[12,75]},{"name":"XPS_COLOR","features":[75]},{"name":"XPS_COLOR_INTERPOLATION","features":[75]},{"name":"XPS_COLOR_INTERPOLATION_SCRGBLINEAR","features":[75]},{"name":"XPS_COLOR_INTERPOLATION_SRGBLINEAR","features":[75]},{"name":"XPS_COLOR_TYPE","features":[75]},{"name":"XPS_COLOR_TYPE_CONTEXT","features":[75]},{"name":"XPS_COLOR_TYPE_SCRGB","features":[75]},{"name":"XPS_COLOR_TYPE_SRGB","features":[75]},{"name":"XPS_DASH","features":[75]},{"name":"XPS_DASH_CAP","features":[75]},{"name":"XPS_DASH_CAP_FLAT","features":[75]},{"name":"XPS_DASH_CAP_ROUND","features":[75]},{"name":"XPS_DASH_CAP_SQUARE","features":[75]},{"name":"XPS_DASH_CAP_TRIANGLE","features":[75]},{"name":"XPS_DOCUMENT_TYPE","features":[75]},{"name":"XPS_DOCUMENT_TYPE_OPENXPS","features":[75]},{"name":"XPS_DOCUMENT_TYPE_UNSPECIFIED","features":[75]},{"name":"XPS_DOCUMENT_TYPE_XPS","features":[75]},{"name":"XPS_E_ABSOLUTE_REFERENCE","features":[75]},{"name":"XPS_E_ALREADY_OWNED","features":[75]},{"name":"XPS_E_BLEED_BOX_PAGE_DIMENSIONS_NOT_IN_SYNC","features":[75]},{"name":"XPS_E_BOTH_PATHFIGURE_AND_ABBR_SYNTAX_PRESENT","features":[75]},{"name":"XPS_E_BOTH_RESOURCE_AND_SOURCEATTR_PRESENT","features":[75]},{"name":"XPS_E_CARET_OUTSIDE_STRING","features":[75]},{"name":"XPS_E_CARET_OUT_OF_ORDER","features":[75]},{"name":"XPS_E_COLOR_COMPONENT_OUT_OF_RANGE","features":[75]},{"name":"XPS_E_DICTIONARY_ITEM_NAMED","features":[75]},{"name":"XPS_E_DUPLICATE_NAMES","features":[75]},{"name":"XPS_E_DUPLICATE_RESOURCE_KEYS","features":[75]},{"name":"XPS_E_INDEX_OUT_OF_RANGE","features":[75]},{"name":"XPS_E_INVALID_BLEED_BOX","features":[75]},{"name":"XPS_E_INVALID_CONTENT_BOX","features":[75]},{"name":"XPS_E_INVALID_CONTENT_TYPE","features":[75]},{"name":"XPS_E_INVALID_FLOAT","features":[75]},{"name":"XPS_E_INVALID_FONT_URI","features":[75]},{"name":"XPS_E_INVALID_LANGUAGE","features":[75]},{"name":"XPS_E_INVALID_LOOKUP_TYPE","features":[75]},{"name":"XPS_E_INVALID_MARKUP","features":[75]},{"name":"XPS_E_INVALID_NAME","features":[75]},{"name":"XPS_E_INVALID_NUMBER_OF_COLOR_CHANNELS","features":[75]},{"name":"XPS_E_INVALID_NUMBER_OF_POINTS_IN_CURVE_SEGMENTS","features":[75]},{"name":"XPS_E_INVALID_OBFUSCATED_FONT_URI","features":[75]},{"name":"XPS_E_INVALID_PAGE_SIZE","features":[75]},{"name":"XPS_E_INVALID_RESOURCE_KEY","features":[75]},{"name":"XPS_E_INVALID_SIGNATUREBLOCK_MARKUP","features":[75]},{"name":"XPS_E_INVALID_THUMBNAIL_IMAGE_TYPE","features":[75]},{"name":"XPS_E_INVALID_XML_ENCODING","features":[75]},{"name":"XPS_E_MAPPING_OUTSIDE_INDICES","features":[75]},{"name":"XPS_E_MAPPING_OUTSIDE_STRING","features":[75]},{"name":"XPS_E_MAPPING_OUT_OF_ORDER","features":[75]},{"name":"XPS_E_MARKUP_COMPATIBILITY_ELEMENTS","features":[75]},{"name":"XPS_E_MISSING_COLORPROFILE","features":[75]},{"name":"XPS_E_MISSING_DISCARDCONTROL","features":[75]},{"name":"XPS_E_MISSING_DOCUMENT","features":[75]},{"name":"XPS_E_MISSING_DOCUMENTSEQUENCE_RELATIONSHIP","features":[75]},{"name":"XPS_E_MISSING_FONTURI","features":[75]},{"name":"XPS_E_MISSING_GLYPHS","features":[75]},{"name":"XPS_E_MISSING_IMAGE_IN_IMAGEBRUSH","features":[75]},{"name":"XPS_E_MISSING_LOOKUP","features":[75]},{"name":"XPS_E_MISSING_NAME","features":[75]},{"name":"XPS_E_MISSING_PAGE_IN_DOCUMENT","features":[75]},{"name":"XPS_E_MISSING_PAGE_IN_PAGEREFERENCE","features":[75]},{"name":"XPS_E_MISSING_PART_REFERENCE","features":[75]},{"name":"XPS_E_MISSING_PART_STREAM","features":[75]},{"name":"XPS_E_MISSING_REFERRED_DOCUMENT","features":[75]},{"name":"XPS_E_MISSING_REFERRED_PAGE","features":[75]},{"name":"XPS_E_MISSING_RELATIONSHIP_TARGET","features":[75]},{"name":"XPS_E_MISSING_RESOURCE_KEY","features":[75]},{"name":"XPS_E_MISSING_RESOURCE_RELATIONSHIP","features":[75]},{"name":"XPS_E_MISSING_RESTRICTED_FONT_RELATIONSHIP","features":[75]},{"name":"XPS_E_MISSING_SEGMENT_DATA","features":[75]},{"name":"XPS_E_MULTIPLE_DOCUMENTSEQUENCE_RELATIONSHIPS","features":[75]},{"name":"XPS_E_MULTIPLE_PRINTTICKETS_ON_DOCUMENT","features":[75]},{"name":"XPS_E_MULTIPLE_PRINTTICKETS_ON_DOCUMENTSEQUENCE","features":[75]},{"name":"XPS_E_MULTIPLE_PRINTTICKETS_ON_PAGE","features":[75]},{"name":"XPS_E_MULTIPLE_REFERENCES_TO_PART","features":[75]},{"name":"XPS_E_MULTIPLE_RESOURCES","features":[75]},{"name":"XPS_E_MULTIPLE_THUMBNAILS_ON_PACKAGE","features":[75]},{"name":"XPS_E_MULTIPLE_THUMBNAILS_ON_PAGE","features":[75]},{"name":"XPS_E_NEGATIVE_FLOAT","features":[75]},{"name":"XPS_E_NESTED_REMOTE_DICTIONARY","features":[75]},{"name":"XPS_E_NOT_ENOUGH_GRADIENT_STOPS","features":[75]},{"name":"XPS_E_NO_CUSTOM_OBJECTS","features":[75]},{"name":"XPS_E_OBJECT_DETACHED","features":[75]},{"name":"XPS_E_ODD_BIDILEVEL","features":[75]},{"name":"XPS_E_ONE_TO_ONE_MAPPING_EXPECTED","features":[75]},{"name":"XPS_E_PACKAGE_ALREADY_OPENED","features":[75]},{"name":"XPS_E_PACKAGE_NOT_OPENED","features":[75]},{"name":"XPS_E_PACKAGE_WRITER_NOT_CLOSED","features":[75]},{"name":"XPS_E_RELATIONSHIP_EXTERNAL","features":[75]},{"name":"XPS_E_RESOURCE_NOT_OWNED","features":[75]},{"name":"XPS_E_RESTRICTED_FONT_NOT_OBFUSCATED","features":[75]},{"name":"XPS_E_SIGNATUREID_DUP","features":[75]},{"name":"XPS_E_SIGREQUESTID_DUP","features":[75]},{"name":"XPS_E_STRING_TOO_LONG","features":[75]},{"name":"XPS_E_TOO_MANY_INDICES","features":[75]},{"name":"XPS_E_UNAVAILABLE_PACKAGE","features":[75]},{"name":"XPS_E_UNEXPECTED_COLORPROFILE","features":[75]},{"name":"XPS_E_UNEXPECTED_CONTENT_TYPE","features":[75]},{"name":"XPS_E_UNEXPECTED_RELATIONSHIP_TYPE","features":[75]},{"name":"XPS_E_UNEXPECTED_RESTRICTED_FONT_RELATIONSHIP","features":[75]},{"name":"XPS_E_VISUAL_CIRCULAR_REF","features":[75]},{"name":"XPS_E_XKEY_ATTR_PRESENT_OUTSIDE_RES_DICT","features":[75]},{"name":"XPS_FILL_RULE","features":[75]},{"name":"XPS_FILL_RULE_EVENODD","features":[75]},{"name":"XPS_FILL_RULE_NONZERO","features":[75]},{"name":"XPS_FONT_EMBEDDING","features":[75]},{"name":"XPS_FONT_EMBEDDING_NORMAL","features":[75]},{"name":"XPS_FONT_EMBEDDING_OBFUSCATED","features":[75]},{"name":"XPS_FONT_EMBEDDING_RESTRICTED","features":[75]},{"name":"XPS_FONT_EMBEDDING_RESTRICTED_UNOBFUSCATED","features":[75]},{"name":"XPS_GLYPH_INDEX","features":[75]},{"name":"XPS_GLYPH_MAPPING","features":[75]},{"name":"XPS_IMAGE_TYPE","features":[75]},{"name":"XPS_IMAGE_TYPE_JPEG","features":[75]},{"name":"XPS_IMAGE_TYPE_JXR","features":[75]},{"name":"XPS_IMAGE_TYPE_PNG","features":[75]},{"name":"XPS_IMAGE_TYPE_TIFF","features":[75]},{"name":"XPS_IMAGE_TYPE_WDP","features":[75]},{"name":"XPS_INTERLEAVING","features":[75]},{"name":"XPS_INTERLEAVING_OFF","features":[75]},{"name":"XPS_INTERLEAVING_ON","features":[75]},{"name":"XPS_LINE_CAP","features":[75]},{"name":"XPS_LINE_CAP_FLAT","features":[75]},{"name":"XPS_LINE_CAP_ROUND","features":[75]},{"name":"XPS_LINE_CAP_SQUARE","features":[75]},{"name":"XPS_LINE_CAP_TRIANGLE","features":[75]},{"name":"XPS_LINE_JOIN","features":[75]},{"name":"XPS_LINE_JOIN_BEVEL","features":[75]},{"name":"XPS_LINE_JOIN_MITER","features":[75]},{"name":"XPS_LINE_JOIN_ROUND","features":[75]},{"name":"XPS_MATRIX","features":[75]},{"name":"XPS_OBJECT_TYPE","features":[75]},{"name":"XPS_OBJECT_TYPE_CANVAS","features":[75]},{"name":"XPS_OBJECT_TYPE_GEOMETRY","features":[75]},{"name":"XPS_OBJECT_TYPE_GLYPHS","features":[75]},{"name":"XPS_OBJECT_TYPE_IMAGE_BRUSH","features":[75]},{"name":"XPS_OBJECT_TYPE_LINEAR_GRADIENT_BRUSH","features":[75]},{"name":"XPS_OBJECT_TYPE_MATRIX_TRANSFORM","features":[75]},{"name":"XPS_OBJECT_TYPE_PATH","features":[75]},{"name":"XPS_OBJECT_TYPE_RADIAL_GRADIENT_BRUSH","features":[75]},{"name":"XPS_OBJECT_TYPE_SOLID_COLOR_BRUSH","features":[75]},{"name":"XPS_OBJECT_TYPE_VISUAL_BRUSH","features":[75]},{"name":"XPS_POINT","features":[75]},{"name":"XPS_RECT","features":[75]},{"name":"XPS_SEGMENT_STROKE_PATTERN","features":[75]},{"name":"XPS_SEGMENT_STROKE_PATTERN_ALL","features":[75]},{"name":"XPS_SEGMENT_STROKE_PATTERN_MIXED","features":[75]},{"name":"XPS_SEGMENT_STROKE_PATTERN_NONE","features":[75]},{"name":"XPS_SEGMENT_TYPE","features":[75]},{"name":"XPS_SEGMENT_TYPE_ARC_LARGE_CLOCKWISE","features":[75]},{"name":"XPS_SEGMENT_TYPE_ARC_LARGE_COUNTERCLOCKWISE","features":[75]},{"name":"XPS_SEGMENT_TYPE_ARC_SMALL_CLOCKWISE","features":[75]},{"name":"XPS_SEGMENT_TYPE_ARC_SMALL_COUNTERCLOCKWISE","features":[75]},{"name":"XPS_SEGMENT_TYPE_BEZIER","features":[75]},{"name":"XPS_SEGMENT_TYPE_LINE","features":[75]},{"name":"XPS_SEGMENT_TYPE_QUADRATIC_BEZIER","features":[75]},{"name":"XPS_SIGNATURE_STATUS","features":[75]},{"name":"XPS_SIGNATURE_STATUS_BROKEN","features":[75]},{"name":"XPS_SIGNATURE_STATUS_INCOMPLETE","features":[75]},{"name":"XPS_SIGNATURE_STATUS_INCOMPLIANT","features":[75]},{"name":"XPS_SIGNATURE_STATUS_QUESTIONABLE","features":[75]},{"name":"XPS_SIGNATURE_STATUS_VALID","features":[75]},{"name":"XPS_SIGN_FLAGS","features":[75]},{"name":"XPS_SIGN_FLAGS_IGNORE_MARKUP_COMPATIBILITY","features":[75]},{"name":"XPS_SIGN_FLAGS_NONE","features":[75]},{"name":"XPS_SIGN_POLICY","features":[75]},{"name":"XPS_SIGN_POLICY_ALL","features":[75]},{"name":"XPS_SIGN_POLICY_CORE_PROPERTIES","features":[75]},{"name":"XPS_SIGN_POLICY_DISCARD_CONTROL","features":[75]},{"name":"XPS_SIGN_POLICY_NONE","features":[75]},{"name":"XPS_SIGN_POLICY_PRINT_TICKET","features":[75]},{"name":"XPS_SIGN_POLICY_SIGNATURE_RELATIONSHIPS","features":[75]},{"name":"XPS_SIZE","features":[75]},{"name":"XPS_SPREAD_METHOD","features":[75]},{"name":"XPS_SPREAD_METHOD_PAD","features":[75]},{"name":"XPS_SPREAD_METHOD_REFLECT","features":[75]},{"name":"XPS_SPREAD_METHOD_REPEAT","features":[75]},{"name":"XPS_STYLE_SIMULATION","features":[75]},{"name":"XPS_STYLE_SIMULATION_BOLD","features":[75]},{"name":"XPS_STYLE_SIMULATION_BOLDITALIC","features":[75]},{"name":"XPS_STYLE_SIMULATION_ITALIC","features":[75]},{"name":"XPS_STYLE_SIMULATION_NONE","features":[75]},{"name":"XPS_THUMBNAIL_SIZE","features":[75]},{"name":"XPS_THUMBNAIL_SIZE_LARGE","features":[75]},{"name":"XPS_THUMBNAIL_SIZE_MEDIUM","features":[75]},{"name":"XPS_THUMBNAIL_SIZE_SMALL","features":[75]},{"name":"XPS_THUMBNAIL_SIZE_VERYSMALL","features":[75]},{"name":"XPS_TILE_MODE","features":[75]},{"name":"XPS_TILE_MODE_FLIPX","features":[75]},{"name":"XPS_TILE_MODE_FLIPXY","features":[75]},{"name":"XPS_TILE_MODE_FLIPY","features":[75]},{"name":"XPS_TILE_MODE_NONE","features":[75]},{"name":"XPS_TILE_MODE_TILE","features":[75]},{"name":"XpsOMObjectFactory","features":[75]},{"name":"XpsOMThumbnailGenerator","features":[75]},{"name":"XpsSignatureManager","features":[75]}],"528":[{"name":"ADRENTRY","features":[1,142,41]},{"name":"ADRLIST","features":[1,142,41]},{"name":"ADRPARM","features":[1,142,41]},{"name":"BuildDisplayTable","features":[1,142]},{"name":"CALLERRELEASE","features":[142]},{"name":"ChangeIdleRoutine","features":[1,142]},{"name":"CreateIProp","features":[142]},{"name":"CreateTable","features":[142]},{"name":"DTBLBUTTON","features":[142]},{"name":"DTBLCHECKBOX","features":[142]},{"name":"DTBLCOMBOBOX","features":[142]},{"name":"DTBLDDLBX","features":[142]},{"name":"DTBLEDIT","features":[142]},{"name":"DTBLGROUPBOX","features":[142]},{"name":"DTBLLABEL","features":[142]},{"name":"DTBLLBX","features":[142]},{"name":"DTBLMVDDLBX","features":[142]},{"name":"DTBLMVLISTBOX","features":[142]},{"name":"DTBLPAGE","features":[142]},{"name":"DTBLRADIOBUTTON","features":[142]},{"name":"DTCTL","features":[142]},{"name":"DTPAGE","features":[142]},{"name":"DeinitMapiUtil","features":[142]},{"name":"DeregisterIdleRoutine","features":[142]},{"name":"ENTRYID","features":[142]},{"name":"ERROR_NOTIFICATION","features":[142]},{"name":"EXTENDED_NOTIFICATION","features":[142]},{"name":"E_IMAPI_BURN_VERIFICATION_FAILED","features":[142]},{"name":"E_IMAPI_DF2DATA_CLIENT_NAME_IS_NOT_VALID","features":[142]},{"name":"E_IMAPI_DF2DATA_INVALID_MEDIA_STATE","features":[142]},{"name":"E_IMAPI_DF2DATA_MEDIA_IS_NOT_SUPPORTED","features":[142]},{"name":"E_IMAPI_DF2DATA_MEDIA_NOT_BLANK","features":[142]},{"name":"E_IMAPI_DF2DATA_RECORDER_NOT_SUPPORTED","features":[142]},{"name":"E_IMAPI_DF2DATA_STREAM_NOT_SUPPORTED","features":[142]},{"name":"E_IMAPI_DF2DATA_STREAM_TOO_LARGE_FOR_CURRENT_MEDIA","features":[142]},{"name":"E_IMAPI_DF2DATA_WRITE_IN_PROGRESS","features":[142]},{"name":"E_IMAPI_DF2DATA_WRITE_NOT_IN_PROGRESS","features":[142]},{"name":"E_IMAPI_DF2RAW_CLIENT_NAME_IS_NOT_VALID","features":[142]},{"name":"E_IMAPI_DF2RAW_DATA_BLOCK_TYPE_NOT_SUPPORTED","features":[142]},{"name":"E_IMAPI_DF2RAW_MEDIA_IS_NOT_BLANK","features":[142]},{"name":"E_IMAPI_DF2RAW_MEDIA_IS_NOT_PREPARED","features":[142]},{"name":"E_IMAPI_DF2RAW_MEDIA_IS_NOT_SUPPORTED","features":[142]},{"name":"E_IMAPI_DF2RAW_MEDIA_IS_PREPARED","features":[142]},{"name":"E_IMAPI_DF2RAW_NOT_ENOUGH_SPACE","features":[142]},{"name":"E_IMAPI_DF2RAW_NO_RECORDER_SPECIFIED","features":[142]},{"name":"E_IMAPI_DF2RAW_RECORDER_NOT_SUPPORTED","features":[142]},{"name":"E_IMAPI_DF2RAW_STREAM_LEADIN_TOO_SHORT","features":[142]},{"name":"E_IMAPI_DF2RAW_STREAM_NOT_SUPPORTED","features":[142]},{"name":"E_IMAPI_DF2RAW_WRITE_IN_PROGRESS","features":[142]},{"name":"E_IMAPI_DF2RAW_WRITE_NOT_IN_PROGRESS","features":[142]},{"name":"E_IMAPI_DF2TAO_CLIENT_NAME_IS_NOT_VALID","features":[142]},{"name":"E_IMAPI_DF2TAO_INVALID_ISRC","features":[142]},{"name":"E_IMAPI_DF2TAO_INVALID_MCN","features":[142]},{"name":"E_IMAPI_DF2TAO_MEDIA_IS_NOT_BLANK","features":[142]},{"name":"E_IMAPI_DF2TAO_MEDIA_IS_NOT_PREPARED","features":[142]},{"name":"E_IMAPI_DF2TAO_MEDIA_IS_NOT_SUPPORTED","features":[142]},{"name":"E_IMAPI_DF2TAO_MEDIA_IS_PREPARED","features":[142]},{"name":"E_IMAPI_DF2TAO_NOT_ENOUGH_SPACE","features":[142]},{"name":"E_IMAPI_DF2TAO_NO_RECORDER_SPECIFIED","features":[142]},{"name":"E_IMAPI_DF2TAO_PROPERTY_FOR_BLANK_MEDIA_ONLY","features":[142]},{"name":"E_IMAPI_DF2TAO_RECORDER_NOT_SUPPORTED","features":[142]},{"name":"E_IMAPI_DF2TAO_STREAM_NOT_SUPPORTED","features":[142]},{"name":"E_IMAPI_DF2TAO_TABLE_OF_CONTENTS_EMPTY_DISC","features":[142]},{"name":"E_IMAPI_DF2TAO_TRACK_LIMIT_REACHED","features":[142]},{"name":"E_IMAPI_DF2TAO_WRITE_IN_PROGRESS","features":[142]},{"name":"E_IMAPI_DF2TAO_WRITE_NOT_IN_PROGRESS","features":[142]},{"name":"E_IMAPI_ERASE_CLIENT_NAME_IS_NOT_VALID","features":[142]},{"name":"E_IMAPI_ERASE_DISC_INFORMATION_TOO_SMALL","features":[142]},{"name":"E_IMAPI_ERASE_DRIVE_FAILED_ERASE_COMMAND","features":[142]},{"name":"E_IMAPI_ERASE_DRIVE_FAILED_SPINUP_COMMAND","features":[142]},{"name":"E_IMAPI_ERASE_MEDIA_IS_NOT_ERASABLE","features":[142]},{"name":"E_IMAPI_ERASE_MEDIA_IS_NOT_SUPPORTED","features":[142]},{"name":"E_IMAPI_ERASE_MODE_PAGE_2A_TOO_SMALL","features":[142]},{"name":"E_IMAPI_ERASE_ONLY_ONE_RECORDER_SUPPORTED","features":[142]},{"name":"E_IMAPI_ERASE_RECORDER_IN_USE","features":[142]},{"name":"E_IMAPI_ERASE_RECORDER_NOT_SUPPORTED","features":[142]},{"name":"E_IMAPI_ERASE_TOOK_LONGER_THAN_ONE_HOUR","features":[142]},{"name":"E_IMAPI_ERASE_UNEXPECTED_DRIVE_RESPONSE_DURING_ERASE","features":[142]},{"name":"E_IMAPI_LOSS_OF_STREAMING","features":[142]},{"name":"E_IMAPI_RAW_IMAGE_INSUFFICIENT_SPACE","features":[142]},{"name":"E_IMAPI_RAW_IMAGE_IS_READ_ONLY","features":[142]},{"name":"E_IMAPI_RAW_IMAGE_NO_TRACKS","features":[142]},{"name":"E_IMAPI_RAW_IMAGE_SECTOR_TYPE_NOT_SUPPORTED","features":[142]},{"name":"E_IMAPI_RAW_IMAGE_TOO_MANY_TRACKS","features":[142]},{"name":"E_IMAPI_RAW_IMAGE_TOO_MANY_TRACK_INDEXES","features":[142]},{"name":"E_IMAPI_RAW_IMAGE_TRACKS_ALREADY_ADDED","features":[142]},{"name":"E_IMAPI_RAW_IMAGE_TRACK_INDEX_NOT_FOUND","features":[142]},{"name":"E_IMAPI_RAW_IMAGE_TRACK_INDEX_OFFSET_ZERO_CANNOT_BE_CLEARED","features":[142]},{"name":"E_IMAPI_RAW_IMAGE_TRACK_INDEX_TOO_CLOSE_TO_OTHER_INDEX","features":[142]},{"name":"E_IMAPI_RECORDER_CLIENT_NAME_IS_NOT_VALID","features":[142]},{"name":"E_IMAPI_RECORDER_COMMAND_TIMEOUT","features":[142]},{"name":"E_IMAPI_RECORDER_DVD_STRUCTURE_NOT_PRESENT","features":[142]},{"name":"E_IMAPI_RECORDER_FEATURE_IS_NOT_CURRENT","features":[142]},{"name":"E_IMAPI_RECORDER_GET_CONFIGURATION_NOT_SUPPORTED","features":[142]},{"name":"E_IMAPI_RECORDER_INVALID_MODE_PARAMETERS","features":[142]},{"name":"E_IMAPI_RECORDER_INVALID_RESPONSE_FROM_DEVICE","features":[142]},{"name":"E_IMAPI_RECORDER_LOCKED","features":[142]},{"name":"E_IMAPI_RECORDER_MEDIA_BECOMING_READY","features":[142]},{"name":"E_IMAPI_RECORDER_MEDIA_BUSY","features":[142]},{"name":"E_IMAPI_RECORDER_MEDIA_FORMAT_IN_PROGRESS","features":[142]},{"name":"E_IMAPI_RECORDER_MEDIA_INCOMPATIBLE","features":[142]},{"name":"E_IMAPI_RECORDER_MEDIA_NOT_FORMATTED","features":[142]},{"name":"E_IMAPI_RECORDER_MEDIA_NO_MEDIA","features":[142]},{"name":"E_IMAPI_RECORDER_MEDIA_SPEED_MISMATCH","features":[142]},{"name":"E_IMAPI_RECORDER_MEDIA_UPSIDE_DOWN","features":[142]},{"name":"E_IMAPI_RECORDER_MEDIA_WRITE_PROTECTED","features":[142]},{"name":"E_IMAPI_RECORDER_NO_SUCH_FEATURE","features":[142]},{"name":"E_IMAPI_RECORDER_NO_SUCH_MODE_PAGE","features":[142]},{"name":"E_IMAPI_RECORDER_REQUIRED","features":[142]},{"name":"E_IMAPI_REQUEST_CANCELLED","features":[142]},{"name":"E_IMAPI_UNEXPECTED_RESPONSE_FROM_DEVICE","features":[142]},{"name":"EnableIdleRoutine","features":[1,142]},{"name":"FACILITY_IMAPI2","features":[142]},{"name":"FEqualNames","features":[1,142]},{"name":"FLATENTRY","features":[142]},{"name":"FLATENTRYLIST","features":[142]},{"name":"FLATMTSIDLIST","features":[142]},{"name":"FPropCompareProp","features":[1,142,41]},{"name":"FPropContainsProp","features":[1,142,41]},{"name":"FPropExists","features":[1,142]},{"name":"FlagList","features":[142]},{"name":"FreePadrlist","features":[1,142,41]},{"name":"FreeProws","features":[1,142,41]},{"name":"FtAddFt","features":[1,142]},{"name":"FtMulDw","features":[1,142]},{"name":"FtMulDwDw","features":[1,142]},{"name":"FtNegFt","features":[1,142]},{"name":"FtSubFt","features":[1,142]},{"name":"FtgRegisterIdleRoutine","features":[1,142]},{"name":"Gender","features":[142]},{"name":"HrAddColumns","features":[142]},{"name":"HrAddColumnsEx","features":[142]},{"name":"HrAllocAdviseSink","features":[1,142,41]},{"name":"HrDispatchNotifications","features":[142]},{"name":"HrGetOneProp","features":[1,142,41]},{"name":"HrIStorageFromStream","features":[142]},{"name":"HrQueryAllRows","features":[1,142,41]},{"name":"HrSetOneProp","features":[1,142,41]},{"name":"HrThisThreadAdviseSink","features":[142]},{"name":"IABContainer","features":[142]},{"name":"IAddrBook","features":[142]},{"name":"IAttach","features":[142]},{"name":"IDistList","features":[142]},{"name":"IMAPIAdviseSink","features":[142]},{"name":"IMAPIContainer","features":[142]},{"name":"IMAPIControl","features":[142]},{"name":"IMAPIFolder","features":[142]},{"name":"IMAPIProgress","features":[142]},{"name":"IMAPIProp","features":[142]},{"name":"IMAPIStatus","features":[142]},{"name":"IMAPITable","features":[142]},{"name":"IMAPI_E_BAD_MULTISESSION_PARAMETER","features":[142]},{"name":"IMAPI_E_BOOT_EMULATION_IMAGE_SIZE_MISMATCH","features":[142]},{"name":"IMAPI_E_BOOT_IMAGE_DATA","features":[142]},{"name":"IMAPI_E_BOOT_OBJECT_CONFLICT","features":[142]},{"name":"IMAPI_E_DATA_STREAM_CREATE_FAILURE","features":[142]},{"name":"IMAPI_E_DATA_STREAM_INCONSISTENCY","features":[142]},{"name":"IMAPI_E_DATA_STREAM_READ_FAILURE","features":[142]},{"name":"IMAPI_E_DATA_TOO_BIG","features":[142]},{"name":"IMAPI_E_DIRECTORY_READ_FAILURE","features":[142]},{"name":"IMAPI_E_DIR_NOT_EMPTY","features":[142]},{"name":"IMAPI_E_DIR_NOT_FOUND","features":[142]},{"name":"IMAPI_E_DISC_MISMATCH","features":[142]},{"name":"IMAPI_E_DUP_NAME","features":[142]},{"name":"IMAPI_E_EMPTY_DISC","features":[142]},{"name":"IMAPI_E_FILE_NOT_FOUND","features":[142]},{"name":"IMAPI_E_FILE_SYSTEM_CHANGE_NOT_ALLOWED","features":[142]},{"name":"IMAPI_E_FILE_SYSTEM_FEATURE_NOT_SUPPORTED","features":[142]},{"name":"IMAPI_E_FILE_SYSTEM_NOT_EMPTY","features":[142]},{"name":"IMAPI_E_FILE_SYSTEM_NOT_FOUND","features":[142]},{"name":"IMAPI_E_FILE_SYSTEM_READ_CONSISTENCY_ERROR","features":[142]},{"name":"IMAPI_E_FSI_INTERNAL_ERROR","features":[142]},{"name":"IMAPI_E_IMAGEMANAGER_IMAGE_NOT_ALIGNED","features":[142]},{"name":"IMAPI_E_IMAGEMANAGER_IMAGE_TOO_BIG","features":[142]},{"name":"IMAPI_E_IMAGEMANAGER_NO_IMAGE","features":[142]},{"name":"IMAPI_E_IMAGEMANAGER_NO_VALID_VD_FOUND","features":[142]},{"name":"IMAPI_E_IMAGE_SIZE_LIMIT","features":[142]},{"name":"IMAPI_E_IMAGE_TOO_BIG","features":[142]},{"name":"IMAPI_E_IMPORT_MEDIA_NOT_ALLOWED","features":[142]},{"name":"IMAPI_E_IMPORT_READ_FAILURE","features":[142]},{"name":"IMAPI_E_IMPORT_SEEK_FAILURE","features":[142]},{"name":"IMAPI_E_IMPORT_TYPE_COLLISION_DIRECTORY_EXISTS_AS_FILE","features":[142]},{"name":"IMAPI_E_IMPORT_TYPE_COLLISION_FILE_EXISTS_AS_DIRECTORY","features":[142]},{"name":"IMAPI_E_INCOMPATIBLE_MULTISESSION_TYPE","features":[142]},{"name":"IMAPI_E_INCOMPATIBLE_PREVIOUS_SESSION","features":[142]},{"name":"IMAPI_E_INVALID_DATE","features":[142]},{"name":"IMAPI_E_INVALID_PARAM","features":[142]},{"name":"IMAPI_E_INVALID_PATH","features":[142]},{"name":"IMAPI_E_INVALID_VOLUME_NAME","features":[142]},{"name":"IMAPI_E_INVALID_WORKING_DIRECTORY","features":[142]},{"name":"IMAPI_E_ISO9660_LEVELS","features":[142]},{"name":"IMAPI_E_ITEM_NOT_FOUND","features":[142]},{"name":"IMAPI_E_MULTISESSION_NOT_SET","features":[142]},{"name":"IMAPI_E_NOT_DIR","features":[142]},{"name":"IMAPI_E_NOT_FILE","features":[142]},{"name":"IMAPI_E_NOT_IN_FILE_SYSTEM","features":[142]},{"name":"IMAPI_E_NO_COMPATIBLE_MULTISESSION_TYPE","features":[142]},{"name":"IMAPI_E_NO_OUTPUT","features":[142]},{"name":"IMAPI_E_NO_SUPPORTED_FILE_SYSTEM","features":[142]},{"name":"IMAPI_E_NO_UNIQUE_NAME","features":[142]},{"name":"IMAPI_E_PROPERTY_NOT_ACCESSIBLE","features":[142]},{"name":"IMAPI_E_READONLY","features":[142]},{"name":"IMAPI_E_RESTRICTED_NAME_VIOLATION","features":[142]},{"name":"IMAPI_E_STASHFILE_MOVE","features":[142]},{"name":"IMAPI_E_STASHFILE_OPEN_FAILURE","features":[142]},{"name":"IMAPI_E_STASHFILE_READ_FAILURE","features":[142]},{"name":"IMAPI_E_STASHFILE_SEEK_FAILURE","features":[142]},{"name":"IMAPI_E_STASHFILE_WRITE_FAILURE","features":[142]},{"name":"IMAPI_E_TOO_MANY_DIRS","features":[142]},{"name":"IMAPI_E_UDF_NOT_WRITE_COMPATIBLE","features":[142]},{"name":"IMAPI_E_UDF_REVISION_CHANGE_NOT_ALLOWED","features":[142]},{"name":"IMAPI_E_WORKING_DIRECTORY_SPACE","features":[142]},{"name":"IMAPI_S_IMAGE_FEATURE_NOT_SUPPORTED","features":[142]},{"name":"IMailUser","features":[142]},{"name":"IMessage","features":[142]},{"name":"IMsgStore","features":[142]},{"name":"IProfSect","features":[142]},{"name":"IPropData","features":[142]},{"name":"IProviderAdmin","features":[142]},{"name":"ITableData","features":[142]},{"name":"IWABExtInit","features":[142]},{"name":"IWABObject","features":[142]},{"name":"LPALLOCATEBUFFER","features":[142]},{"name":"LPALLOCATEMORE","features":[142]},{"name":"LPCREATECONVERSATIONINDEX","features":[142]},{"name":"LPDISPATCHNOTIFICATIONS","features":[142]},{"name":"LPFNABSDI","features":[1,142]},{"name":"LPFNBUTTON","features":[142]},{"name":"LPFNDISMISS","features":[142]},{"name":"LPFREEBUFFER","features":[142]},{"name":"LPNOTIFCALLBACK","features":[1,142,41]},{"name":"LPOPENSTREAMONFILE","features":[142]},{"name":"LPWABACTIONITEM","features":[142]},{"name":"LPWABALLOCATEBUFFER","features":[142]},{"name":"LPWABALLOCATEMORE","features":[142]},{"name":"LPWABFREEBUFFER","features":[142]},{"name":"LPWABOPEN","features":[1,142]},{"name":"LPWABOPENEX","features":[1,142]},{"name":"LPropCompareProp","features":[1,142,41]},{"name":"LpValFindProp","features":[1,142,41]},{"name":"MAPIDeinitIdle","features":[142]},{"name":"MAPIERROR","features":[142]},{"name":"MAPIGetDefaultMalloc","features":[142]},{"name":"MAPIInitIdle","features":[142]},{"name":"MAPINAMEID","features":[142]},{"name":"MAPIUID","features":[142]},{"name":"MAPI_COMPOUND","features":[142]},{"name":"MAPI_DIM","features":[142]},{"name":"MAPI_ERROR_VERSION","features":[142]},{"name":"MAPI_E_CALL_FAILED","features":[142]},{"name":"MAPI_E_INTERFACE_NOT_SUPPORTED","features":[142]},{"name":"MAPI_E_INVALID_PARAMETER","features":[142]},{"name":"MAPI_E_NOT_ENOUGH_MEMORY","features":[142]},{"name":"MAPI_E_NO_ACCESS","features":[142]},{"name":"MAPI_NOTRECIP","features":[142]},{"name":"MAPI_NOTRESERVED","features":[142]},{"name":"MAPI_NOW","features":[142]},{"name":"MAPI_ONE_OFF_NO_RICH_INFO","features":[142]},{"name":"MAPI_P1","features":[142]},{"name":"MAPI_SHORTTERM","features":[142]},{"name":"MAPI_SUBMITTED","features":[142]},{"name":"MAPI_THISSESSION","features":[142]},{"name":"MAPI_USE_DEFAULT","features":[142]},{"name":"MNID_ID","features":[142]},{"name":"MNID_STRING","features":[142]},{"name":"MTSID","features":[142]},{"name":"MV_FLAG","features":[142]},{"name":"MV_INSTANCE","features":[142]},{"name":"NEWMAIL_NOTIFICATION","features":[142]},{"name":"NOTIFICATION","features":[1,142,41]},{"name":"NOTIFKEY","features":[142]},{"name":"OBJECT_NOTIFICATION","features":[142]},{"name":"OPENSTREAMONFILE","features":[142]},{"name":"OpenStreamOnFile","features":[142]},{"name":"PFNIDLE","features":[1,142]},{"name":"PRIHIGHEST","features":[142]},{"name":"PRILOWEST","features":[142]},{"name":"PRIUSER","features":[142]},{"name":"PROP_ID_INVALID","features":[142]},{"name":"PROP_ID_NULL","features":[142]},{"name":"PROP_ID_SECURE_MAX","features":[142]},{"name":"PROP_ID_SECURE_MIN","features":[142]},{"name":"PpropFindProp","features":[1,142,41]},{"name":"PropCopyMore","features":[1,142,41]},{"name":"RTFSync","features":[1,142]},{"name":"SAndRestriction","features":[1,142,41]},{"name":"SAppTimeArray","features":[142]},{"name":"SBinary","features":[142]},{"name":"SBinaryArray","features":[142]},{"name":"SBitMaskRestriction","features":[142]},{"name":"SCommentRestriction","features":[1,142,41]},{"name":"SComparePropsRestriction","features":[142]},{"name":"SContentRestriction","features":[1,142,41]},{"name":"SCurrencyArray","features":[142,41]},{"name":"SDateTimeArray","features":[1,142]},{"name":"SDoubleArray","features":[142]},{"name":"SERVICE_UI_ALLOWED","features":[142]},{"name":"SERVICE_UI_ALWAYS","features":[142]},{"name":"SExistRestriction","features":[142]},{"name":"SGuidArray","features":[142]},{"name":"SLPSTRArray","features":[142]},{"name":"SLargeIntegerArray","features":[142]},{"name":"SLongArray","features":[142]},{"name":"SNotRestriction","features":[1,142,41]},{"name":"SOrRestriction","features":[1,142,41]},{"name":"SPropProblem","features":[142]},{"name":"SPropProblemArray","features":[142]},{"name":"SPropTagArray","features":[142]},{"name":"SPropValue","features":[1,142,41]},{"name":"SPropertyRestriction","features":[1,142,41]},{"name":"SRealArray","features":[142]},{"name":"SRestriction","features":[1,142,41]},{"name":"SRow","features":[1,142,41]},{"name":"SRowSet","features":[1,142,41]},{"name":"SShortArray","features":[142]},{"name":"SSizeRestriction","features":[142]},{"name":"SSortOrder","features":[142]},{"name":"SSortOrderSet","features":[142]},{"name":"SSubRestriction","features":[1,142,41]},{"name":"STATUS_OBJECT_NOTIFICATION","features":[1,142,41]},{"name":"SWStringArray","features":[142]},{"name":"S_IMAPI_BOTHADJUSTED","features":[142]},{"name":"S_IMAPI_COMMAND_HAS_SENSE_DATA","features":[142]},{"name":"S_IMAPI_RAW_IMAGE_TRACK_INDEX_ALREADY_EXISTS","features":[142]},{"name":"S_IMAPI_ROTATIONADJUSTED","features":[142]},{"name":"S_IMAPI_SPEEDADJUSTED","features":[142]},{"name":"S_IMAPI_WRITE_NOT_IN_PROGRESS","features":[142]},{"name":"ScCopyNotifications","features":[1,142,41]},{"name":"ScCopyProps","features":[1,142,41]},{"name":"ScCountNotifications","features":[1,142,41]},{"name":"ScCountProps","features":[1,142,41]},{"name":"ScCreateConversationIndex","features":[142]},{"name":"ScDupPropset","features":[1,142,41]},{"name":"ScInitMapiUtil","features":[142]},{"name":"ScLocalPathFromUNC","features":[142]},{"name":"ScRelocNotifications","features":[1,142,41]},{"name":"ScRelocProps","features":[1,142,41]},{"name":"ScUNCFromLocalPath","features":[142]},{"name":"SzFindCh","features":[142]},{"name":"SzFindLastCh","features":[142]},{"name":"SzFindSz","features":[142]},{"name":"TABLE_CHANGED","features":[142]},{"name":"TABLE_ERROR","features":[142]},{"name":"TABLE_NOTIFICATION","features":[1,142,41]},{"name":"TABLE_RELOAD","features":[142]},{"name":"TABLE_RESTRICT_DONE","features":[142]},{"name":"TABLE_ROW_ADDED","features":[142]},{"name":"TABLE_ROW_DELETED","features":[142]},{"name":"TABLE_ROW_MODIFIED","features":[142]},{"name":"TABLE_SETCOL_DONE","features":[142]},{"name":"TABLE_SORT_DONE","features":[142]},{"name":"TAD_ALL_ROWS","features":[142]},{"name":"UFromSz","features":[142]},{"name":"UI_CURRENT_PROVIDER_FIRST","features":[142]},{"name":"UI_SERVICE","features":[142]},{"name":"UlAddRef","features":[142]},{"name":"UlPropSize","features":[1,142,41]},{"name":"UlRelease","features":[142]},{"name":"WABEXTDISPLAY","features":[1,142]},{"name":"WABIMPORTPARAM","features":[1,142]},{"name":"WABOBJECT_LDAPURL_RETURN_MAILUSER","features":[142]},{"name":"WABOBJECT_ME_NEW","features":[142]},{"name":"WABOBJECT_ME_NOCREATE","features":[142]},{"name":"WAB_CONTEXT_ADRLIST","features":[142]},{"name":"WAB_DISPLAY_ISNTDS","features":[142]},{"name":"WAB_DISPLAY_LDAPURL","features":[142]},{"name":"WAB_DLL_NAME","features":[142]},{"name":"WAB_DLL_PATH_KEY","features":[142]},{"name":"WAB_ENABLE_PROFILES","features":[142]},{"name":"WAB_IGNORE_PROFILES","features":[142]},{"name":"WAB_LOCAL_CONTAINERS","features":[142]},{"name":"WAB_PARAM","features":[1,142]},{"name":"WAB_PROFILE_CONTENTS","features":[142]},{"name":"WAB_USE_OE_SENDMAIL","features":[142]},{"name":"WAB_VCARD_FILE","features":[142]},{"name":"WAB_VCARD_STREAM","features":[142]},{"name":"WrapCompressedRTFStream","features":[142]},{"name":"WrapStoreEntryID","features":[142]},{"name":"__UPV","features":[1,142,41]},{"name":"cchProfileNameMax","features":[142]},{"name":"cchProfilePassMax","features":[142]},{"name":"fMapiUnicode","features":[142]},{"name":"genderFemale","features":[142]},{"name":"genderMale","features":[142]},{"name":"genderUnspecified","features":[142]},{"name":"hrSuccess","features":[142]},{"name":"szHrDispatchNotifications","features":[142]},{"name":"szMAPINotificationMsg","features":[142]},{"name":"szScCreateConversationIndex","features":[142]}],"529":[{"name":"AMSI_ATTRIBUTE","features":[151]},{"name":"AMSI_ATTRIBUTE_ALL_ADDRESS","features":[151]},{"name":"AMSI_ATTRIBUTE_ALL_SIZE","features":[151]},{"name":"AMSI_ATTRIBUTE_APP_NAME","features":[151]},{"name":"AMSI_ATTRIBUTE_CONTENT_ADDRESS","features":[151]},{"name":"AMSI_ATTRIBUTE_CONTENT_NAME","features":[151]},{"name":"AMSI_ATTRIBUTE_CONTENT_SIZE","features":[151]},{"name":"AMSI_ATTRIBUTE_QUIET","features":[151]},{"name":"AMSI_ATTRIBUTE_REDIRECT_CHAIN_ADDRESS","features":[151]},{"name":"AMSI_ATTRIBUTE_REDIRECT_CHAIN_SIZE","features":[151]},{"name":"AMSI_ATTRIBUTE_SESSION","features":[151]},{"name":"AMSI_RESULT","features":[151]},{"name":"AMSI_RESULT_BLOCKED_BY_ADMIN_END","features":[151]},{"name":"AMSI_RESULT_BLOCKED_BY_ADMIN_START","features":[151]},{"name":"AMSI_RESULT_CLEAN","features":[151]},{"name":"AMSI_RESULT_DETECTED","features":[151]},{"name":"AMSI_RESULT_NOT_DETECTED","features":[151]},{"name":"AMSI_UAC_MSI_ACTION","features":[151]},{"name":"AMSI_UAC_MSI_ACTION_INSTALL","features":[151]},{"name":"AMSI_UAC_MSI_ACTION_MAINTENANCE","features":[151]},{"name":"AMSI_UAC_MSI_ACTION_MAX","features":[151]},{"name":"AMSI_UAC_MSI_ACTION_UNINSTALL","features":[151]},{"name":"AMSI_UAC_MSI_ACTION_UPDATE","features":[151]},{"name":"AMSI_UAC_REQUEST_AX_INFO","features":[151]},{"name":"AMSI_UAC_REQUEST_COM_INFO","features":[151]},{"name":"AMSI_UAC_REQUEST_CONTEXT","features":[1,151]},{"name":"AMSI_UAC_REQUEST_EXE_INFO","features":[151]},{"name":"AMSI_UAC_REQUEST_MSI_INFO","features":[151]},{"name":"AMSI_UAC_REQUEST_PACKAGED_APP_INFO","features":[151]},{"name":"AMSI_UAC_REQUEST_TYPE","features":[151]},{"name":"AMSI_UAC_REQUEST_TYPE_AX","features":[151]},{"name":"AMSI_UAC_REQUEST_TYPE_COM","features":[151]},{"name":"AMSI_UAC_REQUEST_TYPE_EXE","features":[151]},{"name":"AMSI_UAC_REQUEST_TYPE_MAX","features":[151]},{"name":"AMSI_UAC_REQUEST_TYPE_MSI","features":[151]},{"name":"AMSI_UAC_REQUEST_TYPE_PACKAGED_APP","features":[151]},{"name":"AMSI_UAC_TRUST_STATE","features":[151]},{"name":"AMSI_UAC_TRUST_STATE_BLOCKED","features":[151]},{"name":"AMSI_UAC_TRUST_STATE_MAX","features":[151]},{"name":"AMSI_UAC_TRUST_STATE_TRUSTED","features":[151]},{"name":"AMSI_UAC_TRUST_STATE_UNTRUSTED","features":[151]},{"name":"AmsiCloseSession","features":[151]},{"name":"AmsiInitialize","features":[151]},{"name":"AmsiNotifyOperation","features":[151]},{"name":"AmsiOpenSession","features":[151]},{"name":"AmsiScanBuffer","features":[151]},{"name":"AmsiScanString","features":[151]},{"name":"AmsiUninitialize","features":[151]},{"name":"CAntimalware","features":[151]},{"name":"HAMSICONTEXT","features":[151]},{"name":"HAMSISESSION","features":[151]},{"name":"IAmsiStream","features":[151]},{"name":"IAntimalware","features":[151]},{"name":"IAntimalware2","features":[151]},{"name":"IAntimalwareProvider","features":[151]},{"name":"IAntimalwareProvider2","features":[151]},{"name":"IAntimalwareUacProvider","features":[151]},{"name":"InstallELAMCertificateInfo","features":[1,151]}],"530":[{"name":"ACTCTXA","features":[1,152]},{"name":"ACTCTXW","features":[1,152]},{"name":"ACTCTX_COMPATIBILITY_ELEMENT_TYPE","features":[152]},{"name":"ACTCTX_COMPATIBILITY_ELEMENT_TYPE_MAXVERSIONTESTED","features":[152]},{"name":"ACTCTX_COMPATIBILITY_ELEMENT_TYPE_MITIGATION","features":[152]},{"name":"ACTCTX_COMPATIBILITY_ELEMENT_TYPE_OS","features":[152]},{"name":"ACTCTX_COMPATIBILITY_ELEMENT_TYPE_UNKNOWN","features":[152]},{"name":"ACTCTX_REQUESTED_RUN_LEVEL","features":[152]},{"name":"ACTCTX_RUN_LEVEL_AS_INVOKER","features":[152]},{"name":"ACTCTX_RUN_LEVEL_HIGHEST_AVAILABLE","features":[152]},{"name":"ACTCTX_RUN_LEVEL_NUMBERS","features":[152]},{"name":"ACTCTX_RUN_LEVEL_REQUIRE_ADMIN","features":[152]},{"name":"ACTCTX_RUN_LEVEL_UNSPECIFIED","features":[152]},{"name":"ACTCTX_SECTION_KEYED_DATA","features":[1,152,34]},{"name":"ACTIVATION_CONTEXT_ASSEMBLY_DETAILED_INFORMATION","features":[152]},{"name":"ACTIVATION_CONTEXT_COMPATIBILITY_INFORMATION","features":[152]},{"name":"ACTIVATION_CONTEXT_DETAILED_INFORMATION","features":[152]},{"name":"ACTIVATION_CONTEXT_QUERY_INDEX","features":[152]},{"name":"ACTIVATION_CONTEXT_RUN_LEVEL_INFORMATION","features":[152]},{"name":"ADVERTISEFLAGS","features":[152]},{"name":"ADVERTISEFLAGS_MACHINEASSIGN","features":[152]},{"name":"ADVERTISEFLAGS_USERASSIGN","features":[152]},{"name":"APPLY_OPTION_FAIL_IF_CLOSE","features":[152]},{"name":"APPLY_OPTION_FAIL_IF_EXACT","features":[152]},{"name":"APPLY_OPTION_TEST_ONLY","features":[152]},{"name":"APPLY_OPTION_VALID_FLAGS","features":[152]},{"name":"ASM_BINDF_BINPATH_PROBE_ONLY","features":[152]},{"name":"ASM_BINDF_FORCE_CACHE_INSTALL","features":[152]},{"name":"ASM_BINDF_PARENT_ASM_HINT","features":[152]},{"name":"ASM_BINDF_RFS_INTEGRITY_CHECK","features":[152]},{"name":"ASM_BINDF_RFS_MODULE_CHECK","features":[152]},{"name":"ASM_BINDF_SHARED_BINPATH_HINT","features":[152]},{"name":"ASM_BIND_FLAGS","features":[152]},{"name":"ASM_CMPF_ALL","features":[152]},{"name":"ASM_CMPF_BUILD_NUMBER","features":[152]},{"name":"ASM_CMPF_CULTURE","features":[152]},{"name":"ASM_CMPF_CUSTOM","features":[152]},{"name":"ASM_CMPF_DEFAULT","features":[152]},{"name":"ASM_CMPF_MAJOR_VERSION","features":[152]},{"name":"ASM_CMPF_MINOR_VERSION","features":[152]},{"name":"ASM_CMPF_NAME","features":[152]},{"name":"ASM_CMPF_PUBLIC_KEY_TOKEN","features":[152]},{"name":"ASM_CMPF_REVISION_NUMBER","features":[152]},{"name":"ASM_CMP_FLAGS","features":[152]},{"name":"ASM_DISPLAYF_CULTURE","features":[152]},{"name":"ASM_DISPLAYF_CUSTOM","features":[152]},{"name":"ASM_DISPLAYF_LANGUAGEID","features":[152]},{"name":"ASM_DISPLAYF_PROCESSORARCHITECTURE","features":[152]},{"name":"ASM_DISPLAYF_PUBLIC_KEY","features":[152]},{"name":"ASM_DISPLAYF_PUBLIC_KEY_TOKEN","features":[152]},{"name":"ASM_DISPLAYF_VERSION","features":[152]},{"name":"ASM_DISPLAY_FLAGS","features":[152]},{"name":"ASM_NAME","features":[152]},{"name":"ASM_NAME_ALIAS","features":[152]},{"name":"ASM_NAME_BUILD_NUMBER","features":[152]},{"name":"ASM_NAME_CODEBASE_LASTMOD","features":[152]},{"name":"ASM_NAME_CODEBASE_URL","features":[152]},{"name":"ASM_NAME_CULTURE","features":[152]},{"name":"ASM_NAME_CUSTOM","features":[152]},{"name":"ASM_NAME_HASH_ALGID","features":[152]},{"name":"ASM_NAME_HASH_VALUE","features":[152]},{"name":"ASM_NAME_MAJOR_VERSION","features":[152]},{"name":"ASM_NAME_MAX_PARAMS","features":[152]},{"name":"ASM_NAME_MINOR_VERSION","features":[152]},{"name":"ASM_NAME_MVID","features":[152]},{"name":"ASM_NAME_NAME","features":[152]},{"name":"ASM_NAME_NULL_CUSTOM","features":[152]},{"name":"ASM_NAME_NULL_PUBLIC_KEY","features":[152]},{"name":"ASM_NAME_NULL_PUBLIC_KEY_TOKEN","features":[152]},{"name":"ASM_NAME_OSINFO_ARRAY","features":[152]},{"name":"ASM_NAME_PROCESSOR_ID_ARRAY","features":[152]},{"name":"ASM_NAME_PUBLIC_KEY","features":[152]},{"name":"ASM_NAME_PUBLIC_KEY_TOKEN","features":[152]},{"name":"ASM_NAME_REVISION_NUMBER","features":[152]},{"name":"ASSEMBLYINFO_FLAG_INSTALLED","features":[152]},{"name":"ASSEMBLYINFO_FLAG_PAYLOADRESIDENT","features":[152]},{"name":"ASSEMBLY_FILE_DETAILED_INFORMATION","features":[152]},{"name":"ASSEMBLY_INFO","features":[152]},{"name":"ActivateActCtx","features":[1,152]},{"name":"AddRefActCtx","features":[1,152]},{"name":"ApplyDeltaA","features":[1,152]},{"name":"ApplyDeltaB","features":[1,152]},{"name":"ApplyDeltaGetReverseB","features":[1,152]},{"name":"ApplyDeltaProvidedB","features":[1,152]},{"name":"ApplyDeltaW","features":[1,152]},{"name":"ApplyPatchToFileA","features":[1,152]},{"name":"ApplyPatchToFileByBuffers","features":[1,152]},{"name":"ApplyPatchToFileByHandles","features":[1,152]},{"name":"ApplyPatchToFileByHandlesEx","features":[1,152]},{"name":"ApplyPatchToFileExA","features":[1,152]},{"name":"ApplyPatchToFileExW","features":[1,152]},{"name":"ApplyPatchToFileW","features":[1,152]},{"name":"CANOF_PARSE_DISPLAY_NAME","features":[152]},{"name":"CANOF_SET_DEFAULT_VALUES","features":[152]},{"name":"CLSID_EvalCom2","features":[152]},{"name":"CLSID_MsmMerge2","features":[152]},{"name":"COMPATIBILITY_CONTEXT_ELEMENT","features":[152]},{"name":"CREATE_ASM_NAME_OBJ_FLAGS","features":[152]},{"name":"CreateActCtxA","features":[1,152]},{"name":"CreateActCtxW","features":[1,152]},{"name":"CreateDeltaA","features":[1,68,152]},{"name":"CreateDeltaB","features":[1,68,152]},{"name":"CreateDeltaW","features":[1,68,152]},{"name":"CreatePatchFileA","features":[1,152]},{"name":"CreatePatchFileByHandles","features":[1,152]},{"name":"CreatePatchFileByHandlesEx","features":[1,152]},{"name":"CreatePatchFileExA","features":[1,152]},{"name":"CreatePatchFileExW","features":[1,152]},{"name":"CreatePatchFileW","features":[1,152]},{"name":"DEFAULT_DISK_ID","features":[152]},{"name":"DEFAULT_FILE_SEQUENCE_START","features":[152]},{"name":"DEFAULT_MINIMUM_REQUIRED_MSI_VERSION","features":[152]},{"name":"DELTA_HASH","features":[152]},{"name":"DELTA_HEADER_INFO","features":[1,68,152]},{"name":"DELTA_INPUT","features":[1,152]},{"name":"DELTA_MAX_HASH_SIZE","features":[152]},{"name":"DELTA_OUTPUT","features":[152]},{"name":"DeactivateActCtx","features":[1,152]},{"name":"DeltaFree","features":[1,152]},{"name":"DeltaNormalizeProvidedB","features":[1,152]},{"name":"ERROR_PATCH_BIGGER_THAN_COMPRESSED","features":[152]},{"name":"ERROR_PATCH_CORRUPT","features":[152]},{"name":"ERROR_PATCH_DECODE_FAILURE","features":[152]},{"name":"ERROR_PATCH_ENCODE_FAILURE","features":[152]},{"name":"ERROR_PATCH_IMAGEHLP_FAILURE","features":[152]},{"name":"ERROR_PATCH_INVALID_OPTIONS","features":[152]},{"name":"ERROR_PATCH_NEWER_FORMAT","features":[152]},{"name":"ERROR_PATCH_NOT_AVAILABLE","features":[152]},{"name":"ERROR_PATCH_NOT_NECESSARY","features":[152]},{"name":"ERROR_PATCH_RETAIN_RANGES_DIFFER","features":[152]},{"name":"ERROR_PATCH_SAME_FILE","features":[152]},{"name":"ERROR_PATCH_WRONG_FILE","features":[152]},{"name":"ERROR_PCW_BAD_API_PATCHING_SYMBOL_FLAGS","features":[152]},{"name":"ERROR_PCW_BAD_FAMILY_RANGE_NAME","features":[152]},{"name":"ERROR_PCW_BAD_FILE_SEQUENCE_START","features":[152]},{"name":"ERROR_PCW_BAD_GUIDS_TO_REPLACE","features":[152]},{"name":"ERROR_PCW_BAD_IMAGE_FAMILY_DISKID","features":[152]},{"name":"ERROR_PCW_BAD_IMAGE_FAMILY_FILESEQSTART","features":[152]},{"name":"ERROR_PCW_BAD_IMAGE_FAMILY_NAME","features":[152]},{"name":"ERROR_PCW_BAD_IMAGE_FAMILY_SRC_PROP","features":[152]},{"name":"ERROR_PCW_BAD_MAJOR_VERSION","features":[152]},{"name":"ERROR_PCW_BAD_PATCH_GUID","features":[152]},{"name":"ERROR_PCW_BAD_PRODUCTVERSION_VALIDATION","features":[152]},{"name":"ERROR_PCW_BAD_SEQUENCE","features":[152]},{"name":"ERROR_PCW_BAD_SUPERCEDENCE","features":[152]},{"name":"ERROR_PCW_BAD_TARGET","features":[152]},{"name":"ERROR_PCW_BAD_TARGET_IMAGE_NAME","features":[152]},{"name":"ERROR_PCW_BAD_TARGET_IMAGE_PRODUCT_CODE","features":[152]},{"name":"ERROR_PCW_BAD_TARGET_IMAGE_PRODUCT_VERSION","features":[152]},{"name":"ERROR_PCW_BAD_TARGET_IMAGE_UPGRADED","features":[152]},{"name":"ERROR_PCW_BAD_TARGET_IMAGE_UPGRADE_CODE","features":[152]},{"name":"ERROR_PCW_BAD_TARGET_PRODUCT_CODE_LIST","features":[152]},{"name":"ERROR_PCW_BAD_TGT_UPD_IMAGES","features":[152]},{"name":"ERROR_PCW_BAD_TRANSFORMSET","features":[152]},{"name":"ERROR_PCW_BAD_UPGRADED_IMAGE_FAMILY","features":[152]},{"name":"ERROR_PCW_BAD_UPGRADED_IMAGE_NAME","features":[152]},{"name":"ERROR_PCW_BAD_UPGRADED_IMAGE_PRODUCT_CODE","features":[152]},{"name":"ERROR_PCW_BAD_UPGRADED_IMAGE_PRODUCT_VERSION","features":[152]},{"name":"ERROR_PCW_BAD_UPGRADED_IMAGE_UPGRADE_CODE","features":[152]},{"name":"ERROR_PCW_BAD_VERSION_STRING","features":[152]},{"name":"ERROR_PCW_BASE","features":[152]},{"name":"ERROR_PCW_CANNOT_CREATE_TABLE","features":[152]},{"name":"ERROR_PCW_CANNOT_RUN_MAKECAB","features":[152]},{"name":"ERROR_PCW_CANNOT_WRITE_DDF","features":[152]},{"name":"ERROR_PCW_CANT_COPY_FILE_TO_TEMP_FOLDER","features":[152]},{"name":"ERROR_PCW_CANT_CREATE_ONE_PATCH_FILE","features":[152]},{"name":"ERROR_PCW_CANT_CREATE_PATCH_FILE","features":[152]},{"name":"ERROR_PCW_CANT_CREATE_SUMMARY_INFO","features":[152]},{"name":"ERROR_PCW_CANT_CREATE_SUMMARY_INFO_POUND","features":[152]},{"name":"ERROR_PCW_CANT_CREATE_TEMP_FOLDER","features":[152]},{"name":"ERROR_PCW_CANT_DELETE_TEMP_FOLDER","features":[152]},{"name":"ERROR_PCW_CANT_GENERATE_SEQUENCEINFO_MAJORUPGD","features":[152]},{"name":"ERROR_PCW_CANT_GENERATE_TRANSFORM","features":[152]},{"name":"ERROR_PCW_CANT_GENERATE_TRANSFORM_POUND","features":[152]},{"name":"ERROR_PCW_CANT_OVERWRITE_PATCH","features":[152]},{"name":"ERROR_PCW_CANT_READ_FILE","features":[152]},{"name":"ERROR_PCW_CREATEFILE_LOG_FAILED","features":[152]},{"name":"ERROR_PCW_DUPLICATE_SEQUENCE_RECORD","features":[152]},{"name":"ERROR_PCW_DUP_IMAGE_FAMILY_NAME","features":[152]},{"name":"ERROR_PCW_DUP_TARGET_IMAGE_NAME","features":[152]},{"name":"ERROR_PCW_DUP_TARGET_IMAGE_PACKCODE","features":[152]},{"name":"ERROR_PCW_DUP_UPGRADED_IMAGE_NAME","features":[152]},{"name":"ERROR_PCW_DUP_UPGRADED_IMAGE_PACKCODE","features":[152]},{"name":"ERROR_PCW_ERROR_WRITING_TO_LOG","features":[152]},{"name":"ERROR_PCW_EXECUTE_VIEW","features":[152]},{"name":"ERROR_PCW_EXTFILE_BAD_FAMILY_FIELD","features":[152]},{"name":"ERROR_PCW_EXTFILE_BAD_IGNORE_LENGTHS","features":[152]},{"name":"ERROR_PCW_EXTFILE_BAD_IGNORE_OFFSETS","features":[152]},{"name":"ERROR_PCW_EXTFILE_BAD_RETAIN_OFFSETS","features":[152]},{"name":"ERROR_PCW_EXTFILE_BLANK_FILE_TABLE_KEY","features":[152]},{"name":"ERROR_PCW_EXTFILE_BLANK_PATH_TO_FILE","features":[152]},{"name":"ERROR_PCW_EXTFILE_IGNORE_COUNT_MISMATCH","features":[152]},{"name":"ERROR_PCW_EXTFILE_LONG_FILE_TABLE_KEY","features":[152]},{"name":"ERROR_PCW_EXTFILE_LONG_IGNORE_LENGTHS","features":[152]},{"name":"ERROR_PCW_EXTFILE_LONG_IGNORE_OFFSETS","features":[152]},{"name":"ERROR_PCW_EXTFILE_LONG_PATH_TO_FILE","features":[152]},{"name":"ERROR_PCW_EXTFILE_LONG_RETAIN_OFFSETS","features":[152]},{"name":"ERROR_PCW_EXTFILE_MISSING_FILE","features":[152]},{"name":"ERROR_PCW_FAILED_CREATE_TRANSFORM","features":[152]},{"name":"ERROR_PCW_FAILED_EXPAND_PATH","features":[152]},{"name":"ERROR_PCW_FAMILY_RANGE_BAD_RETAIN_LENGTHS","features":[152]},{"name":"ERROR_PCW_FAMILY_RANGE_BAD_RETAIN_OFFSETS","features":[152]},{"name":"ERROR_PCW_FAMILY_RANGE_BLANK_FILE_TABLE_KEY","features":[152]},{"name":"ERROR_PCW_FAMILY_RANGE_BLANK_RETAIN_LENGTHS","features":[152]},{"name":"ERROR_PCW_FAMILY_RANGE_BLANK_RETAIN_OFFSETS","features":[152]},{"name":"ERROR_PCW_FAMILY_RANGE_COUNT_MISMATCH","features":[152]},{"name":"ERROR_PCW_FAMILY_RANGE_LONG_FILE_TABLE_KEY","features":[152]},{"name":"ERROR_PCW_FAMILY_RANGE_LONG_RETAIN_LENGTHS","features":[152]},{"name":"ERROR_PCW_FAMILY_RANGE_LONG_RETAIN_OFFSETS","features":[152]},{"name":"ERROR_PCW_FAMILY_RANGE_NAME_TOO_LONG","features":[152]},{"name":"ERROR_PCW_IMAGE_FAMILY_NAME_TOO_LONG","features":[152]},{"name":"ERROR_PCW_IMAGE_PATH_NOT_EXIST","features":[152]},{"name":"ERROR_PCW_INTERNAL_ERROR","features":[152]},{"name":"ERROR_PCW_INVALID_LOG_LEVEL","features":[152]},{"name":"ERROR_PCW_INVALID_MAJOR_VERSION","features":[152]},{"name":"ERROR_PCW_INVALID_PARAMETER","features":[152]},{"name":"ERROR_PCW_INVALID_PATCHMETADATA_PROP","features":[152]},{"name":"ERROR_PCW_INVALID_PATCH_TYPE_SEQUENCING","features":[152]},{"name":"ERROR_PCW_INVALID_PCP_EXTERNALFILES","features":[152]},{"name":"ERROR_PCW_INVALID_PCP_FAMILYFILERANGES","features":[152]},{"name":"ERROR_PCW_INVALID_PCP_IMAGEFAMILIES","features":[152]},{"name":"ERROR_PCW_INVALID_PCP_PATCHSEQUENCE","features":[152]},{"name":"ERROR_PCW_INVALID_PCP_PROPERTIES","features":[152]},{"name":"ERROR_PCW_INVALID_PCP_PROPERTY","features":[152]},{"name":"ERROR_PCW_INVALID_PCP_TARGETFILES_OPTIONALDATA","features":[152]},{"name":"ERROR_PCW_INVALID_PCP_TARGETIMAGES","features":[152]},{"name":"ERROR_PCW_INVALID_PCP_UPGRADEDFILESTOIGNORE","features":[152]},{"name":"ERROR_PCW_INVALID_PCP_UPGRADEDFILES_OPTIONALDATA","features":[152]},{"name":"ERROR_PCW_INVALID_PCP_UPGRADEDIMAGES","features":[152]},{"name":"ERROR_PCW_INVALID_RANGE_ELEMENT","features":[152]},{"name":"ERROR_PCW_INVALID_SUPERCEDENCE","features":[152]},{"name":"ERROR_PCW_INVALID_SUPERSEDENCE_VALUE","features":[152]},{"name":"ERROR_PCW_INVALID_UI_LEVEL","features":[152]},{"name":"ERROR_PCW_LAX_VALIDATION_FLAGS","features":[152]},{"name":"ERROR_PCW_MAJOR_UPGD_WITHOUT_SEQUENCING","features":[152]},{"name":"ERROR_PCW_MATCHED_PRODUCT_VERSIONS","features":[152]},{"name":"ERROR_PCW_MISMATCHED_PRODUCT_CODES","features":[152]},{"name":"ERROR_PCW_MISMATCHED_PRODUCT_VERSIONS","features":[152]},{"name":"ERROR_PCW_MISSING_DIRECTORY_TABLE","features":[152]},{"name":"ERROR_PCW_MISSING_PATCHMETADATA","features":[152]},{"name":"ERROR_PCW_MISSING_PATCH_GUID","features":[152]},{"name":"ERROR_PCW_MISSING_PATCH_PATH","features":[152]},{"name":"ERROR_PCW_NO_UPGRADED_IMAGES_TO_PATCH","features":[152]},{"name":"ERROR_PCW_NULL_PATCHFAMILY","features":[152]},{"name":"ERROR_PCW_NULL_SEQUENCE_NUMBER","features":[152]},{"name":"ERROR_PCW_OBSOLETION_WITH_MSI30","features":[152]},{"name":"ERROR_PCW_OBSOLETION_WITH_PATCHSEQUENCE","features":[152]},{"name":"ERROR_PCW_OBSOLETION_WITH_SEQUENCE_DATA","features":[152]},{"name":"ERROR_PCW_OODS_COPYING_MSI","features":[152]},{"name":"ERROR_PCW_OPEN_VIEW","features":[152]},{"name":"ERROR_PCW_OUT_OF_MEMORY","features":[152]},{"name":"ERROR_PCW_PATCHMETADATA_PROP_NOT_SET","features":[152]},{"name":"ERROR_PCW_PCP_BAD_FORMAT","features":[152]},{"name":"ERROR_PCW_PCP_DOESNT_EXIST","features":[152]},{"name":"ERROR_PCW_SEQUENCING_BAD_TARGET","features":[152]},{"name":"ERROR_PCW_TARGET_BAD_PROD_CODE_VAL","features":[152]},{"name":"ERROR_PCW_TARGET_BAD_PROD_VALIDATE","features":[152]},{"name":"ERROR_PCW_TARGET_IMAGE_COMPRESSED","features":[152]},{"name":"ERROR_PCW_TARGET_IMAGE_NAME_TOO_LONG","features":[152]},{"name":"ERROR_PCW_TARGET_IMAGE_PATH_EMPTY","features":[152]},{"name":"ERROR_PCW_TARGET_IMAGE_PATH_NOT_EXIST","features":[152]},{"name":"ERROR_PCW_TARGET_IMAGE_PATH_NOT_MSI","features":[152]},{"name":"ERROR_PCW_TARGET_IMAGE_PATH_TOO_LONG","features":[152]},{"name":"ERROR_PCW_TARGET_MISSING_SRC_FILES","features":[152]},{"name":"ERROR_PCW_TARGET_WRONG_PRODUCT_VERSION_COMP","features":[152]},{"name":"ERROR_PCW_TFILEDATA_BAD_IGNORE_LENGTHS","features":[152]},{"name":"ERROR_PCW_TFILEDATA_BAD_IGNORE_OFFSETS","features":[152]},{"name":"ERROR_PCW_TFILEDATA_BAD_RETAIN_OFFSETS","features":[152]},{"name":"ERROR_PCW_TFILEDATA_BAD_TARGET_FIELD","features":[152]},{"name":"ERROR_PCW_TFILEDATA_BLANK_FILE_TABLE_KEY","features":[152]},{"name":"ERROR_PCW_TFILEDATA_IGNORE_COUNT_MISMATCH","features":[152]},{"name":"ERROR_PCW_TFILEDATA_LONG_FILE_TABLE_KEY","features":[152]},{"name":"ERROR_PCW_TFILEDATA_LONG_IGNORE_LENGTHS","features":[152]},{"name":"ERROR_PCW_TFILEDATA_LONG_IGNORE_OFFSETS","features":[152]},{"name":"ERROR_PCW_TFILEDATA_LONG_RETAIN_OFFSETS","features":[152]},{"name":"ERROR_PCW_TFILEDATA_MISSING_FILE_TABLE_KEY","features":[152]},{"name":"ERROR_PCW_UFILEDATA_BAD_UPGRADED_FIELD","features":[152]},{"name":"ERROR_PCW_UFILEDATA_BLANK_FILE_TABLE_KEY","features":[152]},{"name":"ERROR_PCW_UFILEDATA_LONG_FILE_TABLE_KEY","features":[152]},{"name":"ERROR_PCW_UFILEDATA_MISSING_FILE_TABLE_KEY","features":[152]},{"name":"ERROR_PCW_UFILEIGNORE_BAD_FILE_TABLE_KEY","features":[152]},{"name":"ERROR_PCW_UFILEIGNORE_BAD_UPGRADED_FIELD","features":[152]},{"name":"ERROR_PCW_UFILEIGNORE_BLANK_FILE_TABLE_KEY","features":[152]},{"name":"ERROR_PCW_UFILEIGNORE_LONG_FILE_TABLE_KEY","features":[152]},{"name":"ERROR_PCW_UNKNOWN_ERROR","features":[152]},{"name":"ERROR_PCW_UNKNOWN_INFO","features":[152]},{"name":"ERROR_PCW_UNKNOWN_WARN","features":[152]},{"name":"ERROR_PCW_UPGRADED_IMAGE_COMPRESSED","features":[152]},{"name":"ERROR_PCW_UPGRADED_IMAGE_NAME_TOO_LONG","features":[152]},{"name":"ERROR_PCW_UPGRADED_IMAGE_PATCH_PATH_NOT_EXIST","features":[152]},{"name":"ERROR_PCW_UPGRADED_IMAGE_PATCH_PATH_NOT_MSI","features":[152]},{"name":"ERROR_PCW_UPGRADED_IMAGE_PATCH_PATH_TOO_LONG","features":[152]},{"name":"ERROR_PCW_UPGRADED_IMAGE_PATH_EMPTY","features":[152]},{"name":"ERROR_PCW_UPGRADED_IMAGE_PATH_NOT_EXIST","features":[152]},{"name":"ERROR_PCW_UPGRADED_IMAGE_PATH_NOT_MSI","features":[152]},{"name":"ERROR_PCW_UPGRADED_IMAGE_PATH_TOO_LONG","features":[152]},{"name":"ERROR_PCW_UPGRADED_MISSING_SRC_FILES","features":[152]},{"name":"ERROR_PCW_VIEW_FETCH","features":[152]},{"name":"ERROR_PCW_WRITE_SUMMARY_PROPERTIES","features":[152]},{"name":"ERROR_PCW_WRONG_PATCHMETADATA_STRD_PROP","features":[152]},{"name":"ERROR_ROLLBACK_DISABLED","features":[152]},{"name":"ExtractPatchHeaderToFileA","features":[1,152]},{"name":"ExtractPatchHeaderToFileByHandles","features":[1,152]},{"name":"ExtractPatchHeaderToFileW","features":[1,152]},{"name":"FUSION_INSTALL_REFERENCE","features":[152]},{"name":"FUSION_REFCOUNT_FILEPATH_GUID","features":[152]},{"name":"FUSION_REFCOUNT_OPAQUE_STRING_GUID","features":[152]},{"name":"FUSION_REFCOUNT_UNINSTALL_SUBKEY_GUID","features":[152]},{"name":"FindActCtxSectionGuid","features":[1,152,34]},{"name":"FindActCtxSectionStringA","features":[1,152,34]},{"name":"FindActCtxSectionStringW","features":[1,152,34]},{"name":"GetCurrentActCtx","features":[1,152]},{"name":"GetDeltaInfoA","features":[1,68,152]},{"name":"GetDeltaInfoB","features":[1,68,152]},{"name":"GetDeltaInfoW","features":[1,68,152]},{"name":"GetDeltaSignatureA","features":[1,68,152]},{"name":"GetDeltaSignatureB","features":[1,68,152]},{"name":"GetDeltaSignatureW","features":[1,68,152]},{"name":"GetFilePatchSignatureA","features":[1,152]},{"name":"GetFilePatchSignatureByBuffer","features":[1,152]},{"name":"GetFilePatchSignatureByHandle","features":[1,152]},{"name":"GetFilePatchSignatureW","features":[1,152]},{"name":"IACTIONNAME_ADMIN","features":[152]},{"name":"IACTIONNAME_ADVERTISE","features":[152]},{"name":"IACTIONNAME_COLLECTUSERINFO","features":[152]},{"name":"IACTIONNAME_FIRSTRUN","features":[152]},{"name":"IACTIONNAME_INSTALL","features":[152]},{"name":"IACTIONNAME_SEQUENCE","features":[152]},{"name":"IASSEMBLYCACHEITEM_COMMIT_DISPOSITION_ALREADY_INSTALLED","features":[152]},{"name":"IASSEMBLYCACHEITEM_COMMIT_DISPOSITION_INSTALLED","features":[152]},{"name":"IASSEMBLYCACHEITEM_COMMIT_DISPOSITION_REFRESHED","features":[152]},{"name":"IASSEMBLYCACHEITEM_COMMIT_FLAG_REFRESH","features":[152]},{"name":"IASSEMBLYCACHE_UNINSTALL_DISPOSITION","features":[152]},{"name":"IASSEMBLYCACHE_UNINSTALL_DISPOSITION_ALREADY_UNINSTALLED","features":[152]},{"name":"IASSEMBLYCACHE_UNINSTALL_DISPOSITION_DELETE_PENDING","features":[152]},{"name":"IASSEMBLYCACHE_UNINSTALL_DISPOSITION_STILL_IN_USE","features":[152]},{"name":"IASSEMBLYCACHE_UNINSTALL_DISPOSITION_UNINSTALLED","features":[152]},{"name":"IAssemblyCache","features":[152]},{"name":"IAssemblyCacheItem","features":[152]},{"name":"IAssemblyName","features":[152]},{"name":"IEnumMsmDependency","features":[152]},{"name":"IEnumMsmError","features":[152]},{"name":"IEnumMsmString","features":[152]},{"name":"IMsmDependencies","features":[152]},{"name":"IMsmDependency","features":[152]},{"name":"IMsmError","features":[152]},{"name":"IMsmErrors","features":[152]},{"name":"IMsmGetFiles","features":[152]},{"name":"IMsmMerge","features":[152]},{"name":"IMsmStrings","features":[152]},{"name":"INFO_BASE","features":[152]},{"name":"INFO_ENTERING_PHASE_I","features":[152]},{"name":"INFO_ENTERING_PHASE_II","features":[152]},{"name":"INFO_ENTERING_PHASE_III","features":[152]},{"name":"INFO_ENTERING_PHASE_IV","features":[152]},{"name":"INFO_ENTERING_PHASE_I_VALIDATION","features":[152]},{"name":"INFO_ENTERING_PHASE_V","features":[152]},{"name":"INFO_GENERATING_METADATA","features":[152]},{"name":"INFO_PASSED_MAIN_CONTROL","features":[152]},{"name":"INFO_PATCHCACHE_FILEINFO_FAILURE","features":[152]},{"name":"INFO_PATCHCACHE_PCI_READFAILURE","features":[152]},{"name":"INFO_PATCHCACHE_PCI_WRITEFAILURE","features":[152]},{"name":"INFO_PCP_PATH","features":[152]},{"name":"INFO_PROPERTY","features":[152]},{"name":"INFO_SET_OPTIONS","features":[152]},{"name":"INFO_SUCCESSFUL_PATCH_CREATION","features":[152]},{"name":"INFO_TEMP_DIR","features":[152]},{"name":"INFO_TEMP_DIR_CLEANUP","features":[152]},{"name":"INFO_USING_USER_MSI_FOR_PATCH_TABLES","features":[152]},{"name":"INSTALLFEATUREATTRIBUTE","features":[152]},{"name":"INSTALLFEATUREATTRIBUTE_DISALLOWADVERTISE","features":[152]},{"name":"INSTALLFEATUREATTRIBUTE_FAVORADVERTISE","features":[152]},{"name":"INSTALLFEATUREATTRIBUTE_FAVORLOCAL","features":[152]},{"name":"INSTALLFEATUREATTRIBUTE_FAVORSOURCE","features":[152]},{"name":"INSTALLFEATUREATTRIBUTE_FOLLOWPARENT","features":[152]},{"name":"INSTALLFEATUREATTRIBUTE_NOUNSUPPORTEDADVERTISE","features":[152]},{"name":"INSTALLLEVEL","features":[152]},{"name":"INSTALLLEVEL_DEFAULT","features":[152]},{"name":"INSTALLLEVEL_MAXIMUM","features":[152]},{"name":"INSTALLLEVEL_MINIMUM","features":[152]},{"name":"INSTALLLOGATTRIBUTES","features":[152]},{"name":"INSTALLLOGATTRIBUTES_APPEND","features":[152]},{"name":"INSTALLLOGATTRIBUTES_FLUSHEACHLINE","features":[152]},{"name":"INSTALLLOGMODE","features":[152]},{"name":"INSTALLLOGMODE_ACTIONDATA","features":[152]},{"name":"INSTALLLOGMODE_ACTIONSTART","features":[152]},{"name":"INSTALLLOGMODE_COMMONDATA","features":[152]},{"name":"INSTALLLOGMODE_ERROR","features":[152]},{"name":"INSTALLLOGMODE_EXTRADEBUG","features":[152]},{"name":"INSTALLLOGMODE_FATALEXIT","features":[152]},{"name":"INSTALLLOGMODE_FILESINUSE","features":[152]},{"name":"INSTALLLOGMODE_INFO","features":[152]},{"name":"INSTALLLOGMODE_INITIALIZE","features":[152]},{"name":"INSTALLLOGMODE_INSTALLEND","features":[152]},{"name":"INSTALLLOGMODE_INSTALLSTART","features":[152]},{"name":"INSTALLLOGMODE_LOGONLYONERROR","features":[152]},{"name":"INSTALLLOGMODE_LOGPERFORMANCE","features":[152]},{"name":"INSTALLLOGMODE_OUTOFDISKSPACE","features":[152]},{"name":"INSTALLLOGMODE_PROGRESS","features":[152]},{"name":"INSTALLLOGMODE_PROPERTYDUMP","features":[152]},{"name":"INSTALLLOGMODE_RESOLVESOURCE","features":[152]},{"name":"INSTALLLOGMODE_RMFILESINUSE","features":[152]},{"name":"INSTALLLOGMODE_SHOWDIALOG","features":[152]},{"name":"INSTALLLOGMODE_TERMINATE","features":[152]},{"name":"INSTALLLOGMODE_USER","features":[152]},{"name":"INSTALLLOGMODE_VERBOSE","features":[152]},{"name":"INSTALLLOGMODE_WARNING","features":[152]},{"name":"INSTALLMESSAGE","features":[152]},{"name":"INSTALLMESSAGE_ACTIONDATA","features":[152]},{"name":"INSTALLMESSAGE_ACTIONSTART","features":[152]},{"name":"INSTALLMESSAGE_COMMONDATA","features":[152]},{"name":"INSTALLMESSAGE_ERROR","features":[152]},{"name":"INSTALLMESSAGE_FATALEXIT","features":[152]},{"name":"INSTALLMESSAGE_FILESINUSE","features":[152]},{"name":"INSTALLMESSAGE_INFO","features":[152]},{"name":"INSTALLMESSAGE_INITIALIZE","features":[152]},{"name":"INSTALLMESSAGE_INSTALLEND","features":[152]},{"name":"INSTALLMESSAGE_INSTALLSTART","features":[152]},{"name":"INSTALLMESSAGE_OUTOFDISKSPACE","features":[152]},{"name":"INSTALLMESSAGE_PERFORMANCE","features":[152]},{"name":"INSTALLMESSAGE_PROGRESS","features":[152]},{"name":"INSTALLMESSAGE_RESOLVESOURCE","features":[152]},{"name":"INSTALLMESSAGE_RMFILESINUSE","features":[152]},{"name":"INSTALLMESSAGE_SHOWDIALOG","features":[152]},{"name":"INSTALLMESSAGE_TERMINATE","features":[152]},{"name":"INSTALLMESSAGE_TYPEMASK","features":[152]},{"name":"INSTALLMESSAGE_USER","features":[152]},{"name":"INSTALLMESSAGE_WARNING","features":[152]},{"name":"INSTALLMODE","features":[152]},{"name":"INSTALLMODE_DEFAULT","features":[152]},{"name":"INSTALLMODE_EXISTING","features":[152]},{"name":"INSTALLMODE_NODETECTION","features":[152]},{"name":"INSTALLMODE_NODETECTION_ANY","features":[152]},{"name":"INSTALLMODE_NOSOURCERESOLUTION","features":[152]},{"name":"INSTALLPROPERTY_ASSIGNMENTTYPE","features":[152]},{"name":"INSTALLPROPERTY_AUTHORIZED_LUA_APP","features":[152]},{"name":"INSTALLPROPERTY_DISKPROMPT","features":[152]},{"name":"INSTALLPROPERTY_DISPLAYNAME","features":[152]},{"name":"INSTALLPROPERTY_HELPLINK","features":[152]},{"name":"INSTALLPROPERTY_HELPTELEPHONE","features":[152]},{"name":"INSTALLPROPERTY_INSTALLDATE","features":[152]},{"name":"INSTALLPROPERTY_INSTALLEDLANGUAGE","features":[152]},{"name":"INSTALLPROPERTY_INSTALLEDPRODUCTNAME","features":[152]},{"name":"INSTALLPROPERTY_INSTALLLOCATION","features":[152]},{"name":"INSTALLPROPERTY_INSTALLSOURCE","features":[152]},{"name":"INSTALLPROPERTY_INSTANCETYPE","features":[152]},{"name":"INSTALLPROPERTY_LANGUAGE","features":[152]},{"name":"INSTALLPROPERTY_LASTUSEDSOURCE","features":[152]},{"name":"INSTALLPROPERTY_LASTUSEDTYPE","features":[152]},{"name":"INSTALLPROPERTY_LOCALPACKAGE","features":[152]},{"name":"INSTALLPROPERTY_LUAENABLED","features":[152]},{"name":"INSTALLPROPERTY_MEDIAPACKAGEPATH","features":[152]},{"name":"INSTALLPROPERTY_MOREINFOURL","features":[152]},{"name":"INSTALLPROPERTY_PACKAGECODE","features":[152]},{"name":"INSTALLPROPERTY_PACKAGENAME","features":[152]},{"name":"INSTALLPROPERTY_PATCHSTATE","features":[152]},{"name":"INSTALLPROPERTY_PATCHTYPE","features":[152]},{"name":"INSTALLPROPERTY_PRODUCTICON","features":[152]},{"name":"INSTALLPROPERTY_PRODUCTID","features":[152]},{"name":"INSTALLPROPERTY_PRODUCTNAME","features":[152]},{"name":"INSTALLPROPERTY_PRODUCTSTATE","features":[152]},{"name":"INSTALLPROPERTY_PUBLISHER","features":[152]},{"name":"INSTALLPROPERTY_REGCOMPANY","features":[152]},{"name":"INSTALLPROPERTY_REGOWNER","features":[152]},{"name":"INSTALLPROPERTY_TRANSFORMS","features":[152]},{"name":"INSTALLPROPERTY_UNINSTALLABLE","features":[152]},{"name":"INSTALLPROPERTY_URLINFOABOUT","features":[152]},{"name":"INSTALLPROPERTY_URLUPDATEINFO","features":[152]},{"name":"INSTALLPROPERTY_VERSION","features":[152]},{"name":"INSTALLPROPERTY_VERSIONMAJOR","features":[152]},{"name":"INSTALLPROPERTY_VERSIONMINOR","features":[152]},{"name":"INSTALLPROPERTY_VERSIONSTRING","features":[152]},{"name":"INSTALLSTATE","features":[152]},{"name":"INSTALLSTATE_ABSENT","features":[152]},{"name":"INSTALLSTATE_ADVERTISED","features":[152]},{"name":"INSTALLSTATE_BADCONFIG","features":[152]},{"name":"INSTALLSTATE_BROKEN","features":[152]},{"name":"INSTALLSTATE_DEFAULT","features":[152]},{"name":"INSTALLSTATE_INCOMPLETE","features":[152]},{"name":"INSTALLSTATE_INVALIDARG","features":[152]},{"name":"INSTALLSTATE_LOCAL","features":[152]},{"name":"INSTALLSTATE_MOREDATA","features":[152]},{"name":"INSTALLSTATE_NOTUSED","features":[152]},{"name":"INSTALLSTATE_REMOVED","features":[152]},{"name":"INSTALLSTATE_SOURCE","features":[152]},{"name":"INSTALLSTATE_SOURCEABSENT","features":[152]},{"name":"INSTALLSTATE_UNKNOWN","features":[152]},{"name":"INSTALLTYPE","features":[152]},{"name":"INSTALLTYPE_DEFAULT","features":[152]},{"name":"INSTALLTYPE_NETWORK_IMAGE","features":[152]},{"name":"INSTALLTYPE_SINGLE_INSTANCE","features":[152]},{"name":"INSTALLUILEVEL","features":[152]},{"name":"INSTALLUILEVEL_BASIC","features":[152]},{"name":"INSTALLUILEVEL_DEFAULT","features":[152]},{"name":"INSTALLUILEVEL_ENDDIALOG","features":[152]},{"name":"INSTALLUILEVEL_FULL","features":[152]},{"name":"INSTALLUILEVEL_HIDECANCEL","features":[152]},{"name":"INSTALLUILEVEL_NOCHANGE","features":[152]},{"name":"INSTALLUILEVEL_NONE","features":[152]},{"name":"INSTALLUILEVEL_PROGRESSONLY","features":[152]},{"name":"INSTALLUILEVEL_REDUCED","features":[152]},{"name":"INSTALLUILEVEL_SOURCERESONLY","features":[152]},{"name":"INSTALLUILEVEL_UACONLY","features":[152]},{"name":"INSTALLUI_HANDLERA","features":[152]},{"name":"INSTALLUI_HANDLERW","features":[152]},{"name":"IPMApplicationInfo","features":[152]},{"name":"IPMApplicationInfoEnumerator","features":[152]},{"name":"IPMBackgroundServiceAgentInfo","features":[152]},{"name":"IPMBackgroundServiceAgentInfoEnumerator","features":[152]},{"name":"IPMBackgroundWorkerInfo","features":[152]},{"name":"IPMBackgroundWorkerInfoEnumerator","features":[152]},{"name":"IPMDeploymentManager","features":[152]},{"name":"IPMEnumerationManager","features":[152]},{"name":"IPMExtensionCachedFileUpdaterInfo","features":[152]},{"name":"IPMExtensionContractInfo","features":[152]},{"name":"IPMExtensionFileExtensionInfo","features":[152]},{"name":"IPMExtensionFileOpenPickerInfo","features":[152]},{"name":"IPMExtensionFileSavePickerInfo","features":[152]},{"name":"IPMExtensionInfo","features":[152]},{"name":"IPMExtensionInfoEnumerator","features":[152]},{"name":"IPMExtensionProtocolInfo","features":[152]},{"name":"IPMExtensionShareTargetInfo","features":[152]},{"name":"IPMLiveTileJobInfo","features":[152]},{"name":"IPMLiveTileJobInfoEnumerator","features":[152]},{"name":"IPMTaskInfo","features":[152]},{"name":"IPMTaskInfoEnumerator","features":[152]},{"name":"IPMTileInfo","features":[152]},{"name":"IPMTileInfoEnumerator","features":[152]},{"name":"IPMTilePropertyEnumerator","features":[152]},{"name":"IPMTilePropertyInfo","features":[152]},{"name":"IPROPNAME_ACTION","features":[152]},{"name":"IPROPNAME_ADMINTOOLS_FOLDER","features":[152]},{"name":"IPROPNAME_ADMINUSER","features":[152]},{"name":"IPROPNAME_ADMIN_PROPERTIES","features":[152]},{"name":"IPROPNAME_AFTERREBOOT","features":[152]},{"name":"IPROPNAME_ALLOWEDPROPERTIES","features":[152]},{"name":"IPROPNAME_ALLUSERS","features":[152]},{"name":"IPROPNAME_APPDATA_FOLDER","features":[152]},{"name":"IPROPNAME_ARM","features":[152]},{"name":"IPROPNAME_ARM64","features":[152]},{"name":"IPROPNAME_ARPAUTHORIZEDCDFPREFIX","features":[152]},{"name":"IPROPNAME_ARPCOMMENTS","features":[152]},{"name":"IPROPNAME_ARPCONTACT","features":[152]},{"name":"IPROPNAME_ARPHELPLINK","features":[152]},{"name":"IPROPNAME_ARPHELPTELEPHONE","features":[152]},{"name":"IPROPNAME_ARPINSTALLLOCATION","features":[152]},{"name":"IPROPNAME_ARPNOMODIFY","features":[152]},{"name":"IPROPNAME_ARPNOREMOVE","features":[152]},{"name":"IPROPNAME_ARPNOREPAIR","features":[152]},{"name":"IPROPNAME_ARPPRODUCTICON","features":[152]},{"name":"IPROPNAME_ARPREADME","features":[152]},{"name":"IPROPNAME_ARPSETTINGSIDENTIFIER","features":[152]},{"name":"IPROPNAME_ARPSHIMFLAGS","features":[152]},{"name":"IPROPNAME_ARPSHIMSERVICEPACKLEVEL","features":[152]},{"name":"IPROPNAME_ARPSHIMVERSIONNT","features":[152]},{"name":"IPROPNAME_ARPSIZE","features":[152]},{"name":"IPROPNAME_ARPSYSTEMCOMPONENT","features":[152]},{"name":"IPROPNAME_ARPURLINFOABOUT","features":[152]},{"name":"IPROPNAME_ARPURLUPDATEINFO","features":[152]},{"name":"IPROPNAME_AVAILABLEFREEREG","features":[152]},{"name":"IPROPNAME_BORDERSIDE","features":[152]},{"name":"IPROPNAME_BORDERTOP","features":[152]},{"name":"IPROPNAME_CAPTIONHEIGHT","features":[152]},{"name":"IPROPNAME_CARRYINGNDP","features":[152]},{"name":"IPROPNAME_CHECKCRCS","features":[152]},{"name":"IPROPNAME_COLORBITS","features":[152]},{"name":"IPROPNAME_COMMONAPPDATA_FOLDER","features":[152]},{"name":"IPROPNAME_COMMONFILES64_FOLDER","features":[152]},{"name":"IPROPNAME_COMMONFILES_FOLDER","features":[152]},{"name":"IPROPNAME_COMPANYNAME","features":[152]},{"name":"IPROPNAME_COMPONENTADDDEFAULT","features":[152]},{"name":"IPROPNAME_COMPONENTADDLOCAL","features":[152]},{"name":"IPROPNAME_COMPONENTADDSOURCE","features":[152]},{"name":"IPROPNAME_COMPUTERNAME","features":[152]},{"name":"IPROPNAME_COSTINGCOMPLETE","features":[152]},{"name":"IPROPNAME_CUSTOMACTIONDATA","features":[152]},{"name":"IPROPNAME_DATE","features":[152]},{"name":"IPROPNAME_DATETIME","features":[152]},{"name":"IPROPNAME_DEFAULTUIFONT","features":[152]},{"name":"IPROPNAME_DESKTOP_FOLDER","features":[152]},{"name":"IPROPNAME_DISABLEADVTSHORTCUTS","features":[152]},{"name":"IPROPNAME_DISABLEROLLBACK","features":[152]},{"name":"IPROPNAME_DISKPROMPT","features":[152]},{"name":"IPROPNAME_ENABLEUSERCONTROL","features":[152]},{"name":"IPROPNAME_ENFORCE_UPGRADE_COMPONENT_RULES","features":[152]},{"name":"IPROPNAME_EXECUTEACTION","features":[152]},{"name":"IPROPNAME_EXECUTEMODE","features":[152]},{"name":"IPROPNAME_FAVORITES_FOLDER","features":[152]},{"name":"IPROPNAME_FEATUREADDDEFAULT","features":[152]},{"name":"IPROPNAME_FEATUREADDLOCAL","features":[152]},{"name":"IPROPNAME_FEATUREADDSOURCE","features":[152]},{"name":"IPROPNAME_FEATUREADVERTISE","features":[152]},{"name":"IPROPNAME_FEATUREREMOVE","features":[152]},{"name":"IPROPNAME_FILEADDDEFAULT","features":[152]},{"name":"IPROPNAME_FILEADDLOCAL","features":[152]},{"name":"IPROPNAME_FILEADDSOURCE","features":[152]},{"name":"IPROPNAME_FONTS_FOLDER","features":[152]},{"name":"IPROPNAME_HIDDEN_PROPERTIES","features":[152]},{"name":"IPROPNAME_HIDECANCEL","features":[152]},{"name":"IPROPNAME_IA64","features":[152]},{"name":"IPROPNAME_INSTALLED","features":[152]},{"name":"IPROPNAME_INSTALLLANGUAGE","features":[152]},{"name":"IPROPNAME_INSTALLLEVEL","features":[152]},{"name":"IPROPNAME_INSTALLPERUSER","features":[152]},{"name":"IPROPNAME_INTEL","features":[152]},{"name":"IPROPNAME_INTEL64","features":[152]},{"name":"IPROPNAME_INTERNALINSTALLEDPERUSER","features":[152]},{"name":"IPROPNAME_ISADMINPACKAGE","features":[152]},{"name":"IPROPNAME_LEFTUNIT","features":[152]},{"name":"IPROPNAME_LIMITUI","features":[152]},{"name":"IPROPNAME_LOCALAPPDATA_FOLDER","features":[152]},{"name":"IPROPNAME_LOGACTION","features":[152]},{"name":"IPROPNAME_LOGONUSER","features":[152]},{"name":"IPROPNAME_MANUFACTURER","features":[152]},{"name":"IPROPNAME_MSIAMD64","features":[152]},{"name":"IPROPNAME_MSIDISABLEEEUI","features":[152]},{"name":"IPROPNAME_MSIDISABLELUAPATCHING","features":[152]},{"name":"IPROPNAME_MSIINSTANCEGUID","features":[152]},{"name":"IPROPNAME_MSILOGFILELOCATION","features":[152]},{"name":"IPROPNAME_MSILOGGINGMODE","features":[152]},{"name":"IPROPNAME_MSINEWINSTANCE","features":[152]},{"name":"IPROPNAME_MSINODISABLEMEDIA","features":[152]},{"name":"IPROPNAME_MSIPACKAGEDOWNLOADLOCALCOPY","features":[152]},{"name":"IPROPNAME_MSIPATCHDOWNLOADLOCALCOPY","features":[152]},{"name":"IPROPNAME_MSIPATCHREMOVE","features":[152]},{"name":"IPROPNAME_MSITABLETPC","features":[152]},{"name":"IPROPNAME_MSIX64","features":[152]},{"name":"IPROPNAME_MSI_FASTINSTALL","features":[152]},{"name":"IPROPNAME_MSI_REBOOT_PENDING","features":[152]},{"name":"IPROPNAME_MSI_RM_CONTROL","features":[152]},{"name":"IPROPNAME_MSI_RM_DISABLE_RESTART","features":[152]},{"name":"IPROPNAME_MSI_RM_SESSION_KEY","features":[152]},{"name":"IPROPNAME_MSI_RM_SHUTDOWN","features":[152]},{"name":"IPROPNAME_MSI_UAC_DEPLOYMENT_COMPLIANT","features":[152]},{"name":"IPROPNAME_MSI_UNINSTALL_SUPERSEDED_COMPONENTS","features":[152]},{"name":"IPROPNAME_MSI_USE_REAL_ADMIN_DETECTION","features":[152]},{"name":"IPROPNAME_MYPICTURES_FOLDER","features":[152]},{"name":"IPROPNAME_NETASSEMBLYSUPPORT","features":[152]},{"name":"IPROPNAME_NETHOOD_FOLDER","features":[152]},{"name":"IPROPNAME_NOCOMPANYNAME","features":[152]},{"name":"IPROPNAME_NOUSERNAME","features":[152]},{"name":"IPROPNAME_NTPRODUCTTYPE","features":[152]},{"name":"IPROPNAME_NTSUITEBACKOFFICE","features":[152]},{"name":"IPROPNAME_NTSUITEDATACENTER","features":[152]},{"name":"IPROPNAME_NTSUITEENTERPRISE","features":[152]},{"name":"IPROPNAME_NTSUITEPERSONAL","features":[152]},{"name":"IPROPNAME_NTSUITESMALLBUSINESS","features":[152]},{"name":"IPROPNAME_NTSUITESMALLBUSINESSRESTRICTED","features":[152]},{"name":"IPROPNAME_NTSUITEWEBSERVER","features":[152]},{"name":"IPROPNAME_OLEADVTSUPPORT","features":[152]},{"name":"IPROPNAME_OUTOFDISKSPACE","features":[152]},{"name":"IPROPNAME_OUTOFNORBDISKSPACE","features":[152]},{"name":"IPROPNAME_PATCH","features":[152]},{"name":"IPROPNAME_PATCHNEWPACKAGECODE","features":[152]},{"name":"IPROPNAME_PATCHNEWSUMMARYCOMMENTS","features":[152]},{"name":"IPROPNAME_PATCHNEWSUMMARYSUBJECT","features":[152]},{"name":"IPROPNAME_PERSONAL_FOLDER","features":[152]},{"name":"IPROPNAME_PHYSICALMEMORY","features":[152]},{"name":"IPROPNAME_PIDKEY","features":[152]},{"name":"IPROPNAME_PIDTEMPLATE","features":[152]},{"name":"IPROPNAME_PRESELECTED","features":[152]},{"name":"IPROPNAME_PRIMARYFOLDER","features":[152]},{"name":"IPROPNAME_PRIMARYFOLDER_PATH","features":[152]},{"name":"IPROPNAME_PRIMARYFOLDER_SPACEAVAILABLE","features":[152]},{"name":"IPROPNAME_PRIMARYFOLDER_SPACEREMAINING","features":[152]},{"name":"IPROPNAME_PRIMARYFOLDER_SPACEREQUIRED","features":[152]},{"name":"IPROPNAME_PRINTHOOD_FOLDER","features":[152]},{"name":"IPROPNAME_PRIVILEGED","features":[152]},{"name":"IPROPNAME_PRODUCTCODE","features":[152]},{"name":"IPROPNAME_PRODUCTID","features":[152]},{"name":"IPROPNAME_PRODUCTLANGUAGE","features":[152]},{"name":"IPROPNAME_PRODUCTNAME","features":[152]},{"name":"IPROPNAME_PRODUCTSTATE","features":[152]},{"name":"IPROPNAME_PRODUCTVERSION","features":[152]},{"name":"IPROPNAME_PROGRAMFILES64_FOLDER","features":[152]},{"name":"IPROPNAME_PROGRAMFILES_FOLDER","features":[152]},{"name":"IPROPNAME_PROGRAMMENU_FOLDER","features":[152]},{"name":"IPROPNAME_PROGRESSONLY","features":[152]},{"name":"IPROPNAME_PROMPTROLLBACKCOST","features":[152]},{"name":"IPROPNAME_REBOOT","features":[152]},{"name":"IPROPNAME_REBOOTPROMPT","features":[152]},{"name":"IPROPNAME_RECENT_FOLDER","features":[152]},{"name":"IPROPNAME_REDIRECTEDDLLSUPPORT","features":[152]},{"name":"IPROPNAME_REINSTALL","features":[152]},{"name":"IPROPNAME_REINSTALLMODE","features":[152]},{"name":"IPROPNAME_REMOTEADMINTS","features":[152]},{"name":"IPROPNAME_REPLACEDINUSEFILES","features":[152]},{"name":"IPROPNAME_RESTRICTEDUSERCONTROL","features":[152]},{"name":"IPROPNAME_RESUME","features":[152]},{"name":"IPROPNAME_ROLLBACKDISABLED","features":[152]},{"name":"IPROPNAME_ROOTDRIVE","features":[152]},{"name":"IPROPNAME_RUNNINGELEVATED","features":[152]},{"name":"IPROPNAME_SCREENX","features":[152]},{"name":"IPROPNAME_SCREENY","features":[152]},{"name":"IPROPNAME_SENDTO_FOLDER","features":[152]},{"name":"IPROPNAME_SEQUENCE","features":[152]},{"name":"IPROPNAME_SERVICEPACKLEVEL","features":[152]},{"name":"IPROPNAME_SERVICEPACKLEVELMINOR","features":[152]},{"name":"IPROPNAME_SHAREDWINDOWS","features":[152]},{"name":"IPROPNAME_SHELLADVTSUPPORT","features":[152]},{"name":"IPROPNAME_SHORTFILENAMES","features":[152]},{"name":"IPROPNAME_SOURCEDIR","features":[152]},{"name":"IPROPNAME_SOURCELIST","features":[152]},{"name":"IPROPNAME_SOURCERESONLY","features":[152]},{"name":"IPROPNAME_STARTMENU_FOLDER","features":[152]},{"name":"IPROPNAME_STARTUP_FOLDER","features":[152]},{"name":"IPROPNAME_SYSTEM16_FOLDER","features":[152]},{"name":"IPROPNAME_SYSTEM64_FOLDER","features":[152]},{"name":"IPROPNAME_SYSTEMLANGUAGEID","features":[152]},{"name":"IPROPNAME_SYSTEM_FOLDER","features":[152]},{"name":"IPROPNAME_TARGETDIR","features":[152]},{"name":"IPROPNAME_TEMPLATE_AMD64","features":[152]},{"name":"IPROPNAME_TEMPLATE_FOLDER","features":[152]},{"name":"IPROPNAME_TEMPLATE_X64","features":[152]},{"name":"IPROPNAME_TEMP_FOLDER","features":[152]},{"name":"IPROPNAME_TERMSERVER","features":[152]},{"name":"IPROPNAME_TEXTHEIGHT","features":[152]},{"name":"IPROPNAME_TEXTHEIGHT_CORRECTION","features":[152]},{"name":"IPROPNAME_TEXTINTERNALLEADING","features":[152]},{"name":"IPROPNAME_TIME","features":[152]},{"name":"IPROPNAME_TRANSFORMS","features":[152]},{"name":"IPROPNAME_TRANSFORMSATSOURCE","features":[152]},{"name":"IPROPNAME_TRANSFORMSSECURE","features":[152]},{"name":"IPROPNAME_TRUEADMINUSER","features":[152]},{"name":"IPROPNAME_TTCSUPPORT","features":[152]},{"name":"IPROPNAME_UACONLY","features":[152]},{"name":"IPROPNAME_UPDATESTARTED","features":[152]},{"name":"IPROPNAME_UPGRADECODE","features":[152]},{"name":"IPROPNAME_USERLANGUAGEID","features":[152]},{"name":"IPROPNAME_USERNAME","features":[152]},{"name":"IPROPNAME_USERSID","features":[152]},{"name":"IPROPNAME_VERSION9X","features":[152]},{"name":"IPROPNAME_VERSIONNT","features":[152]},{"name":"IPROPNAME_VERSIONNT64","features":[152]},{"name":"IPROPNAME_VIRTUALMEMORY","features":[152]},{"name":"IPROPNAME_WIN32ASSEMBLYSUPPORT","features":[152]},{"name":"IPROPNAME_WINDOWSBUILD","features":[152]},{"name":"IPROPNAME_WINDOWS_FOLDER","features":[152]},{"name":"IPROPNAME_WINDOWS_VOLUME","features":[152]},{"name":"IPROPVALUE_EXECUTEMODE_NONE","features":[152]},{"name":"IPROPVALUE_EXECUTEMODE_SCRIPT","features":[152]},{"name":"IPROPVALUE_FEATURE_ALL","features":[152]},{"name":"IPROPVALUE_MSI_RM_CONTROL_DISABLE","features":[152]},{"name":"IPROPVALUE_MSI_RM_CONTROL_DISABLESHUTDOWN","features":[152]},{"name":"IPROPVALUE_RBCOST_FAIL","features":[152]},{"name":"IPROPVALUE_RBCOST_PROMPT","features":[152]},{"name":"IPROPVALUE_RBCOST_SILENT","features":[152]},{"name":"IPROPVALUE__CARRYINGNDP_URTREINSTALL","features":[152]},{"name":"IPROPVALUE__CARRYINGNDP_URTUPGRADE","features":[152]},{"name":"IValidate","features":[152]},{"name":"LIBID_MsmMergeTypeLib","features":[152]},{"name":"LOGALL","features":[152]},{"name":"LOGERR","features":[152]},{"name":"LOGINFO","features":[152]},{"name":"LOGNONE","features":[152]},{"name":"LOGPERFMESSAGES","features":[152]},{"name":"LOGTOKEN_NO_LOG","features":[152]},{"name":"LOGTOKEN_SETUPAPI_APPLOG","features":[152]},{"name":"LOGTOKEN_SETUPAPI_DEVLOG","features":[152]},{"name":"LOGTOKEN_TYPE_MASK","features":[152]},{"name":"LOGTOKEN_UNSPECIFIED","features":[152]},{"name":"LOGWARN","features":[152]},{"name":"LPDISPLAYVAL","features":[1,152]},{"name":"LPEVALCOMCALLBACK","features":[1,152]},{"name":"MAX_FEATURE_CHARS","features":[152]},{"name":"MAX_GUID_CHARS","features":[152]},{"name":"MSIADVERTISEOPTIONFLAGS","features":[152]},{"name":"MSIADVERTISEOPTIONFLAGS_INSTANCE","features":[152]},{"name":"MSIARCHITECTUREFLAGS","features":[152]},{"name":"MSIARCHITECTUREFLAGS_AMD64","features":[152]},{"name":"MSIARCHITECTUREFLAGS_ARM","features":[152]},{"name":"MSIARCHITECTUREFLAGS_IA64","features":[152]},{"name":"MSIARCHITECTUREFLAGS_X86","features":[152]},{"name":"MSIASSEMBLYINFO","features":[152]},{"name":"MSIASSEMBLYINFO_NETASSEMBLY","features":[152]},{"name":"MSIASSEMBLYINFO_WIN32ASSEMBLY","features":[152]},{"name":"MSICODE","features":[152]},{"name":"MSICODE_PATCH","features":[152]},{"name":"MSICODE_PRODUCT","features":[152]},{"name":"MSICOLINFO","features":[152]},{"name":"MSICOLINFO_NAMES","features":[152]},{"name":"MSICOLINFO_TYPES","features":[152]},{"name":"MSICONDITION","features":[152]},{"name":"MSICONDITION_ERROR","features":[152]},{"name":"MSICONDITION_FALSE","features":[152]},{"name":"MSICONDITION_NONE","features":[152]},{"name":"MSICONDITION_TRUE","features":[152]},{"name":"MSICOSTTREE","features":[152]},{"name":"MSICOSTTREE_CHILDREN","features":[152]},{"name":"MSICOSTTREE_PARENTS","features":[152]},{"name":"MSICOSTTREE_RESERVED","features":[152]},{"name":"MSICOSTTREE_SELFONLY","features":[152]},{"name":"MSIDBERROR","features":[152]},{"name":"MSIDBERROR_BADCABINET","features":[152]},{"name":"MSIDBERROR_BADCASE","features":[152]},{"name":"MSIDBERROR_BADCATEGORY","features":[152]},{"name":"MSIDBERROR_BADCONDITION","features":[152]},{"name":"MSIDBERROR_BADCUSTOMSOURCE","features":[152]},{"name":"MSIDBERROR_BADDEFAULTDIR","features":[152]},{"name":"MSIDBERROR_BADFILENAME","features":[152]},{"name":"MSIDBERROR_BADFORMATTED","features":[152]},{"name":"MSIDBERROR_BADGUID","features":[152]},{"name":"MSIDBERROR_BADIDENTIFIER","features":[152]},{"name":"MSIDBERROR_BADKEYTABLE","features":[152]},{"name":"MSIDBERROR_BADLANGUAGE","features":[152]},{"name":"MSIDBERROR_BADLINK","features":[152]},{"name":"MSIDBERROR_BADLOCALIZEATTRIB","features":[152]},{"name":"MSIDBERROR_BADMAXMINVALUES","features":[152]},{"name":"MSIDBERROR_BADPATH","features":[152]},{"name":"MSIDBERROR_BADPROPERTY","features":[152]},{"name":"MSIDBERROR_BADREGPATH","features":[152]},{"name":"MSIDBERROR_BADSHORTCUT","features":[152]},{"name":"MSIDBERROR_BADTEMPLATE","features":[152]},{"name":"MSIDBERROR_BADVERSION","features":[152]},{"name":"MSIDBERROR_BADWILDCARD","features":[152]},{"name":"MSIDBERROR_DUPLICATEKEY","features":[152]},{"name":"MSIDBERROR_FUNCTIONERROR","features":[152]},{"name":"MSIDBERROR_INVALIDARG","features":[152]},{"name":"MSIDBERROR_MISSINGDATA","features":[152]},{"name":"MSIDBERROR_MOREDATA","features":[152]},{"name":"MSIDBERROR_NOERROR","features":[152]},{"name":"MSIDBERROR_NOTINSET","features":[152]},{"name":"MSIDBERROR_OVERFLOW","features":[152]},{"name":"MSIDBERROR_REQUIRED","features":[152]},{"name":"MSIDBERROR_STRINGOVERFLOW","features":[152]},{"name":"MSIDBERROR_UNDERFLOW","features":[152]},{"name":"MSIDBOPEN_CREATE","features":[152]},{"name":"MSIDBOPEN_CREATEDIRECT","features":[152]},{"name":"MSIDBOPEN_DIRECT","features":[152]},{"name":"MSIDBOPEN_PATCHFILE","features":[152]},{"name":"MSIDBOPEN_READONLY","features":[152]},{"name":"MSIDBOPEN_TRANSACT","features":[152]},{"name":"MSIDBSTATE","features":[152]},{"name":"MSIDBSTATE_ERROR","features":[152]},{"name":"MSIDBSTATE_READ","features":[152]},{"name":"MSIDBSTATE_WRITE","features":[152]},{"name":"MSIFILEHASHINFO","features":[152]},{"name":"MSIHANDLE","features":[152]},{"name":"MSIINSTALLCONTEXT","features":[152]},{"name":"MSIINSTALLCONTEXT_ALL","features":[152]},{"name":"MSIINSTALLCONTEXT_ALLUSERMANAGED","features":[152]},{"name":"MSIINSTALLCONTEXT_FIRSTVISIBLE","features":[152]},{"name":"MSIINSTALLCONTEXT_MACHINE","features":[152]},{"name":"MSIINSTALLCONTEXT_NONE","features":[152]},{"name":"MSIINSTALLCONTEXT_USERMANAGED","features":[152]},{"name":"MSIINSTALLCONTEXT_USERUNMANAGED","features":[152]},{"name":"MSIMODIFY","features":[152]},{"name":"MSIMODIFY_ASSIGN","features":[152]},{"name":"MSIMODIFY_DELETE","features":[152]},{"name":"MSIMODIFY_INSERT","features":[152]},{"name":"MSIMODIFY_INSERT_TEMPORARY","features":[152]},{"name":"MSIMODIFY_MERGE","features":[152]},{"name":"MSIMODIFY_REFRESH","features":[152]},{"name":"MSIMODIFY_REPLACE","features":[152]},{"name":"MSIMODIFY_SEEK","features":[152]},{"name":"MSIMODIFY_UPDATE","features":[152]},{"name":"MSIMODIFY_VALIDATE","features":[152]},{"name":"MSIMODIFY_VALIDATE_DELETE","features":[152]},{"name":"MSIMODIFY_VALIDATE_FIELD","features":[152]},{"name":"MSIMODIFY_VALIDATE_NEW","features":[152]},{"name":"MSIOPENPACKAGEFLAGS","features":[152]},{"name":"MSIOPENPACKAGEFLAGS_IGNOREMACHINESTATE","features":[152]},{"name":"MSIPATCHDATATYPE","features":[152]},{"name":"MSIPATCHSEQUENCEINFOA","features":[152]},{"name":"MSIPATCHSEQUENCEINFOW","features":[152]},{"name":"MSIPATCHSTATE","features":[152]},{"name":"MSIPATCHSTATE_ALL","features":[152]},{"name":"MSIPATCHSTATE_APPLIED","features":[152]},{"name":"MSIPATCHSTATE_INVALID","features":[152]},{"name":"MSIPATCHSTATE_OBSOLETED","features":[152]},{"name":"MSIPATCHSTATE_REGISTERED","features":[152]},{"name":"MSIPATCHSTATE_SUPERSEDED","features":[152]},{"name":"MSIPATCH_DATATYPE_PATCHFILE","features":[152]},{"name":"MSIPATCH_DATATYPE_XMLBLOB","features":[152]},{"name":"MSIPATCH_DATATYPE_XMLPATH","features":[152]},{"name":"MSIRUNMODE","features":[152]},{"name":"MSIRUNMODE_ADMIN","features":[152]},{"name":"MSIRUNMODE_ADVERTISE","features":[152]},{"name":"MSIRUNMODE_CABINET","features":[152]},{"name":"MSIRUNMODE_COMMIT","features":[152]},{"name":"MSIRUNMODE_LOGENABLED","features":[152]},{"name":"MSIRUNMODE_MAINTENANCE","features":[152]},{"name":"MSIRUNMODE_OPERATIONS","features":[152]},{"name":"MSIRUNMODE_REBOOTATEND","features":[152]},{"name":"MSIRUNMODE_REBOOTNOW","features":[152]},{"name":"MSIRUNMODE_RESERVED11","features":[152]},{"name":"MSIRUNMODE_RESERVED14","features":[152]},{"name":"MSIRUNMODE_RESERVED15","features":[152]},{"name":"MSIRUNMODE_ROLLBACK","features":[152]},{"name":"MSIRUNMODE_ROLLBACKENABLED","features":[152]},{"name":"MSIRUNMODE_SCHEDULED","features":[152]},{"name":"MSIRUNMODE_SOURCESHORTNAMES","features":[152]},{"name":"MSIRUNMODE_TARGETSHORTNAMES","features":[152]},{"name":"MSIRUNMODE_WINDOWS9X","features":[152]},{"name":"MSIRUNMODE_ZAWENABLED","features":[152]},{"name":"MSISOURCETYPE","features":[152]},{"name":"MSISOURCETYPE_MEDIA","features":[152]},{"name":"MSISOURCETYPE_NETWORK","features":[152]},{"name":"MSISOURCETYPE_UNKNOWN","features":[152]},{"name":"MSISOURCETYPE_URL","features":[152]},{"name":"MSITRANSACTION","features":[152]},{"name":"MSITRANSACTIONSTATE","features":[152]},{"name":"MSITRANSACTIONSTATE_COMMIT","features":[152]},{"name":"MSITRANSACTIONSTATE_ROLLBACK","features":[152]},{"name":"MSITRANSACTION_CHAIN_EMBEDDEDUI","features":[152]},{"name":"MSITRANSACTION_JOIN_EXISTING_EMBEDDEDUI","features":[152]},{"name":"MSITRANSFORM_ERROR","features":[152]},{"name":"MSITRANSFORM_ERROR_ADDEXISTINGROW","features":[152]},{"name":"MSITRANSFORM_ERROR_ADDEXISTINGTABLE","features":[152]},{"name":"MSITRANSFORM_ERROR_CHANGECODEPAGE","features":[152]},{"name":"MSITRANSFORM_ERROR_DELMISSINGROW","features":[152]},{"name":"MSITRANSFORM_ERROR_DELMISSINGTABLE","features":[152]},{"name":"MSITRANSFORM_ERROR_NONE","features":[152]},{"name":"MSITRANSFORM_ERROR_UPDATEMISSINGROW","features":[152]},{"name":"MSITRANSFORM_ERROR_VIEWTRANSFORM","features":[152]},{"name":"MSITRANSFORM_VALIDATE","features":[152]},{"name":"MSITRANSFORM_VALIDATE_LANGUAGE","features":[152]},{"name":"MSITRANSFORM_VALIDATE_MAJORVERSION","features":[152]},{"name":"MSITRANSFORM_VALIDATE_MINORVERSION","features":[152]},{"name":"MSITRANSFORM_VALIDATE_NEWEQUALBASEVERSION","features":[152]},{"name":"MSITRANSFORM_VALIDATE_NEWGREATERBASEVERSION","features":[152]},{"name":"MSITRANSFORM_VALIDATE_NEWGREATEREQUALBASEVERSION","features":[152]},{"name":"MSITRANSFORM_VALIDATE_NEWLESSBASEVERSION","features":[152]},{"name":"MSITRANSFORM_VALIDATE_NEWLESSEQUALBASEVERSION","features":[152]},{"name":"MSITRANSFORM_VALIDATE_PLATFORM","features":[152]},{"name":"MSITRANSFORM_VALIDATE_PRODUCT","features":[152]},{"name":"MSITRANSFORM_VALIDATE_UPDATEVERSION","features":[152]},{"name":"MSITRANSFORM_VALIDATE_UPGRADECODE","features":[152]},{"name":"MSI_INVALID_HASH_IS_FATAL","features":[152]},{"name":"MSI_NULL_INTEGER","features":[152]},{"name":"MsiAdvertiseProductA","features":[152]},{"name":"MsiAdvertiseProductExA","features":[152]},{"name":"MsiAdvertiseProductExW","features":[152]},{"name":"MsiAdvertiseProductW","features":[152]},{"name":"MsiAdvertiseScriptA","features":[1,152,49]},{"name":"MsiAdvertiseScriptW","features":[1,152,49]},{"name":"MsiApplyMultiplePatchesA","features":[152]},{"name":"MsiApplyMultiplePatchesW","features":[152]},{"name":"MsiApplyPatchA","features":[152]},{"name":"MsiApplyPatchW","features":[152]},{"name":"MsiBeginTransactionA","features":[1,152]},{"name":"MsiBeginTransactionW","features":[1,152]},{"name":"MsiCloseAllHandles","features":[152]},{"name":"MsiCloseHandle","features":[152]},{"name":"MsiCollectUserInfoA","features":[152]},{"name":"MsiCollectUserInfoW","features":[152]},{"name":"MsiConfigureFeatureA","features":[152]},{"name":"MsiConfigureFeatureW","features":[152]},{"name":"MsiConfigureProductA","features":[152]},{"name":"MsiConfigureProductExA","features":[152]},{"name":"MsiConfigureProductExW","features":[152]},{"name":"MsiConfigureProductW","features":[152]},{"name":"MsiCreateRecord","features":[152]},{"name":"MsiCreateTransformSummaryInfoA","features":[152]},{"name":"MsiCreateTransformSummaryInfoW","features":[152]},{"name":"MsiDatabaseApplyTransformA","features":[152]},{"name":"MsiDatabaseApplyTransformW","features":[152]},{"name":"MsiDatabaseCommit","features":[152]},{"name":"MsiDatabaseExportA","features":[152]},{"name":"MsiDatabaseExportW","features":[152]},{"name":"MsiDatabaseGenerateTransformA","features":[152]},{"name":"MsiDatabaseGenerateTransformW","features":[152]},{"name":"MsiDatabaseGetPrimaryKeysA","features":[152]},{"name":"MsiDatabaseGetPrimaryKeysW","features":[152]},{"name":"MsiDatabaseImportA","features":[152]},{"name":"MsiDatabaseImportW","features":[152]},{"name":"MsiDatabaseIsTablePersistentA","features":[152]},{"name":"MsiDatabaseIsTablePersistentW","features":[152]},{"name":"MsiDatabaseMergeA","features":[152]},{"name":"MsiDatabaseMergeW","features":[152]},{"name":"MsiDatabaseOpenViewA","features":[152]},{"name":"MsiDatabaseOpenViewW","features":[152]},{"name":"MsiDetermineApplicablePatchesA","features":[152]},{"name":"MsiDetermineApplicablePatchesW","features":[152]},{"name":"MsiDeterminePatchSequenceA","features":[152]},{"name":"MsiDeterminePatchSequenceW","features":[152]},{"name":"MsiDoActionA","features":[152]},{"name":"MsiDoActionW","features":[152]},{"name":"MsiEnableLogA","features":[152]},{"name":"MsiEnableLogW","features":[152]},{"name":"MsiEnableUIPreview","features":[152]},{"name":"MsiEndTransaction","features":[152]},{"name":"MsiEnumClientsA","features":[152]},{"name":"MsiEnumClientsExA","features":[152]},{"name":"MsiEnumClientsExW","features":[152]},{"name":"MsiEnumClientsW","features":[152]},{"name":"MsiEnumComponentCostsA","features":[152]},{"name":"MsiEnumComponentCostsW","features":[152]},{"name":"MsiEnumComponentQualifiersA","features":[152]},{"name":"MsiEnumComponentQualifiersW","features":[152]},{"name":"MsiEnumComponentsA","features":[152]},{"name":"MsiEnumComponentsExA","features":[152]},{"name":"MsiEnumComponentsExW","features":[152]},{"name":"MsiEnumComponentsW","features":[152]},{"name":"MsiEnumFeaturesA","features":[152]},{"name":"MsiEnumFeaturesW","features":[152]},{"name":"MsiEnumPatchesA","features":[152]},{"name":"MsiEnumPatchesExA","features":[152]},{"name":"MsiEnumPatchesExW","features":[152]},{"name":"MsiEnumPatchesW","features":[152]},{"name":"MsiEnumProductsA","features":[152]},{"name":"MsiEnumProductsExA","features":[152]},{"name":"MsiEnumProductsExW","features":[152]},{"name":"MsiEnumProductsW","features":[152]},{"name":"MsiEnumRelatedProductsA","features":[152]},{"name":"MsiEnumRelatedProductsW","features":[152]},{"name":"MsiEvaluateConditionA","features":[152]},{"name":"MsiEvaluateConditionW","features":[152]},{"name":"MsiExtractPatchXMLDataA","features":[152]},{"name":"MsiExtractPatchXMLDataW","features":[152]},{"name":"MsiFormatRecordA","features":[152]},{"name":"MsiFormatRecordW","features":[152]},{"name":"MsiGetActiveDatabase","features":[152]},{"name":"MsiGetComponentPathA","features":[152]},{"name":"MsiGetComponentPathExA","features":[152]},{"name":"MsiGetComponentPathExW","features":[152]},{"name":"MsiGetComponentPathW","features":[152]},{"name":"MsiGetComponentStateA","features":[152]},{"name":"MsiGetComponentStateW","features":[152]},{"name":"MsiGetDatabaseState","features":[152]},{"name":"MsiGetFeatureCostA","features":[152]},{"name":"MsiGetFeatureCostW","features":[152]},{"name":"MsiGetFeatureInfoA","features":[152]},{"name":"MsiGetFeatureInfoW","features":[152]},{"name":"MsiGetFeatureStateA","features":[152]},{"name":"MsiGetFeatureStateW","features":[152]},{"name":"MsiGetFeatureUsageA","features":[152]},{"name":"MsiGetFeatureUsageW","features":[152]},{"name":"MsiGetFeatureValidStatesA","features":[152]},{"name":"MsiGetFeatureValidStatesW","features":[152]},{"name":"MsiGetFileHashA","features":[152]},{"name":"MsiGetFileHashW","features":[152]},{"name":"MsiGetFileSignatureInformationA","features":[1,68,152]},{"name":"MsiGetFileSignatureInformationW","features":[1,68,152]},{"name":"MsiGetFileVersionA","features":[152]},{"name":"MsiGetFileVersionW","features":[152]},{"name":"MsiGetLanguage","features":[152]},{"name":"MsiGetLastErrorRecord","features":[152]},{"name":"MsiGetMode","features":[1,152]},{"name":"MsiGetPatchFileListA","features":[152]},{"name":"MsiGetPatchFileListW","features":[152]},{"name":"MsiGetPatchInfoA","features":[152]},{"name":"MsiGetPatchInfoExA","features":[152]},{"name":"MsiGetPatchInfoExW","features":[152]},{"name":"MsiGetPatchInfoW","features":[152]},{"name":"MsiGetProductCodeA","features":[152]},{"name":"MsiGetProductCodeW","features":[152]},{"name":"MsiGetProductInfoA","features":[152]},{"name":"MsiGetProductInfoExA","features":[152]},{"name":"MsiGetProductInfoExW","features":[152]},{"name":"MsiGetProductInfoFromScriptA","features":[152]},{"name":"MsiGetProductInfoFromScriptW","features":[152]},{"name":"MsiGetProductInfoW","features":[152]},{"name":"MsiGetProductPropertyA","features":[152]},{"name":"MsiGetProductPropertyW","features":[152]},{"name":"MsiGetPropertyA","features":[152]},{"name":"MsiGetPropertyW","features":[152]},{"name":"MsiGetShortcutTargetA","features":[152]},{"name":"MsiGetShortcutTargetW","features":[152]},{"name":"MsiGetSourcePathA","features":[152]},{"name":"MsiGetSourcePathW","features":[152]},{"name":"MsiGetSummaryInformationA","features":[152]},{"name":"MsiGetSummaryInformationW","features":[152]},{"name":"MsiGetTargetPathA","features":[152]},{"name":"MsiGetTargetPathW","features":[152]},{"name":"MsiGetUserInfoA","features":[152]},{"name":"MsiGetUserInfoW","features":[152]},{"name":"MsiInstallMissingComponentA","features":[152]},{"name":"MsiInstallMissingComponentW","features":[152]},{"name":"MsiInstallMissingFileA","features":[152]},{"name":"MsiInstallMissingFileW","features":[152]},{"name":"MsiInstallProductA","features":[152]},{"name":"MsiInstallProductW","features":[152]},{"name":"MsiIsProductElevatedA","features":[1,152]},{"name":"MsiIsProductElevatedW","features":[1,152]},{"name":"MsiJoinTransaction","features":[1,152]},{"name":"MsiLocateComponentA","features":[152]},{"name":"MsiLocateComponentW","features":[152]},{"name":"MsiNotifySidChangeA","features":[152]},{"name":"MsiNotifySidChangeW","features":[152]},{"name":"MsiOpenDatabaseA","features":[152]},{"name":"MsiOpenDatabaseW","features":[152]},{"name":"MsiOpenPackageA","features":[152]},{"name":"MsiOpenPackageExA","features":[152]},{"name":"MsiOpenPackageExW","features":[152]},{"name":"MsiOpenPackageW","features":[152]},{"name":"MsiOpenProductA","features":[152]},{"name":"MsiOpenProductW","features":[152]},{"name":"MsiPreviewBillboardA","features":[152]},{"name":"MsiPreviewBillboardW","features":[152]},{"name":"MsiPreviewDialogA","features":[152]},{"name":"MsiPreviewDialogW","features":[152]},{"name":"MsiProcessAdvertiseScriptA","features":[1,152,49]},{"name":"MsiProcessAdvertiseScriptW","features":[1,152,49]},{"name":"MsiProcessMessage","features":[152]},{"name":"MsiProvideAssemblyA","features":[152]},{"name":"MsiProvideAssemblyW","features":[152]},{"name":"MsiProvideComponentA","features":[152]},{"name":"MsiProvideComponentW","features":[152]},{"name":"MsiProvideQualifiedComponentA","features":[152]},{"name":"MsiProvideQualifiedComponentExA","features":[152]},{"name":"MsiProvideQualifiedComponentExW","features":[152]},{"name":"MsiProvideQualifiedComponentW","features":[152]},{"name":"MsiQueryComponentStateA","features":[152]},{"name":"MsiQueryComponentStateW","features":[152]},{"name":"MsiQueryFeatureStateA","features":[152]},{"name":"MsiQueryFeatureStateExA","features":[152]},{"name":"MsiQueryFeatureStateExW","features":[152]},{"name":"MsiQueryFeatureStateW","features":[152]},{"name":"MsiQueryProductStateA","features":[152]},{"name":"MsiQueryProductStateW","features":[152]},{"name":"MsiRecordClearData","features":[152]},{"name":"MsiRecordDataSize","features":[152]},{"name":"MsiRecordGetFieldCount","features":[152]},{"name":"MsiRecordGetInteger","features":[152]},{"name":"MsiRecordGetStringA","features":[152]},{"name":"MsiRecordGetStringW","features":[152]},{"name":"MsiRecordIsNull","features":[1,152]},{"name":"MsiRecordReadStream","features":[152]},{"name":"MsiRecordSetInteger","features":[152]},{"name":"MsiRecordSetStreamA","features":[152]},{"name":"MsiRecordSetStreamW","features":[152]},{"name":"MsiRecordSetStringA","features":[152]},{"name":"MsiRecordSetStringW","features":[152]},{"name":"MsiReinstallFeatureA","features":[152]},{"name":"MsiReinstallFeatureW","features":[152]},{"name":"MsiReinstallProductA","features":[152]},{"name":"MsiReinstallProductW","features":[152]},{"name":"MsiRemovePatchesA","features":[152]},{"name":"MsiRemovePatchesW","features":[152]},{"name":"MsiSequenceA","features":[152]},{"name":"MsiSequenceW","features":[152]},{"name":"MsiSetComponentStateA","features":[152]},{"name":"MsiSetComponentStateW","features":[152]},{"name":"MsiSetExternalUIA","features":[152]},{"name":"MsiSetExternalUIRecord","features":[152]},{"name":"MsiSetExternalUIW","features":[152]},{"name":"MsiSetFeatureAttributesA","features":[152]},{"name":"MsiSetFeatureAttributesW","features":[152]},{"name":"MsiSetFeatureStateA","features":[152]},{"name":"MsiSetFeatureStateW","features":[152]},{"name":"MsiSetInstallLevel","features":[152]},{"name":"MsiSetInternalUI","features":[1,152]},{"name":"MsiSetMode","features":[1,152]},{"name":"MsiSetPropertyA","features":[152]},{"name":"MsiSetPropertyW","features":[152]},{"name":"MsiSetTargetPathA","features":[152]},{"name":"MsiSetTargetPathW","features":[152]},{"name":"MsiSourceListAddMediaDiskA","features":[152]},{"name":"MsiSourceListAddMediaDiskW","features":[152]},{"name":"MsiSourceListAddSourceA","features":[152]},{"name":"MsiSourceListAddSourceExA","features":[152]},{"name":"MsiSourceListAddSourceExW","features":[152]},{"name":"MsiSourceListAddSourceW","features":[152]},{"name":"MsiSourceListClearAllA","features":[152]},{"name":"MsiSourceListClearAllExA","features":[152]},{"name":"MsiSourceListClearAllExW","features":[152]},{"name":"MsiSourceListClearAllW","features":[152]},{"name":"MsiSourceListClearMediaDiskA","features":[152]},{"name":"MsiSourceListClearMediaDiskW","features":[152]},{"name":"MsiSourceListClearSourceA","features":[152]},{"name":"MsiSourceListClearSourceW","features":[152]},{"name":"MsiSourceListEnumMediaDisksA","features":[152]},{"name":"MsiSourceListEnumMediaDisksW","features":[152]},{"name":"MsiSourceListEnumSourcesA","features":[152]},{"name":"MsiSourceListEnumSourcesW","features":[152]},{"name":"MsiSourceListForceResolutionA","features":[152]},{"name":"MsiSourceListForceResolutionExA","features":[152]},{"name":"MsiSourceListForceResolutionExW","features":[152]},{"name":"MsiSourceListForceResolutionW","features":[152]},{"name":"MsiSourceListGetInfoA","features":[152]},{"name":"MsiSourceListGetInfoW","features":[152]},{"name":"MsiSourceListSetInfoA","features":[152]},{"name":"MsiSourceListSetInfoW","features":[152]},{"name":"MsiSummaryInfoGetPropertyA","features":[1,152]},{"name":"MsiSummaryInfoGetPropertyCount","features":[152]},{"name":"MsiSummaryInfoGetPropertyW","features":[1,152]},{"name":"MsiSummaryInfoPersist","features":[152]},{"name":"MsiSummaryInfoSetPropertyA","features":[1,152]},{"name":"MsiSummaryInfoSetPropertyW","features":[1,152]},{"name":"MsiUseFeatureA","features":[152]},{"name":"MsiUseFeatureExA","features":[152]},{"name":"MsiUseFeatureExW","features":[152]},{"name":"MsiUseFeatureW","features":[152]},{"name":"MsiVerifyDiskSpace","features":[152]},{"name":"MsiVerifyPackageA","features":[152]},{"name":"MsiVerifyPackageW","features":[152]},{"name":"MsiViewClose","features":[152]},{"name":"MsiViewExecute","features":[152]},{"name":"MsiViewFetch","features":[152]},{"name":"MsiViewGetColumnInfo","features":[152]},{"name":"MsiViewGetErrorA","features":[152]},{"name":"MsiViewGetErrorW","features":[152]},{"name":"MsiViewModify","features":[152]},{"name":"MsmMerge","features":[152]},{"name":"NormalizeFileForPatchSignature","features":[1,152]},{"name":"PACKMAN_RUNTIME","features":[152]},{"name":"PACKMAN_RUNTIME_INVALID","features":[152]},{"name":"PACKMAN_RUNTIME_JUPITER","features":[152]},{"name":"PACKMAN_RUNTIME_MODERN_NATIVE","features":[152]},{"name":"PACKMAN_RUNTIME_NATIVE","features":[152]},{"name":"PACKMAN_RUNTIME_SILVERLIGHTMOBILE","features":[152]},{"name":"PACKMAN_RUNTIME_XNA","features":[152]},{"name":"PATCH_IGNORE_RANGE","features":[152]},{"name":"PATCH_INTERLEAVE_MAP","features":[152]},{"name":"PATCH_OLD_FILE_INFO","features":[1,152]},{"name":"PATCH_OLD_FILE_INFO_A","features":[152]},{"name":"PATCH_OLD_FILE_INFO_H","features":[1,152]},{"name":"PATCH_OLD_FILE_INFO_W","features":[152]},{"name":"PATCH_OPTION_DATA","features":[1,152]},{"name":"PATCH_OPTION_FAIL_IF_BIGGER","features":[152]},{"name":"PATCH_OPTION_FAIL_IF_SAME_FILE","features":[152]},{"name":"PATCH_OPTION_INTERLEAVE_FILES","features":[152]},{"name":"PATCH_OPTION_NO_BINDFIX","features":[152]},{"name":"PATCH_OPTION_NO_CHECKSUM","features":[152]},{"name":"PATCH_OPTION_NO_LOCKFIX","features":[152]},{"name":"PATCH_OPTION_NO_REBASE","features":[152]},{"name":"PATCH_OPTION_NO_RESTIMEFIX","features":[152]},{"name":"PATCH_OPTION_NO_TIMESTAMP","features":[152]},{"name":"PATCH_OPTION_RESERVED1","features":[152]},{"name":"PATCH_OPTION_SIGNATURE_MD5","features":[152]},{"name":"PATCH_OPTION_USE_BEST","features":[152]},{"name":"PATCH_OPTION_USE_LZX_A","features":[152]},{"name":"PATCH_OPTION_USE_LZX_B","features":[152]},{"name":"PATCH_OPTION_USE_LZX_BEST","features":[152]},{"name":"PATCH_OPTION_USE_LZX_LARGE","features":[152]},{"name":"PATCH_OPTION_VALID_FLAGS","features":[152]},{"name":"PATCH_RETAIN_RANGE","features":[152]},{"name":"PATCH_SYMBOL_NO_FAILURES","features":[152]},{"name":"PATCH_SYMBOL_NO_IMAGEHLP","features":[152]},{"name":"PATCH_SYMBOL_RESERVED1","features":[152]},{"name":"PATCH_SYMBOL_UNDECORATED_TOO","features":[152]},{"name":"PATCH_TRANSFORM_PE_IRELOC_2","features":[152]},{"name":"PATCH_TRANSFORM_PE_RESOURCE_2","features":[152]},{"name":"PID_APPNAME","features":[152]},{"name":"PID_AUTHOR","features":[152]},{"name":"PID_CHARCOUNT","features":[152]},{"name":"PID_COMMENTS","features":[152]},{"name":"PID_CREATE_DTM","features":[152]},{"name":"PID_EDITTIME","features":[152]},{"name":"PID_KEYWORDS","features":[152]},{"name":"PID_LASTAUTHOR","features":[152]},{"name":"PID_LASTPRINTED","features":[152]},{"name":"PID_LASTSAVE_DTM","features":[152]},{"name":"PID_MSIRESTRICT","features":[152]},{"name":"PID_MSISOURCE","features":[152]},{"name":"PID_MSIVERSION","features":[152]},{"name":"PID_PAGECOUNT","features":[152]},{"name":"PID_REVNUMBER","features":[152]},{"name":"PID_SUBJECT","features":[152]},{"name":"PID_TEMPLATE","features":[152]},{"name":"PID_THUMBNAIL","features":[152]},{"name":"PID_TITLE","features":[152]},{"name":"PID_WORDCOUNT","features":[152]},{"name":"PINSTALLUI_HANDLER_RECORD","features":[152]},{"name":"PMSIHANDLE","features":[152]},{"name":"PMSvc","features":[152]},{"name":"PM_ACTIVATION_POLICY","features":[152]},{"name":"PM_ACTIVATION_POLICY_INVALID","features":[152]},{"name":"PM_ACTIVATION_POLICY_MULTISESSION","features":[152]},{"name":"PM_ACTIVATION_POLICY_REPLACE","features":[152]},{"name":"PM_ACTIVATION_POLICY_REPLACESAMEPARAMS","features":[152]},{"name":"PM_ACTIVATION_POLICY_REPLACE_IGNOREFOREGROUND","features":[152]},{"name":"PM_ACTIVATION_POLICY_RESUME","features":[152]},{"name":"PM_ACTIVATION_POLICY_RESUMESAMEPARAMS","features":[152]},{"name":"PM_ACTIVATION_POLICY_UNKNOWN","features":[152]},{"name":"PM_APPLICATION_HUBTYPE","features":[152]},{"name":"PM_APPLICATION_HUBTYPE_INVALID","features":[152]},{"name":"PM_APPLICATION_HUBTYPE_MUSIC","features":[152]},{"name":"PM_APPLICATION_HUBTYPE_NONMUSIC","features":[152]},{"name":"PM_APPLICATION_INSTALL_DEBUG","features":[152]},{"name":"PM_APPLICATION_INSTALL_ENTERPRISE","features":[152]},{"name":"PM_APPLICATION_INSTALL_INVALID","features":[152]},{"name":"PM_APPLICATION_INSTALL_IN_ROM","features":[152]},{"name":"PM_APPLICATION_INSTALL_NORMAL","features":[152]},{"name":"PM_APPLICATION_INSTALL_PA","features":[152]},{"name":"PM_APPLICATION_INSTALL_TYPE","features":[152]},{"name":"PM_APPLICATION_STATE","features":[152]},{"name":"PM_APPLICATION_STATE_DISABLED_BACKING_UP","features":[152]},{"name":"PM_APPLICATION_STATE_DISABLED_ENTERPRISE","features":[152]},{"name":"PM_APPLICATION_STATE_DISABLED_MDIL_BINDING","features":[152]},{"name":"PM_APPLICATION_STATE_DISABLED_SD_CARD","features":[152]},{"name":"PM_APPLICATION_STATE_INSTALLED","features":[152]},{"name":"PM_APPLICATION_STATE_INSTALLING","features":[152]},{"name":"PM_APPLICATION_STATE_INVALID","features":[152]},{"name":"PM_APPLICATION_STATE_LICENSE_UPDATING","features":[152]},{"name":"PM_APPLICATION_STATE_MAX","features":[152]},{"name":"PM_APPLICATION_STATE_MIN","features":[152]},{"name":"PM_APPLICATION_STATE_MOVING","features":[152]},{"name":"PM_APPLICATION_STATE_UNINSTALLING","features":[152]},{"name":"PM_APPLICATION_STATE_UPDATING","features":[152]},{"name":"PM_APPTASKTYPE","features":[152]},{"name":"PM_APP_FILTER_ALL","features":[152]},{"name":"PM_APP_FILTER_ALL_INCLUDE_MODERN","features":[152]},{"name":"PM_APP_FILTER_FRAMEWORK","features":[152]},{"name":"PM_APP_FILTER_GENRE","features":[152]},{"name":"PM_APP_FILTER_HUBTYPE","features":[152]},{"name":"PM_APP_FILTER_MAX","features":[152]},{"name":"PM_APP_FILTER_NONGAMES","features":[152]},{"name":"PM_APP_FILTER_PINABLEONKIDZONE","features":[152]},{"name":"PM_APP_FILTER_VISIBLE","features":[152]},{"name":"PM_APP_GENRE","features":[152]},{"name":"PM_APP_GENRE_GAMES","features":[152]},{"name":"PM_APP_GENRE_INVALID","features":[152]},{"name":"PM_APP_GENRE_OTHER","features":[152]},{"name":"PM_BSATASKID","features":[152]},{"name":"PM_BWTASKID","features":[152]},{"name":"PM_ENUM_APP_FILTER","features":[152]},{"name":"PM_ENUM_BSA_FILTER","features":[152]},{"name":"PM_ENUM_BSA_FILTER_ALL","features":[152]},{"name":"PM_ENUM_BSA_FILTER_BY_ALL_LAUNCHONBOOT","features":[152]},{"name":"PM_ENUM_BSA_FILTER_BY_PERIODIC","features":[152]},{"name":"PM_ENUM_BSA_FILTER_BY_PRODUCTID","features":[152]},{"name":"PM_ENUM_BSA_FILTER_BY_TASKID","features":[152]},{"name":"PM_ENUM_BSA_FILTER_MAX","features":[152]},{"name":"PM_ENUM_BW_FILTER","features":[152]},{"name":"PM_ENUM_BW_FILTER_BOOTWORKER_ALL","features":[152]},{"name":"PM_ENUM_BW_FILTER_BY_TASKID","features":[152]},{"name":"PM_ENUM_BW_FILTER_MAX","features":[152]},{"name":"PM_ENUM_EXTENSION_FILTER","features":[152]},{"name":"PM_ENUM_EXTENSION_FILTER_APPCONNECT","features":[152]},{"name":"PM_ENUM_EXTENSION_FILTER_BY_CONSUMER","features":[152]},{"name":"PM_ENUM_EXTENSION_FILTER_CACHEDFILEUPDATER_ALL","features":[152]},{"name":"PM_ENUM_EXTENSION_FILTER_FILEOPENPICKER_ALL","features":[152]},{"name":"PM_ENUM_EXTENSION_FILTER_FILESAVEPICKER_ALL","features":[152]},{"name":"PM_ENUM_EXTENSION_FILTER_FTASSOC_APPLICATION_ALL","features":[152]},{"name":"PM_ENUM_EXTENSION_FILTER_FTASSOC_CONTENTTYPE_ALL","features":[152]},{"name":"PM_ENUM_EXTENSION_FILTER_FTASSOC_FILETYPE_ALL","features":[152]},{"name":"PM_ENUM_EXTENSION_FILTER_MAX","features":[152]},{"name":"PM_ENUM_EXTENSION_FILTER_PROTOCOL_ALL","features":[152]},{"name":"PM_ENUM_EXTENSION_FILTER_SHARETARGET_ALL","features":[152]},{"name":"PM_ENUM_FILTER","features":[152]},{"name":"PM_ENUM_TASK_FILTER","features":[152]},{"name":"PM_ENUM_TILE_FILTER","features":[152]},{"name":"PM_EXTENSIONCONSUMER","features":[152]},{"name":"PM_INSTALLINFO","features":[1,152]},{"name":"PM_INVOCATIONINFO","features":[152]},{"name":"PM_LIVETILE_RECURRENCE_TYPE","features":[152]},{"name":"PM_LIVETILE_RECURRENCE_TYPE_INSTANT","features":[152]},{"name":"PM_LIVETILE_RECURRENCE_TYPE_INTERVAL","features":[152]},{"name":"PM_LIVETILE_RECURRENCE_TYPE_MAX","features":[152]},{"name":"PM_LIVETILE_RECURRENCE_TYPE_ONETIME","features":[152]},{"name":"PM_LOGO_SIZE","features":[152]},{"name":"PM_LOGO_SIZE_INVALID","features":[152]},{"name":"PM_LOGO_SIZE_LARGE","features":[152]},{"name":"PM_LOGO_SIZE_MEDIUM","features":[152]},{"name":"PM_LOGO_SIZE_SMALL","features":[152]},{"name":"PM_STARTAPPBLOB","features":[1,152]},{"name":"PM_STARTTILEBLOB","features":[1,152]},{"name":"PM_STARTTILE_TYPE","features":[152]},{"name":"PM_STARTTILE_TYPE_APPLIST","features":[152]},{"name":"PM_STARTTILE_TYPE_APPLISTPRIMARY","features":[152]},{"name":"PM_STARTTILE_TYPE_INVALID","features":[152]},{"name":"PM_STARTTILE_TYPE_PRIMARY","features":[152]},{"name":"PM_STARTTILE_TYPE_SECONDARY","features":[152]},{"name":"PM_TASK_FILTER_APP_ALL","features":[152]},{"name":"PM_TASK_FILTER_APP_TASK_TYPE","features":[152]},{"name":"PM_TASK_FILTER_BGEXECUTION","features":[152]},{"name":"PM_TASK_FILTER_DEHYD_SUPRESSING","features":[152]},{"name":"PM_TASK_FILTER_MAX","features":[152]},{"name":"PM_TASK_FILTER_TASK_TYPE","features":[152]},{"name":"PM_TASK_TRANSITION","features":[152]},{"name":"PM_TASK_TRANSITION_CUSTOM","features":[152]},{"name":"PM_TASK_TRANSITION_DEFAULT","features":[152]},{"name":"PM_TASK_TRANSITION_INVALID","features":[152]},{"name":"PM_TASK_TRANSITION_NONE","features":[152]},{"name":"PM_TASK_TRANSITION_READERBOARD","features":[152]},{"name":"PM_TASK_TRANSITION_SLIDE","features":[152]},{"name":"PM_TASK_TRANSITION_SWIVEL","features":[152]},{"name":"PM_TASK_TRANSITION_TURNSTILE","features":[152]},{"name":"PM_TASK_TYPE","features":[152]},{"name":"PM_TASK_TYPE_BACKGROUNDSERVICEAGENT","features":[152]},{"name":"PM_TASK_TYPE_BACKGROUNDWORKER","features":[152]},{"name":"PM_TASK_TYPE_DEFAULT","features":[152]},{"name":"PM_TASK_TYPE_INVALID","features":[152]},{"name":"PM_TASK_TYPE_NORMAL","features":[152]},{"name":"PM_TASK_TYPE_SETTINGS","features":[152]},{"name":"PM_TILE_FILTER_APPLIST","features":[152]},{"name":"PM_TILE_FILTER_APP_ALL","features":[152]},{"name":"PM_TILE_FILTER_HUBTYPE","features":[152]},{"name":"PM_TILE_FILTER_MAX","features":[152]},{"name":"PM_TILE_FILTER_PINNED","features":[152]},{"name":"PM_TILE_HUBTYPE","features":[152]},{"name":"PM_TILE_HUBTYPE_APPLIST","features":[152]},{"name":"PM_TILE_HUBTYPE_CACHED","features":[152]},{"name":"PM_TILE_HUBTYPE_GAMES","features":[152]},{"name":"PM_TILE_HUBTYPE_INVALID","features":[152]},{"name":"PM_TILE_HUBTYPE_KIDZONE","features":[152]},{"name":"PM_TILE_HUBTYPE_LOCKSCREEN","features":[152]},{"name":"PM_TILE_HUBTYPE_MOSETTINGS","features":[152]},{"name":"PM_TILE_HUBTYPE_MUSIC","features":[152]},{"name":"PM_TILE_HUBTYPE_STARTMENU","features":[152]},{"name":"PM_TILE_SIZE","features":[152]},{"name":"PM_TILE_SIZE_INVALID","features":[152]},{"name":"PM_TILE_SIZE_LARGE","features":[152]},{"name":"PM_TILE_SIZE_MEDIUM","features":[152]},{"name":"PM_TILE_SIZE_SMALL","features":[152]},{"name":"PM_TILE_SIZE_SQUARE310X310","features":[152]},{"name":"PM_TILE_SIZE_TALL150X310","features":[152]},{"name":"PM_UPDATEINFO","features":[152]},{"name":"PM_UPDATEINFO_LEGACY","features":[152]},{"name":"PPATCH_PROGRESS_CALLBACK","features":[1,152]},{"name":"PPATCH_SYMLOAD_CALLBACK","features":[1,152]},{"name":"PROTECTED_FILE_DATA","features":[152]},{"name":"QUERYASMINFO_FLAGS","features":[152]},{"name":"QUERYASMINFO_FLAG_VALIDATE","features":[152]},{"name":"QueryActCtxSettingsW","features":[1,152]},{"name":"QueryActCtxW","features":[1,152]},{"name":"REINSTALLMODE","features":[152]},{"name":"REINSTALLMODE_FILEEQUALVERSION","features":[152]},{"name":"REINSTALLMODE_FILEEXACT","features":[152]},{"name":"REINSTALLMODE_FILEMISSING","features":[152]},{"name":"REINSTALLMODE_FILEOLDERVERSION","features":[152]},{"name":"REINSTALLMODE_FILEREPLACE","features":[152]},{"name":"REINSTALLMODE_FILEVERIFY","features":[152]},{"name":"REINSTALLMODE_MACHINEDATA","features":[152]},{"name":"REINSTALLMODE_PACKAGE","features":[152]},{"name":"REINSTALLMODE_REPAIR","features":[152]},{"name":"REINSTALLMODE_SHORTCUT","features":[152]},{"name":"REINSTALLMODE_USERDATA","features":[152]},{"name":"RESULTTYPES","features":[152]},{"name":"ReleaseActCtx","features":[1,152]},{"name":"SCRIPTFLAGS","features":[152]},{"name":"SCRIPTFLAGS_CACHEINFO","features":[152]},{"name":"SCRIPTFLAGS_MACHINEASSIGN","features":[152]},{"name":"SCRIPTFLAGS_REGDATA","features":[152]},{"name":"SCRIPTFLAGS_REGDATA_APPINFO","features":[152]},{"name":"SCRIPTFLAGS_REGDATA_CLASSINFO","features":[152]},{"name":"SCRIPTFLAGS_REGDATA_CNFGINFO","features":[152]},{"name":"SCRIPTFLAGS_REGDATA_EXTENSIONINFO","features":[152]},{"name":"SCRIPTFLAGS_SHORTCUTS","features":[152]},{"name":"SCRIPTFLAGS_VALIDATE_TRANSFORMS_LIST","features":[152]},{"name":"SFC_DISABLE_ASK","features":[152]},{"name":"SFC_DISABLE_NOPOPUPS","features":[152]},{"name":"SFC_DISABLE_NORMAL","features":[152]},{"name":"SFC_DISABLE_ONCE","features":[152]},{"name":"SFC_DISABLE_SETUP","features":[152]},{"name":"SFC_IDLE_TRIGGER","features":[152]},{"name":"SFC_QUOTA_DEFAULT","features":[152]},{"name":"SFC_SCAN_ALWAYS","features":[152]},{"name":"SFC_SCAN_IMMEDIATE","features":[152]},{"name":"SFC_SCAN_NORMAL","features":[152]},{"name":"SFC_SCAN_ONCE","features":[152]},{"name":"STATUSTYPES","features":[152]},{"name":"STREAM_FORMAT_COMPLIB_MANIFEST","features":[152]},{"name":"STREAM_FORMAT_COMPLIB_MODULE","features":[152]},{"name":"STREAM_FORMAT_WIN32_MANIFEST","features":[152]},{"name":"STREAM_FORMAT_WIN32_MODULE","features":[152]},{"name":"SfcGetNextProtectedFile","features":[1,152]},{"name":"SfcIsFileProtected","features":[1,152]},{"name":"SfcIsKeyProtected","features":[1,152,49]},{"name":"SfpVerifyFile","features":[1,152]},{"name":"TILE_TEMPLATE_AGILESTORE","features":[152]},{"name":"TILE_TEMPLATE_ALL","features":[152]},{"name":"TILE_TEMPLATE_BADGE","features":[152]},{"name":"TILE_TEMPLATE_BLOCK","features":[152]},{"name":"TILE_TEMPLATE_BLOCKANDTEXT01","features":[152]},{"name":"TILE_TEMPLATE_BLOCKANDTEXT02","features":[152]},{"name":"TILE_TEMPLATE_CALENDAR","features":[152]},{"name":"TILE_TEMPLATE_CONTACT","features":[152]},{"name":"TILE_TEMPLATE_CYCLE","features":[152]},{"name":"TILE_TEMPLATE_DEEPLINK","features":[152]},{"name":"TILE_TEMPLATE_DEFAULT","features":[152]},{"name":"TILE_TEMPLATE_FLIP","features":[152]},{"name":"TILE_TEMPLATE_FOLDER","features":[152]},{"name":"TILE_TEMPLATE_GAMES","features":[152]},{"name":"TILE_TEMPLATE_GROUP","features":[152]},{"name":"TILE_TEMPLATE_IMAGE","features":[152]},{"name":"TILE_TEMPLATE_IMAGEANDTEXT01","features":[152]},{"name":"TILE_TEMPLATE_IMAGEANDTEXT02","features":[152]},{"name":"TILE_TEMPLATE_IMAGECOLLECTION","features":[152]},{"name":"TILE_TEMPLATE_INVALID","features":[152]},{"name":"TILE_TEMPLATE_METROCOUNT","features":[152]},{"name":"TILE_TEMPLATE_METROCOUNTQUEUE","features":[152]},{"name":"TILE_TEMPLATE_MUSICVIDEO","features":[152]},{"name":"TILE_TEMPLATE_PEEKIMAGE01","features":[152]},{"name":"TILE_TEMPLATE_PEEKIMAGE02","features":[152]},{"name":"TILE_TEMPLATE_PEEKIMAGE03","features":[152]},{"name":"TILE_TEMPLATE_PEEKIMAGE04","features":[152]},{"name":"TILE_TEMPLATE_PEEKIMAGE05","features":[152]},{"name":"TILE_TEMPLATE_PEEKIMAGE06","features":[152]},{"name":"TILE_TEMPLATE_PEEKIMAGEANDTEXT01","features":[152]},{"name":"TILE_TEMPLATE_PEEKIMAGEANDTEXT02","features":[152]},{"name":"TILE_TEMPLATE_PEEKIMAGEANDTEXT03","features":[152]},{"name":"TILE_TEMPLATE_PEEKIMAGEANDTEXT04","features":[152]},{"name":"TILE_TEMPLATE_PEEKIMAGECOLLECTION01","features":[152]},{"name":"TILE_TEMPLATE_PEEKIMAGECOLLECTION02","features":[152]},{"name":"TILE_TEMPLATE_PEEKIMAGECOLLECTION03","features":[152]},{"name":"TILE_TEMPLATE_PEEKIMAGECOLLECTION04","features":[152]},{"name":"TILE_TEMPLATE_PEEKIMAGECOLLECTION05","features":[152]},{"name":"TILE_TEMPLATE_PEEKIMAGECOLLECTION06","features":[152]},{"name":"TILE_TEMPLATE_PEOPLE","features":[152]},{"name":"TILE_TEMPLATE_SEARCH","features":[152]},{"name":"TILE_TEMPLATE_SMALLIMAGEANDTEXT01","features":[152]},{"name":"TILE_TEMPLATE_SMALLIMAGEANDTEXT02","features":[152]},{"name":"TILE_TEMPLATE_SMALLIMAGEANDTEXT03","features":[152]},{"name":"TILE_TEMPLATE_SMALLIMAGEANDTEXT04","features":[152]},{"name":"TILE_TEMPLATE_SMALLIMAGEANDTEXT05","features":[152]},{"name":"TILE_TEMPLATE_TEXT01","features":[152]},{"name":"TILE_TEMPLATE_TEXT02","features":[152]},{"name":"TILE_TEMPLATE_TEXT03","features":[152]},{"name":"TILE_TEMPLATE_TEXT04","features":[152]},{"name":"TILE_TEMPLATE_TEXT05","features":[152]},{"name":"TILE_TEMPLATE_TEXT06","features":[152]},{"name":"TILE_TEMPLATE_TEXT07","features":[152]},{"name":"TILE_TEMPLATE_TEXT08","features":[152]},{"name":"TILE_TEMPLATE_TEXT09","features":[152]},{"name":"TILE_TEMPLATE_TEXT10","features":[152]},{"name":"TILE_TEMPLATE_TEXT11","features":[152]},{"name":"TILE_TEMPLATE_TILEFLYOUT01","features":[152]},{"name":"TILE_TEMPLATE_TYPE","features":[152]},{"name":"TXTLOG_BACKUP","features":[152]},{"name":"TXTLOG_CMI","features":[152]},{"name":"TXTLOG_COPYFILES","features":[152]},{"name":"TXTLOG_DEPTH_DECR","features":[152]},{"name":"TXTLOG_DEPTH_INCR","features":[152]},{"name":"TXTLOG_DETAILS","features":[152]},{"name":"TXTLOG_DEVINST","features":[152]},{"name":"TXTLOG_DEVMGR","features":[152]},{"name":"TXTLOG_DRIVER_STORE","features":[152]},{"name":"TXTLOG_DRVSETUP","features":[152]},{"name":"TXTLOG_ERROR","features":[152]},{"name":"TXTLOG_FILEQ","features":[152]},{"name":"TXTLOG_FLUSH_FILE","features":[152]},{"name":"TXTLOG_INF","features":[152]},{"name":"TXTLOG_INFDB","features":[152]},{"name":"TXTLOG_INSTALLER","features":[152]},{"name":"TXTLOG_NEWDEV","features":[152]},{"name":"TXTLOG_POLICY","features":[152]},{"name":"TXTLOG_RESERVED_FLAGS","features":[152]},{"name":"TXTLOG_SETUP","features":[152]},{"name":"TXTLOG_SETUPAPI_BITS","features":[152]},{"name":"TXTLOG_SETUPAPI_CMDLINE","features":[152]},{"name":"TXTLOG_SETUPAPI_DEVLOG","features":[152]},{"name":"TXTLOG_SIGVERIF","features":[152]},{"name":"TXTLOG_SUMMARY","features":[152]},{"name":"TXTLOG_SYSTEM_STATE_CHANGE","features":[152]},{"name":"TXTLOG_TAB_1","features":[152]},{"name":"TXTLOG_TIMESTAMP","features":[152]},{"name":"TXTLOG_UI","features":[152]},{"name":"TXTLOG_UMPNPMGR","features":[152]},{"name":"TXTLOG_UTIL","features":[152]},{"name":"TXTLOG_VENDOR","features":[152]},{"name":"TXTLOG_VERBOSE","features":[152]},{"name":"TXTLOG_VERY_VERBOSE","features":[152]},{"name":"TXTLOG_WARNING","features":[152]},{"name":"TestApplyPatchToFileA","features":[1,152]},{"name":"TestApplyPatchToFileByBuffers","features":[1,152]},{"name":"TestApplyPatchToFileByHandles","features":[1,152]},{"name":"TestApplyPatchToFileW","features":[1,152]},{"name":"UIALL","features":[152]},{"name":"UILOGBITS","features":[152]},{"name":"UINONE","features":[152]},{"name":"USERINFOSTATE","features":[152]},{"name":"USERINFOSTATE_ABSENT","features":[152]},{"name":"USERINFOSTATE_INVALIDARG","features":[152]},{"name":"USERINFOSTATE_MOREDATA","features":[152]},{"name":"USERINFOSTATE_PRESENT","features":[152]},{"name":"USERINFOSTATE_UNKNOWN","features":[152]},{"name":"WARN_BAD_MAJOR_VERSION","features":[152]},{"name":"WARN_BASE","features":[152]},{"name":"WARN_EQUAL_FILE_VERSION","features":[152]},{"name":"WARN_FILE_VERSION_DOWNREV","features":[152]},{"name":"WARN_IMPROPER_TRANSFORM_VALIDATION","features":[152]},{"name":"WARN_INVALID_TRANSFORM_VALIDATION","features":[152]},{"name":"WARN_MAJOR_UPGRADE_PATCH","features":[152]},{"name":"WARN_OBSOLETION_WITH_MSI30","features":[152]},{"name":"WARN_OBSOLETION_WITH_PATCHSEQUENCE","features":[152]},{"name":"WARN_OBSOLETION_WITH_SEQUENCE_DATA","features":[152]},{"name":"WARN_PATCHPROPERTYNOTSET","features":[152]},{"name":"WARN_PCW_MISMATCHED_PRODUCT_CODES","features":[152]},{"name":"WARN_PCW_MISMATCHED_PRODUCT_VERSIONS","features":[152]},{"name":"WARN_SEQUENCE_DATA_GENERATION_DISABLED","features":[152]},{"name":"WARN_SEQUENCE_DATA_SUPERSEDENCE_IGNORED","features":[152]},{"name":"ZombifyActCtx","features":[1,152]},{"name":"_WIN32_MSI","features":[152]},{"name":"_WIN32_MSM","features":[152]},{"name":"cchMaxInteger","features":[152]},{"name":"ieError","features":[152]},{"name":"ieInfo","features":[152]},{"name":"ieStatusCancel","features":[152]},{"name":"ieStatusCreateEngine","features":[152]},{"name":"ieStatusFail","features":[152]},{"name":"ieStatusGetCUB","features":[152]},{"name":"ieStatusICECount","features":[152]},{"name":"ieStatusMerge","features":[152]},{"name":"ieStatusRunICE","features":[152]},{"name":"ieStatusShutdown","features":[152]},{"name":"ieStatusStarting","features":[152]},{"name":"ieStatusSuccess","features":[152]},{"name":"ieStatusSummaryInfo","features":[152]},{"name":"ieUnknown","features":[152]},{"name":"ieWarning","features":[152]},{"name":"msidbAssemblyAttributes","features":[152]},{"name":"msidbAssemblyAttributesURT","features":[152]},{"name":"msidbAssemblyAttributesWin32","features":[152]},{"name":"msidbClassAttributes","features":[152]},{"name":"msidbClassAttributesRelativePath","features":[152]},{"name":"msidbComponentAttributes","features":[152]},{"name":"msidbComponentAttributes64bit","features":[152]},{"name":"msidbComponentAttributesDisableRegistryReflection","features":[152]},{"name":"msidbComponentAttributesLocalOnly","features":[152]},{"name":"msidbComponentAttributesNeverOverwrite","features":[152]},{"name":"msidbComponentAttributesODBCDataSource","features":[152]},{"name":"msidbComponentAttributesOptional","features":[152]},{"name":"msidbComponentAttributesPermanent","features":[152]},{"name":"msidbComponentAttributesRegistryKeyPath","features":[152]},{"name":"msidbComponentAttributesShared","features":[152]},{"name":"msidbComponentAttributesSharedDllRefCount","features":[152]},{"name":"msidbComponentAttributesSourceOnly","features":[152]},{"name":"msidbComponentAttributesTransitive","features":[152]},{"name":"msidbComponentAttributesUninstallOnSupersedence","features":[152]},{"name":"msidbControlAttributes","features":[152]},{"name":"msidbControlAttributesBiDi","features":[152]},{"name":"msidbControlAttributesBitmap","features":[152]},{"name":"msidbControlAttributesCDROMVolume","features":[152]},{"name":"msidbControlAttributesComboList","features":[152]},{"name":"msidbControlAttributesElevationShield","features":[152]},{"name":"msidbControlAttributesEnabled","features":[152]},{"name":"msidbControlAttributesFixedSize","features":[152]},{"name":"msidbControlAttributesFixedVolume","features":[152]},{"name":"msidbControlAttributesFloppyVolume","features":[152]},{"name":"msidbControlAttributesFormatSize","features":[152]},{"name":"msidbControlAttributesHasBorder","features":[152]},{"name":"msidbControlAttributesIcon","features":[152]},{"name":"msidbControlAttributesIconSize16","features":[152]},{"name":"msidbControlAttributesIconSize32","features":[152]},{"name":"msidbControlAttributesIconSize48","features":[152]},{"name":"msidbControlAttributesImageHandle","features":[152]},{"name":"msidbControlAttributesIndirect","features":[152]},{"name":"msidbControlAttributesInteger","features":[152]},{"name":"msidbControlAttributesLeftScroll","features":[152]},{"name":"msidbControlAttributesMultiline","features":[152]},{"name":"msidbControlAttributesNoPrefix","features":[152]},{"name":"msidbControlAttributesNoWrap","features":[152]},{"name":"msidbControlAttributesPasswordInput","features":[152]},{"name":"msidbControlAttributesProgress95","features":[152]},{"name":"msidbControlAttributesPushLike","features":[152]},{"name":"msidbControlAttributesRAMDiskVolume","features":[152]},{"name":"msidbControlAttributesRTLRO","features":[152]},{"name":"msidbControlAttributesRemoteVolume","features":[152]},{"name":"msidbControlAttributesRemovableVolume","features":[152]},{"name":"msidbControlAttributesRightAligned","features":[152]},{"name":"msidbControlAttributesSorted","features":[152]},{"name":"msidbControlAttributesSunken","features":[152]},{"name":"msidbControlAttributesTransparent","features":[152]},{"name":"msidbControlAttributesUsersLanguage","features":[152]},{"name":"msidbControlAttributesVisible","features":[152]},{"name":"msidbControlShowRollbackCost","features":[152]},{"name":"msidbCustomActionType","features":[152]},{"name":"msidbCustomActionType64BitScript","features":[152]},{"name":"msidbCustomActionTypeAsync","features":[152]},{"name":"msidbCustomActionTypeBinaryData","features":[152]},{"name":"msidbCustomActionTypeClientRepeat","features":[152]},{"name":"msidbCustomActionTypeCommit","features":[152]},{"name":"msidbCustomActionTypeContinue","features":[152]},{"name":"msidbCustomActionTypeDirectory","features":[152]},{"name":"msidbCustomActionTypeDll","features":[152]},{"name":"msidbCustomActionTypeExe","features":[152]},{"name":"msidbCustomActionTypeFirstSequence","features":[152]},{"name":"msidbCustomActionTypeHideTarget","features":[152]},{"name":"msidbCustomActionTypeInScript","features":[152]},{"name":"msidbCustomActionTypeInstall","features":[152]},{"name":"msidbCustomActionTypeJScript","features":[152]},{"name":"msidbCustomActionTypeNoImpersonate","features":[152]},{"name":"msidbCustomActionTypeOncePerProcess","features":[152]},{"name":"msidbCustomActionTypePatchUninstall","features":[152]},{"name":"msidbCustomActionTypeProperty","features":[152]},{"name":"msidbCustomActionTypeRollback","features":[152]},{"name":"msidbCustomActionTypeSourceFile","features":[152]},{"name":"msidbCustomActionTypeTSAware","features":[152]},{"name":"msidbCustomActionTypeTextData","features":[152]},{"name":"msidbCustomActionTypeVBScript","features":[152]},{"name":"msidbDialogAttributes","features":[152]},{"name":"msidbDialogAttributesBiDi","features":[152]},{"name":"msidbDialogAttributesError","features":[152]},{"name":"msidbDialogAttributesKeepModeless","features":[152]},{"name":"msidbDialogAttributesLeftScroll","features":[152]},{"name":"msidbDialogAttributesMinimize","features":[152]},{"name":"msidbDialogAttributesModal","features":[152]},{"name":"msidbDialogAttributesRTLRO","features":[152]},{"name":"msidbDialogAttributesRightAligned","features":[152]},{"name":"msidbDialogAttributesSysModal","features":[152]},{"name":"msidbDialogAttributesTrackDiskSpace","features":[152]},{"name":"msidbDialogAttributesUseCustomPalette","features":[152]},{"name":"msidbDialogAttributesVisible","features":[152]},{"name":"msidbEmbeddedHandlesBasic","features":[152]},{"name":"msidbEmbeddedUI","features":[152]},{"name":"msidbEmbeddedUIAttributes","features":[152]},{"name":"msidbFeatureAttributes","features":[152]},{"name":"msidbFeatureAttributesDisallowAdvertise","features":[152]},{"name":"msidbFeatureAttributesFavorAdvertise","features":[152]},{"name":"msidbFeatureAttributesFavorLocal","features":[152]},{"name":"msidbFeatureAttributesFavorSource","features":[152]},{"name":"msidbFeatureAttributesFollowParent","features":[152]},{"name":"msidbFeatureAttributesNoUnsupportedAdvertise","features":[152]},{"name":"msidbFeatureAttributesUIDisallowAbsent","features":[152]},{"name":"msidbFileAttributes","features":[152]},{"name":"msidbFileAttributesChecksum","features":[152]},{"name":"msidbFileAttributesCompressed","features":[152]},{"name":"msidbFileAttributesHidden","features":[152]},{"name":"msidbFileAttributesIsolatedComp","features":[152]},{"name":"msidbFileAttributesNoncompressed","features":[152]},{"name":"msidbFileAttributesPatchAdded","features":[152]},{"name":"msidbFileAttributesReadOnly","features":[152]},{"name":"msidbFileAttributesReserved0","features":[152]},{"name":"msidbFileAttributesReserved1","features":[152]},{"name":"msidbFileAttributesReserved2","features":[152]},{"name":"msidbFileAttributesReserved3","features":[152]},{"name":"msidbFileAttributesReserved4","features":[152]},{"name":"msidbFileAttributesSystem","features":[152]},{"name":"msidbFileAttributesVital","features":[152]},{"name":"msidbIniFileAction","features":[152]},{"name":"msidbIniFileActionAddLine","features":[152]},{"name":"msidbIniFileActionAddTag","features":[152]},{"name":"msidbIniFileActionCreateLine","features":[152]},{"name":"msidbIniFileActionRemoveLine","features":[152]},{"name":"msidbIniFileActionRemoveTag","features":[152]},{"name":"msidbLocatorType","features":[152]},{"name":"msidbLocatorType64bit","features":[152]},{"name":"msidbLocatorTypeDirectory","features":[152]},{"name":"msidbLocatorTypeFileName","features":[152]},{"name":"msidbLocatorTypeRawValue","features":[152]},{"name":"msidbMoveFileOptions","features":[152]},{"name":"msidbMoveFileOptionsMove","features":[152]},{"name":"msidbODBCDataSourceRegistration","features":[152]},{"name":"msidbODBCDataSourceRegistrationPerMachine","features":[152]},{"name":"msidbODBCDataSourceRegistrationPerUser","features":[152]},{"name":"msidbPatchAttributes","features":[152]},{"name":"msidbPatchAttributesNonVital","features":[152]},{"name":"msidbRegistryRoot","features":[152]},{"name":"msidbRegistryRootClassesRoot","features":[152]},{"name":"msidbRegistryRootCurrentUser","features":[152]},{"name":"msidbRegistryRootLocalMachine","features":[152]},{"name":"msidbRegistryRootUsers","features":[152]},{"name":"msidbRemoveFileInstallMode","features":[152]},{"name":"msidbRemoveFileInstallModeOnBoth","features":[152]},{"name":"msidbRemoveFileInstallModeOnInstall","features":[152]},{"name":"msidbRemoveFileInstallModeOnRemove","features":[152]},{"name":"msidbServiceConfigEvent","features":[152]},{"name":"msidbServiceConfigEventInstall","features":[152]},{"name":"msidbServiceConfigEventReinstall","features":[152]},{"name":"msidbServiceConfigEventUninstall","features":[152]},{"name":"msidbServiceControlEvent","features":[152]},{"name":"msidbServiceControlEventDelete","features":[152]},{"name":"msidbServiceControlEventStart","features":[152]},{"name":"msidbServiceControlEventStop","features":[152]},{"name":"msidbServiceControlEventUninstallDelete","features":[152]},{"name":"msidbServiceControlEventUninstallStart","features":[152]},{"name":"msidbServiceControlEventUninstallStop","features":[152]},{"name":"msidbServiceInstallErrorControl","features":[152]},{"name":"msidbServiceInstallErrorControlVital","features":[152]},{"name":"msidbSumInfoSourceType","features":[152]},{"name":"msidbSumInfoSourceTypeAdminImage","features":[152]},{"name":"msidbSumInfoSourceTypeCompressed","features":[152]},{"name":"msidbSumInfoSourceTypeLUAPackage","features":[152]},{"name":"msidbSumInfoSourceTypeSFN","features":[152]},{"name":"msidbTextStyleStyleBits","features":[152]},{"name":"msidbTextStyleStyleBitsBold","features":[152]},{"name":"msidbTextStyleStyleBitsItalic","features":[152]},{"name":"msidbTextStyleStyleBitsStrike","features":[152]},{"name":"msidbTextStyleStyleBitsUnderline","features":[152]},{"name":"msidbUpgradeAttributes","features":[152]},{"name":"msidbUpgradeAttributesIgnoreRemoveFailure","features":[152]},{"name":"msidbUpgradeAttributesLanguagesExclusive","features":[152]},{"name":"msidbUpgradeAttributesMigrateFeatures","features":[152]},{"name":"msidbUpgradeAttributesOnlyDetect","features":[152]},{"name":"msidbUpgradeAttributesVersionMaxInclusive","features":[152]},{"name":"msidbUpgradeAttributesVersionMinInclusive","features":[152]},{"name":"msifiFastInstallBits","features":[152]},{"name":"msifiFastInstallLessPrgMsg","features":[152]},{"name":"msifiFastInstallNoSR","features":[152]},{"name":"msifiFastInstallQuickCosting","features":[152]},{"name":"msirbRebootCustomActionReason","features":[152]},{"name":"msirbRebootDeferred","features":[152]},{"name":"msirbRebootForceRebootReason","features":[152]},{"name":"msirbRebootImmediate","features":[152]},{"name":"msirbRebootInUseFilesReason","features":[152]},{"name":"msirbRebootReason","features":[152]},{"name":"msirbRebootScheduleRebootReason","features":[152]},{"name":"msirbRebootType","features":[152]},{"name":"msirbRebootUndeterminedReason","features":[152]},{"name":"msmErrorDirCreate","features":[152]},{"name":"msmErrorExclusion","features":[152]},{"name":"msmErrorFeatureRequired","features":[152]},{"name":"msmErrorFileCreate","features":[152]},{"name":"msmErrorLanguageFailed","features":[152]},{"name":"msmErrorLanguageUnsupported","features":[152]},{"name":"msmErrorResequenceMerge","features":[152]},{"name":"msmErrorTableMerge","features":[152]},{"name":"msmErrorType","features":[152]}],"531":[{"name":"AVRF_BACKTRACE_INFORMATION","features":[153]},{"name":"AVRF_ENUM_RESOURCES_FLAGS_DONT_RESOLVE_TRACES","features":[153]},{"name":"AVRF_ENUM_RESOURCES_FLAGS_SUSPEND","features":[153]},{"name":"AVRF_HANDLEOPERATION_ENUMERATE_CALLBACK","features":[153]},{"name":"AVRF_HANDLE_OPERATION","features":[153]},{"name":"AVRF_HEAPALLOCATION_ENUMERATE_CALLBACK","features":[153]},{"name":"AVRF_HEAP_ALLOCATION","features":[153]},{"name":"AVRF_MAX_TRACES","features":[153]},{"name":"AVRF_RESOURCE_ENUMERATE_CALLBACK","features":[153]},{"name":"AllocationStateBusy","features":[153]},{"name":"AllocationStateFree","features":[153]},{"name":"AllocationStateUnknown","features":[153]},{"name":"AvrfResourceHandleTrace","features":[153]},{"name":"AvrfResourceHeapAllocation","features":[153]},{"name":"AvrfResourceMax","features":[153]},{"name":"HeapEnumerationEverything","features":[153]},{"name":"HeapEnumerationStop","features":[153]},{"name":"HeapFullPageHeap","features":[153]},{"name":"HeapMetadata","features":[153]},{"name":"HeapStateMask","features":[153]},{"name":"OperationDbBADREF","features":[153]},{"name":"OperationDbCLOSE","features":[153]},{"name":"OperationDbOPEN","features":[153]},{"name":"OperationDbUnused","features":[153]},{"name":"VERIFIER_ENUM_RESOURCE_FLAGS","features":[153]},{"name":"VerifierEnumerateResource","features":[1,153]},{"name":"eAvrfResourceTypes","features":[153]},{"name":"eHANDLE_TRACE_OPERATIONS","features":[153]},{"name":"eHeapAllocationState","features":[153]},{"name":"eHeapEnumerationLevel","features":[153]},{"name":"eUserAllocationState","features":[153]}],"533":[{"name":"APPDOMAIN_FORCE_TRIVIAL_WAIT_OPERATIONS","features":[154]},{"name":"APPDOMAIN_SECURITY_DEFAULT","features":[154]},{"name":"APPDOMAIN_SECURITY_FLAGS","features":[154]},{"name":"APPDOMAIN_SECURITY_FORBID_CROSSAD_REVERSE_PINVOKE","features":[154]},{"name":"APPDOMAIN_SECURITY_SANDBOXED","features":[154]},{"name":"AssemblyBindInfo","features":[154]},{"name":"BucketParamLength","features":[154]},{"name":"BucketParameterIndex","features":[154]},{"name":"BucketParameters","features":[1,154]},{"name":"BucketParamsCount","features":[154]},{"name":"CLRCreateInstance","features":[154]},{"name":"CLRCreateInstanceFnPtr","features":[154]},{"name":"CLRRuntimeHost","features":[154]},{"name":"CLR_ASSEMBLY_BUILD_VERSION","features":[154]},{"name":"CLR_ASSEMBLY_IDENTITY_FLAGS_DEFAULT","features":[154]},{"name":"CLR_ASSEMBLY_MAJOR_VERSION","features":[154]},{"name":"CLR_ASSEMBLY_MINOR_VERSION","features":[154]},{"name":"CLR_BUILD_VERSION","features":[154]},{"name":"CLR_DEBUGGING_MANAGED_EVENT_DEBUGGER_LAUNCH","features":[154]},{"name":"CLR_DEBUGGING_MANAGED_EVENT_PENDING","features":[154]},{"name":"CLR_DEBUGGING_PROCESS_FLAGS","features":[154]},{"name":"CLR_DEBUGGING_VERSION","features":[154]},{"name":"CLR_MAJOR_VERSION","features":[154]},{"name":"CLR_MINOR_VERSION","features":[154]},{"name":"CLSID_CLRDebugging","features":[154]},{"name":"CLSID_CLRDebuggingLegacy","features":[154]},{"name":"CLSID_CLRMetaHost","features":[154]},{"name":"CLSID_CLRMetaHostPolicy","features":[154]},{"name":"CLSID_CLRProfiling","features":[154]},{"name":"CLSID_CLRStrongName","features":[154]},{"name":"CLSID_RESOLUTION_DEFAULT","features":[154]},{"name":"CLSID_RESOLUTION_FLAGS","features":[154]},{"name":"CLSID_RESOLUTION_REGISTERED","features":[154]},{"name":"COR_GC_COUNTS","features":[154]},{"name":"COR_GC_MEMORYUSAGE","features":[154]},{"name":"COR_GC_STATS","features":[154]},{"name":"COR_GC_STAT_TYPES","features":[154]},{"name":"COR_GC_THREAD_HAS_PROMOTED_BYTES","features":[154]},{"name":"COR_GC_THREAD_STATS","features":[154]},{"name":"COR_GC_THREAD_STATS_TYPES","features":[154]},{"name":"CallFunctionShim","features":[154]},{"name":"CallbackThreadSetFnPtr","features":[154]},{"name":"CallbackThreadUnsetFnPtr","features":[154]},{"name":"ClrCreateManagedInstance","features":[154]},{"name":"ComCallUnmarshal","features":[154]},{"name":"ComCallUnmarshalV4","features":[154]},{"name":"CorBindToCurrentRuntime","features":[154]},{"name":"CorBindToRuntime","features":[154]},{"name":"CorBindToRuntimeByCfg","features":[154]},{"name":"CorBindToRuntimeEx","features":[154]},{"name":"CorBindToRuntimeHost","features":[154]},{"name":"CorExitProcess","features":[154]},{"name":"CorLaunchApplication","features":[1,154,37]},{"name":"CorMarkThreadInThreadPool","features":[154]},{"name":"CorRuntimeHost","features":[154]},{"name":"CreateDebuggingInterfaceFromVersion","features":[154]},{"name":"CreateInterfaceFnPtr","features":[154]},{"name":"CustomDumpItem","features":[154]},{"name":"DEPRECATED_CLR_API_MESG","features":[154]},{"name":"DUMP_FLAVOR_CriticalCLRState","features":[154]},{"name":"DUMP_FLAVOR_Default","features":[154]},{"name":"DUMP_FLAVOR_Mini","features":[154]},{"name":"DUMP_FLAVOR_NonHeapCLRState","features":[154]},{"name":"DUMP_ITEM_None","features":[154]},{"name":"EApiCategories","features":[154]},{"name":"EBindPolicyLevels","features":[154]},{"name":"ECLRAssemblyIdentityFlags","features":[154]},{"name":"EClrEvent","features":[154]},{"name":"EClrFailure","features":[154]},{"name":"EClrOperation","features":[154]},{"name":"EClrUnhandledException","features":[154]},{"name":"EContextType","features":[154]},{"name":"ECustomDumpFlavor","features":[154]},{"name":"ECustomDumpItemKind","features":[154]},{"name":"EHostApplicationPolicy","features":[154]},{"name":"EHostBindingPolicyModifyFlags","features":[154]},{"name":"EInitializeNewDomainFlags","features":[154]},{"name":"EMemoryAvailable","features":[154]},{"name":"EMemoryCriticalLevel","features":[154]},{"name":"EPolicyAction","features":[154]},{"name":"ESymbolReadingPolicy","features":[154]},{"name":"ETaskType","features":[154]},{"name":"Event_ClrDisabled","features":[154]},{"name":"Event_DomainUnload","features":[154]},{"name":"Event_MDAFired","features":[154]},{"name":"Event_StackOverflow","features":[154]},{"name":"FAIL_AccessViolation","features":[154]},{"name":"FAIL_CodeContract","features":[154]},{"name":"FAIL_CriticalResource","features":[154]},{"name":"FAIL_FatalRuntime","features":[154]},{"name":"FAIL_NonCriticalResource","features":[154]},{"name":"FAIL_OrphanedLock","features":[154]},{"name":"FAIL_StackOverflow","features":[154]},{"name":"FExecuteInAppDomainCallback","features":[154]},{"name":"FLockClrVersionCallback","features":[154]},{"name":"GetCLRIdentityManager","features":[154]},{"name":"GetCORRequiredVersion","features":[154]},{"name":"GetCORSystemDirectory","features":[154]},{"name":"GetCORVersion","features":[154]},{"name":"GetFileVersion","features":[154]},{"name":"GetRealProcAddress","features":[154]},{"name":"GetRequestedRuntimeInfo","features":[154]},{"name":"GetRequestedRuntimeVersion","features":[154]},{"name":"GetRequestedRuntimeVersionForCLSID","features":[154]},{"name":"GetVersionFromProcess","features":[1,154]},{"name":"HOST_APPLICATION_BINDING_POLICY","features":[154]},{"name":"HOST_BINDING_POLICY_MODIFY_CHAIN","features":[154]},{"name":"HOST_BINDING_POLICY_MODIFY_DEFAULT","features":[154]},{"name":"HOST_BINDING_POLICY_MODIFY_MAX","features":[154]},{"name":"HOST_BINDING_POLICY_MODIFY_REMOVE","features":[154]},{"name":"HOST_TYPE","features":[154]},{"name":"HOST_TYPE_APPLAUNCH","features":[154]},{"name":"HOST_TYPE_CORFLAG","features":[154]},{"name":"HOST_TYPE_DEFAULT","features":[154]},{"name":"IActionOnCLREvent","features":[154]},{"name":"IApartmentCallback","features":[154]},{"name":"IAppDomainBinding","features":[154]},{"name":"ICLRAppDomainResourceMonitor","features":[154]},{"name":"ICLRAssemblyIdentityManager","features":[154]},{"name":"ICLRAssemblyReferenceList","features":[154]},{"name":"ICLRControl","features":[154]},{"name":"ICLRDebugManager","features":[154]},{"name":"ICLRDebugging","features":[154]},{"name":"ICLRDebuggingLibraryProvider","features":[154]},{"name":"ICLRDomainManager","features":[154]},{"name":"ICLRErrorReportingManager","features":[154]},{"name":"ICLRGCManager","features":[154]},{"name":"ICLRGCManager2","features":[154]},{"name":"ICLRHostBindingPolicyManager","features":[154]},{"name":"ICLRHostProtectionManager","features":[154]},{"name":"ICLRIoCompletionManager","features":[154]},{"name":"ICLRMemoryNotificationCallback","features":[154]},{"name":"ICLRMetaHost","features":[154]},{"name":"ICLRMetaHostPolicy","features":[154]},{"name":"ICLROnEventManager","features":[154]},{"name":"ICLRPolicyManager","features":[154]},{"name":"ICLRProbingAssemblyEnum","features":[154]},{"name":"ICLRProfiling","features":[154]},{"name":"ICLRReferenceAssemblyEnum","features":[154]},{"name":"ICLRRuntimeHost","features":[154]},{"name":"ICLRRuntimeInfo","features":[154]},{"name":"ICLRStrongName","features":[154]},{"name":"ICLRStrongName2","features":[154]},{"name":"ICLRStrongName3","features":[154]},{"name":"ICLRSyncManager","features":[154]},{"name":"ICLRTask","features":[154]},{"name":"ICLRTask2","features":[154]},{"name":"ICLRTaskManager","features":[154]},{"name":"ICatalogServices","features":[154]},{"name":"ICorConfiguration","features":[154]},{"name":"ICorRuntimeHost","features":[154]},{"name":"ICorThreadpool","features":[154]},{"name":"IDebuggerInfo","features":[154]},{"name":"IDebuggerThreadControl","features":[154]},{"name":"IGCHost","features":[154]},{"name":"IGCHost2","features":[154]},{"name":"IGCHostControl","features":[154]},{"name":"IGCThreadControl","features":[154]},{"name":"IHostAssemblyManager","features":[154]},{"name":"IHostAssemblyStore","features":[154]},{"name":"IHostAutoEvent","features":[154]},{"name":"IHostControl","features":[154]},{"name":"IHostCrst","features":[154]},{"name":"IHostGCManager","features":[154]},{"name":"IHostIoCompletionManager","features":[154]},{"name":"IHostMalloc","features":[154]},{"name":"IHostManualEvent","features":[154]},{"name":"IHostMemoryManager","features":[154]},{"name":"IHostPolicyManager","features":[154]},{"name":"IHostSecurityContext","features":[154]},{"name":"IHostSecurityManager","features":[154]},{"name":"IHostSemaphore","features":[154]},{"name":"IHostSyncManager","features":[154]},{"name":"IHostTask","features":[154]},{"name":"IHostTaskManager","features":[154]},{"name":"IHostThreadpoolManager","features":[154]},{"name":"IManagedObject","features":[154]},{"name":"IObjectHandle","features":[154]},{"name":"ITypeName","features":[154]},{"name":"ITypeNameBuilder","features":[154]},{"name":"ITypeNameFactory","features":[154]},{"name":"InvalidBucketParamIndex","features":[154]},{"name":"LIBID_mscoree","features":[154]},{"name":"LoadLibraryShim","features":[1,154]},{"name":"LoadStringRC","features":[154]},{"name":"LoadStringRCEx","features":[154]},{"name":"LockClrVersion","features":[154]},{"name":"MALLOC_EXECUTABLE","features":[154]},{"name":"MALLOC_THREADSAFE","features":[154]},{"name":"MALLOC_TYPE","features":[154]},{"name":"MDAInfo","features":[154]},{"name":"METAHOST_CONFIG_FLAGS","features":[154]},{"name":"METAHOST_CONFIG_FLAGS_LEGACY_V2_ACTIVATION_POLICY_FALSE","features":[154]},{"name":"METAHOST_CONFIG_FLAGS_LEGACY_V2_ACTIVATION_POLICY_MASK","features":[154]},{"name":"METAHOST_CONFIG_FLAGS_LEGACY_V2_ACTIVATION_POLICY_TRUE","features":[154]},{"name":"METAHOST_CONFIG_FLAGS_LEGACY_V2_ACTIVATION_POLICY_UNSET","features":[154]},{"name":"METAHOST_POLICY_APPLY_UPGRADE_POLICY","features":[154]},{"name":"METAHOST_POLICY_EMULATE_EXE_LAUNCH","features":[154]},{"name":"METAHOST_POLICY_ENSURE_SKU_SUPPORTED","features":[154]},{"name":"METAHOST_POLICY_FLAGS","features":[154]},{"name":"METAHOST_POLICY_HIGHCOMPAT","features":[154]},{"name":"METAHOST_POLICY_IGNORE_ERROR_MODE","features":[154]},{"name":"METAHOST_POLICY_SHOW_ERROR_DIALOG","features":[154]},{"name":"METAHOST_POLICY_USE_PROCESS_IMAGE_PATH","features":[154]},{"name":"MaxClrEvent","features":[154]},{"name":"MaxClrFailure","features":[154]},{"name":"MaxClrOperation","features":[154]},{"name":"MaxPolicyAction","features":[154]},{"name":"ModuleBindInfo","features":[154]},{"name":"OPR_AppDomainRudeUnload","features":[154]},{"name":"OPR_AppDomainUnload","features":[154]},{"name":"OPR_FinalizerRun","features":[154]},{"name":"OPR_ProcessExit","features":[154]},{"name":"OPR_ThreadAbort","features":[154]},{"name":"OPR_ThreadRudeAbortInCriticalRegion","features":[154]},{"name":"OPR_ThreadRudeAbortInNonCriticalRegion","features":[154]},{"name":"PTLS_CALLBACK_FUNCTION","features":[154]},{"name":"Parameter1","features":[154]},{"name":"Parameter2","features":[154]},{"name":"Parameter3","features":[154]},{"name":"Parameter4","features":[154]},{"name":"Parameter5","features":[154]},{"name":"Parameter6","features":[154]},{"name":"Parameter7","features":[154]},{"name":"Parameter8","features":[154]},{"name":"Parameter9","features":[154]},{"name":"RUNTIME_INFO_DONT_RETURN_DIRECTORY","features":[154]},{"name":"RUNTIME_INFO_DONT_RETURN_VERSION","features":[154]},{"name":"RUNTIME_INFO_DONT_SHOW_ERROR_DIALOG","features":[154]},{"name":"RUNTIME_INFO_FLAGS","features":[154]},{"name":"RUNTIME_INFO_IGNORE_ERROR_MODE","features":[154]},{"name":"RUNTIME_INFO_REQUEST_AMD64","features":[154]},{"name":"RUNTIME_INFO_REQUEST_ARM64","features":[154]},{"name":"RUNTIME_INFO_REQUEST_IA64","features":[154]},{"name":"RUNTIME_INFO_REQUEST_X86","features":[154]},{"name":"RUNTIME_INFO_UPGRADE_VERSION","features":[154]},{"name":"RunDll32ShimW","features":[1,154]},{"name":"RuntimeLoadedCallbackFnPtr","features":[154]},{"name":"SO_ClrEngine","features":[154]},{"name":"SO_Managed","features":[154]},{"name":"SO_Other","features":[154]},{"name":"STARTUP_ALWAYSFLOW_IMPERSONATION","features":[154]},{"name":"STARTUP_ARM","features":[154]},{"name":"STARTUP_CONCURRENT_GC","features":[154]},{"name":"STARTUP_DISABLE_COMMITTHREADSTACK","features":[154]},{"name":"STARTUP_ETW","features":[154]},{"name":"STARTUP_FLAGS","features":[154]},{"name":"STARTUP_HOARD_GC_VM","features":[154]},{"name":"STARTUP_LEGACY_IMPERSONATION","features":[154]},{"name":"STARTUP_LOADER_OPTIMIZATION_MASK","features":[154]},{"name":"STARTUP_LOADER_OPTIMIZATION_MULTI_DOMAIN","features":[154]},{"name":"STARTUP_LOADER_OPTIMIZATION_MULTI_DOMAIN_HOST","features":[154]},{"name":"STARTUP_LOADER_OPTIMIZATION_SINGLE_DOMAIN","features":[154]},{"name":"STARTUP_LOADER_SAFEMODE","features":[154]},{"name":"STARTUP_LOADER_SETPREFERENCE","features":[154]},{"name":"STARTUP_SERVER_GC","features":[154]},{"name":"STARTUP_SINGLE_VERSION_HOSTING_INTERFACE","features":[154]},{"name":"STARTUP_TRIM_GC_COMMIT","features":[154]},{"name":"StackOverflowInfo","features":[1,154,30,7]},{"name":"StackOverflowType","features":[154]},{"name":"TT_ADUNLOAD","features":[154]},{"name":"TT_DEBUGGERHELPER","features":[154]},{"name":"TT_FINALIZER","features":[154]},{"name":"TT_GC","features":[154]},{"name":"TT_THREADPOOL_GATE","features":[154]},{"name":"TT_THREADPOOL_IOCOMPLETION","features":[154]},{"name":"TT_THREADPOOL_TIMER","features":[154]},{"name":"TT_THREADPOOL_WAIT","features":[154]},{"name":"TT_THREADPOOL_WORKER","features":[154]},{"name":"TT_UNKNOWN","features":[154]},{"name":"TT_USER","features":[154]},{"name":"TypeNameFactory","features":[154]},{"name":"WAIT_ALERTABLE","features":[154]},{"name":"WAIT_MSGPUMP","features":[154]},{"name":"WAIT_NOTINDEADLOCK","features":[154]},{"name":"WAIT_OPTION","features":[154]},{"name":"eAbortThread","features":[154]},{"name":"eAll","features":[154]},{"name":"eAppDomainCritical","features":[154]},{"name":"eCurrentContext","features":[154]},{"name":"eDisableRuntime","features":[154]},{"name":"eExitProcess","features":[154]},{"name":"eExternalProcessMgmt","features":[154]},{"name":"eExternalThreading","features":[154]},{"name":"eFastExitProcess","features":[154]},{"name":"eHostDeterminedPolicy","features":[154]},{"name":"eInitializeNewDomainFlags_NoSecurityChanges","features":[154]},{"name":"eInitializeNewDomainFlags_None","features":[154]},{"name":"eMayLeakOnAbort","features":[154]},{"name":"eMemoryAvailableHigh","features":[154]},{"name":"eMemoryAvailableLow","features":[154]},{"name":"eMemoryAvailableNeutral","features":[154]},{"name":"eNoAction","features":[154]},{"name":"eNoChecks","features":[154]},{"name":"ePolicyLevelAdmin","features":[154]},{"name":"ePolicyLevelApp","features":[154]},{"name":"ePolicyLevelHost","features":[154]},{"name":"ePolicyLevelNone","features":[154]},{"name":"ePolicyLevelPublisher","features":[154]},{"name":"ePolicyLevelRetargetable","features":[154]},{"name":"ePolicyPortability","features":[154]},{"name":"ePolicyUnifiedToCLR","features":[154]},{"name":"eProcessCritical","features":[154]},{"name":"eRestrictedContext","features":[154]},{"name":"eRudeAbortThread","features":[154]},{"name":"eRudeExitProcess","features":[154]},{"name":"eRudeUnloadAppDomain","features":[154]},{"name":"eRuntimeDeterminedPolicy","features":[154]},{"name":"eSecurityInfrastructure","features":[154]},{"name":"eSelfAffectingProcessMgmt","features":[154]},{"name":"eSelfAffectingThreading","features":[154]},{"name":"eSharedState","features":[154]},{"name":"eSymbolReadingAlways","features":[154]},{"name":"eSymbolReadingFullTrustOnly","features":[154]},{"name":"eSymbolReadingNever","features":[154]},{"name":"eSynchronization","features":[154]},{"name":"eTaskCritical","features":[154]},{"name":"eThrowException","features":[154]},{"name":"eUI","features":[154]},{"name":"eUnloadAppDomain","features":[154]}],"534":[{"name":"ADVANCED_FEATURE_FLAGS","features":[41]},{"name":"ADVF","features":[41]},{"name":"ADVFCACHE_FORCEBUILTIN","features":[41]},{"name":"ADVFCACHE_NOHANDLER","features":[41]},{"name":"ADVFCACHE_ONSAVE","features":[41]},{"name":"ADVF_DATAONSTOP","features":[41]},{"name":"ADVF_NODATA","features":[41]},{"name":"ADVF_ONLYONCE","features":[41]},{"name":"ADVF_PRIMEFIRST","features":[41]},{"name":"APPIDREGFLAGS_AAA_NO_IMPLICIT_ACTIVATE_AS_IU","features":[41]},{"name":"APPIDREGFLAGS_ACTIVATE_IUSERVER_INDESKTOP","features":[41]},{"name":"APPIDREGFLAGS_ISSUE_ACTIVATION_RPC_AT_IDENTIFY","features":[41]},{"name":"APPIDREGFLAGS_IUSERVER_ACTIVATE_IN_CLIENT_SESSION_ONLY","features":[41]},{"name":"APPIDREGFLAGS_IUSERVER_SELF_SID_IN_LAUNCH_PERMISSION","features":[41]},{"name":"APPIDREGFLAGS_IUSERVER_UNMODIFIED_LOGON_TOKEN","features":[41]},{"name":"APPIDREGFLAGS_RESERVED1","features":[41]},{"name":"APPIDREGFLAGS_RESERVED2","features":[41]},{"name":"APPIDREGFLAGS_RESERVED3","features":[41]},{"name":"APPIDREGFLAGS_RESERVED4","features":[41]},{"name":"APPIDREGFLAGS_RESERVED5","features":[41]},{"name":"APPIDREGFLAGS_RESERVED7","features":[41]},{"name":"APPIDREGFLAGS_RESERVED8","features":[41]},{"name":"APPIDREGFLAGS_RESERVED9","features":[41]},{"name":"APPIDREGFLAGS_SECURE_SERVER_PROCESS_SD_AND_BIND","features":[41]},{"name":"APTTYPE","features":[41]},{"name":"APTTYPEQUALIFIER","features":[41]},{"name":"APTTYPEQUALIFIER_APPLICATION_STA","features":[41]},{"name":"APTTYPEQUALIFIER_IMPLICIT_MTA","features":[41]},{"name":"APTTYPEQUALIFIER_NA_ON_IMPLICIT_MTA","features":[41]},{"name":"APTTYPEQUALIFIER_NA_ON_MAINSTA","features":[41]},{"name":"APTTYPEQUALIFIER_NA_ON_MTA","features":[41]},{"name":"APTTYPEQUALIFIER_NA_ON_STA","features":[41]},{"name":"APTTYPEQUALIFIER_NONE","features":[41]},{"name":"APTTYPEQUALIFIER_RESERVED_1","features":[41]},{"name":"APTTYPE_CURRENT","features":[41]},{"name":"APTTYPE_MAINSTA","features":[41]},{"name":"APTTYPE_MTA","features":[41]},{"name":"APTTYPE_NA","features":[41]},{"name":"APTTYPE_STA","features":[41]},{"name":"ASYNC_MODE_COMPATIBILITY","features":[41]},{"name":"ASYNC_MODE_DEFAULT","features":[41]},{"name":"AUTHENTICATEINFO","features":[41]},{"name":"ApplicationType","features":[41]},{"name":"AsyncIAdviseSink","features":[41]},{"name":"AsyncIAdviseSink2","features":[41]},{"name":"AsyncIMultiQI","features":[41]},{"name":"AsyncIPipeByte","features":[41]},{"name":"AsyncIPipeDouble","features":[41]},{"name":"AsyncIPipeLong","features":[41]},{"name":"AsyncIUnknown","features":[41]},{"name":"BINDINFO","features":[1,12,4,41]},{"name":"BINDINFOF","features":[41]},{"name":"BINDINFOF_URLENCODEDEXTRAINFO","features":[41]},{"name":"BINDINFOF_URLENCODESTGMEDDATA","features":[41]},{"name":"BINDPTR","features":[1,41,155,42]},{"name":"BIND_FLAGS","features":[41]},{"name":"BIND_JUSTTESTEXISTENCE","features":[41]},{"name":"BIND_MAYBOTHERUSER","features":[41]},{"name":"BIND_OPTS","features":[41]},{"name":"BIND_OPTS2","features":[41]},{"name":"BIND_OPTS3","features":[1,41]},{"name":"BLOB","features":[41]},{"name":"BYTE_BLOB","features":[41]},{"name":"BYTE_SIZEDARR","features":[41]},{"name":"BindMoniker","features":[41]},{"name":"CALLCONV","features":[41]},{"name":"CALLTYPE","features":[41]},{"name":"CALLTYPE_ASYNC","features":[41]},{"name":"CALLTYPE_ASYNC_CALLPENDING","features":[41]},{"name":"CALLTYPE_NESTED","features":[41]},{"name":"CALLTYPE_TOPLEVEL","features":[41]},{"name":"CALLTYPE_TOPLEVEL_CALLPENDING","features":[41]},{"name":"CATEGORYINFO","features":[41]},{"name":"CC_CDECL","features":[41]},{"name":"CC_FASTCALL","features":[41]},{"name":"CC_FPFASTCALL","features":[41]},{"name":"CC_MACPASCAL","features":[41]},{"name":"CC_MAX","features":[41]},{"name":"CC_MPWCDECL","features":[41]},{"name":"CC_MPWPASCAL","features":[41]},{"name":"CC_MSCPASCAL","features":[41]},{"name":"CC_PASCAL","features":[41]},{"name":"CC_STDCALL","features":[41]},{"name":"CC_SYSCALL","features":[41]},{"name":"CLSCTX","features":[41]},{"name":"CLSCTX_ACTIVATE_32_BIT_SERVER","features":[41]},{"name":"CLSCTX_ACTIVATE_64_BIT_SERVER","features":[41]},{"name":"CLSCTX_ACTIVATE_AAA_AS_IU","features":[41]},{"name":"CLSCTX_ACTIVATE_ARM32_SERVER","features":[41]},{"name":"CLSCTX_ACTIVATE_X86_SERVER","features":[41]},{"name":"CLSCTX_ALL","features":[41]},{"name":"CLSCTX_ALLOW_LOWER_TRUST_REGISTRATION","features":[41]},{"name":"CLSCTX_APPCONTAINER","features":[41]},{"name":"CLSCTX_DISABLE_AAA","features":[41]},{"name":"CLSCTX_ENABLE_AAA","features":[41]},{"name":"CLSCTX_ENABLE_CLOAKING","features":[41]},{"name":"CLSCTX_ENABLE_CODE_DOWNLOAD","features":[41]},{"name":"CLSCTX_FROM_DEFAULT_CONTEXT","features":[41]},{"name":"CLSCTX_INPROC_HANDLER","features":[41]},{"name":"CLSCTX_INPROC_HANDLER16","features":[41]},{"name":"CLSCTX_INPROC_SERVER","features":[41]},{"name":"CLSCTX_INPROC_SERVER16","features":[41]},{"name":"CLSCTX_LOCAL_SERVER","features":[41]},{"name":"CLSCTX_NO_CODE_DOWNLOAD","features":[41]},{"name":"CLSCTX_NO_CUSTOM_MARSHAL","features":[41]},{"name":"CLSCTX_NO_FAILURE_LOG","features":[41]},{"name":"CLSCTX_PS_DLL","features":[41]},{"name":"CLSCTX_REMOTE_SERVER","features":[41]},{"name":"CLSCTX_RESERVED1","features":[41]},{"name":"CLSCTX_RESERVED2","features":[41]},{"name":"CLSCTX_RESERVED3","features":[41]},{"name":"CLSCTX_RESERVED4","features":[41]},{"name":"CLSCTX_RESERVED5","features":[41]},{"name":"CLSCTX_RESERVED6","features":[41]},{"name":"CLSCTX_SERVER","features":[41]},{"name":"CLSIDFromProgID","features":[41]},{"name":"CLSIDFromProgIDEx","features":[41]},{"name":"CLSIDFromString","features":[41]},{"name":"COAUTHIDENTITY","features":[41]},{"name":"COAUTHINFO","features":[41]},{"name":"COINIT","features":[41]},{"name":"COINITBASE","features":[41]},{"name":"COINITBASE_MULTITHREADED","features":[41]},{"name":"COINIT_APARTMENTTHREADED","features":[41]},{"name":"COINIT_DISABLE_OLE1DDE","features":[41]},{"name":"COINIT_MULTITHREADED","features":[41]},{"name":"COINIT_SPEED_OVER_MEMORY","features":[41]},{"name":"COLE_DEFAULT_AUTHINFO","features":[41]},{"name":"COLE_DEFAULT_PRINCIPAL","features":[41]},{"name":"COMBND_RESERVED1","features":[41]},{"name":"COMBND_RESERVED2","features":[41]},{"name":"COMBND_RESERVED3","features":[41]},{"name":"COMBND_RESERVED4","features":[41]},{"name":"COMBND_RPCTIMEOUT","features":[41]},{"name":"COMBND_SERVER_LOCALITY","features":[41]},{"name":"COMGLB_APPID","features":[41]},{"name":"COMGLB_EXCEPTION_DONOT_HANDLE","features":[41]},{"name":"COMGLB_EXCEPTION_DONOT_HANDLE_ANY","features":[41]},{"name":"COMGLB_EXCEPTION_DONOT_HANDLE_FATAL","features":[41]},{"name":"COMGLB_EXCEPTION_HANDLE","features":[41]},{"name":"COMGLB_EXCEPTION_HANDLING","features":[41]},{"name":"COMGLB_FAST_RUNDOWN","features":[41]},{"name":"COMGLB_PROPERTIES_RESERVED1","features":[41]},{"name":"COMGLB_PROPERTIES_RESERVED2","features":[41]},{"name":"COMGLB_PROPERTIES_RESERVED3","features":[41]},{"name":"COMGLB_RESERVED1","features":[41]},{"name":"COMGLB_RESERVED2","features":[41]},{"name":"COMGLB_RESERVED3","features":[41]},{"name":"COMGLB_RESERVED4","features":[41]},{"name":"COMGLB_RESERVED5","features":[41]},{"name":"COMGLB_RESERVED6","features":[41]},{"name":"COMGLB_RO_SETTINGS","features":[41]},{"name":"COMGLB_RPC_THREADPOOL_SETTING","features":[41]},{"name":"COMGLB_RPC_THREADPOOL_SETTING_DEFAULT_POOL","features":[41]},{"name":"COMGLB_RPC_THREADPOOL_SETTING_PRIVATE_POOL","features":[41]},{"name":"COMGLB_STA_MODALLOOP_REMOVE_TOUCH_MESSAGES","features":[41]},{"name":"COMGLB_STA_MODALLOOP_SHARED_QUEUE_DONOT_REMOVE_INPUT_MESSAGES","features":[41]},{"name":"COMGLB_STA_MODALLOOP_SHARED_QUEUE_REMOVE_INPUT_MESSAGES","features":[41]},{"name":"COMGLB_STA_MODALLOOP_SHARED_QUEUE_REORDER_POINTER_MESSAGES","features":[41]},{"name":"COMGLB_UNMARSHALING_POLICY","features":[41]},{"name":"COMGLB_UNMARSHALING_POLICY_HYBRID","features":[41]},{"name":"COMGLB_UNMARSHALING_POLICY_NORMAL","features":[41]},{"name":"COMGLB_UNMARSHALING_POLICY_STRONG","features":[41]},{"name":"COMSD","features":[41]},{"name":"COM_RIGHTS_ACTIVATE_LOCAL","features":[41]},{"name":"COM_RIGHTS_ACTIVATE_REMOTE","features":[41]},{"name":"COM_RIGHTS_EXECUTE","features":[41]},{"name":"COM_RIGHTS_EXECUTE_LOCAL","features":[41]},{"name":"COM_RIGHTS_EXECUTE_REMOTE","features":[41]},{"name":"COM_RIGHTS_RESERVED1","features":[41]},{"name":"COM_RIGHTS_RESERVED2","features":[41]},{"name":"CONNECTDATA","features":[41]},{"name":"COSERVERINFO","features":[41]},{"name":"COWAIT_ALERTABLE","features":[41]},{"name":"COWAIT_DEFAULT","features":[41]},{"name":"COWAIT_DISPATCH_CALLS","features":[41]},{"name":"COWAIT_DISPATCH_WINDOW_MESSAGES","features":[41]},{"name":"COWAIT_FLAGS","features":[41]},{"name":"COWAIT_INPUTAVAILABLE","features":[41]},{"name":"COWAIT_WAITALL","features":[41]},{"name":"CO_DEVICE_CATALOG_COOKIE","features":[41]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTES","features":[41]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_1","features":[41]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_10","features":[41]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_11","features":[41]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_12","features":[41]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_13","features":[41]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_14","features":[41]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_15","features":[41]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_16","features":[41]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_17","features":[41]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_18","features":[41]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_2","features":[41]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_3","features":[41]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_4","features":[41]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_5","features":[41]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_6","features":[41]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_7","features":[41]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_8","features":[41]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_9","features":[41]},{"name":"CO_MARSHALING_SOURCE_IS_APP_CONTAINER","features":[41]},{"name":"CO_MTA_USAGE_COOKIE","features":[41]},{"name":"CSPLATFORM","features":[41]},{"name":"CUSTDATA","features":[1,41,42]},{"name":"CUSTDATAITEM","features":[1,41,42]},{"name":"CWMO_DEFAULT","features":[41]},{"name":"CWMO_DISPATCH_CALLS","features":[41]},{"name":"CWMO_DISPATCH_WINDOW_MESSAGES","features":[41]},{"name":"CWMO_FLAGS","features":[41]},{"name":"CWMO_MAX_HANDLES","features":[41]},{"name":"CY","features":[41]},{"name":"CoAddRefServerProcess","features":[41]},{"name":"CoAllowSetForegroundWindow","features":[41]},{"name":"CoAllowUnmarshalerCLSID","features":[41]},{"name":"CoBuildVersion","features":[41]},{"name":"CoCancelCall","features":[41]},{"name":"CoCopyProxy","features":[41]},{"name":"CoCreateFreeThreadedMarshaler","features":[41]},{"name":"CoCreateGuid","features":[41]},{"name":"CoCreateInstance","features":[41]},{"name":"CoCreateInstanceEx","features":[41]},{"name":"CoCreateInstanceFromApp","features":[41]},{"name":"CoDecrementMTAUsage","features":[41]},{"name":"CoDisableCallCancellation","features":[41]},{"name":"CoDisconnectContext","features":[41]},{"name":"CoDisconnectObject","features":[41]},{"name":"CoDosDateTimeToFileTime","features":[1,41]},{"name":"CoEnableCallCancellation","features":[41]},{"name":"CoFileTimeNow","features":[1,41]},{"name":"CoFileTimeToDosDateTime","features":[1,41]},{"name":"CoFreeAllLibraries","features":[41]},{"name":"CoFreeLibrary","features":[1,41]},{"name":"CoFreeUnusedLibraries","features":[41]},{"name":"CoFreeUnusedLibrariesEx","features":[41]},{"name":"CoGetApartmentType","features":[41]},{"name":"CoGetCallContext","features":[41]},{"name":"CoGetCallerTID","features":[41]},{"name":"CoGetCancelObject","features":[41]},{"name":"CoGetClassObject","features":[41]},{"name":"CoGetContextToken","features":[41]},{"name":"CoGetCurrentLogicalThreadId","features":[41]},{"name":"CoGetCurrentProcess","features":[41]},{"name":"CoGetMalloc","features":[41]},{"name":"CoGetObject","features":[41]},{"name":"CoGetObjectContext","features":[41]},{"name":"CoGetPSClsid","features":[41]},{"name":"CoGetSystemSecurityPermissions","features":[4,41]},{"name":"CoGetTreatAsClass","features":[41]},{"name":"CoImpersonateClient","features":[41]},{"name":"CoIncrementMTAUsage","features":[41]},{"name":"CoInitialize","features":[41]},{"name":"CoInitializeEx","features":[41]},{"name":"CoInitializeSecurity","features":[4,41]},{"name":"CoInstall","features":[41]},{"name":"CoInvalidateRemoteMachineBindings","features":[41]},{"name":"CoIsHandlerConnected","features":[1,41]},{"name":"CoIsOle1Class","features":[1,41]},{"name":"CoLoadLibrary","features":[1,41]},{"name":"CoLockObjectExternal","features":[1,41]},{"name":"CoQueryAuthenticationServices","features":[41]},{"name":"CoQueryClientBlanket","features":[41]},{"name":"CoQueryProxyBlanket","features":[41]},{"name":"CoRegisterActivationFilter","features":[41]},{"name":"CoRegisterChannelHook","features":[41]},{"name":"CoRegisterClassObject","features":[41]},{"name":"CoRegisterDeviceCatalog","features":[41]},{"name":"CoRegisterInitializeSpy","features":[41]},{"name":"CoRegisterMallocSpy","features":[41]},{"name":"CoRegisterPSClsid","features":[41]},{"name":"CoRegisterSurrogate","features":[41]},{"name":"CoReleaseServerProcess","features":[41]},{"name":"CoResumeClassObjects","features":[41]},{"name":"CoRevertToSelf","features":[41]},{"name":"CoRevokeClassObject","features":[41]},{"name":"CoRevokeDeviceCatalog","features":[41]},{"name":"CoRevokeInitializeSpy","features":[41]},{"name":"CoRevokeMallocSpy","features":[41]},{"name":"CoSetCancelObject","features":[41]},{"name":"CoSetProxyBlanket","features":[41]},{"name":"CoSuspendClassObjects","features":[41]},{"name":"CoSwitchCallContext","features":[41]},{"name":"CoTaskMemAlloc","features":[41]},{"name":"CoTaskMemFree","features":[41]},{"name":"CoTaskMemRealloc","features":[41]},{"name":"CoTestCancel","features":[41]},{"name":"CoTreatAsClass","features":[41]},{"name":"CoUninitialize","features":[41]},{"name":"CoWaitForMultipleHandles","features":[1,41]},{"name":"CoWaitForMultipleObjects","features":[1,41]},{"name":"ComCallData","features":[41]},{"name":"ContextProperty","features":[41]},{"name":"CreateAntiMoniker","features":[41]},{"name":"CreateBindCtx","features":[41]},{"name":"CreateClassMoniker","features":[41]},{"name":"CreateDataAdviseHolder","features":[41]},{"name":"CreateDataCache","features":[41]},{"name":"CreateFileMoniker","features":[41]},{"name":"CreateGenericComposite","features":[41]},{"name":"CreateIUriBuilder","features":[41]},{"name":"CreateItemMoniker","features":[41]},{"name":"CreateObjrefMoniker","features":[41]},{"name":"CreatePointerMoniker","features":[41]},{"name":"CreateStdProgressIndicator","features":[1,41]},{"name":"CreateUri","features":[41]},{"name":"CreateUriFromMultiByteString","features":[41]},{"name":"CreateUriWithFragment","features":[41]},{"name":"DATADIR","features":[41]},{"name":"DATADIR_GET","features":[41]},{"name":"DATADIR_SET","features":[41]},{"name":"DCOMSCM_ACTIVATION_DISALLOW_UNSECURE_CALL","features":[41]},{"name":"DCOMSCM_ACTIVATION_USE_ALL_AUTHNSERVICES","features":[41]},{"name":"DCOMSCM_PING_DISALLOW_UNSECURE_CALL","features":[41]},{"name":"DCOMSCM_PING_USE_MID_AUTHNSERVICE","features":[41]},{"name":"DCOMSCM_RESOLVE_DISALLOW_UNSECURE_CALL","features":[41]},{"name":"DCOMSCM_RESOLVE_USE_ALL_AUTHNSERVICES","features":[41]},{"name":"DCOM_CALL_CANCELED","features":[41]},{"name":"DCOM_CALL_COMPLETE","features":[41]},{"name":"DCOM_CALL_STATE","features":[41]},{"name":"DCOM_NONE","features":[41]},{"name":"DESCKIND","features":[41]},{"name":"DESCKIND_FUNCDESC","features":[41]},{"name":"DESCKIND_IMPLICITAPPOBJ","features":[41]},{"name":"DESCKIND_MAX","features":[41]},{"name":"DESCKIND_NONE","features":[41]},{"name":"DESCKIND_TYPECOMP","features":[41]},{"name":"DESCKIND_VARDESC","features":[41]},{"name":"DISPATCH_FLAGS","features":[41]},{"name":"DISPATCH_METHOD","features":[41]},{"name":"DISPATCH_PROPERTYGET","features":[41]},{"name":"DISPATCH_PROPERTYPUT","features":[41]},{"name":"DISPATCH_PROPERTYPUTREF","features":[41]},{"name":"DISPPARAMS","features":[1,41,42]},{"name":"DMUS_ERRBASE","features":[41]},{"name":"DVASPECT","features":[41]},{"name":"DVASPECT_CONTENT","features":[41]},{"name":"DVASPECT_DOCPRINT","features":[41]},{"name":"DVASPECT_ICON","features":[41]},{"name":"DVASPECT_OPAQUE","features":[41]},{"name":"DVASPECT_THUMBNAIL","features":[41]},{"name":"DVASPECT_TRANSPARENT","features":[41]},{"name":"DVTARGETDEVICE","features":[41]},{"name":"DWORD_BLOB","features":[41]},{"name":"DWORD_SIZEDARR","features":[41]},{"name":"DcomChannelSetHResult","features":[41]},{"name":"ELEMDESC","features":[1,41,155,42]},{"name":"EOAC_ACCESS_CONTROL","features":[41]},{"name":"EOAC_ANY_AUTHORITY","features":[41]},{"name":"EOAC_APPID","features":[41]},{"name":"EOAC_AUTO_IMPERSONATE","features":[41]},{"name":"EOAC_DEFAULT","features":[41]},{"name":"EOAC_DISABLE_AAA","features":[41]},{"name":"EOAC_DYNAMIC","features":[41]},{"name":"EOAC_DYNAMIC_CLOAKING","features":[41]},{"name":"EOAC_MAKE_FULLSIC","features":[41]},{"name":"EOAC_MUTUAL_AUTH","features":[41]},{"name":"EOAC_NONE","features":[41]},{"name":"EOAC_NO_CUSTOM_MARSHAL","features":[41]},{"name":"EOAC_REQUIRE_FULLSIC","features":[41]},{"name":"EOAC_RESERVED1","features":[41]},{"name":"EOAC_SECURE_REFS","features":[41]},{"name":"EOAC_STATIC_CLOAKING","features":[41]},{"name":"EOLE_AUTHENTICATION_CAPABILITIES","features":[41]},{"name":"EXCEPINFO","features":[41]},{"name":"EXTCONN","features":[41]},{"name":"EXTCONN_CALLABLE","features":[41]},{"name":"EXTCONN_STRONG","features":[41]},{"name":"EXTCONN_WEAK","features":[41]},{"name":"FADF_AUTO","features":[41]},{"name":"FADF_BSTR","features":[41]},{"name":"FADF_DISPATCH","features":[41]},{"name":"FADF_EMBEDDED","features":[41]},{"name":"FADF_FIXEDSIZE","features":[41]},{"name":"FADF_HAVEIID","features":[41]},{"name":"FADF_HAVEVARTYPE","features":[41]},{"name":"FADF_RECORD","features":[41]},{"name":"FADF_RESERVED","features":[41]},{"name":"FADF_STATIC","features":[41]},{"name":"FADF_UNKNOWN","features":[41]},{"name":"FADF_VARIANT","features":[41]},{"name":"FLAGGED_BYTE_BLOB","features":[41]},{"name":"FLAGGED_WORD_BLOB","features":[41]},{"name":"FLAG_STGMEDIUM","features":[1,12,41]},{"name":"FORMATETC","features":[41]},{"name":"FUNCDESC","features":[1,41,155,42]},{"name":"FUNCFLAGS","features":[41]},{"name":"FUNCFLAG_FBINDABLE","features":[41]},{"name":"FUNCFLAG_FDEFAULTBIND","features":[41]},{"name":"FUNCFLAG_FDEFAULTCOLLELEM","features":[41]},{"name":"FUNCFLAG_FDISPLAYBIND","features":[41]},{"name":"FUNCFLAG_FHIDDEN","features":[41]},{"name":"FUNCFLAG_FIMMEDIATEBIND","features":[41]},{"name":"FUNCFLAG_FNONBROWSABLE","features":[41]},{"name":"FUNCFLAG_FREPLACEABLE","features":[41]},{"name":"FUNCFLAG_FREQUESTEDIT","features":[41]},{"name":"FUNCFLAG_FRESTRICTED","features":[41]},{"name":"FUNCFLAG_FSOURCE","features":[41]},{"name":"FUNCFLAG_FUIDEFAULT","features":[41]},{"name":"FUNCFLAG_FUSESGETLASTERROR","features":[41]},{"name":"FUNCKIND","features":[41]},{"name":"FUNC_DISPATCH","features":[41]},{"name":"FUNC_NONVIRTUAL","features":[41]},{"name":"FUNC_PUREVIRTUAL","features":[41]},{"name":"FUNC_STATIC","features":[41]},{"name":"FUNC_VIRTUAL","features":[41]},{"name":"ForcedShutdown","features":[41]},{"name":"GDI_OBJECT","features":[12,41,36]},{"name":"GLOBALOPT_EH_VALUES","features":[41]},{"name":"GLOBALOPT_PROPERTIES","features":[41]},{"name":"GLOBALOPT_RO_FLAGS","features":[41]},{"name":"GLOBALOPT_RPCTP_VALUES","features":[41]},{"name":"GLOBALOPT_UNMARSHALING_POLICY_VALUES","features":[41]},{"name":"GetClassFile","features":[41]},{"name":"GetErrorInfo","features":[41]},{"name":"GetRunningObjectTable","features":[41]},{"name":"HYPER_SIZEDARR","features":[41]},{"name":"IActivationFilter","features":[41]},{"name":"IAddrExclusionControl","features":[41]},{"name":"IAddrTrackingControl","features":[41]},{"name":"IAdviseSink","features":[41]},{"name":"IAdviseSink2","features":[41]},{"name":"IAgileObject","features":[41]},{"name":"IAsyncManager","features":[41]},{"name":"IAsyncRpcChannelBuffer","features":[41]},{"name":"IAuthenticate","features":[41]},{"name":"IAuthenticateEx","features":[41]},{"name":"IBindCtx","features":[41]},{"name":"IBindHost","features":[41]},{"name":"IBindStatusCallback","features":[41]},{"name":"IBindStatusCallbackEx","features":[41]},{"name":"IBinding","features":[41]},{"name":"IBlockingLock","features":[41]},{"name":"ICallFactory","features":[41]},{"name":"ICancelMethodCalls","features":[41]},{"name":"ICatInformation","features":[41]},{"name":"ICatRegister","features":[41]},{"name":"IChannelHook","features":[41]},{"name":"IClassActivator","features":[41]},{"name":"IClassFactory","features":[41]},{"name":"IClientSecurity","features":[41]},{"name":"IComThreadingInfo","features":[41]},{"name":"IConnectionPoint","features":[41]},{"name":"IConnectionPointContainer","features":[41]},{"name":"IContext","features":[41]},{"name":"IContextCallback","features":[41]},{"name":"IDLDESC","features":[41]},{"name":"IDLFLAGS","features":[41]},{"name":"IDLFLAG_FIN","features":[41]},{"name":"IDLFLAG_FLCID","features":[41]},{"name":"IDLFLAG_FOUT","features":[41]},{"name":"IDLFLAG_FRETVAL","features":[41]},{"name":"IDLFLAG_NONE","features":[41]},{"name":"IDataAdviseHolder","features":[41]},{"name":"IDataObject","features":[41]},{"name":"IDispatch","features":[41]},{"name":"IEnumCATEGORYINFO","features":[41]},{"name":"IEnumConnectionPoints","features":[41]},{"name":"IEnumConnections","features":[41]},{"name":"IEnumContextProps","features":[41]},{"name":"IEnumFORMATETC","features":[41]},{"name":"IEnumGUID","features":[41]},{"name":"IEnumMoniker","features":[41]},{"name":"IEnumSTATDATA","features":[41]},{"name":"IEnumString","features":[41]},{"name":"IEnumUnknown","features":[41]},{"name":"IErrorInfo","features":[41]},{"name":"IErrorLog","features":[41]},{"name":"IExternalConnection","features":[41]},{"name":"IFastRundown","features":[41]},{"name":"IForegroundTransfer","features":[41]},{"name":"IGlobalInterfaceTable","features":[41]},{"name":"IGlobalOptions","features":[41]},{"name":"IIDFromString","features":[41]},{"name":"IInitializeSpy","features":[41]},{"name":"IInternalUnknown","features":[41]},{"name":"IMPLTYPEFLAGS","features":[41]},{"name":"IMPLTYPEFLAG_FDEFAULT","features":[41]},{"name":"IMPLTYPEFLAG_FDEFAULTVTABLE","features":[41]},{"name":"IMPLTYPEFLAG_FRESTRICTED","features":[41]},{"name":"IMPLTYPEFLAG_FSOURCE","features":[41]},{"name":"IMachineGlobalObjectTable","features":[41]},{"name":"IMalloc","features":[41]},{"name":"IMallocSpy","features":[41]},{"name":"IMoniker","features":[41]},{"name":"IMultiQI","features":[41]},{"name":"INTERFACEINFO","features":[41]},{"name":"INVOKEKIND","features":[41]},{"name":"INVOKE_FUNC","features":[41]},{"name":"INVOKE_PROPERTYGET","features":[41]},{"name":"INVOKE_PROPERTYPUT","features":[41]},{"name":"INVOKE_PROPERTYPUTREF","features":[41]},{"name":"INoMarshal","features":[41]},{"name":"IOplockStorage","features":[41]},{"name":"IPSFactoryBuffer","features":[41]},{"name":"IPersist","features":[41]},{"name":"IPersistFile","features":[41]},{"name":"IPersistMemory","features":[41]},{"name":"IPersistStream","features":[41]},{"name":"IPersistStreamInit","features":[41]},{"name":"IPipeByte","features":[41]},{"name":"IPipeDouble","features":[41]},{"name":"IPipeLong","features":[41]},{"name":"IProcessInitControl","features":[41]},{"name":"IProcessLock","features":[41]},{"name":"IProgressNotify","features":[41]},{"name":"IROTData","features":[41]},{"name":"IReleaseMarshalBuffers","features":[41]},{"name":"IRpcChannelBuffer","features":[41]},{"name":"IRpcChannelBuffer2","features":[41]},{"name":"IRpcChannelBuffer3","features":[41]},{"name":"IRpcHelper","features":[41]},{"name":"IRpcOptions","features":[41]},{"name":"IRpcProxyBuffer","features":[41]},{"name":"IRpcStubBuffer","features":[41]},{"name":"IRpcSyntaxNegotiate","features":[41]},{"name":"IRunnableObject","features":[41]},{"name":"IRunningObjectTable","features":[41]},{"name":"ISequentialStream","features":[41]},{"name":"IServerSecurity","features":[41]},{"name":"IServiceProvider","features":[41]},{"name":"IStdMarshalInfo","features":[41]},{"name":"IStream","features":[41]},{"name":"ISupportAllowLowerTrustActivation","features":[41]},{"name":"ISupportErrorInfo","features":[41]},{"name":"ISurrogate","features":[41]},{"name":"ISurrogateService","features":[41]},{"name":"ISynchronize","features":[41]},{"name":"ISynchronizeContainer","features":[41]},{"name":"ISynchronizeEvent","features":[41]},{"name":"ISynchronizeHandle","features":[41]},{"name":"ISynchronizeMutex","features":[41]},{"name":"ITimeAndNoticeControl","features":[41]},{"name":"ITypeComp","features":[41]},{"name":"ITypeInfo","features":[41]},{"name":"ITypeInfo2","features":[41]},{"name":"ITypeLib","features":[41]},{"name":"ITypeLib2","features":[41]},{"name":"ITypeLibRegistration","features":[41]},{"name":"ITypeLibRegistrationReader","features":[41]},{"name":"IUnknown","features":[41]},{"name":"IUri","features":[41]},{"name":"IUriBuilder","features":[41]},{"name":"IUrlMon","features":[41]},{"name":"IWaitMultiple","features":[41]},{"name":"IdleShutdown","features":[41]},{"name":"LOCKTYPE","features":[41]},{"name":"LOCK_EXCLUSIVE","features":[41]},{"name":"LOCK_ONLYONCE","features":[41]},{"name":"LOCK_WRITE","features":[41]},{"name":"LPEXCEPFINO_DEFERRED_FILLIN","features":[41]},{"name":"LPFNCANUNLOADNOW","features":[41]},{"name":"LPFNGETCLASSOBJECT","features":[41]},{"name":"LibraryApplication","features":[41]},{"name":"MARSHALINTERFACE_MIN","features":[41]},{"name":"MAXLSN","features":[41]},{"name":"MEMCTX","features":[41]},{"name":"MEMCTX_MACSYSTEM","features":[41]},{"name":"MEMCTX_SAME","features":[41]},{"name":"MEMCTX_SHARED","features":[41]},{"name":"MEMCTX_TASK","features":[41]},{"name":"MEMCTX_UNKNOWN","features":[41]},{"name":"MKRREDUCE","features":[41]},{"name":"MKRREDUCE_ALL","features":[41]},{"name":"MKRREDUCE_ONE","features":[41]},{"name":"MKRREDUCE_THROUGHUSER","features":[41]},{"name":"MKRREDUCE_TOUSER","features":[41]},{"name":"MKSYS","features":[41]},{"name":"MKSYS_ANTIMONIKER","features":[41]},{"name":"MKSYS_CLASSMONIKER","features":[41]},{"name":"MKSYS_FILEMONIKER","features":[41]},{"name":"MKSYS_GENERICCOMPOSITE","features":[41]},{"name":"MKSYS_ITEMMONIKER","features":[41]},{"name":"MKSYS_LUAMONIKER","features":[41]},{"name":"MKSYS_NONE","features":[41]},{"name":"MKSYS_OBJREFMONIKER","features":[41]},{"name":"MKSYS_POINTERMONIKER","features":[41]},{"name":"MKSYS_SESSIONMONIKER","features":[41]},{"name":"MSHCTX","features":[41]},{"name":"MSHCTX_CONTAINER","features":[41]},{"name":"MSHCTX_CROSSCTX","features":[41]},{"name":"MSHCTX_DIFFERENTMACHINE","features":[41]},{"name":"MSHCTX_INPROC","features":[41]},{"name":"MSHCTX_LOCAL","features":[41]},{"name":"MSHCTX_NOSHAREDMEM","features":[41]},{"name":"MSHLFLAGS","features":[41]},{"name":"MSHLFLAGS_NOPING","features":[41]},{"name":"MSHLFLAGS_NORMAL","features":[41]},{"name":"MSHLFLAGS_RESERVED1","features":[41]},{"name":"MSHLFLAGS_RESERVED2","features":[41]},{"name":"MSHLFLAGS_RESERVED3","features":[41]},{"name":"MSHLFLAGS_RESERVED4","features":[41]},{"name":"MSHLFLAGS_TABLESTRONG","features":[41]},{"name":"MSHLFLAGS_TABLEWEAK","features":[41]},{"name":"MULTI_QI","features":[41]},{"name":"MachineGlobalObjectTableRegistrationToken","features":[41]},{"name":"MkParseDisplayName","features":[41]},{"name":"MonikerCommonPrefixWith","features":[41]},{"name":"MonikerRelativePathTo","features":[1,41]},{"name":"PENDINGMSG","features":[41]},{"name":"PENDINGMSG_CANCELCALL","features":[41]},{"name":"PENDINGMSG_WAITDEFPROCESS","features":[41]},{"name":"PENDINGMSG_WAITNOPROCESS","features":[41]},{"name":"PENDINGTYPE","features":[41]},{"name":"PENDINGTYPE_NESTED","features":[41]},{"name":"PENDINGTYPE_TOPLEVEL","features":[41]},{"name":"PFNCONTEXTCALL","features":[41]},{"name":"ProgIDFromCLSID","features":[41]},{"name":"QUERYCONTEXT","features":[41]},{"name":"REGCLS","features":[41]},{"name":"REGCLS_AGILE","features":[41]},{"name":"REGCLS_MULTIPLEUSE","features":[41]},{"name":"REGCLS_MULTI_SEPARATE","features":[41]},{"name":"REGCLS_SINGLEUSE","features":[41]},{"name":"REGCLS_SURROGATE","features":[41]},{"name":"REGCLS_SUSPENDED","features":[41]},{"name":"ROTFLAGS_ALLOWANYCLIENT","features":[41]},{"name":"ROTFLAGS_REGISTRATIONKEEPSALIVE","features":[41]},{"name":"ROTREGFLAGS_ALLOWANYCLIENT","features":[41]},{"name":"ROT_FLAGS","features":[41]},{"name":"RPCOLEMESSAGE","features":[41]},{"name":"RPCOPT_PROPERTIES","features":[41]},{"name":"RPCOPT_SERVER_LOCALITY_VALUES","features":[41]},{"name":"RPC_C_AUTHN_LEVEL","features":[41]},{"name":"RPC_C_AUTHN_LEVEL_CALL","features":[41]},{"name":"RPC_C_AUTHN_LEVEL_CONNECT","features":[41]},{"name":"RPC_C_AUTHN_LEVEL_DEFAULT","features":[41]},{"name":"RPC_C_AUTHN_LEVEL_NONE","features":[41]},{"name":"RPC_C_AUTHN_LEVEL_PKT","features":[41]},{"name":"RPC_C_AUTHN_LEVEL_PKT_INTEGRITY","features":[41]},{"name":"RPC_C_AUTHN_LEVEL_PKT_PRIVACY","features":[41]},{"name":"RPC_C_IMP_LEVEL","features":[41]},{"name":"RPC_C_IMP_LEVEL_ANONYMOUS","features":[41]},{"name":"RPC_C_IMP_LEVEL_DEFAULT","features":[41]},{"name":"RPC_C_IMP_LEVEL_DELEGATE","features":[41]},{"name":"RPC_C_IMP_LEVEL_IDENTIFY","features":[41]},{"name":"RPC_C_IMP_LEVEL_IMPERSONATE","features":[41]},{"name":"RemSTGMEDIUM","features":[41]},{"name":"SAFEARRAY","features":[41]},{"name":"SAFEARRAYBOUND","features":[41]},{"name":"SChannelHookCallInfo","features":[41]},{"name":"SD_ACCESSPERMISSIONS","features":[41]},{"name":"SD_ACCESSRESTRICTIONS","features":[41]},{"name":"SD_LAUNCHPERMISSIONS","features":[41]},{"name":"SD_LAUNCHRESTRICTIONS","features":[41]},{"name":"SERVERCALL","features":[41]},{"name":"SERVERCALL_ISHANDLED","features":[41]},{"name":"SERVERCALL_REJECTED","features":[41]},{"name":"SERVERCALL_RETRYLATER","features":[41]},{"name":"SERVER_LOCALITY_MACHINE_LOCAL","features":[41]},{"name":"SERVER_LOCALITY_PROCESS_LOCAL","features":[41]},{"name":"SERVER_LOCALITY_REMOTE","features":[41]},{"name":"SOLE_AUTHENTICATION_INFO","features":[41]},{"name":"SOLE_AUTHENTICATION_LIST","features":[41]},{"name":"SOLE_AUTHENTICATION_SERVICE","features":[41]},{"name":"STATDATA","features":[41]},{"name":"STATFLAG","features":[41]},{"name":"STATFLAG_DEFAULT","features":[41]},{"name":"STATFLAG_NONAME","features":[41]},{"name":"STATFLAG_NOOPEN","features":[41]},{"name":"STATSTG","features":[1,41]},{"name":"STGC","features":[41]},{"name":"STGC_CONSOLIDATE","features":[41]},{"name":"STGC_DANGEROUSLYCOMMITMERELYTODISKCACHE","features":[41]},{"name":"STGC_DEFAULT","features":[41]},{"name":"STGC_ONLYIFCURRENT","features":[41]},{"name":"STGC_OVERWRITE","features":[41]},{"name":"STGM","features":[41]},{"name":"STGMEDIUM","features":[1,12,41]},{"name":"STGM_CONVERT","features":[41]},{"name":"STGM_CREATE","features":[41]},{"name":"STGM_DELETEONRELEASE","features":[41]},{"name":"STGM_DIRECT","features":[41]},{"name":"STGM_DIRECT_SWMR","features":[41]},{"name":"STGM_FAILIFTHERE","features":[41]},{"name":"STGM_NOSCRATCH","features":[41]},{"name":"STGM_NOSNAPSHOT","features":[41]},{"name":"STGM_PRIORITY","features":[41]},{"name":"STGM_READ","features":[41]},{"name":"STGM_READWRITE","features":[41]},{"name":"STGM_SHARE_DENY_NONE","features":[41]},{"name":"STGM_SHARE_DENY_READ","features":[41]},{"name":"STGM_SHARE_DENY_WRITE","features":[41]},{"name":"STGM_SHARE_EXCLUSIVE","features":[41]},{"name":"STGM_SIMPLE","features":[41]},{"name":"STGM_TRANSACTED","features":[41]},{"name":"STGM_WRITE","features":[41]},{"name":"STGTY","features":[41]},{"name":"STGTY_LOCKBYTES","features":[41]},{"name":"STGTY_PROPERTY","features":[41]},{"name":"STGTY_REPEAT","features":[41]},{"name":"STGTY_STORAGE","features":[41]},{"name":"STGTY_STREAM","features":[41]},{"name":"STG_LAYOUT_INTERLEAVED","features":[41]},{"name":"STG_LAYOUT_SEQUENTIAL","features":[41]},{"name":"STG_TOEND","features":[41]},{"name":"STREAM_SEEK","features":[41]},{"name":"STREAM_SEEK_CUR","features":[41]},{"name":"STREAM_SEEK_END","features":[41]},{"name":"STREAM_SEEK_SET","features":[41]},{"name":"SYSKIND","features":[41]},{"name":"SYS_MAC","features":[41]},{"name":"SYS_WIN16","features":[41]},{"name":"SYS_WIN32","features":[41]},{"name":"SYS_WIN64","features":[41]},{"name":"ServerApplication","features":[41]},{"name":"SetErrorInfo","features":[41]},{"name":"ShutdownType","features":[41]},{"name":"StorageLayout","features":[41]},{"name":"StringFromCLSID","features":[41]},{"name":"StringFromGUID2","features":[41]},{"name":"StringFromIID","features":[41]},{"name":"THDTYPE","features":[41]},{"name":"THDTYPE_BLOCKMESSAGES","features":[41]},{"name":"THDTYPE_PROCESSMESSAGES","features":[41]},{"name":"TKIND_ALIAS","features":[41]},{"name":"TKIND_COCLASS","features":[41]},{"name":"TKIND_DISPATCH","features":[41]},{"name":"TKIND_ENUM","features":[41]},{"name":"TKIND_INTERFACE","features":[41]},{"name":"TKIND_MAX","features":[41]},{"name":"TKIND_MODULE","features":[41]},{"name":"TKIND_RECORD","features":[41]},{"name":"TKIND_UNION","features":[41]},{"name":"TLIBATTR","features":[41]},{"name":"TYMED","features":[41]},{"name":"TYMED_ENHMF","features":[41]},{"name":"TYMED_FILE","features":[41]},{"name":"TYMED_GDI","features":[41]},{"name":"TYMED_HGLOBAL","features":[41]},{"name":"TYMED_ISTORAGE","features":[41]},{"name":"TYMED_ISTREAM","features":[41]},{"name":"TYMED_MFPICT","features":[41]},{"name":"TYMED_NULL","features":[41]},{"name":"TYPEATTR","features":[41,155,42]},{"name":"TYPEDESC","features":[41,155,42]},{"name":"TYPEKIND","features":[41]},{"name":"TYSPEC","features":[41]},{"name":"TYSPEC_CLSID","features":[41]},{"name":"TYSPEC_FILEEXT","features":[41]},{"name":"TYSPEC_FILENAME","features":[41]},{"name":"TYSPEC_MIMETYPE","features":[41]},{"name":"TYSPEC_OBJECTID","features":[41]},{"name":"TYSPEC_PACKAGENAME","features":[41]},{"name":"TYSPEC_PROGID","features":[41]},{"name":"URI_CREATE_FLAGS","features":[41]},{"name":"Uri_CREATE_ALLOW_IMPLICIT_FILE_SCHEME","features":[41]},{"name":"Uri_CREATE_ALLOW_IMPLICIT_WILDCARD_SCHEME","features":[41]},{"name":"Uri_CREATE_ALLOW_RELATIVE","features":[41]},{"name":"Uri_CREATE_CANONICALIZE","features":[41]},{"name":"Uri_CREATE_CANONICALIZE_ABSOLUTE","features":[41]},{"name":"Uri_CREATE_CRACK_UNKNOWN_SCHEMES","features":[41]},{"name":"Uri_CREATE_DECODE_EXTRA_INFO","features":[41]},{"name":"Uri_CREATE_FILE_USE_DOS_PATH","features":[41]},{"name":"Uri_CREATE_IE_SETTINGS","features":[41]},{"name":"Uri_CREATE_NOFRAG","features":[41]},{"name":"Uri_CREATE_NORMALIZE_INTL_CHARACTERS","features":[41]},{"name":"Uri_CREATE_NO_CANONICALIZE","features":[41]},{"name":"Uri_CREATE_NO_CRACK_UNKNOWN_SCHEMES","features":[41]},{"name":"Uri_CREATE_NO_DECODE_EXTRA_INFO","features":[41]},{"name":"Uri_CREATE_NO_ENCODE_FORBIDDEN_CHARACTERS","features":[41]},{"name":"Uri_CREATE_NO_IE_SETTINGS","features":[41]},{"name":"Uri_CREATE_NO_PRE_PROCESS_HTML_URI","features":[41]},{"name":"Uri_CREATE_PRE_PROCESS_HTML_URI","features":[41]},{"name":"Uri_PROPERTY","features":[41]},{"name":"Uri_PROPERTY_ABSOLUTE_URI","features":[41]},{"name":"Uri_PROPERTY_AUTHORITY","features":[41]},{"name":"Uri_PROPERTY_DISPLAY_URI","features":[41]},{"name":"Uri_PROPERTY_DOMAIN","features":[41]},{"name":"Uri_PROPERTY_DWORD_LAST","features":[41]},{"name":"Uri_PROPERTY_DWORD_START","features":[41]},{"name":"Uri_PROPERTY_EXTENSION","features":[41]},{"name":"Uri_PROPERTY_FRAGMENT","features":[41]},{"name":"Uri_PROPERTY_HOST","features":[41]},{"name":"Uri_PROPERTY_HOST_TYPE","features":[41]},{"name":"Uri_PROPERTY_PASSWORD","features":[41]},{"name":"Uri_PROPERTY_PATH","features":[41]},{"name":"Uri_PROPERTY_PATH_AND_QUERY","features":[41]},{"name":"Uri_PROPERTY_PORT","features":[41]},{"name":"Uri_PROPERTY_QUERY","features":[41]},{"name":"Uri_PROPERTY_RAW_URI","features":[41]},{"name":"Uri_PROPERTY_SCHEME","features":[41]},{"name":"Uri_PROPERTY_SCHEME_NAME","features":[41]},{"name":"Uri_PROPERTY_STRING_LAST","features":[41]},{"name":"Uri_PROPERTY_STRING_START","features":[41]},{"name":"Uri_PROPERTY_USER_INFO","features":[41]},{"name":"Uri_PROPERTY_USER_NAME","features":[41]},{"name":"Uri_PROPERTY_ZONE","features":[41]},{"name":"VARDESC","features":[1,41,155,42]},{"name":"VARFLAGS","features":[41]},{"name":"VARFLAG_FBINDABLE","features":[41]},{"name":"VARFLAG_FDEFAULTBIND","features":[41]},{"name":"VARFLAG_FDEFAULTCOLLELEM","features":[41]},{"name":"VARFLAG_FDISPLAYBIND","features":[41]},{"name":"VARFLAG_FHIDDEN","features":[41]},{"name":"VARFLAG_FIMMEDIATEBIND","features":[41]},{"name":"VARFLAG_FNONBROWSABLE","features":[41]},{"name":"VARFLAG_FREADONLY","features":[41]},{"name":"VARFLAG_FREPLACEABLE","features":[41]},{"name":"VARFLAG_FREQUESTEDIT","features":[41]},{"name":"VARFLAG_FRESTRICTED","features":[41]},{"name":"VARFLAG_FSOURCE","features":[41]},{"name":"VARFLAG_FUIDEFAULT","features":[41]},{"name":"VARKIND","features":[41]},{"name":"VAR_CONST","features":[41]},{"name":"VAR_DISPATCH","features":[41]},{"name":"VAR_PERINSTANCE","features":[41]},{"name":"VAR_STATIC","features":[41]},{"name":"WORD_BLOB","features":[41]},{"name":"WORD_SIZEDARR","features":[41]},{"name":"uCLSSPEC","features":[41]},{"name":"userFLAG_STGMEDIUM","features":[12,41,36]},{"name":"userSTGMEDIUM","features":[12,41,36]}],"538":[{"name":"BSTR_UserFree","features":[156]},{"name":"BSTR_UserFree64","features":[156]},{"name":"BSTR_UserMarshal","features":[156]},{"name":"BSTR_UserMarshal64","features":[156]},{"name":"BSTR_UserSize","features":[156]},{"name":"BSTR_UserSize64","features":[156]},{"name":"BSTR_UserUnmarshal","features":[156]},{"name":"BSTR_UserUnmarshal64","features":[156]},{"name":"CLIPFORMAT_UserFree","features":[156]},{"name":"CLIPFORMAT_UserFree64","features":[156]},{"name":"CLIPFORMAT_UserMarshal","features":[156]},{"name":"CLIPFORMAT_UserMarshal64","features":[156]},{"name":"CLIPFORMAT_UserSize","features":[156]},{"name":"CLIPFORMAT_UserSize64","features":[156]},{"name":"CLIPFORMAT_UserUnmarshal","features":[156]},{"name":"CLIPFORMAT_UserUnmarshal64","features":[156]},{"name":"CoGetMarshalSizeMax","features":[156]},{"name":"CoGetStandardMarshal","features":[156]},{"name":"CoGetStdMarshalEx","features":[156]},{"name":"CoMarshalHresult","features":[156]},{"name":"CoMarshalInterThreadInterfaceInStream","features":[156]},{"name":"CoMarshalInterface","features":[156]},{"name":"CoReleaseMarshalData","features":[156]},{"name":"CoUnmarshalHresult","features":[156]},{"name":"CoUnmarshalInterface","features":[156]},{"name":"HACCEL_UserFree","features":[156,50]},{"name":"HACCEL_UserFree64","features":[156,50]},{"name":"HACCEL_UserMarshal","features":[156,50]},{"name":"HACCEL_UserMarshal64","features":[156,50]},{"name":"HACCEL_UserSize","features":[156,50]},{"name":"HACCEL_UserSize64","features":[156,50]},{"name":"HACCEL_UserUnmarshal","features":[156,50]},{"name":"HACCEL_UserUnmarshal64","features":[156,50]},{"name":"HBITMAP_UserFree","features":[12,156]},{"name":"HBITMAP_UserFree64","features":[12,156]},{"name":"HBITMAP_UserMarshal","features":[12,156]},{"name":"HBITMAP_UserMarshal64","features":[12,156]},{"name":"HBITMAP_UserSize","features":[12,156]},{"name":"HBITMAP_UserSize64","features":[12,156]},{"name":"HBITMAP_UserUnmarshal","features":[12,156]},{"name":"HBITMAP_UserUnmarshal64","features":[12,156]},{"name":"HDC_UserFree","features":[12,156]},{"name":"HDC_UserFree64","features":[12,156]},{"name":"HDC_UserMarshal","features":[12,156]},{"name":"HDC_UserMarshal64","features":[12,156]},{"name":"HDC_UserSize","features":[12,156]},{"name":"HDC_UserSize64","features":[12,156]},{"name":"HDC_UserUnmarshal","features":[12,156]},{"name":"HDC_UserUnmarshal64","features":[12,156]},{"name":"HGLOBAL_UserFree","features":[1,156]},{"name":"HGLOBAL_UserFree64","features":[1,156]},{"name":"HGLOBAL_UserMarshal","features":[1,156]},{"name":"HGLOBAL_UserMarshal64","features":[1,156]},{"name":"HGLOBAL_UserSize","features":[1,156]},{"name":"HGLOBAL_UserSize64","features":[1,156]},{"name":"HGLOBAL_UserUnmarshal","features":[1,156]},{"name":"HGLOBAL_UserUnmarshal64","features":[1,156]},{"name":"HICON_UserFree","features":[156,50]},{"name":"HICON_UserFree64","features":[156,50]},{"name":"HICON_UserMarshal","features":[156,50]},{"name":"HICON_UserMarshal64","features":[156,50]},{"name":"HICON_UserSize","features":[156,50]},{"name":"HICON_UserSize64","features":[156,50]},{"name":"HICON_UserUnmarshal","features":[156,50]},{"name":"HICON_UserUnmarshal64","features":[156,50]},{"name":"HMENU_UserFree","features":[156,50]},{"name":"HMENU_UserFree64","features":[156,50]},{"name":"HMENU_UserMarshal","features":[156,50]},{"name":"HMENU_UserMarshal64","features":[156,50]},{"name":"HMENU_UserSize","features":[156,50]},{"name":"HMENU_UserSize64","features":[156,50]},{"name":"HMENU_UserUnmarshal","features":[156,50]},{"name":"HMENU_UserUnmarshal64","features":[156,50]},{"name":"HPALETTE_UserFree","features":[12,156]},{"name":"HPALETTE_UserFree64","features":[12,156]},{"name":"HPALETTE_UserMarshal","features":[12,156]},{"name":"HPALETTE_UserMarshal64","features":[12,156]},{"name":"HPALETTE_UserSize","features":[12,156]},{"name":"HPALETTE_UserSize64","features":[12,156]},{"name":"HPALETTE_UserUnmarshal","features":[12,156]},{"name":"HPALETTE_UserUnmarshal64","features":[12,156]},{"name":"HWND_UserFree","features":[1,156]},{"name":"HWND_UserFree64","features":[1,156]},{"name":"HWND_UserMarshal","features":[1,156]},{"name":"HWND_UserMarshal64","features":[1,156]},{"name":"HWND_UserSize","features":[1,156]},{"name":"HWND_UserSize64","features":[1,156]},{"name":"HWND_UserUnmarshal","features":[1,156]},{"name":"HWND_UserUnmarshal64","features":[1,156]},{"name":"IMarshal","features":[156]},{"name":"IMarshal2","features":[156]},{"name":"IMarshalingStream","features":[156]},{"name":"LPSAFEARRAY_UserFree","features":[156]},{"name":"LPSAFEARRAY_UserFree64","features":[156]},{"name":"LPSAFEARRAY_UserMarshal","features":[156]},{"name":"LPSAFEARRAY_UserMarshal64","features":[156]},{"name":"LPSAFEARRAY_UserSize","features":[156]},{"name":"LPSAFEARRAY_UserSize64","features":[156]},{"name":"LPSAFEARRAY_UserUnmarshal","features":[156]},{"name":"LPSAFEARRAY_UserUnmarshal64","features":[156]},{"name":"SMEXF_HANDLER","features":[156]},{"name":"SMEXF_SERVER","features":[156]},{"name":"SNB_UserFree","features":[156]},{"name":"SNB_UserFree64","features":[156]},{"name":"SNB_UserMarshal","features":[156]},{"name":"SNB_UserMarshal64","features":[156]},{"name":"SNB_UserSize","features":[156]},{"name":"SNB_UserSize64","features":[156]},{"name":"SNB_UserUnmarshal","features":[156]},{"name":"SNB_UserUnmarshal64","features":[156]},{"name":"STDMSHLFLAGS","features":[156]},{"name":"STGMEDIUM_UserFree","features":[1,12,156]},{"name":"STGMEDIUM_UserFree64","features":[1,12,156]},{"name":"STGMEDIUM_UserMarshal","features":[1,12,156]},{"name":"STGMEDIUM_UserMarshal64","features":[1,12,156]},{"name":"STGMEDIUM_UserSize","features":[1,12,156]},{"name":"STGMEDIUM_UserSize64","features":[1,12,156]},{"name":"STGMEDIUM_UserUnmarshal","features":[1,12,156]},{"name":"STGMEDIUM_UserUnmarshal64","features":[1,12,156]}],"539":[{"name":"BSTRBLOB","features":[63]},{"name":"CABOOL","features":[1,63]},{"name":"CABSTR","features":[63]},{"name":"CABSTRBLOB","features":[63]},{"name":"CAC","features":[63]},{"name":"CACLIPDATA","features":[63]},{"name":"CACLSID","features":[63]},{"name":"CACY","features":[63]},{"name":"CADATE","features":[63]},{"name":"CADBL","features":[63]},{"name":"CAFILETIME","features":[1,63]},{"name":"CAFLT","features":[63]},{"name":"CAH","features":[63]},{"name":"CAI","features":[63]},{"name":"CAL","features":[63]},{"name":"CALPSTR","features":[63]},{"name":"CALPWSTR","features":[63]},{"name":"CAPROPVARIANT","features":[1,63,42]},{"name":"CASCODE","features":[63]},{"name":"CAUB","features":[63]},{"name":"CAUH","features":[63]},{"name":"CAUI","features":[63]},{"name":"CAUL","features":[63]},{"name":"CCH_MAX_PROPSTG_NAME","features":[63]},{"name":"CLIPDATA","features":[63]},{"name":"CWCSTORAGENAME","features":[63]},{"name":"ClearPropVariantArray","features":[1,63,42]},{"name":"CoGetInstanceFromFile","features":[63]},{"name":"CoGetInstanceFromIStorage","features":[63]},{"name":"CoGetInterfaceAndReleaseStream","features":[63]},{"name":"CreateILockBytesOnHGlobal","features":[1,63]},{"name":"CreateStreamOnHGlobal","features":[1,63]},{"name":"FmtIdToPropStgName","features":[63]},{"name":"FreePropVariantArray","features":[1,63,42]},{"name":"GetConvertStg","features":[63]},{"name":"GetHGlobalFromILockBytes","features":[1,63]},{"name":"GetHGlobalFromStream","features":[1,63]},{"name":"IDirectWriterLock","features":[63]},{"name":"IEnumSTATPROPSETSTG","features":[63]},{"name":"IEnumSTATPROPSTG","features":[63]},{"name":"IEnumSTATSTG","features":[63]},{"name":"IFillLockBytes","features":[63]},{"name":"ILayoutStorage","features":[63]},{"name":"ILockBytes","features":[63]},{"name":"IMemoryAllocator","features":[63]},{"name":"IPersistStorage","features":[63]},{"name":"IPropertyBag","features":[63]},{"name":"IPropertyBag2","features":[63]},{"name":"IPropertySetStorage","features":[63]},{"name":"IPropertyStorage","features":[63]},{"name":"IRootStorage","features":[63]},{"name":"IStorage","features":[63]},{"name":"InitPropVariantFromBooleanVector","features":[1,63,42]},{"name":"InitPropVariantFromBuffer","features":[1,63,42]},{"name":"InitPropVariantFromCLSID","features":[1,63,42]},{"name":"InitPropVariantFromDoubleVector","features":[1,63,42]},{"name":"InitPropVariantFromFileTime","features":[1,63,42]},{"name":"InitPropVariantFromFileTimeVector","features":[1,63,42]},{"name":"InitPropVariantFromGUIDAsString","features":[1,63,42]},{"name":"InitPropVariantFromInt16Vector","features":[1,63,42]},{"name":"InitPropVariantFromInt32Vector","features":[1,63,42]},{"name":"InitPropVariantFromInt64Vector","features":[1,63,42]},{"name":"InitPropVariantFromPropVariantVectorElem","features":[1,63,42]},{"name":"InitPropVariantFromResource","features":[1,63,42]},{"name":"InitPropVariantFromStringAsVector","features":[1,63,42]},{"name":"InitPropVariantFromStringVector","features":[1,63,42]},{"name":"InitPropVariantFromUInt16Vector","features":[1,63,42]},{"name":"InitPropVariantFromUInt32Vector","features":[1,63,42]},{"name":"InitPropVariantFromUInt64Vector","features":[1,63,42]},{"name":"InitPropVariantVectorFromPropVariant","features":[1,63,42]},{"name":"OLESTREAM","features":[63]},{"name":"OLESTREAMVTBL","features":[63]},{"name":"OleConvertIStorageToOLESTREAM","features":[63]},{"name":"OleConvertIStorageToOLESTREAMEx","features":[1,12,63]},{"name":"OleConvertOLESTREAMToIStorage","features":[63]},{"name":"OleConvertOLESTREAMToIStorageEx","features":[1,12,63]},{"name":"PIDDI_THUMBNAIL","features":[63]},{"name":"PIDDSI_BYTECOUNT","features":[63]},{"name":"PIDDSI_CATEGORY","features":[63]},{"name":"PIDDSI_COMPANY","features":[63]},{"name":"PIDDSI_DOCPARTS","features":[63]},{"name":"PIDDSI_HEADINGPAIR","features":[63]},{"name":"PIDDSI_HIDDENCOUNT","features":[63]},{"name":"PIDDSI_LINECOUNT","features":[63]},{"name":"PIDDSI_LINKSDIRTY","features":[63]},{"name":"PIDDSI_MANAGER","features":[63]},{"name":"PIDDSI_MMCLIPCOUNT","features":[63]},{"name":"PIDDSI_NOTECOUNT","features":[63]},{"name":"PIDDSI_PARCOUNT","features":[63]},{"name":"PIDDSI_PRESFORMAT","features":[63]},{"name":"PIDDSI_SCALE","features":[63]},{"name":"PIDDSI_SLIDECOUNT","features":[63]},{"name":"PIDMSI_COPYRIGHT","features":[63]},{"name":"PIDMSI_EDITOR","features":[63]},{"name":"PIDMSI_OWNER","features":[63]},{"name":"PIDMSI_PRODUCTION","features":[63]},{"name":"PIDMSI_PROJECT","features":[63]},{"name":"PIDMSI_RATING","features":[63]},{"name":"PIDMSI_SEQUENCE_NO","features":[63]},{"name":"PIDMSI_SOURCE","features":[63]},{"name":"PIDMSI_STATUS","features":[63]},{"name":"PIDMSI_STATUS_DRAFT","features":[63]},{"name":"PIDMSI_STATUS_EDIT","features":[63]},{"name":"PIDMSI_STATUS_FINAL","features":[63]},{"name":"PIDMSI_STATUS_INPROGRESS","features":[63]},{"name":"PIDMSI_STATUS_NEW","features":[63]},{"name":"PIDMSI_STATUS_NORMAL","features":[63]},{"name":"PIDMSI_STATUS_OTHER","features":[63]},{"name":"PIDMSI_STATUS_PRELIM","features":[63]},{"name":"PIDMSI_STATUS_PROOF","features":[63]},{"name":"PIDMSI_STATUS_REVIEW","features":[63]},{"name":"PIDMSI_STATUS_VALUE","features":[63]},{"name":"PIDMSI_SUPPLIER","features":[63]},{"name":"PIDSI_APPNAME","features":[63]},{"name":"PIDSI_AUTHOR","features":[63]},{"name":"PIDSI_CHARCOUNT","features":[63]},{"name":"PIDSI_COMMENTS","features":[63]},{"name":"PIDSI_CREATE_DTM","features":[63]},{"name":"PIDSI_DOC_SECURITY","features":[63]},{"name":"PIDSI_EDITTIME","features":[63]},{"name":"PIDSI_KEYWORDS","features":[63]},{"name":"PIDSI_LASTAUTHOR","features":[63]},{"name":"PIDSI_LASTPRINTED","features":[63]},{"name":"PIDSI_LASTSAVE_DTM","features":[63]},{"name":"PIDSI_PAGECOUNT","features":[63]},{"name":"PIDSI_REVNUMBER","features":[63]},{"name":"PIDSI_SUBJECT","features":[63]},{"name":"PIDSI_TEMPLATE","features":[63]},{"name":"PIDSI_THUMBNAIL","features":[63]},{"name":"PIDSI_TITLE","features":[63]},{"name":"PIDSI_WORDCOUNT","features":[63]},{"name":"PID_BEHAVIOR","features":[63]},{"name":"PID_CODEPAGE","features":[63]},{"name":"PID_DICTIONARY","features":[63]},{"name":"PID_FIRST_NAME_DEFAULT","features":[63]},{"name":"PID_FIRST_USABLE","features":[63]},{"name":"PID_ILLEGAL","features":[63]},{"name":"PID_LOCALE","features":[63]},{"name":"PID_MAX_READONLY","features":[63]},{"name":"PID_MIN_READONLY","features":[63]},{"name":"PID_MODIFY_TIME","features":[63]},{"name":"PID_SECURITY","features":[63]},{"name":"PROPBAG2","features":[63,42]},{"name":"PROPSETFLAG_ANSI","features":[63]},{"name":"PROPSETFLAG_CASE_SENSITIVE","features":[63]},{"name":"PROPSETFLAG_DEFAULT","features":[63]},{"name":"PROPSETFLAG_NONSIMPLE","features":[63]},{"name":"PROPSETFLAG_UNBUFFERED","features":[63]},{"name":"PROPSETHDR_OSVERSION_UNKNOWN","features":[63]},{"name":"PROPSET_BEHAVIOR_CASE_SENSITIVE","features":[63]},{"name":"PROPSPEC","features":[63]},{"name":"PROPSPEC_KIND","features":[63]},{"name":"PROPVARIANT","features":[1,63,42]},{"name":"PROPVAR_CHANGE_FLAGS","features":[63]},{"name":"PROPVAR_COMPARE_FLAGS","features":[63]},{"name":"PROPVAR_COMPARE_UNIT","features":[63]},{"name":"PRSPEC_INVALID","features":[63]},{"name":"PRSPEC_LPWSTR","features":[63]},{"name":"PRSPEC_PROPID","features":[63]},{"name":"PVCF_DEFAULT","features":[63]},{"name":"PVCF_DIGITSASNUMBERS_CASESENSITIVE","features":[63]},{"name":"PVCF_TREATEMPTYASGREATERTHAN","features":[63]},{"name":"PVCF_USESTRCMP","features":[63]},{"name":"PVCF_USESTRCMPC","features":[63]},{"name":"PVCF_USESTRCMPI","features":[63]},{"name":"PVCF_USESTRCMPIC","features":[63]},{"name":"PVCHF_ALPHABOOL","features":[63]},{"name":"PVCHF_DEFAULT","features":[63]},{"name":"PVCHF_LOCALBOOL","features":[63]},{"name":"PVCHF_NOHEXSTRING","features":[63]},{"name":"PVCHF_NOUSEROVERRIDE","features":[63]},{"name":"PVCHF_NOVALUEPROP","features":[63]},{"name":"PVCU_DAY","features":[63]},{"name":"PVCU_DEFAULT","features":[63]},{"name":"PVCU_HOUR","features":[63]},{"name":"PVCU_MINUTE","features":[63]},{"name":"PVCU_MONTH","features":[63]},{"name":"PVCU_SECOND","features":[63]},{"name":"PVCU_YEAR","features":[63]},{"name":"PropStgNameToFmtId","features":[63]},{"name":"PropVariantChangeType","features":[1,63,42]},{"name":"PropVariantClear","features":[1,63,42]},{"name":"PropVariantCompareEx","features":[1,63,42]},{"name":"PropVariantCopy","features":[1,63,42]},{"name":"PropVariantGetBooleanElem","features":[1,63,42]},{"name":"PropVariantGetDoubleElem","features":[1,63,42]},{"name":"PropVariantGetElementCount","features":[1,63,42]},{"name":"PropVariantGetFileTimeElem","features":[1,63,42]},{"name":"PropVariantGetInt16Elem","features":[1,63,42]},{"name":"PropVariantGetInt32Elem","features":[1,63,42]},{"name":"PropVariantGetInt64Elem","features":[1,63,42]},{"name":"PropVariantGetStringElem","features":[1,63,42]},{"name":"PropVariantGetUInt16Elem","features":[1,63,42]},{"name":"PropVariantGetUInt32Elem","features":[1,63,42]},{"name":"PropVariantGetUInt64Elem","features":[1,63,42]},{"name":"PropVariantToBSTR","features":[1,63,42]},{"name":"PropVariantToBoolean","features":[1,63,42]},{"name":"PropVariantToBooleanVector","features":[1,63,42]},{"name":"PropVariantToBooleanVectorAlloc","features":[1,63,42]},{"name":"PropVariantToBooleanWithDefault","features":[1,63,42]},{"name":"PropVariantToBuffer","features":[1,63,42]},{"name":"PropVariantToDouble","features":[1,63,42]},{"name":"PropVariantToDoubleVector","features":[1,63,42]},{"name":"PropVariantToDoubleVectorAlloc","features":[1,63,42]},{"name":"PropVariantToDoubleWithDefault","features":[1,63,42]},{"name":"PropVariantToFileTime","features":[1,63,42]},{"name":"PropVariantToFileTimeVector","features":[1,63,42]},{"name":"PropVariantToFileTimeVectorAlloc","features":[1,63,42]},{"name":"PropVariantToGUID","features":[1,63,42]},{"name":"PropVariantToInt16","features":[1,63,42]},{"name":"PropVariantToInt16Vector","features":[1,63,42]},{"name":"PropVariantToInt16VectorAlloc","features":[1,63,42]},{"name":"PropVariantToInt16WithDefault","features":[1,63,42]},{"name":"PropVariantToInt32","features":[1,63,42]},{"name":"PropVariantToInt32Vector","features":[1,63,42]},{"name":"PropVariantToInt32VectorAlloc","features":[1,63,42]},{"name":"PropVariantToInt32WithDefault","features":[1,63,42]},{"name":"PropVariantToInt64","features":[1,63,42]},{"name":"PropVariantToInt64Vector","features":[1,63,42]},{"name":"PropVariantToInt64VectorAlloc","features":[1,63,42]},{"name":"PropVariantToInt64WithDefault","features":[1,63,42]},{"name":"PropVariantToString","features":[1,63,42]},{"name":"PropVariantToStringAlloc","features":[1,63,42]},{"name":"PropVariantToStringVector","features":[1,63,42]},{"name":"PropVariantToStringVectorAlloc","features":[1,63,42]},{"name":"PropVariantToStringWithDefault","features":[1,63,42]},{"name":"PropVariantToUInt16","features":[1,63,42]},{"name":"PropVariantToUInt16Vector","features":[1,63,42]},{"name":"PropVariantToUInt16VectorAlloc","features":[1,63,42]},{"name":"PropVariantToUInt16WithDefault","features":[1,63,42]},{"name":"PropVariantToUInt32","features":[1,63,42]},{"name":"PropVariantToUInt32Vector","features":[1,63,42]},{"name":"PropVariantToUInt32VectorAlloc","features":[1,63,42]},{"name":"PropVariantToUInt32WithDefault","features":[1,63,42]},{"name":"PropVariantToUInt64","features":[1,63,42]},{"name":"PropVariantToUInt64Vector","features":[1,63,42]},{"name":"PropVariantToUInt64VectorAlloc","features":[1,63,42]},{"name":"PropVariantToUInt64WithDefault","features":[1,63,42]},{"name":"PropVariantToVariant","features":[1,63,42]},{"name":"PropVariantToWinRTPropertyValue","features":[1,63,42]},{"name":"ReadClassStg","features":[63]},{"name":"ReadClassStm","features":[63]},{"name":"ReadFmtUserTypeStg","features":[63]},{"name":"RemSNB","features":[63]},{"name":"SERIALIZEDPROPERTYVALUE","features":[63]},{"name":"STATPROPSETSTG","features":[1,63]},{"name":"STATPROPSTG","features":[63,42]},{"name":"STGFMT","features":[63]},{"name":"STGFMT_ANY","features":[63]},{"name":"STGFMT_DOCFILE","features":[63]},{"name":"STGFMT_DOCUMENT","features":[63]},{"name":"STGFMT_FILE","features":[63]},{"name":"STGFMT_NATIVE","features":[63]},{"name":"STGFMT_STORAGE","features":[63]},{"name":"STGMOVE","features":[63]},{"name":"STGMOVE_COPY","features":[63]},{"name":"STGMOVE_MOVE","features":[63]},{"name":"STGMOVE_SHALLOWCOPY","features":[63]},{"name":"STGOPTIONS","features":[63]},{"name":"STGOPTIONS_VERSION","features":[63]},{"name":"SetConvertStg","features":[1,63]},{"name":"StgConvertPropertyToVariant","features":[1,63,42]},{"name":"StgConvertVariantToProperty","features":[1,63,42]},{"name":"StgCreateDocfile","features":[63]},{"name":"StgCreateDocfileOnILockBytes","features":[63]},{"name":"StgCreatePropSetStg","features":[63]},{"name":"StgCreatePropStg","features":[63]},{"name":"StgCreateStorageEx","features":[4,63]},{"name":"StgDeserializePropVariant","features":[1,63,42]},{"name":"StgGetIFillLockBytesOnFile","features":[63]},{"name":"StgGetIFillLockBytesOnILockBytes","features":[63]},{"name":"StgIsStorageFile","features":[63]},{"name":"StgIsStorageILockBytes","features":[63]},{"name":"StgOpenAsyncDocfileOnIFillLockBytes","features":[63]},{"name":"StgOpenLayoutDocfile","features":[63]},{"name":"StgOpenPropStg","features":[63]},{"name":"StgOpenStorage","features":[63]},{"name":"StgOpenStorageEx","features":[4,63]},{"name":"StgOpenStorageOnILockBytes","features":[63]},{"name":"StgPropertyLengthAsVariant","features":[63]},{"name":"StgSerializePropVariant","features":[1,63,42]},{"name":"StgSetTimes","features":[1,63]},{"name":"VERSIONEDSTREAM","features":[63]},{"name":"VariantToPropVariant","features":[1,63,42]},{"name":"WinRTPropertyValueToPropVariant","features":[1,63,42]},{"name":"WriteClassStg","features":[63]},{"name":"WriteClassStm","features":[63]},{"name":"WriteFmtUserTypeStg","features":[63]}],"541":[{"name":"AUTHENTICATEF","features":[157]},{"name":"AUTHENTICATEF_BASIC","features":[157]},{"name":"AUTHENTICATEF_HTTP","features":[157]},{"name":"AUTHENTICATEF_PROXY","features":[157]},{"name":"BINDF","features":[157]},{"name":"BINDF2","features":[157]},{"name":"BINDF2_ALLOW_PROXY_CRED_PROMPT","features":[157]},{"name":"BINDF2_DISABLEAUTOCOOKIEHANDLING","features":[157]},{"name":"BINDF2_DISABLEBASICOVERHTTP","features":[157]},{"name":"BINDF2_DISABLE_HTTP_REDIRECT_CACHING","features":[157]},{"name":"BINDF2_DISABLE_HTTP_REDIRECT_XSECURITYID","features":[157]},{"name":"BINDF2_KEEP_CALLBACK_MODULE_LOADED","features":[157]},{"name":"BINDF2_READ_DATA_GREATER_THAN_4GB","features":[157]},{"name":"BINDF2_RESERVED_1","features":[157]},{"name":"BINDF2_RESERVED_10","features":[157]},{"name":"BINDF2_RESERVED_11","features":[157]},{"name":"BINDF2_RESERVED_12","features":[157]},{"name":"BINDF2_RESERVED_13","features":[157]},{"name":"BINDF2_RESERVED_14","features":[157]},{"name":"BINDF2_RESERVED_15","features":[157]},{"name":"BINDF2_RESERVED_16","features":[157]},{"name":"BINDF2_RESERVED_17","features":[157]},{"name":"BINDF2_RESERVED_2","features":[157]},{"name":"BINDF2_RESERVED_3","features":[157]},{"name":"BINDF2_RESERVED_4","features":[157]},{"name":"BINDF2_RESERVED_5","features":[157]},{"name":"BINDF2_RESERVED_6","features":[157]},{"name":"BINDF2_RESERVED_7","features":[157]},{"name":"BINDF2_RESERVED_8","features":[157]},{"name":"BINDF2_RESERVED_9","features":[157]},{"name":"BINDF2_RESERVED_A","features":[157]},{"name":"BINDF2_RESERVED_B","features":[157]},{"name":"BINDF2_RESERVED_C","features":[157]},{"name":"BINDF2_RESERVED_D","features":[157]},{"name":"BINDF2_RESERVED_E","features":[157]},{"name":"BINDF2_RESERVED_F","features":[157]},{"name":"BINDF2_SETDOWNLOADMODE","features":[157]},{"name":"BINDF_ASYNCHRONOUS","features":[157]},{"name":"BINDF_ASYNCSTORAGE","features":[157]},{"name":"BINDF_DIRECT_READ","features":[157]},{"name":"BINDF_ENFORCERESTRICTED","features":[157]},{"name":"BINDF_FORMS_SUBMIT","features":[157]},{"name":"BINDF_FREE_THREADED","features":[157]},{"name":"BINDF_FROMURLMON","features":[157]},{"name":"BINDF_FWD_BACK","features":[157]},{"name":"BINDF_GETCLASSOBJECT","features":[157]},{"name":"BINDF_GETFROMCACHE_IF_NET_FAIL","features":[157]},{"name":"BINDF_GETNEWESTVERSION","features":[157]},{"name":"BINDF_HYPERLINK","features":[157]},{"name":"BINDF_IGNORESECURITYPROBLEM","features":[157]},{"name":"BINDF_NEEDFILE","features":[157]},{"name":"BINDF_NOPROGRESSIVERENDERING","features":[157]},{"name":"BINDF_NOWRITECACHE","features":[157]},{"name":"BINDF_NO_UI","features":[157]},{"name":"BINDF_OFFLINEOPERATION","features":[157]},{"name":"BINDF_PRAGMA_NO_CACHE","features":[157]},{"name":"BINDF_PREFERDEFAULTHANDLER","features":[157]},{"name":"BINDF_PULLDATA","features":[157]},{"name":"BINDF_RESERVED_1","features":[157]},{"name":"BINDF_RESERVED_2","features":[157]},{"name":"BINDF_RESERVED_3","features":[157]},{"name":"BINDF_RESERVED_4","features":[157]},{"name":"BINDF_RESERVED_5","features":[157]},{"name":"BINDF_RESERVED_6","features":[157]},{"name":"BINDF_RESERVED_7","features":[157]},{"name":"BINDF_RESERVED_8","features":[157]},{"name":"BINDF_RESYNCHRONIZE","features":[157]},{"name":"BINDF_SILENTOPERATION","features":[157]},{"name":"BINDHANDLETYPES","features":[157]},{"name":"BINDHANDLETYPES_APPCACHE","features":[157]},{"name":"BINDHANDLETYPES_COUNT","features":[157]},{"name":"BINDHANDLETYPES_DEPENDENCY","features":[157]},{"name":"BINDINFO_OPTIONS","features":[157]},{"name":"BINDINFO_OPTIONS_ALLOWCONNECTDATA","features":[157]},{"name":"BINDINFO_OPTIONS_BINDTOOBJECT","features":[157]},{"name":"BINDINFO_OPTIONS_DISABLEAUTOREDIRECTS","features":[157]},{"name":"BINDINFO_OPTIONS_DISABLE_UTF8","features":[157]},{"name":"BINDINFO_OPTIONS_ENABLE_UTF8","features":[157]},{"name":"BINDINFO_OPTIONS_IGNOREHTTPHTTPSREDIRECTS","features":[157]},{"name":"BINDINFO_OPTIONS_IGNOREMIMETEXTPLAIN","features":[157]},{"name":"BINDINFO_OPTIONS_IGNORE_SSLERRORS_ONCE","features":[157]},{"name":"BINDINFO_OPTIONS_SECURITYOPTOUT","features":[157]},{"name":"BINDINFO_OPTIONS_SHDOCVW_NAVIGATE","features":[157]},{"name":"BINDINFO_OPTIONS_USEBINDSTRINGCREDS","features":[157]},{"name":"BINDINFO_OPTIONS_USE_IE_ENCODING","features":[157]},{"name":"BINDINFO_OPTIONS_WININETFLAG","features":[157]},{"name":"BINDINFO_WPC_DOWNLOADBLOCKED","features":[157]},{"name":"BINDINFO_WPC_LOGGING_ENABLED","features":[157]},{"name":"BINDSTATUS","features":[157]},{"name":"BINDSTATUS_64BIT_PROGRESS","features":[157]},{"name":"BINDSTATUS_ACCEPTRANGES","features":[157]},{"name":"BINDSTATUS_BEGINDOWNLOADCOMPONENTS","features":[157]},{"name":"BINDSTATUS_BEGINDOWNLOADDATA","features":[157]},{"name":"BINDSTATUS_BEGINSYNCOPERATION","features":[157]},{"name":"BINDSTATUS_BEGINUPLOADDATA","features":[157]},{"name":"BINDSTATUS_CACHECONTROL","features":[157]},{"name":"BINDSTATUS_CACHEFILENAMEAVAILABLE","features":[157]},{"name":"BINDSTATUS_CLASSIDAVAILABLE","features":[157]},{"name":"BINDSTATUS_CLASSINSTALLLOCATION","features":[157]},{"name":"BINDSTATUS_CLSIDCANINSTANTIATE","features":[157]},{"name":"BINDSTATUS_COMPACT_POLICY_RECEIVED","features":[157]},{"name":"BINDSTATUS_CONNECTING","features":[157]},{"name":"BINDSTATUS_CONTENTDISPOSITIONATTACH","features":[157]},{"name":"BINDSTATUS_CONTENTDISPOSITIONFILENAME","features":[157]},{"name":"BINDSTATUS_COOKIE_SENT","features":[157]},{"name":"BINDSTATUS_COOKIE_STATE_ACCEPT","features":[157]},{"name":"BINDSTATUS_COOKIE_STATE_DOWNGRADE","features":[157]},{"name":"BINDSTATUS_COOKIE_STATE_LEASH","features":[157]},{"name":"BINDSTATUS_COOKIE_STATE_PROMPT","features":[157]},{"name":"BINDSTATUS_COOKIE_STATE_REJECT","features":[157]},{"name":"BINDSTATUS_COOKIE_STATE_UNKNOWN","features":[157]},{"name":"BINDSTATUS_COOKIE_SUPPRESSED","features":[157]},{"name":"BINDSTATUS_DECODING","features":[157]},{"name":"BINDSTATUS_DIRECTBIND","features":[157]},{"name":"BINDSTATUS_DISPLAYNAMEAVAILABLE","features":[157]},{"name":"BINDSTATUS_DOWNLOADINGDATA","features":[157]},{"name":"BINDSTATUS_ENCODING","features":[157]},{"name":"BINDSTATUS_ENDDOWNLOADCOMPONENTS","features":[157]},{"name":"BINDSTATUS_ENDDOWNLOADDATA","features":[157]},{"name":"BINDSTATUS_ENDSYNCOPERATION","features":[157]},{"name":"BINDSTATUS_ENDUPLOADDATA","features":[157]},{"name":"BINDSTATUS_FILTERREPORTMIMETYPE","features":[157]},{"name":"BINDSTATUS_FINDINGRESOURCE","features":[157]},{"name":"BINDSTATUS_INSTALLINGCOMPONENTS","features":[157]},{"name":"BINDSTATUS_IUNKNOWNAVAILABLE","features":[157]},{"name":"BINDSTATUS_LAST","features":[157]},{"name":"BINDSTATUS_LAST_PRIVATE","features":[157]},{"name":"BINDSTATUS_LOADINGMIMEHANDLER","features":[157]},{"name":"BINDSTATUS_MIMETEXTPLAINMISMATCH","features":[157]},{"name":"BINDSTATUS_MIMETYPEAVAILABLE","features":[157]},{"name":"BINDSTATUS_P3P_HEADER","features":[157]},{"name":"BINDSTATUS_PERSISTENT_COOKIE_RECEIVED","features":[157]},{"name":"BINDSTATUS_POLICY_HREF","features":[157]},{"name":"BINDSTATUS_PROTOCOLCLASSID","features":[157]},{"name":"BINDSTATUS_PROXYDETECTING","features":[157]},{"name":"BINDSTATUS_PUBLISHERAVAILABLE","features":[157]},{"name":"BINDSTATUS_RAWMIMETYPE","features":[157]},{"name":"BINDSTATUS_REDIRECTING","features":[157]},{"name":"BINDSTATUS_RESERVED_0","features":[157]},{"name":"BINDSTATUS_RESERVED_1","features":[157]},{"name":"BINDSTATUS_RESERVED_10","features":[157]},{"name":"BINDSTATUS_RESERVED_11","features":[157]},{"name":"BINDSTATUS_RESERVED_12","features":[157]},{"name":"BINDSTATUS_RESERVED_13","features":[157]},{"name":"BINDSTATUS_RESERVED_14","features":[157]},{"name":"BINDSTATUS_RESERVED_2","features":[157]},{"name":"BINDSTATUS_RESERVED_3","features":[157]},{"name":"BINDSTATUS_RESERVED_4","features":[157]},{"name":"BINDSTATUS_RESERVED_5","features":[157]},{"name":"BINDSTATUS_RESERVED_6","features":[157]},{"name":"BINDSTATUS_RESERVED_7","features":[157]},{"name":"BINDSTATUS_RESERVED_8","features":[157]},{"name":"BINDSTATUS_RESERVED_9","features":[157]},{"name":"BINDSTATUS_RESERVED_A","features":[157]},{"name":"BINDSTATUS_RESERVED_B","features":[157]},{"name":"BINDSTATUS_RESERVED_C","features":[157]},{"name":"BINDSTATUS_RESERVED_D","features":[157]},{"name":"BINDSTATUS_RESERVED_E","features":[157]},{"name":"BINDSTATUS_RESERVED_F","features":[157]},{"name":"BINDSTATUS_SENDINGREQUEST","features":[157]},{"name":"BINDSTATUS_SERVER_MIMETYPEAVAILABLE","features":[157]},{"name":"BINDSTATUS_SESSION_COOKIES_ALLOWED","features":[157]},{"name":"BINDSTATUS_SESSION_COOKIE_RECEIVED","features":[157]},{"name":"BINDSTATUS_SNIFFED_CLASSIDAVAILABLE","features":[157]},{"name":"BINDSTATUS_SSLUX_NAVBLOCKED","features":[157]},{"name":"BINDSTATUS_UPLOADINGDATA","features":[157]},{"name":"BINDSTATUS_USINGCACHEDCOPY","features":[157]},{"name":"BINDSTATUS_VERIFIEDMIMETYPEAVAILABLE","features":[157]},{"name":"BINDSTRING","features":[157]},{"name":"BINDSTRING_ACCEPT_ENCODINGS","features":[157]},{"name":"BINDSTRING_ACCEPT_MIMES","features":[157]},{"name":"BINDSTRING_DOC_URL","features":[157]},{"name":"BINDSTRING_DOWNLOADPATH","features":[157]},{"name":"BINDSTRING_ENTERPRISE_ID","features":[157]},{"name":"BINDSTRING_EXTRA_URL","features":[157]},{"name":"BINDSTRING_FLAG_BIND_TO_OBJECT","features":[157]},{"name":"BINDSTRING_HEADERS","features":[157]},{"name":"BINDSTRING_IID","features":[157]},{"name":"BINDSTRING_INITIAL_FILENAME","features":[157]},{"name":"BINDSTRING_LANGUAGE","features":[157]},{"name":"BINDSTRING_OS","features":[157]},{"name":"BINDSTRING_PASSWORD","features":[157]},{"name":"BINDSTRING_POST_COOKIE","features":[157]},{"name":"BINDSTRING_POST_DATA_MIME","features":[157]},{"name":"BINDSTRING_PROXY_PASSWORD","features":[157]},{"name":"BINDSTRING_PROXY_USERNAME","features":[157]},{"name":"BINDSTRING_PTR_BIND_CONTEXT","features":[157]},{"name":"BINDSTRING_ROOTDOC_URL","features":[157]},{"name":"BINDSTRING_SAMESITE_COOKIE_LEVEL","features":[157]},{"name":"BINDSTRING_UA_COLOR","features":[157]},{"name":"BINDSTRING_UA_PIXELS","features":[157]},{"name":"BINDSTRING_URL","features":[157]},{"name":"BINDSTRING_USERNAME","features":[157]},{"name":"BINDSTRING_USER_AGENT","features":[157]},{"name":"BINDSTRING_XDR_ORIGIN","features":[157]},{"name":"BINDVERB","features":[157]},{"name":"BINDVERB_CUSTOM","features":[157]},{"name":"BINDVERB_GET","features":[157]},{"name":"BINDVERB_POST","features":[157]},{"name":"BINDVERB_PUT","features":[157]},{"name":"BINDVERB_RESERVED1","features":[157]},{"name":"BSCF","features":[157]},{"name":"BSCF_64BITLENGTHDOWNLOAD","features":[157]},{"name":"BSCF_AVAILABLEDATASIZEUNKNOWN","features":[157]},{"name":"BSCF_DATAFULLYAVAILABLE","features":[157]},{"name":"BSCF_FIRSTDATANOTIFICATION","features":[157]},{"name":"BSCF_INTERMEDIATEDATANOTIFICATION","features":[157]},{"name":"BSCF_LASTDATANOTIFICATION","features":[157]},{"name":"BSCF_SKIPDRAINDATAFORFILEURLS","features":[157]},{"name":"CF_NULL","features":[157]},{"name":"CIP_ACCESS_DENIED","features":[157]},{"name":"CIP_DISK_FULL","features":[157]},{"name":"CIP_EXE_SELF_REGISTERATION_TIMEOUT","features":[157]},{"name":"CIP_NAME_CONFLICT","features":[157]},{"name":"CIP_NEED_REBOOT","features":[157]},{"name":"CIP_NEED_REBOOT_UI_PERMISSION","features":[157]},{"name":"CIP_NEWER_VERSION_EXISTS","features":[157]},{"name":"CIP_OLDER_VERSION_EXISTS","features":[157]},{"name":"CIP_STATUS","features":[157]},{"name":"CIP_TRUST_VERIFICATION_COMPONENT_MISSING","features":[157]},{"name":"CIP_UNSAFE_TO_ABORT","features":[157]},{"name":"CLASSIDPROP","features":[157]},{"name":"CODEBASEHOLD","features":[157]},{"name":"CONFIRMSAFETY","features":[157]},{"name":"CONFIRMSAFETYACTION_LOADOBJECT","features":[157]},{"name":"CoGetClassObjectFromURL","features":[157]},{"name":"CoInternetCombineIUri","features":[157]},{"name":"CoInternetCombineUrl","features":[157]},{"name":"CoInternetCombineUrlEx","features":[157]},{"name":"CoInternetCompareUrl","features":[157]},{"name":"CoInternetCreateSecurityManager","features":[157]},{"name":"CoInternetCreateZoneManager","features":[157]},{"name":"CoInternetGetProtocolFlags","features":[157]},{"name":"CoInternetGetSecurityUrl","features":[157]},{"name":"CoInternetGetSecurityUrlEx","features":[157]},{"name":"CoInternetGetSession","features":[157]},{"name":"CoInternetIsFeatureEnabled","features":[157]},{"name":"CoInternetIsFeatureEnabledForIUri","features":[157]},{"name":"CoInternetIsFeatureEnabledForUrl","features":[157]},{"name":"CoInternetIsFeatureZoneElevationEnabled","features":[157]},{"name":"CoInternetParseIUri","features":[157]},{"name":"CoInternetParseUrl","features":[157]},{"name":"CoInternetQueryInfo","features":[157]},{"name":"CoInternetSetFeatureEnabled","features":[1,157]},{"name":"CompareSecurityIds","features":[157]},{"name":"CompatFlagsFromClsid","features":[157]},{"name":"CopyBindInfo","features":[1,12,4,157]},{"name":"CopyStgMedium","features":[1,12,157]},{"name":"CreateAsyncBindCtx","features":[157]},{"name":"CreateAsyncBindCtxEx","features":[157]},{"name":"CreateFormatEnumerator","features":[157]},{"name":"CreateURLMoniker","features":[157]},{"name":"CreateURLMonikerEx","features":[157]},{"name":"CreateURLMonikerEx2","features":[157]},{"name":"DATAINFO","features":[157]},{"name":"E_PENDING","features":[157]},{"name":"FEATURE_ADDON_MANAGEMENT","features":[157]},{"name":"FEATURE_BEHAVIORS","features":[157]},{"name":"FEATURE_BLOCK_INPUT_PROMPTS","features":[157]},{"name":"FEATURE_DISABLE_LEGACY_COMPRESSION","features":[157]},{"name":"FEATURE_DISABLE_MK_PROTOCOL","features":[157]},{"name":"FEATURE_DISABLE_NAVIGATION_SOUNDS","features":[157]},{"name":"FEATURE_DISABLE_TELNET_PROTOCOL","features":[157]},{"name":"FEATURE_ENTRY_COUNT","features":[157]},{"name":"FEATURE_FEEDS","features":[157]},{"name":"FEATURE_FORCE_ADDR_AND_STATUS","features":[157]},{"name":"FEATURE_GET_URL_DOM_FILEPATH_UNENCODED","features":[157]},{"name":"FEATURE_HTTP_USERNAME_PASSWORD_DISABLE","features":[157]},{"name":"FEATURE_LOCALMACHINE_LOCKDOWN","features":[157]},{"name":"FEATURE_MIME_HANDLING","features":[157]},{"name":"FEATURE_MIME_SNIFFING","features":[157]},{"name":"FEATURE_OBJECT_CACHING","features":[157]},{"name":"FEATURE_PROTOCOL_LOCKDOWN","features":[157]},{"name":"FEATURE_RESTRICT_ACTIVEXINSTALL","features":[157]},{"name":"FEATURE_RESTRICT_FILEDOWNLOAD","features":[157]},{"name":"FEATURE_SAFE_BINDTOOBJECT","features":[157]},{"name":"FEATURE_SECURITYBAND","features":[157]},{"name":"FEATURE_SSLUX","features":[157]},{"name":"FEATURE_TABBED_BROWSING","features":[157]},{"name":"FEATURE_UNC_SAVEDFILECHECK","features":[157]},{"name":"FEATURE_VALIDATE_NAVIGATE_URL","features":[157]},{"name":"FEATURE_WEBOC_POPUPMANAGEMENT","features":[157]},{"name":"FEATURE_WINDOW_RESTRICTIONS","features":[157]},{"name":"FEATURE_XMLHTTP","features":[157]},{"name":"FEATURE_ZONE_ELEVATION","features":[157]},{"name":"FIEF_FLAG_FORCE_JITUI","features":[157]},{"name":"FIEF_FLAG_PEEK","features":[157]},{"name":"FIEF_FLAG_RESERVED_0","features":[157]},{"name":"FIEF_FLAG_SKIP_INSTALLED_VERSION_CHECK","features":[157]},{"name":"FMFD_DEFAULT","features":[157]},{"name":"FMFD_ENABLEMIMESNIFFING","features":[157]},{"name":"FMFD_IGNOREMIMETEXTPLAIN","features":[157]},{"name":"FMFD_RESERVED_1","features":[157]},{"name":"FMFD_RESERVED_2","features":[157]},{"name":"FMFD_RESPECTTEXTPLAIN","features":[157]},{"name":"FMFD_RETURNUPDATEDIMGMIMES","features":[157]},{"name":"FMFD_SERVERMIME","features":[157]},{"name":"FMFD_URLASFILENAME","features":[157]},{"name":"FaultInIEFeature","features":[1,157]},{"name":"FindMediaType","features":[157]},{"name":"FindMediaTypeClass","features":[157]},{"name":"FindMimeFromData","features":[157]},{"name":"GET_FEATURE_FROM_PROCESS","features":[157]},{"name":"GET_FEATURE_FROM_REGISTRY","features":[157]},{"name":"GET_FEATURE_FROM_THREAD","features":[157]},{"name":"GET_FEATURE_FROM_THREAD_INTERNET","features":[157]},{"name":"GET_FEATURE_FROM_THREAD_INTRANET","features":[157]},{"name":"GET_FEATURE_FROM_THREAD_LOCALMACHINE","features":[157]},{"name":"GET_FEATURE_FROM_THREAD_RESTRICTED","features":[157]},{"name":"GET_FEATURE_FROM_THREAD_TRUSTED","features":[157]},{"name":"GetClassFileOrMime","features":[157]},{"name":"GetClassURL","features":[157]},{"name":"GetComponentIDFromCLSSPEC","features":[157]},{"name":"GetSoftwareUpdateInfo","features":[157]},{"name":"HIT_LOGGING_INFO","features":[1,157]},{"name":"HlinkGoBack","features":[157]},{"name":"HlinkGoForward","features":[157]},{"name":"HlinkNavigateMoniker","features":[157]},{"name":"HlinkNavigateString","features":[157]},{"name":"HlinkSimpleNavigateToMoniker","features":[157]},{"name":"HlinkSimpleNavigateToString","features":[157]},{"name":"IBindCallbackRedirect","features":[157]},{"name":"IBindHttpSecurity","features":[157]},{"name":"IBindProtocol","features":[157]},{"name":"ICatalogFileInfo","features":[157]},{"name":"ICodeInstall","features":[157]},{"name":"IDataFilter","features":[157]},{"name":"IEGetUserPrivateNamespaceName","features":[157]},{"name":"IEInstallScope","features":[157]},{"name":"IEObjectType","features":[157]},{"name":"IE_EPM_OBJECT_EVENT","features":[157]},{"name":"IE_EPM_OBJECT_FILE","features":[157]},{"name":"IE_EPM_OBJECT_MUTEX","features":[157]},{"name":"IE_EPM_OBJECT_NAMED_PIPE","features":[157]},{"name":"IE_EPM_OBJECT_REGISTRY","features":[157]},{"name":"IE_EPM_OBJECT_SEMAPHORE","features":[157]},{"name":"IE_EPM_OBJECT_SHARED_MEMORY","features":[157]},{"name":"IE_EPM_OBJECT_WAITABLE_TIMER","features":[157]},{"name":"IEncodingFilterFactory","features":[157]},{"name":"IGetBindHandle","features":[157]},{"name":"IHttpNegotiate","features":[157]},{"name":"IHttpNegotiate2","features":[157]},{"name":"IHttpNegotiate3","features":[157]},{"name":"IHttpSecurity","features":[157]},{"name":"IInternet","features":[157]},{"name":"IInternetBindInfo","features":[157]},{"name":"IInternetBindInfoEx","features":[157]},{"name":"IInternetHostSecurityManager","features":[157]},{"name":"IInternetPriority","features":[157]},{"name":"IInternetProtocol","features":[157]},{"name":"IInternetProtocolEx","features":[157]},{"name":"IInternetProtocolInfo","features":[157]},{"name":"IInternetProtocolRoot","features":[157]},{"name":"IInternetProtocolSink","features":[157]},{"name":"IInternetProtocolSinkStackable","features":[157]},{"name":"IInternetSecurityManager","features":[157]},{"name":"IInternetSecurityManagerEx","features":[157]},{"name":"IInternetSecurityManagerEx2","features":[157]},{"name":"IInternetSecurityMgrSite","features":[157]},{"name":"IInternetSession","features":[157]},{"name":"IInternetThreadSwitch","features":[157]},{"name":"IInternetZoneManager","features":[157]},{"name":"IInternetZoneManagerEx","features":[157]},{"name":"IInternetZoneManagerEx2","features":[157]},{"name":"IMonikerProp","features":[157]},{"name":"INET_E_AUTHENTICATION_REQUIRED","features":[157]},{"name":"INET_E_BLOCKED_ENHANCEDPROTECTEDMODE","features":[157]},{"name":"INET_E_BLOCKED_PLUGGABLE_PROTOCOL","features":[157]},{"name":"INET_E_BLOCKED_REDIRECT_XSECURITYID","features":[157]},{"name":"INET_E_CANNOT_CONNECT","features":[157]},{"name":"INET_E_CANNOT_INSTANTIATE_OBJECT","features":[157]},{"name":"INET_E_CANNOT_LOAD_DATA","features":[157]},{"name":"INET_E_CANNOT_LOCK_REQUEST","features":[157]},{"name":"INET_E_CANNOT_REPLACE_SFP_FILE","features":[157]},{"name":"INET_E_CODE_DOWNLOAD_DECLINED","features":[157]},{"name":"INET_E_CODE_INSTALL_BLOCKED_ARM","features":[157]},{"name":"INET_E_CODE_INSTALL_BLOCKED_BITNESS","features":[157]},{"name":"INET_E_CODE_INSTALL_BLOCKED_BY_HASH_POLICY","features":[157]},{"name":"INET_E_CODE_INSTALL_BLOCKED_IMMERSIVE","features":[157]},{"name":"INET_E_CODE_INSTALL_SUPPRESSED","features":[157]},{"name":"INET_E_CONNECTION_TIMEOUT","features":[157]},{"name":"INET_E_DATA_NOT_AVAILABLE","features":[157]},{"name":"INET_E_DEFAULT_ACTION","features":[157]},{"name":"INET_E_DOMINJECTIONVALIDATION","features":[157]},{"name":"INET_E_DOWNLOAD_BLOCKED_BY_CSP","features":[157]},{"name":"INET_E_DOWNLOAD_BLOCKED_BY_INPRIVATE","features":[157]},{"name":"INET_E_DOWNLOAD_FAILURE","features":[157]},{"name":"INET_E_ERROR_FIRST","features":[157]},{"name":"INET_E_ERROR_LAST","features":[157]},{"name":"INET_E_FORBIDFRAMING","features":[157]},{"name":"INET_E_HSTS_CERTIFICATE_ERROR","features":[157]},{"name":"INET_E_INVALID_CERTIFICATE","features":[157]},{"name":"INET_E_INVALID_REQUEST","features":[157]},{"name":"INET_E_INVALID_URL","features":[157]},{"name":"INET_E_NO_SESSION","features":[157]},{"name":"INET_E_NO_VALID_MEDIA","features":[157]},{"name":"INET_E_OBJECT_NOT_FOUND","features":[157]},{"name":"INET_E_QUERYOPTION_UNKNOWN","features":[157]},{"name":"INET_E_REDIRECTING","features":[157]},{"name":"INET_E_REDIRECT_FAILED","features":[157]},{"name":"INET_E_REDIRECT_TO_DIR","features":[157]},{"name":"INET_E_RESERVED_1","features":[157]},{"name":"INET_E_RESERVED_2","features":[157]},{"name":"INET_E_RESERVED_3","features":[157]},{"name":"INET_E_RESERVED_4","features":[157]},{"name":"INET_E_RESERVED_5","features":[157]},{"name":"INET_E_RESOURCE_NOT_FOUND","features":[157]},{"name":"INET_E_RESULT_DISPATCHED","features":[157]},{"name":"INET_E_SECURITY_PROBLEM","features":[157]},{"name":"INET_E_TERMINATED_BIND","features":[157]},{"name":"INET_E_UNKNOWN_PROTOCOL","features":[157]},{"name":"INET_E_USE_DEFAULT_PROTOCOLHANDLER","features":[157]},{"name":"INET_E_USE_DEFAULT_SETTING","features":[157]},{"name":"INET_E_USE_EXTEND_BINDING","features":[157]},{"name":"INET_E_VTAB_SWITCH_FORCE_ENGINE","features":[157]},{"name":"INET_ZONE_MANAGER_CONSTANTS","features":[157]},{"name":"INTERNETFEATURELIST","features":[157]},{"name":"IPersistMoniker","features":[157]},{"name":"ISoftDistExt","features":[157]},{"name":"IUriBuilderFactory","features":[157]},{"name":"IUriContainer","features":[157]},{"name":"IWinInetCacheHints","features":[157]},{"name":"IWinInetCacheHints2","features":[157]},{"name":"IWinInetFileStream","features":[157]},{"name":"IWinInetHttpInfo","features":[157]},{"name":"IWinInetHttpTimeouts","features":[157]},{"name":"IWinInetInfo","features":[157]},{"name":"IWindowForBindingUI","features":[157]},{"name":"IWrappedProtocol","features":[157]},{"name":"IZoneIdentifier","features":[157]},{"name":"IZoneIdentifier2","features":[157]},{"name":"IsAsyncMoniker","features":[157]},{"name":"IsLoggingEnabledA","features":[1,157]},{"name":"IsLoggingEnabledW","features":[1,157]},{"name":"IsValidURL","features":[157]},{"name":"MAX_SIZE_SECURITY_ID","features":[157]},{"name":"MAX_ZONE_DESCRIPTION","features":[157]},{"name":"MAX_ZONE_PATH","features":[157]},{"name":"MIMETYPEPROP","features":[157]},{"name":"MKSYS_URLMONIKER","features":[157]},{"name":"MK_S_ASYNCHRONOUS","features":[157]},{"name":"MONIKERPROPERTY","features":[157]},{"name":"MUTZ_ACCEPT_WILDCARD_SCHEME","features":[157]},{"name":"MUTZ_DONT_UNESCAPE","features":[157]},{"name":"MUTZ_DONT_USE_CACHE","features":[157]},{"name":"MUTZ_ENFORCERESTRICTED","features":[157]},{"name":"MUTZ_FORCE_INTRANET_FLAGS","features":[157]},{"name":"MUTZ_IGNORE_ZONE_MAPPINGS","features":[157]},{"name":"MUTZ_ISFILE","features":[157]},{"name":"MUTZ_NOSAVEDFILECHECK","features":[157]},{"name":"MUTZ_REQUIRESAVEDFILECHECK","features":[157]},{"name":"MUTZ_RESERVED","features":[157]},{"name":"MkParseDisplayNameEx","features":[157]},{"name":"OIBDG_APARTMENTTHREADED","features":[157]},{"name":"OIBDG_DATAONLY","features":[157]},{"name":"OIBDG_FLAGS","features":[157]},{"name":"ObtainUserAgentString","features":[157]},{"name":"PARSEACTION","features":[157]},{"name":"PARSE_ANCHOR","features":[157]},{"name":"PARSE_CANONICALIZE","features":[157]},{"name":"PARSE_DECODE_IS_ESCAPE","features":[157]},{"name":"PARSE_DOCUMENT","features":[157]},{"name":"PARSE_DOMAIN","features":[157]},{"name":"PARSE_ENCODE_IS_UNESCAPE","features":[157]},{"name":"PARSE_ESCAPE","features":[157]},{"name":"PARSE_FRIENDLY","features":[157]},{"name":"PARSE_LOCATION","features":[157]},{"name":"PARSE_MIME","features":[157]},{"name":"PARSE_PATH_FROM_URL","features":[157]},{"name":"PARSE_ROOTDOCUMENT","features":[157]},{"name":"PARSE_SCHEMA","features":[157]},{"name":"PARSE_SECURITY_DOMAIN","features":[157]},{"name":"PARSE_SECURITY_URL","features":[157]},{"name":"PARSE_SERVER","features":[157]},{"name":"PARSE_SITE","features":[157]},{"name":"PARSE_UNESCAPE","features":[157]},{"name":"PARSE_URL_FROM_PATH","features":[157]},{"name":"PD_FORCE_SWITCH","features":[157]},{"name":"PI_APARTMENTTHREADED","features":[157]},{"name":"PI_CLASSINSTALL","features":[157]},{"name":"PI_CLSIDLOOKUP","features":[157]},{"name":"PI_DATAPROGRESS","features":[157]},{"name":"PI_FILTER_MODE","features":[157]},{"name":"PI_FLAGS","features":[157]},{"name":"PI_FORCE_ASYNC","features":[157]},{"name":"PI_LOADAPPDIRECT","features":[157]},{"name":"PI_MIMEVERIFICATION","features":[157]},{"name":"PI_NOMIMEHANDLER","features":[157]},{"name":"PI_PARSE_URL","features":[157]},{"name":"PI_PASSONBINDCTX","features":[157]},{"name":"PI_PREFERDEFAULTHANDLER","features":[157]},{"name":"PI_SYNCHRONOUS","features":[157]},{"name":"PI_USE_WORKERTHREAD","features":[157]},{"name":"POPUPLEVELPROP","features":[157]},{"name":"PROTOCOLDATA","features":[157]},{"name":"PROTOCOLFILTERDATA","features":[157]},{"name":"PROTOCOLFLAG_NO_PICS_CHECK","features":[157]},{"name":"PROTOCOL_ARGUMENT","features":[157]},{"name":"PSUACTION","features":[157]},{"name":"PSU_DEFAULT","features":[157]},{"name":"PSU_SECURITY_URL_ONLY","features":[157]},{"name":"PUAF","features":[157]},{"name":"PUAFOUT","features":[157]},{"name":"PUAFOUT_DEFAULT","features":[157]},{"name":"PUAFOUT_ISLOCKZONEPOLICY","features":[157]},{"name":"PUAF_ACCEPT_WILDCARD_SCHEME","features":[157]},{"name":"PUAF_CHECK_TIFS","features":[157]},{"name":"PUAF_DEFAULT","features":[157]},{"name":"PUAF_DEFAULTZONEPOL","features":[157]},{"name":"PUAF_DONTCHECKBOXINDIALOG","features":[157]},{"name":"PUAF_DONT_USE_CACHE","features":[157]},{"name":"PUAF_DRAGPROTOCOLCHECK","features":[157]},{"name":"PUAF_ENFORCERESTRICTED","features":[157]},{"name":"PUAF_FORCEUI_FOREGROUND","features":[157]},{"name":"PUAF_ISFILE","features":[157]},{"name":"PUAF_LMZ_LOCKED","features":[157]},{"name":"PUAF_LMZ_UNLOCKED","features":[157]},{"name":"PUAF_NOSAVEDFILECHECK","features":[157]},{"name":"PUAF_NOUI","features":[157]},{"name":"PUAF_NOUIIFLOCKED","features":[157]},{"name":"PUAF_NPL_USE_LOCKED_IF_RESTRICTED","features":[157]},{"name":"PUAF_REQUIRESAVEDFILECHECK","features":[157]},{"name":"PUAF_RESERVED1","features":[157]},{"name":"PUAF_RESERVED2","features":[157]},{"name":"PUAF_TRUSTED","features":[157]},{"name":"PUAF_WARN_IF_DENIED","features":[157]},{"name":"QUERYOPTION","features":[157]},{"name":"QUERY_CAN_NAVIGATE","features":[157]},{"name":"QUERY_CONTENT_ENCODING","features":[157]},{"name":"QUERY_CONTENT_TYPE","features":[157]},{"name":"QUERY_EXPIRATION_DATE","features":[157]},{"name":"QUERY_IS_CACHED","features":[157]},{"name":"QUERY_IS_CACHED_AND_USABLE_OFFLINE","features":[157]},{"name":"QUERY_IS_CACHED_OR_MAPPED","features":[157]},{"name":"QUERY_IS_INSTALLEDENTRY","features":[157]},{"name":"QUERY_IS_SAFE","features":[157]},{"name":"QUERY_IS_SECURE","features":[157]},{"name":"QUERY_RECOMBINE","features":[157]},{"name":"QUERY_REFRESH","features":[157]},{"name":"QUERY_TIME_OF_LAST_CHANGE","features":[157]},{"name":"QUERY_USES_CACHE","features":[157]},{"name":"QUERY_USES_HISTORYFOLDER","features":[157]},{"name":"QUERY_USES_NETWORK","features":[157]},{"name":"REMSECURITY_ATTRIBUTES","features":[1,157]},{"name":"RegisterBindStatusCallback","features":[157]},{"name":"RegisterFormatEnumerator","features":[157]},{"name":"RegisterMediaTypeClass","features":[157]},{"name":"RegisterMediaTypes","features":[157]},{"name":"ReleaseBindInfo","features":[1,12,4,157]},{"name":"RemBINDINFO","features":[1,157]},{"name":"RemFORMATETC","features":[157]},{"name":"RevokeBindStatusCallback","features":[157]},{"name":"RevokeFormatEnumerator","features":[157]},{"name":"SECURITY_IE_STATE_GREEN","features":[157]},{"name":"SECURITY_IE_STATE_RED","features":[157]},{"name":"SET_FEATURE_IN_REGISTRY","features":[157]},{"name":"SET_FEATURE_ON_PROCESS","features":[157]},{"name":"SET_FEATURE_ON_THREAD","features":[157]},{"name":"SET_FEATURE_ON_THREAD_INTERNET","features":[157]},{"name":"SET_FEATURE_ON_THREAD_INTRANET","features":[157]},{"name":"SET_FEATURE_ON_THREAD_LOCALMACHINE","features":[157]},{"name":"SET_FEATURE_ON_THREAD_RESTRICTED","features":[157]},{"name":"SET_FEATURE_ON_THREAD_TRUSTED","features":[157]},{"name":"SOFTDISTINFO","features":[157]},{"name":"SOFTDIST_ADSTATE_AVAILABLE","features":[157]},{"name":"SOFTDIST_ADSTATE_DOWNLOADED","features":[157]},{"name":"SOFTDIST_ADSTATE_INSTALLED","features":[157]},{"name":"SOFTDIST_ADSTATE_NONE","features":[157]},{"name":"SOFTDIST_FLAG_DELETE_SUBSCRIPTION","features":[157]},{"name":"SOFTDIST_FLAG_USAGE_AUTOINSTALL","features":[157]},{"name":"SOFTDIST_FLAG_USAGE_EMAIL","features":[157]},{"name":"SOFTDIST_FLAG_USAGE_PRECACHE","features":[157]},{"name":"SZM_CREATE","features":[157]},{"name":"SZM_DELETE","features":[157]},{"name":"SZM_FLAGS","features":[157]},{"name":"S_ASYNCHRONOUS","features":[157]},{"name":"SetAccessForIEAppContainer","features":[1,157]},{"name":"SetSoftwareUpdateAdvertisementState","features":[157]},{"name":"StartParam","features":[157]},{"name":"TRUSTEDDOWNLOADPROP","features":[157]},{"name":"UAS_EXACTLEGACY","features":[157]},{"name":"URLACTION_ACTIVEX_ALLOW_TDC","features":[157]},{"name":"URLACTION_ACTIVEX_CONFIRM_NOOBJECTSAFETY","features":[157]},{"name":"URLACTION_ACTIVEX_CURR_MAX","features":[157]},{"name":"URLACTION_ACTIVEX_DYNSRC_VIDEO_AND_ANIMATION","features":[157]},{"name":"URLACTION_ACTIVEX_MAX","features":[157]},{"name":"URLACTION_ACTIVEX_MIN","features":[157]},{"name":"URLACTION_ACTIVEX_NO_WEBOC_SCRIPT","features":[157]},{"name":"URLACTION_ACTIVEX_OVERRIDE_DATA_SAFETY","features":[157]},{"name":"URLACTION_ACTIVEX_OVERRIDE_DOMAINLIST","features":[157]},{"name":"URLACTION_ACTIVEX_OVERRIDE_OBJECT_SAFETY","features":[157]},{"name":"URLACTION_ACTIVEX_OVERRIDE_OPTIN","features":[157]},{"name":"URLACTION_ACTIVEX_OVERRIDE_REPURPOSEDETECTION","features":[157]},{"name":"URLACTION_ACTIVEX_OVERRIDE_SCRIPT_SAFETY","features":[157]},{"name":"URLACTION_ACTIVEX_RUN","features":[157]},{"name":"URLACTION_ACTIVEX_SCRIPTLET_RUN","features":[157]},{"name":"URLACTION_ACTIVEX_TREATASUNTRUSTED","features":[157]},{"name":"URLACTION_ALLOW_ACTIVEX_FILTERING","features":[157]},{"name":"URLACTION_ALLOW_ANTIMALWARE_SCANNING_OF_ACTIVEX","features":[157]},{"name":"URLACTION_ALLOW_APEVALUATION","features":[157]},{"name":"URLACTION_ALLOW_AUDIO_VIDEO","features":[157]},{"name":"URLACTION_ALLOW_AUDIO_VIDEO_PLUGINS","features":[157]},{"name":"URLACTION_ALLOW_CROSSDOMAIN_APPCACHE_MANIFEST","features":[157]},{"name":"URLACTION_ALLOW_CROSSDOMAIN_DROP_ACROSS_WINDOWS","features":[157]},{"name":"URLACTION_ALLOW_CROSSDOMAIN_DROP_WITHIN_WINDOW","features":[157]},{"name":"URLACTION_ALLOW_CSS_EXPRESSIONS","features":[157]},{"name":"URLACTION_ALLOW_JSCRIPT_IE","features":[157]},{"name":"URLACTION_ALLOW_RENDER_LEGACY_DXTFILTERS","features":[157]},{"name":"URLACTION_ALLOW_RESTRICTEDPROTOCOLS","features":[157]},{"name":"URLACTION_ALLOW_STRUCTURED_STORAGE_SNIFFING","features":[157]},{"name":"URLACTION_ALLOW_VBSCRIPT_IE","features":[157]},{"name":"URLACTION_ALLOW_XDOMAIN_SUBFRAME_RESIZE","features":[157]},{"name":"URLACTION_ALLOW_XHR_EVALUATION","features":[157]},{"name":"URLACTION_ALLOW_ZONE_ELEVATION_OPT_OUT_ADDITION","features":[157]},{"name":"URLACTION_ALLOW_ZONE_ELEVATION_VIA_OPT_OUT","features":[157]},{"name":"URLACTION_AUTHENTICATE_CLIENT","features":[157]},{"name":"URLACTION_AUTOMATIC_ACTIVEX_UI","features":[157]},{"name":"URLACTION_AUTOMATIC_DOWNLOAD_UI","features":[157]},{"name":"URLACTION_AUTOMATIC_DOWNLOAD_UI_MIN","features":[157]},{"name":"URLACTION_BEHAVIOR_MIN","features":[157]},{"name":"URLACTION_BEHAVIOR_RUN","features":[157]},{"name":"URLACTION_CHANNEL_SOFTDIST_MAX","features":[157]},{"name":"URLACTION_CHANNEL_SOFTDIST_MIN","features":[157]},{"name":"URLACTION_CHANNEL_SOFTDIST_PERMISSIONS","features":[157]},{"name":"URLACTION_CLIENT_CERT_PROMPT","features":[157]},{"name":"URLACTION_COOKIES","features":[157]},{"name":"URLACTION_COOKIES_ENABLED","features":[157]},{"name":"URLACTION_COOKIES_SESSION","features":[157]},{"name":"URLACTION_COOKIES_SESSION_THIRD_PARTY","features":[157]},{"name":"URLACTION_COOKIES_THIRD_PARTY","features":[157]},{"name":"URLACTION_CREDENTIALS_USE","features":[157]},{"name":"URLACTION_CROSS_DOMAIN_DATA","features":[157]},{"name":"URLACTION_DOTNET_USERCONTROLS","features":[157]},{"name":"URLACTION_DOWNLOAD_CURR_MAX","features":[157]},{"name":"URLACTION_DOWNLOAD_MAX","features":[157]},{"name":"URLACTION_DOWNLOAD_MIN","features":[157]},{"name":"URLACTION_DOWNLOAD_SIGNED_ACTIVEX","features":[157]},{"name":"URLACTION_DOWNLOAD_UNSIGNED_ACTIVEX","features":[157]},{"name":"URLACTION_FEATURE_BLOCK_INPUT_PROMPTS","features":[157]},{"name":"URLACTION_FEATURE_CROSSDOMAIN_FOCUS_CHANGE","features":[157]},{"name":"URLACTION_FEATURE_DATA_BINDING","features":[157]},{"name":"URLACTION_FEATURE_FORCE_ADDR_AND_STATUS","features":[157]},{"name":"URLACTION_FEATURE_MIME_SNIFFING","features":[157]},{"name":"URLACTION_FEATURE_MIN","features":[157]},{"name":"URLACTION_FEATURE_SCRIPT_STATUS_BAR","features":[157]},{"name":"URLACTION_FEATURE_WINDOW_RESTRICTIONS","features":[157]},{"name":"URLACTION_FEATURE_ZONE_ELEVATION","features":[157]},{"name":"URLACTION_HTML_ALLOW_CROSS_DOMAIN_CANVAS","features":[157]},{"name":"URLACTION_HTML_ALLOW_CROSS_DOMAIN_TEXTTRACK","features":[157]},{"name":"URLACTION_HTML_ALLOW_CROSS_DOMAIN_WEBWORKER","features":[157]},{"name":"URLACTION_HTML_ALLOW_INDEXEDDB","features":[157]},{"name":"URLACTION_HTML_ALLOW_INJECTED_DYNAMIC_HTML","features":[157]},{"name":"URLACTION_HTML_ALLOW_WINDOW_CLOSE","features":[157]},{"name":"URLACTION_HTML_FONT_DOWNLOAD","features":[157]},{"name":"URLACTION_HTML_INCLUDE_FILE_PATH","features":[157]},{"name":"URLACTION_HTML_JAVA_RUN","features":[157]},{"name":"URLACTION_HTML_MAX","features":[157]},{"name":"URLACTION_HTML_META_REFRESH","features":[157]},{"name":"URLACTION_HTML_MIN","features":[157]},{"name":"URLACTION_HTML_MIXED_CONTENT","features":[157]},{"name":"URLACTION_HTML_REQUIRE_UTF8_DOCUMENT_CODEPAGE","features":[157]},{"name":"URLACTION_HTML_SUBFRAME_NAVIGATE","features":[157]},{"name":"URLACTION_HTML_SUBMIT_FORMS","features":[157]},{"name":"URLACTION_HTML_SUBMIT_FORMS_FROM","features":[157]},{"name":"URLACTION_HTML_SUBMIT_FORMS_TO","features":[157]},{"name":"URLACTION_HTML_USERDATA_SAVE","features":[157]},{"name":"URLACTION_INFODELIVERY_CURR_MAX","features":[157]},{"name":"URLACTION_INFODELIVERY_MAX","features":[157]},{"name":"URLACTION_INFODELIVERY_MIN","features":[157]},{"name":"URLACTION_INFODELIVERY_NO_ADDING_CHANNELS","features":[157]},{"name":"URLACTION_INFODELIVERY_NO_ADDING_SUBSCRIPTIONS","features":[157]},{"name":"URLACTION_INFODELIVERY_NO_CHANNEL_LOGGING","features":[157]},{"name":"URLACTION_INFODELIVERY_NO_EDITING_CHANNELS","features":[157]},{"name":"URLACTION_INFODELIVERY_NO_EDITING_SUBSCRIPTIONS","features":[157]},{"name":"URLACTION_INFODELIVERY_NO_REMOVING_CHANNELS","features":[157]},{"name":"URLACTION_INFODELIVERY_NO_REMOVING_SUBSCRIPTIONS","features":[157]},{"name":"URLACTION_INPRIVATE_BLOCKING","features":[157]},{"name":"URLACTION_JAVA_CURR_MAX","features":[157]},{"name":"URLACTION_JAVA_MAX","features":[157]},{"name":"URLACTION_JAVA_MIN","features":[157]},{"name":"URLACTION_JAVA_PERMISSIONS","features":[157]},{"name":"URLACTION_LOOSE_XAML","features":[157]},{"name":"URLACTION_LOWRIGHTS","features":[157]},{"name":"URLACTION_MIN","features":[157]},{"name":"URLACTION_NETWORK_CURR_MAX","features":[157]},{"name":"URLACTION_NETWORK_MAX","features":[157]},{"name":"URLACTION_NETWORK_MIN","features":[157]},{"name":"URLACTION_PLUGGABLE_PROTOCOL_XHR","features":[157]},{"name":"URLACTION_SCRIPT_CURR_MAX","features":[157]},{"name":"URLACTION_SCRIPT_JAVA_USE","features":[157]},{"name":"URLACTION_SCRIPT_MAX","features":[157]},{"name":"URLACTION_SCRIPT_MIN","features":[157]},{"name":"URLACTION_SCRIPT_NAVIGATE","features":[157]},{"name":"URLACTION_SCRIPT_OVERRIDE_SAFETY","features":[157]},{"name":"URLACTION_SCRIPT_PASTE","features":[157]},{"name":"URLACTION_SCRIPT_RUN","features":[157]},{"name":"URLACTION_SCRIPT_SAFE_ACTIVEX","features":[157]},{"name":"URLACTION_SCRIPT_XSSFILTER","features":[157]},{"name":"URLACTION_SHELL_ALLOW_CROSS_SITE_SHARE","features":[157]},{"name":"URLACTION_SHELL_CURR_MAX","features":[157]},{"name":"URLACTION_SHELL_ENHANCED_DRAGDROP_SECURITY","features":[157]},{"name":"URLACTION_SHELL_EXECUTE_HIGHRISK","features":[157]},{"name":"URLACTION_SHELL_EXECUTE_LOWRISK","features":[157]},{"name":"URLACTION_SHELL_EXECUTE_MODRISK","features":[157]},{"name":"URLACTION_SHELL_EXTENSIONSECURITY","features":[157]},{"name":"URLACTION_SHELL_FILE_DOWNLOAD","features":[157]},{"name":"URLACTION_SHELL_INSTALL_DTITEMS","features":[157]},{"name":"URLACTION_SHELL_MAX","features":[157]},{"name":"URLACTION_SHELL_MIN","features":[157]},{"name":"URLACTION_SHELL_MOVE_OR_COPY","features":[157]},{"name":"URLACTION_SHELL_POPUPMGR","features":[157]},{"name":"URLACTION_SHELL_PREVIEW","features":[157]},{"name":"URLACTION_SHELL_REMOTEQUERY","features":[157]},{"name":"URLACTION_SHELL_RTF_OBJECTS_LOAD","features":[157]},{"name":"URLACTION_SHELL_SECURE_DRAGSOURCE","features":[157]},{"name":"URLACTION_SHELL_SHARE","features":[157]},{"name":"URLACTION_SHELL_SHELLEXECUTE","features":[157]},{"name":"URLACTION_SHELL_TOCTOU_RISK","features":[157]},{"name":"URLACTION_SHELL_VERB","features":[157]},{"name":"URLACTION_SHELL_WEBVIEW_VERB","features":[157]},{"name":"URLACTION_WINDOWS_BROWSER_APPLICATIONS","features":[157]},{"name":"URLACTION_WINFX_SETUP","features":[157]},{"name":"URLACTION_XPS_DOCUMENTS","features":[157]},{"name":"URLDownloadToCacheFileA","features":[157]},{"name":"URLDownloadToCacheFileW","features":[157]},{"name":"URLDownloadToFileA","features":[157]},{"name":"URLDownloadToFileW","features":[157]},{"name":"URLMON_OPTION_URL_ENCODING","features":[157]},{"name":"URLMON_OPTION_USERAGENT","features":[157]},{"name":"URLMON_OPTION_USERAGENT_REFRESH","features":[157]},{"name":"URLMON_OPTION_USE_BINDSTRINGCREDS","features":[157]},{"name":"URLMON_OPTION_USE_BROWSERAPPSDOCUMENTS","features":[157]},{"name":"URLOSTRM_GETNEWESTVERSION","features":[157]},{"name":"URLOSTRM_USECACHEDCOPY","features":[157]},{"name":"URLOSTRM_USECACHEDCOPY_ONLY","features":[157]},{"name":"URLOpenBlockingStreamA","features":[157]},{"name":"URLOpenBlockingStreamW","features":[157]},{"name":"URLOpenPullStreamA","features":[157]},{"name":"URLOpenPullStreamW","features":[157]},{"name":"URLOpenStreamA","features":[157]},{"name":"URLOpenStreamW","features":[157]},{"name":"URLPOLICY_ACTIVEX_CHECK_LIST","features":[157]},{"name":"URLPOLICY_ALLOW","features":[157]},{"name":"URLPOLICY_AUTHENTICATE_CHALLENGE_RESPONSE","features":[157]},{"name":"URLPOLICY_AUTHENTICATE_CLEARTEXT_OK","features":[157]},{"name":"URLPOLICY_AUTHENTICATE_MUTUAL_ONLY","features":[157]},{"name":"URLPOLICY_BEHAVIOR_CHECK_LIST","features":[157]},{"name":"URLPOLICY_CHANNEL_SOFTDIST_AUTOINSTALL","features":[157]},{"name":"URLPOLICY_CHANNEL_SOFTDIST_PRECACHE","features":[157]},{"name":"URLPOLICY_CHANNEL_SOFTDIST_PROHIBIT","features":[157]},{"name":"URLPOLICY_CREDENTIALS_ANONYMOUS_ONLY","features":[157]},{"name":"URLPOLICY_CREDENTIALS_CONDITIONAL_PROMPT","features":[157]},{"name":"URLPOLICY_CREDENTIALS_MUST_PROMPT_USER","features":[157]},{"name":"URLPOLICY_CREDENTIALS_SILENT_LOGON_OK","features":[157]},{"name":"URLPOLICY_DISALLOW","features":[157]},{"name":"URLPOLICY_DONTCHECKDLGBOX","features":[157]},{"name":"URLPOLICY_JAVA_CUSTOM","features":[157]},{"name":"URLPOLICY_JAVA_HIGH","features":[157]},{"name":"URLPOLICY_JAVA_LOW","features":[157]},{"name":"URLPOLICY_JAVA_MEDIUM","features":[157]},{"name":"URLPOLICY_JAVA_PROHIBIT","features":[157]},{"name":"URLPOLICY_LOG_ON_ALLOW","features":[157]},{"name":"URLPOLICY_LOG_ON_DISALLOW","features":[157]},{"name":"URLPOLICY_MASK_PERMISSIONS","features":[157]},{"name":"URLPOLICY_NOTIFY_ON_ALLOW","features":[157]},{"name":"URLPOLICY_NOTIFY_ON_DISALLOW","features":[157]},{"name":"URLPOLICY_QUERY","features":[157]},{"name":"URLTEMPLATE","features":[157]},{"name":"URLTEMPLATE_CUSTOM","features":[157]},{"name":"URLTEMPLATE_HIGH","features":[157]},{"name":"URLTEMPLATE_LOW","features":[157]},{"name":"URLTEMPLATE_MEDHIGH","features":[157]},{"name":"URLTEMPLATE_MEDIUM","features":[157]},{"name":"URLTEMPLATE_MEDLOW","features":[157]},{"name":"URLTEMPLATE_PREDEFINED_MAX","features":[157]},{"name":"URLTEMPLATE_PREDEFINED_MIN","features":[157]},{"name":"URLZONE","features":[157]},{"name":"URLZONEREG","features":[157]},{"name":"URLZONEREG_DEFAULT","features":[157]},{"name":"URLZONEREG_HKCU","features":[157]},{"name":"URLZONEREG_HKLM","features":[157]},{"name":"URLZONE_ESC_FLAG","features":[157]},{"name":"URLZONE_INTERNET","features":[157]},{"name":"URLZONE_INTRANET","features":[157]},{"name":"URLZONE_INVALID","features":[157]},{"name":"URLZONE_LOCAL_MACHINE","features":[157]},{"name":"URLZONE_PREDEFINED_MAX","features":[157]},{"name":"URLZONE_PREDEFINED_MIN","features":[157]},{"name":"URLZONE_TRUSTED","features":[157]},{"name":"URLZONE_UNTRUSTED","features":[157]},{"name":"URLZONE_USER_MAX","features":[157]},{"name":"URLZONE_USER_MIN","features":[157]},{"name":"URL_ENCODING","features":[157]},{"name":"URL_ENCODING_DISABLE_UTF8","features":[157]},{"name":"URL_ENCODING_ENABLE_UTF8","features":[157]},{"name":"URL_ENCODING_NONE","features":[157]},{"name":"URL_MK_LEGACY","features":[157]},{"name":"URL_MK_NO_CANONICALIZE","features":[157]},{"name":"URL_MK_UNIFORM","features":[157]},{"name":"USE_SRC_URL","features":[157]},{"name":"UriBuilder_USE_ORIGINAL_FLAGS","features":[157]},{"name":"Uri_DISPLAY_IDN_HOST","features":[157]},{"name":"Uri_DISPLAY_NO_FRAGMENT","features":[157]},{"name":"Uri_DISPLAY_NO_PUNYCODE","features":[157]},{"name":"Uri_ENCODING_HOST_IS_IDN","features":[157]},{"name":"Uri_ENCODING_HOST_IS_PERCENT_ENCODED_CP","features":[157]},{"name":"Uri_ENCODING_HOST_IS_PERCENT_ENCODED_UTF8","features":[157]},{"name":"Uri_ENCODING_QUERY_AND_FRAGMENT_IS_CP","features":[157]},{"name":"Uri_ENCODING_QUERY_AND_FRAGMENT_IS_PERCENT_ENCODED_UTF8","features":[157]},{"name":"Uri_ENCODING_USER_INFO_AND_PATH_IS_CP","features":[157]},{"name":"Uri_ENCODING_USER_INFO_AND_PATH_IS_PERCENT_ENCODED_UTF8","features":[157]},{"name":"Uri_HOST_DNS","features":[157]},{"name":"Uri_HOST_IDN","features":[157]},{"name":"Uri_HOST_IPV4","features":[157]},{"name":"Uri_HOST_IPV6","features":[157]},{"name":"Uri_HOST_TYPE","features":[157]},{"name":"Uri_HOST_UNKNOWN","features":[157]},{"name":"Uri_PUNYCODE_IDN_HOST","features":[157]},{"name":"UrlMkGetSessionOption","features":[157]},{"name":"UrlMkSetSessionOption","features":[157]},{"name":"WININETINFO_OPTION_LOCK_HANDLE","features":[157]},{"name":"WriteHitLogging","features":[1,157]},{"name":"ZAFLAGS","features":[157]},{"name":"ZAFLAGS_ADD_SITES","features":[157]},{"name":"ZAFLAGS_CUSTOM_EDIT","features":[157]},{"name":"ZAFLAGS_DETECT_INTRANET","features":[157]},{"name":"ZAFLAGS_INCLUDE_INTRANET_SITES","features":[157]},{"name":"ZAFLAGS_INCLUDE_PROXY_OVERRIDE","features":[157]},{"name":"ZAFLAGS_NO_CACHE","features":[157]},{"name":"ZAFLAGS_NO_UI","features":[157]},{"name":"ZAFLAGS_REQUIRE_VERIFICATION","features":[157]},{"name":"ZAFLAGS_SUPPORTS_VERIFICATION","features":[157]},{"name":"ZAFLAGS_UNC_AS_INTRANET","features":[157]},{"name":"ZAFLAGS_USE_LOCKED_ZONES","features":[157]},{"name":"ZAFLAGS_VERIFY_TEMPLATE_SETTINGS","features":[157]},{"name":"ZONEATTRIBUTES","features":[157]}],"542":[{"name":"APPDATA","features":[158]},{"name":"APPSTATISTICS","features":[158]},{"name":"APPTYPE_LIBRARY","features":[158]},{"name":"APPTYPE_SERVER","features":[158]},{"name":"APPTYPE_SWC","features":[158]},{"name":"APPTYPE_UNKNOWN","features":[158]},{"name":"AppDomainHelper","features":[158]},{"name":"ApplicationProcessRecycleInfo","features":[1,158]},{"name":"ApplicationProcessStatistics","features":[158]},{"name":"ApplicationProcessSummary","features":[1,158]},{"name":"ApplicationSummary","features":[158]},{"name":"AutoSvcs_Error_Constants","features":[158]},{"name":"ByotServerEx","features":[158]},{"name":"CLSIDDATA","features":[158]},{"name":"CLSIDDATA2","features":[158]},{"name":"COMAdmin32BitComponent","features":[158]},{"name":"COMAdmin64BitComponent","features":[158]},{"name":"COMAdminAccessChecksApplicationComponentLevel","features":[158]},{"name":"COMAdminAccessChecksApplicationLevel","features":[158]},{"name":"COMAdminAccessChecksLevelOptions","features":[158]},{"name":"COMAdminActivationInproc","features":[158]},{"name":"COMAdminActivationLocal","features":[158]},{"name":"COMAdminActivationOptions","features":[158]},{"name":"COMAdminApplicationExportOptions","features":[158]},{"name":"COMAdminApplicationInstallOptions","features":[158]},{"name":"COMAdminAuthenticationCall","features":[158]},{"name":"COMAdminAuthenticationCapabilitiesDynamicCloaking","features":[158]},{"name":"COMAdminAuthenticationCapabilitiesNone","features":[158]},{"name":"COMAdminAuthenticationCapabilitiesOptions","features":[158]},{"name":"COMAdminAuthenticationCapabilitiesSecureReference","features":[158]},{"name":"COMAdminAuthenticationCapabilitiesStaticCloaking","features":[158]},{"name":"COMAdminAuthenticationConnect","features":[158]},{"name":"COMAdminAuthenticationDefault","features":[158]},{"name":"COMAdminAuthenticationIntegrity","features":[158]},{"name":"COMAdminAuthenticationLevelOptions","features":[158]},{"name":"COMAdminAuthenticationNone","features":[158]},{"name":"COMAdminAuthenticationPacket","features":[158]},{"name":"COMAdminAuthenticationPrivacy","features":[158]},{"name":"COMAdminCatalog","features":[158]},{"name":"COMAdminCatalogCollection","features":[158]},{"name":"COMAdminCatalogObject","features":[158]},{"name":"COMAdminCompFlagAlreadyInstalled","features":[158]},{"name":"COMAdminCompFlagCOMPlusPropertiesFound","features":[158]},{"name":"COMAdminCompFlagInterfacesFound","features":[158]},{"name":"COMAdminCompFlagNotInApplication","features":[158]},{"name":"COMAdminCompFlagProxyFound","features":[158]},{"name":"COMAdminCompFlagTypeInfoFound","features":[158]},{"name":"COMAdminComponentFlags","features":[158]},{"name":"COMAdminComponentType","features":[158]},{"name":"COMAdminErrAlreadyInstalled","features":[158]},{"name":"COMAdminErrAppDirNotFound","features":[158]},{"name":"COMAdminErrAppFileReadFail","features":[158]},{"name":"COMAdminErrAppFileVersion","features":[158]},{"name":"COMAdminErrAppFileWriteFail","features":[158]},{"name":"COMAdminErrAppNotRunning","features":[158]},{"name":"COMAdminErrApplicationExists","features":[158]},{"name":"COMAdminErrApplidMatchesClsid","features":[158]},{"name":"COMAdminErrAuthenticationLevel","features":[158]},{"name":"COMAdminErrBadPath","features":[158]},{"name":"COMAdminErrBadRegistryLibID","features":[158]},{"name":"COMAdminErrBadRegistryProgID","features":[158]},{"name":"COMAdminErrBasePartitionOnly","features":[158]},{"name":"COMAdminErrCLSIDOrIIDMismatch","features":[158]},{"name":"COMAdminErrCanNotExportAppProxy","features":[158]},{"name":"COMAdminErrCanNotExportSystemApp","features":[158]},{"name":"COMAdminErrCanNotStartApp","features":[158]},{"name":"COMAdminErrCanNotSubscribeToComponent","features":[158]},{"name":"COMAdminErrCannotCopyEventClass","features":[158]},{"name":"COMAdminErrCantCopyFile","features":[158]},{"name":"COMAdminErrCantRecycleLibraryApps","features":[158]},{"name":"COMAdminErrCantRecycleServiceApps","features":[158]},{"name":"COMAdminErrCatBitnessMismatch","features":[158]},{"name":"COMAdminErrCatPauseResumeNotSupported","features":[158]},{"name":"COMAdminErrCatServerFault","features":[158]},{"name":"COMAdminErrCatUnacceptableBitness","features":[158]},{"name":"COMAdminErrCatWrongAppBitnessBitness","features":[158]},{"name":"COMAdminErrCoReqCompInstalled","features":[158]},{"name":"COMAdminErrCompFileBadTLB","features":[158]},{"name":"COMAdminErrCompFileClassNotAvail","features":[158]},{"name":"COMAdminErrCompFileDoesNotExist","features":[158]},{"name":"COMAdminErrCompFileGetClassObj","features":[158]},{"name":"COMAdminErrCompFileLoadDLLFail","features":[158]},{"name":"COMAdminErrCompFileNoRegistrar","features":[158]},{"name":"COMAdminErrCompFileNotInstallable","features":[158]},{"name":"COMAdminErrCompMoveBadDest","features":[158]},{"name":"COMAdminErrCompMoveDest","features":[158]},{"name":"COMAdminErrCompMoveLocked","features":[158]},{"name":"COMAdminErrCompMovePrivate","features":[158]},{"name":"COMAdminErrCompMoveSource","features":[158]},{"name":"COMAdminErrComponentExists","features":[158]},{"name":"COMAdminErrDllLoadFailed","features":[158]},{"name":"COMAdminErrDllRegisterServer","features":[158]},{"name":"COMAdminErrDuplicatePartitionName","features":[158]},{"name":"COMAdminErrEventClassCannotBeSubscriber","features":[158]},{"name":"COMAdminErrImportedComponentsNotAllowed","features":[158]},{"name":"COMAdminErrInvalidPartition","features":[158]},{"name":"COMAdminErrInvalidUserids","features":[158]},{"name":"COMAdminErrKeyMissing","features":[158]},{"name":"COMAdminErrLibAppProxyIncompatible","features":[158]},{"name":"COMAdminErrMigSchemaNotFound","features":[158]},{"name":"COMAdminErrMigVersionNotSupported","features":[158]},{"name":"COMAdminErrNoRegistryCLSID","features":[158]},{"name":"COMAdminErrNoServerShare","features":[158]},{"name":"COMAdminErrNoUser","features":[158]},{"name":"COMAdminErrNotChangeable","features":[158]},{"name":"COMAdminErrNotDeletable","features":[158]},{"name":"COMAdminErrNotInRegistry","features":[158]},{"name":"COMAdminErrObjectDoesNotExist","features":[158]},{"name":"COMAdminErrObjectErrors","features":[158]},{"name":"COMAdminErrObjectExists","features":[158]},{"name":"COMAdminErrObjectInvalid","features":[158]},{"name":"COMAdminErrObjectNotPoolable","features":[158]},{"name":"COMAdminErrObjectParentMissing","features":[158]},{"name":"COMAdminErrPartitionInUse","features":[158]},{"name":"COMAdminErrPartitionMsiOnly","features":[158]},{"name":"COMAdminErrPausedProcessMayNotBeRecycled","features":[158]},{"name":"COMAdminErrProcessAlreadyRecycled","features":[158]},{"name":"COMAdminErrPropertyOverflow","features":[158]},{"name":"COMAdminErrPropertySaveFailed","features":[158]},{"name":"COMAdminErrQueuingServiceNotAvailable","features":[158]},{"name":"COMAdminErrRegFileCorrupt","features":[158]},{"name":"COMAdminErrRegdbAlreadyRunning","features":[158]},{"name":"COMAdminErrRegdbNotInitialized","features":[158]},{"name":"COMAdminErrRegdbNotOpen","features":[158]},{"name":"COMAdminErrRegdbSystemErr","features":[158]},{"name":"COMAdminErrRegisterTLB","features":[158]},{"name":"COMAdminErrRegistrarFailed","features":[158]},{"name":"COMAdminErrRemoteInterface","features":[158]},{"name":"COMAdminErrRequiresDifferentPlatform","features":[158]},{"name":"COMAdminErrRoleDoesNotExist","features":[158]},{"name":"COMAdminErrRoleExists","features":[158]},{"name":"COMAdminErrServiceNotInstalled","features":[158]},{"name":"COMAdminErrSession","features":[158]},{"name":"COMAdminErrStartAppDisabled","features":[158]},{"name":"COMAdminErrStartAppNeedsComponents","features":[158]},{"name":"COMAdminErrSystemApp","features":[158]},{"name":"COMAdminErrUserPasswdNotValid","features":[158]},{"name":"COMAdminErrorCodes","features":[158]},{"name":"COMAdminExportApplicationProxy","features":[158]},{"name":"COMAdminExportForceOverwriteOfFiles","features":[158]},{"name":"COMAdminExportIn10Format","features":[158]},{"name":"COMAdminExportNoUsers","features":[158]},{"name":"COMAdminExportUsers","features":[158]},{"name":"COMAdminFileFlagAlreadyInstalled","features":[158]},{"name":"COMAdminFileFlagBadTLB","features":[158]},{"name":"COMAdminFileFlagCOM","features":[158]},{"name":"COMAdminFileFlagClassNotAvailable","features":[158]},{"name":"COMAdminFileFlagContainsComp","features":[158]},{"name":"COMAdminFileFlagContainsPS","features":[158]},{"name":"COMAdminFileFlagContainsTLB","features":[158]},{"name":"COMAdminFileFlagDLLRegsvrFailed","features":[158]},{"name":"COMAdminFileFlagDoesNotExist","features":[158]},{"name":"COMAdminFileFlagError","features":[158]},{"name":"COMAdminFileFlagGetClassObjFailed","features":[158]},{"name":"COMAdminFileFlagLoadable","features":[158]},{"name":"COMAdminFileFlagNoRegistrar","features":[158]},{"name":"COMAdminFileFlagRegTLBFailed","features":[158]},{"name":"COMAdminFileFlagRegistrar","features":[158]},{"name":"COMAdminFileFlagRegistrarFailed","features":[158]},{"name":"COMAdminFileFlagSelfReg","features":[158]},{"name":"COMAdminFileFlagSelfUnReg","features":[158]},{"name":"COMAdminFileFlagUnloadableDLL","features":[158]},{"name":"COMAdminFileFlags","features":[158]},{"name":"COMAdminImpersonationAnonymous","features":[158]},{"name":"COMAdminImpersonationDelegate","features":[158]},{"name":"COMAdminImpersonationIdentify","features":[158]},{"name":"COMAdminImpersonationImpersonate","features":[158]},{"name":"COMAdminImpersonationLevelOptions","features":[158]},{"name":"COMAdminInUse","features":[158]},{"name":"COMAdminInUseByCatalog","features":[158]},{"name":"COMAdminInUseByRegistryClsid","features":[158]},{"name":"COMAdminInUseByRegistryProxyStub","features":[158]},{"name":"COMAdminInUseByRegistryTypeLib","features":[158]},{"name":"COMAdminInUseByRegistryUnknown","features":[158]},{"name":"COMAdminInstallForceOverwriteOfFiles","features":[158]},{"name":"COMAdminInstallNoUsers","features":[158]},{"name":"COMAdminInstallUsers","features":[158]},{"name":"COMAdminNotInUse","features":[158]},{"name":"COMAdminOS","features":[158]},{"name":"COMAdminOSNotInitialized","features":[158]},{"name":"COMAdminOSUnknown","features":[158]},{"name":"COMAdminOSWindows2000","features":[158]},{"name":"COMAdminOSWindows2000AdvancedServer","features":[158]},{"name":"COMAdminOSWindows2000Unknown","features":[158]},{"name":"COMAdminOSWindows3_1","features":[158]},{"name":"COMAdminOSWindows7DatacenterServer","features":[158]},{"name":"COMAdminOSWindows7EnterpriseServer","features":[158]},{"name":"COMAdminOSWindows7Personal","features":[158]},{"name":"COMAdminOSWindows7Professional","features":[158]},{"name":"COMAdminOSWindows7StandardServer","features":[158]},{"name":"COMAdminOSWindows7WebServer","features":[158]},{"name":"COMAdminOSWindows8DatacenterServer","features":[158]},{"name":"COMAdminOSWindows8EnterpriseServer","features":[158]},{"name":"COMAdminOSWindows8Personal","features":[158]},{"name":"COMAdminOSWindows8Professional","features":[158]},{"name":"COMAdminOSWindows8StandardServer","features":[158]},{"name":"COMAdminOSWindows8WebServer","features":[158]},{"name":"COMAdminOSWindows9x","features":[158]},{"name":"COMAdminOSWindowsBlueDatacenterServer","features":[158]},{"name":"COMAdminOSWindowsBlueEnterpriseServer","features":[158]},{"name":"COMAdminOSWindowsBluePersonal","features":[158]},{"name":"COMAdminOSWindowsBlueProfessional","features":[158]},{"name":"COMAdminOSWindowsBlueStandardServer","features":[158]},{"name":"COMAdminOSWindowsBlueWebServer","features":[158]},{"name":"COMAdminOSWindowsLonghornDatacenterServer","features":[158]},{"name":"COMAdminOSWindowsLonghornEnterpriseServer","features":[158]},{"name":"COMAdminOSWindowsLonghornPersonal","features":[158]},{"name":"COMAdminOSWindowsLonghornProfessional","features":[158]},{"name":"COMAdminOSWindowsLonghornStandardServer","features":[158]},{"name":"COMAdminOSWindowsLonghornWebServer","features":[158]},{"name":"COMAdminOSWindowsNETDatacenterServer","features":[158]},{"name":"COMAdminOSWindowsNETEnterpriseServer","features":[158]},{"name":"COMAdminOSWindowsNETStandardServer","features":[158]},{"name":"COMAdminOSWindowsNETWebServer","features":[158]},{"name":"COMAdminOSWindowsXPPersonal","features":[158]},{"name":"COMAdminOSWindowsXPProfessional","features":[158]},{"name":"COMAdminQCMessageAuthenticateOff","features":[158]},{"name":"COMAdminQCMessageAuthenticateOn","features":[158]},{"name":"COMAdminQCMessageAuthenticateOptions","features":[158]},{"name":"COMAdminQCMessageAuthenticateSecureApps","features":[158]},{"name":"COMAdminServiceContinuePending","features":[158]},{"name":"COMAdminServiceLoadBalanceRouter","features":[158]},{"name":"COMAdminServiceOptions","features":[158]},{"name":"COMAdminServicePausePending","features":[158]},{"name":"COMAdminServicePaused","features":[158]},{"name":"COMAdminServiceRunning","features":[158]},{"name":"COMAdminServiceStartPending","features":[158]},{"name":"COMAdminServiceStatusOptions","features":[158]},{"name":"COMAdminServiceStopPending","features":[158]},{"name":"COMAdminServiceStopped","features":[158]},{"name":"COMAdminServiceUnknownState","features":[158]},{"name":"COMAdminSynchronizationIgnored","features":[158]},{"name":"COMAdminSynchronizationNone","features":[158]},{"name":"COMAdminSynchronizationOptions","features":[158]},{"name":"COMAdminSynchronizationRequired","features":[158]},{"name":"COMAdminSynchronizationRequiresNew","features":[158]},{"name":"COMAdminSynchronizationSupported","features":[158]},{"name":"COMAdminThreadingModelApartment","features":[158]},{"name":"COMAdminThreadingModelBoth","features":[158]},{"name":"COMAdminThreadingModelFree","features":[158]},{"name":"COMAdminThreadingModelMain","features":[158]},{"name":"COMAdminThreadingModelNeutral","features":[158]},{"name":"COMAdminThreadingModelNotSpecified","features":[158]},{"name":"COMAdminThreadingModels","features":[158]},{"name":"COMAdminTransactionIgnored","features":[158]},{"name":"COMAdminTransactionNone","features":[158]},{"name":"COMAdminTransactionOptions","features":[158]},{"name":"COMAdminTransactionRequired","features":[158]},{"name":"COMAdminTransactionRequiresNew","features":[158]},{"name":"COMAdminTransactionSupported","features":[158]},{"name":"COMAdminTxIsolationLevelAny","features":[158]},{"name":"COMAdminTxIsolationLevelOptions","features":[158]},{"name":"COMAdminTxIsolationLevelReadCommitted","features":[158]},{"name":"COMAdminTxIsolationLevelReadUnCommitted","features":[158]},{"name":"COMAdminTxIsolationLevelRepeatableRead","features":[158]},{"name":"COMAdminTxIsolationLevelSerializable","features":[158]},{"name":"COMEvents","features":[158]},{"name":"COMPLUS_APPTYPE","features":[158]},{"name":"COMSVCSEVENTINFO","features":[158]},{"name":"CRMClerk","features":[158]},{"name":"CRMFLAGS","features":[158]},{"name":"CRMFLAG_FORGETTARGET","features":[158]},{"name":"CRMFLAG_REPLAYINPROGRESS","features":[158]},{"name":"CRMFLAG_WRITTENDURINGABORT","features":[158]},{"name":"CRMFLAG_WRITTENDURINGCOMMIT","features":[158]},{"name":"CRMFLAG_WRITTENDURINGPREPARE","features":[158]},{"name":"CRMFLAG_WRITTENDURINGRECOVERY","features":[158]},{"name":"CRMFLAG_WRITTENDURINGREPLAY","features":[158]},{"name":"CRMREGFLAGS","features":[158]},{"name":"CRMREGFLAG_ABORTPHASE","features":[158]},{"name":"CRMREGFLAG_ALLPHASES","features":[158]},{"name":"CRMREGFLAG_COMMITPHASE","features":[158]},{"name":"CRMREGFLAG_FAILIFINDOUBTSREMAIN","features":[158]},{"name":"CRMREGFLAG_PREPAREPHASE","features":[158]},{"name":"CRMRecoveryClerk","features":[158]},{"name":"CRR_ACTIVATION_LIMIT","features":[158]},{"name":"CRR_CALL_LIMIT","features":[158]},{"name":"CRR_LIFETIME_LIMIT","features":[158]},{"name":"CRR_MEMORY_LIMIT","features":[158]},{"name":"CRR_NO_REASON_SUPPLIED","features":[158]},{"name":"CRR_RECYCLED_FROM_UI","features":[158]},{"name":"CSC_BindToPoolThread","features":[158]},{"name":"CSC_Binding","features":[158]},{"name":"CSC_COMTIIntrinsicsConfig","features":[158]},{"name":"CSC_CreateTransactionIfNecessary","features":[158]},{"name":"CSC_DontUseTracker","features":[158]},{"name":"CSC_IISIntrinsicsConfig","features":[158]},{"name":"CSC_IfContainerIsSynchronized","features":[158]},{"name":"CSC_IfContainerIsTransactional","features":[158]},{"name":"CSC_Ignore","features":[158]},{"name":"CSC_Inherit","features":[158]},{"name":"CSC_InheritCOMTIIntrinsics","features":[158]},{"name":"CSC_InheritIISIntrinsics","features":[158]},{"name":"CSC_InheritPartition","features":[158]},{"name":"CSC_InheritSxs","features":[158]},{"name":"CSC_InheritanceConfig","features":[158]},{"name":"CSC_MTAThreadPool","features":[158]},{"name":"CSC_NewPartition","features":[158]},{"name":"CSC_NewSxs","features":[158]},{"name":"CSC_NewSynchronization","features":[158]},{"name":"CSC_NewSynchronizationIfNecessary","features":[158]},{"name":"CSC_NewTransaction","features":[158]},{"name":"CSC_NoBinding","features":[158]},{"name":"CSC_NoCOMTIIntrinsics","features":[158]},{"name":"CSC_NoIISIntrinsics","features":[158]},{"name":"CSC_NoPartition","features":[158]},{"name":"CSC_NoSxs","features":[158]},{"name":"CSC_NoSynchronization","features":[158]},{"name":"CSC_NoTransaction","features":[158]},{"name":"CSC_PartitionConfig","features":[158]},{"name":"CSC_STAThreadPool","features":[158]},{"name":"CSC_SxsConfig","features":[158]},{"name":"CSC_SynchronizationConfig","features":[158]},{"name":"CSC_ThreadPool","features":[158]},{"name":"CSC_ThreadPoolInherit","features":[158]},{"name":"CSC_ThreadPoolNone","features":[158]},{"name":"CSC_TrackerConfig","features":[158]},{"name":"CSC_TransactionConfig","features":[158]},{"name":"CSC_UseTracker","features":[158]},{"name":"CServiceConfig","features":[158]},{"name":"ClrAssemblyLocator","features":[158]},{"name":"CoCreateActivity","features":[158]},{"name":"CoEnterServiceDomain","features":[158]},{"name":"CoGetDefaultContext","features":[41,158]},{"name":"CoLeaveServiceDomain","features":[158]},{"name":"CoMTSLocator","features":[158]},{"name":"ComServiceEvents","features":[158]},{"name":"ComSystemAppEventData","features":[158]},{"name":"ComponentHangMonitorInfo","features":[1,158]},{"name":"ComponentStatistics","features":[158]},{"name":"ComponentSummary","features":[158]},{"name":"ContextInfo","features":[158]},{"name":"ContextInfo2","features":[158]},{"name":"CrmLogRecordRead","features":[41,158]},{"name":"CrmTransactionState","features":[158]},{"name":"DATA_NOT_AVAILABLE","features":[158]},{"name":"DUMPTYPE","features":[158]},{"name":"DUMPTYPE_FULL","features":[158]},{"name":"DUMPTYPE_MINI","features":[158]},{"name":"DUMPTYPE_NONE","features":[158]},{"name":"DispenserManager","features":[158]},{"name":"Dummy30040732","features":[158]},{"name":"EventServer","features":[158]},{"name":"GATD_INCLUDE_APPLICATION_NAME","features":[158]},{"name":"GATD_INCLUDE_CLASS_NAME","features":[158]},{"name":"GATD_INCLUDE_LIBRARY_APPS","features":[158]},{"name":"GATD_INCLUDE_PROCESS_EXE_NAME","features":[158]},{"name":"GATD_INCLUDE_SWC","features":[158]},{"name":"GUID_STRING_SIZE","features":[158]},{"name":"GetAppTrackerDataFlags","features":[158]},{"name":"GetDispenserManager","features":[158]},{"name":"GetManagedExtensions","features":[158]},{"name":"GetSecurityCallContextAppObject","features":[158]},{"name":"HANG_INFO","features":[1,158]},{"name":"IAppDomainHelper","features":[158]},{"name":"IAssemblyLocator","features":[158]},{"name":"IAsyncErrorNotify","features":[158]},{"name":"ICOMAdminCatalog","features":[158]},{"name":"ICOMAdminCatalog2","features":[158]},{"name":"ICOMLBArguments","features":[158]},{"name":"ICatalogCollection","features":[158]},{"name":"ICatalogObject","features":[158]},{"name":"ICheckSxsConfig","features":[158]},{"name":"IComActivityEvents","features":[158]},{"name":"IComApp2Events","features":[158]},{"name":"IComAppEvents","features":[158]},{"name":"IComCRMEvents","features":[158]},{"name":"IComExceptionEvents","features":[158]},{"name":"IComIdentityEvents","features":[158]},{"name":"IComInstance2Events","features":[158]},{"name":"IComInstanceEvents","features":[158]},{"name":"IComLTxEvents","features":[158]},{"name":"IComMethod2Events","features":[158]},{"name":"IComMethodEvents","features":[158]},{"name":"IComMtaThreadPoolKnobs","features":[158]},{"name":"IComObjectConstruction2Events","features":[158]},{"name":"IComObjectConstructionEvents","features":[158]},{"name":"IComObjectEvents","features":[158]},{"name":"IComObjectPool2Events","features":[158]},{"name":"IComObjectPoolEvents","features":[158]},{"name":"IComObjectPoolEvents2","features":[158]},{"name":"IComQCEvents","features":[158]},{"name":"IComResourceEvents","features":[158]},{"name":"IComSecurityEvents","features":[158]},{"name":"IComStaThreadPoolKnobs","features":[158]},{"name":"IComStaThreadPoolKnobs2","features":[158]},{"name":"IComThreadEvents","features":[158]},{"name":"IComTrackingInfoCollection","features":[158]},{"name":"IComTrackingInfoEvents","features":[158]},{"name":"IComTrackingInfoObject","features":[158]},{"name":"IComTrackingInfoProperties","features":[158]},{"name":"IComTransaction2Events","features":[158]},{"name":"IComTransactionEvents","features":[158]},{"name":"IComUserEvent","features":[158]},{"name":"IContextProperties","features":[158]},{"name":"IContextSecurityPerimeter","features":[158]},{"name":"IContextState","features":[158]},{"name":"ICreateWithLocalTransaction","features":[158]},{"name":"ICreateWithTipTransactionEx","features":[158]},{"name":"ICreateWithTransactionEx","features":[158]},{"name":"ICrmCompensator","features":[158]},{"name":"ICrmCompensatorVariants","features":[158]},{"name":"ICrmFormatLogRecords","features":[158]},{"name":"ICrmLogControl","features":[158]},{"name":"ICrmMonitor","features":[158]},{"name":"ICrmMonitorClerks","features":[158]},{"name":"ICrmMonitorLogRecords","features":[158]},{"name":"IDispenserDriver","features":[158]},{"name":"IDispenserManager","features":[158]},{"name":"IEnumNames","features":[158]},{"name":"IEventServerTrace","features":[158]},{"name":"IGetAppTrackerData","features":[158]},{"name":"IGetContextProperties","features":[158]},{"name":"IGetSecurityCallContext","features":[158]},{"name":"IHolder","features":[158]},{"name":"ILBEvents","features":[158]},{"name":"IMTSActivity","features":[158]},{"name":"IMTSCall","features":[158]},{"name":"IMTSLocator","features":[158]},{"name":"IManagedActivationEvents","features":[158]},{"name":"IManagedObjectInfo","features":[158]},{"name":"IManagedPoolAction","features":[158]},{"name":"IManagedPooledObj","features":[158]},{"name":"IMessageMover","features":[158]},{"name":"IMtsEventInfo","features":[158]},{"name":"IMtsEvents","features":[158]},{"name":"IMtsGrp","features":[158]},{"name":"IObjPool","features":[158]},{"name":"IObjectConstruct","features":[158]},{"name":"IObjectConstructString","features":[158]},{"name":"IObjectContext","features":[158]},{"name":"IObjectContextActivity","features":[158]},{"name":"IObjectContextInfo","features":[158]},{"name":"IObjectContextInfo2","features":[158]},{"name":"IObjectContextTip","features":[158]},{"name":"IObjectControl","features":[158]},{"name":"IPlaybackControl","features":[158]},{"name":"IPoolManager","features":[158]},{"name":"IProcessInitializer","features":[158]},{"name":"ISecurityCallContext","features":[158]},{"name":"ISecurityCallersColl","features":[158]},{"name":"ISecurityIdentityColl","features":[158]},{"name":"ISecurityProperty","features":[158]},{"name":"ISelectCOMLBServer","features":[158]},{"name":"ISendMethodEvents","features":[158]},{"name":"IServiceActivity","features":[158]},{"name":"IServiceCall","features":[158]},{"name":"IServiceComTIIntrinsicsConfig","features":[158]},{"name":"IServiceIISIntrinsicsConfig","features":[158]},{"name":"IServiceInheritanceConfig","features":[158]},{"name":"IServicePartitionConfig","features":[158]},{"name":"IServicePool","features":[158]},{"name":"IServicePoolConfig","features":[158]},{"name":"IServiceSxsConfig","features":[158]},{"name":"IServiceSynchronizationConfig","features":[158]},{"name":"IServiceSysTxnConfig","features":[158]},{"name":"IServiceThreadPoolConfig","features":[158]},{"name":"IServiceTrackerConfig","features":[158]},{"name":"IServiceTransactionConfig","features":[158]},{"name":"IServiceTransactionConfigBase","features":[158]},{"name":"ISharedProperty","features":[158]},{"name":"ISharedPropertyGroup","features":[158]},{"name":"ISharedPropertyGroupManager","features":[158]},{"name":"ISystemAppEventData","features":[158]},{"name":"IThreadPoolKnobs","features":[158]},{"name":"ITransactionContext","features":[158]},{"name":"ITransactionContextEx","features":[158]},{"name":"ITransactionProperty","features":[158]},{"name":"ITransactionProxy","features":[158]},{"name":"ITransactionResourcePool","features":[158]},{"name":"ITransactionStatus","features":[158]},{"name":"ITxProxyHolder","features":[158]},{"name":"LBEvents","features":[158]},{"name":"LockMethod","features":[158]},{"name":"LockModes","features":[158]},{"name":"LockSetGet","features":[158]},{"name":"MTSCreateActivity","features":[158]},{"name":"MTXDM_E_ENLISTRESOURCEFAILED","features":[158]},{"name":"MessageMover","features":[158]},{"name":"MtsGrp","features":[158]},{"name":"ObjectContext","features":[158]},{"name":"ObjectControl","features":[158]},{"name":"PoolMgr","features":[158]},{"name":"Process","features":[158]},{"name":"RECYCLE_INFO","features":[158]},{"name":"RecycleSurrogate","features":[158]},{"name":"ReleaseModes","features":[158]},{"name":"SafeRef","features":[158]},{"name":"SecurityCallContext","features":[158]},{"name":"SecurityCallers","features":[158]},{"name":"SecurityIdentity","features":[158]},{"name":"SecurityProperty","features":[158]},{"name":"ServicePool","features":[158]},{"name":"ServicePoolConfig","features":[158]},{"name":"SharedProperty","features":[158]},{"name":"SharedPropertyGroup","features":[158]},{"name":"SharedPropertyGroupManager","features":[158]},{"name":"Standard","features":[158]},{"name":"TRACKER_INIT_EVENT","features":[158]},{"name":"TRACKER_STARTSTOP_EVENT","features":[158]},{"name":"TRACKING_COLL_TYPE","features":[158]},{"name":"TRKCOLL_APPLICATIONS","features":[158]},{"name":"TRKCOLL_COMPONENTS","features":[158]},{"name":"TRKCOLL_PROCESSES","features":[158]},{"name":"TrackerServer","features":[158]},{"name":"TransactionContext","features":[158]},{"name":"TransactionContextEx","features":[158]},{"name":"TransactionVote","features":[158]},{"name":"TxAbort","features":[158]},{"name":"TxCommit","features":[158]},{"name":"TxState_Aborted","features":[158]},{"name":"TxState_Active","features":[158]},{"name":"TxState_Committed","features":[158]},{"name":"TxState_Indoubt","features":[158]},{"name":"comQCErrApplicationNotQueued","features":[158]},{"name":"comQCErrNoQueueableInterfaces","features":[158]},{"name":"comQCErrQueueTransactMismatch","features":[158]},{"name":"comQCErrQueuingServiceNotAvailable","features":[158]},{"name":"comqcErrBadMarshaledObject","features":[158]},{"name":"comqcErrInvalidMessage","features":[158]},{"name":"comqcErrMarshaledObjSameTxn","features":[158]},{"name":"comqcErrMsgNotAuthenticated","features":[158]},{"name":"comqcErrMsmqConnectorUsed","features":[158]},{"name":"comqcErrMsmqServiceUnavailable","features":[158]},{"name":"comqcErrMsmqSidUnavailable","features":[158]},{"name":"comqcErrOutParam","features":[158]},{"name":"comqcErrPSLoad","features":[158]},{"name":"comqcErrRecorderMarshalled","features":[158]},{"name":"comqcErrRecorderNotTrusted","features":[158]},{"name":"comqcErrWrongMsgExtension","features":[158]},{"name":"mtsErrCtxAborted","features":[158]},{"name":"mtsErrCtxAborting","features":[158]},{"name":"mtsErrCtxNoContext","features":[158]},{"name":"mtsErrCtxNoSecurity","features":[158]},{"name":"mtsErrCtxNotRegistered","features":[158]},{"name":"mtsErrCtxOldReference","features":[158]},{"name":"mtsErrCtxRoleNotFound","features":[158]},{"name":"mtsErrCtxSynchTimeout","features":[158]},{"name":"mtsErrCtxTMNotAvailable","features":[158]},{"name":"mtsErrCtxWrongThread","features":[158]}],"543":[{"name":"ALTNUMPAD_BIT","features":[53]},{"name":"ATTACH_PARENT_PROCESS","features":[53]},{"name":"AddConsoleAliasA","features":[1,53]},{"name":"AddConsoleAliasW","features":[1,53]},{"name":"AllocConsole","features":[1,53]},{"name":"AttachConsole","features":[1,53]},{"name":"BACKGROUND_BLUE","features":[53]},{"name":"BACKGROUND_GREEN","features":[53]},{"name":"BACKGROUND_INTENSITY","features":[53]},{"name":"BACKGROUND_RED","features":[53]},{"name":"CAPSLOCK_ON","features":[53]},{"name":"CHAR_INFO","features":[53]},{"name":"COMMON_LVB_GRID_HORIZONTAL","features":[53]},{"name":"COMMON_LVB_GRID_LVERTICAL","features":[53]},{"name":"COMMON_LVB_GRID_RVERTICAL","features":[53]},{"name":"COMMON_LVB_LEADING_BYTE","features":[53]},{"name":"COMMON_LVB_REVERSE_VIDEO","features":[53]},{"name":"COMMON_LVB_SBCSDBCS","features":[53]},{"name":"COMMON_LVB_TRAILING_BYTE","features":[53]},{"name":"COMMON_LVB_UNDERSCORE","features":[53]},{"name":"CONSOLECONTROL","features":[53]},{"name":"CONSOLEENDTASK","features":[1,53]},{"name":"CONSOLESETFOREGROUND","features":[1,53]},{"name":"CONSOLEWINDOWOWNER","features":[1,53]},{"name":"CONSOLE_CARET_INFO","features":[1,53]},{"name":"CONSOLE_CHARACTER_ATTRIBUTES","features":[53]},{"name":"CONSOLE_CURSOR_INFO","features":[1,53]},{"name":"CONSOLE_FONT_INFO","features":[53]},{"name":"CONSOLE_FONT_INFOEX","features":[53]},{"name":"CONSOLE_FULLSCREEN","features":[53]},{"name":"CONSOLE_FULLSCREEN_HARDWARE","features":[53]},{"name":"CONSOLE_FULLSCREEN_MODE","features":[53]},{"name":"CONSOLE_HISTORY_INFO","features":[53]},{"name":"CONSOLE_MODE","features":[53]},{"name":"CONSOLE_MOUSE_DOWN","features":[53]},{"name":"CONSOLE_MOUSE_SELECTION","features":[53]},{"name":"CONSOLE_NO_SELECTION","features":[53]},{"name":"CONSOLE_PROCESS_INFO","features":[53]},{"name":"CONSOLE_READCONSOLE_CONTROL","features":[53]},{"name":"CONSOLE_SCREEN_BUFFER_INFO","features":[53]},{"name":"CONSOLE_SCREEN_BUFFER_INFOEX","features":[1,53]},{"name":"CONSOLE_SELECTION_INFO","features":[53]},{"name":"CONSOLE_SELECTION_IN_PROGRESS","features":[53]},{"name":"CONSOLE_SELECTION_NOT_EMPTY","features":[53]},{"name":"CONSOLE_TEXTMODE_BUFFER","features":[53]},{"name":"CONSOLE_WINDOWED_MODE","features":[53]},{"name":"COORD","features":[53]},{"name":"CTRL_BREAK_EVENT","features":[53]},{"name":"CTRL_CLOSE_EVENT","features":[53]},{"name":"CTRL_C_EVENT","features":[53]},{"name":"CTRL_LOGOFF_EVENT","features":[53]},{"name":"CTRL_SHUTDOWN_EVENT","features":[53]},{"name":"ClosePseudoConsole","features":[53]},{"name":"ConsoleControl","features":[1,53]},{"name":"ConsoleEndTask","features":[53]},{"name":"ConsoleNotifyConsoleApplication","features":[53]},{"name":"ConsoleSetCaretInfo","features":[53]},{"name":"ConsoleSetForeground","features":[53]},{"name":"ConsoleSetWindowOwner","features":[53]},{"name":"CreateConsoleScreenBuffer","features":[1,4,53]},{"name":"CreatePseudoConsole","features":[1,53]},{"name":"DISABLE_NEWLINE_AUTO_RETURN","features":[53]},{"name":"DOUBLE_CLICK","features":[53]},{"name":"ENABLE_AUTO_POSITION","features":[53]},{"name":"ENABLE_ECHO_INPUT","features":[53]},{"name":"ENABLE_EXTENDED_FLAGS","features":[53]},{"name":"ENABLE_INSERT_MODE","features":[53]},{"name":"ENABLE_LINE_INPUT","features":[53]},{"name":"ENABLE_LVB_GRID_WORLDWIDE","features":[53]},{"name":"ENABLE_MOUSE_INPUT","features":[53]},{"name":"ENABLE_PROCESSED_INPUT","features":[53]},{"name":"ENABLE_PROCESSED_OUTPUT","features":[53]},{"name":"ENABLE_QUICK_EDIT_MODE","features":[53]},{"name":"ENABLE_VIRTUAL_TERMINAL_INPUT","features":[53]},{"name":"ENABLE_VIRTUAL_TERMINAL_PROCESSING","features":[53]},{"name":"ENABLE_WINDOW_INPUT","features":[53]},{"name":"ENABLE_WRAP_AT_EOL_OUTPUT","features":[53]},{"name":"ENHANCED_KEY","features":[53]},{"name":"ExpungeConsoleCommandHistoryA","features":[53]},{"name":"ExpungeConsoleCommandHistoryW","features":[53]},{"name":"FOCUS_EVENT","features":[53]},{"name":"FOCUS_EVENT_RECORD","features":[1,53]},{"name":"FOREGROUND_BLUE","features":[53]},{"name":"FOREGROUND_GREEN","features":[53]},{"name":"FOREGROUND_INTENSITY","features":[53]},{"name":"FOREGROUND_RED","features":[53]},{"name":"FROM_LEFT_1ST_BUTTON_PRESSED","features":[53]},{"name":"FROM_LEFT_2ND_BUTTON_PRESSED","features":[53]},{"name":"FROM_LEFT_3RD_BUTTON_PRESSED","features":[53]},{"name":"FROM_LEFT_4TH_BUTTON_PRESSED","features":[53]},{"name":"FillConsoleOutputAttribute","features":[1,53]},{"name":"FillConsoleOutputCharacterA","features":[1,53]},{"name":"FillConsoleOutputCharacterW","features":[1,53]},{"name":"FlushConsoleInputBuffer","features":[1,53]},{"name":"FreeConsole","features":[1,53]},{"name":"GenerateConsoleCtrlEvent","features":[1,53]},{"name":"GetConsoleAliasA","features":[53]},{"name":"GetConsoleAliasExesA","features":[53]},{"name":"GetConsoleAliasExesLengthA","features":[53]},{"name":"GetConsoleAliasExesLengthW","features":[53]},{"name":"GetConsoleAliasExesW","features":[53]},{"name":"GetConsoleAliasW","features":[53]},{"name":"GetConsoleAliasesA","features":[53]},{"name":"GetConsoleAliasesLengthA","features":[53]},{"name":"GetConsoleAliasesLengthW","features":[53]},{"name":"GetConsoleAliasesW","features":[53]},{"name":"GetConsoleCP","features":[53]},{"name":"GetConsoleCommandHistoryA","features":[53]},{"name":"GetConsoleCommandHistoryLengthA","features":[53]},{"name":"GetConsoleCommandHistoryLengthW","features":[53]},{"name":"GetConsoleCommandHistoryW","features":[53]},{"name":"GetConsoleCursorInfo","features":[1,53]},{"name":"GetConsoleDisplayMode","features":[1,53]},{"name":"GetConsoleFontSize","features":[1,53]},{"name":"GetConsoleHistoryInfo","features":[1,53]},{"name":"GetConsoleMode","features":[1,53]},{"name":"GetConsoleOriginalTitleA","features":[53]},{"name":"GetConsoleOriginalTitleW","features":[53]},{"name":"GetConsoleOutputCP","features":[53]},{"name":"GetConsoleProcessList","features":[53]},{"name":"GetConsoleScreenBufferInfo","features":[1,53]},{"name":"GetConsoleScreenBufferInfoEx","features":[1,53]},{"name":"GetConsoleSelectionInfo","features":[1,53]},{"name":"GetConsoleTitleA","features":[53]},{"name":"GetConsoleTitleW","features":[53]},{"name":"GetConsoleWindow","features":[1,53]},{"name":"GetCurrentConsoleFont","features":[1,53]},{"name":"GetCurrentConsoleFontEx","features":[1,53]},{"name":"GetLargestConsoleWindowSize","features":[1,53]},{"name":"GetNumberOfConsoleInputEvents","features":[1,53]},{"name":"GetNumberOfConsoleMouseButtons","features":[1,53]},{"name":"GetStdHandle","features":[1,53]},{"name":"HISTORY_NO_DUP_FLAG","features":[53]},{"name":"HPCON","features":[53]},{"name":"INPUT_RECORD","features":[1,53]},{"name":"KEY_EVENT","features":[53]},{"name":"KEY_EVENT_RECORD","features":[1,53]},{"name":"LEFT_ALT_PRESSED","features":[53]},{"name":"LEFT_CTRL_PRESSED","features":[53]},{"name":"MENU_EVENT","features":[53]},{"name":"MENU_EVENT_RECORD","features":[53]},{"name":"MOUSE_EVENT","features":[53]},{"name":"MOUSE_EVENT_RECORD","features":[53]},{"name":"MOUSE_HWHEELED","features":[53]},{"name":"MOUSE_MOVED","features":[53]},{"name":"MOUSE_WHEELED","features":[53]},{"name":"NLS_ALPHANUMERIC","features":[53]},{"name":"NLS_DBCSCHAR","features":[53]},{"name":"NLS_HIRAGANA","features":[53]},{"name":"NLS_IME_CONVERSION","features":[53]},{"name":"NLS_IME_DISABLE","features":[53]},{"name":"NLS_KATAKANA","features":[53]},{"name":"NLS_ROMAN","features":[53]},{"name":"NUMLOCK_ON","features":[53]},{"name":"PHANDLER_ROUTINE","features":[1,53]},{"name":"PSEUDOCONSOLE_INHERIT_CURSOR","features":[53]},{"name":"PeekConsoleInputA","features":[1,53]},{"name":"PeekConsoleInputW","features":[1,53]},{"name":"RIGHTMOST_BUTTON_PRESSED","features":[53]},{"name":"RIGHT_ALT_PRESSED","features":[53]},{"name":"RIGHT_CTRL_PRESSED","features":[53]},{"name":"ReadConsoleA","features":[1,53]},{"name":"ReadConsoleInputA","features":[1,53]},{"name":"ReadConsoleInputW","features":[1,53]},{"name":"ReadConsoleOutputA","features":[1,53]},{"name":"ReadConsoleOutputAttribute","features":[1,53]},{"name":"ReadConsoleOutputCharacterA","features":[1,53]},{"name":"ReadConsoleOutputCharacterW","features":[1,53]},{"name":"ReadConsoleOutputW","features":[1,53]},{"name":"ReadConsoleW","features":[1,53]},{"name":"Reserved1","features":[53]},{"name":"Reserved2","features":[53]},{"name":"Reserved3","features":[53]},{"name":"ResizePseudoConsole","features":[53]},{"name":"SCROLLLOCK_ON","features":[53]},{"name":"SHIFT_PRESSED","features":[53]},{"name":"SMALL_RECT","features":[53]},{"name":"STD_ERROR_HANDLE","features":[53]},{"name":"STD_HANDLE","features":[53]},{"name":"STD_INPUT_HANDLE","features":[53]},{"name":"STD_OUTPUT_HANDLE","features":[53]},{"name":"ScrollConsoleScreenBufferA","features":[1,53]},{"name":"ScrollConsoleScreenBufferW","features":[1,53]},{"name":"SetConsoleActiveScreenBuffer","features":[1,53]},{"name":"SetConsoleCP","features":[1,53]},{"name":"SetConsoleCtrlHandler","features":[1,53]},{"name":"SetConsoleCursorInfo","features":[1,53]},{"name":"SetConsoleCursorPosition","features":[1,53]},{"name":"SetConsoleDisplayMode","features":[1,53]},{"name":"SetConsoleHistoryInfo","features":[1,53]},{"name":"SetConsoleMode","features":[1,53]},{"name":"SetConsoleNumberOfCommandsA","features":[1,53]},{"name":"SetConsoleNumberOfCommandsW","features":[1,53]},{"name":"SetConsoleOutputCP","features":[1,53]},{"name":"SetConsoleScreenBufferInfoEx","features":[1,53]},{"name":"SetConsoleScreenBufferSize","features":[1,53]},{"name":"SetConsoleTextAttribute","features":[1,53]},{"name":"SetConsoleTitleA","features":[1,53]},{"name":"SetConsoleTitleW","features":[1,53]},{"name":"SetConsoleWindowInfo","features":[1,53]},{"name":"SetCurrentConsoleFontEx","features":[1,53]},{"name":"SetStdHandle","features":[1,53]},{"name":"SetStdHandleEx","features":[1,53]},{"name":"WINDOW_BUFFER_SIZE_EVENT","features":[53]},{"name":"WINDOW_BUFFER_SIZE_RECORD","features":[53]},{"name":"WriteConsoleA","features":[1,53]},{"name":"WriteConsoleInputA","features":[1,53]},{"name":"WriteConsoleInputW","features":[1,53]},{"name":"WriteConsoleOutputA","features":[1,53]},{"name":"WriteConsoleOutputAttribute","features":[1,53]},{"name":"WriteConsoleOutputCharacterA","features":[1,53]},{"name":"WriteConsoleOutputCharacterW","features":[1,53]},{"name":"WriteConsoleOutputW","features":[1,53]},{"name":"WriteConsoleW","features":[1,53]}],"545":[{"name":"CORRELATION_VECTOR","features":[137]},{"name":"RTL_CORRELATION_VECTOR_STRING_LENGTH","features":[137]},{"name":"RTL_CORRELATION_VECTOR_V1_LENGTH","features":[137]},{"name":"RTL_CORRELATION_VECTOR_V1_PREFIX_LENGTH","features":[137]},{"name":"RTL_CORRELATION_VECTOR_V2_LENGTH","features":[137]},{"name":"RTL_CORRELATION_VECTOR_V2_PREFIX_LENGTH","features":[137]},{"name":"RtlExtendCorrelationVector","features":[137]},{"name":"RtlIncrementCorrelationVector","features":[137]},{"name":"RtlInitializeCorrelationVector","features":[137]},{"name":"RtlValidateCorrelationVector","features":[137]}],"546":[{"name":"APPCLASS_MASK","features":[159]},{"name":"APPCLASS_MONITOR","features":[159]},{"name":"APPCLASS_STANDARD","features":[159]},{"name":"APPCMD_CLIENTONLY","features":[159]},{"name":"APPCMD_FILTERINITS","features":[159]},{"name":"APPCMD_MASK","features":[159]},{"name":"AddAtomA","features":[159]},{"name":"AddAtomW","features":[159]},{"name":"AddClipboardFormatListener","features":[1,159]},{"name":"CADV_LATEACK","features":[159]},{"name":"CBF_FAIL_ADVISES","features":[159]},{"name":"CBF_FAIL_ALLSVRXACTIONS","features":[159]},{"name":"CBF_FAIL_CONNECTIONS","features":[159]},{"name":"CBF_FAIL_EXECUTES","features":[159]},{"name":"CBF_FAIL_POKES","features":[159]},{"name":"CBF_FAIL_REQUESTS","features":[159]},{"name":"CBF_FAIL_SELFCONNECTIONS","features":[159]},{"name":"CBF_SKIP_ALLNOTIFICATIONS","features":[159]},{"name":"CBF_SKIP_CONNECT_CONFIRMS","features":[159]},{"name":"CBF_SKIP_DISCONNECTS","features":[159]},{"name":"CBF_SKIP_REGISTRATIONS","features":[159]},{"name":"CBF_SKIP_UNREGISTRATIONS","features":[159]},{"name":"CONVCONTEXT","features":[1,4,159]},{"name":"CONVINFO","features":[1,4,159]},{"name":"CONVINFO_CONVERSATION_STATE","features":[159]},{"name":"CONVINFO_STATUS","features":[159]},{"name":"COPYDATASTRUCT","features":[159]},{"name":"CP_WINANSI","features":[159]},{"name":"CP_WINNEUTRAL","features":[159]},{"name":"CP_WINUNICODE","features":[159]},{"name":"ChangeClipboardChain","features":[1,159]},{"name":"CloseClipboard","features":[1,159]},{"name":"CountClipboardFormats","features":[159]},{"name":"DDEACK","features":[159]},{"name":"DDEADVISE","features":[159]},{"name":"DDEDATA","features":[159]},{"name":"DDELN","features":[159]},{"name":"DDEML_MSG_HOOK_DATA","features":[159]},{"name":"DDEPOKE","features":[159]},{"name":"DDEUP","features":[159]},{"name":"DDE_CLIENT_TRANSACTION_TYPE","features":[159]},{"name":"DDE_ENABLE_CALLBACK_CMD","features":[159]},{"name":"DDE_FACK","features":[159]},{"name":"DDE_FACKREQ","features":[159]},{"name":"DDE_FAPPSTATUS","features":[159]},{"name":"DDE_FBUSY","features":[159]},{"name":"DDE_FDEFERUPD","features":[159]},{"name":"DDE_FNOTPROCESSED","features":[159]},{"name":"DDE_FRELEASE","features":[159]},{"name":"DDE_FREQUESTED","features":[159]},{"name":"DDE_INITIALIZE_COMMAND","features":[159]},{"name":"DDE_NAME_SERVICE_CMD","features":[159]},{"name":"DMLERR_ADVACKTIMEOUT","features":[159]},{"name":"DMLERR_BUSY","features":[159]},{"name":"DMLERR_DATAACKTIMEOUT","features":[159]},{"name":"DMLERR_DLL_NOT_INITIALIZED","features":[159]},{"name":"DMLERR_DLL_USAGE","features":[159]},{"name":"DMLERR_EXECACKTIMEOUT","features":[159]},{"name":"DMLERR_FIRST","features":[159]},{"name":"DMLERR_INVALIDPARAMETER","features":[159]},{"name":"DMLERR_LAST","features":[159]},{"name":"DMLERR_LOW_MEMORY","features":[159]},{"name":"DMLERR_MEMORY_ERROR","features":[159]},{"name":"DMLERR_NOTPROCESSED","features":[159]},{"name":"DMLERR_NO_CONV_ESTABLISHED","features":[159]},{"name":"DMLERR_NO_ERROR","features":[159]},{"name":"DMLERR_POKEACKTIMEOUT","features":[159]},{"name":"DMLERR_POSTMSG_FAILED","features":[159]},{"name":"DMLERR_REENTRANCY","features":[159]},{"name":"DMLERR_SERVER_DIED","features":[159]},{"name":"DMLERR_SYS_ERROR","features":[159]},{"name":"DMLERR_UNADVACKTIMEOUT","features":[159]},{"name":"DMLERR_UNFOUND_QUEUE_ID","features":[159]},{"name":"DNS_FILTEROFF","features":[159]},{"name":"DNS_FILTERON","features":[159]},{"name":"DNS_REGISTER","features":[159]},{"name":"DNS_UNREGISTER","features":[159]},{"name":"DdeAbandonTransaction","features":[1,159]},{"name":"DdeAccessData","features":[159]},{"name":"DdeAddData","features":[159]},{"name":"DdeClientTransaction","features":[159]},{"name":"DdeCmpStringHandles","features":[159]},{"name":"DdeConnect","features":[1,4,159]},{"name":"DdeConnectList","features":[1,4,159]},{"name":"DdeCreateDataHandle","features":[159]},{"name":"DdeCreateStringHandleA","features":[159]},{"name":"DdeCreateStringHandleW","features":[159]},{"name":"DdeDisconnect","features":[1,159]},{"name":"DdeDisconnectList","features":[1,159]},{"name":"DdeEnableCallback","features":[1,159]},{"name":"DdeFreeDataHandle","features":[1,159]},{"name":"DdeFreeStringHandle","features":[1,159]},{"name":"DdeGetData","features":[159]},{"name":"DdeGetLastError","features":[159]},{"name":"DdeImpersonateClient","features":[1,159]},{"name":"DdeInitializeA","features":[159]},{"name":"DdeInitializeW","features":[159]},{"name":"DdeKeepStringHandle","features":[1,159]},{"name":"DdeNameService","features":[159]},{"name":"DdePostAdvise","features":[1,159]},{"name":"DdeQueryConvInfo","features":[1,4,159]},{"name":"DdeQueryNextServer","features":[159]},{"name":"DdeQueryStringA","features":[159]},{"name":"DdeQueryStringW","features":[159]},{"name":"DdeReconnect","features":[159]},{"name":"DdeSetQualityOfService","features":[1,4,159]},{"name":"DdeSetUserHandle","features":[1,159]},{"name":"DdeUnaccessData","features":[1,159]},{"name":"DdeUninitialize","features":[1,159]},{"name":"DeleteAtom","features":[159]},{"name":"EC_DISABLE","features":[159]},{"name":"EC_ENABLEALL","features":[159]},{"name":"EC_ENABLEONE","features":[159]},{"name":"EC_QUERYWAITING","features":[159]},{"name":"EmptyClipboard","features":[1,159]},{"name":"EnumClipboardFormats","features":[159]},{"name":"FindAtomA","features":[159]},{"name":"FindAtomW","features":[159]},{"name":"FreeDDElParam","features":[1,159]},{"name":"GetAtomNameA","features":[159]},{"name":"GetAtomNameW","features":[159]},{"name":"GetClipboardData","features":[1,159]},{"name":"GetClipboardFormatNameA","features":[159]},{"name":"GetClipboardFormatNameW","features":[159]},{"name":"GetClipboardOwner","features":[1,159]},{"name":"GetClipboardSequenceNumber","features":[159]},{"name":"GetClipboardViewer","features":[1,159]},{"name":"GetOpenClipboardWindow","features":[1,159]},{"name":"GetPriorityClipboardFormat","features":[159]},{"name":"GetUpdatedClipboardFormats","features":[1,159]},{"name":"GlobalAddAtomA","features":[159]},{"name":"GlobalAddAtomExA","features":[159]},{"name":"GlobalAddAtomExW","features":[159]},{"name":"GlobalAddAtomW","features":[159]},{"name":"GlobalDeleteAtom","features":[159]},{"name":"GlobalFindAtomA","features":[159]},{"name":"GlobalFindAtomW","features":[159]},{"name":"GlobalGetAtomNameA","features":[159]},{"name":"GlobalGetAtomNameW","features":[159]},{"name":"HCONV","features":[159]},{"name":"HCONVLIST","features":[159]},{"name":"HDATA_APPOWNED","features":[159]},{"name":"HDDEDATA","features":[159]},{"name":"HSZ","features":[159]},{"name":"HSZPAIR","features":[159]},{"name":"ImpersonateDdeClientWindow","features":[1,159]},{"name":"InitAtomTable","features":[1,159]},{"name":"IsClipboardFormatAvailable","features":[1,159]},{"name":"MAX_MONITORS","features":[159]},{"name":"METAFILEPICT","features":[12,159]},{"name":"MF_CALLBACKS","features":[159]},{"name":"MF_CONV","features":[159]},{"name":"MF_ERRORS","features":[159]},{"name":"MF_HSZ_INFO","features":[159]},{"name":"MF_LINKS","features":[159]},{"name":"MF_MASK","features":[159]},{"name":"MF_POSTMSGS","features":[159]},{"name":"MF_SENDMSGS","features":[159]},{"name":"MH_CLEANUP","features":[159]},{"name":"MH_CREATE","features":[159]},{"name":"MH_DELETE","features":[159]},{"name":"MH_KEEP","features":[159]},{"name":"MONCBSTRUCT","features":[1,4,159]},{"name":"MONCONVSTRUCT","features":[1,159]},{"name":"MONERRSTRUCT","features":[1,159]},{"name":"MONHSZSTRUCTA","features":[1,159]},{"name":"MONHSZSTRUCTW","features":[1,159]},{"name":"MONLINKSTRUCT","features":[1,159]},{"name":"MONMSGSTRUCT","features":[1,159]},{"name":"MSGF_DDEMGR","features":[159]},{"name":"OpenClipboard","features":[1,159]},{"name":"PFNCALLBACK","features":[159]},{"name":"PackDDElParam","features":[1,159]},{"name":"QID_SYNC","features":[159]},{"name":"RegisterClipboardFormatA","features":[159]},{"name":"RegisterClipboardFormatW","features":[159]},{"name":"RemoveClipboardFormatListener","features":[1,159]},{"name":"ReuseDDElParam","features":[1,159]},{"name":"ST_ADVISE","features":[159]},{"name":"ST_BLOCKED","features":[159]},{"name":"ST_BLOCKNEXT","features":[159]},{"name":"ST_CLIENT","features":[159]},{"name":"ST_CONNECTED","features":[159]},{"name":"ST_INLIST","features":[159]},{"name":"ST_ISLOCAL","features":[159]},{"name":"ST_ISSELF","features":[159]},{"name":"ST_TERMINATED","features":[159]},{"name":"SZDDESYS_ITEM_FORMATS","features":[159]},{"name":"SZDDESYS_ITEM_HELP","features":[159]},{"name":"SZDDESYS_ITEM_RTNMSG","features":[159]},{"name":"SZDDESYS_ITEM_STATUS","features":[159]},{"name":"SZDDESYS_ITEM_SYSITEMS","features":[159]},{"name":"SZDDESYS_ITEM_TOPICS","features":[159]},{"name":"SZDDESYS_TOPIC","features":[159]},{"name":"SZDDE_ITEM_ITEMLIST","features":[159]},{"name":"SetClipboardData","features":[1,159]},{"name":"SetClipboardViewer","features":[1,159]},{"name":"SetWinMetaFileBits","features":[12,159]},{"name":"TIMEOUT_ASYNC","features":[159]},{"name":"UnpackDDElParam","features":[1,159]},{"name":"WM_DDE_ACK","features":[159]},{"name":"WM_DDE_ADVISE","features":[159]},{"name":"WM_DDE_DATA","features":[159]},{"name":"WM_DDE_EXECUTE","features":[159]},{"name":"WM_DDE_FIRST","features":[159]},{"name":"WM_DDE_INITIATE","features":[159]},{"name":"WM_DDE_LAST","features":[159]},{"name":"WM_DDE_POKE","features":[159]},{"name":"WM_DDE_REQUEST","features":[159]},{"name":"WM_DDE_TERMINATE","features":[159]},{"name":"WM_DDE_UNADVISE","features":[159]},{"name":"XCLASS_BOOL","features":[159]},{"name":"XCLASS_DATA","features":[159]},{"name":"XCLASS_FLAGS","features":[159]},{"name":"XCLASS_MASK","features":[159]},{"name":"XCLASS_NOTIFICATION","features":[159]},{"name":"XST_ADVACKRCVD","features":[159]},{"name":"XST_ADVDATAACKRCVD","features":[159]},{"name":"XST_ADVDATASENT","features":[159]},{"name":"XST_ADVSENT","features":[159]},{"name":"XST_CONNECTED","features":[159]},{"name":"XST_DATARCVD","features":[159]},{"name":"XST_EXECACKRCVD","features":[159]},{"name":"XST_EXECSENT","features":[159]},{"name":"XST_INCOMPLETE","features":[159]},{"name":"XST_INIT1","features":[159]},{"name":"XST_INIT2","features":[159]},{"name":"XST_NULL","features":[159]},{"name":"XST_POKEACKRCVD","features":[159]},{"name":"XST_POKESENT","features":[159]},{"name":"XST_REQSENT","features":[159]},{"name":"XST_UNADVACKRCVD","features":[159]},{"name":"XST_UNADVSENT","features":[159]},{"name":"XTYPF_ACKREQ","features":[159]},{"name":"XTYPF_NOBLOCK","features":[159]},{"name":"XTYPF_NODATA","features":[159]},{"name":"XTYP_ADVDATA","features":[159]},{"name":"XTYP_ADVREQ","features":[159]},{"name":"XTYP_ADVSTART","features":[159]},{"name":"XTYP_ADVSTOP","features":[159]},{"name":"XTYP_CONNECT","features":[159]},{"name":"XTYP_CONNECT_CONFIRM","features":[159]},{"name":"XTYP_DISCONNECT","features":[159]},{"name":"XTYP_EXECUTE","features":[159]},{"name":"XTYP_MASK","features":[159]},{"name":"XTYP_MONITOR","features":[159]},{"name":"XTYP_POKE","features":[159]},{"name":"XTYP_REGISTER","features":[159]},{"name":"XTYP_REQUEST","features":[159]},{"name":"XTYP_SHIFT","features":[159]},{"name":"XTYP_UNREGISTER","features":[159]},{"name":"XTYP_WILDCONNECT","features":[159]},{"name":"XTYP_XACT_COMPLETE","features":[159]}],"547":[{"name":"CPU_ARCHITECTURE","features":[160]},{"name":"CPU_ARCHITECTURE_AMD64","features":[160]},{"name":"CPU_ARCHITECTURE_IA64","features":[160]},{"name":"CPU_ARCHITECTURE_INTEL","features":[160]},{"name":"EVT_WDSMCS_E_CP_CALLBACKS_NOT_REG","features":[160]},{"name":"EVT_WDSMCS_E_CP_CLOSE_INSTANCE_FAILED","features":[160]},{"name":"EVT_WDSMCS_E_CP_DLL_LOAD_FAILED","features":[160]},{"name":"EVT_WDSMCS_E_CP_DLL_LOAD_FAILED_CRITICAL","features":[160]},{"name":"EVT_WDSMCS_E_CP_INCOMPATIBLE_SERVER_VERSION","features":[160]},{"name":"EVT_WDSMCS_E_CP_INIT_FUNC_FAILED","features":[160]},{"name":"EVT_WDSMCS_E_CP_INIT_FUNC_MISSING","features":[160]},{"name":"EVT_WDSMCS_E_CP_MEMORY_LEAK","features":[160]},{"name":"EVT_WDSMCS_E_CP_OPEN_CONTENT_FAILED","features":[160]},{"name":"EVT_WDSMCS_E_CP_OPEN_INSTANCE_FAILED","features":[160]},{"name":"EVT_WDSMCS_E_CP_SHUTDOWN_FUNC_FAILED","features":[160]},{"name":"EVT_WDSMCS_E_DUPLICATE_MULTICAST_ADDR","features":[160]},{"name":"EVT_WDSMCS_E_NON_WDS_DUPLICATE_MULTICAST_ADDR","features":[160]},{"name":"EVT_WDSMCS_E_NSREG_CONTENT_PROVIDER_NOT_REG","features":[160]},{"name":"EVT_WDSMCS_E_NSREG_FAILURE","features":[160]},{"name":"EVT_WDSMCS_E_NSREG_NAMESPACE_EXISTS","features":[160]},{"name":"EVT_WDSMCS_E_NSREG_START_TIME_IN_PAST","features":[160]},{"name":"EVT_WDSMCS_E_PARAMETERS_READ_FAILED","features":[160]},{"name":"EVT_WDSMCS_S_PARAMETERS_READ","features":[160]},{"name":"EVT_WDSMCS_W_CP_DLL_LOAD_FAILED_NOT_CRITICAL","features":[160]},{"name":"FACILITY_WDSMCCLIENT","features":[160]},{"name":"FACILITY_WDSMCSERVER","features":[160]},{"name":"FACILITY_WDSTPTMGMT","features":[160]},{"name":"IWdsTransportCacheable","features":[160]},{"name":"IWdsTransportClient","features":[160]},{"name":"IWdsTransportCollection","features":[160]},{"name":"IWdsTransportConfigurationManager","features":[160]},{"name":"IWdsTransportConfigurationManager2","features":[160]},{"name":"IWdsTransportContent","features":[160]},{"name":"IWdsTransportContentProvider","features":[160]},{"name":"IWdsTransportDiagnosticsPolicy","features":[160]},{"name":"IWdsTransportManager","features":[160]},{"name":"IWdsTransportMulticastSessionPolicy","features":[160]},{"name":"IWdsTransportNamespace","features":[160]},{"name":"IWdsTransportNamespaceAutoCast","features":[160]},{"name":"IWdsTransportNamespaceManager","features":[160]},{"name":"IWdsTransportNamespaceScheduledCast","features":[160]},{"name":"IWdsTransportNamespaceScheduledCastAutoStart","features":[160]},{"name":"IWdsTransportNamespaceScheduledCastManualStart","features":[160]},{"name":"IWdsTransportServer","features":[160]},{"name":"IWdsTransportServer2","features":[160]},{"name":"IWdsTransportServicePolicy","features":[160]},{"name":"IWdsTransportServicePolicy2","features":[160]},{"name":"IWdsTransportSession","features":[160]},{"name":"IWdsTransportSetupManager","features":[160]},{"name":"IWdsTransportSetupManager2","features":[160]},{"name":"IWdsTransportTftpClient","features":[160]},{"name":"IWdsTransportTftpManager","features":[160]},{"name":"MC_SERVER_CURRENT_VERSION","features":[160]},{"name":"PFN_WDS_CLI_CALLBACK_MESSAGE_ID","features":[160]},{"name":"PFN_WdsCliCallback","features":[1,160]},{"name":"PFN_WdsCliTraceFunction","features":[160]},{"name":"PFN_WdsTransportClientReceiveContents","features":[1,160]},{"name":"PFN_WdsTransportClientReceiveMetadata","features":[1,160]},{"name":"PFN_WdsTransportClientSessionComplete","features":[1,160]},{"name":"PFN_WdsTransportClientSessionNegotiate","features":[1,160]},{"name":"PFN_WdsTransportClientSessionStart","features":[1,160]},{"name":"PFN_WdsTransportClientSessionStartEx","features":[1,160]},{"name":"PXE_ADDRESS","features":[160]},{"name":"PXE_ADDR_BROADCAST","features":[160]},{"name":"PXE_ADDR_USE_ADDR","features":[160]},{"name":"PXE_ADDR_USE_DHCP_RULES","features":[160]},{"name":"PXE_ADDR_USE_PORT","features":[160]},{"name":"PXE_BA_CUSTOM","features":[160]},{"name":"PXE_BA_IGNORE","features":[160]},{"name":"PXE_BA_NBP","features":[160]},{"name":"PXE_BA_REJECTED","features":[160]},{"name":"PXE_CALLBACK_MAX","features":[160]},{"name":"PXE_CALLBACK_RECV_REQUEST","features":[160]},{"name":"PXE_CALLBACK_SERVICE_CONTROL","features":[160]},{"name":"PXE_CALLBACK_SHUTDOWN","features":[160]},{"name":"PXE_DHCPV6_CLIENT_PORT","features":[160]},{"name":"PXE_DHCPV6_MESSAGE","features":[160]},{"name":"PXE_DHCPV6_MESSAGE_HEADER","features":[160]},{"name":"PXE_DHCPV6_NESTED_RELAY_MESSAGE","features":[160]},{"name":"PXE_DHCPV6_OPTION","features":[160]},{"name":"PXE_DHCPV6_RELAY_HOP_COUNT_LIMIT","features":[160]},{"name":"PXE_DHCPV6_RELAY_MESSAGE","features":[160]},{"name":"PXE_DHCPV6_SERVER_PORT","features":[160]},{"name":"PXE_DHCP_CLIENT_PORT","features":[160]},{"name":"PXE_DHCP_FILE_SIZE","features":[160]},{"name":"PXE_DHCP_HWAADR_SIZE","features":[160]},{"name":"PXE_DHCP_MAGIC_COOKIE_SIZE","features":[160]},{"name":"PXE_DHCP_MESSAGE","features":[160]},{"name":"PXE_DHCP_OPTION","features":[160]},{"name":"PXE_DHCP_SERVER_PORT","features":[160]},{"name":"PXE_DHCP_SERVER_SIZE","features":[160]},{"name":"PXE_GSI_SERVER_DUID","features":[160]},{"name":"PXE_GSI_TRACE_ENABLED","features":[160]},{"name":"PXE_MAX_ADDRESS","features":[160]},{"name":"PXE_PROVIDER","features":[1,160]},{"name":"PXE_PROV_ATTR_FILTER","features":[160]},{"name":"PXE_PROV_ATTR_FILTER_IPV6","features":[160]},{"name":"PXE_PROV_ATTR_IPV6_CAPABLE","features":[160]},{"name":"PXE_PROV_FILTER_ALL","features":[160]},{"name":"PXE_PROV_FILTER_DHCP_ONLY","features":[160]},{"name":"PXE_PROV_FILTER_PXE_ONLY","features":[160]},{"name":"PXE_REG_INDEX_BOTTOM","features":[160]},{"name":"PXE_REG_INDEX_TOP","features":[160]},{"name":"PXE_SERVER_PORT","features":[160]},{"name":"PXE_TRACE_ERROR","features":[160]},{"name":"PXE_TRACE_FATAL","features":[160]},{"name":"PXE_TRACE_INFO","features":[160]},{"name":"PXE_TRACE_VERBOSE","features":[160]},{"name":"PXE_TRACE_WARNING","features":[160]},{"name":"PxeAsyncRecvDone","features":[1,160]},{"name":"PxeDhcpAppendOption","features":[160]},{"name":"PxeDhcpAppendOptionRaw","features":[160]},{"name":"PxeDhcpGetOptionValue","features":[160]},{"name":"PxeDhcpGetVendorOptionValue","features":[160]},{"name":"PxeDhcpInitialize","features":[160]},{"name":"PxeDhcpIsValid","features":[1,160]},{"name":"PxeDhcpv6AppendOption","features":[160]},{"name":"PxeDhcpv6AppendOptionRaw","features":[160]},{"name":"PxeDhcpv6CreateRelayRepl","features":[160]},{"name":"PxeDhcpv6GetOptionValue","features":[160]},{"name":"PxeDhcpv6GetVendorOptionValue","features":[160]},{"name":"PxeDhcpv6Initialize","features":[160]},{"name":"PxeDhcpv6IsValid","features":[1,160]},{"name":"PxeDhcpv6ParseRelayForw","features":[160]},{"name":"PxeGetServerInfo","features":[160]},{"name":"PxeGetServerInfoEx","features":[160]},{"name":"PxePacketAllocate","features":[1,160]},{"name":"PxePacketFree","features":[1,160]},{"name":"PxeProviderEnumClose","features":[1,160]},{"name":"PxeProviderEnumFirst","features":[1,160]},{"name":"PxeProviderEnumNext","features":[1,160]},{"name":"PxeProviderFreeInfo","features":[1,160]},{"name":"PxeProviderQueryIndex","features":[160]},{"name":"PxeProviderRegister","features":[1,160,49]},{"name":"PxeProviderSetAttribute","features":[1,160]},{"name":"PxeProviderUnRegister","features":[160]},{"name":"PxeRegisterCallback","features":[1,160]},{"name":"PxeSendReply","features":[1,160]},{"name":"PxeTrace","features":[1,160]},{"name":"PxeTraceV","features":[1,160]},{"name":"TRANSPORTCLIENT_CALLBACK_ID","features":[160]},{"name":"TRANSPORTCLIENT_SESSION_INFO","features":[160]},{"name":"TRANSPORTPROVIDER_CALLBACK_ID","features":[160]},{"name":"TRANSPORTPROVIDER_CURRENT_VERSION","features":[160]},{"name":"WDSBP_OPTVAL_ACTION_ABORT","features":[160]},{"name":"WDSBP_OPTVAL_ACTION_APPROVAL","features":[160]},{"name":"WDSBP_OPTVAL_ACTION_REFERRAL","features":[160]},{"name":"WDSBP_OPTVAL_NBP_VER_7","features":[160]},{"name":"WDSBP_OPTVAL_NBP_VER_8","features":[160]},{"name":"WDSBP_OPTVAL_PXE_PROMPT_NOPROMPT","features":[160]},{"name":"WDSBP_OPTVAL_PXE_PROMPT_OPTIN","features":[160]},{"name":"WDSBP_OPTVAL_PXE_PROMPT_OPTOUT","features":[160]},{"name":"WDSBP_OPT_TYPE_BYTE","features":[160]},{"name":"WDSBP_OPT_TYPE_IP4","features":[160]},{"name":"WDSBP_OPT_TYPE_IP6","features":[160]},{"name":"WDSBP_OPT_TYPE_NONE","features":[160]},{"name":"WDSBP_OPT_TYPE_STR","features":[160]},{"name":"WDSBP_OPT_TYPE_ULONG","features":[160]},{"name":"WDSBP_OPT_TYPE_USHORT","features":[160]},{"name":"WDSBP_OPT_TYPE_WSTR","features":[160]},{"name":"WDSBP_PK_TYPE_BCD","features":[160]},{"name":"WDSBP_PK_TYPE_DHCP","features":[160]},{"name":"WDSBP_PK_TYPE_DHCPV6","features":[160]},{"name":"WDSBP_PK_TYPE_WDSNBP","features":[160]},{"name":"WDSMCCLIENT_CATEGORY","features":[160]},{"name":"WDSMCSERVER_CATEGORY","features":[160]},{"name":"WDSMCS_E_CLIENT_DOESNOT_SUPPORT_SECURITY_MODE","features":[160]},{"name":"WDSMCS_E_CLIENT_NOT_FOUND","features":[160]},{"name":"WDSMCS_E_CONTENT_NOT_FOUND","features":[160]},{"name":"WDSMCS_E_CONTENT_PROVIDER_NOT_FOUND","features":[160]},{"name":"WDSMCS_E_INCOMPATIBLE_VERSION","features":[160]},{"name":"WDSMCS_E_NAMESPACE_ALREADY_EXISTS","features":[160]},{"name":"WDSMCS_E_NAMESPACE_ALREADY_STARTED","features":[160]},{"name":"WDSMCS_E_NAMESPACE_NOT_FOUND","features":[160]},{"name":"WDSMCS_E_NAMESPACE_SHUTDOWN_IN_PROGRESS","features":[160]},{"name":"WDSMCS_E_NS_START_FAILED_NO_CLIENTS","features":[160]},{"name":"WDSMCS_E_PACKET_HAS_SECURITY","features":[160]},{"name":"WDSMCS_E_PACKET_NOT_CHECKSUMED","features":[160]},{"name":"WDSMCS_E_PACKET_NOT_HASHED","features":[160]},{"name":"WDSMCS_E_PACKET_NOT_SIGNED","features":[160]},{"name":"WDSMCS_E_REQCALLBACKS_NOT_REG","features":[160]},{"name":"WDSMCS_E_SESSION_SHUTDOWN_IN_PROGRESS","features":[160]},{"name":"WDSMCS_E_START_TIME_IN_PAST","features":[160]},{"name":"WDSTPC_E_ALREADY_COMPLETED","features":[160]},{"name":"WDSTPC_E_ALREADY_IN_LOWEST_SESSION","features":[160]},{"name":"WDSTPC_E_ALREADY_IN_PROGRESS","features":[160]},{"name":"WDSTPC_E_CALLBACKS_NOT_REG","features":[160]},{"name":"WDSTPC_E_CLIENT_DEMOTE_NOT_SUPPORTED","features":[160]},{"name":"WDSTPC_E_KICKED_FAIL","features":[160]},{"name":"WDSTPC_E_KICKED_FALLBACK","features":[160]},{"name":"WDSTPC_E_KICKED_POLICY_NOT_MET","features":[160]},{"name":"WDSTPC_E_KICKED_UNKNOWN","features":[160]},{"name":"WDSTPC_E_MULTISTREAM_NOT_ENABLED","features":[160]},{"name":"WDSTPC_E_NOT_INITIALIZED","features":[160]},{"name":"WDSTPC_E_NO_IP4_INTERFACE","features":[160]},{"name":"WDSTPC_E_UNKNOWN_ERROR","features":[160]},{"name":"WDSTPTC_E_WIM_APPLY_REQUIRES_REFERENCE_IMAGE","features":[160]},{"name":"WDSTPTMGMT_CATEGORY","features":[160]},{"name":"WDSTPTMGMT_E_CANNOT_REFRESH_DIRTY_OBJECT","features":[160]},{"name":"WDSTPTMGMT_E_CANNOT_REINITIALIZE_OBJECT","features":[160]},{"name":"WDSTPTMGMT_E_CONTENT_PROVIDER_ALREADY_REGISTERED","features":[160]},{"name":"WDSTPTMGMT_E_CONTENT_PROVIDER_NOT_REGISTERED","features":[160]},{"name":"WDSTPTMGMT_E_INVALID_AUTO_DISCONNECT_THRESHOLD","features":[160]},{"name":"WDSTPTMGMT_E_INVALID_CLASS","features":[160]},{"name":"WDSTPTMGMT_E_INVALID_CONTENT_PROVIDER_NAME","features":[160]},{"name":"WDSTPTMGMT_E_INVALID_DIAGNOSTICS_COMPONENTS","features":[160]},{"name":"WDSTPTMGMT_E_INVALID_IPV4_MULTICAST_ADDRESS","features":[160]},{"name":"WDSTPTMGMT_E_INVALID_IPV6_MULTICAST_ADDRESS","features":[160]},{"name":"WDSTPTMGMT_E_INVALID_IPV6_MULTICAST_ADDRESS_SOURCE","features":[160]},{"name":"WDSTPTMGMT_E_INVALID_IP_ADDRESS","features":[160]},{"name":"WDSTPTMGMT_E_INVALID_MULTISTREAM_STREAM_COUNT","features":[160]},{"name":"WDSTPTMGMT_E_INVALID_NAMESPACE_DATA","features":[160]},{"name":"WDSTPTMGMT_E_INVALID_NAMESPACE_NAME","features":[160]},{"name":"WDSTPTMGMT_E_INVALID_NAMESPACE_START_PARAMETERS","features":[160]},{"name":"WDSTPTMGMT_E_INVALID_NAMESPACE_START_TIME","features":[160]},{"name":"WDSTPTMGMT_E_INVALID_OPERATION","features":[160]},{"name":"WDSTPTMGMT_E_INVALID_PROPERTY","features":[160]},{"name":"WDSTPTMGMT_E_INVALID_SERVICE_IP_ADDRESS_RANGE","features":[160]},{"name":"WDSTPTMGMT_E_INVALID_SERVICE_PORT_RANGE","features":[160]},{"name":"WDSTPTMGMT_E_INVALID_SLOW_CLIENT_HANDLING_TYPE","features":[160]},{"name":"WDSTPTMGMT_E_INVALID_TFTP_MAX_BLOCKSIZE","features":[160]},{"name":"WDSTPTMGMT_E_IPV6_NOT_SUPPORTED","features":[160]},{"name":"WDSTPTMGMT_E_MULTICAST_SESSION_POLICY_NOT_SUPPORTED","features":[160]},{"name":"WDSTPTMGMT_E_NAMESPACE_ALREADY_REGISTERED","features":[160]},{"name":"WDSTPTMGMT_E_NAMESPACE_NOT_ON_SERVER","features":[160]},{"name":"WDSTPTMGMT_E_NAMESPACE_NOT_REGISTERED","features":[160]},{"name":"WDSTPTMGMT_E_NAMESPACE_READ_ONLY","features":[160]},{"name":"WDSTPTMGMT_E_NAMESPACE_REMOVED_FROM_SERVER","features":[160]},{"name":"WDSTPTMGMT_E_NETWORK_PROFILES_NOT_SUPPORTED","features":[160]},{"name":"WDSTPTMGMT_E_TFTP_MAX_BLOCKSIZE_NOT_SUPPORTED","features":[160]},{"name":"WDSTPTMGMT_E_TFTP_VAR_WINDOW_NOT_SUPPORTED","features":[160]},{"name":"WDSTPTMGMT_E_TRANSPORT_SERVER_ROLE_NOT_CONFIGURED","features":[160]},{"name":"WDSTPTMGMT_E_TRANSPORT_SERVER_UNAVAILABLE","features":[160]},{"name":"WDSTPTMGMT_E_UDP_PORT_POLICY_NOT_SUPPORTED","features":[160]},{"name":"WDSTRANSPORT_DIAGNOSTICS_COMPONENT_FLAGS","features":[160]},{"name":"WDSTRANSPORT_DISCONNECT_TYPE","features":[160]},{"name":"WDSTRANSPORT_FEATURE_FLAGS","features":[160]},{"name":"WDSTRANSPORT_IP_ADDRESS_SOURCE_TYPE","features":[160]},{"name":"WDSTRANSPORT_IP_ADDRESS_TYPE","features":[160]},{"name":"WDSTRANSPORT_NAMESPACE_TYPE","features":[160]},{"name":"WDSTRANSPORT_NETWORK_PROFILE_TYPE","features":[160]},{"name":"WDSTRANSPORT_PROTOCOL_FLAGS","features":[160]},{"name":"WDSTRANSPORT_RESOURCE_UTILIZATION_UNKNOWN","features":[160]},{"name":"WDSTRANSPORT_SERVICE_NOTIFICATION","features":[160]},{"name":"WDSTRANSPORT_SLOW_CLIENT_HANDLING_TYPE","features":[160]},{"name":"WDSTRANSPORT_TFTP_CAPABILITY","features":[160]},{"name":"WDSTRANSPORT_UDP_PORT_POLICY","features":[160]},{"name":"WDS_CLI_CRED","features":[160]},{"name":"WDS_CLI_FIRMWARE_BIOS","features":[160]},{"name":"WDS_CLI_FIRMWARE_EFI","features":[160]},{"name":"WDS_CLI_FIRMWARE_TYPE","features":[160]},{"name":"WDS_CLI_FIRMWARE_UNKNOWN","features":[160]},{"name":"WDS_CLI_IMAGE_PARAM_SPARSE_FILE","features":[160]},{"name":"WDS_CLI_IMAGE_PARAM_SUPPORTED_FIRMWARES","features":[160]},{"name":"WDS_CLI_IMAGE_PARAM_TYPE","features":[160]},{"name":"WDS_CLI_IMAGE_PARAM_UNKNOWN","features":[160]},{"name":"WDS_CLI_IMAGE_TYPE","features":[160]},{"name":"WDS_CLI_IMAGE_TYPE_UNKNOWN","features":[160]},{"name":"WDS_CLI_IMAGE_TYPE_VHD","features":[160]},{"name":"WDS_CLI_IMAGE_TYPE_VHDX","features":[160]},{"name":"WDS_CLI_IMAGE_TYPE_WIM","features":[160]},{"name":"WDS_CLI_MSG_COMPLETE","features":[160]},{"name":"WDS_CLI_MSG_PROGRESS","features":[160]},{"name":"WDS_CLI_MSG_START","features":[160]},{"name":"WDS_CLI_MSG_TEXT","features":[160]},{"name":"WDS_CLI_NO_SPARSE_FILE","features":[160]},{"name":"WDS_CLI_TRANSFER_ASYNCHRONOUS","features":[160]},{"name":"WDS_LOG_LEVEL_DISABLED","features":[160]},{"name":"WDS_LOG_LEVEL_ERROR","features":[160]},{"name":"WDS_LOG_LEVEL_INFO","features":[160]},{"name":"WDS_LOG_LEVEL_WARNING","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_APPLY_FINISHED","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_APPLY_FINISHED_2","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_APPLY_STARTED","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_APPLY_STARTED_2","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_DOMAINJOINERROR","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_DOMAINJOINERROR_2","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_DRIVER_PACKAGE_NOT_ACCESSIBLE","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_ERROR","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_FINISHED","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_GENERIC_MESSAGE","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_IMAGE_SELECTED","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_IMAGE_SELECTED2","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_IMAGE_SELECTED3","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_MAX_CODE","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_OFFLINE_DRIVER_INJECTION_END","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_OFFLINE_DRIVER_INJECTION_FAILURE","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_OFFLINE_DRIVER_INJECTION_START","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_POST_ACTIONS_END","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_POST_ACTIONS_START","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_STARTED","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_TRANSFER_DOWNGRADE","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_TRANSFER_END","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_TRANSFER_START","features":[160]},{"name":"WDS_LOG_TYPE_CLIENT_UNATTEND_MODE","features":[160]},{"name":"WDS_MC_TRACE_ERROR","features":[160]},{"name":"WDS_MC_TRACE_FATAL","features":[160]},{"name":"WDS_MC_TRACE_INFO","features":[160]},{"name":"WDS_MC_TRACE_VERBOSE","features":[160]},{"name":"WDS_MC_TRACE_WARNING","features":[160]},{"name":"WDS_TRANSPORTCLIENT_AUTH","features":[160]},{"name":"WDS_TRANSPORTCLIENT_CALLBACKS","features":[1,160]},{"name":"WDS_TRANSPORTCLIENT_CURRENT_API_VERSION","features":[160]},{"name":"WDS_TRANSPORTCLIENT_MAX_CALLBACKS","features":[160]},{"name":"WDS_TRANSPORTCLIENT_NO_AUTH","features":[160]},{"name":"WDS_TRANSPORTCLIENT_NO_CACHE","features":[160]},{"name":"WDS_TRANSPORTCLIENT_PROTOCOL_MULTICAST","features":[160]},{"name":"WDS_TRANSPORTCLIENT_RECEIVE_CONTENTS","features":[160]},{"name":"WDS_TRANSPORTCLIENT_RECEIVE_METADATA","features":[160]},{"name":"WDS_TRANSPORTCLIENT_REQUEST","features":[160]},{"name":"WDS_TRANSPORTCLIENT_REQUEST_AUTH_LEVEL","features":[160]},{"name":"WDS_TRANSPORTCLIENT_SESSION_COMPLETE","features":[160]},{"name":"WDS_TRANSPORTCLIENT_SESSION_NEGOTIATE","features":[160]},{"name":"WDS_TRANSPORTCLIENT_SESSION_START","features":[160]},{"name":"WDS_TRANSPORTCLIENT_SESSION_STARTEX","features":[160]},{"name":"WDS_TRANSPORTCLIENT_STATUS_FAILURE","features":[160]},{"name":"WDS_TRANSPORTCLIENT_STATUS_IN_PROGRESS","features":[160]},{"name":"WDS_TRANSPORTCLIENT_STATUS_SUCCESS","features":[160]},{"name":"WDS_TRANSPORTPROVIDER_CLOSE_CONTENT","features":[160]},{"name":"WDS_TRANSPORTPROVIDER_CLOSE_INSTANCE","features":[160]},{"name":"WDS_TRANSPORTPROVIDER_COMPARE_CONTENT","features":[160]},{"name":"WDS_TRANSPORTPROVIDER_CREATE_INSTANCE","features":[160]},{"name":"WDS_TRANSPORTPROVIDER_DUMP_STATE","features":[160]},{"name":"WDS_TRANSPORTPROVIDER_GET_CONTENT_METADATA","features":[160]},{"name":"WDS_TRANSPORTPROVIDER_GET_CONTENT_SIZE","features":[160]},{"name":"WDS_TRANSPORTPROVIDER_INIT_PARAMS","features":[1,160,49]},{"name":"WDS_TRANSPORTPROVIDER_MAX_CALLBACKS","features":[160]},{"name":"WDS_TRANSPORTPROVIDER_OPEN_CONTENT","features":[160]},{"name":"WDS_TRANSPORTPROVIDER_READ_CONTENT","features":[160]},{"name":"WDS_TRANSPORTPROVIDER_REFRESH_SETTINGS","features":[160]},{"name":"WDS_TRANSPORTPROVIDER_SETTINGS","features":[160]},{"name":"WDS_TRANSPORTPROVIDER_SHUTDOWN","features":[160]},{"name":"WDS_TRANSPORTPROVIDER_USER_ACCESS_CHECK","features":[160]},{"name":"WdsBpAddOption","features":[1,160]},{"name":"WdsBpCloseHandle","features":[1,160]},{"name":"WdsBpGetOptionBuffer","features":[1,160]},{"name":"WdsBpInitialize","features":[1,160]},{"name":"WdsBpParseInitialize","features":[1,160]},{"name":"WdsBpParseInitializev6","features":[1,160]},{"name":"WdsBpQueryOption","features":[1,160]},{"name":"WdsCliAuthorizeSession","features":[1,160]},{"name":"WdsCliCancelTransfer","features":[1,160]},{"name":"WdsCliClose","features":[1,160]},{"name":"WdsCliCreateSession","features":[1,160]},{"name":"WdsCliFindFirstImage","features":[1,160]},{"name":"WdsCliFindNextImage","features":[1,160]},{"name":"WdsCliFlagEnumFilterFirmware","features":[160]},{"name":"WdsCliFlagEnumFilterVersion","features":[160]},{"name":"WdsCliFreeStringArray","features":[160]},{"name":"WdsCliGetDriverQueryXml","features":[160]},{"name":"WdsCliGetEnumerationFlags","features":[1,160]},{"name":"WdsCliGetImageArchitecture","features":[1,160]},{"name":"WdsCliGetImageDescription","features":[1,160]},{"name":"WdsCliGetImageFiles","features":[1,160]},{"name":"WdsCliGetImageGroup","features":[1,160]},{"name":"WdsCliGetImageHalName","features":[1,160]},{"name":"WdsCliGetImageHandleFromFindHandle","features":[1,160]},{"name":"WdsCliGetImageHandleFromTransferHandle","features":[1,160]},{"name":"WdsCliGetImageIndex","features":[1,160]},{"name":"WdsCliGetImageLanguage","features":[1,160]},{"name":"WdsCliGetImageLanguages","features":[1,160]},{"name":"WdsCliGetImageLastModifiedTime","features":[1,160]},{"name":"WdsCliGetImageName","features":[1,160]},{"name":"WdsCliGetImageNamespace","features":[1,160]},{"name":"WdsCliGetImageParameter","features":[1,160]},{"name":"WdsCliGetImagePath","features":[1,160]},{"name":"WdsCliGetImageSize","features":[1,160]},{"name":"WdsCliGetImageType","features":[1,160]},{"name":"WdsCliGetImageVersion","features":[1,160]},{"name":"WdsCliGetTransferSize","features":[1,160]},{"name":"WdsCliInitializeLog","features":[1,160]},{"name":"WdsCliLog","features":[1,160]},{"name":"WdsCliObtainDriverPackages","features":[1,160]},{"name":"WdsCliObtainDriverPackagesEx","features":[1,160]},{"name":"WdsCliRegisterTrace","features":[160]},{"name":"WdsCliSetTransferBufferSize","features":[160]},{"name":"WdsCliTransferFile","features":[1,160]},{"name":"WdsCliTransferImage","features":[1,160]},{"name":"WdsCliWaitForTransfer","features":[1,160]},{"name":"WdsTptDiagnosticsComponentImageServer","features":[160]},{"name":"WdsTptDiagnosticsComponentMulticast","features":[160]},{"name":"WdsTptDiagnosticsComponentPxe","features":[160]},{"name":"WdsTptDiagnosticsComponentTftp","features":[160]},{"name":"WdsTptDisconnectAbort","features":[160]},{"name":"WdsTptDisconnectFallback","features":[160]},{"name":"WdsTptDisconnectUnknown","features":[160]},{"name":"WdsTptFeatureAdminPack","features":[160]},{"name":"WdsTptFeatureDeploymentServer","features":[160]},{"name":"WdsTptFeatureTransportServer","features":[160]},{"name":"WdsTptIpAddressIpv4","features":[160]},{"name":"WdsTptIpAddressIpv6","features":[160]},{"name":"WdsTptIpAddressSourceDhcp","features":[160]},{"name":"WdsTptIpAddressSourceRange","features":[160]},{"name":"WdsTptIpAddressSourceUnknown","features":[160]},{"name":"WdsTptIpAddressUnknown","features":[160]},{"name":"WdsTptNamespaceTypeAutoCast","features":[160]},{"name":"WdsTptNamespaceTypeScheduledCastAutoStart","features":[160]},{"name":"WdsTptNamespaceTypeScheduledCastManualStart","features":[160]},{"name":"WdsTptNamespaceTypeUnknown","features":[160]},{"name":"WdsTptNetworkProfile100Mbps","features":[160]},{"name":"WdsTptNetworkProfile10Mbps","features":[160]},{"name":"WdsTptNetworkProfile1Gbps","features":[160]},{"name":"WdsTptNetworkProfileCustom","features":[160]},{"name":"WdsTptNetworkProfileUnknown","features":[160]},{"name":"WdsTptProtocolMulticast","features":[160]},{"name":"WdsTptProtocolUnicast","features":[160]},{"name":"WdsTptServiceNotifyReadSettings","features":[160]},{"name":"WdsTptServiceNotifyUnknown","features":[160]},{"name":"WdsTptSlowClientHandlingAutoDisconnect","features":[160]},{"name":"WdsTptSlowClientHandlingMultistream","features":[160]},{"name":"WdsTptSlowClientHandlingNone","features":[160]},{"name":"WdsTptSlowClientHandlingUnknown","features":[160]},{"name":"WdsTptTftpCapMaximumBlockSize","features":[160]},{"name":"WdsTptTftpCapVariableWindow","features":[160]},{"name":"WdsTptUdpPortPolicyDynamic","features":[160]},{"name":"WdsTptUdpPortPolicyFixed","features":[160]},{"name":"WdsTransportCacheable","features":[160]},{"name":"WdsTransportClient","features":[160]},{"name":"WdsTransportClientAddRefBuffer","features":[160]},{"name":"WdsTransportClientCancelSession","features":[1,160]},{"name":"WdsTransportClientCancelSessionEx","features":[1,160]},{"name":"WdsTransportClientCloseSession","features":[1,160]},{"name":"WdsTransportClientCompleteReceive","features":[1,160]},{"name":"WdsTransportClientInitialize","features":[160]},{"name":"WdsTransportClientInitializeSession","features":[1,160]},{"name":"WdsTransportClientQueryStatus","features":[1,160]},{"name":"WdsTransportClientRegisterCallback","features":[1,160]},{"name":"WdsTransportClientReleaseBuffer","features":[160]},{"name":"WdsTransportClientShutdown","features":[160]},{"name":"WdsTransportClientStartSession","features":[1,160]},{"name":"WdsTransportClientWaitForCompletion","features":[1,160]},{"name":"WdsTransportCollection","features":[160]},{"name":"WdsTransportConfigurationManager","features":[160]},{"name":"WdsTransportContent","features":[160]},{"name":"WdsTransportContentProvider","features":[160]},{"name":"WdsTransportDiagnosticsPolicy","features":[160]},{"name":"WdsTransportManager","features":[160]},{"name":"WdsTransportMulticastSessionPolicy","features":[160]},{"name":"WdsTransportNamespace","features":[160]},{"name":"WdsTransportNamespaceAutoCast","features":[160]},{"name":"WdsTransportNamespaceManager","features":[160]},{"name":"WdsTransportNamespaceScheduledCast","features":[160]},{"name":"WdsTransportNamespaceScheduledCastAutoStart","features":[160]},{"name":"WdsTransportNamespaceScheduledCastManualStart","features":[160]},{"name":"WdsTransportServer","features":[160]},{"name":"WdsTransportServerAllocateBuffer","features":[1,160]},{"name":"WdsTransportServerCompleteRead","features":[1,160]},{"name":"WdsTransportServerFreeBuffer","features":[1,160]},{"name":"WdsTransportServerRegisterCallback","features":[1,160]},{"name":"WdsTransportServerTrace","features":[1,160]},{"name":"WdsTransportServerTraceV","features":[1,160]},{"name":"WdsTransportServicePolicy","features":[160]},{"name":"WdsTransportSession","features":[160]},{"name":"WdsTransportSetupManager","features":[160]},{"name":"WdsTransportTftpClient","features":[160]},{"name":"WdsTransportTftpManager","features":[160]}],"549":[{"name":"AcquireDeveloperLicense","features":[1,161]},{"name":"CheckDeveloperLicense","features":[1,161]},{"name":"RemoveDeveloperLicense","features":[1,161]}],"550":[{"name":"CeipIsOptedIn","features":[1,162]}],"552":[{"name":"ABNORMAL_RESET_DETECTED","features":[30]},{"name":"ACPI_BIOS_ERROR","features":[30]},{"name":"ACPI_BIOS_FATAL_ERROR","features":[30]},{"name":"ACPI_DRIVER_INTERNAL","features":[30]},{"name":"ACPI_FIRMWARE_WATCHDOG_TIMEOUT","features":[30]},{"name":"ACTIVE_EX_WORKER_THREAD_TERMINATION","features":[30]},{"name":"ADDRESS","features":[30]},{"name":"ADDRESS64","features":[30]},{"name":"ADDRESS_MODE","features":[30]},{"name":"AER_BRIDGE_DESCRIPTOR_FLAGS","features":[30]},{"name":"AER_ENDPOINT_DESCRIPTOR_FLAGS","features":[30]},{"name":"AER_ROOTPORT_DESCRIPTOR_FLAGS","features":[30]},{"name":"AGP_GART_CORRUPTION","features":[30]},{"name":"AGP_ILLEGALLY_REPROGRAMMED","features":[30]},{"name":"AGP_INTERNAL","features":[30]},{"name":"AGP_INVALID_ACCESS","features":[30]},{"name":"APC_CALLBACK_DATA","features":[30,7]},{"name":"APC_INDEX_MISMATCH","features":[30]},{"name":"API_VERSION","features":[30]},{"name":"API_VERSION_NUMBER","features":[30]},{"name":"APP_TAGGING_INITIALIZATION_FAILED","features":[30]},{"name":"ARM64_NT_CONTEXT","features":[30]},{"name":"ARM64_NT_NEON128","features":[30]},{"name":"ASSIGN_DRIVE_LETTERS_FAILED","features":[30]},{"name":"ATDISK_DRIVER_INTERNAL","features":[30]},{"name":"ATTEMPTED_EXECUTE_OF_NOEXECUTE_MEMORY","features":[30]},{"name":"ATTEMPTED_SWITCH_FROM_DPC","features":[30]},{"name":"ATTEMPTED_WRITE_TO_CM_PROTECTED_STORAGE","features":[30]},{"name":"ATTEMPTED_WRITE_TO_READONLY_MEMORY","features":[30]},{"name":"AUDIT_FAILURE","features":[30]},{"name":"AZURE_DEVICE_FW_DUMP","features":[30]},{"name":"AddVectoredContinueHandler","features":[1,30,7]},{"name":"AddVectoredExceptionHandler","features":[1,30,7]},{"name":"AddrMode1616","features":[30]},{"name":"AddrMode1632","features":[30]},{"name":"AddrModeFlat","features":[30]},{"name":"AddrModeReal","features":[30]},{"name":"BAD_EXHANDLE","features":[30]},{"name":"BAD_OBJECT_HEADER","features":[30]},{"name":"BAD_POOL_CALLER","features":[30]},{"name":"BAD_POOL_HEADER","features":[30]},{"name":"BAD_SYSTEM_CONFIG_INFO","features":[30]},{"name":"BC_BLUETOOTH_VERIFIER_FAULT","features":[30]},{"name":"BC_BTHMINI_VERIFIER_FAULT","features":[30]},{"name":"BGI_DETECTED_VIOLATION","features":[30]},{"name":"BIND_ALL_IMAGES","features":[30]},{"name":"BIND_CACHE_IMPORT_DLLS","features":[30]},{"name":"BIND_NO_BOUND_IMPORTS","features":[30]},{"name":"BIND_NO_UPDATE","features":[30]},{"name":"BIND_REPORT_64BIT_VA","features":[30]},{"name":"BITLOCKER_FATAL_ERROR","features":[30]},{"name":"BLUETOOTH_ERROR_RECOVERY_LIVEDUMP","features":[30]},{"name":"BOOTING_IN_SAFEMODE_DSREPAIR","features":[30]},{"name":"BOOTING_IN_SAFEMODE_MINIMAL","features":[30]},{"name":"BOOTING_IN_SAFEMODE_NETWORK","features":[30]},{"name":"BOOTLOG_ENABLED","features":[30]},{"name":"BOOTLOG_LOADED","features":[30]},{"name":"BOOTLOG_NOT_LOADED","features":[30]},{"name":"BOOTPROC_INITIALIZATION_FAILED","features":[30]},{"name":"BOUND_IMAGE_UNSUPPORTED","features":[30]},{"name":"BREAKAWAY_CABLE_TRANSITION","features":[30]},{"name":"BUGCHECK_CONTEXT_MODIFIER","features":[30]},{"name":"BUGCHECK_ERROR","features":[30]},{"name":"BUGCODE_ID_DRIVER","features":[30]},{"name":"BUGCODE_MBBADAPTER_DRIVER","features":[30]},{"name":"BUGCODE_NDIS_DRIVER","features":[30]},{"name":"BUGCODE_NDIS_DRIVER_LIVE_DUMP","features":[30]},{"name":"BUGCODE_NETADAPTER_DRIVER","features":[30]},{"name":"BUGCODE_USB3_DRIVER","features":[30]},{"name":"BUGCODE_USB_DRIVER","features":[30]},{"name":"BUGCODE_WIFIADAPTER_DRIVER","features":[30]},{"name":"Beep","features":[1,30]},{"name":"BindExpandFileHeaders","features":[30]},{"name":"BindForwarder","features":[30]},{"name":"BindForwarder32","features":[30]},{"name":"BindForwarder64","features":[30]},{"name":"BindForwarderNOT","features":[30]},{"name":"BindForwarderNOT32","features":[30]},{"name":"BindForwarderNOT64","features":[30]},{"name":"BindImage","features":[1,30]},{"name":"BindImageComplete","features":[30]},{"name":"BindImageEx","features":[1,30]},{"name":"BindImageModified","features":[30]},{"name":"BindImportModule","features":[30]},{"name":"BindImportModuleFailed","features":[30]},{"name":"BindImportProcedure","features":[30]},{"name":"BindImportProcedure32","features":[30]},{"name":"BindImportProcedure64","features":[30]},{"name":"BindImportProcedureFailed","features":[30]},{"name":"BindMismatchedSymbols","features":[30]},{"name":"BindNoRoomInImage","features":[30]},{"name":"BindOutOfMemory","features":[30]},{"name":"BindRvaToVaFailed","features":[30]},{"name":"BindSymbolsNotUpdated","features":[30]},{"name":"CACHE_INITIALIZATION_FAILED","features":[30]},{"name":"CACHE_MANAGER","features":[30]},{"name":"CALL_HAS_NOT_RETURNED_WATCHDOG_TIMEOUT_LIVEDUMP","features":[30]},{"name":"CANCEL_STATE_IN_COMPLETED_IRP","features":[30]},{"name":"CANNOT_WRITE_CONFIGURATION","features":[30]},{"name":"CBA_CHECK_ARM_MACHINE_THUMB_TYPE_OVERRIDE","features":[30]},{"name":"CBA_CHECK_ENGOPT_DISALLOW_NETWORK_PATHS","features":[30]},{"name":"CBA_DEBUG_INFO","features":[30]},{"name":"CBA_DEFERRED_SYMBOL_LOAD_CANCEL","features":[30]},{"name":"CBA_DEFERRED_SYMBOL_LOAD_COMPLETE","features":[30]},{"name":"CBA_DEFERRED_SYMBOL_LOAD_FAILURE","features":[30]},{"name":"CBA_DEFERRED_SYMBOL_LOAD_PARTIAL","features":[30]},{"name":"CBA_DEFERRED_SYMBOL_LOAD_START","features":[30]},{"name":"CBA_DUPLICATE_SYMBOL","features":[30]},{"name":"CBA_ENGINE_PRESENT","features":[30]},{"name":"CBA_EVENT","features":[30]},{"name":"CBA_MAP_JIT_SYMBOL","features":[30]},{"name":"CBA_READ_MEMORY","features":[30]},{"name":"CBA_SET_OPTIONS","features":[30]},{"name":"CBA_SRCSRV_EVENT","features":[30]},{"name":"CBA_SRCSRV_INFO","features":[30]},{"name":"CBA_SYMBOLS_UNLOADED","features":[30]},{"name":"CBA_UPDATE_STATUS_BAR","features":[30]},{"name":"CBA_XML_LOG","features":[30]},{"name":"CDFS_FILE_SYSTEM","features":[30]},{"name":"CERT_PE_IMAGE_DIGEST_ALL_IMPORT_INFO","features":[30]},{"name":"CERT_PE_IMAGE_DIGEST_DEBUG_INFO","features":[30]},{"name":"CERT_PE_IMAGE_DIGEST_NON_PE_INFO","features":[30]},{"name":"CERT_PE_IMAGE_DIGEST_RESOURCES","features":[30]},{"name":"CERT_SECTION_TYPE_ANY","features":[30]},{"name":"CHECKSUM_MAPVIEW_FAILURE","features":[30]},{"name":"CHECKSUM_MAP_FAILURE","features":[30]},{"name":"CHECKSUM_OPEN_FAILURE","features":[30]},{"name":"CHECKSUM_SUCCESS","features":[30]},{"name":"CHECKSUM_UNICODE_FAILURE","features":[30]},{"name":"CHIPSET_DETECTED_ERROR","features":[30]},{"name":"CID_HANDLE_CREATION","features":[30]},{"name":"CID_HANDLE_DELETION","features":[30]},{"name":"CLOCK_WATCHDOG_TIMEOUT","features":[30]},{"name":"CLUSTER_CLUSPORT_STATUS_IO_TIMEOUT_LIVEDUMP","features":[30]},{"name":"CLUSTER_CSVFS_LIVEDUMP","features":[30]},{"name":"CLUSTER_CSV_CLUSSVC_DISCONNECT_WATCHDOG","features":[30]},{"name":"CLUSTER_CSV_CLUSTER_WATCHDOG_LIVEDUMP","features":[30]},{"name":"CLUSTER_CSV_SNAPSHOT_DEVICE_INFO_TIMEOUT_LIVEDUMP","features":[30]},{"name":"CLUSTER_CSV_STATE_TRANSITION_INTERVAL_TIMEOUT_LIVEDUMP","features":[30]},{"name":"CLUSTER_CSV_STATE_TRANSITION_TIMEOUT_LIVEDUMP","features":[30]},{"name":"CLUSTER_CSV_STATUS_IO_TIMEOUT_LIVEDUMP","features":[30]},{"name":"CLUSTER_CSV_VOLUME_ARRIVAL_LIVEDUMP","features":[30]},{"name":"CLUSTER_CSV_VOLUME_REMOVAL_LIVEDUMP","features":[30]},{"name":"CLUSTER_RESOURCE_CALL_TIMEOUT_LIVEDUMP","features":[30]},{"name":"CLUSTER_SVHDX_LIVEDUMP","features":[30]},{"name":"CNSS_FILE_SYSTEM_FILTER","features":[30]},{"name":"CONFIG_INITIALIZATION_FAILED","features":[30]},{"name":"CONFIG_LIST_FAILED","features":[30]},{"name":"CONNECTED_STANDBY_WATCHDOG_TIMEOUT_LIVEDUMP","features":[30]},{"name":"CONTEXT","features":[30,7]},{"name":"CONTEXT","features":[30,7]},{"name":"CONTEXT","features":[30,7]},{"name":"CONTEXT_ALL_AMD64","features":[30]},{"name":"CONTEXT_ALL_ARM","features":[30]},{"name":"CONTEXT_ALL_ARM64","features":[30]},{"name":"CONTEXT_ALL_X86","features":[30]},{"name":"CONTEXT_AMD64","features":[30]},{"name":"CONTEXT_ARM","features":[30]},{"name":"CONTEXT_ARM64","features":[30]},{"name":"CONTEXT_CONTROL_AMD64","features":[30]},{"name":"CONTEXT_CONTROL_ARM","features":[30]},{"name":"CONTEXT_CONTROL_ARM64","features":[30]},{"name":"CONTEXT_CONTROL_X86","features":[30]},{"name":"CONTEXT_DEBUG_REGISTERS_AMD64","features":[30]},{"name":"CONTEXT_DEBUG_REGISTERS_ARM","features":[30]},{"name":"CONTEXT_DEBUG_REGISTERS_ARM64","features":[30]},{"name":"CONTEXT_DEBUG_REGISTERS_X86","features":[30]},{"name":"CONTEXT_EXCEPTION_ACTIVE_AMD64","features":[30]},{"name":"CONTEXT_EXCEPTION_ACTIVE_ARM","features":[30]},{"name":"CONTEXT_EXCEPTION_ACTIVE_ARM64","features":[30]},{"name":"CONTEXT_EXCEPTION_ACTIVE_X86","features":[30]},{"name":"CONTEXT_EXCEPTION_REPORTING_AMD64","features":[30]},{"name":"CONTEXT_EXCEPTION_REPORTING_ARM","features":[30]},{"name":"CONTEXT_EXCEPTION_REPORTING_ARM64","features":[30]},{"name":"CONTEXT_EXCEPTION_REPORTING_X86","features":[30]},{"name":"CONTEXT_EXCEPTION_REQUEST_AMD64","features":[30]},{"name":"CONTEXT_EXCEPTION_REQUEST_ARM","features":[30]},{"name":"CONTEXT_EXCEPTION_REQUEST_ARM64","features":[30]},{"name":"CONTEXT_EXCEPTION_REQUEST_X86","features":[30]},{"name":"CONTEXT_EXTENDED_REGISTERS_X86","features":[30]},{"name":"CONTEXT_FLAGS","features":[30]},{"name":"CONTEXT_FLOATING_POINT_AMD64","features":[30]},{"name":"CONTEXT_FLOATING_POINT_ARM","features":[30]},{"name":"CONTEXT_FLOATING_POINT_ARM64","features":[30]},{"name":"CONTEXT_FLOATING_POINT_X86","features":[30]},{"name":"CONTEXT_FULL_AMD64","features":[30]},{"name":"CONTEXT_FULL_ARM","features":[30]},{"name":"CONTEXT_FULL_ARM64","features":[30]},{"name":"CONTEXT_FULL_X86","features":[30]},{"name":"CONTEXT_INTEGER_AMD64","features":[30]},{"name":"CONTEXT_INTEGER_ARM","features":[30]},{"name":"CONTEXT_INTEGER_ARM64","features":[30]},{"name":"CONTEXT_INTEGER_X86","features":[30]},{"name":"CONTEXT_KERNEL_CET_AMD64","features":[30]},{"name":"CONTEXT_KERNEL_DEBUGGER_AMD64","features":[30]},{"name":"CONTEXT_RET_TO_GUEST_ARM64","features":[30]},{"name":"CONTEXT_SEGMENTS_AMD64","features":[30]},{"name":"CONTEXT_SEGMENTS_X86","features":[30]},{"name":"CONTEXT_SERVICE_ACTIVE_AMD64","features":[30]},{"name":"CONTEXT_SERVICE_ACTIVE_ARM","features":[30]},{"name":"CONTEXT_SERVICE_ACTIVE_ARM64","features":[30]},{"name":"CONTEXT_SERVICE_ACTIVE_X86","features":[30]},{"name":"CONTEXT_UNWOUND_TO_CALL_AMD64","features":[30]},{"name":"CONTEXT_UNWOUND_TO_CALL_ARM","features":[30]},{"name":"CONTEXT_UNWOUND_TO_CALL_ARM64","features":[30]},{"name":"CONTEXT_X18_ARM64","features":[30]},{"name":"CONTEXT_X86","features":[30]},{"name":"CONTEXT_XSTATE_AMD64","features":[30]},{"name":"CONTEXT_XSTATE_X86","features":[30]},{"name":"COREMSGCALL_INTERNAL_ERROR","features":[30]},{"name":"COREMSG_INTERNAL_ERROR","features":[30]},{"name":"CORRUPT_ACCESS_TOKEN","features":[30]},{"name":"CPU_INFORMATION","features":[30]},{"name":"CRASHDUMP_WATCHDOG_TIMEOUT","features":[30]},{"name":"CREATE_DELETE_LOCK_NOT_LOCKED","features":[30]},{"name":"CREATE_PROCESS_DEBUG_EVENT","features":[30]},{"name":"CREATE_PROCESS_DEBUG_INFO","features":[1,30,37]},{"name":"CREATE_THREAD_DEBUG_EVENT","features":[30]},{"name":"CREATE_THREAD_DEBUG_INFO","features":[1,30,37]},{"name":"CRITICAL_INITIALIZATION_FAILURE","features":[30]},{"name":"CRITICAL_OBJECT_TERMINATION","features":[30]},{"name":"CRITICAL_PROCESS_DIED","features":[30]},{"name":"CRITICAL_SERVICE_FAILED","features":[30]},{"name":"CRITICAL_STRUCTURE_CORRUPTION","features":[30]},{"name":"CRYPTO_LIBRARY_INTERNAL_ERROR","features":[30]},{"name":"CRYPTO_SELF_TEST_FAILURE","features":[30]},{"name":"CancelCallback","features":[30]},{"name":"CheckRemoteDebuggerPresent","features":[1,30]},{"name":"CheckSumMappedFile","features":[30,32]},{"name":"CheckSumMappedFile","features":[30,32]},{"name":"CloseThreadWaitChainSession","features":[30]},{"name":"CommentStreamA","features":[30]},{"name":"CommentStreamW","features":[30]},{"name":"ContinueDebugEvent","features":[1,30]},{"name":"CopyContext","features":[1,30,7]},{"name":"DAM_WATCHDOG_TIMEOUT","features":[30]},{"name":"DATA_BUS_ERROR","features":[30]},{"name":"DATA_COHERENCY_EXCEPTION","features":[30]},{"name":"DBGHELP_DATA_REPORT_STRUCT","features":[30]},{"name":"DBGPROP_ATTRIB_ACCESS_FINAL","features":[30]},{"name":"DBGPROP_ATTRIB_ACCESS_PRIVATE","features":[30]},{"name":"DBGPROP_ATTRIB_ACCESS_PROTECTED","features":[30]},{"name":"DBGPROP_ATTRIB_ACCESS_PUBLIC","features":[30]},{"name":"DBGPROP_ATTRIB_FLAGS","features":[30]},{"name":"DBGPROP_ATTRIB_FRAME_INCATCHBLOCK","features":[30]},{"name":"DBGPROP_ATTRIB_FRAME_INFINALLYBLOCK","features":[30]},{"name":"DBGPROP_ATTRIB_FRAME_INTRYBLOCK","features":[30]},{"name":"DBGPROP_ATTRIB_HAS_EXTENDED_ATTRIBS","features":[30]},{"name":"DBGPROP_ATTRIB_NO_ATTRIB","features":[30]},{"name":"DBGPROP_ATTRIB_STORAGE_FIELD","features":[30]},{"name":"DBGPROP_ATTRIB_STORAGE_GLOBAL","features":[30]},{"name":"DBGPROP_ATTRIB_STORAGE_STATIC","features":[30]},{"name":"DBGPROP_ATTRIB_STORAGE_VIRTUAL","features":[30]},{"name":"DBGPROP_ATTRIB_TYPE_IS_CONSTANT","features":[30]},{"name":"DBGPROP_ATTRIB_TYPE_IS_SYNCHRONIZED","features":[30]},{"name":"DBGPROP_ATTRIB_TYPE_IS_VOLATILE","features":[30]},{"name":"DBGPROP_ATTRIB_VALUE_IS_EVENT","features":[30]},{"name":"DBGPROP_ATTRIB_VALUE_IS_EXPANDABLE","features":[30]},{"name":"DBGPROP_ATTRIB_VALUE_IS_FAKE","features":[30]},{"name":"DBGPROP_ATTRIB_VALUE_IS_INVALID","features":[30]},{"name":"DBGPROP_ATTRIB_VALUE_IS_METHOD","features":[30]},{"name":"DBGPROP_ATTRIB_VALUE_IS_RAW_STRING","features":[30]},{"name":"DBGPROP_ATTRIB_VALUE_IS_RETURN_VALUE","features":[30]},{"name":"DBGPROP_ATTRIB_VALUE_PENDING_MUTATION","features":[30]},{"name":"DBGPROP_ATTRIB_VALUE_READONLY","features":[30]},{"name":"DBGPROP_INFO","features":[30]},{"name":"DBGPROP_INFO_ATTRIBUTES","features":[30]},{"name":"DBGPROP_INFO_AUTOEXPAND","features":[30]},{"name":"DBGPROP_INFO_BEAUTIFY","features":[30]},{"name":"DBGPROP_INFO_CALLTOSTRING","features":[30]},{"name":"DBGPROP_INFO_DEBUGPROP","features":[30]},{"name":"DBGPROP_INFO_FULLNAME","features":[30]},{"name":"DBGPROP_INFO_NAME","features":[30]},{"name":"DBGPROP_INFO_TYPE","features":[30]},{"name":"DBGPROP_INFO_VALUE","features":[30]},{"name":"DBHHEADER_CVMISC","features":[30]},{"name":"DBHHEADER_DEBUGDIRS","features":[30]},{"name":"DBHHEADER_PDBGUID","features":[30]},{"name":"DEBUG_EVENT","features":[1,30,37]},{"name":"DEBUG_EVENT_CODE","features":[30]},{"name":"DEREF_UNKNOWN_LOGON_SESSION","features":[30]},{"name":"DEVICE_DIAGNOSTIC_LOG_LIVEDUMP","features":[30]},{"name":"DEVICE_QUEUE_NOT_BUSY","features":[30]},{"name":"DEVICE_REFERENCE_COUNT_NOT_ZERO","features":[30]},{"name":"DFSC_FILE_SYSTEM","features":[30]},{"name":"DFS_FILE_SYSTEM","features":[30]},{"name":"DIGEST_FUNCTION","features":[1,30]},{"name":"DIRECTED_FX_TRANSITION_LIVEDUMP","features":[30]},{"name":"DIRTY_MAPPED_PAGES_CONGESTION","features":[30]},{"name":"DIRTY_NOWRITE_PAGES_CONGESTION","features":[30]},{"name":"DISORDERLY_SHUTDOWN","features":[30]},{"name":"DISPATCHER_CONTEXT","features":[1,30,7]},{"name":"DISPATCHER_CONTEXT","features":[1,30,7]},{"name":"DMA_COMMON_BUFFER_VECTOR_ERROR","features":[30]},{"name":"DMP_CONTEXT_RECORD_SIZE_32","features":[30]},{"name":"DMP_CONTEXT_RECORD_SIZE_64","features":[30]},{"name":"DMP_HEADER_COMMENT_SIZE","features":[30]},{"name":"DMP_PHYSICAL_MEMORY_BLOCK_SIZE_32","features":[30]},{"name":"DMP_PHYSICAL_MEMORY_BLOCK_SIZE_64","features":[30]},{"name":"DMP_RESERVED_0_SIZE_32","features":[30]},{"name":"DMP_RESERVED_0_SIZE_64","features":[30]},{"name":"DMP_RESERVED_2_SIZE_32","features":[30]},{"name":"DMP_RESERVED_3_SIZE_32","features":[30]},{"name":"DPC_WATCHDOG_TIMEOUT","features":[30]},{"name":"DPC_WATCHDOG_VIOLATION","features":[30]},{"name":"DRIPS_SW_HW_DIVERGENCE_LIVEDUMP","features":[30]},{"name":"DRIVER_CAUGHT_MODIFYING_FREED_POOL","features":[30]},{"name":"DRIVER_CORRUPTED_EXPOOL","features":[30]},{"name":"DRIVER_CORRUPTED_MMPOOL","features":[30]},{"name":"DRIVER_CORRUPTED_SYSPTES","features":[30]},{"name":"DRIVER_INVALID_CRUNTIME_PARAMETER","features":[30]},{"name":"DRIVER_INVALID_STACK_ACCESS","features":[30]},{"name":"DRIVER_IRQL_NOT_LESS_OR_EQUAL","features":[30]},{"name":"DRIVER_LEFT_LOCKED_PAGES_IN_PROCESS","features":[30]},{"name":"DRIVER_OVERRAN_STACK_BUFFER","features":[30]},{"name":"DRIVER_PAGE_FAULT_BEYOND_END_OF_ALLOCATION","features":[30]},{"name":"DRIVER_PAGE_FAULT_BEYOND_END_OF_ALLOCATION_M","features":[30]},{"name":"DRIVER_PAGE_FAULT_IN_FREED_SPECIAL_POOL","features":[30]},{"name":"DRIVER_PNP_WATCHDOG","features":[30]},{"name":"DRIVER_PORTION_MUST_BE_NONPAGED","features":[30]},{"name":"DRIVER_POWER_STATE_FAILURE","features":[30]},{"name":"DRIVER_RETURNED_HOLDING_CANCEL_LOCK","features":[30]},{"name":"DRIVER_RETURNED_STATUS_REPARSE_FOR_VOLUME_OPEN","features":[30]},{"name":"DRIVER_UNLOADED_WITHOUT_CANCELLING_PENDING_OPERATIONS","features":[30]},{"name":"DRIVER_UNMAPPING_INVALID_VIEW","features":[30]},{"name":"DRIVER_USED_EXCESSIVE_PTES","features":[30]},{"name":"DRIVER_VERIFIER_DETECTED_VIOLATION","features":[30]},{"name":"DRIVER_VERIFIER_DETECTED_VIOLATION_LIVEDUMP","features":[30]},{"name":"DRIVER_VERIFIER_DMA_VIOLATION","features":[30]},{"name":"DRIVER_VERIFIER_IOMANAGER_VIOLATION","features":[30]},{"name":"DRIVER_VERIFIER_TRACKING_LIVE_DUMP","features":[30]},{"name":"DRIVER_VIOLATION","features":[30]},{"name":"DRIVE_EXTENDER","features":[30]},{"name":"DSLFLAG_MISMATCHED_DBG","features":[30]},{"name":"DSLFLAG_MISMATCHED_PDB","features":[30]},{"name":"DUMP_FILE_ATTRIBUTES","features":[30]},{"name":"DUMP_HEADER32","features":[1,30]},{"name":"DUMP_HEADER64","features":[1,30]},{"name":"DUMP_SUMMARY_VALID_CURRENT_USER_VA","features":[30]},{"name":"DUMP_SUMMARY_VALID_KERNEL_VA","features":[30]},{"name":"DUMP_TYPE","features":[30]},{"name":"DUMP_TYPE_AUTOMATIC","features":[30]},{"name":"DUMP_TYPE_BITMAP_FULL","features":[30]},{"name":"DUMP_TYPE_BITMAP_KERNEL","features":[30]},{"name":"DUMP_TYPE_FULL","features":[30]},{"name":"DUMP_TYPE_HEADER","features":[30]},{"name":"DUMP_TYPE_INVALID","features":[30]},{"name":"DUMP_TYPE_SUMMARY","features":[30]},{"name":"DUMP_TYPE_TRIAGE","features":[30]},{"name":"DUMP_TYPE_UNKNOWN","features":[30]},{"name":"DYNAMIC_ADD_PROCESSOR_MISMATCH","features":[30]},{"name":"DbgHelpCreateUserDump","features":[1,30]},{"name":"DbgHelpCreateUserDumpW","features":[1,30]},{"name":"DebugActiveProcess","features":[1,30]},{"name":"DebugActiveProcessStop","features":[1,30]},{"name":"DebugBreak","features":[30]},{"name":"DebugBreakProcess","features":[1,30]},{"name":"DebugPropertyInfo","features":[30]},{"name":"DebugSetProcessKillOnExit","features":[1,30]},{"name":"DecodePointer","features":[30]},{"name":"DecodeRemotePointer","features":[1,30]},{"name":"DecodeSystemPointer","features":[30]},{"name":"EFS_FATAL_ERROR","features":[30]},{"name":"ELAM_DRIVER_DETECTED_FATAL_ERROR","features":[30]},{"name":"EMPTY_THREAD_REAPER_LIST","features":[30]},{"name":"EM_INITIALIZATION_ERROR","features":[30]},{"name":"END_OF_NT_EVALUATION_PERIOD","features":[30]},{"name":"ERESOURCE_INVALID_RELEASE","features":[30]},{"name":"ERRATA_WORKAROUND_UNSUCCESSFUL","features":[30]},{"name":"ERROR_IMAGE_NOT_STRIPPED","features":[30]},{"name":"ERROR_NO_DBG_POINTER","features":[30]},{"name":"ERROR_NO_PDB_POINTER","features":[30]},{"name":"ESLFLAG_FULLPATH","features":[30]},{"name":"ESLFLAG_INLINE_SITE","features":[30]},{"name":"ESLFLAG_NEAREST","features":[30]},{"name":"ESLFLAG_NEXT","features":[30]},{"name":"ESLFLAG_PREV","features":[30]},{"name":"EVENT_SRCSPEW","features":[30]},{"name":"EVENT_SRCSPEW_END","features":[30]},{"name":"EVENT_SRCSPEW_START","features":[30]},{"name":"EVENT_TRACING_FATAL_ERROR","features":[30]},{"name":"EXCEPTION_CONTINUE_EXECUTION","features":[30]},{"name":"EXCEPTION_CONTINUE_SEARCH","features":[30]},{"name":"EXCEPTION_DEBUG_EVENT","features":[30]},{"name":"EXCEPTION_DEBUG_INFO","features":[1,30]},{"name":"EXCEPTION_EXECUTE_HANDLER","features":[30]},{"name":"EXCEPTION_ON_INVALID_STACK","features":[30]},{"name":"EXCEPTION_POINTERS","features":[1,30,7]},{"name":"EXCEPTION_RECORD","features":[1,30]},{"name":"EXCEPTION_RECORD32","features":[1,30]},{"name":"EXCEPTION_RECORD64","features":[1,30]},{"name":"EXCEPTION_SCOPE_INVALID","features":[30]},{"name":"EXFAT_FILE_SYSTEM","features":[30]},{"name":"EXIT_PROCESS_DEBUG_EVENT","features":[30]},{"name":"EXIT_PROCESS_DEBUG_INFO","features":[30]},{"name":"EXIT_THREAD_DEBUG_EVENT","features":[30]},{"name":"EXIT_THREAD_DEBUG_INFO","features":[30]},{"name":"EXRESOURCE_TIMEOUT_LIVEDUMP","features":[30]},{"name":"EXT_OUTPUT_VER","features":[30]},{"name":"EX_PROP_INFO_DEBUGEXTPROP","features":[30]},{"name":"EX_PROP_INFO_FLAGS","features":[30]},{"name":"EX_PROP_INFO_ID","features":[30]},{"name":"EX_PROP_INFO_LOCKBYTES","features":[30]},{"name":"EX_PROP_INFO_NTYPE","features":[30]},{"name":"EX_PROP_INFO_NVALUE","features":[30]},{"name":"EncodePointer","features":[30]},{"name":"EncodeRemotePointer","features":[1,30]},{"name":"EncodeSystemPointer","features":[30]},{"name":"EnumDirTree","features":[1,30]},{"name":"EnumDirTreeW","features":[1,30]},{"name":"EnumerateLoadedModules","features":[1,30]},{"name":"EnumerateLoadedModules64","features":[1,30]},{"name":"EnumerateLoadedModulesEx","features":[1,30]},{"name":"EnumerateLoadedModulesExW","features":[1,30]},{"name":"EnumerateLoadedModulesW64","features":[1,30]},{"name":"ExceptionStream","features":[30]},{"name":"ExtendedDebugPropertyInfo","features":[1,41,30,42]},{"name":"FACILITY_AAF","features":[30]},{"name":"FACILITY_ACCELERATOR","features":[30]},{"name":"FACILITY_ACS","features":[30]},{"name":"FACILITY_ACTION_QUEUE","features":[30]},{"name":"FACILITY_AUDCLNT","features":[30]},{"name":"FACILITY_AUDIO","features":[30]},{"name":"FACILITY_AUDIOSTREAMING","features":[30]},{"name":"FACILITY_BACKGROUNDCOPY","features":[30]},{"name":"FACILITY_BCD","features":[30]},{"name":"FACILITY_BLB","features":[30]},{"name":"FACILITY_BLBUI","features":[30]},{"name":"FACILITY_BLB_CLI","features":[30]},{"name":"FACILITY_BLUETOOTH_ATT","features":[30]},{"name":"FACILITY_CERT","features":[30]},{"name":"FACILITY_CMI","features":[30]},{"name":"FACILITY_CODE","features":[30]},{"name":"FACILITY_COMPLUS","features":[30]},{"name":"FACILITY_CONFIGURATION","features":[30]},{"name":"FACILITY_CONTROL","features":[30]},{"name":"FACILITY_DAF","features":[30]},{"name":"FACILITY_DEBUGGERS","features":[30]},{"name":"FACILITY_DEFRAG","features":[30]},{"name":"FACILITY_DELIVERY_OPTIMIZATION","features":[30]},{"name":"FACILITY_DEPLOYMENT_SERVICES_BINLSVC","features":[30]},{"name":"FACILITY_DEPLOYMENT_SERVICES_CONTENT_PROVIDER","features":[30]},{"name":"FACILITY_DEPLOYMENT_SERVICES_DRIVER_PROVISIONING","features":[30]},{"name":"FACILITY_DEPLOYMENT_SERVICES_IMAGING","features":[30]},{"name":"FACILITY_DEPLOYMENT_SERVICES_MANAGEMENT","features":[30]},{"name":"FACILITY_DEPLOYMENT_SERVICES_MULTICAST_CLIENT","features":[30]},{"name":"FACILITY_DEPLOYMENT_SERVICES_MULTICAST_SERVER","features":[30]},{"name":"FACILITY_DEPLOYMENT_SERVICES_PXE","features":[30]},{"name":"FACILITY_DEPLOYMENT_SERVICES_SERVER","features":[30]},{"name":"FACILITY_DEPLOYMENT_SERVICES_TFTP","features":[30]},{"name":"FACILITY_DEPLOYMENT_SERVICES_TRANSPORT_MANAGEMENT","features":[30]},{"name":"FACILITY_DEPLOYMENT_SERVICES_UTIL","features":[30]},{"name":"FACILITY_DEVICE_UPDATE_AGENT","features":[30]},{"name":"FACILITY_DIRECT2D","features":[30]},{"name":"FACILITY_DIRECT3D10","features":[30]},{"name":"FACILITY_DIRECT3D11","features":[30]},{"name":"FACILITY_DIRECT3D11_DEBUG","features":[30]},{"name":"FACILITY_DIRECT3D12","features":[30]},{"name":"FACILITY_DIRECT3D12_DEBUG","features":[30]},{"name":"FACILITY_DIRECTMUSIC","features":[30]},{"name":"FACILITY_DIRECTORYSERVICE","features":[30]},{"name":"FACILITY_DISPATCH","features":[30]},{"name":"FACILITY_DLS","features":[30]},{"name":"FACILITY_DMSERVER","features":[30]},{"name":"FACILITY_DPLAY","features":[30]},{"name":"FACILITY_DRVSERVICING","features":[30]},{"name":"FACILITY_DXCORE","features":[30]},{"name":"FACILITY_DXGI","features":[30]},{"name":"FACILITY_DXGI_DDI","features":[30]},{"name":"FACILITY_EAP","features":[30]},{"name":"FACILITY_EAS","features":[30]},{"name":"FACILITY_FVE","features":[30]},{"name":"FACILITY_FWP","features":[30]},{"name":"FACILITY_GAME","features":[30]},{"name":"FACILITY_GRAPHICS","features":[30]},{"name":"FACILITY_HSP_SERVICES","features":[30]},{"name":"FACILITY_HSP_SOFTWARE","features":[30]},{"name":"FACILITY_HTTP","features":[30]},{"name":"FACILITY_INPUT","features":[30]},{"name":"FACILITY_INTERNET","features":[30]},{"name":"FACILITY_IORING","features":[30]},{"name":"FACILITY_ITF","features":[30]},{"name":"FACILITY_JSCRIPT","features":[30]},{"name":"FACILITY_LEAP","features":[30]},{"name":"FACILITY_LINGUISTIC_SERVICES","features":[30]},{"name":"FACILITY_MBN","features":[30]},{"name":"FACILITY_MEDIASERVER","features":[30]},{"name":"FACILITY_METADIRECTORY","features":[30]},{"name":"FACILITY_MOBILE","features":[30]},{"name":"FACILITY_MSMQ","features":[30]},{"name":"FACILITY_NAP","features":[30]},{"name":"FACILITY_NDIS","features":[30]},{"name":"FACILITY_NT_BIT","features":[30]},{"name":"FACILITY_NULL","features":[30]},{"name":"FACILITY_OCP_UPDATE_AGENT","features":[30]},{"name":"FACILITY_ONLINE_ID","features":[30]},{"name":"FACILITY_OPC","features":[30]},{"name":"FACILITY_P2P","features":[30]},{"name":"FACILITY_P2P_INT","features":[30]},{"name":"FACILITY_PARSE","features":[30]},{"name":"FACILITY_PIDGENX","features":[30]},{"name":"FACILITY_PIX","features":[30]},{"name":"FACILITY_PLA","features":[30]},{"name":"FACILITY_POWERSHELL","features":[30]},{"name":"FACILITY_PRESENTATION","features":[30]},{"name":"FACILITY_QUIC","features":[30]},{"name":"FACILITY_RAS","features":[30]},{"name":"FACILITY_RESTORE","features":[30]},{"name":"FACILITY_RPC","features":[30]},{"name":"FACILITY_SCARD","features":[30]},{"name":"FACILITY_SCRIPT","features":[30]},{"name":"FACILITY_SDIAG","features":[30]},{"name":"FACILITY_SECURITY","features":[30]},{"name":"FACILITY_SERVICE_FABRIC","features":[30]},{"name":"FACILITY_SETUPAPI","features":[30]},{"name":"FACILITY_SHELL","features":[30]},{"name":"FACILITY_SOS","features":[30]},{"name":"FACILITY_SPP","features":[30]},{"name":"FACILITY_SQLITE","features":[30]},{"name":"FACILITY_SSPI","features":[30]},{"name":"FACILITY_STATEREPOSITORY","features":[30]},{"name":"FACILITY_STATE_MANAGEMENT","features":[30]},{"name":"FACILITY_STORAGE","features":[30]},{"name":"FACILITY_SXS","features":[30]},{"name":"FACILITY_SYNCENGINE","features":[30]},{"name":"FACILITY_TIERING","features":[30]},{"name":"FACILITY_TPM_SERVICES","features":[30]},{"name":"FACILITY_TPM_SOFTWARE","features":[30]},{"name":"FACILITY_TTD","features":[30]},{"name":"FACILITY_UI","features":[30]},{"name":"FACILITY_UMI","features":[30]},{"name":"FACILITY_URT","features":[30]},{"name":"FACILITY_USERMODE_COMMONLOG","features":[30]},{"name":"FACILITY_USERMODE_FILTER_MANAGER","features":[30]},{"name":"FACILITY_USERMODE_HNS","features":[30]},{"name":"FACILITY_USERMODE_HYPERVISOR","features":[30]},{"name":"FACILITY_USERMODE_LICENSING","features":[30]},{"name":"FACILITY_USERMODE_SDBUS","features":[30]},{"name":"FACILITY_USERMODE_SPACES","features":[30]},{"name":"FACILITY_USERMODE_VHD","features":[30]},{"name":"FACILITY_USERMODE_VIRTUALIZATION","features":[30]},{"name":"FACILITY_USERMODE_VOLMGR","features":[30]},{"name":"FACILITY_USERMODE_VOLSNAP","features":[30]},{"name":"FACILITY_USER_MODE_SECURITY_CORE","features":[30]},{"name":"FACILITY_USN","features":[30]},{"name":"FACILITY_UTC","features":[30]},{"name":"FACILITY_VISUALCPP","features":[30]},{"name":"FACILITY_WEB","features":[30]},{"name":"FACILITY_WEBSERVICES","features":[30]},{"name":"FACILITY_WEB_SOCKET","features":[30]},{"name":"FACILITY_WEP","features":[30]},{"name":"FACILITY_WER","features":[30]},{"name":"FACILITY_WIA","features":[30]},{"name":"FACILITY_WIN32","features":[30]},{"name":"FACILITY_WINCODEC_DWRITE_DWM","features":[30]},{"name":"FACILITY_WINDOWS","features":[30]},{"name":"FACILITY_WINDOWSUPDATE","features":[30]},{"name":"FACILITY_WINDOWS_CE","features":[30]},{"name":"FACILITY_WINDOWS_DEFENDER","features":[30]},{"name":"FACILITY_WINDOWS_SETUP","features":[30]},{"name":"FACILITY_WINDOWS_STORE","features":[30]},{"name":"FACILITY_WINML","features":[30]},{"name":"FACILITY_WINPE","features":[30]},{"name":"FACILITY_WINRM","features":[30]},{"name":"FACILITY_WMAAECMA","features":[30]},{"name":"FACILITY_WPN","features":[30]},{"name":"FACILITY_WSBAPP","features":[30]},{"name":"FACILITY_WSB_ONLINE","features":[30]},{"name":"FACILITY_XAML","features":[30]},{"name":"FACILITY_XBOX","features":[30]},{"name":"FACILITY_XPS","features":[30]},{"name":"FAST_ERESOURCE_PRECONDITION_VIOLATION","features":[30]},{"name":"FATAL_ABNORMAL_RESET_ERROR","features":[30]},{"name":"FATAL_UNHANDLED_HARD_ERROR","features":[30]},{"name":"FAT_FILE_SYSTEM","features":[30]},{"name":"FAULTY_HARDWARE_CORRUPTED_PAGE","features":[30]},{"name":"FILE_INITIALIZATION_FAILED","features":[30]},{"name":"FILE_SYSTEM","features":[30]},{"name":"FLAG_ENGINE_PRESENT","features":[30]},{"name":"FLAG_ENGOPT_DISALLOW_NETWORK_PATHS","features":[30]},{"name":"FLAG_OVERRIDE_ARM_MACHINE_TYPE","features":[30]},{"name":"FLOPPY_INTERNAL_ERROR","features":[30]},{"name":"FLTMGR_FILE_SYSTEM","features":[30]},{"name":"FORMAT_MESSAGE_ALLOCATE_BUFFER","features":[30]},{"name":"FORMAT_MESSAGE_ARGUMENT_ARRAY","features":[30]},{"name":"FORMAT_MESSAGE_FROM_HMODULE","features":[30]},{"name":"FORMAT_MESSAGE_FROM_STRING","features":[30]},{"name":"FORMAT_MESSAGE_FROM_SYSTEM","features":[30]},{"name":"FORMAT_MESSAGE_IGNORE_INSERTS","features":[30]},{"name":"FORMAT_MESSAGE_OPTIONS","features":[30]},{"name":"FPO_DATA","features":[30]},{"name":"FP_EMULATION_ERROR","features":[30]},{"name":"FSRTL_EXTRA_CREATE_PARAMETER_VIOLATION","features":[30]},{"name":"FatalAppExitA","features":[30]},{"name":"FatalAppExitW","features":[30]},{"name":"FatalExit","features":[30]},{"name":"FindDebugInfoFile","features":[1,30]},{"name":"FindDebugInfoFileEx","features":[1,30]},{"name":"FindDebugInfoFileExW","features":[1,30]},{"name":"FindExecutableImage","features":[1,30]},{"name":"FindExecutableImageEx","features":[1,30]},{"name":"FindExecutableImageExW","features":[1,30]},{"name":"FindFileInPath","features":[1,30]},{"name":"FindFileInSearchPath","features":[1,30]},{"name":"FlushInstructionCache","features":[1,30]},{"name":"FormatMessageA","features":[30]},{"name":"FormatMessageW","features":[30]},{"name":"FunctionTableStream","features":[30]},{"name":"GPIO_CONTROLLER_DRIVER_ERROR","features":[30]},{"name":"GetEnabledXStateFeatures","features":[30]},{"name":"GetErrorMode","features":[30]},{"name":"GetImageConfigInformation","features":[1,30,7,32]},{"name":"GetImageConfigInformation","features":[1,30,7,32]},{"name":"GetImageUnusedHeaderBytes","features":[1,30,7,32]},{"name":"GetSymLoadError","features":[30]},{"name":"GetThreadContext","features":[1,30,7]},{"name":"GetThreadErrorMode","features":[30]},{"name":"GetThreadSelectorEntry","features":[1,30]},{"name":"GetThreadWaitChain","features":[1,30]},{"name":"GetTimestampForLoadedLibrary","features":[1,30]},{"name":"GetXStateFeaturesMask","features":[1,30,7]},{"name":"HAL1_INITIALIZATION_FAILED","features":[30]},{"name":"HAL_BLOCKED_PROCESSOR_INTERNAL_ERROR","features":[30]},{"name":"HAL_ILLEGAL_IOMMU_PAGE_FAULT","features":[30]},{"name":"HAL_INITIALIZATION_FAILED","features":[30]},{"name":"HAL_IOMMU_INTERNAL_ERROR","features":[30]},{"name":"HAL_MEMORY_ALLOCATION","features":[30]},{"name":"HANDLE_ERROR_ON_CRITICAL_THREAD","features":[30]},{"name":"HANDLE_LIVE_DUMP","features":[30]},{"name":"HARDWARE_INTERRUPT_STORM","features":[30]},{"name":"HARDWARE_PROFILE_DOCKED_STRING","features":[30]},{"name":"HARDWARE_PROFILE_UNDOCKED_STRING","features":[30]},{"name":"HARDWARE_PROFILE_UNKNOWN_STRING","features":[30]},{"name":"HARDWARE_WATCHDOG_TIMEOUT","features":[30]},{"name":"HTTP_DRIVER_CORRUPTED","features":[30]},{"name":"HYPERGUARD_INITIALIZATION_FAILURE","features":[30]},{"name":"HYPERGUARD_VIOLATION","features":[30]},{"name":"HYPERVISOR_ERROR","features":[30]},{"name":"HandleDataStream","features":[30]},{"name":"HandleOperationListStream","features":[30]},{"name":"IDebugExtendedProperty","features":[30]},{"name":"IDebugProperty","features":[30]},{"name":"IDebugPropertyEnumType_All","features":[30]},{"name":"IDebugPropertyEnumType_Arguments","features":[30]},{"name":"IDebugPropertyEnumType_Locals","features":[30]},{"name":"IDebugPropertyEnumType_LocalsPlusArgs","features":[30]},{"name":"IDebugPropertyEnumType_Registers","features":[30]},{"name":"IEnumDebugExtendedPropertyInfo","features":[30]},{"name":"IEnumDebugPropertyInfo","features":[30]},{"name":"ILLEGAL_ATS_INITIALIZATION","features":[30]},{"name":"ILLEGAL_IOMMU_PAGE_FAULT","features":[30]},{"name":"IMAGEHLP_CBA_EVENT","features":[30]},{"name":"IMAGEHLP_CBA_EVENTW","features":[30]},{"name":"IMAGEHLP_CBA_EVENT_SEVERITY","features":[30]},{"name":"IMAGEHLP_CBA_READ_MEMORY","features":[30]},{"name":"IMAGEHLP_DEFERRED_SYMBOL_LOAD","features":[1,30]},{"name":"IMAGEHLP_DEFERRED_SYMBOL_LOAD64","features":[1,30]},{"name":"IMAGEHLP_DEFERRED_SYMBOL_LOADW64","features":[1,30]},{"name":"IMAGEHLP_DUPLICATE_SYMBOL","features":[30]},{"name":"IMAGEHLP_DUPLICATE_SYMBOL64","features":[30]},{"name":"IMAGEHLP_EXTENDED_OPTIONS","features":[30]},{"name":"IMAGEHLP_GET_TYPE_INFO_CHILDREN","features":[30]},{"name":"IMAGEHLP_GET_TYPE_INFO_FLAGS","features":[30]},{"name":"IMAGEHLP_GET_TYPE_INFO_PARAMS","features":[30]},{"name":"IMAGEHLP_GET_TYPE_INFO_UNCACHED","features":[30]},{"name":"IMAGEHLP_HD_TYPE","features":[30]},{"name":"IMAGEHLP_JIT_SYMBOLMAP","features":[30]},{"name":"IMAGEHLP_LINE","features":[30]},{"name":"IMAGEHLP_LINE64","features":[30]},{"name":"IMAGEHLP_LINEW","features":[30]},{"name":"IMAGEHLP_LINEW64","features":[30]},{"name":"IMAGEHLP_MODULE","features":[30]},{"name":"IMAGEHLP_MODULE64","features":[1,30]},{"name":"IMAGEHLP_MODULE64_EX","features":[1,30]},{"name":"IMAGEHLP_MODULEW","features":[30]},{"name":"IMAGEHLP_MODULEW64","features":[1,30]},{"name":"IMAGEHLP_MODULEW64_EX","features":[1,30]},{"name":"IMAGEHLP_MODULE_REGION_ADDITIONAL","features":[30]},{"name":"IMAGEHLP_MODULE_REGION_ALL","features":[30]},{"name":"IMAGEHLP_MODULE_REGION_DLLBASE","features":[30]},{"name":"IMAGEHLP_MODULE_REGION_DLLRANGE","features":[30]},{"name":"IMAGEHLP_MODULE_REGION_JIT","features":[30]},{"name":"IMAGEHLP_RMAP_BIG_ENDIAN","features":[30]},{"name":"IMAGEHLP_RMAP_FIXUP_ARM64X","features":[30]},{"name":"IMAGEHLP_RMAP_FIXUP_IMAGEBASE","features":[30]},{"name":"IMAGEHLP_RMAP_IGNORE_MISCOMPARE","features":[30]},{"name":"IMAGEHLP_RMAP_LOAD_RW_DATA_SECTIONS","features":[30]},{"name":"IMAGEHLP_RMAP_MAPPED_FLAT","features":[30]},{"name":"IMAGEHLP_RMAP_OMIT_SHARED_RW_DATA_SECTIONS","features":[30]},{"name":"IMAGEHLP_SF_TYPE","features":[30]},{"name":"IMAGEHLP_STACK_FRAME","features":[1,30]},{"name":"IMAGEHLP_STATUS_REASON","features":[30]},{"name":"IMAGEHLP_SYMBOL","features":[30]},{"name":"IMAGEHLP_SYMBOL64","features":[30]},{"name":"IMAGEHLP_SYMBOL64_PACKAGE","features":[30]},{"name":"IMAGEHLP_SYMBOLW","features":[30]},{"name":"IMAGEHLP_SYMBOLW64","features":[30]},{"name":"IMAGEHLP_SYMBOLW64_PACKAGE","features":[30]},{"name":"IMAGEHLP_SYMBOLW_PACKAGE","features":[30]},{"name":"IMAGEHLP_SYMBOL_FUNCTION","features":[30]},{"name":"IMAGEHLP_SYMBOL_INFO_CONSTANT","features":[30]},{"name":"IMAGEHLP_SYMBOL_INFO_FRAMERELATIVE","features":[30]},{"name":"IMAGEHLP_SYMBOL_INFO_LOCAL","features":[30]},{"name":"IMAGEHLP_SYMBOL_INFO_PARAMETER","features":[30]},{"name":"IMAGEHLP_SYMBOL_INFO_REGISTER","features":[30]},{"name":"IMAGEHLP_SYMBOL_INFO_REGRELATIVE","features":[30]},{"name":"IMAGEHLP_SYMBOL_INFO_TLSRELATIVE","features":[30]},{"name":"IMAGEHLP_SYMBOL_INFO_VALUEPRESENT","features":[30]},{"name":"IMAGEHLP_SYMBOL_PACKAGE","features":[30]},{"name":"IMAGEHLP_SYMBOL_SRC","features":[30]},{"name":"IMAGEHLP_SYMBOL_THUNK","features":[30]},{"name":"IMAGEHLP_SYMBOL_TYPE_INFO","features":[30]},{"name":"IMAGEHLP_SYMBOL_TYPE_INFO_MAX","features":[30]},{"name":"IMAGEHLP_SYMBOL_VIRTUAL","features":[30]},{"name":"IMAGE_ARM64_RUNTIME_FUNCTION_ENTRY","features":[30]},{"name":"IMAGE_COFF_SYMBOLS_HEADER","features":[30]},{"name":"IMAGE_COR20_HEADER","features":[30]},{"name":"IMAGE_DATA_DIRECTORY","features":[30]},{"name":"IMAGE_DEBUG_DIRECTORY","features":[30]},{"name":"IMAGE_DEBUG_INFORMATION","features":[1,30,7]},{"name":"IMAGE_DEBUG_TYPE","features":[30]},{"name":"IMAGE_DEBUG_TYPE_BORLAND","features":[30]},{"name":"IMAGE_DEBUG_TYPE_CODEVIEW","features":[30]},{"name":"IMAGE_DEBUG_TYPE_COFF","features":[30]},{"name":"IMAGE_DEBUG_TYPE_EXCEPTION","features":[30]},{"name":"IMAGE_DEBUG_TYPE_FIXUP","features":[30]},{"name":"IMAGE_DEBUG_TYPE_FPO","features":[30]},{"name":"IMAGE_DEBUG_TYPE_MISC","features":[30]},{"name":"IMAGE_DEBUG_TYPE_UNKNOWN","features":[30]},{"name":"IMAGE_DIRECTORY_ENTRY","features":[30]},{"name":"IMAGE_DIRECTORY_ENTRY_ARCHITECTURE","features":[30]},{"name":"IMAGE_DIRECTORY_ENTRY_BASERELOC","features":[30]},{"name":"IMAGE_DIRECTORY_ENTRY_BOUND_IMPORT","features":[30]},{"name":"IMAGE_DIRECTORY_ENTRY_COM_DESCRIPTOR","features":[30]},{"name":"IMAGE_DIRECTORY_ENTRY_DEBUG","features":[30]},{"name":"IMAGE_DIRECTORY_ENTRY_DELAY_IMPORT","features":[30]},{"name":"IMAGE_DIRECTORY_ENTRY_EXCEPTION","features":[30]},{"name":"IMAGE_DIRECTORY_ENTRY_EXPORT","features":[30]},{"name":"IMAGE_DIRECTORY_ENTRY_GLOBALPTR","features":[30]},{"name":"IMAGE_DIRECTORY_ENTRY_IAT","features":[30]},{"name":"IMAGE_DIRECTORY_ENTRY_IMPORT","features":[30]},{"name":"IMAGE_DIRECTORY_ENTRY_LOAD_CONFIG","features":[30]},{"name":"IMAGE_DIRECTORY_ENTRY_RESOURCE","features":[30]},{"name":"IMAGE_DIRECTORY_ENTRY_SECURITY","features":[30]},{"name":"IMAGE_DIRECTORY_ENTRY_TLS","features":[30]},{"name":"IMAGE_DLLCHARACTERISTICS_APPCONTAINER","features":[30]},{"name":"IMAGE_DLLCHARACTERISTICS_DYNAMIC_BASE","features":[30]},{"name":"IMAGE_DLLCHARACTERISTICS_EX_CET_COMPAT","features":[30]},{"name":"IMAGE_DLLCHARACTERISTICS_EX_CET_COMPAT_STRICT_MODE","features":[30]},{"name":"IMAGE_DLLCHARACTERISTICS_EX_CET_DYNAMIC_APIS_ALLOW_IN_PROC","features":[30]},{"name":"IMAGE_DLLCHARACTERISTICS_EX_CET_RESERVED_1","features":[30]},{"name":"IMAGE_DLLCHARACTERISTICS_EX_CET_RESERVED_2","features":[30]},{"name":"IMAGE_DLLCHARACTERISTICS_EX_CET_SET_CONTEXT_IP_VALIDATION_RELAXED_MODE","features":[30]},{"name":"IMAGE_DLLCHARACTERISTICS_FORCE_INTEGRITY","features":[30]},{"name":"IMAGE_DLLCHARACTERISTICS_GUARD_CF","features":[30]},{"name":"IMAGE_DLLCHARACTERISTICS_HIGH_ENTROPY_VA","features":[30]},{"name":"IMAGE_DLLCHARACTERISTICS_NO_BIND","features":[30]},{"name":"IMAGE_DLLCHARACTERISTICS_NO_ISOLATION","features":[30]},{"name":"IMAGE_DLLCHARACTERISTICS_NO_SEH","features":[30]},{"name":"IMAGE_DLLCHARACTERISTICS_NX_COMPAT","features":[30]},{"name":"IMAGE_DLLCHARACTERISTICS_TERMINAL_SERVER_AWARE","features":[30]},{"name":"IMAGE_DLLCHARACTERISTICS_WDM_DRIVER","features":[30]},{"name":"IMAGE_DLL_CHARACTERISTICS","features":[30]},{"name":"IMAGE_FILE_32BIT_MACHINE","features":[30]},{"name":"IMAGE_FILE_32BIT_MACHINE2","features":[30]},{"name":"IMAGE_FILE_AGGRESIVE_WS_TRIM","features":[30]},{"name":"IMAGE_FILE_AGGRESIVE_WS_TRIM2","features":[30]},{"name":"IMAGE_FILE_BYTES_REVERSED_HI","features":[30]},{"name":"IMAGE_FILE_BYTES_REVERSED_HI_2","features":[30]},{"name":"IMAGE_FILE_BYTES_REVERSED_LO","features":[30]},{"name":"IMAGE_FILE_BYTES_REVERSED_LO2","features":[30]},{"name":"IMAGE_FILE_CHARACTERISTICS","features":[30]},{"name":"IMAGE_FILE_CHARACTERISTICS2","features":[30]},{"name":"IMAGE_FILE_DEBUG_STRIPPED","features":[30]},{"name":"IMAGE_FILE_DEBUG_STRIPPED2","features":[30]},{"name":"IMAGE_FILE_DLL","features":[30]},{"name":"IMAGE_FILE_DLL_2","features":[30]},{"name":"IMAGE_FILE_EXECUTABLE_IMAGE","features":[30]},{"name":"IMAGE_FILE_EXECUTABLE_IMAGE2","features":[30]},{"name":"IMAGE_FILE_HEADER","features":[30,32]},{"name":"IMAGE_FILE_LARGE_ADDRESS_AWARE","features":[30]},{"name":"IMAGE_FILE_LARGE_ADDRESS_AWARE2","features":[30]},{"name":"IMAGE_FILE_LINE_NUMS_STRIPPED","features":[30]},{"name":"IMAGE_FILE_LINE_NUMS_STRIPPED2","features":[30]},{"name":"IMAGE_FILE_LOCAL_SYMS_STRIPPED","features":[30]},{"name":"IMAGE_FILE_LOCAL_SYMS_STRIPPED2","features":[30]},{"name":"IMAGE_FILE_NET_RUN_FROM_SWAP","features":[30]},{"name":"IMAGE_FILE_NET_RUN_FROM_SWAP2","features":[30]},{"name":"IMAGE_FILE_RELOCS_STRIPPED","features":[30]},{"name":"IMAGE_FILE_RELOCS_STRIPPED2","features":[30]},{"name":"IMAGE_FILE_REMOVABLE_RUN_FROM_SWAP","features":[30]},{"name":"IMAGE_FILE_REMOVABLE_RUN_FROM_SWAP2","features":[30]},{"name":"IMAGE_FILE_SYSTEM","features":[30]},{"name":"IMAGE_FILE_SYSTEM_2","features":[30]},{"name":"IMAGE_FILE_UP_SYSTEM_ONLY","features":[30]},{"name":"IMAGE_FILE_UP_SYSTEM_ONLY_2","features":[30]},{"name":"IMAGE_FUNCTION_ENTRY","features":[30]},{"name":"IMAGE_FUNCTION_ENTRY64","features":[30]},{"name":"IMAGE_LOAD_CONFIG_CODE_INTEGRITY","features":[30]},{"name":"IMAGE_LOAD_CONFIG_DIRECTORY32","features":[30]},{"name":"IMAGE_LOAD_CONFIG_DIRECTORY64","features":[30]},{"name":"IMAGE_NT_HEADERS32","features":[30,32]},{"name":"IMAGE_NT_HEADERS64","features":[30,32]},{"name":"IMAGE_NT_OPTIONAL_HDR32_MAGIC","features":[30]},{"name":"IMAGE_NT_OPTIONAL_HDR64_MAGIC","features":[30]},{"name":"IMAGE_NT_OPTIONAL_HDR_MAGIC","features":[30]},{"name":"IMAGE_OPTIONAL_HEADER32","features":[30]},{"name":"IMAGE_OPTIONAL_HEADER64","features":[30]},{"name":"IMAGE_OPTIONAL_HEADER_MAGIC","features":[30]},{"name":"IMAGE_ROM_HEADERS","features":[30,32]},{"name":"IMAGE_ROM_OPTIONAL_HDR_MAGIC","features":[30]},{"name":"IMAGE_ROM_OPTIONAL_HEADER","features":[30]},{"name":"IMAGE_RUNTIME_FUNCTION_ENTRY","features":[30]},{"name":"IMAGE_SCN_ALIGN_1024BYTES","features":[30]},{"name":"IMAGE_SCN_ALIGN_128BYTES","features":[30]},{"name":"IMAGE_SCN_ALIGN_16BYTES","features":[30]},{"name":"IMAGE_SCN_ALIGN_1BYTES","features":[30]},{"name":"IMAGE_SCN_ALIGN_2048BYTES","features":[30]},{"name":"IMAGE_SCN_ALIGN_256BYTES","features":[30]},{"name":"IMAGE_SCN_ALIGN_2BYTES","features":[30]},{"name":"IMAGE_SCN_ALIGN_32BYTES","features":[30]},{"name":"IMAGE_SCN_ALIGN_4096BYTES","features":[30]},{"name":"IMAGE_SCN_ALIGN_4BYTES","features":[30]},{"name":"IMAGE_SCN_ALIGN_512BYTES","features":[30]},{"name":"IMAGE_SCN_ALIGN_64BYTES","features":[30]},{"name":"IMAGE_SCN_ALIGN_8192BYTES","features":[30]},{"name":"IMAGE_SCN_ALIGN_8BYTES","features":[30]},{"name":"IMAGE_SCN_ALIGN_MASK","features":[30]},{"name":"IMAGE_SCN_CNT_CODE","features":[30]},{"name":"IMAGE_SCN_CNT_INITIALIZED_DATA","features":[30]},{"name":"IMAGE_SCN_CNT_UNINITIALIZED_DATA","features":[30]},{"name":"IMAGE_SCN_GPREL","features":[30]},{"name":"IMAGE_SCN_LNK_COMDAT","features":[30]},{"name":"IMAGE_SCN_LNK_INFO","features":[30]},{"name":"IMAGE_SCN_LNK_NRELOC_OVFL","features":[30]},{"name":"IMAGE_SCN_LNK_OTHER","features":[30]},{"name":"IMAGE_SCN_LNK_REMOVE","features":[30]},{"name":"IMAGE_SCN_MEM_16BIT","features":[30]},{"name":"IMAGE_SCN_MEM_DISCARDABLE","features":[30]},{"name":"IMAGE_SCN_MEM_EXECUTE","features":[30]},{"name":"IMAGE_SCN_MEM_FARDATA","features":[30]},{"name":"IMAGE_SCN_MEM_LOCKED","features":[30]},{"name":"IMAGE_SCN_MEM_NOT_CACHED","features":[30]},{"name":"IMAGE_SCN_MEM_NOT_PAGED","features":[30]},{"name":"IMAGE_SCN_MEM_PRELOAD","features":[30]},{"name":"IMAGE_SCN_MEM_PURGEABLE","features":[30]},{"name":"IMAGE_SCN_MEM_READ","features":[30]},{"name":"IMAGE_SCN_MEM_SHARED","features":[30]},{"name":"IMAGE_SCN_MEM_WRITE","features":[30]},{"name":"IMAGE_SCN_NO_DEFER_SPEC_EXC","features":[30]},{"name":"IMAGE_SCN_SCALE_INDEX","features":[30]},{"name":"IMAGE_SCN_TYPE_NO_PAD","features":[30]},{"name":"IMAGE_SECTION_CHARACTERISTICS","features":[30]},{"name":"IMAGE_SECTION_HEADER","features":[30]},{"name":"IMAGE_SUBSYSTEM","features":[30]},{"name":"IMAGE_SUBSYSTEM_EFI_APPLICATION","features":[30]},{"name":"IMAGE_SUBSYSTEM_EFI_BOOT_SERVICE_DRIVER","features":[30]},{"name":"IMAGE_SUBSYSTEM_EFI_ROM","features":[30]},{"name":"IMAGE_SUBSYSTEM_EFI_RUNTIME_DRIVER","features":[30]},{"name":"IMAGE_SUBSYSTEM_NATIVE","features":[30]},{"name":"IMAGE_SUBSYSTEM_NATIVE_WINDOWS","features":[30]},{"name":"IMAGE_SUBSYSTEM_OS2_CUI","features":[30]},{"name":"IMAGE_SUBSYSTEM_POSIX_CUI","features":[30]},{"name":"IMAGE_SUBSYSTEM_UNKNOWN","features":[30]},{"name":"IMAGE_SUBSYSTEM_WINDOWS_BOOT_APPLICATION","features":[30]},{"name":"IMAGE_SUBSYSTEM_WINDOWS_CE_GUI","features":[30]},{"name":"IMAGE_SUBSYSTEM_WINDOWS_CUI","features":[30]},{"name":"IMAGE_SUBSYSTEM_WINDOWS_GUI","features":[30]},{"name":"IMAGE_SUBSYSTEM_XBOX","features":[30]},{"name":"IMAGE_SUBSYSTEM_XBOX_CODE_CATALOG","features":[30]},{"name":"IMPERSONATING_WORKER_THREAD","features":[30]},{"name":"INACCESSIBLE_BOOT_DEVICE","features":[30]},{"name":"INCONSISTENT_IRP","features":[30]},{"name":"INLINE_FRAME_CONTEXT_IGNORE","features":[30]},{"name":"INLINE_FRAME_CONTEXT_INIT","features":[30]},{"name":"INSTALL_MORE_MEMORY","features":[30]},{"name":"INSTRUCTION_BUS_ERROR","features":[30]},{"name":"INSTRUCTION_COHERENCY_EXCEPTION","features":[30]},{"name":"INSUFFICIENT_SYSTEM_MAP_REGS","features":[30]},{"name":"INTERFACESAFE_FOR_UNTRUSTED_CALLER","features":[30]},{"name":"INTERFACESAFE_FOR_UNTRUSTED_DATA","features":[30]},{"name":"INTERFACE_USES_DISPEX","features":[30]},{"name":"INTERFACE_USES_SECURITY_MANAGER","features":[30]},{"name":"INTERNAL_POWER_ERROR","features":[30]},{"name":"INTERRUPT_EXCEPTION_NOT_HANDLED","features":[30]},{"name":"INTERRUPT_UNWIND_ATTEMPTED","features":[30]},{"name":"INVALID_AFFINITY_SET","features":[30]},{"name":"INVALID_ALTERNATE_SYSTEM_CALL_HANDLER_REGISTRATION","features":[30]},{"name":"INVALID_CALLBACK_STACK_ADDRESS","features":[30]},{"name":"INVALID_CANCEL_OF_FILE_OPEN","features":[30]},{"name":"INVALID_DATA_ACCESS_TRAP","features":[30]},{"name":"INVALID_DRIVER_HANDLE","features":[30]},{"name":"INVALID_EXTENDED_PROCESSOR_STATE","features":[30]},{"name":"INVALID_FLOATING_POINT_STATE","features":[30]},{"name":"INVALID_HIBERNATED_STATE","features":[30]},{"name":"INVALID_IO_BOOST_STATE","features":[30]},{"name":"INVALID_KERNEL_HANDLE","features":[30]},{"name":"INVALID_KERNEL_STACK_ADDRESS","features":[30]},{"name":"INVALID_MDL_RANGE","features":[30]},{"name":"INVALID_PROCESS_ATTACH_ATTEMPT","features":[30]},{"name":"INVALID_PROCESS_DETACH_ATTEMPT","features":[30]},{"name":"INVALID_PUSH_LOCK_FLAGS","features":[30]},{"name":"INVALID_REGION_OR_SEGMENT","features":[30]},{"name":"INVALID_RUNDOWN_PROTECTION_FLAGS","features":[30]},{"name":"INVALID_SILO_DETACH","features":[30]},{"name":"INVALID_SLOT_ALLOCATOR_FLAGS","features":[30]},{"name":"INVALID_SOFTWARE_INTERRUPT","features":[30]},{"name":"INVALID_THREAD_AFFINITY_STATE","features":[30]},{"name":"INVALID_WORK_QUEUE_ITEM","features":[30]},{"name":"IO1_INITIALIZATION_FAILED","features":[30]},{"name":"IOCTL_IPMI_INTERNAL_RECORD_SEL_EVENT","features":[30]},{"name":"IORING","features":[30]},{"name":"IO_OBJECT_INVALID","features":[30]},{"name":"IO_THREADPOOL_DEADLOCK_LIVEDUMP","features":[30]},{"name":"IObjectSafety","features":[30]},{"name":"IPI_WATCHDOG_TIMEOUT","features":[30]},{"name":"IPMI_IOCTL_INDEX","features":[30]},{"name":"IPMI_OS_SEL_RECORD","features":[30]},{"name":"IPMI_OS_SEL_RECORD_MASK","features":[30]},{"name":"IPMI_OS_SEL_RECORD_TYPE","features":[30]},{"name":"IPMI_OS_SEL_RECORD_VERSION","features":[30]},{"name":"IPMI_OS_SEL_RECORD_VERSION_1","features":[30]},{"name":"IPerPropertyBrowsing2","features":[30]},{"name":"IRQL_GT_ZERO_AT_SYSTEM_SERVICE","features":[30]},{"name":"IRQL_NOT_DISPATCH_LEVEL","features":[30]},{"name":"IRQL_NOT_GREATER_OR_EQUAL","features":[30]},{"name":"IRQL_NOT_LESS_OR_EQUAL","features":[30]},{"name":"IRQL_UNEXPECTED_VALUE","features":[30]},{"name":"ImageAddCertificate","features":[1,125,30]},{"name":"ImageDirectoryEntryToData","features":[1,30]},{"name":"ImageDirectoryEntryToDataEx","features":[1,30]},{"name":"ImageEnumerateCertificates","features":[1,30]},{"name":"ImageGetCertificateData","features":[1,125,30]},{"name":"ImageGetCertificateHeader","features":[1,125,30]},{"name":"ImageGetDigestStream","features":[1,30]},{"name":"ImageLoad","features":[1,30,7,32]},{"name":"ImageNtHeader","features":[30,32]},{"name":"ImageNtHeader","features":[30,32]},{"name":"ImageRemoveCertificate","features":[1,30]},{"name":"ImageRvaToSection","features":[30,32]},{"name":"ImageRvaToSection","features":[30,32]},{"name":"ImageRvaToVa","features":[30,32]},{"name":"ImageRvaToVa","features":[30,32]},{"name":"ImageUnload","features":[1,30,7,32]},{"name":"ImagehlpApiVersion","features":[30]},{"name":"ImagehlpApiVersionEx","features":[30]},{"name":"IncludeModuleCallback","features":[30]},{"name":"IncludeThreadCallback","features":[30]},{"name":"IncludeVmRegionCallback","features":[30]},{"name":"InitializeContext","features":[1,30,7]},{"name":"InitializeContext2","features":[1,30,7]},{"name":"IoFinishCallback","features":[30]},{"name":"IoStartCallback","features":[30]},{"name":"IoWriteAllCallback","features":[30]},{"name":"IpmiOsSelRecordTypeBugcheckData","features":[30]},{"name":"IpmiOsSelRecordTypeBugcheckRecovery","features":[30]},{"name":"IpmiOsSelRecordTypeDriver","features":[30]},{"name":"IpmiOsSelRecordTypeMax","features":[30]},{"name":"IpmiOsSelRecordTypeOther","features":[30]},{"name":"IpmiOsSelRecordTypeRaw","features":[30]},{"name":"IpmiOsSelRecordTypeWhea","features":[30]},{"name":"IpmiOsSelRecordTypeWheaErrorNmi","features":[30]},{"name":"IpmiOsSelRecordTypeWheaErrorOther","features":[30]},{"name":"IpmiOsSelRecordTypeWheaErrorPci","features":[30]},{"name":"IpmiOsSelRecordTypeWheaErrorXpfMca","features":[30]},{"name":"IptTraceStream","features":[30]},{"name":"IsDebuggerPresent","features":[1,30]},{"name":"IsProcessSnapshotCallback","features":[30]},{"name":"JavaScriptDataStream","features":[30]},{"name":"KASAN_ENLIGHTENMENT_VIOLATION","features":[30]},{"name":"KASAN_ILLEGAL_ACCESS","features":[30]},{"name":"KDHELP","features":[30]},{"name":"KDHELP64","features":[30]},{"name":"KERNEL_APC_PENDING_DURING_EXIT","features":[30]},{"name":"KERNEL_AUTO_BOOST_INVALID_LOCK_RELEASE","features":[30]},{"name":"KERNEL_AUTO_BOOST_LOCK_ACQUISITION_WITH_RAISED_IRQL","features":[30]},{"name":"KERNEL_CFG_INIT_FAILURE","features":[30]},{"name":"KERNEL_DATA_INPAGE_ERROR","features":[30]},{"name":"KERNEL_EXPAND_STACK_ACTIVE","features":[30]},{"name":"KERNEL_LOCK_ENTRY_LEAKED_ON_THREAD_TERMINATION","features":[30]},{"name":"KERNEL_MODE_EXCEPTION_NOT_HANDLED","features":[30]},{"name":"KERNEL_MODE_EXCEPTION_NOT_HANDLED_M","features":[30]},{"name":"KERNEL_MODE_HEAP_CORRUPTION","features":[30]},{"name":"KERNEL_PARTITION_REFERENCE_VIOLATION","features":[30]},{"name":"KERNEL_SECURITY_CHECK_FAILURE","features":[30]},{"name":"KERNEL_STACK_INPAGE_ERROR","features":[30]},{"name":"KERNEL_STACK_LOCKED_AT_EXIT","features":[30]},{"name":"KERNEL_STORAGE_SLOT_IN_USE","features":[30]},{"name":"KERNEL_THREAD_PRIORITY_FLOOR_VIOLATION","features":[30]},{"name":"KERNEL_WMI_INTERNAL","features":[30]},{"name":"KMODE_EXCEPTION_NOT_HANDLED","features":[30]},{"name":"KNONVOLATILE_CONTEXT_POINTERS","features":[30]},{"name":"KNONVOLATILE_CONTEXT_POINTERS","features":[30]},{"name":"KNONVOLATILE_CONTEXT_POINTERS_ARM64","features":[30]},{"name":"KernelMinidumpStatusCallback","features":[30]},{"name":"LAST_CHANCE_CALLED_FROM_KMODE","features":[30]},{"name":"LDT_ENTRY","features":[30]},{"name":"LIVE_SYSTEM_DUMP","features":[30]},{"name":"LM_SERVER_INTERNAL_ERROR","features":[30]},{"name":"LOADED_IMAGE","features":[1,30,7,32]},{"name":"LOADED_IMAGE","features":[1,30,7,32]},{"name":"LOADER_BLOCK_MISMATCH","features":[30]},{"name":"LOADER_ROLLBACK_DETECTED","features":[30]},{"name":"LOAD_DLL_DEBUG_EVENT","features":[30]},{"name":"LOAD_DLL_DEBUG_INFO","features":[1,30]},{"name":"LOCKED_PAGES_TRACKER_CORRUPTION","features":[30]},{"name":"LPCALL_BACK_USER_INTERRUPT_ROUTINE","features":[30]},{"name":"LPC_INITIALIZATION_FAILED","features":[30]},{"name":"LPTOP_LEVEL_EXCEPTION_FILTER","features":[1,30,7]},{"name":"LastReservedStream","features":[30]},{"name":"LocateXStateFeature","features":[30,7]},{"name":"M128A","features":[30]},{"name":"MACHINE_CHECK_EXCEPTION","features":[30]},{"name":"MAILSLOT_FILE_SYSTEM","features":[30]},{"name":"MANUALLY_INITIATED_BLACKSCREEN_HOTKEY_LIVE_DUMP","features":[30]},{"name":"MANUALLY_INITIATED_CRASH","features":[30]},{"name":"MANUALLY_INITIATED_CRASH1","features":[30]},{"name":"MANUALLY_INITIATED_POWER_BUTTON_HOLD","features":[30]},{"name":"MANUALLY_INITIATED_POWER_BUTTON_HOLD_LIVE_DUMP","features":[30]},{"name":"MAXIMUM_WAIT_OBJECTS_EXCEEDED","features":[30]},{"name":"MAX_SYM_NAME","features":[30]},{"name":"MBR_CHECKSUM_MISMATCH","features":[30]},{"name":"MDL_CACHE","features":[30]},{"name":"MEMORY1_INITIALIZATION_FAILED","features":[30]},{"name":"MEMORY_IMAGE_CORRUPT","features":[30]},{"name":"MEMORY_MANAGEMENT","features":[30]},{"name":"MICROCODE_REVISION_MISMATCH","features":[30]},{"name":"MINIDUMP_CALLBACK_INFORMATION","features":[1,21,30,7,20]},{"name":"MINIDUMP_CALLBACK_INFORMATION","features":[1,21,30,7,20]},{"name":"MINIDUMP_CALLBACK_INPUT","features":[1,21,30,7]},{"name":"MINIDUMP_CALLBACK_OUTPUT","features":[1,30,20]},{"name":"MINIDUMP_CALLBACK_ROUTINE","features":[1,21,30,7,20]},{"name":"MINIDUMP_CALLBACK_TYPE","features":[30]},{"name":"MINIDUMP_DIRECTORY","features":[30]},{"name":"MINIDUMP_EXCEPTION","features":[30]},{"name":"MINIDUMP_EXCEPTION_INFORMATION","features":[1,30,7]},{"name":"MINIDUMP_EXCEPTION_INFORMATION","features":[1,30,7]},{"name":"MINIDUMP_EXCEPTION_INFORMATION64","features":[1,30]},{"name":"MINIDUMP_EXCEPTION_STREAM","features":[30]},{"name":"MINIDUMP_FUNCTION_TABLE_DESCRIPTOR","features":[30]},{"name":"MINIDUMP_FUNCTION_TABLE_STREAM","features":[30]},{"name":"MINIDUMP_HANDLE_DATA_STREAM","features":[30]},{"name":"MINIDUMP_HANDLE_DESCRIPTOR","features":[30]},{"name":"MINIDUMP_HANDLE_DESCRIPTOR_2","features":[30]},{"name":"MINIDUMP_HANDLE_OBJECT_INFORMATION","features":[30]},{"name":"MINIDUMP_HANDLE_OBJECT_INFORMATION_TYPE","features":[30]},{"name":"MINIDUMP_HANDLE_OPERATION_LIST","features":[30]},{"name":"MINIDUMP_HEADER","features":[30]},{"name":"MINIDUMP_INCLUDE_MODULE_CALLBACK","features":[30]},{"name":"MINIDUMP_INCLUDE_THREAD_CALLBACK","features":[30]},{"name":"MINIDUMP_IO_CALLBACK","features":[1,30]},{"name":"MINIDUMP_LOCATION_DESCRIPTOR","features":[30]},{"name":"MINIDUMP_LOCATION_DESCRIPTOR64","features":[30]},{"name":"MINIDUMP_MEMORY64_LIST","features":[30]},{"name":"MINIDUMP_MEMORY_DESCRIPTOR","features":[30]},{"name":"MINIDUMP_MEMORY_DESCRIPTOR64","features":[30]},{"name":"MINIDUMP_MEMORY_INFO","features":[30,20]},{"name":"MINIDUMP_MEMORY_INFO_LIST","features":[30]},{"name":"MINIDUMP_MEMORY_LIST","features":[30]},{"name":"MINIDUMP_MISC1_PROCESSOR_POWER_INFO","features":[30]},{"name":"MINIDUMP_MISC1_PROCESS_ID","features":[30]},{"name":"MINIDUMP_MISC1_PROCESS_TIMES","features":[30]},{"name":"MINIDUMP_MISC3_PROCESS_EXECUTE_FLAGS","features":[30]},{"name":"MINIDUMP_MISC3_PROCESS_INTEGRITY","features":[30]},{"name":"MINIDUMP_MISC3_PROTECTED_PROCESS","features":[30]},{"name":"MINIDUMP_MISC3_TIMEZONE","features":[30]},{"name":"MINIDUMP_MISC4_BUILDSTRING","features":[30]},{"name":"MINIDUMP_MISC5_PROCESS_COOKIE","features":[30]},{"name":"MINIDUMP_MISC_INFO","features":[30]},{"name":"MINIDUMP_MISC_INFO_2","features":[30]},{"name":"MINIDUMP_MISC_INFO_3","features":[1,30,163]},{"name":"MINIDUMP_MISC_INFO_4","features":[1,30,163]},{"name":"MINIDUMP_MISC_INFO_5","features":[1,30,163]},{"name":"MINIDUMP_MISC_INFO_FLAGS","features":[30]},{"name":"MINIDUMP_MODULE","features":[21,30]},{"name":"MINIDUMP_MODULE_CALLBACK","features":[21,30]},{"name":"MINIDUMP_MODULE_LIST","features":[21,30]},{"name":"MINIDUMP_PROCESS_VM_COUNTERS","features":[30]},{"name":"MINIDUMP_PROCESS_VM_COUNTERS_1","features":[30]},{"name":"MINIDUMP_PROCESS_VM_COUNTERS_2","features":[30]},{"name":"MINIDUMP_PROCESS_VM_COUNTERS_EX","features":[30]},{"name":"MINIDUMP_PROCESS_VM_COUNTERS_EX2","features":[30]},{"name":"MINIDUMP_PROCESS_VM_COUNTERS_JOB","features":[30]},{"name":"MINIDUMP_PROCESS_VM_COUNTERS_VIRTUALSIZE","features":[30]},{"name":"MINIDUMP_READ_MEMORY_FAILURE_CALLBACK","features":[30]},{"name":"MINIDUMP_SECONDARY_FLAGS","features":[30]},{"name":"MINIDUMP_STREAM_TYPE","features":[30]},{"name":"MINIDUMP_STRING","features":[30]},{"name":"MINIDUMP_SYSMEMINFO1_BASICPERF","features":[30]},{"name":"MINIDUMP_SYSMEMINFO1_FILECACHE_TRANSITIONREPURPOSECOUNT_FLAGS","features":[30]},{"name":"MINIDUMP_SYSMEMINFO1_PERF_CCTOTALDIRTYPAGES_CCDIRTYPAGETHRESHOLD","features":[30]},{"name":"MINIDUMP_SYSMEMINFO1_PERF_RESIDENTAVAILABLEPAGES_SHAREDCOMMITPAGES","features":[30]},{"name":"MINIDUMP_SYSTEM_BASIC_INFORMATION","features":[30]},{"name":"MINIDUMP_SYSTEM_BASIC_PERFORMANCE_INFORMATION","features":[30]},{"name":"MINIDUMP_SYSTEM_FILECACHE_INFORMATION","features":[30]},{"name":"MINIDUMP_SYSTEM_INFO","features":[30,32]},{"name":"MINIDUMP_SYSTEM_MEMORY_INFO_1","features":[30]},{"name":"MINIDUMP_SYSTEM_PERFORMANCE_INFORMATION","features":[30]},{"name":"MINIDUMP_THREAD","features":[30]},{"name":"MINIDUMP_THREAD_CALLBACK","features":[1,30,7]},{"name":"MINIDUMP_THREAD_CALLBACK","features":[1,30,7]},{"name":"MINIDUMP_THREAD_EX","features":[30]},{"name":"MINIDUMP_THREAD_EX_CALLBACK","features":[1,30,7]},{"name":"MINIDUMP_THREAD_EX_CALLBACK","features":[1,30,7]},{"name":"MINIDUMP_THREAD_EX_LIST","features":[30]},{"name":"MINIDUMP_THREAD_INFO","features":[30]},{"name":"MINIDUMP_THREAD_INFO_DUMP_FLAGS","features":[30]},{"name":"MINIDUMP_THREAD_INFO_ERROR_THREAD","features":[30]},{"name":"MINIDUMP_THREAD_INFO_EXITED_THREAD","features":[30]},{"name":"MINIDUMP_THREAD_INFO_INVALID_CONTEXT","features":[30]},{"name":"MINIDUMP_THREAD_INFO_INVALID_INFO","features":[30]},{"name":"MINIDUMP_THREAD_INFO_INVALID_TEB","features":[30]},{"name":"MINIDUMP_THREAD_INFO_LIST","features":[30]},{"name":"MINIDUMP_THREAD_INFO_WRITING_THREAD","features":[30]},{"name":"MINIDUMP_THREAD_LIST","features":[30]},{"name":"MINIDUMP_THREAD_NAME","features":[30]},{"name":"MINIDUMP_THREAD_NAME_LIST","features":[30]},{"name":"MINIDUMP_TOKEN_INFO_HEADER","features":[30]},{"name":"MINIDUMP_TOKEN_INFO_LIST","features":[30]},{"name":"MINIDUMP_TYPE","features":[30]},{"name":"MINIDUMP_UNLOADED_MODULE","features":[30]},{"name":"MINIDUMP_UNLOADED_MODULE_LIST","features":[30]},{"name":"MINIDUMP_USER_RECORD","features":[30]},{"name":"MINIDUMP_USER_STREAM","features":[30]},{"name":"MINIDUMP_USER_STREAM","features":[30]},{"name":"MINIDUMP_USER_STREAM_INFORMATION","features":[30]},{"name":"MINIDUMP_USER_STREAM_INFORMATION","features":[30]},{"name":"MINIDUMP_VERSION","features":[30]},{"name":"MINIDUMP_VM_POST_READ_CALLBACK","features":[30]},{"name":"MINIDUMP_VM_PRE_READ_CALLBACK","features":[30]},{"name":"MINIDUMP_VM_QUERY_CALLBACK","features":[30]},{"name":"MISALIGNED_POINTER_PARAMETER","features":[30]},{"name":"MISMATCHED_HAL","features":[30]},{"name":"MODLOAD_CVMISC","features":[30]},{"name":"MODLOAD_DATA","features":[30]},{"name":"MODLOAD_DATA_TYPE","features":[30]},{"name":"MODLOAD_PDBGUID_PDBAGE","features":[30]},{"name":"MODULE_TYPE_INFO","features":[30]},{"name":"MODULE_WRITE_FLAGS","features":[30]},{"name":"MPSDRV_QUERY_USER","features":[30]},{"name":"MSRPC_STATE_VIOLATION","features":[30]},{"name":"MSSECCORE_ASSERTION_FAILURE","features":[30]},{"name":"MUI_NO_VALID_SYSTEM_LANGUAGE","features":[30]},{"name":"MULTIPLE_IRP_COMPLETE_REQUESTS","features":[30]},{"name":"MULTIPROCESSOR_CONFIGURATION_NOT_SUPPORTED","features":[30]},{"name":"MUP_FILE_SYSTEM","features":[30]},{"name":"MUST_SUCCEED_POOL_EMPTY","features":[30]},{"name":"MUTEX_ALREADY_OWNED","features":[30]},{"name":"MUTEX_LEVEL_NUMBER_VIOLATION","features":[30]},{"name":"MakeSureDirectoryPathExists","features":[1,30]},{"name":"MapAndLoad","features":[1,30,7,32]},{"name":"MapFileAndCheckSumA","features":[30]},{"name":"MapFileAndCheckSumW","features":[30]},{"name":"Memory64ListStream","features":[30]},{"name":"MemoryCallback","features":[30]},{"name":"MemoryInfoListStream","features":[30]},{"name":"MemoryListStream","features":[30]},{"name":"MessageBeep","features":[1,30,50]},{"name":"MiniDumpFilterMemory","features":[30]},{"name":"MiniDumpFilterModulePaths","features":[30]},{"name":"MiniDumpFilterTriage","features":[30]},{"name":"MiniDumpFilterWriteCombinedMemory","features":[30]},{"name":"MiniDumpIgnoreInaccessibleMemory","features":[30]},{"name":"MiniDumpNormal","features":[30]},{"name":"MiniDumpReadDumpStream","features":[1,30]},{"name":"MiniDumpScanInaccessiblePartialPages","features":[30]},{"name":"MiniDumpScanMemory","features":[30]},{"name":"MiniDumpValidTypeFlags","features":[30]},{"name":"MiniDumpWithAvxXStateContext","features":[30]},{"name":"MiniDumpWithCodeSegs","features":[30]},{"name":"MiniDumpWithDataSegs","features":[30]},{"name":"MiniDumpWithFullAuxiliaryState","features":[30]},{"name":"MiniDumpWithFullMemory","features":[30]},{"name":"MiniDumpWithFullMemoryInfo","features":[30]},{"name":"MiniDumpWithHandleData","features":[30]},{"name":"MiniDumpWithIndirectlyReferencedMemory","features":[30]},{"name":"MiniDumpWithIptTrace","features":[30]},{"name":"MiniDumpWithModuleHeaders","features":[30]},{"name":"MiniDumpWithPrivateReadWriteMemory","features":[30]},{"name":"MiniDumpWithPrivateWriteCopyMemory","features":[30]},{"name":"MiniDumpWithProcessThreadData","features":[30]},{"name":"MiniDumpWithThreadInfo","features":[30]},{"name":"MiniDumpWithTokenInformation","features":[30]},{"name":"MiniDumpWithUnloadedModules","features":[30]},{"name":"MiniDumpWithoutAuxiliaryState","features":[30]},{"name":"MiniDumpWithoutOptionalData","features":[30]},{"name":"MiniDumpWriteDump","features":[1,21,30,7,20]},{"name":"MiniEventInformation1","features":[30]},{"name":"MiniHandleObjectInformationNone","features":[30]},{"name":"MiniHandleObjectInformationTypeMax","features":[30]},{"name":"MiniMutantInformation1","features":[30]},{"name":"MiniMutantInformation2","features":[30]},{"name":"MiniProcessInformation1","features":[30]},{"name":"MiniProcessInformation2","features":[30]},{"name":"MiniSecondaryValidFlags","features":[30]},{"name":"MiniSecondaryWithoutPowerInfo","features":[30]},{"name":"MiniSectionInformation1","features":[30]},{"name":"MiniSemaphoreInformation1","features":[30]},{"name":"MiniThreadInformation1","features":[30]},{"name":"MiscInfoStream","features":[30]},{"name":"ModuleCallback","features":[30]},{"name":"ModuleListStream","features":[30]},{"name":"ModuleReferencedByMemory","features":[30]},{"name":"ModuleWriteCodeSegs","features":[30]},{"name":"ModuleWriteCvRecord","features":[30]},{"name":"ModuleWriteDataSeg","features":[30]},{"name":"ModuleWriteMiscRecord","features":[30]},{"name":"ModuleWriteModule","features":[30]},{"name":"ModuleWriteTlsData","features":[30]},{"name":"NDIS_INTERNAL_ERROR","features":[30]},{"name":"NDIS_NET_BUFFER_LIST_INFO_ILLEGALLY_TRANSFERRED","features":[30]},{"name":"NETIO_INVALID_POOL_CALLER","features":[30]},{"name":"NETWORK_BOOT_DUPLICATE_ADDRESS","features":[30]},{"name":"NETWORK_BOOT_INITIALIZATION_FAILED","features":[30]},{"name":"NMI_HARDWARE_FAILURE","features":[30]},{"name":"NMR_INVALID_STATE","features":[30]},{"name":"NO_BOOT_DEVICE","features":[30]},{"name":"NO_EXCEPTION_HANDLING_SUPPORT","features":[30]},{"name":"NO_MORE_IRP_STACK_LOCATIONS","features":[30]},{"name":"NO_MORE_SYSTEM_PTES","features":[30]},{"name":"NO_PAGES_AVAILABLE","features":[30]},{"name":"NO_SPIN_LOCK_AVAILABLE","features":[30]},{"name":"NO_SUCH_PARTITION","features":[30]},{"name":"NO_USER_MODE_CONTEXT","features":[30]},{"name":"NPFS_FILE_SYSTEM","features":[30]},{"name":"NTFS_FILE_SYSTEM","features":[30]},{"name":"NTHV_GUEST_ERROR","features":[30]},{"name":"NUM_SSRVOPTS","features":[30]},{"name":"NumSymTypes","features":[30]},{"name":"OBJECT1_INITIALIZATION_FAILED","features":[30]},{"name":"OBJECT_ATTRIB_ACCESS_FINAL","features":[30]},{"name":"OBJECT_ATTRIB_ACCESS_PRIVATE","features":[30]},{"name":"OBJECT_ATTRIB_ACCESS_PROTECTED","features":[30]},{"name":"OBJECT_ATTRIB_ACCESS_PUBLIC","features":[30]},{"name":"OBJECT_ATTRIB_FLAGS","features":[30]},{"name":"OBJECT_ATTRIB_HAS_EXTENDED_ATTRIBS","features":[30]},{"name":"OBJECT_ATTRIB_IS_CLASS","features":[30]},{"name":"OBJECT_ATTRIB_IS_FUNCTION","features":[30]},{"name":"OBJECT_ATTRIB_IS_INHERITED","features":[30]},{"name":"OBJECT_ATTRIB_IS_INTERFACE","features":[30]},{"name":"OBJECT_ATTRIB_IS_MACRO","features":[30]},{"name":"OBJECT_ATTRIB_IS_PROPERTY","features":[30]},{"name":"OBJECT_ATTRIB_IS_TYPE","features":[30]},{"name":"OBJECT_ATTRIB_IS_VARIABLE","features":[30]},{"name":"OBJECT_ATTRIB_NO_ATTRIB","features":[30]},{"name":"OBJECT_ATTRIB_NO_NAME","features":[30]},{"name":"OBJECT_ATTRIB_NO_TYPE","features":[30]},{"name":"OBJECT_ATTRIB_NO_VALUE","features":[30]},{"name":"OBJECT_ATTRIB_OBJECT_IS_EXPANDABLE","features":[30]},{"name":"OBJECT_ATTRIB_SLOT_IS_CATEGORY","features":[30]},{"name":"OBJECT_ATTRIB_STORAGE_FIELD","features":[30]},{"name":"OBJECT_ATTRIB_STORAGE_GLOBAL","features":[30]},{"name":"OBJECT_ATTRIB_STORAGE_STATIC","features":[30]},{"name":"OBJECT_ATTRIB_STORAGE_VIRTUAL","features":[30]},{"name":"OBJECT_ATTRIB_TYPE_HAS_CODE","features":[30]},{"name":"OBJECT_ATTRIB_TYPE_IS_CONSTANT","features":[30]},{"name":"OBJECT_ATTRIB_TYPE_IS_EXPANDABLE","features":[30]},{"name":"OBJECT_ATTRIB_TYPE_IS_OBJECT","features":[30]},{"name":"OBJECT_ATTRIB_TYPE_IS_SYNCHRONIZED","features":[30]},{"name":"OBJECT_ATTRIB_TYPE_IS_VOLATILE","features":[30]},{"name":"OBJECT_ATTRIB_VALUE_HAS_CODE","features":[30]},{"name":"OBJECT_ATTRIB_VALUE_IS_CUSTOM","features":[30]},{"name":"OBJECT_ATTRIB_VALUE_IS_ENUM","features":[30]},{"name":"OBJECT_ATTRIB_VALUE_IS_INVALID","features":[30]},{"name":"OBJECT_ATTRIB_VALUE_IS_OBJECT","features":[30]},{"name":"OBJECT_ATTRIB_VALUE_READONLY","features":[30]},{"name":"OBJECT_INITIALIZATION_FAILED","features":[30]},{"name":"OFS_FILE_SYSTEM","features":[30]},{"name":"OMAP","features":[30]},{"name":"OPEN_THREAD_WAIT_CHAIN_SESSION_FLAGS","features":[30]},{"name":"OS_DATA_TAMPERING","features":[30]},{"name":"OUTPUT_DEBUG_STRING_EVENT","features":[30]},{"name":"OUTPUT_DEBUG_STRING_INFO","features":[30]},{"name":"OpenThreadWaitChainSession","features":[1,30]},{"name":"OutputDebugStringA","features":[30]},{"name":"OutputDebugStringW","features":[30]},{"name":"PAGE_FAULT_BEYOND_END_OF_ALLOCATION","features":[30]},{"name":"PAGE_FAULT_IN_FREED_SPECIAL_POOL","features":[30]},{"name":"PAGE_FAULT_IN_NONPAGED_AREA","features":[30]},{"name":"PAGE_FAULT_IN_NONPAGED_AREA_M","features":[30]},{"name":"PAGE_FAULT_WITH_INTERRUPTS_OFF","features":[30]},{"name":"PAGE_NOT_ZERO","features":[30]},{"name":"PANIC_STACK_SWITCH","features":[30]},{"name":"PASSIVE_INTERRUPT_ERROR","features":[30]},{"name":"PCI_BUS_DRIVER_INTERNAL","features":[30]},{"name":"PCI_CONFIG_SPACE_ACCESS_FAILURE","features":[30]},{"name":"PCI_VERIFIER_DETECTED_VIOLATION","features":[30]},{"name":"PCOGETACTIVATIONSTATE","features":[30]},{"name":"PCOGETCALLSTATE","features":[30]},{"name":"PDBGHELP_CREATE_USER_DUMP_CALLBACK","features":[1,30]},{"name":"PDC_LOCK_WATCHDOG_LIVEDUMP","features":[30]},{"name":"PDC_PRIVILEGE_CHECK_LIVEDUMP","features":[30]},{"name":"PDC_UNEXPECTED_REVOCATION_LIVEDUMP","features":[30]},{"name":"PDC_WATCHDOG_TIMEOUT","features":[30]},{"name":"PDC_WATCHDOG_TIMEOUT_LIVEDUMP","features":[30]},{"name":"PENUMDIRTREE_CALLBACK","features":[1,30]},{"name":"PENUMDIRTREE_CALLBACKW","features":[1,30]},{"name":"PENUMLOADED_MODULES_CALLBACK","features":[1,30]},{"name":"PENUMLOADED_MODULES_CALLBACK64","features":[1,30]},{"name":"PENUMLOADED_MODULES_CALLBACKW64","features":[1,30]},{"name":"PENUMSOURCEFILETOKENSCALLBACK","features":[1,30]},{"name":"PFINDFILEINPATHCALLBACK","features":[1,30]},{"name":"PFINDFILEINPATHCALLBACKW","features":[1,30]},{"name":"PFIND_DEBUG_FILE_CALLBACK","features":[1,30]},{"name":"PFIND_DEBUG_FILE_CALLBACKW","features":[1,30]},{"name":"PFIND_EXE_FILE_CALLBACK","features":[1,30]},{"name":"PFIND_EXE_FILE_CALLBACKW","features":[1,30]},{"name":"PFN_LIST_CORRUPT","features":[30]},{"name":"PFN_REFERENCE_COUNT","features":[30]},{"name":"PFN_SHARE_COUNT","features":[30]},{"name":"PFUNCTION_TABLE_ACCESS_ROUTINE","features":[1,30]},{"name":"PFUNCTION_TABLE_ACCESS_ROUTINE64","features":[1,30]},{"name":"PF_DETECTED_CORRUPTION","features":[30]},{"name":"PGET_MODULE_BASE_ROUTINE","features":[1,30]},{"name":"PGET_MODULE_BASE_ROUTINE64","features":[1,30]},{"name":"PGET_RUNTIME_FUNCTION_CALLBACK","features":[30]},{"name":"PGET_RUNTIME_FUNCTION_CALLBACK","features":[30]},{"name":"PGET_TARGET_ATTRIBUTE_VALUE64","features":[1,30]},{"name":"PHASE0_EXCEPTION","features":[30]},{"name":"PHASE0_INITIALIZATION_FAILED","features":[30]},{"name":"PHASE1_INITIALIZATION_FAILED","features":[30]},{"name":"PHYSICAL_MEMORY_DESCRIPTOR32","features":[30]},{"name":"PHYSICAL_MEMORY_DESCRIPTOR64","features":[30]},{"name":"PHYSICAL_MEMORY_RUN32","features":[30]},{"name":"PHYSICAL_MEMORY_RUN64","features":[30]},{"name":"PIMAGEHLP_STATUS_ROUTINE","features":[1,30]},{"name":"PIMAGEHLP_STATUS_ROUTINE32","features":[1,30]},{"name":"PIMAGEHLP_STATUS_ROUTINE64","features":[1,30]},{"name":"PINBALL_FILE_SYSTEM","features":[30]},{"name":"PNP_DETECTED_FATAL_ERROR","features":[30]},{"name":"PNP_INTERNAL_ERROR","features":[30]},{"name":"POOL_CORRUPTION_IN_FILE_AREA","features":[30]},{"name":"PORT_DRIVER_INTERNAL","features":[30]},{"name":"POWER_FAILURE_SIMULATE","features":[30]},{"name":"PP0_INITIALIZATION_FAILED","features":[30]},{"name":"PP1_INITIALIZATION_FAILED","features":[30]},{"name":"PREAD_PROCESS_MEMORY_ROUTINE","features":[1,30]},{"name":"PREAD_PROCESS_MEMORY_ROUTINE64","features":[1,30]},{"name":"PREVIOUS_FATAL_ABNORMAL_RESET_ERROR","features":[30]},{"name":"PROCESS1_INITIALIZATION_FAILED","features":[30]},{"name":"PROCESSOR_DRIVER_INTERNAL","features":[30]},{"name":"PROCESSOR_START_TIMEOUT","features":[30]},{"name":"PROCESS_HAS_LOCKED_PAGES","features":[30]},{"name":"PROCESS_INITIALIZATION_FAILED","features":[30]},{"name":"PROFILER_CONFIGURATION_ILLEGAL","features":[30]},{"name":"PROP_INFO_ATTRIBUTES","features":[30]},{"name":"PROP_INFO_AUTOEXPAND","features":[30]},{"name":"PROP_INFO_DEBUGPROP","features":[30]},{"name":"PROP_INFO_FLAGS","features":[30]},{"name":"PROP_INFO_FULLNAME","features":[30]},{"name":"PROP_INFO_NAME","features":[30]},{"name":"PROP_INFO_TYPE","features":[30]},{"name":"PROP_INFO_VALUE","features":[30]},{"name":"PSYMBOLSERVERBYINDEXPROC","features":[1,30]},{"name":"PSYMBOLSERVERBYINDEXPROCA","features":[1,30]},{"name":"PSYMBOLSERVERBYINDEXPROCW","features":[1,30]},{"name":"PSYMBOLSERVERCALLBACKPROC","features":[1,30]},{"name":"PSYMBOLSERVERCLOSEPROC","features":[1,30]},{"name":"PSYMBOLSERVERDELTANAME","features":[1,30]},{"name":"PSYMBOLSERVERDELTANAMEW","features":[1,30]},{"name":"PSYMBOLSERVERGETINDEXSTRING","features":[1,30]},{"name":"PSYMBOLSERVERGETINDEXSTRINGW","features":[1,30]},{"name":"PSYMBOLSERVERGETOPTIONDATAPROC","features":[1,30]},{"name":"PSYMBOLSERVERGETOPTIONSPROC","features":[30]},{"name":"PSYMBOLSERVERGETSUPPLEMENT","features":[1,30]},{"name":"PSYMBOLSERVERGETSUPPLEMENTW","features":[1,30]},{"name":"PSYMBOLSERVERGETVERSION","features":[1,30]},{"name":"PSYMBOLSERVERISSTORE","features":[1,30]},{"name":"PSYMBOLSERVERISSTOREW","features":[1,30]},{"name":"PSYMBOLSERVERMESSAGEPROC","features":[1,30]},{"name":"PSYMBOLSERVEROPENPROC","features":[1,30]},{"name":"PSYMBOLSERVERPINGPROC","features":[1,30]},{"name":"PSYMBOLSERVERPINGPROCA","features":[1,30]},{"name":"PSYMBOLSERVERPINGPROCW","features":[1,30]},{"name":"PSYMBOLSERVERPINGPROCWEX","features":[1,30]},{"name":"PSYMBOLSERVERPROC","features":[1,30]},{"name":"PSYMBOLSERVERPROCA","features":[1,30]},{"name":"PSYMBOLSERVERPROCW","features":[1,30]},{"name":"PSYMBOLSERVERSETHTTPAUTHHEADER","features":[1,30]},{"name":"PSYMBOLSERVERSETOPTIONSPROC","features":[1,30]},{"name":"PSYMBOLSERVERSETOPTIONSWPROC","features":[1,30]},{"name":"PSYMBOLSERVERSTOREFILE","features":[1,30]},{"name":"PSYMBOLSERVERSTOREFILEW","features":[1,30]},{"name":"PSYMBOLSERVERSTORESUPPLEMENT","features":[1,30]},{"name":"PSYMBOLSERVERSTORESUPPLEMENTW","features":[1,30]},{"name":"PSYMBOLSERVERVERSION","features":[30]},{"name":"PSYMBOLSERVERWEXPROC","features":[1,30]},{"name":"PSYMBOL_FUNCENTRY_CALLBACK","features":[1,30]},{"name":"PSYMBOL_FUNCENTRY_CALLBACK64","features":[1,30]},{"name":"PSYMBOL_REGISTERED_CALLBACK","features":[1,30]},{"name":"PSYMBOL_REGISTERED_CALLBACK64","features":[1,30]},{"name":"PSYM_ENUMERATESYMBOLS_CALLBACK","features":[1,30]},{"name":"PSYM_ENUMERATESYMBOLS_CALLBACKW","features":[1,30]},{"name":"PSYM_ENUMLINES_CALLBACK","features":[1,30]},{"name":"PSYM_ENUMLINES_CALLBACKW","features":[1,30]},{"name":"PSYM_ENUMMODULES_CALLBACK","features":[1,30]},{"name":"PSYM_ENUMMODULES_CALLBACK64","features":[1,30]},{"name":"PSYM_ENUMMODULES_CALLBACKW64","features":[1,30]},{"name":"PSYM_ENUMPROCESSES_CALLBACK","features":[1,30]},{"name":"PSYM_ENUMSOURCEFILES_CALLBACK","features":[1,30]},{"name":"PSYM_ENUMSOURCEFILES_CALLBACKW","features":[1,30]},{"name":"PSYM_ENUMSYMBOLS_CALLBACK","features":[1,30]},{"name":"PSYM_ENUMSYMBOLS_CALLBACK64","features":[1,30]},{"name":"PSYM_ENUMSYMBOLS_CALLBACK64W","features":[1,30]},{"name":"PSYM_ENUMSYMBOLS_CALLBACKW","features":[1,30]},{"name":"PTRANSLATE_ADDRESS_ROUTINE","features":[1,30]},{"name":"PTRANSLATE_ADDRESS_ROUTINE64","features":[1,30]},{"name":"PVECTORED_EXCEPTION_HANDLER","features":[1,30,7]},{"name":"PWAITCHAINCALLBACK","features":[1,30]},{"name":"ProcessVmCountersStream","features":[30]},{"name":"QUOTA_UNDERFLOW","features":[30]},{"name":"RAMDISK_BOOT_INITIALIZATION_FAILED","features":[30]},{"name":"RDR_FILE_SYSTEM","features":[30]},{"name":"RECOM_DRIVER","features":[30]},{"name":"RECURSIVE_MACHINE_CHECK","features":[30]},{"name":"RECURSIVE_NMI","features":[30]},{"name":"REFERENCE_BY_POINTER","features":[30]},{"name":"REFMON_INITIALIZATION_FAILED","features":[30]},{"name":"REFS_FILE_SYSTEM","features":[30]},{"name":"REF_UNKNOWN_LOGON_SESSION","features":[30]},{"name":"REGISTRY_CALLBACK_DRIVER_EXCEPTION","features":[30]},{"name":"REGISTRY_ERROR","features":[30]},{"name":"REGISTRY_FILTER_DRIVER_EXCEPTION","features":[30]},{"name":"REGISTRY_LIVE_DUMP","features":[30]},{"name":"RESERVE_QUEUE_OVERFLOW","features":[30]},{"name":"RESOURCE_NOT_OWNED","features":[30]},{"name":"RESOURCE_OWNER_POINTER_INVALID","features":[30]},{"name":"RESTORE_LAST_ERROR_NAME","features":[30]},{"name":"RESTORE_LAST_ERROR_NAME_A","features":[30]},{"name":"RESTORE_LAST_ERROR_NAME_W","features":[30]},{"name":"RIP_EVENT","features":[30]},{"name":"RIP_INFO","features":[30]},{"name":"RIP_INFO_TYPE","features":[30]},{"name":"RTL_VIRTUAL_UNWIND_HANDLER_TYPE","features":[30]},{"name":"RaiseException","features":[30]},{"name":"RaiseFailFastException","features":[1,30,7]},{"name":"RangeMapAddPeImageSections","features":[1,30]},{"name":"RangeMapCreate","features":[30]},{"name":"RangeMapFree","features":[30]},{"name":"RangeMapRead","features":[1,30]},{"name":"RangeMapRemove","features":[1,30]},{"name":"RangeMapWrite","features":[1,30]},{"name":"ReBaseImage","features":[1,30]},{"name":"ReBaseImage64","features":[1,30]},{"name":"ReadMemoryFailureCallback","features":[30]},{"name":"ReadProcessMemory","features":[1,30]},{"name":"RegisterWaitChainCOMCallback","features":[30]},{"name":"RemoveInvalidModuleList","features":[1,30]},{"name":"RemoveMemoryCallback","features":[30]},{"name":"RemoveVectoredContinueHandler","features":[30]},{"name":"RemoveVectoredExceptionHandler","features":[30]},{"name":"ReportSymbolLoadSummary","features":[1,30]},{"name":"ReservedStream0","features":[30]},{"name":"ReservedStream1","features":[30]},{"name":"RtlAddFunctionTable","features":[1,30]},{"name":"RtlAddFunctionTable","features":[1,30]},{"name":"RtlAddGrowableFunctionTable","features":[30]},{"name":"RtlAddGrowableFunctionTable","features":[30]},{"name":"RtlCaptureContext","features":[30,7]},{"name":"RtlCaptureContext2","features":[30,7]},{"name":"RtlCaptureStackBackTrace","features":[30]},{"name":"RtlDeleteFunctionTable","features":[1,30]},{"name":"RtlDeleteFunctionTable","features":[1,30]},{"name":"RtlDeleteGrowableFunctionTable","features":[30]},{"name":"RtlGrowFunctionTable","features":[30]},{"name":"RtlInstallFunctionTableCallback","features":[1,30]},{"name":"RtlInstallFunctionTableCallback","features":[1,30]},{"name":"RtlLookupFunctionEntry","features":[30]},{"name":"RtlLookupFunctionEntry","features":[30]},{"name":"RtlPcToFileHeader","features":[30]},{"name":"RtlRaiseException","features":[1,30]},{"name":"RtlRestoreContext","features":[1,30,7]},{"name":"RtlUnwind","features":[1,30]},{"name":"RtlUnwindEx","features":[1,30,7]},{"name":"RtlVirtualUnwind","features":[1,30,7]},{"name":"RtlVirtualUnwind","features":[1,30,7]},{"name":"SAVER_ACCOUNTPROVSVCINITFAILURE","features":[30]},{"name":"SAVER_APPBARDISMISSAL","features":[30]},{"name":"SAVER_APPLISTUNREACHABLE","features":[30]},{"name":"SAVER_AUDIODRIVERHANG","features":[30]},{"name":"SAVER_AUXILIARYFULLDUMP","features":[30]},{"name":"SAVER_BATTERYPULLOUT","features":[30]},{"name":"SAVER_BLANKSCREEN","features":[30]},{"name":"SAVER_CALLDISMISSAL","features":[30]},{"name":"SAVER_CAPTURESERVICE","features":[30]},{"name":"SAVER_CHROMEPROCESSCRASH","features":[30]},{"name":"SAVER_DEVICEUPDATEUNSPECIFIED","features":[30]},{"name":"SAVER_GRAPHICS","features":[30]},{"name":"SAVER_INPUT","features":[30]},{"name":"SAVER_MEDIACORETESTHANG","features":[30]},{"name":"SAVER_MTBFCOMMANDHANG","features":[30]},{"name":"SAVER_MTBFCOMMANDTIMEOUT","features":[30]},{"name":"SAVER_MTBFIOERROR","features":[30]},{"name":"SAVER_MTBFPASSBUGCHECK","features":[30]},{"name":"SAVER_NAVIGATIONMODEL","features":[30]},{"name":"SAVER_NAVSERVERTIMEOUT","features":[30]},{"name":"SAVER_NONRESPONSIVEPROCESS","features":[30]},{"name":"SAVER_NOTIFICATIONDISMISSAL","features":[30]},{"name":"SAVER_OUTOFMEMORY","features":[30]},{"name":"SAVER_RENDERMOBILEUIOOM","features":[30]},{"name":"SAVER_RENDERTHREADHANG","features":[30]},{"name":"SAVER_REPORTNOTIFICATIONFAILURE","features":[30]},{"name":"SAVER_RESOURCEMANAGEMENT","features":[30]},{"name":"SAVER_RILADAPTATIONCRASH","features":[30]},{"name":"SAVER_RPCFAILURE","features":[30]},{"name":"SAVER_SICKAPPLICATION","features":[30]},{"name":"SAVER_SPEECHDISMISSAL","features":[30]},{"name":"SAVER_STARTNOTVISIBLE","features":[30]},{"name":"SAVER_UNEXPECTEDSHUTDOWN","features":[30]},{"name":"SAVER_UNSPECIFIED","features":[30]},{"name":"SAVER_WAITFORSHELLREADY","features":[30]},{"name":"SAVER_WATCHDOG","features":[30]},{"name":"SCSI_DISK_DRIVER_INTERNAL","features":[30]},{"name":"SCSI_VERIFIER_DETECTED_VIOLATION","features":[30]},{"name":"SDBUS_INTERNAL_ERROR","features":[30]},{"name":"SECURE_BOOT_VIOLATION","features":[30]},{"name":"SECURE_FAULT_UNHANDLED","features":[30]},{"name":"SECURE_KERNEL_ERROR","features":[30]},{"name":"SECURE_PCI_CONFIG_SPACE_ACCESS_VIOLATION","features":[30]},{"name":"SECURITY1_INITIALIZATION_FAILED","features":[30]},{"name":"SECURITY_INITIALIZATION_FAILED","features":[30]},{"name":"SECURITY_SYSTEM","features":[30]},{"name":"SEM_ALL_ERRORS","features":[30]},{"name":"SEM_FAILCRITICALERRORS","features":[30]},{"name":"SEM_NOALIGNMENTFAULTEXCEPT","features":[30]},{"name":"SEM_NOGPFAULTERRORBOX","features":[30]},{"name":"SEM_NOOPENFILEERRORBOX","features":[30]},{"name":"SERIAL_DRIVER_INTERNAL","features":[30]},{"name":"SESSION1_INITIALIZATION_FAILED","features":[30]},{"name":"SESSION_HAS_VALID_POOL_ON_EXIT","features":[30]},{"name":"SESSION_HAS_VALID_SPECIAL_POOL_ON_EXIT","features":[30]},{"name":"SESSION_HAS_VALID_VIEWS_ON_EXIT","features":[30]},{"name":"SETUP_FAILURE","features":[30]},{"name":"SET_ENV_VAR_FAILED","features":[30]},{"name":"SET_OF_INVALID_CONTEXT","features":[30]},{"name":"SHARED_RESOURCE_CONV_ERROR","features":[30]},{"name":"SILO_CORRUPT","features":[30]},{"name":"SLE_ERROR","features":[30]},{"name":"SLE_MINORERROR","features":[30]},{"name":"SLE_WARNING","features":[30]},{"name":"SLMFLAG_ALT_INDEX","features":[30]},{"name":"SLMFLAG_NONE","features":[30]},{"name":"SLMFLAG_NO_SYMBOLS","features":[30]},{"name":"SLMFLAG_VIRTUAL","features":[30]},{"name":"SMB_REDIRECTOR_LIVEDUMP","features":[30]},{"name":"SMB_SERVER_LIVEDUMP","features":[30]},{"name":"SOC_CRITICAL_DEVICE_REMOVED","features":[30]},{"name":"SOC_SUBSYSTEM_FAILURE","features":[30]},{"name":"SOC_SUBSYSTEM_FAILURE_LIVEDUMP","features":[30]},{"name":"SOFT_RESTART_FATAL_ERROR","features":[30]},{"name":"SOURCEFILE","features":[30]},{"name":"SOURCEFILEW","features":[30]},{"name":"SPECIAL_POOL_DETECTED_MEMORY_CORRUPTION","features":[30]},{"name":"SPIN_LOCK_ALREADY_OWNED","features":[30]},{"name":"SPIN_LOCK_INIT_FAILURE","features":[30]},{"name":"SPIN_LOCK_NOT_OWNED","features":[30]},{"name":"SPLITSYM_EXTRACT_ALL","features":[30]},{"name":"SPLITSYM_REMOVE_PRIVATE","features":[30]},{"name":"SPLITSYM_SYMBOLPATH_IS_SRC","features":[30]},{"name":"SRCCODEINFO","features":[30]},{"name":"SRCCODEINFOW","features":[30]},{"name":"SSRVACTION_CHECKSUMSTATUS","features":[30]},{"name":"SSRVACTION_EVENT","features":[30]},{"name":"SSRVACTION_EVENTW","features":[30]},{"name":"SSRVACTION_HTTPSTATUS","features":[30]},{"name":"SSRVACTION_QUERYCANCEL","features":[30]},{"name":"SSRVACTION_SIZE","features":[30]},{"name":"SSRVACTION_TRACE","features":[30]},{"name":"SSRVACTION_XMLOUTPUT","features":[30]},{"name":"SSRVOPT_CALLBACK","features":[30]},{"name":"SSRVOPT_CALLBACKW","features":[30]},{"name":"SSRVOPT_DISABLE_PING_HOST","features":[30]},{"name":"SSRVOPT_DISABLE_TIMEOUT","features":[30]},{"name":"SSRVOPT_DONT_UNCOMPRESS","features":[30]},{"name":"SSRVOPT_DOWNSTREAM_STORE","features":[30]},{"name":"SSRVOPT_DWORD","features":[30]},{"name":"SSRVOPT_DWORDPTR","features":[30]},{"name":"SSRVOPT_ENABLE_COMM_MSG","features":[30]},{"name":"SSRVOPT_FAVOR_COMPRESSED","features":[30]},{"name":"SSRVOPT_FLAT_DEFAULT_STORE","features":[30]},{"name":"SSRVOPT_GETPATH","features":[30]},{"name":"SSRVOPT_GUIDPTR","features":[30]},{"name":"SSRVOPT_MAX","features":[30]},{"name":"SSRVOPT_MESSAGE","features":[30]},{"name":"SSRVOPT_NOCOPY","features":[30]},{"name":"SSRVOPT_OLDGUIDPTR","features":[30]},{"name":"SSRVOPT_OVERWRITE","features":[30]},{"name":"SSRVOPT_PARAMTYPE","features":[30]},{"name":"SSRVOPT_PARENTWIN","features":[30]},{"name":"SSRVOPT_PROXY","features":[30]},{"name":"SSRVOPT_PROXYW","features":[30]},{"name":"SSRVOPT_RESETTOU","features":[30]},{"name":"SSRVOPT_RETRY_APP_HANG","features":[30]},{"name":"SSRVOPT_SECURE","features":[30]},{"name":"SSRVOPT_SERVICE","features":[30]},{"name":"SSRVOPT_SETCONTEXT","features":[30]},{"name":"SSRVOPT_STRING","features":[30]},{"name":"SSRVOPT_TRACE","features":[30]},{"name":"SSRVOPT_UNATTENDED","features":[30]},{"name":"SSRVOPT_URI_FILTER","features":[30]},{"name":"SSRVOPT_URI_TIERS","features":[30]},{"name":"SSRVOPT_WINHTTP","features":[30]},{"name":"SSRVOPT_WININET","features":[30]},{"name":"SSRVURI_ALL","features":[30]},{"name":"SSRVURI_COMPRESSED","features":[30]},{"name":"SSRVURI_FILEPTR","features":[30]},{"name":"SSRVURI_HTTP_COMPRESSED","features":[30]},{"name":"SSRVURI_HTTP_FILEPTR","features":[30]},{"name":"SSRVURI_HTTP_MASK","features":[30]},{"name":"SSRVURI_HTTP_NORMAL","features":[30]},{"name":"SSRVURI_NORMAL","features":[30]},{"name":"SSRVURI_UNC_COMPRESSED","features":[30]},{"name":"SSRVURI_UNC_FILEPTR","features":[30]},{"name":"SSRVURI_UNC_MASK","features":[30]},{"name":"SSRVURI_UNC_NORMAL","features":[30]},{"name":"STACKFRAME","features":[1,30]},{"name":"STACKFRAME64","features":[1,30]},{"name":"STACKFRAME_EX","features":[1,30]},{"name":"STORAGE_DEVICE_ABNORMALITY_DETECTED","features":[30]},{"name":"STORAGE_MINIPORT_ERROR","features":[30]},{"name":"STORE_DATA_STRUCTURE_CORRUPTION","features":[30]},{"name":"STREAMS_INTERNAL_ERROR","features":[30]},{"name":"SYMADDSOURCESTREAM","features":[1,30]},{"name":"SYMADDSOURCESTREAMA","features":[1,30]},{"name":"SYMBOLIC_INITIALIZATION_FAILED","features":[30]},{"name":"SYMBOL_INFO","features":[30]},{"name":"SYMBOL_INFOW","features":[30]},{"name":"SYMBOL_INFO_FLAGS","features":[30]},{"name":"SYMBOL_INFO_PACKAGE","features":[30]},{"name":"SYMBOL_INFO_PACKAGEW","features":[30]},{"name":"SYMENUM_OPTIONS_DEFAULT","features":[30]},{"name":"SYMENUM_OPTIONS_INLINE","features":[30]},{"name":"SYMFLAG_CLR_TOKEN","features":[30]},{"name":"SYMFLAG_CONSTANT","features":[30]},{"name":"SYMFLAG_EXPORT","features":[30]},{"name":"SYMFLAG_FIXUP_ARM64X","features":[30]},{"name":"SYMFLAG_FORWARDER","features":[30]},{"name":"SYMFLAG_FRAMEREL","features":[30]},{"name":"SYMFLAG_FUNCTION","features":[30]},{"name":"SYMFLAG_FUNC_NO_RETURN","features":[30]},{"name":"SYMFLAG_GLOBAL","features":[30]},{"name":"SYMFLAG_ILREL","features":[30]},{"name":"SYMFLAG_LOCAL","features":[30]},{"name":"SYMFLAG_METADATA","features":[30]},{"name":"SYMFLAG_NULL","features":[30]},{"name":"SYMFLAG_PARAMETER","features":[30]},{"name":"SYMFLAG_PUBLIC_CODE","features":[30]},{"name":"SYMFLAG_REGISTER","features":[30]},{"name":"SYMFLAG_REGREL","features":[30]},{"name":"SYMFLAG_REGREL_ALIASINDIR","features":[30]},{"name":"SYMFLAG_RESET","features":[30]},{"name":"SYMFLAG_SLOT","features":[30]},{"name":"SYMFLAG_SYNTHETIC_ZEROBASE","features":[30]},{"name":"SYMFLAG_THUNK","features":[30]},{"name":"SYMFLAG_TLSREL","features":[30]},{"name":"SYMFLAG_VALUEPRESENT","features":[30]},{"name":"SYMFLAG_VIRTUAL","features":[30]},{"name":"SYMF_CONSTANT","features":[30]},{"name":"SYMF_EXPORT","features":[30]},{"name":"SYMF_FORWARDER","features":[30]},{"name":"SYMF_FRAMEREL","features":[30]},{"name":"SYMF_FUNCTION","features":[30]},{"name":"SYMF_LOCAL","features":[30]},{"name":"SYMF_OMAP_GENERATED","features":[30]},{"name":"SYMF_OMAP_MODIFIED","features":[30]},{"name":"SYMF_PARAMETER","features":[30]},{"name":"SYMF_REGISTER","features":[30]},{"name":"SYMF_REGREL","features":[30]},{"name":"SYMF_THUNK","features":[30]},{"name":"SYMF_TLSREL","features":[30]},{"name":"SYMF_VIRTUAL","features":[30]},{"name":"SYMOPT_ALLOW_ABSOLUTE_SYMBOLS","features":[30]},{"name":"SYMOPT_ALLOW_ZERO_ADDRESS","features":[30]},{"name":"SYMOPT_AUTO_PUBLICS","features":[30]},{"name":"SYMOPT_CASE_INSENSITIVE","features":[30]},{"name":"SYMOPT_DEBUG","features":[30]},{"name":"SYMOPT_DEFERRED_LOADS","features":[30]},{"name":"SYMOPT_DISABLE_FAST_SYMBOLS","features":[30]},{"name":"SYMOPT_DISABLE_SRVSTAR_ON_STARTUP","features":[30]},{"name":"SYMOPT_DISABLE_SYMSRV_AUTODETECT","features":[30]},{"name":"SYMOPT_DISABLE_SYMSRV_TIMEOUT","features":[30]},{"name":"SYMOPT_EXACT_SYMBOLS","features":[30]},{"name":"SYMOPT_EX_DISABLEACCESSTIMEUPDATE","features":[30]},{"name":"SYMOPT_EX_LASTVALIDDEBUGDIRECTORY","features":[30]},{"name":"SYMOPT_EX_MAX","features":[30]},{"name":"SYMOPT_EX_NEVERLOADSYMBOLS","features":[30]},{"name":"SYMOPT_EX_NOIMPLICITPATTERNSEARCH","features":[30]},{"name":"SYMOPT_FAIL_CRITICAL_ERRORS","features":[30]},{"name":"SYMOPT_FAVOR_COMPRESSED","features":[30]},{"name":"SYMOPT_FLAT_DIRECTORY","features":[30]},{"name":"SYMOPT_IGNORE_CVREC","features":[30]},{"name":"SYMOPT_IGNORE_IMAGEDIR","features":[30]},{"name":"SYMOPT_IGNORE_NT_SYMPATH","features":[30]},{"name":"SYMOPT_INCLUDE_32BIT_MODULES","features":[30]},{"name":"SYMOPT_LOAD_ANYTHING","features":[30]},{"name":"SYMOPT_LOAD_LINES","features":[30]},{"name":"SYMOPT_NO_CPP","features":[30]},{"name":"SYMOPT_NO_IMAGE_SEARCH","features":[30]},{"name":"SYMOPT_NO_PROMPTS","features":[30]},{"name":"SYMOPT_NO_PUBLICS","features":[30]},{"name":"SYMOPT_NO_UNQUALIFIED_LOADS","features":[30]},{"name":"SYMOPT_OMAP_FIND_NEAREST","features":[30]},{"name":"SYMOPT_OVERWRITE","features":[30]},{"name":"SYMOPT_PUBLICS_ONLY","features":[30]},{"name":"SYMOPT_READONLY_CACHE","features":[30]},{"name":"SYMOPT_SECURE","features":[30]},{"name":"SYMOPT_SYMPATH_LAST","features":[30]},{"name":"SYMOPT_UNDNAME","features":[30]},{"name":"SYMSEARCH_ALLITEMS","features":[30]},{"name":"SYMSEARCH_GLOBALSONLY","features":[30]},{"name":"SYMSEARCH_MASKOBJS","features":[30]},{"name":"SYMSEARCH_RECURSE","features":[30]},{"name":"SYMSRV_EXTENDED_OUTPUT_DATA","features":[30]},{"name":"SYMSRV_INDEX_INFO","features":[1,30]},{"name":"SYMSRV_INDEX_INFOW","features":[1,30]},{"name":"SYMSRV_VERSION","features":[30]},{"name":"SYMSTOREOPT_ALT_INDEX","features":[30]},{"name":"SYMSTOREOPT_COMPRESS","features":[30]},{"name":"SYMSTOREOPT_OVERWRITE","features":[30]},{"name":"SYMSTOREOPT_PASS_IF_EXISTS","features":[30]},{"name":"SYMSTOREOPT_POINTER","features":[30]},{"name":"SYMSTOREOPT_RETURNINDEX","features":[30]},{"name":"SYMSTOREOPT_UNICODE","features":[30]},{"name":"SYM_FIND_ID_OPTION","features":[30]},{"name":"SYM_INLINE_COMP_DIFFERENT","features":[30]},{"name":"SYM_INLINE_COMP_ERROR","features":[30]},{"name":"SYM_INLINE_COMP_IDENTICAL","features":[30]},{"name":"SYM_INLINE_COMP_STEPIN","features":[30]},{"name":"SYM_INLINE_COMP_STEPOUT","features":[30]},{"name":"SYM_INLINE_COMP_STEPOVER","features":[30]},{"name":"SYM_LOAD_FLAGS","features":[30]},{"name":"SYM_SRV_STORE_FILE_FLAGS","features":[30]},{"name":"SYM_STKWALK_DEFAULT","features":[30]},{"name":"SYM_STKWALK_FORCE_FRAMEPTR","features":[30]},{"name":"SYM_STKWALK_ZEROEXTEND_PTRS","features":[30]},{"name":"SYM_TYPE","features":[30]},{"name":"SYNTHETIC_EXCEPTION_UNHANDLED","features":[30]},{"name":"SYNTHETIC_WATCHDOG_TIMEOUT","features":[30]},{"name":"SYSTEM_EXIT_OWNED_MUTEX","features":[30]},{"name":"SYSTEM_IMAGE_BAD_SIGNATURE","features":[30]},{"name":"SYSTEM_LICENSE_VIOLATION","features":[30]},{"name":"SYSTEM_PTE_MISUSE","features":[30]},{"name":"SYSTEM_SCAN_AT_RAISED_IRQL_CAUGHT_IMPROPER_DRIVER_UNLOAD","features":[30]},{"name":"SYSTEM_SERVICE_EXCEPTION","features":[30]},{"name":"SYSTEM_THREAD_EXCEPTION_NOT_HANDLED","features":[30]},{"name":"SYSTEM_THREAD_EXCEPTION_NOT_HANDLED_M","features":[30]},{"name":"SYSTEM_UNWIND_PREVIOUS_USER","features":[30]},{"name":"SearchTreeForFile","features":[1,30]},{"name":"SearchTreeForFileW","features":[1,30]},{"name":"SecondaryFlagsCallback","features":[30]},{"name":"SetCheckUserInterruptShared","features":[30]},{"name":"SetErrorMode","features":[30]},{"name":"SetImageConfigInformation","features":[1,30,7,32]},{"name":"SetImageConfigInformation","features":[1,30,7,32]},{"name":"SetSymLoadError","features":[30]},{"name":"SetThreadContext","features":[1,30,7]},{"name":"SetThreadErrorMode","features":[1,30]},{"name":"SetUnhandledExceptionFilter","features":[1,30,7]},{"name":"SetXStateFeaturesMask","features":[1,30,7]},{"name":"StackWalk","features":[1,30]},{"name":"StackWalk2","features":[1,30]},{"name":"StackWalk64","features":[1,30]},{"name":"StackWalkEx","features":[1,30]},{"name":"SymAddSourceStream","features":[1,30]},{"name":"SymAddSourceStreamA","features":[1,30]},{"name":"SymAddSourceStreamW","features":[1,30]},{"name":"SymAddSymbol","features":[1,30]},{"name":"SymAddSymbolW","features":[1,30]},{"name":"SymAddrIncludeInlineTrace","features":[1,30]},{"name":"SymCleanup","features":[1,30]},{"name":"SymCoff","features":[30]},{"name":"SymCompareInlineTrace","features":[1,30]},{"name":"SymCv","features":[30]},{"name":"SymDeferred","features":[30]},{"name":"SymDeleteSymbol","features":[1,30]},{"name":"SymDeleteSymbolW","features":[1,30]},{"name":"SymDia","features":[30]},{"name":"SymEnumLines","features":[1,30]},{"name":"SymEnumLinesW","features":[1,30]},{"name":"SymEnumProcesses","features":[1,30]},{"name":"SymEnumSourceFileTokens","features":[1,30]},{"name":"SymEnumSourceFiles","features":[1,30]},{"name":"SymEnumSourceFilesW","features":[1,30]},{"name":"SymEnumSourceLines","features":[1,30]},{"name":"SymEnumSourceLinesW","features":[1,30]},{"name":"SymEnumSym","features":[1,30]},{"name":"SymEnumSymbols","features":[1,30]},{"name":"SymEnumSymbolsEx","features":[1,30]},{"name":"SymEnumSymbolsExW","features":[1,30]},{"name":"SymEnumSymbolsForAddr","features":[1,30]},{"name":"SymEnumSymbolsForAddrW","features":[1,30]},{"name":"SymEnumSymbolsW","features":[1,30]},{"name":"SymEnumTypes","features":[1,30]},{"name":"SymEnumTypesByName","features":[1,30]},{"name":"SymEnumTypesByNameW","features":[1,30]},{"name":"SymEnumTypesW","features":[1,30]},{"name":"SymEnumerateModules","features":[1,30]},{"name":"SymEnumerateModules64","features":[1,30]},{"name":"SymEnumerateModulesW64","features":[1,30]},{"name":"SymEnumerateSymbols","features":[1,30]},{"name":"SymEnumerateSymbols64","features":[1,30]},{"name":"SymEnumerateSymbolsW","features":[1,30]},{"name":"SymEnumerateSymbolsW64","features":[1,30]},{"name":"SymExport","features":[30]},{"name":"SymFindDebugInfoFile","features":[1,30]},{"name":"SymFindDebugInfoFileW","features":[1,30]},{"name":"SymFindExecutableImage","features":[1,30]},{"name":"SymFindExecutableImageW","features":[1,30]},{"name":"SymFindFileInPath","features":[1,30]},{"name":"SymFindFileInPathW","features":[1,30]},{"name":"SymFromAddr","features":[1,30]},{"name":"SymFromAddrW","features":[1,30]},{"name":"SymFromIndex","features":[1,30]},{"name":"SymFromIndexW","features":[1,30]},{"name":"SymFromInlineContext","features":[1,30]},{"name":"SymFromInlineContextW","features":[1,30]},{"name":"SymFromName","features":[1,30]},{"name":"SymFromNameW","features":[1,30]},{"name":"SymFromToken","features":[1,30]},{"name":"SymFromTokenW","features":[1,30]},{"name":"SymFunctionTableAccess","features":[1,30]},{"name":"SymFunctionTableAccess64","features":[1,30]},{"name":"SymFunctionTableAccess64AccessRoutines","features":[1,30]},{"name":"SymGetExtendedOption","features":[1,30]},{"name":"SymGetFileLineOffsets64","features":[1,30]},{"name":"SymGetHomeDirectory","features":[30]},{"name":"SymGetHomeDirectoryW","features":[30]},{"name":"SymGetLineFromAddr","features":[1,30]},{"name":"SymGetLineFromAddr64","features":[1,30]},{"name":"SymGetLineFromAddrW64","features":[1,30]},{"name":"SymGetLineFromInlineContext","features":[1,30]},{"name":"SymGetLineFromInlineContextW","features":[1,30]},{"name":"SymGetLineFromName","features":[1,30]},{"name":"SymGetLineFromName64","features":[1,30]},{"name":"SymGetLineFromNameW64","features":[1,30]},{"name":"SymGetLineNext","features":[1,30]},{"name":"SymGetLineNext64","features":[1,30]},{"name":"SymGetLineNextW64","features":[1,30]},{"name":"SymGetLinePrev","features":[1,30]},{"name":"SymGetLinePrev64","features":[1,30]},{"name":"SymGetLinePrevW64","features":[1,30]},{"name":"SymGetModuleBase","features":[1,30]},{"name":"SymGetModuleBase64","features":[1,30]},{"name":"SymGetModuleInfo","features":[1,30]},{"name":"SymGetModuleInfo64","features":[1,30]},{"name":"SymGetModuleInfoW","features":[1,30]},{"name":"SymGetModuleInfoW64","features":[1,30]},{"name":"SymGetOmaps","features":[1,30]},{"name":"SymGetOptions","features":[30]},{"name":"SymGetScope","features":[1,30]},{"name":"SymGetScopeW","features":[1,30]},{"name":"SymGetSearchPath","features":[1,30]},{"name":"SymGetSearchPathW","features":[1,30]},{"name":"SymGetSourceFile","features":[1,30]},{"name":"SymGetSourceFileChecksum","features":[1,30]},{"name":"SymGetSourceFileChecksumW","features":[1,30]},{"name":"SymGetSourceFileFromToken","features":[1,30]},{"name":"SymGetSourceFileFromTokenByTokenName","features":[1,30]},{"name":"SymGetSourceFileFromTokenByTokenNameW","features":[1,30]},{"name":"SymGetSourceFileFromTokenW","features":[1,30]},{"name":"SymGetSourceFileToken","features":[1,30]},{"name":"SymGetSourceFileTokenByTokenName","features":[1,30]},{"name":"SymGetSourceFileTokenByTokenNameW","features":[1,30]},{"name":"SymGetSourceFileTokenW","features":[1,30]},{"name":"SymGetSourceFileW","features":[1,30]},{"name":"SymGetSourceVarFromToken","features":[1,30]},{"name":"SymGetSourceVarFromTokenW","features":[1,30]},{"name":"SymGetSymFromAddr","features":[1,30]},{"name":"SymGetSymFromAddr64","features":[1,30]},{"name":"SymGetSymFromName","features":[1,30]},{"name":"SymGetSymFromName64","features":[1,30]},{"name":"SymGetSymNext","features":[1,30]},{"name":"SymGetSymNext64","features":[1,30]},{"name":"SymGetSymPrev","features":[1,30]},{"name":"SymGetSymPrev64","features":[1,30]},{"name":"SymGetSymbolFile","features":[1,30]},{"name":"SymGetSymbolFileW","features":[1,30]},{"name":"SymGetTypeFromName","features":[1,30]},{"name":"SymGetTypeFromNameW","features":[1,30]},{"name":"SymGetTypeInfo","features":[1,30]},{"name":"SymGetTypeInfoEx","features":[1,30]},{"name":"SymGetUnwindInfo","features":[1,30]},{"name":"SymInitialize","features":[1,30]},{"name":"SymInitializeW","features":[1,30]},{"name":"SymLoadModule","features":[1,30]},{"name":"SymLoadModule64","features":[1,30]},{"name":"SymLoadModuleEx","features":[1,30]},{"name":"SymLoadModuleExW","features":[1,30]},{"name":"SymMatchFileName","features":[1,30]},{"name":"SymMatchFileNameW","features":[1,30]},{"name":"SymMatchString","features":[1,30]},{"name":"SymMatchStringA","features":[1,30]},{"name":"SymMatchStringW","features":[1,30]},{"name":"SymNext","features":[1,30]},{"name":"SymNextW","features":[1,30]},{"name":"SymNone","features":[30]},{"name":"SymPdb","features":[30]},{"name":"SymPrev","features":[1,30]},{"name":"SymPrevW","features":[1,30]},{"name":"SymQueryInlineTrace","features":[1,30]},{"name":"SymRefreshModuleList","features":[1,30]},{"name":"SymRegisterCallback","features":[1,30]},{"name":"SymRegisterCallback64","features":[1,30]},{"name":"SymRegisterCallbackW64","features":[1,30]},{"name":"SymRegisterFunctionEntryCallback","features":[1,30]},{"name":"SymRegisterFunctionEntryCallback64","features":[1,30]},{"name":"SymSearch","features":[1,30]},{"name":"SymSearchW","features":[1,30]},{"name":"SymSetContext","features":[1,30]},{"name":"SymSetExtendedOption","features":[1,30]},{"name":"SymSetHomeDirectory","features":[1,30]},{"name":"SymSetHomeDirectoryW","features":[1,30]},{"name":"SymSetOptions","features":[30]},{"name":"SymSetParentWindow","features":[1,30]},{"name":"SymSetScopeFromAddr","features":[1,30]},{"name":"SymSetScopeFromIndex","features":[1,30]},{"name":"SymSetScopeFromInlineContext","features":[1,30]},{"name":"SymSetSearchPath","features":[1,30]},{"name":"SymSetSearchPathW","features":[1,30]},{"name":"SymSrvDeltaName","features":[1,30]},{"name":"SymSrvDeltaNameW","features":[1,30]},{"name":"SymSrvGetFileIndexInfo","features":[1,30]},{"name":"SymSrvGetFileIndexInfoW","features":[1,30]},{"name":"SymSrvGetFileIndexString","features":[1,30]},{"name":"SymSrvGetFileIndexStringW","features":[1,30]},{"name":"SymSrvGetFileIndexes","features":[1,30]},{"name":"SymSrvGetFileIndexesW","features":[1,30]},{"name":"SymSrvGetSupplement","features":[1,30]},{"name":"SymSrvGetSupplementW","features":[1,30]},{"name":"SymSrvIsStore","features":[1,30]},{"name":"SymSrvIsStoreW","features":[1,30]},{"name":"SymSrvStoreFile","features":[1,30]},{"name":"SymSrvStoreFileW","features":[1,30]},{"name":"SymSrvStoreSupplement","features":[1,30]},{"name":"SymSrvStoreSupplementW","features":[1,30]},{"name":"SymSym","features":[30]},{"name":"SymUnDName","features":[1,30]},{"name":"SymUnDName64","features":[1,30]},{"name":"SymUnloadModule","features":[1,30]},{"name":"SymUnloadModule64","features":[1,30]},{"name":"SymVirtual","features":[30]},{"name":"SystemInfoStream","features":[30]},{"name":"SystemMemoryInfoStream","features":[30]},{"name":"TARGET_ATTRIBUTE_PACMASK","features":[30]},{"name":"TARGET_MDL_TOO_SMALL","features":[30]},{"name":"TCPIP_AOAC_NIC_ACTIVE_REFERENCE_LEAK","features":[30]},{"name":"TELEMETRY_ASSERTS_LIVEDUMP","features":[30]},{"name":"TERMINAL_SERVER_DRIVER_MADE_INCORRECT_MEMORY_REFERENCE","features":[30]},{"name":"THIRD_PARTY_FILE_SYSTEM_FAILURE","features":[30]},{"name":"THREAD_ERROR_MODE","features":[30]},{"name":"THREAD_NOT_MUTEX_OWNER","features":[30]},{"name":"THREAD_STUCK_IN_DEVICE_DRIVER","features":[30]},{"name":"THREAD_STUCK_IN_DEVICE_DRIVER_M","features":[30]},{"name":"THREAD_TERMINATE_HELD_MUTEX","features":[30]},{"name":"THREAD_WRITE_FLAGS","features":[30]},{"name":"TIMER_OR_DPC_INVALID","features":[30]},{"name":"TI_FINDCHILDREN","features":[30]},{"name":"TI_FINDCHILDREN_PARAMS","features":[30]},{"name":"TI_GET_ADDRESS","features":[30]},{"name":"TI_GET_ADDRESSOFFSET","features":[30]},{"name":"TI_GET_ARRAYINDEXTYPEID","features":[30]},{"name":"TI_GET_BASETYPE","features":[30]},{"name":"TI_GET_BITPOSITION","features":[30]},{"name":"TI_GET_CALLING_CONVENTION","features":[30]},{"name":"TI_GET_CHILDRENCOUNT","features":[30]},{"name":"TI_GET_CLASSPARENTID","features":[30]},{"name":"TI_GET_COUNT","features":[30]},{"name":"TI_GET_DATAKIND","features":[30]},{"name":"TI_GET_INDIRECTVIRTUALBASECLASS","features":[30]},{"name":"TI_GET_IS_REFERENCE","features":[30]},{"name":"TI_GET_LENGTH","features":[30]},{"name":"TI_GET_LEXICALPARENT","features":[30]},{"name":"TI_GET_NESTED","features":[30]},{"name":"TI_GET_OBJECTPOINTERTYPE","features":[30]},{"name":"TI_GET_OFFSET","features":[30]},{"name":"TI_GET_SYMINDEX","features":[30]},{"name":"TI_GET_SYMNAME","features":[30]},{"name":"TI_GET_SYMTAG","features":[30]},{"name":"TI_GET_THISADJUST","features":[30]},{"name":"TI_GET_TYPE","features":[30]},{"name":"TI_GET_TYPEID","features":[30]},{"name":"TI_GET_UDTKIND","features":[30]},{"name":"TI_GET_VALUE","features":[30]},{"name":"TI_GET_VIRTUALBASECLASS","features":[30]},{"name":"TI_GET_VIRTUALBASEDISPINDEX","features":[30]},{"name":"TI_GET_VIRTUALBASEOFFSET","features":[30]},{"name":"TI_GET_VIRTUALBASEPOINTEROFFSET","features":[30]},{"name":"TI_GET_VIRTUALBASETABLETYPE","features":[30]},{"name":"TI_GET_VIRTUALTABLESHAPEID","features":[30]},{"name":"TI_GTIEX_REQS_VALID","features":[30]},{"name":"TI_IS_CLOSE_EQUIV_TO","features":[30]},{"name":"TI_IS_EQUIV_TO","features":[30]},{"name":"TOO_MANY_RECURSIVE_FAULTS","features":[30]},{"name":"TRAP_CAUSE_UNKNOWN","features":[30]},{"name":"TTM_FATAL_ERROR","features":[30]},{"name":"TTM_WATCHDOG_TIMEOUT","features":[30]},{"name":"TerminateProcessOnMemoryExhaustion","features":[30]},{"name":"ThreadCallback","features":[30]},{"name":"ThreadExCallback","features":[30]},{"name":"ThreadExListStream","features":[30]},{"name":"ThreadInfoListStream","features":[30]},{"name":"ThreadListStream","features":[30]},{"name":"ThreadNamesStream","features":[30]},{"name":"ThreadWriteBackingStore","features":[30]},{"name":"ThreadWriteContext","features":[30]},{"name":"ThreadWriteInstructionWindow","features":[30]},{"name":"ThreadWriteStack","features":[30]},{"name":"ThreadWriteThread","features":[30]},{"name":"ThreadWriteThreadData","features":[30]},{"name":"ThreadWriteThreadInfo","features":[30]},{"name":"TokenStream","features":[30]},{"name":"TouchFileTimes","features":[1,30]},{"name":"UCMUCSI_FAILURE","features":[30]},{"name":"UCMUCSI_LIVEDUMP","features":[30]},{"name":"UDFS_FILE_SYSTEM","features":[30]},{"name":"UFX_LIVEDUMP","features":[30]},{"name":"UNDNAME_32_BIT_DECODE","features":[30]},{"name":"UNDNAME_COMPLETE","features":[30]},{"name":"UNDNAME_NAME_ONLY","features":[30]},{"name":"UNDNAME_NO_ACCESS_SPECIFIERS","features":[30]},{"name":"UNDNAME_NO_ALLOCATION_LANGUAGE","features":[30]},{"name":"UNDNAME_NO_ALLOCATION_MODEL","features":[30]},{"name":"UNDNAME_NO_ARGUMENTS","features":[30]},{"name":"UNDNAME_NO_CV_THISTYPE","features":[30]},{"name":"UNDNAME_NO_FUNCTION_RETURNS","features":[30]},{"name":"UNDNAME_NO_LEADING_UNDERSCORES","features":[30]},{"name":"UNDNAME_NO_MEMBER_TYPE","features":[30]},{"name":"UNDNAME_NO_MS_KEYWORDS","features":[30]},{"name":"UNDNAME_NO_MS_THISTYPE","features":[30]},{"name":"UNDNAME_NO_RETURN_UDT_MODEL","features":[30]},{"name":"UNDNAME_NO_SPECIAL_SYMS","features":[30]},{"name":"UNDNAME_NO_THISTYPE","features":[30]},{"name":"UNDNAME_NO_THROW_SIGNATURES","features":[30]},{"name":"UNEXPECTED_INITIALIZATION_CALL","features":[30]},{"name":"UNEXPECTED_KERNEL_MODE_TRAP","features":[30]},{"name":"UNEXPECTED_KERNEL_MODE_TRAP_M","features":[30]},{"name":"UNEXPECTED_STORE_EXCEPTION","features":[30]},{"name":"UNLOAD_DLL_DEBUG_EVENT","features":[30]},{"name":"UNLOAD_DLL_DEBUG_INFO","features":[30]},{"name":"UNMOUNTABLE_BOOT_VOLUME","features":[30]},{"name":"UNSUPPORTED_INSTRUCTION_MODE","features":[30]},{"name":"UNSUPPORTED_PROCESSOR","features":[30]},{"name":"UNWIND_HISTORY_TABLE","features":[30]},{"name":"UNWIND_HISTORY_TABLE_ENTRY","features":[30]},{"name":"UNWIND_HISTORY_TABLE_ENTRY","features":[30]},{"name":"UNWIND_ON_INVALID_STACK","features":[30]},{"name":"UNW_FLAG_CHAININFO","features":[30]},{"name":"UNW_FLAG_EHANDLER","features":[30]},{"name":"UNW_FLAG_NHANDLER","features":[30]},{"name":"UNW_FLAG_UHANDLER","features":[30]},{"name":"UP_DRIVER_ON_MP_SYSTEM","features":[30]},{"name":"USB4_HARDWARE_VIOLATION","features":[30]},{"name":"USB_DRIPS_BLOCKER_SURPRISE_REMOVAL_LIVEDUMP","features":[30]},{"name":"USER_MODE_HEALTH_MONITOR","features":[30]},{"name":"USER_MODE_HEALTH_MONITOR_LIVEDUMP","features":[30]},{"name":"UnDecorateSymbolName","features":[30]},{"name":"UnDecorateSymbolNameW","features":[30]},{"name":"UnMapAndLoad","features":[1,30,7,32]},{"name":"UnhandledExceptionFilter","features":[1,30,7]},{"name":"UnloadedModuleListStream","features":[30]},{"name":"UnusedStream","features":[30]},{"name":"UpdateDebugInfoFile","features":[1,30,32]},{"name":"UpdateDebugInfoFileEx","features":[1,30,32]},{"name":"VER_PLATFORM","features":[30]},{"name":"VER_PLATFORM_WIN32_NT","features":[30]},{"name":"VER_PLATFORM_WIN32_WINDOWS","features":[30]},{"name":"VER_PLATFORM_WIN32s","features":[30]},{"name":"VHD_BOOT_HOST_VOLUME_NOT_ENOUGH_SPACE","features":[30]},{"name":"VHD_BOOT_INITIALIZATION_FAILED","features":[30]},{"name":"VIDEO_DRIVER_DEBUG_REPORT_REQUEST","features":[30]},{"name":"VIDEO_DRIVER_INIT_FAILURE","features":[30]},{"name":"VIDEO_DWMINIT_TIMEOUT_FALLBACK_BDD","features":[30]},{"name":"VIDEO_DXGKRNL_BLACK_SCREEN_LIVEDUMP","features":[30]},{"name":"VIDEO_DXGKRNL_FATAL_ERROR","features":[30]},{"name":"VIDEO_DXGKRNL_LIVEDUMP","features":[30]},{"name":"VIDEO_DXGKRNL_SYSMM_FATAL_ERROR","features":[30]},{"name":"VIDEO_ENGINE_TIMEOUT_DETECTED","features":[30]},{"name":"VIDEO_MEMORY_MANAGEMENT_INTERNAL","features":[30]},{"name":"VIDEO_MINIPORT_BLACK_SCREEN_LIVEDUMP","features":[30]},{"name":"VIDEO_MINIPORT_FAILED_LIVEDUMP","features":[30]},{"name":"VIDEO_SCHEDULER_INTERNAL_ERROR","features":[30]},{"name":"VIDEO_SHADOW_DRIVER_FATAL_ERROR","features":[30]},{"name":"VIDEO_TDR_APPLICATION_BLOCKED","features":[30]},{"name":"VIDEO_TDR_FAILURE","features":[30]},{"name":"VIDEO_TDR_TIMEOUT_DETECTED","features":[30]},{"name":"VMBUS_LIVEDUMP","features":[30]},{"name":"VOLMGRX_INTERNAL_ERROR","features":[30]},{"name":"VOLSNAP_OVERLAPPED_TABLE_ACCESS","features":[30]},{"name":"VSL_INITIALIZATION_FAILED","features":[30]},{"name":"VmPostReadCallback","features":[30]},{"name":"VmPreReadCallback","features":[30]},{"name":"VmQueryCallback","features":[30]},{"name":"VmStartCallback","features":[30]},{"name":"WAITCHAIN_NODE_INFO","features":[1,30]},{"name":"WAIT_CHAIN_THREAD_OPTIONS","features":[30]},{"name":"WCT_ASYNC_OPEN_FLAG","features":[30]},{"name":"WCT_MAX_NODE_COUNT","features":[30]},{"name":"WCT_NETWORK_IO_FLAG","features":[30]},{"name":"WCT_OBJECT_STATUS","features":[30]},{"name":"WCT_OBJECT_TYPE","features":[30]},{"name":"WCT_OBJNAME_LENGTH","features":[30]},{"name":"WCT_OUT_OF_PROC_COM_FLAG","features":[30]},{"name":"WCT_OUT_OF_PROC_CS_FLAG","features":[30]},{"name":"WCT_OUT_OF_PROC_FLAG","features":[30]},{"name":"WDF_VIOLATION","features":[30]},{"name":"WFP_INVALID_OPERATION","features":[30]},{"name":"WHEA_AER_BRIDGE_DESCRIPTOR","features":[1,30]},{"name":"WHEA_AER_ENDPOINT_DESCRIPTOR","features":[1,30]},{"name":"WHEA_AER_ROOTPORT_DESCRIPTOR","features":[1,30]},{"name":"WHEA_BAD_PAGE_LIST_LOCATION","features":[30]},{"name":"WHEA_BAD_PAGE_LIST_MAX_SIZE","features":[30]},{"name":"WHEA_CMCI_THRESHOLD_COUNT","features":[30]},{"name":"WHEA_CMCI_THRESHOLD_POLL_COUNT","features":[30]},{"name":"WHEA_CMCI_THRESHOLD_TIME","features":[30]},{"name":"WHEA_DEVICE_DRIVER_BUFFER_SET_MAX","features":[30]},{"name":"WHEA_DEVICE_DRIVER_BUFFER_SET_MIN","features":[30]},{"name":"WHEA_DEVICE_DRIVER_BUFFER_SET_V1","features":[30]},{"name":"WHEA_DEVICE_DRIVER_CONFIG_MAX","features":[30]},{"name":"WHEA_DEVICE_DRIVER_CONFIG_MIN","features":[30]},{"name":"WHEA_DEVICE_DRIVER_CONFIG_V1","features":[30]},{"name":"WHEA_DEVICE_DRIVER_CONFIG_V2","features":[30]},{"name":"WHEA_DEVICE_DRIVER_DESCRIPTOR","features":[1,30]},{"name":"WHEA_DISABLE_DUMMY_WRITE","features":[30]},{"name":"WHEA_DISABLE_OFFLINE","features":[30]},{"name":"WHEA_DRIVER_BUFFER_SET","features":[30]},{"name":"WHEA_ERROR_SOURCE_CONFIGURATION_DD","features":[1,30]},{"name":"WHEA_ERROR_SOURCE_CONFIGURATION_DEVICE_DRIVER","features":[1,30]},{"name":"WHEA_ERROR_SOURCE_CONFIGURATION_DEVICE_DRIVER_V1","features":[1,30]},{"name":"WHEA_ERROR_SOURCE_CORRECT_DEVICE_DRIVER","features":[1,30]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR","features":[1,30]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_TYPE_AERBRIDGE","features":[30]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_TYPE_AERENDPOINT","features":[30]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_TYPE_AERROOTPORT","features":[30]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_TYPE_GENERIC","features":[30]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_TYPE_GENERIC_V2","features":[30]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_TYPE_IPFCMC","features":[30]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_TYPE_IPFCPE","features":[30]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_TYPE_IPFMCA","features":[30]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_TYPE_XPFCMC","features":[30]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_TYPE_XPFMCE","features":[30]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_TYPE_XPFNMI","features":[30]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_VERSION_10","features":[30]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_VERSION_11","features":[30]},{"name":"WHEA_ERROR_SOURCE_FLAG_DEFAULTSOURCE","features":[30]},{"name":"WHEA_ERROR_SOURCE_FLAG_FIRMWAREFIRST","features":[30]},{"name":"WHEA_ERROR_SOURCE_FLAG_GHES_ASSIST","features":[30]},{"name":"WHEA_ERROR_SOURCE_FLAG_GLOBAL","features":[30]},{"name":"WHEA_ERROR_SOURCE_INITIALIZE_DEVICE_DRIVER","features":[1,30]},{"name":"WHEA_ERROR_SOURCE_INVALID_RELATED_SOURCE","features":[30]},{"name":"WHEA_ERROR_SOURCE_STATE","features":[30]},{"name":"WHEA_ERROR_SOURCE_TYPE","features":[30]},{"name":"WHEA_ERROR_SOURCE_UNINITIALIZE_DEVICE_DRIVER","features":[30]},{"name":"WHEA_GENERIC_ERROR_DESCRIPTOR","features":[30]},{"name":"WHEA_GENERIC_ERROR_DESCRIPTOR_V2","features":[30]},{"name":"WHEA_INTERNAL_ERROR","features":[30]},{"name":"WHEA_IPF_CMC_DESCRIPTOR","features":[30]},{"name":"WHEA_IPF_CPE_DESCRIPTOR","features":[30]},{"name":"WHEA_IPF_MCA_DESCRIPTOR","features":[30]},{"name":"WHEA_MAX_MC_BANKS","features":[30]},{"name":"WHEA_MEM_PERSISTOFFLINE","features":[30]},{"name":"WHEA_MEM_PFA_DISABLE","features":[30]},{"name":"WHEA_MEM_PFA_PAGECOUNT","features":[30]},{"name":"WHEA_MEM_PFA_THRESHOLD","features":[30]},{"name":"WHEA_MEM_PFA_TIMEOUT","features":[30]},{"name":"WHEA_NOTIFICATION_DESCRIPTOR","features":[30]},{"name":"WHEA_NOTIFICATION_FLAGS","features":[30]},{"name":"WHEA_NOTIFICATION_TYPE_ARMV8_SEA","features":[30]},{"name":"WHEA_NOTIFICATION_TYPE_ARMV8_SEI","features":[30]},{"name":"WHEA_NOTIFICATION_TYPE_CMCI","features":[30]},{"name":"WHEA_NOTIFICATION_TYPE_EXTERNALINTERRUPT","features":[30]},{"name":"WHEA_NOTIFICATION_TYPE_EXTERNALINTERRUPT_GSIV","features":[30]},{"name":"WHEA_NOTIFICATION_TYPE_GPIO_SIGNAL","features":[30]},{"name":"WHEA_NOTIFICATION_TYPE_LOCALINTERRUPT","features":[30]},{"name":"WHEA_NOTIFICATION_TYPE_MCE","features":[30]},{"name":"WHEA_NOTIFICATION_TYPE_NMI","features":[30]},{"name":"WHEA_NOTIFICATION_TYPE_POLLED","features":[30]},{"name":"WHEA_NOTIFICATION_TYPE_SCI","features":[30]},{"name":"WHEA_NOTIFICATION_TYPE_SDEI","features":[30]},{"name":"WHEA_NOTIFY_ALL_OFFLINES","features":[30]},{"name":"WHEA_PCI_SLOT_NUMBER","features":[30]},{"name":"WHEA_PENDING_PAGE_LIST_SZ","features":[30]},{"name":"WHEA_RESTORE_CMCI_ATTEMPTS","features":[30]},{"name":"WHEA_RESTORE_CMCI_ENABLED","features":[30]},{"name":"WHEA_RESTORE_CMCI_ERR_LIMIT","features":[30]},{"name":"WHEA_ROW_FAIL_CHECK_ENABLE","features":[30]},{"name":"WHEA_ROW_FAIL_CHECK_EXTENT","features":[30]},{"name":"WHEA_ROW_FAIL_CHECK_THRESHOLD","features":[30]},{"name":"WHEA_UNCORRECTABLE_ERROR","features":[30]},{"name":"WHEA_XPF_CMC_DESCRIPTOR","features":[1,30]},{"name":"WHEA_XPF_MCE_DESCRIPTOR","features":[1,30]},{"name":"WHEA_XPF_MC_BANK_DESCRIPTOR","features":[1,30]},{"name":"WHEA_XPF_MC_BANK_STATUSFORMAT_AMD64MCA","features":[30]},{"name":"WHEA_XPF_MC_BANK_STATUSFORMAT_IA32MCA","features":[30]},{"name":"WHEA_XPF_MC_BANK_STATUSFORMAT_Intel64MCA","features":[30]},{"name":"WHEA_XPF_NMI_DESCRIPTOR","features":[1,30]},{"name":"WIN32K_ATOMIC_CHECK_FAILURE","features":[30]},{"name":"WIN32K_CALLOUT_WATCHDOG_BUGCHECK","features":[30]},{"name":"WIN32K_CALLOUT_WATCHDOG_LIVEDUMP","features":[30]},{"name":"WIN32K_CRITICAL_FAILURE","features":[30]},{"name":"WIN32K_CRITICAL_FAILURE_LIVEDUMP","features":[30]},{"name":"WIN32K_HANDLE_MANAGER","features":[30]},{"name":"WIN32K_INIT_OR_RIT_FAILURE","features":[30]},{"name":"WIN32K_POWER_WATCHDOG_TIMEOUT","features":[30]},{"name":"WIN32K_SECURITY_FAILURE","features":[30]},{"name":"WINDOWS_NT_BANNER","features":[30]},{"name":"WINDOWS_NT_CSD_STRING","features":[30]},{"name":"WINDOWS_NT_INFO_STRING","features":[30]},{"name":"WINDOWS_NT_INFO_STRING_PLURAL","features":[30]},{"name":"WINDOWS_NT_MP_STRING","features":[30]},{"name":"WINDOWS_NT_RC_STRING","features":[30]},{"name":"WINLOGON_FATAL_ERROR","features":[30]},{"name":"WINSOCK_DETECTED_HUNG_CLOSESOCKET_LIVEDUMP","features":[30]},{"name":"WORKER_INVALID","features":[30]},{"name":"WORKER_THREAD_INVALID_STATE","features":[30]},{"name":"WORKER_THREAD_RETURNED_AT_BAD_IRQL","features":[30]},{"name":"WORKER_THREAD_RETURNED_WHILE_ATTACHED_TO_SILO","features":[30]},{"name":"WORKER_THREAD_RETURNED_WITH_BAD_IO_PRIORITY","features":[30]},{"name":"WORKER_THREAD_RETURNED_WITH_BAD_PAGING_IO_PRIORITY","features":[30]},{"name":"WORKER_THREAD_RETURNED_WITH_NON_DEFAULT_WORKLOAD_CLASS","features":[30]},{"name":"WORKER_THREAD_RETURNED_WITH_SYSTEM_PAGE_PRIORITY_ACTIVE","features":[30]},{"name":"WORKER_THREAD_TEST_CONDITION","features":[30]},{"name":"WOW64_CONTEXT","features":[30]},{"name":"WOW64_CONTEXT_ALL","features":[30]},{"name":"WOW64_CONTEXT_CONTROL","features":[30]},{"name":"WOW64_CONTEXT_DEBUG_REGISTERS","features":[30]},{"name":"WOW64_CONTEXT_EXCEPTION_ACTIVE","features":[30]},{"name":"WOW64_CONTEXT_EXCEPTION_REPORTING","features":[30]},{"name":"WOW64_CONTEXT_EXCEPTION_REQUEST","features":[30]},{"name":"WOW64_CONTEXT_EXTENDED_REGISTERS","features":[30]},{"name":"WOW64_CONTEXT_FLAGS","features":[30]},{"name":"WOW64_CONTEXT_FLOATING_POINT","features":[30]},{"name":"WOW64_CONTEXT_FULL","features":[30]},{"name":"WOW64_CONTEXT_INTEGER","features":[30]},{"name":"WOW64_CONTEXT_SEGMENTS","features":[30]},{"name":"WOW64_CONTEXT_SERVICE_ACTIVE","features":[30]},{"name":"WOW64_CONTEXT_X86","features":[30]},{"name":"WOW64_CONTEXT_XSTATE","features":[30]},{"name":"WOW64_DESCRIPTOR_TABLE_ENTRY","features":[30]},{"name":"WOW64_FLOATING_SAVE_AREA","features":[30]},{"name":"WOW64_LDT_ENTRY","features":[30]},{"name":"WOW64_MAXIMUM_SUPPORTED_EXTENSION","features":[30]},{"name":"WOW64_SIZE_OF_80387_REGISTERS","features":[30]},{"name":"WVR_LIVEDUMP_APP_IO_TIMEOUT","features":[30]},{"name":"WVR_LIVEDUMP_CRITICAL_ERROR","features":[30]},{"name":"WVR_LIVEDUMP_MANUALLY_INITIATED","features":[30]},{"name":"WVR_LIVEDUMP_RECOVERY_IOCONTEXT_TIMEOUT","features":[30]},{"name":"WVR_LIVEDUMP_REPLICATION_IOCONTEXT_TIMEOUT","features":[30]},{"name":"WVR_LIVEDUMP_STATE_FAILURE","features":[30]},{"name":"WVR_LIVEDUMP_STATE_TRANSITION_TIMEOUT","features":[30]},{"name":"WaitForDebugEvent","features":[1,30,37]},{"name":"WaitForDebugEventEx","features":[1,30,37]},{"name":"WctAlpcType","features":[30]},{"name":"WctComActivationType","features":[30]},{"name":"WctComType","features":[30]},{"name":"WctCriticalSectionType","features":[30]},{"name":"WctMaxType","features":[30]},{"name":"WctMutexType","features":[30]},{"name":"WctProcessWaitType","features":[30]},{"name":"WctSendMessageType","features":[30]},{"name":"WctSmbIoType","features":[30]},{"name":"WctSocketIoType","features":[30]},{"name":"WctStatusAbandoned","features":[30]},{"name":"WctStatusBlocked","features":[30]},{"name":"WctStatusError","features":[30]},{"name":"WctStatusMax","features":[30]},{"name":"WctStatusNoAccess","features":[30]},{"name":"WctStatusNotOwned","features":[30]},{"name":"WctStatusOwned","features":[30]},{"name":"WctStatusPidOnly","features":[30]},{"name":"WctStatusPidOnlyRpcss","features":[30]},{"name":"WctStatusRunning","features":[30]},{"name":"WctStatusUnknown","features":[30]},{"name":"WctThreadType","features":[30]},{"name":"WctThreadWaitType","features":[30]},{"name":"WctUnknownType","features":[30]},{"name":"WheaErrSrcStateRemovePending","features":[30]},{"name":"WheaErrSrcStateRemoved","features":[30]},{"name":"WheaErrSrcStateStarted","features":[30]},{"name":"WheaErrSrcStateStopped","features":[30]},{"name":"WheaErrSrcTypeBMC","features":[30]},{"name":"WheaErrSrcTypeBOOT","features":[30]},{"name":"WheaErrSrcTypeCMC","features":[30]},{"name":"WheaErrSrcTypeCPE","features":[30]},{"name":"WheaErrSrcTypeDeviceDriver","features":[30]},{"name":"WheaErrSrcTypeGeneric","features":[30]},{"name":"WheaErrSrcTypeGenericV2","features":[30]},{"name":"WheaErrSrcTypeINIT","features":[30]},{"name":"WheaErrSrcTypeIPFCMC","features":[30]},{"name":"WheaErrSrcTypeIPFCPE","features":[30]},{"name":"WheaErrSrcTypeIPFMCA","features":[30]},{"name":"WheaErrSrcTypeMCE","features":[30]},{"name":"WheaErrSrcTypeMax","features":[30]},{"name":"WheaErrSrcTypeNMI","features":[30]},{"name":"WheaErrSrcTypePCIe","features":[30]},{"name":"WheaErrSrcTypePMEM","features":[30]},{"name":"WheaErrSrcTypeSCIGeneric","features":[30]},{"name":"WheaErrSrcTypeSCIGenericV2","features":[30]},{"name":"WheaErrSrcTypeSea","features":[30]},{"name":"WheaErrSrcTypeSei","features":[30]},{"name":"Wow64GetThreadContext","features":[1,30]},{"name":"Wow64GetThreadSelectorEntry","features":[1,30]},{"name":"Wow64SetThreadContext","features":[1,30]},{"name":"WriteKernelMinidumpCallback","features":[30]},{"name":"WriteProcessMemory","features":[1,30]},{"name":"XBOX_360_SYSTEM_CRASH","features":[30]},{"name":"XBOX_360_SYSTEM_CRASH_RESERVED","features":[30]},{"name":"XBOX_CORRUPTED_IMAGE","features":[30]},{"name":"XBOX_CORRUPTED_IMAGE_BASE","features":[30]},{"name":"XBOX_INVERTED_FUNCTION_TABLE_OVERFLOW","features":[30]},{"name":"XBOX_MANUALLY_INITIATED_CRASH","features":[30]},{"name":"XBOX_SECURITY_FAILUE","features":[30]},{"name":"XBOX_SHUTDOWN_WATCHDOG_TIMEOUT","features":[30]},{"name":"XBOX_VMCTRL_CS_TIMEOUT","features":[30]},{"name":"XBOX_XDS_WATCHDOG_TIMEOUT","features":[30]},{"name":"XNS_INTERNAL_ERROR","features":[30]},{"name":"XPF_MCE_FLAGS","features":[30]},{"name":"XPF_MC_BANK_FLAGS","features":[30]},{"name":"XSAVE_AREA","features":[30]},{"name":"XSAVE_AREA_HEADER","features":[30]},{"name":"XSAVE_FORMAT","features":[30]},{"name":"XSAVE_FORMAT","features":[30]},{"name":"XSTATE_CONFIGURATION","features":[30]},{"name":"XSTATE_CONFIG_FEATURE_MSC_INFO","features":[30]},{"name":"XSTATE_CONTEXT","features":[30]},{"name":"XSTATE_CONTEXT","features":[30]},{"name":"XSTATE_FEATURE","features":[30]},{"name":"ceStreamBucketParameters","features":[30]},{"name":"ceStreamDiagnosisList","features":[30]},{"name":"ceStreamException","features":[30]},{"name":"ceStreamMemoryPhysicalList","features":[30]},{"name":"ceStreamMemoryVirtualList","features":[30]},{"name":"ceStreamModuleList","features":[30]},{"name":"ceStreamNull","features":[30]},{"name":"ceStreamProcessList","features":[30]},{"name":"ceStreamProcessModuleMap","features":[30]},{"name":"ceStreamSystemInfo","features":[30]},{"name":"ceStreamThreadCallStackList","features":[30]},{"name":"ceStreamThreadContextList","features":[30]},{"name":"ceStreamThreadList","features":[30]},{"name":"hdBase","features":[30]},{"name":"hdMax","features":[30]},{"name":"hdSrc","features":[30]},{"name":"hdSym","features":[30]},{"name":"sevAttn","features":[30]},{"name":"sevFatal","features":[30]},{"name":"sevInfo","features":[30]},{"name":"sevMax","features":[30]},{"name":"sevProblem","features":[30]},{"name":"sfDbg","features":[30]},{"name":"sfImage","features":[30]},{"name":"sfMax","features":[30]},{"name":"sfMpd","features":[30]},{"name":"sfPdb","features":[30]}],"554":[{"name":"ADDRESS_TYPE_INDEX_NOT_FOUND","features":[164]},{"name":"Ambiguous","features":[164]},{"name":"ArrayDimension","features":[164]},{"name":"BUSDATA","features":[164]},{"name":"CANNOT_ALLOCATE_MEMORY","features":[164]},{"name":"CKCL_DATA","features":[164]},{"name":"CKCL_LISTHEAD","features":[1,164]},{"name":"CLSID_DebugFailureAnalysisBasic","features":[164]},{"name":"CLSID_DebugFailureAnalysisKernel","features":[164]},{"name":"CLSID_DebugFailureAnalysisTarget","features":[164]},{"name":"CLSID_DebugFailureAnalysisUser","features":[164]},{"name":"CLSID_DebugFailureAnalysisWinCE","features":[164]},{"name":"CLSID_DebugFailureAnalysisXBox360","features":[164]},{"name":"CPU_INFO","features":[164]},{"name":"CPU_INFO_v1","features":[164]},{"name":"CPU_INFO_v2","features":[164]},{"name":"CROSS_PLATFORM_MAXIMUM_PROCESSORS","features":[164]},{"name":"CURRENT_KD_SECONDARY_VERSION","features":[164]},{"name":"CallingConventionCDecl","features":[164]},{"name":"CallingConventionFastCall","features":[164]},{"name":"CallingConventionKind","features":[164]},{"name":"CallingConventionStdCall","features":[164]},{"name":"CallingConventionSysCall","features":[164]},{"name":"CallingConventionThisCall","features":[164]},{"name":"CallingConventionUnknown","features":[164]},{"name":"CreateDataModelManager","features":[164]},{"name":"DBGKD_DEBUG_DATA_HEADER32","features":[164,7]},{"name":"DBGKD_DEBUG_DATA_HEADER64","features":[164,7]},{"name":"DBGKD_GET_VERSION32","features":[164]},{"name":"DBGKD_GET_VERSION64","features":[164]},{"name":"DBGKD_MAJOR_BIG","features":[164]},{"name":"DBGKD_MAJOR_CE","features":[164]},{"name":"DBGKD_MAJOR_COUNT","features":[164]},{"name":"DBGKD_MAJOR_EFI","features":[164]},{"name":"DBGKD_MAJOR_EXDI","features":[164]},{"name":"DBGKD_MAJOR_HYPERVISOR","features":[164]},{"name":"DBGKD_MAJOR_MIDORI","features":[164]},{"name":"DBGKD_MAJOR_NT","features":[164]},{"name":"DBGKD_MAJOR_NTBD","features":[164]},{"name":"DBGKD_MAJOR_SINGULARITY","features":[164]},{"name":"DBGKD_MAJOR_TNT","features":[164]},{"name":"DBGKD_MAJOR_TYPES","features":[164]},{"name":"DBGKD_MAJOR_XBOX","features":[164]},{"name":"DBGKD_SIMULATION_EXDI","features":[164]},{"name":"DBGKD_SIMULATION_NONE","features":[164]},{"name":"DBGKD_VERS_FLAG_DATA","features":[164]},{"name":"DBGKD_VERS_FLAG_HAL_IN_NTOS","features":[164]},{"name":"DBGKD_VERS_FLAG_HSS","features":[164]},{"name":"DBGKD_VERS_FLAG_MP","features":[164]},{"name":"DBGKD_VERS_FLAG_NOMM","features":[164]},{"name":"DBGKD_VERS_FLAG_PARTITIONS","features":[164]},{"name":"DBGKD_VERS_FLAG_PTR64","features":[164]},{"name":"DBG_DUMP_ADDRESS_AT_END","features":[164]},{"name":"DBG_DUMP_ADDRESS_OF_FIELD","features":[164]},{"name":"DBG_DUMP_ARRAY","features":[164]},{"name":"DBG_DUMP_BLOCK_RECURSE","features":[164]},{"name":"DBG_DUMP_CALL_FOR_EACH","features":[164]},{"name":"DBG_DUMP_COMPACT_OUT","features":[164]},{"name":"DBG_DUMP_COPY_TYPE_DATA","features":[164]},{"name":"DBG_DUMP_FIELD_ARRAY","features":[164]},{"name":"DBG_DUMP_FIELD_CALL_BEFORE_PRINT","features":[164]},{"name":"DBG_DUMP_FIELD_COPY_FIELD_DATA","features":[164]},{"name":"DBG_DUMP_FIELD_DEFAULT_STRING","features":[164]},{"name":"DBG_DUMP_FIELD_FULL_NAME","features":[164]},{"name":"DBG_DUMP_FIELD_GUID_STRING","features":[164]},{"name":"DBG_DUMP_FIELD_MULTI_STRING","features":[164]},{"name":"DBG_DUMP_FIELD_NO_CALLBACK_REQ","features":[164]},{"name":"DBG_DUMP_FIELD_NO_PRINT","features":[164]},{"name":"DBG_DUMP_FIELD_RECUR_ON_THIS","features":[164]},{"name":"DBG_DUMP_FIELD_RETURN_ADDRESS","features":[164]},{"name":"DBG_DUMP_FIELD_SIZE_IN_BITS","features":[164]},{"name":"DBG_DUMP_FIELD_UTF32_STRING","features":[164]},{"name":"DBG_DUMP_FIELD_WCHAR_STRING","features":[164]},{"name":"DBG_DUMP_FUNCTION_FORMAT","features":[164]},{"name":"DBG_DUMP_GET_SIZE_ONLY","features":[164]},{"name":"DBG_DUMP_LIST","features":[164]},{"name":"DBG_DUMP_MATCH_SIZE","features":[164]},{"name":"DBG_DUMP_NO_INDENT","features":[164]},{"name":"DBG_DUMP_NO_OFFSET","features":[164]},{"name":"DBG_DUMP_NO_PRINT","features":[164]},{"name":"DBG_DUMP_READ_PHYSICAL","features":[164]},{"name":"DBG_DUMP_VERBOSE","features":[164]},{"name":"DBG_FRAME_DEFAULT","features":[164]},{"name":"DBG_FRAME_IGNORE_INLINE","features":[164]},{"name":"DBG_RETURN_SUBTYPES","features":[164]},{"name":"DBG_RETURN_TYPE","features":[164]},{"name":"DBG_RETURN_TYPE_VALUES","features":[164]},{"name":"DBG_THREAD_ATTRIBUTES","features":[164]},{"name":"DEBUG_ADDSYNTHMOD_DEFAULT","features":[164]},{"name":"DEBUG_ADDSYNTHMOD_ZEROBASE","features":[164]},{"name":"DEBUG_ADDSYNTHSYM_DEFAULT","features":[164]},{"name":"DEBUG_ANALYSIS_PROCESSOR_INFO","features":[164]},{"name":"DEBUG_ANY_ID","features":[164]},{"name":"DEBUG_ASMOPT_DEFAULT","features":[164]},{"name":"DEBUG_ASMOPT_IGNORE_OUTPUT_WIDTH","features":[164]},{"name":"DEBUG_ASMOPT_NO_CODE_BYTES","features":[164]},{"name":"DEBUG_ASMOPT_SOURCE_LINE_NUMBER","features":[164]},{"name":"DEBUG_ASMOPT_VERBOSE","features":[164]},{"name":"DEBUG_ATTACH_DEFAULT","features":[164]},{"name":"DEBUG_ATTACH_EXDI_DRIVER","features":[164]},{"name":"DEBUG_ATTACH_EXISTING","features":[164]},{"name":"DEBUG_ATTACH_INSTALL_DRIVER","features":[164]},{"name":"DEBUG_ATTACH_INVASIVE_NO_INITIAL_BREAK","features":[164]},{"name":"DEBUG_ATTACH_INVASIVE_RESUME_PROCESS","features":[164]},{"name":"DEBUG_ATTACH_KERNEL_CONNECTION","features":[164]},{"name":"DEBUG_ATTACH_LOCAL_KERNEL","features":[164]},{"name":"DEBUG_ATTACH_NONINVASIVE","features":[164]},{"name":"DEBUG_ATTACH_NONINVASIVE_ALLOW_PARTIAL","features":[164]},{"name":"DEBUG_ATTACH_NONINVASIVE_NO_SUSPEND","features":[164]},{"name":"DEBUG_BREAKPOINT_ADDER_ONLY","features":[164]},{"name":"DEBUG_BREAKPOINT_CODE","features":[164]},{"name":"DEBUG_BREAKPOINT_DATA","features":[164]},{"name":"DEBUG_BREAKPOINT_DEFERRED","features":[164]},{"name":"DEBUG_BREAKPOINT_ENABLED","features":[164]},{"name":"DEBUG_BREAKPOINT_GO_ONLY","features":[164]},{"name":"DEBUG_BREAKPOINT_INLINE","features":[164]},{"name":"DEBUG_BREAKPOINT_ONE_SHOT","features":[164]},{"name":"DEBUG_BREAKPOINT_PARAMETERS","features":[164]},{"name":"DEBUG_BREAKPOINT_TIME","features":[164]},{"name":"DEBUG_BREAK_EXECUTE","features":[164]},{"name":"DEBUG_BREAK_IO","features":[164]},{"name":"DEBUG_BREAK_READ","features":[164]},{"name":"DEBUG_BREAK_WRITE","features":[164]},{"name":"DEBUG_CACHED_SYMBOL_INFO","features":[164]},{"name":"DEBUG_CDS_ALL","features":[164]},{"name":"DEBUG_CDS_DATA","features":[164]},{"name":"DEBUG_CDS_REFRESH","features":[164]},{"name":"DEBUG_CDS_REFRESH_ADDBREAKPOINT","features":[164]},{"name":"DEBUG_CDS_REFRESH_EVALUATE","features":[164]},{"name":"DEBUG_CDS_REFRESH_EXECUTE","features":[164]},{"name":"DEBUG_CDS_REFRESH_EXECUTECOMMANDFILE","features":[164]},{"name":"DEBUG_CDS_REFRESH_INLINESTEP","features":[164]},{"name":"DEBUG_CDS_REFRESH_INLINESTEP_PSEUDO","features":[164]},{"name":"DEBUG_CDS_REFRESH_REMOVEBREAKPOINT","features":[164]},{"name":"DEBUG_CDS_REFRESH_SETSCOPE","features":[164]},{"name":"DEBUG_CDS_REFRESH_SETSCOPEFRAMEBYINDEX","features":[164]},{"name":"DEBUG_CDS_REFRESH_SETSCOPEFROMJITDEBUGINFO","features":[164]},{"name":"DEBUG_CDS_REFRESH_SETSCOPEFROMSTOREDEVENT","features":[164]},{"name":"DEBUG_CDS_REFRESH_SETVALUE","features":[164]},{"name":"DEBUG_CDS_REFRESH_SETVALUE2","features":[164]},{"name":"DEBUG_CDS_REFRESH_WRITEPHYSICAL","features":[164]},{"name":"DEBUG_CDS_REFRESH_WRITEPHYSICAL2","features":[164]},{"name":"DEBUG_CDS_REFRESH_WRITEVIRTUAL","features":[164]},{"name":"DEBUG_CDS_REFRESH_WRITEVIRTUALUNCACHED","features":[164]},{"name":"DEBUG_CDS_REGISTERS","features":[164]},{"name":"DEBUG_CES_ALL","features":[164]},{"name":"DEBUG_CES_ASSEMBLY_OPTIONS","features":[164]},{"name":"DEBUG_CES_BREAKPOINTS","features":[164]},{"name":"DEBUG_CES_CODE_LEVEL","features":[164]},{"name":"DEBUG_CES_CURRENT_THREAD","features":[164]},{"name":"DEBUG_CES_EFFECTIVE_PROCESSOR","features":[164]},{"name":"DEBUG_CES_ENGINE_OPTIONS","features":[164]},{"name":"DEBUG_CES_EVENT_FILTERS","features":[164]},{"name":"DEBUG_CES_EXECUTION_STATUS","features":[164]},{"name":"DEBUG_CES_EXPRESSION_SYNTAX","features":[164]},{"name":"DEBUG_CES_EXTENSIONS","features":[164]},{"name":"DEBUG_CES_LOG_FILE","features":[164]},{"name":"DEBUG_CES_PROCESS_OPTIONS","features":[164]},{"name":"DEBUG_CES_RADIX","features":[164]},{"name":"DEBUG_CES_SYSTEMS","features":[164]},{"name":"DEBUG_CES_TEXT_REPLACEMENTS","features":[164]},{"name":"DEBUG_CLASS_IMAGE_FILE","features":[164]},{"name":"DEBUG_CLASS_KERNEL","features":[164]},{"name":"DEBUG_CLASS_UNINITIALIZED","features":[164]},{"name":"DEBUG_CLASS_USER_WINDOWS","features":[164]},{"name":"DEBUG_CLIENT_CDB","features":[164]},{"name":"DEBUG_CLIENT_CONTEXT","features":[164]},{"name":"DEBUG_CLIENT_KD","features":[164]},{"name":"DEBUG_CLIENT_NTKD","features":[164]},{"name":"DEBUG_CLIENT_NTSD","features":[164]},{"name":"DEBUG_CLIENT_UNKNOWN","features":[164]},{"name":"DEBUG_CLIENT_VSINT","features":[164]},{"name":"DEBUG_CLIENT_WINDBG","features":[164]},{"name":"DEBUG_CLIENT_WINIDE","features":[164]},{"name":"DEBUG_CMDEX_ADD_EVENT_STRING","features":[164]},{"name":"DEBUG_CMDEX_INVALID","features":[164]},{"name":"DEBUG_CMDEX_RESET_EVENT_STRINGS","features":[164]},{"name":"DEBUG_COMMAND_EXCEPTION_ID","features":[164]},{"name":"DEBUG_CONNECT_SESSION_DEFAULT","features":[164]},{"name":"DEBUG_CONNECT_SESSION_NO_ANNOUNCE","features":[164]},{"name":"DEBUG_CONNECT_SESSION_NO_VERSION","features":[164]},{"name":"DEBUG_CPU_MICROCODE_VERSION","features":[164]},{"name":"DEBUG_CPU_SPEED_INFO","features":[164]},{"name":"DEBUG_CREATE_PROCESS_OPTIONS","features":[164]},{"name":"DEBUG_CSS_ALL","features":[164]},{"name":"DEBUG_CSS_COLLAPSE_CHILDREN","features":[164]},{"name":"DEBUG_CSS_LOADS","features":[164]},{"name":"DEBUG_CSS_PATHS","features":[164]},{"name":"DEBUG_CSS_SCOPE","features":[164]},{"name":"DEBUG_CSS_SYMBOL_OPTIONS","features":[164]},{"name":"DEBUG_CSS_TYPE_OPTIONS","features":[164]},{"name":"DEBUG_CSS_UNLOADS","features":[164]},{"name":"DEBUG_CURRENT_DEFAULT","features":[164]},{"name":"DEBUG_CURRENT_DISASM","features":[164]},{"name":"DEBUG_CURRENT_REGISTERS","features":[164]},{"name":"DEBUG_CURRENT_SOURCE_LINE","features":[164]},{"name":"DEBUG_CURRENT_SYMBOL","features":[164]},{"name":"DEBUG_DATA_BASE_TRANSLATION_VIRTUAL_OFFSET","features":[164]},{"name":"DEBUG_DATA_BreakpointWithStatusAddr","features":[164]},{"name":"DEBUG_DATA_CmNtCSDVersionAddr","features":[164]},{"name":"DEBUG_DATA_DumpAttributes","features":[164]},{"name":"DEBUG_DATA_DumpFormatVersion","features":[164]},{"name":"DEBUG_DATA_DumpMmStorage","features":[164]},{"name":"DEBUG_DATA_DumpPowerState","features":[164]},{"name":"DEBUG_DATA_DumpWriterStatus","features":[164]},{"name":"DEBUG_DATA_DumpWriterVersion","features":[164]},{"name":"DEBUG_DATA_EtwpDebuggerData","features":[164]},{"name":"DEBUG_DATA_ExpNumberOfPagedPoolsAddr","features":[164]},{"name":"DEBUG_DATA_ExpPagedPoolDescriptorAddr","features":[164]},{"name":"DEBUG_DATA_ExpSystemResourcesListAddr","features":[164]},{"name":"DEBUG_DATA_IopErrorLogListHeadAddr","features":[164]},{"name":"DEBUG_DATA_KPCR_OFFSET","features":[164]},{"name":"DEBUG_DATA_KPRCB_OFFSET","features":[164]},{"name":"DEBUG_DATA_KTHREAD_OFFSET","features":[164]},{"name":"DEBUG_DATA_KdPrintBufferSizeAddr","features":[164]},{"name":"DEBUG_DATA_KdPrintCircularBufferAddr","features":[164]},{"name":"DEBUG_DATA_KdPrintCircularBufferEndAddr","features":[164]},{"name":"DEBUG_DATA_KdPrintCircularBufferPtrAddr","features":[164]},{"name":"DEBUG_DATA_KdPrintRolloverCountAddr","features":[164]},{"name":"DEBUG_DATA_KdPrintWritePointerAddr","features":[164]},{"name":"DEBUG_DATA_KeBugCheckCallbackListHeadAddr","features":[164]},{"name":"DEBUG_DATA_KeTimeIncrementAddr","features":[164]},{"name":"DEBUG_DATA_KeUserCallbackDispatcherAddr","features":[164]},{"name":"DEBUG_DATA_KernBase","features":[164]},{"name":"DEBUG_DATA_KernelVerifierAddr","features":[164]},{"name":"DEBUG_DATA_KiBugcheckDataAddr","features":[164]},{"name":"DEBUG_DATA_KiCallUserModeAddr","features":[164]},{"name":"DEBUG_DATA_KiNormalSystemCall","features":[164]},{"name":"DEBUG_DATA_KiProcessorBlockAddr","features":[164]},{"name":"DEBUG_DATA_MmAllocatedNonPagedPoolAddr","features":[164]},{"name":"DEBUG_DATA_MmAvailablePagesAddr","features":[164]},{"name":"DEBUG_DATA_MmBadPagesDetected","features":[164]},{"name":"DEBUG_DATA_MmDriverCommitAddr","features":[164]},{"name":"DEBUG_DATA_MmExtendedCommitAddr","features":[164]},{"name":"DEBUG_DATA_MmFreePageListHeadAddr","features":[164]},{"name":"DEBUG_DATA_MmHighestPhysicalPageAddr","features":[164]},{"name":"DEBUG_DATA_MmHighestUserAddressAddr","features":[164]},{"name":"DEBUG_DATA_MmLastUnloadedDriverAddr","features":[164]},{"name":"DEBUG_DATA_MmLoadedUserImageListAddr","features":[164]},{"name":"DEBUG_DATA_MmLowestPhysicalPageAddr","features":[164]},{"name":"DEBUG_DATA_MmMaximumNonPagedPoolInBytesAddr","features":[164]},{"name":"DEBUG_DATA_MmModifiedNoWritePageListHeadAddr","features":[164]},{"name":"DEBUG_DATA_MmModifiedPageListHeadAddr","features":[164]},{"name":"DEBUG_DATA_MmNonPagedPoolEndAddr","features":[164]},{"name":"DEBUG_DATA_MmNonPagedPoolStartAddr","features":[164]},{"name":"DEBUG_DATA_MmNonPagedSystemStartAddr","features":[164]},{"name":"DEBUG_DATA_MmNumberOfPagingFilesAddr","features":[164]},{"name":"DEBUG_DATA_MmNumberOfPhysicalPagesAddr","features":[164]},{"name":"DEBUG_DATA_MmPageSize","features":[164]},{"name":"DEBUG_DATA_MmPagedPoolCommitAddr","features":[164]},{"name":"DEBUG_DATA_MmPagedPoolEndAddr","features":[164]},{"name":"DEBUG_DATA_MmPagedPoolInformationAddr","features":[164]},{"name":"DEBUG_DATA_MmPagedPoolStartAddr","features":[164]},{"name":"DEBUG_DATA_MmPeakCommitmentAddr","features":[164]},{"name":"DEBUG_DATA_MmPfnDatabaseAddr","features":[164]},{"name":"DEBUG_DATA_MmPhysicalMemoryBlockAddr","features":[164]},{"name":"DEBUG_DATA_MmProcessCommitAddr","features":[164]},{"name":"DEBUG_DATA_MmResidentAvailablePagesAddr","features":[164]},{"name":"DEBUG_DATA_MmSessionBase","features":[164]},{"name":"DEBUG_DATA_MmSessionSize","features":[164]},{"name":"DEBUG_DATA_MmSharedCommitAddr","features":[164]},{"name":"DEBUG_DATA_MmSizeOfPagedPoolInBytesAddr","features":[164]},{"name":"DEBUG_DATA_MmSpecialPoolTagAddr","features":[164]},{"name":"DEBUG_DATA_MmStandbyPageListHeadAddr","features":[164]},{"name":"DEBUG_DATA_MmSubsectionBaseAddr","features":[164]},{"name":"DEBUG_DATA_MmSystemCacheEndAddr","features":[164]},{"name":"DEBUG_DATA_MmSystemCacheStartAddr","features":[164]},{"name":"DEBUG_DATA_MmSystemCacheWsAddr","features":[164]},{"name":"DEBUG_DATA_MmSystemParentTablePage","features":[164]},{"name":"DEBUG_DATA_MmSystemPtesEndAddr","features":[164]},{"name":"DEBUG_DATA_MmSystemPtesStartAddr","features":[164]},{"name":"DEBUG_DATA_MmSystemRangeStartAddr","features":[164]},{"name":"DEBUG_DATA_MmTotalCommitLimitAddr","features":[164]},{"name":"DEBUG_DATA_MmTotalCommitLimitMaximumAddr","features":[164]},{"name":"DEBUG_DATA_MmTotalCommittedPagesAddr","features":[164]},{"name":"DEBUG_DATA_MmTriageActionTakenAddr","features":[164]},{"name":"DEBUG_DATA_MmUnloadedDriversAddr","features":[164]},{"name":"DEBUG_DATA_MmUserProbeAddressAddr","features":[164]},{"name":"DEBUG_DATA_MmVerifierDataAddr","features":[164]},{"name":"DEBUG_DATA_MmVirtualTranslationBase","features":[164]},{"name":"DEBUG_DATA_MmZeroedPageListHeadAddr","features":[164]},{"name":"DEBUG_DATA_NonPagedPoolDescriptorAddr","features":[164]},{"name":"DEBUG_DATA_NtBuildLabAddr","features":[164]},{"name":"DEBUG_DATA_ObpRootDirectoryObjectAddr","features":[164]},{"name":"DEBUG_DATA_ObpTypeObjectTypeAddr","features":[164]},{"name":"DEBUG_DATA_OffsetEprocessDirectoryTableBase","features":[164]},{"name":"DEBUG_DATA_OffsetEprocessParentCID","features":[164]},{"name":"DEBUG_DATA_OffsetEprocessPeb","features":[164]},{"name":"DEBUG_DATA_OffsetKThreadApcProcess","features":[164]},{"name":"DEBUG_DATA_OffsetKThreadBStore","features":[164]},{"name":"DEBUG_DATA_OffsetKThreadBStoreLimit","features":[164]},{"name":"DEBUG_DATA_OffsetKThreadInitialStack","features":[164]},{"name":"DEBUG_DATA_OffsetKThreadKernelStack","features":[164]},{"name":"DEBUG_DATA_OffsetKThreadNextProcessor","features":[164]},{"name":"DEBUG_DATA_OffsetKThreadState","features":[164]},{"name":"DEBUG_DATA_OffsetKThreadTeb","features":[164]},{"name":"DEBUG_DATA_OffsetPrcbCpuType","features":[164]},{"name":"DEBUG_DATA_OffsetPrcbCurrentThread","features":[164]},{"name":"DEBUG_DATA_OffsetPrcbDpcRoutine","features":[164]},{"name":"DEBUG_DATA_OffsetPrcbMhz","features":[164]},{"name":"DEBUG_DATA_OffsetPrcbNumber","features":[164]},{"name":"DEBUG_DATA_OffsetPrcbProcessorState","features":[164]},{"name":"DEBUG_DATA_OffsetPrcbVendorString","features":[164]},{"name":"DEBUG_DATA_PROCESSOR_IDENTIFICATION","features":[164]},{"name":"DEBUG_DATA_PROCESSOR_SPEED","features":[164]},{"name":"DEBUG_DATA_PaeEnabled","features":[164]},{"name":"DEBUG_DATA_PagingLevels","features":[164]},{"name":"DEBUG_DATA_PoolTrackTableAddr","features":[164]},{"name":"DEBUG_DATA_ProductType","features":[164]},{"name":"DEBUG_DATA_PsActiveProcessHeadAddr","features":[164]},{"name":"DEBUG_DATA_PsLoadedModuleListAddr","features":[164]},{"name":"DEBUG_DATA_PspCidTableAddr","features":[164]},{"name":"DEBUG_DATA_PteBase","features":[164]},{"name":"DEBUG_DATA_SPACE_BUS_DATA","features":[164]},{"name":"DEBUG_DATA_SPACE_CONTROL","features":[164]},{"name":"DEBUG_DATA_SPACE_COUNT","features":[164]},{"name":"DEBUG_DATA_SPACE_DEBUGGER_DATA","features":[164]},{"name":"DEBUG_DATA_SPACE_IO","features":[164]},{"name":"DEBUG_DATA_SPACE_MSR","features":[164]},{"name":"DEBUG_DATA_SPACE_PHYSICAL","features":[164]},{"name":"DEBUG_DATA_SPACE_VIRTUAL","features":[164]},{"name":"DEBUG_DATA_SavedContextAddr","features":[164]},{"name":"DEBUG_DATA_SharedUserData","features":[164]},{"name":"DEBUG_DATA_SizeEProcess","features":[164]},{"name":"DEBUG_DATA_SizeEThread","features":[164]},{"name":"DEBUG_DATA_SizePrcb","features":[164]},{"name":"DEBUG_DATA_SuiteMask","features":[164]},{"name":"DEBUG_DECODE_ERROR","features":[1,164]},{"name":"DEBUG_DEVICE_OBJECT_INFO","features":[1,164]},{"name":"DEBUG_DISASM_EFFECTIVE_ADDRESS","features":[164]},{"name":"DEBUG_DISASM_MATCHING_SYMBOLS","features":[164]},{"name":"DEBUG_DISASM_SOURCE_FILE_NAME","features":[164]},{"name":"DEBUG_DISASM_SOURCE_LINE_NUMBER","features":[164]},{"name":"DEBUG_DRIVER_OBJECT_INFO","features":[164]},{"name":"DEBUG_DUMP_ACTIVE","features":[164]},{"name":"DEBUG_DUMP_DEFAULT","features":[164]},{"name":"DEBUG_DUMP_FILE_BASE","features":[164]},{"name":"DEBUG_DUMP_FILE_LOAD_FAILED_INDEX","features":[164]},{"name":"DEBUG_DUMP_FILE_ORIGINAL_CAB_INDEX","features":[164]},{"name":"DEBUG_DUMP_FILE_PAGE_FILE_DUMP","features":[164]},{"name":"DEBUG_DUMP_FULL","features":[164]},{"name":"DEBUG_DUMP_IMAGE_FILE","features":[164]},{"name":"DEBUG_DUMP_SMALL","features":[164]},{"name":"DEBUG_DUMP_TRACE_LOG","features":[164]},{"name":"DEBUG_DUMP_WINDOWS_CE","features":[164]},{"name":"DEBUG_ECREATE_PROCESS_DEFAULT","features":[164]},{"name":"DEBUG_ECREATE_PROCESS_INHERIT_HANDLES","features":[164]},{"name":"DEBUG_ECREATE_PROCESS_USE_IMPLICIT_COMMAND_LINE","features":[164]},{"name":"DEBUG_ECREATE_PROCESS_USE_VERIFIER_FLAGS","features":[164]},{"name":"DEBUG_EINDEX_FROM_CURRENT","features":[164]},{"name":"DEBUG_EINDEX_FROM_END","features":[164]},{"name":"DEBUG_EINDEX_FROM_START","features":[164]},{"name":"DEBUG_EINDEX_NAME","features":[164]},{"name":"DEBUG_END_ACTIVE_DETACH","features":[164]},{"name":"DEBUG_END_ACTIVE_TERMINATE","features":[164]},{"name":"DEBUG_END_DISCONNECT","features":[164]},{"name":"DEBUG_END_PASSIVE","features":[164]},{"name":"DEBUG_END_REENTRANT","features":[164]},{"name":"DEBUG_ENGOPT_ALL","features":[164]},{"name":"DEBUG_ENGOPT_ALLOW_NETWORK_PATHS","features":[164]},{"name":"DEBUG_ENGOPT_ALLOW_READ_ONLY_BREAKPOINTS","features":[164]},{"name":"DEBUG_ENGOPT_DEBUGGING_SENSITIVE_DATA","features":[164]},{"name":"DEBUG_ENGOPT_DISABLESQM","features":[164]},{"name":"DEBUG_ENGOPT_DISABLE_EXECUTION_COMMANDS","features":[164]},{"name":"DEBUG_ENGOPT_DISABLE_MANAGED_SUPPORT","features":[164]},{"name":"DEBUG_ENGOPT_DISABLE_MODULE_SYMBOL_LOAD","features":[164]},{"name":"DEBUG_ENGOPT_DISABLE_STEPLINES_OPTIONS","features":[164]},{"name":"DEBUG_ENGOPT_DISALLOW_IMAGE_FILE_MAPPING","features":[164]},{"name":"DEBUG_ENGOPT_DISALLOW_NETWORK_PATHS","features":[164]},{"name":"DEBUG_ENGOPT_DISALLOW_SHELL_COMMANDS","features":[164]},{"name":"DEBUG_ENGOPT_FAIL_INCOMPLETE_INFORMATION","features":[164]},{"name":"DEBUG_ENGOPT_FINAL_BREAK","features":[164]},{"name":"DEBUG_ENGOPT_IGNORE_DBGHELP_VERSION","features":[164]},{"name":"DEBUG_ENGOPT_IGNORE_EXTENSION_VERSIONS","features":[164]},{"name":"DEBUG_ENGOPT_IGNORE_LOADER_EXCEPTIONS","features":[164]},{"name":"DEBUG_ENGOPT_INITIAL_BREAK","features":[164]},{"name":"DEBUG_ENGOPT_INITIAL_MODULE_BREAK","features":[164]},{"name":"DEBUG_ENGOPT_KD_QUIET_MODE","features":[164]},{"name":"DEBUG_ENGOPT_NO_EXECUTE_REPEAT","features":[164]},{"name":"DEBUG_ENGOPT_PREFER_DML","features":[164]},{"name":"DEBUG_ENGOPT_PREFER_TRACE_FILES","features":[164]},{"name":"DEBUG_ENGOPT_RESOLVE_SHADOWED_VARIABLES","features":[164]},{"name":"DEBUG_ENGOPT_SYNCHRONIZE_BREAKPOINTS","features":[164]},{"name":"DEBUG_EVENT_BREAKPOINT","features":[164]},{"name":"DEBUG_EVENT_CHANGE_DEBUGGEE_STATE","features":[164]},{"name":"DEBUG_EVENT_CHANGE_ENGINE_STATE","features":[164]},{"name":"DEBUG_EVENT_CHANGE_SYMBOL_STATE","features":[164]},{"name":"DEBUG_EVENT_CONTEXT","features":[164]},{"name":"DEBUG_EVENT_CREATE_PROCESS","features":[164]},{"name":"DEBUG_EVENT_CREATE_THREAD","features":[164]},{"name":"DEBUG_EVENT_EXCEPTION","features":[164]},{"name":"DEBUG_EVENT_EXIT_PROCESS","features":[164]},{"name":"DEBUG_EVENT_EXIT_THREAD","features":[164]},{"name":"DEBUG_EVENT_LOAD_MODULE","features":[164]},{"name":"DEBUG_EVENT_SERVICE_EXCEPTION","features":[164]},{"name":"DEBUG_EVENT_SESSION_STATUS","features":[164]},{"name":"DEBUG_EVENT_SYSTEM_ERROR","features":[164]},{"name":"DEBUG_EVENT_UNLOAD_MODULE","features":[164]},{"name":"DEBUG_EXCEPTION_FILTER_PARAMETERS","features":[164]},{"name":"DEBUG_EXECUTE_DEFAULT","features":[164]},{"name":"DEBUG_EXECUTE_ECHO","features":[164]},{"name":"DEBUG_EXECUTE_EVENT","features":[164]},{"name":"DEBUG_EXECUTE_EXTENSION","features":[164]},{"name":"DEBUG_EXECUTE_HOTKEY","features":[164]},{"name":"DEBUG_EXECUTE_INTERNAL","features":[164]},{"name":"DEBUG_EXECUTE_MENU","features":[164]},{"name":"DEBUG_EXECUTE_NOT_LOGGED","features":[164]},{"name":"DEBUG_EXECUTE_NO_REPEAT","features":[164]},{"name":"DEBUG_EXECUTE_SCRIPT","features":[164]},{"name":"DEBUG_EXECUTE_TOOLBAR","features":[164]},{"name":"DEBUG_EXECUTE_USER_CLICKED","features":[164]},{"name":"DEBUG_EXECUTE_USER_TYPED","features":[164]},{"name":"DEBUG_EXEC_FLAGS_NONBLOCK","features":[164]},{"name":"DEBUG_EXPR_CPLUSPLUS","features":[164]},{"name":"DEBUG_EXPR_MASM","features":[164]},{"name":"DEBUG_EXTENSION_AT_ENGINE","features":[164]},{"name":"DEBUG_EXTINIT_HAS_COMMAND_HELP","features":[164]},{"name":"DEBUG_EXT_PVALUE_DEFAULT","features":[164]},{"name":"DEBUG_EXT_PVTYPE_IS_POINTER","features":[164]},{"name":"DEBUG_EXT_PVTYPE_IS_VALUE","features":[164]},{"name":"DEBUG_EXT_QVALUE_DEFAULT","features":[164]},{"name":"DEBUG_FAILURE_TYPE","features":[164]},{"name":"DEBUG_FA_ENTRY_ANSI_STRING","features":[164]},{"name":"DEBUG_FA_ENTRY_ANSI_STRINGs","features":[164]},{"name":"DEBUG_FA_ENTRY_ARRAY","features":[164]},{"name":"DEBUG_FA_ENTRY_EXTENSION_CMD","features":[164]},{"name":"DEBUG_FA_ENTRY_INSTRUCTION_OFFSET","features":[164]},{"name":"DEBUG_FA_ENTRY_NO_TYPE","features":[164]},{"name":"DEBUG_FA_ENTRY_POINTER","features":[164]},{"name":"DEBUG_FA_ENTRY_STRUCTURED_DATA","features":[164]},{"name":"DEBUG_FA_ENTRY_ULONG","features":[164]},{"name":"DEBUG_FA_ENTRY_ULONG64","features":[164]},{"name":"DEBUG_FA_ENTRY_UNICODE_STRING","features":[164]},{"name":"DEBUG_FILTER_BREAK","features":[164]},{"name":"DEBUG_FILTER_CREATE_PROCESS","features":[164]},{"name":"DEBUG_FILTER_CREATE_THREAD","features":[164]},{"name":"DEBUG_FILTER_DEBUGGEE_OUTPUT","features":[164]},{"name":"DEBUG_FILTER_EXIT_PROCESS","features":[164]},{"name":"DEBUG_FILTER_EXIT_THREAD","features":[164]},{"name":"DEBUG_FILTER_GO_HANDLED","features":[164]},{"name":"DEBUG_FILTER_GO_NOT_HANDLED","features":[164]},{"name":"DEBUG_FILTER_IGNORE","features":[164]},{"name":"DEBUG_FILTER_INITIAL_BREAKPOINT","features":[164]},{"name":"DEBUG_FILTER_INITIAL_MODULE_LOAD","features":[164]},{"name":"DEBUG_FILTER_LOAD_MODULE","features":[164]},{"name":"DEBUG_FILTER_OUTPUT","features":[164]},{"name":"DEBUG_FILTER_REMOVE","features":[164]},{"name":"DEBUG_FILTER_SECOND_CHANCE_BREAK","features":[164]},{"name":"DEBUG_FILTER_SYSTEM_ERROR","features":[164]},{"name":"DEBUG_FILTER_UNLOAD_MODULE","features":[164]},{"name":"DEBUG_FIND_SOURCE_BEST_MATCH","features":[164]},{"name":"DEBUG_FIND_SOURCE_DEFAULT","features":[164]},{"name":"DEBUG_FIND_SOURCE_FULL_PATH","features":[164]},{"name":"DEBUG_FIND_SOURCE_NO_SRCSRV","features":[164]},{"name":"DEBUG_FIND_SOURCE_TOKEN_LOOKUP","features":[164]},{"name":"DEBUG_FIND_SOURCE_WITH_CHECKSUM","features":[164]},{"name":"DEBUG_FIND_SOURCE_WITH_CHECKSUM_STRICT","features":[164]},{"name":"DEBUG_FLR_ACPI","features":[164]},{"name":"DEBUG_FLR_ACPI_BLACKBOX","features":[164]},{"name":"DEBUG_FLR_ACPI_EXTENSION","features":[164]},{"name":"DEBUG_FLR_ACPI_OBJECT","features":[164]},{"name":"DEBUG_FLR_ACPI_RESCONFLICT","features":[164]},{"name":"DEBUG_FLR_ADDITIONAL_DEBUGTEXT","features":[164]},{"name":"DEBUG_FLR_ADDITIONAL_XML","features":[164]},{"name":"DEBUG_FLR_ADD_PROCESS_IN_BUCKET","features":[164]},{"name":"DEBUG_FLR_ALUREON","features":[164]},{"name":"DEBUG_FLR_ANALYSIS_REPROCESS","features":[164]},{"name":"DEBUG_FLR_ANALYSIS_SESSION_ELAPSED_TIME","features":[164]},{"name":"DEBUG_FLR_ANALYSIS_SESSION_HOST","features":[164]},{"name":"DEBUG_FLR_ANALYSIS_SESSION_TIME","features":[164]},{"name":"DEBUG_FLR_ANALYSIS_VERSION","features":[164]},{"name":"DEBUG_FLR_ANALYZABLE_POOL_CORRUPTION","features":[164]},{"name":"DEBUG_FLR_APPKILL","features":[164]},{"name":"DEBUG_FLR_APPLICATION_VERIFIER_LOADED","features":[164]},{"name":"DEBUG_FLR_APPS_NOT_TERMINATED","features":[164]},{"name":"DEBUG_FLR_APPVERIFERFLAGS","features":[164]},{"name":"DEBUG_FLR_ARM_WRITE_AV_CAVEAT","features":[164]},{"name":"DEBUG_FLR_ASSERT_DATA","features":[164]},{"name":"DEBUG_FLR_ASSERT_FILE","features":[164]},{"name":"DEBUG_FLR_ASSERT_INSTRUCTION","features":[164]},{"name":"DEBUG_FLR_BADPAGES_DETECTED","features":[164]},{"name":"DEBUG_FLR_BAD_HANDLE","features":[164]},{"name":"DEBUG_FLR_BAD_MEMORY_REFERENCE","features":[164]},{"name":"DEBUG_FLR_BAD_OBJECT_REFERENCE","features":[164]},{"name":"DEBUG_FLR_BAD_STACK","features":[164]},{"name":"DEBUG_FLR_BLOCKED_THREAD0","features":[164]},{"name":"DEBUG_FLR_BLOCKED_THREAD1","features":[164]},{"name":"DEBUG_FLR_BLOCKED_THREAD2","features":[164]},{"name":"DEBUG_FLR_BLOCKING_PROCESSID","features":[164]},{"name":"DEBUG_FLR_BLOCKING_THREAD","features":[164]},{"name":"DEBUG_FLR_BOOST_FOLLOWUP_TO_SPECIFIC","features":[164]},{"name":"DEBUG_FLR_BOOTSTAT","features":[164]},{"name":"DEBUG_FLR_BOOTSTAT_BLACKBOX","features":[164]},{"name":"DEBUG_FLR_BUCKET_ID","features":[164]},{"name":"DEBUG_FLR_BUCKET_ID_CHECKSUM","features":[164]},{"name":"DEBUG_FLR_BUCKET_ID_FLAVOR_STR","features":[164]},{"name":"DEBUG_FLR_BUCKET_ID_FUNCTION_STR","features":[164]},{"name":"DEBUG_FLR_BUCKET_ID_FUNC_OFFSET","features":[164]},{"name":"DEBUG_FLR_BUCKET_ID_IMAGE_STR","features":[164]},{"name":"DEBUG_FLR_BUCKET_ID_MODULE_STR","features":[164]},{"name":"DEBUG_FLR_BUCKET_ID_MODVER_STR","features":[164]},{"name":"DEBUG_FLR_BUCKET_ID_OFFSET","features":[164]},{"name":"DEBUG_FLR_BUCKET_ID_PREFIX_STR","features":[164]},{"name":"DEBUG_FLR_BUCKET_ID_PRIVATE","features":[164]},{"name":"DEBUG_FLR_BUCKET_ID_TIMEDATESTAMP","features":[164]},{"name":"DEBUG_FLR_BUGCHECKING_DRIVER","features":[164]},{"name":"DEBUG_FLR_BUGCHECKING_DRIVER_IDTAG","features":[164]},{"name":"DEBUG_FLR_BUGCHECK_CODE","features":[164]},{"name":"DEBUG_FLR_BUGCHECK_DESC","features":[164]},{"name":"DEBUG_FLR_BUGCHECK_P1","features":[164]},{"name":"DEBUG_FLR_BUGCHECK_P2","features":[164]},{"name":"DEBUG_FLR_BUGCHECK_P3","features":[164]},{"name":"DEBUG_FLR_BUGCHECK_P4","features":[164]},{"name":"DEBUG_FLR_BUGCHECK_SPECIFIER","features":[164]},{"name":"DEBUG_FLR_BUGCHECK_STR","features":[164]},{"name":"DEBUG_FLR_BUILDNAME_IN_BUCKET","features":[164]},{"name":"DEBUG_FLR_BUILDOSVER_STR_deprecated","features":[164]},{"name":"DEBUG_FLR_BUILD_OS_FULL_VERSION_STRING","features":[164]},{"name":"DEBUG_FLR_BUILD_VERSION_STRING","features":[164]},{"name":"DEBUG_FLR_CANCELLATION_NOT_SUPPORTED","features":[164]},{"name":"DEBUG_FLR_CHKIMG_EXTENSION","features":[164]},{"name":"DEBUG_FLR_CHPE_PROCESS","features":[164]},{"name":"DEBUG_FLR_CLIENT_DRIVER","features":[164]},{"name":"DEBUG_FLR_COLLECT_DATA_FOR_BUCKET","features":[164]},{"name":"DEBUG_FLR_COMPUTER_NAME","features":[164]},{"name":"DEBUG_FLR_CONTEXT","features":[164]},{"name":"DEBUG_FLR_CONTEXT_COMMAND","features":[164]},{"name":"DEBUG_FLR_CONTEXT_FLAGS","features":[164]},{"name":"DEBUG_FLR_CONTEXT_FOLLOWUP_INDEX","features":[164]},{"name":"DEBUG_FLR_CONTEXT_ID","features":[164]},{"name":"DEBUG_FLR_CONTEXT_METADATA","features":[164]},{"name":"DEBUG_FLR_CONTEXT_ORDER","features":[164]},{"name":"DEBUG_FLR_CONTEXT_RESTORE_COMMAND","features":[164]},{"name":"DEBUG_FLR_CONTEXT_SYSTEM","features":[164]},{"name":"DEBUG_FLR_CORRUPTING_POOL_ADDRESS","features":[164]},{"name":"DEBUG_FLR_CORRUPTING_POOL_TAG","features":[164]},{"name":"DEBUG_FLR_CORRUPT_MODULE_LIST","features":[164]},{"name":"DEBUG_FLR_CORRUPT_SERVICE_TABLE","features":[164]},{"name":"DEBUG_FLR_COVERAGE_BUILD","features":[164]},{"name":"DEBUG_FLR_CPU_COUNT","features":[164]},{"name":"DEBUG_FLR_CPU_FAMILY","features":[164]},{"name":"DEBUG_FLR_CPU_MICROCODE_VERSION","features":[164]},{"name":"DEBUG_FLR_CPU_MICROCODE_ZERO_INTEL","features":[164]},{"name":"DEBUG_FLR_CPU_MODEL","features":[164]},{"name":"DEBUG_FLR_CPU_OVERCLOCKED","features":[164]},{"name":"DEBUG_FLR_CPU_SPEED","features":[164]},{"name":"DEBUG_FLR_CPU_STEPPING","features":[164]},{"name":"DEBUG_FLR_CPU_VENDOR","features":[164]},{"name":"DEBUG_FLR_CRITICAL_PROCESS","features":[164]},{"name":"DEBUG_FLR_CRITICAL_PROCESS_REPORTGUID","features":[164]},{"name":"DEBUG_FLR_CRITICAL_SECTION","features":[164]},{"name":"DEBUG_FLR_CURRENT_IRQL","features":[164]},{"name":"DEBUG_FLR_CUSTOMER_CRASH_COUNT","features":[164]},{"name":"DEBUG_FLR_CUSTOMREPORTTAG","features":[164]},{"name":"DEBUG_FLR_CUSTOM_ANALYSIS_TAG_MAX","features":[164]},{"name":"DEBUG_FLR_CUSTOM_ANALYSIS_TAG_MIN","features":[164]},{"name":"DEBUG_FLR_CUSTOM_COMMAND","features":[164]},{"name":"DEBUG_FLR_CUSTOM_COMMAND_OUTPUT","features":[164]},{"name":"DEBUG_FLR_DEADLOCK_INPROC","features":[164]},{"name":"DEBUG_FLR_DEADLOCK_XPROC","features":[164]},{"name":"DEBUG_FLR_DEBUG_ANALYSIS","features":[164]},{"name":"DEBUG_FLR_DEFAULT_BUCKET_ID","features":[164]},{"name":"DEBUG_FLR_DEFAULT_SOLUTION_ID","features":[164]},{"name":"DEBUG_FLR_DERIVED_WAIT_CHAIN","features":[164]},{"name":"DEBUG_FLR_DESKTOP_HEAP_MISSING","features":[164]},{"name":"DEBUG_FLR_DETOURED_IMAGE","features":[164]},{"name":"DEBUG_FLR_DEVICE_NODE","features":[164]},{"name":"DEBUG_FLR_DEVICE_OBJECT","features":[164]},{"name":"DEBUG_FLR_DISKIO_READ_FAILURE","features":[164]},{"name":"DEBUG_FLR_DISKIO_WRITE_FAILURE","features":[164]},{"name":"DEBUG_FLR_DISKSEC_ISSUEDESCSTRING_DEPRECATED","features":[164]},{"name":"DEBUG_FLR_DISKSEC_MFGID_DEPRECATED","features":[164]},{"name":"DEBUG_FLR_DISKSEC_MODEL_DEPRECATED","features":[164]},{"name":"DEBUG_FLR_DISKSEC_ORGID_DEPRECATED","features":[164]},{"name":"DEBUG_FLR_DISKSEC_PRIVATE_DATASIZE_DEPRECATED","features":[164]},{"name":"DEBUG_FLR_DISKSEC_PRIVATE_OFFSET_DEPRECATED","features":[164]},{"name":"DEBUG_FLR_DISKSEC_PRIVATE_TOTSIZE_DEPRECATED","features":[164]},{"name":"DEBUG_FLR_DISKSEC_PUBLIC_DATASIZE_DEPRECATED","features":[164]},{"name":"DEBUG_FLR_DISKSEC_PUBLIC_OFFSET_DEPRECATED","features":[164]},{"name":"DEBUG_FLR_DISKSEC_PUBLIC_TOTSIZE_DEPRECATED","features":[164]},{"name":"DEBUG_FLR_DISKSEC_REASON_DEPRECATED","features":[164]},{"name":"DEBUG_FLR_DISKSEC_TOTALSIZE_DEPRECATED","features":[164]},{"name":"DEBUG_FLR_DISK_HARDWARE_ERROR","features":[164]},{"name":"DEBUG_FLR_DPC_RUNTIME","features":[164]},{"name":"DEBUG_FLR_DPC_STACK_BASE","features":[164]},{"name":"DEBUG_FLR_DPC_TIMELIMIT","features":[164]},{"name":"DEBUG_FLR_DPC_TIMEOUT_TYPE","features":[164]},{"name":"DEBUG_FLR_DRIVER_HARDWAREID","features":[164]},{"name":"DEBUG_FLR_DRIVER_HARDWARE_DEVICE_ID","features":[164]},{"name":"DEBUG_FLR_DRIVER_HARDWARE_DEVICE_NAME","features":[164]},{"name":"DEBUG_FLR_DRIVER_HARDWARE_ID_BUS_TYPE","features":[164]},{"name":"DEBUG_FLR_DRIVER_HARDWARE_REV_ID","features":[164]},{"name":"DEBUG_FLR_DRIVER_HARDWARE_SUBSYS_ID","features":[164]},{"name":"DEBUG_FLR_DRIVER_HARDWARE_SUBVENDOR_NAME","features":[164]},{"name":"DEBUG_FLR_DRIVER_HARDWARE_VENDOR_ID","features":[164]},{"name":"DEBUG_FLR_DRIVER_HARDWARE_VENDOR_NAME","features":[164]},{"name":"DEBUG_FLR_DRIVER_OBJECT","features":[164]},{"name":"DEBUG_FLR_DRIVER_VERIFIER_IO_VIOLATION_TYPE","features":[164]},{"name":"DEBUG_FLR_DRIVER_XML_DESCRIPTION","features":[164]},{"name":"DEBUG_FLR_DRIVER_XML_MANUFACTURER","features":[164]},{"name":"DEBUG_FLR_DRIVER_XML_PRODUCTNAME","features":[164]},{"name":"DEBUG_FLR_DRIVER_XML_VERSION","features":[164]},{"name":"DEBUG_FLR_DRVPOWERSTATE_SUBCODE","features":[164]},{"name":"DEBUG_FLR_DUMPSTREAM_COMMENTA","features":[164]},{"name":"DEBUG_FLR_DUMPSTREAM_COMMENTW","features":[164]},{"name":"DEBUG_FLR_DUMP_CLASS","features":[164]},{"name":"DEBUG_FLR_DUMP_FILE_ATTRIBUTES","features":[164]},{"name":"DEBUG_FLR_DUMP_FLAGS","features":[164]},{"name":"DEBUG_FLR_DUMP_QUALIFIER","features":[164]},{"name":"DEBUG_FLR_DUMP_TYPE","features":[164]},{"name":"DEBUG_FLR_END_MESSAGE","features":[164]},{"name":"DEBUG_FLR_ERESOURCE_ADDRESS","features":[164]},{"name":"DEBUG_FLR_EVENT_CODE_DATA_MISMATCH","features":[164]},{"name":"DEBUG_FLR_EXCEPTION_CODE","features":[164]},{"name":"DEBUG_FLR_EXCEPTION_CODE_STR","features":[164]},{"name":"DEBUG_FLR_EXCEPTION_CODE_STR_deprecated","features":[164]},{"name":"DEBUG_FLR_EXCEPTION_CONTEXT_RECURSION","features":[164]},{"name":"DEBUG_FLR_EXCEPTION_DOESNOT_MATCH_CODE","features":[164]},{"name":"DEBUG_FLR_EXCEPTION_MODULE_INFO","features":[164]},{"name":"DEBUG_FLR_EXCEPTION_PARAMETER1","features":[164]},{"name":"DEBUG_FLR_EXCEPTION_PARAMETER2","features":[164]},{"name":"DEBUG_FLR_EXCEPTION_PARAMETER3","features":[164]},{"name":"DEBUG_FLR_EXCEPTION_PARAMETER4","features":[164]},{"name":"DEBUG_FLR_EXCEPTION_RECORD","features":[164]},{"name":"DEBUG_FLR_EXCEPTION_STR","features":[164]},{"name":"DEBUG_FLR_EXECUTE_ADDRESS","features":[164]},{"name":"DEBUG_FLR_FAILED_INSTRUCTION_ADDRESS","features":[164]},{"name":"DEBUG_FLR_FAILURE_ANALYSIS_SOURCE","features":[164]},{"name":"DEBUG_FLR_FAILURE_BUCKET_ID","features":[164]},{"name":"DEBUG_FLR_FAILURE_DISPLAY_NAME","features":[164]},{"name":"DEBUG_FLR_FAILURE_EXCEPTION_CODE","features":[164]},{"name":"DEBUG_FLR_FAILURE_FUNCTION_NAME","features":[164]},{"name":"DEBUG_FLR_FAILURE_ID_HASH","features":[164]},{"name":"DEBUG_FLR_FAILURE_ID_HASH_STRING","features":[164]},{"name":"DEBUG_FLR_FAILURE_ID_REPORT_LINK","features":[164]},{"name":"DEBUG_FLR_FAILURE_IMAGE_NAME","features":[164]},{"name":"DEBUG_FLR_FAILURE_LIST","features":[164]},{"name":"DEBUG_FLR_FAILURE_MODULE_NAME","features":[164]},{"name":"DEBUG_FLR_FAILURE_PROBLEM_CLASS","features":[164]},{"name":"DEBUG_FLR_FAILURE_SYMBOL_NAME","features":[164]},{"name":"DEBUG_FLR_FAULTING_INSTR_CODE","features":[164]},{"name":"DEBUG_FLR_FAULTING_IP","features":[164]},{"name":"DEBUG_FLR_FAULTING_LOCAL_VARIABLE_NAME","features":[164]},{"name":"DEBUG_FLR_FAULTING_MODULE","features":[164]},{"name":"DEBUG_FLR_FAULTING_SERVICE_NAME","features":[164]},{"name":"DEBUG_FLR_FAULTING_SOURCE_CODE","features":[164]},{"name":"DEBUG_FLR_FAULTING_SOURCE_COMMIT_ID","features":[164]},{"name":"DEBUG_FLR_FAULTING_SOURCE_CONTROL_TYPE","features":[164]},{"name":"DEBUG_FLR_FAULTING_SOURCE_FILE","features":[164]},{"name":"DEBUG_FLR_FAULTING_SOURCE_LINE","features":[164]},{"name":"DEBUG_FLR_FAULTING_SOURCE_LINE_NUMBER","features":[164]},{"name":"DEBUG_FLR_FAULTING_SOURCE_PROJECT","features":[164]},{"name":"DEBUG_FLR_FAULTING_SOURCE_REPO_ID","features":[164]},{"name":"DEBUG_FLR_FAULTING_SOURCE_REPO_URL","features":[164]},{"name":"DEBUG_FLR_FAULTING_SOURCE_SRV_COMMAND","features":[164]},{"name":"DEBUG_FLR_FAULTING_THREAD","features":[164]},{"name":"DEBUG_FLR_FAULT_THREAD_SHA1_HASH_M","features":[164]},{"name":"DEBUG_FLR_FAULT_THREAD_SHA1_HASH_MF","features":[164]},{"name":"DEBUG_FLR_FAULT_THREAD_SHA1_HASH_MFO","features":[164]},{"name":"DEBUG_FLR_FA_ADHOC_ANALYSIS_ITEMS","features":[164]},{"name":"DEBUG_FLR_FA_PERF_DATA","features":[164]},{"name":"DEBUG_FLR_FA_PERF_ELAPSED_MS","features":[164]},{"name":"DEBUG_FLR_FA_PERF_ITEM","features":[164]},{"name":"DEBUG_FLR_FA_PERF_ITEM_NAME","features":[164]},{"name":"DEBUG_FLR_FA_PERF_ITERATIONS","features":[164]},{"name":"DEBUG_FLR_FEATURE_PATH","features":[164]},{"name":"DEBUG_FLR_FILESYSTEMS_NTFS","features":[164]},{"name":"DEBUG_FLR_FILESYSTEMS_NTFS_BLACKBOX","features":[164]},{"name":"DEBUG_FLR_FILESYSTEMS_REFS","features":[164]},{"name":"DEBUG_FLR_FILESYSTEMS_REFS_BLACKBOX","features":[164]},{"name":"DEBUG_FLR_FILE_ID","features":[164]},{"name":"DEBUG_FLR_FILE_IN_CAB","features":[164]},{"name":"DEBUG_FLR_FILE_LINE","features":[164]},{"name":"DEBUG_FLR_FIXED_IN_OSVERSION","features":[164]},{"name":"DEBUG_FLR_FOLLOWUP_BEFORE_RETRACER","features":[164]},{"name":"DEBUG_FLR_FOLLOWUP_BUCKET_ID","features":[164]},{"name":"DEBUG_FLR_FOLLOWUP_CONTEXT","features":[164]},{"name":"DEBUG_FLR_FOLLOWUP_DRIVER_ONLY","features":[164]},{"name":"DEBUG_FLR_FOLLOWUP_IP","features":[164]},{"name":"DEBUG_FLR_FOLLOWUP_NAME","features":[164]},{"name":"DEBUG_FLR_FRAME_ONE_INVALID","features":[164]},{"name":"DEBUG_FLR_FRAME_SOURCE_FILE_NAME","features":[164]},{"name":"DEBUG_FLR_FRAME_SOURCE_FILE_PATH","features":[164]},{"name":"DEBUG_FLR_FRAME_SOURCE_LINE_NUMBER","features":[164]},{"name":"DEBUG_FLR_FREED_POOL_TAG","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_ANALYSIS_TEXT","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_COOKIES_MATCH_EXH","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_CORRUPTED_COOKIE","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_CORRUPTED_EBP","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_CORRUPTED_EBPESP","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_FALSE_POSITIVE","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_FRAME_COOKIE","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_FRAME_COOKIE_COMPLEMENT","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_FUNCTION","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_MANAGED","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_MANAGED_FRAMEID","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_MANAGED_THREADID","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_MEMORY_READ_ERROR","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_MISSING_ESTABLISHER_FRAME","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_MODULE_COOKIE","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_NOT_UP2DATE","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_OFF_BY_ONE_OVERRUN","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_OVERRUN_LOCAL","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_OVERRUN_LOCAL_NAME","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_POSITIVELY_CORRUPTED_EBPESP","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_POSITIVE_BUFFER_OVERFLOW","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_PROBABLY_NOT_USING_GS","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_RA_SMASHED","features":[164]},{"name":"DEBUG_FLR_GSFAILURE_UP2DATE_UNKNOWN","features":[164]},{"name":"DEBUG_FLR_HANDLE_VALUE","features":[164]},{"name":"DEBUG_FLR_HANG","features":[164]},{"name":"DEBUG_FLR_HANG_DATA_NEEDED","features":[164]},{"name":"DEBUG_FLR_HANG_REPORT_THREAD_IS_IDLE","features":[164]},{"name":"DEBUG_FLR_HARDWARE_BUCKET_TAG","features":[164]},{"name":"DEBUG_FLR_HARDWARE_ERROR","features":[164]},{"name":"DEBUG_FLR_HIGH_NONPAGED_POOL_USAGE","features":[164]},{"name":"DEBUG_FLR_HIGH_PAGED_POOL_USAGE","features":[164]},{"name":"DEBUG_FLR_HIGH_PROCESS_COMMIT","features":[164]},{"name":"DEBUG_FLR_HIGH_SERVICE_COMMIT","features":[164]},{"name":"DEBUG_FLR_HIGH_SHARED_COMMIT_USAGE","features":[164]},{"name":"DEBUG_FLR_HOLDINFO","features":[164]},{"name":"DEBUG_FLR_HOLDINFO_ACTIVE_HOLD_COUNT","features":[164]},{"name":"DEBUG_FLR_HOLDINFO_ALWAYS_HOLD","features":[164]},{"name":"DEBUG_FLR_HOLDINFO_ALWAYS_IGNORE","features":[164]},{"name":"DEBUG_FLR_HOLDINFO_HISTORIC_HOLD_COUNT","features":[164]},{"name":"DEBUG_FLR_HOLDINFO_LAST_SEEN_HOLD_DATE","features":[164]},{"name":"DEBUG_FLR_HOLDINFO_MANUAL_HOLD","features":[164]},{"name":"DEBUG_FLR_HOLDINFO_MAX_HOLD_LIMIT","features":[164]},{"name":"DEBUG_FLR_HOLDINFO_NOTIFICATION_ALIASES","features":[164]},{"name":"DEBUG_FLR_HOLDINFO_RECOMMEND_HOLD","features":[164]},{"name":"DEBUG_FLR_HOLDINFO_TENET_SOCRE","features":[164]},{"name":"DEBUG_FLR_IGNORE_BUCKET_ID_OFFSET","features":[164]},{"name":"DEBUG_FLR_IGNORE_LARGE_MODULE_CORRUPTION","features":[164]},{"name":"DEBUG_FLR_IGNORE_MODULE_HARDWARE_ID","features":[164]},{"name":"DEBUG_FLR_IMAGE_CLASS","features":[164]},{"name":"DEBUG_FLR_IMAGE_NAME","features":[164]},{"name":"DEBUG_FLR_IMAGE_TIMESTAMP","features":[164]},{"name":"DEBUG_FLR_IMAGE_VERSION","features":[164]},{"name":"DEBUG_FLR_INSTR_POINTER_CLIFAULT","features":[164]},{"name":"DEBUG_FLR_INSTR_POINTER_IN_FREE_BLOCK","features":[164]},{"name":"DEBUG_FLR_INSTR_POINTER_IN_MODULE_NOT_IN_LIST","features":[164]},{"name":"DEBUG_FLR_INSTR_POINTER_IN_PAGED_CODE","features":[164]},{"name":"DEBUG_FLR_INSTR_POINTER_IN_RESERVED_BLOCK","features":[164]},{"name":"DEBUG_FLR_INSTR_POINTER_IN_UNLOADED_MODULE","features":[164]},{"name":"DEBUG_FLR_INSTR_POINTER_IN_VM_MAPPED_MODULE","features":[164]},{"name":"DEBUG_FLR_INSTR_POINTER_MISALIGNED","features":[164]},{"name":"DEBUG_FLR_INSTR_POINTER_NOT_IN_STREAM","features":[164]},{"name":"DEBUG_FLR_INSTR_POINTER_ON_HEAP","features":[164]},{"name":"DEBUG_FLR_INSTR_POINTER_ON_STACK","features":[164]},{"name":"DEBUG_FLR_INSTR_SESSION_POOL_TAG","features":[164]},{"name":"DEBUG_FLR_INTEL_CPU_BIOS_UPGRADE_NEEDED","features":[164]},{"name":"DEBUG_FLR_INTERNAL_BUCKET_CONTINUABLE","features":[164]},{"name":"DEBUG_FLR_INTERNAL_BUCKET_HITCOUNT","features":[164]},{"name":"DEBUG_FLR_INTERNAL_BUCKET_STATUS_TEXT","features":[164]},{"name":"DEBUG_FLR_INTERNAL_BUCKET_URL","features":[164]},{"name":"DEBUG_FLR_INTERNAL_RAID_BUG","features":[164]},{"name":"DEBUG_FLR_INTERNAL_RAID_BUG_DATABASE_STRING","features":[164]},{"name":"DEBUG_FLR_INTERNAL_RESPONSE","features":[164]},{"name":"DEBUG_FLR_INTERNAL_SOLUTION_TEXT","features":[164]},{"name":"DEBUG_FLR_INVALID","features":[164]},{"name":"DEBUG_FLR_INVALID_DPC_FOUND","features":[164]},{"name":"DEBUG_FLR_INVALID_HEAP_ADDRESS","features":[164]},{"name":"DEBUG_FLR_INVALID_KERNEL_CONTEXT","features":[164]},{"name":"DEBUG_FLR_INVALID_OPCODE","features":[164]},{"name":"DEBUG_FLR_INVALID_PFN","features":[164]},{"name":"DEBUG_FLR_INVALID_USEREVENT","features":[164]},{"name":"DEBUG_FLR_INVALID_USER_CONTEXT","features":[164]},{"name":"DEBUG_FLR_IOCONTROL_CODE","features":[164]},{"name":"DEBUG_FLR_IOSB_ADDRESS","features":[164]},{"name":"DEBUG_FLR_IO_ERROR_CODE","features":[164]},{"name":"DEBUG_FLR_IRP_ADDRESS","features":[164]},{"name":"DEBUG_FLR_IRP_CANCEL_ROUTINE","features":[164]},{"name":"DEBUG_FLR_IRP_MAJOR_FN","features":[164]},{"name":"DEBUG_FLR_IRP_MINOR_FN","features":[164]},{"name":"DEBUG_FLR_KERNEL","features":[164]},{"name":"DEBUG_FLR_KERNEL_LOG_PROCESS_NAME","features":[164]},{"name":"DEBUG_FLR_KERNEL_LOG_STATUS","features":[164]},{"name":"DEBUG_FLR_KERNEL_VERIFIER_ENABLED","features":[164]},{"name":"DEBUG_FLR_KEYVALUE_ANALYSIS","features":[164]},{"name":"DEBUG_FLR_KEY_VALUES_STRING","features":[164]},{"name":"DEBUG_FLR_KEY_VALUES_VARIANT","features":[164]},{"name":"DEBUG_FLR_KM_MODULE_LIST","features":[164]},{"name":"DEBUG_FLR_LARGE_TICK_INCREMENT","features":[164]},{"name":"DEBUG_FLR_LAST_CONTROL_TRANSFER","features":[164]},{"name":"DEBUG_FLR_LCIE_ISO_AVAILABLE","features":[164]},{"name":"DEBUG_FLR_LEAKED_SESSION_POOL_TAG","features":[164]},{"name":"DEBUG_FLR_LEGACY_PAGE_TABLE_ACCESS","features":[164]},{"name":"DEBUG_FLR_LIVE_KERNEL_DUMP","features":[164]},{"name":"DEBUG_FLR_LOADERLOCK_BLOCKED_API","features":[164]},{"name":"DEBUG_FLR_LOADERLOCK_IN_WAIT_CHAIN","features":[164]},{"name":"DEBUG_FLR_LOADERLOCK_OWNER_API","features":[164]},{"name":"DEBUG_FLR_LOP_STACKHASH","features":[164]},{"name":"DEBUG_FLR_LOW_SYSTEM_COMMIT","features":[164]},{"name":"DEBUG_FLR_MACHINE_INFO_SHA1_HASH","features":[164]},{"name":"DEBUG_FLR_MANAGED_ANALYSIS_PROVIDER","features":[164]},{"name":"DEBUG_FLR_MANAGED_BITNESS_MISMATCH","features":[164]},{"name":"DEBUG_FLR_MANAGED_CODE","features":[164]},{"name":"DEBUG_FLR_MANAGED_ENGINE_MODULE","features":[164]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_ADDRESS","features":[164]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_CALLSTACK","features":[164]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_CMD","features":[164]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_CONTEXT_MESSAGE","features":[164]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_HRESULT","features":[164]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_INNER_ADDRESS","features":[164]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_INNER_CALLSTACK","features":[164]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_INNER_HRESULT","features":[164]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_INNER_MESSAGE","features":[164]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_INNER_TYPE","features":[164]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_MESSAGE","features":[164]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_MESSAGE_deprecated","features":[164]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_NESTED_ADDRESS","features":[164]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_NESTED_CALLSTACK","features":[164]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_NESTED_HRESULT","features":[164]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_NESTED_MESSAGE","features":[164]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_NESTED_TYPE","features":[164]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_OBJECT","features":[164]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_TYPE","features":[164]},{"name":"DEBUG_FLR_MANAGED_FRAME_CHAIN_CORRUPTION","features":[164]},{"name":"DEBUG_FLR_MANAGED_HRESULT_STRING","features":[164]},{"name":"DEBUG_FLR_MANAGED_KERNEL_DEBUGGER","features":[164]},{"name":"DEBUG_FLR_MANAGED_OBJECT","features":[164]},{"name":"DEBUG_FLR_MANAGED_OBJECT_NAME","features":[164]},{"name":"DEBUG_FLR_MANAGED_STACK_COMMAND","features":[164]},{"name":"DEBUG_FLR_MANAGED_STACK_STRING","features":[164]},{"name":"DEBUG_FLR_MANAGED_THREAD_CMD_CALLSTACK","features":[164]},{"name":"DEBUG_FLR_MANAGED_THREAD_CMD_STACKOBJECTS","features":[164]},{"name":"DEBUG_FLR_MANAGED_THREAD_ID","features":[164]},{"name":"DEBUG_FLR_MANUAL_BREAKIN","features":[164]},{"name":"DEBUG_FLR_MARKER_BUCKET","features":[164]},{"name":"DEBUG_FLR_MARKER_FILE","features":[164]},{"name":"DEBUG_FLR_MARKER_MODULE_FILE","features":[164]},{"name":"DEBUG_FLR_MASK_ALL","features":[164]},{"name":"DEBUG_FLR_MEMDIAG_LASTRUN_STATUS","features":[164]},{"name":"DEBUG_FLR_MEMDIAG_LASTRUN_TIME","features":[164]},{"name":"DEBUG_FLR_MEMORY_ANALYSIS","features":[164]},{"name":"DEBUG_FLR_MEMORY_CORRUPTION_SIGNATURE","features":[164]},{"name":"DEBUG_FLR_MEMORY_CORRUPTOR","features":[164]},{"name":"DEBUG_FLR_MILCORE_BREAK","features":[164]},{"name":"DEBUG_FLR_MINUTES_SINCE_LAST_EVENT","features":[164]},{"name":"DEBUG_FLR_MINUTES_SINCE_LAST_EVENT_OF_THIS_TYPE","features":[164]},{"name":"DEBUG_FLR_MISSING_CLR_SYMBOL","features":[164]},{"name":"DEBUG_FLR_MISSING_IMPORTANT_SYMBOL","features":[164]},{"name":"DEBUG_FLR_MM_INTERNAL_CODE","features":[164]},{"name":"DEBUG_FLR_MODLIST_SHA1_HASH","features":[164]},{"name":"DEBUG_FLR_MODLIST_TSCHKSUM_SHA1_HASH","features":[164]},{"name":"DEBUG_FLR_MODLIST_UNLOADED_SHA1_HASH","features":[164]},{"name":"DEBUG_FLR_MODULE_BUCKET_ID","features":[164]},{"name":"DEBUG_FLR_MODULE_LIST","features":[164]},{"name":"DEBUG_FLR_MODULE_NAME","features":[164]},{"name":"DEBUG_FLR_MODULE_PRODUCTNAME","features":[164]},{"name":"DEBUG_FLR_MOD_SPECIFIC_DATA_ONLY","features":[164]},{"name":"DEBUG_FLR_NO_ARCH_IN_BUCKET","features":[164]},{"name":"DEBUG_FLR_NO_BUGCHECK_IN_BUCKET","features":[164]},{"name":"DEBUG_FLR_NO_IMAGE_IN_BUCKET","features":[164]},{"name":"DEBUG_FLR_NO_IMAGE_TIMESTAMP_IN_BUCKET","features":[164]},{"name":"DEBUG_FLR_NTGLOBALFLAG","features":[164]},{"name":"DEBUG_FLR_ON_DPC_STACK","features":[164]},{"name":"DEBUG_FLR_ORIGINAL_CAB_NAME","features":[164]},{"name":"DEBUG_FLR_OSBUILD_deprecated","features":[164]},{"name":"DEBUG_FLR_OS_BRANCH","features":[164]},{"name":"DEBUG_FLR_OS_BUILD","features":[164]},{"name":"DEBUG_FLR_OS_BUILD_LAYERS_XML","features":[164]},{"name":"DEBUG_FLR_OS_BUILD_STRING","features":[164]},{"name":"DEBUG_FLR_OS_BUILD_TIMESTAMP_ISO","features":[164]},{"name":"DEBUG_FLR_OS_BUILD_TIMESTAMP_LAB","features":[164]},{"name":"DEBUG_FLR_OS_FLAVOR","features":[164]},{"name":"DEBUG_FLR_OS_LOCALE","features":[164]},{"name":"DEBUG_FLR_OS_LOCALE_LCID","features":[164]},{"name":"DEBUG_FLR_OS_MAJOR","features":[164]},{"name":"DEBUG_FLR_OS_MINOR","features":[164]},{"name":"DEBUG_FLR_OS_NAME","features":[164]},{"name":"DEBUG_FLR_OS_NAME_EDITION","features":[164]},{"name":"DEBUG_FLR_OS_PLATFORM_ARCH","features":[164]},{"name":"DEBUG_FLR_OS_PLATFORM_ID","features":[164]},{"name":"DEBUG_FLR_OS_PRODUCT_TYPE","features":[164]},{"name":"DEBUG_FLR_OS_REVISION","features":[164]},{"name":"DEBUG_FLR_OS_SERVICEPACK","features":[164]},{"name":"DEBUG_FLR_OS_SERVICEPACK_deprecated","features":[164]},{"name":"DEBUG_FLR_OS_SKU","features":[164]},{"name":"DEBUG_FLR_OS_SUITE_MASK","features":[164]},{"name":"DEBUG_FLR_OS_VERSION","features":[164]},{"name":"DEBUG_FLR_OS_VERSION_deprecated","features":[164]},{"name":"DEBUG_FLR_OVERLAPPED_MODULE","features":[164]},{"name":"DEBUG_FLR_OVERLAPPED_UNLOADED_MODULE","features":[164]},{"name":"DEBUG_FLR_PAGE_HASH_ERRORS","features":[164]},{"name":"DEBUG_FLR_PARAM_TYPE","features":[164]},{"name":"DEBUG_FLR_PG_MISMATCH","features":[164]},{"name":"DEBUG_FLR_PHONE_APPID","features":[164]},{"name":"DEBUG_FLR_PHONE_APPVERSION","features":[164]},{"name":"DEBUG_FLR_PHONE_BOOTLOADERVERSION","features":[164]},{"name":"DEBUG_FLR_PHONE_BUILDBRANCH","features":[164]},{"name":"DEBUG_FLR_PHONE_BUILDER","features":[164]},{"name":"DEBUG_FLR_PHONE_BUILDNUMBER","features":[164]},{"name":"DEBUG_FLR_PHONE_BUILDTIMESTAMP","features":[164]},{"name":"DEBUG_FLR_PHONE_FIRMWAREREVISION","features":[164]},{"name":"DEBUG_FLR_PHONE_HARDWAREREVISION","features":[164]},{"name":"DEBUG_FLR_PHONE_LCID","features":[164]},{"name":"DEBUG_FLR_PHONE_MCCMNC","features":[164]},{"name":"DEBUG_FLR_PHONE_OPERATOR","features":[164]},{"name":"DEBUG_FLR_PHONE_QFE","features":[164]},{"name":"DEBUG_FLR_PHONE_RADIOHARDWAREREVISION","features":[164]},{"name":"DEBUG_FLR_PHONE_RADIOSOFTWAREREVISION","features":[164]},{"name":"DEBUG_FLR_PHONE_RAM","features":[164]},{"name":"DEBUG_FLR_PHONE_REPORTGUID","features":[164]},{"name":"DEBUG_FLR_PHONE_REPORTTIMESTAMP","features":[164]},{"name":"DEBUG_FLR_PHONE_ROMVERSION","features":[164]},{"name":"DEBUG_FLR_PHONE_SKUID","features":[164]},{"name":"DEBUG_FLR_PHONE_SOCVERSION","features":[164]},{"name":"DEBUG_FLR_PHONE_SOURCE","features":[164]},{"name":"DEBUG_FLR_PHONE_SOURCEEXTERNAL","features":[164]},{"name":"DEBUG_FLR_PHONE_UIF_APPID","features":[164]},{"name":"DEBUG_FLR_PHONE_UIF_APPNAME","features":[164]},{"name":"DEBUG_FLR_PHONE_UIF_CATEGORY","features":[164]},{"name":"DEBUG_FLR_PHONE_UIF_COMMENT","features":[164]},{"name":"DEBUG_FLR_PHONE_UIF_ORIGIN","features":[164]},{"name":"DEBUG_FLR_PHONE_USERALIAS","features":[164]},{"name":"DEBUG_FLR_PHONE_VERSIONMAJOR","features":[164]},{"name":"DEBUG_FLR_PHONE_VERSIONMINOR","features":[164]},{"name":"DEBUG_FLR_PLATFORM_BUCKET_STRING","features":[164]},{"name":"DEBUG_FLR_PNP","features":[164]},{"name":"DEBUG_FLR_PNP_BLACKBOX","features":[164]},{"name":"DEBUG_FLR_PNP_IRP_ADDRESS","features":[164]},{"name":"DEBUG_FLR_PNP_IRP_ADDRESS_DEPRECATED","features":[164]},{"name":"DEBUG_FLR_PNP_TRIAGE_DATA","features":[164]},{"name":"DEBUG_FLR_PNP_TRIAGE_DATA_DEPRECATED","features":[164]},{"name":"DEBUG_FLR_POISONED_TB","features":[164]},{"name":"DEBUG_FLR_POOL_ADDRESS","features":[164]},{"name":"DEBUG_FLR_POOL_CORRUPTOR","features":[164]},{"name":"DEBUG_FLR_POSSIBLE_INVALID_CONTROL_TRANSFER","features":[164]},{"name":"DEBUG_FLR_POSSIBLE_STACK_OVERFLOW","features":[164]},{"name":"DEBUG_FLR_POWERREQUEST_ADDRESS","features":[164]},{"name":"DEBUG_FLR_PO_BLACKBOX","features":[164]},{"name":"DEBUG_FLR_PREVIOUS_IRQL","features":[164]},{"name":"DEBUG_FLR_PREVIOUS_MODE","features":[164]},{"name":"DEBUG_FLR_PRIMARY_PROBLEM_CLASS","features":[164]},{"name":"DEBUG_FLR_PRIMARY_PROBLEM_CLASS_DATA","features":[164]},{"name":"DEBUG_FLR_PROBLEM_CLASSES","features":[164]},{"name":"DEBUG_FLR_PROBLEM_CODE_PATH_HASH","features":[164]},{"name":"DEBUG_FLR_PROCESSES_ANALYSIS","features":[164]},{"name":"DEBUG_FLR_PROCESSOR_ID","features":[164]},{"name":"DEBUG_FLR_PROCESSOR_INFO","features":[164]},{"name":"DEBUG_FLR_PROCESS_BAM_CURRENT_THROTTLED","features":[164]},{"name":"DEBUG_FLR_PROCESS_BAM_PREVIOUS_THROTTLED","features":[164]},{"name":"DEBUG_FLR_PROCESS_INFO","features":[164]},{"name":"DEBUG_FLR_PROCESS_NAME","features":[164]},{"name":"DEBUG_FLR_PROCESS_OBJECT","features":[164]},{"name":"DEBUG_FLR_PROCESS_PRODUCTNAME","features":[164]},{"name":"DEBUG_FLR_RAISED_IRQL_USER_FAULT","features":[164]},{"name":"DEBUG_FLR_READ_ADDRESS","features":[164]},{"name":"DEBUG_FLR_RECURRING_STACK","features":[164]},{"name":"DEBUG_FLR_REGISTRYTXT_SOURCE","features":[164]},{"name":"DEBUG_FLR_REGISTRYTXT_STRESS_ID","features":[164]},{"name":"DEBUG_FLR_REGISTRY_DATA","features":[164]},{"name":"DEBUG_FLR_REPORT_INFO_CREATION_TIME","features":[164]},{"name":"DEBUG_FLR_REPORT_INFO_GUID","features":[164]},{"name":"DEBUG_FLR_REPORT_INFO_SOURCE","features":[164]},{"name":"DEBUG_FLR_REQUESTED_IRQL","features":[164]},{"name":"DEBUG_FLR_RESERVED","features":[164]},{"name":"DEBUG_FLR_RESOURCE_CALL_TYPE","features":[164]},{"name":"DEBUG_FLR_RESOURCE_CALL_TYPE_STR","features":[164]},{"name":"DEBUG_FLR_SCM","features":[164]},{"name":"DEBUG_FLR_SCM_BLACKBOX","features":[164]},{"name":"DEBUG_FLR_SCM_BLACKBOX_ENTRY","features":[164]},{"name":"DEBUG_FLR_SCM_BLACKBOX_ENTRY_CONTROLCODE","features":[164]},{"name":"DEBUG_FLR_SCM_BLACKBOX_ENTRY_SERVICENAME","features":[164]},{"name":"DEBUG_FLR_SCM_BLACKBOX_ENTRY_STARTTIME","features":[164]},{"name":"DEBUG_FLR_SEARCH_HANG","features":[164]},{"name":"DEBUG_FLR_SECURITY_COOKIES","features":[164]},{"name":"DEBUG_FLR_SERVICE","features":[164]},{"name":"DEBUG_FLR_SERVICETABLE_MODIFIED","features":[164]},{"name":"DEBUG_FLR_SERVICE_ANALYSIS","features":[164]},{"name":"DEBUG_FLR_SERVICE_DEPENDONGROUP","features":[164]},{"name":"DEBUG_FLR_SERVICE_DEPENDONSERVICE","features":[164]},{"name":"DEBUG_FLR_SERVICE_DESCRIPTION","features":[164]},{"name":"DEBUG_FLR_SERVICE_DISPLAYNAME","features":[164]},{"name":"DEBUG_FLR_SERVICE_GROUP","features":[164]},{"name":"DEBUG_FLR_SERVICE_NAME","features":[164]},{"name":"DEBUG_FLR_SHOW_ERRORLOG","features":[164]},{"name":"DEBUG_FLR_SHOW_LCIE_ISO_DATA","features":[164]},{"name":"DEBUG_FLR_SIMULTANEOUS_TELSVC_INSTANCES","features":[164]},{"name":"DEBUG_FLR_SIMULTANEOUS_TELWP_INSTANCES","features":[164]},{"name":"DEBUG_FLR_SINGLE_BIT_ERROR","features":[164]},{"name":"DEBUG_FLR_SINGLE_BIT_PFN_PAGE_ERROR","features":[164]},{"name":"DEBUG_FLR_SKIP_CORRUPT_MODULE_DETECTION","features":[164]},{"name":"DEBUG_FLR_SKIP_MODULE_SPECIFIC_BUCKET_INFO","features":[164]},{"name":"DEBUG_FLR_SKIP_STACK_ANALYSIS","features":[164]},{"name":"DEBUG_FLR_SM_BUFFER_HASH","features":[164]},{"name":"DEBUG_FLR_SM_COMPRESSION_FORMAT","features":[164]},{"name":"DEBUG_FLR_SM_ONEBIT_SOLUTION_COUNT","features":[164]},{"name":"DEBUG_FLR_SM_SOURCE_OFFSET","features":[164]},{"name":"DEBUG_FLR_SM_SOURCE_PFN1","features":[164]},{"name":"DEBUG_FLR_SM_SOURCE_PFN2","features":[164]},{"name":"DEBUG_FLR_SM_SOURCE_SIZE","features":[164]},{"name":"DEBUG_FLR_SM_TARGET_PFN","features":[164]},{"name":"DEBUG_FLR_SOLUTION_ID","features":[164]},{"name":"DEBUG_FLR_SOLUTION_TYPE","features":[164]},{"name":"DEBUG_FLR_SPECIAL_POOL_CORRUPTION_TYPE","features":[164]},{"name":"DEBUG_FLR_STACK","features":[164]},{"name":"DEBUG_FLR_STACKHASH_ANALYSIS","features":[164]},{"name":"DEBUG_FLR_STACKUSAGE_FUNCTION","features":[164]},{"name":"DEBUG_FLR_STACKUSAGE_FUNCTION_SIZE","features":[164]},{"name":"DEBUG_FLR_STACKUSAGE_IMAGE","features":[164]},{"name":"DEBUG_FLR_STACKUSAGE_IMAGE_SIZE","features":[164]},{"name":"DEBUG_FLR_STACKUSAGE_RECURSION_COUNT","features":[164]},{"name":"DEBUG_FLR_STACK_COMMAND","features":[164]},{"name":"DEBUG_FLR_STACK_FRAME","features":[164]},{"name":"DEBUG_FLR_STACK_FRAMES","features":[164]},{"name":"DEBUG_FLR_STACK_FRAME_FLAGS","features":[164]},{"name":"DEBUG_FLR_STACK_FRAME_FUNCTION","features":[164]},{"name":"DEBUG_FLR_STACK_FRAME_IMAGE","features":[164]},{"name":"DEBUG_FLR_STACK_FRAME_INSTRUCTION","features":[164]},{"name":"DEBUG_FLR_STACK_FRAME_MODULE","features":[164]},{"name":"DEBUG_FLR_STACK_FRAME_MODULE_BASE","features":[164]},{"name":"DEBUG_FLR_STACK_FRAME_NUMBER","features":[164]},{"name":"DEBUG_FLR_STACK_FRAME_SRC","features":[164]},{"name":"DEBUG_FLR_STACK_FRAME_SYMBOL","features":[164]},{"name":"DEBUG_FLR_STACK_FRAME_SYMBOL_OFFSET","features":[164]},{"name":"DEBUG_FLR_STACK_OVERFLOW","features":[164]},{"name":"DEBUG_FLR_STACK_POINTER_ERROR","features":[164]},{"name":"DEBUG_FLR_STACK_POINTER_MISALIGNED","features":[164]},{"name":"DEBUG_FLR_STACK_POINTER_ONEBIT_ERROR","features":[164]},{"name":"DEBUG_FLR_STACK_SHA1_HASH_M","features":[164]},{"name":"DEBUG_FLR_STACK_SHA1_HASH_MF","features":[164]},{"name":"DEBUG_FLR_STACK_SHA1_HASH_MFO","features":[164]},{"name":"DEBUG_FLR_STACK_TEXT","features":[164]},{"name":"DEBUG_FLR_STATUS_CODE","features":[164]},{"name":"DEBUG_FLR_STORAGE","features":[164]},{"name":"DEBUG_FLR_STORAGE_BLACKBOX","features":[164]},{"name":"DEBUG_FLR_STORAGE_ISSUEDESCSTRING","features":[164]},{"name":"DEBUG_FLR_STORAGE_MFGID","features":[164]},{"name":"DEBUG_FLR_STORAGE_MODEL","features":[164]},{"name":"DEBUG_FLR_STORAGE_ORGID","features":[164]},{"name":"DEBUG_FLR_STORAGE_PRIVATE_DATASIZE","features":[164]},{"name":"DEBUG_FLR_STORAGE_PRIVATE_OFFSET","features":[164]},{"name":"DEBUG_FLR_STORAGE_PRIVATE_TOTSIZE","features":[164]},{"name":"DEBUG_FLR_STORAGE_PUBLIC_DATASIZE","features":[164]},{"name":"DEBUG_FLR_STORAGE_PUBLIC_OFFSET","features":[164]},{"name":"DEBUG_FLR_STORAGE_PUBLIC_TOTSIZE","features":[164]},{"name":"DEBUG_FLR_STORAGE_REASON","features":[164]},{"name":"DEBUG_FLR_STORAGE_TOTALSIZE","features":[164]},{"name":"DEBUG_FLR_STORE_DEVELOPER_NAME","features":[164]},{"name":"DEBUG_FLR_STORE_IS_MICROSOFT_PRODUCT","features":[164]},{"name":"DEBUG_FLR_STORE_LEGACY_PARENT_PRODUCT_ID","features":[164]},{"name":"DEBUG_FLR_STORE_LEGACY_WINDOWS_PHONE_PRODUCT_ID","features":[164]},{"name":"DEBUG_FLR_STORE_LEGACY_WINDOWS_STORE_PRODUCT_ID","features":[164]},{"name":"DEBUG_FLR_STORE_LEGACY_XBOX_360_PRODUCT_ID","features":[164]},{"name":"DEBUG_FLR_STORE_LEGACY_XBOX_ONE_PRODUCT_ID","features":[164]},{"name":"DEBUG_FLR_STORE_PACKAGE_FAMILY_NAME","features":[164]},{"name":"DEBUG_FLR_STORE_PACKAGE_IDENTITY_NAME","features":[164]},{"name":"DEBUG_FLR_STORE_PREFERRED_SKU_ID","features":[164]},{"name":"DEBUG_FLR_STORE_PRIMARY_PARENT_PRODUCT_ID","features":[164]},{"name":"DEBUG_FLR_STORE_PRODUCT_DESCRIPTION","features":[164]},{"name":"DEBUG_FLR_STORE_PRODUCT_DISPLAY_NAME","features":[164]},{"name":"DEBUG_FLR_STORE_PRODUCT_EXTENDED_NAME","features":[164]},{"name":"DEBUG_FLR_STORE_PRODUCT_ID","features":[164]},{"name":"DEBUG_FLR_STORE_PUBLISHER_CERTIFICATE_NAME","features":[164]},{"name":"DEBUG_FLR_STORE_PUBLISHER_ID","features":[164]},{"name":"DEBUG_FLR_STORE_PUBLISHER_NAME","features":[164]},{"name":"DEBUG_FLR_STORE_URL_APP","features":[164]},{"name":"DEBUG_FLR_STORE_URL_APPHEALTH","features":[164]},{"name":"DEBUG_FLR_STORE_XBOX_TITLE_ID","features":[164]},{"name":"DEBUG_FLR_STREAM_ANALYSIS","features":[164]},{"name":"DEBUG_FLR_SUSPECT_CODE_PATH_HASH","features":[164]},{"name":"DEBUG_FLR_SVCHOST","features":[164]},{"name":"DEBUG_FLR_SVCHOST_GROUP","features":[164]},{"name":"DEBUG_FLR_SVCHOST_IMAGEPATH","features":[164]},{"name":"DEBUG_FLR_SVCHOST_SERVICEDLL","features":[164]},{"name":"DEBUG_FLR_SWITCH_PROCESS_CONTEXT","features":[164]},{"name":"DEBUG_FLR_SYMBOL_FROM_RAW_STACK_ADDRESS","features":[164]},{"name":"DEBUG_FLR_SYMBOL_NAME","features":[164]},{"name":"DEBUG_FLR_SYMBOL_ON_RAW_STACK","features":[164]},{"name":"DEBUG_FLR_SYMBOL_ROUTINE_NAME","features":[164]},{"name":"DEBUG_FLR_SYMBOL_STACK_INDEX","features":[164]},{"name":"DEBUG_FLR_SYSINFO_BASEBOARD_MANUFACTURER","features":[164]},{"name":"DEBUG_FLR_SYSINFO_BASEBOARD_PRODUCT","features":[164]},{"name":"DEBUG_FLR_SYSINFO_BASEBOARD_VERSION","features":[164]},{"name":"DEBUG_FLR_SYSINFO_BIOS_DATE","features":[164]},{"name":"DEBUG_FLR_SYSINFO_BIOS_VENDOR","features":[164]},{"name":"DEBUG_FLR_SYSINFO_BIOS_VERSION","features":[164]},{"name":"DEBUG_FLR_SYSINFO_SYSTEM_MANUFACTURER","features":[164]},{"name":"DEBUG_FLR_SYSINFO_SYSTEM_PRODUCT","features":[164]},{"name":"DEBUG_FLR_SYSINFO_SYSTEM_SKU","features":[164]},{"name":"DEBUG_FLR_SYSINFO_SYSTEM_VERSION","features":[164]},{"name":"DEBUG_FLR_SYSTEM_LOCALE_deprecated","features":[164]},{"name":"DEBUG_FLR_SYSXML_CHECKSUM","features":[164]},{"name":"DEBUG_FLR_SYSXML_LOCALEID","features":[164]},{"name":"DEBUG_FLR_TARGET_MODE","features":[164]},{"name":"DEBUG_FLR_TARGET_TIME","features":[164]},{"name":"DEBUG_FLR_TESTRESULTGUID","features":[164]},{"name":"DEBUG_FLR_TESTRESULTSERVER","features":[164]},{"name":"DEBUG_FLR_THREADPOOL_WAITER","features":[164]},{"name":"DEBUG_FLR_THREAD_ATTRIBUTES","features":[164]},{"name":"DEBUG_FLR_TIMELINE_ANALYSIS","features":[164]},{"name":"DEBUG_FLR_TIMELINE_TIMES","features":[164]},{"name":"DEBUG_FLR_TRAP_FRAME","features":[164]},{"name":"DEBUG_FLR_TRAP_FRAME_RECURSION","features":[164]},{"name":"DEBUG_FLR_TRIAGER_OS_BUILD_NAME","features":[164]},{"name":"DEBUG_FLR_TSS","features":[164]},{"name":"DEBUG_FLR_TWO_BIT_ERROR","features":[164]},{"name":"DEBUG_FLR_ULS_SCRIPT_EXCEPTION","features":[164]},{"name":"DEBUG_FLR_UNALIGNED_STACK_POINTER","features":[164]},{"name":"DEBUG_FLR_UNKNOWN","features":[164]},{"name":"DEBUG_FLR_UNKNOWN_MODULE","features":[164]},{"name":"DEBUG_FLR_UNRESPONSIVE_UI_FOLLOWUP_NAME","features":[164]},{"name":"DEBUG_FLR_UNRESPONSIVE_UI_PROBLEM_CLASS","features":[164]},{"name":"DEBUG_FLR_UNRESPONSIVE_UI_PROBLEM_CLASS_DATA","features":[164]},{"name":"DEBUG_FLR_UNRESPONSIVE_UI_STACK","features":[164]},{"name":"DEBUG_FLR_UNRESPONSIVE_UI_SYMBOL_NAME","features":[164]},{"name":"DEBUG_FLR_UNRESPONSIVE_UI_THREAD","features":[164]},{"name":"DEBUG_FLR_UNUSED001","features":[164]},{"name":"DEBUG_FLR_URLS","features":[164]},{"name":"DEBUG_FLR_URLS_DISCOVERED","features":[164]},{"name":"DEBUG_FLR_URL_ENTRY","features":[164]},{"name":"DEBUG_FLR_URL_LCIE_ENTRY","features":[164]},{"name":"DEBUG_FLR_URL_URLMON_ENTRY","features":[164]},{"name":"DEBUG_FLR_URL_XMLHTTPREQ_SYNC_ENTRY","features":[164]},{"name":"DEBUG_FLR_USBPORT_OCADATA","features":[164]},{"name":"DEBUG_FLR_USER","features":[164]},{"name":"DEBUG_FLR_USERBREAK_PEB_PAGEDOUT","features":[164]},{"name":"DEBUG_FLR_USERMODE_DATA","features":[164]},{"name":"DEBUG_FLR_USER_GLOBAL_ATTRIBUTES","features":[164]},{"name":"DEBUG_FLR_USER_LCID","features":[164]},{"name":"DEBUG_FLR_USER_LCID_STR","features":[164]},{"name":"DEBUG_FLR_USER_MODE_BUCKET","features":[164]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_EVENTTYPE","features":[164]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_INDEX","features":[164]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_P0","features":[164]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_P1","features":[164]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_P2","features":[164]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_P3","features":[164]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_P4","features":[164]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_P5","features":[164]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_P6","features":[164]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_P7","features":[164]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_REPORTCREATIONTIME","features":[164]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_REPORTGUID","features":[164]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_STRING","features":[164]},{"name":"DEBUG_FLR_USER_NAME","features":[164]},{"name":"DEBUG_FLR_USER_PROBLEM_CLASSES","features":[164]},{"name":"DEBUG_FLR_USER_THREAD_ATTRIBUTES","features":[164]},{"name":"DEBUG_FLR_USE_DEFAULT_CONTEXT","features":[164]},{"name":"DEBUG_FLR_VERIFIER_DRIVER_ENTRY","features":[164]},{"name":"DEBUG_FLR_VERIFIER_FOUND_DEADLOCK","features":[164]},{"name":"DEBUG_FLR_VERIFIER_STOP","features":[164]},{"name":"DEBUG_FLR_VIDEO_TDR_CONTEXT","features":[164]},{"name":"DEBUG_FLR_VIRTUAL_MACHINE","features":[164]},{"name":"DEBUG_FLR_WAIT_CHAIN_COMMAND","features":[164]},{"name":"DEBUG_FLR_WATSON_GENERIC_BUCKETING_00","features":[164]},{"name":"DEBUG_FLR_WATSON_GENERIC_BUCKETING_01","features":[164]},{"name":"DEBUG_FLR_WATSON_GENERIC_BUCKETING_02","features":[164]},{"name":"DEBUG_FLR_WATSON_GENERIC_BUCKETING_03","features":[164]},{"name":"DEBUG_FLR_WATSON_GENERIC_BUCKETING_04","features":[164]},{"name":"DEBUG_FLR_WATSON_GENERIC_BUCKETING_05","features":[164]},{"name":"DEBUG_FLR_WATSON_GENERIC_BUCKETING_06","features":[164]},{"name":"DEBUG_FLR_WATSON_GENERIC_BUCKETING_07","features":[164]},{"name":"DEBUG_FLR_WATSON_GENERIC_BUCKETING_08","features":[164]},{"name":"DEBUG_FLR_WATSON_GENERIC_BUCKETING_09","features":[164]},{"name":"DEBUG_FLR_WATSON_GENERIC_EVENT_NAME","features":[164]},{"name":"DEBUG_FLR_WATSON_IBUCKET","features":[164]},{"name":"DEBUG_FLR_WATSON_IBUCKETTABLE_S1_RESP","features":[164]},{"name":"DEBUG_FLR_WATSON_IBUCKET_S1_RESP","features":[164]},{"name":"DEBUG_FLR_WATSON_MODULE","features":[164]},{"name":"DEBUG_FLR_WATSON_MODULE_OFFSET","features":[164]},{"name":"DEBUG_FLR_WATSON_MODULE_TIMESTAMP","features":[164]},{"name":"DEBUG_FLR_WATSON_MODULE_VERSION","features":[164]},{"name":"DEBUG_FLR_WATSON_PROCESS_TIMESTAMP","features":[164]},{"name":"DEBUG_FLR_WATSON_PROCESS_VERSION","features":[164]},{"name":"DEBUG_FLR_WCT_XML_AVAILABLE","features":[164]},{"name":"DEBUG_FLR_WERCOLLECTION_DEFAULTCOLLECTION_FAILURE","features":[164]},{"name":"DEBUG_FLR_WERCOLLECTION_MINIDUMP_WRITE_FAILURE","features":[164]},{"name":"DEBUG_FLR_WERCOLLECTION_PROCESSHEAPDUMP_REQUEST_FAILURE","features":[164]},{"name":"DEBUG_FLR_WERCOLLECTION_PROCESSTERMINATED","features":[164]},{"name":"DEBUG_FLR_WER_DATA_COLLECTION_INFO","features":[164]},{"name":"DEBUG_FLR_WER_MACHINE_ID","features":[164]},{"name":"DEBUG_FLR_WHEA_ERROR_RECORD","features":[164]},{"name":"DEBUG_FLR_WINLOGON_BLACKBOX","features":[164]},{"name":"DEBUG_FLR_WMI_QUERY_DATA","features":[164]},{"name":"DEBUG_FLR_WORKER_ROUTINE","features":[164]},{"name":"DEBUG_FLR_WORK_ITEM","features":[164]},{"name":"DEBUG_FLR_WORK_QUEUE_ITEM","features":[164]},{"name":"DEBUG_FLR_WQL_EVENTLOG_INFO","features":[164]},{"name":"DEBUG_FLR_WQL_EVENT_COUNT","features":[164]},{"name":"DEBUG_FLR_WRITE_ADDRESS","features":[164]},{"name":"DEBUG_FLR_WRONG_SYMBOLS","features":[164]},{"name":"DEBUG_FLR_WRONG_SYMBOLS_SIZE","features":[164]},{"name":"DEBUG_FLR_WRONG_SYMBOLS_TIMESTAMP","features":[164]},{"name":"DEBUG_FLR_XBOX_LIVE_ENVIRONMENT","features":[164]},{"name":"DEBUG_FLR_XBOX_SYSTEM_CRASHTIME","features":[164]},{"name":"DEBUG_FLR_XBOX_SYSTEM_UPTIME","features":[164]},{"name":"DEBUG_FLR_XCS_PATH","features":[164]},{"name":"DEBUG_FLR_XDV_HELP_LINK","features":[164]},{"name":"DEBUG_FLR_XDV_RULE_INFO","features":[164]},{"name":"DEBUG_FLR_XDV_STATE_VARIABLE","features":[164]},{"name":"DEBUG_FLR_XDV_VIOLATED_CONDITION","features":[164]},{"name":"DEBUG_FLR_XHCI_FIRMWARE_VERSION","features":[164]},{"name":"DEBUG_FLR_XML_APPLICATION_NAME","features":[164]},{"name":"DEBUG_FLR_XML_ATTRIBUTE","features":[164]},{"name":"DEBUG_FLR_XML_ATTRIBUTE_D1VALUE","features":[164]},{"name":"DEBUG_FLR_XML_ATTRIBUTE_D2VALUE","features":[164]},{"name":"DEBUG_FLR_XML_ATTRIBUTE_DOVALUE","features":[164]},{"name":"DEBUG_FLR_XML_ATTRIBUTE_FRAME_NUMBER","features":[164]},{"name":"DEBUG_FLR_XML_ATTRIBUTE_LIST","features":[164]},{"name":"DEBUG_FLR_XML_ATTRIBUTE_NAME","features":[164]},{"name":"DEBUG_FLR_XML_ATTRIBUTE_THREAD_INDEX","features":[164]},{"name":"DEBUG_FLR_XML_ATTRIBUTE_VALUE","features":[164]},{"name":"DEBUG_FLR_XML_ATTRIBUTE_VALUE_TYPE","features":[164]},{"name":"DEBUG_FLR_XML_ENCODED_OFFSETS","features":[164]},{"name":"DEBUG_FLR_XML_EVENTTYPE","features":[164]},{"name":"DEBUG_FLR_XML_GLOBALATTRIBUTE_LIST","features":[164]},{"name":"DEBUG_FLR_XML_MODERN_ASYNC_REQUEST_OUTSTANDING","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_BASE","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_CHECKSUM","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_COMPANY_NAME","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_DRIVER_GROUP","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_FILE_DESCRIPTION","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_FILE_FLAGS","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_FIXED_FILE_VER","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_FIXED_PROD_VER","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_IMAGE_NAME","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_IMAGE_PATH","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_INDEX","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_INTERNAL_NAME","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_NAME","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_ON_STACK","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_ORIG_FILE_NAME","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_PRODUCT_NAME","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_SIZE","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_STRING_FILE_VER","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_STRING_PROD_VER","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_SYMBOL_TYPE","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_SYMSRV_IMAGE_DETAIL","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_SYMSRV_IMAGE_ERROR","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_SYMSRV_IMAGE_SEC","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_SYMSRV_IMAGE_STATUS","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_SYMSRV_PDB_DETAIL","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_SYMSRV_PDB_ERROR","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_SYMSRV_PDB_SEC","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_SYMSRV_PDB_STATUS","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_TIMESTAMP","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_INFO_UNLOADED","features":[164]},{"name":"DEBUG_FLR_XML_MODULE_LIST","features":[164]},{"name":"DEBUG_FLR_XML_PACKAGE_MONIKER","features":[164]},{"name":"DEBUG_FLR_XML_PACKAGE_NAME","features":[164]},{"name":"DEBUG_FLR_XML_PACKAGE_RELATIVE_APPLICATION_ID","features":[164]},{"name":"DEBUG_FLR_XML_PACKAGE_VERSION","features":[164]},{"name":"DEBUG_FLR_XML_PROBLEMCLASS","features":[164]},{"name":"DEBUG_FLR_XML_PROBLEMCLASS_FRAME_NUMBER","features":[164]},{"name":"DEBUG_FLR_XML_PROBLEMCLASS_LIST","features":[164]},{"name":"DEBUG_FLR_XML_PROBLEMCLASS_NAME","features":[164]},{"name":"DEBUG_FLR_XML_PROBLEMCLASS_THREAD_INDEX","features":[164]},{"name":"DEBUG_FLR_XML_PROBLEMCLASS_VALUE","features":[164]},{"name":"DEBUG_FLR_XML_PROBLEMCLASS_VALUE_TYPE","features":[164]},{"name":"DEBUG_FLR_XML_STACK_FRAME_TRIAGE_STATUS","features":[164]},{"name":"DEBUG_FLR_XML_SYSTEMINFO","features":[164]},{"name":"DEBUG_FLR_XML_SYSTEMINFO_SYSTEMMANUFACTURER","features":[164]},{"name":"DEBUG_FLR_XML_SYSTEMINFO_SYSTEMMARKER","features":[164]},{"name":"DEBUG_FLR_XML_SYSTEMINFO_SYSTEMMODEL","features":[164]},{"name":"DEBUG_FLR_XPROC_DUMP_AVAILABLE","features":[164]},{"name":"DEBUG_FLR_XPROC_HANG","features":[164]},{"name":"DEBUG_FLR_ZEROED_STACK","features":[164]},{"name":"DEBUG_FORMAT_CAB_SECONDARY_ALL_IMAGES","features":[164]},{"name":"DEBUG_FORMAT_CAB_SECONDARY_FILES","features":[164]},{"name":"DEBUG_FORMAT_DEFAULT","features":[164]},{"name":"DEBUG_FORMAT_NO_OVERWRITE","features":[164]},{"name":"DEBUG_FORMAT_USER_SMALL_ADD_AVX_XSTATE_CONTEXT","features":[164]},{"name":"DEBUG_FORMAT_USER_SMALL_CODE_SEGMENTS","features":[164]},{"name":"DEBUG_FORMAT_USER_SMALL_DATA_SEGMENTS","features":[164]},{"name":"DEBUG_FORMAT_USER_SMALL_FILTER_MEMORY","features":[164]},{"name":"DEBUG_FORMAT_USER_SMALL_FILTER_PATHS","features":[164]},{"name":"DEBUG_FORMAT_USER_SMALL_FILTER_TRIAGE","features":[164]},{"name":"DEBUG_FORMAT_USER_SMALL_FULL_AUXILIARY_STATE","features":[164]},{"name":"DEBUG_FORMAT_USER_SMALL_FULL_MEMORY","features":[164]},{"name":"DEBUG_FORMAT_USER_SMALL_FULL_MEMORY_INFO","features":[164]},{"name":"DEBUG_FORMAT_USER_SMALL_HANDLE_DATA","features":[164]},{"name":"DEBUG_FORMAT_USER_SMALL_IGNORE_INACCESSIBLE_MEM","features":[164]},{"name":"DEBUG_FORMAT_USER_SMALL_INDIRECT_MEMORY","features":[164]},{"name":"DEBUG_FORMAT_USER_SMALL_IPT_TRACE","features":[164]},{"name":"DEBUG_FORMAT_USER_SMALL_MODULE_HEADERS","features":[164]},{"name":"DEBUG_FORMAT_USER_SMALL_NO_AUXILIARY_STATE","features":[164]},{"name":"DEBUG_FORMAT_USER_SMALL_NO_OPTIONAL_DATA","features":[164]},{"name":"DEBUG_FORMAT_USER_SMALL_PRIVATE_READ_WRITE_MEMORY","features":[164]},{"name":"DEBUG_FORMAT_USER_SMALL_PROCESS_THREAD_DATA","features":[164]},{"name":"DEBUG_FORMAT_USER_SMALL_SCAN_PARTIAL_PAGES","features":[164]},{"name":"DEBUG_FORMAT_USER_SMALL_THREAD_INFO","features":[164]},{"name":"DEBUG_FORMAT_USER_SMALL_UNLOADED_MODULES","features":[164]},{"name":"DEBUG_FORMAT_WRITE_CAB","features":[164]},{"name":"DEBUG_FRAME_DEFAULT","features":[164]},{"name":"DEBUG_FRAME_IGNORE_INLINE","features":[164]},{"name":"DEBUG_GETFNENT_DEFAULT","features":[164]},{"name":"DEBUG_GETFNENT_RAW_ENTRY_ONLY","features":[164]},{"name":"DEBUG_GETMOD_DEFAULT","features":[164]},{"name":"DEBUG_GETMOD_NO_LOADED_MODULES","features":[164]},{"name":"DEBUG_GETMOD_NO_UNLOADED_MODULES","features":[164]},{"name":"DEBUG_GET_PROC_DEFAULT","features":[164]},{"name":"DEBUG_GET_PROC_FULL_MATCH","features":[164]},{"name":"DEBUG_GET_PROC_ONLY_MATCH","features":[164]},{"name":"DEBUG_GET_PROC_SERVICE_NAME","features":[164]},{"name":"DEBUG_GET_TEXT_COMPLETIONS_IN","features":[164]},{"name":"DEBUG_GET_TEXT_COMPLETIONS_IS_DOT_COMMAND","features":[164]},{"name":"DEBUG_GET_TEXT_COMPLETIONS_IS_EXTENSION_COMMAND","features":[164]},{"name":"DEBUG_GET_TEXT_COMPLETIONS_IS_SYMBOL","features":[164]},{"name":"DEBUG_GET_TEXT_COMPLETIONS_NO_DOT_COMMANDS","features":[164]},{"name":"DEBUG_GET_TEXT_COMPLETIONS_NO_EXTENSION_COMMANDS","features":[164]},{"name":"DEBUG_GET_TEXT_COMPLETIONS_NO_SYMBOLS","features":[164]},{"name":"DEBUG_GET_TEXT_COMPLETIONS_OUT","features":[164]},{"name":"DEBUG_GSEL_ALLOW_HIGHER","features":[164]},{"name":"DEBUG_GSEL_ALLOW_LOWER","features":[164]},{"name":"DEBUG_GSEL_DEFAULT","features":[164]},{"name":"DEBUG_GSEL_INLINE_CALLSITE","features":[164]},{"name":"DEBUG_GSEL_NEAREST_ONLY","features":[164]},{"name":"DEBUG_GSEL_NO_SYMBOL_LOADS","features":[164]},{"name":"DEBUG_HANDLE_DATA_BASIC","features":[164]},{"name":"DEBUG_HANDLE_DATA_TYPE_ALL_HANDLE_OPERATIONS","features":[164]},{"name":"DEBUG_HANDLE_DATA_TYPE_BASIC","features":[164]},{"name":"DEBUG_HANDLE_DATA_TYPE_HANDLE_COUNT","features":[164]},{"name":"DEBUG_HANDLE_DATA_TYPE_MINI_EVENT_1","features":[164]},{"name":"DEBUG_HANDLE_DATA_TYPE_MINI_MUTANT_1","features":[164]},{"name":"DEBUG_HANDLE_DATA_TYPE_MINI_MUTANT_2","features":[164]},{"name":"DEBUG_HANDLE_DATA_TYPE_MINI_PROCESS_1","features":[164]},{"name":"DEBUG_HANDLE_DATA_TYPE_MINI_PROCESS_2","features":[164]},{"name":"DEBUG_HANDLE_DATA_TYPE_MINI_SECTION_1","features":[164]},{"name":"DEBUG_HANDLE_DATA_TYPE_MINI_SEMAPHORE_1","features":[164]},{"name":"DEBUG_HANDLE_DATA_TYPE_MINI_THREAD_1","features":[164]},{"name":"DEBUG_HANDLE_DATA_TYPE_OBJECT_NAME","features":[164]},{"name":"DEBUG_HANDLE_DATA_TYPE_OBJECT_NAME_WIDE","features":[164]},{"name":"DEBUG_HANDLE_DATA_TYPE_PER_HANDLE_OPERATIONS","features":[164]},{"name":"DEBUG_HANDLE_DATA_TYPE_TYPE_NAME","features":[164]},{"name":"DEBUG_HANDLE_DATA_TYPE_TYPE_NAME_WIDE","features":[164]},{"name":"DEBUG_INTERRUPT_ACTIVE","features":[164]},{"name":"DEBUG_INTERRUPT_EXIT","features":[164]},{"name":"DEBUG_INTERRUPT_PASSIVE","features":[164]},{"name":"DEBUG_IOUTPUT_ADDR_TRANSLATE","features":[164]},{"name":"DEBUG_IOUTPUT_BREAKPOINT","features":[164]},{"name":"DEBUG_IOUTPUT_EVENT","features":[164]},{"name":"DEBUG_IOUTPUT_KD_PROTOCOL","features":[164]},{"name":"DEBUG_IOUTPUT_REMOTING","features":[164]},{"name":"DEBUG_IRP_INFO","features":[164]},{"name":"DEBUG_IRP_STACK_INFO","features":[164]},{"name":"DEBUG_KERNEL_ACTIVE_DUMP","features":[164]},{"name":"DEBUG_KERNEL_CONNECTION","features":[164]},{"name":"DEBUG_KERNEL_DUMP","features":[164]},{"name":"DEBUG_KERNEL_EXDI_DRIVER","features":[164]},{"name":"DEBUG_KERNEL_FULL_DUMP","features":[164]},{"name":"DEBUG_KERNEL_IDNA","features":[164]},{"name":"DEBUG_KERNEL_INSTALL_DRIVER","features":[164]},{"name":"DEBUG_KERNEL_LOCAL","features":[164]},{"name":"DEBUG_KERNEL_REPT","features":[164]},{"name":"DEBUG_KERNEL_SMALL_DUMP","features":[164]},{"name":"DEBUG_KERNEL_TRACE_LOG","features":[164]},{"name":"DEBUG_KNOWN_STRUCT_GET_NAMES","features":[164]},{"name":"DEBUG_KNOWN_STRUCT_GET_SINGLE_LINE_OUTPUT","features":[164]},{"name":"DEBUG_KNOWN_STRUCT_SUPPRESS_TYPE_NAME","features":[164]},{"name":"DEBUG_LAST_EVENT_INFO_BREAKPOINT","features":[164]},{"name":"DEBUG_LAST_EVENT_INFO_EXCEPTION","features":[1,164]},{"name":"DEBUG_LAST_EVENT_INFO_EXIT_PROCESS","features":[164]},{"name":"DEBUG_LAST_EVENT_INFO_EXIT_THREAD","features":[164]},{"name":"DEBUG_LAST_EVENT_INFO_LOAD_MODULE","features":[164]},{"name":"DEBUG_LAST_EVENT_INFO_SERVICE_EXCEPTION","features":[164]},{"name":"DEBUG_LAST_EVENT_INFO_SYSTEM_ERROR","features":[164]},{"name":"DEBUG_LAST_EVENT_INFO_UNLOAD_MODULE","features":[164]},{"name":"DEBUG_LEVEL_ASSEMBLY","features":[164]},{"name":"DEBUG_LEVEL_SOURCE","features":[164]},{"name":"DEBUG_LIVE_USER_NON_INVASIVE","features":[164]},{"name":"DEBUG_LOG_APPEND","features":[164]},{"name":"DEBUG_LOG_DEFAULT","features":[164]},{"name":"DEBUG_LOG_DML","features":[164]},{"name":"DEBUG_LOG_UNICODE","features":[164]},{"name":"DEBUG_MANAGED_ALLOWED","features":[164]},{"name":"DEBUG_MANAGED_DISABLED","features":[164]},{"name":"DEBUG_MANAGED_DLL_LOADED","features":[164]},{"name":"DEBUG_MANRESET_DEFAULT","features":[164]},{"name":"DEBUG_MANRESET_LOAD_DLL","features":[164]},{"name":"DEBUG_MANSTR_LOADED_SUPPORT_DLL","features":[164]},{"name":"DEBUG_MANSTR_LOAD_STATUS","features":[164]},{"name":"DEBUG_MANSTR_NONE","features":[164]},{"name":"DEBUG_MODNAME_IMAGE","features":[164]},{"name":"DEBUG_MODNAME_LOADED_IMAGE","features":[164]},{"name":"DEBUG_MODNAME_MAPPED_IMAGE","features":[164]},{"name":"DEBUG_MODNAME_MODULE","features":[164]},{"name":"DEBUG_MODNAME_SYMBOL_FILE","features":[164]},{"name":"DEBUG_MODULE_AND_ID","features":[164]},{"name":"DEBUG_MODULE_EXE_MODULE","features":[164]},{"name":"DEBUG_MODULE_EXPLICIT","features":[164]},{"name":"DEBUG_MODULE_LOADED","features":[164]},{"name":"DEBUG_MODULE_PARAMETERS","features":[164]},{"name":"DEBUG_MODULE_SECONDARY","features":[164]},{"name":"DEBUG_MODULE_SYM_BAD_CHECKSUM","features":[164]},{"name":"DEBUG_MODULE_SYNTHETIC","features":[164]},{"name":"DEBUG_MODULE_UNLOADED","features":[164]},{"name":"DEBUG_MODULE_USER_MODE","features":[164]},{"name":"DEBUG_NOTIFY_SESSION_ACCESSIBLE","features":[164]},{"name":"DEBUG_NOTIFY_SESSION_ACTIVE","features":[164]},{"name":"DEBUG_NOTIFY_SESSION_INACCESSIBLE","features":[164]},{"name":"DEBUG_NOTIFY_SESSION_INACTIVE","features":[164]},{"name":"DEBUG_OFFSET_REGION","features":[164]},{"name":"DEBUG_OFFSINFO_VIRTUAL_SOURCE","features":[164]},{"name":"DEBUG_OUTCBF_COMBINED_EXPLICIT_FLUSH","features":[164]},{"name":"DEBUG_OUTCBF_DML_HAS_SPECIAL_CHARACTERS","features":[164]},{"name":"DEBUG_OUTCBF_DML_HAS_TAGS","features":[164]},{"name":"DEBUG_OUTCBI_ANY_FORMAT","features":[164]},{"name":"DEBUG_OUTCBI_DML","features":[164]},{"name":"DEBUG_OUTCBI_EXPLICIT_FLUSH","features":[164]},{"name":"DEBUG_OUTCBI_TEXT","features":[164]},{"name":"DEBUG_OUTCB_DML","features":[164]},{"name":"DEBUG_OUTCB_EXPLICIT_FLUSH","features":[164]},{"name":"DEBUG_OUTCB_TEXT","features":[164]},{"name":"DEBUG_OUTCTL_ALL_CLIENTS","features":[164]},{"name":"DEBUG_OUTCTL_ALL_OTHER_CLIENTS","features":[164]},{"name":"DEBUG_OUTCTL_AMBIENT","features":[164]},{"name":"DEBUG_OUTCTL_AMBIENT_DML","features":[164]},{"name":"DEBUG_OUTCTL_AMBIENT_TEXT","features":[164]},{"name":"DEBUG_OUTCTL_DML","features":[164]},{"name":"DEBUG_OUTCTL_IGNORE","features":[164]},{"name":"DEBUG_OUTCTL_LOG_ONLY","features":[164]},{"name":"DEBUG_OUTCTL_NOT_LOGGED","features":[164]},{"name":"DEBUG_OUTCTL_OVERRIDE_MASK","features":[164]},{"name":"DEBUG_OUTCTL_SEND_MASK","features":[164]},{"name":"DEBUG_OUTCTL_THIS_CLIENT","features":[164]},{"name":"DEBUG_OUTPUT_DEBUGGEE","features":[164]},{"name":"DEBUG_OUTPUT_DEBUGGEE_PROMPT","features":[164]},{"name":"DEBUG_OUTPUT_ERROR","features":[164]},{"name":"DEBUG_OUTPUT_EXTENSION_WARNING","features":[164]},{"name":"DEBUG_OUTPUT_IDENTITY_DEFAULT","features":[164]},{"name":"DEBUG_OUTPUT_NAME_END","features":[164]},{"name":"DEBUG_OUTPUT_NAME_END_T","features":[164]},{"name":"DEBUG_OUTPUT_NAME_END_WIDE","features":[164]},{"name":"DEBUG_OUTPUT_NORMAL","features":[164]},{"name":"DEBUG_OUTPUT_OFFSET_END","features":[164]},{"name":"DEBUG_OUTPUT_OFFSET_END_T","features":[164]},{"name":"DEBUG_OUTPUT_OFFSET_END_WIDE","features":[164]},{"name":"DEBUG_OUTPUT_PROMPT","features":[164]},{"name":"DEBUG_OUTPUT_PROMPT_REGISTERS","features":[164]},{"name":"DEBUG_OUTPUT_STATUS","features":[164]},{"name":"DEBUG_OUTPUT_SYMBOLS","features":[164]},{"name":"DEBUG_OUTPUT_SYMBOLS_DEFAULT","features":[164]},{"name":"DEBUG_OUTPUT_SYMBOLS_NO_NAMES","features":[164]},{"name":"DEBUG_OUTPUT_SYMBOLS_NO_OFFSETS","features":[164]},{"name":"DEBUG_OUTPUT_SYMBOLS_NO_TYPES","features":[164]},{"name":"DEBUG_OUTPUT_SYMBOLS_NO_VALUES","features":[164]},{"name":"DEBUG_OUTPUT_TYPE_END","features":[164]},{"name":"DEBUG_OUTPUT_TYPE_END_T","features":[164]},{"name":"DEBUG_OUTPUT_TYPE_END_WIDE","features":[164]},{"name":"DEBUG_OUTPUT_VALUE_END","features":[164]},{"name":"DEBUG_OUTPUT_VALUE_END_T","features":[164]},{"name":"DEBUG_OUTPUT_VALUE_END_WIDE","features":[164]},{"name":"DEBUG_OUTPUT_VERBOSE","features":[164]},{"name":"DEBUG_OUTPUT_WARNING","features":[164]},{"name":"DEBUG_OUTPUT_XML","features":[164]},{"name":"DEBUG_OUTSYM_ALLOW_DISPLACEMENT","features":[164]},{"name":"DEBUG_OUTSYM_DEFAULT","features":[164]},{"name":"DEBUG_OUTSYM_FORCE_OFFSET","features":[164]},{"name":"DEBUG_OUTSYM_SOURCE_LINE","features":[164]},{"name":"DEBUG_OUTTYPE_ADDRESS_AT_END","features":[164]},{"name":"DEBUG_OUTTYPE_ADDRESS_OF_FIELD","features":[164]},{"name":"DEBUG_OUTTYPE_BLOCK_RECURSE","features":[164]},{"name":"DEBUG_OUTTYPE_COMPACT_OUTPUT","features":[164]},{"name":"DEBUG_OUTTYPE_DEFAULT","features":[164]},{"name":"DEBUG_OUTTYPE_NO_INDENT","features":[164]},{"name":"DEBUG_OUTTYPE_NO_OFFSET","features":[164]},{"name":"DEBUG_OUTTYPE_VERBOSE","features":[164]},{"name":"DEBUG_OUT_TEXT_REPL_DEFAULT","features":[164]},{"name":"DEBUG_PHYSICAL_CACHED","features":[164]},{"name":"DEBUG_PHYSICAL_DEFAULT","features":[164]},{"name":"DEBUG_PHYSICAL_UNCACHED","features":[164]},{"name":"DEBUG_PHYSICAL_WRITE_COMBINED","features":[164]},{"name":"DEBUG_PNP_TRIAGE_INFO","features":[164]},{"name":"DEBUG_POOLTAG_DESCRIPTION","features":[164]},{"name":"DEBUG_POOL_DATA","features":[164]},{"name":"DEBUG_POOL_REGION","features":[164]},{"name":"DEBUG_PROCESSOR_IDENTIFICATION_ALL","features":[164]},{"name":"DEBUG_PROCESSOR_IDENTIFICATION_ALPHA","features":[164]},{"name":"DEBUG_PROCESSOR_IDENTIFICATION_AMD64","features":[164]},{"name":"DEBUG_PROCESSOR_IDENTIFICATION_ARM","features":[164]},{"name":"DEBUG_PROCESSOR_IDENTIFICATION_ARM64","features":[164]},{"name":"DEBUG_PROCESSOR_IDENTIFICATION_IA64","features":[164]},{"name":"DEBUG_PROCESSOR_IDENTIFICATION_X86","features":[164]},{"name":"DEBUG_PROCESS_DETACH_ON_EXIT","features":[164]},{"name":"DEBUG_PROCESS_ONLY_THIS_PROCESS","features":[164]},{"name":"DEBUG_PROC_DESC_DEFAULT","features":[164]},{"name":"DEBUG_PROC_DESC_NO_COMMAND_LINE","features":[164]},{"name":"DEBUG_PROC_DESC_NO_MTS_PACKAGES","features":[164]},{"name":"DEBUG_PROC_DESC_NO_PATHS","features":[164]},{"name":"DEBUG_PROC_DESC_NO_SERVICES","features":[164]},{"name":"DEBUG_PROC_DESC_NO_SESSION_ID","features":[164]},{"name":"DEBUG_PROC_DESC_NO_USER_NAME","features":[164]},{"name":"DEBUG_PROC_DESC_WITH_ARCHITECTURE","features":[164]},{"name":"DEBUG_PROC_DESC_WITH_PACKAGEFAMILY","features":[164]},{"name":"DEBUG_READ_USER_MINIDUMP_STREAM","features":[164]},{"name":"DEBUG_REGISTERS_ALL","features":[164]},{"name":"DEBUG_REGISTERS_DEFAULT","features":[164]},{"name":"DEBUG_REGISTERS_FLOAT","features":[164]},{"name":"DEBUG_REGISTERS_INT32","features":[164]},{"name":"DEBUG_REGISTERS_INT64","features":[164]},{"name":"DEBUG_REGISTER_DESCRIPTION","features":[164]},{"name":"DEBUG_REGISTER_SUB_REGISTER","features":[164]},{"name":"DEBUG_REGSRC_DEBUGGEE","features":[164]},{"name":"DEBUG_REGSRC_EXPLICIT","features":[164]},{"name":"DEBUG_REGSRC_FRAME","features":[164]},{"name":"DEBUG_REQUEST_ADD_CACHED_SYMBOL_INFO","features":[164]},{"name":"DEBUG_REQUEST_CLOSE_TOKEN","features":[164]},{"name":"DEBUG_REQUEST_CURRENT_OUTPUT_CALLBACKS_ARE_DML_AWARE","features":[164]},{"name":"DEBUG_REQUEST_DUPLICATE_TOKEN","features":[164]},{"name":"DEBUG_REQUEST_EXT_TYPED_DATA_ANSI","features":[164]},{"name":"DEBUG_REQUEST_GET_ADDITIONAL_CREATE_OPTIONS","features":[164]},{"name":"DEBUG_REQUEST_GET_CACHED_SYMBOL_INFO","features":[164]},{"name":"DEBUG_REQUEST_GET_CAPTURED_EVENT_CODE_OFFSET","features":[164]},{"name":"DEBUG_REQUEST_GET_DUMP_HEADER","features":[164]},{"name":"DEBUG_REQUEST_GET_EXTENSION_SEARCH_PATH_WIDE","features":[164]},{"name":"DEBUG_REQUEST_GET_IMAGE_ARCHITECTURE","features":[164]},{"name":"DEBUG_REQUEST_GET_INSTRUMENTATION_VERSION","features":[164]},{"name":"DEBUG_REQUEST_GET_MODULE_ARCHITECTURE","features":[164]},{"name":"DEBUG_REQUEST_GET_OFFSET_UNWIND_INFORMATION","features":[164]},{"name":"DEBUG_REQUEST_GET_TEXT_COMPLETIONS_ANSI","features":[164]},{"name":"DEBUG_REQUEST_GET_TEXT_COMPLETIONS_WIDE","features":[164]},{"name":"DEBUG_REQUEST_GET_WIN32_MAJOR_MINOR_VERSIONS","features":[164]},{"name":"DEBUG_REQUEST_INLINE_QUERY","features":[164]},{"name":"DEBUG_REQUEST_MIDORI","features":[164]},{"name":"DEBUG_REQUEST_MISC_INFORMATION","features":[164]},{"name":"DEBUG_REQUEST_OPEN_PROCESS_TOKEN","features":[164]},{"name":"DEBUG_REQUEST_OPEN_THREAD_TOKEN","features":[164]},{"name":"DEBUG_REQUEST_PROCESS_DESCRIPTORS","features":[164]},{"name":"DEBUG_REQUEST_QUERY_INFO_TOKEN","features":[164]},{"name":"DEBUG_REQUEST_READ_CAPTURED_EVENT_CODE_STREAM","features":[164]},{"name":"DEBUG_REQUEST_READ_USER_MINIDUMP_STREAM","features":[164]},{"name":"DEBUG_REQUEST_REMOVE_CACHED_SYMBOL_INFO","features":[164]},{"name":"DEBUG_REQUEST_RESUME_THREAD","features":[164]},{"name":"DEBUG_REQUEST_SET_ADDITIONAL_CREATE_OPTIONS","features":[164]},{"name":"DEBUG_REQUEST_SET_DUMP_HEADER","features":[164]},{"name":"DEBUG_REQUEST_SET_LOCAL_IMPLICIT_COMMAND_LINE","features":[164]},{"name":"DEBUG_REQUEST_SOURCE_PATH_HAS_SOURCE_SERVER","features":[164]},{"name":"DEBUG_REQUEST_TARGET_CAN_DETACH","features":[164]},{"name":"DEBUG_REQUEST_TARGET_EXCEPTION_CONTEXT","features":[164]},{"name":"DEBUG_REQUEST_TARGET_EXCEPTION_RECORD","features":[164]},{"name":"DEBUG_REQUEST_TARGET_EXCEPTION_THREAD","features":[164]},{"name":"DEBUG_REQUEST_TL_INSTRUMENTATION_AWARE","features":[164]},{"name":"DEBUG_REQUEST_WOW_MODULE","features":[164]},{"name":"DEBUG_REQUEST_WOW_PROCESS","features":[164]},{"name":"DEBUG_SCOPE_GROUP_ALL","features":[164]},{"name":"DEBUG_SCOPE_GROUP_ARGUMENTS","features":[164]},{"name":"DEBUG_SCOPE_GROUP_BY_DATAMODEL","features":[164]},{"name":"DEBUG_SCOPE_GROUP_LOCALS","features":[164]},{"name":"DEBUG_SERVERS_ALL","features":[164]},{"name":"DEBUG_SERVERS_DEBUGGER","features":[164]},{"name":"DEBUG_SERVERS_PROCESS","features":[164]},{"name":"DEBUG_SESSION_ACTIVE","features":[164]},{"name":"DEBUG_SESSION_END","features":[164]},{"name":"DEBUG_SESSION_END_SESSION_ACTIVE_DETACH","features":[164]},{"name":"DEBUG_SESSION_END_SESSION_ACTIVE_TERMINATE","features":[164]},{"name":"DEBUG_SESSION_END_SESSION_PASSIVE","features":[164]},{"name":"DEBUG_SESSION_FAILURE","features":[164]},{"name":"DEBUG_SESSION_HIBERNATE","features":[164]},{"name":"DEBUG_SESSION_REBOOT","features":[164]},{"name":"DEBUG_SMBIOS_INFO","features":[164]},{"name":"DEBUG_SOURCE_IS_STATEMENT","features":[164]},{"name":"DEBUG_SPECIFIC_FILTER_PARAMETERS","features":[164]},{"name":"DEBUG_SRCFILE_SYMBOL_CHECKSUMINFO","features":[164]},{"name":"DEBUG_SRCFILE_SYMBOL_TOKEN","features":[164]},{"name":"DEBUG_SRCFILE_SYMBOL_TOKEN_SOURCE_COMMAND_WIDE","features":[164]},{"name":"DEBUG_STACK_ARGUMENTS","features":[164]},{"name":"DEBUG_STACK_COLUMN_NAMES","features":[164]},{"name":"DEBUG_STACK_DML","features":[164]},{"name":"DEBUG_STACK_FRAME","features":[1,164]},{"name":"DEBUG_STACK_FRAME_ADDRESSES","features":[164]},{"name":"DEBUG_STACK_FRAME_ADDRESSES_RA_ONLY","features":[164]},{"name":"DEBUG_STACK_FRAME_ARCH","features":[164]},{"name":"DEBUG_STACK_FRAME_EX","features":[1,164]},{"name":"DEBUG_STACK_FRAME_MEMORY_USAGE","features":[164]},{"name":"DEBUG_STACK_FRAME_NUMBERS","features":[164]},{"name":"DEBUG_STACK_FRAME_OFFSETS","features":[164]},{"name":"DEBUG_STACK_FUNCTION_INFO","features":[164]},{"name":"DEBUG_STACK_NONVOLATILE_REGISTERS","features":[164]},{"name":"DEBUG_STACK_PARAMETERS","features":[164]},{"name":"DEBUG_STACK_PARAMETERS_NEWLINE","features":[164]},{"name":"DEBUG_STACK_PROVIDER","features":[164]},{"name":"DEBUG_STACK_SOURCE_LINE","features":[164]},{"name":"DEBUG_STATUS_BREAK","features":[164]},{"name":"DEBUG_STATUS_GO","features":[164]},{"name":"DEBUG_STATUS_GO_HANDLED","features":[164]},{"name":"DEBUG_STATUS_GO_NOT_HANDLED","features":[164]},{"name":"DEBUG_STATUS_IGNORE_EVENT","features":[164]},{"name":"DEBUG_STATUS_INSIDE_WAIT","features":[164]},{"name":"DEBUG_STATUS_MASK","features":[164]},{"name":"DEBUG_STATUS_NO_CHANGE","features":[164]},{"name":"DEBUG_STATUS_NO_DEBUGGEE","features":[164]},{"name":"DEBUG_STATUS_OUT_OF_SYNC","features":[164]},{"name":"DEBUG_STATUS_RESTART_REQUESTED","features":[164]},{"name":"DEBUG_STATUS_REVERSE_GO","features":[164]},{"name":"DEBUG_STATUS_REVERSE_STEP_BRANCH","features":[164]},{"name":"DEBUG_STATUS_REVERSE_STEP_INTO","features":[164]},{"name":"DEBUG_STATUS_REVERSE_STEP_OVER","features":[164]},{"name":"DEBUG_STATUS_STEP_BRANCH","features":[164]},{"name":"DEBUG_STATUS_STEP_INTO","features":[164]},{"name":"DEBUG_STATUS_STEP_OVER","features":[164]},{"name":"DEBUG_STATUS_TIMEOUT","features":[164]},{"name":"DEBUG_STATUS_WAIT_INPUT","features":[164]},{"name":"DEBUG_STATUS_WAIT_TIMEOUT","features":[164]},{"name":"DEBUG_SYMBOL_ENTRY","features":[164]},{"name":"DEBUG_SYMBOL_EXPANDED","features":[164]},{"name":"DEBUG_SYMBOL_EXPANSION_LEVEL_MASK","features":[164]},{"name":"DEBUG_SYMBOL_IS_ARGUMENT","features":[164]},{"name":"DEBUG_SYMBOL_IS_ARRAY","features":[164]},{"name":"DEBUG_SYMBOL_IS_FLOAT","features":[164]},{"name":"DEBUG_SYMBOL_IS_LOCAL","features":[164]},{"name":"DEBUG_SYMBOL_PARAMETERS","features":[164]},{"name":"DEBUG_SYMBOL_READ_ONLY","features":[164]},{"name":"DEBUG_SYMBOL_SOURCE_ENTRY","features":[164]},{"name":"DEBUG_SYMENT_IS_CODE","features":[164]},{"name":"DEBUG_SYMENT_IS_DATA","features":[164]},{"name":"DEBUG_SYMENT_IS_LOCAL","features":[164]},{"name":"DEBUG_SYMENT_IS_MANAGED","features":[164]},{"name":"DEBUG_SYMENT_IS_PARAMETER","features":[164]},{"name":"DEBUG_SYMENT_IS_SYNTHETIC","features":[164]},{"name":"DEBUG_SYMINFO_BREAKPOINT_SOURCE_LINE","features":[164]},{"name":"DEBUG_SYMINFO_GET_MODULE_SYMBOL_NAMES_AND_OFFSETS","features":[164]},{"name":"DEBUG_SYMINFO_GET_SYMBOL_NAME_BY_OFFSET_AND_TAG_WIDE","features":[164]},{"name":"DEBUG_SYMINFO_IMAGEHLP_MODULEW64","features":[164]},{"name":"DEBUG_SYMTYPE_CODEVIEW","features":[164]},{"name":"DEBUG_SYMTYPE_COFF","features":[164]},{"name":"DEBUG_SYMTYPE_DEFERRED","features":[164]},{"name":"DEBUG_SYMTYPE_DIA","features":[164]},{"name":"DEBUG_SYMTYPE_EXPORT","features":[164]},{"name":"DEBUG_SYMTYPE_NONE","features":[164]},{"name":"DEBUG_SYMTYPE_PDB","features":[164]},{"name":"DEBUG_SYMTYPE_SYM","features":[164]},{"name":"DEBUG_SYSOBJINFO_CURRENT_PROCESS_COOKIE","features":[164]},{"name":"DEBUG_SYSOBJINFO_THREAD_BASIC_INFORMATION","features":[164]},{"name":"DEBUG_SYSOBJINFO_THREAD_NAME_WIDE","features":[164]},{"name":"DEBUG_SYSVERSTR_BUILD","features":[164]},{"name":"DEBUG_SYSVERSTR_SERVICE_PACK","features":[164]},{"name":"DEBUG_TBINFO_AFFINITY","features":[164]},{"name":"DEBUG_TBINFO_ALL","features":[164]},{"name":"DEBUG_TBINFO_EXIT_STATUS","features":[164]},{"name":"DEBUG_TBINFO_PRIORITY","features":[164]},{"name":"DEBUG_TBINFO_PRIORITY_CLASS","features":[164]},{"name":"DEBUG_TBINFO_START_OFFSET","features":[164]},{"name":"DEBUG_TBINFO_TIMES","features":[164]},{"name":"DEBUG_THREAD_BASIC_INFORMATION","features":[164]},{"name":"DEBUG_TRIAGE_FOLLOWUP_INFO","features":[164]},{"name":"DEBUG_TRIAGE_FOLLOWUP_INFO_2","features":[164]},{"name":"DEBUG_TYPED_DATA","features":[164]},{"name":"DEBUG_TYPED_DATA_IS_IN_MEMORY","features":[164]},{"name":"DEBUG_TYPED_DATA_PHYSICAL_CACHED","features":[164]},{"name":"DEBUG_TYPED_DATA_PHYSICAL_DEFAULT","features":[164]},{"name":"DEBUG_TYPED_DATA_PHYSICAL_MEMORY","features":[164]},{"name":"DEBUG_TYPED_DATA_PHYSICAL_UNCACHED","features":[164]},{"name":"DEBUG_TYPED_DATA_PHYSICAL_WRITE_COMBINED","features":[164]},{"name":"DEBUG_TYPEOPTS_FORCERADIX_OUTPUT","features":[164]},{"name":"DEBUG_TYPEOPTS_LONGSTATUS_DISPLAY","features":[164]},{"name":"DEBUG_TYPEOPTS_MATCH_MAXSIZE","features":[164]},{"name":"DEBUG_TYPEOPTS_UNICODE_DISPLAY","features":[164]},{"name":"DEBUG_USER_WINDOWS_DUMP","features":[164]},{"name":"DEBUG_USER_WINDOWS_DUMP_WINDOWS_CE","features":[164]},{"name":"DEBUG_USER_WINDOWS_IDNA","features":[164]},{"name":"DEBUG_USER_WINDOWS_PROCESS","features":[164]},{"name":"DEBUG_USER_WINDOWS_PROCESS_SERVER","features":[164]},{"name":"DEBUG_USER_WINDOWS_REPT","features":[164]},{"name":"DEBUG_USER_WINDOWS_SMALL_DUMP","features":[164]},{"name":"DEBUG_VALUE","features":[1,164]},{"name":"DEBUG_VALUE_FLOAT128","features":[164]},{"name":"DEBUG_VALUE_FLOAT32","features":[164]},{"name":"DEBUG_VALUE_FLOAT64","features":[164]},{"name":"DEBUG_VALUE_FLOAT80","features":[164]},{"name":"DEBUG_VALUE_FLOAT82","features":[164]},{"name":"DEBUG_VALUE_INT16","features":[164]},{"name":"DEBUG_VALUE_INT32","features":[164]},{"name":"DEBUG_VALUE_INT64","features":[164]},{"name":"DEBUG_VALUE_INT8","features":[164]},{"name":"DEBUG_VALUE_INVALID","features":[164]},{"name":"DEBUG_VALUE_TYPES","features":[164]},{"name":"DEBUG_VALUE_VECTOR128","features":[164]},{"name":"DEBUG_VALUE_VECTOR64","features":[164]},{"name":"DEBUG_VSEARCH_DEFAULT","features":[164]},{"name":"DEBUG_VSEARCH_WRITABLE_ONLY","features":[164]},{"name":"DEBUG_VSOURCE_DEBUGGEE","features":[164]},{"name":"DEBUG_VSOURCE_DUMP_WITHOUT_MEMINFO","features":[164]},{"name":"DEBUG_VSOURCE_INVALID","features":[164]},{"name":"DEBUG_VSOURCE_MAPPED_IMAGE","features":[164]},{"name":"DEBUG_WAIT_DEFAULT","features":[164]},{"name":"DISK_READ_0_BYTES","features":[164]},{"name":"DISK_WRITE","features":[164]},{"name":"DUMP_HANDLE_FLAG_CID_TABLE","features":[164]},{"name":"DUMP_HANDLE_FLAG_KERNEL_TABLE","features":[164]},{"name":"DUMP_HANDLE_FLAG_PRINT_FREE_ENTRY","features":[164]},{"name":"DUMP_HANDLE_FLAG_PRINT_OBJECT","features":[164]},{"name":"DbgPoolRegionMax","features":[164]},{"name":"DbgPoolRegionNonPaged","features":[164]},{"name":"DbgPoolRegionNonPagedExpansion","features":[164]},{"name":"DbgPoolRegionPaged","features":[164]},{"name":"DbgPoolRegionSessionPaged","features":[164]},{"name":"DbgPoolRegionSpecial","features":[164]},{"name":"DbgPoolRegionUnknown","features":[164]},{"name":"DebugBaseEventCallbacks","features":[164]},{"name":"DebugBaseEventCallbacksWide","features":[164]},{"name":"DebugConnect","features":[164]},{"name":"DebugConnectWide","features":[164]},{"name":"DebugCreate","features":[164]},{"name":"DebugCreateEx","features":[164]},{"name":"ENTRY_CALLBACK","features":[164]},{"name":"ERROR_DBG_CANCELLED","features":[164]},{"name":"ERROR_DBG_TIMEOUT","features":[164]},{"name":"EXIT_ON_CONTROLC","features":[164]},{"name":"EXIT_STATUS","features":[164]},{"name":"EXTDLL_DATA_QUERY_BUILD_BINDIR","features":[164]},{"name":"EXTDLL_DATA_QUERY_BUILD_BINDIR_SYMSRV","features":[164]},{"name":"EXTDLL_DATA_QUERY_BUILD_SYMDIR","features":[164]},{"name":"EXTDLL_DATA_QUERY_BUILD_SYMDIR_SYMSRV","features":[164]},{"name":"EXTDLL_DATA_QUERY_BUILD_WOW64BINDIR","features":[164]},{"name":"EXTDLL_DATA_QUERY_BUILD_WOW64BINDIR_SYMSRV","features":[164]},{"name":"EXTDLL_DATA_QUERY_BUILD_WOW64SYMDIR","features":[164]},{"name":"EXTDLL_DATA_QUERY_BUILD_WOW64SYMDIR_SYMSRV","features":[164]},{"name":"EXTDLL_ITERATERTLBALANCEDNODES","features":[164]},{"name":"EXTDLL_QUERYDATABYTAG","features":[164]},{"name":"EXTDLL_QUERYDATABYTAGEX","features":[164]},{"name":"EXTSTACKTRACE","features":[164]},{"name":"EXTSTACKTRACE32","features":[164]},{"name":"EXTSTACKTRACE64","features":[164]},{"name":"EXTS_JOB_PROCESS_CALLBACK","features":[1,164]},{"name":"EXTS_TABLE_ENTRY_CALLBACK","features":[1,164]},{"name":"EXT_ANALYSIS_PLUGIN","features":[164]},{"name":"EXT_ANALYZER","features":[164]},{"name":"EXT_ANALYZER_FLAG_ID","features":[164]},{"name":"EXT_ANALYZER_FLAG_MOD","features":[164]},{"name":"EXT_API_VERSION","features":[164]},{"name":"EXT_API_VERSION_NUMBER","features":[164]},{"name":"EXT_API_VERSION_NUMBER32","features":[164]},{"name":"EXT_API_VERSION_NUMBER64","features":[164]},{"name":"EXT_CAB_XML_DATA","features":[164]},{"name":"EXT_DECODE_ERROR","features":[1,164]},{"name":"EXT_FIND_FILE","features":[1,164]},{"name":"EXT_FIND_FILE_ALLOW_GIVEN_PATH","features":[164]},{"name":"EXT_GET_DEBUG_FAILURE_ANALYSIS","features":[164]},{"name":"EXT_GET_ENVIRONMENT_VARIABLE","features":[164]},{"name":"EXT_GET_FAILURE_ANALYSIS","features":[164]},{"name":"EXT_GET_FA_ENTRIES_DATA","features":[164]},{"name":"EXT_GET_HANDLE_TRACE","features":[164]},{"name":"EXT_MATCH_PATTERN_A","features":[164]},{"name":"EXT_RELOAD_TRIAGER","features":[164]},{"name":"EXT_TARGET_INFO","features":[164]},{"name":"EXT_TDF_PHYSICAL_CACHED","features":[164]},{"name":"EXT_TDF_PHYSICAL_DEFAULT","features":[164]},{"name":"EXT_TDF_PHYSICAL_MEMORY","features":[164]},{"name":"EXT_TDF_PHYSICAL_UNCACHED","features":[164]},{"name":"EXT_TDF_PHYSICAL_WRITE_COMBINED","features":[164]},{"name":"EXT_TDOP","features":[164]},{"name":"EXT_TDOP_COPY","features":[164]},{"name":"EXT_TDOP_COUNT","features":[164]},{"name":"EXT_TDOP_EVALUATE","features":[164]},{"name":"EXT_TDOP_GET_ARRAY_ELEMENT","features":[164]},{"name":"EXT_TDOP_GET_DEREFERENCE","features":[164]},{"name":"EXT_TDOP_GET_FIELD","features":[164]},{"name":"EXT_TDOP_GET_FIELD_OFFSET","features":[164]},{"name":"EXT_TDOP_GET_POINTER_TO","features":[164]},{"name":"EXT_TDOP_GET_TYPE_NAME","features":[164]},{"name":"EXT_TDOP_GET_TYPE_SIZE","features":[164]},{"name":"EXT_TDOP_HAS_FIELD","features":[164]},{"name":"EXT_TDOP_OUTPUT_FULL_VALUE","features":[164]},{"name":"EXT_TDOP_OUTPUT_SIMPLE_VALUE","features":[164]},{"name":"EXT_TDOP_OUTPUT_TYPE_DEFINITION","features":[164]},{"name":"EXT_TDOP_OUTPUT_TYPE_NAME","features":[164]},{"name":"EXT_TDOP_RELEASE","features":[164]},{"name":"EXT_TDOP_SET_FROM_EXPR","features":[164]},{"name":"EXT_TDOP_SET_FROM_TYPE_ID_AND_U64","features":[164]},{"name":"EXT_TDOP_SET_FROM_U64_EXPR","features":[164]},{"name":"EXT_TDOP_SET_PTR_FROM_TYPE_ID_AND_U64","features":[164]},{"name":"EXT_TRIAGE_FOLLOWUP","features":[164]},{"name":"EXT_TYPED_DATA","features":[164]},{"name":"EXT_XML_DATA","features":[164]},{"name":"ErrorClass","features":[164]},{"name":"ErrorClassError","features":[164]},{"name":"ErrorClassWarning","features":[164]},{"name":"FAILURE_ANALYSIS_ASSUME_HANG","features":[164]},{"name":"FAILURE_ANALYSIS_AUTOBUG_PROCESSING","features":[164]},{"name":"FAILURE_ANALYSIS_AUTOSET_SYMPATH","features":[164]},{"name":"FAILURE_ANALYSIS_CALLSTACK_XML","features":[164]},{"name":"FAILURE_ANALYSIS_CALLSTACK_XML_FULL_SOURCE_INFO","features":[164]},{"name":"FAILURE_ANALYSIS_CREATE_INSTANCE","features":[164]},{"name":"FAILURE_ANALYSIS_EXCEPTION_AS_HANG","features":[164]},{"name":"FAILURE_ANALYSIS_HEAP_CORRUPTION_BLAME_FUNCTION","features":[164]},{"name":"FAILURE_ANALYSIS_IGNORE_BREAKIN","features":[164]},{"name":"FAILURE_ANALYSIS_LIVE_DEBUG_HOLD_CHECK","features":[164]},{"name":"FAILURE_ANALYSIS_MODULE_INFO_XML","features":[164]},{"name":"FAILURE_ANALYSIS_MULTI_TARGET","features":[164]},{"name":"FAILURE_ANALYSIS_NO_DB_LOOKUP","features":[164]},{"name":"FAILURE_ANALYSIS_NO_IMAGE_CORRUPTION","features":[164]},{"name":"FAILURE_ANALYSIS_PERMIT_HEAP_ACCESS_VIOLATIONS","features":[164]},{"name":"FAILURE_ANALYSIS_REGISTRY_DATA","features":[164]},{"name":"FAILURE_ANALYSIS_SET_FAILURE_CONTEXT","features":[164]},{"name":"FAILURE_ANALYSIS_SHOW_SOURCE","features":[164]},{"name":"FAILURE_ANALYSIS_SHOW_WCT_STACKS","features":[164]},{"name":"FAILURE_ANALYSIS_USER_ATTRIBUTES","features":[164]},{"name":"FAILURE_ANALYSIS_USER_ATTRIBUTES_ALL","features":[164]},{"name":"FAILURE_ANALYSIS_USER_ATTRIBUTES_FRAMES","features":[164]},{"name":"FAILURE_ANALYSIS_VERBOSE","features":[164]},{"name":"FAILURE_ANALYSIS_WMI_QUERY_DATA","features":[164]},{"name":"FAILURE_ANALYSIS_XML_FILE_OUTPUT","features":[164]},{"name":"FAILURE_ANALYSIS_XML_OUTPUT","features":[164]},{"name":"FAILURE_ANALYSIS_XSD_VERIFY","features":[164]},{"name":"FAILURE_ANALYSIS_XSLT_FILE_INPUT","features":[164]},{"name":"FAILURE_ANALYSIS_XSLT_FILE_OUTPUT","features":[164]},{"name":"FA_ENTRY","features":[164]},{"name":"FA_ENTRY_TYPE","features":[164]},{"name":"FA_EXTENSION_PLUGIN_PHASE","features":[164]},{"name":"FA_PLUGIN_INITIALIZATION","features":[164]},{"name":"FA_PLUGIN_POST_BUCKETING","features":[164]},{"name":"FA_PLUGIN_PRE_BUCKETING","features":[164]},{"name":"FA_PLUGIN_STACK_ANALYSIS","features":[164]},{"name":"FIELDS_DID_NOT_MATCH","features":[164]},{"name":"FIELD_INFO","features":[164]},{"name":"FormatBSTRString","features":[164]},{"name":"FormatEnumNameOnly","features":[164]},{"name":"FormatEscapedStringWithQuote","features":[164]},{"name":"FormatHString","features":[164]},{"name":"FormatNone","features":[164]},{"name":"FormatQuotedHString","features":[164]},{"name":"FormatQuotedString","features":[164]},{"name":"FormatQuotedUTF32String","features":[164]},{"name":"FormatQuotedUTF8String","features":[164]},{"name":"FormatQuotedUnicodeString","features":[164]},{"name":"FormatRaw","features":[164]},{"name":"FormatSingleCharacter","features":[164]},{"name":"FormatString","features":[164]},{"name":"FormatUTF32String","features":[164]},{"name":"FormatUTF8String","features":[164]},{"name":"FormatUnicodeString","features":[164]},{"name":"GET_CONTEXT_EX","features":[164]},{"name":"GET_CURRENT_PROCESS_ADDRESS","features":[164]},{"name":"GET_CURRENT_THREAD_ADDRESS","features":[164]},{"name":"GET_EXPRESSION_EX","features":[164]},{"name":"GET_INPUT_LINE","features":[164]},{"name":"GET_PEB_ADDRESS","features":[164]},{"name":"GET_SET_SYMPATH","features":[164]},{"name":"GET_TEB_ADDRESS","features":[164]},{"name":"ICodeAddressConcept","features":[164]},{"name":"IComparableConcept","features":[164]},{"name":"IDataModelConcept","features":[164]},{"name":"IDataModelManager","features":[164]},{"name":"IDataModelManager2","features":[164]},{"name":"IDataModelNameBinder","features":[164]},{"name":"IDataModelScript","features":[164]},{"name":"IDataModelScriptClient","features":[164]},{"name":"IDataModelScriptDebug","features":[164]},{"name":"IDataModelScriptDebug2","features":[164]},{"name":"IDataModelScriptDebugBreakpoint","features":[164]},{"name":"IDataModelScriptDebugBreakpointEnumerator","features":[164]},{"name":"IDataModelScriptDebugClient","features":[164]},{"name":"IDataModelScriptDebugStack","features":[164]},{"name":"IDataModelScriptDebugStackFrame","features":[164]},{"name":"IDataModelScriptDebugVariableSetEnumerator","features":[164]},{"name":"IDataModelScriptHostContext","features":[164]},{"name":"IDataModelScriptManager","features":[164]},{"name":"IDataModelScriptProvider","features":[164]},{"name":"IDataModelScriptProviderEnumerator","features":[164]},{"name":"IDataModelScriptTemplate","features":[164]},{"name":"IDataModelScriptTemplateEnumerator","features":[164]},{"name":"IDebugAdvanced","features":[164]},{"name":"IDebugAdvanced2","features":[164]},{"name":"IDebugAdvanced3","features":[164]},{"name":"IDebugAdvanced4","features":[164]},{"name":"IDebugBreakpoint","features":[164]},{"name":"IDebugBreakpoint2","features":[164]},{"name":"IDebugBreakpoint3","features":[164]},{"name":"IDebugClient","features":[164]},{"name":"IDebugClient2","features":[164]},{"name":"IDebugClient3","features":[164]},{"name":"IDebugClient4","features":[164]},{"name":"IDebugClient5","features":[164]},{"name":"IDebugClient6","features":[164]},{"name":"IDebugClient7","features":[164]},{"name":"IDebugClient8","features":[164]},{"name":"IDebugControl","features":[164]},{"name":"IDebugControl2","features":[164]},{"name":"IDebugControl3","features":[164]},{"name":"IDebugControl4","features":[164]},{"name":"IDebugControl5","features":[164]},{"name":"IDebugControl6","features":[164]},{"name":"IDebugControl7","features":[164]},{"name":"IDebugDataSpaces","features":[164]},{"name":"IDebugDataSpaces2","features":[164]},{"name":"IDebugDataSpaces3","features":[164]},{"name":"IDebugDataSpaces4","features":[164]},{"name":"IDebugEventCallbacks","features":[164]},{"name":"IDebugEventCallbacksWide","features":[164]},{"name":"IDebugEventContextCallbacks","features":[164]},{"name":"IDebugFAEntryTags","features":[164]},{"name":"IDebugFailureAnalysis","features":[164]},{"name":"IDebugFailureAnalysis2","features":[164]},{"name":"IDebugFailureAnalysis3","features":[164]},{"name":"IDebugHost","features":[164]},{"name":"IDebugHostBaseClass","features":[164]},{"name":"IDebugHostConstant","features":[164]},{"name":"IDebugHostContext","features":[164]},{"name":"IDebugHostData","features":[164]},{"name":"IDebugHostErrorSink","features":[164]},{"name":"IDebugHostEvaluator","features":[164]},{"name":"IDebugHostEvaluator2","features":[164]},{"name":"IDebugHostExtensibility","features":[164]},{"name":"IDebugHostField","features":[164]},{"name":"IDebugHostMemory","features":[164]},{"name":"IDebugHostMemory2","features":[164]},{"name":"IDebugHostModule","features":[164]},{"name":"IDebugHostModule2","features":[164]},{"name":"IDebugHostModuleSignature","features":[164]},{"name":"IDebugHostPublic","features":[164]},{"name":"IDebugHostScriptHost","features":[164]},{"name":"IDebugHostStatus","features":[164]},{"name":"IDebugHostSymbol","features":[164]},{"name":"IDebugHostSymbol2","features":[164]},{"name":"IDebugHostSymbolEnumerator","features":[164]},{"name":"IDebugHostSymbols","features":[164]},{"name":"IDebugHostType","features":[164]},{"name":"IDebugHostType2","features":[164]},{"name":"IDebugHostTypeSignature","features":[164]},{"name":"IDebugInputCallbacks","features":[164]},{"name":"IDebugOutputCallbacks","features":[164]},{"name":"IDebugOutputCallbacks2","features":[164]},{"name":"IDebugOutputCallbacksWide","features":[164]},{"name":"IDebugOutputStream","features":[164]},{"name":"IDebugPlmClient","features":[164]},{"name":"IDebugPlmClient2","features":[164]},{"name":"IDebugPlmClient3","features":[164]},{"name":"IDebugRegisters","features":[164]},{"name":"IDebugRegisters2","features":[164]},{"name":"IDebugSymbolGroup","features":[164]},{"name":"IDebugSymbolGroup2","features":[164]},{"name":"IDebugSymbols","features":[164]},{"name":"IDebugSymbols2","features":[164]},{"name":"IDebugSymbols3","features":[164]},{"name":"IDebugSymbols4","features":[164]},{"name":"IDebugSymbols5","features":[164]},{"name":"IDebugSystemObjects","features":[164]},{"name":"IDebugSystemObjects2","features":[164]},{"name":"IDebugSystemObjects3","features":[164]},{"name":"IDebugSystemObjects4","features":[164]},{"name":"IDynamicConceptProviderConcept","features":[164]},{"name":"IDynamicKeyProviderConcept","features":[164]},{"name":"IEquatableConcept","features":[164]},{"name":"IG_DISASSEMBLE_BUFFER","features":[164]},{"name":"IG_DUMP_SYMBOL_INFO","features":[164]},{"name":"IG_FIND_FILE","features":[164]},{"name":"IG_GET_ANY_MODULE_IN_RANGE","features":[164]},{"name":"IG_GET_BUS_DATA","features":[164]},{"name":"IG_GET_CACHE_SIZE","features":[164]},{"name":"IG_GET_CLR_DATA_INTERFACE","features":[164]},{"name":"IG_GET_CONTEXT_EX","features":[164]},{"name":"IG_GET_CURRENT_PROCESS","features":[164]},{"name":"IG_GET_CURRENT_PROCESS_HANDLE","features":[164]},{"name":"IG_GET_CURRENT_THREAD","features":[164]},{"name":"IG_GET_DEBUGGER_DATA","features":[164]},{"name":"IG_GET_EXCEPTION_RECORD","features":[164]},{"name":"IG_GET_EXPRESSION_EX","features":[164]},{"name":"IG_GET_INPUT_LINE","features":[164]},{"name":"IG_GET_KERNEL_VERSION","features":[164]},{"name":"IG_GET_PEB_ADDRESS","features":[164]},{"name":"IG_GET_SET_SYMPATH","features":[164]},{"name":"IG_GET_TEB_ADDRESS","features":[164]},{"name":"IG_GET_THREAD_OS_INFO","features":[164]},{"name":"IG_GET_TYPE_SIZE","features":[164]},{"name":"IG_IS_PTR64","features":[164]},{"name":"IG_KD_CONTEXT","features":[164]},{"name":"IG_KSTACK_HELP","features":[164]},{"name":"IG_LOWMEM_CHECK","features":[164]},{"name":"IG_MATCH_PATTERN_A","features":[164]},{"name":"IG_OBSOLETE_PLACEHOLDER_36","features":[164]},{"name":"IG_PHYSICAL_TO_VIRTUAL","features":[164]},{"name":"IG_POINTER_SEARCH_PHYSICAL","features":[164]},{"name":"IG_QUERY_TARGET_INTERFACE","features":[164]},{"name":"IG_READ_CONTROL_SPACE","features":[164]},{"name":"IG_READ_IO_SPACE","features":[164]},{"name":"IG_READ_IO_SPACE_EX","features":[164]},{"name":"IG_READ_MSR","features":[164]},{"name":"IG_READ_PHYSICAL","features":[164]},{"name":"IG_READ_PHYSICAL_WITH_FLAGS","features":[164]},{"name":"IG_RELOAD_SYMBOLS","features":[164]},{"name":"IG_SEARCH_MEMORY","features":[164]},{"name":"IG_SET_BUS_DATA","features":[164]},{"name":"IG_SET_THREAD","features":[164]},{"name":"IG_TRANSLATE_VIRTUAL_TO_PHYSICAL","features":[164]},{"name":"IG_TYPED_DATA","features":[164]},{"name":"IG_TYPED_DATA_OBSOLETE","features":[164]},{"name":"IG_VIRTUAL_TO_PHYSICAL","features":[164]},{"name":"IG_WRITE_CONTROL_SPACE","features":[164]},{"name":"IG_WRITE_IO_SPACE","features":[164]},{"name":"IG_WRITE_IO_SPACE_EX","features":[164]},{"name":"IG_WRITE_MSR","features":[164]},{"name":"IG_WRITE_PHYSICAL","features":[164]},{"name":"IG_WRITE_PHYSICAL_WITH_FLAGS","features":[164]},{"name":"IHostDataModelAccess","features":[164]},{"name":"IIndexableConcept","features":[164]},{"name":"IIterableConcept","features":[164]},{"name":"IKeyEnumerator","features":[164]},{"name":"IKeyStore","features":[164]},{"name":"IModelIterator","features":[164]},{"name":"IModelKeyReference","features":[164]},{"name":"IModelKeyReference2","features":[164]},{"name":"IModelMethod","features":[164]},{"name":"IModelObject","features":[164]},{"name":"IModelPropertyAccessor","features":[164]},{"name":"INCORRECT_VERSION_INFO","features":[164]},{"name":"INLINE_FRAME_CONTEXT","features":[164]},{"name":"INSUFFICIENT_SPACE_TO_COPY","features":[164]},{"name":"IOSPACE","features":[164]},{"name":"IOSPACE32","features":[164]},{"name":"IOSPACE64","features":[164]},{"name":"IOSPACE_EX","features":[164]},{"name":"IOSPACE_EX32","features":[164]},{"name":"IOSPACE_EX64","features":[164]},{"name":"IPreferredRuntimeTypeConcept","features":[164]},{"name":"IRawEnumerator","features":[164]},{"name":"IStringDisplayableConcept","features":[164]},{"name":"Identical","features":[164]},{"name":"IntrinsicBool","features":[164]},{"name":"IntrinsicChar","features":[164]},{"name":"IntrinsicChar16","features":[164]},{"name":"IntrinsicChar32","features":[164]},{"name":"IntrinsicFloat","features":[164]},{"name":"IntrinsicHRESULT","features":[164]},{"name":"IntrinsicInt","features":[164]},{"name":"IntrinsicKind","features":[164]},{"name":"IntrinsicLong","features":[164]},{"name":"IntrinsicUInt","features":[164]},{"name":"IntrinsicULong","features":[164]},{"name":"IntrinsicVoid","features":[164]},{"name":"IntrinsicWChar","features":[164]},{"name":"KDDEBUGGER_DATA32","features":[164,7]},{"name":"KDDEBUGGER_DATA64","features":[164,7]},{"name":"KDEXTS_LOCK_CALLBACKROUTINE","features":[1,164]},{"name":"KDEXTS_LOCK_CALLBACKROUTINE_DEFINED","features":[164]},{"name":"KDEXTS_LOCK_INFO","features":[1,164]},{"name":"KDEXTS_PTE_INFO","features":[164]},{"name":"KDEXT_DUMP_HANDLE_CALLBACK","features":[1,164]},{"name":"KDEXT_FILELOCK_OWNER","features":[164]},{"name":"KDEXT_HANDLE_INFORMATION","features":[1,164]},{"name":"KDEXT_PROCESS_FIND_PARAMS","features":[164]},{"name":"KDEXT_THREAD_FIND_PARAMS","features":[164]},{"name":"KD_SECONDARY_VERSION_AMD64_CONTEXT","features":[164]},{"name":"KD_SECONDARY_VERSION_AMD64_OBSOLETE_CONTEXT_1","features":[164]},{"name":"KD_SECONDARY_VERSION_AMD64_OBSOLETE_CONTEXT_2","features":[164]},{"name":"KD_SECONDARY_VERSION_DEFAULT","features":[164]},{"name":"LanguageAssembly","features":[164]},{"name":"LanguageC","features":[164]},{"name":"LanguageCPP","features":[164]},{"name":"LanguageKind","features":[164]},{"name":"LanguageUnknown","features":[164]},{"name":"LessSpecific","features":[164]},{"name":"Location","features":[164]},{"name":"LocationConstant","features":[164]},{"name":"LocationKind","features":[164]},{"name":"LocationMember","features":[164]},{"name":"LocationNone","features":[164]},{"name":"LocationStatic","features":[164]},{"name":"MAX_STACK_IN_BYTES","features":[164]},{"name":"MEMORY_READ_ERROR","features":[164]},{"name":"MODULE_ORDERS_LOADTIME","features":[164]},{"name":"MODULE_ORDERS_MASK","features":[164]},{"name":"MODULE_ORDERS_MODULENAME","features":[164]},{"name":"ModelObjectKind","features":[164]},{"name":"MoreSpecific","features":[164]},{"name":"NO_TYPE","features":[164]},{"name":"NT_STATUS_CODE","features":[164]},{"name":"NULL_FIELD_NAME","features":[164]},{"name":"NULL_SYM_DUMP_PARAM","features":[164]},{"name":"OS_INFO","features":[164]},{"name":"OS_INFO_v1","features":[164]},{"name":"OS_TYPE","features":[164]},{"name":"ObjectContext","features":[164]},{"name":"ObjectError","features":[164]},{"name":"ObjectIntrinsic","features":[164]},{"name":"ObjectKeyReference","features":[164]},{"name":"ObjectMethod","features":[164]},{"name":"ObjectNoValue","features":[164]},{"name":"ObjectPropertyAccessor","features":[164]},{"name":"ObjectSynthetic","features":[164]},{"name":"ObjectTargetObject","features":[164]},{"name":"ObjectTargetObjectReference","features":[164]},{"name":"PDEBUG_EXTENSION_CALL","features":[164]},{"name":"PDEBUG_EXTENSION_CANUNLOAD","features":[164]},{"name":"PDEBUG_EXTENSION_INITIALIZE","features":[164]},{"name":"PDEBUG_EXTENSION_KNOWN_STRUCT","features":[164]},{"name":"PDEBUG_EXTENSION_KNOWN_STRUCT_EX","features":[164]},{"name":"PDEBUG_EXTENSION_NOTIFY","features":[164]},{"name":"PDEBUG_EXTENSION_PROVIDE_VALUE","features":[164]},{"name":"PDEBUG_EXTENSION_QUERY_VALUE_NAMES","features":[164]},{"name":"PDEBUG_EXTENSION_UNINITIALIZE","features":[164]},{"name":"PDEBUG_EXTENSION_UNLOAD","features":[164]},{"name":"PDEBUG_STACK_PROVIDER_BEGINTHREADSTACKRECONSTRUCTION","features":[164]},{"name":"PDEBUG_STACK_PROVIDER_ENDTHREADSTACKRECONSTRUCTION","features":[164]},{"name":"PDEBUG_STACK_PROVIDER_FREESTACKSYMFRAMES","features":[1,164]},{"name":"PDEBUG_STACK_PROVIDER_RECONSTRUCTSTACK","features":[1,164]},{"name":"PENUMERATE_HANDLES","features":[1,164]},{"name":"PENUMERATE_HASH_TABLE","features":[1,164]},{"name":"PENUMERATE_JOB_PROCESSES","features":[1,164]},{"name":"PENUMERATE_SYSTEM_LOCKS","features":[1,164]},{"name":"PFIND_FILELOCK_OWNERINFO","features":[164]},{"name":"PFIND_MATCHING_PROCESS","features":[164]},{"name":"PFIND_MATCHING_THREAD","features":[164]},{"name":"PGET_CPU_MICROCODE_VERSION","features":[164]},{"name":"PGET_CPU_PSPEED_INFO","features":[164]},{"name":"PGET_DEVICE_OBJECT_INFO","features":[1,164]},{"name":"PGET_DRIVER_OBJECT_INFO","features":[164]},{"name":"PGET_FULL_IMAGE_NAME","features":[164]},{"name":"PGET_IRP_INFO","features":[164]},{"name":"PGET_PNP_TRIAGE_INFO","features":[164]},{"name":"PGET_POOL_DATA","features":[164]},{"name":"PGET_POOL_REGION","features":[164]},{"name":"PGET_POOL_TAG_DESCRIPTION","features":[164]},{"name":"PGET_PROCESS_COMMIT","features":[164]},{"name":"PGET_SMBIOS_INFO","features":[164]},{"name":"PHYSICAL","features":[164]},{"name":"PHYSICAL_TO_VIRTUAL","features":[164]},{"name":"PHYSICAL_WITH_FLAGS","features":[164]},{"name":"PHYS_FLAG_CACHED","features":[164]},{"name":"PHYS_FLAG_DEFAULT","features":[164]},{"name":"PHYS_FLAG_UNCACHED","features":[164]},{"name":"PHYS_FLAG_WRITE_COMBINED","features":[164]},{"name":"PKDEXTS_GET_PTE_INFO","features":[164]},{"name":"POINTER_SEARCH_PHYSICAL","features":[164]},{"name":"PROCESSORINFO","features":[164]},{"name":"PROCESS_COMMIT_USAGE","features":[164]},{"name":"PROCESS_END","features":[164]},{"name":"PROCESS_NAME_ENTRY","features":[164]},{"name":"PSYM_DUMP_FIELD_CALLBACK","features":[164]},{"name":"PTR_SEARCH_NO_SYMBOL_CHECK","features":[164]},{"name":"PTR_SEARCH_PHYS_ALL_HITS","features":[164]},{"name":"PTR_SEARCH_PHYS_PTE","features":[164]},{"name":"PTR_SEARCH_PHYS_RANGE_CHECK_ONLY","features":[164]},{"name":"PTR_SEARCH_PHYS_SIZE_SHIFT","features":[164]},{"name":"PWINDBG_CHECK_CONTROL_C","features":[164]},{"name":"PWINDBG_CHECK_VERSION","features":[164]},{"name":"PWINDBG_DISASM","features":[164]},{"name":"PWINDBG_DISASM32","features":[164]},{"name":"PWINDBG_DISASM64","features":[164]},{"name":"PWINDBG_EXTENSION_API_VERSION","features":[164]},{"name":"PWINDBG_EXTENSION_DLL_INIT","features":[164,7]},{"name":"PWINDBG_EXTENSION_DLL_INIT32","features":[164,7]},{"name":"PWINDBG_EXTENSION_DLL_INIT64","features":[164,7]},{"name":"PWINDBG_EXTENSION_ROUTINE","features":[1,164]},{"name":"PWINDBG_EXTENSION_ROUTINE32","features":[1,164]},{"name":"PWINDBG_EXTENSION_ROUTINE64","features":[1,164]},{"name":"PWINDBG_GET_EXPRESSION","features":[164]},{"name":"PWINDBG_GET_EXPRESSION32","features":[164]},{"name":"PWINDBG_GET_EXPRESSION64","features":[164]},{"name":"PWINDBG_GET_SYMBOL","features":[164]},{"name":"PWINDBG_GET_SYMBOL32","features":[164]},{"name":"PWINDBG_GET_SYMBOL64","features":[164]},{"name":"PWINDBG_GET_THREAD_CONTEXT_ROUTINE","features":[164,7]},{"name":"PWINDBG_IOCTL_ROUTINE","features":[164]},{"name":"PWINDBG_OLDKD_EXTENSION_ROUTINE","features":[164]},{"name":"PWINDBG_OLDKD_READ_PHYSICAL_MEMORY","features":[164]},{"name":"PWINDBG_OLDKD_WRITE_PHYSICAL_MEMORY","features":[164]},{"name":"PWINDBG_OLD_EXTENSION_ROUTINE","features":[164,7]},{"name":"PWINDBG_OUTPUT_ROUTINE","features":[164]},{"name":"PWINDBG_READ_PROCESS_MEMORY_ROUTINE","features":[164]},{"name":"PWINDBG_READ_PROCESS_MEMORY_ROUTINE32","features":[164]},{"name":"PWINDBG_READ_PROCESS_MEMORY_ROUTINE64","features":[164]},{"name":"PWINDBG_SET_THREAD_CONTEXT_ROUTINE","features":[164,7]},{"name":"PWINDBG_STACKTRACE_ROUTINE","features":[164]},{"name":"PWINDBG_STACKTRACE_ROUTINE32","features":[164]},{"name":"PWINDBG_STACKTRACE_ROUTINE64","features":[164]},{"name":"PWINDBG_WRITE_PROCESS_MEMORY_ROUTINE","features":[164]},{"name":"PWINDBG_WRITE_PROCESS_MEMORY_ROUTINE32","features":[164]},{"name":"PWINDBG_WRITE_PROCESS_MEMORY_ROUTINE64","features":[164]},{"name":"PointerCXHat","features":[164]},{"name":"PointerKind","features":[164]},{"name":"PointerManagedReference","features":[164]},{"name":"PointerRValueReference","features":[164]},{"name":"PointerReference","features":[164]},{"name":"PointerStandard","features":[164]},{"name":"PreferredFormat","features":[164]},{"name":"READCONTROLSPACE","features":[164]},{"name":"READCONTROLSPACE32","features":[164]},{"name":"READCONTROLSPACE64","features":[164]},{"name":"READ_WRITE_MSR","features":[164]},{"name":"RawSearchFlags","features":[164]},{"name":"RawSearchNoBases","features":[164]},{"name":"RawSearchNone","features":[164]},{"name":"SEARCHMEMORY","features":[164]},{"name":"STACK_FRAME_TYPE_IGNORE","features":[164]},{"name":"STACK_FRAME_TYPE_INIT","features":[164]},{"name":"STACK_FRAME_TYPE_INLINE","features":[164]},{"name":"STACK_FRAME_TYPE_RA","features":[164]},{"name":"STACK_FRAME_TYPE_STACK","features":[164]},{"name":"STACK_SRC_INFO","features":[164]},{"name":"STACK_SYM_FRAME_INFO","features":[1,164]},{"name":"SYMBOL_INFO_EX","features":[164]},{"name":"SYMBOL_TYPE_INDEX_NOT_FOUND","features":[164]},{"name":"SYMBOL_TYPE_INFO_NOT_FOUND","features":[164]},{"name":"SYM_DUMP_PARAM","features":[164]},{"name":"ScriptChangeKind","features":[164]},{"name":"ScriptDebugAsyncBreak","features":[164]},{"name":"ScriptDebugBreak","features":[164]},{"name":"ScriptDebugBreakpoint","features":[164]},{"name":"ScriptDebugEvent","features":[164]},{"name":"ScriptDebugEventFilter","features":[164]},{"name":"ScriptDebugEventFilterAbort","features":[164]},{"name":"ScriptDebugEventFilterEntry","features":[164]},{"name":"ScriptDebugEventFilterException","features":[164]},{"name":"ScriptDebugEventFilterUnhandledException","features":[164]},{"name":"ScriptDebugEventInformation","features":[164]},{"name":"ScriptDebugException","features":[164]},{"name":"ScriptDebugExecuting","features":[164]},{"name":"ScriptDebugNoDebugger","features":[164]},{"name":"ScriptDebugNotExecuting","features":[164]},{"name":"ScriptDebugPosition","features":[164]},{"name":"ScriptDebugState","features":[164]},{"name":"ScriptDebugStep","features":[164]},{"name":"ScriptExecutionKind","features":[164]},{"name":"ScriptExecutionNormal","features":[164]},{"name":"ScriptExecutionStepIn","features":[164]},{"name":"ScriptExecutionStepOut","features":[164]},{"name":"ScriptExecutionStepOver","features":[164]},{"name":"ScriptRename","features":[164]},{"name":"SignatureComparison","features":[164]},{"name":"Symbol","features":[164]},{"name":"SymbolBaseClass","features":[164]},{"name":"SymbolConstant","features":[164]},{"name":"SymbolData","features":[164]},{"name":"SymbolField","features":[164]},{"name":"SymbolFunction","features":[164]},{"name":"SymbolKind","features":[164]},{"name":"SymbolModule","features":[164]},{"name":"SymbolPublic","features":[164]},{"name":"SymbolSearchCaseInsensitive","features":[164]},{"name":"SymbolSearchCompletion","features":[164]},{"name":"SymbolSearchNone","features":[164]},{"name":"SymbolSearchOptions","features":[164]},{"name":"SymbolType","features":[164]},{"name":"TANALYZE_RETURN","features":[164]},{"name":"TARGET_DEBUG_INFO","features":[164]},{"name":"TARGET_DEBUG_INFO_v1","features":[164]},{"name":"TARGET_DEBUG_INFO_v2","features":[164]},{"name":"TRANSLATE_VIRTUAL_TO_PHYSICAL","features":[164]},{"name":"TRIAGE_FOLLOWUP_DEFAULT","features":[164]},{"name":"TRIAGE_FOLLOWUP_FAIL","features":[164]},{"name":"TRIAGE_FOLLOWUP_IGNORE","features":[164]},{"name":"TRIAGE_FOLLOWUP_SUCCESS","features":[164]},{"name":"TypeArray","features":[164]},{"name":"TypeEnum","features":[164]},{"name":"TypeExtendedArray","features":[164]},{"name":"TypeFunction","features":[164]},{"name":"TypeIntrinsic","features":[164]},{"name":"TypeKind","features":[164]},{"name":"TypeMemberPointer","features":[164]},{"name":"TypePointer","features":[164]},{"name":"TypeTypedef","features":[164]},{"name":"TypeUDT","features":[164]},{"name":"UNAVAILABLE_ERROR","features":[164]},{"name":"Unrelated","features":[164]},{"name":"VIRTUAL_TO_PHYSICAL","features":[164]},{"name":"VarArgsCStyle","features":[164]},{"name":"VarArgsKind","features":[164]},{"name":"VarArgsNone","features":[164]},{"name":"WDBGEXTS_ADDRESS_DEFAULT","features":[164]},{"name":"WDBGEXTS_ADDRESS_RESERVED0","features":[164]},{"name":"WDBGEXTS_ADDRESS_SEG16","features":[164]},{"name":"WDBGEXTS_ADDRESS_SEG32","features":[164]},{"name":"WDBGEXTS_CLR_DATA_INTERFACE","features":[164]},{"name":"WDBGEXTS_DISASSEMBLE_BUFFER","features":[164]},{"name":"WDBGEXTS_MODULE_IN_RANGE","features":[164]},{"name":"WDBGEXTS_QUERY_INTERFACE","features":[164]},{"name":"WDBGEXTS_THREAD_OS_INFO","features":[164]},{"name":"WINDBG_EXTENSION_APIS","features":[164,7]},{"name":"WINDBG_EXTENSION_APIS32","features":[164,7]},{"name":"WINDBG_EXTENSION_APIS64","features":[164,7]},{"name":"WINDBG_OLDKD_EXTENSION_APIS","features":[164]},{"name":"WINDBG_OLD_EXTENSION_APIS","features":[164]},{"name":"WIN_95","features":[164]},{"name":"WIN_98","features":[164]},{"name":"WIN_ME","features":[164]},{"name":"WIN_NT4","features":[164]},{"name":"WIN_NT5","features":[164]},{"name":"WIN_NT5_1","features":[164]},{"name":"WIN_NT5_2","features":[164]},{"name":"WIN_NT6_0","features":[164]},{"name":"WIN_NT6_1","features":[164]},{"name":"WIN_UNDEFINED","features":[164]},{"name":"XML_DRIVER_NODE_INFO","features":[164]},{"name":"_EXTSAPI_VER_","features":[164]},{"name":"fnDebugFailureAnalysisCreateInstance","features":[164]}],"556":[{"name":"ALPCGuid","features":[31]},{"name":"CLASSIC_EVENT_ID","features":[31]},{"name":"CLSID_TraceRelogger","features":[31]},{"name":"CONTROLTRACE_HANDLE","features":[31]},{"name":"CTraceRelogger","features":[31]},{"name":"CloseTrace","features":[1,31]},{"name":"ControlTraceA","features":[1,31]},{"name":"ControlTraceW","features":[1,31]},{"name":"CreateTraceInstanceId","features":[1,31]},{"name":"CveEventWrite","features":[31]},{"name":"DECODING_SOURCE","features":[31]},{"name":"DIAG_LOGGER_NAMEA","features":[31]},{"name":"DIAG_LOGGER_NAMEW","features":[31]},{"name":"DecodingSourceMax","features":[31]},{"name":"DecodingSourceTlg","features":[31]},{"name":"DecodingSourceWPP","features":[31]},{"name":"DecodingSourceWbem","features":[31]},{"name":"DecodingSourceXMLFile","features":[31]},{"name":"DefaultTraceSecurityGuid","features":[31]},{"name":"DiskIoGuid","features":[31]},{"name":"ENABLECALLBACK_ENABLED_STATE","features":[31]},{"name":"ENABLE_TRACE_PARAMETERS","features":[31]},{"name":"ENABLE_TRACE_PARAMETERS_V1","features":[31]},{"name":"ENABLE_TRACE_PARAMETERS_VERSION","features":[31]},{"name":"ENABLE_TRACE_PARAMETERS_VERSION_2","features":[31]},{"name":"ETW_ASCIICHAR_TYPE_VALUE","features":[31]},{"name":"ETW_ASCIISTRING_TYPE_VALUE","features":[31]},{"name":"ETW_BOOLEAN_TYPE_VALUE","features":[31]},{"name":"ETW_BOOL_TYPE_VALUE","features":[31]},{"name":"ETW_BUFFER_CALLBACK_INFORMATION","features":[1,31,163]},{"name":"ETW_BUFFER_CONTEXT","features":[31]},{"name":"ETW_BUFFER_HEADER","features":[31]},{"name":"ETW_BYTE_TYPE_VALUE","features":[31]},{"name":"ETW_CHAR_TYPE_VALUE","features":[31]},{"name":"ETW_COMPRESSION_RESUMPTION_MODE","features":[31]},{"name":"ETW_COUNTED_ANSISTRING_TYPE_VALUE","features":[31]},{"name":"ETW_COUNTED_STRING_TYPE_VALUE","features":[31]},{"name":"ETW_DATETIME_TYPE_VALUE","features":[31]},{"name":"ETW_DECIMAL_TYPE_VALUE","features":[31]},{"name":"ETW_DOUBLE_TYPE_VALUE","features":[31]},{"name":"ETW_GUID_TYPE_VALUE","features":[31]},{"name":"ETW_HIDDEN_TYPE_VALUE","features":[31]},{"name":"ETW_INT16_TYPE_VALUE","features":[31]},{"name":"ETW_INT32_TYPE_VALUE","features":[31]},{"name":"ETW_INT64_TYPE_VALUE","features":[31]},{"name":"ETW_NON_NULL_TERMINATED_STRING_TYPE_VALUE","features":[31]},{"name":"ETW_NULL_TYPE_VALUE","features":[31]},{"name":"ETW_OBJECT_TYPE_VALUE","features":[31]},{"name":"ETW_OPEN_TRACE_OPTIONS","features":[1,31,163]},{"name":"ETW_PMC_COUNTER_OWNER","features":[31]},{"name":"ETW_PMC_COUNTER_OWNERSHIP_STATUS","features":[31]},{"name":"ETW_PMC_COUNTER_OWNER_TYPE","features":[31]},{"name":"ETW_PMC_SESSION_INFO","features":[31]},{"name":"ETW_POINTER_TYPE_VALUE","features":[31]},{"name":"ETW_PROCESS_HANDLE_INFO_TYPE","features":[31]},{"name":"ETW_PROCESS_TRACE_MODES","features":[31]},{"name":"ETW_PROCESS_TRACE_MODE_NONE","features":[31]},{"name":"ETW_PROCESS_TRACE_MODE_RAW_TIMESTAMP","features":[31]},{"name":"ETW_PROVIDER_TRAIT_TYPE","features":[31]},{"name":"ETW_PTVECTOR_TYPE_VALUE","features":[31]},{"name":"ETW_REDUCED_ANSISTRING_TYPE_VALUE","features":[31]},{"name":"ETW_REDUCED_STRING_TYPE_VALUE","features":[31]},{"name":"ETW_REFRENCE_TYPE_VALUE","features":[31]},{"name":"ETW_REVERSED_COUNTED_ANSISTRING_TYPE_VALUE","features":[31]},{"name":"ETW_REVERSED_COUNTED_STRING_TYPE_VALUE","features":[31]},{"name":"ETW_SBYTE_TYPE_VALUE","features":[31]},{"name":"ETW_SID_TYPE_VALUE","features":[31]},{"name":"ETW_SINGLE_TYPE_VALUE","features":[31]},{"name":"ETW_SIZET_TYPE_VALUE","features":[31]},{"name":"ETW_STRING_TYPE_VALUE","features":[31]},{"name":"ETW_TRACE_PARTITION_INFORMATION","features":[31]},{"name":"ETW_TRACE_PARTITION_INFORMATION_V2","features":[31]},{"name":"ETW_UINT16_TYPE_VALUE","features":[31]},{"name":"ETW_UINT32_TYPE_VALUE","features":[31]},{"name":"ETW_UINT64_TYPE_VALUE","features":[31]},{"name":"ETW_VARIANT_TYPE_VALUE","features":[31]},{"name":"ETW_WMITIME_TYPE_VALUE","features":[31]},{"name":"EVENTMAP_ENTRY_VALUETYPE_STRING","features":[31]},{"name":"EVENTMAP_ENTRY_VALUETYPE_ULONG","features":[31]},{"name":"EVENTMAP_INFO_FLAG_MANIFEST_BITMAP","features":[31]},{"name":"EVENTMAP_INFO_FLAG_MANIFEST_PATTERNMAP","features":[31]},{"name":"EVENTMAP_INFO_FLAG_MANIFEST_VALUEMAP","features":[31]},{"name":"EVENTMAP_INFO_FLAG_WBEM_BITMAP","features":[31]},{"name":"EVENTMAP_INFO_FLAG_WBEM_FLAG","features":[31]},{"name":"EVENTMAP_INFO_FLAG_WBEM_NO_MAP","features":[31]},{"name":"EVENTMAP_INFO_FLAG_WBEM_VALUEMAP","features":[31]},{"name":"EVENTSECURITYOPERATION","features":[31]},{"name":"EVENT_ACTIVITY_CTRL_CREATE_ID","features":[31]},{"name":"EVENT_ACTIVITY_CTRL_CREATE_SET_ID","features":[31]},{"name":"EVENT_ACTIVITY_CTRL_GET_ID","features":[31]},{"name":"EVENT_ACTIVITY_CTRL_GET_SET_ID","features":[31]},{"name":"EVENT_ACTIVITY_CTRL_SET_ID","features":[31]},{"name":"EVENT_CONTROL_CODE_CAPTURE_STATE","features":[31]},{"name":"EVENT_CONTROL_CODE_DISABLE_PROVIDER","features":[31]},{"name":"EVENT_CONTROL_CODE_ENABLE_PROVIDER","features":[31]},{"name":"EVENT_DATA_DESCRIPTOR","features":[31]},{"name":"EVENT_DATA_DESCRIPTOR_TYPE_EVENT_METADATA","features":[31]},{"name":"EVENT_DATA_DESCRIPTOR_TYPE_NONE","features":[31]},{"name":"EVENT_DATA_DESCRIPTOR_TYPE_PROVIDER_METADATA","features":[31]},{"name":"EVENT_DATA_DESCRIPTOR_TYPE_TIMESTAMP_OVERRIDE","features":[31]},{"name":"EVENT_DESCRIPTOR","features":[31]},{"name":"EVENT_ENABLE_PROPERTY_ENABLE_KEYWORD_0","features":[31]},{"name":"EVENT_ENABLE_PROPERTY_ENABLE_SILOS","features":[31]},{"name":"EVENT_ENABLE_PROPERTY_EVENT_KEY","features":[31]},{"name":"EVENT_ENABLE_PROPERTY_EXCLUDE_INPRIVATE","features":[31]},{"name":"EVENT_ENABLE_PROPERTY_IGNORE_KEYWORD_0","features":[31]},{"name":"EVENT_ENABLE_PROPERTY_PROCESS_START_KEY","features":[31]},{"name":"EVENT_ENABLE_PROPERTY_PROVIDER_GROUP","features":[31]},{"name":"EVENT_ENABLE_PROPERTY_PSM_KEY","features":[31]},{"name":"EVENT_ENABLE_PROPERTY_SID","features":[31]},{"name":"EVENT_ENABLE_PROPERTY_SOURCE_CONTAINER_TRACKING","features":[31]},{"name":"EVENT_ENABLE_PROPERTY_STACK_TRACE","features":[31]},{"name":"EVENT_ENABLE_PROPERTY_TS_ID","features":[31]},{"name":"EVENT_EXTENDED_ITEM_EVENT_KEY","features":[31]},{"name":"EVENT_EXTENDED_ITEM_INSTANCE","features":[31]},{"name":"EVENT_EXTENDED_ITEM_PEBS_INDEX","features":[31]},{"name":"EVENT_EXTENDED_ITEM_PMC_COUNTERS","features":[31]},{"name":"EVENT_EXTENDED_ITEM_PROCESS_START_KEY","features":[31]},{"name":"EVENT_EXTENDED_ITEM_RELATED_ACTIVITYID","features":[31]},{"name":"EVENT_EXTENDED_ITEM_STACK_KEY32","features":[31]},{"name":"EVENT_EXTENDED_ITEM_STACK_KEY64","features":[31]},{"name":"EVENT_EXTENDED_ITEM_STACK_TRACE32","features":[31]},{"name":"EVENT_EXTENDED_ITEM_STACK_TRACE64","features":[31]},{"name":"EVENT_EXTENDED_ITEM_TS_ID","features":[31]},{"name":"EVENT_FIELD_TYPE","features":[31]},{"name":"EVENT_FILTER_DESCRIPTOR","features":[31]},{"name":"EVENT_FILTER_EVENT_ID","features":[1,31]},{"name":"EVENT_FILTER_EVENT_NAME","features":[1,31]},{"name":"EVENT_FILTER_HEADER","features":[31]},{"name":"EVENT_FILTER_LEVEL_KW","features":[1,31]},{"name":"EVENT_FILTER_TYPE_CONTAINER","features":[31]},{"name":"EVENT_FILTER_TYPE_EVENT_ID","features":[31]},{"name":"EVENT_FILTER_TYPE_EVENT_NAME","features":[31]},{"name":"EVENT_FILTER_TYPE_EXECUTABLE_NAME","features":[31]},{"name":"EVENT_FILTER_TYPE_NONE","features":[31]},{"name":"EVENT_FILTER_TYPE_PACKAGE_APP_ID","features":[31]},{"name":"EVENT_FILTER_TYPE_PACKAGE_ID","features":[31]},{"name":"EVENT_FILTER_TYPE_PAYLOAD","features":[31]},{"name":"EVENT_FILTER_TYPE_PID","features":[31]},{"name":"EVENT_FILTER_TYPE_SCHEMATIZED","features":[31]},{"name":"EVENT_FILTER_TYPE_STACKWALK","features":[31]},{"name":"EVENT_FILTER_TYPE_STACKWALK_LEVEL_KW","features":[31]},{"name":"EVENT_FILTER_TYPE_STACKWALK_NAME","features":[31]},{"name":"EVENT_FILTER_TYPE_SYSTEM_FLAGS","features":[31]},{"name":"EVENT_FILTER_TYPE_TRACEHANDLE","features":[31]},{"name":"EVENT_HEADER","features":[31]},{"name":"EVENT_HEADER_EXTENDED_DATA_ITEM","features":[31]},{"name":"EVENT_HEADER_EXT_TYPE_CONTAINER_ID","features":[31]},{"name":"EVENT_HEADER_EXT_TYPE_CONTROL_GUID","features":[31]},{"name":"EVENT_HEADER_EXT_TYPE_EVENT_KEY","features":[31]},{"name":"EVENT_HEADER_EXT_TYPE_EVENT_SCHEMA_TL","features":[31]},{"name":"EVENT_HEADER_EXT_TYPE_INSTANCE_INFO","features":[31]},{"name":"EVENT_HEADER_EXT_TYPE_MAX","features":[31]},{"name":"EVENT_HEADER_EXT_TYPE_PEBS_INDEX","features":[31]},{"name":"EVENT_HEADER_EXT_TYPE_PMC_COUNTERS","features":[31]},{"name":"EVENT_HEADER_EXT_TYPE_PROCESS_START_KEY","features":[31]},{"name":"EVENT_HEADER_EXT_TYPE_PROV_TRAITS","features":[31]},{"name":"EVENT_HEADER_EXT_TYPE_PSM_KEY","features":[31]},{"name":"EVENT_HEADER_EXT_TYPE_QPC_DELTA","features":[31]},{"name":"EVENT_HEADER_EXT_TYPE_RELATED_ACTIVITYID","features":[31]},{"name":"EVENT_HEADER_EXT_TYPE_SID","features":[31]},{"name":"EVENT_HEADER_EXT_TYPE_STACK_KEY32","features":[31]},{"name":"EVENT_HEADER_EXT_TYPE_STACK_KEY64","features":[31]},{"name":"EVENT_HEADER_EXT_TYPE_STACK_TRACE32","features":[31]},{"name":"EVENT_HEADER_EXT_TYPE_STACK_TRACE64","features":[31]},{"name":"EVENT_HEADER_EXT_TYPE_TS_ID","features":[31]},{"name":"EVENT_HEADER_FLAG_32_BIT_HEADER","features":[31]},{"name":"EVENT_HEADER_FLAG_64_BIT_HEADER","features":[31]},{"name":"EVENT_HEADER_FLAG_CLASSIC_HEADER","features":[31]},{"name":"EVENT_HEADER_FLAG_DECODE_GUID","features":[31]},{"name":"EVENT_HEADER_FLAG_EXTENDED_INFO","features":[31]},{"name":"EVENT_HEADER_FLAG_NO_CPUTIME","features":[31]},{"name":"EVENT_HEADER_FLAG_PRIVATE_SESSION","features":[31]},{"name":"EVENT_HEADER_FLAG_PROCESSOR_INDEX","features":[31]},{"name":"EVENT_HEADER_FLAG_STRING_ONLY","features":[31]},{"name":"EVENT_HEADER_FLAG_TRACE_MESSAGE","features":[31]},{"name":"EVENT_HEADER_PROPERTY_FORWARDED_XML","features":[31]},{"name":"EVENT_HEADER_PROPERTY_LEGACY_EVENTLOG","features":[31]},{"name":"EVENT_HEADER_PROPERTY_RELOGGABLE","features":[31]},{"name":"EVENT_HEADER_PROPERTY_XML","features":[31]},{"name":"EVENT_INFO_CLASS","features":[31]},{"name":"EVENT_INSTANCE_HEADER","features":[31]},{"name":"EVENT_INSTANCE_INFO","features":[1,31]},{"name":"EVENT_LOGGER_NAME","features":[31]},{"name":"EVENT_LOGGER_NAMEA","features":[31]},{"name":"EVENT_LOGGER_NAMEW","features":[31]},{"name":"EVENT_MAP_ENTRY","features":[31]},{"name":"EVENT_MAP_INFO","features":[31]},{"name":"EVENT_MAX_LEVEL","features":[31]},{"name":"EVENT_MIN_LEVEL","features":[31]},{"name":"EVENT_PROPERTY_INFO","features":[31]},{"name":"EVENT_RECORD","features":[31]},{"name":"EVENT_TRACE","features":[31]},{"name":"EVENT_TRACE_ADDTO_TRIAGE_DUMP","features":[31]},{"name":"EVENT_TRACE_ADD_HEADER_MODE","features":[31]},{"name":"EVENT_TRACE_BUFFERING_MODE","features":[31]},{"name":"EVENT_TRACE_COMPRESSED_MODE","features":[31]},{"name":"EVENT_TRACE_CONTROL","features":[31]},{"name":"EVENT_TRACE_CONTROL_CONVERT_TO_REALTIME","features":[31]},{"name":"EVENT_TRACE_CONTROL_FLUSH","features":[31]},{"name":"EVENT_TRACE_CONTROL_INCREMENT_FILE","features":[31]},{"name":"EVENT_TRACE_CONTROL_QUERY","features":[31]},{"name":"EVENT_TRACE_CONTROL_STOP","features":[31]},{"name":"EVENT_TRACE_CONTROL_UPDATE","features":[31]},{"name":"EVENT_TRACE_DELAY_OPEN_FILE_MODE","features":[31]},{"name":"EVENT_TRACE_FILE_MODE_APPEND","features":[31]},{"name":"EVENT_TRACE_FILE_MODE_CIRCULAR","features":[31]},{"name":"EVENT_TRACE_FILE_MODE_NEWFILE","features":[31]},{"name":"EVENT_TRACE_FILE_MODE_NONE","features":[31]},{"name":"EVENT_TRACE_FILE_MODE_PREALLOCATE","features":[31]},{"name":"EVENT_TRACE_FILE_MODE_SEQUENTIAL","features":[31]},{"name":"EVENT_TRACE_FLAG","features":[31]},{"name":"EVENT_TRACE_FLAG_ALPC","features":[31]},{"name":"EVENT_TRACE_FLAG_CSWITCH","features":[31]},{"name":"EVENT_TRACE_FLAG_DBGPRINT","features":[31]},{"name":"EVENT_TRACE_FLAG_DEBUG_EVENTS","features":[31]},{"name":"EVENT_TRACE_FLAG_DISK_FILE_IO","features":[31]},{"name":"EVENT_TRACE_FLAG_DISK_IO","features":[31]},{"name":"EVENT_TRACE_FLAG_DISK_IO_INIT","features":[31]},{"name":"EVENT_TRACE_FLAG_DISPATCHER","features":[31]},{"name":"EVENT_TRACE_FLAG_DPC","features":[31]},{"name":"EVENT_TRACE_FLAG_DRIVER","features":[31]},{"name":"EVENT_TRACE_FLAG_ENABLE_RESERVE","features":[31]},{"name":"EVENT_TRACE_FLAG_EXTENSION","features":[31]},{"name":"EVENT_TRACE_FLAG_FILE_IO","features":[31]},{"name":"EVENT_TRACE_FLAG_FILE_IO_INIT","features":[31]},{"name":"EVENT_TRACE_FLAG_FORWARD_WMI","features":[31]},{"name":"EVENT_TRACE_FLAG_IMAGE_LOAD","features":[31]},{"name":"EVENT_TRACE_FLAG_INTERRUPT","features":[31]},{"name":"EVENT_TRACE_FLAG_JOB","features":[31]},{"name":"EVENT_TRACE_FLAG_MEMORY_HARD_FAULTS","features":[31]},{"name":"EVENT_TRACE_FLAG_MEMORY_PAGE_FAULTS","features":[31]},{"name":"EVENT_TRACE_FLAG_NETWORK_TCPIP","features":[31]},{"name":"EVENT_TRACE_FLAG_NO_SYSCONFIG","features":[31]},{"name":"EVENT_TRACE_FLAG_PROCESS","features":[31]},{"name":"EVENT_TRACE_FLAG_PROCESS_COUNTERS","features":[31]},{"name":"EVENT_TRACE_FLAG_PROFILE","features":[31]},{"name":"EVENT_TRACE_FLAG_REGISTRY","features":[31]},{"name":"EVENT_TRACE_FLAG_SPLIT_IO","features":[31]},{"name":"EVENT_TRACE_FLAG_SYSTEMCALL","features":[31]},{"name":"EVENT_TRACE_FLAG_THREAD","features":[31]},{"name":"EVENT_TRACE_FLAG_VAMAP","features":[31]},{"name":"EVENT_TRACE_FLAG_VIRTUAL_ALLOC","features":[31]},{"name":"EVENT_TRACE_HEADER","features":[31]},{"name":"EVENT_TRACE_INDEPENDENT_SESSION_MODE","features":[31]},{"name":"EVENT_TRACE_LOGFILEA","features":[1,31,163]},{"name":"EVENT_TRACE_LOGFILEW","features":[1,31,163]},{"name":"EVENT_TRACE_MODE_RESERVED","features":[31]},{"name":"EVENT_TRACE_NONSTOPPABLE_MODE","features":[31]},{"name":"EVENT_TRACE_NO_PER_PROCESSOR_BUFFERING","features":[31]},{"name":"EVENT_TRACE_PERSIST_ON_HYBRID_SHUTDOWN","features":[31]},{"name":"EVENT_TRACE_PRIVATE_IN_PROC","features":[31]},{"name":"EVENT_TRACE_PRIVATE_LOGGER_MODE","features":[31]},{"name":"EVENT_TRACE_PROPERTIES","features":[1,31]},{"name":"EVENT_TRACE_PROPERTIES_V2","features":[1,31]},{"name":"EVENT_TRACE_REAL_TIME_MODE","features":[31]},{"name":"EVENT_TRACE_RELOG_MODE","features":[31]},{"name":"EVENT_TRACE_SECURE_MODE","features":[31]},{"name":"EVENT_TRACE_STOP_ON_HYBRID_SHUTDOWN","features":[31]},{"name":"EVENT_TRACE_SYSTEM_LOGGER_MODE","features":[31]},{"name":"EVENT_TRACE_TYPE_ACCEPT","features":[31]},{"name":"EVENT_TRACE_TYPE_ACKDUP","features":[31]},{"name":"EVENT_TRACE_TYPE_ACKFULL","features":[31]},{"name":"EVENT_TRACE_TYPE_ACKPART","features":[31]},{"name":"EVENT_TRACE_TYPE_CHECKPOINT","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_BOOT","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_CI_INFO","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_CPU","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_DEFRAG","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_DEVICEFAMILY","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_DPI","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_FLIGHTID","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_IDECHANNEL","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_IRQ","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_LOGICALDISK","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_MACHINEID","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_MOBILEPLATFORM","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_NETINFO","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_NIC","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_NUMANODE","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_OPTICALMEDIA","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_PHYSICALDISK","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_PHYSICALDISK_EX","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_PLATFORM","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_PNP","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_POWER","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_PROCESSOR","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_PROCESSORGROUP","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_PROCESSORNUMBER","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_SERVICES","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_VIDEO","features":[31]},{"name":"EVENT_TRACE_TYPE_CONFIG_VIRTUALIZATION","features":[31]},{"name":"EVENT_TRACE_TYPE_CONNECT","features":[31]},{"name":"EVENT_TRACE_TYPE_CONNFAIL","features":[31]},{"name":"EVENT_TRACE_TYPE_COPY_ARP","features":[31]},{"name":"EVENT_TRACE_TYPE_COPY_TCP","features":[31]},{"name":"EVENT_TRACE_TYPE_DBGID_RSDS","features":[31]},{"name":"EVENT_TRACE_TYPE_DC_END","features":[31]},{"name":"EVENT_TRACE_TYPE_DC_START","features":[31]},{"name":"EVENT_TRACE_TYPE_DEQUEUE","features":[31]},{"name":"EVENT_TRACE_TYPE_DISCONNECT","features":[31]},{"name":"EVENT_TRACE_TYPE_END","features":[31]},{"name":"EVENT_TRACE_TYPE_EXTENSION","features":[31]},{"name":"EVENT_TRACE_TYPE_FLT_POSTOP_COMPLETION","features":[31]},{"name":"EVENT_TRACE_TYPE_FLT_POSTOP_FAILURE","features":[31]},{"name":"EVENT_TRACE_TYPE_FLT_POSTOP_INIT","features":[31]},{"name":"EVENT_TRACE_TYPE_FLT_PREOP_COMPLETION","features":[31]},{"name":"EVENT_TRACE_TYPE_FLT_PREOP_FAILURE","features":[31]},{"name":"EVENT_TRACE_TYPE_FLT_PREOP_INIT","features":[31]},{"name":"EVENT_TRACE_TYPE_GUIDMAP","features":[31]},{"name":"EVENT_TRACE_TYPE_INFO","features":[31]},{"name":"EVENT_TRACE_TYPE_IO_FLUSH","features":[31]},{"name":"EVENT_TRACE_TYPE_IO_FLUSH_INIT","features":[31]},{"name":"EVENT_TRACE_TYPE_IO_READ","features":[31]},{"name":"EVENT_TRACE_TYPE_IO_READ_INIT","features":[31]},{"name":"EVENT_TRACE_TYPE_IO_REDIRECTED_INIT","features":[31]},{"name":"EVENT_TRACE_TYPE_IO_WRITE","features":[31]},{"name":"EVENT_TRACE_TYPE_IO_WRITE_INIT","features":[31]},{"name":"EVENT_TRACE_TYPE_LOAD","features":[31]},{"name":"EVENT_TRACE_TYPE_MM_AV","features":[31]},{"name":"EVENT_TRACE_TYPE_MM_COW","features":[31]},{"name":"EVENT_TRACE_TYPE_MM_DZF","features":[31]},{"name":"EVENT_TRACE_TYPE_MM_GPF","features":[31]},{"name":"EVENT_TRACE_TYPE_MM_HPF","features":[31]},{"name":"EVENT_TRACE_TYPE_MM_TF","features":[31]},{"name":"EVENT_TRACE_TYPE_OPTICAL_IO_FLUSH","features":[31]},{"name":"EVENT_TRACE_TYPE_OPTICAL_IO_FLUSH_INIT","features":[31]},{"name":"EVENT_TRACE_TYPE_OPTICAL_IO_READ","features":[31]},{"name":"EVENT_TRACE_TYPE_OPTICAL_IO_READ_INIT","features":[31]},{"name":"EVENT_TRACE_TYPE_OPTICAL_IO_WRITE","features":[31]},{"name":"EVENT_TRACE_TYPE_OPTICAL_IO_WRITE_INIT","features":[31]},{"name":"EVENT_TRACE_TYPE_RECEIVE","features":[31]},{"name":"EVENT_TRACE_TYPE_RECONNECT","features":[31]},{"name":"EVENT_TRACE_TYPE_REGCLOSE","features":[31]},{"name":"EVENT_TRACE_TYPE_REGCOMMIT","features":[31]},{"name":"EVENT_TRACE_TYPE_REGCREATE","features":[31]},{"name":"EVENT_TRACE_TYPE_REGDELETE","features":[31]},{"name":"EVENT_TRACE_TYPE_REGDELETEVALUE","features":[31]},{"name":"EVENT_TRACE_TYPE_REGENUMERATEKEY","features":[31]},{"name":"EVENT_TRACE_TYPE_REGENUMERATEVALUEKEY","features":[31]},{"name":"EVENT_TRACE_TYPE_REGFLUSH","features":[31]},{"name":"EVENT_TRACE_TYPE_REGKCBCREATE","features":[31]},{"name":"EVENT_TRACE_TYPE_REGKCBDELETE","features":[31]},{"name":"EVENT_TRACE_TYPE_REGKCBRUNDOWNBEGIN","features":[31]},{"name":"EVENT_TRACE_TYPE_REGKCBRUNDOWNEND","features":[31]},{"name":"EVENT_TRACE_TYPE_REGMOUNTHIVE","features":[31]},{"name":"EVENT_TRACE_TYPE_REGOPEN","features":[31]},{"name":"EVENT_TRACE_TYPE_REGPREPARE","features":[31]},{"name":"EVENT_TRACE_TYPE_REGQUERY","features":[31]},{"name":"EVENT_TRACE_TYPE_REGQUERYMULTIPLEVALUE","features":[31]},{"name":"EVENT_TRACE_TYPE_REGQUERYSECURITY","features":[31]},{"name":"EVENT_TRACE_TYPE_REGQUERYVALUE","features":[31]},{"name":"EVENT_TRACE_TYPE_REGROLLBACK","features":[31]},{"name":"EVENT_TRACE_TYPE_REGSETINFORMATION","features":[31]},{"name":"EVENT_TRACE_TYPE_REGSETSECURITY","features":[31]},{"name":"EVENT_TRACE_TYPE_REGSETVALUE","features":[31]},{"name":"EVENT_TRACE_TYPE_REGVIRTUALIZE","features":[31]},{"name":"EVENT_TRACE_TYPE_REPLY","features":[31]},{"name":"EVENT_TRACE_TYPE_RESUME","features":[31]},{"name":"EVENT_TRACE_TYPE_RETRANSMIT","features":[31]},{"name":"EVENT_TRACE_TYPE_SECURITY","features":[31]},{"name":"EVENT_TRACE_TYPE_SEND","features":[31]},{"name":"EVENT_TRACE_TYPE_SIDINFO","features":[31]},{"name":"EVENT_TRACE_TYPE_START","features":[31]},{"name":"EVENT_TRACE_TYPE_STOP","features":[31]},{"name":"EVENT_TRACE_TYPE_SUSPEND","features":[31]},{"name":"EVENT_TRACE_TYPE_TERMINATE","features":[31]},{"name":"EVENT_TRACE_TYPE_WINEVT_RECEIVE","features":[31]},{"name":"EVENT_TRACE_TYPE_WINEVT_SEND","features":[31]},{"name":"EVENT_TRACE_USE_GLOBAL_SEQUENCE","features":[31]},{"name":"EVENT_TRACE_USE_KBYTES_FOR_SIZE","features":[31]},{"name":"EVENT_TRACE_USE_LOCAL_SEQUENCE","features":[31]},{"name":"EVENT_TRACE_USE_NOCPUTIME","features":[31]},{"name":"EVENT_TRACE_USE_PAGED_MEMORY","features":[31]},{"name":"EVENT_TRACE_USE_PROCTIME","features":[31]},{"name":"EVENT_WRITE_FLAG_INPRIVATE","features":[31]},{"name":"EVENT_WRITE_FLAG_NO_FAULTING","features":[31]},{"name":"EnableTrace","features":[1,31]},{"name":"EnableTraceEx","features":[1,31]},{"name":"EnableTraceEx2","features":[1,31]},{"name":"EnumerateTraceGuids","features":[1,31]},{"name":"EnumerateTraceGuidsEx","features":[1,31]},{"name":"EtwCompressionModeNoDisable","features":[31]},{"name":"EtwCompressionModeNoRestart","features":[31]},{"name":"EtwCompressionModeRestart","features":[31]},{"name":"EtwPmcOwnerFree","features":[31]},{"name":"EtwPmcOwnerTagged","features":[31]},{"name":"EtwPmcOwnerTaggedWithSource","features":[31]},{"name":"EtwPmcOwnerUntagged","features":[31]},{"name":"EtwProviderTraitDecodeGuid","features":[31]},{"name":"EtwProviderTraitTypeGroup","features":[31]},{"name":"EtwProviderTraitTypeMax","features":[31]},{"name":"EtwQueryLastDroppedTimes","features":[31]},{"name":"EtwQueryLogFileHeader","features":[31]},{"name":"EtwQueryPartitionInformation","features":[31]},{"name":"EtwQueryPartitionInformationV2","features":[31]},{"name":"EtwQueryProcessHandleInfoMax","features":[31]},{"name":"EventAccessControl","features":[1,31]},{"name":"EventAccessQuery","features":[4,31]},{"name":"EventAccessRemove","features":[31]},{"name":"EventActivityIdControl","features":[31]},{"name":"EventChannelInformation","features":[31]},{"name":"EventEnabled","features":[1,31]},{"name":"EventInformationMax","features":[31]},{"name":"EventKeywordInformation","features":[31]},{"name":"EventLevelInformation","features":[31]},{"name":"EventOpcodeInformation","features":[31]},{"name":"EventProviderBinaryTrackInfo","features":[31]},{"name":"EventProviderEnabled","features":[1,31]},{"name":"EventProviderSetReserved1","features":[31]},{"name":"EventProviderSetTraits","features":[31]},{"name":"EventProviderUseDescriptorType","features":[31]},{"name":"EventRegister","features":[31]},{"name":"EventSecurityAddDACL","features":[31]},{"name":"EventSecurityAddSACL","features":[31]},{"name":"EventSecurityMax","features":[31]},{"name":"EventSecuritySetDACL","features":[31]},{"name":"EventSecuritySetSACL","features":[31]},{"name":"EventSetInformation","features":[31]},{"name":"EventTaskInformation","features":[31]},{"name":"EventTraceConfigGuid","features":[31]},{"name":"EventTraceGuid","features":[31]},{"name":"EventUnregister","features":[31]},{"name":"EventWrite","features":[31]},{"name":"EventWriteEx","features":[31]},{"name":"EventWriteString","features":[31]},{"name":"EventWriteTransfer","features":[31]},{"name":"FileIoGuid","features":[31]},{"name":"FlushTraceA","features":[1,31]},{"name":"FlushTraceW","features":[1,31]},{"name":"GLOBAL_LOGGER_NAME","features":[31]},{"name":"GLOBAL_LOGGER_NAMEA","features":[31]},{"name":"GLOBAL_LOGGER_NAMEW","features":[31]},{"name":"GetTraceEnableFlags","features":[31]},{"name":"GetTraceEnableLevel","features":[31]},{"name":"GetTraceLoggerHandle","features":[31]},{"name":"ITraceEvent","features":[31]},{"name":"ITraceEventCallback","features":[31]},{"name":"ITraceRelogger","features":[31]},{"name":"ImageLoadGuid","features":[31]},{"name":"KERNEL_LOGGER_NAME","features":[31]},{"name":"KERNEL_LOGGER_NAMEA","features":[31]},{"name":"KERNEL_LOGGER_NAMEW","features":[31]},{"name":"MAP_FLAGS","features":[31]},{"name":"MAP_VALUETYPE","features":[31]},{"name":"MAX_EVENT_DATA_DESCRIPTORS","features":[31]},{"name":"MAX_EVENT_FILTERS_COUNT","features":[31]},{"name":"MAX_EVENT_FILTER_DATA_SIZE","features":[31]},{"name":"MAX_EVENT_FILTER_EVENT_ID_COUNT","features":[31]},{"name":"MAX_EVENT_FILTER_EVENT_NAME_SIZE","features":[31]},{"name":"MAX_EVENT_FILTER_PAYLOAD_SIZE","features":[31]},{"name":"MAX_EVENT_FILTER_PID_COUNT","features":[31]},{"name":"MAX_MOF_FIELDS","features":[31]},{"name":"MAX_PAYLOAD_PREDICATES","features":[31]},{"name":"MOF_FIELD","features":[31]},{"name":"MaxEventInfo","features":[31]},{"name":"MaxTraceSetInfoClass","features":[31]},{"name":"OFFSETINSTANCEDATAANDLENGTH","features":[31]},{"name":"OpenTraceA","features":[1,31,163]},{"name":"OpenTraceFromBufferStream","features":[1,31,163]},{"name":"OpenTraceFromFile","features":[1,31,163]},{"name":"OpenTraceFromRealTimeLogger","features":[1,31,163]},{"name":"OpenTraceFromRealTimeLoggerWithAllocationOptions","features":[1,31,163]},{"name":"OpenTraceW","features":[1,31,163]},{"name":"PAYLOADFIELD_BETWEEN","features":[31]},{"name":"PAYLOADFIELD_CONTAINS","features":[31]},{"name":"PAYLOADFIELD_DOESNTCONTAIN","features":[31]},{"name":"PAYLOADFIELD_EQ","features":[31]},{"name":"PAYLOADFIELD_GE","features":[31]},{"name":"PAYLOADFIELD_GT","features":[31]},{"name":"PAYLOADFIELD_INVALID","features":[31]},{"name":"PAYLOADFIELD_IS","features":[31]},{"name":"PAYLOADFIELD_ISNOT","features":[31]},{"name":"PAYLOADFIELD_LE","features":[31]},{"name":"PAYLOADFIELD_LT","features":[31]},{"name":"PAYLOADFIELD_MODULO","features":[31]},{"name":"PAYLOADFIELD_NE","features":[31]},{"name":"PAYLOADFIELD_NOTBETWEEN","features":[31]},{"name":"PAYLOAD_FILTER_PREDICATE","features":[31]},{"name":"PAYLOAD_OPERATOR","features":[31]},{"name":"PENABLECALLBACK","features":[31]},{"name":"PETW_BUFFER_CALLBACK","features":[1,31,163]},{"name":"PETW_BUFFER_COMPLETION_CALLBACK","features":[31]},{"name":"PEVENT_CALLBACK","features":[31]},{"name":"PEVENT_RECORD_CALLBACK","features":[31]},{"name":"PEVENT_TRACE_BUFFER_CALLBACKA","features":[1,31,163]},{"name":"PEVENT_TRACE_BUFFER_CALLBACKW","features":[1,31,163]},{"name":"PROCESSTRACE_HANDLE","features":[31]},{"name":"PROCESS_TRACE_MODE_EVENT_RECORD","features":[31]},{"name":"PROCESS_TRACE_MODE_RAW_TIMESTAMP","features":[31]},{"name":"PROCESS_TRACE_MODE_REAL_TIME","features":[31]},{"name":"PROFILE_SOURCE_INFO","features":[31]},{"name":"PROPERTY_DATA_DESCRIPTOR","features":[31]},{"name":"PROPERTY_FLAGS","features":[31]},{"name":"PROVIDER_ENUMERATION_INFO","features":[31]},{"name":"PROVIDER_EVENT_INFO","features":[31]},{"name":"PROVIDER_FIELD_INFO","features":[31]},{"name":"PROVIDER_FIELD_INFOARRAY","features":[31]},{"name":"PROVIDER_FILTER_INFO","features":[31]},{"name":"PageFaultGuid","features":[31]},{"name":"PerfInfoGuid","features":[31]},{"name":"PrivateLoggerNotificationGuid","features":[31]},{"name":"ProcessGuid","features":[31]},{"name":"ProcessTrace","features":[1,31]},{"name":"ProcessTraceAddBufferToBufferStream","features":[31]},{"name":"ProcessTraceBufferDecrementReference","features":[31]},{"name":"ProcessTraceBufferIncrementReference","features":[31]},{"name":"PropertyHasCustomSchema","features":[31]},{"name":"PropertyHasTags","features":[31]},{"name":"PropertyParamCount","features":[31]},{"name":"PropertyParamFixedCount","features":[31]},{"name":"PropertyParamFixedLength","features":[31]},{"name":"PropertyParamLength","features":[31]},{"name":"PropertyStruct","features":[31]},{"name":"PropertyWBEMXmlFragment","features":[31]},{"name":"QueryAllTracesA","features":[1,31]},{"name":"QueryAllTracesW","features":[1,31]},{"name":"QueryTraceA","features":[1,31]},{"name":"QueryTraceProcessingHandle","features":[1,31]},{"name":"QueryTraceW","features":[1,31]},{"name":"RELOGSTREAM_HANDLE","features":[31]},{"name":"RegisterTraceGuidsA","features":[1,31]},{"name":"RegisterTraceGuidsW","features":[1,31]},{"name":"RegistryGuid","features":[31]},{"name":"RemoveTraceCallback","features":[1,31]},{"name":"SYSTEM_ALPC_KW_GENERAL","features":[31]},{"name":"SYSTEM_CONFIG_KW_GRAPHICS","features":[31]},{"name":"SYSTEM_CONFIG_KW_NETWORK","features":[31]},{"name":"SYSTEM_CONFIG_KW_OPTICAL","features":[31]},{"name":"SYSTEM_CONFIG_KW_PNP","features":[31]},{"name":"SYSTEM_CONFIG_KW_SERVICES","features":[31]},{"name":"SYSTEM_CONFIG_KW_STORAGE","features":[31]},{"name":"SYSTEM_CONFIG_KW_SYSTEM","features":[31]},{"name":"SYSTEM_CPU_KW_CACHE_FLUSH","features":[31]},{"name":"SYSTEM_CPU_KW_CONFIG","features":[31]},{"name":"SYSTEM_CPU_KW_SPEC_CONTROL","features":[31]},{"name":"SYSTEM_EVENT_TYPE","features":[31]},{"name":"SYSTEM_HYPERVISOR_KW_CALLOUTS","features":[31]},{"name":"SYSTEM_HYPERVISOR_KW_PROFILE","features":[31]},{"name":"SYSTEM_HYPERVISOR_KW_VTL_CHANGE","features":[31]},{"name":"SYSTEM_INTERRUPT_KW_CLOCK_INTERRUPT","features":[31]},{"name":"SYSTEM_INTERRUPT_KW_DPC","features":[31]},{"name":"SYSTEM_INTERRUPT_KW_DPC_QUEUE","features":[31]},{"name":"SYSTEM_INTERRUPT_KW_GENERAL","features":[31]},{"name":"SYSTEM_INTERRUPT_KW_IPI","features":[31]},{"name":"SYSTEM_INTERRUPT_KW_WDF_DPC","features":[31]},{"name":"SYSTEM_INTERRUPT_KW_WDF_INTERRUPT","features":[31]},{"name":"SYSTEM_IOFILTER_KW_FAILURE","features":[31]},{"name":"SYSTEM_IOFILTER_KW_FASTIO","features":[31]},{"name":"SYSTEM_IOFILTER_KW_GENERAL","features":[31]},{"name":"SYSTEM_IOFILTER_KW_INIT","features":[31]},{"name":"SYSTEM_IO_KW_CC","features":[31]},{"name":"SYSTEM_IO_KW_DISK","features":[31]},{"name":"SYSTEM_IO_KW_DISK_INIT","features":[31]},{"name":"SYSTEM_IO_KW_DRIVERS","features":[31]},{"name":"SYSTEM_IO_KW_FILE","features":[31]},{"name":"SYSTEM_IO_KW_FILENAME","features":[31]},{"name":"SYSTEM_IO_KW_NETWORK","features":[31]},{"name":"SYSTEM_IO_KW_OPTICAL","features":[31]},{"name":"SYSTEM_IO_KW_OPTICAL_INIT","features":[31]},{"name":"SYSTEM_IO_KW_SPLIT","features":[31]},{"name":"SYSTEM_LOCK_KW_SPINLOCK","features":[31]},{"name":"SYSTEM_LOCK_KW_SPINLOCK_COUNTERS","features":[31]},{"name":"SYSTEM_LOCK_KW_SYNC_OBJECTS","features":[31]},{"name":"SYSTEM_MEMORY_KW_ALL_FAULTS","features":[31]},{"name":"SYSTEM_MEMORY_KW_CONTMEM_GEN","features":[31]},{"name":"SYSTEM_MEMORY_KW_FOOTPRINT","features":[31]},{"name":"SYSTEM_MEMORY_KW_GENERAL","features":[31]},{"name":"SYSTEM_MEMORY_KW_HARD_FAULTS","features":[31]},{"name":"SYSTEM_MEMORY_KW_HEAP","features":[31]},{"name":"SYSTEM_MEMORY_KW_MEMINFO","features":[31]},{"name":"SYSTEM_MEMORY_KW_MEMINFO_WS","features":[31]},{"name":"SYSTEM_MEMORY_KW_NONTRADEABLE","features":[31]},{"name":"SYSTEM_MEMORY_KW_PFSECTION","features":[31]},{"name":"SYSTEM_MEMORY_KW_POOL","features":[31]},{"name":"SYSTEM_MEMORY_KW_REFSET","features":[31]},{"name":"SYSTEM_MEMORY_KW_SESSION","features":[31]},{"name":"SYSTEM_MEMORY_KW_VAMAP","features":[31]},{"name":"SYSTEM_MEMORY_KW_VIRTUAL_ALLOC","features":[31]},{"name":"SYSTEM_MEMORY_KW_WS","features":[31]},{"name":"SYSTEM_MEMORY_POOL_FILTER_ID","features":[31]},{"name":"SYSTEM_OBJECT_KW_GENERAL","features":[31]},{"name":"SYSTEM_OBJECT_KW_HANDLE","features":[31]},{"name":"SYSTEM_POWER_KW_GENERAL","features":[31]},{"name":"SYSTEM_POWER_KW_HIBER_RUNDOWN","features":[31]},{"name":"SYSTEM_POWER_KW_IDLE_SELECTION","features":[31]},{"name":"SYSTEM_POWER_KW_PPM_EXIT_LATENCY","features":[31]},{"name":"SYSTEM_POWER_KW_PROCESSOR_IDLE","features":[31]},{"name":"SYSTEM_PROCESS_KW_DBGPRINT","features":[31]},{"name":"SYSTEM_PROCESS_KW_DEBUG_EVENTS","features":[31]},{"name":"SYSTEM_PROCESS_KW_FREEZE","features":[31]},{"name":"SYSTEM_PROCESS_KW_GENERAL","features":[31]},{"name":"SYSTEM_PROCESS_KW_INSWAP","features":[31]},{"name":"SYSTEM_PROCESS_KW_JOB","features":[31]},{"name":"SYSTEM_PROCESS_KW_LOADER","features":[31]},{"name":"SYSTEM_PROCESS_KW_PERF_COUNTER","features":[31]},{"name":"SYSTEM_PROCESS_KW_THREAD","features":[31]},{"name":"SYSTEM_PROCESS_KW_WAKE_COUNTER","features":[31]},{"name":"SYSTEM_PROCESS_KW_WAKE_DROP","features":[31]},{"name":"SYSTEM_PROCESS_KW_WAKE_EVENT","features":[31]},{"name":"SYSTEM_PROCESS_KW_WORKER_THREAD","features":[31]},{"name":"SYSTEM_PROFILE_KW_GENERAL","features":[31]},{"name":"SYSTEM_PROFILE_KW_PMC_PROFILE","features":[31]},{"name":"SYSTEM_REGISTRY_KW_GENERAL","features":[31]},{"name":"SYSTEM_REGISTRY_KW_HIVE","features":[31]},{"name":"SYSTEM_REGISTRY_KW_NOTIFICATION","features":[31]},{"name":"SYSTEM_SCHEDULER_KW_AFFINITY","features":[31]},{"name":"SYSTEM_SCHEDULER_KW_ANTI_STARVATION","features":[31]},{"name":"SYSTEM_SCHEDULER_KW_COMPACT_CSWITCH","features":[31]},{"name":"SYSTEM_SCHEDULER_KW_CONTEXT_SWITCH","features":[31]},{"name":"SYSTEM_SCHEDULER_KW_DISPATCHER","features":[31]},{"name":"SYSTEM_SCHEDULER_KW_IDEAL_PROCESSOR","features":[31]},{"name":"SYSTEM_SCHEDULER_KW_KERNEL_QUEUE","features":[31]},{"name":"SYSTEM_SCHEDULER_KW_LOAD_BALANCER","features":[31]},{"name":"SYSTEM_SCHEDULER_KW_PRIORITY","features":[31]},{"name":"SYSTEM_SCHEDULER_KW_SHOULD_YIELD","features":[31]},{"name":"SYSTEM_SCHEDULER_KW_XSCHEDULER","features":[31]},{"name":"SYSTEM_SYSCALL_KW_GENERAL","features":[31]},{"name":"SYSTEM_TIMER_KW_CLOCK_TIMER","features":[31]},{"name":"SYSTEM_TIMER_KW_GENERAL","features":[31]},{"name":"SetTraceCallback","features":[1,31]},{"name":"SplitIoGuid","features":[31]},{"name":"StartTraceA","features":[1,31]},{"name":"StartTraceW","features":[1,31]},{"name":"StopTraceA","features":[1,31]},{"name":"StopTraceW","features":[1,31]},{"name":"SystemAlpcProviderGuid","features":[31]},{"name":"SystemConfigProviderGuid","features":[31]},{"name":"SystemCpuProviderGuid","features":[31]},{"name":"SystemHypervisorProviderGuid","features":[31]},{"name":"SystemInterruptProviderGuid","features":[31]},{"name":"SystemIoFilterProviderGuid","features":[31]},{"name":"SystemIoProviderGuid","features":[31]},{"name":"SystemLockProviderGuid","features":[31]},{"name":"SystemMemoryProviderGuid","features":[31]},{"name":"SystemObjectProviderGuid","features":[31]},{"name":"SystemPowerProviderGuid","features":[31]},{"name":"SystemProcessProviderGuid","features":[31]},{"name":"SystemProfileProviderGuid","features":[31]},{"name":"SystemRegistryProviderGuid","features":[31]},{"name":"SystemSchedulerProviderGuid","features":[31]},{"name":"SystemSyscallProviderGuid","features":[31]},{"name":"SystemTimerProviderGuid","features":[31]},{"name":"SystemTraceControlGuid","features":[31]},{"name":"TDH_CONTEXT","features":[31]},{"name":"TDH_CONTEXT_MAXIMUM","features":[31]},{"name":"TDH_CONTEXT_PDB_PATH","features":[31]},{"name":"TDH_CONTEXT_POINTERSIZE","features":[31]},{"name":"TDH_CONTEXT_TYPE","features":[31]},{"name":"TDH_CONTEXT_WPP_GMT","features":[31]},{"name":"TDH_CONTEXT_WPP_TMFFILE","features":[31]},{"name":"TDH_CONTEXT_WPP_TMFSEARCHPATH","features":[31]},{"name":"TDH_HANDLE","features":[31]},{"name":"TDH_INTYPE_ANSICHAR","features":[31]},{"name":"TDH_INTYPE_ANSISTRING","features":[31]},{"name":"TDH_INTYPE_BINARY","features":[31]},{"name":"TDH_INTYPE_BOOLEAN","features":[31]},{"name":"TDH_INTYPE_COUNTEDANSISTRING","features":[31]},{"name":"TDH_INTYPE_COUNTEDSTRING","features":[31]},{"name":"TDH_INTYPE_DOUBLE","features":[31]},{"name":"TDH_INTYPE_FILETIME","features":[31]},{"name":"TDH_INTYPE_FLOAT","features":[31]},{"name":"TDH_INTYPE_GUID","features":[31]},{"name":"TDH_INTYPE_HEXDUMP","features":[31]},{"name":"TDH_INTYPE_HEXINT32","features":[31]},{"name":"TDH_INTYPE_HEXINT64","features":[31]},{"name":"TDH_INTYPE_INT16","features":[31]},{"name":"TDH_INTYPE_INT32","features":[31]},{"name":"TDH_INTYPE_INT64","features":[31]},{"name":"TDH_INTYPE_INT8","features":[31]},{"name":"TDH_INTYPE_MANIFEST_COUNTEDANSISTRING","features":[31]},{"name":"TDH_INTYPE_MANIFEST_COUNTEDBINARY","features":[31]},{"name":"TDH_INTYPE_MANIFEST_COUNTEDSTRING","features":[31]},{"name":"TDH_INTYPE_NONNULLTERMINATEDANSISTRING","features":[31]},{"name":"TDH_INTYPE_NONNULLTERMINATEDSTRING","features":[31]},{"name":"TDH_INTYPE_NULL","features":[31]},{"name":"TDH_INTYPE_POINTER","features":[31]},{"name":"TDH_INTYPE_RESERVED24","features":[31]},{"name":"TDH_INTYPE_REVERSEDCOUNTEDANSISTRING","features":[31]},{"name":"TDH_INTYPE_REVERSEDCOUNTEDSTRING","features":[31]},{"name":"TDH_INTYPE_SID","features":[31]},{"name":"TDH_INTYPE_SIZET","features":[31]},{"name":"TDH_INTYPE_SYSTEMTIME","features":[31]},{"name":"TDH_INTYPE_UINT16","features":[31]},{"name":"TDH_INTYPE_UINT32","features":[31]},{"name":"TDH_INTYPE_UINT64","features":[31]},{"name":"TDH_INTYPE_UINT8","features":[31]},{"name":"TDH_INTYPE_UNICODECHAR","features":[31]},{"name":"TDH_INTYPE_UNICODESTRING","features":[31]},{"name":"TDH_INTYPE_WBEMSID","features":[31]},{"name":"TDH_OUTTYPE_BOOLEAN","features":[31]},{"name":"TDH_OUTTYPE_BYTE","features":[31]},{"name":"TDH_OUTTYPE_CIMDATETIME","features":[31]},{"name":"TDH_OUTTYPE_CODE_POINTER","features":[31]},{"name":"TDH_OUTTYPE_CULTURE_INSENSITIVE_DATETIME","features":[31]},{"name":"TDH_OUTTYPE_DATETIME","features":[31]},{"name":"TDH_OUTTYPE_DATETIME_UTC","features":[31]},{"name":"TDH_OUTTYPE_DOUBLE","features":[31]},{"name":"TDH_OUTTYPE_ERRORCODE","features":[31]},{"name":"TDH_OUTTYPE_ETWTIME","features":[31]},{"name":"TDH_OUTTYPE_FLOAT","features":[31]},{"name":"TDH_OUTTYPE_GUID","features":[31]},{"name":"TDH_OUTTYPE_HEXBINARY","features":[31]},{"name":"TDH_OUTTYPE_HEXINT16","features":[31]},{"name":"TDH_OUTTYPE_HEXINT32","features":[31]},{"name":"TDH_OUTTYPE_HEXINT64","features":[31]},{"name":"TDH_OUTTYPE_HEXINT8","features":[31]},{"name":"TDH_OUTTYPE_HRESULT","features":[31]},{"name":"TDH_OUTTYPE_INT","features":[31]},{"name":"TDH_OUTTYPE_IPV4","features":[31]},{"name":"TDH_OUTTYPE_IPV6","features":[31]},{"name":"TDH_OUTTYPE_JSON","features":[31]},{"name":"TDH_OUTTYPE_LONG","features":[31]},{"name":"TDH_OUTTYPE_NOPRINT","features":[31]},{"name":"TDH_OUTTYPE_NTSTATUS","features":[31]},{"name":"TDH_OUTTYPE_NULL","features":[31]},{"name":"TDH_OUTTYPE_PID","features":[31]},{"name":"TDH_OUTTYPE_PKCS7_WITH_TYPE_INFO","features":[31]},{"name":"TDH_OUTTYPE_PORT","features":[31]},{"name":"TDH_OUTTYPE_REDUCEDSTRING","features":[31]},{"name":"TDH_OUTTYPE_SHORT","features":[31]},{"name":"TDH_OUTTYPE_SOCKETADDRESS","features":[31]},{"name":"TDH_OUTTYPE_STRING","features":[31]},{"name":"TDH_OUTTYPE_TID","features":[31]},{"name":"TDH_OUTTYPE_UNSIGNEDBYTE","features":[31]},{"name":"TDH_OUTTYPE_UNSIGNEDINT","features":[31]},{"name":"TDH_OUTTYPE_UNSIGNEDLONG","features":[31]},{"name":"TDH_OUTTYPE_UNSIGNEDSHORT","features":[31]},{"name":"TDH_OUTTYPE_UTF8","features":[31]},{"name":"TDH_OUTTYPE_WIN32ERROR","features":[31]},{"name":"TDH_OUTTYPE_XML","features":[31]},{"name":"TEMPLATE_CONTROL_GUID","features":[31]},{"name":"TEMPLATE_EVENT_DATA","features":[31]},{"name":"TEMPLATE_FLAGS","features":[31]},{"name":"TEMPLATE_USER_DATA","features":[31]},{"name":"TRACELOG_ACCESS_KERNEL_LOGGER","features":[31]},{"name":"TRACELOG_ACCESS_REALTIME","features":[31]},{"name":"TRACELOG_CREATE_INPROC","features":[31]},{"name":"TRACELOG_CREATE_ONDISK","features":[31]},{"name":"TRACELOG_CREATE_REALTIME","features":[31]},{"name":"TRACELOG_GUID_ENABLE","features":[31]},{"name":"TRACELOG_JOIN_GROUP","features":[31]},{"name":"TRACELOG_LOG_EVENT","features":[31]},{"name":"TRACELOG_REGISTER_GUIDS","features":[31]},{"name":"TRACE_ENABLE_INFO","features":[31]},{"name":"TRACE_EVENT_INFO","features":[31]},{"name":"TRACE_GUID_INFO","features":[31]},{"name":"TRACE_GUID_PROPERTIES","features":[1,31]},{"name":"TRACE_GUID_REGISTRATION","features":[1,31]},{"name":"TRACE_HEADER_FLAG_LOG_WNODE","features":[31]},{"name":"TRACE_HEADER_FLAG_TRACED_GUID","features":[31]},{"name":"TRACE_HEADER_FLAG_USE_GUID_PTR","features":[31]},{"name":"TRACE_HEADER_FLAG_USE_MOF_PTR","features":[31]},{"name":"TRACE_HEADER_FLAG_USE_TIMESTAMP","features":[31]},{"name":"TRACE_LEVEL_CRITICAL","features":[31]},{"name":"TRACE_LEVEL_ERROR","features":[31]},{"name":"TRACE_LEVEL_FATAL","features":[31]},{"name":"TRACE_LEVEL_INFORMATION","features":[31]},{"name":"TRACE_LEVEL_NONE","features":[31]},{"name":"TRACE_LEVEL_RESERVED6","features":[31]},{"name":"TRACE_LEVEL_RESERVED7","features":[31]},{"name":"TRACE_LEVEL_RESERVED8","features":[31]},{"name":"TRACE_LEVEL_RESERVED9","features":[31]},{"name":"TRACE_LEVEL_VERBOSE","features":[31]},{"name":"TRACE_LEVEL_WARNING","features":[31]},{"name":"TRACE_LOGFILE_HEADER","features":[1,31,163]},{"name":"TRACE_LOGFILE_HEADER32","features":[1,31,163]},{"name":"TRACE_LOGFILE_HEADER64","features":[1,31,163]},{"name":"TRACE_MESSAGE_COMPONENTID","features":[31]},{"name":"TRACE_MESSAGE_FLAGS","features":[31]},{"name":"TRACE_MESSAGE_FLAG_MASK","features":[31]},{"name":"TRACE_MESSAGE_GUID","features":[31]},{"name":"TRACE_MESSAGE_PERFORMANCE_TIMESTAMP","features":[31]},{"name":"TRACE_MESSAGE_POINTER32","features":[31]},{"name":"TRACE_MESSAGE_POINTER64","features":[31]},{"name":"TRACE_MESSAGE_SEQUENCE","features":[31]},{"name":"TRACE_MESSAGE_SYSTEMINFO","features":[31]},{"name":"TRACE_MESSAGE_TIMESTAMP","features":[31]},{"name":"TRACE_PERIODIC_CAPTURE_STATE_INFO","features":[31]},{"name":"TRACE_PROFILE_INTERVAL","features":[31]},{"name":"TRACE_PROVIDER_FLAG_LEGACY","features":[31]},{"name":"TRACE_PROVIDER_FLAG_PRE_ENABLE","features":[31]},{"name":"TRACE_PROVIDER_INFO","features":[31]},{"name":"TRACE_PROVIDER_INSTANCE_INFO","features":[31]},{"name":"TRACE_QUERY_INFO_CLASS","features":[31]},{"name":"TRACE_STACK_CACHING_INFO","features":[1,31]},{"name":"TRACE_VERSION_INFO","features":[31]},{"name":"TcpIpGuid","features":[31]},{"name":"TdhAggregatePayloadFilters","features":[1,31]},{"name":"TdhCleanupPayloadEventFilterDescriptor","features":[31]},{"name":"TdhCloseDecodingHandle","features":[31]},{"name":"TdhCreatePayloadFilter","features":[1,31]},{"name":"TdhDeletePayloadFilter","features":[31]},{"name":"TdhEnumerateManifestProviderEvents","features":[31]},{"name":"TdhEnumerateProviderFieldInformation","features":[31]},{"name":"TdhEnumerateProviderFilters","features":[31]},{"name":"TdhEnumerateProviders","features":[31]},{"name":"TdhEnumerateProvidersForDecodingSource","features":[31]},{"name":"TdhFormatProperty","features":[31]},{"name":"TdhGetDecodingParameter","features":[31]},{"name":"TdhGetEventInformation","features":[31]},{"name":"TdhGetEventMapInformation","features":[31]},{"name":"TdhGetManifestEventInformation","features":[31]},{"name":"TdhGetProperty","features":[31]},{"name":"TdhGetPropertySize","features":[31]},{"name":"TdhGetWppMessage","features":[31]},{"name":"TdhGetWppProperty","features":[31]},{"name":"TdhLoadManifest","features":[31]},{"name":"TdhLoadManifestFromBinary","features":[31]},{"name":"TdhLoadManifestFromMemory","features":[31]},{"name":"TdhOpenDecodingHandle","features":[31]},{"name":"TdhQueryProviderFieldInformation","features":[31]},{"name":"TdhSetDecodingParameter","features":[31]},{"name":"TdhUnloadManifest","features":[31]},{"name":"TdhUnloadManifestFromMemory","features":[31]},{"name":"ThreadGuid","features":[31]},{"name":"TraceDisallowListQuery","features":[31]},{"name":"TraceEvent","features":[1,31]},{"name":"TraceEventInstance","features":[1,31]},{"name":"TraceGroupQueryInfo","features":[31]},{"name":"TraceGroupQueryList","features":[31]},{"name":"TraceGuidQueryInfo","features":[31]},{"name":"TraceGuidQueryList","features":[31]},{"name":"TraceGuidQueryProcess","features":[31]},{"name":"TraceInfoReserved15","features":[31]},{"name":"TraceLbrConfigurationInfo","features":[31]},{"name":"TraceLbrEventListInfo","features":[31]},{"name":"TraceMaxLoggersQuery","features":[31]},{"name":"TraceMaxPmcCounterQuery","features":[31]},{"name":"TraceMessage","features":[1,31]},{"name":"TraceMessageVa","features":[1,31]},{"name":"TracePeriodicCaptureStateInfo","features":[31]},{"name":"TracePeriodicCaptureStateListInfo","features":[31]},{"name":"TracePmcCounterListInfo","features":[31]},{"name":"TracePmcCounterOwners","features":[31]},{"name":"TracePmcEventListInfo","features":[31]},{"name":"TracePmcSessionInformation","features":[31]},{"name":"TraceProfileSourceConfigInfo","features":[31]},{"name":"TraceProfileSourceListInfo","features":[31]},{"name":"TraceProviderBinaryTracking","features":[31]},{"name":"TraceQueryInformation","features":[1,31]},{"name":"TraceSampledProfileIntervalInfo","features":[31]},{"name":"TraceSetDisallowList","features":[31]},{"name":"TraceSetInformation","features":[1,31]},{"name":"TraceStackCachingInfo","features":[31]},{"name":"TraceStackTracingInfo","features":[31]},{"name":"TraceStreamCount","features":[31]},{"name":"TraceSystemTraceEnableFlagsInfo","features":[31]},{"name":"TraceUnifiedStackCachingInfo","features":[31]},{"name":"TraceVersionInfo","features":[31]},{"name":"UdpIpGuid","features":[31]},{"name":"UnregisterTraceGuids","features":[31]},{"name":"UpdateTraceA","features":[1,31]},{"name":"UpdateTraceW","features":[1,31]},{"name":"WMIDPREQUEST","features":[31]},{"name":"WMIDPREQUESTCODE","features":[31]},{"name":"WMIGUID_EXECUTE","features":[31]},{"name":"WMIGUID_NOTIFICATION","features":[31]},{"name":"WMIGUID_QUERY","features":[31]},{"name":"WMIGUID_READ_DESCRIPTION","features":[31]},{"name":"WMIGUID_SET","features":[31]},{"name":"WMIREGGUIDW","features":[31]},{"name":"WMIREGINFOW","features":[31]},{"name":"WMIREG_FLAG_EVENT_ONLY_GUID","features":[31]},{"name":"WMIREG_FLAG_EXPENSIVE","features":[31]},{"name":"WMIREG_FLAG_INSTANCE_BASENAME","features":[31]},{"name":"WMIREG_FLAG_INSTANCE_LIST","features":[31]},{"name":"WMIREG_FLAG_INSTANCE_PDO","features":[31]},{"name":"WMIREG_FLAG_REMOVE_GUID","features":[31]},{"name":"WMIREG_FLAG_RESERVED1","features":[31]},{"name":"WMIREG_FLAG_RESERVED2","features":[31]},{"name":"WMIREG_FLAG_TRACED_GUID","features":[31]},{"name":"WMIREG_FLAG_TRACE_CONTROL_GUID","features":[31]},{"name":"WMI_CAPTURE_STATE","features":[31]},{"name":"WMI_DISABLE_COLLECTION","features":[31]},{"name":"WMI_DISABLE_EVENTS","features":[31]},{"name":"WMI_ENABLE_COLLECTION","features":[31]},{"name":"WMI_ENABLE_EVENTS","features":[31]},{"name":"WMI_EXECUTE_METHOD","features":[31]},{"name":"WMI_GET_ALL_DATA","features":[31]},{"name":"WMI_GET_SINGLE_INSTANCE","features":[31]},{"name":"WMI_GLOBAL_LOGGER_ID","features":[31]},{"name":"WMI_GUIDTYPE_DATA","features":[31]},{"name":"WMI_GUIDTYPE_EVENT","features":[31]},{"name":"WMI_GUIDTYPE_TRACE","features":[31]},{"name":"WMI_GUIDTYPE_TRACECONTROL","features":[31]},{"name":"WMI_REGINFO","features":[31]},{"name":"WMI_SET_SINGLE_INSTANCE","features":[31]},{"name":"WMI_SET_SINGLE_ITEM","features":[31]},{"name":"WNODE_ALL_DATA","features":[1,31]},{"name":"WNODE_EVENT_ITEM","features":[1,31]},{"name":"WNODE_EVENT_REFERENCE","features":[1,31]},{"name":"WNODE_FLAG_ALL_DATA","features":[31]},{"name":"WNODE_FLAG_ANSI_INSTANCENAMES","features":[31]},{"name":"WNODE_FLAG_EVENT_ITEM","features":[31]},{"name":"WNODE_FLAG_EVENT_REFERENCE","features":[31]},{"name":"WNODE_FLAG_FIXED_INSTANCE_SIZE","features":[31]},{"name":"WNODE_FLAG_INSTANCES_SAME","features":[31]},{"name":"WNODE_FLAG_INTERNAL","features":[31]},{"name":"WNODE_FLAG_LOG_WNODE","features":[31]},{"name":"WNODE_FLAG_METHOD_ITEM","features":[31]},{"name":"WNODE_FLAG_NO_HEADER","features":[31]},{"name":"WNODE_FLAG_PDO_INSTANCE_NAMES","features":[31]},{"name":"WNODE_FLAG_PERSIST_EVENT","features":[31]},{"name":"WNODE_FLAG_SEND_DATA_BLOCK","features":[31]},{"name":"WNODE_FLAG_SEVERITY_MASK","features":[31]},{"name":"WNODE_FLAG_SINGLE_INSTANCE","features":[31]},{"name":"WNODE_FLAG_SINGLE_ITEM","features":[31]},{"name":"WNODE_FLAG_STATIC_INSTANCE_NAMES","features":[31]},{"name":"WNODE_FLAG_TOO_SMALL","features":[31]},{"name":"WNODE_FLAG_TRACED_GUID","features":[31]},{"name":"WNODE_FLAG_USE_GUID_PTR","features":[31]},{"name":"WNODE_FLAG_USE_MOF_PTR","features":[31]},{"name":"WNODE_FLAG_USE_TIMESTAMP","features":[31]},{"name":"WNODE_FLAG_VERSIONED_PROPERTIES","features":[31]},{"name":"WNODE_HEADER","features":[1,31]},{"name":"WNODE_METHOD_ITEM","features":[1,31]},{"name":"WNODE_SINGLE_INSTANCE","features":[1,31]},{"name":"WNODE_SINGLE_ITEM","features":[1,31]},{"name":"WNODE_TOO_SMALL","features":[1,31]},{"name":"_TDH_IN_TYPE","features":[31]},{"name":"_TDH_OUT_TYPE","features":[31]}],"557":[{"name":"HPSS","features":[165]},{"name":"HPSSWALK","features":[165]},{"name":"PSS_ALLOCATOR","features":[165]},{"name":"PSS_AUXILIARY_PAGES_INFORMATION","features":[165]},{"name":"PSS_AUXILIARY_PAGE_ENTRY","features":[1,165,20]},{"name":"PSS_CAPTURE_FLAGS","features":[165]},{"name":"PSS_CAPTURE_HANDLES","features":[165]},{"name":"PSS_CAPTURE_HANDLE_BASIC_INFORMATION","features":[165]},{"name":"PSS_CAPTURE_HANDLE_NAME_INFORMATION","features":[165]},{"name":"PSS_CAPTURE_HANDLE_TRACE","features":[165]},{"name":"PSS_CAPTURE_HANDLE_TYPE_SPECIFIC_INFORMATION","features":[165]},{"name":"PSS_CAPTURE_IPT_TRACE","features":[165]},{"name":"PSS_CAPTURE_NONE","features":[165]},{"name":"PSS_CAPTURE_RESERVED_00000002","features":[165]},{"name":"PSS_CAPTURE_RESERVED_00000400","features":[165]},{"name":"PSS_CAPTURE_RESERVED_00004000","features":[165]},{"name":"PSS_CAPTURE_THREADS","features":[165]},{"name":"PSS_CAPTURE_THREAD_CONTEXT","features":[165]},{"name":"PSS_CAPTURE_THREAD_CONTEXT_EXTENDED","features":[165]},{"name":"PSS_CAPTURE_VA_CLONE","features":[165]},{"name":"PSS_CAPTURE_VA_SPACE","features":[165]},{"name":"PSS_CAPTURE_VA_SPACE_SECTION_INFORMATION","features":[165]},{"name":"PSS_CREATE_BREAKAWAY","features":[165]},{"name":"PSS_CREATE_BREAKAWAY_OPTIONAL","features":[165]},{"name":"PSS_CREATE_FORCE_BREAKAWAY","features":[165]},{"name":"PSS_CREATE_MEASURE_PERFORMANCE","features":[165]},{"name":"PSS_CREATE_RELEASE_SECTION","features":[165]},{"name":"PSS_CREATE_USE_VM_ALLOCATIONS","features":[165]},{"name":"PSS_DUPLICATE_CLOSE_SOURCE","features":[165]},{"name":"PSS_DUPLICATE_FLAGS","features":[165]},{"name":"PSS_DUPLICATE_NONE","features":[165]},{"name":"PSS_HANDLE_ENTRY","features":[1,165]},{"name":"PSS_HANDLE_FLAGS","features":[165]},{"name":"PSS_HANDLE_HAVE_BASIC_INFORMATION","features":[165]},{"name":"PSS_HANDLE_HAVE_NAME","features":[165]},{"name":"PSS_HANDLE_HAVE_TYPE","features":[165]},{"name":"PSS_HANDLE_HAVE_TYPE_SPECIFIC_INFORMATION","features":[165]},{"name":"PSS_HANDLE_INFORMATION","features":[165]},{"name":"PSS_HANDLE_NONE","features":[165]},{"name":"PSS_HANDLE_TRACE_INFORMATION","features":[1,165]},{"name":"PSS_OBJECT_TYPE","features":[165]},{"name":"PSS_OBJECT_TYPE_EVENT","features":[165]},{"name":"PSS_OBJECT_TYPE_MUTANT","features":[165]},{"name":"PSS_OBJECT_TYPE_PROCESS","features":[165]},{"name":"PSS_OBJECT_TYPE_SECTION","features":[165]},{"name":"PSS_OBJECT_TYPE_SEMAPHORE","features":[165]},{"name":"PSS_OBJECT_TYPE_THREAD","features":[165]},{"name":"PSS_OBJECT_TYPE_UNKNOWN","features":[165]},{"name":"PSS_PERFORMANCE_COUNTERS","features":[165]},{"name":"PSS_PERF_RESOLUTION","features":[165]},{"name":"PSS_PROCESS_FLAGS","features":[165]},{"name":"PSS_PROCESS_FLAGS_FROZEN","features":[165]},{"name":"PSS_PROCESS_FLAGS_NONE","features":[165]},{"name":"PSS_PROCESS_FLAGS_PROTECTED","features":[165]},{"name":"PSS_PROCESS_FLAGS_RESERVED_03","features":[165]},{"name":"PSS_PROCESS_FLAGS_RESERVED_04","features":[165]},{"name":"PSS_PROCESS_FLAGS_WOW64","features":[165]},{"name":"PSS_PROCESS_INFORMATION","features":[1,165]},{"name":"PSS_QUERY_AUXILIARY_PAGES_INFORMATION","features":[165]},{"name":"PSS_QUERY_HANDLE_INFORMATION","features":[165]},{"name":"PSS_QUERY_HANDLE_TRACE_INFORMATION","features":[165]},{"name":"PSS_QUERY_INFORMATION_CLASS","features":[165]},{"name":"PSS_QUERY_PERFORMANCE_COUNTERS","features":[165]},{"name":"PSS_QUERY_PROCESS_INFORMATION","features":[165]},{"name":"PSS_QUERY_THREAD_INFORMATION","features":[165]},{"name":"PSS_QUERY_VA_CLONE_INFORMATION","features":[165]},{"name":"PSS_QUERY_VA_SPACE_INFORMATION","features":[165]},{"name":"PSS_THREAD_ENTRY","features":[1,30,165,7]},{"name":"PSS_THREAD_FLAGS","features":[165]},{"name":"PSS_THREAD_FLAGS_NONE","features":[165]},{"name":"PSS_THREAD_FLAGS_TERMINATED","features":[165]},{"name":"PSS_THREAD_INFORMATION","features":[165]},{"name":"PSS_VA_CLONE_INFORMATION","features":[1,165]},{"name":"PSS_VA_SPACE_ENTRY","features":[165]},{"name":"PSS_VA_SPACE_INFORMATION","features":[165]},{"name":"PSS_WALK_AUXILIARY_PAGES","features":[165]},{"name":"PSS_WALK_HANDLES","features":[165]},{"name":"PSS_WALK_INFORMATION_CLASS","features":[165]},{"name":"PSS_WALK_THREADS","features":[165]},{"name":"PSS_WALK_VA_SPACE","features":[165]},{"name":"PssCaptureSnapshot","features":[1,165]},{"name":"PssDuplicateSnapshot","features":[1,165]},{"name":"PssFreeSnapshot","features":[1,165]},{"name":"PssQuerySnapshot","features":[165]},{"name":"PssWalkMarkerCreate","features":[165]},{"name":"PssWalkMarkerFree","features":[165]},{"name":"PssWalkMarkerGetPosition","features":[165]},{"name":"PssWalkMarkerSeekToBeginning","features":[165]},{"name":"PssWalkMarkerSetPosition","features":[165]},{"name":"PssWalkSnapshot","features":[165]}],"558":[{"name":"CREATE_TOOLHELP_SNAPSHOT_FLAGS","features":[166]},{"name":"CreateToolhelp32Snapshot","features":[1,166]},{"name":"HEAPENTRY32","features":[1,166]},{"name":"HEAPENTRY32_FLAGS","features":[166]},{"name":"HEAPLIST32","features":[166]},{"name":"HF32_DEFAULT","features":[166]},{"name":"HF32_SHARED","features":[166]},{"name":"Heap32First","features":[1,166]},{"name":"Heap32ListFirst","features":[1,166]},{"name":"Heap32ListNext","features":[1,166]},{"name":"Heap32Next","features":[1,166]},{"name":"LF32_FIXED","features":[166]},{"name":"LF32_FREE","features":[166]},{"name":"LF32_MOVEABLE","features":[166]},{"name":"MAX_MODULE_NAME32","features":[166]},{"name":"MODULEENTRY32","features":[1,166]},{"name":"MODULEENTRY32W","features":[1,166]},{"name":"Module32First","features":[1,166]},{"name":"Module32FirstW","features":[1,166]},{"name":"Module32Next","features":[1,166]},{"name":"Module32NextW","features":[1,166]},{"name":"PROCESSENTRY32","features":[166]},{"name":"PROCESSENTRY32W","features":[166]},{"name":"Process32First","features":[1,166]},{"name":"Process32FirstW","features":[1,166]},{"name":"Process32Next","features":[1,166]},{"name":"Process32NextW","features":[1,166]},{"name":"TH32CS_INHERIT","features":[166]},{"name":"TH32CS_SNAPALL","features":[166]},{"name":"TH32CS_SNAPHEAPLIST","features":[166]},{"name":"TH32CS_SNAPMODULE","features":[166]},{"name":"TH32CS_SNAPMODULE32","features":[166]},{"name":"TH32CS_SNAPPROCESS","features":[166]},{"name":"TH32CS_SNAPTHREAD","features":[166]},{"name":"THREADENTRY32","features":[166]},{"name":"Thread32First","features":[1,166]},{"name":"Thread32Next","features":[1,166]},{"name":"Toolhelp32ReadProcessMemory","features":[1,166]}],"559":[{"name":"MSG_category_Devices","features":[167]},{"name":"MSG_category_Disk","features":[167]},{"name":"MSG_category_Network","features":[167]},{"name":"MSG_category_Printers","features":[167]},{"name":"MSG_category_Services","features":[167]},{"name":"MSG_category_Shell","features":[167]},{"name":"MSG_category_SystemEvent","features":[167]},{"name":"MSG_channel_Application","features":[167]},{"name":"MSG_channel_ProviderMetadata","features":[167]},{"name":"MSG_channel_Security","features":[167]},{"name":"MSG_channel_System","features":[167]},{"name":"MSG_channel_TraceClassic","features":[167]},{"name":"MSG_channel_TraceLogging","features":[167]},{"name":"MSG_keyword_AnyKeyword","features":[167]},{"name":"MSG_keyword_AuditFailure","features":[167]},{"name":"MSG_keyword_AuditSuccess","features":[167]},{"name":"MSG_keyword_Classic","features":[167]},{"name":"MSG_keyword_CorrelationHint","features":[167]},{"name":"MSG_keyword_ResponseTime","features":[167]},{"name":"MSG_keyword_SQM","features":[167]},{"name":"MSG_keyword_WDIDiag","features":[167]},{"name":"MSG_level_Critical","features":[167]},{"name":"MSG_level_Error","features":[167]},{"name":"MSG_level_Informational","features":[167]},{"name":"MSG_level_LogAlways","features":[167]},{"name":"MSG_level_Verbose","features":[167]},{"name":"MSG_level_Warning","features":[167]},{"name":"MSG_opcode_DCStart","features":[167]},{"name":"MSG_opcode_DCStop","features":[167]},{"name":"MSG_opcode_Extension","features":[167]},{"name":"MSG_opcode_Info","features":[167]},{"name":"MSG_opcode_Receive","features":[167]},{"name":"MSG_opcode_Reply","features":[167]},{"name":"MSG_opcode_Resume","features":[167]},{"name":"MSG_opcode_Send","features":[167]},{"name":"MSG_opcode_Start","features":[167]},{"name":"MSG_opcode_Stop","features":[167]},{"name":"MSG_opcode_Suspend","features":[167]},{"name":"MSG_task_None","features":[167]},{"name":"WINEVENT_CHANNEL_CLASSIC_TRACE","features":[167]},{"name":"WINEVENT_CHANNEL_GLOBAL_APPLICATION","features":[167]},{"name":"WINEVENT_CHANNEL_GLOBAL_SECURITY","features":[167]},{"name":"WINEVENT_CHANNEL_GLOBAL_SYSTEM","features":[167]},{"name":"WINEVENT_CHANNEL_PROVIDERMETADATA","features":[167]},{"name":"WINEVENT_CHANNEL_TRACELOGGING","features":[167]},{"name":"WINEVENT_KEYWORD_AUDIT_FAILURE","features":[167]},{"name":"WINEVENT_KEYWORD_AUDIT_SUCCESS","features":[167]},{"name":"WINEVENT_KEYWORD_CORRELATION_HINT","features":[167]},{"name":"WINEVENT_KEYWORD_EVENTLOG_CLASSIC","features":[167]},{"name":"WINEVENT_KEYWORD_RESERVED_49","features":[167]},{"name":"WINEVENT_KEYWORD_RESERVED_56","features":[167]},{"name":"WINEVENT_KEYWORD_RESERVED_57","features":[167]},{"name":"WINEVENT_KEYWORD_RESERVED_58","features":[167]},{"name":"WINEVENT_KEYWORD_RESERVED_59","features":[167]},{"name":"WINEVENT_KEYWORD_RESERVED_60","features":[167]},{"name":"WINEVENT_KEYWORD_RESERVED_61","features":[167]},{"name":"WINEVENT_KEYWORD_RESERVED_62","features":[167]},{"name":"WINEVENT_KEYWORD_RESERVED_63","features":[167]},{"name":"WINEVENT_KEYWORD_RESPONSE_TIME","features":[167]},{"name":"WINEVENT_KEYWORD_SQM","features":[167]},{"name":"WINEVENT_KEYWORD_WDI_DIAG","features":[167]},{"name":"WINEVENT_LEVEL_CRITICAL","features":[167]},{"name":"WINEVENT_LEVEL_ERROR","features":[167]},{"name":"WINEVENT_LEVEL_INFO","features":[167]},{"name":"WINEVENT_LEVEL_LOG_ALWAYS","features":[167]},{"name":"WINEVENT_LEVEL_RESERVED_10","features":[167]},{"name":"WINEVENT_LEVEL_RESERVED_11","features":[167]},{"name":"WINEVENT_LEVEL_RESERVED_12","features":[167]},{"name":"WINEVENT_LEVEL_RESERVED_13","features":[167]},{"name":"WINEVENT_LEVEL_RESERVED_14","features":[167]},{"name":"WINEVENT_LEVEL_RESERVED_15","features":[167]},{"name":"WINEVENT_LEVEL_RESERVED_6","features":[167]},{"name":"WINEVENT_LEVEL_RESERVED_7","features":[167]},{"name":"WINEVENT_LEVEL_RESERVED_8","features":[167]},{"name":"WINEVENT_LEVEL_RESERVED_9","features":[167]},{"name":"WINEVENT_LEVEL_VERBOSE","features":[167]},{"name":"WINEVENT_LEVEL_WARNING","features":[167]},{"name":"WINEVENT_OPCODE_DC_START","features":[167]},{"name":"WINEVENT_OPCODE_DC_STOP","features":[167]},{"name":"WINEVENT_OPCODE_EXTENSION","features":[167]},{"name":"WINEVENT_OPCODE_INFO","features":[167]},{"name":"WINEVENT_OPCODE_RECEIVE","features":[167]},{"name":"WINEVENT_OPCODE_REPLY","features":[167]},{"name":"WINEVENT_OPCODE_RESERVED_241","features":[167]},{"name":"WINEVENT_OPCODE_RESERVED_242","features":[167]},{"name":"WINEVENT_OPCODE_RESERVED_243","features":[167]},{"name":"WINEVENT_OPCODE_RESERVED_244","features":[167]},{"name":"WINEVENT_OPCODE_RESERVED_245","features":[167]},{"name":"WINEVENT_OPCODE_RESERVED_246","features":[167]},{"name":"WINEVENT_OPCODE_RESERVED_247","features":[167]},{"name":"WINEVENT_OPCODE_RESERVED_248","features":[167]},{"name":"WINEVENT_OPCODE_RESERVED_249","features":[167]},{"name":"WINEVENT_OPCODE_RESERVED_250","features":[167]},{"name":"WINEVENT_OPCODE_RESERVED_251","features":[167]},{"name":"WINEVENT_OPCODE_RESERVED_252","features":[167]},{"name":"WINEVENT_OPCODE_RESERVED_253","features":[167]},{"name":"WINEVENT_OPCODE_RESERVED_254","features":[167]},{"name":"WINEVENT_OPCODE_RESERVED_255","features":[167]},{"name":"WINEVENT_OPCODE_RESUME","features":[167]},{"name":"WINEVENT_OPCODE_SEND","features":[167]},{"name":"WINEVENT_OPCODE_START","features":[167]},{"name":"WINEVENT_OPCODE_STOP","features":[167]},{"name":"WINEVENT_OPCODE_SUSPEND","features":[167]},{"name":"WINEVENT_TASK_NONE","features":[167]},{"name":"WINEVT_KEYWORD_ANY","features":[167]}],"560":[{"name":"APPLICATIONTYPE","features":[168]},{"name":"AUTHENTICATION_LEVEL","features":[168]},{"name":"BOID","features":[168]},{"name":"CLSID_MSDtcTransaction","features":[168]},{"name":"CLSID_MSDtcTransactionManager","features":[168]},{"name":"CLUSTERRESOURCE_APPLICATIONTYPE","features":[168]},{"name":"DTCINITIATEDRECOVERYWORK","features":[168]},{"name":"DTCINITIATEDRECOVERYWORK_CHECKLUSTATUS","features":[168]},{"name":"DTCINITIATEDRECOVERYWORK_TMDOWN","features":[168]},{"name":"DTCINITIATEDRECOVERYWORK_TRANS","features":[168]},{"name":"DTCINSTALL_E_CLIENT_ALREADY_INSTALLED","features":[168]},{"name":"DTCINSTALL_E_SERVER_ALREADY_INSTALLED","features":[168]},{"name":"DTCLUCOMPARESTATE","features":[168]},{"name":"DTCLUCOMPARESTATESCONFIRMATION","features":[168]},{"name":"DTCLUCOMPARESTATESCONFIRMATION_CONFIRM","features":[168]},{"name":"DTCLUCOMPARESTATESCONFIRMATION_PROTOCOL","features":[168]},{"name":"DTCLUCOMPARESTATESERROR","features":[168]},{"name":"DTCLUCOMPARESTATESERROR_PROTOCOL","features":[168]},{"name":"DTCLUCOMPARESTATESRESPONSE","features":[168]},{"name":"DTCLUCOMPARESTATESRESPONSE_OK","features":[168]},{"name":"DTCLUCOMPARESTATESRESPONSE_PROTOCOL","features":[168]},{"name":"DTCLUCOMPARESTATE_COMMITTED","features":[168]},{"name":"DTCLUCOMPARESTATE_HEURISTICCOMMITTED","features":[168]},{"name":"DTCLUCOMPARESTATE_HEURISTICMIXED","features":[168]},{"name":"DTCLUCOMPARESTATE_HEURISTICRESET","features":[168]},{"name":"DTCLUCOMPARESTATE_INDOUBT","features":[168]},{"name":"DTCLUCOMPARESTATE_RESET","features":[168]},{"name":"DTCLUXLN","features":[168]},{"name":"DTCLUXLNCONFIRMATION","features":[168]},{"name":"DTCLUXLNCONFIRMATION_COLDWARMMISMATCH","features":[168]},{"name":"DTCLUXLNCONFIRMATION_CONFIRM","features":[168]},{"name":"DTCLUXLNCONFIRMATION_LOGNAMEMISMATCH","features":[168]},{"name":"DTCLUXLNCONFIRMATION_OBSOLETE","features":[168]},{"name":"DTCLUXLNERROR","features":[168]},{"name":"DTCLUXLNERROR_COLDWARMMISMATCH","features":[168]},{"name":"DTCLUXLNERROR_LOGNAMEMISMATCH","features":[168]},{"name":"DTCLUXLNERROR_PROTOCOL","features":[168]},{"name":"DTCLUXLNRESPONSE","features":[168]},{"name":"DTCLUXLNRESPONSE_COLDWARMMISMATCH","features":[168]},{"name":"DTCLUXLNRESPONSE_LOGNAMEMISMATCH","features":[168]},{"name":"DTCLUXLNRESPONSE_OK_SENDCONFIRMATION","features":[168]},{"name":"DTCLUXLNRESPONSE_OK_SENDOURXLNBACK","features":[168]},{"name":"DTCLUXLN_COLD","features":[168]},{"name":"DTCLUXLN_WARM","features":[168]},{"name":"DTC_GET_TRANSACTION_MANAGER","features":[168]},{"name":"DTC_GET_TRANSACTION_MANAGER_EX_A","features":[168]},{"name":"DTC_GET_TRANSACTION_MANAGER_EX_W","features":[168]},{"name":"DTC_INSTALL_CLIENT","features":[168]},{"name":"DTC_INSTALL_OVERWRITE_CLIENT","features":[168]},{"name":"DTC_INSTALL_OVERWRITE_SERVER","features":[168]},{"name":"DTC_STATUS_","features":[168]},{"name":"DTC_STATUS_CONTINUING","features":[168]},{"name":"DTC_STATUS_E_CANTCONTROL","features":[168]},{"name":"DTC_STATUS_FAILED","features":[168]},{"name":"DTC_STATUS_PAUSED","features":[168]},{"name":"DTC_STATUS_PAUSING","features":[168]},{"name":"DTC_STATUS_STARTED","features":[168]},{"name":"DTC_STATUS_STARTING","features":[168]},{"name":"DTC_STATUS_STOPPED","features":[168]},{"name":"DTC_STATUS_STOPPING","features":[168]},{"name":"DTC_STATUS_UNKNOWN","features":[168]},{"name":"DtcGetTransactionManager","features":[168]},{"name":"DtcGetTransactionManagerC","features":[168]},{"name":"DtcGetTransactionManagerExA","features":[168]},{"name":"DtcGetTransactionManagerExW","features":[168]},{"name":"IDtcLuConfigure","features":[168]},{"name":"IDtcLuRecovery","features":[168]},{"name":"IDtcLuRecoveryFactory","features":[168]},{"name":"IDtcLuRecoveryInitiatedByDtc","features":[168]},{"name":"IDtcLuRecoveryInitiatedByDtcStatusWork","features":[168]},{"name":"IDtcLuRecoveryInitiatedByDtcTransWork","features":[168]},{"name":"IDtcLuRecoveryInitiatedByLu","features":[168]},{"name":"IDtcLuRecoveryInitiatedByLuWork","features":[168]},{"name":"IDtcLuRmEnlistment","features":[168]},{"name":"IDtcLuRmEnlistmentFactory","features":[168]},{"name":"IDtcLuRmEnlistmentSink","features":[168]},{"name":"IDtcLuSubordinateDtc","features":[168]},{"name":"IDtcLuSubordinateDtcFactory","features":[168]},{"name":"IDtcLuSubordinateDtcSink","features":[168]},{"name":"IDtcNetworkAccessConfig","features":[168]},{"name":"IDtcNetworkAccessConfig2","features":[168]},{"name":"IDtcNetworkAccessConfig3","features":[168]},{"name":"IDtcToXaHelper","features":[168]},{"name":"IDtcToXaHelperFactory","features":[168]},{"name":"IDtcToXaHelperSinglePipe","features":[168]},{"name":"IDtcToXaMapper","features":[168]},{"name":"IGetDispenser","features":[168]},{"name":"IKernelTransaction","features":[168]},{"name":"ILastResourceManager","features":[168]},{"name":"INCOMING_AUTHENTICATION_REQUIRED","features":[168]},{"name":"IPrepareInfo","features":[168]},{"name":"IPrepareInfo2","features":[168]},{"name":"IRMHelper","features":[168]},{"name":"IResourceManager","features":[168]},{"name":"IResourceManager2","features":[168]},{"name":"IResourceManagerFactory","features":[168]},{"name":"IResourceManagerFactory2","features":[168]},{"name":"IResourceManagerRejoinable","features":[168]},{"name":"IResourceManagerSink","features":[168]},{"name":"ISOFLAG","features":[168]},{"name":"ISOFLAG_OPTIMISTIC","features":[168]},{"name":"ISOFLAG_READONLY","features":[168]},{"name":"ISOFLAG_RETAIN_ABORT","features":[168]},{"name":"ISOFLAG_RETAIN_ABORT_DC","features":[168]},{"name":"ISOFLAG_RETAIN_ABORT_NO","features":[168]},{"name":"ISOFLAG_RETAIN_BOTH","features":[168]},{"name":"ISOFLAG_RETAIN_COMMIT","features":[168]},{"name":"ISOFLAG_RETAIN_COMMIT_DC","features":[168]},{"name":"ISOFLAG_RETAIN_COMMIT_NO","features":[168]},{"name":"ISOFLAG_RETAIN_DONTCARE","features":[168]},{"name":"ISOFLAG_RETAIN_NONE","features":[168]},{"name":"ISOLATIONLEVEL","features":[168]},{"name":"ISOLATIONLEVEL_BROWSE","features":[168]},{"name":"ISOLATIONLEVEL_CHAOS","features":[168]},{"name":"ISOLATIONLEVEL_CURSORSTABILITY","features":[168]},{"name":"ISOLATIONLEVEL_ISOLATED","features":[168]},{"name":"ISOLATIONLEVEL_READCOMMITTED","features":[168]},{"name":"ISOLATIONLEVEL_READUNCOMMITTED","features":[168]},{"name":"ISOLATIONLEVEL_REPEATABLEREAD","features":[168]},{"name":"ISOLATIONLEVEL_SERIALIZABLE","features":[168]},{"name":"ISOLATIONLEVEL_UNSPECIFIED","features":[168]},{"name":"ITipHelper","features":[168]},{"name":"ITipPullSink","features":[168]},{"name":"ITipTransaction","features":[168]},{"name":"ITmNodeName","features":[168]},{"name":"ITransaction","features":[168]},{"name":"ITransaction2","features":[168]},{"name":"ITransactionCloner","features":[168]},{"name":"ITransactionDispenser","features":[168]},{"name":"ITransactionEnlistmentAsync","features":[168]},{"name":"ITransactionExport","features":[168]},{"name":"ITransactionExportFactory","features":[168]},{"name":"ITransactionImport","features":[168]},{"name":"ITransactionImportWhereabouts","features":[168]},{"name":"ITransactionLastEnlistmentAsync","features":[168]},{"name":"ITransactionLastResourceAsync","features":[168]},{"name":"ITransactionOptions","features":[168]},{"name":"ITransactionOutcomeEvents","features":[168]},{"name":"ITransactionPhase0EnlistmentAsync","features":[168]},{"name":"ITransactionPhase0Factory","features":[168]},{"name":"ITransactionPhase0NotifyAsync","features":[168]},{"name":"ITransactionReceiver","features":[168]},{"name":"ITransactionReceiverFactory","features":[168]},{"name":"ITransactionResource","features":[168]},{"name":"ITransactionResourceAsync","features":[168]},{"name":"ITransactionTransmitter","features":[168]},{"name":"ITransactionTransmitterFactory","features":[168]},{"name":"ITransactionVoterBallotAsync2","features":[168]},{"name":"ITransactionVoterFactory2","features":[168]},{"name":"ITransactionVoterNotifyAsync2","features":[168]},{"name":"IXAConfig","features":[168]},{"name":"IXAObtainRMInfo","features":[168]},{"name":"IXATransLookup","features":[168]},{"name":"IXATransLookup2","features":[168]},{"name":"LOCAL_APPLICATIONTYPE","features":[168]},{"name":"MAXBQUALSIZE","features":[168]},{"name":"MAXGTRIDSIZE","features":[168]},{"name":"MAXINFOSIZE","features":[168]},{"name":"MAX_TRAN_DESC","features":[168]},{"name":"MUTUAL_AUTHENTICATION_REQUIRED","features":[168]},{"name":"NO_AUTHENTICATION_REQUIRED","features":[168]},{"name":"OLE_TM_CONFIG_PARAMS_V1","features":[168]},{"name":"OLE_TM_CONFIG_PARAMS_V2","features":[168]},{"name":"OLE_TM_CONFIG_VERSION_1","features":[168]},{"name":"OLE_TM_CONFIG_VERSION_2","features":[168]},{"name":"OLE_TM_FLAG_INTERNAL_TO_TM","features":[168]},{"name":"OLE_TM_FLAG_NOAGILERECOVERY","features":[168]},{"name":"OLE_TM_FLAG_NODEMANDSTART","features":[168]},{"name":"OLE_TM_FLAG_NONE","features":[168]},{"name":"OLE_TM_FLAG_QUERY_SERVICE_LOCKSTATUS","features":[168]},{"name":"PROXY_CONFIG_PARAMS","features":[168]},{"name":"RMNAMESZ","features":[168]},{"name":"TMASYNC","features":[168]},{"name":"TMENDRSCAN","features":[168]},{"name":"TMER_INVAL","features":[168]},{"name":"TMER_PROTO","features":[168]},{"name":"TMER_TMERR","features":[168]},{"name":"TMFAIL","features":[168]},{"name":"TMJOIN","features":[168]},{"name":"TMMIGRATE","features":[168]},{"name":"TMMULTIPLE","features":[168]},{"name":"TMNOFLAGS","features":[168]},{"name":"TMNOMIGRATE","features":[168]},{"name":"TMNOWAIT","features":[168]},{"name":"TMONEPHASE","features":[168]},{"name":"TMREGISTER","features":[168]},{"name":"TMRESUME","features":[168]},{"name":"TMSTARTRSCAN","features":[168]},{"name":"TMSUCCESS","features":[168]},{"name":"TMSUSPEND","features":[168]},{"name":"TMUSEASYNC","features":[168]},{"name":"TM_JOIN","features":[168]},{"name":"TM_OK","features":[168]},{"name":"TM_RESUME","features":[168]},{"name":"TX_MISC_CONSTANTS","features":[168]},{"name":"XACTCONST","features":[168]},{"name":"XACTCONST_TIMEOUTINFINITE","features":[168]},{"name":"XACTHEURISTIC","features":[168]},{"name":"XACTHEURISTIC_ABORT","features":[168]},{"name":"XACTHEURISTIC_COMMIT","features":[168]},{"name":"XACTHEURISTIC_DAMAGE","features":[168]},{"name":"XACTHEURISTIC_DANGER","features":[168]},{"name":"XACTOPT","features":[168]},{"name":"XACTRM","features":[168]},{"name":"XACTRM_NOREADONLYPREPARES","features":[168]},{"name":"XACTRM_OPTIMISTICLASTWINS","features":[168]},{"name":"XACTSTAT","features":[168]},{"name":"XACTSTATS","features":[1,168]},{"name":"XACTSTAT_ABORTED","features":[168]},{"name":"XACTSTAT_ABORTING","features":[168]},{"name":"XACTSTAT_ALL","features":[168]},{"name":"XACTSTAT_CLOSED","features":[168]},{"name":"XACTSTAT_COMMITRETAINING","features":[168]},{"name":"XACTSTAT_COMMITTED","features":[168]},{"name":"XACTSTAT_COMMITTING","features":[168]},{"name":"XACTSTAT_FORCED_ABORT","features":[168]},{"name":"XACTSTAT_FORCED_COMMIT","features":[168]},{"name":"XACTSTAT_HEURISTIC_ABORT","features":[168]},{"name":"XACTSTAT_HEURISTIC_COMMIT","features":[168]},{"name":"XACTSTAT_HEURISTIC_DAMAGE","features":[168]},{"name":"XACTSTAT_HEURISTIC_DANGER","features":[168]},{"name":"XACTSTAT_INDOUBT","features":[168]},{"name":"XACTSTAT_NONE","features":[168]},{"name":"XACTSTAT_NOTPREPARED","features":[168]},{"name":"XACTSTAT_OPEN","features":[168]},{"name":"XACTSTAT_OPENNORMAL","features":[168]},{"name":"XACTSTAT_OPENREFUSED","features":[168]},{"name":"XACTSTAT_PREPARED","features":[168]},{"name":"XACTSTAT_PREPARERETAINED","features":[168]},{"name":"XACTSTAT_PREPARERETAINING","features":[168]},{"name":"XACTSTAT_PREPARING","features":[168]},{"name":"XACTTC","features":[168]},{"name":"XACTTC_ASYNC","features":[168]},{"name":"XACTTC_ASYNC_PHASEONE","features":[168]},{"name":"XACTTC_NONE","features":[168]},{"name":"XACTTC_SYNC","features":[168]},{"name":"XACTTC_SYNC_PHASEONE","features":[168]},{"name":"XACTTC_SYNC_PHASETWO","features":[168]},{"name":"XACTTRANSINFO","features":[168]},{"name":"XACT_DTC_CONSTANTS","features":[168]},{"name":"XACT_E_CONNECTION_REQUEST_DENIED","features":[168]},{"name":"XACT_E_DUPLICATE_GUID","features":[168]},{"name":"XACT_E_DUPLICATE_LU","features":[168]},{"name":"XACT_E_DUPLICATE_TRANSID","features":[168]},{"name":"XACT_E_LRMRECOVERYALREADYDONE","features":[168]},{"name":"XACT_E_LU_BUSY","features":[168]},{"name":"XACT_E_LU_DOWN","features":[168]},{"name":"XACT_E_LU_NOT_CONNECTED","features":[168]},{"name":"XACT_E_LU_NOT_FOUND","features":[168]},{"name":"XACT_E_LU_NO_RECOVERY_PROCESS","features":[168]},{"name":"XACT_E_LU_RECOVERING","features":[168]},{"name":"XACT_E_LU_RECOVERY_MISMATCH","features":[168]},{"name":"XACT_E_NOLASTRESOURCEINTERFACE","features":[168]},{"name":"XACT_E_NOTSINGLEPHASE","features":[168]},{"name":"XACT_E_PROTOCOL","features":[168]},{"name":"XACT_E_RECOVERYALREADYDONE","features":[168]},{"name":"XACT_E_RECOVERY_FAILED","features":[168]},{"name":"XACT_E_RM_FAILURE","features":[168]},{"name":"XACT_E_RM_UNAVAILABLE","features":[168]},{"name":"XACT_E_TOOMANY_ENLISTMENTS","features":[168]},{"name":"XACT_OK_NONOTIFY","features":[168]},{"name":"XACT_S_NONOTIFY","features":[168]},{"name":"XAER_ASYNC","features":[168]},{"name":"XAER_DUPID","features":[168]},{"name":"XAER_INVAL","features":[168]},{"name":"XAER_NOTA","features":[168]},{"name":"XAER_OUTSIDE","features":[168]},{"name":"XAER_PROTO","features":[168]},{"name":"XAER_RMERR","features":[168]},{"name":"XAER_RMFAIL","features":[168]},{"name":"XA_CLOSE_EPT","features":[168]},{"name":"XA_COMMIT_EPT","features":[168]},{"name":"XA_COMPLETE_EPT","features":[168]},{"name":"XA_END_EPT","features":[168]},{"name":"XA_FMTID_DTC","features":[168]},{"name":"XA_FMTID_DTC_VER1","features":[168]},{"name":"XA_FORGET_EPT","features":[168]},{"name":"XA_HEURCOM","features":[168]},{"name":"XA_HEURHAZ","features":[168]},{"name":"XA_HEURMIX","features":[168]},{"name":"XA_HEURRB","features":[168]},{"name":"XA_NOMIGRATE","features":[168]},{"name":"XA_OK","features":[168]},{"name":"XA_OPEN_EPT","features":[168]},{"name":"XA_PREPARE_EPT","features":[168]},{"name":"XA_RBBASE","features":[168]},{"name":"XA_RBCOMMFAIL","features":[168]},{"name":"XA_RBDEADLOCK","features":[168]},{"name":"XA_RBEND","features":[168]},{"name":"XA_RBINTEGRITY","features":[168]},{"name":"XA_RBOTHER","features":[168]},{"name":"XA_RBPROTO","features":[168]},{"name":"XA_RBROLLBACK","features":[168]},{"name":"XA_RBTIMEOUT","features":[168]},{"name":"XA_RBTRANSIENT","features":[168]},{"name":"XA_RDONLY","features":[168]},{"name":"XA_RECOVER_EPT","features":[168]},{"name":"XA_RETRY","features":[168]},{"name":"XA_ROLLBACK_EPT","features":[168]},{"name":"XA_START_EPT","features":[168]},{"name":"XA_SWITCH_F_DTC","features":[168]},{"name":"XID","features":[168]},{"name":"XIDDATASIZE","features":[168]},{"name":"dwUSER_MS_SQLSERVER","features":[168]},{"name":"xa_switch_t","features":[168]}],"561":[{"name":"CallEnclave","features":[1,169]},{"name":"CreateEnclave","features":[1,169]},{"name":"CreateEnvironmentBlock","features":[1,169]},{"name":"DeleteEnclave","features":[1,169]},{"name":"DestroyEnvironmentBlock","features":[1,169]},{"name":"ENCLAVE_FLAG_DYNAMIC_DEBUG_ACTIVE","features":[169]},{"name":"ENCLAVE_FLAG_DYNAMIC_DEBUG_ENABLED","features":[169]},{"name":"ENCLAVE_FLAG_FULL_DEBUG_ENABLED","features":[169]},{"name":"ENCLAVE_IDENTITY","features":[169]},{"name":"ENCLAVE_IDENTITY_POLICY_SEAL_EXACT_CODE","features":[169]},{"name":"ENCLAVE_IDENTITY_POLICY_SEAL_INVALID","features":[169]},{"name":"ENCLAVE_IDENTITY_POLICY_SEAL_SAME_AUTHOR","features":[169]},{"name":"ENCLAVE_IDENTITY_POLICY_SEAL_SAME_FAMILY","features":[169]},{"name":"ENCLAVE_IDENTITY_POLICY_SEAL_SAME_IMAGE","features":[169]},{"name":"ENCLAVE_IDENTITY_POLICY_SEAL_SAME_PRIMARY_CODE","features":[169]},{"name":"ENCLAVE_INFORMATION","features":[169]},{"name":"ENCLAVE_REPORT_DATA_LENGTH","features":[169]},{"name":"ENCLAVE_RUNTIME_POLICY_ALLOW_DYNAMIC_DEBUG","features":[169]},{"name":"ENCLAVE_RUNTIME_POLICY_ALLOW_FULL_DEBUG","features":[169]},{"name":"ENCLAVE_SEALING_IDENTITY_POLICY","features":[169]},{"name":"ENCLAVE_UNSEAL_FLAG_STALE_KEY","features":[169]},{"name":"ENCLAVE_VBS_BASIC_KEY_FLAG_DEBUG_KEY","features":[169]},{"name":"ENCLAVE_VBS_BASIC_KEY_FLAG_FAMILY_ID","features":[169]},{"name":"ENCLAVE_VBS_BASIC_KEY_FLAG_IMAGE_ID","features":[169]},{"name":"ENCLAVE_VBS_BASIC_KEY_FLAG_MEASUREMENT","features":[169]},{"name":"ENCLAVE_VBS_BASIC_KEY_REQUEST","features":[169]},{"name":"EnclaveGetAttestationReport","features":[169]},{"name":"EnclaveGetEnclaveInformation","features":[169]},{"name":"EnclaveSealData","features":[169]},{"name":"EnclaveUnsealData","features":[169]},{"name":"EnclaveVerifyAttestationReport","features":[169]},{"name":"ExpandEnvironmentStringsA","features":[169]},{"name":"ExpandEnvironmentStringsForUserA","features":[1,169]},{"name":"ExpandEnvironmentStringsForUserW","features":[1,169]},{"name":"ExpandEnvironmentStringsW","features":[169]},{"name":"FreeEnvironmentStringsA","features":[1,169]},{"name":"FreeEnvironmentStringsW","features":[1,169]},{"name":"GetCommandLineA","features":[169]},{"name":"GetCommandLineW","features":[169]},{"name":"GetCurrentDirectoryA","features":[169]},{"name":"GetCurrentDirectoryW","features":[169]},{"name":"GetEnvironmentStrings","features":[169]},{"name":"GetEnvironmentStringsW","features":[169]},{"name":"GetEnvironmentVariableA","features":[169]},{"name":"GetEnvironmentVariableW","features":[169]},{"name":"InitializeEnclave","features":[1,169]},{"name":"IsEnclaveTypeSupported","features":[1,169]},{"name":"LoadEnclaveData","features":[1,169]},{"name":"LoadEnclaveImageA","features":[1,169]},{"name":"LoadEnclaveImageW","features":[1,169]},{"name":"NeedCurrentDirectoryForExePathA","features":[1,169]},{"name":"NeedCurrentDirectoryForExePathW","features":[1,169]},{"name":"SetCurrentDirectoryA","features":[1,169]},{"name":"SetCurrentDirectoryW","features":[1,169]},{"name":"SetEnvironmentStringsW","features":[1,169]},{"name":"SetEnvironmentVariableA","features":[1,169]},{"name":"SetEnvironmentVariableW","features":[1,169]},{"name":"TerminateEnclave","features":[1,169]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_COMMIT_PAGES","features":[169]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_CREATE_THREAD","features":[169]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_CREATE_THREAD","features":[169]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_DECOMMIT_PAGES","features":[169]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_GENERATE_KEY","features":[169]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_GENERATE_RANDOM_DATA","features":[169]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_GENERATE_REPORT","features":[169]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_GET_ENCLAVE_INFORMATION","features":[169]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_INTERRUPT_THREAD","features":[169]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_INTERRUPT_THREAD","features":[169]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_PROTECT_PAGES","features":[169]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_RETURN_FROM_ENCLAVE","features":[169]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_RETURN_FROM_EXCEPTION","features":[169]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_RETURN_FROM_EXCEPTION","features":[169]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_TERMINATE_THREAD","features":[169]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_TERMINATE_THREAD","features":[169]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_VERIFY_REPORT","features":[169]},{"name":"VBS_BASIC_ENCLAVE_EXCEPTION_AMD64","features":[169]},{"name":"VBS_BASIC_ENCLAVE_SYSCALL_PAGE","features":[169]},{"name":"VBS_BASIC_ENCLAVE_THREAD_DESCRIPTOR32","features":[169]},{"name":"VBS_BASIC_ENCLAVE_THREAD_DESCRIPTOR64","features":[169]},{"name":"VBS_ENCLAVE_REPORT","features":[169]},{"name":"VBS_ENCLAVE_REPORT_MODULE","features":[169]},{"name":"VBS_ENCLAVE_REPORT_PKG_HEADER","features":[169]},{"name":"VBS_ENCLAVE_REPORT_PKG_HEADER_VERSION_CURRENT","features":[169]},{"name":"VBS_ENCLAVE_REPORT_SIGNATURE_SCHEME_SHA256_RSA_PSS_SHA256","features":[169]},{"name":"VBS_ENCLAVE_REPORT_VARDATA_HEADER","features":[169]},{"name":"VBS_ENCLAVE_REPORT_VERSION_CURRENT","features":[169]},{"name":"VBS_ENCLAVE_VARDATA_INVALID","features":[169]},{"name":"VBS_ENCLAVE_VARDATA_MODULE","features":[169]}],"562":[{"name":"APPCRASH_EVENT","features":[170]},{"name":"AddERExcludedApplicationA","features":[1,170]},{"name":"AddERExcludedApplicationW","features":[1,170]},{"name":"EFaultRepRetVal","features":[170]},{"name":"E_STORE_INVALID","features":[170]},{"name":"E_STORE_MACHINE_ARCHIVE","features":[170]},{"name":"E_STORE_MACHINE_QUEUE","features":[170]},{"name":"E_STORE_USER_ARCHIVE","features":[170]},{"name":"E_STORE_USER_QUEUE","features":[170]},{"name":"HREPORT","features":[170]},{"name":"HREPORTSTORE","features":[170]},{"name":"PACKAGED_APPCRASH_EVENT","features":[170]},{"name":"PFN_WER_RUNTIME_EXCEPTION_DEBUGGER_LAUNCH","features":[1,30,170,7]},{"name":"PFN_WER_RUNTIME_EXCEPTION_EVENT","features":[1,30,170,7]},{"name":"PFN_WER_RUNTIME_EXCEPTION_EVENT_SIGNATURE","features":[1,30,170,7]},{"name":"REPORT_STORE_TYPES","features":[170]},{"name":"ReportFault","features":[1,30,170,7]},{"name":"WER_CONSENT","features":[170]},{"name":"WER_DUMP_AUXILIARY","features":[170]},{"name":"WER_DUMP_CUSTOM_OPTIONS","features":[1,170]},{"name":"WER_DUMP_CUSTOM_OPTIONS_V2","features":[1,170]},{"name":"WER_DUMP_CUSTOM_OPTIONS_V3","features":[1,170]},{"name":"WER_DUMP_MASK_START","features":[170]},{"name":"WER_DUMP_NOHEAP_ONQUEUE","features":[170]},{"name":"WER_DUMP_TYPE","features":[170]},{"name":"WER_EXCEPTION_INFORMATION","features":[1,30,170,7]},{"name":"WER_FAULT_REPORTING","features":[170]},{"name":"WER_FAULT_REPORTING_ALWAYS_SHOW_UI","features":[170]},{"name":"WER_FAULT_REPORTING_CRITICAL","features":[170]},{"name":"WER_FAULT_REPORTING_DISABLE_SNAPSHOT_CRASH","features":[170]},{"name":"WER_FAULT_REPORTING_DISABLE_SNAPSHOT_HANG","features":[170]},{"name":"WER_FAULT_REPORTING_DURABLE","features":[170]},{"name":"WER_FAULT_REPORTING_FLAG_DISABLE_THREAD_SUSPENSION","features":[170]},{"name":"WER_FAULT_REPORTING_FLAG_NOHEAP","features":[170]},{"name":"WER_FAULT_REPORTING_FLAG_NO_HEAP_ON_QUEUE","features":[170]},{"name":"WER_FAULT_REPORTING_FLAG_QUEUE","features":[170]},{"name":"WER_FAULT_REPORTING_FLAG_QUEUE_UPLOAD","features":[170]},{"name":"WER_FAULT_REPORTING_NO_UI","features":[170]},{"name":"WER_FILE","features":[170]},{"name":"WER_FILE_ANONYMOUS_DATA","features":[170]},{"name":"WER_FILE_COMPRESSED","features":[170]},{"name":"WER_FILE_DELETE_WHEN_DONE","features":[170]},{"name":"WER_FILE_TYPE","features":[170]},{"name":"WER_MAX_APPLICATION_NAME_LENGTH","features":[170]},{"name":"WER_MAX_BUCKET_ID_STRING_LENGTH","features":[170]},{"name":"WER_MAX_DESCRIPTION_LENGTH","features":[170]},{"name":"WER_MAX_EVENT_NAME_LENGTH","features":[170]},{"name":"WER_MAX_FRIENDLY_EVENT_NAME_LENGTH","features":[170]},{"name":"WER_MAX_LOCAL_DUMP_SUBPATH_LENGTH","features":[170]},{"name":"WER_MAX_PARAM_COUNT","features":[170]},{"name":"WER_MAX_PARAM_LENGTH","features":[170]},{"name":"WER_MAX_PREFERRED_MODULES","features":[170]},{"name":"WER_MAX_PREFERRED_MODULES_BUFFER","features":[170]},{"name":"WER_MAX_REGISTERED_DUMPCOLLECTION","features":[170]},{"name":"WER_MAX_REGISTERED_ENTRIES","features":[170]},{"name":"WER_MAX_REGISTERED_METADATA","features":[170]},{"name":"WER_MAX_REGISTERED_RUNTIME_EXCEPTION_MODULES","features":[170]},{"name":"WER_MAX_SIGNATURE_NAME_LENGTH","features":[170]},{"name":"WER_MAX_TOTAL_PARAM_LENGTH","features":[170]},{"name":"WER_METADATA_KEY_MAX_LENGTH","features":[170]},{"name":"WER_METADATA_VALUE_MAX_LENGTH","features":[170]},{"name":"WER_P0","features":[170]},{"name":"WER_P1","features":[170]},{"name":"WER_P2","features":[170]},{"name":"WER_P3","features":[170]},{"name":"WER_P4","features":[170]},{"name":"WER_P5","features":[170]},{"name":"WER_P6","features":[170]},{"name":"WER_P7","features":[170]},{"name":"WER_P8","features":[170]},{"name":"WER_P9","features":[170]},{"name":"WER_REGISTER_FILE_TYPE","features":[170]},{"name":"WER_REPORT_INFORMATION","features":[1,170]},{"name":"WER_REPORT_INFORMATION_V3","features":[1,170]},{"name":"WER_REPORT_INFORMATION_V4","features":[1,170]},{"name":"WER_REPORT_INFORMATION_V5","features":[1,170]},{"name":"WER_REPORT_METADATA_V1","features":[1,170]},{"name":"WER_REPORT_METADATA_V2","features":[1,170]},{"name":"WER_REPORT_METADATA_V3","features":[1,170]},{"name":"WER_REPORT_PARAMETER","features":[170]},{"name":"WER_REPORT_SIGNATURE","features":[170]},{"name":"WER_REPORT_TYPE","features":[170]},{"name":"WER_REPORT_UI","features":[170]},{"name":"WER_RUNTIME_EXCEPTION_DEBUGGER_LAUNCH","features":[170]},{"name":"WER_RUNTIME_EXCEPTION_EVENT_FUNCTION","features":[170]},{"name":"WER_RUNTIME_EXCEPTION_EVENT_SIGNATURE_FUNCTION","features":[170]},{"name":"WER_RUNTIME_EXCEPTION_INFORMATION","features":[1,30,170,7]},{"name":"WER_SUBMIT_ADD_REGISTERED_DATA","features":[170]},{"name":"WER_SUBMIT_ARCHIVE_PARAMETERS_ONLY","features":[170]},{"name":"WER_SUBMIT_BYPASS_DATA_THROTTLING","features":[170]},{"name":"WER_SUBMIT_BYPASS_NETWORK_COST_THROTTLING","features":[170]},{"name":"WER_SUBMIT_BYPASS_POWER_THROTTLING","features":[170]},{"name":"WER_SUBMIT_FLAGS","features":[170]},{"name":"WER_SUBMIT_HONOR_RECOVERY","features":[170]},{"name":"WER_SUBMIT_HONOR_RESTART","features":[170]},{"name":"WER_SUBMIT_NO_ARCHIVE","features":[170]},{"name":"WER_SUBMIT_NO_CLOSE_UI","features":[170]},{"name":"WER_SUBMIT_NO_QUEUE","features":[170]},{"name":"WER_SUBMIT_OUTOFPROCESS","features":[170]},{"name":"WER_SUBMIT_OUTOFPROCESS_ASYNC","features":[170]},{"name":"WER_SUBMIT_QUEUE","features":[170]},{"name":"WER_SUBMIT_REPORT_MACHINE_ID","features":[170]},{"name":"WER_SUBMIT_RESULT","features":[170]},{"name":"WER_SUBMIT_SHOW_DEBUG","features":[170]},{"name":"WER_SUBMIT_START_MINIMIZED","features":[170]},{"name":"WerAddExcludedApplication","features":[1,170]},{"name":"WerConsentAlwaysPrompt","features":[170]},{"name":"WerConsentApproved","features":[170]},{"name":"WerConsentDenied","features":[170]},{"name":"WerConsentMax","features":[170]},{"name":"WerConsentNotAsked","features":[170]},{"name":"WerCustomAction","features":[170]},{"name":"WerDisabled","features":[170]},{"name":"WerDisabledQueue","features":[170]},{"name":"WerDumpTypeHeapDump","features":[170]},{"name":"WerDumpTypeMax","features":[170]},{"name":"WerDumpTypeMicroDump","features":[170]},{"name":"WerDumpTypeMiniDump","features":[170]},{"name":"WerDumpTypeNone","features":[170]},{"name":"WerDumpTypeTriageDump","features":[170]},{"name":"WerFileTypeAuxiliaryDump","features":[170]},{"name":"WerFileTypeCustomDump","features":[170]},{"name":"WerFileTypeEtlTrace","features":[170]},{"name":"WerFileTypeHeapdump","features":[170]},{"name":"WerFileTypeMax","features":[170]},{"name":"WerFileTypeMicrodump","features":[170]},{"name":"WerFileTypeMinidump","features":[170]},{"name":"WerFileTypeOther","features":[170]},{"name":"WerFileTypeTriagedump","features":[170]},{"name":"WerFileTypeUserDocument","features":[170]},{"name":"WerFreeString","features":[170]},{"name":"WerGetFlags","features":[1,170]},{"name":"WerRegFileTypeMax","features":[170]},{"name":"WerRegFileTypeOther","features":[170]},{"name":"WerRegFileTypeUserDocument","features":[170]},{"name":"WerRegisterAdditionalProcess","features":[170]},{"name":"WerRegisterAppLocalDump","features":[170]},{"name":"WerRegisterCustomMetadata","features":[170]},{"name":"WerRegisterExcludedMemoryBlock","features":[170]},{"name":"WerRegisterFile","features":[170]},{"name":"WerRegisterMemoryBlock","features":[170]},{"name":"WerRegisterRuntimeExceptionModule","features":[170]},{"name":"WerRemoveExcludedApplication","features":[1,170]},{"name":"WerReportAddDump","features":[1,30,170,7]},{"name":"WerReportAddFile","features":[170]},{"name":"WerReportApplicationCrash","features":[170]},{"name":"WerReportApplicationHang","features":[170]},{"name":"WerReportAsync","features":[170]},{"name":"WerReportCancelled","features":[170]},{"name":"WerReportCloseHandle","features":[170]},{"name":"WerReportCreate","features":[1,170]},{"name":"WerReportCritical","features":[170]},{"name":"WerReportDebug","features":[170]},{"name":"WerReportFailed","features":[170]},{"name":"WerReportHang","features":[1,170]},{"name":"WerReportInvalid","features":[170]},{"name":"WerReportKernel","features":[170]},{"name":"WerReportNonCritical","features":[170]},{"name":"WerReportQueued","features":[170]},{"name":"WerReportSetParameter","features":[170]},{"name":"WerReportSetUIOption","features":[170]},{"name":"WerReportSubmit","features":[170]},{"name":"WerReportUploaded","features":[170]},{"name":"WerReportUploadedCab","features":[170]},{"name":"WerSetFlags","features":[170]},{"name":"WerStorageLocationNotFound","features":[170]},{"name":"WerStoreClose","features":[170]},{"name":"WerStoreGetFirstReportKey","features":[170]},{"name":"WerStoreGetNextReportKey","features":[170]},{"name":"WerStoreGetReportCount","features":[170]},{"name":"WerStoreGetSizeOnDisk","features":[170]},{"name":"WerStoreOpen","features":[170]},{"name":"WerStorePurge","features":[170]},{"name":"WerStoreQueryReportMetadataV1","features":[1,170]},{"name":"WerStoreQueryReportMetadataV2","features":[1,170]},{"name":"WerStoreQueryReportMetadataV3","features":[1,170]},{"name":"WerStoreUploadReport","features":[170]},{"name":"WerSubmitResultMax","features":[170]},{"name":"WerThrottled","features":[170]},{"name":"WerUIAdditionalDataDlgHeader","features":[170]},{"name":"WerUICloseDlgBody","features":[170]},{"name":"WerUICloseDlgButtonText","features":[170]},{"name":"WerUICloseDlgHeader","features":[170]},{"name":"WerUICloseText","features":[170]},{"name":"WerUIConsentDlgBody","features":[170]},{"name":"WerUIConsentDlgHeader","features":[170]},{"name":"WerUIIconFilePath","features":[170]},{"name":"WerUIMax","features":[170]},{"name":"WerUIOfflineSolutionCheckText","features":[170]},{"name":"WerUIOnlineSolutionCheckText","features":[170]},{"name":"WerUnregisterAdditionalProcess","features":[170]},{"name":"WerUnregisterAppLocalDump","features":[170]},{"name":"WerUnregisterCustomMetadata","features":[170]},{"name":"WerUnregisterExcludedMemoryBlock","features":[170]},{"name":"WerUnregisterFile","features":[170]},{"name":"WerUnregisterMemoryBlock","features":[170]},{"name":"WerUnregisterRuntimeExceptionModule","features":[170]},{"name":"frrvErr","features":[170]},{"name":"frrvErrAnotherInstance","features":[170]},{"name":"frrvErrDoubleFault","features":[170]},{"name":"frrvErrNoDW","features":[170]},{"name":"frrvErrNoMemory","features":[170]},{"name":"frrvErrTimeout","features":[170]},{"name":"frrvLaunchDebugger","features":[170]},{"name":"frrvOk","features":[170]},{"name":"frrvOkHeadless","features":[170]},{"name":"frrvOkManifest","features":[170]},{"name":"frrvOkQueued","features":[170]},{"name":"pfn_ADDEREXCLUDEDAPPLICATIONA","features":[170]},{"name":"pfn_ADDEREXCLUDEDAPPLICATIONW","features":[170]},{"name":"pfn_REPORTFAULT","features":[1,30,170,7]}],"563":[{"name":"EC_CREATE_NEW","features":[171]},{"name":"EC_OPEN_ALWAYS","features":[171]},{"name":"EC_OPEN_EXISTING","features":[171]},{"name":"EC_READ_ACCESS","features":[171]},{"name":"EC_SUBSCRIPTION_CONFIGURATION_MODE","features":[171]},{"name":"EC_SUBSCRIPTION_CONTENT_FORMAT","features":[171]},{"name":"EC_SUBSCRIPTION_CREDENTIALS_TYPE","features":[171]},{"name":"EC_SUBSCRIPTION_DELIVERY_MODE","features":[171]},{"name":"EC_SUBSCRIPTION_PROPERTY_ID","features":[171]},{"name":"EC_SUBSCRIPTION_RUNTIME_STATUS_ACTIVE_STATUS","features":[171]},{"name":"EC_SUBSCRIPTION_RUNTIME_STATUS_INFO_ID","features":[171]},{"name":"EC_SUBSCRIPTION_TYPE","features":[171]},{"name":"EC_VARIANT","features":[1,171]},{"name":"EC_VARIANT_TYPE","features":[171]},{"name":"EC_VARIANT_TYPE_ARRAY","features":[171]},{"name":"EC_VARIANT_TYPE_MASK","features":[171]},{"name":"EC_WRITE_ACCESS","features":[171]},{"name":"EcClose","features":[1,171]},{"name":"EcConfigurationModeCustom","features":[171]},{"name":"EcConfigurationModeMinBandwidth","features":[171]},{"name":"EcConfigurationModeMinLatency","features":[171]},{"name":"EcConfigurationModeNormal","features":[171]},{"name":"EcContentFormatEvents","features":[171]},{"name":"EcContentFormatRenderedText","features":[171]},{"name":"EcDeleteSubscription","features":[1,171]},{"name":"EcDeliveryModePull","features":[171]},{"name":"EcDeliveryModePush","features":[171]},{"name":"EcEnumNextSubscription","features":[1,171]},{"name":"EcGetObjectArrayProperty","features":[1,171]},{"name":"EcGetObjectArraySize","features":[1,171]},{"name":"EcGetSubscriptionProperty","features":[1,171]},{"name":"EcGetSubscriptionRunTimeStatus","features":[1,171]},{"name":"EcInsertObjectArrayElement","features":[1,171]},{"name":"EcOpenSubscription","features":[171]},{"name":"EcOpenSubscriptionEnum","features":[171]},{"name":"EcRemoveObjectArrayElement","features":[1,171]},{"name":"EcRetrySubscription","features":[1,171]},{"name":"EcRuntimeStatusActiveStatusActive","features":[171]},{"name":"EcRuntimeStatusActiveStatusDisabled","features":[171]},{"name":"EcRuntimeStatusActiveStatusInactive","features":[171]},{"name":"EcRuntimeStatusActiveStatusTrying","features":[171]},{"name":"EcSaveSubscription","features":[1,171]},{"name":"EcSetObjectArrayProperty","features":[1,171]},{"name":"EcSetSubscriptionProperty","features":[1,171]},{"name":"EcSubscriptionAllowedIssuerCAs","features":[171]},{"name":"EcSubscriptionAllowedSourceDomainComputers","features":[171]},{"name":"EcSubscriptionAllowedSubjects","features":[171]},{"name":"EcSubscriptionCommonPassword","features":[171]},{"name":"EcSubscriptionCommonUserName","features":[171]},{"name":"EcSubscriptionConfigurationMode","features":[171]},{"name":"EcSubscriptionContentFormat","features":[171]},{"name":"EcSubscriptionCredBasic","features":[171]},{"name":"EcSubscriptionCredDefault","features":[171]},{"name":"EcSubscriptionCredDigest","features":[171]},{"name":"EcSubscriptionCredLocalMachine","features":[171]},{"name":"EcSubscriptionCredNegotiate","features":[171]},{"name":"EcSubscriptionCredentialsType","features":[171]},{"name":"EcSubscriptionDeliveryMaxItems","features":[171]},{"name":"EcSubscriptionDeliveryMaxLatencyTime","features":[171]},{"name":"EcSubscriptionDeliveryMode","features":[171]},{"name":"EcSubscriptionDeniedSubjects","features":[171]},{"name":"EcSubscriptionDescription","features":[171]},{"name":"EcSubscriptionDialect","features":[171]},{"name":"EcSubscriptionEnabled","features":[171]},{"name":"EcSubscriptionEventSourceAddress","features":[171]},{"name":"EcSubscriptionEventSourceEnabled","features":[171]},{"name":"EcSubscriptionEventSourcePassword","features":[171]},{"name":"EcSubscriptionEventSourceUserName","features":[171]},{"name":"EcSubscriptionEventSources","features":[171]},{"name":"EcSubscriptionExpires","features":[171]},{"name":"EcSubscriptionHeartbeatInterval","features":[171]},{"name":"EcSubscriptionHostName","features":[171]},{"name":"EcSubscriptionLocale","features":[171]},{"name":"EcSubscriptionLogFile","features":[171]},{"name":"EcSubscriptionPropertyIdEND","features":[171]},{"name":"EcSubscriptionPublisherName","features":[171]},{"name":"EcSubscriptionQuery","features":[171]},{"name":"EcSubscriptionReadExistingEvents","features":[171]},{"name":"EcSubscriptionRunTimeStatusActive","features":[171]},{"name":"EcSubscriptionRunTimeStatusEventSources","features":[171]},{"name":"EcSubscriptionRunTimeStatusInfoIdEND","features":[171]},{"name":"EcSubscriptionRunTimeStatusLastError","features":[171]},{"name":"EcSubscriptionRunTimeStatusLastErrorMessage","features":[171]},{"name":"EcSubscriptionRunTimeStatusLastErrorTime","features":[171]},{"name":"EcSubscriptionRunTimeStatusLastHeartbeatTime","features":[171]},{"name":"EcSubscriptionRunTimeStatusNextRetryTime","features":[171]},{"name":"EcSubscriptionTransportName","features":[171]},{"name":"EcSubscriptionTransportPort","features":[171]},{"name":"EcSubscriptionType","features":[171]},{"name":"EcSubscriptionTypeCollectorInitiated","features":[171]},{"name":"EcSubscriptionTypeSourceInitiated","features":[171]},{"name":"EcSubscriptionURI","features":[171]},{"name":"EcVarObjectArrayPropertyHandle","features":[171]},{"name":"EcVarTypeBoolean","features":[171]},{"name":"EcVarTypeDateTime","features":[171]},{"name":"EcVarTypeNull","features":[171]},{"name":"EcVarTypeString","features":[171]},{"name":"EcVarTypeUInt32","features":[171]}],"564":[{"name":"BackupEventLogA","features":[1,172]},{"name":"BackupEventLogW","features":[1,172]},{"name":"ClearEventLogA","features":[1,172]},{"name":"ClearEventLogW","features":[1,172]},{"name":"CloseEventLog","features":[1,172]},{"name":"DeregisterEventSource","features":[1,172]},{"name":"EVENTLOGRECORD","features":[172]},{"name":"EVENTLOG_AUDIT_FAILURE","features":[172]},{"name":"EVENTLOG_AUDIT_SUCCESS","features":[172]},{"name":"EVENTLOG_ERROR_TYPE","features":[172]},{"name":"EVENTLOG_FULL_INFORMATION","features":[172]},{"name":"EVENTLOG_INFORMATION_TYPE","features":[172]},{"name":"EVENTLOG_SEEK_READ","features":[172]},{"name":"EVENTLOG_SEQUENTIAL_READ","features":[172]},{"name":"EVENTLOG_SUCCESS","features":[172]},{"name":"EVENTLOG_WARNING_TYPE","features":[172]},{"name":"EVENTSFORLOGFILE","features":[172]},{"name":"EVT_ALL_ACCESS","features":[172]},{"name":"EVT_CHANNEL_CLOCK_TYPE","features":[172]},{"name":"EVT_CHANNEL_CONFIG_PROPERTY_ID","features":[172]},{"name":"EVT_CHANNEL_ISOLATION_TYPE","features":[172]},{"name":"EVT_CHANNEL_REFERENCE_FLAGS","features":[172]},{"name":"EVT_CHANNEL_SID_TYPE","features":[172]},{"name":"EVT_CHANNEL_TYPE","features":[172]},{"name":"EVT_CLEAR_ACCESS","features":[172]},{"name":"EVT_EVENT_METADATA_PROPERTY_ID","features":[172]},{"name":"EVT_EVENT_PROPERTY_ID","features":[172]},{"name":"EVT_EXPORTLOG_FLAGS","features":[172]},{"name":"EVT_FORMAT_MESSAGE_FLAGS","features":[172]},{"name":"EVT_HANDLE","features":[172]},{"name":"EVT_LOGIN_CLASS","features":[172]},{"name":"EVT_LOG_PROPERTY_ID","features":[172]},{"name":"EVT_OPEN_LOG_FLAGS","features":[172]},{"name":"EVT_PUBLISHER_METADATA_PROPERTY_ID","features":[172]},{"name":"EVT_QUERY_FLAGS","features":[172]},{"name":"EVT_QUERY_PROPERTY_ID","features":[172]},{"name":"EVT_READ_ACCESS","features":[172]},{"name":"EVT_RENDER_CONTEXT_FLAGS","features":[172]},{"name":"EVT_RENDER_FLAGS","features":[172]},{"name":"EVT_RPC_LOGIN","features":[172]},{"name":"EVT_RPC_LOGIN_FLAGS","features":[172]},{"name":"EVT_SEEK_FLAGS","features":[172]},{"name":"EVT_SUBSCRIBE_CALLBACK","features":[172]},{"name":"EVT_SUBSCRIBE_FLAGS","features":[172]},{"name":"EVT_SUBSCRIBE_NOTIFY_ACTION","features":[172]},{"name":"EVT_SYSTEM_PROPERTY_ID","features":[172]},{"name":"EVT_VARIANT","features":[1,172]},{"name":"EVT_VARIANT_TYPE","features":[172]},{"name":"EVT_VARIANT_TYPE_ARRAY","features":[172]},{"name":"EVT_VARIANT_TYPE_MASK","features":[172]},{"name":"EVT_WRITE_ACCESS","features":[172]},{"name":"EventMetadataEventChannel","features":[172]},{"name":"EventMetadataEventID","features":[172]},{"name":"EventMetadataEventKeyword","features":[172]},{"name":"EventMetadataEventLevel","features":[172]},{"name":"EventMetadataEventMessageID","features":[172]},{"name":"EventMetadataEventOpcode","features":[172]},{"name":"EventMetadataEventTask","features":[172]},{"name":"EventMetadataEventTemplate","features":[172]},{"name":"EventMetadataEventVersion","features":[172]},{"name":"EvtArchiveExportedLog","features":[1,172]},{"name":"EvtCancel","features":[1,172]},{"name":"EvtChannelClockTypeQPC","features":[172]},{"name":"EvtChannelClockTypeSystemTime","features":[172]},{"name":"EvtChannelConfigAccess","features":[172]},{"name":"EvtChannelConfigClassicEventlog","features":[172]},{"name":"EvtChannelConfigEnabled","features":[172]},{"name":"EvtChannelConfigIsolation","features":[172]},{"name":"EvtChannelConfigOwningPublisher","features":[172]},{"name":"EvtChannelConfigPropertyIdEND","features":[172]},{"name":"EvtChannelConfigType","features":[172]},{"name":"EvtChannelIsolationTypeApplication","features":[172]},{"name":"EvtChannelIsolationTypeCustom","features":[172]},{"name":"EvtChannelIsolationTypeSystem","features":[172]},{"name":"EvtChannelLoggingConfigAutoBackup","features":[172]},{"name":"EvtChannelLoggingConfigLogFilePath","features":[172]},{"name":"EvtChannelLoggingConfigMaxSize","features":[172]},{"name":"EvtChannelLoggingConfigRetention","features":[172]},{"name":"EvtChannelPublisherList","features":[172]},{"name":"EvtChannelPublishingConfigBufferSize","features":[172]},{"name":"EvtChannelPublishingConfigClockType","features":[172]},{"name":"EvtChannelPublishingConfigControlGuid","features":[172]},{"name":"EvtChannelPublishingConfigFileMax","features":[172]},{"name":"EvtChannelPublishingConfigKeywords","features":[172]},{"name":"EvtChannelPublishingConfigLatency","features":[172]},{"name":"EvtChannelPublishingConfigLevel","features":[172]},{"name":"EvtChannelPublishingConfigMaxBuffers","features":[172]},{"name":"EvtChannelPublishingConfigMinBuffers","features":[172]},{"name":"EvtChannelPublishingConfigSidType","features":[172]},{"name":"EvtChannelReferenceImported","features":[172]},{"name":"EvtChannelSidTypeNone","features":[172]},{"name":"EvtChannelSidTypePublishing","features":[172]},{"name":"EvtChannelTypeAdmin","features":[172]},{"name":"EvtChannelTypeAnalytic","features":[172]},{"name":"EvtChannelTypeDebug","features":[172]},{"name":"EvtChannelTypeOperational","features":[172]},{"name":"EvtClearLog","features":[1,172]},{"name":"EvtClose","features":[1,172]},{"name":"EvtCreateBookmark","features":[172]},{"name":"EvtCreateRenderContext","features":[172]},{"name":"EvtEventMetadataPropertyIdEND","features":[172]},{"name":"EvtEventPath","features":[172]},{"name":"EvtEventPropertyIdEND","features":[172]},{"name":"EvtEventQueryIDs","features":[172]},{"name":"EvtExportLog","features":[1,172]},{"name":"EvtExportLogChannelPath","features":[172]},{"name":"EvtExportLogFilePath","features":[172]},{"name":"EvtExportLogOverwrite","features":[172]},{"name":"EvtExportLogTolerateQueryErrors","features":[172]},{"name":"EvtFormatMessage","features":[1,172]},{"name":"EvtFormatMessageChannel","features":[172]},{"name":"EvtFormatMessageEvent","features":[172]},{"name":"EvtFormatMessageId","features":[172]},{"name":"EvtFormatMessageKeyword","features":[172]},{"name":"EvtFormatMessageLevel","features":[172]},{"name":"EvtFormatMessageOpcode","features":[172]},{"name":"EvtFormatMessageProvider","features":[172]},{"name":"EvtFormatMessageTask","features":[172]},{"name":"EvtFormatMessageXml","features":[172]},{"name":"EvtGetChannelConfigProperty","features":[1,172]},{"name":"EvtGetEventInfo","features":[1,172]},{"name":"EvtGetEventMetadataProperty","features":[1,172]},{"name":"EvtGetExtendedStatus","features":[172]},{"name":"EvtGetLogInfo","features":[1,172]},{"name":"EvtGetObjectArrayProperty","features":[1,172]},{"name":"EvtGetObjectArraySize","features":[1,172]},{"name":"EvtGetPublisherMetadataProperty","features":[1,172]},{"name":"EvtGetQueryInfo","features":[1,172]},{"name":"EvtLogAttributes","features":[172]},{"name":"EvtLogCreationTime","features":[172]},{"name":"EvtLogFileSize","features":[172]},{"name":"EvtLogFull","features":[172]},{"name":"EvtLogLastAccessTime","features":[172]},{"name":"EvtLogLastWriteTime","features":[172]},{"name":"EvtLogNumberOfLogRecords","features":[172]},{"name":"EvtLogOldestRecordNumber","features":[172]},{"name":"EvtNext","features":[1,172]},{"name":"EvtNextChannelPath","features":[1,172]},{"name":"EvtNextEventMetadata","features":[172]},{"name":"EvtNextPublisherId","features":[1,172]},{"name":"EvtOpenChannelConfig","features":[172]},{"name":"EvtOpenChannelEnum","features":[172]},{"name":"EvtOpenChannelPath","features":[172]},{"name":"EvtOpenEventMetadataEnum","features":[172]},{"name":"EvtOpenFilePath","features":[172]},{"name":"EvtOpenLog","features":[172]},{"name":"EvtOpenPublisherEnum","features":[172]},{"name":"EvtOpenPublisherMetadata","features":[172]},{"name":"EvtOpenSession","features":[172]},{"name":"EvtPublisherMetadataChannelReferenceFlags","features":[172]},{"name":"EvtPublisherMetadataChannelReferenceID","features":[172]},{"name":"EvtPublisherMetadataChannelReferenceIndex","features":[172]},{"name":"EvtPublisherMetadataChannelReferenceMessageID","features":[172]},{"name":"EvtPublisherMetadataChannelReferencePath","features":[172]},{"name":"EvtPublisherMetadataChannelReferences","features":[172]},{"name":"EvtPublisherMetadataHelpLink","features":[172]},{"name":"EvtPublisherMetadataKeywordMessageID","features":[172]},{"name":"EvtPublisherMetadataKeywordName","features":[172]},{"name":"EvtPublisherMetadataKeywordValue","features":[172]},{"name":"EvtPublisherMetadataKeywords","features":[172]},{"name":"EvtPublisherMetadataLevelMessageID","features":[172]},{"name":"EvtPublisherMetadataLevelName","features":[172]},{"name":"EvtPublisherMetadataLevelValue","features":[172]},{"name":"EvtPublisherMetadataLevels","features":[172]},{"name":"EvtPublisherMetadataMessageFilePath","features":[172]},{"name":"EvtPublisherMetadataOpcodeMessageID","features":[172]},{"name":"EvtPublisherMetadataOpcodeName","features":[172]},{"name":"EvtPublisherMetadataOpcodeValue","features":[172]},{"name":"EvtPublisherMetadataOpcodes","features":[172]},{"name":"EvtPublisherMetadataParameterFilePath","features":[172]},{"name":"EvtPublisherMetadataPropertyIdEND","features":[172]},{"name":"EvtPublisherMetadataPublisherGuid","features":[172]},{"name":"EvtPublisherMetadataPublisherMessageID","features":[172]},{"name":"EvtPublisherMetadataResourceFilePath","features":[172]},{"name":"EvtPublisherMetadataTaskEventGuid","features":[172]},{"name":"EvtPublisherMetadataTaskMessageID","features":[172]},{"name":"EvtPublisherMetadataTaskName","features":[172]},{"name":"EvtPublisherMetadataTaskValue","features":[172]},{"name":"EvtPublisherMetadataTasks","features":[172]},{"name":"EvtQuery","features":[172]},{"name":"EvtQueryChannelPath","features":[172]},{"name":"EvtQueryFilePath","features":[172]},{"name":"EvtQueryForwardDirection","features":[172]},{"name":"EvtQueryNames","features":[172]},{"name":"EvtQueryPropertyIdEND","features":[172]},{"name":"EvtQueryReverseDirection","features":[172]},{"name":"EvtQueryStatuses","features":[172]},{"name":"EvtQueryTolerateQueryErrors","features":[172]},{"name":"EvtRender","features":[1,172]},{"name":"EvtRenderBookmark","features":[172]},{"name":"EvtRenderContextSystem","features":[172]},{"name":"EvtRenderContextUser","features":[172]},{"name":"EvtRenderContextValues","features":[172]},{"name":"EvtRenderEventValues","features":[172]},{"name":"EvtRenderEventXml","features":[172]},{"name":"EvtRpcLogin","features":[172]},{"name":"EvtRpcLoginAuthDefault","features":[172]},{"name":"EvtRpcLoginAuthKerberos","features":[172]},{"name":"EvtRpcLoginAuthNTLM","features":[172]},{"name":"EvtRpcLoginAuthNegotiate","features":[172]},{"name":"EvtSaveChannelConfig","features":[1,172]},{"name":"EvtSeek","features":[1,172]},{"name":"EvtSeekOriginMask","features":[172]},{"name":"EvtSeekRelativeToBookmark","features":[172]},{"name":"EvtSeekRelativeToCurrent","features":[172]},{"name":"EvtSeekRelativeToFirst","features":[172]},{"name":"EvtSeekRelativeToLast","features":[172]},{"name":"EvtSeekStrict","features":[172]},{"name":"EvtSetChannelConfigProperty","features":[1,172]},{"name":"EvtSubscribe","features":[1,172]},{"name":"EvtSubscribeActionDeliver","features":[172]},{"name":"EvtSubscribeActionError","features":[172]},{"name":"EvtSubscribeOriginMask","features":[172]},{"name":"EvtSubscribeStartAfterBookmark","features":[172]},{"name":"EvtSubscribeStartAtOldestRecord","features":[172]},{"name":"EvtSubscribeStrict","features":[172]},{"name":"EvtSubscribeToFutureEvents","features":[172]},{"name":"EvtSubscribeTolerateQueryErrors","features":[172]},{"name":"EvtSystemActivityID","features":[172]},{"name":"EvtSystemChannel","features":[172]},{"name":"EvtSystemComputer","features":[172]},{"name":"EvtSystemEventID","features":[172]},{"name":"EvtSystemEventRecordId","features":[172]},{"name":"EvtSystemKeywords","features":[172]},{"name":"EvtSystemLevel","features":[172]},{"name":"EvtSystemOpcode","features":[172]},{"name":"EvtSystemProcessID","features":[172]},{"name":"EvtSystemPropertyIdEND","features":[172]},{"name":"EvtSystemProviderGuid","features":[172]},{"name":"EvtSystemProviderName","features":[172]},{"name":"EvtSystemQualifiers","features":[172]},{"name":"EvtSystemRelatedActivityID","features":[172]},{"name":"EvtSystemTask","features":[172]},{"name":"EvtSystemThreadID","features":[172]},{"name":"EvtSystemTimeCreated","features":[172]},{"name":"EvtSystemUserID","features":[172]},{"name":"EvtSystemVersion","features":[172]},{"name":"EvtUpdateBookmark","features":[1,172]},{"name":"EvtVarTypeAnsiString","features":[172]},{"name":"EvtVarTypeBinary","features":[172]},{"name":"EvtVarTypeBoolean","features":[172]},{"name":"EvtVarTypeByte","features":[172]},{"name":"EvtVarTypeDouble","features":[172]},{"name":"EvtVarTypeEvtHandle","features":[172]},{"name":"EvtVarTypeEvtXml","features":[172]},{"name":"EvtVarTypeFileTime","features":[172]},{"name":"EvtVarTypeGuid","features":[172]},{"name":"EvtVarTypeHexInt32","features":[172]},{"name":"EvtVarTypeHexInt64","features":[172]},{"name":"EvtVarTypeInt16","features":[172]},{"name":"EvtVarTypeInt32","features":[172]},{"name":"EvtVarTypeInt64","features":[172]},{"name":"EvtVarTypeNull","features":[172]},{"name":"EvtVarTypeSByte","features":[172]},{"name":"EvtVarTypeSid","features":[172]},{"name":"EvtVarTypeSingle","features":[172]},{"name":"EvtVarTypeSizeT","features":[172]},{"name":"EvtVarTypeString","features":[172]},{"name":"EvtVarTypeSysTime","features":[172]},{"name":"EvtVarTypeUInt16","features":[172]},{"name":"EvtVarTypeUInt32","features":[172]},{"name":"EvtVarTypeUInt64","features":[172]},{"name":"GetEventLogInformation","features":[1,172]},{"name":"GetNumberOfEventLogRecords","features":[1,172]},{"name":"GetOldestEventLogRecord","features":[1,172]},{"name":"NotifyChangeEventLog","features":[1,172]},{"name":"OpenBackupEventLogA","features":[1,172]},{"name":"OpenBackupEventLogW","features":[1,172]},{"name":"OpenEventLogA","features":[1,172]},{"name":"OpenEventLogW","features":[1,172]},{"name":"READ_EVENT_LOG_READ_FLAGS","features":[172]},{"name":"REPORT_EVENT_TYPE","features":[172]},{"name":"ReadEventLogA","features":[1,172]},{"name":"ReadEventLogW","features":[1,172]},{"name":"RegisterEventSourceA","features":[1,172]},{"name":"RegisterEventSourceW","features":[1,172]},{"name":"ReportEventA","features":[1,172]},{"name":"ReportEventW","features":[1,172]}],"565":[{"name":"CONNECTION_AOL","features":[173]},{"name":"CONNECTION_LAN","features":[173]},{"name":"CONNECTION_WAN","features":[173]},{"name":"ISensLogon","features":[173]},{"name":"ISensLogon2","features":[173]},{"name":"ISensNetwork","features":[173]},{"name":"ISensOnNow","features":[173]},{"name":"IsDestinationReachableA","features":[1,173]},{"name":"IsDestinationReachableW","features":[1,173]},{"name":"IsNetworkAlive","features":[1,173]},{"name":"NETWORK_ALIVE_AOL","features":[173]},{"name":"NETWORK_ALIVE_INTERNET","features":[173]},{"name":"NETWORK_ALIVE_LAN","features":[173]},{"name":"NETWORK_ALIVE_WAN","features":[173]},{"name":"QOCINFO","features":[173]},{"name":"SENS","features":[173]},{"name":"SENSGUID_EVENTCLASS_LOGON","features":[173]},{"name":"SENSGUID_EVENTCLASS_LOGON2","features":[173]},{"name":"SENSGUID_EVENTCLASS_NETWORK","features":[173]},{"name":"SENSGUID_EVENTCLASS_ONNOW","features":[173]},{"name":"SENSGUID_PUBLISHER","features":[173]},{"name":"SENSGUID_SUBSCRIBER_LCE","features":[173]},{"name":"SENSGUID_SUBSCRIBER_WININET","features":[173]},{"name":"SENS_CONNECTION_TYPE","features":[173]},{"name":"SENS_QOCINFO","features":[173]}],"566":[{"name":"ABSENT","features":[174]},{"name":"ADMXCOMMENTS_EXTENSION_GUID","features":[174]},{"name":"APPNAME","features":[174]},{"name":"APPSTATE","features":[174]},{"name":"ASSIGNED","features":[174]},{"name":"BrowseForGPO","features":[1,174]},{"name":"CLSID_GPESnapIn","features":[174]},{"name":"CLSID_GroupPolicyObject","features":[174]},{"name":"CLSID_RSOPSnapIn","features":[174]},{"name":"COMCLASS","features":[174]},{"name":"CommandLineFromMsiDescriptor","features":[174]},{"name":"CreateGPOLink","features":[1,174]},{"name":"DeleteAllGPOLinks","features":[174]},{"name":"DeleteGPOLink","features":[174]},{"name":"EnterCriticalPolicySection","features":[1,174]},{"name":"ExportRSoPData","features":[174]},{"name":"FILEEXT","features":[174]},{"name":"FLAG_ASSUME_COMP_WQLFILTER_TRUE","features":[174]},{"name":"FLAG_ASSUME_SLOW_LINK","features":[174]},{"name":"FLAG_ASSUME_USER_WQLFILTER_TRUE","features":[174]},{"name":"FLAG_FORCE_CREATENAMESPACE","features":[174]},{"name":"FLAG_LOOPBACK_MERGE","features":[174]},{"name":"FLAG_LOOPBACK_REPLACE","features":[174]},{"name":"FLAG_NO_COMPUTER","features":[174]},{"name":"FLAG_NO_CSE_INVOKE","features":[174]},{"name":"FLAG_NO_GPO_FILTER","features":[174]},{"name":"FLAG_NO_USER","features":[174]},{"name":"FLAG_PLANNING_MODE","features":[174]},{"name":"FreeGPOListA","features":[1,174]},{"name":"FreeGPOListW","features":[1,174]},{"name":"GPC_BLOCK_POLICY","features":[174]},{"name":"GPHintDomain","features":[174]},{"name":"GPHintMachine","features":[174]},{"name":"GPHintOrganizationalUnit","features":[174]},{"name":"GPHintSite","features":[174]},{"name":"GPHintUnknown","features":[174]},{"name":"GPLinkDomain","features":[174]},{"name":"GPLinkMachine","features":[174]},{"name":"GPLinkOrganizationalUnit","features":[174]},{"name":"GPLinkSite","features":[174]},{"name":"GPLinkUnknown","features":[174]},{"name":"GPM","features":[174]},{"name":"GPMAsyncCancel","features":[174]},{"name":"GPMBackup","features":[174]},{"name":"GPMBackupCollection","features":[174]},{"name":"GPMBackupDir","features":[174]},{"name":"GPMBackupDirEx","features":[174]},{"name":"GPMBackupType","features":[174]},{"name":"GPMCSECollection","features":[174]},{"name":"GPMClientSideExtension","features":[174]},{"name":"GPMConstants","features":[174]},{"name":"GPMDestinationOption","features":[174]},{"name":"GPMDomain","features":[174]},{"name":"GPMEntryType","features":[174]},{"name":"GPMGPO","features":[174]},{"name":"GPMGPOCollection","features":[174]},{"name":"GPMGPOLink","features":[174]},{"name":"GPMGPOLinksCollection","features":[174]},{"name":"GPMMapEntry","features":[174]},{"name":"GPMMapEntryCollection","features":[174]},{"name":"GPMMigrationTable","features":[174]},{"name":"GPMPermission","features":[174]},{"name":"GPMPermissionType","features":[174]},{"name":"GPMRSOP","features":[174]},{"name":"GPMRSOPMode","features":[174]},{"name":"GPMReportType","features":[174]},{"name":"GPMReportingOptions","features":[174]},{"name":"GPMResult","features":[174]},{"name":"GPMSOM","features":[174]},{"name":"GPMSOMCollection","features":[174]},{"name":"GPMSOMType","features":[174]},{"name":"GPMSearchCriteria","features":[174]},{"name":"GPMSearchOperation","features":[174]},{"name":"GPMSearchProperty","features":[174]},{"name":"GPMSecurityInfo","features":[174]},{"name":"GPMSitesContainer","features":[174]},{"name":"GPMStarterGPOBackup","features":[174]},{"name":"GPMStarterGPOBackupCollection","features":[174]},{"name":"GPMStarterGPOCollection","features":[174]},{"name":"GPMStarterGPOType","features":[174]},{"name":"GPMStatusMessage","features":[174]},{"name":"GPMStatusMsgCollection","features":[174]},{"name":"GPMTemplate","features":[174]},{"name":"GPMTrustee","features":[174]},{"name":"GPMWMIFilter","features":[174]},{"name":"GPMWMIFilterCollection","features":[174]},{"name":"GPM_DONOTUSE_W2KDC","features":[174]},{"name":"GPM_DONOT_VALIDATEDC","features":[174]},{"name":"GPM_MIGRATIONTABLE_ONLY","features":[174]},{"name":"GPM_PROCESS_SECURITY","features":[174]},{"name":"GPM_USE_ANYDC","features":[174]},{"name":"GPM_USE_PDC","features":[174]},{"name":"GPOBROWSEINFO","features":[1,174]},{"name":"GPOTypeDS","features":[174]},{"name":"GPOTypeLocal","features":[174]},{"name":"GPOTypeLocalGroup","features":[174]},{"name":"GPOTypeLocalUser","features":[174]},{"name":"GPOTypeRemote","features":[174]},{"name":"GPO_BROWSE_DISABLENEW","features":[174]},{"name":"GPO_BROWSE_INITTOALL","features":[174]},{"name":"GPO_BROWSE_NOCOMPUTERS","features":[174]},{"name":"GPO_BROWSE_NODSGPOS","features":[174]},{"name":"GPO_BROWSE_NOUSERGPOS","features":[174]},{"name":"GPO_BROWSE_OPENBUTTON","features":[174]},{"name":"GPO_BROWSE_SENDAPPLYONEDIT","features":[174]},{"name":"GPO_FLAG_DISABLE","features":[174]},{"name":"GPO_FLAG_FORCE","features":[174]},{"name":"GPO_INFO_FLAG_ASYNC_FOREGROUND","features":[174]},{"name":"GPO_INFO_FLAG_BACKGROUND","features":[174]},{"name":"GPO_INFO_FLAG_FORCED_REFRESH","features":[174]},{"name":"GPO_INFO_FLAG_LINKTRANSITION","features":[174]},{"name":"GPO_INFO_FLAG_LOGRSOP_TRANSITION","features":[174]},{"name":"GPO_INFO_FLAG_MACHINE","features":[174]},{"name":"GPO_INFO_FLAG_NOCHANGES","features":[174]},{"name":"GPO_INFO_FLAG_SAFEMODE_BOOT","features":[174]},{"name":"GPO_INFO_FLAG_SLOWLINK","features":[174]},{"name":"GPO_INFO_FLAG_VERBOSE","features":[174]},{"name":"GPO_LINK","features":[174]},{"name":"GPO_LIST_FLAG_MACHINE","features":[174]},{"name":"GPO_LIST_FLAG_NO_SECURITYFILTERS","features":[174]},{"name":"GPO_LIST_FLAG_NO_WMIFILTERS","features":[174]},{"name":"GPO_LIST_FLAG_SITEONLY","features":[174]},{"name":"GPO_OPEN_FLAGS","features":[174]},{"name":"GPO_OPEN_LOAD_REGISTRY","features":[174]},{"name":"GPO_OPEN_READ_ONLY","features":[174]},{"name":"GPO_OPTIONS","features":[174]},{"name":"GPO_OPTION_DISABLE_MACHINE","features":[174]},{"name":"GPO_OPTION_DISABLE_USER","features":[174]},{"name":"GPO_SECTION","features":[174]},{"name":"GPO_SECTION_MACHINE","features":[174]},{"name":"GPO_SECTION_ROOT","features":[174]},{"name":"GPO_SECTION_USER","features":[174]},{"name":"GP_DLLNAME","features":[174]},{"name":"GP_ENABLEASYNCHRONOUSPROCESSING","features":[174]},{"name":"GP_MAXNOGPOLISTCHANGESINTERVAL","features":[174]},{"name":"GP_NOBACKGROUNDPOLICY","features":[174]},{"name":"GP_NOGPOLISTCHANGES","features":[174]},{"name":"GP_NOMACHINEPOLICY","features":[174]},{"name":"GP_NOSLOWLINK","features":[174]},{"name":"GP_NOTIFYLINKTRANSITION","features":[174]},{"name":"GP_NOUSERPOLICY","features":[174]},{"name":"GP_PERUSERLOCALSETTINGS","features":[174]},{"name":"GP_PROCESSGROUPPOLICY","features":[174]},{"name":"GP_REQUIRESSUCCESSFULREGISTRY","features":[174]},{"name":"GROUP_POLICY_HINT_TYPE","features":[174]},{"name":"GROUP_POLICY_OBJECTA","features":[1,174]},{"name":"GROUP_POLICY_OBJECTW","features":[1,174]},{"name":"GROUP_POLICY_OBJECT_TYPE","features":[174]},{"name":"GROUP_POLICY_TRIGGER_EVENT_PROVIDER_GUID","features":[174]},{"name":"GenerateGPNotification","features":[1,174]},{"name":"GetAppliedGPOListA","features":[1,174]},{"name":"GetAppliedGPOListW","features":[1,174]},{"name":"GetGPOListA","features":[1,174]},{"name":"GetGPOListW","features":[1,174]},{"name":"GetLocalManagedApplicationData","features":[174]},{"name":"GetLocalManagedApplications","features":[1,174]},{"name":"GetManagedApplicationCategories","features":[174,109]},{"name":"GetManagedApplications","features":[1,174]},{"name":"IGPEInformation","features":[174]},{"name":"IGPM","features":[174]},{"name":"IGPM2","features":[174]},{"name":"IGPMAsyncCancel","features":[174]},{"name":"IGPMAsyncProgress","features":[174]},{"name":"IGPMBackup","features":[174]},{"name":"IGPMBackupCollection","features":[174]},{"name":"IGPMBackupDir","features":[174]},{"name":"IGPMBackupDirEx","features":[174]},{"name":"IGPMCSECollection","features":[174]},{"name":"IGPMClientSideExtension","features":[174]},{"name":"IGPMConstants","features":[174]},{"name":"IGPMConstants2","features":[174]},{"name":"IGPMDomain","features":[174]},{"name":"IGPMDomain2","features":[174]},{"name":"IGPMDomain3","features":[174]},{"name":"IGPMGPO","features":[174]},{"name":"IGPMGPO2","features":[174]},{"name":"IGPMGPO3","features":[174]},{"name":"IGPMGPOCollection","features":[174]},{"name":"IGPMGPOLink","features":[174]},{"name":"IGPMGPOLinksCollection","features":[174]},{"name":"IGPMMapEntry","features":[174]},{"name":"IGPMMapEntryCollection","features":[174]},{"name":"IGPMMigrationTable","features":[174]},{"name":"IGPMPermission","features":[174]},{"name":"IGPMRSOP","features":[174]},{"name":"IGPMResult","features":[174]},{"name":"IGPMSOM","features":[174]},{"name":"IGPMSOMCollection","features":[174]},{"name":"IGPMSearchCriteria","features":[174]},{"name":"IGPMSecurityInfo","features":[174]},{"name":"IGPMSitesContainer","features":[174]},{"name":"IGPMStarterGPO","features":[174]},{"name":"IGPMStarterGPOBackup","features":[174]},{"name":"IGPMStarterGPOBackupCollection","features":[174]},{"name":"IGPMStarterGPOCollection","features":[174]},{"name":"IGPMStatusMessage","features":[174]},{"name":"IGPMStatusMsgCollection","features":[174]},{"name":"IGPMTrustee","features":[174]},{"name":"IGPMWMIFilter","features":[174]},{"name":"IGPMWMIFilterCollection","features":[174]},{"name":"IGroupPolicyObject","features":[174]},{"name":"INSTALLDATA","features":[174]},{"name":"INSTALLSPEC","features":[174]},{"name":"INSTALLSPECTYPE","features":[174]},{"name":"IRSOPInformation","features":[174]},{"name":"ImportRSoPData","features":[174]},{"name":"InstallApplication","features":[174]},{"name":"LOCALMANAGEDAPPLICATION","features":[174]},{"name":"LOCALSTATE_ASSIGNED","features":[174]},{"name":"LOCALSTATE_ORPHANED","features":[174]},{"name":"LOCALSTATE_POLICYREMOVE_ORPHAN","features":[174]},{"name":"LOCALSTATE_POLICYREMOVE_UNINSTALL","features":[174]},{"name":"LOCALSTATE_PUBLISHED","features":[174]},{"name":"LOCALSTATE_UNINSTALLED","features":[174]},{"name":"LOCALSTATE_UNINSTALL_UNMANAGED","features":[174]},{"name":"LeaveCriticalPolicySection","features":[1,174]},{"name":"MACHINE_POLICY_PRESENT_TRIGGER_GUID","features":[174]},{"name":"MANAGEDAPPLICATION","features":[1,174]},{"name":"MANAGED_APPS_FROMCATEGORY","features":[174]},{"name":"MANAGED_APPS_INFOLEVEL_DEFAULT","features":[174]},{"name":"MANAGED_APPS_USERAPPLICATIONS","features":[174]},{"name":"MANAGED_APPTYPE_SETUPEXE","features":[174]},{"name":"MANAGED_APPTYPE_UNSUPPORTED","features":[174]},{"name":"MANAGED_APPTYPE_WINDOWSINSTALLER","features":[174]},{"name":"NODEID_Machine","features":[174]},{"name":"NODEID_MachineSWSettings","features":[174]},{"name":"NODEID_RSOPMachine","features":[174]},{"name":"NODEID_RSOPMachineSWSettings","features":[174]},{"name":"NODEID_RSOPUser","features":[174]},{"name":"NODEID_RSOPUserSWSettings","features":[174]},{"name":"NODEID_User","features":[174]},{"name":"NODEID_UserSWSettings","features":[174]},{"name":"PFNGENERATEGROUPPOLICY","features":[1,41,174]},{"name":"PFNPROCESSGROUPPOLICY","features":[1,174,49]},{"name":"PFNPROCESSGROUPPOLICYEX","features":[1,174,49]},{"name":"PFNSTATUSMESSAGECALLBACK","features":[1,174]},{"name":"PI_APPLYPOLICY","features":[174]},{"name":"PI_NOUI","features":[174]},{"name":"POLICYSETTINGSTATUSINFO","features":[1,174]},{"name":"PROGID","features":[174]},{"name":"PT_MANDATORY","features":[174]},{"name":"PT_ROAMING","features":[174]},{"name":"PT_ROAMING_PREEXISTING","features":[174]},{"name":"PT_TEMPORARY","features":[174]},{"name":"PUBLISHED","features":[174]},{"name":"ProcessGroupPolicyCompleted","features":[174]},{"name":"ProcessGroupPolicyCompletedEx","features":[174]},{"name":"REGISTRY_EXTENSION_GUID","features":[174]},{"name":"RP_FORCE","features":[174]},{"name":"RP_SYNC","features":[174]},{"name":"RSOPApplied","features":[174]},{"name":"RSOPFailed","features":[174]},{"name":"RSOPIgnored","features":[174]},{"name":"RSOPSubsettingFailed","features":[174]},{"name":"RSOPUnspecified","features":[174]},{"name":"RSOP_COMPUTER_ACCESS_DENIED","features":[174]},{"name":"RSOP_INFO_FLAG_DIAGNOSTIC_MODE","features":[174]},{"name":"RSOP_NO_COMPUTER","features":[174]},{"name":"RSOP_NO_USER","features":[174]},{"name":"RSOP_PLANNING_ASSUME_COMP_WQLFILTER_TRUE","features":[174]},{"name":"RSOP_PLANNING_ASSUME_LOOPBACK_MERGE","features":[174]},{"name":"RSOP_PLANNING_ASSUME_LOOPBACK_REPLACE","features":[174]},{"name":"RSOP_PLANNING_ASSUME_SLOW_LINK","features":[174]},{"name":"RSOP_PLANNING_ASSUME_USER_WQLFILTER_TRUE","features":[174]},{"name":"RSOP_TARGET","features":[1,41,174]},{"name":"RSOP_TEMPNAMESPACE_EXISTS","features":[174]},{"name":"RSOP_USER_ACCESS_DENIED","features":[174]},{"name":"RefreshPolicy","features":[1,174]},{"name":"RefreshPolicyEx","features":[1,174]},{"name":"RegisterGPNotification","features":[1,174]},{"name":"RsopAccessCheckByType","features":[1,4,174]},{"name":"RsopFileAccessCheck","features":[1,174]},{"name":"RsopResetPolicySettingStatus","features":[174]},{"name":"RsopSetPolicySettingStatus","features":[1,174]},{"name":"SETTINGSTATUS","features":[174]},{"name":"USER_POLICY_PRESENT_TRIGGER_GUID","features":[174]},{"name":"UninstallApplication","features":[174]},{"name":"UnregisterGPNotification","features":[1,174]},{"name":"backupMostRecent","features":[174]},{"name":"gpoComputerExtensions","features":[174]},{"name":"gpoDisplayName","features":[174]},{"name":"gpoDomain","features":[174]},{"name":"gpoEffectivePermissions","features":[174]},{"name":"gpoID","features":[174]},{"name":"gpoPermissions","features":[174]},{"name":"gpoUserExtensions","features":[174]},{"name":"gpoWMIFilter","features":[174]},{"name":"opContains","features":[174]},{"name":"opDestinationByRelativeName","features":[174]},{"name":"opDestinationNone","features":[174]},{"name":"opDestinationSameAsSource","features":[174]},{"name":"opDestinationSet","features":[174]},{"name":"opEquals","features":[174]},{"name":"opNotContains","features":[174]},{"name":"opNotEquals","features":[174]},{"name":"opReportComments","features":[174]},{"name":"opReportLegacy","features":[174]},{"name":"permGPOApply","features":[174]},{"name":"permGPOCustom","features":[174]},{"name":"permGPOEdit","features":[174]},{"name":"permGPOEditSecurityAndDelete","features":[174]},{"name":"permGPORead","features":[174]},{"name":"permSOMGPOCreate","features":[174]},{"name":"permSOMLink","features":[174]},{"name":"permSOMLogging","features":[174]},{"name":"permSOMPlanning","features":[174]},{"name":"permSOMStarterGPOCreate","features":[174]},{"name":"permSOMWMICreate","features":[174]},{"name":"permSOMWMIFullControl","features":[174]},{"name":"permStarterGPOCustom","features":[174]},{"name":"permStarterGPOEdit","features":[174]},{"name":"permStarterGPOFullControl","features":[174]},{"name":"permStarterGPORead","features":[174]},{"name":"permWMIFilterCustom","features":[174]},{"name":"permWMIFilterEdit","features":[174]},{"name":"permWMIFilterFullControl","features":[174]},{"name":"repClientHealthRefreshXML","features":[174]},{"name":"repClientHealthXML","features":[174]},{"name":"repHTML","features":[174]},{"name":"repInfraRefreshXML","features":[174]},{"name":"repInfraXML","features":[174]},{"name":"repXML","features":[174]},{"name":"rsopLogging","features":[174]},{"name":"rsopPlanning","features":[174]},{"name":"rsopUnknown","features":[174]},{"name":"somDomain","features":[174]},{"name":"somLinks","features":[174]},{"name":"somOU","features":[174]},{"name":"somSite","features":[174]},{"name":"starterGPODisplayName","features":[174]},{"name":"starterGPODomain","features":[174]},{"name":"starterGPOEffectivePermissions","features":[174]},{"name":"starterGPOID","features":[174]},{"name":"starterGPOPermissions","features":[174]},{"name":"typeComputer","features":[174]},{"name":"typeCustom","features":[174]},{"name":"typeGPO","features":[174]},{"name":"typeGlobalGroup","features":[174]},{"name":"typeLocalGroup","features":[174]},{"name":"typeStarterGPO","features":[174]},{"name":"typeSystem","features":[174]},{"name":"typeUNCPath","features":[174]},{"name":"typeUniversalGroup","features":[174]},{"name":"typeUnknown","features":[174]},{"name":"typeUser","features":[174]}],"567":[{"name":"HCS_CALLBACK","features":[175]}],"568":[{"name":"HCN_NOTIFICATIONS","features":[176]},{"name":"HCN_NOTIFICATION_CALLBACK","features":[176]},{"name":"HCN_PORT_ACCESS","features":[176]},{"name":"HCN_PORT_ACCESS_EXCLUSIVE","features":[176]},{"name":"HCN_PORT_ACCESS_SHARED","features":[176]},{"name":"HCN_PORT_PROTOCOL","features":[176]},{"name":"HCN_PORT_PROTOCOL_BOTH","features":[176]},{"name":"HCN_PORT_PROTOCOL_TCP","features":[176]},{"name":"HCN_PORT_PROTOCOL_UDP","features":[176]},{"name":"HCN_PORT_RANGE_ENTRY","features":[176]},{"name":"HCN_PORT_RANGE_RESERVATION","features":[176]},{"name":"HcnCloseEndpoint","features":[176]},{"name":"HcnCloseGuestNetworkService","features":[176]},{"name":"HcnCloseLoadBalancer","features":[176]},{"name":"HcnCloseNamespace","features":[176]},{"name":"HcnCloseNetwork","features":[176]},{"name":"HcnCreateEndpoint","features":[176]},{"name":"HcnCreateGuestNetworkService","features":[176]},{"name":"HcnCreateLoadBalancer","features":[176]},{"name":"HcnCreateNamespace","features":[176]},{"name":"HcnCreateNetwork","features":[176]},{"name":"HcnDeleteEndpoint","features":[176]},{"name":"HcnDeleteGuestNetworkService","features":[176]},{"name":"HcnDeleteLoadBalancer","features":[176]},{"name":"HcnDeleteNamespace","features":[176]},{"name":"HcnDeleteNetwork","features":[176]},{"name":"HcnEnumerateEndpoints","features":[176]},{"name":"HcnEnumerateGuestNetworkPortReservations","features":[176]},{"name":"HcnEnumerateLoadBalancers","features":[176]},{"name":"HcnEnumerateNamespaces","features":[176]},{"name":"HcnEnumerateNetworks","features":[176]},{"name":"HcnFreeGuestNetworkPortReservations","features":[176]},{"name":"HcnModifyEndpoint","features":[176]},{"name":"HcnModifyGuestNetworkService","features":[176]},{"name":"HcnModifyLoadBalancer","features":[176]},{"name":"HcnModifyNamespace","features":[176]},{"name":"HcnModifyNetwork","features":[176]},{"name":"HcnNotificationFlagsReserved","features":[176]},{"name":"HcnNotificationGuestNetworkServiceCreate","features":[176]},{"name":"HcnNotificationGuestNetworkServiceDelete","features":[176]},{"name":"HcnNotificationGuestNetworkServiceInterfaceStateChanged","features":[176]},{"name":"HcnNotificationGuestNetworkServiceStateChanged","features":[176]},{"name":"HcnNotificationInvalid","features":[176]},{"name":"HcnNotificationNamespaceCreate","features":[176]},{"name":"HcnNotificationNamespaceDelete","features":[176]},{"name":"HcnNotificationNetworkCreate","features":[176]},{"name":"HcnNotificationNetworkDelete","features":[176]},{"name":"HcnNotificationNetworkEndpointAttached","features":[176]},{"name":"HcnNotificationNetworkEndpointDetached","features":[176]},{"name":"HcnNotificationNetworkPreCreate","features":[176]},{"name":"HcnNotificationNetworkPreDelete","features":[176]},{"name":"HcnNotificationServiceDisconnect","features":[176]},{"name":"HcnOpenEndpoint","features":[176]},{"name":"HcnOpenLoadBalancer","features":[176]},{"name":"HcnOpenNamespace","features":[176]},{"name":"HcnOpenNetwork","features":[176]},{"name":"HcnQueryEndpointAddresses","features":[176]},{"name":"HcnQueryEndpointProperties","features":[176]},{"name":"HcnQueryEndpointStats","features":[176]},{"name":"HcnQueryLoadBalancerProperties","features":[176]},{"name":"HcnQueryNamespaceProperties","features":[176]},{"name":"HcnQueryNetworkProperties","features":[176]},{"name":"HcnRegisterGuestNetworkServiceCallback","features":[176]},{"name":"HcnRegisterServiceCallback","features":[176]},{"name":"HcnReleaseGuestNetworkServicePortReservationHandle","features":[1,176]},{"name":"HcnReserveGuestNetworkServicePort","features":[1,176]},{"name":"HcnReserveGuestNetworkServicePortRange","features":[1,176]},{"name":"HcnUnregisterGuestNetworkServiceCallback","features":[176]},{"name":"HcnUnregisterServiceCallback","features":[176]}],"569":[{"name":"HCS_CREATE_OPTIONS","features":[177]},{"name":"HCS_CREATE_OPTIONS_1","features":[1,4,177]},{"name":"HCS_EVENT","features":[177]},{"name":"HCS_EVENT_CALLBACK","features":[177]},{"name":"HCS_EVENT_OPTIONS","features":[177]},{"name":"HCS_EVENT_TYPE","features":[177]},{"name":"HCS_NOTIFICATIONS","features":[177]},{"name":"HCS_NOTIFICATION_CALLBACK","features":[177]},{"name":"HCS_NOTIFICATION_FLAGS","features":[177]},{"name":"HCS_OPERATION","features":[177]},{"name":"HCS_OPERATION_COMPLETION","features":[177]},{"name":"HCS_OPERATION_OPTIONS","features":[177]},{"name":"HCS_OPERATION_TYPE","features":[177]},{"name":"HCS_PROCESS","features":[177]},{"name":"HCS_PROCESS_INFORMATION","features":[1,177]},{"name":"HCS_RESOURCE_TYPE","features":[177]},{"name":"HCS_SYSTEM","features":[177]},{"name":"HcsAddResourceToOperation","features":[1,177]},{"name":"HcsAttachLayerStorageFilter","features":[177]},{"name":"HcsCancelOperation","features":[177]},{"name":"HcsCloseComputeSystem","features":[177]},{"name":"HcsCloseOperation","features":[177]},{"name":"HcsCloseProcess","features":[177]},{"name":"HcsCrashComputeSystem","features":[177]},{"name":"HcsCreateComputeSystem","features":[1,4,177]},{"name":"HcsCreateComputeSystemInNamespace","features":[177]},{"name":"HcsCreateEmptyGuestStateFile","features":[177]},{"name":"HcsCreateEmptyRuntimeStateFile","features":[177]},{"name":"HcsCreateOperation","features":[177]},{"name":"HcsCreateOperationWithNotifications","features":[177]},{"name":"HcsCreateOptions_1","features":[177]},{"name":"HcsCreateProcess","features":[1,4,177]},{"name":"HcsDestroyLayer","features":[177]},{"name":"HcsDetachLayerStorageFilter","features":[177]},{"name":"HcsEnumerateComputeSystems","features":[177]},{"name":"HcsEnumerateComputeSystemsInNamespace","features":[177]},{"name":"HcsEventGroupOperationInfo","features":[177]},{"name":"HcsEventGroupVmLifecycle","features":[177]},{"name":"HcsEventInvalid","features":[177]},{"name":"HcsEventOperationCallback","features":[177]},{"name":"HcsEventOptionEnableOperationCallbacks","features":[177]},{"name":"HcsEventOptionEnableVmLifecycle","features":[177]},{"name":"HcsEventOptionNone","features":[177]},{"name":"HcsEventProcessExited","features":[177]},{"name":"HcsEventServiceDisconnect","features":[177]},{"name":"HcsEventSystemCrashInitiated","features":[177]},{"name":"HcsEventSystemCrashReport","features":[177]},{"name":"HcsEventSystemExited","features":[177]},{"name":"HcsEventSystemGuestConnectionClosed","features":[177]},{"name":"HcsEventSystemRdpEnhancedModeStateChanged","features":[177]},{"name":"HcsEventSystemSiloJobCreated","features":[177]},{"name":"HcsExportLayer","features":[177]},{"name":"HcsExportLegacyWritableLayer","features":[177]},{"name":"HcsFormatWritableLayerVhd","features":[1,177]},{"name":"HcsGetComputeSystemFromOperation","features":[177]},{"name":"HcsGetComputeSystemProperties","features":[177]},{"name":"HcsGetLayerVhdMountPath","features":[1,177]},{"name":"HcsGetOperationContext","features":[177]},{"name":"HcsGetOperationId","features":[177]},{"name":"HcsGetOperationResult","features":[177]},{"name":"HcsGetOperationResultAndProcessInfo","features":[1,177]},{"name":"HcsGetOperationType","features":[177]},{"name":"HcsGetProcessFromOperation","features":[177]},{"name":"HcsGetProcessInfo","features":[177]},{"name":"HcsGetProcessProperties","features":[177]},{"name":"HcsGetProcessorCompatibilityFromSavedState","features":[177]},{"name":"HcsGetServiceProperties","features":[177]},{"name":"HcsGrantVmAccess","features":[177]},{"name":"HcsGrantVmGroupAccess","features":[177]},{"name":"HcsImportLayer","features":[177]},{"name":"HcsInitializeLegacyWritableLayer","features":[177]},{"name":"HcsInitializeWritableLayer","features":[177]},{"name":"HcsModifyComputeSystem","features":[1,177]},{"name":"HcsModifyProcess","features":[177]},{"name":"HcsModifyServiceSettings","features":[177]},{"name":"HcsNotificationFlagFailure","features":[177]},{"name":"HcsNotificationFlagSuccess","features":[177]},{"name":"HcsNotificationFlagsReserved","features":[177]},{"name":"HcsNotificationInvalid","features":[177]},{"name":"HcsNotificationOperationProgressUpdate","features":[177]},{"name":"HcsNotificationProcessExited","features":[177]},{"name":"HcsNotificationServiceDisconnect","features":[177]},{"name":"HcsNotificationSystemCrashInitiated","features":[177]},{"name":"HcsNotificationSystemCrashReport","features":[177]},{"name":"HcsNotificationSystemCreateCompleted","features":[177]},{"name":"HcsNotificationSystemExited","features":[177]},{"name":"HcsNotificationSystemGetPropertiesCompleted","features":[177]},{"name":"HcsNotificationSystemGuestConnectionClosed","features":[177]},{"name":"HcsNotificationSystemModifyCompleted","features":[177]},{"name":"HcsNotificationSystemOperationCompletion","features":[177]},{"name":"HcsNotificationSystemPassThru","features":[177]},{"name":"HcsNotificationSystemPauseCompleted","features":[177]},{"name":"HcsNotificationSystemRdpEnhancedModeStateChanged","features":[177]},{"name":"HcsNotificationSystemResumeCompleted","features":[177]},{"name":"HcsNotificationSystemSaveCompleted","features":[177]},{"name":"HcsNotificationSystemShutdownCompleted","features":[177]},{"name":"HcsNotificationSystemShutdownFailed","features":[177]},{"name":"HcsNotificationSystemSiloJobCreated","features":[177]},{"name":"HcsNotificationSystemStartCompleted","features":[177]},{"name":"HcsOpenComputeSystem","features":[177]},{"name":"HcsOpenComputeSystemInNamespace","features":[177]},{"name":"HcsOpenProcess","features":[177]},{"name":"HcsOperationOptionNone","features":[177]},{"name":"HcsOperationOptionProgressUpdate","features":[177]},{"name":"HcsOperationTypeCrash","features":[177]},{"name":"HcsOperationTypeCreate","features":[177]},{"name":"HcsOperationTypeCreateProcess","features":[177]},{"name":"HcsOperationTypeEnumerate","features":[177]},{"name":"HcsOperationTypeGetProcessInfo","features":[177]},{"name":"HcsOperationTypeGetProcessProperties","features":[177]},{"name":"HcsOperationTypeGetProperties","features":[177]},{"name":"HcsOperationTypeModify","features":[177]},{"name":"HcsOperationTypeModifyProcess","features":[177]},{"name":"HcsOperationTypeNone","features":[177]},{"name":"HcsOperationTypePause","features":[177]},{"name":"HcsOperationTypeResume","features":[177]},{"name":"HcsOperationTypeSave","features":[177]},{"name":"HcsOperationTypeShutdown","features":[177]},{"name":"HcsOperationTypeSignalProcess","features":[177]},{"name":"HcsOperationTypeStart","features":[177]},{"name":"HcsOperationTypeTerminate","features":[177]},{"name":"HcsPauseComputeSystem","features":[177]},{"name":"HcsResourceTypeFile","features":[177]},{"name":"HcsResourceTypeJob","features":[177]},{"name":"HcsResourceTypeNone","features":[177]},{"name":"HcsResumeComputeSystem","features":[177]},{"name":"HcsRevokeVmAccess","features":[177]},{"name":"HcsRevokeVmGroupAccess","features":[177]},{"name":"HcsSaveComputeSystem","features":[177]},{"name":"HcsSetComputeSystemCallback","features":[177]},{"name":"HcsSetOperationCallback","features":[177]},{"name":"HcsSetOperationContext","features":[177]},{"name":"HcsSetProcessCallback","features":[177]},{"name":"HcsSetupBaseOSLayer","features":[1,177]},{"name":"HcsSetupBaseOSVolume","features":[177]},{"name":"HcsShutDownComputeSystem","features":[177]},{"name":"HcsSignalProcess","features":[177]},{"name":"HcsStartComputeSystem","features":[177]},{"name":"HcsSubmitWerReport","features":[177]},{"name":"HcsTerminateComputeSystem","features":[177]},{"name":"HcsTerminateProcess","features":[177]},{"name":"HcsWaitForComputeSystemExit","features":[177]},{"name":"HcsWaitForOperationResult","features":[177]},{"name":"HcsWaitForOperationResultAndProcessInfo","features":[1,177]},{"name":"HcsWaitForProcessExit","features":[177]}],"570":[{"name":"ARM64_RegisterActlrEl1","features":[178]},{"name":"ARM64_RegisterAmairEl1","features":[178]},{"name":"ARM64_RegisterCntkctlEl1","features":[178]},{"name":"ARM64_RegisterCntvCtlEl0","features":[178]},{"name":"ARM64_RegisterCntvCvalEl0","features":[178]},{"name":"ARM64_RegisterContextIdrEl1","features":[178]},{"name":"ARM64_RegisterCpacrEl1","features":[178]},{"name":"ARM64_RegisterCpsr","features":[178]},{"name":"ARM64_RegisterCsselrEl1","features":[178]},{"name":"ARM64_RegisterElrEl1","features":[178]},{"name":"ARM64_RegisterEsrEl1","features":[178]},{"name":"ARM64_RegisterFarEl1","features":[178]},{"name":"ARM64_RegisterFpControl","features":[178]},{"name":"ARM64_RegisterFpStatus","features":[178]},{"name":"ARM64_RegisterMairEl1","features":[178]},{"name":"ARM64_RegisterMax","features":[178]},{"name":"ARM64_RegisterParEl1","features":[178]},{"name":"ARM64_RegisterPc","features":[178]},{"name":"ARM64_RegisterQ0","features":[178]},{"name":"ARM64_RegisterQ1","features":[178]},{"name":"ARM64_RegisterQ10","features":[178]},{"name":"ARM64_RegisterQ11","features":[178]},{"name":"ARM64_RegisterQ12","features":[178]},{"name":"ARM64_RegisterQ13","features":[178]},{"name":"ARM64_RegisterQ14","features":[178]},{"name":"ARM64_RegisterQ15","features":[178]},{"name":"ARM64_RegisterQ16","features":[178]},{"name":"ARM64_RegisterQ17","features":[178]},{"name":"ARM64_RegisterQ18","features":[178]},{"name":"ARM64_RegisterQ19","features":[178]},{"name":"ARM64_RegisterQ2","features":[178]},{"name":"ARM64_RegisterQ20","features":[178]},{"name":"ARM64_RegisterQ21","features":[178]},{"name":"ARM64_RegisterQ22","features":[178]},{"name":"ARM64_RegisterQ23","features":[178]},{"name":"ARM64_RegisterQ24","features":[178]},{"name":"ARM64_RegisterQ25","features":[178]},{"name":"ARM64_RegisterQ26","features":[178]},{"name":"ARM64_RegisterQ27","features":[178]},{"name":"ARM64_RegisterQ28","features":[178]},{"name":"ARM64_RegisterQ29","features":[178]},{"name":"ARM64_RegisterQ3","features":[178]},{"name":"ARM64_RegisterQ30","features":[178]},{"name":"ARM64_RegisterQ31","features":[178]},{"name":"ARM64_RegisterQ4","features":[178]},{"name":"ARM64_RegisterQ5","features":[178]},{"name":"ARM64_RegisterQ6","features":[178]},{"name":"ARM64_RegisterQ7","features":[178]},{"name":"ARM64_RegisterQ8","features":[178]},{"name":"ARM64_RegisterQ9","features":[178]},{"name":"ARM64_RegisterSctlrEl1","features":[178]},{"name":"ARM64_RegisterSpEl0","features":[178]},{"name":"ARM64_RegisterSpEl1","features":[178]},{"name":"ARM64_RegisterSpsrEl1","features":[178]},{"name":"ARM64_RegisterTcrEl1","features":[178]},{"name":"ARM64_RegisterTpidrEl0","features":[178]},{"name":"ARM64_RegisterTpidrEl1","features":[178]},{"name":"ARM64_RegisterTpidrroEl0","features":[178]},{"name":"ARM64_RegisterTtbr0El1","features":[178]},{"name":"ARM64_RegisterTtbr1El1","features":[178]},{"name":"ARM64_RegisterVbarEl1","features":[178]},{"name":"ARM64_RegisterX0","features":[178]},{"name":"ARM64_RegisterX1","features":[178]},{"name":"ARM64_RegisterX10","features":[178]},{"name":"ARM64_RegisterX11","features":[178]},{"name":"ARM64_RegisterX12","features":[178]},{"name":"ARM64_RegisterX13","features":[178]},{"name":"ARM64_RegisterX14","features":[178]},{"name":"ARM64_RegisterX15","features":[178]},{"name":"ARM64_RegisterX16","features":[178]},{"name":"ARM64_RegisterX17","features":[178]},{"name":"ARM64_RegisterX18","features":[178]},{"name":"ARM64_RegisterX19","features":[178]},{"name":"ARM64_RegisterX2","features":[178]},{"name":"ARM64_RegisterX20","features":[178]},{"name":"ARM64_RegisterX21","features":[178]},{"name":"ARM64_RegisterX22","features":[178]},{"name":"ARM64_RegisterX23","features":[178]},{"name":"ARM64_RegisterX24","features":[178]},{"name":"ARM64_RegisterX25","features":[178]},{"name":"ARM64_RegisterX26","features":[178]},{"name":"ARM64_RegisterX27","features":[178]},{"name":"ARM64_RegisterX28","features":[178]},{"name":"ARM64_RegisterX3","features":[178]},{"name":"ARM64_RegisterX4","features":[178]},{"name":"ARM64_RegisterX5","features":[178]},{"name":"ARM64_RegisterX6","features":[178]},{"name":"ARM64_RegisterX7","features":[178]},{"name":"ARM64_RegisterX8","features":[178]},{"name":"ARM64_RegisterX9","features":[178]},{"name":"ARM64_RegisterXFp","features":[178]},{"name":"ARM64_RegisterXLr","features":[178]},{"name":"ApplyGuestMemoryFix","features":[178]},{"name":"ApplyPendingSavedStateFileReplayLog","features":[178]},{"name":"Arch_Armv8","features":[178]},{"name":"Arch_Unknown","features":[178]},{"name":"Arch_x64","features":[178]},{"name":"Arch_x86","features":[178]},{"name":"CallStackUnwind","features":[178]},{"name":"DOS_IMAGE_INFO","features":[178]},{"name":"FOUND_IMAGE_CALLBACK","features":[1,178]},{"name":"FindSavedStateSymbolFieldInType","features":[1,178]},{"name":"ForceActiveVirtualTrustLevel","features":[178]},{"name":"ForceArchitecture","features":[178]},{"name":"ForceNestedHostMode","features":[1,178]},{"name":"ForcePagingMode","features":[178]},{"name":"GPA_MEMORY_CHUNK","features":[178]},{"name":"GUEST_OS_INFO","features":[178]},{"name":"GUEST_OS_MICROSOFT_IDS","features":[178]},{"name":"GUEST_OS_OPENSOURCE_IDS","features":[178]},{"name":"GUEST_OS_VENDOR","features":[178]},{"name":"GUEST_SYMBOLS_PROVIDER_DEBUG_INFO_CALLBACK","features":[178]},{"name":"GUID_DEVINTERFACE_VM_GENCOUNTER","features":[178]},{"name":"GetActiveVirtualTrustLevel","features":[178]},{"name":"GetArchitecture","features":[178]},{"name":"GetEnabledVirtualTrustLevels","features":[178]},{"name":"GetGuestEnabledVirtualTrustLevels","features":[178]},{"name":"GetGuestOsInfo","features":[178]},{"name":"GetGuestPhysicalMemoryChunks","features":[178]},{"name":"GetGuestRawSavedMemorySize","features":[178]},{"name":"GetMemoryBlockCacheLimit","features":[178]},{"name":"GetNestedVirtualizationMode","features":[1,178]},{"name":"GetPagingMode","features":[178]},{"name":"GetRegisterValue","features":[178]},{"name":"GetSavedStateSymbolFieldInfo","features":[178]},{"name":"GetSavedStateSymbolProviderHandle","features":[1,178]},{"name":"GetSavedStateSymbolTypeSize","features":[178]},{"name":"GetVpCount","features":[178]},{"name":"GuestOsMicrosoftMSDOS","features":[178]},{"name":"GuestOsMicrosoftUndefined","features":[178]},{"name":"GuestOsMicrosoftWindows3x","features":[178]},{"name":"GuestOsMicrosoftWindows9x","features":[178]},{"name":"GuestOsMicrosoftWindowsCE","features":[178]},{"name":"GuestOsMicrosoftWindowsNT","features":[178]},{"name":"GuestOsOpenSourceFreeBSD","features":[178]},{"name":"GuestOsOpenSourceIllumos","features":[178]},{"name":"GuestOsOpenSourceLinux","features":[178]},{"name":"GuestOsOpenSourceUndefined","features":[178]},{"name":"GuestOsOpenSourceXen","features":[178]},{"name":"GuestOsVendorHPE","features":[178]},{"name":"GuestOsVendorLANCOM","features":[178]},{"name":"GuestOsVendorMicrosoft","features":[178]},{"name":"GuestOsVendorUndefined","features":[178]},{"name":"GuestPhysicalAddressToRawSavedMemoryOffset","features":[178]},{"name":"GuestVirtualAddressToPhysicalAddress","features":[178]},{"name":"HDV_DEVICE_HOST_FLAGS","features":[178]},{"name":"HDV_DEVICE_TYPE","features":[178]},{"name":"HDV_DOORBELL_FLAGS","features":[178]},{"name":"HDV_DOORBELL_FLAG_TRIGGER_ANY_VALUE","features":[178]},{"name":"HDV_DOORBELL_FLAG_TRIGGER_SIZE_ANY","features":[178]},{"name":"HDV_DOORBELL_FLAG_TRIGGER_SIZE_BYTE","features":[178]},{"name":"HDV_DOORBELL_FLAG_TRIGGER_SIZE_DWORD","features":[178]},{"name":"HDV_DOORBELL_FLAG_TRIGGER_SIZE_QWORD","features":[178]},{"name":"HDV_DOORBELL_FLAG_TRIGGER_SIZE_WORD","features":[178]},{"name":"HDV_MMIO_MAPPING_FLAGS","features":[178]},{"name":"HDV_PCI_BAR0","features":[178]},{"name":"HDV_PCI_BAR1","features":[178]},{"name":"HDV_PCI_BAR2","features":[178]},{"name":"HDV_PCI_BAR3","features":[178]},{"name":"HDV_PCI_BAR4","features":[178]},{"name":"HDV_PCI_BAR5","features":[178]},{"name":"HDV_PCI_BAR_COUNT","features":[178]},{"name":"HDV_PCI_BAR_SELECTOR","features":[178]},{"name":"HDV_PCI_DEVICE_GET_DETAILS","features":[178]},{"name":"HDV_PCI_DEVICE_INITIALIZE","features":[178]},{"name":"HDV_PCI_DEVICE_INTERFACE","features":[178]},{"name":"HDV_PCI_DEVICE_SET_CONFIGURATION","features":[178]},{"name":"HDV_PCI_DEVICE_START","features":[178]},{"name":"HDV_PCI_DEVICE_STOP","features":[178]},{"name":"HDV_PCI_DEVICE_TEARDOWN","features":[178]},{"name":"HDV_PCI_INTERFACE_VERSION","features":[178]},{"name":"HDV_PCI_PNP_ID","features":[178]},{"name":"HDV_PCI_READ_CONFIG_SPACE","features":[178]},{"name":"HDV_PCI_READ_INTERCEPTED_MEMORY","features":[178]},{"name":"HDV_PCI_WRITE_CONFIG_SPACE","features":[178]},{"name":"HDV_PCI_WRITE_INTERCEPTED_MEMORY","features":[178]},{"name":"HVSOCKET_ADDRESS_FLAG_PASSTHRU","features":[178]},{"name":"HVSOCKET_ADDRESS_INFO","features":[178]},{"name":"HVSOCKET_CONNECTED_SUSPEND","features":[178]},{"name":"HVSOCKET_CONNECT_TIMEOUT","features":[178]},{"name":"HVSOCKET_CONNECT_TIMEOUT_MAX","features":[178]},{"name":"HVSOCKET_HIGH_VTL","features":[178]},{"name":"HV_GUID_BROADCAST","features":[178]},{"name":"HV_GUID_CHILDREN","features":[178]},{"name":"HV_GUID_LOOPBACK","features":[178]},{"name":"HV_GUID_PARENT","features":[178]},{"name":"HV_GUID_SILOHOST","features":[178]},{"name":"HV_GUID_VSOCK_TEMPLATE","features":[178]},{"name":"HV_GUID_ZERO","features":[178]},{"name":"HV_PROTOCOL_RAW","features":[178]},{"name":"HdvCreateDeviceInstance","features":[178]},{"name":"HdvCreateGuestMemoryAperture","features":[1,178]},{"name":"HdvCreateSectionBackedMmioRange","features":[1,178]},{"name":"HdvDeliverGuestInterrupt","features":[178]},{"name":"HdvDestroyGuestMemoryAperture","features":[178]},{"name":"HdvDestroySectionBackedMmioRange","features":[178]},{"name":"HdvDeviceHostFlagInitializeComSecurity","features":[178]},{"name":"HdvDeviceHostFlagNone","features":[178]},{"name":"HdvDeviceTypePCI","features":[178]},{"name":"HdvDeviceTypeUndefined","features":[178]},{"name":"HdvInitializeDeviceHost","features":[177,178]},{"name":"HdvInitializeDeviceHostEx","features":[177,178]},{"name":"HdvMmioMappingFlagExecutable","features":[178]},{"name":"HdvMmioMappingFlagNone","features":[178]},{"name":"HdvMmioMappingFlagWriteable","features":[178]},{"name":"HdvPciDeviceInterfaceVersion1","features":[178]},{"name":"HdvPciDeviceInterfaceVersionInvalid","features":[178]},{"name":"HdvReadGuestMemory","features":[178]},{"name":"HdvRegisterDoorbell","features":[1,178]},{"name":"HdvTeardownDeviceHost","features":[178]},{"name":"HdvUnregisterDoorbell","features":[178]},{"name":"HdvWriteGuestMemory","features":[178]},{"name":"IOCTL_VMGENCOUNTER_READ","features":[178]},{"name":"InKernelSpace","features":[1,178]},{"name":"IsActiveVirtualTrustLevelEnabled","features":[1,178]},{"name":"IsNestedVirtualizationEnabled","features":[1,178]},{"name":"LoadSavedStateFile","features":[178]},{"name":"LoadSavedStateFiles","features":[178]},{"name":"LoadSavedStateModuleSymbols","features":[178]},{"name":"LoadSavedStateModuleSymbolsEx","features":[178]},{"name":"LoadSavedStateSymbolProvider","features":[1,178]},{"name":"LocateSavedStateFiles","features":[178]},{"name":"MODULE_INFO","features":[178]},{"name":"PAGING_MODE","features":[178]},{"name":"Paging_32Bit","features":[178]},{"name":"Paging_Armv8","features":[178]},{"name":"Paging_Invalid","features":[178]},{"name":"Paging_Long","features":[178]},{"name":"Paging_NonPaged","features":[178]},{"name":"Paging_Pae","features":[178]},{"name":"ProcessorVendor_Amd","features":[178]},{"name":"ProcessorVendor_Arm","features":[178]},{"name":"ProcessorVendor_Hygon","features":[178]},{"name":"ProcessorVendor_Intel","features":[178]},{"name":"ProcessorVendor_Unknown","features":[178]},{"name":"REGISTER_ID","features":[178]},{"name":"ReadGuestPhysicalAddress","features":[178]},{"name":"ReadGuestRawSavedMemory","features":[178]},{"name":"ReadSavedStateGlobalVariable","features":[178]},{"name":"ReleaseSavedStateFiles","features":[178]},{"name":"ReleaseSavedStateSymbolProvider","features":[178]},{"name":"ResolveSavedStateGlobalVariableAddress","features":[178]},{"name":"SOCKADDR_HV","features":[15,178]},{"name":"ScanMemoryForDosImages","features":[1,178]},{"name":"SetMemoryBlockCacheLimit","features":[178]},{"name":"SetSavedStateSymbolProviderDebugInfoCallback","features":[178]},{"name":"VIRTUAL_PROCESSOR_ARCH","features":[178]},{"name":"VIRTUAL_PROCESSOR_REGISTER","features":[178]},{"name":"VIRTUAL_PROCESSOR_VENDOR","features":[178]},{"name":"VM_GENCOUNTER","features":[178]},{"name":"VM_GENCOUNTER_SYMBOLIC_LINK_NAME","features":[178]},{"name":"WHV_ACCESS_GPA_CONTROLS","features":[178]},{"name":"WHV_ADVISE_GPA_RANGE","features":[178]},{"name":"WHV_ADVISE_GPA_RANGE_CODE","features":[178]},{"name":"WHV_ADVISE_GPA_RANGE_POPULATE","features":[178]},{"name":"WHV_ADVISE_GPA_RANGE_POPULATE_FLAGS","features":[178]},{"name":"WHV_ALLOCATE_VPCI_RESOURCE_FLAGS","features":[178]},{"name":"WHV_ANY_VP","features":[178]},{"name":"WHV_CACHE_TYPE","features":[178]},{"name":"WHV_CAPABILITY","features":[1,178]},{"name":"WHV_CAPABILITY_CODE","features":[178]},{"name":"WHV_CAPABILITY_FEATURES","features":[178]},{"name":"WHV_CAPABILITY_PROCESSOR_FREQUENCY_CAP","features":[178]},{"name":"WHV_CPUID_OUTPUT","features":[178]},{"name":"WHV_CREATE_VPCI_DEVICE_FLAGS","features":[178]},{"name":"WHV_DOORBELL_MATCH_DATA","features":[178]},{"name":"WHV_EMULATOR_CALLBACKS","features":[178]},{"name":"WHV_EMULATOR_GET_VIRTUAL_PROCESSOR_REGISTERS_CALLBACK","features":[178]},{"name":"WHV_EMULATOR_IO_ACCESS_INFO","features":[178]},{"name":"WHV_EMULATOR_IO_PORT_CALLBACK","features":[178]},{"name":"WHV_EMULATOR_MEMORY_ACCESS_INFO","features":[178]},{"name":"WHV_EMULATOR_MEMORY_CALLBACK","features":[178]},{"name":"WHV_EMULATOR_SET_VIRTUAL_PROCESSOR_REGISTERS_CALLBACK","features":[178]},{"name":"WHV_EMULATOR_STATUS","features":[178]},{"name":"WHV_EMULATOR_TRANSLATE_GVA_PAGE_CALLBACK","features":[178]},{"name":"WHV_EXCEPTION_TYPE","features":[178]},{"name":"WHV_EXTENDED_VM_EXITS","features":[178]},{"name":"WHV_HYPERCALL_CONTEXT","features":[178]},{"name":"WHV_HYPERCALL_CONTEXT_MAX_XMM_REGISTERS","features":[178]},{"name":"WHV_INTERNAL_ACTIVITY_REGISTER","features":[178]},{"name":"WHV_INTERRUPT_CONTROL","features":[178]},{"name":"WHV_INTERRUPT_DESTINATION_MODE","features":[178]},{"name":"WHV_INTERRUPT_TRIGGER_MODE","features":[178]},{"name":"WHV_INTERRUPT_TYPE","features":[178]},{"name":"WHV_MAP_GPA_RANGE_FLAGS","features":[178]},{"name":"WHV_MAX_DEVICE_ID_SIZE_IN_CHARS","features":[178]},{"name":"WHV_MEMORY_ACCESS_CONTEXT","features":[178]},{"name":"WHV_MEMORY_ACCESS_INFO","features":[178]},{"name":"WHV_MEMORY_ACCESS_TYPE","features":[178]},{"name":"WHV_MEMORY_RANGE_ENTRY","features":[178]},{"name":"WHV_MSR_ACTION","features":[178]},{"name":"WHV_MSR_ACTION_ENTRY","features":[178]},{"name":"WHV_NOTIFICATION_PORT_PARAMETERS","features":[178]},{"name":"WHV_NOTIFICATION_PORT_PROPERTY_CODE","features":[178]},{"name":"WHV_NOTIFICATION_PORT_TYPE","features":[178]},{"name":"WHV_PARTITION_COUNTER_SET","features":[178]},{"name":"WHV_PARTITION_HANDLE","features":[178]},{"name":"WHV_PARTITION_MEMORY_COUNTERS","features":[178]},{"name":"WHV_PARTITION_PROPERTY","features":[1,178]},{"name":"WHV_PARTITION_PROPERTY_CODE","features":[178]},{"name":"WHV_PROCESSOR_APIC_COUNTERS","features":[178]},{"name":"WHV_PROCESSOR_COUNTER_SET","features":[178]},{"name":"WHV_PROCESSOR_EVENT_COUNTERS","features":[178]},{"name":"WHV_PROCESSOR_FEATURES","features":[178]},{"name":"WHV_PROCESSOR_FEATURES1","features":[178]},{"name":"WHV_PROCESSOR_FEATURES_BANKS","features":[178]},{"name":"WHV_PROCESSOR_FEATURES_BANKS_COUNT","features":[178]},{"name":"WHV_PROCESSOR_INTERCEPT_COUNTER","features":[178]},{"name":"WHV_PROCESSOR_INTERCEPT_COUNTERS","features":[178]},{"name":"WHV_PROCESSOR_PERFMON_FEATURES","features":[178]},{"name":"WHV_PROCESSOR_RUNTIME_COUNTERS","features":[178]},{"name":"WHV_PROCESSOR_SYNTHETIC_FEATURES_COUNTERS","features":[178]},{"name":"WHV_PROCESSOR_VENDOR","features":[178]},{"name":"WHV_PROCESSOR_XSAVE_FEATURES","features":[178]},{"name":"WHV_READ_WRITE_GPA_RANGE_MAX_SIZE","features":[178]},{"name":"WHV_REGISTER_NAME","features":[178]},{"name":"WHV_REGISTER_VALUE","features":[178]},{"name":"WHV_RUN_VP_CANCELED_CONTEXT","features":[178]},{"name":"WHV_RUN_VP_CANCEL_REASON","features":[178]},{"name":"WHV_RUN_VP_EXIT_CONTEXT","features":[178]},{"name":"WHV_RUN_VP_EXIT_REASON","features":[178]},{"name":"WHV_SCHEDULER_FEATURES","features":[178]},{"name":"WHV_SRIOV_RESOURCE_DESCRIPTOR","features":[1,178]},{"name":"WHV_SYNIC_EVENT_PARAMETERS","features":[178]},{"name":"WHV_SYNIC_MESSAGE_SIZE","features":[178]},{"name":"WHV_SYNIC_SINT_DELIVERABLE_CONTEXT","features":[178]},{"name":"WHV_SYNTHETIC_PROCESSOR_FEATURES","features":[178]},{"name":"WHV_SYNTHETIC_PROCESSOR_FEATURES_BANKS","features":[178]},{"name":"WHV_SYNTHETIC_PROCESSOR_FEATURES_BANKS_COUNT","features":[178]},{"name":"WHV_TRANSLATE_GVA_FLAGS","features":[178]},{"name":"WHV_TRANSLATE_GVA_RESULT","features":[178]},{"name":"WHV_TRANSLATE_GVA_RESULT_CODE","features":[178]},{"name":"WHV_TRIGGER_PARAMETERS","features":[178]},{"name":"WHV_TRIGGER_TYPE","features":[178]},{"name":"WHV_UINT128","features":[178]},{"name":"WHV_VIRTUAL_PROCESSOR_PROPERTY","features":[178]},{"name":"WHV_VIRTUAL_PROCESSOR_PROPERTY_CODE","features":[178]},{"name":"WHV_VIRTUAL_PROCESSOR_STATE_TYPE","features":[178]},{"name":"WHV_VPCI_DEVICE_NOTIFICATION","features":[178]},{"name":"WHV_VPCI_DEVICE_NOTIFICATION_TYPE","features":[178]},{"name":"WHV_VPCI_DEVICE_PROPERTY_CODE","features":[178]},{"name":"WHV_VPCI_DEVICE_REGISTER","features":[178]},{"name":"WHV_VPCI_DEVICE_REGISTER_SPACE","features":[178]},{"name":"WHV_VPCI_HARDWARE_IDS","features":[178]},{"name":"WHV_VPCI_INTERRUPT_TARGET","features":[178]},{"name":"WHV_VPCI_INTERRUPT_TARGET_FLAGS","features":[178]},{"name":"WHV_VPCI_MMIO_MAPPING","features":[178]},{"name":"WHV_VPCI_MMIO_RANGE_FLAGS","features":[178]},{"name":"WHV_VPCI_PROBED_BARS","features":[178]},{"name":"WHV_VPCI_TYPE0_BAR_COUNT","features":[178]},{"name":"WHV_VP_EXCEPTION_CONTEXT","features":[178]},{"name":"WHV_VP_EXCEPTION_INFO","features":[178]},{"name":"WHV_VP_EXIT_CONTEXT","features":[178]},{"name":"WHV_X64_APIC_EOI_CONTEXT","features":[178]},{"name":"WHV_X64_APIC_INIT_SIPI_CONTEXT","features":[178]},{"name":"WHV_X64_APIC_SMI_CONTEXT","features":[178]},{"name":"WHV_X64_APIC_WRITE_CONTEXT","features":[178]},{"name":"WHV_X64_APIC_WRITE_TYPE","features":[178]},{"name":"WHV_X64_CPUID_ACCESS_CONTEXT","features":[178]},{"name":"WHV_X64_CPUID_RESULT","features":[178]},{"name":"WHV_X64_CPUID_RESULT2","features":[178]},{"name":"WHV_X64_CPUID_RESULT2_FLAGS","features":[178]},{"name":"WHV_X64_DELIVERABILITY_NOTIFICATIONS_REGISTER","features":[178]},{"name":"WHV_X64_FP_CONTROL_STATUS_REGISTER","features":[178]},{"name":"WHV_X64_FP_REGISTER","features":[178]},{"name":"WHV_X64_INTERRUPTION_DELIVERABLE_CONTEXT","features":[178]},{"name":"WHV_X64_INTERRUPT_STATE_REGISTER","features":[178]},{"name":"WHV_X64_IO_PORT_ACCESS_CONTEXT","features":[178]},{"name":"WHV_X64_IO_PORT_ACCESS_INFO","features":[178]},{"name":"WHV_X64_LOCAL_APIC_EMULATION_MODE","features":[178]},{"name":"WHV_X64_MSR_ACCESS_CONTEXT","features":[178]},{"name":"WHV_X64_MSR_ACCESS_INFO","features":[178]},{"name":"WHV_X64_MSR_EXIT_BITMAP","features":[178]},{"name":"WHV_X64_PENDING_DEBUG_EXCEPTION","features":[178]},{"name":"WHV_X64_PENDING_EVENT_TYPE","features":[178]},{"name":"WHV_X64_PENDING_EXCEPTION_EVENT","features":[178]},{"name":"WHV_X64_PENDING_EXT_INT_EVENT","features":[178]},{"name":"WHV_X64_PENDING_INTERRUPTION_REGISTER","features":[178]},{"name":"WHV_X64_PENDING_INTERRUPTION_TYPE","features":[178]},{"name":"WHV_X64_RDTSC_CONTEXT","features":[178]},{"name":"WHV_X64_RDTSC_INFO","features":[178]},{"name":"WHV_X64_SEGMENT_REGISTER","features":[178]},{"name":"WHV_X64_TABLE_REGISTER","features":[178]},{"name":"WHV_X64_UNSUPPORTED_FEATURE_CODE","features":[178]},{"name":"WHV_X64_UNSUPPORTED_FEATURE_CONTEXT","features":[178]},{"name":"WHV_X64_VP_EXECUTION_STATE","features":[178]},{"name":"WHV_X64_XMM_CONTROL_STATUS_REGISTER","features":[178]},{"name":"WHvAcceptPartitionMigration","features":[1,178]},{"name":"WHvAdviseGpaRange","features":[178]},{"name":"WHvAdviseGpaRangeCodePin","features":[178]},{"name":"WHvAdviseGpaRangeCodePopulate","features":[178]},{"name":"WHvAdviseGpaRangeCodeUnpin","features":[178]},{"name":"WHvAllocateVpciResource","features":[1,178]},{"name":"WHvAllocateVpciResourceFlagAllowDirectP2P","features":[178]},{"name":"WHvAllocateVpciResourceFlagNone","features":[178]},{"name":"WHvCacheTypeUncached","features":[178]},{"name":"WHvCacheTypeWriteBack","features":[178]},{"name":"WHvCacheTypeWriteCombining","features":[178]},{"name":"WHvCacheTypeWriteThrough","features":[178]},{"name":"WHvCancelPartitionMigration","features":[178]},{"name":"WHvCancelRunVirtualProcessor","features":[178]},{"name":"WHvCapabilityCodeExceptionExitBitmap","features":[178]},{"name":"WHvCapabilityCodeExtendedVmExits","features":[178]},{"name":"WHvCapabilityCodeFeatures","features":[178]},{"name":"WHvCapabilityCodeGpaRangePopulateFlags","features":[178]},{"name":"WHvCapabilityCodeHypervisorPresent","features":[178]},{"name":"WHvCapabilityCodeInterruptClockFrequency","features":[178]},{"name":"WHvCapabilityCodeProcessorClFlushSize","features":[178]},{"name":"WHvCapabilityCodeProcessorClockFrequency","features":[178]},{"name":"WHvCapabilityCodeProcessorFeatures","features":[178]},{"name":"WHvCapabilityCodeProcessorFeaturesBanks","features":[178]},{"name":"WHvCapabilityCodeProcessorFrequencyCap","features":[178]},{"name":"WHvCapabilityCodeProcessorPerfmonFeatures","features":[178]},{"name":"WHvCapabilityCodeProcessorVendor","features":[178]},{"name":"WHvCapabilityCodeProcessorXsaveFeatures","features":[178]},{"name":"WHvCapabilityCodeSchedulerFeatures","features":[178]},{"name":"WHvCapabilityCodeSyntheticProcessorFeaturesBanks","features":[178]},{"name":"WHvCapabilityCodeX64MsrExitBitmap","features":[178]},{"name":"WHvCompletePartitionMigration","features":[178]},{"name":"WHvCreateNotificationPort","features":[1,178]},{"name":"WHvCreatePartition","features":[178]},{"name":"WHvCreateTrigger","features":[1,178]},{"name":"WHvCreateVirtualProcessor","features":[178]},{"name":"WHvCreateVirtualProcessor2","features":[178]},{"name":"WHvCreateVpciDevice","features":[1,178]},{"name":"WHvCreateVpciDeviceFlagNone","features":[178]},{"name":"WHvCreateVpciDeviceFlagPhysicallyBacked","features":[178]},{"name":"WHvCreateVpciDeviceFlagUseLogicalInterrupts","features":[178]},{"name":"WHvDeleteNotificationPort","features":[178]},{"name":"WHvDeletePartition","features":[178]},{"name":"WHvDeleteTrigger","features":[178]},{"name":"WHvDeleteVirtualProcessor","features":[178]},{"name":"WHvDeleteVpciDevice","features":[178]},{"name":"WHvEmulatorCreateEmulator","features":[178]},{"name":"WHvEmulatorDestroyEmulator","features":[178]},{"name":"WHvEmulatorTryIoEmulation","features":[178]},{"name":"WHvEmulatorTryMmioEmulation","features":[178]},{"name":"WHvGetCapability","features":[178]},{"name":"WHvGetInterruptTargetVpSet","features":[178]},{"name":"WHvGetPartitionCounters","features":[178]},{"name":"WHvGetPartitionProperty","features":[178]},{"name":"WHvGetVirtualProcessorCounters","features":[178]},{"name":"WHvGetVirtualProcessorCpuidOutput","features":[178]},{"name":"WHvGetVirtualProcessorInterruptControllerState","features":[178]},{"name":"WHvGetVirtualProcessorInterruptControllerState2","features":[178]},{"name":"WHvGetVirtualProcessorRegisters","features":[178]},{"name":"WHvGetVirtualProcessorState","features":[178]},{"name":"WHvGetVirtualProcessorXsaveState","features":[178]},{"name":"WHvGetVpciDeviceInterruptTarget","features":[178]},{"name":"WHvGetVpciDeviceNotification","features":[178]},{"name":"WHvGetVpciDeviceProperty","features":[178]},{"name":"WHvMapGpaRange","features":[178]},{"name":"WHvMapGpaRange2","features":[1,178]},{"name":"WHvMapGpaRangeFlagExecute","features":[178]},{"name":"WHvMapGpaRangeFlagNone","features":[178]},{"name":"WHvMapGpaRangeFlagRead","features":[178]},{"name":"WHvMapGpaRangeFlagTrackDirtyPages","features":[178]},{"name":"WHvMapGpaRangeFlagWrite","features":[178]},{"name":"WHvMapVpciDeviceInterrupt","features":[178]},{"name":"WHvMapVpciDeviceMmioRanges","features":[178]},{"name":"WHvMemoryAccessExecute","features":[178]},{"name":"WHvMemoryAccessRead","features":[178]},{"name":"WHvMemoryAccessWrite","features":[178]},{"name":"WHvMsrActionArchitectureDefault","features":[178]},{"name":"WHvMsrActionExit","features":[178]},{"name":"WHvMsrActionIgnoreWriteReadZero","features":[178]},{"name":"WHvNotificationPortPropertyPreferredTargetDuration","features":[178]},{"name":"WHvNotificationPortPropertyPreferredTargetVp","features":[178]},{"name":"WHvNotificationPortTypeDoorbell","features":[178]},{"name":"WHvNotificationPortTypeEvent","features":[178]},{"name":"WHvPartitionCounterSetMemory","features":[178]},{"name":"WHvPartitionPropertyCodeAllowDeviceAssignment","features":[178]},{"name":"WHvPartitionPropertyCodeApicRemoteReadSupport","features":[178]},{"name":"WHvPartitionPropertyCodeCpuCap","features":[178]},{"name":"WHvPartitionPropertyCodeCpuGroupId","features":[178]},{"name":"WHvPartitionPropertyCodeCpuReserve","features":[178]},{"name":"WHvPartitionPropertyCodeCpuWeight","features":[178]},{"name":"WHvPartitionPropertyCodeCpuidExitList","features":[178]},{"name":"WHvPartitionPropertyCodeCpuidResultList","features":[178]},{"name":"WHvPartitionPropertyCodeCpuidResultList2","features":[178]},{"name":"WHvPartitionPropertyCodeDisableSmt","features":[178]},{"name":"WHvPartitionPropertyCodeExceptionExitBitmap","features":[178]},{"name":"WHvPartitionPropertyCodeExtendedVmExits","features":[178]},{"name":"WHvPartitionPropertyCodeInterruptClockFrequency","features":[178]},{"name":"WHvPartitionPropertyCodeLocalApicEmulationMode","features":[178]},{"name":"WHvPartitionPropertyCodeMsrActionList","features":[178]},{"name":"WHvPartitionPropertyCodeNestedVirtualization","features":[178]},{"name":"WHvPartitionPropertyCodePrimaryNumaNode","features":[178]},{"name":"WHvPartitionPropertyCodeProcessorClFlushSize","features":[178]},{"name":"WHvPartitionPropertyCodeProcessorClockFrequency","features":[178]},{"name":"WHvPartitionPropertyCodeProcessorCount","features":[178]},{"name":"WHvPartitionPropertyCodeProcessorFeatures","features":[178]},{"name":"WHvPartitionPropertyCodeProcessorFeaturesBanks","features":[178]},{"name":"WHvPartitionPropertyCodeProcessorFrequencyCap","features":[178]},{"name":"WHvPartitionPropertyCodeProcessorPerfmonFeatures","features":[178]},{"name":"WHvPartitionPropertyCodeProcessorXsaveFeatures","features":[178]},{"name":"WHvPartitionPropertyCodeReferenceTime","features":[178]},{"name":"WHvPartitionPropertyCodeSeparateSecurityDomain","features":[178]},{"name":"WHvPartitionPropertyCodeSyntheticProcessorFeaturesBanks","features":[178]},{"name":"WHvPartitionPropertyCodeUnimplementedMsrAction","features":[178]},{"name":"WHvPartitionPropertyCodeX64MsrExitBitmap","features":[178]},{"name":"WHvPostVirtualProcessorSynicMessage","features":[178]},{"name":"WHvProcessorCounterSetApic","features":[178]},{"name":"WHvProcessorCounterSetEvents","features":[178]},{"name":"WHvProcessorCounterSetIntercepts","features":[178]},{"name":"WHvProcessorCounterSetRuntime","features":[178]},{"name":"WHvProcessorCounterSetSyntheticFeatures","features":[178]},{"name":"WHvProcessorVendorAmd","features":[178]},{"name":"WHvProcessorVendorHygon","features":[178]},{"name":"WHvProcessorVendorIntel","features":[178]},{"name":"WHvQueryGpaRangeDirtyBitmap","features":[178]},{"name":"WHvReadGpaRange","features":[178]},{"name":"WHvReadVpciDeviceRegister","features":[178]},{"name":"WHvRegisterEom","features":[178]},{"name":"WHvRegisterGuestOsId","features":[178]},{"name":"WHvRegisterInternalActivityState","features":[178]},{"name":"WHvRegisterInterruptState","features":[178]},{"name":"WHvRegisterPartitionDoorbellEvent","features":[1,178]},{"name":"WHvRegisterPendingEvent","features":[178]},{"name":"WHvRegisterPendingInterruption","features":[178]},{"name":"WHvRegisterReferenceTsc","features":[178]},{"name":"WHvRegisterReferenceTscSequence","features":[178]},{"name":"WHvRegisterScontrol","features":[178]},{"name":"WHvRegisterSiefp","features":[178]},{"name":"WHvRegisterSimp","features":[178]},{"name":"WHvRegisterSint0","features":[178]},{"name":"WHvRegisterSint1","features":[178]},{"name":"WHvRegisterSint10","features":[178]},{"name":"WHvRegisterSint11","features":[178]},{"name":"WHvRegisterSint12","features":[178]},{"name":"WHvRegisterSint13","features":[178]},{"name":"WHvRegisterSint14","features":[178]},{"name":"WHvRegisterSint15","features":[178]},{"name":"WHvRegisterSint2","features":[178]},{"name":"WHvRegisterSint3","features":[178]},{"name":"WHvRegisterSint4","features":[178]},{"name":"WHvRegisterSint5","features":[178]},{"name":"WHvRegisterSint6","features":[178]},{"name":"WHvRegisterSint7","features":[178]},{"name":"WHvRegisterSint8","features":[178]},{"name":"WHvRegisterSint9","features":[178]},{"name":"WHvRegisterSversion","features":[178]},{"name":"WHvRegisterVpAssistPage","features":[178]},{"name":"WHvRegisterVpRuntime","features":[178]},{"name":"WHvRequestInterrupt","features":[178]},{"name":"WHvRequestVpciDeviceInterrupt","features":[178]},{"name":"WHvResetPartition","features":[178]},{"name":"WHvResumePartitionTime","features":[178]},{"name":"WHvRetargetVpciDeviceInterrupt","features":[178]},{"name":"WHvRunVirtualProcessor","features":[178]},{"name":"WHvRunVpCancelReasonUser","features":[178]},{"name":"WHvRunVpExitReasonCanceled","features":[178]},{"name":"WHvRunVpExitReasonException","features":[178]},{"name":"WHvRunVpExitReasonHypercall","features":[178]},{"name":"WHvRunVpExitReasonInvalidVpRegisterValue","features":[178]},{"name":"WHvRunVpExitReasonMemoryAccess","features":[178]},{"name":"WHvRunVpExitReasonNone","features":[178]},{"name":"WHvRunVpExitReasonSynicSintDeliverable","features":[178]},{"name":"WHvRunVpExitReasonUnrecoverableException","features":[178]},{"name":"WHvRunVpExitReasonUnsupportedFeature","features":[178]},{"name":"WHvRunVpExitReasonX64ApicEoi","features":[178]},{"name":"WHvRunVpExitReasonX64ApicInitSipiTrap","features":[178]},{"name":"WHvRunVpExitReasonX64ApicSmiTrap","features":[178]},{"name":"WHvRunVpExitReasonX64ApicWriteTrap","features":[178]},{"name":"WHvRunVpExitReasonX64Cpuid","features":[178]},{"name":"WHvRunVpExitReasonX64Halt","features":[178]},{"name":"WHvRunVpExitReasonX64InterruptWindow","features":[178]},{"name":"WHvRunVpExitReasonX64IoPortAccess","features":[178]},{"name":"WHvRunVpExitReasonX64MsrAccess","features":[178]},{"name":"WHvRunVpExitReasonX64Rdtsc","features":[178]},{"name":"WHvSetNotificationPortProperty","features":[178]},{"name":"WHvSetPartitionProperty","features":[178]},{"name":"WHvSetVirtualProcessorInterruptControllerState","features":[178]},{"name":"WHvSetVirtualProcessorInterruptControllerState2","features":[178]},{"name":"WHvSetVirtualProcessorRegisters","features":[178]},{"name":"WHvSetVirtualProcessorState","features":[178]},{"name":"WHvSetVirtualProcessorXsaveState","features":[178]},{"name":"WHvSetVpciDevicePowerState","features":[178,8]},{"name":"WHvSetupPartition","features":[178]},{"name":"WHvSignalVirtualProcessorSynicEvent","features":[1,178]},{"name":"WHvStartPartitionMigration","features":[1,178]},{"name":"WHvSuspendPartitionTime","features":[178]},{"name":"WHvTranslateGva","features":[178]},{"name":"WHvTranslateGvaFlagEnforceSmap","features":[178]},{"name":"WHvTranslateGvaFlagNone","features":[178]},{"name":"WHvTranslateGvaFlagOverrideSmap","features":[178]},{"name":"WHvTranslateGvaFlagPrivilegeExempt","features":[178]},{"name":"WHvTranslateGvaFlagSetPageTableBits","features":[178]},{"name":"WHvTranslateGvaFlagValidateExecute","features":[178]},{"name":"WHvTranslateGvaFlagValidateRead","features":[178]},{"name":"WHvTranslateGvaFlagValidateWrite","features":[178]},{"name":"WHvTranslateGvaResultGpaIllegalOverlayAccess","features":[178]},{"name":"WHvTranslateGvaResultGpaNoReadAccess","features":[178]},{"name":"WHvTranslateGvaResultGpaNoWriteAccess","features":[178]},{"name":"WHvTranslateGvaResultGpaUnmapped","features":[178]},{"name":"WHvTranslateGvaResultIntercept","features":[178]},{"name":"WHvTranslateGvaResultInvalidPageTableFlags","features":[178]},{"name":"WHvTranslateGvaResultPageNotPresent","features":[178]},{"name":"WHvTranslateGvaResultPrivilegeViolation","features":[178]},{"name":"WHvTranslateGvaResultSuccess","features":[178]},{"name":"WHvTriggerTypeDeviceInterrupt","features":[178]},{"name":"WHvTriggerTypeInterrupt","features":[178]},{"name":"WHvTriggerTypeSynicEvent","features":[178]},{"name":"WHvUnmapGpaRange","features":[178]},{"name":"WHvUnmapVpciDeviceInterrupt","features":[178]},{"name":"WHvUnmapVpciDeviceMmioRanges","features":[178]},{"name":"WHvUnregisterPartitionDoorbellEvent","features":[178]},{"name":"WHvUnsupportedFeatureIntercept","features":[178]},{"name":"WHvUnsupportedFeatureTaskSwitchTss","features":[178]},{"name":"WHvUpdateTriggerParameters","features":[178]},{"name":"WHvVirtualProcessorPropertyCodeNumaNode","features":[178]},{"name":"WHvVirtualProcessorStateTypeInterruptControllerState2","features":[178]},{"name":"WHvVirtualProcessorStateTypeSynicEventFlagPage","features":[178]},{"name":"WHvVirtualProcessorStateTypeSynicMessagePage","features":[178]},{"name":"WHvVirtualProcessorStateTypeSynicTimerState","features":[178]},{"name":"WHvVirtualProcessorStateTypeXsaveState","features":[178]},{"name":"WHvVpciBar0","features":[178]},{"name":"WHvVpciBar1","features":[178]},{"name":"WHvVpciBar2","features":[178]},{"name":"WHvVpciBar3","features":[178]},{"name":"WHvVpciBar4","features":[178]},{"name":"WHvVpciBar5","features":[178]},{"name":"WHvVpciConfigSpace","features":[178]},{"name":"WHvVpciDeviceNotificationMmioRemapping","features":[178]},{"name":"WHvVpciDeviceNotificationSurpriseRemoval","features":[178]},{"name":"WHvVpciDeviceNotificationUndefined","features":[178]},{"name":"WHvVpciDevicePropertyCodeHardwareIDs","features":[178]},{"name":"WHvVpciDevicePropertyCodeProbedBARs","features":[178]},{"name":"WHvVpciDevicePropertyCodeUndefined","features":[178]},{"name":"WHvVpciInterruptTargetFlagMulticast","features":[178]},{"name":"WHvVpciInterruptTargetFlagNone","features":[178]},{"name":"WHvVpciMmioRangeFlagReadAccess","features":[178]},{"name":"WHvVpciMmioRangeFlagWriteAccess","features":[178]},{"name":"WHvWriteGpaRange","features":[178]},{"name":"WHvWriteVpciDeviceRegister","features":[178]},{"name":"WHvX64ApicWriteTypeDfr","features":[178]},{"name":"WHvX64ApicWriteTypeLdr","features":[178]},{"name":"WHvX64ApicWriteTypeLint0","features":[178]},{"name":"WHvX64ApicWriteTypeLint1","features":[178]},{"name":"WHvX64ApicWriteTypeSvr","features":[178]},{"name":"WHvX64CpuidResult2FlagSubleafSpecific","features":[178]},{"name":"WHvX64CpuidResult2FlagVpSpecific","features":[178]},{"name":"WHvX64ExceptionTypeAlignmentCheckFault","features":[178]},{"name":"WHvX64ExceptionTypeBoundRangeFault","features":[178]},{"name":"WHvX64ExceptionTypeBreakpointTrap","features":[178]},{"name":"WHvX64ExceptionTypeDebugTrapOrFault","features":[178]},{"name":"WHvX64ExceptionTypeDeviceNotAvailableFault","features":[178]},{"name":"WHvX64ExceptionTypeDivideErrorFault","features":[178]},{"name":"WHvX64ExceptionTypeDoubleFaultAbort","features":[178]},{"name":"WHvX64ExceptionTypeFloatingPointErrorFault","features":[178]},{"name":"WHvX64ExceptionTypeGeneralProtectionFault","features":[178]},{"name":"WHvX64ExceptionTypeInvalidOpcodeFault","features":[178]},{"name":"WHvX64ExceptionTypeInvalidTaskStateSegmentFault","features":[178]},{"name":"WHvX64ExceptionTypeMachineCheckAbort","features":[178]},{"name":"WHvX64ExceptionTypeOverflowTrap","features":[178]},{"name":"WHvX64ExceptionTypePageFault","features":[178]},{"name":"WHvX64ExceptionTypeSegmentNotPresentFault","features":[178]},{"name":"WHvX64ExceptionTypeSimdFloatingPointFault","features":[178]},{"name":"WHvX64ExceptionTypeStackFault","features":[178]},{"name":"WHvX64InterruptDestinationModeLogical","features":[178]},{"name":"WHvX64InterruptDestinationModePhysical","features":[178]},{"name":"WHvX64InterruptTriggerModeEdge","features":[178]},{"name":"WHvX64InterruptTriggerModeLevel","features":[178]},{"name":"WHvX64InterruptTypeFixed","features":[178]},{"name":"WHvX64InterruptTypeInit","features":[178]},{"name":"WHvX64InterruptTypeLocalInt1","features":[178]},{"name":"WHvX64InterruptTypeLowestPriority","features":[178]},{"name":"WHvX64InterruptTypeNmi","features":[178]},{"name":"WHvX64InterruptTypeSipi","features":[178]},{"name":"WHvX64LocalApicEmulationModeNone","features":[178]},{"name":"WHvX64LocalApicEmulationModeX2Apic","features":[178]},{"name":"WHvX64LocalApicEmulationModeXApic","features":[178]},{"name":"WHvX64PendingEventException","features":[178]},{"name":"WHvX64PendingEventExtInt","features":[178]},{"name":"WHvX64PendingException","features":[178]},{"name":"WHvX64PendingInterrupt","features":[178]},{"name":"WHvX64PendingNmi","features":[178]},{"name":"WHvX64RegisterACount","features":[178]},{"name":"WHvX64RegisterApicBase","features":[178]},{"name":"WHvX64RegisterApicCurrentCount","features":[178]},{"name":"WHvX64RegisterApicDivide","features":[178]},{"name":"WHvX64RegisterApicEoi","features":[178]},{"name":"WHvX64RegisterApicEse","features":[178]},{"name":"WHvX64RegisterApicIcr","features":[178]},{"name":"WHvX64RegisterApicId","features":[178]},{"name":"WHvX64RegisterApicInitCount","features":[178]},{"name":"WHvX64RegisterApicIrr0","features":[178]},{"name":"WHvX64RegisterApicIrr1","features":[178]},{"name":"WHvX64RegisterApicIrr2","features":[178]},{"name":"WHvX64RegisterApicIrr3","features":[178]},{"name":"WHvX64RegisterApicIrr4","features":[178]},{"name":"WHvX64RegisterApicIrr5","features":[178]},{"name":"WHvX64RegisterApicIrr6","features":[178]},{"name":"WHvX64RegisterApicIrr7","features":[178]},{"name":"WHvX64RegisterApicIsr0","features":[178]},{"name":"WHvX64RegisterApicIsr1","features":[178]},{"name":"WHvX64RegisterApicIsr2","features":[178]},{"name":"WHvX64RegisterApicIsr3","features":[178]},{"name":"WHvX64RegisterApicIsr4","features":[178]},{"name":"WHvX64RegisterApicIsr5","features":[178]},{"name":"WHvX64RegisterApicIsr6","features":[178]},{"name":"WHvX64RegisterApicIsr7","features":[178]},{"name":"WHvX64RegisterApicLdr","features":[178]},{"name":"WHvX64RegisterApicLvtError","features":[178]},{"name":"WHvX64RegisterApicLvtLint0","features":[178]},{"name":"WHvX64RegisterApicLvtLint1","features":[178]},{"name":"WHvX64RegisterApicLvtPerfmon","features":[178]},{"name":"WHvX64RegisterApicLvtThermal","features":[178]},{"name":"WHvX64RegisterApicLvtTimer","features":[178]},{"name":"WHvX64RegisterApicPpr","features":[178]},{"name":"WHvX64RegisterApicSelfIpi","features":[178]},{"name":"WHvX64RegisterApicSpurious","features":[178]},{"name":"WHvX64RegisterApicTmr0","features":[178]},{"name":"WHvX64RegisterApicTmr1","features":[178]},{"name":"WHvX64RegisterApicTmr2","features":[178]},{"name":"WHvX64RegisterApicTmr3","features":[178]},{"name":"WHvX64RegisterApicTmr4","features":[178]},{"name":"WHvX64RegisterApicTmr5","features":[178]},{"name":"WHvX64RegisterApicTmr6","features":[178]},{"name":"WHvX64RegisterApicTmr7","features":[178]},{"name":"WHvX64RegisterApicTpr","features":[178]},{"name":"WHvX64RegisterApicVersion","features":[178]},{"name":"WHvX64RegisterBndcfgs","features":[178]},{"name":"WHvX64RegisterCr0","features":[178]},{"name":"WHvX64RegisterCr2","features":[178]},{"name":"WHvX64RegisterCr3","features":[178]},{"name":"WHvX64RegisterCr4","features":[178]},{"name":"WHvX64RegisterCr8","features":[178]},{"name":"WHvX64RegisterCs","features":[178]},{"name":"WHvX64RegisterCstar","features":[178]},{"name":"WHvX64RegisterDeliverabilityNotifications","features":[178]},{"name":"WHvX64RegisterDr0","features":[178]},{"name":"WHvX64RegisterDr1","features":[178]},{"name":"WHvX64RegisterDr2","features":[178]},{"name":"WHvX64RegisterDr3","features":[178]},{"name":"WHvX64RegisterDr6","features":[178]},{"name":"WHvX64RegisterDr7","features":[178]},{"name":"WHvX64RegisterDs","features":[178]},{"name":"WHvX64RegisterEfer","features":[178]},{"name":"WHvX64RegisterEs","features":[178]},{"name":"WHvX64RegisterFpControlStatus","features":[178]},{"name":"WHvX64RegisterFpMmx0","features":[178]},{"name":"WHvX64RegisterFpMmx1","features":[178]},{"name":"WHvX64RegisterFpMmx2","features":[178]},{"name":"WHvX64RegisterFpMmx3","features":[178]},{"name":"WHvX64RegisterFpMmx4","features":[178]},{"name":"WHvX64RegisterFpMmx5","features":[178]},{"name":"WHvX64RegisterFpMmx6","features":[178]},{"name":"WHvX64RegisterFpMmx7","features":[178]},{"name":"WHvX64RegisterFs","features":[178]},{"name":"WHvX64RegisterGdtr","features":[178]},{"name":"WHvX64RegisterGs","features":[178]},{"name":"WHvX64RegisterHypercall","features":[178]},{"name":"WHvX64RegisterIdtr","features":[178]},{"name":"WHvX64RegisterInitialApicId","features":[178]},{"name":"WHvX64RegisterInterruptSspTableAddr","features":[178]},{"name":"WHvX64RegisterKernelGsBase","features":[178]},{"name":"WHvX64RegisterLdtr","features":[178]},{"name":"WHvX64RegisterLstar","features":[178]},{"name":"WHvX64RegisterMCount","features":[178]},{"name":"WHvX64RegisterMsrMtrrCap","features":[178]},{"name":"WHvX64RegisterMsrMtrrDefType","features":[178]},{"name":"WHvX64RegisterMsrMtrrFix16k80000","features":[178]},{"name":"WHvX64RegisterMsrMtrrFix16kA0000","features":[178]},{"name":"WHvX64RegisterMsrMtrrFix4kC0000","features":[178]},{"name":"WHvX64RegisterMsrMtrrFix4kC8000","features":[178]},{"name":"WHvX64RegisterMsrMtrrFix4kD0000","features":[178]},{"name":"WHvX64RegisterMsrMtrrFix4kD8000","features":[178]},{"name":"WHvX64RegisterMsrMtrrFix4kE0000","features":[178]},{"name":"WHvX64RegisterMsrMtrrFix4kE8000","features":[178]},{"name":"WHvX64RegisterMsrMtrrFix4kF0000","features":[178]},{"name":"WHvX64RegisterMsrMtrrFix4kF8000","features":[178]},{"name":"WHvX64RegisterMsrMtrrFix64k00000","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysBase0","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysBase1","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysBase2","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysBase3","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysBase4","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysBase5","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysBase6","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysBase7","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysBase8","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysBase9","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysBaseA","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysBaseB","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysBaseC","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysBaseD","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysBaseE","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysBaseF","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysMask0","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysMask1","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysMask2","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysMask3","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysMask4","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysMask5","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysMask6","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysMask7","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysMask8","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysMask9","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysMaskA","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysMaskB","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysMaskC","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysMaskD","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysMaskE","features":[178]},{"name":"WHvX64RegisterMsrMtrrPhysMaskF","features":[178]},{"name":"WHvX64RegisterPat","features":[178]},{"name":"WHvX64RegisterPendingDebugException","features":[178]},{"name":"WHvX64RegisterPl0Ssp","features":[178]},{"name":"WHvX64RegisterPl1Ssp","features":[178]},{"name":"WHvX64RegisterPl2Ssp","features":[178]},{"name":"WHvX64RegisterPl3Ssp","features":[178]},{"name":"WHvX64RegisterPredCmd","features":[178]},{"name":"WHvX64RegisterR10","features":[178]},{"name":"WHvX64RegisterR11","features":[178]},{"name":"WHvX64RegisterR12","features":[178]},{"name":"WHvX64RegisterR13","features":[178]},{"name":"WHvX64RegisterR14","features":[178]},{"name":"WHvX64RegisterR15","features":[178]},{"name":"WHvX64RegisterR8","features":[178]},{"name":"WHvX64RegisterR9","features":[178]},{"name":"WHvX64RegisterRax","features":[178]},{"name":"WHvX64RegisterRbp","features":[178]},{"name":"WHvX64RegisterRbx","features":[178]},{"name":"WHvX64RegisterRcx","features":[178]},{"name":"WHvX64RegisterRdi","features":[178]},{"name":"WHvX64RegisterRdx","features":[178]},{"name":"WHvX64RegisterRflags","features":[178]},{"name":"WHvX64RegisterRip","features":[178]},{"name":"WHvX64RegisterRsi","features":[178]},{"name":"WHvX64RegisterRsp","features":[178]},{"name":"WHvX64RegisterSCet","features":[178]},{"name":"WHvX64RegisterSfmask","features":[178]},{"name":"WHvX64RegisterSpecCtrl","features":[178]},{"name":"WHvX64RegisterSs","features":[178]},{"name":"WHvX64RegisterSsp","features":[178]},{"name":"WHvX64RegisterStar","features":[178]},{"name":"WHvX64RegisterSysenterCs","features":[178]},{"name":"WHvX64RegisterSysenterEip","features":[178]},{"name":"WHvX64RegisterSysenterEsp","features":[178]},{"name":"WHvX64RegisterTr","features":[178]},{"name":"WHvX64RegisterTsc","features":[178]},{"name":"WHvX64RegisterTscAdjust","features":[178]},{"name":"WHvX64RegisterTscAux","features":[178]},{"name":"WHvX64RegisterTscDeadline","features":[178]},{"name":"WHvX64RegisterTscVirtualOffset","features":[178]},{"name":"WHvX64RegisterTsxCtrl","features":[178]},{"name":"WHvX64RegisterUCet","features":[178]},{"name":"WHvX64RegisterUmwaitControl","features":[178]},{"name":"WHvX64RegisterVirtualCr0","features":[178]},{"name":"WHvX64RegisterVirtualCr3","features":[178]},{"name":"WHvX64RegisterVirtualCr4","features":[178]},{"name":"WHvX64RegisterVirtualCr8","features":[178]},{"name":"WHvX64RegisterXCr0","features":[178]},{"name":"WHvX64RegisterXfd","features":[178]},{"name":"WHvX64RegisterXfdErr","features":[178]},{"name":"WHvX64RegisterXmm0","features":[178]},{"name":"WHvX64RegisterXmm1","features":[178]},{"name":"WHvX64RegisterXmm10","features":[178]},{"name":"WHvX64RegisterXmm11","features":[178]},{"name":"WHvX64RegisterXmm12","features":[178]},{"name":"WHvX64RegisterXmm13","features":[178]},{"name":"WHvX64RegisterXmm14","features":[178]},{"name":"WHvX64RegisterXmm15","features":[178]},{"name":"WHvX64RegisterXmm2","features":[178]},{"name":"WHvX64RegisterXmm3","features":[178]},{"name":"WHvX64RegisterXmm4","features":[178]},{"name":"WHvX64RegisterXmm5","features":[178]},{"name":"WHvX64RegisterXmm6","features":[178]},{"name":"WHvX64RegisterXmm7","features":[178]},{"name":"WHvX64RegisterXmm8","features":[178]},{"name":"WHvX64RegisterXmm9","features":[178]},{"name":"WHvX64RegisterXmmControlStatus","features":[178]},{"name":"WHvX64RegisterXss","features":[178]},{"name":"X64_RegisterCr0","features":[178]},{"name":"X64_RegisterCr2","features":[178]},{"name":"X64_RegisterCr3","features":[178]},{"name":"X64_RegisterCr4","features":[178]},{"name":"X64_RegisterCr8","features":[178]},{"name":"X64_RegisterCs","features":[178]},{"name":"X64_RegisterDr0","features":[178]},{"name":"X64_RegisterDr1","features":[178]},{"name":"X64_RegisterDr2","features":[178]},{"name":"X64_RegisterDr3","features":[178]},{"name":"X64_RegisterDr6","features":[178]},{"name":"X64_RegisterDr7","features":[178]},{"name":"X64_RegisterDs","features":[178]},{"name":"X64_RegisterEfer","features":[178]},{"name":"X64_RegisterEs","features":[178]},{"name":"X64_RegisterFpControlStatus","features":[178]},{"name":"X64_RegisterFpMmx0","features":[178]},{"name":"X64_RegisterFpMmx1","features":[178]},{"name":"X64_RegisterFpMmx2","features":[178]},{"name":"X64_RegisterFpMmx3","features":[178]},{"name":"X64_RegisterFpMmx4","features":[178]},{"name":"X64_RegisterFpMmx5","features":[178]},{"name":"X64_RegisterFpMmx6","features":[178]},{"name":"X64_RegisterFpMmx7","features":[178]},{"name":"X64_RegisterFs","features":[178]},{"name":"X64_RegisterGdtr","features":[178]},{"name":"X64_RegisterGs","features":[178]},{"name":"X64_RegisterIdtr","features":[178]},{"name":"X64_RegisterLdtr","features":[178]},{"name":"X64_RegisterMax","features":[178]},{"name":"X64_RegisterR10","features":[178]},{"name":"X64_RegisterR11","features":[178]},{"name":"X64_RegisterR12","features":[178]},{"name":"X64_RegisterR13","features":[178]},{"name":"X64_RegisterR14","features":[178]},{"name":"X64_RegisterR15","features":[178]},{"name":"X64_RegisterR8","features":[178]},{"name":"X64_RegisterR9","features":[178]},{"name":"X64_RegisterRFlags","features":[178]},{"name":"X64_RegisterRax","features":[178]},{"name":"X64_RegisterRbp","features":[178]},{"name":"X64_RegisterRbx","features":[178]},{"name":"X64_RegisterRcx","features":[178]},{"name":"X64_RegisterRdi","features":[178]},{"name":"X64_RegisterRdx","features":[178]},{"name":"X64_RegisterRip","features":[178]},{"name":"X64_RegisterRsi","features":[178]},{"name":"X64_RegisterRsp","features":[178]},{"name":"X64_RegisterSs","features":[178]},{"name":"X64_RegisterTr","features":[178]},{"name":"X64_RegisterXmm0","features":[178]},{"name":"X64_RegisterXmm1","features":[178]},{"name":"X64_RegisterXmm10","features":[178]},{"name":"X64_RegisterXmm11","features":[178]},{"name":"X64_RegisterXmm12","features":[178]},{"name":"X64_RegisterXmm13","features":[178]},{"name":"X64_RegisterXmm14","features":[178]},{"name":"X64_RegisterXmm15","features":[178]},{"name":"X64_RegisterXmm2","features":[178]},{"name":"X64_RegisterXmm3","features":[178]},{"name":"X64_RegisterXmm4","features":[178]},{"name":"X64_RegisterXmm5","features":[178]},{"name":"X64_RegisterXmm6","features":[178]},{"name":"X64_RegisterXmm7","features":[178]},{"name":"X64_RegisterXmm8","features":[178]},{"name":"X64_RegisterXmm9","features":[178]},{"name":"X64_RegisterXmmControlStatus","features":[178]}],"571":[{"name":"BindIoCompletionCallback","features":[1,6]},{"name":"CancelIo","features":[1,6]},{"name":"CancelIoEx","features":[1,6]},{"name":"CancelSynchronousIo","features":[1,6]},{"name":"CreateIoCompletionPort","features":[1,6]},{"name":"DeviceIoControl","features":[1,6]},{"name":"GetOverlappedResult","features":[1,6]},{"name":"GetOverlappedResultEx","features":[1,6]},{"name":"GetQueuedCompletionStatus","features":[1,6]},{"name":"GetQueuedCompletionStatusEx","features":[1,6]},{"name":"IO_STATUS_BLOCK","features":[1,6]},{"name":"LPOVERLAPPED_COMPLETION_ROUTINE","features":[1,6]},{"name":"OVERLAPPED","features":[1,6]},{"name":"OVERLAPPED_ENTRY","features":[1,6]},{"name":"PIO_APC_ROUTINE","features":[1,6]},{"name":"PostQueuedCompletionStatus","features":[1,6]}],"572":[{"name":"ADMINDATA_MAX_NAME_LEN","features":[179]},{"name":"ALL_METADATA","features":[179]},{"name":"APPCTR_MD_ID_BEGIN_RESERVED","features":[179]},{"name":"APPCTR_MD_ID_END_RESERVED","features":[179]},{"name":"APPSTATUS_NOTDEFINED","features":[179]},{"name":"APPSTATUS_RUNNING","features":[179]},{"name":"APPSTATUS_STOPPED","features":[179]},{"name":"ASP_MD_ID_BEGIN_RESERVED","features":[179]},{"name":"ASP_MD_ID_END_RESERVED","features":[179]},{"name":"ASP_MD_SERVER_BASE","features":[179]},{"name":"ASP_MD_UT_APP","features":[179]},{"name":"AsyncIFtpAuthenticationProvider","features":[179]},{"name":"AsyncIFtpAuthorizationProvider","features":[179]},{"name":"AsyncIFtpHomeDirectoryProvider","features":[179]},{"name":"AsyncIFtpLogProvider","features":[179]},{"name":"AsyncIFtpPostprocessProvider","features":[179]},{"name":"AsyncIFtpPreprocessProvider","features":[179]},{"name":"AsyncIFtpRoleProvider","features":[179]},{"name":"AsyncIMSAdminBaseSinkW","features":[179]},{"name":"BINARY_METADATA","features":[179]},{"name":"CERT_CONTEXT_EX","features":[1,68,179]},{"name":"CLSID_IImgCtx","features":[179]},{"name":"CLSID_IisServiceControl","features":[179]},{"name":"CLSID_MSAdminBase_W","features":[179]},{"name":"CLSID_Request","features":[179]},{"name":"CLSID_Response","features":[179]},{"name":"CLSID_ScriptingContext","features":[179]},{"name":"CLSID_Server","features":[179]},{"name":"CLSID_Session","features":[179]},{"name":"CLSID_WamAdmin","features":[179]},{"name":"CONFIGURATION_ENTRY","features":[179]},{"name":"DISPID_HTTPREQUEST_ABORT","features":[179]},{"name":"DISPID_HTTPREQUEST_BASE","features":[179]},{"name":"DISPID_HTTPREQUEST_GETALLRESPONSEHEADERS","features":[179]},{"name":"DISPID_HTTPREQUEST_GETRESPONSEHEADER","features":[179]},{"name":"DISPID_HTTPREQUEST_OPEN","features":[179]},{"name":"DISPID_HTTPREQUEST_OPTION","features":[179]},{"name":"DISPID_HTTPREQUEST_RESPONSEBODY","features":[179]},{"name":"DISPID_HTTPREQUEST_RESPONSESTREAM","features":[179]},{"name":"DISPID_HTTPREQUEST_RESPONSETEXT","features":[179]},{"name":"DISPID_HTTPREQUEST_SEND","features":[179]},{"name":"DISPID_HTTPREQUEST_SETAUTOLOGONPOLICY","features":[179]},{"name":"DISPID_HTTPREQUEST_SETCLIENTCERTIFICATE","features":[179]},{"name":"DISPID_HTTPREQUEST_SETCREDENTIALS","features":[179]},{"name":"DISPID_HTTPREQUEST_SETPROXY","features":[179]},{"name":"DISPID_HTTPREQUEST_SETREQUESTHEADER","features":[179]},{"name":"DISPID_HTTPREQUEST_SETTIMEOUTS","features":[179]},{"name":"DISPID_HTTPREQUEST_STATUS","features":[179]},{"name":"DISPID_HTTPREQUEST_STATUSTEXT","features":[179]},{"name":"DISPID_HTTPREQUEST_WAITFORRESPONSE","features":[179]},{"name":"DWN_COLORMODE","features":[179]},{"name":"DWN_DOWNLOADONLY","features":[179]},{"name":"DWN_FORCEDITHER","features":[179]},{"name":"DWN_MIRRORIMAGE","features":[179]},{"name":"DWN_RAWIMAGE","features":[179]},{"name":"DWORD_METADATA","features":[179]},{"name":"EXPANDSZ_METADATA","features":[179]},{"name":"EXTENSION_CONTROL_BLOCK","features":[1,179]},{"name":"FP_MD_ID_BEGIN_RESERVED","features":[179]},{"name":"FP_MD_ID_END_RESERVED","features":[179]},{"name":"FTP_ACCESS","features":[179]},{"name":"FTP_ACCESS_NONE","features":[179]},{"name":"FTP_ACCESS_READ","features":[179]},{"name":"FTP_ACCESS_READ_WRITE","features":[179]},{"name":"FTP_ACCESS_WRITE","features":[179]},{"name":"FTP_PROCESS_CLOSE_SESSION","features":[179]},{"name":"FTP_PROCESS_CONTINUE","features":[179]},{"name":"FTP_PROCESS_REJECT_COMMAND","features":[179]},{"name":"FTP_PROCESS_STATUS","features":[179]},{"name":"FTP_PROCESS_TERMINATE_SESSION","features":[179]},{"name":"FtpProvider","features":[179]},{"name":"GUID_IIS_ALL_TRACE_PROVIDERS","features":[179]},{"name":"GUID_IIS_ASPNET_TRACE_PROVIDER","features":[179]},{"name":"GUID_IIS_ASP_TRACE_TRACE_PROVIDER","features":[179]},{"name":"GUID_IIS_ISAPI_TRACE_PROVIDER","features":[179]},{"name":"GUID_IIS_WWW_GLOBAL_TRACE_PROVIDER","features":[179]},{"name":"GUID_IIS_WWW_SERVER_TRACE_PROVIDER","features":[179]},{"name":"GUID_IIS_WWW_SERVER_V2_TRACE_PROVIDER","features":[179]},{"name":"GetExtensionVersion","features":[1,179]},{"name":"GetFilterVersion","features":[1,179]},{"name":"HCONN","features":[179]},{"name":"HSE_APPEND_LOG_PARAMETER","features":[179]},{"name":"HSE_APP_FLAG_IN_PROCESS","features":[179]},{"name":"HSE_APP_FLAG_ISOLATED_OOP","features":[179]},{"name":"HSE_APP_FLAG_POOLED_OOP","features":[179]},{"name":"HSE_CUSTOM_ERROR_INFO","features":[1,179]},{"name":"HSE_EXEC_UNICODE_URL_INFO","features":[1,179]},{"name":"HSE_EXEC_UNICODE_URL_USER_INFO","features":[1,179]},{"name":"HSE_EXEC_URL_DISABLE_CUSTOM_ERROR","features":[179]},{"name":"HSE_EXEC_URL_ENTITY_INFO","features":[179]},{"name":"HSE_EXEC_URL_HTTP_CACHE_ELIGIBLE","features":[179]},{"name":"HSE_EXEC_URL_IGNORE_CURRENT_INTERCEPTOR","features":[179]},{"name":"HSE_EXEC_URL_IGNORE_VALIDATION_AND_RANGE","features":[179]},{"name":"HSE_EXEC_URL_INFO","features":[1,179]},{"name":"HSE_EXEC_URL_NO_HEADERS","features":[179]},{"name":"HSE_EXEC_URL_SSI_CMD","features":[179]},{"name":"HSE_EXEC_URL_STATUS","features":[179]},{"name":"HSE_EXEC_URL_USER_INFO","features":[1,179]},{"name":"HSE_IO_ASYNC","features":[179]},{"name":"HSE_IO_CACHE_RESPONSE","features":[179]},{"name":"HSE_IO_DISCONNECT_AFTER_SEND","features":[179]},{"name":"HSE_IO_FINAL_SEND","features":[179]},{"name":"HSE_IO_NODELAY","features":[179]},{"name":"HSE_IO_SEND_HEADERS","features":[179]},{"name":"HSE_IO_SYNC","features":[179]},{"name":"HSE_IO_TRY_SKIP_CUSTOM_ERRORS","features":[179]},{"name":"HSE_LOG_BUFFER_LEN","features":[179]},{"name":"HSE_MAX_EXT_DLL_NAME_LEN","features":[179]},{"name":"HSE_REQ_ABORTIVE_CLOSE","features":[179]},{"name":"HSE_REQ_ASYNC_READ_CLIENT","features":[179]},{"name":"HSE_REQ_BASE","features":[179]},{"name":"HSE_REQ_CANCEL_IO","features":[179]},{"name":"HSE_REQ_CLOSE_CONNECTION","features":[179]},{"name":"HSE_REQ_DONE_WITH_SESSION","features":[179]},{"name":"HSE_REQ_END_RESERVED","features":[179]},{"name":"HSE_REQ_EXEC_UNICODE_URL","features":[179]},{"name":"HSE_REQ_EXEC_URL","features":[179]},{"name":"HSE_REQ_GET_ANONYMOUS_TOKEN","features":[179]},{"name":"HSE_REQ_GET_CACHE_INVALIDATION_CALLBACK","features":[179]},{"name":"HSE_REQ_GET_CERT_INFO_EX","features":[179]},{"name":"HSE_REQ_GET_CHANNEL_BINDING_TOKEN","features":[179]},{"name":"HSE_REQ_GET_CONFIG_OBJECT","features":[179]},{"name":"HSE_REQ_GET_EXEC_URL_STATUS","features":[179]},{"name":"HSE_REQ_GET_IMPERSONATION_TOKEN","features":[179]},{"name":"HSE_REQ_GET_PROTOCOL_MANAGER_CUSTOM_INTERFACE_CALLBACK","features":[179]},{"name":"HSE_REQ_GET_SSPI_INFO","features":[179]},{"name":"HSE_REQ_GET_TRACE_INFO","features":[179]},{"name":"HSE_REQ_GET_TRACE_INFO_EX","features":[179]},{"name":"HSE_REQ_GET_UNICODE_ANONYMOUS_TOKEN","features":[179]},{"name":"HSE_REQ_GET_WORKER_PROCESS_SETTINGS","features":[179]},{"name":"HSE_REQ_IO_COMPLETION","features":[179]},{"name":"HSE_REQ_IS_CONNECTED","features":[179]},{"name":"HSE_REQ_IS_IN_PROCESS","features":[179]},{"name":"HSE_REQ_IS_KEEP_CONN","features":[179]},{"name":"HSE_REQ_MAP_UNICODE_URL_TO_PATH","features":[179]},{"name":"HSE_REQ_MAP_UNICODE_URL_TO_PATH_EX","features":[179]},{"name":"HSE_REQ_MAP_URL_TO_PATH","features":[179]},{"name":"HSE_REQ_MAP_URL_TO_PATH_EX","features":[179]},{"name":"HSE_REQ_NORMALIZE_URL","features":[179]},{"name":"HSE_REQ_RAISE_TRACE_EVENT","features":[179]},{"name":"HSE_REQ_REFRESH_ISAPI_ACL","features":[179]},{"name":"HSE_REQ_REPORT_UNHEALTHY","features":[179]},{"name":"HSE_REQ_SEND_CUSTOM_ERROR","features":[179]},{"name":"HSE_REQ_SEND_RESPONSE_HEADER","features":[179]},{"name":"HSE_REQ_SEND_RESPONSE_HEADER_EX","features":[179]},{"name":"HSE_REQ_SEND_URL","features":[179]},{"name":"HSE_REQ_SEND_URL_REDIRECT_RESP","features":[179]},{"name":"HSE_REQ_SET_FLUSH_FLAG","features":[179]},{"name":"HSE_REQ_TRANSMIT_FILE","features":[179]},{"name":"HSE_REQ_VECTOR_SEND","features":[179]},{"name":"HSE_RESPONSE_VECTOR","features":[179]},{"name":"HSE_SEND_HEADER_EX_INFO","features":[1,179]},{"name":"HSE_STATUS_ERROR","features":[179]},{"name":"HSE_STATUS_PENDING","features":[179]},{"name":"HSE_STATUS_SUCCESS","features":[179]},{"name":"HSE_STATUS_SUCCESS_AND_KEEP_CONN","features":[179]},{"name":"HSE_TERM_ADVISORY_UNLOAD","features":[179]},{"name":"HSE_TERM_MUST_UNLOAD","features":[179]},{"name":"HSE_TF_INFO","features":[1,179]},{"name":"HSE_TRACE_INFO","features":[1,179]},{"name":"HSE_UNICODE_URL_MAPEX_INFO","features":[179]},{"name":"HSE_URL_FLAGS_DONT_CACHE","features":[179]},{"name":"HSE_URL_FLAGS_EXECUTE","features":[179]},{"name":"HSE_URL_FLAGS_MAP_CERT","features":[179]},{"name":"HSE_URL_FLAGS_MASK","features":[179]},{"name":"HSE_URL_FLAGS_NEGO_CERT","features":[179]},{"name":"HSE_URL_FLAGS_READ","features":[179]},{"name":"HSE_URL_FLAGS_REQUIRE_CERT","features":[179]},{"name":"HSE_URL_FLAGS_SCRIPT","features":[179]},{"name":"HSE_URL_FLAGS_SSL","features":[179]},{"name":"HSE_URL_FLAGS_SSL128","features":[179]},{"name":"HSE_URL_FLAGS_WRITE","features":[179]},{"name":"HSE_URL_MAPEX_INFO","features":[179]},{"name":"HSE_VECTOR_ELEMENT","features":[179]},{"name":"HSE_VECTOR_ELEMENT_TYPE_FILE_HANDLE","features":[179]},{"name":"HSE_VECTOR_ELEMENT_TYPE_MEMORY_BUFFER","features":[179]},{"name":"HSE_VERSION_INFO","features":[179]},{"name":"HSE_VERSION_MAJOR","features":[179]},{"name":"HSE_VERSION_MINOR","features":[179]},{"name":"HTTP_FILTER_ACCESS_DENIED","features":[179]},{"name":"HTTP_FILTER_AUTHENT","features":[179]},{"name":"HTTP_FILTER_AUTH_COMPLETE_INFO","features":[1,179]},{"name":"HTTP_FILTER_CONTEXT","features":[1,179]},{"name":"HTTP_FILTER_LOG","features":[179]},{"name":"HTTP_FILTER_PREPROC_HEADERS","features":[179]},{"name":"HTTP_FILTER_RAW_DATA","features":[179]},{"name":"HTTP_FILTER_URL_MAP","features":[179]},{"name":"HTTP_FILTER_URL_MAP_EX","features":[179]},{"name":"HTTP_FILTER_VERSION","features":[179]},{"name":"HTTP_TRACE_CONFIGURATION","features":[1,179]},{"name":"HTTP_TRACE_EVENT","features":[179]},{"name":"HTTP_TRACE_EVENT_FLAG_STATIC_DESCRIPTIVE_FIELDS","features":[179]},{"name":"HTTP_TRACE_EVENT_ITEM","features":[179]},{"name":"HTTP_TRACE_LEVEL_END","features":[179]},{"name":"HTTP_TRACE_LEVEL_START","features":[179]},{"name":"HTTP_TRACE_TYPE","features":[179]},{"name":"HTTP_TRACE_TYPE_BOOL","features":[179]},{"name":"HTTP_TRACE_TYPE_BYTE","features":[179]},{"name":"HTTP_TRACE_TYPE_CHAR","features":[179]},{"name":"HTTP_TRACE_TYPE_LONG","features":[179]},{"name":"HTTP_TRACE_TYPE_LONGLONG","features":[179]},{"name":"HTTP_TRACE_TYPE_LPCGUID","features":[179]},{"name":"HTTP_TRACE_TYPE_LPCSTR","features":[179]},{"name":"HTTP_TRACE_TYPE_LPCWSTR","features":[179]},{"name":"HTTP_TRACE_TYPE_SHORT","features":[179]},{"name":"HTTP_TRACE_TYPE_ULONG","features":[179]},{"name":"HTTP_TRACE_TYPE_ULONGLONG","features":[179]},{"name":"HTTP_TRACE_TYPE_USHORT","features":[179]},{"name":"HttpExtensionProc","features":[1,179]},{"name":"HttpFilterProc","features":[1,179]},{"name":"IADMEXT","features":[179]},{"name":"IFtpAuthenticationProvider","features":[179]},{"name":"IFtpAuthorizationProvider","features":[179]},{"name":"IFtpHomeDirectoryProvider","features":[179]},{"name":"IFtpLogProvider","features":[179]},{"name":"IFtpPostprocessProvider","features":[179]},{"name":"IFtpPreprocessProvider","features":[179]},{"name":"IFtpProviderConstruct","features":[179]},{"name":"IFtpRoleProvider","features":[179]},{"name":"IISADMIN_EXTENSIONS_CLSID_MD_KEY","features":[179]},{"name":"IISADMIN_EXTENSIONS_CLSID_MD_KEYA","features":[179]},{"name":"IISADMIN_EXTENSIONS_CLSID_MD_KEYW","features":[179]},{"name":"IISADMIN_EXTENSIONS_REG_KEY","features":[179]},{"name":"IISADMIN_EXTENSIONS_REG_KEYA","features":[179]},{"name":"IISADMIN_EXTENSIONS_REG_KEYW","features":[179]},{"name":"IIS_CLASS_CERTMAPPER","features":[179]},{"name":"IIS_CLASS_CERTMAPPER_W","features":[179]},{"name":"IIS_CLASS_COMPRESS_SCHEME","features":[179]},{"name":"IIS_CLASS_COMPRESS_SCHEMES","features":[179]},{"name":"IIS_CLASS_COMPRESS_SCHEMES_W","features":[179]},{"name":"IIS_CLASS_COMPRESS_SCHEME_W","features":[179]},{"name":"IIS_CLASS_COMPUTER","features":[179]},{"name":"IIS_CLASS_COMPUTER_W","features":[179]},{"name":"IIS_CLASS_FILTER","features":[179]},{"name":"IIS_CLASS_FILTERS","features":[179]},{"name":"IIS_CLASS_FILTERS_W","features":[179]},{"name":"IIS_CLASS_FILTER_W","features":[179]},{"name":"IIS_CLASS_FTP_INFO","features":[179]},{"name":"IIS_CLASS_FTP_INFO_W","features":[179]},{"name":"IIS_CLASS_FTP_SERVER","features":[179]},{"name":"IIS_CLASS_FTP_SERVER_W","features":[179]},{"name":"IIS_CLASS_FTP_SERVICE","features":[179]},{"name":"IIS_CLASS_FTP_SERVICE_W","features":[179]},{"name":"IIS_CLASS_FTP_VDIR","features":[179]},{"name":"IIS_CLASS_FTP_VDIR_W","features":[179]},{"name":"IIS_CLASS_LOG_MODULE","features":[179]},{"name":"IIS_CLASS_LOG_MODULES","features":[179]},{"name":"IIS_CLASS_LOG_MODULES_W","features":[179]},{"name":"IIS_CLASS_LOG_MODULE_W","features":[179]},{"name":"IIS_CLASS_MIMEMAP","features":[179]},{"name":"IIS_CLASS_MIMEMAP_W","features":[179]},{"name":"IIS_CLASS_WEB_DIR","features":[179]},{"name":"IIS_CLASS_WEB_DIR_W","features":[179]},{"name":"IIS_CLASS_WEB_FILE","features":[179]},{"name":"IIS_CLASS_WEB_FILE_W","features":[179]},{"name":"IIS_CLASS_WEB_INFO","features":[179]},{"name":"IIS_CLASS_WEB_INFO_W","features":[179]},{"name":"IIS_CLASS_WEB_SERVER","features":[179]},{"name":"IIS_CLASS_WEB_SERVER_W","features":[179]},{"name":"IIS_CLASS_WEB_SERVICE","features":[179]},{"name":"IIS_CLASS_WEB_SERVICE_W","features":[179]},{"name":"IIS_CLASS_WEB_VDIR","features":[179]},{"name":"IIS_CLASS_WEB_VDIR_W","features":[179]},{"name":"IIS_MD_ADSI_METAID_BEGIN","features":[179]},{"name":"IIS_MD_ADSI_SCHEMA_PATH_A","features":[179]},{"name":"IIS_MD_ADSI_SCHEMA_PATH_W","features":[179]},{"name":"IIS_MD_APPPOOL_BASE","features":[179]},{"name":"IIS_MD_APP_BASE","features":[179]},{"name":"IIS_MD_FILE_PROP_BASE","features":[179]},{"name":"IIS_MD_FTP_BASE","features":[179]},{"name":"IIS_MD_GLOBAL_BASE","features":[179]},{"name":"IIS_MD_HTTP_BASE","features":[179]},{"name":"IIS_MD_ID_BEGIN_RESERVED","features":[179]},{"name":"IIS_MD_ID_END_RESERVED","features":[179]},{"name":"IIS_MD_INSTANCE_ROOT","features":[179]},{"name":"IIS_MD_ISAPI_FILTERS","features":[179]},{"name":"IIS_MD_LOCAL_MACHINE_PATH","features":[179]},{"name":"IIS_MD_LOGCUSTOM_BASE","features":[179]},{"name":"IIS_MD_LOGCUSTOM_LAST","features":[179]},{"name":"IIS_MD_LOG_BASE","features":[179]},{"name":"IIS_MD_LOG_LAST","features":[179]},{"name":"IIS_MD_SERVER_BASE","features":[179]},{"name":"IIS_MD_SSL_BASE","features":[179]},{"name":"IIS_MD_SVC_INFO_PATH","features":[179]},{"name":"IIS_MD_UT_END_RESERVED","features":[179]},{"name":"IIS_MD_UT_FILE","features":[179]},{"name":"IIS_MD_UT_SERVER","features":[179]},{"name":"IIS_MD_UT_WAM","features":[179]},{"name":"IIS_MD_VR_BASE","features":[179]},{"name":"IIS_WEBSOCKET","features":[179]},{"name":"IIS_WEBSOCKET_SERVER_VARIABLE","features":[179]},{"name":"IMAP_MD_ID_BEGIN_RESERVED","features":[179]},{"name":"IMAP_MD_ID_END_RESERVED","features":[179]},{"name":"IMGANIM_ANIMATED","features":[179]},{"name":"IMGANIM_MASK","features":[179]},{"name":"IMGBITS_MASK","features":[179]},{"name":"IMGBITS_NONE","features":[179]},{"name":"IMGBITS_PARTIAL","features":[179]},{"name":"IMGBITS_TOTAL","features":[179]},{"name":"IMGCHG_ANIMATE","features":[179]},{"name":"IMGCHG_COMPLETE","features":[179]},{"name":"IMGCHG_MASK","features":[179]},{"name":"IMGCHG_SIZE","features":[179]},{"name":"IMGCHG_VIEW","features":[179]},{"name":"IMGLOAD_COMPLETE","features":[179]},{"name":"IMGLOAD_ERROR","features":[179]},{"name":"IMGLOAD_LOADING","features":[179]},{"name":"IMGLOAD_MASK","features":[179]},{"name":"IMGLOAD_NOTLOADED","features":[179]},{"name":"IMGLOAD_STOPPED","features":[179]},{"name":"IMGTRANS_MASK","features":[179]},{"name":"IMGTRANS_OPAQUE","features":[179]},{"name":"IMSAdminBase2W","features":[179]},{"name":"IMSAdminBase3W","features":[179]},{"name":"IMSAdminBaseSinkW","features":[179]},{"name":"IMSAdminBaseW","features":[179]},{"name":"IMSImpExpHelpW","features":[179]},{"name":"INVALID_END_METADATA","features":[179]},{"name":"LIBID_ASPTypeLibrary","features":[179]},{"name":"LIBID_IISRSTALib","features":[179]},{"name":"LIBID_WAMREGLib","features":[179]},{"name":"LOGGING_PARAMETERS","features":[179]},{"name":"MB_DONT_IMPERSONATE","features":[179]},{"name":"MD_ACCESS_EXECUTE","features":[179]},{"name":"MD_ACCESS_MAP_CERT","features":[179]},{"name":"MD_ACCESS_MASK","features":[179]},{"name":"MD_ACCESS_NEGO_CERT","features":[179]},{"name":"MD_ACCESS_NO_PHYSICAL_DIR","features":[179]},{"name":"MD_ACCESS_NO_REMOTE_EXECUTE","features":[179]},{"name":"MD_ACCESS_NO_REMOTE_READ","features":[179]},{"name":"MD_ACCESS_NO_REMOTE_SCRIPT","features":[179]},{"name":"MD_ACCESS_NO_REMOTE_WRITE","features":[179]},{"name":"MD_ACCESS_PERM","features":[179]},{"name":"MD_ACCESS_READ","features":[179]},{"name":"MD_ACCESS_REQUIRE_CERT","features":[179]},{"name":"MD_ACCESS_SCRIPT","features":[179]},{"name":"MD_ACCESS_SOURCE","features":[179]},{"name":"MD_ACCESS_SSL","features":[179]},{"name":"MD_ACCESS_SSL128","features":[179]},{"name":"MD_ACCESS_WRITE","features":[179]},{"name":"MD_ACR_ENUM_KEYS","features":[179]},{"name":"MD_ACR_READ","features":[179]},{"name":"MD_ACR_RESTRICTED_WRITE","features":[179]},{"name":"MD_ACR_UNSECURE_PROPS_READ","features":[179]},{"name":"MD_ACR_WRITE","features":[179]},{"name":"MD_ACR_WRITE_DAC","features":[179]},{"name":"MD_ADMIN_ACL","features":[179]},{"name":"MD_ADMIN_INSTANCE","features":[179]},{"name":"MD_ADV_CACHE_TTL","features":[179]},{"name":"MD_ADV_NOTIFY_PWD_EXP_IN_DAYS","features":[179]},{"name":"MD_AD_CONNECTIONS_PASSWORD","features":[179]},{"name":"MD_AD_CONNECTIONS_USERNAME","features":[179]},{"name":"MD_ALLOW_ANONYMOUS","features":[179]},{"name":"MD_ALLOW_KEEPALIVES","features":[179]},{"name":"MD_ALLOW_PATH_INFO_FOR_SCRIPT_MAPPINGS","features":[179]},{"name":"MD_ALLOW_REPLACE_ON_RENAME","features":[179]},{"name":"MD_ANONYMOUS_ONLY","features":[179]},{"name":"MD_ANONYMOUS_PWD","features":[179]},{"name":"MD_ANONYMOUS_USER_NAME","features":[179]},{"name":"MD_ANONYMOUS_USE_SUBAUTH","features":[179]},{"name":"MD_APPPOOL_32_BIT_APP_ON_WIN64","features":[179]},{"name":"MD_APPPOOL_ALLOW_TRANSIENT_REGISTRATION","features":[179]},{"name":"MD_APPPOOL_APPPOOL_ID","features":[179]},{"name":"MD_APPPOOL_AUTO_SHUTDOWN_EXE","features":[179]},{"name":"MD_APPPOOL_AUTO_SHUTDOWN_PARAMS","features":[179]},{"name":"MD_APPPOOL_AUTO_START","features":[179]},{"name":"MD_APPPOOL_COMMAND","features":[179]},{"name":"MD_APPPOOL_COMMAND_START","features":[179]},{"name":"MD_APPPOOL_COMMAND_STOP","features":[179]},{"name":"MD_APPPOOL_DISALLOW_OVERLAPPING_ROTATION","features":[179]},{"name":"MD_APPPOOL_DISALLOW_ROTATION_ON_CONFIG_CHANGE","features":[179]},{"name":"MD_APPPOOL_EMULATION_ON_WINARM64","features":[179]},{"name":"MD_APPPOOL_IDENTITY_TYPE","features":[179]},{"name":"MD_APPPOOL_IDENTITY_TYPE_LOCALSERVICE","features":[179]},{"name":"MD_APPPOOL_IDENTITY_TYPE_LOCALSYSTEM","features":[179]},{"name":"MD_APPPOOL_IDENTITY_TYPE_NETWORKSERVICE","features":[179]},{"name":"MD_APPPOOL_IDENTITY_TYPE_SPECIFICUSER","features":[179]},{"name":"MD_APPPOOL_IDLE_TIMEOUT","features":[179]},{"name":"MD_APPPOOL_MANAGED_PIPELINE_MODE","features":[179]},{"name":"MD_APPPOOL_MANAGED_RUNTIME_VERSION","features":[179]},{"name":"MD_APPPOOL_MAX_PROCESS_COUNT","features":[179]},{"name":"MD_APPPOOL_ORPHAN_ACTION_EXE","features":[179]},{"name":"MD_APPPOOL_ORPHAN_ACTION_PARAMS","features":[179]},{"name":"MD_APPPOOL_ORPHAN_PROCESSES_FOR_DEBUGGING","features":[179]},{"name":"MD_APPPOOL_PERIODIC_RESTART_CONNECTIONS","features":[179]},{"name":"MD_APPPOOL_PERIODIC_RESTART_MEMORY","features":[179]},{"name":"MD_APPPOOL_PERIODIC_RESTART_PRIVATE_MEMORY","features":[179]},{"name":"MD_APPPOOL_PERIODIC_RESTART_REQUEST_COUNT","features":[179]},{"name":"MD_APPPOOL_PERIODIC_RESTART_SCHEDULE","features":[179]},{"name":"MD_APPPOOL_PERIODIC_RESTART_TIME","features":[179]},{"name":"MD_APPPOOL_PINGING_ENABLED","features":[179]},{"name":"MD_APPPOOL_PING_INTERVAL","features":[179]},{"name":"MD_APPPOOL_PING_RESPONSE_TIMELIMIT","features":[179]},{"name":"MD_APPPOOL_RAPID_FAIL_PROTECTION_ENABLED","features":[179]},{"name":"MD_APPPOOL_SHUTDOWN_TIMELIMIT","features":[179]},{"name":"MD_APPPOOL_SMP_AFFINITIZED","features":[179]},{"name":"MD_APPPOOL_SMP_AFFINITIZED_PROCESSOR_MASK","features":[179]},{"name":"MD_APPPOOL_STARTUP_TIMELIMIT","features":[179]},{"name":"MD_APPPOOL_STATE","features":[179]},{"name":"MD_APPPOOL_STATE_STARTED","features":[179]},{"name":"MD_APPPOOL_STATE_STARTING","features":[179]},{"name":"MD_APPPOOL_STATE_STOPPED","features":[179]},{"name":"MD_APPPOOL_STATE_STOPPING","features":[179]},{"name":"MD_APPPOOL_UL_APPPOOL_QUEUE_LENGTH","features":[179]},{"name":"MD_APP_ALLOW_TRANSIENT_REGISTRATION","features":[179]},{"name":"MD_APP_APPPOOL_ID","features":[179]},{"name":"MD_APP_AUTO_START","features":[179]},{"name":"MD_APP_DEPENDENCIES","features":[179]},{"name":"MD_APP_FRIENDLY_NAME","features":[179]},{"name":"MD_APP_ISOLATED","features":[179]},{"name":"MD_APP_OOP_RECOVER_LIMIT","features":[179]},{"name":"MD_APP_PACKAGE_ID","features":[179]},{"name":"MD_APP_PACKAGE_NAME","features":[179]},{"name":"MD_APP_PERIODIC_RESTART_REQUESTS","features":[179]},{"name":"MD_APP_PERIODIC_RESTART_SCHEDULE","features":[179]},{"name":"MD_APP_PERIODIC_RESTART_TIME","features":[179]},{"name":"MD_APP_POOL_LOG_EVENT_ON_PROCESSMODEL","features":[179]},{"name":"MD_APP_POOL_LOG_EVENT_ON_RECYCLE","features":[179]},{"name":"MD_APP_POOL_PROCESSMODEL_IDLE_TIMEOUT","features":[179]},{"name":"MD_APP_POOL_RECYCLE_CONFIG_CHANGE","features":[179]},{"name":"MD_APP_POOL_RECYCLE_ISAPI_UNHEALTHY","features":[179]},{"name":"MD_APP_POOL_RECYCLE_MEMORY","features":[179]},{"name":"MD_APP_POOL_RECYCLE_ON_DEMAND","features":[179]},{"name":"MD_APP_POOL_RECYCLE_PRIVATE_MEMORY","features":[179]},{"name":"MD_APP_POOL_RECYCLE_REQUESTS","features":[179]},{"name":"MD_APP_POOL_RECYCLE_SCHEDULE","features":[179]},{"name":"MD_APP_POOL_RECYCLE_TIME","features":[179]},{"name":"MD_APP_ROOT","features":[179]},{"name":"MD_APP_SHUTDOWN_TIME_LIMIT","features":[179]},{"name":"MD_APP_TRACE_URL_LIST","features":[179]},{"name":"MD_APP_WAM_CLSID","features":[179]},{"name":"MD_ASP_ALLOWOUTOFPROCCMPNTS","features":[179]},{"name":"MD_ASP_ALLOWOUTOFPROCCOMPONENTS","features":[179]},{"name":"MD_ASP_ALLOWSESSIONSTATE","features":[179]},{"name":"MD_ASP_BUFFERINGON","features":[179]},{"name":"MD_ASP_BUFFER_LIMIT","features":[179]},{"name":"MD_ASP_CALCLINENUMBER","features":[179]},{"name":"MD_ASP_CODEPAGE","features":[179]},{"name":"MD_ASP_DISKTEMPLATECACHEDIRECTORY","features":[179]},{"name":"MD_ASP_ENABLEAPPLICATIONRESTART","features":[179]},{"name":"MD_ASP_ENABLEASPHTMLFALLBACK","features":[179]},{"name":"MD_ASP_ENABLECHUNKEDENCODING","features":[179]},{"name":"MD_ASP_ENABLECLIENTDEBUG","features":[179]},{"name":"MD_ASP_ENABLEPARENTPATHS","features":[179]},{"name":"MD_ASP_ENABLESERVERDEBUG","features":[179]},{"name":"MD_ASP_ENABLETYPELIBCACHE","features":[179]},{"name":"MD_ASP_ERRORSTONTLOG","features":[179]},{"name":"MD_ASP_EXCEPTIONCATCHENABLE","features":[179]},{"name":"MD_ASP_EXECUTEINMTA","features":[179]},{"name":"MD_ASP_ID_LAST","features":[179]},{"name":"MD_ASP_KEEPSESSIONIDSECURE","features":[179]},{"name":"MD_ASP_LCID","features":[179]},{"name":"MD_ASP_LOGERRORREQUESTS","features":[179]},{"name":"MD_ASP_MAXDISKTEMPLATECACHEFILES","features":[179]},{"name":"MD_ASP_MAXREQUESTENTITY","features":[179]},{"name":"MD_ASP_MAX_REQUEST_ENTITY_ALLOWED","features":[179]},{"name":"MD_ASP_MEMFREEFACTOR","features":[179]},{"name":"MD_ASP_MINUSEDBLOCKS","features":[179]},{"name":"MD_ASP_PROCESSORTHREADMAX","features":[179]},{"name":"MD_ASP_QUEUECONNECTIONTESTTIME","features":[179]},{"name":"MD_ASP_QUEUETIMEOUT","features":[179]},{"name":"MD_ASP_REQEUSTQUEUEMAX","features":[179]},{"name":"MD_ASP_RUN_ONEND_ANON","features":[179]},{"name":"MD_ASP_SCRIPTENGINECACHEMAX","features":[179]},{"name":"MD_ASP_SCRIPTERRORMESSAGE","features":[179]},{"name":"MD_ASP_SCRIPTERRORSSENTTOBROWSER","features":[179]},{"name":"MD_ASP_SCRIPTFILECACHESIZE","features":[179]},{"name":"MD_ASP_SCRIPTLANGUAGE","features":[179]},{"name":"MD_ASP_SCRIPTLANGUAGELIST","features":[179]},{"name":"MD_ASP_SCRIPTTIMEOUT","features":[179]},{"name":"MD_ASP_SERVICE_ENABLE_SXS","features":[179]},{"name":"MD_ASP_SERVICE_ENABLE_TRACKER","features":[179]},{"name":"MD_ASP_SERVICE_FLAGS","features":[179]},{"name":"MD_ASP_SERVICE_FLAG_FUSION","features":[179]},{"name":"MD_ASP_SERVICE_FLAG_PARTITIONS","features":[179]},{"name":"MD_ASP_SERVICE_FLAG_TRACKER","features":[179]},{"name":"MD_ASP_SERVICE_PARTITION_ID","features":[179]},{"name":"MD_ASP_SERVICE_SXS_NAME","features":[179]},{"name":"MD_ASP_SERVICE_USE_PARTITION","features":[179]},{"name":"MD_ASP_SESSIONMAX","features":[179]},{"name":"MD_ASP_SESSIONTIMEOUT","features":[179]},{"name":"MD_ASP_THREADGATEENABLED","features":[179]},{"name":"MD_ASP_THREADGATELOADHIGH","features":[179]},{"name":"MD_ASP_THREADGATELOADLOW","features":[179]},{"name":"MD_ASP_THREADGATESLEEPDELAY","features":[179]},{"name":"MD_ASP_THREADGATESLEEPMAX","features":[179]},{"name":"MD_ASP_THREADGATETIMESLICE","features":[179]},{"name":"MD_ASP_TRACKTHREADINGMODEL","features":[179]},{"name":"MD_AUTHORIZATION","features":[179]},{"name":"MD_AUTHORIZATION_PERSISTENCE","features":[179]},{"name":"MD_AUTH_ADVNOTIFY_DISABLE","features":[179]},{"name":"MD_AUTH_ANONYMOUS","features":[179]},{"name":"MD_AUTH_BASIC","features":[179]},{"name":"MD_AUTH_CHANGE_DISABLE","features":[179]},{"name":"MD_AUTH_CHANGE_FLAGS","features":[179]},{"name":"MD_AUTH_CHANGE_UNSECURE","features":[179]},{"name":"MD_AUTH_CHANGE_URL","features":[179]},{"name":"MD_AUTH_EXPIRED_UNSECUREURL","features":[179]},{"name":"MD_AUTH_EXPIRED_URL","features":[179]},{"name":"MD_AUTH_MD5","features":[179]},{"name":"MD_AUTH_NT","features":[179]},{"name":"MD_AUTH_PASSPORT","features":[179]},{"name":"MD_AUTH_SINGLEREQUEST","features":[179]},{"name":"MD_AUTH_SINGLEREQUESTALWAYSIFPROXY","features":[179]},{"name":"MD_AUTH_SINGLEREQUESTIFPROXY","features":[179]},{"name":"MD_BACKUP_FORCE_BACKUP","features":[179]},{"name":"MD_BACKUP_HIGHEST_VERSION","features":[179]},{"name":"MD_BACKUP_MAX_LEN","features":[179]},{"name":"MD_BACKUP_MAX_VERSION","features":[179]},{"name":"MD_BACKUP_NEXT_VERSION","features":[179]},{"name":"MD_BACKUP_OVERWRITE","features":[179]},{"name":"MD_BACKUP_SAVE_FIRST","features":[179]},{"name":"MD_BANNER_MESSAGE","features":[179]},{"name":"MD_BINDINGS","features":[179]},{"name":"MD_CACHE_EXTENSIONS","features":[179]},{"name":"MD_CAL_AUTH_RESERVE_TIMEOUT","features":[179]},{"name":"MD_CAL_SSL_RESERVE_TIMEOUT","features":[179]},{"name":"MD_CAL_VC_PER_CONNECT","features":[179]},{"name":"MD_CAL_W3_ERROR","features":[179]},{"name":"MD_CC_MAX_AGE","features":[179]},{"name":"MD_CC_NO_CACHE","features":[179]},{"name":"MD_CC_OTHER","features":[179]},{"name":"MD_CENTRAL_W3C_LOGGING_ENABLED","features":[179]},{"name":"MD_CERT_CACHE_RETRIEVAL_ONLY","features":[179]},{"name":"MD_CERT_CHECK_REVOCATION_FRESHNESS_TIME","features":[179]},{"name":"MD_CERT_NO_REVOC_CHECK","features":[179]},{"name":"MD_CERT_NO_USAGE_CHECK","features":[179]},{"name":"MD_CGI_RESTRICTION_LIST","features":[179]},{"name":"MD_CHANGE_OBJECT_W","features":[179]},{"name":"MD_CHANGE_TYPE_ADD_OBJECT","features":[179]},{"name":"MD_CHANGE_TYPE_DELETE_DATA","features":[179]},{"name":"MD_CHANGE_TYPE_DELETE_OBJECT","features":[179]},{"name":"MD_CHANGE_TYPE_RENAME_OBJECT","features":[179]},{"name":"MD_CHANGE_TYPE_RESTORE","features":[179]},{"name":"MD_CHANGE_TYPE_SET_DATA","features":[179]},{"name":"MD_COMMENTS","features":[179]},{"name":"MD_CONNECTION_TIMEOUT","features":[179]},{"name":"MD_CPU_ACTION","features":[179]},{"name":"MD_CPU_APP_ENABLED","features":[179]},{"name":"MD_CPU_CGI_ENABLED","features":[179]},{"name":"MD_CPU_CGI_LIMIT","features":[179]},{"name":"MD_CPU_DISABLE_ALL_LOGGING","features":[179]},{"name":"MD_CPU_ENABLE_ACTIVE_PROCS","features":[179]},{"name":"MD_CPU_ENABLE_ALL_PROC_LOGGING","features":[179]},{"name":"MD_CPU_ENABLE_APP_LOGGING","features":[179]},{"name":"MD_CPU_ENABLE_CGI_LOGGING","features":[179]},{"name":"MD_CPU_ENABLE_EVENT","features":[179]},{"name":"MD_CPU_ENABLE_KERNEL_TIME","features":[179]},{"name":"MD_CPU_ENABLE_LOGGING","features":[179]},{"name":"MD_CPU_ENABLE_PAGE_FAULTS","features":[179]},{"name":"MD_CPU_ENABLE_PROC_TYPE","features":[179]},{"name":"MD_CPU_ENABLE_TERMINATED_PROCS","features":[179]},{"name":"MD_CPU_ENABLE_TOTAL_PROCS","features":[179]},{"name":"MD_CPU_ENABLE_USER_TIME","features":[179]},{"name":"MD_CPU_KILL_W3WP","features":[179]},{"name":"MD_CPU_LIMIT","features":[179]},{"name":"MD_CPU_LIMITS_ENABLED","features":[179]},{"name":"MD_CPU_LIMIT_LOGEVENT","features":[179]},{"name":"MD_CPU_LIMIT_PAUSE","features":[179]},{"name":"MD_CPU_LIMIT_PRIORITY","features":[179]},{"name":"MD_CPU_LIMIT_PROCSTOP","features":[179]},{"name":"MD_CPU_LOGGING_INTERVAL","features":[179]},{"name":"MD_CPU_LOGGING_MASK","features":[179]},{"name":"MD_CPU_LOGGING_OPTIONS","features":[179]},{"name":"MD_CPU_NO_ACTION","features":[179]},{"name":"MD_CPU_RESET_INTERVAL","features":[179]},{"name":"MD_CPU_THROTTLE","features":[179]},{"name":"MD_CPU_TRACE","features":[179]},{"name":"MD_CREATE_PROCESS_AS_USER","features":[179]},{"name":"MD_CREATE_PROC_NEW_CONSOLE","features":[179]},{"name":"MD_CUSTOM_DEPLOYMENT_DATA","features":[179]},{"name":"MD_CUSTOM_ERROR","features":[179]},{"name":"MD_CUSTOM_ERROR_DESC","features":[179]},{"name":"MD_DEFAULT_BACKUP_LOCATION","features":[179]},{"name":"MD_DEFAULT_LOAD_FILE","features":[179]},{"name":"MD_DEFAULT_LOGON_DOMAIN","features":[179]},{"name":"MD_DEMAND_START_THRESHOLD","features":[179]},{"name":"MD_DIRBROW_ENABLED","features":[179]},{"name":"MD_DIRBROW_LOADDEFAULT","features":[179]},{"name":"MD_DIRBROW_LONG_DATE","features":[179]},{"name":"MD_DIRBROW_SHOW_DATE","features":[179]},{"name":"MD_DIRBROW_SHOW_EXTENSION","features":[179]},{"name":"MD_DIRBROW_SHOW_SIZE","features":[179]},{"name":"MD_DIRBROW_SHOW_TIME","features":[179]},{"name":"MD_DIRECTORY_BROWSING","features":[179]},{"name":"MD_DISABLE_SOCKET_POOLING","features":[179]},{"name":"MD_DONT_LOG","features":[179]},{"name":"MD_DOWNLEVEL_ADMIN_INSTANCE","features":[179]},{"name":"MD_DO_REVERSE_DNS","features":[179]},{"name":"MD_ENABLEDPROTOCOLS","features":[179]},{"name":"MD_ENABLE_URL_AUTHORIZATION","features":[179]},{"name":"MD_ERROR_CANNOT_REMOVE_SECURE_ATTRIBUTE","features":[179]},{"name":"MD_ERROR_DATA_NOT_FOUND","features":[179]},{"name":"MD_ERROR_IISAO_INVALID_SCHEMA","features":[179]},{"name":"MD_ERROR_INVALID_VERSION","features":[179]},{"name":"MD_ERROR_NOT_INITIALIZED","features":[179]},{"name":"MD_ERROR_NO_SESSION_KEY","features":[179]},{"name":"MD_ERROR_READ_METABASE_FILE","features":[179]},{"name":"MD_ERROR_SECURE_CHANNEL_FAILURE","features":[179]},{"name":"MD_ERROR_SUB400_INVALID_CONTENT_LENGTH","features":[179]},{"name":"MD_ERROR_SUB400_INVALID_DEPTH","features":[179]},{"name":"MD_ERROR_SUB400_INVALID_DESTINATION","features":[179]},{"name":"MD_ERROR_SUB400_INVALID_IF","features":[179]},{"name":"MD_ERROR_SUB400_INVALID_LOCK_TOKEN","features":[179]},{"name":"MD_ERROR_SUB400_INVALID_OVERWRITE","features":[179]},{"name":"MD_ERROR_SUB400_INVALID_REQUEST_BODY","features":[179]},{"name":"MD_ERROR_SUB400_INVALID_TIMEOUT","features":[179]},{"name":"MD_ERROR_SUB400_INVALID_TRANSLATE","features":[179]},{"name":"MD_ERROR_SUB400_INVALID_WEBSOCKET_REQUEST","features":[179]},{"name":"MD_ERROR_SUB400_INVALID_XFF_HEADER","features":[179]},{"name":"MD_ERROR_SUB401_APPLICATION","features":[179]},{"name":"MD_ERROR_SUB401_FILTER","features":[179]},{"name":"MD_ERROR_SUB401_LOGON","features":[179]},{"name":"MD_ERROR_SUB401_LOGON_ACL","features":[179]},{"name":"MD_ERROR_SUB401_LOGON_CONFIG","features":[179]},{"name":"MD_ERROR_SUB401_URLAUTH_POLICY","features":[179]},{"name":"MD_ERROR_SUB403_ADDR_REJECT","features":[179]},{"name":"MD_ERROR_SUB403_APPPOOL_DENIED","features":[179]},{"name":"MD_ERROR_SUB403_CAL_EXCEEDED","features":[179]},{"name":"MD_ERROR_SUB403_CERT_BAD","features":[179]},{"name":"MD_ERROR_SUB403_CERT_REQUIRED","features":[179]},{"name":"MD_ERROR_SUB403_CERT_REVOKED","features":[179]},{"name":"MD_ERROR_SUB403_CERT_TIME_INVALID","features":[179]},{"name":"MD_ERROR_SUB403_DIR_LIST_DENIED","features":[179]},{"name":"MD_ERROR_SUB403_EXECUTE_ACCESS_DENIED","features":[179]},{"name":"MD_ERROR_SUB403_INFINITE_DEPTH_DENIED","features":[179]},{"name":"MD_ERROR_SUB403_INSUFFICIENT_PRIVILEGE_FOR_CGI","features":[179]},{"name":"MD_ERROR_SUB403_INVALID_CNFG","features":[179]},{"name":"MD_ERROR_SUB403_LOCK_TOKEN_REQUIRED","features":[179]},{"name":"MD_ERROR_SUB403_MAPPER_DENY_ACCESS","features":[179]},{"name":"MD_ERROR_SUB403_PASSPORT_LOGIN_FAILURE","features":[179]},{"name":"MD_ERROR_SUB403_PWD_CHANGE","features":[179]},{"name":"MD_ERROR_SUB403_READ_ACCESS_DENIED","features":[179]},{"name":"MD_ERROR_SUB403_SITE_ACCESS_DENIED","features":[179]},{"name":"MD_ERROR_SUB403_SOURCE_ACCESS_DENIED","features":[179]},{"name":"MD_ERROR_SUB403_SSL128_REQUIRED","features":[179]},{"name":"MD_ERROR_SUB403_SSL_REQUIRED","features":[179]},{"name":"MD_ERROR_SUB403_TOO_MANY_USERS","features":[179]},{"name":"MD_ERROR_SUB403_VALIDATION_FAILURE","features":[179]},{"name":"MD_ERROR_SUB403_WRITE_ACCESS_DENIED","features":[179]},{"name":"MD_ERROR_SUB404_DENIED_BY_FILTERING_RULE","features":[179]},{"name":"MD_ERROR_SUB404_DENIED_BY_MIMEMAP","features":[179]},{"name":"MD_ERROR_SUB404_DENIED_BY_POLICY","features":[179]},{"name":"MD_ERROR_SUB404_FILE_ATTRIBUTE_HIDDEN","features":[179]},{"name":"MD_ERROR_SUB404_FILE_EXTENSION_DENIED","features":[179]},{"name":"MD_ERROR_SUB404_HIDDEN_SEGMENT","features":[179]},{"name":"MD_ERROR_SUB404_NO_HANDLER","features":[179]},{"name":"MD_ERROR_SUB404_PRECONDITIONED_HANDLER","features":[179]},{"name":"MD_ERROR_SUB404_QUERY_STRING_SEQUENCE_DENIED","features":[179]},{"name":"MD_ERROR_SUB404_QUERY_STRING_TOO_LONG","features":[179]},{"name":"MD_ERROR_SUB404_SITE_NOT_FOUND","features":[179]},{"name":"MD_ERROR_SUB404_STATICFILE_DAV","features":[179]},{"name":"MD_ERROR_SUB404_TOO_MANY_URL_SEGMENTS","features":[179]},{"name":"MD_ERROR_SUB404_URL_DOUBLE_ESCAPED","features":[179]},{"name":"MD_ERROR_SUB404_URL_HAS_HIGH_BIT_CHARS","features":[179]},{"name":"MD_ERROR_SUB404_URL_SEQUENCE_DENIED","features":[179]},{"name":"MD_ERROR_SUB404_URL_TOO_LONG","features":[179]},{"name":"MD_ERROR_SUB404_VERB_DENIED","features":[179]},{"name":"MD_ERROR_SUB413_CONTENT_LENGTH_TOO_LARGE","features":[179]},{"name":"MD_ERROR_SUB423_LOCK_TOKEN_SUBMITTED","features":[179]},{"name":"MD_ERROR_SUB423_NO_CONFLICTING_LOCK","features":[179]},{"name":"MD_ERROR_SUB500_ASPNET_HANDLERS","features":[179]},{"name":"MD_ERROR_SUB500_ASPNET_IMPERSONATION","features":[179]},{"name":"MD_ERROR_SUB500_ASPNET_MODULES","features":[179]},{"name":"MD_ERROR_SUB500_BAD_METADATA","features":[179]},{"name":"MD_ERROR_SUB500_HANDLERS_MODULE","features":[179]},{"name":"MD_ERROR_SUB500_UNC_ACCESS","features":[179]},{"name":"MD_ERROR_SUB500_URLAUTH_NO_SCOPE","features":[179]},{"name":"MD_ERROR_SUB500_URLAUTH_NO_STORE","features":[179]},{"name":"MD_ERROR_SUB500_URLAUTH_STORE_ERROR","features":[179]},{"name":"MD_ERROR_SUB502_ARR_CONNECTION_ERROR","features":[179]},{"name":"MD_ERROR_SUB502_ARR_NO_SERVER","features":[179]},{"name":"MD_ERROR_SUB502_PREMATURE_EXIT","features":[179]},{"name":"MD_ERROR_SUB502_TIMEOUT","features":[179]},{"name":"MD_ERROR_SUB503_APP_CONCURRENT","features":[179]},{"name":"MD_ERROR_SUB503_ASPNET_QUEUE_FULL","features":[179]},{"name":"MD_ERROR_SUB503_CONNECTION_LIMIT","features":[179]},{"name":"MD_ERROR_SUB503_CPU_LIMIT","features":[179]},{"name":"MD_ERROR_SUB503_FASTCGI_QUEUE_FULL","features":[179]},{"name":"MD_EXIT_MESSAGE","features":[179]},{"name":"MD_EXPORT_INHERITED","features":[179]},{"name":"MD_EXPORT_NODE_ONLY","features":[179]},{"name":"MD_EXTLOG_BYTES_RECV","features":[179]},{"name":"MD_EXTLOG_BYTES_SENT","features":[179]},{"name":"MD_EXTLOG_CLIENT_IP","features":[179]},{"name":"MD_EXTLOG_COMPUTER_NAME","features":[179]},{"name":"MD_EXTLOG_COOKIE","features":[179]},{"name":"MD_EXTLOG_DATE","features":[179]},{"name":"MD_EXTLOG_HOST","features":[179]},{"name":"MD_EXTLOG_HTTP_STATUS","features":[179]},{"name":"MD_EXTLOG_HTTP_SUB_STATUS","features":[179]},{"name":"MD_EXTLOG_METHOD","features":[179]},{"name":"MD_EXTLOG_PROTOCOL_VERSION","features":[179]},{"name":"MD_EXTLOG_REFERER","features":[179]},{"name":"MD_EXTLOG_SERVER_IP","features":[179]},{"name":"MD_EXTLOG_SERVER_PORT","features":[179]},{"name":"MD_EXTLOG_SITE_NAME","features":[179]},{"name":"MD_EXTLOG_TIME","features":[179]},{"name":"MD_EXTLOG_TIME_TAKEN","features":[179]},{"name":"MD_EXTLOG_URI_QUERY","features":[179]},{"name":"MD_EXTLOG_URI_STEM","features":[179]},{"name":"MD_EXTLOG_USERNAME","features":[179]},{"name":"MD_EXTLOG_USER_AGENT","features":[179]},{"name":"MD_EXTLOG_WIN32_STATUS","features":[179]},{"name":"MD_FILTER_DESCRIPTION","features":[179]},{"name":"MD_FILTER_ENABLED","features":[179]},{"name":"MD_FILTER_ENABLE_CACHE","features":[179]},{"name":"MD_FILTER_FLAGS","features":[179]},{"name":"MD_FILTER_IMAGE_PATH","features":[179]},{"name":"MD_FILTER_LOAD_ORDER","features":[179]},{"name":"MD_FILTER_STATE","features":[179]},{"name":"MD_FILTER_STATE_LOADED","features":[179]},{"name":"MD_FILTER_STATE_UNLOADED","features":[179]},{"name":"MD_FOOTER_DOCUMENT","features":[179]},{"name":"MD_FOOTER_ENABLED","features":[179]},{"name":"MD_FRONTPAGE_WEB","features":[179]},{"name":"MD_FTPS_128_BITS","features":[179]},{"name":"MD_FTPS_ALLOW_CCC","features":[179]},{"name":"MD_FTPS_SECURE_ANONYMOUS","features":[179]},{"name":"MD_FTPS_SECURE_CONTROL_CHANNEL","features":[179]},{"name":"MD_FTPS_SECURE_DATA_CHANNEL","features":[179]},{"name":"MD_FTP_KEEP_PARTIAL_UPLOADS","features":[179]},{"name":"MD_FTP_LOG_IN_UTF_8","features":[179]},{"name":"MD_FTP_PASV_RESPONSE_IP","features":[179]},{"name":"MD_FTP_UTF8_FILE_NAMES","features":[179]},{"name":"MD_GLOBAL_BINARY_LOGGING_ENABLED","features":[179]},{"name":"MD_GLOBAL_BINSCHEMATIMESTAMP","features":[179]},{"name":"MD_GLOBAL_CHANGE_NUMBER","features":[179]},{"name":"MD_GLOBAL_EDIT_WHILE_RUNNING_MAJOR_VERSION_NUMBER","features":[179]},{"name":"MD_GLOBAL_EDIT_WHILE_RUNNING_MINOR_VERSION_NUMBER","features":[179]},{"name":"MD_GLOBAL_LOG_IN_UTF_8","features":[179]},{"name":"MD_GLOBAL_SESSIONKEY","features":[179]},{"name":"MD_GLOBAL_STANDARD_APP_MODE_ENABLED","features":[179]},{"name":"MD_GLOBAL_XMLSCHEMATIMESTAMP","features":[179]},{"name":"MD_GREETING_MESSAGE","features":[179]},{"name":"MD_HC_CACHE_CONTROL_HEADER","features":[179]},{"name":"MD_HC_COMPRESSION_BUFFER_SIZE","features":[179]},{"name":"MD_HC_COMPRESSION_DIRECTORY","features":[179]},{"name":"MD_HC_COMPRESSION_DLL","features":[179]},{"name":"MD_HC_CREATE_FLAGS","features":[179]},{"name":"MD_HC_DO_DISK_SPACE_LIMITING","features":[179]},{"name":"MD_HC_DO_DYNAMIC_COMPRESSION","features":[179]},{"name":"MD_HC_DO_NAMESPACE_DYNAMIC_COMPRESSION","features":[179]},{"name":"MD_HC_DO_NAMESPACE_STATIC_COMPRESSION","features":[179]},{"name":"MD_HC_DO_ON_DEMAND_COMPRESSION","features":[179]},{"name":"MD_HC_DO_STATIC_COMPRESSION","features":[179]},{"name":"MD_HC_DYNAMIC_COMPRESSION_LEVEL","features":[179]},{"name":"MD_HC_EXPIRES_HEADER","features":[179]},{"name":"MD_HC_FILES_DELETED_PER_DISK_FREE","features":[179]},{"name":"MD_HC_FILE_EXTENSIONS","features":[179]},{"name":"MD_HC_IO_BUFFER_SIZE","features":[179]},{"name":"MD_HC_MAX_DISK_SPACE_USAGE","features":[179]},{"name":"MD_HC_MAX_QUEUE_LENGTH","features":[179]},{"name":"MD_HC_MIME_TYPE","features":[179]},{"name":"MD_HC_MIN_FILE_SIZE_FOR_COMP","features":[179]},{"name":"MD_HC_NO_COMPRESSION_FOR_HTTP_10","features":[179]},{"name":"MD_HC_NO_COMPRESSION_FOR_PROXIES","features":[179]},{"name":"MD_HC_NO_COMPRESSION_FOR_RANGE","features":[179]},{"name":"MD_HC_ON_DEMAND_COMP_LEVEL","features":[179]},{"name":"MD_HC_PRIORITY","features":[179]},{"name":"MD_HC_SCRIPT_FILE_EXTENSIONS","features":[179]},{"name":"MD_HC_SEND_CACHE_HEADERS","features":[179]},{"name":"MD_HEADER_WAIT_TIMEOUT","features":[179]},{"name":"MD_HISTORY_LATEST","features":[179]},{"name":"MD_HTTPERRORS_EXISTING_RESPONSE","features":[179]},{"name":"MD_HTTP_CUSTOM","features":[179]},{"name":"MD_HTTP_EXPIRES","features":[179]},{"name":"MD_HTTP_FORWARDER_CUSTOM","features":[179]},{"name":"MD_HTTP_PICS","features":[179]},{"name":"MD_HTTP_REDIRECT","features":[179]},{"name":"MD_IISADMIN_EXTENSIONS","features":[179]},{"name":"MD_IMPORT_INHERITED","features":[179]},{"name":"MD_IMPORT_MERGE","features":[179]},{"name":"MD_IMPORT_NODE_ONLY","features":[179]},{"name":"MD_INSERT_PATH_STRING","features":[179]},{"name":"MD_INSERT_PATH_STRINGA","features":[179]},{"name":"MD_IN_PROCESS_ISAPI_APPS","features":[179]},{"name":"MD_IP_SEC","features":[179]},{"name":"MD_ISAPI_RESTRICTION_LIST","features":[179]},{"name":"MD_IS_CONTENT_INDEXED","features":[179]},{"name":"MD_KEY_TYPE","features":[179]},{"name":"MD_LEVELS_TO_SCAN","features":[179]},{"name":"MD_LOAD_BALANCER_CAPABILITIES","features":[179]},{"name":"MD_LOAD_BALANCER_CAPABILITIES_BASIC","features":[179]},{"name":"MD_LOAD_BALANCER_CAPABILITIES_SOPHISTICATED","features":[179]},{"name":"MD_LOCATION","features":[179]},{"name":"MD_LOGCUSTOM_DATATYPE_DOUBLE","features":[179]},{"name":"MD_LOGCUSTOM_DATATYPE_FLOAT","features":[179]},{"name":"MD_LOGCUSTOM_DATATYPE_INT","features":[179]},{"name":"MD_LOGCUSTOM_DATATYPE_LONG","features":[179]},{"name":"MD_LOGCUSTOM_DATATYPE_LPSTR","features":[179]},{"name":"MD_LOGCUSTOM_DATATYPE_LPWSTR","features":[179]},{"name":"MD_LOGCUSTOM_DATATYPE_UINT","features":[179]},{"name":"MD_LOGCUSTOM_DATATYPE_ULONG","features":[179]},{"name":"MD_LOGCUSTOM_PROPERTY_DATATYPE","features":[179]},{"name":"MD_LOGCUSTOM_PROPERTY_HEADER","features":[179]},{"name":"MD_LOGCUSTOM_PROPERTY_ID","features":[179]},{"name":"MD_LOGCUSTOM_PROPERTY_MASK","features":[179]},{"name":"MD_LOGCUSTOM_PROPERTY_NAME","features":[179]},{"name":"MD_LOGCUSTOM_PROPERTY_NODE_ID","features":[179]},{"name":"MD_LOGCUSTOM_SERVICES_STRING","features":[179]},{"name":"MD_LOGEXT_FIELD_MASK","features":[179]},{"name":"MD_LOGEXT_FIELD_MASK2","features":[179]},{"name":"MD_LOGFILE_DIRECTORY","features":[179]},{"name":"MD_LOGFILE_LOCALTIME_ROLLOVER","features":[179]},{"name":"MD_LOGFILE_PERIOD","features":[179]},{"name":"MD_LOGFILE_PERIOD_DAILY","features":[179]},{"name":"MD_LOGFILE_PERIOD_HOURLY","features":[179]},{"name":"MD_LOGFILE_PERIOD_MAXSIZE","features":[179]},{"name":"MD_LOGFILE_PERIOD_MONTHLY","features":[179]},{"name":"MD_LOGFILE_PERIOD_NONE","features":[179]},{"name":"MD_LOGFILE_PERIOD_WEEKLY","features":[179]},{"name":"MD_LOGFILE_TRUNCATE_SIZE","features":[179]},{"name":"MD_LOGON_BATCH","features":[179]},{"name":"MD_LOGON_INTERACTIVE","features":[179]},{"name":"MD_LOGON_METHOD","features":[179]},{"name":"MD_LOGON_NETWORK","features":[179]},{"name":"MD_LOGON_NETWORK_CLEARTEXT","features":[179]},{"name":"MD_LOGSQL_DATA_SOURCES","features":[179]},{"name":"MD_LOGSQL_PASSWORD","features":[179]},{"name":"MD_LOGSQL_TABLE_NAME","features":[179]},{"name":"MD_LOGSQL_USER_NAME","features":[179]},{"name":"MD_LOG_ANONYMOUS","features":[179]},{"name":"MD_LOG_NONANONYMOUS","features":[179]},{"name":"MD_LOG_PLUGINS_AVAILABLE","features":[179]},{"name":"MD_LOG_PLUGIN_MOD_ID","features":[179]},{"name":"MD_LOG_PLUGIN_ORDER","features":[179]},{"name":"MD_LOG_PLUGIN_UI_ID","features":[179]},{"name":"MD_LOG_TYPE","features":[179]},{"name":"MD_LOG_TYPE_DISABLED","features":[179]},{"name":"MD_LOG_TYPE_ENABLED","features":[179]},{"name":"MD_LOG_UNUSED1","features":[179]},{"name":"MD_MAX_BANDWIDTH","features":[179]},{"name":"MD_MAX_BANDWIDTH_BLOCKED","features":[179]},{"name":"MD_MAX_CHANGE_ENTRIES","features":[179]},{"name":"MD_MAX_CLIENTS_MESSAGE","features":[179]},{"name":"MD_MAX_CONNECTIONS","features":[179]},{"name":"MD_MAX_ENDPOINT_CONNECTIONS","features":[179]},{"name":"MD_MAX_ERROR_FILES","features":[179]},{"name":"MD_MAX_GLOBAL_BANDWIDTH","features":[179]},{"name":"MD_MAX_GLOBAL_CONNECTIONS","features":[179]},{"name":"MD_MAX_REQUEST_ENTITY_ALLOWED","features":[179]},{"name":"MD_MD_SERVER_SS_AUTH_MAPPING","features":[179]},{"name":"MD_METADATA_ID_REGISTRATION","features":[179]},{"name":"MD_MIME_MAP","features":[179]},{"name":"MD_MIN_FILE_BYTES_PER_SEC","features":[179]},{"name":"MD_MSDOS_DIR_OUTPUT","features":[179]},{"name":"MD_NETLOGON_WKS_DNS","features":[179]},{"name":"MD_NETLOGON_WKS_IP","features":[179]},{"name":"MD_NETLOGON_WKS_NONE","features":[179]},{"name":"MD_NET_LOGON_WKS","features":[179]},{"name":"MD_NOTIFEXAUTH_NTLMSSL","features":[179]},{"name":"MD_NOTIFY_ACCESS_DENIED","features":[179]},{"name":"MD_NOTIFY_AUTHENTICATION","features":[179]},{"name":"MD_NOTIFY_AUTH_COMPLETE","features":[179]},{"name":"MD_NOTIFY_END_OF_NET_SESSION","features":[179]},{"name":"MD_NOTIFY_END_OF_REQUEST","features":[179]},{"name":"MD_NOTIFY_LOG","features":[179]},{"name":"MD_NOTIFY_NONSECURE_PORT","features":[179]},{"name":"MD_NOTIFY_ORDER_DEFAULT","features":[179]},{"name":"MD_NOTIFY_ORDER_HIGH","features":[179]},{"name":"MD_NOTIFY_ORDER_LOW","features":[179]},{"name":"MD_NOTIFY_ORDER_MEDIUM","features":[179]},{"name":"MD_NOTIFY_PREPROC_HEADERS","features":[179]},{"name":"MD_NOTIFY_READ_RAW_DATA","features":[179]},{"name":"MD_NOTIFY_SECURE_PORT","features":[179]},{"name":"MD_NOTIFY_SEND_RAW_DATA","features":[179]},{"name":"MD_NOTIFY_SEND_RESPONSE","features":[179]},{"name":"MD_NOTIFY_URL_MAP","features":[179]},{"name":"MD_NOT_DELETABLE","features":[179]},{"name":"MD_NTAUTHENTICATION_PROVIDERS","features":[179]},{"name":"MD_PASSIVE_PORT_RANGE","features":[179]},{"name":"MD_PASSPORT_NEED_MAPPING","features":[179]},{"name":"MD_PASSPORT_NO_MAPPING","features":[179]},{"name":"MD_PASSPORT_REQUIRE_AD_MAPPING","features":[179]},{"name":"MD_PASSPORT_TRY_MAPPING","features":[179]},{"name":"MD_POOL_IDC_TIMEOUT","features":[179]},{"name":"MD_PROCESS_NTCR_IF_LOGGED_ON","features":[179]},{"name":"MD_PUT_READ_SIZE","features":[179]},{"name":"MD_RAPID_FAIL_PROTECTION_INTERVAL","features":[179]},{"name":"MD_RAPID_FAIL_PROTECTION_MAX_CRASHES","features":[179]},{"name":"MD_REALM","features":[179]},{"name":"MD_REDIRECT_HEADERS","features":[179]},{"name":"MD_RESTRICTION_LIST_CUSTOM_DESC","features":[179]},{"name":"MD_ROOT_ENABLE_EDIT_WHILE_RUNNING","features":[179]},{"name":"MD_ROOT_ENABLE_HISTORY","features":[179]},{"name":"MD_ROOT_MAX_HISTORY_FILES","features":[179]},{"name":"MD_SCHEMA_METAID","features":[179]},{"name":"MD_SCRIPTMAPFLAG_ALLOWED_ON_READ_DIR","features":[179]},{"name":"MD_SCRIPTMAPFLAG_CHECK_PATH_INFO","features":[179]},{"name":"MD_SCRIPTMAPFLAG_SCRIPT","features":[179]},{"name":"MD_SCRIPT_MAPS","features":[179]},{"name":"MD_SCRIPT_TIMEOUT","features":[179]},{"name":"MD_SECURE_BINDINGS","features":[179]},{"name":"MD_SECURITY_SETUP_REQUIRED","features":[179]},{"name":"MD_SERVER_AUTOSTART","features":[179]},{"name":"MD_SERVER_BINDINGS","features":[179]},{"name":"MD_SERVER_COMMAND","features":[179]},{"name":"MD_SERVER_COMMAND_CONTINUE","features":[179]},{"name":"MD_SERVER_COMMAND_PAUSE","features":[179]},{"name":"MD_SERVER_COMMAND_START","features":[179]},{"name":"MD_SERVER_COMMAND_STOP","features":[179]},{"name":"MD_SERVER_COMMENT","features":[179]},{"name":"MD_SERVER_CONFIGURATION_INFO","features":[179]},{"name":"MD_SERVER_CONFIG_ALLOW_ENCRYPT","features":[179]},{"name":"MD_SERVER_CONFIG_AUTO_PW_SYNC","features":[179]},{"name":"MD_SERVER_CONFIG_SSL_128","features":[179]},{"name":"MD_SERVER_CONFIG_SSL_40","features":[179]},{"name":"MD_SERVER_LISTEN_BACKLOG","features":[179]},{"name":"MD_SERVER_LISTEN_TIMEOUT","features":[179]},{"name":"MD_SERVER_SIZE","features":[179]},{"name":"MD_SERVER_SIZE_LARGE","features":[179]},{"name":"MD_SERVER_SIZE_MEDIUM","features":[179]},{"name":"MD_SERVER_SIZE_SMALL","features":[179]},{"name":"MD_SERVER_STATE","features":[179]},{"name":"MD_SERVER_STATE_CONTINUING","features":[179]},{"name":"MD_SERVER_STATE_PAUSED","features":[179]},{"name":"MD_SERVER_STATE_PAUSING","features":[179]},{"name":"MD_SERVER_STATE_STARTED","features":[179]},{"name":"MD_SERVER_STATE_STARTING","features":[179]},{"name":"MD_SERVER_STATE_STOPPED","features":[179]},{"name":"MD_SERVER_STATE_STOPPING","features":[179]},{"name":"MD_SET_HOST_NAME","features":[179]},{"name":"MD_SHOW_4_DIGIT_YEAR","features":[179]},{"name":"MD_SSI_EXEC_DISABLED","features":[179]},{"name":"MD_SSL_ACCESS_PERM","features":[179]},{"name":"MD_SSL_ALWAYS_NEGO_CLIENT_CERT","features":[179]},{"name":"MD_SSL_KEY_PASSWORD","features":[179]},{"name":"MD_SSL_KEY_REQUEST","features":[179]},{"name":"MD_SSL_PRIVATE_KEY","features":[179]},{"name":"MD_SSL_PUBLIC_KEY","features":[179]},{"name":"MD_SSL_USE_DS_MAPPER","features":[179]},{"name":"MD_STOP_LISTENING","features":[179]},{"name":"MD_SUPPRESS_DEFAULT_BANNER","features":[179]},{"name":"MD_UPLOAD_READAHEAD_SIZE","features":[179]},{"name":"MD_URL_AUTHORIZATION_IMPERSONATION_LEVEL","features":[179]},{"name":"MD_URL_AUTHORIZATION_SCOPE_NAME","features":[179]},{"name":"MD_URL_AUTHORIZATION_STORE_NAME","features":[179]},{"name":"MD_USER_ISOLATION","features":[179]},{"name":"MD_USER_ISOLATION_AD","features":[179]},{"name":"MD_USER_ISOLATION_BASIC","features":[179]},{"name":"MD_USER_ISOLATION_LAST","features":[179]},{"name":"MD_USER_ISOLATION_NONE","features":[179]},{"name":"MD_USE_DIGEST_SSP","features":[179]},{"name":"MD_USE_HOST_NAME","features":[179]},{"name":"MD_VR_IGNORE_TRANSLATE","features":[179]},{"name":"MD_VR_NO_CACHE","features":[179]},{"name":"MD_VR_PASSTHROUGH","features":[179]},{"name":"MD_VR_PASSWORD","features":[179]},{"name":"MD_VR_PATH","features":[179]},{"name":"MD_VR_USERNAME","features":[179]},{"name":"MD_WAM_PWD","features":[179]},{"name":"MD_WAM_USER_NAME","features":[179]},{"name":"MD_WARNING_DUP_NAME","features":[179]},{"name":"MD_WARNING_INVALID_DATA","features":[179]},{"name":"MD_WARNING_PATH_NOT_FOUND","features":[179]},{"name":"MD_WARNING_PATH_NOT_INSERTED","features":[179]},{"name":"MD_WARNING_SAVE_FAILED","features":[179]},{"name":"MD_WEBDAV_MAX_ATTRIBUTES_PER_ELEMENT","features":[179]},{"name":"MD_WEB_SVC_EXT_RESTRICTION_LIST","features":[179]},{"name":"MD_WIN32_ERROR","features":[179]},{"name":"METADATATYPES","features":[179]},{"name":"METADATA_DONT_EXPAND","features":[179]},{"name":"METADATA_GETALL_INTERNAL_RECORD","features":[179]},{"name":"METADATA_GETALL_RECORD","features":[179]},{"name":"METADATA_HANDLE_INFO","features":[179]},{"name":"METADATA_INHERIT","features":[179]},{"name":"METADATA_INSERT_PATH","features":[179]},{"name":"METADATA_ISINHERITED","features":[179]},{"name":"METADATA_LOCAL_MACHINE_ONLY","features":[179]},{"name":"METADATA_MASTER_ROOT_HANDLE","features":[179]},{"name":"METADATA_MAX_NAME_LEN","features":[179]},{"name":"METADATA_NON_SECURE_ONLY","features":[179]},{"name":"METADATA_NO_ATTRIBUTES","features":[179]},{"name":"METADATA_PARTIAL_PATH","features":[179]},{"name":"METADATA_PERMISSION_READ","features":[179]},{"name":"METADATA_PERMISSION_WRITE","features":[179]},{"name":"METADATA_RECORD","features":[179]},{"name":"METADATA_REFERENCE","features":[179]},{"name":"METADATA_SECURE","features":[179]},{"name":"METADATA_VOLATILE","features":[179]},{"name":"MSCS_MD_ID_BEGIN_RESERVED","features":[179]},{"name":"MSCS_MD_ID_END_RESERVED","features":[179]},{"name":"MULTISZ_METADATA","features":[179]},{"name":"NNTP_MD_ID_BEGIN_RESERVED","features":[179]},{"name":"NNTP_MD_ID_END_RESERVED","features":[179]},{"name":"PFN_GETEXTENSIONVERSION","features":[1,179]},{"name":"PFN_HSE_CACHE_INVALIDATION_CALLBACK","features":[179]},{"name":"PFN_HSE_GET_PROTOCOL_MANAGER_CUSTOM_INTERFACE_CALLBACK","features":[179]},{"name":"PFN_HSE_IO_COMPLETION","features":[1,179]},{"name":"PFN_HTTPEXTENSIONPROC","features":[1,179]},{"name":"PFN_IIS_GETSERVERVARIABLE","features":[1,179]},{"name":"PFN_IIS_READCLIENT","features":[1,179]},{"name":"PFN_IIS_SERVERSUPPORTFUNCTION","features":[1,179]},{"name":"PFN_IIS_WRITECLIENT","features":[1,179]},{"name":"PFN_TERMINATEEXTENSION","features":[1,179]},{"name":"PFN_WEB_CORE_ACTIVATE","features":[179]},{"name":"PFN_WEB_CORE_SET_METADATA_DLL_ENTRY","features":[179]},{"name":"PFN_WEB_CORE_SHUTDOWN","features":[179]},{"name":"POP3_MD_ID_BEGIN_RESERVED","features":[179]},{"name":"POP3_MD_ID_END_RESERVED","features":[179]},{"name":"POST_PROCESS_PARAMETERS","features":[1,179]},{"name":"PRE_PROCESS_PARAMETERS","features":[1,179]},{"name":"SF_DENIED_APPLICATION","features":[179]},{"name":"SF_DENIED_BY_CONFIG","features":[179]},{"name":"SF_DENIED_FILTER","features":[179]},{"name":"SF_DENIED_LOGON","features":[179]},{"name":"SF_DENIED_RESOURCE","features":[179]},{"name":"SF_MAX_AUTH_TYPE","features":[179]},{"name":"SF_MAX_FILTER_DESC_LEN","features":[179]},{"name":"SF_MAX_PASSWORD","features":[179]},{"name":"SF_MAX_USERNAME","features":[179]},{"name":"SF_NOTIFY_ACCESS_DENIED","features":[179]},{"name":"SF_NOTIFY_AUTHENTICATION","features":[179]},{"name":"SF_NOTIFY_AUTH_COMPLETE","features":[179]},{"name":"SF_NOTIFY_END_OF_NET_SESSION","features":[179]},{"name":"SF_NOTIFY_END_OF_REQUEST","features":[179]},{"name":"SF_NOTIFY_LOG","features":[179]},{"name":"SF_NOTIFY_NONSECURE_PORT","features":[179]},{"name":"SF_NOTIFY_ORDER_DEFAULT","features":[179]},{"name":"SF_NOTIFY_ORDER_HIGH","features":[179]},{"name":"SF_NOTIFY_ORDER_LOW","features":[179]},{"name":"SF_NOTIFY_ORDER_MEDIUM","features":[179]},{"name":"SF_NOTIFY_PREPROC_HEADERS","features":[179]},{"name":"SF_NOTIFY_READ_RAW_DATA","features":[179]},{"name":"SF_NOTIFY_SECURE_PORT","features":[179]},{"name":"SF_NOTIFY_SEND_RAW_DATA","features":[179]},{"name":"SF_NOTIFY_SEND_RESPONSE","features":[179]},{"name":"SF_NOTIFY_URL_MAP","features":[179]},{"name":"SF_PROPERTY_IIS","features":[179]},{"name":"SF_PROPERTY_INSTANCE_NUM_ID","features":[179]},{"name":"SF_PROPERTY_SSL_CTXT","features":[179]},{"name":"SF_REQ_ADD_HEADERS_ON_DENIAL","features":[179]},{"name":"SF_REQ_DISABLE_NOTIFICATIONS","features":[179]},{"name":"SF_REQ_GET_CONNID","features":[179]},{"name":"SF_REQ_GET_PROPERTY","features":[179]},{"name":"SF_REQ_NORMALIZE_URL","features":[179]},{"name":"SF_REQ_SEND_RESPONSE_HEADER","features":[179]},{"name":"SF_REQ_SET_CERTIFICATE_INFO","features":[179]},{"name":"SF_REQ_SET_NEXT_READ_SIZE","features":[179]},{"name":"SF_REQ_SET_PROXY_INFO","features":[179]},{"name":"SF_REQ_TYPE","features":[179]},{"name":"SF_STATUS_REQ_ERROR","features":[179]},{"name":"SF_STATUS_REQ_FINISHED","features":[179]},{"name":"SF_STATUS_REQ_FINISHED_KEEP_CONN","features":[179]},{"name":"SF_STATUS_REQ_HANDLED_NOTIFICATION","features":[179]},{"name":"SF_STATUS_REQ_NEXT_NOTIFICATION","features":[179]},{"name":"SF_STATUS_REQ_READ_NEXT","features":[179]},{"name":"SF_STATUS_TYPE","features":[179]},{"name":"SMTP_MD_ID_BEGIN_RESERVED","features":[179]},{"name":"SMTP_MD_ID_END_RESERVED","features":[179]},{"name":"STRING_METADATA","features":[179]},{"name":"USER_MD_ID_BASE_RESERVED","features":[179]},{"name":"WAM_MD_ID_BEGIN_RESERVED","features":[179]},{"name":"WAM_MD_ID_END_RESERVED","features":[179]},{"name":"WAM_MD_SERVER_BASE","features":[179]},{"name":"WEBDAV_MD_SERVER_BASE","features":[179]},{"name":"WEB_CORE_ACTIVATE_DLL_ENTRY","features":[179]},{"name":"WEB_CORE_DLL_NAME","features":[179]},{"name":"WEB_CORE_SET_METADATA_DLL_ENTRY","features":[179]},{"name":"WEB_CORE_SHUTDOWN_DLL_ENTRY","features":[179]}],"573":[{"name":"ABL_5_WO","features":[22]},{"name":"ADR_1","features":[22]},{"name":"ADR_2","features":[22]},{"name":"AIT1_8mm","features":[22]},{"name":"AIT_8mm","features":[22]},{"name":"AME_8mm","features":[22]},{"name":"ASSERT_ALTERNATE","features":[22]},{"name":"ASSERT_PRIMARY","features":[22]},{"name":"ASYNC_DUPLICATE_EXTENTS_STATUS","features":[22]},{"name":"ATAPI_ID_CMD","features":[22]},{"name":"AVATAR_F2","features":[22]},{"name":"AllElements","features":[22]},{"name":"AtaDataTypeIdentify","features":[22]},{"name":"AtaDataTypeLogPage","features":[22]},{"name":"AtaDataTypeUnknown","features":[22]},{"name":"BIN_COUNT","features":[22]},{"name":"BIN_RANGE","features":[22]},{"name":"BIN_RESULTS","features":[22]},{"name":"BIN_TYPES","features":[22]},{"name":"BOOT_AREA_INFO","features":[22]},{"name":"BULK_SECURITY_TEST_DATA","features":[22]},{"name":"CAP_ATAPI_ID_CMD","features":[22]},{"name":"CAP_ATA_ID_CMD","features":[22]},{"name":"CAP_SMART_CMD","features":[22]},{"name":"CDB_SIZE","features":[22]},{"name":"CD_R","features":[22]},{"name":"CD_ROM","features":[22]},{"name":"CD_RW","features":[22]},{"name":"CHANGER_BAR_CODE_SCANNER_INSTALLED","features":[22]},{"name":"CHANGER_CARTRIDGE_MAGAZINE","features":[22]},{"name":"CHANGER_CLEANER_ACCESS_NOT_VALID","features":[22]},{"name":"CHANGER_CLEANER_AUTODISMOUNT","features":[22]},{"name":"CHANGER_CLEANER_OPS_NOT_SUPPORTED","features":[22]},{"name":"CHANGER_CLEANER_SLOT","features":[22]},{"name":"CHANGER_CLOSE_IEPORT","features":[22]},{"name":"CHANGER_DEVICE_PROBLEM_TYPE","features":[22]},{"name":"CHANGER_DEVICE_REINITIALIZE_CAPABLE","features":[22]},{"name":"CHANGER_DRIVE_CLEANING_REQUIRED","features":[22]},{"name":"CHANGER_DRIVE_EMPTY_ON_DOOR_ACCESS","features":[22]},{"name":"CHANGER_ELEMENT","features":[22]},{"name":"CHANGER_ELEMENT_LIST","features":[22]},{"name":"CHANGER_ELEMENT_STATUS","features":[22]},{"name":"CHANGER_ELEMENT_STATUS_EX","features":[22]},{"name":"CHANGER_ELEMENT_STATUS_FLAGS","features":[22]},{"name":"CHANGER_EXCHANGE_MEDIA","features":[22]},{"name":"CHANGER_EXCHANGE_MEDIUM","features":[1,22]},{"name":"CHANGER_FEATURES","features":[22]},{"name":"CHANGER_IEPORT_USER_CONTROL_CLOSE","features":[22]},{"name":"CHANGER_IEPORT_USER_CONTROL_OPEN","features":[22]},{"name":"CHANGER_INITIALIZE_ELEMENT_STATUS","features":[1,22]},{"name":"CHANGER_INIT_ELEM_STAT_WITH_RANGE","features":[22]},{"name":"CHANGER_KEYPAD_ENABLE_DISABLE","features":[22]},{"name":"CHANGER_LOCK_UNLOCK","features":[22]},{"name":"CHANGER_MEDIUM_FLIP","features":[22]},{"name":"CHANGER_MOVE_EXTENDS_IEPORT","features":[22]},{"name":"CHANGER_MOVE_MEDIUM","features":[1,22]},{"name":"CHANGER_MOVE_RETRACTS_IEPORT","features":[22]},{"name":"CHANGER_OPEN_IEPORT","features":[22]},{"name":"CHANGER_POSITION_TO_ELEMENT","features":[22]},{"name":"CHANGER_PREDISMOUNT_ALIGN_TO_DRIVE","features":[22]},{"name":"CHANGER_PREDISMOUNT_ALIGN_TO_SLOT","features":[22]},{"name":"CHANGER_PREDISMOUNT_EJECT_REQUIRED","features":[22]},{"name":"CHANGER_PREMOUNT_EJECT_REQUIRED","features":[22]},{"name":"CHANGER_PRODUCT_DATA","features":[22]},{"name":"CHANGER_READ_ELEMENT_STATUS","features":[1,22]},{"name":"CHANGER_REPORT_IEPORT_STATE","features":[22]},{"name":"CHANGER_RESERVED_BIT","features":[22]},{"name":"CHANGER_RTN_MEDIA_TO_ORIGINAL_ADDR","features":[22]},{"name":"CHANGER_SEND_VOLUME_TAG_INFORMATION","features":[22]},{"name":"CHANGER_SERIAL_NUMBER_VALID","features":[22]},{"name":"CHANGER_SET_ACCESS","features":[22]},{"name":"CHANGER_SET_POSITION","features":[1,22]},{"name":"CHANGER_SLOTS_USE_TRAYS","features":[22]},{"name":"CHANGER_STATUS_NON_VOLATILE","features":[22]},{"name":"CHANGER_STORAGE_DRIVE","features":[22]},{"name":"CHANGER_STORAGE_IEPORT","features":[22]},{"name":"CHANGER_STORAGE_SLOT","features":[22]},{"name":"CHANGER_STORAGE_TRANSPORT","features":[22]},{"name":"CHANGER_TO_DRIVE","features":[22]},{"name":"CHANGER_TO_IEPORT","features":[22]},{"name":"CHANGER_TO_SLOT","features":[22]},{"name":"CHANGER_TO_TRANSPORT","features":[22]},{"name":"CHANGER_TRUE_EXCHANGE_CAPABLE","features":[22]},{"name":"CHANGER_VOLUME_ASSERT","features":[22]},{"name":"CHANGER_VOLUME_IDENTIFICATION","features":[22]},{"name":"CHANGER_VOLUME_REPLACE","features":[22]},{"name":"CHANGER_VOLUME_SEARCH","features":[22]},{"name":"CHANGER_VOLUME_UNDEFINE","features":[22]},{"name":"CHECKSUM_TYPE_CRC32","features":[22]},{"name":"CHECKSUM_TYPE_CRC64","features":[22]},{"name":"CHECKSUM_TYPE_ECC","features":[22]},{"name":"CHECKSUM_TYPE_FIRST_UNUSED_TYPE","features":[22]},{"name":"CHECKSUM_TYPE_NONE","features":[22]},{"name":"CHECKSUM_TYPE_SHA256","features":[22]},{"name":"CLASS_MEDIA_CHANGE_CONTEXT","features":[22]},{"name":"CLEANER_CARTRIDGE","features":[22]},{"name":"CLUSTER_RANGE","features":[22]},{"name":"CONTAINER_ROOT_INFO_FLAG_BIND_DO_NOT_MAP_NAME","features":[22]},{"name":"CONTAINER_ROOT_INFO_FLAG_BIND_EXCEPTION_ROOT","features":[22]},{"name":"CONTAINER_ROOT_INFO_FLAG_BIND_ROOT","features":[22]},{"name":"CONTAINER_ROOT_INFO_FLAG_BIND_TARGET_ROOT","features":[22]},{"name":"CONTAINER_ROOT_INFO_FLAG_LAYER_ROOT","features":[22]},{"name":"CONTAINER_ROOT_INFO_FLAG_SCRATCH_ROOT","features":[22]},{"name":"CONTAINER_ROOT_INFO_FLAG_UNION_LAYER_ROOT","features":[22]},{"name":"CONTAINER_ROOT_INFO_FLAG_VIRTUALIZATION_EXCEPTION_ROOT","features":[22]},{"name":"CONTAINER_ROOT_INFO_FLAG_VIRTUALIZATION_ROOT","features":[22]},{"name":"CONTAINER_ROOT_INFO_FLAG_VIRTUALIZATION_TARGET_ROOT","features":[22]},{"name":"CONTAINER_ROOT_INFO_INPUT","features":[22]},{"name":"CONTAINER_ROOT_INFO_OUTPUT","features":[22]},{"name":"CONTAINER_ROOT_INFO_VALID_FLAGS","features":[22]},{"name":"CONTAINER_VOLUME_STATE","features":[22]},{"name":"CONTAINER_VOLUME_STATE_HOSTING_CONTAINER","features":[22]},{"name":"COPYFILE_SIS_FLAGS","features":[22]},{"name":"COPYFILE_SIS_LINK","features":[22]},{"name":"COPYFILE_SIS_REPLACE","features":[22]},{"name":"CREATE_DISK","features":[22]},{"name":"CREATE_DISK_GPT","features":[22]},{"name":"CREATE_DISK_MBR","features":[22]},{"name":"CREATE_USN_JOURNAL_DATA","features":[22]},{"name":"CSVFS_DISK_CONNECTIVITY","features":[22]},{"name":"CSV_CONTROL_OP","features":[22]},{"name":"CSV_CONTROL_PARAM","features":[22]},{"name":"CSV_INVALID_DEVICE_NUMBER","features":[22]},{"name":"CSV_IS_OWNED_BY_CSVFS","features":[1,22]},{"name":"CSV_MGMTLOCK_CHECK_VOLUME_REDIRECTED","features":[22]},{"name":"CSV_MGMT_LOCK","features":[22]},{"name":"CSV_NAMESPACE_INFO","features":[22]},{"name":"CSV_QUERY_FILE_REVISION","features":[22]},{"name":"CSV_QUERY_FILE_REVISION_FILE_ID_128","features":[21,22]},{"name":"CSV_QUERY_MDS_PATH","features":[22]},{"name":"CSV_QUERY_MDS_PATH_FLAG_CSV_DIRECT_IO_ENABLED","features":[22]},{"name":"CSV_QUERY_MDS_PATH_FLAG_SMB_BYPASS_CSV_ENABLED","features":[22]},{"name":"CSV_QUERY_MDS_PATH_FLAG_STORAGE_ON_THIS_NODE_IS_CONNECTED","features":[22]},{"name":"CSV_QUERY_MDS_PATH_V2","features":[22]},{"name":"CSV_QUERY_MDS_PATH_V2_VERSION_1","features":[22]},{"name":"CSV_QUERY_REDIRECT_STATE","features":[1,22]},{"name":"CSV_QUERY_VETO_FILE_DIRECT_IO_OUTPUT","features":[22]},{"name":"CSV_QUERY_VOLUME_ID","features":[22]},{"name":"CSV_QUERY_VOLUME_REDIRECT_STATE","features":[1,22]},{"name":"CSV_SET_VOLUME_ID","features":[22]},{"name":"CYGNET_12_WO","features":[22]},{"name":"ChangerDoor","features":[22]},{"name":"ChangerDrive","features":[22]},{"name":"ChangerIEPort","features":[22]},{"name":"ChangerKeypad","features":[22]},{"name":"ChangerMaxElement","features":[22]},{"name":"ChangerSlot","features":[22]},{"name":"ChangerTransport","features":[22]},{"name":"CsvControlDisableCaching","features":[22]},{"name":"CsvControlEnableCaching","features":[22]},{"name":"CsvControlEnableUSNRangeModificationTracking","features":[22]},{"name":"CsvControlGetCsvFsMdsPathV2","features":[22]},{"name":"CsvControlMarkHandleLocalVolumeMount","features":[22]},{"name":"CsvControlQueryFileRevision","features":[22]},{"name":"CsvControlQueryFileRevisionFileId128","features":[22]},{"name":"CsvControlQueryMdsPath","features":[22]},{"name":"CsvControlQueryMdsPathNoPause","features":[22]},{"name":"CsvControlQueryRedirectState","features":[22]},{"name":"CsvControlQueryVolumeId","features":[22]},{"name":"CsvControlQueryVolumeRedirectState","features":[22]},{"name":"CsvControlSetVolumeId","features":[22]},{"name":"CsvControlStartForceDFO","features":[22]},{"name":"CsvControlStartRedirectFile","features":[22]},{"name":"CsvControlStopForceDFO","features":[22]},{"name":"CsvControlStopRedirectFile","features":[22]},{"name":"CsvControlUnmarkHandleLocalVolumeMount","features":[22]},{"name":"CsvFsDiskConnectivityAllNodes","features":[22]},{"name":"CsvFsDiskConnectivityMdsNodeOnly","features":[22]},{"name":"CsvFsDiskConnectivityNone","features":[22]},{"name":"CsvFsDiskConnectivitySubsetOfNodes","features":[22]},{"name":"DAX_ALLOC_ALIGNMENT_FLAG_FALLBACK_SPECIFIED","features":[22]},{"name":"DAX_ALLOC_ALIGNMENT_FLAG_MANDATORY","features":[22]},{"name":"DDS_4mm","features":[22]},{"name":"DDUMP_FLAG_DATA_READ_FROM_DEVICE","features":[22]},{"name":"DECRYPTION_STATUS_BUFFER","features":[1,22]},{"name":"DELETE_USN_JOURNAL_DATA","features":[22]},{"name":"DETECTION_TYPE","features":[22]},{"name":"DEVICEDUMP_CAP_PRIVATE_SECTION","features":[22]},{"name":"DEVICEDUMP_CAP_RESTRICTED_SECTION","features":[22]},{"name":"DEVICEDUMP_COLLECTION_TYPEIDE_NOTIFICATION_TYPE","features":[22]},{"name":"DEVICEDUMP_MAX_IDSTRING","features":[22]},{"name":"DEVICEDUMP_PRIVATE_SUBSECTION","features":[22]},{"name":"DEVICEDUMP_PUBLIC_SUBSECTION","features":[22]},{"name":"DEVICEDUMP_RESTRICTED_SUBSECTION","features":[22]},{"name":"DEVICEDUMP_SECTION_HEADER","features":[22]},{"name":"DEVICEDUMP_STORAGEDEVICE_DATA","features":[22]},{"name":"DEVICEDUMP_STORAGESTACK_PUBLIC_DUMP","features":[22]},{"name":"DEVICEDUMP_STORAGESTACK_PUBLIC_STATE_RECORD","features":[22]},{"name":"DEVICEDUMP_STRUCTURE_VERSION","features":[22]},{"name":"DEVICEDUMP_STRUCTURE_VERSION_V1","features":[22]},{"name":"DEVICEDUMP_SUBSECTION_POINTER","features":[22]},{"name":"DEVICE_COPY_OFFLOAD_DESCRIPTOR","features":[22]},{"name":"DEVICE_DATA_SET_LBP_STATE_PARAMETERS","features":[22]},{"name":"DEVICE_DATA_SET_LBP_STATE_PARAMETERS_VERSION_V1","features":[22]},{"name":"DEVICE_DATA_SET_LB_PROVISIONING_STATE","features":[22]},{"name":"DEVICE_DATA_SET_LB_PROVISIONING_STATE_V2","features":[22]},{"name":"DEVICE_DATA_SET_RANGE","features":[22]},{"name":"DEVICE_DATA_SET_REPAIR_OUTPUT","features":[22]},{"name":"DEVICE_DATA_SET_REPAIR_PARAMETERS","features":[22]},{"name":"DEVICE_DATA_SET_SCRUB_EX_OUTPUT","features":[22]},{"name":"DEVICE_DATA_SET_SCRUB_OUTPUT","features":[22]},{"name":"DEVICE_DATA_SET_TOPOLOGY_ID_QUERY_OUTPUT","features":[22]},{"name":"DEVICE_DSM_CONVERSION_OUTPUT","features":[22]},{"name":"DEVICE_DSM_DEFINITION","features":[1,22]},{"name":"DEVICE_DSM_FLAG_ALLOCATION_CONSOLIDATEABLE_ONLY","features":[22]},{"name":"DEVICE_DSM_FLAG_ENTIRE_DATA_SET_RANGE","features":[22]},{"name":"DEVICE_DSM_FLAG_PHYSICAL_ADDRESSES_OMIT_TOTAL_RANGES","features":[22]},{"name":"DEVICE_DSM_FLAG_REPAIR_INPUT_TOPOLOGY_ID_PRESENT","features":[22]},{"name":"DEVICE_DSM_FLAG_REPAIR_OUTPUT_PARITY_EXTENT","features":[22]},{"name":"DEVICE_DSM_FLAG_SCRUB_OUTPUT_PARITY_EXTENT","features":[22]},{"name":"DEVICE_DSM_FLAG_SCRUB_SKIP_IN_SYNC","features":[22]},{"name":"DEVICE_DSM_FLAG_TRIM_BYPASS_RZAT","features":[22]},{"name":"DEVICE_DSM_FLAG_TRIM_NOT_FS_ALLOCATED","features":[22]},{"name":"DEVICE_DSM_FREE_SPACE_OUTPUT","features":[22]},{"name":"DEVICE_DSM_LOST_QUERY_OUTPUT","features":[22]},{"name":"DEVICE_DSM_LOST_QUERY_PARAMETERS","features":[22]},{"name":"DEVICE_DSM_NOTIFICATION_PARAMETERS","features":[22]},{"name":"DEVICE_DSM_NOTIFY_FLAG_BEGIN","features":[22]},{"name":"DEVICE_DSM_NOTIFY_FLAG_END","features":[22]},{"name":"DEVICE_DSM_NVCACHE_CHANGE_PRIORITY_PARAMETERS","features":[22]},{"name":"DEVICE_DSM_OFFLOAD_READ_PARAMETERS","features":[22]},{"name":"DEVICE_DSM_OFFLOAD_WRITE_PARAMETERS","features":[22]},{"name":"DEVICE_DSM_PARAMETERS_V1","features":[22]},{"name":"DEVICE_DSM_PHYSICAL_ADDRESSES_OUTPUT","features":[22]},{"name":"DEVICE_DSM_PHYSICAL_ADDRESSES_OUTPUT_V1","features":[22]},{"name":"DEVICE_DSM_PHYSICAL_ADDRESSES_OUTPUT_VERSION_V1","features":[22]},{"name":"DEVICE_DSM_RANGE_ERROR_INFO","features":[22]},{"name":"DEVICE_DSM_RANGE_ERROR_INFO_VERSION_V1","features":[22]},{"name":"DEVICE_DSM_RANGE_ERROR_OUTPUT_V1","features":[22]},{"name":"DEVICE_DSM_REPORT_ZONES_DATA","features":[1,22]},{"name":"DEVICE_DSM_REPORT_ZONES_PARAMETERS","features":[22]},{"name":"DEVICE_DSM_TIERING_QUERY_INPUT","features":[22]},{"name":"DEVICE_DSM_TIERING_QUERY_OUTPUT","features":[22]},{"name":"DEVICE_INTERNAL_STATUS_DATA","features":[22]},{"name":"DEVICE_INTERNAL_STATUS_DATA_REQUEST_TYPE","features":[22]},{"name":"DEVICE_INTERNAL_STATUS_DATA_SET","features":[22]},{"name":"DEVICE_LB_PROVISIONING_DESCRIPTOR","features":[22]},{"name":"DEVICE_LOCATION","features":[22]},{"name":"DEVICE_MANAGE_DATA_SET_ATTRIBUTES","features":[22]},{"name":"DEVICE_MANAGE_DATA_SET_ATTRIBUTES_OUTPUT","features":[22]},{"name":"DEVICE_MEDIA_INFO","features":[21,22]},{"name":"DEVICE_POWER_DESCRIPTOR","features":[1,22]},{"name":"DEVICE_SEEK_PENALTY_DESCRIPTOR","features":[1,22]},{"name":"DEVICE_STORAGE_ADDRESS_RANGE","features":[22]},{"name":"DEVICE_STORAGE_NO_ERRORS","features":[22]},{"name":"DEVICE_STORAGE_RANGE_ATTRIBUTES","features":[22]},{"name":"DEVICE_TRIM_DESCRIPTOR","features":[1,22]},{"name":"DEVICE_WRITE_AGGREGATION_DESCRIPTOR","features":[1,22]},{"name":"DEVPKEY_Storage_Disk_Number","features":[35,22]},{"name":"DEVPKEY_Storage_Gpt_Name","features":[35,22]},{"name":"DEVPKEY_Storage_Gpt_Type","features":[35,22]},{"name":"DEVPKEY_Storage_Mbr_Type","features":[35,22]},{"name":"DEVPKEY_Storage_Partition_Number","features":[35,22]},{"name":"DEVPKEY_Storage_Portable","features":[35,22]},{"name":"DEVPKEY_Storage_Removable_Media","features":[35,22]},{"name":"DEVPKEY_Storage_System_Critical","features":[35,22]},{"name":"DISABLE_SMART","features":[22]},{"name":"DISK_ATTRIBUTE_OFFLINE","features":[22]},{"name":"DISK_ATTRIBUTE_READ_ONLY","features":[22]},{"name":"DISK_BINNING","features":[22]},{"name":"DISK_CACHE_INFORMATION","features":[1,22]},{"name":"DISK_CACHE_RETENTION_PRIORITY","features":[22]},{"name":"DISK_CONTROLLER_NUMBER","features":[22]},{"name":"DISK_DETECTION_INFO","features":[22]},{"name":"DISK_EXTENT","features":[22]},{"name":"DISK_EX_INT13_INFO","features":[22]},{"name":"DISK_GEOMETRY","features":[22]},{"name":"DISK_GEOMETRY_EX","features":[22]},{"name":"DISK_GROW_PARTITION","features":[22]},{"name":"DISK_HISTOGRAM","features":[22]},{"name":"DISK_INT13_INFO","features":[22]},{"name":"DISK_LOGGING","features":[22]},{"name":"DISK_LOGGING_DUMP","features":[22]},{"name":"DISK_LOGGING_START","features":[22]},{"name":"DISK_LOGGING_STOP","features":[22]},{"name":"DISK_PARTITION_INFO","features":[22]},{"name":"DISK_PERFORMANCE","features":[22]},{"name":"DISK_RECORD","features":[1,22]},{"name":"DLT","features":[22]},{"name":"DMI","features":[22]},{"name":"DRIVERSTATUS","features":[22]},{"name":"DRIVE_LAYOUT_INFORMATION","features":[1,22]},{"name":"DRIVE_LAYOUT_INFORMATION_EX","features":[1,22]},{"name":"DRIVE_LAYOUT_INFORMATION_GPT","features":[22]},{"name":"DRIVE_LAYOUT_INFORMATION_MBR","features":[22]},{"name":"DST_L","features":[22]},{"name":"DST_M","features":[22]},{"name":"DST_S","features":[22]},{"name":"DUPLICATE_EXTENTS_DATA","features":[1,22]},{"name":"DUPLICATE_EXTENTS_DATA32","features":[22]},{"name":"DUPLICATE_EXTENTS_DATA_EX","features":[1,22]},{"name":"DUPLICATE_EXTENTS_DATA_EX32","features":[22]},{"name":"DUPLICATE_EXTENTS_DATA_EX_ASYNC","features":[22]},{"name":"DUPLICATE_EXTENTS_DATA_EX_SOURCE_ATOMIC","features":[22]},{"name":"DUPLICATE_EXTENTS_STATE","features":[22]},{"name":"DVD_R","features":[22]},{"name":"DVD_RAM","features":[22]},{"name":"DVD_ROM","features":[22]},{"name":"DVD_RW","features":[22]},{"name":"DV_6mm","features":[22]},{"name":"DetectExInt13","features":[22]},{"name":"DetectInt13","features":[22]},{"name":"DetectNone","features":[22]},{"name":"DeviceCurrentInternalStatusData","features":[22]},{"name":"DeviceCurrentInternalStatusDataHeader","features":[22]},{"name":"DeviceDsmActionFlag_NonDestructive","features":[22]},{"name":"DeviceInternalStatusDataRequestTypeUndefined","features":[22]},{"name":"DeviceProblemCHMError","features":[22]},{"name":"DeviceProblemCHMMoveError","features":[22]},{"name":"DeviceProblemCHMZeroError","features":[22]},{"name":"DeviceProblemCalibrationError","features":[22]},{"name":"DeviceProblemCartridgeEjectError","features":[22]},{"name":"DeviceProblemCartridgeInsertError","features":[22]},{"name":"DeviceProblemDoorOpen","features":[22]},{"name":"DeviceProblemDriveError","features":[22]},{"name":"DeviceProblemGripperError","features":[22]},{"name":"DeviceProblemHardware","features":[22]},{"name":"DeviceProblemNone","features":[22]},{"name":"DeviceProblemPositionError","features":[22]},{"name":"DeviceProblemSensorError","features":[22]},{"name":"DeviceProblemTargetFailure","features":[22]},{"name":"DeviceSavedInternalStatusData","features":[22]},{"name":"DeviceSavedInternalStatusDataHeader","features":[22]},{"name":"DeviceStatusDataSet1","features":[22]},{"name":"DeviceStatusDataSet2","features":[22]},{"name":"DeviceStatusDataSet3","features":[22]},{"name":"DeviceStatusDataSet4","features":[22]},{"name":"DeviceStatusDataSetMax","features":[22]},{"name":"DeviceStatusDataSetUndefined","features":[22]},{"name":"DiskHealthHealthy","features":[22]},{"name":"DiskHealthMax","features":[22]},{"name":"DiskHealthUnhealthy","features":[22]},{"name":"DiskHealthUnknown","features":[22]},{"name":"DiskHealthWarning","features":[22]},{"name":"DiskOpReasonBackgroundOperation","features":[22]},{"name":"DiskOpReasonComponent","features":[22]},{"name":"DiskOpReasonConfiguration","features":[22]},{"name":"DiskOpReasonDataPersistenceLossImminent","features":[22]},{"name":"DiskOpReasonDeviceController","features":[22]},{"name":"DiskOpReasonDisabledByPlatform","features":[22]},{"name":"DiskOpReasonEnergySource","features":[22]},{"name":"DiskOpReasonHealthCheck","features":[22]},{"name":"DiskOpReasonInvalidFirmware","features":[22]},{"name":"DiskOpReasonIo","features":[22]},{"name":"DiskOpReasonLostData","features":[22]},{"name":"DiskOpReasonLostDataPersistence","features":[22]},{"name":"DiskOpReasonLostWritePersistence","features":[22]},{"name":"DiskOpReasonMax","features":[22]},{"name":"DiskOpReasonMedia","features":[22]},{"name":"DiskOpReasonMediaController","features":[22]},{"name":"DiskOpReasonNVDIMM_N","features":[22]},{"name":"DiskOpReasonScsiSenseCode","features":[22]},{"name":"DiskOpReasonThresholdExceeded","features":[22]},{"name":"DiskOpReasonUnknown","features":[22]},{"name":"DiskOpReasonWritePersistenceLossImminent","features":[22]},{"name":"DiskOpStatusHardwareError","features":[22]},{"name":"DiskOpStatusInService","features":[22]},{"name":"DiskOpStatusMissing","features":[22]},{"name":"DiskOpStatusNone","features":[22]},{"name":"DiskOpStatusNotUsable","features":[22]},{"name":"DiskOpStatusOk","features":[22]},{"name":"DiskOpStatusPredictingFailure","features":[22]},{"name":"DiskOpStatusTransientError","features":[22]},{"name":"DiskOpStatusUnknown","features":[22]},{"name":"EFS_TRACKED_OFFSET_HEADER_FLAG","features":[22]},{"name":"ELEMENT_STATUS_ACCESS","features":[22]},{"name":"ELEMENT_STATUS_AVOLTAG","features":[22]},{"name":"ELEMENT_STATUS_EXCEPT","features":[22]},{"name":"ELEMENT_STATUS_EXENAB","features":[22]},{"name":"ELEMENT_STATUS_FULL","features":[22]},{"name":"ELEMENT_STATUS_ID_VALID","features":[22]},{"name":"ELEMENT_STATUS_IMPEXP","features":[22]},{"name":"ELEMENT_STATUS_INENAB","features":[22]},{"name":"ELEMENT_STATUS_INVERT","features":[22]},{"name":"ELEMENT_STATUS_LUN_VALID","features":[22]},{"name":"ELEMENT_STATUS_NOT_BUS","features":[22]},{"name":"ELEMENT_STATUS_PRODUCT_DATA","features":[22]},{"name":"ELEMENT_STATUS_PVOLTAG","features":[22]},{"name":"ELEMENT_STATUS_SVALID","features":[22]},{"name":"ELEMENT_TYPE","features":[22]},{"name":"ENABLE_DISABLE_AUTOSAVE","features":[22]},{"name":"ENABLE_DISABLE_AUTO_OFFLINE","features":[22]},{"name":"ENABLE_SMART","features":[22]},{"name":"ENCRYPTED_DATA_INFO","features":[22]},{"name":"ENCRYPTED_DATA_INFO_SPARSE_FILE","features":[22]},{"name":"ENCRYPTION_BUFFER","features":[22]},{"name":"ENCRYPTION_FORMAT_DEFAULT","features":[22]},{"name":"ENCRYPTION_KEY_CTRL_INPUT","features":[22]},{"name":"ERROR_DRIVE_NOT_INSTALLED","features":[22]},{"name":"ERROR_HISTORY_DIRECTORY_ENTRY_DEFAULT_COUNT","features":[22]},{"name":"ERROR_INIT_STATUS_NEEDED","features":[22]},{"name":"ERROR_LABEL_QUESTIONABLE","features":[22]},{"name":"ERROR_LABEL_UNREADABLE","features":[22]},{"name":"ERROR_SLOT_NOT_PRESENT","features":[22]},{"name":"ERROR_TRAY_MALFUNCTION","features":[22]},{"name":"ERROR_UNHANDLED_ERROR","features":[22]},{"name":"EXECUTE_OFFLINE_DIAGS","features":[22]},{"name":"EXFAT_STATISTICS","features":[22]},{"name":"EXTENDED_ENCRYPTED_DATA_INFO","features":[22]},{"name":"EXTEND_IEPORT","features":[22]},{"name":"EqualPriority","features":[22]},{"name":"F3_120M_512","features":[22]},{"name":"F3_128Mb_512","features":[22]},{"name":"F3_1Pt23_1024","features":[22]},{"name":"F3_1Pt2_512","features":[22]},{"name":"F3_1Pt44_512","features":[22]},{"name":"F3_200Mb_512","features":[22]},{"name":"F3_20Pt8_512","features":[22]},{"name":"F3_230Mb_512","features":[22]},{"name":"F3_240M_512","features":[22]},{"name":"F3_2Pt88_512","features":[22]},{"name":"F3_32M_512","features":[22]},{"name":"F3_640_512","features":[22]},{"name":"F3_720_512","features":[22]},{"name":"F5_160_512","features":[22]},{"name":"F5_180_512","features":[22]},{"name":"F5_1Pt23_1024","features":[22]},{"name":"F5_1Pt2_512","features":[22]},{"name":"F5_320_1024","features":[22]},{"name":"F5_320_512","features":[22]},{"name":"F5_360_512","features":[22]},{"name":"F5_640_512","features":[22]},{"name":"F5_720_512","features":[22]},{"name":"F8_256_128","features":[22]},{"name":"FAT_STATISTICS","features":[22]},{"name":"FILESYSTEM_STATISTICS","features":[22]},{"name":"FILESYSTEM_STATISTICS_EX","features":[22]},{"name":"FILESYSTEM_STATISTICS_TYPE","features":[22]},{"name":"FILESYSTEM_STATISTICS_TYPE_EXFAT","features":[22]},{"name":"FILESYSTEM_STATISTICS_TYPE_FAT","features":[22]},{"name":"FILESYSTEM_STATISTICS_TYPE_NTFS","features":[22]},{"name":"FILESYSTEM_STATISTICS_TYPE_REFS","features":[22]},{"name":"FILE_ALLOCATED_RANGE_BUFFER","features":[22]},{"name":"FILE_ANY_ACCESS","features":[22]},{"name":"FILE_CLEAR_ENCRYPTION","features":[22]},{"name":"FILE_DESIRED_STORAGE_CLASS_INFORMATION","features":[22]},{"name":"FILE_DEVICE_8042_PORT","features":[22]},{"name":"FILE_DEVICE_ACPI","features":[22]},{"name":"FILE_DEVICE_BATTERY","features":[22]},{"name":"FILE_DEVICE_BEEP","features":[22]},{"name":"FILE_DEVICE_BIOMETRIC","features":[22]},{"name":"FILE_DEVICE_BLUETOOTH","features":[22]},{"name":"FILE_DEVICE_BUS_EXTENDER","features":[22]},{"name":"FILE_DEVICE_CD_ROM_FILE_SYSTEM","features":[22]},{"name":"FILE_DEVICE_CHANGER","features":[22]},{"name":"FILE_DEVICE_CONSOLE","features":[22]},{"name":"FILE_DEVICE_CONTROLLER","features":[22]},{"name":"FILE_DEVICE_CRYPT_PROVIDER","features":[22]},{"name":"FILE_DEVICE_DATALINK","features":[22]},{"name":"FILE_DEVICE_DEVAPI","features":[22]},{"name":"FILE_DEVICE_DFS","features":[22]},{"name":"FILE_DEVICE_DFS_FILE_SYSTEM","features":[22]},{"name":"FILE_DEVICE_DFS_VOLUME","features":[22]},{"name":"FILE_DEVICE_DISK_FILE_SYSTEM","features":[22]},{"name":"FILE_DEVICE_EHSTOR","features":[22]},{"name":"FILE_DEVICE_EVENT_COLLECTOR","features":[22]},{"name":"FILE_DEVICE_FILE_SYSTEM","features":[22]},{"name":"FILE_DEVICE_FIPS","features":[22]},{"name":"FILE_DEVICE_FULLSCREEN_VIDEO","features":[22]},{"name":"FILE_DEVICE_GPIO","features":[22]},{"name":"FILE_DEVICE_HOLOGRAPHIC","features":[22]},{"name":"FILE_DEVICE_INFINIBAND","features":[22]},{"name":"FILE_DEVICE_INPORT_PORT","features":[22]},{"name":"FILE_DEVICE_KEYBOARD","features":[22]},{"name":"FILE_DEVICE_KS","features":[22]},{"name":"FILE_DEVICE_KSEC","features":[22]},{"name":"FILE_DEVICE_MAILSLOT","features":[22]},{"name":"FILE_DEVICE_MASS_STORAGE","features":[22]},{"name":"FILE_DEVICE_MIDI_IN","features":[22]},{"name":"FILE_DEVICE_MIDI_OUT","features":[22]},{"name":"FILE_DEVICE_MODEM","features":[22]},{"name":"FILE_DEVICE_MOUSE","features":[22]},{"name":"FILE_DEVICE_MT_COMPOSITE","features":[22]},{"name":"FILE_DEVICE_MT_TRANSPORT","features":[22]},{"name":"FILE_DEVICE_MULTI_UNC_PROVIDER","features":[22]},{"name":"FILE_DEVICE_NAMED_PIPE","features":[22]},{"name":"FILE_DEVICE_NETWORK","features":[22]},{"name":"FILE_DEVICE_NETWORK_BROWSER","features":[22]},{"name":"FILE_DEVICE_NETWORK_FILE_SYSTEM","features":[22]},{"name":"FILE_DEVICE_NETWORK_REDIRECTOR","features":[22]},{"name":"FILE_DEVICE_NFP","features":[22]},{"name":"FILE_DEVICE_NULL","features":[22]},{"name":"FILE_DEVICE_NVDIMM","features":[22]},{"name":"FILE_DEVICE_PARALLEL_PORT","features":[22]},{"name":"FILE_DEVICE_PERSISTENT_MEMORY","features":[22]},{"name":"FILE_DEVICE_PHYSICAL_NETCARD","features":[22]},{"name":"FILE_DEVICE_PMI","features":[22]},{"name":"FILE_DEVICE_POINT_OF_SERVICE","features":[22]},{"name":"FILE_DEVICE_PRINTER","features":[22]},{"name":"FILE_DEVICE_PRM","features":[22]},{"name":"FILE_DEVICE_SCANNER","features":[22]},{"name":"FILE_DEVICE_SCREEN","features":[22]},{"name":"FILE_DEVICE_SDFXHCI","features":[22]},{"name":"FILE_DEVICE_SERENUM","features":[22]},{"name":"FILE_DEVICE_SERIAL_MOUSE_PORT","features":[22]},{"name":"FILE_DEVICE_SERIAL_PORT","features":[22]},{"name":"FILE_DEVICE_SMB","features":[22]},{"name":"FILE_DEVICE_SOUND","features":[22]},{"name":"FILE_DEVICE_SOUNDWIRE","features":[22]},{"name":"FILE_DEVICE_STORAGE_REPLICATION","features":[22]},{"name":"FILE_DEVICE_STREAMS","features":[22]},{"name":"FILE_DEVICE_SYSENV","features":[22]},{"name":"FILE_DEVICE_TAPE_FILE_SYSTEM","features":[22]},{"name":"FILE_DEVICE_TERMSRV","features":[22]},{"name":"FILE_DEVICE_TRANSPORT","features":[22]},{"name":"FILE_DEVICE_TRUST_ENV","features":[22]},{"name":"FILE_DEVICE_UCM","features":[22]},{"name":"FILE_DEVICE_UCMTCPCI","features":[22]},{"name":"FILE_DEVICE_UCMUCSI","features":[22]},{"name":"FILE_DEVICE_UNKNOWN","features":[22]},{"name":"FILE_DEVICE_USB4","features":[22]},{"name":"FILE_DEVICE_USBEX","features":[22]},{"name":"FILE_DEVICE_VDM","features":[22]},{"name":"FILE_DEVICE_VIDEO","features":[22]},{"name":"FILE_DEVICE_VIRTUAL_BLOCK","features":[22]},{"name":"FILE_DEVICE_VIRTUAL_DISK","features":[22]},{"name":"FILE_DEVICE_VMBUS","features":[22]},{"name":"FILE_DEVICE_WAVE_IN","features":[22]},{"name":"FILE_DEVICE_WAVE_OUT","features":[22]},{"name":"FILE_DEVICE_WPD","features":[22]},{"name":"FILE_FS_PERSISTENT_VOLUME_INFORMATION","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_ATTRIBUTE_NON_RESIDENT","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_ATTRIBUTE_NOT_FOUND","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_ATTRIBUTE_TOO_SMALL","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_CLUSTERS_ALREADY_IN_USE","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_DENY_DEFRAG","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_FILE_RECORD_IS_BASE_RECORD","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_FILE_RECORD_NOT_BASE_RECORD","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_FILE_RECORD_NOT_EXIST","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_FILE_RECORD_NOT_IN_USE","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_FILE_RECORD_NOT_ORPHAN","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_FILE_RECORD_REUSED","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_INDEX_ENTRY_MISMATCH","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_INVALID_ARRAY_LENGTH_COUNT","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_INVALID_LCN","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_INVALID_ORPHAN_RECOVERY_NAME","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_INVALID_PARENT","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_INVALID_RUN_LENGTH","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_INVALID_VCN","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_LCN_NOT_EXIST","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_MULTIPLE_FILE_NAME_ATTRIBUTES","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_NAME_CONFLICT","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_NOTHING_WRONG","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_NOT_IMPLEMENTED","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_ORPHAN","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_ORPHAN_GENERATED","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_OUT_OF_GENERIC_NAMES","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_OUT_OF_RESOURCE","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_PARENT_FILE_RECORD_NOT_BASE_RECORD","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_PARENT_FILE_RECORD_NOT_EXIST","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_PARENT_FILE_RECORD_NOT_INDEX","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_PARENT_FILE_RECORD_NOT_IN_USE","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_PARENT_FILE_RECORD_REUSED","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_POTENTIAL_CROSSLINK","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_PREVIOUS_PARENT_STILL_VALID","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_RECURSIVELY_CORRUPTED","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_REPAIRED","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_REPAIR_DISABLED","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_SID_MISMATCH","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_SID_VALID","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_STALE_INFORMATION","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_SYSTEM_FILE","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_UNABLE_TO_REPAIR","features":[22]},{"name":"FILE_INITIATE_REPAIR_HINT1_VALID_INDEX_ENTRY","features":[22]},{"name":"FILE_INITIATE_REPAIR_OUTPUT_BUFFER","features":[22]},{"name":"FILE_LAYOUT_ENTRY","features":[22]},{"name":"FILE_LAYOUT_INFO_ENTRY","features":[22]},{"name":"FILE_LAYOUT_NAME_ENTRY","features":[22]},{"name":"FILE_LAYOUT_NAME_ENTRY_DOS","features":[22]},{"name":"FILE_LAYOUT_NAME_ENTRY_PRIMARY","features":[22]},{"name":"FILE_LEVEL_TRIM","features":[22]},{"name":"FILE_LEVEL_TRIM_OUTPUT","features":[22]},{"name":"FILE_LEVEL_TRIM_RANGE","features":[22]},{"name":"FILE_MAKE_COMPATIBLE_BUFFER","features":[1,22]},{"name":"FILE_OBJECTID_BUFFER","features":[22]},{"name":"FILE_PREFETCH","features":[22]},{"name":"FILE_PREFETCH_EX","features":[22]},{"name":"FILE_PREFETCH_TYPE_FOR_CREATE","features":[22]},{"name":"FILE_PREFETCH_TYPE_FOR_CREATE_EX","features":[22]},{"name":"FILE_PREFETCH_TYPE_FOR_DIRENUM","features":[22]},{"name":"FILE_PREFETCH_TYPE_FOR_DIRENUM_EX","features":[22]},{"name":"FILE_PREFETCH_TYPE_MAX","features":[22]},{"name":"FILE_PROVIDER_COMPRESSION_MAXIMUM","features":[22]},{"name":"FILE_PROVIDER_CURRENT_VERSION","features":[22]},{"name":"FILE_PROVIDER_EXTERNAL_INFO_V0","features":[22]},{"name":"FILE_PROVIDER_EXTERNAL_INFO_V1","features":[22]},{"name":"FILE_PROVIDER_FLAG_COMPRESS_ON_WRITE","features":[22]},{"name":"FILE_PROVIDER_SINGLE_FILE","features":[22]},{"name":"FILE_QUERY_ON_DISK_VOL_INFO_BUFFER","features":[22]},{"name":"FILE_QUERY_SPARING_BUFFER","features":[1,22]},{"name":"FILE_READ_ACCESS","features":[22]},{"name":"FILE_REFERENCE_RANGE","features":[22]},{"name":"FILE_REGION_INFO","features":[22]},{"name":"FILE_REGION_INPUT","features":[22]},{"name":"FILE_REGION_OUTPUT","features":[22]},{"name":"FILE_REGION_USAGE_HUGE_PAGE_ALIGNMENT","features":[22]},{"name":"FILE_REGION_USAGE_LARGE_PAGE_ALIGNMENT","features":[22]},{"name":"FILE_REGION_USAGE_OTHER_PAGE_ALIGNMENT","features":[22]},{"name":"FILE_REGION_USAGE_QUERY_ALIGNMENT","features":[22]},{"name":"FILE_REGION_USAGE_VALID_CACHED_DATA","features":[22]},{"name":"FILE_REGION_USAGE_VALID_NONCACHED_DATA","features":[22]},{"name":"FILE_SET_DEFECT_MGMT_BUFFER","features":[1,22]},{"name":"FILE_SET_ENCRYPTION","features":[22]},{"name":"FILE_SET_SPARSE_BUFFER","features":[1,22]},{"name":"FILE_SPECIAL_ACCESS","features":[22]},{"name":"FILE_STORAGE_TIER","features":[22]},{"name":"FILE_STORAGE_TIER_CLASS","features":[22]},{"name":"FILE_STORAGE_TIER_DESCRIPTION_LENGTH","features":[22]},{"name":"FILE_STORAGE_TIER_FLAGS","features":[22]},{"name":"FILE_STORAGE_TIER_FLAG_NO_SEEK_PENALTY","features":[22]},{"name":"FILE_STORAGE_TIER_FLAG_PARITY","features":[22]},{"name":"FILE_STORAGE_TIER_FLAG_READ_CACHE","features":[22]},{"name":"FILE_STORAGE_TIER_FLAG_SMR","features":[22]},{"name":"FILE_STORAGE_TIER_FLAG_WRITE_BACK_CACHE","features":[22]},{"name":"FILE_STORAGE_TIER_MEDIA_TYPE","features":[22]},{"name":"FILE_STORAGE_TIER_NAME_LENGTH","features":[22]},{"name":"FILE_STORAGE_TIER_REGION","features":[22]},{"name":"FILE_SYSTEM_RECOGNITION_INFORMATION","features":[22]},{"name":"FILE_TYPE_NOTIFICATION_FLAG_USAGE_BEGIN","features":[22]},{"name":"FILE_TYPE_NOTIFICATION_FLAG_USAGE_END","features":[22]},{"name":"FILE_TYPE_NOTIFICATION_GUID_CRASHDUMP_FILE","features":[22]},{"name":"FILE_TYPE_NOTIFICATION_GUID_HIBERNATION_FILE","features":[22]},{"name":"FILE_TYPE_NOTIFICATION_GUID_PAGE_FILE","features":[22]},{"name":"FILE_TYPE_NOTIFICATION_INPUT","features":[22]},{"name":"FILE_WRITE_ACCESS","features":[22]},{"name":"FILE_ZERO_DATA_INFORMATION","features":[22]},{"name":"FILE_ZERO_DATA_INFORMATION_EX","features":[22]},{"name":"FILE_ZERO_DATA_INFORMATION_FLAG_PRESERVE_CACHED_DATA","features":[22]},{"name":"FIND_BY_SID_DATA","features":[4,22]},{"name":"FIND_BY_SID_OUTPUT","features":[22]},{"name":"FLAG_USN_TRACK_MODIFIED_RANGES_ENABLE","features":[22]},{"name":"FORMAT_EX_PARAMETERS","features":[22]},{"name":"FORMAT_PARAMETERS","features":[22]},{"name":"FSBPIO_INFL_None","features":[22]},{"name":"FSBPIO_INFL_SKIP_STORAGE_STACK_QUERY","features":[22]},{"name":"FSBPIO_OUTFL_COMPATIBLE_STORAGE_DRIVER","features":[22]},{"name":"FSBPIO_OUTFL_FILTER_ATTACH_BLOCKED","features":[22]},{"name":"FSBPIO_OUTFL_None","features":[22]},{"name":"FSBPIO_OUTFL_STREAM_BYPASS_PAUSED","features":[22]},{"name":"FSBPIO_OUTFL_VOLUME_STACK_BYPASS_PAUSED","features":[22]},{"name":"FSCTL_ADD_OVERLAY","features":[22]},{"name":"FSCTL_ADVANCE_FILE_ID","features":[22]},{"name":"FSCTL_ALLOW_EXTENDED_DASD_IO","features":[22]},{"name":"FSCTL_CLEAN_VOLUME_METADATA","features":[22]},{"name":"FSCTL_CLEAR_ALL_LCN_WEAK_REFERENCES","features":[22]},{"name":"FSCTL_CLEAR_LCN_WEAK_REFERENCE","features":[22]},{"name":"FSCTL_CORRUPTION_HANDLING","features":[22]},{"name":"FSCTL_CREATE_LCN_WEAK_REFERENCE","features":[22]},{"name":"FSCTL_CREATE_OR_GET_OBJECT_ID","features":[22]},{"name":"FSCTL_CREATE_USN_JOURNAL","features":[22]},{"name":"FSCTL_CSC_INTERNAL","features":[22]},{"name":"FSCTL_CSV_CONTROL","features":[22]},{"name":"FSCTL_CSV_GET_VOLUME_NAME_FOR_VOLUME_MOUNT_POINT","features":[22]},{"name":"FSCTL_CSV_GET_VOLUME_PATH_NAME","features":[22]},{"name":"FSCTL_CSV_GET_VOLUME_PATH_NAMES_FOR_VOLUME_NAME","features":[22]},{"name":"FSCTL_CSV_H_BREAKING_SYNC_TUNNEL_REQUEST","features":[22]},{"name":"FSCTL_CSV_INTERNAL","features":[22]},{"name":"FSCTL_CSV_MGMT_LOCK","features":[22]},{"name":"FSCTL_CSV_QUERY_DOWN_LEVEL_FILE_SYSTEM_CHARACTERISTICS","features":[22]},{"name":"FSCTL_CSV_QUERY_VETO_FILE_DIRECT_IO","features":[22]},{"name":"FSCTL_CSV_SYNC_TUNNEL_REQUEST","features":[22]},{"name":"FSCTL_CSV_TUNNEL_REQUEST","features":[22]},{"name":"FSCTL_DELETE_CORRUPTED_REFS_CONTAINER","features":[22]},{"name":"FSCTL_DELETE_EXTERNAL_BACKING","features":[22]},{"name":"FSCTL_DELETE_OBJECT_ID","features":[22]},{"name":"FSCTL_DELETE_REPARSE_POINT","features":[22]},{"name":"FSCTL_DELETE_USN_JOURNAL","features":[22]},{"name":"FSCTL_DFSR_SET_GHOST_HANDLE_STATE","features":[22]},{"name":"FSCTL_DISABLE_LOCAL_BUFFERING","features":[22]},{"name":"FSCTL_DISMOUNT_VOLUME","features":[22]},{"name":"FSCTL_DUPLICATE_CLUSTER","features":[22]},{"name":"FSCTL_DUPLICATE_EXTENTS_TO_FILE","features":[22]},{"name":"FSCTL_DUPLICATE_EXTENTS_TO_FILE_EX","features":[22]},{"name":"FSCTL_ENABLE_PER_IO_FLAGS","features":[22]},{"name":"FSCTL_ENABLE_UPGRADE","features":[22]},{"name":"FSCTL_ENCRYPTION_FSCTL_IO","features":[22]},{"name":"FSCTL_ENCRYPTION_KEY_CONTROL","features":[22]},{"name":"FSCTL_ENUM_EXTERNAL_BACKING","features":[22]},{"name":"FSCTL_ENUM_OVERLAY","features":[22]},{"name":"FSCTL_ENUM_USN_DATA","features":[22]},{"name":"FSCTL_EXTEND_VOLUME","features":[22]},{"name":"FSCTL_FILESYSTEM_GET_STATISTICS","features":[22]},{"name":"FSCTL_FILESYSTEM_GET_STATISTICS_EX","features":[22]},{"name":"FSCTL_FILE_LEVEL_TRIM","features":[22]},{"name":"FSCTL_FILE_PREFETCH","features":[22]},{"name":"FSCTL_FILE_TYPE_NOTIFICATION","features":[22]},{"name":"FSCTL_FIND_FILES_BY_SID","features":[22]},{"name":"FSCTL_GET_BOOT_AREA_INFO","features":[22]},{"name":"FSCTL_GET_COMPRESSION","features":[22]},{"name":"FSCTL_GET_EXTERNAL_BACKING","features":[22]},{"name":"FSCTL_GET_FILTER_FILE_IDENTIFIER","features":[22]},{"name":"FSCTL_GET_INTEGRITY_INFORMATION","features":[22]},{"name":"FSCTL_GET_INTEGRITY_INFORMATION_BUFFER","features":[22]},{"name":"FSCTL_GET_NTFS_FILE_RECORD","features":[22]},{"name":"FSCTL_GET_NTFS_VOLUME_DATA","features":[22]},{"name":"FSCTL_GET_OBJECT_ID","features":[22]},{"name":"FSCTL_GET_REFS_VOLUME_DATA","features":[22]},{"name":"FSCTL_GET_REPAIR","features":[22]},{"name":"FSCTL_GET_REPARSE_POINT","features":[22]},{"name":"FSCTL_GET_RETRIEVAL_POINTERS","features":[22]},{"name":"FSCTL_GET_RETRIEVAL_POINTERS_AND_REFCOUNT","features":[22]},{"name":"FSCTL_GET_RETRIEVAL_POINTER_BASE","features":[22]},{"name":"FSCTL_GET_RETRIEVAL_POINTER_COUNT","features":[22]},{"name":"FSCTL_GET_VOLUME_BITMAP","features":[22]},{"name":"FSCTL_GET_WOF_VERSION","features":[22]},{"name":"FSCTL_GHOST_FILE_EXTENTS","features":[22]},{"name":"FSCTL_HCS_ASYNC_TUNNEL_REQUEST","features":[22]},{"name":"FSCTL_HCS_SYNC_NO_WRITE_TUNNEL_REQUEST","features":[22]},{"name":"FSCTL_HCS_SYNC_TUNNEL_REQUEST","features":[22]},{"name":"FSCTL_INITIATE_FILE_METADATA_OPTIMIZATION","features":[22]},{"name":"FSCTL_INITIATE_REPAIR","features":[22]},{"name":"FSCTL_INTEGRITY_FLAG_CHECKSUM_ENFORCEMENT_OFF","features":[22]},{"name":"FSCTL_INVALIDATE_VOLUMES","features":[22]},{"name":"FSCTL_IS_CSV_FILE","features":[22]},{"name":"FSCTL_IS_FILE_ON_CSV_VOLUME","features":[22]},{"name":"FSCTL_IS_PATHNAME_VALID","features":[22]},{"name":"FSCTL_IS_VOLUME_DIRTY","features":[22]},{"name":"FSCTL_IS_VOLUME_MOUNTED","features":[22]},{"name":"FSCTL_IS_VOLUME_OWNED_BYCSVFS","features":[22]},{"name":"FSCTL_LMR_QUERY_INFO","features":[22]},{"name":"FSCTL_LOCK_VOLUME","features":[22]},{"name":"FSCTL_LOOKUP_STREAM_FROM_CLUSTER","features":[22]},{"name":"FSCTL_MAKE_MEDIA_COMPATIBLE","features":[22]},{"name":"FSCTL_MANAGE_BYPASS_IO","features":[22]},{"name":"FSCTL_MARK_AS_SYSTEM_HIVE","features":[22]},{"name":"FSCTL_MARK_HANDLE","features":[22]},{"name":"FSCTL_MARK_VOLUME_DIRTY","features":[22]},{"name":"FSCTL_MOVE_FILE","features":[22]},{"name":"FSCTL_NOTIFY_DATA_CHANGE","features":[22]},{"name":"FSCTL_NOTIFY_STORAGE_SPACE_ALLOCATION","features":[22]},{"name":"FSCTL_OFFLOAD_READ","features":[22]},{"name":"FSCTL_OFFLOAD_READ_INPUT","features":[22]},{"name":"FSCTL_OFFLOAD_READ_OUTPUT","features":[22]},{"name":"FSCTL_OFFLOAD_WRITE","features":[22]},{"name":"FSCTL_OFFLOAD_WRITE_INPUT","features":[22]},{"name":"FSCTL_OFFLOAD_WRITE_OUTPUT","features":[22]},{"name":"FSCTL_OPBATCH_ACK_CLOSE_PENDING","features":[22]},{"name":"FSCTL_OPLOCK_BREAK_ACKNOWLEDGE","features":[22]},{"name":"FSCTL_OPLOCK_BREAK_ACK_NO_2","features":[22]},{"name":"FSCTL_OPLOCK_BREAK_NOTIFY","features":[22]},{"name":"FSCTL_QUERY_ALLOCATED_RANGES","features":[22]},{"name":"FSCTL_QUERY_ASYNC_DUPLICATE_EXTENTS_STATUS","features":[22]},{"name":"FSCTL_QUERY_BAD_RANGES","features":[22]},{"name":"FSCTL_QUERY_DEPENDENT_VOLUME","features":[22]},{"name":"FSCTL_QUERY_DIRECT_ACCESS_EXTENTS","features":[22]},{"name":"FSCTL_QUERY_DIRECT_IMAGE_ORIGINAL_BASE","features":[22]},{"name":"FSCTL_QUERY_EXTENT_READ_CACHE_INFO","features":[22]},{"name":"FSCTL_QUERY_FAT_BPB","features":[22]},{"name":"FSCTL_QUERY_FAT_BPB_BUFFER","features":[22]},{"name":"FSCTL_QUERY_FILE_LAYOUT","features":[22]},{"name":"FSCTL_QUERY_FILE_METADATA_OPTIMIZATION","features":[22]},{"name":"FSCTL_QUERY_FILE_REGIONS","features":[22]},{"name":"FSCTL_QUERY_FILE_SYSTEM_RECOGNITION","features":[22]},{"name":"FSCTL_QUERY_GHOSTED_FILE_EXTENTS","features":[22]},{"name":"FSCTL_QUERY_LCN_WEAK_REFERENCE","features":[22]},{"name":"FSCTL_QUERY_ON_DISK_VOLUME_INFO","features":[22]},{"name":"FSCTL_QUERY_PAGEFILE_ENCRYPTION","features":[22]},{"name":"FSCTL_QUERY_PERSISTENT_VOLUME_STATE","features":[22]},{"name":"FSCTL_QUERY_REFS_SMR_VOLUME_INFO","features":[22]},{"name":"FSCTL_QUERY_REFS_VOLUME_COUNTER_INFO","features":[22]},{"name":"FSCTL_QUERY_REGION_INFO","features":[22]},{"name":"FSCTL_QUERY_REGION_INFO_INPUT","features":[22]},{"name":"FSCTL_QUERY_REGION_INFO_OUTPUT","features":[22]},{"name":"FSCTL_QUERY_RETRIEVAL_POINTERS","features":[22]},{"name":"FSCTL_QUERY_SHARED_VIRTUAL_DISK_SUPPORT","features":[22]},{"name":"FSCTL_QUERY_SPARING_INFO","features":[22]},{"name":"FSCTL_QUERY_STORAGE_CLASSES","features":[22]},{"name":"FSCTL_QUERY_STORAGE_CLASSES_OUTPUT","features":[22]},{"name":"FSCTL_QUERY_USN_JOURNAL","features":[22]},{"name":"FSCTL_QUERY_VOLUME_CONTAINER_STATE","features":[22]},{"name":"FSCTL_QUERY_VOLUME_NUMA_INFO","features":[22]},{"name":"FSCTL_READ_FILE_USN_DATA","features":[22]},{"name":"FSCTL_READ_FROM_PLEX","features":[22]},{"name":"FSCTL_READ_RAW_ENCRYPTED","features":[22]},{"name":"FSCTL_READ_UNPRIVILEGED_USN_JOURNAL","features":[22]},{"name":"FSCTL_READ_USN_JOURNAL","features":[22]},{"name":"FSCTL_REARRANGE_FILE","features":[22]},{"name":"FSCTL_RECALL_FILE","features":[22]},{"name":"FSCTL_REFS_CHECKPOINT_VOLUME","features":[22]},{"name":"FSCTL_REFS_DEALLOCATE_RANGES","features":[22]},{"name":"FSCTL_REFS_DEALLOCATE_RANGES_EX","features":[22]},{"name":"FSCTL_REFS_QUERY_VOLUME_COMPRESSION_INFO","features":[22]},{"name":"FSCTL_REFS_QUERY_VOLUME_DEDUP_INFO","features":[22]},{"name":"FSCTL_REFS_QUERY_VOLUME_IO_METRICS_INFO","features":[22]},{"name":"FSCTL_REFS_QUERY_VOLUME_TOTAL_SHARED_LCNS","features":[22]},{"name":"FSCTL_REFS_SET_VOLUME_COMPRESSION_INFO","features":[22]},{"name":"FSCTL_REFS_SET_VOLUME_DEDUP_INFO","features":[22]},{"name":"FSCTL_REFS_SET_VOLUME_IO_METRICS_INFO","features":[22]},{"name":"FSCTL_REFS_STREAM_SNAPSHOT_MANAGEMENT","features":[22]},{"name":"FSCTL_REMOVE_OVERLAY","features":[22]},{"name":"FSCTL_REPAIR_COPIES","features":[22]},{"name":"FSCTL_REQUEST_BATCH_OPLOCK","features":[22]},{"name":"FSCTL_REQUEST_FILTER_OPLOCK","features":[22]},{"name":"FSCTL_REQUEST_OPLOCK","features":[22]},{"name":"FSCTL_REQUEST_OPLOCK_LEVEL_1","features":[22]},{"name":"FSCTL_REQUEST_OPLOCK_LEVEL_2","features":[22]},{"name":"FSCTL_RESET_VOLUME_ALLOCATION_HINTS","features":[22]},{"name":"FSCTL_RKF_INTERNAL","features":[22]},{"name":"FSCTL_SCRUB_DATA","features":[22]},{"name":"FSCTL_SCRUB_UNDISCOVERABLE_ID","features":[22]},{"name":"FSCTL_SD_GLOBAL_CHANGE","features":[22]},{"name":"FSCTL_SECURITY_ID_CHECK","features":[22]},{"name":"FSCTL_SET_BOOTLOADER_ACCESSED","features":[22]},{"name":"FSCTL_SET_CACHED_RUNS_STATE","features":[22]},{"name":"FSCTL_SET_COMPRESSION","features":[22]},{"name":"FSCTL_SET_DAX_ALLOC_ALIGNMENT_HINT","features":[22]},{"name":"FSCTL_SET_DEFECT_MANAGEMENT","features":[22]},{"name":"FSCTL_SET_ENCRYPTION","features":[22]},{"name":"FSCTL_SET_EXTERNAL_BACKING","features":[22]},{"name":"FSCTL_SET_INTEGRITY_INFORMATION","features":[22]},{"name":"FSCTL_SET_INTEGRITY_INFORMATION_BUFFER","features":[22]},{"name":"FSCTL_SET_INTEGRITY_INFORMATION_BUFFER_EX","features":[22]},{"name":"FSCTL_SET_INTEGRITY_INFORMATION_EX","features":[22]},{"name":"FSCTL_SET_LAYER_ROOT","features":[22]},{"name":"FSCTL_SET_OBJECT_ID","features":[22]},{"name":"FSCTL_SET_OBJECT_ID_EXTENDED","features":[22]},{"name":"FSCTL_SET_PERSISTENT_VOLUME_STATE","features":[22]},{"name":"FSCTL_SET_PURGE_FAILURE_MODE","features":[22]},{"name":"FSCTL_SET_REFS_FILE_STRICTLY_SEQUENTIAL","features":[22]},{"name":"FSCTL_SET_REFS_SMR_VOLUME_GC_PARAMETERS","features":[22]},{"name":"FSCTL_SET_REPAIR","features":[22]},{"name":"FSCTL_SET_REPARSE_POINT","features":[22]},{"name":"FSCTL_SET_REPARSE_POINT_EX","features":[22]},{"name":"FSCTL_SET_SHORT_NAME_BEHAVIOR","features":[22]},{"name":"FSCTL_SET_SPARSE","features":[22]},{"name":"FSCTL_SET_VOLUME_COMPRESSION_STATE","features":[22]},{"name":"FSCTL_SET_ZERO_DATA","features":[22]},{"name":"FSCTL_SET_ZERO_ON_DEALLOCATION","features":[22]},{"name":"FSCTL_SHRINK_VOLUME","features":[22]},{"name":"FSCTL_SHUFFLE_FILE","features":[22]},{"name":"FSCTL_SIS_COPYFILE","features":[22]},{"name":"FSCTL_SIS_LINK_FILES","features":[22]},{"name":"FSCTL_SMB_SHARE_FLUSH_AND_PURGE","features":[22]},{"name":"FSCTL_SPARSE_OVERALLOCATE","features":[22]},{"name":"FSCTL_SSDI_STORAGE_REQUEST","features":[22]},{"name":"FSCTL_START_VIRTUALIZATION_INSTANCE","features":[22]},{"name":"FSCTL_START_VIRTUALIZATION_INSTANCE_EX","features":[22]},{"name":"FSCTL_STORAGE_QOS_CONTROL","features":[22]},{"name":"FSCTL_STREAMS_ASSOCIATE_ID","features":[22]},{"name":"FSCTL_STREAMS_QUERY_ID","features":[22]},{"name":"FSCTL_STREAMS_QUERY_PARAMETERS","features":[22]},{"name":"FSCTL_SUSPEND_OVERLAY","features":[22]},{"name":"FSCTL_SVHDX_ASYNC_TUNNEL_REQUEST","features":[22]},{"name":"FSCTL_SVHDX_SET_INITIATOR_INFORMATION","features":[22]},{"name":"FSCTL_SVHDX_SYNC_TUNNEL_REQUEST","features":[22]},{"name":"FSCTL_TXFS_CREATE_MINIVERSION","features":[22]},{"name":"FSCTL_TXFS_CREATE_SECONDARY_RM","features":[22]},{"name":"FSCTL_TXFS_GET_METADATA_INFO","features":[22]},{"name":"FSCTL_TXFS_GET_TRANSACTED_VERSION","features":[22]},{"name":"FSCTL_TXFS_LIST_TRANSACTIONS","features":[22]},{"name":"FSCTL_TXFS_LIST_TRANSACTION_LOCKED_FILES","features":[22]},{"name":"FSCTL_TXFS_MODIFY_RM","features":[22]},{"name":"FSCTL_TXFS_QUERY_RM_INFORMATION","features":[22]},{"name":"FSCTL_TXFS_READ_BACKUP_INFORMATION","features":[22]},{"name":"FSCTL_TXFS_READ_BACKUP_INFORMATION2","features":[22]},{"name":"FSCTL_TXFS_ROLLFORWARD_REDO","features":[22]},{"name":"FSCTL_TXFS_ROLLFORWARD_UNDO","features":[22]},{"name":"FSCTL_TXFS_SAVEPOINT_INFORMATION","features":[22]},{"name":"FSCTL_TXFS_SHUTDOWN_RM","features":[22]},{"name":"FSCTL_TXFS_START_RM","features":[22]},{"name":"FSCTL_TXFS_TRANSACTION_ACTIVE","features":[22]},{"name":"FSCTL_TXFS_WRITE_BACKUP_INFORMATION","features":[22]},{"name":"FSCTL_TXFS_WRITE_BACKUP_INFORMATION2","features":[22]},{"name":"FSCTL_UNLOCK_VOLUME","features":[22]},{"name":"FSCTL_UNMAP_SPACE","features":[22]},{"name":"FSCTL_UPDATE_OVERLAY","features":[22]},{"name":"FSCTL_UPGRADE_VOLUME","features":[22]},{"name":"FSCTL_USN_TRACK_MODIFIED_RANGES","features":[22]},{"name":"FSCTL_VIRTUAL_STORAGE_PASSTHROUGH","features":[22]},{"name":"FSCTL_VIRTUAL_STORAGE_QUERY_PROPERTY","features":[22]},{"name":"FSCTL_VIRTUAL_STORAGE_SET_BEHAVIOR","features":[22]},{"name":"FSCTL_WAIT_FOR_REPAIR","features":[22]},{"name":"FSCTL_WRITE_RAW_ENCRYPTED","features":[22]},{"name":"FSCTL_WRITE_USN_CLOSE_RECORD","features":[22]},{"name":"FSCTL_WRITE_USN_REASON","features":[22]},{"name":"FS_BPIO_INFLAGS","features":[22]},{"name":"FS_BPIO_INFO","features":[22]},{"name":"FS_BPIO_INPUT","features":[22]},{"name":"FS_BPIO_OPERATIONS","features":[22]},{"name":"FS_BPIO_OP_DISABLE","features":[22]},{"name":"FS_BPIO_OP_ENABLE","features":[22]},{"name":"FS_BPIO_OP_GET_INFO","features":[22]},{"name":"FS_BPIO_OP_MAX_OPERATION","features":[22]},{"name":"FS_BPIO_OP_QUERY","features":[22]},{"name":"FS_BPIO_OP_STREAM_PAUSE","features":[22]},{"name":"FS_BPIO_OP_STREAM_RESUME","features":[22]},{"name":"FS_BPIO_OP_VOLUME_STACK_PAUSE","features":[22]},{"name":"FS_BPIO_OP_VOLUME_STACK_RESUME","features":[22]},{"name":"FS_BPIO_OUTFLAGS","features":[22]},{"name":"FS_BPIO_OUTPUT","features":[22]},{"name":"FS_BPIO_RESULTS","features":[22]},{"name":"FW_ISSUEID_NO_ISSUE","features":[22]},{"name":"FW_ISSUEID_UNKNOWN","features":[22]},{"name":"FileSnapStateInactive","features":[22]},{"name":"FileSnapStateSource","features":[22]},{"name":"FileSnapStateTarget","features":[22]},{"name":"FileStorageTierClassCapacity","features":[22]},{"name":"FileStorageTierClassMax","features":[22]},{"name":"FileStorageTierClassPerformance","features":[22]},{"name":"FileStorageTierClassUnspecified","features":[22]},{"name":"FileStorageTierMediaTypeDisk","features":[22]},{"name":"FileStorageTierMediaTypeMax","features":[22]},{"name":"FileStorageTierMediaTypeScm","features":[22]},{"name":"FileStorageTierMediaTypeSsd","features":[22]},{"name":"FileStorageTierMediaTypeUnspecified","features":[22]},{"name":"FixedMedia","features":[22]},{"name":"FormFactor1_8","features":[22]},{"name":"FormFactor1_8Less","features":[22]},{"name":"FormFactor2_5","features":[22]},{"name":"FormFactor3_5","features":[22]},{"name":"FormFactorDimm","features":[22]},{"name":"FormFactorEmbedded","features":[22]},{"name":"FormFactorM_2","features":[22]},{"name":"FormFactorMemoryCard","features":[22]},{"name":"FormFactorPCIeBoard","features":[22]},{"name":"FormFactorUnknown","features":[22]},{"name":"FormFactormSata","features":[22]},{"name":"GETVERSIONINPARAMS","features":[22]},{"name":"GET_CHANGER_PARAMETERS","features":[22]},{"name":"GET_CHANGER_PARAMETERS_FEATURES1","features":[22]},{"name":"GET_DEVICE_INTERNAL_STATUS_DATA_REQUEST","features":[22]},{"name":"GET_DISK_ATTRIBUTES","features":[22]},{"name":"GET_FILTER_FILE_IDENTIFIER_INPUT","features":[22]},{"name":"GET_FILTER_FILE_IDENTIFIER_OUTPUT","features":[22]},{"name":"GET_LENGTH_INFORMATION","features":[22]},{"name":"GET_MEDIA_TYPES","features":[21,22]},{"name":"GET_VOLUME_BITMAP_FLAG_MASK_METADATA","features":[22]},{"name":"GPT_ATTRIBUTES","features":[22]},{"name":"GPT_ATTRIBUTE_LEGACY_BIOS_BOOTABLE","features":[22]},{"name":"GPT_ATTRIBUTE_NO_BLOCK_IO_PROTOCOL","features":[22]},{"name":"GPT_ATTRIBUTE_PLATFORM_REQUIRED","features":[22]},{"name":"GPT_BASIC_DATA_ATTRIBUTE_DAX","features":[22]},{"name":"GPT_BASIC_DATA_ATTRIBUTE_HIDDEN","features":[22]},{"name":"GPT_BASIC_DATA_ATTRIBUTE_NO_DRIVE_LETTER","features":[22]},{"name":"GPT_BASIC_DATA_ATTRIBUTE_OFFLINE","features":[22]},{"name":"GPT_BASIC_DATA_ATTRIBUTE_READ_ONLY","features":[22]},{"name":"GPT_BASIC_DATA_ATTRIBUTE_SERVICE","features":[22]},{"name":"GPT_BASIC_DATA_ATTRIBUTE_SHADOW_COPY","features":[22]},{"name":"GPT_SPACES_ATTRIBUTE_NO_METADATA","features":[22]},{"name":"GP_LOG_PAGE_DESCRIPTOR","features":[22]},{"name":"GUID_DEVICEDUMP_DRIVER_STORAGE_PORT","features":[22]},{"name":"GUID_DEVICEDUMP_STORAGE_DEVICE","features":[22]},{"name":"GUID_DEVINTERFACE_CDCHANGER","features":[22]},{"name":"GUID_DEVINTERFACE_CDROM","features":[22]},{"name":"GUID_DEVINTERFACE_COMPORT","features":[22]},{"name":"GUID_DEVINTERFACE_DISK","features":[22]},{"name":"GUID_DEVINTERFACE_FLOPPY","features":[22]},{"name":"GUID_DEVINTERFACE_HIDDEN_VOLUME","features":[22]},{"name":"GUID_DEVINTERFACE_MEDIUMCHANGER","features":[22]},{"name":"GUID_DEVINTERFACE_PARTITION","features":[22]},{"name":"GUID_DEVINTERFACE_SCM_PHYSICAL_DEVICE","features":[22]},{"name":"GUID_DEVINTERFACE_SERENUM_BUS_ENUMERATOR","features":[22]},{"name":"GUID_DEVINTERFACE_SERVICE_VOLUME","features":[22]},{"name":"GUID_DEVINTERFACE_SES","features":[22]},{"name":"GUID_DEVINTERFACE_STORAGEPORT","features":[22]},{"name":"GUID_DEVINTERFACE_TAPE","features":[22]},{"name":"GUID_DEVINTERFACE_UNIFIED_ACCESS_RPMB","features":[22]},{"name":"GUID_DEVINTERFACE_VMLUN","features":[22]},{"name":"GUID_DEVINTERFACE_VOLUME","features":[22]},{"name":"GUID_DEVINTERFACE_WRITEONCEDISK","features":[22]},{"name":"GUID_DEVINTERFACE_ZNSDISK","features":[22]},{"name":"GUID_SCM_PD_HEALTH_NOTIFICATION","features":[22]},{"name":"GUID_SCM_PD_PASSTHROUGH_INVDIMM","features":[22]},{"name":"HISTOGRAM_BUCKET","features":[22]},{"name":"HIST_NO_OF_BUCKETS","features":[22]},{"name":"HITACHI_12_WO","features":[22]},{"name":"HealthStatusDisabled","features":[22]},{"name":"HealthStatusFailed","features":[22]},{"name":"HealthStatusNormal","features":[22]},{"name":"HealthStatusThrottled","features":[22]},{"name":"HealthStatusUnknown","features":[22]},{"name":"HealthStatusWarning","features":[22]},{"name":"IBM_3480","features":[22]},{"name":"IBM_3490E","features":[22]},{"name":"IBM_Magstar_3590","features":[22]},{"name":"IBM_Magstar_MP","features":[22]},{"name":"IDENTIFY_BUFFER_SIZE","features":[22]},{"name":"IDEREGS","features":[22]},{"name":"ID_CMD","features":[22]},{"name":"IOCTL_CHANGER_BASE","features":[22]},{"name":"IOCTL_CHANGER_EXCHANGE_MEDIUM","features":[22]},{"name":"IOCTL_CHANGER_GET_ELEMENT_STATUS","features":[22]},{"name":"IOCTL_CHANGER_GET_PARAMETERS","features":[22]},{"name":"IOCTL_CHANGER_GET_PRODUCT_DATA","features":[22]},{"name":"IOCTL_CHANGER_GET_STATUS","features":[22]},{"name":"IOCTL_CHANGER_INITIALIZE_ELEMENT_STATUS","features":[22]},{"name":"IOCTL_CHANGER_MOVE_MEDIUM","features":[22]},{"name":"IOCTL_CHANGER_QUERY_VOLUME_TAGS","features":[22]},{"name":"IOCTL_CHANGER_REINITIALIZE_TRANSPORT","features":[22]},{"name":"IOCTL_CHANGER_SET_ACCESS","features":[22]},{"name":"IOCTL_CHANGER_SET_POSITION","features":[22]},{"name":"IOCTL_DISK_BASE","features":[22]},{"name":"IOCTL_DISK_CHECK_VERIFY","features":[22]},{"name":"IOCTL_DISK_CONTROLLER_NUMBER","features":[22]},{"name":"IOCTL_DISK_CREATE_DISK","features":[22]},{"name":"IOCTL_DISK_DELETE_DRIVE_LAYOUT","features":[22]},{"name":"IOCTL_DISK_EJECT_MEDIA","features":[22]},{"name":"IOCTL_DISK_FIND_NEW_DEVICES","features":[22]},{"name":"IOCTL_DISK_FORMAT_DRIVE","features":[22]},{"name":"IOCTL_DISK_FORMAT_TRACKS","features":[22]},{"name":"IOCTL_DISK_FORMAT_TRACKS_EX","features":[22]},{"name":"IOCTL_DISK_GET_CACHE_INFORMATION","features":[22]},{"name":"IOCTL_DISK_GET_DISK_ATTRIBUTES","features":[22]},{"name":"IOCTL_DISK_GET_DRIVE_GEOMETRY","features":[22]},{"name":"IOCTL_DISK_GET_DRIVE_GEOMETRY_EX","features":[22]},{"name":"IOCTL_DISK_GET_DRIVE_LAYOUT","features":[22]},{"name":"IOCTL_DISK_GET_DRIVE_LAYOUT_EX","features":[22]},{"name":"IOCTL_DISK_GET_LENGTH_INFO","features":[22]},{"name":"IOCTL_DISK_GET_MEDIA_TYPES","features":[22]},{"name":"IOCTL_DISK_GET_PARTITION_INFO","features":[22]},{"name":"IOCTL_DISK_GET_PARTITION_INFO_EX","features":[22]},{"name":"IOCTL_DISK_GET_WRITE_CACHE_STATE","features":[22]},{"name":"IOCTL_DISK_GROW_PARTITION","features":[22]},{"name":"IOCTL_DISK_HISTOGRAM_DATA","features":[22]},{"name":"IOCTL_DISK_HISTOGRAM_RESET","features":[22]},{"name":"IOCTL_DISK_HISTOGRAM_STRUCTURE","features":[22]},{"name":"IOCTL_DISK_IS_WRITABLE","features":[22]},{"name":"IOCTL_DISK_LOAD_MEDIA","features":[22]},{"name":"IOCTL_DISK_LOGGING","features":[22]},{"name":"IOCTL_DISK_MEDIA_REMOVAL","features":[22]},{"name":"IOCTL_DISK_PERFORMANCE","features":[22]},{"name":"IOCTL_DISK_PERFORMANCE_OFF","features":[22]},{"name":"IOCTL_DISK_REASSIGN_BLOCKS","features":[22]},{"name":"IOCTL_DISK_REASSIGN_BLOCKS_EX","features":[22]},{"name":"IOCTL_DISK_RELEASE","features":[22]},{"name":"IOCTL_DISK_REQUEST_DATA","features":[22]},{"name":"IOCTL_DISK_REQUEST_STRUCTURE","features":[22]},{"name":"IOCTL_DISK_RESERVE","features":[22]},{"name":"IOCTL_DISK_RESET_SNAPSHOT_INFO","features":[22]},{"name":"IOCTL_DISK_SENSE_DEVICE","features":[22]},{"name":"IOCTL_DISK_SET_CACHE_INFORMATION","features":[22]},{"name":"IOCTL_DISK_SET_DISK_ATTRIBUTES","features":[22]},{"name":"IOCTL_DISK_SET_DRIVE_LAYOUT","features":[22]},{"name":"IOCTL_DISK_SET_DRIVE_LAYOUT_EX","features":[22]},{"name":"IOCTL_DISK_SET_PARTITION_INFO","features":[22]},{"name":"IOCTL_DISK_SET_PARTITION_INFO_EX","features":[22]},{"name":"IOCTL_DISK_UPDATE_DRIVE_SIZE","features":[22]},{"name":"IOCTL_DISK_UPDATE_PROPERTIES","features":[22]},{"name":"IOCTL_DISK_VERIFY","features":[22]},{"name":"IOCTL_SCMBUS_BASE","features":[22]},{"name":"IOCTL_SCMBUS_DEVICE_FUNCTION_BASE","features":[22]},{"name":"IOCTL_SCM_BUS_GET_LOGICAL_DEVICES","features":[22]},{"name":"IOCTL_SCM_BUS_GET_PHYSICAL_DEVICES","features":[22]},{"name":"IOCTL_SCM_BUS_GET_REGIONS","features":[22]},{"name":"IOCTL_SCM_BUS_QUERY_PROPERTY","features":[22]},{"name":"IOCTL_SCM_BUS_REFRESH_NAMESPACE","features":[22]},{"name":"IOCTL_SCM_BUS_RUNTIME_FW_ACTIVATE","features":[22]},{"name":"IOCTL_SCM_BUS_SET_PROPERTY","features":[22]},{"name":"IOCTL_SCM_LD_GET_INTERLEAVE_SET","features":[22]},{"name":"IOCTL_SCM_LOGICAL_DEVICE_FUNCTION_BASE","features":[22]},{"name":"IOCTL_SCM_PD_FIRMWARE_ACTIVATE","features":[22]},{"name":"IOCTL_SCM_PD_FIRMWARE_DOWNLOAD","features":[22]},{"name":"IOCTL_SCM_PD_PASSTHROUGH","features":[22]},{"name":"IOCTL_SCM_PD_QUERY_PROPERTY","features":[22]},{"name":"IOCTL_SCM_PD_REINITIALIZE_MEDIA","features":[22]},{"name":"IOCTL_SCM_PD_SET_PROPERTY","features":[22]},{"name":"IOCTL_SCM_PD_UPDATE_MANAGEMENT_STATUS","features":[22]},{"name":"IOCTL_SCM_PHYSICAL_DEVICE_FUNCTION_BASE","features":[22]},{"name":"IOCTL_SERENUM_EXPOSE_HARDWARE","features":[22]},{"name":"IOCTL_SERENUM_GET_PORT_NAME","features":[22]},{"name":"IOCTL_SERENUM_PORT_DESC","features":[22]},{"name":"IOCTL_SERENUM_REMOVE_HARDWARE","features":[22]},{"name":"IOCTL_SERIAL_LSRMST_INSERT","features":[22]},{"name":"IOCTL_STORAGE_ALLOCATE_BC_STREAM","features":[22]},{"name":"IOCTL_STORAGE_ATTRIBUTE_MANAGEMENT","features":[22]},{"name":"IOCTL_STORAGE_BASE","features":[22]},{"name":"IOCTL_STORAGE_BC_VERSION","features":[22]},{"name":"IOCTL_STORAGE_BREAK_RESERVATION","features":[22]},{"name":"IOCTL_STORAGE_CHECK_PRIORITY_HINT_SUPPORT","features":[22]},{"name":"IOCTL_STORAGE_CHECK_VERIFY","features":[22]},{"name":"IOCTL_STORAGE_CHECK_VERIFY2","features":[22]},{"name":"IOCTL_STORAGE_DEVICE_POWER_CAP","features":[22]},{"name":"IOCTL_STORAGE_DEVICE_TELEMETRY_NOTIFY","features":[22]},{"name":"IOCTL_STORAGE_DEVICE_TELEMETRY_QUERY_CAPS","features":[22]},{"name":"IOCTL_STORAGE_DIAGNOSTIC","features":[22]},{"name":"IOCTL_STORAGE_EJECTION_CONTROL","features":[22]},{"name":"IOCTL_STORAGE_EJECT_MEDIA","features":[22]},{"name":"IOCTL_STORAGE_ENABLE_IDLE_POWER","features":[22]},{"name":"IOCTL_STORAGE_EVENT_NOTIFICATION","features":[22]},{"name":"IOCTL_STORAGE_FAILURE_PREDICTION_CONFIG","features":[22]},{"name":"IOCTL_STORAGE_FIND_NEW_DEVICES","features":[22]},{"name":"IOCTL_STORAGE_FIRMWARE_ACTIVATE","features":[22]},{"name":"IOCTL_STORAGE_FIRMWARE_DOWNLOAD","features":[22]},{"name":"IOCTL_STORAGE_FIRMWARE_GET_INFO","features":[22]},{"name":"IOCTL_STORAGE_FREE_BC_STREAM","features":[22]},{"name":"IOCTL_STORAGE_GET_BC_PROPERTIES","features":[22]},{"name":"IOCTL_STORAGE_GET_COUNTERS","features":[22]},{"name":"IOCTL_STORAGE_GET_DEVICE_INTERNAL_LOG","features":[22]},{"name":"IOCTL_STORAGE_GET_DEVICE_NUMBER","features":[22]},{"name":"IOCTL_STORAGE_GET_DEVICE_NUMBER_EX","features":[22]},{"name":"IOCTL_STORAGE_GET_DEVICE_TELEMETRY","features":[22]},{"name":"IOCTL_STORAGE_GET_DEVICE_TELEMETRY_RAW","features":[22]},{"name":"IOCTL_STORAGE_GET_HOTPLUG_INFO","features":[22]},{"name":"IOCTL_STORAGE_GET_IDLE_POWERUP_REASON","features":[22]},{"name":"IOCTL_STORAGE_GET_LB_PROVISIONING_MAP_RESOURCES","features":[22]},{"name":"IOCTL_STORAGE_GET_MEDIA_SERIAL_NUMBER","features":[22]},{"name":"IOCTL_STORAGE_GET_MEDIA_TYPES","features":[22]},{"name":"IOCTL_STORAGE_GET_MEDIA_TYPES_EX","features":[22]},{"name":"IOCTL_STORAGE_GET_PHYSICAL_ELEMENT_STATUS","features":[22]},{"name":"IOCTL_STORAGE_LOAD_MEDIA","features":[22]},{"name":"IOCTL_STORAGE_LOAD_MEDIA2","features":[22]},{"name":"IOCTL_STORAGE_MANAGE_BYPASS_IO","features":[22]},{"name":"IOCTL_STORAGE_MANAGE_DATA_SET_ATTRIBUTES","features":[22]},{"name":"IOCTL_STORAGE_MCN_CONTROL","features":[22]},{"name":"IOCTL_STORAGE_MEDIA_REMOVAL","features":[22]},{"name":"IOCTL_STORAGE_PERSISTENT_RESERVE_IN","features":[22]},{"name":"IOCTL_STORAGE_PERSISTENT_RESERVE_OUT","features":[22]},{"name":"IOCTL_STORAGE_POWER_ACTIVE","features":[22]},{"name":"IOCTL_STORAGE_POWER_IDLE","features":[22]},{"name":"IOCTL_STORAGE_PREDICT_FAILURE","features":[22]},{"name":"IOCTL_STORAGE_PROTOCOL_COMMAND","features":[22]},{"name":"IOCTL_STORAGE_QUERY_PROPERTY","features":[22]},{"name":"IOCTL_STORAGE_READ_CAPACITY","features":[22]},{"name":"IOCTL_STORAGE_REINITIALIZE_MEDIA","features":[22]},{"name":"IOCTL_STORAGE_RELEASE","features":[22]},{"name":"IOCTL_STORAGE_REMOVE_ELEMENT_AND_TRUNCATE","features":[22]},{"name":"IOCTL_STORAGE_RESERVE","features":[22]},{"name":"IOCTL_STORAGE_RESET_BUS","features":[22]},{"name":"IOCTL_STORAGE_RESET_DEVICE","features":[22]},{"name":"IOCTL_STORAGE_RPMB_COMMAND","features":[22]},{"name":"IOCTL_STORAGE_SET_HOTPLUG_INFO","features":[22]},{"name":"IOCTL_STORAGE_SET_PROPERTY","features":[22]},{"name":"IOCTL_STORAGE_SET_TEMPERATURE_THRESHOLD","features":[22]},{"name":"IOCTL_STORAGE_START_DATA_INTEGRITY_CHECK","features":[22]},{"name":"IOCTL_STORAGE_STOP_DATA_INTEGRITY_CHECK","features":[22]},{"name":"IOMEGA_JAZ","features":[22]},{"name":"IOMEGA_ZIP","features":[22]},{"name":"IO_IRP_EXT_TRACK_OFFSET_HEADER","features":[22]},{"name":"KODAK_14_WO","features":[22]},{"name":"KeepPrefetchedData","features":[22]},{"name":"KeepReadData","features":[22]},{"name":"LMRQuerySessionInfo","features":[22]},{"name":"LMR_QUERY_INFO_CLASS","features":[22]},{"name":"LMR_QUERY_INFO_PARAM","features":[22]},{"name":"LMR_QUERY_SESSION_INFO","features":[22]},{"name":"LOCK_ELEMENT","features":[22]},{"name":"LOCK_UNLOCK_DOOR","features":[22]},{"name":"LOCK_UNLOCK_IEPORT","features":[22]},{"name":"LOCK_UNLOCK_KEYPAD","features":[22]},{"name":"LOOKUP_STREAM_FROM_CLUSTER_ENTRY","features":[22]},{"name":"LOOKUP_STREAM_FROM_CLUSTER_ENTRY_ATTRIBUTE_DATA","features":[22]},{"name":"LOOKUP_STREAM_FROM_CLUSTER_ENTRY_ATTRIBUTE_INDEX","features":[22]},{"name":"LOOKUP_STREAM_FROM_CLUSTER_ENTRY_ATTRIBUTE_MASK","features":[22]},{"name":"LOOKUP_STREAM_FROM_CLUSTER_ENTRY_ATTRIBUTE_SYSTEM","features":[22]},{"name":"LOOKUP_STREAM_FROM_CLUSTER_ENTRY_FLAG_DENY_DEFRAG_SET","features":[22]},{"name":"LOOKUP_STREAM_FROM_CLUSTER_ENTRY_FLAG_FS_SYSTEM_FILE","features":[22]},{"name":"LOOKUP_STREAM_FROM_CLUSTER_ENTRY_FLAG_PAGE_FILE","features":[22]},{"name":"LOOKUP_STREAM_FROM_CLUSTER_ENTRY_FLAG_TXF_SYSTEM_FILE","features":[22]},{"name":"LOOKUP_STREAM_FROM_CLUSTER_INPUT","features":[22]},{"name":"LOOKUP_STREAM_FROM_CLUSTER_OUTPUT","features":[22]},{"name":"LTO_Accelis","features":[22]},{"name":"LTO_Ultrium","features":[22]},{"name":"MARK_HANDLE_CLOUD_SYNC","features":[22]},{"name":"MARK_HANDLE_DISABLE_FILE_METADATA_OPTIMIZATION","features":[22]},{"name":"MARK_HANDLE_ENABLE_CPU_CACHE","features":[22]},{"name":"MARK_HANDLE_ENABLE_USN_SOURCE_ON_PAGING_IO","features":[22]},{"name":"MARK_HANDLE_FILTER_METADATA","features":[22]},{"name":"MARK_HANDLE_INFO","features":[1,22]},{"name":"MARK_HANDLE_INFO32","features":[22]},{"name":"MARK_HANDLE_NOT_READ_COPY","features":[22]},{"name":"MARK_HANDLE_NOT_REALTIME","features":[22]},{"name":"MARK_HANDLE_NOT_TXF_SYSTEM_LOG","features":[22]},{"name":"MARK_HANDLE_PROTECT_CLUSTERS","features":[22]},{"name":"MARK_HANDLE_READ_COPY","features":[22]},{"name":"MARK_HANDLE_REALTIME","features":[22]},{"name":"MARK_HANDLE_RETURN_PURGE_FAILURE","features":[22]},{"name":"MARK_HANDLE_SKIP_COHERENCY_SYNC_DISALLOW_WRITES","features":[22]},{"name":"MARK_HANDLE_SUPPRESS_VOLUME_OPEN_FLUSH","features":[22]},{"name":"MARK_HANDLE_TXF_SYSTEM_LOG","features":[22]},{"name":"MAXIMUM_ENCRYPTION_VALUE","features":[22]},{"name":"MAX_FW_BUCKET_ID_LENGTH","features":[22]},{"name":"MAX_INTERFACE_CODES","features":[22]},{"name":"MAX_VOLUME_ID_SIZE","features":[22]},{"name":"MAX_VOLUME_TEMPLATE_SIZE","features":[22]},{"name":"MEDIA_CURRENTLY_MOUNTED","features":[22]},{"name":"MEDIA_ERASEABLE","features":[22]},{"name":"MEDIA_READ_ONLY","features":[22]},{"name":"MEDIA_READ_WRITE","features":[22]},{"name":"MEDIA_TYPE","features":[22]},{"name":"MEDIA_WRITE_ONCE","features":[22]},{"name":"MEDIA_WRITE_PROTECTED","features":[22]},{"name":"METHOD_BUFFERED","features":[22]},{"name":"METHOD_DIRECT_FROM_HARDWARE","features":[22]},{"name":"METHOD_DIRECT_TO_HARDWARE","features":[22]},{"name":"METHOD_IN_DIRECT","features":[22]},{"name":"METHOD_NEITHER","features":[22]},{"name":"METHOD_OUT_DIRECT","features":[22]},{"name":"MFT_ENUM_DATA_V0","features":[22]},{"name":"MFT_ENUM_DATA_V1","features":[22]},{"name":"MOVE_FILE_DATA","features":[1,22]},{"name":"MOVE_FILE_DATA32","features":[22]},{"name":"MOVE_FILE_RECORD_DATA","features":[1,22]},{"name":"MO_3_RW","features":[22]},{"name":"MO_5_LIMDOW","features":[22]},{"name":"MO_5_RW","features":[22]},{"name":"MO_5_WO","features":[22]},{"name":"MO_NFR_525","features":[22]},{"name":"MP2_8mm","features":[22]},{"name":"MP_8mm","features":[22]},{"name":"MiniQic","features":[22]},{"name":"NCTP","features":[22]},{"name":"NIKON_12_RW","features":[22]},{"name":"NTFS_EXTENDED_VOLUME_DATA","features":[22]},{"name":"NTFS_FILE_RECORD_INPUT_BUFFER","features":[22]},{"name":"NTFS_FILE_RECORD_OUTPUT_BUFFER","features":[22]},{"name":"NTFS_STATISTICS","features":[22]},{"name":"NTFS_STATISTICS_EX","features":[22]},{"name":"NTFS_VOLUME_DATA_BUFFER","features":[22]},{"name":"NVMeDataTypeFeature","features":[22]},{"name":"NVMeDataTypeIdentify","features":[22]},{"name":"NVMeDataTypeLogPage","features":[22]},{"name":"NVMeDataTypeUnknown","features":[22]},{"name":"OBSOLETE_DISK_GET_WRITE_CACHE_STATE","features":[22]},{"name":"OBSOLETE_IOCTL_STORAGE_RESET_BUS","features":[22]},{"name":"OBSOLETE_IOCTL_STORAGE_RESET_DEVICE","features":[22]},{"name":"OFFLOAD_READ_FLAG_ALL_ZERO_BEYOND_CURRENT_RANGE","features":[22]},{"name":"OPLOCK_LEVEL_CACHE_HANDLE","features":[22]},{"name":"OPLOCK_LEVEL_CACHE_READ","features":[22]},{"name":"OPLOCK_LEVEL_CACHE_WRITE","features":[22]},{"name":"PARTIITON_OS_DATA","features":[22]},{"name":"PARTITION_BSP","features":[22]},{"name":"PARTITION_DM","features":[22]},{"name":"PARTITION_DPP","features":[22]},{"name":"PARTITION_ENTRY_UNUSED","features":[22]},{"name":"PARTITION_EXTENDED","features":[22]},{"name":"PARTITION_EZDRIVE","features":[22]},{"name":"PARTITION_FAT32","features":[22]},{"name":"PARTITION_FAT32_XINT13","features":[22]},{"name":"PARTITION_FAT_12","features":[22]},{"name":"PARTITION_FAT_16","features":[22]},{"name":"PARTITION_GPT","features":[22]},{"name":"PARTITION_HUGE","features":[22]},{"name":"PARTITION_IFS","features":[22]},{"name":"PARTITION_INFORMATION","features":[1,22]},{"name":"PARTITION_INFORMATION_EX","features":[1,22]},{"name":"PARTITION_INFORMATION_GPT","features":[22]},{"name":"PARTITION_INFORMATION_MBR","features":[1,22]},{"name":"PARTITION_LDM","features":[22]},{"name":"PARTITION_MAIN_OS","features":[22]},{"name":"PARTITION_MSFT_RECOVERY","features":[22]},{"name":"PARTITION_NTFT","features":[22]},{"name":"PARTITION_OS2BOOTMGR","features":[22]},{"name":"PARTITION_PREP","features":[22]},{"name":"PARTITION_PRE_INSTALLED","features":[22]},{"name":"PARTITION_SPACES","features":[22]},{"name":"PARTITION_SPACES_DATA","features":[22]},{"name":"PARTITION_STYLE","features":[22]},{"name":"PARTITION_STYLE_GPT","features":[22]},{"name":"PARTITION_STYLE_MBR","features":[22]},{"name":"PARTITION_STYLE_RAW","features":[22]},{"name":"PARTITION_SYSTEM","features":[22]},{"name":"PARTITION_UNIX","features":[22]},{"name":"PARTITION_WINDOWS_SYSTEM","features":[22]},{"name":"PARTITION_XENIX_1","features":[22]},{"name":"PARTITION_XENIX_2","features":[22]},{"name":"PARTITION_XINT13","features":[22]},{"name":"PARTITION_XINT13_EXTENDED","features":[22]},{"name":"PATHNAME_BUFFER","features":[22]},{"name":"PC_5_RW","features":[22]},{"name":"PC_5_WO","features":[22]},{"name":"PD_5_RW","features":[22]},{"name":"PERF_BIN","features":[22]},{"name":"PERSISTENT_RESERVE_COMMAND","features":[22]},{"name":"PERSISTENT_VOLUME_STATE_BACKED_BY_WIM","features":[22]},{"name":"PERSISTENT_VOLUME_STATE_CHKDSK_RAN_ONCE","features":[22]},{"name":"PERSISTENT_VOLUME_STATE_CONTAINS_BACKING_WIM","features":[22]},{"name":"PERSISTENT_VOLUME_STATE_DAX_FORMATTED","features":[22]},{"name":"PERSISTENT_VOLUME_STATE_DEV_VOLUME","features":[22]},{"name":"PERSISTENT_VOLUME_STATE_GLOBAL_METADATA_NO_SEEK_PENALTY","features":[22]},{"name":"PERSISTENT_VOLUME_STATE_LOCAL_METADATA_NO_SEEK_PENALTY","features":[22]},{"name":"PERSISTENT_VOLUME_STATE_MODIFIED_BY_CHKDSK","features":[22]},{"name":"PERSISTENT_VOLUME_STATE_NO_HEAT_GATHERING","features":[22]},{"name":"PERSISTENT_VOLUME_STATE_NO_WRITE_AUTO_TIERING","features":[22]},{"name":"PERSISTENT_VOLUME_STATE_REALLOCATE_ALL_DATA_WRITES","features":[22]},{"name":"PERSISTENT_VOLUME_STATE_SHORT_NAME_CREATION_DISABLED","features":[22]},{"name":"PERSISTENT_VOLUME_STATE_TRUSTED_VOLUME","features":[22]},{"name":"PERSISTENT_VOLUME_STATE_TXF_DISABLED","features":[22]},{"name":"PERSISTENT_VOLUME_STATE_VOLUME_SCRUB_DISABLED","features":[22]},{"name":"PHILIPS_12_WO","features":[22]},{"name":"PHYSICAL_ELEMENT_STATUS","features":[22]},{"name":"PHYSICAL_ELEMENT_STATUS_DESCRIPTOR","features":[22]},{"name":"PHYSICAL_ELEMENT_STATUS_REQUEST","features":[22]},{"name":"PINNACLE_APEX_5_RW","features":[22]},{"name":"PIO_IRP_EXT_PROCESS_TRACKED_OFFSET_CALLBACK","features":[22]},{"name":"PLEX_READ_DATA_REQUEST","features":[22]},{"name":"PREVENT_MEDIA_REMOVAL","features":[1,22]},{"name":"PRODUCT_ID_LENGTH","features":[22]},{"name":"PROJFS_PROTOCOL_VERSION","features":[22]},{"name":"PropertyExistsQuery","features":[22]},{"name":"PropertyExistsSet","features":[22]},{"name":"PropertyMaskQuery","features":[22]},{"name":"PropertyQueryMaxDefined","features":[22]},{"name":"PropertySetMaxDefined","features":[22]},{"name":"PropertyStandardQuery","features":[22]},{"name":"PropertyStandardSet","features":[22]},{"name":"ProtocolTypeAta","features":[22]},{"name":"ProtocolTypeMaxReserved","features":[22]},{"name":"ProtocolTypeNvme","features":[22]},{"name":"ProtocolTypeProprietary","features":[22]},{"name":"ProtocolTypeScsi","features":[22]},{"name":"ProtocolTypeSd","features":[22]},{"name":"ProtocolTypeUfs","features":[22]},{"name":"ProtocolTypeUnknown","features":[22]},{"name":"QIC","features":[22]},{"name":"QUERY_BAD_RANGES_INPUT","features":[22]},{"name":"QUERY_BAD_RANGES_INPUT_RANGE","features":[22]},{"name":"QUERY_BAD_RANGES_OUTPUT","features":[22]},{"name":"QUERY_BAD_RANGES_OUTPUT_RANGE","features":[22]},{"name":"QUERY_DEPENDENT_VOLUME_REQUEST_FLAG_GUEST_VOLUMES","features":[22]},{"name":"QUERY_DEPENDENT_VOLUME_REQUEST_FLAG_HOST_VOLUMES","features":[22]},{"name":"QUERY_FILE_LAYOUT_FILTER_TYPE","features":[22]},{"name":"QUERY_FILE_LAYOUT_FILTER_TYPE_CLUSTERS","features":[22]},{"name":"QUERY_FILE_LAYOUT_FILTER_TYPE_FILEID","features":[22]},{"name":"QUERY_FILE_LAYOUT_FILTER_TYPE_NONE","features":[22]},{"name":"QUERY_FILE_LAYOUT_FILTER_TYPE_STORAGE_RESERVE_ID","features":[22]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_EXTENTS","features":[22]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_EXTRA_INFO","features":[22]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_FILES_WITH_DSC_ATTRIBUTE","features":[22]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_FULL_PATH_IN_NAMES","features":[22]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_NAMES","features":[22]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_ONLY_FILES_WITH_SPECIFIC_ATTRIBUTES","features":[22]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_STREAMS","features":[22]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_STREAMS_WITH_NO_CLUSTERS_ALLOCATED","features":[22]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_STREAM_INFORMATION","features":[22]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_STREAM_INFORMATION_FOR_DATA_ATTRIBUTE","features":[22]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_STREAM_INFORMATION_FOR_DSC_ATTRIBUTE","features":[22]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_STREAM_INFORMATION_FOR_EA_ATTRIBUTE","features":[22]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_STREAM_INFORMATION_FOR_EFS_ATTRIBUTE","features":[22]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_STREAM_INFORMATION_FOR_REPARSE_ATTRIBUTE","features":[22]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_STREAM_INFORMATION_FOR_TXF_ATTRIBUTE","features":[22]},{"name":"QUERY_FILE_LAYOUT_INPUT","features":[22]},{"name":"QUERY_FILE_LAYOUT_NUM_FILTER_TYPES","features":[22]},{"name":"QUERY_FILE_LAYOUT_OUTPUT","features":[22]},{"name":"QUERY_FILE_LAYOUT_REPARSE_DATA_INVALID","features":[22]},{"name":"QUERY_FILE_LAYOUT_REPARSE_TAG_INVALID","features":[22]},{"name":"QUERY_FILE_LAYOUT_RESTART","features":[22]},{"name":"QUERY_FILE_LAYOUT_SINGLE_INSTANCED","features":[22]},{"name":"QUERY_STORAGE_CLASSES_FLAGS_MEASURE_READ","features":[22]},{"name":"QUERY_STORAGE_CLASSES_FLAGS_MEASURE_WRITE","features":[22]},{"name":"QUERY_STORAGE_CLASSES_FLAGS_NO_DEFRAG_VOLUME","features":[22]},{"name":"READ_ATTRIBUTES","features":[22]},{"name":"READ_ATTRIBUTE_BUFFER_SIZE","features":[22]},{"name":"READ_COMPRESSION_INFO_VALID","features":[22]},{"name":"READ_COPY_NUMBER_BYPASS_CACHE_FLAG","features":[22]},{"name":"READ_COPY_NUMBER_KEY","features":[22]},{"name":"READ_ELEMENT_ADDRESS_INFO","features":[22]},{"name":"READ_FILE_USN_DATA","features":[22]},{"name":"READ_THRESHOLDS","features":[22]},{"name":"READ_THRESHOLD_BUFFER_SIZE","features":[22]},{"name":"READ_USN_JOURNAL_DATA_V0","features":[22]},{"name":"READ_USN_JOURNAL_DATA_V1","features":[22]},{"name":"REASSIGN_BLOCKS","features":[22]},{"name":"REASSIGN_BLOCKS_EX","features":[22]},{"name":"RECOVERED_READS_VALID","features":[22]},{"name":"RECOVERED_WRITES_VALID","features":[22]},{"name":"REFS_SMR_VOLUME_GC_ACTION","features":[22]},{"name":"REFS_SMR_VOLUME_GC_METHOD","features":[22]},{"name":"REFS_SMR_VOLUME_GC_PARAMETERS","features":[22]},{"name":"REFS_SMR_VOLUME_GC_PARAMETERS_VERSION_V1","features":[22]},{"name":"REFS_SMR_VOLUME_GC_STATE","features":[22]},{"name":"REFS_SMR_VOLUME_INFO_OUTPUT","features":[22]},{"name":"REFS_SMR_VOLUME_INFO_OUTPUT_VERSION_V0","features":[22]},{"name":"REFS_SMR_VOLUME_INFO_OUTPUT_VERSION_V1","features":[22]},{"name":"REFS_VOLUME_DATA_BUFFER","features":[22]},{"name":"REMOVE_ELEMENT_AND_TRUNCATE_REQUEST","features":[22]},{"name":"REPAIR_COPIES_INPUT","features":[22]},{"name":"REPAIR_COPIES_OUTPUT","features":[22]},{"name":"REPLACE_ALTERNATE","features":[22]},{"name":"REPLACE_PRIMARY","features":[22]},{"name":"REQUEST_OPLOCK_CURRENT_VERSION","features":[22]},{"name":"REQUEST_OPLOCK_INPUT_BUFFER","features":[22]},{"name":"REQUEST_OPLOCK_INPUT_FLAG_ACK","features":[22]},{"name":"REQUEST_OPLOCK_INPUT_FLAG_COMPLETE_ACK_ON_CLOSE","features":[22]},{"name":"REQUEST_OPLOCK_INPUT_FLAG_REQUEST","features":[22]},{"name":"REQUEST_OPLOCK_OUTPUT_BUFFER","features":[22]},{"name":"REQUEST_OPLOCK_OUTPUT_FLAG_ACK_REQUIRED","features":[22]},{"name":"REQUEST_OPLOCK_OUTPUT_FLAG_MODES_PROVIDED","features":[22]},{"name":"REQUEST_OPLOCK_OUTPUT_FLAG_WRITABLE_SECTION_PRESENT","features":[22]},{"name":"REQUEST_RAW_ENCRYPTED_DATA","features":[22]},{"name":"RETRACT_IEPORT","features":[22]},{"name":"RETRIEVAL_POINTERS_AND_REFCOUNT_BUFFER","features":[22]},{"name":"RETRIEVAL_POINTERS_BUFFER","features":[22]},{"name":"RETRIEVAL_POINTER_BASE","features":[22]},{"name":"RETRIEVAL_POINTER_COUNT","features":[22]},{"name":"RETURN_SMART_STATUS","features":[22]},{"name":"REVISION_LENGTH","features":[22]},{"name":"RemovableMedia","features":[22]},{"name":"RequestLocation","features":[22]},{"name":"RequestSize","features":[22]},{"name":"SAIT","features":[22]},{"name":"SAVE_ATTRIBUTE_VALUES","features":[22]},{"name":"SCM_BUS_DEDICATED_MEMORY_DEVICES_INFO","features":[22]},{"name":"SCM_BUS_DEDICATED_MEMORY_DEVICE_INFO","features":[22]},{"name":"SCM_BUS_DEDICATED_MEMORY_STATE","features":[1,22]},{"name":"SCM_BUS_FIRMWARE_ACTIVATION_STATE","features":[22]},{"name":"SCM_BUS_PROPERTY_ID","features":[22]},{"name":"SCM_BUS_PROPERTY_QUERY","features":[22]},{"name":"SCM_BUS_PROPERTY_SET","features":[22]},{"name":"SCM_BUS_QUERY_TYPE","features":[22]},{"name":"SCM_BUS_RUNTIME_FW_ACTIVATION_INFO","features":[1,22]},{"name":"SCM_BUS_SET_TYPE","features":[22]},{"name":"SCM_INTERLEAVED_PD_INFO","features":[22]},{"name":"SCM_LD_INTERLEAVE_SET_INFO","features":[22]},{"name":"SCM_LOGICAL_DEVICES","features":[22]},{"name":"SCM_LOGICAL_DEVICE_INSTANCE","features":[22]},{"name":"SCM_MAX_SYMLINK_LEN_IN_CHARS","features":[22]},{"name":"SCM_PD_DESCRIPTOR_HEADER","features":[22]},{"name":"SCM_PD_DEVICE_HANDLE","features":[22]},{"name":"SCM_PD_DEVICE_INFO","features":[22]},{"name":"SCM_PD_DEVICE_SPECIFIC_INFO","features":[22]},{"name":"SCM_PD_DEVICE_SPECIFIC_PROPERTY","features":[22]},{"name":"SCM_PD_FIRMWARE_ACTIVATE","features":[22]},{"name":"SCM_PD_FIRMWARE_ACTIVATION_STATE","features":[22]},{"name":"SCM_PD_FIRMWARE_DOWNLOAD","features":[22]},{"name":"SCM_PD_FIRMWARE_INFO","features":[22]},{"name":"SCM_PD_FIRMWARE_LAST_DOWNLOAD","features":[22]},{"name":"SCM_PD_FIRMWARE_REVISION_LENGTH_BYTES","features":[22]},{"name":"SCM_PD_FIRMWARE_SLOT_INFO","features":[22]},{"name":"SCM_PD_FRU_ID_STRING","features":[22]},{"name":"SCM_PD_HEALTH_NOTIFICATION_DATA","features":[22]},{"name":"SCM_PD_HEALTH_STATUS","features":[22]},{"name":"SCM_PD_LAST_FW_ACTIVATION_STATUS","features":[22]},{"name":"SCM_PD_LOCATION_STRING","features":[22]},{"name":"SCM_PD_MANAGEMENT_STATUS","features":[22]},{"name":"SCM_PD_MAX_OPERATIONAL_STATUS","features":[22]},{"name":"SCM_PD_MEDIA_REINITIALIZATION_STATUS","features":[22]},{"name":"SCM_PD_OPERATIONAL_STATUS","features":[22]},{"name":"SCM_PD_OPERATIONAL_STATUS_REASON","features":[22]},{"name":"SCM_PD_PASSTHROUGH_INPUT","features":[22]},{"name":"SCM_PD_PASSTHROUGH_INVDIMM_INPUT","features":[22]},{"name":"SCM_PD_PASSTHROUGH_INVDIMM_OUTPUT","features":[22]},{"name":"SCM_PD_PASSTHROUGH_OUTPUT","features":[22]},{"name":"SCM_PD_PROPERTY_ID","features":[22]},{"name":"SCM_PD_PROPERTY_NAME_LENGTH_IN_CHARS","features":[22]},{"name":"SCM_PD_PROPERTY_QUERY","features":[22]},{"name":"SCM_PD_PROPERTY_SET","features":[22]},{"name":"SCM_PD_QUERY_TYPE","features":[22]},{"name":"SCM_PD_REINITIALIZE_MEDIA_INPUT","features":[22]},{"name":"SCM_PD_REINITIALIZE_MEDIA_OUTPUT","features":[22]},{"name":"SCM_PD_RUNTIME_FW_ACTIVATION_ARM_STATE","features":[1,22]},{"name":"SCM_PD_RUNTIME_FW_ACTIVATION_INFO","features":[22]},{"name":"SCM_PD_SET_TYPE","features":[22]},{"name":"SCM_PHYSICAL_DEVICES","features":[22]},{"name":"SCM_PHYSICAL_DEVICE_INSTANCE","features":[22]},{"name":"SCM_REGION","features":[22]},{"name":"SCM_REGIONS","features":[22]},{"name":"SCM_REGION_FLAG","features":[22]},{"name":"SD_CHANGE_MACHINE_SID_INPUT","features":[22]},{"name":"SD_CHANGE_MACHINE_SID_OUTPUT","features":[22]},{"name":"SD_ENUM_SDS_ENTRY","features":[22]},{"name":"SD_ENUM_SDS_INPUT","features":[22]},{"name":"SD_ENUM_SDS_OUTPUT","features":[22]},{"name":"SD_GLOBAL_CHANGE_INPUT","features":[22]},{"name":"SD_GLOBAL_CHANGE_OUTPUT","features":[22]},{"name":"SD_GLOBAL_CHANGE_TYPE_ENUM_SDS","features":[22]},{"name":"SD_GLOBAL_CHANGE_TYPE_MACHINE_SID","features":[22]},{"name":"SD_GLOBAL_CHANGE_TYPE_QUERY_STATS","features":[22]},{"name":"SD_QUERY_STATS_INPUT","features":[22]},{"name":"SD_QUERY_STATS_OUTPUT","features":[22]},{"name":"SEARCH_ALL","features":[22]},{"name":"SEARCH_ALL_NO_SEQ","features":[22]},{"name":"SEARCH_ALTERNATE","features":[22]},{"name":"SEARCH_ALT_NO_SEQ","features":[22]},{"name":"SEARCH_PRIMARY","features":[22]},{"name":"SEARCH_PRI_NO_SEQ","features":[22]},{"name":"SENDCMDINPARAMS","features":[22]},{"name":"SENDCMDOUTPARAMS","features":[22]},{"name":"SERIAL_IOC_FCR_DMA_MODE","features":[22]},{"name":"SERIAL_IOC_FCR_FIFO_ENABLE","features":[22]},{"name":"SERIAL_IOC_FCR_RCVR_RESET","features":[22]},{"name":"SERIAL_IOC_FCR_RCVR_TRIGGER_LSB","features":[22]},{"name":"SERIAL_IOC_FCR_RCVR_TRIGGER_MSB","features":[22]},{"name":"SERIAL_IOC_FCR_RES1","features":[22]},{"name":"SERIAL_IOC_FCR_RES2","features":[22]},{"name":"SERIAL_IOC_FCR_XMIT_RESET","features":[22]},{"name":"SERIAL_IOC_MCR_DTR","features":[22]},{"name":"SERIAL_IOC_MCR_LOOP","features":[22]},{"name":"SERIAL_IOC_MCR_OUT1","features":[22]},{"name":"SERIAL_IOC_MCR_OUT2","features":[22]},{"name":"SERIAL_IOC_MCR_RTS","features":[22]},{"name":"SERIAL_NUMBER_LENGTH","features":[22]},{"name":"SET_DAX_ALLOC_ALIGNMENT_HINT_INPUT","features":[22]},{"name":"SET_DISK_ATTRIBUTES","features":[1,22]},{"name":"SET_PARTITION_INFORMATION","features":[22]},{"name":"SET_PARTITION_INFORMATION_EX","features":[22]},{"name":"SET_PURGE_FAILURE_MODE_DISABLED","features":[22]},{"name":"SET_PURGE_FAILURE_MODE_ENABLED","features":[22]},{"name":"SET_PURGE_FAILURE_MODE_INPUT","features":[22]},{"name":"SET_REPAIR_DISABLED_AND_BUGCHECK_ON_CORRUPT","features":[22]},{"name":"SET_REPAIR_ENABLED","features":[22]},{"name":"SET_REPAIR_VALID_MASK","features":[22]},{"name":"SET_REPAIR_WARN_ABOUT_DATA_LOSS","features":[22]},{"name":"SHRINK_VOLUME_INFORMATION","features":[22]},{"name":"SHRINK_VOLUME_REQUEST_TYPES","features":[22]},{"name":"SI_COPYFILE","features":[22]},{"name":"SMART_ABORT_OFFLINE_SELFTEST","features":[22]},{"name":"SMART_CMD","features":[22]},{"name":"SMART_CYL_HI","features":[22]},{"name":"SMART_CYL_LOW","features":[22]},{"name":"SMART_ERROR_NO_MEM","features":[22]},{"name":"SMART_EXTENDED_SELFTEST_CAPTIVE","features":[22]},{"name":"SMART_EXTENDED_SELFTEST_OFFLINE","features":[22]},{"name":"SMART_GET_VERSION","features":[22]},{"name":"SMART_IDE_ERROR","features":[22]},{"name":"SMART_INVALID_BUFFER","features":[22]},{"name":"SMART_INVALID_COMMAND","features":[22]},{"name":"SMART_INVALID_DRIVE","features":[22]},{"name":"SMART_INVALID_FLAG","features":[22]},{"name":"SMART_INVALID_IOCTL","features":[22]},{"name":"SMART_INVALID_REGISTER","features":[22]},{"name":"SMART_LOG_SECTOR_SIZE","features":[22]},{"name":"SMART_NOT_SUPPORTED","features":[22]},{"name":"SMART_NO_ERROR","features":[22]},{"name":"SMART_NO_IDE_DEVICE","features":[22]},{"name":"SMART_OFFLINE_ROUTINE_OFFLINE","features":[22]},{"name":"SMART_RCV_DRIVE_DATA","features":[22]},{"name":"SMART_RCV_DRIVE_DATA_EX","features":[22]},{"name":"SMART_READ_LOG","features":[22]},{"name":"SMART_SEND_DRIVE_COMMAND","features":[22]},{"name":"SMART_SHORT_SELFTEST_CAPTIVE","features":[22]},{"name":"SMART_SHORT_SELFTEST_OFFLINE","features":[22]},{"name":"SMART_WRITE_LOG","features":[22]},{"name":"SMB_SHARE_FLUSH_AND_PURGE_INPUT","features":[22]},{"name":"SMB_SHARE_FLUSH_AND_PURGE_OUTPUT","features":[22]},{"name":"SONY_12_WO","features":[22]},{"name":"SONY_D2","features":[22]},{"name":"SONY_DTF","features":[22]},{"name":"SPACES_TRACKED_OFFSET_HEADER_FLAG","features":[22]},{"name":"SRB_TYPE_SCSI_REQUEST_BLOCK","features":[22]},{"name":"SRB_TYPE_STORAGE_REQUEST_BLOCK","features":[22]},{"name":"STARTING_LCN_INPUT_BUFFER","features":[22]},{"name":"STARTING_LCN_INPUT_BUFFER_EX","features":[22]},{"name":"STARTING_VCN_INPUT_BUFFER","features":[22]},{"name":"STK_9840","features":[22]},{"name":"STK_9940","features":[22]},{"name":"STK_DATA_D3","features":[22]},{"name":"STORAGE_ACCESS_ALIGNMENT_DESCRIPTOR","features":[22]},{"name":"STORAGE_ADAPTER_DESCRIPTOR","features":[1,22]},{"name":"STORAGE_ADAPTER_SERIAL_NUMBER","features":[22]},{"name":"STORAGE_ADAPTER_SERIAL_NUMBER_V1_MAX_LENGTH","features":[22]},{"name":"STORAGE_ADDRESS_TYPE_BTL8","features":[22]},{"name":"STORAGE_ALLOCATE_BC_STREAM_INPUT","features":[1,22]},{"name":"STORAGE_ALLOCATE_BC_STREAM_OUTPUT","features":[22]},{"name":"STORAGE_ASSOCIATION_TYPE","features":[22]},{"name":"STORAGE_ATTRIBUTE_ASYNC_EVENT_NOTIFICATION","features":[22]},{"name":"STORAGE_ATTRIBUTE_BLOCK_IO","features":[22]},{"name":"STORAGE_ATTRIBUTE_BYTE_ADDRESSABLE_IO","features":[22]},{"name":"STORAGE_ATTRIBUTE_DYNAMIC_PERSISTENCE","features":[22]},{"name":"STORAGE_ATTRIBUTE_MGMT","features":[22]},{"name":"STORAGE_ATTRIBUTE_MGMT_ACTION","features":[22]},{"name":"STORAGE_ATTRIBUTE_PERF_SIZE_INDEPENDENT","features":[22]},{"name":"STORAGE_ATTRIBUTE_VOLATILE","features":[22]},{"name":"STORAGE_BREAK_RESERVATION_REQUEST","features":[22]},{"name":"STORAGE_BUS_RESET_REQUEST","features":[22]},{"name":"STORAGE_COMPONENT_HEALTH_STATUS","features":[22]},{"name":"STORAGE_COMPONENT_ROLE_CACHE","features":[22]},{"name":"STORAGE_COMPONENT_ROLE_DATA","features":[22]},{"name":"STORAGE_COMPONENT_ROLE_TIERING","features":[22]},{"name":"STORAGE_COUNTER","features":[22]},{"name":"STORAGE_COUNTERS","features":[22]},{"name":"STORAGE_COUNTER_TYPE","features":[22]},{"name":"STORAGE_CRASH_TELEMETRY_REGKEY","features":[22]},{"name":"STORAGE_CRYPTO_ALGORITHM_ID","features":[22]},{"name":"STORAGE_CRYPTO_CAPABILITY","features":[22]},{"name":"STORAGE_CRYPTO_CAPABILITY_VERSION_1","features":[22]},{"name":"STORAGE_CRYPTO_DESCRIPTOR","features":[22]},{"name":"STORAGE_CRYPTO_DESCRIPTOR_VERSION_1","features":[22]},{"name":"STORAGE_CRYPTO_KEY_SIZE","features":[22]},{"name":"STORAGE_DESCRIPTOR_HEADER","features":[22]},{"name":"STORAGE_DEVICE_ATTRIBUTES_DESCRIPTOR","features":[22]},{"name":"STORAGE_DEVICE_DESCRIPTOR","features":[1,21,22]},{"name":"STORAGE_DEVICE_FAULT_DOMAIN_DESCRIPTOR","features":[22]},{"name":"STORAGE_DEVICE_FLAGS_PAGE_83_DEVICEGUID","features":[22]},{"name":"STORAGE_DEVICE_FLAGS_RANDOM_DEVICEGUID_REASON_CONFLICT","features":[22]},{"name":"STORAGE_DEVICE_FLAGS_RANDOM_DEVICEGUID_REASON_NOHWID","features":[22]},{"name":"STORAGE_DEVICE_FORM_FACTOR","features":[22]},{"name":"STORAGE_DEVICE_ID_DESCRIPTOR","features":[22]},{"name":"STORAGE_DEVICE_IO_CAPABILITY_DESCRIPTOR","features":[22]},{"name":"STORAGE_DEVICE_LED_STATE_DESCRIPTOR","features":[22]},{"name":"STORAGE_DEVICE_LOCATION_DESCRIPTOR","features":[22]},{"name":"STORAGE_DEVICE_MANAGEMENT_STATUS","features":[22]},{"name":"STORAGE_DEVICE_MAX_OPERATIONAL_STATUS","features":[22]},{"name":"STORAGE_DEVICE_NUMA_NODE_UNKNOWN","features":[22]},{"name":"STORAGE_DEVICE_NUMA_PROPERTY","features":[22]},{"name":"STORAGE_DEVICE_NUMBER","features":[22]},{"name":"STORAGE_DEVICE_NUMBERS","features":[22]},{"name":"STORAGE_DEVICE_NUMBER_EX","features":[22]},{"name":"STORAGE_DEVICE_POWER_CAP","features":[22]},{"name":"STORAGE_DEVICE_POWER_CAP_UNITS","features":[22]},{"name":"STORAGE_DEVICE_POWER_CAP_VERSION_V1","features":[22]},{"name":"STORAGE_DEVICE_RESILIENCY_DESCRIPTOR","features":[22]},{"name":"STORAGE_DEVICE_SELF_ENCRYPTION_PROPERTY","features":[1,22]},{"name":"STORAGE_DEVICE_SELF_ENCRYPTION_PROPERTY_V2","features":[1,22]},{"name":"STORAGE_DEVICE_TELEMETRY_REGKEY","features":[22]},{"name":"STORAGE_DEVICE_TIERING_DESCRIPTOR","features":[22]},{"name":"STORAGE_DEVICE_UNSAFE_SHUTDOWN_COUNT","features":[22]},{"name":"STORAGE_DIAGNOSTIC_DATA","features":[22]},{"name":"STORAGE_DIAGNOSTIC_FLAG_ADAPTER_REQUEST","features":[22]},{"name":"STORAGE_DIAGNOSTIC_LEVEL","features":[22]},{"name":"STORAGE_DIAGNOSTIC_REQUEST","features":[22]},{"name":"STORAGE_DIAGNOSTIC_TARGET_TYPE","features":[22]},{"name":"STORAGE_DISK_HEALTH_STATUS","features":[22]},{"name":"STORAGE_DISK_OPERATIONAL_STATUS","features":[22]},{"name":"STORAGE_ENCRYPTION_TYPE","features":[22]},{"name":"STORAGE_EVENT_DEVICE_OPERATION","features":[22]},{"name":"STORAGE_EVENT_DEVICE_STATUS","features":[22]},{"name":"STORAGE_EVENT_MEDIA_STATUS","features":[22]},{"name":"STORAGE_EVENT_NOTIFICATION","features":[22]},{"name":"STORAGE_EVENT_NOTIFICATION_VERSION_V1","features":[22]},{"name":"STORAGE_FAILURE_PREDICTION_CONFIG","features":[1,22]},{"name":"STORAGE_FAILURE_PREDICTION_CONFIG_V1","features":[22]},{"name":"STORAGE_FRU_ID_DESCRIPTOR","features":[22]},{"name":"STORAGE_GET_BC_PROPERTIES_OUTPUT","features":[22]},{"name":"STORAGE_HOTPLUG_INFO","features":[1,22]},{"name":"STORAGE_HW_ENDURANCE_DATA_DESCRIPTOR","features":[22]},{"name":"STORAGE_HW_ENDURANCE_INFO","features":[22]},{"name":"STORAGE_HW_FIRMWARE_ACTIVATE","features":[22]},{"name":"STORAGE_HW_FIRMWARE_DOWNLOAD","features":[22]},{"name":"STORAGE_HW_FIRMWARE_DOWNLOAD_V2","features":[22]},{"name":"STORAGE_HW_FIRMWARE_INFO","features":[1,22]},{"name":"STORAGE_HW_FIRMWARE_INFO_QUERY","features":[22]},{"name":"STORAGE_HW_FIRMWARE_INVALID_SLOT","features":[22]},{"name":"STORAGE_HW_FIRMWARE_REQUEST_FLAG_CONTROLLER","features":[22]},{"name":"STORAGE_HW_FIRMWARE_REQUEST_FLAG_FIRST_SEGMENT","features":[22]},{"name":"STORAGE_HW_FIRMWARE_REQUEST_FLAG_LAST_SEGMENT","features":[22]},{"name":"STORAGE_HW_FIRMWARE_REQUEST_FLAG_REPLACE_EXISTING_IMAGE","features":[22]},{"name":"STORAGE_HW_FIRMWARE_REQUEST_FLAG_SWITCH_TO_EXISTING_FIRMWARE","features":[22]},{"name":"STORAGE_HW_FIRMWARE_REVISION_LENGTH","features":[22]},{"name":"STORAGE_HW_FIRMWARE_SLOT_INFO","features":[22]},{"name":"STORAGE_IDENTIFIER","features":[22]},{"name":"STORAGE_IDENTIFIER_CODE_SET","features":[22]},{"name":"STORAGE_IDENTIFIER_TYPE","features":[22]},{"name":"STORAGE_IDLE_POWER","features":[22]},{"name":"STORAGE_IDLE_POWERUP_REASON","features":[22]},{"name":"STORAGE_IDLE_POWERUP_REASON_VERSION_V1","features":[22]},{"name":"STORAGE_ID_NAA_FORMAT","features":[22]},{"name":"STORAGE_LB_PROVISIONING_MAP_RESOURCES","features":[22]},{"name":"STORAGE_MEDIA_SERIAL_NUMBER_DATA","features":[22]},{"name":"STORAGE_MEDIA_TYPE","features":[22]},{"name":"STORAGE_MEDIUM_PRODUCT_TYPE_DESCRIPTOR","features":[22]},{"name":"STORAGE_MINIPORT_DESCRIPTOR","features":[1,22]},{"name":"STORAGE_OFFLOAD_MAX_TOKEN_LENGTH","features":[22]},{"name":"STORAGE_OFFLOAD_READ_OUTPUT","features":[22]},{"name":"STORAGE_OFFLOAD_READ_RANGE_TRUNCATED","features":[22]},{"name":"STORAGE_OFFLOAD_TOKEN","features":[22]},{"name":"STORAGE_OFFLOAD_TOKEN_ID_LENGTH","features":[22]},{"name":"STORAGE_OFFLOAD_TOKEN_INVALID","features":[22]},{"name":"STORAGE_OFFLOAD_TOKEN_TYPE_ZERO_DATA","features":[22]},{"name":"STORAGE_OFFLOAD_WRITE_OUTPUT","features":[22]},{"name":"STORAGE_OFFLOAD_WRITE_RANGE_TRUNCATED","features":[22]},{"name":"STORAGE_OPERATIONAL_REASON","features":[22]},{"name":"STORAGE_OPERATIONAL_STATUS_REASON","features":[22]},{"name":"STORAGE_PHYSICAL_ADAPTER_DATA","features":[1,22]},{"name":"STORAGE_PHYSICAL_DEVICE_DATA","features":[22]},{"name":"STORAGE_PHYSICAL_NODE_DATA","features":[22]},{"name":"STORAGE_PHYSICAL_TOPOLOGY_DESCRIPTOR","features":[22]},{"name":"STORAGE_PORT_CODE_SET","features":[22]},{"name":"STORAGE_POWERUP_REASON_TYPE","features":[22]},{"name":"STORAGE_PREDICT_FAILURE","features":[22]},{"name":"STORAGE_PRIORITY_HINT_SUPPORT","features":[22]},{"name":"STORAGE_PRIORITY_HINT_SUPPORTED","features":[22]},{"name":"STORAGE_PROPERTY_ID","features":[22]},{"name":"STORAGE_PROPERTY_QUERY","features":[22]},{"name":"STORAGE_PROPERTY_SET","features":[22]},{"name":"STORAGE_PROTOCOL_ATA_DATA_TYPE","features":[22]},{"name":"STORAGE_PROTOCOL_COMMAND","features":[22]},{"name":"STORAGE_PROTOCOL_COMMAND_FLAG_ADAPTER_REQUEST","features":[22]},{"name":"STORAGE_PROTOCOL_COMMAND_LENGTH_NVME","features":[22]},{"name":"STORAGE_PROTOCOL_DATA_DESCRIPTOR","features":[22]},{"name":"STORAGE_PROTOCOL_DATA_DESCRIPTOR_EXT","features":[22]},{"name":"STORAGE_PROTOCOL_DATA_SUBVALUE_GET_LOG_PAGE","features":[22]},{"name":"STORAGE_PROTOCOL_NVME_DATA_TYPE","features":[22]},{"name":"STORAGE_PROTOCOL_SPECIFIC_DATA","features":[22]},{"name":"STORAGE_PROTOCOL_SPECIFIC_DATA_EXT","features":[22]},{"name":"STORAGE_PROTOCOL_SPECIFIC_NVME_ADMIN_COMMAND","features":[22]},{"name":"STORAGE_PROTOCOL_SPECIFIC_NVME_NVM_COMMAND","features":[22]},{"name":"STORAGE_PROTOCOL_STATUS_BUSY","features":[22]},{"name":"STORAGE_PROTOCOL_STATUS_DATA_OVERRUN","features":[22]},{"name":"STORAGE_PROTOCOL_STATUS_ERROR","features":[22]},{"name":"STORAGE_PROTOCOL_STATUS_INSUFFICIENT_RESOURCES","features":[22]},{"name":"STORAGE_PROTOCOL_STATUS_INVALID_REQUEST","features":[22]},{"name":"STORAGE_PROTOCOL_STATUS_NOT_SUPPORTED","features":[22]},{"name":"STORAGE_PROTOCOL_STATUS_NO_DEVICE","features":[22]},{"name":"STORAGE_PROTOCOL_STATUS_PENDING","features":[22]},{"name":"STORAGE_PROTOCOL_STATUS_SUCCESS","features":[22]},{"name":"STORAGE_PROTOCOL_STATUS_THROTTLED_REQUEST","features":[22]},{"name":"STORAGE_PROTOCOL_STRUCTURE_VERSION","features":[22]},{"name":"STORAGE_PROTOCOL_TYPE","features":[22]},{"name":"STORAGE_PROTOCOL_UFS_DATA_TYPE","features":[22]},{"name":"STORAGE_QUERY_DEPENDENT_VOLUME_LEV1_ENTRY","features":[150,22]},{"name":"STORAGE_QUERY_DEPENDENT_VOLUME_LEV2_ENTRY","features":[150,22]},{"name":"STORAGE_QUERY_DEPENDENT_VOLUME_REQUEST","features":[22]},{"name":"STORAGE_QUERY_DEPENDENT_VOLUME_RESPONSE","features":[150,22]},{"name":"STORAGE_QUERY_TYPE","features":[22]},{"name":"STORAGE_READ_CAPACITY","features":[22]},{"name":"STORAGE_REINITIALIZE_MEDIA","features":[22]},{"name":"STORAGE_RESERVE_ID","features":[22]},{"name":"STORAGE_RPMB_COMMAND_TYPE","features":[22]},{"name":"STORAGE_RPMB_DATA_FRAME","features":[22]},{"name":"STORAGE_RPMB_DESCRIPTOR","features":[22]},{"name":"STORAGE_RPMB_DESCRIPTOR_VERSION_1","features":[22]},{"name":"STORAGE_RPMB_FRAME_TYPE","features":[22]},{"name":"STORAGE_RPMB_MINIMUM_RELIABLE_WRITE_SIZE","features":[22]},{"name":"STORAGE_SANITIZE_METHOD","features":[22]},{"name":"STORAGE_SET_TYPE","features":[22]},{"name":"STORAGE_SPEC_VERSION","features":[22]},{"name":"STORAGE_SUPPORTED_FEATURES_BYPASS_IO","features":[22]},{"name":"STORAGE_SUPPORTED_FEATURES_MASK","features":[22]},{"name":"STORAGE_TEMPERATURE_DATA_DESCRIPTOR","features":[1,22]},{"name":"STORAGE_TEMPERATURE_INFO","features":[1,22]},{"name":"STORAGE_TEMPERATURE_THRESHOLD","features":[1,22]},{"name":"STORAGE_TEMPERATURE_THRESHOLD_FLAG_ADAPTER_REQUEST","features":[22]},{"name":"STORAGE_TEMPERATURE_VALUE_NOT_REPORTED","features":[22]},{"name":"STORAGE_TIER","features":[22]},{"name":"STORAGE_TIER_CLASS","features":[22]},{"name":"STORAGE_TIER_DESCRIPTION_LENGTH","features":[22]},{"name":"STORAGE_TIER_FLAG_NO_SEEK_PENALTY","features":[22]},{"name":"STORAGE_TIER_FLAG_PARITY","features":[22]},{"name":"STORAGE_TIER_FLAG_READ_CACHE","features":[22]},{"name":"STORAGE_TIER_FLAG_SMR","features":[22]},{"name":"STORAGE_TIER_FLAG_WRITE_BACK_CACHE","features":[22]},{"name":"STORAGE_TIER_MEDIA_TYPE","features":[22]},{"name":"STORAGE_TIER_NAME_LENGTH","features":[22]},{"name":"STORAGE_TIER_REGION","features":[22]},{"name":"STORAGE_WRITE_CACHE_PROPERTY","features":[1,22]},{"name":"STORAGE_ZONED_DEVICE_DESCRIPTOR","features":[1,22]},{"name":"STORAGE_ZONED_DEVICE_TYPES","features":[22]},{"name":"STORAGE_ZONES_ATTRIBUTES","features":[22]},{"name":"STORAGE_ZONE_CONDITION","features":[22]},{"name":"STORAGE_ZONE_DESCRIPTOR","features":[1,22]},{"name":"STORAGE_ZONE_GROUP","features":[22]},{"name":"STORAGE_ZONE_TYPES","features":[22]},{"name":"STORATTRIBUTE_MANAGEMENT_STATE","features":[22]},{"name":"STORATTRIBUTE_NONE","features":[22]},{"name":"STREAMS_ASSOCIATE_ID_CLEAR","features":[22]},{"name":"STREAMS_ASSOCIATE_ID_INPUT_BUFFER","features":[22]},{"name":"STREAMS_ASSOCIATE_ID_SET","features":[22]},{"name":"STREAMS_INVALID_ID","features":[22]},{"name":"STREAMS_MAX_ID","features":[22]},{"name":"STREAMS_QUERY_ID_OUTPUT_BUFFER","features":[22]},{"name":"STREAMS_QUERY_PARAMETERS_OUTPUT_BUFFER","features":[22]},{"name":"STREAM_CLEAR_ENCRYPTION","features":[22]},{"name":"STREAM_EXTENT_ENTRY","features":[22]},{"name":"STREAM_EXTENT_ENTRY_ALL_EXTENTS","features":[22]},{"name":"STREAM_EXTENT_ENTRY_AS_RETRIEVAL_POINTERS","features":[22]},{"name":"STREAM_INFORMATION_ENTRY","features":[22]},{"name":"STREAM_LAYOUT_ENTRY","features":[22]},{"name":"STREAM_LAYOUT_ENTRY_HAS_INFORMATION","features":[22]},{"name":"STREAM_LAYOUT_ENTRY_IMMOVABLE","features":[22]},{"name":"STREAM_LAYOUT_ENTRY_NO_CLUSTERS_ALLOCATED","features":[22]},{"name":"STREAM_LAYOUT_ENTRY_PINNED","features":[22]},{"name":"STREAM_LAYOUT_ENTRY_RESIDENT","features":[22]},{"name":"STREAM_SET_ENCRYPTION","features":[22]},{"name":"SYQUEST_EZ135","features":[22]},{"name":"SYQUEST_EZFLYER","features":[22]},{"name":"SYQUEST_SYJET","features":[22]},{"name":"ScmBusFirmwareActivationState_Armed","features":[22]},{"name":"ScmBusFirmwareActivationState_Busy","features":[22]},{"name":"ScmBusFirmwareActivationState_Idle","features":[22]},{"name":"ScmBusProperty_DedicatedMemoryInfo","features":[22]},{"name":"ScmBusProperty_DedicatedMemoryState","features":[22]},{"name":"ScmBusProperty_Max","features":[22]},{"name":"ScmBusProperty_RuntimeFwActivationInfo","features":[22]},{"name":"ScmBusQuery_Descriptor","features":[22]},{"name":"ScmBusQuery_IsSupported","features":[22]},{"name":"ScmBusQuery_Max","features":[22]},{"name":"ScmBusSet_Descriptor","features":[22]},{"name":"ScmBusSet_IsSupported","features":[22]},{"name":"ScmBusSet_Max","features":[22]},{"name":"ScmPdFirmwareActivationState_Armed","features":[22]},{"name":"ScmPdFirmwareActivationState_Busy","features":[22]},{"name":"ScmPdFirmwareActivationState_Idle","features":[22]},{"name":"ScmPdLastFwActivaitonStatus_ActivationInProgress","features":[22]},{"name":"ScmPdLastFwActivaitonStatus_FwUnsupported","features":[22]},{"name":"ScmPdLastFwActivaitonStatus_Retry","features":[22]},{"name":"ScmPdLastFwActivaitonStatus_UnknownError","features":[22]},{"name":"ScmPdLastFwActivationStatus_ColdRebootRequired","features":[22]},{"name":"ScmPdLastFwActivationStatus_FwNotFound","features":[22]},{"name":"ScmPdLastFwActivationStatus_None","features":[22]},{"name":"ScmPdLastFwActivationStatus_Success","features":[22]},{"name":"ScmPhysicalDeviceHealth_Healthy","features":[22]},{"name":"ScmPhysicalDeviceHealth_Max","features":[22]},{"name":"ScmPhysicalDeviceHealth_Unhealthy","features":[22]},{"name":"ScmPhysicalDeviceHealth_Unknown","features":[22]},{"name":"ScmPhysicalDeviceHealth_Warning","features":[22]},{"name":"ScmPhysicalDeviceOpReason_BackgroundOperation","features":[22]},{"name":"ScmPhysicalDeviceOpReason_Component","features":[22]},{"name":"ScmPhysicalDeviceOpReason_Configuration","features":[22]},{"name":"ScmPhysicalDeviceOpReason_DataPersistenceLossImminent","features":[22]},{"name":"ScmPhysicalDeviceOpReason_DeviceController","features":[22]},{"name":"ScmPhysicalDeviceOpReason_DisabledByPlatform","features":[22]},{"name":"ScmPhysicalDeviceOpReason_EnergySource","features":[22]},{"name":"ScmPhysicalDeviceOpReason_ExcessiveTemperature","features":[22]},{"name":"ScmPhysicalDeviceOpReason_FatalError","features":[22]},{"name":"ScmPhysicalDeviceOpReason_HealthCheck","features":[22]},{"name":"ScmPhysicalDeviceOpReason_InternalFailure","features":[22]},{"name":"ScmPhysicalDeviceOpReason_InvalidFirmware","features":[22]},{"name":"ScmPhysicalDeviceOpReason_LostData","features":[22]},{"name":"ScmPhysicalDeviceOpReason_LostDataPersistence","features":[22]},{"name":"ScmPhysicalDeviceOpReason_LostWritePersistence","features":[22]},{"name":"ScmPhysicalDeviceOpReason_Max","features":[22]},{"name":"ScmPhysicalDeviceOpReason_Media","features":[22]},{"name":"ScmPhysicalDeviceOpReason_MediaController","features":[22]},{"name":"ScmPhysicalDeviceOpReason_MediaRemainingSpareBlock","features":[22]},{"name":"ScmPhysicalDeviceOpReason_PerformanceDegradation","features":[22]},{"name":"ScmPhysicalDeviceOpReason_PermanentError","features":[22]},{"name":"ScmPhysicalDeviceOpReason_ThresholdExceeded","features":[22]},{"name":"ScmPhysicalDeviceOpReason_Unknown","features":[22]},{"name":"ScmPhysicalDeviceOpReason_WritePersistenceLossImminent","features":[22]},{"name":"ScmPhysicalDeviceOpStatus_HardwareError","features":[22]},{"name":"ScmPhysicalDeviceOpStatus_InService","features":[22]},{"name":"ScmPhysicalDeviceOpStatus_Max","features":[22]},{"name":"ScmPhysicalDeviceOpStatus_Missing","features":[22]},{"name":"ScmPhysicalDeviceOpStatus_NotUsable","features":[22]},{"name":"ScmPhysicalDeviceOpStatus_Ok","features":[22]},{"name":"ScmPhysicalDeviceOpStatus_PredictingFailure","features":[22]},{"name":"ScmPhysicalDeviceOpStatus_TransientError","features":[22]},{"name":"ScmPhysicalDeviceOpStatus_Unknown","features":[22]},{"name":"ScmPhysicalDeviceProperty_DeviceHandle","features":[22]},{"name":"ScmPhysicalDeviceProperty_DeviceInfo","features":[22]},{"name":"ScmPhysicalDeviceProperty_DeviceSpecificInfo","features":[22]},{"name":"ScmPhysicalDeviceProperty_FirmwareInfo","features":[22]},{"name":"ScmPhysicalDeviceProperty_FruIdString","features":[22]},{"name":"ScmPhysicalDeviceProperty_LocationString","features":[22]},{"name":"ScmPhysicalDeviceProperty_ManagementStatus","features":[22]},{"name":"ScmPhysicalDeviceProperty_Max","features":[22]},{"name":"ScmPhysicalDeviceProperty_RuntimeFwActivationArmState","features":[22]},{"name":"ScmPhysicalDeviceProperty_RuntimeFwActivationInfo","features":[22]},{"name":"ScmPhysicalDeviceQuery_Descriptor","features":[22]},{"name":"ScmPhysicalDeviceQuery_IsSupported","features":[22]},{"name":"ScmPhysicalDeviceQuery_Max","features":[22]},{"name":"ScmPhysicalDeviceReinit_ColdBootNeeded","features":[22]},{"name":"ScmPhysicalDeviceReinit_Max","features":[22]},{"name":"ScmPhysicalDeviceReinit_RebootNeeded","features":[22]},{"name":"ScmPhysicalDeviceReinit_Success","features":[22]},{"name":"ScmPhysicalDeviceSet_Descriptor","features":[22]},{"name":"ScmPhysicalDeviceSet_IsSupported","features":[22]},{"name":"ScmPhysicalDeviceSet_Max","features":[22]},{"name":"ScmRegionFlagLabel","features":[22]},{"name":"ScmRegionFlagNone","features":[22]},{"name":"ShrinkAbort","features":[22]},{"name":"ShrinkCommit","features":[22]},{"name":"ShrinkPrepare","features":[22]},{"name":"SmrGcActionPause","features":[22]},{"name":"SmrGcActionStart","features":[22]},{"name":"SmrGcActionStartFullSpeed","features":[22]},{"name":"SmrGcActionStop","features":[22]},{"name":"SmrGcMethodCompaction","features":[22]},{"name":"SmrGcMethodCompression","features":[22]},{"name":"SmrGcMethodRotation","features":[22]},{"name":"SmrGcStateActive","features":[22]},{"name":"SmrGcStateActiveFullSpeed","features":[22]},{"name":"SmrGcStateInactive","features":[22]},{"name":"SmrGcStatePaused","features":[22]},{"name":"StorAttributeMgmt_ClearAttribute","features":[22]},{"name":"StorAttributeMgmt_ResetAttribute","features":[22]},{"name":"StorAttributeMgmt_SetAttribute","features":[22]},{"name":"StorRpmbAuthenticatedDeviceConfigRead","features":[22]},{"name":"StorRpmbAuthenticatedDeviceConfigWrite","features":[22]},{"name":"StorRpmbAuthenticatedRead","features":[22]},{"name":"StorRpmbAuthenticatedWrite","features":[22]},{"name":"StorRpmbProgramAuthKey","features":[22]},{"name":"StorRpmbQueryWriteCounter","features":[22]},{"name":"StorRpmbReadResultRequest","features":[22]},{"name":"StorageAccessAlignmentProperty","features":[22]},{"name":"StorageAdapterCryptoProperty","features":[22]},{"name":"StorageAdapterPhysicalTopologyProperty","features":[22]},{"name":"StorageAdapterProperty","features":[22]},{"name":"StorageAdapterProtocolSpecificProperty","features":[22]},{"name":"StorageAdapterRpmbProperty","features":[22]},{"name":"StorageAdapterSerialNumberProperty","features":[22]},{"name":"StorageAdapterTemperatureProperty","features":[22]},{"name":"StorageCounterTypeFlushLatency100NSMax","features":[22]},{"name":"StorageCounterTypeLoadUnloadCycleCount","features":[22]},{"name":"StorageCounterTypeLoadUnloadCycleCountMax","features":[22]},{"name":"StorageCounterTypeManufactureDate","features":[22]},{"name":"StorageCounterTypeMax","features":[22]},{"name":"StorageCounterTypePowerOnHours","features":[22]},{"name":"StorageCounterTypeReadErrorsCorrected","features":[22]},{"name":"StorageCounterTypeReadErrorsTotal","features":[22]},{"name":"StorageCounterTypeReadErrorsUncorrected","features":[22]},{"name":"StorageCounterTypeReadLatency100NSMax","features":[22]},{"name":"StorageCounterTypeStartStopCycleCount","features":[22]},{"name":"StorageCounterTypeStartStopCycleCountMax","features":[22]},{"name":"StorageCounterTypeTemperatureCelsius","features":[22]},{"name":"StorageCounterTypeTemperatureCelsiusMax","features":[22]},{"name":"StorageCounterTypeUnknown","features":[22]},{"name":"StorageCounterTypeWearPercentage","features":[22]},{"name":"StorageCounterTypeWearPercentageMax","features":[22]},{"name":"StorageCounterTypeWearPercentageWarning","features":[22]},{"name":"StorageCounterTypeWriteErrorsCorrected","features":[22]},{"name":"StorageCounterTypeWriteErrorsTotal","features":[22]},{"name":"StorageCounterTypeWriteErrorsUncorrected","features":[22]},{"name":"StorageCounterTypeWriteLatency100NSMax","features":[22]},{"name":"StorageCryptoAlgorithmAESECB","features":[22]},{"name":"StorageCryptoAlgorithmBitlockerAESCBC","features":[22]},{"name":"StorageCryptoAlgorithmESSIVAESCBC","features":[22]},{"name":"StorageCryptoAlgorithmMax","features":[22]},{"name":"StorageCryptoAlgorithmUnknown","features":[22]},{"name":"StorageCryptoAlgorithmXTSAES","features":[22]},{"name":"StorageCryptoKeySize128Bits","features":[22]},{"name":"StorageCryptoKeySize192Bits","features":[22]},{"name":"StorageCryptoKeySize256Bits","features":[22]},{"name":"StorageCryptoKeySize512Bits","features":[22]},{"name":"StorageCryptoKeySizeUnknown","features":[22]},{"name":"StorageDeviceAttributesProperty","features":[22]},{"name":"StorageDeviceCopyOffloadProperty","features":[22]},{"name":"StorageDeviceDeviceTelemetryProperty","features":[22]},{"name":"StorageDeviceEnduranceProperty","features":[22]},{"name":"StorageDeviceIdProperty","features":[22]},{"name":"StorageDeviceIoCapabilityProperty","features":[22]},{"name":"StorageDeviceLBProvisioningProperty","features":[22]},{"name":"StorageDeviceLedStateProperty","features":[22]},{"name":"StorageDeviceLocationProperty","features":[22]},{"name":"StorageDeviceManagementStatus","features":[22]},{"name":"StorageDeviceMediumProductType","features":[22]},{"name":"StorageDeviceNumaProperty","features":[22]},{"name":"StorageDevicePhysicalTopologyProperty","features":[22]},{"name":"StorageDevicePowerCapUnitsMilliwatts","features":[22]},{"name":"StorageDevicePowerCapUnitsPercent","features":[22]},{"name":"StorageDevicePowerProperty","features":[22]},{"name":"StorageDeviceProperty","features":[22]},{"name":"StorageDeviceProtocolSpecificProperty","features":[22]},{"name":"StorageDeviceResiliencyProperty","features":[22]},{"name":"StorageDeviceSeekPenaltyProperty","features":[22]},{"name":"StorageDeviceSelfEncryptionProperty","features":[22]},{"name":"StorageDeviceTemperatureProperty","features":[22]},{"name":"StorageDeviceTrimProperty","features":[22]},{"name":"StorageDeviceUniqueIdProperty","features":[22]},{"name":"StorageDeviceUnsafeShutdownCount","features":[22]},{"name":"StorageDeviceWriteAggregationProperty","features":[22]},{"name":"StorageDeviceWriteCacheProperty","features":[22]},{"name":"StorageDeviceZonedDeviceProperty","features":[22]},{"name":"StorageDiagnosticLevelDefault","features":[22]},{"name":"StorageDiagnosticLevelMax","features":[22]},{"name":"StorageDiagnosticTargetTypeHbaFirmware","features":[22]},{"name":"StorageDiagnosticTargetTypeMax","features":[22]},{"name":"StorageDiagnosticTargetTypeMiniport","features":[22]},{"name":"StorageDiagnosticTargetTypePort","features":[22]},{"name":"StorageDiagnosticTargetTypeUndefined","features":[22]},{"name":"StorageEncryptionTypeEDrive","features":[22]},{"name":"StorageEncryptionTypeTcgOpal","features":[22]},{"name":"StorageEncryptionTypeUnknown","features":[22]},{"name":"StorageFruIdProperty","features":[22]},{"name":"StorageIdAssocDevice","features":[22]},{"name":"StorageIdAssocPort","features":[22]},{"name":"StorageIdAssocTarget","features":[22]},{"name":"StorageIdCodeSetAscii","features":[22]},{"name":"StorageIdCodeSetBinary","features":[22]},{"name":"StorageIdCodeSetReserved","features":[22]},{"name":"StorageIdCodeSetUtf8","features":[22]},{"name":"StorageIdNAAFormatIEEEERegisteredExtended","features":[22]},{"name":"StorageIdNAAFormatIEEEExtended","features":[22]},{"name":"StorageIdNAAFormatIEEERegistered","features":[22]},{"name":"StorageIdTypeEUI64","features":[22]},{"name":"StorageIdTypeFCPHName","features":[22]},{"name":"StorageIdTypeLogicalUnitGroup","features":[22]},{"name":"StorageIdTypeMD5LogicalUnitIdentifier","features":[22]},{"name":"StorageIdTypePortRelative","features":[22]},{"name":"StorageIdTypeScsiNameString","features":[22]},{"name":"StorageIdTypeTargetPortGroup","features":[22]},{"name":"StorageIdTypeVendorId","features":[22]},{"name":"StorageIdTypeVendorSpecific","features":[22]},{"name":"StorageMiniportProperty","features":[22]},{"name":"StoragePortCodeSetATAport","features":[22]},{"name":"StoragePortCodeSetReserved","features":[22]},{"name":"StoragePortCodeSetSBP2port","features":[22]},{"name":"StoragePortCodeSetSCSIport","features":[22]},{"name":"StoragePortCodeSetSDport","features":[22]},{"name":"StoragePortCodeSetSpaceport","features":[22]},{"name":"StoragePortCodeSetStorport","features":[22]},{"name":"StoragePortCodeSetUSBport","features":[22]},{"name":"StoragePowerupDeviceAttention","features":[22]},{"name":"StoragePowerupIO","features":[22]},{"name":"StoragePowerupUnknown","features":[22]},{"name":"StorageReserveIdHard","features":[22]},{"name":"StorageReserveIdMax","features":[22]},{"name":"StorageReserveIdNone","features":[22]},{"name":"StorageReserveIdSoft","features":[22]},{"name":"StorageReserveIdUpdateScratch","features":[22]},{"name":"StorageRpmbFrameTypeMax","features":[22]},{"name":"StorageRpmbFrameTypeStandard","features":[22]},{"name":"StorageRpmbFrameTypeUnknown","features":[22]},{"name":"StorageSanitizeMethodBlockErase","features":[22]},{"name":"StorageSanitizeMethodCryptoErase","features":[22]},{"name":"StorageSanitizeMethodDefault","features":[22]},{"name":"StorageTierClassCapacity","features":[22]},{"name":"StorageTierClassMax","features":[22]},{"name":"StorageTierClassPerformance","features":[22]},{"name":"StorageTierClassUnspecified","features":[22]},{"name":"StorageTierMediaTypeDisk","features":[22]},{"name":"StorageTierMediaTypeMax","features":[22]},{"name":"StorageTierMediaTypeScm","features":[22]},{"name":"StorageTierMediaTypeSsd","features":[22]},{"name":"StorageTierMediaTypeUnspecified","features":[22]},{"name":"TAPE_GET_STATISTICS","features":[22]},{"name":"TAPE_RESET_STATISTICS","features":[22]},{"name":"TAPE_RETURN_ENV_INFO","features":[22]},{"name":"TAPE_RETURN_STATISTICS","features":[22]},{"name":"TAPE_STATISTICS","features":[22]},{"name":"TCCollectionApplicationRequested","features":[22]},{"name":"TCCollectionBugCheck","features":[22]},{"name":"TCCollectionDeviceRequested","features":[22]},{"name":"TC_DEVICEDUMP_SUBSECTION_DESC_LENGTH","features":[22]},{"name":"TC_PUBLIC_DATA_TYPE_ATAGP","features":[22]},{"name":"TC_PUBLIC_DATA_TYPE_ATASMART","features":[22]},{"name":"TC_PUBLIC_DEVICEDUMP_CONTENT_GPLOG","features":[22]},{"name":"TC_PUBLIC_DEVICEDUMP_CONTENT_GPLOG_MAX","features":[22]},{"name":"TC_PUBLIC_DEVICEDUMP_CONTENT_SMART","features":[22]},{"name":"TELEMETRY_COMMAND_SIZE","features":[22]},{"name":"TXFS_CREATE_MINIVERSION_INFO","features":[22]},{"name":"TXFS_GET_METADATA_INFO_OUT","features":[22]},{"name":"TXFS_GET_TRANSACTED_VERSION","features":[22]},{"name":"TXFS_LIST_TRANSACTIONS","features":[22]},{"name":"TXFS_LIST_TRANSACTIONS_ENTRY","features":[22]},{"name":"TXFS_LIST_TRANSACTION_LOCKED_FILES","features":[22]},{"name":"TXFS_LIST_TRANSACTION_LOCKED_FILES_ENTRY","features":[22]},{"name":"TXFS_LIST_TRANSACTION_LOCKED_FILES_ENTRY_FLAG_CREATED","features":[22]},{"name":"TXFS_LIST_TRANSACTION_LOCKED_FILES_ENTRY_FLAG_DELETED","features":[22]},{"name":"TXFS_LOGGING_MODE_FULL","features":[22]},{"name":"TXFS_LOGGING_MODE_SIMPLE","features":[22]},{"name":"TXFS_MODIFY_RM","features":[22]},{"name":"TXFS_QUERY_RM_INFORMATION","features":[22]},{"name":"TXFS_READ_BACKUP_INFORMATION_OUT","features":[22]},{"name":"TXFS_RMF_LAGS","features":[22]},{"name":"TXFS_RM_FLAG_DO_NOT_RESET_RM_AT_NEXT_START","features":[22]},{"name":"TXFS_RM_FLAG_ENFORCE_MINIMUM_SIZE","features":[22]},{"name":"TXFS_RM_FLAG_GROW_LOG","features":[22]},{"name":"TXFS_RM_FLAG_LOGGING_MODE","features":[22]},{"name":"TXFS_RM_FLAG_LOG_AUTO_SHRINK_PERCENTAGE","features":[22]},{"name":"TXFS_RM_FLAG_LOG_CONTAINER_COUNT_MAX","features":[22]},{"name":"TXFS_RM_FLAG_LOG_CONTAINER_COUNT_MIN","features":[22]},{"name":"TXFS_RM_FLAG_LOG_GROWTH_INCREMENT_NUM_CONTAINERS","features":[22]},{"name":"TXFS_RM_FLAG_LOG_GROWTH_INCREMENT_PERCENT","features":[22]},{"name":"TXFS_RM_FLAG_LOG_NO_CONTAINER_COUNT_MAX","features":[22]},{"name":"TXFS_RM_FLAG_LOG_NO_CONTAINER_COUNT_MIN","features":[22]},{"name":"TXFS_RM_FLAG_PREFER_AVAILABILITY","features":[22]},{"name":"TXFS_RM_FLAG_PREFER_CONSISTENCY","features":[22]},{"name":"TXFS_RM_FLAG_PRESERVE_CHANGES","features":[22]},{"name":"TXFS_RM_FLAG_RENAME_RM","features":[22]},{"name":"TXFS_RM_FLAG_RESET_RM_AT_NEXT_START","features":[22]},{"name":"TXFS_RM_FLAG_SHRINK_LOG","features":[22]},{"name":"TXFS_RM_STATE_ACTIVE","features":[22]},{"name":"TXFS_RM_STATE_NOT_STARTED","features":[22]},{"name":"TXFS_RM_STATE_SHUTTING_DOWN","features":[22]},{"name":"TXFS_RM_STATE_STARTING","features":[22]},{"name":"TXFS_ROLLFORWARD_REDO_FLAG_USE_LAST_REDO_LSN","features":[22]},{"name":"TXFS_ROLLFORWARD_REDO_FLAG_USE_LAST_VIRTUAL_CLOCK","features":[22]},{"name":"TXFS_ROLLFORWARD_REDO_INFORMATION","features":[22]},{"name":"TXFS_SAVEPOINT_CLEAR","features":[22]},{"name":"TXFS_SAVEPOINT_CLEAR_ALL","features":[22]},{"name":"TXFS_SAVEPOINT_INFORMATION","features":[1,22]},{"name":"TXFS_SAVEPOINT_ROLLBACK","features":[22]},{"name":"TXFS_SAVEPOINT_SET","features":[22]},{"name":"TXFS_START_RM_FLAG_LOGGING_MODE","features":[22]},{"name":"TXFS_START_RM_FLAG_LOG_AUTO_SHRINK_PERCENTAGE","features":[22]},{"name":"TXFS_START_RM_FLAG_LOG_CONTAINER_COUNT_MAX","features":[22]},{"name":"TXFS_START_RM_FLAG_LOG_CONTAINER_COUNT_MIN","features":[22]},{"name":"TXFS_START_RM_FLAG_LOG_CONTAINER_SIZE","features":[22]},{"name":"TXFS_START_RM_FLAG_LOG_GROWTH_INCREMENT_NUM_CONTAINERS","features":[22]},{"name":"TXFS_START_RM_FLAG_LOG_GROWTH_INCREMENT_PERCENT","features":[22]},{"name":"TXFS_START_RM_FLAG_LOG_NO_CONTAINER_COUNT_MAX","features":[22]},{"name":"TXFS_START_RM_FLAG_LOG_NO_CONTAINER_COUNT_MIN","features":[22]},{"name":"TXFS_START_RM_FLAG_PREFER_AVAILABILITY","features":[22]},{"name":"TXFS_START_RM_FLAG_PREFER_CONSISTENCY","features":[22]},{"name":"TXFS_START_RM_FLAG_PRESERVE_CHANGES","features":[22]},{"name":"TXFS_START_RM_FLAG_RECOVER_BEST_EFFORT","features":[22]},{"name":"TXFS_START_RM_INFORMATION","features":[22]},{"name":"TXFS_TRANSACTED_VERSION_NONTRANSACTED","features":[22]},{"name":"TXFS_TRANSACTED_VERSION_UNCOMMITTED","features":[22]},{"name":"TXFS_TRANSACTION_ACTIVE_INFO","features":[1,22]},{"name":"TXFS_TRANSACTION_STATE_ACTIVE","features":[22]},{"name":"TXFS_TRANSACTION_STATE_NONE","features":[22]},{"name":"TXFS_TRANSACTION_STATE_NOTACTIVE","features":[22]},{"name":"TXFS_TRANSACTION_STATE_PREPARED","features":[22]},{"name":"TXFS_WRITE_BACKUP_INFORMATION","features":[22]},{"name":"Travan","features":[22]},{"name":"UNDEFINE_ALTERNATE","features":[22]},{"name":"UNDEFINE_PRIMARY","features":[22]},{"name":"UNLOCK_ELEMENT","features":[22]},{"name":"UNRECOVERED_READS_VALID","features":[22]},{"name":"UNRECOVERED_WRITES_VALID","features":[22]},{"name":"USN_DELETE_FLAGS","features":[22]},{"name":"USN_DELETE_FLAG_DELETE","features":[22]},{"name":"USN_DELETE_FLAG_NOTIFY","features":[22]},{"name":"USN_DELETE_VALID_FLAGS","features":[22]},{"name":"USN_JOURNAL_DATA_V0","features":[22]},{"name":"USN_JOURNAL_DATA_V1","features":[22]},{"name":"USN_JOURNAL_DATA_V2","features":[22]},{"name":"USN_PAGE_SIZE","features":[22]},{"name":"USN_RANGE_TRACK_OUTPUT","features":[22]},{"name":"USN_REASON_BASIC_INFO_CHANGE","features":[22]},{"name":"USN_REASON_CLOSE","features":[22]},{"name":"USN_REASON_COMPRESSION_CHANGE","features":[22]},{"name":"USN_REASON_DATA_EXTEND","features":[22]},{"name":"USN_REASON_DATA_OVERWRITE","features":[22]},{"name":"USN_REASON_DATA_TRUNCATION","features":[22]},{"name":"USN_REASON_DESIRED_STORAGE_CLASS_CHANGE","features":[22]},{"name":"USN_REASON_EA_CHANGE","features":[22]},{"name":"USN_REASON_ENCRYPTION_CHANGE","features":[22]},{"name":"USN_REASON_FILE_CREATE","features":[22]},{"name":"USN_REASON_FILE_DELETE","features":[22]},{"name":"USN_REASON_HARD_LINK_CHANGE","features":[22]},{"name":"USN_REASON_INDEXABLE_CHANGE","features":[22]},{"name":"USN_REASON_INTEGRITY_CHANGE","features":[22]},{"name":"USN_REASON_NAMED_DATA_EXTEND","features":[22]},{"name":"USN_REASON_NAMED_DATA_OVERWRITE","features":[22]},{"name":"USN_REASON_NAMED_DATA_TRUNCATION","features":[22]},{"name":"USN_REASON_OBJECT_ID_CHANGE","features":[22]},{"name":"USN_REASON_RENAME_NEW_NAME","features":[22]},{"name":"USN_REASON_RENAME_OLD_NAME","features":[22]},{"name":"USN_REASON_REPARSE_POINT_CHANGE","features":[22]},{"name":"USN_REASON_SECURITY_CHANGE","features":[22]},{"name":"USN_REASON_STREAM_CHANGE","features":[22]},{"name":"USN_REASON_TRANSACTED_CHANGE","features":[22]},{"name":"USN_RECORD_COMMON_HEADER","features":[22]},{"name":"USN_RECORD_EXTENT","features":[22]},{"name":"USN_RECORD_UNION","features":[21,22]},{"name":"USN_RECORD_V2","features":[22]},{"name":"USN_RECORD_V3","features":[21,22]},{"name":"USN_RECORD_V4","features":[21,22]},{"name":"USN_SOURCE_AUXILIARY_DATA","features":[22]},{"name":"USN_SOURCE_CLIENT_REPLICATION_MANAGEMENT","features":[22]},{"name":"USN_SOURCE_DATA_MANAGEMENT","features":[22]},{"name":"USN_SOURCE_INFO_ID","features":[22]},{"name":"USN_SOURCE_REPLICATION_MANAGEMENT","features":[22]},{"name":"USN_TRACK_MODIFIED_RANGES","features":[22]},{"name":"UfsDataTypeMax","features":[22]},{"name":"UfsDataTypeQueryAttribute","features":[22]},{"name":"UfsDataTypeQueryDescriptor","features":[22]},{"name":"UfsDataTypeQueryDmeAttribute","features":[22]},{"name":"UfsDataTypeQueryDmePeerAttribute","features":[22]},{"name":"UfsDataTypeQueryFlag","features":[22]},{"name":"UfsDataTypeUnknown","features":[22]},{"name":"Unknown","features":[22]},{"name":"VALID_NTFT","features":[22]},{"name":"VENDOR_ID_LENGTH","features":[22]},{"name":"VERIFY_INFORMATION","features":[22]},{"name":"VIRTUALIZATION_INSTANCE_INFO_INPUT","features":[22]},{"name":"VIRTUALIZATION_INSTANCE_INFO_INPUT_EX","features":[22]},{"name":"VIRTUALIZATION_INSTANCE_INFO_OUTPUT","features":[22]},{"name":"VIRTUAL_STORAGE_BEHAVIOR_CODE","features":[22]},{"name":"VIRTUAL_STORAGE_SET_BEHAVIOR_INPUT","features":[22]},{"name":"VOLUME_BITMAP_BUFFER","features":[22]},{"name":"VOLUME_DISK_EXTENTS","features":[22]},{"name":"VOLUME_GET_GPT_ATTRIBUTES_INFORMATION","features":[22]},{"name":"VOLUME_IS_DIRTY","features":[22]},{"name":"VOLUME_SESSION_OPEN","features":[22]},{"name":"VOLUME_UPGRADE_SCHEDULED","features":[22]},{"name":"VXATape","features":[22]},{"name":"VXATape_1","features":[22]},{"name":"VXATape_2","features":[22]},{"name":"VirtualStorageBehaviorCacheWriteBack","features":[22]},{"name":"VirtualStorageBehaviorCacheWriteThrough","features":[22]},{"name":"VirtualStorageBehaviorRestartIoProcessing","features":[22]},{"name":"VirtualStorageBehaviorStopIoProcessing","features":[22]},{"name":"VirtualStorageBehaviorUndefined","features":[22]},{"name":"WIM_PROVIDER_ADD_OVERLAY_INPUT","features":[22]},{"name":"WIM_PROVIDER_CURRENT_VERSION","features":[22]},{"name":"WIM_PROVIDER_EXTERNAL_FLAG_NOT_ACTIVE","features":[22]},{"name":"WIM_PROVIDER_EXTERNAL_FLAG_SUSPENDED","features":[22]},{"name":"WIM_PROVIDER_EXTERNAL_INFO","features":[22]},{"name":"WIM_PROVIDER_OVERLAY_ENTRY","features":[22]},{"name":"WIM_PROVIDER_REMOVE_OVERLAY_INPUT","features":[22]},{"name":"WIM_PROVIDER_SUSPEND_OVERLAY_INPUT","features":[22]},{"name":"WIM_PROVIDER_UPDATE_OVERLAY_INPUT","features":[22]},{"name":"WMI_DISK_GEOMETRY_GUID","features":[22]},{"name":"WOF_CURRENT_VERSION","features":[22]},{"name":"WOF_EXTERNAL_FILE_ID","features":[21,22]},{"name":"WOF_EXTERNAL_INFO","features":[22]},{"name":"WOF_PROVIDER_CLOUD","features":[22]},{"name":"WOF_VERSION_INFO","features":[22]},{"name":"WRITE_CACHE_CHANGE","features":[22]},{"name":"WRITE_CACHE_ENABLE","features":[22]},{"name":"WRITE_CACHE_TYPE","features":[22]},{"name":"WRITE_COMPRESSION_INFO_VALID","features":[22]},{"name":"WRITE_THROUGH","features":[22]},{"name":"WRITE_USN_REASON_INPUT","features":[22]},{"name":"WriteCacheChangeUnknown","features":[22]},{"name":"WriteCacheChangeable","features":[22]},{"name":"WriteCacheDisabled","features":[22]},{"name":"WriteCacheEnableUnknown","features":[22]},{"name":"WriteCacheEnabled","features":[22]},{"name":"WriteCacheNotChangeable","features":[22]},{"name":"WriteCacheTypeNone","features":[22]},{"name":"WriteCacheTypeUnknown","features":[22]},{"name":"WriteCacheTypeWriteBack","features":[22]},{"name":"WriteCacheTypeWriteThrough","features":[22]},{"name":"WriteThroughNotSupported","features":[22]},{"name":"WriteThroughSupported","features":[22]},{"name":"WriteThroughUnknown","features":[22]},{"name":"ZoneConditionClosed","features":[22]},{"name":"ZoneConditionConventional","features":[22]},{"name":"ZoneConditionEmpty","features":[22]},{"name":"ZoneConditionExplicitlyOpened","features":[22]},{"name":"ZoneConditionFull","features":[22]},{"name":"ZoneConditionImplicitlyOpened","features":[22]},{"name":"ZoneConditionOffline","features":[22]},{"name":"ZoneConditionReadOnly","features":[22]},{"name":"ZoneTypeConventional","features":[22]},{"name":"ZoneTypeMax","features":[22]},{"name":"ZoneTypeSequentialWritePreferred","features":[22]},{"name":"ZoneTypeSequentialWriteRequired","features":[22]},{"name":"ZoneTypeUnknown","features":[22]},{"name":"ZonedDeviceTypeDeviceManaged","features":[22]},{"name":"ZonedDeviceTypeHostAware","features":[22]},{"name":"ZonedDeviceTypeHostManaged","features":[22]},{"name":"ZonedDeviceTypeUnknown","features":[22]},{"name":"ZonesAttributeTypeAndLengthMayDifferent","features":[22]},{"name":"ZonesAttributeTypeMayDifferentLengthSame","features":[22]},{"name":"ZonesAttributeTypeSameLastZoneLengthDifferent","features":[22]},{"name":"ZonesAttributeTypeSameLengthSame","features":[22]}],"574":[{"name":"AssignProcessToJobObject","features":[1,180]},{"name":"CreateJobObjectA","features":[1,4,180]},{"name":"CreateJobObjectW","features":[1,4,180]},{"name":"CreateJobSet","features":[1,180]},{"name":"FreeMemoryJobObject","features":[180]},{"name":"IsProcessInJob","features":[1,180]},{"name":"JOBOBJECTINFOCLASS","features":[180]},{"name":"JOBOBJECT_ASSOCIATE_COMPLETION_PORT","features":[1,180]},{"name":"JOBOBJECT_BASIC_ACCOUNTING_INFORMATION","features":[180]},{"name":"JOBOBJECT_BASIC_AND_IO_ACCOUNTING_INFORMATION","features":[180,37]},{"name":"JOBOBJECT_BASIC_LIMIT_INFORMATION","features":[180]},{"name":"JOBOBJECT_BASIC_PROCESS_ID_LIST","features":[180]},{"name":"JOBOBJECT_BASIC_UI_RESTRICTIONS","features":[180]},{"name":"JOBOBJECT_CPU_RATE_CONTROL_INFORMATION","features":[180]},{"name":"JOBOBJECT_END_OF_JOB_TIME_INFORMATION","features":[180]},{"name":"JOBOBJECT_EXTENDED_LIMIT_INFORMATION","features":[180,37]},{"name":"JOBOBJECT_IO_ATTRIBUTION_CONTROL_DISABLE","features":[180]},{"name":"JOBOBJECT_IO_ATTRIBUTION_CONTROL_ENABLE","features":[180]},{"name":"JOBOBJECT_IO_ATTRIBUTION_CONTROL_FLAGS","features":[180]},{"name":"JOBOBJECT_IO_ATTRIBUTION_CONTROL_VALID_FLAGS","features":[180]},{"name":"JOBOBJECT_IO_ATTRIBUTION_INFORMATION","features":[180]},{"name":"JOBOBJECT_IO_ATTRIBUTION_STATS","features":[180]},{"name":"JOBOBJECT_IO_RATE_CONTROL_INFORMATION","features":[180]},{"name":"JOBOBJECT_IO_RATE_CONTROL_INFORMATION_NATIVE_V1","features":[180]},{"name":"JOBOBJECT_IO_RATE_CONTROL_INFORMATION_NATIVE_V2","features":[180]},{"name":"JOBOBJECT_IO_RATE_CONTROL_INFORMATION_NATIVE_V3","features":[180]},{"name":"JOBOBJECT_JOBSET_INFORMATION","features":[180]},{"name":"JOBOBJECT_LIMIT_VIOLATION_INFORMATION","features":[180]},{"name":"JOBOBJECT_LIMIT_VIOLATION_INFORMATION_2","features":[180]},{"name":"JOBOBJECT_NET_RATE_CONTROL_INFORMATION","features":[180]},{"name":"JOBOBJECT_NOTIFICATION_LIMIT_INFORMATION","features":[180]},{"name":"JOBOBJECT_NOTIFICATION_LIMIT_INFORMATION_2","features":[180]},{"name":"JOBOBJECT_RATE_CONTROL_TOLERANCE","features":[180]},{"name":"JOBOBJECT_RATE_CONTROL_TOLERANCE_INTERVAL","features":[180]},{"name":"JOBOBJECT_SECURITY_LIMIT_INFORMATION","features":[1,4,180]},{"name":"JOB_OBJECT_BASIC_LIMIT_VALID_FLAGS","features":[180]},{"name":"JOB_OBJECT_CPU_RATE_CONTROL","features":[180]},{"name":"JOB_OBJECT_CPU_RATE_CONTROL_ENABLE","features":[180]},{"name":"JOB_OBJECT_CPU_RATE_CONTROL_HARD_CAP","features":[180]},{"name":"JOB_OBJECT_CPU_RATE_CONTROL_MIN_MAX_RATE","features":[180]},{"name":"JOB_OBJECT_CPU_RATE_CONTROL_NOTIFY","features":[180]},{"name":"JOB_OBJECT_CPU_RATE_CONTROL_VALID_FLAGS","features":[180]},{"name":"JOB_OBJECT_CPU_RATE_CONTROL_WEIGHT_BASED","features":[180]},{"name":"JOB_OBJECT_EXTENDED_LIMIT_VALID_FLAGS","features":[180]},{"name":"JOB_OBJECT_IO_RATE_CONTROL_ENABLE","features":[180]},{"name":"JOB_OBJECT_IO_RATE_CONTROL_FLAGS","features":[180]},{"name":"JOB_OBJECT_IO_RATE_CONTROL_FORCE_UNIT_ACCESS_ALL","features":[180]},{"name":"JOB_OBJECT_IO_RATE_CONTROL_FORCE_UNIT_ACCESS_ON_SOFT_CAP","features":[180]},{"name":"JOB_OBJECT_IO_RATE_CONTROL_STANDALONE_VOLUME","features":[180]},{"name":"JOB_OBJECT_IO_RATE_CONTROL_VALID_FLAGS","features":[180]},{"name":"JOB_OBJECT_LIMIT","features":[180]},{"name":"JOB_OBJECT_LIMIT_ACTIVE_PROCESS","features":[180]},{"name":"JOB_OBJECT_LIMIT_AFFINITY","features":[180]},{"name":"JOB_OBJECT_LIMIT_BREAKAWAY_OK","features":[180]},{"name":"JOB_OBJECT_LIMIT_CPU_RATE_CONTROL","features":[180]},{"name":"JOB_OBJECT_LIMIT_DIE_ON_UNHANDLED_EXCEPTION","features":[180]},{"name":"JOB_OBJECT_LIMIT_IO_RATE_CONTROL","features":[180]},{"name":"JOB_OBJECT_LIMIT_JOB_MEMORY","features":[180]},{"name":"JOB_OBJECT_LIMIT_JOB_MEMORY_HIGH","features":[180]},{"name":"JOB_OBJECT_LIMIT_JOB_MEMORY_LOW","features":[180]},{"name":"JOB_OBJECT_LIMIT_JOB_READ_BYTES","features":[180]},{"name":"JOB_OBJECT_LIMIT_JOB_TIME","features":[180]},{"name":"JOB_OBJECT_LIMIT_JOB_WRITE_BYTES","features":[180]},{"name":"JOB_OBJECT_LIMIT_KILL_ON_JOB_CLOSE","features":[180]},{"name":"JOB_OBJECT_LIMIT_NET_RATE_CONTROL","features":[180]},{"name":"JOB_OBJECT_LIMIT_PRESERVE_JOB_TIME","features":[180]},{"name":"JOB_OBJECT_LIMIT_PRIORITY_CLASS","features":[180]},{"name":"JOB_OBJECT_LIMIT_PROCESS_MEMORY","features":[180]},{"name":"JOB_OBJECT_LIMIT_PROCESS_TIME","features":[180]},{"name":"JOB_OBJECT_LIMIT_RATE_CONTROL","features":[180]},{"name":"JOB_OBJECT_LIMIT_SCHEDULING_CLASS","features":[180]},{"name":"JOB_OBJECT_LIMIT_SILENT_BREAKAWAY_OK","features":[180]},{"name":"JOB_OBJECT_LIMIT_SUBSET_AFFINITY","features":[180]},{"name":"JOB_OBJECT_LIMIT_VALID_FLAGS","features":[180]},{"name":"JOB_OBJECT_LIMIT_WORKINGSET","features":[180]},{"name":"JOB_OBJECT_NET_RATE_CONTROL_DSCP_TAG","features":[180]},{"name":"JOB_OBJECT_NET_RATE_CONTROL_ENABLE","features":[180]},{"name":"JOB_OBJECT_NET_RATE_CONTROL_FLAGS","features":[180]},{"name":"JOB_OBJECT_NET_RATE_CONTROL_MAX_BANDWIDTH","features":[180]},{"name":"JOB_OBJECT_NET_RATE_CONTROL_VALID_FLAGS","features":[180]},{"name":"JOB_OBJECT_NOTIFICATION_LIMIT_VALID_FLAGS","features":[180]},{"name":"JOB_OBJECT_POST_AT_END_OF_JOB","features":[180]},{"name":"JOB_OBJECT_SECURITY","features":[180]},{"name":"JOB_OBJECT_SECURITY_FILTER_TOKENS","features":[180]},{"name":"JOB_OBJECT_SECURITY_NO_ADMIN","features":[180]},{"name":"JOB_OBJECT_SECURITY_ONLY_TOKEN","features":[180]},{"name":"JOB_OBJECT_SECURITY_RESTRICTED_TOKEN","features":[180]},{"name":"JOB_OBJECT_SECURITY_VALID_FLAGS","features":[180]},{"name":"JOB_OBJECT_TERMINATE_AT_END_ACTION","features":[180]},{"name":"JOB_OBJECT_TERMINATE_AT_END_OF_JOB","features":[180]},{"name":"JOB_OBJECT_UILIMIT","features":[180]},{"name":"JOB_OBJECT_UILIMIT_DESKTOP","features":[180]},{"name":"JOB_OBJECT_UILIMIT_DISPLAYSETTINGS","features":[180]},{"name":"JOB_OBJECT_UILIMIT_EXITWINDOWS","features":[180]},{"name":"JOB_OBJECT_UILIMIT_GLOBALATOMS","features":[180]},{"name":"JOB_OBJECT_UILIMIT_HANDLES","features":[180]},{"name":"JOB_OBJECT_UILIMIT_NONE","features":[180]},{"name":"JOB_OBJECT_UILIMIT_READCLIPBOARD","features":[180]},{"name":"JOB_OBJECT_UILIMIT_SYSTEMPARAMETERS","features":[180]},{"name":"JOB_OBJECT_UILIMIT_WRITECLIPBOARD","features":[180]},{"name":"JOB_SET_ARRAY","features":[1,180]},{"name":"JobObjectAssociateCompletionPortInformation","features":[180]},{"name":"JobObjectBasicAccountingInformation","features":[180]},{"name":"JobObjectBasicAndIoAccountingInformation","features":[180]},{"name":"JobObjectBasicLimitInformation","features":[180]},{"name":"JobObjectBasicProcessIdList","features":[180]},{"name":"JobObjectBasicUIRestrictions","features":[180]},{"name":"JobObjectCompletionCounter","features":[180]},{"name":"JobObjectCompletionFilter","features":[180]},{"name":"JobObjectCpuRateControlInformation","features":[180]},{"name":"JobObjectCreateSilo","features":[180]},{"name":"JobObjectEndOfJobTimeInformation","features":[180]},{"name":"JobObjectExtendedLimitInformation","features":[180]},{"name":"JobObjectGroupInformation","features":[180]},{"name":"JobObjectGroupInformationEx","features":[180]},{"name":"JobObjectJobSetInformation","features":[180]},{"name":"JobObjectLimitViolationInformation","features":[180]},{"name":"JobObjectLimitViolationInformation2","features":[180]},{"name":"JobObjectNetRateControlInformation","features":[180]},{"name":"JobObjectNotificationLimitInformation","features":[180]},{"name":"JobObjectNotificationLimitInformation2","features":[180]},{"name":"JobObjectReserved10Information","features":[180]},{"name":"JobObjectReserved11Information","features":[180]},{"name":"JobObjectReserved12Information","features":[180]},{"name":"JobObjectReserved13Information","features":[180]},{"name":"JobObjectReserved14Information","features":[180]},{"name":"JobObjectReserved15Information","features":[180]},{"name":"JobObjectReserved16Information","features":[180]},{"name":"JobObjectReserved17Information","features":[180]},{"name":"JobObjectReserved18Information","features":[180]},{"name":"JobObjectReserved19Information","features":[180]},{"name":"JobObjectReserved1Information","features":[180]},{"name":"JobObjectReserved20Information","features":[180]},{"name":"JobObjectReserved21Information","features":[180]},{"name":"JobObjectReserved22Information","features":[180]},{"name":"JobObjectReserved23Information","features":[180]},{"name":"JobObjectReserved24Information","features":[180]},{"name":"JobObjectReserved25Information","features":[180]},{"name":"JobObjectReserved26Information","features":[180]},{"name":"JobObjectReserved27Information","features":[180]},{"name":"JobObjectReserved2Information","features":[180]},{"name":"JobObjectReserved3Information","features":[180]},{"name":"JobObjectReserved4Information","features":[180]},{"name":"JobObjectReserved5Information","features":[180]},{"name":"JobObjectReserved6Information","features":[180]},{"name":"JobObjectReserved7Information","features":[180]},{"name":"JobObjectReserved8Information","features":[180]},{"name":"JobObjectReserved9Information","features":[180]},{"name":"JobObjectSecurityLimitInformation","features":[180]},{"name":"JobObjectSiloBasicInformation","features":[180]},{"name":"MaxJobObjectInfoClass","features":[180]},{"name":"OpenJobObjectA","features":[1,180]},{"name":"OpenJobObjectW","features":[1,180]},{"name":"QueryInformationJobObject","features":[1,180]},{"name":"QueryIoRateControlInformationJobObject","features":[1,180]},{"name":"SetInformationJobObject","features":[1,180]},{"name":"SetIoRateControlInformationJobObject","features":[1,180]},{"name":"TerminateJobObject","features":[1,180]},{"name":"ToleranceHigh","features":[180]},{"name":"ToleranceIntervalLong","features":[180]},{"name":"ToleranceIntervalMedium","features":[180]},{"name":"ToleranceIntervalShort","features":[180]},{"name":"ToleranceLow","features":[180]},{"name":"ToleranceMedium","features":[180]},{"name":"UserHandleGrantAccess","features":[1,180]}],"575":[{"name":"JS_SOURCE_CONTEXT_NONE","features":[181]},{"name":"JsAddRef","features":[181]},{"name":"JsArray","features":[181]},{"name":"JsBackgroundWorkItemCallback","features":[181]},{"name":"JsBeforeCollectCallback","features":[181]},{"name":"JsBoolToBoolean","features":[181]},{"name":"JsBoolean","features":[181]},{"name":"JsBooleanToBool","features":[181]},{"name":"JsCallFunction","features":[181]},{"name":"JsCollectGarbage","features":[181]},{"name":"JsConstructObject","features":[181]},{"name":"JsConvertValueToBoolean","features":[181]},{"name":"JsConvertValueToNumber","features":[181]},{"name":"JsConvertValueToObject","features":[181]},{"name":"JsConvertValueToString","features":[181]},{"name":"JsCreateArray","features":[181]},{"name":"JsCreateContext","features":[181]},{"name":"JsCreateContext","features":[181]},{"name":"JsCreateError","features":[181]},{"name":"JsCreateExternalObject","features":[181]},{"name":"JsCreateFunction","features":[181]},{"name":"JsCreateObject","features":[181]},{"name":"JsCreateRangeError","features":[181]},{"name":"JsCreateReferenceError","features":[181]},{"name":"JsCreateRuntime","features":[181]},{"name":"JsCreateSyntaxError","features":[181]},{"name":"JsCreateTypeError","features":[181]},{"name":"JsCreateURIError","features":[181]},{"name":"JsDefineProperty","features":[181]},{"name":"JsDeleteIndexedProperty","features":[181]},{"name":"JsDeleteProperty","features":[181]},{"name":"JsDisableRuntimeExecution","features":[181]},{"name":"JsDisposeRuntime","features":[181]},{"name":"JsDoubleToNumber","features":[181]},{"name":"JsEnableRuntimeExecution","features":[181]},{"name":"JsEnumerateHeap","features":[181]},{"name":"JsEquals","features":[181]},{"name":"JsError","features":[181]},{"name":"JsErrorAlreadyDebuggingContext","features":[181]},{"name":"JsErrorAlreadyProfilingContext","features":[181]},{"name":"JsErrorArgumentNotObject","features":[181]},{"name":"JsErrorBadSerializedScript","features":[181]},{"name":"JsErrorCannotDisableExecution","features":[181]},{"name":"JsErrorCannotSerializeDebugScript","features":[181]},{"name":"JsErrorCategoryEngine","features":[181]},{"name":"JsErrorCategoryFatal","features":[181]},{"name":"JsErrorCategoryScript","features":[181]},{"name":"JsErrorCategoryUsage","features":[181]},{"name":"JsErrorCode","features":[181]},{"name":"JsErrorFatal","features":[181]},{"name":"JsErrorHeapEnumInProgress","features":[181]},{"name":"JsErrorIdleNotEnabled","features":[181]},{"name":"JsErrorInDisabledState","features":[181]},{"name":"JsErrorInExceptionState","features":[181]},{"name":"JsErrorInProfileCallback","features":[181]},{"name":"JsErrorInThreadServiceCallback","features":[181]},{"name":"JsErrorInvalidArgument","features":[181]},{"name":"JsErrorNoCurrentContext","features":[181]},{"name":"JsErrorNotImplemented","features":[181]},{"name":"JsErrorNullArgument","features":[181]},{"name":"JsErrorOutOfMemory","features":[181]},{"name":"JsErrorRuntimeInUse","features":[181]},{"name":"JsErrorScriptCompile","features":[181]},{"name":"JsErrorScriptEvalDisabled","features":[181]},{"name":"JsErrorScriptException","features":[181]},{"name":"JsErrorScriptTerminated","features":[181]},{"name":"JsErrorWrongThread","features":[181]},{"name":"JsFinalizeCallback","features":[181]},{"name":"JsFunction","features":[181]},{"name":"JsGetAndClearException","features":[181]},{"name":"JsGetCurrentContext","features":[181]},{"name":"JsGetExtensionAllowed","features":[181]},{"name":"JsGetExternalData","features":[181]},{"name":"JsGetFalseValue","features":[181]},{"name":"JsGetGlobalObject","features":[181]},{"name":"JsGetIndexedProperty","features":[181]},{"name":"JsGetNullValue","features":[181]},{"name":"JsGetOwnPropertyDescriptor","features":[181]},{"name":"JsGetOwnPropertyNames","features":[181]},{"name":"JsGetProperty","features":[181]},{"name":"JsGetPropertyIdFromName","features":[181]},{"name":"JsGetPropertyNameFromId","features":[181]},{"name":"JsGetPrototype","features":[181]},{"name":"JsGetRuntime","features":[181]},{"name":"JsGetRuntimeMemoryLimit","features":[181]},{"name":"JsGetRuntimeMemoryUsage","features":[181]},{"name":"JsGetStringLength","features":[181]},{"name":"JsGetTrueValue","features":[181]},{"name":"JsGetUndefinedValue","features":[181]},{"name":"JsGetValueType","features":[181]},{"name":"JsHasException","features":[181]},{"name":"JsHasExternalData","features":[181]},{"name":"JsHasIndexedProperty","features":[181]},{"name":"JsHasProperty","features":[181]},{"name":"JsIdle","features":[181]},{"name":"JsIntToNumber","features":[181]},{"name":"JsIsEnumeratingHeap","features":[181]},{"name":"JsIsRuntimeExecutionDisabled","features":[181]},{"name":"JsMemoryAllocate","features":[181]},{"name":"JsMemoryAllocationCallback","features":[181]},{"name":"JsMemoryEventType","features":[181]},{"name":"JsMemoryFailure","features":[181]},{"name":"JsMemoryFree","features":[181]},{"name":"JsNativeFunction","features":[181]},{"name":"JsNoError","features":[181]},{"name":"JsNull","features":[181]},{"name":"JsNumber","features":[181]},{"name":"JsNumberToDouble","features":[181]},{"name":"JsObject","features":[181]},{"name":"JsParseScript","features":[181]},{"name":"JsParseSerializedScript","features":[181]},{"name":"JsPointerToString","features":[181]},{"name":"JsPreventExtension","features":[181]},{"name":"JsRelease","features":[181]},{"name":"JsRunScript","features":[181]},{"name":"JsRunSerializedScript","features":[181]},{"name":"JsRuntimeAttributeAllowScriptInterrupt","features":[181]},{"name":"JsRuntimeAttributeDisableBackgroundWork","features":[181]},{"name":"JsRuntimeAttributeDisableEval","features":[181]},{"name":"JsRuntimeAttributeDisableNativeCodeGeneration","features":[181]},{"name":"JsRuntimeAttributeEnableIdleProcessing","features":[181]},{"name":"JsRuntimeAttributeNone","features":[181]},{"name":"JsRuntimeAttributes","features":[181]},{"name":"JsRuntimeVersion","features":[181]},{"name":"JsRuntimeVersion10","features":[181]},{"name":"JsRuntimeVersion11","features":[181]},{"name":"JsRuntimeVersionEdge","features":[181]},{"name":"JsSerializeScript","features":[181]},{"name":"JsSetCurrentContext","features":[181]},{"name":"JsSetException","features":[181]},{"name":"JsSetExternalData","features":[181]},{"name":"JsSetIndexedProperty","features":[181]},{"name":"JsSetProperty","features":[181]},{"name":"JsSetPrototype","features":[181]},{"name":"JsSetRuntimeBeforeCollectCallback","features":[181]},{"name":"JsSetRuntimeMemoryAllocationCallback","features":[181]},{"name":"JsSetRuntimeMemoryLimit","features":[181]},{"name":"JsStartDebugging","features":[181]},{"name":"JsStartDebugging","features":[181]},{"name":"JsStartProfiling","features":[182,181]},{"name":"JsStopProfiling","features":[181]},{"name":"JsStrictEquals","features":[181]},{"name":"JsString","features":[181]},{"name":"JsStringToPointer","features":[181]},{"name":"JsThreadServiceCallback","features":[181]},{"name":"JsUndefined","features":[181]},{"name":"JsValueToVariant","features":[1,41,181,42]},{"name":"JsValueType","features":[181]},{"name":"JsVariantToValue","features":[1,41,181,42]}],"576":[{"name":"BackOffice","features":[7]},{"name":"Blade","features":[7]},{"name":"COMPARTMENT_ID","features":[7]},{"name":"CSTRING","features":[7]},{"name":"CommunicationServer","features":[7]},{"name":"ComputeServer","features":[7]},{"name":"DEFAULT_COMPARTMENT_ID","features":[7]},{"name":"DataCenter","features":[7]},{"name":"EVENT_TYPE","features":[7]},{"name":"EXCEPTION_DISPOSITION","features":[7]},{"name":"EXCEPTION_REGISTRATION_RECORD","features":[1,30,7]},{"name":"EXCEPTION_ROUTINE","features":[1,30,7]},{"name":"EmbeddedNT","features":[7]},{"name":"EmbeddedRestricted","features":[7]},{"name":"Enterprise","features":[7]},{"name":"ExceptionCollidedUnwind","features":[7]},{"name":"ExceptionContinueExecution","features":[7]},{"name":"ExceptionContinueSearch","features":[7]},{"name":"ExceptionNestedException","features":[7]},{"name":"FLOATING_SAVE_AREA","features":[7]},{"name":"FLOATING_SAVE_AREA","features":[7]},{"name":"LIST_ENTRY","features":[7]},{"name":"LIST_ENTRY32","features":[7]},{"name":"LIST_ENTRY64","features":[7]},{"name":"MAXUCHAR","features":[7]},{"name":"MAXULONG","features":[7]},{"name":"MAXUSHORT","features":[7]},{"name":"MaxSuiteType","features":[7]},{"name":"MultiUserTS","features":[7]},{"name":"NT_PRODUCT_TYPE","features":[7]},{"name":"NT_TIB","features":[1,30,7]},{"name":"NULL64","features":[7]},{"name":"NotificationEvent","features":[7]},{"name":"NotificationTimer","features":[7]},{"name":"NtProductLanManNt","features":[7]},{"name":"NtProductServer","features":[7]},{"name":"NtProductWinNt","features":[7]},{"name":"OBJECTID","features":[7]},{"name":"OBJ_CASE_INSENSITIVE","features":[7]},{"name":"OBJ_DONT_REPARSE","features":[7]},{"name":"OBJ_EXCLUSIVE","features":[7]},{"name":"OBJ_FORCE_ACCESS_CHECK","features":[7]},{"name":"OBJ_HANDLE_TAGBITS","features":[7]},{"name":"OBJ_IGNORE_IMPERSONATED_DEVICEMAP","features":[7]},{"name":"OBJ_INHERIT","features":[7]},{"name":"OBJ_KERNEL_HANDLE","features":[7]},{"name":"OBJ_OPENIF","features":[7]},{"name":"OBJ_OPENLINK","features":[7]},{"name":"OBJ_PERMANENT","features":[7]},{"name":"OBJ_VALID_ATTRIBUTES","features":[7]},{"name":"PROCESSOR_NUMBER","features":[7]},{"name":"Personal","features":[7]},{"name":"PhoneNT","features":[7]},{"name":"QUAD","features":[7]},{"name":"RTL_BALANCED_NODE","features":[7]},{"name":"RTL_BALANCED_NODE_RESERVED_PARENT_MASK","features":[7]},{"name":"RtlFirstEntrySList","features":[7]},{"name":"RtlInitializeSListHead","features":[7]},{"name":"RtlInterlockedFlushSList","features":[7]},{"name":"RtlInterlockedPopEntrySList","features":[7]},{"name":"RtlInterlockedPushEntrySList","features":[7]},{"name":"RtlInterlockedPushListSListEx","features":[7]},{"name":"RtlQueryDepthSList","features":[7]},{"name":"SINGLE_LIST_ENTRY","features":[7]},{"name":"SINGLE_LIST_ENTRY32","features":[7]},{"name":"SLIST_ENTRY","features":[7]},{"name":"SLIST_HEADER","features":[7]},{"name":"SLIST_HEADER","features":[7]},{"name":"SLIST_HEADER","features":[7]},{"name":"STRING","features":[7]},{"name":"STRING32","features":[7]},{"name":"STRING64","features":[7]},{"name":"SUITE_TYPE","features":[7]},{"name":"SecurityAppliance","features":[7]},{"name":"SingleUserTS","features":[7]},{"name":"SmallBusiness","features":[7]},{"name":"SmallBusinessRestricted","features":[7]},{"name":"StorageServer","features":[7]},{"name":"SynchronizationEvent","features":[7]},{"name":"SynchronizationTimer","features":[7]},{"name":"TIMER_TYPE","features":[7]},{"name":"TerminalServer","features":[7]},{"name":"UNSPECIFIED_COMPARTMENT_ID","features":[7]},{"name":"WAIT_TYPE","features":[7]},{"name":"WHServer","features":[7]},{"name":"WNF_STATE_NAME","features":[7]},{"name":"WaitAll","features":[7]},{"name":"WaitAny","features":[7]},{"name":"WaitDequeue","features":[7]},{"name":"WaitDpc","features":[7]},{"name":"WaitNotification","features":[7]}],"577":[{"name":"AddDllDirectory","features":[183]},{"name":"BeginUpdateResourceA","features":[1,183]},{"name":"BeginUpdateResourceW","features":[1,183]},{"name":"CURRENT_IMPORT_REDIRECTION_VERSION","features":[183]},{"name":"DONT_RESOLVE_DLL_REFERENCES","features":[183]},{"name":"DisableThreadLibraryCalls","features":[1,183]},{"name":"ENUMRESLANGPROCA","features":[1,183]},{"name":"ENUMRESLANGPROCW","features":[1,183]},{"name":"ENUMRESNAMEPROCA","features":[1,183]},{"name":"ENUMRESNAMEPROCW","features":[1,183]},{"name":"ENUMRESTYPEPROCA","features":[1,183]},{"name":"ENUMRESTYPEPROCW","features":[1,183]},{"name":"ENUMUILANG","features":[183]},{"name":"EndUpdateResourceA","features":[1,183]},{"name":"EndUpdateResourceW","features":[1,183]},{"name":"EnumResourceLanguagesA","features":[1,183]},{"name":"EnumResourceLanguagesExA","features":[1,183]},{"name":"EnumResourceLanguagesExW","features":[1,183]},{"name":"EnumResourceLanguagesW","features":[1,183]},{"name":"EnumResourceNamesA","features":[1,183]},{"name":"EnumResourceNamesExA","features":[1,183]},{"name":"EnumResourceNamesExW","features":[1,183]},{"name":"EnumResourceNamesW","features":[1,183]},{"name":"EnumResourceTypesA","features":[1,183]},{"name":"EnumResourceTypesExA","features":[1,183]},{"name":"EnumResourceTypesExW","features":[1,183]},{"name":"EnumResourceTypesW","features":[1,183]},{"name":"FIND_RESOURCE_DIRECTORY_LANGUAGES","features":[183]},{"name":"FIND_RESOURCE_DIRECTORY_NAMES","features":[183]},{"name":"FIND_RESOURCE_DIRECTORY_TYPES","features":[183]},{"name":"FindResourceA","features":[1,183]},{"name":"FindResourceExA","features":[1,183]},{"name":"FindResourceExW","features":[1,183]},{"name":"FindResourceW","features":[1,183]},{"name":"FreeLibraryAndExitThread","features":[1,183]},{"name":"FreeResource","features":[1,183]},{"name":"GET_MODULE_HANDLE_EX_FLAG_FROM_ADDRESS","features":[183]},{"name":"GET_MODULE_HANDLE_EX_FLAG_PIN","features":[183]},{"name":"GET_MODULE_HANDLE_EX_FLAG_UNCHANGED_REFCOUNT","features":[183]},{"name":"GetDllDirectoryA","features":[183]},{"name":"GetDllDirectoryW","features":[183]},{"name":"GetModuleFileNameA","features":[1,183]},{"name":"GetModuleFileNameW","features":[1,183]},{"name":"GetModuleHandleA","features":[1,183]},{"name":"GetModuleHandleExA","features":[1,183]},{"name":"GetModuleHandleExW","features":[1,183]},{"name":"GetModuleHandleW","features":[1,183]},{"name":"GetProcAddress","features":[1,183]},{"name":"LOAD_IGNORE_CODE_AUTHZ_LEVEL","features":[183]},{"name":"LOAD_LIBRARY_AS_DATAFILE","features":[183]},{"name":"LOAD_LIBRARY_AS_DATAFILE_EXCLUSIVE","features":[183]},{"name":"LOAD_LIBRARY_AS_IMAGE_RESOURCE","features":[183]},{"name":"LOAD_LIBRARY_FLAGS","features":[183]},{"name":"LOAD_LIBRARY_OS_INTEGRITY_CONTINUITY","features":[183]},{"name":"LOAD_LIBRARY_REQUIRE_SIGNED_TARGET","features":[183]},{"name":"LOAD_LIBRARY_SAFE_CURRENT_DIRS","features":[183]},{"name":"LOAD_LIBRARY_SEARCH_APPLICATION_DIR","features":[183]},{"name":"LOAD_LIBRARY_SEARCH_DEFAULT_DIRS","features":[183]},{"name":"LOAD_LIBRARY_SEARCH_DLL_LOAD_DIR","features":[183]},{"name":"LOAD_LIBRARY_SEARCH_SYSTEM32","features":[183]},{"name":"LOAD_LIBRARY_SEARCH_SYSTEM32_NO_FORWARDER","features":[183]},{"name":"LOAD_LIBRARY_SEARCH_USER_DIRS","features":[183]},{"name":"LOAD_WITH_ALTERED_SEARCH_PATH","features":[183]},{"name":"LoadLibraryA","features":[1,183]},{"name":"LoadLibraryExA","features":[1,183]},{"name":"LoadLibraryExW","features":[1,183]},{"name":"LoadLibraryW","features":[1,183]},{"name":"LoadModule","features":[183]},{"name":"LoadPackagedLibrary","features":[1,183]},{"name":"LoadResource","features":[1,183]},{"name":"LockResource","features":[1,183]},{"name":"PGET_MODULE_HANDLE_EXA","features":[1,183]},{"name":"PGET_MODULE_HANDLE_EXW","features":[1,183]},{"name":"REDIRECTION_DESCRIPTOR","features":[183]},{"name":"REDIRECTION_FUNCTION_DESCRIPTOR","features":[183]},{"name":"RESOURCE_ENUM_LN","features":[183]},{"name":"RESOURCE_ENUM_MODULE_EXACT","features":[183]},{"name":"RESOURCE_ENUM_MUI","features":[183]},{"name":"RESOURCE_ENUM_MUI_SYSTEM","features":[183]},{"name":"RESOURCE_ENUM_VALIDATE","features":[183]},{"name":"RemoveDllDirectory","features":[1,183]},{"name":"SUPPORT_LANG_NUMBER","features":[183]},{"name":"SetDefaultDllDirectories","features":[1,183]},{"name":"SetDllDirectoryA","features":[1,183]},{"name":"SetDllDirectoryW","features":[1,183]},{"name":"SizeofResource","features":[1,183]},{"name":"UpdateResourceA","features":[1,183]},{"name":"UpdateResourceW","features":[1,183]}],"578":[{"name":"CreateMailslotA","features":[1,4,184]},{"name":"CreateMailslotW","features":[1,4,184]},{"name":"GetMailslotInfo","features":[1,184]},{"name":"SetMailslotInfo","features":[1,184]}],"579":[{"name":"LPMAPIADDRESS","features":[185]},{"name":"LPMAPIDELETEMAIL","features":[185]},{"name":"LPMAPIDETAILS","features":[185]},{"name":"LPMAPIFINDNEXT","features":[185]},{"name":"LPMAPIFREEBUFFER","features":[185]},{"name":"LPMAPILOGOFF","features":[185]},{"name":"LPMAPILOGON","features":[185]},{"name":"LPMAPIREADMAIL","features":[185]},{"name":"LPMAPIRESOLVENAME","features":[185]},{"name":"LPMAPISAVEMAIL","features":[185]},{"name":"LPMAPISENDDOCUMENTS","features":[185]},{"name":"LPMAPISENDMAIL","features":[185]},{"name":"LPMAPISENDMAILW","features":[185]},{"name":"MAPIFreeBuffer","features":[185]},{"name":"MAPI_AB_NOMODIFY","features":[185]},{"name":"MAPI_BCC","features":[185]},{"name":"MAPI_BODY_AS_FILE","features":[185]},{"name":"MAPI_CC","features":[185]},{"name":"MAPI_DIALOG","features":[185]},{"name":"MAPI_ENVELOPE_ONLY","features":[185]},{"name":"MAPI_EXTENDED","features":[185]},{"name":"MAPI_E_ACCESS_DENIED","features":[185]},{"name":"MAPI_E_AMBIGUOUS_RECIPIENT","features":[185]},{"name":"MAPI_E_AMBIG_RECIP","features":[185]},{"name":"MAPI_E_ATTACHMENT_NOT_FOUND","features":[185]},{"name":"MAPI_E_ATTACHMENT_OPEN_FAILURE","features":[185]},{"name":"MAPI_E_ATTACHMENT_TOO_LARGE","features":[185]},{"name":"MAPI_E_ATTACHMENT_WRITE_FAILURE","features":[185]},{"name":"MAPI_E_BAD_RECIPTYPE","features":[185]},{"name":"MAPI_E_DISK_FULL","features":[185]},{"name":"MAPI_E_FAILURE","features":[185]},{"name":"MAPI_E_INSUFFICIENT_MEMORY","features":[185]},{"name":"MAPI_E_INVALID_EDITFIELDS","features":[185]},{"name":"MAPI_E_INVALID_MESSAGE","features":[185]},{"name":"MAPI_E_INVALID_RECIPS","features":[185]},{"name":"MAPI_E_INVALID_SESSION","features":[185]},{"name":"MAPI_E_LOGIN_FAILURE","features":[185]},{"name":"MAPI_E_LOGON_FAILURE","features":[185]},{"name":"MAPI_E_MESSAGE_IN_USE","features":[185]},{"name":"MAPI_E_NETWORK_FAILURE","features":[185]},{"name":"MAPI_E_NOT_SUPPORTED","features":[185]},{"name":"MAPI_E_NO_MESSAGES","features":[185]},{"name":"MAPI_E_TEXT_TOO_LARGE","features":[185]},{"name":"MAPI_E_TOO_MANY_FILES","features":[185]},{"name":"MAPI_E_TOO_MANY_RECIPIENTS","features":[185]},{"name":"MAPI_E_TOO_MANY_SESSIONS","features":[185]},{"name":"MAPI_E_TYPE_NOT_SUPPORTED","features":[185]},{"name":"MAPI_E_UNICODE_NOT_SUPPORTED","features":[185]},{"name":"MAPI_E_UNKNOWN_RECIPIENT","features":[185]},{"name":"MAPI_E_USER_ABORT","features":[185]},{"name":"MAPI_FORCE_DOWNLOAD","features":[185]},{"name":"MAPI_FORCE_UNICODE","features":[185]},{"name":"MAPI_GUARANTEE_FIFO","features":[185]},{"name":"MAPI_LOGON_UI","features":[185]},{"name":"MAPI_LONG_MSGID","features":[185]},{"name":"MAPI_NEW_SESSION","features":[185]},{"name":"MAPI_OLE","features":[185]},{"name":"MAPI_OLE_STATIC","features":[185]},{"name":"MAPI_ORIG","features":[185]},{"name":"MAPI_PASSWORD_UI","features":[185]},{"name":"MAPI_PEEK","features":[185]},{"name":"MAPI_RECEIPT_REQUESTED","features":[185]},{"name":"MAPI_SENT","features":[185]},{"name":"MAPI_SUPPRESS_ATTACH","features":[185]},{"name":"MAPI_TO","features":[185]},{"name":"MAPI_UNREAD","features":[185]},{"name":"MAPI_UNREAD_ONLY","features":[185]},{"name":"MAPI_USER_ABORT","features":[185]},{"name":"MapiFileDesc","features":[185]},{"name":"MapiFileDescW","features":[185]},{"name":"MapiFileTagExt","features":[185]},{"name":"MapiMessage","features":[185]},{"name":"MapiMessageW","features":[185]},{"name":"MapiRecipDesc","features":[185]},{"name":"MapiRecipDescW","features":[185]},{"name":"SUCCESS_SUCCESS","features":[185]}],"580":[{"name":"AddSecureMemoryCacheCallback","features":[1,20]},{"name":"AllocateUserPhysicalPages","features":[1,20]},{"name":"AllocateUserPhysicalPages2","features":[1,20]},{"name":"AllocateUserPhysicalPagesNuma","features":[1,20]},{"name":"AtlThunkData_t","features":[20]},{"name":"CFG_CALL_TARGET_INFO","features":[20]},{"name":"CreateFileMapping2","features":[1,4,20]},{"name":"CreateFileMappingA","features":[1,4,20]},{"name":"CreateFileMappingFromApp","features":[1,4,20]},{"name":"CreateFileMappingNumaA","features":[1,4,20]},{"name":"CreateFileMappingNumaW","features":[1,4,20]},{"name":"CreateFileMappingW","features":[1,4,20]},{"name":"CreateMemoryResourceNotification","features":[1,20]},{"name":"DiscardVirtualMemory","features":[20]},{"name":"FILE_CACHE_MAX_HARD_DISABLE","features":[20]},{"name":"FILE_CACHE_MAX_HARD_ENABLE","features":[20]},{"name":"FILE_CACHE_MIN_HARD_DISABLE","features":[20]},{"name":"FILE_CACHE_MIN_HARD_ENABLE","features":[20]},{"name":"FILE_MAP","features":[20]},{"name":"FILE_MAP_ALL_ACCESS","features":[20]},{"name":"FILE_MAP_COPY","features":[20]},{"name":"FILE_MAP_EXECUTE","features":[20]},{"name":"FILE_MAP_LARGE_PAGES","features":[20]},{"name":"FILE_MAP_READ","features":[20]},{"name":"FILE_MAP_RESERVE","features":[20]},{"name":"FILE_MAP_TARGETS_INVALID","features":[20]},{"name":"FILE_MAP_WRITE","features":[20]},{"name":"FlushViewOfFile","features":[1,20]},{"name":"FreeUserPhysicalPages","features":[1,20]},{"name":"GHND","features":[20]},{"name":"GLOBAL_ALLOC_FLAGS","features":[20]},{"name":"GMEM_FIXED","features":[20]},{"name":"GMEM_MOVEABLE","features":[20]},{"name":"GMEM_ZEROINIT","features":[20]},{"name":"GPTR","features":[20]},{"name":"GetLargePageMinimum","features":[20]},{"name":"GetMemoryErrorHandlingCapabilities","features":[1,20]},{"name":"GetProcessHeap","features":[1,20]},{"name":"GetProcessHeaps","features":[1,20]},{"name":"GetProcessWorkingSetSizeEx","features":[1,20]},{"name":"GetSystemFileCacheSize","features":[1,20]},{"name":"GetWriteWatch","features":[20]},{"name":"GlobalAlloc","features":[1,20]},{"name":"GlobalFlags","features":[1,20]},{"name":"GlobalHandle","features":[1,20]},{"name":"GlobalLock","features":[1,20]},{"name":"GlobalReAlloc","features":[1,20]},{"name":"GlobalSize","features":[1,20]},{"name":"GlobalUnlock","features":[1,20]},{"name":"HEAP_CREATE_ALIGN_16","features":[20]},{"name":"HEAP_CREATE_ENABLE_EXECUTE","features":[20]},{"name":"HEAP_CREATE_ENABLE_TRACING","features":[20]},{"name":"HEAP_CREATE_HARDENED","features":[20]},{"name":"HEAP_CREATE_SEGMENT_HEAP","features":[20]},{"name":"HEAP_DISABLE_COALESCE_ON_FREE","features":[20]},{"name":"HEAP_FLAGS","features":[20]},{"name":"HEAP_FREE_CHECKING_ENABLED","features":[20]},{"name":"HEAP_GENERATE_EXCEPTIONS","features":[20]},{"name":"HEAP_GROWABLE","features":[20]},{"name":"HEAP_INFORMATION_CLASS","features":[20]},{"name":"HEAP_MAXIMUM_TAG","features":[20]},{"name":"HEAP_NONE","features":[20]},{"name":"HEAP_NO_SERIALIZE","features":[20]},{"name":"HEAP_PSEUDO_TAG_FLAG","features":[20]},{"name":"HEAP_REALLOC_IN_PLACE_ONLY","features":[20]},{"name":"HEAP_SUMMARY","features":[20]},{"name":"HEAP_TAG_SHIFT","features":[20]},{"name":"HEAP_TAIL_CHECKING_ENABLED","features":[20]},{"name":"HEAP_ZERO_MEMORY","features":[20]},{"name":"HeapAlloc","features":[1,20]},{"name":"HeapCompact","features":[1,20]},{"name":"HeapCompatibilityInformation","features":[20]},{"name":"HeapCreate","features":[1,20]},{"name":"HeapDestroy","features":[1,20]},{"name":"HeapEnableTerminationOnCorruption","features":[20]},{"name":"HeapFree","features":[1,20]},{"name":"HeapLock","features":[1,20]},{"name":"HeapOptimizeResources","features":[20]},{"name":"HeapQueryInformation","features":[1,20]},{"name":"HeapReAlloc","features":[1,20]},{"name":"HeapSetInformation","features":[1,20]},{"name":"HeapSize","features":[1,20]},{"name":"HeapSummary","features":[1,20]},{"name":"HeapTag","features":[20]},{"name":"HeapUnlock","features":[1,20]},{"name":"HeapValidate","features":[1,20]},{"name":"HeapWalk","features":[1,20]},{"name":"HighMemoryResourceNotification","features":[20]},{"name":"IsBadCodePtr","features":[1,20]},{"name":"IsBadReadPtr","features":[1,20]},{"name":"IsBadStringPtrA","features":[1,20]},{"name":"IsBadStringPtrW","features":[1,20]},{"name":"IsBadWritePtr","features":[1,20]},{"name":"LHND","features":[20]},{"name":"LMEM_FIXED","features":[20]},{"name":"LMEM_MOVEABLE","features":[20]},{"name":"LMEM_ZEROINIT","features":[20]},{"name":"LOCAL_ALLOC_FLAGS","features":[20]},{"name":"LPTR","features":[20]},{"name":"LocalAlloc","features":[1,20]},{"name":"LocalFlags","features":[1,20]},{"name":"LocalHandle","features":[1,20]},{"name":"LocalLock","features":[1,20]},{"name":"LocalReAlloc","features":[1,20]},{"name":"LocalSize","features":[1,20]},{"name":"LocalUnlock","features":[1,20]},{"name":"LowMemoryResourceNotification","features":[20]},{"name":"MEHC_PATROL_SCRUBBER_PRESENT","features":[20]},{"name":"MEMORY_BASIC_INFORMATION","features":[20]},{"name":"MEMORY_BASIC_INFORMATION","features":[20]},{"name":"MEMORY_BASIC_INFORMATION32","features":[20]},{"name":"MEMORY_BASIC_INFORMATION64","features":[20]},{"name":"MEMORY_MAPPED_VIEW_ADDRESS","features":[20]},{"name":"MEMORY_PARTITION_DEDICATED_MEMORY_ATTRIBUTE","features":[20]},{"name":"MEMORY_PARTITION_DEDICATED_MEMORY_INFORMATION","features":[20]},{"name":"MEMORY_RESOURCE_NOTIFICATION_TYPE","features":[20]},{"name":"MEM_ADDRESS_REQUIREMENTS","features":[20]},{"name":"MEM_COMMIT","features":[20]},{"name":"MEM_DECOMMIT","features":[20]},{"name":"MEM_DEDICATED_ATTRIBUTE_TYPE","features":[20]},{"name":"MEM_EXTENDED_PARAMETER","features":[1,20]},{"name":"MEM_EXTENDED_PARAMETER_TYPE","features":[20]},{"name":"MEM_FREE","features":[20]},{"name":"MEM_IMAGE","features":[20]},{"name":"MEM_LARGE_PAGES","features":[20]},{"name":"MEM_MAPPED","features":[20]},{"name":"MEM_PRESERVE_PLACEHOLDER","features":[20]},{"name":"MEM_PRIVATE","features":[20]},{"name":"MEM_RELEASE","features":[20]},{"name":"MEM_REPLACE_PLACEHOLDER","features":[20]},{"name":"MEM_RESERVE","features":[20]},{"name":"MEM_RESERVE_PLACEHOLDER","features":[20]},{"name":"MEM_RESET","features":[20]},{"name":"MEM_RESET_UNDO","features":[20]},{"name":"MEM_SECTION_EXTENDED_PARAMETER_TYPE","features":[20]},{"name":"MEM_UNMAP_NONE","features":[20]},{"name":"MEM_UNMAP_WITH_TRANSIENT_BOOST","features":[20]},{"name":"MapUserPhysicalPages","features":[1,20]},{"name":"MapUserPhysicalPagesScatter","features":[1,20]},{"name":"MapViewOfFile","features":[1,20]},{"name":"MapViewOfFile3","features":[1,20]},{"name":"MapViewOfFile3FromApp","features":[1,20]},{"name":"MapViewOfFileEx","features":[1,20]},{"name":"MapViewOfFileExNuma","features":[1,20]},{"name":"MapViewOfFileFromApp","features":[1,20]},{"name":"MapViewOfFileNuma2","features":[1,20]},{"name":"MemDedicatedAttributeMax","features":[20]},{"name":"MemDedicatedAttributeReadBandwidth","features":[20]},{"name":"MemDedicatedAttributeReadLatency","features":[20]},{"name":"MemDedicatedAttributeWriteBandwidth","features":[20]},{"name":"MemDedicatedAttributeWriteLatency","features":[20]},{"name":"MemExtendedParameterAddressRequirements","features":[20]},{"name":"MemExtendedParameterAttributeFlags","features":[20]},{"name":"MemExtendedParameterImageMachine","features":[20]},{"name":"MemExtendedParameterInvalidType","features":[20]},{"name":"MemExtendedParameterMax","features":[20]},{"name":"MemExtendedParameterNumaNode","features":[20]},{"name":"MemExtendedParameterPartitionHandle","features":[20]},{"name":"MemExtendedParameterUserPhysicalHandle","features":[20]},{"name":"MemSectionExtendedParameterInvalidType","features":[20]},{"name":"MemSectionExtendedParameterMax","features":[20]},{"name":"MemSectionExtendedParameterNumaNode","features":[20]},{"name":"MemSectionExtendedParameterSigningLevel","features":[20]},{"name":"MemSectionExtendedParameterUserPhysicalFlags","features":[20]},{"name":"MemoryPartitionDedicatedMemoryInfo","features":[20]},{"name":"MemoryPartitionInfo","features":[20]},{"name":"MemoryRegionInfo","features":[20]},{"name":"NONZEROLHND","features":[20]},{"name":"NONZEROLPTR","features":[20]},{"name":"OFFER_PRIORITY","features":[20]},{"name":"OfferVirtualMemory","features":[20]},{"name":"OpenDedicatedMemoryPartition","features":[1,20]},{"name":"OpenFileMappingA","features":[1,20]},{"name":"OpenFileMappingFromApp","features":[1,20]},{"name":"OpenFileMappingW","features":[1,20]},{"name":"PAGE_ENCLAVE_DECOMMIT","features":[20]},{"name":"PAGE_ENCLAVE_MASK","features":[20]},{"name":"PAGE_ENCLAVE_SS_FIRST","features":[20]},{"name":"PAGE_ENCLAVE_SS_REST","features":[20]},{"name":"PAGE_ENCLAVE_THREAD_CONTROL","features":[20]},{"name":"PAGE_ENCLAVE_UNVALIDATED","features":[20]},{"name":"PAGE_EXECUTE","features":[20]},{"name":"PAGE_EXECUTE_READ","features":[20]},{"name":"PAGE_EXECUTE_READWRITE","features":[20]},{"name":"PAGE_EXECUTE_WRITECOPY","features":[20]},{"name":"PAGE_GRAPHICS_COHERENT","features":[20]},{"name":"PAGE_GRAPHICS_EXECUTE","features":[20]},{"name":"PAGE_GRAPHICS_EXECUTE_READ","features":[20]},{"name":"PAGE_GRAPHICS_EXECUTE_READWRITE","features":[20]},{"name":"PAGE_GRAPHICS_NOACCESS","features":[20]},{"name":"PAGE_GRAPHICS_NOCACHE","features":[20]},{"name":"PAGE_GRAPHICS_READONLY","features":[20]},{"name":"PAGE_GRAPHICS_READWRITE","features":[20]},{"name":"PAGE_GUARD","features":[20]},{"name":"PAGE_NOACCESS","features":[20]},{"name":"PAGE_NOCACHE","features":[20]},{"name":"PAGE_PROTECTION_FLAGS","features":[20]},{"name":"PAGE_READONLY","features":[20]},{"name":"PAGE_READWRITE","features":[20]},{"name":"PAGE_REVERT_TO_FILE_MAP","features":[20]},{"name":"PAGE_TARGETS_INVALID","features":[20]},{"name":"PAGE_TARGETS_NO_UPDATE","features":[20]},{"name":"PAGE_TYPE","features":[20]},{"name":"PAGE_WRITECOMBINE","features":[20]},{"name":"PAGE_WRITECOPY","features":[20]},{"name":"PBAD_MEMORY_CALLBACK_ROUTINE","features":[20]},{"name":"PROCESS_HEAP_ENTRY","features":[1,20]},{"name":"PSECURE_MEMORY_CACHE_CALLBACK","features":[1,20]},{"name":"PrefetchVirtualMemory","features":[1,20]},{"name":"QUOTA_LIMITS_HARDWS_MAX_DISABLE","features":[20]},{"name":"QUOTA_LIMITS_HARDWS_MAX_ENABLE","features":[20]},{"name":"QUOTA_LIMITS_HARDWS_MIN_DISABLE","features":[20]},{"name":"QUOTA_LIMITS_HARDWS_MIN_ENABLE","features":[20]},{"name":"QueryMemoryResourceNotification","features":[1,20]},{"name":"QueryPartitionInformation","features":[1,20]},{"name":"QueryVirtualMemoryInformation","features":[1,20]},{"name":"ReclaimVirtualMemory","features":[20]},{"name":"RegisterBadMemoryNotification","features":[20]},{"name":"RemoveSecureMemoryCacheCallback","features":[1,20]},{"name":"ResetWriteWatch","features":[20]},{"name":"RtlCompareMemory","features":[20]},{"name":"RtlCrc32","features":[20]},{"name":"RtlCrc64","features":[20]},{"name":"RtlIsZeroMemory","features":[1,20]},{"name":"SECTION_ALL_ACCESS","features":[20]},{"name":"SECTION_EXTEND_SIZE","features":[20]},{"name":"SECTION_FLAGS","features":[20]},{"name":"SECTION_MAP_EXECUTE","features":[20]},{"name":"SECTION_MAP_EXECUTE_EXPLICIT","features":[20]},{"name":"SECTION_MAP_READ","features":[20]},{"name":"SECTION_MAP_WRITE","features":[20]},{"name":"SECTION_QUERY","features":[20]},{"name":"SEC_64K_PAGES","features":[20]},{"name":"SEC_COMMIT","features":[20]},{"name":"SEC_FILE","features":[20]},{"name":"SEC_IMAGE","features":[20]},{"name":"SEC_IMAGE_NO_EXECUTE","features":[20]},{"name":"SEC_LARGE_PAGES","features":[20]},{"name":"SEC_NOCACHE","features":[20]},{"name":"SEC_PARTITION_OWNER_HANDLE","features":[20]},{"name":"SEC_PROTECTED_IMAGE","features":[20]},{"name":"SEC_RESERVE","features":[20]},{"name":"SEC_WRITECOMBINE","features":[20]},{"name":"SETPROCESSWORKINGSETSIZEEX_FLAGS","features":[20]},{"name":"SetProcessValidCallTargets","features":[1,20]},{"name":"SetProcessValidCallTargetsForMappedView","features":[1,20]},{"name":"SetProcessWorkingSetSizeEx","features":[1,20]},{"name":"SetSystemFileCacheSize","features":[1,20]},{"name":"UNMAP_VIEW_OF_FILE_FLAGS","features":[20]},{"name":"UnmapViewOfFile","features":[1,20]},{"name":"UnmapViewOfFile2","features":[1,20]},{"name":"UnmapViewOfFileEx","features":[1,20]},{"name":"UnregisterBadMemoryNotification","features":[1,20]},{"name":"VIRTUAL_ALLOCATION_TYPE","features":[20]},{"name":"VIRTUAL_FREE_TYPE","features":[20]},{"name":"VirtualAlloc","features":[20]},{"name":"VirtualAlloc2","features":[1,20]},{"name":"VirtualAlloc2FromApp","features":[1,20]},{"name":"VirtualAllocEx","features":[1,20]},{"name":"VirtualAllocExNuma","features":[1,20]},{"name":"VirtualAllocFromApp","features":[20]},{"name":"VirtualFree","features":[1,20]},{"name":"VirtualFreeEx","features":[1,20]},{"name":"VirtualLock","features":[1,20]},{"name":"VirtualProtect","features":[1,20]},{"name":"VirtualProtectEx","features":[1,20]},{"name":"VirtualProtectFromApp","features":[1,20]},{"name":"VirtualQuery","features":[20]},{"name":"VirtualQueryEx","features":[1,20]},{"name":"VirtualUnlock","features":[1,20]},{"name":"VirtualUnlockEx","features":[1,20]},{"name":"VmOfferPriorityBelowNormal","features":[20]},{"name":"VmOfferPriorityLow","features":[20]},{"name":"VmOfferPriorityNormal","features":[20]},{"name":"VmOfferPriorityVeryLow","features":[20]},{"name":"WIN32_MEMORY_INFORMATION_CLASS","features":[20]},{"name":"WIN32_MEMORY_PARTITION_INFORMATION","features":[20]},{"name":"WIN32_MEMORY_PARTITION_INFORMATION_CLASS","features":[20]},{"name":"WIN32_MEMORY_RANGE_ENTRY","features":[20]},{"name":"WIN32_MEMORY_REGION_INFORMATION","features":[20]}],"581":[{"name":"NV_MEMORY_RANGE","features":[186]},{"name":"RtlDrainNonVolatileFlush","features":[186]},{"name":"RtlFillNonVolatileMemory","features":[186]},{"name":"RtlFlushNonVolatileMemory","features":[186]},{"name":"RtlFlushNonVolatileMemoryRanges","features":[186]},{"name":"RtlFreeNonVolatileToken","features":[186]},{"name":"RtlGetNonVolatileToken","features":[186]},{"name":"RtlWriteNonVolatileMemory","features":[186]}],"582":[{"name":"DEFAULT_M_ACKNOWLEDGE","features":[187]},{"name":"DEFAULT_M_APPSPECIFIC","features":[187]},{"name":"DEFAULT_M_AUTH_LEVEL","features":[187]},{"name":"DEFAULT_M_DELIVERY","features":[187]},{"name":"DEFAULT_M_JOURNAL","features":[187]},{"name":"DEFAULT_M_LOOKUPID","features":[187]},{"name":"DEFAULT_M_PRIORITY","features":[187]},{"name":"DEFAULT_M_PRIV_LEVEL","features":[187]},{"name":"DEFAULT_M_SENDERID_TYPE","features":[187]},{"name":"DEFAULT_Q_AUTHENTICATE","features":[187]},{"name":"DEFAULT_Q_BASEPRIORITY","features":[187]},{"name":"DEFAULT_Q_JOURNAL","features":[187]},{"name":"DEFAULT_Q_JOURNAL_QUOTA","features":[187]},{"name":"DEFAULT_Q_PRIV_LEVEL","features":[187]},{"name":"DEFAULT_Q_QUOTA","features":[187]},{"name":"DEFAULT_Q_TRANSACTION","features":[187]},{"name":"FOREIGN_STATUS","features":[187]},{"name":"IMSMQApplication","features":[187]},{"name":"IMSMQApplication2","features":[187]},{"name":"IMSMQApplication3","features":[187]},{"name":"IMSMQCollection","features":[187]},{"name":"IMSMQCoordinatedTransactionDispenser","features":[187]},{"name":"IMSMQCoordinatedTransactionDispenser2","features":[187]},{"name":"IMSMQCoordinatedTransactionDispenser3","features":[187]},{"name":"IMSMQDestination","features":[187]},{"name":"IMSMQEvent","features":[187]},{"name":"IMSMQEvent2","features":[187]},{"name":"IMSMQEvent3","features":[187]},{"name":"IMSMQManagement","features":[187]},{"name":"IMSMQMessage","features":[187]},{"name":"IMSMQMessage2","features":[187]},{"name":"IMSMQMessage3","features":[187]},{"name":"IMSMQMessage4","features":[187]},{"name":"IMSMQOutgoingQueueManagement","features":[187]},{"name":"IMSMQPrivateDestination","features":[187]},{"name":"IMSMQPrivateEvent","features":[187]},{"name":"IMSMQQuery","features":[187]},{"name":"IMSMQQuery2","features":[187]},{"name":"IMSMQQuery3","features":[187]},{"name":"IMSMQQuery4","features":[187]},{"name":"IMSMQQueue","features":[187]},{"name":"IMSMQQueue2","features":[187]},{"name":"IMSMQQueue3","features":[187]},{"name":"IMSMQQueue4","features":[187]},{"name":"IMSMQQueueInfo","features":[187]},{"name":"IMSMQQueueInfo2","features":[187]},{"name":"IMSMQQueueInfo3","features":[187]},{"name":"IMSMQQueueInfo4","features":[187]},{"name":"IMSMQQueueInfos","features":[187]},{"name":"IMSMQQueueInfos2","features":[187]},{"name":"IMSMQQueueInfos3","features":[187]},{"name":"IMSMQQueueInfos4","features":[187]},{"name":"IMSMQQueueManagement","features":[187]},{"name":"IMSMQTransaction","features":[187]},{"name":"IMSMQTransaction2","features":[187]},{"name":"IMSMQTransaction3","features":[187]},{"name":"IMSMQTransactionDispenser","features":[187]},{"name":"IMSMQTransactionDispenser2","features":[187]},{"name":"IMSMQTransactionDispenser3","features":[187]},{"name":"LONG_LIVED","features":[187]},{"name":"MACHINE_ACTION_CONNECT","features":[187]},{"name":"MACHINE_ACTION_DISCONNECT","features":[187]},{"name":"MACHINE_ACTION_TIDY","features":[187]},{"name":"MGMT_QUEUE_CORRECT_TYPE","features":[187]},{"name":"MGMT_QUEUE_FOREIGN_TYPE","features":[187]},{"name":"MGMT_QUEUE_INCORRECT_TYPE","features":[187]},{"name":"MGMT_QUEUE_LOCAL_LOCATION","features":[187]},{"name":"MGMT_QUEUE_NOT_FOREIGN_TYPE","features":[187]},{"name":"MGMT_QUEUE_NOT_TRANSACTIONAL_TYPE","features":[187]},{"name":"MGMT_QUEUE_REMOTE_LOCATION","features":[187]},{"name":"MGMT_QUEUE_STATE_CONNECTED","features":[187]},{"name":"MGMT_QUEUE_STATE_DISCONNECTED","features":[187]},{"name":"MGMT_QUEUE_STATE_DISCONNECTING","features":[187]},{"name":"MGMT_QUEUE_STATE_LOCAL","features":[187]},{"name":"MGMT_QUEUE_STATE_LOCKED","features":[187]},{"name":"MGMT_QUEUE_STATE_NEED_VALIDATE","features":[187]},{"name":"MGMT_QUEUE_STATE_NONACTIVE","features":[187]},{"name":"MGMT_QUEUE_STATE_ONHOLD","features":[187]},{"name":"MGMT_QUEUE_STATE_WAITING","features":[187]},{"name":"MGMT_QUEUE_TRANSACTIONAL_TYPE","features":[187]},{"name":"MGMT_QUEUE_TYPE_CONNECTOR","features":[187]},{"name":"MGMT_QUEUE_TYPE_MACHINE","features":[187]},{"name":"MGMT_QUEUE_TYPE_MULTICAST","features":[187]},{"name":"MGMT_QUEUE_TYPE_PRIVATE","features":[187]},{"name":"MGMT_QUEUE_TYPE_PUBLIC","features":[187]},{"name":"MGMT_QUEUE_UNKNOWN_TYPE","features":[187]},{"name":"MO_MACHINE_TOKEN","features":[187]},{"name":"MO_QUEUE_TOKEN","features":[187]},{"name":"MQACCESS","features":[187]},{"name":"MQADsPathToFormatName","features":[187]},{"name":"MQAUTHENTICATE","features":[187]},{"name":"MQBeginTransaction","features":[187]},{"name":"MQCALG","features":[187]},{"name":"MQCERT_REGISTER","features":[187]},{"name":"MQCERT_REGISTER_ALWAYS","features":[187]},{"name":"MQCERT_REGISTER_IF_NOT_EXIST","features":[187]},{"name":"MQCOLUMNSET","features":[187]},{"name":"MQCONN_BIND_SOCKET_FAILURE","features":[187]},{"name":"MQCONN_CONNECT_SOCKET_FAILURE","features":[187]},{"name":"MQCONN_CREATE_SOCKET_FAILURE","features":[187]},{"name":"MQCONN_ESTABLISH_PACKET_RECEIVED","features":[187]},{"name":"MQCONN_INVALID_SERVER_CERT","features":[187]},{"name":"MQCONN_LIMIT_REACHED","features":[187]},{"name":"MQCONN_NAME_RESOLUTION_FAILURE","features":[187]},{"name":"MQCONN_NOFAILURE","features":[187]},{"name":"MQCONN_NOT_READY","features":[187]},{"name":"MQCONN_OUT_OF_MEMORY","features":[187]},{"name":"MQCONN_PING_FAILURE","features":[187]},{"name":"MQCONN_READY","features":[187]},{"name":"MQCONN_REFUSED_BY_OTHER_SIDE","features":[187]},{"name":"MQCONN_ROUTING_FAILURE","features":[187]},{"name":"MQCONN_SEND_FAILURE","features":[187]},{"name":"MQCONN_TCP_NOT_ENABLED","features":[187]},{"name":"MQCONN_UNKNOWN_FAILURE","features":[187]},{"name":"MQCloseCursor","features":[1,187]},{"name":"MQCloseQueue","features":[187]},{"name":"MQConnectionState","features":[187]},{"name":"MQCreateCursor","features":[1,187]},{"name":"MQCreateQueue","features":[1,4,63,187,42]},{"name":"MQDEFAULT","features":[187]},{"name":"MQDeleteQueue","features":[187]},{"name":"MQERROR","features":[187]},{"name":"MQFreeMemory","features":[187]},{"name":"MQFreeSecurityContext","features":[1,187]},{"name":"MQGetMachineProperties","features":[1,63,187,42]},{"name":"MQGetOverlappedResult","features":[1,6,187]},{"name":"MQGetPrivateComputerInformation","features":[1,63,187,42]},{"name":"MQGetQueueProperties","features":[1,63,187,42]},{"name":"MQGetQueueSecurity","features":[4,187]},{"name":"MQGetSecurityContext","features":[1,187]},{"name":"MQGetSecurityContextEx","features":[1,187]},{"name":"MQHandleToFormatName","features":[187]},{"name":"MQInstanceToFormatName","features":[187]},{"name":"MQJOURNAL","features":[187]},{"name":"MQLocateBegin","features":[1,63,187,42]},{"name":"MQLocateEnd","features":[1,187]},{"name":"MQLocateNext","features":[1,63,187,42]},{"name":"MQMAX","features":[187]},{"name":"MQMGMTPROPS","features":[1,63,187,42]},{"name":"MQMSGACKNOWLEDGEMENT","features":[187]},{"name":"MQMSGAUTHENTICATION","features":[187]},{"name":"MQMSGAUTHLEVEL","features":[187]},{"name":"MQMSGCLASS","features":[187]},{"name":"MQMSGCURSOR","features":[187]},{"name":"MQMSGDELIVERY","features":[187]},{"name":"MQMSGIDSIZE","features":[187]},{"name":"MQMSGJOURNAL","features":[187]},{"name":"MQMSGMAX","features":[187]},{"name":"MQMSGPRIVLEVEL","features":[187]},{"name":"MQMSGPROPS","features":[1,63,187,42]},{"name":"MQMSGSENDERIDTYPE","features":[187]},{"name":"MQMSGTRACE","features":[187]},{"name":"MQMSG_ACKNOWLEDGMENT_FULL_REACH_QUEUE","features":[187]},{"name":"MQMSG_ACKNOWLEDGMENT_FULL_RECEIVE","features":[187]},{"name":"MQMSG_ACKNOWLEDGMENT_NACK_REACH_QUEUE","features":[187]},{"name":"MQMSG_ACKNOWLEDGMENT_NACK_RECEIVE","features":[187]},{"name":"MQMSG_ACKNOWLEDGMENT_NEG_ARRIVAL","features":[187]},{"name":"MQMSG_ACKNOWLEDGMENT_NEG_RECEIVE","features":[187]},{"name":"MQMSG_ACKNOWLEDGMENT_NONE","features":[187]},{"name":"MQMSG_ACKNOWLEDGMENT_POS_ARRIVAL","features":[187]},{"name":"MQMSG_ACKNOWLEDGMENT_POS_RECEIVE","features":[187]},{"name":"MQMSG_AUTHENTICATED_QM_MESSAGE","features":[187]},{"name":"MQMSG_AUTHENTICATED_SIG10","features":[187]},{"name":"MQMSG_AUTHENTICATED_SIG20","features":[187]},{"name":"MQMSG_AUTHENTICATED_SIG30","features":[187]},{"name":"MQMSG_AUTHENTICATED_SIGXML","features":[187]},{"name":"MQMSG_AUTHENTICATION_NOT_REQUESTED","features":[187]},{"name":"MQMSG_AUTHENTICATION_REQUESTED","features":[187]},{"name":"MQMSG_AUTHENTICATION_REQUESTED_EX","features":[187]},{"name":"MQMSG_AUTH_LEVEL_ALWAYS","features":[187]},{"name":"MQMSG_AUTH_LEVEL_MSMQ10","features":[187]},{"name":"MQMSG_AUTH_LEVEL_MSMQ20","features":[187]},{"name":"MQMSG_AUTH_LEVEL_NONE","features":[187]},{"name":"MQMSG_AUTH_LEVEL_SIG10","features":[187]},{"name":"MQMSG_AUTH_LEVEL_SIG20","features":[187]},{"name":"MQMSG_AUTH_LEVEL_SIG30","features":[187]},{"name":"MQMSG_CALG_DES","features":[187]},{"name":"MQMSG_CALG_DSS_SIGN","features":[187]},{"name":"MQMSG_CALG_MAC","features":[187]},{"name":"MQMSG_CALG_MD2","features":[187]},{"name":"MQMSG_CALG_MD4","features":[187]},{"name":"MQMSG_CALG_MD5","features":[187]},{"name":"MQMSG_CALG_RC2","features":[187]},{"name":"MQMSG_CALG_RC4","features":[187]},{"name":"MQMSG_CALG_RSA_KEYX","features":[187]},{"name":"MQMSG_CALG_RSA_SIGN","features":[187]},{"name":"MQMSG_CALG_SEAL","features":[187]},{"name":"MQMSG_CALG_SHA","features":[187]},{"name":"MQMSG_CALG_SHA1","features":[187]},{"name":"MQMSG_CLASS_ACK_REACH_QUEUE","features":[187]},{"name":"MQMSG_CLASS_ACK_RECEIVE","features":[187]},{"name":"MQMSG_CLASS_NACK_ACCESS_DENIED","features":[187]},{"name":"MQMSG_CLASS_NACK_BAD_DST_Q","features":[187]},{"name":"MQMSG_CLASS_NACK_BAD_ENCRYPTION","features":[187]},{"name":"MQMSG_CLASS_NACK_BAD_SIGNATURE","features":[187]},{"name":"MQMSG_CLASS_NACK_COULD_NOT_ENCRYPT","features":[187]},{"name":"MQMSG_CLASS_NACK_HOP_COUNT_EXCEEDED","features":[187]},{"name":"MQMSG_CLASS_NACK_NOT_TRANSACTIONAL_MSG","features":[187]},{"name":"MQMSG_CLASS_NACK_NOT_TRANSACTIONAL_Q","features":[187]},{"name":"MQMSG_CLASS_NACK_PURGED","features":[187]},{"name":"MQMSG_CLASS_NACK_Q_DELETED","features":[187]},{"name":"MQMSG_CLASS_NACK_Q_EXCEED_QUOTA","features":[187]},{"name":"MQMSG_CLASS_NACK_Q_PURGED","features":[187]},{"name":"MQMSG_CLASS_NACK_REACH_QUEUE_TIMEOUT","features":[187]},{"name":"MQMSG_CLASS_NACK_RECEIVE_TIMEOUT","features":[187]},{"name":"MQMSG_CLASS_NACK_RECEIVE_TIMEOUT_AT_SENDER","features":[187]},{"name":"MQMSG_CLASS_NACK_SOURCE_COMPUTER_GUID_CHANGED","features":[187]},{"name":"MQMSG_CLASS_NACK_UNSUPPORTED_CRYPTO_PROVIDER","features":[187]},{"name":"MQMSG_CLASS_NORMAL","features":[187]},{"name":"MQMSG_CLASS_REPORT","features":[187]},{"name":"MQMSG_CORRELATIONID_SIZE","features":[187]},{"name":"MQMSG_CURRENT","features":[187]},{"name":"MQMSG_DEADLETTER","features":[187]},{"name":"MQMSG_DELIVERY_EXPRESS","features":[187]},{"name":"MQMSG_DELIVERY_RECOVERABLE","features":[187]},{"name":"MQMSG_FIRST","features":[187]},{"name":"MQMSG_FIRST_IN_XACT","features":[187]},{"name":"MQMSG_JOURNAL","features":[187]},{"name":"MQMSG_JOURNAL_NONE","features":[187]},{"name":"MQMSG_LAST_IN_XACT","features":[187]},{"name":"MQMSG_MSGID_SIZE","features":[187]},{"name":"MQMSG_NEXT","features":[187]},{"name":"MQMSG_NOT_FIRST_IN_XACT","features":[187]},{"name":"MQMSG_NOT_LAST_IN_XACT","features":[187]},{"name":"MQMSG_PRIV_LEVEL_BODY_AES","features":[187]},{"name":"MQMSG_PRIV_LEVEL_BODY_BASE","features":[187]},{"name":"MQMSG_PRIV_LEVEL_BODY_ENHANCED","features":[187]},{"name":"MQMSG_PRIV_LEVEL_NONE","features":[187]},{"name":"MQMSG_SENDERID_TYPE_NONE","features":[187]},{"name":"MQMSG_SENDERID_TYPE_SID","features":[187]},{"name":"MQMSG_SEND_ROUTE_TO_REPORT_QUEUE","features":[187]},{"name":"MQMSG_TRACE_NONE","features":[187]},{"name":"MQMSG_XACTID_SIZE","features":[187]},{"name":"MQMarkMessageRejected","features":[1,187]},{"name":"MQMgmtAction","features":[187]},{"name":"MQMgmtGetInfo","features":[1,63,187,42]},{"name":"MQMoveMessage","features":[187]},{"name":"MQOpenQueue","features":[187]},{"name":"MQPRIORITY","features":[187]},{"name":"MQPRIVATEPROPS","features":[1,63,187,42]},{"name":"MQPRIVLEVEL","features":[187]},{"name":"MQPROPERTYRESTRICTION","features":[1,63,187,42]},{"name":"MQPathNameToFormatName","features":[187]},{"name":"MQPurgeQueue","features":[187]},{"name":"MQQMPROPS","features":[1,63,187,42]},{"name":"MQQUEUEACCESSMASK","features":[187]},{"name":"MQQUEUEPROPS","features":[1,63,187,42]},{"name":"MQRESTRICTION","features":[1,63,187,42]},{"name":"MQReceiveMessage","features":[1,63,6,187,42]},{"name":"MQReceiveMessageByLookupId","features":[1,63,6,187,42]},{"name":"MQRegisterCertificate","features":[187]},{"name":"MQSEC_CHANGE_QUEUE_PERMISSIONS","features":[187]},{"name":"MQSEC_DELETE_JOURNAL_MESSAGE","features":[187]},{"name":"MQSEC_DELETE_MESSAGE","features":[187]},{"name":"MQSEC_DELETE_QUEUE","features":[187]},{"name":"MQSEC_GET_QUEUE_PERMISSIONS","features":[187]},{"name":"MQSEC_GET_QUEUE_PROPERTIES","features":[187]},{"name":"MQSEC_PEEK_MESSAGE","features":[187]},{"name":"MQSEC_QUEUE_GENERIC_ALL","features":[187]},{"name":"MQSEC_QUEUE_GENERIC_EXECUTE","features":[187]},{"name":"MQSEC_QUEUE_GENERIC_READ","features":[187]},{"name":"MQSEC_QUEUE_GENERIC_WRITE","features":[187]},{"name":"MQSEC_RECEIVE_JOURNAL_MESSAGE","features":[187]},{"name":"MQSEC_RECEIVE_MESSAGE","features":[187]},{"name":"MQSEC_SET_QUEUE_PROPERTIES","features":[187]},{"name":"MQSEC_TAKE_QUEUE_OWNERSHIP","features":[187]},{"name":"MQSEC_WRITE_MESSAGE","features":[187]},{"name":"MQSHARE","features":[187]},{"name":"MQSORTKEY","features":[187]},{"name":"MQSORTSET","features":[187]},{"name":"MQSendMessage","features":[1,63,187,42]},{"name":"MQSetQueueProperties","features":[1,63,187,42]},{"name":"MQSetQueueSecurity","features":[4,187]},{"name":"MQTRANSACTION","features":[187]},{"name":"MQTRANSACTIONAL","features":[187]},{"name":"MQWARNING","features":[187]},{"name":"MQ_ACTION_PEEK_CURRENT","features":[187]},{"name":"MQ_ACTION_PEEK_NEXT","features":[187]},{"name":"MQ_ACTION_RECEIVE","features":[187]},{"name":"MQ_ADMIN_ACCESS","features":[187]},{"name":"MQ_AUTHENTICATE","features":[187]},{"name":"MQ_AUTHENTICATE_NONE","features":[187]},{"name":"MQ_CORRUPTED_QUEUE_WAS_DELETED","features":[187]},{"name":"MQ_DENY_NONE","features":[187]},{"name":"MQ_DENY_RECEIVE_SHARE","features":[187]},{"name":"MQ_ERROR","features":[187]},{"name":"MQ_ERROR_ACCESS_DENIED","features":[187]},{"name":"MQ_ERROR_BAD_SECURITY_CONTEXT","features":[187]},{"name":"MQ_ERROR_BAD_XML_FORMAT","features":[187]},{"name":"MQ_ERROR_BUFFER_OVERFLOW","features":[187]},{"name":"MQ_ERROR_CANNOT_CREATE_CERT_STORE","features":[187]},{"name":"MQ_ERROR_CANNOT_CREATE_HASH_EX","features":[187]},{"name":"MQ_ERROR_CANNOT_CREATE_ON_GC","features":[187]},{"name":"MQ_ERROR_CANNOT_CREATE_PSC_OBJECTS","features":[187]},{"name":"MQ_ERROR_CANNOT_DELETE_PSC_OBJECTS","features":[187]},{"name":"MQ_ERROR_CANNOT_GET_DN","features":[187]},{"name":"MQ_ERROR_CANNOT_GRANT_ADD_GUID","features":[187]},{"name":"MQ_ERROR_CANNOT_HASH_DATA_EX","features":[187]},{"name":"MQ_ERROR_CANNOT_IMPERSONATE_CLIENT","features":[187]},{"name":"MQ_ERROR_CANNOT_JOIN_DOMAIN","features":[187]},{"name":"MQ_ERROR_CANNOT_LOAD_MQAD","features":[187]},{"name":"MQ_ERROR_CANNOT_LOAD_MQDSSRV","features":[187]},{"name":"MQ_ERROR_CANNOT_LOAD_MSMQOCM","features":[187]},{"name":"MQ_ERROR_CANNOT_OPEN_CERT_STORE","features":[187]},{"name":"MQ_ERROR_CANNOT_SET_CRYPTO_SEC_DESCR","features":[187]},{"name":"MQ_ERROR_CANNOT_SIGN_DATA_EX","features":[187]},{"name":"MQ_ERROR_CANNOT_UPDATE_PSC_OBJECTS","features":[187]},{"name":"MQ_ERROR_CANT_CREATE_CERT_STORE","features":[187]},{"name":"MQ_ERROR_CANT_OPEN_CERT_STORE","features":[187]},{"name":"MQ_ERROR_CANT_RESOLVE_SITES","features":[187]},{"name":"MQ_ERROR_CERTIFICATE_NOT_PROVIDED","features":[187]},{"name":"MQ_ERROR_COMPUTER_DOES_NOT_SUPPORT_ENCRYPTION","features":[187]},{"name":"MQ_ERROR_CORRUPTED_INTERNAL_CERTIFICATE","features":[187]},{"name":"MQ_ERROR_CORRUPTED_PERSONAL_CERT_STORE","features":[187]},{"name":"MQ_ERROR_CORRUPTED_SECURITY_DATA","features":[187]},{"name":"MQ_ERROR_COULD_NOT_GET_ACCOUNT_INFO","features":[187]},{"name":"MQ_ERROR_COULD_NOT_GET_USER_SID","features":[187]},{"name":"MQ_ERROR_DELETE_CN_IN_USE","features":[187]},{"name":"MQ_ERROR_DEPEND_WKS_LICENSE_OVERFLOW","features":[187]},{"name":"MQ_ERROR_DS_BIND_ROOT_FOREST","features":[187]},{"name":"MQ_ERROR_DS_ERROR","features":[187]},{"name":"MQ_ERROR_DS_IS_FULL","features":[187]},{"name":"MQ_ERROR_DS_LOCAL_USER","features":[187]},{"name":"MQ_ERROR_DTC_CONNECT","features":[187]},{"name":"MQ_ERROR_ENCRYPTION_PROVIDER_NOT_SUPPORTED","features":[187]},{"name":"MQ_ERROR_FAIL_VERIFY_SIGNATURE_EX","features":[187]},{"name":"MQ_ERROR_FORMATNAME_BUFFER_TOO_SMALL","features":[187]},{"name":"MQ_ERROR_GC_NEEDED","features":[187]},{"name":"MQ_ERROR_GUID_NOT_MATCHING","features":[187]},{"name":"MQ_ERROR_ILLEGAL_CONTEXT","features":[187]},{"name":"MQ_ERROR_ILLEGAL_CURSOR_ACTION","features":[187]},{"name":"MQ_ERROR_ILLEGAL_ENTERPRISE_OPERATION","features":[187]},{"name":"MQ_ERROR_ILLEGAL_FORMATNAME","features":[187]},{"name":"MQ_ERROR_ILLEGAL_MQCOLUMNS","features":[187]},{"name":"MQ_ERROR_ILLEGAL_MQPRIVATEPROPS","features":[187]},{"name":"MQ_ERROR_ILLEGAL_MQQMPROPS","features":[187]},{"name":"MQ_ERROR_ILLEGAL_MQQUEUEPROPS","features":[187]},{"name":"MQ_ERROR_ILLEGAL_OPERATION","features":[187]},{"name":"MQ_ERROR_ILLEGAL_PROPERTY_SIZE","features":[187]},{"name":"MQ_ERROR_ILLEGAL_PROPERTY_VALUE","features":[187]},{"name":"MQ_ERROR_ILLEGAL_PROPERTY_VT","features":[187]},{"name":"MQ_ERROR_ILLEGAL_PROPID","features":[187]},{"name":"MQ_ERROR_ILLEGAL_QUEUE_PATHNAME","features":[187]},{"name":"MQ_ERROR_ILLEGAL_RELATION","features":[187]},{"name":"MQ_ERROR_ILLEGAL_RESTRICTION_PROPID","features":[187]},{"name":"MQ_ERROR_ILLEGAL_SECURITY_DESCRIPTOR","features":[187]},{"name":"MQ_ERROR_ILLEGAL_SORT","features":[187]},{"name":"MQ_ERROR_ILLEGAL_SORT_PROPID","features":[187]},{"name":"MQ_ERROR_ILLEGAL_USER","features":[187]},{"name":"MQ_ERROR_INSUFFICIENT_PROPERTIES","features":[187]},{"name":"MQ_ERROR_INSUFFICIENT_RESOURCES","features":[187]},{"name":"MQ_ERROR_INTERNAL_USER_CERT_EXIST","features":[187]},{"name":"MQ_ERROR_INVALID_CERTIFICATE","features":[187]},{"name":"MQ_ERROR_INVALID_HANDLE","features":[187]},{"name":"MQ_ERROR_INVALID_OWNER","features":[187]},{"name":"MQ_ERROR_INVALID_PARAMETER","features":[187]},{"name":"MQ_ERROR_IO_TIMEOUT","features":[187]},{"name":"MQ_ERROR_LABEL_BUFFER_TOO_SMALL","features":[187]},{"name":"MQ_ERROR_LABEL_TOO_LONG","features":[187]},{"name":"MQ_ERROR_MACHINE_EXISTS","features":[187]},{"name":"MQ_ERROR_MACHINE_NOT_FOUND","features":[187]},{"name":"MQ_ERROR_MESSAGE_ALREADY_RECEIVED","features":[187]},{"name":"MQ_ERROR_MESSAGE_LOCKED_UNDER_TRANSACTION","features":[187]},{"name":"MQ_ERROR_MESSAGE_NOT_AUTHENTICATED","features":[187]},{"name":"MQ_ERROR_MESSAGE_NOT_FOUND","features":[187]},{"name":"MQ_ERROR_MESSAGE_STORAGE_FAILED","features":[187]},{"name":"MQ_ERROR_MISSING_CONNECTOR_TYPE","features":[187]},{"name":"MQ_ERROR_MQIS_READONLY_MODE","features":[187]},{"name":"MQ_ERROR_MQIS_SERVER_EMPTY","features":[187]},{"name":"MQ_ERROR_MULTI_SORT_KEYS","features":[187]},{"name":"MQ_ERROR_NOT_A_CORRECT_OBJECT_CLASS","features":[187]},{"name":"MQ_ERROR_NOT_SUPPORTED_BY_DEPENDENT_CLIENTS","features":[187]},{"name":"MQ_ERROR_NO_DS","features":[187]},{"name":"MQ_ERROR_NO_ENTRY_POINT_MSMQOCM","features":[187]},{"name":"MQ_ERROR_NO_GC_IN_DOMAIN","features":[187]},{"name":"MQ_ERROR_NO_INTERNAL_USER_CERT","features":[187]},{"name":"MQ_ERROR_NO_MQUSER_OU","features":[187]},{"name":"MQ_ERROR_NO_MSMQ_SERVERS_ON_DC","features":[187]},{"name":"MQ_ERROR_NO_MSMQ_SERVERS_ON_GC","features":[187]},{"name":"MQ_ERROR_NO_RESPONSE_FROM_OBJECT_SERVER","features":[187]},{"name":"MQ_ERROR_OBJECT_SERVER_NOT_AVAILABLE","features":[187]},{"name":"MQ_ERROR_OPERATION_CANCELLED","features":[187]},{"name":"MQ_ERROR_OPERATION_NOT_SUPPORTED_BY_REMOTE_COMPUTER","features":[187]},{"name":"MQ_ERROR_PRIVILEGE_NOT_HELD","features":[187]},{"name":"MQ_ERROR_PROPERTIES_CONFLICT","features":[187]},{"name":"MQ_ERROR_PROPERTY","features":[187]},{"name":"MQ_ERROR_PROPERTY_NOTALLOWED","features":[187]},{"name":"MQ_ERROR_PROV_NAME_BUFFER_TOO_SMALL","features":[187]},{"name":"MQ_ERROR_PUBLIC_KEY_DOES_NOT_EXIST","features":[187]},{"name":"MQ_ERROR_PUBLIC_KEY_NOT_FOUND","features":[187]},{"name":"MQ_ERROR_QUEUE_DELETED","features":[187]},{"name":"MQ_ERROR_QUEUE_EXISTS","features":[187]},{"name":"MQ_ERROR_QUEUE_NOT_ACTIVE","features":[187]},{"name":"MQ_ERROR_QUEUE_NOT_AVAILABLE","features":[187]},{"name":"MQ_ERROR_QUEUE_NOT_FOUND","features":[187]},{"name":"MQ_ERROR_Q_ADS_PROPERTY_NOT_SUPPORTED","features":[187]},{"name":"MQ_ERROR_Q_DNS_PROPERTY_NOT_SUPPORTED","features":[187]},{"name":"MQ_ERROR_REMOTE_MACHINE_NOT_AVAILABLE","features":[187]},{"name":"MQ_ERROR_RESOLVE_ADDRESS","features":[187]},{"name":"MQ_ERROR_RESULT_BUFFER_TOO_SMALL","features":[187]},{"name":"MQ_ERROR_SECURITY_DESCRIPTOR_TOO_SMALL","features":[187]},{"name":"MQ_ERROR_SENDERID_BUFFER_TOO_SMALL","features":[187]},{"name":"MQ_ERROR_SENDER_CERT_BUFFER_TOO_SMALL","features":[187]},{"name":"MQ_ERROR_SERVICE_NOT_AVAILABLE","features":[187]},{"name":"MQ_ERROR_SHARING_VIOLATION","features":[187]},{"name":"MQ_ERROR_SIGNATURE_BUFFER_TOO_SMALL","features":[187]},{"name":"MQ_ERROR_STALE_HANDLE","features":[187]},{"name":"MQ_ERROR_SYMM_KEY_BUFFER_TOO_SMALL","features":[187]},{"name":"MQ_ERROR_TOO_MANY_PROPERTIES","features":[187]},{"name":"MQ_ERROR_TRANSACTION_ENLIST","features":[187]},{"name":"MQ_ERROR_TRANSACTION_IMPORT","features":[187]},{"name":"MQ_ERROR_TRANSACTION_SEQUENCE","features":[187]},{"name":"MQ_ERROR_TRANSACTION_USAGE","features":[187]},{"name":"MQ_ERROR_UNINITIALIZED_OBJECT","features":[187]},{"name":"MQ_ERROR_UNSUPPORTED_ACCESS_MODE","features":[187]},{"name":"MQ_ERROR_UNSUPPORTED_CLASS","features":[187]},{"name":"MQ_ERROR_UNSUPPORTED_FORMATNAME_OPERATION","features":[187]},{"name":"MQ_ERROR_UNSUPPORTED_OPERATION","features":[187]},{"name":"MQ_ERROR_USER_BUFFER_TOO_SMALL","features":[187]},{"name":"MQ_ERROR_WKS_CANT_SERVE_CLIENT","features":[187]},{"name":"MQ_ERROR_WRITE_NOT_ALLOWED","features":[187]},{"name":"MQ_INFORMATION_DUPLICATE_PROPERTY","features":[187]},{"name":"MQ_INFORMATION_FORMATNAME_BUFFER_TOO_SMALL","features":[187]},{"name":"MQ_INFORMATION_ILLEGAL_PROPERTY","features":[187]},{"name":"MQ_INFORMATION_INTERNAL_USER_CERT_EXIST","features":[187]},{"name":"MQ_INFORMATION_OPERATION_PENDING","features":[187]},{"name":"MQ_INFORMATION_OWNER_IGNORED","features":[187]},{"name":"MQ_INFORMATION_PROPERTY","features":[187]},{"name":"MQ_INFORMATION_PROPERTY_IGNORED","features":[187]},{"name":"MQ_INFORMATION_UNSUPPORTED_PROPERTY","features":[187]},{"name":"MQ_JOURNAL","features":[187]},{"name":"MQ_JOURNAL_NONE","features":[187]},{"name":"MQ_LOOKUP_PEEK_CURRENT","features":[187]},{"name":"MQ_LOOKUP_PEEK_FIRST","features":[187]},{"name":"MQ_LOOKUP_PEEK_LAST","features":[187]},{"name":"MQ_LOOKUP_PEEK_NEXT","features":[187]},{"name":"MQ_LOOKUP_PEEK_PREV","features":[187]},{"name":"MQ_LOOKUP_RECEIVE_ALLOW_PEEK","features":[187]},{"name":"MQ_LOOKUP_RECEIVE_CURRENT","features":[187]},{"name":"MQ_LOOKUP_RECEIVE_FIRST","features":[187]},{"name":"MQ_LOOKUP_RECEIVE_LAST","features":[187]},{"name":"MQ_LOOKUP_RECEIVE_NEXT","features":[187]},{"name":"MQ_LOOKUP_RECEIVE_PREV","features":[187]},{"name":"MQ_MAX_MSG_LABEL_LEN","features":[187]},{"name":"MQ_MAX_PRIORITY","features":[187]},{"name":"MQ_MAX_Q_LABEL_LEN","features":[187]},{"name":"MQ_MAX_Q_NAME_LEN","features":[187]},{"name":"MQ_MIN_PRIORITY","features":[187]},{"name":"MQ_MOVE_ACCESS","features":[187]},{"name":"MQ_MTS_TRANSACTION","features":[187]},{"name":"MQ_NO_TRANSACTION","features":[187]},{"name":"MQ_OK","features":[187]},{"name":"MQ_PEEK_ACCESS","features":[187]},{"name":"MQ_PRIV_LEVEL_BODY","features":[187]},{"name":"MQ_PRIV_LEVEL_NONE","features":[187]},{"name":"MQ_PRIV_LEVEL_OPTIONAL","features":[187]},{"name":"MQ_QTYPE_REPORT","features":[187]},{"name":"MQ_QTYPE_TEST","features":[187]},{"name":"MQ_QUEUE_STATE_CONNECTED","features":[187]},{"name":"MQ_QUEUE_STATE_DISCONNECTED","features":[187]},{"name":"MQ_QUEUE_STATE_DISCONNECTING","features":[187]},{"name":"MQ_QUEUE_STATE_LOCAL_CONNECTION","features":[187]},{"name":"MQ_QUEUE_STATE_LOCKED","features":[187]},{"name":"MQ_QUEUE_STATE_NEEDVALIDATE","features":[187]},{"name":"MQ_QUEUE_STATE_NONACTIVE","features":[187]},{"name":"MQ_QUEUE_STATE_ONHOLD","features":[187]},{"name":"MQ_QUEUE_STATE_WAITING","features":[187]},{"name":"MQ_RECEIVE_ACCESS","features":[187]},{"name":"MQ_SEND_ACCESS","features":[187]},{"name":"MQ_SINGLE_MESSAGE","features":[187]},{"name":"MQ_STATUS_FOREIGN","features":[187]},{"name":"MQ_STATUS_NOT_FOREIGN","features":[187]},{"name":"MQ_STATUS_UNKNOWN","features":[187]},{"name":"MQ_TRANSACTIONAL","features":[187]},{"name":"MQ_TRANSACTIONAL_NONE","features":[187]},{"name":"MQ_TYPE_CONNECTOR","features":[187]},{"name":"MQ_TYPE_MACHINE","features":[187]},{"name":"MQ_TYPE_MULTICAST","features":[187]},{"name":"MQ_TYPE_PRIVATE","features":[187]},{"name":"MQ_TYPE_PUBLIC","features":[187]},{"name":"MQ_XACT_STATUS_NOT_XACT","features":[187]},{"name":"MQ_XACT_STATUS_UNKNOWN","features":[187]},{"name":"MQ_XACT_STATUS_XACT","features":[187]},{"name":"MQ_XA_TRANSACTION","features":[187]},{"name":"MSMQApplication","features":[187]},{"name":"MSMQCollection","features":[187]},{"name":"MSMQCoordinatedTransactionDispenser","features":[187]},{"name":"MSMQDestination","features":[187]},{"name":"MSMQEvent","features":[187]},{"name":"MSMQManagement","features":[187]},{"name":"MSMQMessage","features":[187]},{"name":"MSMQOutgoingQueueManagement","features":[187]},{"name":"MSMQQuery","features":[187]},{"name":"MSMQQueue","features":[187]},{"name":"MSMQQueueInfo","features":[187]},{"name":"MSMQQueueInfos","features":[187]},{"name":"MSMQQueueManagement","features":[187]},{"name":"MSMQTransaction","features":[187]},{"name":"MSMQTransactionDispenser","features":[187]},{"name":"MSMQ_CONNECTED","features":[187]},{"name":"MSMQ_DISCONNECTED","features":[187]},{"name":"PMQRECEIVECALLBACK","features":[1,63,6,187,42]},{"name":"PREQ","features":[187]},{"name":"PRGE","features":[187]},{"name":"PRGT","features":[187]},{"name":"PRLE","features":[187]},{"name":"PRLT","features":[187]},{"name":"PRNE","features":[187]},{"name":"PROPID_MGMT_MSMQ_ACTIVEQUEUES","features":[187]},{"name":"PROPID_MGMT_MSMQ_BASE","features":[187]},{"name":"PROPID_MGMT_MSMQ_BYTES_IN_ALL_QUEUES","features":[187]},{"name":"PROPID_MGMT_MSMQ_CONNECTED","features":[187]},{"name":"PROPID_MGMT_MSMQ_DSSERVER","features":[187]},{"name":"PROPID_MGMT_MSMQ_PRIVATEQ","features":[187]},{"name":"PROPID_MGMT_MSMQ_TYPE","features":[187]},{"name":"PROPID_MGMT_QUEUE_BASE","features":[187]},{"name":"PROPID_MGMT_QUEUE_BYTES_IN_JOURNAL","features":[187]},{"name":"PROPID_MGMT_QUEUE_BYTES_IN_QUEUE","features":[187]},{"name":"PROPID_MGMT_QUEUE_CONNECTION_HISTORY","features":[187]},{"name":"PROPID_MGMT_QUEUE_EOD_FIRST_NON_ACK","features":[187]},{"name":"PROPID_MGMT_QUEUE_EOD_LAST_ACK","features":[187]},{"name":"PROPID_MGMT_QUEUE_EOD_LAST_ACK_COUNT","features":[187]},{"name":"PROPID_MGMT_QUEUE_EOD_LAST_ACK_TIME","features":[187]},{"name":"PROPID_MGMT_QUEUE_EOD_LAST_NON_ACK","features":[187]},{"name":"PROPID_MGMT_QUEUE_EOD_NEXT_SEQ","features":[187]},{"name":"PROPID_MGMT_QUEUE_EOD_NO_ACK_COUNT","features":[187]},{"name":"PROPID_MGMT_QUEUE_EOD_NO_READ_COUNT","features":[187]},{"name":"PROPID_MGMT_QUEUE_EOD_RESEND_COUNT","features":[187]},{"name":"PROPID_MGMT_QUEUE_EOD_RESEND_INTERVAL","features":[187]},{"name":"PROPID_MGMT_QUEUE_EOD_RESEND_TIME","features":[187]},{"name":"PROPID_MGMT_QUEUE_EOD_SOURCE_INFO","features":[187]},{"name":"PROPID_MGMT_QUEUE_FOREIGN","features":[187]},{"name":"PROPID_MGMT_QUEUE_FORMATNAME","features":[187]},{"name":"PROPID_MGMT_QUEUE_JOURNAL_MESSAGE_COUNT","features":[187]},{"name":"PROPID_MGMT_QUEUE_JOURNAL_USED_QUOTA","features":[187]},{"name":"PROPID_MGMT_QUEUE_LOCATION","features":[187]},{"name":"PROPID_MGMT_QUEUE_MESSAGE_COUNT","features":[187]},{"name":"PROPID_MGMT_QUEUE_NEXTHOPS","features":[187]},{"name":"PROPID_MGMT_QUEUE_PATHNAME","features":[187]},{"name":"PROPID_MGMT_QUEUE_STATE","features":[187]},{"name":"PROPID_MGMT_QUEUE_SUBQUEUE_COUNT","features":[187]},{"name":"PROPID_MGMT_QUEUE_SUBQUEUE_NAMES","features":[187]},{"name":"PROPID_MGMT_QUEUE_TYPE","features":[187]},{"name":"PROPID_MGMT_QUEUE_USED_QUOTA","features":[187]},{"name":"PROPID_MGMT_QUEUE_XACT","features":[187]},{"name":"PROPID_M_ABORT_COUNT","features":[187]},{"name":"PROPID_M_ACKNOWLEDGE","features":[187]},{"name":"PROPID_M_ADMIN_QUEUE","features":[187]},{"name":"PROPID_M_ADMIN_QUEUE_LEN","features":[187]},{"name":"PROPID_M_APPSPECIFIC","features":[187]},{"name":"PROPID_M_ARRIVEDTIME","features":[187]},{"name":"PROPID_M_AUTHENTICATED","features":[187]},{"name":"PROPID_M_AUTHENTICATED_EX","features":[187]},{"name":"PROPID_M_AUTH_LEVEL","features":[187]},{"name":"PROPID_M_BASE","features":[187]},{"name":"PROPID_M_BODY","features":[187]},{"name":"PROPID_M_BODY_SIZE","features":[187]},{"name":"PROPID_M_BODY_TYPE","features":[187]},{"name":"PROPID_M_CLASS","features":[187]},{"name":"PROPID_M_COMPOUND_MESSAGE","features":[187]},{"name":"PROPID_M_COMPOUND_MESSAGE_SIZE","features":[187]},{"name":"PROPID_M_CONNECTOR_TYPE","features":[187]},{"name":"PROPID_M_CORRELATIONID","features":[187]},{"name":"PROPID_M_CORRELATIONID_SIZE","features":[187]},{"name":"PROPID_M_DEADLETTER_QUEUE","features":[187]},{"name":"PROPID_M_DEADLETTER_QUEUE_LEN","features":[187]},{"name":"PROPID_M_DELIVERY","features":[187]},{"name":"PROPID_M_DEST_FORMAT_NAME","features":[187]},{"name":"PROPID_M_DEST_FORMAT_NAME_LEN","features":[187]},{"name":"PROPID_M_DEST_QUEUE","features":[187]},{"name":"PROPID_M_DEST_QUEUE_LEN","features":[187]},{"name":"PROPID_M_DEST_SYMM_KEY","features":[187]},{"name":"PROPID_M_DEST_SYMM_KEY_LEN","features":[187]},{"name":"PROPID_M_ENCRYPTION_ALG","features":[187]},{"name":"PROPID_M_EXTENSION","features":[187]},{"name":"PROPID_M_EXTENSION_LEN","features":[187]},{"name":"PROPID_M_FIRST_IN_XACT","features":[187]},{"name":"PROPID_M_HASH_ALG","features":[187]},{"name":"PROPID_M_JOURNAL","features":[187]},{"name":"PROPID_M_LABEL","features":[187]},{"name":"PROPID_M_LABEL_LEN","features":[187]},{"name":"PROPID_M_LAST_IN_XACT","features":[187]},{"name":"PROPID_M_LAST_MOVE_TIME","features":[187]},{"name":"PROPID_M_LOOKUPID","features":[187]},{"name":"PROPID_M_MOVE_COUNT","features":[187]},{"name":"PROPID_M_MSGID","features":[187]},{"name":"PROPID_M_MSGID_SIZE","features":[187]},{"name":"PROPID_M_PRIORITY","features":[187]},{"name":"PROPID_M_PRIV_LEVEL","features":[187]},{"name":"PROPID_M_PROV_NAME","features":[187]},{"name":"PROPID_M_PROV_NAME_LEN","features":[187]},{"name":"PROPID_M_PROV_TYPE","features":[187]},{"name":"PROPID_M_RESP_FORMAT_NAME","features":[187]},{"name":"PROPID_M_RESP_FORMAT_NAME_LEN","features":[187]},{"name":"PROPID_M_RESP_QUEUE","features":[187]},{"name":"PROPID_M_RESP_QUEUE_LEN","features":[187]},{"name":"PROPID_M_SECURITY_CONTEXT","features":[187]},{"name":"PROPID_M_SENDERID","features":[187]},{"name":"PROPID_M_SENDERID_LEN","features":[187]},{"name":"PROPID_M_SENDERID_TYPE","features":[187]},{"name":"PROPID_M_SENDER_CERT","features":[187]},{"name":"PROPID_M_SENDER_CERT_LEN","features":[187]},{"name":"PROPID_M_SENTTIME","features":[187]},{"name":"PROPID_M_SIGNATURE","features":[187]},{"name":"PROPID_M_SIGNATURE_LEN","features":[187]},{"name":"PROPID_M_SOAP_BODY","features":[187]},{"name":"PROPID_M_SOAP_ENVELOPE","features":[187]},{"name":"PROPID_M_SOAP_ENVELOPE_LEN","features":[187]},{"name":"PROPID_M_SOAP_HEADER","features":[187]},{"name":"PROPID_M_SRC_MACHINE_ID","features":[187]},{"name":"PROPID_M_TIME_TO_BE_RECEIVED","features":[187]},{"name":"PROPID_M_TIME_TO_REACH_QUEUE","features":[187]},{"name":"PROPID_M_TRACE","features":[187]},{"name":"PROPID_M_VERSION","features":[187]},{"name":"PROPID_M_XACTID","features":[187]},{"name":"PROPID_M_XACTID_SIZE","features":[187]},{"name":"PROPID_M_XACT_STATUS_QUEUE","features":[187]},{"name":"PROPID_M_XACT_STATUS_QUEUE_LEN","features":[187]},{"name":"PROPID_PC_BASE","features":[187]},{"name":"PROPID_PC_DS_ENABLED","features":[187]},{"name":"PROPID_PC_VERSION","features":[187]},{"name":"PROPID_QM_BASE","features":[187]},{"name":"PROPID_QM_CONNECTION","features":[187]},{"name":"PROPID_QM_ENCRYPTION_PK","features":[187]},{"name":"PROPID_QM_ENCRYPTION_PK_AES","features":[187]},{"name":"PROPID_QM_ENCRYPTION_PK_BASE","features":[187]},{"name":"PROPID_QM_ENCRYPTION_PK_ENHANCED","features":[187]},{"name":"PROPID_QM_MACHINE_ID","features":[187]},{"name":"PROPID_QM_PATHNAME","features":[187]},{"name":"PROPID_QM_PATHNAME_DNS","features":[187]},{"name":"PROPID_QM_SITE_ID","features":[187]},{"name":"PROPID_Q_ADS_PATH","features":[187]},{"name":"PROPID_Q_AUTHENTICATE","features":[187]},{"name":"PROPID_Q_BASE","features":[187]},{"name":"PROPID_Q_BASEPRIORITY","features":[187]},{"name":"PROPID_Q_CREATE_TIME","features":[187]},{"name":"PROPID_Q_INSTANCE","features":[187]},{"name":"PROPID_Q_JOURNAL","features":[187]},{"name":"PROPID_Q_JOURNAL_QUOTA","features":[187]},{"name":"PROPID_Q_LABEL","features":[187]},{"name":"PROPID_Q_MODIFY_TIME","features":[187]},{"name":"PROPID_Q_MULTICAST_ADDRESS","features":[187]},{"name":"PROPID_Q_PATHNAME","features":[187]},{"name":"PROPID_Q_PATHNAME_DNS","features":[187]},{"name":"PROPID_Q_PRIV_LEVEL","features":[187]},{"name":"PROPID_Q_QUOTA","features":[187]},{"name":"PROPID_Q_TRANSACTION","features":[187]},{"name":"PROPID_Q_TYPE","features":[187]},{"name":"QUERY_SORTASCEND","features":[187]},{"name":"QUERY_SORTDESCEND","features":[187]},{"name":"QUEUE_ACTION_EOD_RESEND","features":[187]},{"name":"QUEUE_ACTION_PAUSE","features":[187]},{"name":"QUEUE_ACTION_RESUME","features":[187]},{"name":"QUEUE_STATE","features":[187]},{"name":"QUEUE_TYPE","features":[187]},{"name":"RELOPS","features":[187]},{"name":"REL_EQ","features":[187]},{"name":"REL_GE","features":[187]},{"name":"REL_GT","features":[187]},{"name":"REL_LE","features":[187]},{"name":"REL_LT","features":[187]},{"name":"REL_NEQ","features":[187]},{"name":"REL_NOP","features":[187]},{"name":"SEQUENCE_INFO","features":[187]},{"name":"XACT_STATUS","features":[187]},{"name":"_DMSMQEventEvents","features":[187]}],"583":[{"name":"PERCEPTIONFIELD_StateStream_TimeStamps","features":[188]},{"name":"PERCEPTION_PAYLOAD_FIELD","features":[188]},{"name":"PERCEPTION_STATE_STREAM_TIMESTAMPS","features":[188]}],"585":[{"name":"ACTIVATEFLAGS","features":[155]},{"name":"ACTIVATE_WINDOWLESS","features":[155]},{"name":"ACTIVEOBJECT_FLAGS","features":[155]},{"name":"ACTIVEOBJECT_STRONG","features":[155]},{"name":"ACTIVEOBJECT_WEAK","features":[155]},{"name":"ARRAYDESC","features":[41,155,42]},{"name":"BINDSPEED","features":[155]},{"name":"BINDSPEED_IMMEDIATE","features":[155]},{"name":"BINDSPEED_INDEFINITE","features":[155]},{"name":"BINDSPEED_MODERATE","features":[155]},{"name":"BUSY_DIALOG_FLAGS","features":[155]},{"name":"BZ_DISABLECANCELBUTTON","features":[155]},{"name":"BZ_DISABLERETRYBUTTON","features":[155]},{"name":"BZ_DISABLESWITCHTOBUTTON","features":[155]},{"name":"BZ_NOTRESPONDINGDIALOG","features":[155]},{"name":"BstrFromVector","features":[41,155]},{"name":"CADWORD","features":[155]},{"name":"CALPOLESTR","features":[155]},{"name":"CAUUID","features":[155]},{"name":"CF_BITMAP","features":[155]},{"name":"CF_CONVERTONLY","features":[155]},{"name":"CF_DIB","features":[155]},{"name":"CF_DIBV5","features":[155]},{"name":"CF_DIF","features":[155]},{"name":"CF_DISABLEACTIVATEAS","features":[155]},{"name":"CF_DISABLEDISPLAYASICON","features":[155]},{"name":"CF_DSPBITMAP","features":[155]},{"name":"CF_DSPENHMETAFILE","features":[155]},{"name":"CF_DSPMETAFILEPICT","features":[155]},{"name":"CF_DSPTEXT","features":[155]},{"name":"CF_ENHMETAFILE","features":[155]},{"name":"CF_GDIOBJFIRST","features":[155]},{"name":"CF_GDIOBJLAST","features":[155]},{"name":"CF_HDROP","features":[155]},{"name":"CF_HIDECHANGEICON","features":[155]},{"name":"CF_LOCALE","features":[155]},{"name":"CF_MAX","features":[155]},{"name":"CF_METAFILEPICT","features":[155]},{"name":"CF_OEMTEXT","features":[155]},{"name":"CF_OWNERDISPLAY","features":[155]},{"name":"CF_PALETTE","features":[155]},{"name":"CF_PENDATA","features":[155]},{"name":"CF_PRIVATEFIRST","features":[155]},{"name":"CF_PRIVATELAST","features":[155]},{"name":"CF_RIFF","features":[155]},{"name":"CF_SELECTACTIVATEAS","features":[155]},{"name":"CF_SELECTCONVERTTO","features":[155]},{"name":"CF_SETACTIVATEDEFAULT","features":[155]},{"name":"CF_SETCONVERTDEFAULT","features":[155]},{"name":"CF_SHOWHELPBUTTON","features":[155]},{"name":"CF_SYLK","features":[155]},{"name":"CF_TEXT","features":[155]},{"name":"CF_TIFF","features":[155]},{"name":"CF_UNICODETEXT","features":[155]},{"name":"CF_WAVE","features":[155]},{"name":"CHANGEKIND","features":[155]},{"name":"CHANGEKIND_ADDMEMBER","features":[155]},{"name":"CHANGEKIND_CHANGEFAILED","features":[155]},{"name":"CHANGEKIND_DELETEMEMBER","features":[155]},{"name":"CHANGEKIND_GENERAL","features":[155]},{"name":"CHANGEKIND_INVALIDATE","features":[155]},{"name":"CHANGEKIND_MAX","features":[155]},{"name":"CHANGEKIND_SETDOCUMENTATION","features":[155]},{"name":"CHANGEKIND_SETNAMES","features":[155]},{"name":"CHANGE_ICON_FLAGS","features":[155]},{"name":"CHANGE_SOURCE_FLAGS","features":[155]},{"name":"CIF_SELECTCURRENT","features":[155]},{"name":"CIF_SELECTDEFAULT","features":[155]},{"name":"CIF_SELECTFROMFILE","features":[155]},{"name":"CIF_SHOWHELP","features":[155]},{"name":"CIF_USEICONEXE","features":[155]},{"name":"CLEANLOCALSTORAGE","features":[155]},{"name":"CLIPBOARD_FORMAT","features":[155]},{"name":"CLSID_CColorPropPage","features":[155]},{"name":"CLSID_CFontPropPage","features":[155]},{"name":"CLSID_CPicturePropPage","features":[155]},{"name":"CLSID_ConvertVBX","features":[155]},{"name":"CLSID_PersistPropset","features":[155]},{"name":"CLSID_StdFont","features":[155]},{"name":"CLSID_StdPicture","features":[155]},{"name":"CONNECT_E_ADVISELIMIT","features":[155]},{"name":"CONNECT_E_CANNOTCONNECT","features":[155]},{"name":"CONNECT_E_FIRST","features":[155]},{"name":"CONNECT_E_LAST","features":[155]},{"name":"CONNECT_E_NOCONNECTION","features":[155]},{"name":"CONNECT_E_OVERRIDDEN","features":[155]},{"name":"CONNECT_S_FIRST","features":[155]},{"name":"CONNECT_S_LAST","features":[155]},{"name":"CONTROLINFO","features":[155,50]},{"name":"CSF_EXPLORER","features":[155]},{"name":"CSF_ONLYGETSOURCE","features":[155]},{"name":"CSF_SHOWHELP","features":[155]},{"name":"CSF_VALIDSOURCE","features":[155]},{"name":"CTL_E_ILLEGALFUNCTIONCALL","features":[155]},{"name":"CTRLINFO","features":[155]},{"name":"CTRLINFO_EATS_ESCAPE","features":[155]},{"name":"CTRLINFO_EATS_RETURN","features":[155]},{"name":"ClearCustData","features":[1,41,155,42]},{"name":"CreateDispTypeInfo","features":[41,155,42]},{"name":"CreateErrorInfo","features":[155]},{"name":"CreateOleAdviseHolder","features":[155]},{"name":"CreateStdDispatch","features":[155]},{"name":"CreateTypeLib","features":[41,155]},{"name":"CreateTypeLib2","features":[41,155]},{"name":"DD_DEFDRAGDELAY","features":[155]},{"name":"DD_DEFDRAGMINDIST","features":[155]},{"name":"DD_DEFSCROLLDELAY","features":[155]},{"name":"DD_DEFSCROLLINSET","features":[155]},{"name":"DD_DEFSCROLLINTERVAL","features":[155]},{"name":"DISCARDCACHE","features":[155]},{"name":"DISCARDCACHE_NOSAVE","features":[155]},{"name":"DISCARDCACHE_SAVEIFDIRTY","features":[155]},{"name":"DISPATCH_CONSTRUCT","features":[155]},{"name":"DISPID_ABOUTBOX","features":[155]},{"name":"DISPID_ACCELERATOR","features":[155]},{"name":"DISPID_ADDITEM","features":[155]},{"name":"DISPID_AMBIENT_APPEARANCE","features":[155]},{"name":"DISPID_AMBIENT_AUTOCLIP","features":[155]},{"name":"DISPID_AMBIENT_BACKCOLOR","features":[155]},{"name":"DISPID_AMBIENT_CHARSET","features":[155]},{"name":"DISPID_AMBIENT_CODEPAGE","features":[155]},{"name":"DISPID_AMBIENT_DISPLAYASDEFAULT","features":[155]},{"name":"DISPID_AMBIENT_DISPLAYNAME","features":[155]},{"name":"DISPID_AMBIENT_FONT","features":[155]},{"name":"DISPID_AMBIENT_FORECOLOR","features":[155]},{"name":"DISPID_AMBIENT_LOCALEID","features":[155]},{"name":"DISPID_AMBIENT_MESSAGEREFLECT","features":[155]},{"name":"DISPID_AMBIENT_PALETTE","features":[155]},{"name":"DISPID_AMBIENT_RIGHTTOLEFT","features":[155]},{"name":"DISPID_AMBIENT_SCALEUNITS","features":[155]},{"name":"DISPID_AMBIENT_SHOWGRABHANDLES","features":[155]},{"name":"DISPID_AMBIENT_SHOWHATCHING","features":[155]},{"name":"DISPID_AMBIENT_SUPPORTSMNEMONICS","features":[155]},{"name":"DISPID_AMBIENT_TEXTALIGN","features":[155]},{"name":"DISPID_AMBIENT_TOPTOBOTTOM","features":[155]},{"name":"DISPID_AMBIENT_TRANSFERPRIORITY","features":[155]},{"name":"DISPID_AMBIENT_UIDEAD","features":[155]},{"name":"DISPID_AMBIENT_USERMODE","features":[155]},{"name":"DISPID_APPEARANCE","features":[155]},{"name":"DISPID_AUTOSIZE","features":[155]},{"name":"DISPID_BACKCOLOR","features":[155]},{"name":"DISPID_BACKSTYLE","features":[155]},{"name":"DISPID_BORDERCOLOR","features":[155]},{"name":"DISPID_BORDERSTYLE","features":[155]},{"name":"DISPID_BORDERVISIBLE","features":[155]},{"name":"DISPID_BORDERWIDTH","features":[155]},{"name":"DISPID_CAPTION","features":[155]},{"name":"DISPID_CLEAR","features":[155]},{"name":"DISPID_CLICK","features":[155]},{"name":"DISPID_CLICK_VALUE","features":[155]},{"name":"DISPID_COLLECT","features":[155]},{"name":"DISPID_COLUMN","features":[155]},{"name":"DISPID_CONSTRUCTOR","features":[155]},{"name":"DISPID_DBLCLICK","features":[155]},{"name":"DISPID_DESTRUCTOR","features":[155]},{"name":"DISPID_DISPLAYSTYLE","features":[155]},{"name":"DISPID_DOCLICK","features":[155]},{"name":"DISPID_DRAWMODE","features":[155]},{"name":"DISPID_DRAWSTYLE","features":[155]},{"name":"DISPID_DRAWWIDTH","features":[155]},{"name":"DISPID_Delete","features":[155]},{"name":"DISPID_ENABLED","features":[155]},{"name":"DISPID_ENTERKEYBEHAVIOR","features":[155]},{"name":"DISPID_ERROREVENT","features":[155]},{"name":"DISPID_EVALUATE","features":[155]},{"name":"DISPID_FILLCOLOR","features":[155]},{"name":"DISPID_FILLSTYLE","features":[155]},{"name":"DISPID_FONT","features":[155]},{"name":"DISPID_FONT_BOLD","features":[155]},{"name":"DISPID_FONT_CHANGED","features":[155]},{"name":"DISPID_FONT_CHARSET","features":[155]},{"name":"DISPID_FONT_ITALIC","features":[155]},{"name":"DISPID_FONT_NAME","features":[155]},{"name":"DISPID_FONT_SIZE","features":[155]},{"name":"DISPID_FONT_STRIKE","features":[155]},{"name":"DISPID_FONT_UNDER","features":[155]},{"name":"DISPID_FONT_WEIGHT","features":[155]},{"name":"DISPID_FORECOLOR","features":[155]},{"name":"DISPID_GROUPNAME","features":[155]},{"name":"DISPID_HWND","features":[155]},{"name":"DISPID_IMEMODE","features":[155]},{"name":"DISPID_KEYDOWN","features":[155]},{"name":"DISPID_KEYPRESS","features":[155]},{"name":"DISPID_KEYUP","features":[155]},{"name":"DISPID_LIST","features":[155]},{"name":"DISPID_LISTCOUNT","features":[155]},{"name":"DISPID_LISTINDEX","features":[155]},{"name":"DISPID_MAXLENGTH","features":[155]},{"name":"DISPID_MOUSEDOWN","features":[155]},{"name":"DISPID_MOUSEICON","features":[155]},{"name":"DISPID_MOUSEMOVE","features":[155]},{"name":"DISPID_MOUSEPOINTER","features":[155]},{"name":"DISPID_MOUSEUP","features":[155]},{"name":"DISPID_MULTILINE","features":[155]},{"name":"DISPID_MULTISELECT","features":[155]},{"name":"DISPID_NEWENUM","features":[155]},{"name":"DISPID_NUMBEROFCOLUMNS","features":[155]},{"name":"DISPID_NUMBEROFROWS","features":[155]},{"name":"DISPID_Name","features":[155]},{"name":"DISPID_Object","features":[155]},{"name":"DISPID_PASSWORDCHAR","features":[155]},{"name":"DISPID_PICTURE","features":[155]},{"name":"DISPID_PICT_HANDLE","features":[155]},{"name":"DISPID_PICT_HEIGHT","features":[155]},{"name":"DISPID_PICT_HPAL","features":[155]},{"name":"DISPID_PICT_RENDER","features":[155]},{"name":"DISPID_PICT_TYPE","features":[155]},{"name":"DISPID_PICT_WIDTH","features":[155]},{"name":"DISPID_PROPERTYPUT","features":[155]},{"name":"DISPID_Parent","features":[155]},{"name":"DISPID_READYSTATE","features":[155]},{"name":"DISPID_READYSTATECHANGE","features":[155]},{"name":"DISPID_REFRESH","features":[155]},{"name":"DISPID_REMOVEITEM","features":[155]},{"name":"DISPID_RIGHTTOLEFT","features":[155]},{"name":"DISPID_SCROLLBARS","features":[155]},{"name":"DISPID_SELECTED","features":[155]},{"name":"DISPID_SELLENGTH","features":[155]},{"name":"DISPID_SELSTART","features":[155]},{"name":"DISPID_SELTEXT","features":[155]},{"name":"DISPID_STARTENUM","features":[155]},{"name":"DISPID_TABKEYBEHAVIOR","features":[155]},{"name":"DISPID_TABSTOP","features":[155]},{"name":"DISPID_TEXT","features":[155]},{"name":"DISPID_THIS","features":[155]},{"name":"DISPID_TOPTOBOTTOM","features":[155]},{"name":"DISPID_UNKNOWN","features":[155]},{"name":"DISPID_VALID","features":[155]},{"name":"DISPID_VALUE","features":[155]},{"name":"DISPID_WORDWRAP","features":[155]},{"name":"DOCMISC","features":[155]},{"name":"DOCMISC_CANCREATEMULTIPLEVIEWS","features":[155]},{"name":"DOCMISC_CANTOPENEDIT","features":[155]},{"name":"DOCMISC_NOFILESUPPORT","features":[155]},{"name":"DOCMISC_SUPPORTCOMPLEXRECTANGLES","features":[155]},{"name":"DROPEFFECT","features":[155]},{"name":"DROPEFFECT_COPY","features":[155]},{"name":"DROPEFFECT_LINK","features":[155]},{"name":"DROPEFFECT_MOVE","features":[155]},{"name":"DROPEFFECT_NONE","features":[155]},{"name":"DROPEFFECT_SCROLL","features":[155]},{"name":"DVASPECTINFO","features":[155]},{"name":"DVASPECTINFOFLAG","features":[155]},{"name":"DVASPECTINFOFLAG_CANOPTIMIZE","features":[155]},{"name":"DVEXTENTINFO","features":[1,155]},{"name":"DVEXTENTMODE","features":[155]},{"name":"DVEXTENT_CONTENT","features":[155]},{"name":"DVEXTENT_INTEGRAL","features":[155]},{"name":"DispCallFunc","features":[1,41,155,42]},{"name":"DispGetIDsOfNames","features":[155]},{"name":"DispGetParam","features":[1,41,155,42]},{"name":"DispInvoke","features":[1,41,155,42]},{"name":"DoDragDrop","features":[155]},{"name":"EDIT_LINKS_FLAGS","features":[155]},{"name":"ELF_DISABLECANCELLINK","features":[155]},{"name":"ELF_DISABLECHANGESOURCE","features":[155]},{"name":"ELF_DISABLEOPENSOURCE","features":[155]},{"name":"ELF_DISABLEUPDATENOW","features":[155]},{"name":"ELF_SHOWHELP","features":[155]},{"name":"EMBDHLP_CREATENOW","features":[155]},{"name":"EMBDHLP_DELAYCREATE","features":[155]},{"name":"EMBDHLP_FLAGS","features":[155]},{"name":"EMBDHLP_INPROC_HANDLER","features":[155]},{"name":"EMBDHLP_INPROC_SERVER","features":[155]},{"name":"ENUM_CONTROLS_WHICH_FLAGS","features":[155]},{"name":"FDEX_PROP_FLAGS","features":[155]},{"name":"FONTDESC","features":[1,41,155]},{"name":"GCW_WCH_SIBLING","features":[155]},{"name":"GC_WCH_ALL","features":[155]},{"name":"GC_WCH_CONTAINED","features":[155]},{"name":"GC_WCH_CONTAINER","features":[155]},{"name":"GC_WCH_FONLYAFTER","features":[155]},{"name":"GC_WCH_FONLYBEFORE","features":[155]},{"name":"GC_WCH_FREVERSEDIR","features":[155]},{"name":"GC_WCH_FSELECTED","features":[155]},{"name":"GC_WCH_SIBLING","features":[155]},{"name":"GUIDKIND","features":[155]},{"name":"GUIDKIND_DEFAULT_SOURCE_DISP_IID","features":[155]},{"name":"GUID_CHECKVALUEEXCLUSIVE","features":[155]},{"name":"GUID_COLOR","features":[155]},{"name":"GUID_FONTBOLD","features":[155]},{"name":"GUID_FONTITALIC","features":[155]},{"name":"GUID_FONTNAME","features":[155]},{"name":"GUID_FONTSIZE","features":[155]},{"name":"GUID_FONTSTRIKETHROUGH","features":[155]},{"name":"GUID_FONTUNDERSCORE","features":[155]},{"name":"GUID_HANDLE","features":[155]},{"name":"GUID_HIMETRIC","features":[155]},{"name":"GUID_OPTIONVALUEEXCLUSIVE","features":[155]},{"name":"GUID_TRISTATE","features":[155]},{"name":"GUID_XPOS","features":[155]},{"name":"GUID_XPOSPIXEL","features":[155]},{"name":"GUID_XSIZE","features":[155]},{"name":"GUID_XSIZEPIXEL","features":[155]},{"name":"GUID_YPOS","features":[155]},{"name":"GUID_YPOSPIXEL","features":[155]},{"name":"GUID_YSIZE","features":[155]},{"name":"GUID_YSIZEPIXEL","features":[155]},{"name":"GetActiveObject","features":[155]},{"name":"GetAltMonthNames","features":[155]},{"name":"GetRecordInfoFromGuids","features":[155]},{"name":"GetRecordInfoFromTypeInfo","features":[155]},{"name":"HITRESULT","features":[155]},{"name":"HITRESULT_CLOSE","features":[155]},{"name":"HITRESULT_HIT","features":[155]},{"name":"HITRESULT_OUTSIDE","features":[155]},{"name":"HITRESULT_TRANSPARENT","features":[155]},{"name":"HRGN_UserFree","features":[12,155]},{"name":"HRGN_UserFree64","features":[12,155]},{"name":"HRGN_UserMarshal","features":[12,155]},{"name":"HRGN_UserMarshal64","features":[12,155]},{"name":"HRGN_UserSize","features":[12,155]},{"name":"HRGN_UserSize64","features":[12,155]},{"name":"HRGN_UserUnmarshal","features":[12,155]},{"name":"HRGN_UserUnmarshal64","features":[12,155]},{"name":"IAdviseSinkEx","features":[155]},{"name":"ICanHandleException","features":[155]},{"name":"IClassFactory2","features":[155]},{"name":"IContinue","features":[155]},{"name":"IContinueCallback","features":[155]},{"name":"ICreateErrorInfo","features":[155]},{"name":"ICreateTypeInfo","features":[155]},{"name":"ICreateTypeInfo2","features":[155]},{"name":"ICreateTypeLib","features":[155]},{"name":"ICreateTypeLib2","features":[155]},{"name":"IDC_BZ_ICON","features":[155]},{"name":"IDC_BZ_MESSAGE1","features":[155]},{"name":"IDC_BZ_RETRY","features":[155]},{"name":"IDC_BZ_SWITCHTO","features":[155]},{"name":"IDC_CI_BROWSE","features":[155]},{"name":"IDC_CI_CURRENT","features":[155]},{"name":"IDC_CI_CURRENTICON","features":[155]},{"name":"IDC_CI_DEFAULT","features":[155]},{"name":"IDC_CI_DEFAULTICON","features":[155]},{"name":"IDC_CI_FROMFILE","features":[155]},{"name":"IDC_CI_FROMFILEEDIT","features":[155]},{"name":"IDC_CI_GROUP","features":[155]},{"name":"IDC_CI_ICONDISPLAY","features":[155]},{"name":"IDC_CI_ICONLIST","features":[155]},{"name":"IDC_CI_LABEL","features":[155]},{"name":"IDC_CI_LABELEDIT","features":[155]},{"name":"IDC_CV_ACTIVATEAS","features":[155]},{"name":"IDC_CV_ACTIVATELIST","features":[155]},{"name":"IDC_CV_CHANGEICON","features":[155]},{"name":"IDC_CV_CONVERTLIST","features":[155]},{"name":"IDC_CV_CONVERTTO","features":[155]},{"name":"IDC_CV_DISPLAYASICON","features":[155]},{"name":"IDC_CV_ICONDISPLAY","features":[155]},{"name":"IDC_CV_OBJECTTYPE","features":[155]},{"name":"IDC_CV_RESULTTEXT","features":[155]},{"name":"IDC_EL_AUTOMATIC","features":[155]},{"name":"IDC_EL_CANCELLINK","features":[155]},{"name":"IDC_EL_CHANGESOURCE","features":[155]},{"name":"IDC_EL_COL1","features":[155]},{"name":"IDC_EL_COL2","features":[155]},{"name":"IDC_EL_COL3","features":[155]},{"name":"IDC_EL_LINKSLISTBOX","features":[155]},{"name":"IDC_EL_LINKSOURCE","features":[155]},{"name":"IDC_EL_LINKTYPE","features":[155]},{"name":"IDC_EL_MANUAL","features":[155]},{"name":"IDC_EL_OPENSOURCE","features":[155]},{"name":"IDC_EL_UPDATENOW","features":[155]},{"name":"IDC_GP_CONVERT","features":[155]},{"name":"IDC_GP_OBJECTICON","features":[155]},{"name":"IDC_GP_OBJECTLOCATION","features":[155]},{"name":"IDC_GP_OBJECTNAME","features":[155]},{"name":"IDC_GP_OBJECTSIZE","features":[155]},{"name":"IDC_GP_OBJECTTYPE","features":[155]},{"name":"IDC_IO_ADDCONTROL","features":[155]},{"name":"IDC_IO_CHANGEICON","features":[155]},{"name":"IDC_IO_CONTROLTYPELIST","features":[155]},{"name":"IDC_IO_CREATEFROMFILE","features":[155]},{"name":"IDC_IO_CREATENEW","features":[155]},{"name":"IDC_IO_DISPLAYASICON","features":[155]},{"name":"IDC_IO_FILE","features":[155]},{"name":"IDC_IO_FILEDISPLAY","features":[155]},{"name":"IDC_IO_FILETEXT","features":[155]},{"name":"IDC_IO_FILETYPE","features":[155]},{"name":"IDC_IO_ICONDISPLAY","features":[155]},{"name":"IDC_IO_INSERTCONTROL","features":[155]},{"name":"IDC_IO_LINKFILE","features":[155]},{"name":"IDC_IO_OBJECTTYPELIST","features":[155]},{"name":"IDC_IO_OBJECTTYPETEXT","features":[155]},{"name":"IDC_IO_RESULTIMAGE","features":[155]},{"name":"IDC_IO_RESULTTEXT","features":[155]},{"name":"IDC_LP_AUTOMATIC","features":[155]},{"name":"IDC_LP_BREAKLINK","features":[155]},{"name":"IDC_LP_CHANGESOURCE","features":[155]},{"name":"IDC_LP_DATE","features":[155]},{"name":"IDC_LP_LINKSOURCE","features":[155]},{"name":"IDC_LP_MANUAL","features":[155]},{"name":"IDC_LP_OPENSOURCE","features":[155]},{"name":"IDC_LP_TIME","features":[155]},{"name":"IDC_LP_UPDATENOW","features":[155]},{"name":"IDC_OLEUIHELP","features":[155]},{"name":"IDC_PS_CHANGEICON","features":[155]},{"name":"IDC_PS_DISPLAYASICON","features":[155]},{"name":"IDC_PS_DISPLAYLIST","features":[155]},{"name":"IDC_PS_ICONDISPLAY","features":[155]},{"name":"IDC_PS_PASTE","features":[155]},{"name":"IDC_PS_PASTELINK","features":[155]},{"name":"IDC_PS_PASTELINKLIST","features":[155]},{"name":"IDC_PS_PASTELIST","features":[155]},{"name":"IDC_PS_RESULTIMAGE","features":[155]},{"name":"IDC_PS_RESULTTEXT","features":[155]},{"name":"IDC_PS_SOURCETEXT","features":[155]},{"name":"IDC_PU_CONVERT","features":[155]},{"name":"IDC_PU_ICON","features":[155]},{"name":"IDC_PU_LINKS","features":[155]},{"name":"IDC_PU_TEXT","features":[155]},{"name":"IDC_UL_METER","features":[155]},{"name":"IDC_UL_PERCENT","features":[155]},{"name":"IDC_UL_PROGRESS","features":[155]},{"name":"IDC_UL_STOP","features":[155]},{"name":"IDC_VP_ASICON","features":[155]},{"name":"IDC_VP_CHANGEICON","features":[155]},{"name":"IDC_VP_EDITABLE","features":[155]},{"name":"IDC_VP_ICONDISPLAY","features":[155]},{"name":"IDC_VP_PERCENT","features":[155]},{"name":"IDC_VP_RELATIVE","features":[155]},{"name":"IDC_VP_RESULTIMAGE","features":[155]},{"name":"IDC_VP_SCALETXT","features":[155]},{"name":"IDC_VP_SPIN","features":[155]},{"name":"IDD_BUSY","features":[155]},{"name":"IDD_CANNOTUPDATELINK","features":[155]},{"name":"IDD_CHANGEICON","features":[155]},{"name":"IDD_CHANGEICONBROWSE","features":[155]},{"name":"IDD_CHANGESOURCE","features":[155]},{"name":"IDD_CHANGESOURCE4","features":[155]},{"name":"IDD_CONVERT","features":[155]},{"name":"IDD_CONVERT4","features":[155]},{"name":"IDD_CONVERTONLY","features":[155]},{"name":"IDD_CONVERTONLY4","features":[155]},{"name":"IDD_EDITLINKS","features":[155]},{"name":"IDD_EDITLINKS4","features":[155]},{"name":"IDD_GNRLPROPS","features":[155]},{"name":"IDD_GNRLPROPS4","features":[155]},{"name":"IDD_INSERTFILEBROWSE","features":[155]},{"name":"IDD_INSERTOBJECT","features":[155]},{"name":"IDD_LINKPROPS","features":[155]},{"name":"IDD_LINKPROPS4","features":[155]},{"name":"IDD_LINKSOURCEUNAVAILABLE","features":[155]},{"name":"IDD_LINKTYPECHANGED","features":[155]},{"name":"IDD_LINKTYPECHANGEDA","features":[155]},{"name":"IDD_LINKTYPECHANGEDW","features":[155]},{"name":"IDD_OUTOFMEMORY","features":[155]},{"name":"IDD_PASTESPECIAL","features":[155]},{"name":"IDD_PASTESPECIAL4","features":[155]},{"name":"IDD_SERVERNOTFOUND","features":[155]},{"name":"IDD_SERVERNOTREG","features":[155]},{"name":"IDD_SERVERNOTREGA","features":[155]},{"name":"IDD_SERVERNOTREGW","features":[155]},{"name":"IDD_UPDATELINKS","features":[155]},{"name":"IDD_VIEWPROPS","features":[155]},{"name":"ID_BROWSE_ADDCONTROL","features":[155]},{"name":"ID_BROWSE_CHANGEICON","features":[155]},{"name":"ID_BROWSE_CHANGESOURCE","features":[155]},{"name":"ID_BROWSE_INSERTFILE","features":[155]},{"name":"ID_DEFAULTINST","features":[155]},{"name":"IDispError","features":[155]},{"name":"IDispatchEx","features":[155]},{"name":"IDropSource","features":[155]},{"name":"IDropSourceNotify","features":[155]},{"name":"IDropTarget","features":[155]},{"name":"IEnterpriseDropTarget","features":[155]},{"name":"IEnumOLEVERB","features":[155]},{"name":"IEnumOleDocumentViews","features":[155]},{"name":"IEnumOleUndoUnits","features":[155]},{"name":"IEnumVARIANT","features":[155]},{"name":"IFont","features":[155]},{"name":"IFontDisp","features":[155]},{"name":"IFontEventsDisp","features":[155]},{"name":"IGNOREMIME","features":[155]},{"name":"IGNOREMIME_PROMPT","features":[155]},{"name":"IGNOREMIME_TEXT","features":[155]},{"name":"IGetOleObject","features":[155]},{"name":"IGetVBAObject","features":[155]},{"name":"INSERT_OBJECT_FLAGS","features":[155]},{"name":"INSTALL_SCOPE_INVALID","features":[155]},{"name":"INSTALL_SCOPE_MACHINE","features":[155]},{"name":"INSTALL_SCOPE_USER","features":[155]},{"name":"INTERFACEDATA","features":[41,155,42]},{"name":"IOF_CHECKDISPLAYASICON","features":[155]},{"name":"IOF_CHECKLINK","features":[155]},{"name":"IOF_CREATEFILEOBJECT","features":[155]},{"name":"IOF_CREATELINKOBJECT","features":[155]},{"name":"IOF_CREATENEWOBJECT","features":[155]},{"name":"IOF_DISABLEDISPLAYASICON","features":[155]},{"name":"IOF_DISABLELINK","features":[155]},{"name":"IOF_HIDECHANGEICON","features":[155]},{"name":"IOF_SELECTCREATECONTROL","features":[155]},{"name":"IOF_SELECTCREATEFROMFILE","features":[155]},{"name":"IOF_SELECTCREATENEW","features":[155]},{"name":"IOF_SHOWHELP","features":[155]},{"name":"IOF_SHOWINSERTCONTROL","features":[155]},{"name":"IOF_VERIFYSERVERSEXIST","features":[155]},{"name":"IObjectIdentity","features":[155]},{"name":"IObjectWithSite","features":[155]},{"name":"IOleAdviseHolder","features":[155]},{"name":"IOleCache","features":[155]},{"name":"IOleCache2","features":[155]},{"name":"IOleCacheControl","features":[155]},{"name":"IOleClientSite","features":[155]},{"name":"IOleCommandTarget","features":[155]},{"name":"IOleContainer","features":[155]},{"name":"IOleControl","features":[155]},{"name":"IOleControlSite","features":[155]},{"name":"IOleDocument","features":[155]},{"name":"IOleDocumentSite","features":[155]},{"name":"IOleDocumentView","features":[155]},{"name":"IOleInPlaceActiveObject","features":[155]},{"name":"IOleInPlaceFrame","features":[155]},{"name":"IOleInPlaceObject","features":[155]},{"name":"IOleInPlaceObjectWindowless","features":[155]},{"name":"IOleInPlaceSite","features":[155]},{"name":"IOleInPlaceSiteEx","features":[155]},{"name":"IOleInPlaceSiteWindowless","features":[155]},{"name":"IOleInPlaceUIWindow","features":[155]},{"name":"IOleItemContainer","features":[155]},{"name":"IOleLink","features":[155]},{"name":"IOleObject","features":[155]},{"name":"IOleParentUndoUnit","features":[155]},{"name":"IOleUILinkContainerA","features":[155]},{"name":"IOleUILinkContainerW","features":[155]},{"name":"IOleUILinkInfoA","features":[155]},{"name":"IOleUILinkInfoW","features":[155]},{"name":"IOleUIObjInfoA","features":[155]},{"name":"IOleUIObjInfoW","features":[155]},{"name":"IOleUndoManager","features":[155]},{"name":"IOleUndoUnit","features":[155]},{"name":"IOleWindow","features":[155]},{"name":"IParseDisplayName","features":[155]},{"name":"IPerPropertyBrowsing","features":[155]},{"name":"IPersistPropertyBag","features":[155]},{"name":"IPersistPropertyBag2","features":[155]},{"name":"IPicture","features":[155]},{"name":"IPicture2","features":[155]},{"name":"IPictureDisp","features":[155]},{"name":"IPointerInactive","features":[155]},{"name":"IPrint","features":[155]},{"name":"IPropertyNotifySink","features":[155]},{"name":"IPropertyPage","features":[155]},{"name":"IPropertyPage2","features":[155]},{"name":"IPropertyPageSite","features":[155]},{"name":"IProtectFocus","features":[155]},{"name":"IProtectedModeMenuServices","features":[155]},{"name":"IProvideClassInfo","features":[155]},{"name":"IProvideClassInfo2","features":[155]},{"name":"IProvideMultipleClassInfo","features":[155]},{"name":"IProvideRuntimeContext","features":[155]},{"name":"IQuickActivate","features":[155]},{"name":"IRecordInfo","features":[155]},{"name":"ISimpleFrameSite","features":[155]},{"name":"ISpecifyPropertyPages","features":[155]},{"name":"ITypeChangeEvents","features":[155]},{"name":"ITypeFactory","features":[155]},{"name":"ITypeMarshal","features":[155]},{"name":"IVBFormat","features":[155]},{"name":"IVBGetControl","features":[155]},{"name":"IVariantChangeType","features":[155]},{"name":"IViewObject","features":[155]},{"name":"IViewObject2","features":[155]},{"name":"IViewObjectEx","features":[155]},{"name":"IZoomEvents","features":[155]},{"name":"IsAccelerator","features":[1,155,50]},{"name":"KEYMODIFIERS","features":[155]},{"name":"KEYMOD_ALT","features":[155]},{"name":"KEYMOD_CONTROL","features":[155]},{"name":"KEYMOD_SHIFT","features":[155]},{"name":"LHashValOfNameSys","features":[41,155]},{"name":"LHashValOfNameSysA","features":[41,155]},{"name":"LIBFLAGS","features":[155]},{"name":"LIBFLAG_FCONTROL","features":[155]},{"name":"LIBFLAG_FHASDISKIMAGE","features":[155]},{"name":"LIBFLAG_FHIDDEN","features":[155]},{"name":"LIBFLAG_FRESTRICTED","features":[155]},{"name":"LICINFO","features":[1,155]},{"name":"LOAD_PICTURE_FLAGS","features":[155]},{"name":"LOAD_TLB_AS_32BIT","features":[155]},{"name":"LOAD_TLB_AS_64BIT","features":[155]},{"name":"LOCALE_USE_NLS","features":[155]},{"name":"LPFNOLEUIHOOK","features":[1,155]},{"name":"LP_COLOR","features":[155]},{"name":"LP_DEFAULT","features":[155]},{"name":"LP_MONOCHROME","features":[155]},{"name":"LP_VGACOLOR","features":[155]},{"name":"LoadRegTypeLib","features":[155]},{"name":"LoadTypeLib","features":[155]},{"name":"LoadTypeLibEx","features":[155]},{"name":"MEDIAPLAYBACK_PAUSE","features":[155]},{"name":"MEDIAPLAYBACK_PAUSE_AND_SUSPEND","features":[155]},{"name":"MEDIAPLAYBACK_RESUME","features":[155]},{"name":"MEDIAPLAYBACK_RESUME_FROM_SUSPEND","features":[155]},{"name":"MEDIAPLAYBACK_STATE","features":[155]},{"name":"MEMBERID_NIL","features":[155]},{"name":"METHODDATA","features":[41,155,42]},{"name":"MK_ALT","features":[155]},{"name":"MSOCMDERR_E_CANCELED","features":[155]},{"name":"MSOCMDERR_E_DISABLED","features":[155]},{"name":"MSOCMDERR_E_FIRST","features":[155]},{"name":"MSOCMDERR_E_NOHELP","features":[155]},{"name":"MSOCMDERR_E_NOTSUPPORTED","features":[155]},{"name":"MSOCMDERR_E_UNKNOWNGROUP","features":[155]},{"name":"MULTICLASSINFO_FLAGS","features":[155]},{"name":"MULTICLASSINFO_GETIIDPRIMARY","features":[155]},{"name":"MULTICLASSINFO_GETIIDSOURCE","features":[155]},{"name":"MULTICLASSINFO_GETNUMRESERVEDDISPIDS","features":[155]},{"name":"MULTICLASSINFO_GETTYPEINFO","features":[155]},{"name":"NUMPARSE","features":[155]},{"name":"NUMPARSE_FLAGS","features":[155]},{"name":"NUMPRS_CURRENCY","features":[155]},{"name":"NUMPRS_DECIMAL","features":[155]},{"name":"NUMPRS_EXPONENT","features":[155]},{"name":"NUMPRS_HEX_OCT","features":[155]},{"name":"NUMPRS_INEXACT","features":[155]},{"name":"NUMPRS_LEADING_MINUS","features":[155]},{"name":"NUMPRS_LEADING_PLUS","features":[155]},{"name":"NUMPRS_LEADING_WHITE","features":[155]},{"name":"NUMPRS_NEG","features":[155]},{"name":"NUMPRS_PARENS","features":[155]},{"name":"NUMPRS_STD","features":[155]},{"name":"NUMPRS_THOUSANDS","features":[155]},{"name":"NUMPRS_TRAILING_MINUS","features":[155]},{"name":"NUMPRS_TRAILING_PLUS","features":[155]},{"name":"NUMPRS_TRAILING_WHITE","features":[155]},{"name":"NUMPRS_USE_ALL","features":[155]},{"name":"OBJECTDESCRIPTOR","features":[1,155]},{"name":"OBJECT_PROPERTIES_FLAGS","features":[155]},{"name":"OCM__BASE","features":[155]},{"name":"OCPFIPARAMS","features":[1,155]},{"name":"OF_GET","features":[155]},{"name":"OF_HANDLER","features":[155]},{"name":"OF_SET","features":[155]},{"name":"OLECLOSE","features":[155]},{"name":"OLECLOSE_NOSAVE","features":[155]},{"name":"OLECLOSE_PROMPTSAVE","features":[155]},{"name":"OLECLOSE_SAVEIFDIRTY","features":[155]},{"name":"OLECMD","features":[155]},{"name":"OLECMDARGINDEX_ACTIVEXINSTALL_CLSID","features":[155]},{"name":"OLECMDARGINDEX_ACTIVEXINSTALL_DISPLAYNAME","features":[155]},{"name":"OLECMDARGINDEX_ACTIVEXINSTALL_INSTALLSCOPE","features":[155]},{"name":"OLECMDARGINDEX_ACTIVEXINSTALL_PUBLISHER","features":[155]},{"name":"OLECMDARGINDEX_ACTIVEXINSTALL_SOURCEURL","features":[155]},{"name":"OLECMDARGINDEX_SHOWPAGEACTIONMENU_HWND","features":[155]},{"name":"OLECMDARGINDEX_SHOWPAGEACTIONMENU_X","features":[155]},{"name":"OLECMDARGINDEX_SHOWPAGEACTIONMENU_Y","features":[155]},{"name":"OLECMDERR_E_CANCELED","features":[155]},{"name":"OLECMDERR_E_DISABLED","features":[155]},{"name":"OLECMDERR_E_FIRST","features":[155]},{"name":"OLECMDERR_E_NOHELP","features":[155]},{"name":"OLECMDERR_E_NOTSUPPORTED","features":[155]},{"name":"OLECMDERR_E_UNKNOWNGROUP","features":[155]},{"name":"OLECMDEXECOPT","features":[155]},{"name":"OLECMDEXECOPT_DODEFAULT","features":[155]},{"name":"OLECMDEXECOPT_DONTPROMPTUSER","features":[155]},{"name":"OLECMDEXECOPT_PROMPTUSER","features":[155]},{"name":"OLECMDEXECOPT_SHOWHELP","features":[155]},{"name":"OLECMDF","features":[155]},{"name":"OLECMDF_DEFHIDEONCTXTMENU","features":[155]},{"name":"OLECMDF_ENABLED","features":[155]},{"name":"OLECMDF_INVISIBLE","features":[155]},{"name":"OLECMDF_LATCHED","features":[155]},{"name":"OLECMDF_NINCHED","features":[155]},{"name":"OLECMDF_SUPPORTED","features":[155]},{"name":"OLECMDID","features":[155]},{"name":"OLECMDIDF_BROWSERSTATE_BLOCKEDVERSION","features":[155]},{"name":"OLECMDIDF_BROWSERSTATE_DESKTOPHTMLDIALOG","features":[155]},{"name":"OLECMDIDF_BROWSERSTATE_EXTENSIONSOFF","features":[155]},{"name":"OLECMDIDF_BROWSERSTATE_IESECURITY","features":[155]},{"name":"OLECMDIDF_BROWSERSTATE_PROTECTEDMODE_OFF","features":[155]},{"name":"OLECMDIDF_BROWSERSTATE_REQUIRESACTIVEX","features":[155]},{"name":"OLECMDIDF_BROWSERSTATE_RESET","features":[155]},{"name":"OLECMDIDF_OPTICAL_ZOOM_NOLAYOUT","features":[155]},{"name":"OLECMDIDF_OPTICAL_ZOOM_NOPERSIST","features":[155]},{"name":"OLECMDIDF_OPTICAL_ZOOM_NOTRANSIENT","features":[155]},{"name":"OLECMDIDF_OPTICAL_ZOOM_RELOADFORNEWTAB","features":[155]},{"name":"OLECMDIDF_PAGEACTION_ACTIVEXDISALLOW","features":[155]},{"name":"OLECMDIDF_PAGEACTION_ACTIVEXINSTALL","features":[155]},{"name":"OLECMDIDF_PAGEACTION_ACTIVEXTRUSTFAIL","features":[155]},{"name":"OLECMDIDF_PAGEACTION_ACTIVEXUNSAFE","features":[155]},{"name":"OLECMDIDF_PAGEACTION_ACTIVEXUSERAPPROVAL","features":[155]},{"name":"OLECMDIDF_PAGEACTION_ACTIVEXUSERDISABLE","features":[155]},{"name":"OLECMDIDF_PAGEACTION_ACTIVEX_EPM_INCOMPATIBLE","features":[155]},{"name":"OLECMDIDF_PAGEACTION_EXTENSION_COMPAT_BLOCKED","features":[155]},{"name":"OLECMDIDF_PAGEACTION_FILEDOWNLOAD","features":[155]},{"name":"OLECMDIDF_PAGEACTION_GENERIC_STATE","features":[155]},{"name":"OLECMDIDF_PAGEACTION_INTRANETZONEREQUEST","features":[155]},{"name":"OLECMDIDF_PAGEACTION_INVALID_CERT","features":[155]},{"name":"OLECMDIDF_PAGEACTION_LOCALMACHINE","features":[155]},{"name":"OLECMDIDF_PAGEACTION_MIMETEXTPLAIN","features":[155]},{"name":"OLECMDIDF_PAGEACTION_MIXEDCONTENT","features":[155]},{"name":"OLECMDIDF_PAGEACTION_NORESETACTIVEX","features":[155]},{"name":"OLECMDIDF_PAGEACTION_POPUPALLOWED","features":[155]},{"name":"OLECMDIDF_PAGEACTION_POPUPWINDOW","features":[155]},{"name":"OLECMDIDF_PAGEACTION_PROTLOCKDOWNDENY","features":[155]},{"name":"OLECMDIDF_PAGEACTION_PROTLOCKDOWNINTERNET","features":[155]},{"name":"OLECMDIDF_PAGEACTION_PROTLOCKDOWNINTRANET","features":[155]},{"name":"OLECMDIDF_PAGEACTION_PROTLOCKDOWNLOCALMACHINE","features":[155]},{"name":"OLECMDIDF_PAGEACTION_PROTLOCKDOWNRESTRICTED","features":[155]},{"name":"OLECMDIDF_PAGEACTION_PROTLOCKDOWNTRUSTED","features":[155]},{"name":"OLECMDIDF_PAGEACTION_RESET","features":[155]},{"name":"OLECMDIDF_PAGEACTION_SCRIPTNAVIGATE","features":[155]},{"name":"OLECMDIDF_PAGEACTION_SCRIPTNAVIGATE_ACTIVEXINSTALL","features":[155]},{"name":"OLECMDIDF_PAGEACTION_SCRIPTNAVIGATE_ACTIVEXUSERAPPROVAL","features":[155]},{"name":"OLECMDIDF_PAGEACTION_SCRIPTPROMPT","features":[155]},{"name":"OLECMDIDF_PAGEACTION_SPOOFABLEIDNHOST","features":[155]},{"name":"OLECMDIDF_PAGEACTION_WPCBLOCKED","features":[155]},{"name":"OLECMDIDF_PAGEACTION_WPCBLOCKED_ACTIVEX","features":[155]},{"name":"OLECMDIDF_PAGEACTION_XSSFILTERED","features":[155]},{"name":"OLECMDIDF_REFRESH_CLEARUSERINPUT","features":[155]},{"name":"OLECMDIDF_REFRESH_COMPLETELY","features":[155]},{"name":"OLECMDIDF_REFRESH_CONTINUE","features":[155]},{"name":"OLECMDIDF_REFRESH_IFEXPIRED","features":[155]},{"name":"OLECMDIDF_REFRESH_LEVELMASK","features":[155]},{"name":"OLECMDIDF_REFRESH_NORMAL","features":[155]},{"name":"OLECMDIDF_REFRESH_NO_CACHE","features":[155]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_ACTIVEXINSTALL","features":[155]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_ALLOW_VERSION","features":[155]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_FILEDOWNLOAD","features":[155]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_INVALID_CERT","features":[155]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_LOCALMACHINE","features":[155]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_MIXEDCONTENT","features":[155]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_POPUPWINDOW","features":[155]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_PROTLOCKDOWNINTERNET","features":[155]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_PROTLOCKDOWNINTRANET","features":[155]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_PROTLOCKDOWNLOCALMACHINE","features":[155]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_PROTLOCKDOWNRESTRICTED","features":[155]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_PROTLOCKDOWNTRUSTED","features":[155]},{"name":"OLECMDIDF_REFRESH_PROMPTIFOFFLINE","features":[155]},{"name":"OLECMDIDF_REFRESH_RELOAD","features":[155]},{"name":"OLECMDIDF_REFRESH_SKIPBEFOREUNLOADEVENT","features":[155]},{"name":"OLECMDIDF_REFRESH_THROUGHSCRIPT","features":[155]},{"name":"OLECMDIDF_VIEWPORTMODE_EXCLUDE_VISUAL_BOTTOM","features":[155]},{"name":"OLECMDIDF_VIEWPORTMODE_EXCLUDE_VISUAL_BOTTOM_VALID","features":[155]},{"name":"OLECMDIDF_VIEWPORTMODE_FIXED_LAYOUT_WIDTH","features":[155]},{"name":"OLECMDIDF_VIEWPORTMODE_FIXED_LAYOUT_WIDTH_VALID","features":[155]},{"name":"OLECMDIDF_WINDOWSTATE_ENABLED","features":[155]},{"name":"OLECMDIDF_WINDOWSTATE_ENABLED_VALID","features":[155]},{"name":"OLECMDIDF_WINDOWSTATE_USERVISIBLE","features":[155]},{"name":"OLECMDIDF_WINDOWSTATE_USERVISIBLE_VALID","features":[155]},{"name":"OLECMDID_ACTIVEXINSTALLSCOPE","features":[155]},{"name":"OLECMDID_ADDTRAVELENTRY","features":[155]},{"name":"OLECMDID_ALLOWUILESSSAVEAS","features":[155]},{"name":"OLECMDID_BROWSERSTATEFLAG","features":[155]},{"name":"OLECMDID_CLEARSELECTION","features":[155]},{"name":"OLECMDID_CLOSE","features":[155]},{"name":"OLECMDID_COPY","features":[155]},{"name":"OLECMDID_CUT","features":[155]},{"name":"OLECMDID_DELETE","features":[155]},{"name":"OLECMDID_DONTDOWNLOADCSS","features":[155]},{"name":"OLECMDID_ENABLE_INTERACTION","features":[155]},{"name":"OLECMDID_ENABLE_VISIBILITY","features":[155]},{"name":"OLECMDID_EXITFULLSCREEN","features":[155]},{"name":"OLECMDID_FIND","features":[155]},{"name":"OLECMDID_FOCUSVIEWCONTROLS","features":[155]},{"name":"OLECMDID_FOCUSVIEWCONTROLSQUERY","features":[155]},{"name":"OLECMDID_GETPRINTTEMPLATE","features":[155]},{"name":"OLECMDID_GETUSERSCALABLE","features":[155]},{"name":"OLECMDID_GETZOOMRANGE","features":[155]},{"name":"OLECMDID_HIDETOOLBARS","features":[155]},{"name":"OLECMDID_HTTPEQUIV","features":[155]},{"name":"OLECMDID_HTTPEQUIV_DONE","features":[155]},{"name":"OLECMDID_LAYOUT_VIEWPORT_WIDTH","features":[155]},{"name":"OLECMDID_MEDIA_PLAYBACK","features":[155]},{"name":"OLECMDID_NEW","features":[155]},{"name":"OLECMDID_ONBEFOREUNLOAD","features":[155]},{"name":"OLECMDID_ONTOOLBARACTIVATED","features":[155]},{"name":"OLECMDID_ONUNLOAD","features":[155]},{"name":"OLECMDID_OPEN","features":[155]},{"name":"OLECMDID_OPTICAL_GETZOOMRANGE","features":[155]},{"name":"OLECMDID_OPTICAL_ZOOM","features":[155]},{"name":"OLECMDID_OPTICAL_ZOOMFLAG","features":[155]},{"name":"OLECMDID_PAGEACTIONBLOCKED","features":[155]},{"name":"OLECMDID_PAGEACTIONFLAG","features":[155]},{"name":"OLECMDID_PAGEACTIONUIQUERY","features":[155]},{"name":"OLECMDID_PAGEAVAILABLE","features":[155]},{"name":"OLECMDID_PAGESETUP","features":[155]},{"name":"OLECMDID_PASTE","features":[155]},{"name":"OLECMDID_PASTESPECIAL","features":[155]},{"name":"OLECMDID_POPSTATEEVENT","features":[155]},{"name":"OLECMDID_PREREFRESH","features":[155]},{"name":"OLECMDID_PRINT","features":[155]},{"name":"OLECMDID_PRINT2","features":[155]},{"name":"OLECMDID_PRINTPREVIEW","features":[155]},{"name":"OLECMDID_PRINTPREVIEW2","features":[155]},{"name":"OLECMDID_PROPERTIES","features":[155]},{"name":"OLECMDID_PROPERTYBAG2","features":[155]},{"name":"OLECMDID_REDO","features":[155]},{"name":"OLECMDID_REFRESH","features":[155]},{"name":"OLECMDID_REFRESHFLAG","features":[155]},{"name":"OLECMDID_SAVE","features":[155]},{"name":"OLECMDID_SAVEAS","features":[155]},{"name":"OLECMDID_SAVECOPYAS","features":[155]},{"name":"OLECMDID_SCROLLCOMPLETE","features":[155]},{"name":"OLECMDID_SELECTALL","features":[155]},{"name":"OLECMDID_SETDOWNLOADSTATE","features":[155]},{"name":"OLECMDID_SETFAVICON","features":[155]},{"name":"OLECMDID_SETPRINTTEMPLATE","features":[155]},{"name":"OLECMDID_SETPROGRESSMAX","features":[155]},{"name":"OLECMDID_SETPROGRESSPOS","features":[155]},{"name":"OLECMDID_SETPROGRESSTEXT","features":[155]},{"name":"OLECMDID_SETTITLE","features":[155]},{"name":"OLECMDID_SET_HOST_FULLSCREENMODE","features":[155]},{"name":"OLECMDID_SHOWFIND","features":[155]},{"name":"OLECMDID_SHOWMESSAGE","features":[155]},{"name":"OLECMDID_SHOWMESSAGE_BLOCKABLE","features":[155]},{"name":"OLECMDID_SHOWPAGEACTIONMENU","features":[155]},{"name":"OLECMDID_SHOWPAGESETUP","features":[155]},{"name":"OLECMDID_SHOWPRINT","features":[155]},{"name":"OLECMDID_SHOWSCRIPTERROR","features":[155]},{"name":"OLECMDID_SHOWTASKDLG","features":[155]},{"name":"OLECMDID_SHOWTASKDLG_BLOCKABLE","features":[155]},{"name":"OLECMDID_SPELL","features":[155]},{"name":"OLECMDID_STOP","features":[155]},{"name":"OLECMDID_STOPDOWNLOAD","features":[155]},{"name":"OLECMDID_UNDO","features":[155]},{"name":"OLECMDID_UPDATEBACKFORWARDSTATE","features":[155]},{"name":"OLECMDID_UPDATECOMMANDS","features":[155]},{"name":"OLECMDID_UPDATEPAGESTATUS","features":[155]},{"name":"OLECMDID_UPDATETRAVELENTRY","features":[155]},{"name":"OLECMDID_UPDATETRAVELENTRY_DATARECOVERY","features":[155]},{"name":"OLECMDID_UPDATE_CARET","features":[155]},{"name":"OLECMDID_USER_OPTICAL_ZOOM","features":[155]},{"name":"OLECMDID_VIEWPORT_MODE","features":[155]},{"name":"OLECMDID_VIEWPORT_MODE_FLAG","features":[155]},{"name":"OLECMDID_VISUAL_VIEWPORT_EXCLUDE_BOTTOM","features":[155]},{"name":"OLECMDID_WINDOWSTATECHANGED","features":[155]},{"name":"OLECMDID_WINDOWSTATE_FLAG","features":[155]},{"name":"OLECMDID_ZOOM","features":[155]},{"name":"OLECMDTEXT","features":[155]},{"name":"OLECMDTEXTF","features":[155]},{"name":"OLECMDTEXTF_NAME","features":[155]},{"name":"OLECMDTEXTF_NONE","features":[155]},{"name":"OLECMDTEXTF_STATUS","features":[155]},{"name":"OLECMD_TASKDLGID_ONBEFOREUNLOAD","features":[155]},{"name":"OLECONTF","features":[155]},{"name":"OLECONTF_EMBEDDINGS","features":[155]},{"name":"OLECONTF_LINKS","features":[155]},{"name":"OLECONTF_ONLYIFRUNNING","features":[155]},{"name":"OLECONTF_ONLYUSER","features":[155]},{"name":"OLECONTF_OTHERS","features":[155]},{"name":"OLECREATE","features":[155]},{"name":"OLECREATE_LEAVERUNNING","features":[155]},{"name":"OLECREATE_ZERO","features":[155]},{"name":"OLEDCFLAGS","features":[155]},{"name":"OLEDC_NODRAW","features":[155]},{"name":"OLEDC_OFFSCREEN","features":[155]},{"name":"OLEDC_PAINTBKGND","features":[155]},{"name":"OLEGETMONIKER","features":[155]},{"name":"OLEGETMONIKER_FORCEASSIGN","features":[155]},{"name":"OLEGETMONIKER_ONLYIFTHERE","features":[155]},{"name":"OLEGETMONIKER_TEMPFORUSER","features":[155]},{"name":"OLEGETMONIKER_UNASSIGN","features":[155]},{"name":"OLEINPLACEFRAMEINFO","features":[1,155,50]},{"name":"OLEIVERB","features":[155]},{"name":"OLEIVERB_DISCARDUNDOSTATE","features":[155]},{"name":"OLEIVERB_HIDE","features":[155]},{"name":"OLEIVERB_INPLACEACTIVATE","features":[155]},{"name":"OLEIVERB_OPEN","features":[155]},{"name":"OLEIVERB_PRIMARY","features":[155]},{"name":"OLEIVERB_PROPERTIES","features":[155]},{"name":"OLEIVERB_SHOW","features":[155]},{"name":"OLEIVERB_UIACTIVATE","features":[155]},{"name":"OLELINKBIND","features":[155]},{"name":"OLELINKBIND_EVENIFCLASSDIFF","features":[155]},{"name":"OLEMENUGROUPWIDTHS","features":[155]},{"name":"OLEMISC","features":[155]},{"name":"OLEMISC_ACTIVATEWHENVISIBLE","features":[155]},{"name":"OLEMISC_ACTSLIKEBUTTON","features":[155]},{"name":"OLEMISC_ACTSLIKELABEL","features":[155]},{"name":"OLEMISC_ALIGNABLE","features":[155]},{"name":"OLEMISC_ALWAYSRUN","features":[155]},{"name":"OLEMISC_CANLINKBYOLE1","features":[155]},{"name":"OLEMISC_CANTLINKINSIDE","features":[155]},{"name":"OLEMISC_IGNOREACTIVATEWHENVISIBLE","features":[155]},{"name":"OLEMISC_IMEMODE","features":[155]},{"name":"OLEMISC_INSERTNOTREPLACE","features":[155]},{"name":"OLEMISC_INSIDEOUT","features":[155]},{"name":"OLEMISC_INVISIBLEATRUNTIME","features":[155]},{"name":"OLEMISC_ISLINKOBJECT","features":[155]},{"name":"OLEMISC_NOUIACTIVATE","features":[155]},{"name":"OLEMISC_ONLYICONIC","features":[155]},{"name":"OLEMISC_RECOMPOSEONRESIZE","features":[155]},{"name":"OLEMISC_RENDERINGISDEVICEINDEPENDENT","features":[155]},{"name":"OLEMISC_SETCLIENTSITEFIRST","features":[155]},{"name":"OLEMISC_SIMPLEFRAME","features":[155]},{"name":"OLEMISC_STATIC","features":[155]},{"name":"OLEMISC_SUPPORTSMULTILEVELUNDO","features":[155]},{"name":"OLEMISC_WANTSTOMENUMERGE","features":[155]},{"name":"OLERENDER","features":[155]},{"name":"OLERENDER_ASIS","features":[155]},{"name":"OLERENDER_DRAW","features":[155]},{"name":"OLERENDER_FORMAT","features":[155]},{"name":"OLERENDER_NONE","features":[155]},{"name":"OLESTDDELIM","features":[155]},{"name":"OLESTREAMQUERYCONVERTOLELINKCALLBACK","features":[155]},{"name":"OLESTREAM_CONVERSION_DEFAULT","features":[155]},{"name":"OLESTREAM_CONVERSION_DISABLEOLELINK","features":[155]},{"name":"OLEUIBUSYA","features":[1,78,155]},{"name":"OLEUIBUSYW","features":[1,78,155]},{"name":"OLEUICHANGEICONA","features":[1,155]},{"name":"OLEUICHANGEICONW","features":[1,155]},{"name":"OLEUICHANGESOURCEA","features":[1,155,84]},{"name":"OLEUICHANGESOURCEW","features":[1,155,84]},{"name":"OLEUICONVERTA","features":[1,155]},{"name":"OLEUICONVERTW","features":[1,155]},{"name":"OLEUIEDITLINKSA","features":[1,155]},{"name":"OLEUIEDITLINKSW","features":[1,155]},{"name":"OLEUIGNRLPROPSA","features":[1,12,155,40,50]},{"name":"OLEUIGNRLPROPSW","features":[1,12,155,40,50]},{"name":"OLEUIINSERTOBJECTA","features":[1,41,155]},{"name":"OLEUIINSERTOBJECTW","features":[1,41,155]},{"name":"OLEUILINKPROPSA","features":[1,12,155,40,50]},{"name":"OLEUILINKPROPSW","features":[1,12,155,40,50]},{"name":"OLEUIOBJECTPROPSA","features":[1,12,155,40,50]},{"name":"OLEUIOBJECTPROPSW","features":[1,12,155,40,50]},{"name":"OLEUIPASTEENTRYA","features":[41,155]},{"name":"OLEUIPASTEENTRYW","features":[41,155]},{"name":"OLEUIPASTEFLAG","features":[155]},{"name":"OLEUIPASTESPECIALA","features":[1,41,155]},{"name":"OLEUIPASTESPECIALW","features":[1,41,155]},{"name":"OLEUIPASTE_ENABLEICON","features":[155]},{"name":"OLEUIPASTE_LINKANYTYPE","features":[155]},{"name":"OLEUIPASTE_LINKTYPE1","features":[155]},{"name":"OLEUIPASTE_LINKTYPE2","features":[155]},{"name":"OLEUIPASTE_LINKTYPE3","features":[155]},{"name":"OLEUIPASTE_LINKTYPE4","features":[155]},{"name":"OLEUIPASTE_LINKTYPE5","features":[155]},{"name":"OLEUIPASTE_LINKTYPE6","features":[155]},{"name":"OLEUIPASTE_LINKTYPE7","features":[155]},{"name":"OLEUIPASTE_LINKTYPE8","features":[155]},{"name":"OLEUIPASTE_PASTE","features":[155]},{"name":"OLEUIPASTE_PASTEONLY","features":[155]},{"name":"OLEUIVIEWPROPSA","features":[1,12,155,40,50]},{"name":"OLEUIVIEWPROPSW","features":[1,12,155,40,50]},{"name":"OLEUI_BZERR_HTASKINVALID","features":[155]},{"name":"OLEUI_BZ_CALLUNBLOCKED","features":[155]},{"name":"OLEUI_BZ_RETRYSELECTED","features":[155]},{"name":"OLEUI_BZ_SWITCHTOSELECTED","features":[155]},{"name":"OLEUI_CANCEL","features":[155]},{"name":"OLEUI_CIERR_MUSTHAVECLSID","features":[155]},{"name":"OLEUI_CIERR_MUSTHAVECURRENTMETAFILE","features":[155]},{"name":"OLEUI_CIERR_SZICONEXEINVALID","features":[155]},{"name":"OLEUI_CSERR_FROMNOTNULL","features":[155]},{"name":"OLEUI_CSERR_LINKCNTRINVALID","features":[155]},{"name":"OLEUI_CSERR_LINKCNTRNULL","features":[155]},{"name":"OLEUI_CSERR_SOURCEINVALID","features":[155]},{"name":"OLEUI_CSERR_SOURCENULL","features":[155]},{"name":"OLEUI_CSERR_SOURCEPARSEERROR","features":[155]},{"name":"OLEUI_CSERR_SOURCEPARSERROR","features":[155]},{"name":"OLEUI_CSERR_TONOTNULL","features":[155]},{"name":"OLEUI_CTERR_CBFORMATINVALID","features":[155]},{"name":"OLEUI_CTERR_CLASSIDINVALID","features":[155]},{"name":"OLEUI_CTERR_DVASPECTINVALID","features":[155]},{"name":"OLEUI_CTERR_HMETAPICTINVALID","features":[155]},{"name":"OLEUI_CTERR_STRINGINVALID","features":[155]},{"name":"OLEUI_ELERR_LINKCNTRINVALID","features":[155]},{"name":"OLEUI_ELERR_LINKCNTRNULL","features":[155]},{"name":"OLEUI_ERR_CBSTRUCTINCORRECT","features":[155]},{"name":"OLEUI_ERR_DIALOGFAILURE","features":[155]},{"name":"OLEUI_ERR_FINDTEMPLATEFAILURE","features":[155]},{"name":"OLEUI_ERR_GLOBALMEMALLOC","features":[155]},{"name":"OLEUI_ERR_HINSTANCEINVALID","features":[155]},{"name":"OLEUI_ERR_HRESOURCEINVALID","features":[155]},{"name":"OLEUI_ERR_HWNDOWNERINVALID","features":[155]},{"name":"OLEUI_ERR_LOADSTRING","features":[155]},{"name":"OLEUI_ERR_LOADTEMPLATEFAILURE","features":[155]},{"name":"OLEUI_ERR_LOCALMEMALLOC","features":[155]},{"name":"OLEUI_ERR_LPFNHOOKINVALID","features":[155]},{"name":"OLEUI_ERR_LPSZCAPTIONINVALID","features":[155]},{"name":"OLEUI_ERR_LPSZTEMPLATEINVALID","features":[155]},{"name":"OLEUI_ERR_OLEMEMALLOC","features":[155]},{"name":"OLEUI_ERR_STANDARDMAX","features":[155]},{"name":"OLEUI_ERR_STANDARDMIN","features":[155]},{"name":"OLEUI_ERR_STRUCTUREINVALID","features":[155]},{"name":"OLEUI_ERR_STRUCTURENULL","features":[155]},{"name":"OLEUI_FALSE","features":[155]},{"name":"OLEUI_GPERR_CBFORMATINVALID","features":[155]},{"name":"OLEUI_GPERR_CLASSIDINVALID","features":[155]},{"name":"OLEUI_GPERR_LPCLSIDEXCLUDEINVALID","features":[155]},{"name":"OLEUI_GPERR_STRINGINVALID","features":[155]},{"name":"OLEUI_IOERR_ARRLINKTYPESINVALID","features":[155]},{"name":"OLEUI_IOERR_ARRPASTEENTRIESINVALID","features":[155]},{"name":"OLEUI_IOERR_CCHFILEINVALID","features":[155]},{"name":"OLEUI_IOERR_HICONINVALID","features":[155]},{"name":"OLEUI_IOERR_LPCLSIDEXCLUDEINVALID","features":[155]},{"name":"OLEUI_IOERR_LPFORMATETCINVALID","features":[155]},{"name":"OLEUI_IOERR_LPIOLECLIENTSITEINVALID","features":[155]},{"name":"OLEUI_IOERR_LPISTORAGEINVALID","features":[155]},{"name":"OLEUI_IOERR_LPSZFILEINVALID","features":[155]},{"name":"OLEUI_IOERR_LPSZLABELINVALID","features":[155]},{"name":"OLEUI_IOERR_PPVOBJINVALID","features":[155]},{"name":"OLEUI_IOERR_SCODEHASERROR","features":[155]},{"name":"OLEUI_IOERR_SRCDATAOBJECTINVALID","features":[155]},{"name":"OLEUI_LPERR_LINKCNTRINVALID","features":[155]},{"name":"OLEUI_LPERR_LINKCNTRNULL","features":[155]},{"name":"OLEUI_OK","features":[155]},{"name":"OLEUI_OPERR_DLGPROCNOTNULL","features":[155]},{"name":"OLEUI_OPERR_INVALIDPAGES","features":[155]},{"name":"OLEUI_OPERR_LINKINFOINVALID","features":[155]},{"name":"OLEUI_OPERR_LPARAMNOTZERO","features":[155]},{"name":"OLEUI_OPERR_NOTSUPPORTED","features":[155]},{"name":"OLEUI_OPERR_OBJINFOINVALID","features":[155]},{"name":"OLEUI_OPERR_PAGESINCORRECT","features":[155]},{"name":"OLEUI_OPERR_PROPERTYSHEET","features":[155]},{"name":"OLEUI_OPERR_PROPSHEETINVALID","features":[155]},{"name":"OLEUI_OPERR_PROPSHEETNULL","features":[155]},{"name":"OLEUI_OPERR_PROPSINVALID","features":[155]},{"name":"OLEUI_OPERR_SUBPROPINVALID","features":[155]},{"name":"OLEUI_OPERR_SUBPROPNULL","features":[155]},{"name":"OLEUI_OPERR_SUPPROP","features":[155]},{"name":"OLEUI_PSERR_CLIPBOARDCHANGED","features":[155]},{"name":"OLEUI_PSERR_GETCLIPBOARDFAILED","features":[155]},{"name":"OLEUI_QUERY_GETCLASSID","features":[155]},{"name":"OLEUI_QUERY_LINKBROKEN","features":[155]},{"name":"OLEUI_SUCCESS","features":[155]},{"name":"OLEUI_VPERR_DVASPECTINVALID","features":[155]},{"name":"OLEUI_VPERR_METAPICTINVALID","features":[155]},{"name":"OLEUPDATE","features":[155]},{"name":"OLEUPDATE_ALWAYS","features":[155]},{"name":"OLEUPDATE_ONCALL","features":[155]},{"name":"OLEVERB","features":[155,50]},{"name":"OLEVERBATTRIB","features":[155]},{"name":"OLEVERBATTRIB_NEVERDIRTIES","features":[155]},{"name":"OLEVERBATTRIB_ONCONTAINERMENU","features":[155]},{"name":"OLEVERB_PRIMARY","features":[155]},{"name":"OLEWHICHMK","features":[155]},{"name":"OLEWHICHMK_CONTAINER","features":[155]},{"name":"OLEWHICHMK_OBJFULL","features":[155]},{"name":"OLEWHICHMK_OBJREL","features":[155]},{"name":"OLE_HANDLE","features":[155]},{"name":"OLE_TRISTATE","features":[155]},{"name":"OPF_DISABLECONVERT","features":[155]},{"name":"OPF_NOFILLDEFAULT","features":[155]},{"name":"OPF_OBJECTISLINK","features":[155]},{"name":"OPF_SHOWHELP","features":[155]},{"name":"OT_EMBEDDED","features":[155]},{"name":"OT_LINK","features":[155]},{"name":"OT_STATIC","features":[155]},{"name":"OaBuildVersion","features":[155]},{"name":"OaEnablePerUserTLibRegistration","features":[155]},{"name":"OleBuildVersion","features":[155]},{"name":"OleConvertOLESTREAMToIStorage2","features":[63,155]},{"name":"OleConvertOLESTREAMToIStorageEx2","features":[1,12,63,155]},{"name":"OleCreate","features":[41,155]},{"name":"OleCreateDefaultHandler","features":[155]},{"name":"OleCreateEmbeddingHelper","features":[155]},{"name":"OleCreateEx","features":[41,155]},{"name":"OleCreateFontIndirect","features":[1,41,155]},{"name":"OleCreateFromData","features":[41,155]},{"name":"OleCreateFromDataEx","features":[41,155]},{"name":"OleCreateFromFile","features":[41,155]},{"name":"OleCreateFromFileEx","features":[41,155]},{"name":"OleCreateLink","features":[41,155]},{"name":"OleCreateLinkEx","features":[41,155]},{"name":"OleCreateLinkFromData","features":[41,155]},{"name":"OleCreateLinkFromDataEx","features":[41,155]},{"name":"OleCreateLinkToFile","features":[41,155]},{"name":"OleCreateLinkToFileEx","features":[41,155]},{"name":"OleCreateMenuDescriptor","features":[155,50]},{"name":"OleCreatePictureIndirect","features":[1,12,155,50]},{"name":"OleCreatePropertyFrame","features":[1,155]},{"name":"OleCreatePropertyFrameIndirect","features":[1,155]},{"name":"OleCreateStaticFromData","features":[41,155]},{"name":"OleDestroyMenuDescriptor","features":[155]},{"name":"OleDoAutoConvert","features":[155]},{"name":"OleDraw","features":[1,12,155]},{"name":"OleDuplicateData","features":[1,20,155]},{"name":"OleFlushClipboard","features":[155]},{"name":"OleGetAutoConvert","features":[155]},{"name":"OleGetClipboard","features":[155]},{"name":"OleGetClipboardWithEnterpriseInfo","features":[155]},{"name":"OleGetIconOfClass","features":[1,155]},{"name":"OleGetIconOfFile","features":[1,155]},{"name":"OleIconToCursor","features":[1,155,50]},{"name":"OleInitialize","features":[155]},{"name":"OleIsCurrentClipboard","features":[155]},{"name":"OleIsRunning","features":[1,155]},{"name":"OleLoad","features":[155]},{"name":"OleLoadFromStream","features":[155]},{"name":"OleLoadPicture","features":[1,155]},{"name":"OleLoadPictureEx","features":[1,155]},{"name":"OleLoadPictureFile","features":[1,41,155,42]},{"name":"OleLoadPictureFileEx","features":[1,41,155,42]},{"name":"OleLoadPicturePath","features":[155]},{"name":"OleLockRunning","features":[1,155]},{"name":"OleMetafilePictFromIconAndLabel","features":[1,155,50]},{"name":"OleNoteObjectVisible","features":[1,155]},{"name":"OleQueryCreateFromData","features":[155]},{"name":"OleQueryLinkFromData","features":[155]},{"name":"OleRegEnumFormatEtc","features":[155]},{"name":"OleRegEnumVerbs","features":[155]},{"name":"OleRegGetMiscStatus","features":[155]},{"name":"OleRegGetUserType","features":[155]},{"name":"OleRun","features":[155]},{"name":"OleSave","features":[1,155]},{"name":"OleSavePictureFile","features":[155]},{"name":"OleSaveToStream","features":[155]},{"name":"OleSetAutoConvert","features":[155]},{"name":"OleSetClipboard","features":[155]},{"name":"OleSetContainedObject","features":[1,155]},{"name":"OleSetMenuDescriptor","features":[1,155]},{"name":"OleTranslateAccelerator","features":[1,155,50]},{"name":"OleTranslateColor","features":[1,12,155]},{"name":"OleUIAddVerbMenuA","features":[1,155,50]},{"name":"OleUIAddVerbMenuW","features":[1,155,50]},{"name":"OleUIBusyA","features":[1,78,155]},{"name":"OleUIBusyW","features":[1,78,155]},{"name":"OleUICanConvertOrActivateAs","features":[1,155]},{"name":"OleUIChangeIconA","features":[1,155]},{"name":"OleUIChangeIconW","features":[1,155]},{"name":"OleUIChangeSourceA","features":[1,155,84]},{"name":"OleUIChangeSourceW","features":[1,155,84]},{"name":"OleUIConvertA","features":[1,155]},{"name":"OleUIConvertW","features":[1,155]},{"name":"OleUIEditLinksA","features":[1,155]},{"name":"OleUIEditLinksW","features":[1,155]},{"name":"OleUIInsertObjectA","features":[1,41,155]},{"name":"OleUIInsertObjectW","features":[1,41,155]},{"name":"OleUIObjectPropertiesA","features":[1,12,155,40,50]},{"name":"OleUIObjectPropertiesW","features":[1,12,155,40,50]},{"name":"OleUIPasteSpecialA","features":[1,41,155]},{"name":"OleUIPasteSpecialW","features":[1,41,155]},{"name":"OleUIPromptUserA","features":[1,155]},{"name":"OleUIPromptUserW","features":[1,155]},{"name":"OleUIUpdateLinksA","features":[1,155]},{"name":"OleUIUpdateLinksW","features":[1,155]},{"name":"OleUninitialize","features":[155]},{"name":"PAGEACTION_UI","features":[155]},{"name":"PAGEACTION_UI_DEFAULT","features":[155]},{"name":"PAGEACTION_UI_MODAL","features":[155]},{"name":"PAGEACTION_UI_MODELESS","features":[155]},{"name":"PAGEACTION_UI_SILENT","features":[155]},{"name":"PAGERANGE","features":[155]},{"name":"PAGESET","features":[1,155]},{"name":"PARAMDATA","features":[155,42]},{"name":"PARAMDESC","features":[1,41,155,42]},{"name":"PARAMDESCEX","features":[1,41,155,42]},{"name":"PARAMFLAGS","features":[155]},{"name":"PARAMFLAG_FHASCUSTDATA","features":[155]},{"name":"PARAMFLAG_FHASDEFAULT","features":[155]},{"name":"PARAMFLAG_FIN","features":[155]},{"name":"PARAMFLAG_FLCID","features":[155]},{"name":"PARAMFLAG_FOPT","features":[155]},{"name":"PARAMFLAG_FOUT","features":[155]},{"name":"PARAMFLAG_FRETVAL","features":[155]},{"name":"PARAMFLAG_NONE","features":[155]},{"name":"PASTE_SPECIAL_FLAGS","features":[155]},{"name":"PERPROP_E_FIRST","features":[155]},{"name":"PERPROP_E_LAST","features":[155]},{"name":"PERPROP_E_NOPAGEAVAILABLE","features":[155]},{"name":"PERPROP_S_FIRST","features":[155]},{"name":"PERPROP_S_LAST","features":[155]},{"name":"PICTDESC","features":[12,155,50]},{"name":"PICTUREATTRIBUTES","features":[155]},{"name":"PICTURE_SCALABLE","features":[155]},{"name":"PICTURE_TRANSPARENT","features":[155]},{"name":"PICTYPE","features":[155]},{"name":"PICTYPE_BITMAP","features":[155]},{"name":"PICTYPE_ENHMETAFILE","features":[155]},{"name":"PICTYPE_ICON","features":[155]},{"name":"PICTYPE_METAFILE","features":[155]},{"name":"PICTYPE_NONE","features":[155]},{"name":"PICTYPE_UNINITIALIZED","features":[155]},{"name":"POINTERINACTIVE","features":[155]},{"name":"POINTERINACTIVE_ACTIVATEONDRAG","features":[155]},{"name":"POINTERINACTIVE_ACTIVATEONENTRY","features":[155]},{"name":"POINTERINACTIVE_DEACTIVATEONLEAVE","features":[155]},{"name":"POINTF","features":[155]},{"name":"PRINTFLAG","features":[155]},{"name":"PRINTFLAG_DONTACTUALLYPRINT","features":[155]},{"name":"PRINTFLAG_FORCEPROPERTIES","features":[155]},{"name":"PRINTFLAG_MAYBOTHERUSER","features":[155]},{"name":"PRINTFLAG_PRINTTOFILE","features":[155]},{"name":"PRINTFLAG_PROMPTUSER","features":[155]},{"name":"PRINTFLAG_RECOMPOSETODEVICE","features":[155]},{"name":"PRINTFLAG_USERMAYCHANGEPRINTER","features":[155]},{"name":"PROPBAG2_TYPE","features":[155]},{"name":"PROPBAG2_TYPE_DATA","features":[155]},{"name":"PROPBAG2_TYPE_MONIKER","features":[155]},{"name":"PROPBAG2_TYPE_OBJECT","features":[155]},{"name":"PROPBAG2_TYPE_STORAGE","features":[155]},{"name":"PROPBAG2_TYPE_STREAM","features":[155]},{"name":"PROPBAG2_TYPE_UNDEFINED","features":[155]},{"name":"PROPBAG2_TYPE_URL","features":[155]},{"name":"PROPPAGEINFO","features":[1,155]},{"name":"PROPPAGESTATUS","features":[155]},{"name":"PROPPAGESTATUS_CLEAN","features":[155]},{"name":"PROPPAGESTATUS_DIRTY","features":[155]},{"name":"PROPPAGESTATUS_VALIDATE","features":[155]},{"name":"PROP_HWND_CHGICONDLG","features":[155]},{"name":"PSF_CHECKDISPLAYASICON","features":[155]},{"name":"PSF_DISABLEDISPLAYASICON","features":[155]},{"name":"PSF_HIDECHANGEICON","features":[155]},{"name":"PSF_NOREFRESHDATAOBJECT","features":[155]},{"name":"PSF_SELECTPASTE","features":[155]},{"name":"PSF_SELECTPASTELINK","features":[155]},{"name":"PSF_SHOWHELP","features":[155]},{"name":"PSF_STAYONCLIPBOARDCHANGE","features":[155]},{"name":"PS_MAXLINKTYPES","features":[155]},{"name":"QACONTAINER","features":[12,155]},{"name":"QACONTAINERFLAGS","features":[155]},{"name":"QACONTAINER_AUTOCLIP","features":[155]},{"name":"QACONTAINER_DISPLAYASDEFAULT","features":[155]},{"name":"QACONTAINER_MESSAGEREFLECT","features":[155]},{"name":"QACONTAINER_SHOWGRABHANDLES","features":[155]},{"name":"QACONTAINER_SHOWHATCHING","features":[155]},{"name":"QACONTAINER_SUPPORTSMNEMONICS","features":[155]},{"name":"QACONTAINER_UIDEAD","features":[155]},{"name":"QACONTAINER_USERMODE","features":[155]},{"name":"QACONTROL","features":[155]},{"name":"QueryPathOfRegTypeLib","features":[155]},{"name":"READYSTATE","features":[155]},{"name":"READYSTATE_COMPLETE","features":[155]},{"name":"READYSTATE_INTERACTIVE","features":[155]},{"name":"READYSTATE_LOADED","features":[155]},{"name":"READYSTATE_LOADING","features":[155]},{"name":"READYSTATE_UNINITIALIZED","features":[155]},{"name":"REGKIND","features":[155]},{"name":"REGKIND_DEFAULT","features":[155]},{"name":"REGKIND_NONE","features":[155]},{"name":"REGKIND_REGISTER","features":[155]},{"name":"RegisterActiveObject","features":[155]},{"name":"RegisterDragDrop","features":[1,155]},{"name":"RegisterTypeLib","features":[155]},{"name":"RegisterTypeLibForUser","features":[155]},{"name":"ReleaseStgMedium","features":[1,12,41,155]},{"name":"RevokeActiveObject","features":[155]},{"name":"RevokeDragDrop","features":[1,155]},{"name":"SAFEARRAYUNION","features":[1,41,155]},{"name":"SAFEARR_BRECORD","features":[155]},{"name":"SAFEARR_BSTR","features":[41,155]},{"name":"SAFEARR_DISPATCH","features":[155]},{"name":"SAFEARR_HAVEIID","features":[155]},{"name":"SAFEARR_UNKNOWN","features":[155]},{"name":"SAFEARR_VARIANT","features":[1,41,155]},{"name":"SELFREG_E_CLASS","features":[155]},{"name":"SELFREG_E_FIRST","features":[155]},{"name":"SELFREG_E_LAST","features":[155]},{"name":"SELFREG_E_TYPELIB","features":[155]},{"name":"SELFREG_S_FIRST","features":[155]},{"name":"SELFREG_S_LAST","features":[155]},{"name":"SF_BSTR","features":[155]},{"name":"SF_DISPATCH","features":[155]},{"name":"SF_ERROR","features":[155]},{"name":"SF_HAVEIID","features":[155]},{"name":"SF_I1","features":[155]},{"name":"SF_I2","features":[155]},{"name":"SF_I4","features":[155]},{"name":"SF_I8","features":[155]},{"name":"SF_RECORD","features":[155]},{"name":"SF_TYPE","features":[155]},{"name":"SF_UNKNOWN","features":[155]},{"name":"SF_VARIANT","features":[155]},{"name":"SID_GetCaller","features":[155]},{"name":"SID_ProvideRuntimeContext","features":[155]},{"name":"SID_VariantConversion","features":[155]},{"name":"STDOLE2_LCID","features":[155]},{"name":"STDOLE2_MAJORVERNUM","features":[155]},{"name":"STDOLE2_MINORVERNUM","features":[155]},{"name":"STDOLE_LCID","features":[155]},{"name":"STDOLE_MAJORVERNUM","features":[155]},{"name":"STDOLE_MINORVERNUM","features":[155]},{"name":"STDOLE_TLB","features":[155]},{"name":"STDTYPE_TLB","features":[155]},{"name":"SZOLEUI_MSG_ADDCONTROL","features":[155]},{"name":"SZOLEUI_MSG_BROWSE","features":[155]},{"name":"SZOLEUI_MSG_BROWSE_OFN","features":[155]},{"name":"SZOLEUI_MSG_CHANGEICON","features":[155]},{"name":"SZOLEUI_MSG_CHANGESOURCE","features":[155]},{"name":"SZOLEUI_MSG_CLOSEBUSYDIALOG","features":[155]},{"name":"SZOLEUI_MSG_CONVERT","features":[155]},{"name":"SZOLEUI_MSG_ENDDIALOG","features":[155]},{"name":"SZOLEUI_MSG_HELP","features":[155]},{"name":"SafeArrayAccessData","features":[41,155]},{"name":"SafeArrayAddRef","features":[41,155]},{"name":"SafeArrayAllocData","features":[41,155]},{"name":"SafeArrayAllocDescriptor","features":[41,155]},{"name":"SafeArrayAllocDescriptorEx","features":[41,155,42]},{"name":"SafeArrayCopy","features":[41,155]},{"name":"SafeArrayCopyData","features":[41,155]},{"name":"SafeArrayCreate","features":[41,155,42]},{"name":"SafeArrayCreateEx","features":[41,155,42]},{"name":"SafeArrayCreateVector","features":[41,155,42]},{"name":"SafeArrayCreateVectorEx","features":[41,155,42]},{"name":"SafeArrayDestroy","features":[41,155]},{"name":"SafeArrayDestroyData","features":[41,155]},{"name":"SafeArrayDestroyDescriptor","features":[41,155]},{"name":"SafeArrayGetDim","features":[41,155]},{"name":"SafeArrayGetElement","features":[41,155]},{"name":"SafeArrayGetElemsize","features":[41,155]},{"name":"SafeArrayGetIID","features":[41,155]},{"name":"SafeArrayGetLBound","features":[41,155]},{"name":"SafeArrayGetRecordInfo","features":[41,155]},{"name":"SafeArrayGetUBound","features":[41,155]},{"name":"SafeArrayGetVartype","features":[41,155,42]},{"name":"SafeArrayLock","features":[41,155]},{"name":"SafeArrayPtrOfIndex","features":[41,155]},{"name":"SafeArrayPutElement","features":[41,155]},{"name":"SafeArrayRedim","features":[41,155]},{"name":"SafeArrayReleaseData","features":[155]},{"name":"SafeArrayReleaseDescriptor","features":[41,155]},{"name":"SafeArraySetIID","features":[41,155]},{"name":"SafeArraySetRecordInfo","features":[41,155]},{"name":"SafeArrayUnaccessData","features":[41,155]},{"name":"SafeArrayUnlock","features":[41,155]},{"name":"TIFLAGS_EXTENDDISPATCHONLY","features":[155]},{"name":"TYPEFLAGS","features":[155]},{"name":"TYPEFLAG_FAGGREGATABLE","features":[155]},{"name":"TYPEFLAG_FAPPOBJECT","features":[155]},{"name":"TYPEFLAG_FCANCREATE","features":[155]},{"name":"TYPEFLAG_FCONTROL","features":[155]},{"name":"TYPEFLAG_FDISPATCHABLE","features":[155]},{"name":"TYPEFLAG_FDUAL","features":[155]},{"name":"TYPEFLAG_FHIDDEN","features":[155]},{"name":"TYPEFLAG_FLICENSED","features":[155]},{"name":"TYPEFLAG_FNONEXTENSIBLE","features":[155]},{"name":"TYPEFLAG_FOLEAUTOMATION","features":[155]},{"name":"TYPEFLAG_FPREDECLID","features":[155]},{"name":"TYPEFLAG_FPROXY","features":[155]},{"name":"TYPEFLAG_FREPLACEABLE","features":[155]},{"name":"TYPEFLAG_FRESTRICTED","features":[155]},{"name":"TYPEFLAG_FREVERSEBIND","features":[155]},{"name":"UASFLAGS","features":[155]},{"name":"UAS_BLOCKED","features":[155]},{"name":"UAS_MASK","features":[155]},{"name":"UAS_NOPARENTENABLE","features":[155]},{"name":"UAS_NORMAL","features":[155]},{"name":"UDATE","features":[1,155]},{"name":"UI_CONVERT_FLAGS","features":[155]},{"name":"UPDFCACHE_ALL","features":[155]},{"name":"UPDFCACHE_ALLBUTNODATACACHE","features":[155]},{"name":"UPDFCACHE_FLAGS","features":[155]},{"name":"UPDFCACHE_IFBLANK","features":[155]},{"name":"UPDFCACHE_IFBLANKORONSAVECACHE","features":[155]},{"name":"UPDFCACHE_NODATACACHE","features":[155]},{"name":"UPDFCACHE_NORMALCACHE","features":[155]},{"name":"UPDFCACHE_ONLYIFBLANK","features":[155]},{"name":"UPDFCACHE_ONSAVECACHE","features":[155]},{"name":"UPDFCACHE_ONSTOPCACHE","features":[155]},{"name":"USERCLASSTYPE","features":[155]},{"name":"USERCLASSTYPE_APPNAME","features":[155]},{"name":"USERCLASSTYPE_FULL","features":[155]},{"name":"USERCLASSTYPE_SHORT","features":[155]},{"name":"UnRegisterTypeLib","features":[41,155]},{"name":"UnRegisterTypeLibForUser","features":[41,155]},{"name":"VARCMP","features":[155]},{"name":"VARCMP_EQ","features":[155]},{"name":"VARCMP_GT","features":[155]},{"name":"VARCMP_LT","features":[155]},{"name":"VARCMP_NULL","features":[155]},{"name":"VARFORMAT_FIRST_DAY","features":[155]},{"name":"VARFORMAT_FIRST_DAY_FRIDAY","features":[155]},{"name":"VARFORMAT_FIRST_DAY_MONDAY","features":[155]},{"name":"VARFORMAT_FIRST_DAY_SATURDAY","features":[155]},{"name":"VARFORMAT_FIRST_DAY_SUNDAY","features":[155]},{"name":"VARFORMAT_FIRST_DAY_SYSTEMDEFAULT","features":[155]},{"name":"VARFORMAT_FIRST_DAY_THURSDAY","features":[155]},{"name":"VARFORMAT_FIRST_DAY_TUESDAY","features":[155]},{"name":"VARFORMAT_FIRST_DAY_WEDNESDAY","features":[155]},{"name":"VARFORMAT_FIRST_WEEK","features":[155]},{"name":"VARFORMAT_FIRST_WEEK_CONTAINS_JANUARY_FIRST","features":[155]},{"name":"VARFORMAT_FIRST_WEEK_HAS_SEVEN_DAYS","features":[155]},{"name":"VARFORMAT_FIRST_WEEK_LARGER_HALF_IN_CURRENT_YEAR","features":[155]},{"name":"VARFORMAT_FIRST_WEEK_SYSTEMDEFAULT","features":[155]},{"name":"VARFORMAT_GROUP","features":[155]},{"name":"VARFORMAT_GROUP_NOTTHOUSANDS","features":[155]},{"name":"VARFORMAT_GROUP_SYSTEMDEFAULT","features":[155]},{"name":"VARFORMAT_GROUP_THOUSANDS","features":[155]},{"name":"VARFORMAT_LEADING_DIGIT","features":[155]},{"name":"VARFORMAT_LEADING_DIGIT_INCLUDED","features":[155]},{"name":"VARFORMAT_LEADING_DIGIT_NOTINCLUDED","features":[155]},{"name":"VARFORMAT_LEADING_DIGIT_SYSTEMDEFAULT","features":[155]},{"name":"VARFORMAT_NAMED_FORMAT","features":[155]},{"name":"VARFORMAT_NAMED_FORMAT_GENERALDATE","features":[155]},{"name":"VARFORMAT_NAMED_FORMAT_LONGDATE","features":[155]},{"name":"VARFORMAT_NAMED_FORMAT_LONGTIME","features":[155]},{"name":"VARFORMAT_NAMED_FORMAT_SHORTDATE","features":[155]},{"name":"VARFORMAT_NAMED_FORMAT_SHORTTIME","features":[155]},{"name":"VARFORMAT_PARENTHESES","features":[155]},{"name":"VARFORMAT_PARENTHESES_NOTUSED","features":[155]},{"name":"VARFORMAT_PARENTHESES_SYSTEMDEFAULT","features":[155]},{"name":"VARFORMAT_PARENTHESES_USED","features":[155]},{"name":"VAR_CALENDAR_GREGORIAN","features":[155]},{"name":"VAR_CALENDAR_HIJRI","features":[155]},{"name":"VAR_CALENDAR_THAI","features":[155]},{"name":"VAR_DATEVALUEONLY","features":[155]},{"name":"VAR_FORMAT_NOSUBSTITUTE","features":[155]},{"name":"VAR_FOURDIGITYEARS","features":[155]},{"name":"VAR_LOCALBOOL","features":[155]},{"name":"VAR_TIMEVALUEONLY","features":[155]},{"name":"VAR_VALIDDATE","features":[155]},{"name":"VIEWSTATUS","features":[155]},{"name":"VIEWSTATUS_3DSURFACE","features":[155]},{"name":"VIEWSTATUS_DVASPECTOPAQUE","features":[155]},{"name":"VIEWSTATUS_DVASPECTTRANSPARENT","features":[155]},{"name":"VIEWSTATUS_OPAQUE","features":[155]},{"name":"VIEWSTATUS_SOLIDBKGND","features":[155]},{"name":"VIEWSTATUS_SURFACE","features":[155]},{"name":"VIEW_OBJECT_PROPERTIES_FLAGS","features":[155]},{"name":"VPF_DISABLERELATIVE","features":[155]},{"name":"VPF_DISABLESCALE","features":[155]},{"name":"VPF_SELECTRELATIVE","features":[155]},{"name":"VTDATEGRE_MAX","features":[155]},{"name":"VTDATEGRE_MIN","features":[155]},{"name":"VT_BLOB_PROPSET","features":[155]},{"name":"VT_STORED_PROPSET","features":[155]},{"name":"VT_STREAMED_PROPSET","features":[155]},{"name":"VT_VERBOSE_ENUM","features":[155]},{"name":"VarAbs","features":[1,41,155,42]},{"name":"VarAdd","features":[1,41,155,42]},{"name":"VarAnd","features":[1,41,155,42]},{"name":"VarBoolFromCy","features":[1,41,155]},{"name":"VarBoolFromDate","features":[1,155]},{"name":"VarBoolFromDec","features":[1,155]},{"name":"VarBoolFromDisp","features":[1,155]},{"name":"VarBoolFromI1","features":[1,155]},{"name":"VarBoolFromI2","features":[1,155]},{"name":"VarBoolFromI4","features":[1,155]},{"name":"VarBoolFromI8","features":[1,155]},{"name":"VarBoolFromR4","features":[1,155]},{"name":"VarBoolFromR8","features":[1,155]},{"name":"VarBoolFromStr","features":[1,155]},{"name":"VarBoolFromUI1","features":[1,155]},{"name":"VarBoolFromUI2","features":[1,155]},{"name":"VarBoolFromUI4","features":[1,155]},{"name":"VarBoolFromUI8","features":[1,155]},{"name":"VarBstrCat","features":[155]},{"name":"VarBstrCmp","features":[155]},{"name":"VarBstrFromBool","features":[1,155]},{"name":"VarBstrFromCy","features":[41,155]},{"name":"VarBstrFromDate","features":[155]},{"name":"VarBstrFromDec","features":[1,155]},{"name":"VarBstrFromDisp","features":[155]},{"name":"VarBstrFromI1","features":[155]},{"name":"VarBstrFromI2","features":[155]},{"name":"VarBstrFromI4","features":[155]},{"name":"VarBstrFromI8","features":[155]},{"name":"VarBstrFromR4","features":[155]},{"name":"VarBstrFromR8","features":[155]},{"name":"VarBstrFromUI1","features":[155]},{"name":"VarBstrFromUI2","features":[155]},{"name":"VarBstrFromUI4","features":[155]},{"name":"VarBstrFromUI8","features":[155]},{"name":"VarCat","features":[1,41,155,42]},{"name":"VarCmp","features":[1,41,155,42]},{"name":"VarCyAbs","features":[41,155]},{"name":"VarCyAdd","features":[41,155]},{"name":"VarCyCmp","features":[41,155]},{"name":"VarCyCmpR8","features":[41,155]},{"name":"VarCyFix","features":[41,155]},{"name":"VarCyFromBool","features":[1,41,155]},{"name":"VarCyFromDate","features":[41,155]},{"name":"VarCyFromDec","features":[1,41,155]},{"name":"VarCyFromDisp","features":[41,155]},{"name":"VarCyFromI1","features":[41,155]},{"name":"VarCyFromI2","features":[41,155]},{"name":"VarCyFromI4","features":[41,155]},{"name":"VarCyFromI8","features":[41,155]},{"name":"VarCyFromR4","features":[41,155]},{"name":"VarCyFromR8","features":[41,155]},{"name":"VarCyFromStr","features":[41,155]},{"name":"VarCyFromUI1","features":[41,155]},{"name":"VarCyFromUI2","features":[41,155]},{"name":"VarCyFromUI4","features":[41,155]},{"name":"VarCyFromUI8","features":[41,155]},{"name":"VarCyInt","features":[41,155]},{"name":"VarCyMul","features":[41,155]},{"name":"VarCyMulI4","features":[41,155]},{"name":"VarCyMulI8","features":[41,155]},{"name":"VarCyNeg","features":[41,155]},{"name":"VarCyRound","features":[41,155]},{"name":"VarCySub","features":[41,155]},{"name":"VarDateFromBool","features":[1,155]},{"name":"VarDateFromCy","features":[41,155]},{"name":"VarDateFromDec","features":[1,155]},{"name":"VarDateFromDisp","features":[155]},{"name":"VarDateFromI1","features":[155]},{"name":"VarDateFromI2","features":[155]},{"name":"VarDateFromI4","features":[155]},{"name":"VarDateFromI8","features":[155]},{"name":"VarDateFromR4","features":[155]},{"name":"VarDateFromR8","features":[155]},{"name":"VarDateFromStr","features":[155]},{"name":"VarDateFromUI1","features":[155]},{"name":"VarDateFromUI2","features":[155]},{"name":"VarDateFromUI4","features":[155]},{"name":"VarDateFromUI8","features":[155]},{"name":"VarDateFromUdate","features":[1,155]},{"name":"VarDateFromUdateEx","features":[1,155]},{"name":"VarDecAbs","features":[1,155]},{"name":"VarDecAdd","features":[1,155]},{"name":"VarDecCmp","features":[1,155]},{"name":"VarDecCmpR8","features":[1,155]},{"name":"VarDecDiv","features":[1,155]},{"name":"VarDecFix","features":[1,155]},{"name":"VarDecFromBool","features":[1,155]},{"name":"VarDecFromCy","features":[1,41,155]},{"name":"VarDecFromDate","features":[1,155]},{"name":"VarDecFromDisp","features":[1,155]},{"name":"VarDecFromI1","features":[1,155]},{"name":"VarDecFromI2","features":[1,155]},{"name":"VarDecFromI4","features":[1,155]},{"name":"VarDecFromI8","features":[1,155]},{"name":"VarDecFromR4","features":[1,155]},{"name":"VarDecFromR8","features":[1,155]},{"name":"VarDecFromStr","features":[1,155]},{"name":"VarDecFromUI1","features":[1,155]},{"name":"VarDecFromUI2","features":[1,155]},{"name":"VarDecFromUI4","features":[1,155]},{"name":"VarDecFromUI8","features":[1,155]},{"name":"VarDecInt","features":[1,155]},{"name":"VarDecMul","features":[1,155]},{"name":"VarDecNeg","features":[1,155]},{"name":"VarDecRound","features":[1,155]},{"name":"VarDecSub","features":[1,155]},{"name":"VarDiv","features":[1,41,155,42]},{"name":"VarEqv","features":[1,41,155,42]},{"name":"VarFix","features":[1,41,155,42]},{"name":"VarFormat","features":[1,41,155,42]},{"name":"VarFormatCurrency","features":[1,41,155,42]},{"name":"VarFormatDateTime","features":[1,41,155,42]},{"name":"VarFormatFromTokens","features":[1,41,155,42]},{"name":"VarFormatNumber","features":[1,41,155,42]},{"name":"VarFormatPercent","features":[1,41,155,42]},{"name":"VarI1FromBool","features":[1,155]},{"name":"VarI1FromCy","features":[41,155]},{"name":"VarI1FromDate","features":[155]},{"name":"VarI1FromDec","features":[1,155]},{"name":"VarI1FromDisp","features":[155]},{"name":"VarI1FromI2","features":[155]},{"name":"VarI1FromI4","features":[155]},{"name":"VarI1FromI8","features":[155]},{"name":"VarI1FromR4","features":[155]},{"name":"VarI1FromR8","features":[155]},{"name":"VarI1FromStr","features":[155]},{"name":"VarI1FromUI1","features":[155]},{"name":"VarI1FromUI2","features":[155]},{"name":"VarI1FromUI4","features":[155]},{"name":"VarI1FromUI8","features":[155]},{"name":"VarI2FromBool","features":[1,155]},{"name":"VarI2FromCy","features":[41,155]},{"name":"VarI2FromDate","features":[155]},{"name":"VarI2FromDec","features":[1,155]},{"name":"VarI2FromDisp","features":[155]},{"name":"VarI2FromI1","features":[155]},{"name":"VarI2FromI4","features":[155]},{"name":"VarI2FromI8","features":[155]},{"name":"VarI2FromR4","features":[155]},{"name":"VarI2FromR8","features":[155]},{"name":"VarI2FromStr","features":[155]},{"name":"VarI2FromUI1","features":[155]},{"name":"VarI2FromUI2","features":[155]},{"name":"VarI2FromUI4","features":[155]},{"name":"VarI2FromUI8","features":[155]},{"name":"VarI4FromBool","features":[1,155]},{"name":"VarI4FromCy","features":[41,155]},{"name":"VarI4FromDate","features":[155]},{"name":"VarI4FromDec","features":[1,155]},{"name":"VarI4FromDisp","features":[155]},{"name":"VarI4FromI1","features":[155]},{"name":"VarI4FromI2","features":[155]},{"name":"VarI4FromI8","features":[155]},{"name":"VarI4FromR4","features":[155]},{"name":"VarI4FromR8","features":[155]},{"name":"VarI4FromStr","features":[155]},{"name":"VarI4FromUI1","features":[155]},{"name":"VarI4FromUI2","features":[155]},{"name":"VarI4FromUI4","features":[155]},{"name":"VarI4FromUI8","features":[155]},{"name":"VarI8FromBool","features":[1,155]},{"name":"VarI8FromCy","features":[41,155]},{"name":"VarI8FromDate","features":[155]},{"name":"VarI8FromDec","features":[1,155]},{"name":"VarI8FromDisp","features":[155]},{"name":"VarI8FromI1","features":[155]},{"name":"VarI8FromI2","features":[155]},{"name":"VarI8FromR4","features":[155]},{"name":"VarI8FromR8","features":[155]},{"name":"VarI8FromStr","features":[155]},{"name":"VarI8FromUI1","features":[155]},{"name":"VarI8FromUI2","features":[155]},{"name":"VarI8FromUI4","features":[155]},{"name":"VarI8FromUI8","features":[155]},{"name":"VarIdiv","features":[1,41,155,42]},{"name":"VarImp","features":[1,41,155,42]},{"name":"VarInt","features":[1,41,155,42]},{"name":"VarMod","features":[1,41,155,42]},{"name":"VarMonthName","features":[155]},{"name":"VarMul","features":[1,41,155,42]},{"name":"VarNeg","features":[1,41,155,42]},{"name":"VarNot","features":[1,41,155,42]},{"name":"VarNumFromParseNum","features":[1,41,155,42]},{"name":"VarOr","features":[1,41,155,42]},{"name":"VarParseNumFromStr","features":[155]},{"name":"VarPow","features":[1,41,155,42]},{"name":"VarR4CmpR8","features":[155]},{"name":"VarR4FromBool","features":[1,155]},{"name":"VarR4FromCy","features":[41,155]},{"name":"VarR4FromDate","features":[155]},{"name":"VarR4FromDec","features":[1,155]},{"name":"VarR4FromDisp","features":[155]},{"name":"VarR4FromI1","features":[155]},{"name":"VarR4FromI2","features":[155]},{"name":"VarR4FromI4","features":[155]},{"name":"VarR4FromI8","features":[155]},{"name":"VarR4FromR8","features":[155]},{"name":"VarR4FromStr","features":[155]},{"name":"VarR4FromUI1","features":[155]},{"name":"VarR4FromUI2","features":[155]},{"name":"VarR4FromUI4","features":[155]},{"name":"VarR4FromUI8","features":[155]},{"name":"VarR8FromBool","features":[1,155]},{"name":"VarR8FromCy","features":[41,155]},{"name":"VarR8FromDate","features":[155]},{"name":"VarR8FromDec","features":[1,155]},{"name":"VarR8FromDisp","features":[155]},{"name":"VarR8FromI1","features":[155]},{"name":"VarR8FromI2","features":[155]},{"name":"VarR8FromI4","features":[155]},{"name":"VarR8FromI8","features":[155]},{"name":"VarR8FromR4","features":[155]},{"name":"VarR8FromStr","features":[155]},{"name":"VarR8FromUI1","features":[155]},{"name":"VarR8FromUI2","features":[155]},{"name":"VarR8FromUI4","features":[155]},{"name":"VarR8FromUI8","features":[155]},{"name":"VarR8Pow","features":[155]},{"name":"VarR8Round","features":[155]},{"name":"VarRound","features":[1,41,155,42]},{"name":"VarSub","features":[1,41,155,42]},{"name":"VarTokenizeFormatString","features":[155]},{"name":"VarUI1FromBool","features":[1,155]},{"name":"VarUI1FromCy","features":[41,155]},{"name":"VarUI1FromDate","features":[155]},{"name":"VarUI1FromDec","features":[1,155]},{"name":"VarUI1FromDisp","features":[155]},{"name":"VarUI1FromI1","features":[155]},{"name":"VarUI1FromI2","features":[155]},{"name":"VarUI1FromI4","features":[155]},{"name":"VarUI1FromI8","features":[155]},{"name":"VarUI1FromR4","features":[155]},{"name":"VarUI1FromR8","features":[155]},{"name":"VarUI1FromStr","features":[155]},{"name":"VarUI1FromUI2","features":[155]},{"name":"VarUI1FromUI4","features":[155]},{"name":"VarUI1FromUI8","features":[155]},{"name":"VarUI2FromBool","features":[1,155]},{"name":"VarUI2FromCy","features":[41,155]},{"name":"VarUI2FromDate","features":[155]},{"name":"VarUI2FromDec","features":[1,155]},{"name":"VarUI2FromDisp","features":[155]},{"name":"VarUI2FromI1","features":[155]},{"name":"VarUI2FromI2","features":[155]},{"name":"VarUI2FromI4","features":[155]},{"name":"VarUI2FromI8","features":[155]},{"name":"VarUI2FromR4","features":[155]},{"name":"VarUI2FromR8","features":[155]},{"name":"VarUI2FromStr","features":[155]},{"name":"VarUI2FromUI1","features":[155]},{"name":"VarUI2FromUI4","features":[155]},{"name":"VarUI2FromUI8","features":[155]},{"name":"VarUI4FromBool","features":[1,155]},{"name":"VarUI4FromCy","features":[41,155]},{"name":"VarUI4FromDate","features":[155]},{"name":"VarUI4FromDec","features":[1,155]},{"name":"VarUI4FromDisp","features":[155]},{"name":"VarUI4FromI1","features":[155]},{"name":"VarUI4FromI2","features":[155]},{"name":"VarUI4FromI4","features":[155]},{"name":"VarUI4FromI8","features":[155]},{"name":"VarUI4FromR4","features":[155]},{"name":"VarUI4FromR8","features":[155]},{"name":"VarUI4FromStr","features":[155]},{"name":"VarUI4FromUI1","features":[155]},{"name":"VarUI4FromUI2","features":[155]},{"name":"VarUI4FromUI8","features":[155]},{"name":"VarUI8FromBool","features":[1,155]},{"name":"VarUI8FromCy","features":[41,155]},{"name":"VarUI8FromDate","features":[155]},{"name":"VarUI8FromDec","features":[1,155]},{"name":"VarUI8FromDisp","features":[155]},{"name":"VarUI8FromI1","features":[155]},{"name":"VarUI8FromI2","features":[155]},{"name":"VarUI8FromI8","features":[155]},{"name":"VarUI8FromR4","features":[155]},{"name":"VarUI8FromR8","features":[155]},{"name":"VarUI8FromStr","features":[155]},{"name":"VarUI8FromUI1","features":[155]},{"name":"VarUI8FromUI2","features":[155]},{"name":"VarUI8FromUI4","features":[155]},{"name":"VarUdateFromDate","features":[1,155]},{"name":"VarWeekdayName","features":[155]},{"name":"VarXor","features":[1,41,155,42]},{"name":"VectorFromBstr","features":[41,155]},{"name":"WIN32","features":[155]},{"name":"WPCSETTING","features":[155]},{"name":"WPCSETTING_FILEDOWNLOAD_BLOCKED","features":[155]},{"name":"WPCSETTING_LOGGING_ENABLED","features":[155]},{"name":"XFORMCOORDS","features":[155]},{"name":"XFORMCOORDS_CONTAINERTOHIMETRIC","features":[155]},{"name":"XFORMCOORDS_EVENTCOMPAT","features":[155]},{"name":"XFORMCOORDS_HIMETRICTOCONTAINER","features":[155]},{"name":"XFORMCOORDS_POSITION","features":[155]},{"name":"XFORMCOORDS_SIZE","features":[155]},{"name":"_wireBRECORD","features":[155]},{"name":"_wireSAFEARRAY","features":[1,41,155]},{"name":"_wireVARIANT","features":[1,41,155]},{"name":"fdexEnumAll","features":[155]},{"name":"fdexEnumDefault","features":[155]},{"name":"fdexNameCaseInsensitive","features":[155]},{"name":"fdexNameCaseSensitive","features":[155]},{"name":"fdexNameEnsure","features":[155]},{"name":"fdexNameImplicit","features":[155]},{"name":"fdexNameInternal","features":[155]},{"name":"fdexNameNoDynamicProperties","features":[155]},{"name":"fdexPropCanCall","features":[155]},{"name":"fdexPropCanConstruct","features":[155]},{"name":"fdexPropCanGet","features":[155]},{"name":"fdexPropCanPut","features":[155]},{"name":"fdexPropCanPutRef","features":[155]},{"name":"fdexPropCanSourceEvents","features":[155]},{"name":"fdexPropCannotCall","features":[155]},{"name":"fdexPropCannotConstruct","features":[155]},{"name":"fdexPropCannotGet","features":[155]},{"name":"fdexPropCannotPut","features":[155]},{"name":"fdexPropCannotPutRef","features":[155]},{"name":"fdexPropCannotSourceEvents","features":[155]},{"name":"fdexPropDynamicType","features":[155]},{"name":"fdexPropNoSideEffects","features":[155]},{"name":"triChecked","features":[155]},{"name":"triGray","features":[155]},{"name":"triUnchecked","features":[155]}],"587":[{"name":"CYPHER_BLOCK","features":[119]},{"name":"ENCRYPTED_LM_OWF_PASSWORD","features":[119]},{"name":"LM_OWF_PASSWORD","features":[119]},{"name":"MSChapSrvChangePassword","features":[1,119]},{"name":"MSChapSrvChangePassword2","features":[1,119]},{"name":"SAMPR_ENCRYPTED_USER_PASSWORD","features":[119]}],"588":[{"name":"AppearPropPage","features":[189]},{"name":"AutoPathFormat","features":[189]},{"name":"BackupPerfRegistryToFileW","features":[189]},{"name":"BootTraceSession","features":[189]},{"name":"BootTraceSessionCollection","features":[189]},{"name":"ClockType","features":[189]},{"name":"CommitMode","features":[189]},{"name":"CounterItem","features":[189]},{"name":"CounterItem2","features":[189]},{"name":"CounterPathCallBack","features":[189]},{"name":"CounterPropPage","features":[189]},{"name":"Counters","features":[189]},{"name":"DATA_SOURCE_REGISTRY","features":[189]},{"name":"DATA_SOURCE_WBEM","features":[189]},{"name":"DICounterItem","features":[189]},{"name":"DIID_DICounterItem","features":[189]},{"name":"DIID_DILogFileItem","features":[189]},{"name":"DIID_DISystemMonitor","features":[189]},{"name":"DIID_DISystemMonitorEvents","features":[189]},{"name":"DIID_DISystemMonitorInternal","features":[189]},{"name":"DILogFileItem","features":[189]},{"name":"DISystemMonitor","features":[189]},{"name":"DISystemMonitorEvents","features":[189]},{"name":"DISystemMonitorInternal","features":[189]},{"name":"DataCollectorSet","features":[189]},{"name":"DataCollectorSetCollection","features":[189]},{"name":"DataCollectorSetStatus","features":[189]},{"name":"DataCollectorType","features":[189]},{"name":"DataManagerSteps","features":[189]},{"name":"DataSourceTypeConstants","features":[189]},{"name":"DisplayTypeConstants","features":[189]},{"name":"FileFormat","features":[189]},{"name":"FolderActionSteps","features":[189]},{"name":"GeneralPropPage","features":[189]},{"name":"GraphPropPage","features":[189]},{"name":"H_WBEM_DATASOURCE","features":[189]},{"name":"IAlertDataCollector","features":[189]},{"name":"IApiTracingDataCollector","features":[189]},{"name":"IConfigurationDataCollector","features":[189]},{"name":"ICounterItem","features":[189]},{"name":"ICounterItem2","features":[189]},{"name":"ICounters","features":[189]},{"name":"IDataCollector","features":[189]},{"name":"IDataCollectorCollection","features":[189]},{"name":"IDataCollectorSet","features":[189]},{"name":"IDataCollectorSetCollection","features":[189]},{"name":"IDataManager","features":[189]},{"name":"IFolderAction","features":[189]},{"name":"IFolderActionCollection","features":[189]},{"name":"ILogFileItem","features":[189]},{"name":"ILogFiles","features":[189]},{"name":"IPerformanceCounterDataCollector","features":[189]},{"name":"ISchedule","features":[189]},{"name":"IScheduleCollection","features":[189]},{"name":"ISystemMonitor","features":[189]},{"name":"ISystemMonitor2","features":[189]},{"name":"ISystemMonitorEvents","features":[189]},{"name":"ITraceDataCollector","features":[189]},{"name":"ITraceDataProvider","features":[189]},{"name":"ITraceDataProviderCollection","features":[189]},{"name":"IValueMap","features":[189]},{"name":"IValueMapItem","features":[189]},{"name":"InstallPerfDllA","features":[189]},{"name":"InstallPerfDllW","features":[189]},{"name":"LIBID_SystemMonitor","features":[189]},{"name":"LegacyDataCollectorSet","features":[189]},{"name":"LegacyDataCollectorSetCollection","features":[189]},{"name":"LegacyTraceSession","features":[189]},{"name":"LegacyTraceSessionCollection","features":[189]},{"name":"LoadPerfCounterTextStringsA","features":[1,189]},{"name":"LoadPerfCounterTextStringsW","features":[1,189]},{"name":"LogFileItem","features":[189]},{"name":"LogFiles","features":[189]},{"name":"MAX_COUNTER_PATH","features":[189]},{"name":"MAX_PERF_OBJECTS_IN_QUERY_FUNCTION","features":[189]},{"name":"PDH_ACCESS_DENIED","features":[189]},{"name":"PDH_ASYNC_QUERY_TIMEOUT","features":[189]},{"name":"PDH_BINARY_LOG_CORRUPT","features":[189]},{"name":"PDH_BROWSE_DLG_CONFIG_A","features":[1,189]},{"name":"PDH_BROWSE_DLG_CONFIG_HA","features":[1,189]},{"name":"PDH_BROWSE_DLG_CONFIG_HW","features":[1,189]},{"name":"PDH_BROWSE_DLG_CONFIG_W","features":[1,189]},{"name":"PDH_CALC_NEGATIVE_DENOMINATOR","features":[189]},{"name":"PDH_CALC_NEGATIVE_TIMEBASE","features":[189]},{"name":"PDH_CALC_NEGATIVE_VALUE","features":[189]},{"name":"PDH_CANNOT_CONNECT_MACHINE","features":[189]},{"name":"PDH_CANNOT_CONNECT_WMI_SERVER","features":[189]},{"name":"PDH_CANNOT_READ_NAME_STRINGS","features":[189]},{"name":"PDH_CANNOT_SET_DEFAULT_REALTIME_DATASOURCE","features":[189]},{"name":"PDH_COUNTER_ALREADY_IN_QUERY","features":[189]},{"name":"PDH_COUNTER_INFO_A","features":[189]},{"name":"PDH_COUNTER_INFO_W","features":[189]},{"name":"PDH_COUNTER_PATH_ELEMENTS_A","features":[189]},{"name":"PDH_COUNTER_PATH_ELEMENTS_W","features":[189]},{"name":"PDH_CSTATUS_BAD_COUNTERNAME","features":[189]},{"name":"PDH_CSTATUS_INVALID_DATA","features":[189]},{"name":"PDH_CSTATUS_ITEM_NOT_VALIDATED","features":[189]},{"name":"PDH_CSTATUS_NEW_DATA","features":[189]},{"name":"PDH_CSTATUS_NO_COUNTER","features":[189]},{"name":"PDH_CSTATUS_NO_COUNTERNAME","features":[189]},{"name":"PDH_CSTATUS_NO_INSTANCE","features":[189]},{"name":"PDH_CSTATUS_NO_MACHINE","features":[189]},{"name":"PDH_CSTATUS_NO_OBJECT","features":[189]},{"name":"PDH_CSTATUS_VALID_DATA","features":[189]},{"name":"PDH_CVERSION_WIN50","features":[189]},{"name":"PDH_DATA_ITEM_PATH_ELEMENTS_A","features":[189]},{"name":"PDH_DATA_ITEM_PATH_ELEMENTS_W","features":[189]},{"name":"PDH_DATA_SOURCE_IS_LOG_FILE","features":[189]},{"name":"PDH_DATA_SOURCE_IS_REAL_TIME","features":[189]},{"name":"PDH_DIALOG_CANCELLED","features":[189]},{"name":"PDH_DLL_VERSION","features":[189]},{"name":"PDH_END_OF_LOG_FILE","features":[189]},{"name":"PDH_ENTRY_NOT_IN_LOG_FILE","features":[189]},{"name":"PDH_FILE_ALREADY_EXISTS","features":[189]},{"name":"PDH_FILE_NOT_FOUND","features":[189]},{"name":"PDH_FLAGS_FILE_BROWSER_ONLY","features":[189]},{"name":"PDH_FLAGS_NONE","features":[189]},{"name":"PDH_FMT","features":[189]},{"name":"PDH_FMT_COUNTERVALUE","features":[189]},{"name":"PDH_FMT_COUNTERVALUE_ITEM_A","features":[189]},{"name":"PDH_FMT_COUNTERVALUE_ITEM_W","features":[189]},{"name":"PDH_FMT_DOUBLE","features":[189]},{"name":"PDH_FMT_LARGE","features":[189]},{"name":"PDH_FMT_LONG","features":[189]},{"name":"PDH_FUNCTION_NOT_FOUND","features":[189]},{"name":"PDH_INCORRECT_APPEND_TIME","features":[189]},{"name":"PDH_INSUFFICIENT_BUFFER","features":[189]},{"name":"PDH_INVALID_ARGUMENT","features":[189]},{"name":"PDH_INVALID_BUFFER","features":[189]},{"name":"PDH_INVALID_DATA","features":[189]},{"name":"PDH_INVALID_DATASOURCE","features":[189]},{"name":"PDH_INVALID_HANDLE","features":[189]},{"name":"PDH_INVALID_INSTANCE","features":[189]},{"name":"PDH_INVALID_PATH","features":[189]},{"name":"PDH_INVALID_SQLDB","features":[189]},{"name":"PDH_INVALID_SQL_LOG_FORMAT","features":[189]},{"name":"PDH_LOG","features":[189]},{"name":"PDH_LOGSVC_NOT_OPENED","features":[189]},{"name":"PDH_LOGSVC_QUERY_NOT_FOUND","features":[189]},{"name":"PDH_LOG_FILE_CREATE_ERROR","features":[189]},{"name":"PDH_LOG_FILE_OPEN_ERROR","features":[189]},{"name":"PDH_LOG_FILE_TOO_SMALL","features":[189]},{"name":"PDH_LOG_READ_ACCESS","features":[189]},{"name":"PDH_LOG_SAMPLE_TOO_SMALL","features":[189]},{"name":"PDH_LOG_SERVICE_QUERY_INFO_A","features":[1,189]},{"name":"PDH_LOG_SERVICE_QUERY_INFO_W","features":[1,189]},{"name":"PDH_LOG_TYPE","features":[189]},{"name":"PDH_LOG_TYPE_BINARY","features":[189]},{"name":"PDH_LOG_TYPE_CSV","features":[189]},{"name":"PDH_LOG_TYPE_NOT_FOUND","features":[189]},{"name":"PDH_LOG_TYPE_PERFMON","features":[189]},{"name":"PDH_LOG_TYPE_RETIRED_BIN","features":[189]},{"name":"PDH_LOG_TYPE_SQL","features":[189]},{"name":"PDH_LOG_TYPE_TRACE_GENERIC","features":[189]},{"name":"PDH_LOG_TYPE_TRACE_KERNEL","features":[189]},{"name":"PDH_LOG_TYPE_TSV","features":[189]},{"name":"PDH_LOG_TYPE_UNDEFINED","features":[189]},{"name":"PDH_LOG_UPDATE_ACCESS","features":[189]},{"name":"PDH_LOG_WRITE_ACCESS","features":[189]},{"name":"PDH_MAX_COUNTER_NAME","features":[189]},{"name":"PDH_MAX_COUNTER_PATH","features":[189]},{"name":"PDH_MAX_DATASOURCE_PATH","features":[189]},{"name":"PDH_MAX_INSTANCE_NAME","features":[189]},{"name":"PDH_MAX_SCALE","features":[189]},{"name":"PDH_MEMORY_ALLOCATION_FAILURE","features":[189]},{"name":"PDH_MIN_SCALE","features":[189]},{"name":"PDH_MORE_DATA","features":[189]},{"name":"PDH_NOEXPANDCOUNTERS","features":[189]},{"name":"PDH_NOEXPANDINSTANCES","features":[189]},{"name":"PDH_NOT_IMPLEMENTED","features":[189]},{"name":"PDH_NO_COUNTERS","features":[189]},{"name":"PDH_NO_DATA","features":[189]},{"name":"PDH_NO_DIALOG_DATA","features":[189]},{"name":"PDH_NO_MORE_DATA","features":[189]},{"name":"PDH_OS_EARLIER_VERSION","features":[189]},{"name":"PDH_OS_LATER_VERSION","features":[189]},{"name":"PDH_PATH_FLAGS","features":[189]},{"name":"PDH_PATH_WBEM_INPUT","features":[189]},{"name":"PDH_PATH_WBEM_NONE","features":[189]},{"name":"PDH_PATH_WBEM_RESULT","features":[189]},{"name":"PDH_PLA_COLLECTION_ALREADY_RUNNING","features":[189]},{"name":"PDH_PLA_COLLECTION_NOT_FOUND","features":[189]},{"name":"PDH_PLA_ERROR_ALREADY_EXISTS","features":[189]},{"name":"PDH_PLA_ERROR_FILEPATH","features":[189]},{"name":"PDH_PLA_ERROR_NAME_TOO_LONG","features":[189]},{"name":"PDH_PLA_ERROR_NOSTART","features":[189]},{"name":"PDH_PLA_ERROR_SCHEDULE_ELAPSED","features":[189]},{"name":"PDH_PLA_ERROR_SCHEDULE_OVERLAP","features":[189]},{"name":"PDH_PLA_ERROR_TYPE_MISMATCH","features":[189]},{"name":"PDH_PLA_SERVICE_ERROR","features":[189]},{"name":"PDH_PLA_VALIDATION_ERROR","features":[189]},{"name":"PDH_PLA_VALIDATION_WARNING","features":[189]},{"name":"PDH_QUERY_PERF_DATA_TIMEOUT","features":[189]},{"name":"PDH_RAW_COUNTER","features":[1,189]},{"name":"PDH_RAW_COUNTER_ITEM_A","features":[1,189]},{"name":"PDH_RAW_COUNTER_ITEM_W","features":[1,189]},{"name":"PDH_RAW_LOG_RECORD","features":[189]},{"name":"PDH_REFRESHCOUNTERS","features":[189]},{"name":"PDH_RETRY","features":[189]},{"name":"PDH_SELECT_DATA_SOURCE_FLAGS","features":[189]},{"name":"PDH_SQL_ALLOCCON_FAILED","features":[189]},{"name":"PDH_SQL_ALLOC_FAILED","features":[189]},{"name":"PDH_SQL_ALTER_DETAIL_FAILED","features":[189]},{"name":"PDH_SQL_BIND_FAILED","features":[189]},{"name":"PDH_SQL_CONNECT_FAILED","features":[189]},{"name":"PDH_SQL_EXEC_DIRECT_FAILED","features":[189]},{"name":"PDH_SQL_FETCH_FAILED","features":[189]},{"name":"PDH_SQL_MORE_RESULTS_FAILED","features":[189]},{"name":"PDH_SQL_ROWCOUNT_FAILED","features":[189]},{"name":"PDH_STATISTICS","features":[189]},{"name":"PDH_STRING_NOT_FOUND","features":[189]},{"name":"PDH_TIME_INFO","features":[189]},{"name":"PDH_UNABLE_MAP_NAME_FILES","features":[189]},{"name":"PDH_UNABLE_READ_LOG_HEADER","features":[189]},{"name":"PDH_UNKNOWN_LOGSVC_COMMAND","features":[189]},{"name":"PDH_UNKNOWN_LOG_FORMAT","features":[189]},{"name":"PDH_UNMATCHED_APPEND_COUNTER","features":[189]},{"name":"PDH_VERSION","features":[189]},{"name":"PDH_WBEM_ERROR","features":[189]},{"name":"PERFLIBREQUEST","features":[189]},{"name":"PERF_ADD_COUNTER","features":[189]},{"name":"PERF_AGGREGATE_AVG","features":[189]},{"name":"PERF_AGGREGATE_INSTANCE","features":[189]},{"name":"PERF_AGGREGATE_MAX","features":[189]},{"name":"PERF_AGGREGATE_MIN","features":[189]},{"name":"PERF_AGGREGATE_TOTAL","features":[189]},{"name":"PERF_AGGREGATE_UNDEFINED","features":[189]},{"name":"PERF_ATTRIB_BY_REFERENCE","features":[189]},{"name":"PERF_ATTRIB_DISPLAY_AS_HEX","features":[189]},{"name":"PERF_ATTRIB_DISPLAY_AS_REAL","features":[189]},{"name":"PERF_ATTRIB_NO_DISPLAYABLE","features":[189]},{"name":"PERF_ATTRIB_NO_GROUP_SEPARATOR","features":[189]},{"name":"PERF_COLLECT_END","features":[189]},{"name":"PERF_COLLECT_START","features":[189]},{"name":"PERF_COUNTERSET","features":[189]},{"name":"PERF_COUNTERSET_FLAG_AGGREGATE","features":[189]},{"name":"PERF_COUNTERSET_FLAG_HISTORY","features":[189]},{"name":"PERF_COUNTERSET_FLAG_INSTANCE","features":[189]},{"name":"PERF_COUNTERSET_FLAG_MULTIPLE","features":[189]},{"name":"PERF_COUNTERSET_INFO","features":[189]},{"name":"PERF_COUNTERSET_INSTANCE","features":[189]},{"name":"PERF_COUNTERSET_MULTI_INSTANCES","features":[189]},{"name":"PERF_COUNTERSET_REG_INFO","features":[189]},{"name":"PERF_COUNTERSET_SINGLE_AGGREGATE","features":[189]},{"name":"PERF_COUNTERSET_SINGLE_INSTANCE","features":[189]},{"name":"PERF_COUNTER_AGGREGATE_FUNC","features":[189]},{"name":"PERF_COUNTER_BASE","features":[189]},{"name":"PERF_COUNTER_BLOCK","features":[189]},{"name":"PERF_COUNTER_DATA","features":[189]},{"name":"PERF_COUNTER_DEFINITION","features":[189]},{"name":"PERF_COUNTER_DEFINITION","features":[189]},{"name":"PERF_COUNTER_ELAPSED","features":[189]},{"name":"PERF_COUNTER_FRACTION","features":[189]},{"name":"PERF_COUNTER_HEADER","features":[189]},{"name":"PERF_COUNTER_HISTOGRAM","features":[189]},{"name":"PERF_COUNTER_HISTOGRAM_TYPE","features":[189]},{"name":"PERF_COUNTER_IDENTIFIER","features":[189]},{"name":"PERF_COUNTER_IDENTITY","features":[189]},{"name":"PERF_COUNTER_INFO","features":[189]},{"name":"PERF_COUNTER_PRECISION","features":[189]},{"name":"PERF_COUNTER_QUEUELEN","features":[189]},{"name":"PERF_COUNTER_RATE","features":[189]},{"name":"PERF_COUNTER_REG_INFO","features":[189]},{"name":"PERF_COUNTER_VALUE","features":[189]},{"name":"PERF_DATA_BLOCK","features":[1,189]},{"name":"PERF_DATA_HEADER","features":[1,189]},{"name":"PERF_DATA_REVISION","features":[189]},{"name":"PERF_DATA_VERSION","features":[189]},{"name":"PERF_DELTA_BASE","features":[189]},{"name":"PERF_DELTA_COUNTER","features":[189]},{"name":"PERF_DETAIL","features":[189]},{"name":"PERF_DETAIL_ADVANCED","features":[189]},{"name":"PERF_DETAIL_EXPERT","features":[189]},{"name":"PERF_DETAIL_NOVICE","features":[189]},{"name":"PERF_DETAIL_WIZARD","features":[189]},{"name":"PERF_DISPLAY_NOSHOW","features":[189]},{"name":"PERF_DISPLAY_NO_SUFFIX","features":[189]},{"name":"PERF_DISPLAY_PERCENT","features":[189]},{"name":"PERF_DISPLAY_PER_SEC","features":[189]},{"name":"PERF_DISPLAY_SECONDS","features":[189]},{"name":"PERF_ENUM_INSTANCES","features":[189]},{"name":"PERF_ERROR_RETURN","features":[189]},{"name":"PERF_FILTER","features":[189]},{"name":"PERF_INSTANCE_DEFINITION","features":[189]},{"name":"PERF_INSTANCE_HEADER","features":[189]},{"name":"PERF_INVERSE_COUNTER","features":[189]},{"name":"PERF_MAX_INSTANCE_NAME","features":[189]},{"name":"PERF_MEM_ALLOC","features":[189]},{"name":"PERF_MEM_FREE","features":[189]},{"name":"PERF_METADATA_MULTIPLE_INSTANCES","features":[189]},{"name":"PERF_METADATA_NO_INSTANCES","features":[189]},{"name":"PERF_MULTIPLE_COUNTERS","features":[189]},{"name":"PERF_MULTIPLE_INSTANCES","features":[189]},{"name":"PERF_MULTI_COUNTER","features":[189]},{"name":"PERF_MULTI_COUNTERS","features":[189]},{"name":"PERF_MULTI_INSTANCES","features":[189]},{"name":"PERF_NO_INSTANCES","features":[189]},{"name":"PERF_NO_UNIQUE_ID","features":[189]},{"name":"PERF_NUMBER_DECIMAL","features":[189]},{"name":"PERF_NUMBER_DEC_1000","features":[189]},{"name":"PERF_NUMBER_HEX","features":[189]},{"name":"PERF_OBJECT_TIMER","features":[189]},{"name":"PERF_OBJECT_TYPE","features":[189]},{"name":"PERF_OBJECT_TYPE","features":[189]},{"name":"PERF_PROVIDER_CONTEXT","features":[189]},{"name":"PERF_PROVIDER_DRIVER","features":[189]},{"name":"PERF_PROVIDER_KERNEL_MODE","features":[189]},{"name":"PERF_PROVIDER_USER_MODE","features":[189]},{"name":"PERF_REG_COUNTERSET_ENGLISH_NAME","features":[189]},{"name":"PERF_REG_COUNTERSET_HELP_STRING","features":[189]},{"name":"PERF_REG_COUNTERSET_NAME_STRING","features":[189]},{"name":"PERF_REG_COUNTERSET_STRUCT","features":[189]},{"name":"PERF_REG_COUNTER_ENGLISH_NAMES","features":[189]},{"name":"PERF_REG_COUNTER_HELP_STRINGS","features":[189]},{"name":"PERF_REG_COUNTER_NAME_STRINGS","features":[189]},{"name":"PERF_REG_COUNTER_STRUCT","features":[189]},{"name":"PERF_REG_PROVIDER_GUID","features":[189]},{"name":"PERF_REG_PROVIDER_NAME","features":[189]},{"name":"PERF_REMOVE_COUNTER","features":[189]},{"name":"PERF_SINGLE_COUNTER","features":[189]},{"name":"PERF_SIZE_DWORD","features":[189]},{"name":"PERF_SIZE_LARGE","features":[189]},{"name":"PERF_SIZE_VARIABLE_LEN","features":[189]},{"name":"PERF_SIZE_ZERO","features":[189]},{"name":"PERF_STRING_BUFFER_HEADER","features":[189]},{"name":"PERF_STRING_COUNTER_HEADER","features":[189]},{"name":"PERF_TEXT_ASCII","features":[189]},{"name":"PERF_TEXT_UNICODE","features":[189]},{"name":"PERF_TIMER_100NS","features":[189]},{"name":"PERF_TIMER_TICK","features":[189]},{"name":"PERF_TYPE_COUNTER","features":[189]},{"name":"PERF_TYPE_NUMBER","features":[189]},{"name":"PERF_TYPE_TEXT","features":[189]},{"name":"PERF_TYPE_ZERO","features":[189]},{"name":"PERF_WILDCARD_COUNTER","features":[189]},{"name":"PERF_WILDCARD_INSTANCE","features":[189]},{"name":"PLAL_ALERT_CMD_LINE_A_NAME","features":[189]},{"name":"PLAL_ALERT_CMD_LINE_C_NAME","features":[189]},{"name":"PLAL_ALERT_CMD_LINE_D_TIME","features":[189]},{"name":"PLAL_ALERT_CMD_LINE_L_VAL","features":[189]},{"name":"PLAL_ALERT_CMD_LINE_MASK","features":[189]},{"name":"PLAL_ALERT_CMD_LINE_M_VAL","features":[189]},{"name":"PLAL_ALERT_CMD_LINE_SINGLE","features":[189]},{"name":"PLAL_ALERT_CMD_LINE_U_TEXT","features":[189]},{"name":"PLA_CABEXTRACT_CALLBACK","features":[189]},{"name":"PLA_CAPABILITY_AUTOLOGGER","features":[189]},{"name":"PLA_CAPABILITY_LEGACY_SESSION","features":[189]},{"name":"PLA_CAPABILITY_LEGACY_SVC","features":[189]},{"name":"PLA_CAPABILITY_LOCAL","features":[189]},{"name":"PLA_CAPABILITY_V1_SESSION","features":[189]},{"name":"PLA_CAPABILITY_V1_SVC","features":[189]},{"name":"PLA_CAPABILITY_V1_SYSTEM","features":[189]},{"name":"PM_CLOSE_PROC","features":[189]},{"name":"PM_COLLECT_PROC","features":[189]},{"name":"PM_OPEN_PROC","features":[189]},{"name":"PdhAddCounterA","features":[189]},{"name":"PdhAddCounterW","features":[189]},{"name":"PdhAddEnglishCounterA","features":[189]},{"name":"PdhAddEnglishCounterW","features":[189]},{"name":"PdhBindInputDataSourceA","features":[189]},{"name":"PdhBindInputDataSourceW","features":[189]},{"name":"PdhBrowseCountersA","features":[1,189]},{"name":"PdhBrowseCountersHA","features":[1,189]},{"name":"PdhBrowseCountersHW","features":[1,189]},{"name":"PdhBrowseCountersW","features":[1,189]},{"name":"PdhCalculateCounterFromRawValue","features":[1,189]},{"name":"PdhCloseLog","features":[189]},{"name":"PdhCloseQuery","features":[189]},{"name":"PdhCollectQueryData","features":[189]},{"name":"PdhCollectQueryDataEx","features":[1,189]},{"name":"PdhCollectQueryDataWithTime","features":[189]},{"name":"PdhComputeCounterStatistics","features":[1,189]},{"name":"PdhConnectMachineA","features":[189]},{"name":"PdhConnectMachineW","features":[189]},{"name":"PdhCreateSQLTablesA","features":[189]},{"name":"PdhCreateSQLTablesW","features":[189]},{"name":"PdhEnumLogSetNamesA","features":[189]},{"name":"PdhEnumLogSetNamesW","features":[189]},{"name":"PdhEnumMachinesA","features":[189]},{"name":"PdhEnumMachinesHA","features":[189]},{"name":"PdhEnumMachinesHW","features":[189]},{"name":"PdhEnumMachinesW","features":[189]},{"name":"PdhEnumObjectItemsA","features":[189]},{"name":"PdhEnumObjectItemsHA","features":[189]},{"name":"PdhEnumObjectItemsHW","features":[189]},{"name":"PdhEnumObjectItemsW","features":[189]},{"name":"PdhEnumObjectsA","features":[1,189]},{"name":"PdhEnumObjectsHA","features":[1,189]},{"name":"PdhEnumObjectsHW","features":[1,189]},{"name":"PdhEnumObjectsW","features":[1,189]},{"name":"PdhExpandCounterPathA","features":[189]},{"name":"PdhExpandCounterPathW","features":[189]},{"name":"PdhExpandWildCardPathA","features":[189]},{"name":"PdhExpandWildCardPathHA","features":[189]},{"name":"PdhExpandWildCardPathHW","features":[189]},{"name":"PdhExpandWildCardPathW","features":[189]},{"name":"PdhFormatFromRawValue","features":[1,189]},{"name":"PdhGetCounterInfoA","features":[1,189]},{"name":"PdhGetCounterInfoW","features":[1,189]},{"name":"PdhGetCounterTimeBase","features":[189]},{"name":"PdhGetDataSourceTimeRangeA","features":[189]},{"name":"PdhGetDataSourceTimeRangeH","features":[189]},{"name":"PdhGetDataSourceTimeRangeW","features":[189]},{"name":"PdhGetDefaultPerfCounterA","features":[189]},{"name":"PdhGetDefaultPerfCounterHA","features":[189]},{"name":"PdhGetDefaultPerfCounterHW","features":[189]},{"name":"PdhGetDefaultPerfCounterW","features":[189]},{"name":"PdhGetDefaultPerfObjectA","features":[189]},{"name":"PdhGetDefaultPerfObjectHA","features":[189]},{"name":"PdhGetDefaultPerfObjectHW","features":[189]},{"name":"PdhGetDefaultPerfObjectW","features":[189]},{"name":"PdhGetDllVersion","features":[189]},{"name":"PdhGetFormattedCounterArrayA","features":[189]},{"name":"PdhGetFormattedCounterArrayW","features":[189]},{"name":"PdhGetFormattedCounterValue","features":[189]},{"name":"PdhGetLogFileSize","features":[189]},{"name":"PdhGetLogSetGUID","features":[189]},{"name":"PdhGetRawCounterArrayA","features":[1,189]},{"name":"PdhGetRawCounterArrayW","features":[1,189]},{"name":"PdhGetRawCounterValue","features":[1,189]},{"name":"PdhIsRealTimeQuery","features":[1,189]},{"name":"PdhLookupPerfIndexByNameA","features":[189]},{"name":"PdhLookupPerfIndexByNameW","features":[189]},{"name":"PdhLookupPerfNameByIndexA","features":[189]},{"name":"PdhLookupPerfNameByIndexW","features":[189]},{"name":"PdhMakeCounterPathA","features":[189]},{"name":"PdhMakeCounterPathW","features":[189]},{"name":"PdhOpenLogA","features":[189]},{"name":"PdhOpenLogW","features":[189]},{"name":"PdhOpenQueryA","features":[189]},{"name":"PdhOpenQueryH","features":[189]},{"name":"PdhOpenQueryW","features":[189]},{"name":"PdhParseCounterPathA","features":[189]},{"name":"PdhParseCounterPathW","features":[189]},{"name":"PdhParseInstanceNameA","features":[189]},{"name":"PdhParseInstanceNameW","features":[189]},{"name":"PdhReadRawLogRecord","features":[1,189]},{"name":"PdhRemoveCounter","features":[189]},{"name":"PdhSelectDataSourceA","features":[1,189]},{"name":"PdhSelectDataSourceW","features":[1,189]},{"name":"PdhSetCounterScaleFactor","features":[189]},{"name":"PdhSetDefaultRealTimeDataSource","features":[189]},{"name":"PdhSetLogSetRunID","features":[189]},{"name":"PdhSetQueryTimeRange","features":[189]},{"name":"PdhUpdateLogA","features":[189]},{"name":"PdhUpdateLogFileCatalog","features":[189]},{"name":"PdhUpdateLogW","features":[189]},{"name":"PdhValidatePathA","features":[189]},{"name":"PdhValidatePathExA","features":[189]},{"name":"PdhValidatePathExW","features":[189]},{"name":"PdhValidatePathW","features":[189]},{"name":"PdhVerifySQLDBA","features":[189]},{"name":"PdhVerifySQLDBW","features":[189]},{"name":"PerfAddCounters","features":[1,189]},{"name":"PerfCloseQueryHandle","features":[1,189]},{"name":"PerfCounterDataType","features":[189]},{"name":"PerfCreateInstance","features":[1,189]},{"name":"PerfDecrementULongCounterValue","features":[1,189]},{"name":"PerfDecrementULongLongCounterValue","features":[1,189]},{"name":"PerfDeleteCounters","features":[1,189]},{"name":"PerfDeleteInstance","features":[1,189]},{"name":"PerfEnumerateCounterSet","features":[189]},{"name":"PerfEnumerateCounterSetInstances","features":[189]},{"name":"PerfIncrementULongCounterValue","features":[1,189]},{"name":"PerfIncrementULongLongCounterValue","features":[1,189]},{"name":"PerfOpenQueryHandle","features":[1,189]},{"name":"PerfQueryCounterData","features":[1,189]},{"name":"PerfQueryCounterInfo","features":[1,189]},{"name":"PerfQueryCounterSetRegistrationInfo","features":[189]},{"name":"PerfQueryInstance","features":[1,189]},{"name":"PerfRegInfoType","features":[189]},{"name":"PerfSetCounterRefValue","features":[1,189]},{"name":"PerfSetCounterSetInfo","features":[1,189]},{"name":"PerfSetULongCounterValue","features":[1,189]},{"name":"PerfSetULongLongCounterValue","features":[1,189]},{"name":"PerfStartProvider","features":[1,189]},{"name":"PerfStartProviderEx","features":[1,189]},{"name":"PerfStopProvider","features":[1,189]},{"name":"QueryPerformanceCounter","features":[1,189]},{"name":"QueryPerformanceFrequency","features":[1,189]},{"name":"REAL_TIME_DATA_SOURCE_ID_FLAGS","features":[189]},{"name":"ReportValueTypeConstants","features":[189]},{"name":"ResourcePolicy","features":[189]},{"name":"RestorePerfRegistryFromFileW","features":[189]},{"name":"S_PDH","features":[189]},{"name":"ServerDataCollectorSet","features":[189]},{"name":"ServerDataCollectorSetCollection","features":[189]},{"name":"SetServiceAsTrustedA","features":[189]},{"name":"SetServiceAsTrustedW","features":[189]},{"name":"SourcePropPage","features":[189]},{"name":"StreamMode","features":[189]},{"name":"SysmonBatchReason","features":[189]},{"name":"SysmonDataType","features":[189]},{"name":"SysmonFileType","features":[189]},{"name":"SystemDataCollectorSet","features":[189]},{"name":"SystemDataCollectorSetCollection","features":[189]},{"name":"SystemMonitor","features":[189]},{"name":"SystemMonitor2","features":[189]},{"name":"TraceDataProvider","features":[189]},{"name":"TraceDataProviderCollection","features":[189]},{"name":"TraceSession","features":[189]},{"name":"TraceSessionCollection","features":[189]},{"name":"UnloadPerfCounterTextStringsA","features":[1,189]},{"name":"UnloadPerfCounterTextStringsW","features":[1,189]},{"name":"UpdatePerfNameFilesA","features":[189]},{"name":"UpdatePerfNameFilesW","features":[189]},{"name":"ValueMapType","features":[189]},{"name":"WINPERF_LOG_DEBUG","features":[189]},{"name":"WINPERF_LOG_NONE","features":[189]},{"name":"WINPERF_LOG_USER","features":[189]},{"name":"WINPERF_LOG_VERBOSE","features":[189]},{"name":"WeekDays","features":[189]},{"name":"_ICounterItemUnion","features":[189]},{"name":"_ISystemMonitorUnion","features":[189]},{"name":"plaAlert","features":[189]},{"name":"plaApiTrace","features":[189]},{"name":"plaBinary","features":[189]},{"name":"plaBoth","features":[189]},{"name":"plaBuffering","features":[189]},{"name":"plaCommaSeparated","features":[189]},{"name":"plaCompiling","features":[189]},{"name":"plaComputer","features":[189]},{"name":"plaConfiguration","features":[189]},{"name":"plaCreateCab","features":[189]},{"name":"plaCreateHtml","features":[189]},{"name":"plaCreateNew","features":[189]},{"name":"plaCreateOrModify","features":[189]},{"name":"plaCreateReport","features":[189]},{"name":"plaCycle","features":[189]},{"name":"plaDeleteCab","features":[189]},{"name":"plaDeleteData","features":[189]},{"name":"plaDeleteLargest","features":[189]},{"name":"plaDeleteOldest","features":[189]},{"name":"plaDeleteReport","features":[189]},{"name":"plaEveryday","features":[189]},{"name":"plaFile","features":[189]},{"name":"plaFlag","features":[189]},{"name":"plaFlagArray","features":[189]},{"name":"plaFlushTrace","features":[189]},{"name":"plaFolderActions","features":[189]},{"name":"plaFriday","features":[189]},{"name":"plaIndex","features":[189]},{"name":"plaModify","features":[189]},{"name":"plaMonday","features":[189]},{"name":"plaMonthDayHour","features":[189]},{"name":"plaMonthDayHourMinute","features":[189]},{"name":"plaNone","features":[189]},{"name":"plaPattern","features":[189]},{"name":"plaPending","features":[189]},{"name":"plaPerformance","features":[189]},{"name":"plaPerformanceCounter","features":[189]},{"name":"plaRealTime","features":[189]},{"name":"plaResourceFreeing","features":[189]},{"name":"plaRunOnce","features":[189]},{"name":"plaRunRules","features":[189]},{"name":"plaRunning","features":[189]},{"name":"plaSaturday","features":[189]},{"name":"plaSendCab","features":[189]},{"name":"plaSerialNumber","features":[189]},{"name":"plaSql","features":[189]},{"name":"plaStopped","features":[189]},{"name":"plaSunday","features":[189]},{"name":"plaSystem","features":[189]},{"name":"plaTabSeparated","features":[189]},{"name":"plaThursday","features":[189]},{"name":"plaTimeStamp","features":[189]},{"name":"plaTrace","features":[189]},{"name":"plaTuesday","features":[189]},{"name":"plaUndefined","features":[189]},{"name":"plaUpdateRunningInstance","features":[189]},{"name":"plaValidateOnly","features":[189]},{"name":"plaValidation","features":[189]},{"name":"plaWednesday","features":[189]},{"name":"plaYearDayOfYear","features":[189]},{"name":"plaYearMonth","features":[189]},{"name":"plaYearMonthDay","features":[189]},{"name":"plaYearMonthDayHour","features":[189]},{"name":"sysmonAverage","features":[189]},{"name":"sysmonBatchAddCounters","features":[189]},{"name":"sysmonBatchAddFiles","features":[189]},{"name":"sysmonBatchAddFilesAutoCounters","features":[189]},{"name":"sysmonBatchNone","features":[189]},{"name":"sysmonChartArea","features":[189]},{"name":"sysmonChartStackedArea","features":[189]},{"name":"sysmonCurrentActivity","features":[189]},{"name":"sysmonCurrentValue","features":[189]},{"name":"sysmonDataAvg","features":[189]},{"name":"sysmonDataCount","features":[189]},{"name":"sysmonDataMax","features":[189]},{"name":"sysmonDataMin","features":[189]},{"name":"sysmonDataTime","features":[189]},{"name":"sysmonDefaultValue","features":[189]},{"name":"sysmonFileBlg","features":[189]},{"name":"sysmonFileCsv","features":[189]},{"name":"sysmonFileGif","features":[189]},{"name":"sysmonFileHtml","features":[189]},{"name":"sysmonFileReport","features":[189]},{"name":"sysmonFileRetiredBlg","features":[189]},{"name":"sysmonFileTsv","features":[189]},{"name":"sysmonHistogram","features":[189]},{"name":"sysmonLineGraph","features":[189]},{"name":"sysmonLogFiles","features":[189]},{"name":"sysmonMaximum","features":[189]},{"name":"sysmonMinimum","features":[189]},{"name":"sysmonNullDataSource","features":[189]},{"name":"sysmonReport","features":[189]},{"name":"sysmonSqlLog","features":[189]}],"589":[{"name":"DisableThreadProfiling","features":[1,190]},{"name":"EnableThreadProfiling","features":[1,190]},{"name":"HARDWARE_COUNTER_DATA","features":[190]},{"name":"HARDWARE_COUNTER_TYPE","features":[190]},{"name":"MaxHardwareCounterType","features":[190]},{"name":"PERFORMANCE_DATA","features":[190]},{"name":"PMCCounter","features":[190]},{"name":"QueryThreadProfiling","features":[1,190]},{"name":"ReadThreadProfilingData","features":[1,190]}],"590":[{"name":"CallNamedPipeA","features":[1,191]},{"name":"CallNamedPipeW","features":[1,191]},{"name":"ConnectNamedPipe","features":[1,6,191]},{"name":"CreateNamedPipeA","features":[1,4,21,191]},{"name":"CreateNamedPipeW","features":[1,4,21,191]},{"name":"CreatePipe","features":[1,4,191]},{"name":"DisconnectNamedPipe","features":[1,191]},{"name":"GetNamedPipeClientComputerNameA","features":[1,191]},{"name":"GetNamedPipeClientComputerNameW","features":[1,191]},{"name":"GetNamedPipeClientProcessId","features":[1,191]},{"name":"GetNamedPipeClientSessionId","features":[1,191]},{"name":"GetNamedPipeHandleStateA","features":[1,191]},{"name":"GetNamedPipeHandleStateW","features":[1,191]},{"name":"GetNamedPipeInfo","features":[1,191]},{"name":"GetNamedPipeServerProcessId","features":[1,191]},{"name":"GetNamedPipeServerSessionId","features":[1,191]},{"name":"ImpersonateNamedPipeClient","features":[1,191]},{"name":"NAMED_PIPE_MODE","features":[191]},{"name":"NMPWAIT_NOWAIT","features":[191]},{"name":"NMPWAIT_USE_DEFAULT_WAIT","features":[191]},{"name":"NMPWAIT_WAIT_FOREVER","features":[191]},{"name":"PIPE_ACCEPT_REMOTE_CLIENTS","features":[191]},{"name":"PIPE_CLIENT_END","features":[191]},{"name":"PIPE_NOWAIT","features":[191]},{"name":"PIPE_READMODE_BYTE","features":[191]},{"name":"PIPE_READMODE_MESSAGE","features":[191]},{"name":"PIPE_REJECT_REMOTE_CLIENTS","features":[191]},{"name":"PIPE_SERVER_END","features":[191]},{"name":"PIPE_TYPE_BYTE","features":[191]},{"name":"PIPE_TYPE_MESSAGE","features":[191]},{"name":"PIPE_UNLIMITED_INSTANCES","features":[191]},{"name":"PIPE_WAIT","features":[191]},{"name":"PeekNamedPipe","features":[1,191]},{"name":"SetNamedPipeHandleState","features":[1,191]},{"name":"TransactNamedPipe","features":[1,6,191]},{"name":"WaitNamedPipeA","features":[1,191]},{"name":"WaitNamedPipeW","features":[1,191]}],"591":[{"name":"ACCESS_ACTIVE_OVERLAY_SCHEME","features":[8]},{"name":"ACCESS_ACTIVE_SCHEME","features":[8]},{"name":"ACCESS_AC_POWER_SETTING_INDEX","features":[8]},{"name":"ACCESS_AC_POWER_SETTING_MAX","features":[8]},{"name":"ACCESS_AC_POWER_SETTING_MIN","features":[8]},{"name":"ACCESS_ATTRIBUTES","features":[8]},{"name":"ACCESS_CREATE_SCHEME","features":[8]},{"name":"ACCESS_DC_POWER_SETTING_INDEX","features":[8]},{"name":"ACCESS_DC_POWER_SETTING_MAX","features":[8]},{"name":"ACCESS_DC_POWER_SETTING_MIN","features":[8]},{"name":"ACCESS_DEFAULT_AC_POWER_SETTING","features":[8]},{"name":"ACCESS_DEFAULT_DC_POWER_SETTING","features":[8]},{"name":"ACCESS_DEFAULT_SECURITY_DESCRIPTOR","features":[8]},{"name":"ACCESS_DESCRIPTION","features":[8]},{"name":"ACCESS_FRIENDLY_NAME","features":[8]},{"name":"ACCESS_ICON_RESOURCE","features":[8]},{"name":"ACCESS_INDIVIDUAL_SETTING","features":[8]},{"name":"ACCESS_OVERLAY_SCHEME","features":[8]},{"name":"ACCESS_POSSIBLE_POWER_SETTING","features":[8]},{"name":"ACCESS_POSSIBLE_POWER_SETTING_DESCRIPTION","features":[8]},{"name":"ACCESS_POSSIBLE_POWER_SETTING_FRIENDLY_NAME","features":[8]},{"name":"ACCESS_POSSIBLE_VALUE_INCREMENT","features":[8]},{"name":"ACCESS_POSSIBLE_VALUE_MAX","features":[8]},{"name":"ACCESS_POSSIBLE_VALUE_MIN","features":[8]},{"name":"ACCESS_POSSIBLE_VALUE_UNITS","features":[8]},{"name":"ACCESS_PROFILE","features":[8]},{"name":"ACCESS_SCHEME","features":[8]},{"name":"ACCESS_SUBGROUP","features":[8]},{"name":"ACPI_REAL_TIME","features":[8]},{"name":"ACPI_TIME_ADJUST_DAYLIGHT","features":[8]},{"name":"ACPI_TIME_AND_ALARM_CAPABILITIES","features":[1,8]},{"name":"ACPI_TIME_IN_DAYLIGHT","features":[8]},{"name":"ACPI_TIME_RESOLUTION","features":[8]},{"name":"ACPI_TIME_ZONE_UNKNOWN","features":[8]},{"name":"ACTIVE_COOLING","features":[8]},{"name":"ADMINISTRATOR_POWER_POLICY","features":[8]},{"name":"ALTITUDE_GROUP_POLICY","features":[8]},{"name":"ALTITUDE_INTERNAL_OVERRIDE","features":[8]},{"name":"ALTITUDE_OEM_CUSTOMIZATION","features":[8]},{"name":"ALTITUDE_OS_DEFAULT","features":[8]},{"name":"ALTITUDE_PROVISIONING","features":[8]},{"name":"ALTITUDE_RUNTIME_OVERRIDE","features":[8]},{"name":"ALTITUDE_USER","features":[8]},{"name":"AcpiTimeResolutionMax","features":[8]},{"name":"AcpiTimeResolutionMilliseconds","features":[8]},{"name":"AcpiTimeResolutionSeconds","features":[8]},{"name":"AdministratorPowerPolicy","features":[8]},{"name":"BATTERY_CAPACITY_RELATIVE","features":[8]},{"name":"BATTERY_CHARGER_STATUS","features":[8]},{"name":"BATTERY_CHARGING","features":[8]},{"name":"BATTERY_CHARGING_SOURCE","features":[8]},{"name":"BATTERY_CHARGING_SOURCE_INFORMATION","features":[1,8]},{"name":"BATTERY_CHARGING_SOURCE_TYPE","features":[8]},{"name":"BATTERY_CLASS_MAJOR_VERSION","features":[8]},{"name":"BATTERY_CLASS_MINOR_VERSION","features":[8]},{"name":"BATTERY_CLASS_MINOR_VERSION_1","features":[8]},{"name":"BATTERY_CRITICAL","features":[8]},{"name":"BATTERY_CYCLE_COUNT_WMI_GUID","features":[8]},{"name":"BATTERY_DISCHARGING","features":[8]},{"name":"BATTERY_FULL_CHARGED_CAPACITY_WMI_GUID","features":[8]},{"name":"BATTERY_INFORMATION","features":[8]},{"name":"BATTERY_IS_SHORT_TERM","features":[8]},{"name":"BATTERY_MANUFACTURE_DATE","features":[8]},{"name":"BATTERY_MINIPORT_UPDATE_DATA_VER_1","features":[8]},{"name":"BATTERY_MINIPORT_UPDATE_DATA_VER_2","features":[8]},{"name":"BATTERY_POWER_ON_LINE","features":[8]},{"name":"BATTERY_QUERY_INFORMATION","features":[8]},{"name":"BATTERY_QUERY_INFORMATION_LEVEL","features":[8]},{"name":"BATTERY_REPORTING_SCALE","features":[8]},{"name":"BATTERY_RUNTIME_WMI_GUID","features":[8]},{"name":"BATTERY_SEALED","features":[8]},{"name":"BATTERY_SET_CHARGER_ID_SUPPORTED","features":[8]},{"name":"BATTERY_SET_CHARGE_SUPPORTED","features":[8]},{"name":"BATTERY_SET_CHARGINGSOURCE_SUPPORTED","features":[8]},{"name":"BATTERY_SET_DISCHARGE_SUPPORTED","features":[8]},{"name":"BATTERY_SET_INFORMATION","features":[8]},{"name":"BATTERY_SET_INFORMATION_LEVEL","features":[8]},{"name":"BATTERY_STATIC_DATA_WMI_GUID","features":[8]},{"name":"BATTERY_STATUS","features":[8]},{"name":"BATTERY_STATUS_CHANGE_WMI_GUID","features":[8]},{"name":"BATTERY_STATUS_WMI_GUID","features":[8]},{"name":"BATTERY_SYSTEM_BATTERY","features":[8]},{"name":"BATTERY_TAG_CHANGE_WMI_GUID","features":[8]},{"name":"BATTERY_TAG_INVALID","features":[8]},{"name":"BATTERY_TEMPERATURE_WMI_GUID","features":[8]},{"name":"BATTERY_UNKNOWN_CAPACITY","features":[8]},{"name":"BATTERY_UNKNOWN_CURRENT","features":[8]},{"name":"BATTERY_UNKNOWN_RATE","features":[8]},{"name":"BATTERY_UNKNOWN_TIME","features":[8]},{"name":"BATTERY_UNKNOWN_VOLTAGE","features":[8]},{"name":"BATTERY_USB_CHARGER_STATUS","features":[8]},{"name":"BATTERY_USB_CHARGER_STATUS_FN_DEFAULT_USB","features":[8]},{"name":"BATTERY_USB_CHARGER_STATUS_UCM_PD","features":[8]},{"name":"BATTERY_WAIT_STATUS","features":[8]},{"name":"BatteryCharge","features":[8]},{"name":"BatteryChargerId","features":[8]},{"name":"BatteryChargerStatus","features":[8]},{"name":"BatteryChargingSource","features":[8]},{"name":"BatteryChargingSourceType_AC","features":[8]},{"name":"BatteryChargingSourceType_Max","features":[8]},{"name":"BatteryChargingSourceType_USB","features":[8]},{"name":"BatteryChargingSourceType_Wireless","features":[8]},{"name":"BatteryCriticalBias","features":[8]},{"name":"BatteryDeviceName","features":[8]},{"name":"BatteryDeviceState","features":[8]},{"name":"BatteryDischarge","features":[8]},{"name":"BatteryEstimatedTime","features":[8]},{"name":"BatteryGranularityInformation","features":[8]},{"name":"BatteryInformation","features":[8]},{"name":"BatteryManufactureDate","features":[8]},{"name":"BatteryManufactureName","features":[8]},{"name":"BatterySerialNumber","features":[8]},{"name":"BatteryTemperature","features":[8]},{"name":"BatteryUniqueID","features":[8]},{"name":"BlackBoxRecorderDirectAccessBuffer","features":[8]},{"name":"CM_POWER_DATA","features":[8]},{"name":"CallNtPowerInformation","features":[1,8]},{"name":"CanUserWritePwrScheme","features":[1,8]},{"name":"CsDeviceNotification","features":[8]},{"name":"DEVICEPOWER_AND_OPERATION","features":[8]},{"name":"DEVICEPOWER_CLEAR_WAKEENABLED","features":[8]},{"name":"DEVICEPOWER_FILTER_DEVICES_PRESENT","features":[8]},{"name":"DEVICEPOWER_FILTER_HARDWARE","features":[8]},{"name":"DEVICEPOWER_FILTER_ON_NAME","features":[8]},{"name":"DEVICEPOWER_FILTER_WAKEENABLED","features":[8]},{"name":"DEVICEPOWER_FILTER_WAKEPROGRAMMABLE","features":[8]},{"name":"DEVICEPOWER_HARDWAREID","features":[8]},{"name":"DEVICEPOWER_SET_WAKEENABLED","features":[8]},{"name":"DEVICE_NOTIFY_SUBSCRIBE_PARAMETERS","features":[8]},{"name":"DEVICE_POWER_STATE","features":[8]},{"name":"DeletePwrScheme","features":[1,8]},{"name":"DevicePowerClose","features":[1,8]},{"name":"DevicePowerEnumDevices","features":[1,8]},{"name":"DevicePowerOpen","features":[1,8]},{"name":"DevicePowerSetDeviceState","features":[8]},{"name":"DisplayBurst","features":[8]},{"name":"EFFECTIVE_POWER_MODE","features":[8]},{"name":"EFFECTIVE_POWER_MODE_CALLBACK","features":[8]},{"name":"EFFECTIVE_POWER_MODE_V1","features":[8]},{"name":"EFFECTIVE_POWER_MODE_V2","features":[8]},{"name":"EMI_CHANNEL_MEASUREMENT_DATA","features":[8]},{"name":"EMI_CHANNEL_V2","features":[8]},{"name":"EMI_MEASUREMENT_DATA_V2","features":[8]},{"name":"EMI_MEASUREMENT_UNIT","features":[8]},{"name":"EMI_METADATA_SIZE","features":[8]},{"name":"EMI_METADATA_V1","features":[8]},{"name":"EMI_METADATA_V2","features":[8]},{"name":"EMI_NAME_MAX","features":[8]},{"name":"EMI_VERSION","features":[8]},{"name":"EMI_VERSION_V1","features":[8]},{"name":"EMI_VERSION_V2","features":[8]},{"name":"ES_AWAYMODE_REQUIRED","features":[8]},{"name":"ES_CONTINUOUS","features":[8]},{"name":"ES_DISPLAY_REQUIRED","features":[8]},{"name":"ES_SYSTEM_REQUIRED","features":[8]},{"name":"ES_USER_PRESENT","features":[8]},{"name":"EXECUTION_STATE","features":[8]},{"name":"EffectivePowerModeBalanced","features":[8]},{"name":"EffectivePowerModeBatterySaver","features":[8]},{"name":"EffectivePowerModeBetterBattery","features":[8]},{"name":"EffectivePowerModeGameMode","features":[8]},{"name":"EffectivePowerModeHighPerformance","features":[8]},{"name":"EffectivePowerModeMaxPerformance","features":[8]},{"name":"EffectivePowerModeMixedReality","features":[8]},{"name":"EmiMeasurementUnitPicowattHours","features":[8]},{"name":"EnableMultiBatteryDisplay","features":[8]},{"name":"EnablePasswordLogon","features":[8]},{"name":"EnableSysTrayBatteryMeter","features":[8]},{"name":"EnableVideoDimDisplay","features":[8]},{"name":"EnableWakeOnRing","features":[8]},{"name":"EnergyTrackerCreate","features":[8]},{"name":"EnergyTrackerQuery","features":[8]},{"name":"EnumPwrSchemes","features":[1,8]},{"name":"ExitLatencySamplingPercentage","features":[8]},{"name":"FirmwareTableInformationRegistered","features":[8]},{"name":"GLOBAL_MACHINE_POWER_POLICY","features":[8]},{"name":"GLOBAL_POWER_POLICY","features":[1,8]},{"name":"GLOBAL_USER_POWER_POLICY","features":[1,8]},{"name":"GUID_CLASS_INPUT","features":[8]},{"name":"GUID_DEVICE_ACPI_TIME","features":[8]},{"name":"GUID_DEVICE_APPLICATIONLAUNCH_BUTTON","features":[8]},{"name":"GUID_DEVICE_BATTERY","features":[8]},{"name":"GUID_DEVICE_ENERGY_METER","features":[8]},{"name":"GUID_DEVICE_FAN","features":[8]},{"name":"GUID_DEVICE_LID","features":[8]},{"name":"GUID_DEVICE_MEMORY","features":[8]},{"name":"GUID_DEVICE_MESSAGE_INDICATOR","features":[8]},{"name":"GUID_DEVICE_PROCESSOR","features":[8]},{"name":"GUID_DEVICE_SYS_BUTTON","features":[8]},{"name":"GUID_DEVICE_THERMAL_ZONE","features":[8]},{"name":"GUID_DEVINTERFACE_THERMAL_COOLING","features":[8]},{"name":"GUID_DEVINTERFACE_THERMAL_MANAGER","features":[8]},{"name":"GetActivePwrScheme","features":[1,8]},{"name":"GetCurrentPowerPolicies","features":[1,8]},{"name":"GetDevicePowerState","features":[1,8]},{"name":"GetPowerRequestList","features":[8]},{"name":"GetPowerSettingValue","features":[8]},{"name":"GetPwrCapabilities","features":[1,8]},{"name":"GetPwrDiskSpindownRange","features":[1,8]},{"name":"GetSystemPowerStatus","features":[1,8]},{"name":"GroupPark","features":[8]},{"name":"HPOWERNOTIFY","features":[8]},{"name":"IOCTL_ACPI_GET_REAL_TIME","features":[8]},{"name":"IOCTL_ACPI_SET_REAL_TIME","features":[8]},{"name":"IOCTL_BATTERY_CHARGING_SOURCE_CHANGE","features":[8]},{"name":"IOCTL_BATTERY_QUERY_INFORMATION","features":[8]},{"name":"IOCTL_BATTERY_QUERY_STATUS","features":[8]},{"name":"IOCTL_BATTERY_QUERY_TAG","features":[8]},{"name":"IOCTL_BATTERY_SET_INFORMATION","features":[8]},{"name":"IOCTL_EMI_GET_MEASUREMENT","features":[8]},{"name":"IOCTL_EMI_GET_METADATA","features":[8]},{"name":"IOCTL_EMI_GET_METADATA_SIZE","features":[8]},{"name":"IOCTL_EMI_GET_VERSION","features":[8]},{"name":"IOCTL_GET_ACPI_TIME_AND_ALARM_CAPABILITIES","features":[8]},{"name":"IOCTL_GET_PROCESSOR_OBJ_INFO","features":[8]},{"name":"IOCTL_GET_SYS_BUTTON_CAPS","features":[8]},{"name":"IOCTL_GET_SYS_BUTTON_EVENT","features":[8]},{"name":"IOCTL_GET_WAKE_ALARM_POLICY","features":[8]},{"name":"IOCTL_GET_WAKE_ALARM_SYSTEM_POWERSTATE","features":[8]},{"name":"IOCTL_GET_WAKE_ALARM_VALUE","features":[8]},{"name":"IOCTL_NOTIFY_SWITCH_EVENT","features":[8]},{"name":"IOCTL_QUERY_LID","features":[8]},{"name":"IOCTL_RUN_ACTIVE_COOLING_METHOD","features":[8]},{"name":"IOCTL_SET_SYS_MESSAGE_INDICATOR","features":[8]},{"name":"IOCTL_SET_WAKE_ALARM_POLICY","features":[8]},{"name":"IOCTL_SET_WAKE_ALARM_VALUE","features":[8]},{"name":"IOCTL_THERMAL_QUERY_INFORMATION","features":[8]},{"name":"IOCTL_THERMAL_READ_POLICY","features":[8]},{"name":"IOCTL_THERMAL_READ_TEMPERATURE","features":[8]},{"name":"IOCTL_THERMAL_SET_COOLING_POLICY","features":[8]},{"name":"IOCTL_THERMAL_SET_PASSIVE_LIMIT","features":[8]},{"name":"IdleResiliency","features":[8]},{"name":"IsAdminOverrideActive","features":[1,8]},{"name":"IsPwrHibernateAllowed","features":[1,8]},{"name":"IsPwrShutdownAllowed","features":[1,8]},{"name":"IsPwrSuspendAllowed","features":[1,8]},{"name":"IsSystemResumeAutomatic","features":[1,8]},{"name":"LATENCY_TIME","features":[8]},{"name":"LT_DONT_CARE","features":[8]},{"name":"LT_LOWEST_LATENCY","features":[8]},{"name":"LastResumePerformance","features":[8]},{"name":"LastSleepTime","features":[8]},{"name":"LastWakeTime","features":[8]},{"name":"LogicalProcessorIdling","features":[8]},{"name":"MACHINE_POWER_POLICY","features":[8]},{"name":"MACHINE_PROCESSOR_POWER_POLICY","features":[8]},{"name":"MAX_ACTIVE_COOLING_LEVELS","features":[8]},{"name":"MAX_BATTERY_STRING_SIZE","features":[8]},{"name":"MonitorCapabilities","features":[8]},{"name":"MonitorInvocation","features":[8]},{"name":"MonitorRequestReasonAcDcDisplayBurst","features":[8]},{"name":"MonitorRequestReasonAcDcDisplayBurstSuppressed","features":[8]},{"name":"MonitorRequestReasonBatteryCountChange","features":[8]},{"name":"MonitorRequestReasonBatteryCountChangeSuppressed","features":[8]},{"name":"MonitorRequestReasonBatteryPreCritical","features":[8]},{"name":"MonitorRequestReasonBuiltinPanel","features":[8]},{"name":"MonitorRequestReasonDP","features":[8]},{"name":"MonitorRequestReasonDim","features":[8]},{"name":"MonitorRequestReasonDirectedDrips","features":[8]},{"name":"MonitorRequestReasonDisplayRequiredUnDim","features":[8]},{"name":"MonitorRequestReasonFullWake","features":[8]},{"name":"MonitorRequestReasonGracePeriod","features":[8]},{"name":"MonitorRequestReasonIdleTimeout","features":[8]},{"name":"MonitorRequestReasonLid","features":[8]},{"name":"MonitorRequestReasonMax","features":[8]},{"name":"MonitorRequestReasonNearProximity","features":[8]},{"name":"MonitorRequestReasonPdcSignal","features":[8]},{"name":"MonitorRequestReasonPdcSignalFingerprint","features":[8]},{"name":"MonitorRequestReasonPdcSignalHeyCortana","features":[8]},{"name":"MonitorRequestReasonPdcSignalHolographicShell","features":[8]},{"name":"MonitorRequestReasonPdcSignalSensorsHumanPresence","features":[8]},{"name":"MonitorRequestReasonPdcSignalWindowsMobilePwrNotif","features":[8]},{"name":"MonitorRequestReasonPdcSignalWindowsMobileShell","features":[8]},{"name":"MonitorRequestReasonPnP","features":[8]},{"name":"MonitorRequestReasonPoSetSystemState","features":[8]},{"name":"MonitorRequestReasonPolicyChange","features":[8]},{"name":"MonitorRequestReasonPowerButton","features":[8]},{"name":"MonitorRequestReasonRemoteConnection","features":[8]},{"name":"MonitorRequestReasonResumeModernStandby","features":[8]},{"name":"MonitorRequestReasonResumePdc","features":[8]},{"name":"MonitorRequestReasonResumeS4","features":[8]},{"name":"MonitorRequestReasonScMonitorpower","features":[8]},{"name":"MonitorRequestReasonScreenOffRequest","features":[8]},{"name":"MonitorRequestReasonSessionUnlock","features":[8]},{"name":"MonitorRequestReasonSetThreadExecutionState","features":[8]},{"name":"MonitorRequestReasonSleepButton","features":[8]},{"name":"MonitorRequestReasonSxTransition","features":[8]},{"name":"MonitorRequestReasonSystemIdle","features":[8]},{"name":"MonitorRequestReasonSystemStateEntered","features":[8]},{"name":"MonitorRequestReasonTerminal","features":[8]},{"name":"MonitorRequestReasonTerminalInit","features":[8]},{"name":"MonitorRequestReasonThermalStandby","features":[8]},{"name":"MonitorRequestReasonUnknown","features":[8]},{"name":"MonitorRequestReasonUserDisplayBurst","features":[8]},{"name":"MonitorRequestReasonUserInput","features":[8]},{"name":"MonitorRequestReasonUserInputAccelerometer","features":[8]},{"name":"MonitorRequestReasonUserInputHid","features":[8]},{"name":"MonitorRequestReasonUserInputInitialization","features":[8]},{"name":"MonitorRequestReasonUserInputKeyboard","features":[8]},{"name":"MonitorRequestReasonUserInputMouse","features":[8]},{"name":"MonitorRequestReasonUserInputPen","features":[8]},{"name":"MonitorRequestReasonUserInputPoUserPresent","features":[8]},{"name":"MonitorRequestReasonUserInputSessionSwitch","features":[8]},{"name":"MonitorRequestReasonUserInputTouch","features":[8]},{"name":"MonitorRequestReasonUserInputTouchpad","features":[8]},{"name":"MonitorRequestReasonWinrt","features":[8]},{"name":"MonitorRequestTypeOff","features":[8]},{"name":"MonitorRequestTypeOnAndPresent","features":[8]},{"name":"MonitorRequestTypeToggleOn","features":[8]},{"name":"NotifyUserModeLegacyPowerEvent","features":[8]},{"name":"NotifyUserPowerSetting","features":[8]},{"name":"PASSIVE_COOLING","features":[8]},{"name":"PDCAP_S0_SUPPORTED","features":[8]},{"name":"PDCAP_S1_SUPPORTED","features":[8]},{"name":"PDCAP_S2_SUPPORTED","features":[8]},{"name":"PDCAP_S3_SUPPORTED","features":[8]},{"name":"PDCAP_S4_SUPPORTED","features":[8]},{"name":"PDCAP_S5_SUPPORTED","features":[8]},{"name":"PDCAP_WAKE_FROM_S0_SUPPORTED","features":[8]},{"name":"PDCAP_WAKE_FROM_S1_SUPPORTED","features":[8]},{"name":"PDCAP_WAKE_FROM_S2_SUPPORTED","features":[8]},{"name":"PDCAP_WAKE_FROM_S3_SUPPORTED","features":[8]},{"name":"PDEVICE_NOTIFY_CALLBACK_ROUTINE","features":[8]},{"name":"POWERBROADCAST_SETTING","features":[8]},{"name":"POWER_ACTION","features":[8]},{"name":"POWER_ACTION_POLICY","features":[8]},{"name":"POWER_ACTION_POLICY_EVENT_CODE","features":[8]},{"name":"POWER_ATTRIBUTE_HIDE","features":[8]},{"name":"POWER_ATTRIBUTE_SHOW_AOAC","features":[8]},{"name":"POWER_COOLING_MODE","features":[8]},{"name":"POWER_DATA_ACCESSOR","features":[8]},{"name":"POWER_FORCE_TRIGGER_RESET","features":[8]},{"name":"POWER_IDLE_RESILIENCY","features":[8]},{"name":"POWER_INFORMATION_LEVEL","features":[8]},{"name":"POWER_LEVEL_USER_NOTIFY_EXEC","features":[8]},{"name":"POWER_LEVEL_USER_NOTIFY_SOUND","features":[8]},{"name":"POWER_LEVEL_USER_NOTIFY_TEXT","features":[8]},{"name":"POWER_MONITOR_INVOCATION","features":[1,8]},{"name":"POWER_MONITOR_REQUEST_REASON","features":[8]},{"name":"POWER_MONITOR_REQUEST_TYPE","features":[8]},{"name":"POWER_PLATFORM_INFORMATION","features":[1,8]},{"name":"POWER_PLATFORM_ROLE","features":[8]},{"name":"POWER_PLATFORM_ROLE_V1","features":[8]},{"name":"POWER_PLATFORM_ROLE_V2","features":[8]},{"name":"POWER_PLATFORM_ROLE_VERSION","features":[8]},{"name":"POWER_POLICY","features":[1,8]},{"name":"POWER_REQUEST_TYPE","features":[8]},{"name":"POWER_SESSION_ALLOW_EXTERNAL_DMA_DEVICES","features":[1,8]},{"name":"POWER_SESSION_CONNECT","features":[1,8]},{"name":"POWER_SESSION_RIT_STATE","features":[1,8]},{"name":"POWER_SESSION_TIMEOUTS","features":[8]},{"name":"POWER_SESSION_WINLOGON","features":[1,8]},{"name":"POWER_SETTING_ALTITUDE","features":[8]},{"name":"POWER_USER_NOTIFY_BUTTON","features":[8]},{"name":"POWER_USER_NOTIFY_SHUTDOWN","features":[8]},{"name":"POWER_USER_PRESENCE","features":[8]},{"name":"POWER_USER_PRESENCE_TYPE","features":[8]},{"name":"PO_TZ_ACTIVE","features":[8]},{"name":"PO_TZ_INVALID_MODE","features":[8]},{"name":"PO_TZ_PASSIVE","features":[8]},{"name":"PPM_FIRMWARE_ACPI1C2","features":[8]},{"name":"PPM_FIRMWARE_ACPI1C3","features":[8]},{"name":"PPM_FIRMWARE_ACPI1TSTATES","features":[8]},{"name":"PPM_FIRMWARE_CPC","features":[8]},{"name":"PPM_FIRMWARE_CSD","features":[8]},{"name":"PPM_FIRMWARE_CST","features":[8]},{"name":"PPM_FIRMWARE_LPI","features":[8]},{"name":"PPM_FIRMWARE_OSC","features":[8]},{"name":"PPM_FIRMWARE_PCCH","features":[8]},{"name":"PPM_FIRMWARE_PCCP","features":[8]},{"name":"PPM_FIRMWARE_PCT","features":[8]},{"name":"PPM_FIRMWARE_PDC","features":[8]},{"name":"PPM_FIRMWARE_PPC","features":[8]},{"name":"PPM_FIRMWARE_PSD","features":[8]},{"name":"PPM_FIRMWARE_PSS","features":[8]},{"name":"PPM_FIRMWARE_PTC","features":[8]},{"name":"PPM_FIRMWARE_TPC","features":[8]},{"name":"PPM_FIRMWARE_TSD","features":[8]},{"name":"PPM_FIRMWARE_TSS","features":[8]},{"name":"PPM_FIRMWARE_XPSS","features":[8]},{"name":"PPM_IDLESTATES_DATA_GUID","features":[8]},{"name":"PPM_IDLESTATE_CHANGE_GUID","features":[8]},{"name":"PPM_IDLESTATE_EVENT","features":[8]},{"name":"PPM_IDLE_ACCOUNTING","features":[8]},{"name":"PPM_IDLE_ACCOUNTING_EX","features":[8]},{"name":"PPM_IDLE_ACCOUNTING_EX_GUID","features":[8]},{"name":"PPM_IDLE_ACCOUNTING_GUID","features":[8]},{"name":"PPM_IDLE_IMPLEMENTATION_CSTATES","features":[8]},{"name":"PPM_IDLE_IMPLEMENTATION_LPISTATES","features":[8]},{"name":"PPM_IDLE_IMPLEMENTATION_MICROPEP","features":[8]},{"name":"PPM_IDLE_IMPLEMENTATION_NONE","features":[8]},{"name":"PPM_IDLE_IMPLEMENTATION_PEP","features":[8]},{"name":"PPM_IDLE_STATE_ACCOUNTING","features":[8]},{"name":"PPM_IDLE_STATE_ACCOUNTING_EX","features":[8]},{"name":"PPM_IDLE_STATE_BUCKET_EX","features":[8]},{"name":"PPM_PERFMON_PERFSTATE_GUID","features":[8]},{"name":"PPM_PERFORMANCE_IMPLEMENTATION_CPPC","features":[8]},{"name":"PPM_PERFORMANCE_IMPLEMENTATION_NONE","features":[8]},{"name":"PPM_PERFORMANCE_IMPLEMENTATION_PCCV1","features":[8]},{"name":"PPM_PERFORMANCE_IMPLEMENTATION_PEP","features":[8]},{"name":"PPM_PERFORMANCE_IMPLEMENTATION_PSTATES","features":[8]},{"name":"PPM_PERFSTATES_DATA_GUID","features":[8]},{"name":"PPM_PERFSTATE_CHANGE_GUID","features":[8]},{"name":"PPM_PERFSTATE_DOMAIN_CHANGE_GUID","features":[8]},{"name":"PPM_PERFSTATE_DOMAIN_EVENT","features":[8]},{"name":"PPM_PERFSTATE_EVENT","features":[8]},{"name":"PPM_THERMALCHANGE_EVENT","features":[8]},{"name":"PPM_THERMALCONSTRAINT_GUID","features":[8]},{"name":"PPM_THERMAL_POLICY_CHANGE_GUID","features":[8]},{"name":"PPM_THERMAL_POLICY_EVENT","features":[8]},{"name":"PPM_WMI_IDLE_STATE","features":[8]},{"name":"PPM_WMI_IDLE_STATES","features":[8]},{"name":"PPM_WMI_IDLE_STATES_EX","features":[8]},{"name":"PPM_WMI_LEGACY_PERFSTATE","features":[8]},{"name":"PPM_WMI_PERF_STATE","features":[8]},{"name":"PPM_WMI_PERF_STATES","features":[8]},{"name":"PPM_WMI_PERF_STATES_EX","features":[8]},{"name":"PROCESSOR_NUMBER_PKEY","features":[35,8]},{"name":"PROCESSOR_OBJECT_INFO","features":[8]},{"name":"PROCESSOR_OBJECT_INFO_EX","features":[8]},{"name":"PROCESSOR_POWER_INFORMATION","features":[8]},{"name":"PROCESSOR_POWER_POLICY","features":[8]},{"name":"PROCESSOR_POWER_POLICY_INFO","features":[8]},{"name":"PWRSCHEMESENUMPROC","features":[1,8]},{"name":"PWRSCHEMESENUMPROC_V1","features":[1,8]},{"name":"PdcInvocation","features":[8]},{"name":"PhysicalPowerButtonPress","features":[8]},{"name":"PlatformIdleStates","features":[8]},{"name":"PlatformIdleVeto","features":[8]},{"name":"PlatformInformation","features":[8]},{"name":"PlatformRole","features":[8]},{"name":"PlatformRoleAppliancePC","features":[8]},{"name":"PlatformRoleDesktop","features":[8]},{"name":"PlatformRoleEnterpriseServer","features":[8]},{"name":"PlatformRoleMaximum","features":[8]},{"name":"PlatformRoleMobile","features":[8]},{"name":"PlatformRolePerformanceServer","features":[8]},{"name":"PlatformRoleSOHOServer","features":[8]},{"name":"PlatformRoleSlate","features":[8]},{"name":"PlatformRoleUnspecified","features":[8]},{"name":"PlatformRoleWorkstation","features":[8]},{"name":"PlmPowerRequestCreate","features":[8]},{"name":"PoAc","features":[8]},{"name":"PoConditionMaximum","features":[8]},{"name":"PoDc","features":[8]},{"name":"PoHot","features":[8]},{"name":"PowerActionDisplayOff","features":[8]},{"name":"PowerActionHibernate","features":[8]},{"name":"PowerActionNone","features":[8]},{"name":"PowerActionReserved","features":[8]},{"name":"PowerActionShutdown","features":[8]},{"name":"PowerActionShutdownOff","features":[8]},{"name":"PowerActionShutdownReset","features":[8]},{"name":"PowerActionSleep","features":[8]},{"name":"PowerActionWarmEject","features":[8]},{"name":"PowerCanRestoreIndividualDefaultPowerScheme","features":[1,8]},{"name":"PowerClearRequest","features":[1,8]},{"name":"PowerCreatePossibleSetting","features":[1,8,49]},{"name":"PowerCreateRequest","features":[1,8,37]},{"name":"PowerCreateSetting","features":[1,8,49]},{"name":"PowerDeleteScheme","features":[1,8,49]},{"name":"PowerDeterminePlatformRole","features":[8]},{"name":"PowerDeterminePlatformRoleEx","features":[8]},{"name":"PowerDeviceD0","features":[8]},{"name":"PowerDeviceD1","features":[8]},{"name":"PowerDeviceD2","features":[8]},{"name":"PowerDeviceD3","features":[8]},{"name":"PowerDeviceMaximum","features":[8]},{"name":"PowerDeviceUnspecified","features":[8]},{"name":"PowerDuplicateScheme","features":[1,8,49]},{"name":"PowerEnumerate","features":[1,8,49]},{"name":"PowerGetActiveScheme","features":[1,8,49]},{"name":"PowerImportPowerScheme","features":[1,8,49]},{"name":"PowerInformationInternal","features":[8]},{"name":"PowerInformationLevelMaximum","features":[8]},{"name":"PowerInformationLevelUnused0","features":[8]},{"name":"PowerIsSettingRangeDefined","features":[1,8]},{"name":"PowerOpenSystemPowerKey","features":[1,8,49]},{"name":"PowerOpenUserPowerKey","features":[1,8,49]},{"name":"PowerReadACDefaultIndex","features":[8,49]},{"name":"PowerReadACValue","features":[1,8,49]},{"name":"PowerReadACValueIndex","features":[8,49]},{"name":"PowerReadDCDefaultIndex","features":[8,49]},{"name":"PowerReadDCValue","features":[1,8,49]},{"name":"PowerReadDCValueIndex","features":[8,49]},{"name":"PowerReadDescription","features":[1,8,49]},{"name":"PowerReadFriendlyName","features":[1,8,49]},{"name":"PowerReadIconResourceSpecifier","features":[1,8,49]},{"name":"PowerReadPossibleDescription","features":[1,8,49]},{"name":"PowerReadPossibleFriendlyName","features":[1,8,49]},{"name":"PowerReadPossibleValue","features":[1,8,49]},{"name":"PowerReadSettingAttributes","features":[8]},{"name":"PowerReadValueIncrement","features":[1,8,49]},{"name":"PowerReadValueMax","features":[1,8,49]},{"name":"PowerReadValueMin","features":[1,8,49]},{"name":"PowerReadValueUnitsSpecifier","features":[1,8,49]},{"name":"PowerRegisterForEffectivePowerModeNotifications","features":[8]},{"name":"PowerRegisterSuspendResumeNotification","features":[1,8,50]},{"name":"PowerRemovePowerSetting","features":[1,8]},{"name":"PowerReplaceDefaultPowerSchemes","features":[8]},{"name":"PowerReportThermalEvent","features":[1,8]},{"name":"PowerRequestAction","features":[8]},{"name":"PowerRequestActionInternal","features":[8]},{"name":"PowerRequestAwayModeRequired","features":[8]},{"name":"PowerRequestCreate","features":[8]},{"name":"PowerRequestDisplayRequired","features":[8]},{"name":"PowerRequestExecutionRequired","features":[8]},{"name":"PowerRequestSystemRequired","features":[8]},{"name":"PowerRestoreDefaultPowerSchemes","features":[1,8]},{"name":"PowerRestoreIndividualDefaultPowerScheme","features":[1,8]},{"name":"PowerSetActiveScheme","features":[1,8,49]},{"name":"PowerSetRequest","features":[1,8]},{"name":"PowerSettingAccessCheck","features":[1,8]},{"name":"PowerSettingAccessCheckEx","features":[1,8,49]},{"name":"PowerSettingNotificationName","features":[8]},{"name":"PowerSettingRegisterNotification","features":[1,8,50]},{"name":"PowerSettingUnregisterNotification","features":[1,8]},{"name":"PowerShutdownNotification","features":[8]},{"name":"PowerSystemHibernate","features":[8]},{"name":"PowerSystemMaximum","features":[8]},{"name":"PowerSystemShutdown","features":[8]},{"name":"PowerSystemSleeping1","features":[8]},{"name":"PowerSystemSleeping2","features":[8]},{"name":"PowerSystemSleeping3","features":[8]},{"name":"PowerSystemUnspecified","features":[8]},{"name":"PowerSystemWorking","features":[8]},{"name":"PowerUnregisterFromEffectivePowerModeNotifications","features":[8]},{"name":"PowerUnregisterSuspendResumeNotification","features":[1,8]},{"name":"PowerUserInactive","features":[8]},{"name":"PowerUserInvalid","features":[8]},{"name":"PowerUserMaximum","features":[8]},{"name":"PowerUserNotPresent","features":[8]},{"name":"PowerUserPresent","features":[8]},{"name":"PowerWriteACDefaultIndex","features":[8,49]},{"name":"PowerWriteACValueIndex","features":[8,49]},{"name":"PowerWriteDCDefaultIndex","features":[8,49]},{"name":"PowerWriteDCValueIndex","features":[8,49]},{"name":"PowerWriteDescription","features":[1,8,49]},{"name":"PowerWriteFriendlyName","features":[1,8,49]},{"name":"PowerWriteIconResourceSpecifier","features":[1,8,49]},{"name":"PowerWritePossibleDescription","features":[1,8,49]},{"name":"PowerWritePossibleFriendlyName","features":[1,8,49]},{"name":"PowerWritePossibleValue","features":[1,8,49]},{"name":"PowerWriteSettingAttributes","features":[1,8]},{"name":"PowerWriteValueIncrement","features":[1,8,49]},{"name":"PowerWriteValueMax","features":[1,8,49]},{"name":"PowerWriteValueMin","features":[1,8,49]},{"name":"PowerWriteValueUnitsSpecifier","features":[1,8,49]},{"name":"ProcessorCap","features":[8]},{"name":"ProcessorIdleDomains","features":[8]},{"name":"ProcessorIdleStates","features":[8]},{"name":"ProcessorIdleStatesHv","features":[8]},{"name":"ProcessorIdleVeto","features":[8]},{"name":"ProcessorInformation","features":[8]},{"name":"ProcessorInformationEx","features":[8]},{"name":"ProcessorLoad","features":[8]},{"name":"ProcessorPerfCapHv","features":[8]},{"name":"ProcessorPerfStates","features":[8]},{"name":"ProcessorPerfStatesHv","features":[8]},{"name":"ProcessorPowerPolicyAc","features":[8]},{"name":"ProcessorPowerPolicyCurrent","features":[8]},{"name":"ProcessorPowerPolicyDc","features":[8]},{"name":"ProcessorSetIdle","features":[8]},{"name":"ProcessorStateHandler","features":[8]},{"name":"ProcessorStateHandler2","features":[8]},{"name":"QueryPotentialDripsConstraint","features":[8]},{"name":"RESUME_PERFORMANCE","features":[8]},{"name":"ReadGlobalPwrPolicy","features":[1,8]},{"name":"ReadProcessorPwrScheme","features":[1,8]},{"name":"ReadPwrScheme","features":[1,8]},{"name":"RegisterPowerSettingNotification","features":[1,8,50]},{"name":"RegisterSpmPowerSettings","features":[8]},{"name":"RegisterSuspendResumeNotification","features":[1,8,50]},{"name":"RequestWakeupLatency","features":[1,8]},{"name":"SET_POWER_SETTING_VALUE","features":[8]},{"name":"SYSTEM_BATTERY_STATE","features":[1,8]},{"name":"SYSTEM_POWER_CAPABILITIES","features":[1,8]},{"name":"SYSTEM_POWER_CONDITION","features":[8]},{"name":"SYSTEM_POWER_INFORMATION","features":[8]},{"name":"SYSTEM_POWER_LEVEL","features":[1,8]},{"name":"SYSTEM_POWER_POLICY","features":[1,8]},{"name":"SYSTEM_POWER_STATE","features":[8]},{"name":"SYSTEM_POWER_STATUS","features":[8]},{"name":"SYS_BUTTON_LID","features":[8]},{"name":"SYS_BUTTON_LID_CHANGED","features":[8]},{"name":"SYS_BUTTON_LID_CLOSED","features":[8]},{"name":"SYS_BUTTON_LID_INITIAL","features":[8]},{"name":"SYS_BUTTON_LID_OPEN","features":[8]},{"name":"SYS_BUTTON_LID_STATE_MASK","features":[8]},{"name":"SYS_BUTTON_POWER","features":[8]},{"name":"SYS_BUTTON_SLEEP","features":[8]},{"name":"SYS_BUTTON_WAKE","features":[8]},{"name":"ScreenOff","features":[8]},{"name":"SendSuspendResumeNotification","features":[8]},{"name":"SessionAllowExternalDmaDevices","features":[8]},{"name":"SessionConnectNotification","features":[8]},{"name":"SessionDisplayState","features":[8]},{"name":"SessionLockState","features":[8]},{"name":"SessionPowerCleanup","features":[8]},{"name":"SessionPowerInit","features":[8]},{"name":"SessionRITState","features":[8]},{"name":"SetActivePwrScheme","features":[1,8]},{"name":"SetPowerSettingValue","features":[8]},{"name":"SetShutdownSelectedTime","features":[8]},{"name":"SetSuspendState","features":[1,8]},{"name":"SetSystemPowerState","features":[1,8]},{"name":"SetThreadExecutionState","features":[8]},{"name":"SuspendResumeInvocation","features":[8]},{"name":"SystemBatteryState","features":[8]},{"name":"SystemBatteryStatePrecise","features":[8]},{"name":"SystemExecutionState","features":[8]},{"name":"SystemHiberFileInformation","features":[8]},{"name":"SystemHiberFileSize","features":[8]},{"name":"SystemHiberFileType","features":[8]},{"name":"SystemHiberbootState","features":[8]},{"name":"SystemMonitorHiberBootPowerOff","features":[8]},{"name":"SystemPowerCapabilities","features":[8]},{"name":"SystemPowerInformation","features":[8]},{"name":"SystemPowerLoggingEntry","features":[8]},{"name":"SystemPowerPolicyAc","features":[8]},{"name":"SystemPowerPolicyCurrent","features":[8]},{"name":"SystemPowerPolicyDc","features":[8]},{"name":"SystemPowerStateHandler","features":[8]},{"name":"SystemPowerStateLogging","features":[8]},{"name":"SystemPowerStateNotifyHandler","features":[8]},{"name":"SystemReserveHiberFile","features":[8]},{"name":"SystemVideoState","features":[8]},{"name":"SystemWakeSource","features":[8]},{"name":"THERMAL_COOLING_INTERFACE_VERSION","features":[8]},{"name":"THERMAL_DEVICE_INTERFACE_VERSION","features":[8]},{"name":"THERMAL_EVENT","features":[8]},{"name":"THERMAL_EVENT_VERSION","features":[8]},{"name":"THERMAL_INFORMATION","features":[8]},{"name":"THERMAL_POLICY","features":[1,8]},{"name":"THERMAL_POLICY_VERSION_1","features":[8]},{"name":"THERMAL_POLICY_VERSION_2","features":[8]},{"name":"THERMAL_WAIT_READ","features":[8]},{"name":"TZ_ACTIVATION_REASON_CURRENT","features":[8]},{"name":"TZ_ACTIVATION_REASON_THERMAL","features":[8]},{"name":"ThermalEvent","features":[8]},{"name":"ThermalStandby","features":[8]},{"name":"TraceApplicationPowerMessage","features":[8]},{"name":"TraceApplicationPowerMessageEnd","features":[8]},{"name":"TraceServicePowerMessage","features":[8]},{"name":"UNKNOWN_CAPACITY","features":[8]},{"name":"UNKNOWN_CURRENT","features":[8]},{"name":"UNKNOWN_RATE","features":[8]},{"name":"UNKNOWN_VOLTAGE","features":[8]},{"name":"USB_CHARGER_PORT","features":[8]},{"name":"USER_ACTIVITY_PRESENCE","features":[8]},{"name":"USER_POWER_POLICY","features":[1,8]},{"name":"UnregisterPowerSettingNotification","features":[1,8]},{"name":"UnregisterSuspendResumeNotification","features":[1,8]},{"name":"UpdateBlackBoxRecorder","features":[8]},{"name":"UsbChargerPort_Legacy","features":[8]},{"name":"UsbChargerPort_Max","features":[8]},{"name":"UsbChargerPort_TypeC","features":[8]},{"name":"UserNotPresent","features":[8]},{"name":"UserPresence","features":[8]},{"name":"UserPresent","features":[8]},{"name":"UserUnknown","features":[8]},{"name":"ValidatePowerPolicies","features":[1,8]},{"name":"VerifyProcessorPowerPolicyAc","features":[8]},{"name":"VerifyProcessorPowerPolicyDc","features":[8]},{"name":"VerifySystemPolicyAc","features":[8]},{"name":"VerifySystemPolicyDc","features":[8]},{"name":"WAKE_ALARM_INFORMATION","features":[8]},{"name":"WakeTimerList","features":[8]},{"name":"WriteGlobalPwrPolicy","features":[1,8]},{"name":"WriteProcessorPwrScheme","features":[1,8]},{"name":"WritePwrScheme","features":[1,8]}],"592":[{"name":"ENUM_PAGE_FILE_INFORMATION","features":[192]},{"name":"ENUM_PROCESS_MODULES_EX_FLAGS","features":[192]},{"name":"EmptyWorkingSet","features":[1,192]},{"name":"EnumDeviceDrivers","features":[1,192]},{"name":"EnumPageFilesA","features":[1,192]},{"name":"EnumPageFilesW","features":[1,192]},{"name":"EnumProcessModules","features":[1,192]},{"name":"EnumProcessModulesEx","features":[1,192]},{"name":"EnumProcesses","features":[1,192]},{"name":"GetDeviceDriverBaseNameA","features":[192]},{"name":"GetDeviceDriverBaseNameW","features":[192]},{"name":"GetDeviceDriverFileNameA","features":[192]},{"name":"GetDeviceDriverFileNameW","features":[192]},{"name":"GetMappedFileNameA","features":[1,192]},{"name":"GetMappedFileNameW","features":[1,192]},{"name":"GetModuleBaseNameA","features":[1,192]},{"name":"GetModuleBaseNameW","features":[1,192]},{"name":"GetModuleFileNameExA","features":[1,192]},{"name":"GetModuleFileNameExW","features":[1,192]},{"name":"GetModuleInformation","features":[1,192]},{"name":"GetPerformanceInfo","features":[1,192]},{"name":"GetProcessImageFileNameA","features":[1,192]},{"name":"GetProcessImageFileNameW","features":[1,192]},{"name":"GetProcessMemoryInfo","features":[1,192]},{"name":"GetWsChanges","features":[1,192]},{"name":"GetWsChangesEx","features":[1,192]},{"name":"InitializeProcessForWsWatch","features":[1,192]},{"name":"K32EmptyWorkingSet","features":[1,192]},{"name":"K32EnumDeviceDrivers","features":[1,192]},{"name":"K32EnumPageFilesA","features":[1,192]},{"name":"K32EnumPageFilesW","features":[1,192]},{"name":"K32EnumProcessModules","features":[1,192]},{"name":"K32EnumProcessModulesEx","features":[1,192]},{"name":"K32EnumProcesses","features":[1,192]},{"name":"K32GetDeviceDriverBaseNameA","features":[192]},{"name":"K32GetDeviceDriverBaseNameW","features":[192]},{"name":"K32GetDeviceDriverFileNameA","features":[192]},{"name":"K32GetDeviceDriverFileNameW","features":[192]},{"name":"K32GetMappedFileNameA","features":[1,192]},{"name":"K32GetMappedFileNameW","features":[1,192]},{"name":"K32GetModuleBaseNameA","features":[1,192]},{"name":"K32GetModuleBaseNameW","features":[1,192]},{"name":"K32GetModuleFileNameExA","features":[1,192]},{"name":"K32GetModuleFileNameExW","features":[1,192]},{"name":"K32GetModuleInformation","features":[1,192]},{"name":"K32GetPerformanceInfo","features":[1,192]},{"name":"K32GetProcessImageFileNameA","features":[1,192]},{"name":"K32GetProcessImageFileNameW","features":[1,192]},{"name":"K32GetProcessMemoryInfo","features":[1,192]},{"name":"K32GetWsChanges","features":[1,192]},{"name":"K32GetWsChangesEx","features":[1,192]},{"name":"K32InitializeProcessForWsWatch","features":[1,192]},{"name":"K32QueryWorkingSet","features":[1,192]},{"name":"K32QueryWorkingSetEx","features":[1,192]},{"name":"LIST_MODULES_32BIT","features":[192]},{"name":"LIST_MODULES_64BIT","features":[192]},{"name":"LIST_MODULES_ALL","features":[192]},{"name":"LIST_MODULES_DEFAULT","features":[192]},{"name":"MODULEINFO","features":[192]},{"name":"PENUM_PAGE_FILE_CALLBACKA","features":[1,192]},{"name":"PENUM_PAGE_FILE_CALLBACKW","features":[1,192]},{"name":"PERFORMANCE_INFORMATION","features":[192]},{"name":"PROCESS_MEMORY_COUNTERS","features":[192]},{"name":"PROCESS_MEMORY_COUNTERS_EX","features":[192]},{"name":"PROCESS_MEMORY_COUNTERS_EX2","features":[192]},{"name":"PSAPI_VERSION","features":[192]},{"name":"PSAPI_WORKING_SET_BLOCK","features":[192]},{"name":"PSAPI_WORKING_SET_EX_BLOCK","features":[192]},{"name":"PSAPI_WORKING_SET_EX_INFORMATION","features":[192]},{"name":"PSAPI_WORKING_SET_INFORMATION","features":[192]},{"name":"PSAPI_WS_WATCH_INFORMATION","features":[192]},{"name":"PSAPI_WS_WATCH_INFORMATION_EX","features":[192]},{"name":"QueryWorkingSet","features":[1,192]},{"name":"QueryWorkingSetEx","features":[1,192]}],"594":[{"name":"ApplicationRecoveryFinished","features":[1,193]},{"name":"ApplicationRecoveryInProgress","features":[1,193]},{"name":"GetApplicationRecoveryCallback","features":[1,193,34]},{"name":"GetApplicationRestartSettings","features":[1,193]},{"name":"REGISTER_APPLICATION_RESTART_FLAGS","features":[193]},{"name":"RESTART_NO_CRASH","features":[193]},{"name":"RESTART_NO_HANG","features":[193]},{"name":"RESTART_NO_PATCH","features":[193]},{"name":"RESTART_NO_REBOOT","features":[193]},{"name":"RegisterApplicationRecoveryCallback","features":[193,34]},{"name":"RegisterApplicationRestart","features":[193]},{"name":"UnregisterApplicationRecoveryCallback","features":[193]},{"name":"UnregisterApplicationRestart","features":[193]}],"595":[{"name":"AGP_FLAG_NO_1X_RATE","features":[49]},{"name":"AGP_FLAG_NO_2X_RATE","features":[49]},{"name":"AGP_FLAG_NO_4X_RATE","features":[49]},{"name":"AGP_FLAG_NO_8X_RATE","features":[49]},{"name":"AGP_FLAG_NO_FW_ENABLE","features":[49]},{"name":"AGP_FLAG_NO_SBA_ENABLE","features":[49]},{"name":"AGP_FLAG_REVERSE_INITIALIZATION","features":[49]},{"name":"AGP_FLAG_SPECIAL_RESERVE","features":[49]},{"name":"AGP_FLAG_SPECIAL_TARGET","features":[49]},{"name":"APMMENUSUSPEND_DISABLED","features":[49]},{"name":"APMMENUSUSPEND_ENABLED","features":[49]},{"name":"APMMENUSUSPEND_NOCHANGE","features":[49]},{"name":"APMMENUSUSPEND_UNDOCKED","features":[49]},{"name":"APMTIMEOUT_DISABLED","features":[49]},{"name":"BIF_RAWDEVICENEEDSDRIVER","features":[49]},{"name":"BIF_SHOWSIMILARDRIVERS","features":[49]},{"name":"CSCONFIGFLAG_BITS","features":[49]},{"name":"CSCONFIGFLAG_DISABLED","features":[49]},{"name":"CSCONFIGFLAG_DO_NOT_CREATE","features":[49]},{"name":"CSCONFIGFLAG_DO_NOT_START","features":[49]},{"name":"DMSTATEFLAG_APPLYTOALL","features":[49]},{"name":"DOSOPTF_ALWAYSUSE","features":[49]},{"name":"DOSOPTF_DEFAULT","features":[49]},{"name":"DOSOPTF_INDOSSTART","features":[49]},{"name":"DOSOPTF_MULTIPLE","features":[49]},{"name":"DOSOPTF_NEEDSETUP","features":[49]},{"name":"DOSOPTF_PROVIDESUMB","features":[49]},{"name":"DOSOPTF_SUPPORTED","features":[49]},{"name":"DOSOPTF_USESPMODE","features":[49]},{"name":"DOSOPTGF_DEFCLEAN","features":[49]},{"name":"DRIVERSIGN_BLOCKING","features":[49]},{"name":"DRIVERSIGN_NONE","features":[49]},{"name":"DRIVERSIGN_WARNING","features":[49]},{"name":"DSKTLSYSTEMTIME","features":[49]},{"name":"DTRESULTFIX","features":[49]},{"name":"DTRESULTOK","features":[49]},{"name":"DTRESULTPART","features":[49]},{"name":"DTRESULTPROB","features":[49]},{"name":"EISAFLAG_NO_IO_MERGE","features":[49]},{"name":"EISAFLAG_SLOT_IO_FIRST","features":[49]},{"name":"EISA_NO_MAX_FUNCTION","features":[49]},{"name":"GetRegistryValueWithFallbackW","features":[1,49]},{"name":"HKEY","features":[49]},{"name":"HKEY_CLASSES_ROOT","features":[49]},{"name":"HKEY_CURRENT_CONFIG","features":[49]},{"name":"HKEY_CURRENT_USER","features":[49]},{"name":"HKEY_CURRENT_USER_LOCAL_SETTINGS","features":[49]},{"name":"HKEY_DYN_DATA","features":[49]},{"name":"HKEY_LOCAL_MACHINE","features":[49]},{"name":"HKEY_PERFORMANCE_DATA","features":[49]},{"name":"HKEY_PERFORMANCE_NLSTEXT","features":[49]},{"name":"HKEY_PERFORMANCE_TEXT","features":[49]},{"name":"HKEY_USERS","features":[49]},{"name":"IT_COMPACT","features":[49]},{"name":"IT_CUSTOM","features":[49]},{"name":"IT_PORTABLE","features":[49]},{"name":"IT_TYPICAL","features":[49]},{"name":"KEY_ALL_ACCESS","features":[49]},{"name":"KEY_CREATE_LINK","features":[49]},{"name":"KEY_CREATE_SUB_KEY","features":[49]},{"name":"KEY_ENUMERATE_SUB_KEYS","features":[49]},{"name":"KEY_EXECUTE","features":[49]},{"name":"KEY_NOTIFY","features":[49]},{"name":"KEY_QUERY_VALUE","features":[49]},{"name":"KEY_READ","features":[49]},{"name":"KEY_SET_VALUE","features":[49]},{"name":"KEY_WOW64_32KEY","features":[49]},{"name":"KEY_WOW64_64KEY","features":[49]},{"name":"KEY_WOW64_RES","features":[49]},{"name":"KEY_WRITE","features":[49]},{"name":"LASTGOOD_OPERATION","features":[49]},{"name":"LASTGOOD_OPERATION_DELETE","features":[49]},{"name":"LASTGOOD_OPERATION_NOPOSTPROC","features":[49]},{"name":"MF_FLAGS_CREATE_BUT_NO_SHOW_DISABLED","features":[49]},{"name":"MF_FLAGS_EVEN_IF_NO_RESOURCE","features":[49]},{"name":"MF_FLAGS_FILL_IN_UNKNOWN_RESOURCE","features":[49]},{"name":"MF_FLAGS_NO_CREATE_IF_NO_RESOURCE","features":[49]},{"name":"NUM_EISA_RANGES","features":[49]},{"name":"NUM_RESOURCE_MAP","features":[49]},{"name":"PCIC_DEFAULT_IRQMASK","features":[49]},{"name":"PCIC_DEFAULT_NUMSOCKETS","features":[49]},{"name":"PCI_OPTIONS_USE_BIOS","features":[49]},{"name":"PCI_OPTIONS_USE_IRQ_STEERING","features":[49]},{"name":"PCMCIA_DEF_MEMBEGIN","features":[49]},{"name":"PCMCIA_DEF_MEMEND","features":[49]},{"name":"PCMCIA_DEF_MEMLEN","features":[49]},{"name":"PCMCIA_DEF_MIN_REGION","features":[49]},{"name":"PCMCIA_OPT_AUTOMEM","features":[49]},{"name":"PCMCIA_OPT_HAVE_SOCKET","features":[49]},{"name":"PCMCIA_OPT_NO_APMREMOVE","features":[49]},{"name":"PCMCIA_OPT_NO_AUDIO","features":[49]},{"name":"PCMCIA_OPT_NO_SOUND","features":[49]},{"name":"PIR_OPTION_DEFAULT","features":[49]},{"name":"PIR_OPTION_ENABLED","features":[49]},{"name":"PIR_OPTION_MSSPEC","features":[49]},{"name":"PIR_OPTION_REALMODE","features":[49]},{"name":"PIR_OPTION_REGISTRY","features":[49]},{"name":"PIR_STATUS_DISABLED","features":[49]},{"name":"PIR_STATUS_ENABLED","features":[49]},{"name":"PIR_STATUS_ERROR","features":[49]},{"name":"PIR_STATUS_MAX","features":[49]},{"name":"PIR_STATUS_MINIPORT_COMPATIBLE","features":[49]},{"name":"PIR_STATUS_MINIPORT_ERROR","features":[49]},{"name":"PIR_STATUS_MINIPORT_INVALID","features":[49]},{"name":"PIR_STATUS_MINIPORT_MAX","features":[49]},{"name":"PIR_STATUS_MINIPORT_NOKEY","features":[49]},{"name":"PIR_STATUS_MINIPORT_NONE","features":[49]},{"name":"PIR_STATUS_MINIPORT_NORMAL","features":[49]},{"name":"PIR_STATUS_MINIPORT_OVERRIDE","features":[49]},{"name":"PIR_STATUS_MINIPORT_SUCCESS","features":[49]},{"name":"PIR_STATUS_TABLE_BAD","features":[49]},{"name":"PIR_STATUS_TABLE_ERROR","features":[49]},{"name":"PIR_STATUS_TABLE_MAX","features":[49]},{"name":"PIR_STATUS_TABLE_MSSPEC","features":[49]},{"name":"PIR_STATUS_TABLE_NONE","features":[49]},{"name":"PIR_STATUS_TABLE_REALMODE","features":[49]},{"name":"PIR_STATUS_TABLE_REGISTRY","features":[49]},{"name":"PIR_STATUS_TABLE_SUCCESS","features":[49]},{"name":"PQUERYHANDLER","features":[49]},{"name":"PROVIDER_KEEPS_VALUE_LENGTH","features":[49]},{"name":"PVALUEA","features":[49]},{"name":"PVALUEW","features":[49]},{"name":"REGDF_CONFLICTDMA","features":[49]},{"name":"REGDF_CONFLICTIO","features":[49]},{"name":"REGDF_CONFLICTIRQ","features":[49]},{"name":"REGDF_CONFLICTMEM","features":[49]},{"name":"REGDF_GENFORCEDCONFIG","features":[49]},{"name":"REGDF_MAPIRQ2TO9","features":[49]},{"name":"REGDF_NEEDFULLCONFIG","features":[49]},{"name":"REGDF_NODETCONFIG","features":[49]},{"name":"REGDF_NOTDETDMA","features":[49]},{"name":"REGDF_NOTDETIO","features":[49]},{"name":"REGDF_NOTDETIRQ","features":[49]},{"name":"REGDF_NOTDETMEM","features":[49]},{"name":"REGDF_NOTVERIFIED","features":[49]},{"name":"REGSTR_DATA_NETOS_IPX","features":[49]},{"name":"REGSTR_DATA_NETOS_NDIS","features":[49]},{"name":"REGSTR_DATA_NETOS_ODI","features":[49]},{"name":"REGSTR_DEFAULT_INSTANCE","features":[49]},{"name":"REGSTR_KEY_ACPIENUM","features":[49]},{"name":"REGSTR_KEY_APM","features":[49]},{"name":"REGSTR_KEY_BIOSENUM","features":[49]},{"name":"REGSTR_KEY_CLASS","features":[49]},{"name":"REGSTR_KEY_CONFIG","features":[49]},{"name":"REGSTR_KEY_CONTROL","features":[49]},{"name":"REGSTR_KEY_CRASHES","features":[49]},{"name":"REGSTR_KEY_CURRENT","features":[49]},{"name":"REGSTR_KEY_CURRENT_ENV","features":[49]},{"name":"REGSTR_KEY_DANGERS","features":[49]},{"name":"REGSTR_KEY_DEFAULT","features":[49]},{"name":"REGSTR_KEY_DETMODVARS","features":[49]},{"name":"REGSTR_KEY_DEVICEPARAMETERS","features":[49]},{"name":"REGSTR_KEY_DEVICE_PROPERTIES","features":[49]},{"name":"REGSTR_KEY_DISPLAY_CLASS","features":[49]},{"name":"REGSTR_KEY_DOSOPTCDROM","features":[49]},{"name":"REGSTR_KEY_DOSOPTMOUSE","features":[49]},{"name":"REGSTR_KEY_DRIVERPARAMETERS","features":[49]},{"name":"REGSTR_KEY_DRIVERS","features":[49]},{"name":"REGSTR_KEY_EBDAUTOEXECBATKEYBOARD","features":[49]},{"name":"REGSTR_KEY_EBDAUTOEXECBATLOCAL","features":[49]},{"name":"REGSTR_KEY_EBDCONFIGSYSKEYBOARD","features":[49]},{"name":"REGSTR_KEY_EBDCONFIGSYSLOCAL","features":[49]},{"name":"REGSTR_KEY_EBDFILESKEYBOARD","features":[49]},{"name":"REGSTR_KEY_EBDFILESLOCAL","features":[49]},{"name":"REGSTR_KEY_EISAENUM","features":[49]},{"name":"REGSTR_KEY_ENUM","features":[49]},{"name":"REGSTR_KEY_EXPLORER","features":[49]},{"name":"REGSTR_KEY_FILTERS","features":[49]},{"name":"REGSTR_KEY_INIUPDATE","features":[49]},{"name":"REGSTR_KEY_ISAENUM","features":[49]},{"name":"REGSTR_KEY_JOYCURR","features":[49]},{"name":"REGSTR_KEY_JOYSETTINGS","features":[49]},{"name":"REGSTR_KEY_KEYBOARD_CLASS","features":[49]},{"name":"REGSTR_KEY_KNOWNDOCKINGSTATES","features":[49]},{"name":"REGSTR_KEY_LOGCONFIG","features":[49]},{"name":"REGSTR_KEY_LOGON","features":[49]},{"name":"REGSTR_KEY_LOWER_FILTER_LEVEL_DEFAULT","features":[49]},{"name":"REGSTR_KEY_MEDIA_CLASS","features":[49]},{"name":"REGSTR_KEY_MODEM_CLASS","features":[49]},{"name":"REGSTR_KEY_MODES","features":[49]},{"name":"REGSTR_KEY_MONITOR_CLASS","features":[49]},{"name":"REGSTR_KEY_MOUSE_CLASS","features":[49]},{"name":"REGSTR_KEY_NDISINFO","features":[49]},{"name":"REGSTR_KEY_NETWORK","features":[49]},{"name":"REGSTR_KEY_NETWORKPROVIDER","features":[49]},{"name":"REGSTR_KEY_NETWORK_PERSISTENT","features":[49]},{"name":"REGSTR_KEY_NETWORK_RECENT","features":[49]},{"name":"REGSTR_KEY_OVERRIDE","features":[49]},{"name":"REGSTR_KEY_PCIENUM","features":[49]},{"name":"REGSTR_KEY_PCMCIA","features":[49]},{"name":"REGSTR_KEY_PCMCIAENUM","features":[49]},{"name":"REGSTR_KEY_PCMCIA_CLASS","features":[49]},{"name":"REGSTR_KEY_PCMTD","features":[49]},{"name":"REGSTR_KEY_PCUNKNOWN","features":[49]},{"name":"REGSTR_KEY_POL_COMPUTERS","features":[49]},{"name":"REGSTR_KEY_POL_DEFAULT","features":[49]},{"name":"REGSTR_KEY_POL_USERGROUPDATA","features":[49]},{"name":"REGSTR_KEY_POL_USERGROUPS","features":[49]},{"name":"REGSTR_KEY_POL_USERS","features":[49]},{"name":"REGSTR_KEY_PORTS_CLASS","features":[49]},{"name":"REGSTR_KEY_PRINTERS","features":[49]},{"name":"REGSTR_KEY_PRINT_PROC","features":[49]},{"name":"REGSTR_KEY_ROOTENUM","features":[49]},{"name":"REGSTR_KEY_RUNHISTORY","features":[49]},{"name":"REGSTR_KEY_SCSI_CLASS","features":[49]},{"name":"REGSTR_KEY_SETUP","features":[49]},{"name":"REGSTR_KEY_SHARES","features":[49]},{"name":"REGSTR_KEY_SYSTEM","features":[49]},{"name":"REGSTR_KEY_SYSTEMBOARD","features":[49]},{"name":"REGSTR_KEY_UPPER_FILTER_LEVEL_DEFAULT","features":[49]},{"name":"REGSTR_KEY_USER","features":[49]},{"name":"REGSTR_KEY_VPOWERDENUM","features":[49]},{"name":"REGSTR_KEY_WINOLDAPP","features":[49]},{"name":"REGSTR_MACHTYPE_ATT_PC","features":[49]},{"name":"REGSTR_MACHTYPE_HP_VECTRA","features":[49]},{"name":"REGSTR_MACHTYPE_IBMPC","features":[49]},{"name":"REGSTR_MACHTYPE_IBMPCAT","features":[49]},{"name":"REGSTR_MACHTYPE_IBMPCCONV","features":[49]},{"name":"REGSTR_MACHTYPE_IBMPCJR","features":[49]},{"name":"REGSTR_MACHTYPE_IBMPCXT","features":[49]},{"name":"REGSTR_MACHTYPE_IBMPCXT_286","features":[49]},{"name":"REGSTR_MACHTYPE_IBMPS1","features":[49]},{"name":"REGSTR_MACHTYPE_IBMPS2_25","features":[49]},{"name":"REGSTR_MACHTYPE_IBMPS2_30","features":[49]},{"name":"REGSTR_MACHTYPE_IBMPS2_30_286","features":[49]},{"name":"REGSTR_MACHTYPE_IBMPS2_50","features":[49]},{"name":"REGSTR_MACHTYPE_IBMPS2_50Z","features":[49]},{"name":"REGSTR_MACHTYPE_IBMPS2_55SX","features":[49]},{"name":"REGSTR_MACHTYPE_IBMPS2_60","features":[49]},{"name":"REGSTR_MACHTYPE_IBMPS2_65SX","features":[49]},{"name":"REGSTR_MACHTYPE_IBMPS2_70","features":[49]},{"name":"REGSTR_MACHTYPE_IBMPS2_70_80","features":[49]},{"name":"REGSTR_MACHTYPE_IBMPS2_80","features":[49]},{"name":"REGSTR_MACHTYPE_IBMPS2_90","features":[49]},{"name":"REGSTR_MACHTYPE_IBMPS2_P70","features":[49]},{"name":"REGSTR_MACHTYPE_PHOENIX_PCAT","features":[49]},{"name":"REGSTR_MACHTYPE_UNKNOWN","features":[49]},{"name":"REGSTR_MACHTYPE_ZENITH_PC","features":[49]},{"name":"REGSTR_MAX_VALUE_LENGTH","features":[49]},{"name":"REGSTR_PATH_ADDRARB","features":[49]},{"name":"REGSTR_PATH_AEDEBUG","features":[49]},{"name":"REGSTR_PATH_APPEARANCE","features":[49]},{"name":"REGSTR_PATH_APPPATCH","features":[49]},{"name":"REGSTR_PATH_APPPATHS","features":[49]},{"name":"REGSTR_PATH_BIOSINFO","features":[49]},{"name":"REGSTR_PATH_BUSINFORMATION","features":[49]},{"name":"REGSTR_PATH_CDFS","features":[49]},{"name":"REGSTR_PATH_CHECKBADAPPS","features":[49]},{"name":"REGSTR_PATH_CHECKBADAPPS400","features":[49]},{"name":"REGSTR_PATH_CHECKDISK","features":[49]},{"name":"REGSTR_PATH_CHECKDISKSET","features":[49]},{"name":"REGSTR_PATH_CHECKDISKUDRVS","features":[49]},{"name":"REGSTR_PATH_CHECKVERDLLS","features":[49]},{"name":"REGSTR_PATH_CHILD_PREFIX","features":[49]},{"name":"REGSTR_PATH_CHKLASTCHECK","features":[49]},{"name":"REGSTR_PATH_CHKLASTSURFAN","features":[49]},{"name":"REGSTR_PATH_CLASS","features":[49]},{"name":"REGSTR_PATH_CLASS_NT","features":[49]},{"name":"REGSTR_PATH_CODEPAGE","features":[49]},{"name":"REGSTR_PATH_CODEVICEINSTALLERS","features":[49]},{"name":"REGSTR_PATH_COLORS","features":[49]},{"name":"REGSTR_PATH_COMPUTRNAME","features":[49]},{"name":"REGSTR_PATH_CONTROLPANEL","features":[49]},{"name":"REGSTR_PATH_CONTROLSFOLDER","features":[49]},{"name":"REGSTR_PATH_CRITICALDEVICEDATABASE","features":[49]},{"name":"REGSTR_PATH_CURRENTCONTROLSET","features":[49]},{"name":"REGSTR_PATH_CURRENT_CONTROL_SET","features":[49]},{"name":"REGSTR_PATH_CURSORS","features":[49]},{"name":"REGSTR_PATH_CVNETWORK","features":[49]},{"name":"REGSTR_PATH_DESKTOP","features":[49]},{"name":"REGSTR_PATH_DETECT","features":[49]},{"name":"REGSTR_PATH_DEVICEINSTALLER","features":[49]},{"name":"REGSTR_PATH_DEVICE_CLASSES","features":[49]},{"name":"REGSTR_PATH_DIFX","features":[49]},{"name":"REGSTR_PATH_DISPLAYSETTINGS","features":[49]},{"name":"REGSTR_PATH_DMAARB","features":[49]},{"name":"REGSTR_PATH_DRIVERSIGN","features":[49]},{"name":"REGSTR_PATH_DRIVERSIGN_POLICY","features":[49]},{"name":"REGSTR_PATH_ENUM","features":[49]},{"name":"REGSTR_PATH_ENVIRONMENTS","features":[49]},{"name":"REGSTR_PATH_EVENTLABELS","features":[49]},{"name":"REGSTR_PATH_EXPLORER","features":[49]},{"name":"REGSTR_PATH_FAULT","features":[49]},{"name":"REGSTR_PATH_FILESYSTEM","features":[49]},{"name":"REGSTR_PATH_FILESYSTEM_NOVOLTRACK","features":[49]},{"name":"REGSTR_PATH_FLOATINGPOINTPROCESSOR","features":[49]},{"name":"REGSTR_PATH_FLOATINGPOINTPROCESSOR0","features":[49]},{"name":"REGSTR_PATH_FONTS","features":[49]},{"name":"REGSTR_PATH_GRPCONV","features":[49]},{"name":"REGSTR_PATH_HACKINIFILE","features":[49]},{"name":"REGSTR_PATH_HWPROFILES","features":[49]},{"name":"REGSTR_PATH_HWPROFILESCURRENT","features":[49]},{"name":"REGSTR_PATH_ICONS","features":[49]},{"name":"REGSTR_PATH_IDCONFIGDB","features":[49]},{"name":"REGSTR_PATH_INSTALLEDFILES","features":[49]},{"name":"REGSTR_PATH_IOARB","features":[49]},{"name":"REGSTR_PATH_IOS","features":[49]},{"name":"REGSTR_PATH_IRQARB","features":[49]},{"name":"REGSTR_PATH_KEYBOARD","features":[49]},{"name":"REGSTR_PATH_KNOWN16DLLS","features":[49]},{"name":"REGSTR_PATH_KNOWNDLLS","features":[49]},{"name":"REGSTR_PATH_KNOWNVXDS","features":[49]},{"name":"REGSTR_PATH_LASTBACKUP","features":[49]},{"name":"REGSTR_PATH_LASTCHECK","features":[49]},{"name":"REGSTR_PATH_LASTGOOD","features":[49]},{"name":"REGSTR_PATH_LASTGOODTMP","features":[49]},{"name":"REGSTR_PATH_LASTOPTIMIZE","features":[49]},{"name":"REGSTR_PATH_LOOKSCHEMES","features":[49]},{"name":"REGSTR_PATH_METRICS","features":[49]},{"name":"REGSTR_PATH_MONITORS","features":[49]},{"name":"REGSTR_PATH_MOUSE","features":[49]},{"name":"REGSTR_PATH_MSDOSOPTS","features":[49]},{"name":"REGSTR_PATH_MULTIMEDIA_AUDIO","features":[49]},{"name":"REGSTR_PATH_MULTI_FUNCTION","features":[49]},{"name":"REGSTR_PATH_NCPSERVER","features":[49]},{"name":"REGSTR_PATH_NETEQUIV","features":[49]},{"name":"REGSTR_PATH_NETWORK_USERSETTINGS","features":[49]},{"name":"REGSTR_PATH_NEWDOSBOX","features":[49]},{"name":"REGSTR_PATH_NONDRIVERSIGN","features":[49]},{"name":"REGSTR_PATH_NONDRIVERSIGN_POLICY","features":[49]},{"name":"REGSTR_PATH_NOSUGGMSDOS","features":[49]},{"name":"REGSTR_PATH_NT_CURRENTVERSION","features":[49]},{"name":"REGSTR_PATH_NWREDIR","features":[49]},{"name":"REGSTR_PATH_PCIIR","features":[49]},{"name":"REGSTR_PATH_PER_HW_ID_STORAGE","features":[49]},{"name":"REGSTR_PATH_PIFCONVERT","features":[49]},{"name":"REGSTR_PATH_POLICIES","features":[49]},{"name":"REGSTR_PATH_PRINT","features":[49]},{"name":"REGSTR_PATH_PRINTERS","features":[49]},{"name":"REGSTR_PATH_PROPERTYSYSTEM","features":[49]},{"name":"REGSTR_PATH_PROVIDERS","features":[49]},{"name":"REGSTR_PATH_PWDPROVIDER","features":[49]},{"name":"REGSTR_PATH_REALMODENET","features":[49]},{"name":"REGSTR_PATH_REINSTALL","features":[49]},{"name":"REGSTR_PATH_RELIABILITY","features":[49]},{"name":"REGSTR_PATH_RELIABILITY_POLICY","features":[49]},{"name":"REGSTR_PATH_RELIABILITY_POLICY_REPORTSNAPSHOT","features":[49]},{"name":"REGSTR_PATH_RELIABILITY_POLICY_SHUTDOWNREASONUI","features":[49]},{"name":"REGSTR_PATH_RELIABILITY_POLICY_SNAPSHOT","features":[49]},{"name":"REGSTR_PATH_ROOT","features":[49]},{"name":"REGSTR_PATH_RUN","features":[49]},{"name":"REGSTR_PATH_RUNONCE","features":[49]},{"name":"REGSTR_PATH_RUNONCEEX","features":[49]},{"name":"REGSTR_PATH_RUNSERVICES","features":[49]},{"name":"REGSTR_PATH_RUNSERVICESONCE","features":[49]},{"name":"REGSTR_PATH_SCHEMES","features":[49]},{"name":"REGSTR_PATH_SCREENSAVE","features":[49]},{"name":"REGSTR_PATH_SERVICES","features":[49]},{"name":"REGSTR_PATH_SETUP","features":[49]},{"name":"REGSTR_PATH_SHUTDOWN","features":[49]},{"name":"REGSTR_PATH_SOUND","features":[49]},{"name":"REGSTR_PATH_SYSTEMENUM","features":[49]},{"name":"REGSTR_PATH_SYSTRAY","features":[49]},{"name":"REGSTR_PATH_TIMEZONE","features":[49]},{"name":"REGSTR_PATH_UNINSTALL","features":[49]},{"name":"REGSTR_PATH_UPDATE","features":[49]},{"name":"REGSTR_PATH_VCOMM","features":[49]},{"name":"REGSTR_PATH_VMM","features":[49]},{"name":"REGSTR_PATH_VMM32FILES","features":[49]},{"name":"REGSTR_PATH_VNETSUP","features":[49]},{"name":"REGSTR_PATH_VOLUMECACHE","features":[49]},{"name":"REGSTR_PATH_VPOWERD","features":[49]},{"name":"REGSTR_PATH_VXD","features":[49]},{"name":"REGSTR_PATH_WARNVERDLLS","features":[49]},{"name":"REGSTR_PATH_WINBOOT","features":[49]},{"name":"REGSTR_PATH_WINDOWSAPPLETS","features":[49]},{"name":"REGSTR_PATH_WINLOGON","features":[49]},{"name":"REGSTR_PATH_WMI_SECURITY","features":[49]},{"name":"REGSTR_PCI_DUAL_IDE","features":[49]},{"name":"REGSTR_PCI_OPTIONS","features":[49]},{"name":"REGSTR_VALUE_DEFAULTLOC","features":[49]},{"name":"REGSTR_VALUE_ENABLE","features":[49]},{"name":"REGSTR_VALUE_LOWPOWERACTIVE","features":[49]},{"name":"REGSTR_VALUE_LOWPOWERTIMEOUT","features":[49]},{"name":"REGSTR_VALUE_NETPATH","features":[49]},{"name":"REGSTR_VALUE_POWEROFFACTIVE","features":[49]},{"name":"REGSTR_VALUE_POWEROFFTIMEOUT","features":[49]},{"name":"REGSTR_VALUE_SCRPASSWORD","features":[49]},{"name":"REGSTR_VALUE_USESCRPASSWORD","features":[49]},{"name":"REGSTR_VALUE_VERBOSE","features":[49]},{"name":"REGSTR_VAL_ACDRIVESPINDOWN","features":[49]},{"name":"REGSTR_VAL_ACSPINDOWNPREVIOUS","features":[49]},{"name":"REGSTR_VAL_ACTIVESERVICE","features":[49]},{"name":"REGSTR_VAL_ADDRESS","features":[49]},{"name":"REGSTR_VAL_AEDEBUG_AUTO","features":[49]},{"name":"REGSTR_VAL_AEDEBUG_DEBUGGER","features":[49]},{"name":"REGSTR_VAL_ALPHANUMPWDS","features":[49]},{"name":"REGSTR_VAL_APISUPPORT","features":[49]},{"name":"REGSTR_VAL_APMACTIMEOUT","features":[49]},{"name":"REGSTR_VAL_APMBATTIMEOUT","features":[49]},{"name":"REGSTR_VAL_APMBIOSVER","features":[49]},{"name":"REGSTR_VAL_APMFLAGS","features":[49]},{"name":"REGSTR_VAL_APMMENUSUSPEND","features":[49]},{"name":"REGSTR_VAL_APMSHUTDOWNPOWER","features":[49]},{"name":"REGSTR_VAL_APPINSTPATH","features":[49]},{"name":"REGSTR_VAL_ASKFORCONFIG","features":[49]},{"name":"REGSTR_VAL_ASKFORCONFIGFUNC","features":[49]},{"name":"REGSTR_VAL_ASYNCFILECOMMIT","features":[49]},{"name":"REGSTR_VAL_AUDIO_BITMAP","features":[49]},{"name":"REGSTR_VAL_AUDIO_ICON","features":[49]},{"name":"REGSTR_VAL_AUTHENT_AGENT","features":[49]},{"name":"REGSTR_VAL_AUTOEXEC","features":[49]},{"name":"REGSTR_VAL_AUTOINSNOTE","features":[49]},{"name":"REGSTR_VAL_AUTOLOGON","features":[49]},{"name":"REGSTR_VAL_AUTOMOUNT","features":[49]},{"name":"REGSTR_VAL_AUTOSTART","features":[49]},{"name":"REGSTR_VAL_BASICPROPERTIES","features":[49]},{"name":"REGSTR_VAL_BASICPROPERTIES_32","features":[49]},{"name":"REGSTR_VAL_BATDRIVESPINDOWN","features":[49]},{"name":"REGSTR_VAL_BATSPINDOWNPREVIOUS","features":[49]},{"name":"REGSTR_VAL_BEHAVIOR_ON_FAILED_VERIFY","features":[49]},{"name":"REGSTR_VAL_BIOSDATE","features":[49]},{"name":"REGSTR_VAL_BIOSNAME","features":[49]},{"name":"REGSTR_VAL_BIOSVERSION","features":[49]},{"name":"REGSTR_VAL_BITSPERPIXEL","features":[49]},{"name":"REGSTR_VAL_BOOTCONFIG","features":[49]},{"name":"REGSTR_VAL_BOOTCOUNT","features":[49]},{"name":"REGSTR_VAL_BOOTDIR","features":[49]},{"name":"REGSTR_VAL_BPP","features":[49]},{"name":"REGSTR_VAL_BT","features":[49]},{"name":"REGSTR_VAL_BUFFAGETIMEOUT","features":[49]},{"name":"REGSTR_VAL_BUFFIDLETIMEOUT","features":[49]},{"name":"REGSTR_VAL_BUSTYPE","features":[49]},{"name":"REGSTR_VAL_CAPABILITIES","features":[49]},{"name":"REGSTR_VAL_CARDSPECIFIC","features":[49]},{"name":"REGSTR_VAL_CDCACHESIZE","features":[49]},{"name":"REGSTR_VAL_CDCOMPATNAMES","features":[49]},{"name":"REGSTR_VAL_CDEXTERRORS","features":[49]},{"name":"REGSTR_VAL_CDNOREADAHEAD","features":[49]},{"name":"REGSTR_VAL_CDPREFETCH","features":[49]},{"name":"REGSTR_VAL_CDPREFETCHTAIL","features":[49]},{"name":"REGSTR_VAL_CDRAWCACHE","features":[49]},{"name":"REGSTR_VAL_CDROM","features":[49]},{"name":"REGSTR_VAL_CDROMCLASSNAME","features":[49]},{"name":"REGSTR_VAL_CDSHOWVERSIONS","features":[49]},{"name":"REGSTR_VAL_CDSVDSENSE","features":[49]},{"name":"REGSTR_VAL_CHECKSUM","features":[49]},{"name":"REGSTR_VAL_CLASS","features":[49]},{"name":"REGSTR_VAL_CLASSDESC","features":[49]},{"name":"REGSTR_VAL_CLASSGUID","features":[49]},{"name":"REGSTR_VAL_CMDRIVFLAGS","features":[49]},{"name":"REGSTR_VAL_CMENUMFLAGS","features":[49]},{"name":"REGSTR_VAL_COINSTALLERS_32","features":[49]},{"name":"REGSTR_VAL_COMINFO","features":[49]},{"name":"REGSTR_VAL_COMMENT","features":[49]},{"name":"REGSTR_VAL_COMPATIBLEIDS","features":[49]},{"name":"REGSTR_VAL_COMPRESSIONMETHOD","features":[49]},{"name":"REGSTR_VAL_COMPRESSIONTHRESHOLD","features":[49]},{"name":"REGSTR_VAL_COMPUTERNAME","features":[49]},{"name":"REGSTR_VAL_COMPUTRNAME","features":[49]},{"name":"REGSTR_VAL_COMVERIFYBASE","features":[49]},{"name":"REGSTR_VAL_CONFIG","features":[49]},{"name":"REGSTR_VAL_CONFIGFLAGS","features":[49]},{"name":"REGSTR_VAL_CONFIGMG","features":[49]},{"name":"REGSTR_VAL_CONFIGSYS","features":[49]},{"name":"REGSTR_VAL_CONNECTION_TYPE","features":[49]},{"name":"REGSTR_VAL_CONTAINERID","features":[49]},{"name":"REGSTR_VAL_CONTIGFILEALLOC","features":[49]},{"name":"REGSTR_VAL_CONVMEM","features":[49]},{"name":"REGSTR_VAL_CPU","features":[49]},{"name":"REGSTR_VAL_CRASHFUNCS","features":[49]},{"name":"REGSTR_VAL_CSCONFIGFLAGS","features":[49]},{"name":"REGSTR_VAL_CURCONFIG","features":[49]},{"name":"REGSTR_VAL_CURDRVLET","features":[49]},{"name":"REGSTR_VAL_CURRENTCONFIG","features":[49]},{"name":"REGSTR_VAL_CURRENT_BUILD","features":[49]},{"name":"REGSTR_VAL_CURRENT_CSDVERSION","features":[49]},{"name":"REGSTR_VAL_CURRENT_TYPE","features":[49]},{"name":"REGSTR_VAL_CURRENT_USER","features":[49]},{"name":"REGSTR_VAL_CURRENT_VERSION","features":[49]},{"name":"REGSTR_VAL_CUSTOMCOLORS","features":[49]},{"name":"REGSTR_VAL_CUSTOM_PROPERTY_CACHE_DATE","features":[49]},{"name":"REGSTR_VAL_CUSTOM_PROPERTY_HW_ID_KEY","features":[49]},{"name":"REGSTR_VAL_DEFAULT","features":[49]},{"name":"REGSTR_VAL_DETCONFIG","features":[49]},{"name":"REGSTR_VAL_DETECT","features":[49]},{"name":"REGSTR_VAL_DETECTFUNC","features":[49]},{"name":"REGSTR_VAL_DETFLAGS","features":[49]},{"name":"REGSTR_VAL_DETFUNC","features":[49]},{"name":"REGSTR_VAL_DEVDESC","features":[49]},{"name":"REGSTR_VAL_DEVICEDRIVER","features":[49]},{"name":"REGSTR_VAL_DEVICEPATH","features":[49]},{"name":"REGSTR_VAL_DEVICE_CHARACTERISTICS","features":[49]},{"name":"REGSTR_VAL_DEVICE_EXCLUSIVE","features":[49]},{"name":"REGSTR_VAL_DEVICE_INSTANCE","features":[49]},{"name":"REGSTR_VAL_DEVICE_SECURITY_DESCRIPTOR","features":[49]},{"name":"REGSTR_VAL_DEVICE_TYPE","features":[49]},{"name":"REGSTR_VAL_DEVLOADER","features":[49]},{"name":"REGSTR_VAL_DEVTYPE","features":[49]},{"name":"REGSTR_VAL_DIRECTHOST","features":[49]},{"name":"REGSTR_VAL_DIRTYSHUTDOWN","features":[49]},{"name":"REGSTR_VAL_DIRTYSHUTDOWNTIME","features":[49]},{"name":"REGSTR_VAL_DISABLECOUNT","features":[49]},{"name":"REGSTR_VAL_DISABLEPWDCACHING","features":[49]},{"name":"REGSTR_VAL_DISABLEREGTOOLS","features":[49]},{"name":"REGSTR_VAL_DISCONNECT","features":[49]},{"name":"REGSTR_VAL_DISK","features":[49]},{"name":"REGSTR_VAL_DISKCLASSNAME","features":[49]},{"name":"REGSTR_VAL_DISPCPL_NOAPPEARANCEPAGE","features":[49]},{"name":"REGSTR_VAL_DISPCPL_NOBACKGROUNDPAGE","features":[49]},{"name":"REGSTR_VAL_DISPCPL_NODISPCPL","features":[49]},{"name":"REGSTR_VAL_DISPCPL_NOSCRSAVPAGE","features":[49]},{"name":"REGSTR_VAL_DISPCPL_NOSETTINGSPAGE","features":[49]},{"name":"REGSTR_VAL_DISPLAY","features":[49]},{"name":"REGSTR_VAL_DISPLAYFLAGS","features":[49]},{"name":"REGSTR_VAL_DOCKED","features":[49]},{"name":"REGSTR_VAL_DOCKSTATE","features":[49]},{"name":"REGSTR_VAL_DOES_POLLING","features":[49]},{"name":"REGSTR_VAL_DONTLOADIFCONFLICT","features":[49]},{"name":"REGSTR_VAL_DONTUSEMEM","features":[49]},{"name":"REGSTR_VAL_DOSCP","features":[49]},{"name":"REGSTR_VAL_DOSOPTFLAGS","features":[49]},{"name":"REGSTR_VAL_DOSOPTGLOBALFLAGS","features":[49]},{"name":"REGSTR_VAL_DOSOPTTIP","features":[49]},{"name":"REGSTR_VAL_DOSPAGER","features":[49]},{"name":"REGSTR_VAL_DOS_SPOOL_MASK","features":[49]},{"name":"REGSTR_VAL_DOUBLEBUFFER","features":[49]},{"name":"REGSTR_VAL_DPI","features":[49]},{"name":"REGSTR_VAL_DPILOGICALX","features":[49]},{"name":"REGSTR_VAL_DPILOGICALY","features":[49]},{"name":"REGSTR_VAL_DPIPHYSICALX","features":[49]},{"name":"REGSTR_VAL_DPIPHYSICALY","features":[49]},{"name":"REGSTR_VAL_DPMS","features":[49]},{"name":"REGSTR_VAL_DRIVER","features":[49]},{"name":"REGSTR_VAL_DRIVERCACHEPATH","features":[49]},{"name":"REGSTR_VAL_DRIVERDATE","features":[49]},{"name":"REGSTR_VAL_DRIVERDATEDATA","features":[49]},{"name":"REGSTR_VAL_DRIVERVERSION","features":[49]},{"name":"REGSTR_VAL_DRIVESPINDOWN","features":[49]},{"name":"REGSTR_VAL_DRIVEWRITEBEHIND","features":[49]},{"name":"REGSTR_VAL_DRIVE_SPINDOWN","features":[49]},{"name":"REGSTR_VAL_DRV","features":[49]},{"name":"REGSTR_VAL_DRVDESC","features":[49]},{"name":"REGSTR_VAL_DYNAMIC","features":[49]},{"name":"REGSTR_VAL_EISA_FLAGS","features":[49]},{"name":"REGSTR_VAL_EISA_FUNCTIONS","features":[49]},{"name":"REGSTR_VAL_EISA_FUNCTIONS_MASK","features":[49]},{"name":"REGSTR_VAL_EISA_RANGES","features":[49]},{"name":"REGSTR_VAL_EISA_SIMULATE_INT15","features":[49]},{"name":"REGSTR_VAL_EJECT_PRIORITY","features":[49]},{"name":"REGSTR_VAL_ENABLEINTS","features":[49]},{"name":"REGSTR_VAL_ENUMERATOR","features":[49]},{"name":"REGSTR_VAL_ENUMPROPPAGES","features":[49]},{"name":"REGSTR_VAL_ENUMPROPPAGES_32","features":[49]},{"name":"REGSTR_VAL_ESDI","features":[49]},{"name":"REGSTR_VAL_EXISTS","features":[49]},{"name":"REGSTR_VAL_EXTMEM","features":[49]},{"name":"REGSTR_VAL_FAULT_LOGFILE","features":[49]},{"name":"REGSTR_VAL_FIFODEPTH","features":[49]},{"name":"REGSTR_VAL_FILESHARING","features":[49]},{"name":"REGSTR_VAL_FIRSTINSTALLDATETIME","features":[49]},{"name":"REGSTR_VAL_FIRSTNETDRIVE","features":[49]},{"name":"REGSTR_VAL_FLOP","features":[49]},{"name":"REGSTR_VAL_FLOPPY","features":[49]},{"name":"REGSTR_VAL_FONTSIZE","features":[49]},{"name":"REGSTR_VAL_FORCECL","features":[49]},{"name":"REGSTR_VAL_FORCEDCONFIG","features":[49]},{"name":"REGSTR_VAL_FORCEFIFO","features":[49]},{"name":"REGSTR_VAL_FORCELOAD","features":[49]},{"name":"REGSTR_VAL_FORCEPMIO","features":[49]},{"name":"REGSTR_VAL_FORCEREBOOT","features":[49]},{"name":"REGSTR_VAL_FORCERMIO","features":[49]},{"name":"REGSTR_VAL_FREESPACERATIO","features":[49]},{"name":"REGSTR_VAL_FRIENDLYNAME","features":[49]},{"name":"REGSTR_VAL_FSFILTERCLASS","features":[49]},{"name":"REGSTR_VAL_FULLTRACE","features":[49]},{"name":"REGSTR_VAL_FUNCDESC","features":[49]},{"name":"REGSTR_VAL_GAPTIME","features":[49]},{"name":"REGSTR_VAL_GRB","features":[49]},{"name":"REGSTR_VAL_HARDWAREID","features":[49]},{"name":"REGSTR_VAL_HIDESHAREPWDS","features":[49]},{"name":"REGSTR_VAL_HRES","features":[49]},{"name":"REGSTR_VAL_HWDETECT","features":[49]},{"name":"REGSTR_VAL_HWMECHANISM","features":[49]},{"name":"REGSTR_VAL_HWREV","features":[49]},{"name":"REGSTR_VAL_ID","features":[49]},{"name":"REGSTR_VAL_IDE_FORCE_SERIALIZE","features":[49]},{"name":"REGSTR_VAL_IDE_NO_SERIALIZE","features":[49]},{"name":"REGSTR_VAL_INFNAME","features":[49]},{"name":"REGSTR_VAL_INFPATH","features":[49]},{"name":"REGSTR_VAL_INFSECTION","features":[49]},{"name":"REGSTR_VAL_INFSECTIONEXT","features":[49]},{"name":"REGSTR_VAL_INHIBITRESULTS","features":[49]},{"name":"REGSTR_VAL_INSICON","features":[49]},{"name":"REGSTR_VAL_INSTALLER","features":[49]},{"name":"REGSTR_VAL_INSTALLER_32","features":[49]},{"name":"REGSTR_VAL_INSTALLTYPE","features":[49]},{"name":"REGSTR_VAL_INT13","features":[49]},{"name":"REGSTR_VAL_ISAPNP","features":[49]},{"name":"REGSTR_VAL_ISAPNP_RDP_OVERRIDE","features":[49]},{"name":"REGSTR_VAL_JOYCALLOUT","features":[49]},{"name":"REGSTR_VAL_JOYNCONFIG","features":[49]},{"name":"REGSTR_VAL_JOYNOEMCALLOUT","features":[49]},{"name":"REGSTR_VAL_JOYNOEMNAME","features":[49]},{"name":"REGSTR_VAL_JOYOEMCAL1","features":[49]},{"name":"REGSTR_VAL_JOYOEMCAL10","features":[49]},{"name":"REGSTR_VAL_JOYOEMCAL11","features":[49]},{"name":"REGSTR_VAL_JOYOEMCAL12","features":[49]},{"name":"REGSTR_VAL_JOYOEMCAL2","features":[49]},{"name":"REGSTR_VAL_JOYOEMCAL3","features":[49]},{"name":"REGSTR_VAL_JOYOEMCAL4","features":[49]},{"name":"REGSTR_VAL_JOYOEMCAL5","features":[49]},{"name":"REGSTR_VAL_JOYOEMCAL6","features":[49]},{"name":"REGSTR_VAL_JOYOEMCAL7","features":[49]},{"name":"REGSTR_VAL_JOYOEMCAL8","features":[49]},{"name":"REGSTR_VAL_JOYOEMCAL9","features":[49]},{"name":"REGSTR_VAL_JOYOEMCALCAP","features":[49]},{"name":"REGSTR_VAL_JOYOEMCALLOUT","features":[49]},{"name":"REGSTR_VAL_JOYOEMCALWINCAP","features":[49]},{"name":"REGSTR_VAL_JOYOEMDATA","features":[49]},{"name":"REGSTR_VAL_JOYOEMNAME","features":[49]},{"name":"REGSTR_VAL_JOYOEMPOVLABEL","features":[49]},{"name":"REGSTR_VAL_JOYOEMRLABEL","features":[49]},{"name":"REGSTR_VAL_JOYOEMTESTBUTTONCAP","features":[49]},{"name":"REGSTR_VAL_JOYOEMTESTBUTTONDESC","features":[49]},{"name":"REGSTR_VAL_JOYOEMTESTMOVECAP","features":[49]},{"name":"REGSTR_VAL_JOYOEMTESTMOVEDESC","features":[49]},{"name":"REGSTR_VAL_JOYOEMTESTWINCAP","features":[49]},{"name":"REGSTR_VAL_JOYOEMULABEL","features":[49]},{"name":"REGSTR_VAL_JOYOEMVLABEL","features":[49]},{"name":"REGSTR_VAL_JOYOEMXYLABEL","features":[49]},{"name":"REGSTR_VAL_JOYOEMZLABEL","features":[49]},{"name":"REGSTR_VAL_JOYUSERVALUES","features":[49]},{"name":"REGSTR_VAL_LASTALIVEBT","features":[49]},{"name":"REGSTR_VAL_LASTALIVEINTERVAL","features":[49]},{"name":"REGSTR_VAL_LASTALIVEPMPOLICY","features":[49]},{"name":"REGSTR_VAL_LASTALIVESTAMP","features":[49]},{"name":"REGSTR_VAL_LASTALIVESTAMPFORCED","features":[49]},{"name":"REGSTR_VAL_LASTALIVESTAMPINTERVAL","features":[49]},{"name":"REGSTR_VAL_LASTALIVESTAMPPOLICYINTERVAL","features":[49]},{"name":"REGSTR_VAL_LASTALIVEUPTIME","features":[49]},{"name":"REGSTR_VAL_LASTBOOTPMDRVS","features":[49]},{"name":"REGSTR_VAL_LASTCOMPUTERNAME","features":[49]},{"name":"REGSTR_VAL_LASTPCIBUSNUM","features":[49]},{"name":"REGSTR_VAL_LAST_UPDATE_TIME","features":[49]},{"name":"REGSTR_VAL_LEGALNOTICECAPTION","features":[49]},{"name":"REGSTR_VAL_LEGALNOTICETEXT","features":[49]},{"name":"REGSTR_VAL_LICENSINGINFO","features":[49]},{"name":"REGSTR_VAL_LINKED","features":[49]},{"name":"REGSTR_VAL_LOADHI","features":[49]},{"name":"REGSTR_VAL_LOADRMDRIVERS","features":[49]},{"name":"REGSTR_VAL_LOCATION_INFORMATION","features":[49]},{"name":"REGSTR_VAL_LOCATION_INFORMATION_OVERRIDE","features":[49]},{"name":"REGSTR_VAL_LOWERFILTERS","features":[49]},{"name":"REGSTR_VAL_LOWER_FILTER_DEFAULT_LEVEL","features":[49]},{"name":"REGSTR_VAL_LOWER_FILTER_LEVELS","features":[49]},{"name":"REGSTR_VAL_MACHINETYPE","features":[49]},{"name":"REGSTR_VAL_MANUFACTURER","features":[49]},{"name":"REGSTR_VAL_MAP","features":[49]},{"name":"REGSTR_VAL_MATCHINGDEVID","features":[49]},{"name":"REGSTR_VAL_MAXCONNECTIONS","features":[49]},{"name":"REGSTR_VAL_MAXLIP","features":[49]},{"name":"REGSTR_VAL_MAXRES","features":[49]},{"name":"REGSTR_VAL_MAXRETRY","features":[49]},{"name":"REGSTR_VAL_MAX_HCID_LEN","features":[49]},{"name":"REGSTR_VAL_MEDIA","features":[49]},{"name":"REGSTR_VAL_MFG","features":[49]},{"name":"REGSTR_VAL_MF_FLAGS","features":[49]},{"name":"REGSTR_VAL_MINIPORT_STAT","features":[49]},{"name":"REGSTR_VAL_MINPWDLEN","features":[49]},{"name":"REGSTR_VAL_MINRETRY","features":[49]},{"name":"REGSTR_VAL_MODE","features":[49]},{"name":"REGSTR_VAL_MODEL","features":[49]},{"name":"REGSTR_VAL_MSDOSMODE","features":[49]},{"name":"REGSTR_VAL_MSDOSMODEDISCARD","features":[49]},{"name":"REGSTR_VAL_MUSTBEVALIDATED","features":[49]},{"name":"REGSTR_VAL_NAMECACHECOUNT","features":[49]},{"name":"REGSTR_VAL_NAMENUMERICTAIL","features":[49]},{"name":"REGSTR_VAL_NCP_BROWSEMASTER","features":[49]},{"name":"REGSTR_VAL_NCP_USEPEERBROWSING","features":[49]},{"name":"REGSTR_VAL_NCP_USESAP","features":[49]},{"name":"REGSTR_VAL_NDP","features":[49]},{"name":"REGSTR_VAL_NETCARD","features":[49]},{"name":"REGSTR_VAL_NETCLEAN","features":[49]},{"name":"REGSTR_VAL_NETOSTYPE","features":[49]},{"name":"REGSTR_VAL_NETSETUP_DISABLE","features":[49]},{"name":"REGSTR_VAL_NETSETUP_NOCONFIGPAGE","features":[49]},{"name":"REGSTR_VAL_NETSETUP_NOIDPAGE","features":[49]},{"name":"REGSTR_VAL_NETSETUP_NOSECURITYPAGE","features":[49]},{"name":"REGSTR_VAL_NOCMOSORFDPT","features":[49]},{"name":"REGSTR_VAL_NODISPLAYCLASS","features":[49]},{"name":"REGSTR_VAL_NOENTIRENETWORK","features":[49]},{"name":"REGSTR_VAL_NOFILESHARING","features":[49]},{"name":"REGSTR_VAL_NOFILESHARINGCTRL","features":[49]},{"name":"REGSTR_VAL_NOIDE","features":[49]},{"name":"REGSTR_VAL_NOINSTALLCLASS","features":[49]},{"name":"REGSTR_VAL_NONSTANDARD_ATAPI","features":[49]},{"name":"REGSTR_VAL_NOPRINTSHARING","features":[49]},{"name":"REGSTR_VAL_NOPRINTSHARINGCTRL","features":[49]},{"name":"REGSTR_VAL_NOUSECLASS","features":[49]},{"name":"REGSTR_VAL_NOWORKGROUPCONTENTS","features":[49]},{"name":"REGSTR_VAL_OLDMSDOSVER","features":[49]},{"name":"REGSTR_VAL_OLDWINDIR","features":[49]},{"name":"REGSTR_VAL_OPTIMIZESFN","features":[49]},{"name":"REGSTR_VAL_OPTIONS","features":[49]},{"name":"REGSTR_VAL_OPTORDER","features":[49]},{"name":"REGSTR_VAL_P1284MDL","features":[49]},{"name":"REGSTR_VAL_P1284MFG","features":[49]},{"name":"REGSTR_VAL_PATHCACHECOUNT","features":[49]},{"name":"REGSTR_VAL_PCCARD_POWER","features":[49]},{"name":"REGSTR_VAL_PCI","features":[49]},{"name":"REGSTR_VAL_PCIBIOSVER","features":[49]},{"name":"REGSTR_VAL_PCICIRQMAP","features":[49]},{"name":"REGSTR_VAL_PCICOPTIONS","features":[49]},{"name":"REGSTR_VAL_PCMCIA_ALLOC","features":[49]},{"name":"REGSTR_VAL_PCMCIA_ATAD","features":[49]},{"name":"REGSTR_VAL_PCMCIA_MEM","features":[49]},{"name":"REGSTR_VAL_PCMCIA_OPT","features":[49]},{"name":"REGSTR_VAL_PCMCIA_SIZ","features":[49]},{"name":"REGSTR_VAL_PCMTDRIVER","features":[49]},{"name":"REGSTR_VAL_PCSSDRIVER","features":[49]},{"name":"REGSTR_VAL_PHYSICALDEVICEOBJECT","features":[49]},{"name":"REGSTR_VAL_PMODE_INT13","features":[49]},{"name":"REGSTR_VAL_PNPBIOSVER","features":[49]},{"name":"REGSTR_VAL_PNPSTRUCOFFSET","features":[49]},{"name":"REGSTR_VAL_POLICY","features":[49]},{"name":"REGSTR_VAL_POLLING","features":[49]},{"name":"REGSTR_VAL_PORTNAME","features":[49]},{"name":"REGSTR_VAL_PORTSUBCLASS","features":[49]},{"name":"REGSTR_VAL_PREFREDIR","features":[49]},{"name":"REGSTR_VAL_PRESERVECASE","features":[49]},{"name":"REGSTR_VAL_PRESERVELONGNAMES","features":[49]},{"name":"REGSTR_VAL_PRINTERS_HIDETABS","features":[49]},{"name":"REGSTR_VAL_PRINTERS_MASK","features":[49]},{"name":"REGSTR_VAL_PRINTERS_NOADD","features":[49]},{"name":"REGSTR_VAL_PRINTERS_NODELETE","features":[49]},{"name":"REGSTR_VAL_PRINTSHARING","features":[49]},{"name":"REGSTR_VAL_PRIORITY","features":[49]},{"name":"REGSTR_VAL_PRIVATE","features":[49]},{"name":"REGSTR_VAL_PRIVATEFUNC","features":[49]},{"name":"REGSTR_VAL_PRIVATEPROBLEM","features":[49]},{"name":"REGSTR_VAL_PRODUCTID","features":[49]},{"name":"REGSTR_VAL_PRODUCTTYPE","features":[49]},{"name":"REGSTR_VAL_PROFILEFLAGS","features":[49]},{"name":"REGSTR_VAL_PROPERTIES","features":[49]},{"name":"REGSTR_VAL_PROTINIPATH","features":[49]},{"name":"REGSTR_VAL_PROVIDER_NAME","features":[49]},{"name":"REGSTR_VAL_PWDEXPIRATION","features":[49]},{"name":"REGSTR_VAL_PWDPROVIDER_CHANGEORDER","features":[49]},{"name":"REGSTR_VAL_PWDPROVIDER_CHANGEPWD","features":[49]},{"name":"REGSTR_VAL_PWDPROVIDER_CHANGEPWDHWND","features":[49]},{"name":"REGSTR_VAL_PWDPROVIDER_DESC","features":[49]},{"name":"REGSTR_VAL_PWDPROVIDER_GETPWDSTATUS","features":[49]},{"name":"REGSTR_VAL_PWDPROVIDER_ISNP","features":[49]},{"name":"REGSTR_VAL_PWDPROVIDER_PATH","features":[49]},{"name":"REGSTR_VAL_RDINTTHRESHOLD","features":[49]},{"name":"REGSTR_VAL_READAHEADTHRESHOLD","features":[49]},{"name":"REGSTR_VAL_READCACHING","features":[49]},{"name":"REGSTR_VAL_REALNETSTART","features":[49]},{"name":"REGSTR_VAL_REASONCODE","features":[49]},{"name":"REGSTR_VAL_REFRESHRATE","features":[49]},{"name":"REGSTR_VAL_REGITEMDELETEMESSAGE","features":[49]},{"name":"REGSTR_VAL_REGORGANIZATION","features":[49]},{"name":"REGSTR_VAL_REGOWNER","features":[49]},{"name":"REGSTR_VAL_REINSTALL_DEVICEINSTANCEIDS","features":[49]},{"name":"REGSTR_VAL_REINSTALL_DISPLAYNAME","features":[49]},{"name":"REGSTR_VAL_REINSTALL_STRING","features":[49]},{"name":"REGSTR_VAL_REMOTE_PATH","features":[49]},{"name":"REGSTR_VAL_REMOVABLE","features":[49]},{"name":"REGSTR_VAL_REMOVAL_POLICY","features":[49]},{"name":"REGSTR_VAL_REMOVEROMOKAY","features":[49]},{"name":"REGSTR_VAL_REMOVEROMOKAYFUNC","features":[49]},{"name":"REGSTR_VAL_RESERVED_DEVNODE","features":[49]},{"name":"REGSTR_VAL_RESOLUTION","features":[49]},{"name":"REGSTR_VAL_RESOURCES","features":[49]},{"name":"REGSTR_VAL_RESOURCE_MAP","features":[49]},{"name":"REGSTR_VAL_RESOURCE_PICKER_EXCEPTIONS","features":[49]},{"name":"REGSTR_VAL_RESOURCE_PICKER_TAGS","features":[49]},{"name":"REGSTR_VAL_RESTRICTRUN","features":[49]},{"name":"REGSTR_VAL_RESUMERESET","features":[49]},{"name":"REGSTR_VAL_REVISION","features":[49]},{"name":"REGSTR_VAL_REVLEVEL","features":[49]},{"name":"REGSTR_VAL_ROOT_DEVNODE","features":[49]},{"name":"REGSTR_VAL_RUNLOGINSCRIPT","features":[49]},{"name":"REGSTR_VAL_SCANNER","features":[49]},{"name":"REGSTR_VAL_SCAN_ONLY_FIRST","features":[49]},{"name":"REGSTR_VAL_SCSI","features":[49]},{"name":"REGSTR_VAL_SCSILUN","features":[49]},{"name":"REGSTR_VAL_SCSITID","features":[49]},{"name":"REGSTR_VAL_SEARCHMODE","features":[49]},{"name":"REGSTR_VAL_SEARCHOPTIONS","features":[49]},{"name":"REGSTR_VAL_SECCPL_NOADMINPAGE","features":[49]},{"name":"REGSTR_VAL_SECCPL_NOPROFILEPAGE","features":[49]},{"name":"REGSTR_VAL_SECCPL_NOPWDPAGE","features":[49]},{"name":"REGSTR_VAL_SECCPL_NOSECCPL","features":[49]},{"name":"REGSTR_VAL_SERVICE","features":[49]},{"name":"REGSTR_VAL_SETUPFLAGS","features":[49]},{"name":"REGSTR_VAL_SETUPMACHINETYPE","features":[49]},{"name":"REGSTR_VAL_SETUPN","features":[49]},{"name":"REGSTR_VAL_SETUPNPATH","features":[49]},{"name":"REGSTR_VAL_SETUPPROGRAMRAN","features":[49]},{"name":"REGSTR_VAL_SHARES_FLAGS","features":[49]},{"name":"REGSTR_VAL_SHARES_PATH","features":[49]},{"name":"REGSTR_VAL_SHARES_REMARK","features":[49]},{"name":"REGSTR_VAL_SHARES_RO_PASS","features":[49]},{"name":"REGSTR_VAL_SHARES_RW_PASS","features":[49]},{"name":"REGSTR_VAL_SHARES_TYPE","features":[49]},{"name":"REGSTR_VAL_SHARE_IRQ","features":[49]},{"name":"REGSTR_VAL_SHELLVERSION","features":[49]},{"name":"REGSTR_VAL_SHOWDOTS","features":[49]},{"name":"REGSTR_VAL_SHOWREASONUI","features":[49]},{"name":"REGSTR_VAL_SHUTDOWNREASON","features":[49]},{"name":"REGSTR_VAL_SHUTDOWNREASON_CODE","features":[49]},{"name":"REGSTR_VAL_SHUTDOWNREASON_COMMENT","features":[49]},{"name":"REGSTR_VAL_SHUTDOWNREASON_PROCESS","features":[49]},{"name":"REGSTR_VAL_SHUTDOWNREASON_USERNAME","features":[49]},{"name":"REGSTR_VAL_SHUTDOWN_FLAGS","features":[49]},{"name":"REGSTR_VAL_SHUTDOWN_IGNORE_PREDEFINED","features":[49]},{"name":"REGSTR_VAL_SHUTDOWN_STATE_SNAPSHOT","features":[49]},{"name":"REGSTR_VAL_SILENTINSTALL","features":[49]},{"name":"REGSTR_VAL_SLSUPPORT","features":[49]},{"name":"REGSTR_VAL_SOFTCOMPATMODE","features":[49]},{"name":"REGSTR_VAL_SRCPATH","features":[49]},{"name":"REGSTR_VAL_SRVNAMECACHE","features":[49]},{"name":"REGSTR_VAL_SRVNAMECACHECOUNT","features":[49]},{"name":"REGSTR_VAL_SRVNAMECACHENETPROV","features":[49]},{"name":"REGSTR_VAL_START_ON_BOOT","features":[49]},{"name":"REGSTR_VAL_STAT","features":[49]},{"name":"REGSTR_VAL_STATICDRIVE","features":[49]},{"name":"REGSTR_VAL_STATICVXD","features":[49]},{"name":"REGSTR_VAL_STDDOSOPTION","features":[49]},{"name":"REGSTR_VAL_SUBMODEL","features":[49]},{"name":"REGSTR_VAL_SUPPORTBURST","features":[49]},{"name":"REGSTR_VAL_SUPPORTLFN","features":[49]},{"name":"REGSTR_VAL_SUPPORTTUNNELLING","features":[49]},{"name":"REGSTR_VAL_SYMBOLIC_LINK","features":[49]},{"name":"REGSTR_VAL_SYNCDATAXFER","features":[49]},{"name":"REGSTR_VAL_SYSDM","features":[49]},{"name":"REGSTR_VAL_SYSDMFUNC","features":[49]},{"name":"REGSTR_VAL_SYSTEMCPL_NOCONFIGPAGE","features":[49]},{"name":"REGSTR_VAL_SYSTEMCPL_NODEVMGRPAGE","features":[49]},{"name":"REGSTR_VAL_SYSTEMCPL_NOFILESYSPAGE","features":[49]},{"name":"REGSTR_VAL_SYSTEMCPL_NOVIRTMEMPAGE","features":[49]},{"name":"REGSTR_VAL_SYSTEMROOT","features":[49]},{"name":"REGSTR_VAL_SYSTRAYBATFLAGS","features":[49]},{"name":"REGSTR_VAL_SYSTRAYPCCARDFLAGS","features":[49]},{"name":"REGSTR_VAL_SYSTRAYSVCS","features":[49]},{"name":"REGSTR_VAL_TABLE_STAT","features":[49]},{"name":"REGSTR_VAL_TAPE","features":[49]},{"name":"REGSTR_VAL_TRANSITION","features":[49]},{"name":"REGSTR_VAL_TRANSPORT","features":[49]},{"name":"REGSTR_VAL_TZACTBIAS","features":[49]},{"name":"REGSTR_VAL_TZBIAS","features":[49]},{"name":"REGSTR_VAL_TZDLTBIAS","features":[49]},{"name":"REGSTR_VAL_TZDLTFLAG","features":[49]},{"name":"REGSTR_VAL_TZDLTNAME","features":[49]},{"name":"REGSTR_VAL_TZDLTSTART","features":[49]},{"name":"REGSTR_VAL_TZNOAUTOTIME","features":[49]},{"name":"REGSTR_VAL_TZNOCHANGEEND","features":[49]},{"name":"REGSTR_VAL_TZNOCHANGESTART","features":[49]},{"name":"REGSTR_VAL_TZSTDBIAS","features":[49]},{"name":"REGSTR_VAL_TZSTDNAME","features":[49]},{"name":"REGSTR_VAL_TZSTDSTART","features":[49]},{"name":"REGSTR_VAL_UI_NUMBER","features":[49]},{"name":"REGSTR_VAL_UI_NUMBER_DESC_FORMAT","features":[49]},{"name":"REGSTR_VAL_UNDOCK_WITHOUT_LOGON","features":[49]},{"name":"REGSTR_VAL_UNINSTALLER_COMMANDLINE","features":[49]},{"name":"REGSTR_VAL_UNINSTALLER_DISPLAYNAME","features":[49]},{"name":"REGSTR_VAL_UPGRADE","features":[49]},{"name":"REGSTR_VAL_UPPERFILTERS","features":[49]},{"name":"REGSTR_VAL_UPPER_FILTER_DEFAULT_LEVEL","features":[49]},{"name":"REGSTR_VAL_UPPER_FILTER_LEVELS","features":[49]},{"name":"REGSTR_VAL_USERSETTINGS","features":[49]},{"name":"REGSTR_VAL_USER_NAME","features":[49]},{"name":"REGSTR_VAL_USRDRVLET","features":[49]},{"name":"REGSTR_VAL_VDD","features":[49]},{"name":"REGSTR_VAL_VER","features":[49]},{"name":"REGSTR_VAL_VERIFYKEY","features":[49]},{"name":"REGSTR_VAL_VIRTUALHDIRQ","features":[49]},{"name":"REGSTR_VAL_VOLIDLETIMEOUT","features":[49]},{"name":"REGSTR_VAL_VPOWERDFLAGS","features":[49]},{"name":"REGSTR_VAL_VRES","features":[49]},{"name":"REGSTR_VAL_VXDGROUPS","features":[49]},{"name":"REGSTR_VAL_WAITFORUNDOCK","features":[49]},{"name":"REGSTR_VAL_WAITFORUNDOCKFUNC","features":[49]},{"name":"REGSTR_VAL_WIN31FILESYSTEM","features":[49]},{"name":"REGSTR_VAL_WIN31PROVIDER","features":[49]},{"name":"REGSTR_VAL_WINBOOTDIR","features":[49]},{"name":"REGSTR_VAL_WINCP","features":[49]},{"name":"REGSTR_VAL_WINDIR","features":[49]},{"name":"REGSTR_VAL_WINOLDAPP_DISABLED","features":[49]},{"name":"REGSTR_VAL_WINOLDAPP_NOREALMODE","features":[49]},{"name":"REGSTR_VAL_WORKGROUP","features":[49]},{"name":"REGSTR_VAL_WRAPPER","features":[49]},{"name":"REGSTR_VAL_WRINTTHRESHOLD","features":[49]},{"name":"REGSTR_VAL_WRKGRP_FORCEMAPPING","features":[49]},{"name":"REGSTR_VAL_WRKGRP_REQUIRED","features":[49]},{"name":"REG_BINARY","features":[49]},{"name":"REG_CREATED_NEW_KEY","features":[49]},{"name":"REG_CREATE_KEY_DISPOSITION","features":[49]},{"name":"REG_DWORD","features":[49]},{"name":"REG_DWORD_BIG_ENDIAN","features":[49]},{"name":"REG_DWORD_LITTLE_ENDIAN","features":[49]},{"name":"REG_EXPAND_SZ","features":[49]},{"name":"REG_FORCE_RESTORE","features":[49]},{"name":"REG_FULL_RESOURCE_DESCRIPTOR","features":[49]},{"name":"REG_KEY_INSTDEV","features":[49]},{"name":"REG_LATEST_FORMAT","features":[49]},{"name":"REG_LINK","features":[49]},{"name":"REG_MUI_STRING_TRUNCATE","features":[49]},{"name":"REG_MULTI_SZ","features":[49]},{"name":"REG_NONE","features":[49]},{"name":"REG_NOTIFY_CHANGE_ATTRIBUTES","features":[49]},{"name":"REG_NOTIFY_CHANGE_LAST_SET","features":[49]},{"name":"REG_NOTIFY_CHANGE_NAME","features":[49]},{"name":"REG_NOTIFY_CHANGE_SECURITY","features":[49]},{"name":"REG_NOTIFY_FILTER","features":[49]},{"name":"REG_NOTIFY_THREAD_AGNOSTIC","features":[49]},{"name":"REG_NO_COMPRESSION","features":[49]},{"name":"REG_OPENED_EXISTING_KEY","features":[49]},{"name":"REG_OPEN_CREATE_OPTIONS","features":[49]},{"name":"REG_OPTION_BACKUP_RESTORE","features":[49]},{"name":"REG_OPTION_CREATE_LINK","features":[49]},{"name":"REG_OPTION_DONT_VIRTUALIZE","features":[49]},{"name":"REG_OPTION_NON_VOLATILE","features":[49]},{"name":"REG_OPTION_OPEN_LINK","features":[49]},{"name":"REG_OPTION_RESERVED","features":[49]},{"name":"REG_OPTION_VOLATILE","features":[49]},{"name":"REG_PROCESS_APPKEY","features":[49]},{"name":"REG_PROVIDER","features":[49]},{"name":"REG_QWORD","features":[49]},{"name":"REG_QWORD_LITTLE_ENDIAN","features":[49]},{"name":"REG_RESOURCE_LIST","features":[49]},{"name":"REG_RESOURCE_REQUIREMENTS_LIST","features":[49]},{"name":"REG_RESTORE_KEY_FLAGS","features":[49]},{"name":"REG_ROUTINE_FLAGS","features":[49]},{"name":"REG_SAM_FLAGS","features":[49]},{"name":"REG_SAVE_FORMAT","features":[49]},{"name":"REG_SECURE_CONNECTION","features":[49]},{"name":"REG_STANDARD_FORMAT","features":[49]},{"name":"REG_SZ","features":[49]},{"name":"REG_USE_CURRENT_SECURITY_CONTEXT","features":[49]},{"name":"REG_VALUE_TYPE","features":[49]},{"name":"REG_WHOLE_HIVE_VOLATILE","features":[49]},{"name":"RRF_NOEXPAND","features":[49]},{"name":"RRF_RT_ANY","features":[49]},{"name":"RRF_RT_DWORD","features":[49]},{"name":"RRF_RT_QWORD","features":[49]},{"name":"RRF_RT_REG_BINARY","features":[49]},{"name":"RRF_RT_REG_DWORD","features":[49]},{"name":"RRF_RT_REG_EXPAND_SZ","features":[49]},{"name":"RRF_RT_REG_MULTI_SZ","features":[49]},{"name":"RRF_RT_REG_NONE","features":[49]},{"name":"RRF_RT_REG_QWORD","features":[49]},{"name":"RRF_RT_REG_SZ","features":[49]},{"name":"RRF_SUBKEY_WOW6432KEY","features":[49]},{"name":"RRF_SUBKEY_WOW6464KEY","features":[49]},{"name":"RRF_WOW64_MASK","features":[49]},{"name":"RRF_ZEROONFAILURE","features":[49]},{"name":"RegCloseKey","features":[1,49]},{"name":"RegConnectRegistryA","features":[1,49]},{"name":"RegConnectRegistryExA","features":[49]},{"name":"RegConnectRegistryExW","features":[49]},{"name":"RegConnectRegistryW","features":[1,49]},{"name":"RegCopyTreeA","features":[1,49]},{"name":"RegCopyTreeW","features":[1,49]},{"name":"RegCreateKeyA","features":[1,49]},{"name":"RegCreateKeyExA","features":[1,4,49]},{"name":"RegCreateKeyExW","features":[1,4,49]},{"name":"RegCreateKeyTransactedA","features":[1,4,49]},{"name":"RegCreateKeyTransactedW","features":[1,4,49]},{"name":"RegCreateKeyW","features":[1,49]},{"name":"RegDeleteKeyA","features":[1,49]},{"name":"RegDeleteKeyExA","features":[1,49]},{"name":"RegDeleteKeyExW","features":[1,49]},{"name":"RegDeleteKeyTransactedA","features":[1,49]},{"name":"RegDeleteKeyTransactedW","features":[1,49]},{"name":"RegDeleteKeyValueA","features":[1,49]},{"name":"RegDeleteKeyValueW","features":[1,49]},{"name":"RegDeleteKeyW","features":[1,49]},{"name":"RegDeleteTreeA","features":[1,49]},{"name":"RegDeleteTreeW","features":[1,49]},{"name":"RegDeleteValueA","features":[1,49]},{"name":"RegDeleteValueW","features":[1,49]},{"name":"RegDisablePredefinedCache","features":[1,49]},{"name":"RegDisablePredefinedCacheEx","features":[1,49]},{"name":"RegDisableReflectionKey","features":[1,49]},{"name":"RegEnableReflectionKey","features":[1,49]},{"name":"RegEnumKeyA","features":[1,49]},{"name":"RegEnumKeyExA","features":[1,49]},{"name":"RegEnumKeyExW","features":[1,49]},{"name":"RegEnumKeyW","features":[1,49]},{"name":"RegEnumValueA","features":[1,49]},{"name":"RegEnumValueW","features":[1,49]},{"name":"RegFlushKey","features":[1,49]},{"name":"RegGetKeySecurity","features":[1,4,49]},{"name":"RegGetValueA","features":[1,49]},{"name":"RegGetValueW","features":[1,49]},{"name":"RegLoadAppKeyA","features":[1,49]},{"name":"RegLoadAppKeyW","features":[1,49]},{"name":"RegLoadKeyA","features":[1,49]},{"name":"RegLoadKeyW","features":[1,49]},{"name":"RegLoadMUIStringA","features":[1,49]},{"name":"RegLoadMUIStringW","features":[1,49]},{"name":"RegNotifyChangeKeyValue","features":[1,49]},{"name":"RegOpenCurrentUser","features":[1,49]},{"name":"RegOpenKeyA","features":[1,49]},{"name":"RegOpenKeyExA","features":[1,49]},{"name":"RegOpenKeyExW","features":[1,49]},{"name":"RegOpenKeyTransactedA","features":[1,49]},{"name":"RegOpenKeyTransactedW","features":[1,49]},{"name":"RegOpenKeyW","features":[1,49]},{"name":"RegOpenUserClassesRoot","features":[1,49]},{"name":"RegOverridePredefKey","features":[1,49]},{"name":"RegQueryInfoKeyA","features":[1,49]},{"name":"RegQueryInfoKeyW","features":[1,49]},{"name":"RegQueryMultipleValuesA","features":[1,49]},{"name":"RegQueryMultipleValuesW","features":[1,49]},{"name":"RegQueryReflectionKey","features":[1,49]},{"name":"RegQueryValueA","features":[1,49]},{"name":"RegQueryValueExA","features":[1,49]},{"name":"RegQueryValueExW","features":[1,49]},{"name":"RegQueryValueW","features":[1,49]},{"name":"RegRenameKey","features":[1,49]},{"name":"RegReplaceKeyA","features":[1,49]},{"name":"RegReplaceKeyW","features":[1,49]},{"name":"RegRestoreKeyA","features":[1,49]},{"name":"RegRestoreKeyW","features":[1,49]},{"name":"RegSaveKeyA","features":[1,4,49]},{"name":"RegSaveKeyExA","features":[1,4,49]},{"name":"RegSaveKeyExW","features":[1,4,49]},{"name":"RegSaveKeyW","features":[1,4,49]},{"name":"RegSetKeySecurity","features":[1,4,49]},{"name":"RegSetKeyValueA","features":[1,49]},{"name":"RegSetKeyValueW","features":[1,49]},{"name":"RegSetValueA","features":[1,49]},{"name":"RegSetValueExA","features":[1,49]},{"name":"RegSetValueExW","features":[1,49]},{"name":"RegSetValueW","features":[1,49]},{"name":"RegUnLoadKeyA","features":[1,49]},{"name":"RegUnLoadKeyW","features":[1,49]},{"name":"SUF_BATCHINF","features":[49]},{"name":"SUF_CLEAN","features":[49]},{"name":"SUF_EXPRESS","features":[49]},{"name":"SUF_FIRSTTIME","features":[49]},{"name":"SUF_INSETUP","features":[49]},{"name":"SUF_NETHDBOOT","features":[49]},{"name":"SUF_NETRPLBOOT","features":[49]},{"name":"SUF_NETSETUP","features":[49]},{"name":"SUF_SBSCOPYOK","features":[49]},{"name":"VALENTA","features":[49]},{"name":"VALENTW","features":[49]},{"name":"VPDF_DISABLEPWRMGMT","features":[49]},{"name":"VPDF_DISABLEPWRSTATUSPOLL","features":[49]},{"name":"VPDF_DISABLERINGRESUME","features":[49]},{"name":"VPDF_FORCEAPM10MODE","features":[49]},{"name":"VPDF_SHOWMULTIBATT","features":[49]},{"name":"VPDF_SKIPINTELSLCHECK","features":[49]},{"name":"val_context","features":[49]}],"597":[{"name":"AAAccountingData","features":[104]},{"name":"AAAccountingDataType","features":[104]},{"name":"AAAuthSchemes","features":[104]},{"name":"AATrustClassID","features":[104]},{"name":"AA_AUTH_ANY","features":[104]},{"name":"AA_AUTH_BASIC","features":[104]},{"name":"AA_AUTH_CONID","features":[104]},{"name":"AA_AUTH_COOKIE","features":[104]},{"name":"AA_AUTH_DIGEST","features":[104]},{"name":"AA_AUTH_LOGGEDONCREDENTIALS","features":[104]},{"name":"AA_AUTH_MAX","features":[104]},{"name":"AA_AUTH_MIN","features":[104]},{"name":"AA_AUTH_NEGOTIATE","features":[104]},{"name":"AA_AUTH_NTLM","features":[104]},{"name":"AA_AUTH_ORGID","features":[104]},{"name":"AA_AUTH_SC","features":[104]},{"name":"AA_AUTH_SSPI_NTLM","features":[104]},{"name":"AA_MAIN_SESSION_CLOSED","features":[104]},{"name":"AA_MAIN_SESSION_CREATION","features":[104]},{"name":"AA_SUB_SESSION_CLOSED","features":[104]},{"name":"AA_SUB_SESSION_CREATION","features":[104]},{"name":"AA_TRUSTEDUSER_TRUSTEDCLIENT","features":[104]},{"name":"AA_TRUSTEDUSER_UNTRUSTEDCLIENT","features":[104]},{"name":"AA_UNTRUSTED","features":[104]},{"name":"ACQUIRE_TARGET_LOCK_TIMEOUT","features":[104]},{"name":"ADsTSUserEx","features":[104]},{"name":"AE_CURRENT_POSITION","features":[104]},{"name":"AE_POSITION_FLAGS","features":[104]},{"name":"AllowOnlySDRServers","features":[104]},{"name":"BITMAP_RENDERER_STATISTICS","features":[104]},{"name":"CHANNEL_BUFFER_SIZE","features":[104]},{"name":"CHANNEL_CHUNK_LENGTH","features":[104]},{"name":"CHANNEL_DEF","features":[104]},{"name":"CHANNEL_ENTRY_POINTS","features":[104]},{"name":"CHANNEL_EVENT_CONNECTED","features":[104]},{"name":"CHANNEL_EVENT_DATA_RECEIVED","features":[104]},{"name":"CHANNEL_EVENT_DISCONNECTED","features":[104]},{"name":"CHANNEL_EVENT_INITIALIZED","features":[104]},{"name":"CHANNEL_EVENT_TERMINATED","features":[104]},{"name":"CHANNEL_EVENT_V1_CONNECTED","features":[104]},{"name":"CHANNEL_EVENT_WRITE_CANCELLED","features":[104]},{"name":"CHANNEL_EVENT_WRITE_COMPLETE","features":[104]},{"name":"CHANNEL_FLAG_FAIL","features":[104]},{"name":"CHANNEL_FLAG_FIRST","features":[104]},{"name":"CHANNEL_FLAG_LAST","features":[104]},{"name":"CHANNEL_FLAG_MIDDLE","features":[104]},{"name":"CHANNEL_MAX_COUNT","features":[104]},{"name":"CHANNEL_NAME_LEN","features":[104]},{"name":"CHANNEL_OPTION_COMPRESS","features":[104]},{"name":"CHANNEL_OPTION_COMPRESS_RDP","features":[104]},{"name":"CHANNEL_OPTION_ENCRYPT_CS","features":[104]},{"name":"CHANNEL_OPTION_ENCRYPT_RDP","features":[104]},{"name":"CHANNEL_OPTION_ENCRYPT_SC","features":[104]},{"name":"CHANNEL_OPTION_INITIALIZED","features":[104]},{"name":"CHANNEL_OPTION_PRI_HIGH","features":[104]},{"name":"CHANNEL_OPTION_PRI_LOW","features":[104]},{"name":"CHANNEL_OPTION_PRI_MED","features":[104]},{"name":"CHANNEL_OPTION_REMOTE_CONTROL_PERSISTENT","features":[104]},{"name":"CHANNEL_OPTION_SHOW_PROTOCOL","features":[104]},{"name":"CHANNEL_PDU_HEADER","features":[104]},{"name":"CHANNEL_RC_ALREADY_CONNECTED","features":[104]},{"name":"CHANNEL_RC_ALREADY_INITIALIZED","features":[104]},{"name":"CHANNEL_RC_ALREADY_OPEN","features":[104]},{"name":"CHANNEL_RC_BAD_CHANNEL","features":[104]},{"name":"CHANNEL_RC_BAD_CHANNEL_HANDLE","features":[104]},{"name":"CHANNEL_RC_BAD_INIT_HANDLE","features":[104]},{"name":"CHANNEL_RC_BAD_PROC","features":[104]},{"name":"CHANNEL_RC_INITIALIZATION_ERROR","features":[104]},{"name":"CHANNEL_RC_INVALID_INSTANCE","features":[104]},{"name":"CHANNEL_RC_NOT_CONNECTED","features":[104]},{"name":"CHANNEL_RC_NOT_INITIALIZED","features":[104]},{"name":"CHANNEL_RC_NOT_IN_VIRTUALCHANNELENTRY","features":[104]},{"name":"CHANNEL_RC_NOT_OPEN","features":[104]},{"name":"CHANNEL_RC_NO_BUFFER","features":[104]},{"name":"CHANNEL_RC_NO_MEMORY","features":[104]},{"name":"CHANNEL_RC_NULL_DATA","features":[104]},{"name":"CHANNEL_RC_OK","features":[104]},{"name":"CHANNEL_RC_TOO_MANY_CHANNELS","features":[104]},{"name":"CHANNEL_RC_UNKNOWN_CHANNEL_NAME","features":[104]},{"name":"CHANNEL_RC_UNSUPPORTED_VERSION","features":[104]},{"name":"CHANNEL_RC_ZERO_LENGTH","features":[104]},{"name":"CLIENTADDRESS_LENGTH","features":[104]},{"name":"CLIENTNAME_LENGTH","features":[104]},{"name":"CLIENT_DISPLAY","features":[104]},{"name":"CLIENT_MESSAGE_CONNECTION_ERROR","features":[104]},{"name":"CLIENT_MESSAGE_CONNECTION_INVALID","features":[104]},{"name":"CLIENT_MESSAGE_CONNECTION_STATUS","features":[104]},{"name":"CLIENT_MESSAGE_TYPE","features":[104]},{"name":"CONNECTION_CHANGE_NOTIFICATION","features":[104]},{"name":"CONNECTION_PROPERTY_CURSOR_BLINK_DISABLED","features":[104]},{"name":"CONNECTION_PROPERTY_IDLE_TIME_WARNING","features":[104]},{"name":"CONNECTION_REQUEST_CANCELLED","features":[104]},{"name":"CONNECTION_REQUEST_FAILED","features":[104]},{"name":"CONNECTION_REQUEST_INVALID","features":[104]},{"name":"CONNECTION_REQUEST_LB_COMPLETED","features":[104]},{"name":"CONNECTION_REQUEST_ORCH_COMPLETED","features":[104]},{"name":"CONNECTION_REQUEST_PENDING","features":[104]},{"name":"CONNECTION_REQUEST_QUERY_PL_COMPLETED","features":[104]},{"name":"CONNECTION_REQUEST_SUCCEEDED","features":[104]},{"name":"CONNECTION_REQUEST_TIMEDOUT","features":[104]},{"name":"ClipboardRedirectionDisabled","features":[104]},{"name":"DISPID_AX_ADMINMESSAGERECEIVED","features":[104]},{"name":"DISPID_AX_AUTORECONNECTED","features":[104]},{"name":"DISPID_AX_AUTORECONNECTING","features":[104]},{"name":"DISPID_AX_CONNECTED","features":[104]},{"name":"DISPID_AX_CONNECTING","features":[104]},{"name":"DISPID_AX_DIALOGDISMISSED","features":[104]},{"name":"DISPID_AX_DIALOGDISPLAYING","features":[104]},{"name":"DISPID_AX_DISCONNECTED","features":[104]},{"name":"DISPID_AX_KEYCOMBINATIONPRESSED","features":[104]},{"name":"DISPID_AX_LOGINCOMPLETED","features":[104]},{"name":"DISPID_AX_NETWORKSTATUSCHANGED","features":[104]},{"name":"DISPID_AX_REMOTEDESKTOPSIZECHANGED","features":[104]},{"name":"DISPID_AX_STATUSCHANGED","features":[104]},{"name":"DISPID_AX_TOUCHPOINTERCURSORMOVED","features":[104]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_APPLY_SETTINGS","features":[104]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_ATTACH_EVENT","features":[104]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_CONNECT","features":[104]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_DELETE_SAVED_CREDENTIALS","features":[104]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_DETACH_EVENT","features":[104]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_DISCONNECT","features":[104]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_EXECUTE_REMOTE_ACTION","features":[104]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_GET_RDPPROPERTY","features":[104]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_GET_SNAPSHOT","features":[104]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_RECONNECT","features":[104]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_RESUME_SCREEN_UPDATES","features":[104]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_RETRIEVE_SETTINGS","features":[104]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_SET_RDPPROPERTY","features":[104]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_SUSPEND_SCREEN_UPDATES","features":[104]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_UPDATE_SESSION_DISPLAYSETTINGS","features":[104]},{"name":"DISPID_PROP_REMOTEDESKTOPCLIENT_ACTIONS","features":[104]},{"name":"DISPID_PROP_REMOTEDESKTOPCLIENT_SETTINGS","features":[104]},{"name":"DISPID_PROP_REMOTEDESKTOPCLIENT_TOUCHPOINTER_ENABLED","features":[104]},{"name":"DISPID_PROP_REMOTEDESKTOPCLIENT_TOUCHPOINTER_EVENTSENABLED","features":[104]},{"name":"DISPID_PROP_REMOTEDESKTOPCLIENT_TOUCHPOINTER_POINTERSPEED","features":[104]},{"name":"DISPID_PROP_REMOTEDESKTOPCLIENT_TOUCH_POINTER","features":[104]},{"name":"DOMAIN_LENGTH","features":[104]},{"name":"DisableAllRedirections","features":[104]},{"name":"DriveRedirectionDisabled","features":[104]},{"name":"EnableAllRedirections","features":[104]},{"name":"FARM","features":[104]},{"name":"FORCE_REJOIN","features":[104]},{"name":"FORCE_REJOIN_IN_CLUSTERMODE","features":[104]},{"name":"IADsTSUserEx","features":[104]},{"name":"IAudioDeviceEndpoint","features":[104]},{"name":"IAudioEndpoint","features":[104]},{"name":"IAudioEndpointControl","features":[104]},{"name":"IAudioEndpointRT","features":[104]},{"name":"IAudioInputEndpointRT","features":[104]},{"name":"IAudioOutputEndpointRT","features":[104]},{"name":"IRemoteDesktopClient","features":[104]},{"name":"IRemoteDesktopClientActions","features":[104]},{"name":"IRemoteDesktopClientSettings","features":[104]},{"name":"IRemoteDesktopClientTouchPointer","features":[104]},{"name":"IRemoteSystemAdditionalInfoProvider","features":[104]},{"name":"ITSGAccountingEngine","features":[104]},{"name":"ITSGAuthenticateUserSink","features":[104]},{"name":"ITSGAuthenticationEngine","features":[104]},{"name":"ITSGAuthorizeConnectionSink","features":[104]},{"name":"ITSGAuthorizeResourceSink","features":[104]},{"name":"ITSGPolicyEngine","features":[104]},{"name":"ITsSbBaseNotifySink","features":[104]},{"name":"ITsSbClientConnection","features":[104]},{"name":"ITsSbClientConnectionPropertySet","features":[104]},{"name":"ITsSbEnvironment","features":[104]},{"name":"ITsSbEnvironmentPropertySet","features":[104]},{"name":"ITsSbFilterPluginStore","features":[104]},{"name":"ITsSbGenericNotifySink","features":[104]},{"name":"ITsSbGlobalStore","features":[104]},{"name":"ITsSbLoadBalanceResult","features":[104]},{"name":"ITsSbLoadBalancing","features":[104]},{"name":"ITsSbLoadBalancingNotifySink","features":[104]},{"name":"ITsSbOrchestration","features":[104]},{"name":"ITsSbOrchestrationNotifySink","features":[104]},{"name":"ITsSbPlacement","features":[104]},{"name":"ITsSbPlacementNotifySink","features":[104]},{"name":"ITsSbPlugin","features":[104]},{"name":"ITsSbPluginNotifySink","features":[104]},{"name":"ITsSbPluginPropertySet","features":[104]},{"name":"ITsSbPropertySet","features":[104]},{"name":"ITsSbProvider","features":[104]},{"name":"ITsSbProvisioning","features":[104]},{"name":"ITsSbProvisioningPluginNotifySink","features":[104]},{"name":"ITsSbResourceNotification","features":[104]},{"name":"ITsSbResourceNotificationEx","features":[104]},{"name":"ITsSbResourcePlugin","features":[104]},{"name":"ITsSbResourcePluginStore","features":[104]},{"name":"ITsSbServiceNotification","features":[104]},{"name":"ITsSbSession","features":[104]},{"name":"ITsSbTarget","features":[104]},{"name":"ITsSbTargetPropertySet","features":[104]},{"name":"ITsSbTaskInfo","features":[104]},{"name":"ITsSbTaskPlugin","features":[104]},{"name":"ITsSbTaskPluginNotifySink","features":[104]},{"name":"IWRdsEnhancedFastReconnectArbitrator","features":[104]},{"name":"IWRdsGraphicsChannel","features":[104]},{"name":"IWRdsGraphicsChannelEvents","features":[104]},{"name":"IWRdsGraphicsChannelManager","features":[104]},{"name":"IWRdsProtocolConnection","features":[104]},{"name":"IWRdsProtocolConnectionCallback","features":[104]},{"name":"IWRdsProtocolConnectionSettings","features":[104]},{"name":"IWRdsProtocolLicenseConnection","features":[104]},{"name":"IWRdsProtocolListener","features":[104]},{"name":"IWRdsProtocolListenerCallback","features":[104]},{"name":"IWRdsProtocolLogonErrorRedirector","features":[104]},{"name":"IWRdsProtocolManager","features":[104]},{"name":"IWRdsProtocolSettings","features":[104]},{"name":"IWRdsProtocolShadowCallback","features":[104]},{"name":"IWRdsProtocolShadowConnection","features":[104]},{"name":"IWRdsWddmIddProps","features":[104]},{"name":"IWRdsWddmIddProps1","features":[104]},{"name":"IWTSBitmapRenderService","features":[104]},{"name":"IWTSBitmapRenderer","features":[104]},{"name":"IWTSBitmapRendererCallback","features":[104]},{"name":"IWTSListener","features":[104]},{"name":"IWTSListenerCallback","features":[104]},{"name":"IWTSPlugin","features":[104]},{"name":"IWTSPluginServiceProvider","features":[104]},{"name":"IWTSProtocolConnection","features":[104]},{"name":"IWTSProtocolConnectionCallback","features":[104]},{"name":"IWTSProtocolLicenseConnection","features":[104]},{"name":"IWTSProtocolListener","features":[104]},{"name":"IWTSProtocolListenerCallback","features":[104]},{"name":"IWTSProtocolLogonErrorRedirector","features":[104]},{"name":"IWTSProtocolManager","features":[104]},{"name":"IWTSProtocolShadowCallback","features":[104]},{"name":"IWTSProtocolShadowConnection","features":[104]},{"name":"IWTSSBPlugin","features":[104]},{"name":"IWTSVirtualChannel","features":[104]},{"name":"IWTSVirtualChannelCallback","features":[104]},{"name":"IWTSVirtualChannelManager","features":[104]},{"name":"IWorkspace","features":[104]},{"name":"IWorkspace2","features":[104]},{"name":"IWorkspace3","features":[104]},{"name":"IWorkspaceClientExt","features":[104]},{"name":"IWorkspaceRegistration","features":[104]},{"name":"IWorkspaceRegistration2","features":[104]},{"name":"IWorkspaceReportMessage","features":[104]},{"name":"IWorkspaceResTypeRegistry","features":[104]},{"name":"IWorkspaceScriptable","features":[104]},{"name":"IWorkspaceScriptable2","features":[104]},{"name":"IWorkspaceScriptable3","features":[104]},{"name":"ItsPubPlugin","features":[104]},{"name":"ItsPubPlugin2","features":[104]},{"name":"KEEP_EXISTING_SESSIONS","features":[104]},{"name":"KeyCombinationDown","features":[104]},{"name":"KeyCombinationHome","features":[104]},{"name":"KeyCombinationLeft","features":[104]},{"name":"KeyCombinationRight","features":[104]},{"name":"KeyCombinationScroll","features":[104]},{"name":"KeyCombinationType","features":[104]},{"name":"KeyCombinationUp","features":[104]},{"name":"LOAD_BALANCING_PLUGIN","features":[104]},{"name":"MAX_DATE_TIME_LENGTH","features":[104]},{"name":"MAX_ELAPSED_TIME_LENGTH","features":[104]},{"name":"MAX_POLICY_ATTRIBUTES","features":[104]},{"name":"MaxAppName_Len","features":[104]},{"name":"MaxDomainName_Len","features":[104]},{"name":"MaxFQDN_Len","features":[104]},{"name":"MaxFarm_Len","features":[104]},{"name":"MaxNetBiosName_Len","features":[104]},{"name":"MaxNumOfExposed_IPs","features":[104]},{"name":"MaxUserName_Len","features":[104]},{"name":"NONFARM","features":[104]},{"name":"NOTIFY_FOR_ALL_SESSIONS","features":[104]},{"name":"NOTIFY_FOR_THIS_SESSION","features":[104]},{"name":"ORCHESTRATION_PLUGIN","features":[104]},{"name":"OWNER_MS_TS_PLUGIN","features":[104]},{"name":"OWNER_MS_VM_PLUGIN","features":[104]},{"name":"OWNER_UNKNOWN","features":[104]},{"name":"PCHANNEL_INIT_EVENT_FN","features":[104]},{"name":"PCHANNEL_OPEN_EVENT_FN","features":[104]},{"name":"PLACEMENT_PLUGIN","features":[104]},{"name":"PLUGIN_CAPABILITY_EXTERNAL_REDIRECTION","features":[104]},{"name":"PLUGIN_TYPE","features":[104]},{"name":"POLICY_PLUGIN","features":[104]},{"name":"POSITION_CONTINUOUS","features":[104]},{"name":"POSITION_DISCONTINUOUS","features":[104]},{"name":"POSITION_INVALID","features":[104]},{"name":"POSITION_QPC_ERROR","features":[104]},{"name":"PRODUCTINFO_COMPANYNAME_LENGTH","features":[104]},{"name":"PRODUCTINFO_PRODUCTID_LENGTH","features":[104]},{"name":"PRODUCT_INFOA","features":[104]},{"name":"PRODUCT_INFOW","features":[104]},{"name":"PROPERTY_DYNAMIC_TIME_ZONE_INFORMATION","features":[104]},{"name":"PROPERTY_TYPE_ENABLE_UNIVERSAL_APPS_FOR_CUSTOM_SHELL","features":[104]},{"name":"PROPERTY_TYPE_GET_FAST_RECONNECT","features":[104]},{"name":"PROPERTY_TYPE_GET_FAST_RECONNECT_USER_SID","features":[104]},{"name":"PROVISIONING_PLUGIN","features":[104]},{"name":"PVIRTUALCHANNELCLOSE","features":[104]},{"name":"PVIRTUALCHANNELENTRY","features":[1,104]},{"name":"PVIRTUALCHANNELINIT","features":[104]},{"name":"PVIRTUALCHANNELOPEN","features":[104]},{"name":"PVIRTUALCHANNELWRITE","features":[104]},{"name":"PasswordEncodingType","features":[104]},{"name":"PasswordEncodingUTF16BE","features":[104]},{"name":"PasswordEncodingUTF16LE","features":[104]},{"name":"PasswordEncodingUTF8","features":[104]},{"name":"PnpRedirectionDisabled","features":[104]},{"name":"PolicyAttributeType","features":[104]},{"name":"PortRedirectionDisabled","features":[104]},{"name":"PrinterRedirectionDisabled","features":[104]},{"name":"ProcessIdToSessionId","features":[1,104]},{"name":"RDCLIENT_BITMAP_RENDER_SERVICE","features":[104]},{"name":"RDV_TASK_STATUS","features":[104]},{"name":"RDV_TASK_STATUS_APPLYING","features":[104]},{"name":"RDV_TASK_STATUS_DOWNLOADING","features":[104]},{"name":"RDV_TASK_STATUS_FAILED","features":[104]},{"name":"RDV_TASK_STATUS_REBOOTED","features":[104]},{"name":"RDV_TASK_STATUS_REBOOTING","features":[104]},{"name":"RDV_TASK_STATUS_SEARCHING","features":[104]},{"name":"RDV_TASK_STATUS_SUCCESS","features":[104]},{"name":"RDV_TASK_STATUS_TIMEOUT","features":[104]},{"name":"RDV_TASK_STATUS_UNKNOWN","features":[104]},{"name":"RD_FARM_AUTO_PERSONAL_RDSH","features":[104]},{"name":"RD_FARM_AUTO_PERSONAL_VM","features":[104]},{"name":"RD_FARM_MANUAL_PERSONAL_RDSH","features":[104]},{"name":"RD_FARM_MANUAL_PERSONAL_VM","features":[104]},{"name":"RD_FARM_RDSH","features":[104]},{"name":"RD_FARM_TEMP_VM","features":[104]},{"name":"RD_FARM_TYPE","features":[104]},{"name":"RD_FARM_TYPE_UNKNOWN","features":[104]},{"name":"REMOTECONTROL_KBDALT_HOTKEY","features":[104]},{"name":"REMOTECONTROL_KBDCTRL_HOTKEY","features":[104]},{"name":"REMOTECONTROL_KBDSHIFT_HOTKEY","features":[104]},{"name":"RENDER_HINT_CLEAR","features":[104]},{"name":"RENDER_HINT_MAPPEDWINDOW","features":[104]},{"name":"RENDER_HINT_VIDEO","features":[104]},{"name":"RESERVED_FOR_LEGACY","features":[104]},{"name":"RESOURCE_PLUGIN","features":[104]},{"name":"RFX_CLIENT_ID_LENGTH","features":[104]},{"name":"RFX_GFX_MAX_SUPPORTED_MONITORS","features":[104]},{"name":"RFX_GFX_MONITOR_INFO","features":[1,104]},{"name":"RFX_GFX_MSG_CLIENT_DESKTOP_INFO_REQUEST","features":[104]},{"name":"RFX_GFX_MSG_CLIENT_DESKTOP_INFO_RESPONSE","features":[1,104]},{"name":"RFX_GFX_MSG_DESKTOP_CONFIG_CHANGE_CONFIRM","features":[104]},{"name":"RFX_GFX_MSG_DESKTOP_CONFIG_CHANGE_NOTIFY","features":[104]},{"name":"RFX_GFX_MSG_DESKTOP_INPUT_RESET","features":[104]},{"name":"RFX_GFX_MSG_DESKTOP_RESEND_REQUEST","features":[104]},{"name":"RFX_GFX_MSG_DISCONNECT_NOTIFY","features":[104]},{"name":"RFX_GFX_MSG_HEADER","features":[104]},{"name":"RFX_GFX_MSG_PREFIX","features":[104]},{"name":"RFX_GFX_MSG_PREFIX_MASK","features":[104]},{"name":"RFX_GFX_MSG_RDP_DATA","features":[104]},{"name":"RFX_GFX_RECT","features":[104]},{"name":"RFX_RDP_MSG_PREFIX","features":[104]},{"name":"RemoteActionAppSwitch","features":[104]},{"name":"RemoteActionAppbar","features":[104]},{"name":"RemoteActionCharms","features":[104]},{"name":"RemoteActionSnap","features":[104]},{"name":"RemoteActionStartScreen","features":[104]},{"name":"RemoteActionType","features":[104]},{"name":"SB_SYNCH_CONFLICT_MAX_WRITE_ATTEMPTS","features":[104]},{"name":"SESSION_TIMEOUT_ACTION_DISCONNECT","features":[104]},{"name":"SESSION_TIMEOUT_ACTION_SILENT_REAUTH","features":[104]},{"name":"SESSION_TIMEOUT_ACTION_TYPE","features":[104]},{"name":"SINGLE_SESSION","features":[104]},{"name":"STATE_ACTIVE","features":[104]},{"name":"STATE_CONNECTED","features":[104]},{"name":"STATE_CONNECTQUERY","features":[104]},{"name":"STATE_DISCONNECTED","features":[104]},{"name":"STATE_DOWN","features":[104]},{"name":"STATE_IDLE","features":[104]},{"name":"STATE_INIT","features":[104]},{"name":"STATE_INVALID","features":[104]},{"name":"STATE_LISTEN","features":[104]},{"name":"STATE_MAX","features":[104]},{"name":"STATE_RESET","features":[104]},{"name":"STATE_SHADOW","features":[104]},{"name":"SnapshotEncodingDataUri","features":[104]},{"name":"SnapshotEncodingType","features":[104]},{"name":"SnapshotFormatBmp","features":[104]},{"name":"SnapshotFormatJpeg","features":[104]},{"name":"SnapshotFormatPng","features":[104]},{"name":"SnapshotFormatType","features":[104]},{"name":"TARGET_CHANGE_TYPE","features":[104]},{"name":"TARGET_CHANGE_UNSPEC","features":[104]},{"name":"TARGET_CHECKED_OUT","features":[104]},{"name":"TARGET_DOWN","features":[104]},{"name":"TARGET_EXTERNALIP_CHANGED","features":[104]},{"name":"TARGET_FARM_MEMBERSHIP_CHANGED","features":[104]},{"name":"TARGET_HIBERNATED","features":[104]},{"name":"TARGET_IDLE","features":[104]},{"name":"TARGET_INITIALIZING","features":[104]},{"name":"TARGET_INTERNALIP_CHANGED","features":[104]},{"name":"TARGET_INUSE","features":[104]},{"name":"TARGET_INVALID","features":[104]},{"name":"TARGET_JOINED","features":[104]},{"name":"TARGET_MAXSTATE","features":[104]},{"name":"TARGET_OWNER","features":[104]},{"name":"TARGET_PATCH_COMPLETED","features":[104]},{"name":"TARGET_PATCH_FAILED","features":[104]},{"name":"TARGET_PATCH_IN_PROGRESS","features":[104]},{"name":"TARGET_PATCH_NOT_STARTED","features":[104]},{"name":"TARGET_PATCH_STATE","features":[104]},{"name":"TARGET_PATCH_STATE_CHANGED","features":[104]},{"name":"TARGET_PATCH_UNKNOWN","features":[104]},{"name":"TARGET_PENDING","features":[104]},{"name":"TARGET_REMOVED","features":[104]},{"name":"TARGET_RUNNING","features":[104]},{"name":"TARGET_STARTING","features":[104]},{"name":"TARGET_STATE","features":[104]},{"name":"TARGET_STATE_CHANGED","features":[104]},{"name":"TARGET_STOPPED","features":[104]},{"name":"TARGET_STOPPING","features":[104]},{"name":"TARGET_TYPE","features":[104]},{"name":"TARGET_UNKNOWN","features":[104]},{"name":"TASK_PLUGIN","features":[104]},{"name":"TSPUB_PLUGIN_PD_ASSIGNMENT_EXISTING","features":[104]},{"name":"TSPUB_PLUGIN_PD_ASSIGNMENT_NEW","features":[104]},{"name":"TSPUB_PLUGIN_PD_ASSIGNMENT_TYPE","features":[104]},{"name":"TSPUB_PLUGIN_PD_QUERY_EXISTING","features":[104]},{"name":"TSPUB_PLUGIN_PD_QUERY_OR_CREATE","features":[104]},{"name":"TSPUB_PLUGIN_PD_RESOLUTION_TYPE","features":[104]},{"name":"TSSB_NOTIFICATION_TYPE","features":[104]},{"name":"TSSB_NOTIFY_CONNECTION_REQUEST_CHANGE","features":[104]},{"name":"TSSB_NOTIFY_INVALID","features":[104]},{"name":"TSSB_NOTIFY_SESSION_CHANGE","features":[104]},{"name":"TSSB_NOTIFY_TARGET_CHANGE","features":[104]},{"name":"TSSD_ADDR_IPv4","features":[104]},{"name":"TSSD_ADDR_IPv6","features":[104]},{"name":"TSSD_ADDR_UNDEFINED","features":[104]},{"name":"TSSD_AddrV46Type","features":[104]},{"name":"TSSD_ConnectionPoint","features":[104]},{"name":"TSSESSION_STATE","features":[104]},{"name":"TSUserExInterfaces","features":[104]},{"name":"TS_SB_SORT_BY","features":[104]},{"name":"TS_SB_SORT_BY_NAME","features":[104]},{"name":"TS_SB_SORT_BY_NONE","features":[104]},{"name":"TS_SB_SORT_BY_PROP","features":[104]},{"name":"TS_VC_LISTENER_STATIC_CHANNEL","features":[104]},{"name":"UNKNOWN","features":[104]},{"name":"UNKNOWN_PLUGIN","features":[104]},{"name":"USERNAME_LENGTH","features":[104]},{"name":"VALIDATIONINFORMATION_HARDWAREID_LENGTH","features":[104]},{"name":"VALIDATIONINFORMATION_LICENSE_LENGTH","features":[104]},{"name":"VIRTUAL_CHANNEL_VERSION_WIN2000","features":[104]},{"name":"VM_HOST_NOTIFY_STATUS","features":[104]},{"name":"VM_HOST_STATUS_INIT_COMPLETE","features":[104]},{"name":"VM_HOST_STATUS_INIT_FAILED","features":[104]},{"name":"VM_HOST_STATUS_INIT_IN_PROGRESS","features":[104]},{"name":"VM_HOST_STATUS_INIT_PENDING","features":[104]},{"name":"VM_NOTIFY_ENTRY","features":[104]},{"name":"VM_NOTIFY_INFO","features":[104]},{"name":"VM_NOTIFY_STATUS","features":[104]},{"name":"VM_NOTIFY_STATUS_CANCELED","features":[104]},{"name":"VM_NOTIFY_STATUS_COMPLETE","features":[104]},{"name":"VM_NOTIFY_STATUS_FAILED","features":[104]},{"name":"VM_NOTIFY_STATUS_IN_PROGRESS","features":[104]},{"name":"VM_NOTIFY_STATUS_PENDING","features":[104]},{"name":"VM_PATCH_INFO","features":[104]},{"name":"WINSTATIONNAME_LENGTH","features":[104]},{"name":"WKS_FLAG_CLEAR_CREDS_ON_LAST_RESOURCE","features":[104]},{"name":"WKS_FLAG_CREDS_AUTHENTICATED","features":[104]},{"name":"WKS_FLAG_PASSWORD_ENCRYPTED","features":[104]},{"name":"WRDS_CLIENTADDRESS_LENGTH","features":[104]},{"name":"WRDS_CLIENTNAME_LENGTH","features":[104]},{"name":"WRDS_CLIENT_PRODUCT_ID_LENGTH","features":[104]},{"name":"WRDS_CONNECTION_SETTING","features":[1,104]},{"name":"WRDS_CONNECTION_SETTINGS","features":[1,104]},{"name":"WRDS_CONNECTION_SETTINGS_1","features":[1,104]},{"name":"WRDS_CONNECTION_SETTING_LEVEL","features":[104]},{"name":"WRDS_CONNECTION_SETTING_LEVEL_1","features":[104]},{"name":"WRDS_CONNECTION_SETTING_LEVEL_INVALID","features":[104]},{"name":"WRDS_DEVICE_NAME_LENGTH","features":[104]},{"name":"WRDS_DIRECTORY_LENGTH","features":[104]},{"name":"WRDS_DOMAIN_LENGTH","features":[104]},{"name":"WRDS_DRIVER_NAME_LENGTH","features":[104]},{"name":"WRDS_DYNAMIC_TIME_ZONE_INFORMATION","features":[104]},{"name":"WRDS_IMEFILENAME_LENGTH","features":[104]},{"name":"WRDS_INITIALPROGRAM_LENGTH","features":[104]},{"name":"WRDS_KEY_EXCHANGE_ALG_DH","features":[104]},{"name":"WRDS_KEY_EXCHANGE_ALG_RSA","features":[104]},{"name":"WRDS_LICENSE_PREAMBLE_VERSION","features":[104]},{"name":"WRDS_LICENSE_PROTOCOL_VERSION","features":[104]},{"name":"WRDS_LISTENER_SETTING","features":[104]},{"name":"WRDS_LISTENER_SETTINGS","features":[104]},{"name":"WRDS_LISTENER_SETTINGS_1","features":[104]},{"name":"WRDS_LISTENER_SETTING_LEVEL","features":[104]},{"name":"WRDS_LISTENER_SETTING_LEVEL_1","features":[104]},{"name":"WRDS_LISTENER_SETTING_LEVEL_INVALID","features":[104]},{"name":"WRDS_MAX_CACHE_RESERVED","features":[104]},{"name":"WRDS_MAX_COUNTERS","features":[104]},{"name":"WRDS_MAX_DISPLAY_IOCTL_DATA","features":[104]},{"name":"WRDS_MAX_PROTOCOL_CACHE","features":[104]},{"name":"WRDS_MAX_RESERVED","features":[104]},{"name":"WRDS_PASSWORD_LENGTH","features":[104]},{"name":"WRDS_PERF_DISABLE_CURSORSETTINGS","features":[104]},{"name":"WRDS_PERF_DISABLE_CURSOR_SHADOW","features":[104]},{"name":"WRDS_PERF_DISABLE_FULLWINDOWDRAG","features":[104]},{"name":"WRDS_PERF_DISABLE_MENUANIMATIONS","features":[104]},{"name":"WRDS_PERF_DISABLE_NOTHING","features":[104]},{"name":"WRDS_PERF_DISABLE_THEMING","features":[104]},{"name":"WRDS_PERF_DISABLE_WALLPAPER","features":[104]},{"name":"WRDS_PERF_ENABLE_DESKTOP_COMPOSITION","features":[104]},{"name":"WRDS_PERF_ENABLE_ENHANCED_GRAPHICS","features":[104]},{"name":"WRDS_PERF_ENABLE_FONT_SMOOTHING","features":[104]},{"name":"WRDS_PROTOCOL_NAME_LENGTH","features":[104]},{"name":"WRDS_SERVICE_ID_GRAPHICS_GUID","features":[104]},{"name":"WRDS_SETTING","features":[1,104]},{"name":"WRDS_SETTINGS","features":[1,104]},{"name":"WRDS_SETTINGS_1","features":[1,104]},{"name":"WRDS_SETTING_LEVEL","features":[104]},{"name":"WRDS_SETTING_LEVEL_1","features":[104]},{"name":"WRDS_SETTING_LEVEL_INVALID","features":[104]},{"name":"WRDS_SETTING_STATUS","features":[104]},{"name":"WRDS_SETTING_STATUS_DISABLED","features":[104]},{"name":"WRDS_SETTING_STATUS_ENABLED","features":[104]},{"name":"WRDS_SETTING_STATUS_NOTAPPLICABLE","features":[104]},{"name":"WRDS_SETTING_STATUS_NOTCONFIGURED","features":[104]},{"name":"WRDS_SETTING_TYPE","features":[104]},{"name":"WRDS_SETTING_TYPE_INVALID","features":[104]},{"name":"WRDS_SETTING_TYPE_MACHINE","features":[104]},{"name":"WRDS_SETTING_TYPE_SAM","features":[104]},{"name":"WRDS_SETTING_TYPE_USER","features":[104]},{"name":"WRDS_USERNAME_LENGTH","features":[104]},{"name":"WRDS_VALUE_TYPE_BINARY","features":[104]},{"name":"WRDS_VALUE_TYPE_GUID","features":[104]},{"name":"WRDS_VALUE_TYPE_STRING","features":[104]},{"name":"WRDS_VALUE_TYPE_ULONG","features":[104]},{"name":"WRdsGraphicsChannelType","features":[104]},{"name":"WRdsGraphicsChannelType_BestEffortDelivery","features":[104]},{"name":"WRdsGraphicsChannelType_GuaranteedDelivery","features":[104]},{"name":"WRdsGraphicsChannels_LossyChannelMaxMessageSize","features":[104]},{"name":"WTSActive","features":[104]},{"name":"WTSApplicationName","features":[104]},{"name":"WTSCLIENTA","features":[104]},{"name":"WTSCLIENTW","features":[104]},{"name":"WTSCONFIGINFOA","features":[104]},{"name":"WTSCONFIGINFOW","features":[104]},{"name":"WTSClientAddress","features":[104]},{"name":"WTSClientBuildNumber","features":[104]},{"name":"WTSClientDirectory","features":[104]},{"name":"WTSClientDisplay","features":[104]},{"name":"WTSClientHardwareId","features":[104]},{"name":"WTSClientInfo","features":[104]},{"name":"WTSClientName","features":[104]},{"name":"WTSClientProductId","features":[104]},{"name":"WTSClientProtocolType","features":[104]},{"name":"WTSCloseServer","features":[1,104]},{"name":"WTSConfigInfo","features":[104]},{"name":"WTSConnectQuery","features":[104]},{"name":"WTSConnectSessionA","features":[1,104]},{"name":"WTSConnectSessionW","features":[1,104]},{"name":"WTSConnectState","features":[104]},{"name":"WTSConnected","features":[104]},{"name":"WTSCreateListenerA","features":[1,104]},{"name":"WTSCreateListenerW","features":[1,104]},{"name":"WTSDisconnectSession","features":[1,104]},{"name":"WTSDisconnected","features":[104]},{"name":"WTSDomainName","features":[104]},{"name":"WTSDown","features":[104]},{"name":"WTSEnableChildSessions","features":[1,104]},{"name":"WTSEnumerateListenersA","features":[1,104]},{"name":"WTSEnumerateListenersW","features":[1,104]},{"name":"WTSEnumerateProcessesA","features":[1,104]},{"name":"WTSEnumerateProcessesExA","features":[1,104]},{"name":"WTSEnumerateProcessesExW","features":[1,104]},{"name":"WTSEnumerateProcessesW","features":[1,104]},{"name":"WTSEnumerateServersA","features":[1,104]},{"name":"WTSEnumerateServersW","features":[1,104]},{"name":"WTSEnumerateSessionsA","features":[1,104]},{"name":"WTSEnumerateSessionsExA","features":[1,104]},{"name":"WTSEnumerateSessionsExW","features":[1,104]},{"name":"WTSEnumerateSessionsW","features":[1,104]},{"name":"WTSFreeMemory","features":[104]},{"name":"WTSFreeMemoryExA","features":[1,104]},{"name":"WTSFreeMemoryExW","features":[1,104]},{"name":"WTSGetActiveConsoleSessionId","features":[104]},{"name":"WTSGetChildSessionId","features":[1,104]},{"name":"WTSGetListenerSecurityA","features":[1,4,104]},{"name":"WTSGetListenerSecurityW","features":[1,4,104]},{"name":"WTSINFOA","features":[104]},{"name":"WTSINFOEXA","features":[104]},{"name":"WTSINFOEXW","features":[104]},{"name":"WTSINFOEX_LEVEL1_A","features":[104]},{"name":"WTSINFOEX_LEVEL1_W","features":[104]},{"name":"WTSINFOEX_LEVEL_A","features":[104]},{"name":"WTSINFOEX_LEVEL_W","features":[104]},{"name":"WTSINFOW","features":[104]},{"name":"WTSIdle","features":[104]},{"name":"WTSIdleTime","features":[104]},{"name":"WTSIncomingBytes","features":[104]},{"name":"WTSIncomingFrames","features":[104]},{"name":"WTSInit","features":[104]},{"name":"WTSInitialProgram","features":[104]},{"name":"WTSIsChildSessionsEnabled","features":[1,104]},{"name":"WTSIsRemoteSession","features":[104]},{"name":"WTSLISTENERCONFIGA","features":[104]},{"name":"WTSLISTENERCONFIGW","features":[104]},{"name":"WTSListen","features":[104]},{"name":"WTSLogoffSession","features":[1,104]},{"name":"WTSLogonTime","features":[104]},{"name":"WTSOEMId","features":[104]},{"name":"WTSOpenServerA","features":[1,104]},{"name":"WTSOpenServerExA","features":[1,104]},{"name":"WTSOpenServerExW","features":[1,104]},{"name":"WTSOpenServerW","features":[1,104]},{"name":"WTSOutgoingBytes","features":[104]},{"name":"WTSOutgoingFrames","features":[104]},{"name":"WTSQueryListenerConfigA","features":[1,104]},{"name":"WTSQueryListenerConfigW","features":[1,104]},{"name":"WTSQuerySessionInformationA","features":[1,104]},{"name":"WTSQuerySessionInformationW","features":[1,104]},{"name":"WTSQueryUserConfigA","features":[1,104]},{"name":"WTSQueryUserConfigW","features":[1,104]},{"name":"WTSQueryUserToken","features":[1,104]},{"name":"WTSRegisterSessionNotification","features":[1,104]},{"name":"WTSRegisterSessionNotificationEx","features":[1,104]},{"name":"WTSReset","features":[104]},{"name":"WTSSBX_ADDRESS_FAMILY","features":[104]},{"name":"WTSSBX_ADDRESS_FAMILY_AF_INET","features":[104]},{"name":"WTSSBX_ADDRESS_FAMILY_AF_INET6","features":[104]},{"name":"WTSSBX_ADDRESS_FAMILY_AF_IPX","features":[104]},{"name":"WTSSBX_ADDRESS_FAMILY_AF_NETBIOS","features":[104]},{"name":"WTSSBX_ADDRESS_FAMILY_AF_UNSPEC","features":[104]},{"name":"WTSSBX_IP_ADDRESS","features":[104]},{"name":"WTSSBX_MACHINE_CONNECT_INFO","features":[104]},{"name":"WTSSBX_MACHINE_DRAIN","features":[104]},{"name":"WTSSBX_MACHINE_DRAIN_OFF","features":[104]},{"name":"WTSSBX_MACHINE_DRAIN_ON","features":[104]},{"name":"WTSSBX_MACHINE_DRAIN_UNSPEC","features":[104]},{"name":"WTSSBX_MACHINE_INFO","features":[104]},{"name":"WTSSBX_MACHINE_SESSION_MODE","features":[104]},{"name":"WTSSBX_MACHINE_SESSION_MODE_MULTIPLE","features":[104]},{"name":"WTSSBX_MACHINE_SESSION_MODE_SINGLE","features":[104]},{"name":"WTSSBX_MACHINE_SESSION_MODE_UNSPEC","features":[104]},{"name":"WTSSBX_MACHINE_STATE","features":[104]},{"name":"WTSSBX_MACHINE_STATE_READY","features":[104]},{"name":"WTSSBX_MACHINE_STATE_SYNCHRONIZING","features":[104]},{"name":"WTSSBX_MACHINE_STATE_UNSPEC","features":[104]},{"name":"WTSSBX_NOTIFICATION_ADDED","features":[104]},{"name":"WTSSBX_NOTIFICATION_CHANGED","features":[104]},{"name":"WTSSBX_NOTIFICATION_REMOVED","features":[104]},{"name":"WTSSBX_NOTIFICATION_RESYNC","features":[104]},{"name":"WTSSBX_NOTIFICATION_TYPE","features":[104]},{"name":"WTSSBX_SESSION_INFO","features":[1,104]},{"name":"WTSSBX_SESSION_STATE","features":[104]},{"name":"WTSSBX_SESSION_STATE_ACTIVE","features":[104]},{"name":"WTSSBX_SESSION_STATE_DISCONNECTED","features":[104]},{"name":"WTSSBX_SESSION_STATE_UNSPEC","features":[104]},{"name":"WTSSESSION_NOTIFICATION","features":[104]},{"name":"WTSSendMessageA","features":[1,104,50]},{"name":"WTSSendMessageW","features":[1,104,50]},{"name":"WTSSessionAddressV4","features":[104]},{"name":"WTSSessionId","features":[104]},{"name":"WTSSessionInfo","features":[104]},{"name":"WTSSessionInfoEx","features":[104]},{"name":"WTSSetListenerSecurityA","features":[1,4,104]},{"name":"WTSSetListenerSecurityW","features":[1,4,104]},{"name":"WTSSetRenderHint","features":[1,104]},{"name":"WTSSetUserConfigA","features":[1,104]},{"name":"WTSSetUserConfigW","features":[1,104]},{"name":"WTSShadow","features":[104]},{"name":"WTSShutdownSystem","features":[1,104]},{"name":"WTSStartRemoteControlSessionA","features":[1,104]},{"name":"WTSStartRemoteControlSessionW","features":[1,104]},{"name":"WTSStopRemoteControlSession","features":[1,104]},{"name":"WTSTerminateProcess","features":[1,104]},{"name":"WTSTypeProcessInfoLevel0","features":[104]},{"name":"WTSTypeProcessInfoLevel1","features":[104]},{"name":"WTSTypeSessionInfoLevel1","features":[104]},{"name":"WTSUSERCONFIGA","features":[104]},{"name":"WTSUSERCONFIGW","features":[104]},{"name":"WTSUnRegisterSessionNotification","features":[1,104]},{"name":"WTSUnRegisterSessionNotificationEx","features":[1,104]},{"name":"WTSUserConfigBrokenTimeoutSettings","features":[104]},{"name":"WTSUserConfigInitialProgram","features":[104]},{"name":"WTSUserConfigModemCallbackPhoneNumber","features":[104]},{"name":"WTSUserConfigModemCallbackSettings","features":[104]},{"name":"WTSUserConfigReconnectSettings","features":[104]},{"name":"WTSUserConfigShadowingSettings","features":[104]},{"name":"WTSUserConfigSourceSAM","features":[104]},{"name":"WTSUserConfigTerminalServerHomeDir","features":[104]},{"name":"WTSUserConfigTerminalServerHomeDirDrive","features":[104]},{"name":"WTSUserConfigTerminalServerProfilePath","features":[104]},{"name":"WTSUserConfigTimeoutSettingsConnections","features":[104]},{"name":"WTSUserConfigTimeoutSettingsDisconnections","features":[104]},{"name":"WTSUserConfigTimeoutSettingsIdle","features":[104]},{"name":"WTSUserConfigUser","features":[104]},{"name":"WTSUserConfigWorkingDirectory","features":[104]},{"name":"WTSUserConfigfAllowLogonTerminalServer","features":[104]},{"name":"WTSUserConfigfDeviceClientDefaultPrinter","features":[104]},{"name":"WTSUserConfigfDeviceClientDrives","features":[104]},{"name":"WTSUserConfigfDeviceClientPrinters","features":[104]},{"name":"WTSUserConfigfInheritInitialProgram","features":[104]},{"name":"WTSUserConfigfTerminalServerRemoteHomeDir","features":[104]},{"name":"WTSUserName","features":[104]},{"name":"WTSValidationInfo","features":[104]},{"name":"WTSVirtualChannelClose","features":[1,104]},{"name":"WTSVirtualChannelOpen","features":[1,104]},{"name":"WTSVirtualChannelOpenEx","features":[1,104]},{"name":"WTSVirtualChannelPurgeInput","features":[1,104]},{"name":"WTSVirtualChannelPurgeOutput","features":[1,104]},{"name":"WTSVirtualChannelQuery","features":[1,104]},{"name":"WTSVirtualChannelRead","features":[1,104]},{"name":"WTSVirtualChannelWrite","features":[1,104]},{"name":"WTSVirtualClientData","features":[104]},{"name":"WTSVirtualFileHandle","features":[104]},{"name":"WTSWaitSystemEvent","features":[1,104]},{"name":"WTSWinStationName","features":[104]},{"name":"WTSWorkingDirectory","features":[104]},{"name":"WTS_CACHE_STATS","features":[104]},{"name":"WTS_CACHE_STATS_UN","features":[104]},{"name":"WTS_CERT_TYPE","features":[104]},{"name":"WTS_CERT_TYPE_INVALID","features":[104]},{"name":"WTS_CERT_TYPE_PROPRIETORY","features":[104]},{"name":"WTS_CERT_TYPE_X509","features":[104]},{"name":"WTS_CHANNEL_OPTION_DYNAMIC","features":[104]},{"name":"WTS_CHANNEL_OPTION_DYNAMIC_NO_COMPRESS","features":[104]},{"name":"WTS_CHANNEL_OPTION_DYNAMIC_PRI_HIGH","features":[104]},{"name":"WTS_CHANNEL_OPTION_DYNAMIC_PRI_LOW","features":[104]},{"name":"WTS_CHANNEL_OPTION_DYNAMIC_PRI_MED","features":[104]},{"name":"WTS_CHANNEL_OPTION_DYNAMIC_PRI_REAL","features":[104]},{"name":"WTS_CLIENTADDRESS_LENGTH","features":[104]},{"name":"WTS_CLIENTNAME_LENGTH","features":[104]},{"name":"WTS_CLIENT_ADDRESS","features":[104]},{"name":"WTS_CLIENT_DATA","features":[1,104]},{"name":"WTS_CLIENT_DISPLAY","features":[104]},{"name":"WTS_CLIENT_PRODUCT_ID_LENGTH","features":[104]},{"name":"WTS_COMMENT_LENGTH","features":[104]},{"name":"WTS_CONFIG_CLASS","features":[104]},{"name":"WTS_CONFIG_SOURCE","features":[104]},{"name":"WTS_CONNECTSTATE_CLASS","features":[104]},{"name":"WTS_CURRENT_SERVER","features":[1,104]},{"name":"WTS_CURRENT_SERVER_HANDLE","features":[1,104]},{"name":"WTS_CURRENT_SERVER_NAME","features":[104]},{"name":"WTS_CURRENT_SESSION","features":[104]},{"name":"WTS_DEVICE_NAME_LENGTH","features":[104]},{"name":"WTS_DIRECTORY_LENGTH","features":[104]},{"name":"WTS_DISPLAY_IOCTL","features":[104]},{"name":"WTS_DOMAIN_LENGTH","features":[104]},{"name":"WTS_DRAIN_IN_DRAIN","features":[104]},{"name":"WTS_DRAIN_NOT_IN_DRAIN","features":[104]},{"name":"WTS_DRAIN_STATE_NONE","features":[104]},{"name":"WTS_DRIVER_NAME_LENGTH","features":[104]},{"name":"WTS_DRIVE_LENGTH","features":[104]},{"name":"WTS_EVENT_ALL","features":[104]},{"name":"WTS_EVENT_CONNECT","features":[104]},{"name":"WTS_EVENT_CREATE","features":[104]},{"name":"WTS_EVENT_DELETE","features":[104]},{"name":"WTS_EVENT_DISCONNECT","features":[104]},{"name":"WTS_EVENT_FLUSH","features":[104]},{"name":"WTS_EVENT_LICENSE","features":[104]},{"name":"WTS_EVENT_LOGOFF","features":[104]},{"name":"WTS_EVENT_LOGON","features":[104]},{"name":"WTS_EVENT_NONE","features":[104]},{"name":"WTS_EVENT_RENAME","features":[104]},{"name":"WTS_EVENT_STATECHANGE","features":[104]},{"name":"WTS_IMEFILENAME_LENGTH","features":[104]},{"name":"WTS_INFO_CLASS","features":[104]},{"name":"WTS_INITIALPROGRAM_LENGTH","features":[104]},{"name":"WTS_KEY_EXCHANGE_ALG_DH","features":[104]},{"name":"WTS_KEY_EXCHANGE_ALG_RSA","features":[104]},{"name":"WTS_LICENSE_CAPABILITIES","features":[1,104]},{"name":"WTS_LICENSE_PREAMBLE_VERSION","features":[104]},{"name":"WTS_LICENSE_PROTOCOL_VERSION","features":[104]},{"name":"WTS_LISTENER_CREATE","features":[104]},{"name":"WTS_LISTENER_NAME_LENGTH","features":[104]},{"name":"WTS_LISTENER_UPDATE","features":[104]},{"name":"WTS_LOGON_ERROR_REDIRECTOR_RESPONSE","features":[104]},{"name":"WTS_LOGON_ERR_HANDLED_DONT_SHOW","features":[104]},{"name":"WTS_LOGON_ERR_HANDLED_DONT_SHOW_START_OVER","features":[104]},{"name":"WTS_LOGON_ERR_HANDLED_SHOW","features":[104]},{"name":"WTS_LOGON_ERR_INVALID","features":[104]},{"name":"WTS_LOGON_ERR_NOT_HANDLED","features":[104]},{"name":"WTS_MAX_CACHE_RESERVED","features":[104]},{"name":"WTS_MAX_COUNTERS","features":[104]},{"name":"WTS_MAX_DISPLAY_IOCTL_DATA","features":[104]},{"name":"WTS_MAX_PROTOCOL_CACHE","features":[104]},{"name":"WTS_MAX_RESERVED","features":[104]},{"name":"WTS_PASSWORD_LENGTH","features":[104]},{"name":"WTS_PERF_DISABLE_CURSORSETTINGS","features":[104]},{"name":"WTS_PERF_DISABLE_CURSOR_SHADOW","features":[104]},{"name":"WTS_PERF_DISABLE_FULLWINDOWDRAG","features":[104]},{"name":"WTS_PERF_DISABLE_MENUANIMATIONS","features":[104]},{"name":"WTS_PERF_DISABLE_NOTHING","features":[104]},{"name":"WTS_PERF_DISABLE_THEMING","features":[104]},{"name":"WTS_PERF_DISABLE_WALLPAPER","features":[104]},{"name":"WTS_PERF_ENABLE_DESKTOP_COMPOSITION","features":[104]},{"name":"WTS_PERF_ENABLE_ENHANCED_GRAPHICS","features":[104]},{"name":"WTS_PERF_ENABLE_FONT_SMOOTHING","features":[104]},{"name":"WTS_POLICY_DATA","features":[1,104]},{"name":"WTS_PROCESS_INFOA","features":[1,104]},{"name":"WTS_PROCESS_INFOW","features":[1,104]},{"name":"WTS_PROCESS_INFO_EXA","features":[1,104]},{"name":"WTS_PROCESS_INFO_EXW","features":[1,104]},{"name":"WTS_PROCESS_INFO_LEVEL_0","features":[104]},{"name":"WTS_PROCESS_INFO_LEVEL_1","features":[104]},{"name":"WTS_PROPERTY_DEFAULT_CONFIG","features":[104]},{"name":"WTS_PROPERTY_VALUE","features":[104]},{"name":"WTS_PROTOCOL_CACHE","features":[104]},{"name":"WTS_PROTOCOL_COUNTERS","features":[104]},{"name":"WTS_PROTOCOL_NAME_LENGTH","features":[104]},{"name":"WTS_PROTOCOL_STATUS","features":[104]},{"name":"WTS_PROTOCOL_TYPE_CONSOLE","features":[104]},{"name":"WTS_PROTOCOL_TYPE_ICA","features":[104]},{"name":"WTS_PROTOCOL_TYPE_RDP","features":[104]},{"name":"WTS_QUERY_ALLOWED_INITIAL_APP","features":[104]},{"name":"WTS_QUERY_AUDIOENUM_DLL","features":[104]},{"name":"WTS_QUERY_LOGON_SCREEN_SIZE","features":[104]},{"name":"WTS_QUERY_MF_FORMAT_SUPPORT","features":[104]},{"name":"WTS_RCM_DRAIN_STATE","features":[104]},{"name":"WTS_RCM_SERVICE_STATE","features":[104]},{"name":"WTS_SECURITY_ALL_ACCESS","features":[104]},{"name":"WTS_SECURITY_CONNECT","features":[104]},{"name":"WTS_SECURITY_CURRENT_GUEST_ACCESS","features":[104]},{"name":"WTS_SECURITY_CURRENT_USER_ACCESS","features":[104]},{"name":"WTS_SECURITY_DISCONNECT","features":[104]},{"name":"WTS_SECURITY_FLAGS","features":[104]},{"name":"WTS_SECURITY_GUEST_ACCESS","features":[104]},{"name":"WTS_SECURITY_LOGOFF","features":[104]},{"name":"WTS_SECURITY_LOGON","features":[104]},{"name":"WTS_SECURITY_MESSAGE","features":[104]},{"name":"WTS_SECURITY_QUERY_INFORMATION","features":[104]},{"name":"WTS_SECURITY_REMOTE_CONTROL","features":[104]},{"name":"WTS_SECURITY_RESET","features":[104]},{"name":"WTS_SECURITY_SET_INFORMATION","features":[104]},{"name":"WTS_SECURITY_USER_ACCESS","features":[104]},{"name":"WTS_SECURITY_VIRTUAL_CHANNELS","features":[104]},{"name":"WTS_SERVER_INFOA","features":[104]},{"name":"WTS_SERVER_INFOW","features":[104]},{"name":"WTS_SERVICE_NONE","features":[104]},{"name":"WTS_SERVICE_START","features":[104]},{"name":"WTS_SERVICE_STATE","features":[104]},{"name":"WTS_SERVICE_STOP","features":[104]},{"name":"WTS_SESSIONSTATE_LOCK","features":[104]},{"name":"WTS_SESSIONSTATE_UNKNOWN","features":[104]},{"name":"WTS_SESSIONSTATE_UNLOCK","features":[104]},{"name":"WTS_SESSION_ADDRESS","features":[104]},{"name":"WTS_SESSION_ID","features":[104]},{"name":"WTS_SESSION_INFOA","features":[104]},{"name":"WTS_SESSION_INFOW","features":[104]},{"name":"WTS_SESSION_INFO_1A","features":[104]},{"name":"WTS_SESSION_INFO_1W","features":[104]},{"name":"WTS_SMALL_RECT","features":[104]},{"name":"WTS_SOCKADDR","features":[104]},{"name":"WTS_SYSTEMTIME","features":[104]},{"name":"WTS_TIME_ZONE_INFORMATION","features":[104]},{"name":"WTS_TYPE_CLASS","features":[104]},{"name":"WTS_USERNAME_LENGTH","features":[104]},{"name":"WTS_USER_CREDENTIAL","features":[104]},{"name":"WTS_USER_DATA","features":[104]},{"name":"WTS_VALIDATION_INFORMATIONA","features":[104]},{"name":"WTS_VALIDATION_INFORMATIONW","features":[104]},{"name":"WTS_VALUE_TYPE_BINARY","features":[104]},{"name":"WTS_VALUE_TYPE_GUID","features":[104]},{"name":"WTS_VALUE_TYPE_STRING","features":[104]},{"name":"WTS_VALUE_TYPE_ULONG","features":[104]},{"name":"WTS_VIRTUAL_CLASS","features":[104]},{"name":"WTS_WSD_FASTREBOOT","features":[104]},{"name":"WTS_WSD_LOGOFF","features":[104]},{"name":"WTS_WSD_POWEROFF","features":[104]},{"name":"WTS_WSD_REBOOT","features":[104]},{"name":"WTS_WSD_SHUTDOWN","features":[104]},{"name":"Workspace","features":[104]},{"name":"_ITSWkspEvents","features":[104]},{"name":"pluginResource","features":[104]},{"name":"pluginResource2","features":[104]},{"name":"pluginResource2FileAssociation","features":[104]}],"598":[{"name":"ERROR_REDIRECT_LOCATION_INVALID","features":[194]},{"name":"ERROR_REDIRECT_LOCATION_TOO_LONG","features":[194]},{"name":"ERROR_SERVICE_CBT_HARDENING_INVALID","features":[194]},{"name":"ERROR_WINRS_CLIENT_CLOSERECEIVEHANDLE_NULL_PARAM","features":[194]},{"name":"ERROR_WINRS_CLIENT_CLOSESENDHANDLE_NULL_PARAM","features":[194]},{"name":"ERROR_WINRS_CLIENT_CLOSESHELL_NULL_PARAM","features":[194]},{"name":"ERROR_WINRS_CLIENT_CREATESHELL_NULL_PARAM","features":[194]},{"name":"ERROR_WINRS_CLIENT_FREECREATESHELLRESULT_NULL_PARAM","features":[194]},{"name":"ERROR_WINRS_CLIENT_FREEPULLRESULT_NULL_PARAM","features":[194]},{"name":"ERROR_WINRS_CLIENT_FREERUNCOMMANDRESULT_NULL_PARAM","features":[194]},{"name":"ERROR_WINRS_CLIENT_GET_NULL_PARAM","features":[194]},{"name":"ERROR_WINRS_CLIENT_INVALID_FLAG","features":[194]},{"name":"ERROR_WINRS_CLIENT_NULL_PARAM","features":[194]},{"name":"ERROR_WINRS_CLIENT_PULL_NULL_PARAM","features":[194]},{"name":"ERROR_WINRS_CLIENT_PUSH_NULL_PARAM","features":[194]},{"name":"ERROR_WINRS_CLIENT_RECEIVE_NULL_PARAM","features":[194]},{"name":"ERROR_WINRS_CLIENT_RUNCOMMAND_NULL_PARAM","features":[194]},{"name":"ERROR_WINRS_CLIENT_SEND_NULL_PARAM","features":[194]},{"name":"ERROR_WINRS_CLIENT_SIGNAL_NULL_PARAM","features":[194]},{"name":"ERROR_WINRS_CODE_PAGE_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WINRS_CONNECT_RESPONSE_BAD_BODY","features":[194]},{"name":"ERROR_WINRS_IDLETIMEOUT_OUTOFBOUNDS","features":[194]},{"name":"ERROR_WINRS_RECEIVE_IN_PROGRESS","features":[194]},{"name":"ERROR_WINRS_RECEIVE_NO_RESPONSE_DATA","features":[194]},{"name":"ERROR_WINRS_SHELLCOMMAND_CLIENTID_NOT_VALID","features":[194]},{"name":"ERROR_WINRS_SHELLCOMMAND_CLIENTID_RESOURCE_CONFLICT","features":[194]},{"name":"ERROR_WINRS_SHELLCOMMAND_DISCONNECT_OPERATION_NOT_VALID","features":[194]},{"name":"ERROR_WINRS_SHELLCOMMAND_RECONNECT_OPERATION_NOT_VALID","features":[194]},{"name":"ERROR_WINRS_SHELL_CLIENTID_NOT_VALID","features":[194]},{"name":"ERROR_WINRS_SHELL_CLIENTID_RESOURCE_CONFLICT","features":[194]},{"name":"ERROR_WINRS_SHELL_CLIENTSESSIONID_MISMATCH","features":[194]},{"name":"ERROR_WINRS_SHELL_CONNECTED_TO_DIFFERENT_CLIENT","features":[194]},{"name":"ERROR_WINRS_SHELL_DISCONNECTED","features":[194]},{"name":"ERROR_WINRS_SHELL_DISCONNECT_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WINRS_SHELL_DISCONNECT_OPERATION_NOT_GRACEFUL","features":[194]},{"name":"ERROR_WINRS_SHELL_DISCONNECT_OPERATION_NOT_VALID","features":[194]},{"name":"ERROR_WINRS_SHELL_RECONNECT_OPERATION_NOT_VALID","features":[194]},{"name":"ERROR_WINRS_SHELL_URI_INVALID","features":[194]},{"name":"ERROR_WSMAN_ACK_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_ACTION_MISMATCH","features":[194]},{"name":"ERROR_WSMAN_ACTION_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_ADDOBJECT_MISSING_EPR","features":[194]},{"name":"ERROR_WSMAN_ADDOBJECT_MISSING_OBJECT","features":[194]},{"name":"ERROR_WSMAN_ALREADY_EXISTS","features":[194]},{"name":"ERROR_WSMAN_AMBIGUOUS_SELECTORS","features":[194]},{"name":"ERROR_WSMAN_AUTHENTICATION_INVALID_FLAG","features":[194]},{"name":"ERROR_WSMAN_AUTHORIZATION_MODE_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_BAD_METHOD","features":[194]},{"name":"ERROR_WSMAN_BATCHSIZE_TOO_SMALL","features":[194]},{"name":"ERROR_WSMAN_BATCH_COMPLETE","features":[194]},{"name":"ERROR_WSMAN_BOOKMARKS_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_BOOKMARK_EXPIRED","features":[194]},{"name":"ERROR_WSMAN_CANNOT_CHANGE_KEYS","features":[194]},{"name":"ERROR_WSMAN_CANNOT_DECRYPT","features":[194]},{"name":"ERROR_WSMAN_CANNOT_PROCESS_FILTER","features":[194]},{"name":"ERROR_WSMAN_CANNOT_USE_ALLOW_NEGOTIATE_IMPLICIT_CREDENTIALS_FOR_HTTP","features":[194]},{"name":"ERROR_WSMAN_CANNOT_USE_CERTIFICATES_FOR_HTTP","features":[194]},{"name":"ERROR_WSMAN_CANNOT_USE_PROXY_SETTINGS_FOR_CREDSSP","features":[194]},{"name":"ERROR_WSMAN_CANNOT_USE_PROXY_SETTINGS_FOR_HTTP","features":[194]},{"name":"ERROR_WSMAN_CANNOT_USE_PROXY_SETTINGS_FOR_KERBEROS","features":[194]},{"name":"ERROR_WSMAN_CERTMAPPING_CONFIGLIMIT_EXCEEDED","features":[194]},{"name":"ERROR_WSMAN_CERTMAPPING_CREDENTIAL_MANAGEMENT_FAILIED","features":[194]},{"name":"ERROR_WSMAN_CERTMAPPING_INVALIDISSUERKEY","features":[194]},{"name":"ERROR_WSMAN_CERTMAPPING_INVALIDSUBJECTKEY","features":[194]},{"name":"ERROR_WSMAN_CERTMAPPING_INVALIDUSERCREDENTIALS","features":[194]},{"name":"ERROR_WSMAN_CERTMAPPING_PASSWORDBLANK","features":[194]},{"name":"ERROR_WSMAN_CERTMAPPING_PASSWORDTOOLONG","features":[194]},{"name":"ERROR_WSMAN_CERTMAPPING_PASSWORDUSERTUPLE","features":[194]},{"name":"ERROR_WSMAN_CERT_INVALID_USAGE","features":[194]},{"name":"ERROR_WSMAN_CERT_INVALID_USAGE_CLIENT","features":[194]},{"name":"ERROR_WSMAN_CERT_MISSING_AUTH_FLAG","features":[194]},{"name":"ERROR_WSMAN_CERT_MULTIPLE_CREDENTIALS_FLAG","features":[194]},{"name":"ERROR_WSMAN_CERT_NOT_FOUND","features":[194]},{"name":"ERROR_WSMAN_CERT_THUMBPRINT_BLANK","features":[194]},{"name":"ERROR_WSMAN_CERT_THUMBPRINT_NOT_BLANK","features":[194]},{"name":"ERROR_WSMAN_CHARACTER_SET","features":[194]},{"name":"ERROR_WSMAN_CLIENT_ALLOWFRESHCREDENTIALS","features":[194]},{"name":"ERROR_WSMAN_CLIENT_ALLOWFRESHCREDENTIALS_NTLMONLY","features":[194]},{"name":"ERROR_WSMAN_CLIENT_BASIC_AUTHENTICATION_DISABLED","features":[194]},{"name":"ERROR_WSMAN_CLIENT_BATCH_ITEMS_TOO_SMALL","features":[194]},{"name":"ERROR_WSMAN_CLIENT_BLANK_ACTION_URI","features":[194]},{"name":"ERROR_WSMAN_CLIENT_BLANK_INPUT_XML","features":[194]},{"name":"ERROR_WSMAN_CLIENT_BLANK_URI","features":[194]},{"name":"ERROR_WSMAN_CLIENT_CERTIFICATES_AUTHENTICATION_DISABLED","features":[194]},{"name":"ERROR_WSMAN_CLIENT_CERT_NEEDED","features":[194]},{"name":"ERROR_WSMAN_CLIENT_CERT_UNKNOWN_LOCATION","features":[194]},{"name":"ERROR_WSMAN_CLIENT_CERT_UNKNOWN_TYPE","features":[194]},{"name":"ERROR_WSMAN_CLIENT_CERT_UNNEEDED_CREDS","features":[194]},{"name":"ERROR_WSMAN_CLIENT_CERT_UNNEEDED_USERNAME","features":[194]},{"name":"ERROR_WSMAN_CLIENT_CLOSECOMMAND_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_CLOSESHELL_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_COMPRESSION_INVALID_OPTION","features":[194]},{"name":"ERROR_WSMAN_CLIENT_CONNECTCOMMAND_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_CONNECTSHELL_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_CONSTRUCTERROR_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_CREATESESSION_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_CREATESHELL_NAME_INVALID","features":[194]},{"name":"ERROR_WSMAN_CLIENT_CREATESHELL_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_CREDENTIALS_FLAG_NEEDED","features":[194]},{"name":"ERROR_WSMAN_CLIENT_CREDENTIALS_FOR_DEFAULT_AUTHENTICATION","features":[194]},{"name":"ERROR_WSMAN_CLIENT_CREDENTIALS_FOR_PROXY_AUTHENTICATION","features":[194]},{"name":"ERROR_WSMAN_CLIENT_CREDENTIALS_NEEDED","features":[194]},{"name":"ERROR_WSMAN_CLIENT_CREDSSP_AUTHENTICATION_DISABLED","features":[194]},{"name":"ERROR_WSMAN_CLIENT_DECODEOBJECT_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_DELIVERENDSUBSCRIPTION_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_DELIVEREVENTS_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_DIGEST_AUTHENTICATION_DISABLED","features":[194]},{"name":"ERROR_WSMAN_CLIENT_DISABLE_LOOPBACK_WITH_EXPLICIT_CREDENTIALS","features":[194]},{"name":"ERROR_WSMAN_CLIENT_DISCONNECTSHELL_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_ENCODEOBJECT_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_ENUMERATE_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_ENUMERATORADDEVENT_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_ENUMERATORADDOBJECT_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_ENUMERATORNEXTOBJECT_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_ENUM_RECEIVED_TOO_MANY_ITEMS","features":[194]},{"name":"ERROR_WSMAN_CLIENT_GETBOOKMARK_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_GETERRORMESSAGE_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_GETSESSIONOPTION_DWORD_INVALID_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_GETSESSIONOPTION_DWORD_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_GETSESSIONOPTION_INVALID_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_GETSESSIONOPTION_STRING_INVALID_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_INITIALIZE_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_INVALID_CERT","features":[194]},{"name":"ERROR_WSMAN_CLIENT_INVALID_CERT_DNS_OR_UPN","features":[194]},{"name":"ERROR_WSMAN_CLIENT_INVALID_CLOSE_COMMAND_FLAG","features":[194]},{"name":"ERROR_WSMAN_CLIENT_INVALID_CLOSE_SHELL_FLAG","features":[194]},{"name":"ERROR_WSMAN_CLIENT_INVALID_CREATE_SHELL_FLAG","features":[194]},{"name":"ERROR_WSMAN_CLIENT_INVALID_DEINIT_APPLICATION_FLAG","features":[194]},{"name":"ERROR_WSMAN_CLIENT_INVALID_DELIVERY_RETRY","features":[194]},{"name":"ERROR_WSMAN_CLIENT_INVALID_DISABLE_LOOPBACK","features":[194]},{"name":"ERROR_WSMAN_CLIENT_INVALID_DISCONNECT_SHELL_FLAG","features":[194]},{"name":"ERROR_WSMAN_CLIENT_INVALID_FLAG","features":[194]},{"name":"ERROR_WSMAN_CLIENT_INVALID_GETERRORMESSAGE_FLAG","features":[194]},{"name":"ERROR_WSMAN_CLIENT_INVALID_INIT_APPLICATION_FLAG","features":[194]},{"name":"ERROR_WSMAN_CLIENT_INVALID_LANGUAGE_CODE","features":[194]},{"name":"ERROR_WSMAN_CLIENT_INVALID_LOCALE","features":[194]},{"name":"ERROR_WSMAN_CLIENT_INVALID_RECEIVE_SHELL_FLAG","features":[194]},{"name":"ERROR_WSMAN_CLIENT_INVALID_RESOURCE_LOCATOR","features":[194]},{"name":"ERROR_WSMAN_CLIENT_INVALID_RUNCOMMAND_FLAG","features":[194]},{"name":"ERROR_WSMAN_CLIENT_INVALID_SEND_SHELL_FLAG","features":[194]},{"name":"ERROR_WSMAN_CLIENT_INVALID_SEND_SHELL_PARAMETER","features":[194]},{"name":"ERROR_WSMAN_CLIENT_INVALID_SHELL_COMMAND_PAIR","features":[194]},{"name":"ERROR_WSMAN_CLIENT_INVALID_SIGNAL_SHELL_FLAG","features":[194]},{"name":"ERROR_WSMAN_CLIENT_INVALID_UI_LANGUAGE","features":[194]},{"name":"ERROR_WSMAN_CLIENT_KERBEROS_AUTHENTICATION_DISABLED","features":[194]},{"name":"ERROR_WSMAN_CLIENT_LOCAL_INVALID_CONNECTION_OPTIONS","features":[194]},{"name":"ERROR_WSMAN_CLIENT_LOCAL_INVALID_CREDS","features":[194]},{"name":"ERROR_WSMAN_CLIENT_MAX_CHARS_TOO_SMALL","features":[194]},{"name":"ERROR_WSMAN_CLIENT_MISSING_EXPIRATION","features":[194]},{"name":"ERROR_WSMAN_CLIENT_MULTIPLE_AUTH_FLAGS","features":[194]},{"name":"ERROR_WSMAN_CLIENT_MULTIPLE_DELIVERY_MODES","features":[194]},{"name":"ERROR_WSMAN_CLIENT_MULTIPLE_ENUM_MODE_FLAGS","features":[194]},{"name":"ERROR_WSMAN_CLIENT_MULTIPLE_ENVELOPE_POLICIES","features":[194]},{"name":"ERROR_WSMAN_CLIENT_MULTIPLE_PROXY_AUTH_FLAGS","features":[194]},{"name":"ERROR_WSMAN_CLIENT_NEGOTIATE_AUTHENTICATION_DISABLED","features":[194]},{"name":"ERROR_WSMAN_CLIENT_NO_HANDLE","features":[194]},{"name":"ERROR_WSMAN_CLIENT_NO_SOURCES","features":[194]},{"name":"ERROR_WSMAN_CLIENT_NULL_ISSUERS","features":[194]},{"name":"ERROR_WSMAN_CLIENT_NULL_PUBLISHERS","features":[194]},{"name":"ERROR_WSMAN_CLIENT_NULL_RESULT_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_PULL_INVALID_FLAGS","features":[194]},{"name":"ERROR_WSMAN_CLIENT_PUSH_HOST_TOO_LONG","features":[194]},{"name":"ERROR_WSMAN_CLIENT_PUSH_UNSUPPORTED_TRANSPORT","features":[194]},{"name":"ERROR_WSMAN_CLIENT_RECEIVE_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_RECONNECTSHELLCOMMAND_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_RECONNECTSHELL_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_RUNCOMMAND_NOTCOMPLETED","features":[194]},{"name":"ERROR_WSMAN_CLIENT_RUNCOMMAND_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_SEND_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_SESSION_UNUSABLE","features":[194]},{"name":"ERROR_WSMAN_CLIENT_SETSESSIONOPTION_INVALID_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_SETSESSIONOPTION_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_SIGNAL_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_SPN_WRONG_AUTH","features":[194]},{"name":"ERROR_WSMAN_CLIENT_SUBSCRIBE_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_CLIENT_UNENCRYPTED_DISABLED","features":[194]},{"name":"ERROR_WSMAN_CLIENT_UNENCRYPTED_HTTP_ONLY","features":[194]},{"name":"ERROR_WSMAN_CLIENT_UNKNOWN_EXPIRATION_TYPE","features":[194]},{"name":"ERROR_WSMAN_CLIENT_USERNAME_AND_PASSWORD_NEEDED","features":[194]},{"name":"ERROR_WSMAN_CLIENT_USERNAME_PASSWORD_NEEDED","features":[194]},{"name":"ERROR_WSMAN_CLIENT_WORKGROUP_NO_KERBEROS","features":[194]},{"name":"ERROR_WSMAN_CLIENT_ZERO_HEARTBEAT","features":[194]},{"name":"ERROR_WSMAN_COMMAND_ALREADY_CLOSED","features":[194]},{"name":"ERROR_WSMAN_COMMAND_TERMINATED","features":[194]},{"name":"ERROR_WSMAN_CONCURRENCY","features":[194]},{"name":"ERROR_WSMAN_CONFIG_CANNOT_CHANGE_CERTMAPPING_KEYS","features":[194]},{"name":"ERROR_WSMAN_CONFIG_CANNOT_CHANGE_GPO_CONTROLLED_SETTING","features":[194]},{"name":"ERROR_WSMAN_CONFIG_CANNOT_CHANGE_MUTUAL","features":[194]},{"name":"ERROR_WSMAN_CONFIG_CANNOT_SHARE_SSL_CONFIG","features":[194]},{"name":"ERROR_WSMAN_CONFIG_CERT_CN_DOES_NOT_MATCH_HOSTNAME","features":[194]},{"name":"ERROR_WSMAN_CONFIG_CORRUPTED","features":[194]},{"name":"ERROR_WSMAN_CONFIG_GROUP_POLICY_CHANGE_NOTIFICATION_SUBSCRIPTION_FAILED","features":[194]},{"name":"ERROR_WSMAN_CONFIG_HOSTNAME_CHANGE_WITHOUT_CERT","features":[194]},{"name":"ERROR_WSMAN_CONFIG_PORT_INVALID","features":[194]},{"name":"ERROR_WSMAN_CONFIG_READONLY_PROPERTY","features":[194]},{"name":"ERROR_WSMAN_CONFIG_SHELLURI_INVALID_OPERATION_ON_KEY","features":[194]},{"name":"ERROR_WSMAN_CONFIG_SHELLURI_INVALID_PROCESSPATH","features":[194]},{"name":"ERROR_WSMAN_CONFIG_SHELL_URI_CMDSHELLURI_NOTPERMITTED","features":[194]},{"name":"ERROR_WSMAN_CONFIG_SHELL_URI_INVALID","features":[194]},{"name":"ERROR_WSMAN_CONFIG_THUMBPRINT_SHOULD_BE_EMPTY","features":[194]},{"name":"ERROR_WSMAN_CONNECTIONSTR_INVALID","features":[194]},{"name":"ERROR_WSMAN_CONNECTOR_GET","features":[194]},{"name":"ERROR_WSMAN_CREATESHELL_NULL_ENVIRONMENT_VARIABLE_NAME","features":[194]},{"name":"ERROR_WSMAN_CREATESHELL_NULL_STREAMID","features":[194]},{"name":"ERROR_WSMAN_CREATESHELL_RUNAS_FAILED","features":[194]},{"name":"ERROR_WSMAN_CREATE_RESPONSE_NO_EPR","features":[194]},{"name":"ERROR_WSMAN_CREDSSP_USERNAME_PASSWORD_NEEDED","features":[194]},{"name":"ERROR_WSMAN_CREDS_PASSED_WITH_NO_AUTH_FLAG","features":[194]},{"name":"ERROR_WSMAN_CUSTOMREMOTESHELL_DEPRECATED","features":[194]},{"name":"ERROR_WSMAN_DEFAULTAUTH_IPADDRESS","features":[194]},{"name":"ERROR_WSMAN_DELIVERY_REFUSED","features":[194]},{"name":"ERROR_WSMAN_DELIVERY_RETRIES_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_DELIVER_IN_PROGRESS","features":[194]},{"name":"ERROR_WSMAN_DEPRECATED_CONFIG_SETTING","features":[194]},{"name":"ERROR_WSMAN_DESERIALIZE_CLASS","features":[194]},{"name":"ERROR_WSMAN_DESTINATION_INVALID","features":[194]},{"name":"ERROR_WSMAN_DESTINATION_UNREACHABLE","features":[194]},{"name":"ERROR_WSMAN_DIFFERENT_AUTHZ_TOKEN","features":[194]},{"name":"ERROR_WSMAN_DIFFERENT_CIM_SELECTOR","features":[194]},{"name":"ERROR_WSMAN_DUPLICATE_SELECTORS","features":[194]},{"name":"ERROR_WSMAN_ENCODING_LIMIT","features":[194]},{"name":"ERROR_WSMAN_ENCODING_TYPE","features":[194]},{"name":"ERROR_WSMAN_ENDPOINT_UNAVAILABLE","features":[194]},{"name":"ERROR_WSMAN_ENDPOINT_UNAVAILABLE_INVALID_VALUE","features":[194]},{"name":"ERROR_WSMAN_ENUMERATE_CANNOT_PROCESS_FILTER","features":[194]},{"name":"ERROR_WSMAN_ENUMERATE_FILTERING_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_ENUMERATE_FILTER_DIALECT_REQUESTED_UNAVAILABLE","features":[194]},{"name":"ERROR_WSMAN_ENUMERATE_INVALID_ENUMERATION_CONTEXT","features":[194]},{"name":"ERROR_WSMAN_ENUMERATE_INVALID_EXPIRATION_TIME","features":[194]},{"name":"ERROR_WSMAN_ENUMERATE_SHELLCOMAMNDS_FILTER_EXPECTED","features":[194]},{"name":"ERROR_WSMAN_ENUMERATE_SHELLCOMMANDS_EPRS_NOTSUPPORTED","features":[194]},{"name":"ERROR_WSMAN_ENUMERATE_TIMED_OUT","features":[194]},{"name":"ERROR_WSMAN_ENUMERATE_UNABLE_TO_RENEW","features":[194]},{"name":"ERROR_WSMAN_ENUMERATE_UNSUPPORTED_EXPIRATION_TIME","features":[194]},{"name":"ERROR_WSMAN_ENUMERATE_UNSUPPORTED_EXPIRATION_TYPE","features":[194]},{"name":"ERROR_WSMAN_ENUMERATE_WMI_INVALID_KEY","features":[194]},{"name":"ERROR_WSMAN_ENUMERATION_CLOSED","features":[194]},{"name":"ERROR_WSMAN_ENUMERATION_INITIALIZING","features":[194]},{"name":"ERROR_WSMAN_ENUMERATION_INVALID","features":[194]},{"name":"ERROR_WSMAN_ENUMERATION_MODE_UNSUPPORTED","features":[194]},{"name":"ERROR_WSMAN_ENVELOPE_TOO_LARGE","features":[194]},{"name":"ERROR_WSMAN_EPR_NESTING_EXCEEDED","features":[194]},{"name":"ERROR_WSMAN_EVENTING_CONCURRENT_CLIENT_RECEIVE","features":[194]},{"name":"ERROR_WSMAN_EVENTING_DELIVERYFAILED_FROMSOURCE","features":[194]},{"name":"ERROR_WSMAN_EVENTING_DELIVERY_MODE_REQUESTED_INVALID","features":[194]},{"name":"ERROR_WSMAN_EVENTING_DELIVERY_MODE_REQUESTED_UNAVAILABLE","features":[194]},{"name":"ERROR_WSMAN_EVENTING_FAST_SENDER","features":[194]},{"name":"ERROR_WSMAN_EVENTING_FILTERING_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_EVENTING_FILTERING_REQUESTED_UNAVAILABLE","features":[194]},{"name":"ERROR_WSMAN_EVENTING_INCOMPATIBLE_BATCHPARAMS_AND_DELIVERYMODE","features":[194]},{"name":"ERROR_WSMAN_EVENTING_INSECURE_PUSHSUBSCRIPTION_CONNECTION","features":[194]},{"name":"ERROR_WSMAN_EVENTING_INVALID_ENCODING_IN_DELIVERY","features":[194]},{"name":"ERROR_WSMAN_EVENTING_INVALID_ENDTO_ADDRESSS","features":[194]},{"name":"ERROR_WSMAN_EVENTING_INVALID_EVENTSOURCE","features":[194]},{"name":"ERROR_WSMAN_EVENTING_INVALID_EXPIRATION_TIME","features":[194]},{"name":"ERROR_WSMAN_EVENTING_INVALID_HEARTBEAT","features":[194]},{"name":"ERROR_WSMAN_EVENTING_INVALID_INCOMING_EVENT_PACKET_HEADER","features":[194]},{"name":"ERROR_WSMAN_EVENTING_INVALID_LOCALE_IN_DELIVERY","features":[194]},{"name":"ERROR_WSMAN_EVENTING_INVALID_MESSAGE","features":[194]},{"name":"ERROR_WSMAN_EVENTING_INVALID_NOTIFYTO_ADDRESSS","features":[194]},{"name":"ERROR_WSMAN_EVENTING_LOOPBACK_TESTFAILED","features":[194]},{"name":"ERROR_WSMAN_EVENTING_MISSING_LOCALE_IN_DELIVERY","features":[194]},{"name":"ERROR_WSMAN_EVENTING_MISSING_NOTIFYTO","features":[194]},{"name":"ERROR_WSMAN_EVENTING_MISSING_NOTIFYTO_ADDRESSS","features":[194]},{"name":"ERROR_WSMAN_EVENTING_NOMATCHING_LISTENER","features":[194]},{"name":"ERROR_WSMAN_EVENTING_NONDOMAINJOINED_COLLECTOR","features":[194]},{"name":"ERROR_WSMAN_EVENTING_NONDOMAINJOINED_PUBLISHER","features":[194]},{"name":"ERROR_WSMAN_EVENTING_PUSH_SUBSCRIPTION_NOACTIVATE_EVENTSOURCE","features":[194]},{"name":"ERROR_WSMAN_EVENTING_SOURCE_UNABLE_TO_PROCESS","features":[194]},{"name":"ERROR_WSMAN_EVENTING_SUBSCRIPTIONCLOSED_BYREMOTESERVICE","features":[194]},{"name":"ERROR_WSMAN_EVENTING_SUBSCRIPTION_CANCELLED_BYSOURCE","features":[194]},{"name":"ERROR_WSMAN_EVENTING_UNABLE_TO_RENEW","features":[194]},{"name":"ERROR_WSMAN_EVENTING_UNSUPPORTED_EXPIRATION_TYPE","features":[194]},{"name":"ERROR_WSMAN_EXPIRATION_TIME_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_EXPLICIT_CREDENTIALS_REQUIRED","features":[194]},{"name":"ERROR_WSMAN_FAILED_AUTHENTICATION","features":[194]},{"name":"ERROR_WSMAN_FEATURE_DEPRECATED","features":[194]},{"name":"ERROR_WSMAN_FILE_NOT_PRESENT","features":[194]},{"name":"ERROR_WSMAN_FILTERING_REQUIRED","features":[194]},{"name":"ERROR_WSMAN_FILTERING_REQUIRED_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_FORMAT_MISMATCH_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_FORMAT_SECURITY_TOKEN_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_FRAGMENT_DIALECT_REQUESTED_UNAVAILABLE","features":[194]},{"name":"ERROR_WSMAN_FRAGMENT_TRANSFER_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_GETCLASS","features":[194]},{"name":"ERROR_WSMAN_HEARTBEATS_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_HTML_ERROR","features":[194]},{"name":"ERROR_WSMAN_HTTP_CONTENT_TYPE_MISSMATCH_RESPONSE_DATA","features":[194]},{"name":"ERROR_WSMAN_HTTP_INVALID_CONTENT_TYPE_IN_RESPONSE_DATA","features":[194]},{"name":"ERROR_WSMAN_HTTP_NOT_FOUND_STATUS","features":[194]},{"name":"ERROR_WSMAN_HTTP_NO_RESPONSE_DATA","features":[194]},{"name":"ERROR_WSMAN_HTTP_REQUEST_TOO_LARGE_STATUS","features":[194]},{"name":"ERROR_WSMAN_HTTP_SERVICE_UNAVAILABLE_STATUS","features":[194]},{"name":"ERROR_WSMAN_HTTP_STATUS_BAD_REQUEST","features":[194]},{"name":"ERROR_WSMAN_HTTP_STATUS_SERVER_ERROR","features":[194]},{"name":"ERROR_WSMAN_IISCONFIGURATION_READ_FAILED","features":[194]},{"name":"ERROR_WSMAN_INCOMPATIBLE_EPR","features":[194]},{"name":"ERROR_WSMAN_INEXISTENT_MAC_ADDRESS","features":[194]},{"name":"ERROR_WSMAN_INSECURE_ADDRESS_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_INSUFFCIENT_SELECTORS","features":[194]},{"name":"ERROR_WSMAN_INSUFFICIENT_METADATA_FOR_BASIC","features":[194]},{"name":"ERROR_WSMAN_INVALID_ACTIONURI","features":[194]},{"name":"ERROR_WSMAN_INVALID_BATCH_PARAMETER","features":[194]},{"name":"ERROR_WSMAN_INVALID_BATCH_SETTINGS_PARAMETER","features":[194]},{"name":"ERROR_WSMAN_INVALID_BOOKMARK","features":[194]},{"name":"ERROR_WSMAN_INVALID_CHARACTERS_IN_RESPONSE","features":[194]},{"name":"ERROR_WSMAN_INVALID_CONFIGSDDL_URL","features":[194]},{"name":"ERROR_WSMAN_INVALID_CONNECTIONRETRY","features":[194]},{"name":"ERROR_WSMAN_INVALID_FILEPATH","features":[194]},{"name":"ERROR_WSMAN_INVALID_FILTER_XML","features":[194]},{"name":"ERROR_WSMAN_INVALID_FRAGMENT_DIALECT","features":[194]},{"name":"ERROR_WSMAN_INVALID_FRAGMENT_PATH","features":[194]},{"name":"ERROR_WSMAN_INVALID_FRAGMENT_PATH_BLANK","features":[194]},{"name":"ERROR_WSMAN_INVALID_HEADER","features":[194]},{"name":"ERROR_WSMAN_INVALID_HOSTNAME_PATTERN","features":[194]},{"name":"ERROR_WSMAN_INVALID_IPFILTER","features":[194]},{"name":"ERROR_WSMAN_INVALID_KEY","features":[194]},{"name":"ERROR_WSMAN_INVALID_LITERAL_URI","features":[194]},{"name":"ERROR_WSMAN_INVALID_MESSAGE_INFORMATION_HEADER","features":[194]},{"name":"ERROR_WSMAN_INVALID_OPTIONS","features":[194]},{"name":"ERROR_WSMAN_INVALID_OPTIONSET","features":[194]},{"name":"ERROR_WSMAN_INVALID_OPTION_NO_PROXY_SERVER","features":[194]},{"name":"ERROR_WSMAN_INVALID_PARAMETER","features":[194]},{"name":"ERROR_WSMAN_INVALID_PARAMETER_NAME","features":[194]},{"name":"ERROR_WSMAN_INVALID_PROPOSED_ID","features":[194]},{"name":"ERROR_WSMAN_INVALID_PROVIDER_RESPONSE","features":[194]},{"name":"ERROR_WSMAN_INVALID_PUBLISHERS_TYPE","features":[194]},{"name":"ERROR_WSMAN_INVALID_REDIRECT_ERROR","features":[194]},{"name":"ERROR_WSMAN_INVALID_REPRESENTATION","features":[194]},{"name":"ERROR_WSMAN_INVALID_RESOURCE_URI","features":[194]},{"name":"ERROR_WSMAN_INVALID_RESUMPTION_CONTEXT","features":[194]},{"name":"ERROR_WSMAN_INVALID_SECURITY_DESCRIPTOR","features":[194]},{"name":"ERROR_WSMAN_INVALID_SELECTORS","features":[194]},{"name":"ERROR_WSMAN_INVALID_SELECTOR_NAME","features":[194]},{"name":"ERROR_WSMAN_INVALID_SELECTOR_VALUE","features":[194]},{"name":"ERROR_WSMAN_INVALID_SOAP_BODY","features":[194]},{"name":"ERROR_WSMAN_INVALID_SUBSCRIBE_OBJECT","features":[194]},{"name":"ERROR_WSMAN_INVALID_SUBSCRIPTION_MANAGER","features":[194]},{"name":"ERROR_WSMAN_INVALID_SYSTEM","features":[194]},{"name":"ERROR_WSMAN_INVALID_TARGET_RESOURCEURI","features":[194]},{"name":"ERROR_WSMAN_INVALID_TARGET_SELECTORS","features":[194]},{"name":"ERROR_WSMAN_INVALID_TARGET_SYSTEM","features":[194]},{"name":"ERROR_WSMAN_INVALID_TIMEOUT_HEADER","features":[194]},{"name":"ERROR_WSMAN_INVALID_URI","features":[194]},{"name":"ERROR_WSMAN_INVALID_URI_WMI_ENUM_WQL","features":[194]},{"name":"ERROR_WSMAN_INVALID_URI_WMI_SINGLETON","features":[194]},{"name":"ERROR_WSMAN_INVALID_USESSL_PARAM","features":[194]},{"name":"ERROR_WSMAN_INVALID_XML","features":[194]},{"name":"ERROR_WSMAN_INVALID_XML_FRAGMENT","features":[194]},{"name":"ERROR_WSMAN_INVALID_XML_MISSING_VALUES","features":[194]},{"name":"ERROR_WSMAN_INVALID_XML_NAMESPACE","features":[194]},{"name":"ERROR_WSMAN_INVALID_XML_RUNAS_DISABLED","features":[194]},{"name":"ERROR_WSMAN_INVALID_XML_VALUES","features":[194]},{"name":"ERROR_WSMAN_KERBEROS_IPADDRESS","features":[194]},{"name":"ERROR_WSMAN_LISTENER_ADDRESS_INVALID","features":[194]},{"name":"ERROR_WSMAN_LOCALE_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_MACHINE_OPTION_REQUIRED","features":[194]},{"name":"ERROR_WSMAN_MAXENVELOPE_POLICY_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_MAXENVELOPE_SIZE_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_MAXITEMS_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_MAXTIME_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_MAX_ELEMENTS_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_MAX_ENVELOPE_SIZE","features":[194]},{"name":"ERROR_WSMAN_MAX_ENVELOPE_SIZE_EXCEEDED","features":[194]},{"name":"ERROR_WSMAN_MESSAGE_INFORMATION_HEADER_REQUIRED","features":[194]},{"name":"ERROR_WSMAN_METADATA_REDIRECT","features":[194]},{"name":"ERROR_WSMAN_MIN_ENVELOPE_SIZE","features":[194]},{"name":"ERROR_WSMAN_MISSING_CLASSNAME","features":[194]},{"name":"ERROR_WSMAN_MISSING_FRAGMENT_PATH","features":[194]},{"name":"ERROR_WSMAN_MULTIPLE_CREDENTIALS","features":[194]},{"name":"ERROR_WSMAN_MUSTUNDERSTAND_ON_LOCALE_UNSUPPORTED","features":[194]},{"name":"ERROR_WSMAN_MUTUAL_AUTH_FAILED","features":[194]},{"name":"ERROR_WSMAN_NAME_NOT_RESOLVED","features":[194]},{"name":"ERROR_WSMAN_NETWORK_TIMEDOUT","features":[194]},{"name":"ERROR_WSMAN_NEW_DESERIALIZER","features":[194]},{"name":"ERROR_WSMAN_NEW_SESSION","features":[194]},{"name":"ERROR_WSMAN_NON_PULL_SUBSCRIPTION_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_NO_ACK","features":[194]},{"name":"ERROR_WSMAN_NO_CERTMAPPING_OPERATION_FOR_LOCAL_SESSION","features":[194]},{"name":"ERROR_WSMAN_NO_COMMANDID","features":[194]},{"name":"ERROR_WSMAN_NO_COMMAND_RESPONSE","features":[194]},{"name":"ERROR_WSMAN_NO_DHCP_ADDRESSES","features":[194]},{"name":"ERROR_WSMAN_NO_IDENTIFY_FOR_LOCAL_SESSION","features":[194]},{"name":"ERROR_WSMAN_NO_PUSH_SUBSCRIPTION_FOR_LOCAL_SESSION","features":[194]},{"name":"ERROR_WSMAN_NO_RECEIVE_RESPONSE","features":[194]},{"name":"ERROR_WSMAN_NO_UNICAST_ADDRESSES","features":[194]},{"name":"ERROR_WSMAN_NULL_KEY","features":[194]},{"name":"ERROR_WSMAN_OBJECTONLY_INVALID","features":[194]},{"name":"ERROR_WSMAN_OPERATION_TIMEDOUT","features":[194]},{"name":"ERROR_WSMAN_OPERATION_TIMEOUT_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_OPTIONS_INVALID_NAME","features":[194]},{"name":"ERROR_WSMAN_OPTIONS_INVALID_VALUE","features":[194]},{"name":"ERROR_WSMAN_OPTIONS_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_OPTION_LIMIT","features":[194]},{"name":"ERROR_WSMAN_PARAMETER_TYPE_MISMATCH","features":[194]},{"name":"ERROR_WSMAN_PLUGIN_CONFIGURATION_CORRUPTED","features":[194]},{"name":"ERROR_WSMAN_PLUGIN_FAILED","features":[194]},{"name":"ERROR_WSMAN_POLICY_CANNOT_COMPLY","features":[194]},{"name":"ERROR_WSMAN_POLICY_CORRUPTED","features":[194]},{"name":"ERROR_WSMAN_POLICY_TOO_COMPLEX","features":[194]},{"name":"ERROR_WSMAN_POLYMORPHISM_MODE_UNSUPPORTED","features":[194]},{"name":"ERROR_WSMAN_PORT_INVALID","features":[194]},{"name":"ERROR_WSMAN_PROVIDER_FAILURE","features":[194]},{"name":"ERROR_WSMAN_PROVIDER_LOAD_FAILED","features":[194]},{"name":"ERROR_WSMAN_PROVSYS_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_PROXY_ACCESS_TYPE","features":[194]},{"name":"ERROR_WSMAN_PROXY_AUTHENTICATION_INVALID_FLAG","features":[194]},{"name":"ERROR_WSMAN_PUBLIC_FIREWALL_PROFILE_ACTIVE","features":[194]},{"name":"ERROR_WSMAN_PULL_IN_PROGRESS","features":[194]},{"name":"ERROR_WSMAN_PULL_PARAMS_NOT_SAME_AS_ENUM","features":[194]},{"name":"ERROR_WSMAN_PUSHSUBSCRIPTION_INVALIDUSERACCOUNT","features":[194]},{"name":"ERROR_WSMAN_PUSH_SUBSCRIPTION_CONFIG_INVALID","features":[194]},{"name":"ERROR_WSMAN_QUICK_CONFIG_FAILED_CERT_REQUIRED","features":[194]},{"name":"ERROR_WSMAN_QUICK_CONFIG_FIREWALL_EXCEPTIONS_DISALLOWED","features":[194]},{"name":"ERROR_WSMAN_QUICK_CONFIG_LOCAL_POLICY_CHANGE_DISALLOWED","features":[194]},{"name":"ERROR_WSMAN_QUOTA_LIMIT","features":[194]},{"name":"ERROR_WSMAN_QUOTA_MAX_COMMANDS_PER_SHELL_PPQ","features":[194]},{"name":"ERROR_WSMAN_QUOTA_MAX_OPERATIONS","features":[194]},{"name":"ERROR_WSMAN_QUOTA_MAX_OPERATIONS_USER_PPQ","features":[194]},{"name":"ERROR_WSMAN_QUOTA_MAX_PLUGINOPERATIONS_PPQ","features":[194]},{"name":"ERROR_WSMAN_QUOTA_MAX_PLUGINSHELLS_PPQ","features":[194]},{"name":"ERROR_WSMAN_QUOTA_MAX_SHELLS","features":[194]},{"name":"ERROR_WSMAN_QUOTA_MAX_SHELLS_PPQ","features":[194]},{"name":"ERROR_WSMAN_QUOTA_MAX_SHELLUSERS","features":[194]},{"name":"ERROR_WSMAN_QUOTA_MAX_USERS_PPQ","features":[194]},{"name":"ERROR_WSMAN_QUOTA_MIN_REQUIREMENT_NOT_AVAILABLE_PPQ","features":[194]},{"name":"ERROR_WSMAN_QUOTA_SYSTEM","features":[194]},{"name":"ERROR_WSMAN_QUOTA_USER","features":[194]},{"name":"ERROR_WSMAN_REDIRECT_LOCATION_NOT_AVAILABLE","features":[194]},{"name":"ERROR_WSMAN_REDIRECT_REQUESTED","features":[194]},{"name":"ERROR_WSMAN_REMOTESHELLS_NOT_ALLOWED","features":[194]},{"name":"ERROR_WSMAN_REMOTE_CIMPATH_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_REMOTE_CONNECTION_NOT_ALLOWED","features":[194]},{"name":"ERROR_WSMAN_RENAME_FAILURE","features":[194]},{"name":"ERROR_WSMAN_REQUEST_INIT_ERROR","features":[194]},{"name":"ERROR_WSMAN_REQUEST_NOT_SUPPORTED_AT_SERVICE","features":[194]},{"name":"ERROR_WSMAN_RESOURCE_NOT_FOUND","features":[194]},{"name":"ERROR_WSMAN_RESPONSE_INVALID_ENUMERATION_CONTEXT","features":[194]},{"name":"ERROR_WSMAN_RESPONSE_INVALID_MESSAGE_INFORMATION_HEADER","features":[194]},{"name":"ERROR_WSMAN_RESPONSE_INVALID_SOAP_FAULT","features":[194]},{"name":"ERROR_WSMAN_RESPONSE_NO_RESULTS","features":[194]},{"name":"ERROR_WSMAN_RESPONSE_NO_SOAP_HEADER_BODY","features":[194]},{"name":"ERROR_WSMAN_RESPONSE_NO_XML_FRAGMENT_WRAPPER","features":[194]},{"name":"ERROR_WSMAN_RESUMPTION_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_RESUMPTION_TYPE_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_RUNASUSER_MANAGEDACCOUNT_LOGON_FAILED","features":[194]},{"name":"ERROR_WSMAN_RUNAS_INVALIDUSERCREDENTIALS","features":[194]},{"name":"ERROR_WSMAN_RUNSHELLCOMMAND_NULL_ARGUMENT","features":[194]},{"name":"ERROR_WSMAN_SCHEMA_VALIDATION_ERROR","features":[194]},{"name":"ERROR_WSMAN_SECURITY_UNMAPPED","features":[194]},{"name":"ERROR_WSMAN_SELECTOR_LIMIT","features":[194]},{"name":"ERROR_WSMAN_SELECTOR_TYPEMISMATCH","features":[194]},{"name":"ERROR_WSMAN_SEMANTICCALLBACK_TIMEDOUT","features":[194]},{"name":"ERROR_WSMAN_SENDHEARBEAT_EMPTY_ENUMERATOR","features":[194]},{"name":"ERROR_WSMAN_SENDSHELLINPUT_INVALID_STREAMID_INDEX","features":[194]},{"name":"ERROR_WSMAN_SERVER_DESTINATION_LOCALHOST","features":[194]},{"name":"ERROR_WSMAN_SERVER_ENVELOPE_LIMIT","features":[194]},{"name":"ERROR_WSMAN_SERVER_NONPULLSUBSCRIBE_NULL_PARAM","features":[194]},{"name":"ERROR_WSMAN_SERVER_NOT_TRUSTED","features":[194]},{"name":"ERROR_WSMAN_SERVICE_REMOTE_ACCESS_DISABLED","features":[194]},{"name":"ERROR_WSMAN_SERVICE_STREAM_DISCONNECTED","features":[194]},{"name":"ERROR_WSMAN_SESSION_ALREADY_CLOSED","features":[194]},{"name":"ERROR_WSMAN_SHELL_ALREADY_CLOSED","features":[194]},{"name":"ERROR_WSMAN_SHELL_INVALID_COMMAND_HANDLE","features":[194]},{"name":"ERROR_WSMAN_SHELL_INVALID_DESIRED_STREAMS","features":[194]},{"name":"ERROR_WSMAN_SHELL_INVALID_INPUT_STREAM","features":[194]},{"name":"ERROR_WSMAN_SHELL_INVALID_SHELL_HANDLE","features":[194]},{"name":"ERROR_WSMAN_SHELL_NOT_INITIALIZED","features":[194]},{"name":"ERROR_WSMAN_SHELL_SYNCHRONOUS_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_SOAP_DATA_ENCODING_UNKNOWN","features":[194]},{"name":"ERROR_WSMAN_SOAP_FAULT_MUST_UNDERSTAND","features":[194]},{"name":"ERROR_WSMAN_SOAP_VERSION_MISMATCH","features":[194]},{"name":"ERROR_WSMAN_SSL_CONNECTION_ABORTED","features":[194]},{"name":"ERROR_WSMAN_SUBSCRIBE_WMI_INVALID_KEY","features":[194]},{"name":"ERROR_WSMAN_SUBSCRIPTION_CLIENT_DID_NOT_CALL_WITHIN_HEARTBEAT","features":[194]},{"name":"ERROR_WSMAN_SUBSCRIPTION_CLOSED","features":[194]},{"name":"ERROR_WSMAN_SUBSCRIPTION_CLOSE_IN_PROGRESS","features":[194]},{"name":"ERROR_WSMAN_SUBSCRIPTION_LISTENER_NOLONGERVALID","features":[194]},{"name":"ERROR_WSMAN_SUBSCRIPTION_NO_HEARTBEAT","features":[194]},{"name":"ERROR_WSMAN_SYSTEM_NOT_FOUND","features":[194]},{"name":"ERROR_WSMAN_TARGET_ALREADY_EXISTS","features":[194]},{"name":"ERROR_WSMAN_TRANSPORT_NOT_SUPPORTED","features":[194]},{"name":"ERROR_WSMAN_UNEXPECTED_SELECTORS","features":[194]},{"name":"ERROR_WSMAN_UNKNOWN_HTTP_STATUS_RETURNED","features":[194]},{"name":"ERROR_WSMAN_UNREPORTABLE_SUCCESS","features":[194]},{"name":"ERROR_WSMAN_UNSUPPORTED_ADDRESSING_MODE","features":[194]},{"name":"ERROR_WSMAN_UNSUPPORTED_ENCODING","features":[194]},{"name":"ERROR_WSMAN_UNSUPPORTED_FEATURE","features":[194]},{"name":"ERROR_WSMAN_UNSUPPORTED_FEATURE_IDENTIFY","features":[194]},{"name":"ERROR_WSMAN_UNSUPPORTED_FEATURE_OPTIONS","features":[194]},{"name":"ERROR_WSMAN_UNSUPPORTED_HTTP_STATUS_REDIRECT","features":[194]},{"name":"ERROR_WSMAN_UNSUPPORTED_MEDIA","features":[194]},{"name":"ERROR_WSMAN_UNSUPPORTED_OCTETTYPE","features":[194]},{"name":"ERROR_WSMAN_UNSUPPORTED_TIMEOUT","features":[194]},{"name":"ERROR_WSMAN_UNSUPPORTED_TYPE","features":[194]},{"name":"ERROR_WSMAN_URISECURITY_INVALIDURIKEY","features":[194]},{"name":"ERROR_WSMAN_URI_LIMIT","features":[194]},{"name":"ERROR_WSMAN_URI_NON_DMTF_CLASS","features":[194]},{"name":"ERROR_WSMAN_URI_QUERY_STRING_SYNTAX_ERROR","features":[194]},{"name":"ERROR_WSMAN_URI_SECURITY_URI","features":[194]},{"name":"ERROR_WSMAN_URI_WRONG_DMTF_VERSION","features":[194]},{"name":"ERROR_WSMAN_VIRTUALACCOUNT_NOTSUPPORTED","features":[194]},{"name":"ERROR_WSMAN_VIRTUALACCOUNT_NOTSUPPORTED_DOWNLEVEL","features":[194]},{"name":"ERROR_WSMAN_WHITESPACE","features":[194]},{"name":"ERROR_WSMAN_WMI_CANNOT_CONNECT_ACCESS_DENIED","features":[194]},{"name":"ERROR_WSMAN_WMI_INVALID_VALUE","features":[194]},{"name":"ERROR_WSMAN_WMI_MAX_NESTED","features":[194]},{"name":"ERROR_WSMAN_WMI_PROVIDER_ACCESS_DENIED","features":[194]},{"name":"ERROR_WSMAN_WMI_PROVIDER_INVALID_PARAMETER","features":[194]},{"name":"ERROR_WSMAN_WMI_PROVIDER_NOT_CAPABLE","features":[194]},{"name":"ERROR_WSMAN_WMI_SVC_ACCESS_DENIED","features":[194]},{"name":"ERROR_WSMAN_WRONG_METADATA","features":[194]},{"name":"IWSMan","features":[194]},{"name":"IWSManConnectionOptions","features":[194]},{"name":"IWSManConnectionOptionsEx","features":[194]},{"name":"IWSManConnectionOptionsEx2","features":[194]},{"name":"IWSManEnumerator","features":[194]},{"name":"IWSManEx","features":[194]},{"name":"IWSManEx2","features":[194]},{"name":"IWSManEx3","features":[194]},{"name":"IWSManInternal","features":[194]},{"name":"IWSManResourceLocator","features":[194]},{"name":"IWSManResourceLocatorInternal","features":[194]},{"name":"IWSManSession","features":[194]},{"name":"WSMAN_API_HANDLE","features":[194]},{"name":"WSMAN_AUTHENTICATION_CREDENTIALS","features":[194]},{"name":"WSMAN_AUTHZ_QUOTA","features":[194]},{"name":"WSMAN_CERTIFICATE_DETAILS","features":[194]},{"name":"WSMAN_CMDSHELL_OPTION_CODEPAGE","features":[194]},{"name":"WSMAN_CMDSHELL_OPTION_CONSOLEMODE_STDIN","features":[194]},{"name":"WSMAN_CMDSHELL_OPTION_SKIP_CMD_SHELL","features":[194]},{"name":"WSMAN_COMMAND_ARG_SET","features":[194]},{"name":"WSMAN_COMMAND_HANDLE","features":[194]},{"name":"WSMAN_CONNECT_DATA","features":[194]},{"name":"WSMAN_CREATE_SHELL_DATA","features":[194]},{"name":"WSMAN_DATA","features":[194]},{"name":"WSMAN_DATA_BINARY","features":[194]},{"name":"WSMAN_DATA_NONE","features":[194]},{"name":"WSMAN_DATA_TEXT","features":[194]},{"name":"WSMAN_DATA_TYPE_BINARY","features":[194]},{"name":"WSMAN_DATA_TYPE_DWORD","features":[194]},{"name":"WSMAN_DATA_TYPE_TEXT","features":[194]},{"name":"WSMAN_DEFAULT_TIMEOUT_MS","features":[194]},{"name":"WSMAN_ENVIRONMENT_VARIABLE","features":[194]},{"name":"WSMAN_ENVIRONMENT_VARIABLE_SET","features":[194]},{"name":"WSMAN_ERROR","features":[194]},{"name":"WSMAN_FILTER","features":[194]},{"name":"WSMAN_FLAG_AUTH_BASIC","features":[194]},{"name":"WSMAN_FLAG_AUTH_CLIENT_CERTIFICATE","features":[194]},{"name":"WSMAN_FLAG_AUTH_CREDSSP","features":[194]},{"name":"WSMAN_FLAG_AUTH_DIGEST","features":[194]},{"name":"WSMAN_FLAG_AUTH_KERBEROS","features":[194]},{"name":"WSMAN_FLAG_AUTH_NEGOTIATE","features":[194]},{"name":"WSMAN_FLAG_CALLBACK_END_OF_OPERATION","features":[194]},{"name":"WSMAN_FLAG_CALLBACK_END_OF_STREAM","features":[194]},{"name":"WSMAN_FLAG_CALLBACK_NETWORK_FAILURE_DETECTED","features":[194]},{"name":"WSMAN_FLAG_CALLBACK_RECEIVE_DELAY_STREAM_REQUEST_PROCESSED","features":[194]},{"name":"WSMAN_FLAG_CALLBACK_RECONNECTED_AFTER_NETWORK_FAILURE","features":[194]},{"name":"WSMAN_FLAG_CALLBACK_RETRYING_AFTER_NETWORK_FAILURE","features":[194]},{"name":"WSMAN_FLAG_CALLBACK_RETRY_ABORTED_DUE_TO_INTERNAL_ERROR","features":[194]},{"name":"WSMAN_FLAG_CALLBACK_SHELL_AUTODISCONNECTED","features":[194]},{"name":"WSMAN_FLAG_CALLBACK_SHELL_AUTODISCONNECTING","features":[194]},{"name":"WSMAN_FLAG_CALLBACK_SHELL_SUPPORTS_DISCONNECT","features":[194]},{"name":"WSMAN_FLAG_DEFAULT_AUTHENTICATION","features":[194]},{"name":"WSMAN_FLAG_DELETE_SERVER_SESSION","features":[194]},{"name":"WSMAN_FLAG_NO_AUTHENTICATION","features":[194]},{"name":"WSMAN_FLAG_NO_COMPRESSION","features":[194]},{"name":"WSMAN_FLAG_RECEIVE_DELAY_OUTPUT_STREAM","features":[194]},{"name":"WSMAN_FLAG_RECEIVE_FLUSH","features":[194]},{"name":"WSMAN_FLAG_RECEIVE_RESULT_DATA_BOUNDARY","features":[194]},{"name":"WSMAN_FLAG_RECEIVE_RESULT_NO_MORE_DATA","features":[194]},{"name":"WSMAN_FLAG_REQUESTED_API_VERSION_1_0","features":[194]},{"name":"WSMAN_FLAG_REQUESTED_API_VERSION_1_1","features":[194]},{"name":"WSMAN_FLAG_SEND_NO_MORE_DATA","features":[194]},{"name":"WSMAN_FLAG_SERVER_BUFFERING_MODE_BLOCK","features":[194]},{"name":"WSMAN_FLAG_SERVER_BUFFERING_MODE_DROP","features":[194]},{"name":"WSMAN_FRAGMENT","features":[194]},{"name":"WSMAN_KEY","features":[194]},{"name":"WSMAN_OPERATION_HANDLE","features":[194]},{"name":"WSMAN_OPERATION_INFO","features":[1,194]},{"name":"WSMAN_OPERATION_INFOEX","features":[1,194]},{"name":"WSMAN_OPERATION_INFOV1","features":[194]},{"name":"WSMAN_OPERATION_INFOV2","features":[194]},{"name":"WSMAN_OPTION","features":[1,194]},{"name":"WSMAN_OPTION_ALLOW_NEGOTIATE_IMPLICIT_CREDENTIALS","features":[194]},{"name":"WSMAN_OPTION_DEFAULT_OPERATION_TIMEOUTMS","features":[194]},{"name":"WSMAN_OPTION_ENABLE_SPN_SERVER_PORT","features":[194]},{"name":"WSMAN_OPTION_LOCALE","features":[194]},{"name":"WSMAN_OPTION_MACHINE_ID","features":[194]},{"name":"WSMAN_OPTION_MAX_ENVELOPE_SIZE_KB","features":[194]},{"name":"WSMAN_OPTION_MAX_RETRY_TIME","features":[194]},{"name":"WSMAN_OPTION_PROXY_AUTO_DETECT","features":[194]},{"name":"WSMAN_OPTION_PROXY_IE_PROXY_CONFIG","features":[194]},{"name":"WSMAN_OPTION_PROXY_NO_PROXY_SERVER","features":[194]},{"name":"WSMAN_OPTION_PROXY_WINHTTP_PROXY_CONFIG","features":[194]},{"name":"WSMAN_OPTION_REDIRECT_LOCATION","features":[194]},{"name":"WSMAN_OPTION_SET","features":[1,194]},{"name":"WSMAN_OPTION_SETEX","features":[1,194]},{"name":"WSMAN_OPTION_SHELL_MAX_DATA_SIZE_PER_MESSAGE_KB","features":[194]},{"name":"WSMAN_OPTION_SKIP_CA_CHECK","features":[194]},{"name":"WSMAN_OPTION_SKIP_CN_CHECK","features":[194]},{"name":"WSMAN_OPTION_SKIP_REVOCATION_CHECK","features":[194]},{"name":"WSMAN_OPTION_TIMEOUTMS_CLOSE_SHELL","features":[194]},{"name":"WSMAN_OPTION_TIMEOUTMS_CREATE_SHELL","features":[194]},{"name":"WSMAN_OPTION_TIMEOUTMS_RECEIVE_SHELL_OUTPUT","features":[194]},{"name":"WSMAN_OPTION_TIMEOUTMS_RUN_SHELL_COMMAND","features":[194]},{"name":"WSMAN_OPTION_TIMEOUTMS_SEND_SHELL_INPUT","features":[194]},{"name":"WSMAN_OPTION_TIMEOUTMS_SIGNAL_SHELL","features":[194]},{"name":"WSMAN_OPTION_UI_LANGUAGE","features":[194]},{"name":"WSMAN_OPTION_UNENCRYPTED_MESSAGES","features":[194]},{"name":"WSMAN_OPTION_USE_INTEARACTIVE_TOKEN","features":[194]},{"name":"WSMAN_OPTION_USE_SSL","features":[194]},{"name":"WSMAN_OPTION_UTF16","features":[194]},{"name":"WSMAN_PLUGIN_AUTHORIZE_OPERATION","features":[1,194]},{"name":"WSMAN_PLUGIN_AUTHORIZE_QUERY_QUOTA","features":[1,194]},{"name":"WSMAN_PLUGIN_AUTHORIZE_RELEASE_CONTEXT","features":[194]},{"name":"WSMAN_PLUGIN_AUTHORIZE_USER","features":[1,194]},{"name":"WSMAN_PLUGIN_COMMAND","features":[1,194]},{"name":"WSMAN_PLUGIN_CONNECT","features":[1,194]},{"name":"WSMAN_PLUGIN_PARAMS_AUTORESTART","features":[194]},{"name":"WSMAN_PLUGIN_PARAMS_GET_REQUESTED_DATA_LOCALE","features":[194]},{"name":"WSMAN_PLUGIN_PARAMS_GET_REQUESTED_LOCALE","features":[194]},{"name":"WSMAN_PLUGIN_PARAMS_HOSTIDLETIMEOUTSECONDS","features":[194]},{"name":"WSMAN_PLUGIN_PARAMS_LARGEST_RESULT_SIZE","features":[194]},{"name":"WSMAN_PLUGIN_PARAMS_MAX_ENVELOPE_SIZE","features":[194]},{"name":"WSMAN_PLUGIN_PARAMS_NAME","features":[194]},{"name":"WSMAN_PLUGIN_PARAMS_REMAINING_RESULT_SIZE","features":[194]},{"name":"WSMAN_PLUGIN_PARAMS_RUNAS_USER","features":[194]},{"name":"WSMAN_PLUGIN_PARAMS_SHAREDHOST","features":[194]},{"name":"WSMAN_PLUGIN_PARAMS_TIMEOUT","features":[194]},{"name":"WSMAN_PLUGIN_RECEIVE","features":[1,194]},{"name":"WSMAN_PLUGIN_RELEASE_COMMAND_CONTEXT","features":[194]},{"name":"WSMAN_PLUGIN_RELEASE_SHELL_CONTEXT","features":[194]},{"name":"WSMAN_PLUGIN_REQUEST","features":[1,194]},{"name":"WSMAN_PLUGIN_SEND","features":[1,194]},{"name":"WSMAN_PLUGIN_SHELL","features":[1,194]},{"name":"WSMAN_PLUGIN_SHUTDOWN","features":[194]},{"name":"WSMAN_PLUGIN_SHUTDOWN_IDLETIMEOUT_ELAPSED","features":[194]},{"name":"WSMAN_PLUGIN_SHUTDOWN_IISHOST","features":[194]},{"name":"WSMAN_PLUGIN_SHUTDOWN_SERVICE","features":[194]},{"name":"WSMAN_PLUGIN_SHUTDOWN_SYSTEM","features":[194]},{"name":"WSMAN_PLUGIN_SIGNAL","features":[1,194]},{"name":"WSMAN_PLUGIN_STARTUP","features":[194]},{"name":"WSMAN_PLUGIN_STARTUP_AUTORESTARTED_CRASH","features":[194]},{"name":"WSMAN_PLUGIN_STARTUP_AUTORESTARTED_REBOOT","features":[194]},{"name":"WSMAN_PLUGIN_STARTUP_REQUEST_RECEIVED","features":[194]},{"name":"WSMAN_PROXY_INFO","features":[194]},{"name":"WSMAN_RECEIVE_DATA_RESULT","features":[194]},{"name":"WSMAN_RESPONSE_DATA","features":[194]},{"name":"WSMAN_SELECTOR_SET","features":[194]},{"name":"WSMAN_SENDER_DETAILS","features":[1,194]},{"name":"WSMAN_SESSION_HANDLE","features":[194]},{"name":"WSMAN_SHELL_ASYNC","features":[194]},{"name":"WSMAN_SHELL_COMPLETION_FUNCTION","features":[194]},{"name":"WSMAN_SHELL_DISCONNECT_INFO","features":[194]},{"name":"WSMAN_SHELL_HANDLE","features":[194]},{"name":"WSMAN_SHELL_NS","features":[194]},{"name":"WSMAN_SHELL_OPTION_NOPROFILE","features":[194]},{"name":"WSMAN_SHELL_STARTUP_INFO_V10","features":[194]},{"name":"WSMAN_SHELL_STARTUP_INFO_V11","features":[194]},{"name":"WSMAN_STREAM_ID_SET","features":[194]},{"name":"WSMAN_STREAM_ID_STDERR","features":[194]},{"name":"WSMAN_STREAM_ID_STDIN","features":[194]},{"name":"WSMAN_STREAM_ID_STDOUT","features":[194]},{"name":"WSMAN_USERNAME_PASSWORD_CREDS","features":[194]},{"name":"WSMan","features":[194]},{"name":"WSManAuthenticationFlags","features":[194]},{"name":"WSManCallbackFlags","features":[194]},{"name":"WSManCloseCommand","features":[194]},{"name":"WSManCloseOperation","features":[194]},{"name":"WSManCloseSession","features":[194]},{"name":"WSManCloseShell","features":[194]},{"name":"WSManConnectShell","features":[1,194]},{"name":"WSManConnectShellCommand","features":[1,194]},{"name":"WSManCreateSession","features":[194]},{"name":"WSManCreateShell","features":[1,194]},{"name":"WSManCreateShellEx","features":[1,194]},{"name":"WSManDataType","features":[194]},{"name":"WSManDeinitialize","features":[194]},{"name":"WSManDisconnectShell","features":[194]},{"name":"WSManEnumFlags","features":[194]},{"name":"WSManFlagAllowNegotiateImplicitCredentials","features":[194]},{"name":"WSManFlagAssociatedInstance","features":[194]},{"name":"WSManFlagAssociationInstance","features":[194]},{"name":"WSManFlagCredUsernamePassword","features":[194]},{"name":"WSManFlagEnableSPNServerPort","features":[194]},{"name":"WSManFlagHierarchyDeep","features":[194]},{"name":"WSManFlagHierarchyDeepBasePropsOnly","features":[194]},{"name":"WSManFlagHierarchyShallow","features":[194]},{"name":"WSManFlagNoEncryption","features":[194]},{"name":"WSManFlagNonXmlText","features":[194]},{"name":"WSManFlagProxyAuthenticationUseBasic","features":[194]},{"name":"WSManFlagProxyAuthenticationUseDigest","features":[194]},{"name":"WSManFlagProxyAuthenticationUseNegotiate","features":[194]},{"name":"WSManFlagReturnEPR","features":[194]},{"name":"WSManFlagReturnObject","features":[194]},{"name":"WSManFlagReturnObjectAndEPR","features":[194]},{"name":"WSManFlagSkipCACheck","features":[194]},{"name":"WSManFlagSkipCNCheck","features":[194]},{"name":"WSManFlagSkipRevocationCheck","features":[194]},{"name":"WSManFlagUTF16","features":[194]},{"name":"WSManFlagUTF8","features":[194]},{"name":"WSManFlagUseBasic","features":[194]},{"name":"WSManFlagUseClientCertificate","features":[194]},{"name":"WSManFlagUseCredSsp","features":[194]},{"name":"WSManFlagUseDigest","features":[194]},{"name":"WSManFlagUseKerberos","features":[194]},{"name":"WSManFlagUseNegotiate","features":[194]},{"name":"WSManFlagUseNoAuthentication","features":[194]},{"name":"WSManFlagUseSsl","features":[194]},{"name":"WSManGetErrorMessage","features":[194]},{"name":"WSManGetSessionOptionAsDword","features":[194]},{"name":"WSManGetSessionOptionAsString","features":[194]},{"name":"WSManInitialize","features":[194]},{"name":"WSManInternal","features":[194]},{"name":"WSManPluginAuthzOperationComplete","features":[1,194]},{"name":"WSManPluginAuthzQueryQuotaComplete","features":[1,194]},{"name":"WSManPluginAuthzUserComplete","features":[1,194]},{"name":"WSManPluginFreeRequestDetails","features":[1,194]},{"name":"WSManPluginGetConfiguration","features":[194]},{"name":"WSManPluginGetOperationParameters","features":[1,194]},{"name":"WSManPluginOperationComplete","features":[1,194]},{"name":"WSManPluginReceiveResult","features":[1,194]},{"name":"WSManPluginReportCompletion","features":[194]},{"name":"WSManPluginReportContext","features":[1,194]},{"name":"WSManProxyAccessType","features":[194]},{"name":"WSManProxyAccessTypeFlags","features":[194]},{"name":"WSManProxyAuthenticationFlags","features":[194]},{"name":"WSManProxyAutoDetect","features":[194]},{"name":"WSManProxyIEConfig","features":[194]},{"name":"WSManProxyNoProxyServer","features":[194]},{"name":"WSManProxyWinHttpConfig","features":[194]},{"name":"WSManReceiveShellOutput","features":[194]},{"name":"WSManReconnectShell","features":[194]},{"name":"WSManReconnectShellCommand","features":[194]},{"name":"WSManRunShellCommand","features":[1,194]},{"name":"WSManRunShellCommandEx","features":[1,194]},{"name":"WSManSendShellInput","features":[1,194]},{"name":"WSManSessionFlags","features":[194]},{"name":"WSManSessionOption","features":[194]},{"name":"WSManSetSessionOption","features":[194]},{"name":"WSManShellFlag","features":[194]},{"name":"WSManSignalShell","features":[194]}],"599":[{"name":"CCH_RM_MAX_APP_NAME","features":[195]},{"name":"CCH_RM_MAX_SVC_NAME","features":[195]},{"name":"CCH_RM_SESSION_KEY","features":[195]},{"name":"RM_APP_STATUS","features":[195]},{"name":"RM_APP_TYPE","features":[195]},{"name":"RM_FILTER_ACTION","features":[195]},{"name":"RM_FILTER_INFO","features":[1,195]},{"name":"RM_FILTER_TRIGGER","features":[195]},{"name":"RM_INVALID_PROCESS","features":[195]},{"name":"RM_INVALID_TS_SESSION","features":[195]},{"name":"RM_PROCESS_INFO","features":[1,195]},{"name":"RM_REBOOT_REASON","features":[195]},{"name":"RM_SHUTDOWN_TYPE","features":[195]},{"name":"RM_UNIQUE_PROCESS","features":[1,195]},{"name":"RM_WRITE_STATUS_CALLBACK","features":[195]},{"name":"RmAddFilter","features":[1,195]},{"name":"RmCancelCurrentTask","features":[1,195]},{"name":"RmConsole","features":[195]},{"name":"RmCritical","features":[195]},{"name":"RmEndSession","features":[1,195]},{"name":"RmExplorer","features":[195]},{"name":"RmFilterTriggerFile","features":[195]},{"name":"RmFilterTriggerInvalid","features":[195]},{"name":"RmFilterTriggerProcess","features":[195]},{"name":"RmFilterTriggerService","features":[195]},{"name":"RmForceShutdown","features":[195]},{"name":"RmGetFilterList","features":[1,195]},{"name":"RmGetList","features":[1,195]},{"name":"RmInvalidFilterAction","features":[195]},{"name":"RmJoinSession","features":[1,195]},{"name":"RmMainWindow","features":[195]},{"name":"RmNoRestart","features":[195]},{"name":"RmNoShutdown","features":[195]},{"name":"RmOtherWindow","features":[195]},{"name":"RmRebootReasonCriticalProcess","features":[195]},{"name":"RmRebootReasonCriticalService","features":[195]},{"name":"RmRebootReasonDetectedSelf","features":[195]},{"name":"RmRebootReasonNone","features":[195]},{"name":"RmRebootReasonPermissionDenied","features":[195]},{"name":"RmRebootReasonSessionMismatch","features":[195]},{"name":"RmRegisterResources","features":[1,195]},{"name":"RmRemoveFilter","features":[1,195]},{"name":"RmRestart","features":[1,195]},{"name":"RmService","features":[195]},{"name":"RmShutdown","features":[1,195]},{"name":"RmShutdownOnlyRegistered","features":[195]},{"name":"RmStartSession","features":[1,195]},{"name":"RmStatusErrorOnRestart","features":[195]},{"name":"RmStatusErrorOnStop","features":[195]},{"name":"RmStatusRestartMasked","features":[195]},{"name":"RmStatusRestarted","features":[195]},{"name":"RmStatusRunning","features":[195]},{"name":"RmStatusShutdownMasked","features":[195]},{"name":"RmStatusStopped","features":[195]},{"name":"RmStatusStoppedOther","features":[195]},{"name":"RmStatusUnknown","features":[195]},{"name":"RmUnknownApp","features":[195]}],"600":[{"name":"ACCESSIBILITY_SETTING","features":[196]},{"name":"APPLICATION_INSTALL","features":[196]},{"name":"APPLICATION_RUN","features":[196]},{"name":"APPLICATION_UNINSTALL","features":[196]},{"name":"BACKUP","features":[196]},{"name":"BACKUP_RECOVERY","features":[196]},{"name":"BEGIN_NESTED_SYSTEM_CHANGE","features":[196]},{"name":"BEGIN_NESTED_SYSTEM_CHANGE_NORP","features":[196]},{"name":"BEGIN_SYSTEM_CHANGE","features":[196]},{"name":"CANCELLED_OPERATION","features":[196]},{"name":"CHECKPOINT","features":[196]},{"name":"CRITICAL_UPDATE","features":[196]},{"name":"DESKTOP_SETTING","features":[196]},{"name":"DEVICE_DRIVER_INSTALL","features":[196]},{"name":"END_NESTED_SYSTEM_CHANGE","features":[196]},{"name":"END_SYSTEM_CHANGE","features":[196]},{"name":"FIRSTRUN","features":[196]},{"name":"MANUAL_CHECKPOINT","features":[196]},{"name":"MAX_DESC","features":[196]},{"name":"MAX_DESC_W","features":[196]},{"name":"MAX_EVENT","features":[196]},{"name":"MAX_RPT","features":[196]},{"name":"MIN_EVENT","features":[196]},{"name":"MIN_RPT","features":[196]},{"name":"MODIFY_SETTINGS","features":[196]},{"name":"OE_SETTING","features":[196]},{"name":"RESTORE","features":[196]},{"name":"RESTOREPOINTINFOA","features":[196]},{"name":"RESTOREPOINTINFOEX","features":[1,196]},{"name":"RESTOREPOINTINFOW","features":[196]},{"name":"RESTOREPOINTINFO_EVENT_TYPE","features":[196]},{"name":"RESTOREPOINTINFO_TYPE","features":[196]},{"name":"SRRemoveRestorePoint","features":[196]},{"name":"SRSetRestorePointA","features":[1,196]},{"name":"SRSetRestorePointW","features":[1,196]},{"name":"STATEMGRSTATUS","features":[1,196]},{"name":"WINDOWS_BOOT","features":[196]},{"name":"WINDOWS_SHUTDOWN","features":[196]},{"name":"WINDOWS_UPDATE","features":[196]}],"601":[{"name":"ARRAY_INFO","features":[19]},{"name":"BinaryParam","features":[19]},{"name":"CLIENT_CALL_RETURN","features":[19]},{"name":"COMM_FAULT_OFFSETS","features":[19]},{"name":"CS_TAG_GETTING_ROUTINE","features":[19]},{"name":"CS_TYPE_FROM_NETCS_ROUTINE","features":[19]},{"name":"CS_TYPE_LOCAL_SIZE_ROUTINE","features":[19]},{"name":"CS_TYPE_NET_SIZE_ROUTINE","features":[19]},{"name":"CS_TYPE_TO_NETCS_ROUTINE","features":[19]},{"name":"DCE_C_ERROR_STRING_LEN","features":[19]},{"name":"DceErrorInqTextA","features":[19]},{"name":"DceErrorInqTextW","features":[19]},{"name":"EEInfoGCCOM","features":[19]},{"name":"EEInfoGCFRS","features":[19]},{"name":"EEInfoNextRecordsMissing","features":[19]},{"name":"EEInfoPreviousRecordsMissing","features":[19]},{"name":"EEInfoUseFileTime","features":[19]},{"name":"EPT_S_CANT_CREATE","features":[19]},{"name":"EPT_S_CANT_PERFORM_OP","features":[19]},{"name":"EPT_S_INVALID_ENTRY","features":[19]},{"name":"EPT_S_NOT_REGISTERED","features":[19]},{"name":"EXPR_EVAL","features":[19]},{"name":"EXPR_TOKEN","features":[19]},{"name":"ExtendedErrorParamTypes","features":[19]},{"name":"FC_EXPR_CONST32","features":[19]},{"name":"FC_EXPR_CONST64","features":[19]},{"name":"FC_EXPR_END","features":[19]},{"name":"FC_EXPR_ILLEGAL","features":[19]},{"name":"FC_EXPR_NOOP","features":[19]},{"name":"FC_EXPR_OPER","features":[19]},{"name":"FC_EXPR_START","features":[19]},{"name":"FC_EXPR_VAR","features":[19]},{"name":"FULL_PTR_XLAT_TABLES","features":[19]},{"name":"GENERIC_BINDING_INFO","features":[19]},{"name":"GENERIC_BINDING_ROUTINE","features":[19]},{"name":"GENERIC_BINDING_ROUTINE_PAIR","features":[19]},{"name":"GENERIC_UNBIND_ROUTINE","features":[19]},{"name":"GROUP_NAME_SYNTAX","features":[19]},{"name":"IDL_CS_CONVERT","features":[19]},{"name":"IDL_CS_IN_PLACE_CONVERT","features":[19]},{"name":"IDL_CS_NEW_BUFFER_CONVERT","features":[19]},{"name":"IDL_CS_NO_CONVERT","features":[19]},{"name":"INVALID_FRAGMENT_ID","features":[19]},{"name":"IUnknown_AddRef_Proxy","features":[19]},{"name":"IUnknown_QueryInterface_Proxy","features":[19]},{"name":"IUnknown_Release_Proxy","features":[19]},{"name":"I_RpcAllocate","features":[19]},{"name":"I_RpcAsyncAbortCall","features":[1,6,19]},{"name":"I_RpcAsyncSetHandle","features":[1,6,19]},{"name":"I_RpcBindingCopy","features":[19]},{"name":"I_RpcBindingCreateNP","features":[19]},{"name":"I_RpcBindingHandleToAsyncHandle","features":[19]},{"name":"I_RpcBindingInqClientTokenAttributes","features":[1,19]},{"name":"I_RpcBindingInqDynamicEndpointA","features":[19]},{"name":"I_RpcBindingInqDynamicEndpointW","features":[19]},{"name":"I_RpcBindingInqLocalClientPID","features":[19]},{"name":"I_RpcBindingInqMarshalledTargetInfo","features":[19]},{"name":"I_RpcBindingInqSecurityContext","features":[19]},{"name":"I_RpcBindingInqSecurityContextKeyInfo","features":[19]},{"name":"I_RpcBindingInqTransportType","features":[19]},{"name":"I_RpcBindingInqWireIdForSnego","features":[19]},{"name":"I_RpcBindingIsClientLocal","features":[19]},{"name":"I_RpcBindingIsServerLocal","features":[19]},{"name":"I_RpcBindingSetPrivateOption","features":[19]},{"name":"I_RpcBindingToStaticStringBindingW","features":[19]},{"name":"I_RpcClearMutex","features":[19]},{"name":"I_RpcDeleteMutex","features":[19]},{"name":"I_RpcExceptionFilter","features":[19]},{"name":"I_RpcFree","features":[19]},{"name":"I_RpcFreeBuffer","features":[19]},{"name":"I_RpcFreeCalloutStateFn","features":[19]},{"name":"I_RpcFreePipeBuffer","features":[19]},{"name":"I_RpcGetBuffer","features":[19]},{"name":"I_RpcGetBufferWithObject","features":[19]},{"name":"I_RpcGetCurrentCallHandle","features":[19]},{"name":"I_RpcGetDefaultSD","features":[19]},{"name":"I_RpcGetExtendedError","features":[19]},{"name":"I_RpcIfInqTransferSyntaxes","features":[19]},{"name":"I_RpcMapWin32Status","features":[19]},{"name":"I_RpcMgmtEnableDedicatedThreadPool","features":[19]},{"name":"I_RpcNegotiateTransferSyntax","features":[19]},{"name":"I_RpcNsBindingSetEntryNameA","features":[19]},{"name":"I_RpcNsBindingSetEntryNameW","features":[19]},{"name":"I_RpcNsGetBuffer","features":[19]},{"name":"I_RpcNsInterfaceExported","features":[19]},{"name":"I_RpcNsInterfaceUnexported","features":[19]},{"name":"I_RpcNsRaiseException","features":[19]},{"name":"I_RpcNsSendReceive","features":[19]},{"name":"I_RpcOpenClientProcess","features":[19]},{"name":"I_RpcPauseExecution","features":[19]},{"name":"I_RpcPerformCalloutFn","features":[19]},{"name":"I_RpcProxyCallbackInterface","features":[19]},{"name":"I_RpcProxyFilterIfFn","features":[19]},{"name":"I_RpcProxyGetClientAddressFn","features":[19]},{"name":"I_RpcProxyGetClientSessionAndResourceUUID","features":[19]},{"name":"I_RpcProxyGetConnectionTimeoutFn","features":[19]},{"name":"I_RpcProxyIsValidMachineFn","features":[19]},{"name":"I_RpcProxyUpdatePerfCounterBackendServerFn","features":[19]},{"name":"I_RpcProxyUpdatePerfCounterFn","features":[19]},{"name":"I_RpcReBindBuffer","features":[19]},{"name":"I_RpcReallocPipeBuffer","features":[19]},{"name":"I_RpcReceive","features":[19]},{"name":"I_RpcRecordCalloutFailure","features":[19]},{"name":"I_RpcRequestMutex","features":[19]},{"name":"I_RpcSend","features":[19]},{"name":"I_RpcSendReceive","features":[19]},{"name":"I_RpcServerCheckClientRestriction","features":[19]},{"name":"I_RpcServerDisableExceptionFilter","features":[19]},{"name":"I_RpcServerGetAssociationID","features":[19]},{"name":"I_RpcServerInqAddressChangeFn","features":[19]},{"name":"I_RpcServerInqLocalConnAddress","features":[19]},{"name":"I_RpcServerInqRemoteConnAddress","features":[19]},{"name":"I_RpcServerInqTransportType","features":[19]},{"name":"I_RpcServerRegisterForwardFunction","features":[19]},{"name":"I_RpcServerSetAddressChangeFn","features":[19]},{"name":"I_RpcServerStartService","features":[19]},{"name":"I_RpcServerSubscribeForDisconnectNotification","features":[19]},{"name":"I_RpcServerSubscribeForDisconnectNotification2","features":[19]},{"name":"I_RpcServerUnsubscribeForDisconnectNotification","features":[19]},{"name":"I_RpcServerUseProtseq2A","features":[19]},{"name":"I_RpcServerUseProtseq2W","features":[19]},{"name":"I_RpcServerUseProtseqEp2A","features":[19]},{"name":"I_RpcServerUseProtseqEp2W","features":[19]},{"name":"I_RpcSessionStrictContextHandle","features":[19]},{"name":"I_RpcSsDontSerializeContext","features":[19]},{"name":"I_RpcSystemHandleTypeSpecificWork","features":[19]},{"name":"I_RpcTurnOnEEInfoPropagation","features":[19]},{"name":"I_UuidCreate","features":[19]},{"name":"LRPC_SYSTEM_HANDLE_MARSHAL_DIRECTION","features":[19]},{"name":"MALLOC_FREE_STRUCT","features":[19]},{"name":"MES_DECODE","features":[19]},{"name":"MES_DYNAMIC_BUFFER_HANDLE","features":[19]},{"name":"MES_ENCODE","features":[19]},{"name":"MES_ENCODE_NDR64","features":[19]},{"name":"MES_FIXED_BUFFER_HANDLE","features":[19]},{"name":"MES_INCREMENTAL_HANDLE","features":[19]},{"name":"MIDL_ES_ALLOC","features":[19]},{"name":"MIDL_ES_CODE","features":[19]},{"name":"MIDL_ES_HANDLE_STYLE","features":[19]},{"name":"MIDL_ES_READ","features":[19]},{"name":"MIDL_ES_WRITE","features":[19]},{"name":"MIDL_FORMAT_STRING","features":[19]},{"name":"MIDL_INTERCEPTION_INFO","features":[19]},{"name":"MIDL_INTERFACE_METHOD_PROPERTIES","features":[19]},{"name":"MIDL_METHOD_PROPERTY","features":[19]},{"name":"MIDL_METHOD_PROPERTY_MAP","features":[19]},{"name":"MIDL_SERVER_INFO","features":[19]},{"name":"MIDL_STUBLESS_PROXY_INFO","features":[19]},{"name":"MIDL_STUB_DESC","features":[19]},{"name":"MIDL_STUB_MESSAGE","features":[19]},{"name":"MIDL_SYNTAX_INFO","features":[19]},{"name":"MIDL_TYPE_PICKLING_INFO","features":[19]},{"name":"MIDL_WINRT_TYPE_SERIALIZATION_INFO","features":[19]},{"name":"MIDL_WINRT_TYPE_SERIALIZATION_INFO_CURRENT_VERSION","features":[19]},{"name":"MarshalDirectionMarshal","features":[19]},{"name":"MarshalDirectionUnmarshal","features":[19]},{"name":"MaxNumberOfEEInfoParams","features":[19]},{"name":"MesBufferHandleReset","features":[19]},{"name":"MesDecodeBufferHandleCreate","features":[19]},{"name":"MesDecodeIncrementalHandleCreate","features":[19]},{"name":"MesEncodeDynBufferHandleCreate","features":[19]},{"name":"MesEncodeFixedBufferHandleCreate","features":[19]},{"name":"MesEncodeIncrementalHandleCreate","features":[19]},{"name":"MesHandleFree","features":[19]},{"name":"MesIncrementalHandleReset","features":[19]},{"name":"MesInqProcEncodingId","features":[19]},{"name":"MidlInterceptionInfoVersionOne","features":[19]},{"name":"MidlWinrtTypeSerializationInfoVersionOne","features":[19]},{"name":"NDR64_ARRAY_ELEMENT_INFO","features":[19]},{"name":"NDR64_ARRAY_FLAGS","features":[19]},{"name":"NDR64_BINDINGS","features":[19]},{"name":"NDR64_BIND_AND_NOTIFY_EXTENSION","features":[19]},{"name":"NDR64_BIND_CONTEXT","features":[19]},{"name":"NDR64_BIND_GENERIC","features":[19]},{"name":"NDR64_BIND_PRIMITIVE","features":[19]},{"name":"NDR64_BOGUS_ARRAY_HEADER_FORMAT","features":[19]},{"name":"NDR64_BOGUS_STRUCTURE_HEADER_FORMAT","features":[19]},{"name":"NDR64_BUFFER_ALIGN_FORMAT","features":[19]},{"name":"NDR64_CONFORMANT_STRING_FORMAT","features":[19]},{"name":"NDR64_CONF_ARRAY_HEADER_FORMAT","features":[19]},{"name":"NDR64_CONF_BOGUS_STRUCTURE_HEADER_FORMAT","features":[19]},{"name":"NDR64_CONF_STRUCTURE_HEADER_FORMAT","features":[19]},{"name":"NDR64_CONF_VAR_ARRAY_HEADER_FORMAT","features":[19]},{"name":"NDR64_CONF_VAR_BOGUS_ARRAY_HEADER_FORMAT","features":[19]},{"name":"NDR64_CONSTANT_IID_FORMAT","features":[19]},{"name":"NDR64_CONTEXT_HANDLE_FLAGS","features":[19]},{"name":"NDR64_CONTEXT_HANDLE_FORMAT","features":[19]},{"name":"NDR64_EMBEDDED_COMPLEX_FORMAT","features":[19]},{"name":"NDR64_ENCAPSULATED_UNION","features":[19]},{"name":"NDR64_EXPR_CONST32","features":[19]},{"name":"NDR64_EXPR_CONST64","features":[19]},{"name":"NDR64_EXPR_NOOP","features":[19]},{"name":"NDR64_EXPR_OPERATOR","features":[19]},{"name":"NDR64_EXPR_VAR","features":[19]},{"name":"NDR64_FC_AUTO_HANDLE","features":[19]},{"name":"NDR64_FC_BIND_GENERIC","features":[19]},{"name":"NDR64_FC_BIND_PRIMITIVE","features":[19]},{"name":"NDR64_FC_CALLBACK_HANDLE","features":[19]},{"name":"NDR64_FC_EXPLICIT_HANDLE","features":[19]},{"name":"NDR64_FC_NO_HANDLE","features":[19]},{"name":"NDR64_FIXED_REPEAT_FORMAT","features":[19]},{"name":"NDR64_FIX_ARRAY_HEADER_FORMAT","features":[19]},{"name":"NDR64_IID_FLAGS","features":[19]},{"name":"NDR64_IID_FORMAT","features":[19]},{"name":"NDR64_MEMPAD_FORMAT","features":[19]},{"name":"NDR64_NON_CONFORMANT_STRING_FORMAT","features":[19]},{"name":"NDR64_NON_ENCAPSULATED_UNION","features":[19]},{"name":"NDR64_NO_REPEAT_FORMAT","features":[19]},{"name":"NDR64_PARAM_FLAGS","features":[19]},{"name":"NDR64_PARAM_FORMAT","features":[19]},{"name":"NDR64_PIPE_FLAGS","features":[19]},{"name":"NDR64_PIPE_FORMAT","features":[19]},{"name":"NDR64_POINTER_FORMAT","features":[19]},{"name":"NDR64_POINTER_INSTANCE_HEADER_FORMAT","features":[19]},{"name":"NDR64_POINTER_REPEAT_FLAGS","features":[19]},{"name":"NDR64_PROC_FLAGS","features":[19]},{"name":"NDR64_PROC_FORMAT","features":[19]},{"name":"NDR64_RANGED_STRING_FORMAT","features":[19]},{"name":"NDR64_RANGE_FORMAT","features":[19]},{"name":"NDR64_RANGE_PIPE_FORMAT","features":[19]},{"name":"NDR64_REPEAT_FORMAT","features":[19]},{"name":"NDR64_RPC_FLAGS","features":[19]},{"name":"NDR64_SIMPLE_MEMBER_FORMAT","features":[19]},{"name":"NDR64_SIMPLE_REGION_FORMAT","features":[19]},{"name":"NDR64_SIZED_CONFORMANT_STRING_FORMAT","features":[19]},{"name":"NDR64_STRING_FLAGS","features":[19]},{"name":"NDR64_STRING_HEADER_FORMAT","features":[19]},{"name":"NDR64_STRUCTURE_FLAGS","features":[19]},{"name":"NDR64_STRUCTURE_HEADER_FORMAT","features":[19]},{"name":"NDR64_SYSTEM_HANDLE_FORMAT","features":[19]},{"name":"NDR64_TRANSMIT_AS_FLAGS","features":[19]},{"name":"NDR64_TRANSMIT_AS_FORMAT","features":[19]},{"name":"NDR64_TYPE_STRICT_CONTEXT_HANDLE","features":[19]},{"name":"NDR64_UNION_ARM","features":[19]},{"name":"NDR64_UNION_ARM_SELECTOR","features":[19]},{"name":"NDR64_USER_MARSHAL_FLAGS","features":[19]},{"name":"NDR64_USER_MARSHAL_FORMAT","features":[19]},{"name":"NDR64_VAR_ARRAY_HEADER_FORMAT","features":[19]},{"name":"NDRCContextBinding","features":[19]},{"name":"NDRCContextMarshall","features":[19]},{"name":"NDRCContextUnmarshall","features":[19]},{"name":"NDRSContextMarshall","features":[19]},{"name":"NDRSContextMarshall2","features":[19]},{"name":"NDRSContextMarshallEx","features":[19]},{"name":"NDRSContextUnmarshall","features":[19]},{"name":"NDRSContextUnmarshall2","features":[19]},{"name":"NDRSContextUnmarshallEx","features":[19]},{"name":"NDR_ALLOC_ALL_NODES_CONTEXT","features":[19]},{"name":"NDR_CS_ROUTINES","features":[19]},{"name":"NDR_CS_SIZE_CONVERT_ROUTINES","features":[19]},{"name":"NDR_CUSTOM_OR_DEFAULT_ALLOCATOR","features":[19]},{"name":"NDR_DEFAULT_ALLOCATOR","features":[19]},{"name":"NDR_EXPR_DESC","features":[19]},{"name":"NDR_NOTIFY2_ROUTINE","features":[19]},{"name":"NDR_NOTIFY_ROUTINE","features":[19]},{"name":"NDR_POINTER_QUEUE_STATE","features":[19]},{"name":"NDR_RUNDOWN","features":[19]},{"name":"NDR_SCONTEXT","features":[19]},{"name":"NDR_USER_MARSHAL_INFO","features":[19]},{"name":"NDR_USER_MARSHAL_INFO_LEVEL1","features":[19]},{"name":"NT351_INTERFACE_SIZE","features":[19]},{"name":"Ndr64AsyncClientCall","features":[19]},{"name":"Ndr64AsyncServerCall64","features":[19]},{"name":"Ndr64AsyncServerCallAll","features":[19]},{"name":"Ndr64DcomAsyncClientCall","features":[19]},{"name":"Ndr64DcomAsyncStubCall","features":[19]},{"name":"NdrAllocate","features":[19]},{"name":"NdrAsyncClientCall","features":[19]},{"name":"NdrAsyncServerCall","features":[19]},{"name":"NdrByteCountPointerBufferSize","features":[19]},{"name":"NdrByteCountPointerFree","features":[19]},{"name":"NdrByteCountPointerMarshall","features":[19]},{"name":"NdrByteCountPointerUnmarshall","features":[19]},{"name":"NdrClearOutParameters","features":[19]},{"name":"NdrClientCall2","features":[19]},{"name":"NdrClientCall3","features":[19]},{"name":"NdrClientContextMarshall","features":[19]},{"name":"NdrClientContextUnmarshall","features":[19]},{"name":"NdrClientInitialize","features":[19]},{"name":"NdrClientInitializeNew","features":[19]},{"name":"NdrComplexArrayBufferSize","features":[19]},{"name":"NdrComplexArrayFree","features":[19]},{"name":"NdrComplexArrayMarshall","features":[19]},{"name":"NdrComplexArrayMemorySize","features":[19]},{"name":"NdrComplexArrayUnmarshall","features":[19]},{"name":"NdrComplexStructBufferSize","features":[19]},{"name":"NdrComplexStructFree","features":[19]},{"name":"NdrComplexStructMarshall","features":[19]},{"name":"NdrComplexStructMemorySize","features":[19]},{"name":"NdrComplexStructUnmarshall","features":[19]},{"name":"NdrConformantArrayBufferSize","features":[19]},{"name":"NdrConformantArrayFree","features":[19]},{"name":"NdrConformantArrayMarshall","features":[19]},{"name":"NdrConformantArrayMemorySize","features":[19]},{"name":"NdrConformantArrayUnmarshall","features":[19]},{"name":"NdrConformantStringBufferSize","features":[19]},{"name":"NdrConformantStringMarshall","features":[19]},{"name":"NdrConformantStringMemorySize","features":[19]},{"name":"NdrConformantStringUnmarshall","features":[19]},{"name":"NdrConformantStructBufferSize","features":[19]},{"name":"NdrConformantStructFree","features":[19]},{"name":"NdrConformantStructMarshall","features":[19]},{"name":"NdrConformantStructMemorySize","features":[19]},{"name":"NdrConformantStructUnmarshall","features":[19]},{"name":"NdrConformantVaryingArrayBufferSize","features":[19]},{"name":"NdrConformantVaryingArrayFree","features":[19]},{"name":"NdrConformantVaryingArrayMarshall","features":[19]},{"name":"NdrConformantVaryingArrayMemorySize","features":[19]},{"name":"NdrConformantVaryingArrayUnmarshall","features":[19]},{"name":"NdrConformantVaryingStructBufferSize","features":[19]},{"name":"NdrConformantVaryingStructFree","features":[19]},{"name":"NdrConformantVaryingStructMarshall","features":[19]},{"name":"NdrConformantVaryingStructMemorySize","features":[19]},{"name":"NdrConformantVaryingStructUnmarshall","features":[19]},{"name":"NdrContextHandleInitialize","features":[19]},{"name":"NdrContextHandleSize","features":[19]},{"name":"NdrConvert","features":[19]},{"name":"NdrConvert2","features":[19]},{"name":"NdrCorrelationFree","features":[19]},{"name":"NdrCorrelationInitialize","features":[19]},{"name":"NdrCorrelationPass","features":[19]},{"name":"NdrCreateServerInterfaceFromStub","features":[19]},{"name":"NdrDcomAsyncClientCall","features":[19]},{"name":"NdrDcomAsyncStubCall","features":[19]},{"name":"NdrEncapsulatedUnionBufferSize","features":[19]},{"name":"NdrEncapsulatedUnionFree","features":[19]},{"name":"NdrEncapsulatedUnionMarshall","features":[19]},{"name":"NdrEncapsulatedUnionMemorySize","features":[19]},{"name":"NdrEncapsulatedUnionUnmarshall","features":[19]},{"name":"NdrFixedArrayBufferSize","features":[19]},{"name":"NdrFixedArrayFree","features":[19]},{"name":"NdrFixedArrayMarshall","features":[19]},{"name":"NdrFixedArrayMemorySize","features":[19]},{"name":"NdrFixedArrayUnmarshall","features":[19]},{"name":"NdrFreeBuffer","features":[19]},{"name":"NdrFullPointerXlatFree","features":[19]},{"name":"NdrFullPointerXlatInit","features":[19]},{"name":"NdrGetBuffer","features":[19]},{"name":"NdrGetDcomProtocolVersion","features":[19]},{"name":"NdrGetUserMarshalInfo","features":[19]},{"name":"NdrInterfacePointerBufferSize","features":[19]},{"name":"NdrInterfacePointerFree","features":[19]},{"name":"NdrInterfacePointerMarshall","features":[19]},{"name":"NdrInterfacePointerMemorySize","features":[19]},{"name":"NdrInterfacePointerUnmarshall","features":[19]},{"name":"NdrMapCommAndFaultStatus","features":[19]},{"name":"NdrMesProcEncodeDecode","features":[19]},{"name":"NdrMesProcEncodeDecode2","features":[19]},{"name":"NdrMesProcEncodeDecode3","features":[19]},{"name":"NdrMesSimpleTypeAlignSize","features":[19]},{"name":"NdrMesSimpleTypeAlignSizeAll","features":[19]},{"name":"NdrMesSimpleTypeDecode","features":[19]},{"name":"NdrMesSimpleTypeDecodeAll","features":[19]},{"name":"NdrMesSimpleTypeEncode","features":[19]},{"name":"NdrMesSimpleTypeEncodeAll","features":[19]},{"name":"NdrMesTypeAlignSize","features":[19]},{"name":"NdrMesTypeAlignSize2","features":[19]},{"name":"NdrMesTypeAlignSize3","features":[19]},{"name":"NdrMesTypeDecode","features":[19]},{"name":"NdrMesTypeDecode2","features":[19]},{"name":"NdrMesTypeDecode3","features":[19]},{"name":"NdrMesTypeEncode","features":[19]},{"name":"NdrMesTypeEncode2","features":[19]},{"name":"NdrMesTypeEncode3","features":[19]},{"name":"NdrMesTypeFree2","features":[19]},{"name":"NdrMesTypeFree3","features":[19]},{"name":"NdrNonConformantStringBufferSize","features":[19]},{"name":"NdrNonConformantStringMarshall","features":[19]},{"name":"NdrNonConformantStringMemorySize","features":[19]},{"name":"NdrNonConformantStringUnmarshall","features":[19]},{"name":"NdrNonEncapsulatedUnionBufferSize","features":[19]},{"name":"NdrNonEncapsulatedUnionFree","features":[19]},{"name":"NdrNonEncapsulatedUnionMarshall","features":[19]},{"name":"NdrNonEncapsulatedUnionMemorySize","features":[19]},{"name":"NdrNonEncapsulatedUnionUnmarshall","features":[19]},{"name":"NdrNsGetBuffer","features":[19]},{"name":"NdrNsSendReceive","features":[19]},{"name":"NdrOleAllocate","features":[19]},{"name":"NdrOleFree","features":[19]},{"name":"NdrPartialIgnoreClientBufferSize","features":[19]},{"name":"NdrPartialIgnoreClientMarshall","features":[19]},{"name":"NdrPartialIgnoreServerInitialize","features":[19]},{"name":"NdrPartialIgnoreServerUnmarshall","features":[19]},{"name":"NdrPointerBufferSize","features":[19]},{"name":"NdrPointerFree","features":[19]},{"name":"NdrPointerMarshall","features":[19]},{"name":"NdrPointerMemorySize","features":[19]},{"name":"NdrPointerUnmarshall","features":[19]},{"name":"NdrRangeUnmarshall","features":[19]},{"name":"NdrRpcSmClientAllocate","features":[19]},{"name":"NdrRpcSmClientFree","features":[19]},{"name":"NdrRpcSmSetClientToOsf","features":[19]},{"name":"NdrRpcSsDefaultAllocate","features":[19]},{"name":"NdrRpcSsDefaultFree","features":[19]},{"name":"NdrRpcSsDisableAllocate","features":[19]},{"name":"NdrRpcSsEnableAllocate","features":[19]},{"name":"NdrSendReceive","features":[19]},{"name":"NdrServerCall2","features":[19]},{"name":"NdrServerCallAll","features":[19]},{"name":"NdrServerCallNdr64","features":[19]},{"name":"NdrServerContextMarshall","features":[19]},{"name":"NdrServerContextNewMarshall","features":[19]},{"name":"NdrServerContextNewUnmarshall","features":[19]},{"name":"NdrServerContextUnmarshall","features":[19]},{"name":"NdrServerInitialize","features":[19]},{"name":"NdrServerInitializeMarshall","features":[19]},{"name":"NdrServerInitializeNew","features":[19]},{"name":"NdrServerInitializePartial","features":[19]},{"name":"NdrServerInitializeUnmarshall","features":[19]},{"name":"NdrSimpleStructBufferSize","features":[19]},{"name":"NdrSimpleStructFree","features":[19]},{"name":"NdrSimpleStructMarshall","features":[19]},{"name":"NdrSimpleStructMemorySize","features":[19]},{"name":"NdrSimpleStructUnmarshall","features":[19]},{"name":"NdrSimpleTypeMarshall","features":[19]},{"name":"NdrSimpleTypeUnmarshall","features":[19]},{"name":"NdrStubCall2","features":[19]},{"name":"NdrStubCall3","features":[19]},{"name":"NdrUserMarshalBufferSize","features":[19]},{"name":"NdrUserMarshalFree","features":[19]},{"name":"NdrUserMarshalMarshall","features":[19]},{"name":"NdrUserMarshalMemorySize","features":[19]},{"name":"NdrUserMarshalSimpleTypeConvert","features":[19]},{"name":"NdrUserMarshalUnmarshall","features":[19]},{"name":"NdrVaryingArrayBufferSize","features":[19]},{"name":"NdrVaryingArrayFree","features":[19]},{"name":"NdrVaryingArrayMarshall","features":[19]},{"name":"NdrVaryingArrayMemorySize","features":[19]},{"name":"NdrVaryingArrayUnmarshall","features":[19]},{"name":"NdrXmitOrRepAsBufferSize","features":[19]},{"name":"NdrXmitOrRepAsFree","features":[19]},{"name":"NdrXmitOrRepAsMarshall","features":[19]},{"name":"NdrXmitOrRepAsMemorySize","features":[19]},{"name":"NdrXmitOrRepAsUnmarshall","features":[19]},{"name":"PFN_RPCNOTIFICATION_ROUTINE","features":[1,6,19]},{"name":"PFN_RPC_ALLOCATE","features":[19]},{"name":"PFN_RPC_FREE","features":[19]},{"name":"PNDR_ASYNC_MESSAGE","features":[19]},{"name":"PNDR_CORRELATION_INFO","features":[19]},{"name":"PROTOCOL_ADDRESS_CHANGE","features":[19]},{"name":"PROTOCOL_LOADED","features":[19]},{"name":"PROTOCOL_NOT_LOADED","features":[19]},{"name":"PROXY_CALCSIZE","features":[19]},{"name":"PROXY_GETBUFFER","features":[19]},{"name":"PROXY_MARSHAL","features":[19]},{"name":"PROXY_PHASE","features":[19]},{"name":"PROXY_SENDRECEIVE","features":[19]},{"name":"PROXY_UNMARSHAL","features":[19]},{"name":"PRPC_RUNDOWN","features":[19]},{"name":"RDR_CALLOUT_STATE","features":[19]},{"name":"RPCFLG_ACCESSIBILITY_BIT1","features":[19]},{"name":"RPCFLG_ACCESSIBILITY_BIT2","features":[19]},{"name":"RPCFLG_ACCESS_LOCAL","features":[19]},{"name":"RPCFLG_ASYNCHRONOUS","features":[19]},{"name":"RPCFLG_AUTO_COMPLETE","features":[19]},{"name":"RPCFLG_HAS_CALLBACK","features":[19]},{"name":"RPCFLG_HAS_GUARANTEE","features":[19]},{"name":"RPCFLG_HAS_MULTI_SYNTAXES","features":[19]},{"name":"RPCFLG_INPUT_SYNCHRONOUS","features":[19]},{"name":"RPCFLG_LOCAL_CALL","features":[19]},{"name":"RPCFLG_MESSAGE","features":[19]},{"name":"RPCFLG_NDR64_CONTAINS_ARM_LAYOUT","features":[19]},{"name":"RPCFLG_NON_NDR","features":[19]},{"name":"RPCFLG_SENDER_WAITING_FOR_REPLY","features":[19]},{"name":"RPCFLG_WINRT_REMOTE_ASYNC","features":[19]},{"name":"RPCHTTP_RS_ACCESS_1","features":[19]},{"name":"RPCHTTP_RS_ACCESS_2","features":[19]},{"name":"RPCHTTP_RS_INTERFACE","features":[19]},{"name":"RPCHTTP_RS_REDIRECT","features":[19]},{"name":"RPCHTTP_RS_SESSION","features":[19]},{"name":"RPCLT_PDU_FILTER_FUNC","features":[19]},{"name":"RPC_ADDRESS_CHANGE_FN","features":[19]},{"name":"RPC_ADDRESS_CHANGE_TYPE","features":[19]},{"name":"RPC_ASYNC_EVENT","features":[19]},{"name":"RPC_ASYNC_NOTIFICATION_INFO","features":[1,6,19]},{"name":"RPC_ASYNC_STATE","features":[1,6,19]},{"name":"RPC_AUTH_KEY_RETRIEVAL_FN","features":[19]},{"name":"RPC_BHO_DONTLINGER","features":[19]},{"name":"RPC_BHO_EXCLUSIVE_AND_GUARANTEED","features":[19]},{"name":"RPC_BHO_NONCAUSAL","features":[19]},{"name":"RPC_BHT_OBJECT_UUID_VALID","features":[19]},{"name":"RPC_BINDING_HANDLE_OPTIONS_FLAGS","features":[19]},{"name":"RPC_BINDING_HANDLE_OPTIONS_V1","features":[19]},{"name":"RPC_BINDING_HANDLE_SECURITY_V1_A","features":[41,19]},{"name":"RPC_BINDING_HANDLE_SECURITY_V1_W","features":[41,19]},{"name":"RPC_BINDING_HANDLE_TEMPLATE_V1_A","features":[19]},{"name":"RPC_BINDING_HANDLE_TEMPLATE_V1_W","features":[19]},{"name":"RPC_BINDING_VECTOR","features":[19]},{"name":"RPC_BLOCKING_FN","features":[19]},{"name":"RPC_BUFFER_ASYNC","features":[19]},{"name":"RPC_BUFFER_COMPLETE","features":[19]},{"name":"RPC_BUFFER_EXTRA","features":[19]},{"name":"RPC_BUFFER_NONOTIFY","features":[19]},{"name":"RPC_BUFFER_PARTIAL","features":[19]},{"name":"RPC_CALL_ATTRIBUTES_V1_A","features":[1,19]},{"name":"RPC_CALL_ATTRIBUTES_V1_W","features":[1,19]},{"name":"RPC_CALL_ATTRIBUTES_V2_A","features":[1,19]},{"name":"RPC_CALL_ATTRIBUTES_V2_W","features":[1,19]},{"name":"RPC_CALL_ATTRIBUTES_V3_A","features":[1,19]},{"name":"RPC_CALL_ATTRIBUTES_V3_W","features":[1,19]},{"name":"RPC_CALL_ATTRIBUTES_VERSION","features":[19]},{"name":"RPC_CALL_LOCAL_ADDRESS_V1","features":[19]},{"name":"RPC_CALL_STATUS_CANCELLED","features":[19]},{"name":"RPC_CALL_STATUS_DISCONNECTED","features":[19]},{"name":"RPC_CLIENT_ALLOC","features":[19]},{"name":"RPC_CLIENT_FREE","features":[19]},{"name":"RPC_CLIENT_INFORMATION1","features":[19]},{"name":"RPC_CLIENT_INTERFACE","features":[19]},{"name":"RPC_CONTEXT_HANDLE_DEFAULT_FLAGS","features":[19]},{"name":"RPC_CONTEXT_HANDLE_DONT_SERIALIZE","features":[19]},{"name":"RPC_CONTEXT_HANDLE_FLAGS","features":[19]},{"name":"RPC_CONTEXT_HANDLE_SERIALIZE","features":[19]},{"name":"RPC_C_AUTHN_CLOUD_AP","features":[19]},{"name":"RPC_C_AUTHN_DCE_PRIVATE","features":[19]},{"name":"RPC_C_AUTHN_DCE_PUBLIC","features":[19]},{"name":"RPC_C_AUTHN_DEC_PUBLIC","features":[19]},{"name":"RPC_C_AUTHN_DEFAULT","features":[19]},{"name":"RPC_C_AUTHN_DIGEST","features":[19]},{"name":"RPC_C_AUTHN_DPA","features":[19]},{"name":"RPC_C_AUTHN_GSS_KERBEROS","features":[19]},{"name":"RPC_C_AUTHN_GSS_NEGOTIATE","features":[19]},{"name":"RPC_C_AUTHN_GSS_SCHANNEL","features":[19]},{"name":"RPC_C_AUTHN_INFO_NONE","features":[19]},{"name":"RPC_C_AUTHN_INFO_TYPE","features":[19]},{"name":"RPC_C_AUTHN_INFO_TYPE_HTTP","features":[19]},{"name":"RPC_C_AUTHN_KERNEL","features":[19]},{"name":"RPC_C_AUTHN_LIVEXP_SSP","features":[19]},{"name":"RPC_C_AUTHN_LIVE_SSP","features":[19]},{"name":"RPC_C_AUTHN_MQ","features":[19]},{"name":"RPC_C_AUTHN_MSN","features":[19]},{"name":"RPC_C_AUTHN_MSONLINE","features":[19]},{"name":"RPC_C_AUTHN_NEGO_EXTENDER","features":[19]},{"name":"RPC_C_AUTHN_NONE","features":[19]},{"name":"RPC_C_AUTHN_PKU2U","features":[19]},{"name":"RPC_C_AUTHN_WINNT","features":[19]},{"name":"RPC_C_AUTHZ_DCE","features":[19]},{"name":"RPC_C_AUTHZ_DEFAULT","features":[19]},{"name":"RPC_C_AUTHZ_NAME","features":[19]},{"name":"RPC_C_AUTHZ_NONE","features":[19]},{"name":"RPC_C_BINDING_DEFAULT_TIMEOUT","features":[19]},{"name":"RPC_C_BINDING_INFINITE_TIMEOUT","features":[19]},{"name":"RPC_C_BINDING_MAX_TIMEOUT","features":[19]},{"name":"RPC_C_BINDING_MIN_TIMEOUT","features":[19]},{"name":"RPC_C_BIND_TO_ALL_NICS","features":[19]},{"name":"RPC_C_CANCEL_INFINITE_TIMEOUT","features":[19]},{"name":"RPC_C_DONT_FAIL","features":[19]},{"name":"RPC_C_EP_ALL_ELTS","features":[19]},{"name":"RPC_C_EP_MATCH_BY_BOTH","features":[19]},{"name":"RPC_C_EP_MATCH_BY_IF","features":[19]},{"name":"RPC_C_EP_MATCH_BY_OBJ","features":[19]},{"name":"RPC_C_FULL_CERT_CHAIN","features":[19]},{"name":"RPC_C_HTTP_AUTHN_SCHEME_BASIC","features":[19]},{"name":"RPC_C_HTTP_AUTHN_SCHEME_CERT","features":[19]},{"name":"RPC_C_HTTP_AUTHN_SCHEME_DIGEST","features":[19]},{"name":"RPC_C_HTTP_AUTHN_SCHEME_NEGOTIATE","features":[19]},{"name":"RPC_C_HTTP_AUTHN_SCHEME_NTLM","features":[19]},{"name":"RPC_C_HTTP_AUTHN_SCHEME_PASSPORT","features":[19]},{"name":"RPC_C_HTTP_AUTHN_TARGET","features":[19]},{"name":"RPC_C_HTTP_AUTHN_TARGET_PROXY","features":[19]},{"name":"RPC_C_HTTP_AUTHN_TARGET_SERVER","features":[19]},{"name":"RPC_C_HTTP_FLAGS","features":[19]},{"name":"RPC_C_HTTP_FLAG_ENABLE_CERT_REVOCATION_CHECK","features":[19]},{"name":"RPC_C_HTTP_FLAG_IGNORE_CERT_CN_INVALID","features":[19]},{"name":"RPC_C_HTTP_FLAG_USE_FIRST_AUTH_SCHEME","features":[19]},{"name":"RPC_C_HTTP_FLAG_USE_SSL","features":[19]},{"name":"RPC_C_LISTEN_MAX_CALLS_DEFAULT","features":[19]},{"name":"RPC_C_MGMT_INQ_IF_IDS","features":[19]},{"name":"RPC_C_MGMT_INQ_PRINC_NAME","features":[19]},{"name":"RPC_C_MGMT_INQ_STATS","features":[19]},{"name":"RPC_C_MGMT_IS_SERVER_LISTEN","features":[19]},{"name":"RPC_C_MGMT_STOP_SERVER_LISTEN","features":[19]},{"name":"RPC_C_MQ_AUTHN_LEVEL_NONE","features":[19]},{"name":"RPC_C_MQ_AUTHN_LEVEL_PKT_INTEGRITY","features":[19]},{"name":"RPC_C_MQ_AUTHN_LEVEL_PKT_PRIVACY","features":[19]},{"name":"RPC_C_MQ_CLEAR_ON_OPEN","features":[19]},{"name":"RPC_C_MQ_EXPRESS","features":[19]},{"name":"RPC_C_MQ_JOURNAL_ALWAYS","features":[19]},{"name":"RPC_C_MQ_JOURNAL_DEADLETTER","features":[19]},{"name":"RPC_C_MQ_JOURNAL_NONE","features":[19]},{"name":"RPC_C_MQ_PERMANENT","features":[19]},{"name":"RPC_C_MQ_RECOVERABLE","features":[19]},{"name":"RPC_C_MQ_TEMPORARY","features":[19]},{"name":"RPC_C_MQ_USE_EXISTING_SECURITY","features":[19]},{"name":"RPC_C_NOTIFY_ON_SEND_COMPLETE","features":[19]},{"name":"RPC_C_NS_DEFAULT_EXP_AGE","features":[19]},{"name":"RPC_C_NS_SYNTAX_DCE","features":[19]},{"name":"RPC_C_NS_SYNTAX_DEFAULT","features":[19]},{"name":"RPC_C_OPT_ASYNC_BLOCK","features":[19]},{"name":"RPC_C_OPT_BINDING_NONCAUSAL","features":[19]},{"name":"RPC_C_OPT_CALL_TIMEOUT","features":[19]},{"name":"RPC_C_OPT_COOKIE_AUTH","features":[19]},{"name":"RPC_C_OPT_COOKIE_AUTH_DESCRIPTOR","features":[19]},{"name":"RPC_C_OPT_DONT_LINGER","features":[19]},{"name":"RPC_C_OPT_MAX_OPTIONS","features":[19]},{"name":"RPC_C_OPT_MQ_ACKNOWLEDGE","features":[19]},{"name":"RPC_C_OPT_MQ_AUTHN_LEVEL","features":[19]},{"name":"RPC_C_OPT_MQ_AUTHN_SERVICE","features":[19]},{"name":"RPC_C_OPT_MQ_DELIVERY","features":[19]},{"name":"RPC_C_OPT_MQ_JOURNAL","features":[19]},{"name":"RPC_C_OPT_MQ_PRIORITY","features":[19]},{"name":"RPC_C_OPT_MQ_TIME_TO_BE_RECEIVED","features":[19]},{"name":"RPC_C_OPT_MQ_TIME_TO_REACH_QUEUE","features":[19]},{"name":"RPC_C_OPT_OPTIMIZE_TIME","features":[19]},{"name":"RPC_C_OPT_PRIVATE_BREAK_ON_SUSPEND","features":[19]},{"name":"RPC_C_OPT_PRIVATE_DO_NOT_DISTURB","features":[19]},{"name":"RPC_C_OPT_PRIVATE_SUPPRESS_WAKE","features":[19]},{"name":"RPC_C_OPT_RESOURCE_TYPE_UUID","features":[19]},{"name":"RPC_C_OPT_SECURITY_CALLBACK","features":[19]},{"name":"RPC_C_OPT_SESSION_ID","features":[19]},{"name":"RPC_C_OPT_TRANS_SEND_BUFFER_SIZE","features":[19]},{"name":"RPC_C_OPT_TRUST_PEER","features":[19]},{"name":"RPC_C_OPT_UNIQUE_BINDING","features":[19]},{"name":"RPC_C_PARM_BUFFER_LENGTH","features":[19]},{"name":"RPC_C_PARM_MAX_PACKET_LENGTH","features":[19]},{"name":"RPC_C_PROFILE_ALL_ELT","features":[19]},{"name":"RPC_C_PROFILE_ALL_ELTS","features":[19]},{"name":"RPC_C_PROFILE_DEFAULT_ELT","features":[19]},{"name":"RPC_C_PROFILE_MATCH_BY_BOTH","features":[19]},{"name":"RPC_C_PROFILE_MATCH_BY_IF","features":[19]},{"name":"RPC_C_PROFILE_MATCH_BY_MBR","features":[19]},{"name":"RPC_C_PROTSEQ_MAX_REQS_DEFAULT","features":[19]},{"name":"RPC_C_QOS_CAPABILITIES","features":[19]},{"name":"RPC_C_QOS_CAPABILITIES_ANY_AUTHORITY","features":[19]},{"name":"RPC_C_QOS_CAPABILITIES_DEFAULT","features":[19]},{"name":"RPC_C_QOS_CAPABILITIES_IGNORE_DELEGATE_FAILURE","features":[19]},{"name":"RPC_C_QOS_CAPABILITIES_LOCAL_MA_HINT","features":[19]},{"name":"RPC_C_QOS_CAPABILITIES_MAKE_FULLSIC","features":[19]},{"name":"RPC_C_QOS_CAPABILITIES_MUTUAL_AUTH","features":[19]},{"name":"RPC_C_QOS_CAPABILITIES_SCHANNEL_FULL_AUTH_IDENTITY","features":[19]},{"name":"RPC_C_QOS_IDENTITY","features":[19]},{"name":"RPC_C_QOS_IDENTITY_DYNAMIC","features":[19]},{"name":"RPC_C_QOS_IDENTITY_STATIC","features":[19]},{"name":"RPC_C_RPCHTTP_USE_LOAD_BALANCE","features":[19]},{"name":"RPC_C_SECURITY_QOS_VERSION","features":[19]},{"name":"RPC_C_SECURITY_QOS_VERSION_1","features":[19]},{"name":"RPC_C_SECURITY_QOS_VERSION_2","features":[19]},{"name":"RPC_C_SECURITY_QOS_VERSION_3","features":[19]},{"name":"RPC_C_SECURITY_QOS_VERSION_4","features":[19]},{"name":"RPC_C_SECURITY_QOS_VERSION_5","features":[19]},{"name":"RPC_C_STATS_CALLS_IN","features":[19]},{"name":"RPC_C_STATS_CALLS_OUT","features":[19]},{"name":"RPC_C_STATS_PKTS_IN","features":[19]},{"name":"RPC_C_STATS_PKTS_OUT","features":[19]},{"name":"RPC_C_TRY_ENFORCE_MAX_CALLS","features":[19]},{"name":"RPC_C_USE_INTERNET_PORT","features":[19]},{"name":"RPC_C_USE_INTRANET_PORT","features":[19]},{"name":"RPC_C_VERS_ALL","features":[19]},{"name":"RPC_C_VERS_COMPATIBLE","features":[19]},{"name":"RPC_C_VERS_EXACT","features":[19]},{"name":"RPC_C_VERS_MAJOR_ONLY","features":[19]},{"name":"RPC_C_VERS_UPTO","features":[19]},{"name":"RPC_DISPATCH_FUNCTION","features":[19]},{"name":"RPC_DISPATCH_TABLE","features":[19]},{"name":"RPC_EEINFO_VERSION","features":[19]},{"name":"RPC_EE_INFO_PARAM","features":[19]},{"name":"RPC_ENDPOINT_TEMPLATEA","features":[19]},{"name":"RPC_ENDPOINT_TEMPLATEW","features":[19]},{"name":"RPC_ERROR_ENUM_HANDLE","features":[19]},{"name":"RPC_EXTENDED_ERROR_INFO","features":[1,19]},{"name":"RPC_FLAGS_VALID_BIT","features":[19]},{"name":"RPC_FORWARD_FUNCTION","features":[19]},{"name":"RPC_FW_IF_FLAG_DCOM","features":[19]},{"name":"RPC_HTTP_PROXY_FREE_STRING","features":[19]},{"name":"RPC_HTTP_REDIRECTOR_STAGE","features":[19]},{"name":"RPC_HTTP_TRANSPORT_CREDENTIALS_A","features":[19]},{"name":"RPC_HTTP_TRANSPORT_CREDENTIALS_V2_A","features":[19]},{"name":"RPC_HTTP_TRANSPORT_CREDENTIALS_V2_W","features":[19]},{"name":"RPC_HTTP_TRANSPORT_CREDENTIALS_V3_A","features":[19]},{"name":"RPC_HTTP_TRANSPORT_CREDENTIALS_V3_W","features":[19]},{"name":"RPC_HTTP_TRANSPORT_CREDENTIALS_W","features":[19]},{"name":"RPC_IF_ALLOW_CALLBACKS_WITH_NO_AUTH","features":[19]},{"name":"RPC_IF_ALLOW_LOCAL_ONLY","features":[19]},{"name":"RPC_IF_ALLOW_SECURE_ONLY","features":[19]},{"name":"RPC_IF_ALLOW_UNKNOWN_AUTHORITY","features":[19]},{"name":"RPC_IF_ASYNC_CALLBACK","features":[19]},{"name":"RPC_IF_AUTOLISTEN","features":[19]},{"name":"RPC_IF_CALLBACK_FN","features":[19]},{"name":"RPC_IF_ID","features":[19]},{"name":"RPC_IF_ID_VECTOR","features":[19]},{"name":"RPC_IF_OLE","features":[19]},{"name":"RPC_IF_SEC_CACHE_PER_PROC","features":[19]},{"name":"RPC_IF_SEC_NO_CACHE","features":[19]},{"name":"RPC_IMPORT_CONTEXT_P","features":[19]},{"name":"RPC_INTERFACE_GROUP_IDLE_CALLBACK_FN","features":[19]},{"name":"RPC_INTERFACE_HAS_PIPES","features":[19]},{"name":"RPC_INTERFACE_TEMPLATEA","features":[19]},{"name":"RPC_INTERFACE_TEMPLATEW","features":[19]},{"name":"RPC_MESSAGE","features":[19]},{"name":"RPC_MGMT_AUTHORIZATION_FN","features":[19]},{"name":"RPC_NCA_FLAGS_BROADCAST","features":[19]},{"name":"RPC_NCA_FLAGS_DEFAULT","features":[19]},{"name":"RPC_NCA_FLAGS_IDEMPOTENT","features":[19]},{"name":"RPC_NCA_FLAGS_MAYBE","features":[19]},{"name":"RPC_NEW_HTTP_PROXY_CHANNEL","features":[19]},{"name":"RPC_NOTIFICATIONS","features":[19]},{"name":"RPC_NOTIFICATION_TYPES","features":[19]},{"name":"RPC_OBJECT_INQ_FN","features":[19]},{"name":"RPC_POLICY","features":[19]},{"name":"RPC_PROTSEQ_ENDPOINT","features":[19]},{"name":"RPC_PROTSEQ_HTTP","features":[19]},{"name":"RPC_PROTSEQ_LRPC","features":[19]},{"name":"RPC_PROTSEQ_NMP","features":[19]},{"name":"RPC_PROTSEQ_TCP","features":[19]},{"name":"RPC_PROTSEQ_VECTORA","features":[19]},{"name":"RPC_PROTSEQ_VECTORW","features":[19]},{"name":"RPC_PROXY_CONNECTION_TYPE_IN_PROXY","features":[19]},{"name":"RPC_PROXY_CONNECTION_TYPE_OUT_PROXY","features":[19]},{"name":"RPC_P_ADDR_FORMAT_TCP_IPV4","features":[19]},{"name":"RPC_P_ADDR_FORMAT_TCP_IPV6","features":[19]},{"name":"RPC_QUERY_CALL_LOCAL_ADDRESS","features":[19]},{"name":"RPC_QUERY_CLIENT_ID","features":[19]},{"name":"RPC_QUERY_CLIENT_PID","features":[19]},{"name":"RPC_QUERY_CLIENT_PRINCIPAL_NAME","features":[19]},{"name":"RPC_QUERY_IS_CLIENT_LOCAL","features":[19]},{"name":"RPC_QUERY_NO_AUTH_REQUIRED","features":[19]},{"name":"RPC_QUERY_SERVER_PRINCIPAL_NAME","features":[19]},{"name":"RPC_SECURITY_CALLBACK_FN","features":[19]},{"name":"RPC_SECURITY_QOS","features":[41,19]},{"name":"RPC_SECURITY_QOS_V2_A","features":[41,19]},{"name":"RPC_SECURITY_QOS_V2_W","features":[41,19]},{"name":"RPC_SECURITY_QOS_V3_A","features":[41,19]},{"name":"RPC_SECURITY_QOS_V3_W","features":[41,19]},{"name":"RPC_SECURITY_QOS_V4_A","features":[41,19]},{"name":"RPC_SECURITY_QOS_V4_W","features":[41,19]},{"name":"RPC_SECURITY_QOS_V5_A","features":[41,19]},{"name":"RPC_SECURITY_QOS_V5_W","features":[41,19]},{"name":"RPC_SEC_CONTEXT_KEY_INFO","features":[19]},{"name":"RPC_SERVER_INTERFACE","features":[19]},{"name":"RPC_SETFILTER_FUNC","features":[19]},{"name":"RPC_STATS_VECTOR","features":[19]},{"name":"RPC_STATUS","features":[19]},{"name":"RPC_SYNTAX_IDENTIFIER","features":[19]},{"name":"RPC_SYSTEM_HANDLE_FREE_ALL","features":[19]},{"name":"RPC_SYSTEM_HANDLE_FREE_ERROR_ON_CLOSE","features":[19]},{"name":"RPC_SYSTEM_HANDLE_FREE_RETRIEVED","features":[19]},{"name":"RPC_SYSTEM_HANDLE_FREE_UNRETRIEVED","features":[19]},{"name":"RPC_S_ADDRESS_ERROR","features":[19]},{"name":"RPC_S_ALREADY_LISTENING","features":[19]},{"name":"RPC_S_ALREADY_REGISTERED","features":[19]},{"name":"RPC_S_BINDING_HAS_NO_AUTH","features":[19]},{"name":"RPC_S_BINDING_INCOMPLETE","features":[19]},{"name":"RPC_S_CALL_CANCELLED","features":[19]},{"name":"RPC_S_CALL_FAILED","features":[19]},{"name":"RPC_S_CALL_FAILED_DNE","features":[19]},{"name":"RPC_S_CALL_IN_PROGRESS","features":[19]},{"name":"RPC_S_CANNOT_SUPPORT","features":[19]},{"name":"RPC_S_CANT_CREATE_ENDPOINT","features":[19]},{"name":"RPC_S_COMM_FAILURE","features":[19]},{"name":"RPC_S_COOKIE_AUTH_FAILED","features":[19]},{"name":"RPC_S_DO_NOT_DISTURB","features":[19]},{"name":"RPC_S_DUPLICATE_ENDPOINT","features":[19]},{"name":"RPC_S_ENTRY_ALREADY_EXISTS","features":[19]},{"name":"RPC_S_ENTRY_NOT_FOUND","features":[19]},{"name":"RPC_S_ENTRY_TYPE_MISMATCH","features":[19]},{"name":"RPC_S_FP_DIV_ZERO","features":[19]},{"name":"RPC_S_FP_OVERFLOW","features":[19]},{"name":"RPC_S_FP_UNDERFLOW","features":[19]},{"name":"RPC_S_GROUP_MEMBER_NOT_FOUND","features":[19]},{"name":"RPC_S_GRP_ELT_NOT_ADDED","features":[19]},{"name":"RPC_S_GRP_ELT_NOT_REMOVED","features":[19]},{"name":"RPC_S_INCOMPLETE_NAME","features":[19]},{"name":"RPC_S_INTERFACE_NOT_EXPORTED","features":[19]},{"name":"RPC_S_INTERFACE_NOT_FOUND","features":[19]},{"name":"RPC_S_INTERNAL_ERROR","features":[19]},{"name":"RPC_S_INVALID_ASYNC_CALL","features":[19]},{"name":"RPC_S_INVALID_ASYNC_HANDLE","features":[19]},{"name":"RPC_S_INVALID_AUTH_IDENTITY","features":[19]},{"name":"RPC_S_INVALID_BINDING","features":[19]},{"name":"RPC_S_INVALID_BOUND","features":[19]},{"name":"RPC_S_INVALID_ENDPOINT_FORMAT","features":[19]},{"name":"RPC_S_INVALID_NAF_ID","features":[19]},{"name":"RPC_S_INVALID_NAME_SYNTAX","features":[19]},{"name":"RPC_S_INVALID_NETWORK_OPTIONS","features":[19]},{"name":"RPC_S_INVALID_NET_ADDR","features":[19]},{"name":"RPC_S_INVALID_OBJECT","features":[19]},{"name":"RPC_S_INVALID_RPC_PROTSEQ","features":[19]},{"name":"RPC_S_INVALID_STRING_BINDING","features":[19]},{"name":"RPC_S_INVALID_STRING_UUID","features":[19]},{"name":"RPC_S_INVALID_TAG","features":[19]},{"name":"RPC_S_INVALID_TIMEOUT","features":[19]},{"name":"RPC_S_INVALID_VERS_OPTION","features":[19]},{"name":"RPC_S_MAX_CALLS_TOO_SMALL","features":[19]},{"name":"RPC_S_NAME_SERVICE_UNAVAILABLE","features":[19]},{"name":"RPC_S_NOTHING_TO_EXPORT","features":[19]},{"name":"RPC_S_NOT_ALL_OBJS_EXPORTED","features":[19]},{"name":"RPC_S_NOT_ALL_OBJS_UNEXPORTED","features":[19]},{"name":"RPC_S_NOT_CANCELLED","features":[19]},{"name":"RPC_S_NOT_LISTENING","features":[19]},{"name":"RPC_S_NOT_RPC_ERROR","features":[19]},{"name":"RPC_S_NO_BINDINGS","features":[19]},{"name":"RPC_S_NO_CALL_ACTIVE","features":[19]},{"name":"RPC_S_NO_CONTEXT_AVAILABLE","features":[19]},{"name":"RPC_S_NO_ENDPOINT_FOUND","features":[19]},{"name":"RPC_S_NO_ENTRY_NAME","features":[19]},{"name":"RPC_S_NO_INTERFACES","features":[19]},{"name":"RPC_S_NO_MORE_BINDINGS","features":[19]},{"name":"RPC_S_NO_MORE_MEMBERS","features":[19]},{"name":"RPC_S_NO_PRINC_NAME","features":[19]},{"name":"RPC_S_NO_PROTSEQS","features":[19]},{"name":"RPC_S_NO_PROTSEQS_REGISTERED","features":[19]},{"name":"RPC_S_OBJECT_NOT_FOUND","features":[19]},{"name":"RPC_S_OK","features":[19]},{"name":"RPC_S_OUT_OF_RESOURCES","features":[19]},{"name":"RPC_S_PRF_ELT_NOT_ADDED","features":[19]},{"name":"RPC_S_PRF_ELT_NOT_REMOVED","features":[19]},{"name":"RPC_S_PROCNUM_OUT_OF_RANGE","features":[19]},{"name":"RPC_S_PROFILE_NOT_ADDED","features":[19]},{"name":"RPC_S_PROTOCOL_ERROR","features":[19]},{"name":"RPC_S_PROTSEQ_NOT_FOUND","features":[19]},{"name":"RPC_S_PROTSEQ_NOT_SUPPORTED","features":[19]},{"name":"RPC_S_PROXY_ACCESS_DENIED","features":[19]},{"name":"RPC_S_SEC_PKG_ERROR","features":[19]},{"name":"RPC_S_SEND_INCOMPLETE","features":[19]},{"name":"RPC_S_SERVER_TOO_BUSY","features":[19]},{"name":"RPC_S_SERVER_UNAVAILABLE","features":[19]},{"name":"RPC_S_STRING_TOO_LONG","features":[19]},{"name":"RPC_S_SYSTEM_HANDLE_COUNT_EXCEEDED","features":[19]},{"name":"RPC_S_SYSTEM_HANDLE_TYPE_MISMATCH","features":[19]},{"name":"RPC_S_TYPE_ALREADY_REGISTERED","features":[19]},{"name":"RPC_S_UNKNOWN_AUTHN_LEVEL","features":[19]},{"name":"RPC_S_UNKNOWN_AUTHN_SERVICE","features":[19]},{"name":"RPC_S_UNKNOWN_AUTHN_TYPE","features":[19]},{"name":"RPC_S_UNKNOWN_AUTHZ_SERVICE","features":[19]},{"name":"RPC_S_UNKNOWN_IF","features":[19]},{"name":"RPC_S_UNKNOWN_MGR_TYPE","features":[19]},{"name":"RPC_S_UNSUPPORTED_AUTHN_LEVEL","features":[19]},{"name":"RPC_S_UNSUPPORTED_NAME_SYNTAX","features":[19]},{"name":"RPC_S_UNSUPPORTED_TRANS_SYN","features":[19]},{"name":"RPC_S_UNSUPPORTED_TYPE","features":[19]},{"name":"RPC_S_UUID_LOCAL_ONLY","features":[19]},{"name":"RPC_S_UUID_NO_ADDRESS","features":[19]},{"name":"RPC_S_WRONG_KIND_OF_BINDING","features":[19]},{"name":"RPC_S_ZERO_DIVIDE","features":[19]},{"name":"RPC_TRANSFER_SYNTAX","features":[19]},{"name":"RPC_TYPE_DISCONNECT_EVENT_CONTEXT_HANDLE","features":[19]},{"name":"RPC_TYPE_STRICT_CONTEXT_HANDLE","features":[19]},{"name":"RPC_VERSION","features":[19]},{"name":"RpcAsyncAbortCall","features":[1,6,19]},{"name":"RpcAsyncCancelCall","features":[1,6,19]},{"name":"RpcAsyncCompleteCall","features":[1,6,19]},{"name":"RpcAsyncGetCallStatus","features":[1,6,19]},{"name":"RpcAsyncInitializeHandle","features":[1,6,19]},{"name":"RpcAsyncRegisterInfo","features":[1,6,19]},{"name":"RpcAttemptedLbsDecisions","features":[19]},{"name":"RpcAttemptedLbsMessages","features":[19]},{"name":"RpcBackEndConnectionAttempts","features":[19]},{"name":"RpcBackEndConnectionFailed","features":[19]},{"name":"RpcBindingBind","features":[1,6,19]},{"name":"RpcBindingCopy","features":[19]},{"name":"RpcBindingCreateA","features":[41,19]},{"name":"RpcBindingCreateW","features":[41,19]},{"name":"RpcBindingFree","features":[19]},{"name":"RpcBindingFromStringBindingA","features":[19]},{"name":"RpcBindingFromStringBindingW","features":[19]},{"name":"RpcBindingInqAuthClientA","features":[19]},{"name":"RpcBindingInqAuthClientExA","features":[19]},{"name":"RpcBindingInqAuthClientExW","features":[19]},{"name":"RpcBindingInqAuthClientW","features":[19]},{"name":"RpcBindingInqAuthInfoA","features":[19]},{"name":"RpcBindingInqAuthInfoExA","features":[41,19]},{"name":"RpcBindingInqAuthInfoExW","features":[41,19]},{"name":"RpcBindingInqAuthInfoW","features":[19]},{"name":"RpcBindingInqMaxCalls","features":[19]},{"name":"RpcBindingInqObject","features":[19]},{"name":"RpcBindingInqOption","features":[19]},{"name":"RpcBindingReset","features":[19]},{"name":"RpcBindingServerFromClient","features":[19]},{"name":"RpcBindingSetAuthInfoA","features":[19]},{"name":"RpcBindingSetAuthInfoExA","features":[41,19]},{"name":"RpcBindingSetAuthInfoExW","features":[41,19]},{"name":"RpcBindingSetAuthInfoW","features":[19]},{"name":"RpcBindingSetObject","features":[19]},{"name":"RpcBindingSetOption","features":[19]},{"name":"RpcBindingToStringBindingA","features":[19]},{"name":"RpcBindingToStringBindingW","features":[19]},{"name":"RpcBindingUnbind","features":[19]},{"name":"RpcBindingVectorFree","features":[19]},{"name":"RpcCallClientLocality","features":[19]},{"name":"RpcCallComplete","features":[19]},{"name":"RpcCallType","features":[19]},{"name":"RpcCancelThread","features":[19]},{"name":"RpcCancelThreadEx","features":[19]},{"name":"RpcCertGeneratePrincipalNameA","features":[1,68,19]},{"name":"RpcCertGeneratePrincipalNameW","features":[1,68,19]},{"name":"RpcClientCancel","features":[19]},{"name":"RpcClientDisconnect","features":[19]},{"name":"RpcCurrentUniqueUser","features":[19]},{"name":"RpcEpRegisterA","features":[19]},{"name":"RpcEpRegisterNoReplaceA","features":[19]},{"name":"RpcEpRegisterNoReplaceW","features":[19]},{"name":"RpcEpRegisterW","features":[19]},{"name":"RpcEpResolveBinding","features":[19]},{"name":"RpcEpUnregister","features":[19]},{"name":"RpcErrorAddRecord","features":[1,19]},{"name":"RpcErrorClearInformation","features":[19]},{"name":"RpcErrorEndEnumeration","features":[19]},{"name":"RpcErrorGetNextRecord","features":[1,19]},{"name":"RpcErrorGetNumberOfRecords","features":[19]},{"name":"RpcErrorLoadErrorInfo","features":[19]},{"name":"RpcErrorResetEnumeration","features":[19]},{"name":"RpcErrorSaveErrorInfo","features":[19]},{"name":"RpcErrorStartEnumeration","features":[19]},{"name":"RpcExceptionFilter","features":[19]},{"name":"RpcFailedLbsDecisions","features":[19]},{"name":"RpcFailedLbsMessages","features":[19]},{"name":"RpcFreeAuthorizationContext","features":[19]},{"name":"RpcGetAuthorizationContextForClient","features":[1,19]},{"name":"RpcIfIdVectorFree","features":[19]},{"name":"RpcIfInqId","features":[19]},{"name":"RpcImpersonateClient","features":[19]},{"name":"RpcImpersonateClient2","features":[19]},{"name":"RpcImpersonateClientContainer","features":[19]},{"name":"RpcIncomingBandwidth","features":[19]},{"name":"RpcIncomingConnections","features":[19]},{"name":"RpcLastCounter","features":[19]},{"name":"RpcLocalAddressFormat","features":[19]},{"name":"RpcMgmtEnableIdleCleanup","features":[19]},{"name":"RpcMgmtEpEltInqBegin","features":[19]},{"name":"RpcMgmtEpEltInqDone","features":[19]},{"name":"RpcMgmtEpEltInqNextA","features":[19]},{"name":"RpcMgmtEpEltInqNextW","features":[19]},{"name":"RpcMgmtEpUnregister","features":[19]},{"name":"RpcMgmtInqComTimeout","features":[19]},{"name":"RpcMgmtInqDefaultProtectLevel","features":[19]},{"name":"RpcMgmtInqIfIds","features":[19]},{"name":"RpcMgmtInqServerPrincNameA","features":[19]},{"name":"RpcMgmtInqServerPrincNameW","features":[19]},{"name":"RpcMgmtInqStats","features":[19]},{"name":"RpcMgmtIsServerListening","features":[19]},{"name":"RpcMgmtSetAuthorizationFn","features":[19]},{"name":"RpcMgmtSetCancelTimeout","features":[19]},{"name":"RpcMgmtSetComTimeout","features":[19]},{"name":"RpcMgmtSetServerStackSize","features":[19]},{"name":"RpcMgmtStatsVectorFree","features":[19]},{"name":"RpcMgmtStopServerListening","features":[19]},{"name":"RpcMgmtWaitServerListen","features":[19]},{"name":"RpcNetworkInqProtseqsA","features":[19]},{"name":"RpcNetworkInqProtseqsW","features":[19]},{"name":"RpcNetworkIsProtseqValidA","features":[19]},{"name":"RpcNetworkIsProtseqValidW","features":[19]},{"name":"RpcNotificationCallCancel","features":[19]},{"name":"RpcNotificationCallNone","features":[19]},{"name":"RpcNotificationClientDisconnect","features":[19]},{"name":"RpcNotificationTypeApc","features":[19]},{"name":"RpcNotificationTypeCallback","features":[19]},{"name":"RpcNotificationTypeEvent","features":[19]},{"name":"RpcNotificationTypeHwnd","features":[19]},{"name":"RpcNotificationTypeIoc","features":[19]},{"name":"RpcNotificationTypeNone","features":[19]},{"name":"RpcNsBindingExportA","features":[19]},{"name":"RpcNsBindingExportPnPA","features":[19]},{"name":"RpcNsBindingExportPnPW","features":[19]},{"name":"RpcNsBindingExportW","features":[19]},{"name":"RpcNsBindingImportBeginA","features":[19]},{"name":"RpcNsBindingImportBeginW","features":[19]},{"name":"RpcNsBindingImportDone","features":[19]},{"name":"RpcNsBindingImportNext","features":[19]},{"name":"RpcNsBindingInqEntryNameA","features":[19]},{"name":"RpcNsBindingInqEntryNameW","features":[19]},{"name":"RpcNsBindingLookupBeginA","features":[19]},{"name":"RpcNsBindingLookupBeginW","features":[19]},{"name":"RpcNsBindingLookupDone","features":[19]},{"name":"RpcNsBindingLookupNext","features":[19]},{"name":"RpcNsBindingSelect","features":[19]},{"name":"RpcNsBindingUnexportA","features":[19]},{"name":"RpcNsBindingUnexportPnPA","features":[19]},{"name":"RpcNsBindingUnexportPnPW","features":[19]},{"name":"RpcNsBindingUnexportW","features":[19]},{"name":"RpcNsEntryExpandNameA","features":[19]},{"name":"RpcNsEntryExpandNameW","features":[19]},{"name":"RpcNsEntryObjectInqBeginA","features":[19]},{"name":"RpcNsEntryObjectInqBeginW","features":[19]},{"name":"RpcNsEntryObjectInqDone","features":[19]},{"name":"RpcNsEntryObjectInqNext","features":[19]},{"name":"RpcNsGroupDeleteA","features":[19]},{"name":"RpcNsGroupDeleteW","features":[19]},{"name":"RpcNsGroupMbrAddA","features":[19]},{"name":"RpcNsGroupMbrAddW","features":[19]},{"name":"RpcNsGroupMbrInqBeginA","features":[19]},{"name":"RpcNsGroupMbrInqBeginW","features":[19]},{"name":"RpcNsGroupMbrInqDone","features":[19]},{"name":"RpcNsGroupMbrInqNextA","features":[19]},{"name":"RpcNsGroupMbrInqNextW","features":[19]},{"name":"RpcNsGroupMbrRemoveA","features":[19]},{"name":"RpcNsGroupMbrRemoveW","features":[19]},{"name":"RpcNsMgmtBindingUnexportA","features":[19]},{"name":"RpcNsMgmtBindingUnexportW","features":[19]},{"name":"RpcNsMgmtEntryCreateA","features":[19]},{"name":"RpcNsMgmtEntryCreateW","features":[19]},{"name":"RpcNsMgmtEntryDeleteA","features":[19]},{"name":"RpcNsMgmtEntryDeleteW","features":[19]},{"name":"RpcNsMgmtEntryInqIfIdsA","features":[19]},{"name":"RpcNsMgmtEntryInqIfIdsW","features":[19]},{"name":"RpcNsMgmtHandleSetExpAge","features":[19]},{"name":"RpcNsMgmtInqExpAge","features":[19]},{"name":"RpcNsMgmtSetExpAge","features":[19]},{"name":"RpcNsProfileDeleteA","features":[19]},{"name":"RpcNsProfileDeleteW","features":[19]},{"name":"RpcNsProfileEltAddA","features":[19]},{"name":"RpcNsProfileEltAddW","features":[19]},{"name":"RpcNsProfileEltInqBeginA","features":[19]},{"name":"RpcNsProfileEltInqBeginW","features":[19]},{"name":"RpcNsProfileEltInqDone","features":[19]},{"name":"RpcNsProfileEltInqNextA","features":[19]},{"name":"RpcNsProfileEltInqNextW","features":[19]},{"name":"RpcNsProfileEltRemoveA","features":[19]},{"name":"RpcNsProfileEltRemoveW","features":[19]},{"name":"RpcObjectInqType","features":[19]},{"name":"RpcObjectSetInqFn","features":[19]},{"name":"RpcObjectSetType","features":[19]},{"name":"RpcOutgoingBandwidth","features":[19]},{"name":"RpcPerfCounters","features":[19]},{"name":"RpcProtseqVectorFreeA","features":[19]},{"name":"RpcProtseqVectorFreeW","features":[19]},{"name":"RpcRaiseException","features":[19]},{"name":"RpcReceiveComplete","features":[19]},{"name":"RpcRequestsPerSecond","features":[19]},{"name":"RpcRevertContainerImpersonation","features":[19]},{"name":"RpcRevertToSelf","features":[19]},{"name":"RpcRevertToSelfEx","features":[19]},{"name":"RpcSendComplete","features":[19]},{"name":"RpcServerCompleteSecurityCallback","features":[19]},{"name":"RpcServerInqBindingHandle","features":[19]},{"name":"RpcServerInqBindings","features":[19]},{"name":"RpcServerInqBindingsEx","features":[19]},{"name":"RpcServerInqCallAttributesA","features":[19]},{"name":"RpcServerInqCallAttributesW","features":[19]},{"name":"RpcServerInqDefaultPrincNameA","features":[19]},{"name":"RpcServerInqDefaultPrincNameW","features":[19]},{"name":"RpcServerInqIf","features":[19]},{"name":"RpcServerInterfaceGroupActivate","features":[19]},{"name":"RpcServerInterfaceGroupClose","features":[19]},{"name":"RpcServerInterfaceGroupCreateA","features":[19]},{"name":"RpcServerInterfaceGroupCreateW","features":[19]},{"name":"RpcServerInterfaceGroupDeactivate","features":[19]},{"name":"RpcServerInterfaceGroupInqBindings","features":[19]},{"name":"RpcServerListen","features":[19]},{"name":"RpcServerRegisterAuthInfoA","features":[19]},{"name":"RpcServerRegisterAuthInfoW","features":[19]},{"name":"RpcServerRegisterIf","features":[19]},{"name":"RpcServerRegisterIf2","features":[19]},{"name":"RpcServerRegisterIf3","features":[19]},{"name":"RpcServerRegisterIfEx","features":[19]},{"name":"RpcServerSubscribeForNotification","features":[1,6,19]},{"name":"RpcServerTestCancel","features":[19]},{"name":"RpcServerUnregisterIf","features":[19]},{"name":"RpcServerUnregisterIfEx","features":[19]},{"name":"RpcServerUnsubscribeForNotification","features":[19]},{"name":"RpcServerUseAllProtseqs","features":[19]},{"name":"RpcServerUseAllProtseqsEx","features":[19]},{"name":"RpcServerUseAllProtseqsIf","features":[19]},{"name":"RpcServerUseAllProtseqsIfEx","features":[19]},{"name":"RpcServerUseProtseqA","features":[19]},{"name":"RpcServerUseProtseqEpA","features":[19]},{"name":"RpcServerUseProtseqEpExA","features":[19]},{"name":"RpcServerUseProtseqEpExW","features":[19]},{"name":"RpcServerUseProtseqEpW","features":[19]},{"name":"RpcServerUseProtseqExA","features":[19]},{"name":"RpcServerUseProtseqExW","features":[19]},{"name":"RpcServerUseProtseqIfA","features":[19]},{"name":"RpcServerUseProtseqIfExA","features":[19]},{"name":"RpcServerUseProtseqIfExW","features":[19]},{"name":"RpcServerUseProtseqIfW","features":[19]},{"name":"RpcServerUseProtseqW","features":[19]},{"name":"RpcServerYield","features":[19]},{"name":"RpcSmAllocate","features":[19]},{"name":"RpcSmClientFree","features":[19]},{"name":"RpcSmDestroyClientContext","features":[19]},{"name":"RpcSmDisableAllocate","features":[19]},{"name":"RpcSmEnableAllocate","features":[19]},{"name":"RpcSmFree","features":[19]},{"name":"RpcSmGetThreadHandle","features":[19]},{"name":"RpcSmSetClientAllocFree","features":[19]},{"name":"RpcSmSetThreadHandle","features":[19]},{"name":"RpcSmSwapClientAllocFree","features":[19]},{"name":"RpcSsAllocate","features":[19]},{"name":"RpcSsContextLockExclusive","features":[19]},{"name":"RpcSsContextLockShared","features":[19]},{"name":"RpcSsDestroyClientContext","features":[19]},{"name":"RpcSsDisableAllocate","features":[19]},{"name":"RpcSsDontSerializeContext","features":[19]},{"name":"RpcSsEnableAllocate","features":[19]},{"name":"RpcSsFree","features":[19]},{"name":"RpcSsGetContextBinding","features":[19]},{"name":"RpcSsGetThreadHandle","features":[19]},{"name":"RpcSsSetClientAllocFree","features":[19]},{"name":"RpcSsSetThreadHandle","features":[19]},{"name":"RpcSsSwapClientAllocFree","features":[19]},{"name":"RpcStringBindingComposeA","features":[19]},{"name":"RpcStringBindingComposeW","features":[19]},{"name":"RpcStringBindingParseA","features":[19]},{"name":"RpcStringBindingParseW","features":[19]},{"name":"RpcStringFreeA","features":[19]},{"name":"RpcStringFreeW","features":[19]},{"name":"RpcTestCancel","features":[19]},{"name":"RpcUserFree","features":[19]},{"name":"SCONTEXT_QUEUE","features":[19]},{"name":"SEC_WINNT_AUTH_IDENTITY","features":[19]},{"name":"SEC_WINNT_AUTH_IDENTITY_A","features":[19]},{"name":"SEC_WINNT_AUTH_IDENTITY_ANSI","features":[19]},{"name":"SEC_WINNT_AUTH_IDENTITY_UNICODE","features":[19]},{"name":"SEC_WINNT_AUTH_IDENTITY_W","features":[19]},{"name":"SERVER_ROUTINE","features":[19]},{"name":"STUB_CALL_SERVER","features":[19]},{"name":"STUB_CALL_SERVER_NO_HRESULT","features":[19]},{"name":"STUB_MARSHAL","features":[19]},{"name":"STUB_PHASE","features":[19]},{"name":"STUB_THUNK","features":[19]},{"name":"STUB_UNMARSHAL","features":[19]},{"name":"SYSTEM_HANDLE_COMPOSITION_OBJECT","features":[19]},{"name":"SYSTEM_HANDLE_EVENT","features":[19]},{"name":"SYSTEM_HANDLE_FILE","features":[19]},{"name":"SYSTEM_HANDLE_INVALID","features":[19]},{"name":"SYSTEM_HANDLE_JOB","features":[19]},{"name":"SYSTEM_HANDLE_MAX","features":[19]},{"name":"SYSTEM_HANDLE_MUTEX","features":[19]},{"name":"SYSTEM_HANDLE_PIPE","features":[19]},{"name":"SYSTEM_HANDLE_PROCESS","features":[19]},{"name":"SYSTEM_HANDLE_REG_KEY","features":[19]},{"name":"SYSTEM_HANDLE_SECTION","features":[19]},{"name":"SYSTEM_HANDLE_SEMAPHORE","features":[19]},{"name":"SYSTEM_HANDLE_SOCKET","features":[19]},{"name":"SYSTEM_HANDLE_THREAD","features":[19]},{"name":"SYSTEM_HANDLE_TOKEN","features":[19]},{"name":"TARGET_IS_NT100_OR_LATER","features":[19]},{"name":"TARGET_IS_NT1012_OR_LATER","features":[19]},{"name":"TARGET_IS_NT102_OR_LATER","features":[19]},{"name":"TARGET_IS_NT351_OR_WIN95_OR_LATER","features":[19]},{"name":"TARGET_IS_NT40_OR_LATER","features":[19]},{"name":"TARGET_IS_NT50_OR_LATER","features":[19]},{"name":"TARGET_IS_NT51_OR_LATER","features":[19]},{"name":"TARGET_IS_NT60_OR_LATER","features":[19]},{"name":"TARGET_IS_NT61_OR_LATER","features":[19]},{"name":"TARGET_IS_NT62_OR_LATER","features":[19]},{"name":"TARGET_IS_NT63_OR_LATER","features":[19]},{"name":"TRANSPORT_TYPE_CN","features":[19]},{"name":"TRANSPORT_TYPE_DG","features":[19]},{"name":"TRANSPORT_TYPE_LPC","features":[19]},{"name":"TRANSPORT_TYPE_WMSG","features":[19]},{"name":"USER_CALL_IS_ASYNC","features":[19]},{"name":"USER_CALL_NEW_CORRELATION_DESC","features":[19]},{"name":"USER_MARSHAL_CB","features":[19]},{"name":"USER_MARSHAL_CB_BUFFER_SIZE","features":[19]},{"name":"USER_MARSHAL_CB_FREE","features":[19]},{"name":"USER_MARSHAL_CB_MARSHALL","features":[19]},{"name":"USER_MARSHAL_CB_TYPE","features":[19]},{"name":"USER_MARSHAL_CB_UNMARSHALL","features":[19]},{"name":"USER_MARSHAL_FC_BYTE","features":[19]},{"name":"USER_MARSHAL_FC_CHAR","features":[19]},{"name":"USER_MARSHAL_FC_DOUBLE","features":[19]},{"name":"USER_MARSHAL_FC_FLOAT","features":[19]},{"name":"USER_MARSHAL_FC_HYPER","features":[19]},{"name":"USER_MARSHAL_FC_LONG","features":[19]},{"name":"USER_MARSHAL_FC_SHORT","features":[19]},{"name":"USER_MARSHAL_FC_SMALL","features":[19]},{"name":"USER_MARSHAL_FC_ULONG","features":[19]},{"name":"USER_MARSHAL_FC_USHORT","features":[19]},{"name":"USER_MARSHAL_FC_USMALL","features":[19]},{"name":"USER_MARSHAL_FC_WCHAR","features":[19]},{"name":"USER_MARSHAL_FREEING_ROUTINE","features":[19]},{"name":"USER_MARSHAL_MARSHALLING_ROUTINE","features":[19]},{"name":"USER_MARSHAL_ROUTINE_QUADRUPLE","features":[19]},{"name":"USER_MARSHAL_SIZING_ROUTINE","features":[19]},{"name":"USER_MARSHAL_UNMARSHALLING_ROUTINE","features":[19]},{"name":"UUID_VECTOR","features":[19]},{"name":"UuidCompare","features":[19]},{"name":"UuidCreate","features":[19]},{"name":"UuidCreateNil","features":[19]},{"name":"UuidCreateSequential","features":[19]},{"name":"UuidEqual","features":[19]},{"name":"UuidFromStringA","features":[19]},{"name":"UuidFromStringW","features":[19]},{"name":"UuidHash","features":[19]},{"name":"UuidIsNil","features":[19]},{"name":"UuidToStringA","features":[19]},{"name":"UuidToStringW","features":[19]},{"name":"XLAT_CLIENT","features":[19]},{"name":"XLAT_SERVER","features":[19]},{"name":"XLAT_SIDE","features":[19]},{"name":"XMIT_HELPER_ROUTINE","features":[19]},{"name":"XMIT_ROUTINE_QUINTUPLE","features":[19]},{"name":"_NDR_PROC_CONTEXT","features":[19]},{"name":"__RPCPROXY_H_VERSION__","features":[19]},{"name":"cbNDRContext","features":[19]},{"name":"eeptAnsiString","features":[19]},{"name":"eeptBinary","features":[19]},{"name":"eeptLongVal","features":[19]},{"name":"eeptNone","features":[19]},{"name":"eeptPointerVal","features":[19]},{"name":"eeptShortVal","features":[19]},{"name":"eeptUnicodeString","features":[19]},{"name":"rcclClientUnknownLocality","features":[19]},{"name":"rcclInvalid","features":[19]},{"name":"rcclLocal","features":[19]},{"name":"rcclRemote","features":[19]},{"name":"rctGuaranteed","features":[19]},{"name":"rctInvalid","features":[19]},{"name":"rctNormal","features":[19]},{"name":"rctTraining","features":[19]},{"name":"rlafIPv4","features":[19]},{"name":"rlafIPv6","features":[19]},{"name":"rlafInvalid","features":[19]},{"name":"system_handle_t","features":[19]}],"602":[{"name":"ACCESS_MASKENUM","features":[197]},{"name":"AUTHENTICATION_INFO","features":[197]},{"name":"AUTH_TYPE","features":[197]},{"name":"BCP6xFILEFMT","features":[197]},{"name":"BCPABORT","features":[197]},{"name":"BCPBATCH","features":[197]},{"name":"BCPFILECP","features":[197]},{"name":"BCPFILECP_ACP","features":[197]},{"name":"BCPFILECP_OEMCP","features":[197]},{"name":"BCPFILECP_RAW","features":[197]},{"name":"BCPFILEFMT","features":[197]},{"name":"BCPFIRST","features":[197]},{"name":"BCPHINTS","features":[197]},{"name":"BCPHINTSA","features":[197]},{"name":"BCPHINTSW","features":[197]},{"name":"BCPKEEPIDENTITY","features":[197]},{"name":"BCPKEEPNULLS","features":[197]},{"name":"BCPLAST","features":[197]},{"name":"BCPMAXERRS","features":[197]},{"name":"BCPODBC","features":[197]},{"name":"BCPTEXTFILE","features":[197]},{"name":"BCPUNICODEFILE","features":[197]},{"name":"BCP_FMT_COLLATION","features":[197]},{"name":"BCP_FMT_COLLATION_ID","features":[197]},{"name":"BCP_FMT_DATA_LEN","features":[197]},{"name":"BCP_FMT_INDICATOR_LEN","features":[197]},{"name":"BCP_FMT_SERVER_COL","features":[197]},{"name":"BCP_FMT_TERMINATOR","features":[197]},{"name":"BCP_FMT_TYPE","features":[197]},{"name":"BIO_BINDER","features":[197]},{"name":"BMK_DURABILITY_INTRANSACTION","features":[197]},{"name":"BMK_DURABILITY_REORGANIZATION","features":[197]},{"name":"BMK_DURABILITY_ROWSET","features":[197]},{"name":"BMK_DURABILITY_XTRANSACTION","features":[197]},{"name":"BUCKETCATEGORIZE","features":[197]},{"name":"BUCKET_EXPONENTIAL","features":[197]},{"name":"BUCKET_LINEAR","features":[197]},{"name":"CASE_REQUIREMENT","features":[197]},{"name":"CASE_REQUIREMENT_ANY","features":[197]},{"name":"CASE_REQUIREMENT_UPPER_IF_AQS","features":[197]},{"name":"CATALOG_PAUSED_REASON_DELAYED_RECOVERY","features":[197]},{"name":"CATALOG_PAUSED_REASON_EXTERNAL","features":[197]},{"name":"CATALOG_PAUSED_REASON_HIGH_CPU","features":[197]},{"name":"CATALOG_PAUSED_REASON_HIGH_IO","features":[197]},{"name":"CATALOG_PAUSED_REASON_HIGH_NTF_RATE","features":[197]},{"name":"CATALOG_PAUSED_REASON_LOW_BATTERY","features":[197]},{"name":"CATALOG_PAUSED_REASON_LOW_DISK","features":[197]},{"name":"CATALOG_PAUSED_REASON_LOW_MEMORY","features":[197]},{"name":"CATALOG_PAUSED_REASON_NONE","features":[197]},{"name":"CATALOG_PAUSED_REASON_UPGRADING","features":[197]},{"name":"CATALOG_PAUSED_REASON_USER_ACTIVE","features":[197]},{"name":"CATALOG_STATUS_FULL_CRAWL","features":[197]},{"name":"CATALOG_STATUS_IDLE","features":[197]},{"name":"CATALOG_STATUS_INCREMENTAL_CRAWL","features":[197]},{"name":"CATALOG_STATUS_PAUSED","features":[197]},{"name":"CATALOG_STATUS_PROCESSING_NOTIFICATIONS","features":[197]},{"name":"CATALOG_STATUS_RECOVERING","features":[197]},{"name":"CATALOG_STATUS_SHUTTING_DOWN","features":[197]},{"name":"CATEGORIZATION","features":[1,143,63,197,42]},{"name":"CATEGORIZATIONSET","features":[1,143,63,197,42]},{"name":"CATEGORIZE_BUCKETS","features":[197]},{"name":"CATEGORIZE_CLUSTER","features":[197]},{"name":"CATEGORIZE_RANGE","features":[197]},{"name":"CATEGORIZE_UNIQUE","features":[197]},{"name":"CATEGORY_COLLATOR","features":[197]},{"name":"CATEGORY_GATHERER","features":[197]},{"name":"CATEGORY_INDEXER","features":[197]},{"name":"CATEGORY_SEARCH","features":[197]},{"name":"CDBBMKDISPIDS","features":[197]},{"name":"CDBCOLDISPIDS","features":[197]},{"name":"CDBSELFDISPIDS","features":[197]},{"name":"CERT_E_NOT_FOUND_OR_NO_PERMISSSION","features":[197]},{"name":"CHANNEL_AGENT_DYNAMIC_SCHEDULE","features":[197]},{"name":"CHANNEL_AGENT_FLAGS","features":[197]},{"name":"CHANNEL_AGENT_PRECACHE_ALL","features":[197]},{"name":"CHANNEL_AGENT_PRECACHE_SCRNSAVER","features":[197]},{"name":"CHANNEL_AGENT_PRECACHE_SOME","features":[197]},{"name":"CI_E_CORRUPT_FWIDX","features":[197]},{"name":"CI_E_DIACRITIC_SETTINGS_DIFFER","features":[197]},{"name":"CI_E_INCONSISTENT_TRANSACTION","features":[197]},{"name":"CI_E_INVALID_CATALOG_LIST_VERSION","features":[197]},{"name":"CI_E_MULTIPLE_PROTECTED_USERS_UNSUPPORTED","features":[197]},{"name":"CI_E_NO_AUXMETADATA","features":[197]},{"name":"CI_E_NO_CATALOG_MANAGER","features":[197]},{"name":"CI_E_NO_PROTECTED_USER","features":[197]},{"name":"CI_E_PROTECTED_CATALOG_NON_INTERACTIVE_USER","features":[197]},{"name":"CI_E_PROTECTED_CATALOG_NOT_AVAILABLE","features":[197]},{"name":"CI_E_PROTECTED_CATALOG_SID_MISMATCH","features":[197]},{"name":"CI_S_CATALOG_RESET","features":[197]},{"name":"CI_S_CLIENT_REQUESTED_ABORT","features":[197]},{"name":"CI_S_NEW_AUXMETADATA","features":[197]},{"name":"CI_S_RETRY_DOCUMENT","features":[197]},{"name":"CLSID_CISimpleCommandCreator","features":[197]},{"name":"CLSID_DataShapeProvider","features":[197]},{"name":"CLSID_MSDASQL","features":[197]},{"name":"CLSID_MSDASQL_ENUMERATOR","features":[197]},{"name":"CLSID_MSPersist","features":[197]},{"name":"CLSID_SQLOLEDB","features":[197]},{"name":"CLSID_SQLOLEDB_ENUMERATOR","features":[197]},{"name":"CLSID_SQLOLEDB_ERROR","features":[197]},{"name":"CLUSIONREASON_DEFAULT","features":[197]},{"name":"CLUSIONREASON_GROUPPOLICY","features":[197]},{"name":"CLUSIONREASON_UNKNOWNSCOPE","features":[197]},{"name":"CLUSIONREASON_USER","features":[197]},{"name":"CLUSION_REASON","features":[197]},{"name":"CMDLINE_E_ALREADY_INIT","features":[197]},{"name":"CMDLINE_E_NOT_INIT","features":[197]},{"name":"CMDLINE_E_NUM_PARAMS","features":[197]},{"name":"CMDLINE_E_PARAM_SIZE","features":[197]},{"name":"CMDLINE_E_PAREN","features":[197]},{"name":"CMDLINE_E_UNEXPECTED","features":[197]},{"name":"CM_E_CONNECTIONTIMEOUT","features":[197]},{"name":"CM_E_DATASOURCENOTAVAILABLE","features":[197]},{"name":"CM_E_INSUFFICIENTBUFFER","features":[197]},{"name":"CM_E_INVALIDDATASOURCE","features":[197]},{"name":"CM_E_NOQUERYCONNECTIONS","features":[197]},{"name":"CM_E_REGISTRY","features":[197]},{"name":"CM_E_SERVERNOTFOUND","features":[197]},{"name":"CM_E_TIMEOUT","features":[197]},{"name":"CM_E_TOOMANYDATASERVERS","features":[197]},{"name":"CM_E_TOOMANYDATASOURCES","features":[197]},{"name":"CM_S_NODATASERVERS","features":[197]},{"name":"COLL_E_BADRESULT","features":[197]},{"name":"COLL_E_BADSEQUENCE","features":[197]},{"name":"COLL_E_BUFFERTOOSMALL","features":[197]},{"name":"COLL_E_DUPLICATEDBID","features":[197]},{"name":"COLL_E_INCOMPATIBLECOLUMNS","features":[197]},{"name":"COLL_E_MAXCONNEXCEEDED","features":[197]},{"name":"COLL_E_NODEFAULTCATALOG","features":[197]},{"name":"COLL_E_NOMOREDATA","features":[197]},{"name":"COLL_E_NOSORTCOLUMN","features":[197]},{"name":"COLL_E_TOOMANYMERGECOLUMNS","features":[197]},{"name":"COLUMNSET","features":[143,63,197]},{"name":"CONDITION_CREATION_DEFAULT","features":[197]},{"name":"CONDITION_CREATION_NONE","features":[197]},{"name":"CONDITION_CREATION_OPTIONS","features":[197]},{"name":"CONDITION_CREATION_SIMPLIFY","features":[197]},{"name":"CONDITION_CREATION_USE_CONTENT_LOCALE","features":[197]},{"name":"CONDITION_CREATION_VECTOR_AND","features":[197]},{"name":"CONDITION_CREATION_VECTOR_LEAF","features":[197]},{"name":"CONDITION_CREATION_VECTOR_OR","features":[197]},{"name":"CONTENTRESTRICTION","features":[143,63,197]},{"name":"CONTENT_SOURCE_E_CONTENT_CLASS_READ","features":[197]},{"name":"CONTENT_SOURCE_E_CONTENT_SOURCE_COLUMN_TYPE","features":[197]},{"name":"CONTENT_SOURCE_E_NULL_CONTENT_CLASS_BSTR","features":[197]},{"name":"CONTENT_SOURCE_E_NULL_URI","features":[197]},{"name":"CONTENT_SOURCE_E_OUT_OF_RANGE","features":[197]},{"name":"CONTENT_SOURCE_E_PROPERTY_MAPPING_BAD_VECTOR_SIZE","features":[197]},{"name":"CONTENT_SOURCE_E_PROPERTY_MAPPING_READ","features":[197]},{"name":"CONTENT_SOURCE_E_UNEXPECTED_EXCEPTION","features":[197]},{"name":"CONTENT_SOURCE_E_UNEXPECTED_NULL_POINTER","features":[197]},{"name":"CQUERYDISPIDS","features":[197]},{"name":"CQUERYMETADISPIDS","features":[197]},{"name":"CQUERYPROPERTY","features":[197]},{"name":"CREATESUBSCRIPTIONFLAGS","features":[197]},{"name":"CREATESUBS_ADDTOFAVORITES","features":[197]},{"name":"CREATESUBS_FROMFAVORITES","features":[197]},{"name":"CREATESUBS_NOSAVE","features":[197]},{"name":"CREATESUBS_NOUI","features":[197]},{"name":"CREATESUBS_SOFTWAREUPDATE","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_ASSERTIONS","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_CATALOGS","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_CHARACTER_SETS","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_CHECK_CONSTRAINTS","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_CHECK_CONSTRAINTS_BY_TABLE","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_COLLATIONS","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_COLUMNS","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_COLUMN_DOMAIN_USAGE","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_COLUMN_PRIVILEGES","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_CONSTRAINT_COLUMN_USAGE","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_CONSTRAINT_TABLE_USAGE","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_FOREIGN_KEYS","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_INDEXES","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_KEY_COLUMN_USAGE","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_LINKEDSERVERS","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_OBJECTS","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_OBJECT_ACTIONS","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_PRIMARY_KEYS","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_PROCEDURES","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_PROCEDURE_COLUMNS","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_PROCEDURE_PARAMETERS","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_PROVIDER_TYPES","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_REFERENTIAL_CONSTRAINTS","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_SCHEMATA","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_SQL_LANGUAGES","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_STATISTICS","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_TABLES","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_TABLES_INFO","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_TABLE_CONSTRAINTS","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_TABLE_PRIVILEGES","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_TABLE_STATISTICS","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_TRANSLATIONS","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_TRUSTEE","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_USAGE_PRIVILEGES","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_VIEWS","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_VIEW_COLUMN_USAGE","features":[197]},{"name":"CRESTRICTIONS_DBSCHEMA_VIEW_TABLE_USAGE","features":[197]},{"name":"CRESTRICTIONS_MDSCHEMA_ACTIONS","features":[197]},{"name":"CRESTRICTIONS_MDSCHEMA_COMMANDS","features":[197]},{"name":"CRESTRICTIONS_MDSCHEMA_CUBES","features":[197]},{"name":"CRESTRICTIONS_MDSCHEMA_DIMENSIONS","features":[197]},{"name":"CRESTRICTIONS_MDSCHEMA_FUNCTIONS","features":[197]},{"name":"CRESTRICTIONS_MDSCHEMA_HIERARCHIES","features":[197]},{"name":"CRESTRICTIONS_MDSCHEMA_LEVELS","features":[197]},{"name":"CRESTRICTIONS_MDSCHEMA_MEASURES","features":[197]},{"name":"CRESTRICTIONS_MDSCHEMA_MEMBERS","features":[197]},{"name":"CRESTRICTIONS_MDSCHEMA_PROPERTIES","features":[197]},{"name":"CRESTRICTIONS_MDSCHEMA_SETS","features":[197]},{"name":"CSTORAGEPROPERTY","features":[197]},{"name":"CSearchLanguageSupport","features":[197]},{"name":"CSearchManager","features":[197]},{"name":"CSearchRoot","features":[197]},{"name":"CSearchScopeRule","features":[197]},{"name":"CatalogPausedReason","features":[197]},{"name":"CatalogStatus","features":[197]},{"name":"CompoundCondition","features":[197]},{"name":"ConditionFactory","features":[197]},{"name":"DATE_STRUCT","features":[197]},{"name":"DBACCESSORFLAGSENUM","features":[197]},{"name":"DBACCESSOR_INHERITED","features":[197]},{"name":"DBACCESSOR_INVALID","features":[197]},{"name":"DBACCESSOR_OPTIMIZED","features":[197]},{"name":"DBACCESSOR_PARAMETERDATA","features":[197]},{"name":"DBACCESSOR_PASSBYREF","features":[197]},{"name":"DBACCESSOR_ROWDATA","features":[197]},{"name":"DBASYNCHOPENUM","features":[197]},{"name":"DBASYNCHOP_OPEN","features":[197]},{"name":"DBASYNCHPHASEENUM","features":[197]},{"name":"DBASYNCHPHASE_CANCELED","features":[197]},{"name":"DBASYNCHPHASE_COMPLETE","features":[197]},{"name":"DBASYNCHPHASE_INITIALIZATION","features":[197]},{"name":"DBASYNCHPHASE_POPULATION","features":[197]},{"name":"DBBINDEXT","features":[197]},{"name":"DBBINDEXT","features":[197]},{"name":"DBBINDFLAGENUM","features":[197]},{"name":"DBBINDFLAG_HTML","features":[197]},{"name":"DBBINDING","features":[197]},{"name":"DBBINDING","features":[197]},{"name":"DBBINDSTATUSENUM","features":[197]},{"name":"DBBINDSTATUS_BADBINDINFO","features":[197]},{"name":"DBBINDSTATUS_BADORDINAL","features":[197]},{"name":"DBBINDSTATUS_BADSTORAGEFLAGS","features":[197]},{"name":"DBBINDSTATUS_MULTIPLESTORAGE","features":[197]},{"name":"DBBINDSTATUS_NOINTERFACE","features":[197]},{"name":"DBBINDSTATUS_OK","features":[197]},{"name":"DBBINDSTATUS_UNSUPPORTEDCONVERSION","features":[197]},{"name":"DBBINDURLFLAGENUM","features":[197]},{"name":"DBBINDURLFLAG_ASYNCHRONOUS","features":[197]},{"name":"DBBINDURLFLAG_COLLECTION","features":[197]},{"name":"DBBINDURLFLAG_DELAYFETCHCOLUMNS","features":[197]},{"name":"DBBINDURLFLAG_DELAYFETCHSTREAM","features":[197]},{"name":"DBBINDURLFLAG_ISSTRUCTUREDDOCUMENT","features":[197]},{"name":"DBBINDURLFLAG_OPENIFEXISTS","features":[197]},{"name":"DBBINDURLFLAG_OUTPUT","features":[197]},{"name":"DBBINDURLFLAG_OVERWRITE","features":[197]},{"name":"DBBINDURLFLAG_READ","features":[197]},{"name":"DBBINDURLFLAG_READWRITE","features":[197]},{"name":"DBBINDURLFLAG_RECURSIVE","features":[197]},{"name":"DBBINDURLFLAG_SHARE_DENY_NONE","features":[197]},{"name":"DBBINDURLFLAG_SHARE_DENY_READ","features":[197]},{"name":"DBBINDURLFLAG_SHARE_DENY_WRITE","features":[197]},{"name":"DBBINDURLFLAG_SHARE_EXCLUSIVE","features":[197]},{"name":"DBBINDURLFLAG_WAITFORINIT","features":[197]},{"name":"DBBINDURLFLAG_WRITE","features":[197]},{"name":"DBBINDURLSTATUSENUM","features":[197]},{"name":"DBBINDURLSTATUS_S_DENYNOTSUPPORTED","features":[197]},{"name":"DBBINDURLSTATUS_S_DENYTYPENOTSUPPORTED","features":[197]},{"name":"DBBINDURLSTATUS_S_OK","features":[197]},{"name":"DBBINDURLSTATUS_S_REDIRECTED","features":[197]},{"name":"DBBMKGUID","features":[197]},{"name":"DBBMK_FIRST","features":[197]},{"name":"DBBMK_INVALID","features":[197]},{"name":"DBBMK_LAST","features":[197]},{"name":"DBBOOKMARK","features":[197]},{"name":"DBCIDGUID","features":[197]},{"name":"DBCOLUMNACCESS","features":[143,197]},{"name":"DBCOLUMNACCESS","features":[143,197]},{"name":"DBCOLUMNDESC","features":[1,143,41,197,42]},{"name":"DBCOLUMNDESC","features":[1,143,41,197,42]},{"name":"DBCOLUMNDESCFLAGSENUM","features":[197]},{"name":"DBCOLUMNDESCFLAGS_CLSID","features":[197]},{"name":"DBCOLUMNDESCFLAGS_COLSIZE","features":[197]},{"name":"DBCOLUMNDESCFLAGS_DBCID","features":[197]},{"name":"DBCOLUMNDESCFLAGS_ITYPEINFO","features":[197]},{"name":"DBCOLUMNDESCFLAGS_PRECISION","features":[197]},{"name":"DBCOLUMNDESCFLAGS_PROPERTIES","features":[197]},{"name":"DBCOLUMNDESCFLAGS_SCALE","features":[197]},{"name":"DBCOLUMNDESCFLAGS_TYPENAME","features":[197]},{"name":"DBCOLUMNDESCFLAGS_WTYPE","features":[197]},{"name":"DBCOLUMNFLAGS15ENUM","features":[197]},{"name":"DBCOLUMNFLAGSDEPRECATED","features":[197]},{"name":"DBCOLUMNFLAGSENUM","features":[197]},{"name":"DBCOLUMNFLAGSENUM20","features":[197]},{"name":"DBCOLUMNFLAGSENUM21","features":[197]},{"name":"DBCOLUMNFLAGSENUM26","features":[197]},{"name":"DBCOLUMNFLAGS_CACHEDEFERRED","features":[197]},{"name":"DBCOLUMNFLAGS_ISBOOKMARK","features":[197]},{"name":"DBCOLUMNFLAGS_ISCHAPTER","features":[197]},{"name":"DBCOLUMNFLAGS_ISCOLLECTION","features":[197]},{"name":"DBCOLUMNFLAGS_ISDEFAULTSTREAM","features":[197]},{"name":"DBCOLUMNFLAGS_ISFIXEDLENGTH","features":[197]},{"name":"DBCOLUMNFLAGS_ISLONG","features":[197]},{"name":"DBCOLUMNFLAGS_ISNULLABLE","features":[197]},{"name":"DBCOLUMNFLAGS_ISROW","features":[197]},{"name":"DBCOLUMNFLAGS_ISROWID","features":[197]},{"name":"DBCOLUMNFLAGS_ISROWSET","features":[197]},{"name":"DBCOLUMNFLAGS_ISROWURL","features":[197]},{"name":"DBCOLUMNFLAGS_ISROWVER","features":[197]},{"name":"DBCOLUMNFLAGS_ISSTREAM","features":[197]},{"name":"DBCOLUMNFLAGS_KEYCOLUMN","features":[197]},{"name":"DBCOLUMNFLAGS_MAYBENULL","features":[197]},{"name":"DBCOLUMNFLAGS_MAYDEFER","features":[197]},{"name":"DBCOLUMNFLAGS_RESERVED","features":[197]},{"name":"DBCOLUMNFLAGS_ROWSPECIFICCOLUMN","features":[197]},{"name":"DBCOLUMNFLAGS_SCALEISNEGATIVE","features":[197]},{"name":"DBCOLUMNFLAGS_WRITE","features":[197]},{"name":"DBCOLUMNFLAGS_WRITEUNKNOWN","features":[197]},{"name":"DBCOLUMNINFO","features":[143,197]},{"name":"DBCOLUMNINFO","features":[143,197]},{"name":"DBCOMMANDPERSISTFLAGENUM","features":[197]},{"name":"DBCOMMANDPERSISTFLAGENUM21","features":[197]},{"name":"DBCOMMANDPERSISTFLAG_DEFAULT","features":[197]},{"name":"DBCOMMANDPERSISTFLAG_NOSAVE","features":[197]},{"name":"DBCOMMANDPERSISTFLAG_PERSISTPROCEDURE","features":[197]},{"name":"DBCOMMANDPERSISTFLAG_PERSISTVIEW","features":[197]},{"name":"DBCOMPAREENUM","features":[197]},{"name":"DBCOMPAREOPSENUM","features":[197]},{"name":"DBCOMPAREOPSENUM20","features":[197]},{"name":"DBCOMPAREOPS_BEGINSWITH","features":[197]},{"name":"DBCOMPAREOPS_CASEINSENSITIVE","features":[197]},{"name":"DBCOMPAREOPS_CASESENSITIVE","features":[197]},{"name":"DBCOMPAREOPS_CONTAINS","features":[197]},{"name":"DBCOMPAREOPS_EQ","features":[197]},{"name":"DBCOMPAREOPS_GE","features":[197]},{"name":"DBCOMPAREOPS_GT","features":[197]},{"name":"DBCOMPAREOPS_IGNORE","features":[197]},{"name":"DBCOMPAREOPS_LE","features":[197]},{"name":"DBCOMPAREOPS_LT","features":[197]},{"name":"DBCOMPAREOPS_NE","features":[197]},{"name":"DBCOMPAREOPS_NOTBEGINSWITH","features":[197]},{"name":"DBCOMPAREOPS_NOTCONTAINS","features":[197]},{"name":"DBCOMPARE_EQ","features":[197]},{"name":"DBCOMPARE_GT","features":[197]},{"name":"DBCOMPARE_LT","features":[197]},{"name":"DBCOMPARE_NE","features":[197]},{"name":"DBCOMPARE_NOTCOMPARABLE","features":[197]},{"name":"DBCOMPUTEMODE_COMPUTED","features":[197]},{"name":"DBCOMPUTEMODE_DYNAMIC","features":[197]},{"name":"DBCOMPUTEMODE_NOTCOMPUTED","features":[197]},{"name":"DBCONSTRAINTDESC","features":[1,143,41,197,42]},{"name":"DBCONSTRAINTDESC","features":[1,143,41,197,42]},{"name":"DBCONSTRAINTTYPEENUM","features":[197]},{"name":"DBCONSTRAINTTYPE_CHECK","features":[197]},{"name":"DBCONSTRAINTTYPE_FOREIGNKEY","features":[197]},{"name":"DBCONSTRAINTTYPE_PRIMARYKEY","features":[197]},{"name":"DBCONSTRAINTTYPE_UNIQUE","features":[197]},{"name":"DBCONVERTFLAGSENUM","features":[197]},{"name":"DBCONVERTFLAGSENUM20","features":[197]},{"name":"DBCONVERTFLAGS_COLUMN","features":[197]},{"name":"DBCONVERTFLAGS_FROMVARIANT","features":[197]},{"name":"DBCONVERTFLAGS_ISFIXEDLENGTH","features":[197]},{"name":"DBCONVERTFLAGS_ISLONG","features":[197]},{"name":"DBCONVERTFLAGS_PARAMETER","features":[197]},{"name":"DBCOPYFLAGSENUM","features":[197]},{"name":"DBCOPY_ALLOW_EMULATION","features":[197]},{"name":"DBCOPY_ASYNC","features":[197]},{"name":"DBCOPY_ATOMIC","features":[197]},{"name":"DBCOPY_NON_RECURSIVE","features":[197]},{"name":"DBCOPY_REPLACE_EXISTING","features":[197]},{"name":"DBCOST","features":[197]},{"name":"DBCOST","features":[197]},{"name":"DBCOSTUNITENUM","features":[197]},{"name":"DBDATACONVERTENUM","features":[197]},{"name":"DBDATACONVERT_DECIMALSCALE","features":[197]},{"name":"DBDATACONVERT_DEFAULT","features":[197]},{"name":"DBDATACONVERT_DSTISFIXEDLENGTH","features":[197]},{"name":"DBDATACONVERT_LENGTHFROMNTS","features":[197]},{"name":"DBDATACONVERT_SETDATABEHAVIOR","features":[197]},{"name":"DBDATE","features":[197]},{"name":"DBDATETIM4","features":[197]},{"name":"DBDATETIME","features":[197]},{"name":"DBDEFERRABILITYENUM","features":[197]},{"name":"DBDEFERRABILITY_DEFERRABLE","features":[197]},{"name":"DBDEFERRABILITY_DEFERRED","features":[197]},{"name":"DBDELETEFLAGSENUM","features":[197]},{"name":"DBDELETE_ASYNC","features":[197]},{"name":"DBDELETE_ATOMIC","features":[197]},{"name":"DBEVENTPHASEENUM","features":[197]},{"name":"DBEVENTPHASE_ABOUTTODO","features":[197]},{"name":"DBEVENTPHASE_DIDEVENT","features":[197]},{"name":"DBEVENTPHASE_FAILEDTODO","features":[197]},{"name":"DBEVENTPHASE_OKTODO","features":[197]},{"name":"DBEVENTPHASE_SYNCHAFTER","features":[197]},{"name":"DBEXECLIMITSENUM","features":[197]},{"name":"DBEXECLIMITS_ABORT","features":[197]},{"name":"DBEXECLIMITS_STOP","features":[197]},{"name":"DBEXECLIMITS_SUSPEND","features":[197]},{"name":"DBFAILUREINFO","features":[197]},{"name":"DBFAILUREINFO","features":[197]},{"name":"DBGUID_MSSQLXML","features":[197]},{"name":"DBGUID_ROWDEFAULTSTREAM","features":[197]},{"name":"DBGUID_ROWURL","features":[197]},{"name":"DBGUID_XPATH","features":[197]},{"name":"DBIMPLICITSESSION","features":[197]},{"name":"DBIMPLICITSESSION","features":[197]},{"name":"DBINDEXCOLUMNDESC","features":[143,197]},{"name":"DBINDEXCOLUMNDESC","features":[143,197]},{"name":"DBINDEX_COL_ORDERENUM","features":[197]},{"name":"DBINDEX_COL_ORDER_ASC","features":[197]},{"name":"DBINDEX_COL_ORDER_DESC","features":[197]},{"name":"DBLITERALENUM","features":[197]},{"name":"DBLITERALENUM20","features":[197]},{"name":"DBLITERALENUM21","features":[197]},{"name":"DBLITERALINFO","features":[1,197]},{"name":"DBLITERALINFO","features":[1,197]},{"name":"DBLITERAL_BINARY_LITERAL","features":[197]},{"name":"DBLITERAL_CATALOG_NAME","features":[197]},{"name":"DBLITERAL_CATALOG_SEPARATOR","features":[197]},{"name":"DBLITERAL_CHAR_LITERAL","features":[197]},{"name":"DBLITERAL_COLUMN_ALIAS","features":[197]},{"name":"DBLITERAL_COLUMN_NAME","features":[197]},{"name":"DBLITERAL_CORRELATION_NAME","features":[197]},{"name":"DBLITERAL_CUBE_NAME","features":[197]},{"name":"DBLITERAL_CURSOR_NAME","features":[197]},{"name":"DBLITERAL_DIMENSION_NAME","features":[197]},{"name":"DBLITERAL_ESCAPE_PERCENT","features":[197]},{"name":"DBLITERAL_ESCAPE_PERCENT_SUFFIX","features":[197]},{"name":"DBLITERAL_ESCAPE_UNDERSCORE","features":[197]},{"name":"DBLITERAL_ESCAPE_UNDERSCORE_SUFFIX","features":[197]},{"name":"DBLITERAL_HIERARCHY_NAME","features":[197]},{"name":"DBLITERAL_INDEX_NAME","features":[197]},{"name":"DBLITERAL_INVALID","features":[197]},{"name":"DBLITERAL_LEVEL_NAME","features":[197]},{"name":"DBLITERAL_LIKE_PERCENT","features":[197]},{"name":"DBLITERAL_LIKE_UNDERSCORE","features":[197]},{"name":"DBLITERAL_MEMBER_NAME","features":[197]},{"name":"DBLITERAL_PROCEDURE_NAME","features":[197]},{"name":"DBLITERAL_PROPERTY_NAME","features":[197]},{"name":"DBLITERAL_QUOTE","features":[197]},{"name":"DBLITERAL_QUOTE_SUFFIX","features":[197]},{"name":"DBLITERAL_SCHEMA_NAME","features":[197]},{"name":"DBLITERAL_SCHEMA_SEPARATOR","features":[197]},{"name":"DBLITERAL_TABLE_NAME","features":[197]},{"name":"DBLITERAL_TEXT_COMMAND","features":[197]},{"name":"DBLITERAL_USER_NAME","features":[197]},{"name":"DBLITERAL_VIEW_NAME","features":[197]},{"name":"DBMATCHTYPEENUM","features":[197]},{"name":"DBMATCHTYPE_FULL","features":[197]},{"name":"DBMATCHTYPE_NONE","features":[197]},{"name":"DBMATCHTYPE_PARTIAL","features":[197]},{"name":"DBMAXCHAR","features":[197]},{"name":"DBMEMOWNERENUM","features":[197]},{"name":"DBMEMOWNER_CLIENTOWNED","features":[197]},{"name":"DBMEMOWNER_PROVIDEROWNED","features":[197]},{"name":"DBMONEY","features":[197]},{"name":"DBMOVEFLAGSENUM","features":[197]},{"name":"DBMOVE_ALLOW_EMULATION","features":[197]},{"name":"DBMOVE_ASYNC","features":[197]},{"name":"DBMOVE_ATOMIC","features":[197]},{"name":"DBMOVE_DONT_UPDATE_LINKS","features":[197]},{"name":"DBMOVE_REPLACE_EXISTING","features":[197]},{"name":"DBOBJECT","features":[197]},{"name":"DBOBJECT","features":[197]},{"name":"DBPARAMBINDINFO","features":[197]},{"name":"DBPARAMBINDINFO","features":[197]},{"name":"DBPARAMFLAGSENUM","features":[197]},{"name":"DBPARAMFLAGSENUM20","features":[197]},{"name":"DBPARAMFLAGS_ISINPUT","features":[197]},{"name":"DBPARAMFLAGS_ISLONG","features":[197]},{"name":"DBPARAMFLAGS_ISNULLABLE","features":[197]},{"name":"DBPARAMFLAGS_ISOUTPUT","features":[197]},{"name":"DBPARAMFLAGS_ISSIGNED","features":[197]},{"name":"DBPARAMFLAGS_SCALEISNEGATIVE","features":[197]},{"name":"DBPARAMINFO","features":[197]},{"name":"DBPARAMINFO","features":[197]},{"name":"DBPARAMIOENUM","features":[197]},{"name":"DBPARAMIO_INPUT","features":[197]},{"name":"DBPARAMIO_NOTPARAM","features":[197]},{"name":"DBPARAMIO_OUTPUT","features":[197]},{"name":"DBPARAMS","features":[197]},{"name":"DBPARAMS","features":[197]},{"name":"DBPARAMTYPE_INPUT","features":[197]},{"name":"DBPARAMTYPE_INPUTOUTPUT","features":[197]},{"name":"DBPARAMTYPE_OUTPUT","features":[197]},{"name":"DBPARAMTYPE_RETURNVALUE","features":[197]},{"name":"DBPARTENUM","features":[197]},{"name":"DBPART_INVALID","features":[197]},{"name":"DBPART_LENGTH","features":[197]},{"name":"DBPART_STATUS","features":[197]},{"name":"DBPART_VALUE","features":[197]},{"name":"DBPENDINGSTATUSENUM","features":[197]},{"name":"DBPENDINGSTATUS_CHANGED","features":[197]},{"name":"DBPENDINGSTATUS_DELETED","features":[197]},{"name":"DBPENDINGSTATUS_INVALIDROW","features":[197]},{"name":"DBPENDINGSTATUS_NEW","features":[197]},{"name":"DBPENDINGSTATUS_UNCHANGED","features":[197]},{"name":"DBPOSITIONFLAGSENUM","features":[197]},{"name":"DBPOSITION_BOF","features":[197]},{"name":"DBPOSITION_EOF","features":[197]},{"name":"DBPOSITION_NOROW","features":[197]},{"name":"DBPOSITION_OK","features":[197]},{"name":"DBPROMPTOPTIONSENUM","features":[197]},{"name":"DBPROMPTOPTIONS_BROWSEONLY","features":[197]},{"name":"DBPROMPTOPTIONS_DISABLESAVEPASSWORD","features":[197]},{"name":"DBPROMPTOPTIONS_DISABLE_PROVIDER_SELECTION","features":[197]},{"name":"DBPROMPTOPTIONS_NONE","features":[197]},{"name":"DBPROMPTOPTIONS_PROPERTYSHEET","features":[197]},{"name":"DBPROMPTOPTIONS_WIZARDSHEET","features":[197]},{"name":"DBPROMPT_COMPLETE","features":[197]},{"name":"DBPROMPT_COMPLETEREQUIRED","features":[197]},{"name":"DBPROMPT_NOPROMPT","features":[197]},{"name":"DBPROMPT_PROMPT","features":[197]},{"name":"DBPROP","features":[1,143,41,197,42]},{"name":"DBPROP","features":[1,143,41,197,42]},{"name":"DBPROPENUM","features":[197]},{"name":"DBPROPENUM15","features":[197]},{"name":"DBPROPENUM20","features":[197]},{"name":"DBPROPENUM21","features":[197]},{"name":"DBPROPENUM25","features":[197]},{"name":"DBPROPENUM25_DEPRECATED","features":[197]},{"name":"DBPROPENUM26","features":[197]},{"name":"DBPROPENUMDEPRECATED","features":[197]},{"name":"DBPROPFLAGSENUM","features":[197]},{"name":"DBPROPFLAGSENUM21","features":[197]},{"name":"DBPROPFLAGSENUM25","features":[197]},{"name":"DBPROPFLAGSENUM26","features":[197]},{"name":"DBPROPFLAGS_COLUMN","features":[197]},{"name":"DBPROPFLAGS_COLUMNOK","features":[197]},{"name":"DBPROPFLAGS_DATASOURCE","features":[197]},{"name":"DBPROPFLAGS_DATASOURCECREATE","features":[197]},{"name":"DBPROPFLAGS_DATASOURCEINFO","features":[197]},{"name":"DBPROPFLAGS_DBINIT","features":[197]},{"name":"DBPROPFLAGS_INDEX","features":[197]},{"name":"DBPROPFLAGS_NOTSUPPORTED","features":[197]},{"name":"DBPROPFLAGS_PERSIST","features":[197]},{"name":"DBPROPFLAGS_READ","features":[197]},{"name":"DBPROPFLAGS_REQUIRED","features":[197]},{"name":"DBPROPFLAGS_ROWSET","features":[197]},{"name":"DBPROPFLAGS_SESSION","features":[197]},{"name":"DBPROPFLAGS_STREAM","features":[197]},{"name":"DBPROPFLAGS_TABLE","features":[197]},{"name":"DBPROPFLAGS_TRUSTEE","features":[197]},{"name":"DBPROPFLAGS_VIEW","features":[197]},{"name":"DBPROPFLAGS_WRITE","features":[197]},{"name":"DBPROPIDSET","features":[197]},{"name":"DBPROPIDSET","features":[197]},{"name":"DBPROPINFO","features":[1,41,197,42]},{"name":"DBPROPINFO","features":[1,41,197,42]},{"name":"DBPROPINFOSET","features":[1,41,197,42]},{"name":"DBPROPINFOSET","features":[1,41,197,42]},{"name":"DBPROPOPTIONSENUM","features":[197]},{"name":"DBPROPOPTIONS_OPTIONAL","features":[197]},{"name":"DBPROPOPTIONS_REQUIRED","features":[197]},{"name":"DBPROPOPTIONS_SETIFCHEAP","features":[197]},{"name":"DBPROPSET","features":[1,143,41,197,42]},{"name":"DBPROPSET","features":[1,143,41,197,42]},{"name":"DBPROPSET_MSDAORA8_ROWSET","features":[197]},{"name":"DBPROPSET_MSDAORA_ROWSET","features":[197]},{"name":"DBPROPSET_MSDSDBINIT","features":[197]},{"name":"DBPROPSET_MSDSSESSION","features":[197]},{"name":"DBPROPSET_PERSIST","features":[197]},{"name":"DBPROPSET_PROVIDERCONNATTR","features":[197]},{"name":"DBPROPSET_PROVIDERDATASOURCEINFO","features":[197]},{"name":"DBPROPSET_PROVIDERDBINIT","features":[197]},{"name":"DBPROPSET_PROVIDERROWSET","features":[197]},{"name":"DBPROPSET_PROVIDERSTMTATTR","features":[197]},{"name":"DBPROPSET_SQLSERVERCOLUMN","features":[197]},{"name":"DBPROPSET_SQLSERVERDATASOURCE","features":[197]},{"name":"DBPROPSET_SQLSERVERDATASOURCEINFO","features":[197]},{"name":"DBPROPSET_SQLSERVERDBINIT","features":[197]},{"name":"DBPROPSET_SQLSERVERROWSET","features":[197]},{"name":"DBPROPSET_SQLSERVERSESSION","features":[197]},{"name":"DBPROPSET_SQLSERVERSTREAM","features":[197]},{"name":"DBPROPSTATUSENUM","features":[197]},{"name":"DBPROPSTATUSENUM21","features":[197]},{"name":"DBPROPSTATUS_BADCOLUMN","features":[197]},{"name":"DBPROPSTATUS_BADOPTION","features":[197]},{"name":"DBPROPSTATUS_BADVALUE","features":[197]},{"name":"DBPROPSTATUS_CONFLICTING","features":[197]},{"name":"DBPROPSTATUS_NOTALLSETTABLE","features":[197]},{"name":"DBPROPSTATUS_NOTAVAILABLE","features":[197]},{"name":"DBPROPSTATUS_NOTSET","features":[197]},{"name":"DBPROPSTATUS_NOTSETTABLE","features":[197]},{"name":"DBPROPSTATUS_NOTSUPPORTED","features":[197]},{"name":"DBPROPSTATUS_OK","features":[197]},{"name":"DBPROPVAL_AO_RANDOM","features":[197]},{"name":"DBPROPVAL_AO_SEQUENTIAL","features":[197]},{"name":"DBPROPVAL_AO_SEQUENTIALSTORAGEOBJECTS","features":[197]},{"name":"DBPROPVAL_ASYNCH_BACKGROUNDPOPULATION","features":[197]},{"name":"DBPROPVAL_ASYNCH_INITIALIZE","features":[197]},{"name":"DBPROPVAL_ASYNCH_POPULATEONDEMAND","features":[197]},{"name":"DBPROPVAL_ASYNCH_PREPOPULATE","features":[197]},{"name":"DBPROPVAL_ASYNCH_RANDOMPOPULATION","features":[197]},{"name":"DBPROPVAL_ASYNCH_SEQUENTIALPOPULATION","features":[197]},{"name":"DBPROPVAL_BD_INTRANSACTION","features":[197]},{"name":"DBPROPVAL_BD_REORGANIZATION","features":[197]},{"name":"DBPROPVAL_BD_ROWSET","features":[197]},{"name":"DBPROPVAL_BD_XTRANSACTION","features":[197]},{"name":"DBPROPVAL_BI_CROSSROWSET","features":[197]},{"name":"DBPROPVAL_BMK_KEY","features":[197]},{"name":"DBPROPVAL_BMK_NUMERIC","features":[197]},{"name":"DBPROPVAL_BO_NOINDEXUPDATE","features":[197]},{"name":"DBPROPVAL_BO_NOLOG","features":[197]},{"name":"DBPROPVAL_BO_REFINTEGRITY","features":[197]},{"name":"DBPROPVAL_CB_DELETE","features":[197]},{"name":"DBPROPVAL_CB_NON_NULL","features":[197]},{"name":"DBPROPVAL_CB_NULL","features":[197]},{"name":"DBPROPVAL_CB_PRESERVE","features":[197]},{"name":"DBPROPVAL_CD_NOTNULL","features":[197]},{"name":"DBPROPVAL_CL_END","features":[197]},{"name":"DBPROPVAL_CL_START","features":[197]},{"name":"DBPROPVAL_CM_TRANSACTIONS","features":[197]},{"name":"DBPROPVAL_CO_BEGINSWITH","features":[197]},{"name":"DBPROPVAL_CO_CASEINSENSITIVE","features":[197]},{"name":"DBPROPVAL_CO_CASESENSITIVE","features":[197]},{"name":"DBPROPVAL_CO_CONTAINS","features":[197]},{"name":"DBPROPVAL_CO_EQUALITY","features":[197]},{"name":"DBPROPVAL_CO_STRING","features":[197]},{"name":"DBPROPVAL_CS_COMMUNICATIONFAILURE","features":[197]},{"name":"DBPROPVAL_CS_INITIALIZED","features":[197]},{"name":"DBPROPVAL_CS_UNINITIALIZED","features":[197]},{"name":"DBPROPVAL_CU_DML_STATEMENTS","features":[197]},{"name":"DBPROPVAL_CU_INDEX_DEFINITION","features":[197]},{"name":"DBPROPVAL_CU_PRIVILEGE_DEFINITION","features":[197]},{"name":"DBPROPVAL_CU_TABLE_DEFINITION","features":[197]},{"name":"DBPROPVAL_DF_INITIALLY_DEFERRED","features":[197]},{"name":"DBPROPVAL_DF_INITIALLY_IMMEDIATE","features":[197]},{"name":"DBPROPVAL_DF_NOT_DEFERRABLE","features":[197]},{"name":"DBPROPVAL_DST_DOCSOURCE","features":[197]},{"name":"DBPROPVAL_DST_MDP","features":[197]},{"name":"DBPROPVAL_DST_TDP","features":[197]},{"name":"DBPROPVAL_DST_TDPANDMDP","features":[197]},{"name":"DBPROPVAL_FU_CATALOG","features":[197]},{"name":"DBPROPVAL_FU_COLUMN","features":[197]},{"name":"DBPROPVAL_FU_NOT_SUPPORTED","features":[197]},{"name":"DBPROPVAL_FU_TABLE","features":[197]},{"name":"DBPROPVAL_GB_COLLATE","features":[197]},{"name":"DBPROPVAL_GB_CONTAINS_SELECT","features":[197]},{"name":"DBPROPVAL_GB_EQUALS_SELECT","features":[197]},{"name":"DBPROPVAL_GB_NOT_SUPPORTED","features":[197]},{"name":"DBPROPVAL_GB_NO_RELATION","features":[197]},{"name":"DBPROPVAL_GU_NOTSUPPORTED","features":[197]},{"name":"DBPROPVAL_GU_SUFFIX","features":[197]},{"name":"DBPROPVAL_HT_DIFFERENT_CATALOGS","features":[197]},{"name":"DBPROPVAL_HT_DIFFERENT_PROVIDERS","features":[197]},{"name":"DBPROPVAL_IC_LOWER","features":[197]},{"name":"DBPROPVAL_IC_MIXED","features":[197]},{"name":"DBPROPVAL_IC_SENSITIVE","features":[197]},{"name":"DBPROPVAL_IC_UPPER","features":[197]},{"name":"DBPROPVAL_IN_ALLOWNULL","features":[197]},{"name":"DBPROPVAL_IN_DISALLOWNULL","features":[197]},{"name":"DBPROPVAL_IN_IGNOREANYNULL","features":[197]},{"name":"DBPROPVAL_IN_IGNORENULL","features":[197]},{"name":"DBPROPVAL_IT_BTREE","features":[197]},{"name":"DBPROPVAL_IT_CONTENT","features":[197]},{"name":"DBPROPVAL_IT_HASH","features":[197]},{"name":"DBPROPVAL_IT_OTHER","features":[197]},{"name":"DBPROPVAL_LM_INTENT","features":[197]},{"name":"DBPROPVAL_LM_NONE","features":[197]},{"name":"DBPROPVAL_LM_READ","features":[197]},{"name":"DBPROPVAL_LM_RITE","features":[197]},{"name":"DBPROPVAL_LM_SINGLEROW","features":[197]},{"name":"DBPROPVAL_MR_CONCURRENT","features":[197]},{"name":"DBPROPVAL_MR_NOTSUPPORTED","features":[197]},{"name":"DBPROPVAL_MR_SUPPORTED","features":[197]},{"name":"DBPROPVAL_NC_END","features":[197]},{"name":"DBPROPVAL_NC_HIGH","features":[197]},{"name":"DBPROPVAL_NC_LOW","features":[197]},{"name":"DBPROPVAL_NC_START","features":[197]},{"name":"DBPROPVAL_NP_ABOUTTODO","features":[197]},{"name":"DBPROPVAL_NP_DIDEVENT","features":[197]},{"name":"DBPROPVAL_NP_FAILEDTODO","features":[197]},{"name":"DBPROPVAL_NP_OKTODO","features":[197]},{"name":"DBPROPVAL_NP_SYNCHAFTER","features":[197]},{"name":"DBPROPVAL_NT_MULTIPLEROWS","features":[197]},{"name":"DBPROPVAL_NT_SINGLEROW","features":[197]},{"name":"DBPROPVAL_OA_ATEXECUTE","features":[197]},{"name":"DBPROPVAL_OA_ATROWRELEASE","features":[197]},{"name":"DBPROPVAL_OA_NOTSUPPORTED","features":[197]},{"name":"DBPROPVAL_OO_BLOB","features":[197]},{"name":"DBPROPVAL_OO_DIRECTBIND","features":[197]},{"name":"DBPROPVAL_OO_IPERSIST","features":[197]},{"name":"DBPROPVAL_OO_ROWOBJECT","features":[197]},{"name":"DBPROPVAL_OO_SCOPED","features":[197]},{"name":"DBPROPVAL_OO_SINGLETON","features":[197]},{"name":"DBPROPVAL_OP_EQUAL","features":[197]},{"name":"DBPROPVAL_OP_RELATIVE","features":[197]},{"name":"DBPROPVAL_OP_STRING","features":[197]},{"name":"DBPROPVAL_ORS_HISTOGRAM","features":[197]},{"name":"DBPROPVAL_ORS_INDEX","features":[197]},{"name":"DBPROPVAL_ORS_INTEGRATEDINDEX","features":[197]},{"name":"DBPROPVAL_ORS_STOREDPROC","features":[197]},{"name":"DBPROPVAL_ORS_TABLE","features":[197]},{"name":"DBPROPVAL_OS_AGR_AFTERSESSION","features":[197]},{"name":"DBPROPVAL_OS_CLIENTCURSOR","features":[197]},{"name":"DBPROPVAL_OS_DISABLEALL","features":[197]},{"name":"DBPROPVAL_OS_ENABLEALL","features":[197]},{"name":"DBPROPVAL_OS_RESOURCEPOOLING","features":[197]},{"name":"DBPROPVAL_OS_TXNENLISTMENT","features":[197]},{"name":"DBPROPVAL_PERSIST_ADTG","features":[197]},{"name":"DBPROPVAL_PERSIST_XML","features":[197]},{"name":"DBPROPVAL_PT_GUID","features":[197]},{"name":"DBPROPVAL_PT_GUID_NAME","features":[197]},{"name":"DBPROPVAL_PT_GUID_PROPID","features":[197]},{"name":"DBPROPVAL_PT_NAME","features":[197]},{"name":"DBPROPVAL_PT_PGUID_NAME","features":[197]},{"name":"DBPROPVAL_PT_PGUID_PROPID","features":[197]},{"name":"DBPROPVAL_PT_PROPID","features":[197]},{"name":"DBPROPVAL_RD_RESETALL","features":[197]},{"name":"DBPROPVAL_RT_APTMTTHREAD","features":[197]},{"name":"DBPROPVAL_RT_FREETHREAD","features":[197]},{"name":"DBPROPVAL_RT_SINGLETHREAD","features":[197]},{"name":"DBPROPVAL_SQL_ANSI89_IEF","features":[197]},{"name":"DBPROPVAL_SQL_ANSI92_ENTRY","features":[197]},{"name":"DBPROPVAL_SQL_ANSI92_FULL","features":[197]},{"name":"DBPROPVAL_SQL_ANSI92_INTERMEDIATE","features":[197]},{"name":"DBPROPVAL_SQL_ESCAPECLAUSES","features":[197]},{"name":"DBPROPVAL_SQL_FIPS_TRANSITIONAL","features":[197]},{"name":"DBPROPVAL_SQL_NONE","features":[197]},{"name":"DBPROPVAL_SQL_ODBC_CORE","features":[197]},{"name":"DBPROPVAL_SQL_ODBC_EXTENDED","features":[197]},{"name":"DBPROPVAL_SQL_ODBC_MINIMUM","features":[197]},{"name":"DBPROPVAL_SQL_SUBMINIMUM","features":[197]},{"name":"DBPROPVAL_SQ_COMPARISON","features":[197]},{"name":"DBPROPVAL_SQ_CORRELATEDSUBQUERIES","features":[197]},{"name":"DBPROPVAL_SQ_EXISTS","features":[197]},{"name":"DBPROPVAL_SQ_IN","features":[197]},{"name":"DBPROPVAL_SQ_QUANTIFIED","features":[197]},{"name":"DBPROPVAL_SQ_TABLE","features":[197]},{"name":"DBPROPVAL_SS_ILOCKBYTES","features":[197]},{"name":"DBPROPVAL_SS_ISEQUENTIALSTREAM","features":[197]},{"name":"DBPROPVAL_SS_ISTORAGE","features":[197]},{"name":"DBPROPVAL_SS_ISTREAM","features":[197]},{"name":"DBPROPVAL_STGM_CONVERT","features":[197]},{"name":"DBPROPVAL_STGM_DELETEONRELEASE","features":[197]},{"name":"DBPROPVAL_STGM_DIRECT","features":[197]},{"name":"DBPROPVAL_STGM_FAILIFTHERE","features":[197]},{"name":"DBPROPVAL_STGM_PRIORITY","features":[197]},{"name":"DBPROPVAL_STGM_TRANSACTED","features":[197]},{"name":"DBPROPVAL_SU_DML_STATEMENTS","features":[197]},{"name":"DBPROPVAL_SU_INDEX_DEFINITION","features":[197]},{"name":"DBPROPVAL_SU_PRIVILEGE_DEFINITION","features":[197]},{"name":"DBPROPVAL_SU_TABLE_DEFINITION","features":[197]},{"name":"DBPROPVAL_TC_ALL","features":[197]},{"name":"DBPROPVAL_TC_DDL_COMMIT","features":[197]},{"name":"DBPROPVAL_TC_DDL_IGNORE","features":[197]},{"name":"DBPROPVAL_TC_DDL_LOCK","features":[197]},{"name":"DBPROPVAL_TC_DML","features":[197]},{"name":"DBPROPVAL_TC_NONE","features":[197]},{"name":"DBPROPVAL_TI_BROWSE","features":[197]},{"name":"DBPROPVAL_TI_CHAOS","features":[197]},{"name":"DBPROPVAL_TI_CURSORSTABILITY","features":[197]},{"name":"DBPROPVAL_TI_ISOLATED","features":[197]},{"name":"DBPROPVAL_TI_READCOMMITTED","features":[197]},{"name":"DBPROPVAL_TI_READUNCOMMITTED","features":[197]},{"name":"DBPROPVAL_TI_REPEATABLEREAD","features":[197]},{"name":"DBPROPVAL_TI_SERIALIZABLE","features":[197]},{"name":"DBPROPVAL_TR_ABORT","features":[197]},{"name":"DBPROPVAL_TR_ABORT_DC","features":[197]},{"name":"DBPROPVAL_TR_ABORT_NO","features":[197]},{"name":"DBPROPVAL_TR_BOTH","features":[197]},{"name":"DBPROPVAL_TR_COMMIT","features":[197]},{"name":"DBPROPVAL_TR_COMMIT_DC","features":[197]},{"name":"DBPROPVAL_TR_COMMIT_NO","features":[197]},{"name":"DBPROPVAL_TR_DONTCARE","features":[197]},{"name":"DBPROPVAL_TR_NONE","features":[197]},{"name":"DBPROPVAL_TR_OPTIMISTIC","features":[197]},{"name":"DBPROPVAL_TS_CARDINALITY","features":[197]},{"name":"DBPROPVAL_TS_HISTOGRAM","features":[197]},{"name":"DBPROPVAL_UP_CHANGE","features":[197]},{"name":"DBPROPVAL_UP_DELETE","features":[197]},{"name":"DBPROPVAL_UP_INSERT","features":[197]},{"name":"DBPROP_ABORTPRESERVE","features":[197]},{"name":"DBPROP_ACCESSORDER","features":[197]},{"name":"DBPROP_ACTIVESESSIONS","features":[197]},{"name":"DBPROP_ALTERCOLUMN","features":[197]},{"name":"DBPROP_APPENDONLY","features":[197]},{"name":"DBPROP_ASYNCTXNABORT","features":[197]},{"name":"DBPROP_ASYNCTXNCOMMIT","features":[197]},{"name":"DBPROP_AUTH_CACHE_AUTHINFO","features":[197]},{"name":"DBPROP_AUTH_ENCRYPT_PASSWORD","features":[197]},{"name":"DBPROP_AUTH_INTEGRATED","features":[197]},{"name":"DBPROP_AUTH_MASK_PASSWORD","features":[197]},{"name":"DBPROP_AUTH_PASSWORD","features":[197]},{"name":"DBPROP_AUTH_PERSIST_ENCRYPTED","features":[197]},{"name":"DBPROP_AUTH_PERSIST_SENSITIVE_AUTHINFO","features":[197]},{"name":"DBPROP_AUTH_USERID","features":[197]},{"name":"DBPROP_BLOCKINGSTORAGEOBJECTS","features":[197]},{"name":"DBPROP_BOOKMARKINFO","features":[197]},{"name":"DBPROP_BOOKMARKS","features":[197]},{"name":"DBPROP_BOOKMARKSKIPPED","features":[197]},{"name":"DBPROP_BOOKMARKTYPE","features":[197]},{"name":"DBPROP_BYREFACCESSORS","features":[197]},{"name":"DBPROP_CACHEDEFERRED","features":[197]},{"name":"DBPROP_CANFETCHBACKWARDS","features":[197]},{"name":"DBPROP_CANHOLDROWS","features":[197]},{"name":"DBPROP_CANSCROLLBACKWARDS","features":[197]},{"name":"DBPROP_CATALOGLOCATION","features":[197]},{"name":"DBPROP_CATALOGTERM","features":[197]},{"name":"DBPROP_CATALOGUSAGE","features":[197]},{"name":"DBPROP_CHANGEINSERTEDROWS","features":[197]},{"name":"DBPROP_CLIENTCURSOR","features":[197]},{"name":"DBPROP_COLUMNDEFINITION","features":[197]},{"name":"DBPROP_COLUMNLCID","features":[197]},{"name":"DBPROP_COLUMNRESTRICT","features":[197]},{"name":"DBPROP_COL_AUTOINCREMENT","features":[197]},{"name":"DBPROP_COL_DEFAULT","features":[197]},{"name":"DBPROP_COL_DESCRIPTION","features":[197]},{"name":"DBPROP_COL_FIXEDLENGTH","features":[197]},{"name":"DBPROP_COL_INCREMENT","features":[197]},{"name":"DBPROP_COL_ISLONG","features":[197]},{"name":"DBPROP_COL_NULLABLE","features":[197]},{"name":"DBPROP_COL_PRIMARYKEY","features":[197]},{"name":"DBPROP_COL_SEED","features":[197]},{"name":"DBPROP_COL_UNIQUE","features":[197]},{"name":"DBPROP_COMMANDTIMEOUT","features":[197]},{"name":"DBPROP_COMMITPRESERVE","features":[197]},{"name":"DBPROP_COMSERVICES","features":[197]},{"name":"DBPROP_CONCATNULLBEHAVIOR","features":[197]},{"name":"DBPROP_CONNECTIONSTATUS","features":[197]},{"name":"DBPROP_CURRENTCATALOG","features":[197]},{"name":"DBPROP_DATASOURCENAME","features":[197]},{"name":"DBPROP_DATASOURCEREADONLY","features":[197]},{"name":"DBPROP_DATASOURCE_TYPE","features":[197]},{"name":"DBPROP_DBMSNAME","features":[197]},{"name":"DBPROP_DBMSVER","features":[197]},{"name":"DBPROP_DEFERRED","features":[197]},{"name":"DBPROP_DELAYSTORAGEOBJECTS","features":[197]},{"name":"DBPROP_DSOTHREADMODEL","features":[197]},{"name":"DBPROP_FILTERCOMPAREOPS","features":[197]},{"name":"DBPROP_FILTEROPS","features":[197]},{"name":"DBPROP_FINDCOMPAREOPS","features":[197]},{"name":"DBPROP_GENERATEURL","features":[197]},{"name":"DBPROP_GROUPBY","features":[197]},{"name":"DBPROP_HCHAPTER","features":[197]},{"name":"DBPROP_HETEROGENEOUSTABLES","features":[197]},{"name":"DBPROP_HIDDENCOLUMNS","features":[197]},{"name":"DBPROP_IAccessor","features":[197]},{"name":"DBPROP_IBindResource","features":[197]},{"name":"DBPROP_IChapteredRowset","features":[197]},{"name":"DBPROP_IColumnsInfo","features":[197]},{"name":"DBPROP_IColumnsInfo2","features":[197]},{"name":"DBPROP_IColumnsRowset","features":[197]},{"name":"DBPROP_ICommandCost","features":[197]},{"name":"DBPROP_ICommandTree","features":[197]},{"name":"DBPROP_ICommandValidate","features":[197]},{"name":"DBPROP_IConnectionPointContainer","features":[197]},{"name":"DBPROP_IConvertType","features":[197]},{"name":"DBPROP_ICreateRow","features":[197]},{"name":"DBPROP_IDBAsynchStatus","features":[197]},{"name":"DBPROP_IDBBinderProperties","features":[197]},{"name":"DBPROP_IDBSchemaCommand","features":[197]},{"name":"DBPROP_IDENTIFIERCASE","features":[197]},{"name":"DBPROP_IGetRow","features":[197]},{"name":"DBPROP_IGetSession","features":[197]},{"name":"DBPROP_IGetSourceRow","features":[197]},{"name":"DBPROP_ILockBytes","features":[197]},{"name":"DBPROP_IMMOBILEROWS","features":[197]},{"name":"DBPROP_IMultipleResults","features":[197]},{"name":"DBPROP_INDEX_AUTOUPDATE","features":[197]},{"name":"DBPROP_INDEX_CLUSTERED","features":[197]},{"name":"DBPROP_INDEX_FILLFACTOR","features":[197]},{"name":"DBPROP_INDEX_INITIALSIZE","features":[197]},{"name":"DBPROP_INDEX_NULLCOLLATION","features":[197]},{"name":"DBPROP_INDEX_NULLS","features":[197]},{"name":"DBPROP_INDEX_PRIMARYKEY","features":[197]},{"name":"DBPROP_INDEX_SORTBOOKMARKS","features":[197]},{"name":"DBPROP_INDEX_TEMPINDEX","features":[197]},{"name":"DBPROP_INDEX_TYPE","features":[197]},{"name":"DBPROP_INDEX_UNIQUE","features":[197]},{"name":"DBPROP_INIT_ASYNCH","features":[197]},{"name":"DBPROP_INIT_BINDFLAGS","features":[197]},{"name":"DBPROP_INIT_CATALOG","features":[197]},{"name":"DBPROP_INIT_DATASOURCE","features":[197]},{"name":"DBPROP_INIT_GENERALTIMEOUT","features":[197]},{"name":"DBPROP_INIT_HWND","features":[197]},{"name":"DBPROP_INIT_IMPERSONATION_LEVEL","features":[197]},{"name":"DBPROP_INIT_LCID","features":[197]},{"name":"DBPROP_INIT_LOCATION","features":[197]},{"name":"DBPROP_INIT_LOCKOWNER","features":[197]},{"name":"DBPROP_INIT_MODE","features":[197]},{"name":"DBPROP_INIT_OLEDBSERVICES","features":[197]},{"name":"DBPROP_INIT_PROMPT","features":[197]},{"name":"DBPROP_INIT_PROTECTION_LEVEL","features":[197]},{"name":"DBPROP_INIT_PROVIDERSTRING","features":[197]},{"name":"DBPROP_INIT_TIMEOUT","features":[197]},{"name":"DBPROP_INTERLEAVEDROWS","features":[197]},{"name":"DBPROP_IParentRowset","features":[197]},{"name":"DBPROP_IProvideMoniker","features":[197]},{"name":"DBPROP_IQuery","features":[197]},{"name":"DBPROP_IReadData","features":[197]},{"name":"DBPROP_IRegisterProvider","features":[197]},{"name":"DBPROP_IRow","features":[197]},{"name":"DBPROP_IRowChange","features":[197]},{"name":"DBPROP_IRowSchemaChange","features":[197]},{"name":"DBPROP_IRowset","features":[197]},{"name":"DBPROP_IRowsetAsynch","features":[197]},{"name":"DBPROP_IRowsetBookmark","features":[197]},{"name":"DBPROP_IRowsetChange","features":[197]},{"name":"DBPROP_IRowsetCopyRows","features":[197]},{"name":"DBPROP_IRowsetCurrentIndex","features":[197]},{"name":"DBPROP_IRowsetExactScroll","features":[197]},{"name":"DBPROP_IRowsetFind","features":[197]},{"name":"DBPROP_IRowsetIdentity","features":[197]},{"name":"DBPROP_IRowsetIndex","features":[197]},{"name":"DBPROP_IRowsetInfo","features":[197]},{"name":"DBPROP_IRowsetKeys","features":[197]},{"name":"DBPROP_IRowsetLocate","features":[197]},{"name":"DBPROP_IRowsetNewRowAfter","features":[197]},{"name":"DBPROP_IRowsetNextRowset","features":[197]},{"name":"DBPROP_IRowsetRefresh","features":[197]},{"name":"DBPROP_IRowsetResynch","features":[197]},{"name":"DBPROP_IRowsetScroll","features":[197]},{"name":"DBPROP_IRowsetUpdate","features":[197]},{"name":"DBPROP_IRowsetView","features":[197]},{"name":"DBPROP_IRowsetWatchAll","features":[197]},{"name":"DBPROP_IRowsetWatchNotify","features":[197]},{"name":"DBPROP_IRowsetWatchRegion","features":[197]},{"name":"DBPROP_IRowsetWithParameters","features":[197]},{"name":"DBPROP_IScopedOperations","features":[197]},{"name":"DBPROP_ISequentialStream","features":[197]},{"name":"DBPROP_IStorage","features":[197]},{"name":"DBPROP_IStream","features":[197]},{"name":"DBPROP_ISupportErrorInfo","features":[197]},{"name":"DBPROP_IViewChapter","features":[197]},{"name":"DBPROP_IViewFilter","features":[197]},{"name":"DBPROP_IViewRowset","features":[197]},{"name":"DBPROP_IViewSort","features":[197]},{"name":"DBPROP_LITERALBOOKMARKS","features":[197]},{"name":"DBPROP_LITERALIDENTITY","features":[197]},{"name":"DBPROP_LOCKMODE","features":[197]},{"name":"DBPROP_MAINTAINPROPS","features":[197]},{"name":"DBPROP_MARSHALLABLE","features":[197]},{"name":"DBPROP_MAXINDEXSIZE","features":[197]},{"name":"DBPROP_MAXOPENCHAPTERS","features":[197]},{"name":"DBPROP_MAXOPENROWS","features":[197]},{"name":"DBPROP_MAXORSINFILTER","features":[197]},{"name":"DBPROP_MAXPENDINGROWS","features":[197]},{"name":"DBPROP_MAXROWS","features":[197]},{"name":"DBPROP_MAXROWSIZE","features":[197]},{"name":"DBPROP_MAXROWSIZEINCLUDESBLOB","features":[197]},{"name":"DBPROP_MAXSORTCOLUMNS","features":[197]},{"name":"DBPROP_MAXTABLESINSELECT","features":[197]},{"name":"DBPROP_MAYWRITECOLUMN","features":[197]},{"name":"DBPROP_MEMORYUSAGE","features":[197]},{"name":"DBPROP_MSDAORA8_DETERMINEKEYCOLUMNS","features":[197]},{"name":"DBPROP_MSDAORA_DETERMINEKEYCOLUMNS","features":[197]},{"name":"DBPROP_MSDS_DBINIT_DATAPROVIDER","features":[197]},{"name":"DBPROP_MSDS_SESS_UNIQUENAMES","features":[197]},{"name":"DBPROP_MULTIPLECONNECTIONS","features":[197]},{"name":"DBPROP_MULTIPLEPARAMSETS","features":[197]},{"name":"DBPROP_MULTIPLERESULTS","features":[197]},{"name":"DBPROP_MULTIPLESTORAGEOBJECTS","features":[197]},{"name":"DBPROP_MULTITABLEUPDATE","features":[197]},{"name":"DBPROP_NOTIFICATIONGRANULARITY","features":[197]},{"name":"DBPROP_NOTIFICATIONPHASES","features":[197]},{"name":"DBPROP_NOTIFYCOLUMNSET","features":[197]},{"name":"DBPROP_NOTIFYROWDELETE","features":[197]},{"name":"DBPROP_NOTIFYROWFIRSTCHANGE","features":[197]},{"name":"DBPROP_NOTIFYROWINSERT","features":[197]},{"name":"DBPROP_NOTIFYROWRESYNCH","features":[197]},{"name":"DBPROP_NOTIFYROWSETCHANGED","features":[197]},{"name":"DBPROP_NOTIFYROWSETFETCHPOSITIONCHANGE","features":[197]},{"name":"DBPROP_NOTIFYROWSETRELEASE","features":[197]},{"name":"DBPROP_NOTIFYROWUNDOCHANGE","features":[197]},{"name":"DBPROP_NOTIFYROWUNDODELETE","features":[197]},{"name":"DBPROP_NOTIFYROWUNDOINSERT","features":[197]},{"name":"DBPROP_NOTIFYROWUPDATE","features":[197]},{"name":"DBPROP_NULLCOLLATION","features":[197]},{"name":"DBPROP_OLEOBJECTS","features":[197]},{"name":"DBPROP_OPENROWSETSUPPORT","features":[197]},{"name":"DBPROP_ORDERBYCOLUMNSINSELECT","features":[197]},{"name":"DBPROP_ORDEREDBOOKMARKS","features":[197]},{"name":"DBPROP_OTHERINSERT","features":[197]},{"name":"DBPROP_OTHERUPDATEDELETE","features":[197]},{"name":"DBPROP_OUTPUTENCODING","features":[197]},{"name":"DBPROP_OUTPUTPARAMETERAVAILABILITY","features":[197]},{"name":"DBPROP_OUTPUTSTREAM","features":[197]},{"name":"DBPROP_OWNINSERT","features":[197]},{"name":"DBPROP_OWNUPDATEDELETE","features":[197]},{"name":"DBPROP_PERSISTENTIDTYPE","features":[197]},{"name":"DBPROP_PREPAREABORTBEHAVIOR","features":[197]},{"name":"DBPROP_PREPARECOMMITBEHAVIOR","features":[197]},{"name":"DBPROP_PROCEDURETERM","features":[197]},{"name":"DBPROP_PROVIDERFRIENDLYNAME","features":[197]},{"name":"DBPROP_PROVIDERMEMORY","features":[197]},{"name":"DBPROP_PROVIDERNAME","features":[197]},{"name":"DBPROP_PROVIDEROLEDBVER","features":[197]},{"name":"DBPROP_PROVIDERVER","features":[197]},{"name":"DBPROP_PersistFormat","features":[197]},{"name":"DBPROP_PersistSchema","features":[197]},{"name":"DBPROP_QUICKRESTART","features":[197]},{"name":"DBPROP_QUOTEDIDENTIFIERCASE","features":[197]},{"name":"DBPROP_REENTRANTEVENTS","features":[197]},{"name":"DBPROP_REMOVEDELETED","features":[197]},{"name":"DBPROP_REPORTMULTIPLECHANGES","features":[197]},{"name":"DBPROP_RESETDATASOURCE","features":[197]},{"name":"DBPROP_RETURNPENDINGINSERTS","features":[197]},{"name":"DBPROP_ROWRESTRICT","features":[197]},{"name":"DBPROP_ROWSETCONVERSIONSONCOMMAND","features":[197]},{"name":"DBPROP_ROWSET_ASYNCH","features":[197]},{"name":"DBPROP_ROWTHREADMODEL","features":[197]},{"name":"DBPROP_ROW_BULKOPS","features":[197]},{"name":"DBPROP_SCHEMATERM","features":[197]},{"name":"DBPROP_SCHEMAUSAGE","features":[197]},{"name":"DBPROP_SERVERCURSOR","features":[197]},{"name":"DBPROP_SERVERDATAONINSERT","features":[197]},{"name":"DBPROP_SERVERNAME","features":[197]},{"name":"DBPROP_SESS_AUTOCOMMITISOLEVELS","features":[197]},{"name":"DBPROP_SKIPROWCOUNTRESULTS","features":[197]},{"name":"DBPROP_SORTONINDEX","features":[197]},{"name":"DBPROP_SQLSUPPORT","features":[197]},{"name":"DBPROP_STORAGEFLAGS","features":[197]},{"name":"DBPROP_STRONGIDENTITY","features":[197]},{"name":"DBPROP_STRUCTUREDSTORAGE","features":[197]},{"name":"DBPROP_SUBQUERIES","features":[197]},{"name":"DBPROP_SUPPORTEDTXNDDL","features":[197]},{"name":"DBPROP_SUPPORTEDTXNISOLEVELS","features":[197]},{"name":"DBPROP_SUPPORTEDTXNISORETAIN","features":[197]},{"name":"DBPROP_TABLESTATISTICS","features":[197]},{"name":"DBPROP_TABLETERM","features":[197]},{"name":"DBPROP_TBL_TEMPTABLE","features":[197]},{"name":"DBPROP_TRANSACTEDOBJECT","features":[197]},{"name":"DBPROP_TRUSTEE_AUTHENTICATION","features":[197]},{"name":"DBPROP_TRUSTEE_NEWAUTHENTICATION","features":[197]},{"name":"DBPROP_TRUSTEE_USERNAME","features":[197]},{"name":"DBPROP_UNIQUEROWS","features":[197]},{"name":"DBPROP_UPDATABILITY","features":[197]},{"name":"DBPROP_USERNAME","features":[197]},{"name":"DBPROP_Unicode","features":[197]},{"name":"DBQUERYGUID","features":[197]},{"name":"DBRANGEENUM","features":[197]},{"name":"DBRANGEENUM20","features":[197]},{"name":"DBRANGE_EXCLUDENULLS","features":[197]},{"name":"DBRANGE_EXCLUSIVEEND","features":[197]},{"name":"DBRANGE_EXCLUSIVESTART","features":[197]},{"name":"DBRANGE_INCLUSIVEEND","features":[197]},{"name":"DBRANGE_INCLUSIVESTART","features":[197]},{"name":"DBRANGE_MATCH","features":[197]},{"name":"DBRANGE_MATCH_N_MASK","features":[197]},{"name":"DBRANGE_MATCH_N_SHIFT","features":[197]},{"name":"DBRANGE_PREFIX","features":[197]},{"name":"DBREASONENUM","features":[197]},{"name":"DBREASONENUM15","features":[197]},{"name":"DBREASONENUM25","features":[197]},{"name":"DBREASON_COLUMN_RECALCULATED","features":[197]},{"name":"DBREASON_COLUMN_SET","features":[197]},{"name":"DBREASON_ROWPOSITION_CHANGED","features":[197]},{"name":"DBREASON_ROWPOSITION_CHAPTERCHANGED","features":[197]},{"name":"DBREASON_ROWPOSITION_CLEARED","features":[197]},{"name":"DBREASON_ROWSET_CHANGED","features":[197]},{"name":"DBREASON_ROWSET_FETCHPOSITIONCHANGE","features":[197]},{"name":"DBREASON_ROWSET_POPULATIONCOMPLETE","features":[197]},{"name":"DBREASON_ROWSET_POPULATIONSTOPPED","features":[197]},{"name":"DBREASON_ROWSET_RELEASE","features":[197]},{"name":"DBREASON_ROWSET_ROWSADDED","features":[197]},{"name":"DBREASON_ROW_ACTIVATE","features":[197]},{"name":"DBREASON_ROW_ASYNCHINSERT","features":[197]},{"name":"DBREASON_ROW_DELETE","features":[197]},{"name":"DBREASON_ROW_FIRSTCHANGE","features":[197]},{"name":"DBREASON_ROW_INSERT","features":[197]},{"name":"DBREASON_ROW_RELEASE","features":[197]},{"name":"DBREASON_ROW_RESYNCH","features":[197]},{"name":"DBREASON_ROW_UNDOCHANGE","features":[197]},{"name":"DBREASON_ROW_UNDODELETE","features":[197]},{"name":"DBREASON_ROW_UNDOINSERT","features":[197]},{"name":"DBREASON_ROW_UPDATE","features":[197]},{"name":"DBRESOURCEKINDENUM","features":[197]},{"name":"DBRESOURCE_CPU","features":[197]},{"name":"DBRESOURCE_DISK","features":[197]},{"name":"DBRESOURCE_INVALID","features":[197]},{"name":"DBRESOURCE_MEMORY","features":[197]},{"name":"DBRESOURCE_NETWORK","features":[197]},{"name":"DBRESOURCE_OTHER","features":[197]},{"name":"DBRESOURCE_RESPONSE","features":[197]},{"name":"DBRESOURCE_ROWS","features":[197]},{"name":"DBRESOURCE_TOTAL","features":[197]},{"name":"DBRESULTFLAGENUM","features":[197]},{"name":"DBRESULTFLAG_DEFAULT","features":[197]},{"name":"DBRESULTFLAG_ROW","features":[197]},{"name":"DBRESULTFLAG_ROWSET","features":[197]},{"name":"DBROWCHANGEKINDENUM","features":[197]},{"name":"DBROWCHANGEKIND_COUNT","features":[197]},{"name":"DBROWCHANGEKIND_DELETE","features":[197]},{"name":"DBROWCHANGEKIND_INSERT","features":[197]},{"name":"DBROWCHANGEKIND_UPDATE","features":[197]},{"name":"DBROWSTATUSENUM","features":[197]},{"name":"DBROWSTATUSENUM20","features":[197]},{"name":"DBROWSTATUS_E_CANCELED","features":[197]},{"name":"DBROWSTATUS_E_CANTRELEASE","features":[197]},{"name":"DBROWSTATUS_E_CONCURRENCYVIOLATION","features":[197]},{"name":"DBROWSTATUS_E_DELETED","features":[197]},{"name":"DBROWSTATUS_E_FAIL","features":[197]},{"name":"DBROWSTATUS_E_INTEGRITYVIOLATION","features":[197]},{"name":"DBROWSTATUS_E_INVALID","features":[197]},{"name":"DBROWSTATUS_E_LIMITREACHED","features":[197]},{"name":"DBROWSTATUS_E_MAXPENDCHANGESEXCEEDED","features":[197]},{"name":"DBROWSTATUS_E_NEWLYINSERTED","features":[197]},{"name":"DBROWSTATUS_E_OBJECTOPEN","features":[197]},{"name":"DBROWSTATUS_E_OUTOFMEMORY","features":[197]},{"name":"DBROWSTATUS_E_PENDINGINSERT","features":[197]},{"name":"DBROWSTATUS_E_PERMISSIONDENIED","features":[197]},{"name":"DBROWSTATUS_E_SCHEMAVIOLATION","features":[197]},{"name":"DBROWSTATUS_S_MULTIPLECHANGES","features":[197]},{"name":"DBROWSTATUS_S_NOCHANGE","features":[197]},{"name":"DBROWSTATUS_S_OK","features":[197]},{"name":"DBROWSTATUS_S_PENDINGCHANGES","features":[197]},{"name":"DBROWWATCHCHANGE","features":[197]},{"name":"DBROWWATCHCHANGE","features":[197]},{"name":"DBSCHEMA_LINKEDSERVERS","features":[197]},{"name":"DBSEEKENUM","features":[197]},{"name":"DBSEEK_AFTER","features":[197]},{"name":"DBSEEK_AFTEREQ","features":[197]},{"name":"DBSEEK_BEFORE","features":[197]},{"name":"DBSEEK_BEFOREEQ","features":[197]},{"name":"DBSEEK_FIRSTEQ","features":[197]},{"name":"DBSEEK_INVALID","features":[197]},{"name":"DBSEEK_LASTEQ","features":[197]},{"name":"DBSELFGUID","features":[197]},{"name":"DBSORTENUM","features":[197]},{"name":"DBSORT_ASCENDING","features":[197]},{"name":"DBSORT_DESCENDING","features":[197]},{"name":"DBSOURCETYPEENUM","features":[197]},{"name":"DBSOURCETYPEENUM20","features":[197]},{"name":"DBSOURCETYPEENUM25","features":[197]},{"name":"DBSOURCETYPE_BINDER","features":[197]},{"name":"DBSOURCETYPE_DATASOURCE","features":[197]},{"name":"DBSOURCETYPE_DATASOURCE_MDP","features":[197]},{"name":"DBSOURCETYPE_DATASOURCE_TDP","features":[197]},{"name":"DBSOURCETYPE_ENUMERATOR","features":[197]},{"name":"DBSTATUSENUM","features":[197]},{"name":"DBSTATUSENUM20","features":[197]},{"name":"DBSTATUSENUM21","features":[197]},{"name":"DBSTATUSENUM25","features":[197]},{"name":"DBSTATUSENUM26","features":[197]},{"name":"DBSTATUS_E_BADACCESSOR","features":[197]},{"name":"DBSTATUS_E_BADSTATUS","features":[197]},{"name":"DBSTATUS_E_CANCELED","features":[197]},{"name":"DBSTATUS_E_CANNOTCOMPLETE","features":[197]},{"name":"DBSTATUS_E_CANTCONVERTVALUE","features":[197]},{"name":"DBSTATUS_E_CANTCREATE","features":[197]},{"name":"DBSTATUS_E_DATAOVERFLOW","features":[197]},{"name":"DBSTATUS_E_DOESNOTEXIST","features":[197]},{"name":"DBSTATUS_E_INTEGRITYVIOLATION","features":[197]},{"name":"DBSTATUS_E_INVALIDURL","features":[197]},{"name":"DBSTATUS_E_NOTCOLLECTION","features":[197]},{"name":"DBSTATUS_E_OUTOFSPACE","features":[197]},{"name":"DBSTATUS_E_PERMISSIONDENIED","features":[197]},{"name":"DBSTATUS_E_READONLY","features":[197]},{"name":"DBSTATUS_E_RESOURCEEXISTS","features":[197]},{"name":"DBSTATUS_E_RESOURCELOCKED","features":[197]},{"name":"DBSTATUS_E_RESOURCEOUTOFSCOPE","features":[197]},{"name":"DBSTATUS_E_SCHEMAVIOLATION","features":[197]},{"name":"DBSTATUS_E_SIGNMISMATCH","features":[197]},{"name":"DBSTATUS_E_UNAVAILABLE","features":[197]},{"name":"DBSTATUS_E_VOLUMENOTFOUND","features":[197]},{"name":"DBSTATUS_S_ALREADYEXISTS","features":[197]},{"name":"DBSTATUS_S_CANNOTDELETESOURCE","features":[197]},{"name":"DBSTATUS_S_DEFAULT","features":[197]},{"name":"DBSTATUS_S_IGNORE","features":[197]},{"name":"DBSTATUS_S_ISNULL","features":[197]},{"name":"DBSTATUS_S_OK","features":[197]},{"name":"DBSTATUS_S_ROWSETCOLUMN","features":[197]},{"name":"DBSTATUS_S_TRUNCATED","features":[197]},{"name":"DBSTAT_COLUMN_CARDINALITY","features":[197]},{"name":"DBSTAT_HISTOGRAM","features":[197]},{"name":"DBSTAT_TUPLE_CARDINALITY","features":[197]},{"name":"DBTABLESTATISTICSTYPE26","features":[197]},{"name":"DBTIME","features":[197]},{"name":"DBTIMESTAMP","features":[197]},{"name":"DBTIMESTAMP","features":[197]},{"name":"DBTYPEENUM","features":[197]},{"name":"DBTYPEENUM15","features":[197]},{"name":"DBTYPEENUM20","features":[197]},{"name":"DBTYPE_ARRAY","features":[197]},{"name":"DBTYPE_BOOL","features":[197]},{"name":"DBTYPE_BSTR","features":[197]},{"name":"DBTYPE_BYREF","features":[197]},{"name":"DBTYPE_BYTES","features":[197]},{"name":"DBTYPE_CY","features":[197]},{"name":"DBTYPE_DATE","features":[197]},{"name":"DBTYPE_DBDATE","features":[197]},{"name":"DBTYPE_DBTIME","features":[197]},{"name":"DBTYPE_DBTIMESTAMP","features":[197]},{"name":"DBTYPE_DECIMAL","features":[197]},{"name":"DBTYPE_EMPTY","features":[197]},{"name":"DBTYPE_ERROR","features":[197]},{"name":"DBTYPE_FILETIME","features":[197]},{"name":"DBTYPE_GUID","features":[197]},{"name":"DBTYPE_HCHAPTER","features":[197]},{"name":"DBTYPE_I1","features":[197]},{"name":"DBTYPE_I2","features":[197]},{"name":"DBTYPE_I4","features":[197]},{"name":"DBTYPE_I8","features":[197]},{"name":"DBTYPE_IDISPATCH","features":[197]},{"name":"DBTYPE_IUNKNOWN","features":[197]},{"name":"DBTYPE_NULL","features":[197]},{"name":"DBTYPE_NUMERIC","features":[197]},{"name":"DBTYPE_PROPVARIANT","features":[197]},{"name":"DBTYPE_R4","features":[197]},{"name":"DBTYPE_R8","features":[197]},{"name":"DBTYPE_RESERVED","features":[197]},{"name":"DBTYPE_SQLVARIANT","features":[197]},{"name":"DBTYPE_STR","features":[197]},{"name":"DBTYPE_UDT","features":[197]},{"name":"DBTYPE_UI1","features":[197]},{"name":"DBTYPE_UI2","features":[197]},{"name":"DBTYPE_UI4","features":[197]},{"name":"DBTYPE_UI8","features":[197]},{"name":"DBTYPE_VARIANT","features":[197]},{"name":"DBTYPE_VARNUMERIC","features":[197]},{"name":"DBTYPE_VECTOR","features":[197]},{"name":"DBTYPE_WSTR","features":[197]},{"name":"DBUNIT_BYTE","features":[197]},{"name":"DBUNIT_GIGA_BYTE","features":[197]},{"name":"DBUNIT_HOUR","features":[197]},{"name":"DBUNIT_INVALID","features":[197]},{"name":"DBUNIT_KILO_BYTE","features":[197]},{"name":"DBUNIT_MAXIMUM","features":[197]},{"name":"DBUNIT_MEGA_BYTE","features":[197]},{"name":"DBUNIT_MICRO_SECOND","features":[197]},{"name":"DBUNIT_MILLI_SECOND","features":[197]},{"name":"DBUNIT_MINIMUM","features":[197]},{"name":"DBUNIT_MINUTE","features":[197]},{"name":"DBUNIT_NUM_LOCKS","features":[197]},{"name":"DBUNIT_NUM_MSGS","features":[197]},{"name":"DBUNIT_NUM_ROWS","features":[197]},{"name":"DBUNIT_OTHER","features":[197]},{"name":"DBUNIT_PERCENT","features":[197]},{"name":"DBUNIT_SECOND","features":[197]},{"name":"DBUNIT_WEIGHT","features":[197]},{"name":"DBUPDELRULEENUM","features":[197]},{"name":"DBUPDELRULE_CASCADE","features":[197]},{"name":"DBUPDELRULE_NOACTION","features":[197]},{"name":"DBUPDELRULE_SETDEFAULT","features":[197]},{"name":"DBUPDELRULE_SETNULL","features":[197]},{"name":"DBVARYBIN","features":[197]},{"name":"DBVARYCHAR","features":[197]},{"name":"DBVECTOR","features":[197]},{"name":"DBVECTOR","features":[197]},{"name":"DBWATCHMODEENUM","features":[197]},{"name":"DBWATCHMODE_ALL","features":[197]},{"name":"DBWATCHMODE_COUNT","features":[197]},{"name":"DBWATCHMODE_EXTEND","features":[197]},{"name":"DBWATCHMODE_MOVE","features":[197]},{"name":"DBWATCHNOTIFYENUM","features":[197]},{"name":"DBWATCHNOTIFY_QUERYDONE","features":[197]},{"name":"DBWATCHNOTIFY_QUERYREEXECUTED","features":[197]},{"name":"DBWATCHNOTIFY_ROWSCHANGED","features":[197]},{"name":"DB_ALL_EXCEPT_LIKE","features":[197]},{"name":"DB_BINDFLAGS_COLLECTION","features":[197]},{"name":"DB_BINDFLAGS_DELAYFETCHCOLUMNS","features":[197]},{"name":"DB_BINDFLAGS_DELAYFETCHSTREAM","features":[197]},{"name":"DB_BINDFLAGS_ISSTRUCTUREDDOCUMENT","features":[197]},{"name":"DB_BINDFLAGS_OPENIFEXISTS","features":[197]},{"name":"DB_BINDFLAGS_OUTPUT","features":[197]},{"name":"DB_BINDFLAGS_OVERWRITE","features":[197]},{"name":"DB_BINDFLAGS_RECURSIVE","features":[197]},{"name":"DB_COLLATION_ASC","features":[197]},{"name":"DB_COLLATION_DESC","features":[197]},{"name":"DB_COUNTUNAVAILABLE","features":[197]},{"name":"DB_E_ABORTLIMITREACHED","features":[197]},{"name":"DB_E_ALREADYINITIALIZED","features":[197]},{"name":"DB_E_ALTERRESTRICTED","features":[197]},{"name":"DB_E_ASYNCNOTSUPPORTED","features":[197]},{"name":"DB_E_BADACCESSORFLAGS","features":[197]},{"name":"DB_E_BADACCESSORHANDLE","features":[197]},{"name":"DB_E_BADACCESSORTYPE","features":[197]},{"name":"DB_E_BADBINDINFO","features":[197]},{"name":"DB_E_BADBOOKMARK","features":[197]},{"name":"DB_E_BADCHAPTER","features":[197]},{"name":"DB_E_BADCOLUMNID","features":[197]},{"name":"DB_E_BADCOMMANDFLAGS","features":[197]},{"name":"DB_E_BADCOMMANDID","features":[197]},{"name":"DB_E_BADCOMPAREOP","features":[197]},{"name":"DB_E_BADCONSTRAINTFORM","features":[197]},{"name":"DB_E_BADCONSTRAINTID","features":[197]},{"name":"DB_E_BADCONSTRAINTTYPE","features":[197]},{"name":"DB_E_BADCONVERTFLAG","features":[197]},{"name":"DB_E_BADCOPY","features":[197]},{"name":"DB_E_BADDEFERRABILITY","features":[197]},{"name":"DB_E_BADDYNAMICERRORID","features":[197]},{"name":"DB_E_BADHRESULT","features":[197]},{"name":"DB_E_BADID","features":[197]},{"name":"DB_E_BADINDEXID","features":[197]},{"name":"DB_E_BADINITSTRING","features":[197]},{"name":"DB_E_BADLOCKMODE","features":[197]},{"name":"DB_E_BADLOOKUPID","features":[197]},{"name":"DB_E_BADMATCHTYPE","features":[197]},{"name":"DB_E_BADORDINAL","features":[197]},{"name":"DB_E_BADPARAMETERNAME","features":[197]},{"name":"DB_E_BADPRECISION","features":[197]},{"name":"DB_E_BADPROPERTYVALUE","features":[197]},{"name":"DB_E_BADRATIO","features":[197]},{"name":"DB_E_BADRECORDNUM","features":[197]},{"name":"DB_E_BADREGIONHANDLE","features":[197]},{"name":"DB_E_BADROWHANDLE","features":[197]},{"name":"DB_E_BADSCALE","features":[197]},{"name":"DB_E_BADSOURCEHANDLE","features":[197]},{"name":"DB_E_BADSTARTPOSITION","features":[197]},{"name":"DB_E_BADSTATUSVALUE","features":[197]},{"name":"DB_E_BADSTORAGEFLAG","features":[197]},{"name":"DB_E_BADSTORAGEFLAGS","features":[197]},{"name":"DB_E_BADTABLEID","features":[197]},{"name":"DB_E_BADTYPE","features":[197]},{"name":"DB_E_BADTYPENAME","features":[197]},{"name":"DB_E_BADUPDATEDELETERULE","features":[197]},{"name":"DB_E_BADVALUES","features":[197]},{"name":"DB_E_BOGUS","features":[197]},{"name":"DB_E_BOOKMARKSKIPPED","features":[197]},{"name":"DB_E_BYREFACCESSORNOTSUPPORTED","features":[197]},{"name":"DB_E_CANCELED","features":[197]},{"name":"DB_E_CANNOTCONNECT","features":[197]},{"name":"DB_E_CANNOTFREE","features":[197]},{"name":"DB_E_CANNOTRESTART","features":[197]},{"name":"DB_E_CANTCANCEL","features":[197]},{"name":"DB_E_CANTCONVERTVALUE","features":[197]},{"name":"DB_E_CANTFETCHBACKWARDS","features":[197]},{"name":"DB_E_CANTFILTER","features":[197]},{"name":"DB_E_CANTORDER","features":[197]},{"name":"DB_E_CANTSCROLLBACKWARDS","features":[197]},{"name":"DB_E_CANTTRANSLATE","features":[197]},{"name":"DB_E_CHAPTERNOTRELEASED","features":[197]},{"name":"DB_E_COLUMNUNAVAILABLE","features":[197]},{"name":"DB_E_COMMANDNOTPERSISTED","features":[197]},{"name":"DB_E_CONCURRENCYVIOLATION","features":[197]},{"name":"DB_E_COSTLIMIT","features":[197]},{"name":"DB_E_DATAOVERFLOW","features":[197]},{"name":"DB_E_DELETEDROW","features":[197]},{"name":"DB_E_DIALECTNOTSUPPORTED","features":[197]},{"name":"DB_E_DROPRESTRICTED","features":[197]},{"name":"DB_E_DUPLICATECOLUMNID","features":[197]},{"name":"DB_E_DUPLICATECONSTRAINTID","features":[197]},{"name":"DB_E_DUPLICATEDATASOURCE","features":[197]},{"name":"DB_E_DUPLICATEID","features":[197]},{"name":"DB_E_DUPLICATEINDEXID","features":[197]},{"name":"DB_E_DUPLICATETABLEID","features":[197]},{"name":"DB_E_ERRORSINCOMMAND","features":[197]},{"name":"DB_E_ERRORSOCCURRED","features":[197]},{"name":"DB_E_GOALREJECTED","features":[197]},{"name":"DB_E_INDEXINUSE","features":[197]},{"name":"DB_E_INTEGRITYVIOLATION","features":[197]},{"name":"DB_E_INVALID","features":[197]},{"name":"DB_E_INVALIDTRANSITION","features":[197]},{"name":"DB_E_LIMITREJECTED","features":[197]},{"name":"DB_E_MAXPENDCHANGESEXCEEDED","features":[197]},{"name":"DB_E_MISMATCHEDPROVIDER","features":[197]},{"name":"DB_E_MULTIPLESTATEMENTS","features":[197]},{"name":"DB_E_MULTIPLESTORAGE","features":[197]},{"name":"DB_E_NEWLYINSERTED","features":[197]},{"name":"DB_E_NOAGGREGATION","features":[197]},{"name":"DB_E_NOCOLUMN","features":[197]},{"name":"DB_E_NOCOMMAND","features":[197]},{"name":"DB_E_NOCONSTRAINT","features":[197]},{"name":"DB_E_NOINDEX","features":[197]},{"name":"DB_E_NOLOCALE","features":[197]},{"name":"DB_E_NONCONTIGUOUSRANGE","features":[197]},{"name":"DB_E_NOPROVIDERSREGISTERED","features":[197]},{"name":"DB_E_NOQUERY","features":[197]},{"name":"DB_E_NOSOURCEOBJECT","features":[197]},{"name":"DB_E_NOSTATISTIC","features":[197]},{"name":"DB_E_NOTABLE","features":[197]},{"name":"DB_E_NOTAREFERENCECOLUMN","features":[197]},{"name":"DB_E_NOTASUBREGION","features":[197]},{"name":"DB_E_NOTCOLLECTION","features":[197]},{"name":"DB_E_NOTFOUND","features":[197]},{"name":"DB_E_NOTPREPARED","features":[197]},{"name":"DB_E_NOTREENTRANT","features":[197]},{"name":"DB_E_NOTSUPPORTED","features":[197]},{"name":"DB_E_NULLACCESSORNOTSUPPORTED","features":[197]},{"name":"DB_E_OBJECTCREATIONLIMITREACHED","features":[197]},{"name":"DB_E_OBJECTMISMATCH","features":[197]},{"name":"DB_E_OBJECTOPEN","features":[197]},{"name":"DB_E_OUTOFSPACE","features":[197]},{"name":"DB_E_PARAMNOTOPTIONAL","features":[197]},{"name":"DB_E_PARAMUNAVAILABLE","features":[197]},{"name":"DB_E_PENDINGCHANGES","features":[197]},{"name":"DB_E_PENDINGINSERT","features":[197]},{"name":"DB_E_READONLY","features":[197]},{"name":"DB_E_READONLYACCESSOR","features":[197]},{"name":"DB_E_RESOURCEEXISTS","features":[197]},{"name":"DB_E_RESOURCELOCKED","features":[197]},{"name":"DB_E_RESOURCENOTSUPPORTED","features":[197]},{"name":"DB_E_RESOURCEOUTOFSCOPE","features":[197]},{"name":"DB_E_ROWLIMITEXCEEDED","features":[197]},{"name":"DB_E_ROWSETINCOMMAND","features":[197]},{"name":"DB_E_ROWSNOTRELEASED","features":[197]},{"name":"DB_E_SCHEMAVIOLATION","features":[197]},{"name":"DB_E_TABLEINUSE","features":[197]},{"name":"DB_E_TIMEOUT","features":[197]},{"name":"DB_E_UNSUPPORTEDCONVERSION","features":[197]},{"name":"DB_E_WRITEONLYACCESSOR","features":[197]},{"name":"DB_IMP_LEVEL_ANONYMOUS","features":[197]},{"name":"DB_IMP_LEVEL_DELEGATE","features":[197]},{"name":"DB_IMP_LEVEL_IDENTIFY","features":[197]},{"name":"DB_IMP_LEVEL_IMPERSONATE","features":[197]},{"name":"DB_IN","features":[197]},{"name":"DB_INVALID_HACCESSOR","features":[197]},{"name":"DB_INVALID_HCHAPTER","features":[197]},{"name":"DB_LIKE_ONLY","features":[197]},{"name":"DB_LOCAL_EXCLUSIVE","features":[197]},{"name":"DB_LOCAL_SHARED","features":[197]},{"name":"DB_MODE_READ","features":[197]},{"name":"DB_MODE_READWRITE","features":[197]},{"name":"DB_MODE_SHARE_DENY_NONE","features":[197]},{"name":"DB_MODE_SHARE_DENY_READ","features":[197]},{"name":"DB_MODE_SHARE_DENY_WRITE","features":[197]},{"name":"DB_MODE_SHARE_EXCLUSIVE","features":[197]},{"name":"DB_MODE_WRITE","features":[197]},{"name":"DB_NULLGUID","features":[197]},{"name":"DB_NULL_HACCESSOR","features":[197]},{"name":"DB_NULL_HCHAPTER","features":[197]},{"name":"DB_NULL_HROW","features":[197]},{"name":"DB_NUMERIC","features":[197]},{"name":"DB_OUT","features":[197]},{"name":"DB_PROT_LEVEL_CALL","features":[197]},{"name":"DB_PROT_LEVEL_CONNECT","features":[197]},{"name":"DB_PROT_LEVEL_NONE","features":[197]},{"name":"DB_PROT_LEVEL_PKT","features":[197]},{"name":"DB_PROT_LEVEL_PKT_INTEGRITY","features":[197]},{"name":"DB_PROT_LEVEL_PKT_PRIVACY","features":[197]},{"name":"DB_PT_FUNCTION","features":[197]},{"name":"DB_PT_PROCEDURE","features":[197]},{"name":"DB_PT_UNKNOWN","features":[197]},{"name":"DB_REMOTE","features":[197]},{"name":"DB_SEARCHABLE","features":[197]},{"name":"DB_SEC_E_AUTH_FAILED","features":[197]},{"name":"DB_SEC_E_PERMISSIONDENIED","features":[197]},{"name":"DB_SEC_E_SAFEMODE_DENIED","features":[197]},{"name":"DB_S_ASYNCHRONOUS","features":[197]},{"name":"DB_S_BADROWHANDLE","features":[197]},{"name":"DB_S_BOOKMARKSKIPPED","features":[197]},{"name":"DB_S_BUFFERFULL","features":[197]},{"name":"DB_S_CANTRELEASE","features":[197]},{"name":"DB_S_COLUMNSCHANGED","features":[197]},{"name":"DB_S_COLUMNTYPEMISMATCH","features":[197]},{"name":"DB_S_COMMANDREEXECUTED","features":[197]},{"name":"DB_S_DELETEDROW","features":[197]},{"name":"DB_S_DIALECTIGNORED","features":[197]},{"name":"DB_S_ENDOFROWSET","features":[197]},{"name":"DB_S_ERRORSOCCURRED","features":[197]},{"name":"DB_S_ERRORSRETURNED","features":[197]},{"name":"DB_S_GOALCHANGED","features":[197]},{"name":"DB_S_LOCKUPGRADED","features":[197]},{"name":"DB_S_MULTIPLECHANGES","features":[197]},{"name":"DB_S_NONEXTROWSET","features":[197]},{"name":"DB_S_NORESULT","features":[197]},{"name":"DB_S_NOROWSPECIFICCOLUMNS","features":[197]},{"name":"DB_S_NOTSINGLETON","features":[197]},{"name":"DB_S_PARAMUNAVAILABLE","features":[197]},{"name":"DB_S_PROPERTIESCHANGED","features":[197]},{"name":"DB_S_ROWLIMITEXCEEDED","features":[197]},{"name":"DB_S_STOPLIMITREACHED","features":[197]},{"name":"DB_S_TOOMANYCHANGES","features":[197]},{"name":"DB_S_TYPEINFOOVERRIDDEN","features":[197]},{"name":"DB_S_UNWANTEDOPERATION","features":[197]},{"name":"DB_S_UNWANTEDPHASE","features":[197]},{"name":"DB_S_UNWANTEDREASON","features":[197]},{"name":"DB_UNSEARCHABLE","features":[197]},{"name":"DB_VARNUMERIC","features":[197]},{"name":"DCINFO","features":[1,41,197,42]},{"name":"DCINFOTYPEENUM","features":[197]},{"name":"DCINFOTYPE_VERSION","features":[197]},{"name":"DELIVERY_AGENT_FLAGS","features":[197]},{"name":"DELIVERY_AGENT_FLAG_NO_BROADCAST","features":[197]},{"name":"DELIVERY_AGENT_FLAG_NO_RESTRICTIONS","features":[197]},{"name":"DELIVERY_AGENT_FLAG_SILENT_DIAL","features":[197]},{"name":"DISPID_QUERY_ALL","features":[197]},{"name":"DISPID_QUERY_HITCOUNT","features":[197]},{"name":"DISPID_QUERY_LASTSEENTIME","features":[197]},{"name":"DISPID_QUERY_METADATA_PROPDISPID","features":[197]},{"name":"DISPID_QUERY_METADATA_PROPGUID","features":[197]},{"name":"DISPID_QUERY_METADATA_PROPMODIFIABLE","features":[197]},{"name":"DISPID_QUERY_METADATA_PROPNAME","features":[197]},{"name":"DISPID_QUERY_METADATA_STORELEVEL","features":[197]},{"name":"DISPID_QUERY_METADATA_VROOTAUTOMATIC","features":[197]},{"name":"DISPID_QUERY_METADATA_VROOTMANUAL","features":[197]},{"name":"DISPID_QUERY_METADATA_VROOTUSED","features":[197]},{"name":"DISPID_QUERY_RANK","features":[197]},{"name":"DISPID_QUERY_RANKVECTOR","features":[197]},{"name":"DISPID_QUERY_REVNAME","features":[197]},{"name":"DISPID_QUERY_UNFILTERED","features":[197]},{"name":"DISPID_QUERY_VIRTUALPATH","features":[197]},{"name":"DISPID_QUERY_WORKID","features":[197]},{"name":"DS_E_ALREADYDISABLED","features":[197]},{"name":"DS_E_ALREADYENABLED","features":[197]},{"name":"DS_E_BADREQUEST","features":[197]},{"name":"DS_E_BADRESULT","features":[197]},{"name":"DS_E_BADSEQUENCE","features":[197]},{"name":"DS_E_BUFFERTOOSMALL","features":[197]},{"name":"DS_E_CANNOTREMOVECONCURRENT","features":[197]},{"name":"DS_E_CANNOTWRITEREGISTRY","features":[197]},{"name":"DS_E_CONFIGBAD","features":[197]},{"name":"DS_E_CONFIGNOTRIGHTTYPE","features":[197]},{"name":"DS_E_DATANOTPRESENT","features":[197]},{"name":"DS_E_DATASOURCENOTAVAILABLE","features":[197]},{"name":"DS_E_DATASOURCENOTDISABLED","features":[197]},{"name":"DS_E_DUPLICATEID","features":[197]},{"name":"DS_E_INDEXDIRECTORY","features":[197]},{"name":"DS_E_INVALIDCATALOGNAME","features":[197]},{"name":"DS_E_INVALIDDATASOURCE","features":[197]},{"name":"DS_E_INVALIDTAGDB","features":[197]},{"name":"DS_E_MESSAGETOOLONG","features":[197]},{"name":"DS_E_MISSINGCATALOG","features":[197]},{"name":"DS_E_NOMOREDATA","features":[197]},{"name":"DS_E_PARAMOUTOFRANGE","features":[197]},{"name":"DS_E_PROPVERSIONMISMATCH","features":[197]},{"name":"DS_E_PROTOCOLVERSION","features":[197]},{"name":"DS_E_QUERYCANCELED","features":[197]},{"name":"DS_E_QUERYHUNG","features":[197]},{"name":"DS_E_REGISTRY","features":[197]},{"name":"DS_E_SEARCHCATNAMECOLLISION","features":[197]},{"name":"DS_E_SERVERCAPACITY","features":[197]},{"name":"DS_E_SERVERERROR","features":[197]},{"name":"DS_E_SETSTATUSINPROGRESS","features":[197]},{"name":"DS_E_TOOMANYDATASOURCES","features":[197]},{"name":"DS_E_UNKNOWNPARAM","features":[197]},{"name":"DS_E_UNKNOWNREQUEST","features":[197]},{"name":"DS_E_VALUETOOLARGE","features":[197]},{"name":"DataLinks","features":[197]},{"name":"DataSource","features":[197]},{"name":"DataSourceListener","features":[197]},{"name":"DataSourceObject","features":[197]},{"name":"EBindInfoOptions","features":[197]},{"name":"ERRORINFO","features":[197]},{"name":"ERRORINFO","features":[197]},{"name":"ERROR_FTE","features":[197]},{"name":"ERROR_FTE_CB","features":[197]},{"name":"ERROR_FTE_FD","features":[197]},{"name":"ERROR_SOURCE_CMDLINE","features":[197]},{"name":"ERROR_SOURCE_COLLATOR","features":[197]},{"name":"ERROR_SOURCE_CONNMGR","features":[197]},{"name":"ERROR_SOURCE_CONTENT_SOURCE","features":[197]},{"name":"ERROR_SOURCE_DATASOURCE","features":[197]},{"name":"ERROR_SOURCE_DAV","features":[197]},{"name":"ERROR_SOURCE_EXSTOREPH","features":[197]},{"name":"ERROR_SOURCE_FLTRDMN","features":[197]},{"name":"ERROR_SOURCE_GATHERER","features":[197]},{"name":"ERROR_SOURCE_INDEXER","features":[197]},{"name":"ERROR_SOURCE_MSS","features":[197]},{"name":"ERROR_SOURCE_NETWORKING","features":[197]},{"name":"ERROR_SOURCE_NLADMIN","features":[197]},{"name":"ERROR_SOURCE_NOTESPH","features":[197]},{"name":"ERROR_SOURCE_OLEDB_BINDER","features":[197]},{"name":"ERROR_SOURCE_PEOPLE_IMPORT","features":[197]},{"name":"ERROR_SOURCE_PROTHNDLR","features":[197]},{"name":"ERROR_SOURCE_QUERY","features":[197]},{"name":"ERROR_SOURCE_REMOTE_EXSTOREPH","features":[197]},{"name":"ERROR_SOURCE_SCHEMA","features":[197]},{"name":"ERROR_SOURCE_SCRIPTPI","features":[197]},{"name":"ERROR_SOURCE_SECURITY","features":[197]},{"name":"ERROR_SOURCE_SETUP","features":[197]},{"name":"ERROR_SOURCE_SRCH_SCHEMA_CACHE","features":[197]},{"name":"ERROR_SOURCE_XML","features":[197]},{"name":"EVENT_AUDIENCECOMPUTATION_CANNOTSTART","features":[197]},{"name":"EVENT_AUTOCAT_CANT_CREATE_FILE_SHARE","features":[197]},{"name":"EVENT_AUTOCAT_PERFMON","features":[197]},{"name":"EVENT_CONFIG_ERROR","features":[197]},{"name":"EVENT_CONFIG_SYNTAX","features":[197]},{"name":"EVENT_CRAWL_SCHEDULED","features":[197]},{"name":"EVENT_DETAILED_FILTERPOOL_ADD_FAILED","features":[197]},{"name":"EVENT_DSS_NOT_ENABLED","features":[197]},{"name":"EVENT_ENUMERATE_SESSIONS_FAILED","features":[197]},{"name":"EVENT_EXCEPTION","features":[197]},{"name":"EVENT_FAILED_CREATE_GATHERER_LOG","features":[197]},{"name":"EVENT_FAILED_INITIALIZE_CRAWL","features":[197]},{"name":"EVENT_FILTERPOOL_ADD_FAILED","features":[197]},{"name":"EVENT_FILTERPOOL_DELETE_FAILED","features":[197]},{"name":"EVENT_FILTER_HOST_FORCE_TERMINATE","features":[197]},{"name":"EVENT_FILTER_HOST_NOT_INITIALIZED","features":[197]},{"name":"EVENT_FILTER_HOST_NOT_TERMINATED","features":[197]},{"name":"EVENT_GATHERER_DATASOURCE","features":[197]},{"name":"EVENT_GATHERER_PERFMON","features":[197]},{"name":"EVENT_GATHERSVC_PERFMON","features":[197]},{"name":"EVENT_GATHER_ADVISE_FAILED","features":[197]},{"name":"EVENT_GATHER_APP_INIT_FAILED","features":[197]},{"name":"EVENT_GATHER_AUTODESCENCODE_INVALID","features":[197]},{"name":"EVENT_GATHER_AUTODESCLEN_ADJUSTED","features":[197]},{"name":"EVENT_GATHER_BACKUPAPP_COMPLETE","features":[197]},{"name":"EVENT_GATHER_BACKUPAPP_ERROR","features":[197]},{"name":"EVENT_GATHER_CANT_CREATE_DOCID","features":[197]},{"name":"EVENT_GATHER_CANT_DELETE_DOCID","features":[197]},{"name":"EVENT_GATHER_CHECKPOINT_CORRUPT","features":[197]},{"name":"EVENT_GATHER_CHECKPOINT_FAILED","features":[197]},{"name":"EVENT_GATHER_CHECKPOINT_FILE_MISSING","features":[197]},{"name":"EVENT_GATHER_CRAWL_IN_PROGRESS","features":[197]},{"name":"EVENT_GATHER_CRAWL_NOT_STARTED","features":[197]},{"name":"EVENT_GATHER_CRAWL_SEED_ERROR","features":[197]},{"name":"EVENT_GATHER_CRAWL_SEED_FAILED","features":[197]},{"name":"EVENT_GATHER_CRAWL_SEED_FAILED_INIT","features":[197]},{"name":"EVENT_GATHER_CRITICAL_ERROR","features":[197]},{"name":"EVENT_GATHER_DAEMON_TERMINATED","features":[197]},{"name":"EVENT_GATHER_DELETING_HISTORY_ITEMS","features":[197]},{"name":"EVENT_GATHER_DIRTY_STARTUP","features":[197]},{"name":"EVENT_GATHER_DISK_FULL","features":[197]},{"name":"EVENT_GATHER_END_ADAPTIVE","features":[197]},{"name":"EVENT_GATHER_END_CRAWL","features":[197]},{"name":"EVENT_GATHER_END_INCREMENTAL","features":[197]},{"name":"EVENT_GATHER_EXCEPTION","features":[197]},{"name":"EVENT_GATHER_FLUSH_FAILED","features":[197]},{"name":"EVENT_GATHER_FROM_NOT_SET","features":[197]},{"name":"EVENT_GATHER_HISTORY_CORRUPTION_DETECTED","features":[197]},{"name":"EVENT_GATHER_INPLACE_INDEX_REBUILD","features":[197]},{"name":"EVENT_GATHER_INTERNAL","features":[197]},{"name":"EVENT_GATHER_INVALID_NETWORK_ACCESS_ACCOUNT","features":[197]},{"name":"EVENT_GATHER_LOCK_FAILED","features":[197]},{"name":"EVENT_GATHER_NO_CRAWL_SEEDS","features":[197]},{"name":"EVENT_GATHER_NO_SCHEMA","features":[197]},{"name":"EVENT_GATHER_OBJ_INIT_FAILED","features":[197]},{"name":"EVENT_GATHER_PLUGINMGR_INIT_FAILED","features":[197]},{"name":"EVENT_GATHER_PLUGIN_INIT_FAILED","features":[197]},{"name":"EVENT_GATHER_PROTOCOLHANDLER_INIT_FAILED","features":[197]},{"name":"EVENT_GATHER_PROTOCOLHANDLER_LOAD_FAILED","features":[197]},{"name":"EVENT_GATHER_READ_CHECKPOINT_FAILED","features":[197]},{"name":"EVENT_GATHER_RECOVERY_FAILURE","features":[197]},{"name":"EVENT_GATHER_REG_MISSING","features":[197]},{"name":"EVENT_GATHER_RESET_START","features":[197]},{"name":"EVENT_GATHER_RESTOREAPP_COMPLETE","features":[197]},{"name":"EVENT_GATHER_RESTOREAPP_ERROR","features":[197]},{"name":"EVENT_GATHER_RESTORE_CHECKPOINT_FAILED","features":[197]},{"name":"EVENT_GATHER_RESTORE_COMPLETE","features":[197]},{"name":"EVENT_GATHER_RESTORE_ERROR","features":[197]},{"name":"EVENT_GATHER_RESUME","features":[197]},{"name":"EVENT_GATHER_SAVE_FAILED","features":[197]},{"name":"EVENT_GATHER_SERVICE_INIT","features":[197]},{"name":"EVENT_GATHER_START_CRAWL","features":[197]},{"name":"EVENT_GATHER_START_CRAWL_IF_RESET","features":[197]},{"name":"EVENT_GATHER_START_PAUSE","features":[197]},{"name":"EVENT_GATHER_STOP_START","features":[197]},{"name":"EVENT_GATHER_SYSTEM_LCID_CHANGED","features":[197]},{"name":"EVENT_GATHER_THROTTLE","features":[197]},{"name":"EVENT_GATHER_TRANSACTION_FAIL","features":[197]},{"name":"EVENT_HASHMAP_INSERT","features":[197]},{"name":"EVENT_HASHMAP_UPDATE","features":[197]},{"name":"EVENT_INDEXER_ADD_DSS_DISCONNECT","features":[197]},{"name":"EVENT_INDEXER_ADD_DSS_FAILED","features":[197]},{"name":"EVENT_INDEXER_ADD_DSS_SUCCEEDED","features":[197]},{"name":"EVENT_INDEXER_BUILD_ENDED","features":[197]},{"name":"EVENT_INDEXER_BUILD_FAILED","features":[197]},{"name":"EVENT_INDEXER_BUILD_START","features":[197]},{"name":"EVENT_INDEXER_CI_LOAD_ERROR","features":[197]},{"name":"EVENT_INDEXER_DSS_ALREADY_ADDED","features":[197]},{"name":"EVENT_INDEXER_DSS_CONTACT_FAILED","features":[197]},{"name":"EVENT_INDEXER_DSS_UNABLE_TO_REMOVE","features":[197]},{"name":"EVENT_INDEXER_FAIL_TO_CREATE_PER_USER_CATALOG","features":[197]},{"name":"EVENT_INDEXER_FAIL_TO_SET_MAX_JETINSTANCE","features":[197]},{"name":"EVENT_INDEXER_FAIL_TO_UNLOAD_PER_USER_CATALOG","features":[197]},{"name":"EVENT_INDEXER_INIT_ERROR","features":[197]},{"name":"EVENT_INDEXER_INVALID_DIRECTORY","features":[197]},{"name":"EVENT_INDEXER_LOAD_FAIL","features":[197]},{"name":"EVENT_INDEXER_MISSING_APP_DIRECTORY","features":[197]},{"name":"EVENT_INDEXER_NEW_PROJECT","features":[197]},{"name":"EVENT_INDEXER_NO_SEARCH_SERVERS","features":[197]},{"name":"EVENT_INDEXER_OUT_OF_DATABASE_INSTANCE","features":[197]},{"name":"EVENT_INDEXER_PAUSED_FOR_DISKFULL","features":[197]},{"name":"EVENT_INDEXER_PERFMON","features":[197]},{"name":"EVENT_INDEXER_PROPSTORE_INIT_FAILED","features":[197]},{"name":"EVENT_INDEXER_PROP_ABORTED","features":[197]},{"name":"EVENT_INDEXER_PROP_COMMITTED","features":[197]},{"name":"EVENT_INDEXER_PROP_COMMIT_FAILED","features":[197]},{"name":"EVENT_INDEXER_PROP_ERROR","features":[197]},{"name":"EVENT_INDEXER_PROP_STARTED","features":[197]},{"name":"EVENT_INDEXER_PROP_STATE_CORRUPT","features":[197]},{"name":"EVENT_INDEXER_PROP_STOPPED","features":[197]},{"name":"EVENT_INDEXER_PROP_SUCCEEDED","features":[197]},{"name":"EVENT_INDEXER_REG_ERROR","features":[197]},{"name":"EVENT_INDEXER_REG_MISSING","features":[197]},{"name":"EVENT_INDEXER_REMOVED_PROJECT","features":[197]},{"name":"EVENT_INDEXER_REMOVE_DSS_FAILED","features":[197]},{"name":"EVENT_INDEXER_REMOVE_DSS_SUCCEEDED","features":[197]},{"name":"EVENT_INDEXER_RESET_FOR_CORRUPTION","features":[197]},{"name":"EVENT_INDEXER_SCHEMA_COPY_ERROR","features":[197]},{"name":"EVENT_INDEXER_SHUTDOWN","features":[197]},{"name":"EVENT_INDEXER_STARTED","features":[197]},{"name":"EVENT_INDEXER_VERIFY_PROP_ACCOUNT","features":[197]},{"name":"EVENT_LEARN_COMPILE_FAILED","features":[197]},{"name":"EVENT_LEARN_CREATE_DB_FAILED","features":[197]},{"name":"EVENT_LEARN_PROPAGATION_COPY_FAILED","features":[197]},{"name":"EVENT_LEARN_PROPAGATION_FAILED","features":[197]},{"name":"EVENT_LOCAL_GROUPS_CACHE_FLUSHED","features":[197]},{"name":"EVENT_LOCAL_GROUP_NOT_EXPANDED","features":[197]},{"name":"EVENT_NOTIFICATION_FAILURE","features":[197]},{"name":"EVENT_NOTIFICATION_FAILURE_SCOPE_EXCEEDED_LOGGING","features":[197]},{"name":"EVENT_NOTIFICATION_RESTORED","features":[197]},{"name":"EVENT_NOTIFICATION_RESTORED_SCOPE_EXCEEDED_LOGGING","features":[197]},{"name":"EVENT_NOTIFICATION_THREAD_EXIT_FAILED","features":[197]},{"name":"EVENT_OUTOFMEMORY","features":[197]},{"name":"EVENT_PERF_COUNTERS_ALREADY_EXISTS","features":[197]},{"name":"EVENT_PERF_COUNTERS_NOT_LOADED","features":[197]},{"name":"EVENT_PERF_COUNTERS_REGISTRY_TROUBLE","features":[197]},{"name":"EVENT_PROTOCOL_HOST_FORCE_TERMINATE","features":[197]},{"name":"EVENT_REG_VERSION","features":[197]},{"name":"EVENT_SSSEARCH_CREATE_PATH_RULES_FAILED","features":[197]},{"name":"EVENT_SSSEARCH_CSM_SAVE_FAILED","features":[197]},{"name":"EVENT_SSSEARCH_DATAFILES_MOVE_FAILED","features":[197]},{"name":"EVENT_SSSEARCH_DATAFILES_MOVE_ROLLBACK_ERRORS","features":[197]},{"name":"EVENT_SSSEARCH_DATAFILES_MOVE_SUCCEEDED","features":[197]},{"name":"EVENT_SSSEARCH_DROPPED_EVENTS","features":[197]},{"name":"EVENT_SSSEARCH_SETUP_CLEANUP_FAILED","features":[197]},{"name":"EVENT_SSSEARCH_SETUP_CLEANUP_STARTED","features":[197]},{"name":"EVENT_SSSEARCH_SETUP_CLEANUP_SUCCEEDED","features":[197]},{"name":"EVENT_SSSEARCH_SETUP_FAILED","features":[197]},{"name":"EVENT_SSSEARCH_SETUP_SUCCEEDED","features":[197]},{"name":"EVENT_SSSEARCH_STARTED","features":[197]},{"name":"EVENT_SSSEARCH_STARTING_SETUP","features":[197]},{"name":"EVENT_SSSEARCH_STOPPED","features":[197]},{"name":"EVENT_STS_INIT_SECURITY_FAILED","features":[197]},{"name":"EVENT_SYSTEM_EXCEPTION","features":[197]},{"name":"EVENT_TRANSACTION_READ","features":[197]},{"name":"EVENT_TRANSLOG_APPEND","features":[197]},{"name":"EVENT_TRANSLOG_CREATE","features":[197]},{"name":"EVENT_TRANSLOG_CREATE_TRX","features":[197]},{"name":"EVENT_TRANSLOG_UPDATE","features":[197]},{"name":"EVENT_UNPRIVILEGED_SERVICE_ACCOUNT","features":[197]},{"name":"EVENT_USING_DIFFERENT_WORD_BREAKER","features":[197]},{"name":"EVENT_WARNING_CANNOT_UPGRADE_NOISE_FILE","features":[197]},{"name":"EVENT_WARNING_CANNOT_UPGRADE_NOISE_FILES","features":[197]},{"name":"EVENT_WBREAKER_NOT_LOADED","features":[197]},{"name":"EVENT_WIN32_ERROR","features":[197]},{"name":"EXCI_E_ACCESS_DENIED","features":[197]},{"name":"EXCI_E_BADCONFIG_OR_ACCESSDENIED","features":[197]},{"name":"EXCI_E_INVALID_ACCOUNT_INFO","features":[197]},{"name":"EXCI_E_INVALID_EXCHANGE_SERVER","features":[197]},{"name":"EXCI_E_INVALID_SERVER_CONFIG","features":[197]},{"name":"EXCI_E_NOT_ADMIN_OR_WRONG_SITE","features":[197]},{"name":"EXCI_E_NO_CONFIG","features":[197]},{"name":"EXCI_E_NO_MAPI","features":[197]},{"name":"EXCI_E_WRONG_SERVER_OR_ACCT","features":[197]},{"name":"EXSTOREPH_E_UNEXPECTED","features":[197]},{"name":"EX_ANY","features":[197]},{"name":"EX_CMDFATAL","features":[197]},{"name":"EX_CONTROL","features":[197]},{"name":"EX_DBCORRUPT","features":[197]},{"name":"EX_DBFATAL","features":[197]},{"name":"EX_DEADLOCK","features":[197]},{"name":"EX_HARDWARE","features":[197]},{"name":"EX_INFO","features":[197]},{"name":"EX_INTOK","features":[197]},{"name":"EX_LIMIT","features":[197]},{"name":"EX_MAXISEVERITY","features":[197]},{"name":"EX_MISSING","features":[197]},{"name":"EX_PERMIT","features":[197]},{"name":"EX_RESOURCE","features":[197]},{"name":"EX_SYNTAX","features":[197]},{"name":"EX_TABCORRUPT","features":[197]},{"name":"EX_TYPE","features":[197]},{"name":"EX_USER","features":[197]},{"name":"FAIL","features":[197]},{"name":"FF_INDEXCOMPLEXURLS","features":[197]},{"name":"FF_SUPPRESSINDEXING","features":[197]},{"name":"FILTERED_DATA_SOURCES","features":[197]},{"name":"FLTRDMN_E_CANNOT_DECRYPT_PASSWORD","features":[197]},{"name":"FLTRDMN_E_ENCRYPTED_DOCUMENT","features":[197]},{"name":"FLTRDMN_E_FILTER_INIT_FAILED","features":[197]},{"name":"FLTRDMN_E_QI_FILTER_FAILED","features":[197]},{"name":"FLTRDMN_E_UNEXPECTED","features":[197]},{"name":"FOLLOW_FLAGS","features":[197]},{"name":"FTE_E_ADMIN_BLOB_CORRUPT","features":[197]},{"name":"FTE_E_AFFINITY_MASK","features":[197]},{"name":"FTE_E_ALREADY_INITIALIZED","features":[197]},{"name":"FTE_E_ANOTHER_STATUS_CHANGE_IS_ALREADY_ACTIVE","features":[197]},{"name":"FTE_E_BATCH_ABORTED","features":[197]},{"name":"FTE_E_CATALOG_ALREADY_EXISTS","features":[197]},{"name":"FTE_E_CATALOG_DOES_NOT_EXIST","features":[197]},{"name":"FTE_E_CB_CBID_OUT_OF_BOUND","features":[197]},{"name":"FTE_E_CB_NOT_ENOUGH_AVAIL_PHY_MEM","features":[197]},{"name":"FTE_E_CB_NOT_ENOUGH_OCC_BUFFER","features":[197]},{"name":"FTE_E_CB_OUT_OF_MEMORY","features":[197]},{"name":"FTE_E_COM_SIGNATURE_VALIDATION","features":[197]},{"name":"FTE_E_CORRUPT_GATHERER_HASH_MAP","features":[197]},{"name":"FTE_E_CORRUPT_PROPERTY_STORE","features":[197]},{"name":"FTE_E_CORRUPT_WORDLIST","features":[197]},{"name":"FTE_E_DATATYPE_MISALIGNMENT","features":[197]},{"name":"FTE_E_DEPENDENT_TRAN_FAILED_TO_PERSIST","features":[197]},{"name":"FTE_E_DOC_TOO_HUGE","features":[197]},{"name":"FTE_E_DUPLICATE_OBJECT","features":[197]},{"name":"FTE_E_ERROR_WRITING_REGISTRY","features":[197]},{"name":"FTE_E_EXCEEDED_MAX_PLUGINS","features":[197]},{"name":"FTE_E_FAILED_TO_CREATE_ACCESSOR","features":[197]},{"name":"FTE_E_FAILURE_TO_POST_SETCOMPLETION_STATUS","features":[197]},{"name":"FTE_E_FD_DID_NOT_CONNECT","features":[197]},{"name":"FTE_E_FD_DOC_TIMEOUT","features":[197]},{"name":"FTE_E_FD_DOC_UNEXPECTED_EXIT","features":[197]},{"name":"FTE_E_FD_FAILED_TO_LOAD_IFILTER","features":[197]},{"name":"FTE_E_FD_FILTER_CAUSED_SHARING_VIOLATION","features":[197]},{"name":"FTE_E_FD_IDLE","features":[197]},{"name":"FTE_E_FD_IFILTER_INIT_FAILED","features":[197]},{"name":"FTE_E_FD_NOISE_NO_IPERSISTSTREAM_ON_TEXT_FILTER","features":[197]},{"name":"FTE_E_FD_NOISE_NO_TEXT_FILTER","features":[197]},{"name":"FTE_E_FD_NOISE_TEXT_FILTER_INIT_FAILED","features":[197]},{"name":"FTE_E_FD_NOISE_TEXT_FILTER_LOAD_FAILED","features":[197]},{"name":"FTE_E_FD_NO_IPERSIST_INTERFACE","features":[197]},{"name":"FTE_E_FD_OCCURRENCE_OVERFLOW","features":[197]},{"name":"FTE_E_FD_OWNERSHIP_OBSOLETE","features":[197]},{"name":"FTE_E_FD_SHUTDOWN","features":[197]},{"name":"FTE_E_FD_TIMEOUT","features":[197]},{"name":"FTE_E_FD_UNEXPECTED_EXIT","features":[197]},{"name":"FTE_E_FD_UNRESPONSIVE","features":[197]},{"name":"FTE_E_FD_USED_TOO_MUCH_MEMORY","features":[197]},{"name":"FTE_E_FILTER_SINGLE_THREADED","features":[197]},{"name":"FTE_E_HIGH_MEMORY_PRESSURE","features":[197]},{"name":"FTE_E_INVALID_CODEPAGE","features":[197]},{"name":"FTE_E_INVALID_DOCID","features":[197]},{"name":"FTE_E_INVALID_ISOLATE_ERROR_BATCH","features":[197]},{"name":"FTE_E_INVALID_PROG_ID","features":[197]},{"name":"FTE_E_INVALID_PROJECT_ID","features":[197]},{"name":"FTE_E_INVALID_PROPERTY","features":[197]},{"name":"FTE_E_INVALID_TYPE","features":[197]},{"name":"FTE_E_KEY_NOT_CACHED","features":[197]},{"name":"FTE_E_LIBRARY_NOT_LOADED","features":[197]},{"name":"FTE_E_NOT_PROCESSED_DUE_TO_PREVIOUS_ERRORS","features":[197]},{"name":"FTE_E_NO_MORE_PROPERTIES","features":[197]},{"name":"FTE_E_NO_PLUGINS","features":[197]},{"name":"FTE_E_NO_PROPERTY_STORE","features":[197]},{"name":"FTE_E_OUT_OF_RANGE","features":[197]},{"name":"FTE_E_PATH_TOO_LONG","features":[197]},{"name":"FTE_E_PAUSE_EXTERNAL","features":[197]},{"name":"FTE_E_PERFMON_FULL","features":[197]},{"name":"FTE_E_PERF_NOT_LOADED","features":[197]},{"name":"FTE_E_PIPE_DATA_CORRUPTED","features":[197]},{"name":"FTE_E_PIPE_NOT_CONNECTED","features":[197]},{"name":"FTE_E_PROGID_REQUIRED","features":[197]},{"name":"FTE_E_PROJECT_NOT_INITALIZED","features":[197]},{"name":"FTE_E_PROJECT_SHUTDOWN","features":[197]},{"name":"FTE_E_PROPERTY_STORE_WORKID_NOTVALID","features":[197]},{"name":"FTE_E_READONLY_CATALOG","features":[197]},{"name":"FTE_E_REDUNDANT_TRAN_FAILURE","features":[197]},{"name":"FTE_E_REJECTED_DUE_TO_PROJECT_STATUS","features":[197]},{"name":"FTE_E_RESOURCE_SHUTDOWN","features":[197]},{"name":"FTE_E_RETRY_HUGE_DOC","features":[197]},{"name":"FTE_E_RETRY_SINGLE_DOC_PER_BATCH","features":[197]},{"name":"FTE_E_SECRET_NOT_FOUND","features":[197]},{"name":"FTE_E_SERIAL_STREAM_CORRUPT","features":[197]},{"name":"FTE_E_STACK_CORRUPTED","features":[197]},{"name":"FTE_E_STATIC_THREAD_INVALID_ARGUMENTS","features":[197]},{"name":"FTE_E_UNEXPECTED_EXIT","features":[197]},{"name":"FTE_E_UNKNOWN_FD_TYPE","features":[197]},{"name":"FTE_E_UNKNOWN_PLUGIN","features":[197]},{"name":"FTE_E_UPGRADE_INTERFACE_ALREADY_INSTANTIATED","features":[197]},{"name":"FTE_E_UPGRADE_INTERFACE_ALREADY_SHUTDOWN","features":[197]},{"name":"FTE_E_URB_TOO_BIG","features":[197]},{"name":"FTE_INVALID_ADMIN_CLIENT","features":[197]},{"name":"FTE_S_BEYOND_QUOTA","features":[197]},{"name":"FTE_S_CATALOG_BLOB_MISMATCHED","features":[197]},{"name":"FTE_S_PROPERTY_RESET","features":[197]},{"name":"FTE_S_PROPERTY_STORE_END_OF_ENUMERATION","features":[197]},{"name":"FTE_S_READONLY_CATALOG","features":[197]},{"name":"FTE_S_REDUNDANT","features":[197]},{"name":"FTE_S_RESOURCES_STARTING_TO_GET_LOW","features":[197]},{"name":"FTE_S_RESUME","features":[197]},{"name":"FTE_S_STATUS_CHANGE_REQUEST","features":[197]},{"name":"FTE_S_TRY_TO_FLUSH","features":[197]},{"name":"FilterRegistration","features":[197]},{"name":"GENERATE_METHOD_PREFIXMATCH","features":[197]},{"name":"GENERATE_METHOD_STEMMED","features":[197]},{"name":"GHTR_E_INSUFFICIENT_DISK_SPACE","features":[197]},{"name":"GHTR_E_LOCAL_SERVER_UNAVAILABLE","features":[197]},{"name":"GTHR_E_ADDLINKS_FAILED_WILL_RETRY_PARENT","features":[197]},{"name":"GTHR_E_APPLICATION_NOT_FOUND","features":[197]},{"name":"GTHR_E_AUTOCAT_UNEXPECTED","features":[197]},{"name":"GTHR_E_BACKUP_VALIDATION_FAIL","features":[197]},{"name":"GTHR_E_BAD_FILTER_DAEMON","features":[197]},{"name":"GTHR_E_BAD_FILTER_HOST","features":[197]},{"name":"GTHR_E_CANNOT_ENABLE_CHECKPOINT","features":[197]},{"name":"GTHR_E_CANNOT_REMOVE_PLUGINMGR","features":[197]},{"name":"GTHR_E_CONFIG_DUP_EXTENSION","features":[197]},{"name":"GTHR_E_CONFIG_DUP_PROJECT","features":[197]},{"name":"GTHR_E_CONTENT_ID_CONFLICT","features":[197]},{"name":"GTHR_E_DIRMON_NOT_INITIALZED","features":[197]},{"name":"GTHR_E_DUPLICATE_OBJECT","features":[197]},{"name":"GTHR_E_DUPLICATE_PROJECT","features":[197]},{"name":"GTHR_E_DUPLICATE_URL","features":[197]},{"name":"GTHR_E_DUP_PROPERTY_MAPPING","features":[197]},{"name":"GTHR_E_EMPTY_DACL","features":[197]},{"name":"GTHR_E_ERROR_INITIALIZING_PERFMON","features":[197]},{"name":"GTHR_E_ERROR_OBJECT_NOT_FOUND","features":[197]},{"name":"GTHR_E_ERROR_WRITING_REGISTRY","features":[197]},{"name":"GTHR_E_FILTERPOOL_NOTFOUND","features":[197]},{"name":"GTHR_E_FILTER_FAULT","features":[197]},{"name":"GTHR_E_FILTER_INIT","features":[197]},{"name":"GTHR_E_FILTER_INTERRUPTED","features":[197]},{"name":"GTHR_E_FILTER_INVALID_MESSAGE","features":[197]},{"name":"GTHR_E_FILTER_NOT_FOUND","features":[197]},{"name":"GTHR_E_FILTER_NO_CODEPAGE","features":[197]},{"name":"GTHR_E_FILTER_NO_MORE_THREADS","features":[197]},{"name":"GTHR_E_FILTER_PROCESS_TERMINATED","features":[197]},{"name":"GTHR_E_FILTER_PROCESS_TERMINATED_QUOTA","features":[197]},{"name":"GTHR_E_FILTER_SINGLE_THREADED","features":[197]},{"name":"GTHR_E_FOLDER_CRAWLED_BY_ANOTHER_WORKSPACE","features":[197]},{"name":"GTHR_E_FORCE_NOTIFICATION_RESET","features":[197]},{"name":"GTHR_E_FROM_NOT_SPECIFIED","features":[197]},{"name":"GTHR_E_IE_OFFLINE","features":[197]},{"name":"GTHR_E_INSUFFICIENT_EXAMPLE_CATEGORIES","features":[197]},{"name":"GTHR_E_INSUFFICIENT_EXAMPLE_DOCUMENTS","features":[197]},{"name":"GTHR_E_INSUFFICIENT_FEATURE_TERMS","features":[197]},{"name":"GTHR_E_INVALIDFUNCTION","features":[197]},{"name":"GTHR_E_INVALID_ACCOUNT","features":[197]},{"name":"GTHR_E_INVALID_ACCOUNT_SYNTAX","features":[197]},{"name":"GTHR_E_INVALID_APPLICATION_NAME","features":[197]},{"name":"GTHR_E_INVALID_CALL_FROM_WBREAKER","features":[197]},{"name":"GTHR_E_INVALID_DIRECTORY","features":[197]},{"name":"GTHR_E_INVALID_EXTENSION","features":[197]},{"name":"GTHR_E_INVALID_GROW_FACTOR","features":[197]},{"name":"GTHR_E_INVALID_HOST_NAME","features":[197]},{"name":"GTHR_E_INVALID_LOG_FILE_NAME","features":[197]},{"name":"GTHR_E_INVALID_MAPPING","features":[197]},{"name":"GTHR_E_INVALID_PATH","features":[197]},{"name":"GTHR_E_INVALID_PATH_EXPRESSION","features":[197]},{"name":"GTHR_E_INVALID_PATH_SPEC","features":[197]},{"name":"GTHR_E_INVALID_PROJECT_NAME","features":[197]},{"name":"GTHR_E_INVALID_PROXY_PORT","features":[197]},{"name":"GTHR_E_INVALID_RESOURCE_ID","features":[197]},{"name":"GTHR_E_INVALID_RETRIES","features":[197]},{"name":"GTHR_E_INVALID_START_ADDRESS","features":[197]},{"name":"GTHR_E_INVALID_START_PAGE","features":[197]},{"name":"GTHR_E_INVALID_START_PAGE_HOST","features":[197]},{"name":"GTHR_E_INVALID_START_PAGE_PATH","features":[197]},{"name":"GTHR_E_INVALID_STREAM_LOGS_COUNT","features":[197]},{"name":"GTHR_E_INVALID_TIME_OUT","features":[197]},{"name":"GTHR_E_JET_BACKUP_ERROR","features":[197]},{"name":"GTHR_E_JET_RESTORE_ERROR","features":[197]},{"name":"GTHR_E_LOCAL_GROUPS_EXPANSION_INTERNAL_ERROR","features":[197]},{"name":"GTHR_E_NAME_TOO_LONG","features":[197]},{"name":"GTHR_E_NESTED_HIERARCHICAL_START_ADDRESSES","features":[197]},{"name":"GTHR_E_NOFILTERSINK","features":[197]},{"name":"GTHR_E_NON_FIXED_DRIVE","features":[197]},{"name":"GTHR_E_NOTIFICATION_FILE_SHARE_INFO_NOT_AVAILABLE","features":[197]},{"name":"GTHR_E_NOTIFICATION_LOCAL_PATH_MUST_USE_FIXED_DRIVE","features":[197]},{"name":"GTHR_E_NOTIFICATION_START_ADDRESS_INVALID","features":[197]},{"name":"GTHR_E_NOTIFICATION_START_PAGE","features":[197]},{"name":"GTHR_E_NOTIFICATION_TYPE_NOT_SUPPORTED","features":[197]},{"name":"GTHR_E_NOTIF_ACCESS_TOKEN_UPDATED","features":[197]},{"name":"GTHR_E_NOTIF_BEING_REMOVED","features":[197]},{"name":"GTHR_E_NOTIF_EXCESSIVE_THROUGHPUT","features":[197]},{"name":"GTHR_E_NO_IDENTITY","features":[197]},{"name":"GTHR_E_NO_PRTCLHNLR","features":[197]},{"name":"GTHR_E_NTF_CLIENT_NOT_SUBSCRIBED","features":[197]},{"name":"GTHR_E_OBJECT_NOT_VALID","features":[197]},{"name":"GTHR_E_OUT_OF_DOC_ID","features":[197]},{"name":"GTHR_E_PIPE_NOT_CONNECTTED","features":[197]},{"name":"GTHR_E_PLUGIN_NOT_REGISTERED","features":[197]},{"name":"GTHR_E_PROJECT_NOT_INITIALIZED","features":[197]},{"name":"GTHR_E_PROPERTIES_EXCEEDED","features":[197]},{"name":"GTHR_E_PROPERTY_LIST_NOT_INITIALIZED","features":[197]},{"name":"GTHR_E_PROXY_NAME","features":[197]},{"name":"GTHR_E_PRT_HNDLR_PROGID_MISSING","features":[197]},{"name":"GTHR_E_RECOVERABLE_EXOLEDB_ERROR","features":[197]},{"name":"GTHR_E_RETRY","features":[197]},{"name":"GTHR_E_SCHEMA_ERRORS_OCCURRED","features":[197]},{"name":"GTHR_E_SCOPES_EXCEEDED","features":[197]},{"name":"GTHR_E_SECRET_NOT_FOUND","features":[197]},{"name":"GTHR_E_SERVER_UNAVAILABLE","features":[197]},{"name":"GTHR_E_SHUTTING_DOWN","features":[197]},{"name":"GTHR_E_SINGLE_THREADED_EMBEDDING","features":[197]},{"name":"GTHR_E_TIMEOUT","features":[197]},{"name":"GTHR_E_TOO_MANY_PLUGINS","features":[197]},{"name":"GTHR_E_UNABLE_TO_READ_EXCHANGE_STORE","features":[197]},{"name":"GTHR_E_UNABLE_TO_READ_REGISTRY","features":[197]},{"name":"GTHR_E_UNKNOWN_PROTOCOL","features":[197]},{"name":"GTHR_E_UNSUPPORTED_PROPERTY_TYPE","features":[197]},{"name":"GTHR_E_URL_EXCLUDED","features":[197]},{"name":"GTHR_E_URL_UNIDENTIFIED","features":[197]},{"name":"GTHR_E_USER_AGENT_NOT_SPECIFIED","features":[197]},{"name":"GTHR_E_VALUE_NOT_AVAILABLE","features":[197]},{"name":"GTHR_S_BAD_FILE_LINK","features":[197]},{"name":"GTHR_S_CANNOT_FILTER","features":[197]},{"name":"GTHR_S_CANNOT_WORDBREAK","features":[197]},{"name":"GTHR_S_CONFIG_HAS_ACCOUNTS","features":[197]},{"name":"GTHR_S_CRAWL_ADAPTIVE","features":[197]},{"name":"GTHR_S_CRAWL_FULL","features":[197]},{"name":"GTHR_S_CRAWL_INCREMENTAL","features":[197]},{"name":"GTHR_S_CRAWL_SCHEDULED","features":[197]},{"name":"GTHR_S_END_PROCESS_LOOP_NOTIFY_QUEUE","features":[197]},{"name":"GTHR_S_END_STD_CHUNKS","features":[197]},{"name":"GTHR_S_MODIFIED_PARTS","features":[197]},{"name":"GTHR_S_NOT_ALL_PARTS","features":[197]},{"name":"GTHR_S_NO_CRAWL_SEEDS","features":[197]},{"name":"GTHR_S_NO_INDEX","features":[197]},{"name":"GTHR_S_OFFICE_CHILD","features":[197]},{"name":"GTHR_S_PAUSE_REASON_BACKOFF","features":[197]},{"name":"GTHR_S_PAUSE_REASON_EXTERNAL","features":[197]},{"name":"GTHR_S_PAUSE_REASON_PROFILE_IMPORT","features":[197]},{"name":"GTHR_S_PAUSE_REASON_UPGRADING","features":[197]},{"name":"GTHR_S_PROB_NOT_MODIFIED","features":[197]},{"name":"GTHR_S_START_FILTER_FROM_BODY","features":[197]},{"name":"GTHR_S_START_FILTER_FROM_PROTOCOL","features":[197]},{"name":"GTHR_S_STATUS_CHANGE_IGNORED","features":[197]},{"name":"GTHR_S_STATUS_END_CRAWL","features":[197]},{"name":"GTHR_S_STATUS_PAUSE","features":[197]},{"name":"GTHR_S_STATUS_RESET","features":[197]},{"name":"GTHR_S_STATUS_RESUME","features":[197]},{"name":"GTHR_S_STATUS_START","features":[197]},{"name":"GTHR_S_STATUS_STOP","features":[197]},{"name":"GTHR_S_STATUS_THROTTLE","features":[197]},{"name":"GTHR_S_TRANSACTION_IGNORED","features":[197]},{"name":"GTHR_S_USE_MIME_FILTER","features":[197]},{"name":"HACCESSOR","features":[197]},{"name":"HITRANGE","features":[197]},{"name":"IAccessor","features":[197]},{"name":"IAlterIndex","features":[197]},{"name":"IAlterTable","features":[197]},{"name":"IBindResource","features":[197]},{"name":"IChapteredRowset","features":[197]},{"name":"IColumnMapper","features":[197]},{"name":"IColumnMapperCreator","features":[197]},{"name":"IColumnsInfo","features":[197]},{"name":"IColumnsInfo2","features":[197]},{"name":"IColumnsRowset","features":[197]},{"name":"ICommand","features":[197]},{"name":"ICommandCost","features":[197]},{"name":"ICommandPersist","features":[197]},{"name":"ICommandPrepare","features":[197]},{"name":"ICommandProperties","features":[197]},{"name":"ICommandStream","features":[197]},{"name":"ICommandText","features":[197]},{"name":"ICommandValidate","features":[197]},{"name":"ICommandWithParameters","features":[197]},{"name":"ICondition","features":[197]},{"name":"ICondition2","features":[197]},{"name":"IConditionFactory","features":[197]},{"name":"IConditionFactory2","features":[197]},{"name":"IConditionGenerator","features":[197]},{"name":"IConvertType","features":[197]},{"name":"ICreateRow","features":[197]},{"name":"IDBAsynchNotify","features":[197]},{"name":"IDBAsynchStatus","features":[197]},{"name":"IDBBinderProperties","features":[197]},{"name":"IDBCreateCommand","features":[197]},{"name":"IDBCreateSession","features":[197]},{"name":"IDBDataSourceAdmin","features":[197]},{"name":"IDBInfo","features":[197]},{"name":"IDBInitialize","features":[197]},{"name":"IDBPromptInitialize","features":[197]},{"name":"IDBProperties","features":[197]},{"name":"IDBSchemaCommand","features":[197]},{"name":"IDBSchemaRowset","features":[197]},{"name":"IDCInfo","features":[197]},{"name":"IDENTIFIER_SDK_ERROR","features":[197]},{"name":"IDENTIFIER_SDK_MASK","features":[197]},{"name":"IDS_MON_BUILTIN_PROPERTY","features":[197]},{"name":"IDS_MON_BUILTIN_VIEW","features":[197]},{"name":"IDS_MON_CANNOT_CAST","features":[197]},{"name":"IDS_MON_CANNOT_CONVERT","features":[197]},{"name":"IDS_MON_COLUMN_NOT_DEFINED","features":[197]},{"name":"IDS_MON_DATE_OUT_OF_RANGE","features":[197]},{"name":"IDS_MON_DEFAULT_ERROR","features":[197]},{"name":"IDS_MON_ILLEGAL_PASSTHROUGH","features":[197]},{"name":"IDS_MON_INVALIDSELECT_COALESCE","features":[197]},{"name":"IDS_MON_INVALID_CATALOG","features":[197]},{"name":"IDS_MON_INVALID_IN_GROUP_CLAUSE","features":[197]},{"name":"IDS_MON_MATCH_STRING","features":[197]},{"name":"IDS_MON_NOT_COLUMN_OF_VIEW","features":[197]},{"name":"IDS_MON_ORDINAL_OUT_OF_RANGE","features":[197]},{"name":"IDS_MON_OR_NOT","features":[197]},{"name":"IDS_MON_OUT_OF_MEMORY","features":[197]},{"name":"IDS_MON_OUT_OF_RANGE","features":[197]},{"name":"IDS_MON_PARSE_ERR_1_PARAM","features":[197]},{"name":"IDS_MON_PARSE_ERR_2_PARAM","features":[197]},{"name":"IDS_MON_PROPERTY_NAME_IN_VIEW","features":[197]},{"name":"IDS_MON_RELATIVE_INTERVAL","features":[197]},{"name":"IDS_MON_SELECT_STAR","features":[197]},{"name":"IDS_MON_SEMI_COLON","features":[197]},{"name":"IDS_MON_VIEW_ALREADY_DEFINED","features":[197]},{"name":"IDS_MON_VIEW_NOT_DEFINED","features":[197]},{"name":"IDS_MON_WEIGHT_OUT_OF_RANGE","features":[197]},{"name":"IDX_E_BUILD_IN_PROGRESS","features":[197]},{"name":"IDX_E_CATALOG_DISMOUNTED","features":[197]},{"name":"IDX_E_CORRUPT_INDEX","features":[197]},{"name":"IDX_E_DISKFULL","features":[197]},{"name":"IDX_E_DOCUMENT_ABORTED","features":[197]},{"name":"IDX_E_DSS_NOT_CONNECTED","features":[197]},{"name":"IDX_E_IDXLSTFILE_CORRUPT","features":[197]},{"name":"IDX_E_INVALIDTAG","features":[197]},{"name":"IDX_E_INVALID_INDEX","features":[197]},{"name":"IDX_E_METAFILE_CORRUPT","features":[197]},{"name":"IDX_E_NOISELIST_NOTFOUND","features":[197]},{"name":"IDX_E_NOT_LOADED","features":[197]},{"name":"IDX_E_OBJECT_NOT_FOUND","features":[197]},{"name":"IDX_E_PROPSTORE_INIT_FAILED","features":[197]},{"name":"IDX_E_PROP_MAJOR_VERSION_MISMATCH","features":[197]},{"name":"IDX_E_PROP_MINOR_VERSION_MISMATCH","features":[197]},{"name":"IDX_E_PROP_STATE_CORRUPT","features":[197]},{"name":"IDX_E_PROP_STOPPED","features":[197]},{"name":"IDX_E_REGISTRY_ENTRY","features":[197]},{"name":"IDX_E_SEARCH_SERVER_ALREADY_EXISTS","features":[197]},{"name":"IDX_E_SEARCH_SERVER_NOT_FOUND","features":[197]},{"name":"IDX_E_STEMMER_NOTFOUND","features":[197]},{"name":"IDX_E_TOO_MANY_SEARCH_SERVERS","features":[197]},{"name":"IDX_E_USE_APPGLOBAL_PROPTABLE","features":[197]},{"name":"IDX_E_USE_DEFAULT_CONTENTCLASS","features":[197]},{"name":"IDX_E_WB_NOTFOUND","features":[197]},{"name":"IDX_S_DSS_NOT_AVAILABLE","features":[197]},{"name":"IDX_S_NO_BUILD_IN_PROGRESS","features":[197]},{"name":"IDX_S_SEARCH_SERVER_ALREADY_EXISTS","features":[197]},{"name":"IDX_S_SEARCH_SERVER_DOES_NOT_EXIST","features":[197]},{"name":"IDataConvert","features":[197]},{"name":"IDataInitialize","features":[197]},{"name":"IDataSourceLocator","features":[197]},{"name":"IEntity","features":[197]},{"name":"IEnumItemProperties","features":[197]},{"name":"IEnumSearchRoots","features":[197]},{"name":"IEnumSearchScopeRules","features":[197]},{"name":"IEnumSubscription","features":[197]},{"name":"IErrorLookup","features":[197]},{"name":"IErrorRecords","features":[197]},{"name":"IGetDataSource","features":[197]},{"name":"IGetRow","features":[197]},{"name":"IGetSession","features":[197]},{"name":"IGetSourceRow","features":[197]},{"name":"IIndexDefinition","features":[197]},{"name":"IInterval","features":[197]},{"name":"ILK_EXPLICIT_EXCLUDED","features":[197]},{"name":"ILK_EXPLICIT_INCLUDED","features":[197]},{"name":"ILK_NEGATIVE_INFINITY","features":[197]},{"name":"ILK_POSITIVE_INFINITY","features":[197]},{"name":"ILoadFilter","features":[197]},{"name":"ILoadFilterWithPrivateComActivation","features":[197]},{"name":"IMDDataset","features":[197]},{"name":"IMDFind","features":[197]},{"name":"IMDRangeRowset","features":[197]},{"name":"IMetaData","features":[197]},{"name":"IMultipleResults","features":[197]},{"name":"INCREMENTAL_ACCESS_INFO","features":[1,197]},{"name":"INET_E_AGENT_CACHE_SIZE_EXCEEDED","features":[197]},{"name":"INET_E_AGENT_CONNECTION_FAILED","features":[197]},{"name":"INET_E_AGENT_EXCEEDING_CACHE_SIZE","features":[197]},{"name":"INET_E_AGENT_MAX_SIZE_EXCEEDED","features":[197]},{"name":"INET_E_SCHEDULED_EXCLUDE_RANGE","features":[197]},{"name":"INET_E_SCHEDULED_UPDATES_DISABLED","features":[197]},{"name":"INET_E_SCHEDULED_UPDATES_RESTRICTED","features":[197]},{"name":"INET_E_SCHEDULED_UPDATE_INTERVAL","features":[197]},{"name":"INET_S_AGENT_INCREASED_CACHE_SIZE","features":[197]},{"name":"INET_S_AGENT_PART_FAIL","features":[197]},{"name":"INTERVAL_LIMIT_KIND","features":[197]},{"name":"INamedEntity","features":[197]},{"name":"INamedEntityCollector","features":[197]},{"name":"IObjectAccessControl","features":[197]},{"name":"IOpLockStatus","features":[197]},{"name":"IOpenRowset","features":[197]},{"name":"IParentRowset","features":[197]},{"name":"IProtocolHandlerSite","features":[197]},{"name":"IProvideMoniker","features":[197]},{"name":"IQueryParser","features":[197]},{"name":"IQueryParserManager","features":[197]},{"name":"IQuerySolution","features":[197]},{"name":"IReadData","features":[197]},{"name":"IRegisterProvider","features":[197]},{"name":"IRelationship","features":[197]},{"name":"IRichChunk","features":[197]},{"name":"IRow","features":[197]},{"name":"IRowChange","features":[197]},{"name":"IRowPosition","features":[197]},{"name":"IRowPositionChange","features":[197]},{"name":"IRowSchemaChange","features":[197]},{"name":"IRowset","features":[197]},{"name":"IRowsetAsynch","features":[197]},{"name":"IRowsetBookmark","features":[197]},{"name":"IRowsetChange","features":[197]},{"name":"IRowsetChangeExtInfo","features":[197]},{"name":"IRowsetChapterMember","features":[197]},{"name":"IRowsetCopyRows","features":[197]},{"name":"IRowsetCurrentIndex","features":[197]},{"name":"IRowsetEvents","features":[197]},{"name":"IRowsetExactScroll","features":[197]},{"name":"IRowsetFastLoad","features":[197]},{"name":"IRowsetFind","features":[197]},{"name":"IRowsetIdentity","features":[197]},{"name":"IRowsetIndex","features":[197]},{"name":"IRowsetInfo","features":[197]},{"name":"IRowsetKeys","features":[197]},{"name":"IRowsetLocate","features":[197]},{"name":"IRowsetNewRowAfter","features":[197]},{"name":"IRowsetNextRowset","features":[197]},{"name":"IRowsetNotify","features":[197]},{"name":"IRowsetPrioritization","features":[197]},{"name":"IRowsetQueryStatus","features":[197]},{"name":"IRowsetRefresh","features":[197]},{"name":"IRowsetResynch","features":[197]},{"name":"IRowsetScroll","features":[197]},{"name":"IRowsetUpdate","features":[197]},{"name":"IRowsetView","features":[197]},{"name":"IRowsetWatchAll","features":[197]},{"name":"IRowsetWatchNotify","features":[197]},{"name":"IRowsetWatchRegion","features":[197]},{"name":"IRowsetWithParameters","features":[197]},{"name":"ISQLErrorInfo","features":[197]},{"name":"ISQLGetDiagField","features":[197]},{"name":"ISQLRequestDiagFields","features":[197]},{"name":"ISQLServerErrorInfo","features":[197]},{"name":"ISchemaLocalizerSupport","features":[197]},{"name":"ISchemaLock","features":[197]},{"name":"ISchemaProvider","features":[197]},{"name":"IScopedOperations","features":[197]},{"name":"ISearchCatalogManager","features":[197]},{"name":"ISearchCatalogManager2","features":[197]},{"name":"ISearchCrawlScopeManager","features":[197]},{"name":"ISearchCrawlScopeManager2","features":[197]},{"name":"ISearchItemsChangedSink","features":[197]},{"name":"ISearchLanguageSupport","features":[197]},{"name":"ISearchManager","features":[197]},{"name":"ISearchManager2","features":[197]},{"name":"ISearchNotifyInlineSite","features":[197]},{"name":"ISearchPersistentItemsChangedSink","features":[197]},{"name":"ISearchProtocol","features":[197]},{"name":"ISearchProtocol2","features":[197]},{"name":"ISearchProtocolThreadContext","features":[197]},{"name":"ISearchQueryHelper","features":[197]},{"name":"ISearchQueryHits","features":[197]},{"name":"ISearchRoot","features":[197]},{"name":"ISearchScopeRule","features":[197]},{"name":"ISearchViewChangedSink","features":[197]},{"name":"ISecurityInfo","features":[197]},{"name":"IService","features":[197]},{"name":"ISessionProperties","features":[197]},{"name":"ISimpleCommandCreator","features":[197]},{"name":"ISourcesRowset","features":[197]},{"name":"IStemmer","features":[197]},{"name":"ISubscriptionItem","features":[197]},{"name":"ISubscriptionMgr","features":[197]},{"name":"ISubscriptionMgr2","features":[197]},{"name":"ITEMPROP","features":[1,41,197,42]},{"name":"ITEM_INFO","features":[197]},{"name":"ITableCreation","features":[197]},{"name":"ITableDefinition","features":[197]},{"name":"ITableDefinitionWithConstraints","features":[197]},{"name":"ITableRename","features":[197]},{"name":"ITokenCollection","features":[197]},{"name":"ITransactionJoin","features":[197]},{"name":"ITransactionLocal","features":[197]},{"name":"ITransactionObject","features":[197]},{"name":"ITrusteeAdmin","features":[197]},{"name":"ITrusteeGroupAdmin","features":[197]},{"name":"IUMS","features":[197]},{"name":"IUMSInitialize","features":[197]},{"name":"IUrlAccessor","features":[197]},{"name":"IUrlAccessor2","features":[197]},{"name":"IUrlAccessor3","features":[197]},{"name":"IUrlAccessor4","features":[197]},{"name":"IViewChapter","features":[197]},{"name":"IViewFilter","features":[197]},{"name":"IViewRowset","features":[197]},{"name":"IViewSort","features":[197]},{"name":"IWordBreaker","features":[197]},{"name":"IWordFormSink","features":[197]},{"name":"IWordSink","features":[197]},{"name":"Interval","features":[197]},{"name":"JET_GET_PROP_STORE_ERROR","features":[197]},{"name":"JET_INIT_ERROR","features":[197]},{"name":"JET_MULTIINSTANCE_DISABLED","features":[197]},{"name":"JET_NEW_PROP_STORE_ERROR","features":[197]},{"name":"JPS_E_CATALOG_DECSRIPTION_MISSING","features":[197]},{"name":"JPS_E_INSUFFICIENT_DATABASE_RESOURCES","features":[197]},{"name":"JPS_E_INSUFFICIENT_DATABASE_SESSIONS","features":[197]},{"name":"JPS_E_INSUFFICIENT_VERSION_STORAGE","features":[197]},{"name":"JPS_E_JET_ERR","features":[197]},{"name":"JPS_E_MISSING_INFORMATION","features":[197]},{"name":"JPS_E_PROPAGATION_CORRUPTION","features":[197]},{"name":"JPS_E_PROPAGATION_FILE","features":[197]},{"name":"JPS_E_PROPAGATION_VERSION_MISMATCH","features":[197]},{"name":"JPS_E_SCHEMA_ERROR","features":[197]},{"name":"JPS_E_SHARING_VIOLATION","features":[197]},{"name":"JPS_S_DUPLICATE_DOC_DETECTED","features":[197]},{"name":"KAGGETDIAG","features":[1,41,197,42]},{"name":"KAGPROPVAL_CONCUR_LOCK","features":[197]},{"name":"KAGPROPVAL_CONCUR_READ_ONLY","features":[197]},{"name":"KAGPROPVAL_CONCUR_ROWVER","features":[197]},{"name":"KAGPROPVAL_CONCUR_VALUES","features":[197]},{"name":"KAGPROP_ACCESSIBLEPROCEDURES","features":[197]},{"name":"KAGPROP_ACCESSIBLETABLES","features":[197]},{"name":"KAGPROP_ACTIVESTATEMENTS","features":[197]},{"name":"KAGPROP_AUTH_SERVERINTEGRATED","features":[197]},{"name":"KAGPROP_AUTH_TRUSTEDCONNECTION","features":[197]},{"name":"KAGPROP_BLOBSONFOCURSOR","features":[197]},{"name":"KAGPROP_CONCURRENCY","features":[197]},{"name":"KAGPROP_CURSOR","features":[197]},{"name":"KAGPROP_DRIVERNAME","features":[197]},{"name":"KAGPROP_DRIVERODBCVER","features":[197]},{"name":"KAGPROP_DRIVERVER","features":[197]},{"name":"KAGPROP_FILEUSAGE","features":[197]},{"name":"KAGPROP_FORCENOPARAMETERREBIND","features":[197]},{"name":"KAGPROP_FORCENOPREPARE","features":[197]},{"name":"KAGPROP_FORCENOREEXECUTE","features":[197]},{"name":"KAGPROP_FORCESSFIREHOSEMODE","features":[197]},{"name":"KAGPROP_INCLUDENONEXACT","features":[197]},{"name":"KAGPROP_IRowsetChangeExtInfo","features":[197]},{"name":"KAGPROP_LIKEESCAPECLAUSE","features":[197]},{"name":"KAGPROP_MARSHALLABLE","features":[197]},{"name":"KAGPROP_MAXCOLUMNSINGROUPBY","features":[197]},{"name":"KAGPROP_MAXCOLUMNSININDEX","features":[197]},{"name":"KAGPROP_MAXCOLUMNSINORDERBY","features":[197]},{"name":"KAGPROP_MAXCOLUMNSINSELECT","features":[197]},{"name":"KAGPROP_MAXCOLUMNSINTABLE","features":[197]},{"name":"KAGPROP_NUMERICFUNCTIONS","features":[197]},{"name":"KAGPROP_ODBCSQLCONFORMANCE","features":[197]},{"name":"KAGPROP_ODBCSQLOPTIEF","features":[197]},{"name":"KAGPROP_OJCAPABILITY","features":[197]},{"name":"KAGPROP_OUTERJOINS","features":[197]},{"name":"KAGPROP_POSITIONONNEWROW","features":[197]},{"name":"KAGPROP_PROCEDURES","features":[197]},{"name":"KAGPROP_QUERYBASEDUPDATES","features":[197]},{"name":"KAGPROP_SPECIALCHARACTERS","features":[197]},{"name":"KAGPROP_STRINGFUNCTIONS","features":[197]},{"name":"KAGPROP_SYSTEMFUNCTIONS","features":[197]},{"name":"KAGPROP_TIMEDATEFUNCTIONS","features":[197]},{"name":"KAGREQDIAG","features":[197,42]},{"name":"KAGREQDIAGFLAGSENUM","features":[197]},{"name":"KAGREQDIAGFLAGS_HEADER","features":[197]},{"name":"KAGREQDIAGFLAGS_RECORD","features":[197]},{"name":"LOCKMODEENUM","features":[197]},{"name":"LOCKMODE_EXCLUSIVE","features":[197]},{"name":"LOCKMODE_INVALID","features":[197]},{"name":"LOCKMODE_SHARED","features":[197]},{"name":"LeafCondition","features":[197]},{"name":"MAXNAME","features":[197]},{"name":"MAXNUMERICLEN","features":[197]},{"name":"MAXUSEVERITY","features":[197]},{"name":"MAX_QUERY_RANK","features":[197]},{"name":"MDAXISINFO","features":[197]},{"name":"MDAXISINFO","features":[197]},{"name":"MDAXIS_CHAPTERS","features":[197]},{"name":"MDAXIS_COLUMNS","features":[197]},{"name":"MDAXIS_PAGES","features":[197]},{"name":"MDAXIS_ROWS","features":[197]},{"name":"MDAXIS_SECTIONS","features":[197]},{"name":"MDAXIS_SLICERS","features":[197]},{"name":"MDDISPINFO_DRILLED_DOWN","features":[197]},{"name":"MDDISPINFO_PARENT_SAME_AS_PREV","features":[197]},{"name":"MDFF_BOLD","features":[197]},{"name":"MDFF_ITALIC","features":[197]},{"name":"MDFF_STRIKEOUT","features":[197]},{"name":"MDFF_UNDERLINE","features":[197]},{"name":"MDLEVEL_TYPE_ALL","features":[197]},{"name":"MDLEVEL_TYPE_CALCULATED","features":[197]},{"name":"MDLEVEL_TYPE_REGULAR","features":[197]},{"name":"MDLEVEL_TYPE_RESERVED1","features":[197]},{"name":"MDLEVEL_TYPE_TIME","features":[197]},{"name":"MDLEVEL_TYPE_TIME_DAYS","features":[197]},{"name":"MDLEVEL_TYPE_TIME_HALF_YEAR","features":[197]},{"name":"MDLEVEL_TYPE_TIME_HOURS","features":[197]},{"name":"MDLEVEL_TYPE_TIME_MINUTES","features":[197]},{"name":"MDLEVEL_TYPE_TIME_MONTHS","features":[197]},{"name":"MDLEVEL_TYPE_TIME_QUARTERS","features":[197]},{"name":"MDLEVEL_TYPE_TIME_SECONDS","features":[197]},{"name":"MDLEVEL_TYPE_TIME_UNDEFINED","features":[197]},{"name":"MDLEVEL_TYPE_TIME_WEEKS","features":[197]},{"name":"MDLEVEL_TYPE_TIME_YEARS","features":[197]},{"name":"MDLEVEL_TYPE_UNKNOWN","features":[197]},{"name":"MDMEASURE_AGGR_AVG","features":[197]},{"name":"MDMEASURE_AGGR_CALCULATED","features":[197]},{"name":"MDMEASURE_AGGR_COUNT","features":[197]},{"name":"MDMEASURE_AGGR_MAX","features":[197]},{"name":"MDMEASURE_AGGR_MIN","features":[197]},{"name":"MDMEASURE_AGGR_STD","features":[197]},{"name":"MDMEASURE_AGGR_SUM","features":[197]},{"name":"MDMEASURE_AGGR_UNKNOWN","features":[197]},{"name":"MDMEASURE_AGGR_VAR","features":[197]},{"name":"MDMEMBER_TYPE_ALL","features":[197]},{"name":"MDMEMBER_TYPE_FORMULA","features":[197]},{"name":"MDMEMBER_TYPE_MEASURE","features":[197]},{"name":"MDMEMBER_TYPE_REGULAR","features":[197]},{"name":"MDMEMBER_TYPE_RESERVE1","features":[197]},{"name":"MDMEMBER_TYPE_RESERVE2","features":[197]},{"name":"MDMEMBER_TYPE_RESERVE3","features":[197]},{"name":"MDMEMBER_TYPE_RESERVE4","features":[197]},{"name":"MDMEMBER_TYPE_UNKNOWN","features":[197]},{"name":"MDPROPVAL_AU_UNCHANGED","features":[197]},{"name":"MDPROPVAL_AU_UNKNOWN","features":[197]},{"name":"MDPROPVAL_AU_UNSUPPORTED","features":[197]},{"name":"MDPROPVAL_FS_FULL_SUPPORT","features":[197]},{"name":"MDPROPVAL_FS_GENERATED_COLUMN","features":[197]},{"name":"MDPROPVAL_FS_GENERATED_DIMENSION","features":[197]},{"name":"MDPROPVAL_FS_NO_SUPPORT","features":[197]},{"name":"MDPROPVAL_MC_SEARCHEDCASE","features":[197]},{"name":"MDPROPVAL_MC_SINGLECASE","features":[197]},{"name":"MDPROPVAL_MD_AFTER","features":[197]},{"name":"MDPROPVAL_MD_BEFORE","features":[197]},{"name":"MDPROPVAL_MD_SELF","features":[197]},{"name":"MDPROPVAL_MF_CREATE_CALCMEMBERS","features":[197]},{"name":"MDPROPVAL_MF_CREATE_NAMEDSETS","features":[197]},{"name":"MDPROPVAL_MF_SCOPE_GLOBAL","features":[197]},{"name":"MDPROPVAL_MF_SCOPE_SESSION","features":[197]},{"name":"MDPROPVAL_MF_WITH_CALCMEMBERS","features":[197]},{"name":"MDPROPVAL_MF_WITH_NAMEDSETS","features":[197]},{"name":"MDPROPVAL_MJC_IMPLICITCUBE","features":[197]},{"name":"MDPROPVAL_MJC_MULTICUBES","features":[197]},{"name":"MDPROPVAL_MJC_SINGLECUBE","features":[197]},{"name":"MDPROPVAL_MMF_CLOSINGPERIOD","features":[197]},{"name":"MDPROPVAL_MMF_COUSIN","features":[197]},{"name":"MDPROPVAL_MMF_OPENINGPERIOD","features":[197]},{"name":"MDPROPVAL_MMF_PARALLELPERIOD","features":[197]},{"name":"MDPROPVAL_MNF_AGGREGATE","features":[197]},{"name":"MDPROPVAL_MNF_CORRELATION","features":[197]},{"name":"MDPROPVAL_MNF_COVARIANCE","features":[197]},{"name":"MDPROPVAL_MNF_DRILLDOWNLEVEL","features":[197]},{"name":"MDPROPVAL_MNF_DRILLDOWNLEVELBOTTOM","features":[197]},{"name":"MDPROPVAL_MNF_DRILLDOWNLEVELTOP","features":[197]},{"name":"MDPROPVAL_MNF_DRILLDOWNMEMBERBOTTOM","features":[197]},{"name":"MDPROPVAL_MNF_DRILLDOWNMEMBERTOP","features":[197]},{"name":"MDPROPVAL_MNF_DRILLUPLEVEL","features":[197]},{"name":"MDPROPVAL_MNF_DRILLUPMEMBER","features":[197]},{"name":"MDPROPVAL_MNF_LINREG2","features":[197]},{"name":"MDPROPVAL_MNF_LINREGPOINT","features":[197]},{"name":"MDPROPVAL_MNF_LINREGSLOPE","features":[197]},{"name":"MDPROPVAL_MNF_LINREGVARIANCE","features":[197]},{"name":"MDPROPVAL_MNF_MEDIAN","features":[197]},{"name":"MDPROPVAL_MNF_RANK","features":[197]},{"name":"MDPROPVAL_MNF_STDDEV","features":[197]},{"name":"MDPROPVAL_MNF_VAR","features":[197]},{"name":"MDPROPVAL_MOQ_CATALOG_CUBE","features":[197]},{"name":"MDPROPVAL_MOQ_CUBE_DIM","features":[197]},{"name":"MDPROPVAL_MOQ_DATASOURCE_CUBE","features":[197]},{"name":"MDPROPVAL_MOQ_DIMHIER_LEVEL","features":[197]},{"name":"MDPROPVAL_MOQ_DIMHIER_MEMBER","features":[197]},{"name":"MDPROPVAL_MOQ_DIM_HIER","features":[197]},{"name":"MDPROPVAL_MOQ_LEVEL_MEMBER","features":[197]},{"name":"MDPROPVAL_MOQ_MEMBER_MEMBER","features":[197]},{"name":"MDPROPVAL_MOQ_OUTERREFERENCE","features":[197]},{"name":"MDPROPVAL_MOQ_SCHEMA_CUBE","features":[197]},{"name":"MDPROPVAL_MSC_GREATERTHAN","features":[197]},{"name":"MDPROPVAL_MSC_GREATERTHANEQUAL","features":[197]},{"name":"MDPROPVAL_MSC_LESSTHAN","features":[197]},{"name":"MDPROPVAL_MSC_LESSTHANEQUAL","features":[197]},{"name":"MDPROPVAL_MSF_BOTTOMPERCENT","features":[197]},{"name":"MDPROPVAL_MSF_BOTTOMSUM","features":[197]},{"name":"MDPROPVAL_MSF_DRILLDOWNLEVEL","features":[197]},{"name":"MDPROPVAL_MSF_DRILLDOWNLEVELBOTTOM","features":[197]},{"name":"MDPROPVAL_MSF_DRILLDOWNLEVELTOP","features":[197]},{"name":"MDPROPVAL_MSF_DRILLDOWNMEMBBER","features":[197]},{"name":"MDPROPVAL_MSF_DRILLDOWNMEMBERBOTTOM","features":[197]},{"name":"MDPROPVAL_MSF_DRILLDOWNMEMBERTOP","features":[197]},{"name":"MDPROPVAL_MSF_DRILLUPLEVEL","features":[197]},{"name":"MDPROPVAL_MSF_DRILLUPMEMBER","features":[197]},{"name":"MDPROPVAL_MSF_LASTPERIODS","features":[197]},{"name":"MDPROPVAL_MSF_MTD","features":[197]},{"name":"MDPROPVAL_MSF_PERIODSTODATE","features":[197]},{"name":"MDPROPVAL_MSF_QTD","features":[197]},{"name":"MDPROPVAL_MSF_TOGGLEDRILLSTATE","features":[197]},{"name":"MDPROPVAL_MSF_TOPPERCENT","features":[197]},{"name":"MDPROPVAL_MSF_TOPSUM","features":[197]},{"name":"MDPROPVAL_MSF_WTD","features":[197]},{"name":"MDPROPVAL_MSF_YTD","features":[197]},{"name":"MDPROPVAL_MS_MULTIPLETUPLES","features":[197]},{"name":"MDPROPVAL_MS_SINGLETUPLE","features":[197]},{"name":"MDPROPVAL_NL_NAMEDLEVELS","features":[197]},{"name":"MDPROPVAL_NL_NUMBEREDLEVELS","features":[197]},{"name":"MDPROPVAL_NL_SCHEMAONLY","features":[197]},{"name":"MDPROPVAL_NME_ALLDIMENSIONS","features":[197]},{"name":"MDPROPVAL_NME_MEASURESONLY","features":[197]},{"name":"MDPROPVAL_RR_NORANGEROWSET","features":[197]},{"name":"MDPROPVAL_RR_READONLY","features":[197]},{"name":"MDPROPVAL_RR_UPDATE","features":[197]},{"name":"MDPROPVAL_VISUAL_MODE_DEFAULT","features":[197]},{"name":"MDPROPVAL_VISUAL_MODE_VISUAL","features":[197]},{"name":"MDPROPVAL_VISUAL_MODE_VISUAL_OFF","features":[197]},{"name":"MDPROP_AGGREGATECELL_UPDATE","features":[197]},{"name":"MDPROP_AXES","features":[197]},{"name":"MDPROP_CELL","features":[197]},{"name":"MDPROP_FLATTENING_SUPPORT","features":[197]},{"name":"MDPROP_MDX_AGGREGATECELL_UPDATE","features":[197]},{"name":"MDPROP_MDX_CASESUPPORT","features":[197]},{"name":"MDPROP_MDX_CUBEQUALIFICATION","features":[197]},{"name":"MDPROP_MDX_DESCFLAGS","features":[197]},{"name":"MDPROP_MDX_FORMULAS","features":[197]},{"name":"MDPROP_MDX_JOINCUBES","features":[197]},{"name":"MDPROP_MDX_MEMBER_FUNCTIONS","features":[197]},{"name":"MDPROP_MDX_NONMEASURE_EXPRESSIONS","features":[197]},{"name":"MDPROP_MDX_NUMERIC_FUNCTIONS","features":[197]},{"name":"MDPROP_MDX_OBJQUALIFICATION","features":[197]},{"name":"MDPROP_MDX_OUTERREFERENCE","features":[197]},{"name":"MDPROP_MDX_QUERYBYPROPERTY","features":[197]},{"name":"MDPROP_MDX_SET_FUNCTIONS","features":[197]},{"name":"MDPROP_MDX_SLICER","features":[197]},{"name":"MDPROP_MDX_STRING_COMPOP","features":[197]},{"name":"MDPROP_MEMBER","features":[197]},{"name":"MDPROP_NAMED_LEVELS","features":[197]},{"name":"MDPROP_RANGEROWSET","features":[197]},{"name":"MDPROP_VISUALMODE","features":[197]},{"name":"MDSTATUS_S_CELLEMPTY","features":[197]},{"name":"MDTREEOP_ANCESTORS","features":[197]},{"name":"MDTREEOP_CHILDREN","features":[197]},{"name":"MDTREEOP_DESCENDANTS","features":[197]},{"name":"MDTREEOP_PARENT","features":[197]},{"name":"MDTREEOP_SELF","features":[197]},{"name":"MDTREEOP_SIBLINGS","features":[197]},{"name":"MD_DIMTYPE_MEASURE","features":[197]},{"name":"MD_DIMTYPE_OTHER","features":[197]},{"name":"MD_DIMTYPE_TIME","features":[197]},{"name":"MD_DIMTYPE_UNKNOWN","features":[197]},{"name":"MD_E_BADCOORDINATE","features":[197]},{"name":"MD_E_BADTUPLE","features":[197]},{"name":"MD_E_INVALIDAXIS","features":[197]},{"name":"MD_E_INVALIDCELLRANGE","features":[197]},{"name":"MINFATALERR","features":[197]},{"name":"MIN_USER_DATATYPE","features":[197]},{"name":"MSDAINITIALIZE","features":[197]},{"name":"MSDAORA","features":[197]},{"name":"MSDAORA8","features":[197]},{"name":"MSDAORA8_ERROR","features":[197]},{"name":"MSDAORA_ERROR","features":[197]},{"name":"MSDSDBINITPROPENUM","features":[197]},{"name":"MSDSSESSIONPROPENUM","features":[197]},{"name":"MSG_CI_CORRUPT_INDEX_COMPONENT","features":[197]},{"name":"MSG_CI_CREATE_SEVER_ITEM_FAILED","features":[197]},{"name":"MSG_CI_MASTER_MERGE_ABORTED","features":[197]},{"name":"MSG_CI_MASTER_MERGE_ABORTED_LOW_DISK","features":[197]},{"name":"MSG_CI_MASTER_MERGE_CANT_RESTART","features":[197]},{"name":"MSG_CI_MASTER_MERGE_CANT_START","features":[197]},{"name":"MSG_CI_MASTER_MERGE_COMPLETED","features":[197]},{"name":"MSG_CI_MASTER_MERGE_REASON_EXPECTED_DOCS","features":[197]},{"name":"MSG_CI_MASTER_MERGE_REASON_EXTERNAL","features":[197]},{"name":"MSG_CI_MASTER_MERGE_REASON_INDEX_LIMIT","features":[197]},{"name":"MSG_CI_MASTER_MERGE_REASON_NUMBER","features":[197]},{"name":"MSG_CI_MASTER_MERGE_RESTARTED","features":[197]},{"name":"MSG_CI_MASTER_MERGE_STARTED","features":[197]},{"name":"MSG_TEST_MESSAGE","features":[197]},{"name":"MSS_E_APPALREADYEXISTS","features":[197]},{"name":"MSS_E_APPNOTFOUND","features":[197]},{"name":"MSS_E_CATALOGALREADYEXISTS","features":[197]},{"name":"MSS_E_CATALOGNOTFOUND","features":[197]},{"name":"MSS_E_CATALOGSTOPPING","features":[197]},{"name":"MSS_E_INVALIDAPPNAME","features":[197]},{"name":"MSS_E_UNICODEFILEHEADERMISSING","features":[197]},{"name":"MS_PERSIST_PROGID","features":[197]},{"name":"NAMED_ENTITY_CERTAINTY","features":[197]},{"name":"NATLANGUAGERESTRICTION","features":[143,63,197]},{"name":"NEC_HIGH","features":[197]},{"name":"NEC_LOW","features":[197]},{"name":"NEC_MEDIUM","features":[197]},{"name":"NET_E_DISCONNECTED","features":[197]},{"name":"NET_E_GENERAL","features":[197]},{"name":"NET_E_INVALIDPARAMS","features":[197]},{"name":"NET_E_OPERATIONINPROGRESS","features":[197]},{"name":"NLADMIN_E_BUILD_CATALOG_NOT_INITIALIZED","features":[197]},{"name":"NLADMIN_E_DUPLICATE_CATALOG","features":[197]},{"name":"NLADMIN_E_FAILED_TO_GIVE_ACCOUNT_PRIVILEGE","features":[197]},{"name":"NLADMIN_S_NOT_ALL_BUILD_CATALOGS_INITIALIZED","features":[197]},{"name":"NODERESTRICTION","features":[1,143,63,197,42]},{"name":"NOTESPH_E_ATTACHMENTS","features":[197]},{"name":"NOTESPH_E_DB_ACCESS_DENIED","features":[197]},{"name":"NOTESPH_E_FAIL","features":[197]},{"name":"NOTESPH_E_ITEM_NOT_FOUND","features":[197]},{"name":"NOTESPH_E_NOTESSETUP_ID_MAPPING_ERROR","features":[197]},{"name":"NOTESPH_E_NO_NTID","features":[197]},{"name":"NOTESPH_E_SERVER_CONFIG","features":[197]},{"name":"NOTESPH_E_UNEXPECTED_STATE","features":[197]},{"name":"NOTESPH_E_UNSUPPORTED_CONTENT_FIELD_TYPE","features":[197]},{"name":"NOTESPH_S_IGNORE_ID","features":[197]},{"name":"NOTESPH_S_LISTKNOWNFIELDS","features":[197]},{"name":"NOTRESTRICTION","features":[1,143,63,197,42]},{"name":"NOT_N_PARSE_ERROR","features":[197]},{"name":"NegationCondition","features":[197]},{"name":"OCC_INVALID","features":[197]},{"name":"ODBCGetTryWaitValue","features":[197]},{"name":"ODBCSetTryWaitValue","features":[1,197]},{"name":"ODBCVER","features":[197]},{"name":"ODBC_ADD_DSN","features":[197]},{"name":"ODBC_ADD_SYS_DSN","features":[197]},{"name":"ODBC_BOTH_DSN","features":[197]},{"name":"ODBC_CONFIG_DRIVER","features":[197]},{"name":"ODBC_CONFIG_DRIVER_MAX","features":[197]},{"name":"ODBC_CONFIG_DSN","features":[197]},{"name":"ODBC_CONFIG_SYS_DSN","features":[197]},{"name":"ODBC_ERROR_COMPONENT_NOT_FOUND","features":[197]},{"name":"ODBC_ERROR_CREATE_DSN_FAILED","features":[197]},{"name":"ODBC_ERROR_GENERAL_ERR","features":[197]},{"name":"ODBC_ERROR_INVALID_BUFF_LEN","features":[197]},{"name":"ODBC_ERROR_INVALID_DSN","features":[197]},{"name":"ODBC_ERROR_INVALID_HWND","features":[197]},{"name":"ODBC_ERROR_INVALID_INF","features":[197]},{"name":"ODBC_ERROR_INVALID_KEYWORD_VALUE","features":[197]},{"name":"ODBC_ERROR_INVALID_LOG_FILE","features":[197]},{"name":"ODBC_ERROR_INVALID_NAME","features":[197]},{"name":"ODBC_ERROR_INVALID_PARAM_SEQUENCE","features":[197]},{"name":"ODBC_ERROR_INVALID_PATH","features":[197]},{"name":"ODBC_ERROR_INVALID_REQUEST_TYPE","features":[197]},{"name":"ODBC_ERROR_INVALID_STR","features":[197]},{"name":"ODBC_ERROR_LOAD_LIB_FAILED","features":[197]},{"name":"ODBC_ERROR_MAX","features":[197]},{"name":"ODBC_ERROR_NOTRANINFO","features":[197]},{"name":"ODBC_ERROR_OUTPUT_STRING_TRUNCATED","features":[197]},{"name":"ODBC_ERROR_OUT_OF_MEM","features":[197]},{"name":"ODBC_ERROR_REMOVE_DSN_FAILED","features":[197]},{"name":"ODBC_ERROR_REQUEST_FAILED","features":[197]},{"name":"ODBC_ERROR_USAGE_UPDATE_FAILED","features":[197]},{"name":"ODBC_ERROR_USER_CANCELED","features":[197]},{"name":"ODBC_ERROR_WRITING_SYSINFO_FAILED","features":[197]},{"name":"ODBC_INSTALL_COMPLETE","features":[197]},{"name":"ODBC_INSTALL_DRIVER","features":[197]},{"name":"ODBC_INSTALL_INQUIRY","features":[197]},{"name":"ODBC_REMOVE_DEFAULT_DSN","features":[197]},{"name":"ODBC_REMOVE_DRIVER","features":[197]},{"name":"ODBC_REMOVE_DSN","features":[197]},{"name":"ODBC_REMOVE_SYS_DSN","features":[197]},{"name":"ODBC_SYSTEM_DSN","features":[197]},{"name":"ODBC_USER_DSN","features":[197]},{"name":"ODBC_VS_ARGS","features":[197]},{"name":"ODBC_VS_FLAG_RETCODE","features":[197]},{"name":"ODBC_VS_FLAG_STOP","features":[197]},{"name":"ODBC_VS_FLAG_UNICODE_ARG","features":[197]},{"name":"ODBC_VS_FLAG_UNICODE_COR","features":[197]},{"name":"OLEDBSimpleProvider","features":[197]},{"name":"OLEDBSimpleProviderListener","features":[197]},{"name":"OLEDBVER","features":[197]},{"name":"OLEDB_BINDER_CUSTOM_ERROR","features":[197]},{"name":"OSPCOMP","features":[197]},{"name":"OSPCOMP_DEFAULT","features":[197]},{"name":"OSPCOMP_EQ","features":[197]},{"name":"OSPCOMP_GE","features":[197]},{"name":"OSPCOMP_GT","features":[197]},{"name":"OSPCOMP_LE","features":[197]},{"name":"OSPCOMP_LT","features":[197]},{"name":"OSPCOMP_NE","features":[197]},{"name":"OSPFIND","features":[197]},{"name":"OSPFIND_CASESENSITIVE","features":[197]},{"name":"OSPFIND_DEFAULT","features":[197]},{"name":"OSPFIND_UP","features":[197]},{"name":"OSPFIND_UPCASESENSITIVE","features":[197]},{"name":"OSPFORMAT","features":[197]},{"name":"OSPFORMAT_DEFAULT","features":[197]},{"name":"OSPFORMAT_FORMATTED","features":[197]},{"name":"OSPFORMAT_HTML","features":[197]},{"name":"OSPFORMAT_RAW","features":[197]},{"name":"OSPRW","features":[197]},{"name":"OSPRW_DEFAULT","features":[197]},{"name":"OSPRW_MIXED","features":[197]},{"name":"OSPRW_READONLY","features":[197]},{"name":"OSPRW_READWRITE","features":[197]},{"name":"OSPXFER","features":[197]},{"name":"OSPXFER_ABORT","features":[197]},{"name":"OSPXFER_COMPLETE","features":[197]},{"name":"OSPXFER_ERROR","features":[197]},{"name":"OSP_IndexLabel","features":[197]},{"name":"PDPO","features":[197]},{"name":"PEOPLE_IMPORT_E_CANONICALURL_TOOLONG","features":[197]},{"name":"PEOPLE_IMPORT_E_DATATYPENOTSUPPORTED","features":[197]},{"name":"PEOPLE_IMPORT_E_DBCONNFAIL","features":[197]},{"name":"PEOPLE_IMPORT_E_DC_NOT_AVAILABLE","features":[197]},{"name":"PEOPLE_IMPORT_E_DIRSYNC_NOTREFRESHED","features":[197]},{"name":"PEOPLE_IMPORT_E_DIRSYNC_ZERO_COOKIE","features":[197]},{"name":"PEOPLE_IMPORT_E_DOMAIN_DISCOVER_FAILED","features":[197]},{"name":"PEOPLE_IMPORT_E_DOMAIN_REMOVED","features":[197]},{"name":"PEOPLE_IMPORT_E_ENUM_ACCESSDENIED","features":[197]},{"name":"PEOPLE_IMPORT_E_FAILTOGETDSDEF","features":[197]},{"name":"PEOPLE_IMPORT_E_FAILTOGETDSMAPPING","features":[197]},{"name":"PEOPLE_IMPORT_E_FAILTOGETLCID","features":[197]},{"name":"PEOPLE_IMPORT_E_LDAPPATH_TOOLONG","features":[197]},{"name":"PEOPLE_IMPORT_E_NOCASTINGSUPPORTED","features":[197]},{"name":"PEOPLE_IMPORT_E_UPDATE_DIRSYNC_COOKIE","features":[197]},{"name":"PEOPLE_IMPORT_E_USERNAME_NOTRESOLVED","features":[197]},{"name":"PEOPLE_IMPORT_NODSDEFINED","features":[197]},{"name":"PEOPLE_IMPORT_NOMAPPINGDEFINED","features":[197]},{"name":"PERM_ALL","features":[197]},{"name":"PERM_CREATE","features":[197]},{"name":"PERM_DELETE","features":[197]},{"name":"PERM_DROP","features":[197]},{"name":"PERM_EXCLUSIVE","features":[197]},{"name":"PERM_EXECUTE","features":[197]},{"name":"PERM_INSERT","features":[197]},{"name":"PERM_MAXIMUM_ALLOWED","features":[197]},{"name":"PERM_READ","features":[197]},{"name":"PERM_READCONTROL","features":[197]},{"name":"PERM_READDESIGN","features":[197]},{"name":"PERM_REFERENCE","features":[197]},{"name":"PERM_UPDATE","features":[197]},{"name":"PERM_WITHGRANT","features":[197]},{"name":"PERM_WRITEDESIGN","features":[197]},{"name":"PERM_WRITEOWNER","features":[197]},{"name":"PERM_WRITEPERMISSIONS","features":[197]},{"name":"PFNFILLTEXTBUFFER","features":[197]},{"name":"PRAll","features":[197]},{"name":"PRAllBits","features":[197]},{"name":"PRAny","features":[197]},{"name":"PRIORITIZE_FLAGS","features":[197]},{"name":"PRIORITIZE_FLAG_IGNOREFAILURECOUNT","features":[197]},{"name":"PRIORITIZE_FLAG_RETRYFAILEDITEMS","features":[197]},{"name":"PRIORITY_LEVEL","features":[197]},{"name":"PRIORITY_LEVEL_DEFAULT","features":[197]},{"name":"PRIORITY_LEVEL_FOREGROUND","features":[197]},{"name":"PRIORITY_LEVEL_HIGH","features":[197]},{"name":"PRIORITY_LEVEL_LOW","features":[197]},{"name":"PROGID_MSPersist_Version_W","features":[197]},{"name":"PROGID_MSPersist_W","features":[197]},{"name":"PROPERTYRESTRICTION","features":[1,143,63,197,42]},{"name":"PROPID_DBBMK_BOOKMARK","features":[197]},{"name":"PROPID_DBBMK_CHAPTER","features":[197]},{"name":"PROPID_DBSELF_SELF","features":[197]},{"name":"PROXY_ACCESS","features":[197]},{"name":"PROXY_ACCESS_DIRECT","features":[197]},{"name":"PROXY_ACCESS_PRECONFIG","features":[197]},{"name":"PROXY_ACCESS_PROXY","features":[197]},{"name":"PROXY_INFO","features":[1,197]},{"name":"PRRE","features":[197]},{"name":"PRSomeBits","features":[197]},{"name":"PRTH_E_ACCESS_DENIED","features":[197]},{"name":"PRTH_E_ACL_IS_READ_NONE","features":[197]},{"name":"PRTH_E_ACL_TOO_BIG","features":[197]},{"name":"PRTH_E_BAD_REQUEST","features":[197]},{"name":"PRTH_E_CANT_TRANSFORM_DENIED_ACE","features":[197]},{"name":"PRTH_E_CANT_TRANSFORM_EXTERNAL_ACL","features":[197]},{"name":"PRTH_E_COMM_ERROR","features":[197]},{"name":"PRTH_E_DATABASE_OPEN_ERROR","features":[197]},{"name":"PRTH_E_HTTPS_CERTIFICATE_ERROR","features":[197]},{"name":"PRTH_E_HTTPS_REQUIRE_CERTIFICATE","features":[197]},{"name":"PRTH_E_HTTP_CANNOT_CONNECT","features":[197]},{"name":"PRTH_E_INIT_FAILED","features":[197]},{"name":"PRTH_E_INTERNAL_ERROR","features":[197]},{"name":"PRTH_E_LOAD_FAILED","features":[197]},{"name":"PRTH_E_MIME_EXCLUDED","features":[197]},{"name":"PRTH_E_NOT_REDIRECTED","features":[197]},{"name":"PRTH_E_NO_PROPERTY","features":[197]},{"name":"PRTH_E_OBJ_NOT_FOUND","features":[197]},{"name":"PRTH_E_OPLOCK_BROKEN","features":[197]},{"name":"PRTH_E_REQUEST_ERROR","features":[197]},{"name":"PRTH_E_RETRY","features":[197]},{"name":"PRTH_E_SERVER_ERROR","features":[197]},{"name":"PRTH_E_TRUNCATED","features":[197]},{"name":"PRTH_E_VOLUME_MOUNT_POINT","features":[197]},{"name":"PRTH_E_WININET","features":[197]},{"name":"PRTH_S_ACL_IS_READ_EVERYONE","features":[197]},{"name":"PRTH_S_MAX_DOWNLOAD","features":[197]},{"name":"PRTH_S_MAX_GROWTH","features":[197]},{"name":"PRTH_S_NOT_ALL_PARTS","features":[197]},{"name":"PRTH_S_NOT_MODIFIED","features":[197]},{"name":"PRTH_S_TRY_IMPERSONATING","features":[197]},{"name":"PRTH_S_USE_ROSEBUD","features":[197]},{"name":"PSGUID_CHARACTERIZATION","features":[197]},{"name":"PSGUID_QUERY_METADATA","features":[197]},{"name":"PSGUID_STORAGE","features":[197]},{"name":"PWPROP_OSPVALUE","features":[197]},{"name":"QPMO_APPEND_LCID_TO_LOCALIZED_PATH","features":[197]},{"name":"QPMO_LOCALIZED_SCHEMA_BINARY_PATH","features":[197]},{"name":"QPMO_LOCALIZER_SUPPORT","features":[197]},{"name":"QPMO_PRELOCALIZED_SCHEMA_BINARY_PATH","features":[197]},{"name":"QPMO_SCHEMA_BINARY_NAME","features":[197]},{"name":"QPMO_UNLOCALIZED_SCHEMA_BINARY_PATH","features":[197]},{"name":"QRY_E_COLUMNNOTSEARCHABLE","features":[197]},{"name":"QRY_E_COLUMNNOTSORTABLE","features":[197]},{"name":"QRY_E_ENGINEFAILED","features":[197]},{"name":"QRY_E_INFIXWILDCARD","features":[197]},{"name":"QRY_E_INVALIDCATALOG","features":[197]},{"name":"QRY_E_INVALIDCOLUMN","features":[197]},{"name":"QRY_E_INVALIDINTERVAL","features":[197]},{"name":"QRY_E_INVALIDPATH","features":[197]},{"name":"QRY_E_INVALIDSCOPES","features":[197]},{"name":"QRY_E_LMNOTINITIALIZED","features":[197]},{"name":"QRY_E_NOCOLUMNS","features":[197]},{"name":"QRY_E_NODATASOURCES","features":[197]},{"name":"QRY_E_NOLOGMANAGER","features":[197]},{"name":"QRY_E_NULLQUERY","features":[197]},{"name":"QRY_E_PREFIXWILDCARD","features":[197]},{"name":"QRY_E_QUERYCORRUPT","features":[197]},{"name":"QRY_E_QUERYSYNTAX","features":[197]},{"name":"QRY_E_SCOPECARDINALIDY","features":[197]},{"name":"QRY_E_SEARCHTOOBIG","features":[197]},{"name":"QRY_E_STARTHITTOBIG","features":[197]},{"name":"QRY_E_TIMEOUT","features":[197]},{"name":"QRY_E_TOOMANYCOLUMNS","features":[197]},{"name":"QRY_E_TOOMANYDATABASES","features":[197]},{"name":"QRY_E_TOOMANYQUERYTERMS","features":[197]},{"name":"QRY_E_TYPEMISMATCH","features":[197]},{"name":"QRY_E_UNEXPECTED","features":[197]},{"name":"QRY_E_UNHANDLEDTYPE","features":[197]},{"name":"QRY_E_WILDCARDPREFIXLENGTH","features":[197]},{"name":"QRY_S_INEXACTRESULTS","features":[197]},{"name":"QRY_S_NOROWSFOUND","features":[197]},{"name":"QRY_S_TERMIGNORED","features":[197]},{"name":"QUERY_E_AGGREGATE_NOT_SUPPORTED","features":[197]},{"name":"QUERY_E_ALLNOISE_AND_NO_RELDOC","features":[197]},{"name":"QUERY_E_ALLNOISE_AND_NO_RELPROP","features":[197]},{"name":"QUERY_E_DUPLICATE_RANGE_NAME","features":[197]},{"name":"QUERY_E_INCORRECT_VERSION","features":[197]},{"name":"QUERY_E_INVALIDCOALESCE","features":[197]},{"name":"QUERY_E_INVALIDSCOPE_COALESCE","features":[197]},{"name":"QUERY_E_INVALIDSORT_COALESCE","features":[197]},{"name":"QUERY_E_INVALID_DOCUMENT_IDENTIFIER","features":[197]},{"name":"QUERY_E_NO_RELDOC","features":[197]},{"name":"QUERY_E_NO_RELPROP","features":[197]},{"name":"QUERY_E_RELDOC_SYNTAX_NOT_SUPPORTED","features":[197]},{"name":"QUERY_E_REPEATED_RELDOC","features":[197]},{"name":"QUERY_E_TOP_LEVEL_IN_GROUP","features":[197]},{"name":"QUERY_E_UPGRADEINPROGRESS","features":[197]},{"name":"QUERY_PARSER_MANAGER_OPTION","features":[197]},{"name":"QUERY_SORTDEFAULT","features":[197]},{"name":"QUERY_SORTXASCEND","features":[197]},{"name":"QUERY_SORTXDESCEND","features":[197]},{"name":"QUERY_VALIDBITS","features":[197]},{"name":"QueryParser","features":[197]},{"name":"QueryParserManager","features":[197]},{"name":"RANGECATEGORIZE","features":[1,63,197,42]},{"name":"RESTRICTION","features":[1,143,63,197,42]},{"name":"REXSPH_E_DUPLICATE_PROPERTY","features":[197]},{"name":"REXSPH_E_INVALID_CALL","features":[197]},{"name":"REXSPH_E_MULTIPLE_REDIRECT","features":[197]},{"name":"REXSPH_E_NO_PROPERTY_ON_ROW","features":[197]},{"name":"REXSPH_E_REDIRECT_ON_SECURITY_UPDATE","features":[197]},{"name":"REXSPH_E_TYPE_MISMATCH_ON_READ","features":[197]},{"name":"REXSPH_E_UNEXPECTED_DATA_STATUS","features":[197]},{"name":"REXSPH_E_UNEXPECTED_FILTER_STATE","features":[197]},{"name":"REXSPH_E_UNKNOWN_DATA_TYPE","features":[197]},{"name":"REXSPH_S_REDIRECTED","features":[197]},{"name":"RMTPACK","features":[1,63,197,42]},{"name":"RMTPACK","features":[1,63,197,42]},{"name":"ROWSETEVENT_ITEMSTATE","features":[197]},{"name":"ROWSETEVENT_ITEMSTATE_INROWSET","features":[197]},{"name":"ROWSETEVENT_ITEMSTATE_NOTINROWSET","features":[197]},{"name":"ROWSETEVENT_ITEMSTATE_UNKNOWN","features":[197]},{"name":"ROWSETEVENT_TYPE","features":[197]},{"name":"ROWSETEVENT_TYPE_DATAEXPIRED","features":[197]},{"name":"ROWSETEVENT_TYPE_FOREGROUNDLOST","features":[197]},{"name":"ROWSETEVENT_TYPE_SCOPESTATISTICS","features":[197]},{"name":"RS_COMPLETED","features":[197]},{"name":"RS_MAYBOTHERUSER","features":[197]},{"name":"RS_READY","features":[197]},{"name":"RS_SUSPENDED","features":[197]},{"name":"RS_SUSPENDONIDLE","features":[197]},{"name":"RS_UPDATING","features":[197]},{"name":"RTAnd","features":[197]},{"name":"RTContent","features":[197]},{"name":"RTNatLanguage","features":[197]},{"name":"RTNone","features":[197]},{"name":"RTNot","features":[197]},{"name":"RTOr","features":[197]},{"name":"RTProperty","features":[197]},{"name":"RTProximity","features":[197]},{"name":"RTVector","features":[197]},{"name":"RootBinder","features":[197]},{"name":"SCHEMA_E_ADDSTOPWORDS","features":[197]},{"name":"SCHEMA_E_BADATTRIBUTE","features":[197]},{"name":"SCHEMA_E_BADCOLUMNNAME","features":[197]},{"name":"SCHEMA_E_BADFILENAME","features":[197]},{"name":"SCHEMA_E_BADPROPPID","features":[197]},{"name":"SCHEMA_E_BADPROPSPEC","features":[197]},{"name":"SCHEMA_E_CANNOTCREATEFILE","features":[197]},{"name":"SCHEMA_E_CANNOTCREATENOISEWORDFILE","features":[197]},{"name":"SCHEMA_E_CANNOTWRITEFILE","features":[197]},{"name":"SCHEMA_E_DUPLICATENOISE","features":[197]},{"name":"SCHEMA_E_EMPTYFILE","features":[197]},{"name":"SCHEMA_E_FILECHANGED","features":[197]},{"name":"SCHEMA_E_FILENOTFOUND","features":[197]},{"name":"SCHEMA_E_INVALIDDATATYPE","features":[197]},{"name":"SCHEMA_E_INVALIDFILETYPE","features":[197]},{"name":"SCHEMA_E_INVALIDVALUE","features":[197]},{"name":"SCHEMA_E_LOAD_SPECIAL","features":[197]},{"name":"SCHEMA_E_NAMEEXISTS","features":[197]},{"name":"SCHEMA_E_NESTEDTAG","features":[197]},{"name":"SCHEMA_E_NOMORECOLUMNS","features":[197]},{"name":"SCHEMA_E_PROPEXISTS","features":[197]},{"name":"SCHEMA_E_UNEXPECTEDTAG","features":[197]},{"name":"SCHEMA_E_VERSIONMISMATCH","features":[197]},{"name":"SCRIPTPI_E_ALREADY_COMPLETED","features":[197]},{"name":"SCRIPTPI_E_CANNOT_ALTER_CHUNK","features":[197]},{"name":"SCRIPTPI_E_CHUNK_NOT_TEXT","features":[197]},{"name":"SCRIPTPI_E_CHUNK_NOT_VALUE","features":[197]},{"name":"SCRIPTPI_E_PID_NOT_NAME","features":[197]},{"name":"SCRIPTPI_E_PID_NOT_NUMERIC","features":[197]},{"name":"SEARCH_ADVANCED_QUERY_SYNTAX","features":[197]},{"name":"SEARCH_CHANGE_ADD","features":[197]},{"name":"SEARCH_CHANGE_DELETE","features":[197]},{"name":"SEARCH_CHANGE_MODIFY","features":[197]},{"name":"SEARCH_CHANGE_MOVE_RENAME","features":[197]},{"name":"SEARCH_CHANGE_SEMANTICS_DIRECTORY","features":[197]},{"name":"SEARCH_CHANGE_SEMANTICS_SHALLOW","features":[197]},{"name":"SEARCH_CHANGE_SEMANTICS_UPDATE_SECURITY","features":[197]},{"name":"SEARCH_COLUMN_PROPERTIES","features":[1,63,197,42]},{"name":"SEARCH_HIGH_PRIORITY","features":[197]},{"name":"SEARCH_INDEXING_PHASE","features":[197]},{"name":"SEARCH_INDEXING_PHASE_GATHERER","features":[197]},{"name":"SEARCH_INDEXING_PHASE_PERSISTED","features":[197]},{"name":"SEARCH_INDEXING_PHASE_QUERYABLE","features":[197]},{"name":"SEARCH_ITEM_CHANGE","features":[41,197]},{"name":"SEARCH_ITEM_INDEXING_STATUS","features":[197]},{"name":"SEARCH_ITEM_PERSISTENT_CHANGE","features":[197]},{"name":"SEARCH_KIND_OF_CHANGE","features":[197]},{"name":"SEARCH_NATURAL_QUERY_SYNTAX","features":[197]},{"name":"SEARCH_NORMAL_PRIORITY","features":[197]},{"name":"SEARCH_NOTIFICATION_PRIORITY","features":[197]},{"name":"SEARCH_NO_QUERY_SYNTAX","features":[197]},{"name":"SEARCH_QUERY_SYNTAX","features":[197]},{"name":"SEARCH_TERM_EXPANSION","features":[197]},{"name":"SEARCH_TERM_NO_EXPANSION","features":[197]},{"name":"SEARCH_TERM_PREFIX_ALL","features":[197]},{"name":"SEARCH_TERM_STEM_ALL","features":[197]},{"name":"SEC_E_ACCESSDENIED","features":[197]},{"name":"SEC_E_BADTRUSTEEID","features":[197]},{"name":"SEC_E_INITFAILED","features":[197]},{"name":"SEC_E_INVALIDACCESSENTRY","features":[197]},{"name":"SEC_E_INVALIDACCESSENTRYLIST","features":[197]},{"name":"SEC_E_INVALIDCONTEXT","features":[197]},{"name":"SEC_E_INVALIDOBJECT","features":[197]},{"name":"SEC_E_INVALIDOWNER","features":[197]},{"name":"SEC_E_NOMEMBERSHIPSUPPORT","features":[197]},{"name":"SEC_E_NOOWNER","features":[197]},{"name":"SEC_E_NOTINITIALIZED","features":[197]},{"name":"SEC_E_NOTRUSTEEID","features":[197]},{"name":"SEC_E_PERMISSIONDENIED","features":[197]},{"name":"SEC_OBJECT","features":[143,197]},{"name":"SEC_OBJECT","features":[143,197]},{"name":"SEC_OBJECT_ELEMENT","features":[143,197]},{"name":"SEC_OBJECT_ELEMENT","features":[143,197]},{"name":"SI_TEMPORARY","features":[197]},{"name":"SORTKEY","features":[143,63,197]},{"name":"SORTSET","features":[143,63,197]},{"name":"SPS_WS_ERROR","features":[197]},{"name":"SQLAOPANY","features":[197]},{"name":"SQLAOPAVG","features":[197]},{"name":"SQLAOPCNT","features":[197]},{"name":"SQLAOPMAX","features":[197]},{"name":"SQLAOPMIN","features":[197]},{"name":"SQLAOPNOOP","features":[197]},{"name":"SQLAOPSTDEV","features":[197]},{"name":"SQLAOPSTDEVP","features":[197]},{"name":"SQLAOPSUM","features":[197]},{"name":"SQLAOPVAR","features":[197]},{"name":"SQLAOPVARP","features":[197]},{"name":"SQLAllocConnect","features":[197]},{"name":"SQLAllocEnv","features":[197]},{"name":"SQLAllocHandle","features":[197]},{"name":"SQLAllocHandleStd","features":[197]},{"name":"SQLAllocStmt","features":[197]},{"name":"SQLBIGBINARY","features":[197]},{"name":"SQLBIGCHAR","features":[197]},{"name":"SQLBIGVARBINARY","features":[197]},{"name":"SQLBIGVARCHAR","features":[197]},{"name":"SQLBINARY","features":[197]},{"name":"SQLBIT","features":[197]},{"name":"SQLBITN","features":[197]},{"name":"SQLBindCol","features":[197]},{"name":"SQLBindCol","features":[197]},{"name":"SQLBindParam","features":[197]},{"name":"SQLBindParam","features":[197]},{"name":"SQLBindParameter","features":[197]},{"name":"SQLBindParameter","features":[197]},{"name":"SQLBrowseConnect","features":[197]},{"name":"SQLBrowseConnectA","features":[197]},{"name":"SQLBrowseConnectW","features":[197]},{"name":"SQLBulkOperations","features":[197]},{"name":"SQLCHARACTER","features":[197]},{"name":"SQLCancel","features":[197]},{"name":"SQLCancelHandle","features":[197]},{"name":"SQLCloseCursor","features":[197]},{"name":"SQLCloseEnumServers","features":[1,197]},{"name":"SQLColAttribute","features":[197]},{"name":"SQLColAttribute","features":[197]},{"name":"SQLColAttributeA","features":[197]},{"name":"SQLColAttributeA","features":[197]},{"name":"SQLColAttributeW","features":[197]},{"name":"SQLColAttributeW","features":[197]},{"name":"SQLColAttributes","features":[197]},{"name":"SQLColAttributes","features":[197]},{"name":"SQLColAttributesA","features":[197]},{"name":"SQLColAttributesA","features":[197]},{"name":"SQLColAttributesW","features":[197]},{"name":"SQLColAttributesW","features":[197]},{"name":"SQLColumnPrivileges","features":[197]},{"name":"SQLColumnPrivilegesA","features":[197]},{"name":"SQLColumnPrivilegesW","features":[197]},{"name":"SQLColumns","features":[197]},{"name":"SQLColumnsA","features":[197]},{"name":"SQLColumnsW","features":[197]},{"name":"SQLCompleteAsync","features":[197]},{"name":"SQLConnect","features":[197]},{"name":"SQLConnectA","features":[197]},{"name":"SQLConnectW","features":[197]},{"name":"SQLCopyDesc","features":[197]},{"name":"SQLDATETIM4","features":[197]},{"name":"SQLDATETIME","features":[197]},{"name":"SQLDATETIMN","features":[197]},{"name":"SQLDECIMAL","features":[197]},{"name":"SQLDECIMALN","features":[197]},{"name":"SQLDataSources","features":[197]},{"name":"SQLDataSourcesA","features":[197]},{"name":"SQLDataSourcesW","features":[197]},{"name":"SQLDescribeCol","features":[197]},{"name":"SQLDescribeCol","features":[197]},{"name":"SQLDescribeColA","features":[197]},{"name":"SQLDescribeColA","features":[197]},{"name":"SQLDescribeColW","features":[197]},{"name":"SQLDescribeColW","features":[197]},{"name":"SQLDescribeParam","features":[197]},{"name":"SQLDescribeParam","features":[197]},{"name":"SQLDisconnect","features":[197]},{"name":"SQLDriverConnect","features":[197]},{"name":"SQLDriverConnectA","features":[197]},{"name":"SQLDriverConnectW","features":[197]},{"name":"SQLDrivers","features":[197]},{"name":"SQLDriversA","features":[197]},{"name":"SQLDriversW","features":[197]},{"name":"SQLEndTran","features":[197]},{"name":"SQLError","features":[197]},{"name":"SQLErrorA","features":[197]},{"name":"SQLErrorW","features":[197]},{"name":"SQLExecDirect","features":[197]},{"name":"SQLExecDirectA","features":[197]},{"name":"SQLExecDirectW","features":[197]},{"name":"SQLExecute","features":[197]},{"name":"SQLExtendedFetch","features":[197]},{"name":"SQLExtendedFetch","features":[197]},{"name":"SQLFLT4","features":[197]},{"name":"SQLFLT8","features":[197]},{"name":"SQLFLTN","features":[197]},{"name":"SQLFetch","features":[197]},{"name":"SQLFetchScroll","features":[197]},{"name":"SQLFetchScroll","features":[197]},{"name":"SQLForeignKeys","features":[197]},{"name":"SQLForeignKeysA","features":[197]},{"name":"SQLForeignKeysW","features":[197]},{"name":"SQLFreeConnect","features":[197]},{"name":"SQLFreeEnv","features":[197]},{"name":"SQLFreeHandle","features":[197]},{"name":"SQLFreeStmt","features":[197]},{"name":"SQLGetConnectAttr","features":[197]},{"name":"SQLGetConnectAttrA","features":[197]},{"name":"SQLGetConnectAttrW","features":[197]},{"name":"SQLGetConnectOption","features":[197]},{"name":"SQLGetConnectOptionA","features":[197]},{"name":"SQLGetConnectOptionW","features":[197]},{"name":"SQLGetCursorName","features":[197]},{"name":"SQLGetCursorNameA","features":[197]},{"name":"SQLGetCursorNameW","features":[197]},{"name":"SQLGetData","features":[197]},{"name":"SQLGetData","features":[197]},{"name":"SQLGetDescField","features":[197]},{"name":"SQLGetDescFieldA","features":[197]},{"name":"SQLGetDescFieldW","features":[197]},{"name":"SQLGetDescRec","features":[197]},{"name":"SQLGetDescRec","features":[197]},{"name":"SQLGetDescRecA","features":[197]},{"name":"SQLGetDescRecA","features":[197]},{"name":"SQLGetDescRecW","features":[197]},{"name":"SQLGetDescRecW","features":[197]},{"name":"SQLGetDiagField","features":[197]},{"name":"SQLGetDiagFieldA","features":[197]},{"name":"SQLGetDiagFieldW","features":[197]},{"name":"SQLGetDiagRec","features":[197]},{"name":"SQLGetDiagRecA","features":[197]},{"name":"SQLGetDiagRecW","features":[197]},{"name":"SQLGetEnvAttr","features":[197]},{"name":"SQLGetFunctions","features":[197]},{"name":"SQLGetInfo","features":[197]},{"name":"SQLGetInfoA","features":[197]},{"name":"SQLGetInfoW","features":[197]},{"name":"SQLGetNextEnumeration","features":[1,197]},{"name":"SQLGetStmtAttr","features":[197]},{"name":"SQLGetStmtAttrA","features":[197]},{"name":"SQLGetStmtAttrW","features":[197]},{"name":"SQLGetStmtOption","features":[197]},{"name":"SQLGetTypeInfo","features":[197]},{"name":"SQLGetTypeInfoA","features":[197]},{"name":"SQLGetTypeInfoW","features":[197]},{"name":"SQLIMAGE","features":[197]},{"name":"SQLINT1","features":[197]},{"name":"SQLINT2","features":[197]},{"name":"SQLINT4","features":[197]},{"name":"SQLINT8","features":[197]},{"name":"SQLINTERVAL","features":[197]},{"name":"SQLINTN","features":[197]},{"name":"SQLInitEnumServers","features":[1,197]},{"name":"SQLLinkedCatalogsA","features":[197]},{"name":"SQLLinkedCatalogsW","features":[197]},{"name":"SQLLinkedServers","features":[197]},{"name":"SQLMONEY","features":[197]},{"name":"SQLMONEY4","features":[197]},{"name":"SQLMONEYN","features":[197]},{"name":"SQLMoreResults","features":[197]},{"name":"SQLNCHAR","features":[197]},{"name":"SQLNTEXT","features":[197]},{"name":"SQLNUMERIC","features":[197]},{"name":"SQLNUMERICN","features":[197]},{"name":"SQLNVARCHAR","features":[197]},{"name":"SQLNativeSql","features":[197]},{"name":"SQLNativeSqlA","features":[197]},{"name":"SQLNativeSqlW","features":[197]},{"name":"SQLNumParams","features":[197]},{"name":"SQLNumResultCols","features":[197]},{"name":"SQLPERF","features":[197]},{"name":"SQLParamData","features":[197]},{"name":"SQLParamOptions","features":[197]},{"name":"SQLParamOptions","features":[197]},{"name":"SQLPrepare","features":[197]},{"name":"SQLPrepareA","features":[197]},{"name":"SQLPrepareW","features":[197]},{"name":"SQLPrimaryKeys","features":[197]},{"name":"SQLPrimaryKeysA","features":[197]},{"name":"SQLPrimaryKeysW","features":[197]},{"name":"SQLProcedureColumns","features":[197]},{"name":"SQLProcedureColumnsA","features":[197]},{"name":"SQLProcedureColumnsW","features":[197]},{"name":"SQLProcedures","features":[197]},{"name":"SQLProceduresA","features":[197]},{"name":"SQLProceduresW","features":[197]},{"name":"SQLPutData","features":[197]},{"name":"SQLPutData","features":[197]},{"name":"SQLRowCount","features":[197]},{"name":"SQLRowCount","features":[197]},{"name":"SQLSetConnectAttr","features":[197]},{"name":"SQLSetConnectAttrA","features":[197]},{"name":"SQLSetConnectAttrW","features":[197]},{"name":"SQLSetConnectOption","features":[197]},{"name":"SQLSetConnectOption","features":[197]},{"name":"SQLSetConnectOptionA","features":[197]},{"name":"SQLSetConnectOptionA","features":[197]},{"name":"SQLSetConnectOptionW","features":[197]},{"name":"SQLSetConnectOptionW","features":[197]},{"name":"SQLSetCursorName","features":[197]},{"name":"SQLSetCursorNameA","features":[197]},{"name":"SQLSetCursorNameW","features":[197]},{"name":"SQLSetDescField","features":[197]},{"name":"SQLSetDescFieldW","features":[197]},{"name":"SQLSetDescRec","features":[197]},{"name":"SQLSetDescRec","features":[197]},{"name":"SQLSetEnvAttr","features":[197]},{"name":"SQLSetParam","features":[197]},{"name":"SQLSetParam","features":[197]},{"name":"SQLSetPos","features":[197]},{"name":"SQLSetPos","features":[197]},{"name":"SQLSetScrollOptions","features":[197]},{"name":"SQLSetScrollOptions","features":[197]},{"name":"SQLSetStmtAttr","features":[197]},{"name":"SQLSetStmtAttrW","features":[197]},{"name":"SQLSetStmtOption","features":[197]},{"name":"SQLSetStmtOption","features":[197]},{"name":"SQLSpecialColumns","features":[197]},{"name":"SQLSpecialColumnsA","features":[197]},{"name":"SQLSpecialColumnsW","features":[197]},{"name":"SQLStatistics","features":[197]},{"name":"SQLStatisticsA","features":[197]},{"name":"SQLStatisticsW","features":[197]},{"name":"SQLTEXT","features":[197]},{"name":"SQLTablePrivileges","features":[197]},{"name":"SQLTablePrivilegesA","features":[197]},{"name":"SQLTablePrivilegesW","features":[197]},{"name":"SQLTables","features":[197]},{"name":"SQLTablesA","features":[197]},{"name":"SQLTablesW","features":[197]},{"name":"SQLTransact","features":[197]},{"name":"SQLUNIQUEID","features":[197]},{"name":"SQLVARBINARY","features":[197]},{"name":"SQLVARCHAR","features":[197]},{"name":"SQLVARENUM","features":[197]},{"name":"SQLVARIANT","features":[197]},{"name":"SQL_AA_FALSE","features":[197]},{"name":"SQL_AA_TRUE","features":[197]},{"name":"SQL_ACCESSIBLE_PROCEDURES","features":[197]},{"name":"SQL_ACCESSIBLE_TABLES","features":[197]},{"name":"SQL_ACCESS_MODE","features":[197]},{"name":"SQL_ACTIVE_CONNECTIONS","features":[197]},{"name":"SQL_ACTIVE_ENVIRONMENTS","features":[197]},{"name":"SQL_ACTIVE_STATEMENTS","features":[197]},{"name":"SQL_ADD","features":[197]},{"name":"SQL_AD_ADD_CONSTRAINT_DEFERRABLE","features":[197]},{"name":"SQL_AD_ADD_CONSTRAINT_INITIALLY_DEFERRED","features":[197]},{"name":"SQL_AD_ADD_CONSTRAINT_INITIALLY_IMMEDIATE","features":[197]},{"name":"SQL_AD_ADD_CONSTRAINT_NON_DEFERRABLE","features":[197]},{"name":"SQL_AD_ADD_DOMAIN_CONSTRAINT","features":[197]},{"name":"SQL_AD_ADD_DOMAIN_DEFAULT","features":[197]},{"name":"SQL_AD_CONSTRAINT_NAME_DEFINITION","features":[197]},{"name":"SQL_AD_DEFAULT","features":[197]},{"name":"SQL_AD_DROP_DOMAIN_CONSTRAINT","features":[197]},{"name":"SQL_AD_DROP_DOMAIN_DEFAULT","features":[197]},{"name":"SQL_AD_OFF","features":[197]},{"name":"SQL_AD_ON","features":[197]},{"name":"SQL_AF_ALL","features":[197]},{"name":"SQL_AF_AVG","features":[197]},{"name":"SQL_AF_COUNT","features":[197]},{"name":"SQL_AF_DISTINCT","features":[197]},{"name":"SQL_AF_MAX","features":[197]},{"name":"SQL_AF_MIN","features":[197]},{"name":"SQL_AF_SUM","features":[197]},{"name":"SQL_AGGREGATE_FUNCTIONS","features":[197]},{"name":"SQL_ALL_CATALOGS","features":[197]},{"name":"SQL_ALL_EXCEPT_LIKE","features":[197]},{"name":"SQL_ALL_SCHEMAS","features":[197]},{"name":"SQL_ALL_TABLE_TYPES","features":[197]},{"name":"SQL_ALL_TYPES","features":[197]},{"name":"SQL_ALTER_DOMAIN","features":[197]},{"name":"SQL_ALTER_TABLE","features":[197]},{"name":"SQL_AM_CONNECTION","features":[197]},{"name":"SQL_AM_NONE","features":[197]},{"name":"SQL_AM_STATEMENT","features":[197]},{"name":"SQL_AO_DEFAULT","features":[197]},{"name":"SQL_AO_OFF","features":[197]},{"name":"SQL_AO_ON","features":[197]},{"name":"SQL_APD_TYPE","features":[197]},{"name":"SQL_API_ALL_FUNCTIONS","features":[197]},{"name":"SQL_API_LOADBYORDINAL","features":[197]},{"name":"SQL_API_ODBC3_ALL_FUNCTIONS","features":[197]},{"name":"SQL_API_ODBC3_ALL_FUNCTIONS_SIZE","features":[197]},{"name":"SQL_API_SQLALLOCCONNECT","features":[197]},{"name":"SQL_API_SQLALLOCENV","features":[197]},{"name":"SQL_API_SQLALLOCHANDLE","features":[197]},{"name":"SQL_API_SQLALLOCHANDLESTD","features":[197]},{"name":"SQL_API_SQLALLOCSTMT","features":[197]},{"name":"SQL_API_SQLBINDCOL","features":[197]},{"name":"SQL_API_SQLBINDPARAM","features":[197]},{"name":"SQL_API_SQLBINDPARAMETER","features":[197]},{"name":"SQL_API_SQLBROWSECONNECT","features":[197]},{"name":"SQL_API_SQLBULKOPERATIONS","features":[197]},{"name":"SQL_API_SQLCANCEL","features":[197]},{"name":"SQL_API_SQLCANCELHANDLE","features":[197]},{"name":"SQL_API_SQLCLOSECURSOR","features":[197]},{"name":"SQL_API_SQLCOLATTRIBUTE","features":[197]},{"name":"SQL_API_SQLCOLATTRIBUTES","features":[197]},{"name":"SQL_API_SQLCOLUMNPRIVILEGES","features":[197]},{"name":"SQL_API_SQLCOLUMNS","features":[197]},{"name":"SQL_API_SQLCOMPLETEASYNC","features":[197]},{"name":"SQL_API_SQLCONNECT","features":[197]},{"name":"SQL_API_SQLCOPYDESC","features":[197]},{"name":"SQL_API_SQLDATASOURCES","features":[197]},{"name":"SQL_API_SQLDESCRIBECOL","features":[197]},{"name":"SQL_API_SQLDESCRIBEPARAM","features":[197]},{"name":"SQL_API_SQLDISCONNECT","features":[197]},{"name":"SQL_API_SQLDRIVERCONNECT","features":[197]},{"name":"SQL_API_SQLDRIVERS","features":[197]},{"name":"SQL_API_SQLENDTRAN","features":[197]},{"name":"SQL_API_SQLERROR","features":[197]},{"name":"SQL_API_SQLEXECDIRECT","features":[197]},{"name":"SQL_API_SQLEXECUTE","features":[197]},{"name":"SQL_API_SQLEXTENDEDFETCH","features":[197]},{"name":"SQL_API_SQLFETCH","features":[197]},{"name":"SQL_API_SQLFETCHSCROLL","features":[197]},{"name":"SQL_API_SQLFOREIGNKEYS","features":[197]},{"name":"SQL_API_SQLFREECONNECT","features":[197]},{"name":"SQL_API_SQLFREEENV","features":[197]},{"name":"SQL_API_SQLFREEHANDLE","features":[197]},{"name":"SQL_API_SQLFREESTMT","features":[197]},{"name":"SQL_API_SQLGETCONNECTATTR","features":[197]},{"name":"SQL_API_SQLGETCONNECTOPTION","features":[197]},{"name":"SQL_API_SQLGETCURSORNAME","features":[197]},{"name":"SQL_API_SQLGETDATA","features":[197]},{"name":"SQL_API_SQLGETDESCFIELD","features":[197]},{"name":"SQL_API_SQLGETDESCREC","features":[197]},{"name":"SQL_API_SQLGETDIAGFIELD","features":[197]},{"name":"SQL_API_SQLGETDIAGREC","features":[197]},{"name":"SQL_API_SQLGETENVATTR","features":[197]},{"name":"SQL_API_SQLGETFUNCTIONS","features":[197]},{"name":"SQL_API_SQLGETINFO","features":[197]},{"name":"SQL_API_SQLGETSTMTATTR","features":[197]},{"name":"SQL_API_SQLGETSTMTOPTION","features":[197]},{"name":"SQL_API_SQLGETTYPEINFO","features":[197]},{"name":"SQL_API_SQLMORERESULTS","features":[197]},{"name":"SQL_API_SQLNATIVESQL","features":[197]},{"name":"SQL_API_SQLNUMPARAMS","features":[197]},{"name":"SQL_API_SQLNUMRESULTCOLS","features":[197]},{"name":"SQL_API_SQLPARAMDATA","features":[197]},{"name":"SQL_API_SQLPARAMOPTIONS","features":[197]},{"name":"SQL_API_SQLPREPARE","features":[197]},{"name":"SQL_API_SQLPRIMARYKEYS","features":[197]},{"name":"SQL_API_SQLPRIVATEDRIVERS","features":[197]},{"name":"SQL_API_SQLPROCEDURECOLUMNS","features":[197]},{"name":"SQL_API_SQLPROCEDURES","features":[197]},{"name":"SQL_API_SQLPUTDATA","features":[197]},{"name":"SQL_API_SQLROWCOUNT","features":[197]},{"name":"SQL_API_SQLSETCONNECTATTR","features":[197]},{"name":"SQL_API_SQLSETCONNECTOPTION","features":[197]},{"name":"SQL_API_SQLSETCURSORNAME","features":[197]},{"name":"SQL_API_SQLSETDESCFIELD","features":[197]},{"name":"SQL_API_SQLSETDESCREC","features":[197]},{"name":"SQL_API_SQLSETENVATTR","features":[197]},{"name":"SQL_API_SQLSETPARAM","features":[197]},{"name":"SQL_API_SQLSETPOS","features":[197]},{"name":"SQL_API_SQLSETSCROLLOPTIONS","features":[197]},{"name":"SQL_API_SQLSETSTMTATTR","features":[197]},{"name":"SQL_API_SQLSETSTMTOPTION","features":[197]},{"name":"SQL_API_SQLSPECIALCOLUMNS","features":[197]},{"name":"SQL_API_SQLSTATISTICS","features":[197]},{"name":"SQL_API_SQLTABLEPRIVILEGES","features":[197]},{"name":"SQL_API_SQLTABLES","features":[197]},{"name":"SQL_API_SQLTRANSACT","features":[197]},{"name":"SQL_ARD_TYPE","features":[197]},{"name":"SQL_ASYNC_DBC_CAPABLE","features":[197]},{"name":"SQL_ASYNC_DBC_ENABLE_DEFAULT","features":[197]},{"name":"SQL_ASYNC_DBC_ENABLE_OFF","features":[197]},{"name":"SQL_ASYNC_DBC_ENABLE_ON","features":[197]},{"name":"SQL_ASYNC_DBC_FUNCTIONS","features":[197]},{"name":"SQL_ASYNC_DBC_NOT_CAPABLE","features":[197]},{"name":"SQL_ASYNC_ENABLE","features":[197]},{"name":"SQL_ASYNC_ENABLE_DEFAULT","features":[197]},{"name":"SQL_ASYNC_ENABLE_OFF","features":[197]},{"name":"SQL_ASYNC_ENABLE_ON","features":[197]},{"name":"SQL_ASYNC_MODE","features":[197]},{"name":"SQL_ASYNC_NOTIFICATION","features":[197]},{"name":"SQL_ASYNC_NOTIFICATION_CALLBACK","features":[1,197]},{"name":"SQL_ASYNC_NOTIFICATION_CAPABLE","features":[197]},{"name":"SQL_ASYNC_NOTIFICATION_NOT_CAPABLE","features":[197]},{"name":"SQL_ATTR_ACCESS_MODE","features":[197]},{"name":"SQL_ATTR_ANSI_APP","features":[197]},{"name":"SQL_ATTR_APPLICATION_KEY","features":[197]},{"name":"SQL_ATTR_APP_PARAM_DESC","features":[197]},{"name":"SQL_ATTR_APP_ROW_DESC","features":[197]},{"name":"SQL_ATTR_ASYNC_DBC_EVENT","features":[197]},{"name":"SQL_ATTR_ASYNC_DBC_FUNCTIONS_ENABLE","features":[197]},{"name":"SQL_ATTR_ASYNC_DBC_NOTIFICATION_CALLBACK","features":[197]},{"name":"SQL_ATTR_ASYNC_DBC_NOTIFICATION_CONTEXT","features":[197]},{"name":"SQL_ATTR_ASYNC_ENABLE","features":[197]},{"name":"SQL_ATTR_ASYNC_STMT_EVENT","features":[197]},{"name":"SQL_ATTR_ASYNC_STMT_NOTIFICATION_CALLBACK","features":[197]},{"name":"SQL_ATTR_ASYNC_STMT_NOTIFICATION_CONTEXT","features":[197]},{"name":"SQL_ATTR_AUTOCOMMIT","features":[197]},{"name":"SQL_ATTR_AUTO_IPD","features":[197]},{"name":"SQL_ATTR_CONCURRENCY","features":[197]},{"name":"SQL_ATTR_CONNECTION_DEAD","features":[197]},{"name":"SQL_ATTR_CONNECTION_POOLING","features":[197]},{"name":"SQL_ATTR_CONNECTION_TIMEOUT","features":[197]},{"name":"SQL_ATTR_CP_MATCH","features":[197]},{"name":"SQL_ATTR_CURRENT_CATALOG","features":[197]},{"name":"SQL_ATTR_CURSOR_SCROLLABLE","features":[197]},{"name":"SQL_ATTR_CURSOR_SENSITIVITY","features":[197]},{"name":"SQL_ATTR_CURSOR_TYPE","features":[197]},{"name":"SQL_ATTR_DBC_INFO_TOKEN","features":[197]},{"name":"SQL_ATTR_DISCONNECT_BEHAVIOR","features":[197]},{"name":"SQL_ATTR_ENABLE_AUTO_IPD","features":[197]},{"name":"SQL_ATTR_ENLIST_IN_DTC","features":[197]},{"name":"SQL_ATTR_ENLIST_IN_XA","features":[197]},{"name":"SQL_ATTR_FETCH_BOOKMARK_PTR","features":[197]},{"name":"SQL_ATTR_IMP_PARAM_DESC","features":[197]},{"name":"SQL_ATTR_IMP_ROW_DESC","features":[197]},{"name":"SQL_ATTR_KEYSET_SIZE","features":[197]},{"name":"SQL_ATTR_LOGIN_TIMEOUT","features":[197]},{"name":"SQL_ATTR_MAX_LENGTH","features":[197]},{"name":"SQL_ATTR_MAX_ROWS","features":[197]},{"name":"SQL_ATTR_METADATA_ID","features":[197]},{"name":"SQL_ATTR_NOSCAN","features":[197]},{"name":"SQL_ATTR_ODBC_CURSORS","features":[197]},{"name":"SQL_ATTR_ODBC_VERSION","features":[197]},{"name":"SQL_ATTR_OUTPUT_NTS","features":[197]},{"name":"SQL_ATTR_PACKET_SIZE","features":[197]},{"name":"SQL_ATTR_PARAMSET_SIZE","features":[197]},{"name":"SQL_ATTR_PARAMS_PROCESSED_PTR","features":[197]},{"name":"SQL_ATTR_PARAM_BIND_OFFSET_PTR","features":[197]},{"name":"SQL_ATTR_PARAM_BIND_TYPE","features":[197]},{"name":"SQL_ATTR_PARAM_OPERATION_PTR","features":[197]},{"name":"SQL_ATTR_PARAM_STATUS_PTR","features":[197]},{"name":"SQL_ATTR_QUERY_TIMEOUT","features":[197]},{"name":"SQL_ATTR_QUIET_MODE","features":[197]},{"name":"SQL_ATTR_READONLY","features":[197]},{"name":"SQL_ATTR_READWRITE_UNKNOWN","features":[197]},{"name":"SQL_ATTR_RESET_CONNECTION","features":[197]},{"name":"SQL_ATTR_RETRIEVE_DATA","features":[197]},{"name":"SQL_ATTR_ROWS_FETCHED_PTR","features":[197]},{"name":"SQL_ATTR_ROW_ARRAY_SIZE","features":[197]},{"name":"SQL_ATTR_ROW_BIND_OFFSET_PTR","features":[197]},{"name":"SQL_ATTR_ROW_BIND_TYPE","features":[197]},{"name":"SQL_ATTR_ROW_NUMBER","features":[197]},{"name":"SQL_ATTR_ROW_OPERATION_PTR","features":[197]},{"name":"SQL_ATTR_ROW_STATUS_PTR","features":[197]},{"name":"SQL_ATTR_SIMULATE_CURSOR","features":[197]},{"name":"SQL_ATTR_TRACE","features":[197]},{"name":"SQL_ATTR_TRACEFILE","features":[197]},{"name":"SQL_ATTR_TRANSLATE_LIB","features":[197]},{"name":"SQL_ATTR_TRANSLATE_OPTION","features":[197]},{"name":"SQL_ATTR_TXN_ISOLATION","features":[197]},{"name":"SQL_ATTR_USE_BOOKMARKS","features":[197]},{"name":"SQL_ATTR_WRITE","features":[197]},{"name":"SQL_AT_ADD_COLUMN","features":[197]},{"name":"SQL_AT_ADD_COLUMN_COLLATION","features":[197]},{"name":"SQL_AT_ADD_COLUMN_DEFAULT","features":[197]},{"name":"SQL_AT_ADD_COLUMN_SINGLE","features":[197]},{"name":"SQL_AT_ADD_CONSTRAINT","features":[197]},{"name":"SQL_AT_ADD_TABLE_CONSTRAINT","features":[197]},{"name":"SQL_AT_CONSTRAINT_DEFERRABLE","features":[197]},{"name":"SQL_AT_CONSTRAINT_INITIALLY_DEFERRED","features":[197]},{"name":"SQL_AT_CONSTRAINT_INITIALLY_IMMEDIATE","features":[197]},{"name":"SQL_AT_CONSTRAINT_NAME_DEFINITION","features":[197]},{"name":"SQL_AT_CONSTRAINT_NON_DEFERRABLE","features":[197]},{"name":"SQL_AT_DROP_COLUMN","features":[197]},{"name":"SQL_AT_DROP_COLUMN_CASCADE","features":[197]},{"name":"SQL_AT_DROP_COLUMN_DEFAULT","features":[197]},{"name":"SQL_AT_DROP_COLUMN_RESTRICT","features":[197]},{"name":"SQL_AT_DROP_TABLE_CONSTRAINT_CASCADE","features":[197]},{"name":"SQL_AT_DROP_TABLE_CONSTRAINT_RESTRICT","features":[197]},{"name":"SQL_AT_SET_COLUMN_DEFAULT","features":[197]},{"name":"SQL_AUTOCOMMIT","features":[197]},{"name":"SQL_AUTOCOMMIT_DEFAULT","features":[197]},{"name":"SQL_AUTOCOMMIT_OFF","features":[197]},{"name":"SQL_AUTOCOMMIT_ON","features":[197]},{"name":"SQL_BATCH_ROW_COUNT","features":[197]},{"name":"SQL_BATCH_SUPPORT","features":[197]},{"name":"SQL_BCP_DEFAULT","features":[197]},{"name":"SQL_BCP_OFF","features":[197]},{"name":"SQL_BCP_ON","features":[197]},{"name":"SQL_BEST_ROWID","features":[197]},{"name":"SQL_BIGINT","features":[197]},{"name":"SQL_BINARY","features":[197]},{"name":"SQL_BIND_BY_COLUMN","features":[197]},{"name":"SQL_BIND_TYPE","features":[197]},{"name":"SQL_BIND_TYPE_DEFAULT","features":[197]},{"name":"SQL_BIT","features":[197]},{"name":"SQL_BOOKMARK_PERSISTENCE","features":[197]},{"name":"SQL_BP_CLOSE","features":[197]},{"name":"SQL_BP_DELETE","features":[197]},{"name":"SQL_BP_DROP","features":[197]},{"name":"SQL_BP_OTHER_HSTMT","features":[197]},{"name":"SQL_BP_SCROLL","features":[197]},{"name":"SQL_BP_TRANSACTION","features":[197]},{"name":"SQL_BP_UPDATE","features":[197]},{"name":"SQL_BRC_EXPLICIT","features":[197]},{"name":"SQL_BRC_PROCEDURES","features":[197]},{"name":"SQL_BRC_ROLLED_UP","features":[197]},{"name":"SQL_BS_ROW_COUNT_EXPLICIT","features":[197]},{"name":"SQL_BS_ROW_COUNT_PROC","features":[197]},{"name":"SQL_BS_SELECT_EXPLICIT","features":[197]},{"name":"SQL_BS_SELECT_PROC","features":[197]},{"name":"SQL_CA1_ABSOLUTE","features":[197]},{"name":"SQL_CA1_BOOKMARK","features":[197]},{"name":"SQL_CA1_BULK_ADD","features":[197]},{"name":"SQL_CA1_BULK_DELETE_BY_BOOKMARK","features":[197]},{"name":"SQL_CA1_BULK_FETCH_BY_BOOKMARK","features":[197]},{"name":"SQL_CA1_BULK_UPDATE_BY_BOOKMARK","features":[197]},{"name":"SQL_CA1_LOCK_EXCLUSIVE","features":[197]},{"name":"SQL_CA1_LOCK_NO_CHANGE","features":[197]},{"name":"SQL_CA1_LOCK_UNLOCK","features":[197]},{"name":"SQL_CA1_NEXT","features":[197]},{"name":"SQL_CA1_POSITIONED_DELETE","features":[197]},{"name":"SQL_CA1_POSITIONED_UPDATE","features":[197]},{"name":"SQL_CA1_POS_DELETE","features":[197]},{"name":"SQL_CA1_POS_POSITION","features":[197]},{"name":"SQL_CA1_POS_REFRESH","features":[197]},{"name":"SQL_CA1_POS_UPDATE","features":[197]},{"name":"SQL_CA1_RELATIVE","features":[197]},{"name":"SQL_CA1_SELECT_FOR_UPDATE","features":[197]},{"name":"SQL_CA2_CRC_APPROXIMATE","features":[197]},{"name":"SQL_CA2_CRC_EXACT","features":[197]},{"name":"SQL_CA2_LOCK_CONCURRENCY","features":[197]},{"name":"SQL_CA2_MAX_ROWS_CATALOG","features":[197]},{"name":"SQL_CA2_MAX_ROWS_DELETE","features":[197]},{"name":"SQL_CA2_MAX_ROWS_INSERT","features":[197]},{"name":"SQL_CA2_MAX_ROWS_SELECT","features":[197]},{"name":"SQL_CA2_MAX_ROWS_UPDATE","features":[197]},{"name":"SQL_CA2_OPT_ROWVER_CONCURRENCY","features":[197]},{"name":"SQL_CA2_OPT_VALUES_CONCURRENCY","features":[197]},{"name":"SQL_CA2_READ_ONLY_CONCURRENCY","features":[197]},{"name":"SQL_CA2_SENSITIVITY_ADDITIONS","features":[197]},{"name":"SQL_CA2_SENSITIVITY_DELETIONS","features":[197]},{"name":"SQL_CA2_SENSITIVITY_UPDATES","features":[197]},{"name":"SQL_CA2_SIMULATE_NON_UNIQUE","features":[197]},{"name":"SQL_CA2_SIMULATE_TRY_UNIQUE","features":[197]},{"name":"SQL_CA2_SIMULATE_UNIQUE","features":[197]},{"name":"SQL_CACHE_DATA_NO","features":[197]},{"name":"SQL_CACHE_DATA_YES","features":[197]},{"name":"SQL_CASCADE","features":[197]},{"name":"SQL_CATALOG_LOCATION","features":[197]},{"name":"SQL_CATALOG_NAME","features":[197]},{"name":"SQL_CATALOG_NAME_SEPARATOR","features":[197]},{"name":"SQL_CATALOG_TERM","features":[197]},{"name":"SQL_CATALOG_USAGE","features":[197]},{"name":"SQL_CA_CONSTRAINT_DEFERRABLE","features":[197]},{"name":"SQL_CA_CONSTRAINT_INITIALLY_DEFERRED","features":[197]},{"name":"SQL_CA_CONSTRAINT_INITIALLY_IMMEDIATE","features":[197]},{"name":"SQL_CA_CONSTRAINT_NON_DEFERRABLE","features":[197]},{"name":"SQL_CA_CREATE_ASSERTION","features":[197]},{"name":"SQL_CA_SS_BASE","features":[197]},{"name":"SQL_CA_SS_COLUMN_COLLATION","features":[197]},{"name":"SQL_CA_SS_COLUMN_HIDDEN","features":[197]},{"name":"SQL_CA_SS_COLUMN_ID","features":[197]},{"name":"SQL_CA_SS_COLUMN_KEY","features":[197]},{"name":"SQL_CA_SS_COLUMN_OP","features":[197]},{"name":"SQL_CA_SS_COLUMN_ORDER","features":[197]},{"name":"SQL_CA_SS_COLUMN_SIZE","features":[197]},{"name":"SQL_CA_SS_COLUMN_SSTYPE","features":[197]},{"name":"SQL_CA_SS_COLUMN_UTYPE","features":[197]},{"name":"SQL_CA_SS_COLUMN_VARYLEN","features":[197]},{"name":"SQL_CA_SS_COMPUTE_BYLIST","features":[197]},{"name":"SQL_CA_SS_COMPUTE_ID","features":[197]},{"name":"SQL_CA_SS_MAX_USED","features":[197]},{"name":"SQL_CA_SS_NUM_COMPUTES","features":[197]},{"name":"SQL_CA_SS_NUM_ORDERS","features":[197]},{"name":"SQL_CA_SS_VARIANT_SERVER_TYPE","features":[197]},{"name":"SQL_CA_SS_VARIANT_SQL_TYPE","features":[197]},{"name":"SQL_CA_SS_VARIANT_TYPE","features":[197]},{"name":"SQL_CB_CLOSE","features":[197]},{"name":"SQL_CB_DELETE","features":[197]},{"name":"SQL_CB_NON_NULL","features":[197]},{"name":"SQL_CB_NULL","features":[197]},{"name":"SQL_CB_PRESERVE","features":[197]},{"name":"SQL_CCOL_CREATE_COLLATION","features":[197]},{"name":"SQL_CCS_COLLATE_CLAUSE","features":[197]},{"name":"SQL_CCS_CREATE_CHARACTER_SET","features":[197]},{"name":"SQL_CCS_LIMITED_COLLATION","features":[197]},{"name":"SQL_CC_CLOSE","features":[197]},{"name":"SQL_CC_DELETE","features":[197]},{"name":"SQL_CC_PRESERVE","features":[197]},{"name":"SQL_CDO_COLLATION","features":[197]},{"name":"SQL_CDO_CONSTRAINT","features":[197]},{"name":"SQL_CDO_CONSTRAINT_DEFERRABLE","features":[197]},{"name":"SQL_CDO_CONSTRAINT_INITIALLY_DEFERRED","features":[197]},{"name":"SQL_CDO_CONSTRAINT_INITIALLY_IMMEDIATE","features":[197]},{"name":"SQL_CDO_CONSTRAINT_NAME_DEFINITION","features":[197]},{"name":"SQL_CDO_CONSTRAINT_NON_DEFERRABLE","features":[197]},{"name":"SQL_CDO_CREATE_DOMAIN","features":[197]},{"name":"SQL_CDO_DEFAULT","features":[197]},{"name":"SQL_CD_FALSE","features":[197]},{"name":"SQL_CD_TRUE","features":[197]},{"name":"SQL_CHAR","features":[197]},{"name":"SQL_CLOSE","features":[197]},{"name":"SQL_CL_END","features":[197]},{"name":"SQL_CL_START","features":[197]},{"name":"SQL_CN_ANY","features":[197]},{"name":"SQL_CN_DEFAULT","features":[197]},{"name":"SQL_CN_DIFFERENT","features":[197]},{"name":"SQL_CN_NONE","features":[197]},{"name":"SQL_CN_OFF","features":[197]},{"name":"SQL_CN_ON","features":[197]},{"name":"SQL_CODE_DATE","features":[197]},{"name":"SQL_CODE_DAY","features":[197]},{"name":"SQL_CODE_DAY_TO_HOUR","features":[197]},{"name":"SQL_CODE_DAY_TO_MINUTE","features":[197]},{"name":"SQL_CODE_DAY_TO_SECOND","features":[197]},{"name":"SQL_CODE_HOUR","features":[197]},{"name":"SQL_CODE_HOUR_TO_MINUTE","features":[197]},{"name":"SQL_CODE_HOUR_TO_SECOND","features":[197]},{"name":"SQL_CODE_MINUTE","features":[197]},{"name":"SQL_CODE_MINUTE_TO_SECOND","features":[197]},{"name":"SQL_CODE_MONTH","features":[197]},{"name":"SQL_CODE_SECOND","features":[197]},{"name":"SQL_CODE_TIME","features":[197]},{"name":"SQL_CODE_TIMESTAMP","features":[197]},{"name":"SQL_CODE_YEAR","features":[197]},{"name":"SQL_CODE_YEAR_TO_MONTH","features":[197]},{"name":"SQL_COLATT_OPT_MAX","features":[197]},{"name":"SQL_COLATT_OPT_MIN","features":[197]},{"name":"SQL_COLLATION_SEQ","features":[197]},{"name":"SQL_COLUMN_ALIAS","features":[197]},{"name":"SQL_COLUMN_AUTO_INCREMENT","features":[197]},{"name":"SQL_COLUMN_CASE_SENSITIVE","features":[197]},{"name":"SQL_COLUMN_COUNT","features":[197]},{"name":"SQL_COLUMN_DISPLAY_SIZE","features":[197]},{"name":"SQL_COLUMN_DRIVER_START","features":[197]},{"name":"SQL_COLUMN_IGNORE","features":[197]},{"name":"SQL_COLUMN_LABEL","features":[197]},{"name":"SQL_COLUMN_LENGTH","features":[197]},{"name":"SQL_COLUMN_MONEY","features":[197]},{"name":"SQL_COLUMN_NAME","features":[197]},{"name":"SQL_COLUMN_NULLABLE","features":[197]},{"name":"SQL_COLUMN_NUMBER_UNKNOWN","features":[197]},{"name":"SQL_COLUMN_OWNER_NAME","features":[197]},{"name":"SQL_COLUMN_PRECISION","features":[197]},{"name":"SQL_COLUMN_QUALIFIER_NAME","features":[197]},{"name":"SQL_COLUMN_SCALE","features":[197]},{"name":"SQL_COLUMN_SEARCHABLE","features":[197]},{"name":"SQL_COLUMN_TABLE_NAME","features":[197]},{"name":"SQL_COLUMN_TYPE","features":[197]},{"name":"SQL_COLUMN_TYPE_NAME","features":[197]},{"name":"SQL_COLUMN_UNSIGNED","features":[197]},{"name":"SQL_COLUMN_UPDATABLE","features":[197]},{"name":"SQL_COMMIT","features":[197]},{"name":"SQL_CONCAT_NULL_BEHAVIOR","features":[197]},{"name":"SQL_CONCURRENCY","features":[197]},{"name":"SQL_CONCUR_DEFAULT","features":[197]},{"name":"SQL_CONCUR_LOCK","features":[197]},{"name":"SQL_CONCUR_READ_ONLY","features":[197]},{"name":"SQL_CONCUR_ROWVER","features":[197]},{"name":"SQL_CONCUR_TIMESTAMP","features":[197]},{"name":"SQL_CONCUR_VALUES","features":[197]},{"name":"SQL_CONNECT_OPT_DRVR_START","features":[197]},{"name":"SQL_CONN_OPT_MAX","features":[197]},{"name":"SQL_CONN_OPT_MIN","features":[197]},{"name":"SQL_CONN_POOL_RATING_BEST","features":[197]},{"name":"SQL_CONN_POOL_RATING_GOOD_ENOUGH","features":[197]},{"name":"SQL_CONN_POOL_RATING_USELESS","features":[197]},{"name":"SQL_CONVERT_BIGINT","features":[197]},{"name":"SQL_CONVERT_BINARY","features":[197]},{"name":"SQL_CONVERT_BIT","features":[197]},{"name":"SQL_CONVERT_CHAR","features":[197]},{"name":"SQL_CONVERT_DATE","features":[197]},{"name":"SQL_CONVERT_DECIMAL","features":[197]},{"name":"SQL_CONVERT_DOUBLE","features":[197]},{"name":"SQL_CONVERT_FLOAT","features":[197]},{"name":"SQL_CONVERT_FUNCTIONS","features":[197]},{"name":"SQL_CONVERT_GUID","features":[197]},{"name":"SQL_CONVERT_INTEGER","features":[197]},{"name":"SQL_CONVERT_INTERVAL_DAY_TIME","features":[197]},{"name":"SQL_CONVERT_INTERVAL_YEAR_MONTH","features":[197]},{"name":"SQL_CONVERT_LONGVARBINARY","features":[197]},{"name":"SQL_CONVERT_LONGVARCHAR","features":[197]},{"name":"SQL_CONVERT_NUMERIC","features":[197]},{"name":"SQL_CONVERT_REAL","features":[197]},{"name":"SQL_CONVERT_SMALLINT","features":[197]},{"name":"SQL_CONVERT_TIME","features":[197]},{"name":"SQL_CONVERT_TIMESTAMP","features":[197]},{"name":"SQL_CONVERT_TINYINT","features":[197]},{"name":"SQL_CONVERT_VARBINARY","features":[197]},{"name":"SQL_CONVERT_VARCHAR","features":[197]},{"name":"SQL_CONVERT_WCHAR","features":[197]},{"name":"SQL_CONVERT_WLONGVARCHAR","features":[197]},{"name":"SQL_CONVERT_WVARCHAR","features":[197]},{"name":"SQL_COPT_SS_ANSI_NPW","features":[197]},{"name":"SQL_COPT_SS_ANSI_OEM","features":[197]},{"name":"SQL_COPT_SS_ATTACHDBFILENAME","features":[197]},{"name":"SQL_COPT_SS_BASE","features":[197]},{"name":"SQL_COPT_SS_BASE_EX","features":[197]},{"name":"SQL_COPT_SS_BCP","features":[197]},{"name":"SQL_COPT_SS_BROWSE_CACHE_DATA","features":[197]},{"name":"SQL_COPT_SS_BROWSE_CONNECT","features":[197]},{"name":"SQL_COPT_SS_BROWSE_SERVER","features":[197]},{"name":"SQL_COPT_SS_CONCAT_NULL","features":[197]},{"name":"SQL_COPT_SS_CONNECTION_DEAD","features":[197]},{"name":"SQL_COPT_SS_ENCRYPT","features":[197]},{"name":"SQL_COPT_SS_EX_MAX_USED","features":[197]},{"name":"SQL_COPT_SS_FALLBACK_CONNECT","features":[197]},{"name":"SQL_COPT_SS_INTEGRATED_SECURITY","features":[197]},{"name":"SQL_COPT_SS_MAX_USED","features":[197]},{"name":"SQL_COPT_SS_PERF_DATA","features":[197]},{"name":"SQL_COPT_SS_PERF_DATA_LOG","features":[197]},{"name":"SQL_COPT_SS_PERF_DATA_LOG_NOW","features":[197]},{"name":"SQL_COPT_SS_PERF_QUERY","features":[197]},{"name":"SQL_COPT_SS_PERF_QUERY_INTERVAL","features":[197]},{"name":"SQL_COPT_SS_PERF_QUERY_LOG","features":[197]},{"name":"SQL_COPT_SS_PRESERVE_CURSORS","features":[197]},{"name":"SQL_COPT_SS_QUOTED_IDENT","features":[197]},{"name":"SQL_COPT_SS_REMOTE_PWD","features":[197]},{"name":"SQL_COPT_SS_RESET_CONNECTION","features":[197]},{"name":"SQL_COPT_SS_TRANSLATE","features":[197]},{"name":"SQL_COPT_SS_USER_DATA","features":[197]},{"name":"SQL_COPT_SS_USE_PROC_FOR_PREP","features":[197]},{"name":"SQL_COPT_SS_WARN_ON_CP_ERROR","features":[197]},{"name":"SQL_CORRELATION_NAME","features":[197]},{"name":"SQL_CO_AF","features":[197]},{"name":"SQL_CO_DEFAULT","features":[197]},{"name":"SQL_CO_FFO","features":[197]},{"name":"SQL_CO_FIREHOSE_AF","features":[197]},{"name":"SQL_CO_OFF","features":[197]},{"name":"SQL_CP_DEFAULT","features":[197]},{"name":"SQL_CP_DRIVER_AWARE","features":[197]},{"name":"SQL_CP_MATCH_DEFAULT","features":[197]},{"name":"SQL_CP_OFF","features":[197]},{"name":"SQL_CP_ONE_PER_DRIVER","features":[197]},{"name":"SQL_CP_ONE_PER_HENV","features":[197]},{"name":"SQL_CP_RELAXED_MATCH","features":[197]},{"name":"SQL_CP_STRICT_MATCH","features":[197]},{"name":"SQL_CREATE_ASSERTION","features":[197]},{"name":"SQL_CREATE_CHARACTER_SET","features":[197]},{"name":"SQL_CREATE_COLLATION","features":[197]},{"name":"SQL_CREATE_DOMAIN","features":[197]},{"name":"SQL_CREATE_SCHEMA","features":[197]},{"name":"SQL_CREATE_TABLE","features":[197]},{"name":"SQL_CREATE_TRANSLATION","features":[197]},{"name":"SQL_CREATE_VIEW","features":[197]},{"name":"SQL_CR_CLOSE","features":[197]},{"name":"SQL_CR_DELETE","features":[197]},{"name":"SQL_CR_PRESERVE","features":[197]},{"name":"SQL_CS_AUTHORIZATION","features":[197]},{"name":"SQL_CS_CREATE_SCHEMA","features":[197]},{"name":"SQL_CS_DEFAULT_CHARACTER_SET","features":[197]},{"name":"SQL_CTR_CREATE_TRANSLATION","features":[197]},{"name":"SQL_CT_COLUMN_COLLATION","features":[197]},{"name":"SQL_CT_COLUMN_CONSTRAINT","features":[197]},{"name":"SQL_CT_COLUMN_DEFAULT","features":[197]},{"name":"SQL_CT_COMMIT_DELETE","features":[197]},{"name":"SQL_CT_COMMIT_PRESERVE","features":[197]},{"name":"SQL_CT_CONSTRAINT_DEFERRABLE","features":[197]},{"name":"SQL_CT_CONSTRAINT_INITIALLY_DEFERRED","features":[197]},{"name":"SQL_CT_CONSTRAINT_INITIALLY_IMMEDIATE","features":[197]},{"name":"SQL_CT_CONSTRAINT_NAME_DEFINITION","features":[197]},{"name":"SQL_CT_CONSTRAINT_NON_DEFERRABLE","features":[197]},{"name":"SQL_CT_CREATE_TABLE","features":[197]},{"name":"SQL_CT_GLOBAL_TEMPORARY","features":[197]},{"name":"SQL_CT_LOCAL_TEMPORARY","features":[197]},{"name":"SQL_CT_TABLE_CONSTRAINT","features":[197]},{"name":"SQL_CURRENT_QUALIFIER","features":[197]},{"name":"SQL_CURSOR_COMMIT_BEHAVIOR","features":[197]},{"name":"SQL_CURSOR_DYNAMIC","features":[197]},{"name":"SQL_CURSOR_FAST_FORWARD_ONLY","features":[197]},{"name":"SQL_CURSOR_FORWARD_ONLY","features":[197]},{"name":"SQL_CURSOR_KEYSET_DRIVEN","features":[197]},{"name":"SQL_CURSOR_ROLLBACK_BEHAVIOR","features":[197]},{"name":"SQL_CURSOR_SENSITIVITY","features":[197]},{"name":"SQL_CURSOR_STATIC","features":[197]},{"name":"SQL_CURSOR_TYPE","features":[197]},{"name":"SQL_CURSOR_TYPE_DEFAULT","features":[197]},{"name":"SQL_CUR_DEFAULT","features":[197]},{"name":"SQL_CUR_USE_DRIVER","features":[197]},{"name":"SQL_CUR_USE_IF_NEEDED","features":[197]},{"name":"SQL_CUR_USE_ODBC","features":[197]},{"name":"SQL_CU_DML_STATEMENTS","features":[197]},{"name":"SQL_CU_INDEX_DEFINITION","features":[197]},{"name":"SQL_CU_PRIVILEGE_DEFINITION","features":[197]},{"name":"SQL_CU_PROCEDURE_INVOCATION","features":[197]},{"name":"SQL_CU_TABLE_DEFINITION","features":[197]},{"name":"SQL_CVT_BIGINT","features":[197]},{"name":"SQL_CVT_BINARY","features":[197]},{"name":"SQL_CVT_BIT","features":[197]},{"name":"SQL_CVT_CHAR","features":[197]},{"name":"SQL_CVT_DATE","features":[197]},{"name":"SQL_CVT_DECIMAL","features":[197]},{"name":"SQL_CVT_DOUBLE","features":[197]},{"name":"SQL_CVT_FLOAT","features":[197]},{"name":"SQL_CVT_GUID","features":[197]},{"name":"SQL_CVT_INTEGER","features":[197]},{"name":"SQL_CVT_INTERVAL_DAY_TIME","features":[197]},{"name":"SQL_CVT_INTERVAL_YEAR_MONTH","features":[197]},{"name":"SQL_CVT_LONGVARBINARY","features":[197]},{"name":"SQL_CVT_LONGVARCHAR","features":[197]},{"name":"SQL_CVT_NUMERIC","features":[197]},{"name":"SQL_CVT_REAL","features":[197]},{"name":"SQL_CVT_SMALLINT","features":[197]},{"name":"SQL_CVT_TIME","features":[197]},{"name":"SQL_CVT_TIMESTAMP","features":[197]},{"name":"SQL_CVT_TINYINT","features":[197]},{"name":"SQL_CVT_VARBINARY","features":[197]},{"name":"SQL_CVT_VARCHAR","features":[197]},{"name":"SQL_CVT_WCHAR","features":[197]},{"name":"SQL_CVT_WLONGVARCHAR","features":[197]},{"name":"SQL_CVT_WVARCHAR","features":[197]},{"name":"SQL_CV_CASCADED","features":[197]},{"name":"SQL_CV_CHECK_OPTION","features":[197]},{"name":"SQL_CV_CREATE_VIEW","features":[197]},{"name":"SQL_CV_LOCAL","features":[197]},{"name":"SQL_C_BINARY","features":[197]},{"name":"SQL_C_BIT","features":[197]},{"name":"SQL_C_CHAR","features":[197]},{"name":"SQL_C_DATE","features":[197]},{"name":"SQL_C_DEFAULT","features":[197]},{"name":"SQL_C_DOUBLE","features":[197]},{"name":"SQL_C_FLOAT","features":[197]},{"name":"SQL_C_GUID","features":[197]},{"name":"SQL_C_INTERVAL_DAY","features":[197]},{"name":"SQL_C_INTERVAL_DAY_TO_HOUR","features":[197]},{"name":"SQL_C_INTERVAL_DAY_TO_MINUTE","features":[197]},{"name":"SQL_C_INTERVAL_DAY_TO_SECOND","features":[197]},{"name":"SQL_C_INTERVAL_HOUR","features":[197]},{"name":"SQL_C_INTERVAL_HOUR_TO_MINUTE","features":[197]},{"name":"SQL_C_INTERVAL_HOUR_TO_SECOND","features":[197]},{"name":"SQL_C_INTERVAL_MINUTE","features":[197]},{"name":"SQL_C_INTERVAL_MINUTE_TO_SECOND","features":[197]},{"name":"SQL_C_INTERVAL_MONTH","features":[197]},{"name":"SQL_C_INTERVAL_SECOND","features":[197]},{"name":"SQL_C_INTERVAL_YEAR","features":[197]},{"name":"SQL_C_INTERVAL_YEAR_TO_MONTH","features":[197]},{"name":"SQL_C_LONG","features":[197]},{"name":"SQL_C_NUMERIC","features":[197]},{"name":"SQL_C_SHORT","features":[197]},{"name":"SQL_C_TCHAR","features":[197]},{"name":"SQL_C_TIME","features":[197]},{"name":"SQL_C_TIMESTAMP","features":[197]},{"name":"SQL_C_TINYINT","features":[197]},{"name":"SQL_C_TYPE_DATE","features":[197]},{"name":"SQL_C_TYPE_TIME","features":[197]},{"name":"SQL_C_TYPE_TIMESTAMP","features":[197]},{"name":"SQL_C_VARBOOKMARK","features":[197]},{"name":"SQL_C_WCHAR","features":[197]},{"name":"SQL_DATABASE_NAME","features":[197]},{"name":"SQL_DATA_AT_EXEC","features":[197]},{"name":"SQL_DATA_SOURCE_NAME","features":[197]},{"name":"SQL_DATA_SOURCE_READ_ONLY","features":[197]},{"name":"SQL_DATE","features":[197]},{"name":"SQL_DATETIME","features":[197]},{"name":"SQL_DATETIME_LITERALS","features":[197]},{"name":"SQL_DATE_LEN","features":[197]},{"name":"SQL_DAY","features":[197]},{"name":"SQL_DAY_SECOND_STRUCT","features":[197]},{"name":"SQL_DAY_TO_HOUR","features":[197]},{"name":"SQL_DAY_TO_MINUTE","features":[197]},{"name":"SQL_DAY_TO_SECOND","features":[197]},{"name":"SQL_DA_DROP_ASSERTION","features":[197]},{"name":"SQL_DBMS_NAME","features":[197]},{"name":"SQL_DBMS_VER","features":[197]},{"name":"SQL_DB_DEFAULT","features":[197]},{"name":"SQL_DB_DISCONNECT","features":[197]},{"name":"SQL_DB_RETURN_TO_POOL","features":[197]},{"name":"SQL_DCS_DROP_CHARACTER_SET","features":[197]},{"name":"SQL_DC_DROP_COLLATION","features":[197]},{"name":"SQL_DDL_INDEX","features":[197]},{"name":"SQL_DD_CASCADE","features":[197]},{"name":"SQL_DD_DROP_DOMAIN","features":[197]},{"name":"SQL_DD_RESTRICT","features":[197]},{"name":"SQL_DECIMAL","features":[197]},{"name":"SQL_DEFAULT","features":[197]},{"name":"SQL_DEFAULT_PARAM","features":[197]},{"name":"SQL_DEFAULT_TXN_ISOLATION","features":[197]},{"name":"SQL_DELETE","features":[197]},{"name":"SQL_DELETE_BY_BOOKMARK","features":[197]},{"name":"SQL_DESCRIBE_PARAMETER","features":[197]},{"name":"SQL_DESC_ALLOC_AUTO","features":[197]},{"name":"SQL_DESC_ALLOC_TYPE","features":[197]},{"name":"SQL_DESC_ALLOC_USER","features":[197]},{"name":"SQL_DESC_ARRAY_SIZE","features":[197]},{"name":"SQL_DESC_ARRAY_STATUS_PTR","features":[197]},{"name":"SQL_DESC_BASE_COLUMN_NAME","features":[197]},{"name":"SQL_DESC_BASE_TABLE_NAME","features":[197]},{"name":"SQL_DESC_BIND_OFFSET_PTR","features":[197]},{"name":"SQL_DESC_BIND_TYPE","features":[197]},{"name":"SQL_DESC_COUNT","features":[197]},{"name":"SQL_DESC_DATA_PTR","features":[197]},{"name":"SQL_DESC_DATETIME_INTERVAL_CODE","features":[197]},{"name":"SQL_DESC_DATETIME_INTERVAL_PRECISION","features":[197]},{"name":"SQL_DESC_INDICATOR_PTR","features":[197]},{"name":"SQL_DESC_LENGTH","features":[197]},{"name":"SQL_DESC_LITERAL_PREFIX","features":[197]},{"name":"SQL_DESC_LITERAL_SUFFIX","features":[197]},{"name":"SQL_DESC_LOCAL_TYPE_NAME","features":[197]},{"name":"SQL_DESC_MAXIMUM_SCALE","features":[197]},{"name":"SQL_DESC_MINIMUM_SCALE","features":[197]},{"name":"SQL_DESC_NAME","features":[197]},{"name":"SQL_DESC_NULLABLE","features":[197]},{"name":"SQL_DESC_NUM_PREC_RADIX","features":[197]},{"name":"SQL_DESC_OCTET_LENGTH","features":[197]},{"name":"SQL_DESC_OCTET_LENGTH_PTR","features":[197]},{"name":"SQL_DESC_PARAMETER_TYPE","features":[197]},{"name":"SQL_DESC_PRECISION","features":[197]},{"name":"SQL_DESC_ROWS_PROCESSED_PTR","features":[197]},{"name":"SQL_DESC_ROWVER","features":[197]},{"name":"SQL_DESC_SCALE","features":[197]},{"name":"SQL_DESC_TYPE","features":[197]},{"name":"SQL_DESC_UNNAMED","features":[197]},{"name":"SQL_DIAG_ALTER_DOMAIN","features":[197]},{"name":"SQL_DIAG_ALTER_TABLE","features":[197]},{"name":"SQL_DIAG_CALL","features":[197]},{"name":"SQL_DIAG_CLASS_ORIGIN","features":[197]},{"name":"SQL_DIAG_COLUMN_NUMBER","features":[197]},{"name":"SQL_DIAG_CONNECTION_NAME","features":[197]},{"name":"SQL_DIAG_CREATE_ASSERTION","features":[197]},{"name":"SQL_DIAG_CREATE_CHARACTER_SET","features":[197]},{"name":"SQL_DIAG_CREATE_COLLATION","features":[197]},{"name":"SQL_DIAG_CREATE_DOMAIN","features":[197]},{"name":"SQL_DIAG_CREATE_INDEX","features":[197]},{"name":"SQL_DIAG_CREATE_SCHEMA","features":[197]},{"name":"SQL_DIAG_CREATE_TABLE","features":[197]},{"name":"SQL_DIAG_CREATE_TRANSLATION","features":[197]},{"name":"SQL_DIAG_CREATE_VIEW","features":[197]},{"name":"SQL_DIAG_CURSOR_ROW_COUNT","features":[197]},{"name":"SQL_DIAG_DELETE_WHERE","features":[197]},{"name":"SQL_DIAG_DFC_SS_ALTER_DATABASE","features":[197]},{"name":"SQL_DIAG_DFC_SS_BASE","features":[197]},{"name":"SQL_DIAG_DFC_SS_CHECKPOINT","features":[197]},{"name":"SQL_DIAG_DFC_SS_CONDITION","features":[197]},{"name":"SQL_DIAG_DFC_SS_CREATE_DATABASE","features":[197]},{"name":"SQL_DIAG_DFC_SS_CREATE_DEFAULT","features":[197]},{"name":"SQL_DIAG_DFC_SS_CREATE_PROCEDURE","features":[197]},{"name":"SQL_DIAG_DFC_SS_CREATE_RULE","features":[197]},{"name":"SQL_DIAG_DFC_SS_CREATE_TRIGGER","features":[197]},{"name":"SQL_DIAG_DFC_SS_CURSOR_CLOSE","features":[197]},{"name":"SQL_DIAG_DFC_SS_CURSOR_DECLARE","features":[197]},{"name":"SQL_DIAG_DFC_SS_CURSOR_FETCH","features":[197]},{"name":"SQL_DIAG_DFC_SS_CURSOR_OPEN","features":[197]},{"name":"SQL_DIAG_DFC_SS_DBCC","features":[197]},{"name":"SQL_DIAG_DFC_SS_DEALLOCATE_CURSOR","features":[197]},{"name":"SQL_DIAG_DFC_SS_DENY","features":[197]},{"name":"SQL_DIAG_DFC_SS_DISK","features":[197]},{"name":"SQL_DIAG_DFC_SS_DROP_DATABASE","features":[197]},{"name":"SQL_DIAG_DFC_SS_DROP_DEFAULT","features":[197]},{"name":"SQL_DIAG_DFC_SS_DROP_PROCEDURE","features":[197]},{"name":"SQL_DIAG_DFC_SS_DROP_RULE","features":[197]},{"name":"SQL_DIAG_DFC_SS_DROP_TRIGGER","features":[197]},{"name":"SQL_DIAG_DFC_SS_DUMP_DATABASE","features":[197]},{"name":"SQL_DIAG_DFC_SS_DUMP_TABLE","features":[197]},{"name":"SQL_DIAG_DFC_SS_DUMP_TRANSACTION","features":[197]},{"name":"SQL_DIAG_DFC_SS_GOTO","features":[197]},{"name":"SQL_DIAG_DFC_SS_INSERT_BULK","features":[197]},{"name":"SQL_DIAG_DFC_SS_KILL","features":[197]},{"name":"SQL_DIAG_DFC_SS_LOAD_DATABASE","features":[197]},{"name":"SQL_DIAG_DFC_SS_LOAD_HEADERONLY","features":[197]},{"name":"SQL_DIAG_DFC_SS_LOAD_TABLE","features":[197]},{"name":"SQL_DIAG_DFC_SS_LOAD_TRANSACTION","features":[197]},{"name":"SQL_DIAG_DFC_SS_PRINT","features":[197]},{"name":"SQL_DIAG_DFC_SS_RAISERROR","features":[197]},{"name":"SQL_DIAG_DFC_SS_READTEXT","features":[197]},{"name":"SQL_DIAG_DFC_SS_RECONFIGURE","features":[197]},{"name":"SQL_DIAG_DFC_SS_RETURN","features":[197]},{"name":"SQL_DIAG_DFC_SS_SELECT_INTO","features":[197]},{"name":"SQL_DIAG_DFC_SS_SET","features":[197]},{"name":"SQL_DIAG_DFC_SS_SETUSER","features":[197]},{"name":"SQL_DIAG_DFC_SS_SET_IDENTITY_INSERT","features":[197]},{"name":"SQL_DIAG_DFC_SS_SET_ROW_COUNT","features":[197]},{"name":"SQL_DIAG_DFC_SS_SET_STATISTICS","features":[197]},{"name":"SQL_DIAG_DFC_SS_SET_TEXTSIZE","features":[197]},{"name":"SQL_DIAG_DFC_SS_SET_XCTLVL","features":[197]},{"name":"SQL_DIAG_DFC_SS_SHUTDOWN","features":[197]},{"name":"SQL_DIAG_DFC_SS_TRANS_BEGIN","features":[197]},{"name":"SQL_DIAG_DFC_SS_TRANS_COMMIT","features":[197]},{"name":"SQL_DIAG_DFC_SS_TRANS_PREPARE","features":[197]},{"name":"SQL_DIAG_DFC_SS_TRANS_ROLLBACK","features":[197]},{"name":"SQL_DIAG_DFC_SS_TRANS_SAVE","features":[197]},{"name":"SQL_DIAG_DFC_SS_TRUNCATE_TABLE","features":[197]},{"name":"SQL_DIAG_DFC_SS_UPDATETEXT","features":[197]},{"name":"SQL_DIAG_DFC_SS_UPDATE_STATISTICS","features":[197]},{"name":"SQL_DIAG_DFC_SS_USE","features":[197]},{"name":"SQL_DIAG_DFC_SS_WAITFOR","features":[197]},{"name":"SQL_DIAG_DFC_SS_WRITETEXT","features":[197]},{"name":"SQL_DIAG_DROP_ASSERTION","features":[197]},{"name":"SQL_DIAG_DROP_CHARACTER_SET","features":[197]},{"name":"SQL_DIAG_DROP_COLLATION","features":[197]},{"name":"SQL_DIAG_DROP_DOMAIN","features":[197]},{"name":"SQL_DIAG_DROP_INDEX","features":[197]},{"name":"SQL_DIAG_DROP_SCHEMA","features":[197]},{"name":"SQL_DIAG_DROP_TABLE","features":[197]},{"name":"SQL_DIAG_DROP_TRANSLATION","features":[197]},{"name":"SQL_DIAG_DROP_VIEW","features":[197]},{"name":"SQL_DIAG_DYNAMIC_DELETE_CURSOR","features":[197]},{"name":"SQL_DIAG_DYNAMIC_FUNCTION","features":[197]},{"name":"SQL_DIAG_DYNAMIC_FUNCTION_CODE","features":[197]},{"name":"SQL_DIAG_DYNAMIC_UPDATE_CURSOR","features":[197]},{"name":"SQL_DIAG_GRANT","features":[197]},{"name":"SQL_DIAG_INSERT","features":[197]},{"name":"SQL_DIAG_MESSAGE_TEXT","features":[197]},{"name":"SQL_DIAG_NATIVE","features":[197]},{"name":"SQL_DIAG_NUMBER","features":[197]},{"name":"SQL_DIAG_RETURNCODE","features":[197]},{"name":"SQL_DIAG_REVOKE","features":[197]},{"name":"SQL_DIAG_ROW_COUNT","features":[197]},{"name":"SQL_DIAG_ROW_NUMBER","features":[197]},{"name":"SQL_DIAG_SELECT_CURSOR","features":[197]},{"name":"SQL_DIAG_SERVER_NAME","features":[197]},{"name":"SQL_DIAG_SQLSTATE","features":[197]},{"name":"SQL_DIAG_SS_BASE","features":[197]},{"name":"SQL_DIAG_SS_LINE","features":[197]},{"name":"SQL_DIAG_SS_MSGSTATE","features":[197]},{"name":"SQL_DIAG_SS_PROCNAME","features":[197]},{"name":"SQL_DIAG_SS_SEVERITY","features":[197]},{"name":"SQL_DIAG_SS_SRVNAME","features":[197]},{"name":"SQL_DIAG_SUBCLASS_ORIGIN","features":[197]},{"name":"SQL_DIAG_UNKNOWN_STATEMENT","features":[197]},{"name":"SQL_DIAG_UPDATE_WHERE","features":[197]},{"name":"SQL_DI_CREATE_INDEX","features":[197]},{"name":"SQL_DI_DROP_INDEX","features":[197]},{"name":"SQL_DL_SQL92_DATE","features":[197]},{"name":"SQL_DL_SQL92_INTERVAL_DAY","features":[197]},{"name":"SQL_DL_SQL92_INTERVAL_DAY_TO_HOUR","features":[197]},{"name":"SQL_DL_SQL92_INTERVAL_DAY_TO_MINUTE","features":[197]},{"name":"SQL_DL_SQL92_INTERVAL_DAY_TO_SECOND","features":[197]},{"name":"SQL_DL_SQL92_INTERVAL_HOUR","features":[197]},{"name":"SQL_DL_SQL92_INTERVAL_HOUR_TO_MINUTE","features":[197]},{"name":"SQL_DL_SQL92_INTERVAL_HOUR_TO_SECOND","features":[197]},{"name":"SQL_DL_SQL92_INTERVAL_MINUTE","features":[197]},{"name":"SQL_DL_SQL92_INTERVAL_MINUTE_TO_SECOND","features":[197]},{"name":"SQL_DL_SQL92_INTERVAL_MONTH","features":[197]},{"name":"SQL_DL_SQL92_INTERVAL_SECOND","features":[197]},{"name":"SQL_DL_SQL92_INTERVAL_YEAR","features":[197]},{"name":"SQL_DL_SQL92_INTERVAL_YEAR_TO_MONTH","features":[197]},{"name":"SQL_DL_SQL92_TIME","features":[197]},{"name":"SQL_DL_SQL92_TIMESTAMP","features":[197]},{"name":"SQL_DM_VER","features":[197]},{"name":"SQL_DOUBLE","features":[197]},{"name":"SQL_DP_OFF","features":[197]},{"name":"SQL_DP_ON","features":[197]},{"name":"SQL_DRIVER_AWARE_POOLING_CAPABLE","features":[197]},{"name":"SQL_DRIVER_AWARE_POOLING_NOT_CAPABLE","features":[197]},{"name":"SQL_DRIVER_AWARE_POOLING_SUPPORTED","features":[197]},{"name":"SQL_DRIVER_COMPLETE","features":[197]},{"name":"SQL_DRIVER_COMPLETE_REQUIRED","features":[197]},{"name":"SQL_DRIVER_CONN_ATTR_BASE","features":[197]},{"name":"SQL_DRIVER_C_TYPE_BASE","features":[197]},{"name":"SQL_DRIVER_DESC_FIELD_BASE","features":[197]},{"name":"SQL_DRIVER_DIAG_FIELD_BASE","features":[197]},{"name":"SQL_DRIVER_HDBC","features":[197]},{"name":"SQL_DRIVER_HDESC","features":[197]},{"name":"SQL_DRIVER_HENV","features":[197]},{"name":"SQL_DRIVER_HLIB","features":[197]},{"name":"SQL_DRIVER_HSTMT","features":[197]},{"name":"SQL_DRIVER_INFO_TYPE_BASE","features":[197]},{"name":"SQL_DRIVER_NAME","features":[197]},{"name":"SQL_DRIVER_NOPROMPT","features":[197]},{"name":"SQL_DRIVER_ODBC_VER","features":[197]},{"name":"SQL_DRIVER_PROMPT","features":[197]},{"name":"SQL_DRIVER_SQL_TYPE_BASE","features":[197]},{"name":"SQL_DRIVER_STMT_ATTR_BASE","features":[197]},{"name":"SQL_DRIVER_VER","features":[197]},{"name":"SQL_DROP","features":[197]},{"name":"SQL_DROP_ASSERTION","features":[197]},{"name":"SQL_DROP_CHARACTER_SET","features":[197]},{"name":"SQL_DROP_COLLATION","features":[197]},{"name":"SQL_DROP_DOMAIN","features":[197]},{"name":"SQL_DROP_SCHEMA","features":[197]},{"name":"SQL_DROP_TABLE","features":[197]},{"name":"SQL_DROP_TRANSLATION","features":[197]},{"name":"SQL_DROP_VIEW","features":[197]},{"name":"SQL_DS_CASCADE","features":[197]},{"name":"SQL_DS_DROP_SCHEMA","features":[197]},{"name":"SQL_DS_RESTRICT","features":[197]},{"name":"SQL_DTC_DONE","features":[197]},{"name":"SQL_DTC_ENLIST_EXPENSIVE","features":[197]},{"name":"SQL_DTC_TRANSITION_COST","features":[197]},{"name":"SQL_DTC_UNENLIST_EXPENSIVE","features":[197]},{"name":"SQL_DTR_DROP_TRANSLATION","features":[197]},{"name":"SQL_DT_CASCADE","features":[197]},{"name":"SQL_DT_DROP_TABLE","features":[197]},{"name":"SQL_DT_RESTRICT","features":[197]},{"name":"SQL_DV_CASCADE","features":[197]},{"name":"SQL_DV_DROP_VIEW","features":[197]},{"name":"SQL_DV_RESTRICT","features":[197]},{"name":"SQL_DYNAMIC_CURSOR_ATTRIBUTES1","features":[197]},{"name":"SQL_DYNAMIC_CURSOR_ATTRIBUTES2","features":[197]},{"name":"SQL_ENSURE","features":[197]},{"name":"SQL_ENTIRE_ROWSET","features":[197]},{"name":"SQL_EN_OFF","features":[197]},{"name":"SQL_EN_ON","features":[197]},{"name":"SQL_ERROR","features":[197]},{"name":"SQL_EXPRESSIONS_IN_ORDERBY","features":[197]},{"name":"SQL_EXT_API_LAST","features":[197]},{"name":"SQL_EXT_API_START","features":[197]},{"name":"SQL_FALSE","features":[197]},{"name":"SQL_FAST_CONNECT","features":[197]},{"name":"SQL_FB_DEFAULT","features":[197]},{"name":"SQL_FB_OFF","features":[197]},{"name":"SQL_FB_ON","features":[197]},{"name":"SQL_FC_DEFAULT","features":[197]},{"name":"SQL_FC_OFF","features":[197]},{"name":"SQL_FC_ON","features":[197]},{"name":"SQL_FD_FETCH_ABSOLUTE","features":[197]},{"name":"SQL_FD_FETCH_BOOKMARK","features":[197]},{"name":"SQL_FD_FETCH_FIRST","features":[197]},{"name":"SQL_FD_FETCH_LAST","features":[197]},{"name":"SQL_FD_FETCH_NEXT","features":[197]},{"name":"SQL_FD_FETCH_PREV","features":[197]},{"name":"SQL_FD_FETCH_PRIOR","features":[197]},{"name":"SQL_FD_FETCH_RELATIVE","features":[197]},{"name":"SQL_FD_FETCH_RESUME","features":[197]},{"name":"SQL_FETCH_ABSOLUTE","features":[197]},{"name":"SQL_FETCH_BOOKMARK","features":[197]},{"name":"SQL_FETCH_BY_BOOKMARK","features":[197]},{"name":"SQL_FETCH_DIRECTION","features":[197]},{"name":"SQL_FETCH_FIRST","features":[197]},{"name":"SQL_FETCH_FIRST_SYSTEM","features":[197]},{"name":"SQL_FETCH_FIRST_USER","features":[197]},{"name":"SQL_FETCH_LAST","features":[197]},{"name":"SQL_FETCH_NEXT","features":[197]},{"name":"SQL_FETCH_PREV","features":[197]},{"name":"SQL_FETCH_PRIOR","features":[197]},{"name":"SQL_FETCH_RELATIVE","features":[197]},{"name":"SQL_FETCH_RESUME","features":[197]},{"name":"SQL_FILE_CATALOG","features":[197]},{"name":"SQL_FILE_NOT_SUPPORTED","features":[197]},{"name":"SQL_FILE_QUALIFIER","features":[197]},{"name":"SQL_FILE_TABLE","features":[197]},{"name":"SQL_FILE_USAGE","features":[197]},{"name":"SQL_FLOAT","features":[197]},{"name":"SQL_FN_CVT_CAST","features":[197]},{"name":"SQL_FN_CVT_CONVERT","features":[197]},{"name":"SQL_FN_NUM_ABS","features":[197]},{"name":"SQL_FN_NUM_ACOS","features":[197]},{"name":"SQL_FN_NUM_ASIN","features":[197]},{"name":"SQL_FN_NUM_ATAN","features":[197]},{"name":"SQL_FN_NUM_ATAN2","features":[197]},{"name":"SQL_FN_NUM_CEILING","features":[197]},{"name":"SQL_FN_NUM_COS","features":[197]},{"name":"SQL_FN_NUM_COT","features":[197]},{"name":"SQL_FN_NUM_DEGREES","features":[197]},{"name":"SQL_FN_NUM_EXP","features":[197]},{"name":"SQL_FN_NUM_FLOOR","features":[197]},{"name":"SQL_FN_NUM_LOG","features":[197]},{"name":"SQL_FN_NUM_LOG10","features":[197]},{"name":"SQL_FN_NUM_MOD","features":[197]},{"name":"SQL_FN_NUM_PI","features":[197]},{"name":"SQL_FN_NUM_POWER","features":[197]},{"name":"SQL_FN_NUM_RADIANS","features":[197]},{"name":"SQL_FN_NUM_RAND","features":[197]},{"name":"SQL_FN_NUM_ROUND","features":[197]},{"name":"SQL_FN_NUM_SIGN","features":[197]},{"name":"SQL_FN_NUM_SIN","features":[197]},{"name":"SQL_FN_NUM_SQRT","features":[197]},{"name":"SQL_FN_NUM_TAN","features":[197]},{"name":"SQL_FN_NUM_TRUNCATE","features":[197]},{"name":"SQL_FN_STR_ASCII","features":[197]},{"name":"SQL_FN_STR_BIT_LENGTH","features":[197]},{"name":"SQL_FN_STR_CHAR","features":[197]},{"name":"SQL_FN_STR_CHARACTER_LENGTH","features":[197]},{"name":"SQL_FN_STR_CHAR_LENGTH","features":[197]},{"name":"SQL_FN_STR_CONCAT","features":[197]},{"name":"SQL_FN_STR_DIFFERENCE","features":[197]},{"name":"SQL_FN_STR_INSERT","features":[197]},{"name":"SQL_FN_STR_LCASE","features":[197]},{"name":"SQL_FN_STR_LEFT","features":[197]},{"name":"SQL_FN_STR_LENGTH","features":[197]},{"name":"SQL_FN_STR_LOCATE","features":[197]},{"name":"SQL_FN_STR_LOCATE_2","features":[197]},{"name":"SQL_FN_STR_LTRIM","features":[197]},{"name":"SQL_FN_STR_OCTET_LENGTH","features":[197]},{"name":"SQL_FN_STR_POSITION","features":[197]},{"name":"SQL_FN_STR_REPEAT","features":[197]},{"name":"SQL_FN_STR_REPLACE","features":[197]},{"name":"SQL_FN_STR_RIGHT","features":[197]},{"name":"SQL_FN_STR_RTRIM","features":[197]},{"name":"SQL_FN_STR_SOUNDEX","features":[197]},{"name":"SQL_FN_STR_SPACE","features":[197]},{"name":"SQL_FN_STR_SUBSTRING","features":[197]},{"name":"SQL_FN_STR_UCASE","features":[197]},{"name":"SQL_FN_SYS_DBNAME","features":[197]},{"name":"SQL_FN_SYS_IFNULL","features":[197]},{"name":"SQL_FN_SYS_USERNAME","features":[197]},{"name":"SQL_FN_TD_CURDATE","features":[197]},{"name":"SQL_FN_TD_CURRENT_DATE","features":[197]},{"name":"SQL_FN_TD_CURRENT_TIME","features":[197]},{"name":"SQL_FN_TD_CURRENT_TIMESTAMP","features":[197]},{"name":"SQL_FN_TD_CURTIME","features":[197]},{"name":"SQL_FN_TD_DAYNAME","features":[197]},{"name":"SQL_FN_TD_DAYOFMONTH","features":[197]},{"name":"SQL_FN_TD_DAYOFWEEK","features":[197]},{"name":"SQL_FN_TD_DAYOFYEAR","features":[197]},{"name":"SQL_FN_TD_EXTRACT","features":[197]},{"name":"SQL_FN_TD_HOUR","features":[197]},{"name":"SQL_FN_TD_MINUTE","features":[197]},{"name":"SQL_FN_TD_MONTH","features":[197]},{"name":"SQL_FN_TD_MONTHNAME","features":[197]},{"name":"SQL_FN_TD_NOW","features":[197]},{"name":"SQL_FN_TD_QUARTER","features":[197]},{"name":"SQL_FN_TD_SECOND","features":[197]},{"name":"SQL_FN_TD_TIMESTAMPADD","features":[197]},{"name":"SQL_FN_TD_TIMESTAMPDIFF","features":[197]},{"name":"SQL_FN_TD_WEEK","features":[197]},{"name":"SQL_FN_TD_YEAR","features":[197]},{"name":"SQL_FN_TSI_DAY","features":[197]},{"name":"SQL_FN_TSI_FRAC_SECOND","features":[197]},{"name":"SQL_FN_TSI_HOUR","features":[197]},{"name":"SQL_FN_TSI_MINUTE","features":[197]},{"name":"SQL_FN_TSI_MONTH","features":[197]},{"name":"SQL_FN_TSI_QUARTER","features":[197]},{"name":"SQL_FN_TSI_SECOND","features":[197]},{"name":"SQL_FN_TSI_WEEK","features":[197]},{"name":"SQL_FN_TSI_YEAR","features":[197]},{"name":"SQL_FORWARD_ONLY_CURSOR_ATTRIBUTES1","features":[197]},{"name":"SQL_FORWARD_ONLY_CURSOR_ATTRIBUTES2","features":[197]},{"name":"SQL_GB_COLLATE","features":[197]},{"name":"SQL_GB_GROUP_BY_CONTAINS_SELECT","features":[197]},{"name":"SQL_GB_GROUP_BY_EQUALS_SELECT","features":[197]},{"name":"SQL_GB_NOT_SUPPORTED","features":[197]},{"name":"SQL_GB_NO_RELATION","features":[197]},{"name":"SQL_GD_ANY_COLUMN","features":[197]},{"name":"SQL_GD_ANY_ORDER","features":[197]},{"name":"SQL_GD_BLOCK","features":[197]},{"name":"SQL_GD_BOUND","features":[197]},{"name":"SQL_GD_OUTPUT_PARAMS","features":[197]},{"name":"SQL_GETDATA_EXTENSIONS","features":[197]},{"name":"SQL_GET_BOOKMARK","features":[197]},{"name":"SQL_GROUP_BY","features":[197]},{"name":"SQL_GUID","features":[197]},{"name":"SQL_HANDLE_DBC","features":[197]},{"name":"SQL_HANDLE_DBC_INFO_TOKEN","features":[197]},{"name":"SQL_HANDLE_DESC","features":[197]},{"name":"SQL_HANDLE_ENV","features":[197]},{"name":"SQL_HANDLE_SENV","features":[197]},{"name":"SQL_HANDLE_STMT","features":[197]},{"name":"SQL_HC_DEFAULT","features":[197]},{"name":"SQL_HC_OFF","features":[197]},{"name":"SQL_HC_ON","features":[197]},{"name":"SQL_HOUR","features":[197]},{"name":"SQL_HOUR_TO_MINUTE","features":[197]},{"name":"SQL_HOUR_TO_SECOND","features":[197]},{"name":"SQL_IC_LOWER","features":[197]},{"name":"SQL_IC_MIXED","features":[197]},{"name":"SQL_IC_SENSITIVE","features":[197]},{"name":"SQL_IC_UPPER","features":[197]},{"name":"SQL_IDENTIFIER_CASE","features":[197]},{"name":"SQL_IDENTIFIER_QUOTE_CHAR","features":[197]},{"name":"SQL_IGNORE","features":[197]},{"name":"SQL_IK_ASC","features":[197]},{"name":"SQL_IK_DESC","features":[197]},{"name":"SQL_IK_NONE","features":[197]},{"name":"SQL_INDEX_ALL","features":[197]},{"name":"SQL_INDEX_CLUSTERED","features":[197]},{"name":"SQL_INDEX_HASHED","features":[197]},{"name":"SQL_INDEX_KEYWORDS","features":[197]},{"name":"SQL_INDEX_OTHER","features":[197]},{"name":"SQL_INDEX_UNIQUE","features":[197]},{"name":"SQL_INFO_DRIVER_START","features":[197]},{"name":"SQL_INFO_FIRST","features":[197]},{"name":"SQL_INFO_LAST","features":[197]},{"name":"SQL_INFO_SCHEMA_VIEWS","features":[197]},{"name":"SQL_INFO_SS_FIRST","features":[197]},{"name":"SQL_INFO_SS_MAX_USED","features":[197]},{"name":"SQL_INFO_SS_NETLIB_NAME","features":[197]},{"name":"SQL_INFO_SS_NETLIB_NAMEA","features":[197]},{"name":"SQL_INFO_SS_NETLIB_NAMEW","features":[197]},{"name":"SQL_INITIALLY_DEFERRED","features":[197]},{"name":"SQL_INITIALLY_IMMEDIATE","features":[197]},{"name":"SQL_INSENSITIVE","features":[197]},{"name":"SQL_INSERT_STATEMENT","features":[197]},{"name":"SQL_INTEGER","features":[197]},{"name":"SQL_INTEGRATED_SECURITY","features":[197]},{"name":"SQL_INTEGRITY","features":[197]},{"name":"SQL_INTERVAL","features":[197]},{"name":"SQL_INTERVAL_DAY","features":[197]},{"name":"SQL_INTERVAL_DAY_TO_HOUR","features":[197]},{"name":"SQL_INTERVAL_DAY_TO_MINUTE","features":[197]},{"name":"SQL_INTERVAL_DAY_TO_SECOND","features":[197]},{"name":"SQL_INTERVAL_HOUR","features":[197]},{"name":"SQL_INTERVAL_HOUR_TO_MINUTE","features":[197]},{"name":"SQL_INTERVAL_HOUR_TO_SECOND","features":[197]},{"name":"SQL_INTERVAL_MINUTE","features":[197]},{"name":"SQL_INTERVAL_MINUTE_TO_SECOND","features":[197]},{"name":"SQL_INTERVAL_MONTH","features":[197]},{"name":"SQL_INTERVAL_SECOND","features":[197]},{"name":"SQL_INTERVAL_STRUCT","features":[197]},{"name":"SQL_INTERVAL_YEAR","features":[197]},{"name":"SQL_INTERVAL_YEAR_TO_MONTH","features":[197]},{"name":"SQL_INVALID_HANDLE","features":[197]},{"name":"SQL_ISV_ASSERTIONS","features":[197]},{"name":"SQL_ISV_CHARACTER_SETS","features":[197]},{"name":"SQL_ISV_CHECK_CONSTRAINTS","features":[197]},{"name":"SQL_ISV_COLLATIONS","features":[197]},{"name":"SQL_ISV_COLUMNS","features":[197]},{"name":"SQL_ISV_COLUMN_DOMAIN_USAGE","features":[197]},{"name":"SQL_ISV_COLUMN_PRIVILEGES","features":[197]},{"name":"SQL_ISV_CONSTRAINT_COLUMN_USAGE","features":[197]},{"name":"SQL_ISV_CONSTRAINT_TABLE_USAGE","features":[197]},{"name":"SQL_ISV_DOMAINS","features":[197]},{"name":"SQL_ISV_DOMAIN_CONSTRAINTS","features":[197]},{"name":"SQL_ISV_KEY_COLUMN_USAGE","features":[197]},{"name":"SQL_ISV_REFERENTIAL_CONSTRAINTS","features":[197]},{"name":"SQL_ISV_SCHEMATA","features":[197]},{"name":"SQL_ISV_SQL_LANGUAGES","features":[197]},{"name":"SQL_ISV_TABLES","features":[197]},{"name":"SQL_ISV_TABLE_CONSTRAINTS","features":[197]},{"name":"SQL_ISV_TABLE_PRIVILEGES","features":[197]},{"name":"SQL_ISV_TRANSLATIONS","features":[197]},{"name":"SQL_ISV_USAGE_PRIVILEGES","features":[197]},{"name":"SQL_ISV_VIEWS","features":[197]},{"name":"SQL_ISV_VIEW_COLUMN_USAGE","features":[197]},{"name":"SQL_ISV_VIEW_TABLE_USAGE","features":[197]},{"name":"SQL_IS_DAY","features":[197]},{"name":"SQL_IS_DAY_TO_HOUR","features":[197]},{"name":"SQL_IS_DAY_TO_MINUTE","features":[197]},{"name":"SQL_IS_DAY_TO_SECOND","features":[197]},{"name":"SQL_IS_DEFAULT","features":[197]},{"name":"SQL_IS_HOUR","features":[197]},{"name":"SQL_IS_HOUR_TO_MINUTE","features":[197]},{"name":"SQL_IS_HOUR_TO_SECOND","features":[197]},{"name":"SQL_IS_INSERT_LITERALS","features":[197]},{"name":"SQL_IS_INSERT_SEARCHED","features":[197]},{"name":"SQL_IS_INTEGER","features":[197]},{"name":"SQL_IS_MINUTE","features":[197]},{"name":"SQL_IS_MINUTE_TO_SECOND","features":[197]},{"name":"SQL_IS_MONTH","features":[197]},{"name":"SQL_IS_OFF","features":[197]},{"name":"SQL_IS_ON","features":[197]},{"name":"SQL_IS_POINTER","features":[197]},{"name":"SQL_IS_SECOND","features":[197]},{"name":"SQL_IS_SELECT_INTO","features":[197]},{"name":"SQL_IS_SMALLINT","features":[197]},{"name":"SQL_IS_UINTEGER","features":[197]},{"name":"SQL_IS_USMALLINT","features":[197]},{"name":"SQL_IS_YEAR","features":[197]},{"name":"SQL_IS_YEAR_TO_MONTH","features":[197]},{"name":"SQL_KEYSET_CURSOR_ATTRIBUTES1","features":[197]},{"name":"SQL_KEYSET_CURSOR_ATTRIBUTES2","features":[197]},{"name":"SQL_KEYSET_SIZE","features":[197]},{"name":"SQL_KEYSET_SIZE_DEFAULT","features":[197]},{"name":"SQL_KEYWORDS","features":[197]},{"name":"SQL_LCK_EXCLUSIVE","features":[197]},{"name":"SQL_LCK_NO_CHANGE","features":[197]},{"name":"SQL_LCK_UNLOCK","features":[197]},{"name":"SQL_LEN_BINARY_ATTR_OFFSET","features":[197]},{"name":"SQL_LEN_DATA_AT_EXEC_OFFSET","features":[197]},{"name":"SQL_LIKE_ESCAPE_CLAUSE","features":[197]},{"name":"SQL_LIKE_ONLY","features":[197]},{"name":"SQL_LOCK_EXCLUSIVE","features":[197]},{"name":"SQL_LOCK_NO_CHANGE","features":[197]},{"name":"SQL_LOCK_TYPES","features":[197]},{"name":"SQL_LOCK_UNLOCK","features":[197]},{"name":"SQL_LOGIN_TIMEOUT","features":[197]},{"name":"SQL_LOGIN_TIMEOUT_DEFAULT","features":[197]},{"name":"SQL_LONGVARBINARY","features":[197]},{"name":"SQL_LONGVARCHAR","features":[197]},{"name":"SQL_MAXIMUM_CATALOG_NAME_LENGTH","features":[197]},{"name":"SQL_MAXIMUM_COLUMNS_IN_GROUP_BY","features":[197]},{"name":"SQL_MAXIMUM_COLUMNS_IN_INDEX","features":[197]},{"name":"SQL_MAXIMUM_COLUMNS_IN_ORDER_BY","features":[197]},{"name":"SQL_MAXIMUM_COLUMNS_IN_SELECT","features":[197]},{"name":"SQL_MAXIMUM_COLUMN_NAME_LENGTH","features":[197]},{"name":"SQL_MAXIMUM_CONCURRENT_ACTIVITIES","features":[197]},{"name":"SQL_MAXIMUM_CURSOR_NAME_LENGTH","features":[197]},{"name":"SQL_MAXIMUM_DRIVER_CONNECTIONS","features":[197]},{"name":"SQL_MAXIMUM_IDENTIFIER_LENGTH","features":[197]},{"name":"SQL_MAXIMUM_INDEX_SIZE","features":[197]},{"name":"SQL_MAXIMUM_ROW_SIZE","features":[197]},{"name":"SQL_MAXIMUM_SCHEMA_NAME_LENGTH","features":[197]},{"name":"SQL_MAXIMUM_STATEMENT_LENGTH","features":[197]},{"name":"SQL_MAXIMUM_TABLES_IN_SELECT","features":[197]},{"name":"SQL_MAXIMUM_USER_NAME_LENGTH","features":[197]},{"name":"SQL_MAX_ASYNC_CONCURRENT_STATEMENTS","features":[197]},{"name":"SQL_MAX_BINARY_LITERAL_LEN","features":[197]},{"name":"SQL_MAX_CATALOG_NAME_LEN","features":[197]},{"name":"SQL_MAX_CHAR_LITERAL_LEN","features":[197]},{"name":"SQL_MAX_COLUMNS_IN_GROUP_BY","features":[197]},{"name":"SQL_MAX_COLUMNS_IN_INDEX","features":[197]},{"name":"SQL_MAX_COLUMNS_IN_ORDER_BY","features":[197]},{"name":"SQL_MAX_COLUMNS_IN_SELECT","features":[197]},{"name":"SQL_MAX_COLUMNS_IN_TABLE","features":[197]},{"name":"SQL_MAX_COLUMN_NAME_LEN","features":[197]},{"name":"SQL_MAX_CONCURRENT_ACTIVITIES","features":[197]},{"name":"SQL_MAX_CURSOR_NAME_LEN","features":[197]},{"name":"SQL_MAX_DRIVER_CONNECTIONS","features":[197]},{"name":"SQL_MAX_DSN_LENGTH","features":[197]},{"name":"SQL_MAX_IDENTIFIER_LEN","features":[197]},{"name":"SQL_MAX_INDEX_SIZE","features":[197]},{"name":"SQL_MAX_LENGTH","features":[197]},{"name":"SQL_MAX_LENGTH_DEFAULT","features":[197]},{"name":"SQL_MAX_MESSAGE_LENGTH","features":[197]},{"name":"SQL_MAX_NUMERIC_LEN","features":[197]},{"name":"SQL_MAX_OPTION_STRING_LENGTH","features":[197]},{"name":"SQL_MAX_OWNER_NAME_LEN","features":[197]},{"name":"SQL_MAX_PROCEDURE_NAME_LEN","features":[197]},{"name":"SQL_MAX_QUALIFIER_NAME_LEN","features":[197]},{"name":"SQL_MAX_ROWS","features":[197]},{"name":"SQL_MAX_ROWS_DEFAULT","features":[197]},{"name":"SQL_MAX_ROW_SIZE","features":[197]},{"name":"SQL_MAX_ROW_SIZE_INCLUDES_LONG","features":[197]},{"name":"SQL_MAX_SCHEMA_NAME_LEN","features":[197]},{"name":"SQL_MAX_SQLSERVERNAME","features":[197]},{"name":"SQL_MAX_STATEMENT_LEN","features":[197]},{"name":"SQL_MAX_TABLES_IN_SELECT","features":[197]},{"name":"SQL_MAX_TABLE_NAME_LEN","features":[197]},{"name":"SQL_MAX_USER_NAME_LEN","features":[197]},{"name":"SQL_MINUTE","features":[197]},{"name":"SQL_MINUTE_TO_SECOND","features":[197]},{"name":"SQL_MODE_DEFAULT","features":[197]},{"name":"SQL_MODE_READ_ONLY","features":[197]},{"name":"SQL_MODE_READ_WRITE","features":[197]},{"name":"SQL_MONTH","features":[197]},{"name":"SQL_MORE_INFO_NO","features":[197]},{"name":"SQL_MORE_INFO_YES","features":[197]},{"name":"SQL_MULTIPLE_ACTIVE_TXN","features":[197]},{"name":"SQL_MULT_RESULT_SETS","features":[197]},{"name":"SQL_NAMED","features":[197]},{"name":"SQL_NB_DEFAULT","features":[197]},{"name":"SQL_NB_OFF","features":[197]},{"name":"SQL_NB_ON","features":[197]},{"name":"SQL_NC_END","features":[197]},{"name":"SQL_NC_HIGH","features":[197]},{"name":"SQL_NC_LOW","features":[197]},{"name":"SQL_NC_OFF","features":[197]},{"name":"SQL_NC_ON","features":[197]},{"name":"SQL_NC_START","features":[197]},{"name":"SQL_NEED_DATA","features":[197]},{"name":"SQL_NEED_LONG_DATA_LEN","features":[197]},{"name":"SQL_NNC_NON_NULL","features":[197]},{"name":"SQL_NNC_NULL","features":[197]},{"name":"SQL_NONSCROLLABLE","features":[197]},{"name":"SQL_NON_NULLABLE_COLUMNS","features":[197]},{"name":"SQL_NOSCAN","features":[197]},{"name":"SQL_NOSCAN_DEFAULT","features":[197]},{"name":"SQL_NOSCAN_OFF","features":[197]},{"name":"SQL_NOSCAN_ON","features":[197]},{"name":"SQL_NOT_DEFERRABLE","features":[197]},{"name":"SQL_NO_ACTION","features":[197]},{"name":"SQL_NO_COLUMN_NUMBER","features":[197]},{"name":"SQL_NO_DATA","features":[197]},{"name":"SQL_NO_DATA_FOUND","features":[197]},{"name":"SQL_NO_NULLS","features":[197]},{"name":"SQL_NO_ROW_NUMBER","features":[197]},{"name":"SQL_NO_TOTAL","features":[197]},{"name":"SQL_NTS","features":[197]},{"name":"SQL_NTSL","features":[197]},{"name":"SQL_NULLABLE","features":[197]},{"name":"SQL_NULLABLE_UNKNOWN","features":[197]},{"name":"SQL_NULL_COLLATION","features":[197]},{"name":"SQL_NULL_DATA","features":[197]},{"name":"SQL_NULL_HANDLE","features":[197]},{"name":"SQL_NULL_HDBC","features":[197]},{"name":"SQL_NULL_HDESC","features":[197]},{"name":"SQL_NULL_HENV","features":[197]},{"name":"SQL_NULL_HSTMT","features":[197]},{"name":"SQL_NUMERIC","features":[197]},{"name":"SQL_NUMERIC_FUNCTIONS","features":[197]},{"name":"SQL_NUMERIC_STRUCT","features":[197]},{"name":"SQL_NUM_FUNCTIONS","features":[197]},{"name":"SQL_OAC_LEVEL1","features":[197]},{"name":"SQL_OAC_LEVEL2","features":[197]},{"name":"SQL_OAC_NONE","features":[197]},{"name":"SQL_ODBC_API_CONFORMANCE","features":[197]},{"name":"SQL_ODBC_CURSORS","features":[197]},{"name":"SQL_ODBC_INTERFACE_CONFORMANCE","features":[197]},{"name":"SQL_ODBC_KEYWORDS","features":[197]},{"name":"SQL_ODBC_SAG_CLI_CONFORMANCE","features":[197]},{"name":"SQL_ODBC_SQL_CONFORMANCE","features":[197]},{"name":"SQL_ODBC_SQL_OPT_IEF","features":[197]},{"name":"SQL_ODBC_VER","features":[197]},{"name":"SQL_OIC_CORE","features":[197]},{"name":"SQL_OIC_LEVEL1","features":[197]},{"name":"SQL_OIC_LEVEL2","features":[197]},{"name":"SQL_OJ_ALL_COMPARISON_OPS","features":[197]},{"name":"SQL_OJ_CAPABILITIES","features":[197]},{"name":"SQL_OJ_FULL","features":[197]},{"name":"SQL_OJ_INNER","features":[197]},{"name":"SQL_OJ_LEFT","features":[197]},{"name":"SQL_OJ_NESTED","features":[197]},{"name":"SQL_OJ_NOT_ORDERED","features":[197]},{"name":"SQL_OJ_RIGHT","features":[197]},{"name":"SQL_OPT_TRACE","features":[197]},{"name":"SQL_OPT_TRACEFILE","features":[197]},{"name":"SQL_OPT_TRACE_DEFAULT","features":[197]},{"name":"SQL_OPT_TRACE_FILE_DEFAULT","features":[197]},{"name":"SQL_OPT_TRACE_OFF","features":[197]},{"name":"SQL_OPT_TRACE_ON","features":[197]},{"name":"SQL_ORDER_BY_COLUMNS_IN_SELECT","features":[197]},{"name":"SQL_OSCC_COMPLIANT","features":[197]},{"name":"SQL_OSCC_NOT_COMPLIANT","features":[197]},{"name":"SQL_OSC_CORE","features":[197]},{"name":"SQL_OSC_EXTENDED","features":[197]},{"name":"SQL_OSC_MINIMUM","features":[197]},{"name":"SQL_OUTER_JOINS","features":[197]},{"name":"SQL_OUTER_JOIN_CAPABILITIES","features":[197]},{"name":"SQL_OU_DML_STATEMENTS","features":[197]},{"name":"SQL_OU_INDEX_DEFINITION","features":[197]},{"name":"SQL_OU_PRIVILEGE_DEFINITION","features":[197]},{"name":"SQL_OU_PROCEDURE_INVOCATION","features":[197]},{"name":"SQL_OU_TABLE_DEFINITION","features":[197]},{"name":"SQL_OV_ODBC2","features":[197]},{"name":"SQL_OV_ODBC3","features":[197]},{"name":"SQL_OV_ODBC3_80","features":[197]},{"name":"SQL_OWNER_TERM","features":[197]},{"name":"SQL_OWNER_USAGE","features":[197]},{"name":"SQL_PACKET_SIZE","features":[197]},{"name":"SQL_PARAM_ARRAY_ROW_COUNTS","features":[197]},{"name":"SQL_PARAM_ARRAY_SELECTS","features":[197]},{"name":"SQL_PARAM_BIND_BY_COLUMN","features":[197]},{"name":"SQL_PARAM_BIND_TYPE_DEFAULT","features":[197]},{"name":"SQL_PARAM_DATA_AVAILABLE","features":[197]},{"name":"SQL_PARAM_DIAG_UNAVAILABLE","features":[197]},{"name":"SQL_PARAM_ERROR","features":[197]},{"name":"SQL_PARAM_IGNORE","features":[197]},{"name":"SQL_PARAM_INPUT","features":[197]},{"name":"SQL_PARAM_INPUT_OUTPUT","features":[197]},{"name":"SQL_PARAM_INPUT_OUTPUT_STREAM","features":[197]},{"name":"SQL_PARAM_OUTPUT","features":[197]},{"name":"SQL_PARAM_OUTPUT_STREAM","features":[197]},{"name":"SQL_PARAM_PROCEED","features":[197]},{"name":"SQL_PARAM_SUCCESS","features":[197]},{"name":"SQL_PARAM_SUCCESS_WITH_INFO","features":[197]},{"name":"SQL_PARAM_TYPE_UNKNOWN","features":[197]},{"name":"SQL_PARAM_UNUSED","features":[197]},{"name":"SQL_PARC_BATCH","features":[197]},{"name":"SQL_PARC_NO_BATCH","features":[197]},{"name":"SQL_PAS_BATCH","features":[197]},{"name":"SQL_PAS_NO_BATCH","features":[197]},{"name":"SQL_PAS_NO_SELECT","features":[197]},{"name":"SQL_PC_DEFAULT","features":[197]},{"name":"SQL_PC_NON_PSEUDO","features":[197]},{"name":"SQL_PC_NOT_PSEUDO","features":[197]},{"name":"SQL_PC_OFF","features":[197]},{"name":"SQL_PC_ON","features":[197]},{"name":"SQL_PC_PSEUDO","features":[197]},{"name":"SQL_PC_UNKNOWN","features":[197]},{"name":"SQL_PERF_START","features":[197]},{"name":"SQL_PERF_STOP","features":[197]},{"name":"SQL_POSITION","features":[197]},{"name":"SQL_POSITIONED_STATEMENTS","features":[197]},{"name":"SQL_POS_ADD","features":[197]},{"name":"SQL_POS_DELETE","features":[197]},{"name":"SQL_POS_OPERATIONS","features":[197]},{"name":"SQL_POS_POSITION","features":[197]},{"name":"SQL_POS_REFRESH","features":[197]},{"name":"SQL_POS_UPDATE","features":[197]},{"name":"SQL_PRED_BASIC","features":[197]},{"name":"SQL_PRED_CHAR","features":[197]},{"name":"SQL_PRED_NONE","features":[197]},{"name":"SQL_PRED_SEARCHABLE","features":[197]},{"name":"SQL_PRESERVE_CURSORS","features":[197]},{"name":"SQL_PROCEDURES","features":[197]},{"name":"SQL_PROCEDURE_TERM","features":[197]},{"name":"SQL_PS_POSITIONED_DELETE","features":[197]},{"name":"SQL_PS_POSITIONED_UPDATE","features":[197]},{"name":"SQL_PS_SELECT_FOR_UPDATE","features":[197]},{"name":"SQL_PT_FUNCTION","features":[197]},{"name":"SQL_PT_PROCEDURE","features":[197]},{"name":"SQL_PT_UNKNOWN","features":[197]},{"name":"SQL_QI_DEFAULT","features":[197]},{"name":"SQL_QI_OFF","features":[197]},{"name":"SQL_QI_ON","features":[197]},{"name":"SQL_QL_END","features":[197]},{"name":"SQL_QL_START","features":[197]},{"name":"SQL_QUALIFIER_LOCATION","features":[197]},{"name":"SQL_QUALIFIER_NAME_SEPARATOR","features":[197]},{"name":"SQL_QUALIFIER_TERM","features":[197]},{"name":"SQL_QUALIFIER_USAGE","features":[197]},{"name":"SQL_QUERY_TIMEOUT","features":[197]},{"name":"SQL_QUERY_TIMEOUT_DEFAULT","features":[197]},{"name":"SQL_QUICK","features":[197]},{"name":"SQL_QUIET_MODE","features":[197]},{"name":"SQL_QUOTED_IDENTIFIER_CASE","features":[197]},{"name":"SQL_QU_DML_STATEMENTS","features":[197]},{"name":"SQL_QU_INDEX_DEFINITION","features":[197]},{"name":"SQL_QU_PRIVILEGE_DEFINITION","features":[197]},{"name":"SQL_QU_PROCEDURE_INVOCATION","features":[197]},{"name":"SQL_QU_TABLE_DEFINITION","features":[197]},{"name":"SQL_RD_DEFAULT","features":[197]},{"name":"SQL_RD_OFF","features":[197]},{"name":"SQL_RD_ON","features":[197]},{"name":"SQL_REAL","features":[197]},{"name":"SQL_REFRESH","features":[197]},{"name":"SQL_REMOTE_PWD","features":[197]},{"name":"SQL_RESET_CONNECTION_YES","features":[197]},{"name":"SQL_RESET_PARAMS","features":[197]},{"name":"SQL_RESET_YES","features":[197]},{"name":"SQL_RESTRICT","features":[197]},{"name":"SQL_RESULT_COL","features":[197]},{"name":"SQL_RETRIEVE_DATA","features":[197]},{"name":"SQL_RETURN_VALUE","features":[197]},{"name":"SQL_RE_DEFAULT","features":[197]},{"name":"SQL_RE_OFF","features":[197]},{"name":"SQL_RE_ON","features":[197]},{"name":"SQL_ROLLBACK","features":[197]},{"name":"SQL_ROWSET_SIZE","features":[197]},{"name":"SQL_ROWSET_SIZE_DEFAULT","features":[197]},{"name":"SQL_ROWVER","features":[197]},{"name":"SQL_ROW_ADDED","features":[197]},{"name":"SQL_ROW_DELETED","features":[197]},{"name":"SQL_ROW_ERROR","features":[197]},{"name":"SQL_ROW_IDENTIFIER","features":[197]},{"name":"SQL_ROW_IGNORE","features":[197]},{"name":"SQL_ROW_NOROW","features":[197]},{"name":"SQL_ROW_NUMBER","features":[197]},{"name":"SQL_ROW_NUMBER_UNKNOWN","features":[197]},{"name":"SQL_ROW_PROCEED","features":[197]},{"name":"SQL_ROW_SUCCESS","features":[197]},{"name":"SQL_ROW_SUCCESS_WITH_INFO","features":[197]},{"name":"SQL_ROW_UPDATED","features":[197]},{"name":"SQL_ROW_UPDATES","features":[197]},{"name":"SQL_SCCO_LOCK","features":[197]},{"name":"SQL_SCCO_OPT_ROWVER","features":[197]},{"name":"SQL_SCCO_OPT_TIMESTAMP","features":[197]},{"name":"SQL_SCCO_OPT_VALUES","features":[197]},{"name":"SQL_SCCO_READ_ONLY","features":[197]},{"name":"SQL_SCC_ISO92_CLI","features":[197]},{"name":"SQL_SCC_XOPEN_CLI_VERSION1","features":[197]},{"name":"SQL_SCHEMA_TERM","features":[197]},{"name":"SQL_SCHEMA_USAGE","features":[197]},{"name":"SQL_SCOPE_CURROW","features":[197]},{"name":"SQL_SCOPE_SESSION","features":[197]},{"name":"SQL_SCOPE_TRANSACTION","features":[197]},{"name":"SQL_SCROLLABLE","features":[197]},{"name":"SQL_SCROLL_CONCURRENCY","features":[197]},{"name":"SQL_SCROLL_DYNAMIC","features":[197]},{"name":"SQL_SCROLL_FORWARD_ONLY","features":[197]},{"name":"SQL_SCROLL_KEYSET_DRIVEN","features":[197]},{"name":"SQL_SCROLL_OPTIONS","features":[197]},{"name":"SQL_SCROLL_STATIC","features":[197]},{"name":"SQL_SC_FIPS127_2_TRANSITIONAL","features":[197]},{"name":"SQL_SC_NON_UNIQUE","features":[197]},{"name":"SQL_SC_SQL92_ENTRY","features":[197]},{"name":"SQL_SC_SQL92_FULL","features":[197]},{"name":"SQL_SC_SQL92_INTERMEDIATE","features":[197]},{"name":"SQL_SC_TRY_UNIQUE","features":[197]},{"name":"SQL_SC_UNIQUE","features":[197]},{"name":"SQL_SDF_CURRENT_DATE","features":[197]},{"name":"SQL_SDF_CURRENT_TIME","features":[197]},{"name":"SQL_SDF_CURRENT_TIMESTAMP","features":[197]},{"name":"SQL_SEARCHABLE","features":[197]},{"name":"SQL_SEARCH_PATTERN_ESCAPE","features":[197]},{"name":"SQL_SECOND","features":[197]},{"name":"SQL_SENSITIVE","features":[197]},{"name":"SQL_SERVER_NAME","features":[197]},{"name":"SQL_SETPARAM_VALUE_MAX","features":[197]},{"name":"SQL_SETPOS_MAX_LOCK_VALUE","features":[197]},{"name":"SQL_SETPOS_MAX_OPTION_VALUE","features":[197]},{"name":"SQL_SET_DEFAULT","features":[197]},{"name":"SQL_SET_NULL","features":[197]},{"name":"SQL_SFKD_CASCADE","features":[197]},{"name":"SQL_SFKD_NO_ACTION","features":[197]},{"name":"SQL_SFKD_SET_DEFAULT","features":[197]},{"name":"SQL_SFKD_SET_NULL","features":[197]},{"name":"SQL_SFKU_CASCADE","features":[197]},{"name":"SQL_SFKU_NO_ACTION","features":[197]},{"name":"SQL_SFKU_SET_DEFAULT","features":[197]},{"name":"SQL_SFKU_SET_NULL","features":[197]},{"name":"SQL_SG_DELETE_TABLE","features":[197]},{"name":"SQL_SG_INSERT_COLUMN","features":[197]},{"name":"SQL_SG_INSERT_TABLE","features":[197]},{"name":"SQL_SG_REFERENCES_COLUMN","features":[197]},{"name":"SQL_SG_REFERENCES_TABLE","features":[197]},{"name":"SQL_SG_SELECT_TABLE","features":[197]},{"name":"SQL_SG_UPDATE_COLUMN","features":[197]},{"name":"SQL_SG_UPDATE_TABLE","features":[197]},{"name":"SQL_SG_USAGE_ON_CHARACTER_SET","features":[197]},{"name":"SQL_SG_USAGE_ON_COLLATION","features":[197]},{"name":"SQL_SG_USAGE_ON_DOMAIN","features":[197]},{"name":"SQL_SG_USAGE_ON_TRANSLATION","features":[197]},{"name":"SQL_SG_WITH_GRANT_OPTION","features":[197]},{"name":"SQL_SIGNED_OFFSET","features":[197]},{"name":"SQL_SIMULATE_CURSOR","features":[197]},{"name":"SQL_SMALLINT","features":[197]},{"name":"SQL_SNVF_BIT_LENGTH","features":[197]},{"name":"SQL_SNVF_CHARACTER_LENGTH","features":[197]},{"name":"SQL_SNVF_CHAR_LENGTH","features":[197]},{"name":"SQL_SNVF_EXTRACT","features":[197]},{"name":"SQL_SNVF_OCTET_LENGTH","features":[197]},{"name":"SQL_SNVF_POSITION","features":[197]},{"name":"SQL_SOPT_SS_BASE","features":[197]},{"name":"SQL_SOPT_SS_CURRENT_COMMAND","features":[197]},{"name":"SQL_SOPT_SS_CURSOR_OPTIONS","features":[197]},{"name":"SQL_SOPT_SS_DEFER_PREPARE","features":[197]},{"name":"SQL_SOPT_SS_HIDDEN_COLUMNS","features":[197]},{"name":"SQL_SOPT_SS_MAX_USED","features":[197]},{"name":"SQL_SOPT_SS_NOBROWSETABLE","features":[197]},{"name":"SQL_SOPT_SS_NOCOUNT_STATUS","features":[197]},{"name":"SQL_SOPT_SS_REGIONALIZE","features":[197]},{"name":"SQL_SOPT_SS_TEXTPTR_LOGGING","features":[197]},{"name":"SQL_SO_DYNAMIC","features":[197]},{"name":"SQL_SO_FORWARD_ONLY","features":[197]},{"name":"SQL_SO_KEYSET_DRIVEN","features":[197]},{"name":"SQL_SO_MIXED","features":[197]},{"name":"SQL_SO_STATIC","features":[197]},{"name":"SQL_SPECIAL_CHARACTERS","features":[197]},{"name":"SQL_SPEC_MAJOR","features":[197]},{"name":"SQL_SPEC_MINOR","features":[197]},{"name":"SQL_SPEC_STRING","features":[197]},{"name":"SQL_SP_BETWEEN","features":[197]},{"name":"SQL_SP_COMPARISON","features":[197]},{"name":"SQL_SP_EXISTS","features":[197]},{"name":"SQL_SP_IN","features":[197]},{"name":"SQL_SP_ISNOTNULL","features":[197]},{"name":"SQL_SP_ISNULL","features":[197]},{"name":"SQL_SP_LIKE","features":[197]},{"name":"SQL_SP_MATCH_FULL","features":[197]},{"name":"SQL_SP_MATCH_PARTIAL","features":[197]},{"name":"SQL_SP_MATCH_UNIQUE_FULL","features":[197]},{"name":"SQL_SP_MATCH_UNIQUE_PARTIAL","features":[197]},{"name":"SQL_SP_OVERLAPS","features":[197]},{"name":"SQL_SP_QUANTIFIED_COMPARISON","features":[197]},{"name":"SQL_SP_UNIQUE","features":[197]},{"name":"SQL_SQL92_DATETIME_FUNCTIONS","features":[197]},{"name":"SQL_SQL92_FOREIGN_KEY_DELETE_RULE","features":[197]},{"name":"SQL_SQL92_FOREIGN_KEY_UPDATE_RULE","features":[197]},{"name":"SQL_SQL92_GRANT","features":[197]},{"name":"SQL_SQL92_NUMERIC_VALUE_FUNCTIONS","features":[197]},{"name":"SQL_SQL92_PREDICATES","features":[197]},{"name":"SQL_SQL92_RELATIONAL_JOIN_OPERATORS","features":[197]},{"name":"SQL_SQL92_REVOKE","features":[197]},{"name":"SQL_SQL92_ROW_VALUE_CONSTRUCTOR","features":[197]},{"name":"SQL_SQL92_STRING_FUNCTIONS","features":[197]},{"name":"SQL_SQL92_VALUE_EXPRESSIONS","features":[197]},{"name":"SQL_SQLSTATE_SIZE","features":[197]},{"name":"SQL_SQLSTATE_SIZEW","features":[197]},{"name":"SQL_SQL_CONFORMANCE","features":[197]},{"name":"SQL_SQ_COMPARISON","features":[197]},{"name":"SQL_SQ_CORRELATED_SUBQUERIES","features":[197]},{"name":"SQL_SQ_EXISTS","features":[197]},{"name":"SQL_SQ_IN","features":[197]},{"name":"SQL_SQ_QUANTIFIED","features":[197]},{"name":"SQL_SRJO_CORRESPONDING_CLAUSE","features":[197]},{"name":"SQL_SRJO_CROSS_JOIN","features":[197]},{"name":"SQL_SRJO_EXCEPT_JOIN","features":[197]},{"name":"SQL_SRJO_FULL_OUTER_JOIN","features":[197]},{"name":"SQL_SRJO_INNER_JOIN","features":[197]},{"name":"SQL_SRJO_INTERSECT_JOIN","features":[197]},{"name":"SQL_SRJO_LEFT_OUTER_JOIN","features":[197]},{"name":"SQL_SRJO_NATURAL_JOIN","features":[197]},{"name":"SQL_SRJO_RIGHT_OUTER_JOIN","features":[197]},{"name":"SQL_SRJO_UNION_JOIN","features":[197]},{"name":"SQL_SRVC_DEFAULT","features":[197]},{"name":"SQL_SRVC_NULL","features":[197]},{"name":"SQL_SRVC_ROW_SUBQUERY","features":[197]},{"name":"SQL_SRVC_VALUE_EXPRESSION","features":[197]},{"name":"SQL_SR_CASCADE","features":[197]},{"name":"SQL_SR_DELETE_TABLE","features":[197]},{"name":"SQL_SR_GRANT_OPTION_FOR","features":[197]},{"name":"SQL_SR_INSERT_COLUMN","features":[197]},{"name":"SQL_SR_INSERT_TABLE","features":[197]},{"name":"SQL_SR_REFERENCES_COLUMN","features":[197]},{"name":"SQL_SR_REFERENCES_TABLE","features":[197]},{"name":"SQL_SR_RESTRICT","features":[197]},{"name":"SQL_SR_SELECT_TABLE","features":[197]},{"name":"SQL_SR_UPDATE_COLUMN","features":[197]},{"name":"SQL_SR_UPDATE_TABLE","features":[197]},{"name":"SQL_SR_USAGE_ON_CHARACTER_SET","features":[197]},{"name":"SQL_SR_USAGE_ON_COLLATION","features":[197]},{"name":"SQL_SR_USAGE_ON_DOMAIN","features":[197]},{"name":"SQL_SR_USAGE_ON_TRANSLATION","features":[197]},{"name":"SQL_SSF_CONVERT","features":[197]},{"name":"SQL_SSF_LOWER","features":[197]},{"name":"SQL_SSF_SUBSTRING","features":[197]},{"name":"SQL_SSF_TRANSLATE","features":[197]},{"name":"SQL_SSF_TRIM_BOTH","features":[197]},{"name":"SQL_SSF_TRIM_LEADING","features":[197]},{"name":"SQL_SSF_TRIM_TRAILING","features":[197]},{"name":"SQL_SSF_UPPER","features":[197]},{"name":"SQL_SS_ADDITIONS","features":[197]},{"name":"SQL_SS_DELETIONS","features":[197]},{"name":"SQL_SS_DL_DEFAULT","features":[197]},{"name":"SQL_SS_QI_DEFAULT","features":[197]},{"name":"SQL_SS_QL_DEFAULT","features":[197]},{"name":"SQL_SS_UPDATES","features":[197]},{"name":"SQL_SS_VARIANT","features":[197]},{"name":"SQL_STANDARD_CLI_CONFORMANCE","features":[197]},{"name":"SQL_STATIC_CURSOR_ATTRIBUTES1","features":[197]},{"name":"SQL_STATIC_CURSOR_ATTRIBUTES2","features":[197]},{"name":"SQL_STATIC_SENSITIVITY","features":[197]},{"name":"SQL_STILL_EXECUTING","features":[197]},{"name":"SQL_STMT_OPT_MAX","features":[197]},{"name":"SQL_STMT_OPT_MIN","features":[197]},{"name":"SQL_STRING_FUNCTIONS","features":[197]},{"name":"SQL_SUBQUERIES","features":[197]},{"name":"SQL_SUCCESS","features":[197]},{"name":"SQL_SUCCESS_WITH_INFO","features":[197]},{"name":"SQL_SU_DML_STATEMENTS","features":[197]},{"name":"SQL_SU_INDEX_DEFINITION","features":[197]},{"name":"SQL_SU_PRIVILEGE_DEFINITION","features":[197]},{"name":"SQL_SU_PROCEDURE_INVOCATION","features":[197]},{"name":"SQL_SU_TABLE_DEFINITION","features":[197]},{"name":"SQL_SVE_CASE","features":[197]},{"name":"SQL_SVE_CAST","features":[197]},{"name":"SQL_SVE_COALESCE","features":[197]},{"name":"SQL_SVE_NULLIF","features":[197]},{"name":"SQL_SYSTEM_FUNCTIONS","features":[197]},{"name":"SQL_TABLE_STAT","features":[197]},{"name":"SQL_TABLE_TERM","features":[197]},{"name":"SQL_TC_ALL","features":[197]},{"name":"SQL_TC_DDL_COMMIT","features":[197]},{"name":"SQL_TC_DDL_IGNORE","features":[197]},{"name":"SQL_TC_DML","features":[197]},{"name":"SQL_TC_NONE","features":[197]},{"name":"SQL_TEXTPTR_LOGGING","features":[197]},{"name":"SQL_TIME","features":[197]},{"name":"SQL_TIMEDATE_ADD_INTERVALS","features":[197]},{"name":"SQL_TIMEDATE_DIFF_INTERVALS","features":[197]},{"name":"SQL_TIMEDATE_FUNCTIONS","features":[197]},{"name":"SQL_TIMESTAMP","features":[197]},{"name":"SQL_TIMESTAMP_LEN","features":[197]},{"name":"SQL_TIME_LEN","features":[197]},{"name":"SQL_TINYINT","features":[197]},{"name":"SQL_TL_DEFAULT","features":[197]},{"name":"SQL_TL_OFF","features":[197]},{"name":"SQL_TL_ON","features":[197]},{"name":"SQL_TRANSACTION_CAPABLE","features":[197]},{"name":"SQL_TRANSACTION_ISOLATION_OPTION","features":[197]},{"name":"SQL_TRANSACTION_READ_COMMITTED","features":[197]},{"name":"SQL_TRANSACTION_READ_UNCOMMITTED","features":[197]},{"name":"SQL_TRANSACTION_REPEATABLE_READ","features":[197]},{"name":"SQL_TRANSACTION_SERIALIZABLE","features":[197]},{"name":"SQL_TRANSLATE_DLL","features":[197]},{"name":"SQL_TRANSLATE_OPTION","features":[197]},{"name":"SQL_TRUE","features":[197]},{"name":"SQL_TXN_CAPABLE","features":[197]},{"name":"SQL_TXN_ISOLATION","features":[197]},{"name":"SQL_TXN_ISOLATION_OPTION","features":[197]},{"name":"SQL_TXN_READ_COMMITTED","features":[197]},{"name":"SQL_TXN_READ_UNCOMMITTED","features":[197]},{"name":"SQL_TXN_REPEATABLE_READ","features":[197]},{"name":"SQL_TXN_SERIALIZABLE","features":[197]},{"name":"SQL_TXN_VERSIONING","features":[197]},{"name":"SQL_TYPE_DATE","features":[197]},{"name":"SQL_TYPE_DRIVER_END","features":[197]},{"name":"SQL_TYPE_DRIVER_START","features":[197]},{"name":"SQL_TYPE_MAX","features":[197]},{"name":"SQL_TYPE_MIN","features":[197]},{"name":"SQL_TYPE_NULL","features":[197]},{"name":"SQL_TYPE_TIME","features":[197]},{"name":"SQL_TYPE_TIMESTAMP","features":[197]},{"name":"SQL_UB_DEFAULT","features":[197]},{"name":"SQL_UB_FIXED","features":[197]},{"name":"SQL_UB_OFF","features":[197]},{"name":"SQL_UB_ON","features":[197]},{"name":"SQL_UB_VARIABLE","features":[197]},{"name":"SQL_UNBIND","features":[197]},{"name":"SQL_UNICODE","features":[197]},{"name":"SQL_UNICODE_CHAR","features":[197]},{"name":"SQL_UNICODE_LONGVARCHAR","features":[197]},{"name":"SQL_UNICODE_VARCHAR","features":[197]},{"name":"SQL_UNION","features":[197]},{"name":"SQL_UNION_STATEMENT","features":[197]},{"name":"SQL_UNKNOWN_TYPE","features":[197]},{"name":"SQL_UNNAMED","features":[197]},{"name":"SQL_UNSEARCHABLE","features":[197]},{"name":"SQL_UNSIGNED_OFFSET","features":[197]},{"name":"SQL_UNSPECIFIED","features":[197]},{"name":"SQL_UPDATE","features":[197]},{"name":"SQL_UPDATE_BY_BOOKMARK","features":[197]},{"name":"SQL_UP_DEFAULT","features":[197]},{"name":"SQL_UP_OFF","features":[197]},{"name":"SQL_UP_ON","features":[197]},{"name":"SQL_UP_ON_DROP","features":[197]},{"name":"SQL_USER_NAME","features":[197]},{"name":"SQL_USE_BOOKMARKS","features":[197]},{"name":"SQL_USE_PROCEDURE_FOR_PREPARE","features":[197]},{"name":"SQL_US_UNION","features":[197]},{"name":"SQL_US_UNION_ALL","features":[197]},{"name":"SQL_U_UNION","features":[197]},{"name":"SQL_U_UNION_ALL","features":[197]},{"name":"SQL_VARBINARY","features":[197]},{"name":"SQL_VARCHAR","features":[197]},{"name":"SQL_VARLEN_DATA","features":[197]},{"name":"SQL_WARN_NO","features":[197]},{"name":"SQL_WARN_YES","features":[197]},{"name":"SQL_WCHAR","features":[197]},{"name":"SQL_WLONGVARCHAR","features":[197]},{"name":"SQL_WVARCHAR","features":[197]},{"name":"SQL_XL_DEFAULT","features":[197]},{"name":"SQL_XL_OFF","features":[197]},{"name":"SQL_XL_ON","features":[197]},{"name":"SQL_XOPEN_CLI_YEAR","features":[197]},{"name":"SQL_YEAR","features":[197]},{"name":"SQL_YEAR_MONTH_STRUCT","features":[197]},{"name":"SQL_YEAR_TO_MONTH","features":[197]},{"name":"SQLudtBINARY","features":[197]},{"name":"SQLudtBIT","features":[197]},{"name":"SQLudtBITN","features":[197]},{"name":"SQLudtCHAR","features":[197]},{"name":"SQLudtDATETIM4","features":[197]},{"name":"SQLudtDATETIME","features":[197]},{"name":"SQLudtDATETIMN","features":[197]},{"name":"SQLudtDECML","features":[197]},{"name":"SQLudtDECMLN","features":[197]},{"name":"SQLudtFLT4","features":[197]},{"name":"SQLudtFLT8","features":[197]},{"name":"SQLudtFLTN","features":[197]},{"name":"SQLudtIMAGE","features":[197]},{"name":"SQLudtINT1","features":[197]},{"name":"SQLudtINT2","features":[197]},{"name":"SQLudtINT4","features":[197]},{"name":"SQLudtINTN","features":[197]},{"name":"SQLudtMONEY","features":[197]},{"name":"SQLudtMONEY4","features":[197]},{"name":"SQLudtMONEYN","features":[197]},{"name":"SQLudtNUM","features":[197]},{"name":"SQLudtNUMN","features":[197]},{"name":"SQLudtSYSNAME","features":[197]},{"name":"SQLudtTEXT","features":[197]},{"name":"SQLudtTIMESTAMP","features":[197]},{"name":"SQLudtUNIQUEIDENTIFIER","features":[197]},{"name":"SQLudtVARBINARY","features":[197]},{"name":"SQLudtVARCHAR","features":[197]},{"name":"SQMO_DEFAULT_PROPERTY","features":[197]},{"name":"SQMO_GENERATOR_FOR_TYPE","features":[197]},{"name":"SQMO_MAP_PROPERTY","features":[197]},{"name":"SQMO_VIRTUAL_PROPERTY","features":[197]},{"name":"SQPE_EXTRA_CLOSING_PARENTHESIS","features":[197]},{"name":"SQPE_EXTRA_OPENING_PARENTHESIS","features":[197]},{"name":"SQPE_IGNORED_CONNECTOR","features":[197]},{"name":"SQPE_IGNORED_KEYWORD","features":[197]},{"name":"SQPE_IGNORED_MODIFIER","features":[197]},{"name":"SQPE_NONE","features":[197]},{"name":"SQPE_UNHANDLED","features":[197]},{"name":"SQRO_ADD_ROBUST_ITEM_NAME","features":[197]},{"name":"SQRO_ADD_VALUE_TYPE_FOR_PLAIN_VALUES","features":[197]},{"name":"SQRO_ALWAYS_ONE_INTERVAL","features":[197]},{"name":"SQRO_DEFAULT","features":[197]},{"name":"SQRO_DONT_MAP_RELATIONS","features":[197]},{"name":"SQRO_DONT_REMOVE_UNRESTRICTED_KEYWORDS","features":[197]},{"name":"SQRO_DONT_RESOLVE_DATETIME","features":[197]},{"name":"SQRO_DONT_RESOLVE_RANGES","features":[197]},{"name":"SQRO_DONT_SIMPLIFY_CONDITION_TREES","features":[197]},{"name":"SQRO_DONT_SPLIT_WORDS","features":[197]},{"name":"SQRO_IGNORE_PHRASE_ORDER","features":[197]},{"name":"SQSO_AUTOMATIC_WILDCARD","features":[197]},{"name":"SQSO_CONNECTOR_CASE","features":[197]},{"name":"SQSO_IMPLICIT_CONNECTOR","features":[197]},{"name":"SQSO_LANGUAGE_KEYWORDS","features":[197]},{"name":"SQSO_LOCALE_WORD_BREAKING","features":[197]},{"name":"SQSO_NATURAL_SYNTAX","features":[197]},{"name":"SQSO_SCHEMA","features":[197]},{"name":"SQSO_SYNTAX","features":[197]},{"name":"SQSO_TIME_ZONE","features":[197]},{"name":"SQSO_TRACE_LEVEL","features":[197]},{"name":"SQSO_WORD_BREAKER","features":[197]},{"name":"SQS_ADVANCED_QUERY_SYNTAX","features":[197]},{"name":"SQS_NATURAL_QUERY_SYNTAX","features":[197]},{"name":"SQS_NO_SYNTAX","features":[197]},{"name":"SRCH_SCHEMA_CACHE_E_UNEXPECTED","features":[197]},{"name":"SSERRORINFO","features":[197]},{"name":"SSPROPVAL_COMMANDTYPE_BULKLOAD","features":[197]},{"name":"SSPROPVAL_COMMANDTYPE_REGULAR","features":[197]},{"name":"SSPROPVAL_USEPROCFORPREP_OFF","features":[197]},{"name":"SSPROPVAL_USEPROCFORPREP_ON","features":[197]},{"name":"SSPROPVAL_USEPROCFORPREP_ON_DROP","features":[197]},{"name":"SSPROP_ALLOWNATIVEVARIANT","features":[197]},{"name":"SSPROP_AUTH_REPL_SERVER_NAME","features":[197]},{"name":"SSPROP_CHARACTERSET","features":[197]},{"name":"SSPROP_COLUMNLEVELCOLLATION","features":[197]},{"name":"SSPROP_COL_COLLATIONNAME","features":[197]},{"name":"SSPROP_CURRENTCOLLATION","features":[197]},{"name":"SSPROP_CURSORAUTOFETCH","features":[197]},{"name":"SSPROP_DEFERPREPARE","features":[197]},{"name":"SSPROP_ENABLEFASTLOAD","features":[197]},{"name":"SSPROP_FASTLOADKEEPIDENTITY","features":[197]},{"name":"SSPROP_FASTLOADKEEPNULLS","features":[197]},{"name":"SSPROP_FASTLOADOPTIONS","features":[197]},{"name":"SSPROP_INIT_APPNAME","features":[197]},{"name":"SSPROP_INIT_AUTOTRANSLATE","features":[197]},{"name":"SSPROP_INIT_CURRENTLANGUAGE","features":[197]},{"name":"SSPROP_INIT_ENCRYPT","features":[197]},{"name":"SSPROP_INIT_FILENAME","features":[197]},{"name":"SSPROP_INIT_NETWORKADDRESS","features":[197]},{"name":"SSPROP_INIT_NETWORKLIBRARY","features":[197]},{"name":"SSPROP_INIT_PACKETSIZE","features":[197]},{"name":"SSPROP_INIT_TAGCOLUMNCOLLATION","features":[197]},{"name":"SSPROP_INIT_USEPROCFORPREP","features":[197]},{"name":"SSPROP_INIT_WSID","features":[197]},{"name":"SSPROP_IRowsetFastLoad","features":[197]},{"name":"SSPROP_MAXBLOBLENGTH","features":[197]},{"name":"SSPROP_QUOTEDCATALOGNAMES","features":[197]},{"name":"SSPROP_SORTORDER","features":[197]},{"name":"SSPROP_SQLXMLXPROGID","features":[197]},{"name":"SSPROP_STREAM_BASEPATH","features":[197]},{"name":"SSPROP_STREAM_COMMANDTYPE","features":[197]},{"name":"SSPROP_STREAM_CONTENTTYPE","features":[197]},{"name":"SSPROP_STREAM_FLAGS","features":[197]},{"name":"SSPROP_STREAM_MAPPINGSCHEMA","features":[197]},{"name":"SSPROP_STREAM_XMLROOT","features":[197]},{"name":"SSPROP_STREAM_XSL","features":[197]},{"name":"SSPROP_UNICODECOMPARISONSTYLE","features":[197]},{"name":"SSPROP_UNICODELCID","features":[197]},{"name":"SSVARIANT","features":[1,41,197]},{"name":"STD_BOOKMARKLENGTH","features":[197]},{"name":"STGM_COLLECTION","features":[197]},{"name":"STGM_OPEN","features":[197]},{"name":"STGM_OUTPUT","features":[197]},{"name":"STGM_RECURSIVE","features":[197]},{"name":"STGM_STRICTOPEN","features":[197]},{"name":"STREAM_FLAGS_DISALLOW_ABSOLUTE_PATH","features":[197]},{"name":"STREAM_FLAGS_DISALLOW_QUERY","features":[197]},{"name":"STREAM_FLAGS_DISALLOW_UPDATEGRAMS","features":[197]},{"name":"STREAM_FLAGS_DISALLOW_URL","features":[197]},{"name":"STREAM_FLAGS_DONTCACHEMAPPINGSCHEMA","features":[197]},{"name":"STREAM_FLAGS_DONTCACHETEMPLATE","features":[197]},{"name":"STREAM_FLAGS_DONTCACHEXSL","features":[197]},{"name":"STREAM_FLAGS_RESERVED","features":[197]},{"name":"STRUCTURED_QUERY_MULTIOPTION","features":[197]},{"name":"STRUCTURED_QUERY_PARSE_ERROR","features":[197]},{"name":"STRUCTURED_QUERY_RESOLVE_OPTION","features":[197]},{"name":"STRUCTURED_QUERY_SINGLE_OPTION","features":[197]},{"name":"STRUCTURED_QUERY_SYNTAX","features":[197]},{"name":"STS_ABORTXMLPARSE","features":[197]},{"name":"STS_WS_ERROR","features":[197]},{"name":"SUBSCRIPTIONINFO","features":[1,197]},{"name":"SUBSCRIPTIONINFOFLAGS","features":[197]},{"name":"SUBSCRIPTIONITEMINFO","features":[197]},{"name":"SUBSCRIPTIONSCHEDULE","features":[197]},{"name":"SUBSCRIPTIONTYPE","features":[197]},{"name":"SUBSINFO_ALLFLAGS","features":[197]},{"name":"SUBSINFO_CHANGESONLY","features":[197]},{"name":"SUBSINFO_CHANNELFLAGS","features":[197]},{"name":"SUBSINFO_FRIENDLYNAME","features":[197]},{"name":"SUBSINFO_GLEAM","features":[197]},{"name":"SUBSINFO_MAILNOT","features":[197]},{"name":"SUBSINFO_MAXSIZEKB","features":[197]},{"name":"SUBSINFO_NEEDPASSWORD","features":[197]},{"name":"SUBSINFO_PASSWORD","features":[197]},{"name":"SUBSINFO_RECURSE","features":[197]},{"name":"SUBSINFO_SCHEDULE","features":[197]},{"name":"SUBSINFO_TASKFLAGS","features":[197]},{"name":"SUBSINFO_TYPE","features":[197]},{"name":"SUBSINFO_USER","features":[197]},{"name":"SUBSINFO_WEBCRAWL","features":[197]},{"name":"SUBSMGRENUM_MASK","features":[197]},{"name":"SUBSMGRENUM_TEMP","features":[197]},{"name":"SUBSMGRUPDATE_MASK","features":[197]},{"name":"SUBSMGRUPDATE_MINIMIZE","features":[197]},{"name":"SUBSSCHED_AUTO","features":[197]},{"name":"SUBSSCHED_CUSTOM","features":[197]},{"name":"SUBSSCHED_DAILY","features":[197]},{"name":"SUBSSCHED_MANUAL","features":[197]},{"name":"SUBSSCHED_WEEKLY","features":[197]},{"name":"SUBSTYPE_CHANNEL","features":[197]},{"name":"SUBSTYPE_DESKTOPCHANNEL","features":[197]},{"name":"SUBSTYPE_DESKTOPURL","features":[197]},{"name":"SUBSTYPE_EXTERNAL","features":[197]},{"name":"SUBSTYPE_URL","features":[197]},{"name":"SUCCEED","features":[197]},{"name":"SUCCEED_ABORT","features":[197]},{"name":"SUCCEED_ASYNC","features":[197]},{"name":"SubscriptionMgr","features":[197]},{"name":"TEXT_SOURCE","features":[197]},{"name":"TIMEOUT_INFO","features":[197]},{"name":"TIMESTAMP_STRUCT","features":[197]},{"name":"TIME_STRUCT","features":[197]},{"name":"TRACE_ON","features":[197]},{"name":"TRACE_VERSION","features":[197]},{"name":"TRACE_VS_EVENT_ON","features":[197]},{"name":"VECTORRESTRICTION","features":[1,143,63,197,42]},{"name":"VT_SS_BINARY","features":[197]},{"name":"VT_SS_BIT","features":[197]},{"name":"VT_SS_DATETIME","features":[197]},{"name":"VT_SS_DECIMAL","features":[197]},{"name":"VT_SS_EMPTY","features":[197]},{"name":"VT_SS_GUID","features":[197]},{"name":"VT_SS_I2","features":[197]},{"name":"VT_SS_I4","features":[197]},{"name":"VT_SS_I8","features":[197]},{"name":"VT_SS_MONEY","features":[197]},{"name":"VT_SS_NULL","features":[197]},{"name":"VT_SS_NUMERIC","features":[197]},{"name":"VT_SS_R4","features":[197]},{"name":"VT_SS_R8","features":[197]},{"name":"VT_SS_SMALLDATETIME","features":[197]},{"name":"VT_SS_SMALLMONEY","features":[197]},{"name":"VT_SS_STRING","features":[197]},{"name":"VT_SS_UI1","features":[197]},{"name":"VT_SS_UNKNOWN","features":[197]},{"name":"VT_SS_VARBINARY","features":[197]},{"name":"VT_SS_VARSTRING","features":[197]},{"name":"VT_SS_WSTRING","features":[197]},{"name":"VT_SS_WVARSTRING","features":[197]},{"name":"WEBCRAWL_DONT_MAKE_STICKY","features":[197]},{"name":"WEBCRAWL_GET_BGSOUNDS","features":[197]},{"name":"WEBCRAWL_GET_CONTROLS","features":[197]},{"name":"WEBCRAWL_GET_IMAGES","features":[197]},{"name":"WEBCRAWL_GET_VIDEOS","features":[197]},{"name":"WEBCRAWL_IGNORE_ROBOTSTXT","features":[197]},{"name":"WEBCRAWL_LINKS_ELSEWHERE","features":[197]},{"name":"WEBCRAWL_ONLY_LINKS_TO_HTML","features":[197]},{"name":"WEBCRAWL_RECURSEFLAGS","features":[197]},{"name":"XML_E_BADSXQL","features":[197]},{"name":"XML_E_NODEFAULTNS","features":[197]},{"name":"_MAPI_E_ACCOUNT_DISABLED","features":[197]},{"name":"_MAPI_E_BAD_CHARWIDTH","features":[197]},{"name":"_MAPI_E_BAD_COLUMN","features":[197]},{"name":"_MAPI_E_BUSY","features":[197]},{"name":"_MAPI_E_COMPUTED","features":[197]},{"name":"_MAPI_E_CORRUPT_DATA","features":[197]},{"name":"_MAPI_E_DISK_ERROR","features":[197]},{"name":"_MAPI_E_END_OF_SESSION","features":[197]},{"name":"_MAPI_E_EXTENDED_ERROR","features":[197]},{"name":"_MAPI_E_FAILONEPROVIDER","features":[197]},{"name":"_MAPI_E_INVALID_ACCESS_TIME","features":[197]},{"name":"_MAPI_E_INVALID_ENTRYID","features":[197]},{"name":"_MAPI_E_INVALID_OBJECT","features":[197]},{"name":"_MAPI_E_INVALID_WORKSTATION_ACCOUNT","features":[197]},{"name":"_MAPI_E_LOGON_FAILED","features":[197]},{"name":"_MAPI_E_MISSING_REQUIRED_COLUMN","features":[197]},{"name":"_MAPI_E_NETWORK_ERROR","features":[197]},{"name":"_MAPI_E_NOT_ENOUGH_DISK","features":[197]},{"name":"_MAPI_E_NOT_ENOUGH_RESOURCES","features":[197]},{"name":"_MAPI_E_NOT_FOUND","features":[197]},{"name":"_MAPI_E_NO_SUPPORT","features":[197]},{"name":"_MAPI_E_OBJECT_CHANGED","features":[197]},{"name":"_MAPI_E_OBJECT_DELETED","features":[197]},{"name":"_MAPI_E_PASSWORD_CHANGE_REQUIRED","features":[197]},{"name":"_MAPI_E_PASSWORD_EXPIRED","features":[197]},{"name":"_MAPI_E_SESSION_LIMIT","features":[197]},{"name":"_MAPI_E_STRING_TOO_LONG","features":[197]},{"name":"_MAPI_E_TOO_COMPLEX","features":[197]},{"name":"_MAPI_E_UNABLE_TO_ABORT","features":[197]},{"name":"_MAPI_E_UNCONFIGURED","features":[197]},{"name":"_MAPI_E_UNKNOWN_CPID","features":[197]},{"name":"_MAPI_E_UNKNOWN_ENTRYID","features":[197]},{"name":"_MAPI_E_UNKNOWN_FLAGS","features":[197]},{"name":"_MAPI_E_UNKNOWN_LCID","features":[197]},{"name":"_MAPI_E_USER_CANCEL","features":[197]},{"name":"_MAPI_E_VERSION","features":[197]},{"name":"_MAPI_W_NO_SERVICE","features":[197]},{"name":"bcp_batch","features":[197]},{"name":"bcp_bind","features":[197]},{"name":"bcp_colfmt","features":[197]},{"name":"bcp_collen","features":[197]},{"name":"bcp_colptr","features":[197]},{"name":"bcp_columns","features":[197]},{"name":"bcp_control","features":[197]},{"name":"bcp_done","features":[197]},{"name":"bcp_exec","features":[197]},{"name":"bcp_getcolfmt","features":[197]},{"name":"bcp_initA","features":[197]},{"name":"bcp_initW","features":[197]},{"name":"bcp_moretext","features":[197]},{"name":"bcp_readfmtA","features":[197]},{"name":"bcp_readfmtW","features":[197]},{"name":"bcp_sendrow","features":[197]},{"name":"bcp_setcolfmt","features":[197]},{"name":"bcp_writefmtA","features":[197]},{"name":"bcp_writefmtW","features":[197]},{"name":"dbprtypeA","features":[197]},{"name":"dbprtypeW","features":[197]},{"name":"eAUTH_TYPE_ANONYMOUS","features":[197]},{"name":"eAUTH_TYPE_BASIC","features":[197]},{"name":"eAUTH_TYPE_NTLM","features":[197]}],"603":[{"name":"CONDITION_OPERATION","features":[198]},{"name":"CONDITION_TYPE","features":[198]},{"name":"COP_APPLICATION_SPECIFIC","features":[198]},{"name":"COP_DOSWILDCARDS","features":[198]},{"name":"COP_EQUAL","features":[198]},{"name":"COP_GREATERTHAN","features":[198]},{"name":"COP_GREATERTHANOREQUAL","features":[198]},{"name":"COP_IMPLICIT","features":[198]},{"name":"COP_LESSTHAN","features":[198]},{"name":"COP_LESSTHANOREQUAL","features":[198]},{"name":"COP_NOTEQUAL","features":[198]},{"name":"COP_VALUE_CONTAINS","features":[198]},{"name":"COP_VALUE_ENDSWITH","features":[198]},{"name":"COP_VALUE_NOTCONTAINS","features":[198]},{"name":"COP_VALUE_STARTSWITH","features":[198]},{"name":"COP_WORD_EQUAL","features":[198]},{"name":"COP_WORD_STARTSWITH","features":[198]},{"name":"CT_AND_CONDITION","features":[198]},{"name":"CT_LEAF_CONDITION","features":[198]},{"name":"CT_NOT_CONDITION","features":[198]},{"name":"CT_OR_CONDITION","features":[198]}],"604":[{"name":"IWSCDefaultProduct","features":[199]},{"name":"IWSCProductList","features":[199]},{"name":"IWscProduct","features":[199]},{"name":"IWscProduct2","features":[199]},{"name":"IWscProduct3","features":[199]},{"name":"SECURITY_PRODUCT_TYPE","features":[199]},{"name":"SECURITY_PRODUCT_TYPE_ANTISPYWARE","features":[199]},{"name":"SECURITY_PRODUCT_TYPE_ANTIVIRUS","features":[199]},{"name":"SECURITY_PRODUCT_TYPE_FIREWALL","features":[199]},{"name":"WSCDefaultProduct","features":[199]},{"name":"WSCProductList","features":[199]},{"name":"WSC_SECURITY_PRODUCT_OUT_OF_DATE","features":[199]},{"name":"WSC_SECURITY_PRODUCT_STATE","features":[199]},{"name":"WSC_SECURITY_PRODUCT_STATE_EXPIRED","features":[199]},{"name":"WSC_SECURITY_PRODUCT_STATE_OFF","features":[199]},{"name":"WSC_SECURITY_PRODUCT_STATE_ON","features":[199]},{"name":"WSC_SECURITY_PRODUCT_STATE_SNOOZED","features":[199]},{"name":"WSC_SECURITY_PRODUCT_SUBSTATUS","features":[199]},{"name":"WSC_SECURITY_PRODUCT_SUBSTATUS_ACTION_NEEDED","features":[199]},{"name":"WSC_SECURITY_PRODUCT_SUBSTATUS_ACTION_RECOMMENDED","features":[199]},{"name":"WSC_SECURITY_PRODUCT_SUBSTATUS_NOT_SET","features":[199]},{"name":"WSC_SECURITY_PRODUCT_SUBSTATUS_NO_ACTION","features":[199]},{"name":"WSC_SECURITY_PRODUCT_UP_TO_DATE","features":[199]},{"name":"WSC_SECURITY_PROVIDER","features":[199]},{"name":"WSC_SECURITY_PROVIDER_ALL","features":[199]},{"name":"WSC_SECURITY_PROVIDER_ANTISPYWARE","features":[199]},{"name":"WSC_SECURITY_PROVIDER_ANTIVIRUS","features":[199]},{"name":"WSC_SECURITY_PROVIDER_AUTOUPDATE_SETTINGS","features":[199]},{"name":"WSC_SECURITY_PROVIDER_FIREWALL","features":[199]},{"name":"WSC_SECURITY_PROVIDER_HEALTH","features":[199]},{"name":"WSC_SECURITY_PROVIDER_HEALTH_GOOD","features":[199]},{"name":"WSC_SECURITY_PROVIDER_HEALTH_NOTMONITORED","features":[199]},{"name":"WSC_SECURITY_PROVIDER_HEALTH_POOR","features":[199]},{"name":"WSC_SECURITY_PROVIDER_HEALTH_SNOOZE","features":[199]},{"name":"WSC_SECURITY_PROVIDER_INTERNET_SETTINGS","features":[199]},{"name":"WSC_SECURITY_PROVIDER_NONE","features":[199]},{"name":"WSC_SECURITY_PROVIDER_SERVICE","features":[199]},{"name":"WSC_SECURITY_PROVIDER_USER_ACCOUNT_CONTROL","features":[199]},{"name":"WSC_SECURITY_SIGNATURE_STATUS","features":[199]},{"name":"WscGetAntiMalwareUri","features":[199]},{"name":"WscGetSecurityProviderHealth","features":[199]},{"name":"WscQueryAntiMalwareUri","features":[199]},{"name":"WscRegisterForChanges","features":[1,199,37]},{"name":"WscRegisterForUserNotifications","features":[199]},{"name":"WscUnRegisterChanges","features":[1,199]}],"606":[{"name":"CUSTOM_SYSTEM_STATE_CHANGE_EVENT_GUID","features":[200]},{"name":"ChangeServiceConfig2A","features":[1,4,200]},{"name":"ChangeServiceConfig2W","features":[1,4,200]},{"name":"ChangeServiceConfigA","features":[1,4,200]},{"name":"ChangeServiceConfigW","features":[1,4,200]},{"name":"CloseServiceHandle","features":[1,4,200]},{"name":"ControlService","features":[1,4,200]},{"name":"ControlServiceExA","features":[1,4,200]},{"name":"ControlServiceExW","features":[1,4,200]},{"name":"CreateServiceA","features":[4,200]},{"name":"CreateServiceW","features":[4,200]},{"name":"DOMAIN_JOIN_GUID","features":[200]},{"name":"DOMAIN_LEAVE_GUID","features":[200]},{"name":"DeleteService","features":[1,4,200]},{"name":"ENUM_SERVICE_STATE","features":[200]},{"name":"ENUM_SERVICE_STATUSA","features":[200]},{"name":"ENUM_SERVICE_STATUSW","features":[200]},{"name":"ENUM_SERVICE_STATUS_PROCESSA","features":[200]},{"name":"ENUM_SERVICE_STATUS_PROCESSW","features":[200]},{"name":"ENUM_SERVICE_TYPE","features":[200]},{"name":"EnumDependentServicesA","features":[1,4,200]},{"name":"EnumDependentServicesW","features":[1,4,200]},{"name":"EnumServicesStatusA","features":[1,4,200]},{"name":"EnumServicesStatusExA","features":[1,4,200]},{"name":"EnumServicesStatusExW","features":[1,4,200]},{"name":"EnumServicesStatusW","features":[1,4,200]},{"name":"FIREWALL_PORT_CLOSE_GUID","features":[200]},{"name":"FIREWALL_PORT_OPEN_GUID","features":[200]},{"name":"GetServiceDirectory","features":[200]},{"name":"GetServiceDisplayNameA","features":[1,4,200]},{"name":"GetServiceDisplayNameW","features":[1,4,200]},{"name":"GetServiceKeyNameA","features":[1,4,200]},{"name":"GetServiceKeyNameW","features":[1,4,200]},{"name":"GetServiceRegistryStateKey","features":[49,200]},{"name":"GetSharedServiceDirectory","features":[4,200]},{"name":"GetSharedServiceRegistryStateKey","features":[4,49,200]},{"name":"HANDLER_FUNCTION","features":[200]},{"name":"HANDLER_FUNCTION_EX","features":[200]},{"name":"LPHANDLER_FUNCTION","features":[200]},{"name":"LPHANDLER_FUNCTION_EX","features":[200]},{"name":"LPSERVICE_MAIN_FUNCTIONA","features":[200]},{"name":"LPSERVICE_MAIN_FUNCTIONW","features":[200]},{"name":"LockServiceDatabase","features":[4,200]},{"name":"MACHINE_POLICY_PRESENT_GUID","features":[200]},{"name":"MaxServiceRegistryStateType","features":[200]},{"name":"NAMED_PIPE_EVENT_GUID","features":[200]},{"name":"NETWORK_MANAGER_FIRST_IP_ADDRESS_ARRIVAL_GUID","features":[200]},{"name":"NETWORK_MANAGER_LAST_IP_ADDRESS_REMOVAL_GUID","features":[200]},{"name":"NotifyBootConfigStatus","features":[1,200]},{"name":"NotifyServiceStatusChangeA","features":[4,200]},{"name":"NotifyServiceStatusChangeW","features":[4,200]},{"name":"OpenSCManagerA","features":[4,200]},{"name":"OpenSCManagerW","features":[4,200]},{"name":"OpenServiceA","features":[4,200]},{"name":"OpenServiceW","features":[4,200]},{"name":"PFN_SC_NOTIFY_CALLBACK","features":[200]},{"name":"PSC_NOTIFICATION_CALLBACK","features":[200]},{"name":"PSC_NOTIFICATION_REGISTRATION","features":[200]},{"name":"QUERY_SERVICE_CONFIGA","features":[200]},{"name":"QUERY_SERVICE_CONFIGW","features":[200]},{"name":"QUERY_SERVICE_LOCK_STATUSA","features":[200]},{"name":"QUERY_SERVICE_LOCK_STATUSW","features":[200]},{"name":"QueryServiceConfig2A","features":[1,4,200]},{"name":"QueryServiceConfig2W","features":[1,4,200]},{"name":"QueryServiceConfigA","features":[1,4,200]},{"name":"QueryServiceConfigW","features":[1,4,200]},{"name":"QueryServiceDynamicInformation","features":[1,200]},{"name":"QueryServiceLockStatusA","features":[1,4,200]},{"name":"QueryServiceLockStatusW","features":[1,4,200]},{"name":"QueryServiceObjectSecurity","features":[1,4,200]},{"name":"QueryServiceStatus","features":[1,4,200]},{"name":"QueryServiceStatusEx","features":[1,4,200]},{"name":"RPC_INTERFACE_EVENT_GUID","features":[200]},{"name":"RegisterServiceCtrlHandlerA","features":[200]},{"name":"RegisterServiceCtrlHandlerExA","features":[200]},{"name":"RegisterServiceCtrlHandlerExW","features":[200]},{"name":"RegisterServiceCtrlHandlerW","features":[200]},{"name":"SC_ACTION","features":[200]},{"name":"SC_ACTION_NONE","features":[200]},{"name":"SC_ACTION_OWN_RESTART","features":[200]},{"name":"SC_ACTION_REBOOT","features":[200]},{"name":"SC_ACTION_RESTART","features":[200]},{"name":"SC_ACTION_RUN_COMMAND","features":[200]},{"name":"SC_ACTION_TYPE","features":[200]},{"name":"SC_AGGREGATE_STORAGE_KEY","features":[200]},{"name":"SC_ENUM_PROCESS_INFO","features":[200]},{"name":"SC_ENUM_TYPE","features":[200]},{"name":"SC_EVENT_DATABASE_CHANGE","features":[200]},{"name":"SC_EVENT_PROPERTY_CHANGE","features":[200]},{"name":"SC_EVENT_STATUS_CHANGE","features":[200]},{"name":"SC_EVENT_TYPE","features":[200]},{"name":"SC_MANAGER_ALL_ACCESS","features":[200]},{"name":"SC_MANAGER_CONNECT","features":[200]},{"name":"SC_MANAGER_CREATE_SERVICE","features":[200]},{"name":"SC_MANAGER_ENUMERATE_SERVICE","features":[200]},{"name":"SC_MANAGER_LOCK","features":[200]},{"name":"SC_MANAGER_MODIFY_BOOT_CONFIG","features":[200]},{"name":"SC_MANAGER_QUERY_LOCK_STATUS","features":[200]},{"name":"SC_STATUS_PROCESS_INFO","features":[200]},{"name":"SC_STATUS_TYPE","features":[200]},{"name":"SERVICES_ACTIVE_DATABASE","features":[200]},{"name":"SERVICES_ACTIVE_DATABASEA","features":[200]},{"name":"SERVICES_ACTIVE_DATABASEW","features":[200]},{"name":"SERVICES_FAILED_DATABASE","features":[200]},{"name":"SERVICES_FAILED_DATABASEA","features":[200]},{"name":"SERVICES_FAILED_DATABASEW","features":[200]},{"name":"SERVICE_ACCEPT_HARDWAREPROFILECHANGE","features":[200]},{"name":"SERVICE_ACCEPT_LOWRESOURCES","features":[200]},{"name":"SERVICE_ACCEPT_NETBINDCHANGE","features":[200]},{"name":"SERVICE_ACCEPT_PARAMCHANGE","features":[200]},{"name":"SERVICE_ACCEPT_PAUSE_CONTINUE","features":[200]},{"name":"SERVICE_ACCEPT_POWEREVENT","features":[200]},{"name":"SERVICE_ACCEPT_PRESHUTDOWN","features":[200]},{"name":"SERVICE_ACCEPT_SESSIONCHANGE","features":[200]},{"name":"SERVICE_ACCEPT_SHUTDOWN","features":[200]},{"name":"SERVICE_ACCEPT_STOP","features":[200]},{"name":"SERVICE_ACCEPT_SYSTEMLOWRESOURCES","features":[200]},{"name":"SERVICE_ACCEPT_TIMECHANGE","features":[200]},{"name":"SERVICE_ACCEPT_TRIGGEREVENT","features":[200]},{"name":"SERVICE_ACCEPT_USER_LOGOFF","features":[200]},{"name":"SERVICE_ACTIVE","features":[200]},{"name":"SERVICE_ADAPTER","features":[200]},{"name":"SERVICE_ALL_ACCESS","features":[200]},{"name":"SERVICE_AUTO_START","features":[200]},{"name":"SERVICE_BOOT_START","features":[200]},{"name":"SERVICE_CHANGE_CONFIG","features":[200]},{"name":"SERVICE_CONFIG","features":[200]},{"name":"SERVICE_CONFIG_DELAYED_AUTO_START_INFO","features":[200]},{"name":"SERVICE_CONFIG_DESCRIPTION","features":[200]},{"name":"SERVICE_CONFIG_FAILURE_ACTIONS","features":[200]},{"name":"SERVICE_CONFIG_FAILURE_ACTIONS_FLAG","features":[200]},{"name":"SERVICE_CONFIG_LAUNCH_PROTECTED","features":[200]},{"name":"SERVICE_CONFIG_PREFERRED_NODE","features":[200]},{"name":"SERVICE_CONFIG_PRESHUTDOWN_INFO","features":[200]},{"name":"SERVICE_CONFIG_REQUIRED_PRIVILEGES_INFO","features":[200]},{"name":"SERVICE_CONFIG_SERVICE_SID_INFO","features":[200]},{"name":"SERVICE_CONFIG_TRIGGER_INFO","features":[200]},{"name":"SERVICE_CONTINUE_PENDING","features":[200]},{"name":"SERVICE_CONTROL_CONTINUE","features":[200]},{"name":"SERVICE_CONTROL_DEVICEEVENT","features":[200]},{"name":"SERVICE_CONTROL_HARDWAREPROFILECHANGE","features":[200]},{"name":"SERVICE_CONTROL_INTERROGATE","features":[200]},{"name":"SERVICE_CONTROL_LOWRESOURCES","features":[200]},{"name":"SERVICE_CONTROL_NETBINDADD","features":[200]},{"name":"SERVICE_CONTROL_NETBINDDISABLE","features":[200]},{"name":"SERVICE_CONTROL_NETBINDENABLE","features":[200]},{"name":"SERVICE_CONTROL_NETBINDREMOVE","features":[200]},{"name":"SERVICE_CONTROL_PARAMCHANGE","features":[200]},{"name":"SERVICE_CONTROL_PAUSE","features":[200]},{"name":"SERVICE_CONTROL_POWEREVENT","features":[200]},{"name":"SERVICE_CONTROL_PRESHUTDOWN","features":[200]},{"name":"SERVICE_CONTROL_SESSIONCHANGE","features":[200]},{"name":"SERVICE_CONTROL_SHUTDOWN","features":[200]},{"name":"SERVICE_CONTROL_STATUS_REASON_INFO","features":[200]},{"name":"SERVICE_CONTROL_STATUS_REASON_PARAMSA","features":[200]},{"name":"SERVICE_CONTROL_STATUS_REASON_PARAMSW","features":[200]},{"name":"SERVICE_CONTROL_STOP","features":[200]},{"name":"SERVICE_CONTROL_SYSTEMLOWRESOURCES","features":[200]},{"name":"SERVICE_CONTROL_TIMECHANGE","features":[200]},{"name":"SERVICE_CONTROL_TRIGGEREVENT","features":[200]},{"name":"SERVICE_CUSTOM_SYSTEM_STATE_CHANGE_DATA_ITEM","features":[200]},{"name":"SERVICE_DELAYED_AUTO_START_INFO","features":[1,200]},{"name":"SERVICE_DEMAND_START","features":[200]},{"name":"SERVICE_DESCRIPTIONA","features":[200]},{"name":"SERVICE_DESCRIPTIONW","features":[200]},{"name":"SERVICE_DIRECTORY_TYPE","features":[200]},{"name":"SERVICE_DISABLED","features":[200]},{"name":"SERVICE_DRIVER","features":[200]},{"name":"SERVICE_DYNAMIC_INFORMATION_LEVEL_START_REASON","features":[200]},{"name":"SERVICE_ENUMERATE_DEPENDENTS","features":[200]},{"name":"SERVICE_ERROR","features":[200]},{"name":"SERVICE_ERROR_CRITICAL","features":[200]},{"name":"SERVICE_ERROR_IGNORE","features":[200]},{"name":"SERVICE_ERROR_NORMAL","features":[200]},{"name":"SERVICE_ERROR_SEVERE","features":[200]},{"name":"SERVICE_FAILURE_ACTIONSA","features":[200]},{"name":"SERVICE_FAILURE_ACTIONSW","features":[200]},{"name":"SERVICE_FAILURE_ACTIONS_FLAG","features":[1,200]},{"name":"SERVICE_FILE_SYSTEM_DRIVER","features":[200]},{"name":"SERVICE_INACTIVE","features":[200]},{"name":"SERVICE_INTERROGATE","features":[200]},{"name":"SERVICE_KERNEL_DRIVER","features":[200]},{"name":"SERVICE_LAUNCH_PROTECTED_ANTIMALWARE_LIGHT","features":[200]},{"name":"SERVICE_LAUNCH_PROTECTED_INFO","features":[200]},{"name":"SERVICE_LAUNCH_PROTECTED_NONE","features":[200]},{"name":"SERVICE_LAUNCH_PROTECTED_WINDOWS","features":[200]},{"name":"SERVICE_LAUNCH_PROTECTED_WINDOWS_LIGHT","features":[200]},{"name":"SERVICE_MAIN_FUNCTIONA","features":[200]},{"name":"SERVICE_MAIN_FUNCTIONW","features":[200]},{"name":"SERVICE_NOTIFY","features":[200]},{"name":"SERVICE_NOTIFY_1","features":[200]},{"name":"SERVICE_NOTIFY_2A","features":[200]},{"name":"SERVICE_NOTIFY_2W","features":[200]},{"name":"SERVICE_NOTIFY_CONTINUE_PENDING","features":[200]},{"name":"SERVICE_NOTIFY_CREATED","features":[200]},{"name":"SERVICE_NOTIFY_DELETED","features":[200]},{"name":"SERVICE_NOTIFY_DELETE_PENDING","features":[200]},{"name":"SERVICE_NOTIFY_PAUSED","features":[200]},{"name":"SERVICE_NOTIFY_PAUSE_PENDING","features":[200]},{"name":"SERVICE_NOTIFY_RUNNING","features":[200]},{"name":"SERVICE_NOTIFY_START_PENDING","features":[200]},{"name":"SERVICE_NOTIFY_STATUS_CHANGE","features":[200]},{"name":"SERVICE_NOTIFY_STATUS_CHANGE_1","features":[200]},{"name":"SERVICE_NOTIFY_STATUS_CHANGE_2","features":[200]},{"name":"SERVICE_NOTIFY_STOPPED","features":[200]},{"name":"SERVICE_NOTIFY_STOP_PENDING","features":[200]},{"name":"SERVICE_NO_CHANGE","features":[200]},{"name":"SERVICE_PAUSED","features":[200]},{"name":"SERVICE_PAUSE_CONTINUE","features":[200]},{"name":"SERVICE_PAUSE_PENDING","features":[200]},{"name":"SERVICE_PREFERRED_NODE_INFO","features":[1,200]},{"name":"SERVICE_PRESHUTDOWN_INFO","features":[200]},{"name":"SERVICE_QUERY_CONFIG","features":[200]},{"name":"SERVICE_QUERY_STATUS","features":[200]},{"name":"SERVICE_RECOGNIZER_DRIVER","features":[200]},{"name":"SERVICE_REGISTRY_STATE_TYPE","features":[200]},{"name":"SERVICE_REQUIRED_PRIVILEGES_INFOA","features":[200]},{"name":"SERVICE_REQUIRED_PRIVILEGES_INFOW","features":[200]},{"name":"SERVICE_RUNNING","features":[200]},{"name":"SERVICE_RUNS_IN_NON_SYSTEM_OR_NOT_RUNNING","features":[200]},{"name":"SERVICE_RUNS_IN_PROCESS","features":[200]},{"name":"SERVICE_RUNS_IN_SYSTEM_PROCESS","features":[200]},{"name":"SERVICE_SHARED_DIRECTORY_TYPE","features":[200]},{"name":"SERVICE_SHARED_REGISTRY_STATE_TYPE","features":[200]},{"name":"SERVICE_SID_INFO","features":[200]},{"name":"SERVICE_SID_TYPE_NONE","features":[200]},{"name":"SERVICE_SID_TYPE_UNRESTRICTED","features":[200]},{"name":"SERVICE_START","features":[200]},{"name":"SERVICE_START_PENDING","features":[200]},{"name":"SERVICE_START_REASON","features":[200]},{"name":"SERVICE_START_REASON_AUTO","features":[200]},{"name":"SERVICE_START_REASON_DELAYEDAUTO","features":[200]},{"name":"SERVICE_START_REASON_DEMAND","features":[200]},{"name":"SERVICE_START_REASON_RESTART_ON_FAILURE","features":[200]},{"name":"SERVICE_START_REASON_TRIGGER","features":[200]},{"name":"SERVICE_START_TYPE","features":[200]},{"name":"SERVICE_STATE_ALL","features":[200]},{"name":"SERVICE_STATUS","features":[200]},{"name":"SERVICE_STATUS_CURRENT_STATE","features":[200]},{"name":"SERVICE_STATUS_HANDLE","features":[200]},{"name":"SERVICE_STATUS_PROCESS","features":[200]},{"name":"SERVICE_STOP","features":[200]},{"name":"SERVICE_STOPPED","features":[200]},{"name":"SERVICE_STOP_PENDING","features":[200]},{"name":"SERVICE_STOP_REASON_FLAG_CUSTOM","features":[200]},{"name":"SERVICE_STOP_REASON_FLAG_MAX","features":[200]},{"name":"SERVICE_STOP_REASON_FLAG_MIN","features":[200]},{"name":"SERVICE_STOP_REASON_FLAG_PLANNED","features":[200]},{"name":"SERVICE_STOP_REASON_FLAG_UNPLANNED","features":[200]},{"name":"SERVICE_STOP_REASON_MAJOR_APPLICATION","features":[200]},{"name":"SERVICE_STOP_REASON_MAJOR_HARDWARE","features":[200]},{"name":"SERVICE_STOP_REASON_MAJOR_MAX","features":[200]},{"name":"SERVICE_STOP_REASON_MAJOR_MAX_CUSTOM","features":[200]},{"name":"SERVICE_STOP_REASON_MAJOR_MIN","features":[200]},{"name":"SERVICE_STOP_REASON_MAJOR_MIN_CUSTOM","features":[200]},{"name":"SERVICE_STOP_REASON_MAJOR_NONE","features":[200]},{"name":"SERVICE_STOP_REASON_MAJOR_OPERATINGSYSTEM","features":[200]},{"name":"SERVICE_STOP_REASON_MAJOR_OTHER","features":[200]},{"name":"SERVICE_STOP_REASON_MAJOR_SOFTWARE","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_DISK","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_ENVIRONMENT","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_HARDWARE_DRIVER","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_HUNG","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_INSTALLATION","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_MAINTENANCE","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_MAX","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_MAX_CUSTOM","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_MEMOTYLIMIT","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_MIN","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_MIN_CUSTOM","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_MMC","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_NETWORKCARD","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_NETWORK_CONNECTIVITY","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_NONE","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_OTHER","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_OTHERDRIVER","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_RECONFIG","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_SECURITY","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_SECURITYFIX","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_SECURITYFIX_UNINSTALL","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_SERVICEPACK","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_SERVICEPACK_UNINSTALL","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_SOFTWARE_UPDATE","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_SOFTWARE_UPDATE_UNINSTALL","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_UNSTABLE","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_UPGRADE","features":[200]},{"name":"SERVICE_STOP_REASON_MINOR_WMI","features":[200]},{"name":"SERVICE_SYSTEM_START","features":[200]},{"name":"SERVICE_TABLE_ENTRYA","features":[200]},{"name":"SERVICE_TABLE_ENTRYW","features":[200]},{"name":"SERVICE_TIMECHANGE_INFO","features":[200]},{"name":"SERVICE_TRIGGER","features":[200]},{"name":"SERVICE_TRIGGER_ACTION","features":[200]},{"name":"SERVICE_TRIGGER_ACTION_SERVICE_START","features":[200]},{"name":"SERVICE_TRIGGER_ACTION_SERVICE_STOP","features":[200]},{"name":"SERVICE_TRIGGER_CUSTOM_STATE_ID","features":[200]},{"name":"SERVICE_TRIGGER_DATA_TYPE_BINARY","features":[200]},{"name":"SERVICE_TRIGGER_DATA_TYPE_KEYWORD_ALL","features":[200]},{"name":"SERVICE_TRIGGER_DATA_TYPE_KEYWORD_ANY","features":[200]},{"name":"SERVICE_TRIGGER_DATA_TYPE_LEVEL","features":[200]},{"name":"SERVICE_TRIGGER_DATA_TYPE_STRING","features":[200]},{"name":"SERVICE_TRIGGER_INFO","features":[200]},{"name":"SERVICE_TRIGGER_SPECIFIC_DATA_ITEM","features":[200]},{"name":"SERVICE_TRIGGER_SPECIFIC_DATA_ITEM_DATA_TYPE","features":[200]},{"name":"SERVICE_TRIGGER_STARTED_ARGUMENT","features":[200]},{"name":"SERVICE_TRIGGER_TYPE","features":[200]},{"name":"SERVICE_TRIGGER_TYPE_AGGREGATE","features":[200]},{"name":"SERVICE_TRIGGER_TYPE_CUSTOM","features":[200]},{"name":"SERVICE_TRIGGER_TYPE_CUSTOM_SYSTEM_STATE_CHANGE","features":[200]},{"name":"SERVICE_TRIGGER_TYPE_DEVICE_INTERFACE_ARRIVAL","features":[200]},{"name":"SERVICE_TRIGGER_TYPE_DOMAIN_JOIN","features":[200]},{"name":"SERVICE_TRIGGER_TYPE_FIREWALL_PORT_EVENT","features":[200]},{"name":"SERVICE_TRIGGER_TYPE_GROUP_POLICY","features":[200]},{"name":"SERVICE_TRIGGER_TYPE_IP_ADDRESS_AVAILABILITY","features":[200]},{"name":"SERVICE_TRIGGER_TYPE_NETWORK_ENDPOINT","features":[200]},{"name":"SERVICE_USER_DEFINED_CONTROL","features":[200]},{"name":"SERVICE_USER_OWN_PROCESS","features":[200]},{"name":"SERVICE_USER_SHARE_PROCESS","features":[200]},{"name":"SERVICE_WIN32","features":[200]},{"name":"SERVICE_WIN32_OWN_PROCESS","features":[200]},{"name":"SERVICE_WIN32_SHARE_PROCESS","features":[200]},{"name":"ServiceDirectoryPersistentState","features":[200]},{"name":"ServiceDirectoryTypeMax","features":[200]},{"name":"ServiceRegistryStateParameters","features":[200]},{"name":"ServiceRegistryStatePersistent","features":[200]},{"name":"ServiceSharedDirectoryPersistentState","features":[200]},{"name":"ServiceSharedRegistryPersistentState","features":[200]},{"name":"SetServiceBits","features":[1,200]},{"name":"SetServiceObjectSecurity","features":[1,4,200]},{"name":"SetServiceStatus","features":[1,200]},{"name":"StartServiceA","features":[1,4,200]},{"name":"StartServiceCtrlDispatcherA","features":[1,200]},{"name":"StartServiceCtrlDispatcherW","features":[1,200]},{"name":"StartServiceW","features":[1,4,200]},{"name":"SubscribeServiceChangeNotifications","features":[4,200]},{"name":"USER_POLICY_PRESENT_GUID","features":[200]},{"name":"UnlockServiceDatabase","features":[1,200]},{"name":"UnsubscribeServiceChangeNotifications","features":[200]},{"name":"WaitServiceState","features":[1,4,200]}],"608":[{"name":"OOBEComplete","features":[1,201]},{"name":"OOBE_COMPLETED_CALLBACK","features":[201]},{"name":"RegisterWaitUntilOOBECompleted","features":[1,201]},{"name":"UnregisterWaitUntilOOBECompleted","features":[1,201]}],"609":[{"name":"AbortSystemShutdownA","features":[1,202]},{"name":"AbortSystemShutdownW","features":[1,202]},{"name":"CheckForHiberboot","features":[1,202]},{"name":"EWX_ARSO","features":[202]},{"name":"EWX_BOOTOPTIONS","features":[202]},{"name":"EWX_CHECK_SAFE_FOR_SERVER","features":[202]},{"name":"EWX_FORCE","features":[202]},{"name":"EWX_FORCEIFHUNG","features":[202]},{"name":"EWX_HYBRID_SHUTDOWN","features":[202]},{"name":"EWX_LOGOFF","features":[202]},{"name":"EWX_POWEROFF","features":[202]},{"name":"EWX_QUICKRESOLVE","features":[202]},{"name":"EWX_REBOOT","features":[202]},{"name":"EWX_RESTARTAPPS","features":[202]},{"name":"EWX_SHUTDOWN","features":[202]},{"name":"EWX_SYSTEM_INITIATED","features":[202]},{"name":"EXIT_WINDOWS_FLAGS","features":[202]},{"name":"ExitWindowsEx","features":[1,202]},{"name":"InitiateShutdownA","features":[202]},{"name":"InitiateShutdownW","features":[202]},{"name":"InitiateSystemShutdownA","features":[1,202]},{"name":"InitiateSystemShutdownExA","features":[1,202]},{"name":"InitiateSystemShutdownExW","features":[1,202]},{"name":"InitiateSystemShutdownW","features":[1,202]},{"name":"LockWorkStation","features":[1,202]},{"name":"MAX_NUM_REASONS","features":[202]},{"name":"MAX_REASON_BUGID_LEN","features":[202]},{"name":"MAX_REASON_COMMENT_LEN","features":[202]},{"name":"MAX_REASON_DESC_LEN","features":[202]},{"name":"MAX_REASON_NAME_LEN","features":[202]},{"name":"POLICY_SHOWREASONUI_ALWAYS","features":[202]},{"name":"POLICY_SHOWREASONUI_NEVER","features":[202]},{"name":"POLICY_SHOWREASONUI_SERVERONLY","features":[202]},{"name":"POLICY_SHOWREASONUI_WORKSTATIONONLY","features":[202]},{"name":"SHTDN_REASON_FLAG_CLEAN_UI","features":[202]},{"name":"SHTDN_REASON_FLAG_COMMENT_REQUIRED","features":[202]},{"name":"SHTDN_REASON_FLAG_DIRTY_PROBLEM_ID_REQUIRED","features":[202]},{"name":"SHTDN_REASON_FLAG_DIRTY_UI","features":[202]},{"name":"SHTDN_REASON_FLAG_MOBILE_UI_RESERVED","features":[202]},{"name":"SHTDN_REASON_FLAG_PLANNED","features":[202]},{"name":"SHTDN_REASON_FLAG_USER_DEFINED","features":[202]},{"name":"SHTDN_REASON_LEGACY_API","features":[202]},{"name":"SHTDN_REASON_MAJOR_APPLICATION","features":[202]},{"name":"SHTDN_REASON_MAJOR_HARDWARE","features":[202]},{"name":"SHTDN_REASON_MAJOR_LEGACY_API","features":[202]},{"name":"SHTDN_REASON_MAJOR_NONE","features":[202]},{"name":"SHTDN_REASON_MAJOR_OPERATINGSYSTEM","features":[202]},{"name":"SHTDN_REASON_MAJOR_OTHER","features":[202]},{"name":"SHTDN_REASON_MAJOR_POWER","features":[202]},{"name":"SHTDN_REASON_MAJOR_SOFTWARE","features":[202]},{"name":"SHTDN_REASON_MAJOR_SYSTEM","features":[202]},{"name":"SHTDN_REASON_MINOR_BLUESCREEN","features":[202]},{"name":"SHTDN_REASON_MINOR_CORDUNPLUGGED","features":[202]},{"name":"SHTDN_REASON_MINOR_DC_DEMOTION","features":[202]},{"name":"SHTDN_REASON_MINOR_DC_PROMOTION","features":[202]},{"name":"SHTDN_REASON_MINOR_DISK","features":[202]},{"name":"SHTDN_REASON_MINOR_ENVIRONMENT","features":[202]},{"name":"SHTDN_REASON_MINOR_HARDWARE_DRIVER","features":[202]},{"name":"SHTDN_REASON_MINOR_HOTFIX","features":[202]},{"name":"SHTDN_REASON_MINOR_HOTFIX_UNINSTALL","features":[202]},{"name":"SHTDN_REASON_MINOR_HUNG","features":[202]},{"name":"SHTDN_REASON_MINOR_INSTALLATION","features":[202]},{"name":"SHTDN_REASON_MINOR_MAINTENANCE","features":[202]},{"name":"SHTDN_REASON_MINOR_MMC","features":[202]},{"name":"SHTDN_REASON_MINOR_NETWORKCARD","features":[202]},{"name":"SHTDN_REASON_MINOR_NETWORK_CONNECTIVITY","features":[202]},{"name":"SHTDN_REASON_MINOR_NONE","features":[202]},{"name":"SHTDN_REASON_MINOR_OTHER","features":[202]},{"name":"SHTDN_REASON_MINOR_OTHERDRIVER","features":[202]},{"name":"SHTDN_REASON_MINOR_POWER_SUPPLY","features":[202]},{"name":"SHTDN_REASON_MINOR_PROCESSOR","features":[202]},{"name":"SHTDN_REASON_MINOR_RECONFIG","features":[202]},{"name":"SHTDN_REASON_MINOR_SECURITY","features":[202]},{"name":"SHTDN_REASON_MINOR_SECURITYFIX","features":[202]},{"name":"SHTDN_REASON_MINOR_SECURITYFIX_UNINSTALL","features":[202]},{"name":"SHTDN_REASON_MINOR_SERVICEPACK","features":[202]},{"name":"SHTDN_REASON_MINOR_SERVICEPACK_UNINSTALL","features":[202]},{"name":"SHTDN_REASON_MINOR_SYSTEMRESTORE","features":[202]},{"name":"SHTDN_REASON_MINOR_TERMSRV","features":[202]},{"name":"SHTDN_REASON_MINOR_UNSTABLE","features":[202]},{"name":"SHTDN_REASON_MINOR_UPGRADE","features":[202]},{"name":"SHTDN_REASON_MINOR_WMI","features":[202]},{"name":"SHTDN_REASON_NONE","features":[202]},{"name":"SHTDN_REASON_UNKNOWN","features":[202]},{"name":"SHTDN_REASON_VALID_BIT_MASK","features":[202]},{"name":"SHUTDOWN_ARSO","features":[202]},{"name":"SHUTDOWN_CHECK_SAFE_FOR_SERVER","features":[202]},{"name":"SHUTDOWN_FLAGS","features":[202]},{"name":"SHUTDOWN_FORCE_OTHERS","features":[202]},{"name":"SHUTDOWN_FORCE_SELF","features":[202]},{"name":"SHUTDOWN_GRACE_OVERRIDE","features":[202]},{"name":"SHUTDOWN_HYBRID","features":[202]},{"name":"SHUTDOWN_INSTALL_UPDATES","features":[202]},{"name":"SHUTDOWN_MOBILE_UI","features":[202]},{"name":"SHUTDOWN_NOREBOOT","features":[202]},{"name":"SHUTDOWN_POWEROFF","features":[202]},{"name":"SHUTDOWN_REASON","features":[202]},{"name":"SHUTDOWN_RESTART","features":[202]},{"name":"SHUTDOWN_RESTARTAPPS","features":[202]},{"name":"SHUTDOWN_RESTART_BOOTOPTIONS","features":[202]},{"name":"SHUTDOWN_SKIP_SVC_PRESHUTDOWN","features":[202]},{"name":"SHUTDOWN_SOFT_REBOOT","features":[202]},{"name":"SHUTDOWN_SYSTEM_INITIATED","features":[202]},{"name":"SHUTDOWN_TYPE_LEN","features":[202]},{"name":"SHUTDOWN_VAIL_CONTAINER","features":[202]},{"name":"SNAPSHOT_POLICY_ALWAYS","features":[202]},{"name":"SNAPSHOT_POLICY_NEVER","features":[202]},{"name":"SNAPSHOT_POLICY_UNPLANNED","features":[202]},{"name":"ShutdownBlockReasonCreate","features":[1,202]},{"name":"ShutdownBlockReasonDestroy","features":[1,202]},{"name":"ShutdownBlockReasonQuery","features":[1,202]}],"611":[{"name":"BROADCAST_SYSTEM_MESSAGE_FLAGS","features":[134]},{"name":"BROADCAST_SYSTEM_MESSAGE_INFO","features":[134]},{"name":"BSF_ALLOWSFW","features":[134]},{"name":"BSF_FLUSHDISK","features":[134]},{"name":"BSF_FORCEIFHUNG","features":[134]},{"name":"BSF_IGNORECURRENTTASK","features":[134]},{"name":"BSF_LUID","features":[134]},{"name":"BSF_NOHANG","features":[134]},{"name":"BSF_NOTIMEOUTIFNOTHUNG","features":[134]},{"name":"BSF_POSTMESSAGE","features":[134]},{"name":"BSF_QUERY","features":[134]},{"name":"BSF_RETURNHDESK","features":[134]},{"name":"BSF_SENDNOTIFYMESSAGE","features":[134]},{"name":"BSMINFO","features":[1,134]},{"name":"BSM_ALLCOMPONENTS","features":[134]},{"name":"BSM_ALLDESKTOPS","features":[134]},{"name":"BSM_APPLICATIONS","features":[134]},{"name":"BroadcastSystemMessageA","features":[1,134]},{"name":"BroadcastSystemMessageExA","features":[1,134]},{"name":"BroadcastSystemMessageExW","features":[1,134]},{"name":"BroadcastSystemMessageW","features":[1,134]},{"name":"CloseDesktop","features":[1,134]},{"name":"CloseWindowStation","features":[1,134]},{"name":"CreateDesktopA","features":[1,12,4,134]},{"name":"CreateDesktopExA","features":[1,12,4,134]},{"name":"CreateDesktopExW","features":[1,12,4,134]},{"name":"CreateDesktopW","features":[1,12,4,134]},{"name":"CreateWindowStationA","features":[1,4,134]},{"name":"CreateWindowStationW","features":[1,4,134]},{"name":"DESKTOPENUMPROCA","features":[1,134]},{"name":"DESKTOPENUMPROCW","features":[1,134]},{"name":"DESKTOP_ACCESS_FLAGS","features":[134]},{"name":"DESKTOP_CONTROL_FLAGS","features":[134]},{"name":"DESKTOP_CREATEMENU","features":[134]},{"name":"DESKTOP_CREATEWINDOW","features":[134]},{"name":"DESKTOP_DELETE","features":[134]},{"name":"DESKTOP_ENUMERATE","features":[134]},{"name":"DESKTOP_HOOKCONTROL","features":[134]},{"name":"DESKTOP_JOURNALPLAYBACK","features":[134]},{"name":"DESKTOP_JOURNALRECORD","features":[134]},{"name":"DESKTOP_READOBJECTS","features":[134]},{"name":"DESKTOP_READ_CONTROL","features":[134]},{"name":"DESKTOP_SWITCHDESKTOP","features":[134]},{"name":"DESKTOP_SYNCHRONIZE","features":[134]},{"name":"DESKTOP_WRITEOBJECTS","features":[134]},{"name":"DESKTOP_WRITE_DAC","features":[134]},{"name":"DESKTOP_WRITE_OWNER","features":[134]},{"name":"DF_ALLOWOTHERACCOUNTHOOK","features":[134]},{"name":"EnumDesktopWindows","features":[1,134,50]},{"name":"EnumDesktopsA","features":[1,134]},{"name":"EnumDesktopsW","features":[1,134]},{"name":"EnumWindowStationsA","features":[1,134]},{"name":"EnumWindowStationsW","features":[1,134]},{"name":"GetProcessWindowStation","features":[134]},{"name":"GetThreadDesktop","features":[134]},{"name":"GetUserObjectInformationA","features":[1,134]},{"name":"GetUserObjectInformationW","features":[1,134]},{"name":"HDESK","features":[134]},{"name":"HWINSTA","features":[134]},{"name":"OpenDesktopA","features":[1,134]},{"name":"OpenDesktopW","features":[1,134]},{"name":"OpenInputDesktop","features":[1,134]},{"name":"OpenWindowStationA","features":[1,134]},{"name":"OpenWindowStationW","features":[1,134]},{"name":"SetProcessWindowStation","features":[1,134]},{"name":"SetThreadDesktop","features":[1,134]},{"name":"SetUserObjectInformationA","features":[1,134]},{"name":"SetUserObjectInformationW","features":[1,134]},{"name":"SwitchDesktop","features":[1,134]},{"name":"UOI_FLAGS","features":[134]},{"name":"UOI_HEAPSIZE","features":[134]},{"name":"UOI_IO","features":[134]},{"name":"UOI_NAME","features":[134]},{"name":"UOI_TYPE","features":[134]},{"name":"UOI_USER_SID","features":[134]},{"name":"USEROBJECTFLAGS","features":[1,134]},{"name":"USER_OBJECT_INFORMATION_INDEX","features":[134]},{"name":"WINSTAENUMPROCA","features":[1,134]},{"name":"WINSTAENUMPROCW","features":[1,134]}],"612":[{"name":"WSL_DISTRIBUTION_FLAGS","features":[203]},{"name":"WSL_DISTRIBUTION_FLAGS_APPEND_NT_PATH","features":[203]},{"name":"WSL_DISTRIBUTION_FLAGS_ENABLE_DRIVE_MOUNTING","features":[203]},{"name":"WSL_DISTRIBUTION_FLAGS_ENABLE_INTEROP","features":[203]},{"name":"WSL_DISTRIBUTION_FLAGS_NONE","features":[203]},{"name":"WslConfigureDistribution","features":[203]},{"name":"WslGetDistributionConfiguration","features":[203]},{"name":"WslIsDistributionRegistered","features":[1,203]},{"name":"WslLaunch","features":[1,203]},{"name":"WslLaunchInteractive","features":[1,203]},{"name":"WslRegisterDistribution","features":[203]},{"name":"WslUnregisterDistribution","features":[203]}],"613":[{"name":"ACPI","features":[32]},{"name":"CACHE_DESCRIPTOR","features":[32]},{"name":"CACHE_RELATIONSHIP","features":[32]},{"name":"COMPUTER_NAME_FORMAT","features":[32]},{"name":"CPU_SET_INFORMATION_TYPE","features":[32]},{"name":"CacheData","features":[32]},{"name":"CacheInstruction","features":[32]},{"name":"CacheTrace","features":[32]},{"name":"CacheUnified","features":[32]},{"name":"ComputerNameDnsDomain","features":[32]},{"name":"ComputerNameDnsFullyQualified","features":[32]},{"name":"ComputerNameDnsHostname","features":[32]},{"name":"ComputerNameMax","features":[32]},{"name":"ComputerNameNetBIOS","features":[32]},{"name":"ComputerNamePhysicalDnsDomain","features":[32]},{"name":"ComputerNamePhysicalDnsFullyQualified","features":[32]},{"name":"ComputerNamePhysicalDnsHostname","features":[32]},{"name":"ComputerNamePhysicalNetBIOS","features":[32]},{"name":"CpuSetInformation","features":[32]},{"name":"DEPPolicyAlwaysOff","features":[32]},{"name":"DEPPolicyAlwaysOn","features":[32]},{"name":"DEPPolicyOptIn","features":[32]},{"name":"DEPPolicyOptOut","features":[32]},{"name":"DEPTotalPolicyCount","features":[32]},{"name":"DEP_SYSTEM_POLICY_TYPE","features":[32]},{"name":"DEVELOPER_DRIVE_ENABLEMENT_STATE","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_ALLINONE","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_BANKING","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_BUILDING_AUTOMATION","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_CONVERTIBLE","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_DESKTOP","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_DETACHABLE","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_DIGITAL_SIGNAGE","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_GAMING","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_HMD","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_HOME_AUTOMATION","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_INDUSTRIAL_AUTOMATION","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_INDUSTRY_HANDHELD","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_INDUSTRY_OTHER","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_INDUSTRY_TABLET","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_KIOSK","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_LARGESCREEN","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_MAKER_BOARD","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_MAX","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_MEDICAL","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_NETWORKING","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_NOTEBOOK","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_PHONE","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_POINT_OF_SERVICE","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_PRINTING","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_PUCK","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_STICKPC","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_TABLET","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_THIN_CLIENT","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_TOY","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_UNKNOWN","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_VENDING","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_ONE","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_ONE_S","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_ONE_X","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_ONE_X_DEVKIT","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_RESERVED_01","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_RESERVED_02","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_RESERVED_03","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_RESERVED_04","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_RESERVED_05","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_RESERVED_06","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_RESERVED_07","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_RESERVED_08","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_RESERVED_09","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_SERIES_S","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_SERIES_X","features":[32]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_SERIES_X_DEVKIT","features":[32]},{"name":"DEVICEFAMILYINFOENUM","features":[32]},{"name":"DEVICEFAMILYINFOENUM_7067329","features":[32]},{"name":"DEVICEFAMILYINFOENUM_8828080","features":[32]},{"name":"DEVICEFAMILYINFOENUM_DESKTOP","features":[32]},{"name":"DEVICEFAMILYINFOENUM_HOLOGRAPHIC","features":[32]},{"name":"DEVICEFAMILYINFOENUM_IOT","features":[32]},{"name":"DEVICEFAMILYINFOENUM_IOT_HEADLESS","features":[32]},{"name":"DEVICEFAMILYINFOENUM_MAX","features":[32]},{"name":"DEVICEFAMILYINFOENUM_MOBILE","features":[32]},{"name":"DEVICEFAMILYINFOENUM_SERVER","features":[32]},{"name":"DEVICEFAMILYINFOENUM_SERVER_NANO","features":[32]},{"name":"DEVICEFAMILYINFOENUM_TEAM","features":[32]},{"name":"DEVICEFAMILYINFOENUM_UAP","features":[32]},{"name":"DEVICEFAMILYINFOENUM_WINDOWS_8X","features":[32]},{"name":"DEVICEFAMILYINFOENUM_WINDOWS_CORE","features":[32]},{"name":"DEVICEFAMILYINFOENUM_WINDOWS_CORE_HEADLESS","features":[32]},{"name":"DEVICEFAMILYINFOENUM_WINDOWS_PHONE_8X","features":[32]},{"name":"DEVICEFAMILYINFOENUM_XBOX","features":[32]},{"name":"DEVICEFAMILYINFOENUM_XBOXERA","features":[32]},{"name":"DEVICEFAMILYINFOENUM_XBOXSRA","features":[32]},{"name":"DeveloperDriveDisabledByGroupPolicy","features":[32]},{"name":"DeveloperDriveDisabledBySystemPolicy","features":[32]},{"name":"DeveloperDriveEnabled","features":[32]},{"name":"DeveloperDriveEnablementStateError","features":[32]},{"name":"DnsHostnameToComputerNameExW","features":[1,32]},{"name":"EnumSystemFirmwareTables","features":[32]},{"name":"FIRM","features":[32]},{"name":"FIRMWARE_TABLE_PROVIDER","features":[32]},{"name":"FIRMWARE_TYPE","features":[32]},{"name":"FirmwareTypeBios","features":[32]},{"name":"FirmwareTypeMax","features":[32]},{"name":"FirmwareTypeUefi","features":[32]},{"name":"FirmwareTypeUnknown","features":[32]},{"name":"GROUP_AFFINITY","features":[32]},{"name":"GROUP_RELATIONSHIP","features":[32]},{"name":"GetComputerNameExA","features":[1,32]},{"name":"GetComputerNameExW","features":[1,32]},{"name":"GetDeveloperDriveEnablementState","features":[32]},{"name":"GetFirmwareType","features":[1,32]},{"name":"GetIntegratedDisplaySize","features":[32]},{"name":"GetLocalTime","features":[1,32]},{"name":"GetLogicalProcessorInformation","features":[1,32]},{"name":"GetLogicalProcessorInformationEx","features":[1,32]},{"name":"GetNativeSystemInfo","features":[32]},{"name":"GetOsManufacturingMode","features":[1,32]},{"name":"GetOsSafeBootMode","features":[1,32]},{"name":"GetPhysicallyInstalledSystemMemory","features":[1,32]},{"name":"GetProcessorSystemCycleTime","features":[1,32]},{"name":"GetProductInfo","features":[1,32]},{"name":"GetSystemCpuSetInformation","features":[1,32]},{"name":"GetSystemDEPPolicy","features":[32]},{"name":"GetSystemDirectoryA","features":[32]},{"name":"GetSystemDirectoryW","features":[32]},{"name":"GetSystemFirmwareTable","features":[32]},{"name":"GetSystemInfo","features":[32]},{"name":"GetSystemLeapSecondInformation","features":[1,32]},{"name":"GetSystemTime","features":[1,32]},{"name":"GetSystemTimeAdjustment","features":[1,32]},{"name":"GetSystemTimeAdjustmentPrecise","features":[1,32]},{"name":"GetSystemTimeAsFileTime","features":[1,32]},{"name":"GetSystemTimePreciseAsFileTime","features":[1,32]},{"name":"GetSystemWindowsDirectoryA","features":[32]},{"name":"GetSystemWindowsDirectoryW","features":[32]},{"name":"GetSystemWow64Directory2A","features":[32]},{"name":"GetSystemWow64Directory2W","features":[32]},{"name":"GetSystemWow64DirectoryA","features":[32]},{"name":"GetSystemWow64DirectoryW","features":[32]},{"name":"GetTickCount","features":[32]},{"name":"GetTickCount64","features":[32]},{"name":"GetVersion","features":[32]},{"name":"GetVersionExA","features":[1,32]},{"name":"GetVersionExW","features":[1,32]},{"name":"GetWindowsDirectoryA","features":[32]},{"name":"GetWindowsDirectoryW","features":[32]},{"name":"GlobalDataIdConsoleSharedDataFlags","features":[32]},{"name":"GlobalDataIdCyclesPerYield","features":[32]},{"name":"GlobalDataIdImageNumberHigh","features":[32]},{"name":"GlobalDataIdImageNumberLow","features":[32]},{"name":"GlobalDataIdInterruptTime","features":[32]},{"name":"GlobalDataIdKdDebuggerEnabled","features":[32]},{"name":"GlobalDataIdLastSystemRITEventTickCount","features":[32]},{"name":"GlobalDataIdNtMajorVersion","features":[32]},{"name":"GlobalDataIdNtMinorVersion","features":[32]},{"name":"GlobalDataIdNtSystemRootDrive","features":[32]},{"name":"GlobalDataIdQpcBias","features":[32]},{"name":"GlobalDataIdQpcBypassEnabled","features":[32]},{"name":"GlobalDataIdQpcData","features":[32]},{"name":"GlobalDataIdQpcShift","features":[32]},{"name":"GlobalDataIdRngSeedVersion","features":[32]},{"name":"GlobalDataIdSafeBootMode","features":[32]},{"name":"GlobalDataIdSystemExpirationDate","features":[32]},{"name":"GlobalDataIdTimeZoneBias","features":[32]},{"name":"GlobalDataIdTimeZoneId","features":[32]},{"name":"GlobalDataIdUnknown","features":[32]},{"name":"GlobalMemoryStatus","features":[32]},{"name":"GlobalMemoryStatusEx","features":[1,32]},{"name":"IMAGE_FILE_MACHINE","features":[32]},{"name":"IMAGE_FILE_MACHINE_ALPHA","features":[32]},{"name":"IMAGE_FILE_MACHINE_ALPHA64","features":[32]},{"name":"IMAGE_FILE_MACHINE_AM33","features":[32]},{"name":"IMAGE_FILE_MACHINE_AMD64","features":[32]},{"name":"IMAGE_FILE_MACHINE_ARM","features":[32]},{"name":"IMAGE_FILE_MACHINE_ARM64","features":[32]},{"name":"IMAGE_FILE_MACHINE_ARMNT","features":[32]},{"name":"IMAGE_FILE_MACHINE_AXP64","features":[32]},{"name":"IMAGE_FILE_MACHINE_CEE","features":[32]},{"name":"IMAGE_FILE_MACHINE_CEF","features":[32]},{"name":"IMAGE_FILE_MACHINE_EBC","features":[32]},{"name":"IMAGE_FILE_MACHINE_I386","features":[32]},{"name":"IMAGE_FILE_MACHINE_IA64","features":[32]},{"name":"IMAGE_FILE_MACHINE_M32R","features":[32]},{"name":"IMAGE_FILE_MACHINE_MIPS16","features":[32]},{"name":"IMAGE_FILE_MACHINE_MIPSFPU","features":[32]},{"name":"IMAGE_FILE_MACHINE_MIPSFPU16","features":[32]},{"name":"IMAGE_FILE_MACHINE_POWERPC","features":[32]},{"name":"IMAGE_FILE_MACHINE_POWERPCFP","features":[32]},{"name":"IMAGE_FILE_MACHINE_R10000","features":[32]},{"name":"IMAGE_FILE_MACHINE_R3000","features":[32]},{"name":"IMAGE_FILE_MACHINE_R4000","features":[32]},{"name":"IMAGE_FILE_MACHINE_SH3","features":[32]},{"name":"IMAGE_FILE_MACHINE_SH3DSP","features":[32]},{"name":"IMAGE_FILE_MACHINE_SH3E","features":[32]},{"name":"IMAGE_FILE_MACHINE_SH4","features":[32]},{"name":"IMAGE_FILE_MACHINE_SH5","features":[32]},{"name":"IMAGE_FILE_MACHINE_TARGET_HOST","features":[32]},{"name":"IMAGE_FILE_MACHINE_THUMB","features":[32]},{"name":"IMAGE_FILE_MACHINE_TRICORE","features":[32]},{"name":"IMAGE_FILE_MACHINE_UNKNOWN","features":[32]},{"name":"IMAGE_FILE_MACHINE_WCEMIPSV2","features":[32]},{"name":"IsUserCetAvailableInEnvironment","features":[1,32]},{"name":"IsWow64GuestMachineSupported","features":[1,32]},{"name":"LOGICAL_PROCESSOR_RELATIONSHIP","features":[32]},{"name":"MEMORYSTATUS","features":[32]},{"name":"MEMORYSTATUSEX","features":[32]},{"name":"NTDDI_LONGHORN","features":[32]},{"name":"NTDDI_VERSION","features":[32]},{"name":"NTDDI_VISTA","features":[32]},{"name":"NTDDI_VISTASP1","features":[32]},{"name":"NTDDI_VISTASP2","features":[32]},{"name":"NTDDI_VISTASP3","features":[32]},{"name":"NTDDI_VISTASP4","features":[32]},{"name":"NTDDI_WIN10","features":[32]},{"name":"NTDDI_WIN10_19H1","features":[32]},{"name":"NTDDI_WIN10_CO","features":[32]},{"name":"NTDDI_WIN10_FE","features":[32]},{"name":"NTDDI_WIN10_MN","features":[32]},{"name":"NTDDI_WIN10_NI","features":[32]},{"name":"NTDDI_WIN10_RS1","features":[32]},{"name":"NTDDI_WIN10_RS2","features":[32]},{"name":"NTDDI_WIN10_RS3","features":[32]},{"name":"NTDDI_WIN10_RS4","features":[32]},{"name":"NTDDI_WIN10_RS5","features":[32]},{"name":"NTDDI_WIN10_TH2","features":[32]},{"name":"NTDDI_WIN10_VB","features":[32]},{"name":"NTDDI_WIN2K","features":[32]},{"name":"NTDDI_WIN2KSP1","features":[32]},{"name":"NTDDI_WIN2KSP2","features":[32]},{"name":"NTDDI_WIN2KSP3","features":[32]},{"name":"NTDDI_WIN2KSP4","features":[32]},{"name":"NTDDI_WIN4","features":[32]},{"name":"NTDDI_WIN6","features":[32]},{"name":"NTDDI_WIN6SP1","features":[32]},{"name":"NTDDI_WIN6SP2","features":[32]},{"name":"NTDDI_WIN6SP3","features":[32]},{"name":"NTDDI_WIN6SP4","features":[32]},{"name":"NTDDI_WIN7","features":[32]},{"name":"NTDDI_WIN8","features":[32]},{"name":"NTDDI_WINBLUE","features":[32]},{"name":"NTDDI_WINTHRESHOLD","features":[32]},{"name":"NTDDI_WINXP","features":[32]},{"name":"NTDDI_WINXPSP1","features":[32]},{"name":"NTDDI_WINXPSP2","features":[32]},{"name":"NTDDI_WINXPSP3","features":[32]},{"name":"NTDDI_WINXPSP4","features":[32]},{"name":"NTDDI_WS03","features":[32]},{"name":"NTDDI_WS03SP1","features":[32]},{"name":"NTDDI_WS03SP2","features":[32]},{"name":"NTDDI_WS03SP3","features":[32]},{"name":"NTDDI_WS03SP4","features":[32]},{"name":"NTDDI_WS08","features":[32]},{"name":"NTDDI_WS08SP2","features":[32]},{"name":"NTDDI_WS08SP3","features":[32]},{"name":"NTDDI_WS08SP4","features":[32]},{"name":"NUMA_NODE_RELATIONSHIP","features":[32]},{"name":"OSVERSIONINFOA","features":[32]},{"name":"OSVERSIONINFOEXA","features":[32]},{"name":"OSVERSIONINFOEXW","features":[32]},{"name":"OSVERSIONINFOW","features":[32]},{"name":"OSVERSION_MASK","features":[32]},{"name":"OS_DEPLOYEMENT_STATE_VALUES","features":[32]},{"name":"OS_DEPLOYMENT_COMPACT","features":[32]},{"name":"OS_DEPLOYMENT_STANDARD","features":[32]},{"name":"OS_PRODUCT_TYPE","features":[32]},{"name":"PGET_SYSTEM_WOW64_DIRECTORY_A","features":[32]},{"name":"PGET_SYSTEM_WOW64_DIRECTORY_W","features":[32]},{"name":"PROCESSOR_ARCHITECTURE","features":[32]},{"name":"PROCESSOR_ARCHITECTURE_ALPHA","features":[32]},{"name":"PROCESSOR_ARCHITECTURE_ALPHA64","features":[32]},{"name":"PROCESSOR_ARCHITECTURE_AMD64","features":[32]},{"name":"PROCESSOR_ARCHITECTURE_ARM","features":[32]},{"name":"PROCESSOR_ARCHITECTURE_ARM32_ON_WIN64","features":[32]},{"name":"PROCESSOR_ARCHITECTURE_ARM64","features":[32]},{"name":"PROCESSOR_ARCHITECTURE_IA32_ON_ARM64","features":[32]},{"name":"PROCESSOR_ARCHITECTURE_IA32_ON_WIN64","features":[32]},{"name":"PROCESSOR_ARCHITECTURE_IA64","features":[32]},{"name":"PROCESSOR_ARCHITECTURE_INTEL","features":[32]},{"name":"PROCESSOR_ARCHITECTURE_MIPS","features":[32]},{"name":"PROCESSOR_ARCHITECTURE_MSIL","features":[32]},{"name":"PROCESSOR_ARCHITECTURE_NEUTRAL","features":[32]},{"name":"PROCESSOR_ARCHITECTURE_PPC","features":[32]},{"name":"PROCESSOR_ARCHITECTURE_SHX","features":[32]},{"name":"PROCESSOR_ARCHITECTURE_UNKNOWN","features":[32]},{"name":"PROCESSOR_CACHE_TYPE","features":[32]},{"name":"PROCESSOR_GROUP_INFO","features":[32]},{"name":"PROCESSOR_RELATIONSHIP","features":[32]},{"name":"PRODUCT_BUSINESS","features":[32]},{"name":"PRODUCT_BUSINESS_N","features":[32]},{"name":"PRODUCT_CLUSTER_SERVER","features":[32]},{"name":"PRODUCT_CLUSTER_SERVER_V","features":[32]},{"name":"PRODUCT_CORE","features":[32]},{"name":"PRODUCT_CORE_COUNTRYSPECIFIC","features":[32]},{"name":"PRODUCT_CORE_N","features":[32]},{"name":"PRODUCT_CORE_SINGLELANGUAGE","features":[32]},{"name":"PRODUCT_DATACENTER_A_SERVER_CORE","features":[32]},{"name":"PRODUCT_DATACENTER_EVALUATION_SERVER","features":[32]},{"name":"PRODUCT_DATACENTER_SERVER","features":[32]},{"name":"PRODUCT_DATACENTER_SERVER_CORE","features":[32]},{"name":"PRODUCT_DATACENTER_SERVER_CORE_V","features":[32]},{"name":"PRODUCT_DATACENTER_SERVER_V","features":[32]},{"name":"PRODUCT_EDUCATION","features":[32]},{"name":"PRODUCT_EDUCATION_N","features":[32]},{"name":"PRODUCT_ENTERPRISE","features":[32]},{"name":"PRODUCT_ENTERPRISE_E","features":[32]},{"name":"PRODUCT_ENTERPRISE_EVALUATION","features":[32]},{"name":"PRODUCT_ENTERPRISE_N","features":[32]},{"name":"PRODUCT_ENTERPRISE_N_EVALUATION","features":[32]},{"name":"PRODUCT_ENTERPRISE_S","features":[32]},{"name":"PRODUCT_ENTERPRISE_SERVER","features":[32]},{"name":"PRODUCT_ENTERPRISE_SERVER_CORE","features":[32]},{"name":"PRODUCT_ENTERPRISE_SERVER_CORE_V","features":[32]},{"name":"PRODUCT_ENTERPRISE_SERVER_IA64","features":[32]},{"name":"PRODUCT_ENTERPRISE_SERVER_V","features":[32]},{"name":"PRODUCT_ENTERPRISE_S_EVALUATION","features":[32]},{"name":"PRODUCT_ENTERPRISE_S_N","features":[32]},{"name":"PRODUCT_ENTERPRISE_S_N_EVALUATION","features":[32]},{"name":"PRODUCT_ESSENTIALBUSINESS_SERVER_ADDL","features":[32]},{"name":"PRODUCT_ESSENTIALBUSINESS_SERVER_ADDLSVC","features":[32]},{"name":"PRODUCT_ESSENTIALBUSINESS_SERVER_MGMT","features":[32]},{"name":"PRODUCT_ESSENTIALBUSINESS_SERVER_MGMTSVC","features":[32]},{"name":"PRODUCT_HOME_BASIC","features":[32]},{"name":"PRODUCT_HOME_BASIC_E","features":[32]},{"name":"PRODUCT_HOME_BASIC_N","features":[32]},{"name":"PRODUCT_HOME_PREMIUM","features":[32]},{"name":"PRODUCT_HOME_PREMIUM_E","features":[32]},{"name":"PRODUCT_HOME_PREMIUM_N","features":[32]},{"name":"PRODUCT_HOME_PREMIUM_SERVER","features":[32]},{"name":"PRODUCT_HOME_SERVER","features":[32]},{"name":"PRODUCT_HYPERV","features":[32]},{"name":"PRODUCT_IOTUAP","features":[32]},{"name":"PRODUCT_IOTUAPCOMMERCIAL","features":[32]},{"name":"PRODUCT_MEDIUMBUSINESS_SERVER_MANAGEMENT","features":[32]},{"name":"PRODUCT_MEDIUMBUSINESS_SERVER_MESSAGING","features":[32]},{"name":"PRODUCT_MEDIUMBUSINESS_SERVER_SECURITY","features":[32]},{"name":"PRODUCT_MOBILE_CORE","features":[32]},{"name":"PRODUCT_MOBILE_ENTERPRISE","features":[32]},{"name":"PRODUCT_MULTIPOINT_PREMIUM_SERVER","features":[32]},{"name":"PRODUCT_MULTIPOINT_STANDARD_SERVER","features":[32]},{"name":"PRODUCT_PROFESSIONAL","features":[32]},{"name":"PRODUCT_PROFESSIONAL_E","features":[32]},{"name":"PRODUCT_PROFESSIONAL_N","features":[32]},{"name":"PRODUCT_PROFESSIONAL_WMC","features":[32]},{"name":"PRODUCT_PRO_WORKSTATION","features":[32]},{"name":"PRODUCT_PRO_WORKSTATION_N","features":[32]},{"name":"PRODUCT_SB_SOLUTION_SERVER","features":[32]},{"name":"PRODUCT_SB_SOLUTION_SERVER_EM","features":[32]},{"name":"PRODUCT_SERVER_FOR_SB_SOLUTIONS","features":[32]},{"name":"PRODUCT_SERVER_FOR_SB_SOLUTIONS_EM","features":[32]},{"name":"PRODUCT_SERVER_FOR_SMALLBUSINESS","features":[32]},{"name":"PRODUCT_SERVER_FOR_SMALLBUSINESS_V","features":[32]},{"name":"PRODUCT_SERVER_FOUNDATION","features":[32]},{"name":"PRODUCT_SMALLBUSINESS_SERVER","features":[32]},{"name":"PRODUCT_SMALLBUSINESS_SERVER_PREMIUM","features":[32]},{"name":"PRODUCT_SMALLBUSINESS_SERVER_PREMIUM_CORE","features":[32]},{"name":"PRODUCT_SOLUTION_EMBEDDEDSERVER","features":[32]},{"name":"PRODUCT_STANDARD_A_SERVER_CORE","features":[32]},{"name":"PRODUCT_STANDARD_EVALUATION_SERVER","features":[32]},{"name":"PRODUCT_STANDARD_SERVER","features":[32]},{"name":"PRODUCT_STANDARD_SERVER_CORE_","features":[32]},{"name":"PRODUCT_STANDARD_SERVER_CORE_V","features":[32]},{"name":"PRODUCT_STANDARD_SERVER_SOLUTIONS","features":[32]},{"name":"PRODUCT_STANDARD_SERVER_SOLUTIONS_CORE","features":[32]},{"name":"PRODUCT_STANDARD_SERVER_V","features":[32]},{"name":"PRODUCT_STARTER","features":[32]},{"name":"PRODUCT_STARTER_E","features":[32]},{"name":"PRODUCT_STARTER_N","features":[32]},{"name":"PRODUCT_STORAGE_ENTERPRISE_SERVER","features":[32]},{"name":"PRODUCT_STORAGE_ENTERPRISE_SERVER_CORE","features":[32]},{"name":"PRODUCT_STORAGE_EXPRESS_SERVER","features":[32]},{"name":"PRODUCT_STORAGE_EXPRESS_SERVER_CORE","features":[32]},{"name":"PRODUCT_STORAGE_STANDARD_EVALUATION_SERVER","features":[32]},{"name":"PRODUCT_STORAGE_STANDARD_SERVER","features":[32]},{"name":"PRODUCT_STORAGE_STANDARD_SERVER_CORE","features":[32]},{"name":"PRODUCT_STORAGE_WORKGROUP_EVALUATION_SERVER","features":[32]},{"name":"PRODUCT_STORAGE_WORKGROUP_SERVER","features":[32]},{"name":"PRODUCT_STORAGE_WORKGROUP_SERVER_CORE","features":[32]},{"name":"PRODUCT_ULTIMATE","features":[32]},{"name":"PRODUCT_ULTIMATE_E","features":[32]},{"name":"PRODUCT_ULTIMATE_N","features":[32]},{"name":"PRODUCT_UNDEFINED","features":[32]},{"name":"PRODUCT_WEB_SERVER","features":[32]},{"name":"PRODUCT_WEB_SERVER_CORE","features":[32]},{"name":"RSMB","features":[32]},{"name":"RTL_SYSTEM_GLOBAL_DATA_ID","features":[32]},{"name":"RelationAll","features":[32]},{"name":"RelationCache","features":[32]},{"name":"RelationGroup","features":[32]},{"name":"RelationNumaNode","features":[32]},{"name":"RelationNumaNodeEx","features":[32]},{"name":"RelationProcessorCore","features":[32]},{"name":"RelationProcessorDie","features":[32]},{"name":"RelationProcessorModule","features":[32]},{"name":"RelationProcessorPackage","features":[32]},{"name":"RtlConvertDeviceFamilyInfoToString","features":[32]},{"name":"RtlGetDeviceFamilyInfoEnum","features":[32]},{"name":"RtlGetProductInfo","features":[1,32]},{"name":"RtlGetSystemGlobalData","features":[32]},{"name":"RtlOsDeploymentState","features":[32]},{"name":"RtlSwitchedVVI","features":[32]},{"name":"SCEX2_ALT_NETBIOS_NAME","features":[32]},{"name":"SPVERSION_MASK","features":[32]},{"name":"SUBVERSION_MASK","features":[32]},{"name":"SYSTEM_CPU_SET_INFORMATION","features":[32]},{"name":"SYSTEM_CPU_SET_INFORMATION_ALLOCATED","features":[32]},{"name":"SYSTEM_CPU_SET_INFORMATION_ALLOCATED_TO_TARGET_PROCESS","features":[32]},{"name":"SYSTEM_CPU_SET_INFORMATION_PARKED","features":[32]},{"name":"SYSTEM_CPU_SET_INFORMATION_REALTIME","features":[32]},{"name":"SYSTEM_INFO","features":[32]},{"name":"SYSTEM_LOGICAL_PROCESSOR_INFORMATION","features":[32]},{"name":"SYSTEM_LOGICAL_PROCESSOR_INFORMATION_EX","features":[32]},{"name":"SYSTEM_POOL_ZEROING_INFORMATION","features":[1,32]},{"name":"SYSTEM_PROCESSOR_CYCLE_TIME_INFORMATION","features":[32]},{"name":"SYSTEM_SUPPORTED_PROCESSOR_ARCHITECTURES_INFORMATION","features":[32]},{"name":"SetComputerNameA","features":[1,32]},{"name":"SetComputerNameEx2W","features":[1,32]},{"name":"SetComputerNameExA","features":[1,32]},{"name":"SetComputerNameExW","features":[1,32]},{"name":"SetComputerNameW","features":[1,32]},{"name":"SetLocalTime","features":[1,32]},{"name":"SetSystemTime","features":[1,32]},{"name":"SetSystemTimeAdjustment","features":[1,32]},{"name":"SetSystemTimeAdjustmentPrecise","features":[1,32]},{"name":"USER_CET_ENVIRONMENT","features":[32]},{"name":"USER_CET_ENVIRONMENT_SGX2_ENCLAVE","features":[32]},{"name":"USER_CET_ENVIRONMENT_VBS_BASIC_ENCLAVE","features":[32]},{"name":"USER_CET_ENVIRONMENT_VBS_ENCLAVE","features":[32]},{"name":"USER_CET_ENVIRONMENT_WIN32_PROCESS","features":[32]},{"name":"VER_BUILDNUMBER","features":[32]},{"name":"VER_FLAGS","features":[32]},{"name":"VER_MAJORVERSION","features":[32]},{"name":"VER_MINORVERSION","features":[32]},{"name":"VER_PLATFORMID","features":[32]},{"name":"VER_PRODUCT_TYPE","features":[32]},{"name":"VER_SERVICEPACKMAJOR","features":[32]},{"name":"VER_SERVICEPACKMINOR","features":[32]},{"name":"VER_SUITENAME","features":[32]},{"name":"VerSetConditionMask","features":[32]},{"name":"VerifyVersionInfoA","features":[1,32]},{"name":"VerifyVersionInfoW","features":[1,32]},{"name":"WDK_NTDDI_VERSION","features":[32]},{"name":"_WIN32_IE_IE100","features":[32]},{"name":"_WIN32_IE_IE110","features":[32]},{"name":"_WIN32_IE_IE20","features":[32]},{"name":"_WIN32_IE_IE30","features":[32]},{"name":"_WIN32_IE_IE302","features":[32]},{"name":"_WIN32_IE_IE40","features":[32]},{"name":"_WIN32_IE_IE401","features":[32]},{"name":"_WIN32_IE_IE50","features":[32]},{"name":"_WIN32_IE_IE501","features":[32]},{"name":"_WIN32_IE_IE55","features":[32]},{"name":"_WIN32_IE_IE60","features":[32]},{"name":"_WIN32_IE_IE60SP1","features":[32]},{"name":"_WIN32_IE_IE60SP2","features":[32]},{"name":"_WIN32_IE_IE70","features":[32]},{"name":"_WIN32_IE_IE80","features":[32]},{"name":"_WIN32_IE_IE90","features":[32]},{"name":"_WIN32_IE_LONGHORN","features":[32]},{"name":"_WIN32_IE_NT4","features":[32]},{"name":"_WIN32_IE_NT4SP1","features":[32]},{"name":"_WIN32_IE_NT4SP2","features":[32]},{"name":"_WIN32_IE_NT4SP3","features":[32]},{"name":"_WIN32_IE_NT4SP4","features":[32]},{"name":"_WIN32_IE_NT4SP5","features":[32]},{"name":"_WIN32_IE_NT4SP6","features":[32]},{"name":"_WIN32_IE_WIN10","features":[32]},{"name":"_WIN32_IE_WIN2K","features":[32]},{"name":"_WIN32_IE_WIN2KSP1","features":[32]},{"name":"_WIN32_IE_WIN2KSP2","features":[32]},{"name":"_WIN32_IE_WIN2KSP3","features":[32]},{"name":"_WIN32_IE_WIN2KSP4","features":[32]},{"name":"_WIN32_IE_WIN6","features":[32]},{"name":"_WIN32_IE_WIN7","features":[32]},{"name":"_WIN32_IE_WIN8","features":[32]},{"name":"_WIN32_IE_WIN98","features":[32]},{"name":"_WIN32_IE_WIN98SE","features":[32]},{"name":"_WIN32_IE_WINBLUE","features":[32]},{"name":"_WIN32_IE_WINME","features":[32]},{"name":"_WIN32_IE_WINTHRESHOLD","features":[32]},{"name":"_WIN32_IE_WS03","features":[32]},{"name":"_WIN32_IE_WS03SP1","features":[32]},{"name":"_WIN32_IE_XP","features":[32]},{"name":"_WIN32_IE_XPSP1","features":[32]},{"name":"_WIN32_IE_XPSP2","features":[32]},{"name":"_WIN32_WINNT_LONGHORN","features":[32]},{"name":"_WIN32_WINNT_NT4","features":[32]},{"name":"_WIN32_WINNT_VISTA","features":[32]},{"name":"_WIN32_WINNT_WIN10","features":[32]},{"name":"_WIN32_WINNT_WIN2K","features":[32]},{"name":"_WIN32_WINNT_WIN6","features":[32]},{"name":"_WIN32_WINNT_WIN7","features":[32]},{"name":"_WIN32_WINNT_WIN8","features":[32]},{"name":"_WIN32_WINNT_WINBLUE","features":[32]},{"name":"_WIN32_WINNT_WINTHRESHOLD","features":[32]},{"name":"_WIN32_WINNT_WINXP","features":[32]},{"name":"_WIN32_WINNT_WS03","features":[32]},{"name":"_WIN32_WINNT_WS08","features":[32]}],"614":[{"name":"ACCESS_ALLOWED_ACE_TYPE","features":[36]},{"name":"ACCESS_ALLOWED_CALLBACK_ACE_TYPE","features":[36]},{"name":"ACCESS_ALLOWED_CALLBACK_OBJECT_ACE_TYPE","features":[36]},{"name":"ACCESS_ALLOWED_COMPOUND_ACE_TYPE","features":[36]},{"name":"ACCESS_ALLOWED_OBJECT_ACE_TYPE","features":[36]},{"name":"ACCESS_DENIED_ACE_TYPE","features":[36]},{"name":"ACCESS_DENIED_CALLBACK_ACE_TYPE","features":[36]},{"name":"ACCESS_DENIED_CALLBACK_OBJECT_ACE_TYPE","features":[36]},{"name":"ACCESS_DENIED_OBJECT_ACE_TYPE","features":[36]},{"name":"ACCESS_DS_OBJECT_TYPE_NAME_A","features":[36]},{"name":"ACCESS_DS_OBJECT_TYPE_NAME_W","features":[36]},{"name":"ACCESS_DS_SOURCE_A","features":[36]},{"name":"ACCESS_DS_SOURCE_W","features":[36]},{"name":"ACCESS_FILTER_SECURITY_INFORMATION","features":[36]},{"name":"ACCESS_MAX_LEVEL","features":[36]},{"name":"ACCESS_MAX_MS_ACE_TYPE","features":[36]},{"name":"ACCESS_MAX_MS_OBJECT_ACE_TYPE","features":[36]},{"name":"ACCESS_MAX_MS_V2_ACE_TYPE","features":[36]},{"name":"ACCESS_MAX_MS_V3_ACE_TYPE","features":[36]},{"name":"ACCESS_MAX_MS_V4_ACE_TYPE","features":[36]},{"name":"ACCESS_MAX_MS_V5_ACE_TYPE","features":[36]},{"name":"ACCESS_MIN_MS_ACE_TYPE","features":[36]},{"name":"ACCESS_MIN_MS_OBJECT_ACE_TYPE","features":[36]},{"name":"ACCESS_OBJECT_GUID","features":[36]},{"name":"ACCESS_PROPERTY_GUID","features":[36]},{"name":"ACCESS_PROPERTY_SET_GUID","features":[36]},{"name":"ACCESS_REASON_DATA_MASK","features":[36]},{"name":"ACCESS_REASON_EXDATA_MASK","features":[36]},{"name":"ACCESS_REASON_STAGING_MASK","features":[36]},{"name":"ACCESS_REASON_TYPE","features":[36]},{"name":"ACCESS_REASON_TYPE_MASK","features":[36]},{"name":"ACCESS_SYSTEM_SECURITY","features":[36]},{"name":"ACL_REVISION1","features":[36]},{"name":"ACL_REVISION2","features":[36]},{"name":"ACL_REVISION3","features":[36]},{"name":"ACL_REVISION4","features":[36]},{"name":"ACPI_PPM_HARDWARE_ALL","features":[36]},{"name":"ACPI_PPM_SOFTWARE_ALL","features":[36]},{"name":"ACPI_PPM_SOFTWARE_ANY","features":[36]},{"name":"ACTIVATION_CONTEXT_INFO_CLASS","features":[36]},{"name":"ACTIVATION_CONTEXT_PATH_TYPE_ASSEMBLYREF","features":[36]},{"name":"ACTIVATION_CONTEXT_PATH_TYPE_NONE","features":[36]},{"name":"ACTIVATION_CONTEXT_PATH_TYPE_URL","features":[36]},{"name":"ACTIVATION_CONTEXT_PATH_TYPE_WIN32_FILE","features":[36]},{"name":"ACTIVATION_CONTEXT_SECTION_APPLICATION_SETTINGS","features":[36]},{"name":"ACTIVATION_CONTEXT_SECTION_ASSEMBLY_INFORMATION","features":[36]},{"name":"ACTIVATION_CONTEXT_SECTION_CLR_SURROGATES","features":[36]},{"name":"ACTIVATION_CONTEXT_SECTION_COMPATIBILITY_INFO","features":[36]},{"name":"ACTIVATION_CONTEXT_SECTION_COM_INTERFACE_REDIRECTION","features":[36]},{"name":"ACTIVATION_CONTEXT_SECTION_COM_PROGID_REDIRECTION","features":[36]},{"name":"ACTIVATION_CONTEXT_SECTION_COM_SERVER_REDIRECTION","features":[36]},{"name":"ACTIVATION_CONTEXT_SECTION_COM_TYPE_LIBRARY_REDIRECTION","features":[36]},{"name":"ACTIVATION_CONTEXT_SECTION_DLL_REDIRECTION","features":[36]},{"name":"ACTIVATION_CONTEXT_SECTION_GLOBAL_OBJECT_RENAME_TABLE","features":[36]},{"name":"ACTIVATION_CONTEXT_SECTION_WINDOW_CLASS_REDIRECTION","features":[36]},{"name":"ACTIVATION_CONTEXT_SECTION_WINRT_ACTIVATABLE_CLASSES","features":[36]},{"name":"ALERT_SYSTEM_CRITICAL","features":[36]},{"name":"ALERT_SYSTEM_ERROR","features":[36]},{"name":"ALERT_SYSTEM_INFORMATIONAL","features":[36]},{"name":"ALERT_SYSTEM_QUERY","features":[36]},{"name":"ALERT_SYSTEM_SEV","features":[36]},{"name":"ALERT_SYSTEM_WARNING","features":[36]},{"name":"ALL_POWERSCHEMES_GUID","features":[36]},{"name":"ANON_OBJECT_HEADER","features":[36]},{"name":"ANON_OBJECT_HEADER_BIGOBJ","features":[36]},{"name":"ANON_OBJECT_HEADER_V2","features":[36]},{"name":"ANYSIZE_ARRAY","features":[36]},{"name":"APPCOMMAND_BASS_BOOST","features":[36]},{"name":"APPCOMMAND_BASS_DOWN","features":[36]},{"name":"APPCOMMAND_BASS_UP","features":[36]},{"name":"APPCOMMAND_BROWSER_BACKWARD","features":[36]},{"name":"APPCOMMAND_BROWSER_FAVORITES","features":[36]},{"name":"APPCOMMAND_BROWSER_FORWARD","features":[36]},{"name":"APPCOMMAND_BROWSER_HOME","features":[36]},{"name":"APPCOMMAND_BROWSER_REFRESH","features":[36]},{"name":"APPCOMMAND_BROWSER_SEARCH","features":[36]},{"name":"APPCOMMAND_BROWSER_STOP","features":[36]},{"name":"APPCOMMAND_CLOSE","features":[36]},{"name":"APPCOMMAND_COPY","features":[36]},{"name":"APPCOMMAND_CORRECTION_LIST","features":[36]},{"name":"APPCOMMAND_CUT","features":[36]},{"name":"APPCOMMAND_DELETE","features":[36]},{"name":"APPCOMMAND_DICTATE_OR_COMMAND_CONTROL_TOGGLE","features":[36]},{"name":"APPCOMMAND_DWM_FLIP3D","features":[36]},{"name":"APPCOMMAND_FIND","features":[36]},{"name":"APPCOMMAND_FORWARD_MAIL","features":[36]},{"name":"APPCOMMAND_HELP","features":[36]},{"name":"APPCOMMAND_ID","features":[36]},{"name":"APPCOMMAND_LAUNCH_APP1","features":[36]},{"name":"APPCOMMAND_LAUNCH_APP2","features":[36]},{"name":"APPCOMMAND_LAUNCH_MAIL","features":[36]},{"name":"APPCOMMAND_LAUNCH_MEDIA_SELECT","features":[36]},{"name":"APPCOMMAND_MEDIA_CHANNEL_DOWN","features":[36]},{"name":"APPCOMMAND_MEDIA_CHANNEL_UP","features":[36]},{"name":"APPCOMMAND_MEDIA_FAST_FORWARD","features":[36]},{"name":"APPCOMMAND_MEDIA_NEXTTRACK","features":[36]},{"name":"APPCOMMAND_MEDIA_PAUSE","features":[36]},{"name":"APPCOMMAND_MEDIA_PLAY","features":[36]},{"name":"APPCOMMAND_MEDIA_PLAY_PAUSE","features":[36]},{"name":"APPCOMMAND_MEDIA_PREVIOUSTRACK","features":[36]},{"name":"APPCOMMAND_MEDIA_RECORD","features":[36]},{"name":"APPCOMMAND_MEDIA_REWIND","features":[36]},{"name":"APPCOMMAND_MEDIA_STOP","features":[36]},{"name":"APPCOMMAND_MICROPHONE_VOLUME_DOWN","features":[36]},{"name":"APPCOMMAND_MICROPHONE_VOLUME_MUTE","features":[36]},{"name":"APPCOMMAND_MICROPHONE_VOLUME_UP","features":[36]},{"name":"APPCOMMAND_MIC_ON_OFF_TOGGLE","features":[36]},{"name":"APPCOMMAND_NEW","features":[36]},{"name":"APPCOMMAND_OPEN","features":[36]},{"name":"APPCOMMAND_PASTE","features":[36]},{"name":"APPCOMMAND_PRINT","features":[36]},{"name":"APPCOMMAND_REDO","features":[36]},{"name":"APPCOMMAND_REPLY_TO_MAIL","features":[36]},{"name":"APPCOMMAND_SAVE","features":[36]},{"name":"APPCOMMAND_SEND_MAIL","features":[36]},{"name":"APPCOMMAND_SPELL_CHECK","features":[36]},{"name":"APPCOMMAND_TREBLE_DOWN","features":[36]},{"name":"APPCOMMAND_TREBLE_UP","features":[36]},{"name":"APPCOMMAND_UNDO","features":[36]},{"name":"APPCOMMAND_VOLUME_DOWN","features":[36]},{"name":"APPCOMMAND_VOLUME_MUTE","features":[36]},{"name":"APPCOMMAND_VOLUME_UP","features":[36]},{"name":"APPLICATIONLAUNCH_SETTING_VALUE","features":[36]},{"name":"APPLICATION_ERROR_MASK","features":[36]},{"name":"ARM64_FNPDATA_CR","features":[36]},{"name":"ARM64_FNPDATA_FLAGS","features":[36]},{"name":"ARM64_MAX_BREAKPOINTS","features":[36]},{"name":"ARM64_MAX_WATCHPOINTS","features":[36]},{"name":"ARM64_MULT_INTRINSICS_SUPPORTED","features":[36]},{"name":"ARM64_PREFETCH_KEEP","features":[36]},{"name":"ARM64_PREFETCH_L1","features":[36]},{"name":"ARM64_PREFETCH_L2","features":[36]},{"name":"ARM64_PREFETCH_L3","features":[36]},{"name":"ARM64_PREFETCH_PLD","features":[36]},{"name":"ARM64_PREFETCH_PLI","features":[36]},{"name":"ARM64_PREFETCH_PST","features":[36]},{"name":"ARM64_PREFETCH_STRM","features":[36]},{"name":"ARM_CACHE_ALIGNMENT_SIZE","features":[36]},{"name":"ARM_MAX_BREAKPOINTS","features":[36]},{"name":"ARM_MAX_WATCHPOINTS","features":[36]},{"name":"ASSERT_BREAKPOINT","features":[36]},{"name":"ATF_FLAGS","features":[36]},{"name":"ATF_ONOFFFEEDBACK","features":[36]},{"name":"ATF_TIMEOUTON","features":[36]},{"name":"AUDIT_ALLOW_NO_PRIVILEGE","features":[36]},{"name":"AccessReasonAllowedAce","features":[36]},{"name":"AccessReasonAllowedParentAce","features":[36]},{"name":"AccessReasonDeniedAce","features":[36]},{"name":"AccessReasonDeniedParentAce","features":[36]},{"name":"AccessReasonEmptyDacl","features":[36]},{"name":"AccessReasonFilterAce","features":[36]},{"name":"AccessReasonFromPrivilege","features":[36]},{"name":"AccessReasonIntegrityLevel","features":[36]},{"name":"AccessReasonMissingPrivilege","features":[36]},{"name":"AccessReasonNoGrant","features":[36]},{"name":"AccessReasonNoSD","features":[36]},{"name":"AccessReasonNone","features":[36]},{"name":"AccessReasonNotGrantedByCape","features":[36]},{"name":"AccessReasonNotGrantedByParentCape","features":[36]},{"name":"AccessReasonNotGrantedToAppContainer","features":[36]},{"name":"AccessReasonNullDacl","features":[36]},{"name":"AccessReasonOwnership","features":[36]},{"name":"AccessReasonTrustLabel","features":[36]},{"name":"ActivationContextBasicInformation","features":[36]},{"name":"ActivationContextDetailedInformation","features":[36]},{"name":"ActivationContextManifestResourceName","features":[36]},{"name":"AdapterType","features":[36]},{"name":"AssemblyDetailedInformationInActivationContext","features":[36]},{"name":"AssemblyDetailedInformationInActivationContxt","features":[36]},{"name":"AutoLoad","features":[36]},{"name":"BATTERY_DISCHARGE_FLAGS_ENABLE","features":[36]},{"name":"BATTERY_DISCHARGE_FLAGS_EVENTCODE_MASK","features":[36]},{"name":"BREAK_DEBUG_BASE","features":[36]},{"name":"BootLoad","features":[36]},{"name":"CACHE_FULLY_ASSOCIATIVE","features":[36]},{"name":"CFE_UNDERLINE","features":[36]},{"name":"CFG_CALL_TARGET_CONVERT_EXPORT_SUPPRESSED_TO_VALID","features":[36]},{"name":"CFG_CALL_TARGET_CONVERT_XFG_TO_CFG","features":[36]},{"name":"CFG_CALL_TARGET_PROCESSED","features":[36]},{"name":"CFG_CALL_TARGET_VALID","features":[36]},{"name":"CFG_CALL_TARGET_VALID_XFG","features":[36]},{"name":"CFU_CF1UNDERLINE","features":[36]},{"name":"CFU_INVERT","features":[36]},{"name":"CFU_UNDERLINE","features":[36]},{"name":"CFU_UNDERLINEDASH","features":[36]},{"name":"CFU_UNDERLINEDASHDOT","features":[36]},{"name":"CFU_UNDERLINEDASHDOTDOT","features":[36]},{"name":"CFU_UNDERLINEDOTTED","features":[36]},{"name":"CFU_UNDERLINEDOUBLE","features":[36]},{"name":"CFU_UNDERLINEDOUBLEWAVE","features":[36]},{"name":"CFU_UNDERLINEHAIRLINE","features":[36]},{"name":"CFU_UNDERLINEHEAVYWAVE","features":[36]},{"name":"CFU_UNDERLINELONGDASH","features":[36]},{"name":"CFU_UNDERLINENONE","features":[36]},{"name":"CFU_UNDERLINETHICK","features":[36]},{"name":"CFU_UNDERLINETHICKDASH","features":[36]},{"name":"CFU_UNDERLINETHICKDASHDOT","features":[36]},{"name":"CFU_UNDERLINETHICKDASHDOTDOT","features":[36]},{"name":"CFU_UNDERLINETHICKDOTTED","features":[36]},{"name":"CFU_UNDERLINETHICKLONGDASH","features":[36]},{"name":"CFU_UNDERLINEWAVE","features":[36]},{"name":"CFU_UNDERLINEWORD","features":[36]},{"name":"CLAIM_SECURITY_ATTRIBUTES_INFORMATION_VERSION","features":[36]},{"name":"CLAIM_SECURITY_ATTRIBUTES_INFORMATION_VERSION_V1","features":[36]},{"name":"CLAIM_SECURITY_ATTRIBUTE_CUSTOM_FLAGS","features":[36]},{"name":"CLAIM_SECURITY_ATTRIBUTE_TYPE_INVALID","features":[36]},{"name":"CM_SERVICE_MEASURED_BOOT_LOAD","features":[36]},{"name":"CM_SERVICE_NETWORK_BOOT_LOAD","features":[36]},{"name":"CM_SERVICE_RAM_DISK_BOOT_LOAD","features":[36]},{"name":"CM_SERVICE_SD_DISK_BOOT_LOAD","features":[36]},{"name":"CM_SERVICE_USB3_DISK_BOOT_LOAD","features":[36]},{"name":"CM_SERVICE_USB_DISK_BOOT_LOAD","features":[36]},{"name":"CM_SERVICE_VERIFIER_BOOT_LOAD","features":[36]},{"name":"CM_SERVICE_VIRTUAL_DISK_BOOT_LOAD","features":[36]},{"name":"CM_SERVICE_WINPE_BOOT_LOAD","features":[36]},{"name":"COMIMAGE_FLAGS_32BITPREFERRED","features":[36]},{"name":"COMIMAGE_FLAGS_32BITREQUIRED","features":[36]},{"name":"COMIMAGE_FLAGS_ILONLY","features":[36]},{"name":"COMIMAGE_FLAGS_IL_LIBRARY","features":[36]},{"name":"COMIMAGE_FLAGS_NATIVE_ENTRYPOINT","features":[36]},{"name":"COMIMAGE_FLAGS_STRONGNAMESIGNED","features":[36]},{"name":"COMIMAGE_FLAGS_TRACKDEBUGDATA","features":[36]},{"name":"COMPONENT_FILTER","features":[36]},{"name":"COMPONENT_KTM","features":[36]},{"name":"COMPONENT_VALID_FLAGS","features":[36]},{"name":"COMPRESSION_ENGINE_HIBER","features":[36]},{"name":"COMPRESSION_ENGINE_MAXIMUM","features":[36]},{"name":"COMPRESSION_ENGINE_STANDARD","features":[36]},{"name":"CORE_PARKING_POLICY_CHANGE_IDEAL","features":[36]},{"name":"CORE_PARKING_POLICY_CHANGE_MAX","features":[36]},{"name":"CORE_PARKING_POLICY_CHANGE_MULTISTEP","features":[36]},{"name":"CORE_PARKING_POLICY_CHANGE_ROCKET","features":[36]},{"name":"CORE_PARKING_POLICY_CHANGE_SINGLE","features":[36]},{"name":"COR_DELETED_NAME_LENGTH","features":[36]},{"name":"COR_ILMETHOD_SECT_SMALL_MAX_DATASIZE","features":[36]},{"name":"COR_VERSION_MAJOR","features":[36]},{"name":"COR_VERSION_MAJOR_V2","features":[36]},{"name":"COR_VERSION_MINOR","features":[36]},{"name":"COR_VTABLEGAP_NAME_LENGTH","features":[36]},{"name":"COR_VTABLE_32BIT","features":[36]},{"name":"COR_VTABLE_64BIT","features":[36]},{"name":"COR_VTABLE_CALL_MOST_DERIVED","features":[36]},{"name":"COR_VTABLE_FROM_UNMANAGED","features":[36]},{"name":"COR_VTABLE_FROM_UNMANAGED_RETAIN_APPDOMAIN","features":[36]},{"name":"CREATE_BOUNDARY_DESCRIPTOR_ADD_APPCONTAINER_SID","features":[36]},{"name":"CRITICAL_ACE_FLAG","features":[36]},{"name":"CTMF_INCLUDE_APPCONTAINER","features":[36]},{"name":"CTMF_INCLUDE_LPAC","features":[36]},{"name":"CompatibilityInformationInActivationContext","features":[36]},{"name":"CriticalError","features":[36]},{"name":"DECIMAL_NEG","features":[36]},{"name":"DEDICATED_MEMORY_CACHE_ELIGIBLE","features":[36]},{"name":"DEVICEFAMILYDEVICEFORM_KEY","features":[36]},{"name":"DEVICEFAMILYDEVICEFORM_VALUE","features":[36]},{"name":"DIAGNOSTIC_REASON_DETAILED_STRING","features":[36]},{"name":"DIAGNOSTIC_REASON_NOT_SPECIFIED","features":[36]},{"name":"DIAGNOSTIC_REASON_SIMPLE_STRING","features":[36]},{"name":"DIAGNOSTIC_REASON_VERSION","features":[36]},{"name":"DISCHARGE_POLICY_CRITICAL","features":[36]},{"name":"DISCHARGE_POLICY_LOW","features":[36]},{"name":"DISPATCHER_CONTEXT_NONVOLREG_ARM64","features":[36]},{"name":"DLL_PROCESS_ATTACH","features":[36]},{"name":"DLL_PROCESS_DETACH","features":[36]},{"name":"DLL_THREAD_ATTACH","features":[36]},{"name":"DLL_THREAD_DETACH","features":[36]},{"name":"DOMAIN_ALIAS_RID_ACCESS_CONTROL_ASSISTANCE_OPS","features":[36]},{"name":"DOMAIN_ALIAS_RID_ACCOUNT_OPS","features":[36]},{"name":"DOMAIN_ALIAS_RID_ADMINS","features":[36]},{"name":"DOMAIN_ALIAS_RID_AUTHORIZATIONACCESS","features":[36]},{"name":"DOMAIN_ALIAS_RID_BACKUP_OPS","features":[36]},{"name":"DOMAIN_ALIAS_RID_CACHEABLE_PRINCIPALS_GROUP","features":[36]},{"name":"DOMAIN_ALIAS_RID_CERTSVC_DCOM_ACCESS_GROUP","features":[36]},{"name":"DOMAIN_ALIAS_RID_CRYPTO_OPERATORS","features":[36]},{"name":"DOMAIN_ALIAS_RID_DCOM_USERS","features":[36]},{"name":"DOMAIN_ALIAS_RID_DEFAULT_ACCOUNT","features":[36]},{"name":"DOMAIN_ALIAS_RID_DEVICE_OWNERS","features":[36]},{"name":"DOMAIN_ALIAS_RID_EVENT_LOG_READERS_GROUP","features":[36]},{"name":"DOMAIN_ALIAS_RID_GUESTS","features":[36]},{"name":"DOMAIN_ALIAS_RID_HYPER_V_ADMINS","features":[36]},{"name":"DOMAIN_ALIAS_RID_INCOMING_FOREST_TRUST_BUILDERS","features":[36]},{"name":"DOMAIN_ALIAS_RID_IUSERS","features":[36]},{"name":"DOMAIN_ALIAS_RID_LOGGING_USERS","features":[36]},{"name":"DOMAIN_ALIAS_RID_MONITORING_USERS","features":[36]},{"name":"DOMAIN_ALIAS_RID_NETWORK_CONFIGURATION_OPS","features":[36]},{"name":"DOMAIN_ALIAS_RID_NON_CACHEABLE_PRINCIPALS_GROUP","features":[36]},{"name":"DOMAIN_ALIAS_RID_POWER_USERS","features":[36]},{"name":"DOMAIN_ALIAS_RID_PREW2KCOMPACCESS","features":[36]},{"name":"DOMAIN_ALIAS_RID_PRINT_OPS","features":[36]},{"name":"DOMAIN_ALIAS_RID_RAS_SERVERS","features":[36]},{"name":"DOMAIN_ALIAS_RID_RDS_ENDPOINT_SERVERS","features":[36]},{"name":"DOMAIN_ALIAS_RID_RDS_MANAGEMENT_SERVERS","features":[36]},{"name":"DOMAIN_ALIAS_RID_RDS_REMOTE_ACCESS_SERVERS","features":[36]},{"name":"DOMAIN_ALIAS_RID_REMOTE_DESKTOP_USERS","features":[36]},{"name":"DOMAIN_ALIAS_RID_REMOTE_MANAGEMENT_USERS","features":[36]},{"name":"DOMAIN_ALIAS_RID_REPLICATOR","features":[36]},{"name":"DOMAIN_ALIAS_RID_STORAGE_REPLICA_ADMINS","features":[36]},{"name":"DOMAIN_ALIAS_RID_SYSTEM_OPS","features":[36]},{"name":"DOMAIN_ALIAS_RID_TS_LICENSE_SERVERS","features":[36]},{"name":"DOMAIN_ALIAS_RID_USERS","features":[36]},{"name":"DOMAIN_GROUP_RID_ADMINS","features":[36]},{"name":"DOMAIN_GROUP_RID_AUTHORIZATION_DATA_CONTAINS_CLAIMS","features":[36]},{"name":"DOMAIN_GROUP_RID_AUTHORIZATION_DATA_IS_COMPOUNDED","features":[36]},{"name":"DOMAIN_GROUP_RID_CDC_RESERVED","features":[36]},{"name":"DOMAIN_GROUP_RID_CERT_ADMINS","features":[36]},{"name":"DOMAIN_GROUP_RID_CLONEABLE_CONTROLLERS","features":[36]},{"name":"DOMAIN_GROUP_RID_COMPUTERS","features":[36]},{"name":"DOMAIN_GROUP_RID_CONTROLLERS","features":[36]},{"name":"DOMAIN_GROUP_RID_ENTERPRISE_ADMINS","features":[36]},{"name":"DOMAIN_GROUP_RID_ENTERPRISE_KEY_ADMINS","features":[36]},{"name":"DOMAIN_GROUP_RID_ENTERPRISE_READONLY_DOMAIN_CONTROLLERS","features":[36]},{"name":"DOMAIN_GROUP_RID_GUESTS","features":[36]},{"name":"DOMAIN_GROUP_RID_KEY_ADMINS","features":[36]},{"name":"DOMAIN_GROUP_RID_POLICY_ADMINS","features":[36]},{"name":"DOMAIN_GROUP_RID_PROTECTED_USERS","features":[36]},{"name":"DOMAIN_GROUP_RID_READONLY_CONTROLLERS","features":[36]},{"name":"DOMAIN_GROUP_RID_SCHEMA_ADMINS","features":[36]},{"name":"DOMAIN_GROUP_RID_USERS","features":[36]},{"name":"DOMAIN_USER_RID_ADMIN","features":[36]},{"name":"DOMAIN_USER_RID_DEFAULT_ACCOUNT","features":[36]},{"name":"DOMAIN_USER_RID_GUEST","features":[36]},{"name":"DOMAIN_USER_RID_KRBTGT","features":[36]},{"name":"DOMAIN_USER_RID_MAX","features":[36]},{"name":"DOMAIN_USER_RID_WDAG_ACCOUNT","features":[36]},{"name":"DYNAMIC_EH_CONTINUATION_TARGET_ADD","features":[36]},{"name":"DYNAMIC_EH_CONTINUATION_TARGET_PROCESSED","features":[36]},{"name":"DYNAMIC_ENFORCED_ADDRESS_RANGE_ADD","features":[36]},{"name":"DYNAMIC_ENFORCED_ADDRESS_RANGE_PROCESSED","features":[36]},{"name":"DemandLoad","features":[36]},{"name":"DisableLoad","features":[36]},{"name":"DriverType","features":[36]},{"name":"EMARCH_ENC_I17_IC_INST_WORD_POS_X","features":[36]},{"name":"EMARCH_ENC_I17_IC_INST_WORD_X","features":[36]},{"name":"EMARCH_ENC_I17_IC_SIZE_X","features":[36]},{"name":"EMARCH_ENC_I17_IC_VAL_POS_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM41a_INST_WORD_POS_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM41a_INST_WORD_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM41a_SIZE_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM41a_VAL_POS_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM41b_INST_WORD_POS_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM41b_INST_WORD_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM41b_SIZE_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM41b_VAL_POS_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM41c_INST_WORD_POS_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM41c_INST_WORD_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM41c_SIZE_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM41c_VAL_POS_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM5C_INST_WORD_POS_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM5C_INST_WORD_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM5C_SIZE_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM5C_VAL_POS_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM7B_INST_WORD_POS_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM7B_INST_WORD_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM7B_SIZE_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM7B_VAL_POS_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM9D_INST_WORD_POS_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM9D_INST_WORD_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM9D_SIZE_X","features":[36]},{"name":"EMARCH_ENC_I17_IMM9D_VAL_POS_X","features":[36]},{"name":"EMARCH_ENC_I17_SIGN_INST_WORD_POS_X","features":[36]},{"name":"EMARCH_ENC_I17_SIGN_INST_WORD_X","features":[36]},{"name":"EMARCH_ENC_I17_SIGN_SIZE_X","features":[36]},{"name":"EMARCH_ENC_I17_SIGN_VAL_POS_X","features":[36]},{"name":"ENCLAVE_LONG_ID_LENGTH","features":[36]},{"name":"ENCLAVE_SHORT_ID_LENGTH","features":[36]},{"name":"ENCLAVE_TYPE_SGX","features":[36]},{"name":"ENCLAVE_TYPE_SGX2","features":[36]},{"name":"ENCLAVE_TYPE_VBS","features":[36]},{"name":"ENCLAVE_TYPE_VBS_BASIC","features":[36]},{"name":"ENCLAVE_VBS_FLAG_DEBUG","features":[36]},{"name":"ENLISTMENT_BASIC_INFORMATION","features":[36]},{"name":"ENLISTMENT_CRM_INFORMATION","features":[36]},{"name":"ENLISTMENT_INFORMATION_CLASS","features":[36]},{"name":"ENLISTMENT_QUERY_INFORMATION","features":[36]},{"name":"ENLISTMENT_RECOVER","features":[36]},{"name":"ENLISTMENT_SET_INFORMATION","features":[36]},{"name":"ENLISTMENT_SUBORDINATE_RIGHTS","features":[36]},{"name":"ENLISTMENT_SUPERIOR_RIGHTS","features":[36]},{"name":"ERROR_SEVERITY_ERROR","features":[36]},{"name":"ERROR_SEVERITY_INFORMATIONAL","features":[36]},{"name":"ERROR_SEVERITY_SUCCESS","features":[36]},{"name":"ERROR_SEVERITY_WARNING","features":[36]},{"name":"EVENTLOG_BACKWARDS_READ","features":[36]},{"name":"EVENTLOG_END_ALL_PAIRED_EVENTS","features":[36]},{"name":"EVENTLOG_END_PAIRED_EVENT","features":[36]},{"name":"EVENTLOG_FORWARDS_READ","features":[36]},{"name":"EVENTLOG_PAIRED_EVENT_ACTIVE","features":[36]},{"name":"EVENTLOG_PAIRED_EVENT_INACTIVE","features":[36]},{"name":"EVENTLOG_START_PAIRED_EVENT","features":[36]},{"name":"EXCEPTION_COLLIDED_UNWIND","features":[36]},{"name":"EXCEPTION_EXECUTE_FAULT","features":[36]},{"name":"EXCEPTION_EXIT_UNWIND","features":[36]},{"name":"EXCEPTION_MAXIMUM_PARAMETERS","features":[36]},{"name":"EXCEPTION_NESTED_CALL","features":[36]},{"name":"EXCEPTION_NONCONTINUABLE","features":[36]},{"name":"EXCEPTION_READ_FAULT","features":[36]},{"name":"EXCEPTION_SOFTWARE_ORIGINATE","features":[36]},{"name":"EXCEPTION_STACK_INVALID","features":[36]},{"name":"EXCEPTION_TARGET_UNWIND","features":[36]},{"name":"EXCEPTION_UNWINDING","features":[36]},{"name":"EXCEPTION_WRITE_FAULT","features":[36]},{"name":"EnlistmentBasicInformation","features":[36]},{"name":"EnlistmentCrmInformation","features":[36]},{"name":"EnlistmentRecoveryInformation","features":[36]},{"name":"FAST_FAIL_ADMINLESS_ACCESS_DENIED","features":[36]},{"name":"FAST_FAIL_APCS_DISABLED","features":[36]},{"name":"FAST_FAIL_CAST_GUARD","features":[36]},{"name":"FAST_FAIL_CERTIFICATION_FAILURE","features":[36]},{"name":"FAST_FAIL_CONTROL_INVALID_RETURN_ADDRESS","features":[36]},{"name":"FAST_FAIL_CORRUPT_LIST_ENTRY","features":[36]},{"name":"FAST_FAIL_CRYPTO_LIBRARY","features":[36]},{"name":"FAST_FAIL_DEPRECATED_SERVICE_INVOKED","features":[36]},{"name":"FAST_FAIL_DLOAD_PROTECTION_FAILURE","features":[36]},{"name":"FAST_FAIL_ENCLAVE_CALL_FAILURE","features":[36]},{"name":"FAST_FAIL_ETW_CORRUPTION","features":[36]},{"name":"FAST_FAIL_FATAL_APP_EXIT","features":[36]},{"name":"FAST_FAIL_FLAGS_CORRUPTION","features":[36]},{"name":"FAST_FAIL_GS_COOKIE_INIT","features":[36]},{"name":"FAST_FAIL_GUARD_EXPORT_SUPPRESSION_FAILURE","features":[36]},{"name":"FAST_FAIL_GUARD_ICALL_CHECK_FAILURE","features":[36]},{"name":"FAST_FAIL_GUARD_ICALL_CHECK_FAILURE_XFG","features":[36]},{"name":"FAST_FAIL_GUARD_ICALL_CHECK_SUPPRESSED","features":[36]},{"name":"FAST_FAIL_GUARD_JUMPTABLE","features":[36]},{"name":"FAST_FAIL_GUARD_SS_FAILURE","features":[36]},{"name":"FAST_FAIL_GUARD_WRITE_CHECK_FAILURE","features":[36]},{"name":"FAST_FAIL_HEAP_METADATA_CORRUPTION","features":[36]},{"name":"FAST_FAIL_HOST_VISIBILITY_CHANGE","features":[36]},{"name":"FAST_FAIL_INCORRECT_STACK","features":[36]},{"name":"FAST_FAIL_INVALID_ARG","features":[36]},{"name":"FAST_FAIL_INVALID_BALANCED_TREE","features":[36]},{"name":"FAST_FAIL_INVALID_BUFFER_ACCESS","features":[36]},{"name":"FAST_FAIL_INVALID_CALL_IN_DLL_CALLOUT","features":[36]},{"name":"FAST_FAIL_INVALID_CONTROL_STACK","features":[36]},{"name":"FAST_FAIL_INVALID_DISPATCH_CONTEXT","features":[36]},{"name":"FAST_FAIL_INVALID_EXCEPTION_CHAIN","features":[36]},{"name":"FAST_FAIL_INVALID_FAST_FAIL_CODE","features":[36]},{"name":"FAST_FAIL_INVALID_FIBER_SWITCH","features":[36]},{"name":"FAST_FAIL_INVALID_FILE_OPERATION","features":[36]},{"name":"FAST_FAIL_INVALID_FLS_DATA","features":[36]},{"name":"FAST_FAIL_INVALID_IAT","features":[36]},{"name":"FAST_FAIL_INVALID_IDLE_STATE","features":[36]},{"name":"FAST_FAIL_INVALID_IMAGE_BASE","features":[36]},{"name":"FAST_FAIL_INVALID_JUMP_BUFFER","features":[36]},{"name":"FAST_FAIL_INVALID_LOCK_STATE","features":[36]},{"name":"FAST_FAIL_INVALID_LONGJUMP_TARGET","features":[36]},{"name":"FAST_FAIL_INVALID_NEXT_THREAD","features":[36]},{"name":"FAST_FAIL_INVALID_PFN","features":[36]},{"name":"FAST_FAIL_INVALID_REFERENCE_COUNT","features":[36]},{"name":"FAST_FAIL_INVALID_SET_OF_CONTEXT","features":[36]},{"name":"FAST_FAIL_INVALID_SYSCALL_NUMBER","features":[36]},{"name":"FAST_FAIL_INVALID_THREAD","features":[36]},{"name":"FAST_FAIL_KERNEL_CET_SHADOW_STACK_ASSIST","features":[36]},{"name":"FAST_FAIL_LEGACY_GS_VIOLATION","features":[36]},{"name":"FAST_FAIL_LOADER_CONTINUITY_FAILURE","features":[36]},{"name":"FAST_FAIL_LOW_LABEL_ACCESS_DENIED","features":[36]},{"name":"FAST_FAIL_LPAC_ACCESS_DENIED","features":[36]},{"name":"FAST_FAIL_MRDATA_MODIFIED","features":[36]},{"name":"FAST_FAIL_MRDATA_PROTECTION_FAILURE","features":[36]},{"name":"FAST_FAIL_NTDLL_PATCH_FAILED","features":[36]},{"name":"FAST_FAIL_PATCH_CALLBACK_FAILED","features":[36]},{"name":"FAST_FAIL_PAYLOAD_RESTRICTION_VIOLATION","features":[36]},{"name":"FAST_FAIL_RANGE_CHECK_FAILURE","features":[36]},{"name":"FAST_FAIL_RIO_ABORT","features":[36]},{"name":"FAST_FAIL_SET_CONTEXT_DENIED","features":[36]},{"name":"FAST_FAIL_STACK_COOKIE_CHECK_FAILURE","features":[36]},{"name":"FAST_FAIL_UNEXPECTED_CALL","features":[36]},{"name":"FAST_FAIL_UNEXPECTED_HEAP_EXCEPTION","features":[36]},{"name":"FAST_FAIL_UNEXPECTED_HOST_BEHAVIOR","features":[36]},{"name":"FAST_FAIL_UNHANDLED_LSS_EXCEPTON","features":[36]},{"name":"FAST_FAIL_UNSAFE_EXTENSION_CALL","features":[36]},{"name":"FAST_FAIL_UNSAFE_REGISTRY_ACCESS","features":[36]},{"name":"FAST_FAIL_VEH_CORRUPTION","features":[36]},{"name":"FAST_FAIL_VTGUARD_CHECK_FAILURE","features":[36]},{"name":"FILE_ATTRIBUTE_STRICTLY_SEQUENTIAL","features":[36]},{"name":"FILE_CASE_PRESERVED_NAMES","features":[36]},{"name":"FILE_CASE_SENSITIVE_SEARCH","features":[36]},{"name":"FILE_CS_FLAG_CASE_SENSITIVE_DIR","features":[36]},{"name":"FILE_DAX_VOLUME","features":[36]},{"name":"FILE_FILE_COMPRESSION","features":[36]},{"name":"FILE_NAMED_STREAMS","features":[36]},{"name":"FILE_NAME_FLAGS_UNSPECIFIED","features":[36]},{"name":"FILE_NAME_FLAG_BOTH","features":[36]},{"name":"FILE_NAME_FLAG_DOS","features":[36]},{"name":"FILE_NAME_FLAG_HARDLINK","features":[36]},{"name":"FILE_NAME_FLAG_NTFS","features":[36]},{"name":"FILE_NOTIFY_FULL_INFORMATION","features":[36]},{"name":"FILE_PERSISTENT_ACLS","features":[36]},{"name":"FILE_READ_ONLY_VOLUME","features":[36]},{"name":"FILE_RETURNS_CLEANUP_RESULT_INFO","features":[36]},{"name":"FILE_SEQUENTIAL_WRITE_ONCE","features":[36]},{"name":"FILE_SUPPORTS_BLOCK_REFCOUNTING","features":[36]},{"name":"FILE_SUPPORTS_BYPASS_IO","features":[36]},{"name":"FILE_SUPPORTS_CASE_SENSITIVE_DIRS","features":[36]},{"name":"FILE_SUPPORTS_ENCRYPTION","features":[36]},{"name":"FILE_SUPPORTS_EXTENDED_ATTRIBUTES","features":[36]},{"name":"FILE_SUPPORTS_GHOSTING","features":[36]},{"name":"FILE_SUPPORTS_HARD_LINKS","features":[36]},{"name":"FILE_SUPPORTS_INTEGRITY_STREAMS","features":[36]},{"name":"FILE_SUPPORTS_OBJECT_IDS","features":[36]},{"name":"FILE_SUPPORTS_OPEN_BY_FILE_ID","features":[36]},{"name":"FILE_SUPPORTS_POSIX_UNLINK_RENAME","features":[36]},{"name":"FILE_SUPPORTS_REMOTE_STORAGE","features":[36]},{"name":"FILE_SUPPORTS_REPARSE_POINTS","features":[36]},{"name":"FILE_SUPPORTS_SPARSE_FILES","features":[36]},{"name":"FILE_SUPPORTS_SPARSE_VDL","features":[36]},{"name":"FILE_SUPPORTS_STREAM_SNAPSHOTS","features":[36]},{"name":"FILE_SUPPORTS_TRANSACTIONS","features":[36]},{"name":"FILE_SUPPORTS_USN_JOURNAL","features":[36]},{"name":"FILE_UNICODE_ON_DISK","features":[36]},{"name":"FILE_VOLUME_IS_COMPRESSED","features":[36]},{"name":"FILE_VOLUME_QUOTAS","features":[36]},{"name":"FILL_NV_MEMORY_FLAG_FLUSH","features":[36]},{"name":"FILL_NV_MEMORY_FLAG_NON_TEMPORAL","features":[36]},{"name":"FILL_NV_MEMORY_FLAG_NO_DRAIN","features":[36]},{"name":"FLS_MAXIMUM_AVAILABLE","features":[36]},{"name":"FLUSH_FLAGS_FILE_DATA_ONLY","features":[36]},{"name":"FLUSH_FLAGS_FILE_DATA_SYNC_ONLY","features":[36]},{"name":"FLUSH_FLAGS_NO_SYNC","features":[36]},{"name":"FLUSH_NV_MEMORY_IN_FLAG_NO_DRAIN","features":[36]},{"name":"FOREST_USER_RID_MAX","features":[36]},{"name":"FRAME_FPO","features":[36]},{"name":"FRAME_NONFPO","features":[36]},{"name":"FRAME_TRAP","features":[36]},{"name":"FRAME_TSS","features":[36]},{"name":"FileInformationInAssemblyOfAssemblyInActivationContext","features":[36]},{"name":"FileInformationInAssemblyOfAssemblyInActivationContxt","features":[36]},{"name":"FileSystemType","features":[36]},{"name":"GC_ALLGESTURES","features":[36]},{"name":"GC_PAN","features":[36]},{"name":"GC_PAN_WITH_GUTTER","features":[36]},{"name":"GC_PAN_WITH_INERTIA","features":[36]},{"name":"GC_PAN_WITH_SINGLE_FINGER_HORIZONTALLY","features":[36]},{"name":"GC_PAN_WITH_SINGLE_FINGER_VERTICALLY","features":[36]},{"name":"GC_PRESSANDTAP","features":[36]},{"name":"GC_ROLLOVER","features":[36]},{"name":"GC_ROTATE","features":[36]},{"name":"GC_TWOFINGERTAP","features":[36]},{"name":"GC_ZOOM","features":[36]},{"name":"GDI_NONREMOTE","features":[41,36]},{"name":"GESTURECONFIG_FLAGS","features":[36]},{"name":"GUID_ACDC_POWER_SOURCE","features":[36]},{"name":"GUID_ACTIVE_POWERSCHEME","features":[36]},{"name":"GUID_ADAPTIVE_INPUT_CONTROLLER_STATE","features":[36]},{"name":"GUID_ADAPTIVE_POWER_BEHAVIOR_SUBGROUP","features":[36]},{"name":"GUID_ADVANCED_COLOR_QUALITY_BIAS","features":[36]},{"name":"GUID_ALLOW_AWAYMODE","features":[36]},{"name":"GUID_ALLOW_DISPLAY_REQUIRED","features":[36]},{"name":"GUID_ALLOW_RTC_WAKE","features":[36]},{"name":"GUID_ALLOW_STANDBY_STATES","features":[36]},{"name":"GUID_ALLOW_SYSTEM_REQUIRED","features":[36]},{"name":"GUID_APPLAUNCH_BUTTON","features":[36]},{"name":"GUID_BACKGROUND_TASK_NOTIFICATION","features":[36]},{"name":"GUID_BATTERY_COUNT","features":[36]},{"name":"GUID_BATTERY_DISCHARGE_ACTION_0","features":[36]},{"name":"GUID_BATTERY_DISCHARGE_ACTION_1","features":[36]},{"name":"GUID_BATTERY_DISCHARGE_ACTION_2","features":[36]},{"name":"GUID_BATTERY_DISCHARGE_ACTION_3","features":[36]},{"name":"GUID_BATTERY_DISCHARGE_FLAGS_0","features":[36]},{"name":"GUID_BATTERY_DISCHARGE_FLAGS_1","features":[36]},{"name":"GUID_BATTERY_DISCHARGE_FLAGS_2","features":[36]},{"name":"GUID_BATTERY_DISCHARGE_FLAGS_3","features":[36]},{"name":"GUID_BATTERY_DISCHARGE_LEVEL_0","features":[36]},{"name":"GUID_BATTERY_DISCHARGE_LEVEL_1","features":[36]},{"name":"GUID_BATTERY_DISCHARGE_LEVEL_2","features":[36]},{"name":"GUID_BATTERY_DISCHARGE_LEVEL_3","features":[36]},{"name":"GUID_BATTERY_PERCENTAGE_REMAINING","features":[36]},{"name":"GUID_BATTERY_SUBGROUP","features":[36]},{"name":"GUID_CONNECTIVITY_IN_STANDBY","features":[36]},{"name":"GUID_CONSOLE_DISPLAY_STATE","features":[36]},{"name":"GUID_CRITICAL_POWER_TRANSITION","features":[36]},{"name":"GUID_DEEP_SLEEP_ENABLED","features":[36]},{"name":"GUID_DEEP_SLEEP_PLATFORM_STATE","features":[36]},{"name":"GUID_DEVICE_IDLE_POLICY","features":[36]},{"name":"GUID_DEVICE_POWER_POLICY_VIDEO_BRIGHTNESS","features":[36]},{"name":"GUID_DEVICE_POWER_POLICY_VIDEO_DIM_BRIGHTNESS","features":[36]},{"name":"GUID_DISCONNECTED_STANDBY_MODE","features":[36]},{"name":"GUID_DISK_ADAPTIVE_POWERDOWN","features":[36]},{"name":"GUID_DISK_BURST_IGNORE_THRESHOLD","features":[36]},{"name":"GUID_DISK_COALESCING_POWERDOWN_TIMEOUT","features":[36]},{"name":"GUID_DISK_IDLE_TIMEOUT","features":[36]},{"name":"GUID_DISK_MAX_POWER","features":[36]},{"name":"GUID_DISK_NVME_NOPPME","features":[36]},{"name":"GUID_DISK_POWERDOWN_TIMEOUT","features":[36]},{"name":"GUID_DISK_SUBGROUP","features":[36]},{"name":"GUID_ENABLE_SWITCH_FORCED_SHUTDOWN","features":[36]},{"name":"GUID_ENERGY_SAVER_BATTERY_THRESHOLD","features":[36]},{"name":"GUID_ENERGY_SAVER_BRIGHTNESS","features":[36]},{"name":"GUID_ENERGY_SAVER_POLICY","features":[36]},{"name":"GUID_ENERGY_SAVER_SUBGROUP","features":[36]},{"name":"GUID_EXECUTION_REQUIRED_REQUEST_TIMEOUT","features":[36]},{"name":"GUID_GLOBAL_USER_PRESENCE","features":[36]},{"name":"GUID_GPU_PREFERENCE_POLICY","features":[36]},{"name":"GUID_GRAPHICS_SUBGROUP","features":[36]},{"name":"GUID_HIBERNATE_FASTS4_POLICY","features":[36]},{"name":"GUID_HIBERNATE_TIMEOUT","features":[36]},{"name":"GUID_HUPR_ADAPTIVE_AWAY_DIM_TIMEOUT","features":[36]},{"name":"GUID_HUPR_ADAPTIVE_AWAY_DISPLAY_TIMEOUT","features":[36]},{"name":"GUID_HUPR_ADAPTIVE_INATTENTIVE_DIM_TIMEOUT","features":[36]},{"name":"GUID_HUPR_ADAPTIVE_INATTENTIVE_DISPLAY_TIMEOUT","features":[36]},{"name":"GUID_IDLE_BACKGROUND_TASK","features":[36]},{"name":"GUID_IDLE_RESILIENCY_PERIOD","features":[36]},{"name":"GUID_IDLE_RESILIENCY_SUBGROUP","features":[36]},{"name":"GUID_INTSTEER_LOAD_PER_PROC_TRIGGER","features":[36]},{"name":"GUID_INTSTEER_MODE","features":[36]},{"name":"GUID_INTSTEER_SUBGROUP","features":[36]},{"name":"GUID_INTSTEER_TIME_UNPARK_TRIGGER","features":[36]},{"name":"GUID_LEGACY_RTC_MITIGATION","features":[36]},{"name":"GUID_LIDCLOSE_ACTION","features":[36]},{"name":"GUID_LIDOPEN_POWERSTATE","features":[36]},{"name":"GUID_LIDSWITCH_STATE_CHANGE","features":[36]},{"name":"GUID_LIDSWITCH_STATE_RELIABILITY","features":[36]},{"name":"GUID_LOCK_CONSOLE_ON_WAKE","features":[36]},{"name":"GUID_MAX_POWER_SAVINGS","features":[36]},{"name":"GUID_MIN_POWER_SAVINGS","features":[36]},{"name":"GUID_MIXED_REALITY_MODE","features":[36]},{"name":"GUID_MONITOR_POWER_ON","features":[36]},{"name":"GUID_NON_ADAPTIVE_INPUT_TIMEOUT","features":[36]},{"name":"GUID_PCIEXPRESS_ASPM_POLICY","features":[36]},{"name":"GUID_PCIEXPRESS_SETTINGS_SUBGROUP","features":[36]},{"name":"GUID_POWERBUTTON_ACTION","features":[36]},{"name":"GUID_POWERSCHEME_PERSONALITY","features":[36]},{"name":"GUID_POWER_SAVING_STATUS","features":[36]},{"name":"GUID_PROCESSOR_ALLOW_THROTTLING","features":[36]},{"name":"GUID_PROCESSOR_CLASS0_FLOOR_PERF","features":[36]},{"name":"GUID_PROCESSOR_CLASS1_INITIAL_PERF","features":[36]},{"name":"GUID_PROCESSOR_COMPLEX_PARKING_POLICY","features":[36]},{"name":"GUID_PROCESSOR_CORE_PARKING_AFFINITY_HISTORY_DECREASE_FACTOR","features":[36]},{"name":"GUID_PROCESSOR_CORE_PARKING_AFFINITY_HISTORY_THRESHOLD","features":[36]},{"name":"GUID_PROCESSOR_CORE_PARKING_AFFINITY_WEIGHTING","features":[36]},{"name":"GUID_PROCESSOR_CORE_PARKING_DECREASE_POLICY","features":[36]},{"name":"GUID_PROCESSOR_CORE_PARKING_DECREASE_THRESHOLD","features":[36]},{"name":"GUID_PROCESSOR_CORE_PARKING_DECREASE_TIME","features":[36]},{"name":"GUID_PROCESSOR_CORE_PARKING_INCREASE_POLICY","features":[36]},{"name":"GUID_PROCESSOR_CORE_PARKING_INCREASE_THRESHOLD","features":[36]},{"name":"GUID_PROCESSOR_CORE_PARKING_INCREASE_TIME","features":[36]},{"name":"GUID_PROCESSOR_CORE_PARKING_MAX_CORES","features":[36]},{"name":"GUID_PROCESSOR_CORE_PARKING_MAX_CORES_1","features":[36]},{"name":"GUID_PROCESSOR_CORE_PARKING_MIN_CORES","features":[36]},{"name":"GUID_PROCESSOR_CORE_PARKING_MIN_CORES_1","features":[36]},{"name":"GUID_PROCESSOR_CORE_PARKING_OVER_UTILIZATION_HISTORY_DECREASE_FACTOR","features":[36]},{"name":"GUID_PROCESSOR_CORE_PARKING_OVER_UTILIZATION_HISTORY_THRESHOLD","features":[36]},{"name":"GUID_PROCESSOR_CORE_PARKING_OVER_UTILIZATION_THRESHOLD","features":[36]},{"name":"GUID_PROCESSOR_CORE_PARKING_OVER_UTILIZATION_WEIGHTING","features":[36]},{"name":"GUID_PROCESSOR_DISTRIBUTE_UTILITY","features":[36]},{"name":"GUID_PROCESSOR_DUTY_CYCLING","features":[36]},{"name":"GUID_PROCESSOR_FREQUENCY_LIMIT","features":[36]},{"name":"GUID_PROCESSOR_FREQUENCY_LIMIT_1","features":[36]},{"name":"GUID_PROCESSOR_HETEROGENEOUS_POLICY","features":[36]},{"name":"GUID_PROCESSOR_HETERO_DECREASE_THRESHOLD","features":[36]},{"name":"GUID_PROCESSOR_HETERO_DECREASE_THRESHOLD_1","features":[36]},{"name":"GUID_PROCESSOR_HETERO_DECREASE_TIME","features":[36]},{"name":"GUID_PROCESSOR_HETERO_INCREASE_THRESHOLD","features":[36]},{"name":"GUID_PROCESSOR_HETERO_INCREASE_THRESHOLD_1","features":[36]},{"name":"GUID_PROCESSOR_HETERO_INCREASE_TIME","features":[36]},{"name":"GUID_PROCESSOR_IDLESTATE_POLICY","features":[36]},{"name":"GUID_PROCESSOR_IDLE_ALLOW_SCALING","features":[36]},{"name":"GUID_PROCESSOR_IDLE_DEMOTE_THRESHOLD","features":[36]},{"name":"GUID_PROCESSOR_IDLE_DISABLE","features":[36]},{"name":"GUID_PROCESSOR_IDLE_PROMOTE_THRESHOLD","features":[36]},{"name":"GUID_PROCESSOR_IDLE_STATE_MAXIMUM","features":[36]},{"name":"GUID_PROCESSOR_IDLE_TIME_CHECK","features":[36]},{"name":"GUID_PROCESSOR_LATENCY_HINT_MIN_UNPARK","features":[36]},{"name":"GUID_PROCESSOR_LATENCY_HINT_MIN_UNPARK_1","features":[36]},{"name":"GUID_PROCESSOR_LONG_THREAD_ARCH_CLASS_LOWER_THRESHOLD","features":[36]},{"name":"GUID_PROCESSOR_LONG_THREAD_ARCH_CLASS_UPPER_THRESHOLD","features":[36]},{"name":"GUID_PROCESSOR_MODULE_PARKING_POLICY","features":[36]},{"name":"GUID_PROCESSOR_PARKING_CONCURRENCY_THRESHOLD","features":[36]},{"name":"GUID_PROCESSOR_PARKING_CORE_OVERRIDE","features":[36]},{"name":"GUID_PROCESSOR_PARKING_DISTRIBUTION_THRESHOLD","features":[36]},{"name":"GUID_PROCESSOR_PARKING_HEADROOM_THRESHOLD","features":[36]},{"name":"GUID_PROCESSOR_PARKING_PERF_STATE","features":[36]},{"name":"GUID_PROCESSOR_PARKING_PERF_STATE_1","features":[36]},{"name":"GUID_PROCESSOR_PERFSTATE_POLICY","features":[36]},{"name":"GUID_PROCESSOR_PERF_AUTONOMOUS_ACTIVITY_WINDOW","features":[36]},{"name":"GUID_PROCESSOR_PERF_AUTONOMOUS_MODE","features":[36]},{"name":"GUID_PROCESSOR_PERF_BOOST_MODE","features":[36]},{"name":"GUID_PROCESSOR_PERF_BOOST_POLICY","features":[36]},{"name":"GUID_PROCESSOR_PERF_CORE_PARKING_HISTORY","features":[36]},{"name":"GUID_PROCESSOR_PERF_DECREASE_HISTORY","features":[36]},{"name":"GUID_PROCESSOR_PERF_DECREASE_POLICY","features":[36]},{"name":"GUID_PROCESSOR_PERF_DECREASE_POLICY_1","features":[36]},{"name":"GUID_PROCESSOR_PERF_DECREASE_THRESHOLD","features":[36]},{"name":"GUID_PROCESSOR_PERF_DECREASE_THRESHOLD_1","features":[36]},{"name":"GUID_PROCESSOR_PERF_DECREASE_TIME","features":[36]},{"name":"GUID_PROCESSOR_PERF_DECREASE_TIME_1","features":[36]},{"name":"GUID_PROCESSOR_PERF_ENERGY_PERFORMANCE_PREFERENCE","features":[36]},{"name":"GUID_PROCESSOR_PERF_ENERGY_PERFORMANCE_PREFERENCE_1","features":[36]},{"name":"GUID_PROCESSOR_PERF_HISTORY","features":[36]},{"name":"GUID_PROCESSOR_PERF_HISTORY_1","features":[36]},{"name":"GUID_PROCESSOR_PERF_INCREASE_HISTORY","features":[36]},{"name":"GUID_PROCESSOR_PERF_INCREASE_POLICY","features":[36]},{"name":"GUID_PROCESSOR_PERF_INCREASE_POLICY_1","features":[36]},{"name":"GUID_PROCESSOR_PERF_INCREASE_THRESHOLD","features":[36]},{"name":"GUID_PROCESSOR_PERF_INCREASE_THRESHOLD_1","features":[36]},{"name":"GUID_PROCESSOR_PERF_INCREASE_TIME","features":[36]},{"name":"GUID_PROCESSOR_PERF_INCREASE_TIME_1","features":[36]},{"name":"GUID_PROCESSOR_PERF_LATENCY_HINT","features":[36]},{"name":"GUID_PROCESSOR_PERF_LATENCY_HINT_PERF","features":[36]},{"name":"GUID_PROCESSOR_PERF_LATENCY_HINT_PERF_1","features":[36]},{"name":"GUID_PROCESSOR_PERF_TIME_CHECK","features":[36]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_DISABLE_THRESHOLD","features":[36]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_DISABLE_THRESHOLD_1","features":[36]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_DISABLE_TIME","features":[36]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_DISABLE_TIME_1","features":[36]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_ENABLE_THRESHOLD","features":[36]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_ENABLE_THRESHOLD_1","features":[36]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_ENABLE_TIME","features":[36]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_ENABLE_TIME_1","features":[36]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_EPP_CEILING","features":[36]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_EPP_CEILING_1","features":[36]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_PERF_FLOOR","features":[36]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_PERF_FLOOR_1","features":[36]},{"name":"GUID_PROCESSOR_SETTINGS_SUBGROUP","features":[36]},{"name":"GUID_PROCESSOR_SHORT_THREAD_ARCH_CLASS_LOWER_THRESHOLD","features":[36]},{"name":"GUID_PROCESSOR_SHORT_THREAD_ARCH_CLASS_UPPER_THRESHOLD","features":[36]},{"name":"GUID_PROCESSOR_SHORT_THREAD_RUNTIME_THRESHOLD","features":[36]},{"name":"GUID_PROCESSOR_SHORT_THREAD_SCHEDULING_POLICY","features":[36]},{"name":"GUID_PROCESSOR_SMT_UNPARKING_POLICY","features":[36]},{"name":"GUID_PROCESSOR_SOFT_PARKING_LATENCY","features":[36]},{"name":"GUID_PROCESSOR_THREAD_SCHEDULING_POLICY","features":[36]},{"name":"GUID_PROCESSOR_THROTTLE_MAXIMUM","features":[36]},{"name":"GUID_PROCESSOR_THROTTLE_MAXIMUM_1","features":[36]},{"name":"GUID_PROCESSOR_THROTTLE_MINIMUM","features":[36]},{"name":"GUID_PROCESSOR_THROTTLE_MINIMUM_1","features":[36]},{"name":"GUID_PROCESSOR_THROTTLE_POLICY","features":[36]},{"name":"GUID_SESSION_DISPLAY_STATUS","features":[36]},{"name":"GUID_SESSION_USER_PRESENCE","features":[36]},{"name":"GUID_SLEEPBUTTON_ACTION","features":[36]},{"name":"GUID_SLEEP_IDLE_THRESHOLD","features":[36]},{"name":"GUID_SLEEP_SUBGROUP","features":[36]},{"name":"GUID_SPR_ACTIVE_SESSION_CHANGE","features":[36]},{"name":"GUID_STANDBY_BUDGET_GRACE_PERIOD","features":[36]},{"name":"GUID_STANDBY_BUDGET_PERCENT","features":[36]},{"name":"GUID_STANDBY_RESERVE_GRACE_PERIOD","features":[36]},{"name":"GUID_STANDBY_RESERVE_TIME","features":[36]},{"name":"GUID_STANDBY_RESET_PERCENT","features":[36]},{"name":"GUID_STANDBY_TIMEOUT","features":[36]},{"name":"GUID_SYSTEM_AWAYMODE","features":[36]},{"name":"GUID_SYSTEM_BUTTON_SUBGROUP","features":[36]},{"name":"GUID_SYSTEM_COOLING_POLICY","features":[36]},{"name":"GUID_TYPICAL_POWER_SAVINGS","features":[36]},{"name":"GUID_UNATTEND_SLEEP_TIMEOUT","features":[36]},{"name":"GUID_USERINTERFACEBUTTON_ACTION","features":[36]},{"name":"GUID_USER_PRESENCE_PREDICTION","features":[36]},{"name":"GUID_VIDEO_ADAPTIVE_DISPLAY_BRIGHTNESS","features":[36]},{"name":"GUID_VIDEO_ADAPTIVE_PERCENT_INCREASE","features":[36]},{"name":"GUID_VIDEO_ADAPTIVE_POWERDOWN","features":[36]},{"name":"GUID_VIDEO_ANNOYANCE_TIMEOUT","features":[36]},{"name":"GUID_VIDEO_CONSOLE_LOCK_TIMEOUT","features":[36]},{"name":"GUID_VIDEO_CURRENT_MONITOR_BRIGHTNESS","features":[36]},{"name":"GUID_VIDEO_DIM_TIMEOUT","features":[36]},{"name":"GUID_VIDEO_POWERDOWN_TIMEOUT","features":[36]},{"name":"GUID_VIDEO_SUBGROUP","features":[36]},{"name":"HEAP_OPTIMIZE_RESOURCES_CURRENT_VERSION","features":[36]},{"name":"HEAP_OPTIMIZE_RESOURCES_INFORMATION","features":[36]},{"name":"HIBERFILE_BUCKET","features":[36]},{"name":"HIBERFILE_BUCKET_SIZE","features":[36]},{"name":"HIBERFILE_TYPE_FULL","features":[36]},{"name":"HIBERFILE_TYPE_MAX","features":[36]},{"name":"HIBERFILE_TYPE_NONE","features":[36]},{"name":"HIBERFILE_TYPE_REDUCED","features":[36]},{"name":"HiberFileBucket16GB","features":[36]},{"name":"HiberFileBucket1GB","features":[36]},{"name":"HiberFileBucket2GB","features":[36]},{"name":"HiberFileBucket32GB","features":[36]},{"name":"HiberFileBucket4GB","features":[36]},{"name":"HiberFileBucket8GB","features":[36]},{"name":"HiberFileBucketMax","features":[36]},{"name":"HiberFileBucketUnlimited","features":[36]},{"name":"IGP_CONVERSION","features":[36]},{"name":"IGP_GETIMEVERSION","features":[36]},{"name":"IGP_ID","features":[36]},{"name":"IGP_PROPERTY","features":[36]},{"name":"IGP_SELECT","features":[36]},{"name":"IGP_SENTENCE","features":[36]},{"name":"IGP_SETCOMPSTR","features":[36]},{"name":"IGP_UI","features":[36]},{"name":"IMAGE_ALPHA64_RUNTIME_FUNCTION_ENTRY","features":[36]},{"name":"IMAGE_ALPHA_RUNTIME_FUNCTION_ENTRY","features":[36]},{"name":"IMAGE_ARCHITECTURE_ENTRY","features":[36]},{"name":"IMAGE_ARCHITECTURE_HEADER","features":[36]},{"name":"IMAGE_ARCHIVE_END","features":[36]},{"name":"IMAGE_ARCHIVE_HYBRIDMAP_MEMBER","features":[36]},{"name":"IMAGE_ARCHIVE_LINKER_MEMBER","features":[36]},{"name":"IMAGE_ARCHIVE_LONGNAMES_MEMBER","features":[36]},{"name":"IMAGE_ARCHIVE_MEMBER_HEADER","features":[36]},{"name":"IMAGE_ARCHIVE_PAD","features":[36]},{"name":"IMAGE_ARCHIVE_START","features":[36]},{"name":"IMAGE_ARCHIVE_START_SIZE","features":[36]},{"name":"IMAGE_ARM64_RUNTIME_FUNCTION_ENTRY_XDATA","features":[36]},{"name":"IMAGE_ARM_RUNTIME_FUNCTION_ENTRY","features":[36]},{"name":"IMAGE_AUX_SYMBOL","features":[36]},{"name":"IMAGE_AUX_SYMBOL_EX","features":[36]},{"name":"IMAGE_AUX_SYMBOL_TOKEN_DEF","features":[36]},{"name":"IMAGE_AUX_SYMBOL_TYPE","features":[36]},{"name":"IMAGE_AUX_SYMBOL_TYPE_TOKEN_DEF","features":[36]},{"name":"IMAGE_BASE_RELOCATION","features":[36]},{"name":"IMAGE_BDD_DYNAMIC_RELOCATION","features":[36]},{"name":"IMAGE_BDD_INFO","features":[36]},{"name":"IMAGE_BOUND_FORWARDER_REF","features":[36]},{"name":"IMAGE_BOUND_IMPORT_DESCRIPTOR","features":[36]},{"name":"IMAGE_CE_RUNTIME_FUNCTION_ENTRY","features":[36]},{"name":"IMAGE_COMDAT_SELECT_ANY","features":[36]},{"name":"IMAGE_COMDAT_SELECT_ASSOCIATIVE","features":[36]},{"name":"IMAGE_COMDAT_SELECT_EXACT_MATCH","features":[36]},{"name":"IMAGE_COMDAT_SELECT_LARGEST","features":[36]},{"name":"IMAGE_COMDAT_SELECT_NEWEST","features":[36]},{"name":"IMAGE_COMDAT_SELECT_NODUPLICATES","features":[36]},{"name":"IMAGE_COMDAT_SELECT_SAME_SIZE","features":[36]},{"name":"IMAGE_COR_EATJ_THUNK_SIZE","features":[36]},{"name":"IMAGE_COR_MIH_BASICBLOCK","features":[36]},{"name":"IMAGE_COR_MIH_EHRVA","features":[36]},{"name":"IMAGE_COR_MIH_METHODRVA","features":[36]},{"name":"IMAGE_DEBUG_MISC","features":[1,36]},{"name":"IMAGE_DEBUG_MISC_EXENAME","features":[36]},{"name":"IMAGE_DEBUG_TYPE_BBT","features":[36]},{"name":"IMAGE_DEBUG_TYPE_CLSID","features":[36]},{"name":"IMAGE_DEBUG_TYPE_EX_DLLCHARACTERISTICS","features":[36]},{"name":"IMAGE_DEBUG_TYPE_ILTCG","features":[36]},{"name":"IMAGE_DEBUG_TYPE_MPX","features":[36]},{"name":"IMAGE_DEBUG_TYPE_OMAP_FROM_SRC","features":[36]},{"name":"IMAGE_DEBUG_TYPE_OMAP_TO_SRC","features":[36]},{"name":"IMAGE_DEBUG_TYPE_POGO","features":[36]},{"name":"IMAGE_DEBUG_TYPE_REPRO","features":[36]},{"name":"IMAGE_DEBUG_TYPE_RESERVED10","features":[36]},{"name":"IMAGE_DEBUG_TYPE_SPGO","features":[36]},{"name":"IMAGE_DEBUG_TYPE_VC_FEATURE","features":[36]},{"name":"IMAGE_DOS_HEADER","features":[36]},{"name":"IMAGE_DOS_SIGNATURE","features":[36]},{"name":"IMAGE_DYNAMIC_RELOCATION32","features":[36]},{"name":"IMAGE_DYNAMIC_RELOCATION32_V2","features":[36]},{"name":"IMAGE_DYNAMIC_RELOCATION64","features":[36]},{"name":"IMAGE_DYNAMIC_RELOCATION64_V2","features":[36]},{"name":"IMAGE_DYNAMIC_RELOCATION_FUNCTION_OVERRIDE","features":[36]},{"name":"IMAGE_DYNAMIC_RELOCATION_GUARD_IMPORT_CONTROL_TRANSFER","features":[36]},{"name":"IMAGE_DYNAMIC_RELOCATION_GUARD_INDIR_CONTROL_TRANSFER","features":[36]},{"name":"IMAGE_DYNAMIC_RELOCATION_GUARD_RF_EPILOGUE","features":[36]},{"name":"IMAGE_DYNAMIC_RELOCATION_GUARD_RF_PROLOGUE","features":[36]},{"name":"IMAGE_DYNAMIC_RELOCATION_GUARD_SWITCHTABLE_BRANCH","features":[36]},{"name":"IMAGE_DYNAMIC_RELOCATION_TABLE","features":[36]},{"name":"IMAGE_ENCLAVE_FLAG_PRIMARY_IMAGE","features":[36]},{"name":"IMAGE_ENCLAVE_IMPORT_MATCH_AUTHOR_ID","features":[36]},{"name":"IMAGE_ENCLAVE_IMPORT_MATCH_FAMILY_ID","features":[36]},{"name":"IMAGE_ENCLAVE_IMPORT_MATCH_IMAGE_ID","features":[36]},{"name":"IMAGE_ENCLAVE_IMPORT_MATCH_NONE","features":[36]},{"name":"IMAGE_ENCLAVE_IMPORT_MATCH_UNIQUE_ID","features":[36]},{"name":"IMAGE_ENCLAVE_LONG_ID_LENGTH","features":[36]},{"name":"IMAGE_ENCLAVE_POLICY_DEBUGGABLE","features":[36]},{"name":"IMAGE_ENCLAVE_SHORT_ID_LENGTH","features":[36]},{"name":"IMAGE_EPILOGUE_DYNAMIC_RELOCATION_HEADER","features":[36]},{"name":"IMAGE_EXPORT_DIRECTORY","features":[36]},{"name":"IMAGE_FUNCTION_OVERRIDE_ARM64_BRANCH26","features":[36]},{"name":"IMAGE_FUNCTION_OVERRIDE_ARM64_THUNK","features":[36]},{"name":"IMAGE_FUNCTION_OVERRIDE_DYNAMIC_RELOCATION","features":[36]},{"name":"IMAGE_FUNCTION_OVERRIDE_HEADER","features":[36]},{"name":"IMAGE_FUNCTION_OVERRIDE_INVALID","features":[36]},{"name":"IMAGE_FUNCTION_OVERRIDE_X64_REL32","features":[36]},{"name":"IMAGE_GUARD_CASTGUARD_PRESENT","features":[36]},{"name":"IMAGE_GUARD_CFW_INSTRUMENTED","features":[36]},{"name":"IMAGE_GUARD_CF_ENABLE_EXPORT_SUPPRESSION","features":[36]},{"name":"IMAGE_GUARD_CF_EXPORT_SUPPRESSION_INFO_PRESENT","features":[36]},{"name":"IMAGE_GUARD_CF_FUNCTION_TABLE_PRESENT","features":[36]},{"name":"IMAGE_GUARD_CF_FUNCTION_TABLE_SIZE_MASK","features":[36]},{"name":"IMAGE_GUARD_CF_FUNCTION_TABLE_SIZE_SHIFT","features":[36]},{"name":"IMAGE_GUARD_CF_INSTRUMENTED","features":[36]},{"name":"IMAGE_GUARD_CF_LONGJUMP_TABLE_PRESENT","features":[36]},{"name":"IMAGE_GUARD_DELAYLOAD_IAT_IN_ITS_OWN_SECTION","features":[36]},{"name":"IMAGE_GUARD_EH_CONTINUATION_TABLE_PRESENT","features":[36]},{"name":"IMAGE_GUARD_FLAG_EXPORT_SUPPRESSED","features":[36]},{"name":"IMAGE_GUARD_FLAG_FID_LANGEXCPTHANDLER","features":[36]},{"name":"IMAGE_GUARD_FLAG_FID_SUPPRESSED","features":[36]},{"name":"IMAGE_GUARD_FLAG_FID_XFG","features":[36]},{"name":"IMAGE_GUARD_MEMCPY_PRESENT","features":[36]},{"name":"IMAGE_GUARD_PROTECT_DELAYLOAD_IAT","features":[36]},{"name":"IMAGE_GUARD_RETPOLINE_PRESENT","features":[36]},{"name":"IMAGE_GUARD_RF_ENABLE","features":[36]},{"name":"IMAGE_GUARD_RF_INSTRUMENTED","features":[36]},{"name":"IMAGE_GUARD_RF_STRICT","features":[36]},{"name":"IMAGE_GUARD_SECURITY_COOKIE_UNUSED","features":[36]},{"name":"IMAGE_GUARD_XFG_ENABLED","features":[36]},{"name":"IMAGE_HOT_PATCH_ABSOLUTE","features":[36]},{"name":"IMAGE_HOT_PATCH_BASE","features":[36]},{"name":"IMAGE_HOT_PATCH_BASE_CAN_ROLL_BACK","features":[36]},{"name":"IMAGE_HOT_PATCH_BASE_OBLIGATORY","features":[36]},{"name":"IMAGE_HOT_PATCH_CALL_TARGET","features":[36]},{"name":"IMAGE_HOT_PATCH_CHUNK_INVERSE","features":[36]},{"name":"IMAGE_HOT_PATCH_CHUNK_OBLIGATORY","features":[36]},{"name":"IMAGE_HOT_PATCH_CHUNK_RESERVED","features":[36]},{"name":"IMAGE_HOT_PATCH_CHUNK_SIZE","features":[36]},{"name":"IMAGE_HOT_PATCH_CHUNK_SOURCE_RVA","features":[36]},{"name":"IMAGE_HOT_PATCH_CHUNK_TARGET_RVA","features":[36]},{"name":"IMAGE_HOT_PATCH_CHUNK_TYPE","features":[36]},{"name":"IMAGE_HOT_PATCH_DYNAMIC_VALUE","features":[36]},{"name":"IMAGE_HOT_PATCH_FUNCTION","features":[36]},{"name":"IMAGE_HOT_PATCH_HASHES","features":[36]},{"name":"IMAGE_HOT_PATCH_INDIRECT","features":[36]},{"name":"IMAGE_HOT_PATCH_INFO","features":[36]},{"name":"IMAGE_HOT_PATCH_NONE","features":[36]},{"name":"IMAGE_HOT_PATCH_NO_CALL_TARGET","features":[36]},{"name":"IMAGE_HOT_PATCH_REL32","features":[36]},{"name":"IMAGE_IMPORT_BY_NAME","features":[36]},{"name":"IMAGE_IMPORT_CONTROL_TRANSFER_DYNAMIC_RELOCATION","features":[36]},{"name":"IMAGE_IMPORT_DESCRIPTOR","features":[36]},{"name":"IMAGE_INDIR_CONTROL_TRANSFER_DYNAMIC_RELOCATION","features":[36]},{"name":"IMAGE_LINENUMBER","features":[36]},{"name":"IMAGE_NT_SIGNATURE","features":[36]},{"name":"IMAGE_NUMBEROF_DIRECTORY_ENTRIES","features":[36]},{"name":"IMAGE_ORDINAL_FLAG32","features":[36]},{"name":"IMAGE_ORDINAL_FLAG64","features":[36]},{"name":"IMAGE_OS2_HEADER","features":[36]},{"name":"IMAGE_OS2_SIGNATURE","features":[36]},{"name":"IMAGE_OS2_SIGNATURE_LE","features":[36]},{"name":"IMAGE_POLICY_ENTRY","features":[1,36]},{"name":"IMAGE_POLICY_ENTRY_TYPE","features":[36]},{"name":"IMAGE_POLICY_ID","features":[36]},{"name":"IMAGE_POLICY_METADATA","features":[1,36]},{"name":"IMAGE_POLICY_METADATA_VERSION","features":[36]},{"name":"IMAGE_POLICY_SECTION_NAME","features":[36]},{"name":"IMAGE_PROLOGUE_DYNAMIC_RELOCATION_HEADER","features":[36]},{"name":"IMAGE_RELOCATION","features":[36]},{"name":"IMAGE_REL_ALPHA_ABSOLUTE","features":[36]},{"name":"IMAGE_REL_ALPHA_BRADDR","features":[36]},{"name":"IMAGE_REL_ALPHA_GPDISP","features":[36]},{"name":"IMAGE_REL_ALPHA_GPREL32","features":[36]},{"name":"IMAGE_REL_ALPHA_GPRELHI","features":[36]},{"name":"IMAGE_REL_ALPHA_GPRELLO","features":[36]},{"name":"IMAGE_REL_ALPHA_HINT","features":[36]},{"name":"IMAGE_REL_ALPHA_INLINE_REFLONG","features":[36]},{"name":"IMAGE_REL_ALPHA_LITERAL","features":[36]},{"name":"IMAGE_REL_ALPHA_LITUSE","features":[36]},{"name":"IMAGE_REL_ALPHA_MATCH","features":[36]},{"name":"IMAGE_REL_ALPHA_PAIR","features":[36]},{"name":"IMAGE_REL_ALPHA_REFHI","features":[36]},{"name":"IMAGE_REL_ALPHA_REFLO","features":[36]},{"name":"IMAGE_REL_ALPHA_REFLONG","features":[36]},{"name":"IMAGE_REL_ALPHA_REFLONGNB","features":[36]},{"name":"IMAGE_REL_ALPHA_REFQ1","features":[36]},{"name":"IMAGE_REL_ALPHA_REFQ2","features":[36]},{"name":"IMAGE_REL_ALPHA_REFQ3","features":[36]},{"name":"IMAGE_REL_ALPHA_REFQUAD","features":[36]},{"name":"IMAGE_REL_ALPHA_SECREL","features":[36]},{"name":"IMAGE_REL_ALPHA_SECRELHI","features":[36]},{"name":"IMAGE_REL_ALPHA_SECRELLO","features":[36]},{"name":"IMAGE_REL_ALPHA_SECTION","features":[36]},{"name":"IMAGE_REL_AMD64_ABSOLUTE","features":[36]},{"name":"IMAGE_REL_AMD64_ADDR32","features":[36]},{"name":"IMAGE_REL_AMD64_ADDR32NB","features":[36]},{"name":"IMAGE_REL_AMD64_ADDR64","features":[36]},{"name":"IMAGE_REL_AMD64_CFG_BR","features":[36]},{"name":"IMAGE_REL_AMD64_CFG_BR_REX","features":[36]},{"name":"IMAGE_REL_AMD64_CFG_CALL","features":[36]},{"name":"IMAGE_REL_AMD64_EHANDLER","features":[36]},{"name":"IMAGE_REL_AMD64_IMPORT_BR","features":[36]},{"name":"IMAGE_REL_AMD64_IMPORT_CALL","features":[36]},{"name":"IMAGE_REL_AMD64_INDIR_BR","features":[36]},{"name":"IMAGE_REL_AMD64_INDIR_BR_REX","features":[36]},{"name":"IMAGE_REL_AMD64_INDIR_BR_SWITCHTABLE_FIRST","features":[36]},{"name":"IMAGE_REL_AMD64_INDIR_BR_SWITCHTABLE_LAST","features":[36]},{"name":"IMAGE_REL_AMD64_INDIR_CALL","features":[36]},{"name":"IMAGE_REL_AMD64_PAIR","features":[36]},{"name":"IMAGE_REL_AMD64_REL32","features":[36]},{"name":"IMAGE_REL_AMD64_REL32_1","features":[36]},{"name":"IMAGE_REL_AMD64_REL32_2","features":[36]},{"name":"IMAGE_REL_AMD64_REL32_3","features":[36]},{"name":"IMAGE_REL_AMD64_REL32_4","features":[36]},{"name":"IMAGE_REL_AMD64_REL32_5","features":[36]},{"name":"IMAGE_REL_AMD64_SECREL","features":[36]},{"name":"IMAGE_REL_AMD64_SECREL7","features":[36]},{"name":"IMAGE_REL_AMD64_SECTION","features":[36]},{"name":"IMAGE_REL_AMD64_SREL32","features":[36]},{"name":"IMAGE_REL_AMD64_SSPAN32","features":[36]},{"name":"IMAGE_REL_AMD64_TOKEN","features":[36]},{"name":"IMAGE_REL_AM_ABSOLUTE","features":[36]},{"name":"IMAGE_REL_AM_ADDR32","features":[36]},{"name":"IMAGE_REL_AM_ADDR32NB","features":[36]},{"name":"IMAGE_REL_AM_CALL32","features":[36]},{"name":"IMAGE_REL_AM_FUNCINFO","features":[36]},{"name":"IMAGE_REL_AM_REL32_1","features":[36]},{"name":"IMAGE_REL_AM_REL32_2","features":[36]},{"name":"IMAGE_REL_AM_SECREL","features":[36]},{"name":"IMAGE_REL_AM_SECTION","features":[36]},{"name":"IMAGE_REL_AM_TOKEN","features":[36]},{"name":"IMAGE_REL_ARM64_ABSOLUTE","features":[36]},{"name":"IMAGE_REL_ARM64_ADDR32","features":[36]},{"name":"IMAGE_REL_ARM64_ADDR32NB","features":[36]},{"name":"IMAGE_REL_ARM64_ADDR64","features":[36]},{"name":"IMAGE_REL_ARM64_BRANCH19","features":[36]},{"name":"IMAGE_REL_ARM64_BRANCH26","features":[36]},{"name":"IMAGE_REL_ARM64_PAGEBASE_REL21","features":[36]},{"name":"IMAGE_REL_ARM64_PAGEOFFSET_12A","features":[36]},{"name":"IMAGE_REL_ARM64_PAGEOFFSET_12L","features":[36]},{"name":"IMAGE_REL_ARM64_REL21","features":[36]},{"name":"IMAGE_REL_ARM64_SECREL","features":[36]},{"name":"IMAGE_REL_ARM64_SECREL_HIGH12A","features":[36]},{"name":"IMAGE_REL_ARM64_SECREL_LOW12A","features":[36]},{"name":"IMAGE_REL_ARM64_SECREL_LOW12L","features":[36]},{"name":"IMAGE_REL_ARM64_SECTION","features":[36]},{"name":"IMAGE_REL_ARM64_TOKEN","features":[36]},{"name":"IMAGE_REL_ARM_ABSOLUTE","features":[36]},{"name":"IMAGE_REL_ARM_ADDR32","features":[36]},{"name":"IMAGE_REL_ARM_ADDR32NB","features":[36]},{"name":"IMAGE_REL_ARM_BLX11","features":[36]},{"name":"IMAGE_REL_ARM_BLX23T","features":[36]},{"name":"IMAGE_REL_ARM_BLX24","features":[36]},{"name":"IMAGE_REL_ARM_BRANCH11","features":[36]},{"name":"IMAGE_REL_ARM_BRANCH20T","features":[36]},{"name":"IMAGE_REL_ARM_BRANCH24","features":[36]},{"name":"IMAGE_REL_ARM_BRANCH24T","features":[36]},{"name":"IMAGE_REL_ARM_GPREL12","features":[36]},{"name":"IMAGE_REL_ARM_GPREL7","features":[36]},{"name":"IMAGE_REL_ARM_MOV32","features":[36]},{"name":"IMAGE_REL_ARM_MOV32A","features":[36]},{"name":"IMAGE_REL_ARM_MOV32T","features":[36]},{"name":"IMAGE_REL_ARM_SECREL","features":[36]},{"name":"IMAGE_REL_ARM_SECTION","features":[36]},{"name":"IMAGE_REL_ARM_TOKEN","features":[36]},{"name":"IMAGE_REL_BASED_ABSOLUTE","features":[36]},{"name":"IMAGE_REL_BASED_ARM_MOV32","features":[36]},{"name":"IMAGE_REL_BASED_DIR64","features":[36]},{"name":"IMAGE_REL_BASED_HIGH","features":[36]},{"name":"IMAGE_REL_BASED_HIGHADJ","features":[36]},{"name":"IMAGE_REL_BASED_HIGHLOW","features":[36]},{"name":"IMAGE_REL_BASED_IA64_IMM64","features":[36]},{"name":"IMAGE_REL_BASED_LOW","features":[36]},{"name":"IMAGE_REL_BASED_MACHINE_SPECIFIC_5","features":[36]},{"name":"IMAGE_REL_BASED_MACHINE_SPECIFIC_7","features":[36]},{"name":"IMAGE_REL_BASED_MACHINE_SPECIFIC_8","features":[36]},{"name":"IMAGE_REL_BASED_MACHINE_SPECIFIC_9","features":[36]},{"name":"IMAGE_REL_BASED_MIPS_JMPADDR","features":[36]},{"name":"IMAGE_REL_BASED_MIPS_JMPADDR16","features":[36]},{"name":"IMAGE_REL_BASED_RESERVED","features":[36]},{"name":"IMAGE_REL_BASED_THUMB_MOV32","features":[36]},{"name":"IMAGE_REL_CEE_ABSOLUTE","features":[36]},{"name":"IMAGE_REL_CEE_ADDR32","features":[36]},{"name":"IMAGE_REL_CEE_ADDR32NB","features":[36]},{"name":"IMAGE_REL_CEE_ADDR64","features":[36]},{"name":"IMAGE_REL_CEE_SECREL","features":[36]},{"name":"IMAGE_REL_CEE_SECTION","features":[36]},{"name":"IMAGE_REL_CEE_TOKEN","features":[36]},{"name":"IMAGE_REL_CEF_ABSOLUTE","features":[36]},{"name":"IMAGE_REL_CEF_ADDR32","features":[36]},{"name":"IMAGE_REL_CEF_ADDR32NB","features":[36]},{"name":"IMAGE_REL_CEF_ADDR64","features":[36]},{"name":"IMAGE_REL_CEF_SECREL","features":[36]},{"name":"IMAGE_REL_CEF_SECTION","features":[36]},{"name":"IMAGE_REL_CEF_TOKEN","features":[36]},{"name":"IMAGE_REL_EBC_ABSOLUTE","features":[36]},{"name":"IMAGE_REL_EBC_ADDR32NB","features":[36]},{"name":"IMAGE_REL_EBC_REL32","features":[36]},{"name":"IMAGE_REL_EBC_SECREL","features":[36]},{"name":"IMAGE_REL_EBC_SECTION","features":[36]},{"name":"IMAGE_REL_I386_ABSOLUTE","features":[36]},{"name":"IMAGE_REL_I386_DIR16","features":[36]},{"name":"IMAGE_REL_I386_DIR32","features":[36]},{"name":"IMAGE_REL_I386_DIR32NB","features":[36]},{"name":"IMAGE_REL_I386_REL16","features":[36]},{"name":"IMAGE_REL_I386_REL32","features":[36]},{"name":"IMAGE_REL_I386_SECREL","features":[36]},{"name":"IMAGE_REL_I386_SECREL7","features":[36]},{"name":"IMAGE_REL_I386_SECTION","features":[36]},{"name":"IMAGE_REL_I386_SEG12","features":[36]},{"name":"IMAGE_REL_I386_TOKEN","features":[36]},{"name":"IMAGE_REL_IA64_ABSOLUTE","features":[36]},{"name":"IMAGE_REL_IA64_ADDEND","features":[36]},{"name":"IMAGE_REL_IA64_DIR32","features":[36]},{"name":"IMAGE_REL_IA64_DIR32NB","features":[36]},{"name":"IMAGE_REL_IA64_DIR64","features":[36]},{"name":"IMAGE_REL_IA64_GPREL22","features":[36]},{"name":"IMAGE_REL_IA64_GPREL32","features":[36]},{"name":"IMAGE_REL_IA64_IMM14","features":[36]},{"name":"IMAGE_REL_IA64_IMM22","features":[36]},{"name":"IMAGE_REL_IA64_IMM64","features":[36]},{"name":"IMAGE_REL_IA64_IMMGPREL64","features":[36]},{"name":"IMAGE_REL_IA64_LTOFF22","features":[36]},{"name":"IMAGE_REL_IA64_PCREL21B","features":[36]},{"name":"IMAGE_REL_IA64_PCREL21F","features":[36]},{"name":"IMAGE_REL_IA64_PCREL21M","features":[36]},{"name":"IMAGE_REL_IA64_PCREL60B","features":[36]},{"name":"IMAGE_REL_IA64_PCREL60F","features":[36]},{"name":"IMAGE_REL_IA64_PCREL60I","features":[36]},{"name":"IMAGE_REL_IA64_PCREL60M","features":[36]},{"name":"IMAGE_REL_IA64_PCREL60X","features":[36]},{"name":"IMAGE_REL_IA64_SECREL22","features":[36]},{"name":"IMAGE_REL_IA64_SECREL32","features":[36]},{"name":"IMAGE_REL_IA64_SECREL64I","features":[36]},{"name":"IMAGE_REL_IA64_SECTION","features":[36]},{"name":"IMAGE_REL_IA64_SREL14","features":[36]},{"name":"IMAGE_REL_IA64_SREL22","features":[36]},{"name":"IMAGE_REL_IA64_SREL32","features":[36]},{"name":"IMAGE_REL_IA64_TOKEN","features":[36]},{"name":"IMAGE_REL_IA64_UREL32","features":[36]},{"name":"IMAGE_REL_M32R_ABSOLUTE","features":[36]},{"name":"IMAGE_REL_M32R_ADDR24","features":[36]},{"name":"IMAGE_REL_M32R_ADDR32","features":[36]},{"name":"IMAGE_REL_M32R_ADDR32NB","features":[36]},{"name":"IMAGE_REL_M32R_GPREL16","features":[36]},{"name":"IMAGE_REL_M32R_PAIR","features":[36]},{"name":"IMAGE_REL_M32R_PCREL16","features":[36]},{"name":"IMAGE_REL_M32R_PCREL24","features":[36]},{"name":"IMAGE_REL_M32R_PCREL8","features":[36]},{"name":"IMAGE_REL_M32R_REFHALF","features":[36]},{"name":"IMAGE_REL_M32R_REFHI","features":[36]},{"name":"IMAGE_REL_M32R_REFLO","features":[36]},{"name":"IMAGE_REL_M32R_SECREL32","features":[36]},{"name":"IMAGE_REL_M32R_SECTION","features":[36]},{"name":"IMAGE_REL_M32R_TOKEN","features":[36]},{"name":"IMAGE_REL_MIPS_ABSOLUTE","features":[36]},{"name":"IMAGE_REL_MIPS_GPREL","features":[36]},{"name":"IMAGE_REL_MIPS_JMPADDR","features":[36]},{"name":"IMAGE_REL_MIPS_JMPADDR16","features":[36]},{"name":"IMAGE_REL_MIPS_LITERAL","features":[36]},{"name":"IMAGE_REL_MIPS_PAIR","features":[36]},{"name":"IMAGE_REL_MIPS_REFHALF","features":[36]},{"name":"IMAGE_REL_MIPS_REFHI","features":[36]},{"name":"IMAGE_REL_MIPS_REFLO","features":[36]},{"name":"IMAGE_REL_MIPS_REFWORD","features":[36]},{"name":"IMAGE_REL_MIPS_REFWORDNB","features":[36]},{"name":"IMAGE_REL_MIPS_SECREL","features":[36]},{"name":"IMAGE_REL_MIPS_SECRELHI","features":[36]},{"name":"IMAGE_REL_MIPS_SECRELLO","features":[36]},{"name":"IMAGE_REL_MIPS_SECTION","features":[36]},{"name":"IMAGE_REL_MIPS_TOKEN","features":[36]},{"name":"IMAGE_REL_PPC_ABSOLUTE","features":[36]},{"name":"IMAGE_REL_PPC_ADDR14","features":[36]},{"name":"IMAGE_REL_PPC_ADDR16","features":[36]},{"name":"IMAGE_REL_PPC_ADDR24","features":[36]},{"name":"IMAGE_REL_PPC_ADDR32","features":[36]},{"name":"IMAGE_REL_PPC_ADDR32NB","features":[36]},{"name":"IMAGE_REL_PPC_ADDR64","features":[36]},{"name":"IMAGE_REL_PPC_BRNTAKEN","features":[36]},{"name":"IMAGE_REL_PPC_BRTAKEN","features":[36]},{"name":"IMAGE_REL_PPC_GPREL","features":[36]},{"name":"IMAGE_REL_PPC_IFGLUE","features":[36]},{"name":"IMAGE_REL_PPC_IMGLUE","features":[36]},{"name":"IMAGE_REL_PPC_NEG","features":[36]},{"name":"IMAGE_REL_PPC_PAIR","features":[36]},{"name":"IMAGE_REL_PPC_REFHI","features":[36]},{"name":"IMAGE_REL_PPC_REFLO","features":[36]},{"name":"IMAGE_REL_PPC_REL14","features":[36]},{"name":"IMAGE_REL_PPC_REL24","features":[36]},{"name":"IMAGE_REL_PPC_SECREL","features":[36]},{"name":"IMAGE_REL_PPC_SECREL16","features":[36]},{"name":"IMAGE_REL_PPC_SECRELHI","features":[36]},{"name":"IMAGE_REL_PPC_SECRELLO","features":[36]},{"name":"IMAGE_REL_PPC_SECTION","features":[36]},{"name":"IMAGE_REL_PPC_TOCDEFN","features":[36]},{"name":"IMAGE_REL_PPC_TOCREL14","features":[36]},{"name":"IMAGE_REL_PPC_TOCREL16","features":[36]},{"name":"IMAGE_REL_PPC_TOKEN","features":[36]},{"name":"IMAGE_REL_PPC_TYPEMASK","features":[36]},{"name":"IMAGE_REL_SH3_ABSOLUTE","features":[36]},{"name":"IMAGE_REL_SH3_DIRECT16","features":[36]},{"name":"IMAGE_REL_SH3_DIRECT32","features":[36]},{"name":"IMAGE_REL_SH3_DIRECT32_NB","features":[36]},{"name":"IMAGE_REL_SH3_DIRECT4","features":[36]},{"name":"IMAGE_REL_SH3_DIRECT4_LONG","features":[36]},{"name":"IMAGE_REL_SH3_DIRECT4_WORD","features":[36]},{"name":"IMAGE_REL_SH3_DIRECT8","features":[36]},{"name":"IMAGE_REL_SH3_DIRECT8_LONG","features":[36]},{"name":"IMAGE_REL_SH3_DIRECT8_WORD","features":[36]},{"name":"IMAGE_REL_SH3_GPREL4_LONG","features":[36]},{"name":"IMAGE_REL_SH3_PCREL12_WORD","features":[36]},{"name":"IMAGE_REL_SH3_PCREL8_LONG","features":[36]},{"name":"IMAGE_REL_SH3_PCREL8_WORD","features":[36]},{"name":"IMAGE_REL_SH3_SECREL","features":[36]},{"name":"IMAGE_REL_SH3_SECTION","features":[36]},{"name":"IMAGE_REL_SH3_SIZEOF_SECTION","features":[36]},{"name":"IMAGE_REL_SH3_STARTOF_SECTION","features":[36]},{"name":"IMAGE_REL_SH3_TOKEN","features":[36]},{"name":"IMAGE_REL_SHM_PAIR","features":[36]},{"name":"IMAGE_REL_SHM_PCRELPT","features":[36]},{"name":"IMAGE_REL_SHM_REFHALF","features":[36]},{"name":"IMAGE_REL_SHM_REFLO","features":[36]},{"name":"IMAGE_REL_SHM_RELHALF","features":[36]},{"name":"IMAGE_REL_SHM_RELLO","features":[36]},{"name":"IMAGE_REL_SH_NOMODE","features":[36]},{"name":"IMAGE_REL_THUMB_BLX23","features":[36]},{"name":"IMAGE_REL_THUMB_BRANCH20","features":[36]},{"name":"IMAGE_REL_THUMB_BRANCH24","features":[36]},{"name":"IMAGE_REL_THUMB_MOV32","features":[36]},{"name":"IMAGE_RESOURCE_DATA_ENTRY","features":[36]},{"name":"IMAGE_RESOURCE_DATA_IS_DIRECTORY","features":[36]},{"name":"IMAGE_RESOURCE_DIRECTORY","features":[36]},{"name":"IMAGE_RESOURCE_DIRECTORY_ENTRY","features":[36]},{"name":"IMAGE_RESOURCE_DIRECTORY_STRING","features":[36]},{"name":"IMAGE_RESOURCE_DIR_STRING_U","features":[36]},{"name":"IMAGE_RESOURCE_NAME_IS_STRING","features":[36]},{"name":"IMAGE_SEPARATE_DEBUG_FLAGS_MASK","features":[36]},{"name":"IMAGE_SEPARATE_DEBUG_HEADER","features":[36]},{"name":"IMAGE_SEPARATE_DEBUG_MISMATCH","features":[36]},{"name":"IMAGE_SEPARATE_DEBUG_SIGNATURE","features":[36]},{"name":"IMAGE_SIZEOF_ARCHIVE_MEMBER_HDR","features":[36]},{"name":"IMAGE_SIZEOF_FILE_HEADER","features":[36]},{"name":"IMAGE_SIZEOF_SECTION_HEADER","features":[36]},{"name":"IMAGE_SIZEOF_SHORT_NAME","features":[36]},{"name":"IMAGE_SIZEOF_SYMBOL","features":[36]},{"name":"IMAGE_SWITCHTABLE_BRANCH_DYNAMIC_RELOCATION","features":[36]},{"name":"IMAGE_SYMBOL","features":[36]},{"name":"IMAGE_SYMBOL_EX","features":[36]},{"name":"IMAGE_SYM_CLASS_ARGUMENT","features":[36]},{"name":"IMAGE_SYM_CLASS_AUTOMATIC","features":[36]},{"name":"IMAGE_SYM_CLASS_BIT_FIELD","features":[36]},{"name":"IMAGE_SYM_CLASS_BLOCK","features":[36]},{"name":"IMAGE_SYM_CLASS_CLR_TOKEN","features":[36]},{"name":"IMAGE_SYM_CLASS_END_OF_STRUCT","features":[36]},{"name":"IMAGE_SYM_CLASS_ENUM_TAG","features":[36]},{"name":"IMAGE_SYM_CLASS_EXTERNAL","features":[36]},{"name":"IMAGE_SYM_CLASS_EXTERNAL_DEF","features":[36]},{"name":"IMAGE_SYM_CLASS_FAR_EXTERNAL","features":[36]},{"name":"IMAGE_SYM_CLASS_FILE","features":[36]},{"name":"IMAGE_SYM_CLASS_FUNCTION","features":[36]},{"name":"IMAGE_SYM_CLASS_LABEL","features":[36]},{"name":"IMAGE_SYM_CLASS_MEMBER_OF_ENUM","features":[36]},{"name":"IMAGE_SYM_CLASS_MEMBER_OF_STRUCT","features":[36]},{"name":"IMAGE_SYM_CLASS_MEMBER_OF_UNION","features":[36]},{"name":"IMAGE_SYM_CLASS_NULL","features":[36]},{"name":"IMAGE_SYM_CLASS_REGISTER","features":[36]},{"name":"IMAGE_SYM_CLASS_REGISTER_PARAM","features":[36]},{"name":"IMAGE_SYM_CLASS_SECTION","features":[36]},{"name":"IMAGE_SYM_CLASS_STATIC","features":[36]},{"name":"IMAGE_SYM_CLASS_STRUCT_TAG","features":[36]},{"name":"IMAGE_SYM_CLASS_TYPE_DEFINITION","features":[36]},{"name":"IMAGE_SYM_CLASS_UNDEFINED_LABEL","features":[36]},{"name":"IMAGE_SYM_CLASS_UNDEFINED_STATIC","features":[36]},{"name":"IMAGE_SYM_CLASS_UNION_TAG","features":[36]},{"name":"IMAGE_SYM_CLASS_WEAK_EXTERNAL","features":[36]},{"name":"IMAGE_SYM_DTYPE_ARRAY","features":[36]},{"name":"IMAGE_SYM_DTYPE_FUNCTION","features":[36]},{"name":"IMAGE_SYM_DTYPE_NULL","features":[36]},{"name":"IMAGE_SYM_DTYPE_POINTER","features":[36]},{"name":"IMAGE_SYM_SECTION_MAX","features":[36]},{"name":"IMAGE_SYM_SECTION_MAX_EX","features":[36]},{"name":"IMAGE_SYM_TYPE_BYTE","features":[36]},{"name":"IMAGE_SYM_TYPE_CHAR","features":[36]},{"name":"IMAGE_SYM_TYPE_DOUBLE","features":[36]},{"name":"IMAGE_SYM_TYPE_DWORD","features":[36]},{"name":"IMAGE_SYM_TYPE_ENUM","features":[36]},{"name":"IMAGE_SYM_TYPE_FLOAT","features":[36]},{"name":"IMAGE_SYM_TYPE_INT","features":[36]},{"name":"IMAGE_SYM_TYPE_LONG","features":[36]},{"name":"IMAGE_SYM_TYPE_MOE","features":[36]},{"name":"IMAGE_SYM_TYPE_NULL","features":[36]},{"name":"IMAGE_SYM_TYPE_PCODE","features":[36]},{"name":"IMAGE_SYM_TYPE_SHORT","features":[36]},{"name":"IMAGE_SYM_TYPE_STRUCT","features":[36]},{"name":"IMAGE_SYM_TYPE_UINT","features":[36]},{"name":"IMAGE_SYM_TYPE_UNION","features":[36]},{"name":"IMAGE_SYM_TYPE_VOID","features":[36]},{"name":"IMAGE_SYM_TYPE_WORD","features":[36]},{"name":"IMAGE_TLS_DIRECTORY32","features":[36]},{"name":"IMAGE_TLS_DIRECTORY64","features":[36]},{"name":"IMAGE_VXD_HEADER","features":[36]},{"name":"IMAGE_VXD_SIGNATURE","features":[36]},{"name":"IMAGE_WEAK_EXTERN_ANTI_DEPENDENCY","features":[36]},{"name":"IMAGE_WEAK_EXTERN_SEARCH_ALIAS","features":[36]},{"name":"IMAGE_WEAK_EXTERN_SEARCH_LIBRARY","features":[36]},{"name":"IMAGE_WEAK_EXTERN_SEARCH_NOLIBRARY","features":[36]},{"name":"IMPORT_OBJECT_CODE","features":[36]},{"name":"IMPORT_OBJECT_CONST","features":[36]},{"name":"IMPORT_OBJECT_DATA","features":[36]},{"name":"IMPORT_OBJECT_HDR_SIG2","features":[36]},{"name":"IMPORT_OBJECT_HEADER","features":[36]},{"name":"IMPORT_OBJECT_NAME","features":[36]},{"name":"IMPORT_OBJECT_NAME_EXPORTAS","features":[36]},{"name":"IMPORT_OBJECT_NAME_NO_PREFIX","features":[36]},{"name":"IMPORT_OBJECT_NAME_TYPE","features":[36]},{"name":"IMPORT_OBJECT_NAME_UNDECORATE","features":[36]},{"name":"IMPORT_OBJECT_ORDINAL","features":[36]},{"name":"IMPORT_OBJECT_TYPE","features":[36]},{"name":"INITIAL_CPSR","features":[36]},{"name":"INITIAL_FPCSR","features":[36]},{"name":"INITIAL_FPSCR","features":[36]},{"name":"INITIAL_MXCSR","features":[36]},{"name":"IO_COMPLETION_MODIFY_STATE","features":[36]},{"name":"IO_REPARSE_TAG_AF_UNIX","features":[36]},{"name":"IO_REPARSE_TAG_APPEXECLINK","features":[36]},{"name":"IO_REPARSE_TAG_CLOUD","features":[36]},{"name":"IO_REPARSE_TAG_CLOUD_1","features":[36]},{"name":"IO_REPARSE_TAG_CLOUD_2","features":[36]},{"name":"IO_REPARSE_TAG_CLOUD_3","features":[36]},{"name":"IO_REPARSE_TAG_CLOUD_4","features":[36]},{"name":"IO_REPARSE_TAG_CLOUD_5","features":[36]},{"name":"IO_REPARSE_TAG_CLOUD_6","features":[36]},{"name":"IO_REPARSE_TAG_CLOUD_7","features":[36]},{"name":"IO_REPARSE_TAG_CLOUD_8","features":[36]},{"name":"IO_REPARSE_TAG_CLOUD_9","features":[36]},{"name":"IO_REPARSE_TAG_CLOUD_A","features":[36]},{"name":"IO_REPARSE_TAG_CLOUD_B","features":[36]},{"name":"IO_REPARSE_TAG_CLOUD_C","features":[36]},{"name":"IO_REPARSE_TAG_CLOUD_D","features":[36]},{"name":"IO_REPARSE_TAG_CLOUD_E","features":[36]},{"name":"IO_REPARSE_TAG_CLOUD_F","features":[36]},{"name":"IO_REPARSE_TAG_CLOUD_MASK","features":[36]},{"name":"IO_REPARSE_TAG_CSV","features":[36]},{"name":"IO_REPARSE_TAG_DATALESS_CIM","features":[36]},{"name":"IO_REPARSE_TAG_DEDUP","features":[36]},{"name":"IO_REPARSE_TAG_DFS","features":[36]},{"name":"IO_REPARSE_TAG_DFSR","features":[36]},{"name":"IO_REPARSE_TAG_FILE_PLACEHOLDER","features":[36]},{"name":"IO_REPARSE_TAG_GLOBAL_REPARSE","features":[36]},{"name":"IO_REPARSE_TAG_HSM","features":[36]},{"name":"IO_REPARSE_TAG_HSM2","features":[36]},{"name":"IO_REPARSE_TAG_MOUNT_POINT","features":[36]},{"name":"IO_REPARSE_TAG_NFS","features":[36]},{"name":"IO_REPARSE_TAG_ONEDRIVE","features":[36]},{"name":"IO_REPARSE_TAG_PROJFS","features":[36]},{"name":"IO_REPARSE_TAG_PROJFS_TOMBSTONE","features":[36]},{"name":"IO_REPARSE_TAG_RESERVED_INVALID","features":[36]},{"name":"IO_REPARSE_TAG_RESERVED_ONE","features":[36]},{"name":"IO_REPARSE_TAG_RESERVED_RANGE","features":[36]},{"name":"IO_REPARSE_TAG_RESERVED_TWO","features":[36]},{"name":"IO_REPARSE_TAG_RESERVED_ZERO","features":[36]},{"name":"IO_REPARSE_TAG_SIS","features":[36]},{"name":"IO_REPARSE_TAG_STORAGE_SYNC","features":[36]},{"name":"IO_REPARSE_TAG_SYMLINK","features":[36]},{"name":"IO_REPARSE_TAG_UNHANDLED","features":[36]},{"name":"IO_REPARSE_TAG_WCI","features":[36]},{"name":"IO_REPARSE_TAG_WCI_1","features":[36]},{"name":"IO_REPARSE_TAG_WCI_LINK","features":[36]},{"name":"IO_REPARSE_TAG_WCI_LINK_1","features":[36]},{"name":"IO_REPARSE_TAG_WCI_TOMBSTONE","features":[36]},{"name":"IO_REPARSE_TAG_WIM","features":[36]},{"name":"IO_REPARSE_TAG_WOF","features":[36]},{"name":"IS_TEXT_UNICODE_DBCS_LEADBYTE","features":[36]},{"name":"IS_TEXT_UNICODE_UTF8","features":[36]},{"name":"ITWW_OPEN_CONNECT","features":[36]},{"name":"IgnoreError","features":[36]},{"name":"ImagePolicyEntryTypeAnsiString","features":[36]},{"name":"ImagePolicyEntryTypeBool","features":[36]},{"name":"ImagePolicyEntryTypeInt16","features":[36]},{"name":"ImagePolicyEntryTypeInt32","features":[36]},{"name":"ImagePolicyEntryTypeInt64","features":[36]},{"name":"ImagePolicyEntryTypeInt8","features":[36]},{"name":"ImagePolicyEntryTypeMaximum","features":[36]},{"name":"ImagePolicyEntryTypeNone","features":[36]},{"name":"ImagePolicyEntryTypeOverride","features":[36]},{"name":"ImagePolicyEntryTypeUInt16","features":[36]},{"name":"ImagePolicyEntryTypeUInt32","features":[36]},{"name":"ImagePolicyEntryTypeUInt64","features":[36]},{"name":"ImagePolicyEntryTypeUInt8","features":[36]},{"name":"ImagePolicyEntryTypeUnicodeString","features":[36]},{"name":"ImagePolicyIdCapability","features":[36]},{"name":"ImagePolicyIdCrashDump","features":[36]},{"name":"ImagePolicyIdCrashDumpKey","features":[36]},{"name":"ImagePolicyIdCrashDumpKeyGuid","features":[36]},{"name":"ImagePolicyIdDebug","features":[36]},{"name":"ImagePolicyIdDeviceId","features":[36]},{"name":"ImagePolicyIdEtw","features":[36]},{"name":"ImagePolicyIdMaximum","features":[36]},{"name":"ImagePolicyIdNone","features":[36]},{"name":"ImagePolicyIdParentSd","features":[36]},{"name":"ImagePolicyIdParentSdRev","features":[36]},{"name":"ImagePolicyIdScenarioId","features":[36]},{"name":"ImagePolicyIdSvn","features":[36]},{"name":"JOB_OBJECT_ASSIGN_PROCESS","features":[36]},{"name":"JOB_OBJECT_IMPERSONATE","features":[36]},{"name":"JOB_OBJECT_MSG_ABNORMAL_EXIT_PROCESS","features":[36]},{"name":"JOB_OBJECT_MSG_ACTIVE_PROCESS_LIMIT","features":[36]},{"name":"JOB_OBJECT_MSG_ACTIVE_PROCESS_ZERO","features":[36]},{"name":"JOB_OBJECT_MSG_END_OF_JOB_TIME","features":[36]},{"name":"JOB_OBJECT_MSG_END_OF_PROCESS_TIME","features":[36]},{"name":"JOB_OBJECT_MSG_EXIT_PROCESS","features":[36]},{"name":"JOB_OBJECT_MSG_JOB_CYCLE_TIME_LIMIT","features":[36]},{"name":"JOB_OBJECT_MSG_JOB_MEMORY_LIMIT","features":[36]},{"name":"JOB_OBJECT_MSG_MAXIMUM","features":[36]},{"name":"JOB_OBJECT_MSG_MINIMUM","features":[36]},{"name":"JOB_OBJECT_MSG_NEW_PROCESS","features":[36]},{"name":"JOB_OBJECT_MSG_NOTIFICATION_LIMIT","features":[36]},{"name":"JOB_OBJECT_MSG_PROCESS_MEMORY_LIMIT","features":[36]},{"name":"JOB_OBJECT_MSG_SILO_TERMINATED","features":[36]},{"name":"JOB_OBJECT_NET_RATE_CONTROL_MAX_DSCP_TAG","features":[36]},{"name":"JOB_OBJECT_QUERY","features":[36]},{"name":"JOB_OBJECT_SET_ATTRIBUTES","features":[36]},{"name":"JOB_OBJECT_SET_SECURITY_ATTRIBUTES","features":[36]},{"name":"JOB_OBJECT_TERMINATE","features":[36]},{"name":"JOB_OBJECT_UILIMIT_ALL","features":[36]},{"name":"JOB_OBJECT_UILIMIT_IME","features":[36]},{"name":"JOB_OBJECT_UI_VALID_FLAGS","features":[36]},{"name":"KERNEL_CET_CONTEXT","features":[36]},{"name":"KTMOBJECT_CURSOR","features":[36]},{"name":"KTMOBJECT_ENLISTMENT","features":[36]},{"name":"KTMOBJECT_INVALID","features":[36]},{"name":"KTMOBJECT_RESOURCE_MANAGER","features":[36]},{"name":"KTMOBJECT_TRANSACTION","features":[36]},{"name":"KTMOBJECT_TRANSACTION_MANAGER","features":[36]},{"name":"KTMOBJECT_TYPE","features":[36]},{"name":"LANG_AFRIKAANS","features":[36]},{"name":"LANG_ALBANIAN","features":[36]},{"name":"LANG_ALSATIAN","features":[36]},{"name":"LANG_AMHARIC","features":[36]},{"name":"LANG_ARABIC","features":[36]},{"name":"LANG_ARMENIAN","features":[36]},{"name":"LANG_ASSAMESE","features":[36]},{"name":"LANG_AZERBAIJANI","features":[36]},{"name":"LANG_AZERI","features":[36]},{"name":"LANG_BANGLA","features":[36]},{"name":"LANG_BASHKIR","features":[36]},{"name":"LANG_BASQUE","features":[36]},{"name":"LANG_BELARUSIAN","features":[36]},{"name":"LANG_BENGALI","features":[36]},{"name":"LANG_BOSNIAN","features":[36]},{"name":"LANG_BOSNIAN_NEUTRAL","features":[36]},{"name":"LANG_BRETON","features":[36]},{"name":"LANG_BULGARIAN","features":[36]},{"name":"LANG_CATALAN","features":[36]},{"name":"LANG_CENTRAL_KURDISH","features":[36]},{"name":"LANG_CHEROKEE","features":[36]},{"name":"LANG_CHINESE","features":[36]},{"name":"LANG_CHINESE_SIMPLIFIED","features":[36]},{"name":"LANG_CHINESE_TRADITIONAL","features":[36]},{"name":"LANG_CORSICAN","features":[36]},{"name":"LANG_CROATIAN","features":[36]},{"name":"LANG_CZECH","features":[36]},{"name":"LANG_DANISH","features":[36]},{"name":"LANG_DARI","features":[36]},{"name":"LANG_DIVEHI","features":[36]},{"name":"LANG_DUTCH","features":[36]},{"name":"LANG_ENGLISH","features":[36]},{"name":"LANG_ESTONIAN","features":[36]},{"name":"LANG_FAEROESE","features":[36]},{"name":"LANG_FARSI","features":[36]},{"name":"LANG_FILIPINO","features":[36]},{"name":"LANG_FINNISH","features":[36]},{"name":"LANG_FRENCH","features":[36]},{"name":"LANG_FRISIAN","features":[36]},{"name":"LANG_FULAH","features":[36]},{"name":"LANG_GALICIAN","features":[36]},{"name":"LANG_GEORGIAN","features":[36]},{"name":"LANG_GERMAN","features":[36]},{"name":"LANG_GREEK","features":[36]},{"name":"LANG_GREENLANDIC","features":[36]},{"name":"LANG_GUJARATI","features":[36]},{"name":"LANG_HAUSA","features":[36]},{"name":"LANG_HAWAIIAN","features":[36]},{"name":"LANG_HEBREW","features":[36]},{"name":"LANG_HINDI","features":[36]},{"name":"LANG_HUNGARIAN","features":[36]},{"name":"LANG_ICELANDIC","features":[36]},{"name":"LANG_IGBO","features":[36]},{"name":"LANG_INDONESIAN","features":[36]},{"name":"LANG_INUKTITUT","features":[36]},{"name":"LANG_INVARIANT","features":[36]},{"name":"LANG_IRISH","features":[36]},{"name":"LANG_ITALIAN","features":[36]},{"name":"LANG_JAPANESE","features":[36]},{"name":"LANG_KANNADA","features":[36]},{"name":"LANG_KASHMIRI","features":[36]},{"name":"LANG_KAZAK","features":[36]},{"name":"LANG_KHMER","features":[36]},{"name":"LANG_KICHE","features":[36]},{"name":"LANG_KINYARWANDA","features":[36]},{"name":"LANG_KONKANI","features":[36]},{"name":"LANG_KOREAN","features":[36]},{"name":"LANG_KYRGYZ","features":[36]},{"name":"LANG_LAO","features":[36]},{"name":"LANG_LATVIAN","features":[36]},{"name":"LANG_LITHUANIAN","features":[36]},{"name":"LANG_LOWER_SORBIAN","features":[36]},{"name":"LANG_LUXEMBOURGISH","features":[36]},{"name":"LANG_MACEDONIAN","features":[36]},{"name":"LANG_MALAY","features":[36]},{"name":"LANG_MALAYALAM","features":[36]},{"name":"LANG_MALTESE","features":[36]},{"name":"LANG_MANIPURI","features":[36]},{"name":"LANG_MAORI","features":[36]},{"name":"LANG_MAPUDUNGUN","features":[36]},{"name":"LANG_MARATHI","features":[36]},{"name":"LANG_MOHAWK","features":[36]},{"name":"LANG_MONGOLIAN","features":[36]},{"name":"LANG_NEPALI","features":[36]},{"name":"LANG_NEUTRAL","features":[36]},{"name":"LANG_NORWEGIAN","features":[36]},{"name":"LANG_OCCITAN","features":[36]},{"name":"LANG_ODIA","features":[36]},{"name":"LANG_ORIYA","features":[36]},{"name":"LANG_PASHTO","features":[36]},{"name":"LANG_PERSIAN","features":[36]},{"name":"LANG_POLISH","features":[36]},{"name":"LANG_PORTUGUESE","features":[36]},{"name":"LANG_PULAR","features":[36]},{"name":"LANG_PUNJABI","features":[36]},{"name":"LANG_QUECHUA","features":[36]},{"name":"LANG_ROMANIAN","features":[36]},{"name":"LANG_ROMANSH","features":[36]},{"name":"LANG_RUSSIAN","features":[36]},{"name":"LANG_SAKHA","features":[36]},{"name":"LANG_SAMI","features":[36]},{"name":"LANG_SANSKRIT","features":[36]},{"name":"LANG_SCOTTISH_GAELIC","features":[36]},{"name":"LANG_SERBIAN","features":[36]},{"name":"LANG_SERBIAN_NEUTRAL","features":[36]},{"name":"LANG_SINDHI","features":[36]},{"name":"LANG_SINHALESE","features":[36]},{"name":"LANG_SLOVAK","features":[36]},{"name":"LANG_SLOVENIAN","features":[36]},{"name":"LANG_SOTHO","features":[36]},{"name":"LANG_SPANISH","features":[36]},{"name":"LANG_SWAHILI","features":[36]},{"name":"LANG_SWEDISH","features":[36]},{"name":"LANG_SYRIAC","features":[36]},{"name":"LANG_TAJIK","features":[36]},{"name":"LANG_TAMAZIGHT","features":[36]},{"name":"LANG_TAMIL","features":[36]},{"name":"LANG_TATAR","features":[36]},{"name":"LANG_TELUGU","features":[36]},{"name":"LANG_THAI","features":[36]},{"name":"LANG_TIBETAN","features":[36]},{"name":"LANG_TIGRIGNA","features":[36]},{"name":"LANG_TIGRINYA","features":[36]},{"name":"LANG_TSWANA","features":[36]},{"name":"LANG_TURKISH","features":[36]},{"name":"LANG_TURKMEN","features":[36]},{"name":"LANG_UIGHUR","features":[36]},{"name":"LANG_UKRAINIAN","features":[36]},{"name":"LANG_UPPER_SORBIAN","features":[36]},{"name":"LANG_URDU","features":[36]},{"name":"LANG_UZBEK","features":[36]},{"name":"LANG_VALENCIAN","features":[36]},{"name":"LANG_VIETNAMESE","features":[36]},{"name":"LANG_WELSH","features":[36]},{"name":"LANG_WOLOF","features":[36]},{"name":"LANG_XHOSA","features":[36]},{"name":"LANG_YAKUT","features":[36]},{"name":"LANG_YI","features":[36]},{"name":"LANG_YORUBA","features":[36]},{"name":"LANG_ZULU","features":[36]},{"name":"LMEM_DISCARDABLE","features":[36]},{"name":"LMEM_DISCARDED","features":[36]},{"name":"LMEM_INVALID_HANDLE","features":[36]},{"name":"LMEM_LOCKCOUNT","features":[36]},{"name":"LMEM_MODIFY","features":[36]},{"name":"LMEM_NOCOMPACT","features":[36]},{"name":"LMEM_NODISCARD","features":[36]},{"name":"LMEM_VALID_FLAGS","features":[36]},{"name":"LOCALE_NAME_MAX_LENGTH","features":[36]},{"name":"LOCALE_TRANSIENT_KEYBOARD1","features":[36]},{"name":"LOCALE_TRANSIENT_KEYBOARD2","features":[36]},{"name":"LOCALE_TRANSIENT_KEYBOARD3","features":[36]},{"name":"LOCALE_TRANSIENT_KEYBOARD4","features":[36]},{"name":"LTP_PC_SMT","features":[36]},{"name":"MAILSLOT_NO_MESSAGE","features":[36]},{"name":"MAILSLOT_WAIT_FOREVER","features":[36]},{"name":"MAXBYTE","features":[36]},{"name":"MAXCHAR","features":[36]},{"name":"MAXDWORD","features":[36]},{"name":"MAXIMUM_ALLOWED","features":[36]},{"name":"MAXIMUM_PROCESSORS","features":[36]},{"name":"MAXIMUM_PROC_PER_GROUP","features":[36]},{"name":"MAXIMUM_SUPPORTED_EXTENSION","features":[36]},{"name":"MAXIMUM_SUSPEND_COUNT","features":[36]},{"name":"MAXIMUM_WAIT_OBJECTS","features":[36]},{"name":"MAXIMUM_XSTATE_FEATURES","features":[36]},{"name":"MAXLOGICALLOGNAMESIZE","features":[36]},{"name":"MAXLONG","features":[36]},{"name":"MAXLONGLONG","features":[36]},{"name":"MAXSHORT","features":[36]},{"name":"MAXVERSIONTESTED_INFO","features":[36]},{"name":"MAXWORD","features":[36]},{"name":"MAX_ACL_REVISION","features":[36]},{"name":"MAX_CLASS_NAME","features":[36]},{"name":"MAX_HW_COUNTERS","features":[36]},{"name":"MAX_PACKAGE_NAME","features":[36]},{"name":"MAX_UCSCHAR","features":[36]},{"name":"MEMORY_ALLOCATION_ALIGNMENT","features":[36]},{"name":"MEMORY_PARTITION_MODIFY_ACCESS","features":[36]},{"name":"MEMORY_PARTITION_QUERY_ACCESS","features":[36]},{"name":"MEMORY_PRIORITY_LOWEST","features":[36]},{"name":"MEM_4MB_PAGES","features":[36]},{"name":"MEM_COALESCE_PLACEHOLDERS","features":[36]},{"name":"MEM_DIFFERENT_IMAGE_BASE_OK","features":[36]},{"name":"MEM_EXTENDED_PARAMETER_EC_CODE","features":[36]},{"name":"MEM_EXTENDED_PARAMETER_GRAPHICS","features":[36]},{"name":"MEM_EXTENDED_PARAMETER_IMAGE_NO_HPAT","features":[36]},{"name":"MEM_EXTENDED_PARAMETER_NONPAGED","features":[36]},{"name":"MEM_EXTENDED_PARAMETER_NONPAGED_HUGE","features":[36]},{"name":"MEM_EXTENDED_PARAMETER_NONPAGED_LARGE","features":[36]},{"name":"MEM_EXTENDED_PARAMETER_SOFT_FAULT_PAGES","features":[36]},{"name":"MEM_EXTENDED_PARAMETER_TYPE_BITS","features":[36]},{"name":"MEM_EXTENDED_PARAMETER_ZERO_PAGES_OPTIONAL","features":[36]},{"name":"MEM_PHYSICAL","features":[36]},{"name":"MEM_ROTATE","features":[36]},{"name":"MEM_TOP_DOWN","features":[36]},{"name":"MEM_WRITE_WATCH","features":[36]},{"name":"MESSAGE_RESOURCE_UNICODE","features":[36]},{"name":"MESSAGE_RESOURCE_UTF8","features":[36]},{"name":"MINCHAR","features":[36]},{"name":"MINLONG","features":[36]},{"name":"MINSHORT","features":[36]},{"name":"MIN_UCSCHAR","features":[36]},{"name":"MK_CONTROL","features":[36]},{"name":"MK_LBUTTON","features":[36]},{"name":"MK_MBUTTON","features":[36]},{"name":"MK_RBUTTON","features":[36]},{"name":"MK_SHIFT","features":[36]},{"name":"MK_XBUTTON1","features":[36]},{"name":"MK_XBUTTON2","features":[36]},{"name":"MODIFIERKEYS_FLAGS","features":[36]},{"name":"MONITOR_DISPLAY_STATE","features":[36]},{"name":"MS_PPM_SOFTWARE_ALL","features":[36]},{"name":"MUTANT_QUERY_STATE","features":[36]},{"name":"MaxActivationContextInfoClass","features":[36]},{"name":"NATIVE_TYPE_MAX_CB","features":[36]},{"name":"NETWORK_APP_INSTANCE_CSV_FLAGS_VALID_ONLY_IF_CSV_COORDINATOR","features":[36]},{"name":"NETWORK_APP_INSTANCE_EA","features":[36]},{"name":"NLS_VALID_LOCALE_MASK","features":[36]},{"name":"NONVOL_FP_NUMREG_ARM64","features":[36]},{"name":"NONVOL_INT_NUMREG_ARM64","features":[36]},{"name":"NON_PAGED_DEBUG_INFO","features":[36]},{"name":"NON_PAGED_DEBUG_SIGNATURE","features":[36]},{"name":"NOTIFY_USER_POWER_SETTING","features":[36]},{"name":"NO_SUBGROUP_GUID","features":[36]},{"name":"NT_TIB32","features":[36]},{"name":"NT_TIB64","features":[36]},{"name":"NUMA_NO_PREFERRED_NODE","features":[36]},{"name":"NUM_DISCHARGE_POLICIES","features":[36]},{"name":"N_BTMASK","features":[36]},{"name":"N_BTSHFT","features":[36]},{"name":"N_TMASK","features":[36]},{"name":"N_TMASK1","features":[36]},{"name":"N_TMASK2","features":[36]},{"name":"N_TSHIFT","features":[36]},{"name":"NormalError","features":[36]},{"name":"OUT_OF_PROCESS_FUNCTION_TABLE_CALLBACK_EXPORT_NAME","features":[36]},{"name":"PACKEDEVENTINFO","features":[36]},{"name":"PARKING_TOPOLOGY_POLICY_DISABLED","features":[36]},{"name":"PARKING_TOPOLOGY_POLICY_ROUNDROBIN","features":[36]},{"name":"PARKING_TOPOLOGY_POLICY_SEQUENTIAL","features":[36]},{"name":"PDCAP_D0_SUPPORTED","features":[36]},{"name":"PDCAP_D1_SUPPORTED","features":[36]},{"name":"PDCAP_D2_SUPPORTED","features":[36]},{"name":"PDCAP_D3_SUPPORTED","features":[36]},{"name":"PDCAP_WAKE_FROM_D0_SUPPORTED","features":[36]},{"name":"PDCAP_WAKE_FROM_D1_SUPPORTED","features":[36]},{"name":"PDCAP_WAKE_FROM_D2_SUPPORTED","features":[36]},{"name":"PDCAP_WAKE_FROM_D3_SUPPORTED","features":[36]},{"name":"PDCAP_WARM_EJECT_SUPPORTED","features":[36]},{"name":"PERFORMANCE_DATA_VERSION","features":[36]},{"name":"PERFSTATE_POLICY_CHANGE_DECREASE_MAX","features":[36]},{"name":"PERFSTATE_POLICY_CHANGE_IDEAL","features":[36]},{"name":"PERFSTATE_POLICY_CHANGE_IDEAL_AGGRESSIVE","features":[36]},{"name":"PERFSTATE_POLICY_CHANGE_INCREASE_MAX","features":[36]},{"name":"PERFSTATE_POLICY_CHANGE_ROCKET","features":[36]},{"name":"PERFSTATE_POLICY_CHANGE_SINGLE","features":[36]},{"name":"PEXCEPTION_FILTER","features":[1,30,7,36]},{"name":"PF_NON_TEMPORAL_LEVEL_ALL","features":[36]},{"name":"PF_TEMPORAL_LEVEL_1","features":[36]},{"name":"PF_TEMPORAL_LEVEL_2","features":[36]},{"name":"PF_TEMPORAL_LEVEL_3","features":[36]},{"name":"PIMAGE_TLS_CALLBACK","features":[36]},{"name":"POLICY_AUDIT_SUBCATEGORY_COUNT","features":[36]},{"name":"POUT_OF_PROCESS_FUNCTION_TABLE_CALLBACK","features":[1,30,36]},{"name":"POUT_OF_PROCESS_FUNCTION_TABLE_CALLBACK","features":[1,30,36]},{"name":"POWERBUTTON_ACTION_INDEX_HIBERNATE","features":[36]},{"name":"POWERBUTTON_ACTION_INDEX_NOTHING","features":[36]},{"name":"POWERBUTTON_ACTION_INDEX_SHUTDOWN","features":[36]},{"name":"POWERBUTTON_ACTION_INDEX_SLEEP","features":[36]},{"name":"POWERBUTTON_ACTION_INDEX_TURN_OFF_THE_DISPLAY","features":[36]},{"name":"POWERBUTTON_ACTION_VALUE_HIBERNATE","features":[36]},{"name":"POWERBUTTON_ACTION_VALUE_NOTHING","features":[36]},{"name":"POWERBUTTON_ACTION_VALUE_SHUTDOWN","features":[36]},{"name":"POWERBUTTON_ACTION_VALUE_SLEEP","features":[36]},{"name":"POWERBUTTON_ACTION_VALUE_TURN_OFF_THE_DISPLAY","features":[36]},{"name":"POWER_ACTION_ACPI_CRITICAL","features":[36]},{"name":"POWER_ACTION_ACPI_USER_NOTIFY","features":[36]},{"name":"POWER_ACTION_CRITICAL","features":[36]},{"name":"POWER_ACTION_DIRECTED_DRIPS","features":[36]},{"name":"POWER_ACTION_DISABLE_WAKES","features":[36]},{"name":"POWER_ACTION_DOZE_TO_HIBERNATE","features":[36]},{"name":"POWER_ACTION_HIBERBOOT","features":[36]},{"name":"POWER_ACTION_LIGHTEST_FIRST","features":[36]},{"name":"POWER_ACTION_LOCK_CONSOLE","features":[36]},{"name":"POWER_ACTION_OVERRIDE_APPS","features":[36]},{"name":"POWER_ACTION_PSEUDO_TRANSITION","features":[36]},{"name":"POWER_ACTION_QUERY_ALLOWED","features":[36]},{"name":"POWER_ACTION_UI_ALLOWED","features":[36]},{"name":"POWER_ACTION_USER_NOTIFY","features":[36]},{"name":"POWER_CONNECTIVITY_IN_STANDBY_DISABLED","features":[36]},{"name":"POWER_CONNECTIVITY_IN_STANDBY_ENABLED","features":[36]},{"name":"POWER_CONNECTIVITY_IN_STANDBY_SYSTEM_MANAGED","features":[36]},{"name":"POWER_DEVICE_IDLE_POLICY_CONSERVATIVE","features":[36]},{"name":"POWER_DEVICE_IDLE_POLICY_PERFORMANCE","features":[36]},{"name":"POWER_DISCONNECTED_STANDBY_MODE_AGGRESSIVE","features":[36]},{"name":"POWER_DISCONNECTED_STANDBY_MODE_NORMAL","features":[36]},{"name":"POWER_REQUEST_CONTEXT_VERSION","features":[36]},{"name":"POWER_SETTING_VALUE_VERSION","features":[36]},{"name":"POWER_SYSTEM_MAXIMUM","features":[36]},{"name":"POWER_USER_NOTIFY_FORCED_SHUTDOWN","features":[36]},{"name":"PO_THROTTLE_ADAPTIVE","features":[36]},{"name":"PO_THROTTLE_CONSTANT","features":[36]},{"name":"PO_THROTTLE_DEGRADE","features":[36]},{"name":"PO_THROTTLE_MAXIMUM","features":[36]},{"name":"PO_THROTTLE_NONE","features":[36]},{"name":"PRAGMA_DEPRECATED_DDK","features":[36]},{"name":"PRIVILEGE_SET_ALL_NECESSARY","features":[36]},{"name":"PROCESSOR_ALPHA_21064","features":[36]},{"name":"PROCESSOR_AMD_X8664","features":[36]},{"name":"PROCESSOR_ARM720","features":[36]},{"name":"PROCESSOR_ARM820","features":[36]},{"name":"PROCESSOR_ARM920","features":[36]},{"name":"PROCESSOR_ARM_7TDMI","features":[36]},{"name":"PROCESSOR_DUTY_CYCLING_DISABLED","features":[36]},{"name":"PROCESSOR_DUTY_CYCLING_ENABLED","features":[36]},{"name":"PROCESSOR_HITACHI_SH3","features":[36]},{"name":"PROCESSOR_HITACHI_SH3E","features":[36]},{"name":"PROCESSOR_HITACHI_SH4","features":[36]},{"name":"PROCESSOR_IDLESTATE_INFO","features":[36]},{"name":"PROCESSOR_IDLESTATE_POLICY","features":[36]},{"name":"PROCESSOR_IDLESTATE_POLICY_COUNT","features":[36]},{"name":"PROCESSOR_INTEL_386","features":[36]},{"name":"PROCESSOR_INTEL_486","features":[36]},{"name":"PROCESSOR_INTEL_IA64","features":[36]},{"name":"PROCESSOR_INTEL_PENTIUM","features":[36]},{"name":"PROCESSOR_MIPS_R4000","features":[36]},{"name":"PROCESSOR_MOTOROLA_821","features":[36]},{"name":"PROCESSOR_OPTIL","features":[36]},{"name":"PROCESSOR_PERFSTATE_POLICY","features":[36]},{"name":"PROCESSOR_PERF_AUTONOMOUS_MODE_DISABLED","features":[36]},{"name":"PROCESSOR_PERF_AUTONOMOUS_MODE_ENABLED","features":[36]},{"name":"PROCESSOR_PERF_BOOST_MODE_AGGRESSIVE","features":[36]},{"name":"PROCESSOR_PERF_BOOST_MODE_AGGRESSIVE_AT_GUARANTEED","features":[36]},{"name":"PROCESSOR_PERF_BOOST_MODE_DISABLED","features":[36]},{"name":"PROCESSOR_PERF_BOOST_MODE_EFFICIENT_AGGRESSIVE","features":[36]},{"name":"PROCESSOR_PERF_BOOST_MODE_EFFICIENT_AGGRESSIVE_AT_GUARANTEED","features":[36]},{"name":"PROCESSOR_PERF_BOOST_MODE_EFFICIENT_ENABLED","features":[36]},{"name":"PROCESSOR_PERF_BOOST_MODE_ENABLED","features":[36]},{"name":"PROCESSOR_PERF_BOOST_MODE_MAX","features":[36]},{"name":"PROCESSOR_PERF_BOOST_POLICY_DISABLED","features":[36]},{"name":"PROCESSOR_PERF_BOOST_POLICY_MAX","features":[36]},{"name":"PROCESSOR_PERF_ENERGY_PREFERENCE","features":[36]},{"name":"PROCESSOR_PERF_MAXIMUM_ACTIVITY_WINDOW","features":[36]},{"name":"PROCESSOR_PERF_MINIMUM_ACTIVITY_WINDOW","features":[36]},{"name":"PROCESSOR_PERF_PERFORMANCE_PREFERENCE","features":[36]},{"name":"PROCESSOR_PPC_601","features":[36]},{"name":"PROCESSOR_PPC_603","features":[36]},{"name":"PROCESSOR_PPC_604","features":[36]},{"name":"PROCESSOR_PPC_620","features":[36]},{"name":"PROCESSOR_SHx_SH3","features":[36]},{"name":"PROCESSOR_SHx_SH4","features":[36]},{"name":"PROCESSOR_STRONGARM","features":[36]},{"name":"PROCESSOR_THROTTLE_AUTOMATIC","features":[36]},{"name":"PROCESSOR_THROTTLE_DISABLED","features":[36]},{"name":"PROCESSOR_THROTTLE_ENABLED","features":[36]},{"name":"PROCESS_HEAP_ENTRY_BUSY","features":[36]},{"name":"PROCESS_HEAP_ENTRY_DDESHARE","features":[36]},{"name":"PROCESS_HEAP_ENTRY_MOVEABLE","features":[36]},{"name":"PROCESS_HEAP_REGION","features":[36]},{"name":"PROCESS_HEAP_SEG_ALLOC","features":[36]},{"name":"PROCESS_HEAP_UNCOMMITTED_RANGE","features":[36]},{"name":"PROCESS_MITIGATION_ACTIVATION_CONTEXT_TRUST_POLICY","features":[36]},{"name":"PROCESS_MITIGATION_ASLR_POLICY","features":[36]},{"name":"PROCESS_MITIGATION_BINARY_SIGNATURE_POLICY","features":[36]},{"name":"PROCESS_MITIGATION_CHILD_PROCESS_POLICY","features":[36]},{"name":"PROCESS_MITIGATION_CONTROL_FLOW_GUARD_POLICY","features":[36]},{"name":"PROCESS_MITIGATION_DEP_POLICY","features":[1,36]},{"name":"PROCESS_MITIGATION_DYNAMIC_CODE_POLICY","features":[36]},{"name":"PROCESS_MITIGATION_EXTENSION_POINT_DISABLE_POLICY","features":[36]},{"name":"PROCESS_MITIGATION_FONT_DISABLE_POLICY","features":[36]},{"name":"PROCESS_MITIGATION_IMAGE_LOAD_POLICY","features":[36]},{"name":"PROCESS_MITIGATION_PAYLOAD_RESTRICTION_POLICY","features":[36]},{"name":"PROCESS_MITIGATION_REDIRECTION_TRUST_POLICY","features":[36]},{"name":"PROCESS_MITIGATION_SEHOP_POLICY","features":[36]},{"name":"PROCESS_MITIGATION_SIDE_CHANNEL_ISOLATION_POLICY","features":[36]},{"name":"PROCESS_MITIGATION_STRICT_HANDLE_CHECK_POLICY","features":[36]},{"name":"PROCESS_MITIGATION_SYSTEM_CALL_DISABLE_POLICY","features":[36]},{"name":"PROCESS_MITIGATION_SYSTEM_CALL_FILTER_POLICY","features":[36]},{"name":"PROCESS_MITIGATION_USER_POINTER_AUTH_POLICY","features":[36]},{"name":"PROCESS_MITIGATION_USER_SHADOW_STACK_POLICY","features":[36]},{"name":"PROCESS_TRUST_LABEL_SECURITY_INFORMATION","features":[36]},{"name":"PROC_IDLE_BUCKET_COUNT","features":[36]},{"name":"PROC_IDLE_BUCKET_COUNT_EX","features":[36]},{"name":"PRODUCT_ARM64_SERVER","features":[36]},{"name":"PRODUCT_AZURESTACKHCI_SERVER_CORE","features":[36]},{"name":"PRODUCT_AZURE_NANO_SERVER","features":[36]},{"name":"PRODUCT_AZURE_SERVER_CLOUDHOST","features":[36]},{"name":"PRODUCT_AZURE_SERVER_CLOUDMOS","features":[36]},{"name":"PRODUCT_AZURE_SERVER_CORE","features":[36]},{"name":"PRODUCT_CLOUD","features":[36]},{"name":"PRODUCT_CLOUDE","features":[36]},{"name":"PRODUCT_CLOUDEDITION","features":[36]},{"name":"PRODUCT_CLOUDEDITIONN","features":[36]},{"name":"PRODUCT_CLOUDEN","features":[36]},{"name":"PRODUCT_CLOUDN","features":[36]},{"name":"PRODUCT_CLOUD_HOST_INFRASTRUCTURE_SERVER","features":[36]},{"name":"PRODUCT_CLOUD_STORAGE_SERVER","features":[36]},{"name":"PRODUCT_CONNECTED_CAR","features":[36]},{"name":"PRODUCT_CORE_ARM","features":[36]},{"name":"PRODUCT_CORE_CONNECTED","features":[36]},{"name":"PRODUCT_CORE_CONNECTED_COUNTRYSPECIFIC","features":[36]},{"name":"PRODUCT_CORE_CONNECTED_N","features":[36]},{"name":"PRODUCT_CORE_CONNECTED_SINGLELANGUAGE","features":[36]},{"name":"PRODUCT_DATACENTER_EVALUATION_SERVER_CORE","features":[36]},{"name":"PRODUCT_DATACENTER_NANO_SERVER","features":[36]},{"name":"PRODUCT_DATACENTER_SERVER_AZURE_EDITION","features":[36]},{"name":"PRODUCT_DATACENTER_SERVER_CORE_AZURE_EDITION","features":[36]},{"name":"PRODUCT_DATACENTER_WS_SERVER_CORE","features":[36]},{"name":"PRODUCT_EMBEDDED","features":[36]},{"name":"PRODUCT_EMBEDDED_A","features":[36]},{"name":"PRODUCT_EMBEDDED_AUTOMOTIVE","features":[36]},{"name":"PRODUCT_EMBEDDED_E","features":[36]},{"name":"PRODUCT_EMBEDDED_EVAL","features":[36]},{"name":"PRODUCT_EMBEDDED_E_EVAL","features":[36]},{"name":"PRODUCT_EMBEDDED_INDUSTRY","features":[36]},{"name":"PRODUCT_EMBEDDED_INDUSTRY_A","features":[36]},{"name":"PRODUCT_EMBEDDED_INDUSTRY_A_E","features":[36]},{"name":"PRODUCT_EMBEDDED_INDUSTRY_E","features":[36]},{"name":"PRODUCT_EMBEDDED_INDUSTRY_EVAL","features":[36]},{"name":"PRODUCT_EMBEDDED_INDUSTRY_E_EVAL","features":[36]},{"name":"PRODUCT_ENTERPRISEG","features":[36]},{"name":"PRODUCT_ENTERPRISEGN","features":[36]},{"name":"PRODUCT_ENTERPRISE_SUBSCRIPTION","features":[36]},{"name":"PRODUCT_ENTERPRISE_SUBSCRIPTION_N","features":[36]},{"name":"PRODUCT_HOLOGRAPHIC","features":[36]},{"name":"PRODUCT_HOLOGRAPHIC_BUSINESS","features":[36]},{"name":"PRODUCT_HUBOS","features":[36]},{"name":"PRODUCT_INDUSTRY_HANDHELD","features":[36]},{"name":"PRODUCT_IOTEDGEOS","features":[36]},{"name":"PRODUCT_IOTENTERPRISE","features":[36]},{"name":"PRODUCT_IOTENTERPRISES","features":[36]},{"name":"PRODUCT_IOTOS","features":[36]},{"name":"PRODUCT_LITE","features":[36]},{"name":"PRODUCT_NANO_SERVER","features":[36]},{"name":"PRODUCT_ONECOREUPDATEOS","features":[36]},{"name":"PRODUCT_PPI_PRO","features":[36]},{"name":"PRODUCT_PROFESSIONAL_EMBEDDED","features":[36]},{"name":"PRODUCT_PROFESSIONAL_S","features":[36]},{"name":"PRODUCT_PROFESSIONAL_STUDENT","features":[36]},{"name":"PRODUCT_PROFESSIONAL_STUDENT_N","features":[36]},{"name":"PRODUCT_PROFESSIONAL_S_N","features":[36]},{"name":"PRODUCT_PRO_CHINA","features":[36]},{"name":"PRODUCT_PRO_FOR_EDUCATION","features":[36]},{"name":"PRODUCT_PRO_FOR_EDUCATION_N","features":[36]},{"name":"PRODUCT_PRO_SINGLE_LANGUAGE","features":[36]},{"name":"PRODUCT_SERVERRDSH","features":[36]},{"name":"PRODUCT_SOLUTION_EMBEDDEDSERVER_CORE","features":[36]},{"name":"PRODUCT_STANDARD_EVALUATION_SERVER_CORE","features":[36]},{"name":"PRODUCT_STANDARD_NANO_SERVER","features":[36]},{"name":"PRODUCT_STANDARD_SERVER_CORE","features":[36]},{"name":"PRODUCT_STANDARD_WS_SERVER_CORE","features":[36]},{"name":"PRODUCT_THINPC","features":[36]},{"name":"PRODUCT_UNLICENSED","features":[36]},{"name":"PRODUCT_UTILITY_VM","features":[36]},{"name":"PRODUCT_XBOX_DURANGOHOSTOS","features":[36]},{"name":"PRODUCT_XBOX_ERAOS","features":[36]},{"name":"PRODUCT_XBOX_GAMEOS","features":[36]},{"name":"PRODUCT_XBOX_KEYSTONE","features":[36]},{"name":"PRODUCT_XBOX_SCARLETTHOSTOS","features":[36]},{"name":"PRODUCT_XBOX_SYSTEMOS","features":[36]},{"name":"PTERMINATION_HANDLER","features":[1,36]},{"name":"PTERMINATION_HANDLER","features":[1,36]},{"name":"PUMS_SCHEDULER_ENTRY_POINT","features":[36]},{"name":"PcTeb","features":[36]},{"name":"PdataCrChained","features":[36]},{"name":"PdataCrChainedWithPac","features":[36]},{"name":"PdataCrUnchained","features":[36]},{"name":"PdataCrUnchainedSavedLr","features":[36]},{"name":"PdataPackedUnwindFragment","features":[36]},{"name":"PdataPackedUnwindFunction","features":[36]},{"name":"PdataRefToFullXdata","features":[36]},{"name":"PowerMonitorDim","features":[36]},{"name":"PowerMonitorOff","features":[36]},{"name":"PowerMonitorOn","features":[36]},{"name":"QUOTA_LIMITS_EX","features":[36]},{"name":"QUOTA_LIMITS_USE_DEFAULT_LIMITS","features":[36]},{"name":"RATE_QUOTA_LIMIT","features":[36]},{"name":"READ_THREAD_PROFILING_FLAG_DISPATCHING","features":[36]},{"name":"READ_THREAD_PROFILING_FLAG_HARDWARE_COUNTERS","features":[36]},{"name":"REARRANGE_FILE_DATA","features":[1,36]},{"name":"REARRANGE_FILE_DATA32","features":[36]},{"name":"RECO_COPY","features":[36]},{"name":"RECO_CUT","features":[36]},{"name":"RECO_DRAG","features":[36]},{"name":"RECO_DROP","features":[36]},{"name":"RECO_FLAGS","features":[36]},{"name":"RECO_PASTE","features":[36]},{"name":"REDBOOK_DIGITAL_AUDIO_EXTRACTION_INFO","features":[36]},{"name":"REDBOOK_DIGITAL_AUDIO_EXTRACTION_INFO_VERSION","features":[36]},{"name":"REG_APP_HIVE","features":[36]},{"name":"REG_APP_HIVE_OPEN_READ_ONLY","features":[36]},{"name":"REG_BOOT_HIVE","features":[36]},{"name":"REG_FLUSH_HIVE_FILE_GROWTH","features":[36]},{"name":"REG_FORCE_UNLOAD","features":[36]},{"name":"REG_HIVE_EXACT_FILE_GROWTH","features":[36]},{"name":"REG_HIVE_NO_RM","features":[36]},{"name":"REG_HIVE_SINGLE_LOG","features":[36]},{"name":"REG_IMMUTABLE","features":[36]},{"name":"REG_LOAD_HIVE_OPEN_HANDLE","features":[36]},{"name":"REG_NO_IMPERSONATION_FALLBACK","features":[36]},{"name":"REG_NO_LAZY_FLUSH","features":[36]},{"name":"REG_OPEN_READ_ONLY","features":[36]},{"name":"REG_PROCESS_PRIVATE","features":[36]},{"name":"REG_REFRESH_HIVE","features":[36]},{"name":"REG_START_JOURNAL","features":[36]},{"name":"REG_UNLOAD_LEGAL_FLAGS","features":[36]},{"name":"RESOURCEMANAGER_BASIC_INFORMATION","features":[36]},{"name":"RESOURCEMANAGER_COMPLETE_PROPAGATION","features":[36]},{"name":"RESOURCEMANAGER_COMPLETION_INFORMATION","features":[1,36]},{"name":"RESOURCEMANAGER_ENLIST","features":[36]},{"name":"RESOURCEMANAGER_GET_NOTIFICATION","features":[36]},{"name":"RESOURCEMANAGER_INFORMATION_CLASS","features":[36]},{"name":"RESOURCEMANAGER_QUERY_INFORMATION","features":[36]},{"name":"RESOURCEMANAGER_RECOVER","features":[36]},{"name":"RESOURCEMANAGER_REGISTER_PROTOCOL","features":[36]},{"name":"RESOURCEMANAGER_SET_INFORMATION","features":[36]},{"name":"ROT_COMPARE_MAX","features":[36]},{"name":"RTL_UMS_SCHEDULER_REASON","features":[36]},{"name":"RTL_UMS_VERSION","features":[36]},{"name":"RTL_VIRTUAL_UNWIND2_VALIDATE_PAC","features":[36]},{"name":"RUNTIME_FUNCTION_INDIRECT","features":[36]},{"name":"RecognizerType","features":[36]},{"name":"RemHBITMAP","features":[36]},{"name":"RemHBRUSH","features":[36]},{"name":"RemHENHMETAFILE","features":[36]},{"name":"RemHGLOBAL","features":[36]},{"name":"RemHMETAFILEPICT","features":[36]},{"name":"RemHPALETTE","features":[36]},{"name":"RemotableHandle","features":[36]},{"name":"ReplacesCorHdrNumericDefines","features":[36]},{"name":"ResourceManagerBasicInformation","features":[36]},{"name":"ResourceManagerCompletionInformation","features":[36]},{"name":"RunlevelInformationInActivationContext","features":[36]},{"name":"SCOPE_TABLE_AMD64","features":[36]},{"name":"SCOPE_TABLE_ARM","features":[36]},{"name":"SCOPE_TABLE_ARM64","features":[36]},{"name":"SCRUB_DATA_INPUT","features":[36]},{"name":"SCRUB_DATA_INPUT_FLAG_IGNORE_REDUNDANCY","features":[36]},{"name":"SCRUB_DATA_INPUT_FLAG_OPLOCK_NOT_ACQUIRED","features":[36]},{"name":"SCRUB_DATA_INPUT_FLAG_RESUME","features":[36]},{"name":"SCRUB_DATA_INPUT_FLAG_SCRUB_BY_OBJECT_ID","features":[36]},{"name":"SCRUB_DATA_INPUT_FLAG_SKIP_DATA","features":[36]},{"name":"SCRUB_DATA_INPUT_FLAG_SKIP_IN_SYNC","features":[36]},{"name":"SCRUB_DATA_INPUT_FLAG_SKIP_NON_INTEGRITY_DATA","features":[36]},{"name":"SCRUB_DATA_OUTPUT","features":[36]},{"name":"SCRUB_DATA_OUTPUT_FLAG_INCOMPLETE","features":[36]},{"name":"SCRUB_DATA_OUTPUT_FLAG_NON_USER_DATA_RANGE","features":[36]},{"name":"SCRUB_DATA_OUTPUT_FLAG_PARITY_EXTENT_DATA_RETURNED","features":[36]},{"name":"SCRUB_DATA_OUTPUT_FLAG_RESUME_CONTEXT_LENGTH_SPECIFIED","features":[36]},{"name":"SCRUB_PARITY_EXTENT","features":[36]},{"name":"SCRUB_PARITY_EXTENT_DATA","features":[36]},{"name":"SECURITY_ANONYMOUS_LOGON_RID","features":[36]},{"name":"SECURITY_APPPOOL_ID_BASE_RID","features":[36]},{"name":"SECURITY_APPPOOL_ID_RID_COUNT","features":[36]},{"name":"SECURITY_APP_PACKAGE_BASE_RID","features":[36]},{"name":"SECURITY_APP_PACKAGE_RID_COUNT","features":[36]},{"name":"SECURITY_AUTHENTICATED_USER_RID","features":[36]},{"name":"SECURITY_AUTHENTICATION_AUTHORITY_ASSERTED_RID","features":[36]},{"name":"SECURITY_AUTHENTICATION_AUTHORITY_RID_COUNT","features":[36]},{"name":"SECURITY_AUTHENTICATION_FRESH_KEY_AUTH_RID","features":[36]},{"name":"SECURITY_AUTHENTICATION_KEY_PROPERTY_ATTESTATION_RID","features":[36]},{"name":"SECURITY_AUTHENTICATION_KEY_PROPERTY_MFA_RID","features":[36]},{"name":"SECURITY_AUTHENTICATION_KEY_TRUST_RID","features":[36]},{"name":"SECURITY_AUTHENTICATION_SERVICE_ASSERTED_RID","features":[36]},{"name":"SECURITY_BATCH_RID","features":[36]},{"name":"SECURITY_BUILTIN_APP_PACKAGE_RID_COUNT","features":[36]},{"name":"SECURITY_BUILTIN_CAPABILITY_RID_COUNT","features":[36]},{"name":"SECURITY_BUILTIN_DOMAIN_RID","features":[36]},{"name":"SECURITY_BUILTIN_PACKAGE_ANY_PACKAGE","features":[36]},{"name":"SECURITY_BUILTIN_PACKAGE_ANY_RESTRICTED_PACKAGE","features":[36]},{"name":"SECURITY_CAPABILITY_APPOINTMENTS","features":[36]},{"name":"SECURITY_CAPABILITY_APP_RID","features":[36]},{"name":"SECURITY_CAPABILITY_APP_SILO_RID","features":[36]},{"name":"SECURITY_CAPABILITY_BASE_RID","features":[36]},{"name":"SECURITY_CAPABILITY_CONTACTS","features":[36]},{"name":"SECURITY_CAPABILITY_DOCUMENTS_LIBRARY","features":[36]},{"name":"SECURITY_CAPABILITY_ENTERPRISE_AUTHENTICATION","features":[36]},{"name":"SECURITY_CAPABILITY_INTERNET_CLIENT","features":[36]},{"name":"SECURITY_CAPABILITY_INTERNET_CLIENT_SERVER","features":[36]},{"name":"SECURITY_CAPABILITY_INTERNET_EXPLORER","features":[36]},{"name":"SECURITY_CAPABILITY_MUSIC_LIBRARY","features":[36]},{"name":"SECURITY_CAPABILITY_PICTURES_LIBRARY","features":[36]},{"name":"SECURITY_CAPABILITY_PRIVATE_NETWORK_CLIENT_SERVER","features":[36]},{"name":"SECURITY_CAPABILITY_REMOVABLE_STORAGE","features":[36]},{"name":"SECURITY_CAPABILITY_RID_COUNT","features":[36]},{"name":"SECURITY_CAPABILITY_SHARED_USER_CERTIFICATES","features":[36]},{"name":"SECURITY_CAPABILITY_VIDEOS_LIBRARY","features":[36]},{"name":"SECURITY_CCG_ID_BASE_RID","features":[36]},{"name":"SECURITY_CHILD_PACKAGE_RID_COUNT","features":[36]},{"name":"SECURITY_CLOUD_INFRASTRUCTURE_SERVICES_ID_BASE_RID","features":[36]},{"name":"SECURITY_CLOUD_INFRASTRUCTURE_SERVICES_ID_RID_COUNT","features":[36]},{"name":"SECURITY_COM_ID_BASE_RID","features":[36]},{"name":"SECURITY_CREATOR_GROUP_RID","features":[36]},{"name":"SECURITY_CREATOR_GROUP_SERVER_RID","features":[36]},{"name":"SECURITY_CREATOR_OWNER_RID","features":[36]},{"name":"SECURITY_CREATOR_OWNER_RIGHTS_RID","features":[36]},{"name":"SECURITY_CREATOR_OWNER_SERVER_RID","features":[36]},{"name":"SECURITY_CRED_TYPE_BASE_RID","features":[36]},{"name":"SECURITY_CRED_TYPE_RID_COUNT","features":[36]},{"name":"SECURITY_CRED_TYPE_THIS_ORG_CERT_RID","features":[36]},{"name":"SECURITY_DASHOST_ID_BASE_RID","features":[36]},{"name":"SECURITY_DASHOST_ID_RID_COUNT","features":[36]},{"name":"SECURITY_DESCRIPTOR_REVISION","features":[36]},{"name":"SECURITY_DESCRIPTOR_REVISION1","features":[36]},{"name":"SECURITY_DIALUP_RID","features":[36]},{"name":"SECURITY_ENTERPRISE_CONTROLLERS_RID","features":[36]},{"name":"SECURITY_ENTERPRISE_READONLY_CONTROLLERS_RID","features":[36]},{"name":"SECURITY_INSTALLER_CAPABILITY_RID_COUNT","features":[36]},{"name":"SECURITY_INSTALLER_GROUP_CAPABILITY_BASE","features":[36]},{"name":"SECURITY_INSTALLER_GROUP_CAPABILITY_RID_COUNT","features":[36]},{"name":"SECURITY_INTERACTIVE_RID","features":[36]},{"name":"SECURITY_IUSER_RID","features":[36]},{"name":"SECURITY_LOCAL_ACCOUNT_AND_ADMIN_RID","features":[36]},{"name":"SECURITY_LOCAL_ACCOUNT_RID","features":[36]},{"name":"SECURITY_LOCAL_LOGON_RID","features":[36]},{"name":"SECURITY_LOCAL_RID","features":[36]},{"name":"SECURITY_LOCAL_SERVICE_RID","features":[36]},{"name":"SECURITY_LOCAL_SYSTEM_RID","features":[36]},{"name":"SECURITY_LOGON_IDS_RID","features":[36]},{"name":"SECURITY_LOGON_IDS_RID_COUNT","features":[36]},{"name":"SECURITY_MANDATORY_HIGH_RID","features":[36]},{"name":"SECURITY_MANDATORY_LOW_RID","features":[36]},{"name":"SECURITY_MANDATORY_MAXIMUM_USER_RID","features":[36]},{"name":"SECURITY_MANDATORY_MEDIUM_PLUS_RID","features":[36]},{"name":"SECURITY_MANDATORY_MEDIUM_RID","features":[36]},{"name":"SECURITY_MANDATORY_PROTECTED_PROCESS_RID","features":[36]},{"name":"SECURITY_MANDATORY_SYSTEM_RID","features":[36]},{"name":"SECURITY_MANDATORY_UNTRUSTED_RID","features":[36]},{"name":"SECURITY_MAX_ALWAYS_FILTERED","features":[36]},{"name":"SECURITY_MAX_BASE_RID","features":[36]},{"name":"SECURITY_MIN_BASE_RID","features":[36]},{"name":"SECURITY_MIN_NEVER_FILTERED","features":[36]},{"name":"SECURITY_NETWORK_RID","features":[36]},{"name":"SECURITY_NETWORK_SERVICE_RID","features":[36]},{"name":"SECURITY_NFS_ID_BASE_RID","features":[36]},{"name":"SECURITY_NT_NON_UNIQUE","features":[36]},{"name":"SECURITY_NT_NON_UNIQUE_SUB_AUTH_COUNT","features":[36]},{"name":"SECURITY_NULL_RID","features":[36]},{"name":"SECURITY_OBJECT_AI_PARAMS","features":[36]},{"name":"SECURITY_OTHER_ORGANIZATION_RID","features":[36]},{"name":"SECURITY_PACKAGE_BASE_RID","features":[36]},{"name":"SECURITY_PACKAGE_DIGEST_RID","features":[36]},{"name":"SECURITY_PACKAGE_NTLM_RID","features":[36]},{"name":"SECURITY_PACKAGE_RID_COUNT","features":[36]},{"name":"SECURITY_PACKAGE_SCHANNEL_RID","features":[36]},{"name":"SECURITY_PARENT_PACKAGE_RID_COUNT","features":[36]},{"name":"SECURITY_PRINCIPAL_SELF_RID","features":[36]},{"name":"SECURITY_PROCESS_PROTECTION_LEVEL_ANTIMALWARE_RID","features":[36]},{"name":"SECURITY_PROCESS_PROTECTION_LEVEL_APP_RID","features":[36]},{"name":"SECURITY_PROCESS_PROTECTION_LEVEL_AUTHENTICODE_RID","features":[36]},{"name":"SECURITY_PROCESS_PROTECTION_LEVEL_NONE_RID","features":[36]},{"name":"SECURITY_PROCESS_PROTECTION_LEVEL_WINDOWS_RID","features":[36]},{"name":"SECURITY_PROCESS_PROTECTION_LEVEL_WINTCB_RID","features":[36]},{"name":"SECURITY_PROCESS_PROTECTION_TYPE_FULL_RID","features":[36]},{"name":"SECURITY_PROCESS_PROTECTION_TYPE_LITE_RID","features":[36]},{"name":"SECURITY_PROCESS_PROTECTION_TYPE_NONE_RID","features":[36]},{"name":"SECURITY_PROCESS_TRUST_AUTHORITY_RID_COUNT","features":[36]},{"name":"SECURITY_PROXY_RID","features":[36]},{"name":"SECURITY_RDV_GFX_BASE_RID","features":[36]},{"name":"SECURITY_REMOTE_LOGON_RID","features":[36]},{"name":"SECURITY_RESERVED_ID_BASE_RID","features":[36]},{"name":"SECURITY_RESTRICTED_CODE_RID","features":[36]},{"name":"SECURITY_SERVER_LOGON_RID","features":[36]},{"name":"SECURITY_SERVICE_ID_BASE_RID","features":[36]},{"name":"SECURITY_SERVICE_ID_RID_COUNT","features":[36]},{"name":"SECURITY_SERVICE_RID","features":[36]},{"name":"SECURITY_TASK_ID_BASE_RID","features":[36]},{"name":"SECURITY_TERMINAL_SERVER_RID","features":[36]},{"name":"SECURITY_THIS_ORGANIZATION_RID","features":[36]},{"name":"SECURITY_TRUSTED_INSTALLER_RID1","features":[36]},{"name":"SECURITY_TRUSTED_INSTALLER_RID2","features":[36]},{"name":"SECURITY_TRUSTED_INSTALLER_RID3","features":[36]},{"name":"SECURITY_TRUSTED_INSTALLER_RID4","features":[36]},{"name":"SECURITY_TRUSTED_INSTALLER_RID5","features":[36]},{"name":"SECURITY_UMFD_BASE_RID","features":[36]},{"name":"SECURITY_USERMANAGER_ID_BASE_RID","features":[36]},{"name":"SECURITY_USERMANAGER_ID_RID_COUNT","features":[36]},{"name":"SECURITY_USERMODEDRIVERHOST_ID_BASE_RID","features":[36]},{"name":"SECURITY_USERMODEDRIVERHOST_ID_RID_COUNT","features":[36]},{"name":"SECURITY_VIRTUALACCOUNT_ID_RID_COUNT","features":[36]},{"name":"SECURITY_VIRTUALSERVER_ID_BASE_RID","features":[36]},{"name":"SECURITY_VIRTUALSERVER_ID_RID_COUNT","features":[36]},{"name":"SECURITY_WINDOWSMOBILE_ID_BASE_RID","features":[36]},{"name":"SECURITY_WINDOW_MANAGER_BASE_RID","features":[36]},{"name":"SECURITY_WINRM_ID_BASE_RID","features":[36]},{"name":"SECURITY_WINRM_ID_RID_COUNT","features":[36]},{"name":"SECURITY_WMIHOST_ID_BASE_RID","features":[36]},{"name":"SECURITY_WMIHOST_ID_RID_COUNT","features":[36]},{"name":"SECURITY_WORLD_RID","features":[36]},{"name":"SECURITY_WRITE_RESTRICTED_CODE_RID","features":[36]},{"name":"SEC_HUGE_PAGES","features":[36]},{"name":"SEF_AI_USE_EXTRA_PARAMS","features":[36]},{"name":"SEF_FORCE_USER_MODE","features":[36]},{"name":"SEF_NORMALIZE_OUTPUT_DESCRIPTOR","features":[36]},{"name":"SERVERSILO_BASIC_INFORMATION","features":[1,36]},{"name":"SERVERSILO_INITING","features":[36]},{"name":"SERVERSILO_SHUTTING_DOWN","features":[36]},{"name":"SERVERSILO_STARTED","features":[36]},{"name":"SERVERSILO_STATE","features":[36]},{"name":"SERVERSILO_TERMINATED","features":[36]},{"name":"SERVERSILO_TERMINATING","features":[36]},{"name":"SERVICE_ERROR_TYPE","features":[36]},{"name":"SERVICE_INTERACTIVE_PROCESS","features":[36]},{"name":"SERVICE_LOAD_TYPE","features":[36]},{"name":"SERVICE_NODE_TYPE","features":[36]},{"name":"SERVICE_PKG_SERVICE","features":[36]},{"name":"SERVICE_USERSERVICE_INSTANCE","features":[36]},{"name":"SERVICE_USER_SERVICE","features":[36]},{"name":"SESSION_MODIFY_ACCESS","features":[36]},{"name":"SESSION_QUERY_ACCESS","features":[36]},{"name":"SE_ACCESS_CHECK_FLAG_NO_LEARNING_MODE_LOGGING","features":[36]},{"name":"SE_ACCESS_CHECK_VALID_FLAGS","features":[36]},{"name":"SE_ACTIVATE_AS_USER_CAPABILITY","features":[36]},{"name":"SE_APP_SILO_PRINT_CAPABILITY","features":[36]},{"name":"SE_APP_SILO_PROFILES_ROOT_MINIMAL_CAPABILITY","features":[36]},{"name":"SE_APP_SILO_USER_PROFILE_MINIMAL_CAPABILITY","features":[36]},{"name":"SE_APP_SILO_VOLUME_ROOT_MINIMAL_CAPABILITY","features":[36]},{"name":"SE_CONSTRAINED_IMPERSONATION_CAPABILITY","features":[36]},{"name":"SE_DEVELOPMENT_MODE_NETWORK_CAPABILITY","features":[36]},{"name":"SE_GROUP_ENABLED","features":[36]},{"name":"SE_GROUP_ENABLED_BY_DEFAULT","features":[36]},{"name":"SE_GROUP_INTEGRITY","features":[36]},{"name":"SE_GROUP_INTEGRITY_ENABLED","features":[36]},{"name":"SE_GROUP_LOGON_ID","features":[36]},{"name":"SE_GROUP_MANDATORY","features":[36]},{"name":"SE_GROUP_OWNER","features":[36]},{"name":"SE_GROUP_RESOURCE","features":[36]},{"name":"SE_GROUP_USE_FOR_DENY_ONLY","features":[36]},{"name":"SE_IMAGE_SIGNATURE_TYPE","features":[36]},{"name":"SE_LEARNING_MODE_LOGGING_CAPABILITY","features":[36]},{"name":"SE_MUMA_CAPABILITY","features":[36]},{"name":"SE_PERMISSIVE_LEARNING_MODE_CAPABILITY","features":[36]},{"name":"SE_SECURITY_DESCRIPTOR_FLAG_NO_ACCESS_FILTER_ACE","features":[36]},{"name":"SE_SECURITY_DESCRIPTOR_FLAG_NO_LABEL_ACE","features":[36]},{"name":"SE_SECURITY_DESCRIPTOR_FLAG_NO_OWNER_ACE","features":[36]},{"name":"SE_SECURITY_DESCRIPTOR_VALID_FLAGS","features":[36]},{"name":"SE_SESSION_IMPERSONATION_CAPABILITY","features":[36]},{"name":"SE_SIGNING_LEVEL_ANTIMALWARE","features":[36]},{"name":"SE_SIGNING_LEVEL_AUTHENTICODE","features":[36]},{"name":"SE_SIGNING_LEVEL_CUSTOM_1","features":[36]},{"name":"SE_SIGNING_LEVEL_CUSTOM_2","features":[36]},{"name":"SE_SIGNING_LEVEL_CUSTOM_3","features":[36]},{"name":"SE_SIGNING_LEVEL_CUSTOM_4","features":[36]},{"name":"SE_SIGNING_LEVEL_CUSTOM_5","features":[36]},{"name":"SE_SIGNING_LEVEL_CUSTOM_6","features":[36]},{"name":"SE_SIGNING_LEVEL_CUSTOM_7","features":[36]},{"name":"SE_SIGNING_LEVEL_DEVELOPER","features":[36]},{"name":"SE_SIGNING_LEVEL_DYNAMIC_CODEGEN","features":[36]},{"name":"SE_SIGNING_LEVEL_ENTERPRISE","features":[36]},{"name":"SE_SIGNING_LEVEL_MICROSOFT","features":[36]},{"name":"SE_SIGNING_LEVEL_STORE","features":[36]},{"name":"SE_SIGNING_LEVEL_UNCHECKED","features":[36]},{"name":"SE_SIGNING_LEVEL_UNSIGNED","features":[36]},{"name":"SE_SIGNING_LEVEL_WINDOWS","features":[36]},{"name":"SE_SIGNING_LEVEL_WINDOWS_TCB","features":[36]},{"name":"SE_TOKEN_USER","features":[1,4,36]},{"name":"SFGAO_BROWSABLE","features":[36]},{"name":"SFGAO_CANCOPY","features":[36]},{"name":"SFGAO_CANDELETE","features":[36]},{"name":"SFGAO_CANLINK","features":[36]},{"name":"SFGAO_CANMONIKER","features":[36]},{"name":"SFGAO_CANMOVE","features":[36]},{"name":"SFGAO_CANRENAME","features":[36]},{"name":"SFGAO_CAPABILITYMASK","features":[36]},{"name":"SFGAO_COMPRESSED","features":[36]},{"name":"SFGAO_CONTENTSMASK","features":[36]},{"name":"SFGAO_DISPLAYATTRMASK","features":[36]},{"name":"SFGAO_DROPTARGET","features":[36]},{"name":"SFGAO_ENCRYPTED","features":[36]},{"name":"SFGAO_FILESYSANCESTOR","features":[36]},{"name":"SFGAO_FILESYSTEM","features":[36]},{"name":"SFGAO_FLAGS","features":[36]},{"name":"SFGAO_FOLDER","features":[36]},{"name":"SFGAO_GHOSTED","features":[36]},{"name":"SFGAO_HASPROPSHEET","features":[36]},{"name":"SFGAO_HASSTORAGE","features":[36]},{"name":"SFGAO_HASSUBFOLDER","features":[36]},{"name":"SFGAO_HIDDEN","features":[36]},{"name":"SFGAO_ISSLOW","features":[36]},{"name":"SFGAO_LINK","features":[36]},{"name":"SFGAO_NEWCONTENT","features":[36]},{"name":"SFGAO_NONENUMERATED","features":[36]},{"name":"SFGAO_PKEYSFGAOMASK","features":[36]},{"name":"SFGAO_PLACEHOLDER","features":[36]},{"name":"SFGAO_READONLY","features":[36]},{"name":"SFGAO_REMOVABLE","features":[36]},{"name":"SFGAO_SHARE","features":[36]},{"name":"SFGAO_STORAGE","features":[36]},{"name":"SFGAO_STORAGEANCESTOR","features":[36]},{"name":"SFGAO_STORAGECAPMASK","features":[36]},{"name":"SFGAO_STREAM","features":[36]},{"name":"SFGAO_SYSTEM","features":[36]},{"name":"SFGAO_VALIDATE","features":[36]},{"name":"SHARED_VIRTUAL_DISK_SUPPORT","features":[36]},{"name":"SHUFFLE_FILE_DATA","features":[36]},{"name":"SHUFFLE_FILE_FLAG_SKIP_INITIALIZING_NEW_CLUSTERS","features":[36]},{"name":"SID_HASH_SIZE","features":[36]},{"name":"SID_MAX_SUB_AUTHORITIES","features":[36]},{"name":"SID_RECOMMENDED_SUB_AUTHORITIES","features":[36]},{"name":"SID_REVISION","features":[36]},{"name":"SILOOBJECT_BASIC_INFORMATION","features":[1,36]},{"name":"SIZEOF_RFPO_DATA","features":[36]},{"name":"SIZE_OF_80387_REGISTERS","features":[36]},{"name":"SMB_CCF_APP_INSTANCE_EA_NAME","features":[36]},{"name":"SMT_UNPARKING_POLICY_CORE","features":[36]},{"name":"SMT_UNPARKING_POLICY_CORE_PER_THREAD","features":[36]},{"name":"SMT_UNPARKING_POLICY_LP_ROUNDROBIN","features":[36]},{"name":"SMT_UNPARKING_POLICY_LP_SEQUENTIAL","features":[36]},{"name":"SORT_CHINESE_BIG5","features":[36]},{"name":"SORT_CHINESE_BOPOMOFO","features":[36]},{"name":"SORT_CHINESE_PRC","features":[36]},{"name":"SORT_CHINESE_PRCP","features":[36]},{"name":"SORT_CHINESE_RADICALSTROKE","features":[36]},{"name":"SORT_CHINESE_UNICODE","features":[36]},{"name":"SORT_DEFAULT","features":[36]},{"name":"SORT_GEORGIAN_MODERN","features":[36]},{"name":"SORT_GEORGIAN_TRADITIONAL","features":[36]},{"name":"SORT_GERMAN_PHONE_BOOK","features":[36]},{"name":"SORT_HUNGARIAN_DEFAULT","features":[36]},{"name":"SORT_HUNGARIAN_TECHNICAL","features":[36]},{"name":"SORT_INVARIANT_MATH","features":[36]},{"name":"SORT_JAPANESE_RADICALSTROKE","features":[36]},{"name":"SORT_JAPANESE_UNICODE","features":[36]},{"name":"SORT_JAPANESE_XJIS","features":[36]},{"name":"SORT_KOREAN_KSC","features":[36]},{"name":"SORT_KOREAN_UNICODE","features":[36]},{"name":"SS_BITMAP","features":[36]},{"name":"SS_BLACKFRAME","features":[36]},{"name":"SS_BLACKRECT","features":[36]},{"name":"SS_CENTER","features":[36]},{"name":"SS_CENTERIMAGE","features":[36]},{"name":"SS_EDITCONTROL","features":[36]},{"name":"SS_ELLIPSISMASK","features":[36]},{"name":"SS_ENDELLIPSIS","features":[36]},{"name":"SS_ENHMETAFILE","features":[36]},{"name":"SS_ETCHEDFRAME","features":[36]},{"name":"SS_ETCHEDHORZ","features":[36]},{"name":"SS_ETCHEDVERT","features":[36]},{"name":"SS_GRAYFRAME","features":[36]},{"name":"SS_GRAYRECT","features":[36]},{"name":"SS_ICON","features":[36]},{"name":"SS_LEFT","features":[36]},{"name":"SS_LEFTNOWORDWRAP","features":[36]},{"name":"SS_NOPREFIX","features":[36]},{"name":"SS_NOTIFY","features":[36]},{"name":"SS_OWNERDRAW","features":[36]},{"name":"SS_PATHELLIPSIS","features":[36]},{"name":"SS_REALSIZECONTROL","features":[36]},{"name":"SS_REALSIZEIMAGE","features":[36]},{"name":"SS_RIGHT","features":[36]},{"name":"SS_RIGHTJUST","features":[36]},{"name":"SS_SIMPLE","features":[36]},{"name":"SS_SUNKEN","features":[36]},{"name":"SS_TYPEMASK","features":[36]},{"name":"SS_USERITEM","features":[36]},{"name":"SS_WHITEFRAME","features":[36]},{"name":"SS_WHITERECT","features":[36]},{"name":"SS_WORDELLIPSIS","features":[36]},{"name":"STATIC_STYLES","features":[36]},{"name":"SUBLANG_AFRIKAANS_SOUTH_AFRICA","features":[36]},{"name":"SUBLANG_ALBANIAN_ALBANIA","features":[36]},{"name":"SUBLANG_ALSATIAN_FRANCE","features":[36]},{"name":"SUBLANG_AMHARIC_ETHIOPIA","features":[36]},{"name":"SUBLANG_ARABIC_ALGERIA","features":[36]},{"name":"SUBLANG_ARABIC_BAHRAIN","features":[36]},{"name":"SUBLANG_ARABIC_EGYPT","features":[36]},{"name":"SUBLANG_ARABIC_IRAQ","features":[36]},{"name":"SUBLANG_ARABIC_JORDAN","features":[36]},{"name":"SUBLANG_ARABIC_KUWAIT","features":[36]},{"name":"SUBLANG_ARABIC_LEBANON","features":[36]},{"name":"SUBLANG_ARABIC_LIBYA","features":[36]},{"name":"SUBLANG_ARABIC_MOROCCO","features":[36]},{"name":"SUBLANG_ARABIC_OMAN","features":[36]},{"name":"SUBLANG_ARABIC_QATAR","features":[36]},{"name":"SUBLANG_ARABIC_SAUDI_ARABIA","features":[36]},{"name":"SUBLANG_ARABIC_SYRIA","features":[36]},{"name":"SUBLANG_ARABIC_TUNISIA","features":[36]},{"name":"SUBLANG_ARABIC_UAE","features":[36]},{"name":"SUBLANG_ARABIC_YEMEN","features":[36]},{"name":"SUBLANG_ARMENIAN_ARMENIA","features":[36]},{"name":"SUBLANG_ASSAMESE_INDIA","features":[36]},{"name":"SUBLANG_AZERBAIJANI_AZERBAIJAN_CYRILLIC","features":[36]},{"name":"SUBLANG_AZERBAIJANI_AZERBAIJAN_LATIN","features":[36]},{"name":"SUBLANG_AZERI_CYRILLIC","features":[36]},{"name":"SUBLANG_AZERI_LATIN","features":[36]},{"name":"SUBLANG_BANGLA_BANGLADESH","features":[36]},{"name":"SUBLANG_BANGLA_INDIA","features":[36]},{"name":"SUBLANG_BASHKIR_RUSSIA","features":[36]},{"name":"SUBLANG_BASQUE_BASQUE","features":[36]},{"name":"SUBLANG_BELARUSIAN_BELARUS","features":[36]},{"name":"SUBLANG_BENGALI_BANGLADESH","features":[36]},{"name":"SUBLANG_BENGALI_INDIA","features":[36]},{"name":"SUBLANG_BOSNIAN_BOSNIA_HERZEGOVINA_CYRILLIC","features":[36]},{"name":"SUBLANG_BOSNIAN_BOSNIA_HERZEGOVINA_LATIN","features":[36]},{"name":"SUBLANG_BRETON_FRANCE","features":[36]},{"name":"SUBLANG_BULGARIAN_BULGARIA","features":[36]},{"name":"SUBLANG_CATALAN_CATALAN","features":[36]},{"name":"SUBLANG_CENTRAL_KURDISH_IRAQ","features":[36]},{"name":"SUBLANG_CHEROKEE_CHEROKEE","features":[36]},{"name":"SUBLANG_CHINESE_HONGKONG","features":[36]},{"name":"SUBLANG_CHINESE_MACAU","features":[36]},{"name":"SUBLANG_CHINESE_SIMPLIFIED","features":[36]},{"name":"SUBLANG_CHINESE_SINGAPORE","features":[36]},{"name":"SUBLANG_CHINESE_TRADITIONAL","features":[36]},{"name":"SUBLANG_CORSICAN_FRANCE","features":[36]},{"name":"SUBLANG_CROATIAN_BOSNIA_HERZEGOVINA_LATIN","features":[36]},{"name":"SUBLANG_CROATIAN_CROATIA","features":[36]},{"name":"SUBLANG_CUSTOM_DEFAULT","features":[36]},{"name":"SUBLANG_CUSTOM_UNSPECIFIED","features":[36]},{"name":"SUBLANG_CZECH_CZECH_REPUBLIC","features":[36]},{"name":"SUBLANG_DANISH_DENMARK","features":[36]},{"name":"SUBLANG_DARI_AFGHANISTAN","features":[36]},{"name":"SUBLANG_DEFAULT","features":[36]},{"name":"SUBLANG_DIVEHI_MALDIVES","features":[36]},{"name":"SUBLANG_DUTCH","features":[36]},{"name":"SUBLANG_DUTCH_BELGIAN","features":[36]},{"name":"SUBLANG_ENGLISH_AUS","features":[36]},{"name":"SUBLANG_ENGLISH_BELIZE","features":[36]},{"name":"SUBLANG_ENGLISH_CAN","features":[36]},{"name":"SUBLANG_ENGLISH_CARIBBEAN","features":[36]},{"name":"SUBLANG_ENGLISH_EIRE","features":[36]},{"name":"SUBLANG_ENGLISH_INDIA","features":[36]},{"name":"SUBLANG_ENGLISH_JAMAICA","features":[36]},{"name":"SUBLANG_ENGLISH_MALAYSIA","features":[36]},{"name":"SUBLANG_ENGLISH_NZ","features":[36]},{"name":"SUBLANG_ENGLISH_PHILIPPINES","features":[36]},{"name":"SUBLANG_ENGLISH_SINGAPORE","features":[36]},{"name":"SUBLANG_ENGLISH_SOUTH_AFRICA","features":[36]},{"name":"SUBLANG_ENGLISH_TRINIDAD","features":[36]},{"name":"SUBLANG_ENGLISH_UK","features":[36]},{"name":"SUBLANG_ENGLISH_US","features":[36]},{"name":"SUBLANG_ENGLISH_ZIMBABWE","features":[36]},{"name":"SUBLANG_ESTONIAN_ESTONIA","features":[36]},{"name":"SUBLANG_FAEROESE_FAROE_ISLANDS","features":[36]},{"name":"SUBLANG_FILIPINO_PHILIPPINES","features":[36]},{"name":"SUBLANG_FINNISH_FINLAND","features":[36]},{"name":"SUBLANG_FRENCH","features":[36]},{"name":"SUBLANG_FRENCH_BELGIAN","features":[36]},{"name":"SUBLANG_FRENCH_CANADIAN","features":[36]},{"name":"SUBLANG_FRENCH_LUXEMBOURG","features":[36]},{"name":"SUBLANG_FRENCH_MONACO","features":[36]},{"name":"SUBLANG_FRENCH_SWISS","features":[36]},{"name":"SUBLANG_FRISIAN_NETHERLANDS","features":[36]},{"name":"SUBLANG_FULAH_SENEGAL","features":[36]},{"name":"SUBLANG_GALICIAN_GALICIAN","features":[36]},{"name":"SUBLANG_GEORGIAN_GEORGIA","features":[36]},{"name":"SUBLANG_GERMAN","features":[36]},{"name":"SUBLANG_GERMAN_AUSTRIAN","features":[36]},{"name":"SUBLANG_GERMAN_LIECHTENSTEIN","features":[36]},{"name":"SUBLANG_GERMAN_LUXEMBOURG","features":[36]},{"name":"SUBLANG_GERMAN_SWISS","features":[36]},{"name":"SUBLANG_GREEK_GREECE","features":[36]},{"name":"SUBLANG_GREENLANDIC_GREENLAND","features":[36]},{"name":"SUBLANG_GUJARATI_INDIA","features":[36]},{"name":"SUBLANG_HAUSA_NIGERIA_LATIN","features":[36]},{"name":"SUBLANG_HAWAIIAN_US","features":[36]},{"name":"SUBLANG_HEBREW_ISRAEL","features":[36]},{"name":"SUBLANG_HINDI_INDIA","features":[36]},{"name":"SUBLANG_HUNGARIAN_HUNGARY","features":[36]},{"name":"SUBLANG_ICELANDIC_ICELAND","features":[36]},{"name":"SUBLANG_IGBO_NIGERIA","features":[36]},{"name":"SUBLANG_INDONESIAN_INDONESIA","features":[36]},{"name":"SUBLANG_INUKTITUT_CANADA","features":[36]},{"name":"SUBLANG_INUKTITUT_CANADA_LATIN","features":[36]},{"name":"SUBLANG_IRISH_IRELAND","features":[36]},{"name":"SUBLANG_ITALIAN","features":[36]},{"name":"SUBLANG_ITALIAN_SWISS","features":[36]},{"name":"SUBLANG_JAPANESE_JAPAN","features":[36]},{"name":"SUBLANG_KANNADA_INDIA","features":[36]},{"name":"SUBLANG_KASHMIRI_INDIA","features":[36]},{"name":"SUBLANG_KASHMIRI_SASIA","features":[36]},{"name":"SUBLANG_KAZAK_KAZAKHSTAN","features":[36]},{"name":"SUBLANG_KHMER_CAMBODIA","features":[36]},{"name":"SUBLANG_KICHE_GUATEMALA","features":[36]},{"name":"SUBLANG_KINYARWANDA_RWANDA","features":[36]},{"name":"SUBLANG_KONKANI_INDIA","features":[36]},{"name":"SUBLANG_KOREAN","features":[36]},{"name":"SUBLANG_KYRGYZ_KYRGYZSTAN","features":[36]},{"name":"SUBLANG_LAO_LAO","features":[36]},{"name":"SUBLANG_LATVIAN_LATVIA","features":[36]},{"name":"SUBLANG_LITHUANIAN","features":[36]},{"name":"SUBLANG_LOWER_SORBIAN_GERMANY","features":[36]},{"name":"SUBLANG_LUXEMBOURGISH_LUXEMBOURG","features":[36]},{"name":"SUBLANG_MACEDONIAN_MACEDONIA","features":[36]},{"name":"SUBLANG_MALAYALAM_INDIA","features":[36]},{"name":"SUBLANG_MALAY_BRUNEI_DARUSSALAM","features":[36]},{"name":"SUBLANG_MALAY_MALAYSIA","features":[36]},{"name":"SUBLANG_MALTESE_MALTA","features":[36]},{"name":"SUBLANG_MAORI_NEW_ZEALAND","features":[36]},{"name":"SUBLANG_MAPUDUNGUN_CHILE","features":[36]},{"name":"SUBLANG_MARATHI_INDIA","features":[36]},{"name":"SUBLANG_MOHAWK_MOHAWK","features":[36]},{"name":"SUBLANG_MONGOLIAN_CYRILLIC_MONGOLIA","features":[36]},{"name":"SUBLANG_MONGOLIAN_PRC","features":[36]},{"name":"SUBLANG_NEPALI_INDIA","features":[36]},{"name":"SUBLANG_NEPALI_NEPAL","features":[36]},{"name":"SUBLANG_NEUTRAL","features":[36]},{"name":"SUBLANG_NORWEGIAN_BOKMAL","features":[36]},{"name":"SUBLANG_NORWEGIAN_NYNORSK","features":[36]},{"name":"SUBLANG_OCCITAN_FRANCE","features":[36]},{"name":"SUBLANG_ODIA_INDIA","features":[36]},{"name":"SUBLANG_ORIYA_INDIA","features":[36]},{"name":"SUBLANG_PASHTO_AFGHANISTAN","features":[36]},{"name":"SUBLANG_PERSIAN_IRAN","features":[36]},{"name":"SUBLANG_POLISH_POLAND","features":[36]},{"name":"SUBLANG_PORTUGUESE","features":[36]},{"name":"SUBLANG_PORTUGUESE_BRAZILIAN","features":[36]},{"name":"SUBLANG_PULAR_SENEGAL","features":[36]},{"name":"SUBLANG_PUNJABI_INDIA","features":[36]},{"name":"SUBLANG_PUNJABI_PAKISTAN","features":[36]},{"name":"SUBLANG_QUECHUA_BOLIVIA","features":[36]},{"name":"SUBLANG_QUECHUA_ECUADOR","features":[36]},{"name":"SUBLANG_QUECHUA_PERU","features":[36]},{"name":"SUBLANG_ROMANIAN_ROMANIA","features":[36]},{"name":"SUBLANG_ROMANSH_SWITZERLAND","features":[36]},{"name":"SUBLANG_RUSSIAN_RUSSIA","features":[36]},{"name":"SUBLANG_SAKHA_RUSSIA","features":[36]},{"name":"SUBLANG_SAMI_INARI_FINLAND","features":[36]},{"name":"SUBLANG_SAMI_LULE_NORWAY","features":[36]},{"name":"SUBLANG_SAMI_LULE_SWEDEN","features":[36]},{"name":"SUBLANG_SAMI_NORTHERN_FINLAND","features":[36]},{"name":"SUBLANG_SAMI_NORTHERN_NORWAY","features":[36]},{"name":"SUBLANG_SAMI_NORTHERN_SWEDEN","features":[36]},{"name":"SUBLANG_SAMI_SKOLT_FINLAND","features":[36]},{"name":"SUBLANG_SAMI_SOUTHERN_NORWAY","features":[36]},{"name":"SUBLANG_SAMI_SOUTHERN_SWEDEN","features":[36]},{"name":"SUBLANG_SANSKRIT_INDIA","features":[36]},{"name":"SUBLANG_SCOTTISH_GAELIC","features":[36]},{"name":"SUBLANG_SERBIAN_BOSNIA_HERZEGOVINA_CYRILLIC","features":[36]},{"name":"SUBLANG_SERBIAN_BOSNIA_HERZEGOVINA_LATIN","features":[36]},{"name":"SUBLANG_SERBIAN_CROATIA","features":[36]},{"name":"SUBLANG_SERBIAN_CYRILLIC","features":[36]},{"name":"SUBLANG_SERBIAN_LATIN","features":[36]},{"name":"SUBLANG_SERBIAN_MONTENEGRO_CYRILLIC","features":[36]},{"name":"SUBLANG_SERBIAN_MONTENEGRO_LATIN","features":[36]},{"name":"SUBLANG_SERBIAN_SERBIA_CYRILLIC","features":[36]},{"name":"SUBLANG_SERBIAN_SERBIA_LATIN","features":[36]},{"name":"SUBLANG_SINDHI_AFGHANISTAN","features":[36]},{"name":"SUBLANG_SINDHI_INDIA","features":[36]},{"name":"SUBLANG_SINDHI_PAKISTAN","features":[36]},{"name":"SUBLANG_SINHALESE_SRI_LANKA","features":[36]},{"name":"SUBLANG_SLOVAK_SLOVAKIA","features":[36]},{"name":"SUBLANG_SLOVENIAN_SLOVENIA","features":[36]},{"name":"SUBLANG_SOTHO_NORTHERN_SOUTH_AFRICA","features":[36]},{"name":"SUBLANG_SPANISH","features":[36]},{"name":"SUBLANG_SPANISH_ARGENTINA","features":[36]},{"name":"SUBLANG_SPANISH_BOLIVIA","features":[36]},{"name":"SUBLANG_SPANISH_CHILE","features":[36]},{"name":"SUBLANG_SPANISH_COLOMBIA","features":[36]},{"name":"SUBLANG_SPANISH_COSTA_RICA","features":[36]},{"name":"SUBLANG_SPANISH_DOMINICAN_REPUBLIC","features":[36]},{"name":"SUBLANG_SPANISH_ECUADOR","features":[36]},{"name":"SUBLANG_SPANISH_EL_SALVADOR","features":[36]},{"name":"SUBLANG_SPANISH_GUATEMALA","features":[36]},{"name":"SUBLANG_SPANISH_HONDURAS","features":[36]},{"name":"SUBLANG_SPANISH_MEXICAN","features":[36]},{"name":"SUBLANG_SPANISH_MODERN","features":[36]},{"name":"SUBLANG_SPANISH_NICARAGUA","features":[36]},{"name":"SUBLANG_SPANISH_PANAMA","features":[36]},{"name":"SUBLANG_SPANISH_PARAGUAY","features":[36]},{"name":"SUBLANG_SPANISH_PERU","features":[36]},{"name":"SUBLANG_SPANISH_PUERTO_RICO","features":[36]},{"name":"SUBLANG_SPANISH_URUGUAY","features":[36]},{"name":"SUBLANG_SPANISH_US","features":[36]},{"name":"SUBLANG_SPANISH_VENEZUELA","features":[36]},{"name":"SUBLANG_SWAHILI_KENYA","features":[36]},{"name":"SUBLANG_SWEDISH","features":[36]},{"name":"SUBLANG_SWEDISH_FINLAND","features":[36]},{"name":"SUBLANG_SYRIAC_SYRIA","features":[36]},{"name":"SUBLANG_SYS_DEFAULT","features":[36]},{"name":"SUBLANG_TAJIK_TAJIKISTAN","features":[36]},{"name":"SUBLANG_TAMAZIGHT_ALGERIA_LATIN","features":[36]},{"name":"SUBLANG_TAMAZIGHT_MOROCCO_TIFINAGH","features":[36]},{"name":"SUBLANG_TAMIL_INDIA","features":[36]},{"name":"SUBLANG_TAMIL_SRI_LANKA","features":[36]},{"name":"SUBLANG_TATAR_RUSSIA","features":[36]},{"name":"SUBLANG_TELUGU_INDIA","features":[36]},{"name":"SUBLANG_THAI_THAILAND","features":[36]},{"name":"SUBLANG_TIBETAN_PRC","features":[36]},{"name":"SUBLANG_TIGRIGNA_ERITREA","features":[36]},{"name":"SUBLANG_TIGRINYA_ERITREA","features":[36]},{"name":"SUBLANG_TIGRINYA_ETHIOPIA","features":[36]},{"name":"SUBLANG_TSWANA_BOTSWANA","features":[36]},{"name":"SUBLANG_TSWANA_SOUTH_AFRICA","features":[36]},{"name":"SUBLANG_TURKISH_TURKEY","features":[36]},{"name":"SUBLANG_TURKMEN_TURKMENISTAN","features":[36]},{"name":"SUBLANG_UIGHUR_PRC","features":[36]},{"name":"SUBLANG_UI_CUSTOM_DEFAULT","features":[36]},{"name":"SUBLANG_UKRAINIAN_UKRAINE","features":[36]},{"name":"SUBLANG_UPPER_SORBIAN_GERMANY","features":[36]},{"name":"SUBLANG_URDU_INDIA","features":[36]},{"name":"SUBLANG_URDU_PAKISTAN","features":[36]},{"name":"SUBLANG_UZBEK_CYRILLIC","features":[36]},{"name":"SUBLANG_UZBEK_LATIN","features":[36]},{"name":"SUBLANG_VALENCIAN_VALENCIA","features":[36]},{"name":"SUBLANG_VIETNAMESE_VIETNAM","features":[36]},{"name":"SUBLANG_WELSH_UNITED_KINGDOM","features":[36]},{"name":"SUBLANG_WOLOF_SENEGAL","features":[36]},{"name":"SUBLANG_XHOSA_SOUTH_AFRICA","features":[36]},{"name":"SUBLANG_YAKUT_RUSSIA","features":[36]},{"name":"SUBLANG_YI_PRC","features":[36]},{"name":"SUBLANG_YORUBA_NIGERIA","features":[36]},{"name":"SUBLANG_ZULU_SOUTH_AFRICA","features":[36]},{"name":"SUPPORTED_OS_INFO","features":[36]},{"name":"SYSTEM_ACCESS_FILTER_ACE_TYPE","features":[36]},{"name":"SYSTEM_ACCESS_FILTER_NOCONSTRAINT_MASK","features":[36]},{"name":"SYSTEM_ACCESS_FILTER_VALID_MASK","features":[36]},{"name":"SYSTEM_ALARM_ACE_TYPE","features":[36]},{"name":"SYSTEM_ALARM_CALLBACK_ACE_TYPE","features":[36]},{"name":"SYSTEM_ALARM_CALLBACK_OBJECT_ACE_TYPE","features":[36]},{"name":"SYSTEM_ALARM_OBJECT_ACE_TYPE","features":[36]},{"name":"SYSTEM_AUDIT_ACE_TYPE","features":[36]},{"name":"SYSTEM_AUDIT_CALLBACK_ACE_TYPE","features":[36]},{"name":"SYSTEM_AUDIT_CALLBACK_OBJECT_ACE_TYPE","features":[36]},{"name":"SYSTEM_AUDIT_OBJECT_ACE_TYPE","features":[36]},{"name":"SYSTEM_CACHE_ALIGNMENT_SIZE","features":[36]},{"name":"SYSTEM_MANDATORY_LABEL_ACE_TYPE","features":[36]},{"name":"SYSTEM_MANDATORY_LABEL_NO_EXECUTE_UP","features":[36]},{"name":"SYSTEM_MANDATORY_LABEL_NO_READ_UP","features":[36]},{"name":"SYSTEM_MANDATORY_LABEL_NO_WRITE_UP","features":[36]},{"name":"SYSTEM_PROCESS_TRUST_LABEL_ACE_TYPE","features":[36]},{"name":"SYSTEM_PROCESS_TRUST_LABEL_VALID_MASK","features":[36]},{"name":"SYSTEM_PROCESS_TRUST_NOCONSTRAINT_MASK","features":[36]},{"name":"SYSTEM_RESOURCE_ATTRIBUTE_ACE_TYPE","features":[36]},{"name":"SYSTEM_SCOPED_POLICY_ID_ACE_TYPE","features":[36]},{"name":"SeImageSignatureCache","features":[36]},{"name":"SeImageSignatureCatalogCached","features":[36]},{"name":"SeImageSignatureCatalogHint","features":[36]},{"name":"SeImageSignatureCatalogNotCached","features":[36]},{"name":"SeImageSignatureEmbedded","features":[36]},{"name":"SeImageSignatureNone","features":[36]},{"name":"SeImageSignaturePackageCatalog","features":[36]},{"name":"SeImageSignaturePplMitigated","features":[36]},{"name":"SevereError","features":[36]},{"name":"SharedVirtualDiskCDPSnapshotsSupported","features":[36]},{"name":"SharedVirtualDiskHandleState","features":[36]},{"name":"SharedVirtualDiskHandleStateFileShared","features":[36]},{"name":"SharedVirtualDiskHandleStateHandleShared","features":[36]},{"name":"SharedVirtualDiskHandleStateNone","features":[36]},{"name":"SharedVirtualDiskSnapshotsSupported","features":[36]},{"name":"SharedVirtualDiskSupportType","features":[36]},{"name":"SharedVirtualDisksSupported","features":[36]},{"name":"SharedVirtualDisksUnsupported","features":[36]},{"name":"SystemLoad","features":[36]},{"name":"TAPE_CHECK_FOR_DRIVE_PROBLEM","features":[36]},{"name":"TAPE_CREATE_PARTITION","features":[36]},{"name":"TAPE_DRIVE_ABSOLUTE_BLK","features":[36]},{"name":"TAPE_DRIVE_ABS_BLK_IMMED","features":[36]},{"name":"TAPE_DRIVE_CLEAN_REQUESTS","features":[36]},{"name":"TAPE_DRIVE_COMPRESSION","features":[36]},{"name":"TAPE_DRIVE_ECC","features":[36]},{"name":"TAPE_DRIVE_EJECT_MEDIA","features":[36]},{"name":"TAPE_DRIVE_END_OF_DATA","features":[36]},{"name":"TAPE_DRIVE_EOT_WZ_SIZE","features":[36]},{"name":"TAPE_DRIVE_ERASE_BOP_ONLY","features":[36]},{"name":"TAPE_DRIVE_ERASE_IMMEDIATE","features":[36]},{"name":"TAPE_DRIVE_ERASE_LONG","features":[36]},{"name":"TAPE_DRIVE_ERASE_SHORT","features":[36]},{"name":"TAPE_DRIVE_FILEMARKS","features":[36]},{"name":"TAPE_DRIVE_FIXED","features":[36]},{"name":"TAPE_DRIVE_FIXED_BLOCK","features":[36]},{"name":"TAPE_DRIVE_FORMAT","features":[36]},{"name":"TAPE_DRIVE_FORMAT_IMMEDIATE","features":[36]},{"name":"TAPE_DRIVE_GET_ABSOLUTE_BLK","features":[36]},{"name":"TAPE_DRIVE_GET_LOGICAL_BLK","features":[36]},{"name":"TAPE_DRIVE_HIGH_FEATURES","features":[36]},{"name":"TAPE_DRIVE_INITIATOR","features":[36]},{"name":"TAPE_DRIVE_LOAD_UNLD_IMMED","features":[36]},{"name":"TAPE_DRIVE_LOAD_UNLOAD","features":[36]},{"name":"TAPE_DRIVE_LOCK_UNLK_IMMED","features":[36]},{"name":"TAPE_DRIVE_LOCK_UNLOCK","features":[36]},{"name":"TAPE_DRIVE_LOGICAL_BLK","features":[36]},{"name":"TAPE_DRIVE_LOG_BLK_IMMED","features":[36]},{"name":"TAPE_DRIVE_PADDING","features":[36]},{"name":"TAPE_DRIVE_PROBLEM_TYPE","features":[36]},{"name":"TAPE_DRIVE_RELATIVE_BLKS","features":[36]},{"name":"TAPE_DRIVE_REPORT_SMKS","features":[36]},{"name":"TAPE_DRIVE_RESERVED_BIT","features":[36]},{"name":"TAPE_DRIVE_REVERSE_POSITION","features":[36]},{"name":"TAPE_DRIVE_REWIND_IMMEDIATE","features":[36]},{"name":"TAPE_DRIVE_SELECT","features":[36]},{"name":"TAPE_DRIVE_SEQUENTIAL_FMKS","features":[36]},{"name":"TAPE_DRIVE_SEQUENTIAL_SMKS","features":[36]},{"name":"TAPE_DRIVE_SETMARKS","features":[36]},{"name":"TAPE_DRIVE_SET_BLOCK_SIZE","features":[36]},{"name":"TAPE_DRIVE_SET_CMP_BOP_ONLY","features":[36]},{"name":"TAPE_DRIVE_SET_COMPRESSION","features":[36]},{"name":"TAPE_DRIVE_SET_ECC","features":[36]},{"name":"TAPE_DRIVE_SET_EOT_WZ_SIZE","features":[36]},{"name":"TAPE_DRIVE_SET_PADDING","features":[36]},{"name":"TAPE_DRIVE_SET_REPORT_SMKS","features":[36]},{"name":"TAPE_DRIVE_SPACE_IMMEDIATE","features":[36]},{"name":"TAPE_DRIVE_TAPE_CAPACITY","features":[36]},{"name":"TAPE_DRIVE_TAPE_REMAINING","features":[36]},{"name":"TAPE_DRIVE_TENSION","features":[36]},{"name":"TAPE_DRIVE_TENSION_IMMED","features":[36]},{"name":"TAPE_DRIVE_VARIABLE_BLOCK","features":[36]},{"name":"TAPE_DRIVE_WRITE_FILEMARKS","features":[36]},{"name":"TAPE_DRIVE_WRITE_LONG_FMKS","features":[36]},{"name":"TAPE_DRIVE_WRITE_MARK_IMMED","features":[36]},{"name":"TAPE_DRIVE_WRITE_PROTECT","features":[36]},{"name":"TAPE_DRIVE_WRITE_SETMARKS","features":[36]},{"name":"TAPE_DRIVE_WRITE_SHORT_FMKS","features":[36]},{"name":"TAPE_GET_DRIVE_PARAMETERS","features":[1,36]},{"name":"TAPE_GET_DRIVE_PARAMETERS_FEATURES_HIGH","features":[36]},{"name":"TAPE_GET_MEDIA_PARAMETERS","features":[1,36]},{"name":"TAPE_PSEUDO_LOGICAL_BLOCK","features":[36]},{"name":"TAPE_PSEUDO_LOGICAL_POSITION","features":[36]},{"name":"TAPE_QUERY_DEVICE_ERROR_DATA","features":[36]},{"name":"TAPE_QUERY_DRIVE_PARAMETERS","features":[36]},{"name":"TAPE_QUERY_IO_ERROR_DATA","features":[36]},{"name":"TAPE_QUERY_MEDIA_CAPACITY","features":[36]},{"name":"TAPE_SET_DRIVE_PARAMETERS","features":[1,36]},{"name":"TAPE_SET_MEDIA_PARAMETERS","features":[36]},{"name":"TAPE_WMI_OPERATIONS","features":[36]},{"name":"THREAD_BASE_PRIORITY_IDLE","features":[36]},{"name":"THREAD_BASE_PRIORITY_LOWRT","features":[36]},{"name":"THREAD_BASE_PRIORITY_MAX","features":[36]},{"name":"THREAD_BASE_PRIORITY_MIN","features":[36]},{"name":"THREAD_DYNAMIC_CODE_ALLOW","features":[36]},{"name":"THREAD_PROFILING_FLAG_DISPATCH","features":[36]},{"name":"TIME_ZONE_ID_DAYLIGHT","features":[36]},{"name":"TIME_ZONE_ID_STANDARD","features":[36]},{"name":"TIME_ZONE_ID_UNKNOWN","features":[36]},{"name":"TLS_MINIMUM_AVAILABLE","features":[36]},{"name":"TOKEN_BNO_ISOLATION_INFORMATION","features":[1,36]},{"name":"TOKEN_SID_INFORMATION","features":[1,36]},{"name":"TOKEN_SOURCE_LENGTH","features":[36]},{"name":"TRANSACTIONMANAGER_BASIC_INFORMATION","features":[36]},{"name":"TRANSACTIONMANAGER_BIND_TRANSACTION","features":[36]},{"name":"TRANSACTIONMANAGER_CREATE_RM","features":[36]},{"name":"TRANSACTIONMANAGER_INFORMATION_CLASS","features":[36]},{"name":"TRANSACTIONMANAGER_LOGPATH_INFORMATION","features":[36]},{"name":"TRANSACTIONMANAGER_LOG_INFORMATION","features":[36]},{"name":"TRANSACTIONMANAGER_OLDEST_INFORMATION","features":[36]},{"name":"TRANSACTIONMANAGER_QUERY_INFORMATION","features":[36]},{"name":"TRANSACTIONMANAGER_RECOVER","features":[36]},{"name":"TRANSACTIONMANAGER_RECOVERY_INFORMATION","features":[36]},{"name":"TRANSACTIONMANAGER_RENAME","features":[36]},{"name":"TRANSACTIONMANAGER_SET_INFORMATION","features":[36]},{"name":"TRANSACTION_BASIC_INFORMATION","features":[36]},{"name":"TRANSACTION_BIND_INFORMATION","features":[1,36]},{"name":"TRANSACTION_COMMIT","features":[36]},{"name":"TRANSACTION_ENLIST","features":[36]},{"name":"TRANSACTION_ENLISTMENTS_INFORMATION","features":[36]},{"name":"TRANSACTION_ENLISTMENT_PAIR","features":[36]},{"name":"TRANSACTION_INFORMATION_CLASS","features":[36]},{"name":"TRANSACTION_LIST_ENTRY","features":[36]},{"name":"TRANSACTION_LIST_INFORMATION","features":[36]},{"name":"TRANSACTION_PROPAGATE","features":[36]},{"name":"TRANSACTION_PROPERTIES_INFORMATION","features":[36]},{"name":"TRANSACTION_QUERY_INFORMATION","features":[36]},{"name":"TRANSACTION_RIGHT_RESERVED1","features":[36]},{"name":"TRANSACTION_ROLLBACK","features":[36]},{"name":"TRANSACTION_SET_INFORMATION","features":[36]},{"name":"TRANSACTION_STATE","features":[36]},{"name":"TRANSACTION_SUPERIOR_ENLISTMENT_INFORMATION","features":[36]},{"name":"TREE_CONNECT_ATTRIBUTE_GLOBAL","features":[36]},{"name":"TREE_CONNECT_ATTRIBUTE_INTEGRITY","features":[36]},{"name":"TREE_CONNECT_ATTRIBUTE_PINNED","features":[36]},{"name":"TREE_CONNECT_ATTRIBUTE_PRIVACY","features":[36]},{"name":"TRUST_PROTECTED_FILTER_ACE_FLAG","features":[36]},{"name":"TapeDriveCleanDriveNow","features":[36]},{"name":"TapeDriveHardwareError","features":[36]},{"name":"TapeDriveMediaLifeExpired","features":[36]},{"name":"TapeDriveProblemNone","features":[36]},{"name":"TapeDriveReadError","features":[36]},{"name":"TapeDriveReadWarning","features":[36]},{"name":"TapeDriveReadWriteError","features":[36]},{"name":"TapeDriveReadWriteWarning","features":[36]},{"name":"TapeDriveScsiConnectionError","features":[36]},{"name":"TapeDriveSnappedTape","features":[36]},{"name":"TapeDriveTimetoClean","features":[36]},{"name":"TapeDriveUnsupportedMedia","features":[36]},{"name":"TapeDriveWriteError","features":[36]},{"name":"TapeDriveWriteWarning","features":[36]},{"name":"TransactionBasicInformation","features":[36]},{"name":"TransactionBindInformation","features":[36]},{"name":"TransactionDTCPrivateInformation","features":[36]},{"name":"TransactionEnlistmentInformation","features":[36]},{"name":"TransactionManagerBasicInformation","features":[36]},{"name":"TransactionManagerLogInformation","features":[36]},{"name":"TransactionManagerLogPathInformation","features":[36]},{"name":"TransactionManagerOldestTransactionInformation","features":[36]},{"name":"TransactionManagerOnlineProbeInformation","features":[36]},{"name":"TransactionManagerRecoveryInformation","features":[36]},{"name":"TransactionPropertiesInformation","features":[36]},{"name":"TransactionStateCommittedNotify","features":[36]},{"name":"TransactionStateIndoubt","features":[36]},{"name":"TransactionStateNormal","features":[36]},{"name":"TransactionSuperiorEnlistmentInformation","features":[36]},{"name":"UCSCHAR_INVALID_CHARACTER","features":[36]},{"name":"UMS_CREATE_THREAD_ATTRIBUTES","features":[36]},{"name":"UNICODE_STRING_MAX_CHARS","features":[36]},{"name":"UNIFIEDBUILDREVISION_KEY","features":[36]},{"name":"UNIFIEDBUILDREVISION_MIN","features":[36]},{"name":"UNIFIEDBUILDREVISION_VALUE","features":[36]},{"name":"UNWIND_CHAIN_LIMIT","features":[36]},{"name":"UNWIND_HISTORY_TABLE_SIZE","features":[36]},{"name":"UNW_FLAG_NO_EPILOGUE","features":[36]},{"name":"UmsSchedulerStartup","features":[36]},{"name":"UmsSchedulerThreadBlocked","features":[36]},{"name":"UmsSchedulerThreadYield","features":[36]},{"name":"VALID_INHERIT_FLAGS","features":[36]},{"name":"VBS_BASIC_PAGE_MEASURED_DATA","features":[36]},{"name":"VBS_BASIC_PAGE_SYSTEM_CALL","features":[36]},{"name":"VBS_BASIC_PAGE_THREAD_DESCRIPTOR","features":[36]},{"name":"VBS_BASIC_PAGE_UNMEASURED_DATA","features":[36]},{"name":"VBS_BASIC_PAGE_ZERO_FILL","features":[36]},{"name":"VER_AND","features":[36]},{"name":"VER_CONDITION_MASK","features":[36]},{"name":"VER_EQUAL","features":[36]},{"name":"VER_GREATER","features":[36]},{"name":"VER_GREATER_EQUAL","features":[36]},{"name":"VER_LESS","features":[36]},{"name":"VER_LESS_EQUAL","features":[36]},{"name":"VER_NT_DOMAIN_CONTROLLER","features":[36]},{"name":"VER_NT_SERVER","features":[36]},{"name":"VER_NT_WORKSTATION","features":[36]},{"name":"VER_NUM_BITS_PER_CONDITION_MASK","features":[36]},{"name":"VER_OR","features":[36]},{"name":"VER_SERVER_NT","features":[36]},{"name":"VER_SUITE_BACKOFFICE","features":[36]},{"name":"VER_SUITE_BLADE","features":[36]},{"name":"VER_SUITE_COMMUNICATIONS","features":[36]},{"name":"VER_SUITE_COMPUTE_SERVER","features":[36]},{"name":"VER_SUITE_DATACENTER","features":[36]},{"name":"VER_SUITE_EMBEDDEDNT","features":[36]},{"name":"VER_SUITE_EMBEDDED_RESTRICTED","features":[36]},{"name":"VER_SUITE_ENTERPRISE","features":[36]},{"name":"VER_SUITE_MULTIUSERTS","features":[36]},{"name":"VER_SUITE_PERSONAL","features":[36]},{"name":"VER_SUITE_SECURITY_APPLIANCE","features":[36]},{"name":"VER_SUITE_SINGLEUSERTS","features":[36]},{"name":"VER_SUITE_SMALLBUSINESS","features":[36]},{"name":"VER_SUITE_SMALLBUSINESS_RESTRICTED","features":[36]},{"name":"VER_SUITE_STORAGE_SERVER","features":[36]},{"name":"VER_SUITE_TERMINAL","features":[36]},{"name":"VER_SUITE_WH_SERVER","features":[36]},{"name":"VER_WORKSTATION_NT","features":[36]},{"name":"VRL_CUSTOM_CLASS_BEGIN","features":[36]},{"name":"VRL_ENABLE_KERNEL_BREAKS","features":[36]},{"name":"VRL_PREDEFINED_CLASS_BEGIN","features":[36]},{"name":"WDT_INPROC64_CALL","features":[36]},{"name":"WDT_INPROC_CALL","features":[36]},{"name":"WDT_REMOTE_CALL","features":[36]},{"name":"WORD_WHEEL_OPEN_FLAGS","features":[36]},{"name":"WRITE_NV_MEMORY_FLAG_FLUSH","features":[36]},{"name":"WRITE_NV_MEMORY_FLAG_NON_TEMPORAL","features":[36]},{"name":"WRITE_NV_MEMORY_FLAG_NO_DRAIN","features":[36]},{"name":"WRITE_WATCH_FLAG_RESET","features":[36]},{"name":"WT_EXECUTEDELETEWAIT","features":[36]},{"name":"WT_EXECUTEINLONGTHREAD","features":[36]},{"name":"WT_EXECUTEINPERSISTENTIOTHREAD","features":[36]},{"name":"WT_EXECUTEINUITHREAD","features":[36]},{"name":"Win32ServiceOwnProcess","features":[36]},{"name":"Win32ServiceShareProcess","features":[36]},{"name":"X3_BTYPE_QP_INST_VAL_POS_X","features":[36]},{"name":"X3_BTYPE_QP_INST_WORD_POS_X","features":[36]},{"name":"X3_BTYPE_QP_INST_WORD_X","features":[36]},{"name":"X3_BTYPE_QP_SIZE_X","features":[36]},{"name":"X3_D_WH_INST_WORD_POS_X","features":[36]},{"name":"X3_D_WH_INST_WORD_X","features":[36]},{"name":"X3_D_WH_SIGN_VAL_POS_X","features":[36]},{"name":"X3_D_WH_SIZE_X","features":[36]},{"name":"X3_EMPTY_INST_VAL_POS_X","features":[36]},{"name":"X3_EMPTY_INST_WORD_POS_X","features":[36]},{"name":"X3_EMPTY_INST_WORD_X","features":[36]},{"name":"X3_EMPTY_SIZE_X","features":[36]},{"name":"X3_IMM20_INST_WORD_POS_X","features":[36]},{"name":"X3_IMM20_INST_WORD_X","features":[36]},{"name":"X3_IMM20_SIGN_VAL_POS_X","features":[36]},{"name":"X3_IMM20_SIZE_X","features":[36]},{"name":"X3_IMM39_1_INST_WORD_POS_X","features":[36]},{"name":"X3_IMM39_1_INST_WORD_X","features":[36]},{"name":"X3_IMM39_1_SIGN_VAL_POS_X","features":[36]},{"name":"X3_IMM39_1_SIZE_X","features":[36]},{"name":"X3_IMM39_2_INST_WORD_POS_X","features":[36]},{"name":"X3_IMM39_2_INST_WORD_X","features":[36]},{"name":"X3_IMM39_2_SIGN_VAL_POS_X","features":[36]},{"name":"X3_IMM39_2_SIZE_X","features":[36]},{"name":"X3_I_INST_WORD_POS_X","features":[36]},{"name":"X3_I_INST_WORD_X","features":[36]},{"name":"X3_I_SIGN_VAL_POS_X","features":[36]},{"name":"X3_I_SIZE_X","features":[36]},{"name":"X3_OPCODE_INST_WORD_POS_X","features":[36]},{"name":"X3_OPCODE_INST_WORD_X","features":[36]},{"name":"X3_OPCODE_SIGN_VAL_POS_X","features":[36]},{"name":"X3_OPCODE_SIZE_X","features":[36]},{"name":"X3_P_INST_WORD_POS_X","features":[36]},{"name":"X3_P_INST_WORD_X","features":[36]},{"name":"X3_P_SIGN_VAL_POS_X","features":[36]},{"name":"X3_P_SIZE_X","features":[36]},{"name":"X3_TMPLT_INST_WORD_POS_X","features":[36]},{"name":"X3_TMPLT_INST_WORD_X","features":[36]},{"name":"X3_TMPLT_SIGN_VAL_POS_X","features":[36]},{"name":"X3_TMPLT_SIZE_X","features":[36]},{"name":"X86_CACHE_ALIGNMENT_SIZE","features":[36]},{"name":"XSAVE_CET_U_FORMAT","features":[36]},{"name":"XSTATE_ALIGN_BIT","features":[36]},{"name":"XSTATE_AMX_TILE_CONFIG","features":[36]},{"name":"XSTATE_AMX_TILE_DATA","features":[36]},{"name":"XSTATE_AVX","features":[36]},{"name":"XSTATE_AVX512_KMASK","features":[36]},{"name":"XSTATE_AVX512_ZMM","features":[36]},{"name":"XSTATE_AVX512_ZMM_H","features":[36]},{"name":"XSTATE_CET_S","features":[36]},{"name":"XSTATE_CET_U","features":[36]},{"name":"XSTATE_COMPACTION_ENABLE","features":[36]},{"name":"XSTATE_CONTROLFLAG_XFD_MASK","features":[36]},{"name":"XSTATE_CONTROLFLAG_XSAVEC_MASK","features":[36]},{"name":"XSTATE_CONTROLFLAG_XSAVEOPT_MASK","features":[36]},{"name":"XSTATE_GSSE","features":[36]},{"name":"XSTATE_IPT","features":[36]},{"name":"XSTATE_LEGACY_FLOATING_POINT","features":[36]},{"name":"XSTATE_LEGACY_SSE","features":[36]},{"name":"XSTATE_LWP","features":[36]},{"name":"XSTATE_MPX_BNDCSR","features":[36]},{"name":"XSTATE_MPX_BNDREGS","features":[36]},{"name":"XSTATE_PASID","features":[36]},{"name":"XSTATE_XFD_BIT","features":[36]},{"name":"_MM_HINT_NTA","features":[36]},{"name":"_MM_HINT_T0","features":[36]},{"name":"_MM_HINT_T1","features":[36]},{"name":"_MM_HINT_T2","features":[36]},{"name":"remoteMETAFILEPICT","features":[41,36]},{"name":"userBITMAP","features":[36]},{"name":"userCLIPFORMAT","features":[36]},{"name":"userHBITMAP","features":[36]},{"name":"userHENHMETAFILE","features":[41,36]},{"name":"userHGLOBAL","features":[41,36]},{"name":"userHMETAFILE","features":[41,36]},{"name":"userHMETAFILEPICT","features":[41,36]},{"name":"userHPALETTE","features":[12,36]}],"616":[{"name":"ABOVE_NORMAL_PRIORITY_CLASS","features":[37]},{"name":"ALL_PROCESSOR_GROUPS","features":[37]},{"name":"APC_CALLBACK_FUNCTION","features":[37]},{"name":"APP_MEMORY_INFORMATION","features":[37]},{"name":"AVRT_PRIORITY","features":[37]},{"name":"AVRT_PRIORITY_CRITICAL","features":[37]},{"name":"AVRT_PRIORITY_HIGH","features":[37]},{"name":"AVRT_PRIORITY_LOW","features":[37]},{"name":"AVRT_PRIORITY_NORMAL","features":[37]},{"name":"AVRT_PRIORITY_VERYLOW","features":[37]},{"name":"AcquireSRWLockExclusive","features":[37]},{"name":"AcquireSRWLockShared","features":[37]},{"name":"AddIntegrityLabelToBoundaryDescriptor","features":[1,37]},{"name":"AddSIDToBoundaryDescriptor","features":[1,37]},{"name":"AttachThreadInput","features":[1,37]},{"name":"AvQuerySystemResponsiveness","features":[1,37]},{"name":"AvRevertMmThreadCharacteristics","features":[1,37]},{"name":"AvRtCreateThreadOrderingGroup","features":[1,37]},{"name":"AvRtCreateThreadOrderingGroupExA","features":[1,37]},{"name":"AvRtCreateThreadOrderingGroupExW","features":[1,37]},{"name":"AvRtDeleteThreadOrderingGroup","features":[1,37]},{"name":"AvRtJoinThreadOrderingGroup","features":[1,37]},{"name":"AvRtLeaveThreadOrderingGroup","features":[1,37]},{"name":"AvRtWaitOnThreadOrderingGroup","features":[1,37]},{"name":"AvSetMmMaxThreadCharacteristicsA","features":[1,37]},{"name":"AvSetMmMaxThreadCharacteristicsW","features":[1,37]},{"name":"AvSetMmThreadCharacteristicsA","features":[1,37]},{"name":"AvSetMmThreadCharacteristicsW","features":[1,37]},{"name":"AvSetMmThreadPriority","features":[1,37]},{"name":"BELOW_NORMAL_PRIORITY_CLASS","features":[37]},{"name":"CONDITION_VARIABLE","features":[37]},{"name":"CONDITION_VARIABLE_INIT","features":[37]},{"name":"CONDITION_VARIABLE_LOCKMODE_SHARED","features":[37]},{"name":"CREATE_BREAKAWAY_FROM_JOB","features":[37]},{"name":"CREATE_DEFAULT_ERROR_MODE","features":[37]},{"name":"CREATE_EVENT","features":[37]},{"name":"CREATE_EVENT_INITIAL_SET","features":[37]},{"name":"CREATE_EVENT_MANUAL_RESET","features":[37]},{"name":"CREATE_FORCEDOS","features":[37]},{"name":"CREATE_IGNORE_SYSTEM_DEFAULT","features":[37]},{"name":"CREATE_MUTEX_INITIAL_OWNER","features":[37]},{"name":"CREATE_NEW_CONSOLE","features":[37]},{"name":"CREATE_NEW_PROCESS_GROUP","features":[37]},{"name":"CREATE_NO_WINDOW","features":[37]},{"name":"CREATE_PRESERVE_CODE_AUTHZ_LEVEL","features":[37]},{"name":"CREATE_PROCESS_LOGON_FLAGS","features":[37]},{"name":"CREATE_PROTECTED_PROCESS","features":[37]},{"name":"CREATE_SECURE_PROCESS","features":[37]},{"name":"CREATE_SEPARATE_WOW_VDM","features":[37]},{"name":"CREATE_SHARED_WOW_VDM","features":[37]},{"name":"CREATE_SUSPENDED","features":[37]},{"name":"CREATE_UNICODE_ENVIRONMENT","features":[37]},{"name":"CREATE_WAITABLE_TIMER_HIGH_RESOLUTION","features":[37]},{"name":"CREATE_WAITABLE_TIMER_MANUAL_RESET","features":[37]},{"name":"CRITICAL_SECTION","features":[1,7,37]},{"name":"CRITICAL_SECTION_DEBUG","features":[1,7,37]},{"name":"CallbackMayRunLong","features":[1,37]},{"name":"CancelThreadpoolIo","features":[37]},{"name":"CancelTimerQueueTimer","features":[1,37]},{"name":"CancelWaitableTimer","features":[1,37]},{"name":"ChangeTimerQueueTimer","features":[1,37]},{"name":"ClosePrivateNamespace","features":[1,37]},{"name":"CloseThreadpool","features":[37]},{"name":"CloseThreadpoolCleanupGroup","features":[37]},{"name":"CloseThreadpoolCleanupGroupMembers","features":[1,37]},{"name":"CloseThreadpoolIo","features":[37]},{"name":"CloseThreadpoolTimer","features":[37]},{"name":"CloseThreadpoolWait","features":[37]},{"name":"CloseThreadpoolWork","features":[37]},{"name":"ConvertFiberToThread","features":[1,37]},{"name":"ConvertThreadToFiber","features":[37]},{"name":"ConvertThreadToFiberEx","features":[37]},{"name":"CreateBoundaryDescriptorA","features":[1,37]},{"name":"CreateBoundaryDescriptorW","features":[1,37]},{"name":"CreateEventA","features":[1,4,37]},{"name":"CreateEventExA","features":[1,4,37]},{"name":"CreateEventExW","features":[1,4,37]},{"name":"CreateEventW","features":[1,4,37]},{"name":"CreateFiber","features":[37]},{"name":"CreateFiberEx","features":[37]},{"name":"CreateMutexA","features":[1,4,37]},{"name":"CreateMutexExA","features":[1,4,37]},{"name":"CreateMutexExW","features":[1,4,37]},{"name":"CreateMutexW","features":[1,4,37]},{"name":"CreatePrivateNamespaceA","features":[1,4,37]},{"name":"CreatePrivateNamespaceW","features":[1,4,37]},{"name":"CreateProcessA","features":[1,4,37]},{"name":"CreateProcessAsUserA","features":[1,4,37]},{"name":"CreateProcessAsUserW","features":[1,4,37]},{"name":"CreateProcessW","features":[1,4,37]},{"name":"CreateProcessWithLogonW","features":[1,37]},{"name":"CreateProcessWithTokenW","features":[1,37]},{"name":"CreateRemoteThread","features":[1,4,37]},{"name":"CreateRemoteThreadEx","features":[1,4,37]},{"name":"CreateSemaphoreA","features":[1,4,37]},{"name":"CreateSemaphoreExA","features":[1,4,37]},{"name":"CreateSemaphoreExW","features":[1,4,37]},{"name":"CreateSemaphoreW","features":[1,4,37]},{"name":"CreateThread","features":[1,4,37]},{"name":"CreateThreadpool","features":[37]},{"name":"CreateThreadpoolCleanupGroup","features":[37]},{"name":"CreateThreadpoolIo","features":[1,37]},{"name":"CreateThreadpoolTimer","features":[37]},{"name":"CreateThreadpoolWait","features":[37]},{"name":"CreateThreadpoolWork","features":[37]},{"name":"CreateTimerQueue","features":[1,37]},{"name":"CreateTimerQueueTimer","features":[1,37]},{"name":"CreateUmsCompletionList","features":[1,37]},{"name":"CreateUmsThreadContext","features":[1,37]},{"name":"CreateWaitableTimerA","features":[1,4,37]},{"name":"CreateWaitableTimerExA","features":[1,4,37]},{"name":"CreateWaitableTimerExW","features":[1,4,37]},{"name":"CreateWaitableTimerW","features":[1,4,37]},{"name":"DEBUG_ONLY_THIS_PROCESS","features":[37]},{"name":"DEBUG_PROCESS","features":[37]},{"name":"DETACHED_PROCESS","features":[37]},{"name":"DeleteBoundaryDescriptor","features":[1,37]},{"name":"DeleteCriticalSection","features":[1,7,37]},{"name":"DeleteFiber","features":[37]},{"name":"DeleteProcThreadAttributeList","features":[37]},{"name":"DeleteSynchronizationBarrier","features":[1,37]},{"name":"DeleteTimerQueue","features":[1,37]},{"name":"DeleteTimerQueueEx","features":[1,37]},{"name":"DeleteTimerQueueTimer","features":[1,37]},{"name":"DeleteUmsCompletionList","features":[1,37]},{"name":"DeleteUmsThreadContext","features":[1,37]},{"name":"DequeueUmsCompletionListItems","features":[1,37]},{"name":"DisassociateCurrentThreadFromCallback","features":[37]},{"name":"EVENT_ALL_ACCESS","features":[37]},{"name":"EVENT_MODIFY_STATE","features":[37]},{"name":"EXTENDED_STARTUPINFO_PRESENT","features":[37]},{"name":"EnterCriticalSection","features":[1,7,37]},{"name":"EnterSynchronizationBarrier","features":[1,37]},{"name":"EnterUmsSchedulingMode","features":[1,36,37]},{"name":"ExecuteUmsThread","features":[1,37]},{"name":"ExitProcess","features":[37]},{"name":"ExitThread","features":[37]},{"name":"FLS_OUT_OF_INDEXES","features":[37]},{"name":"FlsAlloc","features":[37]},{"name":"FlsFree","features":[1,37]},{"name":"FlsGetValue","features":[37]},{"name":"FlsSetValue","features":[1,37]},{"name":"FlushProcessWriteBuffers","features":[37]},{"name":"FreeLibraryWhenCallbackReturns","features":[1,37]},{"name":"GET_GUI_RESOURCES_FLAGS","features":[37]},{"name":"GR_GDIOBJECTS","features":[37]},{"name":"GR_GDIOBJECTS_PEAK","features":[37]},{"name":"GR_USEROBJECTS","features":[37]},{"name":"GR_USEROBJECTS_PEAK","features":[37]},{"name":"GetActiveProcessorCount","features":[37]},{"name":"GetActiveProcessorGroupCount","features":[37]},{"name":"GetCurrentProcess","features":[1,37]},{"name":"GetCurrentProcessId","features":[37]},{"name":"GetCurrentProcessToken","features":[1,37]},{"name":"GetCurrentProcessorNumber","features":[37]},{"name":"GetCurrentProcessorNumberEx","features":[7,37]},{"name":"GetCurrentThread","features":[1,37]},{"name":"GetCurrentThreadEffectiveToken","features":[1,37]},{"name":"GetCurrentThreadId","features":[37]},{"name":"GetCurrentThreadStackLimits","features":[37]},{"name":"GetCurrentThreadToken","features":[1,37]},{"name":"GetCurrentUmsThread","features":[37]},{"name":"GetExitCodeProcess","features":[1,37]},{"name":"GetExitCodeThread","features":[1,37]},{"name":"GetGuiResources","features":[1,37]},{"name":"GetMachineTypeAttributes","features":[37]},{"name":"GetMaximumProcessorCount","features":[37]},{"name":"GetMaximumProcessorGroupCount","features":[37]},{"name":"GetNextUmsListItem","features":[37]},{"name":"GetNumaAvailableMemoryNode","features":[1,37]},{"name":"GetNumaAvailableMemoryNodeEx","features":[1,37]},{"name":"GetNumaHighestNodeNumber","features":[1,37]},{"name":"GetNumaNodeNumberFromHandle","features":[1,37]},{"name":"GetNumaNodeProcessorMask","features":[1,37]},{"name":"GetNumaNodeProcessorMask2","features":[1,32,37]},{"name":"GetNumaNodeProcessorMaskEx","features":[1,32,37]},{"name":"GetNumaProcessorNode","features":[1,37]},{"name":"GetNumaProcessorNodeEx","features":[1,7,37]},{"name":"GetNumaProximityNode","features":[1,37]},{"name":"GetNumaProximityNodeEx","features":[1,37]},{"name":"GetPriorityClass","features":[1,37]},{"name":"GetProcessAffinityMask","features":[1,37]},{"name":"GetProcessDEPPolicy","features":[1,37]},{"name":"GetProcessDefaultCpuSetMasks","features":[1,32,37]},{"name":"GetProcessDefaultCpuSets","features":[1,37]},{"name":"GetProcessGroupAffinity","features":[1,37]},{"name":"GetProcessHandleCount","features":[1,37]},{"name":"GetProcessId","features":[1,37]},{"name":"GetProcessIdOfThread","features":[1,37]},{"name":"GetProcessInformation","features":[1,37]},{"name":"GetProcessIoCounters","features":[1,37]},{"name":"GetProcessMitigationPolicy","features":[1,37]},{"name":"GetProcessPriorityBoost","features":[1,37]},{"name":"GetProcessShutdownParameters","features":[1,37]},{"name":"GetProcessTimes","features":[1,37]},{"name":"GetProcessVersion","features":[37]},{"name":"GetProcessWorkingSetSize","features":[1,37]},{"name":"GetStartupInfoA","features":[1,37]},{"name":"GetStartupInfoW","features":[1,37]},{"name":"GetSystemTimes","features":[1,37]},{"name":"GetThreadDescription","features":[1,37]},{"name":"GetThreadGroupAffinity","features":[1,32,37]},{"name":"GetThreadIOPendingFlag","features":[1,37]},{"name":"GetThreadId","features":[1,37]},{"name":"GetThreadIdealProcessorEx","features":[1,7,37]},{"name":"GetThreadInformation","features":[1,37]},{"name":"GetThreadPriority","features":[1,37]},{"name":"GetThreadPriorityBoost","features":[1,37]},{"name":"GetThreadSelectedCpuSetMasks","features":[1,32,37]},{"name":"GetThreadSelectedCpuSets","features":[1,37]},{"name":"GetThreadTimes","features":[1,37]},{"name":"GetUmsCompletionListEvent","features":[1,37]},{"name":"GetUmsSystemThreadInformation","features":[1,37]},{"name":"HIGH_PRIORITY_CLASS","features":[37]},{"name":"IDLE_PRIORITY_CLASS","features":[37]},{"name":"INFINITE","features":[37]},{"name":"INHERIT_CALLER_PRIORITY","features":[37]},{"name":"INHERIT_PARENT_AFFINITY","features":[37]},{"name":"INIT_ONCE","features":[37]},{"name":"INIT_ONCE_ASYNC","features":[37]},{"name":"INIT_ONCE_CHECK_ONLY","features":[37]},{"name":"INIT_ONCE_CTX_RESERVED_BITS","features":[37]},{"name":"INIT_ONCE_INIT_FAILED","features":[37]},{"name":"INIT_ONCE_STATIC_INIT","features":[37]},{"name":"IO_COUNTERS","features":[37]},{"name":"IRtwqAsyncCallback","features":[37]},{"name":"IRtwqAsyncResult","features":[37]},{"name":"IRtwqPlatformEvents","features":[37]},{"name":"InitOnceBeginInitialize","features":[1,37]},{"name":"InitOnceComplete","features":[1,37]},{"name":"InitOnceExecuteOnce","features":[1,37]},{"name":"InitOnceInitialize","features":[37]},{"name":"InitializeConditionVariable","features":[37]},{"name":"InitializeCriticalSection","features":[1,7,37]},{"name":"InitializeCriticalSectionAndSpinCount","features":[1,7,37]},{"name":"InitializeCriticalSectionEx","features":[1,7,37]},{"name":"InitializeProcThreadAttributeList","features":[1,37]},{"name":"InitializeSListHead","features":[7,37]},{"name":"InitializeSRWLock","features":[37]},{"name":"InitializeSynchronizationBarrier","features":[1,37]},{"name":"InterlockedFlushSList","features":[7,37]},{"name":"InterlockedPopEntrySList","features":[7,37]},{"name":"InterlockedPushEntrySList","features":[7,37]},{"name":"InterlockedPushListSListEx","features":[7,37]},{"name":"IsImmersiveProcess","features":[1,37]},{"name":"IsProcessCritical","features":[1,37]},{"name":"IsProcessorFeaturePresent","features":[1,37]},{"name":"IsThreadAFiber","features":[1,37]},{"name":"IsThreadpoolTimerSet","features":[1,37]},{"name":"IsWow64Process","features":[1,37]},{"name":"IsWow64Process2","features":[1,32,37]},{"name":"KernelEnabled","features":[37]},{"name":"LOGON_NETCREDENTIALS_ONLY","features":[37]},{"name":"LOGON_WITH_PROFILE","features":[37]},{"name":"LPFIBER_START_ROUTINE","features":[37]},{"name":"LPPROC_THREAD_ATTRIBUTE_LIST","features":[37]},{"name":"LPTHREAD_START_ROUTINE","features":[37]},{"name":"LeaveCriticalSection","features":[1,7,37]},{"name":"LeaveCriticalSectionWhenCallbackReturns","features":[1,7,37]},{"name":"MACHINE_ATTRIBUTES","features":[37]},{"name":"MEMORY_PRIORITY","features":[37]},{"name":"MEMORY_PRIORITY_BELOW_NORMAL","features":[37]},{"name":"MEMORY_PRIORITY_INFORMATION","features":[37]},{"name":"MEMORY_PRIORITY_LOW","features":[37]},{"name":"MEMORY_PRIORITY_MEDIUM","features":[37]},{"name":"MEMORY_PRIORITY_NORMAL","features":[37]},{"name":"MEMORY_PRIORITY_VERY_LOW","features":[37]},{"name":"MUTEX_ALL_ACCESS","features":[37]},{"name":"MUTEX_MODIFY_STATE","features":[37]},{"name":"MaxProcessMitigationPolicy","features":[37]},{"name":"NORMAL_PRIORITY_CLASS","features":[37]},{"name":"OVERRIDE_PREFETCH_PARAMETER","features":[37]},{"name":"OpenEventA","features":[1,37]},{"name":"OpenEventW","features":[1,37]},{"name":"OpenMutexW","features":[1,37]},{"name":"OpenPrivateNamespaceA","features":[1,37]},{"name":"OpenPrivateNamespaceW","features":[1,37]},{"name":"OpenProcess","features":[1,37]},{"name":"OpenProcessToken","features":[1,4,37]},{"name":"OpenSemaphoreW","features":[1,37]},{"name":"OpenThread","features":[1,37]},{"name":"OpenThreadToken","features":[1,4,37]},{"name":"OpenWaitableTimerA","features":[1,37]},{"name":"OpenWaitableTimerW","features":[1,37]},{"name":"PEB","features":[1,7,37]},{"name":"PEB_LDR_DATA","features":[7,37]},{"name":"PFLS_CALLBACK_FUNCTION","features":[37]},{"name":"PF_3DNOW_INSTRUCTIONS_AVAILABLE","features":[37]},{"name":"PF_ALPHA_BYTE_INSTRUCTIONS","features":[37]},{"name":"PF_ARM_64BIT_LOADSTORE_ATOMIC","features":[37]},{"name":"PF_ARM_DIVIDE_INSTRUCTION_AVAILABLE","features":[37]},{"name":"PF_ARM_EXTERNAL_CACHE_AVAILABLE","features":[37]},{"name":"PF_ARM_FMAC_INSTRUCTIONS_AVAILABLE","features":[37]},{"name":"PF_ARM_NEON_INSTRUCTIONS_AVAILABLE","features":[37]},{"name":"PF_ARM_V81_ATOMIC_INSTRUCTIONS_AVAILABLE","features":[37]},{"name":"PF_ARM_V82_DP_INSTRUCTIONS_AVAILABLE","features":[37]},{"name":"PF_ARM_V83_JSCVT_INSTRUCTIONS_AVAILABLE","features":[37]},{"name":"PF_ARM_V83_LRCPC_INSTRUCTIONS_AVAILABLE","features":[37]},{"name":"PF_ARM_V8_CRC32_INSTRUCTIONS_AVAILABLE","features":[37]},{"name":"PF_ARM_V8_CRYPTO_INSTRUCTIONS_AVAILABLE","features":[37]},{"name":"PF_ARM_V8_INSTRUCTIONS_AVAILABLE","features":[37]},{"name":"PF_ARM_VFP_32_REGISTERS_AVAILABLE","features":[37]},{"name":"PF_AVX2_INSTRUCTIONS_AVAILABLE","features":[37]},{"name":"PF_AVX512F_INSTRUCTIONS_AVAILABLE","features":[37]},{"name":"PF_AVX_INSTRUCTIONS_AVAILABLE","features":[37]},{"name":"PF_CHANNELS_ENABLED","features":[37]},{"name":"PF_COMPARE64_EXCHANGE128","features":[37]},{"name":"PF_COMPARE_EXCHANGE128","features":[37]},{"name":"PF_COMPARE_EXCHANGE_DOUBLE","features":[37]},{"name":"PF_ERMS_AVAILABLE","features":[37]},{"name":"PF_FASTFAIL_AVAILABLE","features":[37]},{"name":"PF_FLOATING_POINT_EMULATED","features":[37]},{"name":"PF_FLOATING_POINT_PRECISION_ERRATA","features":[37]},{"name":"PF_MMX_INSTRUCTIONS_AVAILABLE","features":[37]},{"name":"PF_MONITORX_INSTRUCTION_AVAILABLE","features":[37]},{"name":"PF_NX_ENABLED","features":[37]},{"name":"PF_PAE_ENABLED","features":[37]},{"name":"PF_PPC_MOVEMEM_64BIT_OK","features":[37]},{"name":"PF_RDPID_INSTRUCTION_AVAILABLE","features":[37]},{"name":"PF_RDRAND_INSTRUCTION_AVAILABLE","features":[37]},{"name":"PF_RDTSCP_INSTRUCTION_AVAILABLE","features":[37]},{"name":"PF_RDTSC_INSTRUCTION_AVAILABLE","features":[37]},{"name":"PF_RDWRFSGSBASE_AVAILABLE","features":[37]},{"name":"PF_SECOND_LEVEL_ADDRESS_TRANSLATION","features":[37]},{"name":"PF_SSE3_INSTRUCTIONS_AVAILABLE","features":[37]},{"name":"PF_SSE4_1_INSTRUCTIONS_AVAILABLE","features":[37]},{"name":"PF_SSE4_2_INSTRUCTIONS_AVAILABLE","features":[37]},{"name":"PF_SSE_DAZ_MODE_AVAILABLE","features":[37]},{"name":"PF_SSSE3_INSTRUCTIONS_AVAILABLE","features":[37]},{"name":"PF_VIRT_FIRMWARE_ENABLED","features":[37]},{"name":"PF_XMMI64_INSTRUCTIONS_AVAILABLE","features":[37]},{"name":"PF_XMMI_INSTRUCTIONS_AVAILABLE","features":[37]},{"name":"PF_XSAVE_ENABLED","features":[37]},{"name":"PINIT_ONCE_FN","features":[1,37]},{"name":"PMETypeFailFastOnCommitFailure","features":[37]},{"name":"PMETypeMax","features":[37]},{"name":"PME_CURRENT_VERSION","features":[37]},{"name":"PME_FAILFAST_ON_COMMIT_FAIL_DISABLE","features":[37]},{"name":"PME_FAILFAST_ON_COMMIT_FAIL_ENABLE","features":[37]},{"name":"POWER_REQUEST_CONTEXT_DETAILED_STRING","features":[37]},{"name":"POWER_REQUEST_CONTEXT_FLAGS","features":[37]},{"name":"POWER_REQUEST_CONTEXT_SIMPLE_STRING","features":[37]},{"name":"PPS_POST_PROCESS_INIT_ROUTINE","features":[37]},{"name":"PRIVATE_NAMESPACE_FLAG_DESTROY","features":[37]},{"name":"PROCESSOR_FEATURE_ID","features":[37]},{"name":"PROCESS_ACCESS_RIGHTS","features":[37]},{"name":"PROCESS_AFFINITY_AUTO_UPDATE_FLAGS","features":[37]},{"name":"PROCESS_AFFINITY_DISABLE_AUTO_UPDATE","features":[37]},{"name":"PROCESS_AFFINITY_ENABLE_AUTO_UPDATE","features":[37]},{"name":"PROCESS_ALL_ACCESS","features":[37]},{"name":"PROCESS_BASIC_INFORMATION","features":[1,7,37]},{"name":"PROCESS_CREATE_PROCESS","features":[37]},{"name":"PROCESS_CREATE_THREAD","features":[37]},{"name":"PROCESS_CREATION_FLAGS","features":[37]},{"name":"PROCESS_DELETE","features":[37]},{"name":"PROCESS_DEP_DISABLE_ATL_THUNK_EMULATION","features":[37]},{"name":"PROCESS_DEP_ENABLE","features":[37]},{"name":"PROCESS_DEP_FLAGS","features":[37]},{"name":"PROCESS_DEP_NONE","features":[37]},{"name":"PROCESS_DUP_HANDLE","features":[37]},{"name":"PROCESS_DYNAMIC_EH_CONTINUATION_TARGET","features":[37]},{"name":"PROCESS_DYNAMIC_EH_CONTINUATION_TARGETS_INFORMATION","features":[37]},{"name":"PROCESS_DYNAMIC_ENFORCED_ADDRESS_RANGE","features":[37]},{"name":"PROCESS_DYNAMIC_ENFORCED_ADDRESS_RANGES_INFORMATION","features":[37]},{"name":"PROCESS_INFORMATION","features":[1,37]},{"name":"PROCESS_INFORMATION_CLASS","features":[37]},{"name":"PROCESS_LEAP_SECOND_INFO","features":[37]},{"name":"PROCESS_LEAP_SECOND_INFO_FLAG_ENABLE_SIXTY_SECOND","features":[37]},{"name":"PROCESS_LEAP_SECOND_INFO_VALID_FLAGS","features":[37]},{"name":"PROCESS_MACHINE_INFORMATION","features":[32,37]},{"name":"PROCESS_MEMORY_EXHAUSTION_INFO","features":[37]},{"name":"PROCESS_MEMORY_EXHAUSTION_TYPE","features":[37]},{"name":"PROCESS_MITIGATION_POLICY","features":[37]},{"name":"PROCESS_MODE_BACKGROUND_BEGIN","features":[37]},{"name":"PROCESS_MODE_BACKGROUND_END","features":[37]},{"name":"PROCESS_NAME_FORMAT","features":[37]},{"name":"PROCESS_NAME_NATIVE","features":[37]},{"name":"PROCESS_NAME_WIN32","features":[37]},{"name":"PROCESS_POWER_THROTTLING_CURRENT_VERSION","features":[37]},{"name":"PROCESS_POWER_THROTTLING_EXECUTION_SPEED","features":[37]},{"name":"PROCESS_POWER_THROTTLING_IGNORE_TIMER_RESOLUTION","features":[37]},{"name":"PROCESS_POWER_THROTTLING_STATE","features":[37]},{"name":"PROCESS_PROTECTION_LEVEL","features":[37]},{"name":"PROCESS_PROTECTION_LEVEL_INFORMATION","features":[37]},{"name":"PROCESS_QUERY_INFORMATION","features":[37]},{"name":"PROCESS_QUERY_LIMITED_INFORMATION","features":[37]},{"name":"PROCESS_READ_CONTROL","features":[37]},{"name":"PROCESS_SET_INFORMATION","features":[37]},{"name":"PROCESS_SET_LIMITED_INFORMATION","features":[37]},{"name":"PROCESS_SET_QUOTA","features":[37]},{"name":"PROCESS_SET_SESSIONID","features":[37]},{"name":"PROCESS_STANDARD_RIGHTS_REQUIRED","features":[37]},{"name":"PROCESS_SUSPEND_RESUME","features":[37]},{"name":"PROCESS_SYNCHRONIZE","features":[37]},{"name":"PROCESS_TERMINATE","features":[37]},{"name":"PROCESS_VM_OPERATION","features":[37]},{"name":"PROCESS_VM_READ","features":[37]},{"name":"PROCESS_VM_WRITE","features":[37]},{"name":"PROCESS_WRITE_DAC","features":[37]},{"name":"PROCESS_WRITE_OWNER","features":[37]},{"name":"PROC_THREAD_ATTRIBUTE_ALL_APPLICATION_PACKAGES_POLICY","features":[37]},{"name":"PROC_THREAD_ATTRIBUTE_CHILD_PROCESS_POLICY","features":[37]},{"name":"PROC_THREAD_ATTRIBUTE_COMPONENT_FILTER","features":[37]},{"name":"PROC_THREAD_ATTRIBUTE_DESKTOP_APP_POLICY","features":[37]},{"name":"PROC_THREAD_ATTRIBUTE_ENABLE_OPTIONAL_XSTATE_FEATURES","features":[37]},{"name":"PROC_THREAD_ATTRIBUTE_GROUP_AFFINITY","features":[37]},{"name":"PROC_THREAD_ATTRIBUTE_HANDLE_LIST","features":[37]},{"name":"PROC_THREAD_ATTRIBUTE_IDEAL_PROCESSOR","features":[37]},{"name":"PROC_THREAD_ATTRIBUTE_JOB_LIST","features":[37]},{"name":"PROC_THREAD_ATTRIBUTE_MACHINE_TYPE","features":[37]},{"name":"PROC_THREAD_ATTRIBUTE_MITIGATION_AUDIT_POLICY","features":[37]},{"name":"PROC_THREAD_ATTRIBUTE_MITIGATION_POLICY","features":[37]},{"name":"PROC_THREAD_ATTRIBUTE_NUM","features":[37]},{"name":"PROC_THREAD_ATTRIBUTE_PARENT_PROCESS","features":[37]},{"name":"PROC_THREAD_ATTRIBUTE_PREFERRED_NODE","features":[37]},{"name":"PROC_THREAD_ATTRIBUTE_PROTECTION_LEVEL","features":[37]},{"name":"PROC_THREAD_ATTRIBUTE_PSEUDOCONSOLE","features":[37]},{"name":"PROC_THREAD_ATTRIBUTE_REPLACE_VALUE","features":[37]},{"name":"PROC_THREAD_ATTRIBUTE_SECURITY_CAPABILITIES","features":[37]},{"name":"PROC_THREAD_ATTRIBUTE_UMS_THREAD","features":[37]},{"name":"PROC_THREAD_ATTRIBUTE_WIN32K_FILTER","features":[37]},{"name":"PROFILE_KERNEL","features":[37]},{"name":"PROFILE_SERVER","features":[37]},{"name":"PROFILE_USER","features":[37]},{"name":"PROTECTION_LEVEL_ANTIMALWARE_LIGHT","features":[37]},{"name":"PROTECTION_LEVEL_AUTHENTICODE","features":[37]},{"name":"PROTECTION_LEVEL_CODEGEN_LIGHT","features":[37]},{"name":"PROTECTION_LEVEL_LSA_LIGHT","features":[37]},{"name":"PROTECTION_LEVEL_NONE","features":[37]},{"name":"PROTECTION_LEVEL_PPL_APP","features":[37]},{"name":"PROTECTION_LEVEL_WINDOWS","features":[37]},{"name":"PROTECTION_LEVEL_WINDOWS_LIGHT","features":[37]},{"name":"PROTECTION_LEVEL_WINTCB","features":[37]},{"name":"PROTECTION_LEVEL_WINTCB_LIGHT","features":[37]},{"name":"PRTL_UMS_SCHEDULER_ENTRY_POINT","features":[36,37]},{"name":"PTIMERAPCROUTINE","features":[37]},{"name":"PTP_CALLBACK_INSTANCE","features":[37]},{"name":"PTP_CLEANUP_GROUP","features":[37]},{"name":"PTP_CLEANUP_GROUP_CANCEL_CALLBACK","features":[37]},{"name":"PTP_IO","features":[37]},{"name":"PTP_POOL","features":[37]},{"name":"PTP_SIMPLE_CALLBACK","features":[37]},{"name":"PTP_TIMER","features":[37]},{"name":"PTP_TIMER_CALLBACK","features":[37]},{"name":"PTP_WAIT","features":[37]},{"name":"PTP_WAIT_CALLBACK","features":[37]},{"name":"PTP_WIN32_IO_CALLBACK","features":[37]},{"name":"PTP_WORK","features":[37]},{"name":"PTP_WORK_CALLBACK","features":[37]},{"name":"ProcThreadAttributeAllApplicationPackagesPolicy","features":[37]},{"name":"ProcThreadAttributeChildProcessPolicy","features":[37]},{"name":"ProcThreadAttributeComponentFilter","features":[37]},{"name":"ProcThreadAttributeDesktopAppPolicy","features":[37]},{"name":"ProcThreadAttributeEnableOptionalXStateFeatures","features":[37]},{"name":"ProcThreadAttributeGroupAffinity","features":[37]},{"name":"ProcThreadAttributeHandleList","features":[37]},{"name":"ProcThreadAttributeIdealProcessor","features":[37]},{"name":"ProcThreadAttributeJobList","features":[37]},{"name":"ProcThreadAttributeMachineType","features":[37]},{"name":"ProcThreadAttributeMitigationAuditPolicy","features":[37]},{"name":"ProcThreadAttributeMitigationPolicy","features":[37]},{"name":"ProcThreadAttributeParentProcess","features":[37]},{"name":"ProcThreadAttributePreferredNode","features":[37]},{"name":"ProcThreadAttributeProtectionLevel","features":[37]},{"name":"ProcThreadAttributePseudoConsole","features":[37]},{"name":"ProcThreadAttributeSafeOpenPromptOriginClaim","features":[37]},{"name":"ProcThreadAttributeSecurityCapabilities","features":[37]},{"name":"ProcThreadAttributeTrustedApp","features":[37]},{"name":"ProcThreadAttributeUmsThread","features":[37]},{"name":"ProcThreadAttributeWin32kFilter","features":[37]},{"name":"ProcessASLRPolicy","features":[37]},{"name":"ProcessActivationContextTrustPolicy","features":[37]},{"name":"ProcessAppMemoryInfo","features":[37]},{"name":"ProcessChildProcessPolicy","features":[37]},{"name":"ProcessControlFlowGuardPolicy","features":[37]},{"name":"ProcessDEPPolicy","features":[37]},{"name":"ProcessDynamicCodePolicy","features":[37]},{"name":"ProcessExtensionPointDisablePolicy","features":[37]},{"name":"ProcessFontDisablePolicy","features":[37]},{"name":"ProcessImageLoadPolicy","features":[37]},{"name":"ProcessInPrivateInfo","features":[37]},{"name":"ProcessInformationClassMax","features":[37]},{"name":"ProcessLeapSecondInfo","features":[37]},{"name":"ProcessMachineTypeInfo","features":[37]},{"name":"ProcessMaxOverridePrefetchParameter","features":[37]},{"name":"ProcessMemoryExhaustionInfo","features":[37]},{"name":"ProcessMemoryPriority","features":[37]},{"name":"ProcessMitigationOptionsMask","features":[37]},{"name":"ProcessOverrideSubsequentPrefetchParameter","features":[37]},{"name":"ProcessPayloadRestrictionPolicy","features":[37]},{"name":"ProcessPowerThrottling","features":[37]},{"name":"ProcessProtectionLevelInfo","features":[37]},{"name":"ProcessRedirectionTrustPolicy","features":[37]},{"name":"ProcessReservedValue1","features":[37]},{"name":"ProcessSEHOPPolicy","features":[37]},{"name":"ProcessSideChannelIsolationPolicy","features":[37]},{"name":"ProcessSignaturePolicy","features":[37]},{"name":"ProcessStrictHandleCheckPolicy","features":[37]},{"name":"ProcessSystemCallDisablePolicy","features":[37]},{"name":"ProcessSystemCallFilterPolicy","features":[37]},{"name":"ProcessTelemetryCoverageInfo","features":[37]},{"name":"ProcessUserPointerAuthPolicy","features":[37]},{"name":"ProcessUserShadowStackPolicy","features":[37]},{"name":"PulseEvent","features":[1,37]},{"name":"QUEUE_USER_APC_CALLBACK_DATA_CONTEXT","features":[37]},{"name":"QUEUE_USER_APC_FLAGS","features":[37]},{"name":"QUEUE_USER_APC_FLAGS_NONE","features":[37]},{"name":"QUEUE_USER_APC_FLAGS_SPECIAL_USER_APC","features":[37]},{"name":"QueryDepthSList","features":[7,37]},{"name":"QueryFullProcessImageNameA","features":[1,37]},{"name":"QueryFullProcessImageNameW","features":[1,37]},{"name":"QueryProcessAffinityUpdateMode","features":[1,37]},{"name":"QueryProtectedPolicy","features":[1,37]},{"name":"QueryThreadpoolStackInformation","features":[1,37]},{"name":"QueryUmsThreadInformation","features":[1,37]},{"name":"QueueUserAPC","features":[1,37]},{"name":"QueueUserAPC2","features":[1,37]},{"name":"QueueUserWorkItem","features":[1,37]},{"name":"REALTIME_PRIORITY_CLASS","features":[37]},{"name":"REASON_CONTEXT","features":[1,37]},{"name":"RTL_CRITICAL_SECTION_ALL_FLAG_BITS","features":[37]},{"name":"RTL_CRITICAL_SECTION_DEBUG_FLAG_STATIC_INIT","features":[37]},{"name":"RTL_CRITICAL_SECTION_FLAG_DYNAMIC_SPIN","features":[37]},{"name":"RTL_CRITICAL_SECTION_FLAG_FORCE_DEBUG_INFO","features":[37]},{"name":"RTL_CRITICAL_SECTION_FLAG_NO_DEBUG_INFO","features":[37]},{"name":"RTL_CRITICAL_SECTION_FLAG_RESOURCE_TYPE","features":[37]},{"name":"RTL_CRITICAL_SECTION_FLAG_STATIC_INIT","features":[37]},{"name":"RTL_USER_PROCESS_PARAMETERS","features":[1,37]},{"name":"RTWQASYNCRESULT","features":[37]},{"name":"RTWQPERIODICCALLBACK","features":[37]},{"name":"RTWQ_MULTITHREADED_WORKQUEUE","features":[37]},{"name":"RTWQ_STANDARD_WORKQUEUE","features":[37]},{"name":"RTWQ_WINDOW_WORKQUEUE","features":[37]},{"name":"RTWQ_WORKQUEUE_TYPE","features":[37]},{"name":"RegisterWaitForSingleObject","features":[1,37]},{"name":"ReleaseMutex","features":[1,37]},{"name":"ReleaseMutexWhenCallbackReturns","features":[1,37]},{"name":"ReleaseSRWLockExclusive","features":[37]},{"name":"ReleaseSRWLockShared","features":[37]},{"name":"ReleaseSemaphore","features":[1,37]},{"name":"ReleaseSemaphoreWhenCallbackReturns","features":[1,37]},{"name":"ResetEvent","features":[1,37]},{"name":"ResumeThread","features":[1,37]},{"name":"RtwqAddPeriodicCallback","features":[37]},{"name":"RtwqAllocateSerialWorkQueue","features":[37]},{"name":"RtwqAllocateWorkQueue","features":[37]},{"name":"RtwqBeginRegisterWorkQueueWithMMCSS","features":[37]},{"name":"RtwqBeginUnregisterWorkQueueWithMMCSS","features":[37]},{"name":"RtwqCancelDeadline","features":[1,37]},{"name":"RtwqCancelWorkItem","features":[37]},{"name":"RtwqCreateAsyncResult","features":[37]},{"name":"RtwqEndRegisterWorkQueueWithMMCSS","features":[37]},{"name":"RtwqGetWorkQueueMMCSSClass","features":[37]},{"name":"RtwqGetWorkQueueMMCSSPriority","features":[37]},{"name":"RtwqGetWorkQueueMMCSSTaskId","features":[37]},{"name":"RtwqInvokeCallback","features":[37]},{"name":"RtwqJoinWorkQueue","features":[1,37]},{"name":"RtwqLockPlatform","features":[37]},{"name":"RtwqLockSharedWorkQueue","features":[37]},{"name":"RtwqLockWorkQueue","features":[37]},{"name":"RtwqPutWaitingWorkItem","features":[1,37]},{"name":"RtwqPutWorkItem","features":[37]},{"name":"RtwqRegisterPlatformEvents","features":[37]},{"name":"RtwqRegisterPlatformWithMMCSS","features":[37]},{"name":"RtwqRemovePeriodicCallback","features":[37]},{"name":"RtwqScheduleWorkItem","features":[37]},{"name":"RtwqSetDeadline","features":[1,37]},{"name":"RtwqSetDeadline2","features":[1,37]},{"name":"RtwqSetLongRunning","features":[1,37]},{"name":"RtwqShutdown","features":[37]},{"name":"RtwqStartup","features":[37]},{"name":"RtwqUnjoinWorkQueue","features":[1,37]},{"name":"RtwqUnlockPlatform","features":[37]},{"name":"RtwqUnlockWorkQueue","features":[37]},{"name":"RtwqUnregisterPlatformEvents","features":[37]},{"name":"RtwqUnregisterPlatformFromMMCSS","features":[37]},{"name":"SEMAPHORE_ALL_ACCESS","features":[37]},{"name":"SEMAPHORE_MODIFY_STATE","features":[37]},{"name":"SRWLOCK","features":[37]},{"name":"SRWLOCK_INIT","features":[37]},{"name":"STACK_SIZE_PARAM_IS_A_RESERVATION","features":[37]},{"name":"STARTF_FORCEOFFFEEDBACK","features":[37]},{"name":"STARTF_FORCEONFEEDBACK","features":[37]},{"name":"STARTF_PREVENTPINNING","features":[37]},{"name":"STARTF_RUNFULLSCREEN","features":[37]},{"name":"STARTF_TITLEISAPPID","features":[37]},{"name":"STARTF_TITLEISLINKNAME","features":[37]},{"name":"STARTF_UNTRUSTEDSOURCE","features":[37]},{"name":"STARTF_USECOUNTCHARS","features":[37]},{"name":"STARTF_USEFILLATTRIBUTE","features":[37]},{"name":"STARTF_USEHOTKEY","features":[37]},{"name":"STARTF_USEPOSITION","features":[37]},{"name":"STARTF_USESHOWWINDOW","features":[37]},{"name":"STARTF_USESIZE","features":[37]},{"name":"STARTF_USESTDHANDLES","features":[37]},{"name":"STARTUPINFOA","features":[1,37]},{"name":"STARTUPINFOEXA","features":[1,37]},{"name":"STARTUPINFOEXW","features":[1,37]},{"name":"STARTUPINFOW","features":[1,37]},{"name":"STARTUPINFOW_FLAGS","features":[37]},{"name":"SYNCHRONIZATION_ACCESS_RIGHTS","features":[37]},{"name":"SYNCHRONIZATION_BARRIER","features":[37]},{"name":"SYNCHRONIZATION_BARRIER_FLAGS_BLOCK_ONLY","features":[37]},{"name":"SYNCHRONIZATION_BARRIER_FLAGS_NO_DELETE","features":[37]},{"name":"SYNCHRONIZATION_BARRIER_FLAGS_SPIN_ONLY","features":[37]},{"name":"SYNCHRONIZATION_DELETE","features":[37]},{"name":"SYNCHRONIZATION_READ_CONTROL","features":[37]},{"name":"SYNCHRONIZATION_SYNCHRONIZE","features":[37]},{"name":"SYNCHRONIZATION_WRITE_DAC","features":[37]},{"name":"SYNCHRONIZATION_WRITE_OWNER","features":[37]},{"name":"SetCriticalSectionSpinCount","features":[1,7,37]},{"name":"SetEvent","features":[1,37]},{"name":"SetEventWhenCallbackReturns","features":[1,37]},{"name":"SetPriorityClass","features":[1,37]},{"name":"SetProcessAffinityMask","features":[1,37]},{"name":"SetProcessAffinityUpdateMode","features":[1,37]},{"name":"SetProcessDEPPolicy","features":[1,37]},{"name":"SetProcessDefaultCpuSetMasks","features":[1,32,37]},{"name":"SetProcessDefaultCpuSets","features":[1,37]},{"name":"SetProcessDynamicEHContinuationTargets","features":[1,37]},{"name":"SetProcessDynamicEnforcedCetCompatibleRanges","features":[1,37]},{"name":"SetProcessInformation","features":[1,37]},{"name":"SetProcessMitigationPolicy","features":[1,37]},{"name":"SetProcessPriorityBoost","features":[1,37]},{"name":"SetProcessRestrictionExemption","features":[1,37]},{"name":"SetProcessShutdownParameters","features":[1,37]},{"name":"SetProcessWorkingSetSize","features":[1,37]},{"name":"SetProtectedPolicy","features":[1,37]},{"name":"SetThreadAffinityMask","features":[1,37]},{"name":"SetThreadDescription","features":[1,37]},{"name":"SetThreadGroupAffinity","features":[1,32,37]},{"name":"SetThreadIdealProcessor","features":[1,37]},{"name":"SetThreadIdealProcessorEx","features":[1,7,37]},{"name":"SetThreadInformation","features":[1,37]},{"name":"SetThreadPriority","features":[1,37]},{"name":"SetThreadPriorityBoost","features":[1,37]},{"name":"SetThreadSelectedCpuSetMasks","features":[1,32,37]},{"name":"SetThreadSelectedCpuSets","features":[1,37]},{"name":"SetThreadStackGuarantee","features":[1,37]},{"name":"SetThreadToken","features":[1,37]},{"name":"SetThreadpoolStackInformation","features":[1,37]},{"name":"SetThreadpoolThreadMaximum","features":[37]},{"name":"SetThreadpoolThreadMinimum","features":[1,37]},{"name":"SetThreadpoolTimer","features":[1,37]},{"name":"SetThreadpoolTimerEx","features":[1,37]},{"name":"SetThreadpoolWait","features":[1,37]},{"name":"SetThreadpoolWaitEx","features":[1,37]},{"name":"SetTimerQueueTimer","features":[1,37]},{"name":"SetUmsThreadInformation","features":[1,37]},{"name":"SetWaitableTimer","features":[1,37]},{"name":"SetWaitableTimerEx","features":[1,37]},{"name":"SignalObjectAndWait","features":[1,37]},{"name":"Sleep","features":[37]},{"name":"SleepConditionVariableCS","features":[1,7,37]},{"name":"SleepConditionVariableSRW","features":[1,37]},{"name":"SleepEx","features":[1,37]},{"name":"StartThreadpoolIo","features":[37]},{"name":"SubmitThreadpoolWork","features":[37]},{"name":"SuspendThread","features":[1,37]},{"name":"SwitchToFiber","features":[37]},{"name":"SwitchToThread","features":[1,37]},{"name":"TEB","features":[1,7,37]},{"name":"THREAD_ACCESS_RIGHTS","features":[37]},{"name":"THREAD_ALL_ACCESS","features":[37]},{"name":"THREAD_CREATE_RUN_IMMEDIATELY","features":[37]},{"name":"THREAD_CREATE_SUSPENDED","features":[37]},{"name":"THREAD_CREATION_FLAGS","features":[37]},{"name":"THREAD_DELETE","features":[37]},{"name":"THREAD_DIRECT_IMPERSONATION","features":[37]},{"name":"THREAD_GET_CONTEXT","features":[37]},{"name":"THREAD_IMPERSONATE","features":[37]},{"name":"THREAD_INFORMATION_CLASS","features":[37]},{"name":"THREAD_MODE_BACKGROUND_BEGIN","features":[37]},{"name":"THREAD_MODE_BACKGROUND_END","features":[37]},{"name":"THREAD_POWER_THROTTLING_CURRENT_VERSION","features":[37]},{"name":"THREAD_POWER_THROTTLING_EXECUTION_SPEED","features":[37]},{"name":"THREAD_POWER_THROTTLING_STATE","features":[37]},{"name":"THREAD_POWER_THROTTLING_VALID_FLAGS","features":[37]},{"name":"THREAD_PRIORITY","features":[37]},{"name":"THREAD_PRIORITY_ABOVE_NORMAL","features":[37]},{"name":"THREAD_PRIORITY_BELOW_NORMAL","features":[37]},{"name":"THREAD_PRIORITY_HIGHEST","features":[37]},{"name":"THREAD_PRIORITY_IDLE","features":[37]},{"name":"THREAD_PRIORITY_LOWEST","features":[37]},{"name":"THREAD_PRIORITY_MIN","features":[37]},{"name":"THREAD_PRIORITY_NORMAL","features":[37]},{"name":"THREAD_PRIORITY_TIME_CRITICAL","features":[37]},{"name":"THREAD_QUERY_INFORMATION","features":[37]},{"name":"THREAD_QUERY_LIMITED_INFORMATION","features":[37]},{"name":"THREAD_READ_CONTROL","features":[37]},{"name":"THREAD_RESUME","features":[37]},{"name":"THREAD_SET_CONTEXT","features":[37]},{"name":"THREAD_SET_INFORMATION","features":[37]},{"name":"THREAD_SET_LIMITED_INFORMATION","features":[37]},{"name":"THREAD_SET_THREAD_TOKEN","features":[37]},{"name":"THREAD_STANDARD_RIGHTS_REQUIRED","features":[37]},{"name":"THREAD_SUSPEND_RESUME","features":[37]},{"name":"THREAD_SYNCHRONIZE","features":[37]},{"name":"THREAD_TERMINATE","features":[37]},{"name":"THREAD_WRITE_DAC","features":[37]},{"name":"THREAD_WRITE_OWNER","features":[37]},{"name":"TIMER_ALL_ACCESS","features":[37]},{"name":"TIMER_MODIFY_STATE","features":[37]},{"name":"TIMER_QUERY_STATE","features":[37]},{"name":"TLS_OUT_OF_INDEXES","features":[37]},{"name":"TP_CALLBACK_ENVIRON_V3","features":[37]},{"name":"TP_CALLBACK_PRIORITY","features":[37]},{"name":"TP_CALLBACK_PRIORITY_COUNT","features":[37]},{"name":"TP_CALLBACK_PRIORITY_HIGH","features":[37]},{"name":"TP_CALLBACK_PRIORITY_INVALID","features":[37]},{"name":"TP_CALLBACK_PRIORITY_LOW","features":[37]},{"name":"TP_CALLBACK_PRIORITY_NORMAL","features":[37]},{"name":"TP_POOL_STACK_INFORMATION","features":[37]},{"name":"TerminateProcess","features":[1,37]},{"name":"TerminateThread","features":[1,37]},{"name":"ThreadAbsoluteCpuPriority","features":[37]},{"name":"ThreadDynamicCodePolicy","features":[37]},{"name":"ThreadInformationClassMax","features":[37]},{"name":"ThreadMemoryPriority","features":[37]},{"name":"ThreadPowerThrottling","features":[37]},{"name":"TlsAlloc","features":[37]},{"name":"TlsFree","features":[1,37]},{"name":"TlsGetValue","features":[37]},{"name":"TlsSetValue","features":[1,37]},{"name":"TryAcquireSRWLockExclusive","features":[1,37]},{"name":"TryAcquireSRWLockShared","features":[1,37]},{"name":"TryEnterCriticalSection","features":[1,7,37]},{"name":"TrySubmitThreadpoolCallback","features":[1,37]},{"name":"UMS_SCHEDULER_STARTUP_INFO","features":[36,37]},{"name":"UMS_SYSTEM_THREAD_INFORMATION","features":[37]},{"name":"UMS_THREAD_INFO_CLASS","features":[37]},{"name":"UmsThreadAffinity","features":[37]},{"name":"UmsThreadInvalidInfoClass","features":[37]},{"name":"UmsThreadIsSuspended","features":[37]},{"name":"UmsThreadIsTerminated","features":[37]},{"name":"UmsThreadMaxInfoClass","features":[37]},{"name":"UmsThreadPriority","features":[37]},{"name":"UmsThreadTeb","features":[37]},{"name":"UmsThreadUserContext","features":[37]},{"name":"UmsThreadYield","features":[1,37]},{"name":"UnregisterWait","features":[1,37]},{"name":"UnregisterWaitEx","features":[1,37]},{"name":"UpdateProcThreadAttribute","features":[1,37]},{"name":"UserEnabled","features":[37]},{"name":"WAITORTIMERCALLBACK","features":[1,37]},{"name":"WORKERCALLBACKFUNC","features":[37]},{"name":"WORKER_THREAD_FLAGS","features":[37]},{"name":"WT_EXECUTEDEFAULT","features":[37]},{"name":"WT_EXECUTEINIOTHREAD","features":[37]},{"name":"WT_EXECUTEINPERSISTENTTHREAD","features":[37]},{"name":"WT_EXECUTEINTIMERTHREAD","features":[37]},{"name":"WT_EXECUTEINWAITTHREAD","features":[37]},{"name":"WT_EXECUTELONGFUNCTION","features":[37]},{"name":"WT_EXECUTEONLYONCE","features":[37]},{"name":"WT_TRANSFER_IMPERSONATION","features":[37]},{"name":"WaitForInputIdle","features":[1,37]},{"name":"WaitForMultipleObjects","features":[1,37]},{"name":"WaitForMultipleObjectsEx","features":[1,37]},{"name":"WaitForSingleObject","features":[1,37]},{"name":"WaitForSingleObjectEx","features":[1,37]},{"name":"WaitForThreadpoolIoCallbacks","features":[1,37]},{"name":"WaitForThreadpoolTimerCallbacks","features":[1,37]},{"name":"WaitForThreadpoolWaitCallbacks","features":[1,37]},{"name":"WaitForThreadpoolWorkCallbacks","features":[1,37]},{"name":"WaitOnAddress","features":[1,37]},{"name":"WakeAllConditionVariable","features":[37]},{"name":"WakeByAddressAll","features":[37]},{"name":"WakeByAddressSingle","features":[37]},{"name":"WakeConditionVariable","features":[37]},{"name":"WinExec","features":[37]},{"name":"Wow64Container","features":[37]},{"name":"Wow64SetThreadDefaultGuestMachine","features":[37]},{"name":"Wow64SuspendThread","features":[1,37]}],"617":[{"name":"DYNAMIC_TIME_ZONE_INFORMATION","features":[1,163]},{"name":"EnumDynamicTimeZoneInformation","features":[1,163]},{"name":"FileTimeToSystemTime","features":[1,163]},{"name":"GetDynamicTimeZoneInformation","features":[1,163]},{"name":"GetDynamicTimeZoneInformationEffectiveYears","features":[1,163]},{"name":"GetTimeZoneInformation","features":[1,163]},{"name":"GetTimeZoneInformationForYear","features":[1,163]},{"name":"LocalFileTimeToLocalSystemTime","features":[1,163]},{"name":"LocalSystemTimeToLocalFileTime","features":[1,163]},{"name":"SetDynamicTimeZoneInformation","features":[1,163]},{"name":"SetTimeZoneInformation","features":[1,163]},{"name":"SystemTimeToFileTime","features":[1,163]},{"name":"SystemTimeToTzSpecificLocalTime","features":[1,163]},{"name":"SystemTimeToTzSpecificLocalTimeEx","features":[1,163]},{"name":"TIME_ZONE_ID_INVALID","features":[163]},{"name":"TIME_ZONE_INFORMATION","features":[1,163]},{"name":"TSF_Authenticated","features":[163]},{"name":"TSF_Hardware","features":[163]},{"name":"TSF_IPv6","features":[163]},{"name":"TSF_SignatureAuthenticated","features":[163]},{"name":"TzSpecificLocalTimeToSystemTime","features":[1,163]},{"name":"TzSpecificLocalTimeToSystemTimeEx","features":[1,163]},{"name":"wszW32TimeRegKeyPolicyTimeProviders","features":[163]},{"name":"wszW32TimeRegKeyTimeProviders","features":[163]},{"name":"wszW32TimeRegValueDllName","features":[163]},{"name":"wszW32TimeRegValueEnabled","features":[163]},{"name":"wszW32TimeRegValueInputProvider","features":[163]},{"name":"wszW32TimeRegValueMetaDataProvider","features":[163]}],"618":[{"name":"GetDeviceID","features":[1,204]},{"name":"GetDeviceIDString","features":[1,204]},{"name":"TBS_COMMAND_LOCALITY","features":[204]},{"name":"TBS_COMMAND_LOCALITY_FOUR","features":[204]},{"name":"TBS_COMMAND_LOCALITY_ONE","features":[204]},{"name":"TBS_COMMAND_LOCALITY_THREE","features":[204]},{"name":"TBS_COMMAND_LOCALITY_TWO","features":[204]},{"name":"TBS_COMMAND_LOCALITY_ZERO","features":[204]},{"name":"TBS_COMMAND_PRIORITY","features":[204]},{"name":"TBS_COMMAND_PRIORITY_HIGH","features":[204]},{"name":"TBS_COMMAND_PRIORITY_LOW","features":[204]},{"name":"TBS_COMMAND_PRIORITY_MAX","features":[204]},{"name":"TBS_COMMAND_PRIORITY_NORMAL","features":[204]},{"name":"TBS_COMMAND_PRIORITY_SYSTEM","features":[204]},{"name":"TBS_CONTEXT_PARAMS","features":[204]},{"name":"TBS_CONTEXT_PARAMS2","features":[204]},{"name":"TBS_CONTEXT_VERSION_ONE","features":[204]},{"name":"TBS_CONTEXT_VERSION_TWO","features":[204]},{"name":"TBS_OWNERAUTH_TYPE_ADMIN","features":[204]},{"name":"TBS_OWNERAUTH_TYPE_ENDORSEMENT","features":[204]},{"name":"TBS_OWNERAUTH_TYPE_ENDORSEMENT_20","features":[204]},{"name":"TBS_OWNERAUTH_TYPE_FULL","features":[204]},{"name":"TBS_OWNERAUTH_TYPE_STORAGE_20","features":[204]},{"name":"TBS_OWNERAUTH_TYPE_USER","features":[204]},{"name":"TBS_SUCCESS","features":[204]},{"name":"TBS_TCGLOG_DRTM_BOOT","features":[204]},{"name":"TBS_TCGLOG_DRTM_CURRENT","features":[204]},{"name":"TBS_TCGLOG_DRTM_RESUME","features":[204]},{"name":"TBS_TCGLOG_SRTM_BOOT","features":[204]},{"name":"TBS_TCGLOG_SRTM_CURRENT","features":[204]},{"name":"TBS_TCGLOG_SRTM_RESUME","features":[204]},{"name":"TPM_DEVICE_INFO","features":[204]},{"name":"TPM_IFTYPE_1","features":[204]},{"name":"TPM_IFTYPE_EMULATOR","features":[204]},{"name":"TPM_IFTYPE_HW","features":[204]},{"name":"TPM_IFTYPE_SPB","features":[204]},{"name":"TPM_IFTYPE_TRUSTZONE","features":[204]},{"name":"TPM_IFTYPE_UNKNOWN","features":[204]},{"name":"TPM_VERSION_12","features":[204]},{"name":"TPM_VERSION_20","features":[204]},{"name":"TPM_VERSION_UNKNOWN","features":[204]},{"name":"TPM_WNF_INFO_CLEAR_SUCCESSFUL","features":[204]},{"name":"TPM_WNF_INFO_NO_REBOOT_REQUIRED","features":[204]},{"name":"TPM_WNF_INFO_OWNERSHIP_SUCCESSFUL","features":[204]},{"name":"TPM_WNF_PROVISIONING","features":[204]},{"name":"Tbsi_Context_Create","features":[204]},{"name":"Tbsi_Create_Windows_Key","features":[204]},{"name":"Tbsi_GetDeviceInfo","features":[204]},{"name":"Tbsi_Get_OwnerAuth","features":[204]},{"name":"Tbsi_Get_TCG_Log","features":[204]},{"name":"Tbsi_Get_TCG_Log_Ex","features":[204]},{"name":"Tbsi_Is_Tpm_Present","features":[1,204]},{"name":"Tbsi_Physical_Presence_Command","features":[204]},{"name":"Tbsi_Revoke_Attestation","features":[204]},{"name":"Tbsip_Cancel_Commands","features":[204]},{"name":"Tbsip_Context_Close","features":[204]},{"name":"Tbsip_Submit_Command","features":[204]}],"622":[{"name":"UAL_DATA_BLOB","features":[15,205]},{"name":"UalInstrument","features":[15,205]},{"name":"UalRegisterProduct","features":[205]},{"name":"UalStart","features":[15,205]},{"name":"UalStop","features":[15,205]}],"623":[{"name":"ClearVariantArray","features":[1,41,42]},{"name":"DPF_ERROR","features":[42]},{"name":"DPF_MARQUEE","features":[42]},{"name":"DPF_MARQUEE_COMPLETE","features":[42]},{"name":"DPF_NONE","features":[42]},{"name":"DPF_STOPPED","features":[42]},{"name":"DPF_WARNING","features":[42]},{"name":"DRAWPROGRESSFLAGS","features":[42]},{"name":"DosDateTimeToVariantTime","features":[42]},{"name":"InitVariantFromBooleanArray","features":[1,41,42]},{"name":"InitVariantFromBuffer","features":[1,41,42]},{"name":"InitVariantFromDoubleArray","features":[1,41,42]},{"name":"InitVariantFromFileTime","features":[1,41,42]},{"name":"InitVariantFromFileTimeArray","features":[1,41,42]},{"name":"InitVariantFromGUIDAsString","features":[1,41,42]},{"name":"InitVariantFromInt16Array","features":[1,41,42]},{"name":"InitVariantFromInt32Array","features":[1,41,42]},{"name":"InitVariantFromInt64Array","features":[1,41,42]},{"name":"InitVariantFromResource","features":[1,41,42]},{"name":"InitVariantFromStringArray","features":[1,41,42]},{"name":"InitVariantFromUInt16Array","features":[1,41,42]},{"name":"InitVariantFromUInt32Array","features":[1,41,42]},{"name":"InitVariantFromUInt64Array","features":[1,41,42]},{"name":"InitVariantFromVariantArrayElem","features":[1,41,42]},{"name":"PSTF_LOCAL","features":[42]},{"name":"PSTF_UTC","features":[42]},{"name":"PSTIME_FLAGS","features":[42]},{"name":"SystemTimeToVariantTime","features":[1,42]},{"name":"VARENUM","features":[42]},{"name":"VARIANT","features":[1,41,42]},{"name":"VARIANT_ALPHABOOL","features":[42]},{"name":"VARIANT_CALENDAR_GREGORIAN","features":[42]},{"name":"VARIANT_CALENDAR_HIJRI","features":[42]},{"name":"VARIANT_CALENDAR_THAI","features":[42]},{"name":"VARIANT_LOCALBOOL","features":[42]},{"name":"VARIANT_NOUSEROVERRIDE","features":[42]},{"name":"VARIANT_NOVALUEPROP","features":[42]},{"name":"VARIANT_USE_NLS","features":[42]},{"name":"VARIANT_UserFree","features":[1,41,42]},{"name":"VARIANT_UserFree64","features":[1,41,42]},{"name":"VARIANT_UserMarshal","features":[1,41,42]},{"name":"VARIANT_UserMarshal64","features":[1,41,42]},{"name":"VARIANT_UserSize","features":[1,41,42]},{"name":"VARIANT_UserSize64","features":[1,41,42]},{"name":"VARIANT_UserUnmarshal","features":[1,41,42]},{"name":"VARIANT_UserUnmarshal64","features":[1,41,42]},{"name":"VAR_CHANGE_FLAGS","features":[42]},{"name":"VT_ARRAY","features":[42]},{"name":"VT_BLOB","features":[42]},{"name":"VT_BLOB_OBJECT","features":[42]},{"name":"VT_BOOL","features":[42]},{"name":"VT_BSTR","features":[42]},{"name":"VT_BSTR_BLOB","features":[42]},{"name":"VT_BYREF","features":[42]},{"name":"VT_CARRAY","features":[42]},{"name":"VT_CF","features":[42]},{"name":"VT_CLSID","features":[42]},{"name":"VT_CY","features":[42]},{"name":"VT_DATE","features":[42]},{"name":"VT_DECIMAL","features":[42]},{"name":"VT_DISPATCH","features":[42]},{"name":"VT_EMPTY","features":[42]},{"name":"VT_ERROR","features":[42]},{"name":"VT_FILETIME","features":[42]},{"name":"VT_HRESULT","features":[42]},{"name":"VT_I1","features":[42]},{"name":"VT_I2","features":[42]},{"name":"VT_I4","features":[42]},{"name":"VT_I8","features":[42]},{"name":"VT_ILLEGAL","features":[42]},{"name":"VT_ILLEGALMASKED","features":[42]},{"name":"VT_INT","features":[42]},{"name":"VT_INT_PTR","features":[42]},{"name":"VT_LPSTR","features":[42]},{"name":"VT_LPWSTR","features":[42]},{"name":"VT_NULL","features":[42]},{"name":"VT_PTR","features":[42]},{"name":"VT_R4","features":[42]},{"name":"VT_R8","features":[42]},{"name":"VT_RECORD","features":[42]},{"name":"VT_RESERVED","features":[42]},{"name":"VT_SAFEARRAY","features":[42]},{"name":"VT_STORAGE","features":[42]},{"name":"VT_STORED_OBJECT","features":[42]},{"name":"VT_STREAM","features":[42]},{"name":"VT_STREAMED_OBJECT","features":[42]},{"name":"VT_TYPEMASK","features":[42]},{"name":"VT_UI1","features":[42]},{"name":"VT_UI2","features":[42]},{"name":"VT_UI4","features":[42]},{"name":"VT_UI8","features":[42]},{"name":"VT_UINT","features":[42]},{"name":"VT_UINT_PTR","features":[42]},{"name":"VT_UNKNOWN","features":[42]},{"name":"VT_USERDEFINED","features":[42]},{"name":"VT_VARIANT","features":[42]},{"name":"VT_VECTOR","features":[42]},{"name":"VT_VERSIONED_STREAM","features":[42]},{"name":"VT_VOID","features":[42]},{"name":"VariantChangeType","features":[1,41,42]},{"name":"VariantChangeTypeEx","features":[1,41,42]},{"name":"VariantClear","features":[1,41,42]},{"name":"VariantCompare","features":[1,41,42]},{"name":"VariantCopy","features":[1,41,42]},{"name":"VariantCopyInd","features":[1,41,42]},{"name":"VariantGetBooleanElem","features":[1,41,42]},{"name":"VariantGetDoubleElem","features":[1,41,42]},{"name":"VariantGetElementCount","features":[1,41,42]},{"name":"VariantGetInt16Elem","features":[1,41,42]},{"name":"VariantGetInt32Elem","features":[1,41,42]},{"name":"VariantGetInt64Elem","features":[1,41,42]},{"name":"VariantGetStringElem","features":[1,41,42]},{"name":"VariantGetUInt16Elem","features":[1,41,42]},{"name":"VariantGetUInt32Elem","features":[1,41,42]},{"name":"VariantGetUInt64Elem","features":[1,41,42]},{"name":"VariantInit","features":[1,41,42]},{"name":"VariantTimeToDosDateTime","features":[42]},{"name":"VariantTimeToSystemTime","features":[1,42]},{"name":"VariantToBoolean","features":[1,41,42]},{"name":"VariantToBooleanArray","features":[1,41,42]},{"name":"VariantToBooleanArrayAlloc","features":[1,41,42]},{"name":"VariantToBooleanWithDefault","features":[1,41,42]},{"name":"VariantToBuffer","features":[1,41,42]},{"name":"VariantToDosDateTime","features":[1,41,42]},{"name":"VariantToDouble","features":[1,41,42]},{"name":"VariantToDoubleArray","features":[1,41,42]},{"name":"VariantToDoubleArrayAlloc","features":[1,41,42]},{"name":"VariantToDoubleWithDefault","features":[1,41,42]},{"name":"VariantToFileTime","features":[1,41,42]},{"name":"VariantToGUID","features":[1,41,42]},{"name":"VariantToInt16","features":[1,41,42]},{"name":"VariantToInt16Array","features":[1,41,42]},{"name":"VariantToInt16ArrayAlloc","features":[1,41,42]},{"name":"VariantToInt16WithDefault","features":[1,41,42]},{"name":"VariantToInt32","features":[1,41,42]},{"name":"VariantToInt32Array","features":[1,41,42]},{"name":"VariantToInt32ArrayAlloc","features":[1,41,42]},{"name":"VariantToInt32WithDefault","features":[1,41,42]},{"name":"VariantToInt64","features":[1,41,42]},{"name":"VariantToInt64Array","features":[1,41,42]},{"name":"VariantToInt64ArrayAlloc","features":[1,41,42]},{"name":"VariantToInt64WithDefault","features":[1,41,42]},{"name":"VariantToString","features":[1,41,42]},{"name":"VariantToStringAlloc","features":[1,41,42]},{"name":"VariantToStringArray","features":[1,41,42]},{"name":"VariantToStringArrayAlloc","features":[1,41,42]},{"name":"VariantToStringWithDefault","features":[1,41,42]},{"name":"VariantToUInt16","features":[1,41,42]},{"name":"VariantToUInt16Array","features":[1,41,42]},{"name":"VariantToUInt16ArrayAlloc","features":[1,41,42]},{"name":"VariantToUInt16WithDefault","features":[1,41,42]},{"name":"VariantToUInt32","features":[1,41,42]},{"name":"VariantToUInt32Array","features":[1,41,42]},{"name":"VariantToUInt32ArrayAlloc","features":[1,41,42]},{"name":"VariantToUInt32WithDefault","features":[1,41,42]},{"name":"VariantToUInt64","features":[1,41,42]},{"name":"VariantToUInt64Array","features":[1,41,42]},{"name":"VariantToUInt64ArrayAlloc","features":[1,41,42]},{"name":"VariantToUInt64WithDefault","features":[1,41,42]}],"624":[{"name":"DBG_ATTACH","features":[206]},{"name":"DBG_BREAK","features":[206]},{"name":"DBG_DIVOVERFLOW","features":[206]},{"name":"DBG_DLLSTART","features":[206]},{"name":"DBG_DLLSTOP","features":[206]},{"name":"DBG_GPFAULT","features":[206]},{"name":"DBG_GPFAULT2","features":[206]},{"name":"DBG_INIT","features":[206]},{"name":"DBG_INSTRFAULT","features":[206]},{"name":"DBG_MODFREE","features":[206]},{"name":"DBG_MODLOAD","features":[206]},{"name":"DBG_MODMOVE","features":[206]},{"name":"DBG_SEGFREE","features":[206]},{"name":"DBG_SEGLOAD","features":[206]},{"name":"DBG_SEGMOVE","features":[206]},{"name":"DBG_SINGLESTEP","features":[206]},{"name":"DBG_STACKFAULT","features":[206]},{"name":"DBG_TASKSTART","features":[206]},{"name":"DBG_TASKSTOP","features":[206]},{"name":"DBG_TEMPBP","features":[206]},{"name":"DBG_TOOLHELP","features":[206]},{"name":"DBG_WOWINIT","features":[206]},{"name":"DEBUGEVENTPROC","features":[1,30,37,206]},{"name":"GD_ACCELERATORS","features":[206]},{"name":"GD_BITMAP","features":[206]},{"name":"GD_CURSOR","features":[206]},{"name":"GD_CURSORCOMPONENT","features":[206]},{"name":"GD_DIALOG","features":[206]},{"name":"GD_ERRTABLE","features":[206]},{"name":"GD_FONT","features":[206]},{"name":"GD_FONTDIR","features":[206]},{"name":"GD_ICON","features":[206]},{"name":"GD_ICONCOMPONENT","features":[206]},{"name":"GD_MAX_RESOURCE","features":[206]},{"name":"GD_MENU","features":[206]},{"name":"GD_NAMETABLE","features":[206]},{"name":"GD_RCDATA","features":[206]},{"name":"GD_STRING","features":[206]},{"name":"GD_USERDEFINED","features":[206]},{"name":"GLOBALENTRY","features":[1,206]},{"name":"GLOBAL_ALL","features":[206]},{"name":"GLOBAL_FREE","features":[206]},{"name":"GLOBAL_LRU","features":[206]},{"name":"GT_BURGERMASTER","features":[206]},{"name":"GT_CODE","features":[206]},{"name":"GT_DATA","features":[206]},{"name":"GT_DGROUP","features":[206]},{"name":"GT_FREE","features":[206]},{"name":"GT_INTERNAL","features":[206]},{"name":"GT_MODULE","features":[206]},{"name":"GT_RESOURCE","features":[206]},{"name":"GT_SENTINEL","features":[206]},{"name":"GT_TASK","features":[206]},{"name":"GT_UNKNOWN","features":[206]},{"name":"IMAGE_NOTE","features":[206]},{"name":"MAX_MODULE_NAME","features":[206]},{"name":"MAX_PATH16","features":[206]},{"name":"MODULEENTRY","features":[1,206]},{"name":"PROCESSENUMPROC","features":[1,206]},{"name":"SEGMENT_NOTE","features":[206]},{"name":"SN_CODE","features":[206]},{"name":"SN_DATA","features":[206]},{"name":"SN_V86","features":[206]},{"name":"STATUS_VDM_EVENT","features":[206]},{"name":"TASKENUMPROC","features":[1,206]},{"name":"TASKENUMPROCEX","features":[1,206]},{"name":"TEMP_BP_NOTE","features":[1,206]},{"name":"V86FLAGS_ALIGNMENT","features":[206]},{"name":"V86FLAGS_AUXCARRY","features":[206]},{"name":"V86FLAGS_CARRY","features":[206]},{"name":"V86FLAGS_DIRECTION","features":[206]},{"name":"V86FLAGS_INTERRUPT","features":[206]},{"name":"V86FLAGS_IOPL","features":[206]},{"name":"V86FLAGS_IOPL_BITS","features":[206]},{"name":"V86FLAGS_OVERFLOW","features":[206]},{"name":"V86FLAGS_PARITY","features":[206]},{"name":"V86FLAGS_RESUME","features":[206]},{"name":"V86FLAGS_SIGN","features":[206]},{"name":"V86FLAGS_TRACE","features":[206]},{"name":"V86FLAGS_V86","features":[206]},{"name":"V86FLAGS_ZERO","features":[206]},{"name":"VDMADDR_PM16","features":[206]},{"name":"VDMADDR_PM32","features":[206]},{"name":"VDMADDR_V86","features":[206]},{"name":"VDMBREAKTHREADPROC","features":[1,206]},{"name":"VDMCONTEXT","features":[7,206]},{"name":"VDMCONTEXT_WITHOUT_XSAVE","features":[7,206]},{"name":"VDMCONTEXT_i386","features":[206]},{"name":"VDMCONTEXT_i486","features":[206]},{"name":"VDMDBG_BREAK_DEBUGGER","features":[206]},{"name":"VDMDBG_BREAK_DIVIDEBYZERO","features":[206]},{"name":"VDMDBG_BREAK_DOSTASK","features":[206]},{"name":"VDMDBG_BREAK_EXCEPTIONS","features":[206]},{"name":"VDMDBG_BREAK_LOADDLL","features":[206]},{"name":"VDMDBG_BREAK_WOWTASK","features":[206]},{"name":"VDMDBG_INITIAL_FLAGS","features":[206]},{"name":"VDMDBG_MAX_SYMBOL_BUFFER","features":[206]},{"name":"VDMDBG_TRACE_HISTORY","features":[206]},{"name":"VDMDETECTWOWPROC","features":[1,206]},{"name":"VDMENUMPROCESSWOWPROC","features":[1,206]},{"name":"VDMENUMTASKWOWEXPROC","features":[1,206]},{"name":"VDMENUMTASKWOWPROC","features":[1,206]},{"name":"VDMEVENT_ALLFLAGS","features":[206]},{"name":"VDMEVENT_NEEDS_INTERACTIVE","features":[206]},{"name":"VDMEVENT_PE","features":[206]},{"name":"VDMEVENT_PM16","features":[206]},{"name":"VDMEVENT_V86","features":[206]},{"name":"VDMEVENT_VERBOSE","features":[206]},{"name":"VDMGETADDREXPRESSIONPROC","features":[1,206]},{"name":"VDMGETCONTEXTPROC","features":[1,7,206]},{"name":"VDMGETCONTEXTPROC","features":[1,30,7,206]},{"name":"VDMGETDBGFLAGSPROC","features":[1,206]},{"name":"VDMGETMODULESELECTORPROC","features":[1,206]},{"name":"VDMGETPOINTERPROC","features":[1,206]},{"name":"VDMGETSEGMENTINFOPROC","features":[1,206]},{"name":"VDMGETSELECTORMODULEPROC","features":[1,206]},{"name":"VDMGETSYMBOLPROC","features":[1,206]},{"name":"VDMGETTHREADSELECTORENTRYPROC","features":[1,206]},{"name":"VDMGETTHREADSELECTORENTRYPROC","features":[1,30,206]},{"name":"VDMGLOBALFIRSTPROC","features":[1,30,37,206]},{"name":"VDMGLOBALNEXTPROC","features":[1,30,37,206]},{"name":"VDMISMODULELOADEDPROC","features":[1,206]},{"name":"VDMKILLWOWPROC","features":[1,206]},{"name":"VDMLDT_ENTRY","features":[206]},{"name":"VDMMODULEFIRSTPROC","features":[1,30,37,206]},{"name":"VDMMODULENEXTPROC","features":[1,30,37,206]},{"name":"VDMPROCESSEXCEPTIONPROC","features":[1,30,37,206]},{"name":"VDMSETCONTEXTPROC","features":[1,7,206]},{"name":"VDMSETCONTEXTPROC","features":[1,30,7,206]},{"name":"VDMSETDBGFLAGSPROC","features":[1,206]},{"name":"VDMSTARTTASKINWOWPROC","features":[1,206]},{"name":"VDMTERMINATETASKINWOWPROC","features":[1,206]},{"name":"VDM_KGDT_R3_CODE","features":[206]},{"name":"VDM_MAXIMUM_SUPPORTED_EXTENSION","features":[206]},{"name":"VDM_SEGINFO","features":[206]},{"name":"WOW_SYSTEM","features":[206]}],"644":[{"name":"AADBE_ADD_ENTRY","features":[34]},{"name":"AADBE_DEL_ENTRY","features":[34]},{"name":"ACTCTX_FLAG_APPLICATION_NAME_VALID","features":[34]},{"name":"ACTCTX_FLAG_ASSEMBLY_DIRECTORY_VALID","features":[34]},{"name":"ACTCTX_FLAG_HMODULE_VALID","features":[34]},{"name":"ACTCTX_FLAG_LANGID_VALID","features":[34]},{"name":"ACTCTX_FLAG_PROCESSOR_ARCHITECTURE_VALID","features":[34]},{"name":"ACTCTX_FLAG_RESOURCE_NAME_VALID","features":[34]},{"name":"ACTCTX_FLAG_SET_PROCESS_DEFAULT","features":[34]},{"name":"ACTCTX_FLAG_SOURCE_IS_ASSEMBLYREF","features":[34]},{"name":"ACTCTX_SECTION_KEYED_DATA_2600","features":[1,34]},{"name":"ACTCTX_SECTION_KEYED_DATA_ASSEMBLY_METADATA","features":[34]},{"name":"ACTIVATION_CONTEXT_BASIC_INFORMATION","features":[1,34]},{"name":"ACTIVATION_CONTEXT_BASIC_INFORMATION_DEFINED","features":[34]},{"name":"AC_LINE_BACKUP_POWER","features":[34]},{"name":"AC_LINE_OFFLINE","features":[34]},{"name":"AC_LINE_ONLINE","features":[34]},{"name":"AC_LINE_UNKNOWN","features":[34]},{"name":"ADN_DEL_IF_EMPTY","features":[34]},{"name":"ADN_DEL_UNC_PATHS","features":[34]},{"name":"ADN_DONT_DEL_DIR","features":[34]},{"name":"ADN_DONT_DEL_SUBDIRS","features":[34]},{"name":"AFSR_BACKNEW","features":[34]},{"name":"AFSR_EXTRAINCREFCNT","features":[34]},{"name":"AFSR_NODELETENEW","features":[34]},{"name":"AFSR_NOMESSAGES","features":[34]},{"name":"AFSR_NOPROGRESS","features":[34]},{"name":"AFSR_RESTORE","features":[34]},{"name":"AFSR_UPDREFCNT","features":[34]},{"name":"AFSR_USEREFCNT","features":[34]},{"name":"AIF_FORCE_FILE_IN_USE","features":[34]},{"name":"AIF_NOLANGUAGECHECK","features":[34]},{"name":"AIF_NOOVERWRITE","features":[34]},{"name":"AIF_NOSKIP","features":[34]},{"name":"AIF_NOVERSIONCHECK","features":[34]},{"name":"AIF_NO_VERSION_DIALOG","features":[34]},{"name":"AIF_QUIET","features":[34]},{"name":"AIF_REPLACEONLY","features":[34]},{"name":"AIF_WARNIFSKIP","features":[34]},{"name":"ALINF_BKINSTALL","features":[34]},{"name":"ALINF_CHECKBKDATA","features":[34]},{"name":"ALINF_DELAYREGISTEROCX","features":[34]},{"name":"ALINF_NGCONV","features":[34]},{"name":"ALINF_QUIET","features":[34]},{"name":"ALINF_ROLLBACK","features":[34]},{"name":"ALINF_ROLLBKDOALL","features":[34]},{"name":"ALINF_UPDHLPDLLS","features":[34]},{"name":"APPLICATION_RECOVERY_CALLBACK","features":[34]},{"name":"ARSR_NOMESSAGES","features":[34]},{"name":"ARSR_REGSECTION","features":[34]},{"name":"ARSR_REMOVREGBKDATA","features":[34]},{"name":"ARSR_RESTORE","features":[34]},{"name":"ATOM_FLAG_GLOBAL","features":[34]},{"name":"AT_ARP","features":[34]},{"name":"AT_ENTITY","features":[34]},{"name":"AT_NULL","features":[34]},{"name":"AddDelBackupEntryA","features":[34]},{"name":"AddDelBackupEntryW","features":[34]},{"name":"AdvInstallFileA","features":[1,34]},{"name":"AdvInstallFileW","features":[1,34]},{"name":"ApphelpCheckShellObject","features":[1,34]},{"name":"BACKUP_GHOSTED_FILE_EXTENTS","features":[34]},{"name":"BACKUP_INVALID","features":[34]},{"name":"BASE_SEARCH_PATH_DISABLE_SAFE_SEARCHMODE","features":[34]},{"name":"BASE_SEARCH_PATH_ENABLE_SAFE_SEARCHMODE","features":[34]},{"name":"BASE_SEARCH_PATH_PERMANENT","features":[34]},{"name":"BATTERY_FLAG_CHARGING","features":[34]},{"name":"BATTERY_FLAG_CRITICAL","features":[34]},{"name":"BATTERY_FLAG_HIGH","features":[34]},{"name":"BATTERY_FLAG_LOW","features":[34]},{"name":"BATTERY_FLAG_NO_BATTERY","features":[34]},{"name":"BATTERY_FLAG_UNKNOWN","features":[34]},{"name":"BATTERY_LIFE_UNKNOWN","features":[34]},{"name":"BATTERY_PERCENTAGE_UNKNOWN","features":[34]},{"name":"BAUD_075","features":[34]},{"name":"BAUD_110","features":[34]},{"name":"BAUD_115200","features":[34]},{"name":"BAUD_1200","features":[34]},{"name":"BAUD_128K","features":[34]},{"name":"BAUD_134_5","features":[34]},{"name":"BAUD_14400","features":[34]},{"name":"BAUD_150","features":[34]},{"name":"BAUD_1800","features":[34]},{"name":"BAUD_19200","features":[34]},{"name":"BAUD_2400","features":[34]},{"name":"BAUD_300","features":[34]},{"name":"BAUD_38400","features":[34]},{"name":"BAUD_4800","features":[34]},{"name":"BAUD_56K","features":[34]},{"name":"BAUD_57600","features":[34]},{"name":"BAUD_600","features":[34]},{"name":"BAUD_7200","features":[34]},{"name":"BAUD_9600","features":[34]},{"name":"BAUD_USER","features":[34]},{"name":"CABINFOA","features":[34]},{"name":"CABINFOW","features":[34]},{"name":"CATID_DeleteBrowsingHistory","features":[34]},{"name":"CBR_110","features":[34]},{"name":"CBR_115200","features":[34]},{"name":"CBR_1200","features":[34]},{"name":"CBR_128000","features":[34]},{"name":"CBR_14400","features":[34]},{"name":"CBR_19200","features":[34]},{"name":"CBR_2400","features":[34]},{"name":"CBR_256000","features":[34]},{"name":"CBR_300","features":[34]},{"name":"CBR_38400","features":[34]},{"name":"CBR_4800","features":[34]},{"name":"CBR_56000","features":[34]},{"name":"CBR_57600","features":[34]},{"name":"CBR_600","features":[34]},{"name":"CBR_9600","features":[34]},{"name":"CE_DNS","features":[34]},{"name":"CE_IOE","features":[34]},{"name":"CE_MODE","features":[34]},{"name":"CE_OOP","features":[34]},{"name":"CE_PTO","features":[34]},{"name":"CE_TXFULL","features":[34]},{"name":"CLIENT_ID","features":[1,34]},{"name":"CL_NL_ENTITY","features":[34]},{"name":"CL_NL_IP","features":[34]},{"name":"CL_NL_IPX","features":[34]},{"name":"CL_TL_ENTITY","features":[34]},{"name":"CL_TL_NBF","features":[34]},{"name":"CL_TL_UDP","features":[34]},{"name":"CODEINTEGRITY_OPTION_DEBUGMODE_ENABLED","features":[34]},{"name":"CODEINTEGRITY_OPTION_ENABLED","features":[34]},{"name":"CODEINTEGRITY_OPTION_FLIGHTING_ENABLED","features":[34]},{"name":"CODEINTEGRITY_OPTION_FLIGHT_BUILD","features":[34]},{"name":"CODEINTEGRITY_OPTION_HVCI_IUM_ENABLED","features":[34]},{"name":"CODEINTEGRITY_OPTION_HVCI_KMCI_AUDITMODE_ENABLED","features":[34]},{"name":"CODEINTEGRITY_OPTION_HVCI_KMCI_ENABLED","features":[34]},{"name":"CODEINTEGRITY_OPTION_HVCI_KMCI_STRICTMODE_ENABLED","features":[34]},{"name":"CODEINTEGRITY_OPTION_PREPRODUCTION_BUILD","features":[34]},{"name":"CODEINTEGRITY_OPTION_TESTSIGN","features":[34]},{"name":"CODEINTEGRITY_OPTION_TEST_BUILD","features":[34]},{"name":"CODEINTEGRITY_OPTION_UMCI_AUDITMODE_ENABLED","features":[34]},{"name":"CODEINTEGRITY_OPTION_UMCI_ENABLED","features":[34]},{"name":"CODEINTEGRITY_OPTION_UMCI_EXCLUSIONPATHS_ENABLED","features":[34]},{"name":"COMMPROP_INITIALIZED","features":[34]},{"name":"CONTEXT_SIZE","features":[34]},{"name":"COPYFILE2_IO_CYCLE_SIZE_MAX","features":[34]},{"name":"COPYFILE2_IO_CYCLE_SIZE_MIN","features":[34]},{"name":"COPYFILE2_IO_RATE_MIN","features":[34]},{"name":"COPYFILE2_MESSAGE_COPY_OFFLOAD","features":[34]},{"name":"COPY_FILE2_V2_DONT_COPY_JUNCTIONS","features":[34]},{"name":"COPY_FILE2_V2_VALID_FLAGS","features":[34]},{"name":"COPY_FILE_ALLOW_DECRYPTED_DESTINATION","features":[34]},{"name":"COPY_FILE_COPY_SYMLINK","features":[34]},{"name":"COPY_FILE_DIRECTORY","features":[34]},{"name":"COPY_FILE_DISABLE_PRE_ALLOCATION","features":[34]},{"name":"COPY_FILE_DONT_REQUEST_DEST_WRITE_DAC","features":[34]},{"name":"COPY_FILE_ENABLE_LOW_FREE_SPACE_MODE","features":[34]},{"name":"COPY_FILE_ENABLE_SPARSE_COPY","features":[34]},{"name":"COPY_FILE_FAIL_IF_EXISTS","features":[34]},{"name":"COPY_FILE_IGNORE_EDP_BLOCK","features":[34]},{"name":"COPY_FILE_IGNORE_SOURCE_ENCRYPTION","features":[34]},{"name":"COPY_FILE_NO_BUFFERING","features":[34]},{"name":"COPY_FILE_NO_OFFLOAD","features":[34]},{"name":"COPY_FILE_OPEN_AND_COPY_REPARSE_POINT","features":[34]},{"name":"COPY_FILE_OPEN_SOURCE_FOR_WRITE","features":[34]},{"name":"COPY_FILE_REQUEST_COMPRESSED_TRAFFIC","features":[34]},{"name":"COPY_FILE_REQUEST_SECURITY_PRIVILEGES","features":[34]},{"name":"COPY_FILE_RESTARTABLE","features":[34]},{"name":"COPY_FILE_RESUME_FROM_PAUSE","features":[34]},{"name":"COPY_FILE_SKIP_ALTERNATE_STREAMS","features":[34]},{"name":"CO_NL_ENTITY","features":[34]},{"name":"CO_TL_ENTITY","features":[34]},{"name":"CO_TL_NBF","features":[34]},{"name":"CO_TL_SPP","features":[34]},{"name":"CO_TL_SPX","features":[34]},{"name":"CO_TL_TCP","features":[34]},{"name":"CP_DIRECT","features":[34]},{"name":"CP_HWND","features":[34]},{"name":"CP_LEVEL","features":[34]},{"name":"CP_OPEN","features":[34]},{"name":"CREATE_FOR_DIR","features":[34]},{"name":"CREATE_FOR_IMPORT","features":[34]},{"name":"CRITICAL_SECTION_NO_DEBUG_INFO","features":[34]},{"name":"CUSTOM_SYSTEM_EVENT_TRIGGER_CONFIG","features":[34]},{"name":"CameraUIControl","features":[34]},{"name":"CameraUIControlCaptureMode","features":[34]},{"name":"CameraUIControlLinearSelectionMode","features":[34]},{"name":"CameraUIControlMode","features":[34]},{"name":"CameraUIControlPhotoFormat","features":[34]},{"name":"CameraUIControlVideoFormat","features":[34]},{"name":"CameraUIControlViewType","features":[34]},{"name":"CancelDeviceWakeupRequest","features":[1,34]},{"name":"CloseINFEngine","features":[34]},{"name":"ConvertAuxiliaryCounterToPerformanceCounter","features":[34]},{"name":"ConvertPerformanceCounterToAuxiliaryCounter","features":[34]},{"name":"DATETIME","features":[34]},{"name":"DCIBeginAccess","features":[34]},{"name":"DCICMD","features":[34]},{"name":"DCICREATEINPUT","features":[34]},{"name":"DCICREATEOFFSCREENSURFACE","features":[34]},{"name":"DCICREATEOVERLAYSURFACE","features":[34]},{"name":"DCICREATEPRIMARYSURFACE","features":[34]},{"name":"DCICloseProvider","features":[12,34]},{"name":"DCICreateOffscreen","features":[12,34]},{"name":"DCICreateOverlay","features":[12,34]},{"name":"DCICreatePrimary","features":[12,34]},{"name":"DCIDestroy","features":[34]},{"name":"DCIDraw","features":[34]},{"name":"DCIENUMINPUT","features":[1,34]},{"name":"DCIENUMSURFACE","features":[34]},{"name":"DCIESCAPE","features":[34]},{"name":"DCIEndAccess","features":[34]},{"name":"DCIEnum","features":[1,12,34]},{"name":"DCIOFFSCREEN","features":[34]},{"name":"DCIOVERLAY","features":[34]},{"name":"DCIOpenProvider","features":[12,34]},{"name":"DCISURFACEINFO","features":[34]},{"name":"DCISetClipList","features":[1,12,34]},{"name":"DCISetDestination","features":[1,34]},{"name":"DCISetSrcDestClip","features":[1,12,34]},{"name":"DCI_1632_ACCESS","features":[34]},{"name":"DCI_ASYNC","features":[34]},{"name":"DCI_CANOVERLAY","features":[34]},{"name":"DCI_CAN_STRETCHX","features":[34]},{"name":"DCI_CAN_STRETCHXN","features":[34]},{"name":"DCI_CAN_STRETCHY","features":[34]},{"name":"DCI_CAN_STRETCHYN","features":[34]},{"name":"DCI_CHROMAKEY","features":[34]},{"name":"DCI_DWORDALIGN","features":[34]},{"name":"DCI_DWORDSIZE","features":[34]},{"name":"DCI_ERR_CURRENTLYNOTAVAIL","features":[34]},{"name":"DCI_ERR_HEIGHTALIGN","features":[34]},{"name":"DCI_ERR_INVALIDCLIPLIST","features":[34]},{"name":"DCI_ERR_INVALIDPOSITION","features":[34]},{"name":"DCI_ERR_INVALIDRECT","features":[34]},{"name":"DCI_ERR_INVALIDSTRETCH","features":[34]},{"name":"DCI_ERR_OUTOFMEMORY","features":[34]},{"name":"DCI_ERR_SURFACEISOBSCURED","features":[34]},{"name":"DCI_ERR_TOOBIGHEIGHT","features":[34]},{"name":"DCI_ERR_TOOBIGSIZE","features":[34]},{"name":"DCI_ERR_TOOBIGWIDTH","features":[34]},{"name":"DCI_ERR_UNSUPPORTEDFORMAT","features":[34]},{"name":"DCI_ERR_UNSUPPORTEDMASK","features":[34]},{"name":"DCI_ERR_WIDTHALIGN","features":[34]},{"name":"DCI_ERR_XALIGN","features":[34]},{"name":"DCI_ERR_XYALIGN","features":[34]},{"name":"DCI_ERR_YALIGN","features":[34]},{"name":"DCI_FAIL_GENERIC","features":[34]},{"name":"DCI_FAIL_INVALIDSURFACE","features":[34]},{"name":"DCI_FAIL_UNSUPPORTED","features":[34]},{"name":"DCI_FAIL_UNSUPPORTEDVERSION","features":[34]},{"name":"DCI_OFFSCREEN","features":[34]},{"name":"DCI_OK","features":[34]},{"name":"DCI_OVERLAY","features":[34]},{"name":"DCI_PRIMARY","features":[34]},{"name":"DCI_STATUS_CHROMAKEYCHANGED","features":[34]},{"name":"DCI_STATUS_FORMATCHANGED","features":[34]},{"name":"DCI_STATUS_POINTERCHANGED","features":[34]},{"name":"DCI_STATUS_STRIDECHANGED","features":[34]},{"name":"DCI_STATUS_SURFACEINFOCHANGED","features":[34]},{"name":"DCI_STATUS_WASSTILLDRAWING","features":[34]},{"name":"DCI_SURFACE_TYPE","features":[34]},{"name":"DCI_VERSION","features":[34]},{"name":"DCI_VISIBLE","features":[34]},{"name":"DCI_WRITEONLY","features":[34]},{"name":"DEACTIVATE_ACTCTX_FLAG_FORCE_EARLY_DEACTIVATION","features":[34]},{"name":"DECISION_LOCATION","features":[34]},{"name":"DECISION_LOCATION_AUDIT","features":[34]},{"name":"DECISION_LOCATION_ENFORCE_STATE_LIST","features":[34]},{"name":"DECISION_LOCATION_ENTERPRISE_DEFINED_CLASS_ID","features":[34]},{"name":"DECISION_LOCATION_FAILED_CONVERT_GUID","features":[34]},{"name":"DECISION_LOCATION_GLOBAL_BUILT_IN_LIST","features":[34]},{"name":"DECISION_LOCATION_NOT_FOUND","features":[34]},{"name":"DECISION_LOCATION_PARAMETER_VALIDATION","features":[34]},{"name":"DECISION_LOCATION_PROVIDER_BUILT_IN_LIST","features":[34]},{"name":"DECISION_LOCATION_REFRESH_GLOBAL_DATA","features":[34]},{"name":"DECISION_LOCATION_UNKNOWN","features":[34]},{"name":"DELAYLOAD_GPA_FAILURE","features":[34]},{"name":"DELAYLOAD_INFO","features":[34]},{"name":"DELAYLOAD_INFO","features":[34]},{"name":"DELAYLOAD_PROC_DESCRIPTOR","features":[34]},{"name":"DELETE_BROWSING_HISTORY_COOKIES","features":[34]},{"name":"DELETE_BROWSING_HISTORY_DOWNLOADHISTORY","features":[34]},{"name":"DELETE_BROWSING_HISTORY_FORMDATA","features":[34]},{"name":"DELETE_BROWSING_HISTORY_HISTORY","features":[34]},{"name":"DELETE_BROWSING_HISTORY_PASSWORDS","features":[34]},{"name":"DELETE_BROWSING_HISTORY_PRESERVEFAVORITES","features":[34]},{"name":"DELETE_BROWSING_HISTORY_TIF","features":[34]},{"name":"DOCKINFO_DOCKED","features":[34]},{"name":"DOCKINFO_UNDOCKED","features":[34]},{"name":"DOCKINFO_USER_SUPPLIED","features":[34]},{"name":"DRIVE_CDROM","features":[34]},{"name":"DRIVE_FIXED","features":[34]},{"name":"DRIVE_NO_ROOT_DIR","features":[34]},{"name":"DRIVE_RAMDISK","features":[34]},{"name":"DRIVE_REMOTE","features":[34]},{"name":"DRIVE_REMOVABLE","features":[34]},{"name":"DRIVE_UNKNOWN","features":[34]},{"name":"DTR_CONTROL_DISABLE","features":[34]},{"name":"DTR_CONTROL_ENABLE","features":[34]},{"name":"DTR_CONTROL_HANDSHAKE","features":[34]},{"name":"DefaultBrowserSyncSettings","features":[34]},{"name":"DelNodeA","features":[34]},{"name":"DelNodeRunDLL32W","features":[1,34]},{"name":"DelNodeW","features":[34]},{"name":"DnsHostnameToComputerNameA","features":[1,34]},{"name":"DnsHostnameToComputerNameW","features":[1,34]},{"name":"DosDateTimeToFileTime","features":[1,34]},{"name":"EFSRPC_SECURE_ONLY","features":[34]},{"name":"EFS_DROP_ALTERNATE_STREAMS","features":[34]},{"name":"EFS_USE_RECOVERY_KEYS","features":[34]},{"name":"ENTITY_LIST_ID","features":[34]},{"name":"ENTITY_TYPE_ID","features":[34]},{"name":"ENUM_CALLBACK","features":[34]},{"name":"ER_ENTITY","features":[34]},{"name":"ER_ICMP","features":[34]},{"name":"EVENTLOG_FULL_INFO","features":[34]},{"name":"EditionUpgradeBroker","features":[34]},{"name":"EditionUpgradeHelper","features":[34]},{"name":"EnableProcessOptionalXStateFeatures","features":[1,34]},{"name":"EndpointIoControlType","features":[34]},{"name":"ExecuteCabA","features":[1,34]},{"name":"ExecuteCabW","features":[1,34]},{"name":"ExtractFilesA","features":[34]},{"name":"ExtractFilesW","features":[34]},{"name":"FAIL_FAST_GENERATE_EXCEPTION_ADDRESS","features":[34]},{"name":"FAIL_FAST_NO_HARD_ERROR_DLG","features":[34]},{"name":"FEATURE_CHANGE_TIME","features":[34]},{"name":"FEATURE_CHANGE_TIME_MODULE_RELOAD","features":[34]},{"name":"FEATURE_CHANGE_TIME_READ","features":[34]},{"name":"FEATURE_CHANGE_TIME_REBOOT","features":[34]},{"name":"FEATURE_CHANGE_TIME_SESSION","features":[34]},{"name":"FEATURE_ENABLED_STATE","features":[34]},{"name":"FEATURE_ENABLED_STATE_DEFAULT","features":[34]},{"name":"FEATURE_ENABLED_STATE_DISABLED","features":[34]},{"name":"FEATURE_ENABLED_STATE_ENABLED","features":[34]},{"name":"FEATURE_ERROR","features":[34]},{"name":"FEATURE_STATE_CHANGE_SUBSCRIPTION","features":[34]},{"name":"FH_SERVICE_PIPE_HANDLE","features":[34]},{"name":"FIBER_FLAG_FLOAT_SWITCH","features":[34]},{"name":"FILE_CASE_SENSITIVE_INFO","features":[34]},{"name":"FILE_CREATED","features":[34]},{"name":"FILE_DIR_DISALLOWED","features":[34]},{"name":"FILE_DOES_NOT_EXIST","features":[34]},{"name":"FILE_ENCRYPTABLE","features":[34]},{"name":"FILE_EXISTS","features":[34]},{"name":"FILE_FLAG_IGNORE_IMPERSONATED_DEVICEMAP","features":[34]},{"name":"FILE_FLAG_OPEN_REQUIRING_OPLOCK","features":[34]},{"name":"FILE_IS_ENCRYPTED","features":[34]},{"name":"FILE_MAXIMUM_DISPOSITION","features":[34]},{"name":"FILE_NO_COMPRESSION","features":[34]},{"name":"FILE_OPENED","features":[34]},{"name":"FILE_OPEN_NO_RECALL","features":[34]},{"name":"FILE_OPEN_REMOTE_INSTANCE","features":[34]},{"name":"FILE_OVERWRITTEN","features":[34]},{"name":"FILE_READ_ONLY","features":[34]},{"name":"FILE_RENAME_FLAG_POSIX_SEMANTICS","features":[34]},{"name":"FILE_RENAME_FLAG_REPLACE_IF_EXISTS","features":[34]},{"name":"FILE_RENAME_FLAG_SUPPRESS_PIN_STATE_INHERITANCE","features":[34]},{"name":"FILE_ROOT_DIR","features":[34]},{"name":"FILE_SKIP_COMPLETION_PORT_ON_SUCCESS","features":[34]},{"name":"FILE_SKIP_SET_EVENT_ON_HANDLE","features":[34]},{"name":"FILE_SUPERSEDED","features":[34]},{"name":"FILE_SYSTEM_ATTR","features":[34]},{"name":"FILE_SYSTEM_DIR","features":[34]},{"name":"FILE_SYSTEM_NOT_SUPPORT","features":[34]},{"name":"FILE_UNKNOWN","features":[34]},{"name":"FILE_USER_DISALLOWED","features":[34]},{"name":"FILE_VALID_MAILSLOT_OPTION_FLAGS","features":[34]},{"name":"FILE_VALID_OPTION_FLAGS","features":[34]},{"name":"FILE_VALID_PIPE_OPTION_FLAGS","features":[34]},{"name":"FILE_VALID_SET_FLAGS","features":[34]},{"name":"FIND_ACTCTX_SECTION_KEY_RETURN_ASSEMBLY_METADATA","features":[34]},{"name":"FIND_ACTCTX_SECTION_KEY_RETURN_FLAGS","features":[34]},{"name":"FIND_ACTCTX_SECTION_KEY_RETURN_HACTCTX","features":[34]},{"name":"FORMAT_MESSAGE_MAX_WIDTH_MASK","features":[34]},{"name":"FS_CASE_IS_PRESERVED","features":[34]},{"name":"FS_CASE_SENSITIVE","features":[34]},{"name":"FS_FILE_COMPRESSION","features":[34]},{"name":"FS_FILE_ENCRYPTION","features":[34]},{"name":"FS_PERSISTENT_ACLS","features":[34]},{"name":"FS_UNICODE_STORED_ON_DISK","features":[34]},{"name":"FS_VOL_IS_COMPRESSED","features":[34]},{"name":"FileSaveMarkNotExistA","features":[34]},{"name":"FileSaveMarkNotExistW","features":[34]},{"name":"FileSaveRestoreOnINFA","features":[1,34]},{"name":"FileSaveRestoreOnINFW","features":[1,34]},{"name":"FileSaveRestoreW","features":[1,34]},{"name":"FileTimeToDosDateTime","features":[1,34]},{"name":"GENERIC_ENTITY","features":[34]},{"name":"GET_SYSTEM_WOW64_DIRECTORY_NAME_A_A","features":[34]},{"name":"GET_SYSTEM_WOW64_DIRECTORY_NAME_A_T","features":[34]},{"name":"GET_SYSTEM_WOW64_DIRECTORY_NAME_A_W","features":[34]},{"name":"GET_SYSTEM_WOW64_DIRECTORY_NAME_T_A","features":[34]},{"name":"GET_SYSTEM_WOW64_DIRECTORY_NAME_T_T","features":[34]},{"name":"GET_SYSTEM_WOW64_DIRECTORY_NAME_T_W","features":[34]},{"name":"GET_SYSTEM_WOW64_DIRECTORY_NAME_W_A","features":[34]},{"name":"GET_SYSTEM_WOW64_DIRECTORY_NAME_W_T","features":[34]},{"name":"GET_SYSTEM_WOW64_DIRECTORY_NAME_W_W","features":[34]},{"name":"GMEM_DDESHARE","features":[34]},{"name":"GMEM_DISCARDABLE","features":[34]},{"name":"GMEM_DISCARDED","features":[34]},{"name":"GMEM_INVALID_HANDLE","features":[34]},{"name":"GMEM_LOCKCOUNT","features":[34]},{"name":"GMEM_LOWER","features":[34]},{"name":"GMEM_MODIFY","features":[34]},{"name":"GMEM_NOCOMPACT","features":[34]},{"name":"GMEM_NODISCARD","features":[34]},{"name":"GMEM_NOTIFY","features":[34]},{"name":"GMEM_NOT_BANKED","features":[34]},{"name":"GMEM_SHARE","features":[34]},{"name":"GMEM_VALID_FLAGS","features":[34]},{"name":"GdiEntry13","features":[34]},{"name":"GetComputerNameA","features":[1,34]},{"name":"GetComputerNameW","features":[1,34]},{"name":"GetCurrentHwProfileA","features":[1,34]},{"name":"GetCurrentHwProfileW","features":[1,34]},{"name":"GetDCRegionData","features":[1,12,34]},{"name":"GetFeatureEnabledState","features":[34]},{"name":"GetFeatureVariant","features":[1,34]},{"name":"GetFirmwareEnvironmentVariableA","features":[34]},{"name":"GetFirmwareEnvironmentVariableExA","features":[34]},{"name":"GetFirmwareEnvironmentVariableExW","features":[34]},{"name":"GetFirmwareEnvironmentVariableW","features":[34]},{"name":"GetPrivateProfileIntA","features":[34]},{"name":"GetPrivateProfileIntW","features":[34]},{"name":"GetPrivateProfileSectionA","features":[34]},{"name":"GetPrivateProfileSectionNamesA","features":[34]},{"name":"GetPrivateProfileSectionNamesW","features":[34]},{"name":"GetPrivateProfileSectionW","features":[34]},{"name":"GetPrivateProfileStringA","features":[34]},{"name":"GetPrivateProfileStringW","features":[34]},{"name":"GetPrivateProfileStructA","features":[1,34]},{"name":"GetPrivateProfileStructW","features":[1,34]},{"name":"GetProfileIntA","features":[34]},{"name":"GetProfileIntW","features":[34]},{"name":"GetProfileSectionA","features":[34]},{"name":"GetProfileSectionW","features":[34]},{"name":"GetProfileStringA","features":[34]},{"name":"GetProfileStringW","features":[34]},{"name":"GetSockOptIoControlType","features":[34]},{"name":"GetSystemRegistryQuota","features":[1,34]},{"name":"GetThreadEnabledXStateFeatures","features":[34]},{"name":"GetUserNameA","features":[1,34]},{"name":"GetUserNameW","features":[1,34]},{"name":"GetVersionFromFileA","features":[1,34]},{"name":"GetVersionFromFileExA","features":[1,34]},{"name":"GetVersionFromFileExW","features":[1,34]},{"name":"GetVersionFromFileW","features":[1,34]},{"name":"GetWindowRegionData","features":[1,12,34]},{"name":"GlobalCompact","features":[34]},{"name":"GlobalFix","features":[1,34]},{"name":"GlobalUnWire","features":[1,34]},{"name":"GlobalUnfix","features":[1,34]},{"name":"GlobalWire","features":[1,34]},{"name":"HANJA_WINDOW","features":[34]},{"name":"HINSTANCE_ERROR","features":[34]},{"name":"HWINWATCH","features":[34]},{"name":"HW_PROFILE_GUIDLEN","features":[34]},{"name":"HW_PROFILE_INFOA","features":[34]},{"name":"HW_PROFILE_INFOW","features":[34]},{"name":"ICameraUIControl","features":[34]},{"name":"ICameraUIControlEventCallback","features":[34]},{"name":"IClipServiceNotificationHelper","features":[34]},{"name":"IContainerActivationHelper","features":[34]},{"name":"IDefaultBrowserSyncSettings","features":[34]},{"name":"IDeleteBrowsingHistory","features":[34]},{"name":"IE4_BACKNEW","features":[34]},{"name":"IE4_EXTRAINCREFCNT","features":[34]},{"name":"IE4_FRDOALL","features":[34]},{"name":"IE4_NODELETENEW","features":[34]},{"name":"IE4_NOENUMKEY","features":[34]},{"name":"IE4_NOMESSAGES","features":[34]},{"name":"IE4_NOPROGRESS","features":[34]},{"name":"IE4_NO_CRC_MAPPING","features":[34]},{"name":"IE4_REGSECTION","features":[34]},{"name":"IE4_REMOVREGBKDATA","features":[34]},{"name":"IE4_RESTORE","features":[34]},{"name":"IE4_UPDREFCNT","features":[34]},{"name":"IE4_USEREFCNT","features":[34]},{"name":"IE_BADID","features":[34]},{"name":"IE_BAUDRATE","features":[34]},{"name":"IE_BYTESIZE","features":[34]},{"name":"IE_DEFAULT","features":[34]},{"name":"IE_HARDWARE","features":[34]},{"name":"IE_MEMORY","features":[34]},{"name":"IE_NOPEN","features":[34]},{"name":"IE_OPEN","features":[34]},{"name":"IEditionUpgradeBroker","features":[34]},{"name":"IEditionUpgradeHelper","features":[34]},{"name":"IFClipNotificationHelper","features":[34]},{"name":"IF_ENTITY","features":[34]},{"name":"IF_GENERIC","features":[34]},{"name":"IF_MIB","features":[34]},{"name":"IGNORE","features":[34]},{"name":"IMAGE_DELAYLOAD_DESCRIPTOR","features":[34]},{"name":"IMAGE_THUNK_DATA32","features":[34]},{"name":"IMAGE_THUNK_DATA64","features":[34]},{"name":"IMEA_INIT","features":[34]},{"name":"IMEA_NEXT","features":[34]},{"name":"IMEA_PREV","features":[34]},{"name":"IMEPROA","features":[1,34]},{"name":"IMEPROW","features":[1,34]},{"name":"IMESTRUCT","features":[1,34]},{"name":"IME_BANJAtoJUNJA","features":[34]},{"name":"IME_ENABLE_CONVERT","features":[34]},{"name":"IME_ENTERWORDREGISTERMODE","features":[34]},{"name":"IME_GETCONVERSIONMODE","features":[34]},{"name":"IME_GETIMECAPS","features":[34]},{"name":"IME_GETOPEN","features":[34]},{"name":"IME_GETVERSION","features":[34]},{"name":"IME_JOHABtoKS","features":[34]},{"name":"IME_JUNJAtoBANJA","features":[34]},{"name":"IME_KStoJOHAB","features":[34]},{"name":"IME_MAXPROCESS","features":[34]},{"name":"IME_MODE_ALPHANUMERIC","features":[34]},{"name":"IME_MODE_CODEINPUT","features":[34]},{"name":"IME_MODE_DBCSCHAR","features":[34]},{"name":"IME_MODE_HANJACONVERT","features":[34]},{"name":"IME_MODE_HIRAGANA","features":[34]},{"name":"IME_MODE_KATAKANA","features":[34]},{"name":"IME_MODE_NOCODEINPUT","features":[34]},{"name":"IME_MODE_NOROMAN","features":[34]},{"name":"IME_MODE_ROMAN","features":[34]},{"name":"IME_MODE_SBCSCHAR","features":[34]},{"name":"IME_MOVEIMEWINDOW","features":[34]},{"name":"IME_REQUEST_CONVERT","features":[34]},{"name":"IME_RS_DISKERROR","features":[34]},{"name":"IME_RS_ERROR","features":[34]},{"name":"IME_RS_ILLEGAL","features":[34]},{"name":"IME_RS_INVALID","features":[34]},{"name":"IME_RS_NEST","features":[34]},{"name":"IME_RS_NOIME","features":[34]},{"name":"IME_RS_NOROOM","features":[34]},{"name":"IME_RS_NOTFOUND","features":[34]},{"name":"IME_RS_SYSTEMMODAL","features":[34]},{"name":"IME_RS_TOOLONG","features":[34]},{"name":"IME_SENDVKEY","features":[34]},{"name":"IME_SETCONVERSIONFONTEX","features":[34]},{"name":"IME_SETCONVERSIONMODE","features":[34]},{"name":"IME_SETCONVERSIONWINDOW","features":[34]},{"name":"IME_SETOPEN","features":[34]},{"name":"IME_SET_MODE","features":[34]},{"name":"IMPGetIMEA","features":[1,34]},{"name":"IMPGetIMEW","features":[1,34]},{"name":"IMPQueryIMEA","features":[1,34]},{"name":"IMPQueryIMEW","features":[1,34]},{"name":"IMPSetIMEA","features":[1,34]},{"name":"IMPSetIMEW","features":[1,34]},{"name":"INFO_CLASS_GENERIC","features":[34]},{"name":"INFO_CLASS_IMPLEMENTATION","features":[34]},{"name":"INFO_CLASS_PROTOCOL","features":[34]},{"name":"INFO_TYPE_ADDRESS_OBJECT","features":[34]},{"name":"INFO_TYPE_CONNECTION","features":[34]},{"name":"INFO_TYPE_PROVIDER","features":[34]},{"name":"INTERIM_WINDOW","features":[34]},{"name":"INVALID_ENTITY_INSTANCE","features":[34]},{"name":"IOCTL_TDI_TL_IO_CONTROL_ENDPOINT","features":[34]},{"name":"IR_CHANGECONVERT","features":[34]},{"name":"IR_CLOSECONVERT","features":[34]},{"name":"IR_DBCSCHAR","features":[34]},{"name":"IR_FULLCONVERT","features":[34]},{"name":"IR_IMESELECT","features":[34]},{"name":"IR_MODEINFO","features":[34]},{"name":"IR_OPENCONVERT","features":[34]},{"name":"IR_STRING","features":[34]},{"name":"IR_STRINGEND","features":[34]},{"name":"IR_STRINGEX","features":[34]},{"name":"IR_STRINGSTART","features":[34]},{"name":"IR_UNDETERMINE","features":[34]},{"name":"IWindowsLockModeHelper","features":[34]},{"name":"IsApiSetImplemented","features":[1,34]},{"name":"IsBadHugeReadPtr","features":[1,34]},{"name":"IsBadHugeWritePtr","features":[1,34]},{"name":"IsNTAdmin","features":[1,34]},{"name":"IsNativeVhdBoot","features":[1,34]},{"name":"IsTokenUntrusted","features":[1,34]},{"name":"JAVA_TRUST","features":[1,34]},{"name":"JIT_DEBUG_INFO","features":[34]},{"name":"KEY_ALL_KEYS","features":[34]},{"name":"KEY_OVERRIDE","features":[34]},{"name":"KEY_UNKNOWN","features":[34]},{"name":"LDR_DATA_TABLE_ENTRY","features":[1,7,34]},{"name":"LIS_NOGRPCONV","features":[34]},{"name":"LIS_QUIET","features":[34]},{"name":"LOGON32_PROVIDER_VIRTUAL","features":[34]},{"name":"LOGON32_PROVIDER_WINNT35","features":[34]},{"name":"LOGON_ZERO_PASSWORD_BUFFER","features":[34]},{"name":"LPTx","features":[34]},{"name":"LaunchINFSectionExW","features":[1,34]},{"name":"LaunchINFSectionW","features":[1,34]},{"name":"LocalCompact","features":[34]},{"name":"LocalShrink","features":[1,34]},{"name":"MAXINTATOM","features":[34]},{"name":"MAX_COMPUTERNAME_LENGTH","features":[34]},{"name":"MAX_TDI_ENTITIES","features":[34]},{"name":"MCW_DEFAULT","features":[34]},{"name":"MCW_HIDDEN","features":[34]},{"name":"MCW_RECT","features":[34]},{"name":"MCW_SCREEN","features":[34]},{"name":"MCW_VERTICAL","features":[34]},{"name":"MCW_WINDOW","features":[34]},{"name":"MICROSOFT_WINBASE_H_DEFINE_INTERLOCKED_CPLUSPLUS_OVERLOADS","features":[34]},{"name":"MICROSOFT_WINDOWS_WINBASE_H_DEFINE_INTERLOCKED_CPLUSPLUS_OVERLOADS","features":[34]},{"name":"MODE_WINDOW","features":[34]},{"name":"MulDiv","features":[34]},{"name":"NeedReboot","features":[1,34]},{"name":"NeedRebootInit","features":[34]},{"name":"OFS_MAXPATHNAME","features":[34]},{"name":"OPERATION_API_VERSION","features":[34]},{"name":"OVERWRITE_HIDDEN","features":[34]},{"name":"OpenINFEngineA","features":[34]},{"name":"OpenINFEngineW","features":[34]},{"name":"OpenMutexA","features":[1,34]},{"name":"OpenSemaphoreA","features":[1,34]},{"name":"PCF_16BITMODE","features":[34]},{"name":"PCF_DTRDSR","features":[34]},{"name":"PCF_INTTIMEOUTS","features":[34]},{"name":"PCF_PARITY_CHECK","features":[34]},{"name":"PCF_RLSD","features":[34]},{"name":"PCF_RTSCTS","features":[34]},{"name":"PCF_SETXCHAR","features":[34]},{"name":"PCF_SPECIALCHARS","features":[34]},{"name":"PCF_TOTALTIMEOUTS","features":[34]},{"name":"PCF_XONXOFF","features":[34]},{"name":"PDELAYLOAD_FAILURE_DLL_CALLBACK","features":[34]},{"name":"PERUSERSECTIONA","features":[1,34]},{"name":"PERUSERSECTIONW","features":[1,34]},{"name":"PFEATURE_STATE_CHANGE_CALLBACK","features":[34]},{"name":"PFIBER_CALLOUT_ROUTINE","features":[34]},{"name":"PQUERYACTCTXW_FUNC","features":[1,34]},{"name":"PROCESS_CREATION_ALL_APPLICATION_PACKAGES_OPT_OUT","features":[34]},{"name":"PROCESS_CREATION_CHILD_PROCESS_OVERRIDE","features":[34]},{"name":"PROCESS_CREATION_CHILD_PROCESS_RESTRICTED","features":[34]},{"name":"PROCESS_CREATION_CHILD_PROCESS_RESTRICTED_UNLESS_SECURE","features":[34]},{"name":"PROCESS_CREATION_DESKTOP_APP_BREAKAWAY_DISABLE_PROCESS_TREE","features":[34]},{"name":"PROCESS_CREATION_DESKTOP_APP_BREAKAWAY_ENABLE_PROCESS_TREE","features":[34]},{"name":"PROCESS_CREATION_DESKTOP_APP_BREAKAWAY_OVERRIDE","features":[34]},{"name":"PROCESS_CREATION_MITIGATION_POLICY_DEP_ATL_THUNK_ENABLE","features":[34]},{"name":"PROCESS_CREATION_MITIGATION_POLICY_DEP_ENABLE","features":[34]},{"name":"PROCESS_CREATION_MITIGATION_POLICY_SEHOP_ENABLE","features":[34]},{"name":"PROC_THREAD_ATTRIBUTE_ADDITIVE","features":[34]},{"name":"PROC_THREAD_ATTRIBUTE_INPUT","features":[34]},{"name":"PROC_THREAD_ATTRIBUTE_NUMBER","features":[34]},{"name":"PROC_THREAD_ATTRIBUTE_THREAD","features":[34]},{"name":"PROGRESS_CANCEL","features":[34]},{"name":"PROGRESS_CONTINUE","features":[34]},{"name":"PROGRESS_QUIET","features":[34]},{"name":"PROGRESS_STOP","features":[34]},{"name":"PROTECTION_LEVEL_SAME","features":[34]},{"name":"PST_FAX","features":[34]},{"name":"PST_LAT","features":[34]},{"name":"PST_MODEM","features":[34]},{"name":"PST_NETWORK_BRIDGE","features":[34]},{"name":"PST_PARALLELPORT","features":[34]},{"name":"PST_RS232","features":[34]},{"name":"PST_RS422","features":[34]},{"name":"PST_RS423","features":[34]},{"name":"PST_RS449","features":[34]},{"name":"PST_SCANNER","features":[34]},{"name":"PST_TCPIP_TELNET","features":[34]},{"name":"PST_UNSPECIFIED","features":[34]},{"name":"PST_X25","features":[34]},{"name":"PUBLIC_OBJECT_BASIC_INFORMATION","features":[34]},{"name":"PUBLIC_OBJECT_TYPE_INFORMATION","features":[1,34]},{"name":"PWINSTATIONQUERYINFORMATIONW","features":[1,34]},{"name":"PWLDP_CANEXECUTEBUFFER_API","features":[34]},{"name":"PWLDP_CANEXECUTEFILE_API","features":[1,34]},{"name":"PWLDP_CANEXECUTESTREAM_API","features":[34]},{"name":"PWLDP_ISAPPAPPROVEDBYPOLICY_API","features":[34]},{"name":"PWLDP_ISDYNAMICCODEPOLICYENABLED_API","features":[1,34]},{"name":"PWLDP_ISPRODUCTIONCONFIGURATION_API","features":[1,34]},{"name":"PWLDP_ISWCOSPRODUCTIONCONFIGURATION_API","features":[1,34]},{"name":"PWLDP_QUERYDEVICESECURITYINFORMATION_API","features":[34]},{"name":"PWLDP_QUERYDYNAMICODETRUST_API","features":[1,34]},{"name":"PWLDP_QUERYPOLICYSETTINGENABLED2_API","features":[1,34]},{"name":"PWLDP_QUERYPOLICYSETTINGENABLED_API","features":[1,34]},{"name":"PWLDP_QUERYWINDOWSLOCKDOWNMODE_API","features":[34]},{"name":"PWLDP_QUERYWINDOWSLOCKDOWNRESTRICTION_API","features":[34]},{"name":"PWLDP_RESETPRODUCTIONCONFIGURATION_API","features":[34]},{"name":"PWLDP_RESETWCOSPRODUCTIONCONFIGURATION_API","features":[34]},{"name":"PWLDP_SETDYNAMICCODETRUST_API","features":[1,34]},{"name":"PWLDP_SETWINDOWSLOCKDOWNRESTRICTION_API","features":[34]},{"name":"QUERY_ACTCTX_FLAG_ACTCTX_IS_ADDRESS","features":[34]},{"name":"QUERY_ACTCTX_FLAG_ACTCTX_IS_HMODULE","features":[34]},{"name":"QUERY_ACTCTX_FLAG_NO_ADDREF","features":[34]},{"name":"QUERY_ACTCTX_FLAG_USE_ACTIVE_ACTCTX","features":[34]},{"name":"QueryAuxiliaryCounterFrequency","features":[34]},{"name":"QueryIdleProcessorCycleTime","features":[1,34]},{"name":"QueryIdleProcessorCycleTimeEx","features":[1,34]},{"name":"QueryInterruptTime","features":[34]},{"name":"QueryInterruptTimePrecise","features":[34]},{"name":"QueryProcessCycleTime","features":[1,34]},{"name":"QueryThreadCycleTime","features":[1,34]},{"name":"QueryUnbiasedInterruptTime","features":[1,34]},{"name":"QueryUnbiasedInterruptTimePrecise","features":[34]},{"name":"RECOVERY_DEFAULT_PING_INTERVAL","features":[34]},{"name":"REGINSTALLA","features":[1,34]},{"name":"REG_RESTORE_LOG_KEY","features":[34]},{"name":"REG_SAVE_LOG_KEY","features":[34]},{"name":"REMOTE_PROTOCOL_INFO_FLAG_LOOPBACK","features":[34]},{"name":"REMOTE_PROTOCOL_INFO_FLAG_OFFLINE","features":[34]},{"name":"REMOTE_PROTOCOL_INFO_FLAG_PERSISTENT_HANDLE","features":[34]},{"name":"RESETDEV","features":[34]},{"name":"RESTART_MAX_CMD_LINE","features":[34]},{"name":"RPI_FLAG_SMB2_SHARECAP_CLUSTER","features":[34]},{"name":"RPI_FLAG_SMB2_SHARECAP_CONTINUOUS_AVAILABILITY","features":[34]},{"name":"RPI_FLAG_SMB2_SHARECAP_DFS","features":[34]},{"name":"RPI_FLAG_SMB2_SHARECAP_SCALEOUT","features":[34]},{"name":"RPI_FLAG_SMB2_SHARECAP_TIMEWARP","features":[34]},{"name":"RPI_SMB2_FLAG_SERVERCAP_DFS","features":[34]},{"name":"RPI_SMB2_FLAG_SERVERCAP_DIRECTORY_LEASING","features":[34]},{"name":"RPI_SMB2_FLAG_SERVERCAP_LARGEMTU","features":[34]},{"name":"RPI_SMB2_FLAG_SERVERCAP_LEASING","features":[34]},{"name":"RPI_SMB2_FLAG_SERVERCAP_MULTICHANNEL","features":[34]},{"name":"RPI_SMB2_FLAG_SERVERCAP_PERSISTENT_HANDLES","features":[34]},{"name":"RPI_SMB2_SHAREFLAG_COMPRESS_DATA","features":[34]},{"name":"RPI_SMB2_SHAREFLAG_ENCRYPT_DATA","features":[34]},{"name":"RSC_FLAG_DELAYREGISTEROCX","features":[34]},{"name":"RSC_FLAG_INF","features":[34]},{"name":"RSC_FLAG_NGCONV","features":[34]},{"name":"RSC_FLAG_QUIET","features":[34]},{"name":"RSC_FLAG_SETUPAPI","features":[34]},{"name":"RSC_FLAG_SKIPDISKSPACECHECK","features":[34]},{"name":"RSC_FLAG_UPDHLPDLLS","features":[34]},{"name":"RTS_CONTROL_DISABLE","features":[34]},{"name":"RTS_CONTROL_ENABLE","features":[34]},{"name":"RTS_CONTROL_HANDSHAKE","features":[34]},{"name":"RTS_CONTROL_TOGGLE","features":[34]},{"name":"RUNCMDS_DELAYPOSTCMD","features":[34]},{"name":"RUNCMDS_NOWAIT","features":[34]},{"name":"RUNCMDS_QUIET","features":[34]},{"name":"RaiseCustomSystemEventTrigger","features":[34]},{"name":"RebootCheckOnInstallA","features":[1,34]},{"name":"RebootCheckOnInstallW","features":[1,34]},{"name":"RecordFeatureError","features":[34]},{"name":"RecordFeatureUsage","features":[34]},{"name":"RegInstallA","features":[1,34]},{"name":"RegInstallW","features":[1,34]},{"name":"RegRestoreAllA","features":[1,49,34]},{"name":"RegRestoreAllW","features":[1,49,34]},{"name":"RegSaveRestoreA","features":[1,49,34]},{"name":"RegSaveRestoreOnINFA","features":[1,49,34]},{"name":"RegSaveRestoreOnINFW","features":[1,49,34]},{"name":"RegSaveRestoreW","features":[1,49,34]},{"name":"ReplacePartitionUnit","features":[1,34]},{"name":"RequestDeviceWakeup","features":[1,34]},{"name":"RtlAnsiStringToUnicodeString","features":[1,7,34]},{"name":"RtlCharToInteger","features":[1,34]},{"name":"RtlFreeAnsiString","features":[7,34]},{"name":"RtlFreeOemString","features":[7,34]},{"name":"RtlFreeUnicodeString","features":[1,34]},{"name":"RtlGetReturnAddressHijackTarget","features":[34]},{"name":"RtlInitAnsiString","features":[7,34]},{"name":"RtlInitAnsiStringEx","features":[1,7,34]},{"name":"RtlInitString","features":[7,34]},{"name":"RtlInitStringEx","features":[1,7,34]},{"name":"RtlInitUnicodeString","features":[1,34]},{"name":"RtlIsNameLegalDOS8Dot3","features":[1,7,34]},{"name":"RtlLocalTimeToSystemTime","features":[1,34]},{"name":"RtlRaiseCustomSystemEventTrigger","features":[34]},{"name":"RtlTimeToSecondsSince1970","features":[1,34]},{"name":"RtlUnicodeStringToAnsiString","features":[1,7,34]},{"name":"RtlUnicodeStringToOemString","features":[1,7,34]},{"name":"RtlUnicodeToMultiByteSize","features":[1,34]},{"name":"RtlUniform","features":[34]},{"name":"RunSetupCommandA","features":[1,34]},{"name":"RunSetupCommandW","features":[1,34]},{"name":"SCS_32BIT_BINARY","features":[34]},{"name":"SCS_64BIT_BINARY","features":[34]},{"name":"SCS_DOS_BINARY","features":[34]},{"name":"SCS_OS216_BINARY","features":[34]},{"name":"SCS_PIF_BINARY","features":[34]},{"name":"SCS_POSIX_BINARY","features":[34]},{"name":"SCS_THIS_PLATFORM_BINARY","features":[34]},{"name":"SCS_WOW_BINARY","features":[34]},{"name":"SHUTDOWN_NORETRY","features":[34]},{"name":"SP_BAUD","features":[34]},{"name":"SP_DATABITS","features":[34]},{"name":"SP_HANDSHAKING","features":[34]},{"name":"SP_PARITY","features":[34]},{"name":"SP_PARITY_CHECK","features":[34]},{"name":"SP_RLSD","features":[34]},{"name":"SP_SERIALCOMM","features":[34]},{"name":"SP_STOPBITS","features":[34]},{"name":"STARTF_HOLOGRAPHIC","features":[34]},{"name":"STORAGE_INFO_FLAGS_ALIGNED_DEVICE","features":[34]},{"name":"STORAGE_INFO_FLAGS_PARTITION_ALIGNED_ON_DEVICE","features":[34]},{"name":"STORAGE_INFO_OFFSET_UNKNOWN","features":[34]},{"name":"STREAM_CONTAINS_GHOSTED_FILE_EXTENTS","features":[34]},{"name":"STREAM_CONTAINS_PROPERTIES","features":[34]},{"name":"STREAM_CONTAINS_SECURITY","features":[34]},{"name":"STREAM_MODIFIED_WHEN_READ","features":[34]},{"name":"STREAM_NORMAL_ATTRIBUTE","features":[34]},{"name":"STREAM_SPARSE_ATTRIBUTE","features":[34]},{"name":"STRENTRYA","features":[34]},{"name":"STRENTRYW","features":[34]},{"name":"STRINGEXSTRUCT","features":[34]},{"name":"STRTABLEA","features":[34]},{"name":"STRTABLEW","features":[34]},{"name":"SYSTEM_BASIC_INFORMATION","features":[34]},{"name":"SYSTEM_CODEINTEGRITY_INFORMATION","features":[34]},{"name":"SYSTEM_EXCEPTION_INFORMATION","features":[34]},{"name":"SYSTEM_INTERRUPT_INFORMATION","features":[34]},{"name":"SYSTEM_LOOKASIDE_INFORMATION","features":[34]},{"name":"SYSTEM_PERFORMANCE_INFORMATION","features":[34]},{"name":"SYSTEM_POLICY_INFORMATION","features":[34]},{"name":"SYSTEM_PROCESSOR_PERFORMANCE_INFORMATION","features":[34]},{"name":"SYSTEM_PROCESS_INFORMATION","features":[1,34]},{"name":"SYSTEM_REGISTRY_QUOTA_INFORMATION","features":[34]},{"name":"SYSTEM_STATUS_FLAG_POWER_SAVING_ON","features":[34]},{"name":"SYSTEM_THREAD_INFORMATION","features":[1,34]},{"name":"SYSTEM_TIMEOFDAY_INFORMATION","features":[34]},{"name":"S_ALLTHRESHOLD","features":[34]},{"name":"S_LEGATO","features":[34]},{"name":"S_NORMAL","features":[34]},{"name":"S_PERIOD1024","features":[34]},{"name":"S_PERIOD2048","features":[34]},{"name":"S_PERIOD512","features":[34]},{"name":"S_PERIODVOICE","features":[34]},{"name":"S_QUEUEEMPTY","features":[34]},{"name":"S_SERBDNT","features":[34]},{"name":"S_SERDCC","features":[34]},{"name":"S_SERDDR","features":[34]},{"name":"S_SERDFQ","features":[34]},{"name":"S_SERDLN","features":[34]},{"name":"S_SERDMD","features":[34]},{"name":"S_SERDPT","features":[34]},{"name":"S_SERDSH","features":[34]},{"name":"S_SERDSR","features":[34]},{"name":"S_SERDST","features":[34]},{"name":"S_SERDTP","features":[34]},{"name":"S_SERDVL","features":[34]},{"name":"S_SERDVNA","features":[34]},{"name":"S_SERMACT","features":[34]},{"name":"S_SEROFM","features":[34]},{"name":"S_SERQFUL","features":[34]},{"name":"S_STACCATO","features":[34]},{"name":"S_THRESHOLD","features":[34]},{"name":"S_WHITE1024","features":[34]},{"name":"S_WHITE2048","features":[34]},{"name":"S_WHITE512","features":[34]},{"name":"S_WHITEVOICE","features":[34]},{"name":"SendIMEMessageExA","features":[1,34]},{"name":"SendIMEMessageExW","features":[1,34]},{"name":"SetEnvironmentStringsA","features":[1,34]},{"name":"SetFirmwareEnvironmentVariableA","features":[1,34]},{"name":"SetFirmwareEnvironmentVariableExA","features":[1,34]},{"name":"SetFirmwareEnvironmentVariableExW","features":[1,34]},{"name":"SetFirmwareEnvironmentVariableW","features":[1,34]},{"name":"SetHandleCount","features":[34]},{"name":"SetMessageWaitingIndicator","features":[1,34]},{"name":"SetPerUserSecValuesA","features":[1,34]},{"name":"SetPerUserSecValuesW","features":[1,34]},{"name":"SetSockOptIoControlType","features":[34]},{"name":"SocketIoControlType","features":[34]},{"name":"SubscribeFeatureStateChangeNotification","features":[34]},{"name":"TCP_REQUEST_QUERY_INFORMATION_EX32_XP","features":[34]},{"name":"TCP_REQUEST_QUERY_INFORMATION_EX_W2K","features":[34]},{"name":"TCP_REQUEST_QUERY_INFORMATION_EX_XP","features":[34]},{"name":"TCP_REQUEST_SET_INFORMATION_EX","features":[34]},{"name":"TC_GP_TRAP","features":[34]},{"name":"TC_HARDERR","features":[34]},{"name":"TC_NORMAL","features":[34]},{"name":"TC_SIGNAL","features":[34]},{"name":"TDIENTITY_ENTITY_TYPE","features":[34]},{"name":"TDIEntityID","features":[34]},{"name":"TDIObjectID","features":[34]},{"name":"TDI_TL_IO_CONTROL_ENDPOINT","features":[34]},{"name":"TDI_TL_IO_CONTROL_TYPE","features":[34]},{"name":"THREAD_NAME_INFORMATION","features":[1,34]},{"name":"THREAD_PRIORITY_ERROR_RETURN","features":[34]},{"name":"TranslateInfStringA","features":[34]},{"name":"TranslateInfStringExA","features":[34]},{"name":"TranslateInfStringExW","features":[34]},{"name":"TranslateInfStringW","features":[34]},{"name":"UMS_VERSION","features":[34]},{"name":"UNDETERMINESTRUCT","features":[34]},{"name":"UnsubscribeFeatureStateChangeNotification","features":[34]},{"name":"UserInstStubWrapperA","features":[1,34]},{"name":"UserInstStubWrapperW","features":[1,34]},{"name":"UserUnInstStubWrapperA","features":[1,34]},{"name":"UserUnInstStubWrapperW","features":[1,34]},{"name":"VALUENAME","features":[34]},{"name":"VALUENAME_BUILT_IN_LIST","features":[34]},{"name":"VALUENAME_ENTERPRISE_DEFINED_CLASS_ID","features":[34]},{"name":"VALUENAME_UNKNOWN","features":[34]},{"name":"WINNLSEnableIME","features":[1,34]},{"name":"WINNLSGetEnableStatus","features":[1,34]},{"name":"WINNLSGetIMEHotkey","features":[1,34]},{"name":"WINSTATIONINFOCLASS","features":[34]},{"name":"WINSTATIONINFORMATIONW","features":[34]},{"name":"WINWATCHNOTIFYPROC","features":[1,34]},{"name":"WINWATCHNOTIFY_CHANGED","features":[34]},{"name":"WINWATCHNOTIFY_CHANGING","features":[34]},{"name":"WINWATCHNOTIFY_DESTROY","features":[34]},{"name":"WINWATCHNOTIFY_START","features":[34]},{"name":"WINWATCHNOTIFY_STOP","features":[34]},{"name":"WLDP_CANEXECUTEBUFFER_FN","features":[34]},{"name":"WLDP_CANEXECUTEFILE_FN","features":[34]},{"name":"WLDP_DEVICE_SECURITY_INFORMATION","features":[34]},{"name":"WLDP_DLL","features":[34]},{"name":"WLDP_EXECUTION_EVALUATION_OPTIONS","features":[34]},{"name":"WLDP_EXECUTION_EVALUATION_OPTION_EXECUTE_IN_INTERACTIVE_SESSION","features":[34]},{"name":"WLDP_EXECUTION_EVALUATION_OPTION_NONE","features":[34]},{"name":"WLDP_EXECUTION_POLICY","features":[34]},{"name":"WLDP_EXECUTION_POLICY_ALLOWED","features":[34]},{"name":"WLDP_EXECUTION_POLICY_BLOCKED","features":[34]},{"name":"WLDP_EXECUTION_POLICY_REQUIRE_SANDBOX","features":[34]},{"name":"WLDP_FLAGS_SKIPSIGNATUREVALIDATION","features":[34]},{"name":"WLDP_GETLOCKDOWNPOLICY_FN","features":[34]},{"name":"WLDP_HOST","features":[34]},{"name":"WLDP_HOST_CMD","features":[34]},{"name":"WLDP_HOST_HTML","features":[34]},{"name":"WLDP_HOST_ID","features":[34]},{"name":"WLDP_HOST_ID_ALL","features":[34]},{"name":"WLDP_HOST_ID_GLOBAL","features":[34]},{"name":"WLDP_HOST_ID_IE","features":[34]},{"name":"WLDP_HOST_ID_MAX","features":[34]},{"name":"WLDP_HOST_ID_MSI","features":[34]},{"name":"WLDP_HOST_ID_POWERSHELL","features":[34]},{"name":"WLDP_HOST_ID_UNKNOWN","features":[34]},{"name":"WLDP_HOST_ID_VBA","features":[34]},{"name":"WLDP_HOST_ID_WSH","features":[34]},{"name":"WLDP_HOST_INFORMATION","features":[1,34]},{"name":"WLDP_HOST_INFORMATION_REVISION","features":[34]},{"name":"WLDP_HOST_JAVASCRIPT","features":[34]},{"name":"WLDP_HOST_MAX","features":[34]},{"name":"WLDP_HOST_MSI","features":[34]},{"name":"WLDP_HOST_OTHER","features":[34]},{"name":"WLDP_HOST_POWERSHELL","features":[34]},{"name":"WLDP_HOST_PYTHON","features":[34]},{"name":"WLDP_HOST_RUNDLL32","features":[34]},{"name":"WLDP_HOST_SVCHOST","features":[34]},{"name":"WLDP_HOST_WINDOWS_SCRIPT_HOST","features":[34]},{"name":"WLDP_HOST_XML","features":[34]},{"name":"WLDP_ISAPPAPPROVEDBYPOLICY_FN","features":[34]},{"name":"WLDP_ISCLASSINAPPROVEDLIST_FN","features":[34]},{"name":"WLDP_ISDYNAMICCODEPOLICYENABLED_FN","features":[34]},{"name":"WLDP_ISPRODUCTIONCONFIGURATION_FN","features":[34]},{"name":"WLDP_ISWCOSPRODUCTIONCONFIGURATION_FN","features":[34]},{"name":"WLDP_KEY","features":[34]},{"name":"WLDP_LOCKDOWN_AUDIT_FLAG","features":[34]},{"name":"WLDP_LOCKDOWN_CONFIG_CI_AUDIT_FLAG","features":[34]},{"name":"WLDP_LOCKDOWN_CONFIG_CI_FLAG","features":[34]},{"name":"WLDP_LOCKDOWN_DEFINED_FLAG","features":[34]},{"name":"WLDP_LOCKDOWN_EXCLUSION_FLAG","features":[34]},{"name":"WLDP_LOCKDOWN_OFF","features":[34]},{"name":"WLDP_LOCKDOWN_UMCIENFORCE_FLAG","features":[34]},{"name":"WLDP_LOCKDOWN_UNDEFINED","features":[34]},{"name":"WLDP_POLICY_SETTING","features":[34]},{"name":"WLDP_POLICY_SETTING_AV_PERF_MODE","features":[34]},{"name":"WLDP_QUERYDANAMICCODETRUST_FN","features":[34]},{"name":"WLDP_QUERYDEVICESECURITYINFORMATION_FN","features":[34]},{"name":"WLDP_QUERYDYNAMICCODETRUST_FN","features":[34]},{"name":"WLDP_QUERYPOLICYSETTINGENABLED2_FN","features":[34]},{"name":"WLDP_QUERYPOLICYSETTINGENABLED_FN","features":[34]},{"name":"WLDP_QUERYWINDOWSLOCKDOWNMODE_FN","features":[34]},{"name":"WLDP_QUERYWINDOWSLOCKDOWNRESTRICTION_FN","features":[34]},{"name":"WLDP_RESETPRODUCTIONCONFIGURATION_FN","features":[34]},{"name":"WLDP_RESETWCOSPRODUCTIONCONFIGURATION_FN","features":[34]},{"name":"WLDP_SETDYNAMICCODETRUST_FN","features":[34]},{"name":"WLDP_SETWINDOWSLOCKDOWNRESTRICTION_FN","features":[34]},{"name":"WLDP_WINDOWS_LOCKDOWN_MODE","features":[34]},{"name":"WLDP_WINDOWS_LOCKDOWN_MODE_LOCKED","features":[34]},{"name":"WLDP_WINDOWS_LOCKDOWN_MODE_MAX","features":[34]},{"name":"WLDP_WINDOWS_LOCKDOWN_MODE_TRIAL","features":[34]},{"name":"WLDP_WINDOWS_LOCKDOWN_MODE_UNLOCKED","features":[34]},{"name":"WLDP_WINDOWS_LOCKDOWN_RESTRICTION","features":[34]},{"name":"WLDP_WINDOWS_LOCKDOWN_RESTRICTION_MAX","features":[34]},{"name":"WLDP_WINDOWS_LOCKDOWN_RESTRICTION_NONE","features":[34]},{"name":"WLDP_WINDOWS_LOCKDOWN_RESTRICTION_NOUNLOCK","features":[34]},{"name":"WLDP_WINDOWS_LOCKDOWN_RESTRICTION_NOUNLOCK_PERMANENT","features":[34]},{"name":"WM_CONVERTREQUEST","features":[34]},{"name":"WM_CONVERTRESULT","features":[34]},{"name":"WM_IMEKEYDOWN","features":[34]},{"name":"WM_IMEKEYUP","features":[34]},{"name":"WM_IME_REPORT","features":[34]},{"name":"WM_INTERIM","features":[34]},{"name":"WM_WNT_CONVERTREQUESTEX","features":[34]},{"name":"WinStationInformation","features":[34]},{"name":"WinWatchClose","features":[34]},{"name":"WinWatchDidStatusChange","features":[1,34]},{"name":"WinWatchGetClipList","features":[1,12,34]},{"name":"WinWatchNotify","features":[1,34]},{"name":"WinWatchOpen","features":[1,34]},{"name":"WldpCanExecuteBuffer","features":[34]},{"name":"WldpCanExecuteFile","features":[1,34]},{"name":"WldpCanExecuteStream","features":[34]},{"name":"WldpGetLockdownPolicy","features":[1,34]},{"name":"WldpIsClassInApprovedList","features":[1,34]},{"name":"WldpIsDynamicCodePolicyEnabled","features":[1,34]},{"name":"WldpQueryDeviceSecurityInformation","features":[34]},{"name":"WldpQueryDynamicCodeTrust","features":[1,34]},{"name":"WldpSetDynamicCodeTrust","features":[1,34]},{"name":"WritePrivateProfileSectionA","features":[1,34]},{"name":"WritePrivateProfileSectionW","features":[1,34]},{"name":"WritePrivateProfileStringA","features":[1,34]},{"name":"WritePrivateProfileStringW","features":[1,34]},{"name":"WritePrivateProfileStructA","features":[1,34]},{"name":"WritePrivateProfileStructW","features":[1,34]},{"name":"WriteProfileSectionA","features":[1,34]},{"name":"WriteProfileSectionW","features":[1,34]},{"name":"WriteProfileStringA","features":[1,34]},{"name":"WriteProfileStringW","features":[1,34]},{"name":"_hread","features":[34]},{"name":"_hwrite","features":[34]},{"name":"_lclose","features":[34]},{"name":"_lcreat","features":[34]},{"name":"_llseek","features":[34]},{"name":"_lopen","features":[34]},{"name":"_lread","features":[34]},{"name":"_lwrite","features":[34]},{"name":"uaw_lstrcmpW","features":[34]},{"name":"uaw_lstrcmpiW","features":[34]},{"name":"uaw_lstrlenW","features":[34]},{"name":"uaw_wcschr","features":[34]},{"name":"uaw_wcscpy","features":[34]},{"name":"uaw_wcsicmp","features":[34]},{"name":"uaw_wcslen","features":[34]},{"name":"uaw_wcsrchr","features":[34]}],"646":[{"name":"CIMTYPE_ENUMERATION","features":[207]},{"name":"CIM_BOOLEAN","features":[207]},{"name":"CIM_CHAR16","features":[207]},{"name":"CIM_DATETIME","features":[207]},{"name":"CIM_EMPTY","features":[207]},{"name":"CIM_FLAG_ARRAY","features":[207]},{"name":"CIM_ILLEGAL","features":[207]},{"name":"CIM_OBJECT","features":[207]},{"name":"CIM_REAL32","features":[207]},{"name":"CIM_REAL64","features":[207]},{"name":"CIM_REFERENCE","features":[207]},{"name":"CIM_SINT16","features":[207]},{"name":"CIM_SINT32","features":[207]},{"name":"CIM_SINT64","features":[207]},{"name":"CIM_SINT8","features":[207]},{"name":"CIM_STRING","features":[207]},{"name":"CIM_UINT16","features":[207]},{"name":"CIM_UINT32","features":[207]},{"name":"CIM_UINT64","features":[207]},{"name":"CIM_UINT8","features":[207]},{"name":"IEnumWbemClassObject","features":[207]},{"name":"IMofCompiler","features":[207]},{"name":"ISWbemDateTime","features":[207]},{"name":"ISWbemEventSource","features":[207]},{"name":"ISWbemLastError","features":[207]},{"name":"ISWbemLocator","features":[207]},{"name":"ISWbemMethod","features":[207]},{"name":"ISWbemMethodSet","features":[207]},{"name":"ISWbemNamedValue","features":[207]},{"name":"ISWbemNamedValueSet","features":[207]},{"name":"ISWbemObject","features":[207]},{"name":"ISWbemObjectEx","features":[207]},{"name":"ISWbemObjectPath","features":[207]},{"name":"ISWbemObjectSet","features":[207]},{"name":"ISWbemPrivilege","features":[207]},{"name":"ISWbemPrivilegeSet","features":[207]},{"name":"ISWbemProperty","features":[207]},{"name":"ISWbemPropertySet","features":[207]},{"name":"ISWbemQualifier","features":[207]},{"name":"ISWbemQualifierSet","features":[207]},{"name":"ISWbemRefreshableItem","features":[207]},{"name":"ISWbemRefresher","features":[207]},{"name":"ISWbemSecurity","features":[207]},{"name":"ISWbemServices","features":[207]},{"name":"ISWbemServicesEx","features":[207]},{"name":"ISWbemSink","features":[207]},{"name":"ISWbemSinkEvents","features":[207]},{"name":"IUnsecuredApartment","features":[207]},{"name":"IWMIExtension","features":[207]},{"name":"IWbemAddressResolution","features":[207]},{"name":"IWbemBackupRestore","features":[207]},{"name":"IWbemBackupRestoreEx","features":[207]},{"name":"IWbemCallResult","features":[207]},{"name":"IWbemClassObject","features":[207]},{"name":"IWbemClientConnectionTransport","features":[207]},{"name":"IWbemClientTransport","features":[207]},{"name":"IWbemConfigureRefresher","features":[207]},{"name":"IWbemConnectorLogin","features":[207]},{"name":"IWbemConstructClassObject","features":[207]},{"name":"IWbemContext","features":[207]},{"name":"IWbemDecoupledBasicEventProvider","features":[207]},{"name":"IWbemDecoupledRegistrar","features":[207]},{"name":"IWbemEventConsumerProvider","features":[207]},{"name":"IWbemEventProvider","features":[207]},{"name":"IWbemEventProviderQuerySink","features":[207]},{"name":"IWbemEventProviderSecurity","features":[207]},{"name":"IWbemEventSink","features":[207]},{"name":"IWbemHiPerfEnum","features":[207]},{"name":"IWbemHiPerfProvider","features":[207]},{"name":"IWbemLevel1Login","features":[207]},{"name":"IWbemLocator","features":[207]},{"name":"IWbemObjectAccess","features":[207]},{"name":"IWbemObjectSink","features":[207]},{"name":"IWbemObjectSinkEx","features":[207]},{"name":"IWbemObjectTextSrc","features":[207]},{"name":"IWbemPath","features":[207]},{"name":"IWbemPathKeyList","features":[207]},{"name":"IWbemPropertyProvider","features":[207]},{"name":"IWbemProviderIdentity","features":[207]},{"name":"IWbemProviderInit","features":[207]},{"name":"IWbemProviderInitSink","features":[207]},{"name":"IWbemQualifierSet","features":[207]},{"name":"IWbemQuery","features":[207]},{"name":"IWbemRefresher","features":[207]},{"name":"IWbemServices","features":[207]},{"name":"IWbemShutdown","features":[207]},{"name":"IWbemStatusCodeText","features":[207]},{"name":"IWbemTransport","features":[207]},{"name":"IWbemUnboundObjectSink","features":[207]},{"name":"IWbemUnsecuredApartment","features":[207]},{"name":"MI_ARRAY","features":[207]},{"name":"MI_Application","features":[207]},{"name":"MI_ApplicationFT","features":[207]},{"name":"MI_Application_InitializeV1","features":[207]},{"name":"MI_Array","features":[207]},{"name":"MI_ArrayField","features":[207]},{"name":"MI_BOOLEAN","features":[207]},{"name":"MI_BOOLEANA","features":[207]},{"name":"MI_BooleanA","features":[207]},{"name":"MI_BooleanAField","features":[207]},{"name":"MI_BooleanField","features":[207]},{"name":"MI_CALLBACKMODE_IGNORE","features":[207]},{"name":"MI_CALLBACKMODE_INQUIRE","features":[207]},{"name":"MI_CALLBACKMODE_REPORT","features":[207]},{"name":"MI_CALL_VERSION","features":[207]},{"name":"MI_CHAR16","features":[207]},{"name":"MI_CHAR16A","features":[207]},{"name":"MI_CHAR_TYPE","features":[207]},{"name":"MI_CallbackMode","features":[207]},{"name":"MI_CancelCallback","features":[207]},{"name":"MI_CancellationReason","features":[207]},{"name":"MI_Char16A","features":[207]},{"name":"MI_Char16AField","features":[207]},{"name":"MI_Char16Field","features":[207]},{"name":"MI_Class","features":[207]},{"name":"MI_ClassDecl","features":[207]},{"name":"MI_ClassFT","features":[207]},{"name":"MI_ClientFT_V1","features":[207]},{"name":"MI_ConstBooleanA","features":[207]},{"name":"MI_ConstBooleanAField","features":[207]},{"name":"MI_ConstBooleanField","features":[207]},{"name":"MI_ConstChar16A","features":[207]},{"name":"MI_ConstChar16AField","features":[207]},{"name":"MI_ConstChar16Field","features":[207]},{"name":"MI_ConstDatetimeA","features":[207]},{"name":"MI_ConstDatetimeAField","features":[207]},{"name":"MI_ConstDatetimeField","features":[207]},{"name":"MI_ConstInstanceA","features":[207]},{"name":"MI_ConstInstanceAField","features":[207]},{"name":"MI_ConstInstanceField","features":[207]},{"name":"MI_ConstReal32A","features":[207]},{"name":"MI_ConstReal32AField","features":[207]},{"name":"MI_ConstReal32Field","features":[207]},{"name":"MI_ConstReal64A","features":[207]},{"name":"MI_ConstReal64AField","features":[207]},{"name":"MI_ConstReal64Field","features":[207]},{"name":"MI_ConstReferenceA","features":[207]},{"name":"MI_ConstReferenceAField","features":[207]},{"name":"MI_ConstReferenceField","features":[207]},{"name":"MI_ConstSint16A","features":[207]},{"name":"MI_ConstSint16AField","features":[207]},{"name":"MI_ConstSint16Field","features":[207]},{"name":"MI_ConstSint32A","features":[207]},{"name":"MI_ConstSint32AField","features":[207]},{"name":"MI_ConstSint32Field","features":[207]},{"name":"MI_ConstSint64A","features":[207]},{"name":"MI_ConstSint64AField","features":[207]},{"name":"MI_ConstSint64Field","features":[207]},{"name":"MI_ConstSint8A","features":[207]},{"name":"MI_ConstSint8AField","features":[207]},{"name":"MI_ConstSint8Field","features":[207]},{"name":"MI_ConstStringA","features":[207]},{"name":"MI_ConstStringAField","features":[207]},{"name":"MI_ConstStringField","features":[207]},{"name":"MI_ConstUint16A","features":[207]},{"name":"MI_ConstUint16AField","features":[207]},{"name":"MI_ConstUint16Field","features":[207]},{"name":"MI_ConstUint32A","features":[207]},{"name":"MI_ConstUint32AField","features":[207]},{"name":"MI_ConstUint32Field","features":[207]},{"name":"MI_ConstUint64A","features":[207]},{"name":"MI_ConstUint64AField","features":[207]},{"name":"MI_ConstUint64Field","features":[207]},{"name":"MI_ConstUint8A","features":[207]},{"name":"MI_ConstUint8AField","features":[207]},{"name":"MI_ConstUint8Field","features":[207]},{"name":"MI_Context","features":[207]},{"name":"MI_ContextFT","features":[207]},{"name":"MI_DATETIME","features":[207]},{"name":"MI_DATETIMEA","features":[207]},{"name":"MI_Datetime","features":[207]},{"name":"MI_DatetimeA","features":[207]},{"name":"MI_DatetimeAField","features":[207]},{"name":"MI_DatetimeField","features":[207]},{"name":"MI_Deserializer","features":[207]},{"name":"MI_DeserializerFT","features":[207]},{"name":"MI_Deserializer_ClassObjectNeeded","features":[207]},{"name":"MI_DestinationOptions","features":[207]},{"name":"MI_DestinationOptionsFT","features":[207]},{"name":"MI_DestinationOptions_ImpersonationType","features":[207]},{"name":"MI_DestinationOptions_ImpersonationType_Default","features":[207]},{"name":"MI_DestinationOptions_ImpersonationType_Delegate","features":[207]},{"name":"MI_DestinationOptions_ImpersonationType_Identify","features":[207]},{"name":"MI_DestinationOptions_ImpersonationType_Impersonate","features":[207]},{"name":"MI_DestinationOptions_ImpersonationType_None","features":[207]},{"name":"MI_ERRORCATEGORY_ACCESS_DENIED","features":[207]},{"name":"MI_ERRORCATEGORY_AUTHENTICATION_ERROR","features":[207]},{"name":"MI_ERRORCATEGORY_CLOS_EERROR","features":[207]},{"name":"MI_ERRORCATEGORY_CONNECTION_ERROR","features":[207]},{"name":"MI_ERRORCATEGORY_DEADLOCK_DETECTED","features":[207]},{"name":"MI_ERRORCATEGORY_DEVICE_ERROR","features":[207]},{"name":"MI_ERRORCATEGORY_FROM_STDERR","features":[207]},{"name":"MI_ERRORCATEGORY_INVALID_ARGUMENT","features":[207]},{"name":"MI_ERRORCATEGORY_INVALID_DATA","features":[207]},{"name":"MI_ERRORCATEGORY_INVALID_OPERATION","features":[207]},{"name":"MI_ERRORCATEGORY_INVALID_RESULT","features":[207]},{"name":"MI_ERRORCATEGORY_INVALID_TYPE","features":[207]},{"name":"MI_ERRORCATEGORY_LIMITS_EXCEEDED","features":[207]},{"name":"MI_ERRORCATEGORY_METADATA_ERROR","features":[207]},{"name":"MI_ERRORCATEGORY_NOT_ENABLED","features":[207]},{"name":"MI_ERRORCATEGORY_NOT_IMPLEMENTED","features":[207]},{"name":"MI_ERRORCATEGORY_NOT_INSTALLED","features":[207]},{"name":"MI_ERRORCATEGORY_NOT_SPECIFIED","features":[207]},{"name":"MI_ERRORCATEGORY_OBJECT_NOT_FOUND","features":[207]},{"name":"MI_ERRORCATEGORY_OPEN_ERROR","features":[207]},{"name":"MI_ERRORCATEGORY_OPERATION_STOPPED","features":[207]},{"name":"MI_ERRORCATEGORY_OPERATION_TIMEOUT","features":[207]},{"name":"MI_ERRORCATEGORY_PARSER_ERROR","features":[207]},{"name":"MI_ERRORCATEGORY_PROTOCOL_ERROR","features":[207]},{"name":"MI_ERRORCATEGORY_QUOTA_EXCEEDED","features":[207]},{"name":"MI_ERRORCATEGORY_READ_ERROR","features":[207]},{"name":"MI_ERRORCATEGORY_RESOURCE_BUSY","features":[207]},{"name":"MI_ERRORCATEGORY_RESOURCE_EXISTS","features":[207]},{"name":"MI_ERRORCATEGORY_RESOURCE_UNAVAILABLE","features":[207]},{"name":"MI_ERRORCATEGORY_SECURITY_ERROR","features":[207]},{"name":"MI_ERRORCATEGORY_SYNTAX_ERROR","features":[207]},{"name":"MI_ERRORCATEGORY_WRITE_ERROR","features":[207]},{"name":"MI_ErrorCategory","features":[207]},{"name":"MI_FLAG_ABSTRACT","features":[207]},{"name":"MI_FLAG_ADOPT","features":[207]},{"name":"MI_FLAG_ANY","features":[207]},{"name":"MI_FLAG_ASSOCIATION","features":[207]},{"name":"MI_FLAG_BORROW","features":[207]},{"name":"MI_FLAG_CLASS","features":[207]},{"name":"MI_FLAG_DISABLEOVERRIDE","features":[207]},{"name":"MI_FLAG_ENABLEOVERRIDE","features":[207]},{"name":"MI_FLAG_EXPENSIVE","features":[207]},{"name":"MI_FLAG_EXTENDED","features":[207]},{"name":"MI_FLAG_IN","features":[207]},{"name":"MI_FLAG_INDICATION","features":[207]},{"name":"MI_FLAG_KEY","features":[207]},{"name":"MI_FLAG_METHOD","features":[207]},{"name":"MI_FLAG_NOT_MODIFIED","features":[207]},{"name":"MI_FLAG_NULL","features":[207]},{"name":"MI_FLAG_OUT","features":[207]},{"name":"MI_FLAG_PARAMETER","features":[207]},{"name":"MI_FLAG_PROPERTY","features":[207]},{"name":"MI_FLAG_READONLY","features":[207]},{"name":"MI_FLAG_REFERENCE","features":[207]},{"name":"MI_FLAG_REQUIRED","features":[207]},{"name":"MI_FLAG_RESTRICTED","features":[207]},{"name":"MI_FLAG_STATIC","features":[207]},{"name":"MI_FLAG_STREAM","features":[207]},{"name":"MI_FLAG_TERMINAL","features":[207]},{"name":"MI_FLAG_TOSUBCLASS","features":[207]},{"name":"MI_FLAG_TRANSLATABLE","features":[207]},{"name":"MI_FLAG_VERSION","features":[207]},{"name":"MI_FeatureDecl","features":[207]},{"name":"MI_Filter","features":[207]},{"name":"MI_FilterFT","features":[207]},{"name":"MI_HostedProvider","features":[207]},{"name":"MI_HostedProviderFT","features":[207]},{"name":"MI_INSTANCE","features":[207]},{"name":"MI_INSTANCEA","features":[207]},{"name":"MI_Instance","features":[207]},{"name":"MI_InstanceA","features":[207]},{"name":"MI_InstanceAField","features":[207]},{"name":"MI_InstanceExFT","features":[207]},{"name":"MI_InstanceFT","features":[207]},{"name":"MI_InstanceField","features":[207]},{"name":"MI_Interval","features":[207]},{"name":"MI_LOCALE_TYPE_CLOSEST_DATA","features":[207]},{"name":"MI_LOCALE_TYPE_CLOSEST_UI","features":[207]},{"name":"MI_LOCALE_TYPE_REQUESTED_DATA","features":[207]},{"name":"MI_LOCALE_TYPE_REQUESTED_UI","features":[207]},{"name":"MI_LocaleType","features":[207]},{"name":"MI_MAX_LOCALE_SIZE","features":[207]},{"name":"MI_MODULE_FLAG_BOOLEANS","features":[207]},{"name":"MI_MODULE_FLAG_CPLUSPLUS","features":[207]},{"name":"MI_MODULE_FLAG_DESCRIPTIONS","features":[207]},{"name":"MI_MODULE_FLAG_FILTER_SUPPORT","features":[207]},{"name":"MI_MODULE_FLAG_LOCALIZED","features":[207]},{"name":"MI_MODULE_FLAG_MAPPING_STRINGS","features":[207]},{"name":"MI_MODULE_FLAG_STANDARD_QUALIFIERS","features":[207]},{"name":"MI_MODULE_FLAG_VALUES","features":[207]},{"name":"MI_MainFunction","features":[207]},{"name":"MI_MethodDecl","features":[207]},{"name":"MI_MethodDecl_Invoke","features":[207]},{"name":"MI_Module","features":[207]},{"name":"MI_Module_Load","features":[207]},{"name":"MI_Module_Self","features":[207]},{"name":"MI_Module_Unload","features":[207]},{"name":"MI_OPERATIONFLAGS_BASIC_RTTI","features":[207]},{"name":"MI_OPERATIONFLAGS_DEFAULT_RTTI","features":[207]},{"name":"MI_OPERATIONFLAGS_EXPENSIVE_PROPERTIES","features":[207]},{"name":"MI_OPERATIONFLAGS_FULL_RTTI","features":[207]},{"name":"MI_OPERATIONFLAGS_LOCALIZED_QUALIFIERS","features":[207]},{"name":"MI_OPERATIONFLAGS_MANUAL_ACK_RESULTS","features":[207]},{"name":"MI_OPERATIONFLAGS_NO_RTTI","features":[207]},{"name":"MI_OPERATIONFLAGS_POLYMORPHISM_DEEP_BASE_PROPS_ONLY","features":[207]},{"name":"MI_OPERATIONFLAGS_POLYMORPHISM_SHALLOW","features":[207]},{"name":"MI_OPERATIONFLAGS_REPORT_OPERATION_STARTED","features":[207]},{"name":"MI_OPERATIONFLAGS_STANDARD_RTTI","features":[207]},{"name":"MI_ObjectDecl","features":[207]},{"name":"MI_Operation","features":[207]},{"name":"MI_OperationCallback_Class","features":[207]},{"name":"MI_OperationCallback_Indication","features":[207]},{"name":"MI_OperationCallback_Instance","features":[207]},{"name":"MI_OperationCallback_PromptUser","features":[207]},{"name":"MI_OperationCallback_ResponseType","features":[207]},{"name":"MI_OperationCallback_ResponseType_No","features":[207]},{"name":"MI_OperationCallback_ResponseType_NoToAll","features":[207]},{"name":"MI_OperationCallback_ResponseType_Yes","features":[207]},{"name":"MI_OperationCallback_ResponseType_YesToAll","features":[207]},{"name":"MI_OperationCallback_StreamedParameter","features":[207]},{"name":"MI_OperationCallback_WriteError","features":[207]},{"name":"MI_OperationCallback_WriteMessage","features":[207]},{"name":"MI_OperationCallback_WriteProgress","features":[207]},{"name":"MI_OperationCallbacks","features":[207]},{"name":"MI_OperationFT","features":[207]},{"name":"MI_OperationOptions","features":[207]},{"name":"MI_OperationOptionsFT","features":[207]},{"name":"MI_PROMPTTYPE_CRITICAL","features":[207]},{"name":"MI_PROMPTTYPE_NORMAL","features":[207]},{"name":"MI_PROVIDER_ARCHITECTURE_32BIT","features":[207]},{"name":"MI_PROVIDER_ARCHITECTURE_64BIT","features":[207]},{"name":"MI_ParameterDecl","features":[207]},{"name":"MI_ParameterSet","features":[207]},{"name":"MI_ParameterSetFT","features":[207]},{"name":"MI_PromptType","features":[207]},{"name":"MI_PropertyDecl","features":[207]},{"name":"MI_PropertySet","features":[207]},{"name":"MI_PropertySetFT","features":[207]},{"name":"MI_ProviderArchitecture","features":[207]},{"name":"MI_ProviderFT","features":[207]},{"name":"MI_ProviderFT_AssociatorInstances","features":[207]},{"name":"MI_ProviderFT_CreateInstance","features":[207]},{"name":"MI_ProviderFT_DeleteInstance","features":[207]},{"name":"MI_ProviderFT_DisableIndications","features":[207]},{"name":"MI_ProviderFT_EnableIndications","features":[207]},{"name":"MI_ProviderFT_EnumerateInstances","features":[207]},{"name":"MI_ProviderFT_GetInstance","features":[207]},{"name":"MI_ProviderFT_Invoke","features":[207]},{"name":"MI_ProviderFT_Load","features":[207]},{"name":"MI_ProviderFT_ModifyInstance","features":[207]},{"name":"MI_ProviderFT_ReferenceInstances","features":[207]},{"name":"MI_ProviderFT_Subscribe","features":[207]},{"name":"MI_ProviderFT_Unload","features":[207]},{"name":"MI_ProviderFT_Unsubscribe","features":[207]},{"name":"MI_Qualifier","features":[207]},{"name":"MI_QualifierDecl","features":[207]},{"name":"MI_QualifierSet","features":[207]},{"name":"MI_QualifierSetFT","features":[207]},{"name":"MI_REAL32","features":[207]},{"name":"MI_REAL32A","features":[207]},{"name":"MI_REAL64","features":[207]},{"name":"MI_REAL64A","features":[207]},{"name":"MI_REASON_NONE","features":[207]},{"name":"MI_REASON_SERVICESTOP","features":[207]},{"name":"MI_REASON_SHUTDOWN","features":[207]},{"name":"MI_REASON_TIMEOUT","features":[207]},{"name":"MI_REFERENCE","features":[207]},{"name":"MI_REFERENCEA","features":[207]},{"name":"MI_RESULT_ACCESS_DENIED","features":[207]},{"name":"MI_RESULT_ALREADY_EXISTS","features":[207]},{"name":"MI_RESULT_CLASS_HAS_CHILDREN","features":[207]},{"name":"MI_RESULT_CLASS_HAS_INSTANCES","features":[207]},{"name":"MI_RESULT_CONTINUATION_ON_ERROR_NOT_SUPPORTED","features":[207]},{"name":"MI_RESULT_FAILED","features":[207]},{"name":"MI_RESULT_FILTERED_ENUMERATION_NOT_SUPPORTED","features":[207]},{"name":"MI_RESULT_INVALID_CLASS","features":[207]},{"name":"MI_RESULT_INVALID_ENUMERATION_CONTEXT","features":[207]},{"name":"MI_RESULT_INVALID_NAMESPACE","features":[207]},{"name":"MI_RESULT_INVALID_OPERATION_TIMEOUT","features":[207]},{"name":"MI_RESULT_INVALID_PARAMETER","features":[207]},{"name":"MI_RESULT_INVALID_QUERY","features":[207]},{"name":"MI_RESULT_INVALID_SUPERCLASS","features":[207]},{"name":"MI_RESULT_METHOD_NOT_AVAILABLE","features":[207]},{"name":"MI_RESULT_METHOD_NOT_FOUND","features":[207]},{"name":"MI_RESULT_NAMESPACE_NOT_EMPTY","features":[207]},{"name":"MI_RESULT_NOT_FOUND","features":[207]},{"name":"MI_RESULT_NOT_SUPPORTED","features":[207]},{"name":"MI_RESULT_NO_SUCH_PROPERTY","features":[207]},{"name":"MI_RESULT_OK","features":[207]},{"name":"MI_RESULT_PULL_CANNOT_BE_ABANDONED","features":[207]},{"name":"MI_RESULT_PULL_HAS_BEEN_ABANDONED","features":[207]},{"name":"MI_RESULT_QUERY_LANGUAGE_NOT_SUPPORTED","features":[207]},{"name":"MI_RESULT_SERVER_IS_SHUTTING_DOWN","features":[207]},{"name":"MI_RESULT_SERVER_LIMITS_EXCEEDED","features":[207]},{"name":"MI_RESULT_TYPE_MISMATCH","features":[207]},{"name":"MI_Real32A","features":[207]},{"name":"MI_Real32AField","features":[207]},{"name":"MI_Real32Field","features":[207]},{"name":"MI_Real64A","features":[207]},{"name":"MI_Real64AField","features":[207]},{"name":"MI_Real64Field","features":[207]},{"name":"MI_ReferenceA","features":[207]},{"name":"MI_ReferenceAField","features":[207]},{"name":"MI_ReferenceField","features":[207]},{"name":"MI_Result","features":[207]},{"name":"MI_SERIALIZER_FLAGS_CLASS_DEEP","features":[207]},{"name":"MI_SERIALIZER_FLAGS_INSTANCE_WITH_CLASS","features":[207]},{"name":"MI_SINT16","features":[207]},{"name":"MI_SINT16A","features":[207]},{"name":"MI_SINT32","features":[207]},{"name":"MI_SINT32A","features":[207]},{"name":"MI_SINT64","features":[207]},{"name":"MI_SINT64A","features":[207]},{"name":"MI_SINT8","features":[207]},{"name":"MI_SINT8A","features":[207]},{"name":"MI_STRING","features":[207]},{"name":"MI_STRINGA","features":[207]},{"name":"MI_SUBSCRIBE_BOOKMARK_NEWEST","features":[207]},{"name":"MI_SUBSCRIBE_BOOKMARK_OLDEST","features":[207]},{"name":"MI_SchemaDecl","features":[207]},{"name":"MI_Serializer","features":[207]},{"name":"MI_SerializerFT","features":[207]},{"name":"MI_Server","features":[207]},{"name":"MI_ServerFT","features":[207]},{"name":"MI_Session","features":[207]},{"name":"MI_SessionCallbacks","features":[207]},{"name":"MI_SessionFT","features":[207]},{"name":"MI_Sint16A","features":[207]},{"name":"MI_Sint16AField","features":[207]},{"name":"MI_Sint16Field","features":[207]},{"name":"MI_Sint32A","features":[207]},{"name":"MI_Sint32AField","features":[207]},{"name":"MI_Sint32Field","features":[207]},{"name":"MI_Sint64A","features":[207]},{"name":"MI_Sint64AField","features":[207]},{"name":"MI_Sint64Field","features":[207]},{"name":"MI_Sint8A","features":[207]},{"name":"MI_Sint8AField","features":[207]},{"name":"MI_Sint8Field","features":[207]},{"name":"MI_StringA","features":[207]},{"name":"MI_StringAField","features":[207]},{"name":"MI_StringField","features":[207]},{"name":"MI_SubscriptionDeliveryOptions","features":[207]},{"name":"MI_SubscriptionDeliveryOptionsFT","features":[207]},{"name":"MI_SubscriptionDeliveryType","features":[207]},{"name":"MI_SubscriptionDeliveryType_Pull","features":[207]},{"name":"MI_SubscriptionDeliveryType_Push","features":[207]},{"name":"MI_Timestamp","features":[207]},{"name":"MI_Type","features":[207]},{"name":"MI_UINT16","features":[207]},{"name":"MI_UINT16A","features":[207]},{"name":"MI_UINT32","features":[207]},{"name":"MI_UINT32A","features":[207]},{"name":"MI_UINT64","features":[207]},{"name":"MI_UINT64A","features":[207]},{"name":"MI_UINT8","features":[207]},{"name":"MI_UINT8A","features":[207]},{"name":"MI_Uint16A","features":[207]},{"name":"MI_Uint16AField","features":[207]},{"name":"MI_Uint16Field","features":[207]},{"name":"MI_Uint32A","features":[207]},{"name":"MI_Uint32AField","features":[207]},{"name":"MI_Uint32Field","features":[207]},{"name":"MI_Uint64A","features":[207]},{"name":"MI_Uint64AField","features":[207]},{"name":"MI_Uint64Field","features":[207]},{"name":"MI_Uint8A","features":[207]},{"name":"MI_Uint8AField","features":[207]},{"name":"MI_Uint8Field","features":[207]},{"name":"MI_UserCredentials","features":[207]},{"name":"MI_UsernamePasswordCreds","features":[207]},{"name":"MI_UtilitiesFT","features":[207]},{"name":"MI_Value","features":[207]},{"name":"MI_WRITEMESSAGE_CHANNEL_DEBUG","features":[207]},{"name":"MI_WRITEMESSAGE_CHANNEL_VERBOSE","features":[207]},{"name":"MI_WRITEMESSAGE_CHANNEL_WARNING","features":[207]},{"name":"MofCompiler","features":[207]},{"name":"SWbemAnalysisMatrix","features":[1,207]},{"name":"SWbemAnalysisMatrixList","features":[1,207]},{"name":"SWbemAssocQueryInf","features":[207]},{"name":"SWbemDateTime","features":[207]},{"name":"SWbemEventSource","features":[207]},{"name":"SWbemLastError","features":[207]},{"name":"SWbemLocator","features":[207]},{"name":"SWbemMethod","features":[207]},{"name":"SWbemMethodSet","features":[207]},{"name":"SWbemNamedValue","features":[207]},{"name":"SWbemNamedValueSet","features":[207]},{"name":"SWbemObject","features":[207]},{"name":"SWbemObjectEx","features":[207]},{"name":"SWbemObjectPath","features":[207]},{"name":"SWbemObjectSet","features":[207]},{"name":"SWbemPrivilege","features":[207]},{"name":"SWbemPrivilegeSet","features":[207]},{"name":"SWbemProperty","features":[207]},{"name":"SWbemPropertySet","features":[207]},{"name":"SWbemQualifier","features":[207]},{"name":"SWbemQualifierSet","features":[207]},{"name":"SWbemQueryQualifiedName","features":[1,207]},{"name":"SWbemRefreshableItem","features":[207]},{"name":"SWbemRefresher","features":[207]},{"name":"SWbemRpnConst","features":[1,207]},{"name":"SWbemRpnEncodedQuery","features":[1,207]},{"name":"SWbemRpnQueryToken","features":[1,207]},{"name":"SWbemRpnTokenList","features":[207]},{"name":"SWbemSecurity","features":[207]},{"name":"SWbemServices","features":[207]},{"name":"SWbemServicesEx","features":[207]},{"name":"SWbemSink","features":[207]},{"name":"UnsecuredApartment","features":[207]},{"name":"WBEMESS_E_AUTHZ_NOT_PRIVILEGED","features":[207]},{"name":"WBEMESS_E_REGISTRATION_TOO_BROAD","features":[207]},{"name":"WBEMESS_E_REGISTRATION_TOO_PRECISE","features":[207]},{"name":"WBEMMOF_E_ALIASES_IN_EMBEDDED","features":[207]},{"name":"WBEMMOF_E_CIMTYPE_QUALIFIER","features":[207]},{"name":"WBEMMOF_E_DUPLICATE_PROPERTY","features":[207]},{"name":"WBEMMOF_E_DUPLICATE_QUALIFIER","features":[207]},{"name":"WBEMMOF_E_ERROR_CREATING_TEMP_FILE","features":[207]},{"name":"WBEMMOF_E_ERROR_INVALID_INCLUDE_FILE","features":[207]},{"name":"WBEMMOF_E_EXPECTED_ALIAS_NAME","features":[207]},{"name":"WBEMMOF_E_EXPECTED_BRACE_OR_BAD_TYPE","features":[207]},{"name":"WBEMMOF_E_EXPECTED_CLASS_NAME","features":[207]},{"name":"WBEMMOF_E_EXPECTED_CLOSE_BRACE","features":[207]},{"name":"WBEMMOF_E_EXPECTED_CLOSE_BRACKET","features":[207]},{"name":"WBEMMOF_E_EXPECTED_CLOSE_PAREN","features":[207]},{"name":"WBEMMOF_E_EXPECTED_DOLLAR","features":[207]},{"name":"WBEMMOF_E_EXPECTED_FLAVOR_TYPE","features":[207]},{"name":"WBEMMOF_E_EXPECTED_OPEN_BRACE","features":[207]},{"name":"WBEMMOF_E_EXPECTED_OPEN_PAREN","features":[207]},{"name":"WBEMMOF_E_EXPECTED_PROPERTY_NAME","features":[207]},{"name":"WBEMMOF_E_EXPECTED_QUALIFIER_NAME","features":[207]},{"name":"WBEMMOF_E_EXPECTED_SEMI","features":[207]},{"name":"WBEMMOF_E_EXPECTED_TYPE_IDENTIFIER","features":[207]},{"name":"WBEMMOF_E_ILLEGAL_CONSTANT_VALUE","features":[207]},{"name":"WBEMMOF_E_INCOMPATIBLE_FLAVOR_TYPES","features":[207]},{"name":"WBEMMOF_E_INCOMPATIBLE_FLAVOR_TYPES2","features":[207]},{"name":"WBEMMOF_E_INVALID_AMENDMENT_SYNTAX","features":[207]},{"name":"WBEMMOF_E_INVALID_CLASS_DECLARATION","features":[207]},{"name":"WBEMMOF_E_INVALID_DELETECLASS_SYNTAX","features":[207]},{"name":"WBEMMOF_E_INVALID_DELETEINSTANCE_SYNTAX","features":[207]},{"name":"WBEMMOF_E_INVALID_DUPLICATE_AMENDMENT","features":[207]},{"name":"WBEMMOF_E_INVALID_FILE","features":[207]},{"name":"WBEMMOF_E_INVALID_FLAGS_SYNTAX","features":[207]},{"name":"WBEMMOF_E_INVALID_INSTANCE_DECLARATION","features":[207]},{"name":"WBEMMOF_E_INVALID_NAMESPACE_SPECIFICATION","features":[207]},{"name":"WBEMMOF_E_INVALID_NAMESPACE_SYNTAX","features":[207]},{"name":"WBEMMOF_E_INVALID_PRAGMA","features":[207]},{"name":"WBEMMOF_E_INVALID_QUALIFIER_SYNTAX","features":[207]},{"name":"WBEMMOF_E_MULTIPLE_ALIASES","features":[207]},{"name":"WBEMMOF_E_MUST_BE_IN_OR_OUT","features":[207]},{"name":"WBEMMOF_E_NO_ARRAYS_RETURNED","features":[207]},{"name":"WBEMMOF_E_NULL_ARRAY_ELEM","features":[207]},{"name":"WBEMMOF_E_OUT_OF_RANGE","features":[207]},{"name":"WBEMMOF_E_QUALIFIER_USED_OUTSIDE_SCOPE","features":[207]},{"name":"WBEMMOF_E_TYPEDEF_NOT_SUPPORTED","features":[207]},{"name":"WBEMMOF_E_TYPE_MISMATCH","features":[207]},{"name":"WBEMMOF_E_UNEXPECTED_ALIAS","features":[207]},{"name":"WBEMMOF_E_UNEXPECTED_ARRAY_INIT","features":[207]},{"name":"WBEMMOF_E_UNRECOGNIZED_TOKEN","features":[207]},{"name":"WBEMMOF_E_UNRECOGNIZED_TYPE","features":[207]},{"name":"WBEMMOF_E_UNSUPPORTED_CIMV22_DATA_TYPE","features":[207]},{"name":"WBEMMOF_E_UNSUPPORTED_CIMV22_QUAL_VALUE","features":[207]},{"name":"WBEMPATH_COMPRESSED","features":[207]},{"name":"WBEMPATH_CREATE_ACCEPT_ABSOLUTE","features":[207]},{"name":"WBEMPATH_CREATE_ACCEPT_ALL","features":[207]},{"name":"WBEMPATH_CREATE_ACCEPT_RELATIVE","features":[207]},{"name":"WBEMPATH_GET_NAMESPACE_ONLY","features":[207]},{"name":"WBEMPATH_GET_ORIGINAL","features":[207]},{"name":"WBEMPATH_GET_RELATIVE_ONLY","features":[207]},{"name":"WBEMPATH_GET_SERVER_AND_NAMESPACE_ONLY","features":[207]},{"name":"WBEMPATH_GET_SERVER_TOO","features":[207]},{"name":"WBEMPATH_INFO_ANON_LOCAL_MACHINE","features":[207]},{"name":"WBEMPATH_INFO_CIM_COMPLIANT","features":[207]},{"name":"WBEMPATH_INFO_CONTAINS_SINGLETON","features":[207]},{"name":"WBEMPATH_INFO_HAS_IMPLIED_KEY","features":[207]},{"name":"WBEMPATH_INFO_HAS_MACHINE_NAME","features":[207]},{"name":"WBEMPATH_INFO_HAS_SUBSCOPES","features":[207]},{"name":"WBEMPATH_INFO_HAS_V2_REF_PATHS","features":[207]},{"name":"WBEMPATH_INFO_IS_CLASS_REF","features":[207]},{"name":"WBEMPATH_INFO_IS_COMPOUND","features":[207]},{"name":"WBEMPATH_INFO_IS_INST_REF","features":[207]},{"name":"WBEMPATH_INFO_IS_PARENT","features":[207]},{"name":"WBEMPATH_INFO_IS_SINGLETON","features":[207]},{"name":"WBEMPATH_INFO_NATIVE_PATH","features":[207]},{"name":"WBEMPATH_INFO_PATH_HAD_SERVER","features":[207]},{"name":"WBEMPATH_INFO_SERVER_NAMESPACE_ONLY","features":[207]},{"name":"WBEMPATH_INFO_V1_COMPLIANT","features":[207]},{"name":"WBEMPATH_INFO_V2_COMPLIANT","features":[207]},{"name":"WBEMPATH_INFO_WMI_PATH","features":[207]},{"name":"WBEMPATH_QUOTEDTEXT","features":[207]},{"name":"WBEMPATH_TEXT","features":[207]},{"name":"WBEMPATH_TREAT_SINGLE_IDENT_AS_NS","features":[207]},{"name":"WBEMSTATUS","features":[207]},{"name":"WBEMSTATUS_FORMAT","features":[207]},{"name":"WBEMSTATUS_FORMAT_NEWLINE","features":[207]},{"name":"WBEMSTATUS_FORMAT_NO_NEWLINE","features":[207]},{"name":"WBEMS_DISPID_COMPLETED","features":[207]},{"name":"WBEMS_DISPID_CONNECTION_READY","features":[207]},{"name":"WBEMS_DISPID_DERIVATION","features":[207]},{"name":"WBEMS_DISPID_OBJECT_PUT","features":[207]},{"name":"WBEMS_DISPID_OBJECT_READY","features":[207]},{"name":"WBEMS_DISPID_PROGRESS","features":[207]},{"name":"WBEM_AUTHENTICATION_METHOD_MASK","features":[207]},{"name":"WBEM_BACKUP_RESTORE_FLAGS","features":[207]},{"name":"WBEM_BATCH_TYPE","features":[207]},{"name":"WBEM_CHANGE_FLAG_TYPE","features":[207]},{"name":"WBEM_COMPARISON_FLAG","features":[207]},{"name":"WBEM_COMPARISON_INCLUDE_ALL","features":[207]},{"name":"WBEM_COMPILER_OPTIONS","features":[207]},{"name":"WBEM_COMPILE_STATUS_INFO","features":[207]},{"name":"WBEM_CONDITION_FLAG_TYPE","features":[207]},{"name":"WBEM_CONNECT_OPTIONS","features":[207]},{"name":"WBEM_ENABLE","features":[207]},{"name":"WBEM_EXTRA_RETURN_CODES","features":[207]},{"name":"WBEM_E_ACCESS_DENIED","features":[207]},{"name":"WBEM_E_AGGREGATING_BY_OBJECT","features":[207]},{"name":"WBEM_E_ALREADY_EXISTS","features":[207]},{"name":"WBEM_E_AMBIGUOUS_OPERATION","features":[207]},{"name":"WBEM_E_AMENDED_OBJECT","features":[207]},{"name":"WBEM_E_BACKUP_RESTORE_WINMGMT_RUNNING","features":[207]},{"name":"WBEM_E_BUFFER_TOO_SMALL","features":[207]},{"name":"WBEM_E_CALL_CANCELLED","features":[207]},{"name":"WBEM_E_CANNOT_BE_ABSTRACT","features":[207]},{"name":"WBEM_E_CANNOT_BE_KEY","features":[207]},{"name":"WBEM_E_CANNOT_BE_SINGLETON","features":[207]},{"name":"WBEM_E_CANNOT_CHANGE_INDEX_INHERITANCE","features":[207]},{"name":"WBEM_E_CANNOT_CHANGE_KEY_INHERITANCE","features":[207]},{"name":"WBEM_E_CIRCULAR_REFERENCE","features":[207]},{"name":"WBEM_E_CLASS_HAS_CHILDREN","features":[207]},{"name":"WBEM_E_CLASS_HAS_INSTANCES","features":[207]},{"name":"WBEM_E_CLASS_NAME_TOO_WIDE","features":[207]},{"name":"WBEM_E_CLIENT_TOO_SLOW","features":[207]},{"name":"WBEM_E_CONNECTION_FAILED","features":[207]},{"name":"WBEM_E_CRITICAL_ERROR","features":[207]},{"name":"WBEM_E_DATABASE_VER_MISMATCH","features":[207]},{"name":"WBEM_E_ENCRYPTED_CONNECTION_REQUIRED","features":[207]},{"name":"WBEM_E_FAILED","features":[207]},{"name":"WBEM_E_FATAL_TRANSPORT_ERROR","features":[207]},{"name":"WBEM_E_HANDLE_OUT_OF_DATE","features":[207]},{"name":"WBEM_E_ILLEGAL_NULL","features":[207]},{"name":"WBEM_E_ILLEGAL_OPERATION","features":[207]},{"name":"WBEM_E_INCOMPLETE_CLASS","features":[207]},{"name":"WBEM_E_INITIALIZATION_FAILURE","features":[207]},{"name":"WBEM_E_INVALID_ASSOCIATION","features":[207]},{"name":"WBEM_E_INVALID_CIM_TYPE","features":[207]},{"name":"WBEM_E_INVALID_CLASS","features":[207]},{"name":"WBEM_E_INVALID_CONTEXT","features":[207]},{"name":"WBEM_E_INVALID_DUPLICATE_PARAMETER","features":[207]},{"name":"WBEM_E_INVALID_FLAVOR","features":[207]},{"name":"WBEM_E_INVALID_HANDLE_REQUEST","features":[207]},{"name":"WBEM_E_INVALID_LOCALE","features":[207]},{"name":"WBEM_E_INVALID_METHOD","features":[207]},{"name":"WBEM_E_INVALID_METHOD_PARAMETERS","features":[207]},{"name":"WBEM_E_INVALID_NAMESPACE","features":[207]},{"name":"WBEM_E_INVALID_OBJECT","features":[207]},{"name":"WBEM_E_INVALID_OBJECT_PATH","features":[207]},{"name":"WBEM_E_INVALID_OPERATION","features":[207]},{"name":"WBEM_E_INVALID_OPERATOR","features":[207]},{"name":"WBEM_E_INVALID_PARAMETER","features":[207]},{"name":"WBEM_E_INVALID_PARAMETER_ID","features":[207]},{"name":"WBEM_E_INVALID_PROPERTY","features":[207]},{"name":"WBEM_E_INVALID_PROPERTY_TYPE","features":[207]},{"name":"WBEM_E_INVALID_PROVIDER_REGISTRATION","features":[207]},{"name":"WBEM_E_INVALID_QUALIFIER","features":[207]},{"name":"WBEM_E_INVALID_QUALIFIER_TYPE","features":[207]},{"name":"WBEM_E_INVALID_QUERY","features":[207]},{"name":"WBEM_E_INVALID_QUERY_TYPE","features":[207]},{"name":"WBEM_E_INVALID_STREAM","features":[207]},{"name":"WBEM_E_INVALID_SUPERCLASS","features":[207]},{"name":"WBEM_E_INVALID_SYNTAX","features":[207]},{"name":"WBEM_E_LOCAL_CREDENTIALS","features":[207]},{"name":"WBEM_E_MARSHAL_INVALID_SIGNATURE","features":[207]},{"name":"WBEM_E_MARSHAL_VERSION_MISMATCH","features":[207]},{"name":"WBEM_E_METHOD_DISABLED","features":[207]},{"name":"WBEM_E_METHOD_NAME_TOO_WIDE","features":[207]},{"name":"WBEM_E_METHOD_NOT_IMPLEMENTED","features":[207]},{"name":"WBEM_E_MISSING_AGGREGATION_LIST","features":[207]},{"name":"WBEM_E_MISSING_GROUP_WITHIN","features":[207]},{"name":"WBEM_E_MISSING_PARAMETER_ID","features":[207]},{"name":"WBEM_E_NONCONSECUTIVE_PARAMETER_IDS","features":[207]},{"name":"WBEM_E_NONDECORATED_OBJECT","features":[207]},{"name":"WBEM_E_NOT_AVAILABLE","features":[207]},{"name":"WBEM_E_NOT_EVENT_CLASS","features":[207]},{"name":"WBEM_E_NOT_FOUND","features":[207]},{"name":"WBEM_E_NOT_SUPPORTED","features":[207]},{"name":"WBEM_E_NO_KEY","features":[207]},{"name":"WBEM_E_NO_SCHEMA","features":[207]},{"name":"WBEM_E_NULL_SECURITY_DESCRIPTOR","features":[207]},{"name":"WBEM_E_OUT_OF_DISK_SPACE","features":[207]},{"name":"WBEM_E_OUT_OF_MEMORY","features":[207]},{"name":"WBEM_E_OVERRIDE_NOT_ALLOWED","features":[207]},{"name":"WBEM_E_PARAMETER_ID_ON_RETVAL","features":[207]},{"name":"WBEM_E_PRIVILEGE_NOT_HELD","features":[207]},{"name":"WBEM_E_PROPAGATED_METHOD","features":[207]},{"name":"WBEM_E_PROPAGATED_PROPERTY","features":[207]},{"name":"WBEM_E_PROPAGATED_QUALIFIER","features":[207]},{"name":"WBEM_E_PROPERTY_NAME_TOO_WIDE","features":[207]},{"name":"WBEM_E_PROPERTY_NOT_AN_OBJECT","features":[207]},{"name":"WBEM_E_PROVIDER_ALREADY_REGISTERED","features":[207]},{"name":"WBEM_E_PROVIDER_DISABLED","features":[207]},{"name":"WBEM_E_PROVIDER_FAILURE","features":[207]},{"name":"WBEM_E_PROVIDER_LOAD_FAILURE","features":[207]},{"name":"WBEM_E_PROVIDER_NOT_CAPABLE","features":[207]},{"name":"WBEM_E_PROVIDER_NOT_FOUND","features":[207]},{"name":"WBEM_E_PROVIDER_NOT_REGISTERED","features":[207]},{"name":"WBEM_E_PROVIDER_SUSPENDED","features":[207]},{"name":"WBEM_E_PROVIDER_TIMED_OUT","features":[207]},{"name":"WBEM_E_QUALIFIER_NAME_TOO_WIDE","features":[207]},{"name":"WBEM_E_QUERY_NOT_IMPLEMENTED","features":[207]},{"name":"WBEM_E_QUEUE_OVERFLOW","features":[207]},{"name":"WBEM_E_QUOTA_VIOLATION","features":[207]},{"name":"WBEM_E_READ_ONLY","features":[207]},{"name":"WBEM_E_REFRESHER_BUSY","features":[207]},{"name":"WBEM_E_RERUN_COMMAND","features":[207]},{"name":"WBEM_E_RESERVED_001","features":[207]},{"name":"WBEM_E_RESERVED_002","features":[207]},{"name":"WBEM_E_RESOURCE_CONTENTION","features":[207]},{"name":"WBEM_E_RETRY_LATER","features":[207]},{"name":"WBEM_E_SERVER_TOO_BUSY","features":[207]},{"name":"WBEM_E_SHUTTING_DOWN","features":[207]},{"name":"WBEM_E_SYNCHRONIZATION_REQUIRED","features":[207]},{"name":"WBEM_E_SYSTEM_PROPERTY","features":[207]},{"name":"WBEM_E_TIMED_OUT","features":[207]},{"name":"WBEM_E_TOO_MANY_PROPERTIES","features":[207]},{"name":"WBEM_E_TOO_MUCH_DATA","features":[207]},{"name":"WBEM_E_TRANSPORT_FAILURE","features":[207]},{"name":"WBEM_E_TYPE_MISMATCH","features":[207]},{"name":"WBEM_E_UNEXPECTED","features":[207]},{"name":"WBEM_E_UNINTERPRETABLE_PROVIDER_QUERY","features":[207]},{"name":"WBEM_E_UNKNOWN_OBJECT_TYPE","features":[207]},{"name":"WBEM_E_UNKNOWN_PACKET_TYPE","features":[207]},{"name":"WBEM_E_UNPARSABLE_QUERY","features":[207]},{"name":"WBEM_E_UNSUPPORTED_CLASS_UPDATE","features":[207]},{"name":"WBEM_E_UNSUPPORTED_LOCALE","features":[207]},{"name":"WBEM_E_UNSUPPORTED_PARAMETER","features":[207]},{"name":"WBEM_E_UNSUPPORTED_PUT_EXTENSION","features":[207]},{"name":"WBEM_E_UPDATE_OVERRIDE_NOT_ALLOWED","features":[207]},{"name":"WBEM_E_UPDATE_PROPAGATED_METHOD","features":[207]},{"name":"WBEM_E_UPDATE_TYPE_MISMATCH","features":[207]},{"name":"WBEM_E_VALUE_OUT_OF_RANGE","features":[207]},{"name":"WBEM_E_VETO_DELETE","features":[207]},{"name":"WBEM_E_VETO_PUT","features":[207]},{"name":"WBEM_FLAG_ADVISORY","features":[207]},{"name":"WBEM_FLAG_ALLOW_READ","features":[207]},{"name":"WBEM_FLAG_ALWAYS","features":[207]},{"name":"WBEM_FLAG_AUTORECOVER","features":[207]},{"name":"WBEM_FLAG_BACKUP_RESTORE_DEFAULT","features":[207]},{"name":"WBEM_FLAG_BACKUP_RESTORE_FORCE_SHUTDOWN","features":[207]},{"name":"WBEM_FLAG_BATCH_IF_NEEDED","features":[207]},{"name":"WBEM_FLAG_BIDIRECTIONAL","features":[207]},{"name":"WBEM_FLAG_CHECK_ONLY","features":[207]},{"name":"WBEM_FLAG_CLASS_LOCAL_AND_OVERRIDES","features":[207]},{"name":"WBEM_FLAG_CLASS_OVERRIDES_ONLY","features":[207]},{"name":"WBEM_FLAG_CONNECT_PROVIDERS","features":[207]},{"name":"WBEM_FLAG_CONNECT_REPOSITORY_ONLY","features":[207]},{"name":"WBEM_FLAG_CONNECT_USE_MAX_WAIT","features":[207]},{"name":"WBEM_FLAG_CONSOLE_PRINT","features":[207]},{"name":"WBEM_FLAG_CREATE_ONLY","features":[207]},{"name":"WBEM_FLAG_CREATE_OR_UPDATE","features":[207]},{"name":"WBEM_FLAG_DEEP","features":[207]},{"name":"WBEM_FLAG_DIRECT_READ","features":[207]},{"name":"WBEM_FLAG_DONT_ADD_TO_LIST","features":[207]},{"name":"WBEM_FLAG_DONT_SEND_STATUS","features":[207]},{"name":"WBEM_FLAG_ENSURE_LOCATABLE","features":[207]},{"name":"WBEM_FLAG_EXCLUDE_OBJECT_QUALIFIERS","features":[207]},{"name":"WBEM_FLAG_EXCLUDE_PROPERTY_QUALIFIERS","features":[207]},{"name":"WBEM_FLAG_FORWARD_ONLY","features":[207]},{"name":"WBEM_FLAG_IGNORE_CASE","features":[207]},{"name":"WBEM_FLAG_IGNORE_CLASS","features":[207]},{"name":"WBEM_FLAG_IGNORE_DEFAULT_VALUES","features":[207]},{"name":"WBEM_FLAG_IGNORE_FLAVOR","features":[207]},{"name":"WBEM_FLAG_IGNORE_OBJECT_SOURCE","features":[207]},{"name":"WBEM_FLAG_IGNORE_QUALIFIERS","features":[207]},{"name":"WBEM_FLAG_INPROC_LOGIN","features":[207]},{"name":"WBEM_FLAG_KEYS_ONLY","features":[207]},{"name":"WBEM_FLAG_LOCAL_LOGIN","features":[207]},{"name":"WBEM_FLAG_LOCAL_ONLY","features":[207]},{"name":"WBEM_FLAG_LONG_NAME","features":[207]},{"name":"WBEM_FLAG_MUST_BATCH","features":[207]},{"name":"WBEM_FLAG_MUST_NOT_BATCH","features":[207]},{"name":"WBEM_FLAG_NONSYSTEM_ONLY","features":[207]},{"name":"WBEM_FLAG_NO_ERROR_OBJECT","features":[207]},{"name":"WBEM_FLAG_NO_FLAVORS","features":[207]},{"name":"WBEM_FLAG_ONLY_IF_FALSE","features":[207]},{"name":"WBEM_FLAG_ONLY_IF_IDENTICAL","features":[207]},{"name":"WBEM_FLAG_ONLY_IF_TRUE","features":[207]},{"name":"WBEM_FLAG_OWNER_UPDATE","features":[207]},{"name":"WBEM_FLAG_PROPAGATED_ONLY","features":[207]},{"name":"WBEM_FLAG_PROTOTYPE","features":[207]},{"name":"WBEM_FLAG_REFRESH_AUTO_RECONNECT","features":[207]},{"name":"WBEM_FLAG_REFRESH_NO_AUTO_RECONNECT","features":[207]},{"name":"WBEM_FLAG_REFS_ONLY","features":[207]},{"name":"WBEM_FLAG_REMOTE_LOGIN","features":[207]},{"name":"WBEM_FLAG_RETURN_ERROR_OBJECT","features":[207]},{"name":"WBEM_FLAG_RETURN_IMMEDIATELY","features":[207]},{"name":"WBEM_FLAG_RETURN_WBEM_COMPLETE","features":[207]},{"name":"WBEM_FLAG_SEND_ONLY_SELECTED","features":[207]},{"name":"WBEM_FLAG_SEND_STATUS","features":[207]},{"name":"WBEM_FLAG_SHALLOW","features":[207]},{"name":"WBEM_FLAG_SHORT_NAME","features":[207]},{"name":"WBEM_FLAG_SPLIT_FILES","features":[207]},{"name":"WBEM_FLAG_STORE_FILE","features":[207]},{"name":"WBEM_FLAG_STRONG_VALIDATION","features":[207]},{"name":"WBEM_FLAG_SYSTEM_ONLY","features":[207]},{"name":"WBEM_FLAG_UNSECAPP_CHECK_ACCESS","features":[207]},{"name":"WBEM_FLAG_UNSECAPP_DEFAULT_CHECK_ACCESS","features":[207]},{"name":"WBEM_FLAG_UNSECAPP_DONT_CHECK_ACCESS","features":[207]},{"name":"WBEM_FLAG_UPDATE_COMPATIBLE","features":[207]},{"name":"WBEM_FLAG_UPDATE_FORCE_MODE","features":[207]},{"name":"WBEM_FLAG_UPDATE_ONLY","features":[207]},{"name":"WBEM_FLAG_UPDATE_SAFE_MODE","features":[207]},{"name":"WBEM_FLAG_USE_AMENDED_QUALIFIERS","features":[207]},{"name":"WBEM_FLAG_USE_MULTIPLE_CHALLENGES","features":[207]},{"name":"WBEM_FLAG_WMI_CHECK","features":[207]},{"name":"WBEM_FLAVOR_AMENDED","features":[207]},{"name":"WBEM_FLAVOR_DONT_PROPAGATE","features":[207]},{"name":"WBEM_FLAVOR_FLAG_PROPAGATE_TO_DERIVED_CLASS","features":[207]},{"name":"WBEM_FLAVOR_FLAG_PROPAGATE_TO_INSTANCE","features":[207]},{"name":"WBEM_FLAVOR_MASK_AMENDED","features":[207]},{"name":"WBEM_FLAVOR_MASK_ORIGIN","features":[207]},{"name":"WBEM_FLAVOR_MASK_PERMISSIONS","features":[207]},{"name":"WBEM_FLAVOR_MASK_PROPAGATION","features":[207]},{"name":"WBEM_FLAVOR_NOT_AMENDED","features":[207]},{"name":"WBEM_FLAVOR_NOT_OVERRIDABLE","features":[207]},{"name":"WBEM_FLAVOR_ORIGIN_LOCAL","features":[207]},{"name":"WBEM_FLAVOR_ORIGIN_PROPAGATED","features":[207]},{"name":"WBEM_FLAVOR_ORIGIN_SYSTEM","features":[207]},{"name":"WBEM_FLAVOR_OVERRIDABLE","features":[207]},{"name":"WBEM_FLAVOR_TYPE","features":[207]},{"name":"WBEM_FULL_WRITE_REP","features":[207]},{"name":"WBEM_GENERIC_FLAG_TYPE","features":[207]},{"name":"WBEM_GENUS_CLASS","features":[207]},{"name":"WBEM_GENUS_INSTANCE","features":[207]},{"name":"WBEM_GENUS_TYPE","features":[207]},{"name":"WBEM_GET_KEY_FLAGS","features":[207]},{"name":"WBEM_GET_TEXT_FLAGS","features":[207]},{"name":"WBEM_INFINITE","features":[207]},{"name":"WBEM_INFORMATION_FLAG_TYPE","features":[207]},{"name":"WBEM_LIMITATION_FLAG_TYPE","features":[207]},{"name":"WBEM_LIMITS","features":[207]},{"name":"WBEM_LOCKING_FLAG_TYPE","features":[207]},{"name":"WBEM_LOGIN_TYPE","features":[207]},{"name":"WBEM_MASK_CLASS_CONDITION","features":[207]},{"name":"WBEM_MASK_CONDITION_ORIGIN","features":[207]},{"name":"WBEM_MASK_PRIMARY_CONDITION","features":[207]},{"name":"WBEM_MASK_RESERVED_FLAGS","features":[207]},{"name":"WBEM_MASK_UPDATE_MODE","features":[207]},{"name":"WBEM_MAX_IDENTIFIER","features":[207]},{"name":"WBEM_MAX_OBJECT_NESTING","features":[207]},{"name":"WBEM_MAX_PATH","features":[207]},{"name":"WBEM_MAX_QUERY","features":[207]},{"name":"WBEM_MAX_USER_PROPERTIES","features":[207]},{"name":"WBEM_METHOD_EXECUTE","features":[207]},{"name":"WBEM_NO_ERROR","features":[207]},{"name":"WBEM_NO_WAIT","features":[207]},{"name":"WBEM_PARTIAL_WRITE_REP","features":[207]},{"name":"WBEM_PATH_CREATE_FLAG","features":[207]},{"name":"WBEM_PATH_STATUS_FLAG","features":[207]},{"name":"WBEM_PROVIDER_FLAGS","features":[207]},{"name":"WBEM_PROVIDER_REQUIREMENTS_TYPE","features":[207]},{"name":"WBEM_QUERY_FLAG_TYPE","features":[207]},{"name":"WBEM_REFRESHER_FLAGS","features":[207]},{"name":"WBEM_REMOTE_ACCESS","features":[207]},{"name":"WBEM_REQUIREMENTS_RECHECK_SUBSCRIPTIONS","features":[207]},{"name":"WBEM_REQUIREMENTS_START_POSTFILTER","features":[207]},{"name":"WBEM_REQUIREMENTS_STOP_POSTFILTER","features":[207]},{"name":"WBEM_RETURN_IMMEDIATELY","features":[207]},{"name":"WBEM_RETURN_WHEN_COMPLETE","features":[207]},{"name":"WBEM_RIGHT_PUBLISH","features":[207]},{"name":"WBEM_RIGHT_SUBSCRIBE","features":[207]},{"name":"WBEM_SECURITY_FLAGS","features":[207]},{"name":"WBEM_SHUTDOWN_FLAGS","features":[207]},{"name":"WBEM_SHUTDOWN_OS","features":[207]},{"name":"WBEM_SHUTDOWN_UNLOAD_COMPONENT","features":[207]},{"name":"WBEM_SHUTDOWN_WMI","features":[207]},{"name":"WBEM_STATUS_COMPLETE","features":[207]},{"name":"WBEM_STATUS_LOGGING_INFORMATION","features":[207]},{"name":"WBEM_STATUS_LOGGING_INFORMATION_ESS","features":[207]},{"name":"WBEM_STATUS_LOGGING_INFORMATION_HOST","features":[207]},{"name":"WBEM_STATUS_LOGGING_INFORMATION_PROVIDER","features":[207]},{"name":"WBEM_STATUS_LOGGING_INFORMATION_REPOSITORY","features":[207]},{"name":"WBEM_STATUS_PROGRESS","features":[207]},{"name":"WBEM_STATUS_REQUIREMENTS","features":[207]},{"name":"WBEM_STATUS_TYPE","features":[207]},{"name":"WBEM_S_ACCESS_DENIED","features":[207]},{"name":"WBEM_S_ALREADY_EXISTS","features":[207]},{"name":"WBEM_S_DIFFERENT","features":[207]},{"name":"WBEM_S_DUPLICATE_OBJECTS","features":[207]},{"name":"WBEM_S_FALSE","features":[207]},{"name":"WBEM_S_INDIRECTLY_UPDATED","features":[207]},{"name":"WBEM_S_INITIALIZED","features":[207]},{"name":"WBEM_S_LIMITED_SERVICE","features":[207]},{"name":"WBEM_S_NO_ERROR","features":[207]},{"name":"WBEM_S_NO_MORE_DATA","features":[207]},{"name":"WBEM_S_OPERATION_CANCELLED","features":[207]},{"name":"WBEM_S_PARTIAL_RESULTS","features":[207]},{"name":"WBEM_S_PENDING","features":[207]},{"name":"WBEM_S_RESET_TO_DEFAULT","features":[207]},{"name":"WBEM_S_SAME","features":[207]},{"name":"WBEM_S_SOURCE_NOT_AVAILABLE","features":[207]},{"name":"WBEM_S_SUBJECT_TO_SDS","features":[207]},{"name":"WBEM_S_TIMEDOUT","features":[207]},{"name":"WBEM_TEXT_FLAG_TYPE","features":[207]},{"name":"WBEM_UNSECAPP_FLAG_TYPE","features":[207]},{"name":"WBEM_WRITE_PROVIDER","features":[207]},{"name":"WMIExtension","features":[207]},{"name":"WMIQ_ANALYSIS_ASSOC_QUERY","features":[207]},{"name":"WMIQ_ANALYSIS_PROP_ANALYSIS_MATRIX","features":[207]},{"name":"WMIQ_ANALYSIS_QUERY_TEXT","features":[207]},{"name":"WMIQ_ANALYSIS_RESERVED","features":[207]},{"name":"WMIQ_ANALYSIS_RPN_SEQUENCE","features":[207]},{"name":"WMIQ_ANALYSIS_TYPE","features":[207]},{"name":"WMIQ_ASSOCQ_ASSOCCLASS","features":[207]},{"name":"WMIQ_ASSOCQ_ASSOCIATORS","features":[207]},{"name":"WMIQ_ASSOCQ_CLASSDEFSONLY","features":[207]},{"name":"WMIQ_ASSOCQ_CLASSREFSONLY","features":[207]},{"name":"WMIQ_ASSOCQ_FLAGS","features":[207]},{"name":"WMIQ_ASSOCQ_KEYSONLY","features":[207]},{"name":"WMIQ_ASSOCQ_REFERENCES","features":[207]},{"name":"WMIQ_ASSOCQ_REQUIREDASSOCQUALIFIER","features":[207]},{"name":"WMIQ_ASSOCQ_REQUIREDQUALIFIER","features":[207]},{"name":"WMIQ_ASSOCQ_RESULTCLASS","features":[207]},{"name":"WMIQ_ASSOCQ_RESULTROLE","features":[207]},{"name":"WMIQ_ASSOCQ_ROLE","features":[207]},{"name":"WMIQ_ASSOCQ_SCHEMAONLY","features":[207]},{"name":"WMIQ_LANGUAGE_FEATURES","features":[207]},{"name":"WMIQ_LF10_COMPEX_SUBEXPRESSIONS","features":[207]},{"name":"WMIQ_LF11_ALIASING","features":[207]},{"name":"WMIQ_LF12_GROUP_BY_HAVING","features":[207]},{"name":"WMIQ_LF13_WMI_WITHIN","features":[207]},{"name":"WMIQ_LF14_SQL_WRITE_OPERATIONS","features":[207]},{"name":"WMIQ_LF15_GO","features":[207]},{"name":"WMIQ_LF16_SINGLE_LEVEL_TRANSACTIONS","features":[207]},{"name":"WMIQ_LF17_QUALIFIED_NAMES","features":[207]},{"name":"WMIQ_LF18_ASSOCIATONS","features":[207]},{"name":"WMIQ_LF19_SYSTEM_PROPERTIES","features":[207]},{"name":"WMIQ_LF1_BASIC_SELECT","features":[207]},{"name":"WMIQ_LF20_EXTENDED_SYSTEM_PROPERTIES","features":[207]},{"name":"WMIQ_LF21_SQL89_JOINS","features":[207]},{"name":"WMIQ_LF22_SQL92_JOINS","features":[207]},{"name":"WMIQ_LF23_SUBSELECTS","features":[207]},{"name":"WMIQ_LF24_UMI_EXTENSIONS","features":[207]},{"name":"WMIQ_LF25_DATEPART","features":[207]},{"name":"WMIQ_LF26_LIKE","features":[207]},{"name":"WMIQ_LF27_CIM_TEMPORAL_CONSTRUCTS","features":[207]},{"name":"WMIQ_LF28_STANDARD_AGGREGATES","features":[207]},{"name":"WMIQ_LF29_MULTI_LEVEL_ORDER_BY","features":[207]},{"name":"WMIQ_LF2_CLASS_NAME_IN_QUERY","features":[207]},{"name":"WMIQ_LF30_WMI_PRAGMAS","features":[207]},{"name":"WMIQ_LF31_QUALIFIER_TESTS","features":[207]},{"name":"WMIQ_LF32_SP_EXECUTE","features":[207]},{"name":"WMIQ_LF33_ARRAY_ACCESS","features":[207]},{"name":"WMIQ_LF34_UNION","features":[207]},{"name":"WMIQ_LF35_COMPLEX_SELECT_TARGET","features":[207]},{"name":"WMIQ_LF36_REFERENCE_TESTS","features":[207]},{"name":"WMIQ_LF37_SELECT_INTO","features":[207]},{"name":"WMIQ_LF38_BASIC_DATETIME_TESTS","features":[207]},{"name":"WMIQ_LF39_COUNT_COLUMN","features":[207]},{"name":"WMIQ_LF3_STRING_CASE_FUNCTIONS","features":[207]},{"name":"WMIQ_LF40_BETWEEN","features":[207]},{"name":"WMIQ_LF4_PROP_TO_PROP_TESTS","features":[207]},{"name":"WMIQ_LF5_COUNT_STAR","features":[207]},{"name":"WMIQ_LF6_ORDER_BY","features":[207]},{"name":"WMIQ_LF7_DISTINCT","features":[207]},{"name":"WMIQ_LF8_ISA","features":[207]},{"name":"WMIQ_LF9_THIS","features":[207]},{"name":"WMIQ_LF_LAST","features":[207]},{"name":"WMIQ_RPNF_ARRAY_ACCESS_USED","features":[207]},{"name":"WMIQ_RPNF_COUNT_STAR","features":[207]},{"name":"WMIQ_RPNF_EQUALITY_TESTS_ONLY","features":[207]},{"name":"WMIQ_RPNF_FEATURE","features":[207]},{"name":"WMIQ_RPNF_FEATURE_SELECT_STAR","features":[207]},{"name":"WMIQ_RPNF_GROUP_BY_HAVING","features":[207]},{"name":"WMIQ_RPNF_ISA_USED","features":[207]},{"name":"WMIQ_RPNF_ORDER_BY","features":[207]},{"name":"WMIQ_RPNF_PROJECTION","features":[207]},{"name":"WMIQ_RPNF_PROP_TO_PROP_TESTS","features":[207]},{"name":"WMIQ_RPNF_QUALIFIED_NAMES_USED","features":[207]},{"name":"WMIQ_RPNF_QUERY_IS_CONJUNCTIVE","features":[207]},{"name":"WMIQ_RPNF_QUERY_IS_DISJUNCTIVE","features":[207]},{"name":"WMIQ_RPNF_SYSPROP_CLASS_USED","features":[207]},{"name":"WMIQ_RPNF_WHERE_CLAUSE_PRESENT","features":[207]},{"name":"WMIQ_RPN_CONST","features":[207]},{"name":"WMIQ_RPN_CONST2","features":[207]},{"name":"WMIQ_RPN_FROM_CLASS_LIST","features":[207]},{"name":"WMIQ_RPN_FROM_MULTIPLE","features":[207]},{"name":"WMIQ_RPN_FROM_PATH","features":[207]},{"name":"WMIQ_RPN_FROM_UNARY","features":[207]},{"name":"WMIQ_RPN_GET_EXPR_SHAPE","features":[207]},{"name":"WMIQ_RPN_GET_LEFT_FUNCTION","features":[207]},{"name":"WMIQ_RPN_GET_RELOP","features":[207]},{"name":"WMIQ_RPN_GET_RIGHT_FUNCTION","features":[207]},{"name":"WMIQ_RPN_GET_TOKEN_TYPE","features":[207]},{"name":"WMIQ_RPN_LEFT_FUNCTION","features":[207]},{"name":"WMIQ_RPN_LEFT_PROPERTY_NAME","features":[207]},{"name":"WMIQ_RPN_NEXT_TOKEN","features":[207]},{"name":"WMIQ_RPN_OP_EQ","features":[207]},{"name":"WMIQ_RPN_OP_GE","features":[207]},{"name":"WMIQ_RPN_OP_GT","features":[207]},{"name":"WMIQ_RPN_OP_ISA","features":[207]},{"name":"WMIQ_RPN_OP_ISNOTA","features":[207]},{"name":"WMIQ_RPN_OP_ISNOTNULL","features":[207]},{"name":"WMIQ_RPN_OP_ISNULL","features":[207]},{"name":"WMIQ_RPN_OP_LE","features":[207]},{"name":"WMIQ_RPN_OP_LIKE","features":[207]},{"name":"WMIQ_RPN_OP_LT","features":[207]},{"name":"WMIQ_RPN_OP_NE","features":[207]},{"name":"WMIQ_RPN_OP_UNDEFINED","features":[207]},{"name":"WMIQ_RPN_RELOP","features":[207]},{"name":"WMIQ_RPN_RIGHT_FUNCTION","features":[207]},{"name":"WMIQ_RPN_RIGHT_PROPERTY_NAME","features":[207]},{"name":"WMIQ_RPN_TOKEN_AND","features":[207]},{"name":"WMIQ_RPN_TOKEN_EXPRESSION","features":[207]},{"name":"WMIQ_RPN_TOKEN_FLAGS","features":[207]},{"name":"WMIQ_RPN_TOKEN_NOT","features":[207]},{"name":"WMIQ_RPN_TOKEN_OR","features":[207]},{"name":"WMI_OBJ_TEXT","features":[207]},{"name":"WMI_OBJ_TEXT_CIM_DTD_2_0","features":[207]},{"name":"WMI_OBJ_TEXT_LAST","features":[207]},{"name":"WMI_OBJ_TEXT_WMI_DTD_2_0","features":[207]},{"name":"WMI_OBJ_TEXT_WMI_EXT1","features":[207]},{"name":"WMI_OBJ_TEXT_WMI_EXT10","features":[207]},{"name":"WMI_OBJ_TEXT_WMI_EXT2","features":[207]},{"name":"WMI_OBJ_TEXT_WMI_EXT3","features":[207]},{"name":"WMI_OBJ_TEXT_WMI_EXT4","features":[207]},{"name":"WMI_OBJ_TEXT_WMI_EXT5","features":[207]},{"name":"WMI_OBJ_TEXT_WMI_EXT6","features":[207]},{"name":"WMI_OBJ_TEXT_WMI_EXT7","features":[207]},{"name":"WMI_OBJ_TEXT_WMI_EXT8","features":[207]},{"name":"WMI_OBJ_TEXT_WMI_EXT9","features":[207]},{"name":"WbemAdministrativeLocator","features":[207]},{"name":"WbemAuthenticatedLocator","features":[207]},{"name":"WbemAuthenticationLevelEnum","features":[207]},{"name":"WbemBackupRestore","features":[207]},{"name":"WbemChangeFlagEnum","features":[207]},{"name":"WbemCimtypeEnum","features":[207]},{"name":"WbemClassObject","features":[207]},{"name":"WbemComparisonFlagEnum","features":[207]},{"name":"WbemConnectOptionsEnum","features":[207]},{"name":"WbemContext","features":[207]},{"name":"WbemDCOMTransport","features":[207]},{"name":"WbemDecoupledBasicEventProvider","features":[207]},{"name":"WbemDecoupledRegistrar","features":[207]},{"name":"WbemDefPath","features":[207]},{"name":"WbemErrorEnum","features":[207]},{"name":"WbemFlagEnum","features":[207]},{"name":"WbemImpersonationLevelEnum","features":[207]},{"name":"WbemLevel1Login","features":[207]},{"name":"WbemLocalAddrRes","features":[207]},{"name":"WbemLocator","features":[207]},{"name":"WbemObjectTextFormatEnum","features":[207]},{"name":"WbemObjectTextSrc","features":[207]},{"name":"WbemPrivilegeEnum","features":[207]},{"name":"WbemQuery","features":[207]},{"name":"WbemQueryFlagEnum","features":[207]},{"name":"WbemRefresher","features":[207]},{"name":"WbemStatusCodeText","features":[207]},{"name":"WbemTextFlagEnum","features":[207]},{"name":"WbemTimeout","features":[207]},{"name":"WbemUnauthenticatedLocator","features":[207]},{"name":"WbemUninitializedClassObject","features":[207]},{"name":"wbemAuthenticationLevelCall","features":[207]},{"name":"wbemAuthenticationLevelConnect","features":[207]},{"name":"wbemAuthenticationLevelDefault","features":[207]},{"name":"wbemAuthenticationLevelNone","features":[207]},{"name":"wbemAuthenticationLevelPkt","features":[207]},{"name":"wbemAuthenticationLevelPktIntegrity","features":[207]},{"name":"wbemAuthenticationLevelPktPrivacy","features":[207]},{"name":"wbemChangeFlagAdvisory","features":[207]},{"name":"wbemChangeFlagCreateOnly","features":[207]},{"name":"wbemChangeFlagCreateOrUpdate","features":[207]},{"name":"wbemChangeFlagStrongValidation","features":[207]},{"name":"wbemChangeFlagUpdateCompatible","features":[207]},{"name":"wbemChangeFlagUpdateForceMode","features":[207]},{"name":"wbemChangeFlagUpdateOnly","features":[207]},{"name":"wbemChangeFlagUpdateSafeMode","features":[207]},{"name":"wbemCimtypeBoolean","features":[207]},{"name":"wbemCimtypeChar16","features":[207]},{"name":"wbemCimtypeDatetime","features":[207]},{"name":"wbemCimtypeObject","features":[207]},{"name":"wbemCimtypeReal32","features":[207]},{"name":"wbemCimtypeReal64","features":[207]},{"name":"wbemCimtypeReference","features":[207]},{"name":"wbemCimtypeSint16","features":[207]},{"name":"wbemCimtypeSint32","features":[207]},{"name":"wbemCimtypeSint64","features":[207]},{"name":"wbemCimtypeSint8","features":[207]},{"name":"wbemCimtypeString","features":[207]},{"name":"wbemCimtypeUint16","features":[207]},{"name":"wbemCimtypeUint32","features":[207]},{"name":"wbemCimtypeUint64","features":[207]},{"name":"wbemCimtypeUint8","features":[207]},{"name":"wbemComparisonFlagIgnoreCase","features":[207]},{"name":"wbemComparisonFlagIgnoreClass","features":[207]},{"name":"wbemComparisonFlagIgnoreDefaultValues","features":[207]},{"name":"wbemComparisonFlagIgnoreFlavor","features":[207]},{"name":"wbemComparisonFlagIgnoreObjectSource","features":[207]},{"name":"wbemComparisonFlagIgnoreQualifiers","features":[207]},{"name":"wbemComparisonFlagIncludeAll","features":[207]},{"name":"wbemConnectFlagUseMaxWait","features":[207]},{"name":"wbemErrAccessDenied","features":[207]},{"name":"wbemErrAggregatingByObject","features":[207]},{"name":"wbemErrAlreadyExists","features":[207]},{"name":"wbemErrAmbiguousOperation","features":[207]},{"name":"wbemErrAmendedObject","features":[207]},{"name":"wbemErrBackupRestoreWinmgmtRunning","features":[207]},{"name":"wbemErrBufferTooSmall","features":[207]},{"name":"wbemErrCallCancelled","features":[207]},{"name":"wbemErrCannotBeAbstract","features":[207]},{"name":"wbemErrCannotBeKey","features":[207]},{"name":"wbemErrCannotBeSingleton","features":[207]},{"name":"wbemErrCannotChangeIndexInheritance","features":[207]},{"name":"wbemErrCannotChangeKeyInheritance","features":[207]},{"name":"wbemErrCircularReference","features":[207]},{"name":"wbemErrClassHasChildren","features":[207]},{"name":"wbemErrClassHasInstances","features":[207]},{"name":"wbemErrClassNameTooWide","features":[207]},{"name":"wbemErrClientTooSlow","features":[207]},{"name":"wbemErrConnectionFailed","features":[207]},{"name":"wbemErrCriticalError","features":[207]},{"name":"wbemErrDatabaseVerMismatch","features":[207]},{"name":"wbemErrEncryptedConnectionRequired","features":[207]},{"name":"wbemErrFailed","features":[207]},{"name":"wbemErrFatalTransportError","features":[207]},{"name":"wbemErrForcedRollback","features":[207]},{"name":"wbemErrHandleOutOfDate","features":[207]},{"name":"wbemErrIllegalNull","features":[207]},{"name":"wbemErrIllegalOperation","features":[207]},{"name":"wbemErrIncompleteClass","features":[207]},{"name":"wbemErrInitializationFailure","features":[207]},{"name":"wbemErrInvalidAssociation","features":[207]},{"name":"wbemErrInvalidCimType","features":[207]},{"name":"wbemErrInvalidClass","features":[207]},{"name":"wbemErrInvalidContext","features":[207]},{"name":"wbemErrInvalidDuplicateParameter","features":[207]},{"name":"wbemErrInvalidFlavor","features":[207]},{"name":"wbemErrInvalidHandleRequest","features":[207]},{"name":"wbemErrInvalidLocale","features":[207]},{"name":"wbemErrInvalidMethod","features":[207]},{"name":"wbemErrInvalidMethodParameters","features":[207]},{"name":"wbemErrInvalidNamespace","features":[207]},{"name":"wbemErrInvalidObject","features":[207]},{"name":"wbemErrInvalidObjectPath","features":[207]},{"name":"wbemErrInvalidOperation","features":[207]},{"name":"wbemErrInvalidOperator","features":[207]},{"name":"wbemErrInvalidParameter","features":[207]},{"name":"wbemErrInvalidParameterId","features":[207]},{"name":"wbemErrInvalidProperty","features":[207]},{"name":"wbemErrInvalidPropertyType","features":[207]},{"name":"wbemErrInvalidProviderRegistration","features":[207]},{"name":"wbemErrInvalidQualifier","features":[207]},{"name":"wbemErrInvalidQualifierType","features":[207]},{"name":"wbemErrInvalidQuery","features":[207]},{"name":"wbemErrInvalidQueryType","features":[207]},{"name":"wbemErrInvalidStream","features":[207]},{"name":"wbemErrInvalidSuperclass","features":[207]},{"name":"wbemErrInvalidSyntax","features":[207]},{"name":"wbemErrLocalCredentials","features":[207]},{"name":"wbemErrMarshalInvalidSignature","features":[207]},{"name":"wbemErrMarshalVersionMismatch","features":[207]},{"name":"wbemErrMethodDisabled","features":[207]},{"name":"wbemErrMethodNameTooWide","features":[207]},{"name":"wbemErrMethodNotImplemented","features":[207]},{"name":"wbemErrMissingAggregationList","features":[207]},{"name":"wbemErrMissingGroupWithin","features":[207]},{"name":"wbemErrMissingParameter","features":[207]},{"name":"wbemErrNoSchema","features":[207]},{"name":"wbemErrNonConsecutiveParameterIds","features":[207]},{"name":"wbemErrNondecoratedObject","features":[207]},{"name":"wbemErrNotAvailable","features":[207]},{"name":"wbemErrNotEventClass","features":[207]},{"name":"wbemErrNotFound","features":[207]},{"name":"wbemErrNotSupported","features":[207]},{"name":"wbemErrNullSecurityDescriptor","features":[207]},{"name":"wbemErrOutOfDiskSpace","features":[207]},{"name":"wbemErrOutOfMemory","features":[207]},{"name":"wbemErrOverrideNotAllowed","features":[207]},{"name":"wbemErrParameterIdOnRetval","features":[207]},{"name":"wbemErrPrivilegeNotHeld","features":[207]},{"name":"wbemErrPropagatedMethod","features":[207]},{"name":"wbemErrPropagatedProperty","features":[207]},{"name":"wbemErrPropagatedQualifier","features":[207]},{"name":"wbemErrPropertyNameTooWide","features":[207]},{"name":"wbemErrPropertyNotAnObject","features":[207]},{"name":"wbemErrProviderAlreadyRegistered","features":[207]},{"name":"wbemErrProviderFailure","features":[207]},{"name":"wbemErrProviderLoadFailure","features":[207]},{"name":"wbemErrProviderNotCapable","features":[207]},{"name":"wbemErrProviderNotFound","features":[207]},{"name":"wbemErrProviderNotRegistered","features":[207]},{"name":"wbemErrProviderSuspended","features":[207]},{"name":"wbemErrQualifierNameTooWide","features":[207]},{"name":"wbemErrQueryNotImplemented","features":[207]},{"name":"wbemErrQueueOverflow","features":[207]},{"name":"wbemErrQuotaViolation","features":[207]},{"name":"wbemErrReadOnly","features":[207]},{"name":"wbemErrRefresherBusy","features":[207]},{"name":"wbemErrRegistrationTooBroad","features":[207]},{"name":"wbemErrRegistrationTooPrecise","features":[207]},{"name":"wbemErrRerunCommand","features":[207]},{"name":"wbemErrResetToDefault","features":[207]},{"name":"wbemErrServerTooBusy","features":[207]},{"name":"wbemErrShuttingDown","features":[207]},{"name":"wbemErrSynchronizationRequired","features":[207]},{"name":"wbemErrSystemProperty","features":[207]},{"name":"wbemErrTimedout","features":[207]},{"name":"wbemErrTimeout","features":[207]},{"name":"wbemErrTooManyProperties","features":[207]},{"name":"wbemErrTooMuchData","features":[207]},{"name":"wbemErrTransactionConflict","features":[207]},{"name":"wbemErrTransportFailure","features":[207]},{"name":"wbemErrTypeMismatch","features":[207]},{"name":"wbemErrUnexpected","features":[207]},{"name":"wbemErrUninterpretableProviderQuery","features":[207]},{"name":"wbemErrUnknownObjectType","features":[207]},{"name":"wbemErrUnknownPacketType","features":[207]},{"name":"wbemErrUnparsableQuery","features":[207]},{"name":"wbemErrUnsupportedClassUpdate","features":[207]},{"name":"wbemErrUnsupportedLocale","features":[207]},{"name":"wbemErrUnsupportedParameter","features":[207]},{"name":"wbemErrUnsupportedPutExtension","features":[207]},{"name":"wbemErrUpdateOverrideNotAllowed","features":[207]},{"name":"wbemErrUpdatePropagatedMethod","features":[207]},{"name":"wbemErrUpdateTypeMismatch","features":[207]},{"name":"wbemErrValueOutOfRange","features":[207]},{"name":"wbemErrVetoDelete","features":[207]},{"name":"wbemErrVetoPut","features":[207]},{"name":"wbemFlagBidirectional","features":[207]},{"name":"wbemFlagDirectRead","features":[207]},{"name":"wbemFlagDontSendStatus","features":[207]},{"name":"wbemFlagEnsureLocatable","features":[207]},{"name":"wbemFlagForwardOnly","features":[207]},{"name":"wbemFlagGetDefault","features":[207]},{"name":"wbemFlagNoErrorObject","features":[207]},{"name":"wbemFlagReturnErrorObject","features":[207]},{"name":"wbemFlagReturnImmediately","features":[207]},{"name":"wbemFlagReturnWhenComplete","features":[207]},{"name":"wbemFlagSendOnlySelected","features":[207]},{"name":"wbemFlagSendStatus","features":[207]},{"name":"wbemFlagSpawnInstance","features":[207]},{"name":"wbemFlagUseAmendedQualifiers","features":[207]},{"name":"wbemFlagUseCurrentTime","features":[207]},{"name":"wbemImpersonationLevelAnonymous","features":[207]},{"name":"wbemImpersonationLevelDelegate","features":[207]},{"name":"wbemImpersonationLevelIdentify","features":[207]},{"name":"wbemImpersonationLevelImpersonate","features":[207]},{"name":"wbemNoErr","features":[207]},{"name":"wbemObjectTextFormatCIMDTD20","features":[207]},{"name":"wbemObjectTextFormatWMIDTD20","features":[207]},{"name":"wbemPrivilegeAudit","features":[207]},{"name":"wbemPrivilegeBackup","features":[207]},{"name":"wbemPrivilegeChangeNotify","features":[207]},{"name":"wbemPrivilegeCreatePagefile","features":[207]},{"name":"wbemPrivilegeCreatePermanent","features":[207]},{"name":"wbemPrivilegeCreateToken","features":[207]},{"name":"wbemPrivilegeDebug","features":[207]},{"name":"wbemPrivilegeEnableDelegation","features":[207]},{"name":"wbemPrivilegeIncreaseBasePriority","features":[207]},{"name":"wbemPrivilegeIncreaseQuota","features":[207]},{"name":"wbemPrivilegeLoadDriver","features":[207]},{"name":"wbemPrivilegeLockMemory","features":[207]},{"name":"wbemPrivilegeMachineAccount","features":[207]},{"name":"wbemPrivilegeManageVolume","features":[207]},{"name":"wbemPrivilegePrimaryToken","features":[207]},{"name":"wbemPrivilegeProfileSingleProcess","features":[207]},{"name":"wbemPrivilegeRemoteShutdown","features":[207]},{"name":"wbemPrivilegeRestore","features":[207]},{"name":"wbemPrivilegeSecurity","features":[207]},{"name":"wbemPrivilegeShutdown","features":[207]},{"name":"wbemPrivilegeSyncAgent","features":[207]},{"name":"wbemPrivilegeSystemEnvironment","features":[207]},{"name":"wbemPrivilegeSystemProfile","features":[207]},{"name":"wbemPrivilegeSystemtime","features":[207]},{"name":"wbemPrivilegeTakeOwnership","features":[207]},{"name":"wbemPrivilegeTcb","features":[207]},{"name":"wbemPrivilegeUndock","features":[207]},{"name":"wbemQueryFlagDeep","features":[207]},{"name":"wbemQueryFlagPrototype","features":[207]},{"name":"wbemQueryFlagShallow","features":[207]},{"name":"wbemTextFlagNoFlavors","features":[207]},{"name":"wbemTimeoutInfinite","features":[207]}],"647":[{"name":"ACCESSTIMEOUT","features":[208]},{"name":"ACC_UTILITY_STATE_FLAGS","features":[208]},{"name":"ANNO_CONTAINER","features":[208]},{"name":"ANNO_THIS","features":[208]},{"name":"ANRUS_ON_SCREEN_KEYBOARD_ACTIVE","features":[208]},{"name":"ANRUS_PRIORITY_AUDIO_ACTIVE","features":[208]},{"name":"ANRUS_PRIORITY_AUDIO_ACTIVE_NODUCK","features":[208]},{"name":"ANRUS_PRIORITY_AUDIO_DYNAMIC_DUCK","features":[208]},{"name":"ANRUS_TOUCH_MODIFICATION_ACTIVE","features":[208]},{"name":"AccNotifyTouchInteraction","features":[1,208]},{"name":"AccSetRunningUtilityState","features":[1,208]},{"name":"AcceleratorKey_Property_GUID","features":[208]},{"name":"AccessKey_Property_GUID","features":[208]},{"name":"AccessibleChildren","features":[1,41,42,208]},{"name":"AccessibleObjectFromEvent","features":[1,41,42,208]},{"name":"AccessibleObjectFromPoint","features":[1,41,42,208]},{"name":"AccessibleObjectFromWindow","features":[1,208]},{"name":"ActiveEnd","features":[208]},{"name":"ActiveEnd_End","features":[208]},{"name":"ActiveEnd_None","features":[208]},{"name":"ActiveEnd_Start","features":[208]},{"name":"ActiveTextPositionChanged_Event_GUID","features":[208]},{"name":"AnimationStyle","features":[208]},{"name":"AnimationStyle_BlinkingBackground","features":[208]},{"name":"AnimationStyle_LasVegasLights","features":[208]},{"name":"AnimationStyle_MarchingBlackAnts","features":[208]},{"name":"AnimationStyle_MarchingRedAnts","features":[208]},{"name":"AnimationStyle_None","features":[208]},{"name":"AnimationStyle_Other","features":[208]},{"name":"AnimationStyle_Shimmer","features":[208]},{"name":"AnimationStyle_SparkleText","features":[208]},{"name":"AnnoScope","features":[208]},{"name":"AnnotationObjects_Property_GUID","features":[208]},{"name":"AnnotationType_AdvancedProofingIssue","features":[208]},{"name":"AnnotationType_Author","features":[208]},{"name":"AnnotationType_CircularReferenceError","features":[208]},{"name":"AnnotationType_Comment","features":[208]},{"name":"AnnotationType_ConflictingChange","features":[208]},{"name":"AnnotationType_DataValidationError","features":[208]},{"name":"AnnotationType_DeletionChange","features":[208]},{"name":"AnnotationType_EditingLockedChange","features":[208]},{"name":"AnnotationType_Endnote","features":[208]},{"name":"AnnotationType_ExternalChange","features":[208]},{"name":"AnnotationType_Footer","features":[208]},{"name":"AnnotationType_Footnote","features":[208]},{"name":"AnnotationType_FormatChange","features":[208]},{"name":"AnnotationType_FormulaError","features":[208]},{"name":"AnnotationType_GrammarError","features":[208]},{"name":"AnnotationType_Header","features":[208]},{"name":"AnnotationType_Highlighted","features":[208]},{"name":"AnnotationType_InsertionChange","features":[208]},{"name":"AnnotationType_Mathematics","features":[208]},{"name":"AnnotationType_MoveChange","features":[208]},{"name":"AnnotationType_Sensitive","features":[208]},{"name":"AnnotationType_SpellingError","features":[208]},{"name":"AnnotationType_TrackChanges","features":[208]},{"name":"AnnotationType_Unknown","features":[208]},{"name":"AnnotationType_UnsyncedChange","features":[208]},{"name":"AnnotationTypes_Property_GUID","features":[208]},{"name":"Annotation_AdvancedProofingIssue_GUID","features":[208]},{"name":"Annotation_AnnotationTypeId_Property_GUID","features":[208]},{"name":"Annotation_AnnotationTypeName_Property_GUID","features":[208]},{"name":"Annotation_Author_GUID","features":[208]},{"name":"Annotation_Author_Property_GUID","features":[208]},{"name":"Annotation_CircularReferenceError_GUID","features":[208]},{"name":"Annotation_Comment_GUID","features":[208]},{"name":"Annotation_ConflictingChange_GUID","features":[208]},{"name":"Annotation_Custom_GUID","features":[208]},{"name":"Annotation_DataValidationError_GUID","features":[208]},{"name":"Annotation_DateTime_Property_GUID","features":[208]},{"name":"Annotation_DeletionChange_GUID","features":[208]},{"name":"Annotation_EditingLockedChange_GUID","features":[208]},{"name":"Annotation_Endnote_GUID","features":[208]},{"name":"Annotation_ExternalChange_GUID","features":[208]},{"name":"Annotation_Footer_GUID","features":[208]},{"name":"Annotation_Footnote_GUID","features":[208]},{"name":"Annotation_FormatChange_GUID","features":[208]},{"name":"Annotation_FormulaError_GUID","features":[208]},{"name":"Annotation_GrammarError_GUID","features":[208]},{"name":"Annotation_Header_GUID","features":[208]},{"name":"Annotation_Highlighted_GUID","features":[208]},{"name":"Annotation_InsertionChange_GUID","features":[208]},{"name":"Annotation_Mathematics_GUID","features":[208]},{"name":"Annotation_MoveChange_GUID","features":[208]},{"name":"Annotation_Pattern_GUID","features":[208]},{"name":"Annotation_Sensitive_GUID","features":[208]},{"name":"Annotation_SpellingError_GUID","features":[208]},{"name":"Annotation_Target_Property_GUID","features":[208]},{"name":"Annotation_TrackChanges_GUID","features":[208]},{"name":"Annotation_UnsyncedChange_GUID","features":[208]},{"name":"AppBar_Control_GUID","features":[208]},{"name":"AriaProperties_Property_GUID","features":[208]},{"name":"AriaRole_Property_GUID","features":[208]},{"name":"Assertive","features":[208]},{"name":"AsyncContentLoadedState","features":[208]},{"name":"AsyncContentLoadedState_Beginning","features":[208]},{"name":"AsyncContentLoadedState_Completed","features":[208]},{"name":"AsyncContentLoadedState_Progress","features":[208]},{"name":"AsyncContentLoaded_Event_GUID","features":[208]},{"name":"AutomationElementMode","features":[208]},{"name":"AutomationElementMode_Full","features":[208]},{"name":"AutomationElementMode_None","features":[208]},{"name":"AutomationFocusChanged_Event_GUID","features":[208]},{"name":"AutomationId_Property_GUID","features":[208]},{"name":"AutomationIdentifierType","features":[208]},{"name":"AutomationIdentifierType_Annotation","features":[208]},{"name":"AutomationIdentifierType_Changes","features":[208]},{"name":"AutomationIdentifierType_ControlType","features":[208]},{"name":"AutomationIdentifierType_Event","features":[208]},{"name":"AutomationIdentifierType_LandmarkType","features":[208]},{"name":"AutomationIdentifierType_Pattern","features":[208]},{"name":"AutomationIdentifierType_Property","features":[208]},{"name":"AutomationIdentifierType_Style","features":[208]},{"name":"AutomationIdentifierType_TextAttribute","features":[208]},{"name":"AutomationPropertyChanged_Event_GUID","features":[208]},{"name":"BoundingRectangle_Property_GUID","features":[208]},{"name":"BulletStyle","features":[208]},{"name":"BulletStyle_DashBullet","features":[208]},{"name":"BulletStyle_FilledRoundBullet","features":[208]},{"name":"BulletStyle_FilledSquareBullet","features":[208]},{"name":"BulletStyle_HollowRoundBullet","features":[208]},{"name":"BulletStyle_HollowSquareBullet","features":[208]},{"name":"BulletStyle_None","features":[208]},{"name":"BulletStyle_Other","features":[208]},{"name":"Button_Control_GUID","features":[208]},{"name":"CAccPropServices","features":[208]},{"name":"CLSID_AccPropServices","features":[208]},{"name":"CUIAutomation","features":[208]},{"name":"CUIAutomation8","features":[208]},{"name":"CUIAutomationRegistrar","features":[208]},{"name":"Calendar_Control_GUID","features":[208]},{"name":"CapStyle","features":[208]},{"name":"CapStyle_AllCap","features":[208]},{"name":"CapStyle_AllPetiteCaps","features":[208]},{"name":"CapStyle_None","features":[208]},{"name":"CapStyle_Other","features":[208]},{"name":"CapStyle_PetiteCaps","features":[208]},{"name":"CapStyle_SmallCap","features":[208]},{"name":"CapStyle_Titling","features":[208]},{"name":"CapStyle_Unicase","features":[208]},{"name":"CaretBidiMode","features":[208]},{"name":"CaretBidiMode_LTR","features":[208]},{"name":"CaretBidiMode_RTL","features":[208]},{"name":"CaretPosition","features":[208]},{"name":"CaretPosition_BeginningOfLine","features":[208]},{"name":"CaretPosition_EndOfLine","features":[208]},{"name":"CaretPosition_Unknown","features":[208]},{"name":"CenterPoint_Property_GUID","features":[208]},{"name":"Changes_Event_GUID","features":[208]},{"name":"Changes_Summary_GUID","features":[208]},{"name":"CheckBox_Control_GUID","features":[208]},{"name":"ClassName_Property_GUID","features":[208]},{"name":"ClickablePoint_Property_GUID","features":[208]},{"name":"CoalesceEventsOptions","features":[208]},{"name":"CoalesceEventsOptions_Disabled","features":[208]},{"name":"CoalesceEventsOptions_Enabled","features":[208]},{"name":"ComboBox_Control_GUID","features":[208]},{"name":"ConditionType","features":[208]},{"name":"ConditionType_And","features":[208]},{"name":"ConditionType_False","features":[208]},{"name":"ConditionType_Not","features":[208]},{"name":"ConditionType_Or","features":[208]},{"name":"ConditionType_Property","features":[208]},{"name":"ConditionType_True","features":[208]},{"name":"ConnectionRecoveryBehaviorOptions","features":[208]},{"name":"ConnectionRecoveryBehaviorOptions_Disabled","features":[208]},{"name":"ConnectionRecoveryBehaviorOptions_Enabled","features":[208]},{"name":"ControlType_Property_GUID","features":[208]},{"name":"ControllerFor_Property_GUID","features":[208]},{"name":"CreateStdAccessibleObject","features":[1,208]},{"name":"CreateStdAccessibleProxyA","features":[1,208]},{"name":"CreateStdAccessibleProxyW","features":[1,208]},{"name":"Culture_Property_GUID","features":[208]},{"name":"CustomNavigation_Pattern_GUID","features":[208]},{"name":"Custom_Control_GUID","features":[208]},{"name":"DISPID_ACC_CHILD","features":[208]},{"name":"DISPID_ACC_CHILDCOUNT","features":[208]},{"name":"DISPID_ACC_DEFAULTACTION","features":[208]},{"name":"DISPID_ACC_DESCRIPTION","features":[208]},{"name":"DISPID_ACC_DODEFAULTACTION","features":[208]},{"name":"DISPID_ACC_FOCUS","features":[208]},{"name":"DISPID_ACC_HELP","features":[208]},{"name":"DISPID_ACC_HELPTOPIC","features":[208]},{"name":"DISPID_ACC_HITTEST","features":[208]},{"name":"DISPID_ACC_KEYBOARDSHORTCUT","features":[208]},{"name":"DISPID_ACC_LOCATION","features":[208]},{"name":"DISPID_ACC_NAME","features":[208]},{"name":"DISPID_ACC_NAVIGATE","features":[208]},{"name":"DISPID_ACC_PARENT","features":[208]},{"name":"DISPID_ACC_ROLE","features":[208]},{"name":"DISPID_ACC_SELECT","features":[208]},{"name":"DISPID_ACC_SELECTION","features":[208]},{"name":"DISPID_ACC_STATE","features":[208]},{"name":"DISPID_ACC_VALUE","features":[208]},{"name":"DataGrid_Control_GUID","features":[208]},{"name":"DataItem_Control_GUID","features":[208]},{"name":"DescribedBy_Property_GUID","features":[208]},{"name":"DockPattern_SetDockPosition","features":[208]},{"name":"DockPosition","features":[208]},{"name":"DockPosition_Bottom","features":[208]},{"name":"DockPosition_Fill","features":[208]},{"name":"DockPosition_Left","features":[208]},{"name":"DockPosition_None","features":[208]},{"name":"DockPosition_Right","features":[208]},{"name":"DockPosition_Top","features":[208]},{"name":"Dock_DockPosition_Property_GUID","features":[208]},{"name":"Dock_Pattern_GUID","features":[208]},{"name":"Document_Control_GUID","features":[208]},{"name":"Drag_DragCancel_Event_GUID","features":[208]},{"name":"Drag_DragComplete_Event_GUID","features":[208]},{"name":"Drag_DragStart_Event_GUID","features":[208]},{"name":"Drag_DropEffect_Property_GUID","features":[208]},{"name":"Drag_DropEffects_Property_GUID","features":[208]},{"name":"Drag_GrabbedItems_Property_GUID","features":[208]},{"name":"Drag_IsGrabbed_Property_GUID","features":[208]},{"name":"Drag_Pattern_GUID","features":[208]},{"name":"DropTarget_DragEnter_Event_GUID","features":[208]},{"name":"DropTarget_DragLeave_Event_GUID","features":[208]},{"name":"DropTarget_DropTargetEffect_Property_GUID","features":[208]},{"name":"DropTarget_DropTargetEffects_Property_GUID","features":[208]},{"name":"DropTarget_Dropped_Event_GUID","features":[208]},{"name":"DropTarget_Pattern_GUID","features":[208]},{"name":"Edit_Control_GUID","features":[208]},{"name":"EventArgsType","features":[208]},{"name":"EventArgsType_ActiveTextPositionChanged","features":[208]},{"name":"EventArgsType_AsyncContentLoaded","features":[208]},{"name":"EventArgsType_Changes","features":[208]},{"name":"EventArgsType_Notification","features":[208]},{"name":"EventArgsType_PropertyChanged","features":[208]},{"name":"EventArgsType_Simple","features":[208]},{"name":"EventArgsType_StructureChanged","features":[208]},{"name":"EventArgsType_StructuredMarkup","features":[208]},{"name":"EventArgsType_TextEditTextChanged","features":[208]},{"name":"EventArgsType_WindowClosed","features":[208]},{"name":"ExpandCollapsePattern_Collapse","features":[208]},{"name":"ExpandCollapsePattern_Expand","features":[208]},{"name":"ExpandCollapseState","features":[208]},{"name":"ExpandCollapseState_Collapsed","features":[208]},{"name":"ExpandCollapseState_Expanded","features":[208]},{"name":"ExpandCollapseState_LeafNode","features":[208]},{"name":"ExpandCollapseState_PartiallyExpanded","features":[208]},{"name":"ExpandCollapse_ExpandCollapseState_Property_GUID","features":[208]},{"name":"ExpandCollapse_Pattern_GUID","features":[208]},{"name":"ExtendedProperty","features":[208]},{"name":"FILTERKEYS","features":[208]},{"name":"FillColor_Property_GUID","features":[208]},{"name":"FillType","features":[208]},{"name":"FillType_Color","features":[208]},{"name":"FillType_Gradient","features":[208]},{"name":"FillType_None","features":[208]},{"name":"FillType_Pattern","features":[208]},{"name":"FillType_Picture","features":[208]},{"name":"FillType_Property_GUID","features":[208]},{"name":"FlowDirections","features":[208]},{"name":"FlowDirections_BottomToTop","features":[208]},{"name":"FlowDirections_Default","features":[208]},{"name":"FlowDirections_RightToLeft","features":[208]},{"name":"FlowDirections_Vertical","features":[208]},{"name":"FlowsFrom_Property_GUID","features":[208]},{"name":"FlowsTo_Property_GUID","features":[208]},{"name":"FrameworkId_Property_GUID","features":[208]},{"name":"FullDescription_Property_GUID","features":[208]},{"name":"GetOleaccVersionInfo","features":[208]},{"name":"GetRoleTextA","features":[208]},{"name":"GetRoleTextW","features":[208]},{"name":"GetStateTextA","features":[208]},{"name":"GetStateTextW","features":[208]},{"name":"GridItem_ColumnSpan_Property_GUID","features":[208]},{"name":"GridItem_Column_Property_GUID","features":[208]},{"name":"GridItem_Parent_Property_GUID","features":[208]},{"name":"GridItem_Pattern_GUID","features":[208]},{"name":"GridItem_RowSpan_Property_GUID","features":[208]},{"name":"GridItem_Row_Property_GUID","features":[208]},{"name":"GridPattern_GetItem","features":[208]},{"name":"Grid_ColumnCount_Property_GUID","features":[208]},{"name":"Grid_Pattern_GUID","features":[208]},{"name":"Grid_RowCount_Property_GUID","features":[208]},{"name":"Group_Control_GUID","features":[208]},{"name":"HCF_AVAILABLE","features":[208]},{"name":"HCF_CONFIRMHOTKEY","features":[208]},{"name":"HCF_HIGHCONTRASTON","features":[208]},{"name":"HCF_HOTKEYACTIVE","features":[208]},{"name":"HCF_HOTKEYAVAILABLE","features":[208]},{"name":"HCF_HOTKEYSOUND","features":[208]},{"name":"HCF_INDICATOR","features":[208]},{"name":"HCF_OPTION_NOTHEMECHANGE","features":[208]},{"name":"HIGHCONTRASTA","features":[208]},{"name":"HIGHCONTRASTW","features":[208]},{"name":"HIGHCONTRASTW_FLAGS","features":[208]},{"name":"HUIAEVENT","features":[208]},{"name":"HUIANODE","features":[208]},{"name":"HUIAPATTERNOBJECT","features":[208]},{"name":"HUIATEXTRANGE","features":[208]},{"name":"HWINEVENTHOOK","features":[208]},{"name":"HasKeyboardFocus_Property_GUID","features":[208]},{"name":"HeaderItem_Control_GUID","features":[208]},{"name":"Header_Control_GUID","features":[208]},{"name":"HeadingLevel1","features":[208]},{"name":"HeadingLevel2","features":[208]},{"name":"HeadingLevel3","features":[208]},{"name":"HeadingLevel4","features":[208]},{"name":"HeadingLevel5","features":[208]},{"name":"HeadingLevel6","features":[208]},{"name":"HeadingLevel7","features":[208]},{"name":"HeadingLevel8","features":[208]},{"name":"HeadingLevel9","features":[208]},{"name":"HeadingLevel_None","features":[208]},{"name":"HeadingLevel_Property_GUID","features":[208]},{"name":"HelpText_Property_GUID","features":[208]},{"name":"HorizontalTextAlignment","features":[208]},{"name":"HorizontalTextAlignment_Centered","features":[208]},{"name":"HorizontalTextAlignment_Justified","features":[208]},{"name":"HorizontalTextAlignment_Left","features":[208]},{"name":"HorizontalTextAlignment_Right","features":[208]},{"name":"HostedFragmentRootsInvalidated_Event_GUID","features":[208]},{"name":"Hyperlink_Control_GUID","features":[208]},{"name":"IAccIdentity","features":[208]},{"name":"IAccPropServer","features":[208]},{"name":"IAccPropServices","features":[208]},{"name":"IAccessible","features":[208]},{"name":"IAccessibleEx","features":[208]},{"name":"IAccessibleHandler","features":[208]},{"name":"IAccessibleHostingElementProviders","features":[208]},{"name":"IAccessibleWindowlessSite","features":[208]},{"name":"IAnnotationProvider","features":[208]},{"name":"ICustomNavigationProvider","features":[208]},{"name":"IDockProvider","features":[208]},{"name":"IDragProvider","features":[208]},{"name":"IDropTargetProvider","features":[208]},{"name":"IExpandCollapseProvider","features":[208]},{"name":"IGridItemProvider","features":[208]},{"name":"IGridProvider","features":[208]},{"name":"IIS_ControlAccessible","features":[208]},{"name":"IIS_IsOleaccProxy","features":[208]},{"name":"IInvokeProvider","features":[208]},{"name":"IItemContainerProvider","features":[208]},{"name":"ILegacyIAccessibleProvider","features":[208]},{"name":"IMultipleViewProvider","features":[208]},{"name":"IObjectModelProvider","features":[208]},{"name":"IProxyProviderWinEventHandler","features":[208]},{"name":"IProxyProviderWinEventSink","features":[208]},{"name":"IRangeValueProvider","features":[208]},{"name":"IRawElementProviderAdviseEvents","features":[208]},{"name":"IRawElementProviderFragment","features":[208]},{"name":"IRawElementProviderFragmentRoot","features":[208]},{"name":"IRawElementProviderHostingAccessibles","features":[208]},{"name":"IRawElementProviderHwndOverride","features":[208]},{"name":"IRawElementProviderSimple","features":[208]},{"name":"IRawElementProviderSimple2","features":[208]},{"name":"IRawElementProviderSimple3","features":[208]},{"name":"IRawElementProviderWindowlessSite","features":[208]},{"name":"IRichEditUiaInformation","features":[208]},{"name":"IRicheditWindowlessAccessibility","features":[208]},{"name":"IScrollItemProvider","features":[208]},{"name":"IScrollProvider","features":[208]},{"name":"ISelectionItemProvider","features":[208]},{"name":"ISelectionProvider","features":[208]},{"name":"ISelectionProvider2","features":[208]},{"name":"ISpreadsheetItemProvider","features":[208]},{"name":"ISpreadsheetProvider","features":[208]},{"name":"IStylesProvider","features":[208]},{"name":"ISynchronizedInputProvider","features":[208]},{"name":"ITableItemProvider","features":[208]},{"name":"ITableProvider","features":[208]},{"name":"ITextChildProvider","features":[208]},{"name":"ITextEditProvider","features":[208]},{"name":"ITextProvider","features":[208]},{"name":"ITextProvider2","features":[208]},{"name":"ITextRangeProvider","features":[208]},{"name":"ITextRangeProvider2","features":[208]},{"name":"IToggleProvider","features":[208]},{"name":"ITransformProvider","features":[208]},{"name":"ITransformProvider2","features":[208]},{"name":"IUIAutomation","features":[208]},{"name":"IUIAutomation2","features":[208]},{"name":"IUIAutomation3","features":[208]},{"name":"IUIAutomation4","features":[208]},{"name":"IUIAutomation5","features":[208]},{"name":"IUIAutomation6","features":[208]},{"name":"IUIAutomationActiveTextPositionChangedEventHandler","features":[208]},{"name":"IUIAutomationAndCondition","features":[208]},{"name":"IUIAutomationAnnotationPattern","features":[208]},{"name":"IUIAutomationBoolCondition","features":[208]},{"name":"IUIAutomationCacheRequest","features":[208]},{"name":"IUIAutomationChangesEventHandler","features":[208]},{"name":"IUIAutomationCondition","features":[208]},{"name":"IUIAutomationCustomNavigationPattern","features":[208]},{"name":"IUIAutomationDockPattern","features":[208]},{"name":"IUIAutomationDragPattern","features":[208]},{"name":"IUIAutomationDropTargetPattern","features":[208]},{"name":"IUIAutomationElement","features":[208]},{"name":"IUIAutomationElement2","features":[208]},{"name":"IUIAutomationElement3","features":[208]},{"name":"IUIAutomationElement4","features":[208]},{"name":"IUIAutomationElement5","features":[208]},{"name":"IUIAutomationElement6","features":[208]},{"name":"IUIAutomationElement7","features":[208]},{"name":"IUIAutomationElement8","features":[208]},{"name":"IUIAutomationElement9","features":[208]},{"name":"IUIAutomationElementArray","features":[208]},{"name":"IUIAutomationEventHandler","features":[208]},{"name":"IUIAutomationEventHandlerGroup","features":[208]},{"name":"IUIAutomationExpandCollapsePattern","features":[208]},{"name":"IUIAutomationFocusChangedEventHandler","features":[208]},{"name":"IUIAutomationGridItemPattern","features":[208]},{"name":"IUIAutomationGridPattern","features":[208]},{"name":"IUIAutomationInvokePattern","features":[208]},{"name":"IUIAutomationItemContainerPattern","features":[208]},{"name":"IUIAutomationLegacyIAccessiblePattern","features":[208]},{"name":"IUIAutomationMultipleViewPattern","features":[208]},{"name":"IUIAutomationNotCondition","features":[208]},{"name":"IUIAutomationNotificationEventHandler","features":[208]},{"name":"IUIAutomationObjectModelPattern","features":[208]},{"name":"IUIAutomationOrCondition","features":[208]},{"name":"IUIAutomationPatternHandler","features":[208]},{"name":"IUIAutomationPatternInstance","features":[208]},{"name":"IUIAutomationPropertyChangedEventHandler","features":[208]},{"name":"IUIAutomationPropertyCondition","features":[208]},{"name":"IUIAutomationProxyFactory","features":[208]},{"name":"IUIAutomationProxyFactoryEntry","features":[208]},{"name":"IUIAutomationProxyFactoryMapping","features":[208]},{"name":"IUIAutomationRangeValuePattern","features":[208]},{"name":"IUIAutomationRegistrar","features":[208]},{"name":"IUIAutomationScrollItemPattern","features":[208]},{"name":"IUIAutomationScrollPattern","features":[208]},{"name":"IUIAutomationSelectionItemPattern","features":[208]},{"name":"IUIAutomationSelectionPattern","features":[208]},{"name":"IUIAutomationSelectionPattern2","features":[208]},{"name":"IUIAutomationSpreadsheetItemPattern","features":[208]},{"name":"IUIAutomationSpreadsheetPattern","features":[208]},{"name":"IUIAutomationStructureChangedEventHandler","features":[208]},{"name":"IUIAutomationStylesPattern","features":[208]},{"name":"IUIAutomationSynchronizedInputPattern","features":[208]},{"name":"IUIAutomationTableItemPattern","features":[208]},{"name":"IUIAutomationTablePattern","features":[208]},{"name":"IUIAutomationTextChildPattern","features":[208]},{"name":"IUIAutomationTextEditPattern","features":[208]},{"name":"IUIAutomationTextEditTextChangedEventHandler","features":[208]},{"name":"IUIAutomationTextPattern","features":[208]},{"name":"IUIAutomationTextPattern2","features":[208]},{"name":"IUIAutomationTextRange","features":[208]},{"name":"IUIAutomationTextRange2","features":[208]},{"name":"IUIAutomationTextRange3","features":[208]},{"name":"IUIAutomationTextRangeArray","features":[208]},{"name":"IUIAutomationTogglePattern","features":[208]},{"name":"IUIAutomationTransformPattern","features":[208]},{"name":"IUIAutomationTransformPattern2","features":[208]},{"name":"IUIAutomationTreeWalker","features":[208]},{"name":"IUIAutomationValuePattern","features":[208]},{"name":"IUIAutomationVirtualizedItemPattern","features":[208]},{"name":"IUIAutomationWindowPattern","features":[208]},{"name":"IValueProvider","features":[208]},{"name":"IVirtualizedItemProvider","features":[208]},{"name":"IWindowProvider","features":[208]},{"name":"Image_Control_GUID","features":[208]},{"name":"InputDiscarded_Event_GUID","features":[208]},{"name":"InputReachedOtherElement_Event_GUID","features":[208]},{"name":"InputReachedTarget_Event_GUID","features":[208]},{"name":"InvokePattern_Invoke","features":[208]},{"name":"Invoke_Invoked_Event_GUID","features":[208]},{"name":"Invoke_Pattern_GUID","features":[208]},{"name":"IsAnnotationPatternAvailable_Property_GUID","features":[208]},{"name":"IsContentElement_Property_GUID","features":[208]},{"name":"IsControlElement_Property_GUID","features":[208]},{"name":"IsCustomNavigationPatternAvailable_Property_GUID","features":[208]},{"name":"IsDataValidForForm_Property_GUID","features":[208]},{"name":"IsDialog_Property_GUID","features":[208]},{"name":"IsDockPatternAvailable_Property_GUID","features":[208]},{"name":"IsDragPatternAvailable_Property_GUID","features":[208]},{"name":"IsDropTargetPatternAvailable_Property_GUID","features":[208]},{"name":"IsEnabled_Property_GUID","features":[208]},{"name":"IsExpandCollapsePatternAvailable_Property_GUID","features":[208]},{"name":"IsGridItemPatternAvailable_Property_GUID","features":[208]},{"name":"IsGridPatternAvailable_Property_GUID","features":[208]},{"name":"IsInvokePatternAvailable_Property_GUID","features":[208]},{"name":"IsItemContainerPatternAvailable_Property_GUID","features":[208]},{"name":"IsKeyboardFocusable_Property_GUID","features":[208]},{"name":"IsLegacyIAccessiblePatternAvailable_Property_GUID","features":[208]},{"name":"IsMultipleViewPatternAvailable_Property_GUID","features":[208]},{"name":"IsObjectModelPatternAvailable_Property_GUID","features":[208]},{"name":"IsOffscreen_Property_GUID","features":[208]},{"name":"IsPassword_Property_GUID","features":[208]},{"name":"IsPeripheral_Property_GUID","features":[208]},{"name":"IsRangeValuePatternAvailable_Property_GUID","features":[208]},{"name":"IsRequiredForForm_Property_GUID","features":[208]},{"name":"IsScrollItemPatternAvailable_Property_GUID","features":[208]},{"name":"IsScrollPatternAvailable_Property_GUID","features":[208]},{"name":"IsSelectionItemPatternAvailable_Property_GUID","features":[208]},{"name":"IsSelectionPattern2Available_Property_GUID","features":[208]},{"name":"IsSelectionPatternAvailable_Property_GUID","features":[208]},{"name":"IsSpreadsheetItemPatternAvailable_Property_GUID","features":[208]},{"name":"IsSpreadsheetPatternAvailable_Property_GUID","features":[208]},{"name":"IsStructuredMarkupPatternAvailable_Property_GUID","features":[208]},{"name":"IsStylesPatternAvailable_Property_GUID","features":[208]},{"name":"IsSynchronizedInputPatternAvailable_Property_GUID","features":[208]},{"name":"IsTableItemPatternAvailable_Property_GUID","features":[208]},{"name":"IsTablePatternAvailable_Property_GUID","features":[208]},{"name":"IsTextChildPatternAvailable_Property_GUID","features":[208]},{"name":"IsTextEditPatternAvailable_Property_GUID","features":[208]},{"name":"IsTextPattern2Available_Property_GUID","features":[208]},{"name":"IsTextPatternAvailable_Property_GUID","features":[208]},{"name":"IsTogglePatternAvailable_Property_GUID","features":[208]},{"name":"IsTransformPattern2Available_Property_GUID","features":[208]},{"name":"IsTransformPatternAvailable_Property_GUID","features":[208]},{"name":"IsValuePatternAvailable_Property_GUID","features":[208]},{"name":"IsVirtualizedItemPatternAvailable_Property_GUID","features":[208]},{"name":"IsWinEventHookInstalled","features":[1,208]},{"name":"IsWindowPatternAvailable_Property_GUID","features":[208]},{"name":"ItemContainerPattern_FindItemByProperty","features":[1,41,42,208]},{"name":"ItemContainer_Pattern_GUID","features":[208]},{"name":"ItemStatus_Property_GUID","features":[208]},{"name":"ItemType_Property_GUID","features":[208]},{"name":"LIBID_Accessibility","features":[208]},{"name":"LPFNACCESSIBLECHILDREN","features":[1,41,42,208]},{"name":"LPFNACCESSIBLEOBJECTFROMPOINT","features":[1,41,42,208]},{"name":"LPFNACCESSIBLEOBJECTFROMWINDOW","features":[1,208]},{"name":"LPFNCREATESTDACCESSIBLEOBJECT","features":[1,208]},{"name":"LPFNLRESULTFROMOBJECT","features":[1,208]},{"name":"LPFNOBJECTFROMLRESULT","features":[1,208]},{"name":"LabeledBy_Property_GUID","features":[208]},{"name":"LandmarkType_Property_GUID","features":[208]},{"name":"LayoutInvalidated_Event_GUID","features":[208]},{"name":"LegacyIAccessiblePattern_DoDefaultAction","features":[208]},{"name":"LegacyIAccessiblePattern_GetIAccessible","features":[208]},{"name":"LegacyIAccessiblePattern_Select","features":[208]},{"name":"LegacyIAccessiblePattern_SetValue","features":[208]},{"name":"LegacyIAccessible_ChildId_Property_GUID","features":[208]},{"name":"LegacyIAccessible_DefaultAction_Property_GUID","features":[208]},{"name":"LegacyIAccessible_Description_Property_GUID","features":[208]},{"name":"LegacyIAccessible_Help_Property_GUID","features":[208]},{"name":"LegacyIAccessible_KeyboardShortcut_Property_GUID","features":[208]},{"name":"LegacyIAccessible_Name_Property_GUID","features":[208]},{"name":"LegacyIAccessible_Pattern_GUID","features":[208]},{"name":"LegacyIAccessible_Role_Property_GUID","features":[208]},{"name":"LegacyIAccessible_Selection_Property_GUID","features":[208]},{"name":"LegacyIAccessible_State_Property_GUID","features":[208]},{"name":"LegacyIAccessible_Value_Property_GUID","features":[208]},{"name":"Level_Property_GUID","features":[208]},{"name":"ListItem_Control_GUID","features":[208]},{"name":"List_Control_GUID","features":[208]},{"name":"LiveRegionChanged_Event_GUID","features":[208]},{"name":"LiveSetting","features":[208]},{"name":"LiveSetting_Property_GUID","features":[208]},{"name":"LocalizedControlType_Property_GUID","features":[208]},{"name":"LocalizedLandmarkType_Property_GUID","features":[208]},{"name":"LresultFromObject","features":[1,208]},{"name":"MOUSEKEYS","features":[208]},{"name":"MSAAMENUINFO","features":[208]},{"name":"MSAA_MENU_SIG","features":[208]},{"name":"MenuBar_Control_GUID","features":[208]},{"name":"MenuClosed_Event_GUID","features":[208]},{"name":"MenuItem_Control_GUID","features":[208]},{"name":"MenuModeEnd_Event_GUID","features":[208]},{"name":"MenuModeStart_Event_GUID","features":[208]},{"name":"MenuOpened_Event_GUID","features":[208]},{"name":"Menu_Control_GUID","features":[208]},{"name":"MultipleViewPattern_GetViewName","features":[208]},{"name":"MultipleViewPattern_SetCurrentView","features":[208]},{"name":"MultipleView_CurrentView_Property_GUID","features":[208]},{"name":"MultipleView_Pattern_GUID","features":[208]},{"name":"MultipleView_SupportedViews_Property_GUID","features":[208]},{"name":"NAVDIR_DOWN","features":[208]},{"name":"NAVDIR_FIRSTCHILD","features":[208]},{"name":"NAVDIR_LASTCHILD","features":[208]},{"name":"NAVDIR_LEFT","features":[208]},{"name":"NAVDIR_MAX","features":[208]},{"name":"NAVDIR_MIN","features":[208]},{"name":"NAVDIR_NEXT","features":[208]},{"name":"NAVDIR_PREVIOUS","features":[208]},{"name":"NAVDIR_RIGHT","features":[208]},{"name":"NAVDIR_UP","features":[208]},{"name":"Name_Property_GUID","features":[208]},{"name":"NavigateDirection","features":[208]},{"name":"NavigateDirection_FirstChild","features":[208]},{"name":"NavigateDirection_LastChild","features":[208]},{"name":"NavigateDirection_NextSibling","features":[208]},{"name":"NavigateDirection_Parent","features":[208]},{"name":"NavigateDirection_PreviousSibling","features":[208]},{"name":"NewNativeWindowHandle_Property_GUID","features":[208]},{"name":"NormalizeState","features":[208]},{"name":"NormalizeState_Custom","features":[208]},{"name":"NormalizeState_None","features":[208]},{"name":"NormalizeState_View","features":[208]},{"name":"NotificationKind","features":[208]},{"name":"NotificationKind_ActionAborted","features":[208]},{"name":"NotificationKind_ActionCompleted","features":[208]},{"name":"NotificationKind_ItemAdded","features":[208]},{"name":"NotificationKind_ItemRemoved","features":[208]},{"name":"NotificationKind_Other","features":[208]},{"name":"NotificationProcessing","features":[208]},{"name":"NotificationProcessing_All","features":[208]},{"name":"NotificationProcessing_CurrentThenMostRecent","features":[208]},{"name":"NotificationProcessing_ImportantAll","features":[208]},{"name":"NotificationProcessing_ImportantMostRecent","features":[208]},{"name":"NotificationProcessing_MostRecent","features":[208]},{"name":"Notification_Event_GUID","features":[208]},{"name":"NotifyWinEvent","features":[1,208]},{"name":"ObjectFromLresult","features":[1,208]},{"name":"ObjectModel_Pattern_GUID","features":[208]},{"name":"Off","features":[208]},{"name":"OptimizeForVisualContent_Property_GUID","features":[208]},{"name":"OrientationType","features":[208]},{"name":"OrientationType_Horizontal","features":[208]},{"name":"OrientationType_None","features":[208]},{"name":"OrientationType_Vertical","features":[208]},{"name":"Orientation_Property_GUID","features":[208]},{"name":"OutlineColor_Property_GUID","features":[208]},{"name":"OutlineStyles","features":[208]},{"name":"OutlineStyles_Embossed","features":[208]},{"name":"OutlineStyles_Engraved","features":[208]},{"name":"OutlineStyles_None","features":[208]},{"name":"OutlineStyles_Outline","features":[208]},{"name":"OutlineStyles_Shadow","features":[208]},{"name":"OutlineThickness_Property_GUID","features":[208]},{"name":"PROPID_ACC_DEFAULTACTION","features":[208]},{"name":"PROPID_ACC_DESCRIPTION","features":[208]},{"name":"PROPID_ACC_DESCRIPTIONMAP","features":[208]},{"name":"PROPID_ACC_DODEFAULTACTION","features":[208]},{"name":"PROPID_ACC_FOCUS","features":[208]},{"name":"PROPID_ACC_HELP","features":[208]},{"name":"PROPID_ACC_HELPTOPIC","features":[208]},{"name":"PROPID_ACC_KEYBOARDSHORTCUT","features":[208]},{"name":"PROPID_ACC_NAME","features":[208]},{"name":"PROPID_ACC_NAV_DOWN","features":[208]},{"name":"PROPID_ACC_NAV_FIRSTCHILD","features":[208]},{"name":"PROPID_ACC_NAV_LASTCHILD","features":[208]},{"name":"PROPID_ACC_NAV_LEFT","features":[208]},{"name":"PROPID_ACC_NAV_NEXT","features":[208]},{"name":"PROPID_ACC_NAV_PREV","features":[208]},{"name":"PROPID_ACC_NAV_RIGHT","features":[208]},{"name":"PROPID_ACC_NAV_UP","features":[208]},{"name":"PROPID_ACC_PARENT","features":[208]},{"name":"PROPID_ACC_ROLE","features":[208]},{"name":"PROPID_ACC_ROLEMAP","features":[208]},{"name":"PROPID_ACC_SELECTION","features":[208]},{"name":"PROPID_ACC_STATE","features":[208]},{"name":"PROPID_ACC_STATEMAP","features":[208]},{"name":"PROPID_ACC_VALUE","features":[208]},{"name":"PROPID_ACC_VALUEMAP","features":[208]},{"name":"Pane_Control_GUID","features":[208]},{"name":"Polite","features":[208]},{"name":"PositionInSet_Property_GUID","features":[208]},{"name":"ProcessId_Property_GUID","features":[208]},{"name":"ProgressBar_Control_GUID","features":[208]},{"name":"PropertyConditionFlags","features":[208]},{"name":"PropertyConditionFlags_IgnoreCase","features":[208]},{"name":"PropertyConditionFlags_MatchSubstring","features":[208]},{"name":"PropertyConditionFlags_None","features":[208]},{"name":"ProviderDescription_Property_GUID","features":[208]},{"name":"ProviderOptions","features":[208]},{"name":"ProviderOptions_ClientSideProvider","features":[208]},{"name":"ProviderOptions_HasNativeIAccessible","features":[208]},{"name":"ProviderOptions_NonClientAreaProvider","features":[208]},{"name":"ProviderOptions_OverrideProvider","features":[208]},{"name":"ProviderOptions_ProviderOwnsSetFocus","features":[208]},{"name":"ProviderOptions_RefuseNonClientSupport","features":[208]},{"name":"ProviderOptions_ServerSideProvider","features":[208]},{"name":"ProviderOptions_UseClientCoordinates","features":[208]},{"name":"ProviderOptions_UseComThreading","features":[208]},{"name":"ProviderType","features":[208]},{"name":"ProviderType_BaseHwnd","features":[208]},{"name":"ProviderType_NonClientArea","features":[208]},{"name":"ProviderType_Proxy","features":[208]},{"name":"ROLE_SYSTEM_ALERT","features":[208]},{"name":"ROLE_SYSTEM_ANIMATION","features":[208]},{"name":"ROLE_SYSTEM_APPLICATION","features":[208]},{"name":"ROLE_SYSTEM_BORDER","features":[208]},{"name":"ROLE_SYSTEM_BUTTONDROPDOWN","features":[208]},{"name":"ROLE_SYSTEM_BUTTONDROPDOWNGRID","features":[208]},{"name":"ROLE_SYSTEM_BUTTONMENU","features":[208]},{"name":"ROLE_SYSTEM_CARET","features":[208]},{"name":"ROLE_SYSTEM_CELL","features":[208]},{"name":"ROLE_SYSTEM_CHARACTER","features":[208]},{"name":"ROLE_SYSTEM_CHART","features":[208]},{"name":"ROLE_SYSTEM_CHECKBUTTON","features":[208]},{"name":"ROLE_SYSTEM_CLIENT","features":[208]},{"name":"ROLE_SYSTEM_CLOCK","features":[208]},{"name":"ROLE_SYSTEM_COLUMN","features":[208]},{"name":"ROLE_SYSTEM_COLUMNHEADER","features":[208]},{"name":"ROLE_SYSTEM_COMBOBOX","features":[208]},{"name":"ROLE_SYSTEM_CURSOR","features":[208]},{"name":"ROLE_SYSTEM_DIAGRAM","features":[208]},{"name":"ROLE_SYSTEM_DIAL","features":[208]},{"name":"ROLE_SYSTEM_DIALOG","features":[208]},{"name":"ROLE_SYSTEM_DOCUMENT","features":[208]},{"name":"ROLE_SYSTEM_DROPLIST","features":[208]},{"name":"ROLE_SYSTEM_EQUATION","features":[208]},{"name":"ROLE_SYSTEM_GRAPHIC","features":[208]},{"name":"ROLE_SYSTEM_GRIP","features":[208]},{"name":"ROLE_SYSTEM_GROUPING","features":[208]},{"name":"ROLE_SYSTEM_HELPBALLOON","features":[208]},{"name":"ROLE_SYSTEM_HOTKEYFIELD","features":[208]},{"name":"ROLE_SYSTEM_INDICATOR","features":[208]},{"name":"ROLE_SYSTEM_IPADDRESS","features":[208]},{"name":"ROLE_SYSTEM_LINK","features":[208]},{"name":"ROLE_SYSTEM_LIST","features":[208]},{"name":"ROLE_SYSTEM_LISTITEM","features":[208]},{"name":"ROLE_SYSTEM_MENUBAR","features":[208]},{"name":"ROLE_SYSTEM_MENUITEM","features":[208]},{"name":"ROLE_SYSTEM_MENUPOPUP","features":[208]},{"name":"ROLE_SYSTEM_OUTLINE","features":[208]},{"name":"ROLE_SYSTEM_OUTLINEBUTTON","features":[208]},{"name":"ROLE_SYSTEM_OUTLINEITEM","features":[208]},{"name":"ROLE_SYSTEM_PAGETAB","features":[208]},{"name":"ROLE_SYSTEM_PAGETABLIST","features":[208]},{"name":"ROLE_SYSTEM_PANE","features":[208]},{"name":"ROLE_SYSTEM_PROGRESSBAR","features":[208]},{"name":"ROLE_SYSTEM_PROPERTYPAGE","features":[208]},{"name":"ROLE_SYSTEM_PUSHBUTTON","features":[208]},{"name":"ROLE_SYSTEM_RADIOBUTTON","features":[208]},{"name":"ROLE_SYSTEM_ROW","features":[208]},{"name":"ROLE_SYSTEM_ROWHEADER","features":[208]},{"name":"ROLE_SYSTEM_SCROLLBAR","features":[208]},{"name":"ROLE_SYSTEM_SEPARATOR","features":[208]},{"name":"ROLE_SYSTEM_SLIDER","features":[208]},{"name":"ROLE_SYSTEM_SOUND","features":[208]},{"name":"ROLE_SYSTEM_SPINBUTTON","features":[208]},{"name":"ROLE_SYSTEM_SPLITBUTTON","features":[208]},{"name":"ROLE_SYSTEM_STATICTEXT","features":[208]},{"name":"ROLE_SYSTEM_STATUSBAR","features":[208]},{"name":"ROLE_SYSTEM_TABLE","features":[208]},{"name":"ROLE_SYSTEM_TEXT","features":[208]},{"name":"ROLE_SYSTEM_TITLEBAR","features":[208]},{"name":"ROLE_SYSTEM_TOOLBAR","features":[208]},{"name":"ROLE_SYSTEM_TOOLTIP","features":[208]},{"name":"ROLE_SYSTEM_WHITESPACE","features":[208]},{"name":"ROLE_SYSTEM_WINDOW","features":[208]},{"name":"RadioButton_Control_GUID","features":[208]},{"name":"RangeValuePattern_SetValue","features":[208]},{"name":"RangeValue_IsReadOnly_Property_GUID","features":[208]},{"name":"RangeValue_LargeChange_Property_GUID","features":[208]},{"name":"RangeValue_Maximum_Property_GUID","features":[208]},{"name":"RangeValue_Minimum_Property_GUID","features":[208]},{"name":"RangeValue_Pattern_GUID","features":[208]},{"name":"RangeValue_SmallChange_Property_GUID","features":[208]},{"name":"RangeValue_Value_Property_GUID","features":[208]},{"name":"RegisterPointerInputTarget","features":[1,208,50]},{"name":"RegisterPointerInputTargetEx","features":[1,208,50]},{"name":"Rotation_Property_GUID","features":[208]},{"name":"RowOrColumnMajor","features":[208]},{"name":"RowOrColumnMajor_ColumnMajor","features":[208]},{"name":"RowOrColumnMajor_Indeterminate","features":[208]},{"name":"RowOrColumnMajor_RowMajor","features":[208]},{"name":"RuntimeId_Property_GUID","features":[208]},{"name":"SELFLAG_ADDSELECTION","features":[208]},{"name":"SELFLAG_EXTENDSELECTION","features":[208]},{"name":"SELFLAG_NONE","features":[208]},{"name":"SELFLAG_REMOVESELECTION","features":[208]},{"name":"SELFLAG_TAKEFOCUS","features":[208]},{"name":"SELFLAG_TAKESELECTION","features":[208]},{"name":"SELFLAG_VALID","features":[208]},{"name":"SERIALKEYSA","features":[208]},{"name":"SERIALKEYSW","features":[208]},{"name":"SERIALKEYS_FLAGS","features":[208]},{"name":"SERKF_AVAILABLE","features":[208]},{"name":"SERKF_INDICATOR","features":[208]},{"name":"SERKF_SERIALKEYSON","features":[208]},{"name":"SID_ControlElementProvider","features":[208]},{"name":"SID_IsUIAutomationObject","features":[208]},{"name":"SKF_AUDIBLEFEEDBACK","features":[208]},{"name":"SKF_AVAILABLE","features":[208]},{"name":"SKF_CONFIRMHOTKEY","features":[208]},{"name":"SKF_HOTKEYACTIVE","features":[208]},{"name":"SKF_HOTKEYSOUND","features":[208]},{"name":"SKF_INDICATOR","features":[208]},{"name":"SKF_LALTLATCHED","features":[208]},{"name":"SKF_LALTLOCKED","features":[208]},{"name":"SKF_LCTLLATCHED","features":[208]},{"name":"SKF_LCTLLOCKED","features":[208]},{"name":"SKF_LSHIFTLATCHED","features":[208]},{"name":"SKF_LSHIFTLOCKED","features":[208]},{"name":"SKF_LWINLATCHED","features":[208]},{"name":"SKF_LWINLOCKED","features":[208]},{"name":"SKF_RALTLATCHED","features":[208]},{"name":"SKF_RALTLOCKED","features":[208]},{"name":"SKF_RCTLLATCHED","features":[208]},{"name":"SKF_RCTLLOCKED","features":[208]},{"name":"SKF_RSHIFTLATCHED","features":[208]},{"name":"SKF_RSHIFTLOCKED","features":[208]},{"name":"SKF_RWINLATCHED","features":[208]},{"name":"SKF_RWINLOCKED","features":[208]},{"name":"SKF_STICKYKEYSON","features":[208]},{"name":"SKF_TRISTATE","features":[208]},{"name":"SKF_TWOKEYSOFF","features":[208]},{"name":"SOUNDSENTRYA","features":[208]},{"name":"SOUNDSENTRYW","features":[208]},{"name":"SOUNDSENTRY_FLAGS","features":[208]},{"name":"SOUNDSENTRY_TEXT_EFFECT","features":[208]},{"name":"SOUNDSENTRY_WINDOWS_EFFECT","features":[208]},{"name":"SOUND_SENTRY_GRAPHICS_EFFECT","features":[208]},{"name":"SSF_AVAILABLE","features":[208]},{"name":"SSF_INDICATOR","features":[208]},{"name":"SSF_SOUNDSENTRYON","features":[208]},{"name":"SSGF_DISPLAY","features":[208]},{"name":"SSGF_NONE","features":[208]},{"name":"SSTF_BORDER","features":[208]},{"name":"SSTF_CHARS","features":[208]},{"name":"SSTF_DISPLAY","features":[208]},{"name":"SSTF_NONE","features":[208]},{"name":"SSWF_CUSTOM","features":[208]},{"name":"SSWF_DISPLAY","features":[208]},{"name":"SSWF_NONE","features":[208]},{"name":"SSWF_TITLE","features":[208]},{"name":"SSWF_WINDOW","features":[208]},{"name":"STATE_SYSTEM_HASPOPUP","features":[208]},{"name":"STATE_SYSTEM_NORMAL","features":[208]},{"name":"STICKYKEYS","features":[208]},{"name":"STICKYKEYS_FLAGS","features":[208]},{"name":"SayAsInterpretAs","features":[208]},{"name":"SayAsInterpretAs_Address","features":[208]},{"name":"SayAsInterpretAs_Alphanumeric","features":[208]},{"name":"SayAsInterpretAs_Cardinal","features":[208]},{"name":"SayAsInterpretAs_Currency","features":[208]},{"name":"SayAsInterpretAs_Date","features":[208]},{"name":"SayAsInterpretAs_Date_DayMonth","features":[208]},{"name":"SayAsInterpretAs_Date_DayMonthYear","features":[208]},{"name":"SayAsInterpretAs_Date_MonthDay","features":[208]},{"name":"SayAsInterpretAs_Date_MonthDayYear","features":[208]},{"name":"SayAsInterpretAs_Date_MonthYear","features":[208]},{"name":"SayAsInterpretAs_Date_Year","features":[208]},{"name":"SayAsInterpretAs_Date_YearMonth","features":[208]},{"name":"SayAsInterpretAs_Date_YearMonthDay","features":[208]},{"name":"SayAsInterpretAs_Media","features":[208]},{"name":"SayAsInterpretAs_Name","features":[208]},{"name":"SayAsInterpretAs_Net","features":[208]},{"name":"SayAsInterpretAs_None","features":[208]},{"name":"SayAsInterpretAs_Number","features":[208]},{"name":"SayAsInterpretAs_Ordinal","features":[208]},{"name":"SayAsInterpretAs_Spell","features":[208]},{"name":"SayAsInterpretAs_Telephone","features":[208]},{"name":"SayAsInterpretAs_Time","features":[208]},{"name":"SayAsInterpretAs_Time_HoursMinutes12","features":[208]},{"name":"SayAsInterpretAs_Time_HoursMinutes24","features":[208]},{"name":"SayAsInterpretAs_Time_HoursMinutesSeconds12","features":[208]},{"name":"SayAsInterpretAs_Time_HoursMinutesSeconds24","features":[208]},{"name":"SayAsInterpretAs_Url","features":[208]},{"name":"ScrollAmount","features":[208]},{"name":"ScrollAmount_LargeDecrement","features":[208]},{"name":"ScrollAmount_LargeIncrement","features":[208]},{"name":"ScrollAmount_NoAmount","features":[208]},{"name":"ScrollAmount_SmallDecrement","features":[208]},{"name":"ScrollAmount_SmallIncrement","features":[208]},{"name":"ScrollBar_Control_GUID","features":[208]},{"name":"ScrollItemPattern_ScrollIntoView","features":[208]},{"name":"ScrollItem_Pattern_GUID","features":[208]},{"name":"ScrollPattern_Scroll","features":[208]},{"name":"ScrollPattern_SetScrollPercent","features":[208]},{"name":"Scroll_HorizontalScrollPercent_Property_GUID","features":[208]},{"name":"Scroll_HorizontalViewSize_Property_GUID","features":[208]},{"name":"Scroll_HorizontallyScrollable_Property_GUID","features":[208]},{"name":"Scroll_Pattern_GUID","features":[208]},{"name":"Scroll_VerticalScrollPercent_Property_GUID","features":[208]},{"name":"Scroll_VerticalViewSize_Property_GUID","features":[208]},{"name":"Scroll_VerticallyScrollable_Property_GUID","features":[208]},{"name":"Selection2_CurrentSelectedItem_Property_GUID","features":[208]},{"name":"Selection2_FirstSelectedItem_Property_GUID","features":[208]},{"name":"Selection2_ItemCount_Property_GUID","features":[208]},{"name":"Selection2_LastSelectedItem_Property_GUID","features":[208]},{"name":"SelectionItemPattern_AddToSelection","features":[208]},{"name":"SelectionItemPattern_RemoveFromSelection","features":[208]},{"name":"SelectionItemPattern_Select","features":[208]},{"name":"SelectionItem_ElementAddedToSelectionEvent_Event_GUID","features":[208]},{"name":"SelectionItem_ElementRemovedFromSelectionEvent_Event_GUID","features":[208]},{"name":"SelectionItem_ElementSelectedEvent_Event_GUID","features":[208]},{"name":"SelectionItem_IsSelected_Property_GUID","features":[208]},{"name":"SelectionItem_Pattern_GUID","features":[208]},{"name":"SelectionItem_SelectionContainer_Property_GUID","features":[208]},{"name":"Selection_CanSelectMultiple_Property_GUID","features":[208]},{"name":"Selection_InvalidatedEvent_Event_GUID","features":[208]},{"name":"Selection_IsSelectionRequired_Property_GUID","features":[208]},{"name":"Selection_Pattern2_GUID","features":[208]},{"name":"Selection_Pattern_GUID","features":[208]},{"name":"Selection_Selection_Property_GUID","features":[208]},{"name":"SemanticZoom_Control_GUID","features":[208]},{"name":"Separator_Control_GUID","features":[208]},{"name":"SetWinEventHook","features":[1,208]},{"name":"SizeOfSet_Property_GUID","features":[208]},{"name":"Size_Property_GUID","features":[208]},{"name":"Slider_Control_GUID","features":[208]},{"name":"Spinner_Control_GUID","features":[208]},{"name":"SplitButton_Control_GUID","features":[208]},{"name":"SpreadsheetItem_AnnotationObjects_Property_GUID","features":[208]},{"name":"SpreadsheetItem_AnnotationTypes_Property_GUID","features":[208]},{"name":"SpreadsheetItem_Formula_Property_GUID","features":[208]},{"name":"SpreadsheetItem_Pattern_GUID","features":[208]},{"name":"Spreadsheet_Pattern_GUID","features":[208]},{"name":"StatusBar_Control_GUID","features":[208]},{"name":"StructureChangeType","features":[208]},{"name":"StructureChangeType_ChildAdded","features":[208]},{"name":"StructureChangeType_ChildRemoved","features":[208]},{"name":"StructureChangeType_ChildrenBulkAdded","features":[208]},{"name":"StructureChangeType_ChildrenBulkRemoved","features":[208]},{"name":"StructureChangeType_ChildrenInvalidated","features":[208]},{"name":"StructureChangeType_ChildrenReordered","features":[208]},{"name":"StructureChanged_Event_GUID","features":[208]},{"name":"StructuredMarkup_CompositionComplete_Event_GUID","features":[208]},{"name":"StructuredMarkup_Deleted_Event_GUID","features":[208]},{"name":"StructuredMarkup_Pattern_GUID","features":[208]},{"name":"StructuredMarkup_SelectionChanged_Event_GUID","features":[208]},{"name":"StyleId_BulletedList","features":[208]},{"name":"StyleId_BulletedList_GUID","features":[208]},{"name":"StyleId_Custom","features":[208]},{"name":"StyleId_Custom_GUID","features":[208]},{"name":"StyleId_Emphasis","features":[208]},{"name":"StyleId_Emphasis_GUID","features":[208]},{"name":"StyleId_Heading1","features":[208]},{"name":"StyleId_Heading1_GUID","features":[208]},{"name":"StyleId_Heading2","features":[208]},{"name":"StyleId_Heading2_GUID","features":[208]},{"name":"StyleId_Heading3","features":[208]},{"name":"StyleId_Heading3_GUID","features":[208]},{"name":"StyleId_Heading4","features":[208]},{"name":"StyleId_Heading4_GUID","features":[208]},{"name":"StyleId_Heading5","features":[208]},{"name":"StyleId_Heading5_GUID","features":[208]},{"name":"StyleId_Heading6","features":[208]},{"name":"StyleId_Heading6_GUID","features":[208]},{"name":"StyleId_Heading7","features":[208]},{"name":"StyleId_Heading7_GUID","features":[208]},{"name":"StyleId_Heading8","features":[208]},{"name":"StyleId_Heading8_GUID","features":[208]},{"name":"StyleId_Heading9","features":[208]},{"name":"StyleId_Heading9_GUID","features":[208]},{"name":"StyleId_Normal","features":[208]},{"name":"StyleId_Normal_GUID","features":[208]},{"name":"StyleId_NumberedList","features":[208]},{"name":"StyleId_NumberedList_GUID","features":[208]},{"name":"StyleId_Quote","features":[208]},{"name":"StyleId_Quote_GUID","features":[208]},{"name":"StyleId_Subtitle","features":[208]},{"name":"StyleId_Subtitle_GUID","features":[208]},{"name":"StyleId_Title","features":[208]},{"name":"StyleId_Title_GUID","features":[208]},{"name":"Styles_ExtendedProperties_Property_GUID","features":[208]},{"name":"Styles_FillColor_Property_GUID","features":[208]},{"name":"Styles_FillPatternColor_Property_GUID","features":[208]},{"name":"Styles_FillPatternStyle_Property_GUID","features":[208]},{"name":"Styles_Pattern_GUID","features":[208]},{"name":"Styles_Shape_Property_GUID","features":[208]},{"name":"Styles_StyleId_Property_GUID","features":[208]},{"name":"Styles_StyleName_Property_GUID","features":[208]},{"name":"SupportedTextSelection","features":[208]},{"name":"SupportedTextSelection_Multiple","features":[208]},{"name":"SupportedTextSelection_None","features":[208]},{"name":"SupportedTextSelection_Single","features":[208]},{"name":"SynchronizedInputPattern_Cancel","features":[208]},{"name":"SynchronizedInputPattern_StartListening","features":[208]},{"name":"SynchronizedInputType","features":[208]},{"name":"SynchronizedInputType_KeyDown","features":[208]},{"name":"SynchronizedInputType_KeyUp","features":[208]},{"name":"SynchronizedInputType_LeftMouseDown","features":[208]},{"name":"SynchronizedInputType_LeftMouseUp","features":[208]},{"name":"SynchronizedInputType_RightMouseDown","features":[208]},{"name":"SynchronizedInputType_RightMouseUp","features":[208]},{"name":"SynchronizedInput_Pattern_GUID","features":[208]},{"name":"SystemAlert_Event_GUID","features":[208]},{"name":"TOGGLEKEYS","features":[208]},{"name":"TabItem_Control_GUID","features":[208]},{"name":"Tab_Control_GUID","features":[208]},{"name":"TableItem_ColumnHeaderItems_Property_GUID","features":[208]},{"name":"TableItem_Pattern_GUID","features":[208]},{"name":"TableItem_RowHeaderItems_Property_GUID","features":[208]},{"name":"Table_ColumnHeaders_Property_GUID","features":[208]},{"name":"Table_Control_GUID","features":[208]},{"name":"Table_Pattern_GUID","features":[208]},{"name":"Table_RowHeaders_Property_GUID","features":[208]},{"name":"Table_RowOrColumnMajor_Property_GUID","features":[208]},{"name":"TextChild_Pattern_GUID","features":[208]},{"name":"TextDecorationLineStyle","features":[208]},{"name":"TextDecorationLineStyle_Dash","features":[208]},{"name":"TextDecorationLineStyle_DashDot","features":[208]},{"name":"TextDecorationLineStyle_DashDotDot","features":[208]},{"name":"TextDecorationLineStyle_Dot","features":[208]},{"name":"TextDecorationLineStyle_Double","features":[208]},{"name":"TextDecorationLineStyle_DoubleWavy","features":[208]},{"name":"TextDecorationLineStyle_LongDash","features":[208]},{"name":"TextDecorationLineStyle_None","features":[208]},{"name":"TextDecorationLineStyle_Other","features":[208]},{"name":"TextDecorationLineStyle_Single","features":[208]},{"name":"TextDecorationLineStyle_ThickDash","features":[208]},{"name":"TextDecorationLineStyle_ThickDashDot","features":[208]},{"name":"TextDecorationLineStyle_ThickDashDotDot","features":[208]},{"name":"TextDecorationLineStyle_ThickDot","features":[208]},{"name":"TextDecorationLineStyle_ThickLongDash","features":[208]},{"name":"TextDecorationLineStyle_ThickSingle","features":[208]},{"name":"TextDecorationLineStyle_ThickWavy","features":[208]},{"name":"TextDecorationLineStyle_Wavy","features":[208]},{"name":"TextDecorationLineStyle_WordsOnly","features":[208]},{"name":"TextEditChangeType","features":[208]},{"name":"TextEditChangeType_AutoComplete","features":[208]},{"name":"TextEditChangeType_AutoCorrect","features":[208]},{"name":"TextEditChangeType_Composition","features":[208]},{"name":"TextEditChangeType_CompositionFinalized","features":[208]},{"name":"TextEditChangeType_None","features":[208]},{"name":"TextEdit_ConversionTargetChanged_Event_GUID","features":[208]},{"name":"TextEdit_Pattern_GUID","features":[208]},{"name":"TextEdit_TextChanged_Event_GUID","features":[208]},{"name":"TextPatternRangeEndpoint","features":[208]},{"name":"TextPatternRangeEndpoint_End","features":[208]},{"name":"TextPatternRangeEndpoint_Start","features":[208]},{"name":"TextPattern_GetSelection","features":[41,208]},{"name":"TextPattern_GetVisibleRanges","features":[41,208]},{"name":"TextPattern_RangeFromChild","features":[208]},{"name":"TextPattern_RangeFromPoint","features":[208]},{"name":"TextPattern_get_DocumentRange","features":[208]},{"name":"TextPattern_get_SupportedTextSelection","features":[208]},{"name":"TextRange_AddToSelection","features":[208]},{"name":"TextRange_Clone","features":[208]},{"name":"TextRange_Compare","features":[1,208]},{"name":"TextRange_CompareEndpoints","features":[208]},{"name":"TextRange_ExpandToEnclosingUnit","features":[208]},{"name":"TextRange_FindAttribute","features":[1,41,42,208]},{"name":"TextRange_FindText","features":[1,208]},{"name":"TextRange_GetAttributeValue","features":[1,41,42,208]},{"name":"TextRange_GetBoundingRectangles","features":[41,208]},{"name":"TextRange_GetChildren","features":[41,208]},{"name":"TextRange_GetEnclosingElement","features":[208]},{"name":"TextRange_GetText","features":[208]},{"name":"TextRange_Move","features":[208]},{"name":"TextRange_MoveEndpointByRange","features":[208]},{"name":"TextRange_MoveEndpointByUnit","features":[208]},{"name":"TextRange_RemoveFromSelection","features":[208]},{"name":"TextRange_ScrollIntoView","features":[1,208]},{"name":"TextRange_Select","features":[208]},{"name":"TextUnit","features":[208]},{"name":"TextUnit_Character","features":[208]},{"name":"TextUnit_Document","features":[208]},{"name":"TextUnit_Format","features":[208]},{"name":"TextUnit_Line","features":[208]},{"name":"TextUnit_Page","features":[208]},{"name":"TextUnit_Paragraph","features":[208]},{"name":"TextUnit_Word","features":[208]},{"name":"Text_AfterParagraphSpacing_Attribute_GUID","features":[208]},{"name":"Text_AfterSpacing_Attribute_GUID","features":[208]},{"name":"Text_AnimationStyle_Attribute_GUID","features":[208]},{"name":"Text_AnnotationObjects_Attribute_GUID","features":[208]},{"name":"Text_AnnotationTypes_Attribute_GUID","features":[208]},{"name":"Text_BackgroundColor_Attribute_GUID","features":[208]},{"name":"Text_BeforeParagraphSpacing_Attribute_GUID","features":[208]},{"name":"Text_BeforeSpacing_Attribute_GUID","features":[208]},{"name":"Text_BulletStyle_Attribute_GUID","features":[208]},{"name":"Text_CapStyle_Attribute_GUID","features":[208]},{"name":"Text_CaretBidiMode_Attribute_GUID","features":[208]},{"name":"Text_CaretPosition_Attribute_GUID","features":[208]},{"name":"Text_Control_GUID","features":[208]},{"name":"Text_Culture_Attribute_GUID","features":[208]},{"name":"Text_FontName_Attribute_GUID","features":[208]},{"name":"Text_FontSize_Attribute_GUID","features":[208]},{"name":"Text_FontWeight_Attribute_GUID","features":[208]},{"name":"Text_ForegroundColor_Attribute_GUID","features":[208]},{"name":"Text_HorizontalTextAlignment_Attribute_GUID","features":[208]},{"name":"Text_IndentationFirstLine_Attribute_GUID","features":[208]},{"name":"Text_IndentationLeading_Attribute_GUID","features":[208]},{"name":"Text_IndentationTrailing_Attribute_GUID","features":[208]},{"name":"Text_IsActive_Attribute_GUID","features":[208]},{"name":"Text_IsHidden_Attribute_GUID","features":[208]},{"name":"Text_IsItalic_Attribute_GUID","features":[208]},{"name":"Text_IsReadOnly_Attribute_GUID","features":[208]},{"name":"Text_IsSubscript_Attribute_GUID","features":[208]},{"name":"Text_IsSuperscript_Attribute_GUID","features":[208]},{"name":"Text_LineSpacing_Attribute_GUID","features":[208]},{"name":"Text_Link_Attribute_GUID","features":[208]},{"name":"Text_MarginBottom_Attribute_GUID","features":[208]},{"name":"Text_MarginLeading_Attribute_GUID","features":[208]},{"name":"Text_MarginTop_Attribute_GUID","features":[208]},{"name":"Text_MarginTrailing_Attribute_GUID","features":[208]},{"name":"Text_OutlineStyles_Attribute_GUID","features":[208]},{"name":"Text_OverlineColor_Attribute_GUID","features":[208]},{"name":"Text_OverlineStyle_Attribute_GUID","features":[208]},{"name":"Text_Pattern2_GUID","features":[208]},{"name":"Text_Pattern_GUID","features":[208]},{"name":"Text_SayAsInterpretAs_Attribute_GUID","features":[208]},{"name":"Text_SelectionActiveEnd_Attribute_GUID","features":[208]},{"name":"Text_StrikethroughColor_Attribute_GUID","features":[208]},{"name":"Text_StrikethroughStyle_Attribute_GUID","features":[208]},{"name":"Text_StyleId_Attribute_GUID","features":[208]},{"name":"Text_StyleName_Attribute_GUID","features":[208]},{"name":"Text_Tabs_Attribute_GUID","features":[208]},{"name":"Text_TextChangedEvent_Event_GUID","features":[208]},{"name":"Text_TextFlowDirections_Attribute_GUID","features":[208]},{"name":"Text_TextSelectionChangedEvent_Event_GUID","features":[208]},{"name":"Text_UnderlineColor_Attribute_GUID","features":[208]},{"name":"Text_UnderlineStyle_Attribute_GUID","features":[208]},{"name":"Thumb_Control_GUID","features":[208]},{"name":"TitleBar_Control_GUID","features":[208]},{"name":"TogglePattern_Toggle","features":[208]},{"name":"ToggleState","features":[208]},{"name":"ToggleState_Indeterminate","features":[208]},{"name":"ToggleState_Off","features":[208]},{"name":"ToggleState_On","features":[208]},{"name":"Toggle_Pattern_GUID","features":[208]},{"name":"Toggle_ToggleState_Property_GUID","features":[208]},{"name":"ToolBar_Control_GUID","features":[208]},{"name":"ToolTipClosed_Event_GUID","features":[208]},{"name":"ToolTipOpened_Event_GUID","features":[208]},{"name":"ToolTip_Control_GUID","features":[208]},{"name":"Tranform_Pattern2_GUID","features":[208]},{"name":"Transform2_CanZoom_Property_GUID","features":[208]},{"name":"Transform2_ZoomLevel_Property_GUID","features":[208]},{"name":"Transform2_ZoomMaximum_Property_GUID","features":[208]},{"name":"Transform2_ZoomMinimum_Property_GUID","features":[208]},{"name":"TransformPattern_Move","features":[208]},{"name":"TransformPattern_Resize","features":[208]},{"name":"TransformPattern_Rotate","features":[208]},{"name":"Transform_CanMove_Property_GUID","features":[208]},{"name":"Transform_CanResize_Property_GUID","features":[208]},{"name":"Transform_CanRotate_Property_GUID","features":[208]},{"name":"Transform_Pattern_GUID","features":[208]},{"name":"TreeItem_Control_GUID","features":[208]},{"name":"TreeScope","features":[208]},{"name":"TreeScope_Ancestors","features":[208]},{"name":"TreeScope_Children","features":[208]},{"name":"TreeScope_Descendants","features":[208]},{"name":"TreeScope_Element","features":[208]},{"name":"TreeScope_None","features":[208]},{"name":"TreeScope_Parent","features":[208]},{"name":"TreeScope_Subtree","features":[208]},{"name":"TreeTraversalOptions","features":[208]},{"name":"TreeTraversalOptions_Default","features":[208]},{"name":"TreeTraversalOptions_LastToFirstOrder","features":[208]},{"name":"TreeTraversalOptions_PostOrder","features":[208]},{"name":"Tree_Control_GUID","features":[208]},{"name":"UIA_ANNOTATIONTYPE","features":[208]},{"name":"UIA_AcceleratorKeyPropertyId","features":[208]},{"name":"UIA_AccessKeyPropertyId","features":[208]},{"name":"UIA_ActiveTextPositionChangedEventId","features":[208]},{"name":"UIA_AfterParagraphSpacingAttributeId","features":[208]},{"name":"UIA_AnimationStyleAttributeId","features":[208]},{"name":"UIA_AnnotationAnnotationTypeIdPropertyId","features":[208]},{"name":"UIA_AnnotationAnnotationTypeNamePropertyId","features":[208]},{"name":"UIA_AnnotationAuthorPropertyId","features":[208]},{"name":"UIA_AnnotationDateTimePropertyId","features":[208]},{"name":"UIA_AnnotationObjectsAttributeId","features":[208]},{"name":"UIA_AnnotationObjectsPropertyId","features":[208]},{"name":"UIA_AnnotationPatternId","features":[208]},{"name":"UIA_AnnotationTargetPropertyId","features":[208]},{"name":"UIA_AnnotationTypesAttributeId","features":[208]},{"name":"UIA_AnnotationTypesPropertyId","features":[208]},{"name":"UIA_AppBarControlTypeId","features":[208]},{"name":"UIA_AriaPropertiesPropertyId","features":[208]},{"name":"UIA_AriaRolePropertyId","features":[208]},{"name":"UIA_AsyncContentLoadedEventId","features":[208]},{"name":"UIA_AutomationFocusChangedEventId","features":[208]},{"name":"UIA_AutomationIdPropertyId","features":[208]},{"name":"UIA_AutomationPropertyChangedEventId","features":[208]},{"name":"UIA_BackgroundColorAttributeId","features":[208]},{"name":"UIA_BeforeParagraphSpacingAttributeId","features":[208]},{"name":"UIA_BoundingRectanglePropertyId","features":[208]},{"name":"UIA_BulletStyleAttributeId","features":[208]},{"name":"UIA_ButtonControlTypeId","features":[208]},{"name":"UIA_CHANGE_ID","features":[208]},{"name":"UIA_CONTROLTYPE_ID","features":[208]},{"name":"UIA_CalendarControlTypeId","features":[208]},{"name":"UIA_CapStyleAttributeId","features":[208]},{"name":"UIA_CaretBidiModeAttributeId","features":[208]},{"name":"UIA_CaretPositionAttributeId","features":[208]},{"name":"UIA_CenterPointPropertyId","features":[208]},{"name":"UIA_ChangesEventId","features":[208]},{"name":"UIA_CheckBoxControlTypeId","features":[208]},{"name":"UIA_ClassNamePropertyId","features":[208]},{"name":"UIA_ClickablePointPropertyId","features":[208]},{"name":"UIA_ComboBoxControlTypeId","features":[208]},{"name":"UIA_ControlTypePropertyId","features":[208]},{"name":"UIA_ControllerForPropertyId","features":[208]},{"name":"UIA_CultureAttributeId","features":[208]},{"name":"UIA_CulturePropertyId","features":[208]},{"name":"UIA_CustomControlTypeId","features":[208]},{"name":"UIA_CustomLandmarkTypeId","features":[208]},{"name":"UIA_CustomNavigationPatternId","features":[208]},{"name":"UIA_DataGridControlTypeId","features":[208]},{"name":"UIA_DataItemControlTypeId","features":[208]},{"name":"UIA_DescribedByPropertyId","features":[208]},{"name":"UIA_DockDockPositionPropertyId","features":[208]},{"name":"UIA_DockPatternId","features":[208]},{"name":"UIA_DocumentControlTypeId","features":[208]},{"name":"UIA_DragDropEffectPropertyId","features":[208]},{"name":"UIA_DragDropEffectsPropertyId","features":[208]},{"name":"UIA_DragGrabbedItemsPropertyId","features":[208]},{"name":"UIA_DragIsGrabbedPropertyId","features":[208]},{"name":"UIA_DragPatternId","features":[208]},{"name":"UIA_Drag_DragCancelEventId","features":[208]},{"name":"UIA_Drag_DragCompleteEventId","features":[208]},{"name":"UIA_Drag_DragStartEventId","features":[208]},{"name":"UIA_DropTargetDropTargetEffectPropertyId","features":[208]},{"name":"UIA_DropTargetDropTargetEffectsPropertyId","features":[208]},{"name":"UIA_DropTargetPatternId","features":[208]},{"name":"UIA_DropTarget_DragEnterEventId","features":[208]},{"name":"UIA_DropTarget_DragLeaveEventId","features":[208]},{"name":"UIA_DropTarget_DroppedEventId","features":[208]},{"name":"UIA_EVENT_ID","features":[208]},{"name":"UIA_E_ELEMENTNOTAVAILABLE","features":[208]},{"name":"UIA_E_ELEMENTNOTENABLED","features":[208]},{"name":"UIA_E_INVALIDOPERATION","features":[208]},{"name":"UIA_E_NOCLICKABLEPOINT","features":[208]},{"name":"UIA_E_NOTSUPPORTED","features":[208]},{"name":"UIA_E_PROXYASSEMBLYNOTLOADED","features":[208]},{"name":"UIA_E_TIMEOUT","features":[208]},{"name":"UIA_EditControlTypeId","features":[208]},{"name":"UIA_ExpandCollapseExpandCollapseStatePropertyId","features":[208]},{"name":"UIA_ExpandCollapsePatternId","features":[208]},{"name":"UIA_FillColorPropertyId","features":[208]},{"name":"UIA_FillTypePropertyId","features":[208]},{"name":"UIA_FlowsFromPropertyId","features":[208]},{"name":"UIA_FlowsToPropertyId","features":[208]},{"name":"UIA_FontNameAttributeId","features":[208]},{"name":"UIA_FontSizeAttributeId","features":[208]},{"name":"UIA_FontWeightAttributeId","features":[208]},{"name":"UIA_ForegroundColorAttributeId","features":[208]},{"name":"UIA_FormLandmarkTypeId","features":[208]},{"name":"UIA_FrameworkIdPropertyId","features":[208]},{"name":"UIA_FullDescriptionPropertyId","features":[208]},{"name":"UIA_GridColumnCountPropertyId","features":[208]},{"name":"UIA_GridItemColumnPropertyId","features":[208]},{"name":"UIA_GridItemColumnSpanPropertyId","features":[208]},{"name":"UIA_GridItemContainingGridPropertyId","features":[208]},{"name":"UIA_GridItemPatternId","features":[208]},{"name":"UIA_GridItemRowPropertyId","features":[208]},{"name":"UIA_GridItemRowSpanPropertyId","features":[208]},{"name":"UIA_GridPatternId","features":[208]},{"name":"UIA_GridRowCountPropertyId","features":[208]},{"name":"UIA_GroupControlTypeId","features":[208]},{"name":"UIA_HEADINGLEVEL_ID","features":[208]},{"name":"UIA_HasKeyboardFocusPropertyId","features":[208]},{"name":"UIA_HeaderControlTypeId","features":[208]},{"name":"UIA_HeaderItemControlTypeId","features":[208]},{"name":"UIA_HeadingLevelPropertyId","features":[208]},{"name":"UIA_HelpTextPropertyId","features":[208]},{"name":"UIA_HorizontalTextAlignmentAttributeId","features":[208]},{"name":"UIA_HostedFragmentRootsInvalidatedEventId","features":[208]},{"name":"UIA_HyperlinkControlTypeId","features":[208]},{"name":"UIA_IAFP_DEFAULT","features":[208]},{"name":"UIA_IAFP_UNWRAP_BRIDGE","features":[208]},{"name":"UIA_ImageControlTypeId","features":[208]},{"name":"UIA_IndentationFirstLineAttributeId","features":[208]},{"name":"UIA_IndentationLeadingAttributeId","features":[208]},{"name":"UIA_IndentationTrailingAttributeId","features":[208]},{"name":"UIA_InputDiscardedEventId","features":[208]},{"name":"UIA_InputReachedOtherElementEventId","features":[208]},{"name":"UIA_InputReachedTargetEventId","features":[208]},{"name":"UIA_InvokePatternId","features":[208]},{"name":"UIA_Invoke_InvokedEventId","features":[208]},{"name":"UIA_IsActiveAttributeId","features":[208]},{"name":"UIA_IsAnnotationPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsContentElementPropertyId","features":[208]},{"name":"UIA_IsControlElementPropertyId","features":[208]},{"name":"UIA_IsCustomNavigationPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsDataValidForFormPropertyId","features":[208]},{"name":"UIA_IsDialogPropertyId","features":[208]},{"name":"UIA_IsDockPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsDragPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsDropTargetPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsEnabledPropertyId","features":[208]},{"name":"UIA_IsExpandCollapsePatternAvailablePropertyId","features":[208]},{"name":"UIA_IsGridItemPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsGridPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsHiddenAttributeId","features":[208]},{"name":"UIA_IsInvokePatternAvailablePropertyId","features":[208]},{"name":"UIA_IsItalicAttributeId","features":[208]},{"name":"UIA_IsItemContainerPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsKeyboardFocusablePropertyId","features":[208]},{"name":"UIA_IsLegacyIAccessiblePatternAvailablePropertyId","features":[208]},{"name":"UIA_IsMultipleViewPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsObjectModelPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsOffscreenPropertyId","features":[208]},{"name":"UIA_IsPasswordPropertyId","features":[208]},{"name":"UIA_IsPeripheralPropertyId","features":[208]},{"name":"UIA_IsRangeValuePatternAvailablePropertyId","features":[208]},{"name":"UIA_IsReadOnlyAttributeId","features":[208]},{"name":"UIA_IsRequiredForFormPropertyId","features":[208]},{"name":"UIA_IsScrollItemPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsScrollPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsSelectionItemPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsSelectionPattern2AvailablePropertyId","features":[208]},{"name":"UIA_IsSelectionPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsSpreadsheetItemPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsSpreadsheetPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsStylesPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsSubscriptAttributeId","features":[208]},{"name":"UIA_IsSuperscriptAttributeId","features":[208]},{"name":"UIA_IsSynchronizedInputPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsTableItemPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsTablePatternAvailablePropertyId","features":[208]},{"name":"UIA_IsTextChildPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsTextEditPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsTextPattern2AvailablePropertyId","features":[208]},{"name":"UIA_IsTextPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsTogglePatternAvailablePropertyId","features":[208]},{"name":"UIA_IsTransformPattern2AvailablePropertyId","features":[208]},{"name":"UIA_IsTransformPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsValuePatternAvailablePropertyId","features":[208]},{"name":"UIA_IsVirtualizedItemPatternAvailablePropertyId","features":[208]},{"name":"UIA_IsWindowPatternAvailablePropertyId","features":[208]},{"name":"UIA_ItemContainerPatternId","features":[208]},{"name":"UIA_ItemStatusPropertyId","features":[208]},{"name":"UIA_ItemTypePropertyId","features":[208]},{"name":"UIA_LANDMARKTYPE_ID","features":[208]},{"name":"UIA_LabeledByPropertyId","features":[208]},{"name":"UIA_LandmarkTypePropertyId","features":[208]},{"name":"UIA_LayoutInvalidatedEventId","features":[208]},{"name":"UIA_LegacyIAccessibleChildIdPropertyId","features":[208]},{"name":"UIA_LegacyIAccessibleDefaultActionPropertyId","features":[208]},{"name":"UIA_LegacyIAccessibleDescriptionPropertyId","features":[208]},{"name":"UIA_LegacyIAccessibleHelpPropertyId","features":[208]},{"name":"UIA_LegacyIAccessibleKeyboardShortcutPropertyId","features":[208]},{"name":"UIA_LegacyIAccessibleNamePropertyId","features":[208]},{"name":"UIA_LegacyIAccessiblePatternId","features":[208]},{"name":"UIA_LegacyIAccessibleRolePropertyId","features":[208]},{"name":"UIA_LegacyIAccessibleSelectionPropertyId","features":[208]},{"name":"UIA_LegacyIAccessibleStatePropertyId","features":[208]},{"name":"UIA_LegacyIAccessibleValuePropertyId","features":[208]},{"name":"UIA_LevelPropertyId","features":[208]},{"name":"UIA_LineSpacingAttributeId","features":[208]},{"name":"UIA_LinkAttributeId","features":[208]},{"name":"UIA_ListControlTypeId","features":[208]},{"name":"UIA_ListItemControlTypeId","features":[208]},{"name":"UIA_LiveRegionChangedEventId","features":[208]},{"name":"UIA_LiveSettingPropertyId","features":[208]},{"name":"UIA_LocalizedControlTypePropertyId","features":[208]},{"name":"UIA_LocalizedLandmarkTypePropertyId","features":[208]},{"name":"UIA_METADATA_ID","features":[208]},{"name":"UIA_MainLandmarkTypeId","features":[208]},{"name":"UIA_MarginBottomAttributeId","features":[208]},{"name":"UIA_MarginLeadingAttributeId","features":[208]},{"name":"UIA_MarginTopAttributeId","features":[208]},{"name":"UIA_MarginTrailingAttributeId","features":[208]},{"name":"UIA_MenuBarControlTypeId","features":[208]},{"name":"UIA_MenuClosedEventId","features":[208]},{"name":"UIA_MenuControlTypeId","features":[208]},{"name":"UIA_MenuItemControlTypeId","features":[208]},{"name":"UIA_MenuModeEndEventId","features":[208]},{"name":"UIA_MenuModeStartEventId","features":[208]},{"name":"UIA_MenuOpenedEventId","features":[208]},{"name":"UIA_MultipleViewCurrentViewPropertyId","features":[208]},{"name":"UIA_MultipleViewPatternId","features":[208]},{"name":"UIA_MultipleViewSupportedViewsPropertyId","features":[208]},{"name":"UIA_NamePropertyId","features":[208]},{"name":"UIA_NativeWindowHandlePropertyId","features":[208]},{"name":"UIA_NavigationLandmarkTypeId","features":[208]},{"name":"UIA_NotificationEventId","features":[208]},{"name":"UIA_ObjectModelPatternId","features":[208]},{"name":"UIA_OptimizeForVisualContentPropertyId","features":[208]},{"name":"UIA_OrientationPropertyId","features":[208]},{"name":"UIA_OutlineColorPropertyId","features":[208]},{"name":"UIA_OutlineStylesAttributeId","features":[208]},{"name":"UIA_OutlineThicknessPropertyId","features":[208]},{"name":"UIA_OverlineColorAttributeId","features":[208]},{"name":"UIA_OverlineStyleAttributeId","features":[208]},{"name":"UIA_PATTERN_ID","features":[208]},{"name":"UIA_PFIA_DEFAULT","features":[208]},{"name":"UIA_PFIA_UNWRAP_BRIDGE","features":[208]},{"name":"UIA_PROPERTY_ID","features":[208]},{"name":"UIA_PaneControlTypeId","features":[208]},{"name":"UIA_PositionInSetPropertyId","features":[208]},{"name":"UIA_ProcessIdPropertyId","features":[208]},{"name":"UIA_ProgressBarControlTypeId","features":[208]},{"name":"UIA_ProviderDescriptionPropertyId","features":[208]},{"name":"UIA_RadioButtonControlTypeId","features":[208]},{"name":"UIA_RangeValueIsReadOnlyPropertyId","features":[208]},{"name":"UIA_RangeValueLargeChangePropertyId","features":[208]},{"name":"UIA_RangeValueMaximumPropertyId","features":[208]},{"name":"UIA_RangeValueMinimumPropertyId","features":[208]},{"name":"UIA_RangeValuePatternId","features":[208]},{"name":"UIA_RangeValueSmallChangePropertyId","features":[208]},{"name":"UIA_RangeValueValuePropertyId","features":[208]},{"name":"UIA_RotationPropertyId","features":[208]},{"name":"UIA_RuntimeIdPropertyId","features":[208]},{"name":"UIA_STYLE_ID","features":[208]},{"name":"UIA_SayAsInterpretAsAttributeId","features":[208]},{"name":"UIA_SayAsInterpretAsMetadataId","features":[208]},{"name":"UIA_ScrollBarControlTypeId","features":[208]},{"name":"UIA_ScrollHorizontalScrollPercentPropertyId","features":[208]},{"name":"UIA_ScrollHorizontalViewSizePropertyId","features":[208]},{"name":"UIA_ScrollHorizontallyScrollablePropertyId","features":[208]},{"name":"UIA_ScrollItemPatternId","features":[208]},{"name":"UIA_ScrollPatternId","features":[208]},{"name":"UIA_ScrollPatternNoScroll","features":[208]},{"name":"UIA_ScrollVerticalScrollPercentPropertyId","features":[208]},{"name":"UIA_ScrollVerticalViewSizePropertyId","features":[208]},{"name":"UIA_ScrollVerticallyScrollablePropertyId","features":[208]},{"name":"UIA_SearchLandmarkTypeId","features":[208]},{"name":"UIA_Selection2CurrentSelectedItemPropertyId","features":[208]},{"name":"UIA_Selection2FirstSelectedItemPropertyId","features":[208]},{"name":"UIA_Selection2ItemCountPropertyId","features":[208]},{"name":"UIA_Selection2LastSelectedItemPropertyId","features":[208]},{"name":"UIA_SelectionActiveEndAttributeId","features":[208]},{"name":"UIA_SelectionCanSelectMultiplePropertyId","features":[208]},{"name":"UIA_SelectionIsSelectionRequiredPropertyId","features":[208]},{"name":"UIA_SelectionItemIsSelectedPropertyId","features":[208]},{"name":"UIA_SelectionItemPatternId","features":[208]},{"name":"UIA_SelectionItemSelectionContainerPropertyId","features":[208]},{"name":"UIA_SelectionItem_ElementAddedToSelectionEventId","features":[208]},{"name":"UIA_SelectionItem_ElementRemovedFromSelectionEventId","features":[208]},{"name":"UIA_SelectionItem_ElementSelectedEventId","features":[208]},{"name":"UIA_SelectionPattern2Id","features":[208]},{"name":"UIA_SelectionPatternId","features":[208]},{"name":"UIA_SelectionSelectionPropertyId","features":[208]},{"name":"UIA_Selection_InvalidatedEventId","features":[208]},{"name":"UIA_SemanticZoomControlTypeId","features":[208]},{"name":"UIA_SeparatorControlTypeId","features":[208]},{"name":"UIA_SizeOfSetPropertyId","features":[208]},{"name":"UIA_SizePropertyId","features":[208]},{"name":"UIA_SliderControlTypeId","features":[208]},{"name":"UIA_SpinnerControlTypeId","features":[208]},{"name":"UIA_SplitButtonControlTypeId","features":[208]},{"name":"UIA_SpreadsheetItemAnnotationObjectsPropertyId","features":[208]},{"name":"UIA_SpreadsheetItemAnnotationTypesPropertyId","features":[208]},{"name":"UIA_SpreadsheetItemFormulaPropertyId","features":[208]},{"name":"UIA_SpreadsheetItemPatternId","features":[208]},{"name":"UIA_SpreadsheetPatternId","features":[208]},{"name":"UIA_StatusBarControlTypeId","features":[208]},{"name":"UIA_StrikethroughColorAttributeId","features":[208]},{"name":"UIA_StrikethroughStyleAttributeId","features":[208]},{"name":"UIA_StructureChangedEventId","features":[208]},{"name":"UIA_StyleIdAttributeId","features":[208]},{"name":"UIA_StyleNameAttributeId","features":[208]},{"name":"UIA_StylesExtendedPropertiesPropertyId","features":[208]},{"name":"UIA_StylesFillColorPropertyId","features":[208]},{"name":"UIA_StylesFillPatternColorPropertyId","features":[208]},{"name":"UIA_StylesFillPatternStylePropertyId","features":[208]},{"name":"UIA_StylesPatternId","features":[208]},{"name":"UIA_StylesShapePropertyId","features":[208]},{"name":"UIA_StylesStyleIdPropertyId","features":[208]},{"name":"UIA_StylesStyleNamePropertyId","features":[208]},{"name":"UIA_SummaryChangeId","features":[208]},{"name":"UIA_SynchronizedInputPatternId","features":[208]},{"name":"UIA_SystemAlertEventId","features":[208]},{"name":"UIA_TEXTATTRIBUTE_ID","features":[208]},{"name":"UIA_TabControlTypeId","features":[208]},{"name":"UIA_TabItemControlTypeId","features":[208]},{"name":"UIA_TableColumnHeadersPropertyId","features":[208]},{"name":"UIA_TableControlTypeId","features":[208]},{"name":"UIA_TableItemColumnHeaderItemsPropertyId","features":[208]},{"name":"UIA_TableItemPatternId","features":[208]},{"name":"UIA_TableItemRowHeaderItemsPropertyId","features":[208]},{"name":"UIA_TablePatternId","features":[208]},{"name":"UIA_TableRowHeadersPropertyId","features":[208]},{"name":"UIA_TableRowOrColumnMajorPropertyId","features":[208]},{"name":"UIA_TabsAttributeId","features":[208]},{"name":"UIA_TextChildPatternId","features":[208]},{"name":"UIA_TextControlTypeId","features":[208]},{"name":"UIA_TextEditPatternId","features":[208]},{"name":"UIA_TextEdit_ConversionTargetChangedEventId","features":[208]},{"name":"UIA_TextEdit_TextChangedEventId","features":[208]},{"name":"UIA_TextFlowDirectionsAttributeId","features":[208]},{"name":"UIA_TextPattern2Id","features":[208]},{"name":"UIA_TextPatternId","features":[208]},{"name":"UIA_Text_TextChangedEventId","features":[208]},{"name":"UIA_Text_TextSelectionChangedEventId","features":[208]},{"name":"UIA_ThumbControlTypeId","features":[208]},{"name":"UIA_TitleBarControlTypeId","features":[208]},{"name":"UIA_TogglePatternId","features":[208]},{"name":"UIA_ToggleToggleStatePropertyId","features":[208]},{"name":"UIA_ToolBarControlTypeId","features":[208]},{"name":"UIA_ToolTipClosedEventId","features":[208]},{"name":"UIA_ToolTipControlTypeId","features":[208]},{"name":"UIA_ToolTipOpenedEventId","features":[208]},{"name":"UIA_Transform2CanZoomPropertyId","features":[208]},{"name":"UIA_Transform2ZoomLevelPropertyId","features":[208]},{"name":"UIA_Transform2ZoomMaximumPropertyId","features":[208]},{"name":"UIA_Transform2ZoomMinimumPropertyId","features":[208]},{"name":"UIA_TransformCanMovePropertyId","features":[208]},{"name":"UIA_TransformCanResizePropertyId","features":[208]},{"name":"UIA_TransformCanRotatePropertyId","features":[208]},{"name":"UIA_TransformPattern2Id","features":[208]},{"name":"UIA_TransformPatternId","features":[208]},{"name":"UIA_TreeControlTypeId","features":[208]},{"name":"UIA_TreeItemControlTypeId","features":[208]},{"name":"UIA_UnderlineColorAttributeId","features":[208]},{"name":"UIA_UnderlineStyleAttributeId","features":[208]},{"name":"UIA_ValueIsReadOnlyPropertyId","features":[208]},{"name":"UIA_ValuePatternId","features":[208]},{"name":"UIA_ValueValuePropertyId","features":[208]},{"name":"UIA_VirtualizedItemPatternId","features":[208]},{"name":"UIA_VisualEffectsPropertyId","features":[208]},{"name":"UIA_WindowCanMaximizePropertyId","features":[208]},{"name":"UIA_WindowCanMinimizePropertyId","features":[208]},{"name":"UIA_WindowControlTypeId","features":[208]},{"name":"UIA_WindowIsModalPropertyId","features":[208]},{"name":"UIA_WindowIsTopmostPropertyId","features":[208]},{"name":"UIA_WindowPatternId","features":[208]},{"name":"UIA_WindowWindowInteractionStatePropertyId","features":[208]},{"name":"UIA_WindowWindowVisualStatePropertyId","features":[208]},{"name":"UIA_Window_WindowClosedEventId","features":[208]},{"name":"UIA_Window_WindowOpenedEventId","features":[208]},{"name":"UIAutomationEventInfo","features":[208]},{"name":"UIAutomationMethodInfo","features":[1,208]},{"name":"UIAutomationParameter","features":[208]},{"name":"UIAutomationPatternInfo","features":[1,208]},{"name":"UIAutomationPropertyInfo","features":[208]},{"name":"UIAutomationType","features":[208]},{"name":"UIAutomationType_Array","features":[208]},{"name":"UIAutomationType_Bool","features":[208]},{"name":"UIAutomationType_BoolArray","features":[208]},{"name":"UIAutomationType_Double","features":[208]},{"name":"UIAutomationType_DoubleArray","features":[208]},{"name":"UIAutomationType_Element","features":[208]},{"name":"UIAutomationType_ElementArray","features":[208]},{"name":"UIAutomationType_Int","features":[208]},{"name":"UIAutomationType_IntArray","features":[208]},{"name":"UIAutomationType_Out","features":[208]},{"name":"UIAutomationType_OutBool","features":[208]},{"name":"UIAutomationType_OutBoolArray","features":[208]},{"name":"UIAutomationType_OutDouble","features":[208]},{"name":"UIAutomationType_OutDoubleArray","features":[208]},{"name":"UIAutomationType_OutElement","features":[208]},{"name":"UIAutomationType_OutElementArray","features":[208]},{"name":"UIAutomationType_OutInt","features":[208]},{"name":"UIAutomationType_OutIntArray","features":[208]},{"name":"UIAutomationType_OutPoint","features":[208]},{"name":"UIAutomationType_OutPointArray","features":[208]},{"name":"UIAutomationType_OutRect","features":[208]},{"name":"UIAutomationType_OutRectArray","features":[208]},{"name":"UIAutomationType_OutString","features":[208]},{"name":"UIAutomationType_OutStringArray","features":[208]},{"name":"UIAutomationType_Point","features":[208]},{"name":"UIAutomationType_PointArray","features":[208]},{"name":"UIAutomationType_Rect","features":[208]},{"name":"UIAutomationType_RectArray","features":[208]},{"name":"UIAutomationType_String","features":[208]},{"name":"UIAutomationType_StringArray","features":[208]},{"name":"UiaAddEvent","features":[41,208]},{"name":"UiaAndOrCondition","features":[208]},{"name":"UiaAppendRuntimeId","features":[208]},{"name":"UiaAsyncContentLoadedEventArgs","features":[208]},{"name":"UiaCacheRequest","features":[208]},{"name":"UiaChangeInfo","features":[1,41,42,208]},{"name":"UiaChangesEventArgs","features":[1,41,42,208]},{"name":"UiaClientsAreListening","features":[1,208]},{"name":"UiaCondition","features":[208]},{"name":"UiaDisconnectAllProviders","features":[208]},{"name":"UiaDisconnectProvider","features":[208]},{"name":"UiaEventAddWindow","features":[1,208]},{"name":"UiaEventArgs","features":[208]},{"name":"UiaEventCallback","features":[41,208]},{"name":"UiaEventRemoveWindow","features":[1,208]},{"name":"UiaFind","features":[1,41,208]},{"name":"UiaFindParams","features":[1,208]},{"name":"UiaGetErrorDescription","features":[1,208]},{"name":"UiaGetPatternProvider","features":[208]},{"name":"UiaGetPropertyValue","features":[1,41,42,208]},{"name":"UiaGetReservedMixedAttributeValue","features":[208]},{"name":"UiaGetReservedNotSupportedValue","features":[208]},{"name":"UiaGetRootNode","features":[208]},{"name":"UiaGetRuntimeId","features":[41,208]},{"name":"UiaGetUpdatedCache","features":[41,208]},{"name":"UiaHPatternObjectFromVariant","features":[1,41,42,208]},{"name":"UiaHTextRangeFromVariant","features":[1,41,42,208]},{"name":"UiaHUiaNodeFromVariant","features":[1,41,42,208]},{"name":"UiaHasServerSideProvider","features":[1,208]},{"name":"UiaHostProviderFromHwnd","features":[1,208]},{"name":"UiaIAccessibleFromProvider","features":[1,41,42,208]},{"name":"UiaLookupId","features":[208]},{"name":"UiaNavigate","features":[41,208]},{"name":"UiaNodeFromFocus","features":[41,208]},{"name":"UiaNodeFromHandle","features":[1,208]},{"name":"UiaNodeFromPoint","features":[41,208]},{"name":"UiaNodeFromProvider","features":[208]},{"name":"UiaNodeRelease","features":[1,208]},{"name":"UiaNotCondition","features":[208]},{"name":"UiaPatternRelease","features":[1,208]},{"name":"UiaPoint","features":[208]},{"name":"UiaPropertyChangedEventArgs","features":[1,41,42,208]},{"name":"UiaPropertyCondition","features":[1,41,42,208]},{"name":"UiaProviderCallback","features":[1,41,208]},{"name":"UiaProviderForNonClient","features":[1,208]},{"name":"UiaProviderFromIAccessible","features":[208]},{"name":"UiaRaiseActiveTextPositionChangedEvent","features":[208]},{"name":"UiaRaiseAsyncContentLoadedEvent","features":[208]},{"name":"UiaRaiseAutomationEvent","features":[208]},{"name":"UiaRaiseAutomationPropertyChangedEvent","features":[1,41,42,208]},{"name":"UiaRaiseChangesEvent","features":[1,41,42,208]},{"name":"UiaRaiseNotificationEvent","features":[208]},{"name":"UiaRaiseStructureChangedEvent","features":[208]},{"name":"UiaRaiseTextEditTextChangedEvent","features":[41,208]},{"name":"UiaRect","features":[208]},{"name":"UiaRegisterProviderCallback","features":[1,41,208]},{"name":"UiaRemoveEvent","features":[208]},{"name":"UiaReturnRawElementProvider","features":[1,208]},{"name":"UiaRootObjectId","features":[208]},{"name":"UiaSetFocus","features":[208]},{"name":"UiaStructureChangedEventArgs","features":[208]},{"name":"UiaTextEditTextChangedEventArgs","features":[41,208]},{"name":"UiaTextRangeRelease","features":[1,208]},{"name":"UiaWindowClosedEventArgs","features":[208]},{"name":"UnhookWinEvent","features":[1,208]},{"name":"UnregisterPointerInputTarget","features":[1,208,50]},{"name":"UnregisterPointerInputTargetEx","features":[1,208,50]},{"name":"ValuePattern_SetValue","features":[208]},{"name":"Value_IsReadOnly_Property_GUID","features":[208]},{"name":"Value_Pattern_GUID","features":[208]},{"name":"Value_Value_Property_GUID","features":[208]},{"name":"VirtualizedItemPattern_Realize","features":[208]},{"name":"VirtualizedItem_Pattern_GUID","features":[208]},{"name":"VisualEffects","features":[208]},{"name":"VisualEffects_Bevel","features":[208]},{"name":"VisualEffects_Glow","features":[208]},{"name":"VisualEffects_None","features":[208]},{"name":"VisualEffects_Property_GUID","features":[208]},{"name":"VisualEffects_Reflection","features":[208]},{"name":"VisualEffects_Shadow","features":[208]},{"name":"VisualEffects_SoftEdges","features":[208]},{"name":"WINEVENTPROC","features":[1,208]},{"name":"WindowFromAccessibleObject","features":[1,208]},{"name":"WindowInteractionState","features":[208]},{"name":"WindowInteractionState_BlockedByModalWindow","features":[208]},{"name":"WindowInteractionState_Closing","features":[208]},{"name":"WindowInteractionState_NotResponding","features":[208]},{"name":"WindowInteractionState_ReadyForUserInteraction","features":[208]},{"name":"WindowInteractionState_Running","features":[208]},{"name":"WindowPattern_Close","features":[208]},{"name":"WindowPattern_SetWindowVisualState","features":[208]},{"name":"WindowPattern_WaitForInputIdle","features":[1,208]},{"name":"WindowVisualState","features":[208]},{"name":"WindowVisualState_Maximized","features":[208]},{"name":"WindowVisualState_Minimized","features":[208]},{"name":"WindowVisualState_Normal","features":[208]},{"name":"Window_CanMaximize_Property_GUID","features":[208]},{"name":"Window_CanMinimize_Property_GUID","features":[208]},{"name":"Window_Control_GUID","features":[208]},{"name":"Window_IsModal_Property_GUID","features":[208]},{"name":"Window_IsTopmost_Property_GUID","features":[208]},{"name":"Window_Pattern_GUID","features":[208]},{"name":"Window_WindowClosed_Event_GUID","features":[208]},{"name":"Window_WindowInteractionState_Property_GUID","features":[208]},{"name":"Window_WindowOpened_Event_GUID","features":[208]},{"name":"Window_WindowVisualState_Property_GUID","features":[208]},{"name":"ZoomUnit","features":[208]},{"name":"ZoomUnit_LargeDecrement","features":[208]},{"name":"ZoomUnit_LargeIncrement","features":[208]},{"name":"ZoomUnit_NoAmount","features":[208]},{"name":"ZoomUnit_SmallDecrement","features":[208]},{"name":"ZoomUnit_SmallIncrement","features":[208]}],"649":[{"name":"ATTRIB_MATTE","features":[55]},{"name":"ATTRIB_TRANSPARENCY","features":[55]},{"name":"AssociateColorProfileWithDeviceA","features":[1,55]},{"name":"AssociateColorProfileWithDeviceW","features":[1,55]},{"name":"BEST_MODE","features":[55]},{"name":"BMFORMAT","features":[55]},{"name":"BM_10b_G3CH","features":[55]},{"name":"BM_10b_Lab","features":[55]},{"name":"BM_10b_RGB","features":[55]},{"name":"BM_10b_XYZ","features":[55]},{"name":"BM_10b_Yxy","features":[55]},{"name":"BM_16b_G3CH","features":[55]},{"name":"BM_16b_GRAY","features":[55]},{"name":"BM_16b_Lab","features":[55]},{"name":"BM_16b_RGB","features":[55]},{"name":"BM_16b_XYZ","features":[55]},{"name":"BM_16b_Yxy","features":[55]},{"name":"BM_32b_scARGB","features":[55]},{"name":"BM_32b_scRGB","features":[55]},{"name":"BM_565RGB","features":[55]},{"name":"BM_5CHANNEL","features":[55]},{"name":"BM_6CHANNEL","features":[55]},{"name":"BM_7CHANNEL","features":[55]},{"name":"BM_8CHANNEL","features":[55]},{"name":"BM_BGRTRIPLETS","features":[55]},{"name":"BM_CMYKQUADS","features":[55]},{"name":"BM_G3CHTRIPLETS","features":[55]},{"name":"BM_GRAY","features":[55]},{"name":"BM_KYMCQUADS","features":[55]},{"name":"BM_LabTRIPLETS","features":[55]},{"name":"BM_NAMED_INDEX","features":[55]},{"name":"BM_R10G10B10A2","features":[55]},{"name":"BM_R10G10B10A2_XR","features":[55]},{"name":"BM_R16G16B16A16_FLOAT","features":[55]},{"name":"BM_RGBTRIPLETS","features":[55]},{"name":"BM_S2DOT13FIXED_scARGB","features":[55]},{"name":"BM_S2DOT13FIXED_scRGB","features":[55]},{"name":"BM_XYZTRIPLETS","features":[55]},{"name":"BM_YxyTRIPLETS","features":[55]},{"name":"BM_x555G3CH","features":[55]},{"name":"BM_x555Lab","features":[55]},{"name":"BM_x555RGB","features":[55]},{"name":"BM_x555XYZ","features":[55]},{"name":"BM_x555Yxy","features":[55]},{"name":"BM_xBGRQUADS","features":[55]},{"name":"BM_xG3CHQUADS","features":[55]},{"name":"BM_xRGBQUADS","features":[55]},{"name":"BlackInformation","features":[1,55]},{"name":"CATID_WcsPlugin","features":[55]},{"name":"CMCheckColors","features":[1,55]},{"name":"CMCheckColorsInGamut","features":[1,12,55]},{"name":"CMCheckRGBs","features":[1,55]},{"name":"CMConvertColorNameToIndex","features":[1,55]},{"name":"CMConvertIndexToColorName","features":[1,55]},{"name":"CMCreateDeviceLinkProfile","features":[1,55]},{"name":"CMCreateMultiProfileTransform","features":[55]},{"name":"CMCreateProfile","features":[1,12,55]},{"name":"CMCreateProfileW","features":[1,12,55]},{"name":"CMCreateTransform","features":[12,55]},{"name":"CMCreateTransformExt","features":[12,55]},{"name":"CMCreateTransformExtW","features":[12,55]},{"name":"CMCreateTransformW","features":[12,55]},{"name":"CMDeleteTransform","features":[1,55]},{"name":"CMGetInfo","features":[55]},{"name":"CMGetNamedProfileInfo","features":[1,55]},{"name":"CMIsProfileValid","features":[1,55]},{"name":"CMM_DESCRIPTION","features":[55]},{"name":"CMM_DLL_VERSION","features":[55]},{"name":"CMM_DRIVER_VERSION","features":[55]},{"name":"CMM_FROM_PROFILE","features":[55]},{"name":"CMM_IDENT","features":[55]},{"name":"CMM_LOGOICON","features":[55]},{"name":"CMM_VERSION","features":[55]},{"name":"CMM_WIN_VERSION","features":[55]},{"name":"CMS_BACKWARD","features":[55]},{"name":"CMS_DISABLEICM","features":[55]},{"name":"CMS_DISABLEINTENT","features":[55]},{"name":"CMS_DISABLERENDERINTENT","features":[55]},{"name":"CMS_ENABLEPROOFING","features":[55]},{"name":"CMS_FORWARD","features":[55]},{"name":"CMS_MONITOROVERFLOW","features":[55]},{"name":"CMS_PRINTEROVERFLOW","features":[55]},{"name":"CMS_SETMONITORPROFILE","features":[55]},{"name":"CMS_SETPRINTERPROFILE","features":[55]},{"name":"CMS_SETPROOFINTENT","features":[55]},{"name":"CMS_SETRENDERINTENT","features":[55]},{"name":"CMS_SETTARGETPROFILE","features":[55]},{"name":"CMS_TARGETOVERFLOW","features":[55]},{"name":"CMS_USEAPPLYCALLBACK","features":[55]},{"name":"CMS_USEDESCRIPTION","features":[55]},{"name":"CMS_USEHOOK","features":[55]},{"name":"CMTranslateColors","features":[1,55]},{"name":"CMTranslateRGB","features":[1,55]},{"name":"CMTranslateRGBs","features":[1,55]},{"name":"CMTranslateRGBsExt","features":[1,55]},{"name":"CMYKCOLOR","features":[55]},{"name":"COLOR","features":[55]},{"name":"COLORDATATYPE","features":[55]},{"name":"COLORMATCHSETUPA","features":[1,55,50]},{"name":"COLORMATCHSETUPW","features":[1,55,50]},{"name":"COLORPROFILESUBTYPE","features":[55]},{"name":"COLORPROFILETYPE","features":[55]},{"name":"COLORTYPE","features":[55]},{"name":"COLOR_10b_R10G10B10A2","features":[55]},{"name":"COLOR_10b_R10G10B10A2_XR","features":[55]},{"name":"COLOR_3_CHANNEL","features":[55]},{"name":"COLOR_5_CHANNEL","features":[55]},{"name":"COLOR_6_CHANNEL","features":[55]},{"name":"COLOR_7_CHANNEL","features":[55]},{"name":"COLOR_8_CHANNEL","features":[55]},{"name":"COLOR_BYTE","features":[55]},{"name":"COLOR_CMYK","features":[55]},{"name":"COLOR_FLOAT","features":[55]},{"name":"COLOR_FLOAT16","features":[55]},{"name":"COLOR_GRAY","features":[55]},{"name":"COLOR_Lab","features":[55]},{"name":"COLOR_MATCH_TO_TARGET_ACTION","features":[55]},{"name":"COLOR_MATCH_VERSION","features":[55]},{"name":"COLOR_NAMED","features":[55]},{"name":"COLOR_RGB","features":[55]},{"name":"COLOR_S2DOT13FIXED","features":[55]},{"name":"COLOR_WORD","features":[55]},{"name":"COLOR_XYZ","features":[55]},{"name":"COLOR_Yxy","features":[55]},{"name":"CPST_ABSOLUTE_COLORIMETRIC","features":[55]},{"name":"CPST_CUSTOM_WORKING_SPACE","features":[55]},{"name":"CPST_EXTENDED_DISPLAY_COLOR_MODE","features":[55]},{"name":"CPST_NONE","features":[55]},{"name":"CPST_PERCEPTUAL","features":[55]},{"name":"CPST_RELATIVE_COLORIMETRIC","features":[55]},{"name":"CPST_RGB_WORKING_SPACE","features":[55]},{"name":"CPST_SATURATION","features":[55]},{"name":"CPST_STANDARD_DISPLAY_COLOR_MODE","features":[55]},{"name":"CPT_CAMP","features":[55]},{"name":"CPT_DMP","features":[55]},{"name":"CPT_GMMP","features":[55]},{"name":"CPT_ICC","features":[55]},{"name":"CSA_A","features":[55]},{"name":"CSA_ABC","features":[55]},{"name":"CSA_CMYK","features":[55]},{"name":"CSA_DEF","features":[55]},{"name":"CSA_DEFG","features":[55]},{"name":"CSA_GRAY","features":[55]},{"name":"CSA_Lab","features":[55]},{"name":"CSA_RGB","features":[55]},{"name":"CS_DELETE_TRANSFORM","features":[55]},{"name":"CS_DISABLE","features":[55]},{"name":"CS_ENABLE","features":[55]},{"name":"CheckBitmapBits","features":[1,55]},{"name":"CheckColors","features":[1,55]},{"name":"CheckColorsInGamut","features":[1,12,55]},{"name":"CloseColorProfile","features":[1,55]},{"name":"ColorCorrectPalette","features":[1,12,55]},{"name":"ColorMatchToTarget","features":[1,12,55]},{"name":"ColorProfileAddDisplayAssociation","features":[1,55]},{"name":"ColorProfileGetDisplayDefault","features":[1,55]},{"name":"ColorProfileGetDisplayList","features":[1,55]},{"name":"ColorProfileGetDisplayUserScope","features":[1,55]},{"name":"ColorProfileRemoveDisplayAssociation","features":[1,55]},{"name":"ColorProfileSetDisplayDefaultAssociation","features":[1,55]},{"name":"ConvertColorNameToIndex","features":[1,55]},{"name":"ConvertIndexToColorName","features":[1,55]},{"name":"CreateColorSpaceA","features":[12,55]},{"name":"CreateColorSpaceW","features":[12,55]},{"name":"CreateColorTransformA","features":[12,55]},{"name":"CreateColorTransformW","features":[12,55]},{"name":"CreateDeviceLinkProfile","features":[1,55]},{"name":"CreateMultiProfileTransform","features":[55]},{"name":"CreateProfileFromLogColorSpaceA","features":[1,12,55]},{"name":"CreateProfileFromLogColorSpaceW","features":[1,12,55]},{"name":"DONT_USE_EMBEDDED_WCS_PROFILES","features":[55]},{"name":"DeleteColorSpace","features":[1,55]},{"name":"DeleteColorTransform","features":[1,55]},{"name":"DisassociateColorProfileFromDeviceA","features":[1,55]},{"name":"DisassociateColorProfileFromDeviceW","features":[1,55]},{"name":"EMRCREATECOLORSPACE","features":[12,55]},{"name":"EMRCREATECOLORSPACEW","features":[12,55]},{"name":"ENABLE_GAMUT_CHECKING","features":[55]},{"name":"ENUMTYPEA","features":[55]},{"name":"ENUMTYPEW","features":[55]},{"name":"ENUM_TYPE_VERSION","features":[55]},{"name":"ET_ATTRIBUTES","features":[55]},{"name":"ET_CLASS","features":[55]},{"name":"ET_CMMTYPE","features":[55]},{"name":"ET_CONNECTIONSPACE","features":[55]},{"name":"ET_CREATOR","features":[55]},{"name":"ET_DATACOLORSPACE","features":[55]},{"name":"ET_DEVICECLASS","features":[55]},{"name":"ET_DEVICENAME","features":[55]},{"name":"ET_DITHERMODE","features":[55]},{"name":"ET_EXTENDEDDISPLAYCOLOR","features":[55]},{"name":"ET_MANUFACTURER","features":[55]},{"name":"ET_MEDIATYPE","features":[55]},{"name":"ET_MODEL","features":[55]},{"name":"ET_PLATFORM","features":[55]},{"name":"ET_PROFILEFLAGS","features":[55]},{"name":"ET_RENDERINGINTENT","features":[55]},{"name":"ET_RESOLUTION","features":[55]},{"name":"ET_SIGNATURE","features":[55]},{"name":"ET_STANDARDDISPLAYCOLOR","features":[55]},{"name":"EnumColorProfilesA","features":[1,55]},{"name":"EnumColorProfilesW","features":[1,55]},{"name":"EnumICMProfilesA","features":[1,12,55]},{"name":"EnumICMProfilesW","features":[1,12,55]},{"name":"FAST_TRANSLATE","features":[55]},{"name":"FLAG_DEPENDENTONDATA","features":[55]},{"name":"FLAG_EMBEDDEDPROFILE","features":[55]},{"name":"FLAG_ENABLE_CHROMATIC_ADAPTATION","features":[55]},{"name":"GENERIC3CHANNEL","features":[55]},{"name":"GRAYCOLOR","features":[55]},{"name":"GamutBoundaryDescription","features":[55]},{"name":"GamutShell","features":[55]},{"name":"GamutShellTriangle","features":[55]},{"name":"GetCMMInfo","features":[55]},{"name":"GetColorDirectoryA","features":[1,55]},{"name":"GetColorDirectoryW","features":[1,55]},{"name":"GetColorProfileElement","features":[1,55]},{"name":"GetColorProfileElementTag","features":[1,55]},{"name":"GetColorProfileFromHandle","features":[1,55]},{"name":"GetColorProfileHeader","features":[1,12,55]},{"name":"GetColorSpace","features":[12,55]},{"name":"GetCountColorProfileElements","features":[1,55]},{"name":"GetDeviceGammaRamp","features":[1,12,55]},{"name":"GetICMProfileA","features":[1,12,55]},{"name":"GetICMProfileW","features":[1,12,55]},{"name":"GetLogColorSpaceA","features":[1,12,55]},{"name":"GetLogColorSpaceW","features":[1,12,55]},{"name":"GetNamedProfileInfo","features":[1,55]},{"name":"GetPS2ColorRenderingDictionary","features":[1,55]},{"name":"GetPS2ColorRenderingIntent","features":[1,55]},{"name":"GetPS2ColorSpaceArray","features":[1,55]},{"name":"GetStandardColorSpaceProfileA","features":[1,55]},{"name":"GetStandardColorSpaceProfileW","features":[1,55]},{"name":"HCOLORSPACE","features":[55]},{"name":"HiFiCOLOR","features":[55]},{"name":"ICMENUMPROCA","features":[1,55]},{"name":"ICMENUMPROCW","features":[1,55]},{"name":"ICM_ADDPROFILE","features":[55]},{"name":"ICM_COMMAND","features":[55]},{"name":"ICM_DELETEPROFILE","features":[55]},{"name":"ICM_DONE_OUTSIDEDC","features":[55]},{"name":"ICM_MODE","features":[55]},{"name":"ICM_OFF","features":[55]},{"name":"ICM_ON","features":[55]},{"name":"ICM_QUERY","features":[55]},{"name":"ICM_QUERYMATCH","features":[55]},{"name":"ICM_QUERYPROFILE","features":[55]},{"name":"ICM_REGISTERICMATCHER","features":[55]},{"name":"ICM_SETDEFAULTPROFILE","features":[55]},{"name":"ICM_UNREGISTERICMATCHER","features":[55]},{"name":"IDeviceModelPlugIn","features":[55]},{"name":"IGamutMapModelPlugIn","features":[55]},{"name":"INDEX_DONT_CARE","features":[55]},{"name":"INTENT_ABSOLUTE_COLORIMETRIC","features":[55]},{"name":"INTENT_PERCEPTUAL","features":[55]},{"name":"INTENT_RELATIVE_COLORIMETRIC","features":[55]},{"name":"INTENT_SATURATION","features":[55]},{"name":"InstallColorProfileA","features":[1,55]},{"name":"InstallColorProfileW","features":[1,55]},{"name":"IsColorProfileTagPresent","features":[1,55]},{"name":"IsColorProfileValid","features":[1,55]},{"name":"JChColorF","features":[55]},{"name":"JabColorF","features":[55]},{"name":"LCSCSTYPE","features":[55]},{"name":"LCS_CALIBRATED_RGB","features":[55]},{"name":"LCS_WINDOWS_COLOR_SPACE","features":[55]},{"name":"LCS_sRGB","features":[55]},{"name":"LOGCOLORSPACEA","features":[12,55]},{"name":"LOGCOLORSPACEW","features":[12,55]},{"name":"LPBMCALLBACKFN","features":[1,55]},{"name":"LabCOLOR","features":[55]},{"name":"MAX_COLOR_CHANNELS","features":[55]},{"name":"MicrosoftHardwareColorV2","features":[55]},{"name":"NAMEDCOLOR","features":[55]},{"name":"NAMED_PROFILE_INFO","features":[55]},{"name":"NORMAL_MODE","features":[55]},{"name":"OpenColorProfileA","features":[55]},{"name":"OpenColorProfileW","features":[55]},{"name":"PCMSCALLBACKA","features":[1,55,50]},{"name":"PCMSCALLBACKW","features":[1,55,50]},{"name":"PRESERVEBLACK","features":[55]},{"name":"PROFILE","features":[55]},{"name":"PROFILEHEADER","features":[12,55]},{"name":"PROFILE_FILENAME","features":[55]},{"name":"PROFILE_MEMBUFFER","features":[55]},{"name":"PROFILE_READ","features":[55]},{"name":"PROFILE_READWRITE","features":[55]},{"name":"PROOF_MODE","features":[55]},{"name":"PrimaryJabColors","features":[55]},{"name":"PrimaryXYZColors","features":[55]},{"name":"RESERVED","features":[55]},{"name":"RGBCOLOR","features":[55]},{"name":"RegisterCMMA","features":[1,55]},{"name":"RegisterCMMW","features":[1,55]},{"name":"SEQUENTIAL_TRANSFORM","features":[55]},{"name":"SelectCMM","features":[1,55]},{"name":"SetColorProfileElement","features":[1,55]},{"name":"SetColorProfileElementReference","features":[1,55]},{"name":"SetColorProfileElementSize","features":[1,55]},{"name":"SetColorProfileHeader","features":[1,12,55]},{"name":"SetColorSpace","features":[12,55]},{"name":"SetDeviceGammaRamp","features":[1,12,55]},{"name":"SetICMMode","features":[12,55]},{"name":"SetICMProfileA","features":[1,12,55]},{"name":"SetICMProfileW","features":[1,12,55]},{"name":"SetStandardColorSpaceProfileA","features":[1,55]},{"name":"SetStandardColorSpaceProfileW","features":[1,55]},{"name":"SetupColorMatchingA","features":[1,55,50]},{"name":"SetupColorMatchingW","features":[1,55,50]},{"name":"TranslateBitmapBits","features":[1,55]},{"name":"TranslateColors","features":[1,55]},{"name":"USE_RELATIVE_COLORIMETRIC","features":[55]},{"name":"UninstallColorProfileA","features":[1,55]},{"name":"UninstallColorProfileW","features":[1,55]},{"name":"UnregisterCMMA","features":[1,55]},{"name":"UnregisterCMMW","features":[1,55]},{"name":"UpdateICMRegKeyA","features":[1,55]},{"name":"UpdateICMRegKeyW","features":[1,55]},{"name":"VideoCardGammaTable","features":[55]},{"name":"WCS_ALWAYS","features":[55]},{"name":"WCS_DEFAULT","features":[55]},{"name":"WCS_DEVICE_CAPABILITIES_TYPE","features":[55]},{"name":"WCS_DEVICE_MHC2_CAPABILITIES","features":[1,55]},{"name":"WCS_DEVICE_VCGT_CAPABILITIES","features":[1,55]},{"name":"WCS_ICCONLY","features":[55]},{"name":"WCS_PROFILE_MANAGEMENT_SCOPE","features":[55]},{"name":"WCS_PROFILE_MANAGEMENT_SCOPE_CURRENT_USER","features":[55]},{"name":"WCS_PROFILE_MANAGEMENT_SCOPE_SYSTEM_WIDE","features":[55]},{"name":"WcsAssociateColorProfileWithDevice","features":[1,55]},{"name":"WcsCheckColors","features":[1,55]},{"name":"WcsCreateIccProfile","features":[55]},{"name":"WcsDisassociateColorProfileFromDevice","features":[1,55]},{"name":"WcsEnumColorProfiles","features":[1,55]},{"name":"WcsEnumColorProfilesSize","features":[1,55]},{"name":"WcsGetCalibrationManagementState","features":[1,55]},{"name":"WcsGetDefaultColorProfile","features":[1,55]},{"name":"WcsGetDefaultColorProfileSize","features":[1,55]},{"name":"WcsGetDefaultRenderingIntent","features":[1,55]},{"name":"WcsGetUsePerUserProfiles","features":[1,55]},{"name":"WcsOpenColorProfileA","features":[55]},{"name":"WcsOpenColorProfileW","features":[55]},{"name":"WcsSetCalibrationManagementState","features":[1,55]},{"name":"WcsSetDefaultColorProfile","features":[1,55]},{"name":"WcsSetDefaultRenderingIntent","features":[1,55]},{"name":"WcsSetUsePerUserProfiles","features":[1,55]},{"name":"WcsTranslateColors","features":[1,55]},{"name":"XYZCOLOR","features":[55]},{"name":"XYZColorF","features":[55]},{"name":"YxyCOLOR","features":[55]}],"650":[{"name":"ABS_DOWNDISABLED","features":[40]},{"name":"ABS_DOWNHOT","features":[40]},{"name":"ABS_DOWNHOVER","features":[40]},{"name":"ABS_DOWNNORMAL","features":[40]},{"name":"ABS_DOWNPRESSED","features":[40]},{"name":"ABS_LEFTDISABLED","features":[40]},{"name":"ABS_LEFTHOT","features":[40]},{"name":"ABS_LEFTHOVER","features":[40]},{"name":"ABS_LEFTNORMAL","features":[40]},{"name":"ABS_LEFTPRESSED","features":[40]},{"name":"ABS_RIGHTDISABLED","features":[40]},{"name":"ABS_RIGHTHOT","features":[40]},{"name":"ABS_RIGHTHOVER","features":[40]},{"name":"ABS_RIGHTNORMAL","features":[40]},{"name":"ABS_RIGHTPRESSED","features":[40]},{"name":"ABS_UPDISABLED","features":[40]},{"name":"ABS_UPHOT","features":[40]},{"name":"ABS_UPHOVER","features":[40]},{"name":"ABS_UPNORMAL","features":[40]},{"name":"ABS_UPPRESSED","features":[40]},{"name":"ACM_ISPLAYING","features":[40]},{"name":"ACM_OPEN","features":[40]},{"name":"ACM_OPENA","features":[40]},{"name":"ACM_OPENW","features":[40]},{"name":"ACM_PLAY","features":[40]},{"name":"ACM_STOP","features":[40]},{"name":"ACN_START","features":[40]},{"name":"ACN_STOP","features":[40]},{"name":"ACS_AUTOPLAY","features":[40]},{"name":"ACS_CENTER","features":[40]},{"name":"ACS_TIMER","features":[40]},{"name":"ACS_TRANSPARENT","features":[40]},{"name":"AEROWIZARDPARTS","features":[40]},{"name":"ALLOW_CONTROLS","features":[40]},{"name":"ALLOW_NONCLIENT","features":[40]},{"name":"ALLOW_WEBCONTENT","features":[40]},{"name":"ANIMATE_CLASS","features":[40]},{"name":"ANIMATE_CLASSA","features":[40]},{"name":"ANIMATE_CLASSW","features":[40]},{"name":"ARROWBTNSTATES","features":[40]},{"name":"AW_BUTTON","features":[40]},{"name":"AW_COMMANDAREA","features":[40]},{"name":"AW_CONTENTAREA","features":[40]},{"name":"AW_HEADERAREA","features":[40]},{"name":"AW_S_CONTENTAREA_NOMARGIN","features":[40]},{"name":"AW_S_HEADERAREA_NOMARGIN","features":[40]},{"name":"AW_S_TITLEBAR_ACTIVE","features":[40]},{"name":"AW_S_TITLEBAR_INACTIVE","features":[40]},{"name":"AW_TITLEBAR","features":[40]},{"name":"BACKGROUNDSTATES","features":[40]},{"name":"BACKGROUNDWITHBORDERSTATES","features":[40]},{"name":"BALLOONSTATES","features":[40]},{"name":"BALLOONSTEMSTATES","features":[40]},{"name":"BARBACKGROUNDSTATES","features":[40]},{"name":"BARITEMSTATES","features":[40]},{"name":"BCM_FIRST","features":[40]},{"name":"BCM_GETIDEALSIZE","features":[40]},{"name":"BCM_GETIMAGELIST","features":[40]},{"name":"BCM_GETNOTE","features":[40]},{"name":"BCM_GETNOTELENGTH","features":[40]},{"name":"BCM_GETSPLITINFO","features":[40]},{"name":"BCM_GETTEXTMARGIN","features":[40]},{"name":"BCM_SETDROPDOWNSTATE","features":[40]},{"name":"BCM_SETIMAGELIST","features":[40]},{"name":"BCM_SETNOTE","features":[40]},{"name":"BCM_SETSHIELD","features":[40]},{"name":"BCM_SETSPLITINFO","features":[40]},{"name":"BCM_SETTEXTMARGIN","features":[40]},{"name":"BCN_DROPDOWN","features":[40]},{"name":"BCN_FIRST","features":[40]},{"name":"BCN_HOTITEMCHANGE","features":[40]},{"name":"BCN_LAST","features":[40]},{"name":"BCSIF_GLYPH","features":[40]},{"name":"BCSIF_IMAGE","features":[40]},{"name":"BCSIF_SIZE","features":[40]},{"name":"BCSIF_STYLE","features":[40]},{"name":"BCSS_ALIGNLEFT","features":[40]},{"name":"BCSS_IMAGE","features":[40]},{"name":"BCSS_NOSPLIT","features":[40]},{"name":"BCSS_STRETCH","features":[40]},{"name":"BGTYPE","features":[40]},{"name":"BODYSTATES","features":[40]},{"name":"BORDERSTATES","features":[40]},{"name":"BORDERTYPE","features":[40]},{"name":"BORDER_HSCROLLSTATES","features":[40]},{"name":"BORDER_HVSCROLLSTATES","features":[40]},{"name":"BORDER_NOSCROLLSTATES","features":[40]},{"name":"BORDER_VSCROLLSTATES","features":[40]},{"name":"BPAS_CUBIC","features":[40]},{"name":"BPAS_LINEAR","features":[40]},{"name":"BPAS_NONE","features":[40]},{"name":"BPAS_SINE","features":[40]},{"name":"BPBF_COMPATIBLEBITMAP","features":[40]},{"name":"BPBF_DIB","features":[40]},{"name":"BPBF_TOPDOWNDIB","features":[40]},{"name":"BPBF_TOPDOWNMONODIB","features":[40]},{"name":"BPPF_ERASE","features":[40]},{"name":"BPPF_NOCLIP","features":[40]},{"name":"BPPF_NONCLIENT","features":[40]},{"name":"BP_ANIMATIONPARAMS","features":[40]},{"name":"BP_ANIMATIONSTYLE","features":[40]},{"name":"BP_BUFFERFORMAT","features":[40]},{"name":"BP_CHECKBOX","features":[40]},{"name":"BP_CHECKBOX_HCDISABLED","features":[40]},{"name":"BP_COMMANDLINK","features":[40]},{"name":"BP_COMMANDLINKGLYPH","features":[40]},{"name":"BP_GROUPBOX","features":[40]},{"name":"BP_GROUPBOX_HCDISABLED","features":[40]},{"name":"BP_PAINTPARAMS","features":[1,12,40]},{"name":"BP_PAINTPARAMS_FLAGS","features":[40]},{"name":"BP_PUSHBUTTON","features":[40]},{"name":"BP_PUSHBUTTONDROPDOWN","features":[40]},{"name":"BP_RADIOBUTTON","features":[40]},{"name":"BP_RADIOBUTTON_HCDISABLED","features":[40]},{"name":"BP_USERBUTTON","features":[40]},{"name":"BST_CHECKED","features":[40]},{"name":"BST_DROPDOWNPUSHED","features":[40]},{"name":"BST_HOT","features":[40]},{"name":"BST_INDETERMINATE","features":[40]},{"name":"BST_UNCHECKED","features":[40]},{"name":"BS_COMMANDLINK","features":[40]},{"name":"BS_DEFCOMMANDLINK","features":[40]},{"name":"BS_DEFSPLITBUTTON","features":[40]},{"name":"BS_SPLITBUTTON","features":[40]},{"name":"BTNS_AUTOSIZE","features":[40]},{"name":"BTNS_BUTTON","features":[40]},{"name":"BTNS_CHECK","features":[40]},{"name":"BTNS_DROPDOWN","features":[40]},{"name":"BTNS_GROUP","features":[40]},{"name":"BTNS_NOPREFIX","features":[40]},{"name":"BTNS_SEP","features":[40]},{"name":"BTNS_SHOWTEXT","features":[40]},{"name":"BTNS_WHOLEDROPDOWN","features":[40]},{"name":"BT_BORDERFILL","features":[40]},{"name":"BT_ELLIPSE","features":[40]},{"name":"BT_IMAGEFILE","features":[40]},{"name":"BT_NONE","features":[40]},{"name":"BT_RECT","features":[40]},{"name":"BT_ROUNDRECT","features":[40]},{"name":"BUTTONPARTS","features":[40]},{"name":"BUTTON_IMAGELIST","features":[1,40]},{"name":"BUTTON_IMAGELIST_ALIGN","features":[40]},{"name":"BUTTON_IMAGELIST_ALIGN_BOTTOM","features":[40]},{"name":"BUTTON_IMAGELIST_ALIGN_CENTER","features":[40]},{"name":"BUTTON_IMAGELIST_ALIGN_LEFT","features":[40]},{"name":"BUTTON_IMAGELIST_ALIGN_RIGHT","features":[40]},{"name":"BUTTON_IMAGELIST_ALIGN_TOP","features":[40]},{"name":"BUTTON_SPLITINFO","features":[1,40]},{"name":"BeginBufferedAnimation","features":[1,12,40]},{"name":"BeginBufferedPaint","features":[1,12,40]},{"name":"BeginPanningFeedback","features":[1,40]},{"name":"BufferedPaintClear","features":[1,40]},{"name":"BufferedPaintInit","features":[40]},{"name":"BufferedPaintRenderAnimation","features":[1,12,40]},{"name":"BufferedPaintSetAlpha","features":[1,40]},{"name":"BufferedPaintStopAllAnimations","features":[1,40]},{"name":"BufferedPaintUnInit","features":[40]},{"name":"CAPTIONSTATES","features":[40]},{"name":"CA_CENTER","features":[40]},{"name":"CA_LEFT","features":[40]},{"name":"CA_RIGHT","features":[40]},{"name":"CBB_DISABLED","features":[40]},{"name":"CBB_FOCUSED","features":[40]},{"name":"CBB_HOT","features":[40]},{"name":"CBB_NORMAL","features":[40]},{"name":"CBCB_DISABLED","features":[40]},{"name":"CBCB_HOT","features":[40]},{"name":"CBCB_NORMAL","features":[40]},{"name":"CBCB_PRESSED","features":[40]},{"name":"CBDI_HIGHLIGHTED","features":[40]},{"name":"CBDI_NORMAL","features":[40]},{"name":"CBEIF_DI_SETITEM","features":[40]},{"name":"CBEIF_IMAGE","features":[40]},{"name":"CBEIF_INDENT","features":[40]},{"name":"CBEIF_LPARAM","features":[40]},{"name":"CBEIF_OVERLAY","features":[40]},{"name":"CBEIF_SELECTEDIMAGE","features":[40]},{"name":"CBEIF_TEXT","features":[40]},{"name":"CBEMAXSTRLEN","features":[40]},{"name":"CBEM_GETCOMBOCONTROL","features":[40]},{"name":"CBEM_GETEDITCONTROL","features":[40]},{"name":"CBEM_GETEXSTYLE","features":[40]},{"name":"CBEM_GETEXTENDEDSTYLE","features":[40]},{"name":"CBEM_GETIMAGELIST","features":[40]},{"name":"CBEM_GETITEM","features":[40]},{"name":"CBEM_GETITEMA","features":[40]},{"name":"CBEM_GETITEMW","features":[40]},{"name":"CBEM_GETUNICODEFORMAT","features":[40]},{"name":"CBEM_HASEDITCHANGED","features":[40]},{"name":"CBEM_INSERTITEM","features":[40]},{"name":"CBEM_INSERTITEMA","features":[40]},{"name":"CBEM_INSERTITEMW","features":[40]},{"name":"CBEM_SETEXSTYLE","features":[40]},{"name":"CBEM_SETEXTENDEDSTYLE","features":[40]},{"name":"CBEM_SETIMAGELIST","features":[40]},{"name":"CBEM_SETITEM","features":[40]},{"name":"CBEM_SETITEMA","features":[40]},{"name":"CBEM_SETITEMW","features":[40]},{"name":"CBEM_SETUNICODEFORMAT","features":[40]},{"name":"CBEM_SETWINDOWTHEME","features":[40]},{"name":"CBENF_DROPDOWN","features":[40]},{"name":"CBENF_ESCAPE","features":[40]},{"name":"CBENF_KILLFOCUS","features":[40]},{"name":"CBENF_RETURN","features":[40]},{"name":"CBEN_BEGINEDIT","features":[40]},{"name":"CBEN_DELETEITEM","features":[40]},{"name":"CBEN_DRAGBEGIN","features":[40]},{"name":"CBEN_DRAGBEGINA","features":[40]},{"name":"CBEN_DRAGBEGINW","features":[40]},{"name":"CBEN_ENDEDIT","features":[40]},{"name":"CBEN_ENDEDITA","features":[40]},{"name":"CBEN_ENDEDITW","features":[40]},{"name":"CBEN_FIRST","features":[40]},{"name":"CBEN_GETDISPINFOA","features":[40]},{"name":"CBEN_GETDISPINFOW","features":[40]},{"name":"CBEN_INSERTITEM","features":[40]},{"name":"CBEN_LAST","features":[40]},{"name":"CBES_EX_CASESENSITIVE","features":[40]},{"name":"CBES_EX_NOEDITIMAGE","features":[40]},{"name":"CBES_EX_NOEDITIMAGEINDENT","features":[40]},{"name":"CBES_EX_NOSIZELIMIT","features":[40]},{"name":"CBES_EX_PATHWORDBREAKPROC","features":[40]},{"name":"CBES_EX_TEXTENDELLIPSIS","features":[40]},{"name":"CBM_FIRST","features":[40]},{"name":"CBRO_DISABLED","features":[40]},{"name":"CBRO_HOT","features":[40]},{"name":"CBRO_NORMAL","features":[40]},{"name":"CBRO_PRESSED","features":[40]},{"name":"CBS_CHECKEDDISABLED","features":[40]},{"name":"CBS_CHECKEDHOT","features":[40]},{"name":"CBS_CHECKEDNORMAL","features":[40]},{"name":"CBS_CHECKEDPRESSED","features":[40]},{"name":"CBS_DISABLED","features":[40]},{"name":"CBS_EXCLUDEDDISABLED","features":[40]},{"name":"CBS_EXCLUDEDHOT","features":[40]},{"name":"CBS_EXCLUDEDNORMAL","features":[40]},{"name":"CBS_EXCLUDEDPRESSED","features":[40]},{"name":"CBS_HOT","features":[40]},{"name":"CBS_IMPLICITDISABLED","features":[40]},{"name":"CBS_IMPLICITHOT","features":[40]},{"name":"CBS_IMPLICITNORMAL","features":[40]},{"name":"CBS_IMPLICITPRESSED","features":[40]},{"name":"CBS_MIXEDDISABLED","features":[40]},{"name":"CBS_MIXEDHOT","features":[40]},{"name":"CBS_MIXEDNORMAL","features":[40]},{"name":"CBS_MIXEDPRESSED","features":[40]},{"name":"CBS_NORMAL","features":[40]},{"name":"CBS_PUSHED","features":[40]},{"name":"CBS_UNCHECKEDDISABLED","features":[40]},{"name":"CBS_UNCHECKEDHOT","features":[40]},{"name":"CBS_UNCHECKEDNORMAL","features":[40]},{"name":"CBS_UNCHECKEDPRESSED","features":[40]},{"name":"CBTBS_DISABLED","features":[40]},{"name":"CBTBS_FOCUSED","features":[40]},{"name":"CBTBS_HOT","features":[40]},{"name":"CBTBS_NORMAL","features":[40]},{"name":"CBXSL_DISABLED","features":[40]},{"name":"CBXSL_HOT","features":[40]},{"name":"CBXSL_NORMAL","features":[40]},{"name":"CBXSL_PRESSED","features":[40]},{"name":"CBXSR_DISABLED","features":[40]},{"name":"CBXSR_HOT","features":[40]},{"name":"CBXSR_NORMAL","features":[40]},{"name":"CBXSR_PRESSED","features":[40]},{"name":"CBXS_DISABLED","features":[40]},{"name":"CBXS_HOT","features":[40]},{"name":"CBXS_NORMAL","features":[40]},{"name":"CBXS_PRESSED","features":[40]},{"name":"CB_GETCUEBANNER","features":[40]},{"name":"CB_GETMINVISIBLE","features":[40]},{"name":"CB_SETCUEBANNER","features":[40]},{"name":"CB_SETMINVISIBLE","features":[40]},{"name":"CCF_NOTEXT","features":[40]},{"name":"CCHCCCLASS","features":[40]},{"name":"CCHCCDESC","features":[40]},{"name":"CCHCCTEXT","features":[40]},{"name":"CCINFOA","features":[1,12,40]},{"name":"CCINFOW","features":[1,12,40]},{"name":"CCM_DPISCALE","features":[40]},{"name":"CCM_FIRST","features":[40]},{"name":"CCM_GETCOLORSCHEME","features":[40]},{"name":"CCM_GETDROPTARGET","features":[40]},{"name":"CCM_GETUNICODEFORMAT","features":[40]},{"name":"CCM_GETVERSION","features":[40]},{"name":"CCM_LAST","features":[40]},{"name":"CCM_SETBKCOLOR","features":[40]},{"name":"CCM_SETCOLORSCHEME","features":[40]},{"name":"CCM_SETNOTIFYWINDOW","features":[40]},{"name":"CCM_SETUNICODEFORMAT","features":[40]},{"name":"CCM_SETVERSION","features":[40]},{"name":"CCM_SETWINDOWTHEME","features":[40]},{"name":"CCSTYLEA","features":[40]},{"name":"CCSTYLEFLAGA","features":[40]},{"name":"CCSTYLEFLAGW","features":[40]},{"name":"CCSTYLEW","features":[40]},{"name":"CCS_ADJUSTABLE","features":[40]},{"name":"CCS_BOTTOM","features":[40]},{"name":"CCS_NODIVIDER","features":[40]},{"name":"CCS_NOMOVEY","features":[40]},{"name":"CCS_NOPARENTALIGN","features":[40]},{"name":"CCS_NORESIZE","features":[40]},{"name":"CCS_TOP","features":[40]},{"name":"CCS_VERT","features":[40]},{"name":"CDDS_ITEM","features":[40]},{"name":"CDDS_ITEMPOSTERASE","features":[40]},{"name":"CDDS_ITEMPOSTPAINT","features":[40]},{"name":"CDDS_ITEMPREERASE","features":[40]},{"name":"CDDS_ITEMPREPAINT","features":[40]},{"name":"CDDS_POSTERASE","features":[40]},{"name":"CDDS_POSTPAINT","features":[40]},{"name":"CDDS_PREERASE","features":[40]},{"name":"CDDS_PREPAINT","features":[40]},{"name":"CDDS_SUBITEM","features":[40]},{"name":"CDIS_CHECKED","features":[40]},{"name":"CDIS_DEFAULT","features":[40]},{"name":"CDIS_DISABLED","features":[40]},{"name":"CDIS_DROPHILITED","features":[40]},{"name":"CDIS_FOCUS","features":[40]},{"name":"CDIS_GRAYED","features":[40]},{"name":"CDIS_HOT","features":[40]},{"name":"CDIS_INDETERMINATE","features":[40]},{"name":"CDIS_MARKED","features":[40]},{"name":"CDIS_NEARHOT","features":[40]},{"name":"CDIS_OTHERSIDEHOT","features":[40]},{"name":"CDIS_SELECTED","features":[40]},{"name":"CDIS_SHOWKEYBOARDCUES","features":[40]},{"name":"CDN_FIRST","features":[40]},{"name":"CDN_LAST","features":[40]},{"name":"CDRF_DODEFAULT","features":[40]},{"name":"CDRF_DOERASE","features":[40]},{"name":"CDRF_NEWFONT","features":[40]},{"name":"CDRF_NOTIFYITEMDRAW","features":[40]},{"name":"CDRF_NOTIFYPOSTERASE","features":[40]},{"name":"CDRF_NOTIFYPOSTPAINT","features":[40]},{"name":"CDRF_NOTIFYSUBITEMDRAW","features":[40]},{"name":"CDRF_SKIPDEFAULT","features":[40]},{"name":"CDRF_SKIPPOSTPAINT","features":[40]},{"name":"CHECKBOXSTATES","features":[40]},{"name":"CHEVRONSTATES","features":[40]},{"name":"CHEVRONVERTSTATES","features":[40]},{"name":"CHEVSV_HOT","features":[40]},{"name":"CHEVSV_NORMAL","features":[40]},{"name":"CHEVSV_PRESSED","features":[40]},{"name":"CHEVS_HOT","features":[40]},{"name":"CHEVS_NORMAL","features":[40]},{"name":"CHEVS_PRESSED","features":[40]},{"name":"CLOCKPARTS","features":[40]},{"name":"CLOCKSTATES","features":[40]},{"name":"CLOSEBUTTONSTATES","features":[40]},{"name":"CLOSESTATES","features":[40]},{"name":"CLP_TIME","features":[40]},{"name":"CLR_DEFAULT","features":[40]},{"name":"CLR_HILIGHT","features":[40]},{"name":"CLR_NONE","features":[40]},{"name":"CLS_HOT","features":[40]},{"name":"CLS_NORMAL","features":[40]},{"name":"CLS_PRESSED","features":[40]},{"name":"CMB_MASKED","features":[40]},{"name":"CMDLGS_DEFAULTED","features":[40]},{"name":"CMDLGS_DISABLED","features":[40]},{"name":"CMDLGS_HOT","features":[40]},{"name":"CMDLGS_NORMAL","features":[40]},{"name":"CMDLGS_PRESSED","features":[40]},{"name":"CMDLS_DEFAULTED","features":[40]},{"name":"CMDLS_DEFAULTED_ANIMATING","features":[40]},{"name":"CMDLS_DISABLED","features":[40]},{"name":"CMDLS_HOT","features":[40]},{"name":"CMDLS_NORMAL","features":[40]},{"name":"CMDLS_PRESSED","features":[40]},{"name":"COLLAPSEBUTTONSTATES","features":[40]},{"name":"COLORMAP","features":[1,40]},{"name":"COLORMGMTDLGORD","features":[40]},{"name":"COLORSCHEME","features":[1,40]},{"name":"COMBOBOXEXITEMA","features":[1,40]},{"name":"COMBOBOXEXITEMW","features":[1,40]},{"name":"COMBOBOXINFO","features":[1,40]},{"name":"COMBOBOXINFO_BUTTON_STATE","features":[40]},{"name":"COMBOBOXPARTS","features":[40]},{"name":"COMBOBOXSTYLESTATES","features":[40]},{"name":"COMBOBOX_EX_ITEM_FLAGS","features":[40]},{"name":"COMCTL32_VERSION","features":[40]},{"name":"COMMANDLINKGLYPHSTATES","features":[40]},{"name":"COMMANDLINKSTATES","features":[40]},{"name":"COMMUNICATIONSPARTS","features":[40]},{"name":"COMPAREITEMSTRUCT","features":[1,40]},{"name":"CONTENTALIGNMENT","features":[40]},{"name":"CONTENTAREASTATES","features":[40]},{"name":"CONTENTLINKSTATES","features":[40]},{"name":"CONTENTPANESTATES","features":[40]},{"name":"CONTROLLABELSTATES","features":[40]},{"name":"CONTROLPANELPARTS","features":[40]},{"name":"COPYSTATES","features":[40]},{"name":"CPANEL_BANNERAREA","features":[40]},{"name":"CPANEL_BODYTEXT","features":[40]},{"name":"CPANEL_BODYTITLE","features":[40]},{"name":"CPANEL_BUTTON","features":[40]},{"name":"CPANEL_CONTENTLINK","features":[40]},{"name":"CPANEL_CONTENTPANE","features":[40]},{"name":"CPANEL_CONTENTPANELABEL","features":[40]},{"name":"CPANEL_CONTENTPANELINE","features":[40]},{"name":"CPANEL_GROUPTEXT","features":[40]},{"name":"CPANEL_HELPLINK","features":[40]},{"name":"CPANEL_LARGECOMMANDAREA","features":[40]},{"name":"CPANEL_MESSAGETEXT","features":[40]},{"name":"CPANEL_NAVIGATIONPANE","features":[40]},{"name":"CPANEL_NAVIGATIONPANELABEL","features":[40]},{"name":"CPANEL_NAVIGATIONPANELINE","features":[40]},{"name":"CPANEL_SECTIONTITLELINK","features":[40]},{"name":"CPANEL_SMALLCOMMANDAREA","features":[40]},{"name":"CPANEL_TASKLINK","features":[40]},{"name":"CPANEL_TITLE","features":[40]},{"name":"CPCL_DISABLED","features":[40]},{"name":"CPCL_HOT","features":[40]},{"name":"CPCL_NORMAL","features":[40]},{"name":"CPCL_PRESSED","features":[40]},{"name":"CPHL_DISABLED","features":[40]},{"name":"CPHL_HOT","features":[40]},{"name":"CPHL_NORMAL","features":[40]},{"name":"CPHL_PRESSED","features":[40]},{"name":"CPSTL_HOT","features":[40]},{"name":"CPSTL_NORMAL","features":[40]},{"name":"CPTL_DISABLED","features":[40]},{"name":"CPTL_HOT","features":[40]},{"name":"CPTL_NORMAL","features":[40]},{"name":"CPTL_PAGE","features":[40]},{"name":"CPTL_PRESSED","features":[40]},{"name":"CP_BACKGROUND","features":[40]},{"name":"CP_BORDER","features":[40]},{"name":"CP_CUEBANNER","features":[40]},{"name":"CP_DROPDOWNBUTTON","features":[40]},{"name":"CP_DROPDOWNBUTTONLEFT","features":[40]},{"name":"CP_DROPDOWNBUTTONRIGHT","features":[40]},{"name":"CP_DROPDOWNITEM","features":[40]},{"name":"CP_READONLY","features":[40]},{"name":"CP_TRANSPARENTBACKGROUND","features":[40]},{"name":"CREATELINKSTATES","features":[40]},{"name":"CSST_TAB","features":[40]},{"name":"CSTB_HOT","features":[40]},{"name":"CSTB_NORMAL","features":[40]},{"name":"CSTB_SELECTED","features":[40]},{"name":"CS_ACTIVE","features":[40]},{"name":"CS_DISABLED","features":[40]},{"name":"CS_INACTIVE","features":[40]},{"name":"CUEBANNERSTATES","features":[40]},{"name":"CheckDlgButton","features":[1,40]},{"name":"CheckRadioButton","features":[1,40]},{"name":"CloseThemeData","features":[40]},{"name":"CreateMappedBitmap","features":[1,12,40]},{"name":"CreatePropertySheetPageA","features":[1,12,40,50]},{"name":"CreatePropertySheetPageW","features":[1,12,40,50]},{"name":"CreateStatusWindowA","features":[1,40]},{"name":"CreateStatusWindowW","features":[1,40]},{"name":"CreateSyntheticPointerDevice","features":[40,50]},{"name":"CreateToolbarEx","features":[1,40]},{"name":"CreateUpDownControl","features":[1,40]},{"name":"DATEBORDERSTATES","features":[40]},{"name":"DATEPICKERPARTS","features":[40]},{"name":"DATETEXTSTATES","features":[40]},{"name":"DATETIMEPICKERINFO","features":[1,40]},{"name":"DATETIMEPICK_CLASS","features":[40]},{"name":"DATETIMEPICK_CLASSA","features":[40]},{"name":"DATETIMEPICK_CLASSW","features":[40]},{"name":"DA_ERR","features":[40]},{"name":"DA_LAST","features":[40]},{"name":"DDCOPY_HIGHLIGHT","features":[40]},{"name":"DDCOPY_NOHIGHLIGHT","features":[40]},{"name":"DDCREATELINK_HIGHLIGHT","features":[40]},{"name":"DDCREATELINK_NOHIGHLIGHT","features":[40]},{"name":"DDL_ARCHIVE","features":[40]},{"name":"DDL_DIRECTORY","features":[40]},{"name":"DDL_DRIVES","features":[40]},{"name":"DDL_EXCLUSIVE","features":[40]},{"name":"DDL_HIDDEN","features":[40]},{"name":"DDL_POSTMSGS","features":[40]},{"name":"DDL_READONLY","features":[40]},{"name":"DDL_READWRITE","features":[40]},{"name":"DDL_SYSTEM","features":[40]},{"name":"DDMOVE_HIGHLIGHT","features":[40]},{"name":"DDMOVE_NOHIGHLIGHT","features":[40]},{"name":"DDNONE_HIGHLIGHT","features":[40]},{"name":"DDNONE_NOHIGHLIGHT","features":[40]},{"name":"DDUPDATEMETADATA_HIGHLIGHT","features":[40]},{"name":"DDUPDATEMETADATA_NOHIGHLIGHT","features":[40]},{"name":"DDWARNING_HIGHLIGHT","features":[40]},{"name":"DDWARNING_NOHIGHLIGHT","features":[40]},{"name":"DD_COPY","features":[40]},{"name":"DD_CREATELINK","features":[40]},{"name":"DD_IMAGEBG","features":[40]},{"name":"DD_MOVE","features":[40]},{"name":"DD_NONE","features":[40]},{"name":"DD_TEXTBG","features":[40]},{"name":"DD_UPDATEMETADATA","features":[40]},{"name":"DD_WARNING","features":[40]},{"name":"DELETEITEMSTRUCT","features":[1,40]},{"name":"DLG_BUTTON_CHECK_STATE","features":[40]},{"name":"DLG_DIR_LIST_FILE_TYPE","features":[40]},{"name":"DL_BEGINDRAG","features":[40]},{"name":"DL_CANCELDRAG","features":[40]},{"name":"DL_COPYCURSOR","features":[40]},{"name":"DL_CURSORSET","features":[40]},{"name":"DL_DRAGGING","features":[40]},{"name":"DL_DROPPED","features":[40]},{"name":"DL_MOVECURSOR","features":[40]},{"name":"DL_STOPCURSOR","features":[40]},{"name":"DNHZS_DISABLED","features":[40]},{"name":"DNHZS_HOT","features":[40]},{"name":"DNHZS_NORMAL","features":[40]},{"name":"DNHZS_PRESSED","features":[40]},{"name":"DNS_DISABLED","features":[40]},{"name":"DNS_HOT","features":[40]},{"name":"DNS_NORMAL","features":[40]},{"name":"DNS_PRESSED","features":[40]},{"name":"DOWNHORZSTATES","features":[40]},{"name":"DOWNSTATES","features":[40]},{"name":"DPAMM_DELETE","features":[40]},{"name":"DPAMM_INSERT","features":[40]},{"name":"DPAMM_MERGE","features":[40]},{"name":"DPAMM_MESSAGE","features":[40]},{"name":"DPAM_INTERSECT","features":[40]},{"name":"DPAM_NORMAL","features":[40]},{"name":"DPAM_SORTED","features":[40]},{"name":"DPAM_UNION","features":[40]},{"name":"DPASTREAMINFO","features":[40]},{"name":"DPAS_INSERTAFTER","features":[40]},{"name":"DPAS_INSERTBEFORE","features":[40]},{"name":"DPAS_SORTED","features":[40]},{"name":"DPA_APPEND","features":[40]},{"name":"DPA_Clone","features":[40]},{"name":"DPA_Create","features":[40]},{"name":"DPA_CreateEx","features":[1,40]},{"name":"DPA_DeleteAllPtrs","features":[1,40]},{"name":"DPA_DeletePtr","features":[40]},{"name":"DPA_Destroy","features":[1,40]},{"name":"DPA_DestroyCallback","features":[40]},{"name":"DPA_ERR","features":[40]},{"name":"DPA_EnumCallback","features":[40]},{"name":"DPA_GetPtr","features":[40]},{"name":"DPA_GetPtrIndex","features":[40]},{"name":"DPA_GetSize","features":[40]},{"name":"DPA_Grow","features":[1,40]},{"name":"DPA_InsertPtr","features":[40]},{"name":"DPA_LoadStream","features":[40]},{"name":"DPA_Merge","features":[1,40]},{"name":"DPA_SaveStream","features":[40]},{"name":"DPA_Search","features":[1,40]},{"name":"DPA_SetPtr","features":[1,40]},{"name":"DPA_Sort","features":[1,40]},{"name":"DPDB_DISABLED","features":[40]},{"name":"DPDB_FOCUSED","features":[40]},{"name":"DPDB_HOT","features":[40]},{"name":"DPDB_NORMAL","features":[40]},{"name":"DPDT_DISABLED","features":[40]},{"name":"DPDT_NORMAL","features":[40]},{"name":"DPDT_SELECTED","features":[40]},{"name":"DPSCBR_DISABLED","features":[40]},{"name":"DPSCBR_HOT","features":[40]},{"name":"DPSCBR_NORMAL","features":[40]},{"name":"DPSCBR_PRESSED","features":[40]},{"name":"DP_DATEBORDER","features":[40]},{"name":"DP_DATETEXT","features":[40]},{"name":"DP_SHOWCALENDARBUTTONRIGHT","features":[40]},{"name":"DRAGDROPPARTS","features":[40]},{"name":"DRAGLISTINFO","features":[1,40]},{"name":"DRAGLISTINFO_NOTIFICATION_FLAGS","features":[40]},{"name":"DRAGLISTMSGSTRING","features":[40]},{"name":"DRAWITEMSTRUCT","features":[1,12,40]},{"name":"DRAWITEMSTRUCT_CTL_TYPE","features":[40]},{"name":"DRAW_THEME_PARENT_BACKGROUND_FLAGS","features":[40]},{"name":"DROPDOWNBUTTONLEFTSTATES","features":[40]},{"name":"DROPDOWNBUTTONRIGHTSTATES","features":[40]},{"name":"DROPDOWNITEMSTATES","features":[40]},{"name":"DSA_APPEND","features":[40]},{"name":"DSA_Clone","features":[40]},{"name":"DSA_Create","features":[40]},{"name":"DSA_DeleteAllItems","features":[1,40]},{"name":"DSA_DeleteItem","features":[1,40]},{"name":"DSA_Destroy","features":[1,40]},{"name":"DSA_DestroyCallback","features":[40]},{"name":"DSA_ERR","features":[40]},{"name":"DSA_EnumCallback","features":[40]},{"name":"DSA_GetItem","features":[1,40]},{"name":"DSA_GetItemPtr","features":[40]},{"name":"DSA_GetSize","features":[40]},{"name":"DSA_InsertItem","features":[40]},{"name":"DSA_SetItem","features":[1,40]},{"name":"DSA_Sort","features":[1,40]},{"name":"DTBGOPTS","features":[1,40]},{"name":"DTBG_CLIPRECT","features":[40]},{"name":"DTBG_COMPUTINGREGION","features":[40]},{"name":"DTBG_DRAWSOLID","features":[40]},{"name":"DTBG_MIRRORDC","features":[40]},{"name":"DTBG_NOMIRROR","features":[40]},{"name":"DTBG_OMITBORDER","features":[40]},{"name":"DTBG_OMITCONTENT","features":[40]},{"name":"DTM_CLOSEMONTHCAL","features":[40]},{"name":"DTM_FIRST","features":[40]},{"name":"DTM_GETDATETIMEPICKERINFO","features":[40]},{"name":"DTM_GETIDEALSIZE","features":[40]},{"name":"DTM_GETMCCOLOR","features":[40]},{"name":"DTM_GETMCFONT","features":[40]},{"name":"DTM_GETMCSTYLE","features":[40]},{"name":"DTM_GETMONTHCAL","features":[40]},{"name":"DTM_GETRANGE","features":[40]},{"name":"DTM_GETSYSTEMTIME","features":[40]},{"name":"DTM_SETFORMAT","features":[40]},{"name":"DTM_SETFORMATA","features":[40]},{"name":"DTM_SETFORMATW","features":[40]},{"name":"DTM_SETMCCOLOR","features":[40]},{"name":"DTM_SETMCFONT","features":[40]},{"name":"DTM_SETMCSTYLE","features":[40]},{"name":"DTM_SETRANGE","features":[40]},{"name":"DTM_SETSYSTEMTIME","features":[40]},{"name":"DTN_CLOSEUP","features":[40]},{"name":"DTN_DATETIMECHANGE","features":[40]},{"name":"DTN_DROPDOWN","features":[40]},{"name":"DTN_FIRST","features":[40]},{"name":"DTN_FIRST2","features":[40]},{"name":"DTN_FORMAT","features":[40]},{"name":"DTN_FORMATA","features":[40]},{"name":"DTN_FORMATQUERY","features":[40]},{"name":"DTN_FORMATQUERYA","features":[40]},{"name":"DTN_FORMATQUERYW","features":[40]},{"name":"DTN_FORMATW","features":[40]},{"name":"DTN_LAST","features":[40]},{"name":"DTN_LAST2","features":[40]},{"name":"DTN_USERSTRING","features":[40]},{"name":"DTN_USERSTRINGA","features":[40]},{"name":"DTN_USERSTRINGW","features":[40]},{"name":"DTN_WMKEYDOWN","features":[40]},{"name":"DTN_WMKEYDOWNA","features":[40]},{"name":"DTN_WMKEYDOWNW","features":[40]},{"name":"DTPB_USECTLCOLORSTATIC","features":[40]},{"name":"DTPB_USEERASEBKGND","features":[40]},{"name":"DTPB_WINDOWDC","features":[40]},{"name":"DTS_APPCANPARSE","features":[40]},{"name":"DTS_LONGDATEFORMAT","features":[40]},{"name":"DTS_RIGHTALIGN","features":[40]},{"name":"DTS_SHORTDATECENTURYFORMAT","features":[40]},{"name":"DTS_SHORTDATEFORMAT","features":[40]},{"name":"DTS_SHOWNONE","features":[40]},{"name":"DTS_TIMEFORMAT","features":[40]},{"name":"DTS_UPDOWN","features":[40]},{"name":"DTTOPTS","features":[1,12,40]},{"name":"DTTOPTS_FLAGS","features":[40]},{"name":"DTT_APPLYOVERLAY","features":[40]},{"name":"DTT_BORDERCOLOR","features":[40]},{"name":"DTT_BORDERSIZE","features":[40]},{"name":"DTT_CALCRECT","features":[40]},{"name":"DTT_CALLBACK","features":[40]},{"name":"DTT_CALLBACK_PROC","features":[1,12,40]},{"name":"DTT_COLORPROP","features":[40]},{"name":"DTT_COMPOSITED","features":[40]},{"name":"DTT_FLAGS2VALIDBITS","features":[40]},{"name":"DTT_FONTPROP","features":[40]},{"name":"DTT_GLOWSIZE","features":[40]},{"name":"DTT_GRAYED","features":[40]},{"name":"DTT_SHADOWCOLOR","features":[40]},{"name":"DTT_SHADOWOFFSET","features":[40]},{"name":"DTT_SHADOWTYPE","features":[40]},{"name":"DTT_STATEID","features":[40]},{"name":"DTT_TEXTCOLOR","features":[40]},{"name":"DTT_VALIDBITS","features":[40]},{"name":"DestroyPropertySheetPage","features":[1,40]},{"name":"DestroySyntheticPointerDevice","features":[40]},{"name":"DlgDirListA","features":[1,40]},{"name":"DlgDirListComboBoxA","features":[1,40]},{"name":"DlgDirListComboBoxW","features":[1,40]},{"name":"DlgDirListW","features":[1,40]},{"name":"DlgDirSelectComboBoxExA","features":[1,40]},{"name":"DlgDirSelectComboBoxExW","features":[1,40]},{"name":"DlgDirSelectExA","features":[1,40]},{"name":"DlgDirSelectExW","features":[1,40]},{"name":"DrawInsert","features":[1,40]},{"name":"DrawShadowText","features":[1,12,40]},{"name":"DrawStatusTextA","features":[1,12,40]},{"name":"DrawStatusTextW","features":[1,12,40]},{"name":"DrawThemeBackground","features":[1,12,40]},{"name":"DrawThemeBackgroundEx","features":[1,12,40]},{"name":"DrawThemeEdge","features":[1,12,40]},{"name":"DrawThemeIcon","features":[1,12,40]},{"name":"DrawThemeParentBackground","features":[1,12,40]},{"name":"DrawThemeParentBackgroundEx","features":[1,12,40]},{"name":"DrawThemeText","features":[1,12,40]},{"name":"DrawThemeTextEx","features":[1,12,40]},{"name":"EBHC_HOT","features":[40]},{"name":"EBHC_NORMAL","features":[40]},{"name":"EBHC_PRESSED","features":[40]},{"name":"EBHP_HOT","features":[40]},{"name":"EBHP_NORMAL","features":[40]},{"name":"EBHP_PRESSED","features":[40]},{"name":"EBHP_SELECTEDHOT","features":[40]},{"name":"EBHP_SELECTEDNORMAL","features":[40]},{"name":"EBHP_SELECTEDPRESSED","features":[40]},{"name":"EBM_HOT","features":[40]},{"name":"EBM_NORMAL","features":[40]},{"name":"EBM_PRESSED","features":[40]},{"name":"EBNGC_HOT","features":[40]},{"name":"EBNGC_NORMAL","features":[40]},{"name":"EBNGC_PRESSED","features":[40]},{"name":"EBNGE_HOT","features":[40]},{"name":"EBNGE_NORMAL","features":[40]},{"name":"EBNGE_PRESSED","features":[40]},{"name":"EBP_HEADERBACKGROUND","features":[40]},{"name":"EBP_HEADERCLOSE","features":[40]},{"name":"EBP_HEADERPIN","features":[40]},{"name":"EBP_IEBARMENU","features":[40]},{"name":"EBP_NORMALGROUPBACKGROUND","features":[40]},{"name":"EBP_NORMALGROUPCOLLAPSE","features":[40]},{"name":"EBP_NORMALGROUPEXPAND","features":[40]},{"name":"EBP_NORMALGROUPHEAD","features":[40]},{"name":"EBP_SPECIALGROUPBACKGROUND","features":[40]},{"name":"EBP_SPECIALGROUPCOLLAPSE","features":[40]},{"name":"EBP_SPECIALGROUPEXPAND","features":[40]},{"name":"EBP_SPECIALGROUPHEAD","features":[40]},{"name":"EBSGC_HOT","features":[40]},{"name":"EBSGC_NORMAL","features":[40]},{"name":"EBSGC_PRESSED","features":[40]},{"name":"EBSGE_HOT","features":[40]},{"name":"EBSGE_NORMAL","features":[40]},{"name":"EBSGE_PRESSED","features":[40]},{"name":"EBS_ASSIST","features":[40]},{"name":"EBS_DISABLED","features":[40]},{"name":"EBS_FOCUSED","features":[40]},{"name":"EBS_HOT","features":[40]},{"name":"EBS_NORMAL","features":[40]},{"name":"EBS_READONLY","features":[40]},{"name":"EBWBS_DISABLED","features":[40]},{"name":"EBWBS_FOCUSED","features":[40]},{"name":"EBWBS_HOT","features":[40]},{"name":"EBWBS_NORMAL","features":[40]},{"name":"ECM_FIRST","features":[40]},{"name":"EC_ENDOFLINE","features":[40]},{"name":"EC_ENDOFLINE_CR","features":[40]},{"name":"EC_ENDOFLINE_CRLF","features":[40]},{"name":"EC_ENDOFLINE_DETECTFROMCONTENT","features":[40]},{"name":"EC_ENDOFLINE_LF","features":[40]},{"name":"EC_SEARCHWEB_ENTRYPOINT","features":[40]},{"name":"EC_SEARCHWEB_ENTRYPOINT_CONTEXTMENU","features":[40]},{"name":"EC_SEARCHWEB_ENTRYPOINT_EXTERNAL","features":[40]},{"name":"EDITBALLOONTIP","features":[40]},{"name":"EDITBALLOONTIP_ICON","features":[40]},{"name":"EDITBORDER_HSCROLLSTATES","features":[40]},{"name":"EDITBORDER_HVSCROLLSTATES","features":[40]},{"name":"EDITBORDER_NOSCROLLSTATES","features":[40]},{"name":"EDITBORDER_VSCROLLSTATES","features":[40]},{"name":"EDITPARTS","features":[40]},{"name":"EDITTEXTSTATES","features":[40]},{"name":"EDITWORDBREAKPROCA","features":[40]},{"name":"EDITWORDBREAKPROCW","features":[40]},{"name":"EMF_CENTERED","features":[40]},{"name":"EMPTYMARKUPPARTS","features":[40]},{"name":"EMP_MARKUPTEXT","features":[40]},{"name":"EMT_LINKTEXT","features":[40]},{"name":"EMT_NORMALTEXT","features":[40]},{"name":"EM_CANUNDO","features":[40]},{"name":"EM_CHARFROMPOS","features":[40]},{"name":"EM_EMPTYUNDOBUFFER","features":[40]},{"name":"EM_ENABLEFEATURE","features":[40]},{"name":"EM_ENABLESEARCHWEB","features":[40]},{"name":"EM_FILELINEFROMCHAR","features":[40]},{"name":"EM_FILELINEINDEX","features":[40]},{"name":"EM_FILELINELENGTH","features":[40]},{"name":"EM_FMTLINES","features":[40]},{"name":"EM_GETCARETINDEX","features":[40]},{"name":"EM_GETCUEBANNER","features":[40]},{"name":"EM_GETENDOFLINE","features":[40]},{"name":"EM_GETEXTENDEDSTYLE","features":[40]},{"name":"EM_GETFILELINE","features":[40]},{"name":"EM_GETFILELINECOUNT","features":[40]},{"name":"EM_GETFIRSTVISIBLELINE","features":[40]},{"name":"EM_GETHANDLE","features":[40]},{"name":"EM_GETHILITE","features":[40]},{"name":"EM_GETIMESTATUS","features":[40]},{"name":"EM_GETLIMITTEXT","features":[40]},{"name":"EM_GETLINE","features":[40]},{"name":"EM_GETLINECOUNT","features":[40]},{"name":"EM_GETMARGINS","features":[40]},{"name":"EM_GETMODIFY","features":[40]},{"name":"EM_GETPASSWORDCHAR","features":[40]},{"name":"EM_GETRECT","features":[40]},{"name":"EM_GETSEL","features":[40]},{"name":"EM_GETTHUMB","features":[40]},{"name":"EM_GETWORDBREAKPROC","features":[40]},{"name":"EM_HIDEBALLOONTIP","features":[40]},{"name":"EM_LIMITTEXT","features":[40]},{"name":"EM_LINEFROMCHAR","features":[40]},{"name":"EM_LINEINDEX","features":[40]},{"name":"EM_LINELENGTH","features":[40]},{"name":"EM_LINESCROLL","features":[40]},{"name":"EM_NOSETFOCUS","features":[40]},{"name":"EM_POSFROMCHAR","features":[40]},{"name":"EM_REPLACESEL","features":[40]},{"name":"EM_SCROLL","features":[40]},{"name":"EM_SCROLLCARET","features":[40]},{"name":"EM_SEARCHWEB","features":[40]},{"name":"EM_SETCARETINDEX","features":[40]},{"name":"EM_SETCUEBANNER","features":[40]},{"name":"EM_SETENDOFLINE","features":[40]},{"name":"EM_SETEXTENDEDSTYLE","features":[40]},{"name":"EM_SETHANDLE","features":[40]},{"name":"EM_SETHILITE","features":[40]},{"name":"EM_SETIMESTATUS","features":[40]},{"name":"EM_SETLIMITTEXT","features":[40]},{"name":"EM_SETMARGINS","features":[40]},{"name":"EM_SETMODIFY","features":[40]},{"name":"EM_SETPASSWORDCHAR","features":[40]},{"name":"EM_SETREADONLY","features":[40]},{"name":"EM_SETRECT","features":[40]},{"name":"EM_SETRECTNP","features":[40]},{"name":"EM_SETSEL","features":[40]},{"name":"EM_SETTABSTOPS","features":[40]},{"name":"EM_SETWORDBREAKPROC","features":[40]},{"name":"EM_SHOWBALLOONTIP","features":[40]},{"name":"EM_TAKEFOCUS","features":[40]},{"name":"EM_UNDO","features":[40]},{"name":"ENABLE_SCROLL_BAR_ARROWS","features":[40]},{"name":"EN_FIRST","features":[40]},{"name":"EN_LAST","features":[40]},{"name":"EN_SEARCHWEB","features":[40]},{"name":"EPSHV_DISABLED","features":[40]},{"name":"EPSHV_FOCUSED","features":[40]},{"name":"EPSHV_HOT","features":[40]},{"name":"EPSHV_NORMAL","features":[40]},{"name":"EPSH_DISABLED","features":[40]},{"name":"EPSH_FOCUSED","features":[40]},{"name":"EPSH_HOT","features":[40]},{"name":"EPSH_NORMAL","features":[40]},{"name":"EPSN_DISABLED","features":[40]},{"name":"EPSN_FOCUSED","features":[40]},{"name":"EPSN_HOT","features":[40]},{"name":"EPSN_NORMAL","features":[40]},{"name":"EPSV_DISABLED","features":[40]},{"name":"EPSV_FOCUSED","features":[40]},{"name":"EPSV_HOT","features":[40]},{"name":"EPSV_NORMAL","features":[40]},{"name":"EP_BACKGROUND","features":[40]},{"name":"EP_BACKGROUNDWITHBORDER","features":[40]},{"name":"EP_CARET","features":[40]},{"name":"EP_EDITBORDER_HSCROLL","features":[40]},{"name":"EP_EDITBORDER_HVSCROLL","features":[40]},{"name":"EP_EDITBORDER_NOSCROLL","features":[40]},{"name":"EP_EDITBORDER_VSCROLL","features":[40]},{"name":"EP_EDITTEXT","features":[40]},{"name":"EP_PASSWORD","features":[40]},{"name":"ESB_DISABLE_BOTH","features":[40]},{"name":"ESB_DISABLE_DOWN","features":[40]},{"name":"ESB_DISABLE_LEFT","features":[40]},{"name":"ESB_DISABLE_LTUP","features":[40]},{"name":"ESB_DISABLE_RIGHT","features":[40]},{"name":"ESB_DISABLE_RTDN","features":[40]},{"name":"ESB_DISABLE_UP","features":[40]},{"name":"ESB_ENABLE_BOTH","features":[40]},{"name":"ES_EX_ALLOWEOL_CR","features":[40]},{"name":"ES_EX_ALLOWEOL_LF","features":[40]},{"name":"ES_EX_CONVERT_EOL_ON_PASTE","features":[40]},{"name":"ES_EX_ZOOMABLE","features":[40]},{"name":"ETDT_DISABLE","features":[40]},{"name":"ETDT_ENABLE","features":[40]},{"name":"ETDT_USEAEROWIZARDTABTEXTURE","features":[40]},{"name":"ETDT_USETABTEXTURE","features":[40]},{"name":"ETS_ASSIST","features":[40]},{"name":"ETS_CUEBANNER","features":[40]},{"name":"ETS_DISABLED","features":[40]},{"name":"ETS_FOCUSED","features":[40]},{"name":"ETS_HOT","features":[40]},{"name":"ETS_NORMAL","features":[40]},{"name":"ETS_READONLY","features":[40]},{"name":"ETS_SELECTED","features":[40]},{"name":"EXPANDBUTTONSTATES","features":[40]},{"name":"EXPANDOBUTTONSTATES","features":[40]},{"name":"EXPLORERBARPARTS","features":[40]},{"name":"EnableScrollBar","features":[1,40]},{"name":"EnableThemeDialogTexture","features":[1,40]},{"name":"EnableTheming","features":[1,40]},{"name":"EndBufferedAnimation","features":[1,40]},{"name":"EndBufferedPaint","features":[1,40]},{"name":"EndPanningFeedback","features":[1,40]},{"name":"EvaluateProximityToPolygon","features":[1,40]},{"name":"EvaluateProximityToRect","features":[1,40]},{"name":"FBS_EMPHASIZED","features":[40]},{"name":"FBS_NORMAL","features":[40]},{"name":"FEEDBACK_GESTURE_PRESSANDTAP","features":[40]},{"name":"FEEDBACK_MAX","features":[40]},{"name":"FEEDBACK_PEN_BARRELVISUALIZATION","features":[40]},{"name":"FEEDBACK_PEN_DOUBLETAP","features":[40]},{"name":"FEEDBACK_PEN_PRESSANDHOLD","features":[40]},{"name":"FEEDBACK_PEN_RIGHTTAP","features":[40]},{"name":"FEEDBACK_PEN_TAP","features":[40]},{"name":"FEEDBACK_TOUCH_CONTACTVISUALIZATION","features":[40]},{"name":"FEEDBACK_TOUCH_DOUBLETAP","features":[40]},{"name":"FEEDBACK_TOUCH_PRESSANDHOLD","features":[40]},{"name":"FEEDBACK_TOUCH_RIGHTTAP","features":[40]},{"name":"FEEDBACK_TOUCH_TAP","features":[40]},{"name":"FEEDBACK_TYPE","features":[40]},{"name":"FILEOPENORD","features":[40]},{"name":"FILLSTATES","features":[40]},{"name":"FILLTYPE","features":[40]},{"name":"FILLVERTSTATES","features":[40]},{"name":"FINDDLGORD","features":[40]},{"name":"FLH_HOVER","features":[40]},{"name":"FLH_NORMAL","features":[40]},{"name":"FLS_DISABLED","features":[40]},{"name":"FLS_EMPHASIZED","features":[40]},{"name":"FLS_NORMAL","features":[40]},{"name":"FLS_SELECTED","features":[40]},{"name":"FLYOUTLINK_HOVER","features":[40]},{"name":"FLYOUTLINK_NORMAL","features":[40]},{"name":"FLYOUTPARTS","features":[40]},{"name":"FLYOUT_BODY","features":[40]},{"name":"FLYOUT_DIVIDER","features":[40]},{"name":"FLYOUT_HEADER","features":[40]},{"name":"FLYOUT_LABEL","features":[40]},{"name":"FLYOUT_LINK","features":[40]},{"name":"FLYOUT_LINKAREA","features":[40]},{"name":"FLYOUT_LINKHEADER","features":[40]},{"name":"FLYOUT_WINDOW","features":[40]},{"name":"FONTDLGORD","features":[40]},{"name":"FORMATDLGORD30","features":[40]},{"name":"FORMATDLGORD31","features":[40]},{"name":"FRAMEBOTTOMSTATES","features":[40]},{"name":"FRAMELEFTSTATES","features":[40]},{"name":"FRAMERIGHTSTATES","features":[40]},{"name":"FRAMESTATES","features":[40]},{"name":"FRB_ACTIVE","features":[40]},{"name":"FRB_INACTIVE","features":[40]},{"name":"FRL_ACTIVE","features":[40]},{"name":"FRL_INACTIVE","features":[40]},{"name":"FRR_ACTIVE","features":[40]},{"name":"FRR_INACTIVE","features":[40]},{"name":"FSB_ENCARTA_MODE","features":[40]},{"name":"FSB_FLAT_MODE","features":[40]},{"name":"FSB_REGULAR_MODE","features":[40]},{"name":"FS_ACTIVE","features":[40]},{"name":"FS_INACTIVE","features":[40]},{"name":"FT_HORZGRADIENT","features":[40]},{"name":"FT_RADIALGRADIENT","features":[40]},{"name":"FT_SOLID","features":[40]},{"name":"FT_TILEIMAGE","features":[40]},{"name":"FT_VERTGRADIENT","features":[40]},{"name":"FlatSB_EnableScrollBar","features":[1,40]},{"name":"FlatSB_GetScrollInfo","features":[1,40,50]},{"name":"FlatSB_GetScrollPos","features":[1,40,50]},{"name":"FlatSB_GetScrollProp","features":[1,40]},{"name":"FlatSB_GetScrollRange","features":[1,40,50]},{"name":"FlatSB_SetScrollInfo","features":[1,40,50]},{"name":"FlatSB_SetScrollPos","features":[1,40,50]},{"name":"FlatSB_SetScrollProp","features":[1,40]},{"name":"FlatSB_SetScrollRange","features":[1,40,50]},{"name":"FlatSB_ShowScrollBar","features":[1,40,50]},{"name":"GBF_COPY","features":[40]},{"name":"GBF_DIRECT","features":[40]},{"name":"GBF_VALIDBITS","features":[40]},{"name":"GBS_DISABLED","features":[40]},{"name":"GBS_NORMAL","features":[40]},{"name":"GDTR_MAX","features":[40]},{"name":"GDTR_MIN","features":[40]},{"name":"GDT_ERROR","features":[40]},{"name":"GDT_NONE","features":[40]},{"name":"GDT_VALID","features":[40]},{"name":"GET_THEME_BITMAP_FLAGS","features":[40]},{"name":"GFST_DPI","features":[40]},{"name":"GFST_NONE","features":[40]},{"name":"GFST_SIZE","features":[40]},{"name":"GLPS_CLOSED","features":[40]},{"name":"GLPS_OPENED","features":[40]},{"name":"GLYPHFONTSIZINGTYPE","features":[40]},{"name":"GLYPHSTATES","features":[40]},{"name":"GLYPHTYPE","features":[40]},{"name":"GMR_DAYSTATE","features":[40]},{"name":"GMR_VISIBLE","features":[40]},{"name":"GRIDCELLBACKGROUNDSTATES","features":[40]},{"name":"GRIDCELLSTATES","features":[40]},{"name":"GRIDCELLUPPERSTATES","features":[40]},{"name":"GRIPPERSTATES","features":[40]},{"name":"GROUPBOXSTATES","features":[40]},{"name":"GROUPHEADERLINESTATES","features":[40]},{"name":"GROUPHEADERSTATES","features":[40]},{"name":"GT_FONTGLYPH","features":[40]},{"name":"GT_IMAGEGLYPH","features":[40]},{"name":"GT_NONE","features":[40]},{"name":"GetBufferedPaintBits","features":[12,40]},{"name":"GetBufferedPaintDC","features":[12,40]},{"name":"GetBufferedPaintTargetDC","features":[12,40]},{"name":"GetBufferedPaintTargetRect","features":[1,40]},{"name":"GetComboBoxInfo","features":[1,40]},{"name":"GetCurrentThemeName","features":[40]},{"name":"GetEffectiveClientRect","features":[1,40]},{"name":"GetListBoxInfo","features":[1,40]},{"name":"GetMUILanguage","features":[40]},{"name":"GetThemeAnimationProperty","features":[40]},{"name":"GetThemeAnimationTransform","features":[40]},{"name":"GetThemeAppProperties","features":[40]},{"name":"GetThemeBackgroundContentRect","features":[1,12,40]},{"name":"GetThemeBackgroundExtent","features":[1,12,40]},{"name":"GetThemeBackgroundRegion","features":[1,12,40]},{"name":"GetThemeBitmap","features":[12,40]},{"name":"GetThemeBool","features":[1,40]},{"name":"GetThemeColor","features":[1,40]},{"name":"GetThemeDocumentationProperty","features":[40]},{"name":"GetThemeEnumValue","features":[40]},{"name":"GetThemeFilename","features":[40]},{"name":"GetThemeFont","features":[12,40]},{"name":"GetThemeInt","features":[40]},{"name":"GetThemeIntList","features":[40]},{"name":"GetThemeMargins","features":[1,12,40]},{"name":"GetThemeMetric","features":[12,40]},{"name":"GetThemePartSize","features":[1,12,40]},{"name":"GetThemePosition","features":[1,40]},{"name":"GetThemePropertyOrigin","features":[40]},{"name":"GetThemeRect","features":[1,40]},{"name":"GetThemeStream","features":[1,40]},{"name":"GetThemeString","features":[40]},{"name":"GetThemeSysBool","features":[1,40]},{"name":"GetThemeSysColor","features":[1,40]},{"name":"GetThemeSysColorBrush","features":[12,40]},{"name":"GetThemeSysFont","features":[12,40]},{"name":"GetThemeSysInt","features":[40]},{"name":"GetThemeSysSize","features":[40]},{"name":"GetThemeSysString","features":[40]},{"name":"GetThemeTextExtent","features":[1,12,40]},{"name":"GetThemeTextMetrics","features":[12,40]},{"name":"GetThemeTimingFunction","features":[40]},{"name":"GetThemeTransitionDuration","features":[40]},{"name":"GetWindowFeedbackSetting","features":[1,40]},{"name":"GetWindowTheme","features":[1,40]},{"name":"HALIGN","features":[40]},{"name":"HA_CENTER","features":[40]},{"name":"HA_LEFT","features":[40]},{"name":"HA_RIGHT","features":[40]},{"name":"HBG_DETAILS","features":[40]},{"name":"HBG_ICON","features":[40]},{"name":"HBS_DISABLED","features":[40]},{"name":"HBS_HOT","features":[40]},{"name":"HBS_NORMAL","features":[40]},{"name":"HBS_PUSHED","features":[40]},{"name":"HDDFS_HOT","features":[40]},{"name":"HDDFS_NORMAL","features":[40]},{"name":"HDDFS_SOFTHOT","features":[40]},{"name":"HDDS_HOT","features":[40]},{"name":"HDDS_NORMAL","features":[40]},{"name":"HDDS_SOFTHOT","features":[40]},{"name":"HDFT_HASNOVALUE","features":[40]},{"name":"HDFT_ISDATE","features":[40]},{"name":"HDFT_ISNUMBER","features":[40]},{"name":"HDFT_ISSTRING","features":[40]},{"name":"HDF_BITMAP","features":[40]},{"name":"HDF_BITMAP_ON_RIGHT","features":[40]},{"name":"HDF_CENTER","features":[40]},{"name":"HDF_CHECKBOX","features":[40]},{"name":"HDF_CHECKED","features":[40]},{"name":"HDF_FIXEDWIDTH","features":[40]},{"name":"HDF_IMAGE","features":[40]},{"name":"HDF_JUSTIFYMASK","features":[40]},{"name":"HDF_LEFT","features":[40]},{"name":"HDF_OWNERDRAW","features":[40]},{"name":"HDF_RIGHT","features":[40]},{"name":"HDF_RTLREADING","features":[40]},{"name":"HDF_SORTDOWN","features":[40]},{"name":"HDF_SORTUP","features":[40]},{"name":"HDF_SPLITBUTTON","features":[40]},{"name":"HDF_STRING","features":[40]},{"name":"HDHITTESTINFO","features":[1,40]},{"name":"HDIS_FOCUSED","features":[40]},{"name":"HDITEMA","features":[1,12,40]},{"name":"HDITEMW","features":[1,12,40]},{"name":"HDI_BITMAP","features":[40]},{"name":"HDI_DI_SETITEM","features":[40]},{"name":"HDI_FILTER","features":[40]},{"name":"HDI_FORMAT","features":[40]},{"name":"HDI_HEIGHT","features":[40]},{"name":"HDI_IMAGE","features":[40]},{"name":"HDI_LPARAM","features":[40]},{"name":"HDI_MASK","features":[40]},{"name":"HDI_ORDER","features":[40]},{"name":"HDI_STATE","features":[40]},{"name":"HDI_TEXT","features":[40]},{"name":"HDI_WIDTH","features":[40]},{"name":"HDLAYOUT","features":[1,40,50]},{"name":"HDM_CLEARFILTER","features":[40]},{"name":"HDM_CREATEDRAGIMAGE","features":[40]},{"name":"HDM_DELETEITEM","features":[40]},{"name":"HDM_EDITFILTER","features":[40]},{"name":"HDM_FIRST","features":[40]},{"name":"HDM_GETBITMAPMARGIN","features":[40]},{"name":"HDM_GETFOCUSEDITEM","features":[40]},{"name":"HDM_GETIMAGELIST","features":[40]},{"name":"HDM_GETITEM","features":[40]},{"name":"HDM_GETITEMA","features":[40]},{"name":"HDM_GETITEMCOUNT","features":[40]},{"name":"HDM_GETITEMDROPDOWNRECT","features":[40]},{"name":"HDM_GETITEMRECT","features":[40]},{"name":"HDM_GETITEMW","features":[40]},{"name":"HDM_GETORDERARRAY","features":[40]},{"name":"HDM_GETOVERFLOWRECT","features":[40]},{"name":"HDM_GETUNICODEFORMAT","features":[40]},{"name":"HDM_HITTEST","features":[40]},{"name":"HDM_INSERTITEM","features":[40]},{"name":"HDM_INSERTITEMA","features":[40]},{"name":"HDM_INSERTITEMW","features":[40]},{"name":"HDM_LAYOUT","features":[40]},{"name":"HDM_ORDERTOINDEX","features":[40]},{"name":"HDM_SETBITMAPMARGIN","features":[40]},{"name":"HDM_SETFILTERCHANGETIMEOUT","features":[40]},{"name":"HDM_SETFOCUSEDITEM","features":[40]},{"name":"HDM_SETHOTDIVIDER","features":[40]},{"name":"HDM_SETIMAGELIST","features":[40]},{"name":"HDM_SETITEM","features":[40]},{"name":"HDM_SETITEMA","features":[40]},{"name":"HDM_SETITEMW","features":[40]},{"name":"HDM_SETORDERARRAY","features":[40]},{"name":"HDM_SETUNICODEFORMAT","features":[40]},{"name":"HDN_BEGINDRAG","features":[40]},{"name":"HDN_BEGINFILTEREDIT","features":[40]},{"name":"HDN_BEGINTRACK","features":[40]},{"name":"HDN_BEGINTRACKA","features":[40]},{"name":"HDN_BEGINTRACKW","features":[40]},{"name":"HDN_DIVIDERDBLCLICK","features":[40]},{"name":"HDN_DIVIDERDBLCLICKA","features":[40]},{"name":"HDN_DIVIDERDBLCLICKW","features":[40]},{"name":"HDN_DROPDOWN","features":[40]},{"name":"HDN_ENDDRAG","features":[40]},{"name":"HDN_ENDFILTEREDIT","features":[40]},{"name":"HDN_ENDTRACK","features":[40]},{"name":"HDN_ENDTRACKA","features":[40]},{"name":"HDN_ENDTRACKW","features":[40]},{"name":"HDN_FILTERBTNCLICK","features":[40]},{"name":"HDN_FILTERCHANGE","features":[40]},{"name":"HDN_FIRST","features":[40]},{"name":"HDN_GETDISPINFO","features":[40]},{"name":"HDN_GETDISPINFOA","features":[40]},{"name":"HDN_GETDISPINFOW","features":[40]},{"name":"HDN_ITEMCHANGED","features":[40]},{"name":"HDN_ITEMCHANGEDA","features":[40]},{"name":"HDN_ITEMCHANGEDW","features":[40]},{"name":"HDN_ITEMCHANGING","features":[40]},{"name":"HDN_ITEMCHANGINGA","features":[40]},{"name":"HDN_ITEMCHANGINGW","features":[40]},{"name":"HDN_ITEMCLICK","features":[40]},{"name":"HDN_ITEMCLICKA","features":[40]},{"name":"HDN_ITEMCLICKW","features":[40]},{"name":"HDN_ITEMDBLCLICK","features":[40]},{"name":"HDN_ITEMDBLCLICKA","features":[40]},{"name":"HDN_ITEMDBLCLICKW","features":[40]},{"name":"HDN_ITEMKEYDOWN","features":[40]},{"name":"HDN_ITEMSTATEICONCLICK","features":[40]},{"name":"HDN_LAST","features":[40]},{"name":"HDN_OVERFLOWCLICK","features":[40]},{"name":"HDN_TRACK","features":[40]},{"name":"HDN_TRACKA","features":[40]},{"name":"HDN_TRACKW","features":[40]},{"name":"HDPA","features":[40]},{"name":"HDSA","features":[40]},{"name":"HDSIL_NORMAL","features":[40]},{"name":"HDSIL_STATE","features":[40]},{"name":"HDS_BUTTONS","features":[40]},{"name":"HDS_CHECKBOXES","features":[40]},{"name":"HDS_DRAGDROP","features":[40]},{"name":"HDS_FILTERBAR","features":[40]},{"name":"HDS_FLAT","features":[40]},{"name":"HDS_FULLDRAG","features":[40]},{"name":"HDS_HIDDEN","features":[40]},{"name":"HDS_HORZ","features":[40]},{"name":"HDS_HOTTRACK","features":[40]},{"name":"HDS_NOSIZING","features":[40]},{"name":"HDS_OVERFLOW","features":[40]},{"name":"HD_TEXTFILTERA","features":[40]},{"name":"HD_TEXTFILTERW","features":[40]},{"name":"HEADERAREASTATES","features":[40]},{"name":"HEADERCLOSESTATES","features":[40]},{"name":"HEADERDROPDOWNFILTERSTATES","features":[40]},{"name":"HEADERDROPDOWNSTATES","features":[40]},{"name":"HEADERITEMLEFTSTATES","features":[40]},{"name":"HEADERITEMRIGHTSTATES","features":[40]},{"name":"HEADERITEMSTATES","features":[40]},{"name":"HEADEROVERFLOWSTATES","features":[40]},{"name":"HEADERPARTS","features":[40]},{"name":"HEADERPINSTATES","features":[40]},{"name":"HEADERSORTARROWSTATES","features":[40]},{"name":"HEADERSTYLESTATES","features":[40]},{"name":"HEADER_CONTROL_FORMAT_FLAGS","features":[40]},{"name":"HEADER_CONTROL_FORMAT_STATE","features":[40]},{"name":"HEADER_CONTROL_FORMAT_TYPE","features":[40]},{"name":"HEADER_CONTROL_NOTIFICATION_BUTTON","features":[40]},{"name":"HEADER_CONTROL_NOTIFICATION_BUTTON_LEFT","features":[40]},{"name":"HEADER_CONTROL_NOTIFICATION_BUTTON_MIDDLE","features":[40]},{"name":"HEADER_CONTROL_NOTIFICATION_BUTTON_RIGHT","features":[40]},{"name":"HEADER_HITTEST_INFO_FLAGS","features":[40]},{"name":"HELPBUTTONSTATES","features":[40]},{"name":"HELPLINKSTATES","features":[40]},{"name":"HGLPS_CLOSED","features":[40]},{"name":"HGLPS_OPENED","features":[40]},{"name":"HHT_ABOVE","features":[40]},{"name":"HHT_BELOW","features":[40]},{"name":"HHT_NOWHERE","features":[40]},{"name":"HHT_ONDIVIDER","features":[40]},{"name":"HHT_ONDIVOPEN","features":[40]},{"name":"HHT_ONDROPDOWN","features":[40]},{"name":"HHT_ONFILTER","features":[40]},{"name":"HHT_ONFILTERBUTTON","features":[40]},{"name":"HHT_ONHEADER","features":[40]},{"name":"HHT_ONITEMSTATEICON","features":[40]},{"name":"HHT_ONOVERFLOW","features":[40]},{"name":"HHT_TOLEFT","features":[40]},{"name":"HHT_TORIGHT","features":[40]},{"name":"HICF_ACCELERATOR","features":[40]},{"name":"HICF_ARROWKEYS","features":[40]},{"name":"HICF_DUPACCEL","features":[40]},{"name":"HICF_ENTERING","features":[40]},{"name":"HICF_LEAVING","features":[40]},{"name":"HICF_LMOUSE","features":[40]},{"name":"HICF_MOUSE","features":[40]},{"name":"HICF_OTHER","features":[40]},{"name":"HICF_RESELECT","features":[40]},{"name":"HICF_TOGGLEDROPDOWN","features":[40]},{"name":"HILS_HOT","features":[40]},{"name":"HILS_NORMAL","features":[40]},{"name":"HILS_PRESSED","features":[40]},{"name":"HIMAGELIST","features":[40]},{"name":"HIMAGELIST_QueryInterface","features":[40]},{"name":"HIRS_HOT","features":[40]},{"name":"HIRS_NORMAL","features":[40]},{"name":"HIRS_PRESSED","features":[40]},{"name":"HIST_ADDTOFAVORITES","features":[40]},{"name":"HIST_BACK","features":[40]},{"name":"HIST_FAVORITES","features":[40]},{"name":"HIST_FORWARD","features":[40]},{"name":"HIST_VIEWTREE","features":[40]},{"name":"HIS_HOT","features":[40]},{"name":"HIS_ICONHOT","features":[40]},{"name":"HIS_ICONNORMAL","features":[40]},{"name":"HIS_ICONPRESSED","features":[40]},{"name":"HIS_ICONSORTEDHOT","features":[40]},{"name":"HIS_ICONSORTEDNORMAL","features":[40]},{"name":"HIS_ICONSORTEDPRESSED","features":[40]},{"name":"HIS_NORMAL","features":[40]},{"name":"HIS_PRESSED","features":[40]},{"name":"HIS_SORTEDHOT","features":[40]},{"name":"HIS_SORTEDNORMAL","features":[40]},{"name":"HIS_SORTEDPRESSED","features":[40]},{"name":"HIT_TEST_BACKGROUND_OPTIONS","features":[40]},{"name":"HKCOMB_A","features":[40]},{"name":"HKCOMB_C","features":[40]},{"name":"HKCOMB_CA","features":[40]},{"name":"HKCOMB_NONE","features":[40]},{"name":"HKCOMB_S","features":[40]},{"name":"HKCOMB_SA","features":[40]},{"name":"HKCOMB_SC","features":[40]},{"name":"HKCOMB_SCA","features":[40]},{"name":"HKM_GETHOTKEY","features":[40]},{"name":"HKM_SETHOTKEY","features":[40]},{"name":"HKM_SETRULES","features":[40]},{"name":"HLS_LINKTEXT","features":[40]},{"name":"HLS_NORMALTEXT","features":[40]},{"name":"HOFS_HOT","features":[40]},{"name":"HOFS_NORMAL","features":[40]},{"name":"HORZSCROLLSTATES","features":[40]},{"name":"HORZTHUMBSTATES","features":[40]},{"name":"HOTGLYPHSTATES","features":[40]},{"name":"HOTKEYF_ALT","features":[40]},{"name":"HOTKEYF_CONTROL","features":[40]},{"name":"HOTKEYF_EXT","features":[40]},{"name":"HOTKEYF_SHIFT","features":[40]},{"name":"HOTKEY_CLASS","features":[40]},{"name":"HOTKEY_CLASSA","features":[40]},{"name":"HOTKEY_CLASSW","features":[40]},{"name":"HOVERBACKGROUNDSTATES","features":[40]},{"name":"HOVER_DEFAULT","features":[40]},{"name":"HPROPSHEETPAGE","features":[40]},{"name":"HP_HEADERDROPDOWN","features":[40]},{"name":"HP_HEADERDROPDOWNFILTER","features":[40]},{"name":"HP_HEADERITEM","features":[40]},{"name":"HP_HEADERITEMLEFT","features":[40]},{"name":"HP_HEADERITEMRIGHT","features":[40]},{"name":"HP_HEADEROVERFLOW","features":[40]},{"name":"HP_HEADERSORTARROW","features":[40]},{"name":"HSAS_SORTEDDOWN","features":[40]},{"name":"HSAS_SORTEDUP","features":[40]},{"name":"HSS_DISABLED","features":[40]},{"name":"HSS_HOT","features":[40]},{"name":"HSS_NORMAL","features":[40]},{"name":"HSS_PUSHED","features":[40]},{"name":"HSYNTHETICPOINTERDEVICE","features":[40]},{"name":"HTHEME","features":[40]},{"name":"HTREEITEM","features":[40]},{"name":"HTS_DISABLED","features":[40]},{"name":"HTS_HOT","features":[40]},{"name":"HTS_NORMAL","features":[40]},{"name":"HTS_PUSHED","features":[40]},{"name":"HTTB_BACKGROUNDSEG","features":[40]},{"name":"HTTB_CAPTION","features":[40]},{"name":"HTTB_FIXEDBORDER","features":[40]},{"name":"HTTB_RESIZINGBORDER","features":[40]},{"name":"HTTB_RESIZINGBORDER_BOTTOM","features":[40]},{"name":"HTTB_RESIZINGBORDER_LEFT","features":[40]},{"name":"HTTB_RESIZINGBORDER_RIGHT","features":[40]},{"name":"HTTB_RESIZINGBORDER_TOP","features":[40]},{"name":"HTTB_SIZINGTEMPLATE","features":[40]},{"name":"HTTB_SYSTEMSIZINGMARGINS","features":[40]},{"name":"HYPERLINKSTATES","features":[40]},{"name":"HYPERLINKTEXTSTATES","features":[40]},{"name":"HitTestThemeBackground","features":[1,12,40]},{"name":"ICC_ANIMATE_CLASS","features":[40]},{"name":"ICC_BAR_CLASSES","features":[40]},{"name":"ICC_COOL_CLASSES","features":[40]},{"name":"ICC_DATE_CLASSES","features":[40]},{"name":"ICC_HOTKEY_CLASS","features":[40]},{"name":"ICC_INTERNET_CLASSES","features":[40]},{"name":"ICC_LINK_CLASS","features":[40]},{"name":"ICC_LISTVIEW_CLASSES","features":[40]},{"name":"ICC_NATIVEFNTCTL_CLASS","features":[40]},{"name":"ICC_PAGESCROLLER_CLASS","features":[40]},{"name":"ICC_PROGRESS_CLASS","features":[40]},{"name":"ICC_STANDARD_CLASSES","features":[40]},{"name":"ICC_TAB_CLASSES","features":[40]},{"name":"ICC_TREEVIEW_CLASSES","features":[40]},{"name":"ICC_UPDOWN_CLASS","features":[40]},{"name":"ICC_USEREX_CLASSES","features":[40]},{"name":"ICC_WIN95_CLASSES","features":[40]},{"name":"ICE_ALPHA","features":[40]},{"name":"ICE_GLOW","features":[40]},{"name":"ICE_NONE","features":[40]},{"name":"ICE_PULSE","features":[40]},{"name":"ICE_SHADOW","features":[40]},{"name":"ICONEFFECT","features":[40]},{"name":"IDB_HIST_DISABLED","features":[40]},{"name":"IDB_HIST_HOT","features":[40]},{"name":"IDB_HIST_LARGE_COLOR","features":[40]},{"name":"IDB_HIST_NORMAL","features":[40]},{"name":"IDB_HIST_PRESSED","features":[40]},{"name":"IDB_HIST_SMALL_COLOR","features":[40]},{"name":"IDB_STD_LARGE_COLOR","features":[40]},{"name":"IDB_STD_SMALL_COLOR","features":[40]},{"name":"IDB_VIEW_LARGE_COLOR","features":[40]},{"name":"IDB_VIEW_SMALL_COLOR","features":[40]},{"name":"IDC_MANAGE_LINK","features":[40]},{"name":"ID_PSRESTARTWINDOWS","features":[40]},{"name":"IEBARMENUSTATES","features":[40]},{"name":"IImageList","features":[40]},{"name":"IImageList2","features":[40]},{"name":"ILCF_MOVE","features":[40]},{"name":"ILCF_SWAP","features":[40]},{"name":"ILC_COLOR","features":[40]},{"name":"ILC_COLOR16","features":[40]},{"name":"ILC_COLOR24","features":[40]},{"name":"ILC_COLOR32","features":[40]},{"name":"ILC_COLOR4","features":[40]},{"name":"ILC_COLOR8","features":[40]},{"name":"ILC_COLORDDB","features":[40]},{"name":"ILC_HIGHQUALITYSCALE","features":[40]},{"name":"ILC_MASK","features":[40]},{"name":"ILC_MIRROR","features":[40]},{"name":"ILC_ORIGINALSIZE","features":[40]},{"name":"ILC_PALETTE","features":[40]},{"name":"ILC_PERITEMMIRROR","features":[40]},{"name":"ILDI_PURGE","features":[40]},{"name":"ILDI_QUERYACCESS","features":[40]},{"name":"ILDI_RESETACCESS","features":[40]},{"name":"ILDI_STANDBY","features":[40]},{"name":"ILDRF_IMAGELOWQUALITY","features":[40]},{"name":"ILDRF_OVERLAYLOWQUALITY","features":[40]},{"name":"ILD_ASYNC","features":[40]},{"name":"ILD_BLEND","features":[40]},{"name":"ILD_BLEND25","features":[40]},{"name":"ILD_BLEND50","features":[40]},{"name":"ILD_DPISCALE","features":[40]},{"name":"ILD_FOCUS","features":[40]},{"name":"ILD_IMAGE","features":[40]},{"name":"ILD_MASK","features":[40]},{"name":"ILD_NORMAL","features":[40]},{"name":"ILD_OVERLAYMASK","features":[40]},{"name":"ILD_PRESERVEALPHA","features":[40]},{"name":"ILD_ROP","features":[40]},{"name":"ILD_SCALE","features":[40]},{"name":"ILD_SELECTED","features":[40]},{"name":"ILD_TRANSPARENT","features":[40]},{"name":"ILFIP_ALWAYS","features":[40]},{"name":"ILFIP_FROMSTANDBY","features":[40]},{"name":"ILGOS_ALWAYS","features":[40]},{"name":"ILGOS_FROMSTANDBY","features":[40]},{"name":"ILGT_ASYNC","features":[40]},{"name":"ILGT_NORMAL","features":[40]},{"name":"ILIF_ALPHA","features":[40]},{"name":"ILIF_LOWQUALITY","features":[40]},{"name":"ILP_DOWNLEVEL","features":[40]},{"name":"ILP_NORMAL","features":[40]},{"name":"ILR_DEFAULT","features":[40]},{"name":"ILR_HORIZONTAL_CENTER","features":[40]},{"name":"ILR_HORIZONTAL_LEFT","features":[40]},{"name":"ILR_HORIZONTAL_RIGHT","features":[40]},{"name":"ILR_SCALE_ASPECTRATIO","features":[40]},{"name":"ILR_SCALE_CLIP","features":[40]},{"name":"ILR_VERTICAL_BOTTOM","features":[40]},{"name":"ILR_VERTICAL_CENTER","features":[40]},{"name":"ILR_VERTICAL_TOP","features":[40]},{"name":"ILS_ALPHA","features":[40]},{"name":"ILS_GLOW","features":[40]},{"name":"ILS_NORMAL","features":[40]},{"name":"ILS_SATURATE","features":[40]},{"name":"ILS_SHADOW","features":[40]},{"name":"IL_HORIZONTAL","features":[40]},{"name":"IL_VERTICAL","features":[40]},{"name":"IMAGEINFO","features":[1,12,40]},{"name":"IMAGELAYOUT","features":[40]},{"name":"IMAGELISTDRAWPARAMS","features":[1,12,40]},{"name":"IMAGELISTSTATS","features":[40]},{"name":"IMAGELIST_CREATION_FLAGS","features":[40]},{"name":"IMAGESELECTTYPE","features":[40]},{"name":"IMAGE_LIST_COPY_FLAGS","features":[40]},{"name":"IMAGE_LIST_DRAW_STYLE","features":[40]},{"name":"IMAGE_LIST_ITEM_FLAGS","features":[40]},{"name":"IMAGE_LIST_WRITE_STREAM_FLAGS","features":[40]},{"name":"INFOTIPSIZE","features":[40]},{"name":"INITCOMMONCONTROLSEX","features":[40]},{"name":"INITCOMMONCONTROLSEX_ICC","features":[40]},{"name":"INTLIST","features":[40]},{"name":"INVALID_LINK_INDEX","features":[40]},{"name":"IPM_CLEARADDRESS","features":[40]},{"name":"IPM_GETADDRESS","features":[40]},{"name":"IPM_ISBLANK","features":[40]},{"name":"IPM_SETADDRESS","features":[40]},{"name":"IPM_SETFOCUS","features":[40]},{"name":"IPM_SETRANGE","features":[40]},{"name":"IPN_FIELDCHANGED","features":[40]},{"name":"IPN_FIRST","features":[40]},{"name":"IPN_LAST","features":[40]},{"name":"IST_DPI","features":[40]},{"name":"IST_NONE","features":[40]},{"name":"IST_SIZE","features":[40]},{"name":"ITEMSTATES","features":[40]},{"name":"I_CHILDRENAUTO","features":[40]},{"name":"I_CHILDRENCALLBACK","features":[40]},{"name":"I_GROUPIDCALLBACK","features":[40]},{"name":"I_GROUPIDNONE","features":[40]},{"name":"I_IMAGECALLBACK","features":[40]},{"name":"I_IMAGENONE","features":[40]},{"name":"I_INDENTCALLBACK","features":[40]},{"name":"I_ONE_OR_MORE","features":[40]},{"name":"I_ZERO","features":[40]},{"name":"ImageList","features":[40]},{"name":"ImageList_Add","features":[12,40]},{"name":"ImageList_AddMasked","features":[1,12,40]},{"name":"ImageList_BeginDrag","features":[1,40]},{"name":"ImageList_CoCreateInstance","features":[40]},{"name":"ImageList_Copy","features":[1,40]},{"name":"ImageList_Create","features":[40]},{"name":"ImageList_Destroy","features":[1,40]},{"name":"ImageList_DragEnter","features":[1,40]},{"name":"ImageList_DragLeave","features":[1,40]},{"name":"ImageList_DragMove","features":[1,40]},{"name":"ImageList_DragShowNolock","features":[1,40]},{"name":"ImageList_Draw","features":[1,12,40]},{"name":"ImageList_DrawEx","features":[1,12,40]},{"name":"ImageList_DrawIndirect","features":[1,12,40]},{"name":"ImageList_Duplicate","features":[40]},{"name":"ImageList_EndDrag","features":[40]},{"name":"ImageList_GetBkColor","features":[1,40]},{"name":"ImageList_GetDragImage","features":[1,40]},{"name":"ImageList_GetIcon","features":[40,50]},{"name":"ImageList_GetIconSize","features":[1,40]},{"name":"ImageList_GetImageCount","features":[40]},{"name":"ImageList_GetImageInfo","features":[1,12,40]},{"name":"ImageList_LoadImageA","features":[1,40,50]},{"name":"ImageList_LoadImageW","features":[1,40,50]},{"name":"ImageList_Merge","features":[40]},{"name":"ImageList_Read","features":[40]},{"name":"ImageList_ReadEx","features":[40]},{"name":"ImageList_Remove","features":[1,40]},{"name":"ImageList_Replace","features":[1,12,40]},{"name":"ImageList_ReplaceIcon","features":[40,50]},{"name":"ImageList_SetBkColor","features":[1,40]},{"name":"ImageList_SetDragCursorImage","features":[1,40]},{"name":"ImageList_SetIconSize","features":[1,40]},{"name":"ImageList_SetImageCount","features":[1,40]},{"name":"ImageList_SetOverlayImage","features":[1,40]},{"name":"ImageList_Write","features":[1,40]},{"name":"ImageList_WriteEx","features":[40]},{"name":"InitCommonControls","features":[40]},{"name":"InitCommonControlsEx","features":[1,40]},{"name":"InitMUILanguage","features":[40]},{"name":"InitializeFlatSB","features":[1,40]},{"name":"IsAppThemed","features":[1,40]},{"name":"IsCharLowerW","features":[1,40]},{"name":"IsCompositionActive","features":[1,40]},{"name":"IsDlgButtonChecked","features":[1,40]},{"name":"IsThemeActive","features":[1,40]},{"name":"IsThemeBackgroundPartiallyTransparent","features":[1,40]},{"name":"IsThemeDialogTextureEnabled","features":[1,40]},{"name":"IsThemePartDefined","features":[1,40]},{"name":"LABELSTATES","features":[40]},{"name":"LBCP_BORDER_HSCROLL","features":[40]},{"name":"LBCP_BORDER_HVSCROLL","features":[40]},{"name":"LBCP_BORDER_NOSCROLL","features":[40]},{"name":"LBCP_BORDER_VSCROLL","features":[40]},{"name":"LBCP_ITEM","features":[40]},{"name":"LBItemFromPt","features":[1,40]},{"name":"LBPSHV_DISABLED","features":[40]},{"name":"LBPSHV_FOCUSED","features":[40]},{"name":"LBPSHV_HOT","features":[40]},{"name":"LBPSHV_NORMAL","features":[40]},{"name":"LBPSH_DISABLED","features":[40]},{"name":"LBPSH_FOCUSED","features":[40]},{"name":"LBPSH_HOT","features":[40]},{"name":"LBPSH_NORMAL","features":[40]},{"name":"LBPSI_HOT","features":[40]},{"name":"LBPSI_HOTSELECTED","features":[40]},{"name":"LBPSI_SELECTED","features":[40]},{"name":"LBPSI_SELECTEDNOTFOCUS","features":[40]},{"name":"LBPSN_DISABLED","features":[40]},{"name":"LBPSN_FOCUSED","features":[40]},{"name":"LBPSN_HOT","features":[40]},{"name":"LBPSN_NORMAL","features":[40]},{"name":"LBPSV_DISABLED","features":[40]},{"name":"LBPSV_FOCUSED","features":[40]},{"name":"LBPSV_HOT","features":[40]},{"name":"LBPSV_NORMAL","features":[40]},{"name":"LHITTESTINFO","features":[1,40]},{"name":"LIF_ITEMID","features":[40]},{"name":"LIF_ITEMINDEX","features":[40]},{"name":"LIF_STATE","features":[40]},{"name":"LIF_URL","features":[40]},{"name":"LIM_LARGE","features":[40]},{"name":"LIM_SMALL","features":[40]},{"name":"LINKHEADERSTATES","features":[40]},{"name":"LINKPARTS","features":[40]},{"name":"LINKSTATES","features":[40]},{"name":"LISS_DISABLED","features":[40]},{"name":"LISS_HOT","features":[40]},{"name":"LISS_HOTSELECTED","features":[40]},{"name":"LISS_NORMAL","features":[40]},{"name":"LISS_SELECTED","features":[40]},{"name":"LISS_SELECTEDNOTFOCUS","features":[40]},{"name":"LISTBOXPARTS","features":[40]},{"name":"LISTITEMSTATES","features":[40]},{"name":"LISTVIEWPARTS","features":[40]},{"name":"LIST_ITEM_FLAGS","features":[40]},{"name":"LIST_ITEM_STATE_FLAGS","features":[40]},{"name":"LIST_VIEW_BACKGROUND_IMAGE_FLAGS","features":[40]},{"name":"LIST_VIEW_GROUP_ALIGN_FLAGS","features":[40]},{"name":"LIST_VIEW_GROUP_STATE_FLAGS","features":[40]},{"name":"LIST_VIEW_ITEM_COLUMN_FORMAT_FLAGS","features":[40]},{"name":"LIST_VIEW_ITEM_FLAGS","features":[40]},{"name":"LIST_VIEW_ITEM_STATE_FLAGS","features":[40]},{"name":"LIS_DEFAULTCOLORS","features":[40]},{"name":"LIS_ENABLED","features":[40]},{"name":"LIS_FOCUSED","features":[40]},{"name":"LIS_HOTTRACK","features":[40]},{"name":"LIS_VISITED","features":[40]},{"name":"LITEM","features":[40]},{"name":"LM_GETIDEALHEIGHT","features":[40]},{"name":"LM_GETIDEALSIZE","features":[40]},{"name":"LM_GETITEM","features":[40]},{"name":"LM_HITTEST","features":[40]},{"name":"LM_SETITEM","features":[40]},{"name":"LOGOFFBUTTONSSTATES","features":[40]},{"name":"LPFNADDPROPSHEETPAGES","features":[1,40]},{"name":"LPFNCCINFOA","features":[1,12,40]},{"name":"LPFNCCINFOW","features":[1,12,40]},{"name":"LPFNCCSIZETOTEXTA","features":[12,40]},{"name":"LPFNCCSIZETOTEXTW","features":[12,40]},{"name":"LPFNCCSTYLEA","features":[1,40]},{"name":"LPFNCCSTYLEW","features":[1,40]},{"name":"LPFNPSPCALLBACKA","features":[1,12,40,50]},{"name":"LPFNPSPCALLBACKW","features":[1,12,40,50]},{"name":"LPFNSVADDPROPSHEETPAGE","features":[1,40]},{"name":"LP_HYPERLINK","features":[40]},{"name":"LVA_ALIGNLEFT","features":[40]},{"name":"LVA_ALIGNTOP","features":[40]},{"name":"LVA_DEFAULT","features":[40]},{"name":"LVA_SNAPTOGRID","features":[40]},{"name":"LVBKIF_FLAG_ALPHABLEND","features":[40]},{"name":"LVBKIF_FLAG_TILEOFFSET","features":[40]},{"name":"LVBKIF_SOURCE_HBITMAP","features":[40]},{"name":"LVBKIF_SOURCE_MASK","features":[40]},{"name":"LVBKIF_SOURCE_NONE","features":[40]},{"name":"LVBKIF_SOURCE_URL","features":[40]},{"name":"LVBKIF_STYLE_MASK","features":[40]},{"name":"LVBKIF_STYLE_NORMAL","features":[40]},{"name":"LVBKIF_STYLE_TILE","features":[40]},{"name":"LVBKIF_TYPE_WATERMARK","features":[40]},{"name":"LVBKIMAGEA","features":[12,40]},{"name":"LVBKIMAGEW","features":[12,40]},{"name":"LVCB_HOVER","features":[40]},{"name":"LVCB_NORMAL","features":[40]},{"name":"LVCB_PUSHED","features":[40]},{"name":"LVCDI_GROUP","features":[40]},{"name":"LVCDI_ITEM","features":[40]},{"name":"LVCDI_ITEMSLIST","features":[40]},{"name":"LVCDRF_NOGROUPFRAME","features":[40]},{"name":"LVCDRF_NOSELECT","features":[40]},{"name":"LVCFMT_BITMAP_ON_RIGHT","features":[40]},{"name":"LVCFMT_CENTER","features":[40]},{"name":"LVCFMT_COL_HAS_IMAGES","features":[40]},{"name":"LVCFMT_FILL","features":[40]},{"name":"LVCFMT_FIXED_RATIO","features":[40]},{"name":"LVCFMT_FIXED_WIDTH","features":[40]},{"name":"LVCFMT_IMAGE","features":[40]},{"name":"LVCFMT_JUSTIFYMASK","features":[40]},{"name":"LVCFMT_LEFT","features":[40]},{"name":"LVCFMT_LINE_BREAK","features":[40]},{"name":"LVCFMT_NO_DPI_SCALE","features":[40]},{"name":"LVCFMT_NO_TITLE","features":[40]},{"name":"LVCFMT_RIGHT","features":[40]},{"name":"LVCFMT_SPLITBUTTON","features":[40]},{"name":"LVCFMT_TILE_PLACEMENTMASK","features":[40]},{"name":"LVCFMT_WRAP","features":[40]},{"name":"LVCF_DEFAULTWIDTH","features":[40]},{"name":"LVCF_FMT","features":[40]},{"name":"LVCF_IDEALWIDTH","features":[40]},{"name":"LVCF_IMAGE","features":[40]},{"name":"LVCF_MINWIDTH","features":[40]},{"name":"LVCF_ORDER","features":[40]},{"name":"LVCF_SUBITEM","features":[40]},{"name":"LVCF_TEXT","features":[40]},{"name":"LVCF_WIDTH","features":[40]},{"name":"LVCOLUMNA","features":[40]},{"name":"LVCOLUMNW","features":[40]},{"name":"LVCOLUMNW_FORMAT","features":[40]},{"name":"LVCOLUMNW_MASK","features":[40]},{"name":"LVEB_HOVER","features":[40]},{"name":"LVEB_NORMAL","features":[40]},{"name":"LVEB_PUSHED","features":[40]},{"name":"LVFF_ITEMCOUNT","features":[40]},{"name":"LVFIF_STATE","features":[40]},{"name":"LVFIF_TEXT","features":[40]},{"name":"LVFINDINFOA","features":[1,40]},{"name":"LVFINDINFOW","features":[1,40]},{"name":"LVFINDINFOW_FLAGS","features":[40]},{"name":"LVFIS_FOCUSED","features":[40]},{"name":"LVFI_NEARESTXY","features":[40]},{"name":"LVFI_PARAM","features":[40]},{"name":"LVFI_PARTIAL","features":[40]},{"name":"LVFI_STRING","features":[40]},{"name":"LVFI_SUBSTRING","features":[40]},{"name":"LVFI_WRAP","features":[40]},{"name":"LVFOOTERINFO","features":[40]},{"name":"LVFOOTERITEM","features":[40]},{"name":"LVFOOTERITEM_MASK","features":[40]},{"name":"LVGA_FOOTER_CENTER","features":[40]},{"name":"LVGA_FOOTER_LEFT","features":[40]},{"name":"LVGA_FOOTER_RIGHT","features":[40]},{"name":"LVGA_HEADER_CENTER","features":[40]},{"name":"LVGA_HEADER_LEFT","features":[40]},{"name":"LVGA_HEADER_RIGHT","features":[40]},{"name":"LVGF_ALIGN","features":[40]},{"name":"LVGF_DESCRIPTIONBOTTOM","features":[40]},{"name":"LVGF_DESCRIPTIONTOP","features":[40]},{"name":"LVGF_EXTENDEDIMAGE","features":[40]},{"name":"LVGF_FOOTER","features":[40]},{"name":"LVGF_GROUPID","features":[40]},{"name":"LVGF_HEADER","features":[40]},{"name":"LVGF_ITEMS","features":[40]},{"name":"LVGF_NONE","features":[40]},{"name":"LVGF_STATE","features":[40]},{"name":"LVGF_SUBSET","features":[40]},{"name":"LVGF_SUBSETITEMS","features":[40]},{"name":"LVGF_SUBTITLE","features":[40]},{"name":"LVGF_TASK","features":[40]},{"name":"LVGF_TITLEIMAGE","features":[40]},{"name":"LVGGR_GROUP","features":[40]},{"name":"LVGGR_HEADER","features":[40]},{"name":"LVGGR_LABEL","features":[40]},{"name":"LVGGR_SUBSETLINK","features":[40]},{"name":"LVGHL_CLOSE","features":[40]},{"name":"LVGHL_CLOSEHOT","features":[40]},{"name":"LVGHL_CLOSEMIXEDSELECTION","features":[40]},{"name":"LVGHL_CLOSEMIXEDSELECTIONHOT","features":[40]},{"name":"LVGHL_CLOSESELECTED","features":[40]},{"name":"LVGHL_CLOSESELECTEDHOT","features":[40]},{"name":"LVGHL_CLOSESELECTEDNOTFOCUSED","features":[40]},{"name":"LVGHL_CLOSESELECTEDNOTFOCUSEDHOT","features":[40]},{"name":"LVGHL_OPEN","features":[40]},{"name":"LVGHL_OPENHOT","features":[40]},{"name":"LVGHL_OPENMIXEDSELECTION","features":[40]},{"name":"LVGHL_OPENMIXEDSELECTIONHOT","features":[40]},{"name":"LVGHL_OPENSELECTED","features":[40]},{"name":"LVGHL_OPENSELECTEDHOT","features":[40]},{"name":"LVGHL_OPENSELECTEDNOTFOCUSED","features":[40]},{"name":"LVGHL_OPENSELECTEDNOTFOCUSEDHOT","features":[40]},{"name":"LVGH_CLOSE","features":[40]},{"name":"LVGH_CLOSEHOT","features":[40]},{"name":"LVGH_CLOSEMIXEDSELECTION","features":[40]},{"name":"LVGH_CLOSEMIXEDSELECTIONHOT","features":[40]},{"name":"LVGH_CLOSESELECTED","features":[40]},{"name":"LVGH_CLOSESELECTEDHOT","features":[40]},{"name":"LVGH_CLOSESELECTEDNOTFOCUSED","features":[40]},{"name":"LVGH_CLOSESELECTEDNOTFOCUSEDHOT","features":[40]},{"name":"LVGH_OPEN","features":[40]},{"name":"LVGH_OPENHOT","features":[40]},{"name":"LVGH_OPENMIXEDSELECTION","features":[40]},{"name":"LVGH_OPENMIXEDSELECTIONHOT","features":[40]},{"name":"LVGH_OPENSELECTED","features":[40]},{"name":"LVGH_OPENSELECTEDHOT","features":[40]},{"name":"LVGH_OPENSELECTEDNOTFOCUSED","features":[40]},{"name":"LVGH_OPENSELECTEDNOTFOCUSEDHOT","features":[40]},{"name":"LVGIT_UNFOLDED","features":[40]},{"name":"LVGIT_ZERO","features":[40]},{"name":"LVGMF_BORDERCOLOR","features":[40]},{"name":"LVGMF_BORDERSIZE","features":[40]},{"name":"LVGMF_NONE","features":[40]},{"name":"LVGMF_TEXTCOLOR","features":[40]},{"name":"LVGROUP","features":[40]},{"name":"LVGROUPMETRICS","features":[1,40]},{"name":"LVGROUP_MASK","features":[40]},{"name":"LVGS_COLLAPSED","features":[40]},{"name":"LVGS_COLLAPSIBLE","features":[40]},{"name":"LVGS_FOCUSED","features":[40]},{"name":"LVGS_HIDDEN","features":[40]},{"name":"LVGS_NOHEADER","features":[40]},{"name":"LVGS_NORMAL","features":[40]},{"name":"LVGS_SELECTED","features":[40]},{"name":"LVGS_SUBSETED","features":[40]},{"name":"LVGS_SUBSETLINKFOCUSED","features":[40]},{"name":"LVHITTESTINFO","features":[1,40]},{"name":"LVHITTESTINFO_FLAGS","features":[40]},{"name":"LVHT_ABOVE","features":[40]},{"name":"LVHT_BELOW","features":[40]},{"name":"LVHT_EX_FOOTER","features":[40]},{"name":"LVHT_EX_GROUP","features":[40]},{"name":"LVHT_EX_GROUP_BACKGROUND","features":[40]},{"name":"LVHT_EX_GROUP_COLLAPSE","features":[40]},{"name":"LVHT_EX_GROUP_FOOTER","features":[40]},{"name":"LVHT_EX_GROUP_HEADER","features":[40]},{"name":"LVHT_EX_GROUP_STATEICON","features":[40]},{"name":"LVHT_EX_GROUP_SUBSETLINK","features":[40]},{"name":"LVHT_EX_ONCONTENTS","features":[40]},{"name":"LVHT_NOWHERE","features":[40]},{"name":"LVHT_ONITEMICON","features":[40]},{"name":"LVHT_ONITEMLABEL","features":[40]},{"name":"LVHT_ONITEMSTATEICON","features":[40]},{"name":"LVHT_TOLEFT","features":[40]},{"name":"LVHT_TORIGHT","features":[40]},{"name":"LVIF_COLFMT","features":[40]},{"name":"LVIF_COLUMNS","features":[40]},{"name":"LVIF_DI_SETITEM","features":[40]},{"name":"LVIF_GROUPID","features":[40]},{"name":"LVIF_IMAGE","features":[40]},{"name":"LVIF_INDENT","features":[40]},{"name":"LVIF_NORECOMPUTE","features":[40]},{"name":"LVIF_PARAM","features":[40]},{"name":"LVIF_STATE","features":[40]},{"name":"LVIF_TEXT","features":[40]},{"name":"LVIM_AFTER","features":[40]},{"name":"LVINSERTGROUPSORTED","features":[40]},{"name":"LVINSERTMARK","features":[40]},{"name":"LVIR_BOUNDS","features":[40]},{"name":"LVIR_ICON","features":[40]},{"name":"LVIR_LABEL","features":[40]},{"name":"LVIR_SELECTBOUNDS","features":[40]},{"name":"LVIS_ACTIVATING","features":[40]},{"name":"LVIS_CUT","features":[40]},{"name":"LVIS_DROPHILITED","features":[40]},{"name":"LVIS_FOCUSED","features":[40]},{"name":"LVIS_GLOW","features":[40]},{"name":"LVIS_OVERLAYMASK","features":[40]},{"name":"LVIS_SELECTED","features":[40]},{"name":"LVIS_STATEIMAGEMASK","features":[40]},{"name":"LVITEMA","features":[1,40]},{"name":"LVITEMA_GROUP_ID","features":[40]},{"name":"LVITEMINDEX","features":[40]},{"name":"LVITEMW","features":[1,40]},{"name":"LVKF_ALT","features":[40]},{"name":"LVKF_CONTROL","features":[40]},{"name":"LVKF_SHIFT","features":[40]},{"name":"LVM_APPROXIMATEVIEWRECT","features":[40]},{"name":"LVM_ARRANGE","features":[40]},{"name":"LVM_CANCELEDITLABEL","features":[40]},{"name":"LVM_CREATEDRAGIMAGE","features":[40]},{"name":"LVM_DELETEALLITEMS","features":[40]},{"name":"LVM_DELETECOLUMN","features":[40]},{"name":"LVM_DELETEITEM","features":[40]},{"name":"LVM_EDITLABEL","features":[40]},{"name":"LVM_EDITLABELA","features":[40]},{"name":"LVM_EDITLABELW","features":[40]},{"name":"LVM_ENABLEGROUPVIEW","features":[40]},{"name":"LVM_ENSUREVISIBLE","features":[40]},{"name":"LVM_FINDITEM","features":[40]},{"name":"LVM_FINDITEMA","features":[40]},{"name":"LVM_FINDITEMW","features":[40]},{"name":"LVM_FIRST","features":[40]},{"name":"LVM_GETBKCOLOR","features":[40]},{"name":"LVM_GETBKIMAGE","features":[40]},{"name":"LVM_GETBKIMAGEA","features":[40]},{"name":"LVM_GETBKIMAGEW","features":[40]},{"name":"LVM_GETCALLBACKMASK","features":[40]},{"name":"LVM_GETCOLUMN","features":[40]},{"name":"LVM_GETCOLUMNA","features":[40]},{"name":"LVM_GETCOLUMNORDERARRAY","features":[40]},{"name":"LVM_GETCOLUMNW","features":[40]},{"name":"LVM_GETCOLUMNWIDTH","features":[40]},{"name":"LVM_GETCOUNTPERPAGE","features":[40]},{"name":"LVM_GETEDITCONTROL","features":[40]},{"name":"LVM_GETEMPTYTEXT","features":[40]},{"name":"LVM_GETEXTENDEDLISTVIEWSTYLE","features":[40]},{"name":"LVM_GETFOCUSEDGROUP","features":[40]},{"name":"LVM_GETFOOTERINFO","features":[40]},{"name":"LVM_GETFOOTERITEM","features":[40]},{"name":"LVM_GETFOOTERITEMRECT","features":[40]},{"name":"LVM_GETFOOTERRECT","features":[40]},{"name":"LVM_GETGROUPCOUNT","features":[40]},{"name":"LVM_GETGROUPINFO","features":[40]},{"name":"LVM_GETGROUPINFOBYINDEX","features":[40]},{"name":"LVM_GETGROUPMETRICS","features":[40]},{"name":"LVM_GETGROUPRECT","features":[40]},{"name":"LVM_GETGROUPSTATE","features":[40]},{"name":"LVM_GETHEADER","features":[40]},{"name":"LVM_GETHOTCURSOR","features":[40]},{"name":"LVM_GETHOTITEM","features":[40]},{"name":"LVM_GETHOVERTIME","features":[40]},{"name":"LVM_GETIMAGELIST","features":[40]},{"name":"LVM_GETINSERTMARK","features":[40]},{"name":"LVM_GETINSERTMARKCOLOR","features":[40]},{"name":"LVM_GETINSERTMARKRECT","features":[40]},{"name":"LVM_GETISEARCHSTRING","features":[40]},{"name":"LVM_GETISEARCHSTRINGA","features":[40]},{"name":"LVM_GETISEARCHSTRINGW","features":[40]},{"name":"LVM_GETITEM","features":[40]},{"name":"LVM_GETITEMA","features":[40]},{"name":"LVM_GETITEMCOUNT","features":[40]},{"name":"LVM_GETITEMINDEXRECT","features":[40]},{"name":"LVM_GETITEMPOSITION","features":[40]},{"name":"LVM_GETITEMRECT","features":[40]},{"name":"LVM_GETITEMSPACING","features":[40]},{"name":"LVM_GETITEMSTATE","features":[40]},{"name":"LVM_GETITEMTEXT","features":[40]},{"name":"LVM_GETITEMTEXTA","features":[40]},{"name":"LVM_GETITEMTEXTW","features":[40]},{"name":"LVM_GETITEMW","features":[40]},{"name":"LVM_GETNEXTITEM","features":[40]},{"name":"LVM_GETNEXTITEMINDEX","features":[40]},{"name":"LVM_GETNUMBEROFWORKAREAS","features":[40]},{"name":"LVM_GETORIGIN","features":[40]},{"name":"LVM_GETOUTLINECOLOR","features":[40]},{"name":"LVM_GETSELECTEDCOLUMN","features":[40]},{"name":"LVM_GETSELECTEDCOUNT","features":[40]},{"name":"LVM_GETSELECTIONMARK","features":[40]},{"name":"LVM_GETSTRINGWIDTH","features":[40]},{"name":"LVM_GETSTRINGWIDTHA","features":[40]},{"name":"LVM_GETSTRINGWIDTHW","features":[40]},{"name":"LVM_GETSUBITEMRECT","features":[40]},{"name":"LVM_GETTEXTBKCOLOR","features":[40]},{"name":"LVM_GETTEXTCOLOR","features":[40]},{"name":"LVM_GETTILEINFO","features":[40]},{"name":"LVM_GETTILEVIEWINFO","features":[40]},{"name":"LVM_GETTOOLTIPS","features":[40]},{"name":"LVM_GETTOPINDEX","features":[40]},{"name":"LVM_GETUNICODEFORMAT","features":[40]},{"name":"LVM_GETVIEW","features":[40]},{"name":"LVM_GETVIEWRECT","features":[40]},{"name":"LVM_GETWORKAREAS","features":[40]},{"name":"LVM_HASGROUP","features":[40]},{"name":"LVM_HITTEST","features":[40]},{"name":"LVM_INSERTCOLUMN","features":[40]},{"name":"LVM_INSERTCOLUMNA","features":[40]},{"name":"LVM_INSERTCOLUMNW","features":[40]},{"name":"LVM_INSERTGROUP","features":[40]},{"name":"LVM_INSERTGROUPSORTED","features":[40]},{"name":"LVM_INSERTITEM","features":[40]},{"name":"LVM_INSERTITEMA","features":[40]},{"name":"LVM_INSERTITEMW","features":[40]},{"name":"LVM_INSERTMARKHITTEST","features":[40]},{"name":"LVM_ISGROUPVIEWENABLED","features":[40]},{"name":"LVM_ISITEMVISIBLE","features":[40]},{"name":"LVM_MAPIDTOINDEX","features":[40]},{"name":"LVM_MAPINDEXTOID","features":[40]},{"name":"LVM_MOVEGROUP","features":[40]},{"name":"LVM_MOVEITEMTOGROUP","features":[40]},{"name":"LVM_REDRAWITEMS","features":[40]},{"name":"LVM_REMOVEALLGROUPS","features":[40]},{"name":"LVM_REMOVEGROUP","features":[40]},{"name":"LVM_SCROLL","features":[40]},{"name":"LVM_SETBKCOLOR","features":[40]},{"name":"LVM_SETBKIMAGE","features":[40]},{"name":"LVM_SETBKIMAGEA","features":[40]},{"name":"LVM_SETBKIMAGEW","features":[40]},{"name":"LVM_SETCALLBACKMASK","features":[40]},{"name":"LVM_SETCOLUMN","features":[40]},{"name":"LVM_SETCOLUMNA","features":[40]},{"name":"LVM_SETCOLUMNORDERARRAY","features":[40]},{"name":"LVM_SETCOLUMNW","features":[40]},{"name":"LVM_SETCOLUMNWIDTH","features":[40]},{"name":"LVM_SETEXTENDEDLISTVIEWSTYLE","features":[40]},{"name":"LVM_SETGROUPINFO","features":[40]},{"name":"LVM_SETGROUPMETRICS","features":[40]},{"name":"LVM_SETHOTCURSOR","features":[40]},{"name":"LVM_SETHOTITEM","features":[40]},{"name":"LVM_SETHOVERTIME","features":[40]},{"name":"LVM_SETICONSPACING","features":[40]},{"name":"LVM_SETIMAGELIST","features":[40]},{"name":"LVM_SETINFOTIP","features":[40]},{"name":"LVM_SETINSERTMARK","features":[40]},{"name":"LVM_SETINSERTMARKCOLOR","features":[40]},{"name":"LVM_SETITEM","features":[40]},{"name":"LVM_SETITEMA","features":[40]},{"name":"LVM_SETITEMCOUNT","features":[40]},{"name":"LVM_SETITEMINDEXSTATE","features":[40]},{"name":"LVM_SETITEMPOSITION","features":[40]},{"name":"LVM_SETITEMPOSITION32","features":[40]},{"name":"LVM_SETITEMSTATE","features":[40]},{"name":"LVM_SETITEMTEXT","features":[40]},{"name":"LVM_SETITEMTEXTA","features":[40]},{"name":"LVM_SETITEMTEXTW","features":[40]},{"name":"LVM_SETITEMW","features":[40]},{"name":"LVM_SETOUTLINECOLOR","features":[40]},{"name":"LVM_SETSELECTEDCOLUMN","features":[40]},{"name":"LVM_SETSELECTIONMARK","features":[40]},{"name":"LVM_SETTEXTBKCOLOR","features":[40]},{"name":"LVM_SETTEXTCOLOR","features":[40]},{"name":"LVM_SETTILEINFO","features":[40]},{"name":"LVM_SETTILEVIEWINFO","features":[40]},{"name":"LVM_SETTOOLTIPS","features":[40]},{"name":"LVM_SETUNICODEFORMAT","features":[40]},{"name":"LVM_SETVIEW","features":[40]},{"name":"LVM_SETWORKAREAS","features":[40]},{"name":"LVM_SORTGROUPS","features":[40]},{"name":"LVM_SORTITEMS","features":[40]},{"name":"LVM_SORTITEMSEX","features":[40]},{"name":"LVM_SUBITEMHITTEST","features":[40]},{"name":"LVM_UPDATE","features":[40]},{"name":"LVNI_ABOVE","features":[40]},{"name":"LVNI_ALL","features":[40]},{"name":"LVNI_BELOW","features":[40]},{"name":"LVNI_CUT","features":[40]},{"name":"LVNI_DROPHILITED","features":[40]},{"name":"LVNI_FOCUSED","features":[40]},{"name":"LVNI_PREVIOUS","features":[40]},{"name":"LVNI_SAMEGROUPONLY","features":[40]},{"name":"LVNI_SELECTED","features":[40]},{"name":"LVNI_TOLEFT","features":[40]},{"name":"LVNI_TORIGHT","features":[40]},{"name":"LVNI_VISIBLEONLY","features":[40]},{"name":"LVNI_VISIBLEORDER","features":[40]},{"name":"LVNSCH_DEFAULT","features":[40]},{"name":"LVNSCH_ERROR","features":[40]},{"name":"LVNSCH_IGNORE","features":[40]},{"name":"LVN_BEGINDRAG","features":[40]},{"name":"LVN_BEGINLABELEDIT","features":[40]},{"name":"LVN_BEGINLABELEDITA","features":[40]},{"name":"LVN_BEGINLABELEDITW","features":[40]},{"name":"LVN_BEGINRDRAG","features":[40]},{"name":"LVN_BEGINSCROLL","features":[40]},{"name":"LVN_COLUMNCLICK","features":[40]},{"name":"LVN_COLUMNDROPDOWN","features":[40]},{"name":"LVN_COLUMNOVERFLOWCLICK","features":[40]},{"name":"LVN_DELETEALLITEMS","features":[40]},{"name":"LVN_DELETEITEM","features":[40]},{"name":"LVN_ENDLABELEDIT","features":[40]},{"name":"LVN_ENDLABELEDITA","features":[40]},{"name":"LVN_ENDLABELEDITW","features":[40]},{"name":"LVN_ENDSCROLL","features":[40]},{"name":"LVN_FIRST","features":[40]},{"name":"LVN_GETDISPINFO","features":[40]},{"name":"LVN_GETDISPINFOA","features":[40]},{"name":"LVN_GETDISPINFOW","features":[40]},{"name":"LVN_GETEMPTYMARKUP","features":[40]},{"name":"LVN_GETINFOTIP","features":[40]},{"name":"LVN_GETINFOTIPA","features":[40]},{"name":"LVN_GETINFOTIPW","features":[40]},{"name":"LVN_HOTTRACK","features":[40]},{"name":"LVN_INCREMENTALSEARCH","features":[40]},{"name":"LVN_INCREMENTALSEARCHA","features":[40]},{"name":"LVN_INCREMENTALSEARCHW","features":[40]},{"name":"LVN_INSERTITEM","features":[40]},{"name":"LVN_ITEMACTIVATE","features":[40]},{"name":"LVN_ITEMCHANGED","features":[40]},{"name":"LVN_ITEMCHANGING","features":[40]},{"name":"LVN_KEYDOWN","features":[40]},{"name":"LVN_LAST","features":[40]},{"name":"LVN_LINKCLICK","features":[40]},{"name":"LVN_MARQUEEBEGIN","features":[40]},{"name":"LVN_ODCACHEHINT","features":[40]},{"name":"LVN_ODFINDITEM","features":[40]},{"name":"LVN_ODFINDITEMA","features":[40]},{"name":"LVN_ODFINDITEMW","features":[40]},{"name":"LVN_ODSTATECHANGED","features":[40]},{"name":"LVN_SETDISPINFO","features":[40]},{"name":"LVN_SETDISPINFOA","features":[40]},{"name":"LVN_SETDISPINFOW","features":[40]},{"name":"LVP_COLLAPSEBUTTON","features":[40]},{"name":"LVP_COLUMNDETAIL","features":[40]},{"name":"LVP_EMPTYTEXT","features":[40]},{"name":"LVP_EXPANDBUTTON","features":[40]},{"name":"LVP_GROUPHEADER","features":[40]},{"name":"LVP_GROUPHEADERLINE","features":[40]},{"name":"LVP_LISTDETAIL","features":[40]},{"name":"LVP_LISTGROUP","features":[40]},{"name":"LVP_LISTITEM","features":[40]},{"name":"LVP_LISTSORTEDDETAIL","features":[40]},{"name":"LVSCW_AUTOSIZE","features":[40]},{"name":"LVSCW_AUTOSIZE_USEHEADER","features":[40]},{"name":"LVSETINFOTIP","features":[40]},{"name":"LVSICF_NOINVALIDATEALL","features":[40]},{"name":"LVSICF_NOSCROLL","features":[40]},{"name":"LVSIL_GROUPHEADER","features":[40]},{"name":"LVSIL_NORMAL","features":[40]},{"name":"LVSIL_SMALL","features":[40]},{"name":"LVSIL_STATE","features":[40]},{"name":"LVS_ALIGNLEFT","features":[40]},{"name":"LVS_ALIGNMASK","features":[40]},{"name":"LVS_ALIGNTOP","features":[40]},{"name":"LVS_AUTOARRANGE","features":[40]},{"name":"LVS_EDITLABELS","features":[40]},{"name":"LVS_EX_AUTOAUTOARRANGE","features":[40]},{"name":"LVS_EX_AUTOCHECKSELECT","features":[40]},{"name":"LVS_EX_AUTOSIZECOLUMNS","features":[40]},{"name":"LVS_EX_BORDERSELECT","features":[40]},{"name":"LVS_EX_CHECKBOXES","features":[40]},{"name":"LVS_EX_COLUMNOVERFLOW","features":[40]},{"name":"LVS_EX_COLUMNSNAPPOINTS","features":[40]},{"name":"LVS_EX_DOUBLEBUFFER","features":[40]},{"name":"LVS_EX_FLATSB","features":[40]},{"name":"LVS_EX_FULLROWSELECT","features":[40]},{"name":"LVS_EX_GRIDLINES","features":[40]},{"name":"LVS_EX_HEADERDRAGDROP","features":[40]},{"name":"LVS_EX_HEADERINALLVIEWS","features":[40]},{"name":"LVS_EX_HIDELABELS","features":[40]},{"name":"LVS_EX_INFOTIP","features":[40]},{"name":"LVS_EX_JUSTIFYCOLUMNS","features":[40]},{"name":"LVS_EX_LABELTIP","features":[40]},{"name":"LVS_EX_MULTIWORKAREAS","features":[40]},{"name":"LVS_EX_ONECLICKACTIVATE","features":[40]},{"name":"LVS_EX_REGIONAL","features":[40]},{"name":"LVS_EX_SIMPLESELECT","features":[40]},{"name":"LVS_EX_SINGLEROW","features":[40]},{"name":"LVS_EX_SNAPTOGRID","features":[40]},{"name":"LVS_EX_SUBITEMIMAGES","features":[40]},{"name":"LVS_EX_TRACKSELECT","features":[40]},{"name":"LVS_EX_TRANSPARENTBKGND","features":[40]},{"name":"LVS_EX_TRANSPARENTSHADOWTEXT","features":[40]},{"name":"LVS_EX_TWOCLICKACTIVATE","features":[40]},{"name":"LVS_EX_UNDERLINECOLD","features":[40]},{"name":"LVS_EX_UNDERLINEHOT","features":[40]},{"name":"LVS_ICON","features":[40]},{"name":"LVS_LIST","features":[40]},{"name":"LVS_NOCOLUMNHEADER","features":[40]},{"name":"LVS_NOLABELWRAP","features":[40]},{"name":"LVS_NOSCROLL","features":[40]},{"name":"LVS_NOSORTHEADER","features":[40]},{"name":"LVS_OWNERDATA","features":[40]},{"name":"LVS_OWNERDRAWFIXED","features":[40]},{"name":"LVS_REPORT","features":[40]},{"name":"LVS_SHAREIMAGELISTS","features":[40]},{"name":"LVS_SHOWSELALWAYS","features":[40]},{"name":"LVS_SINGLESEL","features":[40]},{"name":"LVS_SMALLICON","features":[40]},{"name":"LVS_SORTASCENDING","features":[40]},{"name":"LVS_SORTDESCENDING","features":[40]},{"name":"LVS_TYPEMASK","features":[40]},{"name":"LVS_TYPESTYLEMASK","features":[40]},{"name":"LVTILEINFO","features":[40]},{"name":"LVTILEVIEWINFO","features":[1,40]},{"name":"LVTILEVIEWINFO_FLAGS","features":[40]},{"name":"LVTILEVIEWINFO_MASK","features":[40]},{"name":"LVTVIF_AUTOSIZE","features":[40]},{"name":"LVTVIF_EXTENDED","features":[40]},{"name":"LVTVIF_FIXEDHEIGHT","features":[40]},{"name":"LVTVIF_FIXEDSIZE","features":[40]},{"name":"LVTVIF_FIXEDWIDTH","features":[40]},{"name":"LVTVIM_COLUMNS","features":[40]},{"name":"LVTVIM_LABELMARGIN","features":[40]},{"name":"LVTVIM_TILESIZE","features":[40]},{"name":"LV_MAX_WORKAREAS","features":[40]},{"name":"LV_VIEW_DETAILS","features":[40]},{"name":"LV_VIEW_ICON","features":[40]},{"name":"LV_VIEW_LIST","features":[40]},{"name":"LV_VIEW_MAX","features":[40]},{"name":"LV_VIEW_SMALLICON","features":[40]},{"name":"LV_VIEW_TILE","features":[40]},{"name":"LWS_IGNORERETURN","features":[40]},{"name":"LWS_NOPREFIX","features":[40]},{"name":"LWS_RIGHT","features":[40]},{"name":"LWS_TRANSPARENT","features":[40]},{"name":"LWS_USECUSTOMTEXT","features":[40]},{"name":"LWS_USEVISUALSTYLE","features":[40]},{"name":"LoadIconMetric","features":[1,40,50]},{"name":"LoadIconWithScaleDown","features":[1,40,50]},{"name":"MARGINS","features":[40]},{"name":"MARKUPTEXTSTATES","features":[40]},{"name":"MAXBS_DISABLED","features":[40]},{"name":"MAXBS_HOT","features":[40]},{"name":"MAXBS_NORMAL","features":[40]},{"name":"MAXBS_PUSHED","features":[40]},{"name":"MAXBUTTONSTATES","features":[40]},{"name":"MAXCAPTIONSTATES","features":[40]},{"name":"MAXPROPPAGES","features":[40]},{"name":"MAX_INTLIST_COUNT","features":[40]},{"name":"MAX_LINKID_TEXT","features":[40]},{"name":"MAX_THEMECOLOR","features":[40]},{"name":"MAX_THEMESIZE","features":[40]},{"name":"MBI_DISABLED","features":[40]},{"name":"MBI_DISABLEDHOT","features":[40]},{"name":"MBI_DISABLEDPUSHED","features":[40]},{"name":"MBI_HOT","features":[40]},{"name":"MBI_NORMAL","features":[40]},{"name":"MBI_PUSHED","features":[40]},{"name":"MB_ACTIVE","features":[40]},{"name":"MB_INACTIVE","features":[40]},{"name":"MCB_BITMAP","features":[40]},{"name":"MCB_DISABLED","features":[40]},{"name":"MCB_NORMAL","features":[40]},{"name":"MCGCB_HOT","features":[40]},{"name":"MCGCB_SELECTED","features":[40]},{"name":"MCGCB_SELECTEDHOT","features":[40]},{"name":"MCGCB_SELECTEDNOTFOCUSED","features":[40]},{"name":"MCGCB_TODAY","features":[40]},{"name":"MCGCB_TODAYSELECTED","features":[40]},{"name":"MCGCU_HASSTATE","features":[40]},{"name":"MCGCU_HASSTATEHOT","features":[40]},{"name":"MCGCU_HOT","features":[40]},{"name":"MCGCU_SELECTED","features":[40]},{"name":"MCGCU_SELECTEDHOT","features":[40]},{"name":"MCGC_HASSTATE","features":[40]},{"name":"MCGC_HASSTATEHOT","features":[40]},{"name":"MCGC_HOT","features":[40]},{"name":"MCGC_SELECTED","features":[40]},{"name":"MCGC_SELECTEDHOT","features":[40]},{"name":"MCGC_TODAY","features":[40]},{"name":"MCGC_TODAYSELECTED","features":[40]},{"name":"MCGIF_DATE","features":[40]},{"name":"MCGIF_NAME","features":[40]},{"name":"MCGIF_RECT","features":[40]},{"name":"MCGIP_CALENDAR","features":[40]},{"name":"MCGIP_CALENDARBODY","features":[40]},{"name":"MCGIP_CALENDARCELL","features":[40]},{"name":"MCGIP_CALENDARCONTROL","features":[40]},{"name":"MCGIP_CALENDARHEADER","features":[40]},{"name":"MCGIP_CALENDARROW","features":[40]},{"name":"MCGIP_FOOTER","features":[40]},{"name":"MCGIP_NEXT","features":[40]},{"name":"MCGIP_PREV","features":[40]},{"name":"MCGRIDINFO","features":[1,40]},{"name":"MCGRIDINFO_FLAGS","features":[40]},{"name":"MCGRIDINFO_PART","features":[40]},{"name":"MCHITTESTINFO","features":[1,40]},{"name":"MCHITTESTINFO_HIT_FLAGS","features":[40]},{"name":"MCHT_CALENDAR","features":[40]},{"name":"MCHT_CALENDARBK","features":[40]},{"name":"MCHT_CALENDARCONTROL","features":[40]},{"name":"MCHT_CALENDARDATE","features":[40]},{"name":"MCHT_CALENDARDATEMAX","features":[40]},{"name":"MCHT_CALENDARDATEMIN","features":[40]},{"name":"MCHT_CALENDARDATENEXT","features":[40]},{"name":"MCHT_CALENDARDATEPREV","features":[40]},{"name":"MCHT_CALENDARDAY","features":[40]},{"name":"MCHT_CALENDARWEEKNUM","features":[40]},{"name":"MCHT_NEXT","features":[40]},{"name":"MCHT_NOWHERE","features":[40]},{"name":"MCHT_PREV","features":[40]},{"name":"MCHT_TITLE","features":[40]},{"name":"MCHT_TITLEBK","features":[40]},{"name":"MCHT_TITLEBTNNEXT","features":[40]},{"name":"MCHT_TITLEBTNPREV","features":[40]},{"name":"MCHT_TITLEMONTH","features":[40]},{"name":"MCHT_TITLEYEAR","features":[40]},{"name":"MCHT_TODAYLINK","features":[40]},{"name":"MCMV_CENTURY","features":[40]},{"name":"MCMV_DECADE","features":[40]},{"name":"MCMV_MAX","features":[40]},{"name":"MCMV_MONTH","features":[40]},{"name":"MCMV_YEAR","features":[40]},{"name":"MCM_FIRST","features":[40]},{"name":"MCM_GETCALENDARBORDER","features":[40]},{"name":"MCM_GETCALENDARCOUNT","features":[40]},{"name":"MCM_GETCALENDARGRIDINFO","features":[40]},{"name":"MCM_GETCALID","features":[40]},{"name":"MCM_GETCOLOR","features":[40]},{"name":"MCM_GETCURRENTVIEW","features":[40]},{"name":"MCM_GETCURSEL","features":[40]},{"name":"MCM_GETFIRSTDAYOFWEEK","features":[40]},{"name":"MCM_GETMAXSELCOUNT","features":[40]},{"name":"MCM_GETMAXTODAYWIDTH","features":[40]},{"name":"MCM_GETMINREQRECT","features":[40]},{"name":"MCM_GETMONTHDELTA","features":[40]},{"name":"MCM_GETMONTHRANGE","features":[40]},{"name":"MCM_GETRANGE","features":[40]},{"name":"MCM_GETSELRANGE","features":[40]},{"name":"MCM_GETTODAY","features":[40]},{"name":"MCM_GETUNICODEFORMAT","features":[40]},{"name":"MCM_HITTEST","features":[40]},{"name":"MCM_SETCALENDARBORDER","features":[40]},{"name":"MCM_SETCALID","features":[40]},{"name":"MCM_SETCOLOR","features":[40]},{"name":"MCM_SETCURRENTVIEW","features":[40]},{"name":"MCM_SETCURSEL","features":[40]},{"name":"MCM_SETDAYSTATE","features":[40]},{"name":"MCM_SETFIRSTDAYOFWEEK","features":[40]},{"name":"MCM_SETMAXSELCOUNT","features":[40]},{"name":"MCM_SETMONTHDELTA","features":[40]},{"name":"MCM_SETRANGE","features":[40]},{"name":"MCM_SETSELRANGE","features":[40]},{"name":"MCM_SETTODAY","features":[40]},{"name":"MCM_SETUNICODEFORMAT","features":[40]},{"name":"MCM_SIZERECTTOMIN","features":[40]},{"name":"MCNN_DISABLED","features":[40]},{"name":"MCNN_HOT","features":[40]},{"name":"MCNN_NORMAL","features":[40]},{"name":"MCNN_PRESSED","features":[40]},{"name":"MCNP_DISABLED","features":[40]},{"name":"MCNP_HOT","features":[40]},{"name":"MCNP_NORMAL","features":[40]},{"name":"MCNP_PRESSED","features":[40]},{"name":"MCN_FIRST","features":[40]},{"name":"MCN_GETDAYSTATE","features":[40]},{"name":"MCN_LAST","features":[40]},{"name":"MCN_SELCHANGE","features":[40]},{"name":"MCN_SELECT","features":[40]},{"name":"MCN_VIEWCHANGE","features":[40]},{"name":"MCSC_BACKGROUND","features":[40]},{"name":"MCSC_MONTHBK","features":[40]},{"name":"MCSC_TEXT","features":[40]},{"name":"MCSC_TITLEBK","features":[40]},{"name":"MCSC_TITLETEXT","features":[40]},{"name":"MCSC_TRAILINGTEXT","features":[40]},{"name":"MCS_DAYSTATE","features":[40]},{"name":"MCS_MULTISELECT","features":[40]},{"name":"MCS_NOSELCHANGEONNAV","features":[40]},{"name":"MCS_NOTODAY","features":[40]},{"name":"MCS_NOTODAYCIRCLE","features":[40]},{"name":"MCS_NOTRAILINGDATES","features":[40]},{"name":"MCS_SHORTDAYSOFWEEK","features":[40]},{"name":"MCS_WEEKNUMBERS","features":[40]},{"name":"MCTGCU_HASSTATE","features":[40]},{"name":"MCTGCU_HASSTATEHOT","features":[40]},{"name":"MCTGCU_HOT","features":[40]},{"name":"MCTGCU_SELECTED","features":[40]},{"name":"MCTGCU_SELECTEDHOT","features":[40]},{"name":"MCTGC_HASSTATE","features":[40]},{"name":"MCTGC_HASSTATEHOT","features":[40]},{"name":"MCTGC_HOT","features":[40]},{"name":"MCTGC_SELECTED","features":[40]},{"name":"MCTGC_SELECTEDHOT","features":[40]},{"name":"MCTGC_TODAY","features":[40]},{"name":"MCTGC_TODAYSELECTED","features":[40]},{"name":"MC_BACKGROUND","features":[40]},{"name":"MC_BORDERS","features":[40]},{"name":"MC_BULLETDISABLED","features":[40]},{"name":"MC_BULLETNORMAL","features":[40]},{"name":"MC_CHECKMARKDISABLED","features":[40]},{"name":"MC_CHECKMARKNORMAL","features":[40]},{"name":"MC_COLHEADERSPLITTER","features":[40]},{"name":"MC_GRIDBACKGROUND","features":[40]},{"name":"MC_GRIDCELL","features":[40]},{"name":"MC_GRIDCELLBACKGROUND","features":[40]},{"name":"MC_GRIDCELLUPPER","features":[40]},{"name":"MC_NAVNEXT","features":[40]},{"name":"MC_NAVPREV","features":[40]},{"name":"MC_TRAILINGGRIDCELL","features":[40]},{"name":"MC_TRAILINGGRIDCELLUPPER","features":[40]},{"name":"MDCL_DISABLED","features":[40]},{"name":"MDCL_HOT","features":[40]},{"name":"MDCL_NORMAL","features":[40]},{"name":"MDCL_PUSHED","features":[40]},{"name":"MDICLOSEBUTTONSTATES","features":[40]},{"name":"MDIMINBUTTONSTATES","features":[40]},{"name":"MDIRESTOREBUTTONSTATES","features":[40]},{"name":"MDMI_DISABLED","features":[40]},{"name":"MDMI_HOT","features":[40]},{"name":"MDMI_NORMAL","features":[40]},{"name":"MDMI_PUSHED","features":[40]},{"name":"MDP_NEWAPPBUTTON","features":[40]},{"name":"MDP_SEPERATOR","features":[40]},{"name":"MDRE_DISABLED","features":[40]},{"name":"MDRE_HOT","features":[40]},{"name":"MDRE_NORMAL","features":[40]},{"name":"MDRE_PUSHED","features":[40]},{"name":"MDS_CHECKED","features":[40]},{"name":"MDS_DISABLED","features":[40]},{"name":"MDS_HOT","features":[40]},{"name":"MDS_HOTCHECKED","features":[40]},{"name":"MDS_NORMAL","features":[40]},{"name":"MDS_PRESSED","features":[40]},{"name":"MEASUREITEMSTRUCT","features":[40]},{"name":"MENUBANDPARTS","features":[40]},{"name":"MENUBANDSTATES","features":[40]},{"name":"MENUPARTS","features":[40]},{"name":"MENU_BARBACKGROUND","features":[40]},{"name":"MENU_BARITEM","features":[40]},{"name":"MENU_CHEVRON_TMSCHEMA","features":[40]},{"name":"MENU_MENUBARDROPDOWN_TMSCHEMA","features":[40]},{"name":"MENU_MENUBARITEM_TMSCHEMA","features":[40]},{"name":"MENU_MENUDROPDOWN_TMSCHEMA","features":[40]},{"name":"MENU_MENUITEM_TMSCHEMA","features":[40]},{"name":"MENU_POPUPBACKGROUND","features":[40]},{"name":"MENU_POPUPBORDERS","features":[40]},{"name":"MENU_POPUPCHECK","features":[40]},{"name":"MENU_POPUPCHECKBACKGROUND","features":[40]},{"name":"MENU_POPUPGUTTER","features":[40]},{"name":"MENU_POPUPITEM","features":[40]},{"name":"MENU_POPUPITEMKBFOCUS","features":[40]},{"name":"MENU_POPUPITEM_FOCUSABLE","features":[40]},{"name":"MENU_POPUPSEPARATOR","features":[40]},{"name":"MENU_POPUPSUBMENU","features":[40]},{"name":"MENU_POPUPSUBMENU_HCHOT","features":[40]},{"name":"MENU_SEPARATOR_TMSCHEMA","features":[40]},{"name":"MENU_SYSTEMCLOSE","features":[40]},{"name":"MENU_SYSTEMCLOSE_HCHOT","features":[40]},{"name":"MENU_SYSTEMMAXIMIZE","features":[40]},{"name":"MENU_SYSTEMMAXIMIZE_HCHOT","features":[40]},{"name":"MENU_SYSTEMMINIMIZE","features":[40]},{"name":"MENU_SYSTEMMINIMIZE_HCHOT","features":[40]},{"name":"MENU_SYSTEMRESTORE","features":[40]},{"name":"MENU_SYSTEMRESTORE_HCHOT","features":[40]},{"name":"MINBS_DISABLED","features":[40]},{"name":"MINBS_HOT","features":[40]},{"name":"MINBS_NORMAL","features":[40]},{"name":"MINBS_PUSHED","features":[40]},{"name":"MINBUTTONSTATES","features":[40]},{"name":"MINCAPTIONSTATES","features":[40]},{"name":"MNCS_ACTIVE","features":[40]},{"name":"MNCS_DISABLED","features":[40]},{"name":"MNCS_INACTIVE","features":[40]},{"name":"MONTHCALPARTS","features":[40]},{"name":"MONTHCAL_CLASS","features":[40]},{"name":"MONTHCAL_CLASSA","features":[40]},{"name":"MONTHCAL_CLASSW","features":[40]},{"name":"MONTH_CALDENDAR_MESSAGES_VIEW","features":[40]},{"name":"MOREPROGRAMSARROWBACKSTATES","features":[40]},{"name":"MOREPROGRAMSARROWSTATES","features":[40]},{"name":"MOREPROGRAMSTABSTATES","features":[40]},{"name":"MOVESTATES","features":[40]},{"name":"MPIF_DISABLED","features":[40]},{"name":"MPIF_DISABLEDHOT","features":[40]},{"name":"MPIF_HOT","features":[40]},{"name":"MPIF_NORMAL","features":[40]},{"name":"MPIKBFOCUS_NORMAL","features":[40]},{"name":"MPI_DISABLED","features":[40]},{"name":"MPI_DISABLEDHOT","features":[40]},{"name":"MPI_HOT","features":[40]},{"name":"MPI_NORMAL","features":[40]},{"name":"MSGF_COMMCTRL_BEGINDRAG","features":[40]},{"name":"MSGF_COMMCTRL_DRAGSELECT","features":[40]},{"name":"MSGF_COMMCTRL_SIZEHEADER","features":[40]},{"name":"MSGF_COMMCTRL_TOOLBARCUST","features":[40]},{"name":"MSMHC_HOT","features":[40]},{"name":"MSM_DISABLED","features":[40]},{"name":"MSM_NORMAL","features":[40]},{"name":"MSYSCHC_HOT","features":[40]},{"name":"MSYSC_DISABLED","features":[40]},{"name":"MSYSC_NORMAL","features":[40]},{"name":"MSYSMNHC_HOT","features":[40]},{"name":"MSYSMN_DISABLED","features":[40]},{"name":"MSYSMN_NORMAL","features":[40]},{"name":"MSYSMXHC_HOT","features":[40]},{"name":"MSYSMX_DISABLED","features":[40]},{"name":"MSYSMX_NORMAL","features":[40]},{"name":"MSYSRHC_HOT","features":[40]},{"name":"MSYSR_DISABLED","features":[40]},{"name":"MSYSR_NORMAL","features":[40]},{"name":"MULTIFILEOPENORD","features":[40]},{"name":"MXCS_ACTIVE","features":[40]},{"name":"MXCS_DISABLED","features":[40]},{"name":"MXCS_INACTIVE","features":[40]},{"name":"MakeDragList","features":[1,40]},{"name":"MenuHelp","features":[1,40,50]},{"name":"NAVIGATIONPARTS","features":[40]},{"name":"NAVNEXTSTATES","features":[40]},{"name":"NAVPREVSTATES","features":[40]},{"name":"NAV_BACKBUTTON","features":[40]},{"name":"NAV_BACKBUTTONSTATES","features":[40]},{"name":"NAV_BB_DISABLED","features":[40]},{"name":"NAV_BB_HOT","features":[40]},{"name":"NAV_BB_NORMAL","features":[40]},{"name":"NAV_BB_PRESSED","features":[40]},{"name":"NAV_FB_DISABLED","features":[40]},{"name":"NAV_FB_HOT","features":[40]},{"name":"NAV_FB_NORMAL","features":[40]},{"name":"NAV_FB_PRESSED","features":[40]},{"name":"NAV_FORWARDBUTTON","features":[40]},{"name":"NAV_FORWARDBUTTONSTATES","features":[40]},{"name":"NAV_MB_DISABLED","features":[40]},{"name":"NAV_MB_HOT","features":[40]},{"name":"NAV_MB_NORMAL","features":[40]},{"name":"NAV_MB_PRESSED","features":[40]},{"name":"NAV_MENUBUTTON","features":[40]},{"name":"NAV_MENUBUTTONSTATES","features":[40]},{"name":"NEWFILEOPENORD","features":[40]},{"name":"NEWFILEOPENV2ORD","features":[40]},{"name":"NEWFILEOPENV3ORD","features":[40]},{"name":"NEWFORMATDLGWITHLINK","features":[40]},{"name":"NFS_ALL","features":[40]},{"name":"NFS_BUTTON","features":[40]},{"name":"NFS_EDIT","features":[40]},{"name":"NFS_LISTCOMBO","features":[40]},{"name":"NFS_STATIC","features":[40]},{"name":"NFS_USEFONTASSOC","features":[40]},{"name":"NMBCDROPDOWN","features":[1,40]},{"name":"NMBCHOTITEM","features":[1,40]},{"name":"NMCBEDRAGBEGINA","features":[1,40]},{"name":"NMCBEDRAGBEGINW","features":[1,40]},{"name":"NMCBEENDEDITA","features":[1,40]},{"name":"NMCBEENDEDITW","features":[1,40]},{"name":"NMCHAR","features":[1,40]},{"name":"NMCOMBOBOXEXA","features":[1,40]},{"name":"NMCOMBOBOXEXW","features":[1,40]},{"name":"NMCUSTOMDRAW","features":[1,12,40]},{"name":"NMCUSTOMDRAW_DRAW_STAGE","features":[40]},{"name":"NMCUSTOMDRAW_DRAW_STATE_FLAGS","features":[40]},{"name":"NMCUSTOMSPLITRECTINFO","features":[1,40]},{"name":"NMCUSTOMTEXT","features":[1,12,40]},{"name":"NMDATETIMECHANGE","features":[1,40]},{"name":"NMDATETIMECHANGE_FLAGS","features":[40]},{"name":"NMDATETIMEFORMATA","features":[1,40]},{"name":"NMDATETIMEFORMATQUERYA","features":[1,40]},{"name":"NMDATETIMEFORMATQUERYW","features":[1,40]},{"name":"NMDATETIMEFORMATW","features":[1,40]},{"name":"NMDATETIMESTRINGA","features":[1,40]},{"name":"NMDATETIMESTRINGW","features":[1,40]},{"name":"NMDATETIMEWMKEYDOWNA","features":[1,40]},{"name":"NMDATETIMEWMKEYDOWNW","features":[1,40]},{"name":"NMDAYSTATE","features":[1,40]},{"name":"NMHDDISPINFOA","features":[1,40]},{"name":"NMHDDISPINFOW","features":[1,40]},{"name":"NMHDFILTERBTNCLICK","features":[1,40]},{"name":"NMHDR","features":[1,40]},{"name":"NMHEADERA","features":[1,12,40]},{"name":"NMHEADERW","features":[1,12,40]},{"name":"NMIPADDRESS","features":[1,40]},{"name":"NMITEMACTIVATE","features":[1,40]},{"name":"NMKEY","features":[1,40]},{"name":"NMLINK","features":[1,40]},{"name":"NMLISTVIEW","features":[1,40]},{"name":"NMLVCACHEHINT","features":[1,40]},{"name":"NMLVCUSTOMDRAW","features":[1,12,40]},{"name":"NMLVCUSTOMDRAW_ITEM_TYPE","features":[40]},{"name":"NMLVDISPINFOA","features":[1,40]},{"name":"NMLVDISPINFOW","features":[1,40]},{"name":"NMLVEMPTYMARKUP","features":[1,40]},{"name":"NMLVEMPTYMARKUP_FLAGS","features":[40]},{"name":"NMLVFINDITEMA","features":[1,40]},{"name":"NMLVFINDITEMW","features":[1,40]},{"name":"NMLVGETINFOTIPA","features":[1,40]},{"name":"NMLVGETINFOTIPW","features":[1,40]},{"name":"NMLVGETINFOTIP_FLAGS","features":[40]},{"name":"NMLVKEYDOWN","features":[1,40]},{"name":"NMLVLINK","features":[1,40]},{"name":"NMLVODSTATECHANGE","features":[1,40]},{"name":"NMLVSCROLL","features":[1,40]},{"name":"NMMOUSE","features":[1,40]},{"name":"NMOBJECTNOTIFY","features":[1,40]},{"name":"NMPGCALCSIZE","features":[1,40]},{"name":"NMPGCALCSIZE_FLAGS","features":[40]},{"name":"NMPGHOTITEM","features":[1,40]},{"name":"NMPGSCROLL","features":[1,40]},{"name":"NMPGSCROLL_DIR","features":[40]},{"name":"NMPGSCROLL_KEYS","features":[40]},{"name":"NMRBAUTOSIZE","features":[1,40]},{"name":"NMREBAR","features":[1,40]},{"name":"NMREBARAUTOBREAK","features":[1,40]},{"name":"NMREBARCHEVRON","features":[1,40]},{"name":"NMREBARCHILDSIZE","features":[1,40]},{"name":"NMREBARSPLITTER","features":[1,40]},{"name":"NMREBAR_MASK_FLAGS","features":[40]},{"name":"NMSEARCHWEB","features":[1,40]},{"name":"NMSELCHANGE","features":[1,40]},{"name":"NMTBCUSTOMDRAW","features":[1,12,40]},{"name":"NMTBDISPINFOA","features":[1,40]},{"name":"NMTBDISPINFOW","features":[1,40]},{"name":"NMTBDISPINFOW_MASK","features":[40]},{"name":"NMTBGETINFOTIPA","features":[1,40]},{"name":"NMTBGETINFOTIPW","features":[1,40]},{"name":"NMTBHOTITEM","features":[1,40]},{"name":"NMTBHOTITEM_FLAGS","features":[40]},{"name":"NMTBRESTORE","features":[1,40]},{"name":"NMTBSAVE","features":[1,40]},{"name":"NMTCKEYDOWN","features":[1,40]},{"name":"NMTOOLBARA","features":[1,40]},{"name":"NMTOOLBARW","features":[1,40]},{"name":"NMTOOLTIPSCREATED","features":[1,40]},{"name":"NMTRBTHUMBPOSCHANGING","features":[1,40]},{"name":"NMTREEVIEWA","features":[1,40]},{"name":"NMTREEVIEWW","features":[1,40]},{"name":"NMTTCUSTOMDRAW","features":[1,12,40]},{"name":"NMTTDISPINFOA","features":[1,40]},{"name":"NMTTDISPINFOW","features":[1,40]},{"name":"NMTVASYNCDRAW","features":[1,12,40]},{"name":"NMTVCUSTOMDRAW","features":[1,12,40]},{"name":"NMTVDISPINFOA","features":[1,40]},{"name":"NMTVDISPINFOEXA","features":[1,40]},{"name":"NMTVDISPINFOEXW","features":[1,40]},{"name":"NMTVDISPINFOW","features":[1,40]},{"name":"NMTVGETINFOTIPA","features":[1,40]},{"name":"NMTVGETINFOTIPW","features":[1,40]},{"name":"NMTVITEMCHANGE","features":[1,40]},{"name":"NMTVKEYDOWN","features":[1,40]},{"name":"NMTVSTATEIMAGECHANGING","features":[1,40]},{"name":"NMUPDOWN","features":[1,40]},{"name":"NMVIEWCHANGE","features":[1,40]},{"name":"NM_CHAR","features":[40]},{"name":"NM_CLICK","features":[40]},{"name":"NM_CUSTOMDRAW","features":[40]},{"name":"NM_CUSTOMTEXT","features":[40]},{"name":"NM_DBLCLK","features":[40]},{"name":"NM_FIRST","features":[40]},{"name":"NM_FONTCHANGED","features":[40]},{"name":"NM_GETCUSTOMSPLITRECT","features":[40]},{"name":"NM_HOVER","features":[40]},{"name":"NM_KEYDOWN","features":[40]},{"name":"NM_KILLFOCUS","features":[40]},{"name":"NM_LAST","features":[40]},{"name":"NM_LDOWN","features":[40]},{"name":"NM_NCHITTEST","features":[40]},{"name":"NM_OUTOFMEMORY","features":[40]},{"name":"NM_RCLICK","features":[40]},{"name":"NM_RDBLCLK","features":[40]},{"name":"NM_RDOWN","features":[40]},{"name":"NM_RELEASEDCAPTURE","features":[40]},{"name":"NM_RETURN","features":[40]},{"name":"NM_SETCURSOR","features":[40]},{"name":"NM_SETFOCUS","features":[40]},{"name":"NM_THEMECHANGED","features":[40]},{"name":"NM_TOOLTIPSCREATED","features":[40]},{"name":"NM_TREEVIEW_ACTION","features":[40]},{"name":"NM_TVSTATEIMAGECHANGING","features":[40]},{"name":"NONESTATES","features":[40]},{"name":"NORMALGROUPCOLLAPSESTATES","features":[40]},{"name":"NORMALGROUPEXPANDSTATES","features":[40]},{"name":"ODA_DRAWENTIRE","features":[40]},{"name":"ODA_FLAGS","features":[40]},{"name":"ODA_FOCUS","features":[40]},{"name":"ODA_SELECT","features":[40]},{"name":"ODS_CHECKED","features":[40]},{"name":"ODS_COMBOBOXEDIT","features":[40]},{"name":"ODS_DEFAULT","features":[40]},{"name":"ODS_DISABLED","features":[40]},{"name":"ODS_FLAGS","features":[40]},{"name":"ODS_FOCUS","features":[40]},{"name":"ODS_GRAYED","features":[40]},{"name":"ODS_HOTLIGHT","features":[40]},{"name":"ODS_INACTIVE","features":[40]},{"name":"ODS_NOACCEL","features":[40]},{"name":"ODS_NOFOCUSRECT","features":[40]},{"name":"ODS_SELECTED","features":[40]},{"name":"ODT_BUTTON","features":[40]},{"name":"ODT_COMBOBOX","features":[40]},{"name":"ODT_HEADER","features":[40]},{"name":"ODT_LISTBOX","features":[40]},{"name":"ODT_LISTVIEW","features":[40]},{"name":"ODT_MENU","features":[40]},{"name":"ODT_STATIC","features":[40]},{"name":"ODT_TAB","features":[40]},{"name":"OFFSETTYPE","features":[40]},{"name":"OPENBOXSTATES","features":[40]},{"name":"OPEN_THEME_DATA_FLAGS","features":[40]},{"name":"OTD_FORCE_RECT_SIZING","features":[40]},{"name":"OTD_NONCLIENT","features":[40]},{"name":"OT_ABOVELASTBUTTON","features":[40]},{"name":"OT_BELOWLASTBUTTON","features":[40]},{"name":"OT_BOTTOMLEFT","features":[40]},{"name":"OT_BOTTOMMIDDLE","features":[40]},{"name":"OT_BOTTOMRIGHT","features":[40]},{"name":"OT_LEFTOFCAPTION","features":[40]},{"name":"OT_LEFTOFLASTBUTTON","features":[40]},{"name":"OT_MIDDLELEFT","features":[40]},{"name":"OT_MIDDLERIGHT","features":[40]},{"name":"OT_RIGHTOFCAPTION","features":[40]},{"name":"OT_RIGHTOFLASTBUTTON","features":[40]},{"name":"OT_TOPLEFT","features":[40]},{"name":"OT_TOPMIDDLE","features":[40]},{"name":"OT_TOPRIGHT","features":[40]},{"name":"OpenThemeData","features":[1,40]},{"name":"OpenThemeDataEx","features":[1,40]},{"name":"PAGEPARTS","features":[40]},{"name":"PAGESETUPDLGORD","features":[40]},{"name":"PAGESETUPDLGORDMOTIF","features":[40]},{"name":"PBBS_NORMAL","features":[40]},{"name":"PBBS_PARTIAL","features":[40]},{"name":"PBBVS_NORMAL","features":[40]},{"name":"PBBVS_PARTIAL","features":[40]},{"name":"PBDDS_DISABLED","features":[40]},{"name":"PBDDS_NORMAL","features":[40]},{"name":"PBFS_ERROR","features":[40]},{"name":"PBFS_NORMAL","features":[40]},{"name":"PBFS_PARTIAL","features":[40]},{"name":"PBFS_PAUSED","features":[40]},{"name":"PBFVS_ERROR","features":[40]},{"name":"PBFVS_NORMAL","features":[40]},{"name":"PBFVS_PARTIAL","features":[40]},{"name":"PBFVS_PAUSED","features":[40]},{"name":"PBM_DELTAPOS","features":[40]},{"name":"PBM_GETBARCOLOR","features":[40]},{"name":"PBM_GETBKCOLOR","features":[40]},{"name":"PBM_GETPOS","features":[40]},{"name":"PBM_GETRANGE","features":[40]},{"name":"PBM_GETSTATE","features":[40]},{"name":"PBM_GETSTEP","features":[40]},{"name":"PBM_SETBARCOLOR","features":[40]},{"name":"PBM_SETBKCOLOR","features":[40]},{"name":"PBM_SETMARQUEE","features":[40]},{"name":"PBM_SETPOS","features":[40]},{"name":"PBM_SETRANGE","features":[40]},{"name":"PBM_SETRANGE32","features":[40]},{"name":"PBM_SETSTATE","features":[40]},{"name":"PBM_SETSTEP","features":[40]},{"name":"PBM_STEPIT","features":[40]},{"name":"PBRANGE","features":[40]},{"name":"PBST_ERROR","features":[40]},{"name":"PBST_NORMAL","features":[40]},{"name":"PBST_PAUSED","features":[40]},{"name":"PBS_DEFAULTED","features":[40]},{"name":"PBS_DEFAULTED_ANIMATING","features":[40]},{"name":"PBS_DISABLED","features":[40]},{"name":"PBS_HOT","features":[40]},{"name":"PBS_MARQUEE","features":[40]},{"name":"PBS_NORMAL","features":[40]},{"name":"PBS_PRESSED","features":[40]},{"name":"PBS_SMOOTH","features":[40]},{"name":"PBS_SMOOTHREVERSE","features":[40]},{"name":"PBS_VERTICAL","features":[40]},{"name":"PFNDACOMPARE","features":[1,40]},{"name":"PFNDACOMPARECONST","features":[1,40]},{"name":"PFNDAENUMCALLBACK","features":[40]},{"name":"PFNDAENUMCALLBACKCONST","features":[40]},{"name":"PFNDPAMERGE","features":[1,40]},{"name":"PFNDPAMERGECONST","features":[1,40]},{"name":"PFNDPASTREAM","features":[40]},{"name":"PFNLVCOMPARE","features":[1,40]},{"name":"PFNLVGROUPCOMPARE","features":[40]},{"name":"PFNPROPSHEETCALLBACK","features":[1,40]},{"name":"PFNTVCOMPARE","features":[1,40]},{"name":"PFTASKDIALOGCALLBACK","features":[1,40]},{"name":"PGB_BOTTOMORRIGHT","features":[40]},{"name":"PGB_TOPORLEFT","features":[40]},{"name":"PGF_CALCHEIGHT","features":[40]},{"name":"PGF_CALCWIDTH","features":[40]},{"name":"PGF_DEPRESSED","features":[40]},{"name":"PGF_GRAYED","features":[40]},{"name":"PGF_HOT","features":[40]},{"name":"PGF_INVISIBLE","features":[40]},{"name":"PGF_NORMAL","features":[40]},{"name":"PGF_SCROLLDOWN","features":[40]},{"name":"PGF_SCROLLLEFT","features":[40]},{"name":"PGF_SCROLLRIGHT","features":[40]},{"name":"PGF_SCROLLUP","features":[40]},{"name":"PGK_CONTROL","features":[40]},{"name":"PGK_MENU","features":[40]},{"name":"PGK_NONE","features":[40]},{"name":"PGK_SHIFT","features":[40]},{"name":"PGM_FIRST","features":[40]},{"name":"PGM_FORWARDMOUSE","features":[40]},{"name":"PGM_GETBKCOLOR","features":[40]},{"name":"PGM_GETBORDER","features":[40]},{"name":"PGM_GETBUTTONSIZE","features":[40]},{"name":"PGM_GETBUTTONSTATE","features":[40]},{"name":"PGM_GETDROPTARGET","features":[40]},{"name":"PGM_GETPOS","features":[40]},{"name":"PGM_RECALCSIZE","features":[40]},{"name":"PGM_SETBKCOLOR","features":[40]},{"name":"PGM_SETBORDER","features":[40]},{"name":"PGM_SETBUTTONSIZE","features":[40]},{"name":"PGM_SETCHILD","features":[40]},{"name":"PGM_SETPOS","features":[40]},{"name":"PGM_SETSCROLLINFO","features":[40]},{"name":"PGN_CALCSIZE","features":[40]},{"name":"PGN_FIRST","features":[40]},{"name":"PGN_HOTITEMCHANGE","features":[40]},{"name":"PGN_LAST","features":[40]},{"name":"PGN_SCROLL","features":[40]},{"name":"PGRP_DOWN","features":[40]},{"name":"PGRP_DOWNHORZ","features":[40]},{"name":"PGRP_UP","features":[40]},{"name":"PGRP_UPHORZ","features":[40]},{"name":"PGS_AUTOSCROLL","features":[40]},{"name":"PGS_DRAGNDROP","features":[40]},{"name":"PGS_HORZ","features":[40]},{"name":"PGS_VERT","features":[40]},{"name":"POINTER_DEVICE_CURSOR_INFO","features":[40]},{"name":"POINTER_DEVICE_CURSOR_TYPE","features":[40]},{"name":"POINTER_DEVICE_CURSOR_TYPE_ERASER","features":[40]},{"name":"POINTER_DEVICE_CURSOR_TYPE_MAX","features":[40]},{"name":"POINTER_DEVICE_CURSOR_TYPE_TIP","features":[40]},{"name":"POINTER_DEVICE_CURSOR_TYPE_UNKNOWN","features":[40]},{"name":"POINTER_DEVICE_INFO","features":[1,12,40]},{"name":"POINTER_DEVICE_PROPERTY","features":[40]},{"name":"POINTER_DEVICE_TYPE","features":[40]},{"name":"POINTER_DEVICE_TYPE_EXTERNAL_PEN","features":[40]},{"name":"POINTER_DEVICE_TYPE_INTEGRATED_PEN","features":[40]},{"name":"POINTER_DEVICE_TYPE_MAX","features":[40]},{"name":"POINTER_DEVICE_TYPE_TOUCH","features":[40]},{"name":"POINTER_DEVICE_TYPE_TOUCH_PAD","features":[40]},{"name":"POINTER_FEEDBACK_DEFAULT","features":[40]},{"name":"POINTER_FEEDBACK_INDIRECT","features":[40]},{"name":"POINTER_FEEDBACK_MODE","features":[40]},{"name":"POINTER_FEEDBACK_NONE","features":[40]},{"name":"POINTER_TYPE_INFO","features":[1,40,209,50]},{"name":"POPUPCHECKBACKGROUNDSTATES","features":[40]},{"name":"POPUPCHECKSTATES","features":[40]},{"name":"POPUPITEMFOCUSABLESTATES","features":[40]},{"name":"POPUPITEMKBFOCUSSTATES","features":[40]},{"name":"POPUPITEMSTATES","features":[40]},{"name":"POPUPSUBMENUHCHOTSTATES","features":[40]},{"name":"POPUPSUBMENUSTATES","features":[40]},{"name":"PO_CLASS","features":[40]},{"name":"PO_GLOBAL","features":[40]},{"name":"PO_NOTFOUND","features":[40]},{"name":"PO_PART","features":[40]},{"name":"PO_STATE","features":[40]},{"name":"PP_BAR","features":[40]},{"name":"PP_BARVERT","features":[40]},{"name":"PP_CHUNK","features":[40]},{"name":"PP_CHUNKVERT","features":[40]},{"name":"PP_FILL","features":[40]},{"name":"PP_FILLVERT","features":[40]},{"name":"PP_MOVEOVERLAY","features":[40]},{"name":"PP_MOVEOVERLAYVERT","features":[40]},{"name":"PP_PULSEOVERLAY","features":[40]},{"name":"PP_PULSEOVERLAYVERT","features":[40]},{"name":"PP_TRANSPARENTBAR","features":[40]},{"name":"PP_TRANSPARENTBARVERT","features":[40]},{"name":"PRINTDLGEXORD","features":[40]},{"name":"PRINTDLGORD","features":[40]},{"name":"PRNSETUPDLGORD","features":[40]},{"name":"PROGRESSPARTS","features":[40]},{"name":"PROGRESS_CLASS","features":[40]},{"name":"PROGRESS_CLASSA","features":[40]},{"name":"PROGRESS_CLASSW","features":[40]},{"name":"PROPERTYORIGIN","features":[40]},{"name":"PROPSHEETHEADERA_V1","features":[1,12,40,50]},{"name":"PROPSHEETHEADERA_V2","features":[1,12,40,50]},{"name":"PROPSHEETHEADERW_V1","features":[1,12,40,50]},{"name":"PROPSHEETHEADERW_V2","features":[1,12,40,50]},{"name":"PROPSHEETPAGEA","features":[1,12,40,50]},{"name":"PROPSHEETPAGEA_V1","features":[1,12,40,50]},{"name":"PROPSHEETPAGEA_V2","features":[1,12,40,50]},{"name":"PROPSHEETPAGEA_V3","features":[1,12,40,50]},{"name":"PROPSHEETPAGEW","features":[1,12,40,50]},{"name":"PROPSHEETPAGEW_V1","features":[1,12,40,50]},{"name":"PROPSHEETPAGEW_V2","features":[1,12,40,50]},{"name":"PROPSHEETPAGEW_V3","features":[1,12,40,50]},{"name":"PROP_LG_CXDLG","features":[40]},{"name":"PROP_LG_CYDLG","features":[40]},{"name":"PROP_MED_CXDLG","features":[40]},{"name":"PROP_MED_CYDLG","features":[40]},{"name":"PROP_SM_CXDLG","features":[40]},{"name":"PROP_SM_CYDLG","features":[40]},{"name":"PSBTN_APPLYNOW","features":[40]},{"name":"PSBTN_BACK","features":[40]},{"name":"PSBTN_CANCEL","features":[40]},{"name":"PSBTN_FINISH","features":[40]},{"name":"PSBTN_HELP","features":[40]},{"name":"PSBTN_MAX","features":[40]},{"name":"PSBTN_NEXT","features":[40]},{"name":"PSBTN_OK","features":[40]},{"name":"PSCB_BUTTONPRESSED","features":[40]},{"name":"PSCB_INITIALIZED","features":[40]},{"name":"PSCB_PRECREATE","features":[40]},{"name":"PSHNOTIFY","features":[1,40]},{"name":"PSH_AEROWIZARD","features":[40]},{"name":"PSH_DEFAULT","features":[40]},{"name":"PSH_HASHELP","features":[40]},{"name":"PSH_HEADER","features":[40]},{"name":"PSH_HEADERBITMAP","features":[40]},{"name":"PSH_MODELESS","features":[40]},{"name":"PSH_NOAPPLYNOW","features":[40]},{"name":"PSH_NOCONTEXTHELP","features":[40]},{"name":"PSH_NOMARGIN","features":[40]},{"name":"PSH_PROPSHEETPAGE","features":[40]},{"name":"PSH_PROPTITLE","features":[40]},{"name":"PSH_RESIZABLE","features":[40]},{"name":"PSH_RTLREADING","features":[40]},{"name":"PSH_STRETCHWATERMARK","features":[40]},{"name":"PSH_USECALLBACK","features":[40]},{"name":"PSH_USEHBMHEADER","features":[40]},{"name":"PSH_USEHBMWATERMARK","features":[40]},{"name":"PSH_USEHICON","features":[40]},{"name":"PSH_USEHPLWATERMARK","features":[40]},{"name":"PSH_USEICONID","features":[40]},{"name":"PSH_USEPAGELANG","features":[40]},{"name":"PSH_USEPSTARTPAGE","features":[40]},{"name":"PSH_WATERMARK","features":[40]},{"name":"PSH_WIZARD","features":[40]},{"name":"PSH_WIZARD97","features":[40]},{"name":"PSH_WIZARDCONTEXTHELP","features":[40]},{"name":"PSH_WIZARDHASFINISH","features":[40]},{"name":"PSH_WIZARD_LITE","features":[40]},{"name":"PSM_ADDPAGE","features":[40]},{"name":"PSM_APPLY","features":[40]},{"name":"PSM_CANCELTOCLOSE","features":[40]},{"name":"PSM_CHANGED","features":[40]},{"name":"PSM_ENABLEWIZBUTTONS","features":[40]},{"name":"PSM_GETCURRENTPAGEHWND","features":[40]},{"name":"PSM_GETRESULT","features":[40]},{"name":"PSM_GETTABCONTROL","features":[40]},{"name":"PSM_HWNDTOINDEX","features":[40]},{"name":"PSM_IDTOINDEX","features":[40]},{"name":"PSM_INDEXTOHWND","features":[40]},{"name":"PSM_INDEXTOID","features":[40]},{"name":"PSM_INDEXTOPAGE","features":[40]},{"name":"PSM_INSERTPAGE","features":[40]},{"name":"PSM_ISDIALOGMESSAGE","features":[40]},{"name":"PSM_PAGETOINDEX","features":[40]},{"name":"PSM_PRESSBUTTON","features":[40]},{"name":"PSM_QUERYSIBLINGS","features":[40]},{"name":"PSM_REBOOTSYSTEM","features":[40]},{"name":"PSM_RECALCPAGESIZES","features":[40]},{"name":"PSM_REMOVEPAGE","features":[40]},{"name":"PSM_RESTARTWINDOWS","features":[40]},{"name":"PSM_SETBUTTONTEXT","features":[40]},{"name":"PSM_SETBUTTONTEXTW","features":[40]},{"name":"PSM_SETCURSEL","features":[40]},{"name":"PSM_SETCURSELID","features":[40]},{"name":"PSM_SETFINISHTEXT","features":[40]},{"name":"PSM_SETFINISHTEXTA","features":[40]},{"name":"PSM_SETFINISHTEXTW","features":[40]},{"name":"PSM_SETHEADERSUBTITLE","features":[40]},{"name":"PSM_SETHEADERSUBTITLEA","features":[40]},{"name":"PSM_SETHEADERSUBTITLEW","features":[40]},{"name":"PSM_SETHEADERTITLE","features":[40]},{"name":"PSM_SETHEADERTITLEA","features":[40]},{"name":"PSM_SETHEADERTITLEW","features":[40]},{"name":"PSM_SETNEXTTEXT","features":[40]},{"name":"PSM_SETNEXTTEXTW","features":[40]},{"name":"PSM_SETTITLE","features":[40]},{"name":"PSM_SETTITLEA","features":[40]},{"name":"PSM_SETTITLEW","features":[40]},{"name":"PSM_SETWIZBUTTONS","features":[40]},{"name":"PSM_SHOWWIZBUTTONS","features":[40]},{"name":"PSM_UNCHANGED","features":[40]},{"name":"PSNRET_INVALID","features":[40]},{"name":"PSNRET_INVALID_NOCHANGEPAGE","features":[40]},{"name":"PSNRET_MESSAGEHANDLED","features":[40]},{"name":"PSNRET_NOERROR","features":[40]},{"name":"PSN_APPLY","features":[40]},{"name":"PSN_FIRST","features":[40]},{"name":"PSN_GETOBJECT","features":[40]},{"name":"PSN_HELP","features":[40]},{"name":"PSN_KILLACTIVE","features":[40]},{"name":"PSN_LAST","features":[40]},{"name":"PSN_QUERYCANCEL","features":[40]},{"name":"PSN_QUERYINITIALFOCUS","features":[40]},{"name":"PSN_RESET","features":[40]},{"name":"PSN_SETACTIVE","features":[40]},{"name":"PSN_TRANSLATEACCELERATOR","features":[40]},{"name":"PSN_WIZBACK","features":[40]},{"name":"PSN_WIZFINISH","features":[40]},{"name":"PSN_WIZNEXT","features":[40]},{"name":"PSPCB_ADDREF","features":[40]},{"name":"PSPCB_CREATE","features":[40]},{"name":"PSPCB_MESSAGE","features":[40]},{"name":"PSPCB_RELEASE","features":[40]},{"name":"PSPCB_SI_INITDIALOG","features":[40]},{"name":"PSP_DEFAULT","features":[40]},{"name":"PSP_DLGINDIRECT","features":[40]},{"name":"PSP_HASHELP","features":[40]},{"name":"PSP_HIDEHEADER","features":[40]},{"name":"PSP_PREMATURE","features":[40]},{"name":"PSP_RTLREADING","features":[40]},{"name":"PSP_USECALLBACK","features":[40]},{"name":"PSP_USEFUSIONCONTEXT","features":[40]},{"name":"PSP_USEHEADERSUBTITLE","features":[40]},{"name":"PSP_USEHEADERTITLE","features":[40]},{"name":"PSP_USEHICON","features":[40]},{"name":"PSP_USEICONID","features":[40]},{"name":"PSP_USEREFPARENT","features":[40]},{"name":"PSP_USETITLE","features":[40]},{"name":"PSWIZBF_ELEVATIONREQUIRED","features":[40]},{"name":"PSWIZB_BACK","features":[40]},{"name":"PSWIZB_CANCEL","features":[40]},{"name":"PSWIZB_DISABLEDFINISH","features":[40]},{"name":"PSWIZB_FINISH","features":[40]},{"name":"PSWIZB_NEXT","features":[40]},{"name":"PSWIZB_RESTORE","features":[40]},{"name":"PSWIZB_SHOW","features":[40]},{"name":"PUSHBUTTONDROPDOWNSTATES","features":[40]},{"name":"PUSHBUTTONSTATES","features":[40]},{"name":"PackTouchHitTestingProximityEvaluation","features":[1,40]},{"name":"PropertySheetA","features":[1,12,40,50]},{"name":"PropertySheetW","features":[1,12,40,50]},{"name":"RADIOBUTTONSTATES","features":[40]},{"name":"RBAB_ADDBAND","features":[40]},{"name":"RBAB_AUTOSIZE","features":[40]},{"name":"RBBIM_BACKGROUND","features":[40]},{"name":"RBBIM_CHEVRONLOCATION","features":[40]},{"name":"RBBIM_CHEVRONSTATE","features":[40]},{"name":"RBBIM_CHILD","features":[40]},{"name":"RBBIM_CHILDSIZE","features":[40]},{"name":"RBBIM_COLORS","features":[40]},{"name":"RBBIM_HEADERSIZE","features":[40]},{"name":"RBBIM_ID","features":[40]},{"name":"RBBIM_IDEALSIZE","features":[40]},{"name":"RBBIM_IMAGE","features":[40]},{"name":"RBBIM_LPARAM","features":[40]},{"name":"RBBIM_SIZE","features":[40]},{"name":"RBBIM_STYLE","features":[40]},{"name":"RBBIM_TEXT","features":[40]},{"name":"RBBS_BREAK","features":[40]},{"name":"RBBS_CHILDEDGE","features":[40]},{"name":"RBBS_FIXEDBMP","features":[40]},{"name":"RBBS_FIXEDSIZE","features":[40]},{"name":"RBBS_GRIPPERALWAYS","features":[40]},{"name":"RBBS_HIDDEN","features":[40]},{"name":"RBBS_HIDETITLE","features":[40]},{"name":"RBBS_NOGRIPPER","features":[40]},{"name":"RBBS_NOVERT","features":[40]},{"name":"RBBS_TOPALIGN","features":[40]},{"name":"RBBS_USECHEVRON","features":[40]},{"name":"RBBS_VARIABLEHEIGHT","features":[40]},{"name":"RBHITTESTINFO","features":[1,40]},{"name":"RBHT_CAPTION","features":[40]},{"name":"RBHT_CHEVRON","features":[40]},{"name":"RBHT_CLIENT","features":[40]},{"name":"RBHT_GRABBER","features":[40]},{"name":"RBHT_NOWHERE","features":[40]},{"name":"RBHT_SPLITTER","features":[40]},{"name":"RBIM_IMAGELIST","features":[40]},{"name":"RBNM_ID","features":[40]},{"name":"RBNM_LPARAM","features":[40]},{"name":"RBNM_STYLE","features":[40]},{"name":"RBN_AUTOBREAK","features":[40]},{"name":"RBN_AUTOSIZE","features":[40]},{"name":"RBN_BEGINDRAG","features":[40]},{"name":"RBN_CHEVRONPUSHED","features":[40]},{"name":"RBN_CHILDSIZE","features":[40]},{"name":"RBN_DELETEDBAND","features":[40]},{"name":"RBN_DELETINGBAND","features":[40]},{"name":"RBN_ENDDRAG","features":[40]},{"name":"RBN_FIRST","features":[40]},{"name":"RBN_GETOBJECT","features":[40]},{"name":"RBN_HEIGHTCHANGE","features":[40]},{"name":"RBN_LAST","features":[40]},{"name":"RBN_LAYOUTCHANGED","features":[40]},{"name":"RBN_MINMAX","features":[40]},{"name":"RBN_SPLITTERDRAG","features":[40]},{"name":"RBSTR_CHANGERECT","features":[40]},{"name":"RBS_AUTOSIZE","features":[40]},{"name":"RBS_BANDBORDERS","features":[40]},{"name":"RBS_CHECKEDDISABLED","features":[40]},{"name":"RBS_CHECKEDHOT","features":[40]},{"name":"RBS_CHECKEDNORMAL","features":[40]},{"name":"RBS_CHECKEDPRESSED","features":[40]},{"name":"RBS_DBLCLKTOGGLE","features":[40]},{"name":"RBS_DISABLED","features":[40]},{"name":"RBS_FIXEDORDER","features":[40]},{"name":"RBS_HOT","features":[40]},{"name":"RBS_NORMAL","features":[40]},{"name":"RBS_PUSHED","features":[40]},{"name":"RBS_REGISTERDROP","features":[40]},{"name":"RBS_TOOLTIPS","features":[40]},{"name":"RBS_UNCHECKEDDISABLED","features":[40]},{"name":"RBS_UNCHECKEDHOT","features":[40]},{"name":"RBS_UNCHECKEDNORMAL","features":[40]},{"name":"RBS_UNCHECKEDPRESSED","features":[40]},{"name":"RBS_VARHEIGHT","features":[40]},{"name":"RBS_VERTICALGRIPPER","features":[40]},{"name":"RB_BEGINDRAG","features":[40]},{"name":"RB_DELETEBAND","features":[40]},{"name":"RB_DRAGMOVE","features":[40]},{"name":"RB_ENDDRAG","features":[40]},{"name":"RB_GETBANDBORDERS","features":[40]},{"name":"RB_GETBANDCOUNT","features":[40]},{"name":"RB_GETBANDINFO","features":[40]},{"name":"RB_GETBANDINFOA","features":[40]},{"name":"RB_GETBANDINFOW","features":[40]},{"name":"RB_GETBANDMARGINS","features":[40]},{"name":"RB_GETBARHEIGHT","features":[40]},{"name":"RB_GETBARINFO","features":[40]},{"name":"RB_GETBKCOLOR","features":[40]},{"name":"RB_GETCOLORSCHEME","features":[40]},{"name":"RB_GETDROPTARGET","features":[40]},{"name":"RB_GETEXTENDEDSTYLE","features":[40]},{"name":"RB_GETPALETTE","features":[40]},{"name":"RB_GETRECT","features":[40]},{"name":"RB_GETROWCOUNT","features":[40]},{"name":"RB_GETROWHEIGHT","features":[40]},{"name":"RB_GETTEXTCOLOR","features":[40]},{"name":"RB_GETTOOLTIPS","features":[40]},{"name":"RB_GETUNICODEFORMAT","features":[40]},{"name":"RB_HITTEST","features":[40]},{"name":"RB_IDTOINDEX","features":[40]},{"name":"RB_INSERTBAND","features":[40]},{"name":"RB_INSERTBANDA","features":[40]},{"name":"RB_INSERTBANDW","features":[40]},{"name":"RB_MAXIMIZEBAND","features":[40]},{"name":"RB_MINIMIZEBAND","features":[40]},{"name":"RB_MOVEBAND","features":[40]},{"name":"RB_PUSHCHEVRON","features":[40]},{"name":"RB_SETBANDINFO","features":[40]},{"name":"RB_SETBANDINFOA","features":[40]},{"name":"RB_SETBANDINFOW","features":[40]},{"name":"RB_SETBANDWIDTH","features":[40]},{"name":"RB_SETBARINFO","features":[40]},{"name":"RB_SETBKCOLOR","features":[40]},{"name":"RB_SETCOLORSCHEME","features":[40]},{"name":"RB_SETEXTENDEDSTYLE","features":[40]},{"name":"RB_SETPALETTE","features":[40]},{"name":"RB_SETPARENT","features":[40]},{"name":"RB_SETTEXTCOLOR","features":[40]},{"name":"RB_SETTOOLTIPS","features":[40]},{"name":"RB_SETUNICODEFORMAT","features":[40]},{"name":"RB_SETWINDOWTHEME","features":[40]},{"name":"RB_SHOWBAND","features":[40]},{"name":"RB_SIZETORECT","features":[40]},{"name":"READONLYSTATES","features":[40]},{"name":"REBARBANDINFOA","features":[1,12,40]},{"name":"REBARBANDINFOW","features":[1,12,40]},{"name":"REBARCLASSNAME","features":[40]},{"name":"REBARCLASSNAMEA","features":[40]},{"name":"REBARCLASSNAMEW","features":[40]},{"name":"REBARINFO","features":[40]},{"name":"REBARPARTS","features":[40]},{"name":"REPLACEDLGORD","features":[40]},{"name":"RESTOREBUTTONSTATES","features":[40]},{"name":"RP_BACKGROUND","features":[40]},{"name":"RP_BAND","features":[40]},{"name":"RP_CHEVRON","features":[40]},{"name":"RP_CHEVRONVERT","features":[40]},{"name":"RP_GRIPPER","features":[40]},{"name":"RP_GRIPPERVERT","features":[40]},{"name":"RP_SPLITTER","features":[40]},{"name":"RP_SPLITTERVERT","features":[40]},{"name":"RUNDLGORD","features":[40]},{"name":"RegisterPointerDeviceNotifications","features":[1,40]},{"name":"RegisterTouchHitTestingWindow","features":[1,40]},{"name":"SBARS_SIZEGRIP","features":[40]},{"name":"SBARS_TOOLTIPS","features":[40]},{"name":"SBN_FIRST","features":[40]},{"name":"SBN_LAST","features":[40]},{"name":"SBN_SIMPLEMODECHANGE","features":[40]},{"name":"SBP_ARROWBTN","features":[40]},{"name":"SBP_GRIPPERHORZ","features":[40]},{"name":"SBP_GRIPPERVERT","features":[40]},{"name":"SBP_LOWERTRACKHORZ","features":[40]},{"name":"SBP_LOWERTRACKVERT","features":[40]},{"name":"SBP_SIZEBOX","features":[40]},{"name":"SBP_SIZEBOXBKGND","features":[40]},{"name":"SBP_THUMBBTNHORZ","features":[40]},{"name":"SBP_THUMBBTNVERT","features":[40]},{"name":"SBP_UPPERTRACKHORZ","features":[40]},{"name":"SBP_UPPERTRACKVERT","features":[40]},{"name":"SBS_DISABLED","features":[40]},{"name":"SBS_HOT","features":[40]},{"name":"SBS_NORMAL","features":[40]},{"name":"SBS_PUSHED","features":[40]},{"name":"SBT_NOBORDERS","features":[40]},{"name":"SBT_NOTABPARSING","features":[40]},{"name":"SBT_OWNERDRAW","features":[40]},{"name":"SBT_POPOUT","features":[40]},{"name":"SBT_RTLREADING","features":[40]},{"name":"SBT_TOOLTIPS","features":[40]},{"name":"SB_GETBORDERS","features":[40]},{"name":"SB_GETICON","features":[40]},{"name":"SB_GETPARTS","features":[40]},{"name":"SB_GETRECT","features":[40]},{"name":"SB_GETTEXT","features":[40]},{"name":"SB_GETTEXTA","features":[40]},{"name":"SB_GETTEXTLENGTH","features":[40]},{"name":"SB_GETTEXTLENGTHA","features":[40]},{"name":"SB_GETTEXTLENGTHW","features":[40]},{"name":"SB_GETTEXTW","features":[40]},{"name":"SB_GETTIPTEXTA","features":[40]},{"name":"SB_GETTIPTEXTW","features":[40]},{"name":"SB_GETUNICODEFORMAT","features":[40]},{"name":"SB_ISSIMPLE","features":[40]},{"name":"SB_SETBKCOLOR","features":[40]},{"name":"SB_SETICON","features":[40]},{"name":"SB_SETMINHEIGHT","features":[40]},{"name":"SB_SETPARTS","features":[40]},{"name":"SB_SETTEXT","features":[40]},{"name":"SB_SETTEXTA","features":[40]},{"name":"SB_SETTEXTW","features":[40]},{"name":"SB_SETTIPTEXTA","features":[40]},{"name":"SB_SETTIPTEXTW","features":[40]},{"name":"SB_SETUNICODEFORMAT","features":[40]},{"name":"SB_SIMPLE","features":[40]},{"name":"SB_SIMPLEID","features":[40]},{"name":"SCBS_DISABLED","features":[40]},{"name":"SCBS_HOT","features":[40]},{"name":"SCBS_NORMAL","features":[40]},{"name":"SCBS_PUSHED","features":[40]},{"name":"SCRBS_DISABLED","features":[40]},{"name":"SCRBS_HOT","features":[40]},{"name":"SCRBS_HOVER","features":[40]},{"name":"SCRBS_NORMAL","features":[40]},{"name":"SCRBS_PRESSED","features":[40]},{"name":"SCROLLBARPARTS","features":[40]},{"name":"SCROLLBARSTYLESTATES","features":[40]},{"name":"SCS_ACTIVE","features":[40]},{"name":"SCS_DISABLED","features":[40]},{"name":"SCS_INACTIVE","features":[40]},{"name":"SECTIONTITLELINKSTATES","features":[40]},{"name":"SET_THEME_APP_PROPERTIES_FLAGS","features":[40]},{"name":"SFRB_ACTIVE","features":[40]},{"name":"SFRB_INACTIVE","features":[40]},{"name":"SFRL_ACTIVE","features":[40]},{"name":"SFRL_INACTIVE","features":[40]},{"name":"SFRR_ACTIVE","features":[40]},{"name":"SFRR_INACTIVE","features":[40]},{"name":"SHOWCALENDARBUTTONRIGHTSTATES","features":[40]},{"name":"SIZEBOXSTATES","features":[40]},{"name":"SIZINGTYPE","features":[40]},{"name":"SMALLCAPTIONSTATES","features":[40]},{"name":"SMALLCLOSEBUTTONSTATES","features":[40]},{"name":"SMALLFRAMEBOTTOMSTATES","features":[40]},{"name":"SMALLFRAMELEFTSTATES","features":[40]},{"name":"SMALLFRAMERIGHTSTATES","features":[40]},{"name":"SOFTWAREEXPLORERSTATES","features":[40]},{"name":"SPECIALGROUPCOLLAPSESTATES","features":[40]},{"name":"SPECIALGROUPEXPANDSTATES","features":[40]},{"name":"SPINPARTS","features":[40]},{"name":"SPLITSV_HOT","features":[40]},{"name":"SPLITSV_NORMAL","features":[40]},{"name":"SPLITSV_PRESSED","features":[40]},{"name":"SPLITS_HOT","features":[40]},{"name":"SPLITS_NORMAL","features":[40]},{"name":"SPLITS_PRESSED","features":[40]},{"name":"SPLITTERSTATES","features":[40]},{"name":"SPLITTERVERTSTATES","features":[40]},{"name":"SPLS_HOT","features":[40]},{"name":"SPLS_NORMAL","features":[40]},{"name":"SPLS_PRESSED","features":[40]},{"name":"SPMPT_DISABLED","features":[40]},{"name":"SPMPT_FOCUSED","features":[40]},{"name":"SPMPT_HOT","features":[40]},{"name":"SPMPT_NORMAL","features":[40]},{"name":"SPMPT_SELECTED","features":[40]},{"name":"SPNP_DOWN","features":[40]},{"name":"SPNP_DOWNHORZ","features":[40]},{"name":"SPNP_UP","features":[40]},{"name":"SPNP_UPHORZ","features":[40]},{"name":"SPOB_DISABLED","features":[40]},{"name":"SPOB_FOCUSED","features":[40]},{"name":"SPOB_HOT","features":[40]},{"name":"SPOB_NORMAL","features":[40]},{"name":"SPOB_SELECTED","features":[40]},{"name":"SPP_LOGOFF","features":[40]},{"name":"SPP_LOGOFFBUTTONS","features":[40]},{"name":"SPP_LOGOFFSPLITBUTTONDROPDOWN","features":[40]},{"name":"SPP_MOREPROGRAMS","features":[40]},{"name":"SPP_MOREPROGRAMSARROW","features":[40]},{"name":"SPP_MOREPROGRAMSARROWBACK","features":[40]},{"name":"SPP_MOREPROGRAMSTAB","features":[40]},{"name":"SPP_NSCHOST","features":[40]},{"name":"SPP_OPENBOX","features":[40]},{"name":"SPP_PLACESLIST","features":[40]},{"name":"SPP_PLACESLISTSEPARATOR","features":[40]},{"name":"SPP_PREVIEW","features":[40]},{"name":"SPP_PROGLIST","features":[40]},{"name":"SPP_PROGLISTSEPARATOR","features":[40]},{"name":"SPP_SEARCHVIEW","features":[40]},{"name":"SPP_SOFTWAREEXPLORER","features":[40]},{"name":"SPP_TOPMATCH","features":[40]},{"name":"SPP_USERPANE","features":[40]},{"name":"SPP_USERPICTURE","features":[40]},{"name":"SPSB_HOT","features":[40]},{"name":"SPSB_NORMAL","features":[40]},{"name":"SPSB_PRESSED","features":[40]},{"name":"SPSE_DISABLED","features":[40]},{"name":"SPSE_FOCUSED","features":[40]},{"name":"SPSE_HOT","features":[40]},{"name":"SPSE_NORMAL","features":[40]},{"name":"SPSE_SELECTED","features":[40]},{"name":"SPS_HOT","features":[40]},{"name":"SPS_NORMAL","features":[40]},{"name":"SPS_PRESSED","features":[40]},{"name":"SP_GRIPPER","features":[40]},{"name":"SP_GRIPPERPANE","features":[40]},{"name":"SP_PANE","features":[40]},{"name":"STANDARDSTATES","features":[40]},{"name":"STARTPANELPARTS","features":[40]},{"name":"STATE_SYSTEM_FOCUSABLE","features":[40]},{"name":"STATE_SYSTEM_INVISIBLE","features":[40]},{"name":"STATE_SYSTEM_OFFSCREEN","features":[40]},{"name":"STATE_SYSTEM_PRESSED","features":[40]},{"name":"STATE_SYSTEM_UNAVAILABLE","features":[40]},{"name":"STATICPARTS","features":[40]},{"name":"STATUSCLASSNAME","features":[40]},{"name":"STATUSCLASSNAMEA","features":[40]},{"name":"STATUSCLASSNAMEW","features":[40]},{"name":"STATUSPARTS","features":[40]},{"name":"STAT_TEXT","features":[40]},{"name":"STD_COPY","features":[40]},{"name":"STD_CUT","features":[40]},{"name":"STD_DELETE","features":[40]},{"name":"STD_FILENEW","features":[40]},{"name":"STD_FILEOPEN","features":[40]},{"name":"STD_FILESAVE","features":[40]},{"name":"STD_FIND","features":[40]},{"name":"STD_HELP","features":[40]},{"name":"STD_PASTE","features":[40]},{"name":"STD_PRINT","features":[40]},{"name":"STD_PRINTPRE","features":[40]},{"name":"STD_PROPERTIES","features":[40]},{"name":"STD_REDOW","features":[40]},{"name":"STD_REPLACE","features":[40]},{"name":"STD_UNDO","features":[40]},{"name":"ST_STRETCH","features":[40]},{"name":"ST_TILE","features":[40]},{"name":"ST_TRUESIZE","features":[40]},{"name":"SYSBUTTONSTATES","features":[40]},{"name":"SYSTEMCLOSEHCHOTSTATES","features":[40]},{"name":"SYSTEMCLOSESTATES","features":[40]},{"name":"SYSTEMMAXIMIZEHCHOTSTATES","features":[40]},{"name":"SYSTEMMAXIMIZESTATES","features":[40]},{"name":"SYSTEMMINIMIZEHCHOTSTATES","features":[40]},{"name":"SYSTEMMINIMIZESTATES","features":[40]},{"name":"SYSTEMRESTOREHCHOTSTATES","features":[40]},{"name":"SYSTEMRESTORESTATES","features":[40]},{"name":"SZB_HALFBOTTOMLEFTALIGN","features":[40]},{"name":"SZB_HALFBOTTOMRIGHTALIGN","features":[40]},{"name":"SZB_HALFTOPLEFTALIGN","features":[40]},{"name":"SZB_HALFTOPRIGHTALIGN","features":[40]},{"name":"SZB_LEFTALIGN","features":[40]},{"name":"SZB_RIGHTALIGN","features":[40]},{"name":"SZB_TOPLEFTALIGN","features":[40]},{"name":"SZB_TOPRIGHTALIGN","features":[40]},{"name":"SZ_THDOCPROP_AUTHOR","features":[40]},{"name":"SZ_THDOCPROP_CANONICALNAME","features":[40]},{"name":"SZ_THDOCPROP_DISPLAYNAME","features":[40]},{"name":"SZ_THDOCPROP_TOOLTIP","features":[40]},{"name":"SetScrollInfo","features":[1,40,50]},{"name":"SetScrollPos","features":[1,40,50]},{"name":"SetScrollRange","features":[1,40,50]},{"name":"SetThemeAppProperties","features":[40]},{"name":"SetWindowFeedbackSetting","features":[1,40]},{"name":"SetWindowTheme","features":[1,40]},{"name":"SetWindowThemeAttribute","features":[1,40]},{"name":"ShowHideMenuCtl","features":[1,40]},{"name":"ShowScrollBar","features":[1,40,50]},{"name":"Str_SetPtrW","features":[1,40]},{"name":"TABITEMBOTHEDGESTATES","features":[40]},{"name":"TABITEMLEFTEDGESTATES","features":[40]},{"name":"TABITEMRIGHTEDGESTATES","features":[40]},{"name":"TABITEMSTATES","features":[40]},{"name":"TABPARTS","features":[40]},{"name":"TABP_AEROWIZARDBODY","features":[40]},{"name":"TABP_BODY","features":[40]},{"name":"TABP_PANE","features":[40]},{"name":"TABP_TABITEM","features":[40]},{"name":"TABP_TABITEMBOTHEDGE","features":[40]},{"name":"TABP_TABITEMLEFTEDGE","features":[40]},{"name":"TABP_TABITEMRIGHTEDGE","features":[40]},{"name":"TABP_TOPTABITEM","features":[40]},{"name":"TABP_TOPTABITEMBOTHEDGE","features":[40]},{"name":"TABP_TOPTABITEMLEFTEDGE","features":[40]},{"name":"TABP_TOPTABITEMRIGHTEDGE","features":[40]},{"name":"TABSTATES","features":[40]},{"name":"TAB_CONTROL_ITEM_STATE","features":[40]},{"name":"TAPF_ALLOWCOLLECTION","features":[40]},{"name":"TAPF_HASBACKGROUND","features":[40]},{"name":"TAPF_HASPERSPECTIVE","features":[40]},{"name":"TAPF_HASSTAGGER","features":[40]},{"name":"TAPF_ISRTLAWARE","features":[40]},{"name":"TAPF_NONE","features":[40]},{"name":"TAP_FLAGS","features":[40]},{"name":"TAP_STAGGERDELAY","features":[40]},{"name":"TAP_STAGGERDELAYCAP","features":[40]},{"name":"TAP_STAGGERDELAYFACTOR","features":[40]},{"name":"TAP_TRANSFORMCOUNT","features":[40]},{"name":"TAP_ZORDER","features":[40]},{"name":"TASKBANDPARTS","features":[40]},{"name":"TASKBARPARTS","features":[40]},{"name":"TASKDIALOGCONFIG","features":[1,40,50]},{"name":"TASKDIALOGPARTS","features":[40]},{"name":"TASKDIALOG_BUTTON","features":[40]},{"name":"TASKDIALOG_COMMON_BUTTON_FLAGS","features":[40]},{"name":"TASKDIALOG_ELEMENTS","features":[40]},{"name":"TASKDIALOG_FLAGS","features":[40]},{"name":"TASKDIALOG_ICON_ELEMENTS","features":[40]},{"name":"TASKDIALOG_MESSAGES","features":[40]},{"name":"TASKDIALOG_NOTIFICATIONS","features":[40]},{"name":"TASKLINKSTATES","features":[40]},{"name":"TATF_HASINITIALVALUES","features":[40]},{"name":"TATF_HASORIGINVALUES","features":[40]},{"name":"TATF_NONE","features":[40]},{"name":"TATF_TARGETVALUES_USER","features":[40]},{"name":"TATT_CLIP","features":[40]},{"name":"TATT_OPACITY","features":[40]},{"name":"TATT_SCALE_2D","features":[40]},{"name":"TATT_TRANSLATE_2D","features":[40]},{"name":"TA_CUBIC_BEZIER","features":[40]},{"name":"TA_PROPERTY","features":[40]},{"name":"TA_PROPERTY_FLAG","features":[40]},{"name":"TA_TIMINGFUNCTION","features":[40]},{"name":"TA_TIMINGFUNCTION_TYPE","features":[40]},{"name":"TA_TRANSFORM","features":[40]},{"name":"TA_TRANSFORM_2D","features":[40]},{"name":"TA_TRANSFORM_CLIP","features":[40]},{"name":"TA_TRANSFORM_FLAG","features":[40]},{"name":"TA_TRANSFORM_OPACITY","features":[40]},{"name":"TA_TRANSFORM_TYPE","features":[40]},{"name":"TBADDBITMAP","features":[1,40]},{"name":"TBBF_LARGE","features":[40]},{"name":"TBBUTTON","features":[40]},{"name":"TBBUTTON","features":[40]},{"name":"TBBUTTONINFOA","features":[40]},{"name":"TBBUTTONINFOW","features":[40]},{"name":"TBBUTTONINFOW_MASK","features":[40]},{"name":"TBCDRF_BLENDICON","features":[40]},{"name":"TBCDRF_HILITEHOTTRACK","features":[40]},{"name":"TBCDRF_NOBACKGROUND","features":[40]},{"name":"TBCDRF_NOEDGES","features":[40]},{"name":"TBCDRF_NOETCHEDEFFECT","features":[40]},{"name":"TBCDRF_NOMARK","features":[40]},{"name":"TBCDRF_NOOFFSET","features":[40]},{"name":"TBCDRF_USECDCOLORS","features":[40]},{"name":"TBCD_CHANNEL","features":[40]},{"name":"TBCD_THUMB","features":[40]},{"name":"TBCD_TICS","features":[40]},{"name":"TBDDRET_DEFAULT","features":[40]},{"name":"TBDDRET_NODEFAULT","features":[40]},{"name":"TBDDRET_TREATPRESSED","features":[40]},{"name":"TBIF_BYINDEX","features":[40]},{"name":"TBIF_COMMAND","features":[40]},{"name":"TBIF_IMAGE","features":[40]},{"name":"TBIF_LPARAM","features":[40]},{"name":"TBIF_SIZE","features":[40]},{"name":"TBIF_STATE","features":[40]},{"name":"TBIF_STYLE","features":[40]},{"name":"TBIF_TEXT","features":[40]},{"name":"TBIMHT_AFTER","features":[40]},{"name":"TBIMHT_BACKGROUND","features":[40]},{"name":"TBIMHT_NONE","features":[40]},{"name":"TBINSERTMARK","features":[40]},{"name":"TBINSERTMARK_FLAGS","features":[40]},{"name":"TBMETRICS","features":[40]},{"name":"TBMF_BARPAD","features":[40]},{"name":"TBMF_BUTTONSPACING","features":[40]},{"name":"TBMF_PAD","features":[40]},{"name":"TBM_CLEARSEL","features":[40]},{"name":"TBM_CLEARTICS","features":[40]},{"name":"TBM_GETBUDDY","features":[40]},{"name":"TBM_GETCHANNELRECT","features":[40]},{"name":"TBM_GETLINESIZE","features":[40]},{"name":"TBM_GETNUMTICS","features":[40]},{"name":"TBM_GETPAGESIZE","features":[40]},{"name":"TBM_GETPTICS","features":[40]},{"name":"TBM_GETRANGEMAX","features":[40]},{"name":"TBM_GETRANGEMIN","features":[40]},{"name":"TBM_GETSELEND","features":[40]},{"name":"TBM_GETSELSTART","features":[40]},{"name":"TBM_GETTHUMBLENGTH","features":[40]},{"name":"TBM_GETTHUMBRECT","features":[40]},{"name":"TBM_GETTIC","features":[40]},{"name":"TBM_GETTICPOS","features":[40]},{"name":"TBM_GETTOOLTIPS","features":[40]},{"name":"TBM_GETUNICODEFORMAT","features":[40]},{"name":"TBM_SETBUDDY","features":[40]},{"name":"TBM_SETLINESIZE","features":[40]},{"name":"TBM_SETPAGESIZE","features":[40]},{"name":"TBM_SETPOS","features":[40]},{"name":"TBM_SETPOSNOTIFY","features":[40]},{"name":"TBM_SETRANGE","features":[40]},{"name":"TBM_SETRANGEMAX","features":[40]},{"name":"TBM_SETRANGEMIN","features":[40]},{"name":"TBM_SETSEL","features":[40]},{"name":"TBM_SETSELEND","features":[40]},{"name":"TBM_SETSELSTART","features":[40]},{"name":"TBM_SETTHUMBLENGTH","features":[40]},{"name":"TBM_SETTIC","features":[40]},{"name":"TBM_SETTICFREQ","features":[40]},{"name":"TBM_SETTIPSIDE","features":[40]},{"name":"TBM_SETTOOLTIPS","features":[40]},{"name":"TBM_SETUNICODEFORMAT","features":[40]},{"name":"TBNF_DI_SETITEM","features":[40]},{"name":"TBNF_IMAGE","features":[40]},{"name":"TBNF_TEXT","features":[40]},{"name":"TBNRF_ENDCUSTOMIZE","features":[40]},{"name":"TBNRF_HIDEHELP","features":[40]},{"name":"TBN_BEGINADJUST","features":[40]},{"name":"TBN_BEGINDRAG","features":[40]},{"name":"TBN_CUSTHELP","features":[40]},{"name":"TBN_DELETINGBUTTON","features":[40]},{"name":"TBN_DRAGOUT","features":[40]},{"name":"TBN_DRAGOVER","features":[40]},{"name":"TBN_DROPDOWN","features":[40]},{"name":"TBN_DUPACCELERATOR","features":[40]},{"name":"TBN_ENDADJUST","features":[40]},{"name":"TBN_ENDDRAG","features":[40]},{"name":"TBN_FIRST","features":[40]},{"name":"TBN_GETBUTTONINFO","features":[40]},{"name":"TBN_GETBUTTONINFOA","features":[40]},{"name":"TBN_GETBUTTONINFOW","features":[40]},{"name":"TBN_GETDISPINFO","features":[40]},{"name":"TBN_GETDISPINFOA","features":[40]},{"name":"TBN_GETDISPINFOW","features":[40]},{"name":"TBN_GETINFOTIP","features":[40]},{"name":"TBN_GETINFOTIPA","features":[40]},{"name":"TBN_GETINFOTIPW","features":[40]},{"name":"TBN_GETOBJECT","features":[40]},{"name":"TBN_HOTITEMCHANGE","features":[40]},{"name":"TBN_INITCUSTOMIZE","features":[40]},{"name":"TBN_LAST","features":[40]},{"name":"TBN_MAPACCELERATOR","features":[40]},{"name":"TBN_QUERYDELETE","features":[40]},{"name":"TBN_QUERYINSERT","features":[40]},{"name":"TBN_RESET","features":[40]},{"name":"TBN_RESTORE","features":[40]},{"name":"TBN_SAVE","features":[40]},{"name":"TBN_TOOLBARCHANGE","features":[40]},{"name":"TBN_WRAPACCELERATOR","features":[40]},{"name":"TBN_WRAPHOTITEM","features":[40]},{"name":"TBP_BACKGROUNDBOTTOM","features":[40]},{"name":"TBP_BACKGROUNDLEFT","features":[40]},{"name":"TBP_BACKGROUNDRIGHT","features":[40]},{"name":"TBP_BACKGROUNDTOP","features":[40]},{"name":"TBP_SIZINGBARBOTTOM","features":[40]},{"name":"TBP_SIZINGBARLEFT","features":[40]},{"name":"TBP_SIZINGBARRIGHT","features":[40]},{"name":"TBP_SIZINGBARTOP","features":[40]},{"name":"TBREPLACEBITMAP","features":[1,40]},{"name":"TBSAVEPARAMSA","features":[49,40]},{"name":"TBSAVEPARAMSW","features":[49,40]},{"name":"TBSTATE_CHECKED","features":[40]},{"name":"TBSTATE_ELLIPSES","features":[40]},{"name":"TBSTATE_ENABLED","features":[40]},{"name":"TBSTATE_HIDDEN","features":[40]},{"name":"TBSTATE_INDETERMINATE","features":[40]},{"name":"TBSTATE_MARKED","features":[40]},{"name":"TBSTATE_PRESSED","features":[40]},{"name":"TBSTATE_WRAP","features":[40]},{"name":"TBSTYLE_ALTDRAG","features":[40]},{"name":"TBSTYLE_AUTOSIZE","features":[40]},{"name":"TBSTYLE_BUTTON","features":[40]},{"name":"TBSTYLE_CHECK","features":[40]},{"name":"TBSTYLE_CUSTOMERASE","features":[40]},{"name":"TBSTYLE_DROPDOWN","features":[40]},{"name":"TBSTYLE_EX_DOUBLEBUFFER","features":[40]},{"name":"TBSTYLE_EX_DRAWDDARROWS","features":[40]},{"name":"TBSTYLE_EX_HIDECLIPPEDBUTTONS","features":[40]},{"name":"TBSTYLE_EX_MIXEDBUTTONS","features":[40]},{"name":"TBSTYLE_EX_MULTICOLUMN","features":[40]},{"name":"TBSTYLE_EX_VERTICAL","features":[40]},{"name":"TBSTYLE_FLAT","features":[40]},{"name":"TBSTYLE_GROUP","features":[40]},{"name":"TBSTYLE_LIST","features":[40]},{"name":"TBSTYLE_NOPREFIX","features":[40]},{"name":"TBSTYLE_REGISTERDROP","features":[40]},{"name":"TBSTYLE_SEP","features":[40]},{"name":"TBSTYLE_TOOLTIPS","features":[40]},{"name":"TBSTYLE_TRANSPARENT","features":[40]},{"name":"TBSTYLE_WRAPABLE","features":[40]},{"name":"TBS_AUTOTICKS","features":[40]},{"name":"TBS_BOTH","features":[40]},{"name":"TBS_BOTTOM","features":[40]},{"name":"TBS_DOWNISLEFT","features":[40]},{"name":"TBS_ENABLESELRANGE","features":[40]},{"name":"TBS_FIXEDLENGTH","features":[40]},{"name":"TBS_HORZ","features":[40]},{"name":"TBS_LEFT","features":[40]},{"name":"TBS_NOTHUMB","features":[40]},{"name":"TBS_NOTICKS","features":[40]},{"name":"TBS_NOTIFYBEFOREMOVE","features":[40]},{"name":"TBS_REVERSED","features":[40]},{"name":"TBS_RIGHT","features":[40]},{"name":"TBS_TOOLTIPS","features":[40]},{"name":"TBS_TOP","features":[40]},{"name":"TBS_TRANSPARENTBKGND","features":[40]},{"name":"TBS_VERT","features":[40]},{"name":"TBTS_BOTTOM","features":[40]},{"name":"TBTS_LEFT","features":[40]},{"name":"TBTS_RIGHT","features":[40]},{"name":"TBTS_TOP","features":[40]},{"name":"TB_ADDBITMAP","features":[40]},{"name":"TB_ADDBUTTONS","features":[40]},{"name":"TB_ADDBUTTONSA","features":[40]},{"name":"TB_ADDBUTTONSW","features":[40]},{"name":"TB_ADDSTRING","features":[40]},{"name":"TB_ADDSTRINGA","features":[40]},{"name":"TB_ADDSTRINGW","features":[40]},{"name":"TB_AUTOSIZE","features":[40]},{"name":"TB_BOTTOM","features":[40]},{"name":"TB_BUTTONCOUNT","features":[40]},{"name":"TB_BUTTONSTRUCTSIZE","features":[40]},{"name":"TB_CHANGEBITMAP","features":[40]},{"name":"TB_CHECKBUTTON","features":[40]},{"name":"TB_COMMANDTOINDEX","features":[40]},{"name":"TB_CUSTOMIZE","features":[40]},{"name":"TB_DELETEBUTTON","features":[40]},{"name":"TB_ENABLEBUTTON","features":[40]},{"name":"TB_ENDTRACK","features":[40]},{"name":"TB_GETANCHORHIGHLIGHT","features":[40]},{"name":"TB_GETBITMAP","features":[40]},{"name":"TB_GETBITMAPFLAGS","features":[40]},{"name":"TB_GETBUTTON","features":[40]},{"name":"TB_GETBUTTONINFO","features":[40]},{"name":"TB_GETBUTTONINFOA","features":[40]},{"name":"TB_GETBUTTONINFOW","features":[40]},{"name":"TB_GETBUTTONSIZE","features":[40]},{"name":"TB_GETBUTTONTEXT","features":[40]},{"name":"TB_GETBUTTONTEXTA","features":[40]},{"name":"TB_GETBUTTONTEXTW","features":[40]},{"name":"TB_GETCOLORSCHEME","features":[40]},{"name":"TB_GETDISABLEDIMAGELIST","features":[40]},{"name":"TB_GETEXTENDEDSTYLE","features":[40]},{"name":"TB_GETHOTIMAGELIST","features":[40]},{"name":"TB_GETHOTITEM","features":[40]},{"name":"TB_GETIDEALSIZE","features":[40]},{"name":"TB_GETIMAGELIST","features":[40]},{"name":"TB_GETIMAGELISTCOUNT","features":[40]},{"name":"TB_GETINSERTMARK","features":[40]},{"name":"TB_GETINSERTMARKCOLOR","features":[40]},{"name":"TB_GETITEMDROPDOWNRECT","features":[40]},{"name":"TB_GETITEMRECT","features":[40]},{"name":"TB_GETMAXSIZE","features":[40]},{"name":"TB_GETMETRICS","features":[40]},{"name":"TB_GETOBJECT","features":[40]},{"name":"TB_GETPADDING","features":[40]},{"name":"TB_GETPRESSEDIMAGELIST","features":[40]},{"name":"TB_GETRECT","features":[40]},{"name":"TB_GETROWS","features":[40]},{"name":"TB_GETSTATE","features":[40]},{"name":"TB_GETSTRING","features":[40]},{"name":"TB_GETSTRINGA","features":[40]},{"name":"TB_GETSTRINGW","features":[40]},{"name":"TB_GETSTYLE","features":[40]},{"name":"TB_GETTEXTROWS","features":[40]},{"name":"TB_GETTOOLTIPS","features":[40]},{"name":"TB_GETUNICODEFORMAT","features":[40]},{"name":"TB_HASACCELERATOR","features":[40]},{"name":"TB_HIDEBUTTON","features":[40]},{"name":"TB_HITTEST","features":[40]},{"name":"TB_INDETERMINATE","features":[40]},{"name":"TB_INSERTBUTTON","features":[40]},{"name":"TB_INSERTBUTTONA","features":[40]},{"name":"TB_INSERTBUTTONW","features":[40]},{"name":"TB_INSERTMARKHITTEST","features":[40]},{"name":"TB_ISBUTTONCHECKED","features":[40]},{"name":"TB_ISBUTTONENABLED","features":[40]},{"name":"TB_ISBUTTONHIDDEN","features":[40]},{"name":"TB_ISBUTTONHIGHLIGHTED","features":[40]},{"name":"TB_ISBUTTONINDETERMINATE","features":[40]},{"name":"TB_ISBUTTONPRESSED","features":[40]},{"name":"TB_LINEDOWN","features":[40]},{"name":"TB_LINEUP","features":[40]},{"name":"TB_LOADIMAGES","features":[40]},{"name":"TB_MAPACCELERATOR","features":[40]},{"name":"TB_MAPACCELERATORA","features":[40]},{"name":"TB_MAPACCELERATORW","features":[40]},{"name":"TB_MARKBUTTON","features":[40]},{"name":"TB_MOVEBUTTON","features":[40]},{"name":"TB_PAGEDOWN","features":[40]},{"name":"TB_PAGEUP","features":[40]},{"name":"TB_PRESSBUTTON","features":[40]},{"name":"TB_REPLACEBITMAP","features":[40]},{"name":"TB_SAVERESTORE","features":[40]},{"name":"TB_SAVERESTOREA","features":[40]},{"name":"TB_SAVERESTOREW","features":[40]},{"name":"TB_SETANCHORHIGHLIGHT","features":[40]},{"name":"TB_SETBITMAPSIZE","features":[40]},{"name":"TB_SETBOUNDINGSIZE","features":[40]},{"name":"TB_SETBUTTONINFO","features":[40]},{"name":"TB_SETBUTTONINFOA","features":[40]},{"name":"TB_SETBUTTONINFOW","features":[40]},{"name":"TB_SETBUTTONSIZE","features":[40]},{"name":"TB_SETBUTTONWIDTH","features":[40]},{"name":"TB_SETCMDID","features":[40]},{"name":"TB_SETCOLORSCHEME","features":[40]},{"name":"TB_SETDISABLEDIMAGELIST","features":[40]},{"name":"TB_SETDRAWTEXTFLAGS","features":[40]},{"name":"TB_SETEXTENDEDSTYLE","features":[40]},{"name":"TB_SETHOTIMAGELIST","features":[40]},{"name":"TB_SETHOTITEM","features":[40]},{"name":"TB_SETHOTITEM2","features":[40]},{"name":"TB_SETIMAGELIST","features":[40]},{"name":"TB_SETINDENT","features":[40]},{"name":"TB_SETINSERTMARK","features":[40]},{"name":"TB_SETINSERTMARKCOLOR","features":[40]},{"name":"TB_SETLISTGAP","features":[40]},{"name":"TB_SETMAXTEXTROWS","features":[40]},{"name":"TB_SETMETRICS","features":[40]},{"name":"TB_SETPADDING","features":[40]},{"name":"TB_SETPARENT","features":[40]},{"name":"TB_SETPRESSEDIMAGELIST","features":[40]},{"name":"TB_SETROWS","features":[40]},{"name":"TB_SETSTATE","features":[40]},{"name":"TB_SETSTYLE","features":[40]},{"name":"TB_SETTOOLTIPS","features":[40]},{"name":"TB_SETUNICODEFORMAT","features":[40]},{"name":"TB_SETWINDOWTHEME","features":[40]},{"name":"TB_THUMBPOSITION","features":[40]},{"name":"TB_THUMBTRACK","features":[40]},{"name":"TB_TOP","features":[40]},{"name":"TCHITTESTINFO","features":[1,40]},{"name":"TCHITTESTINFO_FLAGS","features":[40]},{"name":"TCHT_NOWHERE","features":[40]},{"name":"TCHT_ONITEM","features":[40]},{"name":"TCHT_ONITEMICON","features":[40]},{"name":"TCHT_ONITEMLABEL","features":[40]},{"name":"TCIF_IMAGE","features":[40]},{"name":"TCIF_PARAM","features":[40]},{"name":"TCIF_RTLREADING","features":[40]},{"name":"TCIF_STATE","features":[40]},{"name":"TCIF_TEXT","features":[40]},{"name":"TCIS_BUTTONPRESSED","features":[40]},{"name":"TCIS_HIGHLIGHTED","features":[40]},{"name":"TCITEMA","features":[1,40]},{"name":"TCITEMHEADERA","features":[40]},{"name":"TCITEMHEADERA_MASK","features":[40]},{"name":"TCITEMHEADERW","features":[40]},{"name":"TCITEMW","features":[1,40]},{"name":"TCM_ADJUSTRECT","features":[40]},{"name":"TCM_DELETEALLITEMS","features":[40]},{"name":"TCM_DELETEITEM","features":[40]},{"name":"TCM_DESELECTALL","features":[40]},{"name":"TCM_FIRST","features":[40]},{"name":"TCM_GETCURFOCUS","features":[40]},{"name":"TCM_GETCURSEL","features":[40]},{"name":"TCM_GETEXTENDEDSTYLE","features":[40]},{"name":"TCM_GETIMAGELIST","features":[40]},{"name":"TCM_GETITEM","features":[40]},{"name":"TCM_GETITEMA","features":[40]},{"name":"TCM_GETITEMCOUNT","features":[40]},{"name":"TCM_GETITEMRECT","features":[40]},{"name":"TCM_GETITEMW","features":[40]},{"name":"TCM_GETROWCOUNT","features":[40]},{"name":"TCM_GETTOOLTIPS","features":[40]},{"name":"TCM_GETUNICODEFORMAT","features":[40]},{"name":"TCM_HIGHLIGHTITEM","features":[40]},{"name":"TCM_HITTEST","features":[40]},{"name":"TCM_INSERTITEM","features":[40]},{"name":"TCM_INSERTITEMA","features":[40]},{"name":"TCM_INSERTITEMW","features":[40]},{"name":"TCM_REMOVEIMAGE","features":[40]},{"name":"TCM_SETCURFOCUS","features":[40]},{"name":"TCM_SETCURSEL","features":[40]},{"name":"TCM_SETEXTENDEDSTYLE","features":[40]},{"name":"TCM_SETIMAGELIST","features":[40]},{"name":"TCM_SETITEM","features":[40]},{"name":"TCM_SETITEMA","features":[40]},{"name":"TCM_SETITEMEXTRA","features":[40]},{"name":"TCM_SETITEMSIZE","features":[40]},{"name":"TCM_SETITEMW","features":[40]},{"name":"TCM_SETMINTABWIDTH","features":[40]},{"name":"TCM_SETPADDING","features":[40]},{"name":"TCM_SETTOOLTIPS","features":[40]},{"name":"TCM_SETUNICODEFORMAT","features":[40]},{"name":"TCN_FIRST","features":[40]},{"name":"TCN_FOCUSCHANGE","features":[40]},{"name":"TCN_GETOBJECT","features":[40]},{"name":"TCN_KEYDOWN","features":[40]},{"name":"TCN_LAST","features":[40]},{"name":"TCN_SELCHANGE","features":[40]},{"name":"TCN_SELCHANGING","features":[40]},{"name":"TCS_BOTTOM","features":[40]},{"name":"TCS_BUTTONS","features":[40]},{"name":"TCS_EX_FLATSEPARATORS","features":[40]},{"name":"TCS_EX_REGISTERDROP","features":[40]},{"name":"TCS_FIXEDWIDTH","features":[40]},{"name":"TCS_FLATBUTTONS","features":[40]},{"name":"TCS_FOCUSNEVER","features":[40]},{"name":"TCS_FOCUSONBUTTONDOWN","features":[40]},{"name":"TCS_FORCEICONLEFT","features":[40]},{"name":"TCS_FORCELABELLEFT","features":[40]},{"name":"TCS_HOTTRACK","features":[40]},{"name":"TCS_MULTILINE","features":[40]},{"name":"TCS_MULTISELECT","features":[40]},{"name":"TCS_OWNERDRAWFIXED","features":[40]},{"name":"TCS_RAGGEDRIGHT","features":[40]},{"name":"TCS_RIGHT","features":[40]},{"name":"TCS_RIGHTJUSTIFY","features":[40]},{"name":"TCS_SCROLLOPPOSITE","features":[40]},{"name":"TCS_SINGLELINE","features":[40]},{"name":"TCS_TABS","features":[40]},{"name":"TCS_TOOLTIPS","features":[40]},{"name":"TCS_VERTICAL","features":[40]},{"name":"TDCBF_ABORT_BUTTON","features":[40]},{"name":"TDCBF_CANCEL_BUTTON","features":[40]},{"name":"TDCBF_CLOSE_BUTTON","features":[40]},{"name":"TDCBF_CONTINUE_BUTTON","features":[40]},{"name":"TDCBF_HELP_BUTTON","features":[40]},{"name":"TDCBF_IGNORE_BUTTON","features":[40]},{"name":"TDCBF_NO_BUTTON","features":[40]},{"name":"TDCBF_OK_BUTTON","features":[40]},{"name":"TDCBF_RETRY_BUTTON","features":[40]},{"name":"TDCBF_TRYAGAIN_BUTTON","features":[40]},{"name":"TDCBF_YES_BUTTON","features":[40]},{"name":"TDE_CONTENT","features":[40]},{"name":"TDE_EXPANDED_INFORMATION","features":[40]},{"name":"TDE_FOOTER","features":[40]},{"name":"TDE_MAIN_INSTRUCTION","features":[40]},{"name":"TDF_ALLOW_DIALOG_CANCELLATION","features":[40]},{"name":"TDF_CALLBACK_TIMER","features":[40]},{"name":"TDF_CAN_BE_MINIMIZED","features":[40]},{"name":"TDF_ENABLE_HYPERLINKS","features":[40]},{"name":"TDF_EXPANDED_BY_DEFAULT","features":[40]},{"name":"TDF_EXPAND_FOOTER_AREA","features":[40]},{"name":"TDF_NO_DEFAULT_RADIO_BUTTON","features":[40]},{"name":"TDF_NO_SET_FOREGROUND","features":[40]},{"name":"TDF_POSITION_RELATIVE_TO_WINDOW","features":[40]},{"name":"TDF_RTL_LAYOUT","features":[40]},{"name":"TDF_SHOW_MARQUEE_PROGRESS_BAR","features":[40]},{"name":"TDF_SHOW_PROGRESS_BAR","features":[40]},{"name":"TDF_SIZE_TO_CONTENT","features":[40]},{"name":"TDF_USE_COMMAND_LINKS","features":[40]},{"name":"TDF_USE_COMMAND_LINKS_NO_ICON","features":[40]},{"name":"TDF_USE_HICON_FOOTER","features":[40]},{"name":"TDF_USE_HICON_MAIN","features":[40]},{"name":"TDF_VERIFICATION_FLAG_CHECKED","features":[40]},{"name":"TDIE_ICON_FOOTER","features":[40]},{"name":"TDIE_ICON_MAIN","features":[40]},{"name":"TDLGCPS_STANDALONE","features":[40]},{"name":"TDLGEBS_EXPANDEDDISABLED","features":[40]},{"name":"TDLGEBS_EXPANDEDHOVER","features":[40]},{"name":"TDLGEBS_EXPANDEDNORMAL","features":[40]},{"name":"TDLGEBS_EXPANDEDPRESSED","features":[40]},{"name":"TDLGEBS_HOVER","features":[40]},{"name":"TDLGEBS_NORMAL","features":[40]},{"name":"TDLGEBS_NORMALDISABLED","features":[40]},{"name":"TDLGEBS_PRESSED","features":[40]},{"name":"TDLG_BUTTONSECTION","features":[40]},{"name":"TDLG_BUTTONWRAPPER","features":[40]},{"name":"TDLG_COMMANDLINKPANE","features":[40]},{"name":"TDLG_CONTENTICON","features":[40]},{"name":"TDLG_CONTENTPANE","features":[40]},{"name":"TDLG_CONTROLPANE","features":[40]},{"name":"TDLG_EXPANDEDCONTENT","features":[40]},{"name":"TDLG_EXPANDEDFOOTERAREA","features":[40]},{"name":"TDLG_EXPANDOBUTTON","features":[40]},{"name":"TDLG_EXPANDOTEXT","features":[40]},{"name":"TDLG_FOOTNOTEAREA","features":[40]},{"name":"TDLG_FOOTNOTEPANE","features":[40]},{"name":"TDLG_FOOTNOTESEPARATOR","features":[40]},{"name":"TDLG_IMAGEALIGNMENT","features":[40]},{"name":"TDLG_MAINICON","features":[40]},{"name":"TDLG_MAININSTRUCTIONPANE","features":[40]},{"name":"TDLG_PRIMARYPANEL","features":[40]},{"name":"TDLG_PROGRESSBAR","features":[40]},{"name":"TDLG_RADIOBUTTONPANE","features":[40]},{"name":"TDLG_SECONDARYPANEL","features":[40]},{"name":"TDLG_VERIFICATIONTEXT","features":[40]},{"name":"TDM_CLICK_BUTTON","features":[40]},{"name":"TDM_CLICK_RADIO_BUTTON","features":[40]},{"name":"TDM_CLICK_VERIFICATION","features":[40]},{"name":"TDM_ENABLE_BUTTON","features":[40]},{"name":"TDM_ENABLE_RADIO_BUTTON","features":[40]},{"name":"TDM_NAVIGATE_PAGE","features":[40]},{"name":"TDM_SET_BUTTON_ELEVATION_REQUIRED_STATE","features":[40]},{"name":"TDM_SET_ELEMENT_TEXT","features":[40]},{"name":"TDM_SET_MARQUEE_PROGRESS_BAR","features":[40]},{"name":"TDM_SET_PROGRESS_BAR_MARQUEE","features":[40]},{"name":"TDM_SET_PROGRESS_BAR_POS","features":[40]},{"name":"TDM_SET_PROGRESS_BAR_RANGE","features":[40]},{"name":"TDM_SET_PROGRESS_BAR_STATE","features":[40]},{"name":"TDM_UPDATE_ELEMENT_TEXT","features":[40]},{"name":"TDM_UPDATE_ICON","features":[40]},{"name":"TDN_BUTTON_CLICKED","features":[40]},{"name":"TDN_CREATED","features":[40]},{"name":"TDN_DESTROYED","features":[40]},{"name":"TDN_DIALOG_CONSTRUCTED","features":[40]},{"name":"TDN_EXPANDO_BUTTON_CLICKED","features":[40]},{"name":"TDN_HELP","features":[40]},{"name":"TDN_HYPERLINK_CLICKED","features":[40]},{"name":"TDN_NAVIGATED","features":[40]},{"name":"TDN_RADIO_BUTTON_CLICKED","features":[40]},{"name":"TDN_TIMER","features":[40]},{"name":"TDN_VERIFICATION_CLICKED","features":[40]},{"name":"TDP_FLASHBUTTON","features":[40]},{"name":"TDP_FLASHBUTTONGROUPMENU","features":[40]},{"name":"TDP_GROUPCOUNT","features":[40]},{"name":"TD_ERROR_ICON","features":[40]},{"name":"TD_INFORMATION_ICON","features":[40]},{"name":"TD_SHIELD_ICON","features":[40]},{"name":"TD_WARNING_ICON","features":[40]},{"name":"TEXTSELECTIONGRIPPERPARTS","features":[40]},{"name":"TEXTSHADOWTYPE","features":[40]},{"name":"TEXTSTYLEPARTS","features":[40]},{"name":"TEXT_BODYTEXT","features":[40]},{"name":"TEXT_BODYTITLE","features":[40]},{"name":"TEXT_CONTROLLABEL","features":[40]},{"name":"TEXT_EXPANDED","features":[40]},{"name":"TEXT_HYPERLINKTEXT","features":[40]},{"name":"TEXT_INSTRUCTION","features":[40]},{"name":"TEXT_LABEL","features":[40]},{"name":"TEXT_MAININSTRUCTION","features":[40]},{"name":"TEXT_SECONDARYTEXT","features":[40]},{"name":"THEMESIZE","features":[40]},{"name":"THEME_PROPERTY_SYMBOL_ID","features":[40]},{"name":"THUMBBOTTOMSTATES","features":[40]},{"name":"THUMBLEFTSTATES","features":[40]},{"name":"THUMBRIGHTSTATES","features":[40]},{"name":"THUMBSTATES","features":[40]},{"name":"THUMBTOPSTATES","features":[40]},{"name":"THUMBVERTSTATES","features":[40]},{"name":"TIBES_DISABLED","features":[40]},{"name":"TIBES_FOCUSED","features":[40]},{"name":"TIBES_HOT","features":[40]},{"name":"TIBES_NORMAL","features":[40]},{"name":"TIBES_SELECTED","features":[40]},{"name":"TICSSTATES","features":[40]},{"name":"TICSVERTSTATES","features":[40]},{"name":"TILES_DISABLED","features":[40]},{"name":"TILES_FOCUSED","features":[40]},{"name":"TILES_HOT","features":[40]},{"name":"TILES_NORMAL","features":[40]},{"name":"TILES_SELECTED","features":[40]},{"name":"TIRES_DISABLED","features":[40]},{"name":"TIRES_FOCUSED","features":[40]},{"name":"TIRES_HOT","features":[40]},{"name":"TIRES_NORMAL","features":[40]},{"name":"TIRES_SELECTED","features":[40]},{"name":"TIS_DISABLED","features":[40]},{"name":"TIS_FOCUSED","features":[40]},{"name":"TIS_HOT","features":[40]},{"name":"TIS_NORMAL","features":[40]},{"name":"TIS_SELECTED","features":[40]},{"name":"TITLEBARSTATES","features":[40]},{"name":"TKP_THUMB","features":[40]},{"name":"TKP_THUMBBOTTOM","features":[40]},{"name":"TKP_THUMBLEFT","features":[40]},{"name":"TKP_THUMBRIGHT","features":[40]},{"name":"TKP_THUMBTOP","features":[40]},{"name":"TKP_THUMBVERT","features":[40]},{"name":"TKP_TICS","features":[40]},{"name":"TKP_TICSVERT","features":[40]},{"name":"TKP_TRACK","features":[40]},{"name":"TKP_TRACKVERT","features":[40]},{"name":"TKS_NORMAL","features":[40]},{"name":"TMTVS_RESERVEDHIGH","features":[40]},{"name":"TMTVS_RESERVEDLOW","features":[40]},{"name":"TMT_ACCENTCOLORHINT","features":[40]},{"name":"TMT_ACTIVEBORDER","features":[40]},{"name":"TMT_ACTIVECAPTION","features":[40]},{"name":"TMT_ALIAS","features":[40]},{"name":"TMT_ALPHALEVEL","features":[40]},{"name":"TMT_ALPHATHRESHOLD","features":[40]},{"name":"TMT_ALWAYSSHOWSIZINGBAR","features":[40]},{"name":"TMT_ANIMATIONBUTTONRECT","features":[40]},{"name":"TMT_ANIMATIONDELAY","features":[40]},{"name":"TMT_ANIMATIONDURATION","features":[40]},{"name":"TMT_APPWORKSPACE","features":[40]},{"name":"TMT_ATLASIMAGE","features":[40]},{"name":"TMT_ATLASINPUTIMAGE","features":[40]},{"name":"TMT_ATLASRECT","features":[40]},{"name":"TMT_AUTHOR","features":[40]},{"name":"TMT_AUTOSIZE","features":[40]},{"name":"TMT_BACKGROUND","features":[40]},{"name":"TMT_BGFILL","features":[40]},{"name":"TMT_BGTYPE","features":[40]},{"name":"TMT_BITMAPREF","features":[40]},{"name":"TMT_BLENDCOLOR","features":[40]},{"name":"TMT_BODYFONT","features":[40]},{"name":"TMT_BODYTEXTCOLOR","features":[40]},{"name":"TMT_BOOL","features":[40]},{"name":"TMT_BORDERCOLOR","features":[40]},{"name":"TMT_BORDERCOLORHINT","features":[40]},{"name":"TMT_BORDERONLY","features":[40]},{"name":"TMT_BORDERSIZE","features":[40]},{"name":"TMT_BORDERTYPE","features":[40]},{"name":"TMT_BTNFACE","features":[40]},{"name":"TMT_BTNHIGHLIGHT","features":[40]},{"name":"TMT_BTNSHADOW","features":[40]},{"name":"TMT_BTNTEXT","features":[40]},{"name":"TMT_BUTTONALTERNATEFACE","features":[40]},{"name":"TMT_CAPTIONBARHEIGHT","features":[40]},{"name":"TMT_CAPTIONBARWIDTH","features":[40]},{"name":"TMT_CAPTIONFONT","features":[40]},{"name":"TMT_CAPTIONMARGINS","features":[40]},{"name":"TMT_CAPTIONTEXT","features":[40]},{"name":"TMT_CHARSET","features":[40]},{"name":"TMT_CLASSICVALUE","features":[40]},{"name":"TMT_COLOR","features":[40]},{"name":"TMT_COLORIZATIONCOLOR","features":[40]},{"name":"TMT_COLORIZATIONOPACITY","features":[40]},{"name":"TMT_COLORSCHEMES","features":[40]},{"name":"TMT_COMPANY","features":[40]},{"name":"TMT_COMPOSITED","features":[40]},{"name":"TMT_COMPOSITEDOPAQUE","features":[40]},{"name":"TMT_CONTENTALIGNMENT","features":[40]},{"name":"TMT_CONTENTMARGINS","features":[40]},{"name":"TMT_COPYRIGHT","features":[40]},{"name":"TMT_CSSNAME","features":[40]},{"name":"TMT_CUSTOMSPLITRECT","features":[40]},{"name":"TMT_DEFAULTPANESIZE","features":[40]},{"name":"TMT_DESCRIPTION","features":[40]},{"name":"TMT_DIBDATA","features":[40]},{"name":"TMT_DISKSTREAM","features":[40]},{"name":"TMT_DISPLAYNAME","features":[40]},{"name":"TMT_DKSHADOW3D","features":[40]},{"name":"TMT_DRAWBORDERS","features":[40]},{"name":"TMT_EDGEDKSHADOWCOLOR","features":[40]},{"name":"TMT_EDGEFILLCOLOR","features":[40]},{"name":"TMT_EDGEHIGHLIGHTCOLOR","features":[40]},{"name":"TMT_EDGELIGHTCOLOR","features":[40]},{"name":"TMT_EDGESHADOWCOLOR","features":[40]},{"name":"TMT_ENUM","features":[40]},{"name":"TMT_FILENAME","features":[40]},{"name":"TMT_FILLCOLOR","features":[40]},{"name":"TMT_FILLCOLORHINT","features":[40]},{"name":"TMT_FILLTYPE","features":[40]},{"name":"TMT_FIRSTBOOL","features":[40]},{"name":"TMT_FIRSTCOLOR","features":[40]},{"name":"TMT_FIRSTFONT","features":[40]},{"name":"TMT_FIRSTINT","features":[40]},{"name":"TMT_FIRSTSIZE","features":[40]},{"name":"TMT_FIRSTSTRING","features":[40]},{"name":"TMT_FIRST_RCSTRING_NAME","features":[40]},{"name":"TMT_FLATMENUS","features":[40]},{"name":"TMT_FLOAT","features":[40]},{"name":"TMT_FLOATLIST","features":[40]},{"name":"TMT_FONT","features":[40]},{"name":"TMT_FRAMESPERSECOND","features":[40]},{"name":"TMT_FROMCOLOR1","features":[40]},{"name":"TMT_FROMCOLOR2","features":[40]},{"name":"TMT_FROMCOLOR3","features":[40]},{"name":"TMT_FROMCOLOR4","features":[40]},{"name":"TMT_FROMCOLOR5","features":[40]},{"name":"TMT_FROMHUE1","features":[40]},{"name":"TMT_FROMHUE2","features":[40]},{"name":"TMT_FROMHUE3","features":[40]},{"name":"TMT_FROMHUE4","features":[40]},{"name":"TMT_FROMHUE5","features":[40]},{"name":"TMT_GLOWCOLOR","features":[40]},{"name":"TMT_GLOWINTENSITY","features":[40]},{"name":"TMT_GLYPHDIBDATA","features":[40]},{"name":"TMT_GLYPHFONT","features":[40]},{"name":"TMT_GLYPHFONTSIZINGTYPE","features":[40]},{"name":"TMT_GLYPHIMAGEFILE","features":[40]},{"name":"TMT_GLYPHINDEX","features":[40]},{"name":"TMT_GLYPHONLY","features":[40]},{"name":"TMT_GLYPHTEXTCOLOR","features":[40]},{"name":"TMT_GLYPHTRANSPARENT","features":[40]},{"name":"TMT_GLYPHTRANSPARENTCOLOR","features":[40]},{"name":"TMT_GLYPHTYPE","features":[40]},{"name":"TMT_GRADIENTACTIVECAPTION","features":[40]},{"name":"TMT_GRADIENTCOLOR1","features":[40]},{"name":"TMT_GRADIENTCOLOR2","features":[40]},{"name":"TMT_GRADIENTCOLOR3","features":[40]},{"name":"TMT_GRADIENTCOLOR4","features":[40]},{"name":"TMT_GRADIENTCOLOR5","features":[40]},{"name":"TMT_GRADIENTINACTIVECAPTION","features":[40]},{"name":"TMT_GRADIENTRATIO1","features":[40]},{"name":"TMT_GRADIENTRATIO2","features":[40]},{"name":"TMT_GRADIENTRATIO3","features":[40]},{"name":"TMT_GRADIENTRATIO4","features":[40]},{"name":"TMT_GRADIENTRATIO5","features":[40]},{"name":"TMT_GRAYTEXT","features":[40]},{"name":"TMT_HALIGN","features":[40]},{"name":"TMT_HBITMAP","features":[40]},{"name":"TMT_HEADING1FONT","features":[40]},{"name":"TMT_HEADING1TEXTCOLOR","features":[40]},{"name":"TMT_HEADING2FONT","features":[40]},{"name":"TMT_HEADING2TEXTCOLOR","features":[40]},{"name":"TMT_HEIGHT","features":[40]},{"name":"TMT_HIGHLIGHT","features":[40]},{"name":"TMT_HIGHLIGHTTEXT","features":[40]},{"name":"TMT_HOTTRACKING","features":[40]},{"name":"TMT_ICONEFFECT","features":[40]},{"name":"TMT_ICONTITLEFONT","features":[40]},{"name":"TMT_IMAGECOUNT","features":[40]},{"name":"TMT_IMAGEFILE","features":[40]},{"name":"TMT_IMAGEFILE1","features":[40]},{"name":"TMT_IMAGEFILE2","features":[40]},{"name":"TMT_IMAGEFILE3","features":[40]},{"name":"TMT_IMAGEFILE4","features":[40]},{"name":"TMT_IMAGEFILE5","features":[40]},{"name":"TMT_IMAGEFILE6","features":[40]},{"name":"TMT_IMAGEFILE7","features":[40]},{"name":"TMT_IMAGELAYOUT","features":[40]},{"name":"TMT_IMAGESELECTTYPE","features":[40]},{"name":"TMT_INACTIVEBORDER","features":[40]},{"name":"TMT_INACTIVECAPTION","features":[40]},{"name":"TMT_INACTIVECAPTIONTEXT","features":[40]},{"name":"TMT_INFOBK","features":[40]},{"name":"TMT_INFOTEXT","features":[40]},{"name":"TMT_INT","features":[40]},{"name":"TMT_INTEGRALSIZING","features":[40]},{"name":"TMT_INTLIST","features":[40]},{"name":"TMT_LASTBOOL","features":[40]},{"name":"TMT_LASTCOLOR","features":[40]},{"name":"TMT_LASTFONT","features":[40]},{"name":"TMT_LASTINT","features":[40]},{"name":"TMT_LASTSIZE","features":[40]},{"name":"TMT_LASTSTRING","features":[40]},{"name":"TMT_LASTUPDATED","features":[40]},{"name":"TMT_LAST_RCSTRING_NAME","features":[40]},{"name":"TMT_LIGHT3D","features":[40]},{"name":"TMT_LOCALIZEDMIRRORIMAGE","features":[40]},{"name":"TMT_MARGINS","features":[40]},{"name":"TMT_MENU","features":[40]},{"name":"TMT_MENUBAR","features":[40]},{"name":"TMT_MENUBARHEIGHT","features":[40]},{"name":"TMT_MENUBARWIDTH","features":[40]},{"name":"TMT_MENUFONT","features":[40]},{"name":"TMT_MENUHILIGHT","features":[40]},{"name":"TMT_MENUTEXT","features":[40]},{"name":"TMT_MINCOLORDEPTH","features":[40]},{"name":"TMT_MINDPI1","features":[40]},{"name":"TMT_MINDPI2","features":[40]},{"name":"TMT_MINDPI3","features":[40]},{"name":"TMT_MINDPI4","features":[40]},{"name":"TMT_MINDPI5","features":[40]},{"name":"TMT_MINDPI6","features":[40]},{"name":"TMT_MINDPI7","features":[40]},{"name":"TMT_MINSIZE","features":[40]},{"name":"TMT_MINSIZE1","features":[40]},{"name":"TMT_MINSIZE2","features":[40]},{"name":"TMT_MINSIZE3","features":[40]},{"name":"TMT_MINSIZE4","features":[40]},{"name":"TMT_MINSIZE5","features":[40]},{"name":"TMT_MINSIZE6","features":[40]},{"name":"TMT_MINSIZE7","features":[40]},{"name":"TMT_MIRRORIMAGE","features":[40]},{"name":"TMT_MSGBOXFONT","features":[40]},{"name":"TMT_NAME","features":[40]},{"name":"TMT_NOETCHEDEFFECT","features":[40]},{"name":"TMT_NORMALSIZE","features":[40]},{"name":"TMT_OFFSET","features":[40]},{"name":"TMT_OFFSETTYPE","features":[40]},{"name":"TMT_OPACITY","features":[40]},{"name":"TMT_PADDEDBORDERWIDTH","features":[40]},{"name":"TMT_PIXELSPERFRAME","features":[40]},{"name":"TMT_POSITION","features":[40]},{"name":"TMT_PROGRESSCHUNKSIZE","features":[40]},{"name":"TMT_PROGRESSSPACESIZE","features":[40]},{"name":"TMT_RECT","features":[40]},{"name":"TMT_RESERVEDHIGH","features":[40]},{"name":"TMT_RESERVEDLOW","features":[40]},{"name":"TMT_ROUNDCORNERHEIGHT","features":[40]},{"name":"TMT_ROUNDCORNERWIDTH","features":[40]},{"name":"TMT_SATURATION","features":[40]},{"name":"TMT_SCALEDBACKGROUND","features":[40]},{"name":"TMT_SCROLLBAR","features":[40]},{"name":"TMT_SCROLLBARHEIGHT","features":[40]},{"name":"TMT_SCROLLBARWIDTH","features":[40]},{"name":"TMT_SHADOWCOLOR","features":[40]},{"name":"TMT_SIZE","features":[40]},{"name":"TMT_SIZES","features":[40]},{"name":"TMT_SIZINGBORDERWIDTH","features":[40]},{"name":"TMT_SIZINGMARGINS","features":[40]},{"name":"TMT_SIZINGTYPE","features":[40]},{"name":"TMT_SMALLCAPTIONFONT","features":[40]},{"name":"TMT_SMCAPTIONBARHEIGHT","features":[40]},{"name":"TMT_SMCAPTIONBARWIDTH","features":[40]},{"name":"TMT_SOURCEGROW","features":[40]},{"name":"TMT_SOURCESHRINK","features":[40]},{"name":"TMT_STATUSFONT","features":[40]},{"name":"TMT_STREAM","features":[40]},{"name":"TMT_STRING","features":[40]},{"name":"TMT_TEXT","features":[40]},{"name":"TMT_TEXTAPPLYOVERLAY","features":[40]},{"name":"TMT_TEXTBORDERCOLOR","features":[40]},{"name":"TMT_TEXTBORDERSIZE","features":[40]},{"name":"TMT_TEXTCOLOR","features":[40]},{"name":"TMT_TEXTCOLORHINT","features":[40]},{"name":"TMT_TEXTGLOW","features":[40]},{"name":"TMT_TEXTGLOWSIZE","features":[40]},{"name":"TMT_TEXTITALIC","features":[40]},{"name":"TMT_TEXTSHADOWCOLOR","features":[40]},{"name":"TMT_TEXTSHADOWOFFSET","features":[40]},{"name":"TMT_TEXTSHADOWTYPE","features":[40]},{"name":"TMT_TOCOLOR1","features":[40]},{"name":"TMT_TOCOLOR2","features":[40]},{"name":"TMT_TOCOLOR3","features":[40]},{"name":"TMT_TOCOLOR4","features":[40]},{"name":"TMT_TOCOLOR5","features":[40]},{"name":"TMT_TOHUE1","features":[40]},{"name":"TMT_TOHUE2","features":[40]},{"name":"TMT_TOHUE3","features":[40]},{"name":"TMT_TOHUE4","features":[40]},{"name":"TMT_TOHUE5","features":[40]},{"name":"TMT_TOOLTIP","features":[40]},{"name":"TMT_TRANSITIONDURATIONS","features":[40]},{"name":"TMT_TRANSPARENT","features":[40]},{"name":"TMT_TRANSPARENTCOLOR","features":[40]},{"name":"TMT_TRUESIZESCALINGTYPE","features":[40]},{"name":"TMT_TRUESIZESTRETCHMARK","features":[40]},{"name":"TMT_UNIFORMSIZING","features":[40]},{"name":"TMT_URL","features":[40]},{"name":"TMT_USERPICTURE","features":[40]},{"name":"TMT_VALIGN","features":[40]},{"name":"TMT_VERSION","features":[40]},{"name":"TMT_WIDTH","features":[40]},{"name":"TMT_WINDOW","features":[40]},{"name":"TMT_WINDOWFRAME","features":[40]},{"name":"TMT_WINDOWTEXT","features":[40]},{"name":"TMT_XMLNAME","features":[40]},{"name":"TNP_ANIMBACKGROUND","features":[40]},{"name":"TNP_BACKGROUND","features":[40]},{"name":"TOOLBARCLASSNAME","features":[40]},{"name":"TOOLBARCLASSNAMEA","features":[40]},{"name":"TOOLBARCLASSNAMEW","features":[40]},{"name":"TOOLBARPARTS","features":[40]},{"name":"TOOLBARSTYLESTATES","features":[40]},{"name":"TOOLTIPPARTS","features":[40]},{"name":"TOOLTIPS_CLASS","features":[40]},{"name":"TOOLTIPS_CLASSA","features":[40]},{"name":"TOOLTIPS_CLASSW","features":[40]},{"name":"TOOLTIP_FLAGS","features":[40]},{"name":"TOPTABITEMBOTHEDGESTATES","features":[40]},{"name":"TOPTABITEMLEFTEDGESTATES","features":[40]},{"name":"TOPTABITEMRIGHTEDGESTATES","features":[40]},{"name":"TOPTABITEMSTATES","features":[40]},{"name":"TOUCH_HIT_TESTING_INPUT","features":[1,40]},{"name":"TOUCH_HIT_TESTING_PROXIMITY_EVALUATION","features":[1,40]},{"name":"TP_BUTTON","features":[40]},{"name":"TP_DROPDOWNBUTTON","features":[40]},{"name":"TP_DROPDOWNBUTTONGLYPH","features":[40]},{"name":"TP_SEPARATOR","features":[40]},{"name":"TP_SEPARATORVERT","features":[40]},{"name":"TP_SPLITBUTTON","features":[40]},{"name":"TP_SPLITBUTTONDROPDOWN","features":[40]},{"name":"TRACKBARPARTS","features":[40]},{"name":"TRACKBARSTYLESTATES","features":[40]},{"name":"TRACKBAR_CLASS","features":[40]},{"name":"TRACKBAR_CLASSA","features":[40]},{"name":"TRACKBAR_CLASSW","features":[40]},{"name":"TRACKSTATES","features":[40]},{"name":"TRACKVERTSTATES","features":[40]},{"name":"TRAILINGGRIDCELLSTATES","features":[40]},{"name":"TRAILINGGRIDCELLUPPERSTATES","features":[40]},{"name":"TRANSPARENTBACKGROUNDSTATES","features":[40]},{"name":"TRANSPARENTBARSTATES","features":[40]},{"name":"TRANSPARENTBARVERTSTATES","features":[40]},{"name":"TRAYNOTIFYPARTS","features":[40]},{"name":"TRBN_FIRST","features":[40]},{"name":"TRBN_LAST","features":[40]},{"name":"TRBN_THUMBPOSCHANGING","features":[40]},{"name":"TREEITEMSTATES","features":[40]},{"name":"TREEVIEWPARTS","features":[40]},{"name":"TREE_VIEW_ITEM_STATE_FLAGS","features":[40]},{"name":"TREIS_DISABLED","features":[40]},{"name":"TREIS_HOT","features":[40]},{"name":"TREIS_HOTSELECTED","features":[40]},{"name":"TREIS_NORMAL","features":[40]},{"name":"TREIS_SELECTED","features":[40]},{"name":"TREIS_SELECTEDNOTFOCUS","features":[40]},{"name":"TRS_NORMAL","features":[40]},{"name":"TRUESIZESCALINGTYPE","features":[40]},{"name":"TRVS_NORMAL","features":[40]},{"name":"TSGP_GRIPPER","features":[40]},{"name":"TSGS_CENTERED","features":[40]},{"name":"TSGS_NORMAL","features":[40]},{"name":"TSST_DPI","features":[40]},{"name":"TSST_NONE","features":[40]},{"name":"TSST_SIZE","features":[40]},{"name":"TSS_NORMAL","features":[40]},{"name":"TST_CONTINUOUS","features":[40]},{"name":"TST_NONE","features":[40]},{"name":"TST_SINGLE","features":[40]},{"name":"TSVS_NORMAL","features":[40]},{"name":"TS_CHECKED","features":[40]},{"name":"TS_CONTROLLABEL_DISABLED","features":[40]},{"name":"TS_CONTROLLABEL_NORMAL","features":[40]},{"name":"TS_DISABLED","features":[40]},{"name":"TS_DRAW","features":[40]},{"name":"TS_HOT","features":[40]},{"name":"TS_HOTCHECKED","features":[40]},{"name":"TS_HYPERLINK_DISABLED","features":[40]},{"name":"TS_HYPERLINK_HOT","features":[40]},{"name":"TS_HYPERLINK_NORMAL","features":[40]},{"name":"TS_HYPERLINK_PRESSED","features":[40]},{"name":"TS_MIN","features":[40]},{"name":"TS_NEARHOT","features":[40]},{"name":"TS_NORMAL","features":[40]},{"name":"TS_OTHERSIDEHOT","features":[40]},{"name":"TS_PRESSED","features":[40]},{"name":"TS_TRUE","features":[40]},{"name":"TTBSS_POINTINGDOWNCENTERED","features":[40]},{"name":"TTBSS_POINTINGDOWNLEFTWALL","features":[40]},{"name":"TTBSS_POINTINGDOWNRIGHTWALL","features":[40]},{"name":"TTBSS_POINTINGUPCENTERED","features":[40]},{"name":"TTBSS_POINTINGUPLEFTWALL","features":[40]},{"name":"TTBSS_POINTINGUPRIGHTWALL","features":[40]},{"name":"TTBS_LINK","features":[40]},{"name":"TTBS_NORMAL","features":[40]},{"name":"TTCS_HOT","features":[40]},{"name":"TTCS_NORMAL","features":[40]},{"name":"TTCS_PRESSED","features":[40]},{"name":"TTDT_AUTOMATIC","features":[40]},{"name":"TTDT_AUTOPOP","features":[40]},{"name":"TTDT_INITIAL","features":[40]},{"name":"TTDT_RESHOW","features":[40]},{"name":"TTFT_CUBIC_BEZIER","features":[40]},{"name":"TTFT_UNDEFINED","features":[40]},{"name":"TTF_ABSOLUTE","features":[40]},{"name":"TTF_CENTERTIP","features":[40]},{"name":"TTF_DI_SETITEM","features":[40]},{"name":"TTF_IDISHWND","features":[40]},{"name":"TTF_PARSELINKS","features":[40]},{"name":"TTF_RTLREADING","features":[40]},{"name":"TTF_SUBCLASS","features":[40]},{"name":"TTF_TRACK","features":[40]},{"name":"TTF_TRANSPARENT","features":[40]},{"name":"TTGETTITLE","features":[40]},{"name":"TTHITTESTINFOA","features":[1,40]},{"name":"TTHITTESTINFOW","features":[1,40]},{"name":"TTIBES_DISABLED","features":[40]},{"name":"TTIBES_FOCUSED","features":[40]},{"name":"TTIBES_HOT","features":[40]},{"name":"TTIBES_NORMAL","features":[40]},{"name":"TTIBES_SELECTED","features":[40]},{"name":"TTILES_DISABLED","features":[40]},{"name":"TTILES_FOCUSED","features":[40]},{"name":"TTILES_HOT","features":[40]},{"name":"TTILES_NORMAL","features":[40]},{"name":"TTILES_SELECTED","features":[40]},{"name":"TTIRES_DISABLED","features":[40]},{"name":"TTIRES_FOCUSED","features":[40]},{"name":"TTIRES_HOT","features":[40]},{"name":"TTIRES_NORMAL","features":[40]},{"name":"TTIRES_SELECTED","features":[40]},{"name":"TTIS_DISABLED","features":[40]},{"name":"TTIS_FOCUSED","features":[40]},{"name":"TTIS_HOT","features":[40]},{"name":"TTIS_NORMAL","features":[40]},{"name":"TTIS_SELECTED","features":[40]},{"name":"TTI_ERROR","features":[40]},{"name":"TTI_ERROR_LARGE","features":[40]},{"name":"TTI_INFO","features":[40]},{"name":"TTI_INFO_LARGE","features":[40]},{"name":"TTI_NONE","features":[40]},{"name":"TTI_WARNING","features":[40]},{"name":"TTI_WARNING_LARGE","features":[40]},{"name":"TTM_ACTIVATE","features":[40]},{"name":"TTM_ADDTOOL","features":[40]},{"name":"TTM_ADDTOOLA","features":[40]},{"name":"TTM_ADDTOOLW","features":[40]},{"name":"TTM_ADJUSTRECT","features":[40]},{"name":"TTM_DELTOOL","features":[40]},{"name":"TTM_DELTOOLA","features":[40]},{"name":"TTM_DELTOOLW","features":[40]},{"name":"TTM_ENUMTOOLS","features":[40]},{"name":"TTM_ENUMTOOLSA","features":[40]},{"name":"TTM_ENUMTOOLSW","features":[40]},{"name":"TTM_GETBUBBLESIZE","features":[40]},{"name":"TTM_GETCURRENTTOOL","features":[40]},{"name":"TTM_GETCURRENTTOOLA","features":[40]},{"name":"TTM_GETCURRENTTOOLW","features":[40]},{"name":"TTM_GETDELAYTIME","features":[40]},{"name":"TTM_GETMARGIN","features":[40]},{"name":"TTM_GETMAXTIPWIDTH","features":[40]},{"name":"TTM_GETTEXT","features":[40]},{"name":"TTM_GETTEXTA","features":[40]},{"name":"TTM_GETTEXTW","features":[40]},{"name":"TTM_GETTIPBKCOLOR","features":[40]},{"name":"TTM_GETTIPTEXTCOLOR","features":[40]},{"name":"TTM_GETTITLE","features":[40]},{"name":"TTM_GETTOOLCOUNT","features":[40]},{"name":"TTM_GETTOOLINFO","features":[40]},{"name":"TTM_GETTOOLINFOA","features":[40]},{"name":"TTM_GETTOOLINFOW","features":[40]},{"name":"TTM_HITTEST","features":[40]},{"name":"TTM_HITTESTA","features":[40]},{"name":"TTM_HITTESTW","features":[40]},{"name":"TTM_NEWTOOLRECT","features":[40]},{"name":"TTM_NEWTOOLRECTA","features":[40]},{"name":"TTM_NEWTOOLRECTW","features":[40]},{"name":"TTM_POP","features":[40]},{"name":"TTM_POPUP","features":[40]},{"name":"TTM_RELAYEVENT","features":[40]},{"name":"TTM_SETDELAYTIME","features":[40]},{"name":"TTM_SETMARGIN","features":[40]},{"name":"TTM_SETMAXTIPWIDTH","features":[40]},{"name":"TTM_SETTIPBKCOLOR","features":[40]},{"name":"TTM_SETTIPTEXTCOLOR","features":[40]},{"name":"TTM_SETTITLE","features":[40]},{"name":"TTM_SETTITLEA","features":[40]},{"name":"TTM_SETTITLEW","features":[40]},{"name":"TTM_SETTOOLINFO","features":[40]},{"name":"TTM_SETTOOLINFOA","features":[40]},{"name":"TTM_SETTOOLINFOW","features":[40]},{"name":"TTM_SETWINDOWTHEME","features":[40]},{"name":"TTM_TRACKACTIVATE","features":[40]},{"name":"TTM_TRACKPOSITION","features":[40]},{"name":"TTM_UPDATE","features":[40]},{"name":"TTM_UPDATETIPTEXT","features":[40]},{"name":"TTM_UPDATETIPTEXTA","features":[40]},{"name":"TTM_UPDATETIPTEXTW","features":[40]},{"name":"TTM_WINDOWFROMPOINT","features":[40]},{"name":"TTN_FIRST","features":[40]},{"name":"TTN_GETDISPINFO","features":[40]},{"name":"TTN_GETDISPINFOA","features":[40]},{"name":"TTN_GETDISPINFOW","features":[40]},{"name":"TTN_LAST","features":[40]},{"name":"TTN_LINKCLICK","features":[40]},{"name":"TTN_NEEDTEXT","features":[40]},{"name":"TTN_NEEDTEXTA","features":[40]},{"name":"TTN_NEEDTEXTW","features":[40]},{"name":"TTN_POP","features":[40]},{"name":"TTN_SHOW","features":[40]},{"name":"TTP_BALLOON","features":[40]},{"name":"TTP_BALLOONSTEM","features":[40]},{"name":"TTP_BALLOONTITLE","features":[40]},{"name":"TTP_CLOSE","features":[40]},{"name":"TTP_STANDARD","features":[40]},{"name":"TTP_STANDARDTITLE","features":[40]},{"name":"TTP_WRENCH","features":[40]},{"name":"TTSS_LINK","features":[40]},{"name":"TTSS_NORMAL","features":[40]},{"name":"TTS_ALWAYSTIP","features":[40]},{"name":"TTS_BALLOON","features":[40]},{"name":"TTS_CLOSE","features":[40]},{"name":"TTS_NOANIMATE","features":[40]},{"name":"TTS_NOFADE","features":[40]},{"name":"TTS_NOPREFIX","features":[40]},{"name":"TTS_USEVISUALSTYLE","features":[40]},{"name":"TTTOOLINFOA","features":[1,40]},{"name":"TTTOOLINFOW","features":[1,40]},{"name":"TTWS_HOT","features":[40]},{"name":"TTWS_NORMAL","features":[40]},{"name":"TTWS_PRESSED","features":[40]},{"name":"TUBS_DISABLED","features":[40]},{"name":"TUBS_FOCUSED","features":[40]},{"name":"TUBS_HOT","features":[40]},{"name":"TUBS_NORMAL","features":[40]},{"name":"TUBS_PRESSED","features":[40]},{"name":"TUS_DISABLED","features":[40]},{"name":"TUS_FOCUSED","features":[40]},{"name":"TUS_HOT","features":[40]},{"name":"TUS_NORMAL","features":[40]},{"name":"TUS_PRESSED","features":[40]},{"name":"TUTS_DISABLED","features":[40]},{"name":"TUTS_FOCUSED","features":[40]},{"name":"TUTS_HOT","features":[40]},{"name":"TUTS_NORMAL","features":[40]},{"name":"TUTS_PRESSED","features":[40]},{"name":"TUVLS_DISABLED","features":[40]},{"name":"TUVLS_FOCUSED","features":[40]},{"name":"TUVLS_HOT","features":[40]},{"name":"TUVLS_NORMAL","features":[40]},{"name":"TUVLS_PRESSED","features":[40]},{"name":"TUVRS_DISABLED","features":[40]},{"name":"TUVRS_FOCUSED","features":[40]},{"name":"TUVRS_HOT","features":[40]},{"name":"TUVRS_NORMAL","features":[40]},{"name":"TUVRS_PRESSED","features":[40]},{"name":"TUVS_DISABLED","features":[40]},{"name":"TUVS_FOCUSED","features":[40]},{"name":"TUVS_HOT","features":[40]},{"name":"TUVS_NORMAL","features":[40]},{"name":"TUVS_PRESSED","features":[40]},{"name":"TVCDRF_NOIMAGES","features":[40]},{"name":"TVC_BYKEYBOARD","features":[40]},{"name":"TVC_BYMOUSE","features":[40]},{"name":"TVC_UNKNOWN","features":[40]},{"name":"TVE_COLLAPSE","features":[40]},{"name":"TVE_COLLAPSERESET","features":[40]},{"name":"TVE_EXPAND","features":[40]},{"name":"TVE_EXPANDPARTIAL","features":[40]},{"name":"TVE_TOGGLE","features":[40]},{"name":"TVGETITEMPARTRECTINFO","features":[1,40]},{"name":"TVGIPR_BUTTON","features":[40]},{"name":"TVGN_CARET","features":[40]},{"name":"TVGN_CHILD","features":[40]},{"name":"TVGN_DROPHILITE","features":[40]},{"name":"TVGN_FIRSTVISIBLE","features":[40]},{"name":"TVGN_LASTVISIBLE","features":[40]},{"name":"TVGN_NEXT","features":[40]},{"name":"TVGN_NEXTSELECTED","features":[40]},{"name":"TVGN_NEXTVISIBLE","features":[40]},{"name":"TVGN_PARENT","features":[40]},{"name":"TVGN_PREVIOUS","features":[40]},{"name":"TVGN_PREVIOUSVISIBLE","features":[40]},{"name":"TVGN_ROOT","features":[40]},{"name":"TVHITTESTINFO","features":[1,40]},{"name":"TVHITTESTINFO_FLAGS","features":[40]},{"name":"TVHT_ABOVE","features":[40]},{"name":"TVHT_BELOW","features":[40]},{"name":"TVHT_NOWHERE","features":[40]},{"name":"TVHT_ONITEM","features":[40]},{"name":"TVHT_ONITEMBUTTON","features":[40]},{"name":"TVHT_ONITEMICON","features":[40]},{"name":"TVHT_ONITEMINDENT","features":[40]},{"name":"TVHT_ONITEMLABEL","features":[40]},{"name":"TVHT_ONITEMRIGHT","features":[40]},{"name":"TVHT_ONITEMSTATEICON","features":[40]},{"name":"TVHT_TOLEFT","features":[40]},{"name":"TVHT_TORIGHT","features":[40]},{"name":"TVIF_CHILDREN","features":[40]},{"name":"TVIF_DI_SETITEM","features":[40]},{"name":"TVIF_EXPANDEDIMAGE","features":[40]},{"name":"TVIF_HANDLE","features":[40]},{"name":"TVIF_IMAGE","features":[40]},{"name":"TVIF_INTEGRAL","features":[40]},{"name":"TVIF_PARAM","features":[40]},{"name":"TVIF_SELECTEDIMAGE","features":[40]},{"name":"TVIF_STATE","features":[40]},{"name":"TVIF_STATEEX","features":[40]},{"name":"TVIF_TEXT","features":[40]},{"name":"TVINSERTSTRUCTA","features":[1,40]},{"name":"TVINSERTSTRUCTW","features":[1,40]},{"name":"TVIS_BOLD","features":[40]},{"name":"TVIS_CUT","features":[40]},{"name":"TVIS_DROPHILITED","features":[40]},{"name":"TVIS_EXPANDED","features":[40]},{"name":"TVIS_EXPANDEDONCE","features":[40]},{"name":"TVIS_EXPANDPARTIAL","features":[40]},{"name":"TVIS_EX_ALL","features":[40]},{"name":"TVIS_EX_DISABLED","features":[40]},{"name":"TVIS_EX_FLAT","features":[40]},{"name":"TVIS_OVERLAYMASK","features":[40]},{"name":"TVIS_SELECTED","features":[40]},{"name":"TVIS_STATEIMAGEMASK","features":[40]},{"name":"TVIS_USERMASK","features":[40]},{"name":"TVITEMA","features":[1,40]},{"name":"TVITEMEXA","features":[1,40]},{"name":"TVITEMEXW","features":[1,40]},{"name":"TVITEMEXW_CHILDREN","features":[40]},{"name":"TVITEMPART","features":[40]},{"name":"TVITEMW","features":[1,40]},{"name":"TVITEM_MASK","features":[40]},{"name":"TVI_FIRST","features":[40]},{"name":"TVI_LAST","features":[40]},{"name":"TVI_ROOT","features":[40]},{"name":"TVI_SORT","features":[40]},{"name":"TVM_CREATEDRAGIMAGE","features":[40]},{"name":"TVM_DELETEITEM","features":[40]},{"name":"TVM_EDITLABEL","features":[40]},{"name":"TVM_EDITLABELA","features":[40]},{"name":"TVM_EDITLABELW","features":[40]},{"name":"TVM_ENDEDITLABELNOW","features":[40]},{"name":"TVM_ENSUREVISIBLE","features":[40]},{"name":"TVM_EXPAND","features":[40]},{"name":"TVM_GETBKCOLOR","features":[40]},{"name":"TVM_GETCOUNT","features":[40]},{"name":"TVM_GETEDITCONTROL","features":[40]},{"name":"TVM_GETEXTENDEDSTYLE","features":[40]},{"name":"TVM_GETIMAGELIST","features":[40]},{"name":"TVM_GETINDENT","features":[40]},{"name":"TVM_GETINSERTMARKCOLOR","features":[40]},{"name":"TVM_GETISEARCHSTRING","features":[40]},{"name":"TVM_GETISEARCHSTRINGA","features":[40]},{"name":"TVM_GETISEARCHSTRINGW","features":[40]},{"name":"TVM_GETITEM","features":[40]},{"name":"TVM_GETITEMA","features":[40]},{"name":"TVM_GETITEMHEIGHT","features":[40]},{"name":"TVM_GETITEMPARTRECT","features":[40]},{"name":"TVM_GETITEMRECT","features":[40]},{"name":"TVM_GETITEMSTATE","features":[40]},{"name":"TVM_GETITEMW","features":[40]},{"name":"TVM_GETLINECOLOR","features":[40]},{"name":"TVM_GETNEXTITEM","features":[40]},{"name":"TVM_GETSCROLLTIME","features":[40]},{"name":"TVM_GETSELECTEDCOUNT","features":[40]},{"name":"TVM_GETTEXTCOLOR","features":[40]},{"name":"TVM_GETTOOLTIPS","features":[40]},{"name":"TVM_GETUNICODEFORMAT","features":[40]},{"name":"TVM_GETVISIBLECOUNT","features":[40]},{"name":"TVM_HITTEST","features":[40]},{"name":"TVM_INSERTITEM","features":[40]},{"name":"TVM_INSERTITEMA","features":[40]},{"name":"TVM_INSERTITEMW","features":[40]},{"name":"TVM_MAPACCIDTOHTREEITEM","features":[40]},{"name":"TVM_MAPHTREEITEMTOACCID","features":[40]},{"name":"TVM_SELECTITEM","features":[40]},{"name":"TVM_SETAUTOSCROLLINFO","features":[40]},{"name":"TVM_SETBKCOLOR","features":[40]},{"name":"TVM_SETBORDER","features":[40]},{"name":"TVM_SETEXTENDEDSTYLE","features":[40]},{"name":"TVM_SETHOT","features":[40]},{"name":"TVM_SETIMAGELIST","features":[40]},{"name":"TVM_SETINDENT","features":[40]},{"name":"TVM_SETINSERTMARK","features":[40]},{"name":"TVM_SETINSERTMARKCOLOR","features":[40]},{"name":"TVM_SETITEM","features":[40]},{"name":"TVM_SETITEMA","features":[40]},{"name":"TVM_SETITEMHEIGHT","features":[40]},{"name":"TVM_SETITEMW","features":[40]},{"name":"TVM_SETLINECOLOR","features":[40]},{"name":"TVM_SETSCROLLTIME","features":[40]},{"name":"TVM_SETTEXTCOLOR","features":[40]},{"name":"TVM_SETTOOLTIPS","features":[40]},{"name":"TVM_SETUNICODEFORMAT","features":[40]},{"name":"TVM_SHOWINFOTIP","features":[40]},{"name":"TVM_SORTCHILDREN","features":[40]},{"name":"TVM_SORTCHILDRENCB","features":[40]},{"name":"TVNRET_DEFAULT","features":[40]},{"name":"TVNRET_SKIPNEW","features":[40]},{"name":"TVNRET_SKIPOLD","features":[40]},{"name":"TVN_ASYNCDRAW","features":[40]},{"name":"TVN_BEGINDRAG","features":[40]},{"name":"TVN_BEGINDRAGA","features":[40]},{"name":"TVN_BEGINDRAGW","features":[40]},{"name":"TVN_BEGINLABELEDIT","features":[40]},{"name":"TVN_BEGINLABELEDITA","features":[40]},{"name":"TVN_BEGINLABELEDITW","features":[40]},{"name":"TVN_BEGINRDRAG","features":[40]},{"name":"TVN_BEGINRDRAGA","features":[40]},{"name":"TVN_BEGINRDRAGW","features":[40]},{"name":"TVN_DELETEITEM","features":[40]},{"name":"TVN_DELETEITEMA","features":[40]},{"name":"TVN_DELETEITEMW","features":[40]},{"name":"TVN_ENDLABELEDIT","features":[40]},{"name":"TVN_ENDLABELEDITA","features":[40]},{"name":"TVN_ENDLABELEDITW","features":[40]},{"name":"TVN_FIRST","features":[40]},{"name":"TVN_GETDISPINFO","features":[40]},{"name":"TVN_GETDISPINFOA","features":[40]},{"name":"TVN_GETDISPINFOW","features":[40]},{"name":"TVN_GETINFOTIP","features":[40]},{"name":"TVN_GETINFOTIPA","features":[40]},{"name":"TVN_GETINFOTIPW","features":[40]},{"name":"TVN_ITEMCHANGED","features":[40]},{"name":"TVN_ITEMCHANGEDA","features":[40]},{"name":"TVN_ITEMCHANGEDW","features":[40]},{"name":"TVN_ITEMCHANGING","features":[40]},{"name":"TVN_ITEMCHANGINGA","features":[40]},{"name":"TVN_ITEMCHANGINGW","features":[40]},{"name":"TVN_ITEMEXPANDED","features":[40]},{"name":"TVN_ITEMEXPANDEDA","features":[40]},{"name":"TVN_ITEMEXPANDEDW","features":[40]},{"name":"TVN_ITEMEXPANDING","features":[40]},{"name":"TVN_ITEMEXPANDINGA","features":[40]},{"name":"TVN_ITEMEXPANDINGW","features":[40]},{"name":"TVN_KEYDOWN","features":[40]},{"name":"TVN_LAST","features":[40]},{"name":"TVN_SELCHANGED","features":[40]},{"name":"TVN_SELCHANGEDA","features":[40]},{"name":"TVN_SELCHANGEDW","features":[40]},{"name":"TVN_SELCHANGING","features":[40]},{"name":"TVN_SELCHANGINGA","features":[40]},{"name":"TVN_SELCHANGINGW","features":[40]},{"name":"TVN_SETDISPINFO","features":[40]},{"name":"TVN_SETDISPINFOA","features":[40]},{"name":"TVN_SETDISPINFOW","features":[40]},{"name":"TVN_SINGLEEXPAND","features":[40]},{"name":"TVP_BRANCH","features":[40]},{"name":"TVP_GLYPH","features":[40]},{"name":"TVP_HOTGLYPH","features":[40]},{"name":"TVP_TREEITEM","features":[40]},{"name":"TVSBF_XBORDER","features":[40]},{"name":"TVSBF_YBORDER","features":[40]},{"name":"TVSIL_NORMAL","features":[40]},{"name":"TVSIL_STATE","features":[40]},{"name":"TVSI_NOSINGLEEXPAND","features":[40]},{"name":"TVSORTCB","features":[1,40]},{"name":"TVS_CHECKBOXES","features":[40]},{"name":"TVS_DISABLEDRAGDROP","features":[40]},{"name":"TVS_EDITLABELS","features":[40]},{"name":"TVS_EX_AUTOHSCROLL","features":[40]},{"name":"TVS_EX_DIMMEDCHECKBOXES","features":[40]},{"name":"TVS_EX_DOUBLEBUFFER","features":[40]},{"name":"TVS_EX_DRAWIMAGEASYNC","features":[40]},{"name":"TVS_EX_EXCLUSIONCHECKBOXES","features":[40]},{"name":"TVS_EX_FADEINOUTEXPANDOS","features":[40]},{"name":"TVS_EX_MULTISELECT","features":[40]},{"name":"TVS_EX_NOINDENTSTATE","features":[40]},{"name":"TVS_EX_NOSINGLECOLLAPSE","features":[40]},{"name":"TVS_EX_PARTIALCHECKBOXES","features":[40]},{"name":"TVS_EX_RICHTOOLTIP","features":[40]},{"name":"TVS_FULLROWSELECT","features":[40]},{"name":"TVS_HASBUTTONS","features":[40]},{"name":"TVS_HASLINES","features":[40]},{"name":"TVS_INFOTIP","features":[40]},{"name":"TVS_LINESATROOT","features":[40]},{"name":"TVS_NOHSCROLL","features":[40]},{"name":"TVS_NONEVENHEIGHT","features":[40]},{"name":"TVS_NOSCROLL","features":[40]},{"name":"TVS_NOTOOLTIPS","features":[40]},{"name":"TVS_RTLREADING","features":[40]},{"name":"TVS_SHOWSELALWAYS","features":[40]},{"name":"TVS_SINGLEEXPAND","features":[40]},{"name":"TVS_TRACKSELECT","features":[40]},{"name":"TV_FIRST","features":[40]},{"name":"TaskDialog","features":[1,40]},{"name":"TaskDialogIndirect","features":[1,40,50]},{"name":"UDACCEL","features":[40]},{"name":"UDM_GETACCEL","features":[40]},{"name":"UDM_GETBASE","features":[40]},{"name":"UDM_GETBUDDY","features":[40]},{"name":"UDM_GETPOS","features":[40]},{"name":"UDM_GETPOS32","features":[40]},{"name":"UDM_GETRANGE","features":[40]},{"name":"UDM_GETRANGE32","features":[40]},{"name":"UDM_GETUNICODEFORMAT","features":[40]},{"name":"UDM_SETACCEL","features":[40]},{"name":"UDM_SETBASE","features":[40]},{"name":"UDM_SETBUDDY","features":[40]},{"name":"UDM_SETPOS","features":[40]},{"name":"UDM_SETPOS32","features":[40]},{"name":"UDM_SETRANGE","features":[40]},{"name":"UDM_SETRANGE32","features":[40]},{"name":"UDM_SETUNICODEFORMAT","features":[40]},{"name":"UDN_DELTAPOS","features":[40]},{"name":"UDN_FIRST","features":[40]},{"name":"UDN_LAST","features":[40]},{"name":"UDS_ALIGNLEFT","features":[40]},{"name":"UDS_ALIGNRIGHT","features":[40]},{"name":"UDS_ARROWKEYS","features":[40]},{"name":"UDS_AUTOBUDDY","features":[40]},{"name":"UDS_HORZ","features":[40]},{"name":"UDS_HOTTRACK","features":[40]},{"name":"UDS_NOTHOUSANDS","features":[40]},{"name":"UDS_SETBUDDYINT","features":[40]},{"name":"UDS_WRAP","features":[40]},{"name":"UD_MAXVAL","features":[40]},{"name":"UPDATEMETADATASTATES","features":[40]},{"name":"UPDOWN_CLASS","features":[40]},{"name":"UPDOWN_CLASSA","features":[40]},{"name":"UPDOWN_CLASSW","features":[40]},{"name":"UPHORZSTATES","features":[40]},{"name":"UPHZS_DISABLED","features":[40]},{"name":"UPHZS_HOT","features":[40]},{"name":"UPHZS_NORMAL","features":[40]},{"name":"UPHZS_PRESSED","features":[40]},{"name":"UPSTATES","features":[40]},{"name":"UPS_DISABLED","features":[40]},{"name":"UPS_HOT","features":[40]},{"name":"UPS_NORMAL","features":[40]},{"name":"UPS_PRESSED","features":[40]},{"name":"USAGE_PROPERTIES","features":[40]},{"name":"USERTILEPARTS","features":[40]},{"name":"UTP_HOVERBACKGROUND","features":[40]},{"name":"UTP_STROKEBACKGROUND","features":[40]},{"name":"UTS_HOT","features":[40]},{"name":"UTS_NORMAL","features":[40]},{"name":"UTS_PRESSED","features":[40]},{"name":"UninitializeFlatSB","features":[1,40]},{"name":"UpdatePanningFeedback","features":[1,40]},{"name":"VALIDBITS","features":[40]},{"name":"VALIGN","features":[40]},{"name":"VA_BOTTOM","features":[40]},{"name":"VA_CENTER","features":[40]},{"name":"VA_TOP","features":[40]},{"name":"VERTSCROLLSTATES","features":[40]},{"name":"VERTTHUMBSTATES","features":[40]},{"name":"VIEW_DETAILS","features":[40]},{"name":"VIEW_LARGEICONS","features":[40]},{"name":"VIEW_LIST","features":[40]},{"name":"VIEW_NETCONNECT","features":[40]},{"name":"VIEW_NETDISCONNECT","features":[40]},{"name":"VIEW_NEWFOLDER","features":[40]},{"name":"VIEW_PARENTFOLDER","features":[40]},{"name":"VIEW_SMALLICONS","features":[40]},{"name":"VIEW_SORTDATE","features":[40]},{"name":"VIEW_SORTNAME","features":[40]},{"name":"VIEW_SORTSIZE","features":[40]},{"name":"VIEW_SORTTYPE","features":[40]},{"name":"VIEW_VIEWMENU","features":[40]},{"name":"VSCLASS_AEROWIZARD","features":[40]},{"name":"VSCLASS_AEROWIZARDSTYLE","features":[40]},{"name":"VSCLASS_BUTTON","features":[40]},{"name":"VSCLASS_BUTTONSTYLE","features":[40]},{"name":"VSCLASS_CLOCK","features":[40]},{"name":"VSCLASS_COMBOBOX","features":[40]},{"name":"VSCLASS_COMBOBOXSTYLE","features":[40]},{"name":"VSCLASS_COMMUNICATIONS","features":[40]},{"name":"VSCLASS_COMMUNICATIONSSTYLE","features":[40]},{"name":"VSCLASS_CONTROLPANEL","features":[40]},{"name":"VSCLASS_CONTROLPANELSTYLE","features":[40]},{"name":"VSCLASS_DATEPICKER","features":[40]},{"name":"VSCLASS_DATEPICKERSTYLE","features":[40]},{"name":"VSCLASS_DRAGDROP","features":[40]},{"name":"VSCLASS_DRAGDROPSTYLE","features":[40]},{"name":"VSCLASS_EDIT","features":[40]},{"name":"VSCLASS_EDITSTYLE","features":[40]},{"name":"VSCLASS_EMPTYMARKUP","features":[40]},{"name":"VSCLASS_EXPLORERBAR","features":[40]},{"name":"VSCLASS_EXPLORERBARSTYLE","features":[40]},{"name":"VSCLASS_FLYOUT","features":[40]},{"name":"VSCLASS_FLYOUTSTYLE","features":[40]},{"name":"VSCLASS_HEADER","features":[40]},{"name":"VSCLASS_HEADERSTYLE","features":[40]},{"name":"VSCLASS_LINK","features":[40]},{"name":"VSCLASS_LISTBOX","features":[40]},{"name":"VSCLASS_LISTBOXSTYLE","features":[40]},{"name":"VSCLASS_LISTVIEW","features":[40]},{"name":"VSCLASS_LISTVIEWSTYLE","features":[40]},{"name":"VSCLASS_MENU","features":[40]},{"name":"VSCLASS_MENUBAND","features":[40]},{"name":"VSCLASS_MENUSTYLE","features":[40]},{"name":"VSCLASS_MONTHCAL","features":[40]},{"name":"VSCLASS_NAVIGATION","features":[40]},{"name":"VSCLASS_PAGE","features":[40]},{"name":"VSCLASS_PROGRESS","features":[40]},{"name":"VSCLASS_PROGRESSSTYLE","features":[40]},{"name":"VSCLASS_REBAR","features":[40]},{"name":"VSCLASS_REBARSTYLE","features":[40]},{"name":"VSCLASS_SCROLLBAR","features":[40]},{"name":"VSCLASS_SCROLLBARSTYLE","features":[40]},{"name":"VSCLASS_SPIN","features":[40]},{"name":"VSCLASS_SPINSTYLE","features":[40]},{"name":"VSCLASS_STARTPANEL","features":[40]},{"name":"VSCLASS_STATIC","features":[40]},{"name":"VSCLASS_STATUS","features":[40]},{"name":"VSCLASS_STATUSSTYLE","features":[40]},{"name":"VSCLASS_TAB","features":[40]},{"name":"VSCLASS_TABSTYLE","features":[40]},{"name":"VSCLASS_TASKBAND","features":[40]},{"name":"VSCLASS_TASKBAR","features":[40]},{"name":"VSCLASS_TASKDIALOG","features":[40]},{"name":"VSCLASS_TASKDIALOGSTYLE","features":[40]},{"name":"VSCLASS_TEXTSELECTIONGRIPPER","features":[40]},{"name":"VSCLASS_TEXTSTYLE","features":[40]},{"name":"VSCLASS_TOOLBAR","features":[40]},{"name":"VSCLASS_TOOLBARSTYLE","features":[40]},{"name":"VSCLASS_TOOLTIP","features":[40]},{"name":"VSCLASS_TOOLTIPSTYLE","features":[40]},{"name":"VSCLASS_TRACKBAR","features":[40]},{"name":"VSCLASS_TRACKBARSTYLE","features":[40]},{"name":"VSCLASS_TRAYNOTIFY","features":[40]},{"name":"VSCLASS_TREEVIEW","features":[40]},{"name":"VSCLASS_TREEVIEWSTYLE","features":[40]},{"name":"VSCLASS_USERTILE","features":[40]},{"name":"VSCLASS_WINDOW","features":[40]},{"name":"VSCLASS_WINDOWSTYLE","features":[40]},{"name":"VSS_DISABLED","features":[40]},{"name":"VSS_HOT","features":[40]},{"name":"VSS_NORMAL","features":[40]},{"name":"VSS_PUSHED","features":[40]},{"name":"VTS_DISABLED","features":[40]},{"name":"VTS_HOT","features":[40]},{"name":"VTS_NORMAL","features":[40]},{"name":"VTS_PUSHED","features":[40]},{"name":"WARNINGSTATES","features":[40]},{"name":"WB_CLASSIFY","features":[40]},{"name":"WB_ISDELIMITER","features":[40]},{"name":"WB_LEFT","features":[40]},{"name":"WB_LEFTBREAK","features":[40]},{"name":"WB_MOVEWORDLEFT","features":[40]},{"name":"WB_MOVEWORDRIGHT","features":[40]},{"name":"WB_RIGHT","features":[40]},{"name":"WB_RIGHTBREAK","features":[40]},{"name":"WC_BUTTON","features":[40]},{"name":"WC_BUTTONA","features":[40]},{"name":"WC_BUTTONW","features":[40]},{"name":"WC_COMBOBOX","features":[40]},{"name":"WC_COMBOBOXA","features":[40]},{"name":"WC_COMBOBOXEX","features":[40]},{"name":"WC_COMBOBOXEXA","features":[40]},{"name":"WC_COMBOBOXEXW","features":[40]},{"name":"WC_COMBOBOXW","features":[40]},{"name":"WC_EDIT","features":[40]},{"name":"WC_EDITA","features":[40]},{"name":"WC_EDITW","features":[40]},{"name":"WC_HEADER","features":[40]},{"name":"WC_HEADERA","features":[40]},{"name":"WC_HEADERW","features":[40]},{"name":"WC_IPADDRESS","features":[40]},{"name":"WC_IPADDRESSA","features":[40]},{"name":"WC_IPADDRESSW","features":[40]},{"name":"WC_LINK","features":[40]},{"name":"WC_LISTBOX","features":[40]},{"name":"WC_LISTBOXA","features":[40]},{"name":"WC_LISTBOXW","features":[40]},{"name":"WC_LISTVIEW","features":[40]},{"name":"WC_LISTVIEWA","features":[40]},{"name":"WC_LISTVIEWW","features":[40]},{"name":"WC_NATIVEFONTCTL","features":[40]},{"name":"WC_NATIVEFONTCTLA","features":[40]},{"name":"WC_NATIVEFONTCTLW","features":[40]},{"name":"WC_PAGESCROLLER","features":[40]},{"name":"WC_PAGESCROLLERA","features":[40]},{"name":"WC_PAGESCROLLERW","features":[40]},{"name":"WC_SCROLLBAR","features":[40]},{"name":"WC_SCROLLBARA","features":[40]},{"name":"WC_SCROLLBARW","features":[40]},{"name":"WC_STATIC","features":[40]},{"name":"WC_STATICA","features":[40]},{"name":"WC_STATICW","features":[40]},{"name":"WC_TABCONTROL","features":[40]},{"name":"WC_TABCONTROLA","features":[40]},{"name":"WC_TABCONTROLW","features":[40]},{"name":"WC_TREEVIEW","features":[40]},{"name":"WC_TREEVIEWA","features":[40]},{"name":"WC_TREEVIEWW","features":[40]},{"name":"WINDOWPARTS","features":[40]},{"name":"WINDOWTHEMEATTRIBUTETYPE","features":[40]},{"name":"WIZ_BODYCX","features":[40]},{"name":"WIZ_BODYX","features":[40]},{"name":"WIZ_CXBMP","features":[40]},{"name":"WIZ_CXDLG","features":[40]},{"name":"WIZ_CYDLG","features":[40]},{"name":"WMN_FIRST","features":[40]},{"name":"WMN_LAST","features":[40]},{"name":"WM_CTLCOLOR","features":[40]},{"name":"WM_MOUSEHOVER","features":[40]},{"name":"WM_MOUSELEAVE","features":[40]},{"name":"WORD_BREAK_ACTION","features":[40]},{"name":"WP_BORDER","features":[40]},{"name":"WP_CAPTION","features":[40]},{"name":"WP_CAPTIONSIZINGTEMPLATE","features":[40]},{"name":"WP_CLOSEBUTTON","features":[40]},{"name":"WP_DIALOG","features":[40]},{"name":"WP_FRAME","features":[40]},{"name":"WP_FRAMEBOTTOM","features":[40]},{"name":"WP_FRAMEBOTTOMSIZINGTEMPLATE","features":[40]},{"name":"WP_FRAMELEFT","features":[40]},{"name":"WP_FRAMELEFTSIZINGTEMPLATE","features":[40]},{"name":"WP_FRAMERIGHT","features":[40]},{"name":"WP_FRAMERIGHTSIZINGTEMPLATE","features":[40]},{"name":"WP_HELPBUTTON","features":[40]},{"name":"WP_HORZSCROLL","features":[40]},{"name":"WP_HORZTHUMB","features":[40]},{"name":"WP_MAXBUTTON","features":[40]},{"name":"WP_MAXCAPTION","features":[40]},{"name":"WP_MDICLOSEBUTTON","features":[40]},{"name":"WP_MDIHELPBUTTON","features":[40]},{"name":"WP_MDIMINBUTTON","features":[40]},{"name":"WP_MDIRESTOREBUTTON","features":[40]},{"name":"WP_MDISYSBUTTON","features":[40]},{"name":"WP_MINBUTTON","features":[40]},{"name":"WP_MINCAPTION","features":[40]},{"name":"WP_RESTOREBUTTON","features":[40]},{"name":"WP_SMALLCAPTION","features":[40]},{"name":"WP_SMALLCAPTIONSIZINGTEMPLATE","features":[40]},{"name":"WP_SMALLCLOSEBUTTON","features":[40]},{"name":"WP_SMALLFRAMEBOTTOM","features":[40]},{"name":"WP_SMALLFRAMEBOTTOMSIZINGTEMPLATE","features":[40]},{"name":"WP_SMALLFRAMELEFT","features":[40]},{"name":"WP_SMALLFRAMELEFTSIZINGTEMPLATE","features":[40]},{"name":"WP_SMALLFRAMERIGHT","features":[40]},{"name":"WP_SMALLFRAMERIGHTSIZINGTEMPLATE","features":[40]},{"name":"WP_SMALLMAXCAPTION","features":[40]},{"name":"WP_SMALLMINCAPTION","features":[40]},{"name":"WP_SYSBUTTON","features":[40]},{"name":"WP_VERTSCROLL","features":[40]},{"name":"WP_VERTTHUMB","features":[40]},{"name":"WRENCHSTATES","features":[40]},{"name":"WSB_PROP","features":[40]},{"name":"WSB_PROP_CXHSCROLL","features":[40]},{"name":"WSB_PROP_CXHTHUMB","features":[40]},{"name":"WSB_PROP_CXVSCROLL","features":[40]},{"name":"WSB_PROP_CYHSCROLL","features":[40]},{"name":"WSB_PROP_CYVSCROLL","features":[40]},{"name":"WSB_PROP_CYVTHUMB","features":[40]},{"name":"WSB_PROP_HBKGCOLOR","features":[40]},{"name":"WSB_PROP_HSTYLE","features":[40]},{"name":"WSB_PROP_MASK","features":[40]},{"name":"WSB_PROP_PALETTE","features":[40]},{"name":"WSB_PROP_VBKGCOLOR","features":[40]},{"name":"WSB_PROP_VSTYLE","features":[40]},{"name":"WSB_PROP_WINSTYLE","features":[40]},{"name":"WTA_NONCLIENT","features":[40]},{"name":"WTA_OPTIONS","features":[40]},{"name":"WTNCA_NODRAWCAPTION","features":[40]},{"name":"WTNCA_NODRAWICON","features":[40]},{"name":"WTNCA_NOMIRRORHELP","features":[40]},{"name":"WTNCA_NOSYSMENU","features":[40]},{"name":"_LI_METRIC","features":[40]},{"name":"chx1","features":[40]},{"name":"chx10","features":[40]},{"name":"chx11","features":[40]},{"name":"chx12","features":[40]},{"name":"chx13","features":[40]},{"name":"chx14","features":[40]},{"name":"chx15","features":[40]},{"name":"chx16","features":[40]},{"name":"chx2","features":[40]},{"name":"chx3","features":[40]},{"name":"chx4","features":[40]},{"name":"chx5","features":[40]},{"name":"chx6","features":[40]},{"name":"chx7","features":[40]},{"name":"chx8","features":[40]},{"name":"chx9","features":[40]},{"name":"cmb1","features":[40]},{"name":"cmb10","features":[40]},{"name":"cmb11","features":[40]},{"name":"cmb12","features":[40]},{"name":"cmb13","features":[40]},{"name":"cmb14","features":[40]},{"name":"cmb15","features":[40]},{"name":"cmb16","features":[40]},{"name":"cmb2","features":[40]},{"name":"cmb3","features":[40]},{"name":"cmb4","features":[40]},{"name":"cmb5","features":[40]},{"name":"cmb6","features":[40]},{"name":"cmb7","features":[40]},{"name":"cmb8","features":[40]},{"name":"cmb9","features":[40]},{"name":"ctl1","features":[40]},{"name":"ctlFirst","features":[40]},{"name":"ctlLast","features":[40]},{"name":"edt1","features":[40]},{"name":"edt10","features":[40]},{"name":"edt11","features":[40]},{"name":"edt12","features":[40]},{"name":"edt13","features":[40]},{"name":"edt14","features":[40]},{"name":"edt15","features":[40]},{"name":"edt16","features":[40]},{"name":"edt2","features":[40]},{"name":"edt3","features":[40]},{"name":"edt4","features":[40]},{"name":"edt5","features":[40]},{"name":"edt6","features":[40]},{"name":"edt7","features":[40]},{"name":"edt8","features":[40]},{"name":"edt9","features":[40]},{"name":"frm1","features":[40]},{"name":"frm2","features":[40]},{"name":"frm3","features":[40]},{"name":"frm4","features":[40]},{"name":"grp1","features":[40]},{"name":"grp2","features":[40]},{"name":"grp3","features":[40]},{"name":"grp4","features":[40]},{"name":"ico1","features":[40]},{"name":"ico2","features":[40]},{"name":"ico3","features":[40]},{"name":"ico4","features":[40]},{"name":"lst1","features":[40]},{"name":"lst10","features":[40]},{"name":"lst11","features":[40]},{"name":"lst12","features":[40]},{"name":"lst13","features":[40]},{"name":"lst14","features":[40]},{"name":"lst15","features":[40]},{"name":"lst16","features":[40]},{"name":"lst2","features":[40]},{"name":"lst3","features":[40]},{"name":"lst4","features":[40]},{"name":"lst5","features":[40]},{"name":"lst6","features":[40]},{"name":"lst7","features":[40]},{"name":"lst8","features":[40]},{"name":"lst9","features":[40]},{"name":"psh1","features":[40]},{"name":"psh10","features":[40]},{"name":"psh11","features":[40]},{"name":"psh12","features":[40]},{"name":"psh13","features":[40]},{"name":"psh14","features":[40]},{"name":"psh15","features":[40]},{"name":"psh16","features":[40]},{"name":"psh2","features":[40]},{"name":"psh3","features":[40]},{"name":"psh4","features":[40]},{"name":"psh5","features":[40]},{"name":"psh6","features":[40]},{"name":"psh7","features":[40]},{"name":"psh8","features":[40]},{"name":"psh9","features":[40]},{"name":"pshHelp","features":[40]},{"name":"rad1","features":[40]},{"name":"rad10","features":[40]},{"name":"rad11","features":[40]},{"name":"rad12","features":[40]},{"name":"rad13","features":[40]},{"name":"rad14","features":[40]},{"name":"rad15","features":[40]},{"name":"rad16","features":[40]},{"name":"rad2","features":[40]},{"name":"rad3","features":[40]},{"name":"rad4","features":[40]},{"name":"rad5","features":[40]},{"name":"rad6","features":[40]},{"name":"rad7","features":[40]},{"name":"rad8","features":[40]},{"name":"rad9","features":[40]},{"name":"rct1","features":[40]},{"name":"rct2","features":[40]},{"name":"rct3","features":[40]},{"name":"rct4","features":[40]},{"name":"scr1","features":[40]},{"name":"scr2","features":[40]},{"name":"scr3","features":[40]},{"name":"scr4","features":[40]},{"name":"scr5","features":[40]},{"name":"scr6","features":[40]},{"name":"scr7","features":[40]},{"name":"scr8","features":[40]},{"name":"stc1","features":[40]},{"name":"stc10","features":[40]},{"name":"stc11","features":[40]},{"name":"stc12","features":[40]},{"name":"stc13","features":[40]},{"name":"stc14","features":[40]},{"name":"stc15","features":[40]},{"name":"stc16","features":[40]},{"name":"stc17","features":[40]},{"name":"stc18","features":[40]},{"name":"stc19","features":[40]},{"name":"stc2","features":[40]},{"name":"stc20","features":[40]},{"name":"stc21","features":[40]},{"name":"stc22","features":[40]},{"name":"stc23","features":[40]},{"name":"stc24","features":[40]},{"name":"stc25","features":[40]},{"name":"stc26","features":[40]},{"name":"stc27","features":[40]},{"name":"stc28","features":[40]},{"name":"stc29","features":[40]},{"name":"stc3","features":[40]},{"name":"stc30","features":[40]},{"name":"stc31","features":[40]},{"name":"stc32","features":[40]},{"name":"stc4","features":[40]},{"name":"stc5","features":[40]},{"name":"stc6","features":[40]},{"name":"stc7","features":[40]},{"name":"stc8","features":[40]},{"name":"stc9","features":[40]}],"651":[{"name":"BOLD_FONTTYPE","features":[84]},{"name":"CCERR_CHOOSECOLORCODES","features":[84]},{"name":"CC_ANYCOLOR","features":[84]},{"name":"CC_ENABLEHOOK","features":[84]},{"name":"CC_ENABLETEMPLATE","features":[84]},{"name":"CC_ENABLETEMPLATEHANDLE","features":[84]},{"name":"CC_FULLOPEN","features":[84]},{"name":"CC_PREVENTFULLOPEN","features":[84]},{"name":"CC_RGBINIT","features":[84]},{"name":"CC_SHOWHELP","features":[84]},{"name":"CC_SOLIDCOLOR","features":[84]},{"name":"CDERR_DIALOGFAILURE","features":[84]},{"name":"CDERR_FINDRESFAILURE","features":[84]},{"name":"CDERR_GENERALCODES","features":[84]},{"name":"CDERR_INITIALIZATION","features":[84]},{"name":"CDERR_LOADRESFAILURE","features":[84]},{"name":"CDERR_LOADSTRFAILURE","features":[84]},{"name":"CDERR_LOCKRESFAILURE","features":[84]},{"name":"CDERR_MEMALLOCFAILURE","features":[84]},{"name":"CDERR_MEMLOCKFAILURE","features":[84]},{"name":"CDERR_NOHINSTANCE","features":[84]},{"name":"CDERR_NOHOOK","features":[84]},{"name":"CDERR_NOTEMPLATE","features":[84]},{"name":"CDERR_REGISTERMSGFAIL","features":[84]},{"name":"CDERR_STRUCTSIZE","features":[84]},{"name":"CDM_FIRST","features":[84]},{"name":"CDM_GETFILEPATH","features":[84]},{"name":"CDM_GETFOLDERIDLIST","features":[84]},{"name":"CDM_GETFOLDERPATH","features":[84]},{"name":"CDM_GETSPEC","features":[84]},{"name":"CDM_HIDECONTROL","features":[84]},{"name":"CDM_LAST","features":[84]},{"name":"CDM_SETCONTROLTEXT","features":[84]},{"name":"CDM_SETDEFEXT","features":[84]},{"name":"CDN_FILEOK","features":[84]},{"name":"CDN_FOLDERCHANGE","features":[84]},{"name":"CDN_HELP","features":[84]},{"name":"CDN_INCLUDEITEM","features":[84]},{"name":"CDN_INITDONE","features":[84]},{"name":"CDN_SELCHANGE","features":[84]},{"name":"CDN_SHAREVIOLATION","features":[84]},{"name":"CDN_TYPECHANGE","features":[84]},{"name":"CD_LBSELADD","features":[84]},{"name":"CD_LBSELCHANGE","features":[84]},{"name":"CD_LBSELNOITEMS","features":[84]},{"name":"CD_LBSELSUB","features":[84]},{"name":"CFERR_CHOOSEFONTCODES","features":[84]},{"name":"CFERR_MAXLESSTHANMIN","features":[84]},{"name":"CFERR_NOFONTS","features":[84]},{"name":"CF_ANSIONLY","features":[84]},{"name":"CF_APPLY","features":[84]},{"name":"CF_BOTH","features":[84]},{"name":"CF_EFFECTS","features":[84]},{"name":"CF_ENABLEHOOK","features":[84]},{"name":"CF_ENABLETEMPLATE","features":[84]},{"name":"CF_ENABLETEMPLATEHANDLE","features":[84]},{"name":"CF_FIXEDPITCHONLY","features":[84]},{"name":"CF_FORCEFONTEXIST","features":[84]},{"name":"CF_INACTIVEFONTS","features":[84]},{"name":"CF_INITTOLOGFONTSTRUCT","features":[84]},{"name":"CF_LIMITSIZE","features":[84]},{"name":"CF_NOFACESEL","features":[84]},{"name":"CF_NOOEMFONTS","features":[84]},{"name":"CF_NOSCRIPTSEL","features":[84]},{"name":"CF_NOSIMULATIONS","features":[84]},{"name":"CF_NOSIZESEL","features":[84]},{"name":"CF_NOSTYLESEL","features":[84]},{"name":"CF_NOVECTORFONTS","features":[84]},{"name":"CF_NOVERTFONTS","features":[84]},{"name":"CF_PRINTERFONTS","features":[84]},{"name":"CF_SCALABLEONLY","features":[84]},{"name":"CF_SCREENFONTS","features":[84]},{"name":"CF_SCRIPTSONLY","features":[84]},{"name":"CF_SELECTSCRIPT","features":[84]},{"name":"CF_SHOWHELP","features":[84]},{"name":"CF_TTONLY","features":[84]},{"name":"CF_USESTYLE","features":[84]},{"name":"CF_WYSIWYG","features":[84]},{"name":"CHOOSECOLORA","features":[1,84]},{"name":"CHOOSECOLORA","features":[1,84]},{"name":"CHOOSECOLORW","features":[1,84]},{"name":"CHOOSECOLORW","features":[1,84]},{"name":"CHOOSECOLOR_FLAGS","features":[84]},{"name":"CHOOSEFONTA","features":[1,12,84]},{"name":"CHOOSEFONTA","features":[1,12,84]},{"name":"CHOOSEFONTW","features":[1,12,84]},{"name":"CHOOSEFONTW","features":[1,12,84]},{"name":"CHOOSEFONT_FLAGS","features":[84]},{"name":"CHOOSEFONT_FONT_TYPE","features":[84]},{"name":"COLOROKSTRING","features":[84]},{"name":"COLOROKSTRINGA","features":[84]},{"name":"COLOROKSTRINGW","features":[84]},{"name":"COLOR_ADD","features":[84]},{"name":"COLOR_BLUE","features":[84]},{"name":"COLOR_BLUEACCEL","features":[84]},{"name":"COLOR_BOX1","features":[84]},{"name":"COLOR_CURRENT","features":[84]},{"name":"COLOR_CUSTOM1","features":[84]},{"name":"COLOR_ELEMENT","features":[84]},{"name":"COLOR_GREEN","features":[84]},{"name":"COLOR_GREENACCEL","features":[84]},{"name":"COLOR_HUE","features":[84]},{"name":"COLOR_HUEACCEL","features":[84]},{"name":"COLOR_HUESCROLL","features":[84]},{"name":"COLOR_LUM","features":[84]},{"name":"COLOR_LUMACCEL","features":[84]},{"name":"COLOR_LUMSCROLL","features":[84]},{"name":"COLOR_MIX","features":[84]},{"name":"COLOR_PALETTE","features":[84]},{"name":"COLOR_RAINBOW","features":[84]},{"name":"COLOR_RED","features":[84]},{"name":"COLOR_REDACCEL","features":[84]},{"name":"COLOR_SAMPLES","features":[84]},{"name":"COLOR_SAT","features":[84]},{"name":"COLOR_SATACCEL","features":[84]},{"name":"COLOR_SATSCROLL","features":[84]},{"name":"COLOR_SAVE","features":[84]},{"name":"COLOR_SCHEMES","features":[84]},{"name":"COLOR_SOLID","features":[84]},{"name":"COLOR_SOLID_LEFT","features":[84]},{"name":"COLOR_SOLID_RIGHT","features":[84]},{"name":"COLOR_TUNE","features":[84]},{"name":"COMMON_DLG_ERRORS","features":[84]},{"name":"ChooseColorA","features":[1,84]},{"name":"ChooseColorW","features":[1,84]},{"name":"ChooseFontA","features":[1,12,84]},{"name":"ChooseFontW","features":[1,12,84]},{"name":"CommDlgExtendedError","features":[84]},{"name":"DEVNAMES","features":[84]},{"name":"DEVNAMES","features":[84]},{"name":"DLG_COLOR","features":[84]},{"name":"DN_DEFAULTPRN","features":[84]},{"name":"FILEOKSTRING","features":[84]},{"name":"FILEOKSTRINGA","features":[84]},{"name":"FILEOKSTRINGW","features":[84]},{"name":"FINDMSGSTRING","features":[84]},{"name":"FINDMSGSTRINGA","features":[84]},{"name":"FINDMSGSTRINGW","features":[84]},{"name":"FINDREPLACEA","features":[1,84]},{"name":"FINDREPLACEA","features":[1,84]},{"name":"FINDREPLACEW","features":[1,84]},{"name":"FINDREPLACEW","features":[1,84]},{"name":"FINDREPLACE_FLAGS","features":[84]},{"name":"FNERR_BUFFERTOOSMALL","features":[84]},{"name":"FNERR_FILENAMECODES","features":[84]},{"name":"FNERR_INVALIDFILENAME","features":[84]},{"name":"FNERR_SUBCLASSFAILURE","features":[84]},{"name":"FRERR_BUFFERLENGTHZERO","features":[84]},{"name":"FRERR_FINDREPLACECODES","features":[84]},{"name":"FRM_FIRST","features":[84]},{"name":"FRM_LAST","features":[84]},{"name":"FRM_SETOPERATIONRESULT","features":[84]},{"name":"FRM_SETOPERATIONRESULTTEXT","features":[84]},{"name":"FR_DIALOGTERM","features":[84]},{"name":"FR_DOWN","features":[84]},{"name":"FR_ENABLEHOOK","features":[84]},{"name":"FR_ENABLETEMPLATE","features":[84]},{"name":"FR_ENABLETEMPLATEHANDLE","features":[84]},{"name":"FR_FINDNEXT","features":[84]},{"name":"FR_HIDEMATCHCASE","features":[84]},{"name":"FR_HIDEUPDOWN","features":[84]},{"name":"FR_HIDEWHOLEWORD","features":[84]},{"name":"FR_MATCHALEFHAMZA","features":[84]},{"name":"FR_MATCHCASE","features":[84]},{"name":"FR_MATCHDIAC","features":[84]},{"name":"FR_MATCHKASHIDA","features":[84]},{"name":"FR_NOMATCHCASE","features":[84]},{"name":"FR_NOUPDOWN","features":[84]},{"name":"FR_NOWHOLEWORD","features":[84]},{"name":"FR_NOWRAPAROUND","features":[84]},{"name":"FR_RAW","features":[84]},{"name":"FR_REPLACE","features":[84]},{"name":"FR_REPLACEALL","features":[84]},{"name":"FR_SHOWHELP","features":[84]},{"name":"FR_SHOWWRAPAROUND","features":[84]},{"name":"FR_WHOLEWORD","features":[84]},{"name":"FR_WRAPAROUND","features":[84]},{"name":"FindTextA","features":[1,84]},{"name":"FindTextW","features":[1,84]},{"name":"GetFileTitleA","features":[84]},{"name":"GetFileTitleW","features":[84]},{"name":"GetOpenFileNameA","features":[1,84]},{"name":"GetOpenFileNameW","features":[1,84]},{"name":"GetSaveFileNameA","features":[1,84]},{"name":"GetSaveFileNameW","features":[1,84]},{"name":"HELPMSGSTRING","features":[84]},{"name":"HELPMSGSTRINGA","features":[84]},{"name":"HELPMSGSTRINGW","features":[84]},{"name":"IPrintDialogCallback","features":[84]},{"name":"IPrintDialogServices","features":[84]},{"name":"ITALIC_FONTTYPE","features":[84]},{"name":"LBSELCHSTRING","features":[84]},{"name":"LBSELCHSTRINGA","features":[84]},{"name":"LBSELCHSTRINGW","features":[84]},{"name":"LPCCHOOKPROC","features":[1,84]},{"name":"LPCFHOOKPROC","features":[1,84]},{"name":"LPFRHOOKPROC","features":[1,84]},{"name":"LPOFNHOOKPROC","features":[1,84]},{"name":"LPPAGEPAINTHOOK","features":[1,84]},{"name":"LPPAGESETUPHOOK","features":[1,84]},{"name":"LPPRINTHOOKPROC","features":[1,84]},{"name":"LPSETUPHOOKPROC","features":[1,84]},{"name":"NUM_BASIC_COLORS","features":[84]},{"name":"NUM_CUSTOM_COLORS","features":[84]},{"name":"OFNOTIFYA","features":[1,84]},{"name":"OFNOTIFYA","features":[1,84]},{"name":"OFNOTIFYEXA","features":[1,84]},{"name":"OFNOTIFYEXA","features":[1,84]},{"name":"OFNOTIFYEXW","features":[1,84]},{"name":"OFNOTIFYEXW","features":[1,84]},{"name":"OFNOTIFYW","features":[1,84]},{"name":"OFNOTIFYW","features":[1,84]},{"name":"OFN_ALLOWMULTISELECT","features":[84]},{"name":"OFN_CREATEPROMPT","features":[84]},{"name":"OFN_DONTADDTORECENT","features":[84]},{"name":"OFN_ENABLEHOOK","features":[84]},{"name":"OFN_ENABLEINCLUDENOTIFY","features":[84]},{"name":"OFN_ENABLESIZING","features":[84]},{"name":"OFN_ENABLETEMPLATE","features":[84]},{"name":"OFN_ENABLETEMPLATEHANDLE","features":[84]},{"name":"OFN_EXPLORER","features":[84]},{"name":"OFN_EXTENSIONDIFFERENT","features":[84]},{"name":"OFN_EX_NONE","features":[84]},{"name":"OFN_EX_NOPLACESBAR","features":[84]},{"name":"OFN_FILEMUSTEXIST","features":[84]},{"name":"OFN_FORCESHOWHIDDEN","features":[84]},{"name":"OFN_HIDEREADONLY","features":[84]},{"name":"OFN_LONGNAMES","features":[84]},{"name":"OFN_NOCHANGEDIR","features":[84]},{"name":"OFN_NODEREFERENCELINKS","features":[84]},{"name":"OFN_NOLONGNAMES","features":[84]},{"name":"OFN_NONETWORKBUTTON","features":[84]},{"name":"OFN_NOREADONLYRETURN","features":[84]},{"name":"OFN_NOTESTFILECREATE","features":[84]},{"name":"OFN_NOVALIDATE","features":[84]},{"name":"OFN_OVERWRITEPROMPT","features":[84]},{"name":"OFN_PATHMUSTEXIST","features":[84]},{"name":"OFN_READONLY","features":[84]},{"name":"OFN_SHAREAWARE","features":[84]},{"name":"OFN_SHAREFALLTHROUGH","features":[84]},{"name":"OFN_SHARENOWARN","features":[84]},{"name":"OFN_SHAREWARN","features":[84]},{"name":"OFN_SHOWHELP","features":[84]},{"name":"OPENFILENAMEA","features":[1,84]},{"name":"OPENFILENAMEA","features":[1,84]},{"name":"OPENFILENAMEW","features":[1,84]},{"name":"OPENFILENAMEW","features":[1,84]},{"name":"OPENFILENAME_NT4A","features":[1,84]},{"name":"OPENFILENAME_NT4A","features":[1,84]},{"name":"OPENFILENAME_NT4W","features":[1,84]},{"name":"OPENFILENAME_NT4W","features":[1,84]},{"name":"OPEN_FILENAME_FLAGS","features":[84]},{"name":"OPEN_FILENAME_FLAGS_EX","features":[84]},{"name":"PAGESETUPDLGA","features":[1,84]},{"name":"PAGESETUPDLGA","features":[1,84]},{"name":"PAGESETUPDLGW","features":[1,84]},{"name":"PAGESETUPDLGW","features":[1,84]},{"name":"PAGESETUPDLG_FLAGS","features":[84]},{"name":"PDERR_CREATEICFAILURE","features":[84]},{"name":"PDERR_DEFAULTDIFFERENT","features":[84]},{"name":"PDERR_DNDMMISMATCH","features":[84]},{"name":"PDERR_GETDEVMODEFAIL","features":[84]},{"name":"PDERR_INITFAILURE","features":[84]},{"name":"PDERR_LOADDRVFAILURE","features":[84]},{"name":"PDERR_NODEFAULTPRN","features":[84]},{"name":"PDERR_NODEVICES","features":[84]},{"name":"PDERR_PARSEFAILURE","features":[84]},{"name":"PDERR_PRINTERCODES","features":[84]},{"name":"PDERR_PRINTERNOTFOUND","features":[84]},{"name":"PDERR_RETDEFFAILURE","features":[84]},{"name":"PDERR_SETUPFAILURE","features":[84]},{"name":"PD_ALLPAGES","features":[84]},{"name":"PD_COLLATE","features":[84]},{"name":"PD_CURRENTPAGE","features":[84]},{"name":"PD_DISABLEPRINTTOFILE","features":[84]},{"name":"PD_ENABLEPRINTHOOK","features":[84]},{"name":"PD_ENABLEPRINTTEMPLATE","features":[84]},{"name":"PD_ENABLEPRINTTEMPLATEHANDLE","features":[84]},{"name":"PD_ENABLESETUPHOOK","features":[84]},{"name":"PD_ENABLESETUPTEMPLATE","features":[84]},{"name":"PD_ENABLESETUPTEMPLATEHANDLE","features":[84]},{"name":"PD_EXCLUSIONFLAGS","features":[84]},{"name":"PD_HIDEPRINTTOFILE","features":[84]},{"name":"PD_NOCURRENTPAGE","features":[84]},{"name":"PD_NONETWORKBUTTON","features":[84]},{"name":"PD_NOPAGENUMS","features":[84]},{"name":"PD_NOSELECTION","features":[84]},{"name":"PD_NOWARNING","features":[84]},{"name":"PD_PAGENUMS","features":[84]},{"name":"PD_PRINTSETUP","features":[84]},{"name":"PD_PRINTTOFILE","features":[84]},{"name":"PD_RESULT_APPLY","features":[84]},{"name":"PD_RESULT_CANCEL","features":[84]},{"name":"PD_RESULT_PRINT","features":[84]},{"name":"PD_RETURNDC","features":[84]},{"name":"PD_RETURNDEFAULT","features":[84]},{"name":"PD_RETURNIC","features":[84]},{"name":"PD_SELECTION","features":[84]},{"name":"PD_SHOWHELP","features":[84]},{"name":"PD_USEDEVMODECOPIES","features":[84]},{"name":"PD_USEDEVMODECOPIESANDCOLLATE","features":[84]},{"name":"PD_USELARGETEMPLATE","features":[84]},{"name":"PRINTDLGA","features":[1,12,84]},{"name":"PRINTDLGA","features":[1,12,84]},{"name":"PRINTDLGEXA","features":[1,12,84]},{"name":"PRINTDLGEXA","features":[1,12,84]},{"name":"PRINTDLGEXW","features":[1,12,84]},{"name":"PRINTDLGEXW","features":[1,12,84]},{"name":"PRINTDLGEX_FLAGS","features":[84]},{"name":"PRINTDLGW","features":[1,12,84]},{"name":"PRINTDLGW","features":[1,12,84]},{"name":"PRINTER_FONTTYPE","features":[84]},{"name":"PRINTPAGERANGE","features":[84]},{"name":"PRINTPAGERANGE","features":[84]},{"name":"PSD_DEFAULTMINMARGINS","features":[84]},{"name":"PSD_DISABLEMARGINS","features":[84]},{"name":"PSD_DISABLEORIENTATION","features":[84]},{"name":"PSD_DISABLEPAGEPAINTING","features":[84]},{"name":"PSD_DISABLEPAPER","features":[84]},{"name":"PSD_DISABLEPRINTER","features":[84]},{"name":"PSD_ENABLEPAGEPAINTHOOK","features":[84]},{"name":"PSD_ENABLEPAGESETUPHOOK","features":[84]},{"name":"PSD_ENABLEPAGESETUPTEMPLATE","features":[84]},{"name":"PSD_ENABLEPAGESETUPTEMPLATEHANDLE","features":[84]},{"name":"PSD_INHUNDREDTHSOFMILLIMETERS","features":[84]},{"name":"PSD_INTHOUSANDTHSOFINCHES","features":[84]},{"name":"PSD_INWININIINTLMEASURE","features":[84]},{"name":"PSD_MARGINS","features":[84]},{"name":"PSD_MINMARGINS","features":[84]},{"name":"PSD_NONETWORKBUTTON","features":[84]},{"name":"PSD_NOWARNING","features":[84]},{"name":"PSD_RETURNDEFAULT","features":[84]},{"name":"PSD_SHOWHELP","features":[84]},{"name":"PS_OPENTYPE_FONTTYPE","features":[84]},{"name":"PageSetupDlgA","features":[1,84]},{"name":"PageSetupDlgW","features":[1,84]},{"name":"PrintDlgA","features":[1,12,84]},{"name":"PrintDlgExA","features":[1,12,84]},{"name":"PrintDlgExW","features":[1,12,84]},{"name":"PrintDlgW","features":[1,12,84]},{"name":"REGULAR_FONTTYPE","features":[84]},{"name":"ReplaceTextA","features":[1,84]},{"name":"ReplaceTextW","features":[1,84]},{"name":"SCREEN_FONTTYPE","features":[84]},{"name":"SETRGBSTRING","features":[84]},{"name":"SETRGBSTRINGA","features":[84]},{"name":"SETRGBSTRINGW","features":[84]},{"name":"SHAREVISTRING","features":[84]},{"name":"SHAREVISTRINGA","features":[84]},{"name":"SHAREVISTRINGW","features":[84]},{"name":"SIMULATED_FONTTYPE","features":[84]},{"name":"START_PAGE_GENERAL","features":[84]},{"name":"SYMBOL_FONTTYPE","features":[84]},{"name":"TT_OPENTYPE_FONTTYPE","features":[84]},{"name":"TYPE1_FONTTYPE","features":[84]},{"name":"WM_CHOOSEFONT_GETLOGFONT","features":[84]},{"name":"WM_CHOOSEFONT_SETFLAGS","features":[84]},{"name":"WM_CHOOSEFONT_SETLOGFONT","features":[84]},{"name":"WM_PSD_ENVSTAMPRECT","features":[84]},{"name":"WM_PSD_FULLPAGERECT","features":[84]},{"name":"WM_PSD_GREEKTEXTRECT","features":[84]},{"name":"WM_PSD_MARGINRECT","features":[84]},{"name":"WM_PSD_MINMARGINRECT","features":[84]},{"name":"WM_PSD_YAFULLPAGERECT","features":[84]}],"653":[{"name":"AdjustWindowRectExForDpi","features":[1,210,50]},{"name":"AreDpiAwarenessContextsEqual","features":[1,210]},{"name":"DCDC_DEFAULT","features":[210]},{"name":"DCDC_DISABLE_FONT_UPDATE","features":[210]},{"name":"DCDC_DISABLE_RELAYOUT","features":[210]},{"name":"DDC_DEFAULT","features":[210]},{"name":"DDC_DISABLE_ALL","features":[210]},{"name":"DDC_DISABLE_CONTROL_RELAYOUT","features":[210]},{"name":"DDC_DISABLE_RESIZE","features":[210]},{"name":"DIALOG_CONTROL_DPI_CHANGE_BEHAVIORS","features":[210]},{"name":"DIALOG_DPI_CHANGE_BEHAVIORS","features":[210]},{"name":"DPI_AWARENESS","features":[210]},{"name":"DPI_AWARENESS_CONTEXT","features":[210]},{"name":"DPI_AWARENESS_CONTEXT_PER_MONITOR_AWARE","features":[210]},{"name":"DPI_AWARENESS_CONTEXT_PER_MONITOR_AWARE_V2","features":[210]},{"name":"DPI_AWARENESS_CONTEXT_SYSTEM_AWARE","features":[210]},{"name":"DPI_AWARENESS_CONTEXT_UNAWARE","features":[210]},{"name":"DPI_AWARENESS_CONTEXT_UNAWARE_GDISCALED","features":[210]},{"name":"DPI_AWARENESS_INVALID","features":[210]},{"name":"DPI_AWARENESS_PER_MONITOR_AWARE","features":[210]},{"name":"DPI_AWARENESS_SYSTEM_AWARE","features":[210]},{"name":"DPI_AWARENESS_UNAWARE","features":[210]},{"name":"DPI_HOSTING_BEHAVIOR","features":[210]},{"name":"DPI_HOSTING_BEHAVIOR_DEFAULT","features":[210]},{"name":"DPI_HOSTING_BEHAVIOR_INVALID","features":[210]},{"name":"DPI_HOSTING_BEHAVIOR_MIXED","features":[210]},{"name":"EnableNonClientDpiScaling","features":[1,210]},{"name":"GetAwarenessFromDpiAwarenessContext","features":[210]},{"name":"GetDialogControlDpiChangeBehavior","features":[1,210]},{"name":"GetDialogDpiChangeBehavior","features":[1,210]},{"name":"GetDpiAwarenessContextForProcess","features":[1,210]},{"name":"GetDpiForMonitor","features":[12,210]},{"name":"GetDpiForSystem","features":[210]},{"name":"GetDpiForWindow","features":[1,210]},{"name":"GetDpiFromDpiAwarenessContext","features":[210]},{"name":"GetProcessDpiAwareness","features":[1,210]},{"name":"GetSystemDpiForProcess","features":[1,210]},{"name":"GetSystemMetricsForDpi","features":[210,50]},{"name":"GetThreadDpiAwarenessContext","features":[210]},{"name":"GetThreadDpiHostingBehavior","features":[210]},{"name":"GetWindowDpiAwarenessContext","features":[1,210]},{"name":"GetWindowDpiHostingBehavior","features":[1,210]},{"name":"IsValidDpiAwarenessContext","features":[1,210]},{"name":"LogicalToPhysicalPointForPerMonitorDPI","features":[1,210]},{"name":"MDT_ANGULAR_DPI","features":[210]},{"name":"MDT_DEFAULT","features":[210]},{"name":"MDT_EFFECTIVE_DPI","features":[210]},{"name":"MDT_RAW_DPI","features":[210]},{"name":"MONITOR_DPI_TYPE","features":[210]},{"name":"OpenThemeDataForDpi","features":[1,40,210]},{"name":"PROCESS_DPI_AWARENESS","features":[210]},{"name":"PROCESS_DPI_UNAWARE","features":[210]},{"name":"PROCESS_PER_MONITOR_DPI_AWARE","features":[210]},{"name":"PROCESS_SYSTEM_DPI_AWARE","features":[210]},{"name":"PhysicalToLogicalPointForPerMonitorDPI","features":[1,210]},{"name":"SetDialogControlDpiChangeBehavior","features":[1,210]},{"name":"SetDialogDpiChangeBehavior","features":[1,210]},{"name":"SetProcessDpiAwareness","features":[210]},{"name":"SetProcessDpiAwarenessContext","features":[1,210]},{"name":"SetThreadDpiAwarenessContext","features":[210]},{"name":"SetThreadDpiHostingBehavior","features":[210]},{"name":"SystemParametersInfoForDpi","features":[1,210]}],"654":[{"name":"DefRawInputProc","features":[1,211]},{"name":"GetCIMSSM","features":[1,211]},{"name":"GetCurrentInputMessageSource","features":[1,211]},{"name":"GetRawInputBuffer","features":[1,211]},{"name":"GetRawInputData","features":[211]},{"name":"GetRawInputDeviceInfoA","features":[1,211]},{"name":"GetRawInputDeviceInfoW","features":[1,211]},{"name":"GetRawInputDeviceList","features":[1,211]},{"name":"GetRegisteredRawInputDevices","features":[1,211]},{"name":"HRAWINPUT","features":[211]},{"name":"IMDT_KEYBOARD","features":[211]},{"name":"IMDT_MOUSE","features":[211]},{"name":"IMDT_PEN","features":[211]},{"name":"IMDT_TOUCH","features":[211]},{"name":"IMDT_TOUCHPAD","features":[211]},{"name":"IMDT_UNAVAILABLE","features":[211]},{"name":"IMO_HARDWARE","features":[211]},{"name":"IMO_INJECTED","features":[211]},{"name":"IMO_SYSTEM","features":[211]},{"name":"IMO_UNAVAILABLE","features":[211]},{"name":"INPUT_MESSAGE_DEVICE_TYPE","features":[211]},{"name":"INPUT_MESSAGE_ORIGIN_ID","features":[211]},{"name":"INPUT_MESSAGE_SOURCE","features":[211]},{"name":"MOUSE_ATTRIBUTES_CHANGED","features":[211]},{"name":"MOUSE_MOVE_ABSOLUTE","features":[211]},{"name":"MOUSE_MOVE_NOCOALESCE","features":[211]},{"name":"MOUSE_MOVE_RELATIVE","features":[211]},{"name":"MOUSE_STATE","features":[211]},{"name":"MOUSE_VIRTUAL_DESKTOP","features":[211]},{"name":"RAWHID","features":[211]},{"name":"RAWINPUT","features":[1,211]},{"name":"RAWINPUTDEVICE","features":[1,211]},{"name":"RAWINPUTDEVICELIST","features":[1,211]},{"name":"RAWINPUTDEVICE_FLAGS","features":[211]},{"name":"RAWINPUTHEADER","features":[1,211]},{"name":"RAWKEYBOARD","features":[211]},{"name":"RAWMOUSE","features":[211]},{"name":"RAW_INPUT_DATA_COMMAND_FLAGS","features":[211]},{"name":"RAW_INPUT_DEVICE_INFO_COMMAND","features":[211]},{"name":"RIDEV_APPKEYS","features":[211]},{"name":"RIDEV_CAPTUREMOUSE","features":[211]},{"name":"RIDEV_DEVNOTIFY","features":[211]},{"name":"RIDEV_EXCLUDE","features":[211]},{"name":"RIDEV_EXINPUTSINK","features":[211]},{"name":"RIDEV_INPUTSINK","features":[211]},{"name":"RIDEV_NOHOTKEYS","features":[211]},{"name":"RIDEV_NOLEGACY","features":[211]},{"name":"RIDEV_PAGEONLY","features":[211]},{"name":"RIDEV_REMOVE","features":[211]},{"name":"RIDI_DEVICEINFO","features":[211]},{"name":"RIDI_DEVICENAME","features":[211]},{"name":"RIDI_PREPARSEDDATA","features":[211]},{"name":"RID_DEVICE_INFO","features":[1,211]},{"name":"RID_DEVICE_INFO_HID","features":[211]},{"name":"RID_DEVICE_INFO_KEYBOARD","features":[211]},{"name":"RID_DEVICE_INFO_MOUSE","features":[1,211]},{"name":"RID_DEVICE_INFO_TYPE","features":[211]},{"name":"RID_HEADER","features":[211]},{"name":"RID_INPUT","features":[211]},{"name":"RIM_TYPEHID","features":[211]},{"name":"RIM_TYPEKEYBOARD","features":[211]},{"name":"RIM_TYPEMOUSE","features":[211]},{"name":"RegisterRawInputDevices","features":[1,211]}],"655":[{"name":"APPLETIDLIST","features":[212]},{"name":"APPLYCANDEXPARAM","features":[212]},{"name":"ATTR_CONVERTED","features":[212]},{"name":"ATTR_FIXEDCONVERTED","features":[212]},{"name":"ATTR_INPUT","features":[212]},{"name":"ATTR_INPUT_ERROR","features":[212]},{"name":"ATTR_TARGET_CONVERTED","features":[212]},{"name":"ATTR_TARGET_NOTCONVERTED","features":[212]},{"name":"CANDIDATEFORM","features":[1,212]},{"name":"CANDIDATEINFO","features":[212]},{"name":"CANDIDATELIST","features":[212]},{"name":"CATID_MSIME_IImePadApplet","features":[212]},{"name":"CATID_MSIME_IImePadApplet1000","features":[212]},{"name":"CATID_MSIME_IImePadApplet1200","features":[212]},{"name":"CATID_MSIME_IImePadApplet900","features":[212]},{"name":"CATID_MSIME_IImePadApplet_VER7","features":[212]},{"name":"CATID_MSIME_IImePadApplet_VER80","features":[212]},{"name":"CATID_MSIME_IImePadApplet_VER81","features":[212]},{"name":"CActiveIMM","features":[212]},{"name":"CFS_CANDIDATEPOS","features":[212]},{"name":"CFS_DEFAULT","features":[212]},{"name":"CFS_EXCLUDE","features":[212]},{"name":"CFS_FORCE_POSITION","features":[212]},{"name":"CFS_POINT","features":[212]},{"name":"CFS_RECT","features":[212]},{"name":"CHARINFO_APPLETID_MASK","features":[212]},{"name":"CHARINFO_CHARID_MASK","features":[212]},{"name":"CHARINFO_FEID_MASK","features":[212]},{"name":"CLSID_ImePlugInDictDictionaryList_CHS","features":[212]},{"name":"CLSID_ImePlugInDictDictionaryList_JPN","features":[212]},{"name":"CLSID_VERSION_DEPENDENT_MSIME_JAPANESE","features":[212]},{"name":"COMPOSITIONFORM","features":[1,212]},{"name":"COMPOSITIONSTRING","features":[212]},{"name":"CPS_CANCEL","features":[212]},{"name":"CPS_COMPLETE","features":[212]},{"name":"CPS_CONVERT","features":[212]},{"name":"CPS_REVERT","features":[212]},{"name":"CS_INSERTCHAR","features":[212]},{"name":"CS_NOMOVECARET","features":[212]},{"name":"E_LARGEINPUT","features":[212]},{"name":"E_NOCAND","features":[212]},{"name":"E_NOTENOUGH_BUFFER","features":[212]},{"name":"E_NOTENOUGH_WDD","features":[212]},{"name":"FEID_CHINESE_HONGKONG","features":[212]},{"name":"FEID_CHINESE_SIMPLIFIED","features":[212]},{"name":"FEID_CHINESE_SINGAPORE","features":[212]},{"name":"FEID_CHINESE_TRADITIONAL","features":[212]},{"name":"FEID_JAPANESE","features":[212]},{"name":"FEID_KOREAN","features":[212]},{"name":"FEID_KOREAN_JOHAB","features":[212]},{"name":"FEID_NONE","features":[212]},{"name":"FELANG_CLMN_FIXD","features":[212]},{"name":"FELANG_CLMN_FIXR","features":[212]},{"name":"FELANG_CLMN_NOPBREAK","features":[212]},{"name":"FELANG_CLMN_NOWBREAK","features":[212]},{"name":"FELANG_CLMN_PBREAK","features":[212]},{"name":"FELANG_CLMN_WBREAK","features":[212]},{"name":"FELANG_CMODE_AUTOMATIC","features":[212]},{"name":"FELANG_CMODE_BESTFIRST","features":[212]},{"name":"FELANG_CMODE_BOPOMOFO","features":[212]},{"name":"FELANG_CMODE_CONVERSATION","features":[212]},{"name":"FELANG_CMODE_FULLWIDTHOUT","features":[212]},{"name":"FELANG_CMODE_HALFWIDTHOUT","features":[212]},{"name":"FELANG_CMODE_HANGUL","features":[212]},{"name":"FELANG_CMODE_HIRAGANAOUT","features":[212]},{"name":"FELANG_CMODE_KATAKANAOUT","features":[212]},{"name":"FELANG_CMODE_MERGECAND","features":[212]},{"name":"FELANG_CMODE_MONORUBY","features":[212]},{"name":"FELANG_CMODE_NAME","features":[212]},{"name":"FELANG_CMODE_NOINVISIBLECHAR","features":[212]},{"name":"FELANG_CMODE_NONE","features":[212]},{"name":"FELANG_CMODE_NOPRUNING","features":[212]},{"name":"FELANG_CMODE_PHRASEPREDICT","features":[212]},{"name":"FELANG_CMODE_PINYIN","features":[212]},{"name":"FELANG_CMODE_PLAURALCLAUSE","features":[212]},{"name":"FELANG_CMODE_PRECONV","features":[212]},{"name":"FELANG_CMODE_RADICAL","features":[212]},{"name":"FELANG_CMODE_ROMAN","features":[212]},{"name":"FELANG_CMODE_SINGLECONVERT","features":[212]},{"name":"FELANG_CMODE_UNKNOWNREADING","features":[212]},{"name":"FELANG_CMODE_USENOREVWORDS","features":[212]},{"name":"FELANG_INVALD_PO","features":[212]},{"name":"FELANG_REQ_CONV","features":[212]},{"name":"FELANG_REQ_RECONV","features":[212]},{"name":"FELANG_REQ_REV","features":[212]},{"name":"FID_MSIME_KMS_DEL_KEYLIST","features":[212]},{"name":"FID_MSIME_KMS_FUNCDESC","features":[212]},{"name":"FID_MSIME_KMS_GETMAP","features":[212]},{"name":"FID_MSIME_KMS_GETMAPFAST","features":[212]},{"name":"FID_MSIME_KMS_GETMAPSEAMLESS","features":[212]},{"name":"FID_MSIME_KMS_INIT","features":[212]},{"name":"FID_MSIME_KMS_INVOKE","features":[212]},{"name":"FID_MSIME_KMS_NOTIFY","features":[212]},{"name":"FID_MSIME_KMS_SETMAP","features":[212]},{"name":"FID_MSIME_KMS_TERM","features":[212]},{"name":"FID_MSIME_KMS_VERSION","features":[212]},{"name":"FID_MSIME_VERSION","features":[212]},{"name":"FID_RECONVERT_VERSION","features":[212]},{"name":"GCL_CONVERSION","features":[212]},{"name":"GCL_REVERSECONVERSION","features":[212]},{"name":"GCL_REVERSE_LENGTH","features":[212]},{"name":"GCSEX_CANCELRECONVERT","features":[212]},{"name":"GCS_COMPATTR","features":[212]},{"name":"GCS_COMPCLAUSE","features":[212]},{"name":"GCS_COMPREADATTR","features":[212]},{"name":"GCS_COMPREADCLAUSE","features":[212]},{"name":"GCS_COMPREADSTR","features":[212]},{"name":"GCS_COMPSTR","features":[212]},{"name":"GCS_CURSORPOS","features":[212]},{"name":"GCS_DELTASTART","features":[212]},{"name":"GCS_RESULTCLAUSE","features":[212]},{"name":"GCS_RESULTREADCLAUSE","features":[212]},{"name":"GCS_RESULTREADSTR","features":[212]},{"name":"GCS_RESULTSTR","features":[212]},{"name":"GET_CONVERSION_LIST_FLAG","features":[212]},{"name":"GET_GUIDE_LINE_TYPE","features":[212]},{"name":"GGL_INDEX","features":[212]},{"name":"GGL_LEVEL","features":[212]},{"name":"GGL_PRIVATE","features":[212]},{"name":"GGL_STRING","features":[212]},{"name":"GL_ID_CANNOTSAVE","features":[212]},{"name":"GL_ID_CHOOSECANDIDATE","features":[212]},{"name":"GL_ID_INPUTCODE","features":[212]},{"name":"GL_ID_INPUTRADICAL","features":[212]},{"name":"GL_ID_INPUTREADING","features":[212]},{"name":"GL_ID_INPUTSYMBOL","features":[212]},{"name":"GL_ID_NOCONVERT","features":[212]},{"name":"GL_ID_NODICTIONARY","features":[212]},{"name":"GL_ID_NOMODULE","features":[212]},{"name":"GL_ID_PRIVATE_FIRST","features":[212]},{"name":"GL_ID_PRIVATE_LAST","features":[212]},{"name":"GL_ID_READINGCONFLICT","features":[212]},{"name":"GL_ID_REVERSECONVERSION","features":[212]},{"name":"GL_ID_TOOMANYSTROKE","features":[212]},{"name":"GL_ID_TYPINGERROR","features":[212]},{"name":"GL_ID_UNKNOWN","features":[212]},{"name":"GL_LEVEL_ERROR","features":[212]},{"name":"GL_LEVEL_FATAL","features":[212]},{"name":"GL_LEVEL_INFORMATION","features":[212]},{"name":"GL_LEVEL_NOGUIDELINE","features":[212]},{"name":"GL_LEVEL_WARNING","features":[212]},{"name":"GUIDELINE","features":[212]},{"name":"IACE_CHILDREN","features":[212]},{"name":"IACE_DEFAULT","features":[212]},{"name":"IACE_IGNORENOCONTEXT","features":[212]},{"name":"IActiveIME","features":[212]},{"name":"IActiveIME2","features":[212]},{"name":"IActiveIMMApp","features":[212]},{"name":"IActiveIMMIME","features":[212]},{"name":"IActiveIMMMessagePumpOwner","features":[212]},{"name":"IActiveIMMRegistrar","features":[212]},{"name":"IEnumInputContext","features":[212]},{"name":"IEnumRegisterWordA","features":[212]},{"name":"IEnumRegisterWordW","features":[212]},{"name":"IFEC_S_ALREADY_DEFAULT","features":[212]},{"name":"IFEClassFactory","features":[212]},{"name":"IFECommon","features":[212]},{"name":"IFED_ACTIVE_DICT","features":[212]},{"name":"IFED_ATOK10","features":[212]},{"name":"IFED_ATOK9","features":[212]},{"name":"IFED_E_INVALID_FORMAT","features":[212]},{"name":"IFED_E_NOT_FOUND","features":[212]},{"name":"IFED_E_NOT_SUPPORTED","features":[212]},{"name":"IFED_E_NOT_USER_DIC","features":[212]},{"name":"IFED_E_NO_ENTRY","features":[212]},{"name":"IFED_E_OPEN_FAILED","features":[212]},{"name":"IFED_E_REGISTER_DISCONNECTED","features":[212]},{"name":"IFED_E_REGISTER_FAILED","features":[212]},{"name":"IFED_E_REGISTER_ILLEGAL_POS","features":[212]},{"name":"IFED_E_REGISTER_IMPROPER_WORD","features":[212]},{"name":"IFED_E_USER_COMMENT","features":[212]},{"name":"IFED_E_WRITE_FAILED","features":[212]},{"name":"IFED_MSIME2_BIN_SYSTEM","features":[212]},{"name":"IFED_MSIME2_BIN_USER","features":[212]},{"name":"IFED_MSIME2_TEXT_USER","features":[212]},{"name":"IFED_MSIME95_BIN_SYSTEM","features":[212]},{"name":"IFED_MSIME95_BIN_USER","features":[212]},{"name":"IFED_MSIME95_TEXT_USER","features":[212]},{"name":"IFED_MSIME97_BIN_SYSTEM","features":[212]},{"name":"IFED_MSIME97_BIN_USER","features":[212]},{"name":"IFED_MSIME97_TEXT_USER","features":[212]},{"name":"IFED_MSIME98_BIN_SYSTEM","features":[212]},{"name":"IFED_MSIME98_BIN_USER","features":[212]},{"name":"IFED_MSIME98_SYSTEM_CE","features":[212]},{"name":"IFED_MSIME98_TEXT_USER","features":[212]},{"name":"IFED_MSIME_BIN_SYSTEM","features":[212]},{"name":"IFED_MSIME_BIN_USER","features":[212]},{"name":"IFED_MSIME_TEXT_USER","features":[212]},{"name":"IFED_NEC_AI_","features":[212]},{"name":"IFED_PIME2_BIN_STANDARD_SYSTEM","features":[212]},{"name":"IFED_PIME2_BIN_SYSTEM","features":[212]},{"name":"IFED_PIME2_BIN_USER","features":[212]},{"name":"IFED_POS_ADJECTIVE","features":[212]},{"name":"IFED_POS_ADJECTIVE_VERB","features":[212]},{"name":"IFED_POS_ADNOUN","features":[212]},{"name":"IFED_POS_ADVERB","features":[212]},{"name":"IFED_POS_AFFIX","features":[212]},{"name":"IFED_POS_ALL","features":[212]},{"name":"IFED_POS_AUXILIARY_VERB","features":[212]},{"name":"IFED_POS_CONJUNCTION","features":[212]},{"name":"IFED_POS_DEPENDENT","features":[212]},{"name":"IFED_POS_IDIOMS","features":[212]},{"name":"IFED_POS_INDEPENDENT","features":[212]},{"name":"IFED_POS_INFLECTIONALSUFFIX","features":[212]},{"name":"IFED_POS_INTERJECTION","features":[212]},{"name":"IFED_POS_NONE","features":[212]},{"name":"IFED_POS_NOUN","features":[212]},{"name":"IFED_POS_PARTICLE","features":[212]},{"name":"IFED_POS_PREFIX","features":[212]},{"name":"IFED_POS_SUB_VERB","features":[212]},{"name":"IFED_POS_SUFFIX","features":[212]},{"name":"IFED_POS_SYMBOLS","features":[212]},{"name":"IFED_POS_TANKANJI","features":[212]},{"name":"IFED_POS_VERB","features":[212]},{"name":"IFED_REG_ALL","features":[212]},{"name":"IFED_REG_AUTO","features":[212]},{"name":"IFED_REG_DEL","features":[212]},{"name":"IFED_REG_GRAMMAR","features":[212]},{"name":"IFED_REG_HEAD","features":[212]},{"name":"IFED_REG_NONE","features":[212]},{"name":"IFED_REG_TAIL","features":[212]},{"name":"IFED_REG_USER","features":[212]},{"name":"IFED_REL_ALL","features":[212]},{"name":"IFED_REL_DE","features":[212]},{"name":"IFED_REL_FUKU_YOUGEN","features":[212]},{"name":"IFED_REL_GA","features":[212]},{"name":"IFED_REL_HE","features":[212]},{"name":"IFED_REL_IDEOM","features":[212]},{"name":"IFED_REL_KARA","features":[212]},{"name":"IFED_REL_KEIDOU1_YOUGEN","features":[212]},{"name":"IFED_REL_KEIDOU2_YOUGEN","features":[212]},{"name":"IFED_REL_KEIYOU_TARU_YOUGEN","features":[212]},{"name":"IFED_REL_KEIYOU_TO_YOUGEN","features":[212]},{"name":"IFED_REL_KEIYOU_YOUGEN","features":[212]},{"name":"IFED_REL_MADE","features":[212]},{"name":"IFED_REL_NI","features":[212]},{"name":"IFED_REL_NO","features":[212]},{"name":"IFED_REL_NONE","features":[212]},{"name":"IFED_REL_RENSOU","features":[212]},{"name":"IFED_REL_RENTAI_MEI","features":[212]},{"name":"IFED_REL_TAIGEN","features":[212]},{"name":"IFED_REL_TO","features":[212]},{"name":"IFED_REL_UNKNOWN1","features":[212]},{"name":"IFED_REL_UNKNOWN2","features":[212]},{"name":"IFED_REL_WO","features":[212]},{"name":"IFED_REL_YORI","features":[212]},{"name":"IFED_REL_YOUGEN","features":[212]},{"name":"IFED_SELECT_ALL","features":[212]},{"name":"IFED_SELECT_COMMENT","features":[212]},{"name":"IFED_SELECT_DISPLAY","features":[212]},{"name":"IFED_SELECT_NONE","features":[212]},{"name":"IFED_SELECT_POS","features":[212]},{"name":"IFED_SELECT_READING","features":[212]},{"name":"IFED_S_COMMENT_CHANGED","features":[212]},{"name":"IFED_S_EMPTY_DICTIONARY","features":[212]},{"name":"IFED_S_MORE_ENTRIES","features":[212]},{"name":"IFED_S_WORD_EXISTS","features":[212]},{"name":"IFED_TYPE_ALL","features":[212]},{"name":"IFED_TYPE_ENGLISH","features":[212]},{"name":"IFED_TYPE_GENERAL","features":[212]},{"name":"IFED_TYPE_NAMEPLACE","features":[212]},{"name":"IFED_TYPE_NONE","features":[212]},{"name":"IFED_TYPE_REVERSE","features":[212]},{"name":"IFED_TYPE_SPEECH","features":[212]},{"name":"IFED_UCT_MAX","features":[212]},{"name":"IFED_UCT_NONE","features":[212]},{"name":"IFED_UCT_STRING_SJIS","features":[212]},{"name":"IFED_UCT_STRING_UNICODE","features":[212]},{"name":"IFED_UCT_USER_DEFINED","features":[212]},{"name":"IFED_UNKNOWN","features":[212]},{"name":"IFED_VJE_20","features":[212]},{"name":"IFED_WX_II","features":[212]},{"name":"IFED_WX_III","features":[212]},{"name":"IFEDictionary","features":[212]},{"name":"IFELanguage","features":[212]},{"name":"IGIMIF_RIGHTMENU","features":[212]},{"name":"IGIMII_CMODE","features":[212]},{"name":"IGIMII_CONFIGURE","features":[212]},{"name":"IGIMII_HELP","features":[212]},{"name":"IGIMII_INPUTTOOLS","features":[212]},{"name":"IGIMII_OTHER","features":[212]},{"name":"IGIMII_SMODE","features":[212]},{"name":"IGIMII_TOOLS","features":[212]},{"name":"IImePad","features":[212]},{"name":"IImePadApplet","features":[212]},{"name":"IImePlugInDictDictionaryList","features":[212]},{"name":"IImeSpecifyApplets","features":[212]},{"name":"IMCENUMPROC","features":[1,70,212]},{"name":"IMC_CLOSESTATUSWINDOW","features":[212]},{"name":"IMC_GETCANDIDATEPOS","features":[212]},{"name":"IMC_GETCOMPOSITIONFONT","features":[212]},{"name":"IMC_GETCOMPOSITIONWINDOW","features":[212]},{"name":"IMC_GETSOFTKBDFONT","features":[212]},{"name":"IMC_GETSOFTKBDPOS","features":[212]},{"name":"IMC_GETSOFTKBDSUBTYPE","features":[212]},{"name":"IMC_GETSTATUSWINDOWPOS","features":[212]},{"name":"IMC_OPENSTATUSWINDOW","features":[212]},{"name":"IMC_SETCANDIDATEPOS","features":[212]},{"name":"IMC_SETCOMPOSITIONFONT","features":[212]},{"name":"IMC_SETCOMPOSITIONWINDOW","features":[212]},{"name":"IMC_SETCONVERSIONMODE","features":[212]},{"name":"IMC_SETOPENSTATUS","features":[212]},{"name":"IMC_SETSENTENCEMODE","features":[212]},{"name":"IMC_SETSOFTKBDDATA","features":[212]},{"name":"IMC_SETSOFTKBDFONT","features":[212]},{"name":"IMC_SETSOFTKBDPOS","features":[212]},{"name":"IMC_SETSOFTKBDSUBTYPE","features":[212]},{"name":"IMC_SETSTATUSWINDOWPOS","features":[212]},{"name":"IMEAPPLETCFG","features":[1,212,50]},{"name":"IMEAPPLETUI","features":[1,212]},{"name":"IMECHARINFO","features":[212]},{"name":"IMECHARPOSITION","features":[1,212]},{"name":"IMECOMPOSITIONSTRINGINFO","features":[212]},{"name":"IMEDLG","features":[1,212]},{"name":"IMEDP","features":[212]},{"name":"IMEFAREASTINFO","features":[212]},{"name":"IMEFAREASTINFO_TYPE_COMMENT","features":[212]},{"name":"IMEFAREASTINFO_TYPE_COSTTIME","features":[212]},{"name":"IMEFAREASTINFO_TYPE_DEFAULT","features":[212]},{"name":"IMEFAREASTINFO_TYPE_READING","features":[212]},{"name":"IMEFMT","features":[212]},{"name":"IMEINFO","features":[212]},{"name":"IMEITEM","features":[212]},{"name":"IMEITEMCANDIDATE","features":[212]},{"name":"IMEKEYCTRLMASK_ALT","features":[212]},{"name":"IMEKEYCTRLMASK_CTRL","features":[212]},{"name":"IMEKEYCTRLMASK_SHIFT","features":[212]},{"name":"IMEKEYCTRL_DOWN","features":[212]},{"name":"IMEKEYCTRL_UP","features":[212]},{"name":"IMEKMS","features":[70,212]},{"name":"IMEKMSFUNCDESC","features":[212]},{"name":"IMEKMSINIT","features":[1,212]},{"name":"IMEKMSINVK","features":[70,212]},{"name":"IMEKMSKEY","features":[212]},{"name":"IMEKMSKMP","features":[70,212]},{"name":"IMEKMSNTFY","features":[1,70,212]},{"name":"IMEKMS_2NDLEVEL","features":[212]},{"name":"IMEKMS_CANDIDATE","features":[212]},{"name":"IMEKMS_COMPOSITION","features":[212]},{"name":"IMEKMS_IMEOFF","features":[212]},{"name":"IMEKMS_INPTGL","features":[212]},{"name":"IMEKMS_NOCOMPOSITION","features":[212]},{"name":"IMEKMS_SELECTION","features":[212]},{"name":"IMEKMS_TYPECAND","features":[212]},{"name":"IMEMENUITEMINFOA","features":[12,212]},{"name":"IMEMENUITEMINFOW","features":[12,212]},{"name":"IMEMENUITEM_STRING_SIZE","features":[212]},{"name":"IMEMOUSERET_NOTHANDLED","features":[212]},{"name":"IMEMOUSE_LDOWN","features":[212]},{"name":"IMEMOUSE_MDOWN","features":[212]},{"name":"IMEMOUSE_NONE","features":[212]},{"name":"IMEMOUSE_RDOWN","features":[212]},{"name":"IMEMOUSE_VERSION","features":[212]},{"name":"IMEMOUSE_WDOWN","features":[212]},{"name":"IMEMOUSE_WUP","features":[212]},{"name":"IMEPADCTRL_CARETBACKSPACE","features":[212]},{"name":"IMEPADCTRL_CARETBOTTOM","features":[212]},{"name":"IMEPADCTRL_CARETDELETE","features":[212]},{"name":"IMEPADCTRL_CARETLEFT","features":[212]},{"name":"IMEPADCTRL_CARETRIGHT","features":[212]},{"name":"IMEPADCTRL_CARETSET","features":[212]},{"name":"IMEPADCTRL_CARETTOP","features":[212]},{"name":"IMEPADCTRL_CLEARALL","features":[212]},{"name":"IMEPADCTRL_CONVERTALL","features":[212]},{"name":"IMEPADCTRL_DETERMINALL","features":[212]},{"name":"IMEPADCTRL_DETERMINCHAR","features":[212]},{"name":"IMEPADCTRL_INSERTFULLSPACE","features":[212]},{"name":"IMEPADCTRL_INSERTHALFSPACE","features":[212]},{"name":"IMEPADCTRL_INSERTSPACE","features":[212]},{"name":"IMEPADCTRL_OFFIME","features":[212]},{"name":"IMEPADCTRL_OFFPRECONVERSION","features":[212]},{"name":"IMEPADCTRL_ONIME","features":[212]},{"name":"IMEPADCTRL_ONPRECONVERSION","features":[212]},{"name":"IMEPADCTRL_PHONETICCANDIDATE","features":[212]},{"name":"IMEPADCTRL_PHRASEDELETE","features":[212]},{"name":"IMEPADREQ_CHANGESTRING","features":[212]},{"name":"IMEPADREQ_CHANGESTRINGCANDIDATEINFO","features":[212]},{"name":"IMEPADREQ_CHANGESTRINGINFO","features":[212]},{"name":"IMEPADREQ_DELETESTRING","features":[212]},{"name":"IMEPADREQ_FIRST","features":[212]},{"name":"IMEPADREQ_FORCEIMEPADWINDOWSHOW","features":[212]},{"name":"IMEPADREQ_GETAPPLETDATA","features":[212]},{"name":"IMEPADREQ_GETAPPLETUISTYLE","features":[212]},{"name":"IMEPADREQ_GETAPPLHWND","features":[212]},{"name":"IMEPADREQ_GETCOMPOSITIONSTRING","features":[212]},{"name":"IMEPADREQ_GETCOMPOSITIONSTRINGID","features":[212]},{"name":"IMEPADREQ_GETCOMPOSITIONSTRINGINFO","features":[212]},{"name":"IMEPADREQ_GETCONVERSIONSTATUS","features":[212]},{"name":"IMEPADREQ_GETCURRENTIMEINFO","features":[212]},{"name":"IMEPADREQ_GETCURRENTUILANGID","features":[212]},{"name":"IMEPADREQ_GETDEFAULTUILANGID","features":[212]},{"name":"IMEPADREQ_GETSELECTEDSTRING","features":[212]},{"name":"IMEPADREQ_GETVERSION","features":[212]},{"name":"IMEPADREQ_INSERTITEMCANDIDATE","features":[212]},{"name":"IMEPADREQ_INSERTSTRING","features":[212]},{"name":"IMEPADREQ_INSERTSTRINGCANDIDATE","features":[212]},{"name":"IMEPADREQ_INSERTSTRINGCANDIDATEINFO","features":[212]},{"name":"IMEPADREQ_INSERTSTRINGINFO","features":[212]},{"name":"IMEPADREQ_ISAPPLETACTIVE","features":[212]},{"name":"IMEPADREQ_ISIMEPADWINDOWVISIBLE","features":[212]},{"name":"IMEPADREQ_POSTMODALNOTIFY","features":[212]},{"name":"IMEPADREQ_SENDCONTROL","features":[212]},{"name":"IMEPADREQ_SENDKEYCONTROL","features":[212]},{"name":"IMEPADREQ_SETAPPLETDATA","features":[212]},{"name":"IMEPADREQ_SETAPPLETMINMAXSIZE","features":[212]},{"name":"IMEPADREQ_SETAPPLETSIZE","features":[212]},{"name":"IMEPADREQ_SETAPPLETUISTYLE","features":[212]},{"name":"IMEPADREQ_SETTITLEFONT","features":[212]},{"name":"IMEPN_ACTIVATE","features":[212]},{"name":"IMEPN_APPLYCAND","features":[212]},{"name":"IMEPN_APPLYCANDEX","features":[212]},{"name":"IMEPN_CONFIG","features":[212]},{"name":"IMEPN_FIRST","features":[212]},{"name":"IMEPN_HELP","features":[212]},{"name":"IMEPN_HIDE","features":[212]},{"name":"IMEPN_INACTIVATE","features":[212]},{"name":"IMEPN_QUERYCAND","features":[212]},{"name":"IMEPN_SETTINGCHANGED","features":[212]},{"name":"IMEPN_SHOW","features":[212]},{"name":"IMEPN_SIZECHANGED","features":[212]},{"name":"IMEPN_SIZECHANGING","features":[212]},{"name":"IMEPN_USER","features":[212]},{"name":"IMEREG","features":[212]},{"name":"IMEREL","features":[212]},{"name":"IMESHF","features":[212]},{"name":"IMESTRINGCANDIDATE","features":[212]},{"name":"IMESTRINGCANDIDATEINFO","features":[212]},{"name":"IMESTRINGINFO","features":[212]},{"name":"IMEUCT","features":[212]},{"name":"IMEVER_0310","features":[212]},{"name":"IMEVER_0400","features":[212]},{"name":"IMEWRD","features":[212]},{"name":"IME_CAND_CODE","features":[212]},{"name":"IME_CAND_MEANING","features":[212]},{"name":"IME_CAND_RADICAL","features":[212]},{"name":"IME_CAND_READ","features":[212]},{"name":"IME_CAND_STROKE","features":[212]},{"name":"IME_CAND_UNKNOWN","features":[212]},{"name":"IME_CHOTKEY_IME_NONIME_TOGGLE","features":[212]},{"name":"IME_CHOTKEY_SHAPE_TOGGLE","features":[212]},{"name":"IME_CHOTKEY_SYMBOL_TOGGLE","features":[212]},{"name":"IME_CMODE_ALPHANUMERIC","features":[212]},{"name":"IME_CMODE_CHARCODE","features":[212]},{"name":"IME_CMODE_CHINESE","features":[212]},{"name":"IME_CMODE_EUDC","features":[212]},{"name":"IME_CMODE_FIXED","features":[212]},{"name":"IME_CMODE_FULLSHAPE","features":[212]},{"name":"IME_CMODE_HANGEUL","features":[212]},{"name":"IME_CMODE_HANGUL","features":[212]},{"name":"IME_CMODE_HANJACONVERT","features":[212]},{"name":"IME_CMODE_JAPANESE","features":[212]},{"name":"IME_CMODE_KATAKANA","features":[212]},{"name":"IME_CMODE_LANGUAGE","features":[212]},{"name":"IME_CMODE_NATIVE","features":[212]},{"name":"IME_CMODE_NATIVESYMBOL","features":[212]},{"name":"IME_CMODE_NOCONVERSION","features":[212]},{"name":"IME_CMODE_RESERVED","features":[212]},{"name":"IME_CMODE_ROMAN","features":[212]},{"name":"IME_CMODE_SOFTKBD","features":[212]},{"name":"IME_CMODE_SYMBOL","features":[212]},{"name":"IME_COMPOSITION_STRING","features":[212]},{"name":"IME_CONFIG_GENERAL","features":[212]},{"name":"IME_CONFIG_REGISTERWORD","features":[212]},{"name":"IME_CONFIG_SELECTDICTIONARY","features":[212]},{"name":"IME_CONVERSION_MODE","features":[212]},{"name":"IME_ESCAPE","features":[212]},{"name":"IME_ESC_AUTOMATA","features":[212]},{"name":"IME_ESC_GETHELPFILENAME","features":[212]},{"name":"IME_ESC_GET_EUDC_DICTIONARY","features":[212]},{"name":"IME_ESC_HANJA_MODE","features":[212]},{"name":"IME_ESC_IME_NAME","features":[212]},{"name":"IME_ESC_MAX_KEY","features":[212]},{"name":"IME_ESC_PRIVATE_FIRST","features":[212]},{"name":"IME_ESC_PRIVATE_HOTKEY","features":[212]},{"name":"IME_ESC_PRIVATE_LAST","features":[212]},{"name":"IME_ESC_QUERY_SUPPORT","features":[212]},{"name":"IME_ESC_RESERVED_FIRST","features":[212]},{"name":"IME_ESC_RESERVED_LAST","features":[212]},{"name":"IME_ESC_SEQUENCE_TO_INTERNAL","features":[212]},{"name":"IME_ESC_SET_EUDC_DICTIONARY","features":[212]},{"name":"IME_ESC_STRING_BUFFER_SIZE","features":[212]},{"name":"IME_ESC_SYNC_HOTKEY","features":[212]},{"name":"IME_HOTKEY_DSWITCH_FIRST","features":[212]},{"name":"IME_HOTKEY_DSWITCH_LAST","features":[212]},{"name":"IME_HOTKEY_IDENTIFIER","features":[212]},{"name":"IME_HOTKEY_PRIVATE_FIRST","features":[212]},{"name":"IME_HOTKEY_PRIVATE_LAST","features":[212]},{"name":"IME_ITHOTKEY_PREVIOUS_COMPOSITION","features":[212]},{"name":"IME_ITHOTKEY_RECONVERTSTRING","features":[212]},{"name":"IME_ITHOTKEY_RESEND_RESULTSTR","features":[212]},{"name":"IME_ITHOTKEY_UISTYLE_TOGGLE","features":[212]},{"name":"IME_JHOTKEY_CLOSE_OPEN","features":[212]},{"name":"IME_KHOTKEY_ENGLISH","features":[212]},{"name":"IME_KHOTKEY_HANJACONVERT","features":[212]},{"name":"IME_KHOTKEY_SHAPE_TOGGLE","features":[212]},{"name":"IME_PAD_REQUEST_FLAGS","features":[212]},{"name":"IME_PROP_ACCEPT_WIDE_VKEY","features":[212]},{"name":"IME_PROP_AT_CARET","features":[212]},{"name":"IME_PROP_CANDLIST_START_FROM_1","features":[212]},{"name":"IME_PROP_COMPLETE_ON_UNSELECT","features":[212]},{"name":"IME_PROP_END_UNLOAD","features":[212]},{"name":"IME_PROP_IGNORE_UPKEYS","features":[212]},{"name":"IME_PROP_KBD_CHAR_FIRST","features":[212]},{"name":"IME_PROP_NEED_ALTKEY","features":[212]},{"name":"IME_PROP_NO_KEYS_ON_CLOSE","features":[212]},{"name":"IME_PROP_SPECIAL_UI","features":[212]},{"name":"IME_PROP_UNICODE","features":[212]},{"name":"IME_REGWORD_STYLE_EUDC","features":[212]},{"name":"IME_REGWORD_STYLE_USER_FIRST","features":[212]},{"name":"IME_REGWORD_STYLE_USER_LAST","features":[212]},{"name":"IME_SENTENCE_MODE","features":[212]},{"name":"IME_SMODE_AUTOMATIC","features":[212]},{"name":"IME_SMODE_CONVERSATION","features":[212]},{"name":"IME_SMODE_NONE","features":[212]},{"name":"IME_SMODE_PHRASEPREDICT","features":[212]},{"name":"IME_SMODE_PLAURALCLAUSE","features":[212]},{"name":"IME_SMODE_RESERVED","features":[212]},{"name":"IME_SMODE_SINGLECONVERT","features":[212]},{"name":"IME_SYSINFO_WINLOGON","features":[212]},{"name":"IME_THOTKEY_IME_NONIME_TOGGLE","features":[212]},{"name":"IME_THOTKEY_SHAPE_TOGGLE","features":[212]},{"name":"IME_THOTKEY_SYMBOL_TOGGLE","features":[212]},{"name":"IME_UI_CLASS_NAME_SIZE","features":[212]},{"name":"IMFT_RADIOCHECK","features":[212]},{"name":"IMFT_SEPARATOR","features":[212]},{"name":"IMFT_SUBMENU","features":[212]},{"name":"IMMGWLP_IMC","features":[212]},{"name":"IMMGWL_IMC","features":[212]},{"name":"IMM_ERROR_GENERAL","features":[212]},{"name":"IMM_ERROR_NODATA","features":[212]},{"name":"IMN_CHANGECANDIDATE","features":[212]},{"name":"IMN_CLOSECANDIDATE","features":[212]},{"name":"IMN_CLOSESTATUSWINDOW","features":[212]},{"name":"IMN_GUIDELINE","features":[212]},{"name":"IMN_OPENCANDIDATE","features":[212]},{"name":"IMN_OPENSTATUSWINDOW","features":[212]},{"name":"IMN_PRIVATE","features":[212]},{"name":"IMN_SETCANDIDATEPOS","features":[212]},{"name":"IMN_SETCOMPOSITIONFONT","features":[212]},{"name":"IMN_SETCOMPOSITIONWINDOW","features":[212]},{"name":"IMN_SETCONVERSIONMODE","features":[212]},{"name":"IMN_SETOPENSTATUS","features":[212]},{"name":"IMN_SETSENTENCEMODE","features":[212]},{"name":"IMN_SETSTATUSWINDOWPOS","features":[212]},{"name":"IMN_SOFTKBDDESTROYED","features":[212]},{"name":"IMR_CANDIDATEWINDOW","features":[212]},{"name":"IMR_COMPOSITIONFONT","features":[212]},{"name":"IMR_COMPOSITIONWINDOW","features":[212]},{"name":"IMR_CONFIRMRECONVERTSTRING","features":[212]},{"name":"IMR_DOCUMENTFEED","features":[212]},{"name":"IMR_QUERYCHARPOSITION","features":[212]},{"name":"IMR_RECONVERTSTRING","features":[212]},{"name":"INFOMASK_APPLY_CAND","features":[212]},{"name":"INFOMASK_APPLY_CAND_EX","features":[212]},{"name":"INFOMASK_BLOCK_CAND","features":[212]},{"name":"INFOMASK_HIDE_CAND","features":[212]},{"name":"INFOMASK_NONE","features":[212]},{"name":"INFOMASK_QUERY_CAND","features":[212]},{"name":"INFOMASK_STRING_FIX","features":[212]},{"name":"INIT_COMPFORM","features":[212]},{"name":"INIT_CONVERSION","features":[212]},{"name":"INIT_LOGFONT","features":[212]},{"name":"INIT_SENTENCE","features":[212]},{"name":"INIT_SOFTKBDPOS","features":[212]},{"name":"INIT_STATUSWNDPOS","features":[212]},{"name":"INPUTCONTEXT","features":[1,70,12,212]},{"name":"IPACFG_CATEGORY","features":[212]},{"name":"IPACFG_HELP","features":[212]},{"name":"IPACFG_LANG","features":[212]},{"name":"IPACFG_NONE","features":[212]},{"name":"IPACFG_PROPERTY","features":[212]},{"name":"IPACFG_TITLE","features":[212]},{"name":"IPACFG_TITLEFONTFACE","features":[212]},{"name":"IPACID_CHARLIST","features":[212]},{"name":"IPACID_EPWING","features":[212]},{"name":"IPACID_HANDWRITING","features":[212]},{"name":"IPACID_NONE","features":[212]},{"name":"IPACID_OCR","features":[212]},{"name":"IPACID_RADICALSEARCH","features":[212]},{"name":"IPACID_SOFTKEY","features":[212]},{"name":"IPACID_STROKESEARCH","features":[212]},{"name":"IPACID_SYMBOLSEARCH","features":[212]},{"name":"IPACID_USER","features":[212]},{"name":"IPACID_VOICE","features":[212]},{"name":"IPAWS_ENABLED","features":[212]},{"name":"IPAWS_HORIZONTALFIXED","features":[212]},{"name":"IPAWS_MAXHEIGHTFIXED","features":[212]},{"name":"IPAWS_MAXSIZEFIXED","features":[212]},{"name":"IPAWS_MAXWIDTHFIXED","features":[212]},{"name":"IPAWS_MINHEIGHTFIXED","features":[212]},{"name":"IPAWS_MINSIZEFIXED","features":[212]},{"name":"IPAWS_MINWIDTHFIXED","features":[212]},{"name":"IPAWS_SIZEFIXED","features":[212]},{"name":"IPAWS_SIZINGNOTIFY","features":[212]},{"name":"IPAWS_VERTICALFIXED","features":[212]},{"name":"ISC_SHOWUIALL","features":[212]},{"name":"ISC_SHOWUIALLCANDIDATEWINDOW","features":[212]},{"name":"ISC_SHOWUICANDIDATEWINDOW","features":[212]},{"name":"ISC_SHOWUICOMPOSITIONWINDOW","features":[212]},{"name":"ISC_SHOWUIGUIDELINE","features":[212]},{"name":"ImmAssociateContext","features":[1,70,212]},{"name":"ImmAssociateContextEx","features":[1,70,212]},{"name":"ImmConfigureIMEA","features":[1,212,213]},{"name":"ImmConfigureIMEW","features":[1,212,213]},{"name":"ImmCreateContext","features":[70,212]},{"name":"ImmCreateIMCC","features":[70,212]},{"name":"ImmCreateSoftKeyboard","features":[1,212]},{"name":"ImmDestroyContext","features":[1,70,212]},{"name":"ImmDestroyIMCC","features":[70,212]},{"name":"ImmDestroySoftKeyboard","features":[1,212]},{"name":"ImmDisableIME","features":[1,212]},{"name":"ImmDisableLegacyIME","features":[1,212]},{"name":"ImmDisableTextFrameService","features":[1,212]},{"name":"ImmEnumInputContext","features":[1,70,212]},{"name":"ImmEnumRegisterWordA","features":[212,213]},{"name":"ImmEnumRegisterWordW","features":[212,213]},{"name":"ImmEscapeA","features":[1,70,212,213]},{"name":"ImmEscapeW","features":[1,70,212,213]},{"name":"ImmGenerateMessage","features":[1,70,212]},{"name":"ImmGetCandidateListA","features":[70,212]},{"name":"ImmGetCandidateListCountA","features":[70,212]},{"name":"ImmGetCandidateListCountW","features":[70,212]},{"name":"ImmGetCandidateListW","features":[70,212]},{"name":"ImmGetCandidateWindow","features":[1,70,212]},{"name":"ImmGetCompositionFontA","features":[1,70,12,212]},{"name":"ImmGetCompositionFontW","features":[1,70,12,212]},{"name":"ImmGetCompositionStringA","features":[70,212]},{"name":"ImmGetCompositionStringW","features":[70,212]},{"name":"ImmGetCompositionWindow","features":[1,70,212]},{"name":"ImmGetContext","features":[1,70,212]},{"name":"ImmGetConversionListA","features":[70,212,213]},{"name":"ImmGetConversionListW","features":[70,212,213]},{"name":"ImmGetConversionStatus","features":[1,70,212]},{"name":"ImmGetDefaultIMEWnd","features":[1,212]},{"name":"ImmGetDescriptionA","features":[212,213]},{"name":"ImmGetDescriptionW","features":[212,213]},{"name":"ImmGetGuideLineA","features":[70,212]},{"name":"ImmGetGuideLineW","features":[70,212]},{"name":"ImmGetHotKey","features":[1,212,213]},{"name":"ImmGetIMCCLockCount","features":[70,212]},{"name":"ImmGetIMCCSize","features":[70,212]},{"name":"ImmGetIMCLockCount","features":[70,212]},{"name":"ImmGetIMEFileNameA","features":[212,213]},{"name":"ImmGetIMEFileNameW","features":[212,213]},{"name":"ImmGetImeMenuItemsA","features":[70,12,212]},{"name":"ImmGetImeMenuItemsW","features":[70,12,212]},{"name":"ImmGetOpenStatus","features":[1,70,212]},{"name":"ImmGetProperty","features":[212,213]},{"name":"ImmGetRegisterWordStyleA","features":[212,213]},{"name":"ImmGetRegisterWordStyleW","features":[212,213]},{"name":"ImmGetStatusWindowPos","features":[1,70,212]},{"name":"ImmGetVirtualKey","features":[1,212]},{"name":"ImmInstallIMEA","features":[212,213]},{"name":"ImmInstallIMEW","features":[212,213]},{"name":"ImmIsIME","features":[1,212,213]},{"name":"ImmIsUIMessageA","features":[1,212]},{"name":"ImmIsUIMessageW","features":[1,212]},{"name":"ImmLockIMC","features":[1,70,12,212]},{"name":"ImmLockIMCC","features":[70,212]},{"name":"ImmNotifyIME","features":[1,70,212]},{"name":"ImmReSizeIMCC","features":[70,212]},{"name":"ImmRegisterWordA","features":[1,212,213]},{"name":"ImmRegisterWordW","features":[1,212,213]},{"name":"ImmReleaseContext","features":[1,70,212]},{"name":"ImmRequestMessageA","features":[1,70,212]},{"name":"ImmRequestMessageW","features":[1,70,212]},{"name":"ImmSetCandidateWindow","features":[1,70,212]},{"name":"ImmSetCompositionFontA","features":[1,70,12,212]},{"name":"ImmSetCompositionFontW","features":[1,70,12,212]},{"name":"ImmSetCompositionStringA","features":[1,70,212]},{"name":"ImmSetCompositionStringW","features":[1,70,212]},{"name":"ImmSetCompositionWindow","features":[1,70,212]},{"name":"ImmSetConversionStatus","features":[1,70,212]},{"name":"ImmSetHotKey","features":[1,212,213]},{"name":"ImmSetOpenStatus","features":[1,70,212]},{"name":"ImmSetStatusWindowPos","features":[1,70,212]},{"name":"ImmShowSoftKeyboard","features":[1,212]},{"name":"ImmSimulateHotKey","features":[1,212]},{"name":"ImmUnlockIMC","features":[1,70,212]},{"name":"ImmUnlockIMCC","features":[1,70,212]},{"name":"ImmUnregisterWordA","features":[1,212,213]},{"name":"ImmUnregisterWordW","features":[1,212,213]},{"name":"JPOS_1DAN","features":[212]},{"name":"JPOS_4DAN_HA","features":[212]},{"name":"JPOS_5DAN_AWA","features":[212]},{"name":"JPOS_5DAN_AWAUON","features":[212]},{"name":"JPOS_5DAN_BA","features":[212]},{"name":"JPOS_5DAN_GA","features":[212]},{"name":"JPOS_5DAN_KA","features":[212]},{"name":"JPOS_5DAN_KASOKUON","features":[212]},{"name":"JPOS_5DAN_MA","features":[212]},{"name":"JPOS_5DAN_NA","features":[212]},{"name":"JPOS_5DAN_RA","features":[212]},{"name":"JPOS_5DAN_RAHEN","features":[212]},{"name":"JPOS_5DAN_SA","features":[212]},{"name":"JPOS_5DAN_TA","features":[212]},{"name":"JPOS_BUPPIN","features":[212]},{"name":"JPOS_CHIMEI","features":[212]},{"name":"JPOS_CHIMEI_EKI","features":[212]},{"name":"JPOS_CHIMEI_GUN","features":[212]},{"name":"JPOS_CHIMEI_KEN","features":[212]},{"name":"JPOS_CHIMEI_KU","features":[212]},{"name":"JPOS_CHIMEI_KUNI","features":[212]},{"name":"JPOS_CHIMEI_MACHI","features":[212]},{"name":"JPOS_CHIMEI_MURA","features":[212]},{"name":"JPOS_CHIMEI_SHI","features":[212]},{"name":"JPOS_CLOSEBRACE","features":[212]},{"name":"JPOS_DAIMEISHI","features":[212]},{"name":"JPOS_DAIMEISHI_NINSHOU","features":[212]},{"name":"JPOS_DAIMEISHI_SHIJI","features":[212]},{"name":"JPOS_DOKURITSUGO","features":[212]},{"name":"JPOS_EIJI","features":[212]},{"name":"JPOS_FUKUSHI","features":[212]},{"name":"JPOS_FUKUSHI_DA","features":[212]},{"name":"JPOS_FUKUSHI_NANO","features":[212]},{"name":"JPOS_FUKUSHI_NI","features":[212]},{"name":"JPOS_FUKUSHI_SAHEN","features":[212]},{"name":"JPOS_FUKUSHI_TO","features":[212]},{"name":"JPOS_FUKUSHI_TOSURU","features":[212]},{"name":"JPOS_FUTEIGO","features":[212]},{"name":"JPOS_HUKUSIMEISHI","features":[212]},{"name":"JPOS_JINMEI","features":[212]},{"name":"JPOS_JINMEI_MEI","features":[212]},{"name":"JPOS_JINMEI_SEI","features":[212]},{"name":"JPOS_KANDOUSHI","features":[212]},{"name":"JPOS_KANJI","features":[212]},{"name":"JPOS_KANYOUKU","features":[212]},{"name":"JPOS_KAZU","features":[212]},{"name":"JPOS_KAZU_SURYOU","features":[212]},{"name":"JPOS_KAZU_SUSHI","features":[212]},{"name":"JPOS_KEIDOU","features":[212]},{"name":"JPOS_KEIDOU_GARU","features":[212]},{"name":"JPOS_KEIDOU_NO","features":[212]},{"name":"JPOS_KEIDOU_TARU","features":[212]},{"name":"JPOS_KEIYOU","features":[212]},{"name":"JPOS_KEIYOU_GARU","features":[212]},{"name":"JPOS_KEIYOU_GE","features":[212]},{"name":"JPOS_KEIYOU_ME","features":[212]},{"name":"JPOS_KEIYOU_U","features":[212]},{"name":"JPOS_KEIYOU_YUU","features":[212]},{"name":"JPOS_KENCHIKU","features":[212]},{"name":"JPOS_KIGOU","features":[212]},{"name":"JPOS_KURU_KI","features":[212]},{"name":"JPOS_KURU_KITA","features":[212]},{"name":"JPOS_KURU_KITARA","features":[212]},{"name":"JPOS_KURU_KITARI","features":[212]},{"name":"JPOS_KURU_KITAROU","features":[212]},{"name":"JPOS_KURU_KITE","features":[212]},{"name":"JPOS_KURU_KO","features":[212]},{"name":"JPOS_KURU_KOI","features":[212]},{"name":"JPOS_KURU_KOYOU","features":[212]},{"name":"JPOS_KURU_KUREBA","features":[212]},{"name":"JPOS_KUTEN","features":[212]},{"name":"JPOS_MEISA_KEIDOU","features":[212]},{"name":"JPOS_MEISHI_FUTSU","features":[212]},{"name":"JPOS_MEISHI_KEIYOUDOUSHI","features":[212]},{"name":"JPOS_MEISHI_SAHEN","features":[212]},{"name":"JPOS_MEISHI_ZAHEN","features":[212]},{"name":"JPOS_OPENBRACE","features":[212]},{"name":"JPOS_RENTAISHI","features":[212]},{"name":"JPOS_RENTAISHI_SHIJI","features":[212]},{"name":"JPOS_RENYOU_SETSUBI","features":[212]},{"name":"JPOS_SETSUBI","features":[212]},{"name":"JPOS_SETSUBI_CHIMEI","features":[212]},{"name":"JPOS_SETSUBI_CHOU","features":[212]},{"name":"JPOS_SETSUBI_CHU","features":[212]},{"name":"JPOS_SETSUBI_DONO","features":[212]},{"name":"JPOS_SETSUBI_EKI","features":[212]},{"name":"JPOS_SETSUBI_FU","features":[212]},{"name":"JPOS_SETSUBI_FUKUSU","features":[212]},{"name":"JPOS_SETSUBI_GUN","features":[212]},{"name":"JPOS_SETSUBI_JIKAN","features":[212]},{"name":"JPOS_SETSUBI_JIKANPLUS","features":[212]},{"name":"JPOS_SETSUBI_JINMEI","features":[212]},{"name":"JPOS_SETSUBI_JOSUSHI","features":[212]},{"name":"JPOS_SETSUBI_JOSUSHIPLUS","features":[212]},{"name":"JPOS_SETSUBI_KA","features":[212]},{"name":"JPOS_SETSUBI_KATA","features":[212]},{"name":"JPOS_SETSUBI_KEN","features":[212]},{"name":"JPOS_SETSUBI_KENCHIKU","features":[212]},{"name":"JPOS_SETSUBI_KU","features":[212]},{"name":"JPOS_SETSUBI_KUN","features":[212]},{"name":"JPOS_SETSUBI_KUNI","features":[212]},{"name":"JPOS_SETSUBI_MACHI","features":[212]},{"name":"JPOS_SETSUBI_MEISHIRENDAKU","features":[212]},{"name":"JPOS_SETSUBI_MURA","features":[212]},{"name":"JPOS_SETSUBI_RA","features":[212]},{"name":"JPOS_SETSUBI_RYU","features":[212]},{"name":"JPOS_SETSUBI_SAMA","features":[212]},{"name":"JPOS_SETSUBI_SAN","features":[212]},{"name":"JPOS_SETSUBI_SEI","features":[212]},{"name":"JPOS_SETSUBI_SHAMEI","features":[212]},{"name":"JPOS_SETSUBI_SHI","features":[212]},{"name":"JPOS_SETSUBI_SON","features":[212]},{"name":"JPOS_SETSUBI_SONOTA","features":[212]},{"name":"JPOS_SETSUBI_SOSHIKI","features":[212]},{"name":"JPOS_SETSUBI_TACHI","features":[212]},{"name":"JPOS_SETSUBI_TEINEI","features":[212]},{"name":"JPOS_SETSUBI_TEKI","features":[212]},{"name":"JPOS_SETSUBI_YOU","features":[212]},{"name":"JPOS_SETSUZOKUSHI","features":[212]},{"name":"JPOS_SETTOU","features":[212]},{"name":"JPOS_SETTOU_CHIMEI","features":[212]},{"name":"JPOS_SETTOU_CHOUTAN","features":[212]},{"name":"JPOS_SETTOU_DAISHOU","features":[212]},{"name":"JPOS_SETTOU_FUKU","features":[212]},{"name":"JPOS_SETTOU_JINMEI","features":[212]},{"name":"JPOS_SETTOU_JOSUSHI","features":[212]},{"name":"JPOS_SETTOU_KAKU","features":[212]},{"name":"JPOS_SETTOU_KOUTEI","features":[212]},{"name":"JPOS_SETTOU_MI","features":[212]},{"name":"JPOS_SETTOU_SAI","features":[212]},{"name":"JPOS_SETTOU_SHINKYU","features":[212]},{"name":"JPOS_SETTOU_SONOTA","features":[212]},{"name":"JPOS_SETTOU_TEINEI_GO","features":[212]},{"name":"JPOS_SETTOU_TEINEI_O","features":[212]},{"name":"JPOS_SETTOU_TEINEI_ON","features":[212]},{"name":"JPOS_SHAMEI","features":[212]},{"name":"JPOS_SONOTA","features":[212]},{"name":"JPOS_SOSHIKI","features":[212]},{"name":"JPOS_SURU_SA","features":[212]},{"name":"JPOS_SURU_SE","features":[212]},{"name":"JPOS_SURU_SEYO","features":[212]},{"name":"JPOS_SURU_SI","features":[212]},{"name":"JPOS_SURU_SIATRI","features":[212]},{"name":"JPOS_SURU_SITA","features":[212]},{"name":"JPOS_SURU_SITARA","features":[212]},{"name":"JPOS_SURU_SITAROU","features":[212]},{"name":"JPOS_SURU_SITE","features":[212]},{"name":"JPOS_SURU_SIYOU","features":[212]},{"name":"JPOS_SURU_SUREBA","features":[212]},{"name":"JPOS_TANKANJI","features":[212]},{"name":"JPOS_TANKANJI_KAO","features":[212]},{"name":"JPOS_TANSHUKU","features":[212]},{"name":"JPOS_TOKUSHU_KAHEN","features":[212]},{"name":"JPOS_TOKUSHU_NAHEN","features":[212]},{"name":"JPOS_TOKUSHU_SAHEN","features":[212]},{"name":"JPOS_TOKUSHU_SAHENSURU","features":[212]},{"name":"JPOS_TOKUSHU_ZAHEN","features":[212]},{"name":"JPOS_TOUTEN","features":[212]},{"name":"JPOS_UNDEFINED","features":[212]},{"name":"JPOS_YOKUSEI","features":[212]},{"name":"MAX_APPLETTITLE","features":[212]},{"name":"MAX_FONTFACE","features":[212]},{"name":"MODEBIASMODE_DEFAULT","features":[212]},{"name":"MODEBIASMODE_DIGIT","features":[212]},{"name":"MODEBIASMODE_FILENAME","features":[212]},{"name":"MODEBIASMODE_READING","features":[212]},{"name":"MODEBIAS_GETVALUE","features":[212]},{"name":"MODEBIAS_GETVERSION","features":[212]},{"name":"MODEBIAS_SETVALUE","features":[212]},{"name":"MOD_IGNORE_ALL_MODIFIER","features":[212]},{"name":"MOD_LEFT","features":[212]},{"name":"MOD_ON_KEYUP","features":[212]},{"name":"MOD_RIGHT","features":[212]},{"name":"MORRSLT","features":[212]},{"name":"NI_CHANGECANDIDATELIST","features":[212]},{"name":"NI_CLOSECANDIDATE","features":[212]},{"name":"NI_COMPOSITIONSTR","features":[212]},{"name":"NI_CONTEXTUPDATED","features":[212]},{"name":"NI_FINALIZECONVERSIONRESULT","features":[212]},{"name":"NI_IMEMENUSELECTED","features":[212]},{"name":"NI_OPENCANDIDATE","features":[212]},{"name":"NI_SELECTCANDIDATESTR","features":[212]},{"name":"NI_SETCANDIDATE_PAGESIZE","features":[212]},{"name":"NI_SETCANDIDATE_PAGESTART","features":[212]},{"name":"NOTIFY_IME_ACTION","features":[212]},{"name":"NOTIFY_IME_INDEX","features":[212]},{"name":"PFNLOG","features":[1,212]},{"name":"POSTBL","features":[212]},{"name":"POS_UNDEFINED","features":[212]},{"name":"RECONVERTSTRING","features":[212]},{"name":"RECONVOPT_NONE","features":[212]},{"name":"RECONVOPT_USECANCELNOTIFY","features":[212]},{"name":"REGISTERWORDA","features":[212]},{"name":"REGISTERWORDENUMPROCA","features":[212]},{"name":"REGISTERWORDENUMPROCW","features":[212]},{"name":"REGISTERWORDW","features":[212]},{"name":"RWM_CHGKEYMAP","features":[212]},{"name":"RWM_DOCUMENTFEED","features":[212]},{"name":"RWM_KEYMAP","features":[212]},{"name":"RWM_MODEBIAS","features":[212]},{"name":"RWM_MOUSE","features":[212]},{"name":"RWM_NTFYKEYMAP","features":[212]},{"name":"RWM_QUERYPOSITION","features":[212]},{"name":"RWM_RECONVERT","features":[212]},{"name":"RWM_RECONVERTOPTIONS","features":[212]},{"name":"RWM_RECONVERTREQUEST","features":[212]},{"name":"RWM_SERVICE","features":[212]},{"name":"RWM_SHOWIMEPAD","features":[212]},{"name":"RWM_UIREADY","features":[212]},{"name":"SCS_CAP_COMPSTR","features":[212]},{"name":"SCS_CAP_MAKEREAD","features":[212]},{"name":"SCS_CAP_SETRECONVERTSTRING","features":[212]},{"name":"SCS_CHANGEATTR","features":[212]},{"name":"SCS_CHANGECLAUSE","features":[212]},{"name":"SCS_QUERYRECONVERTSTRING","features":[212]},{"name":"SCS_SETRECONVERTSTRING","features":[212]},{"name":"SCS_SETSTR","features":[212]},{"name":"SELECT_CAP_CONVERSION","features":[212]},{"name":"SELECT_CAP_SENTENCE","features":[212]},{"name":"SET_COMPOSITION_STRING_TYPE","features":[212]},{"name":"SHOWIMEPAD_CATEGORY","features":[212]},{"name":"SHOWIMEPAD_DEFAULT","features":[212]},{"name":"SHOWIMEPAD_GUID","features":[212]},{"name":"SOFTKBDDATA","features":[212]},{"name":"SOFTKEYBOARD_TYPE_C1","features":[212]},{"name":"SOFTKEYBOARD_TYPE_T1","features":[212]},{"name":"STYLEBUFA","features":[212]},{"name":"STYLEBUFW","features":[212]},{"name":"STYLE_DESCRIPTION_SIZE","features":[212]},{"name":"TRANSMSG","features":[1,212]},{"name":"TRANSMSGLIST","features":[1,212]},{"name":"UI_CAP_2700","features":[212]},{"name":"UI_CAP_ROT90","features":[212]},{"name":"UI_CAP_ROTANY","features":[212]},{"name":"UI_CAP_SOFTKBD","features":[212]},{"name":"VERSION_DOCUMENTFEED","features":[212]},{"name":"VERSION_ID_CHINESE_SIMPLIFIED","features":[212]},{"name":"VERSION_ID_CHINESE_TRADITIONAL","features":[212]},{"name":"VERSION_ID_JAPANESE","features":[212]},{"name":"VERSION_ID_KOREAN","features":[212]},{"name":"VERSION_MODEBIAS","features":[212]},{"name":"VERSION_MOUSE_OPERATION","features":[212]},{"name":"VERSION_QUERYPOSITION","features":[212]},{"name":"VERSION_RECONVERSION","features":[212]},{"name":"WDD","features":[212]},{"name":"cbCommentMax","features":[212]},{"name":"fpCreateIFECommonInstanceType","features":[212]},{"name":"fpCreateIFEDictionaryInstanceType","features":[212]},{"name":"fpCreateIFELanguageInstanceType","features":[212]},{"name":"szImeChina","features":[212]},{"name":"szImeJapan","features":[212]},{"name":"szImeKorea","features":[212]},{"name":"szImeTaiwan","features":[212]},{"name":"wchPrivate1","features":[212]}],"657":[{"name":"ACTIVATE_KEYBOARD_LAYOUT_FLAGS","features":[214]},{"name":"ACUTE","features":[214]},{"name":"AX_KBD_DESKTOP_TYPE","features":[214]},{"name":"ActivateKeyboardLayout","features":[214,213]},{"name":"BREVE","features":[214]},{"name":"BlockInput","features":[1,214]},{"name":"CAPLOK","features":[214]},{"name":"CAPLOKALTGR","features":[214]},{"name":"CEDILLA","features":[214]},{"name":"CIRCUMFLEX","features":[214]},{"name":"DEADKEY","features":[214]},{"name":"DEC_KBD_ANSI_LAYOUT_TYPE","features":[214]},{"name":"DEC_KBD_JIS_LAYOUT_TYPE","features":[214]},{"name":"DIARESIS","features":[214]},{"name":"DIARESIS_TONOS","features":[214]},{"name":"DKF_DEAD","features":[214]},{"name":"DONTCARE_BIT","features":[214]},{"name":"DOT_ABOVE","features":[214]},{"name":"DOUBLE_ACUTE","features":[214]},{"name":"DragDetect","features":[1,214]},{"name":"EXTENDED_BIT","features":[214]},{"name":"EnableWindow","features":[1,214]},{"name":"FAKE_KEYSTROKE","features":[214]},{"name":"FMR_KBD_JIS_TYPE","features":[214]},{"name":"FMR_KBD_OASYS_TYPE","features":[214]},{"name":"FMV_KBD_OASYS_TYPE","features":[214]},{"name":"GET_MOUSE_MOVE_POINTS_EX_RESOLUTION","features":[214]},{"name":"GMMP_USE_DISPLAY_POINTS","features":[214]},{"name":"GMMP_USE_HIGH_RESOLUTION_POINTS","features":[214]},{"name":"GRAVE","features":[214]},{"name":"GRPSELTAP","features":[214]},{"name":"GetActiveWindow","features":[1,214]},{"name":"GetAsyncKeyState","features":[214]},{"name":"GetCapture","features":[1,214]},{"name":"GetDoubleClickTime","features":[214]},{"name":"GetFocus","features":[1,214]},{"name":"GetKBCodePage","features":[214]},{"name":"GetKeyNameTextA","features":[214]},{"name":"GetKeyNameTextW","features":[214]},{"name":"GetKeyState","features":[214]},{"name":"GetKeyboardLayout","features":[214,213]},{"name":"GetKeyboardLayoutList","features":[214,213]},{"name":"GetKeyboardLayoutNameA","features":[1,214]},{"name":"GetKeyboardLayoutNameW","features":[1,214]},{"name":"GetKeyboardState","features":[1,214]},{"name":"GetKeyboardType","features":[214]},{"name":"GetLastInputInfo","features":[1,214]},{"name":"GetMouseMovePointsEx","features":[214]},{"name":"HACEK","features":[214]},{"name":"HARDWAREINPUT","features":[214]},{"name":"HOOK_ABOVE","features":[214]},{"name":"HOT_KEY_MODIFIERS","features":[214]},{"name":"INPUT","features":[214]},{"name":"INPUT_HARDWARE","features":[214]},{"name":"INPUT_KEYBOARD","features":[214]},{"name":"INPUT_MOUSE","features":[214]},{"name":"INPUT_TYPE","features":[214]},{"name":"IsWindowEnabled","features":[1,214]},{"name":"KANALOK","features":[214]},{"name":"KBDALT","features":[214]},{"name":"KBDBASE","features":[214]},{"name":"KBDCTRL","features":[214]},{"name":"KBDGRPSELTAP","features":[214]},{"name":"KBDKANA","features":[214]},{"name":"KBDLOYA","features":[214]},{"name":"KBDNLSTABLES","features":[214]},{"name":"KBDNLS_ALPHANUM","features":[214]},{"name":"KBDNLS_CODEINPUT","features":[214]},{"name":"KBDNLS_CONV_OR_NONCONV","features":[214]},{"name":"KBDNLS_HELP_OR_END","features":[214]},{"name":"KBDNLS_HIRAGANA","features":[214]},{"name":"KBDNLS_HOME_OR_CLEAR","features":[214]},{"name":"KBDNLS_INDEX_ALT","features":[214]},{"name":"KBDNLS_INDEX_NORMAL","features":[214]},{"name":"KBDNLS_KANAEVENT","features":[214]},{"name":"KBDNLS_KANALOCK","features":[214]},{"name":"KBDNLS_KATAKANA","features":[214]},{"name":"KBDNLS_NOEVENT","features":[214]},{"name":"KBDNLS_NULL","features":[214]},{"name":"KBDNLS_NUMPAD","features":[214]},{"name":"KBDNLS_ROMAN","features":[214]},{"name":"KBDNLS_SBCSDBCS","features":[214]},{"name":"KBDNLS_SEND_BASE_VK","features":[214]},{"name":"KBDNLS_SEND_PARAM_VK","features":[214]},{"name":"KBDNLS_TYPE_NORMAL","features":[214]},{"name":"KBDNLS_TYPE_NULL","features":[214]},{"name":"KBDNLS_TYPE_TOGGLE","features":[214]},{"name":"KBDROYA","features":[214]},{"name":"KBDSHIFT","features":[214]},{"name":"KBDTABLES","features":[214]},{"name":"KBDTABLE_DESC","features":[214]},{"name":"KBDTABLE_MULTI","features":[214]},{"name":"KBDTABLE_MULTI_MAX","features":[214]},{"name":"KBD_TYPE","features":[214]},{"name":"KBD_TYPE_INFO","features":[214]},{"name":"KBD_VERSION","features":[214]},{"name":"KEYBDINPUT","features":[214]},{"name":"KEYBD_EVENT_FLAGS","features":[214]},{"name":"KEYBOARD_TYPE_GENERIC_101","features":[214]},{"name":"KEYBOARD_TYPE_JAPAN","features":[214]},{"name":"KEYBOARD_TYPE_KOREA","features":[214]},{"name":"KEYBOARD_TYPE_UNKNOWN","features":[214]},{"name":"KEYEVENTF_EXTENDEDKEY","features":[214]},{"name":"KEYEVENTF_KEYUP","features":[214]},{"name":"KEYEVENTF_SCANCODE","features":[214]},{"name":"KEYEVENTF_UNICODE","features":[214]},{"name":"KLF_ACTIVATE","features":[214]},{"name":"KLF_NOTELLSHELL","features":[214]},{"name":"KLF_REORDER","features":[214]},{"name":"KLF_REPLACELANG","features":[214]},{"name":"KLF_RESET","features":[214]},{"name":"KLF_SETFORPROCESS","features":[214]},{"name":"KLF_SHIFTLOCK","features":[214]},{"name":"KLF_SUBSTITUTE_OK","features":[214]},{"name":"KLLF_ALTGR","features":[214]},{"name":"KLLF_GLOBAL_ATTRS","features":[214]},{"name":"KLLF_LRM_RLM","features":[214]},{"name":"KLLF_SHIFTLOCK","features":[214]},{"name":"LASTINPUTINFO","features":[214]},{"name":"LIGATURE1","features":[214]},{"name":"LIGATURE2","features":[214]},{"name":"LIGATURE3","features":[214]},{"name":"LIGATURE4","features":[214]},{"name":"LIGATURE5","features":[214]},{"name":"LoadKeyboardLayoutA","features":[214,213]},{"name":"LoadKeyboardLayoutW","features":[214,213]},{"name":"MACRON","features":[214]},{"name":"MAPVK_VK_TO_CHAR","features":[214]},{"name":"MAPVK_VK_TO_VSC","features":[214]},{"name":"MAPVK_VK_TO_VSC_EX","features":[214]},{"name":"MAPVK_VSC_TO_VK","features":[214]},{"name":"MAPVK_VSC_TO_VK_EX","features":[214]},{"name":"MAP_VIRTUAL_KEY_TYPE","features":[214]},{"name":"MICROSOFT_KBD_001_TYPE","features":[214]},{"name":"MICROSOFT_KBD_002_TYPE","features":[214]},{"name":"MICROSOFT_KBD_101A_TYPE","features":[214]},{"name":"MICROSOFT_KBD_101B_TYPE","features":[214]},{"name":"MICROSOFT_KBD_101C_TYPE","features":[214]},{"name":"MICROSOFT_KBD_101_TYPE","features":[214]},{"name":"MICROSOFT_KBD_103_TYPE","features":[214]},{"name":"MICROSOFT_KBD_106_TYPE","features":[214]},{"name":"MICROSOFT_KBD_AX_TYPE","features":[214]},{"name":"MICROSOFT_KBD_FUNC","features":[214]},{"name":"MODIFIERS","features":[214]},{"name":"MOD_ALT","features":[214]},{"name":"MOD_CONTROL","features":[214]},{"name":"MOD_NOREPEAT","features":[214]},{"name":"MOD_SHIFT","features":[214]},{"name":"MOD_WIN","features":[214]},{"name":"MOUSEEVENTF_ABSOLUTE","features":[214]},{"name":"MOUSEEVENTF_HWHEEL","features":[214]},{"name":"MOUSEEVENTF_LEFTDOWN","features":[214]},{"name":"MOUSEEVENTF_LEFTUP","features":[214]},{"name":"MOUSEEVENTF_MIDDLEDOWN","features":[214]},{"name":"MOUSEEVENTF_MIDDLEUP","features":[214]},{"name":"MOUSEEVENTF_MOVE","features":[214]},{"name":"MOUSEEVENTF_MOVE_NOCOALESCE","features":[214]},{"name":"MOUSEEVENTF_RIGHTDOWN","features":[214]},{"name":"MOUSEEVENTF_RIGHTUP","features":[214]},{"name":"MOUSEEVENTF_VIRTUALDESK","features":[214]},{"name":"MOUSEEVENTF_WHEEL","features":[214]},{"name":"MOUSEEVENTF_XDOWN","features":[214]},{"name":"MOUSEEVENTF_XUP","features":[214]},{"name":"MOUSEINPUT","features":[214]},{"name":"MOUSEMOVEPOINT","features":[214]},{"name":"MOUSE_EVENT_FLAGS","features":[214]},{"name":"MapVirtualKeyA","features":[214]},{"name":"MapVirtualKeyExA","features":[214,213]},{"name":"MapVirtualKeyExW","features":[214,213]},{"name":"MapVirtualKeyW","features":[214]},{"name":"NEC_KBD_106_TYPE","features":[214]},{"name":"NEC_KBD_H_MODE_TYPE","features":[214]},{"name":"NEC_KBD_LAPTOP_TYPE","features":[214]},{"name":"NEC_KBD_NORMAL_TYPE","features":[214]},{"name":"NEC_KBD_N_MODE_TYPE","features":[214]},{"name":"NLSKBD_INFO_ACCESSIBILITY_KEYMAP","features":[214]},{"name":"NLSKBD_INFO_EMURATE_101_KEYBOARD","features":[214]},{"name":"NLSKBD_INFO_EMURATE_106_KEYBOARD","features":[214]},{"name":"NLSKBD_INFO_SEND_IME_NOTIFICATION","features":[214]},{"name":"NLSKBD_OEM_AX","features":[214]},{"name":"NLSKBD_OEM_DEC","features":[214]},{"name":"NLSKBD_OEM_EPSON","features":[214]},{"name":"NLSKBD_OEM_FUJITSU","features":[214]},{"name":"NLSKBD_OEM_IBM","features":[214]},{"name":"NLSKBD_OEM_MATSUSHITA","features":[214]},{"name":"NLSKBD_OEM_MICROSOFT","features":[214]},{"name":"NLSKBD_OEM_NEC","features":[214]},{"name":"NLSKBD_OEM_TOSHIBA","features":[214]},{"name":"OGONEK","features":[214]},{"name":"OVERSCORE","features":[214]},{"name":"OemKeyScan","features":[214]},{"name":"RING","features":[214]},{"name":"RegisterHotKey","features":[1,214]},{"name":"ReleaseCapture","features":[1,214]},{"name":"SCANCODE_ALT","features":[214]},{"name":"SCANCODE_CTRL","features":[214]},{"name":"SCANCODE_LSHIFT","features":[214]},{"name":"SCANCODE_LWIN","features":[214]},{"name":"SCANCODE_NUMPAD_FIRST","features":[214]},{"name":"SCANCODE_NUMPAD_LAST","features":[214]},{"name":"SCANCODE_RSHIFT","features":[214]},{"name":"SCANCODE_RWIN","features":[214]},{"name":"SCANCODE_THAI_LAYOUT_TOGGLE","features":[214]},{"name":"SGCAPS","features":[214]},{"name":"SHFT_INVALID","features":[214]},{"name":"SendInput","features":[214]},{"name":"SetActiveWindow","features":[1,214]},{"name":"SetCapture","features":[1,214]},{"name":"SetDoubleClickTime","features":[1,214]},{"name":"SetFocus","features":[1,214]},{"name":"SetKeyboardState","features":[1,214]},{"name":"SwapMouseButton","features":[1,214]},{"name":"TILDE","features":[214]},{"name":"TME_CANCEL","features":[214]},{"name":"TME_HOVER","features":[214]},{"name":"TME_LEAVE","features":[214]},{"name":"TME_NONCLIENT","features":[214]},{"name":"TME_QUERY","features":[214]},{"name":"TONOS","features":[214]},{"name":"TOSHIBA_KBD_DESKTOP_TYPE","features":[214]},{"name":"TOSHIBA_KBD_LAPTOP_TYPE","features":[214]},{"name":"TRACKMOUSEEVENT","features":[1,214]},{"name":"TRACKMOUSEEVENT_FLAGS","features":[214]},{"name":"ToAscii","features":[214]},{"name":"ToAsciiEx","features":[214,213]},{"name":"ToUnicode","features":[214]},{"name":"ToUnicodeEx","features":[214,213]},{"name":"TrackMouseEvent","features":[1,214]},{"name":"UMLAUT","features":[214]},{"name":"UnloadKeyboardLayout","features":[1,214,213]},{"name":"UnregisterHotKey","features":[1,214]},{"name":"VIRTUAL_KEY","features":[214]},{"name":"VK_0","features":[214]},{"name":"VK_1","features":[214]},{"name":"VK_2","features":[214]},{"name":"VK_3","features":[214]},{"name":"VK_4","features":[214]},{"name":"VK_5","features":[214]},{"name":"VK_6","features":[214]},{"name":"VK_7","features":[214]},{"name":"VK_8","features":[214]},{"name":"VK_9","features":[214]},{"name":"VK_A","features":[214]},{"name":"VK_ABNT_C1","features":[214]},{"name":"VK_ABNT_C2","features":[214]},{"name":"VK_ACCEPT","features":[214]},{"name":"VK_ADD","features":[214]},{"name":"VK_APPS","features":[214]},{"name":"VK_ATTN","features":[214]},{"name":"VK_B","features":[214]},{"name":"VK_BACK","features":[214]},{"name":"VK_BROWSER_BACK","features":[214]},{"name":"VK_BROWSER_FAVORITES","features":[214]},{"name":"VK_BROWSER_FORWARD","features":[214]},{"name":"VK_BROWSER_HOME","features":[214]},{"name":"VK_BROWSER_REFRESH","features":[214]},{"name":"VK_BROWSER_SEARCH","features":[214]},{"name":"VK_BROWSER_STOP","features":[214]},{"name":"VK_C","features":[214]},{"name":"VK_CANCEL","features":[214]},{"name":"VK_CAPITAL","features":[214]},{"name":"VK_CLEAR","features":[214]},{"name":"VK_CONTROL","features":[214]},{"name":"VK_CONVERT","features":[214]},{"name":"VK_CRSEL","features":[214]},{"name":"VK_D","features":[214]},{"name":"VK_DBE_ALPHANUMERIC","features":[214]},{"name":"VK_DBE_CODEINPUT","features":[214]},{"name":"VK_DBE_DBCSCHAR","features":[214]},{"name":"VK_DBE_DETERMINESTRING","features":[214]},{"name":"VK_DBE_ENTERDLGCONVERSIONMODE","features":[214]},{"name":"VK_DBE_ENTERIMECONFIGMODE","features":[214]},{"name":"VK_DBE_ENTERWORDREGISTERMODE","features":[214]},{"name":"VK_DBE_FLUSHSTRING","features":[214]},{"name":"VK_DBE_HIRAGANA","features":[214]},{"name":"VK_DBE_KATAKANA","features":[214]},{"name":"VK_DBE_NOCODEINPUT","features":[214]},{"name":"VK_DBE_NOROMAN","features":[214]},{"name":"VK_DBE_ROMAN","features":[214]},{"name":"VK_DBE_SBCSCHAR","features":[214]},{"name":"VK_DECIMAL","features":[214]},{"name":"VK_DELETE","features":[214]},{"name":"VK_DIVIDE","features":[214]},{"name":"VK_DOWN","features":[214]},{"name":"VK_E","features":[214]},{"name":"VK_END","features":[214]},{"name":"VK_EREOF","features":[214]},{"name":"VK_ESCAPE","features":[214]},{"name":"VK_EXECUTE","features":[214]},{"name":"VK_EXSEL","features":[214]},{"name":"VK_F","features":[214]},{"name":"VK_F","features":[214]},{"name":"VK_F1","features":[214]},{"name":"VK_F10","features":[214]},{"name":"VK_F11","features":[214]},{"name":"VK_F12","features":[214]},{"name":"VK_F13","features":[214]},{"name":"VK_F14","features":[214]},{"name":"VK_F15","features":[214]},{"name":"VK_F16","features":[214]},{"name":"VK_F17","features":[214]},{"name":"VK_F18","features":[214]},{"name":"VK_F19","features":[214]},{"name":"VK_F2","features":[214]},{"name":"VK_F20","features":[214]},{"name":"VK_F21","features":[214]},{"name":"VK_F22","features":[214]},{"name":"VK_F23","features":[214]},{"name":"VK_F24","features":[214]},{"name":"VK_F3","features":[214]},{"name":"VK_F4","features":[214]},{"name":"VK_F5","features":[214]},{"name":"VK_F6","features":[214]},{"name":"VK_F7","features":[214]},{"name":"VK_F8","features":[214]},{"name":"VK_F9","features":[214]},{"name":"VK_FINAL","features":[214]},{"name":"VK_FPARAM","features":[214]},{"name":"VK_G","features":[214]},{"name":"VK_GAMEPAD_A","features":[214]},{"name":"VK_GAMEPAD_B","features":[214]},{"name":"VK_GAMEPAD_DPAD_DOWN","features":[214]},{"name":"VK_GAMEPAD_DPAD_LEFT","features":[214]},{"name":"VK_GAMEPAD_DPAD_RIGHT","features":[214]},{"name":"VK_GAMEPAD_DPAD_UP","features":[214]},{"name":"VK_GAMEPAD_LEFT_SHOULDER","features":[214]},{"name":"VK_GAMEPAD_LEFT_THUMBSTICK_BUTTON","features":[214]},{"name":"VK_GAMEPAD_LEFT_THUMBSTICK_DOWN","features":[214]},{"name":"VK_GAMEPAD_LEFT_THUMBSTICK_LEFT","features":[214]},{"name":"VK_GAMEPAD_LEFT_THUMBSTICK_RIGHT","features":[214]},{"name":"VK_GAMEPAD_LEFT_THUMBSTICK_UP","features":[214]},{"name":"VK_GAMEPAD_LEFT_TRIGGER","features":[214]},{"name":"VK_GAMEPAD_MENU","features":[214]},{"name":"VK_GAMEPAD_RIGHT_SHOULDER","features":[214]},{"name":"VK_GAMEPAD_RIGHT_THUMBSTICK_BUTTON","features":[214]},{"name":"VK_GAMEPAD_RIGHT_THUMBSTICK_DOWN","features":[214]},{"name":"VK_GAMEPAD_RIGHT_THUMBSTICK_LEFT","features":[214]},{"name":"VK_GAMEPAD_RIGHT_THUMBSTICK_RIGHT","features":[214]},{"name":"VK_GAMEPAD_RIGHT_THUMBSTICK_UP","features":[214]},{"name":"VK_GAMEPAD_RIGHT_TRIGGER","features":[214]},{"name":"VK_GAMEPAD_VIEW","features":[214]},{"name":"VK_GAMEPAD_X","features":[214]},{"name":"VK_GAMEPAD_Y","features":[214]},{"name":"VK_H","features":[214]},{"name":"VK_HANGEUL","features":[214]},{"name":"VK_HANGUL","features":[214]},{"name":"VK_HANJA","features":[214]},{"name":"VK_HELP","features":[214]},{"name":"VK_HOME","features":[214]},{"name":"VK_I","features":[214]},{"name":"VK_ICO_00","features":[214]},{"name":"VK_ICO_CLEAR","features":[214]},{"name":"VK_ICO_HELP","features":[214]},{"name":"VK_IME_OFF","features":[214]},{"name":"VK_IME_ON","features":[214]},{"name":"VK_INSERT","features":[214]},{"name":"VK_J","features":[214]},{"name":"VK_JUNJA","features":[214]},{"name":"VK_K","features":[214]},{"name":"VK_KANA","features":[214]},{"name":"VK_KANJI","features":[214]},{"name":"VK_L","features":[214]},{"name":"VK_LAUNCH_APP1","features":[214]},{"name":"VK_LAUNCH_APP2","features":[214]},{"name":"VK_LAUNCH_MAIL","features":[214]},{"name":"VK_LAUNCH_MEDIA_SELECT","features":[214]},{"name":"VK_LBUTTON","features":[214]},{"name":"VK_LCONTROL","features":[214]},{"name":"VK_LEFT","features":[214]},{"name":"VK_LMENU","features":[214]},{"name":"VK_LSHIFT","features":[214]},{"name":"VK_LWIN","features":[214]},{"name":"VK_M","features":[214]},{"name":"VK_MBUTTON","features":[214]},{"name":"VK_MEDIA_NEXT_TRACK","features":[214]},{"name":"VK_MEDIA_PLAY_PAUSE","features":[214]},{"name":"VK_MEDIA_PREV_TRACK","features":[214]},{"name":"VK_MEDIA_STOP","features":[214]},{"name":"VK_MENU","features":[214]},{"name":"VK_MODECHANGE","features":[214]},{"name":"VK_MULTIPLY","features":[214]},{"name":"VK_N","features":[214]},{"name":"VK_NAVIGATION_ACCEPT","features":[214]},{"name":"VK_NAVIGATION_CANCEL","features":[214]},{"name":"VK_NAVIGATION_DOWN","features":[214]},{"name":"VK_NAVIGATION_LEFT","features":[214]},{"name":"VK_NAVIGATION_MENU","features":[214]},{"name":"VK_NAVIGATION_RIGHT","features":[214]},{"name":"VK_NAVIGATION_UP","features":[214]},{"name":"VK_NAVIGATION_VIEW","features":[214]},{"name":"VK_NEXT","features":[214]},{"name":"VK_NONAME","features":[214]},{"name":"VK_NONCONVERT","features":[214]},{"name":"VK_NUMLOCK","features":[214]},{"name":"VK_NUMPAD0","features":[214]},{"name":"VK_NUMPAD1","features":[214]},{"name":"VK_NUMPAD2","features":[214]},{"name":"VK_NUMPAD3","features":[214]},{"name":"VK_NUMPAD4","features":[214]},{"name":"VK_NUMPAD5","features":[214]},{"name":"VK_NUMPAD6","features":[214]},{"name":"VK_NUMPAD7","features":[214]},{"name":"VK_NUMPAD8","features":[214]},{"name":"VK_NUMPAD9","features":[214]},{"name":"VK_O","features":[214]},{"name":"VK_OEM_1","features":[214]},{"name":"VK_OEM_102","features":[214]},{"name":"VK_OEM_2","features":[214]},{"name":"VK_OEM_3","features":[214]},{"name":"VK_OEM_4","features":[214]},{"name":"VK_OEM_5","features":[214]},{"name":"VK_OEM_6","features":[214]},{"name":"VK_OEM_7","features":[214]},{"name":"VK_OEM_8","features":[214]},{"name":"VK_OEM_ATTN","features":[214]},{"name":"VK_OEM_AUTO","features":[214]},{"name":"VK_OEM_AX","features":[214]},{"name":"VK_OEM_BACKTAB","features":[214]},{"name":"VK_OEM_CLEAR","features":[214]},{"name":"VK_OEM_COMMA","features":[214]},{"name":"VK_OEM_COPY","features":[214]},{"name":"VK_OEM_CUSEL","features":[214]},{"name":"VK_OEM_ENLW","features":[214]},{"name":"VK_OEM_FINISH","features":[214]},{"name":"VK_OEM_FJ_JISHO","features":[214]},{"name":"VK_OEM_FJ_LOYA","features":[214]},{"name":"VK_OEM_FJ_MASSHOU","features":[214]},{"name":"VK_OEM_FJ_ROYA","features":[214]},{"name":"VK_OEM_FJ_TOUROKU","features":[214]},{"name":"VK_OEM_JUMP","features":[214]},{"name":"VK_OEM_MINUS","features":[214]},{"name":"VK_OEM_NEC_EQUAL","features":[214]},{"name":"VK_OEM_PA1","features":[214]},{"name":"VK_OEM_PA2","features":[214]},{"name":"VK_OEM_PA3","features":[214]},{"name":"VK_OEM_PERIOD","features":[214]},{"name":"VK_OEM_PLUS","features":[214]},{"name":"VK_OEM_RESET","features":[214]},{"name":"VK_OEM_WSCTRL","features":[214]},{"name":"VK_P","features":[214]},{"name":"VK_PA1","features":[214]},{"name":"VK_PACKET","features":[214]},{"name":"VK_PAUSE","features":[214]},{"name":"VK_PLAY","features":[214]},{"name":"VK_PRINT","features":[214]},{"name":"VK_PRIOR","features":[214]},{"name":"VK_PROCESSKEY","features":[214]},{"name":"VK_Q","features":[214]},{"name":"VK_R","features":[214]},{"name":"VK_RBUTTON","features":[214]},{"name":"VK_RCONTROL","features":[214]},{"name":"VK_RETURN","features":[214]},{"name":"VK_RIGHT","features":[214]},{"name":"VK_RMENU","features":[214]},{"name":"VK_RSHIFT","features":[214]},{"name":"VK_RWIN","features":[214]},{"name":"VK_S","features":[214]},{"name":"VK_SCROLL","features":[214]},{"name":"VK_SELECT","features":[214]},{"name":"VK_SEPARATOR","features":[214]},{"name":"VK_SHIFT","features":[214]},{"name":"VK_SLEEP","features":[214]},{"name":"VK_SNAPSHOT","features":[214]},{"name":"VK_SPACE","features":[214]},{"name":"VK_SUBTRACT","features":[214]},{"name":"VK_T","features":[214]},{"name":"VK_TAB","features":[214]},{"name":"VK_TO_BIT","features":[214]},{"name":"VK_TO_WCHARS1","features":[214]},{"name":"VK_TO_WCHARS10","features":[214]},{"name":"VK_TO_WCHARS2","features":[214]},{"name":"VK_TO_WCHARS3","features":[214]},{"name":"VK_TO_WCHARS4","features":[214]},{"name":"VK_TO_WCHARS5","features":[214]},{"name":"VK_TO_WCHARS6","features":[214]},{"name":"VK_TO_WCHARS7","features":[214]},{"name":"VK_TO_WCHARS8","features":[214]},{"name":"VK_TO_WCHARS9","features":[214]},{"name":"VK_TO_WCHAR_TABLE","features":[214]},{"name":"VK_U","features":[214]},{"name":"VK_UP","features":[214]},{"name":"VK_V","features":[214]},{"name":"VK_VOLUME_DOWN","features":[214]},{"name":"VK_VOLUME_MUTE","features":[214]},{"name":"VK_VOLUME_UP","features":[214]},{"name":"VK_VSC","features":[214]},{"name":"VK_W","features":[214]},{"name":"VK_X","features":[214]},{"name":"VK_XBUTTON1","features":[214]},{"name":"VK_XBUTTON2","features":[214]},{"name":"VK_Y","features":[214]},{"name":"VK_Z","features":[214]},{"name":"VK_ZOOM","features":[214]},{"name":"VK__none_","features":[214]},{"name":"VSC_LPWSTR","features":[214]},{"name":"VSC_VK","features":[214]},{"name":"VkKeyScanA","features":[214]},{"name":"VkKeyScanExA","features":[214,213]},{"name":"VkKeyScanExW","features":[214,213]},{"name":"VkKeyScanW","features":[214]},{"name":"WCH_DEAD","features":[214]},{"name":"WCH_LGTR","features":[214]},{"name":"WCH_NONE","features":[214]},{"name":"_TrackMouseEvent","features":[1,214]},{"name":"keybd_event","features":[214]},{"name":"mouse_event","features":[214]},{"name":"wszACUTE","features":[214]},{"name":"wszBREVE","features":[214]},{"name":"wszCEDILLA","features":[214]},{"name":"wszCIRCUMFLEX","features":[214]},{"name":"wszDIARESIS_TONOS","features":[214]},{"name":"wszDOT_ABOVE","features":[214]},{"name":"wszDOUBLE_ACUTE","features":[214]},{"name":"wszGRAVE","features":[214]},{"name":"wszHACEK","features":[214]},{"name":"wszHOOK_ABOVE","features":[214]},{"name":"wszMACRON","features":[214]},{"name":"wszOGONEK","features":[214]},{"name":"wszOVERSCORE","features":[214]},{"name":"wszRING","features":[214]},{"name":"wszTILDE","features":[214]},{"name":"wszTONOS","features":[214]},{"name":"wszUMLAUT","features":[214]}],"658":[{"name":"EnableMouseInPointer","features":[1,209]},{"name":"GetPointerCursorId","features":[1,209]},{"name":"GetPointerDevice","features":[1,12,40,209]},{"name":"GetPointerDeviceCursors","features":[1,40,209]},{"name":"GetPointerDeviceProperties","features":[1,40,209]},{"name":"GetPointerDeviceRects","features":[1,209]},{"name":"GetPointerDevices","features":[1,12,40,209]},{"name":"GetPointerFrameInfo","features":[1,209,50]},{"name":"GetPointerFrameInfoHistory","features":[1,209,50]},{"name":"GetPointerFramePenInfo","features":[1,209,50]},{"name":"GetPointerFramePenInfoHistory","features":[1,209,50]},{"name":"GetPointerFrameTouchInfo","features":[1,209,50]},{"name":"GetPointerFrameTouchInfoHistory","features":[1,209,50]},{"name":"GetPointerInfo","features":[1,209,50]},{"name":"GetPointerInfoHistory","features":[1,209,50]},{"name":"GetPointerInputTransform","features":[1,209]},{"name":"GetPointerPenInfo","features":[1,209,50]},{"name":"GetPointerPenInfoHistory","features":[1,209,50]},{"name":"GetPointerTouchInfo","features":[1,209,50]},{"name":"GetPointerTouchInfoHistory","features":[1,209,50]},{"name":"GetPointerType","features":[1,209,50]},{"name":"GetRawPointerDeviceData","features":[1,40,209]},{"name":"GetUnpredictedMessagePos","features":[209]},{"name":"INPUT_INJECTION_VALUE","features":[209]},{"name":"INPUT_TRANSFORM","features":[209]},{"name":"InitializeTouchInjection","features":[1,209]},{"name":"InjectSyntheticPointerInput","features":[1,40,209,50]},{"name":"InjectTouchInput","features":[1,209,50]},{"name":"IsMouseInPointerEnabled","features":[1,209]},{"name":"POINTER_BUTTON_CHANGE_TYPE","features":[209]},{"name":"POINTER_CHANGE_FIFTHBUTTON_DOWN","features":[209]},{"name":"POINTER_CHANGE_FIFTHBUTTON_UP","features":[209]},{"name":"POINTER_CHANGE_FIRSTBUTTON_DOWN","features":[209]},{"name":"POINTER_CHANGE_FIRSTBUTTON_UP","features":[209]},{"name":"POINTER_CHANGE_FOURTHBUTTON_DOWN","features":[209]},{"name":"POINTER_CHANGE_FOURTHBUTTON_UP","features":[209]},{"name":"POINTER_CHANGE_NONE","features":[209]},{"name":"POINTER_CHANGE_SECONDBUTTON_DOWN","features":[209]},{"name":"POINTER_CHANGE_SECONDBUTTON_UP","features":[209]},{"name":"POINTER_CHANGE_THIRDBUTTON_DOWN","features":[209]},{"name":"POINTER_CHANGE_THIRDBUTTON_UP","features":[209]},{"name":"POINTER_FLAGS","features":[209]},{"name":"POINTER_FLAG_CANCELED","features":[209]},{"name":"POINTER_FLAG_CAPTURECHANGED","features":[209]},{"name":"POINTER_FLAG_CONFIDENCE","features":[209]},{"name":"POINTER_FLAG_DOWN","features":[209]},{"name":"POINTER_FLAG_FIFTHBUTTON","features":[209]},{"name":"POINTER_FLAG_FIRSTBUTTON","features":[209]},{"name":"POINTER_FLAG_FOURTHBUTTON","features":[209]},{"name":"POINTER_FLAG_HASTRANSFORM","features":[209]},{"name":"POINTER_FLAG_HWHEEL","features":[209]},{"name":"POINTER_FLAG_INCONTACT","features":[209]},{"name":"POINTER_FLAG_INRANGE","features":[209]},{"name":"POINTER_FLAG_NEW","features":[209]},{"name":"POINTER_FLAG_NONE","features":[209]},{"name":"POINTER_FLAG_PRIMARY","features":[209]},{"name":"POINTER_FLAG_SECONDBUTTON","features":[209]},{"name":"POINTER_FLAG_THIRDBUTTON","features":[209]},{"name":"POINTER_FLAG_UP","features":[209]},{"name":"POINTER_FLAG_UPDATE","features":[209]},{"name":"POINTER_FLAG_WHEEL","features":[209]},{"name":"POINTER_INFO","features":[1,209,50]},{"name":"POINTER_PEN_INFO","features":[1,209,50]},{"name":"POINTER_TOUCH_INFO","features":[1,209,50]},{"name":"SkipPointerFrameMessages","features":[1,209]},{"name":"TOUCH_FEEDBACK_DEFAULT","features":[209]},{"name":"TOUCH_FEEDBACK_INDIRECT","features":[209]},{"name":"TOUCH_FEEDBACK_MODE","features":[209]},{"name":"TOUCH_FEEDBACK_NONE","features":[209]}],"660":[{"name":"CloseGestureInfoHandle","features":[1,215]},{"name":"CloseTouchInputHandle","features":[1,215]},{"name":"GESTURECONFIG","features":[215]},{"name":"GESTURECONFIG_ID","features":[215]},{"name":"GESTUREINFO","features":[1,215]},{"name":"GESTURENOTIFYSTRUCT","features":[1,215]},{"name":"GID_BEGIN","features":[215]},{"name":"GID_END","features":[215]},{"name":"GID_PAN","features":[215]},{"name":"GID_PRESSANDTAP","features":[215]},{"name":"GID_ROLLOVER","features":[215]},{"name":"GID_ROTATE","features":[215]},{"name":"GID_TWOFINGERTAP","features":[215]},{"name":"GID_ZOOM","features":[215]},{"name":"GetGestureConfig","features":[1,215]},{"name":"GetGestureExtraArgs","features":[1,215]},{"name":"GetGestureInfo","features":[1,215]},{"name":"GetTouchInputInfo","features":[1,215]},{"name":"HGESTUREINFO","features":[215]},{"name":"HTOUCHINPUT","features":[215]},{"name":"IInertiaProcessor","features":[215]},{"name":"IManipulationProcessor","features":[215]},{"name":"InertiaProcessor","features":[215]},{"name":"IsTouchWindow","features":[1,215]},{"name":"MANIPULATION_ALL","features":[215]},{"name":"MANIPULATION_NONE","features":[215]},{"name":"MANIPULATION_PROCESSOR_MANIPULATIONS","features":[215]},{"name":"MANIPULATION_ROTATE","features":[215]},{"name":"MANIPULATION_SCALE","features":[215]},{"name":"MANIPULATION_TRANSLATE_X","features":[215]},{"name":"MANIPULATION_TRANSLATE_Y","features":[215]},{"name":"ManipulationProcessor","features":[215]},{"name":"REGISTER_TOUCH_WINDOW_FLAGS","features":[215]},{"name":"RegisterTouchWindow","features":[1,215]},{"name":"SetGestureConfig","features":[1,215]},{"name":"TOUCHEVENTF_DOWN","features":[215]},{"name":"TOUCHEVENTF_FLAGS","features":[215]},{"name":"TOUCHEVENTF_INRANGE","features":[215]},{"name":"TOUCHEVENTF_MOVE","features":[215]},{"name":"TOUCHEVENTF_NOCOALESCE","features":[215]},{"name":"TOUCHEVENTF_PALM","features":[215]},{"name":"TOUCHEVENTF_PEN","features":[215]},{"name":"TOUCHEVENTF_PRIMARY","features":[215]},{"name":"TOUCHEVENTF_UP","features":[215]},{"name":"TOUCHINPUT","features":[1,215]},{"name":"TOUCHINPUTMASKF_CONTACTAREA","features":[215]},{"name":"TOUCHINPUTMASKF_EXTRAINFO","features":[215]},{"name":"TOUCHINPUTMASKF_MASK","features":[215]},{"name":"TOUCHINPUTMASKF_TIMEFROMSYSTEM","features":[215]},{"name":"TWF_FINETOUCH","features":[215]},{"name":"TWF_WANTPALM","features":[215]},{"name":"UnregisterTouchWindow","features":[1,215]},{"name":"_IManipulationEvents","features":[215]}],"661":[{"name":"BATTERY_DEVTYPE","features":[216]},{"name":"BATTERY_DEVTYPE_GAMEPAD","features":[216]},{"name":"BATTERY_DEVTYPE_HEADSET","features":[216]},{"name":"BATTERY_LEVEL","features":[216]},{"name":"BATTERY_LEVEL_EMPTY","features":[216]},{"name":"BATTERY_LEVEL_FULL","features":[216]},{"name":"BATTERY_LEVEL_LOW","features":[216]},{"name":"BATTERY_LEVEL_MEDIUM","features":[216]},{"name":"BATTERY_TYPE","features":[216]},{"name":"BATTERY_TYPE_ALKALINE","features":[216]},{"name":"BATTERY_TYPE_DISCONNECTED","features":[216]},{"name":"BATTERY_TYPE_NIMH","features":[216]},{"name":"BATTERY_TYPE_UNKNOWN","features":[216]},{"name":"BATTERY_TYPE_WIRED","features":[216]},{"name":"VK_PAD_A","features":[216]},{"name":"VK_PAD_B","features":[216]},{"name":"VK_PAD_BACK","features":[216]},{"name":"VK_PAD_DPAD_DOWN","features":[216]},{"name":"VK_PAD_DPAD_LEFT","features":[216]},{"name":"VK_PAD_DPAD_RIGHT","features":[216]},{"name":"VK_PAD_DPAD_UP","features":[216]},{"name":"VK_PAD_LSHOULDER","features":[216]},{"name":"VK_PAD_LTHUMB_DOWN","features":[216]},{"name":"VK_PAD_LTHUMB_DOWNLEFT","features":[216]},{"name":"VK_PAD_LTHUMB_DOWNRIGHT","features":[216]},{"name":"VK_PAD_LTHUMB_LEFT","features":[216]},{"name":"VK_PAD_LTHUMB_PRESS","features":[216]},{"name":"VK_PAD_LTHUMB_RIGHT","features":[216]},{"name":"VK_PAD_LTHUMB_UP","features":[216]},{"name":"VK_PAD_LTHUMB_UPLEFT","features":[216]},{"name":"VK_PAD_LTHUMB_UPRIGHT","features":[216]},{"name":"VK_PAD_LTRIGGER","features":[216]},{"name":"VK_PAD_RSHOULDER","features":[216]},{"name":"VK_PAD_RTHUMB_DOWN","features":[216]},{"name":"VK_PAD_RTHUMB_DOWNLEFT","features":[216]},{"name":"VK_PAD_RTHUMB_DOWNRIGHT","features":[216]},{"name":"VK_PAD_RTHUMB_LEFT","features":[216]},{"name":"VK_PAD_RTHUMB_PRESS","features":[216]},{"name":"VK_PAD_RTHUMB_RIGHT","features":[216]},{"name":"VK_PAD_RTHUMB_UP","features":[216]},{"name":"VK_PAD_RTHUMB_UPLEFT","features":[216]},{"name":"VK_PAD_RTHUMB_UPRIGHT","features":[216]},{"name":"VK_PAD_RTRIGGER","features":[216]},{"name":"VK_PAD_START","features":[216]},{"name":"VK_PAD_X","features":[216]},{"name":"VK_PAD_Y","features":[216]},{"name":"XINPUT_BATTERY_INFORMATION","features":[216]},{"name":"XINPUT_CAPABILITIES","features":[216]},{"name":"XINPUT_CAPABILITIES_FLAGS","features":[216]},{"name":"XINPUT_CAPS_FFB_SUPPORTED","features":[216]},{"name":"XINPUT_CAPS_NO_NAVIGATION","features":[216]},{"name":"XINPUT_CAPS_PMD_SUPPORTED","features":[216]},{"name":"XINPUT_CAPS_VOICE_SUPPORTED","features":[216]},{"name":"XINPUT_CAPS_WIRELESS","features":[216]},{"name":"XINPUT_DEVSUBTYPE","features":[216]},{"name":"XINPUT_DEVSUBTYPE_ARCADE_PAD","features":[216]},{"name":"XINPUT_DEVSUBTYPE_ARCADE_STICK","features":[216]},{"name":"XINPUT_DEVSUBTYPE_DANCE_PAD","features":[216]},{"name":"XINPUT_DEVSUBTYPE_DRUM_KIT","features":[216]},{"name":"XINPUT_DEVSUBTYPE_FLIGHT_STICK","features":[216]},{"name":"XINPUT_DEVSUBTYPE_GAMEPAD","features":[216]},{"name":"XINPUT_DEVSUBTYPE_GUITAR","features":[216]},{"name":"XINPUT_DEVSUBTYPE_GUITAR_ALTERNATE","features":[216]},{"name":"XINPUT_DEVSUBTYPE_GUITAR_BASS","features":[216]},{"name":"XINPUT_DEVSUBTYPE_UNKNOWN","features":[216]},{"name":"XINPUT_DEVSUBTYPE_WHEEL","features":[216]},{"name":"XINPUT_DEVTYPE","features":[216]},{"name":"XINPUT_DEVTYPE_GAMEPAD","features":[216]},{"name":"XINPUT_DLL","features":[216]},{"name":"XINPUT_DLL_A","features":[216]},{"name":"XINPUT_DLL_W","features":[216]},{"name":"XINPUT_FLAG","features":[216]},{"name":"XINPUT_FLAG_ALL","features":[216]},{"name":"XINPUT_FLAG_GAMEPAD","features":[216]},{"name":"XINPUT_GAMEPAD","features":[216]},{"name":"XINPUT_GAMEPAD_A","features":[216]},{"name":"XINPUT_GAMEPAD_B","features":[216]},{"name":"XINPUT_GAMEPAD_BACK","features":[216]},{"name":"XINPUT_GAMEPAD_BUTTON_FLAGS","features":[216]},{"name":"XINPUT_GAMEPAD_DPAD_DOWN","features":[216]},{"name":"XINPUT_GAMEPAD_DPAD_LEFT","features":[216]},{"name":"XINPUT_GAMEPAD_DPAD_RIGHT","features":[216]},{"name":"XINPUT_GAMEPAD_DPAD_UP","features":[216]},{"name":"XINPUT_GAMEPAD_LEFT_SHOULDER","features":[216]},{"name":"XINPUT_GAMEPAD_LEFT_THUMB","features":[216]},{"name":"XINPUT_GAMEPAD_LEFT_THUMB_DEADZONE","features":[216]},{"name":"XINPUT_GAMEPAD_RIGHT_SHOULDER","features":[216]},{"name":"XINPUT_GAMEPAD_RIGHT_THUMB","features":[216]},{"name":"XINPUT_GAMEPAD_RIGHT_THUMB_DEADZONE","features":[216]},{"name":"XINPUT_GAMEPAD_START","features":[216]},{"name":"XINPUT_GAMEPAD_TRIGGER_THRESHOLD","features":[216]},{"name":"XINPUT_GAMEPAD_X","features":[216]},{"name":"XINPUT_GAMEPAD_Y","features":[216]},{"name":"XINPUT_KEYSTROKE","features":[216]},{"name":"XINPUT_KEYSTROKE_FLAGS","features":[216]},{"name":"XINPUT_KEYSTROKE_KEYDOWN","features":[216]},{"name":"XINPUT_KEYSTROKE_KEYUP","features":[216]},{"name":"XINPUT_KEYSTROKE_REPEAT","features":[216]},{"name":"XINPUT_STATE","features":[216]},{"name":"XINPUT_VIBRATION","features":[216]},{"name":"XINPUT_VIRTUAL_KEY","features":[216]},{"name":"XInputEnable","features":[1,216]},{"name":"XInputGetAudioDeviceIds","features":[216]},{"name":"XInputGetBatteryInformation","features":[216]},{"name":"XInputGetCapabilities","features":[216]},{"name":"XInputGetKeystroke","features":[216]},{"name":"XInputGetState","features":[216]},{"name":"XInputSetState","features":[216]},{"name":"XUSER_INDEX_ANY","features":[216]},{"name":"XUSER_MAX_COUNT","features":[216]}],"662":[{"name":"AddPointerInteractionContext","features":[217]},{"name":"BufferPointerPacketsInteractionContext","features":[1,209,217,50]},{"name":"CROSS_SLIDE_FLAGS","features":[217]},{"name":"CROSS_SLIDE_FLAGS_MAX","features":[217]},{"name":"CROSS_SLIDE_FLAGS_NONE","features":[217]},{"name":"CROSS_SLIDE_FLAGS_REARRANGE","features":[217]},{"name":"CROSS_SLIDE_FLAGS_SELECT","features":[217]},{"name":"CROSS_SLIDE_FLAGS_SPEED_BUMP","features":[217]},{"name":"CROSS_SLIDE_PARAMETER","features":[217]},{"name":"CROSS_SLIDE_THRESHOLD","features":[217]},{"name":"CROSS_SLIDE_THRESHOLD_COUNT","features":[217]},{"name":"CROSS_SLIDE_THRESHOLD_MAX","features":[217]},{"name":"CROSS_SLIDE_THRESHOLD_REARRANGE_START","features":[217]},{"name":"CROSS_SLIDE_THRESHOLD_SELECT_START","features":[217]},{"name":"CROSS_SLIDE_THRESHOLD_SPEED_BUMP_END","features":[217]},{"name":"CROSS_SLIDE_THRESHOLD_SPEED_BUMP_START","features":[217]},{"name":"CreateInteractionContext","features":[217]},{"name":"DestroyInteractionContext","features":[217]},{"name":"GetCrossSlideParameterInteractionContext","features":[217]},{"name":"GetHoldParameterInteractionContext","features":[217]},{"name":"GetInertiaParameterInteractionContext","features":[217]},{"name":"GetInteractionConfigurationInteractionContext","features":[217]},{"name":"GetMouseWheelParameterInteractionContext","features":[217]},{"name":"GetPropertyInteractionContext","features":[217]},{"name":"GetStateInteractionContext","features":[1,209,217,50]},{"name":"GetTapParameterInteractionContext","features":[217]},{"name":"GetTranslationParameterInteractionContext","features":[217]},{"name":"HINTERACTIONCONTEXT","features":[217]},{"name":"HOLD_PARAMETER","features":[217]},{"name":"HOLD_PARAMETER_MAX","features":[217]},{"name":"HOLD_PARAMETER_MAX_CONTACT_COUNT","features":[217]},{"name":"HOLD_PARAMETER_MIN_CONTACT_COUNT","features":[217]},{"name":"HOLD_PARAMETER_THRESHOLD_RADIUS","features":[217]},{"name":"HOLD_PARAMETER_THRESHOLD_START_DELAY","features":[217]},{"name":"INERTIA_PARAMETER","features":[217]},{"name":"INERTIA_PARAMETER_EXPANSION_DECELERATION","features":[217]},{"name":"INERTIA_PARAMETER_EXPANSION_EXPANSION","features":[217]},{"name":"INERTIA_PARAMETER_MAX","features":[217]},{"name":"INERTIA_PARAMETER_ROTATION_ANGLE","features":[217]},{"name":"INERTIA_PARAMETER_ROTATION_DECELERATION","features":[217]},{"name":"INERTIA_PARAMETER_TRANSLATION_DECELERATION","features":[217]},{"name":"INERTIA_PARAMETER_TRANSLATION_DISPLACEMENT","features":[217]},{"name":"INTERACTION_ARGUMENTS_CROSS_SLIDE","features":[217]},{"name":"INTERACTION_ARGUMENTS_MANIPULATION","features":[217]},{"name":"INTERACTION_ARGUMENTS_TAP","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAGS","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_CROSS_SLIDE","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_CROSS_SLIDE_EXACT","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_CROSS_SLIDE_HORIZONTAL","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_CROSS_SLIDE_REARRANGE","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_CROSS_SLIDE_SELECT","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_CROSS_SLIDE_SPEED_BUMP","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_DRAG","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_HOLD","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_HOLD_MOUSE","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_HOLD_MULTIPLE_FINGER","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION_EXACT","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION_MULTIPLE_FINGER_PANNING","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION_RAILS_X","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION_RAILS_Y","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION_ROTATION","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION_ROTATION_INERTIA","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION_SCALING","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION_SCALING_INERTIA","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION_TRANSLATION_INERTIA","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION_TRANSLATION_X","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION_TRANSLATION_Y","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_MAX","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_NONE","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_SECONDARY_TAP","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_TAP","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_TAP_DOUBLE","features":[217]},{"name":"INTERACTION_CONFIGURATION_FLAG_TAP_MULTIPLE_FINGER","features":[217]},{"name":"INTERACTION_CONTEXT_CONFIGURATION","features":[217]},{"name":"INTERACTION_CONTEXT_OUTPUT","features":[217,50]},{"name":"INTERACTION_CONTEXT_OUTPUT2","features":[217,50]},{"name":"INTERACTION_CONTEXT_OUTPUT_CALLBACK","features":[217,50]},{"name":"INTERACTION_CONTEXT_OUTPUT_CALLBACK2","features":[217,50]},{"name":"INTERACTION_CONTEXT_PROPERTY","features":[217]},{"name":"INTERACTION_CONTEXT_PROPERTY_FILTER_POINTERS","features":[217]},{"name":"INTERACTION_CONTEXT_PROPERTY_INTERACTION_UI_FEEDBACK","features":[217]},{"name":"INTERACTION_CONTEXT_PROPERTY_MAX","features":[217]},{"name":"INTERACTION_CONTEXT_PROPERTY_MEASUREMENT_UNITS","features":[217]},{"name":"INTERACTION_FLAGS","features":[217]},{"name":"INTERACTION_FLAG_BEGIN","features":[217]},{"name":"INTERACTION_FLAG_CANCEL","features":[217]},{"name":"INTERACTION_FLAG_END","features":[217]},{"name":"INTERACTION_FLAG_INERTIA","features":[217]},{"name":"INTERACTION_FLAG_MAX","features":[217]},{"name":"INTERACTION_FLAG_NONE","features":[217]},{"name":"INTERACTION_ID","features":[217]},{"name":"INTERACTION_ID_CROSS_SLIDE","features":[217]},{"name":"INTERACTION_ID_DRAG","features":[217]},{"name":"INTERACTION_ID_HOLD","features":[217]},{"name":"INTERACTION_ID_MANIPULATION","features":[217]},{"name":"INTERACTION_ID_MAX","features":[217]},{"name":"INTERACTION_ID_NONE","features":[217]},{"name":"INTERACTION_ID_SECONDARY_TAP","features":[217]},{"name":"INTERACTION_ID_TAP","features":[217]},{"name":"INTERACTION_STATE","features":[217]},{"name":"INTERACTION_STATE_IDLE","features":[217]},{"name":"INTERACTION_STATE_IN_INTERACTION","features":[217]},{"name":"INTERACTION_STATE_MAX","features":[217]},{"name":"INTERACTION_STATE_POSSIBLE_DOUBLE_TAP","features":[217]},{"name":"MANIPULATION_RAILS_STATE","features":[217]},{"name":"MANIPULATION_RAILS_STATE_FREE","features":[217]},{"name":"MANIPULATION_RAILS_STATE_MAX","features":[217]},{"name":"MANIPULATION_RAILS_STATE_RAILED","features":[217]},{"name":"MANIPULATION_RAILS_STATE_UNDECIDED","features":[217]},{"name":"MANIPULATION_TRANSFORM","features":[217]},{"name":"MANIPULATION_VELOCITY","features":[217]},{"name":"MOUSE_WHEEL_PARAMETER","features":[217]},{"name":"MOUSE_WHEEL_PARAMETER_CHAR_TRANSLATION_X","features":[217]},{"name":"MOUSE_WHEEL_PARAMETER_CHAR_TRANSLATION_Y","features":[217]},{"name":"MOUSE_WHEEL_PARAMETER_DELTA_ROTATION","features":[217]},{"name":"MOUSE_WHEEL_PARAMETER_DELTA_SCALE","features":[217]},{"name":"MOUSE_WHEEL_PARAMETER_MAX","features":[217]},{"name":"MOUSE_WHEEL_PARAMETER_PAGE_TRANSLATION_X","features":[217]},{"name":"MOUSE_WHEEL_PARAMETER_PAGE_TRANSLATION_Y","features":[217]},{"name":"ProcessBufferedPacketsInteractionContext","features":[217]},{"name":"ProcessInertiaInteractionContext","features":[217]},{"name":"ProcessPointerFramesInteractionContext","features":[1,209,217,50]},{"name":"RegisterOutputCallbackInteractionContext","features":[217,50]},{"name":"RegisterOutputCallbackInteractionContext2","features":[217,50]},{"name":"RemovePointerInteractionContext","features":[217]},{"name":"ResetInteractionContext","features":[217]},{"name":"SetCrossSlideParametersInteractionContext","features":[217]},{"name":"SetHoldParameterInteractionContext","features":[217]},{"name":"SetInertiaParameterInteractionContext","features":[217]},{"name":"SetInteractionConfigurationInteractionContext","features":[217]},{"name":"SetMouseWheelParameterInteractionContext","features":[217]},{"name":"SetPivotInteractionContext","features":[217]},{"name":"SetPropertyInteractionContext","features":[217]},{"name":"SetTapParameterInteractionContext","features":[217]},{"name":"SetTranslationParameterInteractionContext","features":[217]},{"name":"StopInteractionContext","features":[217]},{"name":"TAP_PARAMETER","features":[217]},{"name":"TAP_PARAMETER_MAX","features":[217]},{"name":"TAP_PARAMETER_MAX_CONTACT_COUNT","features":[217]},{"name":"TAP_PARAMETER_MIN_CONTACT_COUNT","features":[217]},{"name":"TRANSLATION_PARAMETER","features":[217]},{"name":"TRANSLATION_PARAMETER_MAX","features":[217]},{"name":"TRANSLATION_PARAMETER_MAX_CONTACT_COUNT","features":[217]},{"name":"TRANSLATION_PARAMETER_MIN_CONTACT_COUNT","features":[217]}],"664":[{"name":"MAGCOLOREFFECT","features":[218]},{"name":"MAGIMAGEHEADER","features":[218]},{"name":"MAGTRANSFORM","features":[218]},{"name":"MS_CLIPAROUNDCURSOR","features":[218]},{"name":"MS_INVERTCOLORS","features":[218]},{"name":"MS_SHOWMAGNIFIEDCURSOR","features":[218]},{"name":"MW_FILTERMODE","features":[218]},{"name":"MW_FILTERMODE_EXCLUDE","features":[218]},{"name":"MW_FILTERMODE_INCLUDE","features":[218]},{"name":"MagGetColorEffect","features":[1,218]},{"name":"MagGetFullscreenColorEffect","features":[1,218]},{"name":"MagGetFullscreenTransform","features":[1,218]},{"name":"MagGetImageScalingCallback","features":[1,12,218]},{"name":"MagGetInputTransform","features":[1,218]},{"name":"MagGetWindowFilterList","features":[1,218]},{"name":"MagGetWindowSource","features":[1,218]},{"name":"MagGetWindowTransform","features":[1,218]},{"name":"MagImageScalingCallback","features":[1,12,218]},{"name":"MagInitialize","features":[1,218]},{"name":"MagSetColorEffect","features":[1,218]},{"name":"MagSetFullscreenColorEffect","features":[1,218]},{"name":"MagSetFullscreenTransform","features":[1,218]},{"name":"MagSetImageScalingCallback","features":[1,12,218]},{"name":"MagSetInputTransform","features":[1,218]},{"name":"MagSetWindowFilterList","features":[1,218]},{"name":"MagSetWindowSource","features":[1,218]},{"name":"MagSetWindowTransform","features":[1,218]},{"name":"MagShowSystemCursor","features":[1,218]},{"name":"MagUninitialize","features":[1,218]},{"name":"WC_MAGNIFIER","features":[218]},{"name":"WC_MAGNIFIERA","features":[218]},{"name":"WC_MAGNIFIERW","features":[218]}],"667":[{"name":"AASHELLMENUFILENAME","features":[109]},{"name":"AASHELLMENUITEM","features":[109]},{"name":"ABE_BOTTOM","features":[109]},{"name":"ABE_LEFT","features":[109]},{"name":"ABE_RIGHT","features":[109]},{"name":"ABE_TOP","features":[109]},{"name":"ABM_ACTIVATE","features":[109]},{"name":"ABM_GETAUTOHIDEBAR","features":[109]},{"name":"ABM_GETAUTOHIDEBAREX","features":[109]},{"name":"ABM_GETSTATE","features":[109]},{"name":"ABM_GETTASKBARPOS","features":[109]},{"name":"ABM_NEW","features":[109]},{"name":"ABM_QUERYPOS","features":[109]},{"name":"ABM_REMOVE","features":[109]},{"name":"ABM_SETAUTOHIDEBAR","features":[109]},{"name":"ABM_SETAUTOHIDEBAREX","features":[109]},{"name":"ABM_SETPOS","features":[109]},{"name":"ABM_SETSTATE","features":[109]},{"name":"ABM_WINDOWPOSCHANGED","features":[109]},{"name":"ABN_FULLSCREENAPP","features":[109]},{"name":"ABN_POSCHANGED","features":[109]},{"name":"ABN_STATECHANGE","features":[109]},{"name":"ABN_WINDOWARRANGE","features":[109]},{"name":"ABS_ALWAYSONTOP","features":[109]},{"name":"ABS_AUTOHIDE","features":[109]},{"name":"ACDD_VISIBLE","features":[109]},{"name":"ACENUMOPTION","features":[109]},{"name":"ACEO_FIRSTUNUSED","features":[109]},{"name":"ACEO_MOSTRECENTFIRST","features":[109]},{"name":"ACEO_NONE","features":[109]},{"name":"ACLO_CURRENTDIR","features":[109]},{"name":"ACLO_DESKTOP","features":[109]},{"name":"ACLO_FAVORITES","features":[109]},{"name":"ACLO_FILESYSDIRS","features":[109]},{"name":"ACLO_FILESYSONLY","features":[109]},{"name":"ACLO_MYCOMPUTER","features":[109]},{"name":"ACLO_NONE","features":[109]},{"name":"ACLO_VIRTUALNAMESPACE","features":[109]},{"name":"ACO_AUTOAPPEND","features":[109]},{"name":"ACO_AUTOSUGGEST","features":[109]},{"name":"ACO_FILTERPREFIXES","features":[109]},{"name":"ACO_NONE","features":[109]},{"name":"ACO_NOPREFIXFILTERING","features":[109]},{"name":"ACO_RTLREADING","features":[109]},{"name":"ACO_SEARCH","features":[109]},{"name":"ACO_UPDOWNKEYDROPSLIST","features":[109]},{"name":"ACO_USETAB","features":[109]},{"name":"ACO_WORD_FILTER","features":[109]},{"name":"ACTIVATEOPTIONS","features":[109]},{"name":"ADDURL_SILENT","features":[109]},{"name":"ADE_LEFT","features":[109]},{"name":"ADE_NONE","features":[109]},{"name":"ADE_RIGHT","features":[109]},{"name":"ADJACENT_DISPLAY_EDGES","features":[109]},{"name":"ADLT_FREQUENT","features":[109]},{"name":"ADLT_RECENT","features":[109]},{"name":"AD_APPLY_BUFFERED_REFRESH","features":[109]},{"name":"AD_APPLY_DYNAMICREFRESH","features":[109]},{"name":"AD_APPLY_FORCE","features":[109]},{"name":"AD_APPLY_HTMLGEN","features":[109]},{"name":"AD_APPLY_REFRESH","features":[109]},{"name":"AD_APPLY_SAVE","features":[109]},{"name":"AD_GETWP_BMP","features":[109]},{"name":"AD_GETWP_IMAGE","features":[109]},{"name":"AD_GETWP_LAST_APPLIED","features":[109]},{"name":"AHE_DESKTOP","features":[109]},{"name":"AHE_IMMERSIVE","features":[109]},{"name":"AHE_TYPE","features":[109]},{"name":"AHTYPE","features":[109]},{"name":"AHTYPE_ANY_APPLICATION","features":[109]},{"name":"AHTYPE_ANY_PROGID","features":[109]},{"name":"AHTYPE_APPLICATION","features":[109]},{"name":"AHTYPE_CLASS_APPLICATION","features":[109]},{"name":"AHTYPE_MACHINEDEFAULT","features":[109]},{"name":"AHTYPE_PROGID","features":[109]},{"name":"AHTYPE_UNDEFINED","features":[109]},{"name":"AHTYPE_USER_APPLICATION","features":[109]},{"name":"AIM_COMMENTS","features":[109]},{"name":"AIM_CONTACT","features":[109]},{"name":"AIM_DISPLAYNAME","features":[109]},{"name":"AIM_HELPLINK","features":[109]},{"name":"AIM_IMAGE","features":[109]},{"name":"AIM_INSTALLDATE","features":[109]},{"name":"AIM_INSTALLLOCATION","features":[109]},{"name":"AIM_INSTALLSOURCE","features":[109]},{"name":"AIM_LANGUAGE","features":[109]},{"name":"AIM_PRODUCTID","features":[109]},{"name":"AIM_PUBLISHER","features":[109]},{"name":"AIM_READMEURL","features":[109]},{"name":"AIM_REGISTEREDCOMPANY","features":[109]},{"name":"AIM_REGISTEREDOWNER","features":[109]},{"name":"AIM_SUPPORTTELEPHONE","features":[109]},{"name":"AIM_SUPPORTURL","features":[109]},{"name":"AIM_UPDATEINFOURL","features":[109]},{"name":"AIM_VERSION","features":[109]},{"name":"AL_EFFECTIVE","features":[109]},{"name":"AL_MACHINE","features":[109]},{"name":"AL_USER","features":[109]},{"name":"AO_DESIGNMODE","features":[109]},{"name":"AO_NOERRORUI","features":[109]},{"name":"AO_NONE","features":[109]},{"name":"AO_NOSPLASHSCREEN","features":[109]},{"name":"AO_PRELAUNCH","features":[109]},{"name":"APPACTIONFLAGS","features":[109]},{"name":"APPACTION_ADDLATER","features":[109]},{"name":"APPACTION_CANGETSIZE","features":[109]},{"name":"APPACTION_INSTALL","features":[109]},{"name":"APPACTION_MODIFY","features":[109]},{"name":"APPACTION_MODIFYREMOVE","features":[109]},{"name":"APPACTION_REPAIR","features":[109]},{"name":"APPACTION_UNINSTALL","features":[109]},{"name":"APPACTION_UNSCHEDULE","features":[109]},{"name":"APPACTION_UPGRADE","features":[109]},{"name":"APPBARDATA","features":[1,109]},{"name":"APPBARDATA","features":[1,109]},{"name":"APPCATEGORYINFO","features":[109]},{"name":"APPCATEGORYINFOLIST","features":[109]},{"name":"APPDOCLISTTYPE","features":[109]},{"name":"APPINFODATA","features":[109]},{"name":"APPINFODATAFLAGS","features":[109]},{"name":"APPLET_PROC","features":[1,109]},{"name":"APPLICATION_VIEW_MIN_WIDTH","features":[109]},{"name":"APPLICATION_VIEW_ORIENTATION","features":[109]},{"name":"APPLICATION_VIEW_SIZE_PREFERENCE","features":[109]},{"name":"APPLICATION_VIEW_STATE","features":[109]},{"name":"APPNAMEBUFFERLEN","features":[109]},{"name":"ARCONTENT_AUDIOCD","features":[109]},{"name":"ARCONTENT_AUTOPLAYMUSIC","features":[109]},{"name":"ARCONTENT_AUTOPLAYPIX","features":[109]},{"name":"ARCONTENT_AUTOPLAYVIDEO","features":[109]},{"name":"ARCONTENT_AUTORUNINF","features":[109]},{"name":"ARCONTENT_BLANKBD","features":[109]},{"name":"ARCONTENT_BLANKCD","features":[109]},{"name":"ARCONTENT_BLANKDVD","features":[109]},{"name":"ARCONTENT_BLURAY","features":[109]},{"name":"ARCONTENT_CAMERASTORAGE","features":[109]},{"name":"ARCONTENT_CUSTOMEVENT","features":[109]},{"name":"ARCONTENT_DVDAUDIO","features":[109]},{"name":"ARCONTENT_DVDMOVIE","features":[109]},{"name":"ARCONTENT_MASK","features":[109]},{"name":"ARCONTENT_NONE","features":[109]},{"name":"ARCONTENT_PHASE_FINAL","features":[109]},{"name":"ARCONTENT_PHASE_MASK","features":[109]},{"name":"ARCONTENT_PHASE_PRESNIFF","features":[109]},{"name":"ARCONTENT_PHASE_SNIFFING","features":[109]},{"name":"ARCONTENT_PHASE_UNKNOWN","features":[109]},{"name":"ARCONTENT_SVCD","features":[109]},{"name":"ARCONTENT_UNKNOWNCONTENT","features":[109]},{"name":"ARCONTENT_VCD","features":[109]},{"name":"ASSOCCLASS","features":[109]},{"name":"ASSOCCLASS_APP_KEY","features":[109]},{"name":"ASSOCCLASS_APP_STR","features":[109]},{"name":"ASSOCCLASS_CLSID_KEY","features":[109]},{"name":"ASSOCCLASS_CLSID_STR","features":[109]},{"name":"ASSOCCLASS_FIXED_PROGID_STR","features":[109]},{"name":"ASSOCCLASS_FOLDER","features":[109]},{"name":"ASSOCCLASS_PROGID_KEY","features":[109]},{"name":"ASSOCCLASS_PROGID_STR","features":[109]},{"name":"ASSOCCLASS_PROTOCOL_STR","features":[109]},{"name":"ASSOCCLASS_SHELL_KEY","features":[109]},{"name":"ASSOCCLASS_STAR","features":[109]},{"name":"ASSOCCLASS_SYSTEM_STR","features":[109]},{"name":"ASSOCDATA","features":[109]},{"name":"ASSOCDATA_EDITFLAGS","features":[109]},{"name":"ASSOCDATA_HASPERUSERASSOC","features":[109]},{"name":"ASSOCDATA_MAX","features":[109]},{"name":"ASSOCDATA_MSIDESCRIPTOR","features":[109]},{"name":"ASSOCDATA_NOACTIVATEHANDLER","features":[109]},{"name":"ASSOCDATA_UNUSED1","features":[109]},{"name":"ASSOCDATA_VALUE","features":[109]},{"name":"ASSOCENUM","features":[109]},{"name":"ASSOCENUM_NONE","features":[109]},{"name":"ASSOCF","features":[109]},{"name":"ASSOCF_APP_TO_APP","features":[109]},{"name":"ASSOCF_IGNOREBASECLASS","features":[109]},{"name":"ASSOCF_INIT_BYEXENAME","features":[109]},{"name":"ASSOCF_INIT_DEFAULTTOFOLDER","features":[109]},{"name":"ASSOCF_INIT_DEFAULTTOSTAR","features":[109]},{"name":"ASSOCF_INIT_FIXED_PROGID","features":[109]},{"name":"ASSOCF_INIT_FOR_FILE","features":[109]},{"name":"ASSOCF_INIT_IGNOREUNKNOWN","features":[109]},{"name":"ASSOCF_INIT_NOREMAPCLSID","features":[109]},{"name":"ASSOCF_IS_FULL_URI","features":[109]},{"name":"ASSOCF_IS_PROTOCOL","features":[109]},{"name":"ASSOCF_NOFIXUPS","features":[109]},{"name":"ASSOCF_NONE","features":[109]},{"name":"ASSOCF_NOTRUNCATE","features":[109]},{"name":"ASSOCF_NOUSERSETTINGS","features":[109]},{"name":"ASSOCF_OPEN_BYEXENAME","features":[109]},{"name":"ASSOCF_PER_MACHINE_ONLY","features":[109]},{"name":"ASSOCF_REMAPRUNDLL","features":[109]},{"name":"ASSOCF_VERIFY","features":[109]},{"name":"ASSOCIATIONELEMENT","features":[49,109]},{"name":"ASSOCIATIONELEMENT","features":[49,109]},{"name":"ASSOCIATIONLEVEL","features":[109]},{"name":"ASSOCIATIONTYPE","features":[109]},{"name":"ASSOCKEY","features":[109]},{"name":"ASSOCKEY_APP","features":[109]},{"name":"ASSOCKEY_BASECLASS","features":[109]},{"name":"ASSOCKEY_CLASS","features":[109]},{"name":"ASSOCKEY_MAX","features":[109]},{"name":"ASSOCKEY_SHELLEXECCLASS","features":[109]},{"name":"ASSOCSTR","features":[109]},{"name":"ASSOCSTR_APPICONREFERENCE","features":[109]},{"name":"ASSOCSTR_APPID","features":[109]},{"name":"ASSOCSTR_APPPUBLISHER","features":[109]},{"name":"ASSOCSTR_COMMAND","features":[109]},{"name":"ASSOCSTR_CONTENTTYPE","features":[109]},{"name":"ASSOCSTR_DDEAPPLICATION","features":[109]},{"name":"ASSOCSTR_DDECOMMAND","features":[109]},{"name":"ASSOCSTR_DDEIFEXEC","features":[109]},{"name":"ASSOCSTR_DDETOPIC","features":[109]},{"name":"ASSOCSTR_DEFAULTICON","features":[109]},{"name":"ASSOCSTR_DELEGATEEXECUTE","features":[109]},{"name":"ASSOCSTR_DROPTARGET","features":[109]},{"name":"ASSOCSTR_EXECUTABLE","features":[109]},{"name":"ASSOCSTR_FRIENDLYAPPNAME","features":[109]},{"name":"ASSOCSTR_FRIENDLYDOCNAME","features":[109]},{"name":"ASSOCSTR_INFOTIP","features":[109]},{"name":"ASSOCSTR_MAX","features":[109]},{"name":"ASSOCSTR_NOOPEN","features":[109]},{"name":"ASSOCSTR_PROGID","features":[109]},{"name":"ASSOCSTR_QUICKTIP","features":[109]},{"name":"ASSOCSTR_SHELLEXTENSION","features":[109]},{"name":"ASSOCSTR_SHELLNEWVALUE","features":[109]},{"name":"ASSOCSTR_SUPPORTED_URI_PROTOCOLS","features":[109]},{"name":"ASSOCSTR_TILEINFO","features":[109]},{"name":"ASSOC_FILTER","features":[109]},{"name":"ASSOC_FILTER_NONE","features":[109]},{"name":"ASSOC_FILTER_RECOMMENDED","features":[109]},{"name":"ATTACHMENT_ACTION","features":[109]},{"name":"ATTACHMENT_ACTION_CANCEL","features":[109]},{"name":"ATTACHMENT_ACTION_EXEC","features":[109]},{"name":"ATTACHMENT_ACTION_SAVE","features":[109]},{"name":"ATTACHMENT_PROMPT","features":[109]},{"name":"ATTACHMENT_PROMPT_EXEC","features":[109]},{"name":"ATTACHMENT_PROMPT_EXEC_OR_SAVE","features":[109]},{"name":"ATTACHMENT_PROMPT_NONE","features":[109]},{"name":"ATTACHMENT_PROMPT_SAVE","features":[109]},{"name":"AT_FILEEXTENSION","features":[109]},{"name":"AT_MIMETYPE","features":[109]},{"name":"AT_STARTMENUCLIENT","features":[109]},{"name":"AT_URLPROTOCOL","features":[109]},{"name":"AUTOCOMPLETELISTOPTIONS","features":[109]},{"name":"AUTOCOMPLETEOPTIONS","features":[109]},{"name":"AUTO_SCROLL_DATA","features":[1,109]},{"name":"AVMW_320","features":[109]},{"name":"AVMW_500","features":[109]},{"name":"AVMW_DEFAULT","features":[109]},{"name":"AVO_LANDSCAPE","features":[109]},{"name":"AVO_PORTRAIT","features":[109]},{"name":"AVSP_CUSTOM","features":[109]},{"name":"AVSP_DEFAULT","features":[109]},{"name":"AVSP_USE_HALF","features":[109]},{"name":"AVSP_USE_LESS","features":[109]},{"name":"AVSP_USE_MINIMUM","features":[109]},{"name":"AVSP_USE_MORE","features":[109]},{"name":"AVSP_USE_NONE","features":[109]},{"name":"AVS_FILLED","features":[109]},{"name":"AVS_FULLSCREEN_LANDSCAPE","features":[109]},{"name":"AVS_FULLSCREEN_PORTRAIT","features":[109]},{"name":"AVS_SNAPPED","features":[109]},{"name":"AccessibilityDockingService","features":[109]},{"name":"AllowSmallerSize","features":[109]},{"name":"AlphabeticalCategorizer","features":[109]},{"name":"AppShellVerbHandler","features":[109]},{"name":"AppStartupLink","features":[109]},{"name":"AppVisibility","features":[109]},{"name":"ApplicationActivationManager","features":[109]},{"name":"ApplicationAssociationRegistration","features":[109]},{"name":"ApplicationAssociationRegistrationUI","features":[109]},{"name":"ApplicationDesignModeSettings","features":[109]},{"name":"ApplicationDestinations","features":[109]},{"name":"ApplicationDocumentLists","features":[109]},{"name":"AssocCreate","features":[109]},{"name":"AssocCreateForClasses","features":[49,109]},{"name":"AssocGetDetailsOfPropKey","features":[1,41,42,219,60]},{"name":"AssocGetPerceivedType","features":[219]},{"name":"AssocIsDangerous","features":[1,109]},{"name":"AssocQueryKeyA","features":[49,109]},{"name":"AssocQueryKeyW","features":[49,109]},{"name":"AssocQueryStringA","features":[109]},{"name":"AssocQueryStringByKeyA","features":[49,109]},{"name":"AssocQueryStringByKeyW","features":[49,109]},{"name":"AssocQueryStringW","features":[109]},{"name":"AttachmentServices","features":[109]},{"name":"BANDINFOSFB","features":[1,219]},{"name":"BANDSITECID","features":[109]},{"name":"BANDSITEINFO","features":[109]},{"name":"BANNER_NOTIFICATION","features":[109]},{"name":"BANNER_NOTIFICATION_EVENT","features":[109]},{"name":"BASEBROWSERDATALH","features":[1,219]},{"name":"BASEBROWSERDATAXP","features":[1,219]},{"name":"BFFCALLBACK","features":[1,109]},{"name":"BFFM_ENABLEOK","features":[109]},{"name":"BFFM_INITIALIZED","features":[109]},{"name":"BFFM_IUNKNOWN","features":[109]},{"name":"BFFM_SELCHANGED","features":[109]},{"name":"BFFM_SETEXPANDED","features":[109]},{"name":"BFFM_SETOKTEXT","features":[109]},{"name":"BFFM_SETSELECTION","features":[109]},{"name":"BFFM_SETSELECTIONA","features":[109]},{"name":"BFFM_SETSELECTIONW","features":[109]},{"name":"BFFM_SETSTATUSTEXT","features":[109]},{"name":"BFFM_SETSTATUSTEXTA","features":[109]},{"name":"BFFM_SETSTATUSTEXTW","features":[109]},{"name":"BFFM_VALIDATEFAILED","features":[109]},{"name":"BFFM_VALIDATEFAILEDA","features":[109]},{"name":"BFFM_VALIDATEFAILEDW","features":[109]},{"name":"BFO_ADD_IE_TOCAPTIONBAR","features":[109]},{"name":"BFO_BOTH_OPTIONS","features":[109]},{"name":"BFO_BROWSER_PERSIST_SETTINGS","features":[109]},{"name":"BFO_BROWSE_NO_IN_NEW_PROCESS","features":[109]},{"name":"BFO_ENABLE_HYPERLINK_TRACKING","features":[109]},{"name":"BFO_GO_HOME_PAGE","features":[109]},{"name":"BFO_NONE","features":[109]},{"name":"BFO_NO_PARENT_FOLDER_SUPPORT","features":[109]},{"name":"BFO_NO_REOPEN_NEXT_RESTART","features":[109]},{"name":"BFO_PREFER_IEPROCESS","features":[109]},{"name":"BFO_QUERY_ALL","features":[109]},{"name":"BFO_RENAME_FOLDER_OPTIONS_TOINTERNET","features":[109]},{"name":"BFO_SHOW_NAVIGATION_CANCELLED","features":[109]},{"name":"BFO_SUBSTITUE_INTERNET_START_PAGE","features":[109]},{"name":"BFO_USE_DIALUP_REF","features":[109]},{"name":"BFO_USE_IE_LOGOBANDING","features":[109]},{"name":"BFO_USE_IE_OFFLINE_SUPPORT","features":[109]},{"name":"BFO_USE_IE_STATUSBAR","features":[109]},{"name":"BFO_USE_IE_TOOLBAR","features":[109]},{"name":"BHID_AssociationArray","features":[109]},{"name":"BHID_DataObject","features":[109]},{"name":"BHID_EnumAssocHandlers","features":[109]},{"name":"BHID_EnumItems","features":[109]},{"name":"BHID_FilePlaceholder","features":[109]},{"name":"BHID_Filter","features":[109]},{"name":"BHID_LinkTargetItem","features":[109]},{"name":"BHID_PropertyStore","features":[109]},{"name":"BHID_RandomAccessStream","features":[109]},{"name":"BHID_SFObject","features":[109]},{"name":"BHID_SFUIObject","features":[109]},{"name":"BHID_SFViewObject","features":[109]},{"name":"BHID_Storage","features":[109]},{"name":"BHID_StorageEnum","features":[109]},{"name":"BHID_StorageItem","features":[109]},{"name":"BHID_Stream","features":[109]},{"name":"BHID_ThumbnailHandler","features":[109]},{"name":"BHID_Transfer","features":[109]},{"name":"BIF_BROWSEFILEJUNCTIONS","features":[109]},{"name":"BIF_BROWSEFORCOMPUTER","features":[109]},{"name":"BIF_BROWSEFORPRINTER","features":[109]},{"name":"BIF_BROWSEINCLUDEFILES","features":[109]},{"name":"BIF_BROWSEINCLUDEURLS","features":[109]},{"name":"BIF_DONTGOBELOWDOMAIN","features":[109]},{"name":"BIF_EDITBOX","features":[109]},{"name":"BIF_NEWDIALOGSTYLE","features":[109]},{"name":"BIF_NONEWFOLDERBUTTON","features":[109]},{"name":"BIF_NOTRANSLATETARGETS","features":[109]},{"name":"BIF_PREFER_INTERNET_SHORTCUT","features":[109]},{"name":"BIF_RETURNFSANCESTORS","features":[109]},{"name":"BIF_RETURNONLYFSDIRS","features":[109]},{"name":"BIF_SHAREABLE","features":[109]},{"name":"BIF_STATUSTEXT","features":[109]},{"name":"BIF_UAHINT","features":[109]},{"name":"BIF_VALIDATE","features":[109]},{"name":"BIND_INTERRUPTABLE","features":[109]},{"name":"BMICON_LARGE","features":[109]},{"name":"BMICON_SMALL","features":[109]},{"name":"BNE_Button1Clicked","features":[109]},{"name":"BNE_Button2Clicked","features":[109]},{"name":"BNE_Closed","features":[109]},{"name":"BNE_Dismissed","features":[109]},{"name":"BNE_Hovered","features":[109]},{"name":"BNE_Rendered","features":[109]},{"name":"BNSTATE","features":[109]},{"name":"BNS_BEGIN_NAVIGATE","features":[109]},{"name":"BNS_NAVIGATE","features":[109]},{"name":"BNS_NORMAL","features":[109]},{"name":"BROWSEINFOA","features":[1,219]},{"name":"BROWSEINFOW","features":[1,219]},{"name":"BSF_CANMAXIMIZE","features":[109]},{"name":"BSF_DELEGATEDNAVIGATION","features":[109]},{"name":"BSF_DONTSHOWNAVCANCELPAGE","features":[109]},{"name":"BSF_FEEDNAVIGATION","features":[109]},{"name":"BSF_FEEDSUBSCRIBED","features":[109]},{"name":"BSF_HTMLNAVCANCELED","features":[109]},{"name":"BSF_MERGEDMENUS","features":[109]},{"name":"BSF_NAVNOHISTORY","features":[109]},{"name":"BSF_NOLOCALFILEWARNING","features":[109]},{"name":"BSF_REGISTERASDROPTARGET","features":[109]},{"name":"BSF_RESIZABLE","features":[109]},{"name":"BSF_SETNAVIGATABLECODEPAGE","features":[109]},{"name":"BSF_THEATERMODE","features":[109]},{"name":"BSF_TOPBROWSER","features":[109]},{"name":"BSF_TRUSTEDFORACTIVEX","features":[109]},{"name":"BSF_UISETBYAUTOMATION","features":[109]},{"name":"BSID_BANDADDED","features":[109]},{"name":"BSID_BANDREMOVED","features":[109]},{"name":"BSIM_STATE","features":[109]},{"name":"BSIM_STYLE","features":[109]},{"name":"BSIS_ALWAYSGRIPPER","features":[109]},{"name":"BSIS_AUTOGRIPPER","features":[109]},{"name":"BSIS_FIXEDORDER","features":[109]},{"name":"BSIS_LEFTALIGN","features":[109]},{"name":"BSIS_LOCKED","features":[109]},{"name":"BSIS_NOCAPTION","features":[109]},{"name":"BSIS_NOCONTEXTMENU","features":[109]},{"name":"BSIS_NODROPTARGET","features":[109]},{"name":"BSIS_NOGRIPPER","features":[109]},{"name":"BSIS_PREFERNOLINEBREAK","features":[109]},{"name":"BSIS_PRESERVEORDERDURINGLAYOUT","features":[109]},{"name":"BSIS_SINGLECLICK","features":[109]},{"name":"BSSF_NOTITLE","features":[109]},{"name":"BSSF_UNDELETEABLE","features":[109]},{"name":"BSSF_VISIBLE","features":[109]},{"name":"BUFFLEN","features":[109]},{"name":"BrowserNavConstants","features":[109]},{"name":"CABINETSTATE","features":[109]},{"name":"CABINETSTATE_VERSION","features":[109]},{"name":"CAMERAROLL_E_NO_DOWNSAMPLING_REQUIRED","features":[109]},{"name":"CATEGORYINFO_FLAGS","features":[109]},{"name":"CATEGORY_INFO","features":[109]},{"name":"CATID_BrowsableShellExt","features":[109]},{"name":"CATID_BrowseInPlace","features":[109]},{"name":"CATID_CommBand","features":[109]},{"name":"CATID_DeskBand","features":[109]},{"name":"CATID_FilePlaceholderMergeHandler","features":[109]},{"name":"CATID_InfoBand","features":[109]},{"name":"CATID_LocationFactory","features":[109]},{"name":"CATID_LocationProvider","features":[109]},{"name":"CATID_SearchableApplication","features":[109]},{"name":"CATINFO_COLLAPSED","features":[109]},{"name":"CATINFO_EXPANDED","features":[109]},{"name":"CATINFO_HIDDEN","features":[109]},{"name":"CATINFO_NOHEADER","features":[109]},{"name":"CATINFO_NOHEADERCOUNT","features":[109]},{"name":"CATINFO_NORMAL","features":[109]},{"name":"CATINFO_NOTCOLLAPSIBLE","features":[109]},{"name":"CATINFO_SEPARATE_IMAGES","features":[109]},{"name":"CATINFO_SHOWEMPTY","features":[109]},{"name":"CATINFO_SUBSETTED","features":[109]},{"name":"CATSORT_DEFAULT","features":[109]},{"name":"CATSORT_FLAGS","features":[109]},{"name":"CATSORT_NAME","features":[109]},{"name":"CDB2GVF_ADDSHIELD","features":[109]},{"name":"CDB2GVF_ALLOWPREVIEWPANE","features":[109]},{"name":"CDB2GVF_ISFILESAVE","features":[109]},{"name":"CDB2GVF_ISFOLDERPICKER","features":[109]},{"name":"CDB2GVF_NOINCLUDEITEM","features":[109]},{"name":"CDB2GVF_NOSELECTVERB","features":[109]},{"name":"CDB2GVF_SHOWALLFILES","features":[109]},{"name":"CDB2N_CONTEXTMENU_DONE","features":[109]},{"name":"CDB2N_CONTEXTMENU_START","features":[109]},{"name":"CDBE_RET_DEFAULT","features":[109]},{"name":"CDBE_RET_DONTRUNOTHEREXTS","features":[109]},{"name":"CDBE_RET_STOPWIZARD","features":[109]},{"name":"CDBE_TYPE_ALL","features":[109]},{"name":"CDBE_TYPE_DATA","features":[109]},{"name":"CDBE_TYPE_MUSIC","features":[109]},{"name":"CDBOSC_KILLFOCUS","features":[109]},{"name":"CDBOSC_RENAME","features":[109]},{"name":"CDBOSC_SELCHANGE","features":[109]},{"name":"CDBOSC_SETFOCUS","features":[109]},{"name":"CDBOSC_STATECHANGE","features":[109]},{"name":"CDBURNINGEXTENSIONRET","features":[109]},{"name":"CDBurn","features":[109]},{"name":"CDCONTROLSTATEF","features":[109]},{"name":"CDCS_ENABLED","features":[109]},{"name":"CDCS_ENABLEDVISIBLE","features":[109]},{"name":"CDCS_INACTIVE","features":[109]},{"name":"CDCS_VISIBLE","features":[109]},{"name":"CDefFolderMenu_Create2","features":[1,49,219]},{"name":"CFSTR_AUTOPLAY_SHELLIDLISTS","features":[109]},{"name":"CFSTR_DROPDESCRIPTION","features":[109]},{"name":"CFSTR_FILECONTENTS","features":[109]},{"name":"CFSTR_FILEDESCRIPTOR","features":[109]},{"name":"CFSTR_FILEDESCRIPTORA","features":[109]},{"name":"CFSTR_FILEDESCRIPTORW","features":[109]},{"name":"CFSTR_FILENAME","features":[109]},{"name":"CFSTR_FILENAMEA","features":[109]},{"name":"CFSTR_FILENAMEMAP","features":[109]},{"name":"CFSTR_FILENAMEMAPA","features":[109]},{"name":"CFSTR_FILENAMEMAPW","features":[109]},{"name":"CFSTR_FILENAMEW","features":[109]},{"name":"CFSTR_FILE_ATTRIBUTES_ARRAY","features":[109]},{"name":"CFSTR_INDRAGLOOP","features":[109]},{"name":"CFSTR_INETURL","features":[109]},{"name":"CFSTR_INETURLA","features":[109]},{"name":"CFSTR_INETURLW","features":[109]},{"name":"CFSTR_INVOKECOMMAND_DROPPARAM","features":[109]},{"name":"CFSTR_LOGICALPERFORMEDDROPEFFECT","features":[109]},{"name":"CFSTR_MOUNTEDVOLUME","features":[109]},{"name":"CFSTR_NETRESOURCES","features":[109]},{"name":"CFSTR_PASTESUCCEEDED","features":[109]},{"name":"CFSTR_PERFORMEDDROPEFFECT","features":[109]},{"name":"CFSTR_PERSISTEDDATAOBJECT","features":[109]},{"name":"CFSTR_PREFERREDDROPEFFECT","features":[109]},{"name":"CFSTR_PRINTERGROUP","features":[109]},{"name":"CFSTR_SHELLDROPHANDLER","features":[109]},{"name":"CFSTR_SHELLIDLIST","features":[109]},{"name":"CFSTR_SHELLIDLISTOFFSET","features":[109]},{"name":"CFSTR_SHELLURL","features":[109]},{"name":"CFSTR_TARGETCLSID","features":[109]},{"name":"CFSTR_UNTRUSTEDDRAGDROP","features":[109]},{"name":"CFSTR_ZONEIDENTIFIER","features":[109]},{"name":"CGID_DefView","features":[109]},{"name":"CGID_Explorer","features":[109]},{"name":"CGID_ExplorerBarDoc","features":[109]},{"name":"CGID_MENUDESKBAR","features":[109]},{"name":"CGID_ShellDocView","features":[109]},{"name":"CGID_ShellServiceObject","features":[109]},{"name":"CGID_ShortCut","features":[109]},{"name":"CIDA","features":[109]},{"name":"CIDLData_CreateFromIDArray","features":[219]},{"name":"CIE4ConnectionPoint","features":[109]},{"name":"CLOSEPROPS_DISCARD","features":[109]},{"name":"CLOSEPROPS_NONE","features":[109]},{"name":"CLSID_ACLCustomMRU","features":[109]},{"name":"CLSID_ACLHistory","features":[109]},{"name":"CLSID_ACLMRU","features":[109]},{"name":"CLSID_ACLMulti","features":[109]},{"name":"CLSID_ACListISF","features":[109]},{"name":"CLSID_ActiveDesktop","features":[109]},{"name":"CLSID_AutoComplete","features":[109]},{"name":"CLSID_CAnchorBrowsePropertyPage","features":[109]},{"name":"CLSID_CDocBrowsePropertyPage","features":[109]},{"name":"CLSID_CFSIconOverlayManager","features":[109]},{"name":"CLSID_CImageBrowsePropertyPage","features":[109]},{"name":"CLSID_CURLSearchHook","features":[109]},{"name":"CLSID_CUrlHistory","features":[109]},{"name":"CLSID_CUrlHistoryBoth","features":[109]},{"name":"CLSID_ControlPanel","features":[109]},{"name":"CLSID_DarwinAppPublisher","features":[109]},{"name":"CLSID_DocHostUIHandler","features":[109]},{"name":"CLSID_DragDropHelper","features":[109]},{"name":"CLSID_FileTypes","features":[109]},{"name":"CLSID_FolderItemsMultiLevel","features":[109]},{"name":"CLSID_FolderShortcut","features":[109]},{"name":"CLSID_HWShellExecute","features":[109]},{"name":"CLSID_ISFBand","features":[109]},{"name":"CLSID_Internet","features":[109]},{"name":"CLSID_InternetButtons","features":[109]},{"name":"CLSID_InternetShortcut","features":[109]},{"name":"CLSID_LinkColumnProvider","features":[109]},{"name":"CLSID_MSOButtons","features":[109]},{"name":"CLSID_MenuBand","features":[109]},{"name":"CLSID_MenuBandSite","features":[109]},{"name":"CLSID_MenuToolbarBase","features":[109]},{"name":"CLSID_MyComputer","features":[109]},{"name":"CLSID_MyDocuments","features":[109]},{"name":"CLSID_NetworkDomain","features":[109]},{"name":"CLSID_NetworkServer","features":[109]},{"name":"CLSID_NetworkShare","features":[109]},{"name":"CLSID_NewMenu","features":[109]},{"name":"CLSID_Printers","features":[109]},{"name":"CLSID_ProgressDialog","features":[109]},{"name":"CLSID_QueryAssociations","features":[109]},{"name":"CLSID_QuickLinks","features":[109]},{"name":"CLSID_RecycleBin","features":[109]},{"name":"CLSID_ShellFldSetExt","features":[109]},{"name":"CLSID_ShellThumbnailDiskCache","features":[109]},{"name":"CLSID_ToolbarExtButtons","features":[109]},{"name":"CMDID_INTSHORTCUTCREATE","features":[109]},{"name":"CMDSTR_NEWFOLDER","features":[109]},{"name":"CMDSTR_NEWFOLDERA","features":[109]},{"name":"CMDSTR_NEWFOLDERW","features":[109]},{"name":"CMDSTR_VIEWDETAILS","features":[109]},{"name":"CMDSTR_VIEWDETAILSA","features":[109]},{"name":"CMDSTR_VIEWDETAILSW","features":[109]},{"name":"CMDSTR_VIEWLIST","features":[109]},{"name":"CMDSTR_VIEWLISTA","features":[109]},{"name":"CMDSTR_VIEWLISTW","features":[109]},{"name":"CMF_ASYNCVERBSTATE","features":[109]},{"name":"CMF_CANRENAME","features":[109]},{"name":"CMF_DEFAULTONLY","features":[109]},{"name":"CMF_DISABLEDVERBS","features":[109]},{"name":"CMF_DONOTPICKDEFAULT","features":[109]},{"name":"CMF_EXPLORE","features":[109]},{"name":"CMF_EXTENDEDVERBS","features":[109]},{"name":"CMF_INCLUDESTATIC","features":[109]},{"name":"CMF_ITEMMENU","features":[109]},{"name":"CMF_NODEFAULT","features":[109]},{"name":"CMF_NORMAL","features":[109]},{"name":"CMF_NOVERBS","features":[109]},{"name":"CMF_OPTIMIZEFORINVOKE","features":[109]},{"name":"CMF_RESERVED","features":[109]},{"name":"CMF_SYNCCASCADEMENU","features":[109]},{"name":"CMF_VERBSONLY","features":[109]},{"name":"CMIC_MASK_CONTROL_DOWN","features":[109]},{"name":"CMIC_MASK_PTINVOKE","features":[109]},{"name":"CMIC_MASK_SHIFT_DOWN","features":[109]},{"name":"CMINVOKECOMMANDINFO","features":[1,109]},{"name":"CMINVOKECOMMANDINFOEX","features":[1,109]},{"name":"CMINVOKECOMMANDINFOEX_REMOTE","features":[1,109]},{"name":"CM_COLUMNINFO","features":[109]},{"name":"CM_ENUM_ALL","features":[109]},{"name":"CM_ENUM_FLAGS","features":[109]},{"name":"CM_ENUM_VISIBLE","features":[109]},{"name":"CM_MASK","features":[109]},{"name":"CM_MASK_DEFAULTWIDTH","features":[109]},{"name":"CM_MASK_IDEALWIDTH","features":[109]},{"name":"CM_MASK_NAME","features":[109]},{"name":"CM_MASK_STATE","features":[109]},{"name":"CM_MASK_WIDTH","features":[109]},{"name":"CM_SET_WIDTH_VALUE","features":[109]},{"name":"CM_STATE","features":[109]},{"name":"CM_STATE_ALWAYSVISIBLE","features":[109]},{"name":"CM_STATE_FIXEDWIDTH","features":[109]},{"name":"CM_STATE_NONE","features":[109]},{"name":"CM_STATE_NOSORTBYFOLDERNESS","features":[109]},{"name":"CM_STATE_VISIBLE","features":[109]},{"name":"CM_WIDTH_AUTOSIZE","features":[109]},{"name":"CM_WIDTH_USEDEFAULT","features":[109]},{"name":"COMPONENT_DEFAULT_LEFT","features":[109]},{"name":"COMPONENT_DEFAULT_TOP","features":[109]},{"name":"COMPONENT_TOP","features":[109]},{"name":"COMP_ELEM_CHECKED","features":[109]},{"name":"COMP_ELEM_CURITEMSTATE","features":[109]},{"name":"COMP_ELEM_DIRTY","features":[109]},{"name":"COMP_ELEM_FRIENDLYNAME","features":[109]},{"name":"COMP_ELEM_NOSCROLL","features":[109]},{"name":"COMP_ELEM_ORIGINAL_CSI","features":[109]},{"name":"COMP_ELEM_POS_LEFT","features":[109]},{"name":"COMP_ELEM_POS_TOP","features":[109]},{"name":"COMP_ELEM_POS_ZINDEX","features":[109]},{"name":"COMP_ELEM_RESTORED_CSI","features":[109]},{"name":"COMP_ELEM_SIZE_HEIGHT","features":[109]},{"name":"COMP_ELEM_SIZE_WIDTH","features":[109]},{"name":"COMP_ELEM_SOURCE","features":[109]},{"name":"COMP_ELEM_SUBSCRIBEDURL","features":[109]},{"name":"COMP_ELEM_TYPE","features":[109]},{"name":"COMP_TYPE_CFHTML","features":[109]},{"name":"COMP_TYPE_CONTROL","features":[109]},{"name":"COMP_TYPE_HTMLDOC","features":[109]},{"name":"COMP_TYPE_MAX","features":[109]},{"name":"COMP_TYPE_PICTURE","features":[109]},{"name":"COMP_TYPE_WEBSITE","features":[109]},{"name":"CONFIRM_CONFLICT_ITEM","features":[109]},{"name":"CONFIRM_CONFLICT_RESULT_INFO","features":[109]},{"name":"CONFLICT_RESOLUTION_CLSID_KEY","features":[109]},{"name":"COPYENGINE_E_ACCESSDENIED_READONLY","features":[109]},{"name":"COPYENGINE_E_ACCESS_DENIED_DEST","features":[109]},{"name":"COPYENGINE_E_ACCESS_DENIED_SRC","features":[109]},{"name":"COPYENGINE_E_ALREADY_EXISTS_FOLDER","features":[109]},{"name":"COPYENGINE_E_ALREADY_EXISTS_NORMAL","features":[109]},{"name":"COPYENGINE_E_ALREADY_EXISTS_READONLY","features":[109]},{"name":"COPYENGINE_E_ALREADY_EXISTS_SYSTEM","features":[109]},{"name":"COPYENGINE_E_BLOCKED_BY_DLP_POLICY","features":[109]},{"name":"COPYENGINE_E_BLOCKED_BY_EDP_FOR_REMOVABLE_DRIVE","features":[109]},{"name":"COPYENGINE_E_BLOCKED_BY_EDP_POLICY","features":[109]},{"name":"COPYENGINE_E_CANCELLED","features":[109]},{"name":"COPYENGINE_E_CANNOT_MOVE_FROM_RECYCLE_BIN","features":[109]},{"name":"COPYENGINE_E_CANNOT_MOVE_SHARED_FOLDER","features":[109]},{"name":"COPYENGINE_E_CANT_REACH_SOURCE","features":[109]},{"name":"COPYENGINE_E_DEST_IS_RO_CD","features":[109]},{"name":"COPYENGINE_E_DEST_IS_RO_DVD","features":[109]},{"name":"COPYENGINE_E_DEST_IS_RW_CD","features":[109]},{"name":"COPYENGINE_E_DEST_IS_RW_DVD","features":[109]},{"name":"COPYENGINE_E_DEST_IS_R_CD","features":[109]},{"name":"COPYENGINE_E_DEST_IS_R_DVD","features":[109]},{"name":"COPYENGINE_E_DEST_SAME_TREE","features":[109]},{"name":"COPYENGINE_E_DEST_SUBTREE","features":[109]},{"name":"COPYENGINE_E_DIFF_DIR","features":[109]},{"name":"COPYENGINE_E_DIR_NOT_EMPTY","features":[109]},{"name":"COPYENGINE_E_DISK_FULL","features":[109]},{"name":"COPYENGINE_E_DISK_FULL_CLEAN","features":[109]},{"name":"COPYENGINE_E_EA_LOSS","features":[109]},{"name":"COPYENGINE_E_EA_NOT_SUPPORTED","features":[109]},{"name":"COPYENGINE_E_ENCRYPTION_LOSS","features":[109]},{"name":"COPYENGINE_E_FAT_MAX_IN_ROOT","features":[109]},{"name":"COPYENGINE_E_FILE_IS_FLD_DEST","features":[109]},{"name":"COPYENGINE_E_FILE_TOO_LARGE","features":[109]},{"name":"COPYENGINE_E_FLD_IS_FILE_DEST","features":[109]},{"name":"COPYENGINE_E_INTERNET_ITEM_STORAGE_PROVIDER_ERROR","features":[109]},{"name":"COPYENGINE_E_INTERNET_ITEM_STORAGE_PROVIDER_PAUSED","features":[109]},{"name":"COPYENGINE_E_INTERNET_ITEM_UNAVAILABLE","features":[109]},{"name":"COPYENGINE_E_INVALID_FILES_DEST","features":[109]},{"name":"COPYENGINE_E_INVALID_FILES_SRC","features":[109]},{"name":"COPYENGINE_E_MANY_SRC_1_DEST","features":[109]},{"name":"COPYENGINE_E_NET_DISCONNECT_DEST","features":[109]},{"name":"COPYENGINE_E_NET_DISCONNECT_SRC","features":[109]},{"name":"COPYENGINE_E_NEWFILE_NAME_TOO_LONG","features":[109]},{"name":"COPYENGINE_E_NEWFOLDER_NAME_TOO_LONG","features":[109]},{"name":"COPYENGINE_E_PATH_NOT_FOUND_DEST","features":[109]},{"name":"COPYENGINE_E_PATH_NOT_FOUND_SRC","features":[109]},{"name":"COPYENGINE_E_PATH_TOO_DEEP_DEST","features":[109]},{"name":"COPYENGINE_E_PATH_TOO_DEEP_SRC","features":[109]},{"name":"COPYENGINE_E_PROPERTIES_LOSS","features":[109]},{"name":"COPYENGINE_E_PROPERTY_LOSS","features":[109]},{"name":"COPYENGINE_E_RECYCLE_BIN_NOT_FOUND","features":[109]},{"name":"COPYENGINE_E_RECYCLE_FORCE_NUKE","features":[109]},{"name":"COPYENGINE_E_RECYCLE_PATH_TOO_LONG","features":[109]},{"name":"COPYENGINE_E_RECYCLE_SIZE_TOO_BIG","features":[109]},{"name":"COPYENGINE_E_RECYCLE_UNKNOWN_ERROR","features":[109]},{"name":"COPYENGINE_E_REDIRECTED_TO_WEBPAGE","features":[109]},{"name":"COPYENGINE_E_REMOVABLE_FULL","features":[109]},{"name":"COPYENGINE_E_REQUIRES_EDP_CONSENT","features":[109]},{"name":"COPYENGINE_E_REQUIRES_EDP_CONSENT_FOR_REMOVABLE_DRIVE","features":[109]},{"name":"COPYENGINE_E_REQUIRES_ELEVATION","features":[109]},{"name":"COPYENGINE_E_RMS_BLOCKED_BY_EDP_FOR_REMOVABLE_DRIVE","features":[109]},{"name":"COPYENGINE_E_RMS_REQUIRES_EDP_CONSENT_FOR_REMOVABLE_DRIVE","features":[109]},{"name":"COPYENGINE_E_ROOT_DIR_DEST","features":[109]},{"name":"COPYENGINE_E_ROOT_DIR_SRC","features":[109]},{"name":"COPYENGINE_E_SAME_FILE","features":[109]},{"name":"COPYENGINE_E_SERVER_BAD_FILE_TYPE","features":[109]},{"name":"COPYENGINE_E_SHARING_VIOLATION_DEST","features":[109]},{"name":"COPYENGINE_E_SHARING_VIOLATION_SRC","features":[109]},{"name":"COPYENGINE_E_SILENT_FAIL_BY_DLP_POLICY","features":[109]},{"name":"COPYENGINE_E_SRC_IS_RO_CD","features":[109]},{"name":"COPYENGINE_E_SRC_IS_RO_DVD","features":[109]},{"name":"COPYENGINE_E_SRC_IS_RW_CD","features":[109]},{"name":"COPYENGINE_E_SRC_IS_RW_DVD","features":[109]},{"name":"COPYENGINE_E_SRC_IS_R_CD","features":[109]},{"name":"COPYENGINE_E_SRC_IS_R_DVD","features":[109]},{"name":"COPYENGINE_E_STREAM_LOSS","features":[109]},{"name":"COPYENGINE_E_USER_CANCELLED","features":[109]},{"name":"COPYENGINE_E_WARNED_BY_DLP_POLICY","features":[109]},{"name":"COPYENGINE_S_ALREADY_DONE","features":[109]},{"name":"COPYENGINE_S_CLOSE_PROGRAM","features":[109]},{"name":"COPYENGINE_S_COLLISIONRESOLVED","features":[109]},{"name":"COPYENGINE_S_DONT_PROCESS_CHILDREN","features":[109]},{"name":"COPYENGINE_S_KEEP_BOTH","features":[109]},{"name":"COPYENGINE_S_MERGE","features":[109]},{"name":"COPYENGINE_S_NOT_HANDLED","features":[109]},{"name":"COPYENGINE_S_PENDING","features":[109]},{"name":"COPYENGINE_S_PENDING_DELETE","features":[109]},{"name":"COPYENGINE_S_PROGRESS_PAUSE","features":[109]},{"name":"COPYENGINE_S_USER_IGNORED","features":[109]},{"name":"COPYENGINE_S_USER_RETRY","features":[109]},{"name":"COPYENGINE_S_YES","features":[109]},{"name":"CPAO_EMPTY_CONNECTED","features":[109]},{"name":"CPAO_EMPTY_LOCAL","features":[109]},{"name":"CPAO_NONE","features":[109]},{"name":"CPCFO_ENABLE_PASSWORD_REVEAL","features":[109]},{"name":"CPCFO_ENABLE_TOUCH_KEYBOARD_AUTO_INVOKE","features":[109]},{"name":"CPCFO_IS_EMAIL_ADDRESS","features":[109]},{"name":"CPCFO_NONE","features":[109]},{"name":"CPCFO_NUMBERS_ONLY","features":[109]},{"name":"CPCFO_SHOW_ENGLISH_KEYBOARD","features":[109]},{"name":"CPFG_CREDENTIAL_PROVIDER_LABEL","features":[109]},{"name":"CPFG_CREDENTIAL_PROVIDER_LOGO","features":[109]},{"name":"CPFG_LOGON_PASSWORD","features":[109]},{"name":"CPFG_LOGON_USERNAME","features":[109]},{"name":"CPFG_SMARTCARD_PIN","features":[109]},{"name":"CPFG_SMARTCARD_USERNAME","features":[109]},{"name":"CPFG_STANDALONE_SUBMIT_BUTTON","features":[109]},{"name":"CPFG_STYLE_LINK_AS_BUTTON","features":[109]},{"name":"CPFIS_DISABLED","features":[109]},{"name":"CPFIS_FOCUSED","features":[109]},{"name":"CPFIS_NONE","features":[109]},{"name":"CPFIS_READONLY","features":[109]},{"name":"CPFS_DISPLAY_IN_BOTH","features":[109]},{"name":"CPFS_DISPLAY_IN_DESELECTED_TILE","features":[109]},{"name":"CPFS_DISPLAY_IN_SELECTED_TILE","features":[109]},{"name":"CPFS_HIDDEN","features":[109]},{"name":"CPFT_CHECKBOX","features":[109]},{"name":"CPFT_COMBOBOX","features":[109]},{"name":"CPFT_COMMAND_LINK","features":[109]},{"name":"CPFT_EDIT_TEXT","features":[109]},{"name":"CPFT_INVALID","features":[109]},{"name":"CPFT_LARGE_TEXT","features":[109]},{"name":"CPFT_PASSWORD_TEXT","features":[109]},{"name":"CPFT_SMALL_TEXT","features":[109]},{"name":"CPFT_SUBMIT_BUTTON","features":[109]},{"name":"CPFT_TILE_IMAGE","features":[109]},{"name":"CPGSR_NO_CREDENTIAL_FINISHED","features":[109]},{"name":"CPGSR_NO_CREDENTIAL_NOT_FINISHED","features":[109]},{"name":"CPGSR_RETURN_CREDENTIAL_FINISHED","features":[109]},{"name":"CPGSR_RETURN_NO_CREDENTIAL_FINISHED","features":[109]},{"name":"CPLINFO","features":[109]},{"name":"CPLPAGE_DISPLAY_BACKGROUND","features":[109]},{"name":"CPLPAGE_KEYBOARD_SPEED","features":[109]},{"name":"CPLPAGE_MOUSE_BUTTONS","features":[109]},{"name":"CPLPAGE_MOUSE_PTRMOTION","features":[109]},{"name":"CPLPAGE_MOUSE_WHEEL","features":[109]},{"name":"CPL_DBLCLK","features":[109]},{"name":"CPL_DYNAMIC_RES","features":[109]},{"name":"CPL_EXIT","features":[109]},{"name":"CPL_GETCOUNT","features":[109]},{"name":"CPL_INIT","features":[109]},{"name":"CPL_INQUIRE","features":[109]},{"name":"CPL_NEWINQUIRE","features":[109]},{"name":"CPL_SELECT","features":[109]},{"name":"CPL_SETUP","features":[109]},{"name":"CPL_STARTWPARMS","features":[109]},{"name":"CPL_STARTWPARMSA","features":[109]},{"name":"CPL_STARTWPARMSW","features":[109]},{"name":"CPL_STOP","features":[109]},{"name":"CPSI_ERROR","features":[109]},{"name":"CPSI_NONE","features":[109]},{"name":"CPSI_SUCCESS","features":[109]},{"name":"CPSI_WARNING","features":[109]},{"name":"CPUS_CHANGE_PASSWORD","features":[109]},{"name":"CPUS_CREDUI","features":[109]},{"name":"CPUS_INVALID","features":[109]},{"name":"CPUS_LOGON","features":[109]},{"name":"CPUS_PLAP","features":[109]},{"name":"CPUS_UNLOCK_WORKSTATION","features":[109]},{"name":"CPVIEW","features":[109]},{"name":"CPVIEW_ALLITEMS","features":[109]},{"name":"CPVIEW_CATEGORY","features":[109]},{"name":"CPVIEW_CLASSIC","features":[109]},{"name":"CPVIEW_HOME","features":[109]},{"name":"CREDENTIAL_PROVIDER_ACCOUNT_OPTIONS","features":[109]},{"name":"CREDENTIAL_PROVIDER_CREDENTIAL_FIELD_OPTIONS","features":[109]},{"name":"CREDENTIAL_PROVIDER_CREDENTIAL_SERIALIZATION","features":[109]},{"name":"CREDENTIAL_PROVIDER_FIELD_DESCRIPTOR","features":[109]},{"name":"CREDENTIAL_PROVIDER_FIELD_INTERACTIVE_STATE","features":[109]},{"name":"CREDENTIAL_PROVIDER_FIELD_STATE","features":[109]},{"name":"CREDENTIAL_PROVIDER_FIELD_TYPE","features":[109]},{"name":"CREDENTIAL_PROVIDER_GET_SERIALIZATION_RESPONSE","features":[109]},{"name":"CREDENTIAL_PROVIDER_NO_DEFAULT","features":[109]},{"name":"CREDENTIAL_PROVIDER_STATUS_ICON","features":[109]},{"name":"CREDENTIAL_PROVIDER_USAGE_SCENARIO","features":[109]},{"name":"CSC_NAVIGATEBACK","features":[109]},{"name":"CSC_NAVIGATEFORWARD","features":[109]},{"name":"CSC_UPDATECOMMANDS","features":[109]},{"name":"CSFV","features":[1,219]},{"name":"CSIDL_ADMINTOOLS","features":[109]},{"name":"CSIDL_ALTSTARTUP","features":[109]},{"name":"CSIDL_APPDATA","features":[109]},{"name":"CSIDL_BITBUCKET","features":[109]},{"name":"CSIDL_CDBURN_AREA","features":[109]},{"name":"CSIDL_COMMON_ADMINTOOLS","features":[109]},{"name":"CSIDL_COMMON_ALTSTARTUP","features":[109]},{"name":"CSIDL_COMMON_APPDATA","features":[109]},{"name":"CSIDL_COMMON_DESKTOPDIRECTORY","features":[109]},{"name":"CSIDL_COMMON_DOCUMENTS","features":[109]},{"name":"CSIDL_COMMON_FAVORITES","features":[109]},{"name":"CSIDL_COMMON_MUSIC","features":[109]},{"name":"CSIDL_COMMON_OEM_LINKS","features":[109]},{"name":"CSIDL_COMMON_PICTURES","features":[109]},{"name":"CSIDL_COMMON_PROGRAMS","features":[109]},{"name":"CSIDL_COMMON_STARTMENU","features":[109]},{"name":"CSIDL_COMMON_STARTUP","features":[109]},{"name":"CSIDL_COMMON_TEMPLATES","features":[109]},{"name":"CSIDL_COMMON_VIDEO","features":[109]},{"name":"CSIDL_COMPUTERSNEARME","features":[109]},{"name":"CSIDL_CONNECTIONS","features":[109]},{"name":"CSIDL_CONTROLS","features":[109]},{"name":"CSIDL_COOKIES","features":[109]},{"name":"CSIDL_DESKTOP","features":[109]},{"name":"CSIDL_DESKTOPDIRECTORY","features":[109]},{"name":"CSIDL_DRIVES","features":[109]},{"name":"CSIDL_FAVORITES","features":[109]},{"name":"CSIDL_FLAG_CREATE","features":[109]},{"name":"CSIDL_FLAG_DONT_UNEXPAND","features":[109]},{"name":"CSIDL_FLAG_DONT_VERIFY","features":[109]},{"name":"CSIDL_FLAG_MASK","features":[109]},{"name":"CSIDL_FLAG_NO_ALIAS","features":[109]},{"name":"CSIDL_FLAG_PER_USER_INIT","features":[109]},{"name":"CSIDL_FLAG_PFTI_TRACKTARGET","features":[109]},{"name":"CSIDL_FONTS","features":[109]},{"name":"CSIDL_HISTORY","features":[109]},{"name":"CSIDL_INTERNET","features":[109]},{"name":"CSIDL_INTERNET_CACHE","features":[109]},{"name":"CSIDL_LOCAL_APPDATA","features":[109]},{"name":"CSIDL_MYDOCUMENTS","features":[109]},{"name":"CSIDL_MYMUSIC","features":[109]},{"name":"CSIDL_MYPICTURES","features":[109]},{"name":"CSIDL_MYVIDEO","features":[109]},{"name":"CSIDL_NETHOOD","features":[109]},{"name":"CSIDL_NETWORK","features":[109]},{"name":"CSIDL_PERSONAL","features":[109]},{"name":"CSIDL_PRINTERS","features":[109]},{"name":"CSIDL_PRINTHOOD","features":[109]},{"name":"CSIDL_PROFILE","features":[109]},{"name":"CSIDL_PROGRAMS","features":[109]},{"name":"CSIDL_PROGRAM_FILES","features":[109]},{"name":"CSIDL_PROGRAM_FILESX86","features":[109]},{"name":"CSIDL_PROGRAM_FILES_COMMON","features":[109]},{"name":"CSIDL_PROGRAM_FILES_COMMONX86","features":[109]},{"name":"CSIDL_RECENT","features":[109]},{"name":"CSIDL_RESOURCES","features":[109]},{"name":"CSIDL_RESOURCES_LOCALIZED","features":[109]},{"name":"CSIDL_SENDTO","features":[109]},{"name":"CSIDL_STARTMENU","features":[109]},{"name":"CSIDL_STARTUP","features":[109]},{"name":"CSIDL_SYSTEM","features":[109]},{"name":"CSIDL_SYSTEMX86","features":[109]},{"name":"CSIDL_TEMPLATES","features":[109]},{"name":"CSIDL_WINDOWS","features":[109]},{"name":"CScriptErrorList","features":[109]},{"name":"CTF_COINIT","features":[109]},{"name":"CTF_COINIT_MTA","features":[109]},{"name":"CTF_COINIT_STA","features":[109]},{"name":"CTF_FREELIBANDEXIT","features":[109]},{"name":"CTF_INHERITWOW64","features":[109]},{"name":"CTF_INSIST","features":[109]},{"name":"CTF_KEYBOARD_LOCALE","features":[109]},{"name":"CTF_NOADDREFLIB","features":[109]},{"name":"CTF_OLEINITIALIZE","features":[109]},{"name":"CTF_PROCESS_REF","features":[109]},{"name":"CTF_REF_COUNTED","features":[109]},{"name":"CTF_THREAD_REF","features":[109]},{"name":"CTF_UNUSED","features":[109]},{"name":"CTF_WAIT_ALLOWCOM","features":[109]},{"name":"CTF_WAIT_NO_REENTRANCY","features":[109]},{"name":"ChrCmpIA","features":[1,109]},{"name":"ChrCmpIW","features":[1,109]},{"name":"ColorAdjustLuma","features":[1,109]},{"name":"ColorHLSToRGB","features":[1,109]},{"name":"ColorRGBToHLS","features":[1,109]},{"name":"CommandLineToArgvW","features":[109]},{"name":"CommandStateChangeConstants","features":[109]},{"name":"ConflictFolder","features":[109]},{"name":"ConnectToConnectionPoint","features":[1,109]},{"name":"CreateProfile","features":[109]},{"name":"DAD_AutoScroll","features":[1,109]},{"name":"DAD_DragEnterEx","features":[1,109]},{"name":"DAD_DragEnterEx2","features":[1,109]},{"name":"DAD_DragLeave","features":[1,109]},{"name":"DAD_DragMove","features":[1,109]},{"name":"DAD_SetDragImage","features":[1,40,109]},{"name":"DAD_ShowDragImage","features":[1,109]},{"name":"DATABLOCK_HEADER","features":[109]},{"name":"DATAOBJ_GET_ITEM_FLAGS","features":[109]},{"name":"DBCID_CLSIDOFBAR","features":[109]},{"name":"DBCID_EMPTY","features":[109]},{"name":"DBCID_GETBAR","features":[109]},{"name":"DBCID_ONDRAG","features":[109]},{"name":"DBCID_RESIZE","features":[109]},{"name":"DBCID_UPDATESIZE","features":[109]},{"name":"DBC_GS_IDEAL","features":[109]},{"name":"DBC_GS_SIZEDOWN","features":[109]},{"name":"DBC_HIDE","features":[109]},{"name":"DBC_SHOW","features":[109]},{"name":"DBC_SHOWOBSCURE","features":[109]},{"name":"DBID_BANDINFOCHANGED","features":[109]},{"name":"DBID_DELAYINIT","features":[109]},{"name":"DBID_FINISHINIT","features":[109]},{"name":"DBID_MAXIMIZEBAND","features":[109]},{"name":"DBID_PERMITAUTOHIDE","features":[109]},{"name":"DBID_PUSHCHEVRON","features":[109]},{"name":"DBID_SETWINDOWTHEME","features":[109]},{"name":"DBID_SHOWONLY","features":[109]},{"name":"DBIF_VIEWMODE_FLOATING","features":[109]},{"name":"DBIF_VIEWMODE_NORMAL","features":[109]},{"name":"DBIF_VIEWMODE_TRANSPARENT","features":[109]},{"name":"DBIF_VIEWMODE_VERTICAL","features":[109]},{"name":"DBIMF_ADDTOFRONT","features":[109]},{"name":"DBIMF_ALWAYSGRIPPER","features":[109]},{"name":"DBIMF_BKCOLOR","features":[109]},{"name":"DBIMF_BREAK","features":[109]},{"name":"DBIMF_DEBOSSED","features":[109]},{"name":"DBIMF_FIXED","features":[109]},{"name":"DBIMF_FIXEDBMP","features":[109]},{"name":"DBIMF_NOGRIPPER","features":[109]},{"name":"DBIMF_NOMARGINS","features":[109]},{"name":"DBIMF_NORMAL","features":[109]},{"name":"DBIMF_TOPALIGN","features":[109]},{"name":"DBIMF_UNDELETEABLE","features":[109]},{"name":"DBIMF_USECHEVRON","features":[109]},{"name":"DBIMF_VARIABLEHEIGHT","features":[109]},{"name":"DBIM_ACTUAL","features":[109]},{"name":"DBIM_BKCOLOR","features":[109]},{"name":"DBIM_INTEGRAL","features":[109]},{"name":"DBIM_MAXSIZE","features":[109]},{"name":"DBIM_MINSIZE","features":[109]},{"name":"DBIM_MODEFLAGS","features":[109]},{"name":"DBIM_TITLE","features":[109]},{"name":"DBPC_SELECTFIRST","features":[109]},{"name":"DEFAULTSAVEFOLDERTYPE","features":[109]},{"name":"DEFAULT_FOLDER_MENU_RESTRICTIONS","features":[109]},{"name":"DEFCONTEXTMENU","features":[1,49,219]},{"name":"DEFSHAREID_PUBLIC","features":[109]},{"name":"DEFSHAREID_USERS","features":[109]},{"name":"DEF_SHARE_ID","features":[109]},{"name":"DELEGATEITEMID","features":[109]},{"name":"DESKBANDCID","features":[109]},{"name":"DESKBANDINFO","features":[1,109]},{"name":"DESKTOP_SLIDESHOW_DIRECTION","features":[109]},{"name":"DESKTOP_SLIDESHOW_OPTIONS","features":[109]},{"name":"DESKTOP_SLIDESHOW_STATE","features":[109]},{"name":"DESKTOP_WALLPAPER_POSITION","features":[109]},{"name":"DETAILSINFO","features":[219]},{"name":"DEVICE_IMMERSIVE","features":[109]},{"name":"DEVICE_PRIMARY","features":[109]},{"name":"DFConstraint","features":[109]},{"name":"DFMICS","features":[1,109]},{"name":"DFMR_DEFAULT","features":[109]},{"name":"DFMR_NO_ASYNC_VERBS","features":[109]},{"name":"DFMR_NO_NATIVECPU_VERBS","features":[109]},{"name":"DFMR_NO_NONWOW_VERBS","features":[109]},{"name":"DFMR_NO_RESOURCE_VERBS","features":[109]},{"name":"DFMR_NO_STATIC_VERBS","features":[109]},{"name":"DFMR_OPTIN_HANDLERS_ONLY","features":[109]},{"name":"DFMR_RESOURCE_AND_FOLDER_VERBS_ONLY","features":[109]},{"name":"DFMR_STATIC_VERBS_ONLY","features":[109]},{"name":"DFMR_USE_SPECIFIED_HANDLERS","features":[109]},{"name":"DFMR_USE_SPECIFIED_VERBS","features":[109]},{"name":"DFM_CMD","features":[109]},{"name":"DFM_CMD_COPY","features":[109]},{"name":"DFM_CMD_DELETE","features":[109]},{"name":"DFM_CMD_LINK","features":[109]},{"name":"DFM_CMD_MODALPROP","features":[109]},{"name":"DFM_CMD_MOVE","features":[109]},{"name":"DFM_CMD_NEWFOLDER","features":[109]},{"name":"DFM_CMD_PASTE","features":[109]},{"name":"DFM_CMD_PASTELINK","features":[109]},{"name":"DFM_CMD_PASTESPECIAL","features":[109]},{"name":"DFM_CMD_PROPERTIES","features":[109]},{"name":"DFM_CMD_RENAME","features":[109]},{"name":"DFM_CMD_VIEWDETAILS","features":[109]},{"name":"DFM_CMD_VIEWLIST","features":[109]},{"name":"DFM_GETDEFSTATICID","features":[109]},{"name":"DFM_GETHELPTEXT","features":[109]},{"name":"DFM_GETHELPTEXTW","features":[109]},{"name":"DFM_GETVERBA","features":[109]},{"name":"DFM_GETVERBW","features":[109]},{"name":"DFM_INVOKECOMMAND","features":[109]},{"name":"DFM_INVOKECOMMANDEX","features":[109]},{"name":"DFM_MAPCOMMANDNAME","features":[109]},{"name":"DFM_MERGECONTEXTMENU","features":[109]},{"name":"DFM_MERGECONTEXTMENU_BOTTOM","features":[109]},{"name":"DFM_MERGECONTEXTMENU_TOP","features":[109]},{"name":"DFM_MESSAGE_ID","features":[109]},{"name":"DFM_MODIFYQCMFLAGS","features":[109]},{"name":"DFM_VALIDATECMD","features":[109]},{"name":"DFM_WM_DRAWITEM","features":[109]},{"name":"DFM_WM_INITMENUPOPUP","features":[109]},{"name":"DFM_WM_MEASUREITEM","features":[109]},{"name":"DISPID_BEGINDRAG","features":[109]},{"name":"DISPID_CHECKSTATECHANGED","features":[109]},{"name":"DISPID_COLUMNSCHANGED","features":[109]},{"name":"DISPID_CONTENTSCHANGED","features":[109]},{"name":"DISPID_CTRLMOUSEWHEEL","features":[109]},{"name":"DISPID_DEFAULTVERBINVOKED","features":[109]},{"name":"DISPID_ENTERPRESSED","features":[109]},{"name":"DISPID_ENTERPRISEIDCHANGED","features":[109]},{"name":"DISPID_EXPLORERWINDOWREADY","features":[109]},{"name":"DISPID_FILELISTENUMDONE","features":[109]},{"name":"DISPID_FILTERINVOKED","features":[109]},{"name":"DISPID_FOCUSCHANGED","features":[109]},{"name":"DISPID_FOLDERCHANGED","features":[109]},{"name":"DISPID_IADCCTL_DEFAULTCAT","features":[109]},{"name":"DISPID_IADCCTL_DIRTY","features":[109]},{"name":"DISPID_IADCCTL_FORCEX86","features":[109]},{"name":"DISPID_IADCCTL_ONDOMAIN","features":[109]},{"name":"DISPID_IADCCTL_PUBCAT","features":[109]},{"name":"DISPID_IADCCTL_SHOWPOSTSETUP","features":[109]},{"name":"DISPID_IADCCTL_SORT","features":[109]},{"name":"DISPID_ICONSIZECHANGED","features":[109]},{"name":"DISPID_INITIALENUMERATIONDONE","features":[109]},{"name":"DISPID_NOITEMSTATE_CHANGED","features":[109]},{"name":"DISPID_ORDERCHANGED","features":[109]},{"name":"DISPID_SEARCHCOMMAND_ABORT","features":[109]},{"name":"DISPID_SEARCHCOMMAND_COMPLETE","features":[109]},{"name":"DISPID_SEARCHCOMMAND_ERROR","features":[109]},{"name":"DISPID_SEARCHCOMMAND_PROGRESSTEXT","features":[109]},{"name":"DISPID_SEARCHCOMMAND_RESTORE","features":[109]},{"name":"DISPID_SEARCHCOMMAND_START","features":[109]},{"name":"DISPID_SEARCHCOMMAND_UPDATE","features":[109]},{"name":"DISPID_SELECTEDITEMCHANGED","features":[109]},{"name":"DISPID_SELECTIONCHANGED","features":[109]},{"name":"DISPID_SORTDONE","features":[109]},{"name":"DISPID_UPDATEIMAGE","features":[109]},{"name":"DISPID_VERBINVOKED","features":[109]},{"name":"DISPID_VIEWMODECHANGED","features":[109]},{"name":"DISPID_VIEWPAINTDONE","features":[109]},{"name":"DISPID_WORDWHEELEDITED","features":[109]},{"name":"DISPLAY_DEVICE_TYPE","features":[109]},{"name":"DI_GETDRAGIMAGE","features":[109]},{"name":"DLG_SCRNSAVECONFIGURE","features":[109]},{"name":"DLLGETVERSIONPROC","features":[109]},{"name":"DLLVERSIONINFO","features":[109]},{"name":"DLLVERSIONINFO2","features":[109]},{"name":"DLLVER_BUILD_MASK","features":[109]},{"name":"DLLVER_MAJOR_MASK","features":[109]},{"name":"DLLVER_MINOR_MASK","features":[109]},{"name":"DLLVER_PLATFORM_NT","features":[109]},{"name":"DLLVER_PLATFORM_WINDOWS","features":[109]},{"name":"DLLVER_QFE_MASK","features":[109]},{"name":"DOGIF_DEFAULT","features":[109]},{"name":"DOGIF_NO_HDROP","features":[109]},{"name":"DOGIF_NO_URL","features":[109]},{"name":"DOGIF_ONLY_IF_ONE","features":[109]},{"name":"DOGIF_TRAVERSE_LINK","features":[109]},{"name":"DRAGINFOA","features":[1,109]},{"name":"DRAGINFOA","features":[1,109]},{"name":"DRAGINFOW","features":[1,109]},{"name":"DRAGINFOW","features":[1,109]},{"name":"DROPDESCRIPTION","features":[109]},{"name":"DROPFILES","features":[1,109]},{"name":"DROPIMAGETYPE","features":[109]},{"name":"DROPIMAGE_COPY","features":[109]},{"name":"DROPIMAGE_INVALID","features":[109]},{"name":"DROPIMAGE_LABEL","features":[109]},{"name":"DROPIMAGE_LINK","features":[109]},{"name":"DROPIMAGE_MOVE","features":[109]},{"name":"DROPIMAGE_NOIMAGE","features":[109]},{"name":"DROPIMAGE_NONE","features":[109]},{"name":"DROPIMAGE_WARNING","features":[109]},{"name":"DSD_BACKWARD","features":[109]},{"name":"DSD_FORWARD","features":[109]},{"name":"DSFT_DETECT","features":[109]},{"name":"DSFT_PRIVATE","features":[109]},{"name":"DSFT_PUBLIC","features":[109]},{"name":"DSH_ALLOWDROPDESCRIPTIONTEXT","features":[109]},{"name":"DSH_FLAGS","features":[109]},{"name":"DSO_SHUFFLEIMAGES","features":[109]},{"name":"DSS_DISABLED_BY_REMOTE_SESSION","features":[109]},{"name":"DSS_ENABLED","features":[109]},{"name":"DSS_SLIDESHOW","features":[109]},{"name":"DShellFolderViewEvents","features":[109]},{"name":"DShellNameSpaceEvents","features":[109]},{"name":"DShellWindowsEvents","features":[109]},{"name":"DVASPECT_COPY","features":[109]},{"name":"DVASPECT_LINK","features":[109]},{"name":"DVASPECT_SHORTNAME","features":[109]},{"name":"DWFAF_AUTOHIDE","features":[109]},{"name":"DWFAF_GROUP1","features":[109]},{"name":"DWFAF_GROUP2","features":[109]},{"name":"DWFAF_HIDDEN","features":[109]},{"name":"DWFRF_DELETECONFIGDATA","features":[109]},{"name":"DWFRF_NORMAL","features":[109]},{"name":"DWPOS_CENTER","features":[109]},{"name":"DWPOS_FILL","features":[109]},{"name":"DWPOS_FIT","features":[109]},{"name":"DWPOS_SPAN","features":[109]},{"name":"DWPOS_STRETCH","features":[109]},{"name":"DWPOS_TILE","features":[109]},{"name":"DWebBrowserEvents","features":[109]},{"name":"DWebBrowserEvents2","features":[109]},{"name":"DefFolderMenu","features":[109]},{"name":"DefSubclassProc","features":[1,109]},{"name":"DeleteProfileA","features":[1,109]},{"name":"DeleteProfileW","features":[1,109]},{"name":"DesktopGadget","features":[109]},{"name":"DesktopWallpaper","features":[109]},{"name":"DestinationList","features":[109]},{"name":"DoEnvironmentSubstA","features":[109]},{"name":"DoEnvironmentSubstW","features":[109]},{"name":"DocPropShellExtension","features":[109]},{"name":"DragAcceptFiles","features":[1,109]},{"name":"DragFinish","features":[109]},{"name":"DragQueryFileA","features":[109]},{"name":"DragQueryFileW","features":[109]},{"name":"DragQueryPoint","features":[1,109]},{"name":"DriveSizeCategorizer","features":[109]},{"name":"DriveType","features":[109]},{"name":"DriveTypeCategorizer","features":[109]},{"name":"DuplicateIcon","features":[1,109,50]},{"name":"EBF_NODROPTARGET","features":[109]},{"name":"EBF_NONE","features":[109]},{"name":"EBF_SELECTFROMDATAOBJECT","features":[109]},{"name":"EBO_ALWAYSNAVIGATE","features":[109]},{"name":"EBO_HTMLSHAREPOINTVIEW","features":[109]},{"name":"EBO_NAVIGATEONCE","features":[109]},{"name":"EBO_NOBORDER","features":[109]},{"name":"EBO_NONE","features":[109]},{"name":"EBO_NOPERSISTVIEWSTATE","features":[109]},{"name":"EBO_NOTRAVELLOG","features":[109]},{"name":"EBO_NOWRAPPERWINDOW","features":[109]},{"name":"EBO_SHOWFRAMES","features":[109]},{"name":"ECF_AUTOMENUICONS","features":[109]},{"name":"ECF_DEFAULT","features":[109]},{"name":"ECF_HASLUASHIELD","features":[109]},{"name":"ECF_HASSPLITBUTTON","features":[109]},{"name":"ECF_HASSUBCOMMANDS","features":[109]},{"name":"ECF_HIDELABEL","features":[109]},{"name":"ECF_ISDROPDOWN","features":[109]},{"name":"ECF_ISSEPARATOR","features":[109]},{"name":"ECF_SEPARATORAFTER","features":[109]},{"name":"ECF_SEPARATORBEFORE","features":[109]},{"name":"ECF_TOGGLEABLE","features":[109]},{"name":"ECHUIM_DESKTOP","features":[109]},{"name":"ECHUIM_IMMERSIVE","features":[109]},{"name":"ECHUIM_SYSTEM_LAUNCHER","features":[109]},{"name":"ECS_CHECKBOX","features":[109]},{"name":"ECS_CHECKED","features":[109]},{"name":"ECS_DISABLED","features":[109]},{"name":"ECS_ENABLED","features":[109]},{"name":"ECS_HIDDEN","features":[109]},{"name":"ECS_RADIOCHECK","features":[109]},{"name":"EC_HOST_UI_MODE","features":[109]},{"name":"EDGE_GESTURE_KIND","features":[109]},{"name":"EGK_KEYBOARD","features":[109]},{"name":"EGK_MOUSE","features":[109]},{"name":"EGK_TOUCH","features":[109]},{"name":"EPS_DEFAULT_OFF","features":[109]},{"name":"EPS_DEFAULT_ON","features":[109]},{"name":"EPS_DONTCARE","features":[109]},{"name":"EPS_FORCE","features":[109]},{"name":"EPS_INITIALSTATE","features":[109]},{"name":"EPS_STATEMASK","features":[109]},{"name":"EP_AdvQueryPane","features":[109]},{"name":"EP_Commands","features":[109]},{"name":"EP_Commands_Organize","features":[109]},{"name":"EP_Commands_View","features":[109]},{"name":"EP_DetailsPane","features":[109]},{"name":"EP_NavPane","features":[109]},{"name":"EP_PreviewPane","features":[109]},{"name":"EP_QueryPane","features":[109]},{"name":"EP_Ribbon","features":[109]},{"name":"EP_StatusBar","features":[109]},{"name":"EXECUTE_E_LAUNCH_APPLICATION","features":[109]},{"name":"EXPLORER_BROWSER_FILL_FLAGS","features":[109]},{"name":"EXPLORER_BROWSER_OPTIONS","features":[109]},{"name":"EXPPS_FILETYPES","features":[109]},{"name":"EXP_DARWIN_ID_SIG","features":[109]},{"name":"EXP_DARWIN_LINK","features":[109]},{"name":"EXP_PROPERTYSTORAGE","features":[109]},{"name":"EXP_PROPERTYSTORAGE_SIG","features":[109]},{"name":"EXP_SPECIAL_FOLDER","features":[109]},{"name":"EXP_SPECIAL_FOLDER_SIG","features":[109]},{"name":"EXP_SZ_ICON_SIG","features":[109]},{"name":"EXP_SZ_LINK","features":[109]},{"name":"EXP_SZ_LINK_SIG","features":[109]},{"name":"EXTRASEARCH","features":[109]},{"name":"E_ACTIVATIONDENIED_SHELLERROR","features":[109]},{"name":"E_ACTIVATIONDENIED_SHELLNOTREADY","features":[109]},{"name":"E_ACTIVATIONDENIED_SHELLRESTART","features":[109]},{"name":"E_ACTIVATIONDENIED_UNEXPECTED","features":[109]},{"name":"E_ACTIVATIONDENIED_USERCLOSE","features":[109]},{"name":"E_FILE_PLACEHOLDER_NOT_INITIALIZED","features":[109]},{"name":"E_FILE_PLACEHOLDER_SERVER_TIMED_OUT","features":[109]},{"name":"E_FILE_PLACEHOLDER_STORAGEPROVIDER_NOT_FOUND","features":[109]},{"name":"E_FILE_PLACEHOLDER_VERSION_MISMATCH","features":[109]},{"name":"E_FLAGS","features":[109]},{"name":"E_IMAGEFEED_CHANGEDISABLED","features":[109]},{"name":"E_NOTVALIDFORANIMATEDIMAGE","features":[109]},{"name":"E_PREVIEWHANDLER_CORRUPT","features":[109]},{"name":"E_PREVIEWHANDLER_DRM_FAIL","features":[109]},{"name":"E_PREVIEWHANDLER_NOAUTH","features":[109]},{"name":"E_PREVIEWHANDLER_NOTFOUND","features":[109]},{"name":"E_SHELL_EXTENSION_BLOCKED","features":[109]},{"name":"E_TILE_NOTIFICATIONS_PLATFORM_FAILURE","features":[109]},{"name":"E_USERTILE_CHANGEDISABLED","features":[109]},{"name":"E_USERTILE_FILESIZE","features":[109]},{"name":"E_USERTILE_LARGEORDYNAMIC","features":[109]},{"name":"E_USERTILE_UNSUPPORTEDFILETYPE","features":[109]},{"name":"E_USERTILE_VIDEOFRAMESIZE","features":[109]},{"name":"EnumerableObjectCollection","features":[109]},{"name":"ExecuteFolder","features":[109]},{"name":"ExecuteUnknown","features":[109]},{"name":"ExplorerBrowser","features":[109]},{"name":"ExtractAssociatedIconA","features":[1,109,50]},{"name":"ExtractAssociatedIconExA","features":[1,109,50]},{"name":"ExtractAssociatedIconExW","features":[1,109,50]},{"name":"ExtractAssociatedIconW","features":[1,109,50]},{"name":"ExtractIconA","features":[1,109,50]},{"name":"ExtractIconExA","features":[109,50]},{"name":"ExtractIconExW","features":[109,50]},{"name":"ExtractIconW","features":[1,109,50]},{"name":"ExtractIfNotCached","features":[109]},{"name":"FCIDM_BROWSERFIRST","features":[109]},{"name":"FCIDM_BROWSERLAST","features":[109]},{"name":"FCIDM_GLOBALFIRST","features":[109]},{"name":"FCIDM_GLOBALLAST","features":[109]},{"name":"FCIDM_MENU_EDIT","features":[109]},{"name":"FCIDM_MENU_EXPLORE","features":[109]},{"name":"FCIDM_MENU_FAVORITES","features":[109]},{"name":"FCIDM_MENU_FILE","features":[109]},{"name":"FCIDM_MENU_FIND","features":[109]},{"name":"FCIDM_MENU_HELP","features":[109]},{"name":"FCIDM_MENU_TOOLS","features":[109]},{"name":"FCIDM_MENU_TOOLS_SEP_GOTO","features":[109]},{"name":"FCIDM_MENU_VIEW","features":[109]},{"name":"FCIDM_MENU_VIEW_SEP_OPTIONS","features":[109]},{"name":"FCIDM_SHVIEWFIRST","features":[109]},{"name":"FCIDM_SHVIEWLAST","features":[109]},{"name":"FCIDM_STATUS","features":[109]},{"name":"FCIDM_TOOLBAR","features":[109]},{"name":"FCSM_CLSID","features":[109]},{"name":"FCSM_FLAGS","features":[109]},{"name":"FCSM_ICONFILE","features":[109]},{"name":"FCSM_INFOTIP","features":[109]},{"name":"FCSM_LOGO","features":[109]},{"name":"FCSM_VIEWID","features":[109]},{"name":"FCSM_WEBVIEWTEMPLATE","features":[109]},{"name":"FCS_FLAG_DRAGDROP","features":[109]},{"name":"FCS_FORCEWRITE","features":[109]},{"name":"FCS_READ","features":[109]},{"name":"FCT_ADDTOEND","features":[109]},{"name":"FCT_CONFIGABLE","features":[109]},{"name":"FCT_MERGE","features":[109]},{"name":"FCW_INTERNETBAR","features":[109]},{"name":"FCW_PROGRESS","features":[109]},{"name":"FCW_STATUS","features":[109]},{"name":"FCW_TOOLBAR","features":[109]},{"name":"FCW_TREE","features":[109]},{"name":"FDAP","features":[109]},{"name":"FDAP_BOTTOM","features":[109]},{"name":"FDAP_TOP","features":[109]},{"name":"FDEOR_ACCEPT","features":[109]},{"name":"FDEOR_DEFAULT","features":[109]},{"name":"FDEOR_REFUSE","features":[109]},{"name":"FDESVR_ACCEPT","features":[109]},{"name":"FDESVR_DEFAULT","features":[109]},{"name":"FDESVR_REFUSE","features":[109]},{"name":"FDE_OVERWRITE_RESPONSE","features":[109]},{"name":"FDE_SHAREVIOLATION_RESPONSE","features":[109]},{"name":"FDTF_LONGDATE","features":[109]},{"name":"FDTF_LONGTIME","features":[109]},{"name":"FDTF_LTRDATE","features":[109]},{"name":"FDTF_NOAUTOREADINGORDER","features":[109]},{"name":"FDTF_RELATIVE","features":[109]},{"name":"FDTF_RTLDATE","features":[109]},{"name":"FDTF_SHORTDATE","features":[109]},{"name":"FDTF_SHORTTIME","features":[109]},{"name":"FD_ACCESSTIME","features":[109]},{"name":"FD_ATTRIBUTES","features":[109]},{"name":"FD_CLSID","features":[109]},{"name":"FD_CREATETIME","features":[109]},{"name":"FD_FILESIZE","features":[109]},{"name":"FD_FLAGS","features":[109]},{"name":"FD_LINKUI","features":[109]},{"name":"FD_PROGRESSUI","features":[109]},{"name":"FD_SIZEPOINT","features":[109]},{"name":"FD_UNICODE","features":[109]},{"name":"FD_WRITESTIME","features":[109]},{"name":"FEM_NAVIGATION","features":[109]},{"name":"FEM_VIEWRESULT","features":[109]},{"name":"FFFP_EXACTMATCH","features":[109]},{"name":"FFFP_MODE","features":[109]},{"name":"FFFP_NEARESTPARENTMATCH","features":[109]},{"name":"FILEDESCRIPTORA","features":[1,109]},{"name":"FILEDESCRIPTORW","features":[1,109]},{"name":"FILEGROUPDESCRIPTORA","features":[1,109]},{"name":"FILEGROUPDESCRIPTORW","features":[1,109]},{"name":"FILEOPENDIALOGOPTIONS","features":[109]},{"name":"FILEOPERATION_FLAGS","features":[109]},{"name":"FILETYPEATTRIBUTEFLAGS","features":[109]},{"name":"FILE_ATTRIBUTES_ARRAY","features":[109]},{"name":"FILE_OPERATION_FLAGS2","features":[109]},{"name":"FILE_USAGE_TYPE","features":[109]},{"name":"FLVM_CONTENT","features":[109]},{"name":"FLVM_DETAILS","features":[109]},{"name":"FLVM_FIRST","features":[109]},{"name":"FLVM_ICONS","features":[109]},{"name":"FLVM_LAST","features":[109]},{"name":"FLVM_LIST","features":[109]},{"name":"FLVM_TILES","features":[109]},{"name":"FLVM_UNSPECIFIED","features":[109]},{"name":"FLYOUT_PLACEMENT","features":[109]},{"name":"FMTID_Briefcase","features":[109]},{"name":"FMTID_CustomImageProperties","features":[109]},{"name":"FMTID_DRM","features":[109]},{"name":"FMTID_Displaced","features":[109]},{"name":"FMTID_ImageProperties","features":[109]},{"name":"FMTID_InternetSite","features":[109]},{"name":"FMTID_Intshcut","features":[109]},{"name":"FMTID_LibraryProperties","features":[109]},{"name":"FMTID_MUSIC","features":[109]},{"name":"FMTID_Misc","features":[109]},{"name":"FMTID_Query","features":[109]},{"name":"FMTID_ShellDetails","features":[109]},{"name":"FMTID_Storage","features":[109]},{"name":"FMTID_Volume","features":[109]},{"name":"FMTID_WebView","features":[109]},{"name":"FOF2_MERGEFOLDERSONCOLLISION","features":[109]},{"name":"FOF2_NONE","features":[109]},{"name":"FOFX_ADDUNDORECORD","features":[109]},{"name":"FOFX_COPYASDOWNLOAD","features":[109]},{"name":"FOFX_DONTDISPLAYDESTPATH","features":[109]},{"name":"FOFX_DONTDISPLAYLOCATIONS","features":[109]},{"name":"FOFX_DONTDISPLAYSOURCEPATH","features":[109]},{"name":"FOFX_EARLYFAILURE","features":[109]},{"name":"FOFX_KEEPNEWERFILE","features":[109]},{"name":"FOFX_MOVEACLSACROSSVOLUMES","features":[109]},{"name":"FOFX_NOCOPYHOOKS","features":[109]},{"name":"FOFX_NOMINIMIZEBOX","features":[109]},{"name":"FOFX_NOSKIPJUNCTIONS","features":[109]},{"name":"FOFX_PREFERHARDLINK","features":[109]},{"name":"FOFX_PRESERVEFILEEXTENSIONS","features":[109]},{"name":"FOFX_RECYCLEONDELETE","features":[109]},{"name":"FOFX_REQUIREELEVATION","features":[109]},{"name":"FOFX_SHOWELEVATIONPROMPT","features":[109]},{"name":"FOF_ALLOWUNDO","features":[109]},{"name":"FOF_CONFIRMMOUSE","features":[109]},{"name":"FOF_FILESONLY","features":[109]},{"name":"FOF_MULTIDESTFILES","features":[109]},{"name":"FOF_NOCONFIRMATION","features":[109]},{"name":"FOF_NOCONFIRMMKDIR","features":[109]},{"name":"FOF_NOCOPYSECURITYATTRIBS","features":[109]},{"name":"FOF_NOERRORUI","features":[109]},{"name":"FOF_NORECURSEREPARSE","features":[109]},{"name":"FOF_NORECURSION","features":[109]},{"name":"FOF_NO_CONNECTED_ELEMENTS","features":[109]},{"name":"FOF_NO_UI","features":[109]},{"name":"FOF_RENAMEONCOLLISION","features":[109]},{"name":"FOF_SILENT","features":[109]},{"name":"FOF_SIMPLEPROGRESS","features":[109]},{"name":"FOF_WANTMAPPINGHANDLE","features":[109]},{"name":"FOF_WANTNUKEWARNING","features":[109]},{"name":"FOLDERFLAGS","features":[109]},{"name":"FOLDERID_AccountPictures","features":[109]},{"name":"FOLDERID_AddNewPrograms","features":[109]},{"name":"FOLDERID_AdminTools","features":[109]},{"name":"FOLDERID_AllAppMods","features":[109]},{"name":"FOLDERID_AppCaptures","features":[109]},{"name":"FOLDERID_AppDataDesktop","features":[109]},{"name":"FOLDERID_AppDataDocuments","features":[109]},{"name":"FOLDERID_AppDataFavorites","features":[109]},{"name":"FOLDERID_AppDataProgramData","features":[109]},{"name":"FOLDERID_AppUpdates","features":[109]},{"name":"FOLDERID_ApplicationShortcuts","features":[109]},{"name":"FOLDERID_AppsFolder","features":[109]},{"name":"FOLDERID_CDBurning","features":[109]},{"name":"FOLDERID_CameraRoll","features":[109]},{"name":"FOLDERID_CameraRollLibrary","features":[109]},{"name":"FOLDERID_ChangeRemovePrograms","features":[109]},{"name":"FOLDERID_CommonAdminTools","features":[109]},{"name":"FOLDERID_CommonOEMLinks","features":[109]},{"name":"FOLDERID_CommonPrograms","features":[109]},{"name":"FOLDERID_CommonStartMenu","features":[109]},{"name":"FOLDERID_CommonStartMenuPlaces","features":[109]},{"name":"FOLDERID_CommonStartup","features":[109]},{"name":"FOLDERID_CommonTemplates","features":[109]},{"name":"FOLDERID_ComputerFolder","features":[109]},{"name":"FOLDERID_ConflictFolder","features":[109]},{"name":"FOLDERID_ConnectionsFolder","features":[109]},{"name":"FOLDERID_Contacts","features":[109]},{"name":"FOLDERID_ControlPanelFolder","features":[109]},{"name":"FOLDERID_Cookies","features":[109]},{"name":"FOLDERID_CurrentAppMods","features":[109]},{"name":"FOLDERID_Desktop","features":[109]},{"name":"FOLDERID_DevelopmentFiles","features":[109]},{"name":"FOLDERID_Device","features":[109]},{"name":"FOLDERID_DeviceMetadataStore","features":[109]},{"name":"FOLDERID_Documents","features":[109]},{"name":"FOLDERID_DocumentsLibrary","features":[109]},{"name":"FOLDERID_Downloads","features":[109]},{"name":"FOLDERID_Favorites","features":[109]},{"name":"FOLDERID_Fonts","features":[109]},{"name":"FOLDERID_GameTasks","features":[109]},{"name":"FOLDERID_Games","features":[109]},{"name":"FOLDERID_History","features":[109]},{"name":"FOLDERID_HomeGroup","features":[109]},{"name":"FOLDERID_HomeGroupCurrentUser","features":[109]},{"name":"FOLDERID_ImplicitAppShortcuts","features":[109]},{"name":"FOLDERID_InternetCache","features":[109]},{"name":"FOLDERID_InternetFolder","features":[109]},{"name":"FOLDERID_Libraries","features":[109]},{"name":"FOLDERID_Links","features":[109]},{"name":"FOLDERID_LocalAppData","features":[109]},{"name":"FOLDERID_LocalAppDataLow","features":[109]},{"name":"FOLDERID_LocalDocuments","features":[109]},{"name":"FOLDERID_LocalDownloads","features":[109]},{"name":"FOLDERID_LocalMusic","features":[109]},{"name":"FOLDERID_LocalPictures","features":[109]},{"name":"FOLDERID_LocalStorage","features":[109]},{"name":"FOLDERID_LocalVideos","features":[109]},{"name":"FOLDERID_LocalizedResourcesDir","features":[109]},{"name":"FOLDERID_Music","features":[109]},{"name":"FOLDERID_MusicLibrary","features":[109]},{"name":"FOLDERID_NetHood","features":[109]},{"name":"FOLDERID_NetworkFolder","features":[109]},{"name":"FOLDERID_Objects3D","features":[109]},{"name":"FOLDERID_OneDrive","features":[109]},{"name":"FOLDERID_OriginalImages","features":[109]},{"name":"FOLDERID_PhotoAlbums","features":[109]},{"name":"FOLDERID_Pictures","features":[109]},{"name":"FOLDERID_PicturesLibrary","features":[109]},{"name":"FOLDERID_Playlists","features":[109]},{"name":"FOLDERID_PrintHood","features":[109]},{"name":"FOLDERID_PrintersFolder","features":[109]},{"name":"FOLDERID_Profile","features":[109]},{"name":"FOLDERID_ProgramData","features":[109]},{"name":"FOLDERID_ProgramFiles","features":[109]},{"name":"FOLDERID_ProgramFilesCommon","features":[109]},{"name":"FOLDERID_ProgramFilesCommonX64","features":[109]},{"name":"FOLDERID_ProgramFilesCommonX86","features":[109]},{"name":"FOLDERID_ProgramFilesX64","features":[109]},{"name":"FOLDERID_ProgramFilesX86","features":[109]},{"name":"FOLDERID_Programs","features":[109]},{"name":"FOLDERID_Public","features":[109]},{"name":"FOLDERID_PublicDesktop","features":[109]},{"name":"FOLDERID_PublicDocuments","features":[109]},{"name":"FOLDERID_PublicDownloads","features":[109]},{"name":"FOLDERID_PublicGameTasks","features":[109]},{"name":"FOLDERID_PublicLibraries","features":[109]},{"name":"FOLDERID_PublicMusic","features":[109]},{"name":"FOLDERID_PublicPictures","features":[109]},{"name":"FOLDERID_PublicRingtones","features":[109]},{"name":"FOLDERID_PublicUserTiles","features":[109]},{"name":"FOLDERID_PublicVideos","features":[109]},{"name":"FOLDERID_QuickLaunch","features":[109]},{"name":"FOLDERID_Recent","features":[109]},{"name":"FOLDERID_RecordedCalls","features":[109]},{"name":"FOLDERID_RecordedTVLibrary","features":[109]},{"name":"FOLDERID_RecycleBinFolder","features":[109]},{"name":"FOLDERID_ResourceDir","features":[109]},{"name":"FOLDERID_RetailDemo","features":[109]},{"name":"FOLDERID_Ringtones","features":[109]},{"name":"FOLDERID_RoamedTileImages","features":[109]},{"name":"FOLDERID_RoamingAppData","features":[109]},{"name":"FOLDERID_RoamingTiles","features":[109]},{"name":"FOLDERID_SEARCH_CSC","features":[109]},{"name":"FOLDERID_SEARCH_MAPI","features":[109]},{"name":"FOLDERID_SampleMusic","features":[109]},{"name":"FOLDERID_SamplePictures","features":[109]},{"name":"FOLDERID_SamplePlaylists","features":[109]},{"name":"FOLDERID_SampleVideos","features":[109]},{"name":"FOLDERID_SavedGames","features":[109]},{"name":"FOLDERID_SavedPictures","features":[109]},{"name":"FOLDERID_SavedPicturesLibrary","features":[109]},{"name":"FOLDERID_SavedSearches","features":[109]},{"name":"FOLDERID_Screenshots","features":[109]},{"name":"FOLDERID_SearchHistory","features":[109]},{"name":"FOLDERID_SearchHome","features":[109]},{"name":"FOLDERID_SearchTemplates","features":[109]},{"name":"FOLDERID_SendTo","features":[109]},{"name":"FOLDERID_SidebarDefaultParts","features":[109]},{"name":"FOLDERID_SidebarParts","features":[109]},{"name":"FOLDERID_SkyDrive","features":[109]},{"name":"FOLDERID_SkyDriveCameraRoll","features":[109]},{"name":"FOLDERID_SkyDriveDocuments","features":[109]},{"name":"FOLDERID_SkyDriveMusic","features":[109]},{"name":"FOLDERID_SkyDrivePictures","features":[109]},{"name":"FOLDERID_StartMenu","features":[109]},{"name":"FOLDERID_StartMenuAllPrograms","features":[109]},{"name":"FOLDERID_Startup","features":[109]},{"name":"FOLDERID_SyncManagerFolder","features":[109]},{"name":"FOLDERID_SyncResultsFolder","features":[109]},{"name":"FOLDERID_SyncSetupFolder","features":[109]},{"name":"FOLDERID_System","features":[109]},{"name":"FOLDERID_SystemX86","features":[109]},{"name":"FOLDERID_Templates","features":[109]},{"name":"FOLDERID_UserPinned","features":[109]},{"name":"FOLDERID_UserProfiles","features":[109]},{"name":"FOLDERID_UserProgramFiles","features":[109]},{"name":"FOLDERID_UserProgramFilesCommon","features":[109]},{"name":"FOLDERID_UsersFiles","features":[109]},{"name":"FOLDERID_UsersLibraries","features":[109]},{"name":"FOLDERID_Videos","features":[109]},{"name":"FOLDERID_VideosLibrary","features":[109]},{"name":"FOLDERID_Windows","features":[109]},{"name":"FOLDERLOGICALVIEWMODE","features":[109]},{"name":"FOLDERSETDATA","features":[109]},{"name":"FOLDERSETTINGS","features":[109]},{"name":"FOLDERTYPEID_AccountPictures","features":[109]},{"name":"FOLDERTYPEID_Communications","features":[109]},{"name":"FOLDERTYPEID_CompressedFolder","features":[109]},{"name":"FOLDERTYPEID_Contacts","features":[109]},{"name":"FOLDERTYPEID_ControlPanelCategory","features":[109]},{"name":"FOLDERTYPEID_ControlPanelClassic","features":[109]},{"name":"FOLDERTYPEID_Documents","features":[109]},{"name":"FOLDERTYPEID_Downloads","features":[109]},{"name":"FOLDERTYPEID_Games","features":[109]},{"name":"FOLDERTYPEID_Generic","features":[109]},{"name":"FOLDERTYPEID_GenericLibrary","features":[109]},{"name":"FOLDERTYPEID_GenericSearchResults","features":[109]},{"name":"FOLDERTYPEID_Invalid","features":[109]},{"name":"FOLDERTYPEID_Music","features":[109]},{"name":"FOLDERTYPEID_NetworkExplorer","features":[109]},{"name":"FOLDERTYPEID_OpenSearch","features":[109]},{"name":"FOLDERTYPEID_OtherUsers","features":[109]},{"name":"FOLDERTYPEID_Pictures","features":[109]},{"name":"FOLDERTYPEID_Printers","features":[109]},{"name":"FOLDERTYPEID_PublishedItems","features":[109]},{"name":"FOLDERTYPEID_RecordedTV","features":[109]},{"name":"FOLDERTYPEID_RecycleBin","features":[109]},{"name":"FOLDERTYPEID_SavedGames","features":[109]},{"name":"FOLDERTYPEID_SearchConnector","features":[109]},{"name":"FOLDERTYPEID_SearchHome","features":[109]},{"name":"FOLDERTYPEID_Searches","features":[109]},{"name":"FOLDERTYPEID_SoftwareExplorer","features":[109]},{"name":"FOLDERTYPEID_StartMenu","features":[109]},{"name":"FOLDERTYPEID_StorageProviderDocuments","features":[109]},{"name":"FOLDERTYPEID_StorageProviderGeneric","features":[109]},{"name":"FOLDERTYPEID_StorageProviderMusic","features":[109]},{"name":"FOLDERTYPEID_StorageProviderPictures","features":[109]},{"name":"FOLDERTYPEID_StorageProviderVideos","features":[109]},{"name":"FOLDERTYPEID_UserFiles","features":[109]},{"name":"FOLDERTYPEID_UsersLibraries","features":[109]},{"name":"FOLDERTYPEID_Videos","features":[109]},{"name":"FOLDERVIEWMODE","features":[109]},{"name":"FOLDERVIEWOPTIONS","features":[109]},{"name":"FOLDER_ENUM_MODE","features":[109]},{"name":"FOS_ALLNONSTORAGEITEMS","features":[109]},{"name":"FOS_ALLOWMULTISELECT","features":[109]},{"name":"FOS_CREATEPROMPT","features":[109]},{"name":"FOS_DEFAULTNOMINIMODE","features":[109]},{"name":"FOS_DONTADDTORECENT","features":[109]},{"name":"FOS_FILEMUSTEXIST","features":[109]},{"name":"FOS_FORCEFILESYSTEM","features":[109]},{"name":"FOS_FORCEPREVIEWPANEON","features":[109]},{"name":"FOS_FORCESHOWHIDDEN","features":[109]},{"name":"FOS_HIDEMRUPLACES","features":[109]},{"name":"FOS_HIDEPINNEDPLACES","features":[109]},{"name":"FOS_NOCHANGEDIR","features":[109]},{"name":"FOS_NODEREFERENCELINKS","features":[109]},{"name":"FOS_NOREADONLYRETURN","features":[109]},{"name":"FOS_NOTESTFILECREATE","features":[109]},{"name":"FOS_NOVALIDATE","features":[109]},{"name":"FOS_OKBUTTONNEEDSINTERACTION","features":[109]},{"name":"FOS_OVERWRITEPROMPT","features":[109]},{"name":"FOS_PATHMUSTEXIST","features":[109]},{"name":"FOS_PICKFOLDERS","features":[109]},{"name":"FOS_SHAREAWARE","features":[109]},{"name":"FOS_STRICTFILETYPES","features":[109]},{"name":"FOS_SUPPORTSTREAMABLEITEMS","features":[109]},{"name":"FO_COPY","features":[109]},{"name":"FO_DELETE","features":[109]},{"name":"FO_MOVE","features":[109]},{"name":"FO_RENAME","features":[109]},{"name":"FP_ABOVE","features":[109]},{"name":"FP_BELOW","features":[109]},{"name":"FP_DEFAULT","features":[109]},{"name":"FP_LEFT","features":[109]},{"name":"FP_RIGHT","features":[109]},{"name":"FSCopyHandler","features":[109]},{"name":"FTA_AlwaysUnsafe","features":[109]},{"name":"FTA_AlwaysUseDirectInvoke","features":[109]},{"name":"FTA_Exclude","features":[109]},{"name":"FTA_HasExtension","features":[109]},{"name":"FTA_NoDDE","features":[109]},{"name":"FTA_NoEdit","features":[109]},{"name":"FTA_NoEditDesc","features":[109]},{"name":"FTA_NoEditDflt","features":[109]},{"name":"FTA_NoEditIcon","features":[109]},{"name":"FTA_NoEditMIME","features":[109]},{"name":"FTA_NoEditVerb","features":[109]},{"name":"FTA_NoEditVerbCmd","features":[109]},{"name":"FTA_NoEditVerbExe","features":[109]},{"name":"FTA_NoNewVerb","features":[109]},{"name":"FTA_NoRecentDocs","features":[109]},{"name":"FTA_NoRemove","features":[109]},{"name":"FTA_NoRemoveVerb","features":[109]},{"name":"FTA_None","features":[109]},{"name":"FTA_OpenIsSafe","features":[109]},{"name":"FTA_SafeForElevation","features":[109]},{"name":"FTA_Show","features":[109]},{"name":"FUT_EDITING","features":[109]},{"name":"FUT_GENERIC","features":[109]},{"name":"FUT_PLAYING","features":[109]},{"name":"FVM_AUTO","features":[109]},{"name":"FVM_CONTENT","features":[109]},{"name":"FVM_DETAILS","features":[109]},{"name":"FVM_FIRST","features":[109]},{"name":"FVM_ICON","features":[109]},{"name":"FVM_LAST","features":[109]},{"name":"FVM_LIST","features":[109]},{"name":"FVM_SMALLICON","features":[109]},{"name":"FVM_THUMBNAIL","features":[109]},{"name":"FVM_THUMBSTRIP","features":[109]},{"name":"FVM_TILE","features":[109]},{"name":"FVO_CUSTOMORDERING","features":[109]},{"name":"FVO_CUSTOMPOSITION","features":[109]},{"name":"FVO_DEFAULT","features":[109]},{"name":"FVO_NOANIMATIONS","features":[109]},{"name":"FVO_NOSCROLLTIPS","features":[109]},{"name":"FVO_SUPPORTHYPERLINKS","features":[109]},{"name":"FVO_VISTALAYOUT","features":[109]},{"name":"FVSIF_CANVIEWIT","features":[109]},{"name":"FVSIF_NEWFAILED","features":[109]},{"name":"FVSIF_NEWFILE","features":[109]},{"name":"FVSIF_PINNED","features":[109]},{"name":"FVSIF_RECT","features":[109]},{"name":"FVST_EMPTYTEXT","features":[109]},{"name":"FVTEXTTYPE","features":[109]},{"name":"FWF_ABBREVIATEDNAMES","features":[109]},{"name":"FWF_ALIGNLEFT","features":[109]},{"name":"FWF_ALLOWRTLREADING","features":[109]},{"name":"FWF_AUTOARRANGE","features":[109]},{"name":"FWF_AUTOCHECKSELECT","features":[109]},{"name":"FWF_BESTFITWINDOW","features":[109]},{"name":"FWF_CHECKSELECT","features":[109]},{"name":"FWF_DESKTOP","features":[109]},{"name":"FWF_EXTENDEDTILES","features":[109]},{"name":"FWF_FULLROWSELECT","features":[109]},{"name":"FWF_HIDEFILENAMES","features":[109]},{"name":"FWF_NOBROWSERVIEWSTATE","features":[109]},{"name":"FWF_NOCLIENTEDGE","features":[109]},{"name":"FWF_NOCOLUMNHEADER","features":[109]},{"name":"FWF_NOENUMREFRESH","features":[109]},{"name":"FWF_NOFILTERS","features":[109]},{"name":"FWF_NOGROUPING","features":[109]},{"name":"FWF_NOHEADERINALLVIEWS","features":[109]},{"name":"FWF_NOICONS","features":[109]},{"name":"FWF_NONE","features":[109]},{"name":"FWF_NOSCROLL","features":[109]},{"name":"FWF_NOSUBFOLDERS","features":[109]},{"name":"FWF_NOVISIBLE","features":[109]},{"name":"FWF_NOWEBVIEW","features":[109]},{"name":"FWF_OWNERDATA","features":[109]},{"name":"FWF_SHOWSELALWAYS","features":[109]},{"name":"FWF_SINGLECLICKACTIVATE","features":[109]},{"name":"FWF_SINGLESEL","features":[109]},{"name":"FWF_SNAPTOGRID","features":[109]},{"name":"FWF_SUBSETGROUPS","features":[109]},{"name":"FWF_TRANSPARENT","features":[109]},{"name":"FWF_TRICHECKSELECT","features":[109]},{"name":"FWF_USESEARCHFOLDER","features":[109]},{"name":"FileIconInit","features":[1,109]},{"name":"FileOpenDialog","features":[109]},{"name":"FileOperation","features":[109]},{"name":"FileSaveDialog","features":[109]},{"name":"FileSearchBand","features":[109]},{"name":"FindExecutableA","features":[1,109]},{"name":"FindExecutableW","features":[1,109]},{"name":"Folder","features":[109]},{"name":"Folder2","features":[109]},{"name":"Folder3","features":[109]},{"name":"FolderItem","features":[109]},{"name":"FolderItem2","features":[109]},{"name":"FolderItemVerb","features":[109]},{"name":"FolderItemVerbs","features":[109]},{"name":"FolderItems","features":[109]},{"name":"FolderItems2","features":[109]},{"name":"FolderItems3","features":[109]},{"name":"FolderViewHost","features":[109]},{"name":"FrameworkInputPane","features":[109]},{"name":"FreeSpaceCategorizer","features":[109]},{"name":"GADOF_DIRTY","features":[109]},{"name":"GCS_HELPTEXT","features":[109]},{"name":"GCS_HELPTEXTA","features":[109]},{"name":"GCS_HELPTEXTW","features":[109]},{"name":"GCS_UNICODE","features":[109]},{"name":"GCS_VALIDATE","features":[109]},{"name":"GCS_VALIDATEA","features":[109]},{"name":"GCS_VALIDATEW","features":[109]},{"name":"GCS_VERB","features":[109]},{"name":"GCS_VERBA","features":[109]},{"name":"GCS_VERBICONW","features":[109]},{"name":"GCS_VERBW","features":[109]},{"name":"GCT_INVALID","features":[109]},{"name":"GCT_LFNCHAR","features":[109]},{"name":"GCT_SEPARATOR","features":[109]},{"name":"GCT_SHORTCHAR","features":[109]},{"name":"GCT_WILD","features":[109]},{"name":"GETPROPS_NONE","features":[109]},{"name":"GIL_ASYNC","features":[109]},{"name":"GIL_CHECKSHIELD","features":[109]},{"name":"GIL_DEFAULTICON","features":[109]},{"name":"GIL_DONTCACHE","features":[109]},{"name":"GIL_FORCENOSHIELD","features":[109]},{"name":"GIL_FORSHELL","features":[109]},{"name":"GIL_FORSHORTCUT","features":[109]},{"name":"GIL_NOTFILENAME","features":[109]},{"name":"GIL_OPENICON","features":[109]},{"name":"GIL_PERCLASS","features":[109]},{"name":"GIL_PERINSTANCE","features":[109]},{"name":"GIL_SHIELD","features":[109]},{"name":"GIL_SIMULATEDOC","features":[109]},{"name":"GLOBALCOUNTER_APPLICATION_DESTINATIONS","features":[109]},{"name":"GLOBALCOUNTER_APPROVEDSITES","features":[109]},{"name":"GLOBALCOUNTER_APPSFOLDER_FILETYPEASSOCIATION_COUNTER","features":[109]},{"name":"GLOBALCOUNTER_APP_ITEMS_STATE_STORE_CACHE","features":[109]},{"name":"GLOBALCOUNTER_ASSOCCHANGED","features":[109]},{"name":"GLOBALCOUNTER_BANNERS_DATAMODEL_CACHE_MACHINEWIDE","features":[109]},{"name":"GLOBALCOUNTER_BITBUCKETNUMDELETERS","features":[109]},{"name":"GLOBALCOUNTER_COMMONPLACES_LIST_CACHE","features":[109]},{"name":"GLOBALCOUNTER_FOLDERDEFINITION_CACHE","features":[109]},{"name":"GLOBALCOUNTER_FOLDERSETTINGSCHANGE","features":[109]},{"name":"GLOBALCOUNTER_IEONLY_SESSIONS","features":[109]},{"name":"GLOBALCOUNTER_IESESSIONS","features":[109]},{"name":"GLOBALCOUNTER_INTERNETTOOLBAR_LAYOUT","features":[109]},{"name":"GLOBALCOUNTER_MAXIMUMVALUE","features":[109]},{"name":"GLOBALCOUNTER_OVERLAYMANAGER","features":[109]},{"name":"GLOBALCOUNTER_PRIVATE_PROFILE_CACHE","features":[109]},{"name":"GLOBALCOUNTER_PRIVATE_PROFILE_CACHE_MACHINEWIDE","features":[109]},{"name":"GLOBALCOUNTER_QUERYASSOCIATIONS","features":[109]},{"name":"GLOBALCOUNTER_RATINGS","features":[109]},{"name":"GLOBALCOUNTER_RATINGS_STATECOUNTER","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEBINCORRUPTED","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEBINENUM","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_A","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_B","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_C","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_D","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_E","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_F","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_G","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_H","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_I","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_J","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_K","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_L","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_M","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_N","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_O","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_P","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_Q","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_R","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_S","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_T","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_U","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_V","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_W","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_X","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_Y","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_Z","features":[109]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_SHARES","features":[109]},{"name":"GLOBALCOUNTER_RESTRICTIONS","features":[109]},{"name":"GLOBALCOUNTER_SEARCHMANAGER","features":[109]},{"name":"GLOBALCOUNTER_SEARCHOPTIONS","features":[109]},{"name":"GLOBALCOUNTER_SETTINGSYNC_ENABLED","features":[109]},{"name":"GLOBALCOUNTER_SHELLSETTINGSCHANGED","features":[109]},{"name":"GLOBALCOUNTER_SYNC_ENGINE_INFORMATION_CACHE_MACHINEWIDE","features":[109]},{"name":"GLOBALCOUNTER_SYSTEMPIDLCHANGE","features":[109]},{"name":"GLOBALCOUNTER_USERINFOCHANGED","features":[109]},{"name":"GPFIDL_ALTNAME","features":[109]},{"name":"GPFIDL_DEFAULT","features":[109]},{"name":"GPFIDL_FLAGS","features":[109]},{"name":"GPFIDL_UNCPRINTER","features":[109]},{"name":"GenericCredentialProvider","features":[109]},{"name":"GetAcceptLanguagesA","features":[109]},{"name":"GetAcceptLanguagesW","features":[109]},{"name":"GetAllUsersProfileDirectoryA","features":[1,109]},{"name":"GetAllUsersProfileDirectoryW","features":[1,109]},{"name":"GetCurrentProcessExplicitAppUserModelID","features":[109]},{"name":"GetDefaultUserProfileDirectoryA","features":[1,109]},{"name":"GetDefaultUserProfileDirectoryW","features":[1,109]},{"name":"GetDpiForShellUIComponent","features":[109]},{"name":"GetFileNameFromBrowse","features":[1,109]},{"name":"GetMenuContextHelpId","features":[109,50]},{"name":"GetMenuPosFromID","features":[109,50]},{"name":"GetProfileType","features":[1,109]},{"name":"GetProfilesDirectoryA","features":[1,109]},{"name":"GetProfilesDirectoryW","features":[1,109]},{"name":"GetScaleFactorForDevice","features":[219]},{"name":"GetScaleFactorForMonitor","features":[12,219]},{"name":"GetUserProfileDirectoryA","features":[1,109]},{"name":"GetUserProfileDirectoryW","features":[1,109]},{"name":"GetWindowContextHelpId","features":[1,109]},{"name":"GetWindowSubclass","features":[1,109]},{"name":"HDROP","features":[109]},{"name":"HELPINFO","features":[1,109]},{"name":"HELPINFO_MENUITEM","features":[109]},{"name":"HELPINFO_WINDOW","features":[109]},{"name":"HELPWININFOA","features":[109]},{"name":"HELPWININFOW","features":[109]},{"name":"HELP_INFO_TYPE","features":[109]},{"name":"HGSC_DOCUMENTSLIBRARY","features":[109]},{"name":"HGSC_MUSICLIBRARY","features":[109]},{"name":"HGSC_NONE","features":[109]},{"name":"HGSC_PICTURESLIBRARY","features":[109]},{"name":"HGSC_PRINTERS","features":[109]},{"name":"HGSC_VIDEOSLIBRARY","features":[109]},{"name":"HLBWIF_DOCWNDMAXIMIZED","features":[109]},{"name":"HLBWIF_FLAGS","features":[109]},{"name":"HLBWIF_FRAMEWNDMAXIMIZED","features":[109]},{"name":"HLBWIF_HASDOCWNDINFO","features":[109]},{"name":"HLBWIF_HASFRAMEWNDINFO","features":[109]},{"name":"HLBWIF_HASWEBTOOLBARINFO","features":[109]},{"name":"HLBWIF_WEBTOOLBARHIDDEN","features":[109]},{"name":"HLBWINFO","features":[1,109]},{"name":"HLFNAMEF","features":[109]},{"name":"HLFNAMEF_DEFAULT","features":[109]},{"name":"HLFNAMEF_TRYCACHE","features":[109]},{"name":"HLFNAMEF_TRYFULLTARGET","features":[109]},{"name":"HLFNAMEF_TRYPRETTYTARGET","features":[109]},{"name":"HLFNAMEF_TRYWIN95SHORTCUT","features":[109]},{"name":"HLID_CURRENT","features":[109]},{"name":"HLID_INFO","features":[109]},{"name":"HLID_INVALID","features":[109]},{"name":"HLID_NEXT","features":[109]},{"name":"HLID_PREVIOUS","features":[109]},{"name":"HLID_STACKBOTTOM","features":[109]},{"name":"HLID_STACKTOP","features":[109]},{"name":"HLINKGETREF","features":[109]},{"name":"HLINKGETREF_ABSOLUTE","features":[109]},{"name":"HLINKGETREF_DEFAULT","features":[109]},{"name":"HLINKGETREF_RELATIVE","features":[109]},{"name":"HLINKMISC","features":[109]},{"name":"HLINKMISC_RELATIVE","features":[109]},{"name":"HLINKSETF","features":[109]},{"name":"HLINKSETF_LOCATION","features":[109]},{"name":"HLINKSETF_TARGET","features":[109]},{"name":"HLINKWHICHMK","features":[109]},{"name":"HLINKWHICHMK_BASE","features":[109]},{"name":"HLINKWHICHMK_CONTAINER","features":[109]},{"name":"HLINK_E_FIRST","features":[109]},{"name":"HLINK_S_DONTHIDE","features":[109]},{"name":"HLINK_S_FIRST","features":[109]},{"name":"HLITEM","features":[109]},{"name":"HLNF","features":[109]},{"name":"HLNF_ALLOW_AUTONAVIGATE","features":[109]},{"name":"HLNF_CALLERUNTRUSTED","features":[109]},{"name":"HLNF_CREATENOHISTORY","features":[109]},{"name":"HLNF_DISABLEWINDOWRESTRICTIONS","features":[109]},{"name":"HLNF_EXTERNALNAVIGATE","features":[109]},{"name":"HLNF_INTERNALJUMP","features":[109]},{"name":"HLNF_NAVIGATINGBACK","features":[109]},{"name":"HLNF_NAVIGATINGFORWARD","features":[109]},{"name":"HLNF_NAVIGATINGTOSTACKITEM","features":[109]},{"name":"HLNF_NEWWINDOWSMANAGED","features":[109]},{"name":"HLNF_OPENINNEWWINDOW","features":[109]},{"name":"HLNF_TRUSTEDFORACTIVEX","features":[109]},{"name":"HLNF_TRUSTFIRSTDOWNLOAD","features":[109]},{"name":"HLNF_UNTRUSTEDFORDOWNLOAD","features":[109]},{"name":"HLQF_INFO","features":[109]},{"name":"HLQF_ISCURRENT","features":[109]},{"name":"HLQF_ISVALID","features":[109]},{"name":"HLSHORTCUTF","features":[109]},{"name":"HLSHORTCUTF_DEFAULT","features":[109]},{"name":"HLSHORTCUTF_DONTACTUALLYCREATE","features":[109]},{"name":"HLSHORTCUTF_MAYUSEEXISTINGSHORTCUT","features":[109]},{"name":"HLSHORTCUTF_USEFILENAMEFROMFRIENDLYNAME","features":[109]},{"name":"HLSHORTCUTF_USEUNIQUEFILENAME","features":[109]},{"name":"HLSR","features":[109]},{"name":"HLSR_HISTORYFOLDER","features":[109]},{"name":"HLSR_HOME","features":[109]},{"name":"HLSR_SEARCHPAGE","features":[109]},{"name":"HLTBINFO","features":[1,109]},{"name":"HLTB_DOCKEDBOTTOM","features":[109]},{"name":"HLTB_DOCKEDLEFT","features":[109]},{"name":"HLTB_DOCKEDRIGHT","features":[109]},{"name":"HLTB_DOCKEDTOP","features":[109]},{"name":"HLTB_FLOATING","features":[109]},{"name":"HLTB_INFO","features":[109]},{"name":"HLTRANSLATEF","features":[109]},{"name":"HLTRANSLATEF_DEFAULT","features":[109]},{"name":"HLTRANSLATEF_DONTAPPLYDEFAULTPREFIX","features":[109]},{"name":"HMONITOR_UserFree","features":[12,109]},{"name":"HMONITOR_UserFree64","features":[12,109]},{"name":"HMONITOR_UserMarshal","features":[12,109]},{"name":"HMONITOR_UserMarshal64","features":[12,109]},{"name":"HMONITOR_UserSize","features":[12,109]},{"name":"HMONITOR_UserSize64","features":[12,109]},{"name":"HMONITOR_UserUnmarshal","features":[12,109]},{"name":"HMONITOR_UserUnmarshal64","features":[12,109]},{"name":"HOMEGROUPSHARINGCHOICES","features":[109]},{"name":"HOMEGROUP_SECURITY_GROUP","features":[109]},{"name":"HOMEGROUP_SECURITY_GROUP_MULTI","features":[109]},{"name":"HPSXA","features":[109]},{"name":"HashData","features":[109]},{"name":"HideInputPaneAnimationCoordinator","features":[109]},{"name":"HlinkClone","features":[109]},{"name":"HlinkCreateBrowseContext","features":[109]},{"name":"HlinkCreateExtensionServices","features":[1,109]},{"name":"HlinkCreateFromData","features":[109]},{"name":"HlinkCreateFromMoniker","features":[109]},{"name":"HlinkCreateFromString","features":[109]},{"name":"HlinkCreateShortcut","features":[109]},{"name":"HlinkCreateShortcutFromMoniker","features":[109]},{"name":"HlinkCreateShortcutFromString","features":[109]},{"name":"HlinkGetSpecialReference","features":[109]},{"name":"HlinkGetValueFromParams","features":[109]},{"name":"HlinkIsShortcut","features":[109]},{"name":"HlinkNavigate","features":[109]},{"name":"HlinkNavigateToStringReference","features":[109]},{"name":"HlinkOnNavigate","features":[109]},{"name":"HlinkOnRenameDocument","features":[109]},{"name":"HlinkParseDisplayName","features":[1,109]},{"name":"HlinkPreprocessMoniker","features":[109]},{"name":"HlinkQueryCreateFromData","features":[109]},{"name":"HlinkResolveMonikerForData","features":[41,109]},{"name":"HlinkResolveShortcut","features":[109]},{"name":"HlinkResolveShortcutToMoniker","features":[109]},{"name":"HlinkResolveShortcutToString","features":[109]},{"name":"HlinkResolveStringForData","features":[41,109]},{"name":"HlinkSetSpecialReference","features":[109]},{"name":"HlinkTranslateURL","features":[109]},{"name":"HlinkUpdateStackItem","features":[109]},{"name":"HomeGroup","features":[109]},{"name":"IACList","features":[109]},{"name":"IACList2","features":[109]},{"name":"IAccessibilityDockingService","features":[109]},{"name":"IAccessibilityDockingServiceCallback","features":[109]},{"name":"IAccessibleObject","features":[109]},{"name":"IActionProgress","features":[109]},{"name":"IActionProgressDialog","features":[109]},{"name":"IAppActivationUIInfo","features":[109]},{"name":"IAppPublisher","features":[109]},{"name":"IAppVisibility","features":[109]},{"name":"IAppVisibilityEvents","features":[109]},{"name":"IApplicationActivationManager","features":[109]},{"name":"IApplicationAssociationRegistration","features":[109]},{"name":"IApplicationAssociationRegistrationUI","features":[109]},{"name":"IApplicationDesignModeSettings","features":[109]},{"name":"IApplicationDesignModeSettings2","features":[109]},{"name":"IApplicationDestinations","features":[109]},{"name":"IApplicationDocumentLists","features":[109]},{"name":"IAssocHandler","features":[109]},{"name":"IAssocHandlerInvoker","features":[109]},{"name":"IAttachmentExecute","features":[109]},{"name":"IAutoComplete","features":[109]},{"name":"IAutoComplete2","features":[109]},{"name":"IAutoCompleteDropDown","features":[109]},{"name":"IBandHost","features":[109]},{"name":"IBandSite","features":[109]},{"name":"IBannerNotificationHandler","features":[109]},{"name":"IBanneredBar","features":[109]},{"name":"IBrowserFrameOptions","features":[109]},{"name":"IBrowserService","features":[109]},{"name":"IBrowserService2","features":[109]},{"name":"IBrowserService3","features":[109]},{"name":"IBrowserService4","features":[109]},{"name":"ICDBurn","features":[109]},{"name":"ICDBurnExt","features":[109]},{"name":"ICategorizer","features":[109]},{"name":"ICategoryProvider","features":[109]},{"name":"IColumnManager","features":[109]},{"name":"IColumnProvider","features":[109]},{"name":"ICommDlgBrowser","features":[109]},{"name":"ICommDlgBrowser2","features":[109]},{"name":"ICommDlgBrowser3","features":[109]},{"name":"IComputerInfoChangeNotify","features":[109]},{"name":"IConnectableCredentialProviderCredential","features":[109]},{"name":"IContactManagerInterop","features":[109]},{"name":"IContextMenu","features":[109]},{"name":"IContextMenu2","features":[109]},{"name":"IContextMenu3","features":[109]},{"name":"IContextMenuCB","features":[109]},{"name":"IContextMenuSite","features":[109]},{"name":"ICopyHookA","features":[109]},{"name":"ICopyHookW","features":[109]},{"name":"ICreateProcessInputs","features":[109]},{"name":"ICreatingProcess","features":[109]},{"name":"ICredentialProvider","features":[109]},{"name":"ICredentialProviderCredential","features":[109]},{"name":"ICredentialProviderCredential2","features":[109]},{"name":"ICredentialProviderCredentialEvents","features":[109]},{"name":"ICredentialProviderCredentialEvents2","features":[109]},{"name":"ICredentialProviderCredentialWithFieldOptions","features":[109]},{"name":"ICredentialProviderEvents","features":[109]},{"name":"ICredentialProviderFilter","features":[109]},{"name":"ICredentialProviderSetUserArray","features":[109]},{"name":"ICredentialProviderUser","features":[109]},{"name":"ICredentialProviderUserArray","features":[109]},{"name":"ICurrentItem","features":[109]},{"name":"ICurrentWorkingDirectory","features":[109]},{"name":"ICustomDestinationList","features":[109]},{"name":"IDC_OFFLINE_HAND","features":[109]},{"name":"IDC_PANTOOL_HAND_CLOSED","features":[109]},{"name":"IDC_PANTOOL_HAND_OPEN","features":[109]},{"name":"IDD_WIZEXTN_FIRST","features":[109]},{"name":"IDD_WIZEXTN_LAST","features":[109]},{"name":"IDO_SHGIOI_DEFAULT","features":[109]},{"name":"IDO_SHGIOI_LINK","features":[109]},{"name":"IDO_SHGIOI_SHARE","features":[109]},{"name":"IDO_SHGIOI_SLOWFILE","features":[109]},{"name":"IDS_DESCRIPTION","features":[109]},{"name":"ID_APP","features":[109]},{"name":"IDataObjectAsyncCapability","features":[109]},{"name":"IDataObjectProvider","features":[109]},{"name":"IDataTransferManagerInterop","features":[109]},{"name":"IDefaultExtractIconInit","features":[109]},{"name":"IDefaultFolderMenuInitialize","features":[109]},{"name":"IDelegateFolder","features":[109]},{"name":"IDelegateItem","features":[109]},{"name":"IDeskBand","features":[109]},{"name":"IDeskBand2","features":[109]},{"name":"IDeskBandInfo","features":[109]},{"name":"IDeskBar","features":[109]},{"name":"IDeskBarClient","features":[109]},{"name":"IDesktopGadget","features":[109]},{"name":"IDesktopWallpaper","features":[109]},{"name":"IDestinationStreamFactory","features":[109]},{"name":"IDisplayItem","features":[109]},{"name":"IDocViewSite","features":[109]},{"name":"IDockingWindow","features":[109]},{"name":"IDockingWindowFrame","features":[109]},{"name":"IDockingWindowSite","features":[109]},{"name":"IDragSourceHelper","features":[109]},{"name":"IDragSourceHelper2","features":[109]},{"name":"IDropTargetHelper","features":[109]},{"name":"IDynamicHWHandler","features":[109]},{"name":"IEIFLAG_ASPECT","features":[109]},{"name":"IEIFLAG_ASYNC","features":[109]},{"name":"IEIFLAG_CACHE","features":[109]},{"name":"IEIFLAG_GLEAM","features":[109]},{"name":"IEIFLAG_NOBORDER","features":[109]},{"name":"IEIFLAG_NOSTAMP","features":[109]},{"name":"IEIFLAG_OFFLINE","features":[109]},{"name":"IEIFLAG_ORIGSIZE","features":[109]},{"name":"IEIFLAG_QUALITY","features":[109]},{"name":"IEIFLAG_REFRESH","features":[109]},{"name":"IEIFLAG_SCREEN","features":[109]},{"name":"IEIT_PRIORITY_NORMAL","features":[109]},{"name":"IEI_PRIORITY_MAX","features":[109]},{"name":"IEI_PRIORITY_MIN","features":[109]},{"name":"IENamespaceTreeControl","features":[109]},{"name":"IEPDNFLAGS","features":[109]},{"name":"IEPDN_BINDINGUI","features":[109]},{"name":"IESHORTCUTFLAGS","features":[109]},{"name":"IESHORTCUT_BACKGROUNDTAB","features":[109]},{"name":"IESHORTCUT_FORCENAVIGATE","features":[109]},{"name":"IESHORTCUT_NEWBROWSER","features":[109]},{"name":"IESHORTCUT_OPENNEWTAB","features":[109]},{"name":"IEnumACString","features":[109]},{"name":"IEnumAssocHandlers","features":[109]},{"name":"IEnumExplorerCommand","features":[109]},{"name":"IEnumExtraSearch","features":[109]},{"name":"IEnumFullIDList","features":[109]},{"name":"IEnumHLITEM","features":[109]},{"name":"IEnumIDList","features":[109]},{"name":"IEnumObjects","features":[109]},{"name":"IEnumPublishedApps","features":[109]},{"name":"IEnumReadyCallback","features":[109]},{"name":"IEnumResources","features":[109]},{"name":"IEnumShellItems","features":[109]},{"name":"IEnumSyncMgrConflict","features":[109]},{"name":"IEnumSyncMgrEvents","features":[109]},{"name":"IEnumSyncMgrSyncItems","features":[109]},{"name":"IEnumTravelLogEntry","features":[109]},{"name":"IEnumerableView","features":[109]},{"name":"IExecuteCommand","features":[109]},{"name":"IExecuteCommandApplicationHostEnvironment","features":[109]},{"name":"IExecuteCommandHost","features":[109]},{"name":"IExpDispSupport","features":[109]},{"name":"IExpDispSupportXP","features":[109]},{"name":"IExplorerBrowser","features":[109]},{"name":"IExplorerBrowserEvents","features":[109]},{"name":"IExplorerCommand","features":[109]},{"name":"IExplorerCommandProvider","features":[109]},{"name":"IExplorerCommandState","features":[109]},{"name":"IExplorerPaneVisibility","features":[109]},{"name":"IExtensionServices","features":[109]},{"name":"IExtractIconA","features":[109]},{"name":"IExtractIconW","features":[109]},{"name":"IExtractImage","features":[109]},{"name":"IExtractImage2","features":[109]},{"name":"IFileDialog","features":[109]},{"name":"IFileDialog2","features":[109]},{"name":"IFileDialogControlEvents","features":[109]},{"name":"IFileDialogCustomize","features":[109]},{"name":"IFileDialogEvents","features":[109]},{"name":"IFileIsInUse","features":[109]},{"name":"IFileOpenDialog","features":[109]},{"name":"IFileOperation","features":[109]},{"name":"IFileOperation2","features":[109]},{"name":"IFileOperationProgressSink","features":[109]},{"name":"IFileSaveDialog","features":[109]},{"name":"IFileSearchBand","features":[109]},{"name":"IFileSyncMergeHandler","features":[109]},{"name":"IFileSystemBindData","features":[109]},{"name":"IFileSystemBindData2","features":[109]},{"name":"IFolderBandPriv","features":[109]},{"name":"IFolderFilter","features":[109]},{"name":"IFolderFilterSite","features":[109]},{"name":"IFolderView","features":[109]},{"name":"IFolderView2","features":[109]},{"name":"IFolderViewHost","features":[109]},{"name":"IFolderViewOC","features":[109]},{"name":"IFolderViewOptions","features":[109]},{"name":"IFolderViewSettings","features":[109]},{"name":"IFrameworkInputPane","features":[109]},{"name":"IFrameworkInputPaneHandler","features":[109]},{"name":"IGetServiceIds","features":[109]},{"name":"IHWEventHandler","features":[109]},{"name":"IHWEventHandler2","features":[109]},{"name":"IHandlerActivationHost","features":[109]},{"name":"IHandlerInfo","features":[109]},{"name":"IHandlerInfo2","features":[109]},{"name":"IHlink","features":[109]},{"name":"IHlinkBrowseContext","features":[109]},{"name":"IHlinkFrame","features":[109]},{"name":"IHlinkSite","features":[109]},{"name":"IHlinkTarget","features":[109]},{"name":"IHomeGroup","features":[109]},{"name":"IIOCancelInformation","features":[109]},{"name":"IIdentityName","features":[109]},{"name":"IImageRecompress","features":[109]},{"name":"IInitializeCommand","features":[109]},{"name":"IInitializeNetworkFolder","features":[109]},{"name":"IInitializeObject","features":[109]},{"name":"IInitializeWithBindCtx","features":[109]},{"name":"IInitializeWithItem","features":[109]},{"name":"IInitializeWithPropertyStore","features":[109]},{"name":"IInitializeWithWindow","features":[109]},{"name":"IInputObject","features":[109]},{"name":"IInputObject2","features":[109]},{"name":"IInputObjectSite","features":[109]},{"name":"IInputPaneAnimationCoordinator","features":[109]},{"name":"IInputPanelConfiguration","features":[109]},{"name":"IInputPanelInvocationConfiguration","features":[109]},{"name":"IInsertItem","features":[109]},{"name":"IItemNameLimits","features":[109]},{"name":"IKnownFolder","features":[109]},{"name":"IKnownFolderManager","features":[109]},{"name":"ILAppendID","features":[1,219]},{"name":"ILClone","features":[219]},{"name":"ILCloneFirst","features":[219]},{"name":"ILCombine","features":[219]},{"name":"ILCreateFromPathA","features":[219]},{"name":"ILCreateFromPathW","features":[219]},{"name":"ILFindChild","features":[219]},{"name":"ILFindLastID","features":[219]},{"name":"ILFree","features":[219]},{"name":"ILGetNext","features":[219]},{"name":"ILGetSize","features":[219]},{"name":"ILIsEqual","features":[1,219]},{"name":"ILIsParent","features":[1,219]},{"name":"ILLoadFromStreamEx","features":[219]},{"name":"ILMM_IE4","features":[109]},{"name":"ILRemoveLastID","features":[1,219]},{"name":"ILSaveToStream","features":[219]},{"name":"ILaunchSourceAppUserModelId","features":[109]},{"name":"ILaunchSourceViewSizePreference","features":[109]},{"name":"ILaunchTargetMonitor","features":[109]},{"name":"ILaunchTargetViewSizePreference","features":[109]},{"name":"ILaunchUIContext","features":[109]},{"name":"ILaunchUIContextProvider","features":[109]},{"name":"IMM_ACC_DOCKING_E_DOCKOCCUPIED","features":[109]},{"name":"IMM_ACC_DOCKING_E_INSUFFICIENTHEIGHT","features":[109]},{"name":"IMSC_E_SHELL_COMPONENT_STARTUP_FAILURE","features":[109]},{"name":"IMenuBand","features":[109]},{"name":"IMenuPopup","features":[109]},{"name":"IModalWindow","features":[109]},{"name":"INTERNET_MAX_PATH_LENGTH","features":[109]},{"name":"INTERNET_MAX_SCHEME_LENGTH","features":[109]},{"name":"INameSpaceTreeAccessible","features":[109]},{"name":"INameSpaceTreeControl","features":[109]},{"name":"INameSpaceTreeControl2","features":[109]},{"name":"INameSpaceTreeControlCustomDraw","features":[109]},{"name":"INameSpaceTreeControlDropHandler","features":[109]},{"name":"INameSpaceTreeControlEvents","features":[109]},{"name":"INameSpaceTreeControlFolderCapabilities","features":[109]},{"name":"INamedPropertyBag","features":[109]},{"name":"INamespaceWalk","features":[109]},{"name":"INamespaceWalkCB","features":[109]},{"name":"INamespaceWalkCB2","features":[109]},{"name":"INetworkFolderInternal","features":[109]},{"name":"INewMenuClient","features":[109]},{"name":"INewShortcutHookA","features":[109]},{"name":"INewShortcutHookW","features":[109]},{"name":"INewWDEvents","features":[109]},{"name":"INewWindowManager","features":[109]},{"name":"INotifyReplica","features":[109]},{"name":"IObjMgr","features":[109]},{"name":"IObjectProvider","features":[109]},{"name":"IObjectWithAppUserModelID","features":[109]},{"name":"IObjectWithBackReferences","features":[109]},{"name":"IObjectWithCancelEvent","features":[109]},{"name":"IObjectWithFolderEnumMode","features":[109]},{"name":"IObjectWithProgID","features":[109]},{"name":"IObjectWithSelection","features":[109]},{"name":"IOpenControlPanel","features":[109]},{"name":"IOpenSearchSource","features":[109]},{"name":"IOperationsProgressDialog","features":[109]},{"name":"IPackageDebugSettings","features":[109]},{"name":"IPackageDebugSettings2","features":[109]},{"name":"IPackageExecutionStateChangeNotification","features":[109]},{"name":"IParentAndItem","features":[109]},{"name":"IParseAndCreateItem","features":[109]},{"name":"IPersistFolder","features":[109]},{"name":"IPersistFolder2","features":[109]},{"name":"IPersistFolder3","features":[109]},{"name":"IPersistIDList","features":[109]},{"name":"IPreviewHandler","features":[109]},{"name":"IPreviewHandlerFrame","features":[109]},{"name":"IPreviewHandlerVisuals","features":[109]},{"name":"IPreviewItem","features":[109]},{"name":"IPreviousVersionsInfo","features":[109]},{"name":"IProfferService","features":[109]},{"name":"IProgressDialog","features":[109]},{"name":"IPropertyKeyStore","features":[109]},{"name":"IPublishedApp","features":[109]},{"name":"IPublishedApp2","features":[109]},{"name":"IPublishingWizard","features":[109]},{"name":"IQueryAssociations","features":[109]},{"name":"IQueryCancelAutoPlay","features":[109]},{"name":"IQueryCodePage","features":[109]},{"name":"IQueryContinue","features":[109]},{"name":"IQueryContinueWithStatus","features":[109]},{"name":"IQueryInfo","features":[109]},{"name":"IRTIR_TASK_FINISHED","features":[109]},{"name":"IRTIR_TASK_NOT_RUNNING","features":[109]},{"name":"IRTIR_TASK_PENDING","features":[109]},{"name":"IRTIR_TASK_RUNNING","features":[109]},{"name":"IRTIR_TASK_SUSPENDED","features":[109]},{"name":"IRegTreeItem","features":[109]},{"name":"IRelatedItem","features":[109]},{"name":"IRemoteComputer","features":[109]},{"name":"IResolveShellLink","features":[109]},{"name":"IResultsFolder","features":[109]},{"name":"IRunnableTask","features":[109]},{"name":"ISFBVIEWMODE_LARGEICONS","features":[109]},{"name":"ISFBVIEWMODE_LOGOS","features":[109]},{"name":"ISFBVIEWMODE_SMALLICONS","features":[109]},{"name":"ISFB_MASK_BKCOLOR","features":[109]},{"name":"ISFB_MASK_COLORS","features":[109]},{"name":"ISFB_MASK_IDLIST","features":[109]},{"name":"ISFB_MASK_SHELLFOLDER","features":[109]},{"name":"ISFB_MASK_STATE","features":[109]},{"name":"ISFB_MASK_VIEWMODE","features":[109]},{"name":"ISFB_STATE_ALLOWRENAME","features":[109]},{"name":"ISFB_STATE_BTNMINSIZE","features":[109]},{"name":"ISFB_STATE_CHANNELBAR","features":[109]},{"name":"ISFB_STATE_DEBOSSED","features":[109]},{"name":"ISFB_STATE_DEFAULT","features":[109]},{"name":"ISFB_STATE_FULLOPEN","features":[109]},{"name":"ISFB_STATE_NONAMESORT","features":[109]},{"name":"ISFB_STATE_NOSHOWTEXT","features":[109]},{"name":"ISFB_STATE_QLINKSMODE","features":[109]},{"name":"ISHCUTCMDID_COMMITHISTORY","features":[109]},{"name":"ISHCUTCMDID_DOWNLOADICON","features":[109]},{"name":"ISHCUTCMDID_INTSHORTCUTCREATE","features":[109]},{"name":"ISHCUTCMDID_SETUSERAWURL","features":[109]},{"name":"ISIOI_ICONFILE","features":[109]},{"name":"ISIOI_ICONINDEX","features":[109]},{"name":"IS_E_EXEC_FAILED","features":[109]},{"name":"IS_FULLSCREEN","features":[109]},{"name":"IS_NORMAL","features":[109]},{"name":"IS_SPLIT","features":[109]},{"name":"IScriptErrorList","features":[109]},{"name":"ISearchBoxInfo","features":[109]},{"name":"ISearchContext","features":[109]},{"name":"ISearchFolderItemFactory","features":[109]},{"name":"ISharedBitmap","features":[109]},{"name":"ISharingConfigurationManager","features":[109]},{"name":"IShellApp","features":[109]},{"name":"IShellBrowser","features":[109]},{"name":"IShellChangeNotify","features":[109]},{"name":"IShellDetails","features":[109]},{"name":"IShellDispatch","features":[109]},{"name":"IShellDispatch2","features":[109]},{"name":"IShellDispatch3","features":[109]},{"name":"IShellDispatch4","features":[109]},{"name":"IShellDispatch5","features":[109]},{"name":"IShellDispatch6","features":[109]},{"name":"IShellExtInit","features":[109]},{"name":"IShellFavoritesNameSpace","features":[109]},{"name":"IShellFolder","features":[109]},{"name":"IShellFolder2","features":[109]},{"name":"IShellFolderBand","features":[109]},{"name":"IShellFolderView","features":[109]},{"name":"IShellFolderViewCB","features":[109]},{"name":"IShellFolderViewDual","features":[109]},{"name":"IShellFolderViewDual2","features":[109]},{"name":"IShellFolderViewDual3","features":[109]},{"name":"IShellIcon","features":[109]},{"name":"IShellIconOverlay","features":[109]},{"name":"IShellIconOverlayIdentifier","features":[109]},{"name":"IShellIconOverlayManager","features":[109]},{"name":"IShellImageData","features":[109]},{"name":"IShellImageDataAbort","features":[109]},{"name":"IShellImageDataFactory","features":[109]},{"name":"IShellItem","features":[109]},{"name":"IShellItem2","features":[109]},{"name":"IShellItemArray","features":[109]},{"name":"IShellItemFilter","features":[109]},{"name":"IShellItemImageFactory","features":[109]},{"name":"IShellItemResources","features":[109]},{"name":"IShellLibrary","features":[109]},{"name":"IShellLinkA","features":[109]},{"name":"IShellLinkDataList","features":[109]},{"name":"IShellLinkDual","features":[109]},{"name":"IShellLinkDual2","features":[109]},{"name":"IShellLinkW","features":[109]},{"name":"IShellMenu","features":[109]},{"name":"IShellMenuCallback","features":[109]},{"name":"IShellNameSpace","features":[109]},{"name":"IShellPropSheetExt","features":[109]},{"name":"IShellRunDll","features":[109]},{"name":"IShellService","features":[109]},{"name":"IShellTaskScheduler","features":[109]},{"name":"IShellUIHelper","features":[109]},{"name":"IShellUIHelper2","features":[109]},{"name":"IShellUIHelper3","features":[109]},{"name":"IShellUIHelper4","features":[109]},{"name":"IShellUIHelper5","features":[109]},{"name":"IShellUIHelper6","features":[109]},{"name":"IShellUIHelper7","features":[109]},{"name":"IShellUIHelper8","features":[109]},{"name":"IShellUIHelper9","features":[109]},{"name":"IShellView","features":[109]},{"name":"IShellView2","features":[109]},{"name":"IShellView3","features":[109]},{"name":"IShellWindows","features":[109]},{"name":"ISortColumnArray","features":[109]},{"name":"IStartMenuPinnedList","features":[109]},{"name":"IStorageProviderBanners","features":[109]},{"name":"IStorageProviderCopyHook","features":[109]},{"name":"IStorageProviderHandler","features":[109]},{"name":"IStorageProviderPropertyHandler","features":[109]},{"name":"IStreamAsync","features":[109]},{"name":"IStreamUnbufferedInfo","features":[109]},{"name":"IStream_Copy","features":[109]},{"name":"IStream_Read","features":[109]},{"name":"IStream_ReadPidl","features":[219]},{"name":"IStream_ReadStr","features":[109]},{"name":"IStream_Reset","features":[109]},{"name":"IStream_Size","features":[109]},{"name":"IStream_Write","features":[109]},{"name":"IStream_WritePidl","features":[219]},{"name":"IStream_WriteStr","features":[109]},{"name":"ISuspensionDependencyManager","features":[109]},{"name":"ISyncMgrConflict","features":[109]},{"name":"ISyncMgrConflictFolder","features":[109]},{"name":"ISyncMgrConflictItems","features":[109]},{"name":"ISyncMgrConflictPresenter","features":[109]},{"name":"ISyncMgrConflictResolutionItems","features":[109]},{"name":"ISyncMgrConflictResolveInfo","features":[109]},{"name":"ISyncMgrConflictStore","features":[109]},{"name":"ISyncMgrControl","features":[109]},{"name":"ISyncMgrEnumItems","features":[109]},{"name":"ISyncMgrEvent","features":[109]},{"name":"ISyncMgrEventLinkUIOperation","features":[109]},{"name":"ISyncMgrEventStore","features":[109]},{"name":"ISyncMgrHandler","features":[109]},{"name":"ISyncMgrHandlerCollection","features":[109]},{"name":"ISyncMgrHandlerInfo","features":[109]},{"name":"ISyncMgrRegister","features":[109]},{"name":"ISyncMgrResolutionHandler","features":[109]},{"name":"ISyncMgrScheduleWizardUIOperation","features":[109]},{"name":"ISyncMgrSessionCreator","features":[109]},{"name":"ISyncMgrSyncCallback","features":[109]},{"name":"ISyncMgrSyncItem","features":[109]},{"name":"ISyncMgrSyncItemContainer","features":[109]},{"name":"ISyncMgrSyncItemInfo","features":[109]},{"name":"ISyncMgrSyncResult","features":[109]},{"name":"ISyncMgrSynchronize","features":[109]},{"name":"ISyncMgrSynchronizeCallback","features":[109]},{"name":"ISyncMgrSynchronizeInvoke","features":[109]},{"name":"ISyncMgrUIOperation","features":[109]},{"name":"ITEMSPACING","features":[109]},{"name":"ITSAT_DEFAULT_PRIORITY","features":[109]},{"name":"ITSAT_MAX_PRIORITY","features":[109]},{"name":"ITSAT_MIN_PRIORITY","features":[109]},{"name":"ITSSFLAG_COMPLETE_ON_DESTROY","features":[109]},{"name":"ITSSFLAG_FLAGS_MASK","features":[109]},{"name":"ITSSFLAG_KILL_ON_DESTROY","features":[109]},{"name":"ITSS_THREAD_TIMEOUT_NO_CHANGE","features":[109]},{"name":"ITaskbarList","features":[109]},{"name":"ITaskbarList2","features":[109]},{"name":"ITaskbarList3","features":[109]},{"name":"ITaskbarList4","features":[109]},{"name":"IThumbnailCache","features":[109]},{"name":"IThumbnailCachePrimer","features":[109]},{"name":"IThumbnailCapture","features":[109]},{"name":"IThumbnailHandlerFactory","features":[109]},{"name":"IThumbnailProvider","features":[109]},{"name":"IThumbnailSettings","features":[109]},{"name":"IThumbnailStreamCache","features":[109]},{"name":"ITrackShellMenu","features":[109]},{"name":"ITranscodeImage","features":[109]},{"name":"ITransferAdviseSink","features":[109]},{"name":"ITransferDestination","features":[109]},{"name":"ITransferMediumItem","features":[109]},{"name":"ITransferSource","features":[109]},{"name":"ITravelEntry","features":[109]},{"name":"ITravelLog","features":[109]},{"name":"ITravelLogClient","features":[109]},{"name":"ITravelLogEntry","features":[109]},{"name":"ITravelLogStg","features":[109]},{"name":"ITrayDeskBand","features":[109]},{"name":"IURLSearchHook","features":[109]},{"name":"IURLSearchHook2","features":[109]},{"name":"IURL_INVOKECOMMAND_FLAGS","features":[109]},{"name":"IURL_INVOKECOMMAND_FL_ALLOW_UI","features":[109]},{"name":"IURL_INVOKECOMMAND_FL_ASYNCOK","features":[109]},{"name":"IURL_INVOKECOMMAND_FL_DDEWAIT","features":[109]},{"name":"IURL_INVOKECOMMAND_FL_LOG_USAGE","features":[109]},{"name":"IURL_INVOKECOMMAND_FL_USE_DEFAULT_VERB","features":[109]},{"name":"IURL_SETURL_FLAGS","features":[109]},{"name":"IURL_SETURL_FL_GUESS_PROTOCOL","features":[109]},{"name":"IURL_SETURL_FL_USE_DEFAULT_PROTOCOL","features":[109]},{"name":"IUniformResourceLocatorA","features":[109]},{"name":"IUniformResourceLocatorW","features":[109]},{"name":"IUnknown_AtomicRelease","features":[109]},{"name":"IUnknown_GetSite","features":[109]},{"name":"IUnknown_GetWindow","features":[1,109]},{"name":"IUnknown_QueryService","features":[109]},{"name":"IUnknown_Set","features":[109]},{"name":"IUnknown_SetSite","features":[109]},{"name":"IUpdateIDList","features":[109]},{"name":"IUseToBrowseItem","features":[109]},{"name":"IUserAccountChangeCallback","features":[109]},{"name":"IUserNotification","features":[109]},{"name":"IUserNotification2","features":[109]},{"name":"IUserNotificationCallback","features":[109]},{"name":"IViewStateIdentityItem","features":[109]},{"name":"IVirtualDesktopManager","features":[109]},{"name":"IVisualProperties","features":[109]},{"name":"IWebBrowser","features":[109]},{"name":"IWebBrowser2","features":[109]},{"name":"IWebBrowserApp","features":[109]},{"name":"IWebWizardExtension","features":[109]},{"name":"IWebWizardHost","features":[109]},{"name":"IWebWizardHost2","features":[109]},{"name":"IWizardExtension","features":[109]},{"name":"IWizardSite","features":[109]},{"name":"Identity_LocalUserProvider","features":[109]},{"name":"ImageProperties","features":[109]},{"name":"ImageRecompress","features":[109]},{"name":"ImageTranscode","features":[109]},{"name":"ImportPrivacySettings","features":[1,109]},{"name":"InitNetworkAddressControl","features":[1,109]},{"name":"InitPropVariantFromStrRet","features":[1,63,42,219]},{"name":"InitVariantFromStrRet","features":[1,41,42,219]},{"name":"InputPanelConfiguration","features":[109]},{"name":"InternetExplorer","features":[109]},{"name":"InternetExplorerMedium","features":[109]},{"name":"InternetPrintOrdering","features":[109]},{"name":"IntlStrEqWorkerA","features":[1,109]},{"name":"IntlStrEqWorkerW","features":[1,109]},{"name":"IsCharSpaceA","features":[1,109]},{"name":"IsCharSpaceW","features":[1,109]},{"name":"IsInternetESCEnabled","features":[1,109]},{"name":"IsLFNDriveA","features":[1,109]},{"name":"IsLFNDriveW","features":[1,109]},{"name":"IsNetDrive","features":[109]},{"name":"IsOS","features":[1,109]},{"name":"IsUserAnAdmin","features":[1,109]},{"name":"ItemCount_Property_GUID","features":[109]},{"name":"ItemIndex_Property_GUID","features":[109]},{"name":"KDC_FREQUENT","features":[109]},{"name":"KDC_RECENT","features":[109]},{"name":"KFDF_LOCAL_REDIRECT_ONLY","features":[109]},{"name":"KFDF_NO_REDIRECT_UI","features":[109]},{"name":"KFDF_PRECREATE","features":[109]},{"name":"KFDF_PUBLISHEXPANDEDPATH","features":[109]},{"name":"KFDF_ROAMABLE","features":[109]},{"name":"KFDF_STREAM","features":[109]},{"name":"KF_CATEGORY","features":[109]},{"name":"KF_CATEGORY_COMMON","features":[109]},{"name":"KF_CATEGORY_FIXED","features":[109]},{"name":"KF_CATEGORY_PERUSER","features":[109]},{"name":"KF_CATEGORY_VIRTUAL","features":[109]},{"name":"KF_FLAG_ALIAS_ONLY","features":[109]},{"name":"KF_FLAG_CREATE","features":[109]},{"name":"KF_FLAG_DEFAULT","features":[109]},{"name":"KF_FLAG_DEFAULT_PATH","features":[109]},{"name":"KF_FLAG_DONT_UNEXPAND","features":[109]},{"name":"KF_FLAG_DONT_VERIFY","features":[109]},{"name":"KF_FLAG_FORCE_APPCONTAINER_REDIRECTION","features":[109]},{"name":"KF_FLAG_FORCE_APP_DATA_REDIRECTION","features":[109]},{"name":"KF_FLAG_FORCE_PACKAGE_REDIRECTION","features":[109]},{"name":"KF_FLAG_INIT","features":[109]},{"name":"KF_FLAG_NOT_PARENT_RELATIVE","features":[109]},{"name":"KF_FLAG_NO_ALIAS","features":[109]},{"name":"KF_FLAG_NO_APPCONTAINER_REDIRECTION","features":[109]},{"name":"KF_FLAG_NO_PACKAGE_REDIRECTION","features":[109]},{"name":"KF_FLAG_RETURN_FILTER_REDIRECTION_TARGET","features":[109]},{"name":"KF_FLAG_SIMPLE_IDLIST","features":[109]},{"name":"KF_REDIRECTION_CAPABILITIES_ALLOW_ALL","features":[109]},{"name":"KF_REDIRECTION_CAPABILITIES_DENY_ALL","features":[109]},{"name":"KF_REDIRECTION_CAPABILITIES_DENY_PERMISSIONS","features":[109]},{"name":"KF_REDIRECTION_CAPABILITIES_DENY_POLICY","features":[109]},{"name":"KF_REDIRECTION_CAPABILITIES_DENY_POLICY_REDIRECTED","features":[109]},{"name":"KF_REDIRECTION_CAPABILITIES_REDIRECTABLE","features":[109]},{"name":"KF_REDIRECT_CHECK_ONLY","features":[109]},{"name":"KF_REDIRECT_COPY_CONTENTS","features":[109]},{"name":"KF_REDIRECT_COPY_SOURCE_DACL","features":[109]},{"name":"KF_REDIRECT_DEL_SOURCE_CONTENTS","features":[109]},{"name":"KF_REDIRECT_EXCLUDE_ALL_KNOWN_SUBFOLDERS","features":[109]},{"name":"KF_REDIRECT_OWNER_USER","features":[109]},{"name":"KF_REDIRECT_PIN","features":[109]},{"name":"KF_REDIRECT_SET_OWNER_EXPLICIT","features":[109]},{"name":"KF_REDIRECT_UNPIN","features":[109]},{"name":"KF_REDIRECT_USER_EXCLUSIVE","features":[109]},{"name":"KF_REDIRECT_WITH_UI","features":[109]},{"name":"KNOWNDESTCATEGORY","features":[109]},{"name":"KNOWNFOLDER_DEFINITION","features":[109]},{"name":"KNOWN_FOLDER_FLAG","features":[109]},{"name":"KnownFolderManager","features":[109]},{"name":"LFF_ALLITEMS","features":[109]},{"name":"LFF_FORCEFILESYSTEM","features":[109]},{"name":"LFF_STORAGEITEMS","features":[109]},{"name":"LIBRARYFOLDERFILTER","features":[109]},{"name":"LIBRARYMANAGEDIALOGOPTIONS","features":[109]},{"name":"LIBRARYOPTIONFLAGS","features":[109]},{"name":"LIBRARYSAVEFLAGS","features":[109]},{"name":"LIBRARY_E_NO_ACCESSIBLE_LOCATION","features":[109]},{"name":"LIBRARY_E_NO_SAVE_LOCATION","features":[109]},{"name":"LINK_E_DELETE","features":[109]},{"name":"LMD_ALLOWUNINDEXABLENETWORKLOCATIONS","features":[109]},{"name":"LMD_DEFAULT","features":[109]},{"name":"LOF_DEFAULT","features":[109]},{"name":"LOF_MASK_ALL","features":[109]},{"name":"LOF_PINNEDTONAVPANE","features":[109]},{"name":"LPFNDFMCALLBACK","features":[1,109]},{"name":"LPFNVIEWCALLBACK","features":[1,109]},{"name":"LSF_FAILIFTHERE","features":[109]},{"name":"LSF_MAKEUNIQUENAME","features":[109]},{"name":"LSF_OVERRIDEEXISTING","features":[109]},{"name":"LoadUserProfileA","features":[1,109]},{"name":"LoadUserProfileW","features":[1,109]},{"name":"LocalThumbnailCache","features":[109]},{"name":"MAV_APP_VISIBLE","features":[109]},{"name":"MAV_NO_APP_VISIBLE","features":[109]},{"name":"MAV_UNKNOWN","features":[109]},{"name":"MAXFILELEN","features":[109]},{"name":"MAX_COLUMN_DESC_LEN","features":[109]},{"name":"MAX_COLUMN_NAME_LEN","features":[109]},{"name":"MAX_SYNCMGRHANDLERNAME","features":[109]},{"name":"MAX_SYNCMGRITEMNAME","features":[109]},{"name":"MAX_SYNCMGR_ID","features":[109]},{"name":"MAX_SYNCMGR_NAME","features":[109]},{"name":"MAX_SYNCMGR_PROGRESSTEXT","features":[109]},{"name":"MBHANDCID_PIDLSELECT","features":[109]},{"name":"MENUBANDHANDLERCID","features":[109]},{"name":"MENUPOPUPPOPUPFLAGS","features":[109]},{"name":"MENUPOPUPSELECT","features":[109]},{"name":"MERGE_UPDATE_STATUS","features":[109]},{"name":"MIMEASSOCDLG_FL_REGISTER_ASSOC","features":[109]},{"name":"MIMEASSOCIATIONDIALOG_IN_FLAGS","features":[109]},{"name":"MM_ADDSEPARATOR","features":[109]},{"name":"MM_DONTREMOVESEPS","features":[109]},{"name":"MM_FLAGS","features":[109]},{"name":"MM_SUBMENUSHAVEIDS","features":[109]},{"name":"MONITOR_APP_VISIBILITY","features":[109]},{"name":"MPOS_CANCELLEVEL","features":[109]},{"name":"MPOS_CHILDTRACKING","features":[109]},{"name":"MPOS_EXECUTE","features":[109]},{"name":"MPOS_FULLCANCEL","features":[109]},{"name":"MPOS_SELECTLEFT","features":[109]},{"name":"MPOS_SELECTRIGHT","features":[109]},{"name":"MPPF_ALIGN_LEFT","features":[109]},{"name":"MPPF_ALIGN_RIGHT","features":[109]},{"name":"MPPF_BOTTOM","features":[109]},{"name":"MPPF_FINALSELECT","features":[109]},{"name":"MPPF_FORCEZORDER","features":[109]},{"name":"MPPF_INITIALSELECT","features":[109]},{"name":"MPPF_KEYBOARD","features":[109]},{"name":"MPPF_LEFT","features":[109]},{"name":"MPPF_NOANIMATE","features":[109]},{"name":"MPPF_POS_MASK","features":[109]},{"name":"MPPF_REPOSITION","features":[109]},{"name":"MPPF_RIGHT","features":[109]},{"name":"MPPF_SETFOCUS","features":[109]},{"name":"MPPF_TOP","features":[109]},{"name":"MULTIKEYHELPA","features":[109]},{"name":"MULTIKEYHELPW","features":[109]},{"name":"MUS_COMPLETE","features":[109]},{"name":"MUS_FAILED","features":[109]},{"name":"MUS_USERINPUTNEEDED","features":[109]},{"name":"MailRecipient","features":[109]},{"name":"MergedCategorizer","features":[109]},{"name":"NAMESPACEWALKFLAG","features":[109]},{"name":"NATIVE_DISPLAY_ORIENTATION","features":[109]},{"name":"NCM_DISPLAYERRORTIP","features":[109]},{"name":"NCM_GETADDRESS","features":[109]},{"name":"NCM_GETALLOWTYPE","features":[109]},{"name":"NCM_SETALLOWTYPE","features":[109]},{"name":"NC_ADDRESS","features":[90,15,109]},{"name":"NDO_LANDSCAPE","features":[109]},{"name":"NDO_PORTRAIT","features":[109]},{"name":"NETCACHE_E_NEGATIVE_CACHE","features":[109]},{"name":"NEWCPLINFOA","features":[109,50]},{"name":"NEWCPLINFOW","features":[109,50]},{"name":"NIF_GUID","features":[109]},{"name":"NIF_ICON","features":[109]},{"name":"NIF_INFO","features":[109]},{"name":"NIF_MESSAGE","features":[109]},{"name":"NIF_REALTIME","features":[109]},{"name":"NIF_SHOWTIP","features":[109]},{"name":"NIF_STATE","features":[109]},{"name":"NIF_TIP","features":[109]},{"name":"NIIF_ERROR","features":[109]},{"name":"NIIF_ICON_MASK","features":[109]},{"name":"NIIF_INFO","features":[109]},{"name":"NIIF_LARGE_ICON","features":[109]},{"name":"NIIF_NONE","features":[109]},{"name":"NIIF_NOSOUND","features":[109]},{"name":"NIIF_RESPECT_QUIET_TIME","features":[109]},{"name":"NIIF_USER","features":[109]},{"name":"NIIF_WARNING","features":[109]},{"name":"NIM_ADD","features":[109]},{"name":"NIM_DELETE","features":[109]},{"name":"NIM_MODIFY","features":[109]},{"name":"NIM_SETFOCUS","features":[109]},{"name":"NIM_SETVERSION","features":[109]},{"name":"NINF_KEY","features":[109]},{"name":"NIN_BALLOONHIDE","features":[109]},{"name":"NIN_BALLOONSHOW","features":[109]},{"name":"NIN_BALLOONTIMEOUT","features":[109]},{"name":"NIN_BALLOONUSERCLICK","features":[109]},{"name":"NIN_POPUPCLOSE","features":[109]},{"name":"NIN_POPUPOPEN","features":[109]},{"name":"NIN_SELECT","features":[109]},{"name":"NIS_HIDDEN","features":[109]},{"name":"NIS_SHAREDICON","features":[109]},{"name":"NMCII_FOLDERS","features":[109]},{"name":"NMCII_ITEMS","features":[109]},{"name":"NMCII_NONE","features":[109]},{"name":"NMCSAEI_EDIT","features":[109]},{"name":"NMCSAEI_SELECT","features":[109]},{"name":"NOTIFYICONDATAA","features":[1,109,50]},{"name":"NOTIFYICONDATAA","features":[1,109,50]},{"name":"NOTIFYICONDATAW","features":[1,109,50]},{"name":"NOTIFYICONDATAW","features":[1,109,50]},{"name":"NOTIFYICONIDENTIFIER","features":[1,109]},{"name":"NOTIFYICONIDENTIFIER","features":[1,109]},{"name":"NOTIFYICON_VERSION","features":[109]},{"name":"NOTIFYICON_VERSION_4","features":[109]},{"name":"NOTIFY_ICON_DATA_FLAGS","features":[109]},{"name":"NOTIFY_ICON_INFOTIP_FLAGS","features":[109]},{"name":"NOTIFY_ICON_MESSAGE","features":[109]},{"name":"NOTIFY_ICON_STATE","features":[109]},{"name":"NPCredentialProvider","features":[109]},{"name":"NRESARRAY","features":[100,109]},{"name":"NSTCCUSTOMDRAW","features":[40,109]},{"name":"NSTCDHPOS_ONTOP","features":[109]},{"name":"NSTCECT_BUTTON","features":[109]},{"name":"NSTCECT_DBLCLICK","features":[109]},{"name":"NSTCECT_LBUTTON","features":[109]},{"name":"NSTCECT_MBUTTON","features":[109]},{"name":"NSTCECT_RBUTTON","features":[109]},{"name":"NSTCEHT_NOWHERE","features":[109]},{"name":"NSTCEHT_ONITEM","features":[109]},{"name":"NSTCEHT_ONITEMBUTTON","features":[109]},{"name":"NSTCEHT_ONITEMICON","features":[109]},{"name":"NSTCEHT_ONITEMINDENT","features":[109]},{"name":"NSTCEHT_ONITEMLABEL","features":[109]},{"name":"NSTCEHT_ONITEMRIGHT","features":[109]},{"name":"NSTCEHT_ONITEMSTATEICON","features":[109]},{"name":"NSTCEHT_ONITEMTABBUTTON","features":[109]},{"name":"NSTCFC_DELAY_REGISTER_NOTIFY","features":[109]},{"name":"NSTCFC_NONE","features":[109]},{"name":"NSTCFC_PINNEDITEMFILTERING","features":[109]},{"name":"NSTCFOLDERCAPABILITIES","features":[109]},{"name":"NSTCGNI","features":[109]},{"name":"NSTCGNI_CHILD","features":[109]},{"name":"NSTCGNI_FIRSTVISIBLE","features":[109]},{"name":"NSTCGNI_LASTVISIBLE","features":[109]},{"name":"NSTCGNI_NEXT","features":[109]},{"name":"NSTCGNI_NEXTVISIBLE","features":[109]},{"name":"NSTCGNI_PARENT","features":[109]},{"name":"NSTCGNI_PREV","features":[109]},{"name":"NSTCGNI_PREVVISIBLE","features":[109]},{"name":"NSTCIS_BOLD","features":[109]},{"name":"NSTCIS_DISABLED","features":[109]},{"name":"NSTCIS_EXPANDED","features":[109]},{"name":"NSTCIS_NONE","features":[109]},{"name":"NSTCIS_SELECTED","features":[109]},{"name":"NSTCIS_SELECTEDNOEXPAND","features":[109]},{"name":"NSTCRS_EXPANDED","features":[109]},{"name":"NSTCRS_HIDDEN","features":[109]},{"name":"NSTCRS_VISIBLE","features":[109]},{"name":"NSTCS2_DEFAULT","features":[109]},{"name":"NSTCS2_DISPLAYPADDING","features":[109]},{"name":"NSTCS2_DISPLAYPINNEDONLY","features":[109]},{"name":"NSTCS2_INTERRUPTNOTIFICATIONS","features":[109]},{"name":"NSTCS2_SHOWNULLSPACEMENU","features":[109]},{"name":"NSTCSTYLE2","features":[109]},{"name":"NSTCS_ALLOWJUNCTIONS","features":[109]},{"name":"NSTCS_AUTOHSCROLL","features":[109]},{"name":"NSTCS_BORDER","features":[109]},{"name":"NSTCS_CHECKBOXES","features":[109]},{"name":"NSTCS_DIMMEDCHECKBOXES","features":[109]},{"name":"NSTCS_DISABLEDRAGDROP","features":[109]},{"name":"NSTCS_EMPTYTEXT","features":[109]},{"name":"NSTCS_EVENHEIGHT","features":[109]},{"name":"NSTCS_EXCLUSIONCHECKBOXES","features":[109]},{"name":"NSTCS_FADEINOUTEXPANDOS","features":[109]},{"name":"NSTCS_FAVORITESMODE","features":[109]},{"name":"NSTCS_FULLROWSELECT","features":[109]},{"name":"NSTCS_HASEXPANDOS","features":[109]},{"name":"NSTCS_HASLINES","features":[109]},{"name":"NSTCS_HORIZONTALSCROLL","features":[109]},{"name":"NSTCS_NOEDITLABELS","features":[109]},{"name":"NSTCS_NOINDENTCHECKS","features":[109]},{"name":"NSTCS_NOINFOTIP","features":[109]},{"name":"NSTCS_NOORDERSTREAM","features":[109]},{"name":"NSTCS_NOREPLACEOPEN","features":[109]},{"name":"NSTCS_PARTIALCHECKBOXES","features":[109]},{"name":"NSTCS_RICHTOOLTIP","features":[109]},{"name":"NSTCS_ROOTHASEXPANDO","features":[109]},{"name":"NSTCS_SHOWDELETEBUTTON","features":[109]},{"name":"NSTCS_SHOWREFRESHBUTTON","features":[109]},{"name":"NSTCS_SHOWSELECTIONALWAYS","features":[109]},{"name":"NSTCS_SHOWTABSBUTTON","features":[109]},{"name":"NSTCS_SINGLECLICKEXPAND","features":[109]},{"name":"NSTCS_SPRINGEXPAND","features":[109]},{"name":"NSTCS_TABSTOP","features":[109]},{"name":"NSWF_ACCUMULATE_FOLDERS","features":[109]},{"name":"NSWF_ANY_IMPLIES_ALL","features":[109]},{"name":"NSWF_ASYNC","features":[109]},{"name":"NSWF_DEFAULT","features":[109]},{"name":"NSWF_DONT_ACCUMULATE_RESULT","features":[109]},{"name":"NSWF_DONT_RESOLVE_LINKS","features":[109]},{"name":"NSWF_DONT_SORT","features":[109]},{"name":"NSWF_DONT_TRAVERSE_LINKS","features":[109]},{"name":"NSWF_DONT_TRAVERSE_STREAM_JUNCTIONS","features":[109]},{"name":"NSWF_FILESYSTEM_ONLY","features":[109]},{"name":"NSWF_FLAG_VIEWORDER","features":[109]},{"name":"NSWF_IGNORE_AUTOPLAY_HIDA","features":[109]},{"name":"NSWF_NONE_IMPLIES_ALL","features":[109]},{"name":"NSWF_ONE_IMPLIES_ALL","features":[109]},{"name":"NSWF_SHOW_PROGRESS","features":[109]},{"name":"NSWF_TRAVERSE_STREAM_JUNCTIONS","features":[109]},{"name":"NSWF_USE_TRANSFER_MEDIUM","features":[109]},{"name":"NTSCS2_NEVERINSERTNONENUMERATED","features":[109]},{"name":"NTSCS2_NOSINGLETONAUTOEXPAND","features":[109]},{"name":"NT_CONSOLE_PROPS","features":[1,53,109]},{"name":"NT_CONSOLE_PROPS_SIG","features":[109]},{"name":"NT_FE_CONSOLE_PROPS","features":[109]},{"name":"NT_FE_CONSOLE_PROPS_SIG","features":[109]},{"name":"NUM_POINTS","features":[109]},{"name":"NWMF","features":[109]},{"name":"NWMF_FIRST","features":[109]},{"name":"NWMF_FORCETAB","features":[109]},{"name":"NWMF_FORCEWINDOW","features":[109]},{"name":"NWMF_FROMDIALOGCHILD","features":[109]},{"name":"NWMF_HTMLDIALOG","features":[109]},{"name":"NWMF_INACTIVETAB","features":[109]},{"name":"NWMF_OVERRIDEKEY","features":[109]},{"name":"NWMF_SHOWHELP","features":[109]},{"name":"NWMF_SUGGESTTAB","features":[109]},{"name":"NWMF_SUGGESTWINDOW","features":[109]},{"name":"NWMF_UNLOADING","features":[109]},{"name":"NWMF_USERALLOWED","features":[109]},{"name":"NWMF_USERINITED","features":[109]},{"name":"NWMF_USERREQUESTED","features":[109]},{"name":"NamespaceTreeControl","features":[109]},{"name":"NamespaceWalker","features":[109]},{"name":"NetworkConnections","features":[109]},{"name":"NetworkExplorerFolder","features":[109]},{"name":"NetworkPlaces","features":[109]},{"name":"NewProcessCauseConstants","features":[109]},{"name":"OAIF_ALLOW_REGISTRATION","features":[109]},{"name":"OAIF_EXEC","features":[109]},{"name":"OAIF_FILE_IS_URI","features":[109]},{"name":"OAIF_FORCE_REGISTRATION","features":[109]},{"name":"OAIF_HIDE_REGISTRATION","features":[109]},{"name":"OAIF_REGISTER_EXT","features":[109]},{"name":"OAIF_URL_PROTOCOL","features":[109]},{"name":"OFASI_EDIT","features":[109]},{"name":"OFASI_OPENDESKTOP","features":[109]},{"name":"OFFLINE_STATUS_INCOMPLETE","features":[109]},{"name":"OFFLINE_STATUS_LOCAL","features":[109]},{"name":"OFFLINE_STATUS_REMOTE","features":[109]},{"name":"OFS_DIRTYCACHE","features":[109]},{"name":"OFS_INACTIVE","features":[109]},{"name":"OFS_OFFLINE","features":[109]},{"name":"OFS_ONLINE","features":[109]},{"name":"OFS_SERVERBACK","features":[109]},{"name":"OF_CAP_CANCLOSE","features":[109]},{"name":"OF_CAP_CANSWITCHTO","features":[109]},{"name":"OI_ASYNC","features":[109]},{"name":"OI_DEFAULT","features":[109]},{"name":"OPENASINFO","features":[109]},{"name":"OPENPROPS_INHIBITPIF","features":[109]},{"name":"OPENPROPS_NONE","features":[109]},{"name":"OPEN_AS_INFO_FLAGS","features":[109]},{"name":"OPEN_PRINTER_PROPS_INFOA","features":[1,109]},{"name":"OPEN_PRINTER_PROPS_INFOA","features":[1,109]},{"name":"OPEN_PRINTER_PROPS_INFOW","features":[1,109]},{"name":"OPEN_PRINTER_PROPS_INFOW","features":[1,109]},{"name":"OPPROGDLG_ALLOWUNDO","features":[109]},{"name":"OPPROGDLG_DEFAULT","features":[109]},{"name":"OPPROGDLG_DONTDISPLAYDESTPATH","features":[109]},{"name":"OPPROGDLG_DONTDISPLAYLOCATIONS","features":[109]},{"name":"OPPROGDLG_DONTDISPLAYSOURCEPATH","features":[109]},{"name":"OPPROGDLG_ENABLEPAUSE","features":[109]},{"name":"OPPROGDLG_NOMULTIDAYESTIMATES","features":[109]},{"name":"OS","features":[109]},{"name":"OS_ADVSERVER","features":[109]},{"name":"OS_ANYSERVER","features":[109]},{"name":"OS_APPLIANCE","features":[109]},{"name":"OS_DATACENTER","features":[109]},{"name":"OS_DOMAINMEMBER","features":[109]},{"name":"OS_EMBEDDED","features":[109]},{"name":"OS_FASTUSERSWITCHING","features":[109]},{"name":"OS_HOME","features":[109]},{"name":"OS_MEDIACENTER","features":[109]},{"name":"OS_MEORGREATER","features":[109]},{"name":"OS_NT","features":[109]},{"name":"OS_NT4ORGREATER","features":[109]},{"name":"OS_PERSONALTERMINALSERVER","features":[109]},{"name":"OS_PROFESSIONAL","features":[109]},{"name":"OS_SERVER","features":[109]},{"name":"OS_SERVERADMINUI","features":[109]},{"name":"OS_SMALLBUSINESSSERVER","features":[109]},{"name":"OS_TABLETPC","features":[109]},{"name":"OS_TERMINALCLIENT","features":[109]},{"name":"OS_TERMINALREMOTEADMIN","features":[109]},{"name":"OS_TERMINALSERVER","features":[109]},{"name":"OS_WEBSERVER","features":[109]},{"name":"OS_WELCOMELOGONUI","features":[109]},{"name":"OS_WIN2000ADVSERVER","features":[109]},{"name":"OS_WIN2000DATACENTER","features":[109]},{"name":"OS_WIN2000ORGREATER","features":[109]},{"name":"OS_WIN2000PRO","features":[109]},{"name":"OS_WIN2000SERVER","features":[109]},{"name":"OS_WIN2000TERMINAL","features":[109]},{"name":"OS_WIN95ORGREATER","features":[109]},{"name":"OS_WIN95_GOLD","features":[109]},{"name":"OS_WIN98ORGREATER","features":[109]},{"name":"OS_WIN98_GOLD","features":[109]},{"name":"OS_WINDOWS","features":[109]},{"name":"OS_WOW6432","features":[109]},{"name":"OS_XPORGREATER","features":[109]},{"name":"OfflineFolderStatus","features":[109]},{"name":"OleSaveToStreamEx","features":[1,109]},{"name":"OnexCredentialProvider","features":[109]},{"name":"OnexPlapSmartcardCredentialProvider","features":[109]},{"name":"OpenControlPanel","features":[109]},{"name":"OpenRegStream","features":[49,109]},{"name":"PACKAGE_EXECUTION_STATE","features":[109]},{"name":"PAI_ASSIGNEDTIME","features":[109]},{"name":"PAI_EXPIRETIME","features":[109]},{"name":"PAI_PUBLISHEDTIME","features":[109]},{"name":"PAI_SCHEDULEDTIME","features":[109]},{"name":"PAI_SOURCE","features":[109]},{"name":"PANE_NAVIGATION","features":[109]},{"name":"PANE_NONE","features":[109]},{"name":"PANE_OFFLINE","features":[109]},{"name":"PANE_PRINTER","features":[109]},{"name":"PANE_PRIVACY","features":[109]},{"name":"PANE_PROGRESS","features":[109]},{"name":"PANE_SSL","features":[109]},{"name":"PANE_ZONE","features":[109]},{"name":"PAPPCONSTRAIN_CHANGE_ROUTINE","features":[1,109]},{"name":"PAPPCONSTRAIN_REGISTRATION","features":[109]},{"name":"PAPPSTATE_CHANGE_ROUTINE","features":[1,109]},{"name":"PAPPSTATE_REGISTRATION","features":[109]},{"name":"PARSEDURLA","features":[109]},{"name":"PARSEDURLW","features":[109]},{"name":"PATHCCH_ALLOW_LONG_PATHS","features":[109]},{"name":"PATHCCH_CANONICALIZE_SLASHES","features":[109]},{"name":"PATHCCH_DO_NOT_NORMALIZE_SEGMENTS","features":[109]},{"name":"PATHCCH_ENSURE_IS_EXTENDED_LENGTH_PATH","features":[109]},{"name":"PATHCCH_ENSURE_TRAILING_SLASH","features":[109]},{"name":"PATHCCH_FORCE_DISABLE_LONG_NAME_PROCESS","features":[109]},{"name":"PATHCCH_FORCE_ENABLE_LONG_NAME_PROCESS","features":[109]},{"name":"PATHCCH_MAX_CCH","features":[109]},{"name":"PATHCCH_NONE","features":[109]},{"name":"PATHCCH_OPTIONS","features":[109]},{"name":"PCS_FATAL","features":[109]},{"name":"PCS_PATHTOOLONG","features":[109]},{"name":"PCS_REMOVEDCHAR","features":[109]},{"name":"PCS_REPLACEDCHAR","features":[109]},{"name":"PCS_RET","features":[109]},{"name":"PCS_TRUNCATED","features":[109]},{"name":"PDM_DEFAULT","features":[109]},{"name":"PDM_ERRORSBLOCKING","features":[109]},{"name":"PDM_INDETERMINATE","features":[109]},{"name":"PDM_PREFLIGHT","features":[109]},{"name":"PDM_RUN","features":[109]},{"name":"PDM_UNDOING","features":[109]},{"name":"PDTIMER_PAUSE","features":[109]},{"name":"PDTIMER_RESET","features":[109]},{"name":"PDTIMER_RESUME","features":[109]},{"name":"PERSIST_FOLDER_TARGET_INFO","features":[219]},{"name":"PES_RUNNING","features":[109]},{"name":"PES_SUSPENDED","features":[109]},{"name":"PES_SUSPENDING","features":[109]},{"name":"PES_TERMINATED","features":[109]},{"name":"PES_UNKNOWN","features":[109]},{"name":"PFNCANSHAREFOLDERW","features":[109]},{"name":"PFNSHOWSHAREFOLDERUIW","features":[1,109]},{"name":"PIDASI_AVG_DATA_RATE","features":[109]},{"name":"PIDASI_CHANNEL_COUNT","features":[109]},{"name":"PIDASI_COMPRESSION","features":[109]},{"name":"PIDASI_FORMAT","features":[109]},{"name":"PIDASI_SAMPLE_RATE","features":[109]},{"name":"PIDASI_SAMPLE_SIZE","features":[109]},{"name":"PIDASI_STREAM_NAME","features":[109]},{"name":"PIDASI_STREAM_NUMBER","features":[109]},{"name":"PIDASI_TIMELENGTH","features":[109]},{"name":"PIDDRSI_DESCRIPTION","features":[109]},{"name":"PIDDRSI_PLAYCOUNT","features":[109]},{"name":"PIDDRSI_PLAYEXPIRES","features":[109]},{"name":"PIDDRSI_PLAYSTARTS","features":[109]},{"name":"PIDDRSI_PROTECTED","features":[109]},{"name":"PIDISF_CACHEDSTICKY","features":[109]},{"name":"PIDISF_CACHEIMAGES","features":[109]},{"name":"PIDISF_FLAGS","features":[109]},{"name":"PIDISF_FOLLOWALLLINKS","features":[109]},{"name":"PIDISF_RECENTLYCHANGED","features":[109]},{"name":"PIDISM_DONTWATCH","features":[109]},{"name":"PIDISM_GLOBAL","features":[109]},{"name":"PIDISM_OPTIONS","features":[109]},{"name":"PIDISM_WATCH","features":[109]},{"name":"PIDISR_INFO","features":[109]},{"name":"PIDISR_NEEDS_ADD","features":[109]},{"name":"PIDISR_NEEDS_DELETE","features":[109]},{"name":"PIDISR_NEEDS_UPDATE","features":[109]},{"name":"PIDISR_UP_TO_DATE","features":[109]},{"name":"PIDSI_ALBUM","features":[109]},{"name":"PIDSI_ARTIST","features":[109]},{"name":"PIDSI_COMMENT","features":[109]},{"name":"PIDSI_GENRE","features":[109]},{"name":"PIDSI_LYRICS","features":[109]},{"name":"PIDSI_SONGTITLE","features":[109]},{"name":"PIDSI_TRACK","features":[109]},{"name":"PIDSI_YEAR","features":[109]},{"name":"PIDVSI_COMPRESSION","features":[109]},{"name":"PIDVSI_DATA_RATE","features":[109]},{"name":"PIDVSI_FRAME_COUNT","features":[109]},{"name":"PIDVSI_FRAME_HEIGHT","features":[109]},{"name":"PIDVSI_FRAME_RATE","features":[109]},{"name":"PIDVSI_FRAME_WIDTH","features":[109]},{"name":"PIDVSI_SAMPLE_SIZE","features":[109]},{"name":"PIDVSI_STREAM_NAME","features":[109]},{"name":"PIDVSI_STREAM_NUMBER","features":[109]},{"name":"PIDVSI_TIMELENGTH","features":[109]},{"name":"PID_COMPUTERNAME","features":[109]},{"name":"PID_CONTROLPANEL_CATEGORY","features":[109]},{"name":"PID_DESCRIPTIONID","features":[109]},{"name":"PID_DISPLACED_DATE","features":[109]},{"name":"PID_DISPLACED_FROM","features":[109]},{"name":"PID_DISPLAY_PROPERTIES","features":[109]},{"name":"PID_FINDDATA","features":[109]},{"name":"PID_HTMLINFOTIPFILE","features":[109]},{"name":"PID_INTROTEXT","features":[109]},{"name":"PID_INTSITE","features":[109]},{"name":"PID_INTSITE_AUTHOR","features":[109]},{"name":"PID_INTSITE_CODEPAGE","features":[109]},{"name":"PID_INTSITE_COMMENT","features":[109]},{"name":"PID_INTSITE_CONTENTCODE","features":[109]},{"name":"PID_INTSITE_CONTENTLEN","features":[109]},{"name":"PID_INTSITE_DESCRIPTION","features":[109]},{"name":"PID_INTSITE_FLAGS","features":[109]},{"name":"PID_INTSITE_ICONFILE","features":[109]},{"name":"PID_INTSITE_ICONINDEX","features":[109]},{"name":"PID_INTSITE_LASTMOD","features":[109]},{"name":"PID_INTSITE_LASTVISIT","features":[109]},{"name":"PID_INTSITE_RECURSE","features":[109]},{"name":"PID_INTSITE_ROAMED","features":[109]},{"name":"PID_INTSITE_SUBSCRIPTION","features":[109]},{"name":"PID_INTSITE_TITLE","features":[109]},{"name":"PID_INTSITE_TRACKING","features":[109]},{"name":"PID_INTSITE_URL","features":[109]},{"name":"PID_INTSITE_VISITCOUNT","features":[109]},{"name":"PID_INTSITE_WATCH","features":[109]},{"name":"PID_INTSITE_WHATSNEW","features":[109]},{"name":"PID_IS","features":[109]},{"name":"PID_IS_AUTHOR","features":[109]},{"name":"PID_IS_COMMENT","features":[109]},{"name":"PID_IS_DESCRIPTION","features":[109]},{"name":"PID_IS_HOTKEY","features":[109]},{"name":"PID_IS_ICONFILE","features":[109]},{"name":"PID_IS_ICONINDEX","features":[109]},{"name":"PID_IS_NAME","features":[109]},{"name":"PID_IS_ROAMED","features":[109]},{"name":"PID_IS_SHOWCMD","features":[109]},{"name":"PID_IS_URL","features":[109]},{"name":"PID_IS_WHATSNEW","features":[109]},{"name":"PID_IS_WORKINGDIR","features":[109]},{"name":"PID_LINK_TARGET","features":[109]},{"name":"PID_LINK_TARGET_TYPE","features":[109]},{"name":"PID_MISC_ACCESSCOUNT","features":[109]},{"name":"PID_MISC_OWNER","features":[109]},{"name":"PID_MISC_PICS","features":[109]},{"name":"PID_MISC_STATUS","features":[109]},{"name":"PID_NETRESOURCE","features":[109]},{"name":"PID_NETWORKLOCATION","features":[109]},{"name":"PID_QUERY_RANK","features":[109]},{"name":"PID_SHARE_CSC_STATUS","features":[109]},{"name":"PID_SYNC_COPY_IN","features":[109]},{"name":"PID_VOLUME_CAPACITY","features":[109]},{"name":"PID_VOLUME_FILESYSTEM","features":[109]},{"name":"PID_VOLUME_FREE","features":[109]},{"name":"PID_WHICHFOLDER","features":[109]},{"name":"PIFDEFFILESIZE","features":[109]},{"name":"PIFDEFPATHSIZE","features":[109]},{"name":"PIFMAXFILEPATH","features":[109]},{"name":"PIFNAMESIZE","features":[109]},{"name":"PIFPARAMSSIZE","features":[109]},{"name":"PIFSHDATASIZE","features":[109]},{"name":"PIFSHPROGSIZE","features":[109]},{"name":"PIFSTARTLOCSIZE","features":[109]},{"name":"PINLogonCredentialProvider","features":[109]},{"name":"PLATFORM_BROWSERONLY","features":[109]},{"name":"PLATFORM_IE3","features":[109]},{"name":"PLATFORM_INTEGRATED","features":[109]},{"name":"PLATFORM_UNKNOWN","features":[109]},{"name":"PMSF_DONT_STRIP_SPACES","features":[109]},{"name":"PMSF_MULTIPLE","features":[109]},{"name":"PMSF_NORMAL","features":[109]},{"name":"PO_DELETE","features":[109]},{"name":"PO_PORTCHANGE","features":[109]},{"name":"PO_RENAME","features":[109]},{"name":"PO_REN_PORT","features":[109]},{"name":"PPCF_ADDARGUMENTS","features":[109]},{"name":"PPCF_ADDQUOTES","features":[109]},{"name":"PPCF_FORCEQUALIFY","features":[109]},{"name":"PPCF_LONGESTPOSSIBLE","features":[109]},{"name":"PPCF_NODIRECTORIES","features":[109]},{"name":"PREVIEWHANDLERFRAMEINFO","features":[109,50]},{"name":"PRF_DONTFINDLNK","features":[109]},{"name":"PRF_FIRSTDIRDEF","features":[109]},{"name":"PRF_FLAGS","features":[109]},{"name":"PRF_REQUIREABSOLUTE","features":[109]},{"name":"PRF_TRYPROGRAMEXTENSIONS","features":[109]},{"name":"PRF_VERIFYEXISTS","features":[109]},{"name":"PRINTACTION_DOCUMENTDEFAULTS","features":[109]},{"name":"PRINTACTION_NETINSTALL","features":[109]},{"name":"PRINTACTION_NETINSTALLLINK","features":[109]},{"name":"PRINTACTION_OPEN","features":[109]},{"name":"PRINTACTION_OPENNETPRN","features":[109]},{"name":"PRINTACTION_PROPERTIES","features":[109]},{"name":"PRINTACTION_SERVERPROPERTIES","features":[109]},{"name":"PRINTACTION_TESTPAGE","features":[109]},{"name":"PRINT_PROP_FORCE_NAME","features":[109]},{"name":"PROFILEINFOA","features":[1,109]},{"name":"PROFILEINFOW","features":[1,109]},{"name":"PROGDLG_AUTOTIME","features":[109]},{"name":"PROGDLG_MARQUEEPROGRESS","features":[109]},{"name":"PROGDLG_MODAL","features":[109]},{"name":"PROGDLG_NOCANCEL","features":[109]},{"name":"PROGDLG_NOMINIMIZE","features":[109]},{"name":"PROGDLG_NOPROGRESSBAR","features":[109]},{"name":"PROGDLG_NORMAL","features":[109]},{"name":"PROGDLG_NOTIME","features":[109]},{"name":"PROPSTR_EXTENSIONCOMPLETIONSTATE","features":[109]},{"name":"PROP_CONTRACT_DELEGATE","features":[109]},{"name":"PSGUID_AUDIO","features":[109]},{"name":"PSGUID_BRIEFCASE","features":[109]},{"name":"PSGUID_CONTROLPANEL","features":[109]},{"name":"PSGUID_CUSTOMIMAGEPROPERTIES","features":[109]},{"name":"PSGUID_DISPLACED","features":[109]},{"name":"PSGUID_DOCUMENTSUMMARYINFORMATION","features":[109]},{"name":"PSGUID_DRM","features":[109]},{"name":"PSGUID_IMAGEPROPERTIES","features":[109]},{"name":"PSGUID_IMAGESUMMARYINFORMATION","features":[109]},{"name":"PSGUID_LIBRARYPROPERTIES","features":[109]},{"name":"PSGUID_LINK","features":[109]},{"name":"PSGUID_MEDIAFILESUMMARYINFORMATION","features":[109]},{"name":"PSGUID_MISC","features":[109]},{"name":"PSGUID_MUSIC","features":[109]},{"name":"PSGUID_QUERY_D","features":[109]},{"name":"PSGUID_SHARE","features":[109]},{"name":"PSGUID_SHELLDETAILS","features":[109]},{"name":"PSGUID_SUMMARYINFORMATION","features":[109]},{"name":"PSGUID_VIDEO","features":[109]},{"name":"PSGUID_VOLUME","features":[109]},{"name":"PSGUID_WEBVIEW","features":[109]},{"name":"PUBAPPINFO","features":[1,109]},{"name":"PUBAPPINFOFLAGS","features":[109]},{"name":"PackageDebugSettings","features":[109]},{"name":"ParseURLA","features":[109]},{"name":"ParseURLW","features":[109]},{"name":"PasswordCredentialProvider","features":[109]},{"name":"PathAddBackslashA","features":[109]},{"name":"PathAddBackslashW","features":[109]},{"name":"PathAddExtensionA","features":[1,109]},{"name":"PathAddExtensionW","features":[1,109]},{"name":"PathAllocCanonicalize","features":[109]},{"name":"PathAllocCombine","features":[109]},{"name":"PathAppendA","features":[1,109]},{"name":"PathAppendW","features":[1,109]},{"name":"PathBuildRootA","features":[109]},{"name":"PathBuildRootW","features":[109]},{"name":"PathCanonicalizeA","features":[1,109]},{"name":"PathCanonicalizeW","features":[1,109]},{"name":"PathCchAddBackslash","features":[109]},{"name":"PathCchAddBackslashEx","features":[109]},{"name":"PathCchAddExtension","features":[109]},{"name":"PathCchAppend","features":[109]},{"name":"PathCchAppendEx","features":[109]},{"name":"PathCchCanonicalize","features":[109]},{"name":"PathCchCanonicalizeEx","features":[109]},{"name":"PathCchCombine","features":[109]},{"name":"PathCchCombineEx","features":[109]},{"name":"PathCchFindExtension","features":[109]},{"name":"PathCchIsRoot","features":[1,109]},{"name":"PathCchRemoveBackslash","features":[109]},{"name":"PathCchRemoveBackslashEx","features":[109]},{"name":"PathCchRemoveExtension","features":[109]},{"name":"PathCchRemoveFileSpec","features":[109]},{"name":"PathCchRenameExtension","features":[109]},{"name":"PathCchSkipRoot","features":[109]},{"name":"PathCchStripPrefix","features":[109]},{"name":"PathCchStripToRoot","features":[109]},{"name":"PathCleanupSpec","features":[109]},{"name":"PathCombineA","features":[109]},{"name":"PathCombineW","features":[109]},{"name":"PathCommonPrefixA","features":[109]},{"name":"PathCommonPrefixW","features":[109]},{"name":"PathCompactPathA","features":[1,12,109]},{"name":"PathCompactPathExA","features":[1,109]},{"name":"PathCompactPathExW","features":[1,109]},{"name":"PathCompactPathW","features":[1,12,109]},{"name":"PathCreateFromUrlA","features":[109]},{"name":"PathCreateFromUrlAlloc","features":[109]},{"name":"PathCreateFromUrlW","features":[109]},{"name":"PathFileExistsA","features":[1,109]},{"name":"PathFileExistsW","features":[1,109]},{"name":"PathFindExtensionA","features":[109]},{"name":"PathFindExtensionW","features":[109]},{"name":"PathFindFileNameA","features":[109]},{"name":"PathFindFileNameW","features":[109]},{"name":"PathFindNextComponentA","features":[109]},{"name":"PathFindNextComponentW","features":[109]},{"name":"PathFindOnPathA","features":[1,109]},{"name":"PathFindOnPathW","features":[1,109]},{"name":"PathFindSuffixArrayA","features":[109]},{"name":"PathFindSuffixArrayW","features":[109]},{"name":"PathGetArgsA","features":[109]},{"name":"PathGetArgsW","features":[109]},{"name":"PathGetCharTypeA","features":[109]},{"name":"PathGetCharTypeW","features":[109]},{"name":"PathGetDriveNumberA","features":[109]},{"name":"PathGetDriveNumberW","features":[109]},{"name":"PathGetShortPath","features":[109]},{"name":"PathIsContentTypeA","features":[1,109]},{"name":"PathIsContentTypeW","features":[1,109]},{"name":"PathIsDirectoryA","features":[1,109]},{"name":"PathIsDirectoryEmptyA","features":[1,109]},{"name":"PathIsDirectoryEmptyW","features":[1,109]},{"name":"PathIsDirectoryW","features":[1,109]},{"name":"PathIsExe","features":[1,109]},{"name":"PathIsFileSpecA","features":[1,109]},{"name":"PathIsFileSpecW","features":[1,109]},{"name":"PathIsLFNFileSpecA","features":[1,109]},{"name":"PathIsLFNFileSpecW","features":[1,109]},{"name":"PathIsNetworkPathA","features":[1,109]},{"name":"PathIsNetworkPathW","features":[1,109]},{"name":"PathIsPrefixA","features":[1,109]},{"name":"PathIsPrefixW","features":[1,109]},{"name":"PathIsRelativeA","features":[1,109]},{"name":"PathIsRelativeW","features":[1,109]},{"name":"PathIsRootA","features":[1,109]},{"name":"PathIsRootW","features":[1,109]},{"name":"PathIsSameRootA","features":[1,109]},{"name":"PathIsSameRootW","features":[1,109]},{"name":"PathIsSlowA","features":[1,109]},{"name":"PathIsSlowW","features":[1,109]},{"name":"PathIsSystemFolderA","features":[1,109]},{"name":"PathIsSystemFolderW","features":[1,109]},{"name":"PathIsUNCA","features":[1,109]},{"name":"PathIsUNCEx","features":[1,109]},{"name":"PathIsUNCServerA","features":[1,109]},{"name":"PathIsUNCServerShareA","features":[1,109]},{"name":"PathIsUNCServerShareW","features":[1,109]},{"name":"PathIsUNCServerW","features":[1,109]},{"name":"PathIsUNCW","features":[1,109]},{"name":"PathIsURLA","features":[1,109]},{"name":"PathIsURLW","features":[1,109]},{"name":"PathMakePrettyA","features":[1,109]},{"name":"PathMakePrettyW","features":[1,109]},{"name":"PathMakeSystemFolderA","features":[1,109]},{"name":"PathMakeSystemFolderW","features":[1,109]},{"name":"PathMakeUniqueName","features":[1,109]},{"name":"PathMatchSpecA","features":[1,109]},{"name":"PathMatchSpecExA","features":[109]},{"name":"PathMatchSpecExW","features":[109]},{"name":"PathMatchSpecW","features":[1,109]},{"name":"PathParseIconLocationA","features":[109]},{"name":"PathParseIconLocationW","features":[109]},{"name":"PathQualify","features":[109]},{"name":"PathQuoteSpacesA","features":[1,109]},{"name":"PathQuoteSpacesW","features":[1,109]},{"name":"PathRelativePathToA","features":[1,109]},{"name":"PathRelativePathToW","features":[1,109]},{"name":"PathRemoveArgsA","features":[109]},{"name":"PathRemoveArgsW","features":[109]},{"name":"PathRemoveBackslashA","features":[109]},{"name":"PathRemoveBackslashW","features":[109]},{"name":"PathRemoveBlanksA","features":[109]},{"name":"PathRemoveBlanksW","features":[109]},{"name":"PathRemoveExtensionA","features":[109]},{"name":"PathRemoveExtensionW","features":[109]},{"name":"PathRemoveFileSpecA","features":[1,109]},{"name":"PathRemoveFileSpecW","features":[1,109]},{"name":"PathRenameExtensionA","features":[1,109]},{"name":"PathRenameExtensionW","features":[1,109]},{"name":"PathResolve","features":[109]},{"name":"PathSearchAndQualifyA","features":[1,109]},{"name":"PathSearchAndQualifyW","features":[1,109]},{"name":"PathSetDlgItemPathA","features":[1,109]},{"name":"PathSetDlgItemPathW","features":[1,109]},{"name":"PathSkipRootA","features":[109]},{"name":"PathSkipRootW","features":[109]},{"name":"PathStripPathA","features":[109]},{"name":"PathStripPathW","features":[109]},{"name":"PathStripToRootA","features":[1,109]},{"name":"PathStripToRootW","features":[1,109]},{"name":"PathUnExpandEnvStringsA","features":[1,109]},{"name":"PathUnExpandEnvStringsW","features":[1,109]},{"name":"PathUndecorateA","features":[109]},{"name":"PathUndecorateW","features":[109]},{"name":"PathUnmakeSystemFolderA","features":[1,109]},{"name":"PathUnmakeSystemFolderW","features":[1,109]},{"name":"PathUnquoteSpacesA","features":[1,109]},{"name":"PathUnquoteSpacesW","features":[1,109]},{"name":"PathYetAnotherMakeUniqueName","features":[1,109]},{"name":"PickIconDlg","features":[1,109]},{"name":"PreviousVersions","features":[109]},{"name":"PropVariantToStrRet","features":[1,63,42,219]},{"name":"PropertiesUI","features":[109]},{"name":"ProtectedModeRedirect","features":[109]},{"name":"PublishDropTarget","features":[109]},{"name":"PublishingWizard","features":[109]},{"name":"QCMINFO","features":[109,50]},{"name":"QCMINFO_IDMAP","features":[109]},{"name":"QCMINFO_IDMAP_PLACEMENT","features":[109]},{"name":"QCMINFO_PLACE_AFTER","features":[109]},{"name":"QCMINFO_PLACE_BEFORE","features":[109]},{"name":"QIF_CACHED","features":[109]},{"name":"QIF_DONTEXPANDFOLDER","features":[109]},{"name":"QISearch","features":[109]},{"name":"QITAB","features":[109]},{"name":"QITIPF_DEFAULT","features":[109]},{"name":"QITIPF_FLAGS","features":[109]},{"name":"QITIPF_LINKNOTARGET","features":[109]},{"name":"QITIPF_LINKUSETARGET","features":[109]},{"name":"QITIPF_SINGLELINE","features":[109]},{"name":"QITIPF_USENAME","features":[109]},{"name":"QITIPF_USESLOWTIP","features":[109]},{"name":"QUERY_USER_NOTIFICATION_STATE","features":[109]},{"name":"QUNS_ACCEPTS_NOTIFICATIONS","features":[109]},{"name":"QUNS_APP","features":[109]},{"name":"QUNS_BUSY","features":[109]},{"name":"QUNS_NOT_PRESENT","features":[109]},{"name":"QUNS_PRESENTATION_MODE","features":[109]},{"name":"QUNS_QUIET_TIME","features":[109]},{"name":"QUNS_RUNNING_D3D_FULL_SCREEN","features":[109]},{"name":"QueryCancelAutoPlay","features":[109]},{"name":"RASProvider","features":[109]},{"name":"REFRESH_COMPLETELY","features":[109]},{"name":"REFRESH_IFEXPIRED","features":[109]},{"name":"REFRESH_NORMAL","features":[109]},{"name":"RESTRICTIONS","features":[109]},{"name":"REST_ALLOWBITBUCKDRIVES","features":[109]},{"name":"REST_ALLOWCOMMENTTOGGLE","features":[109]},{"name":"REST_ALLOWFILECLSIDJUNCTIONS","features":[109]},{"name":"REST_ALLOWLEGACYWEBVIEW","features":[109]},{"name":"REST_ALLOWUNHASHEDWEBVIEW","features":[109]},{"name":"REST_ARP_DONTGROUPPATCHES","features":[109]},{"name":"REST_ARP_NOADDPAGE","features":[109]},{"name":"REST_ARP_NOARP","features":[109]},{"name":"REST_ARP_NOCHOOSEPROGRAMSPAGE","features":[109]},{"name":"REST_ARP_NOREMOVEPAGE","features":[109]},{"name":"REST_ARP_NOWINSETUPPAGE","features":[109]},{"name":"REST_ARP_ShowPostSetup","features":[109]},{"name":"REST_BITBUCKCONFIRMDELETE","features":[109]},{"name":"REST_BITBUCKNOPROP","features":[109]},{"name":"REST_BITBUCKNUKEONDELETE","features":[109]},{"name":"REST_CLASSICSHELL","features":[109]},{"name":"REST_CLEARRECENTDOCSONEXIT","features":[109]},{"name":"REST_DISALLOWCPL","features":[109]},{"name":"REST_DISALLOWRUN","features":[109]},{"name":"REST_DONTRETRYBADNETNAME","features":[109]},{"name":"REST_DONTSHOWSUPERHIDDEN","features":[109]},{"name":"REST_ENFORCESHELLEXTSECURITY","features":[109]},{"name":"REST_ENUMWORKGROUP","features":[109]},{"name":"REST_FORCEACTIVEDESKTOPON","features":[109]},{"name":"REST_FORCECOPYACLWITHFILE","features":[109]},{"name":"REST_FORCESTARTMENULOGOFF","features":[109]},{"name":"REST_GREYMSIADS","features":[109]},{"name":"REST_HASFINDCOMPUTERS","features":[109]},{"name":"REST_HIDECLOCK","features":[109]},{"name":"REST_HIDERUNASVERB","features":[109]},{"name":"REST_INHERITCONSOLEHANDLES","features":[109]},{"name":"REST_INTELLIMENUS","features":[109]},{"name":"REST_LINKRESOLVEIGNORELINKINFO","features":[109]},{"name":"REST_MYCOMPNOPROP","features":[109]},{"name":"REST_MYDOCSNOPROP","features":[109]},{"name":"REST_MYDOCSONNET","features":[109]},{"name":"REST_MaxRecentDocs","features":[109]},{"name":"REST_NOACTIVEDESKTOP","features":[109]},{"name":"REST_NOACTIVEDESKTOPCHANGES","features":[109]},{"name":"REST_NOADDDESKCOMP","features":[109]},{"name":"REST_NOAUTOTRAYNOTIFY","features":[109]},{"name":"REST_NOCDBURNING","features":[109]},{"name":"REST_NOCHANGEMAPPEDDRIVECOMMENT","features":[109]},{"name":"REST_NOCHANGEMAPPEDDRIVELABEL","features":[109]},{"name":"REST_NOCHANGESTARMENU","features":[109]},{"name":"REST_NOCHANGINGWALLPAPER","features":[109]},{"name":"REST_NOCLOSE","features":[109]},{"name":"REST_NOCLOSEDESKCOMP","features":[109]},{"name":"REST_NOCLOSE_DRAGDROPBAND","features":[109]},{"name":"REST_NOCOLORCHOICE","features":[109]},{"name":"REST_NOCOMMONGROUPS","features":[109]},{"name":"REST_NOCONTROLPANEL","features":[109]},{"name":"REST_NOCONTROLPANELBARRICADE","features":[109]},{"name":"REST_NOCSC","features":[109]},{"name":"REST_NOCURRENTUSERRUN","features":[109]},{"name":"REST_NOCURRENTUSERRUNONCE","features":[109]},{"name":"REST_NOCUSTOMIZETHISFOLDER","features":[109]},{"name":"REST_NOCUSTOMIZEWEBVIEW","features":[109]},{"name":"REST_NODELDESKCOMP","features":[109]},{"name":"REST_NODESKCOMP","features":[109]},{"name":"REST_NODESKTOP","features":[109]},{"name":"REST_NODESKTOPCLEANUP","features":[109]},{"name":"REST_NODISCONNECT","features":[109]},{"name":"REST_NODISPBACKGROUND","features":[109]},{"name":"REST_NODISPLAYAPPEARANCEPAGE","features":[109]},{"name":"REST_NODISPLAYCPL","features":[109]},{"name":"REST_NODISPSCREENSAVEPG","features":[109]},{"name":"REST_NODISPSCREENSAVEPREVIEW","features":[109]},{"name":"REST_NODISPSETTINGSPG","features":[109]},{"name":"REST_NODRIVEAUTORUN","features":[109]},{"name":"REST_NODRIVES","features":[109]},{"name":"REST_NODRIVETYPEAUTORUN","features":[109]},{"name":"REST_NOEDITDESKCOMP","features":[109]},{"name":"REST_NOENCRYPTION","features":[109]},{"name":"REST_NOENCRYPTONMOVE","features":[109]},{"name":"REST_NOENTIRENETWORK","features":[109]},{"name":"REST_NOENUMENTIRENETWORK","features":[109]},{"name":"REST_NOEXITTODOS","features":[109]},{"name":"REST_NOFAVORITESMENU","features":[109]},{"name":"REST_NOFILEASSOCIATE","features":[109]},{"name":"REST_NOFILEMENU","features":[109]},{"name":"REST_NOFIND","features":[109]},{"name":"REST_NOFOLDEROPTIONS","features":[109]},{"name":"REST_NOFORGETSOFTWAREUPDATE","features":[109]},{"name":"REST_NOHARDWARETAB","features":[109]},{"name":"REST_NOHTMLWALLPAPER","features":[109]},{"name":"REST_NOINTERNETICON","features":[109]},{"name":"REST_NOINTERNETOPENWITH","features":[109]},{"name":"REST_NOLOCALMACHINERUN","features":[109]},{"name":"REST_NOLOCALMACHINERUNONCE","features":[109]},{"name":"REST_NOLOWDISKSPACECHECKS","features":[109]},{"name":"REST_NOMANAGEMYCOMPUTERVERB","features":[109]},{"name":"REST_NOMOVINGBAND","features":[109]},{"name":"REST_NOMYCOMPUTERICON","features":[109]},{"name":"REST_NONE","features":[109]},{"name":"REST_NONETCONNECTDISCONNECT","features":[109]},{"name":"REST_NONETCRAWL","features":[109]},{"name":"REST_NONETHOOD","features":[109]},{"name":"REST_NONETWORKCONNECTIONS","features":[109]},{"name":"REST_NONLEGACYSHELLMODE","features":[109]},{"name":"REST_NOONLINEPRINTSWIZARD","features":[109]},{"name":"REST_NOPRINTERADD","features":[109]},{"name":"REST_NOPRINTERDELETE","features":[109]},{"name":"REST_NOPRINTERTABS","features":[109]},{"name":"REST_NOPUBLISHWIZARD","features":[109]},{"name":"REST_NORECENTDOCSHISTORY","features":[109]},{"name":"REST_NORECENTDOCSMENU","features":[109]},{"name":"REST_NOREMOTECHANGENOTIFY","features":[109]},{"name":"REST_NOREMOTERECURSIVEEVENTS","features":[109]},{"name":"REST_NORESOLVESEARCH","features":[109]},{"name":"REST_NORESOLVETRACK","features":[109]},{"name":"REST_NORUN","features":[109]},{"name":"REST_NORUNASINSTALLPROMPT","features":[109]},{"name":"REST_NOSAVESET","features":[109]},{"name":"REST_NOSECURITY","features":[109]},{"name":"REST_NOSETACTIVEDESKTOP","features":[109]},{"name":"REST_NOSETFOLDERS","features":[109]},{"name":"REST_NOSETTASKBAR","features":[109]},{"name":"REST_NOSETTINGSASSIST","features":[109]},{"name":"REST_NOSHAREDDOCUMENTS","features":[109]},{"name":"REST_NOSHELLSEARCHBUTTON","features":[109]},{"name":"REST_NOSIZECHOICE","features":[109]},{"name":"REST_NOSMBALLOONTIP","features":[109]},{"name":"REST_NOSMCONFIGUREPROGRAMS","features":[109]},{"name":"REST_NOSMEJECTPC","features":[109]},{"name":"REST_NOSMHELP","features":[109]},{"name":"REST_NOSMMFUPROGRAMS","features":[109]},{"name":"REST_NOSMMOREPROGRAMS","features":[109]},{"name":"REST_NOSMMYDOCS","features":[109]},{"name":"REST_NOSMMYMUSIC","features":[109]},{"name":"REST_NOSMMYPICS","features":[109]},{"name":"REST_NOSMNETWORKPLACES","features":[109]},{"name":"REST_NOSMPINNEDLIST","features":[109]},{"name":"REST_NOSTARTMENUSUBFOLDERS","features":[109]},{"name":"REST_NOSTARTPAGE","features":[109]},{"name":"REST_NOSTARTPANEL","features":[109]},{"name":"REST_NOSTRCMPLOGICAL","features":[109]},{"name":"REST_NOTASKGROUPING","features":[109]},{"name":"REST_NOTHEMESTAB","features":[109]},{"name":"REST_NOTHUMBNAILCACHE","features":[109]},{"name":"REST_NOTOOLBARSONTASKBAR","features":[109]},{"name":"REST_NOTRAYCONTEXTMENU","features":[109]},{"name":"REST_NOTRAYITEMSDISPLAY","features":[109]},{"name":"REST_NOUPDATEWINDOWS","features":[109]},{"name":"REST_NOUPNPINSTALL","features":[109]},{"name":"REST_NOUSERNAMEINSTARTPANEL","features":[109]},{"name":"REST_NOVIEWCONTEXTMENU","features":[109]},{"name":"REST_NOVIEWONDRIVE","features":[109]},{"name":"REST_NOVISUALSTYLECHOICE","features":[109]},{"name":"REST_NOWEB","features":[109]},{"name":"REST_NOWEBSERVICES","features":[109]},{"name":"REST_NOWEBVIEW","features":[109]},{"name":"REST_NOWELCOMESCREEN","features":[109]},{"name":"REST_NOWINKEYS","features":[109]},{"name":"REST_PROMPTRUNASINSTALLNETPATH","features":[109]},{"name":"REST_RESTRICTCPL","features":[109]},{"name":"REST_RESTRICTRUN","features":[109]},{"name":"REST_REVERTWEBVIEWSECURITY","features":[109]},{"name":"REST_RUNDLGMEMCHECKBOX","features":[109]},{"name":"REST_SEPARATEDESKTOPPROCESS","features":[109]},{"name":"REST_SETVISUALSTYLE","features":[109]},{"name":"REST_STARTBANNER","features":[109]},{"name":"REST_STARTMENULOGOFF","features":[109]},{"name":"REST_STARTRUNNOHOMEPATH","features":[109]},{"name":"ReadCabinetState","features":[1,109]},{"name":"RealDriveType","features":[1,109]},{"name":"RefreshConstants","features":[109]},{"name":"RegisterAppConstrainedChangeNotification","features":[1,109]},{"name":"RegisterAppStateChangeNotification","features":[1,109]},{"name":"RegisterScaleChangeEvent","features":[1,109]},{"name":"RegisterScaleChangeNotifications","features":[1,109]},{"name":"RemoveWindowSubclass","features":[1,109]},{"name":"ResizeThumbnail","features":[109]},{"name":"RestartDialog","features":[1,109]},{"name":"RestartDialogEx","features":[1,109]},{"name":"ReturnOnlyIfCached","features":[109]},{"name":"RevokeScaleChangeNotifications","features":[109]},{"name":"SBSC_HIDE","features":[109]},{"name":"SBSC_QUERY","features":[109]},{"name":"SBSC_SHOW","features":[109]},{"name":"SBSC_TOGGLE","features":[109]},{"name":"SBSP_ABSOLUTE","features":[109]},{"name":"SBSP_ACTIVATE_NOFOCUS","features":[109]},{"name":"SBSP_ALLOW_AUTONAVIGATE","features":[109]},{"name":"SBSP_CALLERUNTRUSTED","features":[109]},{"name":"SBSP_CREATENOHISTORY","features":[109]},{"name":"SBSP_DEFBROWSER","features":[109]},{"name":"SBSP_DEFMODE","features":[109]},{"name":"SBSP_EXPLOREMODE","features":[109]},{"name":"SBSP_FEEDNAVIGATION","features":[109]},{"name":"SBSP_HELPMODE","features":[109]},{"name":"SBSP_INITIATEDBYHLINKFRAME","features":[109]},{"name":"SBSP_KEEPSAMETEMPLATE","features":[109]},{"name":"SBSP_KEEPWORDWHEELTEXT","features":[109]},{"name":"SBSP_NAVIGATEBACK","features":[109]},{"name":"SBSP_NAVIGATEFORWARD","features":[109]},{"name":"SBSP_NEWBROWSER","features":[109]},{"name":"SBSP_NOAUTOSELECT","features":[109]},{"name":"SBSP_NOTRANSFERHIST","features":[109]},{"name":"SBSP_OPENMODE","features":[109]},{"name":"SBSP_PARENT","features":[109]},{"name":"SBSP_PLAYNOSOUND","features":[109]},{"name":"SBSP_REDIRECT","features":[109]},{"name":"SBSP_RELATIVE","features":[109]},{"name":"SBSP_SAMEBROWSER","features":[109]},{"name":"SBSP_TRUSTEDFORACTIVEX","features":[109]},{"name":"SBSP_TRUSTFIRSTDOWNLOAD","features":[109]},{"name":"SBSP_UNTRUSTEDFORDOWNLOAD","features":[109]},{"name":"SBSP_WRITENOHISTORY","features":[109]},{"name":"SCALE_CHANGE_FLAGS","features":[109]},{"name":"SCF_PHYSICAL","features":[109]},{"name":"SCF_SCALE","features":[109]},{"name":"SCF_VALUE_NONE","features":[109]},{"name":"SCHEME_CREATE","features":[109]},{"name":"SCHEME_DISPLAY","features":[109]},{"name":"SCHEME_DONOTUSE","features":[109]},{"name":"SCHEME_EDIT","features":[109]},{"name":"SCHEME_GLOBAL","features":[109]},{"name":"SCHEME_LOCAL","features":[109]},{"name":"SCHEME_REFRESH","features":[109]},{"name":"SCHEME_UPDATE","features":[109]},{"name":"SCNRT_DISABLE","features":[109]},{"name":"SCNRT_ENABLE","features":[109]},{"name":"SCNRT_STATUS","features":[109]},{"name":"SCRM_VERIFYPW","features":[109]},{"name":"SECURELOCKCODE","features":[109]},{"name":"SECURELOCK_FIRSTSUGGEST","features":[109]},{"name":"SECURELOCK_NOCHANGE","features":[109]},{"name":"SECURELOCK_SET_FORTEZZA","features":[109]},{"name":"SECURELOCK_SET_MIXED","features":[109]},{"name":"SECURELOCK_SET_SECURE128BIT","features":[109]},{"name":"SECURELOCK_SET_SECURE40BIT","features":[109]},{"name":"SECURELOCK_SET_SECURE56BIT","features":[109]},{"name":"SECURELOCK_SET_SECUREUNKNOWNBIT","features":[109]},{"name":"SECURELOCK_SET_UNSECURE","features":[109]},{"name":"SECURELOCK_SUGGEST_FORTEZZA","features":[109]},{"name":"SECURELOCK_SUGGEST_MIXED","features":[109]},{"name":"SECURELOCK_SUGGEST_SECURE128BIT","features":[109]},{"name":"SECURELOCK_SUGGEST_SECURE40BIT","features":[109]},{"name":"SECURELOCK_SUGGEST_SECURE56BIT","features":[109]},{"name":"SECURELOCK_SUGGEST_SECUREUNKNOWNBIT","features":[109]},{"name":"SECURELOCK_SUGGEST_UNSECURE","features":[109]},{"name":"SEE_MASK_ASYNCOK","features":[109]},{"name":"SEE_MASK_CLASSKEY","features":[109]},{"name":"SEE_MASK_CLASSNAME","features":[109]},{"name":"SEE_MASK_CONNECTNETDRV","features":[109]},{"name":"SEE_MASK_DEFAULT","features":[109]},{"name":"SEE_MASK_DOENVSUBST","features":[109]},{"name":"SEE_MASK_FLAG_DDEWAIT","features":[109]},{"name":"SEE_MASK_FLAG_HINST_IS_SITE","features":[109]},{"name":"SEE_MASK_FLAG_LOG_USAGE","features":[109]},{"name":"SEE_MASK_FLAG_NO_UI","features":[109]},{"name":"SEE_MASK_HMONITOR","features":[109]},{"name":"SEE_MASK_HOTKEY","features":[109]},{"name":"SEE_MASK_ICON","features":[109]},{"name":"SEE_MASK_IDLIST","features":[109]},{"name":"SEE_MASK_INVOKEIDLIST","features":[109]},{"name":"SEE_MASK_NOASYNC","features":[109]},{"name":"SEE_MASK_NOCLOSEPROCESS","features":[109]},{"name":"SEE_MASK_NOQUERYCLASSSTORE","features":[109]},{"name":"SEE_MASK_NOZONECHECKS","features":[109]},{"name":"SEE_MASK_NO_CONSOLE","features":[109]},{"name":"SEE_MASK_UNICODE","features":[109]},{"name":"SEE_MASK_WAITFORINPUTIDLE","features":[109]},{"name":"SETPROPS_NONE","features":[109]},{"name":"SE_ERR_ACCESSDENIED","features":[109]},{"name":"SE_ERR_ASSOCINCOMPLETE","features":[109]},{"name":"SE_ERR_DDEBUSY","features":[109]},{"name":"SE_ERR_DDEFAIL","features":[109]},{"name":"SE_ERR_DDETIMEOUT","features":[109]},{"name":"SE_ERR_DLLNOTFOUND","features":[109]},{"name":"SE_ERR_FNF","features":[109]},{"name":"SE_ERR_NOASSOC","features":[109]},{"name":"SE_ERR_OOM","features":[109]},{"name":"SE_ERR_PNF","features":[109]},{"name":"SE_ERR_SHARE","features":[109]},{"name":"SFBID_PIDLCHANGED","features":[109]},{"name":"SFBS_FLAGS","features":[109]},{"name":"SFBS_FLAGS_ROUND_TO_NEAREST_DISPLAYED_DIGIT","features":[109]},{"name":"SFBS_FLAGS_TRUNCATE_UNDISPLAYED_DECIMAL_DIGITS","features":[109]},{"name":"SFVM_ADDOBJECT","features":[109]},{"name":"SFVM_ADDPROPERTYPAGES","features":[109]},{"name":"SFVM_BACKGROUNDENUM","features":[109]},{"name":"SFVM_BACKGROUNDENUMDONE","features":[109]},{"name":"SFVM_COLUMNCLICK","features":[109]},{"name":"SFVM_DEFITEMCOUNT","features":[109]},{"name":"SFVM_DEFVIEWMODE","features":[109]},{"name":"SFVM_DIDDRAGDROP","features":[109]},{"name":"SFVM_FSNOTIFY","features":[109]},{"name":"SFVM_GETANIMATION","features":[109]},{"name":"SFVM_GETBUTTONINFO","features":[109]},{"name":"SFVM_GETBUTTONS","features":[109]},{"name":"SFVM_GETDETAILSOF","features":[109]},{"name":"SFVM_GETHELPTEXT","features":[109]},{"name":"SFVM_GETHELPTOPIC","features":[109]},{"name":"SFVM_GETNOTIFY","features":[109]},{"name":"SFVM_GETPANE","features":[109]},{"name":"SFVM_GETSELECTEDOBJECTS","features":[109]},{"name":"SFVM_GETSORTDEFAULTS","features":[109]},{"name":"SFVM_GETTOOLTIPTEXT","features":[109]},{"name":"SFVM_GETZONE","features":[109]},{"name":"SFVM_HELPTOPIC_DATA","features":[109]},{"name":"SFVM_INITMENUPOPUP","features":[109]},{"name":"SFVM_INVOKECOMMAND","features":[109]},{"name":"SFVM_MERGEMENU","features":[109]},{"name":"SFVM_MESSAGE_ID","features":[109]},{"name":"SFVM_PROPPAGE_DATA","features":[1,40,109]},{"name":"SFVM_QUERYFSNOTIFY","features":[109]},{"name":"SFVM_REARRANGE","features":[109]},{"name":"SFVM_REMOVEOBJECT","features":[109]},{"name":"SFVM_SETCLIPBOARD","features":[109]},{"name":"SFVM_SETISFV","features":[109]},{"name":"SFVM_SETITEMPOS","features":[109]},{"name":"SFVM_SETPOINTS","features":[109]},{"name":"SFVM_SIZE","features":[109]},{"name":"SFVM_THISIDLIST","features":[109]},{"name":"SFVM_UNMERGEMENU","features":[109]},{"name":"SFVM_UPDATEOBJECT","features":[109]},{"name":"SFVM_UPDATESTATUSBAR","features":[109]},{"name":"SFVM_WINDOWCREATED","features":[109]},{"name":"SFVSOC_INVALIDATE_ALL","features":[109]},{"name":"SFVSOC_NOSCROLL","features":[109]},{"name":"SFVS_SELECT","features":[109]},{"name":"SFVS_SELECT_ALLITEMS","features":[109]},{"name":"SFVS_SELECT_INVERT","features":[109]},{"name":"SFVS_SELECT_NONE","features":[109]},{"name":"SFVVO_DESKTOPHTML","features":[109]},{"name":"SFVVO_DOUBLECLICKINWEBVIEW","features":[109]},{"name":"SFVVO_SHOWALLOBJECTS","features":[109]},{"name":"SFVVO_SHOWCOMPCOLOR","features":[109]},{"name":"SFVVO_SHOWEXTENSIONS","features":[109]},{"name":"SFVVO_SHOWSYSFILES","features":[109]},{"name":"SFVVO_WIN95CLASSIC","features":[109]},{"name":"SFV_CREATE","features":[109]},{"name":"SFV_SETITEMPOS","features":[1,219]},{"name":"SHACF_AUTOAPPEND_FORCE_OFF","features":[109]},{"name":"SHACF_AUTOAPPEND_FORCE_ON","features":[109]},{"name":"SHACF_AUTOSUGGEST_FORCE_OFF","features":[109]},{"name":"SHACF_AUTOSUGGEST_FORCE_ON","features":[109]},{"name":"SHACF_DEFAULT","features":[109]},{"name":"SHACF_FILESYSTEM","features":[109]},{"name":"SHACF_FILESYS_DIRS","features":[109]},{"name":"SHACF_FILESYS_ONLY","features":[109]},{"name":"SHACF_URLALL","features":[109]},{"name":"SHACF_URLHISTORY","features":[109]},{"name":"SHACF_URLMRU","features":[109]},{"name":"SHACF_USETAB","features":[109]},{"name":"SHACF_VIRTUAL_NAMESPACE","features":[109]},{"name":"SHARD","features":[109]},{"name":"SHARDAPPIDINFO","features":[109]},{"name":"SHARDAPPIDINFOIDLIST","features":[219]},{"name":"SHARDAPPIDINFOLINK","features":[109]},{"name":"SHARD_APPIDINFO","features":[109]},{"name":"SHARD_APPIDINFOIDLIST","features":[109]},{"name":"SHARD_APPIDINFOLINK","features":[109]},{"name":"SHARD_LINK","features":[109]},{"name":"SHARD_PATHA","features":[109]},{"name":"SHARD_PATHW","features":[109]},{"name":"SHARD_PIDL","features":[109]},{"name":"SHARD_SHELLITEM","features":[109]},{"name":"SHARE_ROLE","features":[109]},{"name":"SHARE_ROLE_CONTRIBUTOR","features":[109]},{"name":"SHARE_ROLE_CO_OWNER","features":[109]},{"name":"SHARE_ROLE_CUSTOM","features":[109]},{"name":"SHARE_ROLE_INVALID","features":[109]},{"name":"SHARE_ROLE_MIXED","features":[109]},{"name":"SHARE_ROLE_OWNER","features":[109]},{"name":"SHARE_ROLE_READER","features":[109]},{"name":"SHAddFromPropSheetExtArray","features":[1,40,109]},{"name":"SHAddToRecentDocs","features":[109]},{"name":"SHAlloc","features":[109]},{"name":"SHAllocShared","features":[1,109]},{"name":"SHAnsiToAnsi","features":[109]},{"name":"SHAnsiToUnicode","features":[109]},{"name":"SHAppBarMessage","features":[1,109]},{"name":"SHAssocEnumHandlers","features":[109]},{"name":"SHAssocEnumHandlersForProtocolByApplication","features":[109]},{"name":"SHAutoComplete","features":[1,109]},{"name":"SHBindToFolderIDListParent","features":[219]},{"name":"SHBindToFolderIDListParentEx","features":[219]},{"name":"SHBindToObject","features":[219]},{"name":"SHBindToParent","features":[219]},{"name":"SHBrowseForFolderA","features":[1,219]},{"name":"SHBrowseForFolderW","features":[1,219]},{"name":"SHCDF_UPDATEITEM","features":[109]},{"name":"SHCIDS_ALLFIELDS","features":[109]},{"name":"SHCIDS_BITMASK","features":[109]},{"name":"SHCIDS_CANONICALONLY","features":[109]},{"name":"SHCIDS_COLUMNMASK","features":[109]},{"name":"SHCLSIDFromString","features":[109]},{"name":"SHCNEE_MSI_CHANGE","features":[109]},{"name":"SHCNEE_MSI_UNINSTALL","features":[109]},{"name":"SHCNEE_ORDERCHANGED","features":[109]},{"name":"SHCNE_ALLEVENTS","features":[109]},{"name":"SHCNE_ASSOCCHANGED","features":[109]},{"name":"SHCNE_ATTRIBUTES","features":[109]},{"name":"SHCNE_CREATE","features":[109]},{"name":"SHCNE_DELETE","features":[109]},{"name":"SHCNE_DISKEVENTS","features":[109]},{"name":"SHCNE_DRIVEADD","features":[109]},{"name":"SHCNE_DRIVEADDGUI","features":[109]},{"name":"SHCNE_DRIVEREMOVED","features":[109]},{"name":"SHCNE_EXTENDED_EVENT","features":[109]},{"name":"SHCNE_FREESPACE","features":[109]},{"name":"SHCNE_GLOBALEVENTS","features":[109]},{"name":"SHCNE_ID","features":[109]},{"name":"SHCNE_INTERRUPT","features":[109]},{"name":"SHCNE_MEDIAINSERTED","features":[109]},{"name":"SHCNE_MEDIAREMOVED","features":[109]},{"name":"SHCNE_MKDIR","features":[109]},{"name":"SHCNE_NETSHARE","features":[109]},{"name":"SHCNE_NETUNSHARE","features":[109]},{"name":"SHCNE_RENAMEFOLDER","features":[109]},{"name":"SHCNE_RENAMEITEM","features":[109]},{"name":"SHCNE_RMDIR","features":[109]},{"name":"SHCNE_SERVERDISCONNECT","features":[109]},{"name":"SHCNE_UPDATEDIR","features":[109]},{"name":"SHCNE_UPDATEIMAGE","features":[109]},{"name":"SHCNE_UPDATEITEM","features":[109]},{"name":"SHCNF_DWORD","features":[109]},{"name":"SHCNF_FLAGS","features":[109]},{"name":"SHCNF_FLUSH","features":[109]},{"name":"SHCNF_FLUSHNOWAIT","features":[109]},{"name":"SHCNF_IDLIST","features":[109]},{"name":"SHCNF_NOTIFYRECURSIVE","features":[109]},{"name":"SHCNF_PATH","features":[109]},{"name":"SHCNF_PATHA","features":[109]},{"name":"SHCNF_PATHW","features":[109]},{"name":"SHCNF_PRINTER","features":[109]},{"name":"SHCNF_PRINTERA","features":[109]},{"name":"SHCNF_PRINTERW","features":[109]},{"name":"SHCNF_TYPE","features":[109]},{"name":"SHCNRF_InterruptLevel","features":[109]},{"name":"SHCNRF_NewDelivery","features":[109]},{"name":"SHCNRF_RecursiveInterrupt","features":[109]},{"name":"SHCNRF_SOURCE","features":[109]},{"name":"SHCNRF_ShellLevel","features":[109]},{"name":"SHCOLUMNDATA","features":[109]},{"name":"SHCOLUMNINFO","features":[42,60]},{"name":"SHCOLUMNINIT","features":[109]},{"name":"SHCONTF_CHECKING_FOR_CHILDREN","features":[109]},{"name":"SHCONTF_ENABLE_ASYNC","features":[109]},{"name":"SHCONTF_FASTITEMS","features":[109]},{"name":"SHCONTF_FLATLIST","features":[109]},{"name":"SHCONTF_FOLDERS","features":[109]},{"name":"SHCONTF_INCLUDEHIDDEN","features":[109]},{"name":"SHCONTF_INCLUDESUPERHIDDEN","features":[109]},{"name":"SHCONTF_INIT_ON_FIRST_NEXT","features":[109]},{"name":"SHCONTF_NAVIGATION_ENUM","features":[109]},{"name":"SHCONTF_NETPRINTERSRCH","features":[109]},{"name":"SHCONTF_NONFOLDERS","features":[109]},{"name":"SHCONTF_SHAREABLE","features":[109]},{"name":"SHCONTF_STORAGE","features":[109]},{"name":"SHCREATEPROCESSINFOW","features":[1,4,37,109]},{"name":"SHCREATEPROCESSINFOW","features":[1,4,37,109]},{"name":"SHC_E_SHELL_COMPONENT_STARTUP_FAILURE","features":[109]},{"name":"SHChangeDWORDAsIDList","features":[109]},{"name":"SHChangeNotification_Lock","features":[1,219]},{"name":"SHChangeNotification_Unlock","features":[1,109]},{"name":"SHChangeNotify","features":[109]},{"name":"SHChangeNotifyDeregister","features":[1,109]},{"name":"SHChangeNotifyEntry","features":[1,219]},{"name":"SHChangeNotifyRegister","features":[1,219]},{"name":"SHChangeNotifyRegisterThread","features":[109]},{"name":"SHChangeProductKeyAsIDList","features":[109]},{"name":"SHChangeUpdateImageIDList","features":[109]},{"name":"SHCloneSpecialIDList","features":[1,219]},{"name":"SHCoCreateInstance","features":[109]},{"name":"SHCopyKeyA","features":[1,49,109]},{"name":"SHCopyKeyW","features":[1,49,109]},{"name":"SHCreateAssociationRegistration","features":[109]},{"name":"SHCreateDataObject","features":[219]},{"name":"SHCreateDefaultContextMenu","features":[1,49,219]},{"name":"SHCreateDefaultExtractIcon","features":[109]},{"name":"SHCreateDefaultPropertiesOp","features":[109]},{"name":"SHCreateDirectory","features":[1,109]},{"name":"SHCreateDirectoryExA","features":[1,4,109]},{"name":"SHCreateDirectoryExW","features":[1,4,109]},{"name":"SHCreateFileExtractIconW","features":[109]},{"name":"SHCreateItemFromIDList","features":[219]},{"name":"SHCreateItemFromParsingName","features":[109]},{"name":"SHCreateItemFromRelativeName","features":[109]},{"name":"SHCreateItemInKnownFolder","features":[109]},{"name":"SHCreateItemWithParent","features":[219]},{"name":"SHCreateMemStream","features":[109]},{"name":"SHCreateProcessAsUserW","features":[1,4,37,109]},{"name":"SHCreatePropSheetExtArray","features":[49,109]},{"name":"SHCreateQueryCancelAutoPlayMoniker","features":[109]},{"name":"SHCreateShellFolderView","features":[109]},{"name":"SHCreateShellFolderViewEx","features":[1,219]},{"name":"SHCreateShellItem","features":[219]},{"name":"SHCreateShellItemArray","features":[219]},{"name":"SHCreateShellItemArrayFromDataObject","features":[109]},{"name":"SHCreateShellItemArrayFromIDLists","features":[219]},{"name":"SHCreateShellItemArrayFromShellItem","features":[109]},{"name":"SHCreateShellPalette","features":[12,109]},{"name":"SHCreateStdEnumFmtEtc","features":[41,109]},{"name":"SHCreateStreamOnFileA","features":[109]},{"name":"SHCreateStreamOnFileEx","features":[1,109]},{"name":"SHCreateStreamOnFileW","features":[109]},{"name":"SHCreateThread","features":[1,37,109]},{"name":"SHCreateThreadRef","features":[109]},{"name":"SHCreateThreadWithHandle","features":[1,37,109]},{"name":"SHDESCRIPTIONID","features":[109]},{"name":"SHDID_COMPUTER_AUDIO","features":[109]},{"name":"SHDID_COMPUTER_CDROM","features":[109]},{"name":"SHDID_COMPUTER_DRIVE35","features":[109]},{"name":"SHDID_COMPUTER_DRIVE525","features":[109]},{"name":"SHDID_COMPUTER_FIXED","features":[109]},{"name":"SHDID_COMPUTER_IMAGING","features":[109]},{"name":"SHDID_COMPUTER_NETDRIVE","features":[109]},{"name":"SHDID_COMPUTER_OTHER","features":[109]},{"name":"SHDID_COMPUTER_RAMDISK","features":[109]},{"name":"SHDID_COMPUTER_REMOVABLE","features":[109]},{"name":"SHDID_COMPUTER_SHAREDDOCS","features":[109]},{"name":"SHDID_FS_DIRECTORY","features":[109]},{"name":"SHDID_FS_FILE","features":[109]},{"name":"SHDID_FS_OTHER","features":[109]},{"name":"SHDID_ID","features":[109]},{"name":"SHDID_MOBILE_DEVICE","features":[109]},{"name":"SHDID_NET_DOMAIN","features":[109]},{"name":"SHDID_NET_OTHER","features":[109]},{"name":"SHDID_NET_RESTOFNET","features":[109]},{"name":"SHDID_NET_SERVER","features":[109]},{"name":"SHDID_NET_SHARE","features":[109]},{"name":"SHDID_REMOTE_DESKTOP_DRIVE","features":[109]},{"name":"SHDID_ROOT_REGITEM","features":[109]},{"name":"SHDRAGIMAGE","features":[1,12,109]},{"name":"SHDefExtractIconA","features":[109,50]},{"name":"SHDefExtractIconW","features":[109,50]},{"name":"SHDeleteEmptyKeyA","features":[1,49,109]},{"name":"SHDeleteEmptyKeyW","features":[1,49,109]},{"name":"SHDeleteKeyA","features":[1,49,109]},{"name":"SHDeleteKeyW","features":[1,49,109]},{"name":"SHDeleteValueA","features":[1,49,109]},{"name":"SHDeleteValueW","features":[1,49,109]},{"name":"SHDestroyPropSheetExtArray","features":[109]},{"name":"SHDoDragDrop","features":[1,155,109]},{"name":"SHELLBROWSERSHOWCONTROL","features":[109]},{"name":"SHELLEXECUTEINFOA","features":[1,49,109]},{"name":"SHELLEXECUTEINFOA","features":[1,49,109]},{"name":"SHELLEXECUTEINFOW","features":[1,49,109]},{"name":"SHELLEXECUTEINFOW","features":[1,49,109]},{"name":"SHELLFLAGSTATE","features":[109]},{"name":"SHELLSTATEA","features":[109]},{"name":"SHELLSTATEVERSION_IE4","features":[109]},{"name":"SHELLSTATEVERSION_WIN2K","features":[109]},{"name":"SHELLSTATEW","features":[109]},{"name":"SHELL_AUTOCOMPLETE_FLAGS","features":[109]},{"name":"SHELL_E_WRONG_BITDEPTH","features":[109]},{"name":"SHELL_ITEM_RESOURCE","features":[109]},{"name":"SHELL_LINK_DATA_FLAGS","features":[109]},{"name":"SHELL_UI_COMPONENT","features":[109]},{"name":"SHELL_UI_COMPONENT_DESKBAND","features":[109]},{"name":"SHELL_UI_COMPONENT_NOTIFICATIONAREA","features":[109]},{"name":"SHELL_UI_COMPONENT_TASKBARS","features":[109]},{"name":"SHERB_NOCONFIRMATION","features":[109]},{"name":"SHERB_NOPROGRESSUI","features":[109]},{"name":"SHERB_NOSOUND","features":[109]},{"name":"SHEmptyRecycleBinA","features":[1,109]},{"name":"SHEmptyRecycleBinW","features":[1,109]},{"name":"SHEnumKeyExA","features":[1,49,109]},{"name":"SHEnumKeyExW","features":[1,49,109]},{"name":"SHEnumValueA","features":[1,49,109]},{"name":"SHEnumValueW","features":[1,49,109]},{"name":"SHEnumerateUnreadMailAccountsW","features":[49,109]},{"name":"SHEvaluateSystemCommandTemplate","features":[109]},{"name":"SHFILEINFOA","features":[109,50]},{"name":"SHFILEINFOA","features":[109,50]},{"name":"SHFILEINFOW","features":[109,50]},{"name":"SHFILEINFOW","features":[109,50]},{"name":"SHFILEOPSTRUCTA","features":[1,109]},{"name":"SHFILEOPSTRUCTA","features":[1,109]},{"name":"SHFILEOPSTRUCTW","features":[1,109]},{"name":"SHFILEOPSTRUCTW","features":[1,109]},{"name":"SHFMT_CANCEL","features":[109]},{"name":"SHFMT_ERROR","features":[109]},{"name":"SHFMT_ID","features":[109]},{"name":"SHFMT_ID_DEFAULT","features":[109]},{"name":"SHFMT_NOFORMAT","features":[109]},{"name":"SHFMT_OPT","features":[109]},{"name":"SHFMT_OPT_FULL","features":[109]},{"name":"SHFMT_OPT_NONE","features":[109]},{"name":"SHFMT_OPT_SYSONLY","features":[109]},{"name":"SHFMT_RET","features":[109]},{"name":"SHFOLDERCUSTOMSETTINGS","features":[109]},{"name":"SHFileOperationA","features":[1,109]},{"name":"SHFileOperationW","features":[1,109]},{"name":"SHFindFiles","features":[1,219]},{"name":"SHFind_InitMenuPopup","features":[1,109,50]},{"name":"SHFlushSFCache","features":[109]},{"name":"SHFormatDateTimeA","features":[1,109]},{"name":"SHFormatDateTimeW","features":[1,109]},{"name":"SHFormatDrive","features":[1,109]},{"name":"SHFree","features":[109]},{"name":"SHFreeNameMappings","features":[1,109]},{"name":"SHFreeShared","features":[1,109]},{"name":"SHGDFIL_DESCRIPTIONID","features":[109]},{"name":"SHGDFIL_FINDDATA","features":[109]},{"name":"SHGDFIL_FORMAT","features":[109]},{"name":"SHGDFIL_NETRESOURCE","features":[109]},{"name":"SHGDNF","features":[109]},{"name":"SHGDN_FORADDRESSBAR","features":[109]},{"name":"SHGDN_FOREDITING","features":[109]},{"name":"SHGDN_FORPARSING","features":[109]},{"name":"SHGDN_INFOLDER","features":[109]},{"name":"SHGDN_NORMAL","features":[109]},{"name":"SHGFI_ADDOVERLAYS","features":[109]},{"name":"SHGFI_ATTRIBUTES","features":[109]},{"name":"SHGFI_ATTR_SPECIFIED","features":[109]},{"name":"SHGFI_DISPLAYNAME","features":[109]},{"name":"SHGFI_EXETYPE","features":[109]},{"name":"SHGFI_FLAGS","features":[109]},{"name":"SHGFI_ICON","features":[109]},{"name":"SHGFI_ICONLOCATION","features":[109]},{"name":"SHGFI_LARGEICON","features":[109]},{"name":"SHGFI_LINKOVERLAY","features":[109]},{"name":"SHGFI_OPENICON","features":[109]},{"name":"SHGFI_OVERLAYINDEX","features":[109]},{"name":"SHGFI_PIDL","features":[109]},{"name":"SHGFI_SELECTED","features":[109]},{"name":"SHGFI_SHELLICONSIZE","features":[109]},{"name":"SHGFI_SMALLICON","features":[109]},{"name":"SHGFI_SYSICONINDEX","features":[109]},{"name":"SHGFI_TYPENAME","features":[109]},{"name":"SHGFI_USEFILEATTRIBUTES","features":[109]},{"name":"SHGFP_TYPE","features":[109]},{"name":"SHGFP_TYPE_CURRENT","features":[109]},{"name":"SHGFP_TYPE_DEFAULT","features":[109]},{"name":"SHGLOBALCOUNTER","features":[109]},{"name":"SHGNLI_NOLNK","features":[109]},{"name":"SHGNLI_NOLOCNAME","features":[109]},{"name":"SHGNLI_NOUNIQUE","features":[109]},{"name":"SHGNLI_PIDL","features":[109]},{"name":"SHGNLI_PREFIXNAME","features":[109]},{"name":"SHGNLI_USEURLEXT","features":[109]},{"name":"SHGSI_FLAGS","features":[109]},{"name":"SHGSI_ICON","features":[109]},{"name":"SHGSI_ICONLOCATION","features":[109]},{"name":"SHGSI_LARGEICON","features":[109]},{"name":"SHGSI_LINKOVERLAY","features":[109]},{"name":"SHGSI_SELECTED","features":[109]},{"name":"SHGSI_SHELLICONSIZE","features":[109]},{"name":"SHGSI_SMALLICON","features":[109]},{"name":"SHGSI_SYSICONINDEX","features":[109]},{"name":"SHGVSPB_ALLFOLDERS","features":[109]},{"name":"SHGVSPB_ALLUSERS","features":[109]},{"name":"SHGVSPB_INHERIT","features":[109]},{"name":"SHGVSPB_NOAUTODEFAULTS","features":[109]},{"name":"SHGVSPB_PERFOLDER","features":[109]},{"name":"SHGVSPB_PERUSER","features":[109]},{"name":"SHGVSPB_ROAM","features":[109]},{"name":"SHGetAttributesFromDataObject","features":[109]},{"name":"SHGetDataFromIDListA","features":[219]},{"name":"SHGetDataFromIDListW","features":[219]},{"name":"SHGetDesktopFolder","features":[109]},{"name":"SHGetDiskFreeSpaceExA","features":[1,109]},{"name":"SHGetDiskFreeSpaceExW","features":[1,109]},{"name":"SHGetDriveMedia","features":[109]},{"name":"SHGetFileInfoA","features":[21,109,50]},{"name":"SHGetFileInfoW","features":[21,109,50]},{"name":"SHGetFolderLocation","features":[1,219]},{"name":"SHGetFolderPathA","features":[1,109]},{"name":"SHGetFolderPathAndSubDirA","features":[1,109]},{"name":"SHGetFolderPathAndSubDirW","features":[1,109]},{"name":"SHGetFolderPathW","features":[1,109]},{"name":"SHGetIDListFromObject","features":[219]},{"name":"SHGetIconOverlayIndexA","features":[109]},{"name":"SHGetIconOverlayIndexW","features":[109]},{"name":"SHGetImageList","features":[109]},{"name":"SHGetInstanceExplorer","features":[109]},{"name":"SHGetInverseCMAP","features":[109]},{"name":"SHGetItemFromDataObject","features":[109]},{"name":"SHGetItemFromObject","features":[109]},{"name":"SHGetKnownFolderIDList","features":[1,219]},{"name":"SHGetKnownFolderItem","features":[1,109]},{"name":"SHGetKnownFolderPath","features":[1,109]},{"name":"SHGetLocalizedName","features":[109]},{"name":"SHGetMalloc","features":[109]},{"name":"SHGetNameFromIDList","features":[219]},{"name":"SHGetNewLinkInfoA","features":[1,109]},{"name":"SHGetNewLinkInfoW","features":[1,109]},{"name":"SHGetPathFromIDListA","features":[1,219]},{"name":"SHGetPathFromIDListEx","features":[1,219]},{"name":"SHGetPathFromIDListW","features":[1,219]},{"name":"SHGetRealIDL","features":[219]},{"name":"SHGetSetFolderCustomSettings","features":[109]},{"name":"SHGetSetSettings","features":[1,109]},{"name":"SHGetSettings","features":[109]},{"name":"SHGetSpecialFolderLocation","features":[1,219]},{"name":"SHGetSpecialFolderPathA","features":[1,109]},{"name":"SHGetSpecialFolderPathW","features":[1,109]},{"name":"SHGetStockIconInfo","features":[109,50]},{"name":"SHGetTemporaryPropertyForItem","features":[1,63,42,60]},{"name":"SHGetThreadRef","features":[109]},{"name":"SHGetUnreadMailCountW","features":[1,49,109]},{"name":"SHGetValueA","features":[1,49,109]},{"name":"SHGetValueW","features":[1,49,109]},{"name":"SHGetViewStatePropertyBag","features":[219]},{"name":"SHGlobalCounterDecrement","features":[109]},{"name":"SHGlobalCounterGetValue","features":[109]},{"name":"SHGlobalCounterIncrement","features":[109]},{"name":"SHHLNF_NOAUTOSELECT","features":[109]},{"name":"SHHLNF_WRITENOHISTORY","features":[109]},{"name":"SHHandleUpdateImage","features":[219]},{"name":"SHILCreateFromPath","features":[219]},{"name":"SHIL_EXTRALARGE","features":[109]},{"name":"SHIL_JUMBO","features":[109]},{"name":"SHIL_LARGE","features":[109]},{"name":"SHIL_LAST","features":[109]},{"name":"SHIL_SMALL","features":[109]},{"name":"SHIL_SYSSMALL","features":[109]},{"name":"SHIMGDEC_DEFAULT","features":[109]},{"name":"SHIMGDEC_LOADFULL","features":[109]},{"name":"SHIMGDEC_THUMBNAIL","features":[109]},{"name":"SHIMGKEY_QUALITY","features":[109]},{"name":"SHIMGKEY_RAWFORMAT","features":[109]},{"name":"SHIMSTCAPFLAG_LOCKABLE","features":[109]},{"name":"SHIMSTCAPFLAG_PURGEABLE","features":[109]},{"name":"SHInvokePrinterCommandA","features":[1,109]},{"name":"SHInvokePrinterCommandW","features":[1,109]},{"name":"SHIsFileAvailableOffline","features":[109]},{"name":"SHIsLowMemoryMachine","features":[1,109]},{"name":"SHLimitInputEdit","features":[1,109]},{"name":"SHLoadInProc","features":[109]},{"name":"SHLoadIndirectString","features":[109]},{"name":"SHLoadNonloadedIconOverlayIdentifiers","features":[109]},{"name":"SHLockShared","features":[1,109]},{"name":"SHMapPIDLToSystemImageListIndex","features":[219]},{"name":"SHMessageBoxCheckA","features":[1,109]},{"name":"SHMessageBoxCheckW","features":[1,109]},{"name":"SHMultiFileProperties","features":[109]},{"name":"SHNAMEMAPPINGA","features":[109]},{"name":"SHNAMEMAPPINGA","features":[109]},{"name":"SHNAMEMAPPINGW","features":[109]},{"name":"SHNAMEMAPPINGW","features":[109]},{"name":"SHOP_FILEPATH","features":[109]},{"name":"SHOP_PRINTERNAME","features":[109]},{"name":"SHOP_TYPE","features":[109]},{"name":"SHOP_VOLUMEGUID","features":[109]},{"name":"SHObjectProperties","features":[1,109]},{"name":"SHOpenFolderAndSelectItems","features":[219]},{"name":"SHOpenPropSheetW","features":[1,49,109]},{"name":"SHOpenRegStream2A","features":[49,109]},{"name":"SHOpenRegStream2W","features":[49,109]},{"name":"SHOpenRegStreamA","features":[49,109]},{"name":"SHOpenRegStreamW","features":[49,109]},{"name":"SHOpenWithDialog","features":[1,109]},{"name":"SHPPFW_ASKDIRCREATE","features":[109]},{"name":"SHPPFW_DIRCREATE","features":[109]},{"name":"SHPPFW_IGNOREFILENAME","features":[109]},{"name":"SHPPFW_MEDIACHECKONLY","features":[109]},{"name":"SHPPFW_NONE","features":[109]},{"name":"SHPPFW_NOWRITECHECK","features":[109]},{"name":"SHPWHF_ANYLOCATION","features":[109]},{"name":"SHPWHF_NOFILESELECTOR","features":[109]},{"name":"SHPWHF_NONETPLACECREATE","features":[109]},{"name":"SHPWHF_NORECOMPRESS","features":[109]},{"name":"SHPWHF_USEMRU","features":[109]},{"name":"SHPWHF_VALIDATEVIAWEBFOLDERS","features":[109]},{"name":"SHParseDisplayName","features":[219]},{"name":"SHPathPrepareForWriteA","features":[1,109]},{"name":"SHPathPrepareForWriteW","features":[1,109]},{"name":"SHQUERYRBINFO","features":[109]},{"name":"SHQUERYRBINFO","features":[109]},{"name":"SHQueryInfoKeyA","features":[1,49,109]},{"name":"SHQueryInfoKeyW","features":[1,49,109]},{"name":"SHQueryRecycleBinA","features":[109]},{"name":"SHQueryRecycleBinW","features":[109]},{"name":"SHQueryUserNotificationState","features":[109]},{"name":"SHQueryValueExA","features":[1,49,109]},{"name":"SHQueryValueExW","features":[1,49,109]},{"name":"SHREGDEL_BOTH","features":[109]},{"name":"SHREGDEL_DEFAULT","features":[109]},{"name":"SHREGDEL_FLAGS","features":[109]},{"name":"SHREGDEL_HKCU","features":[109]},{"name":"SHREGDEL_HKLM","features":[109]},{"name":"SHREGENUM_BOTH","features":[109]},{"name":"SHREGENUM_DEFAULT","features":[109]},{"name":"SHREGENUM_FLAGS","features":[109]},{"name":"SHREGENUM_HKCU","features":[109]},{"name":"SHREGENUM_HKLM","features":[109]},{"name":"SHREGSET_FORCE_HKCU","features":[109]},{"name":"SHREGSET_FORCE_HKLM","features":[109]},{"name":"SHREGSET_HKCU","features":[109]},{"name":"SHREGSET_HKLM","features":[109]},{"name":"SHRegCloseUSKey","features":[1,109]},{"name":"SHRegCreateUSKeyA","features":[1,109]},{"name":"SHRegCreateUSKeyW","features":[1,109]},{"name":"SHRegDeleteEmptyUSKeyA","features":[1,109]},{"name":"SHRegDeleteEmptyUSKeyW","features":[1,109]},{"name":"SHRegDeleteUSValueA","features":[1,109]},{"name":"SHRegDeleteUSValueW","features":[1,109]},{"name":"SHRegDuplicateHKey","features":[49,109]},{"name":"SHRegEnumUSKeyA","features":[1,109]},{"name":"SHRegEnumUSKeyW","features":[1,109]},{"name":"SHRegEnumUSValueA","features":[1,109]},{"name":"SHRegEnumUSValueW","features":[1,109]},{"name":"SHRegGetBoolUSValueA","features":[1,109]},{"name":"SHRegGetBoolUSValueW","features":[1,109]},{"name":"SHRegGetIntW","features":[49,109]},{"name":"SHRegGetPathA","features":[1,49,109]},{"name":"SHRegGetPathW","features":[1,49,109]},{"name":"SHRegGetUSValueA","features":[1,109]},{"name":"SHRegGetUSValueW","features":[1,109]},{"name":"SHRegGetValueA","features":[1,49,109]},{"name":"SHRegGetValueFromHKCUHKLM","features":[1,109]},{"name":"SHRegGetValueW","features":[1,49,109]},{"name":"SHRegOpenUSKeyA","features":[1,109]},{"name":"SHRegOpenUSKeyW","features":[1,109]},{"name":"SHRegQueryInfoUSKeyA","features":[1,109]},{"name":"SHRegQueryInfoUSKeyW","features":[1,109]},{"name":"SHRegQueryUSValueA","features":[1,109]},{"name":"SHRegQueryUSValueW","features":[1,109]},{"name":"SHRegSetPathA","features":[1,49,109]},{"name":"SHRegSetPathW","features":[1,49,109]},{"name":"SHRegSetUSValueA","features":[1,109]},{"name":"SHRegSetUSValueW","features":[1,109]},{"name":"SHRegWriteUSValueA","features":[1,109]},{"name":"SHRegWriteUSValueW","features":[1,109]},{"name":"SHReleaseThreadRef","features":[109]},{"name":"SHRemoveLocalizedName","features":[109]},{"name":"SHReplaceFromPropSheetExtArray","features":[1,40,109]},{"name":"SHResolveLibrary","features":[109]},{"name":"SHRestricted","features":[109]},{"name":"SHSTOCKICONID","features":[109]},{"name":"SHSTOCKICONINFO","features":[109,50]},{"name":"SHSTOCKICONINFO","features":[109,50]},{"name":"SHSendMessageBroadcastA","features":[1,109]},{"name":"SHSendMessageBroadcastW","features":[1,109]},{"name":"SHSetDefaultProperties","features":[1,109]},{"name":"SHSetFolderPathA","features":[1,109]},{"name":"SHSetFolderPathW","features":[1,109]},{"name":"SHSetInstanceExplorer","features":[109]},{"name":"SHSetKnownFolderPath","features":[1,109]},{"name":"SHSetLocalizedName","features":[109]},{"name":"SHSetTemporaryPropertyForItem","features":[1,63,42,60]},{"name":"SHSetThreadRef","features":[109]},{"name":"SHSetUnreadMailCountW","features":[109]},{"name":"SHSetValueA","features":[49,109]},{"name":"SHSetValueW","features":[49,109]},{"name":"SHShellFolderView_Message","features":[1,109]},{"name":"SHShowManageLibraryUI","features":[1,109]},{"name":"SHSimpleIDListFromPath","features":[219]},{"name":"SHSkipJunction","features":[1,109]},{"name":"SHStartNetConnectionDialogW","features":[1,109]},{"name":"SHStrDupA","features":[109]},{"name":"SHStrDupW","features":[109]},{"name":"SHStripMneumonicA","features":[109]},{"name":"SHStripMneumonicW","features":[109]},{"name":"SHTestTokenMembership","features":[1,109]},{"name":"SHUnicodeToAnsi","features":[109]},{"name":"SHUnicodeToUnicode","features":[109]},{"name":"SHUnlockShared","features":[1,109]},{"name":"SHUpdateImageA","features":[109]},{"name":"SHUpdateImageW","features":[109]},{"name":"SHValidateUNC","features":[1,109]},{"name":"SIATTRIBFLAGS","features":[109]},{"name":"SIATTRIBFLAGS_ALLITEMS","features":[109]},{"name":"SIATTRIBFLAGS_AND","features":[109]},{"name":"SIATTRIBFLAGS_APPCOMPAT","features":[109]},{"name":"SIATTRIBFLAGS_MASK","features":[109]},{"name":"SIATTRIBFLAGS_OR","features":[109]},{"name":"SICHINT_ALLFIELDS","features":[109]},{"name":"SICHINT_CANONICAL","features":[109]},{"name":"SICHINT_DISPLAY","features":[109]},{"name":"SICHINT_TEST_FILESYSPATH_IF_NOT_EQUAL","features":[109]},{"name":"SID_CommandsPropertyBag","features":[109]},{"name":"SID_CtxQueryAssociations","features":[109]},{"name":"SID_DefView","features":[109]},{"name":"SID_LaunchSourceAppUserModelId","features":[109]},{"name":"SID_LaunchSourceViewSizePreference","features":[109]},{"name":"SID_LaunchTargetViewSizePreference","features":[109]},{"name":"SID_MenuShellFolder","features":[109]},{"name":"SID_SCommDlgBrowser","features":[109]},{"name":"SID_SCommandBarState","features":[109]},{"name":"SID_SGetViewFromViewDual","features":[109]},{"name":"SID_SInPlaceBrowser","features":[109]},{"name":"SID_SMenuBandBKContextMenu","features":[109]},{"name":"SID_SMenuBandBottom","features":[109]},{"name":"SID_SMenuBandBottomSelected","features":[109]},{"name":"SID_SMenuBandChild","features":[109]},{"name":"SID_SMenuBandContextMenuModifier","features":[109]},{"name":"SID_SMenuBandParent","features":[109]},{"name":"SID_SMenuBandTop","features":[109]},{"name":"SID_SMenuPopup","features":[109]},{"name":"SID_SSearchBoxInfo","features":[109]},{"name":"SID_STopLevelBrowser","features":[109]},{"name":"SID_STopWindow","features":[109]},{"name":"SID_ShellExecuteNamedPropertyStore","features":[109]},{"name":"SID_URLExecutionContext","features":[109]},{"name":"SIGDN","features":[109]},{"name":"SIGDN_DESKTOPABSOLUTEEDITING","features":[109]},{"name":"SIGDN_DESKTOPABSOLUTEPARSING","features":[109]},{"name":"SIGDN_FILESYSPATH","features":[109]},{"name":"SIGDN_NORMALDISPLAY","features":[109]},{"name":"SIGDN_PARENTRELATIVE","features":[109]},{"name":"SIGDN_PARENTRELATIVEEDITING","features":[109]},{"name":"SIGDN_PARENTRELATIVEFORADDRESSBAR","features":[109]},{"name":"SIGDN_PARENTRELATIVEFORUI","features":[109]},{"name":"SIGDN_PARENTRELATIVEPARSING","features":[109]},{"name":"SIGDN_URL","features":[109]},{"name":"SIID_APPLICATION","features":[109]},{"name":"SIID_AUDIOFILES","features":[109]},{"name":"SIID_AUTOLIST","features":[109]},{"name":"SIID_CLUSTEREDDRIVE","features":[109]},{"name":"SIID_DELETE","features":[109]},{"name":"SIID_DESKTOPPC","features":[109]},{"name":"SIID_DEVICEAUDIOPLAYER","features":[109]},{"name":"SIID_DEVICECAMERA","features":[109]},{"name":"SIID_DEVICECELLPHONE","features":[109]},{"name":"SIID_DEVICEVIDEOCAMERA","features":[109]},{"name":"SIID_DOCASSOC","features":[109]},{"name":"SIID_DOCNOASSOC","features":[109]},{"name":"SIID_DRIVE35","features":[109]},{"name":"SIID_DRIVE525","features":[109]},{"name":"SIID_DRIVEBD","features":[109]},{"name":"SIID_DRIVECD","features":[109]},{"name":"SIID_DRIVEDVD","features":[109]},{"name":"SIID_DRIVEFIXED","features":[109]},{"name":"SIID_DRIVEHDDVD","features":[109]},{"name":"SIID_DRIVENET","features":[109]},{"name":"SIID_DRIVENETDISABLED","features":[109]},{"name":"SIID_DRIVERAM","features":[109]},{"name":"SIID_DRIVEREMOVE","features":[109]},{"name":"SIID_DRIVEUNKNOWN","features":[109]},{"name":"SIID_ERROR","features":[109]},{"name":"SIID_FIND","features":[109]},{"name":"SIID_FOLDER","features":[109]},{"name":"SIID_FOLDERBACK","features":[109]},{"name":"SIID_FOLDERFRONT","features":[109]},{"name":"SIID_FOLDEROPEN","features":[109]},{"name":"SIID_HELP","features":[109]},{"name":"SIID_IMAGEFILES","features":[109]},{"name":"SIID_INFO","features":[109]},{"name":"SIID_INTERNET","features":[109]},{"name":"SIID_KEY","features":[109]},{"name":"SIID_LINK","features":[109]},{"name":"SIID_LOCK","features":[109]},{"name":"SIID_MAX_ICONS","features":[109]},{"name":"SIID_MEDIAAUDIODVD","features":[109]},{"name":"SIID_MEDIABDR","features":[109]},{"name":"SIID_MEDIABDRE","features":[109]},{"name":"SIID_MEDIABDROM","features":[109]},{"name":"SIID_MEDIABLANKCD","features":[109]},{"name":"SIID_MEDIABLURAY","features":[109]},{"name":"SIID_MEDIACDAUDIO","features":[109]},{"name":"SIID_MEDIACDAUDIOPLUS","features":[109]},{"name":"SIID_MEDIACDBURN","features":[109]},{"name":"SIID_MEDIACDR","features":[109]},{"name":"SIID_MEDIACDROM","features":[109]},{"name":"SIID_MEDIACDRW","features":[109]},{"name":"SIID_MEDIACOMPACTFLASH","features":[109]},{"name":"SIID_MEDIADVD","features":[109]},{"name":"SIID_MEDIADVDPLUSR","features":[109]},{"name":"SIID_MEDIADVDPLUSRW","features":[109]},{"name":"SIID_MEDIADVDR","features":[109]},{"name":"SIID_MEDIADVDRAM","features":[109]},{"name":"SIID_MEDIADVDROM","features":[109]},{"name":"SIID_MEDIADVDRW","features":[109]},{"name":"SIID_MEDIAENHANCEDCD","features":[109]},{"name":"SIID_MEDIAENHANCEDDVD","features":[109]},{"name":"SIID_MEDIAHDDVD","features":[109]},{"name":"SIID_MEDIAHDDVDR","features":[109]},{"name":"SIID_MEDIAHDDVDRAM","features":[109]},{"name":"SIID_MEDIAHDDVDROM","features":[109]},{"name":"SIID_MEDIAMOVIEDVD","features":[109]},{"name":"SIID_MEDIASMARTMEDIA","features":[109]},{"name":"SIID_MEDIASVCD","features":[109]},{"name":"SIID_MEDIAVCD","features":[109]},{"name":"SIID_MIXEDFILES","features":[109]},{"name":"SIID_MOBILEPC","features":[109]},{"name":"SIID_MYNETWORK","features":[109]},{"name":"SIID_NETWORKCONNECT","features":[109]},{"name":"SIID_PRINTER","features":[109]},{"name":"SIID_PRINTERFAX","features":[109]},{"name":"SIID_PRINTERFAXNET","features":[109]},{"name":"SIID_PRINTERFILE","features":[109]},{"name":"SIID_PRINTERNET","features":[109]},{"name":"SIID_RECYCLER","features":[109]},{"name":"SIID_RECYCLERFULL","features":[109]},{"name":"SIID_RENAME","features":[109]},{"name":"SIID_SERVER","features":[109]},{"name":"SIID_SERVERSHARE","features":[109]},{"name":"SIID_SETTINGS","features":[109]},{"name":"SIID_SHARE","features":[109]},{"name":"SIID_SHIELD","features":[109]},{"name":"SIID_SLOWFILE","features":[109]},{"name":"SIID_SOFTWARE","features":[109]},{"name":"SIID_STACK","features":[109]},{"name":"SIID_STUFFEDFOLDER","features":[109]},{"name":"SIID_USERS","features":[109]},{"name":"SIID_VIDEOFILES","features":[109]},{"name":"SIID_WARNING","features":[109]},{"name":"SIID_WORLD","features":[109]},{"name":"SIID_ZIPFILE","features":[109]},{"name":"SIIGBF","features":[109]},{"name":"SIIGBF_BIGGERSIZEOK","features":[109]},{"name":"SIIGBF_CROPTOSQUARE","features":[109]},{"name":"SIIGBF_ICONBACKGROUND","features":[109]},{"name":"SIIGBF_ICONONLY","features":[109]},{"name":"SIIGBF_INCACHEONLY","features":[109]},{"name":"SIIGBF_MEMORYONLY","features":[109]},{"name":"SIIGBF_RESIZETOFIT","features":[109]},{"name":"SIIGBF_SCALEUP","features":[109]},{"name":"SIIGBF_THUMBNAILONLY","features":[109]},{"name":"SIIGBF_WIDETHUMBNAILS","features":[109]},{"name":"SIOM_ICONINDEX","features":[109]},{"name":"SIOM_OVERLAYINDEX","features":[109]},{"name":"SIOM_RESERVED_DEFAULT","features":[109]},{"name":"SIOM_RESERVED_LINK","features":[109]},{"name":"SIOM_RESERVED_SHARED","features":[109]},{"name":"SIOM_RESERVED_SLOWFILE","features":[109]},{"name":"SLDF_ALLOW_LINK_TO_LINK","features":[109]},{"name":"SLDF_DEFAULT","features":[109]},{"name":"SLDF_DISABLE_KNOWNFOLDER_RELATIVE_TRACKING","features":[109]},{"name":"SLDF_DISABLE_LINK_PATH_TRACKING","features":[109]},{"name":"SLDF_ENABLE_TARGET_METADATA","features":[109]},{"name":"SLDF_FORCE_NO_LINKINFO","features":[109]},{"name":"SLDF_FORCE_NO_LINKTRACK","features":[109]},{"name":"SLDF_FORCE_UNCNAME","features":[109]},{"name":"SLDF_HAS_ARGS","features":[109]},{"name":"SLDF_HAS_DARWINID","features":[109]},{"name":"SLDF_HAS_EXP_ICON_SZ","features":[109]},{"name":"SLDF_HAS_EXP_SZ","features":[109]},{"name":"SLDF_HAS_ICONLOCATION","features":[109]},{"name":"SLDF_HAS_ID_LIST","features":[109]},{"name":"SLDF_HAS_LINK_INFO","features":[109]},{"name":"SLDF_HAS_NAME","features":[109]},{"name":"SLDF_HAS_RELPATH","features":[109]},{"name":"SLDF_HAS_WORKINGDIR","features":[109]},{"name":"SLDF_KEEP_LOCAL_IDLIST_FOR_UNC_TARGET","features":[109]},{"name":"SLDF_NO_KF_ALIAS","features":[109]},{"name":"SLDF_NO_PIDL_ALIAS","features":[109]},{"name":"SLDF_PERSIST_VOLUME_ID_RELATIVE","features":[109]},{"name":"SLDF_PREFER_ENVIRONMENT_PATH","features":[109]},{"name":"SLDF_RESERVED","features":[109]},{"name":"SLDF_RUNAS_USER","features":[109]},{"name":"SLDF_RUN_IN_SEPARATE","features":[109]},{"name":"SLDF_RUN_WITH_SHIMLAYER","features":[109]},{"name":"SLDF_UNALIAS_ON_SAVE","features":[109]},{"name":"SLDF_UNICODE","features":[109]},{"name":"SLDF_VALID","features":[109]},{"name":"SLGP_FLAGS","features":[109]},{"name":"SLGP_RAWPATH","features":[109]},{"name":"SLGP_RELATIVEPRIORITY","features":[109]},{"name":"SLGP_SHORTPATH","features":[109]},{"name":"SLGP_UNCPRIORITY","features":[109]},{"name":"SLOWAPPINFO","features":[1,109]},{"name":"SLR_ANY_MATCH","features":[109]},{"name":"SLR_FLAGS","features":[109]},{"name":"SLR_INVOKE_MSI","features":[109]},{"name":"SLR_KNOWNFOLDER","features":[109]},{"name":"SLR_MACHINE_IN_LOCAL_TARGET","features":[109]},{"name":"SLR_NOLINKINFO","features":[109]},{"name":"SLR_NONE","features":[109]},{"name":"SLR_NOSEARCH","features":[109]},{"name":"SLR_NOTRACK","features":[109]},{"name":"SLR_NOUPDATE","features":[109]},{"name":"SLR_NO_OBJECT_ID","features":[109]},{"name":"SLR_NO_UI","features":[109]},{"name":"SLR_NO_UI_WITH_MSG_PUMP","features":[109]},{"name":"SLR_OFFER_DELETE_WITHOUT_FILE","features":[109]},{"name":"SLR_UPDATE","features":[109]},{"name":"SLR_UPDATE_MACHINE_AND_SID","features":[109]},{"name":"SMAE_CONTRACTED","features":[109]},{"name":"SMAE_EXPANDED","features":[109]},{"name":"SMAE_USER","features":[109]},{"name":"SMAE_VALID","features":[109]},{"name":"SMCSHCHANGENOTIFYSTRUCT","features":[219]},{"name":"SMC_AUTOEXPANDCHANGE","features":[109]},{"name":"SMC_CHEVRONEXPAND","features":[109]},{"name":"SMC_CHEVRONGETTIP","features":[109]},{"name":"SMC_CREATE","features":[109]},{"name":"SMC_DEFAULTICON","features":[109]},{"name":"SMC_DEMOTE","features":[109]},{"name":"SMC_DISPLAYCHEVRONTIP","features":[109]},{"name":"SMC_EXITMENU","features":[109]},{"name":"SMC_GETAUTOEXPANDSTATE","features":[109]},{"name":"SMC_GETBKCONTEXTMENU","features":[109]},{"name":"SMC_GETCONTEXTMENUMODIFIER","features":[109]},{"name":"SMC_GETINFO","features":[109]},{"name":"SMC_GETOBJECT","features":[109]},{"name":"SMC_GETSFINFO","features":[109]},{"name":"SMC_GETSFOBJECT","features":[109]},{"name":"SMC_INITMENU","features":[109]},{"name":"SMC_NEWITEM","features":[109]},{"name":"SMC_OPEN","features":[109]},{"name":"SMC_PROMOTE","features":[109]},{"name":"SMC_REFRESH","features":[109]},{"name":"SMC_SETSFOBJECT","features":[109]},{"name":"SMC_SFDDRESTRICTED","features":[109]},{"name":"SMC_SFEXEC","features":[109]},{"name":"SMC_SFEXEC_MIDDLE","features":[109]},{"name":"SMC_SFSELECTITEM","features":[109]},{"name":"SMC_SHCHANGENOTIFY","features":[109]},{"name":"SMDATA","features":[1,219,50]},{"name":"SMDM_HMENU","features":[109]},{"name":"SMDM_SHELLFOLDER","features":[109]},{"name":"SMDM_TOOLBAR","features":[109]},{"name":"SMIF_ACCELERATOR","features":[109]},{"name":"SMIF_ALTSTATE","features":[109]},{"name":"SMIF_CHECKED","features":[109]},{"name":"SMIF_DEMOTED","features":[109]},{"name":"SMIF_DISABLED","features":[109]},{"name":"SMIF_DRAGNDROP","features":[109]},{"name":"SMIF_DROPCASCADE","features":[109]},{"name":"SMIF_DROPTARGET","features":[109]},{"name":"SMIF_HIDDEN","features":[109]},{"name":"SMIF_ICON","features":[109]},{"name":"SMIF_NEW","features":[109]},{"name":"SMIF_SUBMENU","features":[109]},{"name":"SMIF_TRACKPOPUP","features":[109]},{"name":"SMIM_FLAGS","features":[109]},{"name":"SMIM_ICON","features":[109]},{"name":"SMIM_TYPE","features":[109]},{"name":"SMINFO","features":[109]},{"name":"SMINFOFLAGS","features":[109]},{"name":"SMINFOMASK","features":[109]},{"name":"SMINFOTYPE","features":[109]},{"name":"SMINIT_AUTOEXPAND","features":[109]},{"name":"SMINIT_AUTOTOOLTIP","features":[109]},{"name":"SMINIT_CACHED","features":[109]},{"name":"SMINIT_DEFAULT","features":[109]},{"name":"SMINIT_DROPONCONTAINER","features":[109]},{"name":"SMINIT_HORIZONTAL","features":[109]},{"name":"SMINIT_RESTRICT_DRAGDROP","features":[109]},{"name":"SMINIT_TOPLEVEL","features":[109]},{"name":"SMINIT_VERTICAL","features":[109]},{"name":"SMINV_ID","features":[109]},{"name":"SMINV_REFRESH","features":[109]},{"name":"SMIT_SEPARATOR","features":[109]},{"name":"SMIT_STRING","features":[109]},{"name":"SMSET_BOTTOM","features":[109]},{"name":"SMSET_DONTOWN","features":[109]},{"name":"SMSET_TOP","features":[109]},{"name":"SORTCOLUMN","features":[60]},{"name":"SORTDIRECTION","features":[109]},{"name":"SORT_ASCENDING","features":[109]},{"name":"SORT_DESCENDING","features":[109]},{"name":"SORT_ORDER_TYPE","features":[109]},{"name":"SOT_DEFAULT","features":[109]},{"name":"SOT_IGNORE_FOLDERNESS","features":[109]},{"name":"SPACTION","features":[109]},{"name":"SPACTION_APPLYINGATTRIBS","features":[109]},{"name":"SPACTION_CALCULATING","features":[109]},{"name":"SPACTION_COPYING","features":[109]},{"name":"SPACTION_COPY_MOVING","features":[109]},{"name":"SPACTION_DELETING","features":[109]},{"name":"SPACTION_DOWNLOADING","features":[109]},{"name":"SPACTION_FORMATTING","features":[109]},{"name":"SPACTION_MOVING","features":[109]},{"name":"SPACTION_NONE","features":[109]},{"name":"SPACTION_RECYCLING","features":[109]},{"name":"SPACTION_RENAMING","features":[109]},{"name":"SPACTION_SEARCHING_FILES","features":[109]},{"name":"SPACTION_SEARCHING_INTERNET","features":[109]},{"name":"SPACTION_UPLOADING","features":[109]},{"name":"SPBEGINF_AUTOTIME","features":[109]},{"name":"SPBEGINF_MARQUEEPROGRESS","features":[109]},{"name":"SPBEGINF_NOCANCELBUTTON","features":[109]},{"name":"SPBEGINF_NOPROGRESSBAR","features":[109]},{"name":"SPBEGINF_NORMAL","features":[109]},{"name":"SPFF_CREATED_ON_THIS_DEVICE","features":[109]},{"name":"SPFF_DOWNLOAD_BY_DEFAULT","features":[109]},{"name":"SPFF_NONE","features":[109]},{"name":"SPINITF_MODAL","features":[109]},{"name":"SPINITF_NOMINIMIZE","features":[109]},{"name":"SPINITF_NORMAL","features":[109]},{"name":"SPMODE_BROWSER","features":[109]},{"name":"SPMODE_DBMON","features":[109]},{"name":"SPMODE_DEBUGBREAK","features":[109]},{"name":"SPMODE_DEBUGOUT","features":[109]},{"name":"SPMODE_EVENT","features":[109]},{"name":"SPMODE_EVENTTRACE","features":[109]},{"name":"SPMODE_FLUSH","features":[109]},{"name":"SPMODE_FORMATTEXT","features":[109]},{"name":"SPMODE_MEMWATCH","features":[109]},{"name":"SPMODE_MSGTRACE","features":[109]},{"name":"SPMODE_MSVM","features":[109]},{"name":"SPMODE_MULTISTOP","features":[109]},{"name":"SPMODE_PERFTAGS","features":[109]},{"name":"SPMODE_PROFILE","features":[109]},{"name":"SPMODE_SHELL","features":[109]},{"name":"SPMODE_TEST","features":[109]},{"name":"SPTEXT","features":[109]},{"name":"SPTEXT_ACTIONDESCRIPTION","features":[109]},{"name":"SPTEXT_ACTIONDETAIL","features":[109]},{"name":"SRRF_NOEXPAND","features":[109]},{"name":"SRRF_NOVIRT","features":[109]},{"name":"SRRF_RM_ANY","features":[109]},{"name":"SRRF_RM_NORMAL","features":[109]},{"name":"SRRF_RM_SAFE","features":[109]},{"name":"SRRF_RM_SAFENETWORK","features":[109]},{"name":"SRRF_RT_ANY","features":[109]},{"name":"SRRF_RT_REG_BINARY","features":[109]},{"name":"SRRF_RT_REG_DWORD","features":[109]},{"name":"SRRF_RT_REG_EXPAND_SZ","features":[109]},{"name":"SRRF_RT_REG_MULTI_SZ","features":[109]},{"name":"SRRF_RT_REG_NONE","features":[109]},{"name":"SRRF_RT_REG_QWORD","features":[109]},{"name":"SRRF_RT_REG_SZ","features":[109]},{"name":"SRRF_ZEROONFAILURE","features":[109]},{"name":"SSF_AUTOCHECKSELECT","features":[109]},{"name":"SSF_DESKTOPHTML","features":[109]},{"name":"SSF_DONTPRETTYPATH","features":[109]},{"name":"SSF_DOUBLECLICKINWEBVIEW","features":[109]},{"name":"SSF_FILTER","features":[109]},{"name":"SSF_HIDDENFILEEXTS","features":[109]},{"name":"SSF_HIDEICONS","features":[109]},{"name":"SSF_ICONSONLY","features":[109]},{"name":"SSF_MAPNETDRVBUTTON","features":[109]},{"name":"SSF_MASK","features":[109]},{"name":"SSF_NOCONFIRMRECYCLE","features":[109]},{"name":"SSF_NONETCRAWLING","features":[109]},{"name":"SSF_SEPPROCESS","features":[109]},{"name":"SSF_SERVERADMINUI","features":[109]},{"name":"SSF_SHOWALLOBJECTS","features":[109]},{"name":"SSF_SHOWATTRIBCOL","features":[109]},{"name":"SSF_SHOWCOMPCOLOR","features":[109]},{"name":"SSF_SHOWEXTENSIONS","features":[109]},{"name":"SSF_SHOWINFOTIP","features":[109]},{"name":"SSF_SHOWSTARTPAGE","features":[109]},{"name":"SSF_SHOWSTATUSBAR","features":[109]},{"name":"SSF_SHOWSUPERHIDDEN","features":[109]},{"name":"SSF_SHOWSYSFILES","features":[109]},{"name":"SSF_SHOWTYPEOVERLAY","features":[109]},{"name":"SSF_SORTCOLUMNS","features":[109]},{"name":"SSF_STARTPANELON","features":[109]},{"name":"SSF_WEBVIEW","features":[109]},{"name":"SSF_WIN95CLASSIC","features":[109]},{"name":"SSM_CLEAR","features":[109]},{"name":"SSM_REFRESH","features":[109]},{"name":"SSM_SET","features":[109]},{"name":"SSM_UPDATE","features":[109]},{"name":"STGOP","features":[109]},{"name":"STGOP_APPLYPROPERTIES","features":[109]},{"name":"STGOP_COPY","features":[109]},{"name":"STGOP_MOVE","features":[109]},{"name":"STGOP_NEW","features":[109]},{"name":"STGOP_REMOVE","features":[109]},{"name":"STGOP_RENAME","features":[109]},{"name":"STGOP_SYNC","features":[109]},{"name":"STIF_DEFAULT","features":[109]},{"name":"STIF_SUPPORT_HEX","features":[109]},{"name":"STORAGE_PROVIDER_FILE_FLAGS","features":[109]},{"name":"STORE_E_NEWER_VERSION_AVAILABLE","features":[109]},{"name":"STPFLAG","features":[109]},{"name":"STPF_NONE","features":[109]},{"name":"STPF_USEAPPPEEKALWAYS","features":[109]},{"name":"STPF_USEAPPPEEKWHENACTIVE","features":[109]},{"name":"STPF_USEAPPTHUMBNAILALWAYS","features":[109]},{"name":"STPF_USEAPPTHUMBNAILWHENACTIVE","features":[109]},{"name":"STR_AVOID_DRIVE_RESTRICTION_POLICY","features":[109]},{"name":"STR_BIND_DELEGATE_CREATE_OBJECT","features":[109]},{"name":"STR_BIND_FOLDERS_READ_ONLY","features":[109]},{"name":"STR_BIND_FOLDER_ENUM_MODE","features":[109]},{"name":"STR_BIND_FORCE_FOLDER_SHORTCUT_RESOLVE","features":[109]},{"name":"STR_DONT_PARSE_RELATIVE","features":[109]},{"name":"STR_DONT_RESOLVE_LINK","features":[109]},{"name":"STR_ENUM_ITEMS_FLAGS","features":[109]},{"name":"STR_FILE_SYS_BIND_DATA","features":[109]},{"name":"STR_FILE_SYS_BIND_DATA_WIN7_FORMAT","features":[109]},{"name":"STR_GET_ASYNC_HANDLER","features":[109]},{"name":"STR_GPS_BESTEFFORT","features":[109]},{"name":"STR_GPS_DELAYCREATION","features":[109]},{"name":"STR_GPS_FASTPROPERTIESONLY","features":[109]},{"name":"STR_GPS_HANDLERPROPERTIESONLY","features":[109]},{"name":"STR_GPS_NO_OPLOCK","features":[109]},{"name":"STR_GPS_OPENSLOWITEM","features":[109]},{"name":"STR_INTERNAL_NAVIGATE","features":[109]},{"name":"STR_INTERNETFOLDER_PARSE_ONLY_URLMON_BINDABLE","features":[109]},{"name":"STR_ITEM_CACHE_CONTEXT","features":[109]},{"name":"STR_MYDOCS_CLSID","features":[109]},{"name":"STR_NO_VALIDATE_FILENAME_CHARS","features":[109]},{"name":"STR_PARSE_ALLOW_INTERNET_SHELL_FOLDERS","features":[109]},{"name":"STR_PARSE_AND_CREATE_ITEM","features":[109]},{"name":"STR_PARSE_DONT_REQUIRE_VALIDATED_URLS","features":[109]},{"name":"STR_PARSE_EXPLICIT_ASSOCIATION_SUCCESSFUL","features":[109]},{"name":"STR_PARSE_PARTIAL_IDLIST","features":[109]},{"name":"STR_PARSE_PREFER_FOLDER_BROWSING","features":[109]},{"name":"STR_PARSE_PREFER_WEB_BROWSING","features":[109]},{"name":"STR_PARSE_PROPERTYSTORE","features":[109]},{"name":"STR_PARSE_SHELL_PROTOCOL_TO_FILE_OBJECTS","features":[109]},{"name":"STR_PARSE_SHOW_NET_DIAGNOSTICS_UI","features":[109]},{"name":"STR_PARSE_SKIP_NET_CACHE","features":[109]},{"name":"STR_PARSE_TRANSLATE_ALIASES","features":[109]},{"name":"STR_PARSE_WITH_EXPLICIT_ASSOCAPP","features":[109]},{"name":"STR_PARSE_WITH_EXPLICIT_PROGID","features":[109]},{"name":"STR_PARSE_WITH_PROPERTIES","features":[109]},{"name":"STR_PROPERTYBAG_PARAM","features":[109]},{"name":"STR_REFERRER_IDENTIFIER","features":[109]},{"name":"STR_SKIP_BINDING_CLSID","features":[109]},{"name":"STR_STORAGEITEM_CREATION_FLAGS","features":[109]},{"name":"STR_TAB_REUSE_IDENTIFIER","features":[109]},{"name":"STR_TRACK_CLSID","features":[109]},{"name":"SUBCLASSPROC","features":[1,109]},{"name":"SV2CVW2_PARAMS","features":[1,109]},{"name":"SV3CVW3_DEFAULT","features":[109]},{"name":"SV3CVW3_FORCEFOLDERFLAGS","features":[109]},{"name":"SV3CVW3_FORCEVIEWMODE","features":[109]},{"name":"SV3CVW3_NONINTERACTIVE","features":[109]},{"name":"SVGIO_ALLVIEW","features":[109]},{"name":"SVGIO_BACKGROUND","features":[109]},{"name":"SVGIO_CHECKED","features":[109]},{"name":"SVGIO_FLAG_VIEWORDER","features":[109]},{"name":"SVGIO_SELECTION","features":[109]},{"name":"SVGIO_TYPE_MASK","features":[109]},{"name":"SVSI_CHECK","features":[109]},{"name":"SVSI_CHECK2","features":[109]},{"name":"SVSI_DESELECT","features":[109]},{"name":"SVSI_DESELECTOTHERS","features":[109]},{"name":"SVSI_EDIT","features":[109]},{"name":"SVSI_ENSUREVISIBLE","features":[109]},{"name":"SVSI_FOCUSED","features":[109]},{"name":"SVSI_KEYBOARDSELECT","features":[109]},{"name":"SVSI_NOTAKEFOCUS","features":[109]},{"name":"SVSI_POSITIONITEM","features":[109]},{"name":"SVSI_SELECT","features":[109]},{"name":"SVSI_SELECTIONMARK","features":[109]},{"name":"SVSI_TRANSLATEPT","features":[109]},{"name":"SVUIA_ACTIVATE_FOCUS","features":[109]},{"name":"SVUIA_ACTIVATE_NOFOCUS","features":[109]},{"name":"SVUIA_DEACTIVATE","features":[109]},{"name":"SVUIA_INPLACEACTIVATE","features":[109]},{"name":"SVUIA_STATUS","features":[109]},{"name":"SWC_3RDPARTY","features":[109]},{"name":"SWC_BROWSER","features":[109]},{"name":"SWC_CALLBACK","features":[109]},{"name":"SWC_DESKTOP","features":[109]},{"name":"SWC_EXPLORER","features":[109]},{"name":"SWFO_COOKIEPASSED","features":[109]},{"name":"SWFO_INCLUDEPENDING","features":[109]},{"name":"SWFO_NEEDDISPATCH","features":[109]},{"name":"SYNCMGRERRORFLAGS","features":[109]},{"name":"SYNCMGRERRORFLAG_ENABLEJUMPTEXT","features":[109]},{"name":"SYNCMGRFLAG","features":[109]},{"name":"SYNCMGRFLAG_CONNECT","features":[109]},{"name":"SYNCMGRFLAG_EVENTMASK","features":[109]},{"name":"SYNCMGRFLAG_IDLE","features":[109]},{"name":"SYNCMGRFLAG_INVOKE","features":[109]},{"name":"SYNCMGRFLAG_MANUAL","features":[109]},{"name":"SYNCMGRFLAG_MAYBOTHERUSER","features":[109]},{"name":"SYNCMGRFLAG_PENDINGDISCONNECT","features":[109]},{"name":"SYNCMGRFLAG_SCHEDULED","features":[109]},{"name":"SYNCMGRFLAG_SETTINGS","features":[109]},{"name":"SYNCMGRHANDLERFLAGS","features":[109]},{"name":"SYNCMGRHANDLERFLAG_MASK","features":[109]},{"name":"SYNCMGRHANDLERINFO","features":[109,50]},{"name":"SYNCMGRHANDLER_ALWAYSLISTHANDLER","features":[109]},{"name":"SYNCMGRHANDLER_HASPROPERTIES","features":[109]},{"name":"SYNCMGRHANDLER_HIDDEN","features":[109]},{"name":"SYNCMGRHANDLER_MAYESTABLISHCONNECTION","features":[109]},{"name":"SYNCMGRINVOKEFLAGS","features":[109]},{"name":"SYNCMGRINVOKE_MINIMIZED","features":[109]},{"name":"SYNCMGRINVOKE_STARTSYNC","features":[109]},{"name":"SYNCMGRITEM","features":[1,109,50]},{"name":"SYNCMGRITEMFLAGS","features":[109]},{"name":"SYNCMGRITEMSTATE","features":[109]},{"name":"SYNCMGRITEMSTATE_CHECKED","features":[109]},{"name":"SYNCMGRITEMSTATE_UNCHECKED","features":[109]},{"name":"SYNCMGRITEM_HASPROPERTIES","features":[109]},{"name":"SYNCMGRITEM_HIDDEN","features":[109]},{"name":"SYNCMGRITEM_ITEMFLAGMASK","features":[109]},{"name":"SYNCMGRITEM_LASTUPDATETIME","features":[109]},{"name":"SYNCMGRITEM_MAYDELETEITEM","features":[109]},{"name":"SYNCMGRITEM_ROAMINGUSER","features":[109]},{"name":"SYNCMGRITEM_TEMPORARY","features":[109]},{"name":"SYNCMGRLOGERRORINFO","features":[109]},{"name":"SYNCMGRLOGERROR_ERRORFLAGS","features":[109]},{"name":"SYNCMGRLOGERROR_ERRORID","features":[109]},{"name":"SYNCMGRLOGERROR_ITEMID","features":[109]},{"name":"SYNCMGRLOGLEVEL","features":[109]},{"name":"SYNCMGRLOGLEVEL_ERROR","features":[109]},{"name":"SYNCMGRLOGLEVEL_INFORMATION","features":[109]},{"name":"SYNCMGRLOGLEVEL_LOGLEVELMAX","features":[109]},{"name":"SYNCMGRLOGLEVEL_WARNING","features":[109]},{"name":"SYNCMGRPROGRESSITEM","features":[109]},{"name":"SYNCMGRPROGRESSITEM_MAXVALUE","features":[109]},{"name":"SYNCMGRPROGRESSITEM_PROGVALUE","features":[109]},{"name":"SYNCMGRPROGRESSITEM_STATUSTEXT","features":[109]},{"name":"SYNCMGRPROGRESSITEM_STATUSTYPE","features":[109]},{"name":"SYNCMGRREGISTERFLAGS","features":[109]},{"name":"SYNCMGRREGISTERFLAGS_MASK","features":[109]},{"name":"SYNCMGRREGISTERFLAG_CONNECT","features":[109]},{"name":"SYNCMGRREGISTERFLAG_IDLE","features":[109]},{"name":"SYNCMGRREGISTERFLAG_PENDINGDISCONNECT","features":[109]},{"name":"SYNCMGRSTATUS","features":[109]},{"name":"SYNCMGRSTATUS_DELETED","features":[109]},{"name":"SYNCMGRSTATUS_FAILED","features":[109]},{"name":"SYNCMGRSTATUS_PAUSED","features":[109]},{"name":"SYNCMGRSTATUS_PENDING","features":[109]},{"name":"SYNCMGRSTATUS_RESUMING","features":[109]},{"name":"SYNCMGRSTATUS_SKIPPED","features":[109]},{"name":"SYNCMGRSTATUS_STOPPED","features":[109]},{"name":"SYNCMGRSTATUS_SUCCEEDED","features":[109]},{"name":"SYNCMGRSTATUS_UPDATING","features":[109]},{"name":"SYNCMGRSTATUS_UPDATING_INDETERMINATE","features":[109]},{"name":"SYNCMGR_CANCEL_REQUEST","features":[109]},{"name":"SYNCMGR_CF_NONE","features":[109]},{"name":"SYNCMGR_CF_NOUI","features":[109]},{"name":"SYNCMGR_CF_NOWAIT","features":[109]},{"name":"SYNCMGR_CF_VALID","features":[109]},{"name":"SYNCMGR_CF_WAIT","features":[109]},{"name":"SYNCMGR_CIT_DELETED","features":[109]},{"name":"SYNCMGR_CIT_UPDATED","features":[109]},{"name":"SYNCMGR_CONFLICT_ID_INFO","features":[41,109]},{"name":"SYNCMGR_CONFLICT_ITEM_TYPE","features":[109]},{"name":"SYNCMGR_CONTROL_FLAGS","features":[109]},{"name":"SYNCMGR_CR_CANCEL_ALL","features":[109]},{"name":"SYNCMGR_CR_CANCEL_ITEM","features":[109]},{"name":"SYNCMGR_CR_MAX","features":[109]},{"name":"SYNCMGR_CR_NONE","features":[109]},{"name":"SYNCMGR_EF_NONE","features":[109]},{"name":"SYNCMGR_EF_VALID","features":[109]},{"name":"SYNCMGR_EL_ERROR","features":[109]},{"name":"SYNCMGR_EL_INFORMATION","features":[109]},{"name":"SYNCMGR_EL_MAX","features":[109]},{"name":"SYNCMGR_EL_WARNING","features":[109]},{"name":"SYNCMGR_EVENT_FLAGS","features":[109]},{"name":"SYNCMGR_EVENT_LEVEL","features":[109]},{"name":"SYNCMGR_HANDLER_CAPABILITIES","features":[109]},{"name":"SYNCMGR_HANDLER_POLICIES","features":[109]},{"name":"SYNCMGR_HANDLER_TYPE","features":[109]},{"name":"SYNCMGR_HCM_CAN_BROWSE_CONTENT","features":[109]},{"name":"SYNCMGR_HCM_CAN_SHOW_SCHEDULE","features":[109]},{"name":"SYNCMGR_HCM_CONFLICT_STORE","features":[109]},{"name":"SYNCMGR_HCM_EVENT_STORE","features":[109]},{"name":"SYNCMGR_HCM_NONE","features":[109]},{"name":"SYNCMGR_HCM_PROVIDES_ICON","features":[109]},{"name":"SYNCMGR_HCM_QUERY_BEFORE_ACTIVATE","features":[109]},{"name":"SYNCMGR_HCM_QUERY_BEFORE_DEACTIVATE","features":[109]},{"name":"SYNCMGR_HCM_QUERY_BEFORE_DISABLE","features":[109]},{"name":"SYNCMGR_HCM_QUERY_BEFORE_ENABLE","features":[109]},{"name":"SYNCMGR_HCM_SUPPORTS_CONCURRENT_SESSIONS","features":[109]},{"name":"SYNCMGR_HCM_VALID_MASK","features":[109]},{"name":"SYNCMGR_HPM_BACKGROUND_SYNC_ONLY","features":[109]},{"name":"SYNCMGR_HPM_DISABLE_BROWSE","features":[109]},{"name":"SYNCMGR_HPM_DISABLE_DISABLE","features":[109]},{"name":"SYNCMGR_HPM_DISABLE_ENABLE","features":[109]},{"name":"SYNCMGR_HPM_DISABLE_SCHEDULE","features":[109]},{"name":"SYNCMGR_HPM_DISABLE_START_SYNC","features":[109]},{"name":"SYNCMGR_HPM_DISABLE_STOP_SYNC","features":[109]},{"name":"SYNCMGR_HPM_HIDDEN_BY_DEFAULT","features":[109]},{"name":"SYNCMGR_HPM_NONE","features":[109]},{"name":"SYNCMGR_HPM_PREVENT_ACTIVATE","features":[109]},{"name":"SYNCMGR_HPM_PREVENT_DEACTIVATE","features":[109]},{"name":"SYNCMGR_HPM_PREVENT_DISABLE","features":[109]},{"name":"SYNCMGR_HPM_PREVENT_ENABLE","features":[109]},{"name":"SYNCMGR_HPM_PREVENT_START_SYNC","features":[109]},{"name":"SYNCMGR_HPM_PREVENT_STOP_SYNC","features":[109]},{"name":"SYNCMGR_HPM_VALID_MASK","features":[109]},{"name":"SYNCMGR_HT_APPLICATION","features":[109]},{"name":"SYNCMGR_HT_COMPUTER","features":[109]},{"name":"SYNCMGR_HT_DEVICE","features":[109]},{"name":"SYNCMGR_HT_FOLDER","features":[109]},{"name":"SYNCMGR_HT_MAX","features":[109]},{"name":"SYNCMGR_HT_MIN","features":[109]},{"name":"SYNCMGR_HT_SERVICE","features":[109]},{"name":"SYNCMGR_HT_UNSPECIFIED","features":[109]},{"name":"SYNCMGR_ICM_CAN_BROWSE_CONTENT","features":[109]},{"name":"SYNCMGR_ICM_CAN_DELETE","features":[109]},{"name":"SYNCMGR_ICM_CONFLICT_STORE","features":[109]},{"name":"SYNCMGR_ICM_EVENT_STORE","features":[109]},{"name":"SYNCMGR_ICM_NONE","features":[109]},{"name":"SYNCMGR_ICM_PROVIDES_ICON","features":[109]},{"name":"SYNCMGR_ICM_QUERY_BEFORE_DELETE","features":[109]},{"name":"SYNCMGR_ICM_QUERY_BEFORE_DISABLE","features":[109]},{"name":"SYNCMGR_ICM_QUERY_BEFORE_ENABLE","features":[109]},{"name":"SYNCMGR_ICM_VALID_MASK","features":[109]},{"name":"SYNCMGR_IPM_DISABLE_BROWSE","features":[109]},{"name":"SYNCMGR_IPM_DISABLE_DELETE","features":[109]},{"name":"SYNCMGR_IPM_DISABLE_DISABLE","features":[109]},{"name":"SYNCMGR_IPM_DISABLE_ENABLE","features":[109]},{"name":"SYNCMGR_IPM_DISABLE_START_SYNC","features":[109]},{"name":"SYNCMGR_IPM_DISABLE_STOP_SYNC","features":[109]},{"name":"SYNCMGR_IPM_HIDDEN_BY_DEFAULT","features":[109]},{"name":"SYNCMGR_IPM_NONE","features":[109]},{"name":"SYNCMGR_IPM_PREVENT_DISABLE","features":[109]},{"name":"SYNCMGR_IPM_PREVENT_ENABLE","features":[109]},{"name":"SYNCMGR_IPM_PREVENT_START_SYNC","features":[109]},{"name":"SYNCMGR_IPM_PREVENT_STOP_SYNC","features":[109]},{"name":"SYNCMGR_IPM_VALID_MASK","features":[109]},{"name":"SYNCMGR_ITEM_CAPABILITIES","features":[109]},{"name":"SYNCMGR_ITEM_POLICIES","features":[109]},{"name":"SYNCMGR_OBJECTID_BrowseContent","features":[109]},{"name":"SYNCMGR_OBJECTID_ConflictStore","features":[109]},{"name":"SYNCMGR_OBJECTID_EventLinkClick","features":[109]},{"name":"SYNCMGR_OBJECTID_EventStore","features":[109]},{"name":"SYNCMGR_OBJECTID_Icon","features":[109]},{"name":"SYNCMGR_OBJECTID_QueryBeforeActivate","features":[109]},{"name":"SYNCMGR_OBJECTID_QueryBeforeDeactivate","features":[109]},{"name":"SYNCMGR_OBJECTID_QueryBeforeDelete","features":[109]},{"name":"SYNCMGR_OBJECTID_QueryBeforeDisable","features":[109]},{"name":"SYNCMGR_OBJECTID_QueryBeforeEnable","features":[109]},{"name":"SYNCMGR_OBJECTID_ShowSchedule","features":[109]},{"name":"SYNCMGR_PC_KEEP_MULTIPLE","features":[109]},{"name":"SYNCMGR_PC_KEEP_ONE","features":[109]},{"name":"SYNCMGR_PC_KEEP_RECENT","features":[109]},{"name":"SYNCMGR_PC_NO_CHOICE","features":[109]},{"name":"SYNCMGR_PC_REMOVE_FROM_SYNC_SET","features":[109]},{"name":"SYNCMGR_PC_SKIP","features":[109]},{"name":"SYNCMGR_PNS_CANCEL","features":[109]},{"name":"SYNCMGR_PNS_CONTINUE","features":[109]},{"name":"SYNCMGR_PNS_DEFAULT","features":[109]},{"name":"SYNCMGR_PRESENTER_CHOICE","features":[109]},{"name":"SYNCMGR_PRESENTER_NEXT_STEP","features":[109]},{"name":"SYNCMGR_PROGRESS_STATUS","features":[109]},{"name":"SYNCMGR_PS_CANCELED","features":[109]},{"name":"SYNCMGR_PS_DISCONNECTED","features":[109]},{"name":"SYNCMGR_PS_FAILED","features":[109]},{"name":"SYNCMGR_PS_MAX","features":[109]},{"name":"SYNCMGR_PS_SUCCEEDED","features":[109]},{"name":"SYNCMGR_PS_UPDATING","features":[109]},{"name":"SYNCMGR_PS_UPDATING_INDETERMINATE","features":[109]},{"name":"SYNCMGR_RA_KEEPOTHER","features":[109]},{"name":"SYNCMGR_RA_KEEPRECENT","features":[109]},{"name":"SYNCMGR_RA_KEEP_MULTIPLE","features":[109]},{"name":"SYNCMGR_RA_KEEP_SINGLE","features":[109]},{"name":"SYNCMGR_RA_REMOVEFROMSYNCSET","features":[109]},{"name":"SYNCMGR_RA_VALID","features":[109]},{"name":"SYNCMGR_RESOLUTION_ABILITIES","features":[109]},{"name":"SYNCMGR_RESOLUTION_FEEDBACK","features":[109]},{"name":"SYNCMGR_RF_CANCEL","features":[109]},{"name":"SYNCMGR_RF_CONTINUE","features":[109]},{"name":"SYNCMGR_RF_REFRESH","features":[109]},{"name":"SYNCMGR_SCF_IGNORE_IF_ALREADY_SYNCING","features":[109]},{"name":"SYNCMGR_SCF_NONE","features":[109]},{"name":"SYNCMGR_SCF_VALID","features":[109]},{"name":"SYNCMGR_SYNC_CONTROL_FLAGS","features":[109]},{"name":"SYNCMGR_UPDATE_REASON","features":[109]},{"name":"SYNCMGR_UR_ADDED","features":[109]},{"name":"SYNCMGR_UR_CHANGED","features":[109]},{"name":"SYNCMGR_UR_MAX","features":[109]},{"name":"SYNCMGR_UR_REMOVED","features":[109]},{"name":"SZ_CONTENTTYPE_CDF","features":[109]},{"name":"SZ_CONTENTTYPE_CDFA","features":[109]},{"name":"SZ_CONTENTTYPE_CDFW","features":[109]},{"name":"SZ_CONTENTTYPE_HTML","features":[109]},{"name":"SZ_CONTENTTYPE_HTMLA","features":[109]},{"name":"SZ_CONTENTTYPE_HTMLW","features":[109]},{"name":"S_SYNCMGR_CANCELALL","features":[109]},{"name":"S_SYNCMGR_CANCELITEM","features":[109]},{"name":"S_SYNCMGR_ENUMITEMS","features":[109]},{"name":"S_SYNCMGR_ITEMDELETED","features":[109]},{"name":"S_SYNCMGR_MISSINGITEMS","features":[109]},{"name":"S_SYNCMGR_RETRYSYNC","features":[109]},{"name":"ScheduledTasks","features":[109]},{"name":"SearchFolderItemFactory","features":[109]},{"name":"SecureLockIconConstants","features":[109]},{"name":"SelectedItemCount_Property_GUID","features":[109]},{"name":"SetCurrentProcessExplicitAppUserModelID","features":[109]},{"name":"SetMenuContextHelpId","features":[1,109,50]},{"name":"SetWindowContextHelpId","features":[1,109]},{"name":"SetWindowSubclass","features":[1,109]},{"name":"SharedBitmap","features":[109]},{"name":"SharingConfigurationManager","features":[109]},{"name":"Shell","features":[109]},{"name":"ShellAboutA","features":[1,109,50]},{"name":"ShellAboutW","features":[1,109,50]},{"name":"ShellBrowserWindow","features":[109]},{"name":"ShellDesktop","features":[109]},{"name":"ShellDispatchInproc","features":[109]},{"name":"ShellExecuteA","features":[1,109,50]},{"name":"ShellExecuteExA","features":[1,49,109]},{"name":"ShellExecuteExW","features":[1,49,109]},{"name":"ShellExecuteW","features":[1,109,50]},{"name":"ShellFSFolder","features":[109]},{"name":"ShellFolderItem","features":[109]},{"name":"ShellFolderView","features":[109]},{"name":"ShellFolderViewOC","features":[109]},{"name":"ShellFolderViewOptions","features":[109]},{"name":"ShellImageDataFactory","features":[109]},{"name":"ShellItem","features":[109]},{"name":"ShellLibrary","features":[109]},{"name":"ShellLink","features":[109]},{"name":"ShellLinkObject","features":[109]},{"name":"ShellMessageBoxA","features":[1,109,50]},{"name":"ShellMessageBoxW","features":[1,109,50]},{"name":"ShellNameSpace","features":[109]},{"name":"ShellSpecialFolderConstants","features":[109]},{"name":"ShellUIHelper","features":[109]},{"name":"ShellWindowFindWindowOptions","features":[109]},{"name":"ShellWindowTypeConstants","features":[109]},{"name":"ShellWindows","features":[109]},{"name":"Shell_GetCachedImageIndex","features":[109]},{"name":"Shell_GetCachedImageIndexA","features":[109]},{"name":"Shell_GetCachedImageIndexW","features":[109]},{"name":"Shell_GetImageLists","features":[1,40,109]},{"name":"Shell_MergeMenus","features":[109,50]},{"name":"Shell_NotifyIconA","features":[1,109,50]},{"name":"Shell_NotifyIconGetRect","features":[1,109]},{"name":"Shell_NotifyIconW","features":[1,109,50]},{"name":"ShowInputPaneAnimationCoordinator","features":[109]},{"name":"SignalFileOpen","features":[1,219]},{"name":"SimpleConflictPresenter","features":[109]},{"name":"SizeCategorizer","features":[109]},{"name":"SmartcardCredentialProvider","features":[109]},{"name":"SmartcardPinProvider","features":[109]},{"name":"SmartcardReaderSelectionProvider","features":[109]},{"name":"SmartcardWinRTProvider","features":[109]},{"name":"SoftwareUpdateMessageBox","features":[1,157,109]},{"name":"StartMenuPin","features":[109]},{"name":"StgMakeUniqueName","features":[109]},{"name":"StorageProviderBanners","features":[109]},{"name":"StrCSpnA","features":[109]},{"name":"StrCSpnIA","features":[109]},{"name":"StrCSpnIW","features":[109]},{"name":"StrCSpnW","features":[109]},{"name":"StrCatBuffA","features":[109]},{"name":"StrCatBuffW","features":[109]},{"name":"StrCatChainW","features":[109]},{"name":"StrCatW","features":[109]},{"name":"StrChrA","features":[109]},{"name":"StrChrIA","features":[109]},{"name":"StrChrIW","features":[109]},{"name":"StrChrNIW","features":[109]},{"name":"StrChrNW","features":[109]},{"name":"StrChrW","features":[109]},{"name":"StrCmpCA","features":[109]},{"name":"StrCmpCW","features":[109]},{"name":"StrCmpICA","features":[109]},{"name":"StrCmpICW","features":[109]},{"name":"StrCmpIW","features":[109]},{"name":"StrCmpLogicalW","features":[109]},{"name":"StrCmpNA","features":[109]},{"name":"StrCmpNCA","features":[109]},{"name":"StrCmpNCW","features":[109]},{"name":"StrCmpNIA","features":[109]},{"name":"StrCmpNICA","features":[109]},{"name":"StrCmpNICW","features":[109]},{"name":"StrCmpNIW","features":[109]},{"name":"StrCmpNW","features":[109]},{"name":"StrCmpW","features":[109]},{"name":"StrCpyNW","features":[109]},{"name":"StrCpyW","features":[109]},{"name":"StrDupA","features":[109]},{"name":"StrDupW","features":[109]},{"name":"StrFormatByteSize64A","features":[109]},{"name":"StrFormatByteSizeA","features":[109]},{"name":"StrFormatByteSizeEx","features":[109]},{"name":"StrFormatByteSizeW","features":[109]},{"name":"StrFormatKBSizeA","features":[109]},{"name":"StrFormatKBSizeW","features":[109]},{"name":"StrFromTimeIntervalA","features":[109]},{"name":"StrFromTimeIntervalW","features":[109]},{"name":"StrIsIntlEqualA","features":[1,109]},{"name":"StrIsIntlEqualW","features":[1,109]},{"name":"StrNCatA","features":[109]},{"name":"StrNCatW","features":[109]},{"name":"StrPBrkA","features":[109]},{"name":"StrPBrkW","features":[109]},{"name":"StrRChrA","features":[109]},{"name":"StrRChrIA","features":[109]},{"name":"StrRChrIW","features":[109]},{"name":"StrRChrW","features":[109]},{"name":"StrRStrIA","features":[109]},{"name":"StrRStrIW","features":[109]},{"name":"StrRetToBSTR","features":[219]},{"name":"StrRetToBufA","features":[219]},{"name":"StrRetToBufW","features":[219]},{"name":"StrRetToStrA","features":[219]},{"name":"StrRetToStrW","features":[219]},{"name":"StrSpnA","features":[109]},{"name":"StrSpnW","features":[109]},{"name":"StrStrA","features":[109]},{"name":"StrStrIA","features":[109]},{"name":"StrStrIW","features":[109]},{"name":"StrStrNIW","features":[109]},{"name":"StrStrNW","features":[109]},{"name":"StrStrW","features":[109]},{"name":"StrToInt64ExA","features":[1,109]},{"name":"StrToInt64ExW","features":[1,109]},{"name":"StrToIntA","features":[109]},{"name":"StrToIntExA","features":[1,109]},{"name":"StrToIntExW","features":[1,109]},{"name":"StrToIntW","features":[109]},{"name":"StrTrimA","features":[1,109]},{"name":"StrTrimW","features":[1,109]},{"name":"SuspensionDependencyManager","features":[109]},{"name":"SyncMgr","features":[109]},{"name":"SyncMgrClient","features":[109]},{"name":"SyncMgrControl","features":[109]},{"name":"SyncMgrFolder","features":[109]},{"name":"SyncMgrScheduleWizard","features":[109]},{"name":"SyncResultsFolder","features":[109]},{"name":"SyncSetupFolder","features":[109]},{"name":"TBIF_APPEND","features":[109]},{"name":"TBIF_DEFAULT","features":[109]},{"name":"TBIF_INTERNETBAR","features":[109]},{"name":"TBIF_NOTOOLBAR","features":[109]},{"name":"TBIF_PREPEND","features":[109]},{"name":"TBIF_REPLACE","features":[109]},{"name":"TBIF_STANDARDTOOLBAR","features":[109]},{"name":"TBINFO","features":[109]},{"name":"TBPFLAG","features":[109]},{"name":"TBPF_ERROR","features":[109]},{"name":"TBPF_INDETERMINATE","features":[109]},{"name":"TBPF_NOPROGRESS","features":[109]},{"name":"TBPF_NORMAL","features":[109]},{"name":"TBPF_PAUSED","features":[109]},{"name":"THBF_DISABLED","features":[109]},{"name":"THBF_DISMISSONCLICK","features":[109]},{"name":"THBF_ENABLED","features":[109]},{"name":"THBF_HIDDEN","features":[109]},{"name":"THBF_NOBACKGROUND","features":[109]},{"name":"THBF_NONINTERACTIVE","features":[109]},{"name":"THBN_CLICKED","features":[109]},{"name":"THB_BITMAP","features":[109]},{"name":"THB_FLAGS","features":[109]},{"name":"THB_ICON","features":[109]},{"name":"THB_TOOLTIP","features":[109]},{"name":"THUMBBUTTON","features":[109,50]},{"name":"THUMBBUTTONFLAGS","features":[109]},{"name":"THUMBBUTTONMASK","features":[109]},{"name":"TITLEBARNAMELEN","features":[109]},{"name":"TI_BITMAP","features":[109]},{"name":"TI_FLAGS","features":[109]},{"name":"TI_JPEG","features":[109]},{"name":"TLEF_ABSOLUTE","features":[109]},{"name":"TLEF_EXCLUDE_ABOUT_PAGES","features":[109]},{"name":"TLEF_EXCLUDE_SUBFRAME_ENTRIES","features":[109]},{"name":"TLEF_INCLUDE_UNINVOKEABLE","features":[109]},{"name":"TLEF_RELATIVE_BACK","features":[109]},{"name":"TLEF_RELATIVE_FORE","features":[109]},{"name":"TLEF_RELATIVE_INCLUDE_CURRENT","features":[109]},{"name":"TLENUMF","features":[109]},{"name":"TLMENUF_BACK","features":[109]},{"name":"TLMENUF_FORE","features":[109]},{"name":"TLMENUF_INCLUDECURRENT","features":[109]},{"name":"TLOG_BACK","features":[109]},{"name":"TLOG_CURRENT","features":[109]},{"name":"TLOG_FORE","features":[109]},{"name":"TOOLBARITEM","features":[1,12,109]},{"name":"TRANSLATEURL_FL_GUESS_PROTOCOL","features":[109]},{"name":"TRANSLATEURL_FL_USE_DEFAULT_PROTOCOL","features":[109]},{"name":"TRANSLATEURL_IN_FLAGS","features":[109]},{"name":"TSF_ALLOW_DECRYPTION","features":[109]},{"name":"TSF_COPY_CREATION_TIME","features":[109]},{"name":"TSF_COPY_HARD_LINK","features":[109]},{"name":"TSF_COPY_LOCALIZED_NAME","features":[109]},{"name":"TSF_COPY_WRITE_TIME","features":[109]},{"name":"TSF_DELETE_RECYCLE_IF_POSSIBLE","features":[109]},{"name":"TSF_FAIL_EXIST","features":[109]},{"name":"TSF_MOVE_AS_COPY_DELETE","features":[109]},{"name":"TSF_NORMAL","features":[109]},{"name":"TSF_NO_SECURITY","features":[109]},{"name":"TSF_OVERWRITE_EXIST","features":[109]},{"name":"TSF_RENAME_EXIST","features":[109]},{"name":"TSF_SUSPEND_SHELLEVENTS","features":[109]},{"name":"TSF_USE_FULL_ACCESS","features":[109]},{"name":"TS_INDETERMINATE","features":[109]},{"name":"TS_NONE","features":[109]},{"name":"TS_PERFORMING","features":[109]},{"name":"TS_PREPARING","features":[109]},{"name":"TaskbarList","features":[109]},{"name":"ThumbnailStreamCache","features":[109]},{"name":"ThumbnailStreamCacheOptions","features":[109]},{"name":"TimeCategorizer","features":[109]},{"name":"TrackShellMenu","features":[109]},{"name":"TrayBandSiteService","features":[109]},{"name":"TrayDeskBand","features":[109]},{"name":"UNDOCK_REASON","features":[109]},{"name":"URLASSOCDLG_FL_REGISTER_ASSOC","features":[109]},{"name":"URLASSOCDLG_FL_USE_DEFAULT_NAME","features":[109]},{"name":"URLASSOCIATIONDIALOG_IN_FLAGS","features":[109]},{"name":"URLINVOKECOMMANDINFOA","features":[1,109]},{"name":"URLINVOKECOMMANDINFOW","features":[1,109]},{"name":"URLIS","features":[109]},{"name":"URLIS_APPLIABLE","features":[109]},{"name":"URLIS_DIRECTORY","features":[109]},{"name":"URLIS_FILEURL","features":[109]},{"name":"URLIS_HASQUERY","features":[109]},{"name":"URLIS_NOHISTORY","features":[109]},{"name":"URLIS_OPAQUE","features":[109]},{"name":"URLIS_URL","features":[109]},{"name":"URL_APPLY_DEFAULT","features":[109]},{"name":"URL_APPLY_FORCEAPPLY","features":[109]},{"name":"URL_APPLY_GUESSFILE","features":[109]},{"name":"URL_APPLY_GUESSSCHEME","features":[109]},{"name":"URL_BROWSER_MODE","features":[109]},{"name":"URL_CONVERT_IF_DOSPATH","features":[109]},{"name":"URL_DONT_ESCAPE_EXTRA_INFO","features":[109]},{"name":"URL_DONT_SIMPLIFY","features":[109]},{"name":"URL_DONT_UNESCAPE","features":[109]},{"name":"URL_DONT_UNESCAPE_EXTRA_INFO","features":[109]},{"name":"URL_ESCAPE_ASCII_URI_COMPONENT","features":[109]},{"name":"URL_ESCAPE_AS_UTF8","features":[109]},{"name":"URL_ESCAPE_PERCENT","features":[109]},{"name":"URL_ESCAPE_SEGMENT_ONLY","features":[109]},{"name":"URL_ESCAPE_SPACES_ONLY","features":[109]},{"name":"URL_ESCAPE_UNSAFE","features":[109]},{"name":"URL_E_INVALID_SYNTAX","features":[109]},{"name":"URL_E_UNREGISTERED_PROTOCOL","features":[109]},{"name":"URL_FILE_USE_PATHURL","features":[109]},{"name":"URL_INTERNAL_PATH","features":[109]},{"name":"URL_NO_META","features":[109]},{"name":"URL_PART","features":[109]},{"name":"URL_PARTFLAG_KEEPSCHEME","features":[109]},{"name":"URL_PART_HOSTNAME","features":[109]},{"name":"URL_PART_NONE","features":[109]},{"name":"URL_PART_PASSWORD","features":[109]},{"name":"URL_PART_PORT","features":[109]},{"name":"URL_PART_QUERY","features":[109]},{"name":"URL_PART_SCHEME","features":[109]},{"name":"URL_PART_USERNAME","features":[109]},{"name":"URL_PLUGGABLE_PROTOCOL","features":[109]},{"name":"URL_SCHEME","features":[109]},{"name":"URL_SCHEME_ABOUT","features":[109]},{"name":"URL_SCHEME_FILE","features":[109]},{"name":"URL_SCHEME_FTP","features":[109]},{"name":"URL_SCHEME_GOPHER","features":[109]},{"name":"URL_SCHEME_HTTP","features":[109]},{"name":"URL_SCHEME_HTTPS","features":[109]},{"name":"URL_SCHEME_INVALID","features":[109]},{"name":"URL_SCHEME_JAVASCRIPT","features":[109]},{"name":"URL_SCHEME_KNOWNFOLDER","features":[109]},{"name":"URL_SCHEME_LOCAL","features":[109]},{"name":"URL_SCHEME_MAILTO","features":[109]},{"name":"URL_SCHEME_MAXVALUE","features":[109]},{"name":"URL_SCHEME_MK","features":[109]},{"name":"URL_SCHEME_MSHELP","features":[109]},{"name":"URL_SCHEME_MSSHELLDEVICE","features":[109]},{"name":"URL_SCHEME_MSSHELLIDLIST","features":[109]},{"name":"URL_SCHEME_MSSHELLROOTED","features":[109]},{"name":"URL_SCHEME_NEWS","features":[109]},{"name":"URL_SCHEME_NNTP","features":[109]},{"name":"URL_SCHEME_RES","features":[109]},{"name":"URL_SCHEME_SEARCH","features":[109]},{"name":"URL_SCHEME_SEARCH_MS","features":[109]},{"name":"URL_SCHEME_SHELL","features":[109]},{"name":"URL_SCHEME_SNEWS","features":[109]},{"name":"URL_SCHEME_TELNET","features":[109]},{"name":"URL_SCHEME_UNKNOWN","features":[109]},{"name":"URL_SCHEME_VBSCRIPT","features":[109]},{"name":"URL_SCHEME_WAIS","features":[109]},{"name":"URL_SCHEME_WILDCARD","features":[109]},{"name":"URL_UNESCAPE","features":[109]},{"name":"URL_UNESCAPE_AS_UTF8","features":[109]},{"name":"URL_UNESCAPE_HIGH_ANSI_ONLY","features":[109]},{"name":"URL_UNESCAPE_INPLACE","features":[109]},{"name":"URL_UNESCAPE_URI_COMPONENT","features":[109]},{"name":"URL_WININET_COMPATIBILITY","features":[109]},{"name":"UR_MONITOR_DISCONNECT","features":[109]},{"name":"UR_RESOLUTION_CHANGE","features":[109]},{"name":"UnloadUserProfile","features":[1,109]},{"name":"UnregisterAppConstrainedChangeNotification","features":[109]},{"name":"UnregisterAppStateChangeNotification","features":[109]},{"name":"UnregisterScaleChangeEvent","features":[109]},{"name":"UrlApplySchemeA","features":[109]},{"name":"UrlApplySchemeW","features":[109]},{"name":"UrlCanonicalizeA","features":[109]},{"name":"UrlCanonicalizeW","features":[109]},{"name":"UrlCombineA","features":[109]},{"name":"UrlCombineW","features":[109]},{"name":"UrlCompareA","features":[1,109]},{"name":"UrlCompareW","features":[1,109]},{"name":"UrlCreateFromPathA","features":[109]},{"name":"UrlCreateFromPathW","features":[109]},{"name":"UrlEscapeA","features":[109]},{"name":"UrlEscapeW","features":[109]},{"name":"UrlFixupW","features":[109]},{"name":"UrlGetLocationA","features":[109]},{"name":"UrlGetLocationW","features":[109]},{"name":"UrlGetPartA","features":[109]},{"name":"UrlGetPartW","features":[109]},{"name":"UrlHashA","features":[109]},{"name":"UrlHashW","features":[109]},{"name":"UrlIsA","features":[1,109]},{"name":"UrlIsNoHistoryA","features":[1,109]},{"name":"UrlIsNoHistoryW","features":[1,109]},{"name":"UrlIsOpaqueA","features":[1,109]},{"name":"UrlIsOpaqueW","features":[1,109]},{"name":"UrlIsW","features":[1,109]},{"name":"UrlUnescapeA","features":[109]},{"name":"UrlUnescapeW","features":[109]},{"name":"UserNotification","features":[109]},{"name":"V1PasswordCredentialProvider","features":[109]},{"name":"V1SmartcardCredentialProvider","features":[109]},{"name":"V1WinBioCredentialProvider","features":[109]},{"name":"VALIDATEUNC_CONNECT","features":[109]},{"name":"VALIDATEUNC_NOUI","features":[109]},{"name":"VALIDATEUNC_OPTION","features":[109]},{"name":"VALIDATEUNC_PERSIST","features":[109]},{"name":"VALIDATEUNC_PRINT","features":[109]},{"name":"VALIDATEUNC_VALID","features":[109]},{"name":"VID_Content","features":[109]},{"name":"VID_Details","features":[109]},{"name":"VID_LargeIcons","features":[109]},{"name":"VID_List","features":[109]},{"name":"VID_SmallIcons","features":[109]},{"name":"VID_ThumbStrip","features":[109]},{"name":"VID_Thumbnails","features":[109]},{"name":"VID_Tile","features":[109]},{"name":"VIEW_PRIORITY_CACHEHIT","features":[109]},{"name":"VIEW_PRIORITY_CACHEMISS","features":[109]},{"name":"VIEW_PRIORITY_DESPERATE","features":[109]},{"name":"VIEW_PRIORITY_INHERIT","features":[109]},{"name":"VIEW_PRIORITY_NONE","features":[109]},{"name":"VIEW_PRIORITY_RESTRICTED","features":[109]},{"name":"VIEW_PRIORITY_SHELLEXT","features":[109]},{"name":"VIEW_PRIORITY_SHELLEXT_ASBACKUP","features":[109]},{"name":"VIEW_PRIORITY_STALECACHEHIT","features":[109]},{"name":"VIEW_PRIORITY_USEASDEFAULT","features":[109]},{"name":"VOLUME_PREFIX","features":[109]},{"name":"VPCF_BACKGROUND","features":[109]},{"name":"VPCF_SORTCOLUMN","features":[109]},{"name":"VPCF_SUBTEXT","features":[109]},{"name":"VPCF_TEXT","features":[109]},{"name":"VPCF_TEXTBACKGROUND","features":[109]},{"name":"VPCOLORFLAGS","features":[109]},{"name":"VPWATERMARKFLAGS","features":[109]},{"name":"VPWF_ALPHABLEND","features":[109]},{"name":"VPWF_DEFAULT","features":[109]},{"name":"VariantToStrRet","features":[1,41,42,219]},{"name":"VaultProvider","features":[109]},{"name":"VirtualDesktopManager","features":[109]},{"name":"WC_NETADDRESS","features":[109]},{"name":"WINDOWDATA","features":[219]},{"name":"WM_CPL_LAUNCH","features":[109]},{"name":"WM_CPL_LAUNCHED","features":[109]},{"name":"WPSTYLE_CENTER","features":[109]},{"name":"WPSTYLE_CROPTOFIT","features":[109]},{"name":"WPSTYLE_KEEPASPECT","features":[109]},{"name":"WPSTYLE_MAX","features":[109]},{"name":"WPSTYLE_SPAN","features":[109]},{"name":"WPSTYLE_STRETCH","features":[109]},{"name":"WPSTYLE_TILE","features":[109]},{"name":"WTSAT_ARGB","features":[109]},{"name":"WTSAT_RGB","features":[109]},{"name":"WTSAT_UNKNOWN","features":[109]},{"name":"WTSCF_APPSTYLE","features":[109]},{"name":"WTSCF_DEFAULT","features":[109]},{"name":"WTSCF_FAST","features":[109]},{"name":"WTSCF_SQUARE","features":[109]},{"name":"WTSCF_WIDE","features":[109]},{"name":"WTS_ALPHATYPE","features":[109]},{"name":"WTS_APPSTYLE","features":[109]},{"name":"WTS_CACHED","features":[109]},{"name":"WTS_CACHEFLAGS","features":[109]},{"name":"WTS_CONTEXTFLAGS","features":[109]},{"name":"WTS_CROPTOSQUARE","features":[109]},{"name":"WTS_DEFAULT","features":[109]},{"name":"WTS_EXTRACT","features":[109]},{"name":"WTS_EXTRACTDONOTCACHE","features":[109]},{"name":"WTS_EXTRACTINPROC","features":[109]},{"name":"WTS_E_DATAFILEUNAVAILABLE","features":[109]},{"name":"WTS_E_EXTRACTIONBLOCKED","features":[109]},{"name":"WTS_E_EXTRACTIONPENDING","features":[109]},{"name":"WTS_E_EXTRACTIONTIMEDOUT","features":[109]},{"name":"WTS_E_FAILEDEXTRACTION","features":[109]},{"name":"WTS_E_FASTEXTRACTIONNOTSUPPORTED","features":[109]},{"name":"WTS_E_NOSTORAGEPROVIDERTHUMBNAILHANDLER","features":[109]},{"name":"WTS_E_SURROGATEUNAVAILABLE","features":[109]},{"name":"WTS_FASTEXTRACT","features":[109]},{"name":"WTS_FLAGS","features":[109]},{"name":"WTS_FORCEEXTRACTION","features":[109]},{"name":"WTS_IDEALCACHESIZEONLY","features":[109]},{"name":"WTS_INCACHEONLY","features":[109]},{"name":"WTS_INSTANCESURROGATE","features":[109]},{"name":"WTS_LOWQUALITY","features":[109]},{"name":"WTS_NONE","features":[109]},{"name":"WTS_REQUIRESURROGATE","features":[109]},{"name":"WTS_SCALETOREQUESTEDSIZE","features":[109]},{"name":"WTS_SCALEUP","features":[109]},{"name":"WTS_SKIPFASTEXTRACT","features":[109]},{"name":"WTS_SLOWRECLAIM","features":[109]},{"name":"WTS_THUMBNAILID","features":[109]},{"name":"WTS_WIDETHUMBNAILS","features":[109]},{"name":"WebBrowser","features":[109]},{"name":"WebBrowser_V1","features":[109]},{"name":"WebWizardHost","features":[109]},{"name":"WhichPlatform","features":[109]},{"name":"Win32DeleteFile","features":[1,109]},{"name":"WinBioCredentialProvider","features":[109]},{"name":"WinHelpA","features":[1,109]},{"name":"WinHelpW","features":[1,109]},{"name":"WriteCabinetState","features":[1,109]},{"name":"_BROWSERFRAMEOPTIONS","features":[109]},{"name":"_CDBE_ACTIONS","features":[109]},{"name":"_EXPCMDFLAGS","features":[109]},{"name":"_EXPCMDSTATE","features":[109]},{"name":"_EXPLORERPANESTATE","features":[109]},{"name":"_EXPPS","features":[109]},{"name":"_KF_DEFINITION_FLAGS","features":[109]},{"name":"_KF_REDIRECTION_CAPABILITIES","features":[109]},{"name":"_KF_REDIRECT_FLAGS","features":[109]},{"name":"_NMCII_FLAGS","features":[109]},{"name":"_NMCSAEI_FLAGS","features":[109]},{"name":"_NSTCECLICKTYPE","features":[109]},{"name":"_NSTCEHITTEST","features":[109]},{"name":"_NSTCITEMSTATE","features":[109]},{"name":"_NSTCROOTSTYLE","features":[109]},{"name":"_NSTCSTYLE","features":[109]},{"name":"_OPPROGDLGF","features":[109]},{"name":"_PDMODE","features":[109]},{"name":"_SHCONTF","features":[109]},{"name":"_SICHINTF","features":[109]},{"name":"_SPBEGINF","features":[109]},{"name":"_SPINITF","features":[109]},{"name":"_SV3CVW3_FLAGS","features":[109]},{"name":"_SVGIO","features":[109]},{"name":"_SVSIF","features":[109]},{"name":"_TRANSFER_ADVISE_STATE","features":[109]},{"name":"_TRANSFER_SOURCE_FLAGS","features":[109]},{"name":"__UNUSED_RECYCLE_WAS_GLOBALCOUNTER_CSCSYNCINPROGRESS","features":[109]},{"name":"__UNUSED_RECYCLE_WAS_GLOBALCOUNTER_RECYCLEDIRTYCOUNT_SERVERDRIVE","features":[109]},{"name":"__UNUSED_RECYCLE_WAS_GLOBALCOUNTER_RECYCLEGLOBALDIRTYCOUNT","features":[109]},{"name":"idsAppName","features":[109]},{"name":"idsBadOldPW","features":[109]},{"name":"idsChangePW","features":[109]},{"name":"idsDefKeyword","features":[109]},{"name":"idsDifferentPW","features":[109]},{"name":"idsHelpFile","features":[109]},{"name":"idsIniFile","features":[109]},{"name":"idsIsPassword","features":[109]},{"name":"idsNoHelpMemory","features":[109]},{"name":"idsPassword","features":[109]},{"name":"idsScreenSaver","features":[109]},{"name":"navAllowAutosearch","features":[109]},{"name":"navBlockRedirectsXDomain","features":[109]},{"name":"navBrowserBar","features":[109]},{"name":"navDeferUnload","features":[109]},{"name":"navEnforceRestricted","features":[109]},{"name":"navHomepageNavigate","features":[109]},{"name":"navHostNavigation","features":[109]},{"name":"navHyperlink","features":[109]},{"name":"navKeepWordWheelText","features":[109]},{"name":"navNewWindowsManaged","features":[109]},{"name":"navNoHistory","features":[109]},{"name":"navNoReadFromCache","features":[109]},{"name":"navNoWriteToCache","features":[109]},{"name":"navOpenInBackgroundTab","features":[109]},{"name":"navOpenInNewTab","features":[109]},{"name":"navOpenInNewWindow","features":[109]},{"name":"navOpenNewForegroundTab","features":[109]},{"name":"navRefresh","features":[109]},{"name":"navReserved1","features":[109]},{"name":"navReserved2","features":[109]},{"name":"navReserved3","features":[109]},{"name":"navReserved4","features":[109]},{"name":"navReserved5","features":[109]},{"name":"navReserved6","features":[109]},{"name":"navReserved7","features":[109]},{"name":"navSpeculative","features":[109]},{"name":"navSuggestNewTab","features":[109]},{"name":"navSuggestNewWindow","features":[109]},{"name":"navTravelLogScreenshot","features":[109]},{"name":"navTrustedForActiveX","features":[109]},{"name":"navUntrustedForDownload","features":[109]},{"name":"navVirtualTab","features":[109]},{"name":"secureLockIconMixed","features":[109]},{"name":"secureLockIconSecure128Bit","features":[109]},{"name":"secureLockIconSecure40Bit","features":[109]},{"name":"secureLockIconSecure56Bit","features":[109]},{"name":"secureLockIconSecureFortezza","features":[109]},{"name":"secureLockIconSecureUnknownBits","features":[109]},{"name":"secureLockIconUnsecure","features":[109]},{"name":"ssfALTSTARTUP","features":[109]},{"name":"ssfAPPDATA","features":[109]},{"name":"ssfBITBUCKET","features":[109]},{"name":"ssfCOMMONALTSTARTUP","features":[109]},{"name":"ssfCOMMONAPPDATA","features":[109]},{"name":"ssfCOMMONDESKTOPDIR","features":[109]},{"name":"ssfCOMMONFAVORITES","features":[109]},{"name":"ssfCOMMONPROGRAMS","features":[109]},{"name":"ssfCOMMONSTARTMENU","features":[109]},{"name":"ssfCOMMONSTARTUP","features":[109]},{"name":"ssfCONTROLS","features":[109]},{"name":"ssfCOOKIES","features":[109]},{"name":"ssfDESKTOP","features":[109]},{"name":"ssfDESKTOPDIRECTORY","features":[109]},{"name":"ssfDRIVES","features":[109]},{"name":"ssfFAVORITES","features":[109]},{"name":"ssfFONTS","features":[109]},{"name":"ssfHISTORY","features":[109]},{"name":"ssfINTERNETCACHE","features":[109]},{"name":"ssfLOCALAPPDATA","features":[109]},{"name":"ssfMYPICTURES","features":[109]},{"name":"ssfNETHOOD","features":[109]},{"name":"ssfNETWORK","features":[109]},{"name":"ssfPERSONAL","features":[109]},{"name":"ssfPRINTERS","features":[109]},{"name":"ssfPRINTHOOD","features":[109]},{"name":"ssfPROFILE","features":[109]},{"name":"ssfPROGRAMFILES","features":[109]},{"name":"ssfPROGRAMFILESx86","features":[109]},{"name":"ssfPROGRAMS","features":[109]},{"name":"ssfRECENT","features":[109]},{"name":"ssfSENDTO","features":[109]},{"name":"ssfSTARTMENU","features":[109]},{"name":"ssfSTARTUP","features":[109]},{"name":"ssfSYSTEM","features":[109]},{"name":"ssfSYSTEMx86","features":[109]},{"name":"ssfTEMPLATES","features":[109]},{"name":"ssfWINDOWS","features":[109]},{"name":"wnsprintfA","features":[109]},{"name":"wnsprintfW","features":[109]},{"name":"wvnsprintfA","features":[109]},{"name":"wvnsprintfW","features":[109]}],"668":[{"name":"COMDLG_FILTERSPEC","features":[219]},{"name":"DEVICE_SCALE_FACTOR","features":[219]},{"name":"DEVICE_SCALE_FACTOR_INVALID","features":[219]},{"name":"IObjectArray","features":[219]},{"name":"IObjectCollection","features":[219]},{"name":"ITEMIDLIST","features":[219]},{"name":"PERCEIVED","features":[219]},{"name":"PERCEIVEDFLAG_GDIPLUS","features":[219]},{"name":"PERCEIVEDFLAG_HARDCODED","features":[219]},{"name":"PERCEIVEDFLAG_NATIVESUPPORT","features":[219]},{"name":"PERCEIVEDFLAG_SOFTCODED","features":[219]},{"name":"PERCEIVEDFLAG_UNDEFINED","features":[219]},{"name":"PERCEIVEDFLAG_WMSDK","features":[219]},{"name":"PERCEIVEDFLAG_ZIPFOLDER","features":[219]},{"name":"PERCEIVED_TYPE_APPLICATION","features":[219]},{"name":"PERCEIVED_TYPE_AUDIO","features":[219]},{"name":"PERCEIVED_TYPE_COMPRESSED","features":[219]},{"name":"PERCEIVED_TYPE_CONTACTS","features":[219]},{"name":"PERCEIVED_TYPE_CUSTOM","features":[219]},{"name":"PERCEIVED_TYPE_DOCUMENT","features":[219]},{"name":"PERCEIVED_TYPE_FIRST","features":[219]},{"name":"PERCEIVED_TYPE_FOLDER","features":[219]},{"name":"PERCEIVED_TYPE_GAMEMEDIA","features":[219]},{"name":"PERCEIVED_TYPE_IMAGE","features":[219]},{"name":"PERCEIVED_TYPE_LAST","features":[219]},{"name":"PERCEIVED_TYPE_SYSTEM","features":[219]},{"name":"PERCEIVED_TYPE_TEXT","features":[219]},{"name":"PERCEIVED_TYPE_UNKNOWN","features":[219]},{"name":"PERCEIVED_TYPE_UNSPECIFIED","features":[219]},{"name":"PERCEIVED_TYPE_VIDEO","features":[219]},{"name":"SCALE_100_PERCENT","features":[219]},{"name":"SCALE_120_PERCENT","features":[219]},{"name":"SCALE_125_PERCENT","features":[219]},{"name":"SCALE_140_PERCENT","features":[219]},{"name":"SCALE_150_PERCENT","features":[219]},{"name":"SCALE_160_PERCENT","features":[219]},{"name":"SCALE_175_PERCENT","features":[219]},{"name":"SCALE_180_PERCENT","features":[219]},{"name":"SCALE_200_PERCENT","features":[219]},{"name":"SCALE_225_PERCENT","features":[219]},{"name":"SCALE_250_PERCENT","features":[219]},{"name":"SCALE_300_PERCENT","features":[219]},{"name":"SCALE_350_PERCENT","features":[219]},{"name":"SCALE_400_PERCENT","features":[219]},{"name":"SCALE_450_PERCENT","features":[219]},{"name":"SCALE_500_PERCENT","features":[219]},{"name":"SHCOLSTATE","features":[219]},{"name":"SHCOLSTATE_BATCHREAD","features":[219]},{"name":"SHCOLSTATE_DEFAULT","features":[219]},{"name":"SHCOLSTATE_DISPLAYMASK","features":[219]},{"name":"SHCOLSTATE_EXTENDED","features":[219]},{"name":"SHCOLSTATE_FIXED_RATIO","features":[219]},{"name":"SHCOLSTATE_FIXED_WIDTH","features":[219]},{"name":"SHCOLSTATE_HIDDEN","features":[219]},{"name":"SHCOLSTATE_NODPISCALE","features":[219]},{"name":"SHCOLSTATE_NOSORTBYFOLDERNESS","features":[219]},{"name":"SHCOLSTATE_NO_GROUPBY","features":[219]},{"name":"SHCOLSTATE_ONBYDEFAULT","features":[219]},{"name":"SHCOLSTATE_PREFER_FMTCMP","features":[219]},{"name":"SHCOLSTATE_PREFER_VARCMP","features":[219]},{"name":"SHCOLSTATE_SECONDARYUI","features":[219]},{"name":"SHCOLSTATE_SLOW","features":[219]},{"name":"SHCOLSTATE_TYPEMASK","features":[219]},{"name":"SHCOLSTATE_TYPE_DATE","features":[219]},{"name":"SHCOLSTATE_TYPE_INT","features":[219]},{"name":"SHCOLSTATE_TYPE_STR","features":[219]},{"name":"SHCOLSTATE_VIEWONLY","features":[219]},{"name":"SHELLDETAILS","features":[219]},{"name":"SHITEMID","features":[219]},{"name":"STRRET","features":[219]},{"name":"STRRET_CSTR","features":[219]},{"name":"STRRET_OFFSET","features":[219]},{"name":"STRRET_TYPE","features":[219]},{"name":"STRRET_WSTR","features":[219]}],"669":[{"name":"FPSPS_DEFAULT","features":[60]},{"name":"FPSPS_READONLY","features":[60]},{"name":"FPSPS_TREAT_NEW_VALUES_AS_DIRTY","features":[60]},{"name":"GETPROPERTYSTOREFLAGS","features":[60]},{"name":"GPS_BESTEFFORT","features":[60]},{"name":"GPS_DEFAULT","features":[60]},{"name":"GPS_DELAYCREATION","features":[60]},{"name":"GPS_EXTRINSICPROPERTIES","features":[60]},{"name":"GPS_EXTRINSICPROPERTIESONLY","features":[60]},{"name":"GPS_FASTPROPERTIESONLY","features":[60]},{"name":"GPS_HANDLERPROPERTIESONLY","features":[60]},{"name":"GPS_MASK_VALID","features":[60]},{"name":"GPS_NO_OPLOCK","features":[60]},{"name":"GPS_OPENSLOWITEM","features":[60]},{"name":"GPS_PREFERQUERYPROPERTIES","features":[60]},{"name":"GPS_READWRITE","features":[60]},{"name":"GPS_TEMPORARY","features":[60]},{"name":"GPS_VOLATILEPROPERTIES","features":[60]},{"name":"GPS_VOLATILEPROPERTIESONLY","features":[60]},{"name":"ICreateObject","features":[60]},{"name":"IDelayedPropertyStoreFactory","features":[60]},{"name":"IInitializeWithFile","features":[60]},{"name":"IInitializeWithStream","features":[60]},{"name":"INamedPropertyStore","features":[60]},{"name":"IObjectWithPropertyKey","features":[60]},{"name":"IPersistSerializedPropStorage","features":[60]},{"name":"IPersistSerializedPropStorage2","features":[60]},{"name":"IPropertyChange","features":[60]},{"name":"IPropertyChangeArray","features":[60]},{"name":"IPropertyDescription","features":[60]},{"name":"IPropertyDescription2","features":[60]},{"name":"IPropertyDescriptionAliasInfo","features":[60]},{"name":"IPropertyDescriptionList","features":[60]},{"name":"IPropertyDescriptionRelatedPropertyInfo","features":[60]},{"name":"IPropertyDescriptionSearchInfo","features":[60]},{"name":"IPropertyEnumType","features":[60]},{"name":"IPropertyEnumType2","features":[60]},{"name":"IPropertyEnumTypeList","features":[60]},{"name":"IPropertyStore","features":[60]},{"name":"IPropertyStoreCache","features":[60]},{"name":"IPropertyStoreCapabilities","features":[60]},{"name":"IPropertyStoreFactory","features":[60]},{"name":"IPropertySystem","features":[60]},{"name":"IPropertySystemChangeNotify","features":[60]},{"name":"IPropertyUI","features":[60]},{"name":"InMemoryPropertyStore","features":[60]},{"name":"InMemoryPropertyStoreMarshalByValue","features":[60]},{"name":"PCUSERIALIZEDPROPSTORAGE","features":[60]},{"name":"PDAT_AVERAGE","features":[60]},{"name":"PDAT_DATERANGE","features":[60]},{"name":"PDAT_DEFAULT","features":[60]},{"name":"PDAT_FIRST","features":[60]},{"name":"PDAT_MAX","features":[60]},{"name":"PDAT_MIN","features":[60]},{"name":"PDAT_SUM","features":[60]},{"name":"PDAT_UNION","features":[60]},{"name":"PDCIT_INMEMORY","features":[60]},{"name":"PDCIT_NONE","features":[60]},{"name":"PDCIT_ONDEMAND","features":[60]},{"name":"PDCIT_ONDISK","features":[60]},{"name":"PDCIT_ONDISKALL","features":[60]},{"name":"PDCIT_ONDISKVECTOR","features":[60]},{"name":"PDCOT_BOOLEAN","features":[60]},{"name":"PDCOT_DATETIME","features":[60]},{"name":"PDCOT_NONE","features":[60]},{"name":"PDCOT_NUMBER","features":[60]},{"name":"PDCOT_SIZE","features":[60]},{"name":"PDCOT_STRING","features":[60]},{"name":"PDDT_BOOLEAN","features":[60]},{"name":"PDDT_DATETIME","features":[60]},{"name":"PDDT_ENUMERATED","features":[60]},{"name":"PDDT_NUMBER","features":[60]},{"name":"PDDT_STRING","features":[60]},{"name":"PDEF_ALL","features":[60]},{"name":"PDEF_COLUMN","features":[60]},{"name":"PDEF_INFULLTEXTQUERY","features":[60]},{"name":"PDEF_NONSYSTEM","features":[60]},{"name":"PDEF_QUERYABLE","features":[60]},{"name":"PDEF_SYSTEM","features":[60]},{"name":"PDEF_VIEWABLE","features":[60]},{"name":"PDFF_ALWAYSKB","features":[60]},{"name":"PDFF_DEFAULT","features":[60]},{"name":"PDFF_FILENAME","features":[60]},{"name":"PDFF_HIDEDATE","features":[60]},{"name":"PDFF_HIDETIME","features":[60]},{"name":"PDFF_LONGDATE","features":[60]},{"name":"PDFF_LONGTIME","features":[60]},{"name":"PDFF_NOAUTOREADINGORDER","features":[60]},{"name":"PDFF_PREFIXNAME","features":[60]},{"name":"PDFF_READONLY","features":[60]},{"name":"PDFF_RELATIVEDATE","features":[60]},{"name":"PDFF_RESERVED_RIGHTTOLEFT","features":[60]},{"name":"PDFF_SHORTDATE","features":[60]},{"name":"PDFF_SHORTTIME","features":[60]},{"name":"PDFF_USEEDITINVITATION","features":[60]},{"name":"PDGR_ALPHANUMERIC","features":[60]},{"name":"PDGR_DATE","features":[60]},{"name":"PDGR_DISCRETE","features":[60]},{"name":"PDGR_DYNAMIC","features":[60]},{"name":"PDGR_ENUMERATED","features":[60]},{"name":"PDGR_PERCENT","features":[60]},{"name":"PDGR_SIZE","features":[60]},{"name":"PDOPSTATUS","features":[60]},{"name":"PDOPS_CANCELLED","features":[60]},{"name":"PDOPS_ERRORS","features":[60]},{"name":"PDOPS_PAUSED","features":[60]},{"name":"PDOPS_RUNNING","features":[60]},{"name":"PDOPS_STOPPED","features":[60]},{"name":"PDRDT_COUNT","features":[60]},{"name":"PDRDT_DATE","features":[60]},{"name":"PDRDT_DURATION","features":[60]},{"name":"PDRDT_GENERAL","features":[60]},{"name":"PDRDT_LENGTH","features":[60]},{"name":"PDRDT_PRIORITY","features":[60]},{"name":"PDRDT_RATE","features":[60]},{"name":"PDRDT_RATING","features":[60]},{"name":"PDRDT_REVISION","features":[60]},{"name":"PDRDT_SIZE","features":[60]},{"name":"PDRDT_SPEED","features":[60]},{"name":"PDSD_A_Z","features":[60]},{"name":"PDSD_GENERAL","features":[60]},{"name":"PDSD_LOWEST_HIGHEST","features":[60]},{"name":"PDSD_OLDEST_NEWEST","features":[60]},{"name":"PDSD_SMALLEST_BIGGEST","features":[60]},{"name":"PDSIF_ALWAYSINCLUDE","features":[60]},{"name":"PDSIF_DEFAULT","features":[60]},{"name":"PDSIF_ININVERTEDINDEX","features":[60]},{"name":"PDSIF_ISCOLUMN","features":[60]},{"name":"PDSIF_ISCOLUMNSPARSE","features":[60]},{"name":"PDSIF_USEFORTYPEAHEAD","features":[60]},{"name":"PDTF_ALWAYSINSUPPLEMENTALSTORE","features":[60]},{"name":"PDTF_CANBEPURGED","features":[60]},{"name":"PDTF_CANGROUPBY","features":[60]},{"name":"PDTF_CANSTACKBY","features":[60]},{"name":"PDTF_DEFAULT","features":[60]},{"name":"PDTF_DONTCOERCEEMPTYSTRINGS","features":[60]},{"name":"PDTF_INCLUDEINFULLTEXTQUERY","features":[60]},{"name":"PDTF_ISGROUP","features":[60]},{"name":"PDTF_ISINNATE","features":[60]},{"name":"PDTF_ISQUERYABLE","features":[60]},{"name":"PDTF_ISSYSTEMPROPERTY","features":[60]},{"name":"PDTF_ISTREEPROPERTY","features":[60]},{"name":"PDTF_ISVIEWABLE","features":[60]},{"name":"PDTF_MASK_ALL","features":[60]},{"name":"PDTF_MULTIPLEVALUES","features":[60]},{"name":"PDTF_SEARCHRAWVALUE","features":[60]},{"name":"PDVF_BEGINNEWGROUP","features":[60]},{"name":"PDVF_CANWRAP","features":[60]},{"name":"PDVF_CENTERALIGN","features":[60]},{"name":"PDVF_DEFAULT","features":[60]},{"name":"PDVF_FILLAREA","features":[60]},{"name":"PDVF_HIDDEN","features":[60]},{"name":"PDVF_HIDELABEL","features":[60]},{"name":"PDVF_MASK_ALL","features":[60]},{"name":"PDVF_RIGHTALIGN","features":[60]},{"name":"PDVF_SHOWBYDEFAULT","features":[60]},{"name":"PDVF_SHOWINPRIMARYLIST","features":[60]},{"name":"PDVF_SHOWINSECONDARYLIST","features":[60]},{"name":"PDVF_SHOWONLYIFPRESENT","features":[60]},{"name":"PDVF_SORTDESCENDING","features":[60]},{"name":"PET_DEFAULTVALUE","features":[60]},{"name":"PET_DISCRETEVALUE","features":[60]},{"name":"PET_ENDRANGE","features":[60]},{"name":"PET_RANGEDVALUE","features":[60]},{"name":"PKA_APPEND","features":[60]},{"name":"PKA_DELETE","features":[60]},{"name":"PKA_FLAGS","features":[60]},{"name":"PKA_SET","features":[60]},{"name":"PKEY_PIDSTR_MAX","features":[60]},{"name":"PLACEHOLDER_STATES","features":[60]},{"name":"PROPDESC_AGGREGATION_TYPE","features":[60]},{"name":"PROPDESC_COLUMNINDEX_TYPE","features":[60]},{"name":"PROPDESC_CONDITION_TYPE","features":[60]},{"name":"PROPDESC_DISPLAYTYPE","features":[60]},{"name":"PROPDESC_ENUMFILTER","features":[60]},{"name":"PROPDESC_FORMAT_FLAGS","features":[60]},{"name":"PROPDESC_GROUPING_RANGE","features":[60]},{"name":"PROPDESC_RELATIVEDESCRIPTION_TYPE","features":[60]},{"name":"PROPDESC_SEARCHINFO_FLAGS","features":[60]},{"name":"PROPDESC_SORTDESCRIPTION","features":[60]},{"name":"PROPDESC_TYPE_FLAGS","features":[60]},{"name":"PROPDESC_VIEW_FLAGS","features":[60]},{"name":"PROPENUMTYPE","features":[60]},{"name":"PROPERTYKEY","features":[60]},{"name":"PROPERTYUI_FLAGS","features":[60]},{"name":"PROPERTYUI_FORMAT_FLAGS","features":[60]},{"name":"PROPERTYUI_NAME_FLAGS","features":[60]},{"name":"PROPPRG","features":[60]},{"name":"PSC_DIRTY","features":[60]},{"name":"PSC_NORMAL","features":[60]},{"name":"PSC_NOTINSOURCE","features":[60]},{"name":"PSC_READONLY","features":[60]},{"name":"PSC_STATE","features":[60]},{"name":"PSCoerceToCanonicalValue","features":[1,63,42,60]},{"name":"PSCreateAdapterFromPropertyStore","features":[60]},{"name":"PSCreateDelayedMultiplexPropertyStore","features":[60]},{"name":"PSCreateMemoryPropertyStore","features":[60]},{"name":"PSCreateMultiplexPropertyStore","features":[60]},{"name":"PSCreatePropertyChangeArray","features":[1,63,42,60]},{"name":"PSCreatePropertyStoreFromObject","features":[60]},{"name":"PSCreatePropertyStoreFromPropertySetStorage","features":[60]},{"name":"PSCreateSimplePropertyChange","features":[1,63,42,60]},{"name":"PSEnumeratePropertyDescriptions","features":[60]},{"name":"PSFormatForDisplay","features":[1,63,42,60]},{"name":"PSFormatForDisplayAlloc","features":[1,63,42,60]},{"name":"PSFormatPropertyValue","features":[60]},{"name":"PSGetImageReferenceForValue","features":[1,63,42,60]},{"name":"PSGetItemPropertyHandler","features":[1,60]},{"name":"PSGetItemPropertyHandlerWithCreateObject","features":[1,60]},{"name":"PSGetNameFromPropertyKey","features":[60]},{"name":"PSGetNamedPropertyFromPropertyStorage","features":[1,63,42,60]},{"name":"PSGetPropertyDescription","features":[60]},{"name":"PSGetPropertyDescriptionByName","features":[60]},{"name":"PSGetPropertyDescriptionListFromString","features":[60]},{"name":"PSGetPropertyFromPropertyStorage","features":[1,63,42,60]},{"name":"PSGetPropertyKeyFromName","features":[60]},{"name":"PSGetPropertySystem","features":[60]},{"name":"PSGetPropertyValue","features":[1,63,42,60]},{"name":"PSLookupPropertyHandlerCLSID","features":[60]},{"name":"PSPropertyBag_Delete","features":[60]},{"name":"PSPropertyBag_ReadBOOL","features":[1,60]},{"name":"PSPropertyBag_ReadBSTR","features":[60]},{"name":"PSPropertyBag_ReadDWORD","features":[60]},{"name":"PSPropertyBag_ReadGUID","features":[60]},{"name":"PSPropertyBag_ReadInt","features":[60]},{"name":"PSPropertyBag_ReadLONG","features":[60]},{"name":"PSPropertyBag_ReadPOINTL","features":[1,60]},{"name":"PSPropertyBag_ReadPOINTS","features":[1,60]},{"name":"PSPropertyBag_ReadPropertyKey","features":[60]},{"name":"PSPropertyBag_ReadRECTL","features":[1,60]},{"name":"PSPropertyBag_ReadSHORT","features":[60]},{"name":"PSPropertyBag_ReadStr","features":[60]},{"name":"PSPropertyBag_ReadStrAlloc","features":[60]},{"name":"PSPropertyBag_ReadStream","features":[60]},{"name":"PSPropertyBag_ReadType","features":[1,41,42,60]},{"name":"PSPropertyBag_ReadULONGLONG","features":[60]},{"name":"PSPropertyBag_ReadUnknown","features":[60]},{"name":"PSPropertyBag_WriteBOOL","features":[1,60]},{"name":"PSPropertyBag_WriteBSTR","features":[60]},{"name":"PSPropertyBag_WriteDWORD","features":[60]},{"name":"PSPropertyBag_WriteGUID","features":[60]},{"name":"PSPropertyBag_WriteInt","features":[60]},{"name":"PSPropertyBag_WriteLONG","features":[60]},{"name":"PSPropertyBag_WritePOINTL","features":[1,60]},{"name":"PSPropertyBag_WritePOINTS","features":[1,60]},{"name":"PSPropertyBag_WritePropertyKey","features":[60]},{"name":"PSPropertyBag_WriteRECTL","features":[1,60]},{"name":"PSPropertyBag_WriteSHORT","features":[60]},{"name":"PSPropertyBag_WriteStr","features":[60]},{"name":"PSPropertyBag_WriteStream","features":[60]},{"name":"PSPropertyBag_WriteULONGLONG","features":[60]},{"name":"PSPropertyBag_WriteUnknown","features":[60]},{"name":"PSPropertyKeyFromString","features":[60]},{"name":"PSRefreshPropertySchema","features":[60]},{"name":"PSRegisterPropertySchema","features":[60]},{"name":"PSSetPropertyValue","features":[1,63,42,60]},{"name":"PSStringFromPropertyKey","features":[60]},{"name":"PSUnregisterPropertySchema","features":[60]},{"name":"PS_ALL","features":[60]},{"name":"PS_CLOUDFILE_PLACEHOLDER","features":[60]},{"name":"PS_CREATE_FILE_ACCESSIBLE","features":[60]},{"name":"PS_DEFAULT","features":[60]},{"name":"PS_FULL_PRIMARY_STREAM_AVAILABLE","features":[60]},{"name":"PS_MARKED_FOR_OFFLINE_AVAILABILITY","features":[60]},{"name":"PS_NONE","features":[60]},{"name":"PUIFFDF_DEFAULT","features":[60]},{"name":"PUIFFDF_FRIENDLYDATE","features":[60]},{"name":"PUIFFDF_NOTIME","features":[60]},{"name":"PUIFFDF_RIGHTTOLEFT","features":[60]},{"name":"PUIFFDF_SHORTFORMAT","features":[60]},{"name":"PUIFNF_DEFAULT","features":[60]},{"name":"PUIFNF_MNEMONIC","features":[60]},{"name":"PUIF_DEFAULT","features":[60]},{"name":"PUIF_NOLABELININFOTIP","features":[60]},{"name":"PUIF_RIGHTALIGN","features":[60]},{"name":"PifMgr_CloseProperties","features":[1,60]},{"name":"PifMgr_GetProperties","features":[1,60]},{"name":"PifMgr_OpenProperties","features":[1,60]},{"name":"PifMgr_SetProperties","features":[1,60]},{"name":"PropertySystem","features":[60]},{"name":"SERIALIZEDPROPSTORAGE","features":[60]},{"name":"SESF_ALL_FLAGS","features":[60]},{"name":"SESF_AUTHENTICATION_ERROR","features":[60]},{"name":"SESF_NONE","features":[60]},{"name":"SESF_PAUSED_DUE_TO_CLIENT_POLICY","features":[60]},{"name":"SESF_PAUSED_DUE_TO_DISK_SPACE_FULL","features":[60]},{"name":"SESF_PAUSED_DUE_TO_METERED_NETWORK","features":[60]},{"name":"SESF_PAUSED_DUE_TO_SERVICE_POLICY","features":[60]},{"name":"SESF_PAUSED_DUE_TO_USER_REQUEST","features":[60]},{"name":"SESF_SERVICE_QUOTA_EXCEEDED_LIMIT","features":[60]},{"name":"SESF_SERVICE_QUOTA_NEARING_LIMIT","features":[60]},{"name":"SESF_SERVICE_UNAVAILABLE","features":[60]},{"name":"SHAddDefaultPropertiesByExt","features":[60]},{"name":"SHGetPropertyStoreForWindow","features":[1,60]},{"name":"SHGetPropertyStoreFromIDList","features":[219,60]},{"name":"SHGetPropertyStoreFromParsingName","features":[60]},{"name":"SHPropStgCreate","features":[60]},{"name":"SHPropStgReadMultiple","features":[1,63,42,60]},{"name":"SHPropStgWriteMultiple","features":[1,63,42,60]},{"name":"STS_EXCLUDED","features":[60]},{"name":"STS_FETCHING_METADATA","features":[60]},{"name":"STS_HASERROR","features":[60]},{"name":"STS_HASWARNING","features":[60]},{"name":"STS_INCOMPLETE","features":[60]},{"name":"STS_NEEDSDOWNLOAD","features":[60]},{"name":"STS_NEEDSUPLOAD","features":[60]},{"name":"STS_NONE","features":[60]},{"name":"STS_PAUSED","features":[60]},{"name":"STS_PLACEHOLDER_IFEMPTY","features":[60]},{"name":"STS_TRANSFERRING","features":[60]},{"name":"STS_USER_REQUESTED_REFRESH","features":[60]},{"name":"SYNC_ENGINE_STATE_FLAGS","features":[60]},{"name":"SYNC_TRANSFER_STATUS","features":[60]},{"name":"_PERSIST_SPROPSTORE_FLAGS","features":[60]}],"670":[{"name":"ALT_BREAKS","features":[220]},{"name":"ALT_BREAKS_FULL","features":[220]},{"name":"ALT_BREAKS_SAME","features":[220]},{"name":"ALT_BREAKS_UNIQUE","features":[220]},{"name":"ASYNC_RECO_ADDSTROKE_FAILED","features":[220]},{"name":"ASYNC_RECO_INTERRUPTED","features":[220]},{"name":"ASYNC_RECO_PROCESS_FAILED","features":[220]},{"name":"ASYNC_RECO_RESETCONTEXT_FAILED","features":[220]},{"name":"ASYNC_RECO_SETCACMODE_FAILED","features":[220]},{"name":"ASYNC_RECO_SETFACTOID_FAILED","features":[220]},{"name":"ASYNC_RECO_SETFLAGS_FAILED","features":[220]},{"name":"ASYNC_RECO_SETGUIDE_FAILED","features":[220]},{"name":"ASYNC_RECO_SETTEXTCONTEXT_FAILED","features":[220]},{"name":"ASYNC_RECO_SETWORDLIST_FAILED","features":[220]},{"name":"AddStroke","features":[12,220]},{"name":"AddWordsToWordList","features":[220]},{"name":"AdviseInkChange","features":[1,220]},{"name":"AppearanceConstants","features":[220]},{"name":"AsyncStylusQueue","features":[220]},{"name":"AsyncStylusQueueImmediate","features":[220]},{"name":"BEST_COMPLETE","features":[220]},{"name":"BorderStyleConstants","features":[220]},{"name":"CAC_FULL","features":[220]},{"name":"CAC_PREFIX","features":[220]},{"name":"CAC_RANDOM","features":[220]},{"name":"CFL_INTERMEDIATE","features":[220]},{"name":"CFL_POOR","features":[220]},{"name":"CFL_STRONG","features":[220]},{"name":"CHARACTER_RANGE","features":[220]},{"name":"CONFIDENCE_LEVEL","features":[220]},{"name":"Closed","features":[220]},{"name":"CorrectionMode","features":[220]},{"name":"CorrectionMode_NotVisible","features":[220]},{"name":"CorrectionMode_PostInsertionCollapsed","features":[220]},{"name":"CorrectionMode_PostInsertionExpanded","features":[220]},{"name":"CorrectionMode_PreInsertion","features":[220]},{"name":"CorrectionPosition","features":[220]},{"name":"CorrectionPosition_Auto","features":[220]},{"name":"CorrectionPosition_Bottom","features":[220]},{"name":"CorrectionPosition_Top","features":[220]},{"name":"CreateContext","features":[220]},{"name":"CreateRecognizer","features":[220]},{"name":"DISPID_DAAntiAliased","features":[220]},{"name":"DISPID_DAClone","features":[220]},{"name":"DISPID_DAColor","features":[220]},{"name":"DISPID_DAExtendedProperties","features":[220]},{"name":"DISPID_DAFitToCurve","features":[220]},{"name":"DISPID_DAHeight","features":[220]},{"name":"DISPID_DAIgnorePressure","features":[220]},{"name":"DISPID_DAPenTip","features":[220]},{"name":"DISPID_DARasterOperation","features":[220]},{"name":"DISPID_DATransparency","features":[220]},{"name":"DISPID_DAWidth","features":[220]},{"name":"DISPID_DisableNoScroll","features":[220]},{"name":"DISPID_DragIcon","features":[220]},{"name":"DISPID_DrawAttr","features":[220]},{"name":"DISPID_Enabled","features":[220]},{"name":"DISPID_Factoid","features":[220]},{"name":"DISPID_GetGestStatus","features":[220]},{"name":"DISPID_Hwnd","features":[220]},{"name":"DISPID_IAddStrokesAtRectangle","features":[220]},{"name":"DISPID_ICAutoRedraw","features":[220]},{"name":"DISPID_ICBId","features":[220]},{"name":"DISPID_ICBName","features":[220]},{"name":"DISPID_ICBState","features":[220]},{"name":"DISPID_ICBsCount","features":[220]},{"name":"DISPID_ICBsItem","features":[220]},{"name":"DISPID_ICBs_NewEnum","features":[220]},{"name":"DISPID_ICCollectingInk","features":[220]},{"name":"DISPID_ICCollectionMode","features":[220]},{"name":"DISPID_ICCursors","features":[220]},{"name":"DISPID_ICDefaultDrawingAttributes","features":[220]},{"name":"DISPID_ICDesiredPacketDescription","features":[220]},{"name":"DISPID_ICDynamicRendering","features":[220]},{"name":"DISPID_ICECursorButtonDown","features":[220]},{"name":"DISPID_ICECursorButtonUp","features":[220]},{"name":"DISPID_ICECursorDown","features":[220]},{"name":"DISPID_ICECursorInRange","features":[220]},{"name":"DISPID_ICECursorOutOfRange","features":[220]},{"name":"DISPID_ICEGesture","features":[220]},{"name":"DISPID_ICENewInAirPackets","features":[220]},{"name":"DISPID_ICENewPackets","features":[220]},{"name":"DISPID_ICEStroke","features":[220]},{"name":"DISPID_ICESystemGesture","features":[220]},{"name":"DISPID_ICETabletAdded","features":[220]},{"name":"DISPID_ICETabletRemoved","features":[220]},{"name":"DISPID_ICEnabled","features":[220]},{"name":"DISPID_ICGetEventInterest","features":[220]},{"name":"DISPID_ICGetGestureStatus","features":[220]},{"name":"DISPID_ICGetWindowInputRectangle","features":[220]},{"name":"DISPID_ICHwnd","features":[220]},{"name":"DISPID_ICInk","features":[220]},{"name":"DISPID_ICMarginX","features":[220]},{"name":"DISPID_ICMarginY","features":[220]},{"name":"DISPID_ICMouseIcon","features":[220]},{"name":"DISPID_ICMousePointer","features":[220]},{"name":"DISPID_ICPaint","features":[220]},{"name":"DISPID_ICRenderer","features":[220]},{"name":"DISPID_ICSetAllTabletsMode","features":[220]},{"name":"DISPID_ICSetEventInterest","features":[220]},{"name":"DISPID_ICSetGestureStatus","features":[220]},{"name":"DISPID_ICSetSingleTabletIntegratedMode","features":[220]},{"name":"DISPID_ICSetWindowInputRectangle","features":[220]},{"name":"DISPID_ICSsAdd","features":[220]},{"name":"DISPID_ICSsClear","features":[220]},{"name":"DISPID_ICSsCount","features":[220]},{"name":"DISPID_ICSsItem","features":[220]},{"name":"DISPID_ICSsRemove","features":[220]},{"name":"DISPID_ICSs_NewEnum","features":[220]},{"name":"DISPID_ICSupportHighContrastInk","features":[220]},{"name":"DISPID_ICTablet","features":[220]},{"name":"DISPID_ICText","features":[220]},{"name":"DISPID_ICanPaste","features":[220]},{"name":"DISPID_IClip","features":[220]},{"name":"DISPID_IClipboardCopy","features":[220]},{"name":"DISPID_IClipboardCopyWithRectangle","features":[220]},{"name":"DISPID_IClipboardPaste","features":[220]},{"name":"DISPID_IClone","features":[220]},{"name":"DISPID_ICreateStroke","features":[220]},{"name":"DISPID_ICreateStrokeFromPoints","features":[220]},{"name":"DISPID_ICreateStrokes","features":[220]},{"name":"DISPID_ICsCount","features":[220]},{"name":"DISPID_ICsItem","features":[220]},{"name":"DISPID_ICs_NewEnum","features":[220]},{"name":"DISPID_ICsrButtons","features":[220]},{"name":"DISPID_ICsrDrawingAttributes","features":[220]},{"name":"DISPID_ICsrId","features":[220]},{"name":"DISPID_ICsrInverted","features":[220]},{"name":"DISPID_ICsrName","features":[220]},{"name":"DISPID_ICsrTablet","features":[220]},{"name":"DISPID_ICustomStrokes","features":[220]},{"name":"DISPID_IDeleteStroke","features":[220]},{"name":"DISPID_IDeleteStrokes","features":[220]},{"name":"DISPID_IDirty","features":[220]},{"name":"DISPID_IEInkAdded","features":[220]},{"name":"DISPID_IEInkDeleted","features":[220]},{"name":"DISPID_IEPData","features":[220]},{"name":"DISPID_IEPGuid","features":[220]},{"name":"DISPID_IEPsAdd","features":[220]},{"name":"DISPID_IEPsClear","features":[220]},{"name":"DISPID_IEPsCount","features":[220]},{"name":"DISPID_IEPsDoesPropertyExist","features":[220]},{"name":"DISPID_IEPsItem","features":[220]},{"name":"DISPID_IEPsRemove","features":[220]},{"name":"DISPID_IEPs_NewEnum","features":[220]},{"name":"DISPID_IExtendedProperties","features":[220]},{"name":"DISPID_IExtractStrokes","features":[220]},{"name":"DISPID_IExtractWithRectangle","features":[220]},{"name":"DISPID_IGConfidence","features":[220]},{"name":"DISPID_IGGetHotPoint","features":[220]},{"name":"DISPID_IGId","features":[220]},{"name":"DISPID_IGetBoundingBox","features":[220]},{"name":"DISPID_IHitTestCircle","features":[220]},{"name":"DISPID_IHitTestWithLasso","features":[220]},{"name":"DISPID_IHitTestWithRectangle","features":[220]},{"name":"DISPID_IInkDivider_Divide","features":[220]},{"name":"DISPID_IInkDivider_LineHeight","features":[220]},{"name":"DISPID_IInkDivider_RecognizerContext","features":[220]},{"name":"DISPID_IInkDivider_Strokes","features":[220]},{"name":"DISPID_IInkDivisionResult_ResultByType","features":[220]},{"name":"DISPID_IInkDivisionResult_Strokes","features":[220]},{"name":"DISPID_IInkDivisionUnit_DivisionType","features":[220]},{"name":"DISPID_IInkDivisionUnit_RecognizedString","features":[220]},{"name":"DISPID_IInkDivisionUnit_RotationTransform","features":[220]},{"name":"DISPID_IInkDivisionUnit_Strokes","features":[220]},{"name":"DISPID_IInkDivisionUnits_Count","features":[220]},{"name":"DISPID_IInkDivisionUnits_Item","features":[220]},{"name":"DISPID_IInkDivisionUnits_NewEnum","features":[220]},{"name":"DISPID_ILoad","features":[220]},{"name":"DISPID_INearestPoint","features":[220]},{"name":"DISPID_IOAttachMode","features":[220]},{"name":"DISPID_IODraw","features":[220]},{"name":"DISPID_IOEPainted","features":[220]},{"name":"DISPID_IOEPainting","features":[220]},{"name":"DISPID_IOESelectionChanged","features":[220]},{"name":"DISPID_IOESelectionChanging","features":[220]},{"name":"DISPID_IOESelectionMoved","features":[220]},{"name":"DISPID_IOESelectionMoving","features":[220]},{"name":"DISPID_IOESelectionResized","features":[220]},{"name":"DISPID_IOESelectionResizing","features":[220]},{"name":"DISPID_IOEStrokesDeleted","features":[220]},{"name":"DISPID_IOEStrokesDeleting","features":[220]},{"name":"DISPID_IOEditingMode","features":[220]},{"name":"DISPID_IOEraserMode","features":[220]},{"name":"DISPID_IOEraserWidth","features":[220]},{"name":"DISPID_IOHitTestSelection","features":[220]},{"name":"DISPID_IOSelection","features":[220]},{"name":"DISPID_IOSupportHighContrastSelectionUI","features":[220]},{"name":"DISPID_IPBackColor","features":[220]},{"name":"DISPID_IPEChangeUICues","features":[220]},{"name":"DISPID_IPEClick","features":[220]},{"name":"DISPID_IPEDblClick","features":[220]},{"name":"DISPID_IPEInvalidated","features":[220]},{"name":"DISPID_IPEKeyDown","features":[220]},{"name":"DISPID_IPEKeyPress","features":[220]},{"name":"DISPID_IPEKeyUp","features":[220]},{"name":"DISPID_IPEMouseDown","features":[220]},{"name":"DISPID_IPEMouseEnter","features":[220]},{"name":"DISPID_IPEMouseHover","features":[220]},{"name":"DISPID_IPEMouseLeave","features":[220]},{"name":"DISPID_IPEMouseMove","features":[220]},{"name":"DISPID_IPEMouseUp","features":[220]},{"name":"DISPID_IPEMouseWheel","features":[220]},{"name":"DISPID_IPEResize","features":[220]},{"name":"DISPID_IPESizeChanged","features":[220]},{"name":"DISPID_IPESizeModeChanged","features":[220]},{"name":"DISPID_IPEStyleChanged","features":[220]},{"name":"DISPID_IPESystemColorsChanged","features":[220]},{"name":"DISPID_IPInkEnabled","features":[220]},{"name":"DISPID_IPPicture","features":[220]},{"name":"DISPID_IPSizeMode","features":[220]},{"name":"DISPID_IRBottom","features":[220]},{"name":"DISPID_IRData","features":[220]},{"name":"DISPID_IRDraw","features":[220]},{"name":"DISPID_IRDrawStroke","features":[220]},{"name":"DISPID_IRERecognition","features":[220]},{"name":"DISPID_IRERecognitionWithAlternates","features":[220]},{"name":"DISPID_IRGColumns","features":[220]},{"name":"DISPID_IRGDrawnBox","features":[220]},{"name":"DISPID_IRGGuideData","features":[220]},{"name":"DISPID_IRGMidline","features":[220]},{"name":"DISPID_IRGRows","features":[220]},{"name":"DISPID_IRGWritingBox","features":[220]},{"name":"DISPID_IRGetObjectTransform","features":[220]},{"name":"DISPID_IRGetRectangle","features":[220]},{"name":"DISPID_IRGetViewTransform","features":[220]},{"name":"DISPID_IRInkSpaceToPixel","features":[220]},{"name":"DISPID_IRInkSpaceToPixelFromPoints","features":[220]},{"name":"DISPID_IRLeft","features":[220]},{"name":"DISPID_IRMeasure","features":[220]},{"name":"DISPID_IRMeasureStroke","features":[220]},{"name":"DISPID_IRMove","features":[220]},{"name":"DISPID_IRPixelToInkSpace","features":[220]},{"name":"DISPID_IRPixelToInkSpaceFromPoints","features":[220]},{"name":"DISPID_IRRight","features":[220]},{"name":"DISPID_IRRotate","features":[220]},{"name":"DISPID_IRScale","features":[220]},{"name":"DISPID_IRSetObjectTransform","features":[220]},{"name":"DISPID_IRSetRectangle","features":[220]},{"name":"DISPID_IRSetViewTransform","features":[220]},{"name":"DISPID_IRTop","features":[220]},{"name":"DISPID_IRecoCtx2_EnabledUnicodeRanges","features":[220]},{"name":"DISPID_IRecoCtx_BackgroundRecognize","features":[220]},{"name":"DISPID_IRecoCtx_BackgroundRecognizeWithAlternates","features":[220]},{"name":"DISPID_IRecoCtx_CharacterAutoCompletionMode","features":[220]},{"name":"DISPID_IRecoCtx_Clone","features":[220]},{"name":"DISPID_IRecoCtx_EndInkInput","features":[220]},{"name":"DISPID_IRecoCtx_Factoid","features":[220]},{"name":"DISPID_IRecoCtx_Flags","features":[220]},{"name":"DISPID_IRecoCtx_Guide","features":[220]},{"name":"DISPID_IRecoCtx_IsStringSupported","features":[220]},{"name":"DISPID_IRecoCtx_PrefixText","features":[220]},{"name":"DISPID_IRecoCtx_Recognize","features":[220]},{"name":"DISPID_IRecoCtx_Recognizer","features":[220]},{"name":"DISPID_IRecoCtx_StopBackgroundRecognition","features":[220]},{"name":"DISPID_IRecoCtx_StopRecognition","features":[220]},{"name":"DISPID_IRecoCtx_Strokes","features":[220]},{"name":"DISPID_IRecoCtx_SuffixText","features":[220]},{"name":"DISPID_IRecoCtx_WordList","features":[220]},{"name":"DISPID_IRecosCount","features":[220]},{"name":"DISPID_IRecosGetDefaultRecognizer","features":[220]},{"name":"DISPID_IRecosItem","features":[220]},{"name":"DISPID_IRecos_NewEnum","features":[220]},{"name":"DISPID_ISDBezierCusps","features":[220]},{"name":"DISPID_ISDBezierPoints","features":[220]},{"name":"DISPID_ISDClip","features":[220]},{"name":"DISPID_ISDDeleted","features":[220]},{"name":"DISPID_ISDDrawingAttributes","features":[220]},{"name":"DISPID_ISDExtendedProperties","features":[220]},{"name":"DISPID_ISDFindIntersections","features":[220]},{"name":"DISPID_ISDGetBoundingBox","features":[220]},{"name":"DISPID_ISDGetFlattenedBezierPoints","features":[220]},{"name":"DISPID_ISDGetPacketData","features":[220]},{"name":"DISPID_ISDGetPacketDescriptionPropertyMetrics","features":[220]},{"name":"DISPID_ISDGetPacketValuesByProperty","features":[220]},{"name":"DISPID_ISDGetPoints","features":[220]},{"name":"DISPID_ISDGetRectangleIntersections","features":[220]},{"name":"DISPID_ISDHitTestCircle","features":[220]},{"name":"DISPID_ISDID","features":[220]},{"name":"DISPID_ISDInk","features":[220]},{"name":"DISPID_ISDInkIndex","features":[220]},{"name":"DISPID_ISDMove","features":[220]},{"name":"DISPID_ISDNearestPoint","features":[220]},{"name":"DISPID_ISDPacketCount","features":[220]},{"name":"DISPID_ISDPacketDescription","features":[220]},{"name":"DISPID_ISDPacketSize","features":[220]},{"name":"DISPID_ISDPolylineCusps","features":[220]},{"name":"DISPID_ISDRotate","features":[220]},{"name":"DISPID_ISDScale","features":[220]},{"name":"DISPID_ISDScaleToRectangle","features":[220]},{"name":"DISPID_ISDSelfIntersections","features":[220]},{"name":"DISPID_ISDSetPacketValuesByProperty","features":[220]},{"name":"DISPID_ISDSetPoints","features":[220]},{"name":"DISPID_ISDShear","features":[220]},{"name":"DISPID_ISDSplit","features":[220]},{"name":"DISPID_ISDTransform","features":[220]},{"name":"DISPID_ISave","features":[220]},{"name":"DISPID_ISsAdd","features":[220]},{"name":"DISPID_ISsAddStrokes","features":[220]},{"name":"DISPID_ISsClip","features":[220]},{"name":"DISPID_ISsCount","features":[220]},{"name":"DISPID_ISsGetBoundingBox","features":[220]},{"name":"DISPID_ISsInk","features":[220]},{"name":"DISPID_ISsItem","features":[220]},{"name":"DISPID_ISsModifyDrawingAttributes","features":[220]},{"name":"DISPID_ISsMove","features":[220]},{"name":"DISPID_ISsRecognitionResult","features":[220]},{"name":"DISPID_ISsRemove","features":[220]},{"name":"DISPID_ISsRemoveRecognitionResult","features":[220]},{"name":"DISPID_ISsRemoveStrokes","features":[220]},{"name":"DISPID_ISsRotate","features":[220]},{"name":"DISPID_ISsScale","features":[220]},{"name":"DISPID_ISsScaleToRectangle","features":[220]},{"name":"DISPID_ISsShear","features":[220]},{"name":"DISPID_ISsToString","features":[220]},{"name":"DISPID_ISsTransform","features":[220]},{"name":"DISPID_ISsValid","features":[220]},{"name":"DISPID_ISs_NewEnum","features":[220]},{"name":"DISPID_IStrokes","features":[220]},{"name":"DISPID_IT2DeviceKind","features":[220]},{"name":"DISPID_IT3IsMultiTouch","features":[220]},{"name":"DISPID_IT3MaximumCursors","features":[220]},{"name":"DISPID_ITData","features":[220]},{"name":"DISPID_ITGetTransform","features":[220]},{"name":"DISPID_ITHardwareCapabilities","features":[220]},{"name":"DISPID_ITIsPacketPropertySupported","features":[220]},{"name":"DISPID_ITMaximumInputRectangle","features":[220]},{"name":"DISPID_ITName","features":[220]},{"name":"DISPID_ITPlugAndPlayId","features":[220]},{"name":"DISPID_ITPropertyMetrics","features":[220]},{"name":"DISPID_ITReflect","features":[220]},{"name":"DISPID_ITReset","features":[220]},{"name":"DISPID_ITRotate","features":[220]},{"name":"DISPID_ITScale","features":[220]},{"name":"DISPID_ITSetTransform","features":[220]},{"name":"DISPID_ITShear","features":[220]},{"name":"DISPID_ITTranslate","features":[220]},{"name":"DISPID_ITeDx","features":[220]},{"name":"DISPID_ITeDy","features":[220]},{"name":"DISPID_ITeM11","features":[220]},{"name":"DISPID_ITeM12","features":[220]},{"name":"DISPID_ITeM21","features":[220]},{"name":"DISPID_ITeM22","features":[220]},{"name":"DISPID_ITsCount","features":[220]},{"name":"DISPID_ITsDefaultTablet","features":[220]},{"name":"DISPID_ITsIsPacketPropertySupported","features":[220]},{"name":"DISPID_ITsItem","features":[220]},{"name":"DISPID_ITs_NewEnum","features":[220]},{"name":"DISPID_IeeChange","features":[220]},{"name":"DISPID_IeeClick","features":[220]},{"name":"DISPID_IeeCursorDown","features":[220]},{"name":"DISPID_IeeDblClick","features":[220]},{"name":"DISPID_IeeGesture","features":[220]},{"name":"DISPID_IeeKeyDown","features":[220]},{"name":"DISPID_IeeKeyPress","features":[220]},{"name":"DISPID_IeeKeyUp","features":[220]},{"name":"DISPID_IeeMouseDown","features":[220]},{"name":"DISPID_IeeMouseMove","features":[220]},{"name":"DISPID_IeeMouseUp","features":[220]},{"name":"DISPID_IeeRecognitionResult","features":[220]},{"name":"DISPID_IeeSelChange","features":[220]},{"name":"DISPID_IeeStroke","features":[220]},{"name":"DISPID_Ink","features":[220]},{"name":"DISPID_InkCollector","features":[220]},{"name":"DISPID_InkCollectorEvent","features":[220]},{"name":"DISPID_InkCursor","features":[220]},{"name":"DISPID_InkCursorButton","features":[220]},{"name":"DISPID_InkCursorButtons","features":[220]},{"name":"DISPID_InkCursors","features":[220]},{"name":"DISPID_InkCustomStrokes","features":[220]},{"name":"DISPID_InkDivider","features":[220]},{"name":"DISPID_InkDivisionResult","features":[220]},{"name":"DISPID_InkDivisionUnit","features":[220]},{"name":"DISPID_InkDivisionUnits","features":[220]},{"name":"DISPID_InkDrawingAttributes","features":[220]},{"name":"DISPID_InkEdit","features":[220]},{"name":"DISPID_InkEditEvents","features":[220]},{"name":"DISPID_InkEvent","features":[220]},{"name":"DISPID_InkExtendedProperties","features":[220]},{"name":"DISPID_InkExtendedProperty","features":[220]},{"name":"DISPID_InkGesture","features":[220]},{"name":"DISPID_InkInsertMode","features":[220]},{"name":"DISPID_InkMode","features":[220]},{"name":"DISPID_InkRecoAlternate","features":[220]},{"name":"DISPID_InkRecoAlternate_AlternatesWithConstantPropertyValues","features":[220]},{"name":"DISPID_InkRecoAlternate_Ascender","features":[220]},{"name":"DISPID_InkRecoAlternate_Baseline","features":[220]},{"name":"DISPID_InkRecoAlternate_Confidence","features":[220]},{"name":"DISPID_InkRecoAlternate_ConfidenceAlternates","features":[220]},{"name":"DISPID_InkRecoAlternate_Descender","features":[220]},{"name":"DISPID_InkRecoAlternate_GetPropertyValue","features":[220]},{"name":"DISPID_InkRecoAlternate_GetStrokesFromStrokeRanges","features":[220]},{"name":"DISPID_InkRecoAlternate_GetStrokesFromTextRange","features":[220]},{"name":"DISPID_InkRecoAlternate_GetTextRangeFromStrokes","features":[220]},{"name":"DISPID_InkRecoAlternate_LineAlternates","features":[220]},{"name":"DISPID_InkRecoAlternate_LineNumber","features":[220]},{"name":"DISPID_InkRecoAlternate_Midline","features":[220]},{"name":"DISPID_InkRecoAlternate_String","features":[220]},{"name":"DISPID_InkRecoAlternate_Strokes","features":[220]},{"name":"DISPID_InkRecoContext","features":[220]},{"name":"DISPID_InkRecoContext2","features":[220]},{"name":"DISPID_InkRecognitionAlternates","features":[220]},{"name":"DISPID_InkRecognitionAlternates_Count","features":[220]},{"name":"DISPID_InkRecognitionAlternates_Item","features":[220]},{"name":"DISPID_InkRecognitionAlternates_NewEnum","features":[220]},{"name":"DISPID_InkRecognitionAlternates_Strokes","features":[220]},{"name":"DISPID_InkRecognitionEvent","features":[220]},{"name":"DISPID_InkRecognitionResult","features":[220]},{"name":"DISPID_InkRecognitionResult_AlternatesFromSelection","features":[220]},{"name":"DISPID_InkRecognitionResult_ModifyTopAlternate","features":[220]},{"name":"DISPID_InkRecognitionResult_SetResultOnStrokes","features":[220]},{"name":"DISPID_InkRecognitionResult_Strokes","features":[220]},{"name":"DISPID_InkRecognitionResult_TopAlternate","features":[220]},{"name":"DISPID_InkRecognitionResult_TopConfidence","features":[220]},{"name":"DISPID_InkRecognitionResult_TopString","features":[220]},{"name":"DISPID_InkRecognizer","features":[220]},{"name":"DISPID_InkRecognizer2","features":[220]},{"name":"DISPID_InkRecognizerGuide","features":[220]},{"name":"DISPID_InkRecognizers","features":[220]},{"name":"DISPID_InkRectangle","features":[220]},{"name":"DISPID_InkRenderer","features":[220]},{"name":"DISPID_InkStrokeDisp","features":[220]},{"name":"DISPID_InkStrokes","features":[220]},{"name":"DISPID_InkTablet","features":[220]},{"name":"DISPID_InkTablet2","features":[220]},{"name":"DISPID_InkTablet3","features":[220]},{"name":"DISPID_InkTablets","features":[220]},{"name":"DISPID_InkTransform","features":[220]},{"name":"DISPID_InkWordList","features":[220]},{"name":"DISPID_InkWordList2","features":[220]},{"name":"DISPID_InkWordList2_AddWords","features":[220]},{"name":"DISPID_InkWordList_AddWord","features":[220]},{"name":"DISPID_InkWordList_Merge","features":[220]},{"name":"DISPID_InkWordList_RemoveWord","features":[220]},{"name":"DISPID_Locked","features":[220]},{"name":"DISPID_MICClear","features":[220]},{"name":"DISPID_MICClose","features":[220]},{"name":"DISPID_MICInsert","features":[220]},{"name":"DISPID_MICPaint","features":[220]},{"name":"DISPID_MathInputControlEvents","features":[220]},{"name":"DISPID_MaxLength","features":[220]},{"name":"DISPID_MultiLine","features":[220]},{"name":"DISPID_PIPAttachedEditWindow","features":[220]},{"name":"DISPID_PIPAutoShow","features":[220]},{"name":"DISPID_PIPBusy","features":[220]},{"name":"DISPID_PIPCommitPendingInput","features":[220]},{"name":"DISPID_PIPCurrentPanel","features":[220]},{"name":"DISPID_PIPDefaultPanel","features":[220]},{"name":"DISPID_PIPEInputFailed","features":[220]},{"name":"DISPID_PIPEPanelChanged","features":[220]},{"name":"DISPID_PIPEPanelMoving","features":[220]},{"name":"DISPID_PIPEVisibleChanged","features":[220]},{"name":"DISPID_PIPEnableTsf","features":[220]},{"name":"DISPID_PIPFactoid","features":[220]},{"name":"DISPID_PIPHeight","features":[220]},{"name":"DISPID_PIPHorizontalOffset","features":[220]},{"name":"DISPID_PIPLeft","features":[220]},{"name":"DISPID_PIPMoveTo","features":[220]},{"name":"DISPID_PIPRefresh","features":[220]},{"name":"DISPID_PIPTop","features":[220]},{"name":"DISPID_PIPVerticalOffset","features":[220]},{"name":"DISPID_PIPVisible","features":[220]},{"name":"DISPID_PIPWidth","features":[220]},{"name":"DISPID_PenInputPanel","features":[220]},{"name":"DISPID_PenInputPanelEvents","features":[220]},{"name":"DISPID_RTSelLength","features":[220]},{"name":"DISPID_RTSelStart","features":[220]},{"name":"DISPID_RTSelText","features":[220]},{"name":"DISPID_RecoCapabilities","features":[220]},{"name":"DISPID_RecoClsid","features":[220]},{"name":"DISPID_RecoCreateRecognizerContext","features":[220]},{"name":"DISPID_RecoId","features":[220]},{"name":"DISPID_RecoLanguageID","features":[220]},{"name":"DISPID_RecoName","features":[220]},{"name":"DISPID_RecoPreferredPacketDescription","features":[220]},{"name":"DISPID_RecoSupportedProperties","features":[220]},{"name":"DISPID_RecoTimeout","features":[220]},{"name":"DISPID_RecoUnicodeRanges","features":[220]},{"name":"DISPID_RecoVendor","features":[220]},{"name":"DISPID_Recognize","features":[220]},{"name":"DISPID_Recognizer","features":[220]},{"name":"DISPID_Refresh","features":[220]},{"name":"DISPID_SEStrokesAdded","features":[220]},{"name":"DISPID_SEStrokesRemoved","features":[220]},{"name":"DISPID_ScrollBars","features":[220]},{"name":"DISPID_SelAlignment","features":[220]},{"name":"DISPID_SelBold","features":[220]},{"name":"DISPID_SelCharOffset","features":[220]},{"name":"DISPID_SelColor","features":[220]},{"name":"DISPID_SelFontName","features":[220]},{"name":"DISPID_SelFontSize","features":[220]},{"name":"DISPID_SelInk","features":[220]},{"name":"DISPID_SelInksDisplayMode","features":[220]},{"name":"DISPID_SelItalic","features":[220]},{"name":"DISPID_SelRTF","features":[220]},{"name":"DISPID_SelUnderline","features":[220]},{"name":"DISPID_SetGestStatus","features":[220]},{"name":"DISPID_Status","features":[220]},{"name":"DISPID_StrokeEvent","features":[220]},{"name":"DISPID_Text","features":[220]},{"name":"DISPID_TextRTF","features":[220]},{"name":"DISPID_UseMouseForInput","features":[220]},{"name":"DYNAMIC_RENDERER_CACHED_DATA","features":[220]},{"name":"DestroyContext","features":[220]},{"name":"DestroyRecognizer","features":[220]},{"name":"DestroyWordList","features":[220]},{"name":"DockedBottom","features":[220]},{"name":"DockedTop","features":[220]},{"name":"DynamicRenderer","features":[220]},{"name":"EM_GETDRAWATTR","features":[220]},{"name":"EM_GETFACTOID","features":[220]},{"name":"EM_GETGESTURESTATUS","features":[220]},{"name":"EM_GETINKINSERTMODE","features":[220]},{"name":"EM_GETINKMODE","features":[220]},{"name":"EM_GETMOUSEICON","features":[220]},{"name":"EM_GETMOUSEPOINTER","features":[220]},{"name":"EM_GETRECOGNIZER","features":[220]},{"name":"EM_GETRECOTIMEOUT","features":[220]},{"name":"EM_GETSELINK","features":[220]},{"name":"EM_GETSELINKDISPLAYMODE","features":[220]},{"name":"EM_GETSTATUS","features":[220]},{"name":"EM_GETUSEMOUSEFORINPUT","features":[220]},{"name":"EM_RECOGNIZE","features":[220]},{"name":"EM_SETDRAWATTR","features":[220]},{"name":"EM_SETFACTOID","features":[220]},{"name":"EM_SETGESTURESTATUS","features":[220]},{"name":"EM_SETINKINSERTMODE","features":[220]},{"name":"EM_SETINKMODE","features":[220]},{"name":"EM_SETMOUSEICON","features":[220]},{"name":"EM_SETMOUSEPOINTER","features":[220]},{"name":"EM_SETRECOGNIZER","features":[220]},{"name":"EM_SETRECOTIMEOUT","features":[220]},{"name":"EM_SETSELINK","features":[220]},{"name":"EM_SETSELINKDISPLAYMODE","features":[220]},{"name":"EM_SETUSEMOUSEFORINPUT","features":[220]},{"name":"EndInkInput","features":[220]},{"name":"EventMask","features":[220]},{"name":"EventMask_All","features":[220]},{"name":"EventMask_CorrectionModeChanged","features":[220]},{"name":"EventMask_CorrectionModeChanging","features":[220]},{"name":"EventMask_InPlaceSizeChanged","features":[220]},{"name":"EventMask_InPlaceSizeChanging","features":[220]},{"name":"EventMask_InPlaceStateChanged","features":[220]},{"name":"EventMask_InPlaceStateChanging","features":[220]},{"name":"EventMask_InPlaceVisibilityChanged","features":[220]},{"name":"EventMask_InPlaceVisibilityChanging","features":[220]},{"name":"EventMask_InputAreaChanged","features":[220]},{"name":"EventMask_InputAreaChanging","features":[220]},{"name":"EventMask_TextInserted","features":[220]},{"name":"EventMask_TextInserting","features":[220]},{"name":"FACILITY_INK","features":[220]},{"name":"FACTOID_BOPOMOFO","features":[220]},{"name":"FACTOID_CHINESESIMPLECOMMON","features":[220]},{"name":"FACTOID_CHINESETRADITIONALCOMMON","features":[220]},{"name":"FACTOID_CURRENCY","features":[220]},{"name":"FACTOID_DATE","features":[220]},{"name":"FACTOID_DEFAULT","features":[220]},{"name":"FACTOID_DIGIT","features":[220]},{"name":"FACTOID_EMAIL","features":[220]},{"name":"FACTOID_FILENAME","features":[220]},{"name":"FACTOID_HANGULCOMMON","features":[220]},{"name":"FACTOID_HANGULRARE","features":[220]},{"name":"FACTOID_HIRAGANA","features":[220]},{"name":"FACTOID_JAMO","features":[220]},{"name":"FACTOID_JAPANESECOMMON","features":[220]},{"name":"FACTOID_KANJICOMMON","features":[220]},{"name":"FACTOID_KANJIRARE","features":[220]},{"name":"FACTOID_KATAKANA","features":[220]},{"name":"FACTOID_KOREANCOMMON","features":[220]},{"name":"FACTOID_LOWERCHAR","features":[220]},{"name":"FACTOID_NONE","features":[220]},{"name":"FACTOID_NUMBER","features":[220]},{"name":"FACTOID_NUMBERSIMPLE","features":[220]},{"name":"FACTOID_ONECHAR","features":[220]},{"name":"FACTOID_PERCENT","features":[220]},{"name":"FACTOID_POSTALCODE","features":[220]},{"name":"FACTOID_PUNCCHAR","features":[220]},{"name":"FACTOID_SYSTEMDICTIONARY","features":[220]},{"name":"FACTOID_TELEPHONE","features":[220]},{"name":"FACTOID_TIME","features":[220]},{"name":"FACTOID_UPPERCHAR","features":[220]},{"name":"FACTOID_WEB","features":[220]},{"name":"FACTOID_WORDLIST","features":[220]},{"name":"FLICKACTION_COMMANDCODE","features":[220]},{"name":"FLICKACTION_COMMANDCODE_APPCOMMAND","features":[220]},{"name":"FLICKACTION_COMMANDCODE_CUSTOMKEY","features":[220]},{"name":"FLICKACTION_COMMANDCODE_KEYMODIFIER","features":[220]},{"name":"FLICKACTION_COMMANDCODE_NULL","features":[220]},{"name":"FLICKACTION_COMMANDCODE_SCROLL","features":[220]},{"name":"FLICKDIRECTION","features":[220]},{"name":"FLICKDIRECTION_DOWN","features":[220]},{"name":"FLICKDIRECTION_DOWNLEFT","features":[220]},{"name":"FLICKDIRECTION_DOWNRIGHT","features":[220]},{"name":"FLICKDIRECTION_INVALID","features":[220]},{"name":"FLICKDIRECTION_LEFT","features":[220]},{"name":"FLICKDIRECTION_MIN","features":[220]},{"name":"FLICKDIRECTION_RIGHT","features":[220]},{"name":"FLICKDIRECTION_UP","features":[220]},{"name":"FLICKDIRECTION_UPLEFT","features":[220]},{"name":"FLICKDIRECTION_UPRIGHT","features":[220]},{"name":"FLICKMODE","features":[220]},{"name":"FLICKMODE_DEFAULT","features":[220]},{"name":"FLICKMODE_LEARNING","features":[220]},{"name":"FLICKMODE_MAX","features":[220]},{"name":"FLICKMODE_MIN","features":[220]},{"name":"FLICKMODE_OFF","features":[220]},{"name":"FLICKMODE_ON","features":[220]},{"name":"FLICK_DATA","features":[220]},{"name":"FLICK_POINT","features":[220]},{"name":"FLICK_WM_HANDLED_MASK","features":[220]},{"name":"Floating","features":[220]},{"name":"GESTURE_ARROW_DOWN","features":[220]},{"name":"GESTURE_ARROW_LEFT","features":[220]},{"name":"GESTURE_ARROW_RIGHT","features":[220]},{"name":"GESTURE_ARROW_UP","features":[220]},{"name":"GESTURE_ASTERISK","features":[220]},{"name":"GESTURE_BRACE_LEFT","features":[220]},{"name":"GESTURE_BRACE_OVER","features":[220]},{"name":"GESTURE_BRACE_RIGHT","features":[220]},{"name":"GESTURE_BRACE_UNDER","features":[220]},{"name":"GESTURE_BRACKET_LEFT","features":[220]},{"name":"GESTURE_BRACKET_OVER","features":[220]},{"name":"GESTURE_BRACKET_RIGHT","features":[220]},{"name":"GESTURE_BRACKET_UNDER","features":[220]},{"name":"GESTURE_BULLET","features":[220]},{"name":"GESTURE_BULLET_CROSS","features":[220]},{"name":"GESTURE_CHECK","features":[220]},{"name":"GESTURE_CHEVRON_DOWN","features":[220]},{"name":"GESTURE_CHEVRON_LEFT","features":[220]},{"name":"GESTURE_CHEVRON_RIGHT","features":[220]},{"name":"GESTURE_CHEVRON_UP","features":[220]},{"name":"GESTURE_CIRCLE","features":[220]},{"name":"GESTURE_CIRCLE_CIRCLE","features":[220]},{"name":"GESTURE_CIRCLE_CROSS","features":[220]},{"name":"GESTURE_CIRCLE_LINE_HORZ","features":[220]},{"name":"GESTURE_CIRCLE_LINE_VERT","features":[220]},{"name":"GESTURE_CIRCLE_TAP","features":[220]},{"name":"GESTURE_CLOSEUP","features":[220]},{"name":"GESTURE_CROSS","features":[220]},{"name":"GESTURE_CURLICUE","features":[220]},{"name":"GESTURE_DATA","features":[220]},{"name":"GESTURE_DIAGONAL_LEFTDOWN","features":[220]},{"name":"GESTURE_DIAGONAL_LEFTUP","features":[220]},{"name":"GESTURE_DIAGONAL_RIGHTDOWN","features":[220]},{"name":"GESTURE_DIAGONAL_RIGHTUP","features":[220]},{"name":"GESTURE_DIGIT_0","features":[220]},{"name":"GESTURE_DIGIT_1","features":[220]},{"name":"GESTURE_DIGIT_2","features":[220]},{"name":"GESTURE_DIGIT_3","features":[220]},{"name":"GESTURE_DIGIT_4","features":[220]},{"name":"GESTURE_DIGIT_5","features":[220]},{"name":"GESTURE_DIGIT_6","features":[220]},{"name":"GESTURE_DIGIT_7","features":[220]},{"name":"GESTURE_DIGIT_8","features":[220]},{"name":"GESTURE_DIGIT_9","features":[220]},{"name":"GESTURE_DOLLAR","features":[220]},{"name":"GESTURE_DOUBLE_ARROW_DOWN","features":[220]},{"name":"GESTURE_DOUBLE_ARROW_LEFT","features":[220]},{"name":"GESTURE_DOUBLE_ARROW_RIGHT","features":[220]},{"name":"GESTURE_DOUBLE_ARROW_UP","features":[220]},{"name":"GESTURE_DOUBLE_CIRCLE","features":[220]},{"name":"GESTURE_DOUBLE_CURLICUE","features":[220]},{"name":"GESTURE_DOUBLE_DOWN","features":[220]},{"name":"GESTURE_DOUBLE_LEFT","features":[220]},{"name":"GESTURE_DOUBLE_RIGHT","features":[220]},{"name":"GESTURE_DOUBLE_TAP","features":[220]},{"name":"GESTURE_DOUBLE_UP","features":[220]},{"name":"GESTURE_DOWN","features":[220]},{"name":"GESTURE_DOWN_ARROW_LEFT","features":[220]},{"name":"GESTURE_DOWN_ARROW_RIGHT","features":[220]},{"name":"GESTURE_DOWN_LEFT","features":[220]},{"name":"GESTURE_DOWN_LEFT_LONG","features":[220]},{"name":"GESTURE_DOWN_RIGHT","features":[220]},{"name":"GESTURE_DOWN_RIGHT_LONG","features":[220]},{"name":"GESTURE_DOWN_UP","features":[220]},{"name":"GESTURE_EXCLAMATION","features":[220]},{"name":"GESTURE_INFINITY","features":[220]},{"name":"GESTURE_LEFT","features":[220]},{"name":"GESTURE_LEFT_ARROW_DOWN","features":[220]},{"name":"GESTURE_LEFT_ARROW_UP","features":[220]},{"name":"GESTURE_LEFT_DOWN","features":[220]},{"name":"GESTURE_LEFT_RIGHT","features":[220]},{"name":"GESTURE_LEFT_UP","features":[220]},{"name":"GESTURE_LETTER_A","features":[220]},{"name":"GESTURE_LETTER_B","features":[220]},{"name":"GESTURE_LETTER_C","features":[220]},{"name":"GESTURE_LETTER_D","features":[220]},{"name":"GESTURE_LETTER_E","features":[220]},{"name":"GESTURE_LETTER_F","features":[220]},{"name":"GESTURE_LETTER_G","features":[220]},{"name":"GESTURE_LETTER_H","features":[220]},{"name":"GESTURE_LETTER_I","features":[220]},{"name":"GESTURE_LETTER_J","features":[220]},{"name":"GESTURE_LETTER_K","features":[220]},{"name":"GESTURE_LETTER_L","features":[220]},{"name":"GESTURE_LETTER_M","features":[220]},{"name":"GESTURE_LETTER_N","features":[220]},{"name":"GESTURE_LETTER_O","features":[220]},{"name":"GESTURE_LETTER_P","features":[220]},{"name":"GESTURE_LETTER_Q","features":[220]},{"name":"GESTURE_LETTER_R","features":[220]},{"name":"GESTURE_LETTER_S","features":[220]},{"name":"GESTURE_LETTER_T","features":[220]},{"name":"GESTURE_LETTER_U","features":[220]},{"name":"GESTURE_LETTER_V","features":[220]},{"name":"GESTURE_LETTER_W","features":[220]},{"name":"GESTURE_LETTER_X","features":[220]},{"name":"GESTURE_LETTER_Y","features":[220]},{"name":"GESTURE_LETTER_Z","features":[220]},{"name":"GESTURE_NULL","features":[220]},{"name":"GESTURE_OPENUP","features":[220]},{"name":"GESTURE_PARAGRAPH","features":[220]},{"name":"GESTURE_PLUS","features":[220]},{"name":"GESTURE_QUAD_TAP","features":[220]},{"name":"GESTURE_QUESTION","features":[220]},{"name":"GESTURE_RECTANGLE","features":[220]},{"name":"GESTURE_RIGHT","features":[220]},{"name":"GESTURE_RIGHT_ARROW_DOWN","features":[220]},{"name":"GESTURE_RIGHT_ARROW_UP","features":[220]},{"name":"GESTURE_RIGHT_DOWN","features":[220]},{"name":"GESTURE_RIGHT_LEFT","features":[220]},{"name":"GESTURE_RIGHT_UP","features":[220]},{"name":"GESTURE_SCRATCHOUT","features":[220]},{"name":"GESTURE_SECTION","features":[220]},{"name":"GESTURE_SEMICIRCLE_LEFT","features":[220]},{"name":"GESTURE_SEMICIRCLE_RIGHT","features":[220]},{"name":"GESTURE_SHARP","features":[220]},{"name":"GESTURE_SQUARE","features":[220]},{"name":"GESTURE_SQUIGGLE","features":[220]},{"name":"GESTURE_STAR","features":[220]},{"name":"GESTURE_SWAP","features":[220]},{"name":"GESTURE_TAP","features":[220]},{"name":"GESTURE_TRIANGLE","features":[220]},{"name":"GESTURE_TRIPLE_DOWN","features":[220]},{"name":"GESTURE_TRIPLE_LEFT","features":[220]},{"name":"GESTURE_TRIPLE_RIGHT","features":[220]},{"name":"GESTURE_TRIPLE_TAP","features":[220]},{"name":"GESTURE_TRIPLE_UP","features":[220]},{"name":"GESTURE_UP","features":[220]},{"name":"GESTURE_UP_ARROW_LEFT","features":[220]},{"name":"GESTURE_UP_ARROW_RIGHT","features":[220]},{"name":"GESTURE_UP_DOWN","features":[220]},{"name":"GESTURE_UP_LEFT","features":[220]},{"name":"GESTURE_UP_LEFT_LONG","features":[220]},{"name":"GESTURE_UP_RIGHT","features":[220]},{"name":"GESTURE_UP_RIGHT_LONG","features":[220]},{"name":"GET_DANDIDATE_FLAGS","features":[220]},{"name":"GUID_DYNAMIC_RENDERER_CACHED_DATA","features":[220]},{"name":"GUID_GESTURE_DATA","features":[220]},{"name":"GUID_PACKETPROPERTY_GUID_ALTITUDE_ORIENTATION","features":[220]},{"name":"GUID_PACKETPROPERTY_GUID_AZIMUTH_ORIENTATION","features":[220]},{"name":"GUID_PACKETPROPERTY_GUID_BUTTON_PRESSURE","features":[220]},{"name":"GUID_PACKETPROPERTY_GUID_DEVICE_CONTACT_ID","features":[220]},{"name":"GUID_PACKETPROPERTY_GUID_FINGERCONTACTCONFIDENCE","features":[220]},{"name":"GUID_PACKETPROPERTY_GUID_HEIGHT","features":[220]},{"name":"GUID_PACKETPROPERTY_GUID_NORMAL_PRESSURE","features":[220]},{"name":"GUID_PACKETPROPERTY_GUID_PACKET_STATUS","features":[220]},{"name":"GUID_PACKETPROPERTY_GUID_PITCH_ROTATION","features":[220]},{"name":"GUID_PACKETPROPERTY_GUID_ROLL_ROTATION","features":[220]},{"name":"GUID_PACKETPROPERTY_GUID_SERIAL_NUMBER","features":[220]},{"name":"GUID_PACKETPROPERTY_GUID_TANGENT_PRESSURE","features":[220]},{"name":"GUID_PACKETPROPERTY_GUID_TIMER_TICK","features":[220]},{"name":"GUID_PACKETPROPERTY_GUID_TWIST_ORIENTATION","features":[220]},{"name":"GUID_PACKETPROPERTY_GUID_WIDTH","features":[220]},{"name":"GUID_PACKETPROPERTY_GUID_X","features":[220]},{"name":"GUID_PACKETPROPERTY_GUID_X_TILT_ORIENTATION","features":[220]},{"name":"GUID_PACKETPROPERTY_GUID_Y","features":[220]},{"name":"GUID_PACKETPROPERTY_GUID_YAW_ROTATION","features":[220]},{"name":"GUID_PACKETPROPERTY_GUID_Y_TILT_ORIENTATION","features":[220]},{"name":"GUID_PACKETPROPERTY_GUID_Z","features":[220]},{"name":"GestureRecognizer","features":[220]},{"name":"GetAllRecognizers","features":[220]},{"name":"GetBestResultString","features":[220]},{"name":"GetLatticePtr","features":[220]},{"name":"GetLeftSeparator","features":[220]},{"name":"GetRecoAttributes","features":[220]},{"name":"GetResultPropertyList","features":[220]},{"name":"GetRightSeparator","features":[220]},{"name":"GetUnicodeRanges","features":[220]},{"name":"HRECOALT","features":[220]},{"name":"HRECOCONTEXT","features":[220]},{"name":"HRECOGNIZER","features":[220]},{"name":"HRECOLATTICE","features":[220]},{"name":"HRECOWORDLIST","features":[220]},{"name":"HandwrittenTextInsertion","features":[220]},{"name":"IAG_AllGestures","features":[220]},{"name":"IAG_ArrowDown","features":[220]},{"name":"IAG_ArrowLeft","features":[220]},{"name":"IAG_ArrowRight","features":[220]},{"name":"IAG_ArrowUp","features":[220]},{"name":"IAG_Check","features":[220]},{"name":"IAG_ChevronDown","features":[220]},{"name":"IAG_ChevronLeft","features":[220]},{"name":"IAG_ChevronRight","features":[220]},{"name":"IAG_ChevronUp","features":[220]},{"name":"IAG_Circle","features":[220]},{"name":"IAG_Curlicue","features":[220]},{"name":"IAG_DoubleCircle","features":[220]},{"name":"IAG_DoubleCurlicue","features":[220]},{"name":"IAG_DoubleTap","features":[220]},{"name":"IAG_Down","features":[220]},{"name":"IAG_DownLeft","features":[220]},{"name":"IAG_DownLeftLong","features":[220]},{"name":"IAG_DownRight","features":[220]},{"name":"IAG_DownRightLong","features":[220]},{"name":"IAG_DownUp","features":[220]},{"name":"IAG_Exclamation","features":[220]},{"name":"IAG_Left","features":[220]},{"name":"IAG_LeftDown","features":[220]},{"name":"IAG_LeftRight","features":[220]},{"name":"IAG_LeftUp","features":[220]},{"name":"IAG_NoGesture","features":[220]},{"name":"IAG_Right","features":[220]},{"name":"IAG_RightDown","features":[220]},{"name":"IAG_RightLeft","features":[220]},{"name":"IAG_RightUp","features":[220]},{"name":"IAG_Scratchout","features":[220]},{"name":"IAG_SemiCircleLeft","features":[220]},{"name":"IAG_SemiCircleRight","features":[220]},{"name":"IAG_Square","features":[220]},{"name":"IAG_Star","features":[220]},{"name":"IAG_Tap","features":[220]},{"name":"IAG_Triangle","features":[220]},{"name":"IAG_Up","features":[220]},{"name":"IAG_UpDown","features":[220]},{"name":"IAG_UpLeft","features":[220]},{"name":"IAG_UpLeftLong","features":[220]},{"name":"IAG_UpRight","features":[220]},{"name":"IAG_UpRightLong","features":[220]},{"name":"IBBM_CurveFit","features":[220]},{"name":"IBBM_Default","features":[220]},{"name":"IBBM_NoCurveFit","features":[220]},{"name":"IBBM_PointsOnly","features":[220]},{"name":"IBBM_Union","features":[220]},{"name":"ICBS_Down","features":[220]},{"name":"ICBS_Unavailable","features":[220]},{"name":"ICBS_Up","features":[220]},{"name":"ICB_Copy","features":[220]},{"name":"ICB_Cut","features":[220]},{"name":"ICB_Default","features":[220]},{"name":"ICB_DelayedCopy","features":[220]},{"name":"ICB_ExtractOnly","features":[220]},{"name":"ICEI_AllEvents","features":[220]},{"name":"ICEI_CursorButtonDown","features":[220]},{"name":"ICEI_CursorButtonUp","features":[220]},{"name":"ICEI_CursorDown","features":[220]},{"name":"ICEI_CursorInRange","features":[220]},{"name":"ICEI_CursorOutOfRange","features":[220]},{"name":"ICEI_DblClick","features":[220]},{"name":"ICEI_DefaultEvents","features":[220]},{"name":"ICEI_MouseDown","features":[220]},{"name":"ICEI_MouseMove","features":[220]},{"name":"ICEI_MouseUp","features":[220]},{"name":"ICEI_MouseWheel","features":[220]},{"name":"ICEI_NewInAirPackets","features":[220]},{"name":"ICEI_NewPackets","features":[220]},{"name":"ICEI_Stroke","features":[220]},{"name":"ICEI_SystemGesture","features":[220]},{"name":"ICEI_TabletAdded","features":[220]},{"name":"ICEI_TabletRemoved","features":[220]},{"name":"ICF_Bitmap","features":[220]},{"name":"ICF_CopyMask","features":[220]},{"name":"ICF_Default","features":[220]},{"name":"ICF_EnhancedMetafile","features":[220]},{"name":"ICF_InkSerializedFormat","features":[220]},{"name":"ICF_Metafile","features":[220]},{"name":"ICF_None","features":[220]},{"name":"ICF_PasteMask","features":[220]},{"name":"ICF_SketchInk","features":[220]},{"name":"ICF_TextInk","features":[220]},{"name":"ICM_GestureOnly","features":[220]},{"name":"ICM_InkAndGesture","features":[220]},{"name":"ICM_InkOnly","features":[220]},{"name":"IDM_Ink","features":[220]},{"name":"IDM_Text","features":[220]},{"name":"IDT_Drawing","features":[220]},{"name":"IDT_Line","features":[220]},{"name":"IDT_Paragraph","features":[220]},{"name":"IDT_Segment","features":[220]},{"name":"IDynamicRenderer","features":[220]},{"name":"IECN_GESTURE","features":[220]},{"name":"IECN_RECOGNITIONRESULT","features":[220]},{"name":"IECN_STROKE","features":[220]},{"name":"IECN__BASE","features":[220]},{"name":"IEC_GESTUREINFO","features":[1,41,42,40,220]},{"name":"IEC_RECOGNITIONRESULTINFO","features":[1,40,220]},{"name":"IEC_STROKEINFO","features":[1,40,220]},{"name":"IEC__BASE","features":[220]},{"name":"IEF_CopyFromOriginal","features":[220]},{"name":"IEF_Default","features":[220]},{"name":"IEF_RemoveFromOriginal","features":[220]},{"name":"IEM_Disabled","features":[220]},{"name":"IEM_Ink","features":[220]},{"name":"IEM_InkAndGesture","features":[220]},{"name":"IEM_InsertInk","features":[220]},{"name":"IEM_InsertText","features":[220]},{"name":"IES_Collecting","features":[220]},{"name":"IES_Idle","features":[220]},{"name":"IES_Recognizing","features":[220]},{"name":"IGestureRecognizer","features":[220]},{"name":"IHandwrittenTextInsertion","features":[220]},{"name":"IInk","features":[220]},{"name":"IInkCollector","features":[220]},{"name":"IInkCursor","features":[220]},{"name":"IInkCursorButton","features":[220]},{"name":"IInkCursorButtons","features":[220]},{"name":"IInkCursors","features":[220]},{"name":"IInkCustomStrokes","features":[220]},{"name":"IInkDisp","features":[220]},{"name":"IInkDivider","features":[220]},{"name":"IInkDivisionResult","features":[220]},{"name":"IInkDivisionUnit","features":[220]},{"name":"IInkDivisionUnits","features":[220]},{"name":"IInkDrawingAttributes","features":[220]},{"name":"IInkEdit","features":[220]},{"name":"IInkExtendedProperties","features":[220]},{"name":"IInkExtendedProperty","features":[220]},{"name":"IInkGesture","features":[220]},{"name":"IInkLineInfo","features":[220]},{"name":"IInkOverlay","features":[220]},{"name":"IInkPicture","features":[220]},{"name":"IInkRecognitionAlternate","features":[220]},{"name":"IInkRecognitionAlternates","features":[220]},{"name":"IInkRecognitionResult","features":[220]},{"name":"IInkRecognizer","features":[220]},{"name":"IInkRecognizer2","features":[220]},{"name":"IInkRecognizerContext","features":[220]},{"name":"IInkRecognizerContext2","features":[220]},{"name":"IInkRecognizerGuide","features":[220]},{"name":"IInkRecognizers","features":[220]},{"name":"IInkRectangle","features":[220]},{"name":"IInkRenderer","features":[220]},{"name":"IInkStrokeDisp","features":[220]},{"name":"IInkStrokes","features":[220]},{"name":"IInkTablet","features":[220]},{"name":"IInkTablet2","features":[220]},{"name":"IInkTablet3","features":[220]},{"name":"IInkTablets","features":[220]},{"name":"IInkTransform","features":[220]},{"name":"IInkWordList","features":[220]},{"name":"IInkWordList2","features":[220]},{"name":"IInputPanelWindowHandle","features":[220]},{"name":"IKM_Alt","features":[220]},{"name":"IKM_Control","features":[220]},{"name":"IKM_Shift","features":[220]},{"name":"IMF_BOLD","features":[220]},{"name":"IMF_FONT_SELECTED_IN_HDC","features":[220]},{"name":"IMF_ITALIC","features":[220]},{"name":"IMF_Left","features":[220]},{"name":"IMF_Middle","features":[220]},{"name":"IMF_Right","features":[220]},{"name":"IMP_Arrow","features":[220]},{"name":"IMP_ArrowHourglass","features":[220]},{"name":"IMP_ArrowQuestion","features":[220]},{"name":"IMP_Crosshair","features":[220]},{"name":"IMP_Custom","features":[220]},{"name":"IMP_Default","features":[220]},{"name":"IMP_Hand","features":[220]},{"name":"IMP_Hourglass","features":[220]},{"name":"IMP_Ibeam","features":[220]},{"name":"IMP_NoDrop","features":[220]},{"name":"IMP_SizeAll","features":[220]},{"name":"IMP_SizeNESW","features":[220]},{"name":"IMP_SizeNS","features":[220]},{"name":"IMP_SizeNWSE","features":[220]},{"name":"IMP_SizeWE","features":[220]},{"name":"IMP_UpArrow","features":[220]},{"name":"IMathInputControl","features":[220]},{"name":"INKEDIT_CLASS","features":[220]},{"name":"INKEDIT_CLASSW","features":[220]},{"name":"INKMETRIC","features":[1,220]},{"name":"INKRECOGNITIONPROPERTY_BOXNUMBER","features":[220]},{"name":"INKRECOGNITIONPROPERTY_CONFIDENCELEVEL","features":[220]},{"name":"INKRECOGNITIONPROPERTY_HOTPOINT","features":[220]},{"name":"INKRECOGNITIONPROPERTY_LINEMETRICS","features":[220]},{"name":"INKRECOGNITIONPROPERTY_LINENUMBER","features":[220]},{"name":"INKRECOGNITIONPROPERTY_MAXIMUMSTROKECOUNT","features":[220]},{"name":"INKRECOGNITIONPROPERTY_POINTSPERINCH","features":[220]},{"name":"INKRECOGNITIONPROPERTY_SEGMENTATION","features":[220]},{"name":"INK_METRIC_FLAGS","features":[220]},{"name":"INK_SERIALIZED_FORMAT","features":[220]},{"name":"IOAM_Behind","features":[220]},{"name":"IOAM_InFront","features":[220]},{"name":"IOEM_Delete","features":[220]},{"name":"IOEM_Ink","features":[220]},{"name":"IOEM_Select","features":[220]},{"name":"IOERM_PointErase","features":[220]},{"name":"IOERM_StrokeErase","features":[220]},{"name":"IPCM_Default","features":[220]},{"name":"IPCM_MaximumCompression","features":[220]},{"name":"IPCM_NoCompression","features":[220]},{"name":"IPF_Base64GIF","features":[220]},{"name":"IPF_Base64InkSerializedFormat","features":[220]},{"name":"IPF_GIF","features":[220]},{"name":"IPF_InkSerializedFormat","features":[220]},{"name":"IPSM_AutoSize","features":[220]},{"name":"IPSM_CenterImage","features":[220]},{"name":"IPSM_Normal","features":[220]},{"name":"IPSM_StretchImage","features":[220]},{"name":"IPT_Ball","features":[220]},{"name":"IPT_Rectangle","features":[220]},{"name":"IP_CURSOR_DOWN","features":[220]},{"name":"IP_INVERTED","features":[220]},{"name":"IP_MARGIN","features":[220]},{"name":"IPenInputPanel","features":[220]},{"name":"IRAS_All","features":[220]},{"name":"IRAS_DefaultCount","features":[220]},{"name":"IRAS_Start","features":[220]},{"name":"IRCACM_Full","features":[220]},{"name":"IRCACM_Prefix","features":[220]},{"name":"IRCACM_Random","features":[220]},{"name":"IRC_AdviseInkChange","features":[220]},{"name":"IRC_Alpha","features":[220]},{"name":"IRC_ArbitraryAngle","features":[220]},{"name":"IRC_Beta","features":[220]},{"name":"IRC_BoxedInput","features":[220]},{"name":"IRC_CharacterAutoCompletionInput","features":[220]},{"name":"IRC_Cursive","features":[220]},{"name":"IRC_DontCare","features":[220]},{"name":"IRC_DownAndLeft","features":[220]},{"name":"IRC_DownAndRight","features":[220]},{"name":"IRC_FreeInput","features":[220]},{"name":"IRC_Intermediate","features":[220]},{"name":"IRC_Lattice","features":[220]},{"name":"IRC_LeftAndDown","features":[220]},{"name":"IRC_LinedInput","features":[220]},{"name":"IRC_Object","features":[220]},{"name":"IRC_Personalizable","features":[220]},{"name":"IRC_Poor","features":[220]},{"name":"IRC_PrefersArbitraryAngle","features":[220]},{"name":"IRC_PrefersParagraphBreaking","features":[220]},{"name":"IRC_PrefersSegmentation","features":[220]},{"name":"IRC_RightAndDown","features":[220]},{"name":"IRC_StrokeReorder","features":[220]},{"name":"IRC_Strong","features":[220]},{"name":"IRC_TextPrediction","features":[220]},{"name":"IRM_AutoSpace","features":[220]},{"name":"IRM_Coerce","features":[220]},{"name":"IRM_DisablePersonalization","features":[220]},{"name":"IRM_LineMode","features":[220]},{"name":"IRM_Max","features":[220]},{"name":"IRM_None","features":[220]},{"name":"IRM_PrefixOk","features":[220]},{"name":"IRM_TopInkBreaksOnly","features":[220]},{"name":"IRM_WordModeOnly","features":[220]},{"name":"IRO_Black","features":[220]},{"name":"IRO_CopyPen","features":[220]},{"name":"IRO_MaskNotPen","features":[220]},{"name":"IRO_MaskPen","features":[220]},{"name":"IRO_MaskPenNot","features":[220]},{"name":"IRO_MergeNotPen","features":[220]},{"name":"IRO_MergePen","features":[220]},{"name":"IRO_MergePenNot","features":[220]},{"name":"IRO_NoOperation","features":[220]},{"name":"IRO_Not","features":[220]},{"name":"IRO_NotCopyPen","features":[220]},{"name":"IRO_NotMaskPen","features":[220]},{"name":"IRO_NotMergePen","features":[220]},{"name":"IRO_NotXOrPen","features":[220]},{"name":"IRO_White","features":[220]},{"name":"IRO_XOrPen","features":[220]},{"name":"IRS_InkAddedFailed","features":[220]},{"name":"IRS_Interrupted","features":[220]},{"name":"IRS_NoError","features":[220]},{"name":"IRS_ProcessFailed","features":[220]},{"name":"IRS_SetAutoCompletionModeFailed","features":[220]},{"name":"IRS_SetFactoidFailed","features":[220]},{"name":"IRS_SetFlagsFailed","features":[220]},{"name":"IRS_SetGuideFailed","features":[220]},{"name":"IRS_SetPrefixSuffixFailed","features":[220]},{"name":"IRS_SetStrokesFailed","features":[220]},{"name":"IRS_SetWordListFailed","features":[220]},{"name":"IRealTimeStylus","features":[220]},{"name":"IRealTimeStylus2","features":[220]},{"name":"IRealTimeStylus3","features":[220]},{"name":"IRealTimeStylusSynchronization","features":[220]},{"name":"ISC_AllElements","features":[220]},{"name":"ISC_FirstElement","features":[220]},{"name":"ISG_DoubleTap","features":[220]},{"name":"ISG_Drag","features":[220]},{"name":"ISG_Flick","features":[220]},{"name":"ISG_HoldEnter","features":[220]},{"name":"ISG_HoldLeave","features":[220]},{"name":"ISG_HoverEnter","features":[220]},{"name":"ISG_HoverLeave","features":[220]},{"name":"ISG_RightDrag","features":[220]},{"name":"ISG_RightTap","features":[220]},{"name":"ISG_Tap","features":[220]},{"name":"ISketchInk","features":[220]},{"name":"IStrokeBuilder","features":[220]},{"name":"IStylusAsyncPlugin","features":[220]},{"name":"IStylusPlugin","features":[220]},{"name":"IStylusSyncPlugin","features":[220]},{"name":"ITextInputPanel","features":[220]},{"name":"ITextInputPanelEventSink","features":[220]},{"name":"ITextInputPanelRunInfo","features":[220]},{"name":"ITipAutoCompleteClient","features":[220]},{"name":"ITipAutoCompleteProvider","features":[220]},{"name":"InPlace","features":[220]},{"name":"InPlaceDirection","features":[220]},{"name":"InPlaceDirection_Auto","features":[220]},{"name":"InPlaceDirection_Bottom","features":[220]},{"name":"InPlaceDirection_Top","features":[220]},{"name":"InPlaceState","features":[220]},{"name":"InPlaceState_Auto","features":[220]},{"name":"InPlaceState_Expanded","features":[220]},{"name":"InPlaceState_HoverTarget","features":[220]},{"name":"Ink","features":[220]},{"name":"InkApplicationGesture","features":[220]},{"name":"InkBoundingBoxMode","features":[220]},{"name":"InkClipboardFormats","features":[220]},{"name":"InkClipboardModes","features":[220]},{"name":"InkCollectionMode","features":[220]},{"name":"InkCollector","features":[220]},{"name":"InkCollectorClipInkToMargin","features":[220]},{"name":"InkCollectorDefaultMargin","features":[220]},{"name":"InkCollectorEventInterest","features":[220]},{"name":"InkCursorButtonState","features":[220]},{"name":"InkDisp","features":[220]},{"name":"InkDisplayMode","features":[220]},{"name":"InkDivider","features":[220]},{"name":"InkDivisionType","features":[220]},{"name":"InkDrawingAttributes","features":[220]},{"name":"InkEdit","features":[220]},{"name":"InkEditStatus","features":[220]},{"name":"InkExtractFlags","features":[220]},{"name":"InkInsertMode","features":[220]},{"name":"InkMaxTransparencyValue","features":[220]},{"name":"InkMinTransparencyValue","features":[220]},{"name":"InkMode","features":[220]},{"name":"InkMouseButton","features":[220]},{"name":"InkMousePointer","features":[220]},{"name":"InkOverlay","features":[220]},{"name":"InkOverlayAttachMode","features":[220]},{"name":"InkOverlayEditingMode","features":[220]},{"name":"InkOverlayEraserMode","features":[220]},{"name":"InkPenTip","features":[220]},{"name":"InkPersistenceCompressionMode","features":[220]},{"name":"InkPersistenceFormat","features":[220]},{"name":"InkPicture","features":[220]},{"name":"InkPictureSizeMode","features":[220]},{"name":"InkRasterOperation","features":[220]},{"name":"InkRecoGuide","features":[1,220]},{"name":"InkRecognitionAlternatesSelection","features":[220]},{"name":"InkRecognitionConfidence","features":[220]},{"name":"InkRecognitionModes","features":[220]},{"name":"InkRecognitionStatus","features":[220]},{"name":"InkRecognizerCapabilities","features":[220]},{"name":"InkRecognizerCharacterAutoCompletionMode","features":[220]},{"name":"InkRecognizerContext","features":[220]},{"name":"InkRecognizerGuide","features":[220]},{"name":"InkRecognizers","features":[220]},{"name":"InkRectangle","features":[220]},{"name":"InkRenderer","features":[220]},{"name":"InkSelectionConstants","features":[220]},{"name":"InkShiftKeyModifierFlags","features":[220]},{"name":"InkStrokes","features":[220]},{"name":"InkSystemGesture","features":[220]},{"name":"InkTablets","features":[220]},{"name":"InkTransform","features":[220]},{"name":"InkWordList","features":[220]},{"name":"InteractionMode","features":[220]},{"name":"InteractionMode_DockedBottom","features":[220]},{"name":"InteractionMode_DockedTop","features":[220]},{"name":"InteractionMode_Floating","features":[220]},{"name":"InteractionMode_InPlace","features":[220]},{"name":"IsStringSupported","features":[220]},{"name":"KEYMODIFIER","features":[220]},{"name":"KEYMODIFIER_ALTGR","features":[220]},{"name":"KEYMODIFIER_CONTROL","features":[220]},{"name":"KEYMODIFIER_EXT","features":[220]},{"name":"KEYMODIFIER_MENU","features":[220]},{"name":"KEYMODIFIER_SHIFT","features":[220]},{"name":"KEYMODIFIER_WIN","features":[220]},{"name":"LATTICE_METRICS","features":[1,220]},{"name":"LEFT_BUTTON","features":[220]},{"name":"LINE_METRICS","features":[220]},{"name":"LINE_SEGMENT","features":[1,220]},{"name":"LM_ASCENDER","features":[220]},{"name":"LM_BASELINE","features":[220]},{"name":"LM_DESCENDER","features":[220]},{"name":"LM_MIDLINE","features":[220]},{"name":"LoadCachedAttributes","features":[220]},{"name":"MAX_FRIENDLYNAME","features":[220]},{"name":"MAX_LANGUAGES","features":[220]},{"name":"MAX_PACKET_BUTTON_COUNT","features":[220]},{"name":"MAX_PACKET_PROPERTY_COUNT","features":[220]},{"name":"MAX_VENDORNAME","features":[220]},{"name":"MICROSOFT_PENINPUT_PANEL_PROPERTY_T","features":[220]},{"name":"MICROSOFT_TIP_COMBOBOXLIST_PROPERTY","features":[220]},{"name":"MICROSOFT_TIP_NO_INSERT_BUTTON_PROPERTY","features":[220]},{"name":"MICROSOFT_TIP_OPENING_MSG","features":[220]},{"name":"MICROSOFT_URL_EXPERIENCE_PROPERTY","features":[220]},{"name":"MICUIELEMENT","features":[220]},{"name":"MICUIELEMENTSTATE","features":[220]},{"name":"MICUIELEMENTSTATE_DISABLED","features":[220]},{"name":"MICUIELEMENTSTATE_HOT","features":[220]},{"name":"MICUIELEMENTSTATE_NORMAL","features":[220]},{"name":"MICUIELEMENTSTATE_PRESSED","features":[220]},{"name":"MICUIELEMENT_BUTTON_CANCEL","features":[220]},{"name":"MICUIELEMENT_BUTTON_CLEAR","features":[220]},{"name":"MICUIELEMENT_BUTTON_CORRECT","features":[220]},{"name":"MICUIELEMENT_BUTTON_ERASE","features":[220]},{"name":"MICUIELEMENT_BUTTON_INSERT","features":[220]},{"name":"MICUIELEMENT_BUTTON_REDO","features":[220]},{"name":"MICUIELEMENT_BUTTON_UNDO","features":[220]},{"name":"MICUIELEMENT_BUTTON_WRITE","features":[220]},{"name":"MICUIELEMENT_INKPANEL_BACKGROUND","features":[220]},{"name":"MICUIELEMENT_RESULTPANEL_BACKGROUND","features":[220]},{"name":"MIDDLE_BUTTON","features":[220]},{"name":"MakeWordList","features":[220]},{"name":"MathInputControl","features":[220]},{"name":"MouseButton","features":[220]},{"name":"NO_BUTTON","features":[220]},{"name":"NUM_FLICK_DIRECTIONS","features":[220]},{"name":"PACKET_DESCRIPTION","features":[220]},{"name":"PACKET_PROPERTY","features":[220]},{"name":"PROPERTY_METRICS","features":[220]},{"name":"PROPERTY_UNITS","features":[220]},{"name":"PROPERTY_UNITS_AMPERE","features":[220]},{"name":"PROPERTY_UNITS_CANDELA","features":[220]},{"name":"PROPERTY_UNITS_CENTIMETERS","features":[220]},{"name":"PROPERTY_UNITS_DEFAULT","features":[220]},{"name":"PROPERTY_UNITS_DEGREES","features":[220]},{"name":"PROPERTY_UNITS_ENGLINEAR","features":[220]},{"name":"PROPERTY_UNITS_ENGROTATION","features":[220]},{"name":"PROPERTY_UNITS_FAHRENHEIT","features":[220]},{"name":"PROPERTY_UNITS_GRAMS","features":[220]},{"name":"PROPERTY_UNITS_INCHES","features":[220]},{"name":"PROPERTY_UNITS_KELVIN","features":[220]},{"name":"PROPERTY_UNITS_POUNDS","features":[220]},{"name":"PROPERTY_UNITS_RADIANS","features":[220]},{"name":"PROPERTY_UNITS_SECONDS","features":[220]},{"name":"PROPERTY_UNITS_SILINEAR","features":[220]},{"name":"PROPERTY_UNITS_SIROTATION","features":[220]},{"name":"PROPERTY_UNITS_SLUGS","features":[220]},{"name":"PT_Default","features":[220]},{"name":"PT_Handwriting","features":[220]},{"name":"PT_Inactive","features":[220]},{"name":"PT_Keyboard","features":[220]},{"name":"PanelInputArea","features":[220]},{"name":"PanelInputArea_Auto","features":[220]},{"name":"PanelInputArea_CharacterPad","features":[220]},{"name":"PanelInputArea_Keyboard","features":[220]},{"name":"PanelInputArea_WritingPad","features":[220]},{"name":"PanelType","features":[220]},{"name":"PenInputPanel","features":[220]},{"name":"PenInputPanel_Internal","features":[220]},{"name":"PfnRecoCallback","features":[220]},{"name":"Process","features":[1,220]},{"name":"RECOCONF_HIGHCONFIDENCE","features":[220]},{"name":"RECOCONF_LOWCONFIDENCE","features":[220]},{"name":"RECOCONF_MEDIUMCONFIDENCE","features":[220]},{"name":"RECOCONF_NOTSET","features":[220]},{"name":"RECOFLAG_AUTOSPACE","features":[220]},{"name":"RECOFLAG_COERCE","features":[220]},{"name":"RECOFLAG_DISABLEPERSONALIZATION","features":[220]},{"name":"RECOFLAG_LINEMODE","features":[220]},{"name":"RECOFLAG_PREFIXOK","features":[220]},{"name":"RECOFLAG_SINGLESEG","features":[220]},{"name":"RECOFLAG_WORDMODE","features":[220]},{"name":"RECO_ATTRS","features":[220]},{"name":"RECO_GUIDE","features":[220]},{"name":"RECO_LATTICE","features":[220]},{"name":"RECO_LATTICE_COLUMN","features":[220]},{"name":"RECO_LATTICE_ELEMENT","features":[220]},{"name":"RECO_LATTICE_PROPERTIES","features":[220]},{"name":"RECO_LATTICE_PROPERTY","features":[220]},{"name":"RECO_RANGE","features":[220]},{"name":"RECO_TYPE","features":[220]},{"name":"RECO_TYPE_WCHAR","features":[220]},{"name":"RECO_TYPE_WSTRING","features":[220]},{"name":"RF_ADVISEINKCHANGE","features":[220]},{"name":"RF_ARBITRARY_ANGLE","features":[220]},{"name":"RF_BOXED_INPUT","features":[220]},{"name":"RF_CAC_INPUT","features":[220]},{"name":"RF_DONTCARE","features":[220]},{"name":"RF_DOWN_AND_LEFT","features":[220]},{"name":"RF_DOWN_AND_RIGHT","features":[220]},{"name":"RF_FREE_INPUT","features":[220]},{"name":"RF_LATTICE","features":[220]},{"name":"RF_LEFT_AND_DOWN","features":[220]},{"name":"RF_LINED_INPUT","features":[220]},{"name":"RF_OBJECT","features":[220]},{"name":"RF_PERFORMSLINEBREAKING","features":[220]},{"name":"RF_PERSONALIZABLE","features":[220]},{"name":"RF_REQUIRESSEGMENTATIONBREAKING","features":[220]},{"name":"RF_RIGHT_AND_DOWN","features":[220]},{"name":"RF_STROKEREORDER","features":[220]},{"name":"RIGHT_BUTTON","features":[220]},{"name":"RTSDI_AllData","features":[220]},{"name":"RTSDI_CustomStylusDataAdded","features":[220]},{"name":"RTSDI_DefaultEvents","features":[220]},{"name":"RTSDI_Error","features":[220]},{"name":"RTSDI_InAirPackets","features":[220]},{"name":"RTSDI_None","features":[220]},{"name":"RTSDI_Packets","features":[220]},{"name":"RTSDI_RealTimeStylusDisabled","features":[220]},{"name":"RTSDI_RealTimeStylusEnabled","features":[220]},{"name":"RTSDI_StylusButtonDown","features":[220]},{"name":"RTSDI_StylusButtonUp","features":[220]},{"name":"RTSDI_StylusDown","features":[220]},{"name":"RTSDI_StylusInRange","features":[220]},{"name":"RTSDI_StylusNew","features":[220]},{"name":"RTSDI_StylusOutOfRange","features":[220]},{"name":"RTSDI_StylusUp","features":[220]},{"name":"RTSDI_SystemEvents","features":[220]},{"name":"RTSDI_TabletAdded","features":[220]},{"name":"RTSDI_TabletRemoved","features":[220]},{"name":"RTSDI_UpdateMapping","features":[220]},{"name":"RTSLT_AsyncEventLock","features":[220]},{"name":"RTSLT_AsyncObjLock","features":[220]},{"name":"RTSLT_ExcludeCallback","features":[220]},{"name":"RTSLT_ObjLock","features":[220]},{"name":"RTSLT_SyncEventLock","features":[220]},{"name":"RTSLT_SyncObjLock","features":[220]},{"name":"RealTimeStylus","features":[220]},{"name":"RealTimeStylusDataInterest","features":[220]},{"name":"RealTimeStylusLockType","features":[220]},{"name":"SAFE_PARTIAL","features":[220]},{"name":"SCROLLDIRECTION","features":[220]},{"name":"SCROLLDIRECTION_DOWN","features":[220]},{"name":"SCROLLDIRECTION_UP","features":[220]},{"name":"SHR_E","features":[220]},{"name":"SHR_N","features":[220]},{"name":"SHR_NE","features":[220]},{"name":"SHR_NW","features":[220]},{"name":"SHR_None","features":[220]},{"name":"SHR_S","features":[220]},{"name":"SHR_SE","features":[220]},{"name":"SHR_SW","features":[220]},{"name":"SHR_Selection","features":[220]},{"name":"SHR_W","features":[220]},{"name":"STROKE_RANGE","features":[220]},{"name":"STR_GUID_ALTITUDEORIENTATION","features":[220]},{"name":"STR_GUID_AZIMUTHORIENTATION","features":[220]},{"name":"STR_GUID_BUTTONPRESSURE","features":[220]},{"name":"STR_GUID_DEVICE_CONTACT_ID","features":[220]},{"name":"STR_GUID_FINGERCONTACTCONFIDENCE","features":[220]},{"name":"STR_GUID_HEIGHT","features":[220]},{"name":"STR_GUID_NORMALPRESSURE","features":[220]},{"name":"STR_GUID_PAKETSTATUS","features":[220]},{"name":"STR_GUID_PITCHROTATION","features":[220]},{"name":"STR_GUID_ROLLROTATION","features":[220]},{"name":"STR_GUID_SERIALNUMBER","features":[220]},{"name":"STR_GUID_TANGENTPRESSURE","features":[220]},{"name":"STR_GUID_TIMERTICK","features":[220]},{"name":"STR_GUID_TWISTORIENTATION","features":[220]},{"name":"STR_GUID_WIDTH","features":[220]},{"name":"STR_GUID_X","features":[220]},{"name":"STR_GUID_XTILTORIENTATION","features":[220]},{"name":"STR_GUID_Y","features":[220]},{"name":"STR_GUID_YAWROTATION","features":[220]},{"name":"STR_GUID_YTILTORIENTATION","features":[220]},{"name":"STR_GUID_Z","features":[220]},{"name":"SYSTEM_EVENT_DATA","features":[220]},{"name":"ScrollBarsConstants","features":[220]},{"name":"SelAlignmentConstants","features":[220]},{"name":"SelectionHitResult","features":[220]},{"name":"SetEnabledUnicodeRanges","features":[220]},{"name":"SetFactoid","features":[220]},{"name":"SetFlags","features":[220]},{"name":"SetGuide","features":[220]},{"name":"SetTextContext","features":[220]},{"name":"SetWordList","features":[220]},{"name":"SketchInk","features":[220]},{"name":"StrokeBuilder","features":[220]},{"name":"StylusInfo","features":[1,220]},{"name":"StylusQueue","features":[220]},{"name":"SyncStylusQueue","features":[220]},{"name":"TABLET_DISABLE_FLICKFALLBACKKEYS","features":[220]},{"name":"TABLET_DISABLE_FLICKS","features":[220]},{"name":"TABLET_DISABLE_PENBARRELFEEDBACK","features":[220]},{"name":"TABLET_DISABLE_PENTAPFEEDBACK","features":[220]},{"name":"TABLET_DISABLE_PRESSANDHOLD","features":[220]},{"name":"TABLET_DISABLE_SMOOTHSCROLLING","features":[220]},{"name":"TABLET_DISABLE_TOUCHSWITCH","features":[220]},{"name":"TABLET_DISABLE_TOUCHUIFORCEOFF","features":[220]},{"name":"TABLET_DISABLE_TOUCHUIFORCEON","features":[220]},{"name":"TABLET_ENABLE_FLICKLEARNINGMODE","features":[220]},{"name":"TABLET_ENABLE_FLICKSONCONTEXT","features":[220]},{"name":"TABLET_ENABLE_MULTITOUCHDATA","features":[220]},{"name":"TCF_ALLOW_RECOGNITION","features":[220]},{"name":"TCF_FORCE_RECOGNITION","features":[220]},{"name":"TDK_Mouse","features":[220]},{"name":"TDK_Pen","features":[220]},{"name":"TDK_Touch","features":[220]},{"name":"THWC_CursorMustTouch","features":[220]},{"name":"THWC_CursorsHavePhysicalIds","features":[220]},{"name":"THWC_HardProximity","features":[220]},{"name":"THWC_Integrated","features":[220]},{"name":"TPMU_Centimeters","features":[220]},{"name":"TPMU_Default","features":[220]},{"name":"TPMU_Degrees","features":[220]},{"name":"TPMU_Grams","features":[220]},{"name":"TPMU_Inches","features":[220]},{"name":"TPMU_Pounds","features":[220]},{"name":"TPMU_Radians","features":[220]},{"name":"TPMU_Seconds","features":[220]},{"name":"TabletDeviceKind","features":[220]},{"name":"TabletHardwareCapabilities","features":[220]},{"name":"TabletPropertyMetricUnit","features":[220]},{"name":"TextInputPanel","features":[220]},{"name":"TipAutoCompleteClient","features":[220]},{"name":"VisualState","features":[220]},{"name":"WM_TABLET_ADDED","features":[220]},{"name":"WM_TABLET_DEFBASE","features":[220]},{"name":"WM_TABLET_DELETED","features":[220]},{"name":"WM_TABLET_FLICK","features":[220]},{"name":"WM_TABLET_MAXOFFSET","features":[220]},{"name":"WM_TABLET_QUERYSYSTEMGESTURESTATUS","features":[220]},{"name":"_IInkCollectorEvents","features":[220]},{"name":"_IInkEditEvents","features":[220]},{"name":"_IInkEvents","features":[220]},{"name":"_IInkOverlayEvents","features":[220]},{"name":"_IInkPictureEvents","features":[220]},{"name":"_IInkRecognitionEvents","features":[220]},{"name":"_IInkStrokesEvents","features":[220]},{"name":"_IMathInputControlEvents","features":[220]},{"name":"_IPenInputPanelEvents","features":[220]},{"name":"rtfBoth","features":[220]},{"name":"rtfCenter","features":[220]},{"name":"rtfFixedSingle","features":[220]},{"name":"rtfFlat","features":[220]},{"name":"rtfHorizontal","features":[220]},{"name":"rtfLeft","features":[220]},{"name":"rtfNoBorder","features":[220]},{"name":"rtfNone","features":[220]},{"name":"rtfRight","features":[220]},{"name":"rtfThreeD","features":[220]},{"name":"rtfVertical","features":[220]}],"671":[{"name":"ANCHOR_CHANGE_HISTORY_FLAGS","features":[213]},{"name":"AccClientDocMgr","features":[213]},{"name":"AccDictionary","features":[213]},{"name":"AccServerDocMgr","features":[213]},{"name":"AccStore","features":[213]},{"name":"CAND_CANCELED","features":[213]},{"name":"CAND_FINALIZED","features":[213]},{"name":"CAND_SELECTED","features":[213]},{"name":"CLSID_TF_CategoryMgr","features":[213]},{"name":"CLSID_TF_ClassicLangBar","features":[213]},{"name":"CLSID_TF_DisplayAttributeMgr","features":[213]},{"name":"CLSID_TF_InputProcessorProfiles","features":[213]},{"name":"CLSID_TF_LangBarItemMgr","features":[213]},{"name":"CLSID_TF_LangBarMgr","features":[213]},{"name":"CLSID_TF_ThreadMgr","features":[213]},{"name":"CLSID_TF_TransitoryExtensionUIEntry","features":[213]},{"name":"CLSID_TsfServices","features":[213]},{"name":"DCM_FLAGS_CTFMON","features":[213]},{"name":"DCM_FLAGS_LOCALTHREADTSF","features":[213]},{"name":"DCM_FLAGS_TASKENG","features":[213]},{"name":"DoMsCtfMonitor","features":[1,213]},{"name":"DocWrap","features":[213]},{"name":"GETIF_DICTGRAM","features":[213]},{"name":"GETIF_RECOCONTEXT","features":[213]},{"name":"GETIF_RECOGNIZER","features":[213]},{"name":"GETIF_RECOGNIZERNOINIT","features":[213]},{"name":"GETIF_RESMGR","features":[213]},{"name":"GETIF_VOICE","features":[213]},{"name":"GET_TEXT_AND_PROPERTY_UPDATES_FLAGS","features":[213]},{"name":"GUID_APP_FUNCTIONPROVIDER","features":[213]},{"name":"GUID_COMPARTMENT_CONVERSIONMODEBIAS","features":[213]},{"name":"GUID_COMPARTMENT_EMPTYCONTEXT","features":[213]},{"name":"GUID_COMPARTMENT_ENABLED_PROFILES_UPDATED","features":[213]},{"name":"GUID_COMPARTMENT_HANDWRITING_OPENCLOSE","features":[213]},{"name":"GUID_COMPARTMENT_KEYBOARD_DISABLED","features":[213]},{"name":"GUID_COMPARTMENT_KEYBOARD_INPUTMODE","features":[213]},{"name":"GUID_COMPARTMENT_KEYBOARD_INPUTMODE_CONVERSION","features":[213]},{"name":"GUID_COMPARTMENT_KEYBOARD_INPUTMODE_SENTENCE","features":[213]},{"name":"GUID_COMPARTMENT_KEYBOARD_OPENCLOSE","features":[213]},{"name":"GUID_COMPARTMENT_SAPI_AUDIO","features":[213]},{"name":"GUID_COMPARTMENT_SPEECH_CFGMENU","features":[213]},{"name":"GUID_COMPARTMENT_SPEECH_DISABLED","features":[213]},{"name":"GUID_COMPARTMENT_SPEECH_GLOBALSTATE","features":[213]},{"name":"GUID_COMPARTMENT_SPEECH_OPENCLOSE","features":[213]},{"name":"GUID_COMPARTMENT_SPEECH_UI_STATUS","features":[213]},{"name":"GUID_COMPARTMENT_TIPUISTATUS","features":[213]},{"name":"GUID_COMPARTMENT_TRANSITORYEXTENSION","features":[213]},{"name":"GUID_COMPARTMENT_TRANSITORYEXTENSION_DOCUMENTMANAGER","features":[213]},{"name":"GUID_COMPARTMENT_TRANSITORYEXTENSION_PARENT","features":[213]},{"name":"GUID_INTEGRATIONSTYLE_SEARCHBOX","features":[213]},{"name":"GUID_LBI_INPUTMODE","features":[213]},{"name":"GUID_LBI_SAPILAYR_CFGMENUBUTTON","features":[213]},{"name":"GUID_MODEBIAS_CHINESE","features":[213]},{"name":"GUID_MODEBIAS_CONVERSATION","features":[213]},{"name":"GUID_MODEBIAS_DATETIME","features":[213]},{"name":"GUID_MODEBIAS_FILENAME","features":[213]},{"name":"GUID_MODEBIAS_FULLWIDTHALPHANUMERIC","features":[213]},{"name":"GUID_MODEBIAS_FULLWIDTHHANGUL","features":[213]},{"name":"GUID_MODEBIAS_HALFWIDTHKATAKANA","features":[213]},{"name":"GUID_MODEBIAS_HANGUL","features":[213]},{"name":"GUID_MODEBIAS_HIRAGANA","features":[213]},{"name":"GUID_MODEBIAS_KATAKANA","features":[213]},{"name":"GUID_MODEBIAS_NAME","features":[213]},{"name":"GUID_MODEBIAS_NONE","features":[213]},{"name":"GUID_MODEBIAS_NUMERIC","features":[213]},{"name":"GUID_MODEBIAS_READING","features":[213]},{"name":"GUID_MODEBIAS_URLHISTORY","features":[213]},{"name":"GUID_PROP_ATTRIBUTE","features":[213]},{"name":"GUID_PROP_COMPOSING","features":[213]},{"name":"GUID_PROP_INPUTSCOPE","features":[213]},{"name":"GUID_PROP_LANGID","features":[213]},{"name":"GUID_PROP_MODEBIAS","features":[213]},{"name":"GUID_PROP_READING","features":[213]},{"name":"GUID_PROP_TEXTOWNER","features":[213]},{"name":"GUID_PROP_TKB_ALTERNATES","features":[213]},{"name":"GUID_SYSTEM_FUNCTIONPROVIDER","features":[213]},{"name":"GUID_TFCAT_CATEGORY_OF_TIP","features":[213]},{"name":"GUID_TFCAT_DISPLAYATTRIBUTEPROPERTY","features":[213]},{"name":"GUID_TFCAT_DISPLAYATTRIBUTEPROVIDER","features":[213]},{"name":"GUID_TFCAT_PROPSTYLE_STATIC","features":[213]},{"name":"GUID_TFCAT_PROP_AUDIODATA","features":[213]},{"name":"GUID_TFCAT_PROP_INKDATA","features":[213]},{"name":"GUID_TFCAT_TIPCAP_COMLESS","features":[213]},{"name":"GUID_TFCAT_TIPCAP_DUALMODE","features":[213]},{"name":"GUID_TFCAT_TIPCAP_IMMERSIVEONLY","features":[213]},{"name":"GUID_TFCAT_TIPCAP_IMMERSIVESUPPORT","features":[213]},{"name":"GUID_TFCAT_TIPCAP_INPUTMODECOMPARTMENT","features":[213]},{"name":"GUID_TFCAT_TIPCAP_LOCALSERVER","features":[213]},{"name":"GUID_TFCAT_TIPCAP_SECUREMODE","features":[213]},{"name":"GUID_TFCAT_TIPCAP_SYSTRAYSUPPORT","features":[213]},{"name":"GUID_TFCAT_TIPCAP_TSF3","features":[213]},{"name":"GUID_TFCAT_TIPCAP_UIELEMENTENABLED","features":[213]},{"name":"GUID_TFCAT_TIPCAP_WOW16","features":[213]},{"name":"GUID_TFCAT_TIP_HANDWRITING","features":[213]},{"name":"GUID_TFCAT_TIP_KEYBOARD","features":[213]},{"name":"GUID_TFCAT_TIP_SPEECH","features":[213]},{"name":"GUID_TFCAT_TRANSITORYEXTENSIONUI","features":[213]},{"name":"GUID_TS_SERVICE_ACCESSIBLE","features":[213]},{"name":"GUID_TS_SERVICE_ACTIVEX","features":[213]},{"name":"GUID_TS_SERVICE_DATAOBJECT","features":[213]},{"name":"GXFPF_NEAREST","features":[213]},{"name":"GXFPF_ROUND_NEAREST","features":[213]},{"name":"HKL","features":[213]},{"name":"IAccClientDocMgr","features":[213]},{"name":"IAccDictionary","features":[213]},{"name":"IAccServerDocMgr","features":[213]},{"name":"IAccStore","features":[213]},{"name":"IAnchor","features":[213]},{"name":"IClonableWrapper","features":[213]},{"name":"ICoCreateLocally","features":[213]},{"name":"ICoCreatedLocally","features":[213]},{"name":"IDocWrap","features":[213]},{"name":"IEnumITfCompositionView","features":[213]},{"name":"IEnumSpeechCommands","features":[213]},{"name":"IEnumTfCandidates","features":[213]},{"name":"IEnumTfContextViews","features":[213]},{"name":"IEnumTfContexts","features":[213]},{"name":"IEnumTfDisplayAttributeInfo","features":[213]},{"name":"IEnumTfDocumentMgrs","features":[213]},{"name":"IEnumTfFunctionProviders","features":[213]},{"name":"IEnumTfInputProcessorProfiles","features":[213]},{"name":"IEnumTfLangBarItems","features":[213]},{"name":"IEnumTfLanguageProfiles","features":[213]},{"name":"IEnumTfLatticeElements","features":[213]},{"name":"IEnumTfProperties","features":[213]},{"name":"IEnumTfPropertyValue","features":[213]},{"name":"IEnumTfRanges","features":[213]},{"name":"IEnumTfUIElements","features":[213]},{"name":"IInternalDocWrap","features":[213]},{"name":"ILMCM_CHECKLAYOUTANDTIPENABLED","features":[213]},{"name":"ILMCM_LANGUAGEBAROFF","features":[213]},{"name":"INSERT_TEXT_AT_SELECTION_FLAGS","features":[213]},{"name":"IS_ADDRESS_CITY","features":[213]},{"name":"IS_ADDRESS_COUNTRYNAME","features":[213]},{"name":"IS_ADDRESS_COUNTRYSHORTNAME","features":[213]},{"name":"IS_ADDRESS_FULLPOSTALADDRESS","features":[213]},{"name":"IS_ADDRESS_POSTALCODE","features":[213]},{"name":"IS_ADDRESS_STATEORPROVINCE","features":[213]},{"name":"IS_ADDRESS_STREET","features":[213]},{"name":"IS_ALPHANUMERIC_FULLWIDTH","features":[213]},{"name":"IS_ALPHANUMERIC_HALFWIDTH","features":[213]},{"name":"IS_ALPHANUMERIC_PIN","features":[213]},{"name":"IS_ALPHANUMERIC_PIN_SET","features":[213]},{"name":"IS_BOPOMOFO","features":[213]},{"name":"IS_CHAT","features":[213]},{"name":"IS_CHAT_WITHOUT_EMOJI","features":[213]},{"name":"IS_CHINESE_FULLWIDTH","features":[213]},{"name":"IS_CHINESE_HALFWIDTH","features":[213]},{"name":"IS_CURRENCY_AMOUNT","features":[213]},{"name":"IS_CURRENCY_AMOUNTANDSYMBOL","features":[213]},{"name":"IS_CURRENCY_CHINESE","features":[213]},{"name":"IS_DATE_DAY","features":[213]},{"name":"IS_DATE_DAYNAME","features":[213]},{"name":"IS_DATE_FULLDATE","features":[213]},{"name":"IS_DATE_MONTH","features":[213]},{"name":"IS_DATE_MONTHNAME","features":[213]},{"name":"IS_DATE_YEAR","features":[213]},{"name":"IS_DEFAULT","features":[213]},{"name":"IS_DIGITS","features":[213]},{"name":"IS_EMAILNAME_OR_ADDRESS","features":[213]},{"name":"IS_EMAIL_SMTPEMAILADDRESS","features":[213]},{"name":"IS_EMAIL_USERNAME","features":[213]},{"name":"IS_ENUMSTRING","features":[213]},{"name":"IS_FILE_FILENAME","features":[213]},{"name":"IS_FILE_FULLFILEPATH","features":[213]},{"name":"IS_FORMULA","features":[213]},{"name":"IS_FORMULA_NUMBER","features":[213]},{"name":"IS_HANGUL_FULLWIDTH","features":[213]},{"name":"IS_HANGUL_HALFWIDTH","features":[213]},{"name":"IS_HANJA","features":[213]},{"name":"IS_HIRAGANA","features":[213]},{"name":"IS_KATAKANA_FULLWIDTH","features":[213]},{"name":"IS_KATAKANA_HALFWIDTH","features":[213]},{"name":"IS_LOGINNAME","features":[213]},{"name":"IS_MAPS","features":[213]},{"name":"IS_NAME_OR_PHONENUMBER","features":[213]},{"name":"IS_NATIVE_SCRIPT","features":[213]},{"name":"IS_NUMBER","features":[213]},{"name":"IS_NUMBER_FULLWIDTH","features":[213]},{"name":"IS_NUMERIC_PASSWORD","features":[213]},{"name":"IS_NUMERIC_PIN","features":[213]},{"name":"IS_ONECHAR","features":[213]},{"name":"IS_PASSWORD","features":[213]},{"name":"IS_PERSONALNAME_FULLNAME","features":[213]},{"name":"IS_PERSONALNAME_GIVENNAME","features":[213]},{"name":"IS_PERSONALNAME_MIDDLENAME","features":[213]},{"name":"IS_PERSONALNAME_PREFIX","features":[213]},{"name":"IS_PERSONALNAME_SUFFIX","features":[213]},{"name":"IS_PERSONALNAME_SURNAME","features":[213]},{"name":"IS_PHRASELIST","features":[213]},{"name":"IS_PRIVATE","features":[213]},{"name":"IS_REGULAREXPRESSION","features":[213]},{"name":"IS_SEARCH","features":[213]},{"name":"IS_SEARCH_INCREMENTAL","features":[213]},{"name":"IS_SRGS","features":[213]},{"name":"IS_TELEPHONE_AREACODE","features":[213]},{"name":"IS_TELEPHONE_COUNTRYCODE","features":[213]},{"name":"IS_TELEPHONE_FULLTELEPHONENUMBER","features":[213]},{"name":"IS_TELEPHONE_LOCALNUMBER","features":[213]},{"name":"IS_TEXT","features":[213]},{"name":"IS_TIME_FULLTIME","features":[213]},{"name":"IS_TIME_HOUR","features":[213]},{"name":"IS_TIME_MINORSEC","features":[213]},{"name":"IS_URL","features":[213]},{"name":"IS_XML","features":[213]},{"name":"IS_YOMI","features":[213]},{"name":"ISpeechCommandProvider","features":[213]},{"name":"ITextStoreACP","features":[213]},{"name":"ITextStoreACP2","features":[213]},{"name":"ITextStoreACPEx","features":[213]},{"name":"ITextStoreACPServices","features":[213]},{"name":"ITextStoreACPSink","features":[213]},{"name":"ITextStoreACPSinkEx","features":[213]},{"name":"ITextStoreAnchor","features":[213]},{"name":"ITextStoreAnchorEx","features":[213]},{"name":"ITextStoreAnchorSink","features":[213]},{"name":"ITextStoreSinkAnchorEx","features":[213]},{"name":"ITfActiveLanguageProfileNotifySink","features":[213]},{"name":"ITfCandidateList","features":[213]},{"name":"ITfCandidateListUIElement","features":[213]},{"name":"ITfCandidateListUIElementBehavior","features":[213]},{"name":"ITfCandidateString","features":[213]},{"name":"ITfCategoryMgr","features":[213]},{"name":"ITfCleanupContextDurationSink","features":[213]},{"name":"ITfCleanupContextSink","features":[213]},{"name":"ITfClientId","features":[213]},{"name":"ITfCompartment","features":[213]},{"name":"ITfCompartmentEventSink","features":[213]},{"name":"ITfCompartmentMgr","features":[213]},{"name":"ITfComposition","features":[213]},{"name":"ITfCompositionSink","features":[213]},{"name":"ITfCompositionView","features":[213]},{"name":"ITfConfigureSystemKeystrokeFeed","features":[213]},{"name":"ITfContext","features":[213]},{"name":"ITfContextComposition","features":[213]},{"name":"ITfContextKeyEventSink","features":[213]},{"name":"ITfContextOwner","features":[213]},{"name":"ITfContextOwnerCompositionServices","features":[213]},{"name":"ITfContextOwnerCompositionSink","features":[213]},{"name":"ITfContextOwnerServices","features":[213]},{"name":"ITfContextView","features":[213]},{"name":"ITfCreatePropertyStore","features":[213]},{"name":"ITfDisplayAttributeInfo","features":[213]},{"name":"ITfDisplayAttributeMgr","features":[213]},{"name":"ITfDisplayAttributeNotifySink","features":[213]},{"name":"ITfDisplayAttributeProvider","features":[213]},{"name":"ITfDocumentMgr","features":[213]},{"name":"ITfEditRecord","features":[213]},{"name":"ITfEditSession","features":[213]},{"name":"ITfEditTransactionSink","features":[213]},{"name":"ITfFnAdviseText","features":[213]},{"name":"ITfFnBalloon","features":[213]},{"name":"ITfFnConfigure","features":[213]},{"name":"ITfFnConfigureRegisterEudc","features":[213]},{"name":"ITfFnConfigureRegisterWord","features":[213]},{"name":"ITfFnCustomSpeechCommand","features":[213]},{"name":"ITfFnGetLinguisticAlternates","features":[213]},{"name":"ITfFnGetPreferredTouchKeyboardLayout","features":[213]},{"name":"ITfFnGetSAPIObject","features":[213]},{"name":"ITfFnLMInternal","features":[213]},{"name":"ITfFnLMProcessor","features":[213]},{"name":"ITfFnLangProfileUtil","features":[213]},{"name":"ITfFnPlayBack","features":[213]},{"name":"ITfFnPropertyUIStatus","features":[213]},{"name":"ITfFnReconversion","features":[213]},{"name":"ITfFnSearchCandidateProvider","features":[213]},{"name":"ITfFnShowHelp","features":[213]},{"name":"ITfFunction","features":[213]},{"name":"ITfFunctionProvider","features":[213]},{"name":"ITfInputProcessorProfileActivationSink","features":[213]},{"name":"ITfInputProcessorProfileMgr","features":[213]},{"name":"ITfInputProcessorProfileSubstituteLayout","features":[213]},{"name":"ITfInputProcessorProfiles","features":[213]},{"name":"ITfInputProcessorProfilesEx","features":[213]},{"name":"ITfInputScope","features":[213]},{"name":"ITfInputScope2","features":[213]},{"name":"ITfInsertAtSelection","features":[213]},{"name":"ITfIntegratableCandidateListUIElement","features":[213]},{"name":"ITfKeyEventSink","features":[213]},{"name":"ITfKeyTraceEventSink","features":[213]},{"name":"ITfKeystrokeMgr","features":[213]},{"name":"ITfLMLattice","features":[213]},{"name":"ITfLangBarEventSink","features":[213]},{"name":"ITfLangBarItem","features":[213]},{"name":"ITfLangBarItemBalloon","features":[213]},{"name":"ITfLangBarItemBitmap","features":[213]},{"name":"ITfLangBarItemBitmapButton","features":[213]},{"name":"ITfLangBarItemButton","features":[213]},{"name":"ITfLangBarItemMgr","features":[213]},{"name":"ITfLangBarItemSink","features":[213]},{"name":"ITfLangBarMgr","features":[213]},{"name":"ITfLanguageProfileNotifySink","features":[213]},{"name":"ITfMSAAControl","features":[213]},{"name":"ITfMenu","features":[213]},{"name":"ITfMessagePump","features":[213]},{"name":"ITfMouseSink","features":[213]},{"name":"ITfMouseTracker","features":[213]},{"name":"ITfMouseTrackerACP","features":[213]},{"name":"ITfPersistentPropertyLoaderACP","features":[213]},{"name":"ITfPreservedKeyNotifySink","features":[213]},{"name":"ITfProperty","features":[213]},{"name":"ITfPropertyStore","features":[213]},{"name":"ITfQueryEmbedded","features":[213]},{"name":"ITfRange","features":[213]},{"name":"ITfRangeACP","features":[213]},{"name":"ITfRangeBackup","features":[213]},{"name":"ITfReadOnlyProperty","features":[213]},{"name":"ITfReadingInformationUIElement","features":[213]},{"name":"ITfReverseConversion","features":[213]},{"name":"ITfReverseConversionList","features":[213]},{"name":"ITfReverseConversionMgr","features":[213]},{"name":"ITfSource","features":[213]},{"name":"ITfSourceSingle","features":[213]},{"name":"ITfSpeechUIServer","features":[213]},{"name":"ITfStatusSink","features":[213]},{"name":"ITfSystemDeviceTypeLangBarItem","features":[213]},{"name":"ITfSystemLangBarItem","features":[213]},{"name":"ITfSystemLangBarItemSink","features":[213]},{"name":"ITfSystemLangBarItemText","features":[213]},{"name":"ITfTextEditSink","features":[213]},{"name":"ITfTextInputProcessor","features":[213]},{"name":"ITfTextInputProcessorEx","features":[213]},{"name":"ITfTextLayoutSink","features":[213]},{"name":"ITfThreadFocusSink","features":[213]},{"name":"ITfThreadMgr","features":[213]},{"name":"ITfThreadMgr2","features":[213]},{"name":"ITfThreadMgrEventSink","features":[213]},{"name":"ITfThreadMgrEx","features":[213]},{"name":"ITfToolTipUIElement","features":[213]},{"name":"ITfTransitoryExtensionSink","features":[213]},{"name":"ITfTransitoryExtensionUIElement","features":[213]},{"name":"ITfUIElement","features":[213]},{"name":"ITfUIElementMgr","features":[213]},{"name":"ITfUIElementSink","features":[213]},{"name":"IUIManagerEventSink","features":[213]},{"name":"IVersionInfo","features":[213]},{"name":"InitLocalMsCtfMonitor","features":[213]},{"name":"InputScope","features":[213]},{"name":"LANG_BAR_ITEM_ICON_MODE_FLAGS","features":[213]},{"name":"LIBID_MSAATEXTLib","features":[213]},{"name":"MSAAControl","features":[213]},{"name":"STYLE_ACTIVE_SELECTION","features":[213]},{"name":"STYLE_IMPLIED_SELECTION","features":[213]},{"name":"TEXT_STORE_CHANGE_FLAGS","features":[213]},{"name":"TEXT_STORE_LOCK_FLAGS","features":[213]},{"name":"TEXT_STORE_TEXT_CHANGE_FLAGS","features":[213]},{"name":"TF_AE_END","features":[213]},{"name":"TF_AE_NONE","features":[213]},{"name":"TF_AE_START","features":[213]},{"name":"TF_ANCHOR_END","features":[213]},{"name":"TF_ANCHOR_START","features":[213]},{"name":"TF_ATTR_CONVERTED","features":[213]},{"name":"TF_ATTR_FIXEDCONVERTED","features":[213]},{"name":"TF_ATTR_INPUT","features":[213]},{"name":"TF_ATTR_INPUT_ERROR","features":[213]},{"name":"TF_ATTR_OTHER","features":[213]},{"name":"TF_ATTR_TARGET_CONVERTED","features":[213]},{"name":"TF_ATTR_TARGET_NOTCONVERTED","features":[213]},{"name":"TF_CHAR_EMBEDDED","features":[213]},{"name":"TF_CLUIE_COUNT","features":[213]},{"name":"TF_CLUIE_CURRENTPAGE","features":[213]},{"name":"TF_CLUIE_DOCUMENTMGR","features":[213]},{"name":"TF_CLUIE_PAGEINDEX","features":[213]},{"name":"TF_CLUIE_SELECTION","features":[213]},{"name":"TF_CLUIE_STRING","features":[213]},{"name":"TF_COMMANDING_ENABLED","features":[213]},{"name":"TF_COMMANDING_ON","features":[213]},{"name":"TF_CONTEXT_EDIT_CONTEXT_FLAGS","features":[213]},{"name":"TF_CONVERSIONMODE_ALPHANUMERIC","features":[213]},{"name":"TF_CONVERSIONMODE_CHARCODE","features":[213]},{"name":"TF_CONVERSIONMODE_EUDC","features":[213]},{"name":"TF_CONVERSIONMODE_FIXED","features":[213]},{"name":"TF_CONVERSIONMODE_FULLSHAPE","features":[213]},{"name":"TF_CONVERSIONMODE_KATAKANA","features":[213]},{"name":"TF_CONVERSIONMODE_NATIVE","features":[213]},{"name":"TF_CONVERSIONMODE_NOCONVERSION","features":[213]},{"name":"TF_CONVERSIONMODE_ROMAN","features":[213]},{"name":"TF_CONVERSIONMODE_SOFTKEYBOARD","features":[213]},{"name":"TF_CONVERSIONMODE_SYMBOL","features":[213]},{"name":"TF_CT_COLORREF","features":[213]},{"name":"TF_CT_NONE","features":[213]},{"name":"TF_CT_SYSCOLOR","features":[213]},{"name":"TF_DA_ATTR_INFO","features":[213]},{"name":"TF_DA_COLOR","features":[1,213]},{"name":"TF_DA_COLORTYPE","features":[213]},{"name":"TF_DA_LINESTYLE","features":[213]},{"name":"TF_DEFAULT_SELECTION","features":[213]},{"name":"TF_DICTATION_ENABLED","features":[213]},{"name":"TF_DICTATION_ON","features":[213]},{"name":"TF_DISABLE_BALLOON","features":[213]},{"name":"TF_DISABLE_COMMANDING","features":[213]},{"name":"TF_DISABLE_DICTATION","features":[213]},{"name":"TF_DISABLE_SPEECH","features":[213]},{"name":"TF_DISPLAYATTRIBUTE","features":[1,213]},{"name":"TF_DTLBI_NONE","features":[213]},{"name":"TF_DTLBI_USEPROFILEICON","features":[213]},{"name":"TF_ENABLE_PROCESS_ATOM","features":[213]},{"name":"TF_ES_ASYNC","features":[213]},{"name":"TF_ES_ASYNCDONTCARE","features":[213]},{"name":"TF_ES_READ","features":[213]},{"name":"TF_ES_READWRITE","features":[213]},{"name":"TF_ES_SYNC","features":[213]},{"name":"TF_E_ALREADY_EXISTS","features":[213]},{"name":"TF_E_COMPOSITION_REJECTED","features":[213]},{"name":"TF_E_DISCONNECTED","features":[213]},{"name":"TF_E_EMPTYCONTEXT","features":[213]},{"name":"TF_E_FORMAT","features":[213]},{"name":"TF_E_INVALIDPOINT","features":[213]},{"name":"TF_E_INVALIDPOS","features":[213]},{"name":"TF_E_INVALIDVIEW","features":[213]},{"name":"TF_E_LOCKED","features":[213]},{"name":"TF_E_NOCONVERSION","features":[213]},{"name":"TF_E_NOINTERFACE","features":[213]},{"name":"TF_E_NOLAYOUT","features":[213]},{"name":"TF_E_NOLOCK","features":[213]},{"name":"TF_E_NOOBJECT","features":[213]},{"name":"TF_E_NOPROVIDER","features":[213]},{"name":"TF_E_NOSELECTION","features":[213]},{"name":"TF_E_NOSERVICE","features":[213]},{"name":"TF_E_NOTOWNEDRANGE","features":[213]},{"name":"TF_E_RANGE_NOT_COVERED","features":[213]},{"name":"TF_E_READONLY","features":[213]},{"name":"TF_E_STACKFULL","features":[213]},{"name":"TF_E_SYNCHRONOUS","features":[213]},{"name":"TF_FLOATINGLANGBAR_WNDTITLE","features":[213]},{"name":"TF_FLOATINGLANGBAR_WNDTITLEA","features":[213]},{"name":"TF_FLOATINGLANGBAR_WNDTITLEW","features":[213]},{"name":"TF_GRAVITY_BACKWARD","features":[213]},{"name":"TF_GRAVITY_FORWARD","features":[213]},{"name":"TF_GTP_INCL_TEXT","features":[213]},{"name":"TF_GTP_NONE","features":[213]},{"name":"TF_HALTCOND","features":[213]},{"name":"TF_HF_OBJECT","features":[213]},{"name":"TF_IAS_NOQUERY","features":[213]},{"name":"TF_IAS_NO_DEFAULT_COMPOSITION","features":[213]},{"name":"TF_IAS_QUERYONLY","features":[213]},{"name":"TF_IE_CORRECTION","features":[213]},{"name":"TF_INPUTPROCESSORPROFILE","features":[213]},{"name":"TF_INVALID_COOKIE","features":[213]},{"name":"TF_INVALID_EDIT_COOKIE","features":[213]},{"name":"TF_IPPMF_DISABLEPROFILE","features":[213]},{"name":"TF_IPPMF_DONTCARECURRENTINPUTLANGUAGE","features":[213]},{"name":"TF_IPPMF_ENABLEPROFILE","features":[213]},{"name":"TF_IPPMF_FORPROCESS","features":[213]},{"name":"TF_IPPMF_FORSESSION","features":[213]},{"name":"TF_IPPMF_FORSYSTEMALL","features":[213]},{"name":"TF_IPP_CAPS_COMLESSSUPPORT","features":[213]},{"name":"TF_IPP_CAPS_DISABLEONTRANSITORY","features":[213]},{"name":"TF_IPP_CAPS_IMMERSIVESUPPORT","features":[213]},{"name":"TF_IPP_CAPS_SECUREMODESUPPORT","features":[213]},{"name":"TF_IPP_CAPS_SYSTRAYSUPPORT","features":[213]},{"name":"TF_IPP_CAPS_UIELEMENTENABLED","features":[213]},{"name":"TF_IPP_CAPS_WOW16SUPPORT","features":[213]},{"name":"TF_IPP_FLAG_ACTIVE","features":[213]},{"name":"TF_IPP_FLAG_ENABLED","features":[213]},{"name":"TF_IPP_FLAG_SUBSTITUTEDBYINPUTPROCESSOR","features":[213]},{"name":"TF_IPSINK_FLAG_ACTIVE","features":[213]},{"name":"TF_LANGBARITEMINFO","features":[213]},{"name":"TF_LANGUAGEPROFILE","features":[1,213]},{"name":"TF_LBBALLOONINFO","features":[213]},{"name":"TF_LBI_BALLOON","features":[213]},{"name":"TF_LBI_BITMAP","features":[213]},{"name":"TF_LBI_BMPF_VERTICAL","features":[213]},{"name":"TF_LBI_CLK_LEFT","features":[213]},{"name":"TF_LBI_CLK_RIGHT","features":[213]},{"name":"TF_LBI_CUSTOMUI","features":[213]},{"name":"TF_LBI_DESC_MAXLEN","features":[213]},{"name":"TF_LBI_ICON","features":[213]},{"name":"TF_LBI_STATUS","features":[213]},{"name":"TF_LBI_STATUS_BTN_TOGGLED","features":[213]},{"name":"TF_LBI_STATUS_DISABLED","features":[213]},{"name":"TF_LBI_STATUS_HIDDEN","features":[213]},{"name":"TF_LBI_STYLE_BTN_BUTTON","features":[213]},{"name":"TF_LBI_STYLE_BTN_MENU","features":[213]},{"name":"TF_LBI_STYLE_BTN_TOGGLE","features":[213]},{"name":"TF_LBI_STYLE_HIDDENBYDEFAULT","features":[213]},{"name":"TF_LBI_STYLE_HIDDENSTATUSCONTROL","features":[213]},{"name":"TF_LBI_STYLE_HIDEONNOOTHERITEMS","features":[213]},{"name":"TF_LBI_STYLE_SHOWNINTRAY","features":[213]},{"name":"TF_LBI_STYLE_SHOWNINTRAYONLY","features":[213]},{"name":"TF_LBI_STYLE_TEXTCOLORICON","features":[213]},{"name":"TF_LBI_TEXT","features":[213]},{"name":"TF_LBI_TOOLTIP","features":[213]},{"name":"TF_LBMENUF_CHECKED","features":[213]},{"name":"TF_LBMENUF_GRAYED","features":[213]},{"name":"TF_LBMENUF_RADIOCHECKED","features":[213]},{"name":"TF_LBMENUF_SEPARATOR","features":[213]},{"name":"TF_LBMENUF_SUBMENU","features":[213]},{"name":"TF_LB_BALLOON_MISS","features":[213]},{"name":"TF_LB_BALLOON_RECO","features":[213]},{"name":"TF_LB_BALLOON_SHOW","features":[213]},{"name":"TF_LC_CHANGE","features":[213]},{"name":"TF_LC_CREATE","features":[213]},{"name":"TF_LC_DESTROY","features":[213]},{"name":"TF_LMLATTELEMENT","features":[213]},{"name":"TF_LS_DASH","features":[213]},{"name":"TF_LS_DOT","features":[213]},{"name":"TF_LS_NONE","features":[213]},{"name":"TF_LS_SOLID","features":[213]},{"name":"TF_LS_SQUIGGLE","features":[213]},{"name":"TF_MENUREADY","features":[213]},{"name":"TF_MOD_ALT","features":[213]},{"name":"TF_MOD_CONTROL","features":[213]},{"name":"TF_MOD_IGNORE_ALL_MODIFIER","features":[213]},{"name":"TF_MOD_LALT","features":[213]},{"name":"TF_MOD_LCONTROL","features":[213]},{"name":"TF_MOD_LSHIFT","features":[213]},{"name":"TF_MOD_ON_KEYUP","features":[213]},{"name":"TF_MOD_RALT","features":[213]},{"name":"TF_MOD_RCONTROL","features":[213]},{"name":"TF_MOD_RSHIFT","features":[213]},{"name":"TF_MOD_SHIFT","features":[213]},{"name":"TF_PERSISTENT_PROPERTY_HEADER_ACP","features":[213]},{"name":"TF_POPF_ALL","features":[213]},{"name":"TF_PRESERVEDKEY","features":[213]},{"name":"TF_PROCESS_ATOM","features":[213]},{"name":"TF_PROFILETYPE_INPUTPROCESSOR","features":[213]},{"name":"TF_PROFILETYPE_KEYBOARDLAYOUT","features":[213]},{"name":"TF_PROFILE_ARRAY","features":[213]},{"name":"TF_PROFILE_CANTONESE","features":[213]},{"name":"TF_PROFILE_CHANGJIE","features":[213]},{"name":"TF_PROFILE_DAYI","features":[213]},{"name":"TF_PROFILE_NEWCHANGJIE","features":[213]},{"name":"TF_PROFILE_NEWPHONETIC","features":[213]},{"name":"TF_PROFILE_NEWQUICK","features":[213]},{"name":"TF_PROFILE_PHONETIC","features":[213]},{"name":"TF_PROFILE_PINYIN","features":[213]},{"name":"TF_PROFILE_QUICK","features":[213]},{"name":"TF_PROFILE_SIMPLEFAST","features":[213]},{"name":"TF_PROFILE_TIGRINYA","features":[213]},{"name":"TF_PROFILE_WUBI","features":[213]},{"name":"TF_PROFILE_YI","features":[213]},{"name":"TF_PROPERTYVAL","features":[1,41,42,213]},{"name":"TF_PROPUI_STATUS_SAVETOFILE","features":[213]},{"name":"TF_RCM_COMLESS","features":[213]},{"name":"TF_RCM_HINT_COLLISION","features":[213]},{"name":"TF_RCM_HINT_READING_LENGTH","features":[213]},{"name":"TF_RCM_VKEY","features":[213]},{"name":"TF_RIP_FLAG_FREEUNUSEDLIBRARIES","features":[213]},{"name":"TF_RIUIE_CONTEXT","features":[213]},{"name":"TF_RIUIE_ERRORINDEX","features":[213]},{"name":"TF_RIUIE_MAXREADINGSTRINGLENGTH","features":[213]},{"name":"TF_RIUIE_STRING","features":[213]},{"name":"TF_RIUIE_VERTICALORDER","features":[213]},{"name":"TF_RP_HIDDENINSETTINGUI","features":[213]},{"name":"TF_RP_LOCALPROCESS","features":[213]},{"name":"TF_RP_LOCALTHREAD","features":[213]},{"name":"TF_RP_SUBITEMINSETTINGUI","features":[213]},{"name":"TF_SD_BACKWARD","features":[213]},{"name":"TF_SD_FORWARD","features":[213]},{"name":"TF_SD_LOADING","features":[213]},{"name":"TF_SD_READONLY","features":[213]},{"name":"TF_SELECTION","features":[1,213]},{"name":"TF_SELECTIONSTYLE","features":[1,213]},{"name":"TF_SENTENCEMODE_AUTOMATIC","features":[213]},{"name":"TF_SENTENCEMODE_CONVERSATION","features":[213]},{"name":"TF_SENTENCEMODE_NONE","features":[213]},{"name":"TF_SENTENCEMODE_PHRASEPREDICT","features":[213]},{"name":"TF_SENTENCEMODE_PLAURALCLAUSE","features":[213]},{"name":"TF_SENTENCEMODE_SINGLECONVERT","features":[213]},{"name":"TF_SFT_DESKBAND","features":[213]},{"name":"TF_SFT_DOCK","features":[213]},{"name":"TF_SFT_EXTRAICONSONMINIMIZED","features":[213]},{"name":"TF_SFT_HIDDEN","features":[213]},{"name":"TF_SFT_HIGHTRANSPARENCY","features":[213]},{"name":"TF_SFT_LABELS","features":[213]},{"name":"TF_SFT_LOWTRANSPARENCY","features":[213]},{"name":"TF_SFT_MINIMIZED","features":[213]},{"name":"TF_SFT_NOEXTRAICONSONMINIMIZED","features":[213]},{"name":"TF_SFT_NOLABELS","features":[213]},{"name":"TF_SFT_NOTRANSPARENCY","features":[213]},{"name":"TF_SFT_SHOWNORMAL","features":[213]},{"name":"TF_SHOW_BALLOON","features":[213]},{"name":"TF_SPEECHUI_SHOWN","features":[213]},{"name":"TF_SS_DISJOINTSEL","features":[213]},{"name":"TF_SS_REGIONS","features":[213]},{"name":"TF_SS_TKBAUTOCORRECTENABLE","features":[213]},{"name":"TF_SS_TKBPREDICTIONENABLE","features":[213]},{"name":"TF_SS_TRANSITORY","features":[213]},{"name":"TF_ST_CORRECTION","features":[213]},{"name":"TF_S_ASYNC","features":[213]},{"name":"TF_TF_IGNOREEND","features":[213]},{"name":"TF_TF_MOVESTART","features":[213]},{"name":"TF_TMAE_COMLESS","features":[213]},{"name":"TF_TMAE_CONSOLE","features":[213]},{"name":"TF_TMAE_NOACTIVATEKEYBOARDLAYOUT","features":[213]},{"name":"TF_TMAE_NOACTIVATETIP","features":[213]},{"name":"TF_TMAE_SECUREMODE","features":[213]},{"name":"TF_TMAE_UIELEMENTENABLEDONLY","features":[213]},{"name":"TF_TMAE_WOW16","features":[213]},{"name":"TF_TMF_ACTIVATED","features":[213]},{"name":"TF_TMF_COMLESS","features":[213]},{"name":"TF_TMF_CONSOLE","features":[213]},{"name":"TF_TMF_IMMERSIVEMODE","features":[213]},{"name":"TF_TMF_NOACTIVATETIP","features":[213]},{"name":"TF_TMF_SECUREMODE","features":[213]},{"name":"TF_TMF_UIELEMENTENABLEDONLY","features":[213]},{"name":"TF_TMF_WOW16","features":[213]},{"name":"TF_TRANSITORYEXTENSION_ATSELECTION","features":[213]},{"name":"TF_TRANSITORYEXTENSION_FLOATING","features":[213]},{"name":"TF_TRANSITORYEXTENSION_NONE","features":[213]},{"name":"TF_TU_CORRECTION","features":[213]},{"name":"TF_URP_ALLPROFILES","features":[213]},{"name":"TF_URP_LOCALPROCESS","features":[213]},{"name":"TF_URP_LOCALTHREAD","features":[213]},{"name":"TF_US_HIDETIPUI","features":[213]},{"name":"TKBLT_CLASSIC","features":[213]},{"name":"TKBLT_OPTIMIZED","features":[213]},{"name":"TKBLT_UNDEFINED","features":[213]},{"name":"TKBL_CLASSIC_TRADITIONAL_CHINESE_CHANGJIE","features":[213]},{"name":"TKBL_CLASSIC_TRADITIONAL_CHINESE_DAYI","features":[213]},{"name":"TKBL_CLASSIC_TRADITIONAL_CHINESE_PHONETIC","features":[213]},{"name":"TKBL_OPT_JAPANESE_ABC","features":[213]},{"name":"TKBL_OPT_KOREAN_HANGUL_2_BULSIK","features":[213]},{"name":"TKBL_OPT_SIMPLIFIED_CHINESE_PINYIN","features":[213]},{"name":"TKBL_OPT_TRADITIONAL_CHINESE_PHONETIC","features":[213]},{"name":"TKBL_UNDEFINED","features":[213]},{"name":"TKBLayoutType","features":[213]},{"name":"TKB_ALTERNATES_AUTOCORRECTION_APPLIED","features":[213]},{"name":"TKB_ALTERNATES_FOR_AUTOCORRECTION","features":[213]},{"name":"TKB_ALTERNATES_FOR_PREDICTION","features":[213]},{"name":"TKB_ALTERNATES_STANDARD","features":[213]},{"name":"TSATTRID_App","features":[213]},{"name":"TSATTRID_App_IncorrectGrammar","features":[213]},{"name":"TSATTRID_App_IncorrectSpelling","features":[213]},{"name":"TSATTRID_Font","features":[213]},{"name":"TSATTRID_Font_FaceName","features":[213]},{"name":"TSATTRID_Font_SizePts","features":[213]},{"name":"TSATTRID_Font_Style","features":[213]},{"name":"TSATTRID_Font_Style_Animation","features":[213]},{"name":"TSATTRID_Font_Style_Animation_BlinkingBackground","features":[213]},{"name":"TSATTRID_Font_Style_Animation_LasVegasLights","features":[213]},{"name":"TSATTRID_Font_Style_Animation_MarchingBlackAnts","features":[213]},{"name":"TSATTRID_Font_Style_Animation_MarchingRedAnts","features":[213]},{"name":"TSATTRID_Font_Style_Animation_Shimmer","features":[213]},{"name":"TSATTRID_Font_Style_Animation_SparkleText","features":[213]},{"name":"TSATTRID_Font_Style_Animation_WipeDown","features":[213]},{"name":"TSATTRID_Font_Style_Animation_WipeRight","features":[213]},{"name":"TSATTRID_Font_Style_BackgroundColor","features":[213]},{"name":"TSATTRID_Font_Style_Blink","features":[213]},{"name":"TSATTRID_Font_Style_Bold","features":[213]},{"name":"TSATTRID_Font_Style_Capitalize","features":[213]},{"name":"TSATTRID_Font_Style_Color","features":[213]},{"name":"TSATTRID_Font_Style_Emboss","features":[213]},{"name":"TSATTRID_Font_Style_Engrave","features":[213]},{"name":"TSATTRID_Font_Style_Height","features":[213]},{"name":"TSATTRID_Font_Style_Hidden","features":[213]},{"name":"TSATTRID_Font_Style_Italic","features":[213]},{"name":"TSATTRID_Font_Style_Kerning","features":[213]},{"name":"TSATTRID_Font_Style_Lowercase","features":[213]},{"name":"TSATTRID_Font_Style_Outlined","features":[213]},{"name":"TSATTRID_Font_Style_Overline","features":[213]},{"name":"TSATTRID_Font_Style_Overline_Double","features":[213]},{"name":"TSATTRID_Font_Style_Overline_Single","features":[213]},{"name":"TSATTRID_Font_Style_Position","features":[213]},{"name":"TSATTRID_Font_Style_Protected","features":[213]},{"name":"TSATTRID_Font_Style_Shadow","features":[213]},{"name":"TSATTRID_Font_Style_SmallCaps","features":[213]},{"name":"TSATTRID_Font_Style_Spacing","features":[213]},{"name":"TSATTRID_Font_Style_Strikethrough","features":[213]},{"name":"TSATTRID_Font_Style_Strikethrough_Double","features":[213]},{"name":"TSATTRID_Font_Style_Strikethrough_Single","features":[213]},{"name":"TSATTRID_Font_Style_Subscript","features":[213]},{"name":"TSATTRID_Font_Style_Superscript","features":[213]},{"name":"TSATTRID_Font_Style_Underline","features":[213]},{"name":"TSATTRID_Font_Style_Underline_Double","features":[213]},{"name":"TSATTRID_Font_Style_Underline_Single","features":[213]},{"name":"TSATTRID_Font_Style_Uppercase","features":[213]},{"name":"TSATTRID_Font_Style_Weight","features":[213]},{"name":"TSATTRID_List","features":[213]},{"name":"TSATTRID_List_LevelIndel","features":[213]},{"name":"TSATTRID_List_Type","features":[213]},{"name":"TSATTRID_List_Type_Arabic","features":[213]},{"name":"TSATTRID_List_Type_Bullet","features":[213]},{"name":"TSATTRID_List_Type_LowerLetter","features":[213]},{"name":"TSATTRID_List_Type_LowerRoman","features":[213]},{"name":"TSATTRID_List_Type_UpperLetter","features":[213]},{"name":"TSATTRID_List_Type_UpperRoman","features":[213]},{"name":"TSATTRID_OTHERS","features":[213]},{"name":"TSATTRID_Text","features":[213]},{"name":"TSATTRID_Text_Alignment","features":[213]},{"name":"TSATTRID_Text_Alignment_Center","features":[213]},{"name":"TSATTRID_Text_Alignment_Justify","features":[213]},{"name":"TSATTRID_Text_Alignment_Left","features":[213]},{"name":"TSATTRID_Text_Alignment_Right","features":[213]},{"name":"TSATTRID_Text_EmbeddedObject","features":[213]},{"name":"TSATTRID_Text_Hyphenation","features":[213]},{"name":"TSATTRID_Text_Language","features":[213]},{"name":"TSATTRID_Text_Link","features":[213]},{"name":"TSATTRID_Text_Orientation","features":[213]},{"name":"TSATTRID_Text_Para","features":[213]},{"name":"TSATTRID_Text_Para_FirstLineIndent","features":[213]},{"name":"TSATTRID_Text_Para_LeftIndent","features":[213]},{"name":"TSATTRID_Text_Para_LineSpacing","features":[213]},{"name":"TSATTRID_Text_Para_LineSpacing_AtLeast","features":[213]},{"name":"TSATTRID_Text_Para_LineSpacing_Double","features":[213]},{"name":"TSATTRID_Text_Para_LineSpacing_Exactly","features":[213]},{"name":"TSATTRID_Text_Para_LineSpacing_Multiple","features":[213]},{"name":"TSATTRID_Text_Para_LineSpacing_OnePtFive","features":[213]},{"name":"TSATTRID_Text_Para_LineSpacing_Single","features":[213]},{"name":"TSATTRID_Text_Para_RightIndent","features":[213]},{"name":"TSATTRID_Text_Para_SpaceAfter","features":[213]},{"name":"TSATTRID_Text_Para_SpaceBefore","features":[213]},{"name":"TSATTRID_Text_ReadOnly","features":[213]},{"name":"TSATTRID_Text_RightToLeft","features":[213]},{"name":"TSATTRID_Text_VerticalWriting","features":[213]},{"name":"TS_AE_END","features":[213]},{"name":"TS_AE_NONE","features":[213]},{"name":"TS_AE_START","features":[213]},{"name":"TS_AS_ATTR_CHANGE","features":[213]},{"name":"TS_AS_LAYOUT_CHANGE","features":[213]},{"name":"TS_AS_SEL_CHANGE","features":[213]},{"name":"TS_AS_STATUS_CHANGE","features":[213]},{"name":"TS_AS_TEXT_CHANGE","features":[213]},{"name":"TS_ATTRVAL","features":[1,41,42,213]},{"name":"TS_ATTR_FIND_BACKWARDS","features":[213]},{"name":"TS_ATTR_FIND_HIDDEN","features":[213]},{"name":"TS_ATTR_FIND_UPDATESTART","features":[213]},{"name":"TS_ATTR_FIND_WANT_END","features":[213]},{"name":"TS_ATTR_FIND_WANT_OFFSET","features":[213]},{"name":"TS_ATTR_FIND_WANT_VALUE","features":[213]},{"name":"TS_CHAR_EMBEDDED","features":[213]},{"name":"TS_CHAR_REGION","features":[213]},{"name":"TS_CHAR_REPLACEMENT","features":[213]},{"name":"TS_CH_FOLLOWING_DEL","features":[213]},{"name":"TS_CH_PRECEDING_DEL","features":[213]},{"name":"TS_DEFAULT_SELECTION","features":[213]},{"name":"TS_E_FORMAT","features":[213]},{"name":"TS_E_INVALIDPOINT","features":[213]},{"name":"TS_E_INVALIDPOS","features":[213]},{"name":"TS_E_NOINTERFACE","features":[213]},{"name":"TS_E_NOLAYOUT","features":[213]},{"name":"TS_E_NOLOCK","features":[213]},{"name":"TS_E_NOOBJECT","features":[213]},{"name":"TS_E_NOSELECTION","features":[213]},{"name":"TS_E_NOSERVICE","features":[213]},{"name":"TS_E_READONLY","features":[213]},{"name":"TS_E_SYNCHRONOUS","features":[213]},{"name":"TS_GEA_HIDDEN","features":[213]},{"name":"TS_GR_BACKWARD","features":[213]},{"name":"TS_GR_FORWARD","features":[213]},{"name":"TS_GTA_HIDDEN","features":[213]},{"name":"TS_IAS_NOQUERY","features":[213]},{"name":"TS_IAS_QUERYONLY","features":[213]},{"name":"TS_IE_COMPOSITION","features":[213]},{"name":"TS_IE_CORRECTION","features":[213]},{"name":"TS_LC_CHANGE","features":[213]},{"name":"TS_LC_CREATE","features":[213]},{"name":"TS_LC_DESTROY","features":[213]},{"name":"TS_LF_READ","features":[213]},{"name":"TS_LF_READWRITE","features":[213]},{"name":"TS_LF_SYNC","features":[213]},{"name":"TS_RT_HIDDEN","features":[213]},{"name":"TS_RT_OPAQUE","features":[213]},{"name":"TS_RT_PLAIN","features":[213]},{"name":"TS_RUNINFO","features":[213]},{"name":"TS_SD_BACKWARD","features":[213]},{"name":"TS_SD_EMBEDDEDHANDWRITINGVIEW_ENABLED","features":[213]},{"name":"TS_SD_EMBEDDEDHANDWRITINGVIEW_VISIBLE","features":[213]},{"name":"TS_SD_FORWARD","features":[213]},{"name":"TS_SD_INPUTPANEMANUALDISPLAYENABLE","features":[213]},{"name":"TS_SD_LOADING","features":[213]},{"name":"TS_SD_READONLY","features":[213]},{"name":"TS_SD_RESERVED","features":[213]},{"name":"TS_SD_TKBAUTOCORRECTENABLE","features":[213]},{"name":"TS_SD_TKBPREDICTIONENABLE","features":[213]},{"name":"TS_SD_UIINTEGRATIONENABLE","features":[213]},{"name":"TS_SELECTIONSTYLE","features":[1,213]},{"name":"TS_SELECTION_ACP","features":[1,213]},{"name":"TS_SELECTION_ANCHOR","features":[1,213]},{"name":"TS_SHIFT_COUNT_HIDDEN","features":[213]},{"name":"TS_SHIFT_COUNT_ONLY","features":[213]},{"name":"TS_SHIFT_HALT_HIDDEN","features":[213]},{"name":"TS_SHIFT_HALT_VISIBLE","features":[213]},{"name":"TS_SS_DISJOINTSEL","features":[213]},{"name":"TS_SS_NOHIDDENTEXT","features":[213]},{"name":"TS_SS_REGIONS","features":[213]},{"name":"TS_SS_TKBAUTOCORRECTENABLE","features":[213]},{"name":"TS_SS_TKBPREDICTIONENABLE","features":[213]},{"name":"TS_SS_TRANSITORY","features":[213]},{"name":"TS_SS_UWPCONTROL","features":[213]},{"name":"TS_STATUS","features":[213]},{"name":"TS_STRF_END","features":[213]},{"name":"TS_STRF_MID","features":[213]},{"name":"TS_STRF_START","features":[213]},{"name":"TS_ST_CORRECTION","features":[213]},{"name":"TS_ST_NONE","features":[213]},{"name":"TS_S_ASYNC","features":[213]},{"name":"TS_TC_CORRECTION","features":[213]},{"name":"TS_TC_NONE","features":[213]},{"name":"TS_TEXTCHANGE","features":[213]},{"name":"TS_VCOOKIE_NUL","features":[213]},{"name":"TfActiveSelEnd","features":[213]},{"name":"TfAnchor","features":[213]},{"name":"TfCandidateResult","features":[213]},{"name":"TfGravity","features":[213]},{"name":"TfIntegratableCandidateListSelectionStyle","features":[213]},{"name":"TfLBBalloonStyle","features":[213]},{"name":"TfLBIClick","features":[213]},{"name":"TfLayoutCode","features":[213]},{"name":"TfSapiObject","features":[213]},{"name":"TfShiftDir","features":[213]},{"name":"TsActiveSelEnd","features":[213]},{"name":"TsGravity","features":[213]},{"name":"TsLayoutCode","features":[213]},{"name":"TsRunType","features":[213]},{"name":"TsShiftDir","features":[213]},{"name":"UninitLocalMsCtfMonitor","features":[213]}],"672":[{"name":"ACCEL","features":[50]},{"name":"ACCEL_VIRT_FLAGS","features":[50]},{"name":"ALTTABINFO","features":[1,50]},{"name":"ANIMATE_WINDOW_FLAGS","features":[50]},{"name":"ANIMATIONINFO","features":[50]},{"name":"ARW_BOTTOMLEFT","features":[50]},{"name":"ARW_BOTTOMRIGHT","features":[50]},{"name":"ARW_DOWN","features":[50]},{"name":"ARW_HIDE","features":[50]},{"name":"ARW_LEFT","features":[50]},{"name":"ARW_RIGHT","features":[50]},{"name":"ARW_STARTMASK","features":[50]},{"name":"ARW_STARTRIGHT","features":[50]},{"name":"ARW_STARTTOP","features":[50]},{"name":"ARW_TOPLEFT","features":[50]},{"name":"ARW_TOPRIGHT","features":[50]},{"name":"ARW_UP","features":[50]},{"name":"ASFW_ANY","features":[50]},{"name":"AUDIODESCRIPTION","features":[1,50]},{"name":"AW_ACTIVATE","features":[50]},{"name":"AW_BLEND","features":[50]},{"name":"AW_CENTER","features":[50]},{"name":"AW_HIDE","features":[50]},{"name":"AW_HOR_NEGATIVE","features":[50]},{"name":"AW_HOR_POSITIVE","features":[50]},{"name":"AW_SLIDE","features":[50]},{"name":"AW_VER_NEGATIVE","features":[50]},{"name":"AW_VER_POSITIVE","features":[50]},{"name":"AdjustWindowRect","features":[1,50]},{"name":"AdjustWindowRectEx","features":[1,50]},{"name":"AllowSetForegroundWindow","features":[1,50]},{"name":"AnimateWindow","features":[1,50]},{"name":"AnyPopup","features":[1,50]},{"name":"AppendMenuA","features":[1,50]},{"name":"AppendMenuW","features":[1,50]},{"name":"ArrangeIconicWindows","features":[1,50]},{"name":"BM_CLICK","features":[50]},{"name":"BM_GETCHECK","features":[50]},{"name":"BM_GETIMAGE","features":[50]},{"name":"BM_GETSTATE","features":[50]},{"name":"BM_SETCHECK","features":[50]},{"name":"BM_SETDONTCLICK","features":[50]},{"name":"BM_SETIMAGE","features":[50]},{"name":"BM_SETSTATE","features":[50]},{"name":"BM_SETSTYLE","features":[50]},{"name":"BN_CLICKED","features":[50]},{"name":"BN_DBLCLK","features":[50]},{"name":"BN_DISABLE","features":[50]},{"name":"BN_DOUBLECLICKED","features":[50]},{"name":"BN_HILITE","features":[50]},{"name":"BN_KILLFOCUS","features":[50]},{"name":"BN_PAINT","features":[50]},{"name":"BN_PUSHED","features":[50]},{"name":"BN_SETFOCUS","features":[50]},{"name":"BN_UNHILITE","features":[50]},{"name":"BN_UNPUSHED","features":[50]},{"name":"BROADCAST_QUERY_DENY","features":[50]},{"name":"BSF_MSGSRV32ISOK","features":[50]},{"name":"BSF_MSGSRV32ISOK_BIT","features":[50]},{"name":"BSM_INSTALLABLEDRIVERS","features":[50]},{"name":"BSM_NETDRIVER","features":[50]},{"name":"BSM_VXDS","features":[50]},{"name":"BST_FOCUS","features":[50]},{"name":"BST_PUSHED","features":[50]},{"name":"BS_3STATE","features":[50]},{"name":"BS_AUTO3STATE","features":[50]},{"name":"BS_AUTOCHECKBOX","features":[50]},{"name":"BS_AUTORADIOBUTTON","features":[50]},{"name":"BS_BITMAP","features":[50]},{"name":"BS_BOTTOM","features":[50]},{"name":"BS_CENTER","features":[50]},{"name":"BS_CHECKBOX","features":[50]},{"name":"BS_DEFPUSHBUTTON","features":[50]},{"name":"BS_FLAT","features":[50]},{"name":"BS_GROUPBOX","features":[50]},{"name":"BS_ICON","features":[50]},{"name":"BS_LEFT","features":[50]},{"name":"BS_LEFTTEXT","features":[50]},{"name":"BS_MULTILINE","features":[50]},{"name":"BS_NOTIFY","features":[50]},{"name":"BS_OWNERDRAW","features":[50]},{"name":"BS_PUSHBOX","features":[50]},{"name":"BS_PUSHBUTTON","features":[50]},{"name":"BS_PUSHLIKE","features":[50]},{"name":"BS_RADIOBUTTON","features":[50]},{"name":"BS_RIGHT","features":[50]},{"name":"BS_RIGHTBUTTON","features":[50]},{"name":"BS_TEXT","features":[50]},{"name":"BS_TOP","features":[50]},{"name":"BS_TYPEMASK","features":[50]},{"name":"BS_USERBUTTON","features":[50]},{"name":"BS_VCENTER","features":[50]},{"name":"BeginDeferWindowPos","features":[50]},{"name":"BringWindowToTop","features":[1,50]},{"name":"CALERT_SYSTEM","features":[50]},{"name":"CASCADE_WINDOWS_HOW","features":[50]},{"name":"CBN_CLOSEUP","features":[50]},{"name":"CBN_DBLCLK","features":[50]},{"name":"CBN_DROPDOWN","features":[50]},{"name":"CBN_EDITCHANGE","features":[50]},{"name":"CBN_EDITUPDATE","features":[50]},{"name":"CBN_ERRSPACE","features":[50]},{"name":"CBN_KILLFOCUS","features":[50]},{"name":"CBN_SELCHANGE","features":[50]},{"name":"CBN_SELENDCANCEL","features":[50]},{"name":"CBN_SELENDOK","features":[50]},{"name":"CBN_SETFOCUS","features":[50]},{"name":"CBS_AUTOHSCROLL","features":[50]},{"name":"CBS_DISABLENOSCROLL","features":[50]},{"name":"CBS_DROPDOWN","features":[50]},{"name":"CBS_DROPDOWNLIST","features":[50]},{"name":"CBS_HASSTRINGS","features":[50]},{"name":"CBS_LOWERCASE","features":[50]},{"name":"CBS_NOINTEGRALHEIGHT","features":[50]},{"name":"CBS_OEMCONVERT","features":[50]},{"name":"CBS_OWNERDRAWFIXED","features":[50]},{"name":"CBS_OWNERDRAWVARIABLE","features":[50]},{"name":"CBS_SIMPLE","features":[50]},{"name":"CBS_SORT","features":[50]},{"name":"CBS_UPPERCASE","features":[50]},{"name":"CBTACTIVATESTRUCT","features":[1,50]},{"name":"CBT_CREATEWNDA","features":[1,50]},{"name":"CBT_CREATEWNDW","features":[1,50]},{"name":"CB_ADDSTRING","features":[50]},{"name":"CB_DELETESTRING","features":[50]},{"name":"CB_DIR","features":[50]},{"name":"CB_ERR","features":[50]},{"name":"CB_ERRSPACE","features":[50]},{"name":"CB_FINDSTRING","features":[50]},{"name":"CB_FINDSTRINGEXACT","features":[50]},{"name":"CB_GETCOMBOBOXINFO","features":[50]},{"name":"CB_GETCOUNT","features":[50]},{"name":"CB_GETCURSEL","features":[50]},{"name":"CB_GETDROPPEDCONTROLRECT","features":[50]},{"name":"CB_GETDROPPEDSTATE","features":[50]},{"name":"CB_GETDROPPEDWIDTH","features":[50]},{"name":"CB_GETEDITSEL","features":[50]},{"name":"CB_GETEXTENDEDUI","features":[50]},{"name":"CB_GETHORIZONTALEXTENT","features":[50]},{"name":"CB_GETITEMDATA","features":[50]},{"name":"CB_GETITEMHEIGHT","features":[50]},{"name":"CB_GETLBTEXT","features":[50]},{"name":"CB_GETLBTEXTLEN","features":[50]},{"name":"CB_GETLOCALE","features":[50]},{"name":"CB_GETTOPINDEX","features":[50]},{"name":"CB_INITSTORAGE","features":[50]},{"name":"CB_INSERTSTRING","features":[50]},{"name":"CB_LIMITTEXT","features":[50]},{"name":"CB_MSGMAX","features":[50]},{"name":"CB_MULTIPLEADDSTRING","features":[50]},{"name":"CB_OKAY","features":[50]},{"name":"CB_RESETCONTENT","features":[50]},{"name":"CB_SELECTSTRING","features":[50]},{"name":"CB_SETCURSEL","features":[50]},{"name":"CB_SETDROPPEDWIDTH","features":[50]},{"name":"CB_SETEDITSEL","features":[50]},{"name":"CB_SETEXTENDEDUI","features":[50]},{"name":"CB_SETHORIZONTALEXTENT","features":[50]},{"name":"CB_SETITEMDATA","features":[50]},{"name":"CB_SETITEMHEIGHT","features":[50]},{"name":"CB_SETLOCALE","features":[50]},{"name":"CB_SETTOPINDEX","features":[50]},{"name":"CB_SHOWDROPDOWN","features":[50]},{"name":"CCHILDREN_SCROLLBAR","features":[50]},{"name":"CCHILDREN_TITLEBAR","features":[50]},{"name":"CHANGEFILTERSTRUCT","features":[50]},{"name":"CHANGE_WINDOW_MESSAGE_FILTER_FLAGS","features":[50]},{"name":"CHILDID_SELF","features":[50]},{"name":"CLIENTCREATESTRUCT","features":[1,50]},{"name":"CONSOLE_APPLICATION_16BIT","features":[50]},{"name":"CONSOLE_CARET_SELECTION","features":[50]},{"name":"CONSOLE_CARET_VISIBLE","features":[50]},{"name":"CONTACTVISUALIZATION_OFF","features":[50]},{"name":"CONTACTVISUALIZATION_ON","features":[50]},{"name":"CONTACTVISUALIZATION_PRESENTATIONMODE","features":[50]},{"name":"CREATEPROCESS_MANIFEST_RESOURCE_ID","features":[50]},{"name":"CREATESTRUCTA","features":[1,50]},{"name":"CREATESTRUCTW","features":[1,50]},{"name":"CSOUND_SYSTEM","features":[50]},{"name":"CS_BYTEALIGNCLIENT","features":[50]},{"name":"CS_BYTEALIGNWINDOW","features":[50]},{"name":"CS_CLASSDC","features":[50]},{"name":"CS_DBLCLKS","features":[50]},{"name":"CS_DROPSHADOW","features":[50]},{"name":"CS_GLOBALCLASS","features":[50]},{"name":"CS_HREDRAW","features":[50]},{"name":"CS_IME","features":[50]},{"name":"CS_NOCLOSE","features":[50]},{"name":"CS_OWNDC","features":[50]},{"name":"CS_PARENTDC","features":[50]},{"name":"CS_SAVEBITS","features":[50]},{"name":"CS_VREDRAW","features":[50]},{"name":"CTLCOLOR_BTN","features":[50]},{"name":"CTLCOLOR_DLG","features":[50]},{"name":"CTLCOLOR_EDIT","features":[50]},{"name":"CTLCOLOR_LISTBOX","features":[50]},{"name":"CTLCOLOR_MAX","features":[50]},{"name":"CTLCOLOR_MSGBOX","features":[50]},{"name":"CTLCOLOR_SCROLLBAR","features":[50]},{"name":"CTLCOLOR_STATIC","features":[50]},{"name":"CURSORINFO","features":[1,50]},{"name":"CURSORINFO_FLAGS","features":[50]},{"name":"CURSORSHAPE","features":[50]},{"name":"CURSOR_CREATION_SCALING_DEFAULT","features":[50]},{"name":"CURSOR_CREATION_SCALING_NONE","features":[50]},{"name":"CURSOR_SHOWING","features":[50]},{"name":"CURSOR_SUPPRESSED","features":[50]},{"name":"CWF_CREATE_ONLY","features":[50]},{"name":"CWPRETSTRUCT","features":[1,50]},{"name":"CWPSTRUCT","features":[1,50]},{"name":"CWP_ALL","features":[50]},{"name":"CWP_FLAGS","features":[50]},{"name":"CWP_SKIPDISABLED","features":[50]},{"name":"CWP_SKIPINVISIBLE","features":[50]},{"name":"CWP_SKIPTRANSPARENT","features":[50]},{"name":"CW_USEDEFAULT","features":[50]},{"name":"CalculatePopupWindowPosition","features":[1,50]},{"name":"CallMsgFilterA","features":[1,50]},{"name":"CallMsgFilterW","features":[1,50]},{"name":"CallNextHookEx","features":[1,50]},{"name":"CallWindowProcA","features":[1,50]},{"name":"CallWindowProcW","features":[1,50]},{"name":"CancelShutdown","features":[1,50]},{"name":"CascadeWindows","features":[1,50]},{"name":"ChangeMenuA","features":[1,50]},{"name":"ChangeMenuW","features":[1,50]},{"name":"ChangeWindowMessageFilter","features":[1,50]},{"name":"ChangeWindowMessageFilterEx","features":[1,50]},{"name":"CharLowerA","features":[50]},{"name":"CharLowerBuffA","features":[50]},{"name":"CharLowerBuffW","features":[50]},{"name":"CharLowerW","features":[50]},{"name":"CharNextA","features":[50]},{"name":"CharNextExA","features":[50]},{"name":"CharNextW","features":[50]},{"name":"CharPrevA","features":[50]},{"name":"CharPrevExA","features":[50]},{"name":"CharPrevW","features":[50]},{"name":"CharToOemA","features":[1,50]},{"name":"CharToOemBuffA","features":[1,50]},{"name":"CharToOemBuffW","features":[1,50]},{"name":"CharToOemW","features":[1,50]},{"name":"CharUpperA","features":[50]},{"name":"CharUpperBuffA","features":[50]},{"name":"CharUpperBuffW","features":[50]},{"name":"CharUpperW","features":[50]},{"name":"CheckMenuItem","features":[50]},{"name":"CheckMenuRadioItem","features":[1,50]},{"name":"ChildWindowFromPoint","features":[1,50]},{"name":"ChildWindowFromPointEx","features":[1,50]},{"name":"ClipCursor","features":[1,50]},{"name":"CloseWindow","features":[1,50]},{"name":"CopyAcceleratorTableA","features":[50]},{"name":"CopyAcceleratorTableW","features":[50]},{"name":"CopyIcon","features":[50]},{"name":"CopyImage","features":[1,50]},{"name":"CreateAcceleratorTableA","features":[50]},{"name":"CreateAcceleratorTableW","features":[50]},{"name":"CreateCaret","features":[1,12,50]},{"name":"CreateCursor","features":[1,50]},{"name":"CreateDialogIndirectParamA","features":[1,50]},{"name":"CreateDialogIndirectParamW","features":[1,50]},{"name":"CreateDialogParamA","features":[1,50]},{"name":"CreateDialogParamW","features":[1,50]},{"name":"CreateIcon","features":[1,50]},{"name":"CreateIconFromResource","features":[1,50]},{"name":"CreateIconFromResourceEx","features":[1,50]},{"name":"CreateIconIndirect","features":[1,12,50]},{"name":"CreateMDIWindowA","features":[1,50]},{"name":"CreateMDIWindowW","features":[1,50]},{"name":"CreateMenu","features":[50]},{"name":"CreatePopupMenu","features":[50]},{"name":"CreateResourceIndexer","features":[50]},{"name":"CreateWindowExA","features":[1,50]},{"name":"CreateWindowExW","features":[1,50]},{"name":"DBTF_MEDIA","features":[50]},{"name":"DBTF_NET","features":[50]},{"name":"DBTF_RESOURCE","features":[50]},{"name":"DBTF_SLOWNET","features":[50]},{"name":"DBTF_XPORT","features":[50]},{"name":"DBT_APPYBEGIN","features":[50]},{"name":"DBT_APPYEND","features":[50]},{"name":"DBT_CONFIGCHANGECANCELED","features":[50]},{"name":"DBT_CONFIGCHANGED","features":[50]},{"name":"DBT_CONFIGMGAPI32","features":[50]},{"name":"DBT_CONFIGMGPRIVATE","features":[50]},{"name":"DBT_CUSTOMEVENT","features":[50]},{"name":"DBT_DEVICEARRIVAL","features":[50]},{"name":"DBT_DEVICEQUERYREMOVE","features":[50]},{"name":"DBT_DEVICEQUERYREMOVEFAILED","features":[50]},{"name":"DBT_DEVICEREMOVECOMPLETE","features":[50]},{"name":"DBT_DEVICEREMOVEPENDING","features":[50]},{"name":"DBT_DEVICETYPESPECIFIC","features":[50]},{"name":"DBT_DEVNODES_CHANGED","features":[50]},{"name":"DBT_DEVTYP_DEVICEINTERFACE","features":[50]},{"name":"DBT_DEVTYP_DEVNODE","features":[50]},{"name":"DBT_DEVTYP_HANDLE","features":[50]},{"name":"DBT_DEVTYP_NET","features":[50]},{"name":"DBT_DEVTYP_OEM","features":[50]},{"name":"DBT_DEVTYP_PORT","features":[50]},{"name":"DBT_DEVTYP_VOLUME","features":[50]},{"name":"DBT_LOW_DISK_SPACE","features":[50]},{"name":"DBT_MONITORCHANGE","features":[50]},{"name":"DBT_NO_DISK_SPACE","features":[50]},{"name":"DBT_QUERYCHANGECONFIG","features":[50]},{"name":"DBT_SHELLLOGGEDON","features":[50]},{"name":"DBT_USERDEFINED","features":[50]},{"name":"DBT_VOLLOCKLOCKFAILED","features":[50]},{"name":"DBT_VOLLOCKLOCKRELEASED","features":[50]},{"name":"DBT_VOLLOCKLOCKTAKEN","features":[50]},{"name":"DBT_VOLLOCKQUERYLOCK","features":[50]},{"name":"DBT_VOLLOCKQUERYUNLOCK","features":[50]},{"name":"DBT_VOLLOCKUNLOCKFAILED","features":[50]},{"name":"DBT_VPOWERDAPI","features":[50]},{"name":"DBT_VXDINITCOMPLETE","features":[50]},{"name":"DCX_EXCLUDEUPDATE","features":[50]},{"name":"DC_HASDEFID","features":[50]},{"name":"DEBUGHOOKINFO","features":[1,50]},{"name":"DEVICE_EVENT_BECOMING_READY","features":[50]},{"name":"DEVICE_EVENT_EXTERNAL_REQUEST","features":[50]},{"name":"DEVICE_EVENT_GENERIC_DATA","features":[50]},{"name":"DEVICE_EVENT_MOUNT","features":[50]},{"name":"DEVICE_EVENT_RBC_DATA","features":[50]},{"name":"DEVICE_NOTIFY_ALL_INTERFACE_CLASSES","features":[50]},{"name":"DEVICE_NOTIFY_CALLBACK","features":[50]},{"name":"DEVICE_NOTIFY_SERVICE_HANDLE","features":[50]},{"name":"DEVICE_NOTIFY_WINDOW_HANDLE","features":[50]},{"name":"DEV_BROADCAST_DEVICEINTERFACE_A","features":[50]},{"name":"DEV_BROADCAST_DEVICEINTERFACE_W","features":[50]},{"name":"DEV_BROADCAST_DEVNODE","features":[50]},{"name":"DEV_BROADCAST_HANDLE","features":[1,50]},{"name":"DEV_BROADCAST_HANDLE32","features":[50]},{"name":"DEV_BROADCAST_HANDLE64","features":[50]},{"name":"DEV_BROADCAST_HDR","features":[50]},{"name":"DEV_BROADCAST_HDR_DEVICE_TYPE","features":[50]},{"name":"DEV_BROADCAST_NET","features":[50]},{"name":"DEV_BROADCAST_OEM","features":[50]},{"name":"DEV_BROADCAST_PORT_A","features":[50]},{"name":"DEV_BROADCAST_PORT_W","features":[50]},{"name":"DEV_BROADCAST_VOLUME","features":[50]},{"name":"DEV_BROADCAST_VOLUME_FLAGS","features":[50]},{"name":"DIFFERENCE","features":[50]},{"name":"DISK_HEALTH_NOTIFICATION_DATA","features":[50]},{"name":"DI_COMPAT","features":[50]},{"name":"DI_DEFAULTSIZE","features":[50]},{"name":"DI_FLAGS","features":[50]},{"name":"DI_IMAGE","features":[50]},{"name":"DI_MASK","features":[50]},{"name":"DI_NOMIRROR","features":[50]},{"name":"DI_NORMAL","features":[50]},{"name":"DLGC_BUTTON","features":[50]},{"name":"DLGC_DEFPUSHBUTTON","features":[50]},{"name":"DLGC_HASSETSEL","features":[50]},{"name":"DLGC_RADIOBUTTON","features":[50]},{"name":"DLGC_STATIC","features":[50]},{"name":"DLGC_UNDEFPUSHBUTTON","features":[50]},{"name":"DLGC_WANTALLKEYS","features":[50]},{"name":"DLGC_WANTARROWS","features":[50]},{"name":"DLGC_WANTCHARS","features":[50]},{"name":"DLGC_WANTMESSAGE","features":[50]},{"name":"DLGC_WANTTAB","features":[50]},{"name":"DLGITEMTEMPLATE","features":[50]},{"name":"DLGPROC","features":[1,50]},{"name":"DLGTEMPLATE","features":[50]},{"name":"DLGWINDOWEXTRA","features":[50]},{"name":"DM_GETDEFID","features":[50]},{"name":"DM_POINTERHITTEST","features":[50]},{"name":"DM_REPOSITION","features":[50]},{"name":"DM_SETDEFID","features":[50]},{"name":"DOF_DIRECTORY","features":[50]},{"name":"DOF_DOCUMENT","features":[50]},{"name":"DOF_EXECUTABLE","features":[50]},{"name":"DOF_MULTIPLE","features":[50]},{"name":"DOF_PROGMAN","features":[50]},{"name":"DOF_SHELLDATA","features":[50]},{"name":"DO_DROPFILE","features":[50]},{"name":"DO_PRINTFILE","features":[50]},{"name":"DROPSTRUCT","features":[1,50]},{"name":"DS_3DLOOK","features":[50]},{"name":"DS_ABSALIGN","features":[50]},{"name":"DS_CENTER","features":[50]},{"name":"DS_CENTERMOUSE","features":[50]},{"name":"DS_CONTEXTHELP","features":[50]},{"name":"DS_CONTROL","features":[50]},{"name":"DS_FIXEDSYS","features":[50]},{"name":"DS_LOCALEDIT","features":[50]},{"name":"DS_MODALFRAME","features":[50]},{"name":"DS_NOFAILCREATE","features":[50]},{"name":"DS_NOIDLEMSG","features":[50]},{"name":"DS_SETFONT","features":[50]},{"name":"DS_SETFOREGROUND","features":[50]},{"name":"DS_SYSMODAL","features":[50]},{"name":"DS_USEPIXELS","features":[50]},{"name":"DWLP_MSGRESULT","features":[50]},{"name":"DWL_DLGPROC","features":[50]},{"name":"DWL_MSGRESULT","features":[50]},{"name":"DWL_USER","features":[50]},{"name":"DefDlgProcA","features":[1,50]},{"name":"DefDlgProcW","features":[1,50]},{"name":"DefFrameProcA","features":[1,50]},{"name":"DefFrameProcW","features":[1,50]},{"name":"DefMDIChildProcA","features":[1,50]},{"name":"DefMDIChildProcW","features":[1,50]},{"name":"DefWindowProcA","features":[1,50]},{"name":"DefWindowProcW","features":[1,50]},{"name":"DeferWindowPos","features":[1,50]},{"name":"DeleteMenu","features":[1,50]},{"name":"DeregisterShellHookWindow","features":[1,50]},{"name":"DestroyAcceleratorTable","features":[1,50]},{"name":"DestroyCaret","features":[1,50]},{"name":"DestroyCursor","features":[1,50]},{"name":"DestroyIcon","features":[1,50]},{"name":"DestroyIndexedResults","features":[50]},{"name":"DestroyMenu","features":[1,50]},{"name":"DestroyResourceIndexer","features":[50]},{"name":"DestroyWindow","features":[1,50]},{"name":"DialogBoxIndirectParamA","features":[1,50]},{"name":"DialogBoxIndirectParamW","features":[1,50]},{"name":"DialogBoxParamA","features":[1,50]},{"name":"DialogBoxParamW","features":[1,50]},{"name":"DisableProcessWindowsGhosting","features":[50]},{"name":"DispatchMessageA","features":[1,50]},{"name":"DispatchMessageW","features":[1,50]},{"name":"DragObject","features":[1,50]},{"name":"DrawIcon","features":[1,12,50]},{"name":"DrawIconEx","features":[1,12,50]},{"name":"DrawMenuBar","features":[1,50]},{"name":"EC_LEFTMARGIN","features":[50]},{"name":"EC_RIGHTMARGIN","features":[50]},{"name":"EC_USEFONTINFO","features":[50]},{"name":"EDD_GET_DEVICE_INTERFACE_NAME","features":[50]},{"name":"EDIT_CONTROL_FEATURE","features":[50]},{"name":"EDIT_CONTROL_FEATURE_ENTERPRISE_DATA_PROTECTION_PASTE_SUPPORT","features":[50]},{"name":"EDIT_CONTROL_FEATURE_PASTE_NOTIFICATIONS","features":[50]},{"name":"EIMES_CANCELCOMPSTRINFOCUS","features":[50]},{"name":"EIMES_COMPLETECOMPSTRKILLFOCUS","features":[50]},{"name":"EIMES_GETCOMPSTRATONCE","features":[50]},{"name":"EMSIS_COMPOSITIONSTRING","features":[50]},{"name":"ENDSESSION_CLOSEAPP","features":[50]},{"name":"ENDSESSION_CRITICAL","features":[50]},{"name":"ENDSESSION_LOGOFF","features":[50]},{"name":"EN_AFTER_PASTE","features":[50]},{"name":"EN_ALIGN_LTR_EC","features":[50]},{"name":"EN_ALIGN_RTL_EC","features":[50]},{"name":"EN_BEFORE_PASTE","features":[50]},{"name":"EN_CHANGE","features":[50]},{"name":"EN_ERRSPACE","features":[50]},{"name":"EN_HSCROLL","features":[50]},{"name":"EN_KILLFOCUS","features":[50]},{"name":"EN_MAXTEXT","features":[50]},{"name":"EN_SETFOCUS","features":[50]},{"name":"EN_UPDATE","features":[50]},{"name":"EN_VSCROLL","features":[50]},{"name":"ES_AUTOHSCROLL","features":[50]},{"name":"ES_AUTOVSCROLL","features":[50]},{"name":"ES_CENTER","features":[50]},{"name":"ES_LEFT","features":[50]},{"name":"ES_LOWERCASE","features":[50]},{"name":"ES_MULTILINE","features":[50]},{"name":"ES_NOHIDESEL","features":[50]},{"name":"ES_NUMBER","features":[50]},{"name":"ES_OEMCONVERT","features":[50]},{"name":"ES_PASSWORD","features":[50]},{"name":"ES_READONLY","features":[50]},{"name":"ES_RIGHT","features":[50]},{"name":"ES_UPPERCASE","features":[50]},{"name":"ES_WANTRETURN","features":[50]},{"name":"EVENTMSG","features":[1,50]},{"name":"EVENT_AIA_END","features":[50]},{"name":"EVENT_AIA_START","features":[50]},{"name":"EVENT_CONSOLE_CARET","features":[50]},{"name":"EVENT_CONSOLE_END","features":[50]},{"name":"EVENT_CONSOLE_END_APPLICATION","features":[50]},{"name":"EVENT_CONSOLE_LAYOUT","features":[50]},{"name":"EVENT_CONSOLE_START_APPLICATION","features":[50]},{"name":"EVENT_CONSOLE_UPDATE_REGION","features":[50]},{"name":"EVENT_CONSOLE_UPDATE_SCROLL","features":[50]},{"name":"EVENT_CONSOLE_UPDATE_SIMPLE","features":[50]},{"name":"EVENT_MAX","features":[50]},{"name":"EVENT_MIN","features":[50]},{"name":"EVENT_OBJECT_ACCELERATORCHANGE","features":[50]},{"name":"EVENT_OBJECT_CLOAKED","features":[50]},{"name":"EVENT_OBJECT_CONTENTSCROLLED","features":[50]},{"name":"EVENT_OBJECT_CREATE","features":[50]},{"name":"EVENT_OBJECT_DEFACTIONCHANGE","features":[50]},{"name":"EVENT_OBJECT_DESCRIPTIONCHANGE","features":[50]},{"name":"EVENT_OBJECT_DESTROY","features":[50]},{"name":"EVENT_OBJECT_DRAGCANCEL","features":[50]},{"name":"EVENT_OBJECT_DRAGCOMPLETE","features":[50]},{"name":"EVENT_OBJECT_DRAGDROPPED","features":[50]},{"name":"EVENT_OBJECT_DRAGENTER","features":[50]},{"name":"EVENT_OBJECT_DRAGLEAVE","features":[50]},{"name":"EVENT_OBJECT_DRAGSTART","features":[50]},{"name":"EVENT_OBJECT_END","features":[50]},{"name":"EVENT_OBJECT_FOCUS","features":[50]},{"name":"EVENT_OBJECT_HELPCHANGE","features":[50]},{"name":"EVENT_OBJECT_HIDE","features":[50]},{"name":"EVENT_OBJECT_HOSTEDOBJECTSINVALIDATED","features":[50]},{"name":"EVENT_OBJECT_IME_CHANGE","features":[50]},{"name":"EVENT_OBJECT_IME_HIDE","features":[50]},{"name":"EVENT_OBJECT_IME_SHOW","features":[50]},{"name":"EVENT_OBJECT_INVOKED","features":[50]},{"name":"EVENT_OBJECT_LIVEREGIONCHANGED","features":[50]},{"name":"EVENT_OBJECT_LOCATIONCHANGE","features":[50]},{"name":"EVENT_OBJECT_NAMECHANGE","features":[50]},{"name":"EVENT_OBJECT_PARENTCHANGE","features":[50]},{"name":"EVENT_OBJECT_REORDER","features":[50]},{"name":"EVENT_OBJECT_SELECTION","features":[50]},{"name":"EVENT_OBJECT_SELECTIONADD","features":[50]},{"name":"EVENT_OBJECT_SELECTIONREMOVE","features":[50]},{"name":"EVENT_OBJECT_SELECTIONWITHIN","features":[50]},{"name":"EVENT_OBJECT_SHOW","features":[50]},{"name":"EVENT_OBJECT_STATECHANGE","features":[50]},{"name":"EVENT_OBJECT_TEXTEDIT_CONVERSIONTARGETCHANGED","features":[50]},{"name":"EVENT_OBJECT_TEXTSELECTIONCHANGED","features":[50]},{"name":"EVENT_OBJECT_UNCLOAKED","features":[50]},{"name":"EVENT_OBJECT_VALUECHANGE","features":[50]},{"name":"EVENT_OEM_DEFINED_END","features":[50]},{"name":"EVENT_OEM_DEFINED_START","features":[50]},{"name":"EVENT_SYSTEM_ALERT","features":[50]},{"name":"EVENT_SYSTEM_ARRANGMENTPREVIEW","features":[50]},{"name":"EVENT_SYSTEM_CAPTUREEND","features":[50]},{"name":"EVENT_SYSTEM_CAPTURESTART","features":[50]},{"name":"EVENT_SYSTEM_CONTEXTHELPEND","features":[50]},{"name":"EVENT_SYSTEM_CONTEXTHELPSTART","features":[50]},{"name":"EVENT_SYSTEM_DESKTOPSWITCH","features":[50]},{"name":"EVENT_SYSTEM_DIALOGEND","features":[50]},{"name":"EVENT_SYSTEM_DIALOGSTART","features":[50]},{"name":"EVENT_SYSTEM_DRAGDROPEND","features":[50]},{"name":"EVENT_SYSTEM_DRAGDROPSTART","features":[50]},{"name":"EVENT_SYSTEM_END","features":[50]},{"name":"EVENT_SYSTEM_FOREGROUND","features":[50]},{"name":"EVENT_SYSTEM_IME_KEY_NOTIFICATION","features":[50]},{"name":"EVENT_SYSTEM_MENUEND","features":[50]},{"name":"EVENT_SYSTEM_MENUPOPUPEND","features":[50]},{"name":"EVENT_SYSTEM_MENUPOPUPSTART","features":[50]},{"name":"EVENT_SYSTEM_MENUSTART","features":[50]},{"name":"EVENT_SYSTEM_MINIMIZEEND","features":[50]},{"name":"EVENT_SYSTEM_MINIMIZESTART","features":[50]},{"name":"EVENT_SYSTEM_MOVESIZEEND","features":[50]},{"name":"EVENT_SYSTEM_MOVESIZESTART","features":[50]},{"name":"EVENT_SYSTEM_SCROLLINGEND","features":[50]},{"name":"EVENT_SYSTEM_SCROLLINGSTART","features":[50]},{"name":"EVENT_SYSTEM_SOUND","features":[50]},{"name":"EVENT_SYSTEM_SWITCHEND","features":[50]},{"name":"EVENT_SYSTEM_SWITCHER_APPDROPPED","features":[50]},{"name":"EVENT_SYSTEM_SWITCHER_APPGRABBED","features":[50]},{"name":"EVENT_SYSTEM_SWITCHER_APPOVERTARGET","features":[50]},{"name":"EVENT_SYSTEM_SWITCHER_CANCELLED","features":[50]},{"name":"EVENT_SYSTEM_SWITCHSTART","features":[50]},{"name":"EVENT_UIA_EVENTID_END","features":[50]},{"name":"EVENT_UIA_EVENTID_START","features":[50]},{"name":"EVENT_UIA_PROPID_END","features":[50]},{"name":"EVENT_UIA_PROPID_START","features":[50]},{"name":"EnableMenuItem","features":[1,50]},{"name":"EndDeferWindowPos","features":[1,50]},{"name":"EndDialog","features":[1,50]},{"name":"EndMenu","features":[1,50]},{"name":"EnumChildWindows","features":[1,50]},{"name":"EnumPropsA","features":[1,50]},{"name":"EnumPropsExA","features":[1,50]},{"name":"EnumPropsExW","features":[1,50]},{"name":"EnumPropsW","features":[1,50]},{"name":"EnumThreadWindows","features":[1,50]},{"name":"EnumWindows","features":[1,50]},{"name":"FALT","features":[50]},{"name":"FAPPCOMMAND_KEY","features":[50]},{"name":"FAPPCOMMAND_MASK","features":[50]},{"name":"FAPPCOMMAND_MOUSE","features":[50]},{"name":"FAPPCOMMAND_OEM","features":[50]},{"name":"FCONTROL","features":[50]},{"name":"FE_FONTSMOOTHINGCLEARTYPE","features":[50]},{"name":"FE_FONTSMOOTHINGORIENTATIONBGR","features":[50]},{"name":"FE_FONTSMOOTHINGORIENTATIONRGB","features":[50]},{"name":"FE_FONTSMOOTHINGSTANDARD","features":[50]},{"name":"FKF_AVAILABLE","features":[50]},{"name":"FKF_CLICKON","features":[50]},{"name":"FKF_CONFIRMHOTKEY","features":[50]},{"name":"FKF_FILTERKEYSON","features":[50]},{"name":"FKF_HOTKEYACTIVE","features":[50]},{"name":"FKF_HOTKEYSOUND","features":[50]},{"name":"FKF_INDICATOR","features":[50]},{"name":"FLASHWINFO","features":[1,50]},{"name":"FLASHWINFO_FLAGS","features":[50]},{"name":"FLASHW_ALL","features":[50]},{"name":"FLASHW_CAPTION","features":[50]},{"name":"FLASHW_STOP","features":[50]},{"name":"FLASHW_TIMER","features":[50]},{"name":"FLASHW_TIMERNOFG","features":[50]},{"name":"FLASHW_TRAY","features":[50]},{"name":"FNOINVERT","features":[50]},{"name":"FOREGROUND_WINDOW_LOCK_CODE","features":[50]},{"name":"FSHIFT","features":[50]},{"name":"FVIRTKEY","features":[50]},{"name":"FindWindowA","features":[1,50]},{"name":"FindWindowExA","features":[1,50]},{"name":"FindWindowExW","features":[1,50]},{"name":"FindWindowW","features":[1,50]},{"name":"FlashWindow","features":[1,50]},{"name":"FlashWindowEx","features":[1,50]},{"name":"GA_PARENT","features":[50]},{"name":"GA_ROOT","features":[50]},{"name":"GA_ROOTOWNER","features":[50]},{"name":"GCF_INCLUDE_ANCESTORS","features":[50]},{"name":"GCLP_HBRBACKGROUND","features":[50]},{"name":"GCLP_HCURSOR","features":[50]},{"name":"GCLP_HICON","features":[50]},{"name":"GCLP_HICONSM","features":[50]},{"name":"GCLP_HMODULE","features":[50]},{"name":"GCLP_MENUNAME","features":[50]},{"name":"GCLP_WNDPROC","features":[50]},{"name":"GCL_CBCLSEXTRA","features":[50]},{"name":"GCL_CBWNDEXTRA","features":[50]},{"name":"GCL_HBRBACKGROUND","features":[50]},{"name":"GCL_HCURSOR","features":[50]},{"name":"GCL_HICON","features":[50]},{"name":"GCL_HICONSM","features":[50]},{"name":"GCL_HMODULE","features":[50]},{"name":"GCL_MENUNAME","features":[50]},{"name":"GCL_STYLE","features":[50]},{"name":"GCL_WNDPROC","features":[50]},{"name":"GCW_ATOM","features":[50]},{"name":"GDI_IMAGE_TYPE","features":[50]},{"name":"GESTURECONFIGMAXCOUNT","features":[50]},{"name":"GESTUREVISUALIZATION_DOUBLETAP","features":[50]},{"name":"GESTUREVISUALIZATION_OFF","features":[50]},{"name":"GESTUREVISUALIZATION_ON","features":[50]},{"name":"GESTUREVISUALIZATION_PRESSANDHOLD","features":[50]},{"name":"GESTUREVISUALIZATION_PRESSANDTAP","features":[50]},{"name":"GESTUREVISUALIZATION_RIGHTTAP","features":[50]},{"name":"GESTUREVISUALIZATION_TAP","features":[50]},{"name":"GETCLIPBMETADATA","features":[1,50]},{"name":"GET_ANCESTOR_FLAGS","features":[50]},{"name":"GET_CLASS_LONG_INDEX","features":[50]},{"name":"GET_MENU_DEFAULT_ITEM_FLAGS","features":[50]},{"name":"GET_WINDOW_CMD","features":[50]},{"name":"GF_BEGIN","features":[50]},{"name":"GF_END","features":[50]},{"name":"GF_INERTIA","features":[50]},{"name":"GIDC_ARRIVAL","features":[50]},{"name":"GIDC_REMOVAL","features":[50]},{"name":"GMDI_GOINTOPOPUPS","features":[50]},{"name":"GMDI_USEDISABLED","features":[50]},{"name":"GUID_DEVICE_EVENT_RBC","features":[50]},{"name":"GUID_IO_CDROM_EXCLUSIVE_LOCK","features":[50]},{"name":"GUID_IO_CDROM_EXCLUSIVE_UNLOCK","features":[50]},{"name":"GUID_IO_DEVICE_BECOMING_READY","features":[50]},{"name":"GUID_IO_DEVICE_EXTERNAL_REQUEST","features":[50]},{"name":"GUID_IO_DISK_CLONE_ARRIVAL","features":[50]},{"name":"GUID_IO_DISK_CLONE_ARRIVAL_INFORMATION","features":[50]},{"name":"GUID_IO_DISK_HEALTH_NOTIFICATION","features":[50]},{"name":"GUID_IO_DISK_LAYOUT_CHANGE","features":[50]},{"name":"GUID_IO_DRIVE_REQUIRES_CLEANING","features":[50]},{"name":"GUID_IO_MEDIA_ARRIVAL","features":[50]},{"name":"GUID_IO_MEDIA_EJECT_REQUEST","features":[50]},{"name":"GUID_IO_MEDIA_REMOVAL","features":[50]},{"name":"GUID_IO_TAPE_ERASE","features":[50]},{"name":"GUID_IO_VOLUME_BACKGROUND_FORMAT","features":[50]},{"name":"GUID_IO_VOLUME_CHANGE","features":[50]},{"name":"GUID_IO_VOLUME_CHANGE_SIZE","features":[50]},{"name":"GUID_IO_VOLUME_DEVICE_INTERFACE","features":[50]},{"name":"GUID_IO_VOLUME_DISMOUNT","features":[50]},{"name":"GUID_IO_VOLUME_DISMOUNT_FAILED","features":[50]},{"name":"GUID_IO_VOLUME_FORCE_CLOSED","features":[50]},{"name":"GUID_IO_VOLUME_FVE_STATUS_CHANGE","features":[50]},{"name":"GUID_IO_VOLUME_INFO_MAKE_COMPAT","features":[50]},{"name":"GUID_IO_VOLUME_LOCK","features":[50]},{"name":"GUID_IO_VOLUME_LOCK_FAILED","features":[50]},{"name":"GUID_IO_VOLUME_MOUNT","features":[50]},{"name":"GUID_IO_VOLUME_NAME_CHANGE","features":[50]},{"name":"GUID_IO_VOLUME_NEED_CHKDSK","features":[50]},{"name":"GUID_IO_VOLUME_PHYSICAL_CONFIGURATION_CHANGE","features":[50]},{"name":"GUID_IO_VOLUME_PREPARING_EJECT","features":[50]},{"name":"GUID_IO_VOLUME_UNIQUE_ID_CHANGE","features":[50]},{"name":"GUID_IO_VOLUME_UNLOCK","features":[50]},{"name":"GUID_IO_VOLUME_WEARING_OUT","features":[50]},{"name":"GUID_IO_VOLUME_WORM_NEAR_FULL","features":[50]},{"name":"GUITHREADINFO","features":[1,50]},{"name":"GUITHREADINFO_FLAGS","features":[50]},{"name":"GUI_16BITTASK","features":[50]},{"name":"GUI_CARETBLINKING","features":[50]},{"name":"GUI_INMENUMODE","features":[50]},{"name":"GUI_INMOVESIZE","features":[50]},{"name":"GUI_POPUPMENUMODE","features":[50]},{"name":"GUI_SYSTEMMENUMODE","features":[50]},{"name":"GWFS_INCLUDE_ANCESTORS","features":[50]},{"name":"GWLP_HINSTANCE","features":[50]},{"name":"GWLP_HWNDPARENT","features":[50]},{"name":"GWLP_ID","features":[50]},{"name":"GWLP_USERDATA","features":[50]},{"name":"GWLP_WNDPROC","features":[50]},{"name":"GWL_EXSTYLE","features":[50]},{"name":"GWL_HINSTANCE","features":[50]},{"name":"GWL_HWNDPARENT","features":[50]},{"name":"GWL_ID","features":[50]},{"name":"GWL_STYLE","features":[50]},{"name":"GWL_USERDATA","features":[50]},{"name":"GWL_WNDPROC","features":[50]},{"name":"GW_CHILD","features":[50]},{"name":"GW_ENABLEDPOPUP","features":[50]},{"name":"GW_HWNDFIRST","features":[50]},{"name":"GW_HWNDLAST","features":[50]},{"name":"GW_HWNDNEXT","features":[50]},{"name":"GW_HWNDPREV","features":[50]},{"name":"GW_MAX","features":[50]},{"name":"GW_OWNER","features":[50]},{"name":"GetAltTabInfoA","features":[1,50]},{"name":"GetAltTabInfoW","features":[1,50]},{"name":"GetAncestor","features":[1,50]},{"name":"GetCaretBlinkTime","features":[50]},{"name":"GetCaretPos","features":[1,50]},{"name":"GetClassInfoA","features":[1,12,50]},{"name":"GetClassInfoExA","features":[1,12,50]},{"name":"GetClassInfoExW","features":[1,12,50]},{"name":"GetClassInfoW","features":[1,12,50]},{"name":"GetClassLongA","features":[1,50]},{"name":"GetClassLongPtrA","features":[1,50]},{"name":"GetClassLongPtrW","features":[1,50]},{"name":"GetClassLongW","features":[1,50]},{"name":"GetClassNameA","features":[1,50]},{"name":"GetClassNameW","features":[1,50]},{"name":"GetClassWord","features":[1,50]},{"name":"GetClientRect","features":[1,50]},{"name":"GetClipCursor","features":[1,50]},{"name":"GetCursor","features":[50]},{"name":"GetCursorInfo","features":[1,50]},{"name":"GetCursorPos","features":[1,50]},{"name":"GetDesktopWindow","features":[1,50]},{"name":"GetDialogBaseUnits","features":[50]},{"name":"GetDlgCtrlID","features":[1,50]},{"name":"GetDlgItem","features":[1,50]},{"name":"GetDlgItemInt","features":[1,50]},{"name":"GetDlgItemTextA","features":[1,50]},{"name":"GetDlgItemTextW","features":[1,50]},{"name":"GetForegroundWindow","features":[1,50]},{"name":"GetGUIThreadInfo","features":[1,50]},{"name":"GetIconInfo","features":[1,12,50]},{"name":"GetIconInfoExA","features":[1,12,50]},{"name":"GetIconInfoExW","features":[1,12,50]},{"name":"GetInputState","features":[1,50]},{"name":"GetLastActivePopup","features":[1,50]},{"name":"GetLayeredWindowAttributes","features":[1,50]},{"name":"GetMenu","features":[1,50]},{"name":"GetMenuBarInfo","features":[1,50]},{"name":"GetMenuCheckMarkDimensions","features":[50]},{"name":"GetMenuDefaultItem","features":[50]},{"name":"GetMenuInfo","features":[1,12,50]},{"name":"GetMenuItemCount","features":[50]},{"name":"GetMenuItemID","features":[50]},{"name":"GetMenuItemInfoA","features":[1,12,50]},{"name":"GetMenuItemInfoW","features":[1,12,50]},{"name":"GetMenuItemRect","features":[1,50]},{"name":"GetMenuState","features":[50]},{"name":"GetMenuStringA","features":[50]},{"name":"GetMenuStringW","features":[50]},{"name":"GetMessageA","features":[1,50]},{"name":"GetMessageExtraInfo","features":[1,50]},{"name":"GetMessagePos","features":[50]},{"name":"GetMessageTime","features":[50]},{"name":"GetMessageW","features":[1,50]},{"name":"GetNextDlgGroupItem","features":[1,50]},{"name":"GetNextDlgTabItem","features":[1,50]},{"name":"GetParent","features":[1,50]},{"name":"GetPhysicalCursorPos","features":[1,50]},{"name":"GetProcessDefaultLayout","features":[1,50]},{"name":"GetPropA","features":[1,50]},{"name":"GetPropW","features":[1,50]},{"name":"GetQueueStatus","features":[50]},{"name":"GetScrollBarInfo","features":[1,50]},{"name":"GetScrollInfo","features":[1,50]},{"name":"GetScrollPos","features":[1,50]},{"name":"GetScrollRange","features":[1,50]},{"name":"GetShellWindow","features":[1,50]},{"name":"GetSubMenu","features":[50]},{"name":"GetSystemMenu","features":[1,50]},{"name":"GetSystemMetrics","features":[50]},{"name":"GetTitleBarInfo","features":[1,50]},{"name":"GetTopWindow","features":[1,50]},{"name":"GetWindow","features":[1,50]},{"name":"GetWindowDisplayAffinity","features":[1,50]},{"name":"GetWindowInfo","features":[1,50]},{"name":"GetWindowLongA","features":[1,50]},{"name":"GetWindowLongPtrA","features":[1,50]},{"name":"GetWindowLongPtrW","features":[1,50]},{"name":"GetWindowLongW","features":[1,50]},{"name":"GetWindowModuleFileNameA","features":[1,50]},{"name":"GetWindowModuleFileNameW","features":[1,50]},{"name":"GetWindowPlacement","features":[1,50]},{"name":"GetWindowRect","features":[1,50]},{"name":"GetWindowTextA","features":[1,50]},{"name":"GetWindowTextLengthA","features":[1,50]},{"name":"GetWindowTextLengthW","features":[1,50]},{"name":"GetWindowTextW","features":[1,50]},{"name":"GetWindowThreadProcessId","features":[1,50]},{"name":"GetWindowWord","features":[1,50]},{"name":"HACCEL","features":[50]},{"name":"HANDEDNESS","features":[50]},{"name":"HANDEDNESS_LEFT","features":[50]},{"name":"HANDEDNESS_RIGHT","features":[50]},{"name":"HARDWAREHOOKSTRUCT","features":[1,50]},{"name":"HBMMENU_CALLBACK","features":[12,50]},{"name":"HBMMENU_MBAR_CLOSE","features":[12,50]},{"name":"HBMMENU_MBAR_CLOSE_D","features":[12,50]},{"name":"HBMMENU_MBAR_MINIMIZE","features":[12,50]},{"name":"HBMMENU_MBAR_MINIMIZE_D","features":[12,50]},{"name":"HBMMENU_MBAR_RESTORE","features":[12,50]},{"name":"HBMMENU_POPUP_CLOSE","features":[12,50]},{"name":"HBMMENU_POPUP_MAXIMIZE","features":[12,50]},{"name":"HBMMENU_POPUP_MINIMIZE","features":[12,50]},{"name":"HBMMENU_POPUP_RESTORE","features":[12,50]},{"name":"HBMMENU_SYSTEM","features":[12,50]},{"name":"HCBT_ACTIVATE","features":[50]},{"name":"HCBT_CLICKSKIPPED","features":[50]},{"name":"HCBT_CREATEWND","features":[50]},{"name":"HCBT_DESTROYWND","features":[50]},{"name":"HCBT_KEYSKIPPED","features":[50]},{"name":"HCBT_MINMAX","features":[50]},{"name":"HCBT_MOVESIZE","features":[50]},{"name":"HCBT_QS","features":[50]},{"name":"HCBT_SETFOCUS","features":[50]},{"name":"HCBT_SYSCOMMAND","features":[50]},{"name":"HCF_DEFAULTDESKTOP","features":[50]},{"name":"HCF_LOGONDESKTOP","features":[50]},{"name":"HCURSOR","features":[50]},{"name":"HC_ACTION","features":[50]},{"name":"HC_GETNEXT","features":[50]},{"name":"HC_NOREM","features":[50]},{"name":"HC_NOREMOVE","features":[50]},{"name":"HC_SKIP","features":[50]},{"name":"HC_SYSMODALOFF","features":[50]},{"name":"HC_SYSMODALON","features":[50]},{"name":"HDEVNOTIFY","features":[50]},{"name":"HDWP","features":[50]},{"name":"HELP_COMMAND","features":[50]},{"name":"HELP_CONTENTS","features":[50]},{"name":"HELP_CONTEXT","features":[50]},{"name":"HELP_CONTEXTMENU","features":[50]},{"name":"HELP_CONTEXTPOPUP","features":[50]},{"name":"HELP_FINDER","features":[50]},{"name":"HELP_FORCEFILE","features":[50]},{"name":"HELP_HELPONHELP","features":[50]},{"name":"HELP_INDEX","features":[50]},{"name":"HELP_KEY","features":[50]},{"name":"HELP_MULTIKEY","features":[50]},{"name":"HELP_PARTIALKEY","features":[50]},{"name":"HELP_QUIT","features":[50]},{"name":"HELP_SETCONTENTS","features":[50]},{"name":"HELP_SETINDEX","features":[50]},{"name":"HELP_SETPOPUP_POS","features":[50]},{"name":"HELP_SETWINPOS","features":[50]},{"name":"HELP_TCARD","features":[50]},{"name":"HELP_TCARD_DATA","features":[50]},{"name":"HELP_TCARD_OTHER_CALLER","features":[50]},{"name":"HELP_WM_HELP","features":[50]},{"name":"HHOOK","features":[50]},{"name":"HICON","features":[50]},{"name":"HIDE_WINDOW","features":[50]},{"name":"HKL_NEXT","features":[50]},{"name":"HKL_PREV","features":[50]},{"name":"HMENU","features":[50]},{"name":"HOOKPROC","features":[1,50]},{"name":"HSHELL_ACCESSIBILITYSTATE","features":[50]},{"name":"HSHELL_ACTIVATESHELLWINDOW","features":[50]},{"name":"HSHELL_APPCOMMAND","features":[50]},{"name":"HSHELL_ENDTASK","features":[50]},{"name":"HSHELL_GETMINRECT","features":[50]},{"name":"HSHELL_HIGHBIT","features":[50]},{"name":"HSHELL_LANGUAGE","features":[50]},{"name":"HSHELL_MONITORCHANGED","features":[50]},{"name":"HSHELL_REDRAW","features":[50]},{"name":"HSHELL_SYSMENU","features":[50]},{"name":"HSHELL_TASKMAN","features":[50]},{"name":"HSHELL_WINDOWACTIVATED","features":[50]},{"name":"HSHELL_WINDOWCREATED","features":[50]},{"name":"HSHELL_WINDOWDESTROYED","features":[50]},{"name":"HSHELL_WINDOWREPLACED","features":[50]},{"name":"HSHELL_WINDOWREPLACING","features":[50]},{"name":"HTBORDER","features":[50]},{"name":"HTBOTTOM","features":[50]},{"name":"HTBOTTOMLEFT","features":[50]},{"name":"HTBOTTOMRIGHT","features":[50]},{"name":"HTCAPTION","features":[50]},{"name":"HTCLIENT","features":[50]},{"name":"HTCLOSE","features":[50]},{"name":"HTERROR","features":[50]},{"name":"HTGROWBOX","features":[50]},{"name":"HTHELP","features":[50]},{"name":"HTHSCROLL","features":[50]},{"name":"HTLEFT","features":[50]},{"name":"HTMAXBUTTON","features":[50]},{"name":"HTMENU","features":[50]},{"name":"HTMINBUTTON","features":[50]},{"name":"HTNOWHERE","features":[50]},{"name":"HTOBJECT","features":[50]},{"name":"HTREDUCE","features":[50]},{"name":"HTRIGHT","features":[50]},{"name":"HTSIZE","features":[50]},{"name":"HTSIZEFIRST","features":[50]},{"name":"HTSIZELAST","features":[50]},{"name":"HTSYSMENU","features":[50]},{"name":"HTTOP","features":[50]},{"name":"HTTOPLEFT","features":[50]},{"name":"HTTOPRIGHT","features":[50]},{"name":"HTTRANSPARENT","features":[50]},{"name":"HTVSCROLL","features":[50]},{"name":"HTZOOM","features":[50]},{"name":"HWND_BOTTOM","features":[1,50]},{"name":"HWND_BROADCAST","features":[1,50]},{"name":"HWND_DESKTOP","features":[1,50]},{"name":"HWND_MESSAGE","features":[1,50]},{"name":"HWND_NOTOPMOST","features":[1,50]},{"name":"HWND_TOP","features":[1,50]},{"name":"HWND_TOPMOST","features":[1,50]},{"name":"HideCaret","features":[1,50]},{"name":"HiliteMenuItem","features":[1,50]},{"name":"ICONINFO","features":[1,12,50]},{"name":"ICONINFOEXA","features":[1,12,50]},{"name":"ICONINFOEXW","features":[1,12,50]},{"name":"ICONMETRICSA","features":[12,50]},{"name":"ICONMETRICSW","features":[12,50]},{"name":"ICON_BIG","features":[50]},{"name":"ICON_SMALL","features":[50]},{"name":"ICON_SMALL2","features":[50]},{"name":"IDABORT","features":[50]},{"name":"IDANI_CAPTION","features":[50]},{"name":"IDANI_OPEN","features":[50]},{"name":"IDASYNC","features":[50]},{"name":"IDCANCEL","features":[50]},{"name":"IDCLOSE","features":[50]},{"name":"IDCONTINUE","features":[50]},{"name":"IDC_APPSTARTING","features":[50]},{"name":"IDC_ARROW","features":[50]},{"name":"IDC_CROSS","features":[50]},{"name":"IDC_HAND","features":[50]},{"name":"IDC_HELP","features":[50]},{"name":"IDC_IBEAM","features":[50]},{"name":"IDC_ICON","features":[50]},{"name":"IDC_NO","features":[50]},{"name":"IDC_PERSON","features":[50]},{"name":"IDC_PIN","features":[50]},{"name":"IDC_SIZE","features":[50]},{"name":"IDC_SIZEALL","features":[50]},{"name":"IDC_SIZENESW","features":[50]},{"name":"IDC_SIZENS","features":[50]},{"name":"IDC_SIZENWSE","features":[50]},{"name":"IDC_SIZEWE","features":[50]},{"name":"IDC_UPARROW","features":[50]},{"name":"IDC_WAIT","features":[50]},{"name":"IDHELP","features":[50]},{"name":"IDHOT_SNAPDESKTOP","features":[50]},{"name":"IDHOT_SNAPWINDOW","features":[50]},{"name":"IDH_CANCEL","features":[50]},{"name":"IDH_GENERIC_HELP_BUTTON","features":[50]},{"name":"IDH_HELP","features":[50]},{"name":"IDH_MISSING_CONTEXT","features":[50]},{"name":"IDH_NO_HELP","features":[50]},{"name":"IDH_OK","features":[50]},{"name":"IDIGNORE","features":[50]},{"name":"IDI_APPLICATION","features":[50]},{"name":"IDI_ASTERISK","features":[50]},{"name":"IDI_ERROR","features":[50]},{"name":"IDI_EXCLAMATION","features":[50]},{"name":"IDI_HAND","features":[50]},{"name":"IDI_INFORMATION","features":[50]},{"name":"IDI_QUESTION","features":[50]},{"name":"IDI_SHIELD","features":[50]},{"name":"IDI_WARNING","features":[50]},{"name":"IDI_WINLOGO","features":[50]},{"name":"IDNO","features":[50]},{"name":"IDOK","features":[50]},{"name":"IDRETRY","features":[50]},{"name":"IDTIMEOUT","features":[50]},{"name":"IDTRYAGAIN","features":[50]},{"name":"IDYES","features":[50]},{"name":"IMAGE_BITMAP","features":[50]},{"name":"IMAGE_CURSOR","features":[50]},{"name":"IMAGE_ENHMETAFILE","features":[50]},{"name":"IMAGE_FLAGS","features":[50]},{"name":"IMAGE_ICON","features":[50]},{"name":"INDEXID_CONTAINER","features":[50]},{"name":"INDEXID_OBJECT","features":[50]},{"name":"INPUTLANGCHANGE_BACKWARD","features":[50]},{"name":"INPUTLANGCHANGE_FORWARD","features":[50]},{"name":"INPUTLANGCHANGE_SYSCHARSET","features":[50]},{"name":"ISMEX_CALLBACK","features":[50]},{"name":"ISMEX_NOSEND","features":[50]},{"name":"ISMEX_NOTIFY","features":[50]},{"name":"ISMEX_REPLIED","features":[50]},{"name":"ISMEX_SEND","features":[50]},{"name":"ISOLATIONAWARE_MANIFEST_RESOURCE_ID","features":[50]},{"name":"ISOLATIONAWARE_NOSTATICIMPORT_MANIFEST_RESOURCE_ID","features":[50]},{"name":"ISOLATIONPOLICY_BROWSER_MANIFEST_RESOURCE_ID","features":[50]},{"name":"ISOLATIONPOLICY_MANIFEST_RESOURCE_ID","features":[50]},{"name":"InSendMessage","features":[1,50]},{"name":"InSendMessageEx","features":[50]},{"name":"IndexFilePath","features":[50]},{"name":"IndexedResourceQualifier","features":[50]},{"name":"InheritWindowMonitor","features":[1,50]},{"name":"InsertMenuA","features":[1,50]},{"name":"InsertMenuItemA","features":[1,12,50]},{"name":"InsertMenuItemW","features":[1,12,50]},{"name":"InsertMenuW","features":[1,50]},{"name":"InternalGetWindowText","features":[1,50]},{"name":"IsCharAlphaA","features":[1,50]},{"name":"IsCharAlphaNumericA","features":[1,50]},{"name":"IsCharAlphaNumericW","features":[1,50]},{"name":"IsCharAlphaW","features":[1,50]},{"name":"IsCharLowerA","features":[1,50]},{"name":"IsCharUpperA","features":[1,50]},{"name":"IsCharUpperW","features":[1,50]},{"name":"IsChild","features":[1,50]},{"name":"IsDialogMessageA","features":[1,50]},{"name":"IsDialogMessageW","features":[1,50]},{"name":"IsGUIThread","features":[1,50]},{"name":"IsHungAppWindow","features":[1,50]},{"name":"IsIconic","features":[1,50]},{"name":"IsMenu","features":[1,50]},{"name":"IsProcessDPIAware","features":[1,50]},{"name":"IsWindow","features":[1,50]},{"name":"IsWindowArranged","features":[1,50]},{"name":"IsWindowUnicode","features":[1,50]},{"name":"IsWindowVisible","features":[1,50]},{"name":"IsWow64Message","features":[1,50]},{"name":"IsZoomed","features":[1,50]},{"name":"KBDLLHOOKSTRUCT","features":[50]},{"name":"KBDLLHOOKSTRUCT_FLAGS","features":[50]},{"name":"KF_ALTDOWN","features":[50]},{"name":"KF_DLGMODE","features":[50]},{"name":"KF_EXTENDED","features":[50]},{"name":"KF_MENUMODE","features":[50]},{"name":"KF_REPEAT","features":[50]},{"name":"KF_UP","features":[50]},{"name":"KL_NAMELENGTH","features":[50]},{"name":"KillTimer","features":[1,50]},{"name":"LAYERED_WINDOW_ATTRIBUTES_FLAGS","features":[50]},{"name":"LBN_DBLCLK","features":[50]},{"name":"LBN_ERRSPACE","features":[50]},{"name":"LBN_KILLFOCUS","features":[50]},{"name":"LBN_SELCANCEL","features":[50]},{"name":"LBN_SELCHANGE","features":[50]},{"name":"LBN_SETFOCUS","features":[50]},{"name":"LBS_COMBOBOX","features":[50]},{"name":"LBS_DISABLENOSCROLL","features":[50]},{"name":"LBS_EXTENDEDSEL","features":[50]},{"name":"LBS_HASSTRINGS","features":[50]},{"name":"LBS_MULTICOLUMN","features":[50]},{"name":"LBS_MULTIPLESEL","features":[50]},{"name":"LBS_NODATA","features":[50]},{"name":"LBS_NOINTEGRALHEIGHT","features":[50]},{"name":"LBS_NOREDRAW","features":[50]},{"name":"LBS_NOSEL","features":[50]},{"name":"LBS_NOTIFY","features":[50]},{"name":"LBS_OWNERDRAWFIXED","features":[50]},{"name":"LBS_OWNERDRAWVARIABLE","features":[50]},{"name":"LBS_SORT","features":[50]},{"name":"LBS_STANDARD","features":[50]},{"name":"LBS_USETABSTOPS","features":[50]},{"name":"LBS_WANTKEYBOARDINPUT","features":[50]},{"name":"LB_ADDFILE","features":[50]},{"name":"LB_ADDSTRING","features":[50]},{"name":"LB_CTLCODE","features":[50]},{"name":"LB_DELETESTRING","features":[50]},{"name":"LB_DIR","features":[50]},{"name":"LB_ERR","features":[50]},{"name":"LB_ERRSPACE","features":[50]},{"name":"LB_FINDSTRING","features":[50]},{"name":"LB_FINDSTRINGEXACT","features":[50]},{"name":"LB_GETANCHORINDEX","features":[50]},{"name":"LB_GETCARETINDEX","features":[50]},{"name":"LB_GETCOUNT","features":[50]},{"name":"LB_GETCURSEL","features":[50]},{"name":"LB_GETHORIZONTALEXTENT","features":[50]},{"name":"LB_GETITEMDATA","features":[50]},{"name":"LB_GETITEMHEIGHT","features":[50]},{"name":"LB_GETITEMRECT","features":[50]},{"name":"LB_GETLISTBOXINFO","features":[50]},{"name":"LB_GETLOCALE","features":[50]},{"name":"LB_GETSEL","features":[50]},{"name":"LB_GETSELCOUNT","features":[50]},{"name":"LB_GETSELITEMS","features":[50]},{"name":"LB_GETTEXT","features":[50]},{"name":"LB_GETTEXTLEN","features":[50]},{"name":"LB_GETTOPINDEX","features":[50]},{"name":"LB_INITSTORAGE","features":[50]},{"name":"LB_INSERTSTRING","features":[50]},{"name":"LB_ITEMFROMPOINT","features":[50]},{"name":"LB_MSGMAX","features":[50]},{"name":"LB_MULTIPLEADDSTRING","features":[50]},{"name":"LB_OKAY","features":[50]},{"name":"LB_RESETCONTENT","features":[50]},{"name":"LB_SELECTSTRING","features":[50]},{"name":"LB_SELITEMRANGE","features":[50]},{"name":"LB_SELITEMRANGEEX","features":[50]},{"name":"LB_SETANCHORINDEX","features":[50]},{"name":"LB_SETCARETINDEX","features":[50]},{"name":"LB_SETCOLUMNWIDTH","features":[50]},{"name":"LB_SETCOUNT","features":[50]},{"name":"LB_SETCURSEL","features":[50]},{"name":"LB_SETHORIZONTALEXTENT","features":[50]},{"name":"LB_SETITEMDATA","features":[50]},{"name":"LB_SETITEMHEIGHT","features":[50]},{"name":"LB_SETLOCALE","features":[50]},{"name":"LB_SETSEL","features":[50]},{"name":"LB_SETTABSTOPS","features":[50]},{"name":"LB_SETTOPINDEX","features":[50]},{"name":"LLKHF_ALTDOWN","features":[50]},{"name":"LLKHF_EXTENDED","features":[50]},{"name":"LLKHF_INJECTED","features":[50]},{"name":"LLKHF_LOWER_IL_INJECTED","features":[50]},{"name":"LLKHF_UP","features":[50]},{"name":"LLMHF_INJECTED","features":[50]},{"name":"LLMHF_LOWER_IL_INJECTED","features":[50]},{"name":"LOCKF_LOGICAL_LOCK","features":[50]},{"name":"LOCKF_PHYSICAL_LOCK","features":[50]},{"name":"LOCKP_ALLOW_MEM_MAPPING","features":[50]},{"name":"LOCKP_ALLOW_WRITES","features":[50]},{"name":"LOCKP_FAIL_MEM_MAPPING","features":[50]},{"name":"LOCKP_FAIL_WRITES","features":[50]},{"name":"LOCKP_LOCK_FOR_FORMAT","features":[50]},{"name":"LOCKP_USER_MASK","features":[50]},{"name":"LR_COLOR","features":[50]},{"name":"LR_COPYDELETEORG","features":[50]},{"name":"LR_COPYFROMRESOURCE","features":[50]},{"name":"LR_COPYRETURNORG","features":[50]},{"name":"LR_CREATEDIBSECTION","features":[50]},{"name":"LR_DEFAULTCOLOR","features":[50]},{"name":"LR_DEFAULTSIZE","features":[50]},{"name":"LR_LOADFROMFILE","features":[50]},{"name":"LR_LOADMAP3DCOLORS","features":[50]},{"name":"LR_LOADTRANSPARENT","features":[50]},{"name":"LR_MONOCHROME","features":[50]},{"name":"LR_SHARED","features":[50]},{"name":"LR_VGACOLOR","features":[50]},{"name":"LSFW_LOCK","features":[50]},{"name":"LSFW_UNLOCK","features":[50]},{"name":"LWA_ALPHA","features":[50]},{"name":"LWA_COLORKEY","features":[50]},{"name":"LoadAcceleratorsA","features":[1,50]},{"name":"LoadAcceleratorsW","features":[1,50]},{"name":"LoadCursorA","features":[1,50]},{"name":"LoadCursorFromFileA","features":[50]},{"name":"LoadCursorFromFileW","features":[50]},{"name":"LoadCursorW","features":[1,50]},{"name":"LoadIconA","features":[1,50]},{"name":"LoadIconW","features":[1,50]},{"name":"LoadImageA","features":[1,50]},{"name":"LoadImageW","features":[1,50]},{"name":"LoadMenuA","features":[1,50]},{"name":"LoadMenuIndirectA","features":[50]},{"name":"LoadMenuIndirectW","features":[50]},{"name":"LoadMenuW","features":[1,50]},{"name":"LoadStringA","features":[1,50]},{"name":"LoadStringW","features":[1,50]},{"name":"LockSetForegroundWindow","features":[1,50]},{"name":"LogicalToPhysicalPoint","features":[1,50]},{"name":"LookupIconIdFromDirectory","features":[1,50]},{"name":"LookupIconIdFromDirectoryEx","features":[1,50]},{"name":"MAXIMUM_RESERVED_MANIFEST_RESOURCE_ID","features":[50]},{"name":"MAX_LOGICALDPIOVERRIDE","features":[50]},{"name":"MAX_STR_BLOCKREASON","features":[50]},{"name":"MAX_TOUCH_COUNT","features":[50]},{"name":"MAX_TOUCH_PREDICTION_FILTER_TAPS","features":[50]},{"name":"MA_ACTIVATE","features":[50]},{"name":"MA_ACTIVATEANDEAT","features":[50]},{"name":"MA_NOACTIVATE","features":[50]},{"name":"MA_NOACTIVATEANDEAT","features":[50]},{"name":"MB_ABORTRETRYIGNORE","features":[50]},{"name":"MB_APPLMODAL","features":[50]},{"name":"MB_CANCELTRYCONTINUE","features":[50]},{"name":"MB_DEFAULT_DESKTOP_ONLY","features":[50]},{"name":"MB_DEFBUTTON1","features":[50]},{"name":"MB_DEFBUTTON2","features":[50]},{"name":"MB_DEFBUTTON3","features":[50]},{"name":"MB_DEFBUTTON4","features":[50]},{"name":"MB_DEFMASK","features":[50]},{"name":"MB_HELP","features":[50]},{"name":"MB_ICONASTERISK","features":[50]},{"name":"MB_ICONERROR","features":[50]},{"name":"MB_ICONEXCLAMATION","features":[50]},{"name":"MB_ICONHAND","features":[50]},{"name":"MB_ICONINFORMATION","features":[50]},{"name":"MB_ICONMASK","features":[50]},{"name":"MB_ICONQUESTION","features":[50]},{"name":"MB_ICONSTOP","features":[50]},{"name":"MB_ICONWARNING","features":[50]},{"name":"MB_MISCMASK","features":[50]},{"name":"MB_MODEMASK","features":[50]},{"name":"MB_NOFOCUS","features":[50]},{"name":"MB_OK","features":[50]},{"name":"MB_OKCANCEL","features":[50]},{"name":"MB_RETRYCANCEL","features":[50]},{"name":"MB_RIGHT","features":[50]},{"name":"MB_RTLREADING","features":[50]},{"name":"MB_SERVICE_NOTIFICATION","features":[50]},{"name":"MB_SERVICE_NOTIFICATION_NT3X","features":[50]},{"name":"MB_SETFOREGROUND","features":[50]},{"name":"MB_SYSTEMMODAL","features":[50]},{"name":"MB_TASKMODAL","features":[50]},{"name":"MB_TOPMOST","features":[50]},{"name":"MB_TYPEMASK","features":[50]},{"name":"MB_USERICON","features":[50]},{"name":"MB_YESNO","features":[50]},{"name":"MB_YESNOCANCEL","features":[50]},{"name":"MDICREATESTRUCTA","features":[1,50]},{"name":"MDICREATESTRUCTW","features":[1,50]},{"name":"MDINEXTMENU","features":[1,50]},{"name":"MDIS_ALLCHILDSTYLES","features":[50]},{"name":"MDITILE_HORIZONTAL","features":[50]},{"name":"MDITILE_SKIPDISABLED","features":[50]},{"name":"MDITILE_VERTICAL","features":[50]},{"name":"MDITILE_ZORDER","features":[50]},{"name":"MENUBARINFO","features":[1,50]},{"name":"MENUEX_TEMPLATE_HEADER","features":[50]},{"name":"MENUEX_TEMPLATE_ITEM","features":[50]},{"name":"MENUGETOBJECTINFO","features":[50]},{"name":"MENUGETOBJECTINFO_FLAGS","features":[50]},{"name":"MENUINFO","features":[12,50]},{"name":"MENUINFO_MASK","features":[50]},{"name":"MENUINFO_STYLE","features":[50]},{"name":"MENUITEMINFOA","features":[12,50]},{"name":"MENUITEMINFOW","features":[12,50]},{"name":"MENUITEMTEMPLATE","features":[50]},{"name":"MENUITEMTEMPLATEHEADER","features":[50]},{"name":"MENUTEMPLATEEX","features":[50]},{"name":"MENU_ITEM_FLAGS","features":[50]},{"name":"MENU_ITEM_MASK","features":[50]},{"name":"MENU_ITEM_STATE","features":[50]},{"name":"MENU_ITEM_TYPE","features":[50]},{"name":"MESSAGEBOX_RESULT","features":[50]},{"name":"MESSAGEBOX_STYLE","features":[50]},{"name":"MESSAGE_RESOURCE_BLOCK","features":[50]},{"name":"MESSAGE_RESOURCE_DATA","features":[50]},{"name":"MESSAGE_RESOURCE_ENTRY","features":[50]},{"name":"METRICS_USEDEFAULT","features":[50]},{"name":"MFS_CHECKED","features":[50]},{"name":"MFS_DEFAULT","features":[50]},{"name":"MFS_DISABLED","features":[50]},{"name":"MFS_ENABLED","features":[50]},{"name":"MFS_GRAYED","features":[50]},{"name":"MFS_HILITE","features":[50]},{"name":"MFS_UNCHECKED","features":[50]},{"name":"MFS_UNHILITE","features":[50]},{"name":"MFT_BITMAP","features":[50]},{"name":"MFT_MENUBARBREAK","features":[50]},{"name":"MFT_MENUBREAK","features":[50]},{"name":"MFT_OWNERDRAW","features":[50]},{"name":"MFT_RADIOCHECK","features":[50]},{"name":"MFT_RIGHTJUSTIFY","features":[50]},{"name":"MFT_RIGHTORDER","features":[50]},{"name":"MFT_SEPARATOR","features":[50]},{"name":"MFT_STRING","features":[50]},{"name":"MF_APPEND","features":[50]},{"name":"MF_BITMAP","features":[50]},{"name":"MF_BYCOMMAND","features":[50]},{"name":"MF_BYPOSITION","features":[50]},{"name":"MF_CHANGE","features":[50]},{"name":"MF_CHECKED","features":[50]},{"name":"MF_DEFAULT","features":[50]},{"name":"MF_DELETE","features":[50]},{"name":"MF_DISABLED","features":[50]},{"name":"MF_ENABLED","features":[50]},{"name":"MF_END","features":[50]},{"name":"MF_GRAYED","features":[50]},{"name":"MF_HELP","features":[50]},{"name":"MF_HILITE","features":[50]},{"name":"MF_INSERT","features":[50]},{"name":"MF_MENUBARBREAK","features":[50]},{"name":"MF_MENUBREAK","features":[50]},{"name":"MF_MOUSESELECT","features":[50]},{"name":"MF_OWNERDRAW","features":[50]},{"name":"MF_POPUP","features":[50]},{"name":"MF_REMOVE","features":[50]},{"name":"MF_RIGHTJUSTIFY","features":[50]},{"name":"MF_SEPARATOR","features":[50]},{"name":"MF_STRING","features":[50]},{"name":"MF_SYSMENU","features":[50]},{"name":"MF_UNCHECKED","features":[50]},{"name":"MF_UNHILITE","features":[50]},{"name":"MF_USECHECKBITMAPS","features":[50]},{"name":"MIIM_BITMAP","features":[50]},{"name":"MIIM_CHECKMARKS","features":[50]},{"name":"MIIM_DATA","features":[50]},{"name":"MIIM_FTYPE","features":[50]},{"name":"MIIM_ID","features":[50]},{"name":"MIIM_STATE","features":[50]},{"name":"MIIM_STRING","features":[50]},{"name":"MIIM_SUBMENU","features":[50]},{"name":"MIIM_TYPE","features":[50]},{"name":"MIM_APPLYTOSUBMENUS","features":[50]},{"name":"MIM_BACKGROUND","features":[50]},{"name":"MIM_HELPID","features":[50]},{"name":"MIM_MAXHEIGHT","features":[50]},{"name":"MIM_MENUDATA","features":[50]},{"name":"MIM_STYLE","features":[50]},{"name":"MINIMIZEDMETRICS","features":[50]},{"name":"MINIMIZEDMETRICS_ARRANGE","features":[50]},{"name":"MINIMUM_RESERVED_MANIFEST_RESOURCE_ID","features":[50]},{"name":"MINMAXINFO","features":[1,50]},{"name":"MIN_LOGICALDPIOVERRIDE","features":[50]},{"name":"MKF_AVAILABLE","features":[50]},{"name":"MKF_CONFIRMHOTKEY","features":[50]},{"name":"MKF_HOTKEYACTIVE","features":[50]},{"name":"MKF_HOTKEYSOUND","features":[50]},{"name":"MKF_INDICATOR","features":[50]},{"name":"MKF_LEFTBUTTONDOWN","features":[50]},{"name":"MKF_LEFTBUTTONSEL","features":[50]},{"name":"MKF_MODIFIERS","features":[50]},{"name":"MKF_MOUSEKEYSON","features":[50]},{"name":"MKF_MOUSEMODE","features":[50]},{"name":"MKF_REPLACENUMBERS","features":[50]},{"name":"MKF_RIGHTBUTTONDOWN","features":[50]},{"name":"MKF_RIGHTBUTTONSEL","features":[50]},{"name":"MNC_CLOSE","features":[50]},{"name":"MNC_EXECUTE","features":[50]},{"name":"MNC_IGNORE","features":[50]},{"name":"MNC_SELECT","features":[50]},{"name":"MND_CONTINUE","features":[50]},{"name":"MND_ENDMENU","features":[50]},{"name":"MNGOF_BOTTOMGAP","features":[50]},{"name":"MNGOF_TOPGAP","features":[50]},{"name":"MNGO_NOERROR","features":[50]},{"name":"MNGO_NOINTERFACE","features":[50]},{"name":"MNS_AUTODISMISS","features":[50]},{"name":"MNS_CHECKORBMP","features":[50]},{"name":"MNS_DRAGDROP","features":[50]},{"name":"MNS_MODELESS","features":[50]},{"name":"MNS_NOCHECK","features":[50]},{"name":"MNS_NOTIFYBYPOS","features":[50]},{"name":"MN_GETHMENU","features":[50]},{"name":"MONITORINFOF_PRIMARY","features":[50]},{"name":"MOUSEHOOKSTRUCT","features":[1,50]},{"name":"MOUSEHOOKSTRUCTEX","features":[1,50]},{"name":"MOUSEWHEEL_ROUTING_FOCUS","features":[50]},{"name":"MOUSEWHEEL_ROUTING_HYBRID","features":[50]},{"name":"MOUSEWHEEL_ROUTING_MOUSE_POS","features":[50]},{"name":"MSG","features":[1,50]},{"name":"MSGBOXCALLBACK","features":[1,109,50]},{"name":"MSGBOXPARAMSA","features":[1,109,50]},{"name":"MSGBOXPARAMSW","features":[1,109,50]},{"name":"MSGFLTINFO_ALLOWED_HIGHER","features":[50]},{"name":"MSGFLTINFO_ALREADYALLOWED_FORWND","features":[50]},{"name":"MSGFLTINFO_ALREADYDISALLOWED_FORWND","features":[50]},{"name":"MSGFLTINFO_NONE","features":[50]},{"name":"MSGFLTINFO_STATUS","features":[50]},{"name":"MSGFLT_ADD","features":[50]},{"name":"MSGFLT_ALLOW","features":[50]},{"name":"MSGFLT_DISALLOW","features":[50]},{"name":"MSGFLT_REMOVE","features":[50]},{"name":"MSGFLT_RESET","features":[50]},{"name":"MSGF_DIALOGBOX","features":[50]},{"name":"MSGF_MAX","features":[50]},{"name":"MSGF_MENU","features":[50]},{"name":"MSGF_MESSAGEBOX","features":[50]},{"name":"MSGF_NEXTWINDOW","features":[50]},{"name":"MSGF_SCROLLBAR","features":[50]},{"name":"MSGF_USER","features":[50]},{"name":"MSG_WAIT_FOR_MULTIPLE_OBJECTS_EX_FLAGS","features":[50]},{"name":"MSLLHOOKSTRUCT","features":[1,50]},{"name":"MWMO_ALERTABLE","features":[50]},{"name":"MWMO_INPUTAVAILABLE","features":[50]},{"name":"MWMO_NONE","features":[50]},{"name":"MWMO_WAITALL","features":[50]},{"name":"MapDialogRect","features":[1,50]},{"name":"MenuItemFromPoint","features":[1,50]},{"name":"MessageBoxA","features":[1,50]},{"name":"MessageBoxExA","features":[1,50]},{"name":"MessageBoxExW","features":[1,50]},{"name":"MessageBoxIndirectA","features":[1,109,50]},{"name":"MessageBoxIndirectW","features":[1,109,50]},{"name":"MessageBoxW","features":[1,50]},{"name":"ModifyMenuA","features":[1,50]},{"name":"ModifyMenuW","features":[1,50]},{"name":"MoveWindow","features":[1,50]},{"name":"MrmCreateConfig","features":[50]},{"name":"MrmCreateConfigInMemory","features":[50]},{"name":"MrmCreateResourceFile","features":[50]},{"name":"MrmCreateResourceFileInMemory","features":[50]},{"name":"MrmCreateResourceFileWithChecksum","features":[50]},{"name":"MrmCreateResourceIndexer","features":[50]},{"name":"MrmCreateResourceIndexerFromPreviousPriData","features":[50]},{"name":"MrmCreateResourceIndexerFromPreviousPriFile","features":[50]},{"name":"MrmCreateResourceIndexerFromPreviousSchemaData","features":[50]},{"name":"MrmCreateResourceIndexerFromPreviousSchemaFile","features":[50]},{"name":"MrmCreateResourceIndexerWithFlags","features":[50]},{"name":"MrmDestroyIndexerAndMessages","features":[50]},{"name":"MrmDumpPriDataInMemory","features":[50]},{"name":"MrmDumpPriFile","features":[50]},{"name":"MrmDumpPriFileInMemory","features":[50]},{"name":"MrmDumpType","features":[50]},{"name":"MrmDumpType_Basic","features":[50]},{"name":"MrmDumpType_Detailed","features":[50]},{"name":"MrmDumpType_Schema","features":[50]},{"name":"MrmFreeMemory","features":[50]},{"name":"MrmGetPriFileContentChecksum","features":[50]},{"name":"MrmIndexEmbeddedData","features":[50]},{"name":"MrmIndexFile","features":[50]},{"name":"MrmIndexFileAutoQualifiers","features":[50]},{"name":"MrmIndexResourceContainerAutoQualifiers","features":[50]},{"name":"MrmIndexString","features":[50]},{"name":"MrmIndexerFlags","features":[50]},{"name":"MrmIndexerFlagsAutoMerge","features":[50]},{"name":"MrmIndexerFlagsCreateContentChecksum","features":[50]},{"name":"MrmIndexerFlagsNone","features":[50]},{"name":"MrmPackagingMode","features":[50]},{"name":"MrmPackagingModeAutoSplit","features":[50]},{"name":"MrmPackagingModeResourcePack","features":[50]},{"name":"MrmPackagingModeStandaloneFile","features":[50]},{"name":"MrmPackagingOptions","features":[50]},{"name":"MrmPackagingOptionsNone","features":[50]},{"name":"MrmPackagingOptionsOmitSchemaFromResourcePacks","features":[50]},{"name":"MrmPackagingOptionsSplitLanguageVariants","features":[50]},{"name":"MrmPeekResourceIndexerMessages","features":[50]},{"name":"MrmPlatformVersion","features":[50]},{"name":"MrmPlatformVersion_Default","features":[50]},{"name":"MrmPlatformVersion_Windows10_0_0_0","features":[50]},{"name":"MrmPlatformVersion_Windows10_0_0_5","features":[50]},{"name":"MrmResourceIndexerHandle","features":[50]},{"name":"MrmResourceIndexerMessage","features":[50]},{"name":"MrmResourceIndexerMessageSeverity","features":[50]},{"name":"MrmResourceIndexerMessageSeverityError","features":[50]},{"name":"MrmResourceIndexerMessageSeverityInfo","features":[50]},{"name":"MrmResourceIndexerMessageSeverityVerbose","features":[50]},{"name":"MrmResourceIndexerMessageSeverityWarning","features":[50]},{"name":"MsgWaitForMultipleObjects","features":[1,50]},{"name":"MsgWaitForMultipleObjectsEx","features":[1,50]},{"name":"NAMEENUMPROCA","features":[1,50]},{"name":"NAMEENUMPROCW","features":[1,50]},{"name":"NCCALCSIZE_PARAMS","features":[1,50]},{"name":"NFR_ANSI","features":[50]},{"name":"NFR_UNICODE","features":[50]},{"name":"NF_QUERY","features":[50]},{"name":"NF_REQUERY","features":[50]},{"name":"NID_EXTERNAL_PEN","features":[50]},{"name":"NID_EXTERNAL_TOUCH","features":[50]},{"name":"NID_INTEGRATED_PEN","features":[50]},{"name":"NID_INTEGRATED_TOUCH","features":[50]},{"name":"NID_MULTI_INPUT","features":[50]},{"name":"NID_READY","features":[50]},{"name":"NONCLIENTMETRICSA","features":[12,50]},{"name":"NONCLIENTMETRICSW","features":[12,50]},{"name":"OBJECT_IDENTIFIER","features":[50]},{"name":"OBJID_ALERT","features":[50]},{"name":"OBJID_CARET","features":[50]},{"name":"OBJID_CLIENT","features":[50]},{"name":"OBJID_CURSOR","features":[50]},{"name":"OBJID_HSCROLL","features":[50]},{"name":"OBJID_MENU","features":[50]},{"name":"OBJID_NATIVEOM","features":[50]},{"name":"OBJID_QUERYCLASSNAMEIDX","features":[50]},{"name":"OBJID_SIZEGRIP","features":[50]},{"name":"OBJID_SOUND","features":[50]},{"name":"OBJID_SYSMENU","features":[50]},{"name":"OBJID_TITLEBAR","features":[50]},{"name":"OBJID_VSCROLL","features":[50]},{"name":"OBJID_WINDOW","features":[50]},{"name":"OBM_BTNCORNERS","features":[50]},{"name":"OBM_BTSIZE","features":[50]},{"name":"OBM_CHECK","features":[50]},{"name":"OBM_CHECKBOXES","features":[50]},{"name":"OBM_CLOSE","features":[50]},{"name":"OBM_COMBO","features":[50]},{"name":"OBM_DNARROW","features":[50]},{"name":"OBM_DNARROWD","features":[50]},{"name":"OBM_DNARROWI","features":[50]},{"name":"OBM_LFARROW","features":[50]},{"name":"OBM_LFARROWD","features":[50]},{"name":"OBM_LFARROWI","features":[50]},{"name":"OBM_MNARROW","features":[50]},{"name":"OBM_OLD_CLOSE","features":[50]},{"name":"OBM_OLD_DNARROW","features":[50]},{"name":"OBM_OLD_LFARROW","features":[50]},{"name":"OBM_OLD_REDUCE","features":[50]},{"name":"OBM_OLD_RESTORE","features":[50]},{"name":"OBM_OLD_RGARROW","features":[50]},{"name":"OBM_OLD_UPARROW","features":[50]},{"name":"OBM_OLD_ZOOM","features":[50]},{"name":"OBM_REDUCE","features":[50]},{"name":"OBM_REDUCED","features":[50]},{"name":"OBM_RESTORE","features":[50]},{"name":"OBM_RESTORED","features":[50]},{"name":"OBM_RGARROW","features":[50]},{"name":"OBM_RGARROWD","features":[50]},{"name":"OBM_RGARROWI","features":[50]},{"name":"OBM_SIZE","features":[50]},{"name":"OBM_UPARROW","features":[50]},{"name":"OBM_UPARROWD","features":[50]},{"name":"OBM_UPARROWI","features":[50]},{"name":"OBM_ZOOM","features":[50]},{"name":"OBM_ZOOMD","features":[50]},{"name":"OCR_APPSTARTING","features":[50]},{"name":"OCR_CROSS","features":[50]},{"name":"OCR_HAND","features":[50]},{"name":"OCR_HELP","features":[50]},{"name":"OCR_IBEAM","features":[50]},{"name":"OCR_ICOCUR","features":[50]},{"name":"OCR_ICON","features":[50]},{"name":"OCR_NO","features":[50]},{"name":"OCR_NORMAL","features":[50]},{"name":"OCR_SIZE","features":[50]},{"name":"OCR_SIZEALL","features":[50]},{"name":"OCR_SIZENESW","features":[50]},{"name":"OCR_SIZENS","features":[50]},{"name":"OCR_SIZENWSE","features":[50]},{"name":"OCR_SIZEWE","features":[50]},{"name":"OCR_UP","features":[50]},{"name":"OCR_WAIT","features":[50]},{"name":"OIC_BANG","features":[50]},{"name":"OIC_ERROR","features":[50]},{"name":"OIC_HAND","features":[50]},{"name":"OIC_INFORMATION","features":[50]},{"name":"OIC_NOTE","features":[50]},{"name":"OIC_QUES","features":[50]},{"name":"OIC_SAMPLE","features":[50]},{"name":"OIC_SHIELD","features":[50]},{"name":"OIC_WARNING","features":[50]},{"name":"OIC_WINLOGO","features":[50]},{"name":"ORD_LANGDRIVER","features":[50]},{"name":"OemToCharA","features":[1,50]},{"name":"OemToCharBuffA","features":[1,50]},{"name":"OemToCharBuffW","features":[1,50]},{"name":"OemToCharW","features":[1,50]},{"name":"OpenIcon","features":[1,50]},{"name":"PA_ACTIVATE","features":[50]},{"name":"PA_NOACTIVATE","features":[50]},{"name":"PBTF_APMRESUMEFROMFAILURE","features":[50]},{"name":"PBT_APMBATTERYLOW","features":[50]},{"name":"PBT_APMOEMEVENT","features":[50]},{"name":"PBT_APMPOWERSTATUSCHANGE","features":[50]},{"name":"PBT_APMQUERYSTANDBY","features":[50]},{"name":"PBT_APMQUERYSTANDBYFAILED","features":[50]},{"name":"PBT_APMQUERYSUSPEND","features":[50]},{"name":"PBT_APMQUERYSUSPENDFAILED","features":[50]},{"name":"PBT_APMRESUMEAUTOMATIC","features":[50]},{"name":"PBT_APMRESUMECRITICAL","features":[50]},{"name":"PBT_APMRESUMESTANDBY","features":[50]},{"name":"PBT_APMRESUMESUSPEND","features":[50]},{"name":"PBT_APMSTANDBY","features":[50]},{"name":"PBT_APMSUSPEND","features":[50]},{"name":"PBT_POWERSETTINGCHANGE","features":[50]},{"name":"PDC_ARRIVAL","features":[50]},{"name":"PDC_MAPPING_CHANGE","features":[50]},{"name":"PDC_MODE_ASPECTRATIOPRESERVED","features":[50]},{"name":"PDC_MODE_CENTERED","features":[50]},{"name":"PDC_MODE_DEFAULT","features":[50]},{"name":"PDC_ORIENTATION_0","features":[50]},{"name":"PDC_ORIENTATION_180","features":[50]},{"name":"PDC_ORIENTATION_270","features":[50]},{"name":"PDC_ORIENTATION_90","features":[50]},{"name":"PDC_ORIGIN","features":[50]},{"name":"PDC_REMOVAL","features":[50]},{"name":"PDC_RESOLUTION","features":[50]},{"name":"PEEK_MESSAGE_REMOVE_TYPE","features":[50]},{"name":"PENARBITRATIONTYPE_FIS","features":[50]},{"name":"PENARBITRATIONTYPE_MAX","features":[50]},{"name":"PENARBITRATIONTYPE_NONE","features":[50]},{"name":"PENARBITRATIONTYPE_SPT","features":[50]},{"name":"PENARBITRATIONTYPE_WIN8","features":[50]},{"name":"PENVISUALIZATION_CURSOR","features":[50]},{"name":"PENVISUALIZATION_DOUBLETAP","features":[50]},{"name":"PENVISUALIZATION_OFF","features":[50]},{"name":"PENVISUALIZATION_ON","features":[50]},{"name":"PENVISUALIZATION_TAP","features":[50]},{"name":"PEN_FLAG_BARREL","features":[50]},{"name":"PEN_FLAG_ERASER","features":[50]},{"name":"PEN_FLAG_INVERTED","features":[50]},{"name":"PEN_FLAG_NONE","features":[50]},{"name":"PEN_MASK_NONE","features":[50]},{"name":"PEN_MASK_PRESSURE","features":[50]},{"name":"PEN_MASK_ROTATION","features":[50]},{"name":"PEN_MASK_TILT_X","features":[50]},{"name":"PEN_MASK_TILT_Y","features":[50]},{"name":"PMB_ACTIVE","features":[50]},{"name":"PM_NOREMOVE","features":[50]},{"name":"PM_NOYIELD","features":[50]},{"name":"PM_QS_INPUT","features":[50]},{"name":"PM_QS_PAINT","features":[50]},{"name":"PM_QS_POSTMESSAGE","features":[50]},{"name":"PM_QS_SENDMESSAGE","features":[50]},{"name":"PM_REMOVE","features":[50]},{"name":"POINTER_DEVICE_PRODUCT_STRING_MAX","features":[50]},{"name":"POINTER_INPUT_TYPE","features":[50]},{"name":"POINTER_MESSAGE_FLAG_CANCELED","features":[50]},{"name":"POINTER_MESSAGE_FLAG_CONFIDENCE","features":[50]},{"name":"POINTER_MESSAGE_FLAG_FIFTHBUTTON","features":[50]},{"name":"POINTER_MESSAGE_FLAG_FIRSTBUTTON","features":[50]},{"name":"POINTER_MESSAGE_FLAG_FOURTHBUTTON","features":[50]},{"name":"POINTER_MESSAGE_FLAG_INCONTACT","features":[50]},{"name":"POINTER_MESSAGE_FLAG_INRANGE","features":[50]},{"name":"POINTER_MESSAGE_FLAG_NEW","features":[50]},{"name":"POINTER_MESSAGE_FLAG_PRIMARY","features":[50]},{"name":"POINTER_MESSAGE_FLAG_SECONDBUTTON","features":[50]},{"name":"POINTER_MESSAGE_FLAG_THIRDBUTTON","features":[50]},{"name":"POINTER_MOD_CTRL","features":[50]},{"name":"POINTER_MOD_SHIFT","features":[50]},{"name":"PREGISTERCLASSNAMEW","features":[1,50]},{"name":"PRF_CHECKVISIBLE","features":[50]},{"name":"PRF_CHILDREN","features":[50]},{"name":"PRF_CLIENT","features":[50]},{"name":"PRF_ERASEBKGND","features":[50]},{"name":"PRF_NONCLIENT","features":[50]},{"name":"PRF_OWNED","features":[50]},{"name":"PROPENUMPROCA","features":[1,50]},{"name":"PROPENUMPROCEXA","features":[1,50]},{"name":"PROPENUMPROCEXW","features":[1,50]},{"name":"PROPENUMPROCW","features":[1,50]},{"name":"PT_MOUSE","features":[50]},{"name":"PT_PEN","features":[50]},{"name":"PT_POINTER","features":[50]},{"name":"PT_TOUCH","features":[50]},{"name":"PT_TOUCHPAD","features":[50]},{"name":"PWR_CRITICALRESUME","features":[50]},{"name":"PWR_FAIL","features":[50]},{"name":"PWR_OK","features":[50]},{"name":"PWR_SUSPENDREQUEST","features":[50]},{"name":"PWR_SUSPENDRESUME","features":[50]},{"name":"PW_RENDERFULLCONTENT","features":[50]},{"name":"PeekMessageA","features":[1,50]},{"name":"PeekMessageW","features":[1,50]},{"name":"PhysicalToLogicalPoint","features":[1,50]},{"name":"PostMessageA","features":[1,50]},{"name":"PostMessageW","features":[1,50]},{"name":"PostQuitMessage","features":[50]},{"name":"PostThreadMessageA","features":[1,50]},{"name":"PostThreadMessageW","features":[1,50]},{"name":"PrivateExtractIconsA","features":[50]},{"name":"PrivateExtractIconsW","features":[50]},{"name":"QS_ALLEVENTS","features":[50]},{"name":"QS_ALLINPUT","features":[50]},{"name":"QS_ALLPOSTMESSAGE","features":[50]},{"name":"QS_HOTKEY","features":[50]},{"name":"QS_INPUT","features":[50]},{"name":"QS_KEY","features":[50]},{"name":"QS_MOUSE","features":[50]},{"name":"QS_MOUSEBUTTON","features":[50]},{"name":"QS_MOUSEMOVE","features":[50]},{"name":"QS_PAINT","features":[50]},{"name":"QS_POINTER","features":[50]},{"name":"QS_POSTMESSAGE","features":[50]},{"name":"QS_RAWINPUT","features":[50]},{"name":"QS_SENDMESSAGE","features":[50]},{"name":"QS_TIMER","features":[50]},{"name":"QS_TOUCH","features":[50]},{"name":"QUEUE_STATUS_FLAGS","features":[50]},{"name":"REGISTER_NOTIFICATION_FLAGS","features":[50]},{"name":"RES_CURSOR","features":[50]},{"name":"RES_ICON","features":[50]},{"name":"RIDEV_EXMODEMASK","features":[50]},{"name":"RIM_INPUT","features":[50]},{"name":"RIM_INPUTSINK","features":[50]},{"name":"RIM_TYPEMAX","features":[50]},{"name":"RI_KEY_BREAK","features":[50]},{"name":"RI_KEY_E0","features":[50]},{"name":"RI_KEY_E1","features":[50]},{"name":"RI_KEY_MAKE","features":[50]},{"name":"RI_KEY_TERMSRV_SET_LED","features":[50]},{"name":"RI_KEY_TERMSRV_SHADOW","features":[50]},{"name":"RI_MOUSE_BUTTON_1_DOWN","features":[50]},{"name":"RI_MOUSE_BUTTON_1_UP","features":[50]},{"name":"RI_MOUSE_BUTTON_2_DOWN","features":[50]},{"name":"RI_MOUSE_BUTTON_2_UP","features":[50]},{"name":"RI_MOUSE_BUTTON_3_DOWN","features":[50]},{"name":"RI_MOUSE_BUTTON_3_UP","features":[50]},{"name":"RI_MOUSE_BUTTON_4_DOWN","features":[50]},{"name":"RI_MOUSE_BUTTON_4_UP","features":[50]},{"name":"RI_MOUSE_BUTTON_5_DOWN","features":[50]},{"name":"RI_MOUSE_BUTTON_5_UP","features":[50]},{"name":"RI_MOUSE_HWHEEL","features":[50]},{"name":"RI_MOUSE_LEFT_BUTTON_DOWN","features":[50]},{"name":"RI_MOUSE_LEFT_BUTTON_UP","features":[50]},{"name":"RI_MOUSE_MIDDLE_BUTTON_DOWN","features":[50]},{"name":"RI_MOUSE_MIDDLE_BUTTON_UP","features":[50]},{"name":"RI_MOUSE_RIGHT_BUTTON_DOWN","features":[50]},{"name":"RI_MOUSE_RIGHT_BUTTON_UP","features":[50]},{"name":"RI_MOUSE_WHEEL","features":[50]},{"name":"RT_ACCELERATOR","features":[50]},{"name":"RT_ANICURSOR","features":[50]},{"name":"RT_ANIICON","features":[50]},{"name":"RT_BITMAP","features":[50]},{"name":"RT_CURSOR","features":[50]},{"name":"RT_DIALOG","features":[50]},{"name":"RT_DLGINCLUDE","features":[50]},{"name":"RT_FONT","features":[50]},{"name":"RT_FONTDIR","features":[50]},{"name":"RT_HTML","features":[50]},{"name":"RT_ICON","features":[50]},{"name":"RT_MANIFEST","features":[50]},{"name":"RT_MENU","features":[50]},{"name":"RT_MESSAGETABLE","features":[50]},{"name":"RT_PLUGPLAY","features":[50]},{"name":"RT_VERSION","features":[50]},{"name":"RT_VXD","features":[50]},{"name":"RealChildWindowFromPoint","features":[1,50]},{"name":"RealGetWindowClassA","features":[1,50]},{"name":"RealGetWindowClassW","features":[1,50]},{"name":"RegisterClassA","features":[1,12,50]},{"name":"RegisterClassExA","features":[1,12,50]},{"name":"RegisterClassExW","features":[1,12,50]},{"name":"RegisterClassW","features":[1,12,50]},{"name":"RegisterDeviceNotificationA","features":[1,50]},{"name":"RegisterDeviceNotificationW","features":[1,50]},{"name":"RegisterForTooltipDismissNotification","features":[1,50]},{"name":"RegisterShellHookWindow","features":[1,50]},{"name":"RegisterWindowMessageA","features":[50]},{"name":"RegisterWindowMessageW","features":[50]},{"name":"RemoveMenu","features":[1,50]},{"name":"RemovePropA","features":[1,50]},{"name":"RemovePropW","features":[1,50]},{"name":"ReplyMessage","features":[1,50]},{"name":"SBM_ENABLE_ARROWS","features":[50]},{"name":"SBM_GETPOS","features":[50]},{"name":"SBM_GETRANGE","features":[50]},{"name":"SBM_GETSCROLLBARINFO","features":[50]},{"name":"SBM_GETSCROLLINFO","features":[50]},{"name":"SBM_SETPOS","features":[50]},{"name":"SBM_SETRANGE","features":[50]},{"name":"SBM_SETRANGEREDRAW","features":[50]},{"name":"SBM_SETSCROLLINFO","features":[50]},{"name":"SBS_BOTTOMALIGN","features":[50]},{"name":"SBS_HORZ","features":[50]},{"name":"SBS_LEFTALIGN","features":[50]},{"name":"SBS_RIGHTALIGN","features":[50]},{"name":"SBS_SIZEBOX","features":[50]},{"name":"SBS_SIZEBOXBOTTOMRIGHTALIGN","features":[50]},{"name":"SBS_SIZEBOXTOPLEFTALIGN","features":[50]},{"name":"SBS_SIZEGRIP","features":[50]},{"name":"SBS_TOPALIGN","features":[50]},{"name":"SBS_VERT","features":[50]},{"name":"SB_BOTH","features":[50]},{"name":"SB_BOTTOM","features":[50]},{"name":"SB_CTL","features":[50]},{"name":"SB_ENDSCROLL","features":[50]},{"name":"SB_HORZ","features":[50]},{"name":"SB_LEFT","features":[50]},{"name":"SB_LINEDOWN","features":[50]},{"name":"SB_LINELEFT","features":[50]},{"name":"SB_LINERIGHT","features":[50]},{"name":"SB_LINEUP","features":[50]},{"name":"SB_PAGEDOWN","features":[50]},{"name":"SB_PAGELEFT","features":[50]},{"name":"SB_PAGERIGHT","features":[50]},{"name":"SB_PAGEUP","features":[50]},{"name":"SB_RIGHT","features":[50]},{"name":"SB_THUMBPOSITION","features":[50]},{"name":"SB_THUMBTRACK","features":[50]},{"name":"SB_TOP","features":[50]},{"name":"SB_VERT","features":[50]},{"name":"SCF_ISSECURE","features":[50]},{"name":"SCROLLBARINFO","features":[1,50]},{"name":"SCROLLBAR_COMMAND","features":[50]},{"name":"SCROLLBAR_CONSTANTS","features":[50]},{"name":"SCROLLINFO","features":[50]},{"name":"SCROLLINFO_MASK","features":[50]},{"name":"SCROLL_WINDOW_FLAGS","features":[50]},{"name":"SC_ARRANGE","features":[50]},{"name":"SC_CLOSE","features":[50]},{"name":"SC_CONTEXTHELP","features":[50]},{"name":"SC_DEFAULT","features":[50]},{"name":"SC_HOTKEY","features":[50]},{"name":"SC_HSCROLL","features":[50]},{"name":"SC_ICON","features":[50]},{"name":"SC_KEYMENU","features":[50]},{"name":"SC_MAXIMIZE","features":[50]},{"name":"SC_MINIMIZE","features":[50]},{"name":"SC_MONITORPOWER","features":[50]},{"name":"SC_MOUSEMENU","features":[50]},{"name":"SC_MOVE","features":[50]},{"name":"SC_NEXTWINDOW","features":[50]},{"name":"SC_PREVWINDOW","features":[50]},{"name":"SC_RESTORE","features":[50]},{"name":"SC_SEPARATOR","features":[50]},{"name":"SC_SIZE","features":[50]},{"name":"SC_TASKLIST","features":[50]},{"name":"SC_VSCROLL","features":[50]},{"name":"SC_ZOOM","features":[50]},{"name":"SENDASYNCPROC","features":[1,50]},{"name":"SEND_MESSAGE_TIMEOUT_FLAGS","features":[50]},{"name":"SET_WINDOW_POS_FLAGS","features":[50]},{"name":"SHELLHOOKINFO","features":[1,50]},{"name":"SHOW_FULLSCREEN","features":[50]},{"name":"SHOW_ICONWINDOW","features":[50]},{"name":"SHOW_OPENNOACTIVATE","features":[50]},{"name":"SHOW_OPENWINDOW","features":[50]},{"name":"SHOW_WINDOW_CMD","features":[50]},{"name":"SHOW_WINDOW_STATUS","features":[50]},{"name":"SIF_ALL","features":[50]},{"name":"SIF_DISABLENOSCROLL","features":[50]},{"name":"SIF_PAGE","features":[50]},{"name":"SIF_POS","features":[50]},{"name":"SIF_RANGE","features":[50]},{"name":"SIF_TRACKPOS","features":[50]},{"name":"SIZEFULLSCREEN","features":[50]},{"name":"SIZEICONIC","features":[50]},{"name":"SIZENORMAL","features":[50]},{"name":"SIZEZOOMHIDE","features":[50]},{"name":"SIZEZOOMSHOW","features":[50]},{"name":"SIZE_MAXHIDE","features":[50]},{"name":"SIZE_MAXIMIZED","features":[50]},{"name":"SIZE_MAXSHOW","features":[50]},{"name":"SIZE_MINIMIZED","features":[50]},{"name":"SIZE_RESTORED","features":[50]},{"name":"SMTO_ABORTIFHUNG","features":[50]},{"name":"SMTO_BLOCK","features":[50]},{"name":"SMTO_ERRORONEXIT","features":[50]},{"name":"SMTO_NORMAL","features":[50]},{"name":"SMTO_NOTIMEOUTIFNOTHUNG","features":[50]},{"name":"SM_ARRANGE","features":[50]},{"name":"SM_CARETBLINKINGENABLED","features":[50]},{"name":"SM_CLEANBOOT","features":[50]},{"name":"SM_CMETRICS","features":[50]},{"name":"SM_CMONITORS","features":[50]},{"name":"SM_CMOUSEBUTTONS","features":[50]},{"name":"SM_CONVERTIBLESLATEMODE","features":[50]},{"name":"SM_CXBORDER","features":[50]},{"name":"SM_CXCURSOR","features":[50]},{"name":"SM_CXDLGFRAME","features":[50]},{"name":"SM_CXDOUBLECLK","features":[50]},{"name":"SM_CXDRAG","features":[50]},{"name":"SM_CXEDGE","features":[50]},{"name":"SM_CXFIXEDFRAME","features":[50]},{"name":"SM_CXFOCUSBORDER","features":[50]},{"name":"SM_CXFRAME","features":[50]},{"name":"SM_CXFULLSCREEN","features":[50]},{"name":"SM_CXHSCROLL","features":[50]},{"name":"SM_CXHTHUMB","features":[50]},{"name":"SM_CXICON","features":[50]},{"name":"SM_CXICONSPACING","features":[50]},{"name":"SM_CXMAXIMIZED","features":[50]},{"name":"SM_CXMAXTRACK","features":[50]},{"name":"SM_CXMENUCHECK","features":[50]},{"name":"SM_CXMENUSIZE","features":[50]},{"name":"SM_CXMIN","features":[50]},{"name":"SM_CXMINIMIZED","features":[50]},{"name":"SM_CXMINSPACING","features":[50]},{"name":"SM_CXMINTRACK","features":[50]},{"name":"SM_CXPADDEDBORDER","features":[50]},{"name":"SM_CXSCREEN","features":[50]},{"name":"SM_CXSIZE","features":[50]},{"name":"SM_CXSIZEFRAME","features":[50]},{"name":"SM_CXSMICON","features":[50]},{"name":"SM_CXSMSIZE","features":[50]},{"name":"SM_CXVIRTUALSCREEN","features":[50]},{"name":"SM_CXVSCROLL","features":[50]},{"name":"SM_CYBORDER","features":[50]},{"name":"SM_CYCAPTION","features":[50]},{"name":"SM_CYCURSOR","features":[50]},{"name":"SM_CYDLGFRAME","features":[50]},{"name":"SM_CYDOUBLECLK","features":[50]},{"name":"SM_CYDRAG","features":[50]},{"name":"SM_CYEDGE","features":[50]},{"name":"SM_CYFIXEDFRAME","features":[50]},{"name":"SM_CYFOCUSBORDER","features":[50]},{"name":"SM_CYFRAME","features":[50]},{"name":"SM_CYFULLSCREEN","features":[50]},{"name":"SM_CYHSCROLL","features":[50]},{"name":"SM_CYICON","features":[50]},{"name":"SM_CYICONSPACING","features":[50]},{"name":"SM_CYKANJIWINDOW","features":[50]},{"name":"SM_CYMAXIMIZED","features":[50]},{"name":"SM_CYMAXTRACK","features":[50]},{"name":"SM_CYMENU","features":[50]},{"name":"SM_CYMENUCHECK","features":[50]},{"name":"SM_CYMENUSIZE","features":[50]},{"name":"SM_CYMIN","features":[50]},{"name":"SM_CYMINIMIZED","features":[50]},{"name":"SM_CYMINSPACING","features":[50]},{"name":"SM_CYMINTRACK","features":[50]},{"name":"SM_CYSCREEN","features":[50]},{"name":"SM_CYSIZE","features":[50]},{"name":"SM_CYSIZEFRAME","features":[50]},{"name":"SM_CYSMCAPTION","features":[50]},{"name":"SM_CYSMICON","features":[50]},{"name":"SM_CYSMSIZE","features":[50]},{"name":"SM_CYVIRTUALSCREEN","features":[50]},{"name":"SM_CYVSCROLL","features":[50]},{"name":"SM_CYVTHUMB","features":[50]},{"name":"SM_DBCSENABLED","features":[50]},{"name":"SM_DEBUG","features":[50]},{"name":"SM_DIGITIZER","features":[50]},{"name":"SM_IMMENABLED","features":[50]},{"name":"SM_MAXIMUMTOUCHES","features":[50]},{"name":"SM_MEDIACENTER","features":[50]},{"name":"SM_MENUDROPALIGNMENT","features":[50]},{"name":"SM_MIDEASTENABLED","features":[50]},{"name":"SM_MOUSEHORIZONTALWHEELPRESENT","features":[50]},{"name":"SM_MOUSEPRESENT","features":[50]},{"name":"SM_MOUSEWHEELPRESENT","features":[50]},{"name":"SM_NETWORK","features":[50]},{"name":"SM_PENWINDOWS","features":[50]},{"name":"SM_REMOTECONTROL","features":[50]},{"name":"SM_REMOTESESSION","features":[50]},{"name":"SM_RESERVED1","features":[50]},{"name":"SM_RESERVED2","features":[50]},{"name":"SM_RESERVED3","features":[50]},{"name":"SM_RESERVED4","features":[50]},{"name":"SM_SAMEDISPLAYFORMAT","features":[50]},{"name":"SM_SECURE","features":[50]},{"name":"SM_SERVERR2","features":[50]},{"name":"SM_SHOWSOUNDS","features":[50]},{"name":"SM_SHUTTINGDOWN","features":[50]},{"name":"SM_SLOWMACHINE","features":[50]},{"name":"SM_STARTER","features":[50]},{"name":"SM_SWAPBUTTON","features":[50]},{"name":"SM_SYSTEMDOCKED","features":[50]},{"name":"SM_TABLETPC","features":[50]},{"name":"SM_XVIRTUALSCREEN","features":[50]},{"name":"SM_YVIRTUALSCREEN","features":[50]},{"name":"SOUND_SYSTEM_APPEND","features":[50]},{"name":"SOUND_SYSTEM_APPSTART","features":[50]},{"name":"SOUND_SYSTEM_BEEP","features":[50]},{"name":"SOUND_SYSTEM_ERROR","features":[50]},{"name":"SOUND_SYSTEM_FAULT","features":[50]},{"name":"SOUND_SYSTEM_INFORMATION","features":[50]},{"name":"SOUND_SYSTEM_MAXIMIZE","features":[50]},{"name":"SOUND_SYSTEM_MENUCOMMAND","features":[50]},{"name":"SOUND_SYSTEM_MENUPOPUP","features":[50]},{"name":"SOUND_SYSTEM_MINIMIZE","features":[50]},{"name":"SOUND_SYSTEM_QUESTION","features":[50]},{"name":"SOUND_SYSTEM_RESTOREDOWN","features":[50]},{"name":"SOUND_SYSTEM_RESTOREUP","features":[50]},{"name":"SOUND_SYSTEM_SHUTDOWN","features":[50]},{"name":"SOUND_SYSTEM_STARTUP","features":[50]},{"name":"SOUND_SYSTEM_WARNING","features":[50]},{"name":"SPIF_SENDCHANGE","features":[50]},{"name":"SPIF_SENDWININICHANGE","features":[50]},{"name":"SPIF_UPDATEINIFILE","features":[50]},{"name":"SPI_GETACCESSTIMEOUT","features":[50]},{"name":"SPI_GETACTIVEWINDOWTRACKING","features":[50]},{"name":"SPI_GETACTIVEWNDTRKTIMEOUT","features":[50]},{"name":"SPI_GETACTIVEWNDTRKZORDER","features":[50]},{"name":"SPI_GETANIMATION","features":[50]},{"name":"SPI_GETAUDIODESCRIPTION","features":[50]},{"name":"SPI_GETBEEP","features":[50]},{"name":"SPI_GETBLOCKSENDINPUTRESETS","features":[50]},{"name":"SPI_GETBORDER","features":[50]},{"name":"SPI_GETCARETBROWSING","features":[50]},{"name":"SPI_GETCARETTIMEOUT","features":[50]},{"name":"SPI_GETCARETWIDTH","features":[50]},{"name":"SPI_GETCLEARTYPE","features":[50]},{"name":"SPI_GETCLIENTAREAANIMATION","features":[50]},{"name":"SPI_GETCOMBOBOXANIMATION","features":[50]},{"name":"SPI_GETCONTACTVISUALIZATION","features":[50]},{"name":"SPI_GETCURSORSHADOW","features":[50]},{"name":"SPI_GETDEFAULTINPUTLANG","features":[50]},{"name":"SPI_GETDESKWALLPAPER","features":[50]},{"name":"SPI_GETDISABLEOVERLAPPEDCONTENT","features":[50]},{"name":"SPI_GETDOCKMOVING","features":[50]},{"name":"SPI_GETDRAGFROMMAXIMIZE","features":[50]},{"name":"SPI_GETDRAGFULLWINDOWS","features":[50]},{"name":"SPI_GETDROPSHADOW","features":[50]},{"name":"SPI_GETFASTTASKSWITCH","features":[50]},{"name":"SPI_GETFILTERKEYS","features":[50]},{"name":"SPI_GETFLATMENU","features":[50]},{"name":"SPI_GETFOCUSBORDERHEIGHT","features":[50]},{"name":"SPI_GETFOCUSBORDERWIDTH","features":[50]},{"name":"SPI_GETFONTSMOOTHING","features":[50]},{"name":"SPI_GETFONTSMOOTHINGCONTRAST","features":[50]},{"name":"SPI_GETFONTSMOOTHINGORIENTATION","features":[50]},{"name":"SPI_GETFONTSMOOTHINGTYPE","features":[50]},{"name":"SPI_GETFOREGROUNDFLASHCOUNT","features":[50]},{"name":"SPI_GETFOREGROUNDLOCKTIMEOUT","features":[50]},{"name":"SPI_GETGESTUREVISUALIZATION","features":[50]},{"name":"SPI_GETGRADIENTCAPTIONS","features":[50]},{"name":"SPI_GETGRIDGRANULARITY","features":[50]},{"name":"SPI_GETHANDEDNESS","features":[50]},{"name":"SPI_GETHIGHCONTRAST","features":[50]},{"name":"SPI_GETHOTTRACKING","features":[50]},{"name":"SPI_GETHUNGAPPTIMEOUT","features":[50]},{"name":"SPI_GETICONMETRICS","features":[50]},{"name":"SPI_GETICONTITLELOGFONT","features":[50]},{"name":"SPI_GETICONTITLEWRAP","features":[50]},{"name":"SPI_GETKEYBOARDCUES","features":[50]},{"name":"SPI_GETKEYBOARDDELAY","features":[50]},{"name":"SPI_GETKEYBOARDPREF","features":[50]},{"name":"SPI_GETKEYBOARDSPEED","features":[50]},{"name":"SPI_GETLISTBOXSMOOTHSCROLLING","features":[50]},{"name":"SPI_GETLOGICALDPIOVERRIDE","features":[50]},{"name":"SPI_GETLOWPOWERACTIVE","features":[50]},{"name":"SPI_GETLOWPOWERTIMEOUT","features":[50]},{"name":"SPI_GETMENUANIMATION","features":[50]},{"name":"SPI_GETMENUDROPALIGNMENT","features":[50]},{"name":"SPI_GETMENUFADE","features":[50]},{"name":"SPI_GETMENURECT","features":[50]},{"name":"SPI_GETMENUSHOWDELAY","features":[50]},{"name":"SPI_GETMENUUNDERLINES","features":[50]},{"name":"SPI_GETMESSAGEDURATION","features":[50]},{"name":"SPI_GETMINIMIZEDMETRICS","features":[50]},{"name":"SPI_GETMINIMUMHITRADIUS","features":[50]},{"name":"SPI_GETMOUSE","features":[50]},{"name":"SPI_GETMOUSECLICKLOCK","features":[50]},{"name":"SPI_GETMOUSECLICKLOCKTIME","features":[50]},{"name":"SPI_GETMOUSEDOCKTHRESHOLD","features":[50]},{"name":"SPI_GETMOUSEDRAGOUTTHRESHOLD","features":[50]},{"name":"SPI_GETMOUSEHOVERHEIGHT","features":[50]},{"name":"SPI_GETMOUSEHOVERTIME","features":[50]},{"name":"SPI_GETMOUSEHOVERWIDTH","features":[50]},{"name":"SPI_GETMOUSEKEYS","features":[50]},{"name":"SPI_GETMOUSESIDEMOVETHRESHOLD","features":[50]},{"name":"SPI_GETMOUSESONAR","features":[50]},{"name":"SPI_GETMOUSESPEED","features":[50]},{"name":"SPI_GETMOUSETRAILS","features":[50]},{"name":"SPI_GETMOUSEVANISH","features":[50]},{"name":"SPI_GETMOUSEWHEELROUTING","features":[50]},{"name":"SPI_GETNONCLIENTMETRICS","features":[50]},{"name":"SPI_GETPENARBITRATIONTYPE","features":[50]},{"name":"SPI_GETPENDOCKTHRESHOLD","features":[50]},{"name":"SPI_GETPENDRAGOUTTHRESHOLD","features":[50]},{"name":"SPI_GETPENSIDEMOVETHRESHOLD","features":[50]},{"name":"SPI_GETPENVISUALIZATION","features":[50]},{"name":"SPI_GETPOWEROFFACTIVE","features":[50]},{"name":"SPI_GETPOWEROFFTIMEOUT","features":[50]},{"name":"SPI_GETSCREENREADER","features":[50]},{"name":"SPI_GETSCREENSAVEACTIVE","features":[50]},{"name":"SPI_GETSCREENSAVERRUNNING","features":[50]},{"name":"SPI_GETSCREENSAVESECURE","features":[50]},{"name":"SPI_GETSCREENSAVETIMEOUT","features":[50]},{"name":"SPI_GETSELECTIONFADE","features":[50]},{"name":"SPI_GETSERIALKEYS","features":[50]},{"name":"SPI_GETSHOWIMEUI","features":[50]},{"name":"SPI_GETSHOWSOUNDS","features":[50]},{"name":"SPI_GETSNAPSIZING","features":[50]},{"name":"SPI_GETSNAPTODEFBUTTON","features":[50]},{"name":"SPI_GETSOUNDSENTRY","features":[50]},{"name":"SPI_GETSPEECHRECOGNITION","features":[50]},{"name":"SPI_GETSTICKYKEYS","features":[50]},{"name":"SPI_GETSYSTEMLANGUAGEBAR","features":[50]},{"name":"SPI_GETTHREADLOCALINPUTSETTINGS","features":[50]},{"name":"SPI_GETTOGGLEKEYS","features":[50]},{"name":"SPI_GETTOOLTIPANIMATION","features":[50]},{"name":"SPI_GETTOOLTIPFADE","features":[50]},{"name":"SPI_GETTOUCHPREDICTIONPARAMETERS","features":[50]},{"name":"SPI_GETUIEFFECTS","features":[50]},{"name":"SPI_GETWAITTOKILLSERVICETIMEOUT","features":[50]},{"name":"SPI_GETWAITTOKILLTIMEOUT","features":[50]},{"name":"SPI_GETWHEELSCROLLCHARS","features":[50]},{"name":"SPI_GETWHEELSCROLLLINES","features":[50]},{"name":"SPI_GETWINARRANGING","features":[50]},{"name":"SPI_GETWINDOWSEXTENSION","features":[50]},{"name":"SPI_GETWORKAREA","features":[50]},{"name":"SPI_ICONHORIZONTALSPACING","features":[50]},{"name":"SPI_ICONVERTICALSPACING","features":[50]},{"name":"SPI_LANGDRIVER","features":[50]},{"name":"SPI_SCREENSAVERRUNNING","features":[50]},{"name":"SPI_SETACCESSTIMEOUT","features":[50]},{"name":"SPI_SETACTIVEWINDOWTRACKING","features":[50]},{"name":"SPI_SETACTIVEWNDTRKTIMEOUT","features":[50]},{"name":"SPI_SETACTIVEWNDTRKZORDER","features":[50]},{"name":"SPI_SETANIMATION","features":[50]},{"name":"SPI_SETAUDIODESCRIPTION","features":[50]},{"name":"SPI_SETBEEP","features":[50]},{"name":"SPI_SETBLOCKSENDINPUTRESETS","features":[50]},{"name":"SPI_SETBORDER","features":[50]},{"name":"SPI_SETCARETBROWSING","features":[50]},{"name":"SPI_SETCARETTIMEOUT","features":[50]},{"name":"SPI_SETCARETWIDTH","features":[50]},{"name":"SPI_SETCLEARTYPE","features":[50]},{"name":"SPI_SETCLIENTAREAANIMATION","features":[50]},{"name":"SPI_SETCOMBOBOXANIMATION","features":[50]},{"name":"SPI_SETCONTACTVISUALIZATION","features":[50]},{"name":"SPI_SETCURSORS","features":[50]},{"name":"SPI_SETCURSORSHADOW","features":[50]},{"name":"SPI_SETDEFAULTINPUTLANG","features":[50]},{"name":"SPI_SETDESKPATTERN","features":[50]},{"name":"SPI_SETDESKWALLPAPER","features":[50]},{"name":"SPI_SETDISABLEOVERLAPPEDCONTENT","features":[50]},{"name":"SPI_SETDOCKMOVING","features":[50]},{"name":"SPI_SETDOUBLECLICKTIME","features":[50]},{"name":"SPI_SETDOUBLECLKHEIGHT","features":[50]},{"name":"SPI_SETDOUBLECLKWIDTH","features":[50]},{"name":"SPI_SETDRAGFROMMAXIMIZE","features":[50]},{"name":"SPI_SETDRAGFULLWINDOWS","features":[50]},{"name":"SPI_SETDRAGHEIGHT","features":[50]},{"name":"SPI_SETDRAGWIDTH","features":[50]},{"name":"SPI_SETDROPSHADOW","features":[50]},{"name":"SPI_SETFASTTASKSWITCH","features":[50]},{"name":"SPI_SETFILTERKEYS","features":[50]},{"name":"SPI_SETFLATMENU","features":[50]},{"name":"SPI_SETFOCUSBORDERHEIGHT","features":[50]},{"name":"SPI_SETFOCUSBORDERWIDTH","features":[50]},{"name":"SPI_SETFONTSMOOTHING","features":[50]},{"name":"SPI_SETFONTSMOOTHINGCONTRAST","features":[50]},{"name":"SPI_SETFONTSMOOTHINGORIENTATION","features":[50]},{"name":"SPI_SETFONTSMOOTHINGTYPE","features":[50]},{"name":"SPI_SETFOREGROUNDFLASHCOUNT","features":[50]},{"name":"SPI_SETFOREGROUNDLOCKTIMEOUT","features":[50]},{"name":"SPI_SETGESTUREVISUALIZATION","features":[50]},{"name":"SPI_SETGRADIENTCAPTIONS","features":[50]},{"name":"SPI_SETGRIDGRANULARITY","features":[50]},{"name":"SPI_SETHANDEDNESS","features":[50]},{"name":"SPI_SETHANDHELD","features":[50]},{"name":"SPI_SETHIGHCONTRAST","features":[50]},{"name":"SPI_SETHOTTRACKING","features":[50]},{"name":"SPI_SETHUNGAPPTIMEOUT","features":[50]},{"name":"SPI_SETICONMETRICS","features":[50]},{"name":"SPI_SETICONS","features":[50]},{"name":"SPI_SETICONTITLELOGFONT","features":[50]},{"name":"SPI_SETICONTITLEWRAP","features":[50]},{"name":"SPI_SETKEYBOARDCUES","features":[50]},{"name":"SPI_SETKEYBOARDDELAY","features":[50]},{"name":"SPI_SETKEYBOARDPREF","features":[50]},{"name":"SPI_SETKEYBOARDSPEED","features":[50]},{"name":"SPI_SETLANGTOGGLE","features":[50]},{"name":"SPI_SETLISTBOXSMOOTHSCROLLING","features":[50]},{"name":"SPI_SETLOGICALDPIOVERRIDE","features":[50]},{"name":"SPI_SETLOWPOWERACTIVE","features":[50]},{"name":"SPI_SETLOWPOWERTIMEOUT","features":[50]},{"name":"SPI_SETMENUANIMATION","features":[50]},{"name":"SPI_SETMENUDROPALIGNMENT","features":[50]},{"name":"SPI_SETMENUFADE","features":[50]},{"name":"SPI_SETMENURECT","features":[50]},{"name":"SPI_SETMENUSHOWDELAY","features":[50]},{"name":"SPI_SETMENUUNDERLINES","features":[50]},{"name":"SPI_SETMESSAGEDURATION","features":[50]},{"name":"SPI_SETMINIMIZEDMETRICS","features":[50]},{"name":"SPI_SETMINIMUMHITRADIUS","features":[50]},{"name":"SPI_SETMOUSE","features":[50]},{"name":"SPI_SETMOUSEBUTTONSWAP","features":[50]},{"name":"SPI_SETMOUSECLICKLOCK","features":[50]},{"name":"SPI_SETMOUSECLICKLOCKTIME","features":[50]},{"name":"SPI_SETMOUSEDOCKTHRESHOLD","features":[50]},{"name":"SPI_SETMOUSEDRAGOUTTHRESHOLD","features":[50]},{"name":"SPI_SETMOUSEHOVERHEIGHT","features":[50]},{"name":"SPI_SETMOUSEHOVERTIME","features":[50]},{"name":"SPI_SETMOUSEHOVERWIDTH","features":[50]},{"name":"SPI_SETMOUSEKEYS","features":[50]},{"name":"SPI_SETMOUSESIDEMOVETHRESHOLD","features":[50]},{"name":"SPI_SETMOUSESONAR","features":[50]},{"name":"SPI_SETMOUSESPEED","features":[50]},{"name":"SPI_SETMOUSETRAILS","features":[50]},{"name":"SPI_SETMOUSEVANISH","features":[50]},{"name":"SPI_SETMOUSEWHEELROUTING","features":[50]},{"name":"SPI_SETNONCLIENTMETRICS","features":[50]},{"name":"SPI_SETPENARBITRATIONTYPE","features":[50]},{"name":"SPI_SETPENDOCKTHRESHOLD","features":[50]},{"name":"SPI_SETPENDRAGOUTTHRESHOLD","features":[50]},{"name":"SPI_SETPENSIDEMOVETHRESHOLD","features":[50]},{"name":"SPI_SETPENVISUALIZATION","features":[50]},{"name":"SPI_SETPENWINDOWS","features":[50]},{"name":"SPI_SETPOWEROFFACTIVE","features":[50]},{"name":"SPI_SETPOWEROFFTIMEOUT","features":[50]},{"name":"SPI_SETSCREENREADER","features":[50]},{"name":"SPI_SETSCREENSAVEACTIVE","features":[50]},{"name":"SPI_SETSCREENSAVERRUNNING","features":[50]},{"name":"SPI_SETSCREENSAVESECURE","features":[50]},{"name":"SPI_SETSCREENSAVETIMEOUT","features":[50]},{"name":"SPI_SETSELECTIONFADE","features":[50]},{"name":"SPI_SETSERIALKEYS","features":[50]},{"name":"SPI_SETSHOWIMEUI","features":[50]},{"name":"SPI_SETSHOWSOUNDS","features":[50]},{"name":"SPI_SETSNAPSIZING","features":[50]},{"name":"SPI_SETSNAPTODEFBUTTON","features":[50]},{"name":"SPI_SETSOUNDSENTRY","features":[50]},{"name":"SPI_SETSPEECHRECOGNITION","features":[50]},{"name":"SPI_SETSTICKYKEYS","features":[50]},{"name":"SPI_SETSYSTEMLANGUAGEBAR","features":[50]},{"name":"SPI_SETTHREADLOCALINPUTSETTINGS","features":[50]},{"name":"SPI_SETTOGGLEKEYS","features":[50]},{"name":"SPI_SETTOOLTIPANIMATION","features":[50]},{"name":"SPI_SETTOOLTIPFADE","features":[50]},{"name":"SPI_SETTOUCHPREDICTIONPARAMETERS","features":[50]},{"name":"SPI_SETUIEFFECTS","features":[50]},{"name":"SPI_SETWAITTOKILLSERVICETIMEOUT","features":[50]},{"name":"SPI_SETWAITTOKILLTIMEOUT","features":[50]},{"name":"SPI_SETWHEELSCROLLCHARS","features":[50]},{"name":"SPI_SETWHEELSCROLLLINES","features":[50]},{"name":"SPI_SETWINARRANGING","features":[50]},{"name":"SPI_SETWORKAREA","features":[50]},{"name":"STATE_SYSTEM_ALERT_HIGH","features":[50]},{"name":"STATE_SYSTEM_ALERT_LOW","features":[50]},{"name":"STATE_SYSTEM_ALERT_MEDIUM","features":[50]},{"name":"STATE_SYSTEM_ANIMATED","features":[50]},{"name":"STATE_SYSTEM_BUSY","features":[50]},{"name":"STATE_SYSTEM_CHECKED","features":[50]},{"name":"STATE_SYSTEM_COLLAPSED","features":[50]},{"name":"STATE_SYSTEM_DEFAULT","features":[50]},{"name":"STATE_SYSTEM_EXPANDED","features":[50]},{"name":"STATE_SYSTEM_EXTSELECTABLE","features":[50]},{"name":"STATE_SYSTEM_FLOATING","features":[50]},{"name":"STATE_SYSTEM_FOCUSED","features":[50]},{"name":"STATE_SYSTEM_HOTTRACKED","features":[50]},{"name":"STATE_SYSTEM_INDETERMINATE","features":[50]},{"name":"STATE_SYSTEM_LINKED","features":[50]},{"name":"STATE_SYSTEM_MARQUEED","features":[50]},{"name":"STATE_SYSTEM_MIXED","features":[50]},{"name":"STATE_SYSTEM_MOVEABLE","features":[50]},{"name":"STATE_SYSTEM_MULTISELECTABLE","features":[50]},{"name":"STATE_SYSTEM_PROTECTED","features":[50]},{"name":"STATE_SYSTEM_READONLY","features":[50]},{"name":"STATE_SYSTEM_SELECTABLE","features":[50]},{"name":"STATE_SYSTEM_SELECTED","features":[50]},{"name":"STATE_SYSTEM_SELFVOICING","features":[50]},{"name":"STATE_SYSTEM_SIZEABLE","features":[50]},{"name":"STATE_SYSTEM_TRAVERSED","features":[50]},{"name":"STATE_SYSTEM_VALID","features":[50]},{"name":"STM_GETICON","features":[50]},{"name":"STM_GETIMAGE","features":[50]},{"name":"STM_MSGMAX","features":[50]},{"name":"STM_SETICON","features":[50]},{"name":"STM_SETIMAGE","features":[50]},{"name":"STN_CLICKED","features":[50]},{"name":"STN_DBLCLK","features":[50]},{"name":"STN_DISABLE","features":[50]},{"name":"STN_ENABLE","features":[50]},{"name":"STRSAFE_E_END_OF_FILE","features":[50]},{"name":"STRSAFE_E_INSUFFICIENT_BUFFER","features":[50]},{"name":"STRSAFE_E_INVALID_PARAMETER","features":[50]},{"name":"STRSAFE_FILL_BEHIND_NULL","features":[50]},{"name":"STRSAFE_FILL_ON_FAILURE","features":[50]},{"name":"STRSAFE_IGNORE_NULLS","features":[50]},{"name":"STRSAFE_MAX_CCH","features":[50]},{"name":"STRSAFE_MAX_LENGTH","features":[50]},{"name":"STRSAFE_NO_TRUNCATION","features":[50]},{"name":"STRSAFE_NULL_ON_FAILURE","features":[50]},{"name":"STRSAFE_USE_SECURE_CRT","features":[50]},{"name":"STYLESTRUCT","features":[50]},{"name":"SWP_ASYNCWINDOWPOS","features":[50]},{"name":"SWP_DEFERERASE","features":[50]},{"name":"SWP_DRAWFRAME","features":[50]},{"name":"SWP_FRAMECHANGED","features":[50]},{"name":"SWP_HIDEWINDOW","features":[50]},{"name":"SWP_NOACTIVATE","features":[50]},{"name":"SWP_NOCOPYBITS","features":[50]},{"name":"SWP_NOMOVE","features":[50]},{"name":"SWP_NOOWNERZORDER","features":[50]},{"name":"SWP_NOREDRAW","features":[50]},{"name":"SWP_NOREPOSITION","features":[50]},{"name":"SWP_NOSENDCHANGING","features":[50]},{"name":"SWP_NOSIZE","features":[50]},{"name":"SWP_NOZORDER","features":[50]},{"name":"SWP_SHOWWINDOW","features":[50]},{"name":"SW_ERASE","features":[50]},{"name":"SW_FORCEMINIMIZE","features":[50]},{"name":"SW_HIDE","features":[50]},{"name":"SW_INVALIDATE","features":[50]},{"name":"SW_MAX","features":[50]},{"name":"SW_MAXIMIZE","features":[50]},{"name":"SW_MINIMIZE","features":[50]},{"name":"SW_NORMAL","features":[50]},{"name":"SW_OTHERUNZOOM","features":[50]},{"name":"SW_OTHERZOOM","features":[50]},{"name":"SW_PARENTCLOSING","features":[50]},{"name":"SW_PARENTOPENING","features":[50]},{"name":"SW_RESTORE","features":[50]},{"name":"SW_SCROLLCHILDREN","features":[50]},{"name":"SW_SHOW","features":[50]},{"name":"SW_SHOWDEFAULT","features":[50]},{"name":"SW_SHOWMAXIMIZED","features":[50]},{"name":"SW_SHOWMINIMIZED","features":[50]},{"name":"SW_SHOWMINNOACTIVE","features":[50]},{"name":"SW_SHOWNA","features":[50]},{"name":"SW_SHOWNOACTIVATE","features":[50]},{"name":"SW_SHOWNORMAL","features":[50]},{"name":"SW_SMOOTHSCROLL","features":[50]},{"name":"SYSTEM_CURSOR_ID","features":[50]},{"name":"SYSTEM_METRICS_INDEX","features":[50]},{"name":"SYSTEM_PARAMETERS_INFO_ACTION","features":[50]},{"name":"SYSTEM_PARAMETERS_INFO_UPDATE_FLAGS","features":[50]},{"name":"ScrollDC","features":[1,12,50]},{"name":"ScrollWindow","features":[1,50]},{"name":"ScrollWindowEx","features":[1,12,50]},{"name":"SendDlgItemMessageA","features":[1,50]},{"name":"SendDlgItemMessageW","features":[1,50]},{"name":"SendMessageA","features":[1,50]},{"name":"SendMessageCallbackA","features":[1,50]},{"name":"SendMessageCallbackW","features":[1,50]},{"name":"SendMessageTimeoutA","features":[1,50]},{"name":"SendMessageTimeoutW","features":[1,50]},{"name":"SendMessageW","features":[1,50]},{"name":"SendNotifyMessageA","features":[1,50]},{"name":"SendNotifyMessageW","features":[1,50]},{"name":"SetAdditionalForegroundBoostProcesses","features":[1,50]},{"name":"SetCaretBlinkTime","features":[1,50]},{"name":"SetCaretPos","features":[1,50]},{"name":"SetClassLongA","features":[1,50]},{"name":"SetClassLongPtrA","features":[1,50]},{"name":"SetClassLongPtrW","features":[1,50]},{"name":"SetClassLongW","features":[1,50]},{"name":"SetClassWord","features":[1,50]},{"name":"SetCoalescableTimer","features":[1,50]},{"name":"SetCursor","features":[50]},{"name":"SetCursorPos","features":[1,50]},{"name":"SetDebugErrorLevel","features":[50]},{"name":"SetDlgItemInt","features":[1,50]},{"name":"SetDlgItemTextA","features":[1,50]},{"name":"SetDlgItemTextW","features":[1,50]},{"name":"SetForegroundWindow","features":[1,50]},{"name":"SetLayeredWindowAttributes","features":[1,50]},{"name":"SetMenu","features":[1,50]},{"name":"SetMenuDefaultItem","features":[1,50]},{"name":"SetMenuInfo","features":[1,12,50]},{"name":"SetMenuItemBitmaps","features":[1,12,50]},{"name":"SetMenuItemInfoA","features":[1,12,50]},{"name":"SetMenuItemInfoW","features":[1,12,50]},{"name":"SetMessageExtraInfo","features":[1,50]},{"name":"SetMessageQueue","features":[1,50]},{"name":"SetParent","features":[1,50]},{"name":"SetPhysicalCursorPos","features":[1,50]},{"name":"SetProcessDPIAware","features":[1,50]},{"name":"SetProcessDefaultLayout","features":[1,50]},{"name":"SetPropA","features":[1,50]},{"name":"SetPropW","features":[1,50]},{"name":"SetSystemCursor","features":[1,50]},{"name":"SetTimer","features":[1,50]},{"name":"SetWindowDisplayAffinity","features":[1,50]},{"name":"SetWindowLongA","features":[1,50]},{"name":"SetWindowLongPtrA","features":[1,50]},{"name":"SetWindowLongPtrW","features":[1,50]},{"name":"SetWindowLongW","features":[1,50]},{"name":"SetWindowPlacement","features":[1,50]},{"name":"SetWindowPos","features":[1,50]},{"name":"SetWindowTextA","features":[1,50]},{"name":"SetWindowTextW","features":[1,50]},{"name":"SetWindowWord","features":[1,50]},{"name":"SetWindowsHookA","features":[1,50]},{"name":"SetWindowsHookExA","features":[1,50]},{"name":"SetWindowsHookExW","features":[1,50]},{"name":"SetWindowsHookW","features":[1,50]},{"name":"ShowCaret","features":[1,50]},{"name":"ShowCursor","features":[1,50]},{"name":"ShowOwnedPopups","features":[1,50]},{"name":"ShowWindow","features":[1,50]},{"name":"ShowWindowAsync","features":[1,50]},{"name":"SoundSentry","features":[1,50]},{"name":"SwitchToThisWindow","features":[1,50]},{"name":"SystemParametersInfoA","features":[1,50]},{"name":"SystemParametersInfoW","features":[1,50]},{"name":"TDF_REGISTER","features":[50]},{"name":"TDF_UNREGISTER","features":[50]},{"name":"TILE_WINDOWS_HOW","features":[50]},{"name":"TIMERPROC","features":[1,50]},{"name":"TIMERV_COALESCING_MAX","features":[50]},{"name":"TIMERV_COALESCING_MIN","features":[50]},{"name":"TIMERV_DEFAULT_COALESCING","features":[50]},{"name":"TIMERV_NO_COALESCING","features":[50]},{"name":"TITLEBARINFO","features":[1,50]},{"name":"TITLEBARINFOEX","features":[1,50]},{"name":"TKF_AVAILABLE","features":[50]},{"name":"TKF_CONFIRMHOTKEY","features":[50]},{"name":"TKF_HOTKEYACTIVE","features":[50]},{"name":"TKF_HOTKEYSOUND","features":[50]},{"name":"TKF_INDICATOR","features":[50]},{"name":"TKF_TOGGLEKEYSON","features":[50]},{"name":"TOOLTIP_DISMISS_FLAGS","features":[50]},{"name":"TOUCHPREDICTIONPARAMETERS","features":[50]},{"name":"TOUCHPREDICTIONPARAMETERS_DEFAULT_LATENCY","features":[50]},{"name":"TOUCHPREDICTIONPARAMETERS_DEFAULT_RLS_DELTA","features":[50]},{"name":"TOUCHPREDICTIONPARAMETERS_DEFAULT_RLS_EXPO_SMOOTH_ALPHA","features":[50]},{"name":"TOUCHPREDICTIONPARAMETERS_DEFAULT_RLS_LAMBDA_LEARNING_RATE","features":[50]},{"name":"TOUCHPREDICTIONPARAMETERS_DEFAULT_RLS_LAMBDA_MAX","features":[50]},{"name":"TOUCHPREDICTIONPARAMETERS_DEFAULT_RLS_LAMBDA_MIN","features":[50]},{"name":"TOUCHPREDICTIONPARAMETERS_DEFAULT_SAMPLETIME","features":[50]},{"name":"TOUCHPREDICTIONPARAMETERS_DEFAULT_USE_HW_TIMESTAMP","features":[50]},{"name":"TOUCH_FLAG_NONE","features":[50]},{"name":"TOUCH_HIT_TESTING_CLIENT","features":[50]},{"name":"TOUCH_HIT_TESTING_DEFAULT","features":[50]},{"name":"TOUCH_HIT_TESTING_NONE","features":[50]},{"name":"TOUCH_HIT_TESTING_PROXIMITY_CLOSEST","features":[50]},{"name":"TOUCH_HIT_TESTING_PROXIMITY_FARTHEST","features":[50]},{"name":"TOUCH_MASK_CONTACTAREA","features":[50]},{"name":"TOUCH_MASK_NONE","features":[50]},{"name":"TOUCH_MASK_ORIENTATION","features":[50]},{"name":"TOUCH_MASK_PRESSURE","features":[50]},{"name":"TPMPARAMS","features":[1,50]},{"name":"TPM_BOTTOMALIGN","features":[50]},{"name":"TPM_CENTERALIGN","features":[50]},{"name":"TPM_HORIZONTAL","features":[50]},{"name":"TPM_HORNEGANIMATION","features":[50]},{"name":"TPM_HORPOSANIMATION","features":[50]},{"name":"TPM_LAYOUTRTL","features":[50]},{"name":"TPM_LEFTALIGN","features":[50]},{"name":"TPM_LEFTBUTTON","features":[50]},{"name":"TPM_NOANIMATION","features":[50]},{"name":"TPM_NONOTIFY","features":[50]},{"name":"TPM_RECURSE","features":[50]},{"name":"TPM_RETURNCMD","features":[50]},{"name":"TPM_RIGHTALIGN","features":[50]},{"name":"TPM_RIGHTBUTTON","features":[50]},{"name":"TPM_TOPALIGN","features":[50]},{"name":"TPM_VCENTERALIGN","features":[50]},{"name":"TPM_VERNEGANIMATION","features":[50]},{"name":"TPM_VERPOSANIMATION","features":[50]},{"name":"TPM_VERTICAL","features":[50]},{"name":"TPM_WORKAREA","features":[50]},{"name":"TRACK_POPUP_MENU_FLAGS","features":[50]},{"name":"TileWindows","features":[1,50]},{"name":"TrackPopupMenu","features":[1,50]},{"name":"TrackPopupMenuEx","features":[1,50]},{"name":"TranslateAcceleratorA","features":[1,50]},{"name":"TranslateAcceleratorW","features":[1,50]},{"name":"TranslateMDISysAccel","features":[1,50]},{"name":"TranslateMessage","features":[1,50]},{"name":"UISF_ACTIVE","features":[50]},{"name":"UISF_HIDEACCEL","features":[50]},{"name":"UISF_HIDEFOCUS","features":[50]},{"name":"UIS_CLEAR","features":[50]},{"name":"UIS_INITIALIZE","features":[50]},{"name":"UIS_SET","features":[50]},{"name":"ULW_ALPHA","features":[50]},{"name":"ULW_COLORKEY","features":[50]},{"name":"ULW_EX_NORESIZE","features":[50]},{"name":"ULW_OPAQUE","features":[50]},{"name":"UNICODE_NOCHAR","features":[50]},{"name":"UOI_TIMERPROC_EXCEPTION_SUPPRESSION","features":[50]},{"name":"UPDATELAYEREDWINDOWINFO","features":[1,12,50]},{"name":"UPDATE_LAYERED_WINDOW_FLAGS","features":[50]},{"name":"USER_DEFAULT_SCREEN_DPI","features":[50]},{"name":"USER_TIMER_MAXIMUM","features":[50]},{"name":"USER_TIMER_MINIMUM","features":[50]},{"name":"UnhookWindowsHook","features":[1,50]},{"name":"UnhookWindowsHookEx","features":[1,50]},{"name":"UnregisterClassA","features":[1,50]},{"name":"UnregisterClassW","features":[1,50]},{"name":"UnregisterDeviceNotification","features":[1,50]},{"name":"UpdateLayeredWindow","features":[1,12,50]},{"name":"UpdateLayeredWindowIndirect","features":[1,12,50]},{"name":"VolLockBroadcast","features":[50]},{"name":"WA_ACTIVE","features":[50]},{"name":"WA_CLICKACTIVE","features":[50]},{"name":"WA_INACTIVE","features":[50]},{"name":"WDA_EXCLUDEFROMCAPTURE","features":[50]},{"name":"WDA_MONITOR","features":[50]},{"name":"WDA_NONE","features":[50]},{"name":"WHEEL_DELTA","features":[50]},{"name":"WH_CALLWNDPROC","features":[50]},{"name":"WH_CALLWNDPROCRET","features":[50]},{"name":"WH_CBT","features":[50]},{"name":"WH_DEBUG","features":[50]},{"name":"WH_FOREGROUNDIDLE","features":[50]},{"name":"WH_GETMESSAGE","features":[50]},{"name":"WH_HARDWARE","features":[50]},{"name":"WH_JOURNALPLAYBACK","features":[50]},{"name":"WH_JOURNALRECORD","features":[50]},{"name":"WH_KEYBOARD","features":[50]},{"name":"WH_KEYBOARD_LL","features":[50]},{"name":"WH_MAX","features":[50]},{"name":"WH_MAXHOOK","features":[50]},{"name":"WH_MIN","features":[50]},{"name":"WH_MINHOOK","features":[50]},{"name":"WH_MOUSE","features":[50]},{"name":"WH_MOUSE_LL","features":[50]},{"name":"WH_MSGFILTER","features":[50]},{"name":"WH_SHELL","features":[50]},{"name":"WH_SYSMSGFILTER","features":[50]},{"name":"WINDOWINFO","features":[1,50]},{"name":"WINDOWPLACEMENT","features":[1,50]},{"name":"WINDOWPLACEMENT_FLAGS","features":[50]},{"name":"WINDOWPOS","features":[1,50]},{"name":"WINDOWS_HOOK_ID","features":[50]},{"name":"WINDOW_DISPLAY_AFFINITY","features":[50]},{"name":"WINDOW_EX_STYLE","features":[50]},{"name":"WINDOW_LONG_PTR_INDEX","features":[50]},{"name":"WINDOW_MESSAGE_FILTER_ACTION","features":[50]},{"name":"WINDOW_STYLE","features":[50]},{"name":"WINEVENT_INCONTEXT","features":[50]},{"name":"WINEVENT_OUTOFCONTEXT","features":[50]},{"name":"WINEVENT_SKIPOWNPROCESS","features":[50]},{"name":"WINEVENT_SKIPOWNTHREAD","features":[50]},{"name":"WINSTA_ACCESSCLIPBOARD","features":[50]},{"name":"WINSTA_ACCESSGLOBALATOMS","features":[50]},{"name":"WINSTA_CREATEDESKTOP","features":[50]},{"name":"WINSTA_ENUMDESKTOPS","features":[50]},{"name":"WINSTA_ENUMERATE","features":[50]},{"name":"WINSTA_EXITWINDOWS","features":[50]},{"name":"WINSTA_READATTRIBUTES","features":[50]},{"name":"WINSTA_READSCREEN","features":[50]},{"name":"WINSTA_WRITEATTRIBUTES","features":[50]},{"name":"WMSZ_BOTTOM","features":[50]},{"name":"WMSZ_BOTTOMLEFT","features":[50]},{"name":"WMSZ_BOTTOMRIGHT","features":[50]},{"name":"WMSZ_LEFT","features":[50]},{"name":"WMSZ_RIGHT","features":[50]},{"name":"WMSZ_TOP","features":[50]},{"name":"WMSZ_TOPLEFT","features":[50]},{"name":"WMSZ_TOPRIGHT","features":[50]},{"name":"WM_ACTIVATE","features":[50]},{"name":"WM_ACTIVATEAPP","features":[50]},{"name":"WM_AFXFIRST","features":[50]},{"name":"WM_AFXLAST","features":[50]},{"name":"WM_APP","features":[50]},{"name":"WM_APPCOMMAND","features":[50]},{"name":"WM_ASKCBFORMATNAME","features":[50]},{"name":"WM_CANCELJOURNAL","features":[50]},{"name":"WM_CANCELMODE","features":[50]},{"name":"WM_CAPTURECHANGED","features":[50]},{"name":"WM_CHANGECBCHAIN","features":[50]},{"name":"WM_CHANGEUISTATE","features":[50]},{"name":"WM_CHAR","features":[50]},{"name":"WM_CHARTOITEM","features":[50]},{"name":"WM_CHILDACTIVATE","features":[50]},{"name":"WM_CLEAR","features":[50]},{"name":"WM_CLIPBOARDUPDATE","features":[50]},{"name":"WM_CLOSE","features":[50]},{"name":"WM_COMMAND","features":[50]},{"name":"WM_COMMNOTIFY","features":[50]},{"name":"WM_COMPACTING","features":[50]},{"name":"WM_COMPAREITEM","features":[50]},{"name":"WM_CONTEXTMENU","features":[50]},{"name":"WM_COPY","features":[50]},{"name":"WM_COPYDATA","features":[50]},{"name":"WM_CREATE","features":[50]},{"name":"WM_CTLCOLORBTN","features":[50]},{"name":"WM_CTLCOLORDLG","features":[50]},{"name":"WM_CTLCOLOREDIT","features":[50]},{"name":"WM_CTLCOLORLISTBOX","features":[50]},{"name":"WM_CTLCOLORMSGBOX","features":[50]},{"name":"WM_CTLCOLORSCROLLBAR","features":[50]},{"name":"WM_CTLCOLORSTATIC","features":[50]},{"name":"WM_CUT","features":[50]},{"name":"WM_DEADCHAR","features":[50]},{"name":"WM_DELETEITEM","features":[50]},{"name":"WM_DESTROY","features":[50]},{"name":"WM_DESTROYCLIPBOARD","features":[50]},{"name":"WM_DEVICECHANGE","features":[50]},{"name":"WM_DEVMODECHANGE","features":[50]},{"name":"WM_DISPLAYCHANGE","features":[50]},{"name":"WM_DPICHANGED","features":[50]},{"name":"WM_DPICHANGED_AFTERPARENT","features":[50]},{"name":"WM_DPICHANGED_BEFOREPARENT","features":[50]},{"name":"WM_DRAWCLIPBOARD","features":[50]},{"name":"WM_DRAWITEM","features":[50]},{"name":"WM_DROPFILES","features":[50]},{"name":"WM_DWMCOLORIZATIONCOLORCHANGED","features":[50]},{"name":"WM_DWMCOMPOSITIONCHANGED","features":[50]},{"name":"WM_DWMNCRENDERINGCHANGED","features":[50]},{"name":"WM_DWMSENDICONICLIVEPREVIEWBITMAP","features":[50]},{"name":"WM_DWMSENDICONICTHUMBNAIL","features":[50]},{"name":"WM_DWMWINDOWMAXIMIZEDCHANGE","features":[50]},{"name":"WM_ENABLE","features":[50]},{"name":"WM_ENDSESSION","features":[50]},{"name":"WM_ENTERIDLE","features":[50]},{"name":"WM_ENTERMENULOOP","features":[50]},{"name":"WM_ENTERSIZEMOVE","features":[50]},{"name":"WM_ERASEBKGND","features":[50]},{"name":"WM_EXITMENULOOP","features":[50]},{"name":"WM_EXITSIZEMOVE","features":[50]},{"name":"WM_FONTCHANGE","features":[50]},{"name":"WM_GESTURE","features":[50]},{"name":"WM_GESTURENOTIFY","features":[50]},{"name":"WM_GETDLGCODE","features":[50]},{"name":"WM_GETDPISCALEDSIZE","features":[50]},{"name":"WM_GETFONT","features":[50]},{"name":"WM_GETHOTKEY","features":[50]},{"name":"WM_GETICON","features":[50]},{"name":"WM_GETMINMAXINFO","features":[50]},{"name":"WM_GETOBJECT","features":[50]},{"name":"WM_GETTEXT","features":[50]},{"name":"WM_GETTEXTLENGTH","features":[50]},{"name":"WM_GETTITLEBARINFOEX","features":[50]},{"name":"WM_HANDHELDFIRST","features":[50]},{"name":"WM_HANDHELDLAST","features":[50]},{"name":"WM_HELP","features":[50]},{"name":"WM_HOTKEY","features":[50]},{"name":"WM_HSCROLL","features":[50]},{"name":"WM_HSCROLLCLIPBOARD","features":[50]},{"name":"WM_ICONERASEBKGND","features":[50]},{"name":"WM_IME_CHAR","features":[50]},{"name":"WM_IME_COMPOSITION","features":[50]},{"name":"WM_IME_COMPOSITIONFULL","features":[50]},{"name":"WM_IME_CONTROL","features":[50]},{"name":"WM_IME_ENDCOMPOSITION","features":[50]},{"name":"WM_IME_KEYDOWN","features":[50]},{"name":"WM_IME_KEYLAST","features":[50]},{"name":"WM_IME_KEYUP","features":[50]},{"name":"WM_IME_NOTIFY","features":[50]},{"name":"WM_IME_REQUEST","features":[50]},{"name":"WM_IME_SELECT","features":[50]},{"name":"WM_IME_SETCONTEXT","features":[50]},{"name":"WM_IME_STARTCOMPOSITION","features":[50]},{"name":"WM_INITDIALOG","features":[50]},{"name":"WM_INITMENU","features":[50]},{"name":"WM_INITMENUPOPUP","features":[50]},{"name":"WM_INPUT","features":[50]},{"name":"WM_INPUTLANGCHANGE","features":[50]},{"name":"WM_INPUTLANGCHANGEREQUEST","features":[50]},{"name":"WM_INPUT_DEVICE_CHANGE","features":[50]},{"name":"WM_KEYDOWN","features":[50]},{"name":"WM_KEYFIRST","features":[50]},{"name":"WM_KEYLAST","features":[50]},{"name":"WM_KEYUP","features":[50]},{"name":"WM_KILLFOCUS","features":[50]},{"name":"WM_LBUTTONDBLCLK","features":[50]},{"name":"WM_LBUTTONDOWN","features":[50]},{"name":"WM_LBUTTONUP","features":[50]},{"name":"WM_MBUTTONDBLCLK","features":[50]},{"name":"WM_MBUTTONDOWN","features":[50]},{"name":"WM_MBUTTONUP","features":[50]},{"name":"WM_MDIACTIVATE","features":[50]},{"name":"WM_MDICASCADE","features":[50]},{"name":"WM_MDICREATE","features":[50]},{"name":"WM_MDIDESTROY","features":[50]},{"name":"WM_MDIGETACTIVE","features":[50]},{"name":"WM_MDIICONARRANGE","features":[50]},{"name":"WM_MDIMAXIMIZE","features":[50]},{"name":"WM_MDINEXT","features":[50]},{"name":"WM_MDIREFRESHMENU","features":[50]},{"name":"WM_MDIRESTORE","features":[50]},{"name":"WM_MDISETMENU","features":[50]},{"name":"WM_MDITILE","features":[50]},{"name":"WM_MEASUREITEM","features":[50]},{"name":"WM_MENUCHAR","features":[50]},{"name":"WM_MENUCOMMAND","features":[50]},{"name":"WM_MENUDRAG","features":[50]},{"name":"WM_MENUGETOBJECT","features":[50]},{"name":"WM_MENURBUTTONUP","features":[50]},{"name":"WM_MENUSELECT","features":[50]},{"name":"WM_MOUSEACTIVATE","features":[50]},{"name":"WM_MOUSEFIRST","features":[50]},{"name":"WM_MOUSEHWHEEL","features":[50]},{"name":"WM_MOUSELAST","features":[50]},{"name":"WM_MOUSEMOVE","features":[50]},{"name":"WM_MOUSEWHEEL","features":[50]},{"name":"WM_MOVE","features":[50]},{"name":"WM_MOVING","features":[50]},{"name":"WM_NCACTIVATE","features":[50]},{"name":"WM_NCCALCSIZE","features":[50]},{"name":"WM_NCCREATE","features":[50]},{"name":"WM_NCDESTROY","features":[50]},{"name":"WM_NCHITTEST","features":[50]},{"name":"WM_NCLBUTTONDBLCLK","features":[50]},{"name":"WM_NCLBUTTONDOWN","features":[50]},{"name":"WM_NCLBUTTONUP","features":[50]},{"name":"WM_NCMBUTTONDBLCLK","features":[50]},{"name":"WM_NCMBUTTONDOWN","features":[50]},{"name":"WM_NCMBUTTONUP","features":[50]},{"name":"WM_NCMOUSEHOVER","features":[50]},{"name":"WM_NCMOUSELEAVE","features":[50]},{"name":"WM_NCMOUSEMOVE","features":[50]},{"name":"WM_NCPAINT","features":[50]},{"name":"WM_NCPOINTERDOWN","features":[50]},{"name":"WM_NCPOINTERUP","features":[50]},{"name":"WM_NCPOINTERUPDATE","features":[50]},{"name":"WM_NCRBUTTONDBLCLK","features":[50]},{"name":"WM_NCRBUTTONDOWN","features":[50]},{"name":"WM_NCRBUTTONUP","features":[50]},{"name":"WM_NCXBUTTONDBLCLK","features":[50]},{"name":"WM_NCXBUTTONDOWN","features":[50]},{"name":"WM_NCXBUTTONUP","features":[50]},{"name":"WM_NEXTDLGCTL","features":[50]},{"name":"WM_NEXTMENU","features":[50]},{"name":"WM_NOTIFY","features":[50]},{"name":"WM_NOTIFYFORMAT","features":[50]},{"name":"WM_NULL","features":[50]},{"name":"WM_PAINT","features":[50]},{"name":"WM_PAINTCLIPBOARD","features":[50]},{"name":"WM_PAINTICON","features":[50]},{"name":"WM_PALETTECHANGED","features":[50]},{"name":"WM_PALETTEISCHANGING","features":[50]},{"name":"WM_PARENTNOTIFY","features":[50]},{"name":"WM_PASTE","features":[50]},{"name":"WM_PENWINFIRST","features":[50]},{"name":"WM_PENWINLAST","features":[50]},{"name":"WM_POINTERACTIVATE","features":[50]},{"name":"WM_POINTERCAPTURECHANGED","features":[50]},{"name":"WM_POINTERDEVICECHANGE","features":[50]},{"name":"WM_POINTERDEVICEINRANGE","features":[50]},{"name":"WM_POINTERDEVICEOUTOFRANGE","features":[50]},{"name":"WM_POINTERDOWN","features":[50]},{"name":"WM_POINTERENTER","features":[50]},{"name":"WM_POINTERHWHEEL","features":[50]},{"name":"WM_POINTERLEAVE","features":[50]},{"name":"WM_POINTERROUTEDAWAY","features":[50]},{"name":"WM_POINTERROUTEDRELEASED","features":[50]},{"name":"WM_POINTERROUTEDTO","features":[50]},{"name":"WM_POINTERUP","features":[50]},{"name":"WM_POINTERUPDATE","features":[50]},{"name":"WM_POINTERWHEEL","features":[50]},{"name":"WM_POWER","features":[50]},{"name":"WM_POWERBROADCAST","features":[50]},{"name":"WM_PRINT","features":[50]},{"name":"WM_PRINTCLIENT","features":[50]},{"name":"WM_QUERYDRAGICON","features":[50]},{"name":"WM_QUERYENDSESSION","features":[50]},{"name":"WM_QUERYNEWPALETTE","features":[50]},{"name":"WM_QUERYOPEN","features":[50]},{"name":"WM_QUERYUISTATE","features":[50]},{"name":"WM_QUEUESYNC","features":[50]},{"name":"WM_QUIT","features":[50]},{"name":"WM_RBUTTONDBLCLK","features":[50]},{"name":"WM_RBUTTONDOWN","features":[50]},{"name":"WM_RBUTTONUP","features":[50]},{"name":"WM_RENDERALLFORMATS","features":[50]},{"name":"WM_RENDERFORMAT","features":[50]},{"name":"WM_SETCURSOR","features":[50]},{"name":"WM_SETFOCUS","features":[50]},{"name":"WM_SETFONT","features":[50]},{"name":"WM_SETHOTKEY","features":[50]},{"name":"WM_SETICON","features":[50]},{"name":"WM_SETREDRAW","features":[50]},{"name":"WM_SETTEXT","features":[50]},{"name":"WM_SETTINGCHANGE","features":[50]},{"name":"WM_SHOWWINDOW","features":[50]},{"name":"WM_SIZE","features":[50]},{"name":"WM_SIZECLIPBOARD","features":[50]},{"name":"WM_SIZING","features":[50]},{"name":"WM_SPOOLERSTATUS","features":[50]},{"name":"WM_STYLECHANGED","features":[50]},{"name":"WM_STYLECHANGING","features":[50]},{"name":"WM_SYNCPAINT","features":[50]},{"name":"WM_SYSCHAR","features":[50]},{"name":"WM_SYSCOLORCHANGE","features":[50]},{"name":"WM_SYSCOMMAND","features":[50]},{"name":"WM_SYSDEADCHAR","features":[50]},{"name":"WM_SYSKEYDOWN","features":[50]},{"name":"WM_SYSKEYUP","features":[50]},{"name":"WM_TABLET_FIRST","features":[50]},{"name":"WM_TABLET_LAST","features":[50]},{"name":"WM_TCARD","features":[50]},{"name":"WM_THEMECHANGED","features":[50]},{"name":"WM_TIMECHANGE","features":[50]},{"name":"WM_TIMER","features":[50]},{"name":"WM_TOOLTIPDISMISS","features":[50]},{"name":"WM_TOUCH","features":[50]},{"name":"WM_TOUCHHITTESTING","features":[50]},{"name":"WM_UNDO","features":[50]},{"name":"WM_UNICHAR","features":[50]},{"name":"WM_UNINITMENUPOPUP","features":[50]},{"name":"WM_UPDATEUISTATE","features":[50]},{"name":"WM_USER","features":[50]},{"name":"WM_USERCHANGED","features":[50]},{"name":"WM_VKEYTOITEM","features":[50]},{"name":"WM_VSCROLL","features":[50]},{"name":"WM_VSCROLLCLIPBOARD","features":[50]},{"name":"WM_WINDOWPOSCHANGED","features":[50]},{"name":"WM_WINDOWPOSCHANGING","features":[50]},{"name":"WM_WININICHANGE","features":[50]},{"name":"WM_WTSSESSION_CHANGE","features":[50]},{"name":"WM_XBUTTONDBLCLK","features":[50]},{"name":"WM_XBUTTONDOWN","features":[50]},{"name":"WM_XBUTTONUP","features":[50]},{"name":"WNDCLASSA","features":[1,12,50]},{"name":"WNDCLASSEXA","features":[1,12,50]},{"name":"WNDCLASSEXW","features":[1,12,50]},{"name":"WNDCLASSW","features":[1,12,50]},{"name":"WNDCLASS_STYLES","features":[50]},{"name":"WNDENUMPROC","features":[1,50]},{"name":"WNDPROC","features":[1,50]},{"name":"WPF_ASYNCWINDOWPLACEMENT","features":[50]},{"name":"WPF_RESTORETOMAXIMIZED","features":[50]},{"name":"WPF_SETMINPOSITION","features":[50]},{"name":"WSF_VISIBLE","features":[50]},{"name":"WS_ACTIVECAPTION","features":[50]},{"name":"WS_BORDER","features":[50]},{"name":"WS_CAPTION","features":[50]},{"name":"WS_CHILD","features":[50]},{"name":"WS_CHILDWINDOW","features":[50]},{"name":"WS_CLIPCHILDREN","features":[50]},{"name":"WS_CLIPSIBLINGS","features":[50]},{"name":"WS_DISABLED","features":[50]},{"name":"WS_DLGFRAME","features":[50]},{"name":"WS_EX_ACCEPTFILES","features":[50]},{"name":"WS_EX_APPWINDOW","features":[50]},{"name":"WS_EX_CLIENTEDGE","features":[50]},{"name":"WS_EX_COMPOSITED","features":[50]},{"name":"WS_EX_CONTEXTHELP","features":[50]},{"name":"WS_EX_CONTROLPARENT","features":[50]},{"name":"WS_EX_DLGMODALFRAME","features":[50]},{"name":"WS_EX_LAYERED","features":[50]},{"name":"WS_EX_LAYOUTRTL","features":[50]},{"name":"WS_EX_LEFT","features":[50]},{"name":"WS_EX_LEFTSCROLLBAR","features":[50]},{"name":"WS_EX_LTRREADING","features":[50]},{"name":"WS_EX_MDICHILD","features":[50]},{"name":"WS_EX_NOACTIVATE","features":[50]},{"name":"WS_EX_NOINHERITLAYOUT","features":[50]},{"name":"WS_EX_NOPARENTNOTIFY","features":[50]},{"name":"WS_EX_NOREDIRECTIONBITMAP","features":[50]},{"name":"WS_EX_OVERLAPPEDWINDOW","features":[50]},{"name":"WS_EX_PALETTEWINDOW","features":[50]},{"name":"WS_EX_RIGHT","features":[50]},{"name":"WS_EX_RIGHTSCROLLBAR","features":[50]},{"name":"WS_EX_RTLREADING","features":[50]},{"name":"WS_EX_STATICEDGE","features":[50]},{"name":"WS_EX_TOOLWINDOW","features":[50]},{"name":"WS_EX_TOPMOST","features":[50]},{"name":"WS_EX_TRANSPARENT","features":[50]},{"name":"WS_EX_WINDOWEDGE","features":[50]},{"name":"WS_GROUP","features":[50]},{"name":"WS_HSCROLL","features":[50]},{"name":"WS_ICONIC","features":[50]},{"name":"WS_MAXIMIZE","features":[50]},{"name":"WS_MAXIMIZEBOX","features":[50]},{"name":"WS_MINIMIZE","features":[50]},{"name":"WS_MINIMIZEBOX","features":[50]},{"name":"WS_OVERLAPPED","features":[50]},{"name":"WS_OVERLAPPEDWINDOW","features":[50]},{"name":"WS_POPUP","features":[50]},{"name":"WS_POPUPWINDOW","features":[50]},{"name":"WS_SIZEBOX","features":[50]},{"name":"WS_SYSMENU","features":[50]},{"name":"WS_TABSTOP","features":[50]},{"name":"WS_THICKFRAME","features":[50]},{"name":"WS_TILED","features":[50]},{"name":"WS_TILEDWINDOW","features":[50]},{"name":"WS_VISIBLE","features":[50]},{"name":"WS_VSCROLL","features":[50]},{"name":"WTS_CONSOLE_CONNECT","features":[50]},{"name":"WTS_CONSOLE_DISCONNECT","features":[50]},{"name":"WTS_REMOTE_CONNECT","features":[50]},{"name":"WTS_REMOTE_DISCONNECT","features":[50]},{"name":"WTS_SESSION_CREATE","features":[50]},{"name":"WTS_SESSION_LOCK","features":[50]},{"name":"WTS_SESSION_LOGOFF","features":[50]},{"name":"WTS_SESSION_LOGON","features":[50]},{"name":"WTS_SESSION_REMOTE_CONTROL","features":[50]},{"name":"WTS_SESSION_TERMINATE","features":[50]},{"name":"WTS_SESSION_UNLOCK","features":[50]},{"name":"WVR_ALIGNBOTTOM","features":[50]},{"name":"WVR_ALIGNLEFT","features":[50]},{"name":"WVR_ALIGNRIGHT","features":[50]},{"name":"WVR_ALIGNTOP","features":[50]},{"name":"WVR_HREDRAW","features":[50]},{"name":"WVR_VALIDRECTS","features":[50]},{"name":"WVR_VREDRAW","features":[50]},{"name":"WaitMessage","features":[1,50]},{"name":"WindowFromPhysicalPoint","features":[1,50]},{"name":"WindowFromPoint","features":[1,50]},{"name":"XBUTTON1","features":[50]},{"name":"XBUTTON2","features":[50]},{"name":"_DEV_BROADCAST_HEADER","features":[50]},{"name":"_DEV_BROADCAST_USERDEFINED","features":[50]},{"name":"__WARNING_BANNED_API_USAGE","features":[50]},{"name":"__WARNING_CYCLOMATIC_COMPLEXITY","features":[50]},{"name":"__WARNING_DEREF_NULL_PTR","features":[50]},{"name":"__WARNING_HIGH_PRIORITY_OVERFLOW_POSTCONDITION","features":[50]},{"name":"__WARNING_INCORRECT_ANNOTATION","features":[50]},{"name":"__WARNING_INVALID_PARAM_VALUE_1","features":[50]},{"name":"__WARNING_INVALID_PARAM_VALUE_3","features":[50]},{"name":"__WARNING_MISSING_ZERO_TERMINATION2","features":[50]},{"name":"__WARNING_POSTCONDITION_NULLTERMINATION_VIOLATION","features":[50]},{"name":"__WARNING_POST_EXPECTED","features":[50]},{"name":"__WARNING_POTENTIAL_BUFFER_OVERFLOW_HIGH_PRIORITY","features":[50]},{"name":"__WARNING_POTENTIAL_RANGE_POSTCONDITION_VIOLATION","features":[50]},{"name":"__WARNING_PRECONDITION_NULLTERMINATION_VIOLATION","features":[50]},{"name":"__WARNING_RANGE_POSTCONDITION_VIOLATION","features":[50]},{"name":"__WARNING_RETURNING_BAD_RESULT","features":[50]},{"name":"__WARNING_RETURN_UNINIT_VAR","features":[50]},{"name":"__WARNING_USING_UNINIT_VAR","features":[50]},{"name":"wsprintfA","features":[50]},{"name":"wsprintfW","features":[50]},{"name":"wvsprintfA","features":[50]},{"name":"wvsprintfW","features":[50]}],"675":[{"name":"ADDRESSBAND","features":[221]},{"name":"ADDURL_ADDTOCACHE","features":[221]},{"name":"ADDURL_ADDTOHISTORYANDCACHE","features":[221]},{"name":"ADDURL_FIRST","features":[221]},{"name":"ADDURL_FLAG","features":[221]},{"name":"ADDURL_Max","features":[221]},{"name":"ActivityContentCount","features":[221]},{"name":"ActivityContentDocument","features":[221]},{"name":"ActivityContentLink","features":[221]},{"name":"ActivityContentNone","features":[221]},{"name":"ActivityContentSelection","features":[221]},{"name":"AnchorClick","features":[221]},{"name":"CATID_MSOfficeAntiVirus","features":[221]},{"name":"CDeviceRect","features":[221]},{"name":"CDownloadBehavior","features":[221]},{"name":"CHeaderFooter","features":[221]},{"name":"CLayoutRect","features":[221]},{"name":"COLOR_NO_TRANSPARENT","features":[221]},{"name":"CPersistDataPeer","features":[221]},{"name":"CPersistHistory","features":[221]},{"name":"CPersistShortcut","features":[221]},{"name":"CPersistSnapshot","features":[221]},{"name":"CPersistUserData","features":[221]},{"name":"CoDitherToRGB8","features":[221]},{"name":"CoMapMIMEToCLSID","features":[221]},{"name":"CoSniffStream","features":[221]},{"name":"ComputeInvCMAP","features":[12,221]},{"name":"CreateDDrawSurfaceOnDIB","features":[12,221]},{"name":"CreateMIMEMap","features":[221]},{"name":"DISPID_ACTIVEXFILTERINGENABLED","features":[221]},{"name":"DISPID_ADDCHANNEL","features":[221]},{"name":"DISPID_ADDDESKTOPCOMPONENT","features":[221]},{"name":"DISPID_ADDFAVORITE","features":[221]},{"name":"DISPID_ADDSEARCHPROVIDER","features":[221]},{"name":"DISPID_ADDSERVICE","features":[221]},{"name":"DISPID_ADDSITEMODE","features":[221]},{"name":"DISPID_ADDTHUMBNAILBUTTONS","features":[221]},{"name":"DISPID_ADDTOFAVORITESBAR","features":[221]},{"name":"DISPID_ADDTRACKINGPROTECTIONLIST","features":[221]},{"name":"DISPID_ADVANCEERROR","features":[221]},{"name":"DISPID_AMBIENT_OFFLINEIFNOTCONNECTED","features":[221]},{"name":"DISPID_AMBIENT_SILENT","features":[221]},{"name":"DISPID_AUTOCOMPLETEATTACH","features":[221]},{"name":"DISPID_AUTOCOMPLETESAVEFORM","features":[221]},{"name":"DISPID_AUTOSCAN","features":[221]},{"name":"DISPID_BEFORENAVIGATE","features":[221]},{"name":"DISPID_BEFORENAVIGATE2","features":[221]},{"name":"DISPID_BEFORESCRIPTEXECUTE","features":[221]},{"name":"DISPID_BRANDIMAGEURI","features":[221]},{"name":"DISPID_BUILDNEWTABPAGE","features":[221]},{"name":"DISPID_CANADVANCEERROR","features":[221]},{"name":"DISPID_CANRETREATERROR","features":[221]},{"name":"DISPID_CHANGEDEFAULTBROWSER","features":[221]},{"name":"DISPID_CLEARNOTIFICATION","features":[221]},{"name":"DISPID_CLEARSITEMODEICONOVERLAY","features":[221]},{"name":"DISPID_CLIENTTOHOSTWINDOW","features":[221]},{"name":"DISPID_COMMANDSTATECHANGE","features":[221]},{"name":"DISPID_CONTENTDISCOVERYRESET","features":[221]},{"name":"DISPID_COUNTVIEWTYPES","features":[221]},{"name":"DISPID_CREATESUBSCRIPTION","features":[221]},{"name":"DISPID_CUSTOMIZECLEARTYPE","features":[221]},{"name":"DISPID_CUSTOMIZESETTINGS","features":[221]},{"name":"DISPID_DEFAULTSEARCHPROVIDER","features":[221]},{"name":"DISPID_DELETESUBSCRIPTION","features":[221]},{"name":"DISPID_DEPTH","features":[221]},{"name":"DISPID_DIAGNOSECONNECTION","features":[221]},{"name":"DISPID_DIAGNOSECONNECTIONUILESS","features":[221]},{"name":"DISPID_DOCUMENTCOMPLETE","features":[221]},{"name":"DISPID_DOUBLECLICK","features":[221]},{"name":"DISPID_DOWNLOADBEGIN","features":[221]},{"name":"DISPID_DOWNLOADCOMPLETE","features":[221]},{"name":"DISPID_ENABLENOTIFICATIONQUEUE","features":[221]},{"name":"DISPID_ENABLENOTIFICATIONQUEUELARGE","features":[221]},{"name":"DISPID_ENABLENOTIFICATIONQUEUESQUARE","features":[221]},{"name":"DISPID_ENABLENOTIFICATIONQUEUEWIDE","features":[221]},{"name":"DISPID_ENABLESUGGESTEDSITES","features":[221]},{"name":"DISPID_ENUMOPTIONS","features":[221]},{"name":"DISPID_EXPAND","features":[221]},{"name":"DISPID_EXPORT","features":[221]},{"name":"DISPID_FAVSELECTIONCHANGE","features":[221]},{"name":"DISPID_FILEDOWNLOAD","features":[221]},{"name":"DISPID_FLAGS","features":[221]},{"name":"DISPID_FRAMEBEFORENAVIGATE","features":[221]},{"name":"DISPID_FRAMENAVIGATECOMPLETE","features":[221]},{"name":"DISPID_FRAMENEWWINDOW","features":[221]},{"name":"DISPID_GETALWAYSSHOWLOCKSTATE","features":[221]},{"name":"DISPID_GETCVLISTDATA","features":[221]},{"name":"DISPID_GETCVLISTLOCALDATA","features":[221]},{"name":"DISPID_GETDETAILSSTATE","features":[221]},{"name":"DISPID_GETEMIELISTDATA","features":[221]},{"name":"DISPID_GETEMIELISTLOCALDATA","features":[221]},{"name":"DISPID_GETERRORCHAR","features":[221]},{"name":"DISPID_GETERRORCODE","features":[221]},{"name":"DISPID_GETERRORLINE","features":[221]},{"name":"DISPID_GETERRORMSG","features":[221]},{"name":"DISPID_GETERRORURL","features":[221]},{"name":"DISPID_GETEXPERIMENTALFLAG","features":[221]},{"name":"DISPID_GETEXPERIMENTALVALUE","features":[221]},{"name":"DISPID_GETNEEDHVSIAUTOLAUNCHFLAG","features":[221]},{"name":"DISPID_GETNEEDIEAUTOLAUNCHFLAG","features":[221]},{"name":"DISPID_GETOSSKU","features":[221]},{"name":"DISPID_GETPERERRSTATE","features":[221]},{"name":"DISPID_HASNEEDHVSIAUTOLAUNCHFLAG","features":[221]},{"name":"DISPID_HASNEEDIEAUTOLAUNCHFLAG","features":[221]},{"name":"DISPID_IMPORT","features":[221]},{"name":"DISPID_IMPORTEXPORTFAVORITES","features":[221]},{"name":"DISPID_INITIALIZED","features":[221]},{"name":"DISPID_INPRIVATEFILTERINGENABLED","features":[221]},{"name":"DISPID_INVOKECONTEXTMENU","features":[221]},{"name":"DISPID_ISMETAREFERRERAVAILABLE","features":[221]},{"name":"DISPID_ISSEARCHMIGRATED","features":[221]},{"name":"DISPID_ISSEARCHPROVIDERINSTALLED","features":[221]},{"name":"DISPID_ISSERVICEINSTALLED","features":[221]},{"name":"DISPID_ISSITEMODE","features":[221]},{"name":"DISPID_ISSITEMODEFIRSTRUN","features":[221]},{"name":"DISPID_ISSUBSCRIBED","features":[221]},{"name":"DISPID_LAUNCHIE","features":[221]},{"name":"DISPID_LAUNCHINHVSI","features":[221]},{"name":"DISPID_LAUNCHINTERNETOPTIONS","features":[221]},{"name":"DISPID_LAUNCHNETWORKCLIENTHELP","features":[221]},{"name":"DISPID_MODE","features":[221]},{"name":"DISPID_MOVESELECTIONDOWN","features":[221]},{"name":"DISPID_MOVESELECTIONTO","features":[221]},{"name":"DISPID_MOVESELECTIONUP","features":[221]},{"name":"DISPID_NAVIGATEANDFIND","features":[221]},{"name":"DISPID_NAVIGATECOMPLETE","features":[221]},{"name":"DISPID_NAVIGATECOMPLETE2","features":[221]},{"name":"DISPID_NAVIGATEERROR","features":[221]},{"name":"DISPID_NAVIGATETOSUGGESTEDSITES","features":[221]},{"name":"DISPID_NEWFOLDER","features":[221]},{"name":"DISPID_NEWPROCESS","features":[221]},{"name":"DISPID_NEWWINDOW","features":[221]},{"name":"DISPID_NEWWINDOW2","features":[221]},{"name":"DISPID_NEWWINDOW3","features":[221]},{"name":"DISPID_NSCOLUMNS","features":[221]},{"name":"DISPID_ONADDRESSBAR","features":[221]},{"name":"DISPID_ONFULLSCREEN","features":[221]},{"name":"DISPID_ONMENUBAR","features":[221]},{"name":"DISPID_ONQUIT","features":[221]},{"name":"DISPID_ONSTATUSBAR","features":[221]},{"name":"DISPID_ONTHEATERMODE","features":[221]},{"name":"DISPID_ONTOOLBAR","features":[221]},{"name":"DISPID_ONVISIBLE","features":[221]},{"name":"DISPID_OPENFAVORITESPANE","features":[221]},{"name":"DISPID_OPENFAVORITESSETTINGS","features":[221]},{"name":"DISPID_PHISHINGENABLED","features":[221]},{"name":"DISPID_PINNEDSITESTATE","features":[221]},{"name":"DISPID_PRINTTEMPLATEINSTANTIATION","features":[221]},{"name":"DISPID_PRINTTEMPLATETEARDOWN","features":[221]},{"name":"DISPID_PRIVACYIMPACTEDSTATECHANGE","features":[221]},{"name":"DISPID_PROGRESSCHANGE","features":[221]},{"name":"DISPID_PROPERTYCHANGE","features":[221]},{"name":"DISPID_PROVISIONNETWORKS","features":[221]},{"name":"DISPID_QUIT","features":[221]},{"name":"DISPID_REDIRECTXDOMAINBLOCKED","features":[221]},{"name":"DISPID_REFRESHOFFLINEDESKTOP","features":[221]},{"name":"DISPID_REMOVESCHEDULEDTILENOTIFICATION","features":[221]},{"name":"DISPID_REPORTSAFEURL","features":[221]},{"name":"DISPID_RESETEXPERIMENTALFLAGS","features":[221]},{"name":"DISPID_RESETFIRSTBOOTMODE","features":[221]},{"name":"DISPID_RESETSAFEMODE","features":[221]},{"name":"DISPID_RESETSORT","features":[221]},{"name":"DISPID_RETREATERROR","features":[221]},{"name":"DISPID_ROOT","features":[221]},{"name":"DISPID_RUNONCEHASSHOWN","features":[221]},{"name":"DISPID_RUNONCEREQUIREDSETTINGSCOMPLETE","features":[221]},{"name":"DISPID_RUNONCESHOWN","features":[221]},{"name":"DISPID_SCHEDULEDTILENOTIFICATION","features":[221]},{"name":"DISPID_SEARCHGUIDEURL","features":[221]},{"name":"DISPID_SELECTEDITEM","features":[221]},{"name":"DISPID_SELECTEDITEMS","features":[221]},{"name":"DISPID_SELECTIONCHANGE","features":[221]},{"name":"DISPID_SETACTIVITIESVISIBLE","features":[221]},{"name":"DISPID_SETDETAILSSTATE","features":[221]},{"name":"DISPID_SETEXPERIMENTALFLAG","features":[221]},{"name":"DISPID_SETEXPERIMENTALVALUE","features":[221]},{"name":"DISPID_SETMSDEFAULTS","features":[221]},{"name":"DISPID_SETNEEDHVSIAUTOLAUNCHFLAG","features":[221]},{"name":"DISPID_SETNEEDIEAUTOLAUNCHFLAG","features":[221]},{"name":"DISPID_SETPERERRSTATE","features":[221]},{"name":"DISPID_SETPHISHINGFILTERSTATUS","features":[221]},{"name":"DISPID_SETRECENTLYCLOSEDVISIBLE","features":[221]},{"name":"DISPID_SETROOT","features":[221]},{"name":"DISPID_SETSECURELOCKICON","features":[221]},{"name":"DISPID_SETSITEMODEICONOVERLAY","features":[221]},{"name":"DISPID_SETSITEMODEPROPERTIES","features":[221]},{"name":"DISPID_SETTHUMBNAILBUTTONS","features":[221]},{"name":"DISPID_SETVIEWTYPE","features":[221]},{"name":"DISPID_SHELLUIHELPERLAST","features":[221]},{"name":"DISPID_SHOWBROWSERUI","features":[221]},{"name":"DISPID_SHOWINPRIVATEHELP","features":[221]},{"name":"DISPID_SHOWTABSHELP","features":[221]},{"name":"DISPID_SITEMODEACTIVATE","features":[221]},{"name":"DISPID_SITEMODEADDBUTTONSTYLE","features":[221]},{"name":"DISPID_SITEMODEADDJUMPLISTITEM","features":[221]},{"name":"DISPID_SITEMODECLEARBADGE","features":[221]},{"name":"DISPID_SITEMODECLEARJUMPLIST","features":[221]},{"name":"DISPID_SITEMODECREATEJUMPLIST","features":[221]},{"name":"DISPID_SITEMODEREFRESHBADGE","features":[221]},{"name":"DISPID_SITEMODESHOWBUTTONSTYLE","features":[221]},{"name":"DISPID_SITEMODESHOWJUMPLIST","features":[221]},{"name":"DISPID_SKIPRUNONCE","features":[221]},{"name":"DISPID_SKIPTABSWELCOME","features":[221]},{"name":"DISPID_SQMENABLED","features":[221]},{"name":"DISPID_STARTBADGEUPDATE","features":[221]},{"name":"DISPID_STARTPERIODICUPDATE","features":[221]},{"name":"DISPID_STARTPERIODICUPDATEBATCH","features":[221]},{"name":"DISPID_STATUSTEXTCHANGE","features":[221]},{"name":"DISPID_STOPBADGEUPDATE","features":[221]},{"name":"DISPID_STOPPERIODICUPDATE","features":[221]},{"name":"DISPID_SUBSCRIPTIONSENABLED","features":[221]},{"name":"DISPID_SUGGESTEDSITESENABLED","features":[221]},{"name":"DISPID_SYNCHRONIZE","features":[221]},{"name":"DISPID_THIRDPARTYURLBLOCKED","features":[221]},{"name":"DISPID_TITLECHANGE","features":[221]},{"name":"DISPID_TITLEICONCHANGE","features":[221]},{"name":"DISPID_TRACKINGPROTECTIONENABLED","features":[221]},{"name":"DISPID_TVFLAGS","features":[221]},{"name":"DISPID_UNSELECTALL","features":[221]},{"name":"DISPID_UPDATEPAGESTATUS","features":[221]},{"name":"DISPID_UPDATETHUMBNAILBUTTON","features":[221]},{"name":"DISPID_VIEWUPDATE","features":[221]},{"name":"DISPID_WEBWORKERFINISHED","features":[221]},{"name":"DISPID_WEBWORKERSTARTED","features":[221]},{"name":"DISPID_WINDOWACTIVATE","features":[221]},{"name":"DISPID_WINDOWCLOSING","features":[221]},{"name":"DISPID_WINDOWMOVE","features":[221]},{"name":"DISPID_WINDOWREGISTERED","features":[221]},{"name":"DISPID_WINDOWRESIZE","features":[221]},{"name":"DISPID_WINDOWREVOKED","features":[221]},{"name":"DISPID_WINDOWSETHEIGHT","features":[221]},{"name":"DISPID_WINDOWSETLEFT","features":[221]},{"name":"DISPID_WINDOWSETRESIZABLE","features":[221]},{"name":"DISPID_WINDOWSETTOP","features":[221]},{"name":"DISPID_WINDOWSETWIDTH","features":[221]},{"name":"DISPID_WINDOWSTATECHANGED","features":[221]},{"name":"DecodeImage","features":[221]},{"name":"DecodeImageEx","features":[221]},{"name":"DitherTo8","features":[12,221]},{"name":"E_SURFACE_DISCARDED","features":[221]},{"name":"E_SURFACE_NODC","features":[221]},{"name":"E_SURFACE_NOSURFACE","features":[221]},{"name":"E_SURFACE_NOTMYDC","features":[221]},{"name":"E_SURFACE_NOTMYPOINTER","features":[221]},{"name":"E_SURFACE_UNKNOWN_FORMAT","features":[221]},{"name":"ExtensionValidationContextDynamic","features":[221]},{"name":"ExtensionValidationContextNone","features":[221]},{"name":"ExtensionValidationContextParsed","features":[221]},{"name":"ExtensionValidationContexts","features":[221]},{"name":"ExtensionValidationResultArrestPageLoad","features":[221]},{"name":"ExtensionValidationResultDoNotInstantiate","features":[221]},{"name":"ExtensionValidationResultNone","features":[221]},{"name":"ExtensionValidationResults","features":[221]},{"name":"FINDFRAME_FLAGS","features":[221]},{"name":"FINDFRAME_INTERNAL","features":[221]},{"name":"FINDFRAME_JUSTTESTEXISTENCE","features":[221]},{"name":"FINDFRAME_NONE","features":[221]},{"name":"FRAMEOPTIONS_BROWSERBAND","features":[221]},{"name":"FRAMEOPTIONS_DESKTOP","features":[221]},{"name":"FRAMEOPTIONS_FLAGS","features":[221]},{"name":"FRAMEOPTIONS_NO3DBORDER","features":[221]},{"name":"FRAMEOPTIONS_NORESIZE","features":[221]},{"name":"FRAMEOPTIONS_SCROLL_AUTO","features":[221]},{"name":"FRAMEOPTIONS_SCROLL_NO","features":[221]},{"name":"FRAMEOPTIONS_SCROLL_YES","features":[221]},{"name":"GetMaxMIMEIDBytes","features":[221]},{"name":"HomePage","features":[221]},{"name":"HomePageSetting","features":[221]},{"name":"IActiveXUIHandlerSite","features":[221]},{"name":"IActiveXUIHandlerSite2","features":[221]},{"name":"IActiveXUIHandlerSite3","features":[221]},{"name":"IAnchorClick","features":[221]},{"name":"IAudioSessionSite","features":[221]},{"name":"ICaretPositionProvider","features":[221]},{"name":"IDeviceRect","features":[221]},{"name":"IDithererImpl","features":[221]},{"name":"IDocObjectService","features":[221]},{"name":"IDownloadBehavior","features":[221]},{"name":"IDownloadManager","features":[221]},{"name":"IEAssociateThreadWithTab","features":[221]},{"name":"IECMDID_ARG_CLEAR_FORMS_ALL","features":[221]},{"name":"IECMDID_ARG_CLEAR_FORMS_ALL_BUT_PASSWORDS","features":[221]},{"name":"IECMDID_ARG_CLEAR_FORMS_PASSWORDS_ONLY","features":[221]},{"name":"IECMDID_BEFORENAVIGATE_DOEXTERNALBROWSE","features":[221]},{"name":"IECMDID_BEFORENAVIGATE_GETIDLIST","features":[221]},{"name":"IECMDID_BEFORENAVIGATE_GETSHELLBROWSE","features":[221]},{"name":"IECMDID_CLEAR_AUTOCOMPLETE_FOR_FORMS","features":[221]},{"name":"IECMDID_GET_INVOKE_DEFAULT_BROWSER_ON_NEW_WINDOW","features":[221]},{"name":"IECMDID_SETID_AUTOCOMPLETE_FOR_FORMS","features":[221]},{"name":"IECMDID_SET_INVOKE_DEFAULT_BROWSER_ON_NEW_WINDOW","features":[221]},{"name":"IECancelSaveFile","features":[1,221]},{"name":"IECreateDirectory","features":[1,4,221]},{"name":"IECreateFile","features":[1,4,221]},{"name":"IEDeleteFile","features":[1,221]},{"name":"IEDisassociateThreadWithTab","features":[221]},{"name":"IEFindFirstFile","features":[1,21,221]},{"name":"IEGetFileAttributesEx","features":[1,21,221]},{"name":"IEGetProcessModule_PROC_NAME","features":[221]},{"name":"IEGetProtectedModeCookie","features":[221]},{"name":"IEGetTabWindowExports_PROC_NAME","features":[221]},{"name":"IEGetWriteableFolderPath","features":[221]},{"name":"IEGetWriteableLowHKCU","features":[49,221]},{"name":"IEInPrivateFilteringEnabled","features":[1,221]},{"name":"IEIsInPrivateBrowsing","features":[1,221]},{"name":"IEIsProtectedModeProcess","features":[1,221]},{"name":"IEIsProtectedModeURL","features":[221]},{"name":"IELAUNCHOPTION_FLAGS","features":[221]},{"name":"IELAUNCHOPTION_FORCE_COMPAT","features":[221]},{"name":"IELAUNCHOPTION_FORCE_EDGE","features":[221]},{"name":"IELAUNCHOPTION_LOCK_ENGINE","features":[221]},{"name":"IELAUNCHOPTION_SCRIPTDEBUG","features":[221]},{"name":"IELAUNCHURLINFO","features":[221]},{"name":"IELaunchURL","features":[1,37,221]},{"name":"IEMoveFileEx","features":[1,221]},{"name":"IEPROCESS_MODULE_NAME","features":[221]},{"name":"IERefreshElevationPolicy","features":[221]},{"name":"IERegCreateKeyEx","features":[1,4,49,221]},{"name":"IERegSetValueEx","features":[221]},{"name":"IERegisterWritableRegistryKey","features":[1,221]},{"name":"IERegisterWritableRegistryValue","features":[221]},{"name":"IERemoveDirectory","features":[1,221]},{"name":"IESaveFile","features":[1,221]},{"name":"IESetProtectedModeCookie","features":[221]},{"name":"IEShowOpenFileDialog","features":[1,221]},{"name":"IEShowSaveFileDialog","features":[1,221]},{"name":"IETrackingProtectionEnabled","features":[1,221]},{"name":"IEUnregisterWritableRegistry","features":[221]},{"name":"IEWebDriverManager","features":[221]},{"name":"IE_USE_OE_MAIL_HKEY","features":[221]},{"name":"IE_USE_OE_MAIL_KEY","features":[221]},{"name":"IE_USE_OE_MAIL_VALUE","features":[221]},{"name":"IE_USE_OE_NEWS_HKEY","features":[221]},{"name":"IE_USE_OE_NEWS_KEY","features":[221]},{"name":"IE_USE_OE_NEWS_VALUE","features":[221]},{"name":"IE_USE_OE_PRESENT_HKEY","features":[221]},{"name":"IE_USE_OE_PRESENT_KEY","features":[221]},{"name":"IEnumManagerFrames","features":[221]},{"name":"IEnumOpenServiceActivity","features":[221]},{"name":"IEnumOpenServiceActivityCategory","features":[221]},{"name":"IEnumSTATURL","features":[221]},{"name":"IExtensionValidation","features":[221]},{"name":"IHTMLPersistData","features":[221]},{"name":"IHTMLPersistDataOM","features":[221]},{"name":"IHTMLUserDataOM","features":[221]},{"name":"IHeaderFooter","features":[221]},{"name":"IHeaderFooter2","features":[221]},{"name":"IHomePage","features":[221]},{"name":"IHomePageSetting","features":[221]},{"name":"IIEWebDriverManager","features":[221]},{"name":"IIEWebDriverSite","features":[221]},{"name":"IImageDecodeEventSink","features":[221]},{"name":"IImageDecodeEventSink2","features":[221]},{"name":"IImageDecodeFilter","features":[221]},{"name":"IIntelliForms","features":[221]},{"name":"IInternetExplorerManager","features":[221]},{"name":"IInternetExplorerManager2","features":[221]},{"name":"ILayoutRect","features":[221]},{"name":"IMGDECODE_EVENT_BEGINBITS","features":[221]},{"name":"IMGDECODE_EVENT_BITSCOMPLETE","features":[221]},{"name":"IMGDECODE_EVENT_PALETTE","features":[221]},{"name":"IMGDECODE_EVENT_PROGRESS","features":[221]},{"name":"IMGDECODE_EVENT_USEDDRAW","features":[221]},{"name":"IMGDECODE_HINT_BOTTOMUP","features":[221]},{"name":"IMGDECODE_HINT_FULLWIDTH","features":[221]},{"name":"IMGDECODE_HINT_TOPDOWN","features":[221]},{"name":"IMapMIMEToCLSID","features":[221]},{"name":"IMediaActivityNotifySite","features":[221]},{"name":"INTERNETEXPLORERCONFIGURATION","features":[221]},{"name":"INTERNETEXPLORERCONFIGURATION_HOST","features":[221]},{"name":"INTERNETEXPLORERCONFIGURATION_WEB_DRIVER","features":[221]},{"name":"INTERNETEXPLORERCONFIGURATION_WEB_DRIVER_EDGE","features":[221]},{"name":"IOpenService","features":[221]},{"name":"IOpenServiceActivity","features":[221]},{"name":"IOpenServiceActivityCategory","features":[221]},{"name":"IOpenServiceActivityInput","features":[221]},{"name":"IOpenServiceActivityManager","features":[221]},{"name":"IOpenServiceActivityOutputContext","features":[221]},{"name":"IOpenServiceManager","features":[221]},{"name":"IPeerFactory","features":[221]},{"name":"IPersistHistory","features":[221]},{"name":"IPrintTaskRequestFactory","features":[221]},{"name":"IPrintTaskRequestHandler","features":[221]},{"name":"IScrollableContextMenu","features":[221]},{"name":"IScrollableContextMenu2","features":[221]},{"name":"ISniffStream","features":[221]},{"name":"ISurfacePresenterFlip","features":[221]},{"name":"ISurfacePresenterFlip2","features":[221]},{"name":"ISurfacePresenterFlipBuffer","features":[221]},{"name":"ITargetContainer","features":[221]},{"name":"ITargetEmbedding","features":[221]},{"name":"ITargetFrame","features":[221]},{"name":"ITargetFrame2","features":[221]},{"name":"ITargetFramePriv","features":[221]},{"name":"ITargetFramePriv2","features":[221]},{"name":"ITargetNotify","features":[221]},{"name":"ITargetNotify2","features":[221]},{"name":"ITimer","features":[221]},{"name":"ITimerEx","features":[221]},{"name":"ITimerService","features":[221]},{"name":"ITimerSink","features":[221]},{"name":"ITridentTouchInput","features":[221]},{"name":"ITridentTouchInputSite","features":[221]},{"name":"IUrlHistoryNotify","features":[221]},{"name":"IUrlHistoryStg","features":[221]},{"name":"IUrlHistoryStg2","features":[221]},{"name":"IViewObjectPresentFlip","features":[221]},{"name":"IViewObjectPresentFlip2","features":[221]},{"name":"IViewObjectPresentFlipSite","features":[221]},{"name":"IViewObjectPresentFlipSite2","features":[221]},{"name":"IWebBrowserEventsService","features":[221]},{"name":"IWebBrowserEventsUrlService","features":[221]},{"name":"IdentifyMIMEType","features":[221]},{"name":"IntelliForms","features":[221]},{"name":"InternetExplorerManager","features":[221]},{"name":"Iwfolders","features":[221]},{"name":"LINKSBAND","features":[221]},{"name":"MAPMIME_CLSID","features":[221]},{"name":"MAPMIME_DEFAULT","features":[221]},{"name":"MAPMIME_DEFAULT_ALWAYS","features":[221]},{"name":"MAPMIME_DISABLE","features":[221]},{"name":"MAX_SEARCH_FORMAT_STRING","features":[221]},{"name":"MEDIA_ACTIVITY_NOTIFY_TYPE","features":[221]},{"name":"MediaCasting","features":[221]},{"name":"MediaPlayback","features":[221]},{"name":"MediaRecording","features":[221]},{"name":"NAVIGATEDATA","features":[221]},{"name":"NAVIGATEFRAME_FLAGS","features":[221]},{"name":"NAVIGATEFRAME_FL_AUTH_FAIL_CACHE_OK","features":[221]},{"name":"NAVIGATEFRAME_FL_NO_DOC_CACHE","features":[221]},{"name":"NAVIGATEFRAME_FL_NO_IMAGE_CACHE","features":[221]},{"name":"NAVIGATEFRAME_FL_POST","features":[221]},{"name":"NAVIGATEFRAME_FL_REALLY_SENDING_FROM_FORM","features":[221]},{"name":"NAVIGATEFRAME_FL_RECORD","features":[221]},{"name":"NAVIGATEFRAME_FL_SENDING_FROM_FORM","features":[221]},{"name":"OS_E_CANCELLED","features":[221]},{"name":"OS_E_GPDISABLED","features":[221]},{"name":"OS_E_NOTFOUND","features":[221]},{"name":"OS_E_NOTSUPPORTED","features":[221]},{"name":"OpenServiceActivityContentType","features":[221]},{"name":"OpenServiceActivityManager","features":[221]},{"name":"OpenServiceErrors","features":[221]},{"name":"OpenServiceManager","features":[221]},{"name":"PeerFactory","features":[221]},{"name":"REGSTRA_VAL_STARTPAGE","features":[221]},{"name":"REGSTR_PATH_CURRENT","features":[221]},{"name":"REGSTR_PATH_DEFAULT","features":[221]},{"name":"REGSTR_PATH_INETCPL_RESTRICTIONS","features":[221]},{"name":"REGSTR_PATH_MIME_DATABASE","features":[221]},{"name":"REGSTR_PATH_REMOTEACCESS","features":[221]},{"name":"REGSTR_PATH_REMOTEACESS","features":[221]},{"name":"REGSTR_SHIFTQUICKSUFFIX","features":[221]},{"name":"REGSTR_VAL_ACCEPT_LANGUAGE","features":[221]},{"name":"REGSTR_VAL_ACCESSMEDIUM","features":[221]},{"name":"REGSTR_VAL_ACCESSTYPE","features":[221]},{"name":"REGSTR_VAL_ALIASTO","features":[221]},{"name":"REGSTR_VAL_ANCHORCOLOR","features":[221]},{"name":"REGSTR_VAL_ANCHORCOLORHOVER","features":[221]},{"name":"REGSTR_VAL_ANCHORCOLORVISITED","features":[221]},{"name":"REGSTR_VAL_ANCHORUNDERLINE","features":[221]},{"name":"REGSTR_VAL_AUTODETECT","features":[221]},{"name":"REGSTR_VAL_AUTODIALDLLNAME","features":[221]},{"name":"REGSTR_VAL_AUTODIALFCNNAME","features":[221]},{"name":"REGSTR_VAL_AUTODIAL_MONITORCLASSNAME","features":[221]},{"name":"REGSTR_VAL_AUTODIAL_TRYONLYONCE","features":[221]},{"name":"REGSTR_VAL_AUTONAVIGATE","features":[221]},{"name":"REGSTR_VAL_AUTOSEARCH","features":[221]},{"name":"REGSTR_VAL_BACKBITMAP","features":[221]},{"name":"REGSTR_VAL_BACKGROUNDCOLOR","features":[221]},{"name":"REGSTR_VAL_BODYCHARSET","features":[221]},{"name":"REGSTR_VAL_BYPASSAUTOCONFIG","features":[221]},{"name":"REGSTR_VAL_CACHEPREFIX","features":[221]},{"name":"REGSTR_VAL_CHECKASSOC","features":[221]},{"name":"REGSTR_VAL_CODEDOWNLOAD","features":[221]},{"name":"REGSTR_VAL_CODEDOWNLOAD_DEF","features":[221]},{"name":"REGSTR_VAL_CODEPAGE","features":[221]},{"name":"REGSTR_VAL_COVEREXCLUDE","features":[221]},{"name":"REGSTR_VAL_DAYSTOKEEP","features":[221]},{"name":"REGSTR_VAL_DEFAULT_CODEPAGE","features":[221]},{"name":"REGSTR_VAL_DEFAULT_SCRIPT","features":[221]},{"name":"REGSTR_VAL_DEF_ENCODING","features":[221]},{"name":"REGSTR_VAL_DEF_INETENCODING","features":[221]},{"name":"REGSTR_VAL_DESCRIPTION","features":[221]},{"name":"REGSTR_VAL_DIRECTORY","features":[221]},{"name":"REGSTR_VAL_DISCONNECTIDLETIME","features":[221]},{"name":"REGSTR_VAL_ENABLEAUTODIAL","features":[221]},{"name":"REGSTR_VAL_ENABLEAUTODIALDISCONNECT","features":[221]},{"name":"REGSTR_VAL_ENABLEAUTODISCONNECT","features":[221]},{"name":"REGSTR_VAL_ENABLEEXITDISCONNECT","features":[221]},{"name":"REGSTR_VAL_ENABLESECURITYCHECK","features":[221]},{"name":"REGSTR_VAL_ENABLEUNATTENDED","features":[221]},{"name":"REGSTR_VAL_ENCODENAME","features":[221]},{"name":"REGSTR_VAL_FAMILY","features":[221]},{"name":"REGSTR_VAL_FIXEDWIDTHFONT","features":[221]},{"name":"REGSTR_VAL_FIXED_FONT","features":[221]},{"name":"REGSTR_VAL_FONT_SCRIPT","features":[221]},{"name":"REGSTR_VAL_FONT_SCRIPTS","features":[221]},{"name":"REGSTR_VAL_FONT_SCRIPT_NAME","features":[221]},{"name":"REGSTR_VAL_FONT_SIZE","features":[221]},{"name":"REGSTR_VAL_FONT_SIZE_DEF","features":[221]},{"name":"REGSTR_VAL_HEADERCHARSET","features":[221]},{"name":"REGSTR_VAL_HTTP_ERRORS","features":[221]},{"name":"REGSTR_VAL_IE_CUSTOMCOLORS","features":[221]},{"name":"REGSTR_VAL_INETCPL_ADVANCEDTAB","features":[221]},{"name":"REGSTR_VAL_INETCPL_CONNECTIONSTAB","features":[221]},{"name":"REGSTR_VAL_INETCPL_CONTENTTAB","features":[221]},{"name":"REGSTR_VAL_INETCPL_GENERALTAB","features":[221]},{"name":"REGSTR_VAL_INETCPL_IEAK","features":[221]},{"name":"REGSTR_VAL_INETCPL_PRIVACYTAB","features":[221]},{"name":"REGSTR_VAL_INETCPL_PROGRAMSTAB","features":[221]},{"name":"REGSTR_VAL_INETCPL_SECURITYTAB","features":[221]},{"name":"REGSTR_VAL_INETENCODING","features":[221]},{"name":"REGSTR_VAL_INTERNETENTRY","features":[221]},{"name":"REGSTR_VAL_INTERNETENTRYBKUP","features":[221]},{"name":"REGSTR_VAL_INTERNETPROFILE","features":[221]},{"name":"REGSTR_VAL_JAVAJIT","features":[221]},{"name":"REGSTR_VAL_JAVAJIT_DEF","features":[221]},{"name":"REGSTR_VAL_JAVALOGGING","features":[221]},{"name":"REGSTR_VAL_JAVALOGGING_DEF","features":[221]},{"name":"REGSTR_VAL_LEVEL","features":[221]},{"name":"REGSTR_VAL_LOADIMAGES","features":[221]},{"name":"REGSTR_VAL_LOCALPAGE","features":[221]},{"name":"REGSTR_VAL_MOSDISCONNECT","features":[221]},{"name":"REGSTR_VAL_NEWDIRECTORY","features":[221]},{"name":"REGSTR_VAL_NONETAUTODIAL","features":[221]},{"name":"REGSTR_VAL_PLAYSOUNDS","features":[221]},{"name":"REGSTR_VAL_PLAYVIDEOS","features":[221]},{"name":"REGSTR_VAL_PRIVCONVERTER","features":[221]},{"name":"REGSTR_VAL_PROPORTIONALFONT","features":[221]},{"name":"REGSTR_VAL_PROP_FONT","features":[221]},{"name":"REGSTR_VAL_PROXYENABLE","features":[221]},{"name":"REGSTR_VAL_PROXYOVERRIDE","features":[221]},{"name":"REGSTR_VAL_PROXYSERVER","features":[221]},{"name":"REGSTR_VAL_REDIALATTEMPTS","features":[221]},{"name":"REGSTR_VAL_REDIALINTERVAL","features":[221]},{"name":"REGSTR_VAL_RNAINSTALLED","features":[221]},{"name":"REGSTR_VAL_SAFETYWARNINGLEVEL","features":[221]},{"name":"REGSTR_VAL_SCHANNELENABLEPROTOCOL","features":[221]},{"name":"REGSTR_VAL_SCHANNELENABLEPROTOCOL_DEF","features":[221]},{"name":"REGSTR_VAL_SCRIPT_FIXED_FONT","features":[221]},{"name":"REGSTR_VAL_SCRIPT_PROP_FONT","features":[221]},{"name":"REGSTR_VAL_SEARCHPAGE","features":[221]},{"name":"REGSTR_VAL_SECURITYACTICEXSCRIPTS","features":[221]},{"name":"REGSTR_VAL_SECURITYACTICEXSCRIPTS_DEF","features":[221]},{"name":"REGSTR_VAL_SECURITYACTIVEX","features":[221]},{"name":"REGSTR_VAL_SECURITYACTIVEX_DEF","features":[221]},{"name":"REGSTR_VAL_SECURITYALLOWCOOKIES","features":[221]},{"name":"REGSTR_VAL_SECURITYALLOWCOOKIES_DEF","features":[221]},{"name":"REGSTR_VAL_SECURITYDISABLECACHINGOFSSLPAGES","features":[221]},{"name":"REGSTR_VAL_SECURITYDISABLECACHINGOFSSLPAGES_DEF","features":[221]},{"name":"REGSTR_VAL_SECURITYJAVA","features":[221]},{"name":"REGSTR_VAL_SECURITYJAVA_DEF","features":[221]},{"name":"REGSTR_VAL_SECURITYWARNONBADCERTSENDING","features":[221]},{"name":"REGSTR_VAL_SECURITYWARNONBADCERTSENDING_DEF","features":[221]},{"name":"REGSTR_VAL_SECURITYWARNONBADCERTVIEWING","features":[221]},{"name":"REGSTR_VAL_SECURITYWARNONBADCERTVIEWING_DEF","features":[221]},{"name":"REGSTR_VAL_SECURITYWARNONSEND","features":[221]},{"name":"REGSTR_VAL_SECURITYWARNONSENDALWAYS","features":[221]},{"name":"REGSTR_VAL_SECURITYWARNONSENDALWAYS_DEF","features":[221]},{"name":"REGSTR_VAL_SECURITYWARNONSEND_DEF","features":[221]},{"name":"REGSTR_VAL_SECURITYWARNONVIEW","features":[221]},{"name":"REGSTR_VAL_SECURITYWARNONVIEW_DEF","features":[221]},{"name":"REGSTR_VAL_SECURITYWARNONZONECROSSING","features":[221]},{"name":"REGSTR_VAL_SECURITYWARNONZONECROSSING_DEF","features":[221]},{"name":"REGSTR_VAL_SHOWADDRESSBAR","features":[221]},{"name":"REGSTR_VAL_SHOWFOCUS","features":[221]},{"name":"REGSTR_VAL_SHOWFOCUS_DEF","features":[221]},{"name":"REGSTR_VAL_SHOWFULLURLS","features":[221]},{"name":"REGSTR_VAL_SHOWTOOLBAR","features":[221]},{"name":"REGSTR_VAL_SMOOTHSCROLL","features":[221]},{"name":"REGSTR_VAL_SMOOTHSCROLL_DEF","features":[221]},{"name":"REGSTR_VAL_STARTPAGE","features":[221]},{"name":"REGSTR_VAL_TEXTCOLOR","features":[221]},{"name":"REGSTR_VAL_TRUSTWARNINGLEVEL_HIGH","features":[221]},{"name":"REGSTR_VAL_TRUSTWARNINGLEVEL_LOW","features":[221]},{"name":"REGSTR_VAL_TRUSTWARNINGLEVEL_MED","features":[221]},{"name":"REGSTR_VAL_USEAUTOAPPEND","features":[221]},{"name":"REGSTR_VAL_USEAUTOCOMPLETE","features":[221]},{"name":"REGSTR_VAL_USEAUTOSUGGEST","features":[221]},{"name":"REGSTR_VAL_USEDLGCOLORS","features":[221]},{"name":"REGSTR_VAL_USEHOVERCOLOR","features":[221]},{"name":"REGSTR_VAL_USEIBAR","features":[221]},{"name":"REGSTR_VAL_USEICM","features":[221]},{"name":"REGSTR_VAL_USEICM_DEF","features":[221]},{"name":"REGSTR_VAL_USERAGENT","features":[221]},{"name":"REGSTR_VAL_USESTYLESHEETS","features":[221]},{"name":"REGSTR_VAL_USESTYLESHEETS_DEF","features":[221]},{"name":"REGSTR_VAL_VISIBLEBANDS","features":[221]},{"name":"REGSTR_VAL_VISIBLEBANDS_DEF","features":[221]},{"name":"REGSTR_VAL_WEBCHARSET","features":[221]},{"name":"RatingAccessDeniedDialog","features":[1,221]},{"name":"RatingAccessDeniedDialog2","features":[1,221]},{"name":"RatingAccessDeniedDialog2W","features":[1,221]},{"name":"RatingAccessDeniedDialogW","features":[1,221]},{"name":"RatingAddToApprovedSites","features":[1,221]},{"name":"RatingCheckUserAccess","features":[221]},{"name":"RatingCheckUserAccessW","features":[221]},{"name":"RatingClickedOnPRFInternal","features":[1,221]},{"name":"RatingClickedOnRATInternal","features":[1,221]},{"name":"RatingEnable","features":[1,221]},{"name":"RatingEnableW","features":[1,221]},{"name":"RatingEnabledQuery","features":[221]},{"name":"RatingFreeDetails","features":[221]},{"name":"RatingInit","features":[221]},{"name":"RatingObtainCancel","features":[1,221]},{"name":"RatingObtainQuery","features":[1,221]},{"name":"RatingObtainQueryW","features":[1,221]},{"name":"RatingSetupUI","features":[1,221]},{"name":"RatingSetupUIW","features":[1,221]},{"name":"SCMP_BOTTOM","features":[221]},{"name":"SCMP_FULL","features":[221]},{"name":"SCMP_LEFT","features":[221]},{"name":"SCMP_RIGHT","features":[221]},{"name":"SCMP_TOP","features":[221]},{"name":"SCROLLABLECONTEXTMENU_PLACEMENT","features":[221]},{"name":"STATURL","features":[1,221]},{"name":"STATURLFLAG_ISCACHED","features":[221]},{"name":"STATURLFLAG_ISTOPLEVEL","features":[221]},{"name":"STATURL_QUERYFLAG_ISCACHED","features":[221]},{"name":"STATURL_QUERYFLAG_NOTITLE","features":[221]},{"name":"STATURL_QUERYFLAG_NOURL","features":[221]},{"name":"STATURL_QUERYFLAG_TOPLEVEL","features":[221]},{"name":"SURFACE_LOCK_ALLOW_DISCARD","features":[221]},{"name":"SURFACE_LOCK_EXCLUSIVE","features":[221]},{"name":"SURFACE_LOCK_WAIT","features":[221]},{"name":"SZBACKBITMAP","features":[221]},{"name":"SZJAVAVMPATH","features":[221]},{"name":"SZNOTEXT","features":[221]},{"name":"SZTOOLBAR","features":[221]},{"name":"SZTRUSTWARNLEVEL","features":[221]},{"name":"SZVISIBLE","features":[221]},{"name":"SZ_IE_DEFAULT_HTML_EDITOR","features":[221]},{"name":"SZ_IE_IBAR","features":[221]},{"name":"SZ_IE_IBAR_BANDS","features":[221]},{"name":"SZ_IE_MAIN","features":[221]},{"name":"SZ_IE_SEARCHSTRINGS","features":[221]},{"name":"SZ_IE_SECURITY","features":[221]},{"name":"SZ_IE_SETTINGS","features":[221]},{"name":"SZ_IE_THRESHOLDS","features":[221]},{"name":"S_SURFACE_DISCARDED","features":[221]},{"name":"SniffStream","features":[221]},{"name":"TARGET_NOTIFY_OBJECT_NAME","features":[221]},{"name":"TF_NAVIGATE","features":[221]},{"name":"TIMERMODE_NORMAL","features":[221]},{"name":"TIMERMODE_VISIBILITYAWARE","features":[221]},{"name":"TOOLSBAND","features":[221]},{"name":"TSZCALENDARPROTOCOL","features":[221]},{"name":"TSZCALLTOPROTOCOL","features":[221]},{"name":"TSZINTERNETCLIENTSPATH","features":[221]},{"name":"TSZLDAPPROTOCOL","features":[221]},{"name":"TSZMAILTOPROTOCOL","features":[221]},{"name":"TSZMICROSOFTPATH","features":[221]},{"name":"TSZNEWSPROTOCOL","features":[221]},{"name":"TSZPROTOCOLSPATH","features":[221]},{"name":"TSZSCHANNELPATH","features":[221]},{"name":"TSZVSOURCEPROTOCOL","features":[221]},{"name":"msodsvFailed","features":[221]},{"name":"msodsvLowSecurityLevel","features":[221]},{"name":"msodsvNoMacros","features":[221]},{"name":"msodsvPassedTrusted","features":[221]},{"name":"msodsvPassedTrustedCert","features":[221]},{"name":"msodsvUnsigned","features":[221]},{"name":"msoedmDisable","features":[221]},{"name":"msoedmDontOpen","features":[221]},{"name":"msoedmEnable","features":[221]},{"name":"msoslHigh","features":[221]},{"name":"msoslMedium","features":[221]},{"name":"msoslNone","features":[221]},{"name":"msoslUndefined","features":[221]},{"name":"wfolders","features":[221]}]}} \ No newline at end of file diff --git a/crates/libs/windows/Cargo.toml b/crates/libs/windows/Cargo.toml index 186867a435..476673c4df 100644 --- a/crates/libs/windows/Cargo.toml +++ b/crates/libs/windows/Cargo.toml @@ -11,6 +11,7 @@ repository = "https://github.com/microsoft/windows-rs" documentation = "https://microsoft.github.io/windows-docs-rs/" readme = "readme.md" categories = ["os::windows-apis"] +exclude = ["features.json"] [lints] workspace = true diff --git a/crates/libs/windows/features.json b/crates/libs/windows/features.json new file mode 100644 index 0000000000..56b1f42a73 --- /dev/null +++ b/crates/libs/windows/features.json @@ -0,0 +1 @@ +{"namespace_map":["Windows.AI.MachineLearning","Windows.AI.MachineLearning.Preview","Windows.ApplicationModel","Windows.ApplicationModel.Activation","Windows.ApplicationModel.AppExtensions","Windows.ApplicationModel.AppService","Windows.ApplicationModel.Appointments","Windows.ApplicationModel.Appointments.AppointmentsProvider","Windows.ApplicationModel.Appointments.DataProvider","Windows.ApplicationModel.Background","Windows.ApplicationModel.Calls","Windows.ApplicationModel.Calls.Background","Windows.ApplicationModel.Calls.Provider","Windows.ApplicationModel.Chat","Windows.ApplicationModel.CommunicationBlocking","Windows.ApplicationModel.Contacts","Windows.ApplicationModel.Contacts.DataProvider","Windows.ApplicationModel.Contacts.Provider","Windows.ApplicationModel.ConversationalAgent","Windows.ApplicationModel.Core","Windows.ApplicationModel.DataTransfer","Windows.ApplicationModel.DataTransfer.DragDrop","Windows.ApplicationModel.DataTransfer.DragDrop.Core","Windows.ApplicationModel.DataTransfer.ShareTarget","Windows.ApplicationModel.Email","Windows.ApplicationModel.Email.DataProvider","Windows.ApplicationModel.ExtendedExecution","Windows.ApplicationModel.ExtendedExecution.Foreground","Windows.ApplicationModel.Holographic","Windows.ApplicationModel.LockScreen","Windows.ApplicationModel.Payments","Windows.ApplicationModel.Payments.Provider","Windows.ApplicationModel.Preview.Holographic","Windows.ApplicationModel.Preview.InkWorkspace","Windows.ApplicationModel.Preview.Notes","Windows.ApplicationModel.Resources","Windows.ApplicationModel.Resources.Core","Windows.ApplicationModel.Resources.Management","Windows.ApplicationModel.Search","Windows.ApplicationModel.Search.Core","Windows.ApplicationModel.SocialInfo","Windows.ApplicationModel.SocialInfo.Provider","Windows.ApplicationModel.Store","Windows.ApplicationModel.Store.LicenseManagement","Windows.ApplicationModel.Store.Preview","Windows.ApplicationModel.Store.Preview.InstallControl","Windows.ApplicationModel.UserActivities","Windows.ApplicationModel.UserActivities.Core","Windows.ApplicationModel.UserDataAccounts","Windows.ApplicationModel.UserDataAccounts.Provider","Windows.ApplicationModel.UserDataAccounts.SystemAccess","Windows.ApplicationModel.UserDataTasks","Windows.ApplicationModel.UserDataTasks.DataProvider","Windows.ApplicationModel.VoiceCommands","Windows.ApplicationModel.Wallet","Windows.ApplicationModel.Wallet.System","Windows.Data.Html","Windows.Data.Json","Windows.Data.Pdf","Windows.Data.Text","Windows.Data.Xml.Dom","Windows.Data.Xml.Xsl","Windows.Devices","Windows.Devices.Adc","Windows.Devices.Adc.Provider","Windows.Devices.AllJoyn","Windows.Devices.Background","Windows.Devices.Bluetooth","Windows.Devices.Bluetooth.Advertisement","Windows.Devices.Bluetooth.Background","Windows.Devices.Bluetooth.GenericAttributeProfile","Windows.Devices.Bluetooth.Rfcomm","Windows.Devices.Custom","Windows.Devices.Display","Windows.Devices.Display.Core","Windows.Devices.Enumeration","Windows.Devices.Enumeration.Pnp","Windows.Devices.Geolocation","Windows.Devices.Geolocation.Geofencing","Windows.Devices.Geolocation.Provider","Windows.Devices.Gpio","Windows.Devices.Gpio.Provider","Windows.Devices.Haptics","Windows.Devices.HumanInterfaceDevice","Windows.Devices.I2c","Windows.Devices.I2c.Provider","Windows.Devices.Input","Windows.Devices.Input.Preview","Windows.Devices.Lights","Windows.Devices.Lights.Effects","Windows.Devices.Midi","Windows.Devices.Perception","Windows.Devices.Perception.Provider","Windows.Devices.PointOfService","Windows.Devices.PointOfService.Provider","Windows.Devices.Portable","Windows.Devices.Power","Windows.Devices.Printers","Windows.Devices.Printers.Extensions","Windows.Devices.Pwm","Windows.Devices.Pwm.Provider","Windows.Devices.Radios","Windows.Devices.Scanners","Windows.Devices.Sensors","Windows.Devices.Sensors.Custom","Windows.Devices.SerialCommunication","Windows.Devices.SmartCards","Windows.Devices.Sms","Windows.Devices.Spi","Windows.Devices.Spi.Provider","Windows.Devices.Usb","Windows.Devices.WiFi","Windows.Devices.WiFiDirect","Windows.Devices.WiFiDirect.Services","Windows.Embedded.DeviceLockdown","Windows.Foundation","Windows.Foundation.Collections","Windows.Foundation.Diagnostics","Windows.Foundation.Metadata","Windows.Foundation.Numerics","Windows.Gaming.Input","Windows.Gaming.Input.Custom","Windows.Gaming.Input.ForceFeedback","Windows.Gaming.Input.Preview","Windows.Gaming.Preview","Windows.Gaming.Preview.GamesEnumeration","Windows.Gaming.UI","Windows.Gaming.XboxLive","Windows.Gaming.XboxLive.Storage","Windows.Globalization","Windows.Globalization.Collation","Windows.Globalization.DateTimeFormatting","Windows.Globalization.Fonts","Windows.Globalization.NumberFormatting","Windows.Globalization.PhoneNumberFormatting","Windows.Graphics","Windows.Graphics.Capture","Windows.Graphics.DirectX","Windows.Graphics.DirectX.Direct3D11","Windows.Graphics.Display","Windows.Graphics.Display.Core","Windows.Graphics.Effects","Windows.Graphics.Holographic","Windows.Graphics.Imaging","Windows.Graphics.Printing","Windows.Graphics.Printing.OptionDetails","Windows.Graphics.Printing.PrintSupport","Windows.Graphics.Printing.PrintTicket","Windows.Graphics.Printing.Workflow","Windows.Graphics.Printing3D","Windows.Management","Windows.Management.Core","Windows.Management.Deployment","Windows.Management.Deployment.Preview","Windows.Management.Policies","Windows.Management.Update","Windows.Management.Workplace","Windows.Media","Windows.Media.AppBroadcasting","Windows.Media.AppRecording","Windows.Media.Audio","Windows.Media.Capture","Windows.Media.Capture.Core","Windows.Media.Capture.Frames","Windows.Media.Casting","Windows.Media.ClosedCaptioning","Windows.Media.ContentRestrictions","Windows.Media.Control","Windows.Media.Core","Windows.Media.Core.Preview","Windows.Media.Devices","Windows.Media.Devices.Core","Windows.Media.DialProtocol","Windows.Media.Editing","Windows.Media.Effects","Windows.Media.FaceAnalysis","Windows.Media.Import","Windows.Media.MediaProperties","Windows.Media.Miracast","Windows.Media.Ocr","Windows.Media.PlayTo","Windows.Media.Playback","Windows.Media.Playlists","Windows.Media.Protection","Windows.Media.Protection.PlayReady","Windows.Media.Render","Windows.Media.SpeechRecognition","Windows.Media.SpeechSynthesis","Windows.Media.Streaming.Adaptive","Windows.Media.Transcoding","Windows.Networking","Windows.Networking.BackgroundTransfer","Windows.Networking.Connectivity","Windows.Networking.NetworkOperators","Windows.Networking.Proximity","Windows.Networking.PushNotifications","Windows.Networking.ServiceDiscovery.Dnssd","Windows.Networking.Sockets","Windows.Networking.Vpn","Windows.Networking.XboxLive","Windows.Perception","Windows.Perception.Automation.Core","Windows.Perception.People","Windows.Perception.Spatial","Windows.Perception.Spatial.Preview","Windows.Perception.Spatial.Surfaces","Windows.Phone","Windows.Phone.ApplicationModel","Windows.Phone.Devices.Notification","Windows.Phone.Devices.Power","Windows.Phone.Management.Deployment","Windows.Phone.Media.Devices","Windows.Phone.Notification.Management","Windows.Phone.PersonalInformation","Windows.Phone.PersonalInformation.Provisioning","Windows.Phone.Speech.Recognition","Windows.Phone.StartScreen","Windows.Phone.System","Windows.Phone.System.Power","Windows.Phone.System.Profile","Windows.Phone.System.UserProfile.GameServices.Core","Windows.Phone.UI.Input","Windows.Security.Authentication.Identity","Windows.Security.Authentication.Identity.Core","Windows.Security.Authentication.Identity.Provider","Windows.Security.Authentication.OnlineId","Windows.Security.Authentication.Web","Windows.Security.Authentication.Web.Core","Windows.Security.Authentication.Web.Provider","Windows.Security.Authorization.AppCapabilityAccess","Windows.Security.Credentials","Windows.Security.Credentials.UI","Windows.Security.Cryptography","Windows.Security.Cryptography.Certificates","Windows.Security.Cryptography.Core","Windows.Security.Cryptography.DataProtection","Windows.Security.DataProtection","Windows.Security.EnterpriseData","Windows.Security.ExchangeActiveSyncProvisioning","Windows.Security.Isolation","Windows.Services.Cortana","Windows.Services.Maps","Windows.Services.Maps.Guidance","Windows.Services.Maps.LocalSearch","Windows.Services.Maps.OfflineMaps","Windows.Services.Store","Windows.Services.TargetedContent","Windows.Storage","Windows.Storage.AccessCache","Windows.Storage.BulkAccess","Windows.Storage.Compression","Windows.Storage.FileProperties","Windows.Storage.Pickers","Windows.Storage.Pickers.Provider","Windows.Storage.Provider","Windows.Storage.Search","Windows.Storage.Streams","Windows.System","Windows.System.Diagnostics","Windows.System.Diagnostics.DevicePortal","Windows.System.Diagnostics.Telemetry","Windows.System.Diagnostics.TraceReporting","Windows.System.Display","Windows.System.Implementation.FileExplorer","Windows.System.Inventory","Windows.System.Power","Windows.System.Power.Diagnostics","Windows.System.Preview","Windows.System.Profile","Windows.System.Profile.SystemManufacturers","Windows.System.RemoteDesktop","Windows.System.RemoteDesktop.Input","Windows.System.RemoteDesktop.Provider","Windows.System.RemoteSystems","Windows.System.Threading","Windows.System.Threading.Core","Windows.System.Update","Windows.System.UserProfile","Windows.UI","Windows.UI.Accessibility","Windows.UI.ApplicationSettings","Windows.UI.Composition","Windows.UI.Composition.Core","Windows.UI.Composition.Desktop","Windows.UI.Composition.Diagnostics","Windows.UI.Composition.Effects","Windows.UI.Composition.Interactions","Windows.UI.Composition.Scenes","Windows.UI.Core","Windows.UI.Core.AnimationMetrics","Windows.UI.Core.Preview","Windows.UI.Input","Windows.UI.Input.Core","Windows.UI.Input.Inking","Windows.UI.Input.Inking.Analysis","Windows.UI.Input.Inking.Core","Windows.UI.Input.Inking.Preview","Windows.UI.Input.Preview","Windows.UI.Input.Preview.Injection","Windows.UI.Input.Spatial","Windows.UI.Notifications","Windows.UI.Notifications.Management","Windows.UI.Notifications.Preview","Windows.UI.Popups","Windows.UI.Shell","Windows.UI.StartScreen","Windows.UI.Text","Windows.UI.Text.Core","Windows.UI.UIAutomation","Windows.UI.UIAutomation.Core","Windows.UI.ViewManagement","Windows.UI.ViewManagement.Core","Windows.UI.WebUI","Windows.UI.WebUI.Core","Windows.UI.WindowManagement","Windows.UI.WindowManagement.Preview","Windows.UI.Xaml","Windows.UI.Xaml.Automation","Windows.UI.Xaml.Automation.Peers","Windows.UI.Xaml.Automation.Provider","Windows.UI.Xaml.Automation.Text","Windows.UI.Xaml.Controls","Windows.UI.Xaml.Controls.Maps","Windows.UI.Xaml.Controls.Primitives","Windows.UI.Xaml.Core.Direct","Windows.UI.Xaml.Data","Windows.UI.Xaml.Documents","Windows.UI.Xaml.Hosting","Windows.UI.Xaml.Input","Windows.UI.Xaml.Interop","Windows.UI.Xaml.Markup","Windows.UI.Xaml.Media","Windows.UI.Xaml.Media.Animation","Windows.UI.Xaml.Media.Imaging","Windows.UI.Xaml.Media.Media3D","Windows.UI.Xaml.Navigation","Windows.UI.Xaml.Printing","Windows.UI.Xaml.Resources","Windows.UI.Xaml.Shapes","Windows.Wdk.Devices.HumanInterfaceDevice","Windows.Wdk.Foundation","Windows.Wdk.Graphics.Direct3D","Windows.Wdk.NetworkManagement.Ndis","Windows.Wdk.NetworkManagement.WindowsFilteringPlatform","Windows.Wdk.Storage.FileSystem","Windows.Wdk.Storage.FileSystem.Minifilters","Windows.Wdk.System.IO","Windows.Wdk.System.OfflineRegistry","Windows.Wdk.System.Registry","Windows.Wdk.System.SystemInformation","Windows.Wdk.System.SystemServices","Windows.Wdk.System.Threading","Windows.Web","Windows.Web.AtomPub","Windows.Web.Http","Windows.Web.Http.Diagnostics","Windows.Web.Http.Filters","Windows.Web.Http.Headers","Windows.Web.Syndication","Windows.Web.UI","Windows.Web.UI.Interop","Windows.Win32.AI.MachineLearning.DirectML","Windows.Win32.AI.MachineLearning.WinML","Windows.Win32.Data.HtmlHelp","Windows.Win32.Data.RightsManagement","Windows.Win32.Data.Xml.MsXml","Windows.Win32.Data.Xml.XmlLite","Windows.Win32.Devices.AllJoyn","Windows.Win32.Devices.BiometricFramework","Windows.Win32.Devices.Bluetooth","Windows.Win32.Devices.Communication","Windows.Win32.Devices.DeviceAccess","Windows.Win32.Devices.DeviceAndDriverInstallation","Windows.Win32.Devices.DeviceQuery","Windows.Win32.Devices.Display","Windows.Win32.Devices.Enumeration.Pnp","Windows.Win32.Devices.Fax","Windows.Win32.Devices.FunctionDiscovery","Windows.Win32.Devices.Geolocation","Windows.Win32.Devices.HumanInterfaceDevice","Windows.Win32.Devices.ImageAcquisition","Windows.Win32.Devices.PortableDevices","Windows.Win32.Devices.Properties","Windows.Win32.Devices.Pwm","Windows.Win32.Devices.Sensors","Windows.Win32.Devices.SerialCommunication","Windows.Win32.Devices.Tapi","Windows.Win32.Devices.Usb","Windows.Win32.Devices.WebServicesOnDevices","Windows.Win32.Foundation","Windows.Win32.Foundation.Metadata","Windows.Win32.Gaming","Windows.Win32.Globalization","Windows.Win32.Graphics.CompositionSwapchain","Windows.Win32.Graphics.DXCore","Windows.Win32.Graphics.Direct2D","Windows.Win32.Graphics.Direct2D.Common","Windows.Win32.Graphics.Direct3D","Windows.Win32.Graphics.Direct3D.Dxc","Windows.Win32.Graphics.Direct3D.Fxc","Windows.Win32.Graphics.Direct3D10","Windows.Win32.Graphics.Direct3D11","Windows.Win32.Graphics.Direct3D11on12","Windows.Win32.Graphics.Direct3D12","Windows.Win32.Graphics.Direct3D9","Windows.Win32.Graphics.Direct3D9on12","Windows.Win32.Graphics.DirectComposition","Windows.Win32.Graphics.DirectDraw","Windows.Win32.Graphics.DirectManipulation","Windows.Win32.Graphics.DirectWrite","Windows.Win32.Graphics.Dwm","Windows.Win32.Graphics.Dxgi","Windows.Win32.Graphics.Dxgi.Common","Windows.Win32.Graphics.Gdi","Windows.Win32.Graphics.GdiPlus","Windows.Win32.Graphics.Hlsl","Windows.Win32.Graphics.Imaging","Windows.Win32.Graphics.Imaging.D2D","Windows.Win32.Graphics.OpenGL","Windows.Win32.Graphics.Printing","Windows.Win32.Graphics.Printing.PrintTicket","Windows.Win32.Management.MobileDeviceManagementRegistration","Windows.Win32.Media","Windows.Win32.Media.Audio","Windows.Win32.Media.Audio.Apo","Windows.Win32.Media.Audio.DirectMusic","Windows.Win32.Media.Audio.DirectSound","Windows.Win32.Media.Audio.Endpoints","Windows.Win32.Media.Audio.XAudio2","Windows.Win32.Media.DeviceManager","Windows.Win32.Media.DirectShow","Windows.Win32.Media.DirectShow.Tv","Windows.Win32.Media.DirectShow.Xml","Windows.Win32.Media.DxMediaObjects","Windows.Win32.Media.KernelStreaming","Windows.Win32.Media.LibrarySharingServices","Windows.Win32.Media.MediaFoundation","Windows.Win32.Media.MediaPlayer","Windows.Win32.Media.Multimedia","Windows.Win32.Media.PictureAcquisition","Windows.Win32.Media.Speech","Windows.Win32.Media.Streaming","Windows.Win32.Media.WindowsMediaFormat","Windows.Win32.NetworkManagement.Dhcp","Windows.Win32.NetworkManagement.Dns","Windows.Win32.NetworkManagement.InternetConnectionWizard","Windows.Win32.NetworkManagement.IpHelper","Windows.Win32.NetworkManagement.MobileBroadband","Windows.Win32.NetworkManagement.Multicast","Windows.Win32.NetworkManagement.Ndis","Windows.Win32.NetworkManagement.NetBios","Windows.Win32.NetworkManagement.NetManagement","Windows.Win32.NetworkManagement.NetShell","Windows.Win32.NetworkManagement.NetworkDiagnosticsFramework","Windows.Win32.NetworkManagement.NetworkPolicyServer","Windows.Win32.NetworkManagement.P2P","Windows.Win32.NetworkManagement.QoS","Windows.Win32.NetworkManagement.Rras","Windows.Win32.NetworkManagement.Snmp","Windows.Win32.NetworkManagement.WNet","Windows.Win32.NetworkManagement.WebDav","Windows.Win32.NetworkManagement.WiFi","Windows.Win32.NetworkManagement.WindowsConnectNow","Windows.Win32.NetworkManagement.WindowsConnectionManager","Windows.Win32.NetworkManagement.WindowsFilteringPlatform","Windows.Win32.NetworkManagement.WindowsFirewall","Windows.Win32.NetworkManagement.WindowsNetworkVirtualization","Windows.Win32.Networking.ActiveDirectory","Windows.Win32.Networking.BackgroundIntelligentTransferService","Windows.Win32.Networking.Clustering","Windows.Win32.Networking.HttpServer","Windows.Win32.Networking.Ldap","Windows.Win32.Networking.NetworkListManager","Windows.Win32.Networking.RemoteDifferentialCompression","Windows.Win32.Networking.WebSocket","Windows.Win32.Networking.WinHttp","Windows.Win32.Networking.WinInet","Windows.Win32.Networking.WinSock","Windows.Win32.Networking.WindowsWebServices","Windows.Win32.Security","Windows.Win32.Security.AppLocker","Windows.Win32.Security.Authentication.Identity","Windows.Win32.Security.Authentication.Identity.Provider","Windows.Win32.Security.Authorization","Windows.Win32.Security.Authorization.UI","Windows.Win32.Security.ConfigurationSnapin","Windows.Win32.Security.Credentials","Windows.Win32.Security.Cryptography","Windows.Win32.Security.Cryptography.Catalog","Windows.Win32.Security.Cryptography.Certificates","Windows.Win32.Security.Cryptography.Sip","Windows.Win32.Security.Cryptography.UI","Windows.Win32.Security.DiagnosticDataQuery","Windows.Win32.Security.DirectoryServices","Windows.Win32.Security.EnterpriseData","Windows.Win32.Security.ExtensibleAuthenticationProtocol","Windows.Win32.Security.Isolation","Windows.Win32.Security.LicenseProtection","Windows.Win32.Security.NetworkAccessProtection","Windows.Win32.Security.Tpm","Windows.Win32.Security.WinTrust","Windows.Win32.Security.WinWlx","Windows.Win32.Storage.Cabinets","Windows.Win32.Storage.CloudFilters","Windows.Win32.Storage.Compression","Windows.Win32.Storage.DataDeduplication","Windows.Win32.Storage.DistributedFileSystem","Windows.Win32.Storage.EnhancedStorage","Windows.Win32.Storage.FileHistory","Windows.Win32.Storage.FileServerResourceManager","Windows.Win32.Storage.FileSystem","Windows.Win32.Storage.Imapi","Windows.Win32.Storage.IndexServer","Windows.Win32.Storage.InstallableFileSystems","Windows.Win32.Storage.IscsiDisc","Windows.Win32.Storage.Jet","Windows.Win32.Storage.Nvme","Windows.Win32.Storage.OfflineFiles","Windows.Win32.Storage.OperationRecorder","Windows.Win32.Storage.Packaging.Appx","Windows.Win32.Storage.Packaging.Opc","Windows.Win32.Storage.ProjectedFileSystem","Windows.Win32.Storage.StructuredStorage","Windows.Win32.Storage.Vhd","Windows.Win32.Storage.VirtualDiskService","Windows.Win32.Storage.Vss","Windows.Win32.Storage.Xps","Windows.Win32.Storage.Xps.Printing","Windows.Win32.System.AddressBook","Windows.Win32.System.Antimalware","Windows.Win32.System.ApplicationInstallationAndServicing","Windows.Win32.System.ApplicationVerifier","Windows.Win32.System.AssessmentTool","Windows.Win32.System.ClrHosting","Windows.Win32.System.Com","Windows.Win32.System.Com.CallObj","Windows.Win32.System.Com.ChannelCredentials","Windows.Win32.System.Com.Events","Windows.Win32.System.Com.Marshal","Windows.Win32.System.Com.StructuredStorage","Windows.Win32.System.Com.UI","Windows.Win32.System.Com.Urlmon","Windows.Win32.System.ComponentServices","Windows.Win32.System.Console","Windows.Win32.System.Contacts","Windows.Win32.System.CorrelationVector","Windows.Win32.System.DataExchange","Windows.Win32.System.DeploymentServices","Windows.Win32.System.DesktopSharing","Windows.Win32.System.DeveloperLicensing","Windows.Win32.System.Diagnostics.Ceip","Windows.Win32.System.Diagnostics.ClrProfiling","Windows.Win32.System.Diagnostics.Debug","Windows.Win32.System.Diagnostics.Debug.ActiveScript","Windows.Win32.System.Diagnostics.Debug.Extensions","Windows.Win32.System.Diagnostics.Debug.WebApp","Windows.Win32.System.Diagnostics.Etw","Windows.Win32.System.Diagnostics.ProcessSnapshotting","Windows.Win32.System.Diagnostics.ToolHelp","Windows.Win32.System.Diagnostics.TraceLogging","Windows.Win32.System.DistributedTransactionCoordinator","Windows.Win32.System.Environment","Windows.Win32.System.ErrorReporting","Windows.Win32.System.EventCollector","Windows.Win32.System.EventLog","Windows.Win32.System.EventNotificationService","Windows.Win32.System.GroupPolicy","Windows.Win32.System.HostCompute","Windows.Win32.System.HostComputeNetwork","Windows.Win32.System.HostComputeSystem","Windows.Win32.System.Hypervisor","Windows.Win32.System.IO","Windows.Win32.System.Iis","Windows.Win32.System.Ioctl","Windows.Win32.System.JobObjects","Windows.Win32.System.Js","Windows.Win32.System.Kernel","Windows.Win32.System.LibraryLoader","Windows.Win32.System.Mailslots","Windows.Win32.System.Mapi","Windows.Win32.System.Memory","Windows.Win32.System.Memory.NonVolatile","Windows.Win32.System.MessageQueuing","Windows.Win32.System.MixedReality","Windows.Win32.System.Mmc","Windows.Win32.System.Ole","Windows.Win32.System.ParentalControls","Windows.Win32.System.PasswordManagement","Windows.Win32.System.Performance","Windows.Win32.System.Performance.HardwareCounterProfiling","Windows.Win32.System.Pipes","Windows.Win32.System.Power","Windows.Win32.System.ProcessStatus","Windows.Win32.System.RealTimeCommunications","Windows.Win32.System.Recovery","Windows.Win32.System.Registry","Windows.Win32.System.RemoteAssistance","Windows.Win32.System.RemoteDesktop","Windows.Win32.System.RemoteManagement","Windows.Win32.System.RestartManager","Windows.Win32.System.Restore","Windows.Win32.System.Rpc","Windows.Win32.System.Search","Windows.Win32.System.Search.Common","Windows.Win32.System.SecurityCenter","Windows.Win32.System.ServerBackup","Windows.Win32.System.Services","Windows.Win32.System.SettingsManagementInfrastructure","Windows.Win32.System.SetupAndMigration","Windows.Win32.System.Shutdown","Windows.Win32.System.SideShow","Windows.Win32.System.StationsAndDesktops","Windows.Win32.System.SubsystemForLinux","Windows.Win32.System.SystemInformation","Windows.Win32.System.SystemServices","Windows.Win32.System.TaskScheduler","Windows.Win32.System.Threading","Windows.Win32.System.Time","Windows.Win32.System.TpmBaseServices","Windows.Win32.System.TransactionServer","Windows.Win32.System.UpdateAgent","Windows.Win32.System.UpdateAssessment","Windows.Win32.System.UserAccessLogging","Windows.Win32.System.Variant","Windows.Win32.System.VirtualDosMachines","Windows.Win32.System.WinRT","Windows.Win32.System.WinRT.AllJoyn","Windows.Win32.System.WinRT.Composition","Windows.Win32.System.WinRT.CoreInputView","Windows.Win32.System.WinRT.Direct3D11","Windows.Win32.System.WinRT.Display","Windows.Win32.System.WinRT.Graphics.Capture","Windows.Win32.System.WinRT.Graphics.Direct2D","Windows.Win32.System.WinRT.Graphics.Imaging","Windows.Win32.System.WinRT.Holographic","Windows.Win32.System.WinRT.Isolation","Windows.Win32.System.WinRT.ML","Windows.Win32.System.WinRT.Media","Windows.Win32.System.WinRT.Metadata","Windows.Win32.System.WinRT.Pdf","Windows.Win32.System.WinRT.Printing","Windows.Win32.System.WinRT.Shell","Windows.Win32.System.WinRT.Storage","Windows.Win32.System.WinRT.Xaml","Windows.Win32.System.WindowsProgramming","Windows.Win32.System.WindowsSync","Windows.Win32.System.Wmi","Windows.Win32.UI.Accessibility","Windows.Win32.UI.Animation","Windows.Win32.UI.ColorSystem","Windows.Win32.UI.Controls","Windows.Win32.UI.Controls.Dialogs","Windows.Win32.UI.Controls.RichEdit","Windows.Win32.UI.HiDpi","Windows.Win32.UI.Input","Windows.Win32.UI.Input.Ime","Windows.Win32.UI.Input.Ink","Windows.Win32.UI.Input.KeyboardAndMouse","Windows.Win32.UI.Input.Pointer","Windows.Win32.UI.Input.Radial","Windows.Win32.UI.Input.Touch","Windows.Win32.UI.Input.XboxController","Windows.Win32.UI.InteractionContext","Windows.Win32.UI.LegacyWindowsEnvironmentFeatures","Windows.Win32.UI.Magnification","Windows.Win32.UI.Notifications","Windows.Win32.UI.Ribbon","Windows.Win32.UI.Shell","Windows.Win32.UI.Shell.Common","Windows.Win32.UI.Shell.PropertiesSystem","Windows.Win32.UI.TabletPC","Windows.Win32.UI.TextServices","Windows.Win32.UI.WindowsAndMessaging","Windows.Win32.UI.Wpf","Windows.Win32.UI.Xaml.Diagnostics","Windows.Win32.Web.InternetExplorer","Windows.Win32.Web.MsHtml"],"feature_map":["AI_MachineLearning","ApplicationModel","ApplicationModel_Activation","deprecated","ApplicationModel_AppExtensions","ApplicationModel_AppService","ApplicationModel_Appointments","ApplicationModel_Appointments_AppointmentsProvider","ApplicationModel_Appointments_DataProvider","ApplicationModel_Background","ApplicationModel_Calls","ApplicationModel_Calls_Background","ApplicationModel_Calls_Provider","ApplicationModel_Chat","ApplicationModel_CommunicationBlocking","ApplicationModel_Contacts","ApplicationModel_Contacts_DataProvider","ApplicationModel_Contacts_Provider","ApplicationModel_ConversationalAgent","ApplicationModel_Core","ApplicationModel_DataTransfer","ApplicationModel_DataTransfer_DragDrop","ApplicationModel_DataTransfer_DragDrop_Core","ApplicationModel_DataTransfer_ShareTarget","ApplicationModel_Email","ApplicationModel_Email_DataProvider","ApplicationModel_ExtendedExecution","ApplicationModel_ExtendedExecution_Foreground","ApplicationModel_Holographic","ApplicationModel_LockScreen","ApplicationModel_Payments","ApplicationModel_Payments_Provider","ApplicationModel_Preview_Holographic","ApplicationModel_Preview_InkWorkspace","ApplicationModel_Preview_Notes","ApplicationModel_Resources","ApplicationModel_Resources_Core","Foundation_Collections","ApplicationModel_Resources_Management","ApplicationModel_Search","ApplicationModel_Search_Core","ApplicationModel_Store","ApplicationModel_Store_LicenseManagement","ApplicationModel_Store_Preview","ApplicationModel_Store_Preview_InstallControl","ApplicationModel_UserActivities","ApplicationModel_UserActivities_Core","ApplicationModel_UserDataAccounts","ApplicationModel_UserDataAccounts_Provider","ApplicationModel_UserDataAccounts_SystemAccess","ApplicationModel_UserDataTasks","ApplicationModel_UserDataTasks_DataProvider","ApplicationModel_VoiceCommands","ApplicationModel_Wallet","ApplicationModel_Wallet_System","Data_Html","Data_Json","Data_Pdf","Data_Text","Data_Xml_Dom","Data_Xml_Xsl","Devices","Devices_Adc","Devices_Adc_Provider","Devices_Background","Devices_Bluetooth","Devices_Bluetooth_Advertisement","Devices_Bluetooth_Background","Devices_Bluetooth_GenericAttributeProfile","Devices_Bluetooth_Rfcomm","Devices_Custom","Devices_Display","Devices_Display_Core","Foundation_Numerics","Devices_Enumeration","Storage_Streams","Devices_Enumeration_Pnp","Devices_Geolocation","Devices_Geolocation_Geofencing","Devices_Geolocation_Provider","Devices_Gpio","Foundation","Devices_Gpio_Provider","Devices_Haptics","Devices_HumanInterfaceDevice","Devices_I2c","Devices_I2c_Provider","Devices_Input","Devices_Input_Preview","Devices_Lights","Devices_Lights_Effects","Devices_Midi","Devices_PointOfService","Devices_PointOfService_Provider","Devices_Portable","Devices_Power","Devices_Printers","Devices_Printers_Extensions","Devices_Pwm","Devices_Pwm_Provider","Devices_Radios","Devices_Scanners","Devices_Sensors","Devices_Sensors_Custom","Devices_SerialCommunication","Devices_SmartCards","Devices_Sms","Devices_Spi","Devices_Spi_Provider","Devices_Usb","Devices_WiFi","Devices_WiFiDirect","Devices_WiFiDirect_Services","Embedded_DeviceLockdown","Foundation_Diagnostics","Foundation_Metadata","Gaming_Input","Gaming_Input_Custom","Gaming_Input_ForceFeedback","Gaming_Input_Preview","Gaming_Preview","Gaming_Preview_GamesEnumeration","Gaming_UI","Gaming_XboxLive","Gaming_XboxLive_Storage","Globalization","Globalization_Collation","Globalization_DateTimeFormatting","Globalization_Fonts","Globalization_NumberFormatting","Globalization_PhoneNumberFormatting","Graphics","Graphics_Capture","Graphics_DirectX","Graphics_DirectX_Direct3D11","Graphics_Display","Graphics_Display_Core","Graphics_Effects","Graphics_Holographic","Graphics_Imaging","Graphics_Printing","Graphics_Printing_OptionDetails","Graphics_Printing_PrintSupport","Graphics_Printing_PrintTicket","Graphics_Printing_Workflow","Graphics_Printing3D","Management","Management_Core","Management_Deployment","Management_Deployment_Preview","Management_Policies","Management_Update","Management_Workplace","Media","Media_AppBroadcasting","Media_AppRecording","Media_Audio","Media_Capture","Media_Capture_Core","Media_Capture_Frames","Media_Casting","Media_ClosedCaptioning","Media_ContentRestrictions","Media_Control","Media_Core","Media_Effects","Media_Core_Preview","Media_Devices","Media_Devices_Core","Media_DialProtocol","Media_Editing","Media_FaceAnalysis","Media_Import","Media_MediaProperties","Media_Miracast","Media_Ocr","Media_PlayTo","Media_Playback","Media_Playlists","Media_Protection","Media_Protection_PlayReady","Media_Render","Media_SpeechRecognition","Media_SpeechSynthesis","Media_Streaming_Adaptive","Media_Transcoding","Networking","Networking_BackgroundTransfer","Networking_Connectivity","Networking_NetworkOperators","Networking_Proximity","Networking_PushNotifications","Networking_ServiceDiscovery_Dnssd","Networking_Sockets","Networking_Vpn","Networking_XboxLive","Perception","Perception_Automation_Core","Perception_People","Perception_Spatial","Perception_Spatial_Preview","Perception_Spatial_Surfaces","Phone","Phone_ApplicationModel","Phone_Devices_Notification","Phone_Devices_Power","Phone_Management_Deployment","Phone_Media_Devices","Phone_Notification_Management","Phone_PersonalInformation","Phone_PersonalInformation_Provisioning","Phone_Speech_Recognition","Phone_StartScreen","Phone_System","Phone_System_Power","Phone_System_Profile","Phone_System_UserProfile_GameServices_Core","Phone_UI_Input","Security_Authentication_Identity","Security_Authentication_Identity_Core","Security_Authentication_OnlineId","Security_Authentication_Web","Security_Authentication_Web_Core","Security_Authentication_Web_Provider","Security_Authorization_AppCapabilityAccess","Security_Credentials","Security_Credentials_UI","Security_Cryptography","Security_Cryptography_Certificates","Security_Cryptography_Core","Security_Cryptography_DataProtection","Security_DataProtection","Security_EnterpriseData","Security_ExchangeActiveSyncProvisioning","Security_Isolation","Services_Maps","Services_Maps_Guidance","Services_Maps_LocalSearch","Services_Maps_OfflineMaps","Services_Store","Services_TargetedContent","Storage","Storage_AccessCache","Storage_BulkAccess","Storage_Compression","Storage_FileProperties","Storage_Pickers","Storage_Pickers_Provider","Storage_Provider","Storage_Search","System","System_Diagnostics","System_Diagnostics_DevicePortal","System_Diagnostics_Telemetry","System_Diagnostics_TraceReporting","System_Display","System_Implementation_FileExplorer","System_Inventory","System_Power","System_Profile","System_Profile_SystemManufacturers","System_RemoteDesktop","System_RemoteDesktop_Input","System_RemoteDesktop_Provider","System_RemoteSystems","System_Threading","System_Threading_Core","System_Update","System_UserProfile","UI","UI_Accessibility","UI_ApplicationSettings","UI_Popups","UI_Composition","UI_Composition_Core","UI_Composition_Desktop","UI_Composition_Diagnostics","UI_Composition_Effects","UI_Composition_Interactions","UI_Composition_Scenes","UI_Core","UI_Core_AnimationMetrics","UI_Core_Preview","UI_Input","UI_Input_Core","UI_Input_Inking","UI_Input_Inking_Analysis","UI_Input_Inking_Core","UI_Input_Inking_Preview","UI_Input_Preview","UI_Input_Preview_Injection","UI_Input_Spatial","UI_Notifications","UI_Notifications_Management","UI_Notifications_Preview","UI_Shell","UI_StartScreen","UI_Text","UI_Text_Core","UI_UIAutomation","UI_UIAutomation_Core","UI_ViewManagement","UI_ViewManagement_Core","UI_WebUI","UI_WebUI_Core","UI_WindowManagement","UI_WindowManagement_Preview","Wdk_Devices_HumanInterfaceDevice","Win32_Foundation","Wdk_Foundation","Wdk_System_SystemServices","Win32_Security","Wdk_Storage_FileSystem","Win32_System_IO","Win32_System_Kernel","Win32_System_Power","Wdk_Graphics_Direct3D","Win32_Graphics_Direct3D9","Win32_Graphics_DirectDraw","Win32_Graphics_Gdi","Wdk_NetworkManagement_Ndis","Win32_Networking_WinSock","Win32_NetworkManagement_Ndis","Wdk_NetworkManagement_WindowsFilteringPlatform","Win32_NetworkManagement_WindowsFilteringPlatform","Win32_System_Rpc","Win32_System_Memory","Win32_Storage_FileSystem","Win32_System_Ioctl","Win32_Security_Authentication_Identity","Wdk_Storage_FileSystem_Minifilters","Win32_Storage_InstallableFileSystems","Wdk_System_IO","Wdk_System_OfflineRegistry","Wdk_System_Registry","Wdk_System_SystemInformation","Win32_System_Diagnostics_Debug","Win32_System_Diagnostics_Etw","Win32_System_SystemInformation","Win32_Storage_IscsiDisc","Win32_System_WindowsProgramming","Win32_Devices_Properties","Win32_System_SystemServices","Win32_System_Threading","Wdk_System_Threading","Web","Web_AtomPub","Web_Http","Web_Http_Diagnostics","Web_Http_Filters","Web_Http_Headers","Web_Syndication","Web_UI","Web_UI_Interop","Win32_AI_MachineLearning_DirectML","Win32_Graphics_Direct3D12","Win32_AI_MachineLearning_WinML","Win32_Data_HtmlHelp","Win32_UI_Controls","Win32_System_Com","Win32_Data_RightsManagement","Win32_Data_Xml_MsXml","Win32_Data_Xml_XmlLite","Win32_Devices_AllJoyn","Win32_Devices_BiometricFramework","Win32_Devices_Bluetooth","Win32_Devices_Communication","Win32_Devices_DeviceAccess","Win32_Devices_DeviceAndDriverInstallation","Win32_System_Registry","Win32_UI_WindowsAndMessaging","Win32_Devices_DeviceQuery","Win32_Devices_Display","Win32_System_Console","Win32_Graphics_OpenGL","Win32_UI_ColorSystem","Win32_Devices_Enumeration_Pnp","Win32_Devices_Fax","Win32_Devices_FunctionDiscovery","Win32_UI_Shell_PropertiesSystem","Win32_Devices_Geolocation","Win32_Devices_HumanInterfaceDevice","Win32_Devices_ImageAcquisition","Win32_System_Variant","Win32_Devices_PortableDevices","Win32_Devices_Pwm","Win32_Devices_Sensors","Win32_Devices_SerialCommunication","Win32_Devices_Tapi","Win32_System_AddressBook","Win32_Devices_Usb","Win32_Devices_WebServicesOnDevices","Win32_Security_Cryptography","Win32_Gaming","Win32_Globalization","Win32_Graphics_CompositionSwapchain","Win32_Graphics_Dxgi_Common","Win32_Graphics_DXCore","Win32_Graphics_Direct2D","Win32_Graphics_Direct2D_Common","Win32_Graphics_Dxgi","Win32_Graphics_Direct3D","Win32_Graphics_Direct3D_Dxc","Win32_Graphics_Direct3D_Fxc","Win32_Graphics_Direct3D11","Win32_Graphics_Direct3D10","Win32_Graphics_Direct3D11on12","Win32_Graphics_Direct3D9on12","Win32_Graphics_DirectComposition","Win32_Graphics_DirectManipulation","Win32_Graphics_DirectWrite","Win32_Graphics_Dwm","Win32_Graphics_GdiPlus","Win32_Graphics_Hlsl","Win32_Graphics_Imaging","Win32_Graphics_Imaging_D2D","Win32_Graphics_Printing","Win32_Storage_Xps","Win32_System_Ole","Win32_Graphics_Printing_PrintTicket","Win32_Management_MobileDeviceManagementRegistration","Win32_Media","Win32_Media_Multimedia","Win32_Media_Audio","Win32_Media_Audio_Apo","Win32_Media_Audio_DirectMusic","Win32_Media_Audio_DirectSound","Win32_Media_Audio_Endpoints","Win32_Media_Audio_XAudio2","Win32_Media_DeviceManager","Win32_Media_DirectShow","Win32_Media_MediaFoundation","Win32_System_Com_StructuredStorage","Win32_Media_DirectShow_Tv","Win32_Media_KernelStreaming","Win32_Media_DirectShow_Xml","Win32_Media_DxMediaObjects","Win32_Media_LibrarySharingServices","Win32_Media_MediaPlayer","Win32_UI_Controls_Dialogs","Win32_Media_PictureAcquisition","Win32_Media_Speech","Win32_Media_Streaming","Win32_Media_WindowsMediaFormat","Win32_NetworkManagement_Dhcp","Win32_NetworkManagement_Dns","Win32_NetworkManagement_InternetConnectionWizard","Win32_NetworkManagement_IpHelper","Win32_NetworkManagement_MobileBroadband","Win32_NetworkManagement_Multicast","Win32_NetworkManagement_NetBios","Win32_NetworkManagement_NetManagement","Win32_NetworkManagement_NetShell","Win32_NetworkManagement_NetworkDiagnosticsFramework","Win32_NetworkManagement_NetworkPolicyServer","Win32_NetworkManagement_P2P","Win32_NetworkManagement_QoS","Win32_NetworkManagement_Rras","Win32_NetworkManagement_Snmp","Win32_NetworkManagement_WNet","Win32_NetworkManagement_WebDav","Win32_NetworkManagement_WiFi","Win32_Security_ExtensibleAuthenticationProtocol","Win32_System_RemoteDesktop","Win32_NetworkManagement_WindowsConnectNow","Win32_NetworkManagement_WindowsConnectionManager","Win32_NetworkManagement_WindowsFirewall","Win32_NetworkManagement_WindowsNetworkVirtualization","Win32_Networking_ActiveDirectory","Win32_UI_Shell","Win32_Networking_BackgroundIntelligentTransferService","Win32_Networking_Clustering","Win32_Networking_HttpServer","Win32_Networking_Ldap","Win32_Networking_NetworkListManager","Win32_Networking_RemoteDifferentialCompression","Win32_Networking_WebSocket","Win32_Networking_WinHttp","Win32_Networking_WinInet","Win32_Networking_WindowsWebServices","Win32_Security_AppLocker","Win32_Security_Credentials","Win32_System_PasswordManagement","Win32_Security_Authentication_Identity_Provider","Win32_Security_Authorization","Win32_Security_Authorization_UI","Win32_Security_ConfigurationSnapin","Win32_Security_Cryptography_Catalog","Win32_Security_Cryptography_Sip","Win32_Security_Cryptography_Certificates","Win32_Security_Cryptography_UI","Win32_Security_WinTrust","Win32_Security_DiagnosticDataQuery","Win32_Security_DirectoryServices","Win32_Security_EnterpriseData","Win32_Storage_Packaging_Appx","Win32_Security_Isolation","Win32_Security_LicenseProtection","Win32_Security_NetworkAccessProtection","Win32_Security_Tpm","Win32_Security_WinWlx","Win32_System_StationsAndDesktops","Win32_Storage_Cabinets","Win32_Storage_CloudFilters","Win32_System_CorrelationVector","Win32_Storage_Compression","Win32_Storage_DataDeduplication","Win32_Storage_DistributedFileSystem","Win32_Storage_EnhancedStorage","Win32_Storage_FileHistory","Win32_Storage_FileServerResourceManager","Win32_Storage_Imapi","Win32_Storage_IndexServer","Win32_Storage_Jet","Win32_Storage_StructuredStorage","Win32_Storage_Nvme","Win32_Storage_OfflineFiles","Win32_Storage_OperationRecorder","Win32_Storage_Packaging_Opc","Win32_Storage_ProjectedFileSystem","Win32_Storage_Vhd","Win32_Storage_VirtualDiskService","Win32_Storage_Vss","Win32_Storage_Xps_Printing","Win32_System_Antimalware","Win32_System_ApplicationInstallationAndServicing","Win32_System_ApplicationVerifier","Win32_System_AssessmentTool","Win32_UI_Accessibility","Win32_System_ClrHosting","Win32_System_Com_CallObj","Win32_System_Com_ChannelCredentials","Win32_System_Com_Events","Win32_System_Com_Marshal","Win32_System_Com_UI","Win32_System_Com_Urlmon","Win32_System_ComponentServices","Win32_System_Contacts","Win32_System_DataExchange","Win32_System_DeploymentServices","Win32_System_DesktopSharing","Win32_System_DeveloperLicensing","Win32_System_Diagnostics_Ceip","Win32_System_Diagnostics_ClrProfiling","Win32_System_WinRT_Metadata","Win32_System_Time","Win32_System_Diagnostics_Debug_ActiveScript","Win32_System_Diagnostics_Debug_Extensions","Win32_System_Diagnostics_ProcessSnapshotting","Win32_System_Diagnostics_ToolHelp","Win32_System_Diagnostics_TraceLogging","Win32_System_DistributedTransactionCoordinator","Win32_System_Environment","Win32_System_ErrorReporting","Win32_System_EventCollector","Win32_System_EventLog","Win32_System_EventNotificationService","Win32_System_GroupPolicy","Win32_System_Wmi","Win32_System_HostCompute","Win32_System_HostComputeNetwork","Win32_System_HostComputeSystem","Win32_System_Hypervisor","Win32_System_Iis","Win32_System_JobObjects","Win32_System_Js","Win32_System_LibraryLoader","Win32_System_Mailslots","Win32_System_Mapi","Win32_System_Memory_NonVolatile","Win32_System_MessageQueuing","Win32_System_MixedReality","Win32_System_Mmc","Win32_System_ParentalControls","Win32_System_Performance","Win32_System_Performance_HardwareCounterProfiling","Win32_System_Pipes","Win32_System_ProcessStatus","Win32_System_RealTimeCommunications","Win32_System_Recovery","Win32_System_RemoteAssistance","Win32_System_RemoteManagement","Win32_System_RestartManager","Win32_System_Restore","Win32_System_Search","Win32_System_Search_Common","Win32_System_SecurityCenter","Win32_System_ServerBackup","Win32_System_Services","Win32_System_SettingsManagementInfrastructure","Win32_System_SetupAndMigration","Win32_System_Shutdown","Win32_System_SideShow","Win32_System_SubsystemForLinux","Win32_System_TaskScheduler","Win32_System_TpmBaseServices","Win32_System_TransactionServer","Win32_System_UpdateAgent","Win32_System_UpdateAssessment","Win32_System_UserAccessLogging","Win32_System_VirtualDosMachines","Win32_System_WinRT","Win32_System_WinRT_AllJoyn","Win32_System_WinRT_Composition","Win32_System_WinRT_CoreInputView","Win32_System_WinRT_Direct3D11","Win32_System_WinRT_Display","Win32_System_WinRT_Graphics_Capture","Win32_System_WinRT_Graphics_Direct2D","Win32_System_WinRT_Graphics_Imaging","Win32_System_WinRT_Holographic","Win32_System_WinRT_Isolation","Win32_System_WinRT_ML","Win32_System_WinRT_Media","Win32_System_WinRT_Pdf","Win32_System_WinRT_Printing","Win32_System_WinRT_Shell","Win32_System_WinRT_Storage","Win32_System_WindowsSync","Win32_UI_Animation","Win32_UI_Input_Pointer","Win32_UI_Controls_RichEdit","Win32_UI_HiDpi","Win32_UI_Input","Win32_UI_Input_Ime","Win32_UI_TextServices","Win32_UI_Input_Ink","Win32_UI_Input_KeyboardAndMouse","Win32_UI_Input_Radial","Win32_UI_Input_Touch","Win32_UI_Input_XboxController","Win32_UI_InteractionContext","Win32_UI_LegacyWindowsEnvironmentFeatures","Win32_UI_Magnification","Win32_UI_Notifications","Win32_UI_Ribbon","Win32_UI_Shell_Common","Win32_UI_TabletPC","Win32_UI_Wpf","Win32_Web_InternetExplorer"],"namespaces":{"0":[{"name":"IImageFeatureDescriptor","features":[0]},{"name":"IImageFeatureDescriptor2","features":[0]},{"name":"IImageFeatureValue","features":[0]},{"name":"IImageFeatureValueStatics","features":[0]},{"name":"ILearningModel","features":[0]},{"name":"ILearningModelBinding","features":[0]},{"name":"ILearningModelBindingFactory","features":[0]},{"name":"ILearningModelDevice","features":[0]},{"name":"ILearningModelDeviceFactory","features":[0]},{"name":"ILearningModelDeviceStatics","features":[0]},{"name":"ILearningModelEvaluationResult","features":[0]},{"name":"ILearningModelFeatureDescriptor","features":[0]},{"name":"ILearningModelFeatureValue","features":[0]},{"name":"ILearningModelOperatorProvider","features":[0]},{"name":"ILearningModelSession","features":[0]},{"name":"ILearningModelSessionFactory","features":[0]},{"name":"ILearningModelSessionFactory2","features":[0]},{"name":"ILearningModelSessionOptions","features":[0]},{"name":"ILearningModelSessionOptions2","features":[0]},{"name":"ILearningModelSessionOptions3","features":[0]},{"name":"ILearningModelStatics","features":[0]},{"name":"IMapFeatureDescriptor","features":[0]},{"name":"ISequenceFeatureDescriptor","features":[0]},{"name":"ITensor","features":[0]},{"name":"ITensorBoolean","features":[0]},{"name":"ITensorBooleanStatics","features":[0]},{"name":"ITensorBooleanStatics2","features":[0]},{"name":"ITensorDouble","features":[0]},{"name":"ITensorDoubleStatics","features":[0]},{"name":"ITensorDoubleStatics2","features":[0]},{"name":"ITensorFeatureDescriptor","features":[0]},{"name":"ITensorFloat","features":[0]},{"name":"ITensorFloat16Bit","features":[0]},{"name":"ITensorFloat16BitStatics","features":[0]},{"name":"ITensorFloat16BitStatics2","features":[0]},{"name":"ITensorFloatStatics","features":[0]},{"name":"ITensorFloatStatics2","features":[0]},{"name":"ITensorInt16Bit","features":[0]},{"name":"ITensorInt16BitStatics","features":[0]},{"name":"ITensorInt16BitStatics2","features":[0]},{"name":"ITensorInt32Bit","features":[0]},{"name":"ITensorInt32BitStatics","features":[0]},{"name":"ITensorInt32BitStatics2","features":[0]},{"name":"ITensorInt64Bit","features":[0]},{"name":"ITensorInt64BitStatics","features":[0]},{"name":"ITensorInt64BitStatics2","features":[0]},{"name":"ITensorInt8Bit","features":[0]},{"name":"ITensorInt8BitStatics","features":[0]},{"name":"ITensorInt8BitStatics2","features":[0]},{"name":"ITensorString","features":[0]},{"name":"ITensorStringStatics","features":[0]},{"name":"ITensorStringStatics2","features":[0]},{"name":"ITensorUInt16Bit","features":[0]},{"name":"ITensorUInt16BitStatics","features":[0]},{"name":"ITensorUInt16BitStatics2","features":[0]},{"name":"ITensorUInt32Bit","features":[0]},{"name":"ITensorUInt32BitStatics","features":[0]},{"name":"ITensorUInt32BitStatics2","features":[0]},{"name":"ITensorUInt64Bit","features":[0]},{"name":"ITensorUInt64BitStatics","features":[0]},{"name":"ITensorUInt64BitStatics2","features":[0]},{"name":"ITensorUInt8Bit","features":[0]},{"name":"ITensorUInt8BitStatics","features":[0]},{"name":"ITensorUInt8BitStatics2","features":[0]},{"name":"ImageFeatureDescriptor","features":[0]},{"name":"ImageFeatureValue","features":[0]},{"name":"LearningModel","features":[0]},{"name":"LearningModelBinding","features":[0]},{"name":"LearningModelDevice","features":[0]},{"name":"LearningModelDeviceKind","features":[0]},{"name":"LearningModelEvaluationResult","features":[0]},{"name":"LearningModelFeatureKind","features":[0]},{"name":"LearningModelPixelRange","features":[0]},{"name":"LearningModelSession","features":[0]},{"name":"LearningModelSessionOptions","features":[0]},{"name":"MachineLearningContract","features":[0]},{"name":"MapFeatureDescriptor","features":[0]},{"name":"SequenceFeatureDescriptor","features":[0]},{"name":"TensorBoolean","features":[0]},{"name":"TensorDouble","features":[0]},{"name":"TensorFeatureDescriptor","features":[0]},{"name":"TensorFloat","features":[0]},{"name":"TensorFloat16Bit","features":[0]},{"name":"TensorInt16Bit","features":[0]},{"name":"TensorInt32Bit","features":[0]},{"name":"TensorInt64Bit","features":[0]},{"name":"TensorInt8Bit","features":[0]},{"name":"TensorKind","features":[0]},{"name":"TensorString","features":[0]},{"name":"TensorUInt16Bit","features":[0]},{"name":"TensorUInt32Bit","features":[0]},{"name":"TensorUInt64Bit","features":[0]},{"name":"TensorUInt8Bit","features":[0]}],"2":[{"name":"AddResourcePackageOptions","features":[1]},{"name":"AppDisplayInfo","features":[1]},{"name":"AppExecutionContext","features":[1]},{"name":"AppInfo","features":[1]},{"name":"AppInstallerInfo","features":[1]},{"name":"AppInstallerPolicySource","features":[1]},{"name":"AppInstance","features":[1]},{"name":"CameraApplicationManager","features":[1]},{"name":"DesignMode","features":[1]},{"name":"EnteredBackgroundEventArgs","features":[1]},{"name":"FindRelatedPackagesOptions","features":[1]},{"name":"FullTrustAppContract","features":[1]},{"name":"FullTrustLaunchResult","features":[1]},{"name":"FullTrustProcessLaunchResult","features":[1]},{"name":"FullTrustProcessLauncher","features":[1]},{"name":"IAppDisplayInfo","features":[1]},{"name":"IAppInfo","features":[1]},{"name":"IAppInfo2","features":[1]},{"name":"IAppInfo3","features":[1]},{"name":"IAppInfo4","features":[1]},{"name":"IAppInfoStatics","features":[1]},{"name":"IAppInstallerInfo","features":[1]},{"name":"IAppInstallerInfo2","features":[1]},{"name":"IAppInstance","features":[1]},{"name":"IAppInstanceStatics","features":[1]},{"name":"ICameraApplicationManagerStatics","features":[1]},{"name":"IDesignModeStatics","features":[1]},{"name":"IDesignModeStatics2","features":[1]},{"name":"IEnteredBackgroundEventArgs","features":[1]},{"name":"IFindRelatedPackagesOptions","features":[1]},{"name":"IFindRelatedPackagesOptionsFactory","features":[1]},{"name":"IFullTrustProcessLaunchResult","features":[1]},{"name":"IFullTrustProcessLauncherStatics","features":[1]},{"name":"IFullTrustProcessLauncherStatics2","features":[1]},{"name":"ILeavingBackgroundEventArgs","features":[1]},{"name":"ILimitedAccessFeatureRequestResult","features":[1]},{"name":"ILimitedAccessFeaturesStatics","features":[1]},{"name":"IPackage","features":[1]},{"name":"IPackage2","features":[1]},{"name":"IPackage3","features":[1]},{"name":"IPackage4","features":[1]},{"name":"IPackage5","features":[1]},{"name":"IPackage6","features":[1]},{"name":"IPackage7","features":[1]},{"name":"IPackage8","features":[1]},{"name":"IPackage9","features":[1]},{"name":"IPackageCatalog","features":[1]},{"name":"IPackageCatalog2","features":[1]},{"name":"IPackageCatalog3","features":[1]},{"name":"IPackageCatalog4","features":[1]},{"name":"IPackageCatalogAddOptionalPackageResult","features":[1]},{"name":"IPackageCatalogAddResourcePackageResult","features":[1]},{"name":"IPackageCatalogRemoveOptionalPackagesResult","features":[1]},{"name":"IPackageCatalogRemoveResourcePackagesResult","features":[1]},{"name":"IPackageCatalogStatics","features":[1]},{"name":"IPackageCatalogStatics2","features":[1]},{"name":"IPackageContentGroup","features":[1]},{"name":"IPackageContentGroupStagingEventArgs","features":[1]},{"name":"IPackageContentGroupStatics","features":[1]},{"name":"IPackageId","features":[1]},{"name":"IPackageIdWithMetadata","features":[1]},{"name":"IPackageInstallingEventArgs","features":[1]},{"name":"IPackageStagingEventArgs","features":[1]},{"name":"IPackageStatics","features":[1]},{"name":"IPackageStatus","features":[1]},{"name":"IPackageStatus2","features":[1]},{"name":"IPackageStatusChangedEventArgs","features":[1]},{"name":"IPackageUninstallingEventArgs","features":[1]},{"name":"IPackageUpdateAvailabilityResult","features":[1]},{"name":"IPackageUpdatingEventArgs","features":[1]},{"name":"IPackageWithMetadata","features":[1]},{"name":"IStartupTask","features":[1]},{"name":"IStartupTaskStatics","features":[1]},{"name":"ISuspendingDeferral","features":[1]},{"name":"ISuspendingEventArgs","features":[1]},{"name":"ISuspendingOperation","features":[1]},{"name":"LeavingBackgroundEventArgs","features":[1]},{"name":"LimitedAccessFeatureRequestResult","features":[1]},{"name":"LimitedAccessFeatureStatus","features":[1]},{"name":"LimitedAccessFeatures","features":[1]},{"name":"Package","features":[1]},{"name":"PackageCatalog","features":[1]},{"name":"PackageCatalogAddOptionalPackageResult","features":[1]},{"name":"PackageCatalogAddResourcePackageResult","features":[1]},{"name":"PackageCatalogRemoveOptionalPackagesResult","features":[1]},{"name":"PackageCatalogRemoveResourcePackagesResult","features":[1]},{"name":"PackageContentGroup","features":[1]},{"name":"PackageContentGroupStagingEventArgs","features":[1]},{"name":"PackageContentGroupState","features":[1]},{"name":"PackageId","features":[1]},{"name":"PackageInstallProgress","features":[1]},{"name":"PackageInstallingEventArgs","features":[1]},{"name":"PackageRelationship","features":[1]},{"name":"PackageSignatureKind","features":[1]},{"name":"PackageStagingEventArgs","features":[1]},{"name":"PackageStatus","features":[1]},{"name":"PackageStatusChangedEventArgs","features":[1]},{"name":"PackageUninstallingEventArgs","features":[1]},{"name":"PackageUpdateAvailability","features":[1]},{"name":"PackageUpdateAvailabilityResult","features":[1]},{"name":"PackageUpdatingEventArgs","features":[1]},{"name":"PackageVersion","features":[1]},{"name":"StartupTask","features":[1]},{"name":"StartupTaskContract","features":[1]},{"name":"StartupTaskState","features":[1]},{"name":"SuspendingDeferral","features":[1]},{"name":"SuspendingEventArgs","features":[1]},{"name":"SuspendingOperation","features":[1]}],"3":[{"name":"ActivatedEventsContract","features":[2]},{"name":"ActivationCameraSettingsContract","features":[2]},{"name":"ActivationKind","features":[2]},{"name":"ApplicationExecutionState","features":[2]},{"name":"AppointmentsProviderAddAppointmentActivatedEventArgs","features":[2]},{"name":"AppointmentsProviderRemoveAppointmentActivatedEventArgs","features":[2]},{"name":"AppointmentsProviderReplaceAppointmentActivatedEventArgs","features":[2]},{"name":"AppointmentsProviderShowAppointmentDetailsActivatedEventArgs","features":[2]},{"name":"AppointmentsProviderShowTimeFrameActivatedEventArgs","features":[2]},{"name":"BackgroundActivatedEventArgs","features":[2]},{"name":"BarcodeScannerPreviewActivatedEventArgs","features":[2]},{"name":"CachedFileUpdaterActivatedEventArgs","features":[2]},{"name":"CameraSettingsActivatedEventArgs","features":[2]},{"name":"CommandLineActivatedEventArgs","features":[2]},{"name":"CommandLineActivationOperation","features":[2]},{"name":"ContactActivatedEventsContract","features":[2]},{"name":"ContactCallActivatedEventArgs","features":[2]},{"name":"ContactMapActivatedEventArgs","features":[2]},{"name":"ContactMessageActivatedEventArgs","features":[2]},{"name":"ContactPanelActivatedEventArgs","features":[2]},{"name":"ContactPickerActivatedEventArgs","features":[2]},{"name":"ContactPostActivatedEventArgs","features":[2]},{"name":"ContactVideoCallActivatedEventArgs","features":[2]},{"name":"DeviceActivatedEventArgs","features":[2]},{"name":"DevicePairingActivatedEventArgs","features":[2]},{"name":"DialReceiverActivatedEventArgs","features":[2]},{"name":"FileActivatedEventArgs","features":[2]},{"name":"FileOpenPickerActivatedEventArgs","features":[2]},{"name":"FileOpenPickerContinuationEventArgs","features":[2,3]},{"name":"FileSavePickerActivatedEventArgs","features":[2]},{"name":"FileSavePickerContinuationEventArgs","features":[2,3]},{"name":"FolderPickerContinuationEventArgs","features":[2,3]},{"name":"IActivatedEventArgs","features":[2]},{"name":"IActivatedEventArgsWithUser","features":[2]},{"name":"IApplicationViewActivatedEventArgs","features":[2]},{"name":"IAppointmentsProviderActivatedEventArgs","features":[2]},{"name":"IAppointmentsProviderAddAppointmentActivatedEventArgs","features":[2]},{"name":"IAppointmentsProviderRemoveAppointmentActivatedEventArgs","features":[2]},{"name":"IAppointmentsProviderReplaceAppointmentActivatedEventArgs","features":[2]},{"name":"IAppointmentsProviderShowAppointmentDetailsActivatedEventArgs","features":[2]},{"name":"IAppointmentsProviderShowTimeFrameActivatedEventArgs","features":[2]},{"name":"IBackgroundActivatedEventArgs","features":[2]},{"name":"IBarcodeScannerPreviewActivatedEventArgs","features":[2]},{"name":"ICachedFileUpdaterActivatedEventArgs","features":[2]},{"name":"ICameraSettingsActivatedEventArgs","features":[2]},{"name":"ICommandLineActivatedEventArgs","features":[2]},{"name":"ICommandLineActivationOperation","features":[2]},{"name":"IContactActivatedEventArgs","features":[2]},{"name":"IContactCallActivatedEventArgs","features":[2]},{"name":"IContactMapActivatedEventArgs","features":[2]},{"name":"IContactMessageActivatedEventArgs","features":[2]},{"name":"IContactPanelActivatedEventArgs","features":[2]},{"name":"IContactPickerActivatedEventArgs","features":[2]},{"name":"IContactPostActivatedEventArgs","features":[2]},{"name":"IContactVideoCallActivatedEventArgs","features":[2]},{"name":"IContactsProviderActivatedEventArgs","features":[2]},{"name":"IContinuationActivatedEventArgs","features":[2]},{"name":"IDeviceActivatedEventArgs","features":[2]},{"name":"IDevicePairingActivatedEventArgs","features":[2]},{"name":"IDialReceiverActivatedEventArgs","features":[2]},{"name":"IFileActivatedEventArgs","features":[2]},{"name":"IFileActivatedEventArgsWithCallerPackageFamilyName","features":[2]},{"name":"IFileActivatedEventArgsWithNeighboringFiles","features":[2]},{"name":"IFileOpenPickerActivatedEventArgs","features":[2]},{"name":"IFileOpenPickerActivatedEventArgs2","features":[2]},{"name":"IFileOpenPickerContinuationEventArgs","features":[2,3]},{"name":"IFileSavePickerActivatedEventArgs","features":[2]},{"name":"IFileSavePickerActivatedEventArgs2","features":[2]},{"name":"IFileSavePickerContinuationEventArgs","features":[2,3]},{"name":"IFolderPickerContinuationEventArgs","features":[2,3]},{"name":"ILaunchActivatedEventArgs","features":[2]},{"name":"ILaunchActivatedEventArgs2","features":[2]},{"name":"ILockScreenActivatedEventArgs","features":[2]},{"name":"ILockScreenCallActivatedEventArgs","features":[2]},{"name":"IPhoneCallActivatedEventArgs","features":[2]},{"name":"IPickerReturnedActivatedEventArgs","features":[2]},{"name":"IPrelaunchActivatedEventArgs","features":[2]},{"name":"IPrint3DWorkflowActivatedEventArgs","features":[2]},{"name":"IPrintTaskSettingsActivatedEventArgs","features":[2]},{"name":"IProtocolActivatedEventArgs","features":[2]},{"name":"IProtocolActivatedEventArgsWithCallerPackageFamilyNameAndData","features":[2]},{"name":"IProtocolForResultsActivatedEventArgs","features":[2]},{"name":"IRestrictedLaunchActivatedEventArgs","features":[2]},{"name":"ISearchActivatedEventArgs","features":[2]},{"name":"ISearchActivatedEventArgsWithLinguisticDetails","features":[2]},{"name":"IShareTargetActivatedEventArgs","features":[2]},{"name":"ISplashScreen","features":[2]},{"name":"IStartupTaskActivatedEventArgs","features":[2]},{"name":"ITileActivatedInfo","features":[2]},{"name":"IToastNotificationActivatedEventArgs","features":[2]},{"name":"IUserDataAccountProviderActivatedEventArgs","features":[2]},{"name":"IViewSwitcherProvider","features":[2]},{"name":"IVoiceCommandActivatedEventArgs","features":[2]},{"name":"IWalletActionActivatedEventArgs","features":[2,3]},{"name":"IWebAccountProviderActivatedEventArgs","features":[2]},{"name":"IWebAuthenticationBrokerContinuationEventArgs","features":[2]},{"name":"LaunchActivatedEventArgs","features":[2]},{"name":"LockScreenActivatedEventArgs","features":[2]},{"name":"LockScreenCallActivatedEventArgs","features":[2]},{"name":"LockScreenComponentActivatedEventArgs","features":[2]},{"name":"PhoneCallActivatedEventArgs","features":[2]},{"name":"PickerReturnedActivatedEventArgs","features":[2]},{"name":"Print3DWorkflowActivatedEventArgs","features":[2]},{"name":"PrintTaskSettingsActivatedEventArgs","features":[2]},{"name":"ProtocolActivatedEventArgs","features":[2]},{"name":"ProtocolForResultsActivatedEventArgs","features":[2]},{"name":"RestrictedLaunchActivatedEventArgs","features":[2]},{"name":"SearchActivatedEventArgs","features":[2]},{"name":"ShareTargetActivatedEventArgs","features":[2]},{"name":"SplashScreen","features":[2]},{"name":"StartupTaskActivatedEventArgs","features":[2]},{"name":"TileActivatedInfo","features":[2]},{"name":"ToastNotificationActivatedEventArgs","features":[2]},{"name":"UserDataAccountProviderActivatedEventArgs","features":[2]},{"name":"VoiceCommandActivatedEventArgs","features":[2]},{"name":"WalletActionActivatedEventArgs","features":[2,3]},{"name":"WebAccountProviderActivatedEventArgs","features":[2]},{"name":"WebAuthenticationBrokerContinuationEventArgs","features":[2]},{"name":"WebUISearchActivatedEventsContract","features":[2]}],"4":[{"name":"AppExtension","features":[4]},{"name":"AppExtensionCatalog","features":[4]},{"name":"AppExtensionPackageInstalledEventArgs","features":[4]},{"name":"AppExtensionPackageStatusChangedEventArgs","features":[4]},{"name":"AppExtensionPackageUninstallingEventArgs","features":[4]},{"name":"AppExtensionPackageUpdatedEventArgs","features":[4]},{"name":"AppExtensionPackageUpdatingEventArgs","features":[4]},{"name":"IAppExtension","features":[4]},{"name":"IAppExtension2","features":[4]},{"name":"IAppExtensionCatalog","features":[4]},{"name":"IAppExtensionCatalogStatics","features":[4]},{"name":"IAppExtensionPackageInstalledEventArgs","features":[4]},{"name":"IAppExtensionPackageStatusChangedEventArgs","features":[4]},{"name":"IAppExtensionPackageUninstallingEventArgs","features":[4]},{"name":"IAppExtensionPackageUpdatedEventArgs","features":[4]},{"name":"IAppExtensionPackageUpdatingEventArgs","features":[4]}],"5":[{"name":"AppServiceCatalog","features":[5]},{"name":"AppServiceClosedEventArgs","features":[5]},{"name":"AppServiceClosedStatus","features":[5]},{"name":"AppServiceConnection","features":[5]},{"name":"AppServiceConnectionStatus","features":[5]},{"name":"AppServiceDeferral","features":[5]},{"name":"AppServiceRequest","features":[5]},{"name":"AppServiceRequestReceivedEventArgs","features":[5]},{"name":"AppServiceResponse","features":[5]},{"name":"AppServiceResponseStatus","features":[5]},{"name":"AppServiceTriggerDetails","features":[5]},{"name":"IAppServiceCatalogStatics","features":[5]},{"name":"IAppServiceClosedEventArgs","features":[5]},{"name":"IAppServiceConnection","features":[5]},{"name":"IAppServiceConnection2","features":[5]},{"name":"IAppServiceConnectionStatics","features":[5]},{"name":"IAppServiceDeferral","features":[5]},{"name":"IAppServiceRequest","features":[5]},{"name":"IAppServiceRequestReceivedEventArgs","features":[5]},{"name":"IAppServiceResponse","features":[5]},{"name":"IAppServiceTriggerDetails","features":[5]},{"name":"IAppServiceTriggerDetails2","features":[5]},{"name":"IAppServiceTriggerDetails3","features":[5]},{"name":"IAppServiceTriggerDetails4","features":[5]},{"name":"IStatelessAppServiceResponse","features":[5]},{"name":"StatelessAppServiceResponse","features":[5]},{"name":"StatelessAppServiceResponseStatus","features":[5]}],"6":[{"name":"Appointment","features":[6]},{"name":"AppointmentBusyStatus","features":[6]},{"name":"AppointmentCalendar","features":[6]},{"name":"AppointmentCalendarOtherAppReadAccess","features":[6]},{"name":"AppointmentCalendarOtherAppWriteAccess","features":[6]},{"name":"AppointmentCalendarSyncManager","features":[6]},{"name":"AppointmentCalendarSyncStatus","features":[6]},{"name":"AppointmentConflictResult","features":[6]},{"name":"AppointmentConflictType","features":[6]},{"name":"AppointmentDaysOfWeek","features":[6]},{"name":"AppointmentDetailsKind","features":[6]},{"name":"AppointmentException","features":[6]},{"name":"AppointmentInvitee","features":[6]},{"name":"AppointmentManager","features":[6]},{"name":"AppointmentManagerForUser","features":[6]},{"name":"AppointmentOrganizer","features":[6]},{"name":"AppointmentParticipantResponse","features":[6]},{"name":"AppointmentParticipantRole","features":[6]},{"name":"AppointmentProperties","features":[6]},{"name":"AppointmentRecurrence","features":[6]},{"name":"AppointmentRecurrenceUnit","features":[6]},{"name":"AppointmentSensitivity","features":[6]},{"name":"AppointmentStore","features":[6]},{"name":"AppointmentStoreAccessType","features":[6]},{"name":"AppointmentStoreChange","features":[6]},{"name":"AppointmentStoreChangeReader","features":[6]},{"name":"AppointmentStoreChangeTracker","features":[6]},{"name":"AppointmentStoreChangeType","features":[6]},{"name":"AppointmentStoreChangedDeferral","features":[6]},{"name":"AppointmentStoreChangedEventArgs","features":[6]},{"name":"AppointmentStoreNotificationTriggerDetails","features":[6]},{"name":"AppointmentSummaryCardView","features":[6]},{"name":"AppointmentWeekOfMonth","features":[6]},{"name":"FindAppointmentCalendarsOptions","features":[6]},{"name":"FindAppointmentsOptions","features":[6]},{"name":"IAppointment","features":[6]},{"name":"IAppointment2","features":[6]},{"name":"IAppointment3","features":[6]},{"name":"IAppointmentCalendar","features":[6]},{"name":"IAppointmentCalendar2","features":[6]},{"name":"IAppointmentCalendar3","features":[6]},{"name":"IAppointmentCalendarSyncManager","features":[6]},{"name":"IAppointmentCalendarSyncManager2","features":[6]},{"name":"IAppointmentConflictResult","features":[6]},{"name":"IAppointmentException","features":[6]},{"name":"IAppointmentInvitee","features":[6]},{"name":"IAppointmentManagerForUser","features":[6]},{"name":"IAppointmentManagerStatics","features":[6]},{"name":"IAppointmentManagerStatics2","features":[6]},{"name":"IAppointmentManagerStatics3","features":[6]},{"name":"IAppointmentParticipant","features":[6]},{"name":"IAppointmentPropertiesStatics","features":[6]},{"name":"IAppointmentPropertiesStatics2","features":[6]},{"name":"IAppointmentRecurrence","features":[6]},{"name":"IAppointmentRecurrence2","features":[6]},{"name":"IAppointmentRecurrence3","features":[6]},{"name":"IAppointmentStore","features":[6]},{"name":"IAppointmentStore2","features":[6]},{"name":"IAppointmentStore3","features":[6]},{"name":"IAppointmentStoreChange","features":[6]},{"name":"IAppointmentStoreChange2","features":[6]},{"name":"IAppointmentStoreChangeReader","features":[6]},{"name":"IAppointmentStoreChangeTracker","features":[6]},{"name":"IAppointmentStoreChangeTracker2","features":[6]},{"name":"IAppointmentStoreChangedDeferral","features":[6]},{"name":"IAppointmentStoreChangedEventArgs","features":[6]},{"name":"IAppointmentStoreNotificationTriggerDetails","features":[6]},{"name":"IFindAppointmentsOptions","features":[6]},{"name":"RecurrenceType","features":[6]}],"7":[{"name":"AddAppointmentOperation","features":[7]},{"name":"AppointmentsProviderLaunchActionVerbs","features":[7]},{"name":"IAddAppointmentOperation","features":[7]},{"name":"IAppointmentsProviderLaunchActionVerbsStatics","features":[7]},{"name":"IAppointmentsProviderLaunchActionVerbsStatics2","features":[7]},{"name":"IRemoveAppointmentOperation","features":[7]},{"name":"IReplaceAppointmentOperation","features":[7]},{"name":"RemoveAppointmentOperation","features":[7]},{"name":"ReplaceAppointmentOperation","features":[7]}],"8":[{"name":"AppointmentCalendarCancelMeetingRequest","features":[8]},{"name":"AppointmentCalendarCancelMeetingRequestEventArgs","features":[8]},{"name":"AppointmentCalendarCreateOrUpdateAppointmentRequest","features":[8]},{"name":"AppointmentCalendarCreateOrUpdateAppointmentRequestEventArgs","features":[8]},{"name":"AppointmentCalendarForwardMeetingRequest","features":[8]},{"name":"AppointmentCalendarForwardMeetingRequestEventArgs","features":[8]},{"name":"AppointmentCalendarProposeNewTimeForMeetingRequest","features":[8]},{"name":"AppointmentCalendarProposeNewTimeForMeetingRequestEventArgs","features":[8]},{"name":"AppointmentCalendarSyncManagerSyncRequest","features":[8]},{"name":"AppointmentCalendarSyncManagerSyncRequestEventArgs","features":[8]},{"name":"AppointmentCalendarUpdateMeetingResponseRequest","features":[8]},{"name":"AppointmentCalendarUpdateMeetingResponseRequestEventArgs","features":[8]},{"name":"AppointmentDataProviderConnection","features":[8]},{"name":"AppointmentDataProviderTriggerDetails","features":[8]},{"name":"IAppointmentCalendarCancelMeetingRequest","features":[8]},{"name":"IAppointmentCalendarCancelMeetingRequestEventArgs","features":[8]},{"name":"IAppointmentCalendarCreateOrUpdateAppointmentRequest","features":[8]},{"name":"IAppointmentCalendarCreateOrUpdateAppointmentRequestEventArgs","features":[8]},{"name":"IAppointmentCalendarForwardMeetingRequest","features":[8]},{"name":"IAppointmentCalendarForwardMeetingRequestEventArgs","features":[8]},{"name":"IAppointmentCalendarProposeNewTimeForMeetingRequest","features":[8]},{"name":"IAppointmentCalendarProposeNewTimeForMeetingRequestEventArgs","features":[8]},{"name":"IAppointmentCalendarSyncManagerSyncRequest","features":[8]},{"name":"IAppointmentCalendarSyncManagerSyncRequestEventArgs","features":[8]},{"name":"IAppointmentCalendarUpdateMeetingResponseRequest","features":[8]},{"name":"IAppointmentCalendarUpdateMeetingResponseRequestEventArgs","features":[8]},{"name":"IAppointmentDataProviderConnection","features":[8]},{"name":"IAppointmentDataProviderTriggerDetails","features":[8]}],"9":[{"name":"ActivitySensorTrigger","features":[9]},{"name":"AlarmAccessStatus","features":[9]},{"name":"AlarmApplicationManager","features":[9]},{"name":"AppBroadcastTrigger","features":[9]},{"name":"AppBroadcastTriggerProviderInfo","features":[9]},{"name":"ApplicationTrigger","features":[9]},{"name":"ApplicationTriggerDetails","features":[9]},{"name":"ApplicationTriggerResult","features":[9]},{"name":"AppointmentStoreNotificationTrigger","features":[9]},{"name":"BackgroundAccessRequestKind","features":[9]},{"name":"BackgroundAccessStatus","features":[9]},{"name":"BackgroundAlarmApplicationContract","features":[9]},{"name":"BackgroundExecutionManager","features":[9]},{"name":"BackgroundTaskBuilder","features":[9]},{"name":"BackgroundTaskCanceledEventHandler","features":[9]},{"name":"BackgroundTaskCancellationReason","features":[9]},{"name":"BackgroundTaskCompletedEventArgs","features":[9]},{"name":"BackgroundTaskCompletedEventHandler","features":[9]},{"name":"BackgroundTaskDeferral","features":[9]},{"name":"BackgroundTaskProgressEventArgs","features":[9]},{"name":"BackgroundTaskProgressEventHandler","features":[9]},{"name":"BackgroundTaskRegistration","features":[9]},{"name":"BackgroundTaskRegistrationGroup","features":[9]},{"name":"BackgroundTaskThrottleCounter","features":[9]},{"name":"BackgroundWorkCost","features":[9]},{"name":"BackgroundWorkCostValue","features":[9]},{"name":"BluetoothLEAdvertisementPublisherTrigger","features":[9]},{"name":"BluetoothLEAdvertisementWatcherTrigger","features":[9]},{"name":"CachedFileUpdaterTrigger","features":[9]},{"name":"CachedFileUpdaterTriggerDetails","features":[9]},{"name":"ChatMessageNotificationTrigger","features":[9]},{"name":"ChatMessageReceivedNotificationTrigger","features":[9]},{"name":"CommunicationBlockingAppSetAsActiveTrigger","features":[9]},{"name":"ContactStoreNotificationTrigger","features":[9]},{"name":"ContentPrefetchTrigger","features":[9]},{"name":"ConversationalAgentTrigger","features":[9]},{"name":"CustomSystemEventTrigger","features":[9]},{"name":"CustomSystemEventTriggerRecurrence","features":[9]},{"name":"DeviceConnectionChangeTrigger","features":[9]},{"name":"DeviceManufacturerNotificationTrigger","features":[9,3]},{"name":"DeviceServicingTrigger","features":[9]},{"name":"DeviceTriggerResult","features":[9]},{"name":"DeviceUseTrigger","features":[9]},{"name":"DeviceWatcherTrigger","features":[9]},{"name":"EmailStoreNotificationTrigger","features":[9]},{"name":"GattCharacteristicNotificationTrigger","features":[9]},{"name":"GattServiceProviderTrigger","features":[9]},{"name":"GattServiceProviderTriggerResult","features":[9]},{"name":"GeovisitTrigger","features":[9]},{"name":"IActivitySensorTrigger","features":[9]},{"name":"IActivitySensorTriggerFactory","features":[9]},{"name":"IAlarmApplicationManagerStatics","features":[9]},{"name":"IAppBroadcastTrigger","features":[9]},{"name":"IAppBroadcastTriggerFactory","features":[9]},{"name":"IAppBroadcastTriggerProviderInfo","features":[9]},{"name":"IApplicationTrigger","features":[9]},{"name":"IApplicationTriggerDetails","features":[9]},{"name":"IAppointmentStoreNotificationTrigger","features":[9]},{"name":"IBackgroundCondition","features":[9]},{"name":"IBackgroundExecutionManagerStatics","features":[9]},{"name":"IBackgroundExecutionManagerStatics2","features":[9]},{"name":"IBackgroundExecutionManagerStatics3","features":[9]},{"name":"IBackgroundTask","features":[9]},{"name":"IBackgroundTaskBuilder","features":[9]},{"name":"IBackgroundTaskBuilder2","features":[9]},{"name":"IBackgroundTaskBuilder3","features":[9]},{"name":"IBackgroundTaskBuilder4","features":[9]},{"name":"IBackgroundTaskBuilder5","features":[9]},{"name":"IBackgroundTaskCompletedEventArgs","features":[9]},{"name":"IBackgroundTaskDeferral","features":[9]},{"name":"IBackgroundTaskInstance","features":[9]},{"name":"IBackgroundTaskInstance2","features":[9]},{"name":"IBackgroundTaskInstance4","features":[9]},{"name":"IBackgroundTaskProgressEventArgs","features":[9]},{"name":"IBackgroundTaskRegistration","features":[9]},{"name":"IBackgroundTaskRegistration2","features":[9]},{"name":"IBackgroundTaskRegistration3","features":[9]},{"name":"IBackgroundTaskRegistrationGroup","features":[9]},{"name":"IBackgroundTaskRegistrationGroupFactory","features":[9]},{"name":"IBackgroundTaskRegistrationStatics","features":[9]},{"name":"IBackgroundTaskRegistrationStatics2","features":[9]},{"name":"IBackgroundTrigger","features":[9]},{"name":"IBackgroundWorkCostStatics","features":[9]},{"name":"IBluetoothLEAdvertisementPublisherTrigger","features":[9]},{"name":"IBluetoothLEAdvertisementPublisherTrigger2","features":[9]},{"name":"IBluetoothLEAdvertisementWatcherTrigger","features":[9]},{"name":"IBluetoothLEAdvertisementWatcherTrigger2","features":[9]},{"name":"ICachedFileUpdaterTrigger","features":[9]},{"name":"ICachedFileUpdaterTriggerDetails","features":[9]},{"name":"IChatMessageNotificationTrigger","features":[9]},{"name":"IChatMessageReceivedNotificationTrigger","features":[9]},{"name":"ICommunicationBlockingAppSetAsActiveTrigger","features":[9]},{"name":"IContactStoreNotificationTrigger","features":[9]},{"name":"IContentPrefetchTrigger","features":[9]},{"name":"IContentPrefetchTriggerFactory","features":[9]},{"name":"ICustomSystemEventTrigger","features":[9]},{"name":"ICustomSystemEventTriggerFactory","features":[9]},{"name":"IDeviceConnectionChangeTrigger","features":[9]},{"name":"IDeviceConnectionChangeTriggerStatics","features":[9]},{"name":"IDeviceManufacturerNotificationTrigger","features":[9,3]},{"name":"IDeviceManufacturerNotificationTriggerFactory","features":[9,3]},{"name":"IDeviceServicingTrigger","features":[9]},{"name":"IDeviceUseTrigger","features":[9]},{"name":"IDeviceWatcherTrigger","features":[9]},{"name":"IEmailStoreNotificationTrigger","features":[9]},{"name":"IGattCharacteristicNotificationTrigger","features":[9]},{"name":"IGattCharacteristicNotificationTrigger2","features":[9]},{"name":"IGattCharacteristicNotificationTriggerFactory","features":[9]},{"name":"IGattCharacteristicNotificationTriggerFactory2","features":[9]},{"name":"IGattServiceProviderTrigger","features":[9]},{"name":"IGattServiceProviderTriggerResult","features":[9]},{"name":"IGattServiceProviderTriggerStatics","features":[9]},{"name":"IGeovisitTrigger","features":[9]},{"name":"ILocationTrigger","features":[9]},{"name":"ILocationTriggerFactory","features":[9]},{"name":"IMaintenanceTrigger","features":[9]},{"name":"IMaintenanceTriggerFactory","features":[9]},{"name":"IMediaProcessingTrigger","features":[9]},{"name":"INetworkOperatorHotspotAuthenticationTrigger","features":[9]},{"name":"INetworkOperatorNotificationTrigger","features":[9]},{"name":"INetworkOperatorNotificationTriggerFactory","features":[9]},{"name":"IPhoneTrigger","features":[9]},{"name":"IPhoneTriggerFactory","features":[9]},{"name":"IPushNotificationTriggerFactory","features":[9]},{"name":"IRcsEndUserMessageAvailableTrigger","features":[9]},{"name":"IRfcommConnectionTrigger","features":[9]},{"name":"ISecondaryAuthenticationFactorAuthenticationTrigger","features":[9,3]},{"name":"ISensorDataThresholdTrigger","features":[9]},{"name":"ISensorDataThresholdTriggerFactory","features":[9]},{"name":"ISmartCardTrigger","features":[9]},{"name":"ISmartCardTriggerFactory","features":[9]},{"name":"ISmsMessageReceivedTriggerFactory","features":[9]},{"name":"ISocketActivityTrigger","features":[9]},{"name":"IStorageLibraryChangeTrackerTriggerFactory","features":[9]},{"name":"IStorageLibraryContentChangedTrigger","features":[9]},{"name":"IStorageLibraryContentChangedTriggerStatics","features":[9]},{"name":"ISystemCondition","features":[9]},{"name":"ISystemConditionFactory","features":[9]},{"name":"ISystemTrigger","features":[9]},{"name":"ISystemTriggerFactory","features":[9]},{"name":"ITimeTrigger","features":[9]},{"name":"ITimeTriggerFactory","features":[9]},{"name":"IToastNotificationActionTriggerFactory","features":[9]},{"name":"IToastNotificationHistoryChangedTriggerFactory","features":[9]},{"name":"IUserNotificationChangedTriggerFactory","features":[9]},{"name":"LocationTrigger","features":[9]},{"name":"LocationTriggerType","features":[9]},{"name":"MaintenanceTrigger","features":[9]},{"name":"MediaProcessingTrigger","features":[9]},{"name":"MediaProcessingTriggerResult","features":[9]},{"name":"MobileBroadbandDeviceServiceNotificationTrigger","features":[9]},{"name":"MobileBroadbandPcoDataChangeTrigger","features":[9]},{"name":"MobileBroadbandPinLockStateChangeTrigger","features":[9]},{"name":"MobileBroadbandRadioStateChangeTrigger","features":[9]},{"name":"MobileBroadbandRegistrationStateChangeTrigger","features":[9]},{"name":"NetworkOperatorDataUsageTrigger","features":[9]},{"name":"NetworkOperatorHotspotAuthenticationTrigger","features":[9]},{"name":"NetworkOperatorNotificationTrigger","features":[9]},{"name":"PaymentAppCanMakePaymentTrigger","features":[9]},{"name":"PhoneTrigger","features":[9]},{"name":"PushNotificationTrigger","features":[9]},{"name":"RcsEndUserMessageAvailableTrigger","features":[9]},{"name":"RfcommConnectionTrigger","features":[9]},{"name":"SecondaryAuthenticationFactorAuthenticationTrigger","features":[9,3]},{"name":"SensorDataThresholdTrigger","features":[9]},{"name":"SmartCardTrigger","features":[9]},{"name":"SmsMessageReceivedTrigger","features":[9]},{"name":"SocketActivityTrigger","features":[9]},{"name":"StorageLibraryChangeTrackerTrigger","features":[9]},{"name":"StorageLibraryContentChangedTrigger","features":[9]},{"name":"SystemCondition","features":[9]},{"name":"SystemConditionType","features":[9]},{"name":"SystemTrigger","features":[9]},{"name":"SystemTriggerType","features":[9]},{"name":"TetheringEntitlementCheckTrigger","features":[9]},{"name":"TimeTrigger","features":[9]},{"name":"ToastNotificationActionTrigger","features":[9]},{"name":"ToastNotificationHistoryChangedTrigger","features":[9]},{"name":"UserNotificationChangedTrigger","features":[9]},{"name":"WiFiOnDemandHotspotConnectTrigger","features":[9]},{"name":"WiFiOnDemandHotspotUpdateMetadataTrigger","features":[9]}],"10":[{"name":"CallAnswerEventArgs","features":[10]},{"name":"CallRejectEventArgs","features":[10]},{"name":"CallStateChangeEventArgs","features":[10]},{"name":"CallsPhoneContract","features":[10]},{"name":"CallsVoipContract","features":[10]},{"name":"CellularDtmfMode","features":[10]},{"name":"DtmfKey","features":[10]},{"name":"DtmfToneAudioPlayback","features":[10]},{"name":"ICallAnswerEventArgs","features":[10]},{"name":"ICallRejectEventArgs","features":[10]},{"name":"ICallStateChangeEventArgs","features":[10]},{"name":"ILockScreenCallEndCallDeferral","features":[10]},{"name":"ILockScreenCallEndRequestedEventArgs","features":[10]},{"name":"ILockScreenCallUI","features":[10]},{"name":"IMuteChangeEventArgs","features":[10]},{"name":"IPhoneCall","features":[10]},{"name":"IPhoneCallBlockingStatics","features":[10]},{"name":"IPhoneCallHistoryEntry","features":[10]},{"name":"IPhoneCallHistoryEntryAddress","features":[10]},{"name":"IPhoneCallHistoryEntryAddressFactory","features":[10]},{"name":"IPhoneCallHistoryEntryQueryOptions","features":[10]},{"name":"IPhoneCallHistoryEntryReader","features":[10]},{"name":"IPhoneCallHistoryManagerForUser","features":[10]},{"name":"IPhoneCallHistoryManagerStatics","features":[10]},{"name":"IPhoneCallHistoryManagerStatics2","features":[10]},{"name":"IPhoneCallHistoryStore","features":[10]},{"name":"IPhoneCallInfo","features":[10]},{"name":"IPhoneCallManagerStatics","features":[10]},{"name":"IPhoneCallManagerStatics2","features":[10]},{"name":"IPhoneCallStatics","features":[10]},{"name":"IPhoneCallStore","features":[10]},{"name":"IPhoneCallVideoCapabilities","features":[10]},{"name":"IPhoneCallVideoCapabilitiesManagerStatics","features":[10]},{"name":"IPhoneCallsResult","features":[10]},{"name":"IPhoneDialOptions","features":[10]},{"name":"IPhoneLine","features":[10]},{"name":"IPhoneLine2","features":[10]},{"name":"IPhoneLine3","features":[10]},{"name":"IPhoneLineCellularDetails","features":[10]},{"name":"IPhoneLineConfiguration","features":[10]},{"name":"IPhoneLineDialResult","features":[10]},{"name":"IPhoneLineStatics","features":[10]},{"name":"IPhoneLineTransportDevice","features":[10]},{"name":"IPhoneLineTransportDevice2","features":[10]},{"name":"IPhoneLineTransportDeviceStatics","features":[10]},{"name":"IPhoneLineWatcher","features":[10]},{"name":"IPhoneLineWatcherEventArgs","features":[10]},{"name":"IPhoneVoicemail","features":[10]},{"name":"IVoipCallCoordinator","features":[10]},{"name":"IVoipCallCoordinator2","features":[10]},{"name":"IVoipCallCoordinator3","features":[10]},{"name":"IVoipCallCoordinator4","features":[10]},{"name":"IVoipCallCoordinatorStatics","features":[10]},{"name":"IVoipPhoneCall","features":[10]},{"name":"IVoipPhoneCall2","features":[10]},{"name":"IVoipPhoneCall3","features":[10]},{"name":"LockScreenCallContract","features":[10]},{"name":"LockScreenCallEndCallDeferral","features":[10]},{"name":"LockScreenCallEndRequestedEventArgs","features":[10]},{"name":"LockScreenCallUI","features":[10]},{"name":"MuteChangeEventArgs","features":[10]},{"name":"PhoneAudioRoutingEndpoint","features":[10]},{"name":"PhoneCall","features":[10]},{"name":"PhoneCallAudioDevice","features":[10]},{"name":"PhoneCallBlocking","features":[10]},{"name":"PhoneCallDirection","features":[10]},{"name":"PhoneCallHistoryEntry","features":[10]},{"name":"PhoneCallHistoryEntryAddress","features":[10]},{"name":"PhoneCallHistoryEntryMedia","features":[10]},{"name":"PhoneCallHistoryEntryOtherAppReadAccess","features":[10]},{"name":"PhoneCallHistoryEntryQueryDesiredMedia","features":[10]},{"name":"PhoneCallHistoryEntryQueryOptions","features":[10]},{"name":"PhoneCallHistoryEntryRawAddressKind","features":[10]},{"name":"PhoneCallHistoryEntryReader","features":[10]},{"name":"PhoneCallHistoryManager","features":[10]},{"name":"PhoneCallHistoryManagerForUser","features":[10]},{"name":"PhoneCallHistorySourceIdKind","features":[10]},{"name":"PhoneCallHistoryStore","features":[10]},{"name":"PhoneCallHistoryStoreAccessType","features":[10]},{"name":"PhoneCallInfo","features":[10]},{"name":"PhoneCallManager","features":[10]},{"name":"PhoneCallMedia","features":[10]},{"name":"PhoneCallOperationStatus","features":[10]},{"name":"PhoneCallStatus","features":[10]},{"name":"PhoneCallStore","features":[10]},{"name":"PhoneCallVideoCapabilities","features":[10]},{"name":"PhoneCallVideoCapabilitiesManager","features":[10]},{"name":"PhoneCallsResult","features":[10]},{"name":"PhoneDialOptions","features":[10]},{"name":"PhoneLine","features":[10]},{"name":"PhoneLineCellularDetails","features":[10]},{"name":"PhoneLineConfiguration","features":[10]},{"name":"PhoneLineDialResult","features":[10]},{"name":"PhoneLineNetworkOperatorDisplayTextLocation","features":[10]},{"name":"PhoneLineOperationStatus","features":[10]},{"name":"PhoneLineTransport","features":[10]},{"name":"PhoneLineTransportDevice","features":[10]},{"name":"PhoneLineWatcher","features":[10]},{"name":"PhoneLineWatcherEventArgs","features":[10]},{"name":"PhoneLineWatcherStatus","features":[10]},{"name":"PhoneNetworkState","features":[10]},{"name":"PhoneSimState","features":[10]},{"name":"PhoneVoicemail","features":[10]},{"name":"PhoneVoicemailType","features":[10]},{"name":"TransportDeviceAudioRoutingStatus","features":[10]},{"name":"VoipCallCoordinator","features":[10]},{"name":"VoipPhoneCall","features":[10]},{"name":"VoipPhoneCallMedia","features":[10]},{"name":"VoipPhoneCallRejectReason","features":[10]},{"name":"VoipPhoneCallResourceReservationStatus","features":[10]},{"name":"VoipPhoneCallState","features":[10]}],"11":[{"name":"CallsBackgroundContract","features":[11]},{"name":"IPhoneCallBlockedTriggerDetails","features":[11]},{"name":"IPhoneCallOriginDataRequestTriggerDetails","features":[11,3]},{"name":"IPhoneIncomingCallDismissedTriggerDetails","features":[11,3]},{"name":"IPhoneIncomingCallNotificationTriggerDetails","features":[11]},{"name":"IPhoneLineChangedTriggerDetails","features":[11]},{"name":"IPhoneNewVoicemailMessageTriggerDetails","features":[11]},{"name":"PhoneCallBlockedReason","features":[11]},{"name":"PhoneCallBlockedTriggerDetails","features":[11]},{"name":"PhoneCallOriginDataRequestTriggerDetails","features":[11,3]},{"name":"PhoneIncomingCallDismissedReason","features":[11,3]},{"name":"PhoneIncomingCallDismissedTriggerDetails","features":[11,3]},{"name":"PhoneIncomingCallNotificationTriggerDetails","features":[11]},{"name":"PhoneLineChangeKind","features":[11]},{"name":"PhoneLineChangedTriggerDetails","features":[11]},{"name":"PhoneLineProperties","features":[11]},{"name":"PhoneNewVoicemailMessageTriggerDetails","features":[11]},{"name":"PhoneTriggerType","features":[11]}],"12":[{"name":"IPhoneCallOrigin","features":[12,3]},{"name":"IPhoneCallOrigin2","features":[12,3]},{"name":"IPhoneCallOrigin3","features":[12,3]},{"name":"IPhoneCallOriginManagerStatics","features":[12,3]},{"name":"IPhoneCallOriginManagerStatics2","features":[12,3]},{"name":"IPhoneCallOriginManagerStatics3","features":[12,3]},{"name":"PhoneCallOrigin","features":[12,3]},{"name":"PhoneCallOriginManager","features":[12,3]}],"13":[{"name":"ChatCapabilities","features":[13]},{"name":"ChatCapabilitiesManager","features":[13]},{"name":"ChatConversation","features":[13]},{"name":"ChatConversationReader","features":[13]},{"name":"ChatConversationThreadingInfo","features":[13]},{"name":"ChatConversationThreadingKind","features":[13]},{"name":"ChatItemKind","features":[13]},{"name":"ChatMessage","features":[13]},{"name":"ChatMessageAttachment","features":[13]},{"name":"ChatMessageBlocking","features":[13]},{"name":"ChatMessageChange","features":[13]},{"name":"ChatMessageChangeReader","features":[13]},{"name":"ChatMessageChangeTracker","features":[13]},{"name":"ChatMessageChangeType","features":[13]},{"name":"ChatMessageChangedDeferral","features":[13]},{"name":"ChatMessageChangedEventArgs","features":[13]},{"name":"ChatMessageKind","features":[13]},{"name":"ChatMessageManager","features":[13]},{"name":"ChatMessageNotificationTriggerDetails","features":[13]},{"name":"ChatMessageOperatorKind","features":[13]},{"name":"ChatMessageReader","features":[13]},{"name":"ChatMessageStatus","features":[13]},{"name":"ChatMessageStore","features":[13]},{"name":"ChatMessageStoreChangedEventArgs","features":[13]},{"name":"ChatMessageTransport","features":[13]},{"name":"ChatMessageTransportConfiguration","features":[13]},{"name":"ChatMessageTransportKind","features":[13]},{"name":"ChatMessageValidationResult","features":[13]},{"name":"ChatMessageValidationStatus","features":[13]},{"name":"ChatQueryOptions","features":[13]},{"name":"ChatRecipientDeliveryInfo","features":[13]},{"name":"ChatRestoreHistorySpan","features":[13]},{"name":"ChatSearchReader","features":[13]},{"name":"ChatStoreChangedEventKind","features":[13]},{"name":"ChatSyncConfiguration","features":[13]},{"name":"ChatSyncManager","features":[13]},{"name":"ChatTransportErrorCodeCategory","features":[13]},{"name":"ChatTransportInterpretedErrorCode","features":[13]},{"name":"IChatCapabilities","features":[13]},{"name":"IChatCapabilitiesManagerStatics","features":[13]},{"name":"IChatCapabilitiesManagerStatics2","features":[13]},{"name":"IChatConversation","features":[13]},{"name":"IChatConversation2","features":[13]},{"name":"IChatConversationReader","features":[13]},{"name":"IChatConversationThreadingInfo","features":[13]},{"name":"IChatItem","features":[13]},{"name":"IChatMessage","features":[13]},{"name":"IChatMessage2","features":[13]},{"name":"IChatMessage3","features":[13]},{"name":"IChatMessage4","features":[13]},{"name":"IChatMessageAttachment","features":[13]},{"name":"IChatMessageAttachment2","features":[13]},{"name":"IChatMessageAttachmentFactory","features":[13]},{"name":"IChatMessageBlockingStatic","features":[13]},{"name":"IChatMessageChange","features":[13]},{"name":"IChatMessageChangeReader","features":[13]},{"name":"IChatMessageChangeTracker","features":[13]},{"name":"IChatMessageChangedDeferral","features":[13]},{"name":"IChatMessageChangedEventArgs","features":[13]},{"name":"IChatMessageManager2Statics","features":[13]},{"name":"IChatMessageManagerStatic","features":[13]},{"name":"IChatMessageManagerStatics3","features":[13]},{"name":"IChatMessageNotificationTriggerDetails","features":[13]},{"name":"IChatMessageNotificationTriggerDetails2","features":[13]},{"name":"IChatMessageReader","features":[13]},{"name":"IChatMessageReader2","features":[13]},{"name":"IChatMessageStore","features":[13]},{"name":"IChatMessageStore2","features":[13]},{"name":"IChatMessageStore3","features":[13]},{"name":"IChatMessageStoreChangedEventArgs","features":[13]},{"name":"IChatMessageTransport","features":[13]},{"name":"IChatMessageTransport2","features":[13]},{"name":"IChatMessageTransportConfiguration","features":[13]},{"name":"IChatMessageValidationResult","features":[13]},{"name":"IChatQueryOptions","features":[13]},{"name":"IChatRecipientDeliveryInfo","features":[13]},{"name":"IChatSearchReader","features":[13]},{"name":"IChatSyncConfiguration","features":[13]},{"name":"IChatSyncManager","features":[13]},{"name":"IRcsEndUserMessage","features":[13]},{"name":"IRcsEndUserMessageAction","features":[13]},{"name":"IRcsEndUserMessageAvailableEventArgs","features":[13]},{"name":"IRcsEndUserMessageAvailableTriggerDetails","features":[13]},{"name":"IRcsEndUserMessageManager","features":[13]},{"name":"IRcsManagerStatics","features":[13]},{"name":"IRcsManagerStatics2","features":[13]},{"name":"IRcsServiceKindSupportedChangedEventArgs","features":[13]},{"name":"IRcsTransport","features":[13]},{"name":"IRcsTransportConfiguration","features":[13]},{"name":"IRemoteParticipantComposingChangedEventArgs","features":[13]},{"name":"RcsEndUserMessage","features":[13]},{"name":"RcsEndUserMessageAction","features":[13]},{"name":"RcsEndUserMessageAvailableEventArgs","features":[13]},{"name":"RcsEndUserMessageAvailableTriggerDetails","features":[13]},{"name":"RcsEndUserMessageManager","features":[13]},{"name":"RcsManager","features":[13]},{"name":"RcsServiceKind","features":[13]},{"name":"RcsServiceKindSupportedChangedEventArgs","features":[13]},{"name":"RcsTransport","features":[13]},{"name":"RcsTransportConfiguration","features":[13]},{"name":"RemoteParticipantComposingChangedEventArgs","features":[13]}],"14":[{"name":"CommunicationBlockingAccessManager","features":[14]},{"name":"CommunicationBlockingAppManager","features":[14]},{"name":"CommunicationBlockingContract","features":[14]},{"name":"ICommunicationBlockingAccessManagerStatics","features":[14]},{"name":"ICommunicationBlockingAppManagerStatics","features":[14]},{"name":"ICommunicationBlockingAppManagerStatics2","features":[14]}],"15":[{"name":"AggregateContactManager","features":[15]},{"name":"Contact","features":[15]},{"name":"ContactAddress","features":[15]},{"name":"ContactAddressKind","features":[15]},{"name":"ContactAnnotation","features":[15]},{"name":"ContactAnnotationList","features":[15]},{"name":"ContactAnnotationOperations","features":[15]},{"name":"ContactAnnotationStore","features":[15]},{"name":"ContactAnnotationStoreAccessType","features":[15]},{"name":"ContactBatch","features":[15]},{"name":"ContactBatchStatus","features":[15]},{"name":"ContactCardDelayedDataLoader","features":[15]},{"name":"ContactCardHeaderKind","features":[15]},{"name":"ContactCardOptions","features":[15]},{"name":"ContactCardTabKind","features":[15]},{"name":"ContactChange","features":[15]},{"name":"ContactChangeReader","features":[15]},{"name":"ContactChangeTracker","features":[15]},{"name":"ContactChangeType","features":[15]},{"name":"ContactChangedDeferral","features":[15]},{"name":"ContactChangedEventArgs","features":[15]},{"name":"ContactConnectedServiceAccount","features":[15]},{"name":"ContactDate","features":[15]},{"name":"ContactDateKind","features":[15]},{"name":"ContactEmail","features":[15]},{"name":"ContactEmailKind","features":[15]},{"name":"ContactField","features":[15]},{"name":"ContactFieldCategory","features":[15]},{"name":"ContactFieldFactory","features":[15]},{"name":"ContactFieldType","features":[15]},{"name":"ContactGroup","features":[15]},{"name":"ContactInformation","features":[15]},{"name":"ContactInstantMessageField","features":[15]},{"name":"ContactJobInfo","features":[15]},{"name":"ContactLaunchActionVerbs","features":[15]},{"name":"ContactList","features":[15]},{"name":"ContactListLimitedWriteOperations","features":[15]},{"name":"ContactListOtherAppReadAccess","features":[15]},{"name":"ContactListOtherAppWriteAccess","features":[15]},{"name":"ContactListSyncConstraints","features":[15]},{"name":"ContactListSyncManager","features":[15]},{"name":"ContactListSyncStatus","features":[15]},{"name":"ContactLocationField","features":[15]},{"name":"ContactManager","features":[15]},{"name":"ContactManagerForUser","features":[15]},{"name":"ContactMatchReason","features":[15]},{"name":"ContactMatchReasonKind","features":[15]},{"name":"ContactNameOrder","features":[15]},{"name":"ContactPanel","features":[15]},{"name":"ContactPanelClosingEventArgs","features":[15]},{"name":"ContactPanelLaunchFullAppRequestedEventArgs","features":[15]},{"name":"ContactPhone","features":[15]},{"name":"ContactPhoneKind","features":[15]},{"name":"ContactPicker","features":[15]},{"name":"ContactQueryDesiredFields","features":[15]},{"name":"ContactQueryOptions","features":[15]},{"name":"ContactQuerySearchFields","features":[15]},{"name":"ContactQuerySearchScope","features":[15]},{"name":"ContactQueryTextSearch","features":[15]},{"name":"ContactReader","features":[15]},{"name":"ContactRelationship","features":[15]},{"name":"ContactSelectionMode","features":[15]},{"name":"ContactSignificantOther","features":[15]},{"name":"ContactStore","features":[15]},{"name":"ContactStoreAccessType","features":[15]},{"name":"ContactStoreNotificationTriggerDetails","features":[15]},{"name":"ContactWebsite","features":[15]},{"name":"FullContactCardOptions","features":[15]},{"name":"IAggregateContactManager","features":[15]},{"name":"IAggregateContactManager2","features":[15]},{"name":"IContact","features":[15]},{"name":"IContact2","features":[15]},{"name":"IContact3","features":[15]},{"name":"IContactAddress","features":[15]},{"name":"IContactAnnotation","features":[15]},{"name":"IContactAnnotation2","features":[15]},{"name":"IContactAnnotationList","features":[15]},{"name":"IContactAnnotationStore","features":[15]},{"name":"IContactAnnotationStore2","features":[15]},{"name":"IContactBatch","features":[15]},{"name":"IContactCardDelayedDataLoader","features":[15]},{"name":"IContactCardOptions","features":[15]},{"name":"IContactCardOptions2","features":[15]},{"name":"IContactChange","features":[15]},{"name":"IContactChangeReader","features":[15]},{"name":"IContactChangeTracker","features":[15]},{"name":"IContactChangeTracker2","features":[15]},{"name":"IContactChangedDeferral","features":[15]},{"name":"IContactChangedEventArgs","features":[15]},{"name":"IContactConnectedServiceAccount","features":[15]},{"name":"IContactDate","features":[15]},{"name":"IContactEmail","features":[15]},{"name":"IContactField","features":[15]},{"name":"IContactFieldFactory","features":[15]},{"name":"IContactGroup","features":[15]},{"name":"IContactInformation","features":[15]},{"name":"IContactInstantMessageField","features":[15]},{"name":"IContactInstantMessageFieldFactory","features":[15]},{"name":"IContactJobInfo","features":[15]},{"name":"IContactLaunchActionVerbsStatics","features":[15]},{"name":"IContactList","features":[15]},{"name":"IContactList2","features":[15]},{"name":"IContactList3","features":[15]},{"name":"IContactListLimitedWriteOperations","features":[15]},{"name":"IContactListSyncConstraints","features":[15]},{"name":"IContactListSyncManager","features":[15]},{"name":"IContactListSyncManager2","features":[15]},{"name":"IContactLocationField","features":[15]},{"name":"IContactLocationFieldFactory","features":[15]},{"name":"IContactManagerForUser","features":[15]},{"name":"IContactManagerForUser2","features":[15]},{"name":"IContactManagerStatics","features":[15]},{"name":"IContactManagerStatics2","features":[15]},{"name":"IContactManagerStatics3","features":[15]},{"name":"IContactManagerStatics4","features":[15]},{"name":"IContactManagerStatics5","features":[15]},{"name":"IContactMatchReason","features":[15]},{"name":"IContactName","features":[15]},{"name":"IContactPanel","features":[15]},{"name":"IContactPanelClosingEventArgs","features":[15]},{"name":"IContactPanelLaunchFullAppRequestedEventArgs","features":[15]},{"name":"IContactPhone","features":[15]},{"name":"IContactPicker","features":[15]},{"name":"IContactPicker2","features":[15]},{"name":"IContactPicker3","features":[15]},{"name":"IContactPickerStatics","features":[15]},{"name":"IContactQueryOptions","features":[15]},{"name":"IContactQueryOptionsFactory","features":[15]},{"name":"IContactQueryTextSearch","features":[15]},{"name":"IContactReader","features":[15]},{"name":"IContactSignificantOther","features":[15]},{"name":"IContactSignificantOther2","features":[15]},{"name":"IContactStore","features":[15]},{"name":"IContactStore2","features":[15]},{"name":"IContactStore3","features":[15]},{"name":"IContactStoreNotificationTriggerDetails","features":[15]},{"name":"IContactWebsite","features":[15]},{"name":"IContactWebsite2","features":[15]},{"name":"IFullContactCardOptions","features":[15]},{"name":"IKnownContactFieldStatics","features":[15,3]},{"name":"IPinnedContactIdsQueryResult","features":[15]},{"name":"IPinnedContactManager","features":[15]},{"name":"IPinnedContactManagerStatics","features":[15]},{"name":"KnownContactField","features":[15,3]},{"name":"PinnedContactIdsQueryResult","features":[15]},{"name":"PinnedContactManager","features":[15]},{"name":"PinnedContactSurface","features":[15]}],"16":[{"name":"ContactDataProviderConnection","features":[16]},{"name":"ContactDataProviderTriggerDetails","features":[16]},{"name":"ContactListCreateOrUpdateContactRequest","features":[16]},{"name":"ContactListCreateOrUpdateContactRequestEventArgs","features":[16]},{"name":"ContactListDeleteContactRequest","features":[16]},{"name":"ContactListDeleteContactRequestEventArgs","features":[16]},{"name":"ContactListServerSearchReadBatchRequest","features":[16]},{"name":"ContactListServerSearchReadBatchRequestEventArgs","features":[16]},{"name":"ContactListSyncManagerSyncRequest","features":[16]},{"name":"ContactListSyncManagerSyncRequestEventArgs","features":[16]},{"name":"IContactDataProviderConnection","features":[16]},{"name":"IContactDataProviderConnection2","features":[16]},{"name":"IContactDataProviderTriggerDetails","features":[16]},{"name":"IContactListCreateOrUpdateContactRequest","features":[16]},{"name":"IContactListCreateOrUpdateContactRequestEventArgs","features":[16]},{"name":"IContactListDeleteContactRequest","features":[16]},{"name":"IContactListDeleteContactRequestEventArgs","features":[16]},{"name":"IContactListServerSearchReadBatchRequest","features":[16]},{"name":"IContactListServerSearchReadBatchRequestEventArgs","features":[16]},{"name":"IContactListSyncManagerSyncRequest","features":[16]},{"name":"IContactListSyncManagerSyncRequestEventArgs","features":[16]}],"17":[{"name":"AddContactResult","features":[17]},{"name":"ContactPickerUI","features":[17]},{"name":"ContactRemovedEventArgs","features":[17]},{"name":"IContactPickerUI","features":[17]},{"name":"IContactPickerUI2","features":[17]},{"name":"IContactRemovedEventArgs","features":[17]}],"18":[{"name":"ActivationSignalDetectionConfiguration","features":[18]},{"name":"ActivationSignalDetectionConfigurationCreationResult","features":[18]},{"name":"ActivationSignalDetectionConfigurationCreationStatus","features":[18]},{"name":"ActivationSignalDetectionConfigurationRemovalResult","features":[18]},{"name":"ActivationSignalDetectionConfigurationSetModelDataResult","features":[18]},{"name":"ActivationSignalDetectionConfigurationStateChangeResult","features":[18]},{"name":"ActivationSignalDetectionTrainingDataFormat","features":[18]},{"name":"ActivationSignalDetector","features":[18]},{"name":"ActivationSignalDetectorKind","features":[18]},{"name":"ActivationSignalDetectorPowerState","features":[18]},{"name":"ConversationalAgentActivationKind","features":[18]},{"name":"ConversationalAgentActivationResult","features":[18]},{"name":"ConversationalAgentDetectorManager","features":[18]},{"name":"ConversationalAgentSession","features":[18]},{"name":"ConversationalAgentSessionInterruptedEventArgs","features":[18]},{"name":"ConversationalAgentSessionUpdateResponse","features":[18]},{"name":"ConversationalAgentSignal","features":[18]},{"name":"ConversationalAgentSignalDetectedEventArgs","features":[18]},{"name":"ConversationalAgentState","features":[18]},{"name":"ConversationalAgentSystemStateChangeType","features":[18]},{"name":"ConversationalAgentSystemStateChangedEventArgs","features":[18]},{"name":"ConversationalAgentVoiceActivationPrerequisiteKind","features":[18]},{"name":"DetectionConfigurationAvailabilityChangeKind","features":[18]},{"name":"DetectionConfigurationAvailabilityChangedEventArgs","features":[18]},{"name":"DetectionConfigurationAvailabilityInfo","features":[18]},{"name":"DetectionConfigurationTrainingStatus","features":[18]},{"name":"IActivationSignalDetectionConfiguration","features":[18]},{"name":"IActivationSignalDetectionConfiguration2","features":[18]},{"name":"IActivationSignalDetectionConfigurationCreationResult","features":[18]},{"name":"IActivationSignalDetector","features":[18]},{"name":"IActivationSignalDetector2","features":[18]},{"name":"IConversationalAgentDetectorManager","features":[18]},{"name":"IConversationalAgentDetectorManager2","features":[18]},{"name":"IConversationalAgentDetectorManagerStatics","features":[18]},{"name":"IConversationalAgentSession","features":[18]},{"name":"IConversationalAgentSession2","features":[18]},{"name":"IConversationalAgentSessionInterruptedEventArgs","features":[18]},{"name":"IConversationalAgentSessionStatics","features":[18]},{"name":"IConversationalAgentSignal","features":[18]},{"name":"IConversationalAgentSignal2","features":[18]},{"name":"IConversationalAgentSignalDetectedEventArgs","features":[18]},{"name":"IConversationalAgentSystemStateChangedEventArgs","features":[18]},{"name":"IDetectionConfigurationAvailabilityChangedEventArgs","features":[18]},{"name":"IDetectionConfigurationAvailabilityInfo","features":[18]},{"name":"IDetectionConfigurationAvailabilityInfo2","features":[18]},{"name":"SignalDetectorResourceKind","features":[18]}],"19":[{"name":"AppListEntry","features":[19]},{"name":"AppRestartFailureReason","features":[19]},{"name":"CoreApplication","features":[19]},{"name":"CoreApplicationView","features":[19]},{"name":"CoreApplicationViewTitleBar","features":[19]},{"name":"HostedViewClosingEventArgs","features":[19]},{"name":"IAppListEntry","features":[19]},{"name":"IAppListEntry2","features":[19]},{"name":"IAppListEntry3","features":[19]},{"name":"IAppListEntry4","features":[19]},{"name":"ICoreApplication","features":[19]},{"name":"ICoreApplication2","features":[19]},{"name":"ICoreApplication3","features":[19]},{"name":"ICoreApplicationExit","features":[19]},{"name":"ICoreApplicationUnhandledError","features":[19]},{"name":"ICoreApplicationUseCount","features":[19]},{"name":"ICoreApplicationView","features":[19]},{"name":"ICoreApplicationView2","features":[19]},{"name":"ICoreApplicationView3","features":[19]},{"name":"ICoreApplicationView5","features":[19]},{"name":"ICoreApplicationView6","features":[19]},{"name":"ICoreApplicationViewTitleBar","features":[19]},{"name":"ICoreImmersiveApplication","features":[19]},{"name":"ICoreImmersiveApplication2","features":[19]},{"name":"ICoreImmersiveApplication3","features":[19]},{"name":"IFrameworkView","features":[19]},{"name":"IFrameworkViewSource","features":[19]},{"name":"IHostedViewClosingEventArgs","features":[19]},{"name":"IUnhandledError","features":[19]},{"name":"IUnhandledErrorDetectedEventArgs","features":[19]},{"name":"UnhandledError","features":[19]},{"name":"UnhandledErrorDetectedEventArgs","features":[19]}],"20":[{"name":"Clipboard","features":[20]},{"name":"ClipboardContentOptions","features":[20]},{"name":"ClipboardHistoryChangedEventArgs","features":[20]},{"name":"ClipboardHistoryItem","features":[20]},{"name":"ClipboardHistoryItemsResult","features":[20]},{"name":"ClipboardHistoryItemsResultStatus","features":[20]},{"name":"DataPackage","features":[20]},{"name":"DataPackageOperation","features":[20]},{"name":"DataPackagePropertySet","features":[20]},{"name":"DataPackagePropertySetView","features":[20]},{"name":"DataPackageView","features":[20]},{"name":"DataProviderDeferral","features":[20]},{"name":"DataProviderHandler","features":[20]},{"name":"DataProviderRequest","features":[20]},{"name":"DataRequest","features":[20]},{"name":"DataRequestDeferral","features":[20]},{"name":"DataRequestedEventArgs","features":[20]},{"name":"DataTransferManager","features":[20]},{"name":"HtmlFormatHelper","features":[20]},{"name":"IClipboardContentOptions","features":[20]},{"name":"IClipboardHistoryChangedEventArgs","features":[20]},{"name":"IClipboardHistoryItem","features":[20]},{"name":"IClipboardHistoryItemsResult","features":[20]},{"name":"IClipboardStatics","features":[20]},{"name":"IClipboardStatics2","features":[20]},{"name":"IDataPackage","features":[20]},{"name":"IDataPackage2","features":[20]},{"name":"IDataPackage3","features":[20]},{"name":"IDataPackage4","features":[20]},{"name":"IDataPackagePropertySet","features":[20]},{"name":"IDataPackagePropertySet2","features":[20]},{"name":"IDataPackagePropertySet3","features":[20]},{"name":"IDataPackagePropertySet4","features":[20]},{"name":"IDataPackagePropertySetView","features":[20]},{"name":"IDataPackagePropertySetView2","features":[20]},{"name":"IDataPackagePropertySetView3","features":[20]},{"name":"IDataPackagePropertySetView4","features":[20]},{"name":"IDataPackagePropertySetView5","features":[20]},{"name":"IDataPackageView","features":[20]},{"name":"IDataPackageView2","features":[20]},{"name":"IDataPackageView3","features":[20]},{"name":"IDataPackageView4","features":[20]},{"name":"IDataProviderDeferral","features":[20]},{"name":"IDataProviderRequest","features":[20]},{"name":"IDataRequest","features":[20]},{"name":"IDataRequestDeferral","features":[20]},{"name":"IDataRequestedEventArgs","features":[20]},{"name":"IDataTransferManager","features":[20]},{"name":"IDataTransferManager2","features":[20]},{"name":"IDataTransferManagerStatics","features":[20]},{"name":"IDataTransferManagerStatics2","features":[20]},{"name":"IDataTransferManagerStatics3","features":[20]},{"name":"IHtmlFormatHelperStatics","features":[20]},{"name":"IOperationCompletedEventArgs","features":[20]},{"name":"IOperationCompletedEventArgs2","features":[20]},{"name":"IShareCompletedEventArgs","features":[20]},{"name":"IShareProvider","features":[20]},{"name":"IShareProviderFactory","features":[20]},{"name":"IShareProviderOperation","features":[20]},{"name":"IShareProvidersRequestedEventArgs","features":[20]},{"name":"IShareTargetInfo","features":[20]},{"name":"IShareUIOptions","features":[20]},{"name":"ISharedStorageAccessManagerStatics","features":[20]},{"name":"IStandardDataFormatsStatics","features":[20]},{"name":"IStandardDataFormatsStatics2","features":[20]},{"name":"IStandardDataFormatsStatics3","features":[20]},{"name":"ITargetApplicationChosenEventArgs","features":[20]},{"name":"OperationCompletedEventArgs","features":[20]},{"name":"SetHistoryItemAsContentStatus","features":[20]},{"name":"ShareCompletedEventArgs","features":[20]},{"name":"ShareProvider","features":[20]},{"name":"ShareProviderHandler","features":[20]},{"name":"ShareProviderOperation","features":[20]},{"name":"ShareProvidersRequestedEventArgs","features":[20]},{"name":"ShareTargetInfo","features":[20]},{"name":"ShareUIOptions","features":[20]},{"name":"ShareUITheme","features":[20]},{"name":"SharedStorageAccessManager","features":[20]},{"name":"StandardDataFormats","features":[20]},{"name":"TargetApplicationChosenEventArgs","features":[20]}],"21":[{"name":"DragDropModifiers","features":[21]}],"22":[{"name":"CoreDragDropManager","features":[22]},{"name":"CoreDragInfo","features":[22]},{"name":"CoreDragOperation","features":[22]},{"name":"CoreDragUIContentMode","features":[22]},{"name":"CoreDragUIOverride","features":[22]},{"name":"CoreDropOperationTargetRequestedEventArgs","features":[22]},{"name":"ICoreDragDropManager","features":[22]},{"name":"ICoreDragDropManagerStatics","features":[22]},{"name":"ICoreDragInfo","features":[22]},{"name":"ICoreDragInfo2","features":[22]},{"name":"ICoreDragOperation","features":[22]},{"name":"ICoreDragOperation2","features":[22]},{"name":"ICoreDragUIOverride","features":[22]},{"name":"ICoreDropOperationTarget","features":[22]},{"name":"ICoreDropOperationTargetRequestedEventArgs","features":[22]}],"23":[{"name":"IQuickLink","features":[23]},{"name":"IShareOperation","features":[23]},{"name":"IShareOperation2","features":[23]},{"name":"IShareOperation3","features":[23]},{"name":"QuickLink","features":[23]},{"name":"ShareOperation","features":[23]}],"24":[{"name":"EmailAttachment","features":[24]},{"name":"EmailAttachmentDownloadState","features":[24]},{"name":"EmailBatchStatus","features":[24]},{"name":"EmailCertificateValidationStatus","features":[24]},{"name":"EmailConversation","features":[24]},{"name":"EmailConversationBatch","features":[24]},{"name":"EmailConversationReader","features":[24]},{"name":"EmailFlagState","features":[24]},{"name":"EmailFolder","features":[24]},{"name":"EmailImportance","features":[24]},{"name":"EmailIrmInfo","features":[24]},{"name":"EmailIrmTemplate","features":[24]},{"name":"EmailItemCounts","features":[24]},{"name":"EmailMailbox","features":[24]},{"name":"EmailMailboxAction","features":[24]},{"name":"EmailMailboxActionKind","features":[24]},{"name":"EmailMailboxAllowedSmimeEncryptionAlgorithmNegotiation","features":[24]},{"name":"EmailMailboxAutoReply","features":[24]},{"name":"EmailMailboxAutoReplyMessageResponseKind","features":[24]},{"name":"EmailMailboxAutoReplySettings","features":[24]},{"name":"EmailMailboxCapabilities","features":[24]},{"name":"EmailMailboxChange","features":[24]},{"name":"EmailMailboxChangeReader","features":[24]},{"name":"EmailMailboxChangeTracker","features":[24]},{"name":"EmailMailboxChangeType","features":[24]},{"name":"EmailMailboxChangedDeferral","features":[24]},{"name":"EmailMailboxChangedEventArgs","features":[24]},{"name":"EmailMailboxCreateFolderResult","features":[24]},{"name":"EmailMailboxCreateFolderStatus","features":[24]},{"name":"EmailMailboxDeleteFolderStatus","features":[24]},{"name":"EmailMailboxEmptyFolderStatus","features":[24]},{"name":"EmailMailboxOtherAppReadAccess","features":[24]},{"name":"EmailMailboxOtherAppWriteAccess","features":[24]},{"name":"EmailMailboxPolicies","features":[24]},{"name":"EmailMailboxSmimeEncryptionAlgorithm","features":[24]},{"name":"EmailMailboxSmimeSigningAlgorithm","features":[24]},{"name":"EmailMailboxSyncManager","features":[24]},{"name":"EmailMailboxSyncStatus","features":[24]},{"name":"EmailManager","features":[24]},{"name":"EmailManagerForUser","features":[24]},{"name":"EmailMeetingInfo","features":[24]},{"name":"EmailMeetingResponseType","features":[24]},{"name":"EmailMessage","features":[24]},{"name":"EmailMessageBatch","features":[24]},{"name":"EmailMessageBodyKind","features":[24]},{"name":"EmailMessageDownloadState","features":[24]},{"name":"EmailMessageReader","features":[24]},{"name":"EmailMessageResponseKind","features":[24]},{"name":"EmailMessageSmimeKind","features":[24]},{"name":"EmailQueryKind","features":[24]},{"name":"EmailQueryOptions","features":[24]},{"name":"EmailQuerySearchFields","features":[24]},{"name":"EmailQuerySearchScope","features":[24]},{"name":"EmailQuerySortDirection","features":[24]},{"name":"EmailQuerySortProperty","features":[24]},{"name":"EmailQueryTextSearch","features":[24]},{"name":"EmailRecipient","features":[24]},{"name":"EmailRecipientResolutionResult","features":[24]},{"name":"EmailRecipientResolutionStatus","features":[24]},{"name":"EmailSpecialFolderKind","features":[24]},{"name":"EmailStore","features":[24]},{"name":"EmailStoreAccessType","features":[24]},{"name":"EmailStoreNotificationTriggerDetails","features":[24]},{"name":"IEmailAttachment","features":[24]},{"name":"IEmailAttachment2","features":[24]},{"name":"IEmailAttachmentFactory","features":[24]},{"name":"IEmailAttachmentFactory2","features":[24]},{"name":"IEmailConversation","features":[24]},{"name":"IEmailConversationBatch","features":[24]},{"name":"IEmailConversationReader","features":[24]},{"name":"IEmailFolder","features":[24]},{"name":"IEmailIrmInfo","features":[24]},{"name":"IEmailIrmInfoFactory","features":[24]},{"name":"IEmailIrmTemplate","features":[24]},{"name":"IEmailIrmTemplateFactory","features":[24]},{"name":"IEmailItemCounts","features":[24]},{"name":"IEmailMailbox","features":[24]},{"name":"IEmailMailbox2","features":[24]},{"name":"IEmailMailbox3","features":[24]},{"name":"IEmailMailbox4","features":[24]},{"name":"IEmailMailbox5","features":[24]},{"name":"IEmailMailboxAction","features":[24]},{"name":"IEmailMailboxAutoReply","features":[24]},{"name":"IEmailMailboxAutoReplySettings","features":[24]},{"name":"IEmailMailboxCapabilities","features":[24]},{"name":"IEmailMailboxCapabilities2","features":[24]},{"name":"IEmailMailboxCapabilities3","features":[24]},{"name":"IEmailMailboxChange","features":[24]},{"name":"IEmailMailboxChangeReader","features":[24]},{"name":"IEmailMailboxChangeTracker","features":[24]},{"name":"IEmailMailboxChangedDeferral","features":[24]},{"name":"IEmailMailboxChangedEventArgs","features":[24]},{"name":"IEmailMailboxCreateFolderResult","features":[24]},{"name":"IEmailMailboxPolicies","features":[24]},{"name":"IEmailMailboxPolicies2","features":[24]},{"name":"IEmailMailboxPolicies3","features":[24]},{"name":"IEmailMailboxSyncManager","features":[24]},{"name":"IEmailMailboxSyncManager2","features":[24]},{"name":"IEmailManagerForUser","features":[24]},{"name":"IEmailManagerStatics","features":[24]},{"name":"IEmailManagerStatics2","features":[24]},{"name":"IEmailManagerStatics3","features":[24]},{"name":"IEmailMeetingInfo","features":[24]},{"name":"IEmailMeetingInfo2","features":[24]},{"name":"IEmailMessage","features":[24]},{"name":"IEmailMessage2","features":[24]},{"name":"IEmailMessage3","features":[24]},{"name":"IEmailMessage4","features":[24]},{"name":"IEmailMessageBatch","features":[24]},{"name":"IEmailMessageReader","features":[24]},{"name":"IEmailQueryOptions","features":[24]},{"name":"IEmailQueryOptionsFactory","features":[24]},{"name":"IEmailQueryTextSearch","features":[24]},{"name":"IEmailRecipient","features":[24]},{"name":"IEmailRecipientFactory","features":[24]},{"name":"IEmailRecipientResolutionResult","features":[24]},{"name":"IEmailRecipientResolutionResult2","features":[24]},{"name":"IEmailStore","features":[24]},{"name":"IEmailStoreNotificationTriggerDetails","features":[24]}],"25":[{"name":"EmailDataProviderConnection","features":[25]},{"name":"EmailDataProviderTriggerDetails","features":[25]},{"name":"EmailMailboxCreateFolderRequest","features":[25]},{"name":"EmailMailboxCreateFolderRequestEventArgs","features":[25]},{"name":"EmailMailboxDeleteFolderRequest","features":[25]},{"name":"EmailMailboxDeleteFolderRequestEventArgs","features":[25]},{"name":"EmailMailboxDownloadAttachmentRequest","features":[25]},{"name":"EmailMailboxDownloadAttachmentRequestEventArgs","features":[25]},{"name":"EmailMailboxDownloadMessageRequest","features":[25]},{"name":"EmailMailboxDownloadMessageRequestEventArgs","features":[25]},{"name":"EmailMailboxEmptyFolderRequest","features":[25]},{"name":"EmailMailboxEmptyFolderRequestEventArgs","features":[25]},{"name":"EmailMailboxForwardMeetingRequest","features":[25]},{"name":"EmailMailboxForwardMeetingRequestEventArgs","features":[25]},{"name":"EmailMailboxGetAutoReplySettingsRequest","features":[25]},{"name":"EmailMailboxGetAutoReplySettingsRequestEventArgs","features":[25]},{"name":"EmailMailboxMoveFolderRequest","features":[25]},{"name":"EmailMailboxMoveFolderRequestEventArgs","features":[25]},{"name":"EmailMailboxProposeNewTimeForMeetingRequest","features":[25]},{"name":"EmailMailboxProposeNewTimeForMeetingRequestEventArgs","features":[25]},{"name":"EmailMailboxResolveRecipientsRequest","features":[25]},{"name":"EmailMailboxResolveRecipientsRequestEventArgs","features":[25]},{"name":"EmailMailboxServerSearchReadBatchRequest","features":[25]},{"name":"EmailMailboxServerSearchReadBatchRequestEventArgs","features":[25]},{"name":"EmailMailboxSetAutoReplySettingsRequest","features":[25]},{"name":"EmailMailboxSetAutoReplySettingsRequestEventArgs","features":[25]},{"name":"EmailMailboxSyncManagerSyncRequest","features":[25]},{"name":"EmailMailboxSyncManagerSyncRequestEventArgs","features":[25]},{"name":"EmailMailboxUpdateMeetingResponseRequest","features":[25]},{"name":"EmailMailboxUpdateMeetingResponseRequestEventArgs","features":[25]},{"name":"EmailMailboxValidateCertificatesRequest","features":[25]},{"name":"EmailMailboxValidateCertificatesRequestEventArgs","features":[25]},{"name":"IEmailDataProviderConnection","features":[25]},{"name":"IEmailDataProviderTriggerDetails","features":[25]},{"name":"IEmailMailboxCreateFolderRequest","features":[25]},{"name":"IEmailMailboxCreateFolderRequestEventArgs","features":[25]},{"name":"IEmailMailboxDeleteFolderRequest","features":[25]},{"name":"IEmailMailboxDeleteFolderRequestEventArgs","features":[25]},{"name":"IEmailMailboxDownloadAttachmentRequest","features":[25]},{"name":"IEmailMailboxDownloadAttachmentRequestEventArgs","features":[25]},{"name":"IEmailMailboxDownloadMessageRequest","features":[25]},{"name":"IEmailMailboxDownloadMessageRequestEventArgs","features":[25]},{"name":"IEmailMailboxEmptyFolderRequest","features":[25]},{"name":"IEmailMailboxEmptyFolderRequestEventArgs","features":[25]},{"name":"IEmailMailboxForwardMeetingRequest","features":[25]},{"name":"IEmailMailboxForwardMeetingRequestEventArgs","features":[25]},{"name":"IEmailMailboxGetAutoReplySettingsRequest","features":[25]},{"name":"IEmailMailboxGetAutoReplySettingsRequestEventArgs","features":[25]},{"name":"IEmailMailboxMoveFolderRequest","features":[25]},{"name":"IEmailMailboxMoveFolderRequestEventArgs","features":[25]},{"name":"IEmailMailboxProposeNewTimeForMeetingRequest","features":[25]},{"name":"IEmailMailboxProposeNewTimeForMeetingRequestEventArgs","features":[25]},{"name":"IEmailMailboxResolveRecipientsRequest","features":[25]},{"name":"IEmailMailboxResolveRecipientsRequestEventArgs","features":[25]},{"name":"IEmailMailboxServerSearchReadBatchRequest","features":[25]},{"name":"IEmailMailboxServerSearchReadBatchRequestEventArgs","features":[25]},{"name":"IEmailMailboxSetAutoReplySettingsRequest","features":[25]},{"name":"IEmailMailboxSetAutoReplySettingsRequestEventArgs","features":[25]},{"name":"IEmailMailboxSyncManagerSyncRequest","features":[25]},{"name":"IEmailMailboxSyncManagerSyncRequestEventArgs","features":[25]},{"name":"IEmailMailboxUpdateMeetingResponseRequest","features":[25]},{"name":"IEmailMailboxUpdateMeetingResponseRequestEventArgs","features":[25]},{"name":"IEmailMailboxValidateCertificatesRequest","features":[25]},{"name":"IEmailMailboxValidateCertificatesRequestEventArgs","features":[25]}],"26":[{"name":"ExtendedExecutionReason","features":[26]},{"name":"ExtendedExecutionResult","features":[26]},{"name":"ExtendedExecutionRevokedEventArgs","features":[26]},{"name":"ExtendedExecutionRevokedReason","features":[26]},{"name":"ExtendedExecutionSession","features":[26]},{"name":"IExtendedExecutionRevokedEventArgs","features":[26]},{"name":"IExtendedExecutionSession","features":[26]}],"27":[{"name":"ExtendedExecutionForegroundReason","features":[27]},{"name":"ExtendedExecutionForegroundResult","features":[27]},{"name":"ExtendedExecutionForegroundRevokedEventArgs","features":[27]},{"name":"ExtendedExecutionForegroundRevokedReason","features":[27]},{"name":"ExtendedExecutionForegroundSession","features":[27]},{"name":"IExtendedExecutionForegroundRevokedEventArgs","features":[27]},{"name":"IExtendedExecutionForegroundSession","features":[27]}],"28":[{"name":"HolographicKeyboard","features":[28]},{"name":"IHolographicKeyboard","features":[28]},{"name":"IHolographicKeyboardStatics","features":[28]}],"29":[{"name":"ILockApplicationHost","features":[29]},{"name":"ILockApplicationHostStatics","features":[29]},{"name":"ILockScreenBadge","features":[29]},{"name":"ILockScreenInfo","features":[29]},{"name":"ILockScreenUnlockingDeferral","features":[29]},{"name":"ILockScreenUnlockingEventArgs","features":[29]},{"name":"LockApplicationHost","features":[29]},{"name":"LockScreenBadge","features":[29]},{"name":"LockScreenInfo","features":[29]},{"name":"LockScreenUnlockingDeferral","features":[29]},{"name":"LockScreenUnlockingEventArgs","features":[29]}],"30":[{"name":"IPaymentAddress","features":[30]},{"name":"IPaymentCanMakePaymentResult","features":[30]},{"name":"IPaymentCanMakePaymentResultFactory","features":[30]},{"name":"IPaymentCurrencyAmount","features":[30]},{"name":"IPaymentCurrencyAmountFactory","features":[30]},{"name":"IPaymentDetails","features":[30]},{"name":"IPaymentDetailsFactory","features":[30]},{"name":"IPaymentDetailsModifier","features":[30]},{"name":"IPaymentDetailsModifierFactory","features":[30]},{"name":"IPaymentItem","features":[30]},{"name":"IPaymentItemFactory","features":[30]},{"name":"IPaymentMediator","features":[30]},{"name":"IPaymentMediator2","features":[30]},{"name":"IPaymentMerchantInfo","features":[30]},{"name":"IPaymentMerchantInfoFactory","features":[30]},{"name":"IPaymentMethodData","features":[30]},{"name":"IPaymentMethodDataFactory","features":[30]},{"name":"IPaymentOptions","features":[30]},{"name":"IPaymentRequest","features":[30]},{"name":"IPaymentRequest2","features":[30]},{"name":"IPaymentRequestChangedArgs","features":[30]},{"name":"IPaymentRequestChangedResult","features":[30]},{"name":"IPaymentRequestChangedResultFactory","features":[30]},{"name":"IPaymentRequestFactory","features":[30]},{"name":"IPaymentRequestFactory2","features":[30]},{"name":"IPaymentRequestSubmitResult","features":[30]},{"name":"IPaymentResponse","features":[30]},{"name":"IPaymentShippingOption","features":[30]},{"name":"IPaymentShippingOptionFactory","features":[30]},{"name":"IPaymentToken","features":[30]},{"name":"IPaymentTokenFactory","features":[30]},{"name":"PaymentAddress","features":[30]},{"name":"PaymentCanMakePaymentResult","features":[30]},{"name":"PaymentCanMakePaymentResultStatus","features":[30]},{"name":"PaymentCurrencyAmount","features":[30]},{"name":"PaymentDetails","features":[30]},{"name":"PaymentDetailsModifier","features":[30]},{"name":"PaymentItem","features":[30]},{"name":"PaymentMediator","features":[30]},{"name":"PaymentMerchantInfo","features":[30]},{"name":"PaymentMethodData","features":[30]},{"name":"PaymentOptionPresence","features":[30]},{"name":"PaymentOptions","features":[30]},{"name":"PaymentRequest","features":[30]},{"name":"PaymentRequestChangeKind","features":[30]},{"name":"PaymentRequestChangedArgs","features":[30]},{"name":"PaymentRequestChangedHandler","features":[30]},{"name":"PaymentRequestChangedResult","features":[30]},{"name":"PaymentRequestCompletionStatus","features":[30]},{"name":"PaymentRequestStatus","features":[30]},{"name":"PaymentRequestSubmitResult","features":[30]},{"name":"PaymentResponse","features":[30]},{"name":"PaymentShippingOption","features":[30]},{"name":"PaymentShippingType","features":[30]},{"name":"PaymentToken","features":[30]}],"31":[{"name":"IPaymentAppCanMakePaymentTriggerDetails","features":[31]},{"name":"IPaymentAppManager","features":[31]},{"name":"IPaymentAppManagerStatics","features":[31]},{"name":"IPaymentTransaction","features":[31]},{"name":"IPaymentTransactionAcceptResult","features":[31]},{"name":"IPaymentTransactionStatics","features":[31]},{"name":"PaymentAppCanMakePaymentTriggerDetails","features":[31]},{"name":"PaymentAppManager","features":[31]},{"name":"PaymentTransaction","features":[31]},{"name":"PaymentTransactionAcceptResult","features":[31]}],"32":[{"name":"HolographicApplicationPreview","features":[32]},{"name":"HolographicKeyboardPlacementOverridePreview","features":[32,3]},{"name":"IHolographicApplicationPreviewStatics","features":[32]},{"name":"IHolographicKeyboardPlacementOverridePreview","features":[32,3]},{"name":"IHolographicKeyboardPlacementOverridePreviewStatics","features":[32,3]}],"33":[{"name":"IInkWorkspaceHostedAppManager","features":[33]},{"name":"IInkWorkspaceHostedAppManagerStatics","features":[33]},{"name":"InkWorkspaceHostedAppManager","features":[33]},{"name":"PreviewInkWorkspaceContract","features":[33]}],"34":[{"name":"INotePlacementChangedPreviewEventArgs","features":[34]},{"name":"INoteVisibilityChangedPreviewEventArgs","features":[34]},{"name":"INotesWindowManagerPreview","features":[34]},{"name":"INotesWindowManagerPreview2","features":[34]},{"name":"INotesWindowManagerPreviewShowNoteOptions","features":[34]},{"name":"INotesWindowManagerPreviewStatics","features":[34]},{"name":"NotePlacementChangedPreviewEventArgs","features":[34]},{"name":"NoteVisibilityChangedPreviewEventArgs","features":[34]},{"name":"NotesWindowManagerPreview","features":[34]},{"name":"NotesWindowManagerPreviewShowNoteOptions","features":[34]},{"name":"PreviewNotesContract","features":[34]}],"35":[{"name":"IResourceLoader","features":[35]},{"name":"IResourceLoader2","features":[35]},{"name":"IResourceLoaderFactory","features":[35]},{"name":"IResourceLoaderStatics","features":[35]},{"name":"IResourceLoaderStatics2","features":[35]},{"name":"IResourceLoaderStatics3","features":[35]},{"name":"IResourceLoaderStatics4","features":[35]},{"name":"ResourceLoader","features":[35]}],"36":[{"name":"INamedResource","features":[36]},{"name":"IResourceCandidate","features":[36]},{"name":"IResourceCandidate2","features":[36]},{"name":"IResourceCandidate3","features":[36]},{"name":"IResourceContext","features":[36]},{"name":"IResourceContextStatics","features":[36]},{"name":"IResourceContextStatics2","features":[36]},{"name":"IResourceContextStatics3","features":[36]},{"name":"IResourceContextStatics4","features":[36]},{"name":"IResourceManager","features":[36]},{"name":"IResourceManager2","features":[36]},{"name":"IResourceManagerStatics","features":[36]},{"name":"IResourceMap","features":[36]},{"name":"IResourceQualifier","features":[36]},{"name":"NamedResource","features":[36]},{"name":"ResourceCandidate","features":[36]},{"name":"ResourceCandidateKind","features":[36]},{"name":"ResourceCandidateVectorView","features":[36,37]},{"name":"ResourceContext","features":[36]},{"name":"ResourceContextLanguagesVectorView","features":[36,37]},{"name":"ResourceLayoutInfo","features":[36]},{"name":"ResourceManager","features":[36]},{"name":"ResourceMap","features":[36]},{"name":"ResourceMapIterator","features":[36,37]},{"name":"ResourceMapMapView","features":[36,37]},{"name":"ResourceMapMapViewIterator","features":[36,37]},{"name":"ResourceQualifier","features":[36]},{"name":"ResourceQualifierMapView","features":[36,37]},{"name":"ResourceQualifierObservableMap","features":[36,37]},{"name":"ResourceQualifierPersistence","features":[36]},{"name":"ResourceQualifierVectorView","features":[36,37]}],"37":[{"name":"IIndexedResourceCandidate","features":[38]},{"name":"IIndexedResourceQualifier","features":[38]},{"name":"IResourceIndexer","features":[38,3]},{"name":"IResourceIndexerFactory","features":[38,3]},{"name":"IResourceIndexerFactory2","features":[38,3]},{"name":"IndexedResourceCandidate","features":[38]},{"name":"IndexedResourceQualifier","features":[38]},{"name":"IndexedResourceType","features":[38]},{"name":"ResourceIndexer","features":[38,3]},{"name":"ResourceIndexerContract","features":[38]}],"38":[{"name":"ILocalContentSuggestionSettings","features":[39]},{"name":"ISearchPane","features":[39,3]},{"name":"ISearchPaneQueryChangedEventArgs","features":[39,3]},{"name":"ISearchPaneQueryLinguisticDetails","features":[39]},{"name":"ISearchPaneQuerySubmittedEventArgs","features":[39,3]},{"name":"ISearchPaneQuerySubmittedEventArgsWithLinguisticDetails","features":[39,3]},{"name":"ISearchPaneResultSuggestionChosenEventArgs","features":[39,3]},{"name":"ISearchPaneStatics","features":[39,3]},{"name":"ISearchPaneStaticsWithHideThisApplication","features":[39,3]},{"name":"ISearchPaneSuggestionsRequest","features":[39,3]},{"name":"ISearchPaneSuggestionsRequestDeferral","features":[39,3]},{"name":"ISearchPaneSuggestionsRequestedEventArgs","features":[39,3]},{"name":"ISearchPaneVisibilityChangedEventArgs","features":[39,3]},{"name":"ISearchQueryLinguisticDetails","features":[39]},{"name":"ISearchQueryLinguisticDetailsFactory","features":[39]},{"name":"ISearchSuggestionCollection","features":[39]},{"name":"ISearchSuggestionsRequest","features":[39]},{"name":"ISearchSuggestionsRequestDeferral","features":[39]},{"name":"LocalContentSuggestionSettings","features":[39]},{"name":"SearchContract","features":[39]},{"name":"SearchPane","features":[39,3]},{"name":"SearchPaneQueryChangedEventArgs","features":[39,3]},{"name":"SearchPaneQueryLinguisticDetails","features":[39]},{"name":"SearchPaneQuerySubmittedEventArgs","features":[39,3]},{"name":"SearchPaneResultSuggestionChosenEventArgs","features":[39,3]},{"name":"SearchPaneSuggestionsRequest","features":[39,3]},{"name":"SearchPaneSuggestionsRequestDeferral","features":[39,3]},{"name":"SearchPaneSuggestionsRequestedEventArgs","features":[39,3]},{"name":"SearchPaneVisibilityChangedEventArgs","features":[39,3]},{"name":"SearchQueryLinguisticDetails","features":[39]},{"name":"SearchSuggestionCollection","features":[39]},{"name":"SearchSuggestionsRequest","features":[39]},{"name":"SearchSuggestionsRequestDeferral","features":[39]}],"39":[{"name":"IRequestingFocusOnKeyboardInputEventArgs","features":[40]},{"name":"ISearchSuggestion","features":[40]},{"name":"ISearchSuggestionManager","features":[40]},{"name":"ISearchSuggestionsRequestedEventArgs","features":[40]},{"name":"RequestingFocusOnKeyboardInputEventArgs","features":[40]},{"name":"SearchCoreContract","features":[40]},{"name":"SearchSuggestion","features":[40]},{"name":"SearchSuggestionKind","features":[40]},{"name":"SearchSuggestionManager","features":[40]},{"name":"SearchSuggestionsRequestedEventArgs","features":[40]}],"42":[{"name":"CurrentApp","features":[41]},{"name":"CurrentAppSimulator","features":[41]},{"name":"FulfillmentResult","features":[41]},{"name":"ICurrentApp","features":[41]},{"name":"ICurrentApp2Statics","features":[41]},{"name":"ICurrentAppSimulator","features":[41]},{"name":"ICurrentAppSimulatorStaticsWithFiltering","features":[41]},{"name":"ICurrentAppSimulatorWithCampaignId","features":[41]},{"name":"ICurrentAppSimulatorWithConsumables","features":[41]},{"name":"ICurrentAppStaticsWithFiltering","features":[41]},{"name":"ICurrentAppWithCampaignId","features":[41]},{"name":"ICurrentAppWithConsumables","features":[41]},{"name":"ILicenseInformation","features":[41]},{"name":"IListingInformation","features":[41]},{"name":"IListingInformation2","features":[41]},{"name":"IProductLicense","features":[41]},{"name":"IProductLicenseWithFulfillment","features":[41]},{"name":"IProductListing","features":[41]},{"name":"IProductListing2","features":[41]},{"name":"IProductListingWithConsumables","features":[41]},{"name":"IProductListingWithMetadata","features":[41]},{"name":"IProductPurchaseDisplayProperties","features":[41]},{"name":"IProductPurchaseDisplayPropertiesFactory","features":[41]},{"name":"IPurchaseResults","features":[41]},{"name":"IUnfulfilledConsumable","features":[41]},{"name":"LicenseChangedEventHandler","features":[41]},{"name":"LicenseInformation","features":[41]},{"name":"ListingInformation","features":[41]},{"name":"ProductLicense","features":[41]},{"name":"ProductListing","features":[41]},{"name":"ProductPurchaseDisplayProperties","features":[41]},{"name":"ProductPurchaseStatus","features":[41]},{"name":"ProductType","features":[41]},{"name":"PurchaseResults","features":[41]},{"name":"UnfulfilledConsumable","features":[41]}],"43":[{"name":"ILicenseManagerStatics","features":[42]},{"name":"ILicenseManagerStatics2","features":[42]},{"name":"ILicenseSatisfactionInfo","features":[42]},{"name":"ILicenseSatisfactionResult","features":[42]},{"name":"LicenseManager","features":[42]},{"name":"LicenseRefreshOption","features":[42]},{"name":"LicenseSatisfactionInfo","features":[42]},{"name":"LicenseSatisfactionResult","features":[42]}],"44":[{"name":"DeliveryOptimizationDownloadMode","features":[43]},{"name":"DeliveryOptimizationDownloadModeSource","features":[43]},{"name":"DeliveryOptimizationSettings","features":[43]},{"name":"IDeliveryOptimizationSettings","features":[43]},{"name":"IDeliveryOptimizationSettingsStatics","features":[43]},{"name":"IStoreConfigurationStatics","features":[43]},{"name":"IStoreConfigurationStatics2","features":[43]},{"name":"IStoreConfigurationStatics3","features":[43]},{"name":"IStoreConfigurationStatics4","features":[43]},{"name":"IStoreConfigurationStatics5","features":[43]},{"name":"IStoreHardwareManufacturerInfo","features":[43]},{"name":"IStorePreview","features":[43]},{"name":"IStorePreviewProductInfo","features":[43]},{"name":"IStorePreviewPurchaseResults","features":[43]},{"name":"IStorePreviewSkuInfo","features":[43]},{"name":"IWebAuthenticationCoreManagerHelper","features":[43]},{"name":"StoreConfiguration","features":[43]},{"name":"StoreHardwareManufacturerInfo","features":[43]},{"name":"StoreLogOptions","features":[43]},{"name":"StorePreview","features":[43]},{"name":"StorePreviewProductInfo","features":[43]},{"name":"StorePreviewProductPurchaseStatus","features":[43]},{"name":"StorePreviewPurchaseResults","features":[43]},{"name":"StorePreviewSkuInfo","features":[43]},{"name":"StoreSystemFeature","features":[43]},{"name":"WebAuthenticationCoreManagerHelper","features":[43]}],"45":[{"name":"AppInstallItem","features":[44]},{"name":"AppInstallManager","features":[44]},{"name":"AppInstallManagerItemEventArgs","features":[44]},{"name":"AppInstallOptions","features":[44]},{"name":"AppInstallState","features":[44]},{"name":"AppInstallStatus","features":[44]},{"name":"AppInstallType","features":[44]},{"name":"AppInstallationToastNotificationMode","features":[44]},{"name":"AppUpdateOptions","features":[44]},{"name":"AutoUpdateSetting","features":[44]},{"name":"GetEntitlementResult","features":[44]},{"name":"GetEntitlementStatus","features":[44]},{"name":"IAppInstallItem","features":[44]},{"name":"IAppInstallItem2","features":[44]},{"name":"IAppInstallItem3","features":[44]},{"name":"IAppInstallItem4","features":[44]},{"name":"IAppInstallItem5","features":[44]},{"name":"IAppInstallManager","features":[44]},{"name":"IAppInstallManager2","features":[44]},{"name":"IAppInstallManager3","features":[44]},{"name":"IAppInstallManager4","features":[44]},{"name":"IAppInstallManager5","features":[44]},{"name":"IAppInstallManager6","features":[44]},{"name":"IAppInstallManager7","features":[44]},{"name":"IAppInstallManagerItemEventArgs","features":[44]},{"name":"IAppInstallOptions","features":[44]},{"name":"IAppInstallOptions2","features":[44]},{"name":"IAppInstallStatus","features":[44]},{"name":"IAppInstallStatus2","features":[44]},{"name":"IAppInstallStatus3","features":[44]},{"name":"IAppUpdateOptions","features":[44]},{"name":"IAppUpdateOptions2","features":[44]},{"name":"IGetEntitlementResult","features":[44]}],"46":[{"name":"IUserActivity","features":[45]},{"name":"IUserActivity2","features":[45]},{"name":"IUserActivity3","features":[45]},{"name":"IUserActivityAttribution","features":[45]},{"name":"IUserActivityAttributionFactory","features":[45]},{"name":"IUserActivityChannel","features":[45]},{"name":"IUserActivityChannel2","features":[45]},{"name":"IUserActivityChannelStatics","features":[45]},{"name":"IUserActivityChannelStatics2","features":[45]},{"name":"IUserActivityChannelStatics3","features":[45]},{"name":"IUserActivityContentInfo","features":[45]},{"name":"IUserActivityContentInfoStatics","features":[45]},{"name":"IUserActivityFactory","features":[45]},{"name":"IUserActivityRequest","features":[45]},{"name":"IUserActivityRequestManager","features":[45]},{"name":"IUserActivityRequestManagerStatics","features":[45]},{"name":"IUserActivityRequestedEventArgs","features":[45]},{"name":"IUserActivitySession","features":[45]},{"name":"IUserActivitySessionHistoryItem","features":[45]},{"name":"IUserActivityStatics","features":[45]},{"name":"IUserActivityVisualElements","features":[45]},{"name":"IUserActivityVisualElements2","features":[45]},{"name":"UserActivity","features":[45]},{"name":"UserActivityAttribution","features":[45]},{"name":"UserActivityChannel","features":[45]},{"name":"UserActivityContentInfo","features":[45]},{"name":"UserActivityRequest","features":[45]},{"name":"UserActivityRequestManager","features":[45]},{"name":"UserActivityRequestedEventArgs","features":[45]},{"name":"UserActivitySession","features":[45]},{"name":"UserActivitySessionHistoryItem","features":[45]},{"name":"UserActivityState","features":[45]},{"name":"UserActivityVisualElements","features":[45]}],"47":[{"name":"CoreUserActivityManager","features":[46]},{"name":"ICoreUserActivityManagerStatics","features":[46]}],"48":[{"name":"IUserDataAccount","features":[47]},{"name":"IUserDataAccount2","features":[47]},{"name":"IUserDataAccount3","features":[47]},{"name":"IUserDataAccount4","features":[47]},{"name":"IUserDataAccountManagerForUser","features":[47]},{"name":"IUserDataAccountManagerStatics","features":[47]},{"name":"IUserDataAccountManagerStatics2","features":[47]},{"name":"IUserDataAccountStore","features":[47]},{"name":"IUserDataAccountStore2","features":[47]},{"name":"IUserDataAccountStore3","features":[47]},{"name":"IUserDataAccountStoreChangedEventArgs","features":[47]},{"name":"UserDataAccount","features":[47]},{"name":"UserDataAccountContentKinds","features":[47]},{"name":"UserDataAccountManager","features":[47]},{"name":"UserDataAccountManagerForUser","features":[47]},{"name":"UserDataAccountOtherAppReadAccess","features":[47]},{"name":"UserDataAccountStore","features":[47]},{"name":"UserDataAccountStoreAccessType","features":[47]},{"name":"UserDataAccountStoreChangedEventArgs","features":[47]}],"49":[{"name":"IUserDataAccountPartnerAccountInfo","features":[48]},{"name":"IUserDataAccountProviderAddAccountOperation","features":[48]},{"name":"IUserDataAccountProviderOperation","features":[48]},{"name":"IUserDataAccountProviderResolveErrorsOperation","features":[48]},{"name":"IUserDataAccountProviderSettingsOperation","features":[48]},{"name":"UserDataAccountPartnerAccountInfo","features":[48]},{"name":"UserDataAccountProviderAddAccountOperation","features":[48]},{"name":"UserDataAccountProviderOperationKind","features":[48]},{"name":"UserDataAccountProviderPartnerAccountKind","features":[48]},{"name":"UserDataAccountProviderResolveErrorsOperation","features":[48]},{"name":"UserDataAccountProviderSettingsOperation","features":[48]}],"50":[{"name":"DeviceAccountAuthenticationType","features":[49]},{"name":"DeviceAccountConfiguration","features":[49]},{"name":"DeviceAccountIconId","features":[49]},{"name":"DeviceAccountMailAgeFilter","features":[49]},{"name":"DeviceAccountServerType","features":[49]},{"name":"DeviceAccountSyncScheduleKind","features":[49]},{"name":"IDeviceAccountConfiguration","features":[49]},{"name":"IDeviceAccountConfiguration2","features":[49]},{"name":"IUserDataAccountSystemAccessManagerStatics","features":[49]},{"name":"IUserDataAccountSystemAccessManagerStatics2","features":[49]},{"name":"UserDataAccountSystemAccessManager","features":[49]}],"51":[{"name":"IUserDataTask","features":[50]},{"name":"IUserDataTaskBatch","features":[50]},{"name":"IUserDataTaskList","features":[50]},{"name":"IUserDataTaskListLimitedWriteOperations","features":[50]},{"name":"IUserDataTaskListSyncManager","features":[50]},{"name":"IUserDataTaskManager","features":[50]},{"name":"IUserDataTaskManagerStatics","features":[50]},{"name":"IUserDataTaskQueryOptions","features":[50]},{"name":"IUserDataTaskReader","features":[50]},{"name":"IUserDataTaskRecurrenceProperties","features":[50]},{"name":"IUserDataTaskRegenerationProperties","features":[50]},{"name":"IUserDataTaskStore","features":[50]},{"name":"UserDataTask","features":[50]},{"name":"UserDataTaskBatch","features":[50]},{"name":"UserDataTaskDaysOfWeek","features":[50]},{"name":"UserDataTaskDetailsKind","features":[50]},{"name":"UserDataTaskKind","features":[50]},{"name":"UserDataTaskList","features":[50]},{"name":"UserDataTaskListLimitedWriteOperations","features":[50]},{"name":"UserDataTaskListOtherAppReadAccess","features":[50]},{"name":"UserDataTaskListOtherAppWriteAccess","features":[50]},{"name":"UserDataTaskListSyncManager","features":[50]},{"name":"UserDataTaskListSyncStatus","features":[50]},{"name":"UserDataTaskManager","features":[50]},{"name":"UserDataTaskPriority","features":[50]},{"name":"UserDataTaskQueryKind","features":[50]},{"name":"UserDataTaskQueryOptions","features":[50]},{"name":"UserDataTaskQuerySortProperty","features":[50]},{"name":"UserDataTaskReader","features":[50]},{"name":"UserDataTaskRecurrenceProperties","features":[50]},{"name":"UserDataTaskRecurrenceUnit","features":[50]},{"name":"UserDataTaskRegenerationProperties","features":[50]},{"name":"UserDataTaskRegenerationUnit","features":[50]},{"name":"UserDataTaskSensitivity","features":[50]},{"name":"UserDataTaskStore","features":[50]},{"name":"UserDataTaskStoreAccessType","features":[50]},{"name":"UserDataTaskWeekOfMonth","features":[50]}],"52":[{"name":"IUserDataTaskDataProviderConnection","features":[51]},{"name":"IUserDataTaskDataProviderTriggerDetails","features":[51]},{"name":"IUserDataTaskListCompleteTaskRequest","features":[51]},{"name":"IUserDataTaskListCompleteTaskRequestEventArgs","features":[51]},{"name":"IUserDataTaskListCreateOrUpdateTaskRequest","features":[51]},{"name":"IUserDataTaskListCreateOrUpdateTaskRequestEventArgs","features":[51]},{"name":"IUserDataTaskListDeleteTaskRequest","features":[51]},{"name":"IUserDataTaskListDeleteTaskRequestEventArgs","features":[51]},{"name":"IUserDataTaskListSkipOccurrenceRequest","features":[51]},{"name":"IUserDataTaskListSkipOccurrenceRequestEventArgs","features":[51]},{"name":"IUserDataTaskListSyncManagerSyncRequest","features":[51]},{"name":"IUserDataTaskListSyncManagerSyncRequestEventArgs","features":[51]},{"name":"UserDataTaskDataProviderConnection","features":[51]},{"name":"UserDataTaskDataProviderTriggerDetails","features":[51]},{"name":"UserDataTaskListCompleteTaskRequest","features":[51]},{"name":"UserDataTaskListCompleteTaskRequestEventArgs","features":[51]},{"name":"UserDataTaskListCreateOrUpdateTaskRequest","features":[51]},{"name":"UserDataTaskListCreateOrUpdateTaskRequestEventArgs","features":[51]},{"name":"UserDataTaskListDeleteTaskRequest","features":[51]},{"name":"UserDataTaskListDeleteTaskRequestEventArgs","features":[51]},{"name":"UserDataTaskListSkipOccurrenceRequest","features":[51]},{"name":"UserDataTaskListSkipOccurrenceRequestEventArgs","features":[51]},{"name":"UserDataTaskListSyncManagerSyncRequest","features":[51]},{"name":"UserDataTaskListSyncManagerSyncRequestEventArgs","features":[51]}],"53":[{"name":"IVoiceCommand","features":[52]},{"name":"IVoiceCommandCompletedEventArgs","features":[52]},{"name":"IVoiceCommandConfirmationResult","features":[52]},{"name":"IVoiceCommandContentTile","features":[52]},{"name":"IVoiceCommandDefinition","features":[52]},{"name":"IVoiceCommandDefinitionManagerStatics","features":[52]},{"name":"IVoiceCommandDisambiguationResult","features":[52]},{"name":"IVoiceCommandResponse","features":[52]},{"name":"IVoiceCommandResponseStatics","features":[52]},{"name":"IVoiceCommandServiceConnection","features":[52]},{"name":"IVoiceCommandServiceConnectionStatics","features":[52]},{"name":"IVoiceCommandUserMessage","features":[52]},{"name":"VoiceCommand","features":[52]},{"name":"VoiceCommandCompletedEventArgs","features":[52]},{"name":"VoiceCommandCompletionReason","features":[52]},{"name":"VoiceCommandConfirmationResult","features":[52]},{"name":"VoiceCommandContentTile","features":[52]},{"name":"VoiceCommandContentTileType","features":[52]},{"name":"VoiceCommandDefinition","features":[52]},{"name":"VoiceCommandDefinitionManager","features":[52]},{"name":"VoiceCommandDisambiguationResult","features":[52]},{"name":"VoiceCommandResponse","features":[52]},{"name":"VoiceCommandServiceConnection","features":[52]},{"name":"VoiceCommandUserMessage","features":[52]}],"54":[{"name":"IWalletBarcode","features":[53,3]},{"name":"IWalletBarcodeFactory","features":[53,3]},{"name":"IWalletItem","features":[53,3]},{"name":"IWalletItemCustomProperty","features":[53,3]},{"name":"IWalletItemCustomPropertyFactory","features":[53,3]},{"name":"IWalletItemFactory","features":[53,3]},{"name":"IWalletItemStore","features":[53,3]},{"name":"IWalletItemStore2","features":[53,3]},{"name":"IWalletManagerStatics","features":[53,3]},{"name":"IWalletRelevantLocation","features":[53,3]},{"name":"IWalletTransaction","features":[53,3]},{"name":"IWalletVerb","features":[53,3]},{"name":"IWalletVerbFactory","features":[53,3]},{"name":"WalletActionKind","features":[53,3]},{"name":"WalletBarcode","features":[53,3]},{"name":"WalletBarcodeSymbology","features":[53,3]},{"name":"WalletContract","features":[53]},{"name":"WalletDetailViewPosition","features":[53,3]},{"name":"WalletItem","features":[53,3]},{"name":"WalletItemCustomProperty","features":[53,3]},{"name":"WalletItemKind","features":[53,3]},{"name":"WalletItemStore","features":[53,3]},{"name":"WalletManager","features":[53,3]},{"name":"WalletRelevantLocation","features":[53,3]},{"name":"WalletSummaryViewPosition","features":[53,3]},{"name":"WalletTransaction","features":[53,3]},{"name":"WalletVerb","features":[53,3]}],"55":[{"name":"IWalletItemSystemStore","features":[54,3]},{"name":"IWalletItemSystemStore2","features":[54,3]},{"name":"IWalletManagerSystemStatics","features":[54,3]},{"name":"WalletItemAppAssociation","features":[54,3]},{"name":"WalletItemSystemStore","features":[54,3]},{"name":"WalletManagerSystem","features":[54,3]}],"56":[{"name":"HtmlUtilities","features":[55]},{"name":"IHtmlUtilities","features":[55]}],"57":[{"name":"IJsonArray","features":[56]},{"name":"IJsonArrayStatics","features":[56]},{"name":"IJsonErrorStatics2","features":[56]},{"name":"IJsonObject","features":[56]},{"name":"IJsonObjectStatics","features":[56]},{"name":"IJsonObjectWithDefaultValues","features":[56]},{"name":"IJsonValue","features":[56]},{"name":"IJsonValueStatics","features":[56]},{"name":"IJsonValueStatics2","features":[56]},{"name":"JsonArray","features":[56]},{"name":"JsonError","features":[56]},{"name":"JsonErrorStatus","features":[56]},{"name":"JsonObject","features":[56]},{"name":"JsonValue","features":[56]},{"name":"JsonValueType","features":[56]}],"58":[{"name":"IPdfDocument","features":[57]},{"name":"IPdfDocumentStatics","features":[57]},{"name":"IPdfPage","features":[57]},{"name":"IPdfPageDimensions","features":[57]},{"name":"IPdfPageRenderOptions","features":[57]},{"name":"PdfDocument","features":[57]},{"name":"PdfPage","features":[57]},{"name":"PdfPageDimensions","features":[57]},{"name":"PdfPageRenderOptions","features":[57]},{"name":"PdfPageRotation","features":[57]}],"59":[{"name":"AlternateNormalizationFormat","features":[58]},{"name":"AlternateWordForm","features":[58]},{"name":"IAlternateWordForm","features":[58]},{"name":"ISelectableWordSegment","features":[58]},{"name":"ISelectableWordsSegmenter","features":[58]},{"name":"ISelectableWordsSegmenterFactory","features":[58]},{"name":"ISemanticTextQuery","features":[58]},{"name":"ISemanticTextQueryFactory","features":[58]},{"name":"ITextConversionGenerator","features":[58]},{"name":"ITextConversionGeneratorFactory","features":[58]},{"name":"ITextPhoneme","features":[58]},{"name":"ITextPredictionGenerator","features":[58]},{"name":"ITextPredictionGenerator2","features":[58]},{"name":"ITextPredictionGeneratorFactory","features":[58]},{"name":"ITextReverseConversionGenerator","features":[58]},{"name":"ITextReverseConversionGenerator2","features":[58]},{"name":"ITextReverseConversionGeneratorFactory","features":[58]},{"name":"IUnicodeCharactersStatics","features":[58]},{"name":"IWordSegment","features":[58]},{"name":"IWordsSegmenter","features":[58]},{"name":"IWordsSegmenterFactory","features":[58]},{"name":"SelectableWordSegment","features":[58]},{"name":"SelectableWordSegmentsTokenizingHandler","features":[58,37]},{"name":"SelectableWordsSegmenter","features":[58]},{"name":"SemanticTextQuery","features":[58]},{"name":"TextConversionGenerator","features":[58]},{"name":"TextPhoneme","features":[58]},{"name":"TextPredictionGenerator","features":[58]},{"name":"TextPredictionOptions","features":[58]},{"name":"TextReverseConversionGenerator","features":[58]},{"name":"TextSegment","features":[58]},{"name":"UnicodeCharacters","features":[58]},{"name":"UnicodeGeneralCategory","features":[58]},{"name":"UnicodeNumericType","features":[58]},{"name":"WordSegment","features":[58]},{"name":"WordSegmentsTokenizingHandler","features":[58,37]},{"name":"WordsSegmenter","features":[58]}],"60":[{"name":"DtdEntity","features":[59]},{"name":"DtdNotation","features":[59]},{"name":"IDtdEntity","features":[59]},{"name":"IDtdNotation","features":[59]},{"name":"IXmlAttribute","features":[59]},{"name":"IXmlCDataSection","features":[59]},{"name":"IXmlCharacterData","features":[59]},{"name":"IXmlComment","features":[59]},{"name":"IXmlDocument","features":[59]},{"name":"IXmlDocumentFragment","features":[59]},{"name":"IXmlDocumentIO","features":[59]},{"name":"IXmlDocumentIO2","features":[59]},{"name":"IXmlDocumentStatics","features":[59]},{"name":"IXmlDocumentType","features":[59]},{"name":"IXmlDomImplementation","features":[59]},{"name":"IXmlElement","features":[59]},{"name":"IXmlEntityReference","features":[59]},{"name":"IXmlLoadSettings","features":[59]},{"name":"IXmlNamedNodeMap","features":[59]},{"name":"IXmlNode","features":[59]},{"name":"IXmlNodeList","features":[59]},{"name":"IXmlNodeSelector","features":[59]},{"name":"IXmlNodeSerializer","features":[59]},{"name":"IXmlProcessingInstruction","features":[59]},{"name":"IXmlText","features":[59]},{"name":"NodeType","features":[59]},{"name":"XmlAttribute","features":[59]},{"name":"XmlCDataSection","features":[59]},{"name":"XmlComment","features":[59]},{"name":"XmlDocument","features":[59]},{"name":"XmlDocumentFragment","features":[59]},{"name":"XmlDocumentType","features":[59]},{"name":"XmlDomImplementation","features":[59]},{"name":"XmlElement","features":[59]},{"name":"XmlEntityReference","features":[59]},{"name":"XmlLoadSettings","features":[59]},{"name":"XmlNamedNodeMap","features":[59]},{"name":"XmlNodeList","features":[59]},{"name":"XmlProcessingInstruction","features":[59]},{"name":"XmlText","features":[59]}],"61":[{"name":"IXsltProcessor","features":[60]},{"name":"IXsltProcessor2","features":[60]},{"name":"IXsltProcessorFactory","features":[60]},{"name":"XsltProcessor","features":[60]}],"62":[{"name":"DevicesLowLevelContract","features":[61]},{"name":"ILowLevelDevicesAggregateProvider","features":[61]},{"name":"ILowLevelDevicesAggregateProviderFactory","features":[61]},{"name":"ILowLevelDevicesController","features":[61]},{"name":"ILowLevelDevicesControllerStatics","features":[61]},{"name":"LowLevelDevicesAggregateProvider","features":[61]},{"name":"LowLevelDevicesController","features":[61]}],"63":[{"name":"AdcChannel","features":[62]},{"name":"AdcChannelMode","features":[62]},{"name":"AdcController","features":[62]},{"name":"IAdcChannel","features":[62]},{"name":"IAdcController","features":[62]},{"name":"IAdcControllerStatics","features":[62]},{"name":"IAdcControllerStatics2","features":[62]}],"64":[{"name":"IAdcControllerProvider","features":[63]},{"name":"IAdcProvider","features":[63]},{"name":"ProviderAdcChannelMode","features":[63]}],"66":[{"name":"DeviceServicingDetails","features":[64]},{"name":"DeviceUseDetails","features":[64]},{"name":"IDeviceServicingDetails","features":[64]},{"name":"IDeviceUseDetails","features":[64]}],"67":[{"name":"BluetoothAdapter","features":[65]},{"name":"BluetoothAddressType","features":[65]},{"name":"BluetoothCacheMode","features":[65]},{"name":"BluetoothClassOfDevice","features":[65]},{"name":"BluetoothConnectionStatus","features":[65]},{"name":"BluetoothDevice","features":[65]},{"name":"BluetoothDeviceId","features":[65]},{"name":"BluetoothError","features":[65]},{"name":"BluetoothLEAppearance","features":[65]},{"name":"BluetoothLEAppearanceCategories","features":[65]},{"name":"BluetoothLEAppearanceSubcategories","features":[65]},{"name":"BluetoothLEConnectionParameters","features":[65]},{"name":"BluetoothLEConnectionPhy","features":[65]},{"name":"BluetoothLEConnectionPhyInfo","features":[65]},{"name":"BluetoothLEDevice","features":[65]},{"name":"BluetoothLEPreferredConnectionParameters","features":[65]},{"name":"BluetoothLEPreferredConnectionParametersRequest","features":[65]},{"name":"BluetoothLEPreferredConnectionParametersRequestStatus","features":[65]},{"name":"BluetoothMajorClass","features":[65]},{"name":"BluetoothMinorClass","features":[65]},{"name":"BluetoothServiceCapabilities","features":[65]},{"name":"BluetoothSignalStrengthFilter","features":[65]},{"name":"BluetoothUuidHelper","features":[65]},{"name":"IBluetoothAdapter","features":[65]},{"name":"IBluetoothAdapter2","features":[65]},{"name":"IBluetoothAdapter3","features":[65]},{"name":"IBluetoothAdapterStatics","features":[65]},{"name":"IBluetoothClassOfDevice","features":[65]},{"name":"IBluetoothClassOfDeviceStatics","features":[65]},{"name":"IBluetoothDevice","features":[65]},{"name":"IBluetoothDevice2","features":[65]},{"name":"IBluetoothDevice3","features":[65]},{"name":"IBluetoothDevice4","features":[65]},{"name":"IBluetoothDevice5","features":[65]},{"name":"IBluetoothDeviceId","features":[65]},{"name":"IBluetoothDeviceIdStatics","features":[65]},{"name":"IBluetoothDeviceStatics","features":[65]},{"name":"IBluetoothDeviceStatics2","features":[65]},{"name":"IBluetoothLEAppearance","features":[65]},{"name":"IBluetoothLEAppearanceCategoriesStatics","features":[65]},{"name":"IBluetoothLEAppearanceStatics","features":[65]},{"name":"IBluetoothLEAppearanceSubcategoriesStatics","features":[65]},{"name":"IBluetoothLEConnectionParameters","features":[65]},{"name":"IBluetoothLEConnectionPhy","features":[65]},{"name":"IBluetoothLEConnectionPhyInfo","features":[65]},{"name":"IBluetoothLEDevice","features":[65]},{"name":"IBluetoothLEDevice2","features":[65]},{"name":"IBluetoothLEDevice3","features":[65]},{"name":"IBluetoothLEDevice4","features":[65]},{"name":"IBluetoothLEDevice5","features":[65]},{"name":"IBluetoothLEDevice6","features":[65]},{"name":"IBluetoothLEDeviceStatics","features":[65]},{"name":"IBluetoothLEDeviceStatics2","features":[65]},{"name":"IBluetoothLEPreferredConnectionParameters","features":[65]},{"name":"IBluetoothLEPreferredConnectionParametersRequest","features":[65]},{"name":"IBluetoothLEPreferredConnectionParametersStatics","features":[65]},{"name":"IBluetoothSignalStrengthFilter","features":[65]},{"name":"IBluetoothUuidHelperStatics","features":[65]}],"68":[{"name":"BluetoothLEAdvertisement","features":[66]},{"name":"BluetoothLEAdvertisementBytePattern","features":[66]},{"name":"BluetoothLEAdvertisementDataSection","features":[66]},{"name":"BluetoothLEAdvertisementDataTypes","features":[66]},{"name":"BluetoothLEAdvertisementFilter","features":[66]},{"name":"BluetoothLEAdvertisementFlags","features":[66]},{"name":"BluetoothLEAdvertisementPublisher","features":[66]},{"name":"BluetoothLEAdvertisementPublisherStatus","features":[66]},{"name":"BluetoothLEAdvertisementPublisherStatusChangedEventArgs","features":[66]},{"name":"BluetoothLEAdvertisementReceivedEventArgs","features":[66]},{"name":"BluetoothLEAdvertisementType","features":[66]},{"name":"BluetoothLEAdvertisementWatcher","features":[66]},{"name":"BluetoothLEAdvertisementWatcherStatus","features":[66]},{"name":"BluetoothLEAdvertisementWatcherStoppedEventArgs","features":[66]},{"name":"BluetoothLEManufacturerData","features":[66]},{"name":"BluetoothLEScanningMode","features":[66]},{"name":"IBluetoothLEAdvertisement","features":[66]},{"name":"IBluetoothLEAdvertisementBytePattern","features":[66]},{"name":"IBluetoothLEAdvertisementBytePatternFactory","features":[66]},{"name":"IBluetoothLEAdvertisementDataSection","features":[66]},{"name":"IBluetoothLEAdvertisementDataSectionFactory","features":[66]},{"name":"IBluetoothLEAdvertisementDataTypesStatics","features":[66]},{"name":"IBluetoothLEAdvertisementFilter","features":[66]},{"name":"IBluetoothLEAdvertisementPublisher","features":[66]},{"name":"IBluetoothLEAdvertisementPublisher2","features":[66]},{"name":"IBluetoothLEAdvertisementPublisherFactory","features":[66]},{"name":"IBluetoothLEAdvertisementPublisherStatusChangedEventArgs","features":[66]},{"name":"IBluetoothLEAdvertisementPublisherStatusChangedEventArgs2","features":[66]},{"name":"IBluetoothLEAdvertisementReceivedEventArgs","features":[66]},{"name":"IBluetoothLEAdvertisementReceivedEventArgs2","features":[66]},{"name":"IBluetoothLEAdvertisementWatcher","features":[66]},{"name":"IBluetoothLEAdvertisementWatcher2","features":[66]},{"name":"IBluetoothLEAdvertisementWatcherFactory","features":[66]},{"name":"IBluetoothLEAdvertisementWatcherStoppedEventArgs","features":[66]},{"name":"IBluetoothLEManufacturerData","features":[66]},{"name":"IBluetoothLEManufacturerDataFactory","features":[66]}],"69":[{"name":"BluetoothEventTriggeringMode","features":[67]},{"name":"BluetoothLEAdvertisementPublisherTriggerDetails","features":[67]},{"name":"BluetoothLEAdvertisementWatcherTriggerDetails","features":[67]},{"name":"GattCharacteristicNotificationTriggerDetails","features":[67]},{"name":"GattServiceProviderConnection","features":[67]},{"name":"GattServiceProviderTriggerDetails","features":[67]},{"name":"IBluetoothLEAdvertisementPublisherTriggerDetails","features":[67]},{"name":"IBluetoothLEAdvertisementPublisherTriggerDetails2","features":[67]},{"name":"IBluetoothLEAdvertisementWatcherTriggerDetails","features":[67]},{"name":"IGattCharacteristicNotificationTriggerDetails","features":[67]},{"name":"IGattCharacteristicNotificationTriggerDetails2","features":[67]},{"name":"IGattServiceProviderConnection","features":[67]},{"name":"IGattServiceProviderConnectionStatics","features":[67]},{"name":"IGattServiceProviderTriggerDetails","features":[67]},{"name":"IRfcommConnectionTriggerDetails","features":[67]},{"name":"IRfcommInboundConnectionInformation","features":[67]},{"name":"IRfcommOutboundConnectionInformation","features":[67]},{"name":"RfcommConnectionTriggerDetails","features":[67]},{"name":"RfcommInboundConnectionInformation","features":[67]},{"name":"RfcommOutboundConnectionInformation","features":[67]}],"70":[{"name":"GattCharacteristic","features":[68]},{"name":"GattCharacteristicProperties","features":[68]},{"name":"GattCharacteristicUuids","features":[68]},{"name":"GattCharacteristicsResult","features":[68]},{"name":"GattClientCharacteristicConfigurationDescriptorValue","features":[68]},{"name":"GattClientNotificationResult","features":[68]},{"name":"GattCommunicationStatus","features":[68]},{"name":"GattDescriptor","features":[68]},{"name":"GattDescriptorUuids","features":[68]},{"name":"GattDescriptorsResult","features":[68]},{"name":"GattDeviceService","features":[68]},{"name":"GattDeviceServicesResult","features":[68]},{"name":"GattLocalCharacteristic","features":[68]},{"name":"GattLocalCharacteristicParameters","features":[68]},{"name":"GattLocalCharacteristicResult","features":[68]},{"name":"GattLocalDescriptor","features":[68]},{"name":"GattLocalDescriptorParameters","features":[68]},{"name":"GattLocalDescriptorResult","features":[68]},{"name":"GattLocalService","features":[68]},{"name":"GattOpenStatus","features":[68]},{"name":"GattPresentationFormat","features":[68]},{"name":"GattPresentationFormatTypes","features":[68]},{"name":"GattProtectionLevel","features":[68]},{"name":"GattProtocolError","features":[68]},{"name":"GattReadClientCharacteristicConfigurationDescriptorResult","features":[68]},{"name":"GattReadRequest","features":[68]},{"name":"GattReadRequestedEventArgs","features":[68]},{"name":"GattReadResult","features":[68]},{"name":"GattReliableWriteTransaction","features":[68]},{"name":"GattRequestState","features":[68]},{"name":"GattRequestStateChangedEventArgs","features":[68]},{"name":"GattServiceProvider","features":[68]},{"name":"GattServiceProviderAdvertisementStatus","features":[68]},{"name":"GattServiceProviderAdvertisementStatusChangedEventArgs","features":[68]},{"name":"GattServiceProviderAdvertisingParameters","features":[68]},{"name":"GattServiceProviderResult","features":[68]},{"name":"GattServiceUuids","features":[68]},{"name":"GattSession","features":[68]},{"name":"GattSessionStatus","features":[68]},{"name":"GattSessionStatusChangedEventArgs","features":[68]},{"name":"GattSharingMode","features":[68]},{"name":"GattSubscribedClient","features":[68]},{"name":"GattValueChangedEventArgs","features":[68]},{"name":"GattWriteOption","features":[68]},{"name":"GattWriteRequest","features":[68]},{"name":"GattWriteRequestedEventArgs","features":[68]},{"name":"GattWriteResult","features":[68]},{"name":"IGattCharacteristic","features":[68]},{"name":"IGattCharacteristic2","features":[68]},{"name":"IGattCharacteristic3","features":[68]},{"name":"IGattCharacteristicStatics","features":[68]},{"name":"IGattCharacteristicUuidsStatics","features":[68]},{"name":"IGattCharacteristicUuidsStatics2","features":[68]},{"name":"IGattCharacteristicsResult","features":[68]},{"name":"IGattClientNotificationResult","features":[68]},{"name":"IGattClientNotificationResult2","features":[68]},{"name":"IGattDescriptor","features":[68]},{"name":"IGattDescriptor2","features":[68]},{"name":"IGattDescriptorStatics","features":[68]},{"name":"IGattDescriptorUuidsStatics","features":[68]},{"name":"IGattDescriptorsResult","features":[68]},{"name":"IGattDeviceService","features":[68]},{"name":"IGattDeviceService2","features":[68]},{"name":"IGattDeviceService3","features":[68]},{"name":"IGattDeviceServiceStatics","features":[68]},{"name":"IGattDeviceServiceStatics2","features":[68]},{"name":"IGattDeviceServicesResult","features":[68]},{"name":"IGattLocalCharacteristic","features":[68]},{"name":"IGattLocalCharacteristicParameters","features":[68]},{"name":"IGattLocalCharacteristicResult","features":[68]},{"name":"IGattLocalDescriptor","features":[68]},{"name":"IGattLocalDescriptorParameters","features":[68]},{"name":"IGattLocalDescriptorResult","features":[68]},{"name":"IGattLocalService","features":[68]},{"name":"IGattPresentationFormat","features":[68]},{"name":"IGattPresentationFormatStatics","features":[68]},{"name":"IGattPresentationFormatStatics2","features":[68]},{"name":"IGattPresentationFormatTypesStatics","features":[68]},{"name":"IGattProtocolErrorStatics","features":[68]},{"name":"IGattReadClientCharacteristicConfigurationDescriptorResult","features":[68]},{"name":"IGattReadClientCharacteristicConfigurationDescriptorResult2","features":[68]},{"name":"IGattReadRequest","features":[68]},{"name":"IGattReadRequestedEventArgs","features":[68]},{"name":"IGattReadResult","features":[68]},{"name":"IGattReadResult2","features":[68]},{"name":"IGattReliableWriteTransaction","features":[68]},{"name":"IGattReliableWriteTransaction2","features":[68]},{"name":"IGattRequestStateChangedEventArgs","features":[68]},{"name":"IGattServiceProvider","features":[68]},{"name":"IGattServiceProviderAdvertisementStatusChangedEventArgs","features":[68]},{"name":"IGattServiceProviderAdvertisingParameters","features":[68]},{"name":"IGattServiceProviderAdvertisingParameters2","features":[68]},{"name":"IGattServiceProviderResult","features":[68]},{"name":"IGattServiceProviderStatics","features":[68]},{"name":"IGattServiceUuidsStatics","features":[68]},{"name":"IGattServiceUuidsStatics2","features":[68]},{"name":"IGattSession","features":[68]},{"name":"IGattSessionStatics","features":[68]},{"name":"IGattSessionStatusChangedEventArgs","features":[68]},{"name":"IGattSubscribedClient","features":[68]},{"name":"IGattValueChangedEventArgs","features":[68]},{"name":"IGattWriteRequest","features":[68]},{"name":"IGattWriteRequestedEventArgs","features":[68]},{"name":"IGattWriteResult","features":[68]}],"71":[{"name":"IRfcommDeviceService","features":[69]},{"name":"IRfcommDeviceService2","features":[69]},{"name":"IRfcommDeviceService3","features":[69]},{"name":"IRfcommDeviceServiceStatics","features":[69]},{"name":"IRfcommDeviceServiceStatics2","features":[69]},{"name":"IRfcommDeviceServicesResult","features":[69]},{"name":"IRfcommServiceId","features":[69]},{"name":"IRfcommServiceIdStatics","features":[69]},{"name":"IRfcommServiceProvider","features":[69]},{"name":"IRfcommServiceProvider2","features":[69]},{"name":"IRfcommServiceProviderStatics","features":[69]},{"name":"RfcommDeviceService","features":[69]},{"name":"RfcommDeviceServicesResult","features":[69]},{"name":"RfcommServiceId","features":[69]},{"name":"RfcommServiceProvider","features":[69]}],"72":[{"name":"CustomDevice","features":[70]},{"name":"CustomDeviceContract","features":[70]},{"name":"DeviceAccessMode","features":[70]},{"name":"DeviceSharingMode","features":[70]},{"name":"ICustomDevice","features":[70]},{"name":"ICustomDeviceStatics","features":[70]},{"name":"IIOControlCode","features":[70]},{"name":"IIOControlCodeFactory","features":[70]},{"name":"IKnownDeviceTypesStatics","features":[70]},{"name":"IOControlAccessMode","features":[70]},{"name":"IOControlBufferingMethod","features":[70]},{"name":"IOControlCode","features":[70]},{"name":"KnownDeviceTypes","features":[70]}],"73":[{"name":"DisplayMonitor","features":[71]},{"name":"DisplayMonitorConnectionKind","features":[71]},{"name":"DisplayMonitorDescriptorKind","features":[71]},{"name":"DisplayMonitorPhysicalConnectorKind","features":[71]},{"name":"DisplayMonitorUsageKind","features":[71]},{"name":"IDisplayMonitor","features":[71]},{"name":"IDisplayMonitor2","features":[71]},{"name":"IDisplayMonitorStatics","features":[71]}],"74":[{"name":"DisplayAdapter","features":[72]},{"name":"DisplayBitsPerChannel","features":[72]},{"name":"DisplayDevice","features":[72]},{"name":"DisplayDeviceCapability","features":[72]},{"name":"DisplayFence","features":[72]},{"name":"DisplayManager","features":[72]},{"name":"DisplayManagerChangedEventArgs","features":[72]},{"name":"DisplayManagerDisabledEventArgs","features":[72]},{"name":"DisplayManagerEnabledEventArgs","features":[72]},{"name":"DisplayManagerOptions","features":[72]},{"name":"DisplayManagerPathsFailedOrInvalidatedEventArgs","features":[72]},{"name":"DisplayManagerResult","features":[72]},{"name":"DisplayManagerResultWithState","features":[72]},{"name":"DisplayModeInfo","features":[72]},{"name":"DisplayModeQueryOptions","features":[72]},{"name":"DisplayPath","features":[72]},{"name":"DisplayPathScaling","features":[72]},{"name":"DisplayPathStatus","features":[72]},{"name":"DisplayPresentStatus","features":[72]},{"name":"DisplayPresentationRate","features":[72,73]},{"name":"DisplayPrimaryDescription","features":[72]},{"name":"DisplayRotation","features":[72]},{"name":"DisplayScanout","features":[72]},{"name":"DisplayScanoutOptions","features":[72]},{"name":"DisplaySource","features":[72]},{"name":"DisplaySourceStatus","features":[72]},{"name":"DisplayState","features":[72]},{"name":"DisplayStateApplyOptions","features":[72]},{"name":"DisplayStateFunctionalizeOptions","features":[72]},{"name":"DisplayStateOperationResult","features":[72]},{"name":"DisplayStateOperationStatus","features":[72]},{"name":"DisplaySurface","features":[72]},{"name":"DisplayTarget","features":[72]},{"name":"DisplayTargetPersistence","features":[72]},{"name":"DisplayTask","features":[72]},{"name":"DisplayTaskPool","features":[72]},{"name":"DisplayTaskResult","features":[72]},{"name":"DisplayTaskSignalKind","features":[72]},{"name":"DisplayView","features":[72]},{"name":"DisplayWireFormat","features":[72]},{"name":"DisplayWireFormatColorSpace","features":[72]},{"name":"DisplayWireFormatEotf","features":[72]},{"name":"DisplayWireFormatHdrMetadata","features":[72]},{"name":"DisplayWireFormatPixelEncoding","features":[72]},{"name":"IDisplayAdapter","features":[72]},{"name":"IDisplayAdapterStatics","features":[72]},{"name":"IDisplayDevice","features":[72]},{"name":"IDisplayDevice2","features":[72]},{"name":"IDisplayFence","features":[72]},{"name":"IDisplayManager","features":[72]},{"name":"IDisplayManagerChangedEventArgs","features":[72]},{"name":"IDisplayManagerDisabledEventArgs","features":[72]},{"name":"IDisplayManagerEnabledEventArgs","features":[72]},{"name":"IDisplayManagerPathsFailedOrInvalidatedEventArgs","features":[72]},{"name":"IDisplayManagerResultWithState","features":[72]},{"name":"IDisplayManagerStatics","features":[72]},{"name":"IDisplayModeInfo","features":[72]},{"name":"IDisplayModeInfo2","features":[72]},{"name":"IDisplayPath","features":[72]},{"name":"IDisplayPath2","features":[72]},{"name":"IDisplayPrimaryDescription","features":[72]},{"name":"IDisplayPrimaryDescriptionFactory","features":[72]},{"name":"IDisplayPrimaryDescriptionStatics","features":[72]},{"name":"IDisplayScanout","features":[72]},{"name":"IDisplaySource","features":[72]},{"name":"IDisplaySource2","features":[72]},{"name":"IDisplayState","features":[72]},{"name":"IDisplayStateOperationResult","features":[72]},{"name":"IDisplaySurface","features":[72]},{"name":"IDisplayTarget","features":[72]},{"name":"IDisplayTask","features":[72]},{"name":"IDisplayTask2","features":[72]},{"name":"IDisplayTaskPool","features":[72]},{"name":"IDisplayTaskPool2","features":[72]},{"name":"IDisplayTaskResult","features":[72]},{"name":"IDisplayView","features":[72]},{"name":"IDisplayWireFormat","features":[72]},{"name":"IDisplayWireFormatFactory","features":[72]},{"name":"IDisplayWireFormatStatics","features":[72]}],"75":[{"name":"DeviceAccessChangedEventArgs","features":[74]},{"name":"DeviceAccessInformation","features":[74]},{"name":"DeviceAccessStatus","features":[74]},{"name":"DeviceClass","features":[74]},{"name":"DeviceConnectionChangeTriggerDetails","features":[74]},{"name":"DeviceDisconnectButtonClickedEventArgs","features":[74]},{"name":"DeviceInformation","features":[74]},{"name":"DeviceInformationCollection","features":[74,37]},{"name":"DeviceInformationCustomPairing","features":[74]},{"name":"DeviceInformationKind","features":[74]},{"name":"DeviceInformationPairing","features":[74]},{"name":"DeviceInformationUpdate","features":[74]},{"name":"DevicePairingKinds","features":[74]},{"name":"DevicePairingProtectionLevel","features":[74]},{"name":"DevicePairingRequestedEventArgs","features":[74]},{"name":"DevicePairingResult","features":[74]},{"name":"DevicePairingResultStatus","features":[74]},{"name":"DevicePicker","features":[74]},{"name":"DevicePickerAppearance","features":[74]},{"name":"DevicePickerDisplayStatusOptions","features":[74]},{"name":"DevicePickerFilter","features":[74]},{"name":"DeviceSelectedEventArgs","features":[74]},{"name":"DeviceThumbnail","features":[74,75]},{"name":"DeviceUnpairingResult","features":[74]},{"name":"DeviceUnpairingResultStatus","features":[74]},{"name":"DeviceWatcher","features":[74]},{"name":"DeviceWatcherEvent","features":[74]},{"name":"DeviceWatcherEventKind","features":[74]},{"name":"DeviceWatcherStatus","features":[74]},{"name":"DeviceWatcherTriggerDetails","features":[74]},{"name":"EnclosureLocation","features":[74]},{"name":"IDeviceAccessChangedEventArgs","features":[74]},{"name":"IDeviceAccessChangedEventArgs2","features":[74]},{"name":"IDeviceAccessInformation","features":[74]},{"name":"IDeviceAccessInformationStatics","features":[74]},{"name":"IDeviceConnectionChangeTriggerDetails","features":[74]},{"name":"IDeviceDisconnectButtonClickedEventArgs","features":[74]},{"name":"IDeviceInformation","features":[74]},{"name":"IDeviceInformation2","features":[74]},{"name":"IDeviceInformationCustomPairing","features":[74]},{"name":"IDeviceInformationPairing","features":[74]},{"name":"IDeviceInformationPairing2","features":[74]},{"name":"IDeviceInformationPairingStatics","features":[74]},{"name":"IDeviceInformationPairingStatics2","features":[74]},{"name":"IDeviceInformationStatics","features":[74]},{"name":"IDeviceInformationStatics2","features":[74]},{"name":"IDeviceInformationUpdate","features":[74]},{"name":"IDeviceInformationUpdate2","features":[74]},{"name":"IDevicePairingRequestedEventArgs","features":[74]},{"name":"IDevicePairingRequestedEventArgs2","features":[74]},{"name":"IDevicePairingResult","features":[74]},{"name":"IDevicePairingSettings","features":[74]},{"name":"IDevicePicker","features":[74]},{"name":"IDevicePickerAppearance","features":[74]},{"name":"IDevicePickerFilter","features":[74]},{"name":"IDeviceSelectedEventArgs","features":[74]},{"name":"IDeviceUnpairingResult","features":[74]},{"name":"IDeviceWatcher","features":[74]},{"name":"IDeviceWatcher2","features":[74]},{"name":"IDeviceWatcherEvent","features":[74]},{"name":"IDeviceWatcherTriggerDetails","features":[74]},{"name":"IEnclosureLocation","features":[74]},{"name":"IEnclosureLocation2","features":[74]},{"name":"Panel","features":[74]}],"76":[{"name":"IPnpObject","features":[76]},{"name":"IPnpObjectStatics","features":[76]},{"name":"IPnpObjectUpdate","features":[76]},{"name":"IPnpObjectWatcher","features":[76]},{"name":"PnpObject","features":[76]},{"name":"PnpObjectCollection","features":[76,37]},{"name":"PnpObjectType","features":[76]},{"name":"PnpObjectUpdate","features":[76]},{"name":"PnpObjectWatcher","features":[76]}],"77":[{"name":"AltitudeReferenceSystem","features":[77]},{"name":"BasicGeoposition","features":[77]},{"name":"CivicAddress","features":[77]},{"name":"GeoboundingBox","features":[77]},{"name":"Geocircle","features":[77]},{"name":"Geocoordinate","features":[77]},{"name":"GeocoordinateSatelliteData","features":[77]},{"name":"GeolocationAccessStatus","features":[77]},{"name":"Geolocator","features":[77]},{"name":"Geopath","features":[77]},{"name":"Geopoint","features":[77]},{"name":"Geoposition","features":[77]},{"name":"GeoshapeType","features":[77]},{"name":"Geovisit","features":[77]},{"name":"GeovisitMonitor","features":[77]},{"name":"GeovisitStateChangedEventArgs","features":[77]},{"name":"GeovisitTriggerDetails","features":[77]},{"name":"ICivicAddress","features":[77]},{"name":"IGeoboundingBox","features":[77]},{"name":"IGeoboundingBoxFactory","features":[77]},{"name":"IGeoboundingBoxStatics","features":[77]},{"name":"IGeocircle","features":[77]},{"name":"IGeocircleFactory","features":[77]},{"name":"IGeocoordinate","features":[77]},{"name":"IGeocoordinateSatelliteData","features":[77]},{"name":"IGeocoordinateSatelliteData2","features":[77]},{"name":"IGeocoordinateWithPoint","features":[77]},{"name":"IGeocoordinateWithPositionData","features":[77]},{"name":"IGeocoordinateWithPositionSourceTimestamp","features":[77]},{"name":"IGeocoordinateWithRemoteSource","features":[77]},{"name":"IGeolocator","features":[77]},{"name":"IGeolocator2","features":[77]},{"name":"IGeolocatorStatics","features":[77]},{"name":"IGeolocatorStatics2","features":[77]},{"name":"IGeolocatorWithScalarAccuracy","features":[77]},{"name":"IGeopath","features":[77]},{"name":"IGeopathFactory","features":[77]},{"name":"IGeopoint","features":[77]},{"name":"IGeopointFactory","features":[77]},{"name":"IGeoposition","features":[77]},{"name":"IGeoposition2","features":[77]},{"name":"IGeoshape","features":[77]},{"name":"IGeovisit","features":[77]},{"name":"IGeovisitMonitor","features":[77]},{"name":"IGeovisitMonitorStatics","features":[77]},{"name":"IGeovisitStateChangedEventArgs","features":[77]},{"name":"IGeovisitTriggerDetails","features":[77]},{"name":"IPositionChangedEventArgs","features":[77]},{"name":"IStatusChangedEventArgs","features":[77]},{"name":"IVenueData","features":[77]},{"name":"PositionAccuracy","features":[77]},{"name":"PositionChangedEventArgs","features":[77]},{"name":"PositionSource","features":[77]},{"name":"PositionStatus","features":[77]},{"name":"StatusChangedEventArgs","features":[77]},{"name":"VenueData","features":[77]},{"name":"VisitMonitoringScope","features":[77]},{"name":"VisitStateChange","features":[77]}],"78":[{"name":"Geofence","features":[78]},{"name":"GeofenceMonitor","features":[78]},{"name":"GeofenceMonitorStatus","features":[78]},{"name":"GeofenceRemovalReason","features":[78]},{"name":"GeofenceState","features":[78]},{"name":"GeofenceStateChangeReport","features":[78]},{"name":"IGeofence","features":[78]},{"name":"IGeofenceFactory","features":[78]},{"name":"IGeofenceMonitor","features":[78]},{"name":"IGeofenceMonitorStatics","features":[78]},{"name":"IGeofenceStateChangeReport","features":[78]},{"name":"MonitoredGeofenceStates","features":[78]}],"79":[{"name":"GeolocationProvider","features":[79]},{"name":"IGeolocationProvider","features":[79]},{"name":"LocationOverrideStatus","features":[79]}],"80":[{"name":"GpioChangeCount","features":[80,81]},{"name":"GpioChangeCounter","features":[80]},{"name":"GpioChangePolarity","features":[80]},{"name":"GpioChangeReader","features":[80]},{"name":"GpioChangeRecord","features":[80,81]},{"name":"GpioController","features":[80]},{"name":"GpioOpenStatus","features":[80]},{"name":"GpioPin","features":[80]},{"name":"GpioPinDriveMode","features":[80]},{"name":"GpioPinEdge","features":[80]},{"name":"GpioPinValue","features":[80]},{"name":"GpioPinValueChangedEventArgs","features":[80]},{"name":"GpioSharingMode","features":[80]},{"name":"IGpioChangeCounter","features":[80]},{"name":"IGpioChangeCounterFactory","features":[80]},{"name":"IGpioChangeReader","features":[80]},{"name":"IGpioChangeReaderFactory","features":[80]},{"name":"IGpioController","features":[80]},{"name":"IGpioControllerStatics","features":[80]},{"name":"IGpioControllerStatics2","features":[80]},{"name":"IGpioPin","features":[80]},{"name":"IGpioPinValueChangedEventArgs","features":[80]}],"81":[{"name":"GpioPinProviderValueChangedEventArgs","features":[82]},{"name":"IGpioControllerProvider","features":[82]},{"name":"IGpioPinProvider","features":[82]},{"name":"IGpioPinProviderValueChangedEventArgs","features":[82]},{"name":"IGpioPinProviderValueChangedEventArgsFactory","features":[82]},{"name":"IGpioProvider","features":[82]},{"name":"ProviderGpioPinDriveMode","features":[82]},{"name":"ProviderGpioPinEdge","features":[82]},{"name":"ProviderGpioPinValue","features":[82]},{"name":"ProviderGpioSharingMode","features":[82]}],"82":[{"name":"IKnownSimpleHapticsControllerWaveformsStatics","features":[83]},{"name":"IKnownSimpleHapticsControllerWaveformsStatics2","features":[83]},{"name":"ISimpleHapticsController","features":[83]},{"name":"ISimpleHapticsControllerFeedback","features":[83]},{"name":"IVibrationDevice","features":[83]},{"name":"IVibrationDeviceStatics","features":[83]},{"name":"KnownSimpleHapticsControllerWaveforms","features":[83]},{"name":"SimpleHapticsController","features":[83]},{"name":"SimpleHapticsControllerFeedback","features":[83]},{"name":"VibrationAccessStatus","features":[83]},{"name":"VibrationDevice","features":[83]}],"83":[{"name":"HidBooleanControl","features":[84]},{"name":"HidBooleanControlDescription","features":[84]},{"name":"HidCollection","features":[84]},{"name":"HidCollectionType","features":[84]},{"name":"HidDevice","features":[84]},{"name":"HidFeatureReport","features":[84]},{"name":"HidInputReport","features":[84]},{"name":"HidInputReportReceivedEventArgs","features":[84]},{"name":"HidNumericControl","features":[84]},{"name":"HidNumericControlDescription","features":[84]},{"name":"HidOutputReport","features":[84]},{"name":"HidReportType","features":[84]},{"name":"IHidBooleanControl","features":[84]},{"name":"IHidBooleanControlDescription","features":[84]},{"name":"IHidBooleanControlDescription2","features":[84]},{"name":"IHidCollection","features":[84]},{"name":"IHidDevice","features":[84]},{"name":"IHidDeviceStatics","features":[84]},{"name":"IHidFeatureReport","features":[84]},{"name":"IHidInputReport","features":[84]},{"name":"IHidInputReportReceivedEventArgs","features":[84]},{"name":"IHidNumericControl","features":[84]},{"name":"IHidNumericControlDescription","features":[84]},{"name":"IHidOutputReport","features":[84]}],"84":[{"name":"I2cBusSpeed","features":[85]},{"name":"I2cConnectionSettings","features":[85]},{"name":"I2cController","features":[85]},{"name":"I2cDevice","features":[85]},{"name":"I2cSharingMode","features":[85]},{"name":"I2cTransferResult","features":[85]},{"name":"I2cTransferStatus","features":[85]},{"name":"II2cConnectionSettings","features":[85]},{"name":"II2cConnectionSettingsFactory","features":[85]},{"name":"II2cController","features":[85]},{"name":"II2cControllerStatics","features":[85]},{"name":"II2cDevice","features":[85]},{"name":"II2cDeviceStatics","features":[85]}],"85":[{"name":"II2cControllerProvider","features":[86]},{"name":"II2cDeviceProvider","features":[86]},{"name":"II2cProvider","features":[86]},{"name":"IProviderI2cConnectionSettings","features":[86]},{"name":"ProviderI2cBusSpeed","features":[86]},{"name":"ProviderI2cConnectionSettings","features":[86]},{"name":"ProviderI2cSharingMode","features":[86]},{"name":"ProviderI2cTransferResult","features":[86]},{"name":"ProviderI2cTransferStatus","features":[86]}],"86":[{"name":"IKeyboardCapabilities","features":[87]},{"name":"IMouseCapabilities","features":[87]},{"name":"IMouseDevice","features":[87]},{"name":"IMouseDeviceStatics","features":[87]},{"name":"IMouseEventArgs","features":[87]},{"name":"IPenButtonListener","features":[87]},{"name":"IPenButtonListenerStatics","features":[87]},{"name":"IPenDevice","features":[87]},{"name":"IPenDevice2","features":[87]},{"name":"IPenDeviceStatics","features":[87]},{"name":"IPenDockListener","features":[87]},{"name":"IPenDockListenerStatics","features":[87]},{"name":"IPenDockedEventArgs","features":[87]},{"name":"IPenTailButtonClickedEventArgs","features":[87]},{"name":"IPenTailButtonDoubleClickedEventArgs","features":[87]},{"name":"IPenTailButtonLongPressedEventArgs","features":[87]},{"name":"IPenUndockedEventArgs","features":[87]},{"name":"IPointerDevice","features":[87]},{"name":"IPointerDevice2","features":[87]},{"name":"IPointerDeviceStatics","features":[87]},{"name":"ITouchCapabilities","features":[87]},{"name":"KeyboardCapabilities","features":[87]},{"name":"MouseCapabilities","features":[87]},{"name":"MouseDelta","features":[87]},{"name":"MouseDevice","features":[87]},{"name":"MouseEventArgs","features":[87]},{"name":"PenButtonListener","features":[87]},{"name":"PenDevice","features":[87]},{"name":"PenDockListener","features":[87]},{"name":"PenDockedEventArgs","features":[87]},{"name":"PenTailButtonClickedEventArgs","features":[87]},{"name":"PenTailButtonDoubleClickedEventArgs","features":[87]},{"name":"PenTailButtonLongPressedEventArgs","features":[87]},{"name":"PenUndockedEventArgs","features":[87]},{"name":"PointerDevice","features":[87]},{"name":"PointerDeviceType","features":[87]},{"name":"PointerDeviceUsage","features":[87]},{"name":"TouchCapabilities","features":[87]}],"87":[{"name":"GazeDeviceConfigurationStatePreview","features":[88]},{"name":"GazeDevicePreview","features":[88]},{"name":"GazeDeviceWatcherAddedPreviewEventArgs","features":[88]},{"name":"GazeDeviceWatcherPreview","features":[88]},{"name":"GazeDeviceWatcherRemovedPreviewEventArgs","features":[88]},{"name":"GazeDeviceWatcherUpdatedPreviewEventArgs","features":[88]},{"name":"GazeEnteredPreviewEventArgs","features":[88]},{"name":"GazeExitedPreviewEventArgs","features":[88]},{"name":"GazeInputSourcePreview","features":[88]},{"name":"GazeMovedPreviewEventArgs","features":[88]},{"name":"GazePointPreview","features":[88]},{"name":"IGazeDevicePreview","features":[88]},{"name":"IGazeDeviceWatcherAddedPreviewEventArgs","features":[88]},{"name":"IGazeDeviceWatcherPreview","features":[88]},{"name":"IGazeDeviceWatcherRemovedPreviewEventArgs","features":[88]},{"name":"IGazeDeviceWatcherUpdatedPreviewEventArgs","features":[88]},{"name":"IGazeEnteredPreviewEventArgs","features":[88]},{"name":"IGazeExitedPreviewEventArgs","features":[88]},{"name":"IGazeInputSourcePreview","features":[88]},{"name":"IGazeInputSourcePreviewStatics","features":[88]},{"name":"IGazeMovedPreviewEventArgs","features":[88]},{"name":"IGazePointPreview","features":[88]}],"88":[{"name":"ILamp","features":[89]},{"name":"ILampArray","features":[89]},{"name":"ILampArray2","features":[89]},{"name":"ILampArrayStatics","features":[89]},{"name":"ILampAvailabilityChangedEventArgs","features":[89]},{"name":"ILampInfo","features":[89]},{"name":"ILampStatics","features":[89]},{"name":"Lamp","features":[89]},{"name":"LampArray","features":[89]},{"name":"LampArrayKind","features":[89]},{"name":"LampAvailabilityChangedEventArgs","features":[89]},{"name":"LampInfo","features":[89]},{"name":"LampPurposes","features":[89]}],"89":[{"name":"ILampArrayBitmapEffect","features":[90]},{"name":"ILampArrayBitmapEffectFactory","features":[90]},{"name":"ILampArrayBitmapRequestedEventArgs","features":[90]},{"name":"ILampArrayBlinkEffect","features":[90]},{"name":"ILampArrayBlinkEffectFactory","features":[90]},{"name":"ILampArrayColorRampEffect","features":[90]},{"name":"ILampArrayColorRampEffectFactory","features":[90]},{"name":"ILampArrayCustomEffect","features":[90]},{"name":"ILampArrayCustomEffectFactory","features":[90]},{"name":"ILampArrayEffect","features":[90]},{"name":"ILampArrayEffectPlaylist","features":[90]},{"name":"ILampArrayEffectPlaylistStatics","features":[90]},{"name":"ILampArraySolidEffect","features":[90]},{"name":"ILampArraySolidEffectFactory","features":[90]},{"name":"ILampArrayUpdateRequestedEventArgs","features":[90]},{"name":"LampArrayBitmapEffect","features":[90]},{"name":"LampArrayBitmapRequestedEventArgs","features":[90]},{"name":"LampArrayBlinkEffect","features":[90]},{"name":"LampArrayColorRampEffect","features":[90]},{"name":"LampArrayCustomEffect","features":[90]},{"name":"LampArrayEffectCompletionBehavior","features":[90]},{"name":"LampArrayEffectPlaylist","features":[90]},{"name":"LampArrayEffectStartMode","features":[90]},{"name":"LampArrayRepetitionMode","features":[90]},{"name":"LampArraySolidEffect","features":[90]},{"name":"LampArrayUpdateRequestedEventArgs","features":[90]}],"90":[{"name":"IMidiChannelPressureMessage","features":[91]},{"name":"IMidiChannelPressureMessageFactory","features":[91]},{"name":"IMidiControlChangeMessage","features":[91]},{"name":"IMidiControlChangeMessageFactory","features":[91]},{"name":"IMidiInPort","features":[91]},{"name":"IMidiInPortStatics","features":[91]},{"name":"IMidiMessage","features":[91]},{"name":"IMidiMessageReceivedEventArgs","features":[91]},{"name":"IMidiNoteOffMessage","features":[91]},{"name":"IMidiNoteOffMessageFactory","features":[91]},{"name":"IMidiNoteOnMessage","features":[91]},{"name":"IMidiNoteOnMessageFactory","features":[91]},{"name":"IMidiOutPort","features":[91]},{"name":"IMidiOutPortStatics","features":[91]},{"name":"IMidiPitchBendChangeMessage","features":[91]},{"name":"IMidiPitchBendChangeMessageFactory","features":[91]},{"name":"IMidiPolyphonicKeyPressureMessage","features":[91]},{"name":"IMidiPolyphonicKeyPressureMessageFactory","features":[91]},{"name":"IMidiProgramChangeMessage","features":[91]},{"name":"IMidiProgramChangeMessageFactory","features":[91]},{"name":"IMidiSongPositionPointerMessage","features":[91]},{"name":"IMidiSongPositionPointerMessageFactory","features":[91]},{"name":"IMidiSongSelectMessage","features":[91]},{"name":"IMidiSongSelectMessageFactory","features":[91]},{"name":"IMidiSynthesizer","features":[91]},{"name":"IMidiSynthesizerStatics","features":[91]},{"name":"IMidiSystemExclusiveMessageFactory","features":[91]},{"name":"IMidiTimeCodeMessage","features":[91]},{"name":"IMidiTimeCodeMessageFactory","features":[91]},{"name":"MidiActiveSensingMessage","features":[91]},{"name":"MidiChannelPressureMessage","features":[91]},{"name":"MidiContinueMessage","features":[91]},{"name":"MidiControlChangeMessage","features":[91]},{"name":"MidiInPort","features":[91]},{"name":"MidiMessageReceivedEventArgs","features":[91]},{"name":"MidiMessageType","features":[91]},{"name":"MidiNoteOffMessage","features":[91]},{"name":"MidiNoteOnMessage","features":[91]},{"name":"MidiOutPort","features":[91]},{"name":"MidiPitchBendChangeMessage","features":[91]},{"name":"MidiPolyphonicKeyPressureMessage","features":[91]},{"name":"MidiProgramChangeMessage","features":[91]},{"name":"MidiSongPositionPointerMessage","features":[91]},{"name":"MidiSongSelectMessage","features":[91]},{"name":"MidiStartMessage","features":[91]},{"name":"MidiStopMessage","features":[91]},{"name":"MidiSynthesizer","features":[91]},{"name":"MidiSystemExclusiveMessage","features":[91]},{"name":"MidiSystemResetMessage","features":[91]},{"name":"MidiTimeCodeMessage","features":[91]},{"name":"MidiTimingClockMessage","features":[91]},{"name":"MidiTuneRequestMessage","features":[91]}],"93":[{"name":"BarcodeScanner","features":[92]},{"name":"BarcodeScannerCapabilities","features":[92]},{"name":"BarcodeScannerDataReceivedEventArgs","features":[92]},{"name":"BarcodeScannerErrorOccurredEventArgs","features":[92]},{"name":"BarcodeScannerImagePreviewReceivedEventArgs","features":[92]},{"name":"BarcodeScannerReport","features":[92]},{"name":"BarcodeScannerStatus","features":[92]},{"name":"BarcodeScannerStatusUpdatedEventArgs","features":[92]},{"name":"BarcodeSymbologies","features":[92]},{"name":"BarcodeSymbologyAttributes","features":[92]},{"name":"BarcodeSymbologyDecodeLengthKind","features":[92]},{"name":"CashDrawer","features":[92]},{"name":"CashDrawerCapabilities","features":[92]},{"name":"CashDrawerCloseAlarm","features":[92]},{"name":"CashDrawerClosedEventArgs","features":[92]},{"name":"CashDrawerEventSource","features":[92]},{"name":"CashDrawerOpenedEventArgs","features":[92]},{"name":"CashDrawerStatus","features":[92]},{"name":"CashDrawerStatusKind","features":[92]},{"name":"CashDrawerStatusUpdatedEventArgs","features":[92]},{"name":"ClaimedBarcodeScanner","features":[92]},{"name":"ClaimedBarcodeScannerClosedEventArgs","features":[92]},{"name":"ClaimedCashDrawer","features":[92]},{"name":"ClaimedCashDrawerClosedEventArgs","features":[92]},{"name":"ClaimedJournalPrinter","features":[92]},{"name":"ClaimedLineDisplay","features":[92]},{"name":"ClaimedLineDisplayClosedEventArgs","features":[92]},{"name":"ClaimedMagneticStripeReader","features":[92]},{"name":"ClaimedMagneticStripeReaderClosedEventArgs","features":[92]},{"name":"ClaimedPosPrinter","features":[92]},{"name":"ClaimedPosPrinterClosedEventArgs","features":[92]},{"name":"ClaimedReceiptPrinter","features":[92]},{"name":"ClaimedSlipPrinter","features":[92]},{"name":"IBarcodeScanner","features":[92]},{"name":"IBarcodeScanner2","features":[92]},{"name":"IBarcodeScannerCapabilities","features":[92]},{"name":"IBarcodeScannerCapabilities1","features":[92]},{"name":"IBarcodeScannerCapabilities2","features":[92]},{"name":"IBarcodeScannerDataReceivedEventArgs","features":[92]},{"name":"IBarcodeScannerErrorOccurredEventArgs","features":[92]},{"name":"IBarcodeScannerImagePreviewReceivedEventArgs","features":[92]},{"name":"IBarcodeScannerReport","features":[92]},{"name":"IBarcodeScannerReportFactory","features":[92]},{"name":"IBarcodeScannerStatics","features":[92]},{"name":"IBarcodeScannerStatics2","features":[92]},{"name":"IBarcodeScannerStatusUpdatedEventArgs","features":[92]},{"name":"IBarcodeSymbologiesStatics","features":[92]},{"name":"IBarcodeSymbologiesStatics2","features":[92]},{"name":"IBarcodeSymbologyAttributes","features":[92]},{"name":"ICashDrawer","features":[92]},{"name":"ICashDrawerCapabilities","features":[92]},{"name":"ICashDrawerCloseAlarm","features":[92]},{"name":"ICashDrawerEventSource","features":[92]},{"name":"ICashDrawerEventSourceEventArgs","features":[92]},{"name":"ICashDrawerStatics","features":[92]},{"name":"ICashDrawerStatics2","features":[92]},{"name":"ICashDrawerStatus","features":[92]},{"name":"ICashDrawerStatusUpdatedEventArgs","features":[92]},{"name":"IClaimedBarcodeScanner","features":[92]},{"name":"IClaimedBarcodeScanner1","features":[92]},{"name":"IClaimedBarcodeScanner2","features":[92]},{"name":"IClaimedBarcodeScanner3","features":[92]},{"name":"IClaimedBarcodeScanner4","features":[92]},{"name":"IClaimedBarcodeScannerClosedEventArgs","features":[92]},{"name":"IClaimedCashDrawer","features":[92]},{"name":"IClaimedCashDrawer2","features":[92]},{"name":"IClaimedCashDrawerClosedEventArgs","features":[92]},{"name":"IClaimedJournalPrinter","features":[92]},{"name":"IClaimedLineDisplay","features":[92]},{"name":"IClaimedLineDisplay2","features":[92]},{"name":"IClaimedLineDisplay3","features":[92]},{"name":"IClaimedLineDisplayClosedEventArgs","features":[92]},{"name":"IClaimedLineDisplayStatics","features":[92]},{"name":"IClaimedMagneticStripeReader","features":[92]},{"name":"IClaimedMagneticStripeReader2","features":[92]},{"name":"IClaimedMagneticStripeReaderClosedEventArgs","features":[92]},{"name":"IClaimedPosPrinter","features":[92]},{"name":"IClaimedPosPrinter2","features":[92]},{"name":"IClaimedPosPrinterClosedEventArgs","features":[92]},{"name":"IClaimedReceiptPrinter","features":[92]},{"name":"IClaimedSlipPrinter","features":[92]},{"name":"ICommonClaimedPosPrinterStation","features":[92]},{"name":"ICommonPosPrintStationCapabilities","features":[92]},{"name":"ICommonReceiptSlipCapabilities","features":[92]},{"name":"IJournalPrintJob","features":[92]},{"name":"IJournalPrinterCapabilities","features":[92]},{"name":"IJournalPrinterCapabilities2","features":[92]},{"name":"ILineDisplay","features":[92]},{"name":"ILineDisplay2","features":[92]},{"name":"ILineDisplayAttributes","features":[92]},{"name":"ILineDisplayCapabilities","features":[92]},{"name":"ILineDisplayCursor","features":[92]},{"name":"ILineDisplayCursorAttributes","features":[92]},{"name":"ILineDisplayCustomGlyphs","features":[92]},{"name":"ILineDisplayMarquee","features":[92]},{"name":"ILineDisplayStatics","features":[92]},{"name":"ILineDisplayStatics2","features":[92]},{"name":"ILineDisplayStatisticsCategorySelector","features":[92]},{"name":"ILineDisplayStatusUpdatedEventArgs","features":[92]},{"name":"ILineDisplayStoredBitmap","features":[92]},{"name":"ILineDisplayWindow","features":[92]},{"name":"ILineDisplayWindow2","features":[92]},{"name":"IMagneticStripeReader","features":[92]},{"name":"IMagneticStripeReaderAamvaCardDataReceivedEventArgs","features":[92]},{"name":"IMagneticStripeReaderBankCardDataReceivedEventArgs","features":[92]},{"name":"IMagneticStripeReaderCapabilities","features":[92]},{"name":"IMagneticStripeReaderCardTypesStatics","features":[92]},{"name":"IMagneticStripeReaderEncryptionAlgorithmsStatics","features":[92]},{"name":"IMagneticStripeReaderErrorOccurredEventArgs","features":[92]},{"name":"IMagneticStripeReaderReport","features":[92]},{"name":"IMagneticStripeReaderStatics","features":[92]},{"name":"IMagneticStripeReaderStatics2","features":[92]},{"name":"IMagneticStripeReaderStatusUpdatedEventArgs","features":[92]},{"name":"IMagneticStripeReaderTrackData","features":[92]},{"name":"IMagneticStripeReaderVendorSpecificCardDataReceivedEventArgs","features":[92]},{"name":"IPosPrinter","features":[92]},{"name":"IPosPrinter2","features":[92]},{"name":"IPosPrinterCapabilities","features":[92]},{"name":"IPosPrinterCharacterSetIdsStatics","features":[92]},{"name":"IPosPrinterFontProperty","features":[92]},{"name":"IPosPrinterJob","features":[92]},{"name":"IPosPrinterPrintOptions","features":[92]},{"name":"IPosPrinterReleaseDeviceRequestedEventArgs","features":[92]},{"name":"IPosPrinterStatics","features":[92]},{"name":"IPosPrinterStatics2","features":[92]},{"name":"IPosPrinterStatus","features":[92]},{"name":"IPosPrinterStatusUpdatedEventArgs","features":[92]},{"name":"IReceiptOrSlipJob","features":[92]},{"name":"IReceiptPrintJob","features":[92]},{"name":"IReceiptPrintJob2","features":[92]},{"name":"IReceiptPrinterCapabilities","features":[92]},{"name":"IReceiptPrinterCapabilities2","features":[92]},{"name":"ISlipPrintJob","features":[92]},{"name":"ISlipPrinterCapabilities","features":[92]},{"name":"ISlipPrinterCapabilities2","features":[92]},{"name":"IUnifiedPosErrorData","features":[92]},{"name":"IUnifiedPosErrorDataFactory","features":[92]},{"name":"JournalPrintJob","features":[92]},{"name":"JournalPrinterCapabilities","features":[92]},{"name":"LineDisplay","features":[92]},{"name":"LineDisplayAttributes","features":[92]},{"name":"LineDisplayCapabilities","features":[92]},{"name":"LineDisplayCursor","features":[92]},{"name":"LineDisplayCursorAttributes","features":[92]},{"name":"LineDisplayCursorType","features":[92]},{"name":"LineDisplayCustomGlyphs","features":[92]},{"name":"LineDisplayDescriptorState","features":[92]},{"name":"LineDisplayHorizontalAlignment","features":[92]},{"name":"LineDisplayMarquee","features":[92]},{"name":"LineDisplayMarqueeFormat","features":[92]},{"name":"LineDisplayPowerStatus","features":[92]},{"name":"LineDisplayScrollDirection","features":[92]},{"name":"LineDisplayStatisticsCategorySelector","features":[92]},{"name":"LineDisplayStatusUpdatedEventArgs","features":[92]},{"name":"LineDisplayStoredBitmap","features":[92]},{"name":"LineDisplayTextAttribute","features":[92]},{"name":"LineDisplayTextAttributeGranularity","features":[92]},{"name":"LineDisplayVerticalAlignment","features":[92]},{"name":"LineDisplayWindow","features":[92]},{"name":"MagneticStripeReader","features":[92]},{"name":"MagneticStripeReaderAamvaCardDataReceivedEventArgs","features":[92]},{"name":"MagneticStripeReaderAuthenticationLevel","features":[92]},{"name":"MagneticStripeReaderAuthenticationProtocol","features":[92]},{"name":"MagneticStripeReaderBankCardDataReceivedEventArgs","features":[92]},{"name":"MagneticStripeReaderCapabilities","features":[92]},{"name":"MagneticStripeReaderCardTypes","features":[92]},{"name":"MagneticStripeReaderEncryptionAlgorithms","features":[92]},{"name":"MagneticStripeReaderErrorOccurredEventArgs","features":[92]},{"name":"MagneticStripeReaderErrorReportingType","features":[92]},{"name":"MagneticStripeReaderReport","features":[92]},{"name":"MagneticStripeReaderStatus","features":[92]},{"name":"MagneticStripeReaderStatusUpdatedEventArgs","features":[92]},{"name":"MagneticStripeReaderTrackData","features":[92]},{"name":"MagneticStripeReaderTrackErrorType","features":[92]},{"name":"MagneticStripeReaderTrackIds","features":[92]},{"name":"MagneticStripeReaderVendorSpecificCardDataReceivedEventArgs","features":[92]},{"name":"PosConnectionTypes","features":[92]},{"name":"PosPrinter","features":[92]},{"name":"PosPrinterAlignment","features":[92]},{"name":"PosPrinterBarcodeTextPosition","features":[92]},{"name":"PosPrinterCapabilities","features":[92]},{"name":"PosPrinterCartridgeSensors","features":[92]},{"name":"PosPrinterCharacterSetIds","features":[92]},{"name":"PosPrinterColorCapabilities","features":[92]},{"name":"PosPrinterColorCartridge","features":[92]},{"name":"PosPrinterFontProperty","features":[92]},{"name":"PosPrinterLineDirection","features":[92]},{"name":"PosPrinterLineStyle","features":[92]},{"name":"PosPrinterMapMode","features":[92]},{"name":"PosPrinterMarkFeedCapabilities","features":[92]},{"name":"PosPrinterMarkFeedKind","features":[92]},{"name":"PosPrinterPrintOptions","features":[92]},{"name":"PosPrinterPrintSide","features":[92]},{"name":"PosPrinterReleaseDeviceRequestedEventArgs","features":[92]},{"name":"PosPrinterRotation","features":[92]},{"name":"PosPrinterRuledLineCapabilities","features":[92]},{"name":"PosPrinterStatus","features":[92]},{"name":"PosPrinterStatusKind","features":[92]},{"name":"PosPrinterStatusUpdatedEventArgs","features":[92]},{"name":"ReceiptPrintJob","features":[92]},{"name":"ReceiptPrinterCapabilities","features":[92]},{"name":"SizeUInt32","features":[92]},{"name":"SlipPrintJob","features":[92]},{"name":"SlipPrinterCapabilities","features":[92]},{"name":"UnifiedPosErrorData","features":[92]},{"name":"UnifiedPosErrorReason","features":[92]},{"name":"UnifiedPosErrorSeverity","features":[92]},{"name":"UnifiedPosHealthCheckLevel","features":[92]},{"name":"UnifiedPosPowerReportingType","features":[92]}],"94":[{"name":"BarcodeScannerDisableScannerRequest","features":[93]},{"name":"BarcodeScannerDisableScannerRequestEventArgs","features":[93]},{"name":"BarcodeScannerEnableScannerRequest","features":[93]},{"name":"BarcodeScannerEnableScannerRequestEventArgs","features":[93]},{"name":"BarcodeScannerFrameReader","features":[93]},{"name":"BarcodeScannerFrameReaderFrameArrivedEventArgs","features":[93]},{"name":"BarcodeScannerGetSymbologyAttributesRequest","features":[93]},{"name":"BarcodeScannerGetSymbologyAttributesRequestEventArgs","features":[93]},{"name":"BarcodeScannerHideVideoPreviewRequest","features":[93]},{"name":"BarcodeScannerHideVideoPreviewRequestEventArgs","features":[93]},{"name":"BarcodeScannerProviderConnection","features":[93]},{"name":"BarcodeScannerProviderTriggerDetails","features":[93]},{"name":"BarcodeScannerSetActiveSymbologiesRequest","features":[93]},{"name":"BarcodeScannerSetActiveSymbologiesRequestEventArgs","features":[93]},{"name":"BarcodeScannerSetSymbologyAttributesRequest","features":[93]},{"name":"BarcodeScannerSetSymbologyAttributesRequestEventArgs","features":[93]},{"name":"BarcodeScannerStartSoftwareTriggerRequest","features":[93]},{"name":"BarcodeScannerStartSoftwareTriggerRequestEventArgs","features":[93]},{"name":"BarcodeScannerStopSoftwareTriggerRequest","features":[93]},{"name":"BarcodeScannerStopSoftwareTriggerRequestEventArgs","features":[93]},{"name":"BarcodeScannerTriggerState","features":[93]},{"name":"BarcodeScannerVideoFrame","features":[93]},{"name":"BarcodeSymbologyAttributesBuilder","features":[93]},{"name":"IBarcodeScannerDisableScannerRequest","features":[93]},{"name":"IBarcodeScannerDisableScannerRequest2","features":[93]},{"name":"IBarcodeScannerDisableScannerRequestEventArgs","features":[93]},{"name":"IBarcodeScannerEnableScannerRequest","features":[93]},{"name":"IBarcodeScannerEnableScannerRequest2","features":[93]},{"name":"IBarcodeScannerEnableScannerRequestEventArgs","features":[93]},{"name":"IBarcodeScannerFrameReader","features":[93]},{"name":"IBarcodeScannerFrameReaderFrameArrivedEventArgs","features":[93]},{"name":"IBarcodeScannerGetSymbologyAttributesRequest","features":[93]},{"name":"IBarcodeScannerGetSymbologyAttributesRequest2","features":[93]},{"name":"IBarcodeScannerGetSymbologyAttributesRequestEventArgs","features":[93]},{"name":"IBarcodeScannerHideVideoPreviewRequest","features":[93]},{"name":"IBarcodeScannerHideVideoPreviewRequest2","features":[93]},{"name":"IBarcodeScannerHideVideoPreviewRequestEventArgs","features":[93]},{"name":"IBarcodeScannerProviderConnection","features":[93]},{"name":"IBarcodeScannerProviderConnection2","features":[93]},{"name":"IBarcodeScannerProviderTriggerDetails","features":[93]},{"name":"IBarcodeScannerSetActiveSymbologiesRequest","features":[93]},{"name":"IBarcodeScannerSetActiveSymbologiesRequest2","features":[93]},{"name":"IBarcodeScannerSetActiveSymbologiesRequestEventArgs","features":[93]},{"name":"IBarcodeScannerSetSymbologyAttributesRequest","features":[93]},{"name":"IBarcodeScannerSetSymbologyAttributesRequest2","features":[93]},{"name":"IBarcodeScannerSetSymbologyAttributesRequestEventArgs","features":[93]},{"name":"IBarcodeScannerStartSoftwareTriggerRequest","features":[93]},{"name":"IBarcodeScannerStartSoftwareTriggerRequest2","features":[93]},{"name":"IBarcodeScannerStartSoftwareTriggerRequestEventArgs","features":[93]},{"name":"IBarcodeScannerStopSoftwareTriggerRequest","features":[93]},{"name":"IBarcodeScannerStopSoftwareTriggerRequest2","features":[93]},{"name":"IBarcodeScannerStopSoftwareTriggerRequestEventArgs","features":[93]},{"name":"IBarcodeScannerVideoFrame","features":[93]},{"name":"IBarcodeSymbologyAttributesBuilder","features":[93]}],"95":[{"name":"IServiceDeviceStatics","features":[94]},{"name":"IStorageDeviceStatics","features":[94]},{"name":"PortableDeviceContract","features":[94]},{"name":"ServiceDevice","features":[94]},{"name":"ServiceDeviceType","features":[94]},{"name":"StorageDevice","features":[94]}],"96":[{"name":"Battery","features":[95]},{"name":"BatteryReport","features":[95]},{"name":"IBattery","features":[95]},{"name":"IBatteryReport","features":[95]},{"name":"IBatteryStatics","features":[95]}],"97":[{"name":"IIppAttributeError","features":[96]},{"name":"IIppAttributeValue","features":[96]},{"name":"IIppAttributeValueStatics","features":[96]},{"name":"IIppIntegerRange","features":[96]},{"name":"IIppIntegerRangeFactory","features":[96]},{"name":"IIppPrintDevice","features":[96]},{"name":"IIppPrintDevice2","features":[96]},{"name":"IIppPrintDeviceStatics","features":[96]},{"name":"IIppResolution","features":[96]},{"name":"IIppResolutionFactory","features":[96]},{"name":"IIppSetAttributesResult","features":[96]},{"name":"IIppTextWithLanguage","features":[96]},{"name":"IIppTextWithLanguageFactory","features":[96]},{"name":"IPageConfigurationSettings","features":[96]},{"name":"IPdlPassthroughProvider","features":[96]},{"name":"IPdlPassthroughTarget","features":[96]},{"name":"IPrint3DDevice","features":[96]},{"name":"IPrint3DDeviceStatics","features":[96]},{"name":"IPrintSchema","features":[96]},{"name":"IppAttributeError","features":[96]},{"name":"IppAttributeErrorReason","features":[96]},{"name":"IppAttributeValue","features":[96]},{"name":"IppAttributeValueKind","features":[96]},{"name":"IppIntegerRange","features":[96]},{"name":"IppPrintDevice","features":[96]},{"name":"IppResolution","features":[96]},{"name":"IppResolutionUnit","features":[96]},{"name":"IppSetAttributesResult","features":[96]},{"name":"IppTextWithLanguage","features":[96]},{"name":"PageConfigurationSettings","features":[96]},{"name":"PageConfigurationSource","features":[96]},{"name":"PdlPassthroughProvider","features":[96]},{"name":"PdlPassthroughTarget","features":[96]},{"name":"Print3DDevice","features":[96]},{"name":"PrintSchema","features":[96]},{"name":"PrintersContract","features":[96]}],"98":[{"name":"ExtensionsContract","features":[97]},{"name":"IPrint3DWorkflow","features":[97]},{"name":"IPrint3DWorkflow2","features":[97]},{"name":"IPrint3DWorkflowPrintRequestedEventArgs","features":[97]},{"name":"IPrint3DWorkflowPrinterChangedEventArgs","features":[97]},{"name":"IPrintExtensionContextStatic","features":[97]},{"name":"IPrintNotificationEventDetails","features":[97]},{"name":"IPrintTaskConfiguration","features":[97]},{"name":"IPrintTaskConfigurationSaveRequest","features":[97]},{"name":"IPrintTaskConfigurationSaveRequestedDeferral","features":[97]},{"name":"IPrintTaskConfigurationSaveRequestedEventArgs","features":[97]},{"name":"Print3DWorkflow","features":[97]},{"name":"Print3DWorkflowDetail","features":[97]},{"name":"Print3DWorkflowPrintRequestedEventArgs","features":[97]},{"name":"Print3DWorkflowPrinterChangedEventArgs","features":[97]},{"name":"Print3DWorkflowStatus","features":[97]},{"name":"PrintExtensionContext","features":[97]},{"name":"PrintNotificationEventDetails","features":[97]},{"name":"PrintTaskConfiguration","features":[97]},{"name":"PrintTaskConfigurationSaveRequest","features":[97]},{"name":"PrintTaskConfigurationSaveRequestedDeferral","features":[97]},{"name":"PrintTaskConfigurationSaveRequestedEventArgs","features":[97]}],"99":[{"name":"IPwmController","features":[98]},{"name":"IPwmControllerStatics","features":[98]},{"name":"IPwmControllerStatics2","features":[98]},{"name":"IPwmControllerStatics3","features":[98]},{"name":"IPwmPin","features":[98]},{"name":"PwmController","features":[98]},{"name":"PwmPin","features":[98]},{"name":"PwmPulsePolarity","features":[98]}],"100":[{"name":"IPwmControllerProvider","features":[99]},{"name":"IPwmProvider","features":[99]}],"101":[{"name":"IRadio","features":[100]},{"name":"IRadioStatics","features":[100]},{"name":"Radio","features":[100]},{"name":"RadioAccessStatus","features":[100]},{"name":"RadioKind","features":[100]},{"name":"RadioState","features":[100]}],"102":[{"name":"IImageScanner","features":[101]},{"name":"IImageScannerFeederConfiguration","features":[101]},{"name":"IImageScannerFormatConfiguration","features":[101]},{"name":"IImageScannerPreviewResult","features":[101]},{"name":"IImageScannerScanResult","features":[101]},{"name":"IImageScannerSourceConfiguration","features":[101]},{"name":"IImageScannerStatics","features":[101]},{"name":"ImageScanner","features":[101]},{"name":"ImageScannerAutoConfiguration","features":[101]},{"name":"ImageScannerAutoCroppingMode","features":[101]},{"name":"ImageScannerColorMode","features":[101]},{"name":"ImageScannerFeederConfiguration","features":[101]},{"name":"ImageScannerFlatbedConfiguration","features":[101]},{"name":"ImageScannerFormat","features":[101]},{"name":"ImageScannerPreviewResult","features":[101]},{"name":"ImageScannerResolution","features":[101]},{"name":"ImageScannerScanResult","features":[101]},{"name":"ImageScannerScanSource","features":[101]},{"name":"ScannerDeviceContract","features":[101]}],"103":[{"name":"Accelerometer","features":[102]},{"name":"AccelerometerDataThreshold","features":[102]},{"name":"AccelerometerReading","features":[102]},{"name":"AccelerometerReadingChangedEventArgs","features":[102]},{"name":"AccelerometerReadingType","features":[102]},{"name":"AccelerometerShakenEventArgs","features":[102]},{"name":"ActivitySensor","features":[102]},{"name":"ActivitySensorReading","features":[102]},{"name":"ActivitySensorReadingChangeReport","features":[102]},{"name":"ActivitySensorReadingChangedEventArgs","features":[102]},{"name":"ActivitySensorReadingConfidence","features":[102]},{"name":"ActivitySensorTriggerDetails","features":[102]},{"name":"ActivityType","features":[102]},{"name":"AdaptiveDimmingOptions","features":[102]},{"name":"Altimeter","features":[102]},{"name":"AltimeterReading","features":[102]},{"name":"AltimeterReadingChangedEventArgs","features":[102]},{"name":"Barometer","features":[102]},{"name":"BarometerDataThreshold","features":[102]},{"name":"BarometerReading","features":[102]},{"name":"BarometerReadingChangedEventArgs","features":[102]},{"name":"Compass","features":[102]},{"name":"CompassDataThreshold","features":[102]},{"name":"CompassReading","features":[102]},{"name":"CompassReadingChangedEventArgs","features":[102]},{"name":"Gyrometer","features":[102]},{"name":"GyrometerDataThreshold","features":[102]},{"name":"GyrometerReading","features":[102]},{"name":"GyrometerReadingChangedEventArgs","features":[102]},{"name":"HingeAngleReading","features":[102]},{"name":"HingeAngleSensor","features":[102]},{"name":"HingeAngleSensorReadingChangedEventArgs","features":[102]},{"name":"HumanEngagement","features":[102]},{"name":"HumanPresence","features":[102]},{"name":"HumanPresenceFeatures","features":[102]},{"name":"HumanPresenceSensor","features":[102]},{"name":"HumanPresenceSensorReading","features":[102]},{"name":"HumanPresenceSensorReadingChangedEventArgs","features":[102]},{"name":"HumanPresenceSensorReadingUpdate","features":[102]},{"name":"HumanPresenceSettings","features":[102]},{"name":"IAccelerometer","features":[102]},{"name":"IAccelerometer2","features":[102]},{"name":"IAccelerometer3","features":[102]},{"name":"IAccelerometer4","features":[102]},{"name":"IAccelerometer5","features":[102]},{"name":"IAccelerometerDataThreshold","features":[102]},{"name":"IAccelerometerDeviceId","features":[102]},{"name":"IAccelerometerReading","features":[102]},{"name":"IAccelerometerReading2","features":[102]},{"name":"IAccelerometerReadingChangedEventArgs","features":[102]},{"name":"IAccelerometerShakenEventArgs","features":[102]},{"name":"IAccelerometerStatics","features":[102]},{"name":"IAccelerometerStatics2","features":[102]},{"name":"IAccelerometerStatics3","features":[102]},{"name":"IActivitySensor","features":[102]},{"name":"IActivitySensorReading","features":[102]},{"name":"IActivitySensorReadingChangeReport","features":[102]},{"name":"IActivitySensorReadingChangedEventArgs","features":[102]},{"name":"IActivitySensorStatics","features":[102]},{"name":"IActivitySensorTriggerDetails","features":[102]},{"name":"IAdaptiveDimmingOptions","features":[102]},{"name":"IAltimeter","features":[102]},{"name":"IAltimeter2","features":[102]},{"name":"IAltimeterReading","features":[102]},{"name":"IAltimeterReading2","features":[102]},{"name":"IAltimeterReadingChangedEventArgs","features":[102]},{"name":"IAltimeterStatics","features":[102]},{"name":"IBarometer","features":[102]},{"name":"IBarometer2","features":[102]},{"name":"IBarometer3","features":[102]},{"name":"IBarometerDataThreshold","features":[102]},{"name":"IBarometerReading","features":[102]},{"name":"IBarometerReading2","features":[102]},{"name":"IBarometerReadingChangedEventArgs","features":[102]},{"name":"IBarometerStatics","features":[102]},{"name":"IBarometerStatics2","features":[102]},{"name":"ICompass","features":[102]},{"name":"ICompass2","features":[102]},{"name":"ICompass3","features":[102]},{"name":"ICompass4","features":[102]},{"name":"ICompassDataThreshold","features":[102]},{"name":"ICompassDeviceId","features":[102]},{"name":"ICompassReading","features":[102]},{"name":"ICompassReading2","features":[102]},{"name":"ICompassReadingChangedEventArgs","features":[102]},{"name":"ICompassReadingHeadingAccuracy","features":[102]},{"name":"ICompassStatics","features":[102]},{"name":"ICompassStatics2","features":[102]},{"name":"IGyrometer","features":[102]},{"name":"IGyrometer2","features":[102]},{"name":"IGyrometer3","features":[102]},{"name":"IGyrometer4","features":[102]},{"name":"IGyrometerDataThreshold","features":[102]},{"name":"IGyrometerDeviceId","features":[102]},{"name":"IGyrometerReading","features":[102]},{"name":"IGyrometerReading2","features":[102]},{"name":"IGyrometerReadingChangedEventArgs","features":[102]},{"name":"IGyrometerStatics","features":[102]},{"name":"IGyrometerStatics2","features":[102]},{"name":"IHingeAngleReading","features":[102]},{"name":"IHingeAngleSensor","features":[102]},{"name":"IHingeAngleSensorReadingChangedEventArgs","features":[102]},{"name":"IHingeAngleSensorStatics","features":[102]},{"name":"IHumanPresenceFeatures","features":[102]},{"name":"IHumanPresenceFeatures2","features":[102]},{"name":"IHumanPresenceSensor","features":[102]},{"name":"IHumanPresenceSensor2","features":[102]},{"name":"IHumanPresenceSensorExtension","features":[102]},{"name":"IHumanPresenceSensorReading","features":[102]},{"name":"IHumanPresenceSensorReading2","features":[102]},{"name":"IHumanPresenceSensorReadingChangedEventArgs","features":[102]},{"name":"IHumanPresenceSensorReadingUpdate","features":[102]},{"name":"IHumanPresenceSensorStatics","features":[102]},{"name":"IHumanPresenceSensorStatics2","features":[102]},{"name":"IHumanPresenceSettings","features":[102]},{"name":"IHumanPresenceSettings2","features":[102]},{"name":"IHumanPresenceSettingsStatics","features":[102]},{"name":"IInclinometer","features":[102]},{"name":"IInclinometer2","features":[102]},{"name":"IInclinometer3","features":[102]},{"name":"IInclinometer4","features":[102]},{"name":"IInclinometerDataThreshold","features":[102]},{"name":"IInclinometerDeviceId","features":[102]},{"name":"IInclinometerReading","features":[102]},{"name":"IInclinometerReading2","features":[102]},{"name":"IInclinometerReadingChangedEventArgs","features":[102]},{"name":"IInclinometerReadingYawAccuracy","features":[102]},{"name":"IInclinometerStatics","features":[102]},{"name":"IInclinometerStatics2","features":[102]},{"name":"IInclinometerStatics3","features":[102]},{"name":"IInclinometerStatics4","features":[102]},{"name":"ILightSensor","features":[102]},{"name":"ILightSensor2","features":[102]},{"name":"ILightSensor3","features":[102]},{"name":"ILightSensorDataThreshold","features":[102]},{"name":"ILightSensorDeviceId","features":[102]},{"name":"ILightSensorReading","features":[102]},{"name":"ILightSensorReading2","features":[102]},{"name":"ILightSensorReadingChangedEventArgs","features":[102]},{"name":"ILightSensorStatics","features":[102]},{"name":"ILightSensorStatics2","features":[102]},{"name":"ILockOnLeaveOptions","features":[102]},{"name":"IMagnetometer","features":[102]},{"name":"IMagnetometer2","features":[102]},{"name":"IMagnetometer3","features":[102]},{"name":"IMagnetometer4","features":[102]},{"name":"IMagnetometerDataThreshold","features":[102]},{"name":"IMagnetometerDeviceId","features":[102]},{"name":"IMagnetometerReading","features":[102]},{"name":"IMagnetometerReading2","features":[102]},{"name":"IMagnetometerReadingChangedEventArgs","features":[102]},{"name":"IMagnetometerStatics","features":[102]},{"name":"IMagnetometerStatics2","features":[102]},{"name":"IOrientationSensor","features":[102]},{"name":"IOrientationSensor2","features":[102]},{"name":"IOrientationSensor3","features":[102]},{"name":"IOrientationSensorDeviceId","features":[102]},{"name":"IOrientationSensorReading","features":[102]},{"name":"IOrientationSensorReading2","features":[102]},{"name":"IOrientationSensorReadingChangedEventArgs","features":[102]},{"name":"IOrientationSensorReadingYawAccuracy","features":[102]},{"name":"IOrientationSensorStatics","features":[102]},{"name":"IOrientationSensorStatics2","features":[102]},{"name":"IOrientationSensorStatics3","features":[102]},{"name":"IOrientationSensorStatics4","features":[102]},{"name":"IPedometer","features":[102]},{"name":"IPedometer2","features":[102]},{"name":"IPedometerDataThresholdFactory","features":[102]},{"name":"IPedometerReading","features":[102]},{"name":"IPedometerReadingChangedEventArgs","features":[102]},{"name":"IPedometerStatics","features":[102]},{"name":"IPedometerStatics2","features":[102]},{"name":"IProximitySensor","features":[102]},{"name":"IProximitySensorDataThresholdFactory","features":[102]},{"name":"IProximitySensorReading","features":[102]},{"name":"IProximitySensorReadingChangedEventArgs","features":[102]},{"name":"IProximitySensorStatics","features":[102]},{"name":"IProximitySensorStatics2","features":[102]},{"name":"ISensorDataThreshold","features":[102]},{"name":"ISensorDataThresholdTriggerDetails","features":[102]},{"name":"ISensorQuaternion","features":[102]},{"name":"ISensorRotationMatrix","features":[102]},{"name":"ISimpleOrientationSensor","features":[102]},{"name":"ISimpleOrientationSensor2","features":[102]},{"name":"ISimpleOrientationSensorDeviceId","features":[102]},{"name":"ISimpleOrientationSensorOrientationChangedEventArgs","features":[102]},{"name":"ISimpleOrientationSensorStatics","features":[102]},{"name":"ISimpleOrientationSensorStatics2","features":[102]},{"name":"IWakeOnApproachOptions","features":[102]},{"name":"Inclinometer","features":[102]},{"name":"InclinometerDataThreshold","features":[102]},{"name":"InclinometerReading","features":[102]},{"name":"InclinometerReadingChangedEventArgs","features":[102]},{"name":"LightSensor","features":[102]},{"name":"LightSensorDataThreshold","features":[102]},{"name":"LightSensorReading","features":[102]},{"name":"LightSensorReadingChangedEventArgs","features":[102]},{"name":"LockOnLeaveOptions","features":[102]},{"name":"Magnetometer","features":[102]},{"name":"MagnetometerAccuracy","features":[102]},{"name":"MagnetometerDataThreshold","features":[102]},{"name":"MagnetometerReading","features":[102]},{"name":"MagnetometerReadingChangedEventArgs","features":[102]},{"name":"OrientationSensor","features":[102]},{"name":"OrientationSensorReading","features":[102]},{"name":"OrientationSensorReadingChangedEventArgs","features":[102]},{"name":"Pedometer","features":[102]},{"name":"PedometerDataThreshold","features":[102]},{"name":"PedometerReading","features":[102]},{"name":"PedometerReadingChangedEventArgs","features":[102]},{"name":"PedometerStepKind","features":[102]},{"name":"ProximitySensor","features":[102]},{"name":"ProximitySensorDataThreshold","features":[102]},{"name":"ProximitySensorDisplayOnOffController","features":[102,81]},{"name":"ProximitySensorReading","features":[102]},{"name":"ProximitySensorReadingChangedEventArgs","features":[102]},{"name":"SensorDataThresholdTriggerDetails","features":[102]},{"name":"SensorOptimizationGoal","features":[102]},{"name":"SensorQuaternion","features":[102]},{"name":"SensorReadingType","features":[102]},{"name":"SensorRotationMatrix","features":[102]},{"name":"SensorType","features":[102]},{"name":"SimpleOrientation","features":[102]},{"name":"SimpleOrientationSensor","features":[102]},{"name":"SimpleOrientationSensorOrientationChangedEventArgs","features":[102]},{"name":"WakeOnApproachOptions","features":[102]}],"104":[{"name":"CustomSensor","features":[103]},{"name":"CustomSensorReading","features":[103]},{"name":"CustomSensorReadingChangedEventArgs","features":[103]},{"name":"ICustomSensor","features":[103]},{"name":"ICustomSensor2","features":[103]},{"name":"ICustomSensorReading","features":[103]},{"name":"ICustomSensorReading2","features":[103]},{"name":"ICustomSensorReadingChangedEventArgs","features":[103]},{"name":"ICustomSensorStatics","features":[103]}],"105":[{"name":"ErrorReceivedEventArgs","features":[104]},{"name":"IErrorReceivedEventArgs","features":[104]},{"name":"IPinChangedEventArgs","features":[104]},{"name":"ISerialDevice","features":[104]},{"name":"ISerialDeviceStatics","features":[104]},{"name":"PinChangedEventArgs","features":[104]},{"name":"SerialDevice","features":[104]},{"name":"SerialError","features":[104]},{"name":"SerialHandshake","features":[104]},{"name":"SerialParity","features":[104]},{"name":"SerialPinChange","features":[104]},{"name":"SerialStopBitCount","features":[104]}],"106":[{"name":"CardAddedEventArgs","features":[105]},{"name":"CardRemovedEventArgs","features":[105]},{"name":"ICardAddedEventArgs","features":[105]},{"name":"ICardRemovedEventArgs","features":[105]},{"name":"IKnownSmartCardAppletIds","features":[105]},{"name":"ISmartCard","features":[105]},{"name":"ISmartCardAppletIdGroup","features":[105]},{"name":"ISmartCardAppletIdGroup2","features":[105]},{"name":"ISmartCardAppletIdGroupFactory","features":[105]},{"name":"ISmartCardAppletIdGroupRegistration","features":[105]},{"name":"ISmartCardAppletIdGroupRegistration2","features":[105]},{"name":"ISmartCardAppletIdGroupStatics","features":[105]},{"name":"ISmartCardAutomaticResponseApdu","features":[105]},{"name":"ISmartCardAutomaticResponseApdu2","features":[105]},{"name":"ISmartCardAutomaticResponseApdu3","features":[105]},{"name":"ISmartCardAutomaticResponseApduFactory","features":[105]},{"name":"ISmartCardChallengeContext","features":[105]},{"name":"ISmartCardConnect","features":[105]},{"name":"ISmartCardConnection","features":[105]},{"name":"ISmartCardCryptogramGenerator","features":[105]},{"name":"ISmartCardCryptogramGenerator2","features":[105]},{"name":"ISmartCardCryptogramGeneratorStatics","features":[105]},{"name":"ISmartCardCryptogramGeneratorStatics2","features":[105]},{"name":"ISmartCardCryptogramGetAllCryptogramMaterialCharacteristicsResult","features":[105]},{"name":"ISmartCardCryptogramGetAllCryptogramMaterialPackageCharacteristicsResult","features":[105]},{"name":"ISmartCardCryptogramGetAllCryptogramStorageKeyCharacteristicsResult","features":[105]},{"name":"ISmartCardCryptogramMaterialCharacteristics","features":[105]},{"name":"ISmartCardCryptogramMaterialPackageCharacteristics","features":[105]},{"name":"ISmartCardCryptogramMaterialPossessionProof","features":[105]},{"name":"ISmartCardCryptogramPlacementStep","features":[105]},{"name":"ISmartCardCryptogramStorageKeyCharacteristics","features":[105]},{"name":"ISmartCardCryptogramStorageKeyInfo","features":[105]},{"name":"ISmartCardCryptogramStorageKeyInfo2","features":[105]},{"name":"ISmartCardEmulator","features":[105]},{"name":"ISmartCardEmulator2","features":[105]},{"name":"ISmartCardEmulatorApduReceivedEventArgs","features":[105]},{"name":"ISmartCardEmulatorApduReceivedEventArgs2","features":[105]},{"name":"ISmartCardEmulatorApduReceivedEventArgsWithCryptograms","features":[105]},{"name":"ISmartCardEmulatorConnectionDeactivatedEventArgs","features":[105]},{"name":"ISmartCardEmulatorConnectionProperties","features":[105]},{"name":"ISmartCardEmulatorStatics","features":[105]},{"name":"ISmartCardEmulatorStatics2","features":[105]},{"name":"ISmartCardEmulatorStatics3","features":[105]},{"name":"ISmartCardPinPolicy","features":[105]},{"name":"ISmartCardPinResetDeferral","features":[105]},{"name":"ISmartCardPinResetRequest","features":[105]},{"name":"ISmartCardProvisioning","features":[105]},{"name":"ISmartCardProvisioning2","features":[105]},{"name":"ISmartCardProvisioningStatics","features":[105]},{"name":"ISmartCardProvisioningStatics2","features":[105]},{"name":"ISmartCardReader","features":[105]},{"name":"ISmartCardReaderStatics","features":[105]},{"name":"ISmartCardTriggerDetails","features":[105]},{"name":"ISmartCardTriggerDetails2","features":[105]},{"name":"ISmartCardTriggerDetails3","features":[105]},{"name":"KnownSmartCardAppletIds","features":[105]},{"name":"SmartCard","features":[105]},{"name":"SmartCardActivationPolicyChangeResult","features":[105]},{"name":"SmartCardAppletIdGroup","features":[105]},{"name":"SmartCardAppletIdGroupActivationPolicy","features":[105]},{"name":"SmartCardAppletIdGroupRegistration","features":[105]},{"name":"SmartCardAutomaticResponseApdu","features":[105]},{"name":"SmartCardAutomaticResponseStatus","features":[105]},{"name":"SmartCardBackgroundTriggerContract","features":[105]},{"name":"SmartCardChallengeContext","features":[105]},{"name":"SmartCardConnection","features":[105]},{"name":"SmartCardCryptogramAlgorithm","features":[105]},{"name":"SmartCardCryptogramGenerator","features":[105]},{"name":"SmartCardCryptogramGeneratorOperationStatus","features":[105]},{"name":"SmartCardCryptogramGetAllCryptogramMaterialCharacteristicsResult","features":[105]},{"name":"SmartCardCryptogramGetAllCryptogramMaterialPackageCharacteristicsResult","features":[105]},{"name":"SmartCardCryptogramGetAllCryptogramStorageKeyCharacteristicsResult","features":[105]},{"name":"SmartCardCryptogramMaterialCharacteristics","features":[105]},{"name":"SmartCardCryptogramMaterialPackageCharacteristics","features":[105]},{"name":"SmartCardCryptogramMaterialPackageConfirmationResponseFormat","features":[105]},{"name":"SmartCardCryptogramMaterialPackageFormat","features":[105]},{"name":"SmartCardCryptogramMaterialPossessionProof","features":[105]},{"name":"SmartCardCryptogramMaterialProtectionMethod","features":[105]},{"name":"SmartCardCryptogramMaterialType","features":[105]},{"name":"SmartCardCryptogramPlacementOptions","features":[105]},{"name":"SmartCardCryptogramPlacementStep","features":[105]},{"name":"SmartCardCryptogramStorageKeyAlgorithm","features":[105]},{"name":"SmartCardCryptogramStorageKeyCapabilities","features":[105]},{"name":"SmartCardCryptogramStorageKeyCharacteristics","features":[105]},{"name":"SmartCardCryptogramStorageKeyInfo","features":[105]},{"name":"SmartCardCryptographicKeyAttestationStatus","features":[105]},{"name":"SmartCardEmulationCategory","features":[105]},{"name":"SmartCardEmulationType","features":[105]},{"name":"SmartCardEmulator","features":[105]},{"name":"SmartCardEmulatorApduReceivedEventArgs","features":[105]},{"name":"SmartCardEmulatorConnectionDeactivatedEventArgs","features":[105]},{"name":"SmartCardEmulatorConnectionDeactivatedReason","features":[105]},{"name":"SmartCardEmulatorConnectionProperties","features":[105]},{"name":"SmartCardEmulatorConnectionSource","features":[105]},{"name":"SmartCardEmulatorContract","features":[105]},{"name":"SmartCardEmulatorEnablementPolicy","features":[105]},{"name":"SmartCardLaunchBehavior","features":[105]},{"name":"SmartCardPinCharacterPolicyOption","features":[105]},{"name":"SmartCardPinPolicy","features":[105]},{"name":"SmartCardPinResetDeferral","features":[105]},{"name":"SmartCardPinResetHandler","features":[105]},{"name":"SmartCardPinResetRequest","features":[105]},{"name":"SmartCardProvisioning","features":[105]},{"name":"SmartCardReader","features":[105]},{"name":"SmartCardReaderKind","features":[105]},{"name":"SmartCardReaderStatus","features":[105]},{"name":"SmartCardStatus","features":[105]},{"name":"SmartCardTriggerDetails","features":[105]},{"name":"SmartCardTriggerType","features":[105]},{"name":"SmartCardUnlockPromptingBehavior","features":[105]}],"107":[{"name":"CellularClass","features":[106]},{"name":"DeleteSmsMessageOperation","features":[106,81,3]},{"name":"DeleteSmsMessagesOperation","features":[106,81,3]},{"name":"GetSmsDeviceOperation","features":[106,81,3]},{"name":"GetSmsMessageOperation","features":[106,81,3]},{"name":"GetSmsMessagesOperation","features":[106,37,3]},{"name":"ISmsAppMessage","features":[106]},{"name":"ISmsBinaryMessage","features":[106,3]},{"name":"ISmsBroadcastMessage","features":[106]},{"name":"ISmsDevice","features":[106,3]},{"name":"ISmsDevice2","features":[106]},{"name":"ISmsDevice2Statics","features":[106]},{"name":"ISmsDeviceMessageStore","features":[106,3]},{"name":"ISmsDeviceStatics","features":[106,3]},{"name":"ISmsDeviceStatics2","features":[106,3]},{"name":"ISmsFilterRule","features":[106]},{"name":"ISmsFilterRuleFactory","features":[106]},{"name":"ISmsFilterRules","features":[106]},{"name":"ISmsFilterRulesFactory","features":[106]},{"name":"ISmsMessage","features":[106]},{"name":"ISmsMessageBase","features":[106]},{"name":"ISmsMessageReceivedEventArgs","features":[106,3]},{"name":"ISmsMessageReceivedTriggerDetails","features":[106]},{"name":"ISmsMessageRegistration","features":[106]},{"name":"ISmsMessageRegistrationStatics","features":[106]},{"name":"ISmsReceivedEventDetails","features":[106,3]},{"name":"ISmsReceivedEventDetails2","features":[106,3]},{"name":"ISmsSendMessageResult","features":[106]},{"name":"ISmsStatusMessage","features":[106]},{"name":"ISmsTextMessage","features":[106,3]},{"name":"ISmsTextMessage2","features":[106]},{"name":"ISmsTextMessageStatics","features":[106,3]},{"name":"ISmsVoicemailMessage","features":[106]},{"name":"ISmsWapMessage","features":[106]},{"name":"LegacySmsApiContract","features":[106]},{"name":"SendSmsMessageOperation","features":[106,81,3]},{"name":"SmsAppMessage","features":[106]},{"name":"SmsBinaryMessage","features":[106,3]},{"name":"SmsBroadcastMessage","features":[106]},{"name":"SmsBroadcastType","features":[106]},{"name":"SmsDataFormat","features":[106]},{"name":"SmsDevice","features":[106,3]},{"name":"SmsDevice2","features":[106]},{"name":"SmsDeviceMessageStore","features":[106,3]},{"name":"SmsDeviceStatus","features":[106]},{"name":"SmsDeviceStatusChangedEventHandler","features":[106,3]},{"name":"SmsEncodedLength","features":[106]},{"name":"SmsEncoding","features":[106]},{"name":"SmsFilterActionType","features":[106]},{"name":"SmsFilterRule","features":[106]},{"name":"SmsFilterRules","features":[106]},{"name":"SmsGeographicalScope","features":[106]},{"name":"SmsMessageClass","features":[106]},{"name":"SmsMessageFilter","features":[106,3]},{"name":"SmsMessageReceivedEventArgs","features":[106,3]},{"name":"SmsMessageReceivedEventHandler","features":[106,3]},{"name":"SmsMessageReceivedTriggerDetails","features":[106]},{"name":"SmsMessageRegistration","features":[106]},{"name":"SmsMessageType","features":[106]},{"name":"SmsModemErrorCode","features":[106]},{"name":"SmsReceivedEventDetails","features":[106,3]},{"name":"SmsSendMessageResult","features":[106]},{"name":"SmsStatusMessage","features":[106]},{"name":"SmsTextMessage","features":[106,3]},{"name":"SmsTextMessage2","features":[106]},{"name":"SmsVoicemailMessage","features":[106]},{"name":"SmsWapMessage","features":[106]}],"108":[{"name":"ISpiBusInfo","features":[107]},{"name":"ISpiConnectionSettings","features":[107]},{"name":"ISpiConnectionSettingsFactory","features":[107]},{"name":"ISpiController","features":[107]},{"name":"ISpiControllerStatics","features":[107]},{"name":"ISpiDevice","features":[107]},{"name":"ISpiDeviceStatics","features":[107]},{"name":"SpiBusInfo","features":[107]},{"name":"SpiConnectionSettings","features":[107]},{"name":"SpiController","features":[107]},{"name":"SpiDevice","features":[107]},{"name":"SpiMode","features":[107]},{"name":"SpiSharingMode","features":[107]}],"109":[{"name":"IProviderSpiConnectionSettings","features":[108]},{"name":"IProviderSpiConnectionSettingsFactory","features":[108]},{"name":"ISpiControllerProvider","features":[108]},{"name":"ISpiDeviceProvider","features":[108]},{"name":"ISpiProvider","features":[108]},{"name":"ProviderSpiConnectionSettings","features":[108]},{"name":"ProviderSpiMode","features":[108]},{"name":"ProviderSpiSharingMode","features":[108]}],"110":[{"name":"IUsbBulkInEndpointDescriptor","features":[109]},{"name":"IUsbBulkInPipe","features":[109]},{"name":"IUsbBulkOutEndpointDescriptor","features":[109]},{"name":"IUsbBulkOutPipe","features":[109]},{"name":"IUsbConfiguration","features":[109]},{"name":"IUsbConfigurationDescriptor","features":[109]},{"name":"IUsbConfigurationDescriptorStatics","features":[109]},{"name":"IUsbControlRequestType","features":[109]},{"name":"IUsbDescriptor","features":[109]},{"name":"IUsbDevice","features":[109]},{"name":"IUsbDeviceClass","features":[109]},{"name":"IUsbDeviceClasses","features":[109]},{"name":"IUsbDeviceClassesStatics","features":[109]},{"name":"IUsbDeviceDescriptor","features":[109]},{"name":"IUsbDeviceStatics","features":[109]},{"name":"IUsbEndpointDescriptor","features":[109]},{"name":"IUsbEndpointDescriptorStatics","features":[109]},{"name":"IUsbInterface","features":[109]},{"name":"IUsbInterfaceDescriptor","features":[109]},{"name":"IUsbInterfaceDescriptorStatics","features":[109]},{"name":"IUsbInterfaceSetting","features":[109]},{"name":"IUsbInterruptInEndpointDescriptor","features":[109]},{"name":"IUsbInterruptInEventArgs","features":[109]},{"name":"IUsbInterruptInPipe","features":[109]},{"name":"IUsbInterruptOutEndpointDescriptor","features":[109]},{"name":"IUsbInterruptOutPipe","features":[109]},{"name":"IUsbSetupPacket","features":[109]},{"name":"IUsbSetupPacketFactory","features":[109]},{"name":"UsbBulkInEndpointDescriptor","features":[109]},{"name":"UsbBulkInPipe","features":[109]},{"name":"UsbBulkOutEndpointDescriptor","features":[109]},{"name":"UsbBulkOutPipe","features":[109]},{"name":"UsbConfiguration","features":[109]},{"name":"UsbConfigurationDescriptor","features":[109]},{"name":"UsbControlRecipient","features":[109]},{"name":"UsbControlRequestType","features":[109]},{"name":"UsbControlTransferType","features":[109]},{"name":"UsbDescriptor","features":[109]},{"name":"UsbDevice","features":[109]},{"name":"UsbDeviceClass","features":[109]},{"name":"UsbDeviceClasses","features":[109]},{"name":"UsbDeviceDescriptor","features":[109]},{"name":"UsbEndpointDescriptor","features":[109]},{"name":"UsbEndpointType","features":[109]},{"name":"UsbInterface","features":[109]},{"name":"UsbInterfaceDescriptor","features":[109]},{"name":"UsbInterfaceSetting","features":[109]},{"name":"UsbInterruptInEndpointDescriptor","features":[109]},{"name":"UsbInterruptInEventArgs","features":[109]},{"name":"UsbInterruptInPipe","features":[109]},{"name":"UsbInterruptOutEndpointDescriptor","features":[109]},{"name":"UsbInterruptOutPipe","features":[109]},{"name":"UsbReadOptions","features":[109]},{"name":"UsbSetupPacket","features":[109]},{"name":"UsbTransferDirection","features":[109]},{"name":"UsbWriteOptions","features":[109]}],"111":[{"name":"IWiFiAdapter","features":[110]},{"name":"IWiFiAdapter2","features":[110]},{"name":"IWiFiAdapterStatics","features":[110]},{"name":"IWiFiAvailableNetwork","features":[110]},{"name":"IWiFiConnectionResult","features":[110]},{"name":"IWiFiNetworkReport","features":[110]},{"name":"IWiFiOnDemandHotspotConnectTriggerDetails","features":[110]},{"name":"IWiFiOnDemandHotspotConnectionResult","features":[110]},{"name":"IWiFiOnDemandHotspotNetwork","features":[110]},{"name":"IWiFiOnDemandHotspotNetworkProperties","features":[110]},{"name":"IWiFiOnDemandHotspotNetworkStatics","features":[110]},{"name":"IWiFiWpsConfigurationResult","features":[110]},{"name":"WiFiAccessStatus","features":[110]},{"name":"WiFiAdapter","features":[110]},{"name":"WiFiAvailableNetwork","features":[110]},{"name":"WiFiConnectionMethod","features":[110]},{"name":"WiFiConnectionResult","features":[110]},{"name":"WiFiConnectionStatus","features":[110]},{"name":"WiFiNetworkKind","features":[110]},{"name":"WiFiNetworkReport","features":[110]},{"name":"WiFiOnDemandHotspotAvailability","features":[110]},{"name":"WiFiOnDemandHotspotCellularBars","features":[110]},{"name":"WiFiOnDemandHotspotConnectStatus","features":[110]},{"name":"WiFiOnDemandHotspotConnectTriggerDetails","features":[110]},{"name":"WiFiOnDemandHotspotConnectionResult","features":[110]},{"name":"WiFiOnDemandHotspotNetwork","features":[110]},{"name":"WiFiOnDemandHotspotNetworkProperties","features":[110]},{"name":"WiFiPhyKind","features":[110]},{"name":"WiFiReconnectionKind","features":[110]},{"name":"WiFiWpsConfigurationResult","features":[110]},{"name":"WiFiWpsConfigurationStatus","features":[110]},{"name":"WiFiWpsKind","features":[110]}],"112":[{"name":"IWiFiDirectAdvertisement","features":[111]},{"name":"IWiFiDirectAdvertisement2","features":[111]},{"name":"IWiFiDirectAdvertisementPublisher","features":[111]},{"name":"IWiFiDirectAdvertisementPublisherStatusChangedEventArgs","features":[111]},{"name":"IWiFiDirectConnectionListener","features":[111]},{"name":"IWiFiDirectConnectionParameters","features":[111]},{"name":"IWiFiDirectConnectionParameters2","features":[111]},{"name":"IWiFiDirectConnectionParametersStatics","features":[111]},{"name":"IWiFiDirectConnectionRequest","features":[111]},{"name":"IWiFiDirectConnectionRequestedEventArgs","features":[111]},{"name":"IWiFiDirectDevice","features":[111]},{"name":"IWiFiDirectDeviceStatics","features":[111]},{"name":"IWiFiDirectDeviceStatics2","features":[111]},{"name":"IWiFiDirectInformationElement","features":[111]},{"name":"IWiFiDirectInformationElementStatics","features":[111]},{"name":"IWiFiDirectLegacySettings","features":[111]},{"name":"WiFiDirectAdvertisement","features":[111]},{"name":"WiFiDirectAdvertisementListenStateDiscoverability","features":[111]},{"name":"WiFiDirectAdvertisementPublisher","features":[111]},{"name":"WiFiDirectAdvertisementPublisherStatus","features":[111]},{"name":"WiFiDirectAdvertisementPublisherStatusChangedEventArgs","features":[111]},{"name":"WiFiDirectConfigurationMethod","features":[111]},{"name":"WiFiDirectConnectionListener","features":[111]},{"name":"WiFiDirectConnectionParameters","features":[111]},{"name":"WiFiDirectConnectionRequest","features":[111]},{"name":"WiFiDirectConnectionRequestedEventArgs","features":[111]},{"name":"WiFiDirectConnectionStatus","features":[111]},{"name":"WiFiDirectDevice","features":[111]},{"name":"WiFiDirectDeviceSelectorType","features":[111]},{"name":"WiFiDirectError","features":[111]},{"name":"WiFiDirectInformationElement","features":[111]},{"name":"WiFiDirectLegacySettings","features":[111]},{"name":"WiFiDirectPairingProcedure","features":[111]}],"113":[{"name":"IWiFiDirectService","features":[112]},{"name":"IWiFiDirectServiceAdvertiser","features":[112]},{"name":"IWiFiDirectServiceAdvertiserFactory","features":[112]},{"name":"IWiFiDirectServiceAutoAcceptSessionConnectedEventArgs","features":[112]},{"name":"IWiFiDirectServiceProvisioningInfo","features":[112]},{"name":"IWiFiDirectServiceRemotePortAddedEventArgs","features":[112]},{"name":"IWiFiDirectServiceSession","features":[112]},{"name":"IWiFiDirectServiceSessionDeferredEventArgs","features":[112]},{"name":"IWiFiDirectServiceSessionRequest","features":[112]},{"name":"IWiFiDirectServiceSessionRequestedEventArgs","features":[112]},{"name":"IWiFiDirectServiceStatics","features":[112]},{"name":"WiFiDirectService","features":[112]},{"name":"WiFiDirectServiceAdvertisementStatus","features":[112]},{"name":"WiFiDirectServiceAdvertiser","features":[112]},{"name":"WiFiDirectServiceAutoAcceptSessionConnectedEventArgs","features":[112]},{"name":"WiFiDirectServiceConfigurationMethod","features":[112]},{"name":"WiFiDirectServiceError","features":[112]},{"name":"WiFiDirectServiceIPProtocol","features":[112]},{"name":"WiFiDirectServiceProvisioningInfo","features":[112]},{"name":"WiFiDirectServiceRemotePortAddedEventArgs","features":[112]},{"name":"WiFiDirectServiceSession","features":[112]},{"name":"WiFiDirectServiceSessionDeferredEventArgs","features":[112]},{"name":"WiFiDirectServiceSessionErrorStatus","features":[112]},{"name":"WiFiDirectServiceSessionRequest","features":[112]},{"name":"WiFiDirectServiceSessionRequestedEventArgs","features":[112]},{"name":"WiFiDirectServiceSessionStatus","features":[112]},{"name":"WiFiDirectServiceStatus","features":[112]}],"114":[{"name":"DeviceLockdownContract","features":[113]},{"name":"DeviceLockdownProfile","features":[113]},{"name":"DeviceLockdownProfileInformation","features":[113]},{"name":"IDeviceLockdownProfileInformation","features":[113]},{"name":"IDeviceLockdownProfileStatics","features":[113]}],"115":[{"name":"AsyncActionCompletedHandler","features":[81]},{"name":"AsyncActionProgressHandler","features":[81]},{"name":"AsyncActionWithProgressCompletedHandler","features":[81]},{"name":"AsyncOperationCompletedHandler","features":[81]},{"name":"AsyncOperationProgressHandler","features":[81]},{"name":"AsyncOperationWithProgressCompletedHandler","features":[81]},{"name":"AsyncStatus","features":[81]},{"name":"DateTime","features":[81]},{"name":"Deferral","features":[81]},{"name":"DeferralCompletedHandler","features":[81]},{"name":"EventHandler","features":[81]},{"name":"EventRegistrationToken","features":[81]},{"name":"FoundationContract","features":[81]},{"name":"GuidHelper","features":[81]},{"name":"HResult","features":[81]},{"name":"IAsyncAction","features":[81]},{"name":"IAsyncActionWithProgress","features":[81]},{"name":"IAsyncInfo","features":[81]},{"name":"IAsyncOperation","features":[81]},{"name":"IAsyncOperationWithProgress","features":[81]},{"name":"IClosable","features":[81]},{"name":"IDeferral","features":[81]},{"name":"IDeferralFactory","features":[81]},{"name":"IGetActivationFactory","features":[81]},{"name":"IGuidHelperStatics","features":[81]},{"name":"IMemoryBuffer","features":[81]},{"name":"IMemoryBufferFactory","features":[81]},{"name":"IMemoryBufferReference","features":[81]},{"name":"IPropertyValue","features":[81]},{"name":"IPropertyValueStatics","features":[81]},{"name":"IReference","features":[81]},{"name":"IReferenceArray","features":[81]},{"name":"IStringable","features":[81]},{"name":"IUriEscapeStatics","features":[81]},{"name":"IUriRuntimeClass","features":[81]},{"name":"IUriRuntimeClassFactory","features":[81]},{"name":"IUriRuntimeClassWithAbsoluteCanonicalUri","features":[81]},{"name":"IWwwFormUrlDecoderEntry","features":[81]},{"name":"IWwwFormUrlDecoderRuntimeClass","features":[81]},{"name":"IWwwFormUrlDecoderRuntimeClassFactory","features":[81]},{"name":"MemoryBuffer","features":[81]},{"name":"Point","features":[81]},{"name":"PropertyType","features":[81]},{"name":"PropertyValue","features":[81]},{"name":"Rect","features":[81]},{"name":"Size","features":[81]},{"name":"TimeSpan","features":[81]},{"name":"TypedEventHandler","features":[81]},{"name":"UniversalApiContract","features":[81]},{"name":"Uri","features":[81]},{"name":"WwwFormUrlDecoder","features":[81]},{"name":"WwwFormUrlDecoderEntry","features":[81]}],"116":[{"name":"CollectionChange","features":[37]},{"name":"IIterable","features":[37]},{"name":"IIterator","features":[37]},{"name":"IKeyValuePair","features":[37]},{"name":"IMap","features":[37]},{"name":"IMapChangedEventArgs","features":[37]},{"name":"IMapView","features":[37]},{"name":"IObservableMap","features":[37]},{"name":"IObservableVector","features":[37]},{"name":"IPropertySet","features":[37]},{"name":"IVector","features":[37]},{"name":"IVectorChangedEventArgs","features":[37]},{"name":"IVectorView","features":[37]},{"name":"MapChangedEventHandler","features":[37]},{"name":"PropertySet","features":[37]},{"name":"StringMap","features":[37]},{"name":"ValueSet","features":[37]},{"name":"VectorChangedEventHandler","features":[37]}],"117":[{"name":"AsyncCausalityTracer","features":[114]},{"name":"CausalityRelation","features":[114]},{"name":"CausalitySource","features":[114]},{"name":"CausalitySynchronousWork","features":[114]},{"name":"CausalityTraceLevel","features":[114]},{"name":"ErrorDetails","features":[114]},{"name":"ErrorOptions","features":[114]},{"name":"FileLoggingSession","features":[114]},{"name":"IAsyncCausalityTracerStatics","features":[114]},{"name":"IErrorDetails","features":[114]},{"name":"IErrorDetailsStatics","features":[114]},{"name":"IErrorReportingSettings","features":[114]},{"name":"IFileLoggingSession","features":[114]},{"name":"IFileLoggingSessionFactory","features":[114]},{"name":"ILogFileGeneratedEventArgs","features":[114]},{"name":"ILoggingActivity","features":[114]},{"name":"ILoggingActivity2","features":[114]},{"name":"ILoggingActivityFactory","features":[114]},{"name":"ILoggingChannel","features":[114]},{"name":"ILoggingChannel2","features":[114]},{"name":"ILoggingChannelFactory","features":[114]},{"name":"ILoggingChannelFactory2","features":[114]},{"name":"ILoggingChannelOptions","features":[114]},{"name":"ILoggingChannelOptionsFactory","features":[114]},{"name":"ILoggingFields","features":[114]},{"name":"ILoggingOptions","features":[114]},{"name":"ILoggingOptionsFactory","features":[114]},{"name":"ILoggingSession","features":[114]},{"name":"ILoggingSessionFactory","features":[114]},{"name":"ILoggingTarget","features":[114]},{"name":"ITracingStatusChangedEventArgs","features":[114]},{"name":"LogFileGeneratedEventArgs","features":[114]},{"name":"LoggingActivity","features":[114]},{"name":"LoggingChannel","features":[114]},{"name":"LoggingChannelOptions","features":[114]},{"name":"LoggingFieldFormat","features":[114]},{"name":"LoggingFields","features":[114]},{"name":"LoggingLevel","features":[114]},{"name":"LoggingOpcode","features":[114]},{"name":"LoggingOptions","features":[114]},{"name":"LoggingSession","features":[114]},{"name":"RuntimeBrokerErrorSettings","features":[114]},{"name":"TracingStatusChangedEventArgs","features":[114]}],"118":[{"name":"ActivatableAttribute","features":[115]},{"name":"AllowForWebAttribute","features":[115]},{"name":"AllowMultipleAttribute","features":[115]},{"name":"ApiContractAttribute","features":[115]},{"name":"ApiInformation","features":[115]},{"name":"AttributeNameAttribute","features":[115]},{"name":"AttributeTargets","features":[115]},{"name":"AttributeUsageAttribute","features":[115]},{"name":"ComposableAttribute","features":[115]},{"name":"CompositionType","features":[115]},{"name":"ContractVersionAttribute","features":[115]},{"name":"CreateFromStringAttribute","features":[115]},{"name":"DefaultAttribute","features":[115]},{"name":"DefaultOverloadAttribute","features":[115]},{"name":"DeprecatedAttribute","features":[115]},{"name":"DeprecationType","features":[115]},{"name":"DualApiPartitionAttribute","features":[115]},{"name":"ExclusiveToAttribute","features":[115]},{"name":"ExperimentalAttribute","features":[115]},{"name":"FastAbiAttribute","features":[115]},{"name":"FeatureAttribute","features":[115]},{"name":"FeatureStage","features":[115]},{"name":"GCPressureAmount","features":[115]},{"name":"GCPressureAttribute","features":[115]},{"name":"GuidAttribute","features":[115]},{"name":"HasVariantAttribute","features":[115]},{"name":"IApiInformationStatics","features":[115]},{"name":"InternalAttribute","features":[115]},{"name":"LengthIsAttribute","features":[115]},{"name":"MarshalingBehaviorAttribute","features":[115]},{"name":"MarshalingType","features":[115]},{"name":"MetadataMarshalAttribute","features":[115]},{"name":"MuseAttribute","features":[115]},{"name":"NoExceptionAttribute","features":[115]},{"name":"OverloadAttribute","features":[115]},{"name":"OverridableAttribute","features":[115]},{"name":"Platform","features":[115]},{"name":"PlatformAttribute","features":[115]},{"name":"PreviousContractVersionAttribute","features":[115]},{"name":"ProtectedAttribute","features":[115]},{"name":"RangeAttribute","features":[115]},{"name":"RemoteAsyncAttribute","features":[115]},{"name":"StaticAttribute","features":[115]},{"name":"ThreadingAttribute","features":[115]},{"name":"ThreadingModel","features":[115]},{"name":"VariantAttribute","features":[115]},{"name":"VersionAttribute","features":[115]},{"name":"WebHostHiddenAttribute","features":[115]}],"119":[{"name":"Matrix3x2","features":[73]},{"name":"Matrix4x4","features":[73]},{"name":"Plane","features":[73]},{"name":"Quaternion","features":[73]},{"name":"Rational","features":[73]},{"name":"Vector2","features":[73]},{"name":"Vector3","features":[73]},{"name":"Vector4","features":[73]}],"120":[{"name":"ArcadeStick","features":[116]},{"name":"ArcadeStickButtons","features":[116]},{"name":"ArcadeStickReading","features":[116]},{"name":"FlightStick","features":[116]},{"name":"FlightStickButtons","features":[116]},{"name":"FlightStickReading","features":[116]},{"name":"GameControllerButtonLabel","features":[116]},{"name":"GameControllerSwitchKind","features":[116]},{"name":"GameControllerSwitchPosition","features":[116]},{"name":"Gamepad","features":[116]},{"name":"GamepadButtons","features":[116]},{"name":"GamepadReading","features":[116]},{"name":"GamepadVibration","features":[116]},{"name":"GamingInputPreviewContract","features":[116]},{"name":"Headset","features":[116]},{"name":"IArcadeStick","features":[116]},{"name":"IArcadeStickStatics","features":[116]},{"name":"IArcadeStickStatics2","features":[116]},{"name":"IFlightStick","features":[116]},{"name":"IFlightStickStatics","features":[116]},{"name":"IGameController","features":[116]},{"name":"IGameControllerBatteryInfo","features":[116]},{"name":"IGamepad","features":[116]},{"name":"IGamepad2","features":[116]},{"name":"IGamepadStatics","features":[116]},{"name":"IGamepadStatics2","features":[116]},{"name":"IHeadset","features":[116]},{"name":"IRacingWheel","features":[116]},{"name":"IRacingWheelStatics","features":[116]},{"name":"IRacingWheelStatics2","features":[116]},{"name":"IRawGameController","features":[116]},{"name":"IRawGameController2","features":[116]},{"name":"IRawGameControllerStatics","features":[116]},{"name":"IUINavigationController","features":[116]},{"name":"IUINavigationControllerStatics","features":[116]},{"name":"IUINavigationControllerStatics2","features":[116]},{"name":"OptionalUINavigationButtons","features":[116]},{"name":"RacingWheel","features":[116]},{"name":"RacingWheelButtons","features":[116]},{"name":"RacingWheelReading","features":[116]},{"name":"RawGameController","features":[116]},{"name":"RequiredUINavigationButtons","features":[116]},{"name":"UINavigationController","features":[116]},{"name":"UINavigationReading","features":[116]}],"121":[{"name":"GameControllerFactoryManager","features":[117]},{"name":"GameControllerVersionInfo","features":[117]},{"name":"GipFirmwareUpdateProgress","features":[117]},{"name":"GipFirmwareUpdateResult","features":[117]},{"name":"GipFirmwareUpdateStatus","features":[117]},{"name":"GipGameControllerProvider","features":[117]},{"name":"GipMessageClass","features":[117]},{"name":"HidGameControllerProvider","features":[117]},{"name":"ICustomGameControllerFactory","features":[117]},{"name":"IGameControllerFactoryManagerStatics","features":[117]},{"name":"IGameControllerFactoryManagerStatics2","features":[117]},{"name":"IGameControllerInputSink","features":[117]},{"name":"IGameControllerProvider","features":[117]},{"name":"IGipFirmwareUpdateResult","features":[117]},{"name":"IGipGameControllerInputSink","features":[117]},{"name":"IGipGameControllerProvider","features":[117]},{"name":"IHidGameControllerInputSink","features":[117]},{"name":"IHidGameControllerProvider","features":[117]},{"name":"IXusbGameControllerInputSink","features":[117]},{"name":"IXusbGameControllerProvider","features":[117]},{"name":"XusbDeviceSubtype","features":[117]},{"name":"XusbDeviceType","features":[117]},{"name":"XusbGameControllerProvider","features":[117]}],"122":[{"name":"ConditionForceEffect","features":[118]},{"name":"ConditionForceEffectKind","features":[118]},{"name":"ConstantForceEffect","features":[118]},{"name":"ForceFeedbackEffectAxes","features":[118]},{"name":"ForceFeedbackEffectState","features":[118]},{"name":"ForceFeedbackLoadEffectResult","features":[118]},{"name":"ForceFeedbackMotor","features":[118]},{"name":"IConditionForceEffect","features":[118]},{"name":"IConditionForceEffectFactory","features":[118]},{"name":"IConstantForceEffect","features":[118]},{"name":"IForceFeedbackEffect","features":[118]},{"name":"IForceFeedbackMotor","features":[118]},{"name":"IPeriodicForceEffect","features":[118]},{"name":"IPeriodicForceEffectFactory","features":[118]},{"name":"IRampForceEffect","features":[118]},{"name":"PeriodicForceEffect","features":[118]},{"name":"PeriodicForceEffectKind","features":[118]},{"name":"RampForceEffect","features":[118]}],"123":[{"name":"GameControllerProviderInfo","features":[119]},{"name":"IGameControllerProviderInfoStatics","features":[119]}],"124":[{"name":"GamesEnumerationContract","features":[120]}],"125":[{"name":"GameList","features":[121]},{"name":"GameListCategory","features":[121]},{"name":"GameListChangedEventHandler","features":[121]},{"name":"GameListEntry","features":[121]},{"name":"GameListEntryLaunchableState","features":[121]},{"name":"GameListRemovedEventHandler","features":[121]},{"name":"GameModeConfiguration","features":[121]},{"name":"GameModeUserConfiguration","features":[121]},{"name":"IGameListEntry","features":[121]},{"name":"IGameListEntry2","features":[121]},{"name":"IGameListStatics","features":[121]},{"name":"IGameListStatics2","features":[121]},{"name":"IGameModeConfiguration","features":[121]},{"name":"IGameModeUserConfiguration","features":[121]},{"name":"IGameModeUserConfigurationStatics","features":[121]}],"126":[{"name":"GameBar","features":[122]},{"name":"GameChatMessageOrigin","features":[122]},{"name":"GameChatMessageReceivedEventArgs","features":[122]},{"name":"GameChatOverlay","features":[122]},{"name":"GameChatOverlayContract","features":[122]},{"name":"GameChatOverlayMessageSource","features":[122]},{"name":"GameChatOverlayPosition","features":[122]},{"name":"GameUIProviderActivatedEventArgs","features":[122]},{"name":"GamingUIProviderContract","features":[122]},{"name":"IGameBarStatics","features":[122]},{"name":"IGameChatMessageReceivedEventArgs","features":[122]},{"name":"IGameChatOverlay","features":[122]},{"name":"IGameChatOverlayMessageSource","features":[122]},{"name":"IGameChatOverlayStatics","features":[122]},{"name":"IGameUIProviderActivatedEventArgs","features":[122]}],"127":[{"name":"StorageApiContract","features":[123]}],"128":[{"name":"GameSaveBlobGetResult","features":[124]},{"name":"GameSaveBlobInfo","features":[124]},{"name":"GameSaveBlobInfoGetResult","features":[124]},{"name":"GameSaveBlobInfoQuery","features":[124]},{"name":"GameSaveContainer","features":[124]},{"name":"GameSaveContainerInfo","features":[124]},{"name":"GameSaveContainerInfoGetResult","features":[124]},{"name":"GameSaveContainerInfoQuery","features":[124]},{"name":"GameSaveErrorStatus","features":[124]},{"name":"GameSaveOperationResult","features":[124]},{"name":"GameSaveProvider","features":[124]},{"name":"GameSaveProviderGetResult","features":[124]},{"name":"IGameSaveBlobGetResult","features":[124]},{"name":"IGameSaveBlobInfo","features":[124]},{"name":"IGameSaveBlobInfoGetResult","features":[124]},{"name":"IGameSaveBlobInfoQuery","features":[124]},{"name":"IGameSaveContainer","features":[124]},{"name":"IGameSaveContainerInfo","features":[124]},{"name":"IGameSaveContainerInfoGetResult","features":[124]},{"name":"IGameSaveContainerInfoQuery","features":[124]},{"name":"IGameSaveOperationResult","features":[124]},{"name":"IGameSaveProvider","features":[124]},{"name":"IGameSaveProviderGetResult","features":[124]},{"name":"IGameSaveProviderStatics","features":[124]}],"129":[{"name":"ApplicationLanguages","features":[125]},{"name":"Calendar","features":[125]},{"name":"CalendarIdentifiers","features":[125]},{"name":"ClockIdentifiers","features":[125]},{"name":"CurrencyAmount","features":[125]},{"name":"CurrencyIdentifiers","features":[125]},{"name":"DayOfWeek","features":[125]},{"name":"GeographicRegion","features":[125]},{"name":"GlobalizationJapanesePhoneticAnalyzerContract","features":[125]},{"name":"IApplicationLanguagesStatics","features":[125]},{"name":"IApplicationLanguagesStatics2","features":[125]},{"name":"ICalendar","features":[125]},{"name":"ICalendarFactory","features":[125]},{"name":"ICalendarFactory2","features":[125]},{"name":"ICalendarIdentifiersStatics","features":[125]},{"name":"ICalendarIdentifiersStatics2","features":[125]},{"name":"ICalendarIdentifiersStatics3","features":[125]},{"name":"IClockIdentifiersStatics","features":[125]},{"name":"ICurrencyAmount","features":[125]},{"name":"ICurrencyAmountFactory","features":[125]},{"name":"ICurrencyIdentifiersStatics","features":[125]},{"name":"ICurrencyIdentifiersStatics2","features":[125]},{"name":"ICurrencyIdentifiersStatics3","features":[125]},{"name":"IGeographicRegion","features":[125]},{"name":"IGeographicRegionFactory","features":[125]},{"name":"IGeographicRegionStatics","features":[125]},{"name":"IJapanesePhoneme","features":[125]},{"name":"IJapanesePhoneticAnalyzerStatics","features":[125]},{"name":"ILanguage","features":[125]},{"name":"ILanguage2","features":[125]},{"name":"ILanguage3","features":[125]},{"name":"ILanguageExtensionSubtags","features":[125]},{"name":"ILanguageFactory","features":[125]},{"name":"ILanguageStatics","features":[125]},{"name":"ILanguageStatics2","features":[125]},{"name":"ILanguageStatics3","features":[125]},{"name":"INumeralSystemIdentifiersStatics","features":[125]},{"name":"INumeralSystemIdentifiersStatics2","features":[125]},{"name":"ITimeZoneOnCalendar","features":[125]},{"name":"JapanesePhoneme","features":[125]},{"name":"JapanesePhoneticAnalyzer","features":[125]},{"name":"Language","features":[125]},{"name":"LanguageLayoutDirection","features":[125]},{"name":"NumeralSystemIdentifiers","features":[125]}],"130":[{"name":"CharacterGrouping","features":[126]},{"name":"CharacterGroupings","features":[126]},{"name":"ICharacterGrouping","features":[126]},{"name":"ICharacterGroupings","features":[126]},{"name":"ICharacterGroupingsFactory","features":[126]}],"131":[{"name":"DateTimeFormatter","features":[127]},{"name":"DayFormat","features":[127]},{"name":"DayOfWeekFormat","features":[127]},{"name":"HourFormat","features":[127]},{"name":"IDateTimeFormatter","features":[127]},{"name":"IDateTimeFormatter2","features":[127]},{"name":"IDateTimeFormatterFactory","features":[127]},{"name":"IDateTimeFormatterStatics","features":[127]},{"name":"MinuteFormat","features":[127]},{"name":"MonthFormat","features":[127]},{"name":"SecondFormat","features":[127]},{"name":"YearFormat","features":[127]}],"132":[{"name":"ILanguageFont","features":[128]},{"name":"ILanguageFontGroup","features":[128]},{"name":"ILanguageFontGroupFactory","features":[128]},{"name":"LanguageFont","features":[128]},{"name":"LanguageFontGroup","features":[128]}],"133":[{"name":"CurrencyFormatter","features":[129]},{"name":"CurrencyFormatterMode","features":[129]},{"name":"DecimalFormatter","features":[129]},{"name":"ICurrencyFormatter","features":[129]},{"name":"ICurrencyFormatter2","features":[129]},{"name":"ICurrencyFormatterFactory","features":[129]},{"name":"IDecimalFormatterFactory","features":[129]},{"name":"IIncrementNumberRounder","features":[129]},{"name":"INumberFormatter","features":[129]},{"name":"INumberFormatter2","features":[129]},{"name":"INumberFormatterOptions","features":[129]},{"name":"INumberParser","features":[129]},{"name":"INumberRounder","features":[129]},{"name":"INumberRounderOption","features":[129]},{"name":"INumeralSystemTranslator","features":[129]},{"name":"INumeralSystemTranslatorFactory","features":[129]},{"name":"IPercentFormatterFactory","features":[129]},{"name":"IPermilleFormatterFactory","features":[129]},{"name":"ISignedZeroOption","features":[129]},{"name":"ISignificantDigitsNumberRounder","features":[129]},{"name":"ISignificantDigitsOption","features":[129]},{"name":"IncrementNumberRounder","features":[129]},{"name":"NumeralSystemTranslator","features":[129]},{"name":"PercentFormatter","features":[129]},{"name":"PermilleFormatter","features":[129]},{"name":"RoundingAlgorithm","features":[129]},{"name":"SignificantDigitsNumberRounder","features":[129]}],"134":[{"name":"IPhoneNumberFormatter","features":[130]},{"name":"IPhoneNumberFormatterStatics","features":[130]},{"name":"IPhoneNumberInfo","features":[130]},{"name":"IPhoneNumberInfoFactory","features":[130]},{"name":"IPhoneNumberInfoStatics","features":[130]},{"name":"PhoneNumberFormat","features":[130]},{"name":"PhoneNumberFormatter","features":[130]},{"name":"PhoneNumberInfo","features":[130]},{"name":"PhoneNumberMatchResult","features":[130]},{"name":"PhoneNumberParseResult","features":[130]},{"name":"PredictedPhoneNumberKind","features":[130]}],"135":[{"name":"DisplayAdapterId","features":[131]},{"name":"DisplayId","features":[131]},{"name":"IGeometrySource2D","features":[131]},{"name":"PointInt32","features":[131]},{"name":"RectInt32","features":[131]},{"name":"SizeInt32","features":[131]}],"136":[{"name":"Direct3D11CaptureFrame","features":[132]},{"name":"Direct3D11CaptureFramePool","features":[132]},{"name":"GraphicsCaptureAccess","features":[132]},{"name":"GraphicsCaptureAccessKind","features":[132]},{"name":"GraphicsCaptureItem","features":[132]},{"name":"GraphicsCapturePicker","features":[132]},{"name":"GraphicsCaptureSession","features":[132]},{"name":"IDirect3D11CaptureFrame","features":[132]},{"name":"IDirect3D11CaptureFramePool","features":[132]},{"name":"IDirect3D11CaptureFramePoolStatics","features":[132]},{"name":"IDirect3D11CaptureFramePoolStatics2","features":[132]},{"name":"IGraphicsCaptureAccessStatics","features":[132]},{"name":"IGraphicsCaptureItem","features":[132]},{"name":"IGraphicsCaptureItemStatics","features":[132]},{"name":"IGraphicsCaptureItemStatics2","features":[132]},{"name":"IGraphicsCapturePicker","features":[132]},{"name":"IGraphicsCaptureSession","features":[132]},{"name":"IGraphicsCaptureSession2","features":[132]},{"name":"IGraphicsCaptureSession3","features":[132]},{"name":"IGraphicsCaptureSessionStatics","features":[132]}],"137":[{"name":"DirectXAlphaMode","features":[133]},{"name":"DirectXColorSpace","features":[133]},{"name":"DirectXPixelFormat","features":[133]},{"name":"DirectXPrimitiveTopology","features":[133]}],"138":[{"name":"Direct3DBindings","features":[134]},{"name":"Direct3DMultisampleDescription","features":[134]},{"name":"Direct3DSurfaceDescription","features":[134]},{"name":"Direct3DUsage","features":[134]},{"name":"IDirect3DDevice","features":[134]},{"name":"IDirect3DSurface","features":[134]}],"139":[{"name":"AdvancedColorInfo","features":[135]},{"name":"AdvancedColorKind","features":[135]},{"name":"BrightnessOverride","features":[135]},{"name":"BrightnessOverrideSettings","features":[135]},{"name":"ColorOverrideSettings","features":[135]},{"name":"DisplayBrightnessOverrideOptions","features":[135]},{"name":"DisplayBrightnessOverrideScenario","features":[135]},{"name":"DisplayBrightnessScenario","features":[135]},{"name":"DisplayColorOverrideScenario","features":[135]},{"name":"DisplayEnhancementOverride","features":[135]},{"name":"DisplayEnhancementOverrideCapabilities","features":[135]},{"name":"DisplayEnhancementOverrideCapabilitiesChangedEventArgs","features":[135]},{"name":"DisplayInformation","features":[135]},{"name":"DisplayOrientations","features":[135]},{"name":"DisplayProperties","features":[135,3]},{"name":"DisplayPropertiesEventHandler","features":[135,3]},{"name":"DisplayServices","features":[135]},{"name":"HdrMetadataFormat","features":[135]},{"name":"IAdvancedColorInfo","features":[135]},{"name":"IBrightnessOverride","features":[135]},{"name":"IBrightnessOverrideSettings","features":[135]},{"name":"IBrightnessOverrideSettingsStatics","features":[135]},{"name":"IBrightnessOverrideStatics","features":[135]},{"name":"IColorOverrideSettings","features":[135]},{"name":"IColorOverrideSettingsStatics","features":[135]},{"name":"IDisplayEnhancementOverride","features":[135]},{"name":"IDisplayEnhancementOverrideCapabilities","features":[135]},{"name":"IDisplayEnhancementOverrideCapabilitiesChangedEventArgs","features":[135]},{"name":"IDisplayEnhancementOverrideStatics","features":[135]},{"name":"IDisplayInformation","features":[135]},{"name":"IDisplayInformation2","features":[135]},{"name":"IDisplayInformation3","features":[135]},{"name":"IDisplayInformation4","features":[135]},{"name":"IDisplayInformation5","features":[135]},{"name":"IDisplayInformationStatics","features":[135]},{"name":"IDisplayPropertiesStatics","features":[135,3]},{"name":"IDisplayServices","features":[135]},{"name":"IDisplayServicesStatics","features":[135]},{"name":"NitRange","features":[135]},{"name":"ResolutionScale","features":[135]}],"140":[{"name":"HdmiDisplayColorSpace","features":[136]},{"name":"HdmiDisplayHdr2086Metadata","features":[136]},{"name":"HdmiDisplayHdrOption","features":[136]},{"name":"HdmiDisplayInformation","features":[136]},{"name":"HdmiDisplayMode","features":[136]},{"name":"HdmiDisplayPixelEncoding","features":[136]},{"name":"IHdmiDisplayInformation","features":[136]},{"name":"IHdmiDisplayInformationStatics","features":[136]},{"name":"IHdmiDisplayMode","features":[136]},{"name":"IHdmiDisplayMode2","features":[136]}],"141":[{"name":"IGraphicsEffect","features":[137]},{"name":"IGraphicsEffectSource","features":[137]}],"142":[{"name":"HolographicAdapterId","features":[138]},{"name":"HolographicCamera","features":[138]},{"name":"HolographicCameraPose","features":[138]},{"name":"HolographicCameraRenderingParameters","features":[138]},{"name":"HolographicCameraViewportParameters","features":[138]},{"name":"HolographicDepthReprojectionMethod","features":[138]},{"name":"HolographicDisplay","features":[138]},{"name":"HolographicFrame","features":[138]},{"name":"HolographicFrameId","features":[138]},{"name":"HolographicFramePrediction","features":[138]},{"name":"HolographicFramePresentResult","features":[138]},{"name":"HolographicFramePresentWaitBehavior","features":[138]},{"name":"HolographicFramePresentationMonitor","features":[138,3]},{"name":"HolographicFramePresentationReport","features":[138,3]},{"name":"HolographicFrameRenderingReport","features":[138]},{"name":"HolographicFrameScanoutMonitor","features":[138]},{"name":"HolographicFrameScanoutReport","features":[138]},{"name":"HolographicQuadLayer","features":[138]},{"name":"HolographicQuadLayerUpdateParameters","features":[138]},{"name":"HolographicReprojectionMode","features":[138]},{"name":"HolographicSpace","features":[138]},{"name":"HolographicSpaceCameraAddedEventArgs","features":[138]},{"name":"HolographicSpaceCameraRemovedEventArgs","features":[138]},{"name":"HolographicSpaceUserPresence","features":[138]},{"name":"HolographicStereoTransform","features":[73,138]},{"name":"HolographicViewConfiguration","features":[138]},{"name":"HolographicViewConfigurationKind","features":[138]},{"name":"IHolographicCamera","features":[138]},{"name":"IHolographicCamera2","features":[138]},{"name":"IHolographicCamera3","features":[138]},{"name":"IHolographicCamera4","features":[138]},{"name":"IHolographicCamera5","features":[138]},{"name":"IHolographicCamera6","features":[138]},{"name":"IHolographicCameraPose","features":[138]},{"name":"IHolographicCameraPose2","features":[138]},{"name":"IHolographicCameraRenderingParameters","features":[138]},{"name":"IHolographicCameraRenderingParameters2","features":[138]},{"name":"IHolographicCameraRenderingParameters3","features":[138]},{"name":"IHolographicCameraRenderingParameters4","features":[138]},{"name":"IHolographicCameraViewportParameters","features":[138]},{"name":"IHolographicDisplay","features":[138]},{"name":"IHolographicDisplay2","features":[138]},{"name":"IHolographicDisplay3","features":[138]},{"name":"IHolographicDisplayStatics","features":[138]},{"name":"IHolographicFrame","features":[138]},{"name":"IHolographicFrame2","features":[138]},{"name":"IHolographicFrame3","features":[138]},{"name":"IHolographicFramePrediction","features":[138]},{"name":"IHolographicFramePresentationMonitor","features":[138,3]},{"name":"IHolographicFramePresentationReport","features":[138,3]},{"name":"IHolographicFrameRenderingReport","features":[138]},{"name":"IHolographicFrameScanoutMonitor","features":[138]},{"name":"IHolographicFrameScanoutReport","features":[138]},{"name":"IHolographicQuadLayer","features":[138]},{"name":"IHolographicQuadLayerFactory","features":[138]},{"name":"IHolographicQuadLayerUpdateParameters","features":[138]},{"name":"IHolographicQuadLayerUpdateParameters2","features":[138]},{"name":"IHolographicSpace","features":[138]},{"name":"IHolographicSpace2","features":[138]},{"name":"IHolographicSpace3","features":[138]},{"name":"IHolographicSpaceCameraAddedEventArgs","features":[138]},{"name":"IHolographicSpaceCameraRemovedEventArgs","features":[138]},{"name":"IHolographicSpaceStatics","features":[138]},{"name":"IHolographicSpaceStatics2","features":[138]},{"name":"IHolographicSpaceStatics3","features":[138]},{"name":"IHolographicViewConfiguration","features":[138]},{"name":"IHolographicViewConfiguration2","features":[138]}],"143":[{"name":"BitmapAlphaMode","features":[139]},{"name":"BitmapBounds","features":[139]},{"name":"BitmapBuffer","features":[139]},{"name":"BitmapBufferAccessMode","features":[139]},{"name":"BitmapCodecInformation","features":[139]},{"name":"BitmapDecoder","features":[139]},{"name":"BitmapEncoder","features":[139]},{"name":"BitmapFlip","features":[139]},{"name":"BitmapFrame","features":[139]},{"name":"BitmapInterpolationMode","features":[139]},{"name":"BitmapPixelFormat","features":[139]},{"name":"BitmapPlaneDescription","features":[139]},{"name":"BitmapProperties","features":[139]},{"name":"BitmapPropertiesView","features":[139]},{"name":"BitmapPropertySet","features":[37,139]},{"name":"BitmapRotation","features":[139]},{"name":"BitmapSize","features":[139]},{"name":"BitmapTransform","features":[139]},{"name":"BitmapTypedValue","features":[139]},{"name":"ColorManagementMode","features":[139]},{"name":"ExifOrientationMode","features":[139]},{"name":"IBitmapBuffer","features":[139]},{"name":"IBitmapCodecInformation","features":[139]},{"name":"IBitmapDecoder","features":[139]},{"name":"IBitmapDecoderStatics","features":[139]},{"name":"IBitmapDecoderStatics2","features":[139]},{"name":"IBitmapEncoder","features":[139]},{"name":"IBitmapEncoderStatics","features":[139]},{"name":"IBitmapEncoderStatics2","features":[139]},{"name":"IBitmapEncoderWithSoftwareBitmap","features":[139]},{"name":"IBitmapFrame","features":[139]},{"name":"IBitmapFrameWithSoftwareBitmap","features":[139]},{"name":"IBitmapProperties","features":[139]},{"name":"IBitmapPropertiesView","features":[139]},{"name":"IBitmapTransform","features":[139]},{"name":"IBitmapTypedValue","features":[139]},{"name":"IBitmapTypedValueFactory","features":[139]},{"name":"IPixelDataProvider","features":[139]},{"name":"ISoftwareBitmap","features":[139]},{"name":"ISoftwareBitmapFactory","features":[139]},{"name":"ISoftwareBitmapStatics","features":[139]},{"name":"ImageStream","features":[139,75]},{"name":"JpegSubsamplingMode","features":[139]},{"name":"PixelDataProvider","features":[139]},{"name":"PngFilterMode","features":[139]},{"name":"SoftwareBitmap","features":[139]},{"name":"TiffCompressionMode","features":[139]}],"144":[{"name":"IPrintDocumentSource","features":[140]},{"name":"IPrintManager","features":[140]},{"name":"IPrintManagerStatic","features":[140]},{"name":"IPrintManagerStatic2","features":[140]},{"name":"IPrintPageInfo","features":[140]},{"name":"IPrintPageRange","features":[140]},{"name":"IPrintPageRangeFactory","features":[140]},{"name":"IPrintPageRangeOptions","features":[140]},{"name":"IPrintTask","features":[140]},{"name":"IPrintTask2","features":[140]},{"name":"IPrintTaskCompletedEventArgs","features":[140]},{"name":"IPrintTaskOptions","features":[140]},{"name":"IPrintTaskOptions2","features":[140]},{"name":"IPrintTaskOptionsCore","features":[140]},{"name":"IPrintTaskOptionsCoreProperties","features":[140]},{"name":"IPrintTaskOptionsCoreUIConfiguration","features":[140]},{"name":"IPrintTaskProgressingEventArgs","features":[140]},{"name":"IPrintTaskRequest","features":[140]},{"name":"IPrintTaskRequestedDeferral","features":[140]},{"name":"IPrintTaskRequestedEventArgs","features":[140]},{"name":"IPrintTaskSourceRequestedArgs","features":[140]},{"name":"IPrintTaskSourceRequestedDeferral","features":[140]},{"name":"IPrintTaskTargetDeviceSupport","features":[140]},{"name":"IStandardPrintTaskOptionsStatic","features":[140]},{"name":"IStandardPrintTaskOptionsStatic2","features":[140]},{"name":"IStandardPrintTaskOptionsStatic3","features":[140]},{"name":"PrintBinding","features":[140]},{"name":"PrintBordering","features":[140]},{"name":"PrintCollation","features":[140]},{"name":"PrintColorMode","features":[140]},{"name":"PrintDuplex","features":[140]},{"name":"PrintHolePunch","features":[140]},{"name":"PrintManager","features":[140]},{"name":"PrintMediaSize","features":[140]},{"name":"PrintMediaType","features":[140]},{"name":"PrintOrientation","features":[140]},{"name":"PrintPageDescription","features":[81,140]},{"name":"PrintPageInfo","features":[140]},{"name":"PrintPageRange","features":[140]},{"name":"PrintPageRangeOptions","features":[140]},{"name":"PrintQuality","features":[140]},{"name":"PrintStaple","features":[140]},{"name":"PrintTask","features":[140]},{"name":"PrintTaskCompletedEventArgs","features":[140]},{"name":"PrintTaskCompletion","features":[140]},{"name":"PrintTaskOptions","features":[140]},{"name":"PrintTaskProgressingEventArgs","features":[140]},{"name":"PrintTaskRequest","features":[140]},{"name":"PrintTaskRequestedDeferral","features":[140]},{"name":"PrintTaskRequestedEventArgs","features":[140]},{"name":"PrintTaskSourceRequestedArgs","features":[140]},{"name":"PrintTaskSourceRequestedDeferral","features":[140]},{"name":"PrintTaskSourceRequestedHandler","features":[140]},{"name":"StandardPrintTaskOptions","features":[140]}],"145":[{"name":"IPrintBindingOptionDetails","features":[141]},{"name":"IPrintBorderingOptionDetails","features":[141]},{"name":"IPrintCollationOptionDetails","features":[141]},{"name":"IPrintColorModeOptionDetails","features":[141]},{"name":"IPrintCopiesOptionDetails","features":[141]},{"name":"IPrintCustomItemDetails","features":[141]},{"name":"IPrintCustomItemListOptionDetails","features":[141]},{"name":"IPrintCustomItemListOptionDetails2","features":[141]},{"name":"IPrintCustomItemListOptionDetails3","features":[141]},{"name":"IPrintCustomOptionDetails","features":[141]},{"name":"IPrintCustomTextOptionDetails","features":[141]},{"name":"IPrintCustomTextOptionDetails2","features":[141]},{"name":"IPrintCustomToggleOptionDetails","features":[141]},{"name":"IPrintDuplexOptionDetails","features":[141]},{"name":"IPrintHolePunchOptionDetails","features":[141]},{"name":"IPrintItemListOptionDetails","features":[141]},{"name":"IPrintMediaSizeOptionDetails","features":[141]},{"name":"IPrintMediaTypeOptionDetails","features":[141]},{"name":"IPrintNumberOptionDetails","features":[141]},{"name":"IPrintOptionDetails","features":[141]},{"name":"IPrintOrientationOptionDetails","features":[141]},{"name":"IPrintPageRangeOptionDetails","features":[141]},{"name":"IPrintQualityOptionDetails","features":[141]},{"name":"IPrintStapleOptionDetails","features":[141]},{"name":"IPrintTaskOptionChangedEventArgs","features":[141]},{"name":"IPrintTaskOptionDetails","features":[141]},{"name":"IPrintTaskOptionDetails2","features":[141]},{"name":"IPrintTaskOptionDetailsStatic","features":[141]},{"name":"IPrintTextOptionDetails","features":[141]},{"name":"PrintBindingOptionDetails","features":[141]},{"name":"PrintBorderingOptionDetails","features":[141]},{"name":"PrintCollationOptionDetails","features":[141]},{"name":"PrintColorModeOptionDetails","features":[141]},{"name":"PrintCopiesOptionDetails","features":[141]},{"name":"PrintCustomItemDetails","features":[141]},{"name":"PrintCustomItemListOptionDetails","features":[141]},{"name":"PrintCustomTextOptionDetails","features":[141]},{"name":"PrintCustomToggleOptionDetails","features":[141]},{"name":"PrintDuplexOptionDetails","features":[141]},{"name":"PrintHolePunchOptionDetails","features":[141]},{"name":"PrintMediaSizeOptionDetails","features":[141]},{"name":"PrintMediaTypeOptionDetails","features":[141]},{"name":"PrintOptionStates","features":[141]},{"name":"PrintOptionType","features":[141]},{"name":"PrintOrientationOptionDetails","features":[141]},{"name":"PrintPageRangeOptionDetails","features":[141]},{"name":"PrintQualityOptionDetails","features":[141]},{"name":"PrintStapleOptionDetails","features":[141]},{"name":"PrintTaskOptionChangedEventArgs","features":[141]},{"name":"PrintTaskOptionDetails","features":[141]}],"146":[{"name":"IPrintSupportExtensionSession","features":[142]},{"name":"IPrintSupportExtensionSession2","features":[142]},{"name":"IPrintSupportExtensionTriggerDetails","features":[142]},{"name":"IPrintSupportPrintDeviceCapabilitiesChangedEventArgs","features":[142]},{"name":"IPrintSupportPrintDeviceCapabilitiesChangedEventArgs2","features":[142]},{"name":"IPrintSupportPrintDeviceCapabilitiesUpdatePolicy","features":[142]},{"name":"IPrintSupportPrintDeviceCapabilitiesUpdatePolicyStatics","features":[142]},{"name":"IPrintSupportPrintTicketElement","features":[142]},{"name":"IPrintSupportPrintTicketValidationRequestedEventArgs","features":[142]},{"name":"IPrintSupportPrinterSelectedEventArgs","features":[142]},{"name":"IPrintSupportSessionInfo","features":[142]},{"name":"IPrintSupportSettingsActivatedEventArgs","features":[142]},{"name":"IPrintSupportSettingsUISession","features":[142]},{"name":"PrintSupportExtensionSession","features":[142]},{"name":"PrintSupportExtensionTriggerDetails","features":[142]},{"name":"PrintSupportPrintDeviceCapabilitiesChangedEventArgs","features":[142]},{"name":"PrintSupportPrintDeviceCapabilitiesUpdatePolicy","features":[142]},{"name":"PrintSupportPrintTicketElement","features":[142]},{"name":"PrintSupportPrintTicketValidationRequestedEventArgs","features":[142]},{"name":"PrintSupportPrinterSelectedEventArgs","features":[142]},{"name":"PrintSupportSessionInfo","features":[142]},{"name":"PrintSupportSettingsActivatedEventArgs","features":[142]},{"name":"PrintSupportSettingsUISession","features":[142]},{"name":"SettingsLaunchKind","features":[142]},{"name":"WorkflowPrintTicketValidationStatus","features":[142]}],"147":[{"name":"IPrintTicketCapabilities","features":[143]},{"name":"IPrintTicketFeature","features":[143]},{"name":"IPrintTicketOption","features":[143]},{"name":"IPrintTicketParameterDefinition","features":[143]},{"name":"IPrintTicketParameterInitializer","features":[143]},{"name":"IPrintTicketValue","features":[143]},{"name":"IWorkflowPrintTicket","features":[143]},{"name":"IWorkflowPrintTicketValidationResult","features":[143]},{"name":"PrintTicketCapabilities","features":[143]},{"name":"PrintTicketFeature","features":[143]},{"name":"PrintTicketFeatureSelectionType","features":[143]},{"name":"PrintTicketOption","features":[143]},{"name":"PrintTicketParameterDataType","features":[143]},{"name":"PrintTicketParameterDefinition","features":[143]},{"name":"PrintTicketParameterInitializer","features":[143]},{"name":"PrintTicketValue","features":[143]},{"name":"PrintTicketValueType","features":[143]},{"name":"WorkflowPrintTicket","features":[143]},{"name":"WorkflowPrintTicketValidationResult","features":[143]}],"148":[{"name":"IPrintWorkflowBackgroundSession","features":[144]},{"name":"IPrintWorkflowBackgroundSetupRequestedEventArgs","features":[144]},{"name":"IPrintWorkflowConfiguration","features":[144]},{"name":"IPrintWorkflowConfiguration2","features":[144]},{"name":"IPrintWorkflowForegroundSession","features":[144]},{"name":"IPrintWorkflowForegroundSetupRequestedEventArgs","features":[144]},{"name":"IPrintWorkflowJobActivatedEventArgs","features":[144]},{"name":"IPrintWorkflowJobBackgroundSession","features":[144]},{"name":"IPrintWorkflowJobNotificationEventArgs","features":[144]},{"name":"IPrintWorkflowJobStartingEventArgs","features":[144]},{"name":"IPrintWorkflowJobTriggerDetails","features":[144]},{"name":"IPrintWorkflowJobUISession","features":[144]},{"name":"IPrintWorkflowObjectModelSourceFileContent","features":[144]},{"name":"IPrintWorkflowObjectModelSourceFileContentFactory","features":[144]},{"name":"IPrintWorkflowObjectModelTargetPackage","features":[144]},{"name":"IPrintWorkflowPdlConverter","features":[144]},{"name":"IPrintWorkflowPdlConverter2","features":[144]},{"name":"IPrintWorkflowPdlDataAvailableEventArgs","features":[144]},{"name":"IPrintWorkflowPdlModificationRequestedEventArgs","features":[144]},{"name":"IPrintWorkflowPdlModificationRequestedEventArgs2","features":[144]},{"name":"IPrintWorkflowPdlSourceContent","features":[144]},{"name":"IPrintWorkflowPdlTargetStream","features":[144]},{"name":"IPrintWorkflowPrinterJob","features":[144]},{"name":"IPrintWorkflowSourceContent","features":[144]},{"name":"IPrintWorkflowSpoolStreamContent","features":[144]},{"name":"IPrintWorkflowStreamTarget","features":[144]},{"name":"IPrintWorkflowSubmittedEventArgs","features":[144]},{"name":"IPrintWorkflowSubmittedOperation","features":[144]},{"name":"IPrintWorkflowTarget","features":[144]},{"name":"IPrintWorkflowTriggerDetails","features":[144]},{"name":"IPrintWorkflowUIActivatedEventArgs","features":[144]},{"name":"IPrintWorkflowUILauncher","features":[144]},{"name":"IPrintWorkflowXpsDataAvailableEventArgs","features":[144]},{"name":"PdlConversionHostBasedProcessingOperations","features":[144]},{"name":"PrintWorkflowAttributesMergePolicy","features":[144]},{"name":"PrintWorkflowBackgroundSession","features":[144]},{"name":"PrintWorkflowBackgroundSetupRequestedEventArgs","features":[144]},{"name":"PrintWorkflowConfiguration","features":[144]},{"name":"PrintWorkflowForegroundSession","features":[144]},{"name":"PrintWorkflowForegroundSetupRequestedEventArgs","features":[144]},{"name":"PrintWorkflowJobAbortReason","features":[144]},{"name":"PrintWorkflowJobActivatedEventArgs","features":[144]},{"name":"PrintWorkflowJobBackgroundSession","features":[144]},{"name":"PrintWorkflowJobNotificationEventArgs","features":[144]},{"name":"PrintWorkflowJobStartingEventArgs","features":[144]},{"name":"PrintWorkflowJobTriggerDetails","features":[144]},{"name":"PrintWorkflowJobUISession","features":[144]},{"name":"PrintWorkflowObjectModelSourceFileContent","features":[144]},{"name":"PrintWorkflowObjectModelTargetPackage","features":[144]},{"name":"PrintWorkflowPdlConversionType","features":[144]},{"name":"PrintWorkflowPdlConverter","features":[144]},{"name":"PrintWorkflowPdlDataAvailableEventArgs","features":[144]},{"name":"PrintWorkflowPdlModificationRequestedEventArgs","features":[144]},{"name":"PrintWorkflowPdlSourceContent","features":[144]},{"name":"PrintWorkflowPdlTargetStream","features":[144]},{"name":"PrintWorkflowPrinterJob","features":[144]},{"name":"PrintWorkflowPrinterJobStatus","features":[144]},{"name":"PrintWorkflowSessionStatus","features":[144]},{"name":"PrintWorkflowSourceContent","features":[144]},{"name":"PrintWorkflowSpoolStreamContent","features":[144]},{"name":"PrintWorkflowStreamTarget","features":[144]},{"name":"PrintWorkflowSubmittedEventArgs","features":[144]},{"name":"PrintWorkflowSubmittedOperation","features":[144]},{"name":"PrintWorkflowSubmittedStatus","features":[144]},{"name":"PrintWorkflowTarget","features":[144]},{"name":"PrintWorkflowTriggerDetails","features":[144]},{"name":"PrintWorkflowUIActivatedEventArgs","features":[144]},{"name":"PrintWorkflowUICompletionStatus","features":[144]},{"name":"PrintWorkflowUILauncher","features":[144]},{"name":"PrintWorkflowXpsDataAvailableEventArgs","features":[144]}],"149":[{"name":"IPrint3DManager","features":[145]},{"name":"IPrint3DManagerStatics","features":[145]},{"name":"IPrint3DTask","features":[145]},{"name":"IPrint3DTaskCompletedEventArgs","features":[145]},{"name":"IPrint3DTaskRequest","features":[145]},{"name":"IPrint3DTaskRequestedEventArgs","features":[145]},{"name":"IPrint3DTaskSourceChangedEventArgs","features":[145]},{"name":"IPrint3DTaskSourceRequestedArgs","features":[145]},{"name":"IPrinting3D3MFPackage","features":[145]},{"name":"IPrinting3D3MFPackage2","features":[145]},{"name":"IPrinting3D3MFPackageStatics","features":[145]},{"name":"IPrinting3DBaseMaterial","features":[145]},{"name":"IPrinting3DBaseMaterialGroup","features":[145]},{"name":"IPrinting3DBaseMaterialGroupFactory","features":[145]},{"name":"IPrinting3DBaseMaterialStatics","features":[145]},{"name":"IPrinting3DColorMaterial","features":[145]},{"name":"IPrinting3DColorMaterial2","features":[145]},{"name":"IPrinting3DColorMaterialGroup","features":[145]},{"name":"IPrinting3DColorMaterialGroupFactory","features":[145]},{"name":"IPrinting3DComponent","features":[145]},{"name":"IPrinting3DComponentWithMatrix","features":[145]},{"name":"IPrinting3DCompositeMaterial","features":[145]},{"name":"IPrinting3DCompositeMaterialGroup","features":[145]},{"name":"IPrinting3DCompositeMaterialGroup2","features":[145]},{"name":"IPrinting3DCompositeMaterialGroupFactory","features":[145]},{"name":"IPrinting3DFaceReductionOptions","features":[145]},{"name":"IPrinting3DMaterial","features":[145]},{"name":"IPrinting3DMesh","features":[145]},{"name":"IPrinting3DMeshVerificationResult","features":[145]},{"name":"IPrinting3DModel","features":[145]},{"name":"IPrinting3DModel2","features":[145]},{"name":"IPrinting3DModelTexture","features":[145]},{"name":"IPrinting3DMultiplePropertyMaterial","features":[145]},{"name":"IPrinting3DMultiplePropertyMaterialGroup","features":[145]},{"name":"IPrinting3DMultiplePropertyMaterialGroupFactory","features":[145]},{"name":"IPrinting3DTexture2CoordMaterial","features":[145]},{"name":"IPrinting3DTexture2CoordMaterialGroup","features":[145]},{"name":"IPrinting3DTexture2CoordMaterialGroup2","features":[145]},{"name":"IPrinting3DTexture2CoordMaterialGroupFactory","features":[145]},{"name":"IPrinting3DTextureResource","features":[145]},{"name":"Print3DManager","features":[145]},{"name":"Print3DTask","features":[145]},{"name":"Print3DTaskCompletedEventArgs","features":[145]},{"name":"Print3DTaskCompletion","features":[145]},{"name":"Print3DTaskDetail","features":[145]},{"name":"Print3DTaskRequest","features":[145]},{"name":"Print3DTaskRequestedEventArgs","features":[145]},{"name":"Print3DTaskSourceChangedEventArgs","features":[145]},{"name":"Print3DTaskSourceRequestedArgs","features":[145]},{"name":"Print3DTaskSourceRequestedHandler","features":[145]},{"name":"Printing3D3MFPackage","features":[145]},{"name":"Printing3DBaseMaterial","features":[145]},{"name":"Printing3DBaseMaterialGroup","features":[145]},{"name":"Printing3DBufferDescription","features":[145]},{"name":"Printing3DBufferFormat","features":[145]},{"name":"Printing3DColorMaterial","features":[145]},{"name":"Printing3DColorMaterialGroup","features":[145]},{"name":"Printing3DComponent","features":[145]},{"name":"Printing3DComponentWithMatrix","features":[145]},{"name":"Printing3DCompositeMaterial","features":[145]},{"name":"Printing3DCompositeMaterialGroup","features":[145]},{"name":"Printing3DContract","features":[145]},{"name":"Printing3DFaceReductionOptions","features":[145]},{"name":"Printing3DMaterial","features":[145]},{"name":"Printing3DMesh","features":[145]},{"name":"Printing3DMeshVerificationMode","features":[145]},{"name":"Printing3DMeshVerificationResult","features":[145]},{"name":"Printing3DModel","features":[145]},{"name":"Printing3DModelTexture","features":[145]},{"name":"Printing3DModelUnit","features":[145]},{"name":"Printing3DMultiplePropertyMaterial","features":[145]},{"name":"Printing3DMultiplePropertyMaterialGroup","features":[145]},{"name":"Printing3DObjectType","features":[145]},{"name":"Printing3DPackageCompression","features":[145]},{"name":"Printing3DTexture2CoordMaterial","features":[145]},{"name":"Printing3DTexture2CoordMaterialGroup","features":[145]},{"name":"Printing3DTextureEdgeBehavior","features":[145]},{"name":"Printing3DTextureResource","features":[145]}],"150":[{"name":"IMdmAlert","features":[146]},{"name":"IMdmSession","features":[146]},{"name":"IMdmSessionManagerStatics","features":[146]},{"name":"MdmAlert","features":[146]},{"name":"MdmAlertDataType","features":[146]},{"name":"MdmAlertMark","features":[146]},{"name":"MdmSession","features":[146]},{"name":"MdmSessionManager","features":[146]},{"name":"MdmSessionState","features":[146]}],"151":[{"name":"ApplicationDataManager","features":[147]},{"name":"IApplicationDataManager","features":[147]},{"name":"IApplicationDataManagerStatics","features":[147]}],"152":[{"name":"AddPackageByAppInstallerOptions","features":[148]},{"name":"AddPackageOptions","features":[148]},{"name":"AppInstallerManager","features":[148]},{"name":"AutoUpdateSettingsOptions","features":[148]},{"name":"CreateSharedPackageContainerOptions","features":[148]},{"name":"CreateSharedPackageContainerResult","features":[148]},{"name":"DeleteSharedPackageContainerOptions","features":[148]},{"name":"DeleteSharedPackageContainerResult","features":[148]},{"name":"DeploymentOptions","features":[148]},{"name":"DeploymentProgress","features":[148]},{"name":"DeploymentProgressState","features":[148]},{"name":"DeploymentResult","features":[148]},{"name":"FindSharedPackageContainerOptions","features":[148]},{"name":"IAddPackageOptions","features":[148]},{"name":"IAddPackageOptions2","features":[148]},{"name":"IAppInstallerManager","features":[148]},{"name":"IAppInstallerManagerStatics","features":[148]},{"name":"IAutoUpdateSettingsOptions","features":[148]},{"name":"IAutoUpdateSettingsOptionsStatics","features":[148]},{"name":"ICreateSharedPackageContainerOptions","features":[148]},{"name":"ICreateSharedPackageContainerResult","features":[148]},{"name":"IDeleteSharedPackageContainerOptions","features":[148]},{"name":"IDeleteSharedPackageContainerResult","features":[148]},{"name":"IDeploymentResult","features":[148]},{"name":"IDeploymentResult2","features":[148]},{"name":"IFindSharedPackageContainerOptions","features":[148]},{"name":"IPackageAllUserProvisioningOptions","features":[148]},{"name":"IPackageManager","features":[148]},{"name":"IPackageManager10","features":[148]},{"name":"IPackageManager2","features":[148]},{"name":"IPackageManager3","features":[148]},{"name":"IPackageManager4","features":[148]},{"name":"IPackageManager5","features":[148]},{"name":"IPackageManager6","features":[148]},{"name":"IPackageManager7","features":[148]},{"name":"IPackageManager8","features":[148]},{"name":"IPackageManager9","features":[148]},{"name":"IPackageManagerDebugSettings","features":[148]},{"name":"IPackageUserInformation","features":[148]},{"name":"IPackageVolume","features":[148]},{"name":"IPackageVolume2","features":[148]},{"name":"IRegisterPackageOptions","features":[148]},{"name":"IRegisterPackageOptions2","features":[148]},{"name":"ISharedPackageContainer","features":[148]},{"name":"ISharedPackageContainerManager","features":[148]},{"name":"ISharedPackageContainerManagerStatics","features":[148]},{"name":"ISharedPackageContainerMember","features":[148]},{"name":"ISharedPackageContainerMemberFactory","features":[148]},{"name":"IStagePackageOptions","features":[148]},{"name":"IStagePackageOptions2","features":[148]},{"name":"IUpdateSharedPackageContainerOptions","features":[148]},{"name":"IUpdateSharedPackageContainerResult","features":[148]},{"name":"PackageAllUserProvisioningOptions","features":[148]},{"name":"PackageInstallState","features":[148]},{"name":"PackageManager","features":[148]},{"name":"PackageManagerDebugSettings","features":[148]},{"name":"PackageState","features":[148]},{"name":"PackageStatus","features":[148]},{"name":"PackageStubPreference","features":[148]},{"name":"PackageTypes","features":[148]},{"name":"PackageUserInformation","features":[148]},{"name":"PackageVolume","features":[148]},{"name":"RegisterPackageOptions","features":[148]},{"name":"RemovalOptions","features":[148]},{"name":"SharedPackageContainer","features":[148]},{"name":"SharedPackageContainerContract","features":[148]},{"name":"SharedPackageContainerCreationCollisionOptions","features":[148]},{"name":"SharedPackageContainerManager","features":[148]},{"name":"SharedPackageContainerMember","features":[148]},{"name":"SharedPackageContainerOperationStatus","features":[148]},{"name":"StagePackageOptions","features":[148]},{"name":"StubPackageOption","features":[148]},{"name":"UpdateSharedPackageContainerOptions","features":[148]},{"name":"UpdateSharedPackageContainerResult","features":[148]}],"153":[{"name":"ClassicAppManager","features":[149]},{"name":"DeploymentPreviewContract","features":[149]},{"name":"IClassicAppManagerStatics","features":[149]},{"name":"IInstalledClassicAppInfo","features":[149]},{"name":"InstalledClassicAppInfo","features":[149]}],"154":[{"name":"INamedPolicyData","features":[150]},{"name":"INamedPolicyStatics","features":[150]},{"name":"NamedPolicy","features":[150]},{"name":"NamedPolicyData","features":[150]},{"name":"NamedPolicyKind","features":[150]}],"155":[{"name":"IPreviewBuildsManager","features":[151]},{"name":"IPreviewBuildsManagerStatics","features":[151]},{"name":"IPreviewBuildsState","features":[151]},{"name":"IWindowsUpdate","features":[151]},{"name":"IWindowsUpdateActionCompletedEventArgs","features":[151]},{"name":"IWindowsUpdateActionProgress","features":[151]},{"name":"IWindowsUpdateActionResult","features":[151]},{"name":"IWindowsUpdateAdministrator","features":[151]},{"name":"IWindowsUpdateAdministratorStatics","features":[151]},{"name":"IWindowsUpdateApprovalData","features":[151]},{"name":"IWindowsUpdateAttentionRequiredInfo","features":[151]},{"name":"IWindowsUpdateAttentionRequiredReasonChangedEventArgs","features":[151]},{"name":"IWindowsUpdateGetAdministratorResult","features":[151]},{"name":"IWindowsUpdateItem","features":[151]},{"name":"IWindowsUpdateManager","features":[151]},{"name":"IWindowsUpdateManagerFactory","features":[151]},{"name":"IWindowsUpdateProgressChangedEventArgs","features":[151]},{"name":"IWindowsUpdateRestartRequestOptions","features":[151]},{"name":"IWindowsUpdateRestartRequestOptionsFactory","features":[151]},{"name":"IWindowsUpdateScanCompletedEventArgs","features":[151]},{"name":"PreviewBuildsManager","features":[151]},{"name":"PreviewBuildsState","features":[151]},{"name":"WindowsUpdate","features":[151]},{"name":"WindowsUpdateActionCompletedEventArgs","features":[151]},{"name":"WindowsUpdateActionProgress","features":[151]},{"name":"WindowsUpdateActionResult","features":[151]},{"name":"WindowsUpdateAdministrator","features":[151]},{"name":"WindowsUpdateAdministratorOptions","features":[151]},{"name":"WindowsUpdateAdministratorStatus","features":[151]},{"name":"WindowsUpdateApprovalData","features":[151]},{"name":"WindowsUpdateAttentionRequiredInfo","features":[151]},{"name":"WindowsUpdateAttentionRequiredReason","features":[151]},{"name":"WindowsUpdateAttentionRequiredReasonChangedEventArgs","features":[151]},{"name":"WindowsUpdateContract","features":[151]},{"name":"WindowsUpdateGetAdministratorResult","features":[151]},{"name":"WindowsUpdateItem","features":[151]},{"name":"WindowsUpdateManager","features":[151]},{"name":"WindowsUpdateProgressChangedEventArgs","features":[151]},{"name":"WindowsUpdateRestartRequestOptions","features":[151]},{"name":"WindowsUpdateScanCompletedEventArgs","features":[151]}],"156":[{"name":"IMdmAllowPolicyStatics","features":[152]},{"name":"IMdmPolicyStatics2","features":[152]},{"name":"IWorkplaceSettingsStatics","features":[152]},{"name":"MdmPolicy","features":[152]},{"name":"MessagingSyncPolicy","features":[152]},{"name":"WorkplaceSettings","features":[152]},{"name":"WorkplaceSettingsContract","features":[152]}],"157":[{"name":"AudioBuffer","features":[153]},{"name":"AudioBufferAccessMode","features":[153]},{"name":"AudioFrame","features":[153]},{"name":"AudioProcessing","features":[153]},{"name":"AutoRepeatModeChangeRequestedEventArgs","features":[153]},{"name":"IAudioBuffer","features":[153]},{"name":"IAudioFrame","features":[153]},{"name":"IAudioFrameFactory","features":[153]},{"name":"IAutoRepeatModeChangeRequestedEventArgs","features":[153]},{"name":"IImageDisplayProperties","features":[153]},{"name":"IMediaControl","features":[153,3]},{"name":"IMediaExtension","features":[153]},{"name":"IMediaExtensionManager","features":[153]},{"name":"IMediaExtensionManager2","features":[153]},{"name":"IMediaFrame","features":[153]},{"name":"IMediaMarker","features":[153]},{"name":"IMediaMarkerTypesStatics","features":[153]},{"name":"IMediaMarkers","features":[153]},{"name":"IMediaProcessingTriggerDetails","features":[153]},{"name":"IMediaTimelineController","features":[153]},{"name":"IMediaTimelineController2","features":[153]},{"name":"IMediaTimelineControllerFailedEventArgs","features":[153]},{"name":"IMusicDisplayProperties","features":[153]},{"name":"IMusicDisplayProperties2","features":[153]},{"name":"IMusicDisplayProperties3","features":[153]},{"name":"IPlaybackPositionChangeRequestedEventArgs","features":[153]},{"name":"IPlaybackRateChangeRequestedEventArgs","features":[153]},{"name":"IShuffleEnabledChangeRequestedEventArgs","features":[153]},{"name":"ISystemMediaTransportControls","features":[153]},{"name":"ISystemMediaTransportControls2","features":[153]},{"name":"ISystemMediaTransportControlsButtonPressedEventArgs","features":[153]},{"name":"ISystemMediaTransportControlsDisplayUpdater","features":[153]},{"name":"ISystemMediaTransportControlsPropertyChangedEventArgs","features":[153]},{"name":"ISystemMediaTransportControlsStatics","features":[153]},{"name":"ISystemMediaTransportControlsTimelineProperties","features":[153]},{"name":"IVideoDisplayProperties","features":[153]},{"name":"IVideoDisplayProperties2","features":[153]},{"name":"IVideoEffectsStatics","features":[153]},{"name":"IVideoFrame","features":[153]},{"name":"IVideoFrame2","features":[153]},{"name":"IVideoFrameFactory","features":[153]},{"name":"IVideoFrameStatics","features":[153]},{"name":"ImageDisplayProperties","features":[153]},{"name":"MediaControl","features":[153,3]},{"name":"MediaControlContract","features":[153]},{"name":"MediaExtensionManager","features":[153]},{"name":"MediaMarkerTypes","features":[153]},{"name":"MediaPlaybackAutoRepeatMode","features":[153]},{"name":"MediaPlaybackStatus","features":[153]},{"name":"MediaPlaybackType","features":[153]},{"name":"MediaProcessingTriggerDetails","features":[153]},{"name":"MediaTimeRange","features":[81,153]},{"name":"MediaTimelineController","features":[153]},{"name":"MediaTimelineControllerFailedEventArgs","features":[153]},{"name":"MediaTimelineControllerState","features":[153]},{"name":"MusicDisplayProperties","features":[153]},{"name":"PlaybackPositionChangeRequestedEventArgs","features":[153]},{"name":"PlaybackRateChangeRequestedEventArgs","features":[153]},{"name":"ShuffleEnabledChangeRequestedEventArgs","features":[153]},{"name":"SoundLevel","features":[153]},{"name":"SystemMediaTransportControls","features":[153]},{"name":"SystemMediaTransportControlsButton","features":[153]},{"name":"SystemMediaTransportControlsButtonPressedEventArgs","features":[153]},{"name":"SystemMediaTransportControlsDisplayUpdater","features":[153]},{"name":"SystemMediaTransportControlsProperty","features":[153]},{"name":"SystemMediaTransportControlsPropertyChangedEventArgs","features":[153]},{"name":"SystemMediaTransportControlsTimelineProperties","features":[153]},{"name":"VideoDisplayProperties","features":[153]},{"name":"VideoEffects","features":[153]},{"name":"VideoFrame","features":[153]}],"158":[{"name":"AppBroadcastingContract","features":[154]},{"name":"AppBroadcastingMonitor","features":[154]},{"name":"AppBroadcastingStatus","features":[154]},{"name":"AppBroadcastingStatusDetails","features":[154]},{"name":"AppBroadcastingUI","features":[154]},{"name":"IAppBroadcastingMonitor","features":[154]},{"name":"IAppBroadcastingStatus","features":[154]},{"name":"IAppBroadcastingStatusDetails","features":[154]},{"name":"IAppBroadcastingUI","features":[154]},{"name":"IAppBroadcastingUIStatics","features":[154]}],"159":[{"name":"AppRecordingContract","features":[155]},{"name":"AppRecordingManager","features":[155]},{"name":"AppRecordingResult","features":[155]},{"name":"AppRecordingSaveScreenshotOption","features":[155]},{"name":"AppRecordingSaveScreenshotResult","features":[155]},{"name":"AppRecordingSavedScreenshotInfo","features":[155]},{"name":"AppRecordingStatus","features":[155]},{"name":"AppRecordingStatusDetails","features":[155]},{"name":"IAppRecordingManager","features":[155]},{"name":"IAppRecordingManagerStatics","features":[155]},{"name":"IAppRecordingResult","features":[155]},{"name":"IAppRecordingSaveScreenshotResult","features":[155]},{"name":"IAppRecordingSavedScreenshotInfo","features":[155]},{"name":"IAppRecordingStatus","features":[155]},{"name":"IAppRecordingStatusDetails","features":[155]}],"160":[{"name":"AudioDeviceInputNode","features":[156]},{"name":"AudioDeviceNodeCreationStatus","features":[156]},{"name":"AudioDeviceOutputNode","features":[156]},{"name":"AudioFileInputNode","features":[156]},{"name":"AudioFileNodeCreationStatus","features":[156]},{"name":"AudioFileOutputNode","features":[156]},{"name":"AudioFrameCompletedEventArgs","features":[156]},{"name":"AudioFrameInputNode","features":[156]},{"name":"AudioFrameOutputNode","features":[156]},{"name":"AudioGraph","features":[156]},{"name":"AudioGraphBatchUpdater","features":[81,156]},{"name":"AudioGraphConnection","features":[156]},{"name":"AudioGraphCreationStatus","features":[156]},{"name":"AudioGraphSettings","features":[156]},{"name":"AudioGraphUnrecoverableError","features":[156]},{"name":"AudioGraphUnrecoverableErrorOccurredEventArgs","features":[156]},{"name":"AudioNodeEmitter","features":[156]},{"name":"AudioNodeEmitterConeProperties","features":[156]},{"name":"AudioNodeEmitterDecayKind","features":[156]},{"name":"AudioNodeEmitterDecayModel","features":[156]},{"name":"AudioNodeEmitterNaturalDecayModelProperties","features":[156]},{"name":"AudioNodeEmitterSettings","features":[156]},{"name":"AudioNodeEmitterShape","features":[156]},{"name":"AudioNodeEmitterShapeKind","features":[156]},{"name":"AudioNodeListener","features":[156]},{"name":"AudioPlaybackConnection","features":[156]},{"name":"AudioPlaybackConnectionOpenResult","features":[156]},{"name":"AudioPlaybackConnectionOpenResultStatus","features":[156]},{"name":"AudioPlaybackConnectionState","features":[156]},{"name":"AudioStateMonitor","features":[156]},{"name":"AudioSubmixNode","features":[156]},{"name":"CreateAudioDeviceInputNodeResult","features":[156]},{"name":"CreateAudioDeviceOutputNodeResult","features":[156]},{"name":"CreateAudioFileInputNodeResult","features":[156]},{"name":"CreateAudioFileOutputNodeResult","features":[156]},{"name":"CreateAudioGraphResult","features":[156]},{"name":"CreateMediaSourceAudioInputNodeResult","features":[156]},{"name":"EchoEffectDefinition","features":[156]},{"name":"EqualizerBand","features":[156]},{"name":"EqualizerEffectDefinition","features":[156]},{"name":"FrameInputNodeQuantumStartedEventArgs","features":[156]},{"name":"IAudioDeviceInputNode","features":[156]},{"name":"IAudioDeviceOutputNode","features":[156]},{"name":"IAudioFileInputNode","features":[156]},{"name":"IAudioFileOutputNode","features":[156]},{"name":"IAudioFrameCompletedEventArgs","features":[156]},{"name":"IAudioFrameInputNode","features":[156]},{"name":"IAudioFrameOutputNode","features":[156]},{"name":"IAudioGraph","features":[156]},{"name":"IAudioGraph2","features":[156]},{"name":"IAudioGraph3","features":[156]},{"name":"IAudioGraphConnection","features":[156]},{"name":"IAudioGraphSettings","features":[156]},{"name":"IAudioGraphSettings2","features":[156]},{"name":"IAudioGraphSettingsFactory","features":[156]},{"name":"IAudioGraphStatics","features":[156]},{"name":"IAudioGraphUnrecoverableErrorOccurredEventArgs","features":[156]},{"name":"IAudioInputNode","features":[156]},{"name":"IAudioInputNode2","features":[156]},{"name":"IAudioNode","features":[156]},{"name":"IAudioNodeEmitter","features":[156]},{"name":"IAudioNodeEmitter2","features":[156]},{"name":"IAudioNodeEmitterConeProperties","features":[156]},{"name":"IAudioNodeEmitterDecayModel","features":[156]},{"name":"IAudioNodeEmitterDecayModelStatics","features":[156]},{"name":"IAudioNodeEmitterFactory","features":[156]},{"name":"IAudioNodeEmitterNaturalDecayModelProperties","features":[156]},{"name":"IAudioNodeEmitterShape","features":[156]},{"name":"IAudioNodeEmitterShapeStatics","features":[156]},{"name":"IAudioNodeListener","features":[156]},{"name":"IAudioNodeWithListener","features":[156]},{"name":"IAudioPlaybackConnection","features":[156]},{"name":"IAudioPlaybackConnectionOpenResult","features":[156]},{"name":"IAudioPlaybackConnectionStatics","features":[156]},{"name":"IAudioStateMonitor","features":[156]},{"name":"IAudioStateMonitorStatics","features":[156]},{"name":"ICreateAudioDeviceInputNodeResult","features":[156]},{"name":"ICreateAudioDeviceInputNodeResult2","features":[156]},{"name":"ICreateAudioDeviceOutputNodeResult","features":[156]},{"name":"ICreateAudioDeviceOutputNodeResult2","features":[156]},{"name":"ICreateAudioFileInputNodeResult","features":[156]},{"name":"ICreateAudioFileInputNodeResult2","features":[156]},{"name":"ICreateAudioFileOutputNodeResult","features":[156]},{"name":"ICreateAudioFileOutputNodeResult2","features":[156]},{"name":"ICreateAudioGraphResult","features":[156]},{"name":"ICreateAudioGraphResult2","features":[156]},{"name":"ICreateMediaSourceAudioInputNodeResult","features":[156]},{"name":"ICreateMediaSourceAudioInputNodeResult2","features":[156]},{"name":"IEchoEffectDefinition","features":[156]},{"name":"IEchoEffectDefinitionFactory","features":[156]},{"name":"IEqualizerBand","features":[156]},{"name":"IEqualizerEffectDefinition","features":[156]},{"name":"IEqualizerEffectDefinitionFactory","features":[156]},{"name":"IFrameInputNodeQuantumStartedEventArgs","features":[156]},{"name":"ILimiterEffectDefinition","features":[156]},{"name":"ILimiterEffectDefinitionFactory","features":[156]},{"name":"IMediaSourceAudioInputNode","features":[156]},{"name":"IReverbEffectDefinition","features":[156]},{"name":"IReverbEffectDefinitionFactory","features":[156]},{"name":"ISetDefaultSpatialAudioFormatResult","features":[156]},{"name":"ISpatialAudioDeviceConfiguration","features":[156]},{"name":"ISpatialAudioDeviceConfigurationStatics","features":[156]},{"name":"ISpatialAudioFormatConfiguration","features":[156]},{"name":"ISpatialAudioFormatConfigurationStatics","features":[156]},{"name":"ISpatialAudioFormatSubtypeStatics","features":[156]},{"name":"ISpatialAudioFormatSubtypeStatics2","features":[156]},{"name":"LimiterEffectDefinition","features":[156]},{"name":"MediaSourceAudioInputNode","features":[156]},{"name":"MediaSourceAudioInputNodeCreationStatus","features":[156]},{"name":"MixedRealitySpatialAudioFormatPolicy","features":[156]},{"name":"QuantumSizeSelectionMode","features":[156]},{"name":"ReverbEffectDefinition","features":[156]},{"name":"SetDefaultSpatialAudioFormatResult","features":[156]},{"name":"SetDefaultSpatialAudioFormatStatus","features":[156]},{"name":"SpatialAudioDeviceConfiguration","features":[156]},{"name":"SpatialAudioFormatConfiguration","features":[156]},{"name":"SpatialAudioFormatSubtype","features":[156]},{"name":"SpatialAudioModel","features":[156]}],"161":[{"name":"AdvancedCapturedPhoto","features":[157]},{"name":"AdvancedPhotoCapture","features":[157]},{"name":"AppBroadcastBackgroundService","features":[157]},{"name":"AppBroadcastBackgroundServiceSignInInfo","features":[157]},{"name":"AppBroadcastBackgroundServiceStreamInfo","features":[157]},{"name":"AppBroadcastCameraCaptureState","features":[157]},{"name":"AppBroadcastCameraCaptureStateChangedEventArgs","features":[157]},{"name":"AppBroadcastCameraOverlayLocation","features":[157]},{"name":"AppBroadcastCameraOverlaySize","features":[157]},{"name":"AppBroadcastCaptureTargetType","features":[157]},{"name":"AppBroadcastContract","features":[157]},{"name":"AppBroadcastExitBroadcastModeReason","features":[157]},{"name":"AppBroadcastGlobalSettings","features":[157]},{"name":"AppBroadcastHeartbeatRequestedEventArgs","features":[157]},{"name":"AppBroadcastManager","features":[157]},{"name":"AppBroadcastMicrophoneCaptureState","features":[157]},{"name":"AppBroadcastMicrophoneCaptureStateChangedEventArgs","features":[157]},{"name":"AppBroadcastPlugIn","features":[157]},{"name":"AppBroadcastPlugInManager","features":[157]},{"name":"AppBroadcastPlugInState","features":[157]},{"name":"AppBroadcastPlugInStateChangedEventArgs","features":[157]},{"name":"AppBroadcastPreview","features":[157]},{"name":"AppBroadcastPreviewState","features":[157]},{"name":"AppBroadcastPreviewStateChangedEventArgs","features":[157]},{"name":"AppBroadcastPreviewStreamReader","features":[157]},{"name":"AppBroadcastPreviewStreamVideoFrame","features":[157]},{"name":"AppBroadcastPreviewStreamVideoHeader","features":[157]},{"name":"AppBroadcastProviderSettings","features":[157]},{"name":"AppBroadcastServices","features":[157]},{"name":"AppBroadcastSignInResult","features":[157]},{"name":"AppBroadcastSignInState","features":[157]},{"name":"AppBroadcastSignInStateChangedEventArgs","features":[157]},{"name":"AppBroadcastState","features":[157]},{"name":"AppBroadcastStreamAudioFrame","features":[157]},{"name":"AppBroadcastStreamAudioHeader","features":[157]},{"name":"AppBroadcastStreamReader","features":[157]},{"name":"AppBroadcastStreamState","features":[157]},{"name":"AppBroadcastStreamStateChangedEventArgs","features":[157]},{"name":"AppBroadcastStreamVideoFrame","features":[157]},{"name":"AppBroadcastStreamVideoHeader","features":[157]},{"name":"AppBroadcastTerminationReason","features":[157]},{"name":"AppBroadcastTriggerDetails","features":[157]},{"name":"AppBroadcastVideoEncodingBitrateMode","features":[157]},{"name":"AppBroadcastVideoEncodingResolutionMode","features":[157]},{"name":"AppBroadcastViewerCountChangedEventArgs","features":[157]},{"name":"AppCapture","features":[157]},{"name":"AppCaptureAlternateShortcutKeys","features":[157]},{"name":"AppCaptureContract","features":[157]},{"name":"AppCaptureDurationGeneratedEventArgs","features":[157]},{"name":"AppCaptureFileGeneratedEventArgs","features":[157]},{"name":"AppCaptureHistoricalBufferLengthUnit","features":[157]},{"name":"AppCaptureManager","features":[157]},{"name":"AppCaptureMetadataContract","features":[157]},{"name":"AppCaptureMetadataPriority","features":[157]},{"name":"AppCaptureMetadataWriter","features":[157]},{"name":"AppCaptureMicrophoneCaptureState","features":[157]},{"name":"AppCaptureMicrophoneCaptureStateChangedEventArgs","features":[157]},{"name":"AppCaptureRecordOperation","features":[157]},{"name":"AppCaptureRecordingState","features":[157]},{"name":"AppCaptureRecordingStateChangedEventArgs","features":[157]},{"name":"AppCaptureServices","features":[157]},{"name":"AppCaptureSettings","features":[157]},{"name":"AppCaptureState","features":[157]},{"name":"AppCaptureVideoEncodingBitrateMode","features":[157]},{"name":"AppCaptureVideoEncodingFrameRateMode","features":[157]},{"name":"AppCaptureVideoEncodingResolutionMode","features":[157]},{"name":"CameraCaptureUI","features":[157]},{"name":"CameraCaptureUIContract","features":[157]},{"name":"CameraCaptureUIMaxPhotoResolution","features":[157]},{"name":"CameraCaptureUIMaxVideoResolution","features":[157]},{"name":"CameraCaptureUIMode","features":[157]},{"name":"CameraCaptureUIPhotoCaptureSettings","features":[157]},{"name":"CameraCaptureUIPhotoFormat","features":[157]},{"name":"CameraCaptureUIVideoCaptureSettings","features":[157]},{"name":"CameraCaptureUIVideoFormat","features":[157]},{"name":"CameraOptionsUI","features":[157]},{"name":"CapturedFrame","features":[157]},{"name":"CapturedFrameControlValues","features":[157]},{"name":"CapturedPhoto","features":[157]},{"name":"ForegroundActivationArgument","features":[157]},{"name":"GameBarCommand","features":[157]},{"name":"GameBarCommandOrigin","features":[157]},{"name":"GameBarContract","features":[157]},{"name":"GameBarServices","features":[157]},{"name":"GameBarServicesCommandEventArgs","features":[157]},{"name":"GameBarServicesDisplayMode","features":[157]},{"name":"GameBarServicesManager","features":[157]},{"name":"GameBarServicesManagerGameBarServicesCreatedEventArgs","features":[157]},{"name":"GameBarServicesTargetInfo","features":[157]},{"name":"GameBarTargetCapturePolicy","features":[157]},{"name":"IAdvancedCapturedPhoto","features":[157]},{"name":"IAdvancedCapturedPhoto2","features":[157]},{"name":"IAdvancedPhotoCapture","features":[157]},{"name":"IAppBroadcastBackgroundService","features":[157]},{"name":"IAppBroadcastBackgroundService2","features":[157]},{"name":"IAppBroadcastBackgroundServiceSignInInfo","features":[157]},{"name":"IAppBroadcastBackgroundServiceSignInInfo2","features":[157]},{"name":"IAppBroadcastBackgroundServiceStreamInfo","features":[157]},{"name":"IAppBroadcastBackgroundServiceStreamInfo2","features":[157]},{"name":"IAppBroadcastCameraCaptureStateChangedEventArgs","features":[157]},{"name":"IAppBroadcastGlobalSettings","features":[157]},{"name":"IAppBroadcastHeartbeatRequestedEventArgs","features":[157]},{"name":"IAppBroadcastManagerStatics","features":[157]},{"name":"IAppBroadcastMicrophoneCaptureStateChangedEventArgs","features":[157]},{"name":"IAppBroadcastPlugIn","features":[157]},{"name":"IAppBroadcastPlugInManager","features":[157]},{"name":"IAppBroadcastPlugInManagerStatics","features":[157]},{"name":"IAppBroadcastPlugInStateChangedEventArgs","features":[157]},{"name":"IAppBroadcastPreview","features":[157]},{"name":"IAppBroadcastPreviewStateChangedEventArgs","features":[157]},{"name":"IAppBroadcastPreviewStreamReader","features":[157]},{"name":"IAppBroadcastPreviewStreamVideoFrame","features":[157]},{"name":"IAppBroadcastPreviewStreamVideoHeader","features":[157]},{"name":"IAppBroadcastProviderSettings","features":[157]},{"name":"IAppBroadcastServices","features":[157]},{"name":"IAppBroadcastSignInStateChangedEventArgs","features":[157]},{"name":"IAppBroadcastState","features":[157]},{"name":"IAppBroadcastStreamAudioFrame","features":[157]},{"name":"IAppBroadcastStreamAudioHeader","features":[157]},{"name":"IAppBroadcastStreamReader","features":[157]},{"name":"IAppBroadcastStreamStateChangedEventArgs","features":[157]},{"name":"IAppBroadcastStreamVideoFrame","features":[157]},{"name":"IAppBroadcastStreamVideoHeader","features":[157]},{"name":"IAppBroadcastTriggerDetails","features":[157]},{"name":"IAppBroadcastViewerCountChangedEventArgs","features":[157]},{"name":"IAppCapture","features":[157]},{"name":"IAppCaptureAlternateShortcutKeys","features":[157]},{"name":"IAppCaptureAlternateShortcutKeys2","features":[157]},{"name":"IAppCaptureAlternateShortcutKeys3","features":[157]},{"name":"IAppCaptureDurationGeneratedEventArgs","features":[157]},{"name":"IAppCaptureFileGeneratedEventArgs","features":[157]},{"name":"IAppCaptureManagerStatics","features":[157]},{"name":"IAppCaptureMetadataWriter","features":[157]},{"name":"IAppCaptureMicrophoneCaptureStateChangedEventArgs","features":[157]},{"name":"IAppCaptureRecordOperation","features":[157]},{"name":"IAppCaptureRecordingStateChangedEventArgs","features":[157]},{"name":"IAppCaptureServices","features":[157]},{"name":"IAppCaptureSettings","features":[157]},{"name":"IAppCaptureSettings2","features":[157]},{"name":"IAppCaptureSettings3","features":[157]},{"name":"IAppCaptureSettings4","features":[157]},{"name":"IAppCaptureSettings5","features":[157]},{"name":"IAppCaptureState","features":[157]},{"name":"IAppCaptureStatics","features":[157]},{"name":"IAppCaptureStatics2","features":[157]},{"name":"ICameraCaptureUI","features":[157]},{"name":"ICameraCaptureUIPhotoCaptureSettings","features":[157]},{"name":"ICameraCaptureUIVideoCaptureSettings","features":[157]},{"name":"ICameraOptionsUIStatics","features":[157]},{"name":"ICapturedFrame","features":[157]},{"name":"ICapturedFrame2","features":[157]},{"name":"ICapturedFrameControlValues","features":[157]},{"name":"ICapturedFrameControlValues2","features":[157]},{"name":"ICapturedFrameWithSoftwareBitmap","features":[157]},{"name":"ICapturedPhoto","features":[157]},{"name":"IGameBarServices","features":[157]},{"name":"IGameBarServicesCommandEventArgs","features":[157]},{"name":"IGameBarServicesManager","features":[157]},{"name":"IGameBarServicesManagerGameBarServicesCreatedEventArgs","features":[157]},{"name":"IGameBarServicesManagerStatics","features":[157]},{"name":"IGameBarServicesTargetInfo","features":[157]},{"name":"ILowLagMediaRecording","features":[157]},{"name":"ILowLagMediaRecording2","features":[157]},{"name":"ILowLagMediaRecording3","features":[157]},{"name":"ILowLagPhotoCapture","features":[157]},{"name":"ILowLagPhotoSequenceCapture","features":[157]},{"name":"IMediaCapture","features":[157]},{"name":"IMediaCapture2","features":[157]},{"name":"IMediaCapture3","features":[157]},{"name":"IMediaCapture4","features":[157]},{"name":"IMediaCapture5","features":[157]},{"name":"IMediaCapture6","features":[157]},{"name":"IMediaCapture7","features":[157]},{"name":"IMediaCaptureDeviceExclusiveControlStatusChangedEventArgs","features":[157]},{"name":"IMediaCaptureFailedEventArgs","features":[157]},{"name":"IMediaCaptureFocusChangedEventArgs","features":[157]},{"name":"IMediaCaptureInitializationSettings","features":[157]},{"name":"IMediaCaptureInitializationSettings2","features":[157]},{"name":"IMediaCaptureInitializationSettings3","features":[157]},{"name":"IMediaCaptureInitializationSettings4","features":[157]},{"name":"IMediaCaptureInitializationSettings5","features":[157]},{"name":"IMediaCaptureInitializationSettings6","features":[157]},{"name":"IMediaCaptureInitializationSettings7","features":[157]},{"name":"IMediaCapturePauseResult","features":[157]},{"name":"IMediaCaptureRelativePanelWatcher","features":[157]},{"name":"IMediaCaptureSettings","features":[157]},{"name":"IMediaCaptureSettings2","features":[157]},{"name":"IMediaCaptureSettings3","features":[157]},{"name":"IMediaCaptureStatics","features":[157]},{"name":"IMediaCaptureStopResult","features":[157]},{"name":"IMediaCaptureVideoPreview","features":[157]},{"name":"IMediaCaptureVideoProfile","features":[157]},{"name":"IMediaCaptureVideoProfile2","features":[157]},{"name":"IMediaCaptureVideoProfileMediaDescription","features":[157]},{"name":"IMediaCaptureVideoProfileMediaDescription2","features":[157]},{"name":"IOptionalReferencePhotoCapturedEventArgs","features":[157]},{"name":"IPhotoCapturedEventArgs","features":[157]},{"name":"IPhotoConfirmationCapturedEventArgs","features":[157]},{"name":"IScreenCapture","features":[157]},{"name":"IScreenCaptureStatics","features":[157]},{"name":"ISourceSuspensionChangedEventArgs","features":[157]},{"name":"IVideoStreamConfiguration","features":[157]},{"name":"KnownVideoProfile","features":[157]},{"name":"LowLagMediaRecording","features":[157]},{"name":"LowLagPhotoCapture","features":[157]},{"name":"LowLagPhotoSequenceCapture","features":[157]},{"name":"MediaCapture","features":[157]},{"name":"MediaCaptureDeviceExclusiveControlReleaseMode","features":[157]},{"name":"MediaCaptureDeviceExclusiveControlStatus","features":[157]},{"name":"MediaCaptureDeviceExclusiveControlStatusChangedEventArgs","features":[157]},{"name":"MediaCaptureFailedEventArgs","features":[157]},{"name":"MediaCaptureFailedEventHandler","features":[157]},{"name":"MediaCaptureFocusChangedEventArgs","features":[157]},{"name":"MediaCaptureInitializationSettings","features":[157]},{"name":"MediaCaptureMemoryPreference","features":[157]},{"name":"MediaCapturePauseResult","features":[157]},{"name":"MediaCaptureRelativePanelWatcher","features":[157]},{"name":"MediaCaptureSettings","features":[157]},{"name":"MediaCaptureSharingMode","features":[157]},{"name":"MediaCaptureStopResult","features":[157]},{"name":"MediaCaptureThermalStatus","features":[157]},{"name":"MediaCaptureVideoProfile","features":[157]},{"name":"MediaCaptureVideoProfileMediaDescription","features":[157]},{"name":"MediaCategory","features":[157]},{"name":"MediaStreamType","features":[157]},{"name":"OptionalReferencePhotoCapturedEventArgs","features":[157]},{"name":"PhotoCaptureSource","features":[157]},{"name":"PhotoCapturedEventArgs","features":[157]},{"name":"PhotoConfirmationCapturedEventArgs","features":[157]},{"name":"PowerlineFrequency","features":[157]},{"name":"RecordLimitationExceededEventHandler","features":[157]},{"name":"ScreenCapture","features":[157]},{"name":"SourceSuspensionChangedEventArgs","features":[157]},{"name":"StreamingCaptureMode","features":[157]},{"name":"VideoDeviceCharacteristic","features":[157]},{"name":"VideoRotation","features":[157]},{"name":"VideoStreamConfiguration","features":[157]},{"name":"WhiteBalanceGain","features":[157]}],"162":[{"name":"IVariablePhotoCapturedEventArgs","features":[158]},{"name":"IVariablePhotoSequenceCapture","features":[158]},{"name":"IVariablePhotoSequenceCapture2","features":[158]},{"name":"VariablePhotoCapturedEventArgs","features":[158]},{"name":"VariablePhotoSequenceCapture","features":[158]}],"163":[{"name":"AudioMediaFrame","features":[159]},{"name":"BufferMediaFrame","features":[159]},{"name":"DepthMediaFrame","features":[159]},{"name":"DepthMediaFrameFormat","features":[159]},{"name":"IAudioMediaFrame","features":[159]},{"name":"IBufferMediaFrame","features":[159]},{"name":"IDepthMediaFrame","features":[159]},{"name":"IDepthMediaFrame2","features":[159]},{"name":"IDepthMediaFrameFormat","features":[159]},{"name":"IInfraredMediaFrame","features":[159]},{"name":"IMediaFrameArrivedEventArgs","features":[159]},{"name":"IMediaFrameFormat","features":[159]},{"name":"IMediaFrameFormat2","features":[159]},{"name":"IMediaFrameReader","features":[159]},{"name":"IMediaFrameReader2","features":[159]},{"name":"IMediaFrameReference","features":[159]},{"name":"IMediaFrameReference2","features":[159]},{"name":"IMediaFrameSource","features":[159]},{"name":"IMediaFrameSourceController","features":[159]},{"name":"IMediaFrameSourceController2","features":[159]},{"name":"IMediaFrameSourceController3","features":[159]},{"name":"IMediaFrameSourceGetPropertyResult","features":[159]},{"name":"IMediaFrameSourceGroup","features":[159]},{"name":"IMediaFrameSourceGroupStatics","features":[159]},{"name":"IMediaFrameSourceInfo","features":[159]},{"name":"IMediaFrameSourceInfo2","features":[159]},{"name":"IMediaFrameSourceInfo3","features":[159]},{"name":"IMediaFrameSourceInfo4","features":[159]},{"name":"IMultiSourceMediaFrameArrivedEventArgs","features":[159]},{"name":"IMultiSourceMediaFrameReader","features":[159]},{"name":"IMultiSourceMediaFrameReader2","features":[159]},{"name":"IMultiSourceMediaFrameReference","features":[159]},{"name":"IVideoMediaFrame","features":[159]},{"name":"IVideoMediaFrameFormat","features":[159]},{"name":"InfraredMediaFrame","features":[159]},{"name":"MediaFrameArrivedEventArgs","features":[159]},{"name":"MediaFrameFormat","features":[159]},{"name":"MediaFrameReader","features":[159]},{"name":"MediaFrameReaderAcquisitionMode","features":[159]},{"name":"MediaFrameReaderStartStatus","features":[159]},{"name":"MediaFrameReference","features":[159]},{"name":"MediaFrameSource","features":[159]},{"name":"MediaFrameSourceController","features":[159]},{"name":"MediaFrameSourceGetPropertyResult","features":[159]},{"name":"MediaFrameSourceGetPropertyStatus","features":[159]},{"name":"MediaFrameSourceGroup","features":[159]},{"name":"MediaFrameSourceInfo","features":[159]},{"name":"MediaFrameSourceKind","features":[159]},{"name":"MediaFrameSourceSetPropertyStatus","features":[159]},{"name":"MultiSourceMediaFrameArrivedEventArgs","features":[159]},{"name":"MultiSourceMediaFrameReader","features":[159]},{"name":"MultiSourceMediaFrameReaderStartStatus","features":[159]},{"name":"MultiSourceMediaFrameReference","features":[159]},{"name":"VideoMediaFrame","features":[159]},{"name":"VideoMediaFrameFormat","features":[159]}],"164":[{"name":"CastingConnection","features":[160]},{"name":"CastingConnectionErrorOccurredEventArgs","features":[160]},{"name":"CastingConnectionErrorStatus","features":[160]},{"name":"CastingConnectionState","features":[160]},{"name":"CastingDevice","features":[160]},{"name":"CastingDevicePicker","features":[160]},{"name":"CastingDevicePickerFilter","features":[160]},{"name":"CastingDeviceSelectedEventArgs","features":[160]},{"name":"CastingPlaybackTypes","features":[160]},{"name":"CastingSource","features":[160]},{"name":"ICastingConnection","features":[160]},{"name":"ICastingConnectionErrorOccurredEventArgs","features":[160]},{"name":"ICastingDevice","features":[160]},{"name":"ICastingDevicePicker","features":[160]},{"name":"ICastingDevicePickerFilter","features":[160]},{"name":"ICastingDeviceSelectedEventArgs","features":[160]},{"name":"ICastingDeviceStatics","features":[160]},{"name":"ICastingSource","features":[160]}],"165":[{"name":"ClosedCaptionColor","features":[161]},{"name":"ClosedCaptionEdgeEffect","features":[161]},{"name":"ClosedCaptionOpacity","features":[161]},{"name":"ClosedCaptionProperties","features":[161]},{"name":"ClosedCaptionSize","features":[161]},{"name":"ClosedCaptionStyle","features":[161]},{"name":"IClosedCaptionPropertiesStatics","features":[161]},{"name":"IClosedCaptionPropertiesStatics2","features":[161]}],"166":[{"name":"ContentAccessRestrictionLevel","features":[162]},{"name":"ContentRestrictionsBrowsePolicy","features":[162]},{"name":"IContentRestrictionsBrowsePolicy","features":[162]},{"name":"IRatedContentDescription","features":[162]},{"name":"IRatedContentDescriptionFactory","features":[162]},{"name":"IRatedContentRestrictions","features":[162]},{"name":"IRatedContentRestrictionsFactory","features":[162]},{"name":"RatedContentCategory","features":[162]},{"name":"RatedContentDescription","features":[162]},{"name":"RatedContentRestrictions","features":[162]}],"167":[{"name":"CurrentSessionChangedEventArgs","features":[163]},{"name":"GlobalSystemMediaTransportControlsSession","features":[163]},{"name":"GlobalSystemMediaTransportControlsSessionManager","features":[163]},{"name":"GlobalSystemMediaTransportControlsSessionMediaProperties","features":[163]},{"name":"GlobalSystemMediaTransportControlsSessionPlaybackControls","features":[163]},{"name":"GlobalSystemMediaTransportControlsSessionPlaybackInfo","features":[163]},{"name":"GlobalSystemMediaTransportControlsSessionPlaybackStatus","features":[163]},{"name":"GlobalSystemMediaTransportControlsSessionTimelineProperties","features":[163]},{"name":"ICurrentSessionChangedEventArgs","features":[163]},{"name":"IGlobalSystemMediaTransportControlsSession","features":[163]},{"name":"IGlobalSystemMediaTransportControlsSessionManager","features":[163]},{"name":"IGlobalSystemMediaTransportControlsSessionManagerStatics","features":[163]},{"name":"IGlobalSystemMediaTransportControlsSessionMediaProperties","features":[163]},{"name":"IGlobalSystemMediaTransportControlsSessionPlaybackControls","features":[163]},{"name":"IGlobalSystemMediaTransportControlsSessionPlaybackInfo","features":[163]},{"name":"IGlobalSystemMediaTransportControlsSessionTimelineProperties","features":[163]},{"name":"IMediaPropertiesChangedEventArgs","features":[163]},{"name":"IPlaybackInfoChangedEventArgs","features":[163]},{"name":"ISessionsChangedEventArgs","features":[163]},{"name":"ITimelinePropertiesChangedEventArgs","features":[163]},{"name":"MediaPropertiesChangedEventArgs","features":[163]},{"name":"PlaybackInfoChangedEventArgs","features":[163]},{"name":"SessionsChangedEventArgs","features":[163]},{"name":"TimelinePropertiesChangedEventArgs","features":[163]}],"168":[{"name":"AudioDecoderDegradation","features":[164]},{"name":"AudioDecoderDegradationReason","features":[164]},{"name":"AudioStreamDescriptor","features":[164]},{"name":"AudioTrack","features":[164]},{"name":"AudioTrackOpenFailedEventArgs","features":[164]},{"name":"AudioTrackSupportInfo","features":[164]},{"name":"ChapterCue","features":[164]},{"name":"CodecCategory","features":[164]},{"name":"CodecInfo","features":[164]},{"name":"CodecKind","features":[164]},{"name":"CodecQuery","features":[164]},{"name":"CodecSubtypes","features":[164]},{"name":"DataCue","features":[164]},{"name":"FaceDetectedEventArgs","features":[164]},{"name":"FaceDetectionEffect","features":[164]},{"name":"FaceDetectionEffectDefinition","features":[164,165]},{"name":"FaceDetectionEffectFrame","features":[164]},{"name":"FaceDetectionMode","features":[164]},{"name":"HighDynamicRangeControl","features":[164]},{"name":"HighDynamicRangeOutput","features":[164]},{"name":"IAudioStreamDescriptor","features":[164]},{"name":"IAudioStreamDescriptor2","features":[164]},{"name":"IAudioStreamDescriptor3","features":[164]},{"name":"IAudioStreamDescriptorFactory","features":[164]},{"name":"IAudioTrack","features":[164]},{"name":"IAudioTrackOpenFailedEventArgs","features":[164]},{"name":"IAudioTrackSupportInfo","features":[164]},{"name":"IChapterCue","features":[164]},{"name":"ICodecInfo","features":[164]},{"name":"ICodecQuery","features":[164]},{"name":"ICodecSubtypesStatics","features":[164]},{"name":"IDataCue","features":[164]},{"name":"IDataCue2","features":[164]},{"name":"IFaceDetectedEventArgs","features":[164]},{"name":"IFaceDetectionEffect","features":[164]},{"name":"IFaceDetectionEffectDefinition","features":[164]},{"name":"IFaceDetectionEffectFrame","features":[164]},{"name":"IHighDynamicRangeControl","features":[164]},{"name":"IHighDynamicRangeOutput","features":[164]},{"name":"IImageCue","features":[164]},{"name":"IInitializeMediaStreamSourceRequestedEventArgs","features":[164]},{"name":"ILowLightFusionResult","features":[164]},{"name":"ILowLightFusionStatics","features":[164]},{"name":"IMediaBinder","features":[164]},{"name":"IMediaBindingEventArgs","features":[164]},{"name":"IMediaBindingEventArgs2","features":[164]},{"name":"IMediaBindingEventArgs3","features":[164]},{"name":"IMediaCue","features":[164]},{"name":"IMediaCueEventArgs","features":[164]},{"name":"IMediaSource","features":[164]},{"name":"IMediaSource2","features":[164]},{"name":"IMediaSource3","features":[164]},{"name":"IMediaSource4","features":[164]},{"name":"IMediaSource5","features":[164]},{"name":"IMediaSourceAppServiceConnection","features":[164]},{"name":"IMediaSourceAppServiceConnectionFactory","features":[164]},{"name":"IMediaSourceError","features":[164]},{"name":"IMediaSourceOpenOperationCompletedEventArgs","features":[164]},{"name":"IMediaSourceStateChangedEventArgs","features":[164]},{"name":"IMediaSourceStatics","features":[164]},{"name":"IMediaSourceStatics2","features":[164]},{"name":"IMediaSourceStatics3","features":[164]},{"name":"IMediaSourceStatics4","features":[164]},{"name":"IMediaStreamDescriptor","features":[164]},{"name":"IMediaStreamDescriptor2","features":[164]},{"name":"IMediaStreamSample","features":[164]},{"name":"IMediaStreamSample2","features":[164]},{"name":"IMediaStreamSampleProtectionProperties","features":[164]},{"name":"IMediaStreamSampleStatics","features":[164]},{"name":"IMediaStreamSampleStatics2","features":[164]},{"name":"IMediaStreamSource","features":[164]},{"name":"IMediaStreamSource2","features":[164]},{"name":"IMediaStreamSource3","features":[164]},{"name":"IMediaStreamSource4","features":[164]},{"name":"IMediaStreamSourceClosedEventArgs","features":[164]},{"name":"IMediaStreamSourceClosedRequest","features":[164]},{"name":"IMediaStreamSourceFactory","features":[164]},{"name":"IMediaStreamSourceSampleRenderedEventArgs","features":[164]},{"name":"IMediaStreamSourceSampleRequest","features":[164]},{"name":"IMediaStreamSourceSampleRequestDeferral","features":[164]},{"name":"IMediaStreamSourceSampleRequestedEventArgs","features":[164]},{"name":"IMediaStreamSourceStartingEventArgs","features":[164]},{"name":"IMediaStreamSourceStartingRequest","features":[164]},{"name":"IMediaStreamSourceStartingRequestDeferral","features":[164]},{"name":"IMediaStreamSourceSwitchStreamsRequest","features":[164]},{"name":"IMediaStreamSourceSwitchStreamsRequestDeferral","features":[164]},{"name":"IMediaStreamSourceSwitchStreamsRequestedEventArgs","features":[164]},{"name":"IMediaTrack","features":[164]},{"name":"IMseSourceBuffer","features":[164]},{"name":"IMseSourceBufferList","features":[164]},{"name":"IMseStreamSource","features":[164]},{"name":"IMseStreamSource2","features":[164]},{"name":"IMseStreamSourceStatics","features":[164]},{"name":"ISceneAnalysisEffect","features":[164]},{"name":"ISceneAnalysisEffectFrame","features":[164]},{"name":"ISceneAnalysisEffectFrame2","features":[164]},{"name":"ISceneAnalyzedEventArgs","features":[164]},{"name":"ISingleSelectMediaTrackList","features":[164]},{"name":"ISpeechCue","features":[164]},{"name":"ITimedMetadataStreamDescriptor","features":[164]},{"name":"ITimedMetadataStreamDescriptorFactory","features":[164]},{"name":"ITimedMetadataTrack","features":[164]},{"name":"ITimedMetadataTrack2","features":[164]},{"name":"ITimedMetadataTrackError","features":[164]},{"name":"ITimedMetadataTrackFactory","features":[164]},{"name":"ITimedMetadataTrackFailedEventArgs","features":[164]},{"name":"ITimedMetadataTrackProvider","features":[164]},{"name":"ITimedTextBouten","features":[164]},{"name":"ITimedTextCue","features":[164]},{"name":"ITimedTextLine","features":[164]},{"name":"ITimedTextRegion","features":[164]},{"name":"ITimedTextRuby","features":[164]},{"name":"ITimedTextSource","features":[164]},{"name":"ITimedTextSourceResolveResultEventArgs","features":[164]},{"name":"ITimedTextSourceStatics","features":[164]},{"name":"ITimedTextSourceStatics2","features":[164]},{"name":"ITimedTextStyle","features":[164]},{"name":"ITimedTextStyle2","features":[164]},{"name":"ITimedTextStyle3","features":[164]},{"name":"ITimedTextSubformat","features":[164]},{"name":"IVideoStabilizationEffect","features":[164]},{"name":"IVideoStabilizationEffectEnabledChangedEventArgs","features":[164]},{"name":"IVideoStreamDescriptor","features":[164]},{"name":"IVideoStreamDescriptor2","features":[164]},{"name":"IVideoStreamDescriptorFactory","features":[164]},{"name":"IVideoTrack","features":[164]},{"name":"IVideoTrackOpenFailedEventArgs","features":[164]},{"name":"IVideoTrackSupportInfo","features":[164]},{"name":"ImageCue","features":[164]},{"name":"InitializeMediaStreamSourceRequestedEventArgs","features":[164]},{"name":"LowLightFusion","features":[164]},{"name":"LowLightFusionResult","features":[164]},{"name":"MediaBinder","features":[164]},{"name":"MediaBindingEventArgs","features":[164]},{"name":"MediaCueEventArgs","features":[164]},{"name":"MediaDecoderStatus","features":[164]},{"name":"MediaSource","features":[164]},{"name":"MediaSourceAppServiceConnection","features":[164]},{"name":"MediaSourceError","features":[164]},{"name":"MediaSourceOpenOperationCompletedEventArgs","features":[164]},{"name":"MediaSourceState","features":[164]},{"name":"MediaSourceStateChangedEventArgs","features":[164]},{"name":"MediaSourceStatus","features":[164]},{"name":"MediaStreamSample","features":[164]},{"name":"MediaStreamSamplePropertySet","features":[37,164]},{"name":"MediaStreamSampleProtectionProperties","features":[164]},{"name":"MediaStreamSource","features":[164]},{"name":"MediaStreamSourceClosedEventArgs","features":[164]},{"name":"MediaStreamSourceClosedReason","features":[164]},{"name":"MediaStreamSourceClosedRequest","features":[164]},{"name":"MediaStreamSourceErrorStatus","features":[164]},{"name":"MediaStreamSourceSampleRenderedEventArgs","features":[164]},{"name":"MediaStreamSourceSampleRequest","features":[164]},{"name":"MediaStreamSourceSampleRequestDeferral","features":[164]},{"name":"MediaStreamSourceSampleRequestedEventArgs","features":[164]},{"name":"MediaStreamSourceStartingEventArgs","features":[164]},{"name":"MediaStreamSourceStartingRequest","features":[164]},{"name":"MediaStreamSourceStartingRequestDeferral","features":[164]},{"name":"MediaStreamSourceSwitchStreamsRequest","features":[164]},{"name":"MediaStreamSourceSwitchStreamsRequestDeferral","features":[164]},{"name":"MediaStreamSourceSwitchStreamsRequestedEventArgs","features":[164]},{"name":"MediaTrackKind","features":[164]},{"name":"MseAppendMode","features":[164]},{"name":"MseEndOfStreamStatus","features":[164]},{"name":"MseReadyState","features":[164]},{"name":"MseSourceBuffer","features":[164]},{"name":"MseSourceBufferList","features":[164]},{"name":"MseStreamSource","features":[164]},{"name":"MseTimeRange","features":[81,164]},{"name":"SceneAnalysisEffect","features":[164]},{"name":"SceneAnalysisEffectDefinition","features":[164,165]},{"name":"SceneAnalysisEffectFrame","features":[164]},{"name":"SceneAnalysisRecommendation","features":[164]},{"name":"SceneAnalyzedEventArgs","features":[164]},{"name":"SpeechCue","features":[164]},{"name":"TimedMetadataKind","features":[164]},{"name":"TimedMetadataStreamDescriptor","features":[164]},{"name":"TimedMetadataTrack","features":[164]},{"name":"TimedMetadataTrackError","features":[164]},{"name":"TimedMetadataTrackErrorCode","features":[164]},{"name":"TimedMetadataTrackFailedEventArgs","features":[164]},{"name":"TimedTextBouten","features":[164]},{"name":"TimedTextBoutenPosition","features":[164]},{"name":"TimedTextBoutenType","features":[164]},{"name":"TimedTextCue","features":[164]},{"name":"TimedTextDisplayAlignment","features":[164]},{"name":"TimedTextDouble","features":[164]},{"name":"TimedTextFlowDirection","features":[164]},{"name":"TimedTextFontStyle","features":[164]},{"name":"TimedTextLine","features":[164]},{"name":"TimedTextLineAlignment","features":[164]},{"name":"TimedTextPadding","features":[164]},{"name":"TimedTextPoint","features":[164]},{"name":"TimedTextRegion","features":[164]},{"name":"TimedTextRuby","features":[164]},{"name":"TimedTextRubyAlign","features":[164]},{"name":"TimedTextRubyPosition","features":[164]},{"name":"TimedTextRubyReserve","features":[164]},{"name":"TimedTextScrollMode","features":[164]},{"name":"TimedTextSize","features":[164]},{"name":"TimedTextSource","features":[164]},{"name":"TimedTextSourceResolveResultEventArgs","features":[164]},{"name":"TimedTextStyle","features":[164]},{"name":"TimedTextSubformat","features":[164]},{"name":"TimedTextUnit","features":[164]},{"name":"TimedTextWeight","features":[164]},{"name":"TimedTextWrapping","features":[164]},{"name":"TimedTextWritingMode","features":[164]},{"name":"VideoStabilizationEffect","features":[164]},{"name":"VideoStabilizationEffectDefinition","features":[164,165]},{"name":"VideoStabilizationEffectEnabledChangedEventArgs","features":[164]},{"name":"VideoStabilizationEffectEnabledChangedReason","features":[164]},{"name":"VideoStreamDescriptor","features":[164]},{"name":"VideoTrack","features":[164]},{"name":"VideoTrackOpenFailedEventArgs","features":[164]},{"name":"VideoTrackSupportInfo","features":[164]}],"169":[{"name":"ISoundLevelBrokerStatics","features":[166]},{"name":"SoundLevelBroker","features":[166]}],"170":[{"name":"AdvancedPhotoCaptureSettings","features":[167]},{"name":"AdvancedPhotoControl","features":[167]},{"name":"AdvancedPhotoMode","features":[167]},{"name":"AudioDeviceController","features":[167]},{"name":"AudioDeviceModule","features":[167]},{"name":"AudioDeviceModuleNotificationEventArgs","features":[167]},{"name":"AudioDeviceModulesManager","features":[167]},{"name":"AudioDeviceRole","features":[167]},{"name":"AutoFocusRange","features":[167]},{"name":"CallControl","features":[167]},{"name":"CallControlContract","features":[167]},{"name":"CallControlEventHandler","features":[167]},{"name":"CameraOcclusionInfo","features":[167]},{"name":"CameraOcclusionKind","features":[167]},{"name":"CameraOcclusionState","features":[167]},{"name":"CameraOcclusionStateChangedEventArgs","features":[167]},{"name":"CameraStreamState","features":[167]},{"name":"CaptureSceneMode","features":[167]},{"name":"CaptureUse","features":[167]},{"name":"ColorTemperaturePreset","features":[167]},{"name":"DefaultAudioCaptureDeviceChangedEventArgs","features":[167]},{"name":"DefaultAudioRenderDeviceChangedEventArgs","features":[167]},{"name":"DialRequestedEventArgs","features":[167]},{"name":"DialRequestedEventHandler","features":[167]},{"name":"DigitalWindowBounds","features":[167]},{"name":"DigitalWindowCapability","features":[167]},{"name":"DigitalWindowControl","features":[167]},{"name":"DigitalWindowMode","features":[167]},{"name":"ExposureCompensationControl","features":[167]},{"name":"ExposureControl","features":[167]},{"name":"ExposurePriorityVideoControl","features":[167]},{"name":"FlashControl","features":[167]},{"name":"FocusControl","features":[167]},{"name":"FocusMode","features":[167]},{"name":"FocusPreset","features":[167]},{"name":"FocusSettings","features":[167]},{"name":"HdrVideoControl","features":[167]},{"name":"HdrVideoMode","features":[167]},{"name":"IAdvancedPhotoCaptureSettings","features":[167]},{"name":"IAdvancedPhotoControl","features":[167]},{"name":"IAdvancedVideoCaptureDeviceController","features":[167]},{"name":"IAdvancedVideoCaptureDeviceController10","features":[167]},{"name":"IAdvancedVideoCaptureDeviceController11","features":[167]},{"name":"IAdvancedVideoCaptureDeviceController2","features":[167]},{"name":"IAdvancedVideoCaptureDeviceController3","features":[167]},{"name":"IAdvancedVideoCaptureDeviceController4","features":[167]},{"name":"IAdvancedVideoCaptureDeviceController5","features":[167]},{"name":"IAdvancedVideoCaptureDeviceController6","features":[167]},{"name":"IAdvancedVideoCaptureDeviceController7","features":[167]},{"name":"IAdvancedVideoCaptureDeviceController8","features":[167]},{"name":"IAdvancedVideoCaptureDeviceController9","features":[167]},{"name":"IAudioDeviceController","features":[167]},{"name":"IAudioDeviceModule","features":[167]},{"name":"IAudioDeviceModuleNotificationEventArgs","features":[167]},{"name":"IAudioDeviceModulesManager","features":[167]},{"name":"IAudioDeviceModulesManagerFactory","features":[167]},{"name":"ICallControl","features":[167]},{"name":"ICallControlStatics","features":[167]},{"name":"ICameraOcclusionInfo","features":[167]},{"name":"ICameraOcclusionState","features":[167]},{"name":"ICameraOcclusionStateChangedEventArgs","features":[167]},{"name":"IDefaultAudioDeviceChangedEventArgs","features":[167]},{"name":"IDialRequestedEventArgs","features":[167]},{"name":"IDigitalWindowBounds","features":[167]},{"name":"IDigitalWindowCapability","features":[167]},{"name":"IDigitalWindowControl","features":[167]},{"name":"IExposureCompensationControl","features":[167]},{"name":"IExposureControl","features":[167]},{"name":"IExposurePriorityVideoControl","features":[167]},{"name":"IFlashControl","features":[167]},{"name":"IFlashControl2","features":[167]},{"name":"IFocusControl","features":[167]},{"name":"IFocusControl2","features":[167]},{"name":"IFocusSettings","features":[167]},{"name":"IHdrVideoControl","features":[167]},{"name":"IInfraredTorchControl","features":[167]},{"name":"IIsoSpeedControl","features":[167]},{"name":"IIsoSpeedControl2","features":[167]},{"name":"IKeypadPressedEventArgs","features":[167]},{"name":"ILowLagPhotoControl","features":[167]},{"name":"ILowLagPhotoSequenceControl","features":[167]},{"name":"IMediaDeviceControl","features":[167]},{"name":"IMediaDeviceControlCapabilities","features":[167]},{"name":"IMediaDeviceController","features":[167]},{"name":"IMediaDeviceStatics","features":[167]},{"name":"IModuleCommandResult","features":[167]},{"name":"IOpticalImageStabilizationControl","features":[167]},{"name":"IPanelBasedOptimizationControl","features":[167]},{"name":"IPhotoConfirmationControl","features":[167]},{"name":"IRedialRequestedEventArgs","features":[167]},{"name":"IRegionOfInterest","features":[167]},{"name":"IRegionOfInterest2","features":[167]},{"name":"IRegionsOfInterestControl","features":[167]},{"name":"ISceneModeControl","features":[167]},{"name":"ITorchControl","features":[167]},{"name":"IVideoDeviceController","features":[167]},{"name":"IVideoDeviceControllerGetDevicePropertyResult","features":[167]},{"name":"IVideoTemporalDenoisingControl","features":[167]},{"name":"IWhiteBalanceControl","features":[167]},{"name":"IZoomControl","features":[167]},{"name":"IZoomControl2","features":[167]},{"name":"IZoomSettings","features":[167]},{"name":"InfraredTorchControl","features":[167]},{"name":"InfraredTorchMode","features":[167]},{"name":"IsoSpeedControl","features":[167]},{"name":"IsoSpeedPreset","features":[167,3]},{"name":"KeypadPressedEventArgs","features":[167]},{"name":"KeypadPressedEventHandler","features":[167]},{"name":"LowLagPhotoControl","features":[167]},{"name":"LowLagPhotoSequenceControl","features":[167]},{"name":"ManualFocusDistance","features":[167]},{"name":"MediaCaptureFocusState","features":[167]},{"name":"MediaCaptureOptimization","features":[167]},{"name":"MediaCapturePauseBehavior","features":[167]},{"name":"MediaDevice","features":[167]},{"name":"MediaDeviceControl","features":[167]},{"name":"MediaDeviceControlCapabilities","features":[167]},{"name":"ModuleCommandResult","features":[167]},{"name":"OpticalImageStabilizationControl","features":[167]},{"name":"OpticalImageStabilizationMode","features":[167]},{"name":"PanelBasedOptimizationControl","features":[167]},{"name":"PhotoConfirmationControl","features":[167]},{"name":"RedialRequestedEventArgs","features":[167]},{"name":"RedialRequestedEventHandler","features":[167]},{"name":"RegionOfInterest","features":[167]},{"name":"RegionOfInterestType","features":[167]},{"name":"RegionsOfInterestControl","features":[167]},{"name":"SceneModeControl","features":[167]},{"name":"SendCommandStatus","features":[167]},{"name":"TelephonyKey","features":[167]},{"name":"TorchControl","features":[167]},{"name":"VideoDeviceController","features":[167]},{"name":"VideoDeviceControllerGetDevicePropertyResult","features":[167]},{"name":"VideoDeviceControllerGetDevicePropertyStatus","features":[167]},{"name":"VideoDeviceControllerSetDevicePropertyStatus","features":[167]},{"name":"VideoTemporalDenoisingControl","features":[167]},{"name":"VideoTemporalDenoisingMode","features":[167]},{"name":"WhiteBalanceControl","features":[167]},{"name":"ZoomControl","features":[167]},{"name":"ZoomSettings","features":[167]},{"name":"ZoomTransitionMode","features":[167]}],"171":[{"name":"CameraIntrinsics","features":[168]},{"name":"DepthCorrelatedCoordinateMapper","features":[168]},{"name":"FrameControlCapabilities","features":[168]},{"name":"FrameController","features":[168]},{"name":"FrameExposureCapabilities","features":[168]},{"name":"FrameExposureCompensationCapabilities","features":[168]},{"name":"FrameExposureCompensationControl","features":[168]},{"name":"FrameExposureControl","features":[168]},{"name":"FrameFlashCapabilities","features":[168]},{"name":"FrameFlashControl","features":[168]},{"name":"FrameFlashMode","features":[168]},{"name":"FrameFocusCapabilities","features":[168]},{"name":"FrameFocusControl","features":[168]},{"name":"FrameIsoSpeedCapabilities","features":[168]},{"name":"FrameIsoSpeedControl","features":[168]},{"name":"ICameraIntrinsics","features":[168]},{"name":"ICameraIntrinsics2","features":[168]},{"name":"ICameraIntrinsicsFactory","features":[168]},{"name":"IDepthCorrelatedCoordinateMapper","features":[168]},{"name":"IFrameControlCapabilities","features":[168]},{"name":"IFrameControlCapabilities2","features":[168]},{"name":"IFrameController","features":[168]},{"name":"IFrameController2","features":[168]},{"name":"IFrameExposureCapabilities","features":[168]},{"name":"IFrameExposureCompensationCapabilities","features":[168]},{"name":"IFrameExposureCompensationControl","features":[168]},{"name":"IFrameExposureControl","features":[168]},{"name":"IFrameFlashCapabilities","features":[168]},{"name":"IFrameFlashControl","features":[168]},{"name":"IFrameFocusCapabilities","features":[168]},{"name":"IFrameFocusControl","features":[168]},{"name":"IFrameIsoSpeedCapabilities","features":[168]},{"name":"IFrameIsoSpeedControl","features":[168]},{"name":"IVariablePhotoSequenceController","features":[168]},{"name":"VariablePhotoSequenceController","features":[168]}],"172":[{"name":"DialApp","features":[169]},{"name":"DialAppLaunchResult","features":[169]},{"name":"DialAppState","features":[169]},{"name":"DialAppStateDetails","features":[169]},{"name":"DialAppStopResult","features":[169]},{"name":"DialDevice","features":[169]},{"name":"DialDeviceDisplayStatus","features":[169]},{"name":"DialDevicePicker","features":[169]},{"name":"DialDevicePickerFilter","features":[169]},{"name":"DialDeviceSelectedEventArgs","features":[169]},{"name":"DialDisconnectButtonClickedEventArgs","features":[169]},{"name":"DialReceiverApp","features":[169]},{"name":"IDialApp","features":[169]},{"name":"IDialAppStateDetails","features":[169]},{"name":"IDialDevice","features":[169]},{"name":"IDialDevice2","features":[169]},{"name":"IDialDevicePicker","features":[169]},{"name":"IDialDevicePickerFilter","features":[169]},{"name":"IDialDeviceSelectedEventArgs","features":[169]},{"name":"IDialDeviceStatics","features":[169]},{"name":"IDialDisconnectButtonClickedEventArgs","features":[169]},{"name":"IDialReceiverApp","features":[169]},{"name":"IDialReceiverApp2","features":[169]},{"name":"IDialReceiverAppStatics","features":[169]}],"173":[{"name":"BackgroundAudioTrack","features":[170]},{"name":"EmbeddedAudioTrack","features":[170]},{"name":"IBackgroundAudioTrack","features":[170]},{"name":"IBackgroundAudioTrackStatics","features":[170]},{"name":"IEmbeddedAudioTrack","features":[170]},{"name":"IMediaClip","features":[170]},{"name":"IMediaClipStatics","features":[170]},{"name":"IMediaClipStatics2","features":[170]},{"name":"IMediaComposition","features":[170]},{"name":"IMediaComposition2","features":[170]},{"name":"IMediaCompositionStatics","features":[170]},{"name":"IMediaOverlay","features":[170]},{"name":"IMediaOverlayFactory","features":[170]},{"name":"IMediaOverlayLayer","features":[170]},{"name":"IMediaOverlayLayerFactory","features":[170]},{"name":"MediaClip","features":[170]},{"name":"MediaComposition","features":[170]},{"name":"MediaOverlay","features":[170]},{"name":"MediaOverlayLayer","features":[170]},{"name":"MediaTrimmingPreference","features":[170]},{"name":"VideoFramePrecision","features":[170]}],"174":[{"name":"AudioCaptureEffectsManager","features":[165]},{"name":"AudioEffect","features":[165]},{"name":"AudioEffectDefinition","features":[165]},{"name":"AudioEffectType","features":[165]},{"name":"AudioEffectsManager","features":[165]},{"name":"AudioRenderEffectsManager","features":[165]},{"name":"CompositeVideoFrameContext","features":[165]},{"name":"IAudioCaptureEffectsManager","features":[165]},{"name":"IAudioEffect","features":[165]},{"name":"IAudioEffectDefinition","features":[165]},{"name":"IAudioEffectDefinitionFactory","features":[165]},{"name":"IAudioEffectsManagerStatics","features":[165]},{"name":"IAudioRenderEffectsManager","features":[165]},{"name":"IAudioRenderEffectsManager2","features":[165,3]},{"name":"IBasicAudioEffect","features":[165]},{"name":"IBasicVideoEffect","features":[165]},{"name":"ICompositeVideoFrameContext","features":[165]},{"name":"IProcessAudioFrameContext","features":[165]},{"name":"IProcessVideoFrameContext","features":[165]},{"name":"ISlowMotionEffectDefinition","features":[165]},{"name":"IVideoCompositor","features":[165]},{"name":"IVideoCompositorDefinition","features":[165]},{"name":"IVideoCompositorDefinitionFactory","features":[165]},{"name":"IVideoEffectDefinition","features":[165]},{"name":"IVideoEffectDefinitionFactory","features":[165]},{"name":"IVideoTransformEffectDefinition","features":[165]},{"name":"IVideoTransformEffectDefinition2","features":[165]},{"name":"IVideoTransformSphericalProjection","features":[165]},{"name":"MediaEffectClosedReason","features":[165]},{"name":"MediaMemoryTypes","features":[165]},{"name":"ProcessAudioFrameContext","features":[165]},{"name":"ProcessVideoFrameContext","features":[165]},{"name":"SlowMotionEffectDefinition","features":[165]},{"name":"VideoCompositorDefinition","features":[165]},{"name":"VideoEffectDefinition","features":[165]},{"name":"VideoTransformEffectDefinition","features":[165]},{"name":"VideoTransformSphericalProjection","features":[165]}],"175":[{"name":"DetectedFace","features":[171]},{"name":"FaceDetector","features":[171]},{"name":"FaceTracker","features":[171]},{"name":"IDetectedFace","features":[171]},{"name":"IFaceDetector","features":[171]},{"name":"IFaceDetectorStatics","features":[171]},{"name":"IFaceTracker","features":[171]},{"name":"IFaceTrackerStatics","features":[171]}],"176":[{"name":"IPhotoImportDeleteImportedItemsFromSourceResult","features":[172]},{"name":"IPhotoImportFindItemsResult","features":[172]},{"name":"IPhotoImportFindItemsResult2","features":[172]},{"name":"IPhotoImportImportItemsResult","features":[172]},{"name":"IPhotoImportItem","features":[172]},{"name":"IPhotoImportItem2","features":[172]},{"name":"IPhotoImportItemImportedEventArgs","features":[172]},{"name":"IPhotoImportManagerStatics","features":[172]},{"name":"IPhotoImportOperation","features":[172]},{"name":"IPhotoImportSelectionChangedEventArgs","features":[172]},{"name":"IPhotoImportSession","features":[172]},{"name":"IPhotoImportSession2","features":[172]},{"name":"IPhotoImportSidecar","features":[172]},{"name":"IPhotoImportSource","features":[172]},{"name":"IPhotoImportSourceStatics","features":[172]},{"name":"IPhotoImportStorageMedium","features":[172]},{"name":"IPhotoImportVideoSegment","features":[172]},{"name":"PhotoImportAccessMode","features":[172]},{"name":"PhotoImportConnectionTransport","features":[172]},{"name":"PhotoImportContentType","features":[172]},{"name":"PhotoImportContentTypeFilter","features":[172]},{"name":"PhotoImportDeleteImportedItemsFromSourceResult","features":[172]},{"name":"PhotoImportFindItemsResult","features":[172]},{"name":"PhotoImportImportItemsResult","features":[172]},{"name":"PhotoImportImportMode","features":[172]},{"name":"PhotoImportItem","features":[172]},{"name":"PhotoImportItemImportedEventArgs","features":[172]},{"name":"PhotoImportItemSelectionMode","features":[172]},{"name":"PhotoImportManager","features":[172]},{"name":"PhotoImportOperation","features":[172]},{"name":"PhotoImportPowerSource","features":[172]},{"name":"PhotoImportProgress","features":[172]},{"name":"PhotoImportSelectionChangedEventArgs","features":[172]},{"name":"PhotoImportSession","features":[172]},{"name":"PhotoImportSidecar","features":[172]},{"name":"PhotoImportSource","features":[172]},{"name":"PhotoImportSourceType","features":[172]},{"name":"PhotoImportStage","features":[172]},{"name":"PhotoImportStorageMedium","features":[172]},{"name":"PhotoImportStorageMediumType","features":[172]},{"name":"PhotoImportSubfolderCreationMode","features":[172]},{"name":"PhotoImportSubfolderDateFormat","features":[172]},{"name":"PhotoImportVideoSegment","features":[172]}],"177":[{"name":"AudioEncodingProperties","features":[173]},{"name":"AudioEncodingQuality","features":[173]},{"name":"Av1ProfileIds","features":[173]},{"name":"ContainerEncodingProperties","features":[173]},{"name":"H264ProfileIds","features":[173]},{"name":"HevcProfileIds","features":[173]},{"name":"IAudioEncodingProperties","features":[173]},{"name":"IAudioEncodingProperties2","features":[173]},{"name":"IAudioEncodingProperties3","features":[173]},{"name":"IAudioEncodingPropertiesStatics","features":[173]},{"name":"IAudioEncodingPropertiesStatics2","features":[173]},{"name":"IAudioEncodingPropertiesWithFormatUserData","features":[173]},{"name":"IAv1ProfileIdsStatics","features":[173]},{"name":"IContainerEncodingProperties","features":[173]},{"name":"IContainerEncodingProperties2","features":[173]},{"name":"IH264ProfileIdsStatics","features":[173]},{"name":"IHevcProfileIdsStatics","features":[173]},{"name":"IImageEncodingProperties","features":[173]},{"name":"IImageEncodingProperties2","features":[173]},{"name":"IImageEncodingPropertiesStatics","features":[173]},{"name":"IImageEncodingPropertiesStatics2","features":[173]},{"name":"IImageEncodingPropertiesStatics3","features":[173]},{"name":"IMediaEncodingProfile","features":[173]},{"name":"IMediaEncodingProfile2","features":[173]},{"name":"IMediaEncodingProfile3","features":[173]},{"name":"IMediaEncodingProfileStatics","features":[173]},{"name":"IMediaEncodingProfileStatics2","features":[173]},{"name":"IMediaEncodingProfileStatics3","features":[173]},{"name":"IMediaEncodingProfileStatics4","features":[173]},{"name":"IMediaEncodingProperties","features":[173]},{"name":"IMediaEncodingSubtypesStatics","features":[173]},{"name":"IMediaEncodingSubtypesStatics2","features":[173]},{"name":"IMediaEncodingSubtypesStatics3","features":[173]},{"name":"IMediaEncodingSubtypesStatics4","features":[173]},{"name":"IMediaEncodingSubtypesStatics5","features":[173]},{"name":"IMediaEncodingSubtypesStatics6","features":[173]},{"name":"IMediaEncodingSubtypesStatics7","features":[173]},{"name":"IMediaRatio","features":[173]},{"name":"IMpeg2ProfileIdsStatics","features":[173]},{"name":"ITimedMetadataEncodingProperties","features":[173]},{"name":"ITimedMetadataEncodingPropertiesStatics","features":[173]},{"name":"IVideoEncodingProperties","features":[173]},{"name":"IVideoEncodingProperties2","features":[173]},{"name":"IVideoEncodingProperties3","features":[173]},{"name":"IVideoEncodingProperties4","features":[173]},{"name":"IVideoEncodingProperties5","features":[173]},{"name":"IVideoEncodingPropertiesStatics","features":[173]},{"name":"IVideoEncodingPropertiesStatics2","features":[173]},{"name":"IVideoEncodingPropertiesStatics3","features":[173]},{"name":"IVp9ProfileIdsStatics","features":[173]},{"name":"ImageEncodingProperties","features":[173]},{"name":"MediaEncodingProfile","features":[173]},{"name":"MediaEncodingSubtypes","features":[173]},{"name":"MediaMirroringOptions","features":[173]},{"name":"MediaPixelFormat","features":[173]},{"name":"MediaPropertySet","features":[37,173]},{"name":"MediaRatio","features":[173]},{"name":"MediaRotation","features":[173]},{"name":"MediaThumbnailFormat","features":[173]},{"name":"Mpeg2ProfileIds","features":[173]},{"name":"SphericalVideoFrameFormat","features":[173]},{"name":"StereoscopicVideoPackingMode","features":[173]},{"name":"TimedMetadataEncodingProperties","features":[173]},{"name":"VideoEncodingProperties","features":[173]},{"name":"VideoEncodingQuality","features":[173]},{"name":"Vp9ProfileIds","features":[173]}],"178":[{"name":"IMiracastReceiver","features":[174]},{"name":"IMiracastReceiverApplySettingsResult","features":[174]},{"name":"IMiracastReceiverConnection","features":[174]},{"name":"IMiracastReceiverConnectionCreatedEventArgs","features":[174]},{"name":"IMiracastReceiverCursorImageChannel","features":[174]},{"name":"IMiracastReceiverCursorImageChannelSettings","features":[174]},{"name":"IMiracastReceiverDisconnectedEventArgs","features":[174]},{"name":"IMiracastReceiverGameControllerDevice","features":[174]},{"name":"IMiracastReceiverInputDevices","features":[174]},{"name":"IMiracastReceiverKeyboardDevice","features":[174]},{"name":"IMiracastReceiverMediaSourceCreatedEventArgs","features":[174]},{"name":"IMiracastReceiverSession","features":[174]},{"name":"IMiracastReceiverSessionStartResult","features":[174]},{"name":"IMiracastReceiverSettings","features":[174]},{"name":"IMiracastReceiverStatus","features":[174]},{"name":"IMiracastReceiverStreamControl","features":[174]},{"name":"IMiracastReceiverVideoStreamSettings","features":[174]},{"name":"IMiracastTransmitter","features":[174]},{"name":"MiracastReceiver","features":[174]},{"name":"MiracastReceiverApplySettingsResult","features":[174]},{"name":"MiracastReceiverApplySettingsStatus","features":[174]},{"name":"MiracastReceiverAuthorizationMethod","features":[174]},{"name":"MiracastReceiverConnection","features":[174]},{"name":"MiracastReceiverConnectionCreatedEventArgs","features":[174]},{"name":"MiracastReceiverCursorImageChannel","features":[174]},{"name":"MiracastReceiverCursorImageChannelSettings","features":[174]},{"name":"MiracastReceiverDisconnectReason","features":[174]},{"name":"MiracastReceiverDisconnectedEventArgs","features":[174]},{"name":"MiracastReceiverGameControllerDevice","features":[174]},{"name":"MiracastReceiverGameControllerDeviceUsageMode","features":[174]},{"name":"MiracastReceiverInputDevices","features":[174]},{"name":"MiracastReceiverKeyboardDevice","features":[174]},{"name":"MiracastReceiverListeningStatus","features":[174]},{"name":"MiracastReceiverMediaSourceCreatedEventArgs","features":[174]},{"name":"MiracastReceiverSession","features":[174]},{"name":"MiracastReceiverSessionStartResult","features":[174]},{"name":"MiracastReceiverSessionStartStatus","features":[174]},{"name":"MiracastReceiverSettings","features":[174]},{"name":"MiracastReceiverStatus","features":[174]},{"name":"MiracastReceiverStreamControl","features":[174]},{"name":"MiracastReceiverVideoStreamSettings","features":[174]},{"name":"MiracastReceiverWiFiStatus","features":[174]},{"name":"MiracastTransmitter","features":[174]},{"name":"MiracastTransmitterAuthorizationStatus","features":[174]}],"179":[{"name":"IOcrEngine","features":[175]},{"name":"IOcrEngineStatics","features":[175]},{"name":"IOcrLine","features":[175]},{"name":"IOcrResult","features":[175]},{"name":"IOcrWord","features":[175]},{"name":"OcrEngine","features":[175]},{"name":"OcrLine","features":[175]},{"name":"OcrResult","features":[175]},{"name":"OcrWord","features":[175]}],"180":[{"name":"CurrentTimeChangeRequestedEventArgs","features":[176]},{"name":"ICurrentTimeChangeRequestedEventArgs","features":[176]},{"name":"IMuteChangeRequestedEventArgs","features":[176]},{"name":"IPlayToConnection","features":[176,3]},{"name":"IPlayToConnectionErrorEventArgs","features":[176,3]},{"name":"IPlayToConnectionStateChangedEventArgs","features":[176,3]},{"name":"IPlayToConnectionTransferredEventArgs","features":[176,3]},{"name":"IPlayToManager","features":[176,3]},{"name":"IPlayToManagerStatics","features":[176,3]},{"name":"IPlayToReceiver","features":[176]},{"name":"IPlayToSource","features":[176,3]},{"name":"IPlayToSourceDeferral","features":[176,3]},{"name":"IPlayToSourceRequest","features":[176,3]},{"name":"IPlayToSourceRequestedEventArgs","features":[176,3]},{"name":"IPlayToSourceSelectedEventArgs","features":[176,3]},{"name":"IPlayToSourceWithPreferredSourceUri","features":[176,3]},{"name":"IPlaybackRateChangeRequestedEventArgs","features":[176]},{"name":"ISourceChangeRequestedEventArgs","features":[176]},{"name":"IVolumeChangeRequestedEventArgs","features":[176]},{"name":"MuteChangeRequestedEventArgs","features":[176]},{"name":"PlayToConnection","features":[176,3]},{"name":"PlayToConnectionError","features":[176,3]},{"name":"PlayToConnectionErrorEventArgs","features":[176,3]},{"name":"PlayToConnectionState","features":[176,3]},{"name":"PlayToConnectionStateChangedEventArgs","features":[176,3]},{"name":"PlayToConnectionTransferredEventArgs","features":[176,3]},{"name":"PlayToManager","features":[176,3]},{"name":"PlayToReceiver","features":[176]},{"name":"PlayToSource","features":[176,3]},{"name":"PlayToSourceDeferral","features":[176,3]},{"name":"PlayToSourceRequest","features":[176,3]},{"name":"PlayToSourceRequestedEventArgs","features":[176,3]},{"name":"PlayToSourceSelectedEventArgs","features":[176,3]},{"name":"PlaybackRateChangeRequestedEventArgs","features":[176]},{"name":"SourceChangeRequestedEventArgs","features":[176]},{"name":"VolumeChangeRequestedEventArgs","features":[176]}],"181":[{"name":"AutoLoadedDisplayPropertyKind","features":[177]},{"name":"BackgroundMediaPlayer","features":[177,3]},{"name":"CurrentMediaPlaybackItemChangedEventArgs","features":[177]},{"name":"FailedMediaStreamKind","features":[177]},{"name":"IBackgroundMediaPlayerStatics","features":[177,3]},{"name":"ICurrentMediaPlaybackItemChangedEventArgs","features":[177]},{"name":"ICurrentMediaPlaybackItemChangedEventArgs2","features":[177]},{"name":"IMediaBreak","features":[177]},{"name":"IMediaBreakEndedEventArgs","features":[177]},{"name":"IMediaBreakFactory","features":[177]},{"name":"IMediaBreakManager","features":[177]},{"name":"IMediaBreakSchedule","features":[177]},{"name":"IMediaBreakSeekedOverEventArgs","features":[177]},{"name":"IMediaBreakSkippedEventArgs","features":[177]},{"name":"IMediaBreakStartedEventArgs","features":[177]},{"name":"IMediaEnginePlaybackSource","features":[177,3]},{"name":"IMediaItemDisplayProperties","features":[177]},{"name":"IMediaPlaybackCommandManager","features":[177]},{"name":"IMediaPlaybackCommandManagerAutoRepeatModeReceivedEventArgs","features":[177]},{"name":"IMediaPlaybackCommandManagerCommandBehavior","features":[177]},{"name":"IMediaPlaybackCommandManagerFastForwardReceivedEventArgs","features":[177]},{"name":"IMediaPlaybackCommandManagerNextReceivedEventArgs","features":[177]},{"name":"IMediaPlaybackCommandManagerPauseReceivedEventArgs","features":[177]},{"name":"IMediaPlaybackCommandManagerPlayReceivedEventArgs","features":[177]},{"name":"IMediaPlaybackCommandManagerPositionReceivedEventArgs","features":[177]},{"name":"IMediaPlaybackCommandManagerPreviousReceivedEventArgs","features":[177]},{"name":"IMediaPlaybackCommandManagerRateReceivedEventArgs","features":[177]},{"name":"IMediaPlaybackCommandManagerRewindReceivedEventArgs","features":[177]},{"name":"IMediaPlaybackCommandManagerShuffleReceivedEventArgs","features":[177]},{"name":"IMediaPlaybackItem","features":[177]},{"name":"IMediaPlaybackItem2","features":[177]},{"name":"IMediaPlaybackItem3","features":[177]},{"name":"IMediaPlaybackItemError","features":[177]},{"name":"IMediaPlaybackItemFactory","features":[177]},{"name":"IMediaPlaybackItemFactory2","features":[177]},{"name":"IMediaPlaybackItemFailedEventArgs","features":[177]},{"name":"IMediaPlaybackItemOpenedEventArgs","features":[177]},{"name":"IMediaPlaybackItemStatics","features":[177]},{"name":"IMediaPlaybackList","features":[177]},{"name":"IMediaPlaybackList2","features":[177]},{"name":"IMediaPlaybackList3","features":[177]},{"name":"IMediaPlaybackSession","features":[177]},{"name":"IMediaPlaybackSession2","features":[177]},{"name":"IMediaPlaybackSession3","features":[177]},{"name":"IMediaPlaybackSessionBufferingStartedEventArgs","features":[177]},{"name":"IMediaPlaybackSessionOutputDegradationPolicyState","features":[177]},{"name":"IMediaPlaybackSource","features":[177]},{"name":"IMediaPlaybackSphericalVideoProjection","features":[177]},{"name":"IMediaPlaybackTimedMetadataTrackList","features":[177]},{"name":"IMediaPlayer","features":[177]},{"name":"IMediaPlayer2","features":[177]},{"name":"IMediaPlayer3","features":[177]},{"name":"IMediaPlayer4","features":[177]},{"name":"IMediaPlayer5","features":[177]},{"name":"IMediaPlayer6","features":[177]},{"name":"IMediaPlayer7","features":[177]},{"name":"IMediaPlayerDataReceivedEventArgs","features":[177]},{"name":"IMediaPlayerEffects","features":[177]},{"name":"IMediaPlayerEffects2","features":[177]},{"name":"IMediaPlayerFailedEventArgs","features":[177]},{"name":"IMediaPlayerRateChangedEventArgs","features":[177]},{"name":"IMediaPlayerSource","features":[177]},{"name":"IMediaPlayerSource2","features":[177]},{"name":"IMediaPlayerSurface","features":[177]},{"name":"IPlaybackMediaMarker","features":[177]},{"name":"IPlaybackMediaMarkerFactory","features":[177]},{"name":"IPlaybackMediaMarkerReachedEventArgs","features":[177]},{"name":"IPlaybackMediaMarkerSequence","features":[177]},{"name":"ITimedMetadataPresentationModeChangedEventArgs","features":[177]},{"name":"MediaBreak","features":[177]},{"name":"MediaBreakEndedEventArgs","features":[177]},{"name":"MediaBreakInsertionMethod","features":[177]},{"name":"MediaBreakManager","features":[177]},{"name":"MediaBreakSchedule","features":[177]},{"name":"MediaBreakSeekedOverEventArgs","features":[177]},{"name":"MediaBreakSkippedEventArgs","features":[177]},{"name":"MediaBreakStartedEventArgs","features":[177]},{"name":"MediaCommandEnablingRule","features":[177]},{"name":"MediaItemDisplayProperties","features":[177]},{"name":"MediaPlaybackAudioTrackList","features":[37,164,177]},{"name":"MediaPlaybackCommandManager","features":[177]},{"name":"MediaPlaybackCommandManagerAutoRepeatModeReceivedEventArgs","features":[177]},{"name":"MediaPlaybackCommandManagerCommandBehavior","features":[177]},{"name":"MediaPlaybackCommandManagerFastForwardReceivedEventArgs","features":[177]},{"name":"MediaPlaybackCommandManagerNextReceivedEventArgs","features":[177]},{"name":"MediaPlaybackCommandManagerPauseReceivedEventArgs","features":[177]},{"name":"MediaPlaybackCommandManagerPlayReceivedEventArgs","features":[177]},{"name":"MediaPlaybackCommandManagerPositionReceivedEventArgs","features":[177]},{"name":"MediaPlaybackCommandManagerPreviousReceivedEventArgs","features":[177]},{"name":"MediaPlaybackCommandManagerRateReceivedEventArgs","features":[177]},{"name":"MediaPlaybackCommandManagerRewindReceivedEventArgs","features":[177]},{"name":"MediaPlaybackCommandManagerShuffleReceivedEventArgs","features":[177]},{"name":"MediaPlaybackItem","features":[177]},{"name":"MediaPlaybackItemChangedReason","features":[177]},{"name":"MediaPlaybackItemError","features":[177]},{"name":"MediaPlaybackItemErrorCode","features":[177]},{"name":"MediaPlaybackItemFailedEventArgs","features":[177]},{"name":"MediaPlaybackItemOpenedEventArgs","features":[177]},{"name":"MediaPlaybackList","features":[177]},{"name":"MediaPlaybackSession","features":[177]},{"name":"MediaPlaybackSessionBufferingStartedEventArgs","features":[177]},{"name":"MediaPlaybackSessionOutputDegradationPolicyState","features":[177]},{"name":"MediaPlaybackSessionVideoConstrictionReason","features":[177]},{"name":"MediaPlaybackSphericalVideoProjection","features":[177]},{"name":"MediaPlaybackState","features":[177]},{"name":"MediaPlaybackTimedMetadataTrackList","features":[37,164,177]},{"name":"MediaPlaybackVideoTrackList","features":[37,164,177]},{"name":"MediaPlayer","features":[177]},{"name":"MediaPlayerAudioCategory","features":[177]},{"name":"MediaPlayerAudioDeviceType","features":[177]},{"name":"MediaPlayerDataReceivedEventArgs","features":[177]},{"name":"MediaPlayerError","features":[177]},{"name":"MediaPlayerFailedEventArgs","features":[177]},{"name":"MediaPlayerRateChangedEventArgs","features":[177]},{"name":"MediaPlayerState","features":[177,3]},{"name":"MediaPlayerSurface","features":[177]},{"name":"PlaybackMediaMarker","features":[177]},{"name":"PlaybackMediaMarkerReachedEventArgs","features":[177]},{"name":"PlaybackMediaMarkerSequence","features":[177]},{"name":"SphericalVideoProjectionMode","features":[177]},{"name":"StereoscopicVideoRenderMode","features":[177]},{"name":"TimedMetadataPresentationModeChangedEventArgs","features":[177]},{"name":"TimedMetadataTrackPresentationMode","features":[177]}],"182":[{"name":"IPlaylist","features":[178]},{"name":"IPlaylistStatics","features":[178]},{"name":"Playlist","features":[178]},{"name":"PlaylistFormat","features":[178]},{"name":"PlaylistsContract","features":[178]}],"183":[{"name":"ComponentLoadFailedEventArgs","features":[179]},{"name":"ComponentLoadFailedEventHandler","features":[179]},{"name":"ComponentRenewal","features":[179]},{"name":"GraphicsTrustStatus","features":[179]},{"name":"HdcpProtection","features":[179]},{"name":"HdcpSession","features":[179]},{"name":"HdcpSetProtectionResult","features":[179]},{"name":"IComponentLoadFailedEventArgs","features":[179]},{"name":"IComponentRenewalStatics","features":[179]},{"name":"IHdcpSession","features":[179]},{"name":"IMediaProtectionManager","features":[179]},{"name":"IMediaProtectionPMPServer","features":[179]},{"name":"IMediaProtectionPMPServerFactory","features":[179]},{"name":"IMediaProtectionServiceCompletion","features":[179]},{"name":"IMediaProtectionServiceRequest","features":[179]},{"name":"IProtectionCapabilities","features":[179]},{"name":"IRevocationAndRenewalInformation","features":[179]},{"name":"IRevocationAndRenewalItem","features":[179]},{"name":"IServiceRequestedEventArgs","features":[179]},{"name":"IServiceRequestedEventArgs2","features":[179]},{"name":"MediaProtectionManager","features":[179]},{"name":"MediaProtectionPMPServer","features":[179]},{"name":"MediaProtectionServiceCompletion","features":[179]},{"name":"ProtectionCapabilities","features":[179]},{"name":"ProtectionCapabilityResult","features":[179]},{"name":"ProtectionRenewalContract","features":[179]},{"name":"RebootNeededEventHandler","features":[179]},{"name":"RenewalStatus","features":[179]},{"name":"RevocationAndRenewalInformation","features":[179]},{"name":"RevocationAndRenewalItem","features":[179]},{"name":"RevocationAndRenewalReasons","features":[179]},{"name":"ServiceRequestedEventArgs","features":[179]},{"name":"ServiceRequestedEventHandler","features":[179]}],"184":[{"name":"INDClient","features":[180,3]},{"name":"INDClientFactory","features":[180,3]},{"name":"INDClosedCaptionDataReceivedEventArgs","features":[180,3]},{"name":"INDCustomData","features":[180,3]},{"name":"INDCustomDataFactory","features":[180,3]},{"name":"INDDownloadEngine","features":[180,3]},{"name":"INDDownloadEngineNotifier","features":[180,3]},{"name":"INDLicenseFetchCompletedEventArgs","features":[180,3]},{"name":"INDLicenseFetchDescriptor","features":[180,3]},{"name":"INDLicenseFetchDescriptorFactory","features":[180,3]},{"name":"INDLicenseFetchResult","features":[180,3]},{"name":"INDMessenger","features":[180,3]},{"name":"INDProximityDetectionCompletedEventArgs","features":[180,3]},{"name":"INDRegistrationCompletedEventArgs","features":[180,3]},{"name":"INDSendResult","features":[180,3]},{"name":"INDStartResult","features":[180,3]},{"name":"INDStorageFileHelper","features":[180,3]},{"name":"INDStreamParser","features":[180,3]},{"name":"INDStreamParserNotifier","features":[180,3]},{"name":"INDTCPMessengerFactory","features":[180,3]},{"name":"INDTransmitterProperties","features":[180,3]},{"name":"IPlayReadyContentHeader","features":[180]},{"name":"IPlayReadyContentHeader2","features":[180]},{"name":"IPlayReadyContentHeaderFactory","features":[180]},{"name":"IPlayReadyContentHeaderFactory2","features":[180]},{"name":"IPlayReadyContentResolver","features":[180]},{"name":"IPlayReadyDomain","features":[180]},{"name":"IPlayReadyDomainIterableFactory","features":[180]},{"name":"IPlayReadyDomainJoinServiceRequest","features":[180]},{"name":"IPlayReadyDomainLeaveServiceRequest","features":[180]},{"name":"IPlayReadyITADataGenerator","features":[180]},{"name":"IPlayReadyIndividualizationServiceRequest","features":[180]},{"name":"IPlayReadyLicense","features":[180]},{"name":"IPlayReadyLicense2","features":[180]},{"name":"IPlayReadyLicenseAcquisitionServiceRequest","features":[180]},{"name":"IPlayReadyLicenseAcquisitionServiceRequest2","features":[180]},{"name":"IPlayReadyLicenseAcquisitionServiceRequest3","features":[180]},{"name":"IPlayReadyLicenseIterableFactory","features":[180]},{"name":"IPlayReadyLicenseManagement","features":[180]},{"name":"IPlayReadyLicenseSession","features":[180]},{"name":"IPlayReadyLicenseSession2","features":[180]},{"name":"IPlayReadyLicenseSessionFactory","features":[180]},{"name":"IPlayReadyMeteringReportServiceRequest","features":[180]},{"name":"IPlayReadyRevocationServiceRequest","features":[180]},{"name":"IPlayReadySecureStopIterableFactory","features":[180]},{"name":"IPlayReadySecureStopServiceRequest","features":[180]},{"name":"IPlayReadySecureStopServiceRequestFactory","features":[180]},{"name":"IPlayReadyServiceRequest","features":[180]},{"name":"IPlayReadySoapMessage","features":[180]},{"name":"IPlayReadyStatics","features":[180]},{"name":"IPlayReadyStatics2","features":[180]},{"name":"IPlayReadyStatics3","features":[180]},{"name":"IPlayReadyStatics4","features":[180]},{"name":"IPlayReadyStatics5","features":[180]},{"name":"NDCertificateFeature","features":[180,3]},{"name":"NDCertificatePlatformID","features":[180,3]},{"name":"NDCertificateType","features":[180,3]},{"name":"NDClient","features":[180,3]},{"name":"NDClosedCaptionFormat","features":[180,3]},{"name":"NDContentIDType","features":[180,3]},{"name":"NDCustomData","features":[180,3]},{"name":"NDDownloadEngineNotifier","features":[180,3]},{"name":"NDLicenseFetchDescriptor","features":[180,3]},{"name":"NDMediaStreamType","features":[180,3]},{"name":"NDProximityDetectionType","features":[180,3]},{"name":"NDStartAsyncOptions","features":[180,3]},{"name":"NDStorageFileHelper","features":[180,3]},{"name":"NDStreamParserNotifier","features":[180,3]},{"name":"NDTCPMessenger","features":[180,3]},{"name":"PlayReadyContentHeader","features":[180]},{"name":"PlayReadyContentResolver","features":[180]},{"name":"PlayReadyDecryptorSetup","features":[180]},{"name":"PlayReadyDomain","features":[180]},{"name":"PlayReadyDomainIterable","features":[37,180]},{"name":"PlayReadyDomainIterator","features":[37,180]},{"name":"PlayReadyDomainJoinServiceRequest","features":[180]},{"name":"PlayReadyDomainLeaveServiceRequest","features":[180]},{"name":"PlayReadyEncryptionAlgorithm","features":[180]},{"name":"PlayReadyHardwareDRMFeatures","features":[180]},{"name":"PlayReadyITADataFormat","features":[180]},{"name":"PlayReadyITADataGenerator","features":[180]},{"name":"PlayReadyIndividualizationServiceRequest","features":[180]},{"name":"PlayReadyLicense","features":[180]},{"name":"PlayReadyLicenseAcquisitionServiceRequest","features":[180]},{"name":"PlayReadyLicenseIterable","features":[37,180]},{"name":"PlayReadyLicenseIterator","features":[37,180]},{"name":"PlayReadyLicenseManagement","features":[180]},{"name":"PlayReadyLicenseSession","features":[180]},{"name":"PlayReadyMeteringReportServiceRequest","features":[180]},{"name":"PlayReadyRevocationServiceRequest","features":[180]},{"name":"PlayReadySecureStopIterable","features":[37,180]},{"name":"PlayReadySecureStopIterator","features":[37,180]},{"name":"PlayReadySecureStopServiceRequest","features":[180]},{"name":"PlayReadySoapMessage","features":[180]},{"name":"PlayReadyStatics","features":[180]}],"185":[{"name":"AudioRenderCategory","features":[181]}],"186":[{"name":"ISpeechContinuousRecognitionCompletedEventArgs","features":[182]},{"name":"ISpeechContinuousRecognitionResultGeneratedEventArgs","features":[182]},{"name":"ISpeechContinuousRecognitionSession","features":[182]},{"name":"ISpeechRecognitionCompilationResult","features":[182]},{"name":"ISpeechRecognitionConstraint","features":[182]},{"name":"ISpeechRecognitionGrammarFileConstraint","features":[182]},{"name":"ISpeechRecognitionGrammarFileConstraintFactory","features":[182]},{"name":"ISpeechRecognitionHypothesis","features":[182]},{"name":"ISpeechRecognitionHypothesisGeneratedEventArgs","features":[182]},{"name":"ISpeechRecognitionListConstraint","features":[182]},{"name":"ISpeechRecognitionListConstraintFactory","features":[182]},{"name":"ISpeechRecognitionQualityDegradingEventArgs","features":[182]},{"name":"ISpeechRecognitionResult","features":[182]},{"name":"ISpeechRecognitionResult2","features":[182]},{"name":"ISpeechRecognitionSemanticInterpretation","features":[182]},{"name":"ISpeechRecognitionTopicConstraint","features":[182]},{"name":"ISpeechRecognitionTopicConstraintFactory","features":[182]},{"name":"ISpeechRecognitionVoiceCommandDefinitionConstraint","features":[182]},{"name":"ISpeechRecognizer","features":[182]},{"name":"ISpeechRecognizer2","features":[182]},{"name":"ISpeechRecognizerFactory","features":[182]},{"name":"ISpeechRecognizerStateChangedEventArgs","features":[182]},{"name":"ISpeechRecognizerStatics","features":[182]},{"name":"ISpeechRecognizerStatics2","features":[182]},{"name":"ISpeechRecognizerTimeouts","features":[182]},{"name":"ISpeechRecognizerUIOptions","features":[182]},{"name":"IVoiceCommandManager","features":[182]},{"name":"IVoiceCommandSet","features":[182]},{"name":"SpeechContinuousRecognitionCompletedEventArgs","features":[182]},{"name":"SpeechContinuousRecognitionMode","features":[182]},{"name":"SpeechContinuousRecognitionResultGeneratedEventArgs","features":[182]},{"name":"SpeechContinuousRecognitionSession","features":[182]},{"name":"SpeechRecognitionAudioProblem","features":[182]},{"name":"SpeechRecognitionCompilationResult","features":[182]},{"name":"SpeechRecognitionConfidence","features":[182]},{"name":"SpeechRecognitionConstraintProbability","features":[182]},{"name":"SpeechRecognitionConstraintType","features":[182]},{"name":"SpeechRecognitionGrammarFileConstraint","features":[182]},{"name":"SpeechRecognitionHypothesis","features":[182]},{"name":"SpeechRecognitionHypothesisGeneratedEventArgs","features":[182]},{"name":"SpeechRecognitionListConstraint","features":[182]},{"name":"SpeechRecognitionQualityDegradingEventArgs","features":[182]},{"name":"SpeechRecognitionResult","features":[182]},{"name":"SpeechRecognitionResultStatus","features":[182]},{"name":"SpeechRecognitionScenario","features":[182]},{"name":"SpeechRecognitionSemanticInterpretation","features":[182]},{"name":"SpeechRecognitionTopicConstraint","features":[182]},{"name":"SpeechRecognitionVoiceCommandDefinitionConstraint","features":[182]},{"name":"SpeechRecognizer","features":[182]},{"name":"SpeechRecognizerState","features":[182]},{"name":"SpeechRecognizerStateChangedEventArgs","features":[182]},{"name":"SpeechRecognizerTimeouts","features":[182]},{"name":"SpeechRecognizerUIOptions","features":[182]},{"name":"VoiceCommandManager","features":[182]},{"name":"VoiceCommandSet","features":[182]}],"187":[{"name":"IInstalledVoicesStatic","features":[183]},{"name":"IInstalledVoicesStatic2","features":[183]},{"name":"ISpeechSynthesisStream","features":[183]},{"name":"ISpeechSynthesizer","features":[183]},{"name":"ISpeechSynthesizer2","features":[183]},{"name":"ISpeechSynthesizerOptions","features":[183]},{"name":"ISpeechSynthesizerOptions2","features":[183]},{"name":"ISpeechSynthesizerOptions3","features":[183]},{"name":"IVoiceInformation","features":[183]},{"name":"SpeechAppendedSilence","features":[183]},{"name":"SpeechPunctuationSilence","features":[183]},{"name":"SpeechSynthesisStream","features":[183]},{"name":"SpeechSynthesizer","features":[183]},{"name":"SpeechSynthesizerOptions","features":[183]},{"name":"VoiceGender","features":[183]},{"name":"VoiceInformation","features":[183]}],"188":[{"name":"AdaptiveMediaSource","features":[184]},{"name":"AdaptiveMediaSourceAdvancedSettings","features":[184]},{"name":"AdaptiveMediaSourceCorrelatedTimes","features":[184]},{"name":"AdaptiveMediaSourceCreationResult","features":[184]},{"name":"AdaptiveMediaSourceCreationStatus","features":[184]},{"name":"AdaptiveMediaSourceDiagnosticAvailableEventArgs","features":[184]},{"name":"AdaptiveMediaSourceDiagnosticType","features":[184]},{"name":"AdaptiveMediaSourceDiagnostics","features":[184]},{"name":"AdaptiveMediaSourceDownloadBitrateChangedEventArgs","features":[184]},{"name":"AdaptiveMediaSourceDownloadBitrateChangedReason","features":[184]},{"name":"AdaptiveMediaSourceDownloadCompletedEventArgs","features":[184]},{"name":"AdaptiveMediaSourceDownloadFailedEventArgs","features":[184]},{"name":"AdaptiveMediaSourceDownloadRequestedDeferral","features":[184]},{"name":"AdaptiveMediaSourceDownloadRequestedEventArgs","features":[184]},{"name":"AdaptiveMediaSourceDownloadResult","features":[184]},{"name":"AdaptiveMediaSourceDownloadStatistics","features":[184]},{"name":"AdaptiveMediaSourcePlaybackBitrateChangedEventArgs","features":[184]},{"name":"AdaptiveMediaSourceResourceType","features":[184]},{"name":"IAdaptiveMediaSource","features":[184]},{"name":"IAdaptiveMediaSource2","features":[184]},{"name":"IAdaptiveMediaSource3","features":[184]},{"name":"IAdaptiveMediaSourceAdvancedSettings","features":[184]},{"name":"IAdaptiveMediaSourceCorrelatedTimes","features":[184]},{"name":"IAdaptiveMediaSourceCreationResult","features":[184]},{"name":"IAdaptiveMediaSourceCreationResult2","features":[184]},{"name":"IAdaptiveMediaSourceDiagnosticAvailableEventArgs","features":[184]},{"name":"IAdaptiveMediaSourceDiagnosticAvailableEventArgs2","features":[184]},{"name":"IAdaptiveMediaSourceDiagnosticAvailableEventArgs3","features":[184]},{"name":"IAdaptiveMediaSourceDiagnostics","features":[184]},{"name":"IAdaptiveMediaSourceDownloadBitrateChangedEventArgs","features":[184]},{"name":"IAdaptiveMediaSourceDownloadBitrateChangedEventArgs2","features":[184]},{"name":"IAdaptiveMediaSourceDownloadCompletedEventArgs","features":[184]},{"name":"IAdaptiveMediaSourceDownloadCompletedEventArgs2","features":[184]},{"name":"IAdaptiveMediaSourceDownloadCompletedEventArgs3","features":[184]},{"name":"IAdaptiveMediaSourceDownloadFailedEventArgs","features":[184]},{"name":"IAdaptiveMediaSourceDownloadFailedEventArgs2","features":[184]},{"name":"IAdaptiveMediaSourceDownloadFailedEventArgs3","features":[184]},{"name":"IAdaptiveMediaSourceDownloadRequestedDeferral","features":[184]},{"name":"IAdaptiveMediaSourceDownloadRequestedEventArgs","features":[184]},{"name":"IAdaptiveMediaSourceDownloadRequestedEventArgs2","features":[184]},{"name":"IAdaptiveMediaSourceDownloadRequestedEventArgs3","features":[184]},{"name":"IAdaptiveMediaSourceDownloadResult","features":[184]},{"name":"IAdaptiveMediaSourceDownloadResult2","features":[184]},{"name":"IAdaptiveMediaSourceDownloadStatistics","features":[184]},{"name":"IAdaptiveMediaSourcePlaybackBitrateChangedEventArgs","features":[184]},{"name":"IAdaptiveMediaSourceStatics","features":[184]}],"189":[{"name":"IMediaTranscoder","features":[185]},{"name":"IMediaTranscoder2","features":[185]},{"name":"IPrepareTranscodeResult","features":[185]},{"name":"MediaTranscoder","features":[185]},{"name":"MediaVideoProcessingAlgorithm","features":[185]},{"name":"PrepareTranscodeResult","features":[185]},{"name":"TranscodeFailureReason","features":[185]}],"190":[{"name":"DomainNameType","features":[186]},{"name":"EndpointPair","features":[186]},{"name":"HostName","features":[186]},{"name":"HostNameSortOptions","features":[186]},{"name":"HostNameType","features":[186]},{"name":"IEndpointPair","features":[186]},{"name":"IEndpointPairFactory","features":[186]},{"name":"IHostName","features":[186]},{"name":"IHostNameFactory","features":[186]},{"name":"IHostNameStatics","features":[186]}],"191":[{"name":"BackgroundDownloadProgress","features":[187]},{"name":"BackgroundDownloader","features":[187]},{"name":"BackgroundTransferBehavior","features":[187]},{"name":"BackgroundTransferCompletionGroup","features":[187]},{"name":"BackgroundTransferCompletionGroupTriggerDetails","features":[187]},{"name":"BackgroundTransferContentPart","features":[187]},{"name":"BackgroundTransferCostPolicy","features":[187]},{"name":"BackgroundTransferError","features":[187]},{"name":"BackgroundTransferFileRange","features":[187]},{"name":"BackgroundTransferGroup","features":[187]},{"name":"BackgroundTransferPriority","features":[187]},{"name":"BackgroundTransferRangesDownloadedEventArgs","features":[187]},{"name":"BackgroundTransferStatus","features":[187]},{"name":"BackgroundUploadProgress","features":[187]},{"name":"BackgroundUploader","features":[187]},{"name":"ContentPrefetcher","features":[187]},{"name":"DownloadOperation","features":[187]},{"name":"IBackgroundDownloader","features":[187]},{"name":"IBackgroundDownloader2","features":[187]},{"name":"IBackgroundDownloader3","features":[187]},{"name":"IBackgroundDownloaderFactory","features":[187]},{"name":"IBackgroundDownloaderStaticMethods","features":[187]},{"name":"IBackgroundDownloaderStaticMethods2","features":[187]},{"name":"IBackgroundDownloaderUserConsent","features":[187,3]},{"name":"IBackgroundTransferBase","features":[187]},{"name":"IBackgroundTransferCompletionGroup","features":[187]},{"name":"IBackgroundTransferCompletionGroupTriggerDetails","features":[187]},{"name":"IBackgroundTransferContentPart","features":[187]},{"name":"IBackgroundTransferContentPartFactory","features":[187]},{"name":"IBackgroundTransferErrorStaticMethods","features":[187]},{"name":"IBackgroundTransferGroup","features":[187]},{"name":"IBackgroundTransferGroupStatics","features":[187]},{"name":"IBackgroundTransferOperation","features":[187]},{"name":"IBackgroundTransferOperationPriority","features":[187]},{"name":"IBackgroundTransferRangesDownloadedEventArgs","features":[187]},{"name":"IBackgroundUploader","features":[187]},{"name":"IBackgroundUploader2","features":[187]},{"name":"IBackgroundUploader3","features":[187]},{"name":"IBackgroundUploaderFactory","features":[187]},{"name":"IBackgroundUploaderStaticMethods","features":[187]},{"name":"IBackgroundUploaderStaticMethods2","features":[187]},{"name":"IBackgroundUploaderUserConsent","features":[187,3]},{"name":"IContentPrefetcher","features":[187]},{"name":"IContentPrefetcherTime","features":[187]},{"name":"IDownloadOperation","features":[187]},{"name":"IDownloadOperation2","features":[187]},{"name":"IDownloadOperation3","features":[187]},{"name":"IDownloadOperation4","features":[187]},{"name":"IDownloadOperation5","features":[187]},{"name":"IResponseInformation","features":[187]},{"name":"IUnconstrainedTransferRequestResult","features":[187,3]},{"name":"IUploadOperation","features":[187]},{"name":"IUploadOperation2","features":[187]},{"name":"IUploadOperation3","features":[187]},{"name":"IUploadOperation4","features":[187]},{"name":"ResponseInformation","features":[187]},{"name":"UnconstrainedTransferRequestResult","features":[187,3]},{"name":"UploadOperation","features":[187]}],"192":[{"name":"AttributedNetworkUsage","features":[188]},{"name":"CellularApnAuthenticationType","features":[188]},{"name":"CellularApnContext","features":[188]},{"name":"ConnectionCost","features":[188]},{"name":"ConnectionProfile","features":[188]},{"name":"ConnectionProfileDeleteStatus","features":[188]},{"name":"ConnectionProfileFilter","features":[188]},{"name":"ConnectionSession","features":[188]},{"name":"ConnectivityInterval","features":[188]},{"name":"ConnectivityManager","features":[188]},{"name":"DataPlanStatus","features":[188]},{"name":"DataPlanUsage","features":[188]},{"name":"DataUsage","features":[188,3]},{"name":"DataUsageGranularity","features":[188]},{"name":"DomainAuthenticationKind","features":[188]},{"name":"DomainConnectivityLevel","features":[188]},{"name":"IAttributedNetworkUsage","features":[188]},{"name":"ICellularApnContext","features":[188]},{"name":"ICellularApnContext2","features":[188]},{"name":"IConnectionCost","features":[188]},{"name":"IConnectionCost2","features":[188]},{"name":"IConnectionProfile","features":[188]},{"name":"IConnectionProfile2","features":[188]},{"name":"IConnectionProfile3","features":[188]},{"name":"IConnectionProfile4","features":[188]},{"name":"IConnectionProfile5","features":[188]},{"name":"IConnectionProfile6","features":[188]},{"name":"IConnectionProfileFilter","features":[188]},{"name":"IConnectionProfileFilter2","features":[188]},{"name":"IConnectionProfileFilter3","features":[188]},{"name":"IConnectionSession","features":[188]},{"name":"IConnectivityInterval","features":[188]},{"name":"IConnectivityManagerStatics","features":[188]},{"name":"IDataPlanStatus","features":[188]},{"name":"IDataPlanUsage","features":[188]},{"name":"IDataUsage","features":[188,3]},{"name":"IIPInformation","features":[188]},{"name":"ILanIdentifier","features":[188]},{"name":"ILanIdentifierData","features":[188]},{"name":"INetworkAdapter","features":[188]},{"name":"INetworkInformationStatics","features":[188]},{"name":"INetworkInformationStatics2","features":[188]},{"name":"INetworkItem","features":[188]},{"name":"INetworkSecuritySettings","features":[188]},{"name":"INetworkStateChangeEventDetails","features":[188]},{"name":"INetworkStateChangeEventDetails2","features":[188]},{"name":"INetworkUsage","features":[188]},{"name":"IPInformation","features":[188]},{"name":"IProviderNetworkUsage","features":[188]},{"name":"IProxyConfiguration","features":[188]},{"name":"IRoutePolicy","features":[188]},{"name":"IRoutePolicyFactory","features":[188]},{"name":"IWlanConnectionProfileDetails","features":[188]},{"name":"IWwanConnectionProfileDetails","features":[188]},{"name":"IWwanConnectionProfileDetails2","features":[188]},{"name":"LanIdentifier","features":[188]},{"name":"LanIdentifierData","features":[188]},{"name":"NetworkAdapter","features":[188]},{"name":"NetworkAuthenticationType","features":[188]},{"name":"NetworkConnectivityLevel","features":[188]},{"name":"NetworkCostType","features":[188]},{"name":"NetworkEncryptionType","features":[188]},{"name":"NetworkInformation","features":[188]},{"name":"NetworkItem","features":[188]},{"name":"NetworkSecuritySettings","features":[188]},{"name":"NetworkStateChangeEventDetails","features":[188]},{"name":"NetworkStatusChangedEventHandler","features":[188]},{"name":"NetworkTypes","features":[188]},{"name":"NetworkUsage","features":[188]},{"name":"NetworkUsageStates","features":[188]},{"name":"ProviderNetworkUsage","features":[188]},{"name":"ProxyConfiguration","features":[188]},{"name":"RoamingStates","features":[188]},{"name":"RoutePolicy","features":[188]},{"name":"TriStates","features":[188]},{"name":"WlanConnectionProfileDetails","features":[188]},{"name":"WwanConnectionProfileDetails","features":[188]},{"name":"WwanContract","features":[188]},{"name":"WwanDataClass","features":[188]},{"name":"WwanNetworkIPKind","features":[188]},{"name":"WwanNetworkRegistrationState","features":[188]}],"193":[{"name":"DataClasses","features":[189]},{"name":"ESim","features":[189]},{"name":"ESimAddedEventArgs","features":[189]},{"name":"ESimAuthenticationPreference","features":[189]},{"name":"ESimDiscoverEvent","features":[189]},{"name":"ESimDiscoverResult","features":[189]},{"name":"ESimDiscoverResultKind","features":[189]},{"name":"ESimDownloadProfileMetadataResult","features":[189]},{"name":"ESimManager","features":[189]},{"name":"ESimOperationResult","features":[189]},{"name":"ESimOperationStatus","features":[189]},{"name":"ESimPolicy","features":[189]},{"name":"ESimProfile","features":[189]},{"name":"ESimProfileClass","features":[189]},{"name":"ESimProfileInstallProgress","features":[189]},{"name":"ESimProfileMetadata","features":[189]},{"name":"ESimProfileMetadataState","features":[189]},{"name":"ESimProfilePolicy","features":[189]},{"name":"ESimProfileState","features":[189]},{"name":"ESimRemovedEventArgs","features":[189]},{"name":"ESimServiceInfo","features":[189]},{"name":"ESimState","features":[189]},{"name":"ESimUpdatedEventArgs","features":[189]},{"name":"ESimWatcher","features":[189]},{"name":"ESimWatcherStatus","features":[189]},{"name":"FdnAccessManager","features":[189]},{"name":"HotspotAuthenticationContext","features":[189]},{"name":"HotspotAuthenticationEventDetails","features":[189]},{"name":"HotspotAuthenticationResponseCode","features":[189]},{"name":"HotspotCredentialsAuthenticationResult","features":[189]},{"name":"IESim","features":[189]},{"name":"IESim2","features":[189]},{"name":"IESim3","features":[189]},{"name":"IESimAddedEventArgs","features":[189]},{"name":"IESimDiscoverEvent","features":[189]},{"name":"IESimDiscoverResult","features":[189]},{"name":"IESimDownloadProfileMetadataResult","features":[189]},{"name":"IESimManagerStatics","features":[189]},{"name":"IESimOperationResult","features":[189]},{"name":"IESimPolicy","features":[189]},{"name":"IESimProfile","features":[189]},{"name":"IESimProfileMetadata","features":[189]},{"name":"IESimProfilePolicy","features":[189]},{"name":"IESimRemovedEventArgs","features":[189]},{"name":"IESimServiceInfo","features":[189]},{"name":"IESimUpdatedEventArgs","features":[189]},{"name":"IESimWatcher","features":[189]},{"name":"IFdnAccessManagerStatics","features":[189]},{"name":"IHotspotAuthenticationContext","features":[189]},{"name":"IHotspotAuthenticationContext2","features":[189]},{"name":"IHotspotAuthenticationContextStatics","features":[189]},{"name":"IHotspotAuthenticationEventDetails","features":[189]},{"name":"IHotspotCredentialsAuthenticationResult","features":[189]},{"name":"IKnownCSimFilePathsStatics","features":[189]},{"name":"IKnownRuimFilePathsStatics","features":[189]},{"name":"IKnownSimFilePathsStatics","features":[189]},{"name":"IKnownUSimFilePathsStatics","features":[189]},{"name":"IMobileBroadbandAccount","features":[189]},{"name":"IMobileBroadbandAccount2","features":[189]},{"name":"IMobileBroadbandAccount3","features":[189]},{"name":"IMobileBroadbandAccountEventArgs","features":[189]},{"name":"IMobileBroadbandAccountStatics","features":[189]},{"name":"IMobileBroadbandAccountUpdatedEventArgs","features":[189]},{"name":"IMobileBroadbandAccountWatcher","features":[189]},{"name":"IMobileBroadbandAntennaSar","features":[189]},{"name":"IMobileBroadbandAntennaSarFactory","features":[189]},{"name":"IMobileBroadbandCellCdma","features":[189]},{"name":"IMobileBroadbandCellGsm","features":[189]},{"name":"IMobileBroadbandCellLte","features":[189]},{"name":"IMobileBroadbandCellNR","features":[189]},{"name":"IMobileBroadbandCellTdscdma","features":[189]},{"name":"IMobileBroadbandCellUmts","features":[189]},{"name":"IMobileBroadbandCellsInfo","features":[189]},{"name":"IMobileBroadbandCellsInfo2","features":[189]},{"name":"IMobileBroadbandCurrentSlotIndexChangedEventArgs","features":[189]},{"name":"IMobileBroadbandDeviceInformation","features":[189]},{"name":"IMobileBroadbandDeviceInformation2","features":[189]},{"name":"IMobileBroadbandDeviceInformation3","features":[189]},{"name":"IMobileBroadbandDeviceInformation4","features":[189]},{"name":"IMobileBroadbandDeviceService","features":[189]},{"name":"IMobileBroadbandDeviceServiceCommandResult","features":[189]},{"name":"IMobileBroadbandDeviceServiceCommandSession","features":[189]},{"name":"IMobileBroadbandDeviceServiceDataReceivedEventArgs","features":[189]},{"name":"IMobileBroadbandDeviceServiceDataSession","features":[189]},{"name":"IMobileBroadbandDeviceServiceInformation","features":[189]},{"name":"IMobileBroadbandDeviceServiceTriggerDetails","features":[189]},{"name":"IMobileBroadbandDeviceServiceTriggerDetails2","features":[189]},{"name":"IMobileBroadbandModem","features":[189]},{"name":"IMobileBroadbandModem2","features":[189]},{"name":"IMobileBroadbandModem3","features":[189]},{"name":"IMobileBroadbandModem4","features":[189]},{"name":"IMobileBroadbandModemConfiguration","features":[189]},{"name":"IMobileBroadbandModemConfiguration2","features":[189]},{"name":"IMobileBroadbandModemIsolation","features":[189]},{"name":"IMobileBroadbandModemIsolationFactory","features":[189]},{"name":"IMobileBroadbandModemStatics","features":[189]},{"name":"IMobileBroadbandNetwork","features":[189]},{"name":"IMobileBroadbandNetwork2","features":[189]},{"name":"IMobileBroadbandNetwork3","features":[189]},{"name":"IMobileBroadbandNetworkRegistrationStateChange","features":[189]},{"name":"IMobileBroadbandNetworkRegistrationStateChangeTriggerDetails","features":[189]},{"name":"IMobileBroadbandPco","features":[189]},{"name":"IMobileBroadbandPcoDataChangeTriggerDetails","features":[189]},{"name":"IMobileBroadbandPin","features":[189]},{"name":"IMobileBroadbandPinLockStateChange","features":[189]},{"name":"IMobileBroadbandPinLockStateChangeTriggerDetails","features":[189]},{"name":"IMobileBroadbandPinManager","features":[189]},{"name":"IMobileBroadbandPinOperationResult","features":[189]},{"name":"IMobileBroadbandRadioStateChange","features":[189]},{"name":"IMobileBroadbandRadioStateChangeTriggerDetails","features":[189]},{"name":"IMobileBroadbandSarManager","features":[189]},{"name":"IMobileBroadbandSlotInfo","features":[189]},{"name":"IMobileBroadbandSlotInfo2","features":[189]},{"name":"IMobileBroadbandSlotInfoChangedEventArgs","features":[189]},{"name":"IMobileBroadbandSlotManager","features":[189]},{"name":"IMobileBroadbandTransmissionStateChangedEventArgs","features":[189]},{"name":"IMobileBroadbandUicc","features":[189]},{"name":"IMobileBroadbandUiccApp","features":[189]},{"name":"IMobileBroadbandUiccAppReadRecordResult","features":[189]},{"name":"IMobileBroadbandUiccAppRecordDetailsResult","features":[189]},{"name":"IMobileBroadbandUiccAppsResult","features":[189]},{"name":"INetworkOperatorDataUsageTriggerDetails","features":[189]},{"name":"INetworkOperatorNotificationEventDetails","features":[189]},{"name":"INetworkOperatorTetheringAccessPointConfiguration","features":[189]},{"name":"INetworkOperatorTetheringAccessPointConfiguration2","features":[189]},{"name":"INetworkOperatorTetheringClient","features":[189]},{"name":"INetworkOperatorTetheringClientManager","features":[189]},{"name":"INetworkOperatorTetheringEntitlementCheck","features":[189]},{"name":"INetworkOperatorTetheringManager","features":[189]},{"name":"INetworkOperatorTetheringManagerStatics","features":[189]},{"name":"INetworkOperatorTetheringManagerStatics2","features":[189]},{"name":"INetworkOperatorTetheringManagerStatics3","features":[189]},{"name":"INetworkOperatorTetheringManagerStatics4","features":[189]},{"name":"INetworkOperatorTetheringOperationResult","features":[189]},{"name":"IProvisionFromXmlDocumentResults","features":[189]},{"name":"IProvisionedProfile","features":[189]},{"name":"IProvisioningAgent","features":[189]},{"name":"IProvisioningAgentStaticMethods","features":[189]},{"name":"ITetheringEntitlementCheckTriggerDetails","features":[189]},{"name":"IUssdMessage","features":[189]},{"name":"IUssdMessageFactory","features":[189]},{"name":"IUssdReply","features":[189]},{"name":"IUssdSession","features":[189]},{"name":"IUssdSessionStatics","features":[189]},{"name":"KnownCSimFilePaths","features":[189]},{"name":"KnownRuimFilePaths","features":[189]},{"name":"KnownSimFilePaths","features":[189]},{"name":"KnownUSimFilePaths","features":[189]},{"name":"LegacyNetworkOperatorsContract","features":[189]},{"name":"MobileBroadbandAccount","features":[189]},{"name":"MobileBroadbandAccountEventArgs","features":[189]},{"name":"MobileBroadbandAccountUpdatedEventArgs","features":[189]},{"name":"MobileBroadbandAccountWatcher","features":[189]},{"name":"MobileBroadbandAccountWatcherStatus","features":[189]},{"name":"MobileBroadbandAntennaSar","features":[189]},{"name":"MobileBroadbandCellCdma","features":[189]},{"name":"MobileBroadbandCellGsm","features":[189]},{"name":"MobileBroadbandCellLte","features":[189]},{"name":"MobileBroadbandCellNR","features":[189]},{"name":"MobileBroadbandCellTdscdma","features":[189]},{"name":"MobileBroadbandCellUmts","features":[189]},{"name":"MobileBroadbandCellsInfo","features":[189]},{"name":"MobileBroadbandCurrentSlotIndexChangedEventArgs","features":[189]},{"name":"MobileBroadbandDeviceInformation","features":[189]},{"name":"MobileBroadbandDeviceService","features":[189]},{"name":"MobileBroadbandDeviceServiceCommandResult","features":[189]},{"name":"MobileBroadbandDeviceServiceCommandSession","features":[189]},{"name":"MobileBroadbandDeviceServiceDataReceivedEventArgs","features":[189]},{"name":"MobileBroadbandDeviceServiceDataSession","features":[189]},{"name":"MobileBroadbandDeviceServiceInformation","features":[189]},{"name":"MobileBroadbandDeviceServiceTriggerDetails","features":[189]},{"name":"MobileBroadbandDeviceType","features":[189]},{"name":"MobileBroadbandModem","features":[189]},{"name":"MobileBroadbandModemConfiguration","features":[189]},{"name":"MobileBroadbandModemIsolation","features":[189]},{"name":"MobileBroadbandModemStatus","features":[189]},{"name":"MobileBroadbandNetwork","features":[189]},{"name":"MobileBroadbandNetworkRegistrationStateChange","features":[189]},{"name":"MobileBroadbandNetworkRegistrationStateChangeTriggerDetails","features":[189]},{"name":"MobileBroadbandPco","features":[189]},{"name":"MobileBroadbandPcoDataChangeTriggerDetails","features":[189]},{"name":"MobileBroadbandPin","features":[189]},{"name":"MobileBroadbandPinFormat","features":[189]},{"name":"MobileBroadbandPinLockState","features":[189]},{"name":"MobileBroadbandPinLockStateChange","features":[189]},{"name":"MobileBroadbandPinLockStateChangeTriggerDetails","features":[189]},{"name":"MobileBroadbandPinManager","features":[189]},{"name":"MobileBroadbandPinOperationResult","features":[189]},{"name":"MobileBroadbandPinType","features":[189]},{"name":"MobileBroadbandRadioState","features":[189]},{"name":"MobileBroadbandRadioStateChange","features":[189]},{"name":"MobileBroadbandRadioStateChangeTriggerDetails","features":[189]},{"name":"MobileBroadbandSarManager","features":[189]},{"name":"MobileBroadbandSlotInfo","features":[189]},{"name":"MobileBroadbandSlotInfoChangedEventArgs","features":[189]},{"name":"MobileBroadbandSlotManager","features":[189]},{"name":"MobileBroadbandSlotState","features":[189]},{"name":"MobileBroadbandTransmissionStateChangedEventArgs","features":[189]},{"name":"MobileBroadbandUicc","features":[189]},{"name":"MobileBroadbandUiccApp","features":[189]},{"name":"MobileBroadbandUiccAppOperationStatus","features":[189]},{"name":"MobileBroadbandUiccAppReadRecordResult","features":[189]},{"name":"MobileBroadbandUiccAppRecordDetailsResult","features":[189]},{"name":"MobileBroadbandUiccAppsResult","features":[189]},{"name":"NetworkDeviceStatus","features":[189]},{"name":"NetworkOperatorDataUsageNotificationKind","features":[189]},{"name":"NetworkOperatorDataUsageTriggerDetails","features":[189]},{"name":"NetworkOperatorEventMessageType","features":[189]},{"name":"NetworkOperatorNotificationEventDetails","features":[189]},{"name":"NetworkOperatorTetheringAccessPointConfiguration","features":[189]},{"name":"NetworkOperatorTetheringClient","features":[189]},{"name":"NetworkOperatorTetheringManager","features":[189]},{"name":"NetworkOperatorTetheringOperationResult","features":[189]},{"name":"NetworkOperatorsFdnContract","features":[189]},{"name":"NetworkRegistrationState","features":[189]},{"name":"ProfileMediaType","features":[189]},{"name":"ProfileUsage","features":[81,189]},{"name":"ProvisionFromXmlDocumentResults","features":[189]},{"name":"ProvisionedProfile","features":[189]},{"name":"ProvisioningAgent","features":[189]},{"name":"TetheringCapability","features":[189]},{"name":"TetheringEntitlementCheckTriggerDetails","features":[189]},{"name":"TetheringOperationStatus","features":[189]},{"name":"TetheringOperationalState","features":[189]},{"name":"TetheringWiFiBand","features":[189]},{"name":"UiccAccessCondition","features":[189]},{"name":"UiccAppKind","features":[189]},{"name":"UiccAppRecordKind","features":[189]},{"name":"UssdMessage","features":[189]},{"name":"UssdReply","features":[189]},{"name":"UssdResultCode","features":[189]},{"name":"UssdSession","features":[189]}],"194":[{"name":"ConnectionRequestedEventArgs","features":[190]},{"name":"DeviceArrivedEventHandler","features":[190]},{"name":"DeviceDepartedEventHandler","features":[190]},{"name":"IConnectionRequestedEventArgs","features":[190]},{"name":"IPeerFinderStatics","features":[190]},{"name":"IPeerFinderStatics2","features":[190]},{"name":"IPeerInformation","features":[190]},{"name":"IPeerInformation3","features":[190]},{"name":"IPeerInformationWithHostAndService","features":[190]},{"name":"IPeerWatcher","features":[190]},{"name":"IProximityDevice","features":[190]},{"name":"IProximityDeviceStatics","features":[190]},{"name":"IProximityMessage","features":[190]},{"name":"ITriggeredConnectionStateChangedEventArgs","features":[190]},{"name":"MessageReceivedHandler","features":[190]},{"name":"MessageTransmittedHandler","features":[190]},{"name":"PeerDiscoveryTypes","features":[190]},{"name":"PeerFinder","features":[190]},{"name":"PeerInformation","features":[190]},{"name":"PeerRole","features":[190]},{"name":"PeerWatcher","features":[190]},{"name":"PeerWatcherStatus","features":[190]},{"name":"ProximityDevice","features":[190]},{"name":"ProximityMessage","features":[190]},{"name":"TriggeredConnectState","features":[190]},{"name":"TriggeredConnectionStateChangedEventArgs","features":[190]}],"195":[{"name":"IPushNotificationChannel","features":[191]},{"name":"IPushNotificationChannelManagerForUser","features":[191]},{"name":"IPushNotificationChannelManagerForUser2","features":[191]},{"name":"IPushNotificationChannelManagerStatics","features":[191]},{"name":"IPushNotificationChannelManagerStatics2","features":[191]},{"name":"IPushNotificationChannelManagerStatics3","features":[191]},{"name":"IPushNotificationChannelManagerStatics4","features":[191]},{"name":"IPushNotificationChannelsRevokedEventArgs","features":[191]},{"name":"IPushNotificationReceivedEventArgs","features":[191]},{"name":"IRawNotification","features":[191]},{"name":"IRawNotification2","features":[191]},{"name":"IRawNotification3","features":[191]},{"name":"PushNotificationChannel","features":[191]},{"name":"PushNotificationChannelManager","features":[191]},{"name":"PushNotificationChannelManagerForUser","features":[191]},{"name":"PushNotificationChannelsRevokedEventArgs","features":[191]},{"name":"PushNotificationReceivedEventArgs","features":[191]},{"name":"PushNotificationType","features":[191]},{"name":"RawNotification","features":[191]}],"196":[{"name":"DnssdRegistrationResult","features":[192]},{"name":"DnssdRegistrationStatus","features":[192]},{"name":"DnssdServiceInstance","features":[192]},{"name":"DnssdServiceInstanceCollection","features":[37,192]},{"name":"DnssdServiceWatcher","features":[192]},{"name":"DnssdServiceWatcherStatus","features":[192]},{"name":"IDnssdRegistrationResult","features":[192]},{"name":"IDnssdServiceInstance","features":[192]},{"name":"IDnssdServiceInstanceFactory","features":[192]},{"name":"IDnssdServiceWatcher","features":[192]}],"197":[{"name":"BandwidthStatistics","features":[193]},{"name":"ControlChannelTrigger","features":[193]},{"name":"ControlChannelTriggerContract","features":[193]},{"name":"ControlChannelTriggerResetReason","features":[193]},{"name":"ControlChannelTriggerResourceType","features":[193]},{"name":"ControlChannelTriggerStatus","features":[193]},{"name":"DatagramSocket","features":[193]},{"name":"DatagramSocketControl","features":[193]},{"name":"DatagramSocketInformation","features":[193]},{"name":"DatagramSocketMessageReceivedEventArgs","features":[193]},{"name":"IControlChannelTrigger","features":[193]},{"name":"IControlChannelTrigger2","features":[193]},{"name":"IControlChannelTriggerEventDetails","features":[193]},{"name":"IControlChannelTriggerFactory","features":[193]},{"name":"IControlChannelTriggerResetEventDetails","features":[193]},{"name":"IDatagramSocket","features":[193]},{"name":"IDatagramSocket2","features":[193]},{"name":"IDatagramSocket3","features":[193]},{"name":"IDatagramSocketControl","features":[193]},{"name":"IDatagramSocketControl2","features":[193]},{"name":"IDatagramSocketControl3","features":[193]},{"name":"IDatagramSocketInformation","features":[193]},{"name":"IDatagramSocketMessageReceivedEventArgs","features":[193]},{"name":"IDatagramSocketStatics","features":[193]},{"name":"IMessageWebSocket","features":[193]},{"name":"IMessageWebSocket2","features":[193]},{"name":"IMessageWebSocket3","features":[193]},{"name":"IMessageWebSocketControl","features":[193]},{"name":"IMessageWebSocketControl2","features":[193]},{"name":"IMessageWebSocketMessageReceivedEventArgs","features":[193]},{"name":"IMessageWebSocketMessageReceivedEventArgs2","features":[193]},{"name":"IServerMessageWebSocket","features":[193]},{"name":"IServerMessageWebSocketControl","features":[193]},{"name":"IServerMessageWebSocketInformation","features":[193]},{"name":"IServerStreamWebSocket","features":[193]},{"name":"IServerStreamWebSocketInformation","features":[193]},{"name":"ISocketActivityContext","features":[193]},{"name":"ISocketActivityContextFactory","features":[193]},{"name":"ISocketActivityInformation","features":[193]},{"name":"ISocketActivityInformationStatics","features":[193]},{"name":"ISocketActivityTriggerDetails","features":[193]},{"name":"ISocketErrorStatics","features":[193]},{"name":"IStreamSocket","features":[193]},{"name":"IStreamSocket2","features":[193]},{"name":"IStreamSocket3","features":[193]},{"name":"IStreamSocketControl","features":[193]},{"name":"IStreamSocketControl2","features":[193]},{"name":"IStreamSocketControl3","features":[193]},{"name":"IStreamSocketControl4","features":[193]},{"name":"IStreamSocketInformation","features":[193]},{"name":"IStreamSocketInformation2","features":[193]},{"name":"IStreamSocketListener","features":[193]},{"name":"IStreamSocketListener2","features":[193]},{"name":"IStreamSocketListener3","features":[193]},{"name":"IStreamSocketListenerConnectionReceivedEventArgs","features":[193]},{"name":"IStreamSocketListenerControl","features":[193]},{"name":"IStreamSocketListenerControl2","features":[193]},{"name":"IStreamSocketListenerInformation","features":[193]},{"name":"IStreamSocketStatics","features":[193]},{"name":"IStreamWebSocket","features":[193]},{"name":"IStreamWebSocket2","features":[193]},{"name":"IStreamWebSocketControl","features":[193]},{"name":"IStreamWebSocketControl2","features":[193]},{"name":"IWebSocket","features":[193]},{"name":"IWebSocketClosedEventArgs","features":[193]},{"name":"IWebSocketControl","features":[193]},{"name":"IWebSocketControl2","features":[193]},{"name":"IWebSocketErrorStatics","features":[193]},{"name":"IWebSocketInformation","features":[193]},{"name":"IWebSocketInformation2","features":[193]},{"name":"IWebSocketServerCustomValidationRequestedEventArgs","features":[193]},{"name":"MessageWebSocket","features":[193]},{"name":"MessageWebSocketControl","features":[193]},{"name":"MessageWebSocketInformation","features":[193]},{"name":"MessageWebSocketMessageReceivedEventArgs","features":[193]},{"name":"MessageWebSocketReceiveMode","features":[193]},{"name":"RoundTripTimeStatistics","features":[193]},{"name":"ServerMessageWebSocket","features":[193]},{"name":"ServerMessageWebSocketControl","features":[193]},{"name":"ServerMessageWebSocketInformation","features":[193]},{"name":"ServerStreamWebSocket","features":[193]},{"name":"ServerStreamWebSocketInformation","features":[193]},{"name":"SocketActivityConnectedStandbyAction","features":[193]},{"name":"SocketActivityContext","features":[193]},{"name":"SocketActivityInformation","features":[193]},{"name":"SocketActivityKind","features":[193]},{"name":"SocketActivityTriggerDetails","features":[193]},{"name":"SocketActivityTriggerReason","features":[193]},{"name":"SocketError","features":[193]},{"name":"SocketErrorStatus","features":[193]},{"name":"SocketMessageType","features":[193]},{"name":"SocketProtectionLevel","features":[193]},{"name":"SocketQualityOfService","features":[193]},{"name":"SocketSslErrorSeverity","features":[193]},{"name":"StreamSocket","features":[193]},{"name":"StreamSocketControl","features":[193]},{"name":"StreamSocketInformation","features":[193]},{"name":"StreamSocketListener","features":[193]},{"name":"StreamSocketListenerConnectionReceivedEventArgs","features":[193]},{"name":"StreamSocketListenerControl","features":[193]},{"name":"StreamSocketListenerInformation","features":[193]},{"name":"StreamWebSocket","features":[193]},{"name":"StreamWebSocketControl","features":[193]},{"name":"StreamWebSocketInformation","features":[193]},{"name":"WebSocketClosedEventArgs","features":[193]},{"name":"WebSocketError","features":[193]},{"name":"WebSocketKeepAlive","features":[9,193]},{"name":"WebSocketServerCustomValidationRequestedEventArgs","features":[193]}],"198":[{"name":"IVpnAppId","features":[194]},{"name":"IVpnAppIdFactory","features":[194]},{"name":"IVpnChannel","features":[194]},{"name":"IVpnChannel2","features":[194]},{"name":"IVpnChannel4","features":[194]},{"name":"IVpnChannel5","features":[194]},{"name":"IVpnChannel6","features":[194]},{"name":"IVpnChannelActivityEventArgs","features":[194]},{"name":"IVpnChannelActivityStateChangedArgs","features":[194]},{"name":"IVpnChannelConfiguration","features":[194]},{"name":"IVpnChannelConfiguration2","features":[194]},{"name":"IVpnChannelStatics","features":[194]},{"name":"IVpnCredential","features":[194]},{"name":"IVpnCustomCheckBox","features":[194]},{"name":"IVpnCustomComboBox","features":[194]},{"name":"IVpnCustomEditBox","features":[194]},{"name":"IVpnCustomErrorBox","features":[194]},{"name":"IVpnCustomPrompt","features":[194]},{"name":"IVpnCustomPromptBooleanInput","features":[194]},{"name":"IVpnCustomPromptElement","features":[194]},{"name":"IVpnCustomPromptOptionSelector","features":[194]},{"name":"IVpnCustomPromptText","features":[194]},{"name":"IVpnCustomPromptTextInput","features":[194]},{"name":"IVpnCustomTextBox","features":[194]},{"name":"IVpnDomainNameAssignment","features":[194]},{"name":"IVpnDomainNameInfo","features":[194]},{"name":"IVpnDomainNameInfo2","features":[194]},{"name":"IVpnDomainNameInfoFactory","features":[194]},{"name":"IVpnForegroundActivatedEventArgs","features":[194]},{"name":"IVpnForegroundActivationOperation","features":[194]},{"name":"IVpnInterfaceId","features":[194]},{"name":"IVpnInterfaceIdFactory","features":[194]},{"name":"IVpnManagementAgent","features":[194]},{"name":"IVpnNamespaceAssignment","features":[194]},{"name":"IVpnNamespaceInfo","features":[194]},{"name":"IVpnNamespaceInfoFactory","features":[194]},{"name":"IVpnNativeProfile","features":[194]},{"name":"IVpnNativeProfile2","features":[194]},{"name":"IVpnPacketBuffer","features":[194]},{"name":"IVpnPacketBuffer2","features":[194]},{"name":"IVpnPacketBuffer3","features":[194]},{"name":"IVpnPacketBufferFactory","features":[194]},{"name":"IVpnPacketBufferList","features":[194]},{"name":"IVpnPacketBufferList2","features":[194]},{"name":"IVpnPickedCredential","features":[194]},{"name":"IVpnPlugIn","features":[194]},{"name":"IVpnPlugInProfile","features":[194]},{"name":"IVpnPlugInProfile2","features":[194]},{"name":"IVpnProfile","features":[194]},{"name":"IVpnRoute","features":[194]},{"name":"IVpnRouteAssignment","features":[194]},{"name":"IVpnRouteFactory","features":[194]},{"name":"IVpnSystemHealth","features":[194]},{"name":"IVpnTrafficFilter","features":[194]},{"name":"IVpnTrafficFilterAssignment","features":[194]},{"name":"IVpnTrafficFilterFactory","features":[194]},{"name":"VpnAppId","features":[194]},{"name":"VpnAppIdType","features":[194]},{"name":"VpnAuthenticationMethod","features":[194]},{"name":"VpnChannel","features":[194]},{"name":"VpnChannelActivityEventArgs","features":[194]},{"name":"VpnChannelActivityEventType","features":[194]},{"name":"VpnChannelActivityStateChangedArgs","features":[194]},{"name":"VpnChannelConfiguration","features":[194]},{"name":"VpnChannelRequestCredentialsOptions","features":[194]},{"name":"VpnCredential","features":[194]},{"name":"VpnCredentialType","features":[194]},{"name":"VpnCustomCheckBox","features":[194]},{"name":"VpnCustomComboBox","features":[194]},{"name":"VpnCustomEditBox","features":[194]},{"name":"VpnCustomErrorBox","features":[194]},{"name":"VpnCustomPromptBooleanInput","features":[194]},{"name":"VpnCustomPromptOptionSelector","features":[194]},{"name":"VpnCustomPromptText","features":[194]},{"name":"VpnCustomPromptTextInput","features":[194]},{"name":"VpnCustomTextBox","features":[194]},{"name":"VpnDataPathType","features":[194]},{"name":"VpnDomainNameAssignment","features":[194]},{"name":"VpnDomainNameInfo","features":[194]},{"name":"VpnDomainNameType","features":[194]},{"name":"VpnForegroundActivatedEventArgs","features":[194]},{"name":"VpnForegroundActivationOperation","features":[194]},{"name":"VpnIPProtocol","features":[194]},{"name":"VpnInterfaceId","features":[194]},{"name":"VpnManagementAgent","features":[194]},{"name":"VpnManagementConnectionStatus","features":[194]},{"name":"VpnManagementErrorStatus","features":[194]},{"name":"VpnNamespaceAssignment","features":[194]},{"name":"VpnNamespaceInfo","features":[194]},{"name":"VpnNativeProfile","features":[194]},{"name":"VpnNativeProtocolType","features":[194]},{"name":"VpnPacketBuffer","features":[194]},{"name":"VpnPacketBufferList","features":[194]},{"name":"VpnPacketBufferStatus","features":[194]},{"name":"VpnPickedCredential","features":[194]},{"name":"VpnPlugInProfile","features":[194]},{"name":"VpnRoute","features":[194]},{"name":"VpnRouteAssignment","features":[194]},{"name":"VpnRoutingPolicyType","features":[194]},{"name":"VpnSystemHealth","features":[194]},{"name":"VpnTrafficFilter","features":[194]},{"name":"VpnTrafficFilterAssignment","features":[194]}],"199":[{"name":"IXboxLiveDeviceAddress","features":[195]},{"name":"IXboxLiveDeviceAddressStatics","features":[195]},{"name":"IXboxLiveEndpointPair","features":[195]},{"name":"IXboxLiveEndpointPairCreationResult","features":[195]},{"name":"IXboxLiveEndpointPairStateChangedEventArgs","features":[195]},{"name":"IXboxLiveEndpointPairStatics","features":[195]},{"name":"IXboxLiveEndpointPairTemplate","features":[195]},{"name":"IXboxLiveEndpointPairTemplateStatics","features":[195]},{"name":"IXboxLiveInboundEndpointPairCreatedEventArgs","features":[195]},{"name":"IXboxLiveQualityOfServiceMeasurement","features":[195]},{"name":"IXboxLiveQualityOfServiceMeasurementStatics","features":[195]},{"name":"IXboxLiveQualityOfServiceMetricResult","features":[195]},{"name":"IXboxLiveQualityOfServicePrivatePayloadResult","features":[195]},{"name":"XboxLiveDeviceAddress","features":[195]},{"name":"XboxLiveEndpointPair","features":[195]},{"name":"XboxLiveEndpointPairCreationBehaviors","features":[195]},{"name":"XboxLiveEndpointPairCreationResult","features":[195]},{"name":"XboxLiveEndpointPairCreationStatus","features":[195]},{"name":"XboxLiveEndpointPairState","features":[195]},{"name":"XboxLiveEndpointPairStateChangedEventArgs","features":[195]},{"name":"XboxLiveEndpointPairTemplate","features":[195]},{"name":"XboxLiveInboundEndpointPairCreatedEventArgs","features":[195]},{"name":"XboxLiveNetworkAccessKind","features":[195]},{"name":"XboxLiveQualityOfServiceMeasurement","features":[195]},{"name":"XboxLiveQualityOfServiceMeasurementStatus","features":[195]},{"name":"XboxLiveQualityOfServiceMetric","features":[195]},{"name":"XboxLiveQualityOfServiceMetricResult","features":[195]},{"name":"XboxLiveQualityOfServicePrivatePayloadResult","features":[195]},{"name":"XboxLiveSecureSocketsContract","features":[195]},{"name":"XboxLiveSocketKind","features":[195]}],"200":[{"name":"IPerceptionTimestamp","features":[196]},{"name":"IPerceptionTimestamp2","features":[196]},{"name":"IPerceptionTimestampHelperStatics","features":[196]},{"name":"IPerceptionTimestampHelperStatics2","features":[196]},{"name":"PerceptionTimestamp","features":[196]},{"name":"PerceptionTimestampHelper","features":[196]}],"201":[{"name":"CorePerceptionAutomation","features":[197]},{"name":"ICorePerceptionAutomationStatics","features":[197]},{"name":"PerceptionAutomationCoreContract","features":[197]}],"202":[{"name":"EyesPose","features":[198]},{"name":"HandJointKind","features":[198]},{"name":"HandMeshObserver","features":[198]},{"name":"HandMeshVertex","features":[73,198]},{"name":"HandMeshVertexState","features":[198]},{"name":"HandPose","features":[198]},{"name":"HeadPose","features":[198]},{"name":"IEyesPose","features":[198]},{"name":"IEyesPoseStatics","features":[198]},{"name":"IHandMeshObserver","features":[198]},{"name":"IHandMeshVertexState","features":[198]},{"name":"IHandPose","features":[198]},{"name":"IHeadPose","features":[198]},{"name":"JointPose","features":[73,198]},{"name":"JointPoseAccuracy","features":[198]}],"203":[{"name":"ISpatialAnchor","features":[199]},{"name":"ISpatialAnchor2","features":[199]},{"name":"ISpatialAnchorExportSufficiency","features":[199]},{"name":"ISpatialAnchorExporter","features":[199]},{"name":"ISpatialAnchorExporterStatics","features":[199]},{"name":"ISpatialAnchorManagerStatics","features":[199]},{"name":"ISpatialAnchorRawCoordinateSystemAdjustedEventArgs","features":[199]},{"name":"ISpatialAnchorStatics","features":[199]},{"name":"ISpatialAnchorStore","features":[199]},{"name":"ISpatialAnchorTransferManagerStatics","features":[199,3]},{"name":"ISpatialBoundingVolume","features":[199]},{"name":"ISpatialBoundingVolumeStatics","features":[199]},{"name":"ISpatialCoordinateSystem","features":[199]},{"name":"ISpatialEntity","features":[199]},{"name":"ISpatialEntityAddedEventArgs","features":[199]},{"name":"ISpatialEntityFactory","features":[199]},{"name":"ISpatialEntityRemovedEventArgs","features":[199]},{"name":"ISpatialEntityStore","features":[199]},{"name":"ISpatialEntityStoreStatics","features":[199]},{"name":"ISpatialEntityUpdatedEventArgs","features":[199]},{"name":"ISpatialEntityWatcher","features":[199]},{"name":"ISpatialLocation","features":[199]},{"name":"ISpatialLocation2","features":[199]},{"name":"ISpatialLocator","features":[199]},{"name":"ISpatialLocatorAttachedFrameOfReference","features":[199]},{"name":"ISpatialLocatorPositionalTrackingDeactivatingEventArgs","features":[199]},{"name":"ISpatialLocatorStatics","features":[199]},{"name":"ISpatialStageFrameOfReference","features":[199]},{"name":"ISpatialStageFrameOfReferenceStatics","features":[199]},{"name":"ISpatialStationaryFrameOfReference","features":[199]},{"name":"SpatialAnchor","features":[199]},{"name":"SpatialAnchorExportPurpose","features":[199]},{"name":"SpatialAnchorExportSufficiency","features":[199]},{"name":"SpatialAnchorExporter","features":[199]},{"name":"SpatialAnchorManager","features":[199]},{"name":"SpatialAnchorRawCoordinateSystemAdjustedEventArgs","features":[199]},{"name":"SpatialAnchorStore","features":[199]},{"name":"SpatialAnchorTransferManager","features":[199,3]},{"name":"SpatialBoundingBox","features":[73,199]},{"name":"SpatialBoundingFrustum","features":[73,199]},{"name":"SpatialBoundingOrientedBox","features":[73,199]},{"name":"SpatialBoundingSphere","features":[73,199]},{"name":"SpatialBoundingVolume","features":[199]},{"name":"SpatialCoordinateSystem","features":[199]},{"name":"SpatialEntity","features":[199]},{"name":"SpatialEntityAddedEventArgs","features":[199]},{"name":"SpatialEntityRemovedEventArgs","features":[199]},{"name":"SpatialEntityStore","features":[199]},{"name":"SpatialEntityUpdatedEventArgs","features":[199]},{"name":"SpatialEntityWatcher","features":[199]},{"name":"SpatialEntityWatcherStatus","features":[199]},{"name":"SpatialLocatability","features":[199]},{"name":"SpatialLocation","features":[199]},{"name":"SpatialLocator","features":[199]},{"name":"SpatialLocatorAttachedFrameOfReference","features":[199]},{"name":"SpatialLocatorPositionalTrackingDeactivatingEventArgs","features":[199]},{"name":"SpatialLookDirectionRange","features":[199]},{"name":"SpatialMovementRange","features":[199]},{"name":"SpatialPerceptionAccessStatus","features":[199]},{"name":"SpatialRay","features":[73,199]},{"name":"SpatialStageFrameOfReference","features":[199]},{"name":"SpatialStationaryFrameOfReference","features":[199]}],"204":[{"name":"ISpatialGraphInteropFrameOfReferencePreview","features":[200]},{"name":"ISpatialGraphInteropPreviewStatics","features":[200]},{"name":"ISpatialGraphInteropPreviewStatics2","features":[200]},{"name":"SpatialGraphInteropFrameOfReferencePreview","features":[200]},{"name":"SpatialGraphInteropPreview","features":[200]}],"205":[{"name":"ISpatialSurfaceInfo","features":[201]},{"name":"ISpatialSurfaceMesh","features":[201]},{"name":"ISpatialSurfaceMeshBuffer","features":[201]},{"name":"ISpatialSurfaceMeshOptions","features":[201]},{"name":"ISpatialSurfaceMeshOptionsStatics","features":[201]},{"name":"ISpatialSurfaceObserver","features":[201]},{"name":"ISpatialSurfaceObserverStatics","features":[201]},{"name":"ISpatialSurfaceObserverStatics2","features":[201]},{"name":"SpatialSurfaceInfo","features":[201]},{"name":"SpatialSurfaceMesh","features":[201]},{"name":"SpatialSurfaceMeshBuffer","features":[201]},{"name":"SpatialSurfaceMeshOptions","features":[201]},{"name":"SpatialSurfaceObserver","features":[201]}],"206":[{"name":"PhoneContract","features":[202]}],"207":[{"name":"ApplicationProfile","features":[203]},{"name":"ApplicationProfileModes","features":[203]},{"name":"IApplicationProfileStatics","features":[203]}],"208":[{"name":"IVibrationDevice","features":[204]},{"name":"IVibrationDeviceStatics","features":[204]},{"name":"VibrationDevice","features":[204]}],"209":[{"name":"Battery","features":[205]},{"name":"IBattery","features":[205]},{"name":"IBatteryStatics","features":[205]}],"210":[{"name":"Enterprise","features":[206]},{"name":"EnterpriseEnrollmentManager","features":[206]},{"name":"EnterpriseEnrollmentResult","features":[206]},{"name":"EnterpriseEnrollmentStatus","features":[206]},{"name":"EnterpriseStatus","features":[206]},{"name":"IEnterprise","features":[206]},{"name":"IEnterpriseEnrollmentManager","features":[206]},{"name":"IEnterpriseEnrollmentResult","features":[206]},{"name":"IInstallationManagerStatics","features":[206]},{"name":"IInstallationManagerStatics2","features":[206]},{"name":"IPackageInstallResult","features":[206]},{"name":"IPackageInstallResult2","features":[206]},{"name":"InstallationManager","features":[206]},{"name":"PackageInstallResult","features":[206]}],"211":[{"name":"AudioRoutingEndpoint","features":[207]},{"name":"AudioRoutingManager","features":[207]},{"name":"AvailableAudioRoutingEndpoints","features":[207]},{"name":"IAudioRoutingManager","features":[207]},{"name":"IAudioRoutingManagerStatics","features":[207]}],"212":[{"name":"AccessoryManager","features":[208]},{"name":"AccessoryNotificationType","features":[208]},{"name":"AlarmNotificationTriggerDetails","features":[208]},{"name":"AppNotificationInfo","features":[208]},{"name":"BinaryId","features":[208]},{"name":"CalendarChangedEvent","features":[208]},{"name":"CalendarChangedNotificationTriggerDetails","features":[208]},{"name":"CortanaTileNotificationTriggerDetails","features":[208]},{"name":"EmailAccountInfo","features":[208]},{"name":"EmailFolderInfo","features":[208]},{"name":"EmailNotificationTriggerDetails","features":[208]},{"name":"EmailReadNotificationTriggerDetails","features":[208]},{"name":"IAccessoryManager","features":[208]},{"name":"IAccessoryManager2","features":[208]},{"name":"IAccessoryManager3","features":[208]},{"name":"IAccessoryNotificationTriggerDetails","features":[208]},{"name":"IAlarmNotificationTriggerDetails","features":[208]},{"name":"IAlarmNotificationTriggerDetails2","features":[208]},{"name":"IAppNotificationInfo","features":[208]},{"name":"IBinaryId","features":[208]},{"name":"ICalendarChangedNotificationTriggerDetails","features":[208]},{"name":"ICortanaTileNotificationTriggerDetails","features":[208]},{"name":"IEmailAccountInfo","features":[208]},{"name":"IEmailFolderInfo","features":[208]},{"name":"IEmailNotificationTriggerDetails","features":[208]},{"name":"IEmailNotificationTriggerDetails2","features":[208]},{"name":"IEmailReadNotificationTriggerDetails","features":[208]},{"name":"IMediaControlsTriggerDetails","features":[208]},{"name":"IMediaMetadata","features":[208]},{"name":"IPhoneCallDetails","features":[208]},{"name":"IPhoneLineDetails","features":[208]},{"name":"IPhoneLineDetails2","features":[208]},{"name":"IPhoneNotificationTriggerDetails","features":[208]},{"name":"IReminderNotificationTriggerDetails","features":[208]},{"name":"IReminderNotificationTriggerDetails2","features":[208]},{"name":"ISpeedDialEntry","features":[208]},{"name":"ITextResponse","features":[208]},{"name":"IToastNotificationTriggerDetails","features":[208]},{"name":"IToastNotificationTriggerDetails2","features":[208]},{"name":"IVolumeInfo","features":[208]},{"name":"MediaControlsTriggerDetails","features":[208]},{"name":"MediaMetadata","features":[208]},{"name":"PhoneCallAudioEndpoint","features":[208]},{"name":"PhoneCallDetails","features":[208]},{"name":"PhoneCallDirection","features":[208]},{"name":"PhoneCallState","features":[208]},{"name":"PhoneCallTransport","features":[208]},{"name":"PhoneLineDetails","features":[208]},{"name":"PhoneLineRegistrationState","features":[208]},{"name":"PhoneMediaType","features":[208]},{"name":"PhoneNotificationTriggerDetails","features":[208]},{"name":"PhoneNotificationType","features":[208]},{"name":"PlaybackCapability","features":[208]},{"name":"PlaybackCommand","features":[208]},{"name":"PlaybackStatus","features":[208]},{"name":"ReminderNotificationTriggerDetails","features":[208]},{"name":"ReminderState","features":[208]},{"name":"SpeedDialEntry","features":[208]},{"name":"TextResponse","features":[208]},{"name":"ToastNotificationTriggerDetails","features":[208]},{"name":"VibrateState","features":[208]},{"name":"VolumeInfo","features":[208]}],"213":[{"name":"ContactAddress","features":[209]},{"name":"ContactChangeRecord","features":[209]},{"name":"ContactChangeType","features":[209]},{"name":"ContactInformation","features":[209]},{"name":"ContactQueryOptions","features":[209]},{"name":"ContactQueryResult","features":[209]},{"name":"ContactQueryResultOrdering","features":[209]},{"name":"ContactStore","features":[209]},{"name":"ContactStoreApplicationAccessMode","features":[209]},{"name":"ContactStoreSystemAccessMode","features":[209]},{"name":"IContactAddress","features":[209]},{"name":"IContactChangeRecord","features":[209]},{"name":"IContactInformation","features":[209]},{"name":"IContactInformation2","features":[209]},{"name":"IContactInformationStatics","features":[209]},{"name":"IContactQueryOptions","features":[209]},{"name":"IContactQueryResult","features":[209]},{"name":"IContactStore","features":[209]},{"name":"IContactStore2","features":[209]},{"name":"IContactStoreStatics","features":[209]},{"name":"IKnownContactPropertiesStatics","features":[209]},{"name":"IStoredContact","features":[209]},{"name":"IStoredContactFactory","features":[209]},{"name":"KnownContactProperties","features":[209]},{"name":"StoredContact","features":[209]},{"name":"VCardFormat","features":[209]}],"214":[{"name":"ContactPartnerProvisioningManager","features":[210]},{"name":"IContactPartnerProvisioningManagerStatics","features":[210]},{"name":"IContactPartnerProvisioningManagerStatics2","features":[210]},{"name":"IMessagePartnerProvisioningManagerStatics","features":[210]},{"name":"MessagePartnerProvisioningManager","features":[210]}],"215":[{"name":"SpeechRecognitionUIStatus","features":[211]}],"216":[{"name":"DualSimTile","features":[212]},{"name":"DualSimTileContract","features":[212]},{"name":"IDualSimTile","features":[212]},{"name":"IDualSimTileStatics","features":[212]},{"name":"IToastNotificationManagerStatics3","features":[212]}],"217":[{"name":"ISystemProtectionStatics","features":[213]},{"name":"ISystemProtectionUnlockStatics","features":[213]},{"name":"SystemProtection","features":[213]}],"218":[{"name":"IPowerManagerStatics","features":[214]},{"name":"IPowerManagerStatics2","features":[214]},{"name":"PowerManager","features":[214]},{"name":"PowerSavingMode","features":[214]}],"219":[{"name":"IRetailModeStatics","features":[215,3]},{"name":"RetailMode","features":[215,3]}],"220":[{"name":"GameService","features":[216]},{"name":"GameServiceGameOutcome","features":[216]},{"name":"GameServicePropertyCollection","features":[216]},{"name":"GameServiceScoreKind","features":[216]},{"name":"IGameService","features":[216]},{"name":"IGameService2","features":[216]},{"name":"IGameServicePropertyCollection","features":[216]}],"221":[{"name":"BackPressedEventArgs","features":[217]},{"name":"CameraEventArgs","features":[217]},{"name":"HardwareButtons","features":[217]},{"name":"IBackPressedEventArgs","features":[217]},{"name":"ICameraEventArgs","features":[217]},{"name":"IHardwareButtonsStatics","features":[217]},{"name":"IHardwareButtonsStatics2","features":[217]}],"222":[{"name":"EnterpriseKeyCredentialRegistrationInfo","features":[218]},{"name":"EnterpriseKeyCredentialRegistrationManager","features":[218]},{"name":"IEnterpriseKeyCredentialRegistrationInfo","features":[218]},{"name":"IEnterpriseKeyCredentialRegistrationManager","features":[218]},{"name":"IEnterpriseKeyCredentialRegistrationManagerStatics","features":[218]}],"223":[{"name":"IMicrosoftAccountMultiFactorAuthenticationManager","features":[219]},{"name":"IMicrosoftAccountMultiFactorAuthenticatorStatics","features":[219]},{"name":"IMicrosoftAccountMultiFactorGetSessionsResult","features":[219]},{"name":"IMicrosoftAccountMultiFactorOneTimeCodedInfo","features":[219]},{"name":"IMicrosoftAccountMultiFactorSessionInfo","features":[219]},{"name":"IMicrosoftAccountMultiFactorUnregisteredAccountsAndSessionInfo","features":[219]},{"name":"MicrosoftAccountMultiFactorAuthenticationManager","features":[219]},{"name":"MicrosoftAccountMultiFactorAuthenticationType","features":[219]},{"name":"MicrosoftAccountMultiFactorGetSessionsResult","features":[219]},{"name":"MicrosoftAccountMultiFactorOneTimeCodedInfo","features":[219]},{"name":"MicrosoftAccountMultiFactorServiceResponse","features":[219]},{"name":"MicrosoftAccountMultiFactorSessionApprovalStatus","features":[219]},{"name":"MicrosoftAccountMultiFactorSessionAuthenticationStatus","features":[219]},{"name":"MicrosoftAccountMultiFactorSessionInfo","features":[219]},{"name":"MicrosoftAccountMultiFactorUnregisteredAccountsAndSessionInfo","features":[219]}],"225":[{"name":"CredentialPromptType","features":[220]},{"name":"IOnlineIdAuthenticator","features":[220]},{"name":"IOnlineIdServiceTicket","features":[220]},{"name":"IOnlineIdServiceTicketRequest","features":[220]},{"name":"IOnlineIdServiceTicketRequestFactory","features":[220]},{"name":"IOnlineIdSystemAuthenticatorForUser","features":[220]},{"name":"IOnlineIdSystemAuthenticatorStatics","features":[220]},{"name":"IOnlineIdSystemIdentity","features":[220]},{"name":"IOnlineIdSystemTicketResult","features":[220]},{"name":"IUserIdentity","features":[220]},{"name":"OnlineIdAuthenticator","features":[220]},{"name":"OnlineIdServiceTicket","features":[220]},{"name":"OnlineIdServiceTicketRequest","features":[220]},{"name":"OnlineIdSystemAuthenticator","features":[220]},{"name":"OnlineIdSystemAuthenticatorForUser","features":[220]},{"name":"OnlineIdSystemIdentity","features":[220]},{"name":"OnlineIdSystemTicketResult","features":[220]},{"name":"OnlineIdSystemTicketStatus","features":[220]},{"name":"SignOutUserOperation","features":[81,220]},{"name":"UserAuthenticationOperation","features":[81,220]},{"name":"UserIdentity","features":[220]}],"226":[{"name":"IWebAuthenticationBrokerStatics","features":[221]},{"name":"IWebAuthenticationBrokerStatics2","features":[221]},{"name":"IWebAuthenticationResult","features":[221]},{"name":"TokenBindingKeyType","features":[221]},{"name":"WebAuthenticationBroker","features":[221]},{"name":"WebAuthenticationOptions","features":[221]},{"name":"WebAuthenticationResult","features":[221]},{"name":"WebAuthenticationStatus","features":[221]}],"227":[{"name":"FindAllAccountsResult","features":[222]},{"name":"FindAllWebAccountsStatus","features":[222]},{"name":"IFindAllAccountsResult","features":[222]},{"name":"IWebAccountEventArgs","features":[222]},{"name":"IWebAccountMonitor","features":[222]},{"name":"IWebAccountMonitor2","features":[222]},{"name":"IWebAuthenticationCoreManagerStatics","features":[222]},{"name":"IWebAuthenticationCoreManagerStatics2","features":[222]},{"name":"IWebAuthenticationCoreManagerStatics3","features":[222]},{"name":"IWebAuthenticationCoreManagerStatics4","features":[222]},{"name":"IWebProviderError","features":[222]},{"name":"IWebProviderErrorFactory","features":[222]},{"name":"IWebTokenRequest","features":[222]},{"name":"IWebTokenRequest2","features":[222]},{"name":"IWebTokenRequest3","features":[222]},{"name":"IWebTokenRequestFactory","features":[222]},{"name":"IWebTokenRequestResult","features":[222]},{"name":"IWebTokenResponse","features":[222]},{"name":"IWebTokenResponseFactory","features":[222]},{"name":"WebAccountEventArgs","features":[222]},{"name":"WebAccountMonitor","features":[222]},{"name":"WebAuthenticationCoreManager","features":[222]},{"name":"WebProviderError","features":[222]},{"name":"WebTokenRequest","features":[222]},{"name":"WebTokenRequestPromptType","features":[222]},{"name":"WebTokenRequestResult","features":[222]},{"name":"WebTokenRequestStatus","features":[222]},{"name":"WebTokenResponse","features":[222]}],"228":[{"name":"IWebAccountClientView","features":[223]},{"name":"IWebAccountClientViewFactory","features":[223]},{"name":"IWebAccountManagerStatics","features":[223]},{"name":"IWebAccountManagerStatics2","features":[223]},{"name":"IWebAccountManagerStatics3","features":[223]},{"name":"IWebAccountManagerStatics4","features":[223]},{"name":"IWebAccountMapManagerStatics","features":[223]},{"name":"IWebAccountProviderAddAccountOperation","features":[223]},{"name":"IWebAccountProviderBaseReportOperation","features":[223]},{"name":"IWebAccountProviderDeleteAccountOperation","features":[223]},{"name":"IWebAccountProviderManageAccountOperation","features":[223]},{"name":"IWebAccountProviderOperation","features":[223]},{"name":"IWebAccountProviderRetrieveCookiesOperation","features":[223]},{"name":"IWebAccountProviderSignOutAccountOperation","features":[223]},{"name":"IWebAccountProviderSilentReportOperation","features":[223]},{"name":"IWebAccountProviderTokenObjects","features":[223]},{"name":"IWebAccountProviderTokenObjects2","features":[223]},{"name":"IWebAccountProviderTokenOperation","features":[223]},{"name":"IWebAccountProviderUIReportOperation","features":[223]},{"name":"IWebAccountScopeManagerStatics","features":[223]},{"name":"IWebProviderTokenRequest","features":[223]},{"name":"IWebProviderTokenRequest2","features":[223]},{"name":"IWebProviderTokenRequest3","features":[223]},{"name":"IWebProviderTokenResponse","features":[223]},{"name":"IWebProviderTokenResponseFactory","features":[223]},{"name":"WebAccountClientView","features":[223]},{"name":"WebAccountClientViewType","features":[223]},{"name":"WebAccountManager","features":[223]},{"name":"WebAccountProviderAddAccountOperation","features":[223]},{"name":"WebAccountProviderDeleteAccountOperation","features":[223]},{"name":"WebAccountProviderGetTokenSilentOperation","features":[223]},{"name":"WebAccountProviderManageAccountOperation","features":[223]},{"name":"WebAccountProviderOperationKind","features":[223]},{"name":"WebAccountProviderRequestTokenOperation","features":[223]},{"name":"WebAccountProviderRetrieveCookiesOperation","features":[223]},{"name":"WebAccountProviderSignOutAccountOperation","features":[223]},{"name":"WebAccountProviderTriggerDetails","features":[223]},{"name":"WebAccountScope","features":[223]},{"name":"WebAccountSelectionOptions","features":[223]},{"name":"WebProviderTokenRequest","features":[223]},{"name":"WebProviderTokenResponse","features":[223]}],"229":[{"name":"AppCapability","features":[224]},{"name":"AppCapabilityAccessChangedEventArgs","features":[224]},{"name":"AppCapabilityAccessStatus","features":[224]},{"name":"IAppCapability","features":[224]},{"name":"IAppCapability2","features":[224]},{"name":"IAppCapabilityAccessChangedEventArgs","features":[224]},{"name":"IAppCapabilityStatics","features":[224]}],"230":[{"name":"ICredentialFactory","features":[225]},{"name":"IKeyCredential","features":[225]},{"name":"IKeyCredentialAttestationResult","features":[225]},{"name":"IKeyCredentialManagerStatics","features":[225]},{"name":"IKeyCredentialOperationResult","features":[225]},{"name":"IKeyCredentialRetrievalResult","features":[225]},{"name":"IPasswordCredential","features":[225]},{"name":"IPasswordVault","features":[225]},{"name":"IWebAccount","features":[225]},{"name":"IWebAccount2","features":[225]},{"name":"IWebAccountFactory","features":[225]},{"name":"IWebAccountProvider","features":[225]},{"name":"IWebAccountProvider2","features":[225]},{"name":"IWebAccountProvider3","features":[225]},{"name":"IWebAccountProvider4","features":[225]},{"name":"IWebAccountProviderFactory","features":[225]},{"name":"KeyCredential","features":[225]},{"name":"KeyCredentialAttestationResult","features":[225]},{"name":"KeyCredentialAttestationStatus","features":[225]},{"name":"KeyCredentialCreationOption","features":[225]},{"name":"KeyCredentialManager","features":[225]},{"name":"KeyCredentialOperationResult","features":[225]},{"name":"KeyCredentialRetrievalResult","features":[225]},{"name":"KeyCredentialStatus","features":[225]},{"name":"PasswordCredential","features":[225]},{"name":"PasswordCredentialPropertyStore","features":[37,225]},{"name":"PasswordVault","features":[225]},{"name":"WebAccount","features":[225]},{"name":"WebAccountPictureSize","features":[225]},{"name":"WebAccountProvider","features":[225]},{"name":"WebAccountState","features":[225]}],"231":[{"name":"AuthenticationProtocol","features":[226]},{"name":"CredentialPicker","features":[226]},{"name":"CredentialPickerOptions","features":[226]},{"name":"CredentialPickerResults","features":[226]},{"name":"CredentialSaveOption","features":[226]},{"name":"ICredentialPickerOptions","features":[226]},{"name":"ICredentialPickerResults","features":[226]},{"name":"ICredentialPickerStatics","features":[226]},{"name":"IUserConsentVerifierStatics","features":[226]},{"name":"UserConsentVerificationResult","features":[226]},{"name":"UserConsentVerifier","features":[226]},{"name":"UserConsentVerifierAvailability","features":[226]}],"232":[{"name":"BinaryStringEncoding","features":[227]},{"name":"CryptographicBuffer","features":[227]},{"name":"ICryptographicBufferStatics","features":[227]}],"233":[{"name":"Certificate","features":[228]},{"name":"CertificateChain","features":[228]},{"name":"CertificateChainPolicy","features":[228]},{"name":"CertificateEnrollmentManager","features":[228]},{"name":"CertificateExtension","features":[228]},{"name":"CertificateKeyUsages","features":[228]},{"name":"CertificateQuery","features":[228]},{"name":"CertificateRequestProperties","features":[228]},{"name":"CertificateStore","features":[228]},{"name":"CertificateStores","features":[228]},{"name":"ChainBuildingParameters","features":[228]},{"name":"ChainValidationParameters","features":[228]},{"name":"ChainValidationResult","features":[228]},{"name":"CmsAttachedSignature","features":[228]},{"name":"CmsDetachedSignature","features":[228]},{"name":"CmsSignerInfo","features":[228]},{"name":"CmsTimestampInfo","features":[228]},{"name":"EnrollKeyUsages","features":[228]},{"name":"ExportOption","features":[228]},{"name":"ICertificate","features":[228]},{"name":"ICertificate2","features":[228]},{"name":"ICertificate3","features":[228]},{"name":"ICertificateChain","features":[228]},{"name":"ICertificateEnrollmentManagerStatics","features":[228]},{"name":"ICertificateEnrollmentManagerStatics2","features":[228]},{"name":"ICertificateEnrollmentManagerStatics3","features":[228]},{"name":"ICertificateExtension","features":[228]},{"name":"ICertificateFactory","features":[228]},{"name":"ICertificateKeyUsages","features":[228]},{"name":"ICertificateQuery","features":[228]},{"name":"ICertificateQuery2","features":[228]},{"name":"ICertificateRequestProperties","features":[228]},{"name":"ICertificateRequestProperties2","features":[228]},{"name":"ICertificateRequestProperties3","features":[228]},{"name":"ICertificateRequestProperties4","features":[228]},{"name":"ICertificateStore","features":[228]},{"name":"ICertificateStore2","features":[228]},{"name":"ICertificateStoresStatics","features":[228]},{"name":"ICertificateStoresStatics2","features":[228]},{"name":"IChainBuildingParameters","features":[228]},{"name":"IChainValidationParameters","features":[228]},{"name":"ICmsAttachedSignature","features":[228]},{"name":"ICmsAttachedSignatureFactory","features":[228]},{"name":"ICmsAttachedSignatureStatics","features":[228]},{"name":"ICmsDetachedSignature","features":[228]},{"name":"ICmsDetachedSignatureFactory","features":[228]},{"name":"ICmsDetachedSignatureStatics","features":[228]},{"name":"ICmsSignerInfo","features":[228]},{"name":"ICmsTimestampInfo","features":[228]},{"name":"IKeyAlgorithmNamesStatics","features":[228]},{"name":"IKeyAlgorithmNamesStatics2","features":[228]},{"name":"IKeyAttestationHelperStatics","features":[228]},{"name":"IKeyAttestationHelperStatics2","features":[228]},{"name":"IKeyStorageProviderNamesStatics","features":[228]},{"name":"IKeyStorageProviderNamesStatics2","features":[228]},{"name":"IPfxImportParameters","features":[228]},{"name":"IStandardCertificateStoreNamesStatics","features":[228]},{"name":"ISubjectAlternativeNameInfo","features":[228]},{"name":"ISubjectAlternativeNameInfo2","features":[228]},{"name":"IUserCertificateEnrollmentManager","features":[228]},{"name":"IUserCertificateEnrollmentManager2","features":[228]},{"name":"IUserCertificateStore","features":[228]},{"name":"InstallOptions","features":[228]},{"name":"KeyAlgorithmNames","features":[228]},{"name":"KeyAttestationHelper","features":[228]},{"name":"KeyProtectionLevel","features":[228]},{"name":"KeySize","features":[228]},{"name":"KeyStorageProviderNames","features":[228]},{"name":"PfxImportParameters","features":[228]},{"name":"SignatureValidationResult","features":[228]},{"name":"StandardCertificateStoreNames","features":[228]},{"name":"SubjectAlternativeNameInfo","features":[228]},{"name":"UserCertificateEnrollmentManager","features":[228]},{"name":"UserCertificateStore","features":[228]}],"234":[{"name":"AsymmetricAlgorithmNames","features":[229]},{"name":"AsymmetricKeyAlgorithmProvider","features":[229]},{"name":"Capi1KdfTargetAlgorithm","features":[229]},{"name":"CryptographicEngine","features":[229]},{"name":"CryptographicHash","features":[229]},{"name":"CryptographicKey","features":[229]},{"name":"CryptographicPadding","features":[229]},{"name":"CryptographicPrivateKeyBlobType","features":[229]},{"name":"CryptographicPublicKeyBlobType","features":[229]},{"name":"EccCurveNames","features":[229]},{"name":"EncryptedAndAuthenticatedData","features":[229]},{"name":"HashAlgorithmNames","features":[229]},{"name":"HashAlgorithmProvider","features":[229]},{"name":"IAsymmetricAlgorithmNamesStatics","features":[229]},{"name":"IAsymmetricAlgorithmNamesStatics2","features":[229]},{"name":"IAsymmetricKeyAlgorithmProvider","features":[229]},{"name":"IAsymmetricKeyAlgorithmProvider2","features":[229]},{"name":"IAsymmetricKeyAlgorithmProviderStatics","features":[229]},{"name":"ICryptographicEngineStatics","features":[229]},{"name":"ICryptographicEngineStatics2","features":[229]},{"name":"ICryptographicKey","features":[229]},{"name":"IEccCurveNamesStatics","features":[229]},{"name":"IEncryptedAndAuthenticatedData","features":[229]},{"name":"IHashAlgorithmNamesStatics","features":[229]},{"name":"IHashAlgorithmProvider","features":[229]},{"name":"IHashAlgorithmProviderStatics","features":[229]},{"name":"IHashComputation","features":[229]},{"name":"IKeyDerivationAlgorithmNamesStatics","features":[229]},{"name":"IKeyDerivationAlgorithmNamesStatics2","features":[229]},{"name":"IKeyDerivationAlgorithmProvider","features":[229]},{"name":"IKeyDerivationAlgorithmProviderStatics","features":[229]},{"name":"IKeyDerivationParameters","features":[229]},{"name":"IKeyDerivationParameters2","features":[229]},{"name":"IKeyDerivationParametersStatics","features":[229]},{"name":"IKeyDerivationParametersStatics2","features":[229]},{"name":"IMacAlgorithmNamesStatics","features":[229]},{"name":"IMacAlgorithmProvider","features":[229]},{"name":"IMacAlgorithmProvider2","features":[229]},{"name":"IMacAlgorithmProviderStatics","features":[229]},{"name":"IPersistedKeyProviderStatics","features":[229]},{"name":"ISymmetricAlgorithmNamesStatics","features":[229]},{"name":"ISymmetricKeyAlgorithmProvider","features":[229]},{"name":"ISymmetricKeyAlgorithmProviderStatics","features":[229]},{"name":"KeyDerivationAlgorithmNames","features":[229]},{"name":"KeyDerivationAlgorithmProvider","features":[229]},{"name":"KeyDerivationParameters","features":[229]},{"name":"MacAlgorithmNames","features":[229]},{"name":"MacAlgorithmProvider","features":[229]},{"name":"PersistedKeyProvider","features":[229]},{"name":"SymmetricAlgorithmNames","features":[229]},{"name":"SymmetricKeyAlgorithmProvider","features":[229]}],"235":[{"name":"DataProtectionProvider","features":[230]},{"name":"IDataProtectionProvider","features":[230]},{"name":"IDataProtectionProviderFactory","features":[230]}],"236":[{"name":"IUserDataAvailabilityStateChangedEventArgs","features":[231]},{"name":"IUserDataBufferUnprotectResult","features":[231]},{"name":"IUserDataProtectionManager","features":[231]},{"name":"IUserDataProtectionManagerStatics","features":[231]},{"name":"IUserDataStorageItemProtectionInfo","features":[231]},{"name":"UserDataAvailability","features":[231]},{"name":"UserDataAvailabilityStateChangedEventArgs","features":[231]},{"name":"UserDataBufferUnprotectResult","features":[231]},{"name":"UserDataBufferUnprotectStatus","features":[231]},{"name":"UserDataProtectionManager","features":[231]},{"name":"UserDataStorageItemProtectionInfo","features":[231]},{"name":"UserDataStorageItemProtectionStatus","features":[231]}],"237":[{"name":"BufferProtectUnprotectResult","features":[232]},{"name":"DataProtectionInfo","features":[232]},{"name":"DataProtectionManager","features":[232]},{"name":"DataProtectionStatus","features":[232]},{"name":"EnforcementLevel","features":[232]},{"name":"EnterpriseDataContract","features":[232]},{"name":"FileProtectionInfo","features":[232]},{"name":"FileProtectionManager","features":[232]},{"name":"FileProtectionStatus","features":[232]},{"name":"FileRevocationManager","features":[232,3]},{"name":"FileUnprotectOptions","features":[232]},{"name":"IBufferProtectUnprotectResult","features":[232]},{"name":"IDataProtectionInfo","features":[232]},{"name":"IDataProtectionManagerStatics","features":[232]},{"name":"IFileProtectionInfo","features":[232]},{"name":"IFileProtectionInfo2","features":[232]},{"name":"IFileProtectionManagerStatics","features":[232]},{"name":"IFileProtectionManagerStatics2","features":[232]},{"name":"IFileProtectionManagerStatics3","features":[232]},{"name":"IFileRevocationManagerStatics","features":[232,3]},{"name":"IFileUnprotectOptions","features":[232]},{"name":"IFileUnprotectOptionsFactory","features":[232]},{"name":"IProtectedAccessResumedEventArgs","features":[232]},{"name":"IProtectedAccessSuspendingEventArgs","features":[232]},{"name":"IProtectedContainerExportResult","features":[232]},{"name":"IProtectedContainerImportResult","features":[232]},{"name":"IProtectedContentRevokedEventArgs","features":[232]},{"name":"IProtectedFileCreateResult","features":[232]},{"name":"IProtectionPolicyAuditInfo","features":[232]},{"name":"IProtectionPolicyAuditInfoFactory","features":[232]},{"name":"IProtectionPolicyManager","features":[232]},{"name":"IProtectionPolicyManager2","features":[232]},{"name":"IProtectionPolicyManagerStatics","features":[232]},{"name":"IProtectionPolicyManagerStatics2","features":[232]},{"name":"IProtectionPolicyManagerStatics3","features":[232]},{"name":"IProtectionPolicyManagerStatics4","features":[232]},{"name":"IThreadNetworkContext","features":[232]},{"name":"ProtectedAccessResumedEventArgs","features":[232]},{"name":"ProtectedAccessSuspendingEventArgs","features":[232]},{"name":"ProtectedContainerExportResult","features":[232]},{"name":"ProtectedContainerImportResult","features":[232]},{"name":"ProtectedContentRevokedEventArgs","features":[232]},{"name":"ProtectedFileCreateResult","features":[232]},{"name":"ProtectedImportExportStatus","features":[232]},{"name":"ProtectionPolicyAuditAction","features":[232]},{"name":"ProtectionPolicyAuditInfo","features":[232]},{"name":"ProtectionPolicyEvaluationResult","features":[232]},{"name":"ProtectionPolicyManager","features":[232]},{"name":"ProtectionPolicyRequestAccessBehavior","features":[232]},{"name":"ThreadNetworkContext","features":[232]}],"238":[{"name":"EasClientDeviceInformation","features":[233]},{"name":"EasClientSecurityPolicy","features":[233]},{"name":"EasComplianceResults","features":[233]},{"name":"EasContract","features":[233]},{"name":"EasDisallowConvenienceLogonResult","features":[233]},{"name":"EasEncryptionProviderType","features":[233]},{"name":"EasMaxInactivityTimeLockResult","features":[233]},{"name":"EasMaxPasswordFailedAttemptsResult","features":[233]},{"name":"EasMinPasswordComplexCharactersResult","features":[233]},{"name":"EasMinPasswordLengthResult","features":[233]},{"name":"EasPasswordExpirationResult","features":[233]},{"name":"EasPasswordHistoryResult","features":[233]},{"name":"EasRequireEncryptionResult","features":[233]},{"name":"IEasClientDeviceInformation","features":[233]},{"name":"IEasClientDeviceInformation2","features":[233]},{"name":"IEasClientSecurityPolicy","features":[233]},{"name":"IEasComplianceResults","features":[233]},{"name":"IEasComplianceResults2","features":[233]}],"239":[{"name":"HostMessageReceivedCallback","features":[37,234]},{"name":"IIsolatedWindowsEnvironment","features":[234]},{"name":"IIsolatedWindowsEnvironment2","features":[234]},{"name":"IIsolatedWindowsEnvironment3","features":[234]},{"name":"IIsolatedWindowsEnvironment4","features":[234]},{"name":"IIsolatedWindowsEnvironmentCreateResult","features":[234]},{"name":"IIsolatedWindowsEnvironmentCreateResult2","features":[234]},{"name":"IIsolatedWindowsEnvironmentFactory","features":[234]},{"name":"IIsolatedWindowsEnvironmentFile","features":[234]},{"name":"IIsolatedWindowsEnvironmentFile2","features":[234]},{"name":"IIsolatedWindowsEnvironmentHostStatics","features":[234]},{"name":"IIsolatedWindowsEnvironmentLaunchFileResult","features":[234]},{"name":"IIsolatedWindowsEnvironmentOptions","features":[234]},{"name":"IIsolatedWindowsEnvironmentOptions2","features":[234]},{"name":"IIsolatedWindowsEnvironmentOptions3","features":[234]},{"name":"IIsolatedWindowsEnvironmentOwnerRegistrationData","features":[234]},{"name":"IIsolatedWindowsEnvironmentOwnerRegistrationResult","features":[234]},{"name":"IIsolatedWindowsEnvironmentOwnerRegistrationStatics","features":[234]},{"name":"IIsolatedWindowsEnvironmentPostMessageResult","features":[234]},{"name":"IIsolatedWindowsEnvironmentProcess","features":[234]},{"name":"IIsolatedWindowsEnvironmentShareFileRequestOptions","features":[234]},{"name":"IIsolatedWindowsEnvironmentShareFileResult","features":[234]},{"name":"IIsolatedWindowsEnvironmentShareFolderRequestOptions","features":[234]},{"name":"IIsolatedWindowsEnvironmentShareFolderResult","features":[234]},{"name":"IIsolatedWindowsEnvironmentStartProcessResult","features":[234]},{"name":"IIsolatedWindowsEnvironmentTelemetryParameters","features":[234]},{"name":"IIsolatedWindowsEnvironmentUserInfo","features":[234]},{"name":"IIsolatedWindowsEnvironmentUserInfo2","features":[234]},{"name":"IIsolatedWindowsHostMessengerStatics","features":[234]},{"name":"IIsolatedWindowsHostMessengerStatics2","features":[234]},{"name":"IsolatedWindowsEnvironment","features":[234]},{"name":"IsolatedWindowsEnvironmentActivator","features":[234]},{"name":"IsolatedWindowsEnvironmentAllowedClipboardFormats","features":[234]},{"name":"IsolatedWindowsEnvironmentAvailablePrinters","features":[234]},{"name":"IsolatedWindowsEnvironmentClipboardCopyPasteDirections","features":[234]},{"name":"IsolatedWindowsEnvironmentContract","features":[234]},{"name":"IsolatedWindowsEnvironmentCreateProgress","features":[234]},{"name":"IsolatedWindowsEnvironmentCreateResult","features":[234]},{"name":"IsolatedWindowsEnvironmentCreateStatus","features":[234]},{"name":"IsolatedWindowsEnvironmentCreationPriority","features":[234]},{"name":"IsolatedWindowsEnvironmentFile","features":[234]},{"name":"IsolatedWindowsEnvironmentHost","features":[234]},{"name":"IsolatedWindowsEnvironmentHostError","features":[234]},{"name":"IsolatedWindowsEnvironmentLaunchFileResult","features":[234]},{"name":"IsolatedWindowsEnvironmentLaunchFileStatus","features":[234]},{"name":"IsolatedWindowsEnvironmentOptions","features":[234]},{"name":"IsolatedWindowsEnvironmentOwnerRegistration","features":[234]},{"name":"IsolatedWindowsEnvironmentOwnerRegistrationData","features":[234]},{"name":"IsolatedWindowsEnvironmentOwnerRegistrationResult","features":[234]},{"name":"IsolatedWindowsEnvironmentOwnerRegistrationStatus","features":[234]},{"name":"IsolatedWindowsEnvironmentPostMessageResult","features":[234]},{"name":"IsolatedWindowsEnvironmentPostMessageStatus","features":[234]},{"name":"IsolatedWindowsEnvironmentProcess","features":[234]},{"name":"IsolatedWindowsEnvironmentProcessState","features":[234]},{"name":"IsolatedWindowsEnvironmentProgressState","features":[234]},{"name":"IsolatedWindowsEnvironmentShareFileRequestOptions","features":[234]},{"name":"IsolatedWindowsEnvironmentShareFileResult","features":[234]},{"name":"IsolatedWindowsEnvironmentShareFileStatus","features":[234]},{"name":"IsolatedWindowsEnvironmentShareFolderRequestOptions","features":[234]},{"name":"IsolatedWindowsEnvironmentShareFolderResult","features":[234]},{"name":"IsolatedWindowsEnvironmentShareFolderStatus","features":[234]},{"name":"IsolatedWindowsEnvironmentSignInProgress","features":[234]},{"name":"IsolatedWindowsEnvironmentStartProcessResult","features":[234]},{"name":"IsolatedWindowsEnvironmentStartProcessStatus","features":[234]},{"name":"IsolatedWindowsEnvironmentTelemetryParameters","features":[234]},{"name":"IsolatedWindowsEnvironmentUserInfo","features":[234]},{"name":"IsolatedWindowsHostMessenger","features":[234]},{"name":"MessageReceivedCallback","features":[37,234]}],"241":[{"name":"EnhancedWaypoint","features":[235]},{"name":"GuidanceContract","features":[235]},{"name":"IEnhancedWaypoint","features":[235]},{"name":"IEnhancedWaypointFactory","features":[235]},{"name":"IManeuverWarning","features":[235]},{"name":"IMapAddress","features":[235]},{"name":"IMapAddress2","features":[235]},{"name":"IMapLocation","features":[235]},{"name":"IMapLocationFinderResult","features":[235]},{"name":"IMapLocationFinderStatics","features":[235]},{"name":"IMapLocationFinderStatics2","features":[235]},{"name":"IMapManagerStatics","features":[235]},{"name":"IMapRoute","features":[235]},{"name":"IMapRoute2","features":[235]},{"name":"IMapRoute3","features":[235]},{"name":"IMapRoute4","features":[235]},{"name":"IMapRouteDrivingOptions","features":[235]},{"name":"IMapRouteDrivingOptions2","features":[235]},{"name":"IMapRouteFinderResult","features":[235]},{"name":"IMapRouteFinderResult2","features":[235]},{"name":"IMapRouteFinderStatics","features":[235]},{"name":"IMapRouteFinderStatics2","features":[235]},{"name":"IMapRouteFinderStatics3","features":[235]},{"name":"IMapRouteLeg","features":[235]},{"name":"IMapRouteLeg2","features":[235]},{"name":"IMapRouteManeuver","features":[235]},{"name":"IMapRouteManeuver2","features":[235]},{"name":"IMapRouteManeuver3","features":[235]},{"name":"IMapServiceStatics","features":[235]},{"name":"IMapServiceStatics2","features":[235]},{"name":"IMapServiceStatics3","features":[235]},{"name":"IMapServiceStatics4","features":[235]},{"name":"IPlaceInfo","features":[235]},{"name":"IPlaceInfoCreateOptions","features":[235]},{"name":"IPlaceInfoStatics","features":[235]},{"name":"IPlaceInfoStatics2","features":[235]},{"name":"LocalSearchContract","features":[235]},{"name":"ManeuverWarning","features":[235]},{"name":"ManeuverWarningKind","features":[235]},{"name":"ManeuverWarningSeverity","features":[235]},{"name":"MapAddress","features":[235]},{"name":"MapLocation","features":[235]},{"name":"MapLocationDesiredAccuracy","features":[235]},{"name":"MapLocationFinder","features":[235]},{"name":"MapLocationFinderResult","features":[235]},{"name":"MapLocationFinderStatus","features":[235]},{"name":"MapManager","features":[235]},{"name":"MapManeuverNotices","features":[235]},{"name":"MapRoute","features":[235]},{"name":"MapRouteDrivingOptions","features":[235]},{"name":"MapRouteFinder","features":[235]},{"name":"MapRouteFinderResult","features":[235]},{"name":"MapRouteFinderStatus","features":[235]},{"name":"MapRouteLeg","features":[235]},{"name":"MapRouteManeuver","features":[235]},{"name":"MapRouteManeuverKind","features":[235]},{"name":"MapRouteOptimization","features":[235]},{"name":"MapRouteRestrictions","features":[235]},{"name":"MapService","features":[235]},{"name":"MapServiceDataUsagePreference","features":[235]},{"name":"PlaceInfo","features":[235]},{"name":"PlaceInfoCreateOptions","features":[235]},{"name":"TrafficCongestion","features":[235]},{"name":"WaypointKind","features":[235]}],"242":[{"name":"GuidanceAudioMeasurementSystem","features":[236]},{"name":"GuidanceAudioNotificationKind","features":[236]},{"name":"GuidanceAudioNotificationRequestedEventArgs","features":[236]},{"name":"GuidanceAudioNotifications","features":[236]},{"name":"GuidanceLaneInfo","features":[236]},{"name":"GuidanceLaneMarkers","features":[236]},{"name":"GuidanceManeuver","features":[236]},{"name":"GuidanceManeuverKind","features":[236]},{"name":"GuidanceMapMatchedCoordinate","features":[236]},{"name":"GuidanceMode","features":[236]},{"name":"GuidanceNavigator","features":[236]},{"name":"GuidanceReroutedEventArgs","features":[236]},{"name":"GuidanceRoadSegment","features":[236]},{"name":"GuidanceRoadSignpost","features":[236]},{"name":"GuidanceRoute","features":[236]},{"name":"GuidanceTelemetryCollector","features":[236]},{"name":"GuidanceUpdatedEventArgs","features":[236]},{"name":"IGuidanceAudioNotificationRequestedEventArgs","features":[236]},{"name":"IGuidanceLaneInfo","features":[236]},{"name":"IGuidanceManeuver","features":[236]},{"name":"IGuidanceMapMatchedCoordinate","features":[236]},{"name":"IGuidanceNavigator","features":[236]},{"name":"IGuidanceNavigator2","features":[236]},{"name":"IGuidanceNavigatorStatics","features":[236]},{"name":"IGuidanceNavigatorStatics2","features":[236]},{"name":"IGuidanceReroutedEventArgs","features":[236]},{"name":"IGuidanceRoadSegment","features":[236]},{"name":"IGuidanceRoadSegment2","features":[236]},{"name":"IGuidanceRoadSignpost","features":[236]},{"name":"IGuidanceRoute","features":[236]},{"name":"IGuidanceRouteStatics","features":[236]},{"name":"IGuidanceTelemetryCollector","features":[236]},{"name":"IGuidanceTelemetryCollectorStatics","features":[236]},{"name":"IGuidanceUpdatedEventArgs","features":[236]}],"243":[{"name":"ILocalCategoriesStatics","features":[237]},{"name":"ILocalLocation","features":[237]},{"name":"ILocalLocation2","features":[237]},{"name":"ILocalLocationFinderResult","features":[237]},{"name":"ILocalLocationFinderStatics","features":[237]},{"name":"ILocalLocationHoursOfOperationItem","features":[237]},{"name":"ILocalLocationRatingInfo","features":[237]},{"name":"IPlaceInfoHelperStatics","features":[237]},{"name":"LocalCategories","features":[237]},{"name":"LocalLocation","features":[237]},{"name":"LocalLocationFinder","features":[237]},{"name":"LocalLocationFinderResult","features":[237]},{"name":"LocalLocationFinderStatus","features":[237]},{"name":"LocalLocationHoursOfOperationItem","features":[237]},{"name":"LocalLocationRatingInfo","features":[237]},{"name":"PlaceInfoHelper","features":[237]}],"244":[{"name":"IOfflineMapPackage","features":[238]},{"name":"IOfflineMapPackageQueryResult","features":[238]},{"name":"IOfflineMapPackageStartDownloadResult","features":[238]},{"name":"IOfflineMapPackageStatics","features":[238]},{"name":"OfflineMapPackage","features":[238]},{"name":"OfflineMapPackageQueryResult","features":[238]},{"name":"OfflineMapPackageQueryStatus","features":[238]},{"name":"OfflineMapPackageStartDownloadResult","features":[238]},{"name":"OfflineMapPackageStartDownloadStatus","features":[238]},{"name":"OfflineMapPackageStatus","features":[238]}],"245":[{"name":"IStoreAcquireLicenseResult","features":[239]},{"name":"IStoreAppLicense","features":[239]},{"name":"IStoreAppLicense2","features":[239]},{"name":"IStoreAvailability","features":[239]},{"name":"IStoreCanAcquireLicenseResult","features":[239]},{"name":"IStoreCollectionData","features":[239]},{"name":"IStoreConsumableResult","features":[239]},{"name":"IStoreContext","features":[239]},{"name":"IStoreContext2","features":[239]},{"name":"IStoreContext3","features":[239]},{"name":"IStoreContext4","features":[239]},{"name":"IStoreContext5","features":[239]},{"name":"IStoreContextStatics","features":[239]},{"name":"IStoreImage","features":[239]},{"name":"IStoreLicense","features":[239]},{"name":"IStorePackageInstallOptions","features":[239]},{"name":"IStorePackageLicense","features":[239]},{"name":"IStorePackageUpdate","features":[239]},{"name":"IStorePackageUpdateResult","features":[239]},{"name":"IStorePackageUpdateResult2","features":[239]},{"name":"IStorePrice","features":[239]},{"name":"IStorePrice2","features":[239]},{"name":"IStoreProduct","features":[239]},{"name":"IStoreProductOptions","features":[239]},{"name":"IStoreProductPagedQueryResult","features":[239]},{"name":"IStoreProductQueryResult","features":[239]},{"name":"IStoreProductResult","features":[239]},{"name":"IStorePurchaseProperties","features":[239]},{"name":"IStorePurchasePropertiesFactory","features":[239]},{"name":"IStorePurchaseResult","features":[239]},{"name":"IStoreQueueItem","features":[239]},{"name":"IStoreQueueItem2","features":[239]},{"name":"IStoreQueueItemCompletedEventArgs","features":[239]},{"name":"IStoreQueueItemStatus","features":[239]},{"name":"IStoreRateAndReviewResult","features":[239]},{"name":"IStoreRequestHelperStatics","features":[239]},{"name":"IStoreSendRequestResult","features":[239]},{"name":"IStoreSendRequestResult2","features":[239]},{"name":"IStoreSku","features":[239]},{"name":"IStoreSubscriptionInfo","features":[239]},{"name":"IStoreUninstallStorePackageResult","features":[239]},{"name":"IStoreVideo","features":[239]},{"name":"StoreAcquireLicenseResult","features":[239]},{"name":"StoreAppLicense","features":[239]},{"name":"StoreAvailability","features":[239]},{"name":"StoreCanAcquireLicenseResult","features":[239]},{"name":"StoreCanLicenseStatus","features":[239]},{"name":"StoreCollectionData","features":[239]},{"name":"StoreConsumableResult","features":[239]},{"name":"StoreConsumableStatus","features":[239]},{"name":"StoreContext","features":[239]},{"name":"StoreContract","features":[239]},{"name":"StoreDurationUnit","features":[239]},{"name":"StoreImage","features":[239]},{"name":"StoreLicense","features":[239]},{"name":"StorePackageInstallOptions","features":[239]},{"name":"StorePackageLicense","features":[239]},{"name":"StorePackageUpdate","features":[239]},{"name":"StorePackageUpdateResult","features":[239]},{"name":"StorePackageUpdateState","features":[239]},{"name":"StorePackageUpdateStatus","features":[239]},{"name":"StorePrice","features":[239]},{"name":"StoreProduct","features":[239]},{"name":"StoreProductOptions","features":[239]},{"name":"StoreProductPagedQueryResult","features":[239]},{"name":"StoreProductQueryResult","features":[239]},{"name":"StoreProductResult","features":[239]},{"name":"StorePurchaseProperties","features":[239]},{"name":"StorePurchaseResult","features":[239]},{"name":"StorePurchaseStatus","features":[239]},{"name":"StoreQueueItem","features":[239]},{"name":"StoreQueueItemCompletedEventArgs","features":[239]},{"name":"StoreQueueItemExtendedState","features":[239]},{"name":"StoreQueueItemKind","features":[239]},{"name":"StoreQueueItemState","features":[239]},{"name":"StoreQueueItemStatus","features":[239]},{"name":"StoreRateAndReviewResult","features":[239]},{"name":"StoreRateAndReviewStatus","features":[239]},{"name":"StoreRequestHelper","features":[239]},{"name":"StoreSendRequestResult","features":[239]},{"name":"StoreSku","features":[239]},{"name":"StoreSubscriptionInfo","features":[239]},{"name":"StoreUninstallStorePackageResult","features":[239]},{"name":"StoreUninstallStorePackageStatus","features":[239]},{"name":"StoreVideo","features":[239]}],"246":[{"name":"ITargetedContentAction","features":[240]},{"name":"ITargetedContentAvailabilityChangedEventArgs","features":[240]},{"name":"ITargetedContentChangedEventArgs","features":[240]},{"name":"ITargetedContentCollection","features":[240]},{"name":"ITargetedContentContainer","features":[240]},{"name":"ITargetedContentContainerStatics","features":[240]},{"name":"ITargetedContentImage","features":[240]},{"name":"ITargetedContentItem","features":[240]},{"name":"ITargetedContentItemState","features":[240]},{"name":"ITargetedContentObject","features":[240]},{"name":"ITargetedContentStateChangedEventArgs","features":[240]},{"name":"ITargetedContentSubscription","features":[240]},{"name":"ITargetedContentSubscriptionOptions","features":[240]},{"name":"ITargetedContentSubscriptionStatics","features":[240]},{"name":"ITargetedContentValue","features":[240]},{"name":"TargetedContentAction","features":[240]},{"name":"TargetedContentAppInstallationState","features":[240]},{"name":"TargetedContentAvailability","features":[240]},{"name":"TargetedContentAvailabilityChangedEventArgs","features":[240]},{"name":"TargetedContentChangedEventArgs","features":[240]},{"name":"TargetedContentCollection","features":[240]},{"name":"TargetedContentContainer","features":[240]},{"name":"TargetedContentContract","features":[240]},{"name":"TargetedContentFile","features":[240,75]},{"name":"TargetedContentImage","features":[240]},{"name":"TargetedContentInteraction","features":[240]},{"name":"TargetedContentItem","features":[240]},{"name":"TargetedContentItemState","features":[240]},{"name":"TargetedContentObject","features":[240]},{"name":"TargetedContentObjectKind","features":[240]},{"name":"TargetedContentStateChangedEventArgs","features":[240]},{"name":"TargetedContentSubscription","features":[240]},{"name":"TargetedContentSubscriptionOptions","features":[240]},{"name":"TargetedContentValue","features":[240]},{"name":"TargetedContentValueKind","features":[240]}],"247":[{"name":"AppDataPaths","features":[241]},{"name":"ApplicationData","features":[241]},{"name":"ApplicationDataCompositeValue","features":[37,241]},{"name":"ApplicationDataContainer","features":[241]},{"name":"ApplicationDataContainerSettings","features":[37,241]},{"name":"ApplicationDataCreateDisposition","features":[241]},{"name":"ApplicationDataLocality","features":[241]},{"name":"ApplicationDataSetVersionHandler","features":[241]},{"name":"CachedFileManager","features":[241]},{"name":"CreationCollisionOption","features":[241]},{"name":"DownloadsFolder","features":[241]},{"name":"FileAccessMode","features":[241]},{"name":"FileAttributes","features":[241]},{"name":"FileIO","features":[241]},{"name":"IAppDataPaths","features":[241]},{"name":"IAppDataPathsStatics","features":[241]},{"name":"IApplicationData","features":[241]},{"name":"IApplicationData2","features":[241]},{"name":"IApplicationData3","features":[241]},{"name":"IApplicationDataContainer","features":[241]},{"name":"IApplicationDataStatics","features":[241]},{"name":"IApplicationDataStatics2","features":[241]},{"name":"ICachedFileManagerStatics","features":[241]},{"name":"IDownloadsFolderStatics","features":[241]},{"name":"IDownloadsFolderStatics2","features":[241]},{"name":"IFileIOStatics","features":[241]},{"name":"IKnownFoldersCameraRollStatics","features":[241]},{"name":"IKnownFoldersPlaylistsStatics","features":[241]},{"name":"IKnownFoldersSavedPicturesStatics","features":[241]},{"name":"IKnownFoldersStatics","features":[241]},{"name":"IKnownFoldersStatics2","features":[241]},{"name":"IKnownFoldersStatics3","features":[241]},{"name":"IKnownFoldersStatics4","features":[241]},{"name":"IPathIOStatics","features":[241]},{"name":"ISetVersionDeferral","features":[241]},{"name":"ISetVersionRequest","features":[241]},{"name":"IStorageFile","features":[241]},{"name":"IStorageFile2","features":[241]},{"name":"IStorageFilePropertiesWithAvailability","features":[241]},{"name":"IStorageFileStatics","features":[241]},{"name":"IStorageFileStatics2","features":[241]},{"name":"IStorageFolder","features":[241]},{"name":"IStorageFolder2","features":[241]},{"name":"IStorageFolder3","features":[241]},{"name":"IStorageFolderStatics","features":[241]},{"name":"IStorageFolderStatics2","features":[241]},{"name":"IStorageItem","features":[241]},{"name":"IStorageItem2","features":[241]},{"name":"IStorageItemProperties","features":[241]},{"name":"IStorageItemProperties2","features":[241]},{"name":"IStorageItemPropertiesWithProvider","features":[241]},{"name":"IStorageLibrary","features":[241]},{"name":"IStorageLibrary2","features":[241]},{"name":"IStorageLibrary3","features":[241]},{"name":"IStorageLibraryChange","features":[241]},{"name":"IStorageLibraryChangeReader","features":[241]},{"name":"IStorageLibraryChangeReader2","features":[241]},{"name":"IStorageLibraryChangeTracker","features":[241]},{"name":"IStorageLibraryChangeTracker2","features":[241]},{"name":"IStorageLibraryChangeTrackerOptions","features":[241]},{"name":"IStorageLibraryLastChangeId","features":[241]},{"name":"IStorageLibraryLastChangeIdStatics","features":[241]},{"name":"IStorageLibraryStatics","features":[241]},{"name":"IStorageLibraryStatics2","features":[241]},{"name":"IStorageProvider","features":[241]},{"name":"IStorageProvider2","features":[241]},{"name":"IStorageStreamTransaction","features":[241]},{"name":"IStreamedFileDataRequest","features":[241]},{"name":"ISystemAudioProperties","features":[241]},{"name":"ISystemDataPaths","features":[241]},{"name":"ISystemDataPathsStatics","features":[241]},{"name":"ISystemGPSProperties","features":[241]},{"name":"ISystemImageProperties","features":[241]},{"name":"ISystemMediaProperties","features":[241]},{"name":"ISystemMusicProperties","features":[241]},{"name":"ISystemPhotoProperties","features":[241]},{"name":"ISystemProperties","features":[241]},{"name":"ISystemVideoProperties","features":[241]},{"name":"IUserDataPaths","features":[241]},{"name":"IUserDataPathsStatics","features":[241]},{"name":"KnownFolderId","features":[241]},{"name":"KnownFolders","features":[241]},{"name":"KnownFoldersAccessStatus","features":[241]},{"name":"KnownLibraryId","features":[241]},{"name":"NameCollisionOption","features":[241]},{"name":"PathIO","features":[241]},{"name":"SetVersionDeferral","features":[241]},{"name":"SetVersionRequest","features":[241]},{"name":"StorageDeleteOption","features":[241]},{"name":"StorageFile","features":[241]},{"name":"StorageFolder","features":[241]},{"name":"StorageItemTypes","features":[241]},{"name":"StorageLibrary","features":[241]},{"name":"StorageLibraryChange","features":[241]},{"name":"StorageLibraryChangeReader","features":[241]},{"name":"StorageLibraryChangeTracker","features":[241]},{"name":"StorageLibraryChangeTrackerOptions","features":[241]},{"name":"StorageLibraryChangeType","features":[241]},{"name":"StorageLibraryLastChangeId","features":[241]},{"name":"StorageOpenOptions","features":[241]},{"name":"StorageProvider","features":[241]},{"name":"StorageStreamTransaction","features":[241]},{"name":"StreamedFileDataRequest","features":[75]},{"name":"StreamedFileDataRequestedHandler","features":[75]},{"name":"StreamedFileFailureMode","features":[241]},{"name":"SystemAudioProperties","features":[241]},{"name":"SystemDataPaths","features":[241]},{"name":"SystemGPSProperties","features":[241]},{"name":"SystemImageProperties","features":[241]},{"name":"SystemMediaProperties","features":[241]},{"name":"SystemMusicProperties","features":[241]},{"name":"SystemPhotoProperties","features":[241]},{"name":"SystemProperties","features":[241]},{"name":"SystemVideoProperties","features":[241]},{"name":"UserDataPaths","features":[241]}],"248":[{"name":"AccessCacheOptions","features":[242]},{"name":"AccessListEntry","features":[242]},{"name":"AccessListEntryView","features":[37,242]},{"name":"IItemRemovedEventArgs","features":[242]},{"name":"IStorageApplicationPermissionsStatics","features":[242]},{"name":"IStorageApplicationPermissionsStatics2","features":[242]},{"name":"IStorageItemAccessList","features":[242]},{"name":"IStorageItemMostRecentlyUsedList","features":[242]},{"name":"IStorageItemMostRecentlyUsedList2","features":[242]},{"name":"ItemRemovedEventArgs","features":[242]},{"name":"RecentStorageItemVisibility","features":[242]},{"name":"StorageApplicationPermissions","features":[242]},{"name":"StorageItemAccessList","features":[242]},{"name":"StorageItemMostRecentlyUsedList","features":[242]}],"249":[{"name":"FileInformation","features":[243]},{"name":"FileInformationFactory","features":[243]},{"name":"FolderInformation","features":[243]},{"name":"IFileInformationFactory","features":[243]},{"name":"IFileInformationFactoryFactory","features":[243]},{"name":"IStorageItemInformation","features":[243]}],"250":[{"name":"CompressAlgorithm","features":[244]},{"name":"Compressor","features":[244]},{"name":"Decompressor","features":[244]},{"name":"ICompressor","features":[244]},{"name":"ICompressorFactory","features":[244]},{"name":"IDecompressor","features":[244]},{"name":"IDecompressorFactory","features":[244]}],"251":[{"name":"BasicProperties","features":[245]},{"name":"DocumentProperties","features":[245]},{"name":"GeotagHelper","features":[245]},{"name":"IBasicProperties","features":[245]},{"name":"IDocumentProperties","features":[245]},{"name":"IGeotagHelperStatics","features":[245]},{"name":"IImageProperties","features":[245]},{"name":"IMusicProperties","features":[245]},{"name":"IStorageItemContentProperties","features":[245]},{"name":"IStorageItemExtraProperties","features":[245]},{"name":"IThumbnailProperties","features":[245]},{"name":"IVideoProperties","features":[245]},{"name":"ImageProperties","features":[245]},{"name":"MusicProperties","features":[245]},{"name":"PhotoOrientation","features":[245]},{"name":"PropertyPrefetchOptions","features":[245]},{"name":"StorageItemContentProperties","features":[245]},{"name":"StorageItemThumbnail","features":[245,75]},{"name":"ThumbnailMode","features":[245]},{"name":"ThumbnailOptions","features":[245]},{"name":"ThumbnailType","features":[245]},{"name":"VideoOrientation","features":[245]},{"name":"VideoProperties","features":[245]}],"252":[{"name":"FileExtensionVector","features":[37,246]},{"name":"FileOpenPicker","features":[246]},{"name":"FilePickerFileTypesOrderedMap","features":[37,246]},{"name":"FilePickerSelectedFilesArray","features":[37,246]},{"name":"FileSavePicker","features":[246]},{"name":"FolderPicker","features":[246]},{"name":"IFileOpenPicker","features":[246]},{"name":"IFileOpenPicker2","features":[246]},{"name":"IFileOpenPicker3","features":[246]},{"name":"IFileOpenPickerStatics","features":[246]},{"name":"IFileOpenPickerStatics2","features":[246]},{"name":"IFileOpenPickerWithOperationId","features":[246]},{"name":"IFileSavePicker","features":[246]},{"name":"IFileSavePicker2","features":[246]},{"name":"IFileSavePicker3","features":[246]},{"name":"IFileSavePicker4","features":[246]},{"name":"IFileSavePickerStatics","features":[246]},{"name":"IFolderPicker","features":[246]},{"name":"IFolderPicker2","features":[246]},{"name":"IFolderPicker3","features":[246]},{"name":"IFolderPickerStatics","features":[246]},{"name":"PickerLocationId","features":[246]},{"name":"PickerViewMode","features":[246]}],"253":[{"name":"AddFileResult","features":[247]},{"name":"FileOpenPickerUI","features":[247]},{"name":"FileRemovedEventArgs","features":[247,3]},{"name":"FileSavePickerUI","features":[247]},{"name":"FileSelectionMode","features":[247]},{"name":"IFileOpenPickerUI","features":[247]},{"name":"IFileRemovedEventArgs","features":[247,3]},{"name":"IFileSavePickerUI","features":[247]},{"name":"IPickerClosingDeferral","features":[247]},{"name":"IPickerClosingEventArgs","features":[247]},{"name":"IPickerClosingOperation","features":[247]},{"name":"ITargetFileRequest","features":[247]},{"name":"ITargetFileRequestDeferral","features":[247]},{"name":"ITargetFileRequestedEventArgs","features":[247]},{"name":"PickerClosingDeferral","features":[247]},{"name":"PickerClosingEventArgs","features":[247]},{"name":"PickerClosingOperation","features":[247]},{"name":"SetFileNameResult","features":[247]},{"name":"TargetFileRequest","features":[247]},{"name":"TargetFileRequestDeferral","features":[247]},{"name":"TargetFileRequestedEventArgs","features":[247]}],"254":[{"name":"CachedFileOptions","features":[248]},{"name":"CachedFileTarget","features":[248]},{"name":"CachedFileUpdater","features":[248]},{"name":"CachedFileUpdaterUI","features":[248]},{"name":"CloudFilesContract","features":[248]},{"name":"FileUpdateRequest","features":[248]},{"name":"FileUpdateRequestDeferral","features":[248]},{"name":"FileUpdateRequestedEventArgs","features":[248]},{"name":"FileUpdateStatus","features":[248]},{"name":"ICachedFileUpdaterStatics","features":[248]},{"name":"ICachedFileUpdaterUI","features":[248]},{"name":"ICachedFileUpdaterUI2","features":[248]},{"name":"IFileUpdateRequest","features":[248]},{"name":"IFileUpdateRequest2","features":[248]},{"name":"IFileUpdateRequestDeferral","features":[248]},{"name":"IFileUpdateRequestedEventArgs","features":[248]},{"name":"IStorageProviderFileTypeInfo","features":[248]},{"name":"IStorageProviderFileTypeInfoFactory","features":[248]},{"name":"IStorageProviderGetContentInfoForPathResult","features":[248]},{"name":"IStorageProviderGetPathForContentUriResult","features":[248]},{"name":"IStorageProviderItemPropertiesStatics","features":[248]},{"name":"IStorageProviderItemProperty","features":[248]},{"name":"IStorageProviderItemPropertyDefinition","features":[248]},{"name":"IStorageProviderItemPropertySource","features":[248]},{"name":"IStorageProviderKnownFolderEntry","features":[248]},{"name":"IStorageProviderKnownFolderSyncInfo","features":[248]},{"name":"IStorageProviderKnownFolderSyncInfoSource","features":[248]},{"name":"IStorageProviderKnownFolderSyncInfoSourceFactory","features":[248]},{"name":"IStorageProviderKnownFolderSyncRequestArgs","features":[248]},{"name":"IStorageProviderMoreInfoUI","features":[248]},{"name":"IStorageProviderPropertyCapabilities","features":[248]},{"name":"IStorageProviderQuotaUI","features":[248]},{"name":"IStorageProviderStatusUI","features":[248]},{"name":"IStorageProviderStatusUISource","features":[248]},{"name":"IStorageProviderStatusUISourceFactory","features":[248]},{"name":"IStorageProviderSyncRootInfo","features":[248]},{"name":"IStorageProviderSyncRootInfo2","features":[248]},{"name":"IStorageProviderSyncRootInfo3","features":[248]},{"name":"IStorageProviderSyncRootManagerStatics","features":[248]},{"name":"IStorageProviderSyncRootManagerStatics2","features":[248]},{"name":"IStorageProviderUICommand","features":[248]},{"name":"IStorageProviderUriSource","features":[248]},{"name":"ReadActivationMode","features":[248]},{"name":"StorageProviderFileTypeInfo","features":[248]},{"name":"StorageProviderGetContentInfoForPathResult","features":[248]},{"name":"StorageProviderGetPathForContentUriResult","features":[248]},{"name":"StorageProviderHardlinkPolicy","features":[248]},{"name":"StorageProviderHydrationPolicy","features":[248]},{"name":"StorageProviderHydrationPolicyModifier","features":[248]},{"name":"StorageProviderInSyncPolicy","features":[248]},{"name":"StorageProviderItemProperties","features":[248]},{"name":"StorageProviderItemProperty","features":[248]},{"name":"StorageProviderItemPropertyDefinition","features":[248]},{"name":"StorageProviderKnownFolderEntry","features":[248]},{"name":"StorageProviderKnownFolderSyncInfo","features":[248]},{"name":"StorageProviderKnownFolderSyncRequestArgs","features":[248]},{"name":"StorageProviderKnownFolderSyncRequestedHandler","features":[248]},{"name":"StorageProviderKnownFolderSyncStatus","features":[248]},{"name":"StorageProviderMoreInfoUI","features":[248]},{"name":"StorageProviderPopulationPolicy","features":[248]},{"name":"StorageProviderProtectionMode","features":[248]},{"name":"StorageProviderQuotaUI","features":[248]},{"name":"StorageProviderState","features":[248]},{"name":"StorageProviderStatusUI","features":[248]},{"name":"StorageProviderSyncRootInfo","features":[248]},{"name":"StorageProviderSyncRootManager","features":[248]},{"name":"StorageProviderUICommandState","features":[248]},{"name":"StorageProviderUriSourceStatus","features":[248]},{"name":"UIStatus","features":[248]},{"name":"WriteActivationMode","features":[248]}],"255":[{"name":"CommonFileQuery","features":[249]},{"name":"CommonFolderQuery","features":[249]},{"name":"ContentIndexer","features":[249]},{"name":"ContentIndexerQuery","features":[249]},{"name":"DateStackOption","features":[249]},{"name":"FolderDepth","features":[249]},{"name":"IContentIndexer","features":[249]},{"name":"IContentIndexerQuery","features":[249]},{"name":"IContentIndexerQueryOperations","features":[249]},{"name":"IContentIndexerStatics","features":[249]},{"name":"IIndexableContent","features":[249]},{"name":"IQueryOptions","features":[249]},{"name":"IQueryOptionsFactory","features":[249]},{"name":"IQueryOptionsWithProviderFilter","features":[249]},{"name":"IStorageFileQueryResult","features":[249]},{"name":"IStorageFileQueryResult2","features":[249]},{"name":"IStorageFolderQueryOperations","features":[249]},{"name":"IStorageFolderQueryResult","features":[249]},{"name":"IStorageItemQueryResult","features":[249]},{"name":"IStorageLibraryChangeTrackerTriggerDetails","features":[249]},{"name":"IStorageLibraryContentChangedTriggerDetails","features":[249]},{"name":"IStorageQueryResultBase","features":[249]},{"name":"IValueAndLanguage","features":[249]},{"name":"IndexableContent","features":[249]},{"name":"IndexedState","features":[249]},{"name":"IndexerOption","features":[249]},{"name":"QueryOptions","features":[249]},{"name":"SortEntry","features":[249]},{"name":"SortEntryVector","features":[37,249]},{"name":"StorageFileQueryResult","features":[249]},{"name":"StorageFolderQueryResult","features":[249]},{"name":"StorageItemQueryResult","features":[249]},{"name":"StorageLibraryChangeTrackerTriggerDetails","features":[249]},{"name":"StorageLibraryContentChangedTriggerDetails","features":[249]},{"name":"ValueAndLanguage","features":[249]}],"256":[{"name":"Buffer","features":[75]},{"name":"ByteOrder","features":[75]},{"name":"DataReader","features":[75]},{"name":"DataReaderLoadOperation","features":[81,75]},{"name":"DataWriter","features":[75]},{"name":"DataWriterStoreOperation","features":[81,75]},{"name":"FileInputStream","features":[75]},{"name":"FileOpenDisposition","features":[75]},{"name":"FileOutputStream","features":[75]},{"name":"FileRandomAccessStream","features":[75]},{"name":"IBuffer","features":[75]},{"name":"IBufferFactory","features":[75]},{"name":"IBufferStatics","features":[75]},{"name":"IContentTypeProvider","features":[75]},{"name":"IDataReader","features":[75]},{"name":"IDataReaderFactory","features":[75]},{"name":"IDataReaderStatics","features":[75]},{"name":"IDataWriter","features":[75]},{"name":"IDataWriterFactory","features":[75]},{"name":"IFileRandomAccessStreamStatics","features":[75]},{"name":"IInputStream","features":[75]},{"name":"IInputStreamReference","features":[75]},{"name":"IOutputStream","features":[75]},{"name":"IPropertySetSerializer","features":[75]},{"name":"IRandomAccessStream","features":[75]},{"name":"IRandomAccessStreamReference","features":[75]},{"name":"IRandomAccessStreamReferenceStatics","features":[75]},{"name":"IRandomAccessStreamStatics","features":[75]},{"name":"IRandomAccessStreamWithContentType","features":[75]},{"name":"InMemoryRandomAccessStream","features":[75]},{"name":"InputStreamOptions","features":[75]},{"name":"InputStreamOverStream","features":[75]},{"name":"OutputStreamOverStream","features":[75]},{"name":"RandomAccessStream","features":[75]},{"name":"RandomAccessStreamOverStream","features":[75]},{"name":"RandomAccessStreamReference","features":[75]},{"name":"UnicodeEncoding","features":[75]}],"257":[{"name":"AppActivationResult","features":[250]},{"name":"AppDiagnosticInfo","features":[250]},{"name":"AppDiagnosticInfoWatcher","features":[250]},{"name":"AppDiagnosticInfoWatcherEventArgs","features":[250]},{"name":"AppDiagnosticInfoWatcherStatus","features":[250]},{"name":"AppExecutionStateChangeResult","features":[250]},{"name":"AppMemoryReport","features":[250]},{"name":"AppMemoryUsageLevel","features":[250]},{"name":"AppMemoryUsageLimitChangingEventArgs","features":[250]},{"name":"AppResourceGroupBackgroundTaskReport","features":[250]},{"name":"AppResourceGroupEnergyQuotaState","features":[250]},{"name":"AppResourceGroupExecutionState","features":[250]},{"name":"AppResourceGroupInfo","features":[250]},{"name":"AppResourceGroupInfoWatcher","features":[250]},{"name":"AppResourceGroupInfoWatcherEventArgs","features":[250]},{"name":"AppResourceGroupInfoWatcherExecutionStateChangedEventArgs","features":[250]},{"name":"AppResourceGroupInfoWatcherStatus","features":[250]},{"name":"AppResourceGroupMemoryReport","features":[250]},{"name":"AppResourceGroupStateReport","features":[250]},{"name":"AppUriHandlerHost","features":[250]},{"name":"AppUriHandlerRegistration","features":[250]},{"name":"AppUriHandlerRegistrationManager","features":[250]},{"name":"AutoUpdateTimeZoneStatus","features":[250]},{"name":"DateTimeSettings","features":[250]},{"name":"DiagnosticAccessStatus","features":[250]},{"name":"DispatcherQueue","features":[250]},{"name":"DispatcherQueueController","features":[250]},{"name":"DispatcherQueueHandler","features":[250]},{"name":"DispatcherQueuePriority","features":[250]},{"name":"DispatcherQueueShutdownStartingEventArgs","features":[250]},{"name":"DispatcherQueueTimer","features":[250]},{"name":"FolderLauncherOptions","features":[250]},{"name":"IAppActivationResult","features":[250]},{"name":"IAppDiagnosticInfo","features":[250]},{"name":"IAppDiagnosticInfo2","features":[250]},{"name":"IAppDiagnosticInfo3","features":[250]},{"name":"IAppDiagnosticInfoStatics","features":[250]},{"name":"IAppDiagnosticInfoStatics2","features":[250]},{"name":"IAppDiagnosticInfoWatcher","features":[250]},{"name":"IAppDiagnosticInfoWatcherEventArgs","features":[250]},{"name":"IAppExecutionStateChangeResult","features":[250]},{"name":"IAppMemoryReport","features":[250]},{"name":"IAppMemoryReport2","features":[250]},{"name":"IAppMemoryUsageLimitChangingEventArgs","features":[250]},{"name":"IAppResourceGroupBackgroundTaskReport","features":[250]},{"name":"IAppResourceGroupInfo","features":[250]},{"name":"IAppResourceGroupInfo2","features":[250]},{"name":"IAppResourceGroupInfoWatcher","features":[250]},{"name":"IAppResourceGroupInfoWatcherEventArgs","features":[250]},{"name":"IAppResourceGroupInfoWatcherExecutionStateChangedEventArgs","features":[250]},{"name":"IAppResourceGroupMemoryReport","features":[250]},{"name":"IAppResourceGroupStateReport","features":[250]},{"name":"IAppUriHandlerHost","features":[250]},{"name":"IAppUriHandlerHost2","features":[250]},{"name":"IAppUriHandlerHostFactory","features":[250]},{"name":"IAppUriHandlerRegistration","features":[250]},{"name":"IAppUriHandlerRegistration2","features":[250]},{"name":"IAppUriHandlerRegistrationManager","features":[250]},{"name":"IAppUriHandlerRegistrationManager2","features":[250]},{"name":"IAppUriHandlerRegistrationManagerStatics","features":[250]},{"name":"IAppUriHandlerRegistrationManagerStatics2","features":[250]},{"name":"IDateTimeSettingsStatics","features":[250]},{"name":"IDispatcherQueue","features":[250]},{"name":"IDispatcherQueue2","features":[250]},{"name":"IDispatcherQueueController","features":[250]},{"name":"IDispatcherQueueControllerStatics","features":[250]},{"name":"IDispatcherQueueShutdownStartingEventArgs","features":[250]},{"name":"IDispatcherQueueStatics","features":[250]},{"name":"IDispatcherQueueTimer","features":[250]},{"name":"IFolderLauncherOptions","features":[250]},{"name":"IKnownUserPropertiesStatics","features":[250]},{"name":"IKnownUserPropertiesStatics2","features":[250]},{"name":"ILaunchUriResult","features":[250]},{"name":"ILauncherOptions","features":[250]},{"name":"ILauncherOptions2","features":[250]},{"name":"ILauncherOptions3","features":[250]},{"name":"ILauncherOptions4","features":[250]},{"name":"ILauncherStatics","features":[250]},{"name":"ILauncherStatics2","features":[250]},{"name":"ILauncherStatics3","features":[250]},{"name":"ILauncherStatics4","features":[250]},{"name":"ILauncherStatics5","features":[250]},{"name":"ILauncherUIOptions","features":[250]},{"name":"ILauncherViewOptions","features":[250]},{"name":"IMemoryManagerStatics","features":[250]},{"name":"IMemoryManagerStatics2","features":[250]},{"name":"IMemoryManagerStatics3","features":[250]},{"name":"IMemoryManagerStatics4","features":[250]},{"name":"IProcessLauncherOptions","features":[250]},{"name":"IProcessLauncherResult","features":[250]},{"name":"IProcessLauncherStatics","features":[250]},{"name":"IProcessMemoryReport","features":[250]},{"name":"IProtocolForResultsOperation","features":[250]},{"name":"IRemoteLauncherOptions","features":[250]},{"name":"IRemoteLauncherStatics","features":[250]},{"name":"IShutdownManagerStatics","features":[250]},{"name":"IShutdownManagerStatics2","features":[250]},{"name":"ITimeZoneSettingsStatics","features":[250]},{"name":"ITimeZoneSettingsStatics2","features":[250]},{"name":"IUser","features":[250]},{"name":"IUser2","features":[250]},{"name":"IUserAuthenticationStatusChangeDeferral","features":[250]},{"name":"IUserAuthenticationStatusChangingEventArgs","features":[250]},{"name":"IUserChangedEventArgs","features":[250]},{"name":"IUserChangedEventArgs2","features":[250]},{"name":"IUserDeviceAssociationChangedEventArgs","features":[250]},{"name":"IUserDeviceAssociationStatics","features":[250]},{"name":"IUserPicker","features":[250]},{"name":"IUserPickerStatics","features":[250]},{"name":"IUserStatics","features":[250]},{"name":"IUserStatics2","features":[250]},{"name":"IUserWatcher","features":[250]},{"name":"KnownUserProperties","features":[250]},{"name":"LaunchFileStatus","features":[250]},{"name":"LaunchQuerySupportStatus","features":[250]},{"name":"LaunchQuerySupportType","features":[250]},{"name":"LaunchUriResult","features":[250]},{"name":"LaunchUriStatus","features":[250]},{"name":"Launcher","features":[250]},{"name":"LauncherOptions","features":[250]},{"name":"LauncherUIOptions","features":[250]},{"name":"MemoryManager","features":[250]},{"name":"PowerState","features":[250]},{"name":"ProcessLauncher","features":[250]},{"name":"ProcessLauncherOptions","features":[250]},{"name":"ProcessLauncherResult","features":[250]},{"name":"ProcessMemoryReport","features":[250]},{"name":"ProcessorArchitecture","features":[250]},{"name":"ProtocolForResultsOperation","features":[250]},{"name":"RemoteLaunchUriStatus","features":[250]},{"name":"RemoteLauncher","features":[250]},{"name":"RemoteLauncherOptions","features":[250]},{"name":"ShutdownKind","features":[250]},{"name":"ShutdownManager","features":[250]},{"name":"SystemManagementContract","features":[250]},{"name":"TimeZoneSettings","features":[250]},{"name":"User","features":[250]},{"name":"UserAgeConsentGroup","features":[250]},{"name":"UserAgeConsentResult","features":[250]},{"name":"UserAuthenticationStatus","features":[250]},{"name":"UserAuthenticationStatusChangeDeferral","features":[250]},{"name":"UserAuthenticationStatusChangingEventArgs","features":[250]},{"name":"UserChangedEventArgs","features":[250]},{"name":"UserDeviceAssociation","features":[250]},{"name":"UserDeviceAssociationChangedEventArgs","features":[250]},{"name":"UserPicker","features":[250]},{"name":"UserPictureSize","features":[250]},{"name":"UserType","features":[250]},{"name":"UserWatcher","features":[250]},{"name":"UserWatcherStatus","features":[250]},{"name":"UserWatcherUpdateKind","features":[250]},{"name":"VirtualKey","features":[250]},{"name":"VirtualKeyModifiers","features":[250]}],"258":[{"name":"DiagnosticActionResult","features":[251]},{"name":"DiagnosticActionState","features":[251]},{"name":"DiagnosticInvoker","features":[251]},{"name":"IDiagnosticActionResult","features":[251]},{"name":"IDiagnosticInvoker","features":[251]},{"name":"IDiagnosticInvoker2","features":[251]},{"name":"IDiagnosticInvokerStatics","features":[251]},{"name":"IProcessCpuUsage","features":[251]},{"name":"IProcessCpuUsageReport","features":[251]},{"name":"IProcessDiagnosticInfo","features":[251]},{"name":"IProcessDiagnosticInfo2","features":[251]},{"name":"IProcessDiagnosticInfoStatics","features":[251]},{"name":"IProcessDiagnosticInfoStatics2","features":[251]},{"name":"IProcessDiskUsage","features":[251]},{"name":"IProcessDiskUsageReport","features":[251]},{"name":"IProcessMemoryUsage","features":[251]},{"name":"IProcessMemoryUsageReport","features":[251]},{"name":"ISystemCpuUsage","features":[251]},{"name":"ISystemCpuUsageReport","features":[251]},{"name":"ISystemDiagnosticInfo","features":[251]},{"name":"ISystemDiagnosticInfoStatics","features":[251]},{"name":"ISystemDiagnosticInfoStatics2","features":[251]},{"name":"ISystemMemoryUsage","features":[251]},{"name":"ISystemMemoryUsageReport","features":[251]},{"name":"ProcessCpuUsage","features":[251]},{"name":"ProcessCpuUsageReport","features":[251]},{"name":"ProcessDiagnosticInfo","features":[251]},{"name":"ProcessDiskUsage","features":[251]},{"name":"ProcessDiskUsageReport","features":[251]},{"name":"ProcessMemoryUsage","features":[251]},{"name":"ProcessMemoryUsageReport","features":[251]},{"name":"SystemCpuUsage","features":[251]},{"name":"SystemCpuUsageReport","features":[251]},{"name":"SystemDiagnosticInfo","features":[251]},{"name":"SystemMemoryUsage","features":[251]},{"name":"SystemMemoryUsageReport","features":[251]}],"259":[{"name":"DevicePortalConnection","features":[252]},{"name":"DevicePortalConnectionClosedEventArgs","features":[252]},{"name":"DevicePortalConnectionClosedReason","features":[252]},{"name":"DevicePortalConnectionRequestReceivedEventArgs","features":[252]},{"name":"IDevicePortalConnection","features":[252]},{"name":"IDevicePortalConnectionClosedEventArgs","features":[252]},{"name":"IDevicePortalConnectionRequestReceivedEventArgs","features":[252]},{"name":"IDevicePortalConnectionStatics","features":[252]},{"name":"IDevicePortalWebSocketConnection","features":[252]},{"name":"IDevicePortalWebSocketConnectionRequestReceivedEventArgs","features":[252]}],"260":[{"name":"IPlatformTelemetryClientStatics","features":[253]},{"name":"IPlatformTelemetryRegistrationResult","features":[253]},{"name":"IPlatformTelemetryRegistrationSettings","features":[253]},{"name":"PlatformTelemetryClient","features":[253]},{"name":"PlatformTelemetryRegistrationResult","features":[253]},{"name":"PlatformTelemetryRegistrationSettings","features":[253]},{"name":"PlatformTelemetryRegistrationStatus","features":[253]}],"261":[{"name":"IPlatformDiagnosticActionsStatics","features":[254]},{"name":"IPlatformDiagnosticTraceInfo","features":[254]},{"name":"IPlatformDiagnosticTraceRuntimeInfo","features":[254]},{"name":"PlatformDiagnosticActionState","features":[254]},{"name":"PlatformDiagnosticActions","features":[254]},{"name":"PlatformDiagnosticEscalationType","features":[254]},{"name":"PlatformDiagnosticEventBufferLatencies","features":[254]},{"name":"PlatformDiagnosticTraceInfo","features":[254]},{"name":"PlatformDiagnosticTracePriority","features":[254]},{"name":"PlatformDiagnosticTraceRuntimeInfo","features":[254]},{"name":"PlatformDiagnosticTraceSlotState","features":[254]},{"name":"PlatformDiagnosticTraceSlotType","features":[254]}],"262":[{"name":"DisplayRequest","features":[255]},{"name":"IDisplayRequest","features":[255]}],"263":[{"name":"ISysStorageProviderEventReceivedEventArgs","features":[256]},{"name":"ISysStorageProviderEventReceivedEventArgsFactory","features":[256]},{"name":"ISysStorageProviderEventSource","features":[256]},{"name":"ISysStorageProviderHandlerFactory","features":[256]},{"name":"ISysStorageProviderHttpRequestProvider","features":[256]},{"name":"SysStorageProviderEventReceivedEventArgs","features":[256]}],"264":[{"name":"IInstalledDesktopApp","features":[257]},{"name":"IInstalledDesktopAppStatics","features":[257]},{"name":"InstalledDesktopApp","features":[257]}],"265":[{"name":"BackgroundEnergyManager","features":[258,3]},{"name":"BatteryStatus","features":[258]},{"name":"EnergySaverStatus","features":[258]},{"name":"ForegroundEnergyManager","features":[258,3]},{"name":"IBackgroundEnergyManagerStatics","features":[258,3]},{"name":"IForegroundEnergyManagerStatics","features":[258,3]},{"name":"IPowerManagerStatics","features":[258]},{"name":"PowerManager","features":[258]},{"name":"PowerSupplyStatus","features":[258]}],"268":[{"name":"AnalyticsInfo","features":[259]},{"name":"AnalyticsVersionInfo","features":[259]},{"name":"AppApplicability","features":[259]},{"name":"EducationSettings","features":[259]},{"name":"HardwareIdentification","features":[259]},{"name":"HardwareToken","features":[259]},{"name":"IAnalyticsInfoStatics","features":[259]},{"name":"IAnalyticsInfoStatics2","features":[259]},{"name":"IAnalyticsVersionInfo","features":[259]},{"name":"IAnalyticsVersionInfo2","features":[259]},{"name":"IAppApplicabilityStatics","features":[259]},{"name":"IEducationSettingsStatics","features":[259]},{"name":"IHardwareIdentificationStatics","features":[259]},{"name":"IHardwareToken","features":[259]},{"name":"IKnownRetailInfoPropertiesStatics","features":[259]},{"name":"IPlatformDiagnosticsAndUsageDataSettingsStatics","features":[259]},{"name":"IRetailInfoStatics","features":[259]},{"name":"ISharedModeSettingsStatics","features":[259]},{"name":"ISharedModeSettingsStatics2","features":[259]},{"name":"ISmartAppControlPolicyStatics","features":[259]},{"name":"ISystemIdentificationInfo","features":[259]},{"name":"ISystemIdentificationStatics","features":[259]},{"name":"ISystemSetupInfoStatics","features":[259]},{"name":"IUnsupportedAppRequirement","features":[259]},{"name":"IWindowsIntegrityPolicyStatics","features":[259]},{"name":"KnownRetailInfoProperties","features":[259]},{"name":"PlatformDataCollectionLevel","features":[259]},{"name":"PlatformDiagnosticsAndUsageDataSettings","features":[259]},{"name":"ProfileHardwareTokenContract","features":[259]},{"name":"ProfileRetailInfoContract","features":[259]},{"name":"ProfileSharedModeContract","features":[259]},{"name":"RetailInfo","features":[259]},{"name":"SharedModeSettings","features":[259]},{"name":"SmartAppControlPolicy","features":[259]},{"name":"SystemIdentification","features":[259]},{"name":"SystemIdentificationInfo","features":[259]},{"name":"SystemIdentificationSource","features":[259]},{"name":"SystemOutOfBoxExperienceState","features":[259]},{"name":"SystemSetupInfo","features":[259]},{"name":"UnsupportedAppRequirement","features":[259]},{"name":"UnsupportedAppRequirementReasons","features":[259]},{"name":"WindowsIntegrityPolicy","features":[259]}],"269":[{"name":"IOemSupportInfo","features":[260]},{"name":"ISmbiosInformationStatics","features":[260]},{"name":"ISystemSupportDeviceInfo","features":[260]},{"name":"ISystemSupportInfoStatics","features":[260]},{"name":"ISystemSupportInfoStatics2","features":[260]},{"name":"OemSupportInfo","features":[260]},{"name":"SmbiosInformation","features":[260]},{"name":"SystemManufacturersContract","features":[260]},{"name":"SystemSupportDeviceInfo","features":[260]},{"name":"SystemSupportInfo","features":[260]}],"270":[{"name":"IInteractiveSessionStatics","features":[261]},{"name":"InteractiveSession","features":[261]}],"271":[{"name":"IRemoteTextConnection","features":[262]},{"name":"IRemoteTextConnectionFactory","features":[262]},{"name":"RemoteTextConnection","features":[262]},{"name":"RemoteTextConnectionDataHandler","features":[262]}],"272":[{"name":"IPerformLocalActionRequestedEventArgs","features":[263]},{"name":"IRemoteDesktopConnectionInfo","features":[263]},{"name":"IRemoteDesktopConnectionInfoStatics","features":[263]},{"name":"IRemoteDesktopConnectionRemoteInfo","features":[263]},{"name":"IRemoteDesktopConnectionRemoteInfoStatics","features":[263]},{"name":"IRemoteDesktopInfo","features":[263]},{"name":"IRemoteDesktopInfoFactory","features":[263]},{"name":"IRemoteDesktopRegistrarStatics","features":[263]},{"name":"PerformLocalActionRequestedEventArgs","features":[263]},{"name":"RemoteDesktopConnectionInfo","features":[263]},{"name":"RemoteDesktopConnectionRemoteInfo","features":[263]},{"name":"RemoteDesktopConnectionStatus","features":[263]},{"name":"RemoteDesktopInfo","features":[263]},{"name":"RemoteDesktopLocalAction","features":[263]},{"name":"RemoteDesktopRegistrar","features":[263]}],"273":[{"name":"IKnownRemoteSystemCapabilitiesStatics","features":[264]},{"name":"IRemoteSystem","features":[264]},{"name":"IRemoteSystem2","features":[264]},{"name":"IRemoteSystem3","features":[264]},{"name":"IRemoteSystem4","features":[264]},{"name":"IRemoteSystem5","features":[264]},{"name":"IRemoteSystem6","features":[264]},{"name":"IRemoteSystemAddedEventArgs","features":[264]},{"name":"IRemoteSystemApp","features":[264]},{"name":"IRemoteSystemApp2","features":[264]},{"name":"IRemoteSystemAppRegistration","features":[264]},{"name":"IRemoteSystemAppRegistrationStatics","features":[264]},{"name":"IRemoteSystemAuthorizationKindFilter","features":[264]},{"name":"IRemoteSystemAuthorizationKindFilterFactory","features":[264]},{"name":"IRemoteSystemConnectionInfo","features":[264]},{"name":"IRemoteSystemConnectionInfoStatics","features":[264]},{"name":"IRemoteSystemConnectionRequest","features":[264]},{"name":"IRemoteSystemConnectionRequest2","features":[264]},{"name":"IRemoteSystemConnectionRequest3","features":[264]},{"name":"IRemoteSystemConnectionRequestFactory","features":[264]},{"name":"IRemoteSystemConnectionRequestStatics","features":[264]},{"name":"IRemoteSystemConnectionRequestStatics2","features":[264]},{"name":"IRemoteSystemDiscoveryTypeFilter","features":[264]},{"name":"IRemoteSystemDiscoveryTypeFilterFactory","features":[264]},{"name":"IRemoteSystemEnumerationCompletedEventArgs","features":[264]},{"name":"IRemoteSystemFilter","features":[264]},{"name":"IRemoteSystemKindFilter","features":[264]},{"name":"IRemoteSystemKindFilterFactory","features":[264]},{"name":"IRemoteSystemKindStatics","features":[264]},{"name":"IRemoteSystemKindStatics2","features":[264]},{"name":"IRemoteSystemRemovedEventArgs","features":[264]},{"name":"IRemoteSystemSession","features":[264]},{"name":"IRemoteSystemSessionAddedEventArgs","features":[264]},{"name":"IRemoteSystemSessionController","features":[264]},{"name":"IRemoteSystemSessionControllerFactory","features":[264]},{"name":"IRemoteSystemSessionCreationResult","features":[264]},{"name":"IRemoteSystemSessionDisconnectedEventArgs","features":[264]},{"name":"IRemoteSystemSessionInfo","features":[264]},{"name":"IRemoteSystemSessionInvitation","features":[264]},{"name":"IRemoteSystemSessionInvitationListener","features":[264]},{"name":"IRemoteSystemSessionInvitationReceivedEventArgs","features":[264]},{"name":"IRemoteSystemSessionJoinRequest","features":[264]},{"name":"IRemoteSystemSessionJoinRequestedEventArgs","features":[264]},{"name":"IRemoteSystemSessionJoinResult","features":[264]},{"name":"IRemoteSystemSessionMessageChannel","features":[264]},{"name":"IRemoteSystemSessionMessageChannelFactory","features":[264]},{"name":"IRemoteSystemSessionOptions","features":[264]},{"name":"IRemoteSystemSessionParticipant","features":[264]},{"name":"IRemoteSystemSessionParticipantAddedEventArgs","features":[264]},{"name":"IRemoteSystemSessionParticipantRemovedEventArgs","features":[264]},{"name":"IRemoteSystemSessionParticipantWatcher","features":[264]},{"name":"IRemoteSystemSessionRemovedEventArgs","features":[264]},{"name":"IRemoteSystemSessionStatics","features":[264]},{"name":"IRemoteSystemSessionUpdatedEventArgs","features":[264]},{"name":"IRemoteSystemSessionValueSetReceivedEventArgs","features":[264]},{"name":"IRemoteSystemSessionWatcher","features":[264]},{"name":"IRemoteSystemStatics","features":[264]},{"name":"IRemoteSystemStatics2","features":[264]},{"name":"IRemoteSystemStatics3","features":[264]},{"name":"IRemoteSystemStatusTypeFilter","features":[264]},{"name":"IRemoteSystemStatusTypeFilterFactory","features":[264]},{"name":"IRemoteSystemUpdatedEventArgs","features":[264]},{"name":"IRemoteSystemWatcher","features":[264]},{"name":"IRemoteSystemWatcher2","features":[264]},{"name":"IRemoteSystemWatcher3","features":[264]},{"name":"IRemoteSystemWatcherErrorOccurredEventArgs","features":[264]},{"name":"IRemoteSystemWebAccountFilter","features":[264]},{"name":"IRemoteSystemWebAccountFilterFactory","features":[264]},{"name":"KnownRemoteSystemCapabilities","features":[264]},{"name":"RemoteSystem","features":[264]},{"name":"RemoteSystemAccessStatus","features":[264]},{"name":"RemoteSystemAddedEventArgs","features":[264]},{"name":"RemoteSystemApp","features":[264]},{"name":"RemoteSystemAppRegistration","features":[264]},{"name":"RemoteSystemAuthorizationKind","features":[264]},{"name":"RemoteSystemAuthorizationKindFilter","features":[264]},{"name":"RemoteSystemConnectionInfo","features":[264]},{"name":"RemoteSystemConnectionRequest","features":[264]},{"name":"RemoteSystemDiscoveryType","features":[264]},{"name":"RemoteSystemDiscoveryTypeFilter","features":[264]},{"name":"RemoteSystemEnumerationCompletedEventArgs","features":[264]},{"name":"RemoteSystemKindFilter","features":[264]},{"name":"RemoteSystemKinds","features":[264]},{"name":"RemoteSystemPlatform","features":[264]},{"name":"RemoteSystemRemovedEventArgs","features":[264]},{"name":"RemoteSystemSession","features":[264]},{"name":"RemoteSystemSessionAddedEventArgs","features":[264]},{"name":"RemoteSystemSessionController","features":[264]},{"name":"RemoteSystemSessionCreationResult","features":[264]},{"name":"RemoteSystemSessionCreationStatus","features":[264]},{"name":"RemoteSystemSessionDisconnectedEventArgs","features":[264]},{"name":"RemoteSystemSessionDisconnectedReason","features":[264]},{"name":"RemoteSystemSessionInfo","features":[264]},{"name":"RemoteSystemSessionInvitation","features":[264]},{"name":"RemoteSystemSessionInvitationListener","features":[264]},{"name":"RemoteSystemSessionInvitationReceivedEventArgs","features":[264]},{"name":"RemoteSystemSessionJoinRequest","features":[264]},{"name":"RemoteSystemSessionJoinRequestedEventArgs","features":[264]},{"name":"RemoteSystemSessionJoinResult","features":[264]},{"name":"RemoteSystemSessionJoinStatus","features":[264]},{"name":"RemoteSystemSessionMessageChannel","features":[264]},{"name":"RemoteSystemSessionMessageChannelReliability","features":[264]},{"name":"RemoteSystemSessionOptions","features":[264]},{"name":"RemoteSystemSessionParticipant","features":[264]},{"name":"RemoteSystemSessionParticipantAddedEventArgs","features":[264]},{"name":"RemoteSystemSessionParticipantRemovedEventArgs","features":[264]},{"name":"RemoteSystemSessionParticipantWatcher","features":[264]},{"name":"RemoteSystemSessionParticipantWatcherStatus","features":[264]},{"name":"RemoteSystemSessionRemovedEventArgs","features":[264]},{"name":"RemoteSystemSessionUpdatedEventArgs","features":[264]},{"name":"RemoteSystemSessionValueSetReceivedEventArgs","features":[264]},{"name":"RemoteSystemSessionWatcher","features":[264]},{"name":"RemoteSystemSessionWatcherStatus","features":[264]},{"name":"RemoteSystemStatus","features":[264]},{"name":"RemoteSystemStatusType","features":[264]},{"name":"RemoteSystemStatusTypeFilter","features":[264]},{"name":"RemoteSystemUpdatedEventArgs","features":[264]},{"name":"RemoteSystemWatcher","features":[264]},{"name":"RemoteSystemWatcherError","features":[264]},{"name":"RemoteSystemWatcherErrorOccurredEventArgs","features":[264]},{"name":"RemoteSystemWebAccountFilter","features":[264]}],"274":[{"name":"IThreadPoolStatics","features":[265]},{"name":"IThreadPoolTimer","features":[265]},{"name":"IThreadPoolTimerStatics","features":[265]},{"name":"ThreadPool","features":[265]},{"name":"ThreadPoolTimer","features":[265]},{"name":"TimerDestroyedHandler","features":[265]},{"name":"TimerElapsedHandler","features":[265]},{"name":"WorkItemHandler","features":[81,265]},{"name":"WorkItemOptions","features":[265]},{"name":"WorkItemPriority","features":[265]}],"275":[{"name":"IPreallocatedWorkItem","features":[266]},{"name":"IPreallocatedWorkItemFactory","features":[266]},{"name":"ISignalNotifier","features":[266]},{"name":"ISignalNotifierStatics","features":[266]},{"name":"PreallocatedWorkItem","features":[266]},{"name":"SignalHandler","features":[266]},{"name":"SignalNotifier","features":[266]}],"276":[{"name":"ISystemUpdateItem","features":[267]},{"name":"ISystemUpdateLastErrorInfo","features":[267]},{"name":"ISystemUpdateManagerStatics","features":[267]},{"name":"SystemUpdateAttentionRequiredReason","features":[267]},{"name":"SystemUpdateItem","features":[267]},{"name":"SystemUpdateItemState","features":[267]},{"name":"SystemUpdateLastErrorInfo","features":[267]},{"name":"SystemUpdateManager","features":[267]},{"name":"SystemUpdateManagerState","features":[267]},{"name":"SystemUpdateStartInstallAction","features":[267]}],"277":[{"name":"AccountPictureKind","features":[268,3]},{"name":"AdvertisingManager","features":[268]},{"name":"AdvertisingManagerForUser","features":[268]},{"name":"AssignedAccessSettings","features":[268]},{"name":"DiagnosticsSettings","features":[268]},{"name":"FirstSignInSettings","features":[268]},{"name":"GlobalizationPreferences","features":[268]},{"name":"GlobalizationPreferencesForUser","features":[268]},{"name":"IAdvertisingManagerForUser","features":[268]},{"name":"IAdvertisingManagerStatics","features":[268]},{"name":"IAdvertisingManagerStatics2","features":[268]},{"name":"IAssignedAccessSettings","features":[268]},{"name":"IAssignedAccessSettingsStatics","features":[268]},{"name":"IDiagnosticsSettings","features":[268]},{"name":"IDiagnosticsSettingsStatics","features":[268]},{"name":"IFirstSignInSettings","features":[268]},{"name":"IFirstSignInSettingsStatics","features":[268]},{"name":"IGlobalizationPreferencesForUser","features":[268]},{"name":"IGlobalizationPreferencesStatics","features":[268]},{"name":"IGlobalizationPreferencesStatics2","features":[268]},{"name":"IGlobalizationPreferencesStatics3","features":[268]},{"name":"ILockScreenImageFeedStatics","features":[268]},{"name":"ILockScreenStatics","features":[268]},{"name":"IUserInformationStatics","features":[268,3]},{"name":"IUserProfilePersonalizationSettings","features":[268]},{"name":"IUserProfilePersonalizationSettingsStatics","features":[268]},{"name":"LockScreen","features":[268]},{"name":"SetAccountPictureResult","features":[268,3]},{"name":"SetImageFeedResult","features":[268]},{"name":"UserInformation","features":[268,3]},{"name":"UserProfileContract","features":[268]},{"name":"UserProfileLockScreenContract","features":[268]},{"name":"UserProfilePersonalizationSettings","features":[268]}],"278":[{"name":"Color","features":[269]},{"name":"ColorHelper","features":[269]},{"name":"Colors","features":[269]},{"name":"IColorHelper","features":[269]},{"name":"IColorHelperStatics","features":[269]},{"name":"IColorHelperStatics2","features":[269]},{"name":"IColors","features":[269]},{"name":"IColorsStatics","features":[269]},{"name":"IUIContentRoot","features":[269]},{"name":"IUIContext","features":[269]},{"name":"UIContentRoot","features":[269]},{"name":"UIContext","features":[269]},{"name":"WindowId","features":[269]}],"279":[{"name":"IScreenReaderPositionChangedEventArgs","features":[270]},{"name":"IScreenReaderService","features":[270]},{"name":"ScreenReaderPositionChangedEventArgs","features":[270]},{"name":"ScreenReaderService","features":[270]}],"280":[{"name":"AccountsSettingsPane","features":[271]},{"name":"AccountsSettingsPaneCommandsRequestedEventArgs","features":[271]},{"name":"AccountsSettingsPaneEventDeferral","features":[271]},{"name":"ApplicationsSettingsContract","features":[271]},{"name":"CredentialCommand","features":[271]},{"name":"CredentialCommandCredentialDeletedHandler","features":[271]},{"name":"IAccountsSettingsPane","features":[271]},{"name":"IAccountsSettingsPaneCommandsRequestedEventArgs","features":[271]},{"name":"IAccountsSettingsPaneCommandsRequestedEventArgs2","features":[271]},{"name":"IAccountsSettingsPaneEventDeferral","features":[271]},{"name":"IAccountsSettingsPaneStatics","features":[271]},{"name":"IAccountsSettingsPaneStatics2","features":[271]},{"name":"IAccountsSettingsPaneStatics3","features":[271]},{"name":"ICredentialCommand","features":[271]},{"name":"ICredentialCommandFactory","features":[271]},{"name":"ISettingsCommandFactory","features":[271]},{"name":"ISettingsCommandStatics","features":[271]},{"name":"ISettingsPane","features":[271,3]},{"name":"ISettingsPaneCommandsRequest","features":[271,3]},{"name":"ISettingsPaneCommandsRequestedEventArgs","features":[271,3]},{"name":"ISettingsPaneStatics","features":[271,3]},{"name":"IWebAccountCommand","features":[271]},{"name":"IWebAccountCommandFactory","features":[271]},{"name":"IWebAccountInvokedArgs","features":[271]},{"name":"IWebAccountProviderCommand","features":[271]},{"name":"IWebAccountProviderCommandFactory","features":[271]},{"name":"SettingsCommand","features":[271,272]},{"name":"SettingsEdgeLocation","features":[271,3]},{"name":"SettingsPane","features":[271,3]},{"name":"SettingsPaneCommandsRequest","features":[271,3]},{"name":"SettingsPaneCommandsRequestedEventArgs","features":[271,3]},{"name":"SupportedWebAccountActions","features":[271]},{"name":"WebAccountAction","features":[271]},{"name":"WebAccountCommand","features":[271]},{"name":"WebAccountCommandInvokedHandler","features":[271]},{"name":"WebAccountInvokedArgs","features":[271]},{"name":"WebAccountProviderCommand","features":[271]},{"name":"WebAccountProviderCommandInvokedHandler","features":[271]}],"281":[{"name":"AmbientLight","features":[273]},{"name":"AnimationController","features":[273]},{"name":"AnimationControllerProgressBehavior","features":[273]},{"name":"AnimationDelayBehavior","features":[273]},{"name":"AnimationDirection","features":[273]},{"name":"AnimationIterationBehavior","features":[273]},{"name":"AnimationPropertyAccessMode","features":[273]},{"name":"AnimationPropertyInfo","features":[273]},{"name":"AnimationStopBehavior","features":[273]},{"name":"BackEasingFunction","features":[273]},{"name":"BooleanKeyFrameAnimation","features":[273]},{"name":"BounceEasingFunction","features":[273]},{"name":"BounceScalarNaturalMotionAnimation","features":[273]},{"name":"BounceVector2NaturalMotionAnimation","features":[273]},{"name":"BounceVector3NaturalMotionAnimation","features":[273]},{"name":"CircleEasingFunction","features":[273]},{"name":"ColorKeyFrameAnimation","features":[273]},{"name":"CompositionAnimation","features":[273]},{"name":"CompositionAnimationGroup","features":[273]},{"name":"CompositionBackdropBrush","features":[273]},{"name":"CompositionBackfaceVisibility","features":[273]},{"name":"CompositionBatchCompletedEventArgs","features":[273]},{"name":"CompositionBatchTypes","features":[273]},{"name":"CompositionBitmapInterpolationMode","features":[273]},{"name":"CompositionBorderMode","features":[273]},{"name":"CompositionBrush","features":[273]},{"name":"CompositionCapabilities","features":[273]},{"name":"CompositionClip","features":[273]},{"name":"CompositionColorBrush","features":[273]},{"name":"CompositionColorGradientStop","features":[273]},{"name":"CompositionColorGradientStopCollection","features":[273]},{"name":"CompositionColorSpace","features":[273]},{"name":"CompositionCommitBatch","features":[273]},{"name":"CompositionCompositeMode","features":[273]},{"name":"CompositionContainerShape","features":[273]},{"name":"CompositionDrawingSurface","features":[273]},{"name":"CompositionDropShadowSourcePolicy","features":[273]},{"name":"CompositionEasingFunction","features":[273]},{"name":"CompositionEasingFunctionMode","features":[273]},{"name":"CompositionEffectBrush","features":[273]},{"name":"CompositionEffectFactory","features":[273]},{"name":"CompositionEffectFactoryLoadStatus","features":[273]},{"name":"CompositionEffectSourceParameter","features":[273]},{"name":"CompositionEllipseGeometry","features":[273]},{"name":"CompositionGeometricClip","features":[273]},{"name":"CompositionGeometry","features":[273]},{"name":"CompositionGetValueStatus","features":[273]},{"name":"CompositionGradientBrush","features":[273]},{"name":"CompositionGradientExtendMode","features":[273]},{"name":"CompositionGraphicsDevice","features":[273]},{"name":"CompositionLight","features":[273]},{"name":"CompositionLineGeometry","features":[273]},{"name":"CompositionLinearGradientBrush","features":[273]},{"name":"CompositionMappingMode","features":[273]},{"name":"CompositionMaskBrush","features":[273]},{"name":"CompositionMipmapSurface","features":[273]},{"name":"CompositionNineGridBrush","features":[273]},{"name":"CompositionObject","features":[273]},{"name":"CompositionPath","features":[273]},{"name":"CompositionPathGeometry","features":[273]},{"name":"CompositionProjectedShadow","features":[273]},{"name":"CompositionProjectedShadowCaster","features":[273]},{"name":"CompositionProjectedShadowCasterCollection","features":[273]},{"name":"CompositionProjectedShadowReceiver","features":[273]},{"name":"CompositionProjectedShadowReceiverUnorderedCollection","features":[273]},{"name":"CompositionPropertySet","features":[273]},{"name":"CompositionRadialGradientBrush","features":[273]},{"name":"CompositionRectangleGeometry","features":[273]},{"name":"CompositionRoundedRectangleGeometry","features":[273]},{"name":"CompositionScopedBatch","features":[273]},{"name":"CompositionShadow","features":[273]},{"name":"CompositionShape","features":[273]},{"name":"CompositionShapeCollection","features":[37,273]},{"name":"CompositionSpriteShape","features":[273]},{"name":"CompositionStretch","features":[273]},{"name":"CompositionStrokeCap","features":[273]},{"name":"CompositionStrokeDashArray","features":[37,273]},{"name":"CompositionStrokeLineJoin","features":[273]},{"name":"CompositionSurfaceBrush","features":[273]},{"name":"CompositionTarget","features":[273]},{"name":"CompositionTexture","features":[273]},{"name":"CompositionTransform","features":[273]},{"name":"CompositionViewBox","features":[273]},{"name":"CompositionVirtualDrawingSurface","features":[273]},{"name":"CompositionVisualSurface","features":[273]},{"name":"Compositor","features":[273]},{"name":"ContainerVisual","features":[273]},{"name":"CubicBezierEasingFunction","features":[273]},{"name":"DelegatedInkTrailVisual","features":[273]},{"name":"DistantLight","features":[273]},{"name":"DropShadow","features":[273]},{"name":"ElasticEasingFunction","features":[273]},{"name":"ExponentialEasingFunction","features":[273]},{"name":"ExpressionAnimation","features":[273]},{"name":"IAmbientLight","features":[273]},{"name":"IAmbientLight2","features":[273]},{"name":"IAnimationController","features":[273]},{"name":"IAnimationControllerStatics","features":[273]},{"name":"IAnimationObject","features":[273]},{"name":"IAnimationPropertyInfo","features":[273]},{"name":"IAnimationPropertyInfo2","features":[273]},{"name":"IBackEasingFunction","features":[273]},{"name":"IBooleanKeyFrameAnimation","features":[273]},{"name":"IBounceEasingFunction","features":[273]},{"name":"IBounceScalarNaturalMotionAnimation","features":[273]},{"name":"IBounceVector2NaturalMotionAnimation","features":[273]},{"name":"IBounceVector3NaturalMotionAnimation","features":[273]},{"name":"ICircleEasingFunction","features":[273]},{"name":"IColorKeyFrameAnimation","features":[273]},{"name":"ICompositionAnimation","features":[273]},{"name":"ICompositionAnimation2","features":[273]},{"name":"ICompositionAnimation3","features":[273]},{"name":"ICompositionAnimation4","features":[273]},{"name":"ICompositionAnimationBase","features":[273]},{"name":"ICompositionAnimationFactory","features":[273]},{"name":"ICompositionAnimationGroup","features":[273]},{"name":"ICompositionBackdropBrush","features":[273]},{"name":"ICompositionBatchCompletedEventArgs","features":[273]},{"name":"ICompositionBrush","features":[273]},{"name":"ICompositionBrushFactory","features":[273]},{"name":"ICompositionCapabilities","features":[273]},{"name":"ICompositionCapabilitiesStatics","features":[273]},{"name":"ICompositionClip","features":[273]},{"name":"ICompositionClip2","features":[273]},{"name":"ICompositionClipFactory","features":[273]},{"name":"ICompositionColorBrush","features":[273]},{"name":"ICompositionColorGradientStop","features":[273]},{"name":"ICompositionColorGradientStopCollection","features":[273]},{"name":"ICompositionCommitBatch","features":[273]},{"name":"ICompositionContainerShape","features":[273]},{"name":"ICompositionDrawingSurface","features":[273]},{"name":"ICompositionDrawingSurface2","features":[273]},{"name":"ICompositionDrawingSurfaceFactory","features":[273]},{"name":"ICompositionEasingFunction","features":[273]},{"name":"ICompositionEasingFunctionFactory","features":[273]},{"name":"ICompositionEasingFunctionStatics","features":[273]},{"name":"ICompositionEffectBrush","features":[273]},{"name":"ICompositionEffectFactory","features":[273]},{"name":"ICompositionEffectSourceParameter","features":[273]},{"name":"ICompositionEffectSourceParameterFactory","features":[273]},{"name":"ICompositionEllipseGeometry","features":[273]},{"name":"ICompositionGeometricClip","features":[273]},{"name":"ICompositionGeometry","features":[273]},{"name":"ICompositionGeometryFactory","features":[273]},{"name":"ICompositionGradientBrush","features":[273]},{"name":"ICompositionGradientBrush2","features":[273]},{"name":"ICompositionGradientBrushFactory","features":[273]},{"name":"ICompositionGraphicsDevice","features":[273]},{"name":"ICompositionGraphicsDevice2","features":[273]},{"name":"ICompositionGraphicsDevice3","features":[273]},{"name":"ICompositionGraphicsDevice4","features":[273]},{"name":"ICompositionLight","features":[273]},{"name":"ICompositionLight2","features":[273]},{"name":"ICompositionLight3","features":[273]},{"name":"ICompositionLightFactory","features":[273]},{"name":"ICompositionLineGeometry","features":[273]},{"name":"ICompositionLinearGradientBrush","features":[273]},{"name":"ICompositionMaskBrush","features":[273]},{"name":"ICompositionMipmapSurface","features":[273]},{"name":"ICompositionNineGridBrush","features":[273]},{"name":"ICompositionObject","features":[273]},{"name":"ICompositionObject2","features":[273]},{"name":"ICompositionObject3","features":[273]},{"name":"ICompositionObject4","features":[273]},{"name":"ICompositionObject5","features":[273]},{"name":"ICompositionObjectFactory","features":[273]},{"name":"ICompositionObjectStatics","features":[273]},{"name":"ICompositionPath","features":[273]},{"name":"ICompositionPathFactory","features":[273]},{"name":"ICompositionPathGeometry","features":[273]},{"name":"ICompositionProjectedShadow","features":[273]},{"name":"ICompositionProjectedShadowCaster","features":[273]},{"name":"ICompositionProjectedShadowCasterCollection","features":[273]},{"name":"ICompositionProjectedShadowCasterCollectionStatics","features":[273]},{"name":"ICompositionProjectedShadowReceiver","features":[273]},{"name":"ICompositionProjectedShadowReceiverUnorderedCollection","features":[273]},{"name":"ICompositionPropertySet","features":[273]},{"name":"ICompositionPropertySet2","features":[273]},{"name":"ICompositionRadialGradientBrush","features":[273]},{"name":"ICompositionRectangleGeometry","features":[273]},{"name":"ICompositionRoundedRectangleGeometry","features":[273]},{"name":"ICompositionScopedBatch","features":[273]},{"name":"ICompositionShadow","features":[273]},{"name":"ICompositionShadowFactory","features":[273]},{"name":"ICompositionShape","features":[273]},{"name":"ICompositionShapeFactory","features":[273]},{"name":"ICompositionSpriteShape","features":[273]},{"name":"ICompositionSupportsSystemBackdrop","features":[273]},{"name":"ICompositionSurface","features":[273]},{"name":"ICompositionSurfaceBrush","features":[273]},{"name":"ICompositionSurfaceBrush2","features":[273]},{"name":"ICompositionSurfaceBrush3","features":[273]},{"name":"ICompositionSurfaceFacade","features":[273]},{"name":"ICompositionTarget","features":[273]},{"name":"ICompositionTargetFactory","features":[273]},{"name":"ICompositionTexture","features":[273]},{"name":"ICompositionTextureFactory","features":[273]},{"name":"ICompositionTransform","features":[273]},{"name":"ICompositionTransformFactory","features":[273]},{"name":"ICompositionViewBox","features":[273]},{"name":"ICompositionVirtualDrawingSurface","features":[273]},{"name":"ICompositionVirtualDrawingSurfaceFactory","features":[273]},{"name":"ICompositionVisualSurface","features":[273]},{"name":"ICompositor","features":[273]},{"name":"ICompositor2","features":[273]},{"name":"ICompositor3","features":[273]},{"name":"ICompositor4","features":[273]},{"name":"ICompositor5","features":[273]},{"name":"ICompositor6","features":[273]},{"name":"ICompositor7","features":[273]},{"name":"ICompositor8","features":[273]},{"name":"ICompositorStatics","features":[273]},{"name":"ICompositorWithBlurredWallpaperBackdropBrush","features":[273]},{"name":"ICompositorWithProjectedShadow","features":[273]},{"name":"ICompositorWithRadialGradient","features":[273]},{"name":"ICompositorWithVisualSurface","features":[273]},{"name":"IContainerVisual","features":[273]},{"name":"IContainerVisualFactory","features":[273]},{"name":"ICubicBezierEasingFunction","features":[273]},{"name":"IDelegatedInkTrailVisual","features":[273]},{"name":"IDelegatedInkTrailVisualStatics","features":[273]},{"name":"IDistantLight","features":[273]},{"name":"IDistantLight2","features":[273]},{"name":"IDropShadow","features":[273]},{"name":"IDropShadow2","features":[273]},{"name":"IElasticEasingFunction","features":[273]},{"name":"IExponentialEasingFunction","features":[273]},{"name":"IExpressionAnimation","features":[273]},{"name":"IImplicitAnimationCollection","features":[273]},{"name":"IInsetClip","features":[273]},{"name":"IKeyFrameAnimation","features":[273]},{"name":"IKeyFrameAnimation2","features":[273]},{"name":"IKeyFrameAnimation3","features":[273]},{"name":"IKeyFrameAnimationFactory","features":[273]},{"name":"ILayerVisual","features":[273]},{"name":"ILayerVisual2","features":[273]},{"name":"ILinearEasingFunction","features":[273]},{"name":"INaturalMotionAnimation","features":[273]},{"name":"INaturalMotionAnimationFactory","features":[273]},{"name":"IPathKeyFrameAnimation","features":[273]},{"name":"IPointLight","features":[273]},{"name":"IPointLight2","features":[273]},{"name":"IPointLight3","features":[273]},{"name":"IPowerEasingFunction","features":[273]},{"name":"IQuaternionKeyFrameAnimation","features":[273]},{"name":"IRectangleClip","features":[273]},{"name":"IRedirectVisual","features":[273]},{"name":"IRenderingDeviceReplacedEventArgs","features":[273]},{"name":"IScalarKeyFrameAnimation","features":[273]},{"name":"IScalarNaturalMotionAnimation","features":[273]},{"name":"IScalarNaturalMotionAnimationFactory","features":[273]},{"name":"IShapeVisual","features":[273]},{"name":"ISineEasingFunction","features":[273]},{"name":"ISpotLight","features":[273]},{"name":"ISpotLight2","features":[273]},{"name":"ISpotLight3","features":[273]},{"name":"ISpringScalarNaturalMotionAnimation","features":[273]},{"name":"ISpringVector2NaturalMotionAnimation","features":[273]},{"name":"ISpringVector3NaturalMotionAnimation","features":[273]},{"name":"ISpriteVisual","features":[273]},{"name":"ISpriteVisual2","features":[273]},{"name":"IStepEasingFunction","features":[273]},{"name":"IVector2KeyFrameAnimation","features":[273]},{"name":"IVector2NaturalMotionAnimation","features":[273]},{"name":"IVector2NaturalMotionAnimationFactory","features":[273]},{"name":"IVector3KeyFrameAnimation","features":[273]},{"name":"IVector3NaturalMotionAnimation","features":[273]},{"name":"IVector3NaturalMotionAnimationFactory","features":[273]},{"name":"IVector4KeyFrameAnimation","features":[273]},{"name":"IVisual","features":[273]},{"name":"IVisual2","features":[273]},{"name":"IVisual3","features":[273]},{"name":"IVisual4","features":[273]},{"name":"IVisualCollection","features":[273]},{"name":"IVisualElement","features":[273]},{"name":"IVisualElement2","features":[273]},{"name":"IVisualFactory","features":[273]},{"name":"IVisualUnorderedCollection","features":[273]},{"name":"ImplicitAnimationCollection","features":[273]},{"name":"InitialValueExpressionCollection","features":[37,273]},{"name":"InkTrailPoint","features":[81,273]},{"name":"InsetClip","features":[273]},{"name":"KeyFrameAnimation","features":[273]},{"name":"LayerVisual","features":[273]},{"name":"LinearEasingFunction","features":[273]},{"name":"NaturalMotionAnimation","features":[273]},{"name":"PathKeyFrameAnimation","features":[273]},{"name":"PointLight","features":[273]},{"name":"PowerEasingFunction","features":[273]},{"name":"QuaternionKeyFrameAnimation","features":[273]},{"name":"RectangleClip","features":[273]},{"name":"RedirectVisual","features":[273]},{"name":"RenderingDeviceReplacedEventArgs","features":[273]},{"name":"ScalarKeyFrameAnimation","features":[273]},{"name":"ScalarNaturalMotionAnimation","features":[273]},{"name":"ShapeVisual","features":[273]},{"name":"SineEasingFunction","features":[273]},{"name":"SpotLight","features":[273]},{"name":"SpringScalarNaturalMotionAnimation","features":[273]},{"name":"SpringVector2NaturalMotionAnimation","features":[273]},{"name":"SpringVector3NaturalMotionAnimation","features":[273]},{"name":"SpriteVisual","features":[273]},{"name":"StepEasingFunction","features":[273]},{"name":"Vector2KeyFrameAnimation","features":[273]},{"name":"Vector2NaturalMotionAnimation","features":[273]},{"name":"Vector3KeyFrameAnimation","features":[273]},{"name":"Vector3NaturalMotionAnimation","features":[273]},{"name":"Vector4KeyFrameAnimation","features":[273]},{"name":"Visual","features":[273]},{"name":"VisualCollection","features":[273]},{"name":"VisualUnorderedCollection","features":[273]}],"282":[{"name":"CompositorController","features":[274]},{"name":"ICompositorController","features":[274]}],"283":[{"name":"DesktopWindowTarget","features":[275]},{"name":"IDesktopWindowTarget","features":[275]}],"284":[{"name":"CompositionDebugHeatMaps","features":[276]},{"name":"CompositionDebugOverdrawContentKinds","features":[276]},{"name":"CompositionDebugSettings","features":[276]},{"name":"ICompositionDebugHeatMaps","features":[276]},{"name":"ICompositionDebugSettings","features":[276]},{"name":"ICompositionDebugSettingsStatics","features":[276]}],"285":[{"name":"ISceneLightingEffect","features":[277]},{"name":"ISceneLightingEffect2","features":[277]},{"name":"SceneLightingEffect","features":[277]},{"name":"SceneLightingEffectReflectanceModel","features":[277]}],"286":[{"name":"CompositionConditionalValue","features":[278]},{"name":"CompositionInteractionSourceCollection","features":[278]},{"name":"ICompositionConditionalValue","features":[278]},{"name":"ICompositionConditionalValueStatics","features":[278]},{"name":"ICompositionInteractionSource","features":[278]},{"name":"ICompositionInteractionSourceCollection","features":[278]},{"name":"IInteractionSourceConfiguration","features":[278]},{"name":"IInteractionTracker","features":[278]},{"name":"IInteractionTracker2","features":[278]},{"name":"IInteractionTracker3","features":[278]},{"name":"IInteractionTracker4","features":[278]},{"name":"IInteractionTracker5","features":[278]},{"name":"IInteractionTrackerCustomAnimationStateEnteredArgs","features":[278]},{"name":"IInteractionTrackerCustomAnimationStateEnteredArgs2","features":[278]},{"name":"IInteractionTrackerIdleStateEnteredArgs","features":[278]},{"name":"IInteractionTrackerIdleStateEnteredArgs2","features":[278]},{"name":"IInteractionTrackerInertiaModifier","features":[278]},{"name":"IInteractionTrackerInertiaModifierFactory","features":[278]},{"name":"IInteractionTrackerInertiaMotion","features":[278]},{"name":"IInteractionTrackerInertiaMotionStatics","features":[278]},{"name":"IInteractionTrackerInertiaNaturalMotion","features":[278]},{"name":"IInteractionTrackerInertiaNaturalMotionStatics","features":[278]},{"name":"IInteractionTrackerInertiaRestingValue","features":[278]},{"name":"IInteractionTrackerInertiaRestingValueStatics","features":[278]},{"name":"IInteractionTrackerInertiaStateEnteredArgs","features":[278]},{"name":"IInteractionTrackerInertiaStateEnteredArgs2","features":[278]},{"name":"IInteractionTrackerInertiaStateEnteredArgs3","features":[278]},{"name":"IInteractionTrackerInteractingStateEnteredArgs","features":[278]},{"name":"IInteractionTrackerInteractingStateEnteredArgs2","features":[278]},{"name":"IInteractionTrackerOwner","features":[278]},{"name":"IInteractionTrackerRequestIgnoredArgs","features":[278]},{"name":"IInteractionTrackerStatics","features":[278]},{"name":"IInteractionTrackerStatics2","features":[278]},{"name":"IInteractionTrackerValuesChangedArgs","features":[278]},{"name":"IInteractionTrackerVector2InertiaModifier","features":[278]},{"name":"IInteractionTrackerVector2InertiaModifierFactory","features":[278]},{"name":"IInteractionTrackerVector2InertiaNaturalMotion","features":[278]},{"name":"IInteractionTrackerVector2InertiaNaturalMotionStatics","features":[278]},{"name":"IVisualInteractionSource","features":[278]},{"name":"IVisualInteractionSource2","features":[278]},{"name":"IVisualInteractionSource3","features":[278]},{"name":"IVisualInteractionSourceObjectFactory","features":[278]},{"name":"IVisualInteractionSourceStatics","features":[278]},{"name":"IVisualInteractionSourceStatics2","features":[278]},{"name":"InteractionBindingAxisModes","features":[278]},{"name":"InteractionChainingMode","features":[278]},{"name":"InteractionSourceConfiguration","features":[278]},{"name":"InteractionSourceMode","features":[278]},{"name":"InteractionSourceRedirectionMode","features":[278]},{"name":"InteractionTracker","features":[278]},{"name":"InteractionTrackerClampingOption","features":[278]},{"name":"InteractionTrackerCustomAnimationStateEnteredArgs","features":[278]},{"name":"InteractionTrackerIdleStateEnteredArgs","features":[278]},{"name":"InteractionTrackerInertiaModifier","features":[278]},{"name":"InteractionTrackerInertiaMotion","features":[278]},{"name":"InteractionTrackerInertiaNaturalMotion","features":[278]},{"name":"InteractionTrackerInertiaRestingValue","features":[278]},{"name":"InteractionTrackerInertiaStateEnteredArgs","features":[278]},{"name":"InteractionTrackerInteractingStateEnteredArgs","features":[278]},{"name":"InteractionTrackerPositionUpdateOption","features":[278]},{"name":"InteractionTrackerRequestIgnoredArgs","features":[278]},{"name":"InteractionTrackerValuesChangedArgs","features":[278]},{"name":"InteractionTrackerVector2InertiaModifier","features":[278]},{"name":"InteractionTrackerVector2InertiaNaturalMotion","features":[278]},{"name":"VisualInteractionSource","features":[278]},{"name":"VisualInteractionSourceRedirectionMode","features":[278]}],"287":[{"name":"ISceneBoundingBox","features":[279]},{"name":"ISceneComponent","features":[279]},{"name":"ISceneComponentCollection","features":[279]},{"name":"ISceneComponentFactory","features":[279]},{"name":"ISceneMaterial","features":[279]},{"name":"ISceneMaterialFactory","features":[279]},{"name":"ISceneMaterialInput","features":[279]},{"name":"ISceneMaterialInputFactory","features":[279]},{"name":"ISceneMesh","features":[279]},{"name":"ISceneMeshMaterialAttributeMap","features":[279]},{"name":"ISceneMeshRendererComponent","features":[279]},{"name":"ISceneMeshRendererComponentStatics","features":[279]},{"name":"ISceneMeshStatics","features":[279]},{"name":"ISceneMetallicRoughnessMaterial","features":[279]},{"name":"ISceneMetallicRoughnessMaterialStatics","features":[279]},{"name":"ISceneModelTransform","features":[279]},{"name":"ISceneNode","features":[279]},{"name":"ISceneNodeCollection","features":[279]},{"name":"ISceneNodeStatics","features":[279]},{"name":"ISceneObject","features":[279]},{"name":"ISceneObjectFactory","features":[279]},{"name":"IScenePbrMaterial","features":[279]},{"name":"IScenePbrMaterialFactory","features":[279]},{"name":"ISceneRendererComponent","features":[279]},{"name":"ISceneRendererComponentFactory","features":[279]},{"name":"ISceneSurfaceMaterialInput","features":[279]},{"name":"ISceneSurfaceMaterialInputStatics","features":[279]},{"name":"ISceneVisual","features":[279]},{"name":"ISceneVisualStatics","features":[279]},{"name":"SceneAlphaMode","features":[279]},{"name":"SceneAttributeSemantic","features":[279]},{"name":"SceneBoundingBox","features":[279]},{"name":"SceneComponent","features":[279]},{"name":"SceneComponentCollection","features":[37,279]},{"name":"SceneComponentType","features":[279]},{"name":"SceneMaterial","features":[279]},{"name":"SceneMaterialInput","features":[279]},{"name":"SceneMesh","features":[279]},{"name":"SceneMeshMaterialAttributeMap","features":[279]},{"name":"SceneMeshRendererComponent","features":[279]},{"name":"SceneMetallicRoughnessMaterial","features":[279]},{"name":"SceneModelTransform","features":[279]},{"name":"SceneNode","features":[279]},{"name":"SceneNodeCollection","features":[37,279]},{"name":"SceneObject","features":[279]},{"name":"ScenePbrMaterial","features":[279]},{"name":"SceneRendererComponent","features":[279]},{"name":"SceneSurfaceMaterialInput","features":[279]},{"name":"SceneVisual","features":[279]},{"name":"SceneWrappingMode","features":[279]}],"288":[{"name":"AcceleratorKeyEventArgs","features":[280]},{"name":"AppViewBackButtonVisibility","features":[280]},{"name":"AutomationProviderRequestedEventArgs","features":[280]},{"name":"BackRequestedEventArgs","features":[280]},{"name":"CharacterReceivedEventArgs","features":[280]},{"name":"ClosestInteractiveBoundsRequestedEventArgs","features":[280]},{"name":"CoreAcceleratorKeyEventType","features":[280]},{"name":"CoreAcceleratorKeys","features":[280]},{"name":"CoreComponentInputSource","features":[280]},{"name":"CoreCursor","features":[280]},{"name":"CoreCursorType","features":[280]},{"name":"CoreDispatcher","features":[280]},{"name":"CoreDispatcherPriority","features":[280]},{"name":"CoreIndependentInputFilters","features":[280]},{"name":"CoreIndependentInputSource","features":[280]},{"name":"CoreIndependentInputSourceController","features":[280]},{"name":"CoreInputDeviceTypes","features":[280]},{"name":"CorePhysicalKeyStatus","features":[280]},{"name":"CoreProcessEventsOption","features":[280]},{"name":"CoreProximityEvaluation","features":[81,280]},{"name":"CoreProximityEvaluationScore","features":[280]},{"name":"CoreVirtualKeyStates","features":[280]},{"name":"CoreWindow","features":[280]},{"name":"CoreWindowActivationMode","features":[280]},{"name":"CoreWindowActivationState","features":[280]},{"name":"CoreWindowDialog","features":[280]},{"name":"CoreWindowDialogsContract","features":[280]},{"name":"CoreWindowEventArgs","features":[280]},{"name":"CoreWindowFlowDirection","features":[280]},{"name":"CoreWindowFlyout","features":[280]},{"name":"CoreWindowPopupShowingEventArgs","features":[280]},{"name":"CoreWindowResizeManager","features":[280]},{"name":"DispatchedHandler","features":[280]},{"name":"IAcceleratorKeyEventArgs","features":[280]},{"name":"IAcceleratorKeyEventArgs2","features":[280]},{"name":"IAutomationProviderRequestedEventArgs","features":[280]},{"name":"IBackRequestedEventArgs","features":[280]},{"name":"ICharacterReceivedEventArgs","features":[280]},{"name":"IClosestInteractiveBoundsRequestedEventArgs","features":[280]},{"name":"ICoreAcceleratorKeys","features":[280]},{"name":"ICoreClosestInteractiveBoundsRequested","features":[280]},{"name":"ICoreComponentFocusable","features":[280]},{"name":"ICoreCursor","features":[280]},{"name":"ICoreCursorFactory","features":[280]},{"name":"ICoreDispatcher","features":[280]},{"name":"ICoreDispatcher2","features":[280]},{"name":"ICoreDispatcherWithTaskPriority","features":[280]},{"name":"ICoreIndependentInputSourceController","features":[280]},{"name":"ICoreIndependentInputSourceControllerStatics","features":[280]},{"name":"ICoreInputSourceBase","features":[280]},{"name":"ICoreKeyboardInputSource","features":[280]},{"name":"ICoreKeyboardInputSource2","features":[280]},{"name":"ICorePointerInputSource","features":[280]},{"name":"ICorePointerInputSource2","features":[280]},{"name":"ICorePointerRedirector","features":[280]},{"name":"ICoreTouchHitTesting","features":[280]},{"name":"ICoreWindow","features":[280]},{"name":"ICoreWindow2","features":[280]},{"name":"ICoreWindow3","features":[280]},{"name":"ICoreWindow4","features":[280]},{"name":"ICoreWindow5","features":[280]},{"name":"ICoreWindowDialog","features":[280]},{"name":"ICoreWindowDialogFactory","features":[280]},{"name":"ICoreWindowEventArgs","features":[280]},{"name":"ICoreWindowFlyout","features":[280]},{"name":"ICoreWindowFlyoutFactory","features":[280]},{"name":"ICoreWindowPopupShowingEventArgs","features":[280]},{"name":"ICoreWindowResizeManager","features":[280]},{"name":"ICoreWindowResizeManagerLayoutCapability","features":[280]},{"name":"ICoreWindowResizeManagerStatics","features":[280]},{"name":"ICoreWindowStatic","features":[280]},{"name":"ICoreWindowWithContext","features":[280]},{"name":"IIdleDispatchedHandlerArgs","features":[280]},{"name":"IInitializeWithCoreWindow","features":[280]},{"name":"IInputEnabledEventArgs","features":[280]},{"name":"IKeyEventArgs","features":[280]},{"name":"IKeyEventArgs2","features":[280]},{"name":"IPointerEventArgs","features":[280]},{"name":"ISystemNavigationManager","features":[280]},{"name":"ISystemNavigationManager2","features":[280]},{"name":"ISystemNavigationManagerStatics","features":[280]},{"name":"ITouchHitTestingEventArgs","features":[280]},{"name":"IVisibilityChangedEventArgs","features":[280]},{"name":"IWindowActivatedEventArgs","features":[280]},{"name":"IWindowSizeChangedEventArgs","features":[280]},{"name":"IdleDispatchedHandler","features":[280]},{"name":"IdleDispatchedHandlerArgs","features":[280]},{"name":"InputEnabledEventArgs","features":[280]},{"name":"KeyEventArgs","features":[280]},{"name":"PointerEventArgs","features":[280]},{"name":"SystemNavigationManager","features":[280]},{"name":"TouchHitTestingEventArgs","features":[280]},{"name":"VisibilityChangedEventArgs","features":[280]},{"name":"WindowActivatedEventArgs","features":[280]},{"name":"WindowSizeChangedEventArgs","features":[280]}],"289":[{"name":"AnimationDescription","features":[281]},{"name":"AnimationEffect","features":[281]},{"name":"AnimationEffectTarget","features":[281]},{"name":"AnimationMetricsContract","features":[281]},{"name":"IAnimationDescription","features":[281]},{"name":"IAnimationDescriptionFactory","features":[281]},{"name":"IOpacityAnimation","features":[281]},{"name":"IPropertyAnimation","features":[281]},{"name":"IScaleAnimation","features":[281]},{"name":"OpacityAnimation","features":[281]},{"name":"PropertyAnimation","features":[281]},{"name":"PropertyAnimationType","features":[281]},{"name":"ScaleAnimation","features":[281]},{"name":"TranslationAnimation","features":[281]}],"290":[{"name":"CoreAppWindowPreview","features":[282]},{"name":"ICoreAppWindowPreview","features":[282]},{"name":"ICoreAppWindowPreviewStatics","features":[282]},{"name":"ISystemNavigationCloseRequestedPreviewEventArgs","features":[282]},{"name":"ISystemNavigationManagerPreview","features":[282]},{"name":"ISystemNavigationManagerPreviewStatics","features":[282]},{"name":"SystemNavigationCloseRequestedPreviewEventArgs","features":[282]},{"name":"SystemNavigationManagerPreview","features":[282]}],"291":[{"name":"AttachableInputObject","features":[283]},{"name":"CrossSlideThresholds","features":[283]},{"name":"CrossSlidingEventArgs","features":[283]},{"name":"CrossSlidingState","features":[283]},{"name":"DraggingEventArgs","features":[283]},{"name":"DraggingState","features":[283]},{"name":"EdgeGesture","features":[283]},{"name":"EdgeGestureEventArgs","features":[283]},{"name":"EdgeGestureKind","features":[283]},{"name":"GazeInputAccessStatus","features":[283]},{"name":"GestureRecognizer","features":[283]},{"name":"GestureSettings","features":[283]},{"name":"HoldingEventArgs","features":[283]},{"name":"HoldingState","features":[283]},{"name":"IAttachableInputObject","features":[283]},{"name":"IAttachableInputObjectFactory","features":[283]},{"name":"ICrossSlidingEventArgs","features":[283]},{"name":"ICrossSlidingEventArgs2","features":[283]},{"name":"IDraggingEventArgs","features":[283]},{"name":"IDraggingEventArgs2","features":[283]},{"name":"IEdgeGesture","features":[283]},{"name":"IEdgeGestureEventArgs","features":[283]},{"name":"IEdgeGestureStatics","features":[283]},{"name":"IGestureRecognizer","features":[283]},{"name":"IGestureRecognizer2","features":[283]},{"name":"IHoldingEventArgs","features":[283]},{"name":"IHoldingEventArgs2","features":[283]},{"name":"IInputActivationListener","features":[283]},{"name":"IInputActivationListenerActivationChangedEventArgs","features":[283]},{"name":"IKeyboardDeliveryInterceptor","features":[283]},{"name":"IKeyboardDeliveryInterceptorStatics","features":[283]},{"name":"IManipulationCompletedEventArgs","features":[283]},{"name":"IManipulationCompletedEventArgs2","features":[283]},{"name":"IManipulationInertiaStartingEventArgs","features":[283]},{"name":"IManipulationInertiaStartingEventArgs2","features":[283]},{"name":"IManipulationStartedEventArgs","features":[283]},{"name":"IManipulationStartedEventArgs2","features":[283]},{"name":"IManipulationUpdatedEventArgs","features":[283]},{"name":"IManipulationUpdatedEventArgs2","features":[283]},{"name":"IMouseWheelParameters","features":[283]},{"name":"IPointerPoint","features":[283]},{"name":"IPointerPointProperties","features":[283]},{"name":"IPointerPointProperties2","features":[283]},{"name":"IPointerPointStatics","features":[283]},{"name":"IPointerPointTransform","features":[283]},{"name":"IPointerVisualizationSettings","features":[283]},{"name":"IPointerVisualizationSettingsStatics","features":[283]},{"name":"IRadialController","features":[283]},{"name":"IRadialController2","features":[283]},{"name":"IRadialControllerButtonClickedEventArgs","features":[283]},{"name":"IRadialControllerButtonClickedEventArgs2","features":[283]},{"name":"IRadialControllerButtonHoldingEventArgs","features":[283]},{"name":"IRadialControllerButtonPressedEventArgs","features":[283]},{"name":"IRadialControllerButtonReleasedEventArgs","features":[283]},{"name":"IRadialControllerConfiguration","features":[283]},{"name":"IRadialControllerConfiguration2","features":[283]},{"name":"IRadialControllerConfigurationStatics","features":[283]},{"name":"IRadialControllerConfigurationStatics2","features":[283]},{"name":"IRadialControllerControlAcquiredEventArgs","features":[283]},{"name":"IRadialControllerControlAcquiredEventArgs2","features":[283]},{"name":"IRadialControllerMenu","features":[283]},{"name":"IRadialControllerMenuItem","features":[283]},{"name":"IRadialControllerMenuItemStatics","features":[283]},{"name":"IRadialControllerMenuItemStatics2","features":[283]},{"name":"IRadialControllerRotationChangedEventArgs","features":[283]},{"name":"IRadialControllerRotationChangedEventArgs2","features":[283]},{"name":"IRadialControllerScreenContact","features":[283]},{"name":"IRadialControllerScreenContactContinuedEventArgs","features":[283]},{"name":"IRadialControllerScreenContactContinuedEventArgs2","features":[283]},{"name":"IRadialControllerScreenContactEndedEventArgs","features":[283]},{"name":"IRadialControllerScreenContactStartedEventArgs","features":[283]},{"name":"IRadialControllerScreenContactStartedEventArgs2","features":[283]},{"name":"IRadialControllerStatics","features":[283]},{"name":"IRightTappedEventArgs","features":[283]},{"name":"IRightTappedEventArgs2","features":[283]},{"name":"ISystemButtonEventController","features":[283]},{"name":"ISystemButtonEventControllerStatics","features":[283]},{"name":"ISystemFunctionButtonEventArgs","features":[283]},{"name":"ISystemFunctionLockChangedEventArgs","features":[283]},{"name":"ISystemFunctionLockIndicatorChangedEventArgs","features":[283]},{"name":"ITappedEventArgs","features":[283]},{"name":"ITappedEventArgs2","features":[283]},{"name":"InputActivationListener","features":[283]},{"name":"InputActivationListenerActivationChangedEventArgs","features":[283]},{"name":"InputActivationState","features":[283]},{"name":"KeyboardDeliveryInterceptor","features":[283]},{"name":"ManipulationCompletedEventArgs","features":[283]},{"name":"ManipulationDelta","features":[81,283]},{"name":"ManipulationInertiaStartingEventArgs","features":[283]},{"name":"ManipulationStartedEventArgs","features":[283]},{"name":"ManipulationUpdatedEventArgs","features":[283]},{"name":"ManipulationVelocities","features":[81,283]},{"name":"MouseWheelParameters","features":[283]},{"name":"PointerPoint","features":[283]},{"name":"PointerPointProperties","features":[283]},{"name":"PointerUpdateKind","features":[283]},{"name":"PointerVisualizationSettings","features":[283]},{"name":"RadialController","features":[283]},{"name":"RadialControllerButtonClickedEventArgs","features":[283]},{"name":"RadialControllerButtonHoldingEventArgs","features":[283]},{"name":"RadialControllerButtonPressedEventArgs","features":[283]},{"name":"RadialControllerButtonReleasedEventArgs","features":[283]},{"name":"RadialControllerConfiguration","features":[283]},{"name":"RadialControllerControlAcquiredEventArgs","features":[283]},{"name":"RadialControllerMenu","features":[283]},{"name":"RadialControllerMenuItem","features":[283]},{"name":"RadialControllerMenuKnownIcon","features":[283]},{"name":"RadialControllerRotationChangedEventArgs","features":[283]},{"name":"RadialControllerScreenContact","features":[283]},{"name":"RadialControllerScreenContactContinuedEventArgs","features":[283]},{"name":"RadialControllerScreenContactEndedEventArgs","features":[283]},{"name":"RadialControllerScreenContactStartedEventArgs","features":[283]},{"name":"RadialControllerSystemMenuItemKind","features":[283]},{"name":"RightTappedEventArgs","features":[283]},{"name":"SystemButtonEventController","features":[283]},{"name":"SystemFunctionButtonEventArgs","features":[283]},{"name":"SystemFunctionLockChangedEventArgs","features":[283]},{"name":"SystemFunctionLockIndicatorChangedEventArgs","features":[283]},{"name":"TappedEventArgs","features":[283]}],"292":[{"name":"IRadialControllerIndependentInputSource","features":[284]},{"name":"IRadialControllerIndependentInputSource2","features":[284]},{"name":"IRadialControllerIndependentInputSourceStatics","features":[284]},{"name":"RadialControllerIndependentInputSource","features":[284]}],"293":[{"name":"HandwritingLineHeight","features":[285]},{"name":"IInkDrawingAttributes","features":[285]},{"name":"IInkDrawingAttributes2","features":[285]},{"name":"IInkDrawingAttributes3","features":[285]},{"name":"IInkDrawingAttributes4","features":[285]},{"name":"IInkDrawingAttributes5","features":[285]},{"name":"IInkDrawingAttributesPencilProperties","features":[285]},{"name":"IInkDrawingAttributesStatics","features":[285]},{"name":"IInkInputConfiguration","features":[285]},{"name":"IInkInputConfiguration2","features":[285]},{"name":"IInkInputProcessingConfiguration","features":[285]},{"name":"IInkManager","features":[285]},{"name":"IInkModelerAttributes","features":[285]},{"name":"IInkModelerAttributes2","features":[285]},{"name":"IInkPoint","features":[285]},{"name":"IInkPoint2","features":[285]},{"name":"IInkPointFactory","features":[285]},{"name":"IInkPointFactory2","features":[285]},{"name":"IInkPresenter","features":[285]},{"name":"IInkPresenter2","features":[285]},{"name":"IInkPresenter3","features":[285]},{"name":"IInkPresenterProtractor","features":[285]},{"name":"IInkPresenterProtractorFactory","features":[285]},{"name":"IInkPresenterRuler","features":[285]},{"name":"IInkPresenterRuler2","features":[285]},{"name":"IInkPresenterRulerFactory","features":[285]},{"name":"IInkPresenterStencil","features":[285]},{"name":"IInkRecognitionResult","features":[285]},{"name":"IInkRecognizer","features":[285]},{"name":"IInkRecognizerContainer","features":[285]},{"name":"IInkStroke","features":[285]},{"name":"IInkStroke2","features":[285]},{"name":"IInkStroke3","features":[285]},{"name":"IInkStroke4","features":[285]},{"name":"IInkStrokeBuilder","features":[285]},{"name":"IInkStrokeBuilder2","features":[285]},{"name":"IInkStrokeBuilder3","features":[285]},{"name":"IInkStrokeContainer","features":[285]},{"name":"IInkStrokeContainer2","features":[285]},{"name":"IInkStrokeContainer3","features":[285]},{"name":"IInkStrokeInput","features":[285]},{"name":"IInkStrokeRenderingSegment","features":[285]},{"name":"IInkStrokesCollectedEventArgs","features":[285]},{"name":"IInkStrokesErasedEventArgs","features":[285]},{"name":"IInkSynchronizer","features":[285]},{"name":"IInkUnprocessedInput","features":[285]},{"name":"IPenAndInkSettings","features":[285]},{"name":"IPenAndInkSettings2","features":[285]},{"name":"IPenAndInkSettingsStatics","features":[285]},{"name":"InkDrawingAttributes","features":[285]},{"name":"InkDrawingAttributesKind","features":[285]},{"name":"InkDrawingAttributesPencilProperties","features":[285]},{"name":"InkHighContrastAdjustment","features":[285]},{"name":"InkInputConfiguration","features":[285]},{"name":"InkInputProcessingConfiguration","features":[285]},{"name":"InkInputProcessingMode","features":[285]},{"name":"InkInputRightDragAction","features":[285]},{"name":"InkManager","features":[285]},{"name":"InkManipulationMode","features":[285]},{"name":"InkModelerAttributes","features":[285]},{"name":"InkPersistenceFormat","features":[285]},{"name":"InkPoint","features":[285]},{"name":"InkPresenter","features":[285]},{"name":"InkPresenterPredefinedConfiguration","features":[285]},{"name":"InkPresenterProtractor","features":[285]},{"name":"InkPresenterRuler","features":[285]},{"name":"InkPresenterStencilKind","features":[285]},{"name":"InkRecognitionResult","features":[285]},{"name":"InkRecognitionTarget","features":[285]},{"name":"InkRecognizer","features":[285]},{"name":"InkRecognizerContainer","features":[285]},{"name":"InkStroke","features":[285]},{"name":"InkStrokeBuilder","features":[285]},{"name":"InkStrokeContainer","features":[285]},{"name":"InkStrokeInput","features":[285]},{"name":"InkStrokeRenderingSegment","features":[285]},{"name":"InkStrokesCollectedEventArgs","features":[285]},{"name":"InkStrokesErasedEventArgs","features":[285]},{"name":"InkSynchronizer","features":[285]},{"name":"InkUnprocessedInput","features":[285]},{"name":"PenAndInkSettings","features":[285]},{"name":"PenHandedness","features":[285]},{"name":"PenTipShape","features":[285]}],"294":[{"name":"IInkAnalysisInkBullet","features":[286]},{"name":"IInkAnalysisInkDrawing","features":[286]},{"name":"IInkAnalysisInkWord","features":[286]},{"name":"IInkAnalysisLine","features":[286]},{"name":"IInkAnalysisListItem","features":[286]},{"name":"IInkAnalysisNode","features":[286]},{"name":"IInkAnalysisParagraph","features":[286]},{"name":"IInkAnalysisResult","features":[286]},{"name":"IInkAnalysisRoot","features":[286]},{"name":"IInkAnalysisWritingRegion","features":[286]},{"name":"IInkAnalyzer","features":[286]},{"name":"IInkAnalyzerFactory","features":[286]},{"name":"InkAnalysisDrawingKind","features":[286]},{"name":"InkAnalysisInkBullet","features":[286]},{"name":"InkAnalysisInkDrawing","features":[286]},{"name":"InkAnalysisInkWord","features":[286]},{"name":"InkAnalysisLine","features":[286]},{"name":"InkAnalysisListItem","features":[286]},{"name":"InkAnalysisNode","features":[286]},{"name":"InkAnalysisNodeKind","features":[286]},{"name":"InkAnalysisParagraph","features":[286]},{"name":"InkAnalysisResult","features":[286]},{"name":"InkAnalysisRoot","features":[286]},{"name":"InkAnalysisStatus","features":[286]},{"name":"InkAnalysisStrokeKind","features":[286]},{"name":"InkAnalysisWritingRegion","features":[286]},{"name":"InkAnalyzer","features":[286]}],"295":[{"name":"CoreIncrementalInkStroke","features":[287]},{"name":"CoreInkIndependentInputSource","features":[287]},{"name":"CoreInkPresenterHost","features":[287]},{"name":"CoreWetStrokeDisposition","features":[287]},{"name":"CoreWetStrokeUpdateEventArgs","features":[287]},{"name":"CoreWetStrokeUpdateSource","features":[287]},{"name":"ICoreIncrementalInkStroke","features":[287]},{"name":"ICoreIncrementalInkStrokeFactory","features":[287]},{"name":"ICoreInkIndependentInputSource","features":[287]},{"name":"ICoreInkIndependentInputSource2","features":[287]},{"name":"ICoreInkIndependentInputSourceStatics","features":[287]},{"name":"ICoreInkPresenterHost","features":[287]},{"name":"ICoreWetStrokeUpdateEventArgs","features":[287]},{"name":"ICoreWetStrokeUpdateSource","features":[287]},{"name":"ICoreWetStrokeUpdateSourceStatics","features":[287]}],"296":[{"name":"IPalmRejectionDelayZonePreview","features":[288]},{"name":"IPalmRejectionDelayZonePreviewStatics","features":[288]},{"name":"PalmRejectionDelayZonePreview","features":[288]}],"297":[{"name":"IInputActivationListenerPreviewStatics","features":[289]},{"name":"InputActivationListenerPreview","features":[289]}],"298":[{"name":"IInjectedInputGamepadInfo","features":[290]},{"name":"IInjectedInputGamepadInfoFactory","features":[290]},{"name":"IInjectedInputKeyboardInfo","features":[290]},{"name":"IInjectedInputMouseInfo","features":[290]},{"name":"IInjectedInputPenInfo","features":[290]},{"name":"IInjectedInputTouchInfo","features":[290]},{"name":"IInputInjector","features":[290]},{"name":"IInputInjector2","features":[290]},{"name":"IInputInjectorStatics","features":[290]},{"name":"IInputInjectorStatics2","features":[290]},{"name":"InjectedInputButtonChangeKind","features":[290]},{"name":"InjectedInputGamepadInfo","features":[290]},{"name":"InjectedInputKeyOptions","features":[290]},{"name":"InjectedInputKeyboardInfo","features":[290]},{"name":"InjectedInputMouseInfo","features":[290]},{"name":"InjectedInputMouseOptions","features":[290]},{"name":"InjectedInputPenButtons","features":[290]},{"name":"InjectedInputPenInfo","features":[290]},{"name":"InjectedInputPenParameters","features":[290]},{"name":"InjectedInputPoint","features":[290]},{"name":"InjectedInputPointerInfo","features":[290]},{"name":"InjectedInputPointerOptions","features":[290]},{"name":"InjectedInputRectangle","features":[290]},{"name":"InjectedInputShortcut","features":[290]},{"name":"InjectedInputTouchInfo","features":[290]},{"name":"InjectedInputTouchParameters","features":[290]},{"name":"InjectedInputVisualizationMode","features":[290]},{"name":"InputInjector","features":[290]}],"299":[{"name":"ISpatialGestureRecognizer","features":[291]},{"name":"ISpatialGestureRecognizerFactory","features":[291]},{"name":"ISpatialHoldCanceledEventArgs","features":[291]},{"name":"ISpatialHoldCompletedEventArgs","features":[291]},{"name":"ISpatialHoldStartedEventArgs","features":[291]},{"name":"ISpatialInteraction","features":[291]},{"name":"ISpatialInteractionController","features":[291]},{"name":"ISpatialInteractionController2","features":[291]},{"name":"ISpatialInteractionController3","features":[291]},{"name":"ISpatialInteractionControllerProperties","features":[291]},{"name":"ISpatialInteractionDetectedEventArgs","features":[291]},{"name":"ISpatialInteractionDetectedEventArgs2","features":[291]},{"name":"ISpatialInteractionManager","features":[291]},{"name":"ISpatialInteractionManagerStatics","features":[291]},{"name":"ISpatialInteractionManagerStatics2","features":[291]},{"name":"ISpatialInteractionSource","features":[291]},{"name":"ISpatialInteractionSource2","features":[291]},{"name":"ISpatialInteractionSource3","features":[291]},{"name":"ISpatialInteractionSource4","features":[291]},{"name":"ISpatialInteractionSourceEventArgs","features":[291]},{"name":"ISpatialInteractionSourceEventArgs2","features":[291]},{"name":"ISpatialInteractionSourceLocation","features":[291]},{"name":"ISpatialInteractionSourceLocation2","features":[291]},{"name":"ISpatialInteractionSourceLocation3","features":[291]},{"name":"ISpatialInteractionSourceProperties","features":[291]},{"name":"ISpatialInteractionSourceState","features":[291]},{"name":"ISpatialInteractionSourceState2","features":[291]},{"name":"ISpatialInteractionSourceState3","features":[291]},{"name":"ISpatialManipulationCanceledEventArgs","features":[291]},{"name":"ISpatialManipulationCompletedEventArgs","features":[291]},{"name":"ISpatialManipulationDelta","features":[291]},{"name":"ISpatialManipulationStartedEventArgs","features":[291]},{"name":"ISpatialManipulationUpdatedEventArgs","features":[291]},{"name":"ISpatialNavigationCanceledEventArgs","features":[291]},{"name":"ISpatialNavigationCompletedEventArgs","features":[291]},{"name":"ISpatialNavigationStartedEventArgs","features":[291]},{"name":"ISpatialNavigationUpdatedEventArgs","features":[291]},{"name":"ISpatialPointerInteractionSourcePose","features":[291]},{"name":"ISpatialPointerInteractionSourcePose2","features":[291]},{"name":"ISpatialPointerPose","features":[291]},{"name":"ISpatialPointerPose2","features":[291]},{"name":"ISpatialPointerPose3","features":[291]},{"name":"ISpatialPointerPoseStatics","features":[291]},{"name":"ISpatialRecognitionEndedEventArgs","features":[291]},{"name":"ISpatialRecognitionStartedEventArgs","features":[291]},{"name":"ISpatialTappedEventArgs","features":[291]},{"name":"SpatialGestureRecognizer","features":[291]},{"name":"SpatialGestureSettings","features":[291]},{"name":"SpatialHoldCanceledEventArgs","features":[291]},{"name":"SpatialHoldCompletedEventArgs","features":[291]},{"name":"SpatialHoldStartedEventArgs","features":[291]},{"name":"SpatialInteraction","features":[291]},{"name":"SpatialInteractionController","features":[291]},{"name":"SpatialInteractionControllerProperties","features":[291]},{"name":"SpatialInteractionDetectedEventArgs","features":[291]},{"name":"SpatialInteractionManager","features":[291]},{"name":"SpatialInteractionPressKind","features":[291]},{"name":"SpatialInteractionSource","features":[291]},{"name":"SpatialInteractionSourceEventArgs","features":[291]},{"name":"SpatialInteractionSourceHandedness","features":[291]},{"name":"SpatialInteractionSourceKind","features":[291]},{"name":"SpatialInteractionSourceLocation","features":[291]},{"name":"SpatialInteractionSourcePositionAccuracy","features":[291]},{"name":"SpatialInteractionSourceProperties","features":[291]},{"name":"SpatialInteractionSourceState","features":[291]},{"name":"SpatialManipulationCanceledEventArgs","features":[291]},{"name":"SpatialManipulationCompletedEventArgs","features":[291]},{"name":"SpatialManipulationDelta","features":[291]},{"name":"SpatialManipulationStartedEventArgs","features":[291]},{"name":"SpatialManipulationUpdatedEventArgs","features":[291]},{"name":"SpatialNavigationCanceledEventArgs","features":[291]},{"name":"SpatialNavigationCompletedEventArgs","features":[291]},{"name":"SpatialNavigationStartedEventArgs","features":[291]},{"name":"SpatialNavigationUpdatedEventArgs","features":[291]},{"name":"SpatialPointerInteractionSourcePose","features":[291]},{"name":"SpatialPointerPose","features":[291]},{"name":"SpatialRecognitionEndedEventArgs","features":[291]},{"name":"SpatialRecognitionStartedEventArgs","features":[291]},{"name":"SpatialTappedEventArgs","features":[291]}],"300":[{"name":"AdaptiveNotificationContentKind","features":[292]},{"name":"AdaptiveNotificationText","features":[292]},{"name":"BadgeNotification","features":[292]},{"name":"BadgeTemplateType","features":[292]},{"name":"BadgeUpdateManager","features":[292]},{"name":"BadgeUpdateManagerForUser","features":[292]},{"name":"BadgeUpdater","features":[292]},{"name":"IAdaptiveNotificationContent","features":[292]},{"name":"IAdaptiveNotificationText","features":[292]},{"name":"IBadgeNotification","features":[292]},{"name":"IBadgeNotificationFactory","features":[292]},{"name":"IBadgeUpdateManagerForUser","features":[292]},{"name":"IBadgeUpdateManagerStatics","features":[292]},{"name":"IBadgeUpdateManagerStatics2","features":[292]},{"name":"IBadgeUpdater","features":[292]},{"name":"IKnownAdaptiveNotificationHintsStatics","features":[292]},{"name":"IKnownAdaptiveNotificationTextStylesStatics","features":[292]},{"name":"IKnownNotificationBindingsStatics","features":[292]},{"name":"INotification","features":[292]},{"name":"INotificationBinding","features":[292]},{"name":"INotificationData","features":[292]},{"name":"INotificationDataFactory","features":[292]},{"name":"INotificationVisual","features":[292]},{"name":"IScheduledTileNotification","features":[292]},{"name":"IScheduledTileNotificationFactory","features":[292]},{"name":"IScheduledToastNotification","features":[292]},{"name":"IScheduledToastNotification2","features":[292]},{"name":"IScheduledToastNotification3","features":[292]},{"name":"IScheduledToastNotification4","features":[292]},{"name":"IScheduledToastNotificationFactory","features":[292]},{"name":"IScheduledToastNotificationShowingEventArgs","features":[292]},{"name":"IShownTileNotification","features":[292]},{"name":"ITileFlyoutNotification","features":[292]},{"name":"ITileFlyoutNotificationFactory","features":[292]},{"name":"ITileFlyoutUpdateManagerStatics","features":[292]},{"name":"ITileFlyoutUpdater","features":[292]},{"name":"ITileNotification","features":[292]},{"name":"ITileNotificationFactory","features":[292]},{"name":"ITileUpdateManagerForUser","features":[292]},{"name":"ITileUpdateManagerStatics","features":[292]},{"name":"ITileUpdateManagerStatics2","features":[292]},{"name":"ITileUpdater","features":[292]},{"name":"ITileUpdater2","features":[292]},{"name":"IToastActivatedEventArgs","features":[292]},{"name":"IToastActivatedEventArgs2","features":[292]},{"name":"IToastCollection","features":[292]},{"name":"IToastCollectionFactory","features":[292]},{"name":"IToastCollectionManager","features":[292]},{"name":"IToastDismissedEventArgs","features":[292]},{"name":"IToastFailedEventArgs","features":[292]},{"name":"IToastNotification","features":[292]},{"name":"IToastNotification2","features":[292]},{"name":"IToastNotification3","features":[292]},{"name":"IToastNotification4","features":[292]},{"name":"IToastNotification6","features":[292]},{"name":"IToastNotificationActionTriggerDetail","features":[292]},{"name":"IToastNotificationFactory","features":[292]},{"name":"IToastNotificationHistory","features":[292]},{"name":"IToastNotificationHistory2","features":[292]},{"name":"IToastNotificationHistoryChangedTriggerDetail","features":[292]},{"name":"IToastNotificationHistoryChangedTriggerDetail2","features":[292]},{"name":"IToastNotificationManagerForUser","features":[292]},{"name":"IToastNotificationManagerForUser2","features":[292]},{"name":"IToastNotificationManagerForUser3","features":[292]},{"name":"IToastNotificationManagerStatics","features":[292]},{"name":"IToastNotificationManagerStatics2","features":[292]},{"name":"IToastNotificationManagerStatics4","features":[292]},{"name":"IToastNotificationManagerStatics5","features":[292]},{"name":"IToastNotifier","features":[292]},{"name":"IToastNotifier2","features":[292]},{"name":"IToastNotifier3","features":[292]},{"name":"IUserNotification","features":[292]},{"name":"IUserNotificationChangedEventArgs","features":[292]},{"name":"KnownAdaptiveNotificationHints","features":[292]},{"name":"KnownAdaptiveNotificationTextStyles","features":[292]},{"name":"KnownNotificationBindings","features":[292]},{"name":"Notification","features":[292]},{"name":"NotificationBinding","features":[292]},{"name":"NotificationData","features":[292]},{"name":"NotificationKinds","features":[292]},{"name":"NotificationMirroring","features":[292]},{"name":"NotificationSetting","features":[292]},{"name":"NotificationUpdateResult","features":[292]},{"name":"NotificationVisual","features":[292]},{"name":"PeriodicUpdateRecurrence","features":[292]},{"name":"ScheduledTileNotification","features":[292]},{"name":"ScheduledToastNotification","features":[292]},{"name":"ScheduledToastNotificationShowingEventArgs","features":[292]},{"name":"ShownTileNotification","features":[292]},{"name":"TileFlyoutNotification","features":[292]},{"name":"TileFlyoutTemplateType","features":[292]},{"name":"TileFlyoutUpdateManager","features":[292]},{"name":"TileFlyoutUpdater","features":[292]},{"name":"TileNotification","features":[292]},{"name":"TileTemplateType","features":[292]},{"name":"TileUpdateManager","features":[292]},{"name":"TileUpdateManagerForUser","features":[292]},{"name":"TileUpdater","features":[292]},{"name":"ToastActivatedEventArgs","features":[292]},{"name":"ToastCollection","features":[292]},{"name":"ToastCollectionManager","features":[292]},{"name":"ToastDismissalReason","features":[292]},{"name":"ToastDismissedEventArgs","features":[292]},{"name":"ToastFailedEventArgs","features":[292]},{"name":"ToastHistoryChangedType","features":[292]},{"name":"ToastNotification","features":[292]},{"name":"ToastNotificationActionTriggerDetail","features":[292]},{"name":"ToastNotificationHistory","features":[292]},{"name":"ToastNotificationHistoryChangedTriggerDetail","features":[292]},{"name":"ToastNotificationManager","features":[292]},{"name":"ToastNotificationManagerForUser","features":[292]},{"name":"ToastNotificationMode","features":[292]},{"name":"ToastNotificationPriority","features":[292]},{"name":"ToastNotifier","features":[292]},{"name":"ToastTemplateType","features":[292]},{"name":"UserNotification","features":[292]},{"name":"UserNotificationChangedEventArgs","features":[292]},{"name":"UserNotificationChangedKind","features":[292]}],"301":[{"name":"IUserNotificationListener","features":[293]},{"name":"IUserNotificationListenerStatics","features":[293]},{"name":"UserNotificationListener","features":[293]},{"name":"UserNotificationListenerAccessStatus","features":[293]}],"302":[{"name":"IToastOcclusionManagerPreviewStatics","features":[294]},{"name":"ToastOcclusionManagerPreview","features":[294]}],"303":[{"name":"IMessageDialog","features":[272]},{"name":"IMessageDialogFactory","features":[272]},{"name":"IPopupMenu","features":[272]},{"name":"IUICommand","features":[272]},{"name":"IUICommandFactory","features":[272]},{"name":"MessageDialog","features":[272]},{"name":"MessageDialogOptions","features":[272]},{"name":"Placement","features":[272]},{"name":"PopupMenu","features":[272]},{"name":"UICommand","features":[272]},{"name":"UICommandInvokedHandler","features":[272]},{"name":"UICommandSeparator","features":[272]}],"304":[{"name":"AdaptiveCardBuilder","features":[295]},{"name":"FocusSession","features":[295]},{"name":"FocusSessionManager","features":[295]},{"name":"IAdaptiveCard","features":[295]},{"name":"IAdaptiveCardBuilderStatics","features":[295]},{"name":"IFocusSession","features":[295]},{"name":"IFocusSessionManager","features":[295]},{"name":"IFocusSessionManagerStatics","features":[295]},{"name":"ISecurityAppManager","features":[295]},{"name":"IShareWindowCommandEventArgs","features":[295]},{"name":"IShareWindowCommandSource","features":[295]},{"name":"IShareWindowCommandSourceStatics","features":[295]},{"name":"ITaskbarManager","features":[295]},{"name":"ITaskbarManager2","features":[295]},{"name":"ITaskbarManagerDesktopAppSupportStatics","features":[295]},{"name":"ITaskbarManagerStatics","features":[295]},{"name":"IWindowTab","features":[295]},{"name":"IWindowTabCloseRequestedEventArgs","features":[295]},{"name":"IWindowTabCollection","features":[295]},{"name":"IWindowTabGroup","features":[295]},{"name":"IWindowTabIcon","features":[295]},{"name":"IWindowTabIconStatics","features":[295]},{"name":"IWindowTabManager","features":[295]},{"name":"IWindowTabManagerStatics","features":[295]},{"name":"IWindowTabSwitchRequestedEventArgs","features":[295]},{"name":"IWindowTabTearOutRequestedEventArgs","features":[295]},{"name":"IWindowTabThumbnailRequestedEventArgs","features":[295]},{"name":"SecurityAppKind","features":[295]},{"name":"SecurityAppManager","features":[295]},{"name":"SecurityAppManagerContract","features":[295]},{"name":"SecurityAppState","features":[295]},{"name":"SecurityAppSubstatus","features":[295]},{"name":"ShareWindowCommand","features":[295]},{"name":"ShareWindowCommandEventArgs","features":[295]},{"name":"ShareWindowCommandSource","features":[295]},{"name":"TaskbarManager","features":[295]},{"name":"WindowTab","features":[295]},{"name":"WindowTabCloseRequestedEventArgs","features":[295]},{"name":"WindowTabCollection","features":[295]},{"name":"WindowTabGroup","features":[295]},{"name":"WindowTabIcon","features":[295]},{"name":"WindowTabManager","features":[295]},{"name":"WindowTabManagerContract","features":[295]},{"name":"WindowTabSwitchRequestedEventArgs","features":[295]},{"name":"WindowTabTearOutRequestedEventArgs","features":[295]},{"name":"WindowTabThumbnailRequestedEventArgs","features":[295]}],"305":[{"name":"ForegroundText","features":[296]},{"name":"IJumpList","features":[296]},{"name":"IJumpListItem","features":[296]},{"name":"IJumpListItemStatics","features":[296]},{"name":"IJumpListStatics","features":[296]},{"name":"ISecondaryTile","features":[296]},{"name":"ISecondaryTile2","features":[296]},{"name":"ISecondaryTileFactory","features":[296]},{"name":"ISecondaryTileFactory2","features":[296]},{"name":"ISecondaryTileStatics","features":[296]},{"name":"ISecondaryTileVisualElements","features":[296]},{"name":"ISecondaryTileVisualElements2","features":[296]},{"name":"ISecondaryTileVisualElements3","features":[296]},{"name":"ISecondaryTileVisualElements4","features":[296]},{"name":"IStartScreenManager","features":[296]},{"name":"IStartScreenManager2","features":[296]},{"name":"IStartScreenManagerStatics","features":[296]},{"name":"ITileMixedRealityModel","features":[296]},{"name":"ITileMixedRealityModel2","features":[296]},{"name":"IVisualElementsRequest","features":[296]},{"name":"IVisualElementsRequestDeferral","features":[296]},{"name":"IVisualElementsRequestedEventArgs","features":[296]},{"name":"JumpList","features":[296]},{"name":"JumpListItem","features":[296]},{"name":"JumpListItemKind","features":[296]},{"name":"JumpListSystemGroupKind","features":[296]},{"name":"SecondaryTile","features":[296]},{"name":"SecondaryTileVisualElements","features":[296]},{"name":"StartScreenManager","features":[296]},{"name":"TileMixedRealityModel","features":[296]},{"name":"TileMixedRealityModelActivationBehavior","features":[296]},{"name":"TileOptions","features":[296]},{"name":"TileSize","features":[296]},{"name":"VisualElementsRequest","features":[296]},{"name":"VisualElementsRequestDeferral","features":[296]},{"name":"VisualElementsRequestedEventArgs","features":[296]}],"306":[{"name":"CaretType","features":[297]},{"name":"ContentLinkInfo","features":[297]},{"name":"FindOptions","features":[297]},{"name":"FontStretch","features":[297]},{"name":"FontStyle","features":[297]},{"name":"FontWeight","features":[297]},{"name":"FontWeights","features":[297]},{"name":"FormatEffect","features":[297]},{"name":"HorizontalCharacterAlignment","features":[297]},{"name":"IContentLinkInfo","features":[297]},{"name":"IFontWeights","features":[297]},{"name":"IFontWeightsStatics","features":[297]},{"name":"IRichEditTextRange","features":[297]},{"name":"ITextCharacterFormat","features":[297]},{"name":"ITextConstantsStatics","features":[297]},{"name":"ITextDocument","features":[297]},{"name":"ITextDocument2","features":[297]},{"name":"ITextDocument3","features":[297]},{"name":"ITextDocument4","features":[297]},{"name":"ITextParagraphFormat","features":[297]},{"name":"ITextRange","features":[297]},{"name":"ITextSelection","features":[297]},{"name":"LetterCase","features":[297]},{"name":"LineSpacingRule","features":[297]},{"name":"LinkType","features":[297]},{"name":"MarkerAlignment","features":[297]},{"name":"MarkerStyle","features":[297]},{"name":"MarkerType","features":[297]},{"name":"ParagraphAlignment","features":[297]},{"name":"ParagraphStyle","features":[297]},{"name":"PointOptions","features":[297]},{"name":"RangeGravity","features":[297]},{"name":"RichEditMathMode","features":[297]},{"name":"RichEditTextDocument","features":[297]},{"name":"RichEditTextRange","features":[297]},{"name":"SelectionOptions","features":[297]},{"name":"SelectionType","features":[297]},{"name":"TabAlignment","features":[297]},{"name":"TabLeader","features":[297]},{"name":"TextConstants","features":[297]},{"name":"TextDecorations","features":[297]},{"name":"TextGetOptions","features":[297]},{"name":"TextRangeUnit","features":[297]},{"name":"TextScript","features":[297]},{"name":"TextSetOptions","features":[297]},{"name":"UnderlineType","features":[297]},{"name":"VerticalCharacterAlignment","features":[297]}],"307":[{"name":"CoreTextCompositionCompletedEventArgs","features":[298]},{"name":"CoreTextCompositionSegment","features":[298]},{"name":"CoreTextCompositionStartedEventArgs","features":[298]},{"name":"CoreTextEditContext","features":[298]},{"name":"CoreTextFormatUpdatingEventArgs","features":[298]},{"name":"CoreTextFormatUpdatingReason","features":[298]},{"name":"CoreTextFormatUpdatingResult","features":[298]},{"name":"CoreTextInputPaneDisplayPolicy","features":[298]},{"name":"CoreTextInputScope","features":[298]},{"name":"CoreTextLayoutBounds","features":[298]},{"name":"CoreTextLayoutRequest","features":[298]},{"name":"CoreTextLayoutRequestedEventArgs","features":[298]},{"name":"CoreTextRange","features":[298]},{"name":"CoreTextSelectionRequest","features":[298]},{"name":"CoreTextSelectionRequestedEventArgs","features":[298]},{"name":"CoreTextSelectionUpdatingEventArgs","features":[298]},{"name":"CoreTextSelectionUpdatingResult","features":[298]},{"name":"CoreTextServicesConstants","features":[298]},{"name":"CoreTextServicesManager","features":[298]},{"name":"CoreTextTextRequest","features":[298]},{"name":"CoreTextTextRequestedEventArgs","features":[298]},{"name":"CoreTextTextUpdatingEventArgs","features":[298]},{"name":"CoreTextTextUpdatingResult","features":[298]},{"name":"ICoreTextCompositionCompletedEventArgs","features":[298]},{"name":"ICoreTextCompositionSegment","features":[298]},{"name":"ICoreTextCompositionStartedEventArgs","features":[298]},{"name":"ICoreTextEditContext","features":[298]},{"name":"ICoreTextEditContext2","features":[298]},{"name":"ICoreTextFormatUpdatingEventArgs","features":[298]},{"name":"ICoreTextLayoutBounds","features":[298]},{"name":"ICoreTextLayoutRequest","features":[298]},{"name":"ICoreTextLayoutRequest2","features":[298]},{"name":"ICoreTextLayoutRequestedEventArgs","features":[298]},{"name":"ICoreTextSelectionRequest","features":[298]},{"name":"ICoreTextSelectionRequestedEventArgs","features":[298]},{"name":"ICoreTextSelectionUpdatingEventArgs","features":[298]},{"name":"ICoreTextServicesManager","features":[298]},{"name":"ICoreTextServicesManagerStatics","features":[298]},{"name":"ICoreTextServicesStatics","features":[298]},{"name":"ICoreTextTextRequest","features":[298]},{"name":"ICoreTextTextRequestedEventArgs","features":[298]},{"name":"ICoreTextTextUpdatingEventArgs","features":[298]}],"308":[{"name":"AutomationConnection","features":[299]},{"name":"AutomationConnectionBoundObject","features":[299]},{"name":"AutomationElement","features":[299]},{"name":"AutomationTextRange","features":[299]},{"name":"IAutomationConnection","features":[299]},{"name":"IAutomationConnectionBoundObject","features":[299]},{"name":"IAutomationElement","features":[299]},{"name":"IAutomationTextRange","features":[299]},{"name":"UIAutomationContract","features":[299]}],"309":[{"name":"AutomationAnnotationTypeRegistration","features":[300]},{"name":"AutomationRemoteOperationOperandId","features":[300]},{"name":"AutomationRemoteOperationResult","features":[300]},{"name":"AutomationRemoteOperationStatus","features":[300]},{"name":"CoreAutomationRegistrar","features":[300]},{"name":"CoreAutomationRemoteOperation","features":[300]},{"name":"CoreAutomationRemoteOperationContext","features":[300]},{"name":"IAutomationRemoteOperationResult","features":[300]},{"name":"ICoreAutomationConnectionBoundObjectProvider","features":[300]},{"name":"ICoreAutomationRegistrarStatics","features":[300]},{"name":"ICoreAutomationRemoteOperation","features":[300]},{"name":"ICoreAutomationRemoteOperation2","features":[300]},{"name":"ICoreAutomationRemoteOperationContext","features":[300]},{"name":"ICoreAutomationRemoteOperationExtensionProvider","features":[300]},{"name":"IRemoteAutomationClientSession","features":[300]},{"name":"IRemoteAutomationClientSessionFactory","features":[300]},{"name":"IRemoteAutomationConnectionRequestedEventArgs","features":[300]},{"name":"IRemoteAutomationDisconnectedEventArgs","features":[300]},{"name":"IRemoteAutomationServerStatics","features":[300]},{"name":"IRemoteAutomationWindow","features":[300]},{"name":"RemoteAutomationClientSession","features":[300]},{"name":"RemoteAutomationConnectionRequestedEventArgs","features":[300]},{"name":"RemoteAutomationDisconnectedEventArgs","features":[300]},{"name":"RemoteAutomationServer","features":[300]},{"name":"RemoteAutomationWindow","features":[300]}],"310":[{"name":"AccessibilitySettings","features":[301]},{"name":"ActivationViewSwitcher","features":[301]},{"name":"ApplicationView","features":[301]},{"name":"ApplicationViewBoundsMode","features":[301]},{"name":"ApplicationViewConsolidatedEventArgs","features":[301]},{"name":"ApplicationViewMode","features":[301]},{"name":"ApplicationViewOrientation","features":[301]},{"name":"ApplicationViewScaling","features":[301]},{"name":"ApplicationViewState","features":[301,3]},{"name":"ApplicationViewSwitcher","features":[301]},{"name":"ApplicationViewSwitchingOptions","features":[301]},{"name":"ApplicationViewTitleBar","features":[301]},{"name":"ApplicationViewTransferContext","features":[301]},{"name":"ApplicationViewWindowingMode","features":[301]},{"name":"FullScreenSystemOverlayMode","features":[301]},{"name":"HandPreference","features":[301]},{"name":"IAccessibilitySettings","features":[301]},{"name":"IActivationViewSwitcher","features":[301]},{"name":"IApplicationView","features":[301]},{"name":"IApplicationView2","features":[301]},{"name":"IApplicationView3","features":[301]},{"name":"IApplicationView4","features":[301]},{"name":"IApplicationView7","features":[301]},{"name":"IApplicationView9","features":[301]},{"name":"IApplicationViewConsolidatedEventArgs","features":[301]},{"name":"IApplicationViewConsolidatedEventArgs2","features":[301]},{"name":"IApplicationViewFullscreenStatics","features":[301,3]},{"name":"IApplicationViewInteropStatics","features":[301]},{"name":"IApplicationViewScaling","features":[301]},{"name":"IApplicationViewScalingStatics","features":[301]},{"name":"IApplicationViewStatics","features":[301,3]},{"name":"IApplicationViewStatics2","features":[301]},{"name":"IApplicationViewStatics3","features":[301]},{"name":"IApplicationViewStatics4","features":[301]},{"name":"IApplicationViewSwitcherStatics","features":[301]},{"name":"IApplicationViewSwitcherStatics2","features":[301]},{"name":"IApplicationViewSwitcherStatics3","features":[301]},{"name":"IApplicationViewTitleBar","features":[301]},{"name":"IApplicationViewTransferContext","features":[301]},{"name":"IApplicationViewTransferContextStatics","features":[301]},{"name":"IApplicationViewWithContext","features":[301]},{"name":"IInputPane","features":[301]},{"name":"IInputPane2","features":[301]},{"name":"IInputPaneControl","features":[301]},{"name":"IInputPaneStatics","features":[301]},{"name":"IInputPaneStatics2","features":[301]},{"name":"IInputPaneVisibilityEventArgs","features":[301]},{"name":"IProjectionManagerStatics","features":[301]},{"name":"IProjectionManagerStatics2","features":[301]},{"name":"IStatusBar","features":[301]},{"name":"IStatusBarProgressIndicator","features":[301]},{"name":"IStatusBarStatics","features":[301]},{"name":"IUISettings","features":[301]},{"name":"IUISettings2","features":[301]},{"name":"IUISettings3","features":[301]},{"name":"IUISettings4","features":[301]},{"name":"IUISettings5","features":[301]},{"name":"IUISettings6","features":[301]},{"name":"IUISettingsAnimationsEnabledChangedEventArgs","features":[301]},{"name":"IUISettingsAutoHideScrollBarsChangedEventArgs","features":[301]},{"name":"IUISettingsMessageDurationChangedEventArgs","features":[301]},{"name":"IUIViewSettings","features":[301]},{"name":"IUIViewSettingsStatics","features":[301]},{"name":"IViewModePreferences","features":[301]},{"name":"IViewModePreferencesStatics","features":[301]},{"name":"InputPane","features":[301]},{"name":"InputPaneVisibilityEventArgs","features":[301]},{"name":"ProjectionManager","features":[301]},{"name":"ScreenCaptureDisabledBehavior","features":[301]},{"name":"StatusBar","features":[301]},{"name":"StatusBarProgressIndicator","features":[301]},{"name":"UIColorType","features":[301]},{"name":"UIElementType","features":[301]},{"name":"UISettings","features":[301]},{"name":"UISettingsAnimationsEnabledChangedEventArgs","features":[301]},{"name":"UISettingsAutoHideScrollBarsChangedEventArgs","features":[301]},{"name":"UISettingsMessageDurationChangedEventArgs","features":[301]},{"name":"UIViewSettings","features":[301]},{"name":"UserInteractionMode","features":[301]},{"name":"ViewManagementViewScalingContract","features":[301]},{"name":"ViewModePreferences","features":[301]},{"name":"ViewSizePreference","features":[301]}],"311":[{"name":"CoreFrameworkInputView","features":[302]},{"name":"CoreFrameworkInputViewAnimationStartingEventArgs","features":[302]},{"name":"CoreFrameworkInputViewOcclusionsChangedEventArgs","features":[302]},{"name":"CoreInputView","features":[302]},{"name":"CoreInputViewAnimationStartingEventArgs","features":[302]},{"name":"CoreInputViewHidingEventArgs","features":[302]},{"name":"CoreInputViewKind","features":[302]},{"name":"CoreInputViewOcclusion","features":[302]},{"name":"CoreInputViewOcclusionKind","features":[302]},{"name":"CoreInputViewOcclusionsChangedEventArgs","features":[302]},{"name":"CoreInputViewShowingEventArgs","features":[302]},{"name":"CoreInputViewTransferringXYFocusEventArgs","features":[302]},{"name":"CoreInputViewXYFocusTransferDirection","features":[302]},{"name":"ICoreFrameworkInputView","features":[302]},{"name":"ICoreFrameworkInputViewAnimationStartingEventArgs","features":[302]},{"name":"ICoreFrameworkInputViewOcclusionsChangedEventArgs","features":[302]},{"name":"ICoreFrameworkInputViewStatics","features":[302]},{"name":"ICoreInputView","features":[302]},{"name":"ICoreInputView2","features":[302]},{"name":"ICoreInputView3","features":[302]},{"name":"ICoreInputView4","features":[302]},{"name":"ICoreInputView5","features":[302]},{"name":"ICoreInputViewAnimationStartingEventArgs","features":[302]},{"name":"ICoreInputViewHidingEventArgs","features":[302]},{"name":"ICoreInputViewOcclusion","features":[302]},{"name":"ICoreInputViewOcclusionsChangedEventArgs","features":[302]},{"name":"ICoreInputViewShowingEventArgs","features":[302]},{"name":"ICoreInputViewStatics","features":[302]},{"name":"ICoreInputViewStatics2","features":[302]},{"name":"ICoreInputViewTransferringXYFocusEventArgs","features":[302]},{"name":"IUISettingsController","features":[302]},{"name":"IUISettingsControllerStatics","features":[302]},{"name":"UISettingsController","features":[302]}],"312":[{"name":"ActivatedDeferral","features":[303]},{"name":"ActivatedEventHandler","features":[2,303]},{"name":"ActivatedOperation","features":[303]},{"name":"BackgroundActivatedEventArgs","features":[2,303]},{"name":"BackgroundActivatedEventHandler","features":[2,303]},{"name":"EnteredBackgroundEventArgs","features":[1,303]},{"name":"EnteredBackgroundEventHandler","features":[1,303]},{"name":"HtmlPrintDocumentSource","features":[303]},{"name":"IActivatedDeferral","features":[303]},{"name":"IActivatedEventArgsDeferral","features":[303]},{"name":"IActivatedOperation","features":[303]},{"name":"IHtmlPrintDocumentSource","features":[303]},{"name":"INewWebUIViewCreatedEventArgs","features":[303]},{"name":"IWebUIActivationStatics","features":[303]},{"name":"IWebUIActivationStatics2","features":[303]},{"name":"IWebUIActivationStatics3","features":[303]},{"name":"IWebUIActivationStatics4","features":[303]},{"name":"IWebUIBackgroundTaskInstance","features":[303]},{"name":"IWebUIBackgroundTaskInstanceStatics","features":[303]},{"name":"IWebUINavigatedDeferral","features":[303]},{"name":"IWebUINavigatedEventArgs","features":[303]},{"name":"IWebUINavigatedOperation","features":[303]},{"name":"IWebUIView","features":[303]},{"name":"IWebUIViewStatics","features":[303]},{"name":"LeavingBackgroundEventArgs","features":[1,303]},{"name":"LeavingBackgroundEventHandler","features":[1,303]},{"name":"NavigatedEventHandler","features":[303]},{"name":"NewWebUIViewCreatedEventArgs","features":[303]},{"name":"PrintContent","features":[303]},{"name":"ResumingEventHandler","features":[303]},{"name":"SuspendingDeferral","features":[1,303]},{"name":"SuspendingEventArgs","features":[1,303]},{"name":"SuspendingEventHandler","features":[1,303]},{"name":"SuspendingOperation","features":[1,303]},{"name":"WebUIApplication","features":[303]},{"name":"WebUIAppointmentsProviderAddAppointmentActivatedEventArgs","features":[2,303]},{"name":"WebUIAppointmentsProviderRemoveAppointmentActivatedEventArgs","features":[2,303]},{"name":"WebUIAppointmentsProviderReplaceAppointmentActivatedEventArgs","features":[2,303]},{"name":"WebUIAppointmentsProviderShowAppointmentDetailsActivatedEventArgs","features":[2,303]},{"name":"WebUIAppointmentsProviderShowTimeFrameActivatedEventArgs","features":[2,303]},{"name":"WebUIBackgroundTaskInstance","features":[303]},{"name":"WebUIBackgroundTaskInstanceRuntimeClass","features":[303]},{"name":"WebUIBarcodeScannerPreviewActivatedEventArgs","features":[2,303]},{"name":"WebUICachedFileUpdaterActivatedEventArgs","features":[2,303]},{"name":"WebUICameraSettingsActivatedEventArgs","features":[2,303]},{"name":"WebUICommandLineActivatedEventArgs","features":[2,303]},{"name":"WebUIContactCallActivatedEventArgs","features":[2,303]},{"name":"WebUIContactMapActivatedEventArgs","features":[2,303]},{"name":"WebUIContactMessageActivatedEventArgs","features":[2,303]},{"name":"WebUIContactPanelActivatedEventArgs","features":[2,303]},{"name":"WebUIContactPickerActivatedEventArgs","features":[2,303]},{"name":"WebUIContactPostActivatedEventArgs","features":[2,303]},{"name":"WebUIContactVideoCallActivatedEventArgs","features":[2,303]},{"name":"WebUIDeviceActivatedEventArgs","features":[2,303]},{"name":"WebUIDevicePairingActivatedEventArgs","features":[2,303]},{"name":"WebUIDialReceiverActivatedEventArgs","features":[2,303]},{"name":"WebUIFileActivatedEventArgs","features":[2,303]},{"name":"WebUIFileOpenPickerActivatedEventArgs","features":[2,303]},{"name":"WebUIFileOpenPickerContinuationEventArgs","features":[2,303,3]},{"name":"WebUIFileSavePickerActivatedEventArgs","features":[2,303]},{"name":"WebUIFileSavePickerContinuationEventArgs","features":[2,303,3]},{"name":"WebUIFolderPickerContinuationEventArgs","features":[2,303,3]},{"name":"WebUILaunchActivatedEventArgs","features":[2,303]},{"name":"WebUILockScreenActivatedEventArgs","features":[2,303]},{"name":"WebUILockScreenCallActivatedEventArgs","features":[2,303]},{"name":"WebUILockScreenComponentActivatedEventArgs","features":[2,303]},{"name":"WebUINavigatedDeferral","features":[303]},{"name":"WebUINavigatedEventArgs","features":[303]},{"name":"WebUINavigatedOperation","features":[303]},{"name":"WebUIPhoneCallActivatedEventArgs","features":[2,303]},{"name":"WebUIPrint3DWorkflowActivatedEventArgs","features":[2,303]},{"name":"WebUIPrintTaskSettingsActivatedEventArgs","features":[2,303]},{"name":"WebUIPrintWorkflowForegroundTaskActivatedEventArgs","features":[2,303]},{"name":"WebUIProtocolActivatedEventArgs","features":[2,303]},{"name":"WebUIProtocolForResultsActivatedEventArgs","features":[2,303]},{"name":"WebUIRestrictedLaunchActivatedEventArgs","features":[2,303]},{"name":"WebUISearchActivatedEventArgs","features":[2,303]},{"name":"WebUIShareTargetActivatedEventArgs","features":[2,303]},{"name":"WebUIStartupTaskActivatedEventArgs","features":[2,303]},{"name":"WebUIToastNotificationActivatedEventArgs","features":[2,303]},{"name":"WebUIUserDataAccountProviderActivatedEventArgs","features":[2,303]},{"name":"WebUIView","features":[303]},{"name":"WebUIVoiceCommandActivatedEventArgs","features":[2,303]},{"name":"WebUIWalletActionActivatedEventArgs","features":[2,303,3]},{"name":"WebUIWebAccountProviderActivatedEventArgs","features":[2,303]},{"name":"WebUIWebAuthenticationBrokerContinuationEventArgs","features":[2,303]}],"313":[{"name":"IWebUICommandBar","features":[304]},{"name":"IWebUICommandBarBitmapIcon","features":[304]},{"name":"IWebUICommandBarBitmapIconFactory","features":[304]},{"name":"IWebUICommandBarConfirmationButton","features":[304]},{"name":"IWebUICommandBarElement","features":[304]},{"name":"IWebUICommandBarIcon","features":[304]},{"name":"IWebUICommandBarIconButton","features":[304]},{"name":"IWebUICommandBarItemInvokedEventArgs","features":[304]},{"name":"IWebUICommandBarSizeChangedEventArgs","features":[304]},{"name":"IWebUICommandBarStatics","features":[304]},{"name":"IWebUICommandBarSymbolIcon","features":[304]},{"name":"IWebUICommandBarSymbolIconFactory","features":[304]},{"name":"MenuClosedEventHandler","features":[304]},{"name":"MenuOpenedEventHandler","features":[304]},{"name":"SizeChangedEventHandler","features":[304]},{"name":"WebUICommandBar","features":[304]},{"name":"WebUICommandBarBitmapIcon","features":[304]},{"name":"WebUICommandBarClosedDisplayMode","features":[304]},{"name":"WebUICommandBarConfirmationButton","features":[304]},{"name":"WebUICommandBarContract","features":[304]},{"name":"WebUICommandBarIconButton","features":[304]},{"name":"WebUICommandBarItemInvokedEventArgs","features":[304]},{"name":"WebUICommandBarSizeChangedEventArgs","features":[304]},{"name":"WebUICommandBarSymbolIcon","features":[304]}],"314":[{"name":"AppWindow","features":[305]},{"name":"AppWindowChangedEventArgs","features":[305]},{"name":"AppWindowCloseRequestedEventArgs","features":[305]},{"name":"AppWindowClosedEventArgs","features":[305]},{"name":"AppWindowClosedReason","features":[305]},{"name":"AppWindowFrame","features":[305]},{"name":"AppWindowFrameStyle","features":[305]},{"name":"AppWindowPlacement","features":[305]},{"name":"AppWindowPresentationConfiguration","features":[305]},{"name":"AppWindowPresentationKind","features":[305]},{"name":"AppWindowPresenter","features":[305]},{"name":"AppWindowTitleBar","features":[305]},{"name":"AppWindowTitleBarOcclusion","features":[305]},{"name":"AppWindowTitleBarVisibility","features":[305]},{"name":"CompactOverlayPresentationConfiguration","features":[305]},{"name":"DefaultPresentationConfiguration","features":[305]},{"name":"DisplayRegion","features":[305]},{"name":"FullScreenPresentationConfiguration","features":[305]},{"name":"IAppWindow","features":[305]},{"name":"IAppWindowChangedEventArgs","features":[305]},{"name":"IAppWindowCloseRequestedEventArgs","features":[305]},{"name":"IAppWindowClosedEventArgs","features":[305]},{"name":"IAppWindowFrame","features":[305]},{"name":"IAppWindowFrameStyle","features":[305]},{"name":"IAppWindowPlacement","features":[305]},{"name":"IAppWindowPresentationConfiguration","features":[305]},{"name":"IAppWindowPresentationConfigurationFactory","features":[305]},{"name":"IAppWindowPresenter","features":[305]},{"name":"IAppWindowStatics","features":[305]},{"name":"IAppWindowTitleBar","features":[305]},{"name":"IAppWindowTitleBarOcclusion","features":[305]},{"name":"IAppWindowTitleBarVisibility","features":[305]},{"name":"ICompactOverlayPresentationConfiguration","features":[305]},{"name":"IDefaultPresentationConfiguration","features":[305]},{"name":"IDisplayRegion","features":[305]},{"name":"IFullScreenPresentationConfiguration","features":[305]},{"name":"IWindowServicesStatics","features":[305]},{"name":"IWindowingEnvironment","features":[305]},{"name":"IWindowingEnvironmentAddedEventArgs","features":[305]},{"name":"IWindowingEnvironmentChangedEventArgs","features":[305]},{"name":"IWindowingEnvironmentRemovedEventArgs","features":[305]},{"name":"IWindowingEnvironmentStatics","features":[305]},{"name":"WindowServices","features":[305]},{"name":"WindowingEnvironment","features":[305]},{"name":"WindowingEnvironmentAddedEventArgs","features":[305]},{"name":"WindowingEnvironmentChangedEventArgs","features":[305]},{"name":"WindowingEnvironmentKind","features":[305]},{"name":"WindowingEnvironmentRemovedEventArgs","features":[305]}],"315":[{"name":"IWindowManagementPreview","features":[306]},{"name":"IWindowManagementPreviewStatics","features":[306]},{"name":"WindowManagementPreview","features":[306]}],"339":[{"name":"EVT_VHF_ASYNC_OPERATION","features":[307]},{"name":"EVT_VHF_CLEANUP","features":[307]},{"name":"EVT_VHF_READY_FOR_NEXT_READ_REPORT","features":[307]},{"name":"HID_XFER_PACKET","features":[307]},{"name":"PEVT_VHF_ASYNC_OPERATION","features":[307]},{"name":"PEVT_VHF_CLEANUP","features":[307]},{"name":"PEVT_VHF_READY_FOR_NEXT_READ_REPORT","features":[307]},{"name":"VHF_CONFIG","features":[307,308]},{"name":"VhfAsyncOperationComplete","features":[307,308]},{"name":"VhfCreate","features":[307,308]},{"name":"VhfDelete","features":[307,308]},{"name":"VhfReadReportSubmit","features":[307,308]},{"name":"VhfStart","features":[307,308]}],"340":[{"name":"ACCESS_STATE","features":[309,310,308,311]},{"name":"DEVICE_OBJECT","features":[309,312,310,308,311,313,314,315]},{"name":"DEVOBJ_EXTENSION","features":[309,312,310,308,311,313,314,315]},{"name":"DISPATCHER_HEADER","features":[309,308,314]},{"name":"DMA_COMMON_BUFFER_VECTOR","features":[309]},{"name":"DRIVER_ADD_DEVICE","features":[309,312,310,308,311,313,314,315]},{"name":"DRIVER_CANCEL","features":[309,312,310,308,311,313,314,315]},{"name":"DRIVER_CONTROL","features":[309,312,310,308,311,313,314,315]},{"name":"DRIVER_DISPATCH","features":[309,312,310,308,311,313,314,315]},{"name":"DRIVER_DISPATCH_PAGED","features":[309,312,310,308,311,313,314,315]},{"name":"DRIVER_EXTENSION","features":[309,312,310,308,311,313,314,315]},{"name":"DRIVER_FS_NOTIFICATION","features":[309,312,310,308,311,313,314,315]},{"name":"DRIVER_INITIALIZE","features":[309,312,310,308,311,313,314,315]},{"name":"DRIVER_NOTIFICATION_CALLBACK_ROUTINE","features":[309,308]},{"name":"DRIVER_OBJECT","features":[309,312,310,308,311,313,314,315]},{"name":"DRIVER_REINITIALIZE","features":[309,312,310,308,311,313,314,315]},{"name":"DRIVER_STARTIO","features":[309,312,310,308,311,313,314,315]},{"name":"DRIVER_UNLOAD","features":[309,312,310,308,311,313,314,315]},{"name":"DontUseThisType","features":[309]},{"name":"DontUseThisTypeSession","features":[309]},{"name":"ECP_HEADER","features":[309]},{"name":"ECP_LIST","features":[309]},{"name":"ERESOURCE","features":[309,314]},{"name":"FAST_IO_ACQUIRE_FILE","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_ACQUIRE_FOR_CCFLUSH","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_ACQUIRE_FOR_MOD_WRITE","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_CHECK_IF_POSSIBLE","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_DETACH_DEVICE","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_DEVICE_CONTROL","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_DISPATCH","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_LOCK","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_MDL_READ","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_MDL_READ_COMPLETE","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_MDL_READ_COMPLETE_COMPRESSED","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_MDL_WRITE_COMPLETE","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_MDL_WRITE_COMPLETE_COMPRESSED","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_PREPARE_MDL_WRITE","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_QUERY_BASIC_INFO","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_QUERY_NETWORK_OPEN_INFO","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_QUERY_OPEN","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_QUERY_STANDARD_INFO","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_READ","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_READ_COMPRESSED","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_RELEASE_FILE","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_RELEASE_FOR_CCFLUSH","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_RELEASE_FOR_MOD_WRITE","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_UNLOCK_ALL","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_UNLOCK_ALL_BY_KEY","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_UNLOCK_SINGLE","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_WRITE","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_IO_WRITE_COMPRESSED","features":[309,312,310,308,311,313,314,315]},{"name":"FAST_MUTEX","features":[309,308,314]},{"name":"FILE_OBJECT","features":[309,312,310,308,311,313,314,315]},{"name":"IOMMU_DMA_DEVICE","features":[309]},{"name":"IOMMU_DMA_DOMAIN","features":[309]},{"name":"IO_COMPLETION_CONTEXT","features":[309]},{"name":"IO_PRIORITY_HINT","features":[309]},{"name":"IO_SECURITY_CONTEXT","features":[309,310,308,311]},{"name":"IO_STACK_LOCATION","features":[309,312,310,308,311,313,314,315]},{"name":"IRP","features":[309,312,310,308,311,313,314,315]},{"name":"IoPriorityCritical","features":[309]},{"name":"IoPriorityHigh","features":[309]},{"name":"IoPriorityLow","features":[309]},{"name":"IoPriorityNormal","features":[309]},{"name":"IoPriorityVeryLow","features":[309]},{"name":"KDEVICE_QUEUE","features":[309,308,314]},{"name":"KDPC","features":[309,314]},{"name":"KENLISTMENT","features":[309]},{"name":"KEVENT","features":[309,308,314]},{"name":"KGDT","features":[309]},{"name":"KIDT","features":[309]},{"name":"KMUTANT","features":[309,308,314]},{"name":"KPCR","features":[309]},{"name":"KPRCB","features":[309]},{"name":"KQUEUE","features":[309,308,314]},{"name":"KRESOURCEMANAGER","features":[309]},{"name":"KSPIN_LOCK_QUEUE_NUMBER","features":[309]},{"name":"KTM","features":[309]},{"name":"KTRANSACTION","features":[309]},{"name":"KTSS","features":[309]},{"name":"KWAIT_BLOCK","features":[309,308,314]},{"name":"LOADER_PARAMETER_BLOCK","features":[309]},{"name":"LockQueueAfdWorkQueueLock","features":[309]},{"name":"LockQueueBcbLock","features":[309]},{"name":"LockQueueIoCancelLock","features":[309]},{"name":"LockQueueIoCompletionLock","features":[309]},{"name":"LockQueueIoDatabaseLock","features":[309]},{"name":"LockQueueIoVpbLock","features":[309]},{"name":"LockQueueMasterLock","features":[309]},{"name":"LockQueueMaximumLock","features":[309]},{"name":"LockQueueNonPagedPoolLock","features":[309]},{"name":"LockQueueNtfsStructLock","features":[309]},{"name":"LockQueueUnusedSpare0","features":[309]},{"name":"LockQueueUnusedSpare1","features":[309]},{"name":"LockQueueUnusedSpare15","features":[309]},{"name":"LockQueueUnusedSpare16","features":[309]},{"name":"LockQueueUnusedSpare2","features":[309]},{"name":"LockQueueUnusedSpare3","features":[309]},{"name":"LockQueueUnusedSpare8","features":[309]},{"name":"LockQueueVacbLock","features":[309]},{"name":"MDL","features":[309]},{"name":"MaxIoPriorityTypes","features":[309]},{"name":"MaxPoolType","features":[309]},{"name":"NTSTRSAFE_MAX_CCH","features":[309]},{"name":"NTSTRSAFE_MAX_LENGTH","features":[309]},{"name":"NTSTRSAFE_UNICODE_STRING_MAX_CCH","features":[309]},{"name":"NTSTRSAFE_USE_SECURE_CRT","features":[309]},{"name":"NonPagedPool","features":[309]},{"name":"NonPagedPoolBase","features":[309]},{"name":"NonPagedPoolBaseCacheAligned","features":[309]},{"name":"NonPagedPoolBaseCacheAlignedMustS","features":[309]},{"name":"NonPagedPoolBaseMustSucceed","features":[309]},{"name":"NonPagedPoolCacheAligned","features":[309]},{"name":"NonPagedPoolCacheAlignedMustS","features":[309]},{"name":"NonPagedPoolCacheAlignedMustSSession","features":[309]},{"name":"NonPagedPoolCacheAlignedSession","features":[309]},{"name":"NonPagedPoolExecute","features":[309]},{"name":"NonPagedPoolMustSucceed","features":[309]},{"name":"NonPagedPoolMustSucceedSession","features":[309]},{"name":"NonPagedPoolNx","features":[309]},{"name":"NonPagedPoolNxCacheAligned","features":[309]},{"name":"NonPagedPoolSession","features":[309]},{"name":"NonPagedPoolSessionNx","features":[309]},{"name":"NtClose","features":[309,308]},{"name":"NtQueryObject","features":[309,308]},{"name":"OBJECT_ATTRIBUTES","features":[309,308]},{"name":"OBJECT_ATTRIBUTES32","features":[309]},{"name":"OBJECT_ATTRIBUTES64","features":[309]},{"name":"OBJECT_INFORMATION_CLASS","features":[309]},{"name":"OBJECT_NAME_INFORMATION","features":[309,308]},{"name":"OWNER_ENTRY","features":[309]},{"name":"ObjectBasicInformation","features":[309]},{"name":"ObjectTypeInformation","features":[309]},{"name":"PAFFINITY_TOKEN","features":[309]},{"name":"PBUS_HANDLER","features":[309]},{"name":"PCALLBACK_OBJECT","features":[309]},{"name":"PDEVICE_HANDLER_OBJECT","features":[309]},{"name":"PEJOB","features":[309]},{"name":"PEPROCESS","features":[309]},{"name":"PESILO","features":[309]},{"name":"PETHREAD","features":[309]},{"name":"PEX_RUNDOWN_REF_CACHE_AWARE","features":[309]},{"name":"PEX_TIMER","features":[309]},{"name":"PFREE_FUNCTION","features":[309]},{"name":"PIO_COMPLETION_ROUTINE","features":[309,308]},{"name":"PIO_REMOVE_LOCK_TRACKING_BLOCK","features":[309]},{"name":"PIO_TIMER","features":[309]},{"name":"PIO_WORKITEM","features":[309]},{"name":"PKDEFERRED_ROUTINE","features":[309]},{"name":"PKINTERRUPT","features":[309]},{"name":"PKPROCESS","features":[309]},{"name":"PKTHREAD","features":[309]},{"name":"PNOTIFY_SYNC","features":[309]},{"name":"POBJECT_TYPE","features":[309]},{"name":"POHANDLE","features":[309]},{"name":"POOL_TYPE","features":[309]},{"name":"PPCW_BUFFER","features":[309]},{"name":"PPCW_INSTANCE","features":[309]},{"name":"PPCW_REGISTRATION","features":[309]},{"name":"PRKPROCESS","features":[309]},{"name":"PRKTHREAD","features":[309]},{"name":"PSILO_MONITOR","features":[309]},{"name":"PWORKER_THREAD_ROUTINE","features":[309]},{"name":"PagedPool","features":[309]},{"name":"PagedPoolCacheAligned","features":[309]},{"name":"PagedPoolCacheAlignedSession","features":[309]},{"name":"PagedPoolSession","features":[309]},{"name":"RTL_SPLAY_LINKS","features":[309]},{"name":"SECTION_OBJECT_POINTERS","features":[309]},{"name":"SECURITY_SUBJECT_CONTEXT","features":[309,311]},{"name":"STRSAFE_FILL_BEHIND","features":[309]},{"name":"STRSAFE_FILL_BEHIND_NULL","features":[309]},{"name":"STRSAFE_FILL_ON_FAILURE","features":[309]},{"name":"STRSAFE_IGNORE_NULLS","features":[309]},{"name":"STRSAFE_NO_TRUNCATION","features":[309]},{"name":"STRSAFE_NULL_ON_FAILURE","features":[309]},{"name":"STRSAFE_ZERO_LENGTH_ON_FAILURE","features":[309]},{"name":"SspiAsyncContext","features":[309]},{"name":"TARGET_DEVICE_CUSTOM_NOTIFICATION","features":[309,312,310,308,311,313,314,315]},{"name":"VPB","features":[309,312,310,308,311,313,314,315]},{"name":"WORK_QUEUE_ITEM","features":[309,314]},{"name":"_DEVICE_OBJECT_POWER_EXTENSION","features":[309]},{"name":"_IORING_OBJECT","features":[309]},{"name":"_SCSI_REQUEST_BLOCK","features":[309]},{"name":"__WARNING_BANNED_API_USAGE","features":[309]},{"name":"__WARNING_CYCLOMATIC_COMPLEXITY","features":[309]},{"name":"__WARNING_DEREF_NULL_PTR","features":[309]},{"name":"__WARNING_HIGH_PRIORITY_OVERFLOW_POSTCONDITION","features":[309]},{"name":"__WARNING_INCORRECT_ANNOTATION","features":[309]},{"name":"__WARNING_INVALID_PARAM_VALUE_1","features":[309]},{"name":"__WARNING_INVALID_PARAM_VALUE_3","features":[309]},{"name":"__WARNING_MISSING_ZERO_TERMINATION2","features":[309]},{"name":"__WARNING_POSTCONDITION_NULLTERMINATION_VIOLATION","features":[309]},{"name":"__WARNING_POST_EXPECTED","features":[309]},{"name":"__WARNING_POTENTIAL_BUFFER_OVERFLOW_HIGH_PRIORITY","features":[309]},{"name":"__WARNING_POTENTIAL_RANGE_POSTCONDITION_VIOLATION","features":[309]},{"name":"__WARNING_PRECONDITION_NULLTERMINATION_VIOLATION","features":[309]},{"name":"__WARNING_RANGE_POSTCONDITION_VIOLATION","features":[309]},{"name":"__WARNING_RETURNING_BAD_RESULT","features":[309]},{"name":"__WARNING_RETURN_UNINIT_VAR","features":[309]},{"name":"__WARNING_USING_UNINIT_VAR","features":[309]}],"341":[{"name":"D3DCAPS8","features":[316,317]},{"name":"D3DCLEAR_COMPUTERECTS","features":[316]},{"name":"D3DDDIARG_CREATERESOURCE","features":[316,308]},{"name":"D3DDDIARG_CREATERESOURCE2","features":[316,308]},{"name":"D3DDDICB_DESTROYALLOCATION2FLAGS","features":[316]},{"name":"D3DDDICB_LOCK2FLAGS","features":[316]},{"name":"D3DDDICB_LOCKFLAGS","features":[316]},{"name":"D3DDDICB_SIGNALFLAGS","features":[316]},{"name":"D3DDDIFMT_A1","features":[316]},{"name":"D3DDDIFMT_A16B16G16R16","features":[316]},{"name":"D3DDDIFMT_A16B16G16R16F","features":[316]},{"name":"D3DDDIFMT_A1R5G5B5","features":[316]},{"name":"D3DDDIFMT_A2B10G10R10","features":[316]},{"name":"D3DDDIFMT_A2B10G10R10_XR_BIAS","features":[316]},{"name":"D3DDDIFMT_A2R10G10B10","features":[316]},{"name":"D3DDDIFMT_A2W10V10U10","features":[316]},{"name":"D3DDDIFMT_A32B32G32R32F","features":[316]},{"name":"D3DDDIFMT_A4L4","features":[316]},{"name":"D3DDDIFMT_A4R4G4B4","features":[316]},{"name":"D3DDDIFMT_A8","features":[316]},{"name":"D3DDDIFMT_A8B8G8R8","features":[316]},{"name":"D3DDDIFMT_A8L8","features":[316]},{"name":"D3DDDIFMT_A8P8","features":[316]},{"name":"D3DDDIFMT_A8R3G3B2","features":[316]},{"name":"D3DDDIFMT_A8R8G8B8","features":[316]},{"name":"D3DDDIFMT_BINARYBUFFER","features":[316]},{"name":"D3DDDIFMT_BITSTREAMDATA","features":[316]},{"name":"D3DDDIFMT_CxV8U8","features":[316]},{"name":"D3DDDIFMT_D15S1","features":[316]},{"name":"D3DDDIFMT_D16","features":[316]},{"name":"D3DDDIFMT_D16_LOCKABLE","features":[316]},{"name":"D3DDDIFMT_D24FS8","features":[316]},{"name":"D3DDDIFMT_D24S8","features":[316]},{"name":"D3DDDIFMT_D24X4S4","features":[316]},{"name":"D3DDDIFMT_D24X8","features":[316]},{"name":"D3DDDIFMT_D32","features":[316]},{"name":"D3DDDIFMT_D32F_LOCKABLE","features":[316]},{"name":"D3DDDIFMT_D32_LOCKABLE","features":[316]},{"name":"D3DDDIFMT_DEBLOCKINGDATA","features":[316]},{"name":"D3DDDIFMT_DXT1","features":[316]},{"name":"D3DDDIFMT_DXT2","features":[316]},{"name":"D3DDDIFMT_DXT3","features":[316]},{"name":"D3DDDIFMT_DXT4","features":[316]},{"name":"D3DDDIFMT_DXT5","features":[316]},{"name":"D3DDDIFMT_DXVACOMPBUFFER_BASE","features":[316]},{"name":"D3DDDIFMT_DXVACOMPBUFFER_MAX","features":[316]},{"name":"D3DDDIFMT_DXVA_RESERVED10","features":[316]},{"name":"D3DDDIFMT_DXVA_RESERVED11","features":[316]},{"name":"D3DDDIFMT_DXVA_RESERVED12","features":[316]},{"name":"D3DDDIFMT_DXVA_RESERVED13","features":[316]},{"name":"D3DDDIFMT_DXVA_RESERVED14","features":[316]},{"name":"D3DDDIFMT_DXVA_RESERVED15","features":[316]},{"name":"D3DDDIFMT_DXVA_RESERVED16","features":[316]},{"name":"D3DDDIFMT_DXVA_RESERVED17","features":[316]},{"name":"D3DDDIFMT_DXVA_RESERVED18","features":[316]},{"name":"D3DDDIFMT_DXVA_RESERVED19","features":[316]},{"name":"D3DDDIFMT_DXVA_RESERVED20","features":[316]},{"name":"D3DDDIFMT_DXVA_RESERVED21","features":[316]},{"name":"D3DDDIFMT_DXVA_RESERVED22","features":[316]},{"name":"D3DDDIFMT_DXVA_RESERVED23","features":[316]},{"name":"D3DDDIFMT_DXVA_RESERVED24","features":[316]},{"name":"D3DDDIFMT_DXVA_RESERVED25","features":[316]},{"name":"D3DDDIFMT_DXVA_RESERVED26","features":[316]},{"name":"D3DDDIFMT_DXVA_RESERVED27","features":[316]},{"name":"D3DDDIFMT_DXVA_RESERVED28","features":[316]},{"name":"D3DDDIFMT_DXVA_RESERVED29","features":[316]},{"name":"D3DDDIFMT_DXVA_RESERVED30","features":[316]},{"name":"D3DDDIFMT_DXVA_RESERVED31","features":[316]},{"name":"D3DDDIFMT_DXVA_RESERVED9","features":[316]},{"name":"D3DDDIFMT_FILMGRAINBUFFER","features":[316]},{"name":"D3DDDIFMT_G16R16","features":[316]},{"name":"D3DDDIFMT_G16R16F","features":[316]},{"name":"D3DDDIFMT_G32R32F","features":[316]},{"name":"D3DDDIFMT_G8R8","features":[316]},{"name":"D3DDDIFMT_G8R8_G8B8","features":[316]},{"name":"D3DDDIFMT_INDEX16","features":[316]},{"name":"D3DDDIFMT_INDEX32","features":[316]},{"name":"D3DDDIFMT_INVERSEQUANTIZATIONDATA","features":[316]},{"name":"D3DDDIFMT_L16","features":[316]},{"name":"D3DDDIFMT_L6V5U5","features":[316]},{"name":"D3DDDIFMT_L8","features":[316]},{"name":"D3DDDIFMT_MACROBLOCKDATA","features":[316]},{"name":"D3DDDIFMT_MOTIONVECTORBUFFER","features":[316]},{"name":"D3DDDIFMT_MULTI2_ARGB8","features":[316]},{"name":"D3DDDIFMT_P8","features":[316]},{"name":"D3DDDIFMT_PICTUREPARAMSDATA","features":[316]},{"name":"D3DDDIFMT_Q16W16V16U16","features":[316]},{"name":"D3DDDIFMT_Q8W8V8U8","features":[316]},{"name":"D3DDDIFMT_R16F","features":[316]},{"name":"D3DDDIFMT_R32F","features":[316]},{"name":"D3DDDIFMT_R3G3B2","features":[316]},{"name":"D3DDDIFMT_R5G6B5","features":[316]},{"name":"D3DDDIFMT_R8","features":[316]},{"name":"D3DDDIFMT_R8G8B8","features":[316]},{"name":"D3DDDIFMT_R8G8_B8G8","features":[316]},{"name":"D3DDDIFMT_RESIDUALDIFFERENCEDATA","features":[316]},{"name":"D3DDDIFMT_S1D15","features":[316]},{"name":"D3DDDIFMT_S8D24","features":[316]},{"name":"D3DDDIFMT_S8_LOCKABLE","features":[316]},{"name":"D3DDDIFMT_SLICECONTROLDATA","features":[316]},{"name":"D3DDDIFMT_UNKNOWN","features":[316]},{"name":"D3DDDIFMT_UYVY","features":[316]},{"name":"D3DDDIFMT_V16U16","features":[316]},{"name":"D3DDDIFMT_V8U8","features":[316]},{"name":"D3DDDIFMT_VERTEXDATA","features":[316]},{"name":"D3DDDIFMT_W11V11U10","features":[316]},{"name":"D3DDDIFMT_X1R5G5B5","features":[316]},{"name":"D3DDDIFMT_X4R4G4B4","features":[316]},{"name":"D3DDDIFMT_X4S4D24","features":[316]},{"name":"D3DDDIFMT_X8B8G8R8","features":[316]},{"name":"D3DDDIFMT_X8D24","features":[316]},{"name":"D3DDDIFMT_X8L8V8U8","features":[316]},{"name":"D3DDDIFMT_X8R8G8B8","features":[316]},{"name":"D3DDDIFMT_YUY2","features":[316]},{"name":"D3DDDIFORMAT","features":[316]},{"name":"D3DDDIGPUVIRTUALADDRESS_PROTECTION_TYPE","features":[316]},{"name":"D3DDDIGPUVIRTUALADDRESS_RESERVATION_TYPE","features":[316]},{"name":"D3DDDIGPUVIRTUALADDRESS_RESERVE_NO_ACCESS","features":[316]},{"name":"D3DDDIGPUVIRTUALADDRESS_RESERVE_NO_COMMIT","features":[316]},{"name":"D3DDDIGPUVIRTUALADDRESS_RESERVE_ZERO","features":[316]},{"name":"D3DDDIMULTISAMPLE_10_SAMPLES","features":[316]},{"name":"D3DDDIMULTISAMPLE_11_SAMPLES","features":[316]},{"name":"D3DDDIMULTISAMPLE_12_SAMPLES","features":[316]},{"name":"D3DDDIMULTISAMPLE_13_SAMPLES","features":[316]},{"name":"D3DDDIMULTISAMPLE_14_SAMPLES","features":[316]},{"name":"D3DDDIMULTISAMPLE_15_SAMPLES","features":[316]},{"name":"D3DDDIMULTISAMPLE_16_SAMPLES","features":[316]},{"name":"D3DDDIMULTISAMPLE_2_SAMPLES","features":[316]},{"name":"D3DDDIMULTISAMPLE_3_SAMPLES","features":[316]},{"name":"D3DDDIMULTISAMPLE_4_SAMPLES","features":[316]},{"name":"D3DDDIMULTISAMPLE_5_SAMPLES","features":[316]},{"name":"D3DDDIMULTISAMPLE_6_SAMPLES","features":[316]},{"name":"D3DDDIMULTISAMPLE_7_SAMPLES","features":[316]},{"name":"D3DDDIMULTISAMPLE_8_SAMPLES","features":[316]},{"name":"D3DDDIMULTISAMPLE_9_SAMPLES","features":[316]},{"name":"D3DDDIMULTISAMPLE_NONE","features":[316]},{"name":"D3DDDIMULTISAMPLE_NONMASKABLE","features":[316]},{"name":"D3DDDIMULTISAMPLE_TYPE","features":[316]},{"name":"D3DDDIPOOL_LOCALVIDMEM","features":[316]},{"name":"D3DDDIPOOL_NONLOCALVIDMEM","features":[316]},{"name":"D3DDDIPOOL_STAGINGMEM","features":[316]},{"name":"D3DDDIPOOL_SYSTEMMEM","features":[316]},{"name":"D3DDDIPOOL_VIDEOMEMORY","features":[316]},{"name":"D3DDDIRECT","features":[316]},{"name":"D3DDDI_ALLOCATIONINFO","features":[316]},{"name":"D3DDDI_ALLOCATIONINFO2","features":[316,308]},{"name":"D3DDDI_ALLOCATIONLIST","features":[316]},{"name":"D3DDDI_ALLOCATIONPRIORITY_HIGH","features":[316]},{"name":"D3DDDI_ALLOCATIONPRIORITY_LOW","features":[316]},{"name":"D3DDDI_ALLOCATIONPRIORITY_MAXIMUM","features":[316]},{"name":"D3DDDI_ALLOCATIONPRIORITY_MINIMUM","features":[316]},{"name":"D3DDDI_ALLOCATIONPRIORITY_NORMAL","features":[316]},{"name":"D3DDDI_COLOR_SPACE_CUSTOM","features":[316]},{"name":"D3DDDI_COLOR_SPACE_RESERVED","features":[316]},{"name":"D3DDDI_COLOR_SPACE_RGB_FULL_G10_NONE_P709","features":[316]},{"name":"D3DDDI_COLOR_SPACE_RGB_FULL_G2084_NONE_P2020","features":[316]},{"name":"D3DDDI_COLOR_SPACE_RGB_FULL_G22_NONE_P2020","features":[316]},{"name":"D3DDDI_COLOR_SPACE_RGB_FULL_G22_NONE_P709","features":[316]},{"name":"D3DDDI_COLOR_SPACE_RGB_STUDIO_G2084_NONE_P2020","features":[316]},{"name":"D3DDDI_COLOR_SPACE_RGB_STUDIO_G22_NONE_P2020","features":[316]},{"name":"D3DDDI_COLOR_SPACE_RGB_STUDIO_G22_NONE_P709","features":[316]},{"name":"D3DDDI_COLOR_SPACE_RGB_STUDIO_G24_NONE_P2020","features":[316]},{"name":"D3DDDI_COLOR_SPACE_RGB_STUDIO_G24_NONE_P709","features":[316]},{"name":"D3DDDI_COLOR_SPACE_TYPE","features":[316]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_FULL_G22_LEFT_P2020","features":[316]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_FULL_G22_LEFT_P601","features":[316]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_FULL_G22_LEFT_P709","features":[316]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_FULL_G22_NONE_P709_X601","features":[316]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_FULL_GHLG_TOPLEFT_P2020","features":[316]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_STUDIO_G2084_LEFT_P2020","features":[316]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_STUDIO_G2084_TOPLEFT_P2020","features":[316]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_STUDIO_G22_LEFT_P2020","features":[316]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_STUDIO_G22_LEFT_P601","features":[316]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_STUDIO_G22_LEFT_P709","features":[316]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_STUDIO_G22_TOPLEFT_P2020","features":[316]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_STUDIO_G24_LEFT_P2020","features":[316]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_STUDIO_G24_LEFT_P709","features":[316]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_STUDIO_G24_TOPLEFT_P2020","features":[316]},{"name":"D3DDDI_COLOR_SPACE_YCBCR_STUDIO_GHLG_TOPLEFT_P2020","features":[316]},{"name":"D3DDDI_CPU_NOTIFICATION","features":[316]},{"name":"D3DDDI_CREATECONTEXTFLAGS","features":[316]},{"name":"D3DDDI_CREATEHWCONTEXTFLAGS","features":[316]},{"name":"D3DDDI_CREATEHWQUEUEFLAGS","features":[316]},{"name":"D3DDDI_CREATENATIVEFENCEINFO","features":[316]},{"name":"D3DDDI_DESTROYPAGINGQUEUE","features":[316]},{"name":"D3DDDI_DOORBELLSTATUS","features":[316]},{"name":"D3DDDI_DOORBELLSTATUS_CONNECTED","features":[316]},{"name":"D3DDDI_DOORBELLSTATUS_CONNECTED_NOTIFY_KMD","features":[316]},{"name":"D3DDDI_DOORBELLSTATUS_DISCONNECTED_ABORT","features":[316]},{"name":"D3DDDI_DOORBELLSTATUS_DISCONNECTED_RETRY","features":[316]},{"name":"D3DDDI_DOORBELL_PRIVATEDATA_MAX_BYTES_WDDM3_1","features":[316]},{"name":"D3DDDI_DRIVERESCAPETYPE","features":[316]},{"name":"D3DDDI_DRIVERESCAPETYPE_CPUEVENTUSAGE","features":[316]},{"name":"D3DDDI_DRIVERESCAPETYPE_MAX","features":[316]},{"name":"D3DDDI_DRIVERESCAPETYPE_TRANSLATEALLOCATIONHANDLE","features":[316]},{"name":"D3DDDI_DRIVERESCAPETYPE_TRANSLATERESOURCEHANDLE","features":[316]},{"name":"D3DDDI_DRIVERESCAPE_CPUEVENTUSAGE","features":[316]},{"name":"D3DDDI_DRIVERESCAPE_TRANSLATEALLOCATIONEHANDLE","features":[316]},{"name":"D3DDDI_DRIVERESCAPE_TRANSLATERESOURCEHANDLE","features":[316]},{"name":"D3DDDI_DXGI_RGB","features":[316]},{"name":"D3DDDI_ESCAPEFLAGS","features":[316]},{"name":"D3DDDI_EVICT_FLAGS","features":[316]},{"name":"D3DDDI_FENCE","features":[316]},{"name":"D3DDDI_FLIPINTERVAL_FOUR","features":[316]},{"name":"D3DDDI_FLIPINTERVAL_IMMEDIATE","features":[316]},{"name":"D3DDDI_FLIPINTERVAL_IMMEDIATE_ALLOW_TEARING","features":[316]},{"name":"D3DDDI_FLIPINTERVAL_ONE","features":[316]},{"name":"D3DDDI_FLIPINTERVAL_THREE","features":[316]},{"name":"D3DDDI_FLIPINTERVAL_TWO","features":[316]},{"name":"D3DDDI_FLIPINTERVAL_TYPE","features":[316]},{"name":"D3DDDI_GAMMARAMP_DEFAULT","features":[316]},{"name":"D3DDDI_GAMMARAMP_DXGI_1","features":[316]},{"name":"D3DDDI_GAMMARAMP_MATRIX_3x4","features":[316]},{"name":"D3DDDI_GAMMARAMP_MATRIX_V2","features":[316]},{"name":"D3DDDI_GAMMARAMP_RGB256x3x16","features":[316]},{"name":"D3DDDI_GAMMARAMP_TYPE","features":[316]},{"name":"D3DDDI_GAMMARAMP_UNINITIALIZED","features":[316]},{"name":"D3DDDI_GAMMA_RAMP_DXGI_1","features":[316]},{"name":"D3DDDI_GAMMA_RAMP_RGB256x3x16","features":[316]},{"name":"D3DDDI_GETRESOURCEPRESENTPRIVATEDRIVERDATA","features":[316]},{"name":"D3DDDI_HDR_METADATA_HDR10","features":[316]},{"name":"D3DDDI_HDR_METADATA_HDR10PLUS","features":[316]},{"name":"D3DDDI_HDR_METADATA_TYPE","features":[316]},{"name":"D3DDDI_HDR_METADATA_TYPE_HDR10","features":[316]},{"name":"D3DDDI_HDR_METADATA_TYPE_HDR10PLUS","features":[316]},{"name":"D3DDDI_HDR_METADATA_TYPE_NONE","features":[316]},{"name":"D3DDDI_KERNELOVERLAYINFO","features":[316]},{"name":"D3DDDI_MAKERESIDENT","features":[316]},{"name":"D3DDDI_MAKERESIDENT_FLAGS","features":[316]},{"name":"D3DDDI_MAPGPUVIRTUALADDRESS","features":[316]},{"name":"D3DDDI_MAX_BROADCAST_CONTEXT","features":[316]},{"name":"D3DDDI_MAX_MPO_PRESENT_DIRTY_RECTS","features":[316]},{"name":"D3DDDI_MAX_OBJECT_SIGNALED","features":[316]},{"name":"D3DDDI_MAX_OBJECT_WAITED_ON","features":[316]},{"name":"D3DDDI_MAX_WRITTEN_PRIMARIES","features":[316]},{"name":"D3DDDI_MONITORED_FENCE","features":[316]},{"name":"D3DDDI_MULTISAMPLINGMETHOD","features":[316]},{"name":"D3DDDI_NATIVEFENCEMAPPING","features":[316]},{"name":"D3DDDI_OFFER_FLAGS","features":[316]},{"name":"D3DDDI_OFFER_PRIORITY","features":[316]},{"name":"D3DDDI_OFFER_PRIORITY_AUTO","features":[316]},{"name":"D3DDDI_OFFER_PRIORITY_HIGH","features":[316]},{"name":"D3DDDI_OFFER_PRIORITY_LOW","features":[316]},{"name":"D3DDDI_OFFER_PRIORITY_NONE","features":[316]},{"name":"D3DDDI_OFFER_PRIORITY_NORMAL","features":[316]},{"name":"D3DDDI_OPENALLOCATIONINFO","features":[316]},{"name":"D3DDDI_OPENALLOCATIONINFO2","features":[316]},{"name":"D3DDDI_OUTPUT_WIRE_COLOR_SPACE_G2084_P2020","features":[316]},{"name":"D3DDDI_OUTPUT_WIRE_COLOR_SPACE_G2084_P2020_DVLL","features":[316]},{"name":"D3DDDI_OUTPUT_WIRE_COLOR_SPACE_G2084_P2020_HDR10PLUS","features":[316]},{"name":"D3DDDI_OUTPUT_WIRE_COLOR_SPACE_G22_P2020","features":[316]},{"name":"D3DDDI_OUTPUT_WIRE_COLOR_SPACE_G22_P709","features":[316]},{"name":"D3DDDI_OUTPUT_WIRE_COLOR_SPACE_G22_P709_WCG","features":[316]},{"name":"D3DDDI_OUTPUT_WIRE_COLOR_SPACE_RESERVED","features":[316]},{"name":"D3DDDI_OUTPUT_WIRE_COLOR_SPACE_TYPE","features":[316]},{"name":"D3DDDI_PAGINGQUEUE_PRIORITY","features":[316]},{"name":"D3DDDI_PAGINGQUEUE_PRIORITY_ABOVE_NORMAL","features":[316]},{"name":"D3DDDI_PAGINGQUEUE_PRIORITY_BELOW_NORMAL","features":[316]},{"name":"D3DDDI_PAGINGQUEUE_PRIORITY_NORMAL","features":[316]},{"name":"D3DDDI_PATCHLOCATIONLIST","features":[316]},{"name":"D3DDDI_PERIODIC_MONITORED_FENCE","features":[316]},{"name":"D3DDDI_POOL","features":[316]},{"name":"D3DDDI_QUERYREGISTRY_ADAPTERKEY","features":[316]},{"name":"D3DDDI_QUERYREGISTRY_DRIVERIMAGEPATH","features":[316]},{"name":"D3DDDI_QUERYREGISTRY_DRIVERSTOREPATH","features":[316]},{"name":"D3DDDI_QUERYREGISTRY_FLAGS","features":[316]},{"name":"D3DDDI_QUERYREGISTRY_INFO","features":[316]},{"name":"D3DDDI_QUERYREGISTRY_MAX","features":[316]},{"name":"D3DDDI_QUERYREGISTRY_SERVICEKEY","features":[316]},{"name":"D3DDDI_QUERYREGISTRY_STATUS","features":[316]},{"name":"D3DDDI_QUERYREGISTRY_STATUS_BUFFER_OVERFLOW","features":[316]},{"name":"D3DDDI_QUERYREGISTRY_STATUS_FAIL","features":[316]},{"name":"D3DDDI_QUERYREGISTRY_STATUS_MAX","features":[316]},{"name":"D3DDDI_QUERYREGISTRY_STATUS_SUCCESS","features":[316]},{"name":"D3DDDI_QUERYREGISTRY_TYPE","features":[316]},{"name":"D3DDDI_RATIONAL","features":[316]},{"name":"D3DDDI_RECLAIM_RESULT","features":[316]},{"name":"D3DDDI_RECLAIM_RESULT_DISCARDED","features":[316]},{"name":"D3DDDI_RECLAIM_RESULT_NOT_COMMITTED","features":[316]},{"name":"D3DDDI_RECLAIM_RESULT_OK","features":[316]},{"name":"D3DDDI_RESERVEGPUVIRTUALADDRESS","features":[316]},{"name":"D3DDDI_RESOURCEFLAGS","features":[316]},{"name":"D3DDDI_RESOURCEFLAGS2","features":[316]},{"name":"D3DDDI_ROTATION","features":[316]},{"name":"D3DDDI_ROTATION_180","features":[316]},{"name":"D3DDDI_ROTATION_270","features":[316]},{"name":"D3DDDI_ROTATION_90","features":[316]},{"name":"D3DDDI_ROTATION_IDENTITY","features":[316]},{"name":"D3DDDI_SCANLINEORDERING","features":[316]},{"name":"D3DDDI_SCANLINEORDERING_INTERLACED","features":[316]},{"name":"D3DDDI_SCANLINEORDERING_PROGRESSIVE","features":[316]},{"name":"D3DDDI_SCANLINEORDERING_UNKNOWN","features":[316]},{"name":"D3DDDI_SEGMENTPREFERENCE","features":[316]},{"name":"D3DDDI_SEMAPHORE","features":[316]},{"name":"D3DDDI_SURFACEINFO","features":[316]},{"name":"D3DDDI_SYNCHRONIZATIONOBJECTINFO","features":[316,308]},{"name":"D3DDDI_SYNCHRONIZATIONOBJECTINFO2","features":[316,308]},{"name":"D3DDDI_SYNCHRONIZATIONOBJECT_FLAGS","features":[316]},{"name":"D3DDDI_SYNCHRONIZATIONOBJECT_TYPE","features":[316]},{"name":"D3DDDI_SYNCHRONIZATION_MUTEX","features":[316]},{"name":"D3DDDI_SYNCHRONIZATION_TYPE_LIMIT","features":[316]},{"name":"D3DDDI_SYNC_OBJECT_SIGNAL","features":[316]},{"name":"D3DDDI_SYNC_OBJECT_WAIT","features":[316]},{"name":"D3DDDI_TRIMRESIDENCYSET_FLAGS","features":[316]},{"name":"D3DDDI_UPDATEALLOCPROPERTY","features":[316]},{"name":"D3DDDI_UPDATEALLOCPROPERTY_FLAGS","features":[316]},{"name":"D3DDDI_UPDATEGPUVIRTUALADDRESS_COPY","features":[316]},{"name":"D3DDDI_UPDATEGPUVIRTUALADDRESS_MAP","features":[316]},{"name":"D3DDDI_UPDATEGPUVIRTUALADDRESS_MAP_PROTECT","features":[316]},{"name":"D3DDDI_UPDATEGPUVIRTUALADDRESS_OPERATION","features":[316]},{"name":"D3DDDI_UPDATEGPUVIRTUALADDRESS_OPERATION_TYPE","features":[316]},{"name":"D3DDDI_UPDATEGPUVIRTUALADDRESS_UNMAP","features":[316]},{"name":"D3DDDI_VIDEO_SIGNAL_SCANLINE_ORDERING","features":[316]},{"name":"D3DDDI_VSSLO_INTERLACED_LOWERFIELDFIRST","features":[316]},{"name":"D3DDDI_VSSLO_INTERLACED_UPPERFIELDFIRST","features":[316]},{"name":"D3DDDI_VSSLO_OTHER","features":[316]},{"name":"D3DDDI_VSSLO_PROGRESSIVE","features":[316]},{"name":"D3DDDI_VSSLO_UNINITIALIZED","features":[316]},{"name":"D3DDDI_WAITFORSYNCHRONIZATIONOBJECTFROMCPU_FLAGS","features":[316]},{"name":"D3DDEVCAPS_HWINDEXBUFFER","features":[316]},{"name":"D3DDEVCAPS_HWVERTEXBUFFER","features":[316]},{"name":"D3DDEVCAPS_SUBVOLUMELOCK","features":[316]},{"name":"D3DDEVICEDESC_V1","features":[316,308,317]},{"name":"D3DDEVICEDESC_V2","features":[316,308,317]},{"name":"D3DDEVICEDESC_V3","features":[316,308,317]},{"name":"D3DDEVINFOID_VCACHE","features":[316]},{"name":"D3DDP2OP_ADDDIRTYBOX","features":[316]},{"name":"D3DDP2OP_ADDDIRTYRECT","features":[316]},{"name":"D3DDP2OP_BLT","features":[316]},{"name":"D3DDP2OP_BUFFERBLT","features":[316]},{"name":"D3DDP2OP_CLEAR","features":[316]},{"name":"D3DDP2OP_CLIPPEDTRIANGLEFAN","features":[316]},{"name":"D3DDP2OP_COLORFILL","features":[316]},{"name":"D3DDP2OP_COMPOSERECTS","features":[316]},{"name":"D3DDP2OP_CREATELIGHT","features":[316]},{"name":"D3DDP2OP_CREATEPIXELSHADER","features":[316]},{"name":"D3DDP2OP_CREATEQUERY","features":[316]},{"name":"D3DDP2OP_CREATEVERTEXSHADER","features":[316]},{"name":"D3DDP2OP_CREATEVERTEXSHADERDECL","features":[316]},{"name":"D3DDP2OP_CREATEVERTEXSHADERFUNC","features":[316]},{"name":"D3DDP2OP_DELETEPIXELSHADER","features":[316]},{"name":"D3DDP2OP_DELETEQUERY","features":[316]},{"name":"D3DDP2OP_DELETEVERTEXSHADER","features":[316]},{"name":"D3DDP2OP_DELETEVERTEXSHADERDECL","features":[316]},{"name":"D3DDP2OP_DELETEVERTEXSHADERFUNC","features":[316]},{"name":"D3DDP2OP_DRAWINDEXEDPRIMITIVE","features":[316]},{"name":"D3DDP2OP_DRAWINDEXEDPRIMITIVE2","features":[316]},{"name":"D3DDP2OP_DRAWPRIMITIVE","features":[316]},{"name":"D3DDP2OP_DRAWPRIMITIVE2","features":[316]},{"name":"D3DDP2OP_DRAWRECTPATCH","features":[316]},{"name":"D3DDP2OP_DRAWTRIPATCH","features":[316]},{"name":"D3DDP2OP_GENERATEMIPSUBLEVELS","features":[316]},{"name":"D3DDP2OP_INDEXEDLINELIST","features":[316]},{"name":"D3DDP2OP_INDEXEDLINELIST2","features":[316]},{"name":"D3DDP2OP_INDEXEDLINESTRIP","features":[316]},{"name":"D3DDP2OP_INDEXEDTRIANGLEFAN","features":[316]},{"name":"D3DDP2OP_INDEXEDTRIANGLELIST","features":[316]},{"name":"D3DDP2OP_INDEXEDTRIANGLELIST2","features":[316]},{"name":"D3DDP2OP_INDEXEDTRIANGLESTRIP","features":[316]},{"name":"D3DDP2OP_ISSUEQUERY","features":[316]},{"name":"D3DDP2OP_LINELIST","features":[316]},{"name":"D3DDP2OP_LINELIST_IMM","features":[316]},{"name":"D3DDP2OP_LINESTRIP","features":[316]},{"name":"D3DDP2OP_MULTIPLYTRANSFORM","features":[316]},{"name":"D3DDP2OP_POINTS","features":[316]},{"name":"D3DDP2OP_RENDERSTATE","features":[316]},{"name":"D3DDP2OP_RESPONSECONTINUE","features":[316]},{"name":"D3DDP2OP_RESPONSEQUERY","features":[316]},{"name":"D3DDP2OP_SETCLIPPLANE","features":[316]},{"name":"D3DDP2OP_SETCONVOLUTIONKERNELMONO","features":[316]},{"name":"D3DDP2OP_SETDEPTHSTENCIL","features":[316]},{"name":"D3DDP2OP_SETINDICES","features":[316]},{"name":"D3DDP2OP_SETLIGHT","features":[316]},{"name":"D3DDP2OP_SETMATERIAL","features":[316]},{"name":"D3DDP2OP_SETPALETTE","features":[316]},{"name":"D3DDP2OP_SETPIXELSHADER","features":[316]},{"name":"D3DDP2OP_SETPIXELSHADERCONST","features":[316]},{"name":"D3DDP2OP_SETPIXELSHADERCONSTB","features":[316]},{"name":"D3DDP2OP_SETPIXELSHADERCONSTI","features":[316]},{"name":"D3DDP2OP_SETPRIORITY","features":[316]},{"name":"D3DDP2OP_SETRENDERTARGET","features":[316]},{"name":"D3DDP2OP_SETRENDERTARGET2","features":[316]},{"name":"D3DDP2OP_SETSCISSORRECT","features":[316]},{"name":"D3DDP2OP_SETSTREAMSOURCE","features":[316]},{"name":"D3DDP2OP_SETSTREAMSOURCE2","features":[316]},{"name":"D3DDP2OP_SETSTREAMSOURCEFREQ","features":[316]},{"name":"D3DDP2OP_SETSTREAMSOURCEUM","features":[316]},{"name":"D3DDP2OP_SETTEXLOD","features":[316]},{"name":"D3DDP2OP_SETTRANSFORM","features":[316]},{"name":"D3DDP2OP_SETVERTEXSHADER","features":[316]},{"name":"D3DDP2OP_SETVERTEXSHADERCONST","features":[316]},{"name":"D3DDP2OP_SETVERTEXSHADERCONSTB","features":[316]},{"name":"D3DDP2OP_SETVERTEXSHADERCONSTI","features":[316]},{"name":"D3DDP2OP_SETVERTEXSHADERDECL","features":[316]},{"name":"D3DDP2OP_SETVERTEXSHADERFUNC","features":[316]},{"name":"D3DDP2OP_STATESET","features":[316]},{"name":"D3DDP2OP_SURFACEBLT","features":[316]},{"name":"D3DDP2OP_TEXBLT","features":[316]},{"name":"D3DDP2OP_TEXTURESTAGESTATE","features":[316]},{"name":"D3DDP2OP_TRIANGLEFAN","features":[316]},{"name":"D3DDP2OP_TRIANGLEFAN_IMM","features":[316]},{"name":"D3DDP2OP_TRIANGLELIST","features":[316]},{"name":"D3DDP2OP_TRIANGLESTRIP","features":[316]},{"name":"D3DDP2OP_UPDATEPALETTE","features":[316]},{"name":"D3DDP2OP_VIEWPORTINFO","features":[316]},{"name":"D3DDP2OP_VOLUMEBLT","features":[316]},{"name":"D3DDP2OP_WINFO","features":[316]},{"name":"D3DDP2OP_ZRANGE","features":[316]},{"name":"D3DFVF_FOG","features":[316]},{"name":"D3DGDI2_MAGIC","features":[316]},{"name":"D3DGDI2_TYPE_DEFERRED_AGP_AWARE","features":[316]},{"name":"D3DGDI2_TYPE_DEFER_AGP_FREES","features":[316]},{"name":"D3DGDI2_TYPE_DXVERSION","features":[316]},{"name":"D3DGDI2_TYPE_FREE_DEFERRED_AGP","features":[316]},{"name":"D3DGDI2_TYPE_GETADAPTERGROUP","features":[316]},{"name":"D3DGDI2_TYPE_GETD3DCAPS8","features":[316]},{"name":"D3DGDI2_TYPE_GETD3DCAPS9","features":[316]},{"name":"D3DGDI2_TYPE_GETD3DQUERY","features":[316]},{"name":"D3DGDI2_TYPE_GETD3DQUERYCOUNT","features":[316]},{"name":"D3DGDI2_TYPE_GETDDIVERSION","features":[316]},{"name":"D3DGDI2_TYPE_GETEXTENDEDMODE","features":[316]},{"name":"D3DGDI2_TYPE_GETEXTENDEDMODECOUNT","features":[316]},{"name":"D3DGDI2_TYPE_GETFORMAT","features":[316]},{"name":"D3DGDI2_TYPE_GETFORMATCOUNT","features":[316]},{"name":"D3DGDI2_TYPE_GETMULTISAMPLEQUALITYLEVELS","features":[316]},{"name":"D3DGPU_NULL","features":[316]},{"name":"D3DGPU_PHYSICAL_ADDRESS","features":[316]},{"name":"D3DHAL2_CB32_CLEAR","features":[316]},{"name":"D3DHAL2_CB32_DRAWONEINDEXEDPRIMITIVE","features":[316]},{"name":"D3DHAL2_CB32_DRAWONEPRIMITIVE","features":[316]},{"name":"D3DHAL2_CB32_DRAWPRIMITIVES","features":[316]},{"name":"D3DHAL2_CB32_SETRENDERTARGET","features":[316]},{"name":"D3DHAL3_CB32_CLEAR2","features":[316]},{"name":"D3DHAL3_CB32_DRAWPRIMITIVES2","features":[316]},{"name":"D3DHAL3_CB32_RESERVED","features":[316]},{"name":"D3DHAL3_CB32_VALIDATETEXTURESTAGESTATE","features":[316]},{"name":"D3DHALDP2_EXECUTEBUFFER","features":[316]},{"name":"D3DHALDP2_REQCOMMANDBUFSIZE","features":[316]},{"name":"D3DHALDP2_REQVERTEXBUFSIZE","features":[316]},{"name":"D3DHALDP2_SWAPCOMMANDBUFFER","features":[316]},{"name":"D3DHALDP2_SWAPVERTEXBUFFER","features":[316]},{"name":"D3DHALDP2_USERMEMVERTICES","features":[316]},{"name":"D3DHALDP2_VIDMEMCOMMANDBUF","features":[316]},{"name":"D3DHALDP2_VIDMEMVERTEXBUF","features":[316]},{"name":"D3DHALSTATE_GET_LIGHT","features":[316]},{"name":"D3DHALSTATE_GET_RENDER","features":[316]},{"name":"D3DHALSTATE_GET_TRANSFORM","features":[316]},{"name":"D3DHAL_CALLBACKS","features":[316,308,317,318,319]},{"name":"D3DHAL_CALLBACKS2","features":[316,308,317,318,319]},{"name":"D3DHAL_CALLBACKS3","features":[316,308,317,318,319]},{"name":"D3DHAL_CLEAR2DATA","features":[316,317]},{"name":"D3DHAL_CLEARDATA","features":[316,317]},{"name":"D3DHAL_CLIPPEDTRIANGLEFAN","features":[316]},{"name":"D3DHAL_COL_WEIGHTS","features":[316]},{"name":"D3DHAL_CONTEXTCREATEDATA","features":[316,308,318,319]},{"name":"D3DHAL_CONTEXTDESTROYALLDATA","features":[316]},{"name":"D3DHAL_CONTEXTDESTROYDATA","features":[316]},{"name":"D3DHAL_CONTEXT_BAD","features":[316]},{"name":"D3DHAL_D3DDX6EXTENDEDCAPS","features":[316]},{"name":"D3DHAL_D3DEXTENDEDCAPS","features":[316]},{"name":"D3DHAL_DP2ADDDIRTYBOX","features":[316,317]},{"name":"D3DHAL_DP2ADDDIRTYRECT","features":[316,308]},{"name":"D3DHAL_DP2BLT","features":[316,308]},{"name":"D3DHAL_DP2BUFFERBLT","features":[316,317]},{"name":"D3DHAL_DP2CLEAR","features":[316,308]},{"name":"D3DHAL_DP2COLORFILL","features":[316,308]},{"name":"D3DHAL_DP2COMMAND","features":[316]},{"name":"D3DHAL_DP2COMPOSERECTS","features":[316,317]},{"name":"D3DHAL_DP2CREATELIGHT","features":[316]},{"name":"D3DHAL_DP2CREATEPIXELSHADER","features":[316]},{"name":"D3DHAL_DP2CREATEQUERY","features":[316,317]},{"name":"D3DHAL_DP2CREATEVERTEXSHADER","features":[316]},{"name":"D3DHAL_DP2CREATEVERTEXSHADERDECL","features":[316]},{"name":"D3DHAL_DP2CREATEVERTEXSHADERFUNC","features":[316]},{"name":"D3DHAL_DP2DELETEQUERY","features":[316]},{"name":"D3DHAL_DP2DRAWINDEXEDPRIMITIVE","features":[316,317]},{"name":"D3DHAL_DP2DRAWINDEXEDPRIMITIVE2","features":[316,317]},{"name":"D3DHAL_DP2DRAWPRIMITIVE","features":[316,317]},{"name":"D3DHAL_DP2DRAWPRIMITIVE2","features":[316,317]},{"name":"D3DHAL_DP2DRAWRECTPATCH","features":[316]},{"name":"D3DHAL_DP2DRAWTRIPATCH","features":[316]},{"name":"D3DHAL_DP2EXT","features":[316]},{"name":"D3DHAL_DP2GENERATEMIPSUBLEVELS","features":[316,317]},{"name":"D3DHAL_DP2INDEXEDLINELIST","features":[316]},{"name":"D3DHAL_DP2INDEXEDLINESTRIP","features":[316]},{"name":"D3DHAL_DP2INDEXEDTRIANGLEFAN","features":[316]},{"name":"D3DHAL_DP2INDEXEDTRIANGLELIST","features":[316]},{"name":"D3DHAL_DP2INDEXEDTRIANGLELIST2","features":[316]},{"name":"D3DHAL_DP2INDEXEDTRIANGLESTRIP","features":[316]},{"name":"D3DHAL_DP2ISSUEQUERY","features":[316]},{"name":"D3DHAL_DP2LINELIST","features":[316]},{"name":"D3DHAL_DP2LINESTRIP","features":[316]},{"name":"D3DHAL_DP2MULTIPLYTRANSFORM","features":[73,316,317]},{"name":"D3DHAL_DP2OPERATION","features":[316]},{"name":"D3DHAL_DP2PIXELSHADER","features":[316]},{"name":"D3DHAL_DP2POINTS","features":[316]},{"name":"D3DHAL_DP2RENDERSTATE","features":[316,317]},{"name":"D3DHAL_DP2RESPONSE","features":[316]},{"name":"D3DHAL_DP2RESPONSEQUERY","features":[316]},{"name":"D3DHAL_DP2SETCLIPPLANE","features":[316]},{"name":"D3DHAL_DP2SETCONVOLUTIONKERNELMONO","features":[316]},{"name":"D3DHAL_DP2SETDEPTHSTENCIL","features":[316]},{"name":"D3DHAL_DP2SETINDICES","features":[316]},{"name":"D3DHAL_DP2SETLIGHT","features":[316]},{"name":"D3DHAL_DP2SETPALETTE","features":[316]},{"name":"D3DHAL_DP2SETPIXELSHADERCONST","features":[316]},{"name":"D3DHAL_DP2SETPRIORITY","features":[316]},{"name":"D3DHAL_DP2SETRENDERTARGET","features":[316]},{"name":"D3DHAL_DP2SETRENDERTARGET2","features":[316]},{"name":"D3DHAL_DP2SETSTREAMSOURCE","features":[316]},{"name":"D3DHAL_DP2SETSTREAMSOURCE2","features":[316]},{"name":"D3DHAL_DP2SETSTREAMSOURCEFREQ","features":[316]},{"name":"D3DHAL_DP2SETSTREAMSOURCEUM","features":[316]},{"name":"D3DHAL_DP2SETTEXLOD","features":[316]},{"name":"D3DHAL_DP2SETTRANSFORM","features":[73,316,317]},{"name":"D3DHAL_DP2SETVERTEXSHADERCONST","features":[316]},{"name":"D3DHAL_DP2STARTVERTEX","features":[316]},{"name":"D3DHAL_DP2STATESET","features":[316,317]},{"name":"D3DHAL_DP2SURFACEBLT","features":[316,308]},{"name":"D3DHAL_DP2TEXBLT","features":[316,308]},{"name":"D3DHAL_DP2TEXTURESTAGESTATE","features":[316]},{"name":"D3DHAL_DP2TRIANGLEFAN","features":[316]},{"name":"D3DHAL_DP2TRIANGLEFAN_IMM","features":[316]},{"name":"D3DHAL_DP2TRIANGLELIST","features":[316]},{"name":"D3DHAL_DP2TRIANGLESTRIP","features":[316]},{"name":"D3DHAL_DP2UPDATEPALETTE","features":[316]},{"name":"D3DHAL_DP2VERTEXSHADER","features":[316]},{"name":"D3DHAL_DP2VIEWPORTINFO","features":[316]},{"name":"D3DHAL_DP2VOLUMEBLT","features":[316,317]},{"name":"D3DHAL_DP2WINFO","features":[316]},{"name":"D3DHAL_DP2ZRANGE","features":[316]},{"name":"D3DHAL_DRAWONEINDEXEDPRIMITIVEDATA","features":[316,317]},{"name":"D3DHAL_DRAWONEPRIMITIVEDATA","features":[316,317]},{"name":"D3DHAL_DRAWPRIMCOUNTS","features":[316]},{"name":"D3DHAL_DRAWPRIMITIVES2DATA","features":[316,308,318,319]},{"name":"D3DHAL_DRAWPRIMITIVESDATA","features":[316]},{"name":"D3DHAL_EXECUTE_ABORT","features":[316]},{"name":"D3DHAL_EXECUTE_NORMAL","features":[316]},{"name":"D3DHAL_EXECUTE_OVERRIDE","features":[316]},{"name":"D3DHAL_EXECUTE_UNHANDLED","features":[316]},{"name":"D3DHAL_GETSTATEDATA","features":[316,317]},{"name":"D3DHAL_GLOBALDRIVERDATA","features":[316,308,317,318]},{"name":"D3DHAL_MAX_RSTATES","features":[316]},{"name":"D3DHAL_MAX_RSTATES_DX6","features":[316]},{"name":"D3DHAL_MAX_RSTATES_DX7","features":[316]},{"name":"D3DHAL_MAX_RSTATES_DX8","features":[316]},{"name":"D3DHAL_MAX_RSTATES_DX9","features":[316]},{"name":"D3DHAL_MAX_TEXTURESTATES","features":[316]},{"name":"D3DHAL_NUMCLIPVERTICES","features":[316]},{"name":"D3DHAL_OUTOFCONTEXTS","features":[316]},{"name":"D3DHAL_RENDERPRIMITIVEDATA","features":[316,317,318]},{"name":"D3DHAL_RENDERSTATEDATA","features":[316,318]},{"name":"D3DHAL_ROW_WEIGHTS","features":[316]},{"name":"D3DHAL_SAMPLER_MAXSAMP","features":[316]},{"name":"D3DHAL_SAMPLER_MAXVERTEXSAMP","features":[316]},{"name":"D3DHAL_SCENECAPTUREDATA","features":[316]},{"name":"D3DHAL_SCENE_CAPTURE_END","features":[316]},{"name":"D3DHAL_SCENE_CAPTURE_START","features":[316]},{"name":"D3DHAL_SETLIGHT_DATA","features":[316]},{"name":"D3DHAL_SETLIGHT_DISABLE","features":[316]},{"name":"D3DHAL_SETLIGHT_ENABLE","features":[316]},{"name":"D3DHAL_SETRENDERTARGETDATA","features":[316,308,318,319]},{"name":"D3DHAL_STATESETBEGIN","features":[316]},{"name":"D3DHAL_STATESETCAPTURE","features":[316]},{"name":"D3DHAL_STATESETCREATE","features":[316]},{"name":"D3DHAL_STATESETDELETE","features":[316]},{"name":"D3DHAL_STATESETEND","features":[316]},{"name":"D3DHAL_STATESETEXECUTE","features":[316]},{"name":"D3DHAL_TEXTURECREATEDATA","features":[316,318]},{"name":"D3DHAL_TEXTUREDESTROYDATA","features":[316]},{"name":"D3DHAL_TEXTUREGETSURFDATA","features":[316]},{"name":"D3DHAL_TEXTURESTATEBUF_SIZE","features":[316]},{"name":"D3DHAL_TEXTURESWAPDATA","features":[316]},{"name":"D3DHAL_TSS_MAXSTAGES","features":[316]},{"name":"D3DHAL_TSS_RENDERSTATEBASE","features":[316]},{"name":"D3DHAL_TSS_STATESPERSTAGE","features":[316]},{"name":"D3DHAL_VALIDATETEXTURESTAGESTATEDATA","features":[316]},{"name":"D3DINFINITEINSTRUCTIONS","features":[316]},{"name":"D3DKMDT_2DREGION","features":[316]},{"name":"D3DKMDT_3x4_COLORSPACE_TRANSFORM","features":[316]},{"name":"D3DKMDT_BITS_PER_COMPONENT_06","features":[316]},{"name":"D3DKMDT_BITS_PER_COMPONENT_08","features":[316]},{"name":"D3DKMDT_BITS_PER_COMPONENT_10","features":[316]},{"name":"D3DKMDT_BITS_PER_COMPONENT_12","features":[316]},{"name":"D3DKMDT_BITS_PER_COMPONENT_14","features":[316]},{"name":"D3DKMDT_BITS_PER_COMPONENT_16","features":[316]},{"name":"D3DKMDT_CB_INTENSITY","features":[316]},{"name":"D3DKMDT_CB_SCRGB","features":[316]},{"name":"D3DKMDT_CB_SRGB","features":[316]},{"name":"D3DKMDT_CB_UNINITIALIZED","features":[316]},{"name":"D3DKMDT_CB_YCBCR","features":[316]},{"name":"D3DKMDT_CB_YPBPR","features":[316]},{"name":"D3DKMDT_COLORSPACE_TRANSFORM_MATRIX_V2","features":[316]},{"name":"D3DKMDT_COLORSPACE_TRANSFORM_STAGE_CONTROL","features":[316]},{"name":"D3DKMDT_COLORSPACE_TRANSFORM_STAGE_CONTROL_BYPASS","features":[316]},{"name":"D3DKMDT_COLORSPACE_TRANSFORM_STAGE_CONTROL_ENABLE","features":[316]},{"name":"D3DKMDT_COLORSPACE_TRANSFORM_STAGE_CONTROL_NO_CHANGE","features":[316]},{"name":"D3DKMDT_COLOR_BASIS","features":[316]},{"name":"D3DKMDT_COLOR_COEFF_DYNAMIC_RANGES","features":[316]},{"name":"D3DKMDT_COMPUTE_PREEMPTION_DISPATCH_BOUNDARY","features":[316]},{"name":"D3DKMDT_COMPUTE_PREEMPTION_DMA_BUFFER_BOUNDARY","features":[316]},{"name":"D3DKMDT_COMPUTE_PREEMPTION_GRANULARITY","features":[316]},{"name":"D3DKMDT_COMPUTE_PREEMPTION_NONE","features":[316]},{"name":"D3DKMDT_COMPUTE_PREEMPTION_SHADER_BOUNDARY","features":[316]},{"name":"D3DKMDT_COMPUTE_PREEMPTION_THREAD_BOUNDARY","features":[316]},{"name":"D3DKMDT_COMPUTE_PREEMPTION_THREAD_GROUP_BOUNDARY","features":[316]},{"name":"D3DKMDT_DISPLAYMODE_FLAGS","features":[316]},{"name":"D3DKMDT_ENUMCOFUNCMODALITY_PIVOT_TYPE","features":[316]},{"name":"D3DKMDT_EPT_NOPIVOT","features":[316]},{"name":"D3DKMDT_EPT_ROTATION","features":[316]},{"name":"D3DKMDT_EPT_SCALING","features":[316]},{"name":"D3DKMDT_EPT_UNINITIALIZED","features":[316]},{"name":"D3DKMDT_EPT_VIDPNSOURCE","features":[316]},{"name":"D3DKMDT_EPT_VIDPNTARGET","features":[316]},{"name":"D3DKMDT_FREQUENCY_RANGE","features":[316]},{"name":"D3DKMDT_GAMMA_RAMP","features":[316]},{"name":"D3DKMDT_GDISURFACEDATA","features":[316]},{"name":"D3DKMDT_GDISURFACEFLAGS","features":[316]},{"name":"D3DKMDT_GDISURFACETYPE","features":[316]},{"name":"D3DKMDT_GDISURFACE_EXISTINGSYSMEM","features":[316]},{"name":"D3DKMDT_GDISURFACE_INVALID","features":[316]},{"name":"D3DKMDT_GDISURFACE_LOOKUPTABLE","features":[316]},{"name":"D3DKMDT_GDISURFACE_STAGING","features":[316]},{"name":"D3DKMDT_GDISURFACE_STAGING_CPUVISIBLE","features":[316]},{"name":"D3DKMDT_GDISURFACE_TEXTURE","features":[316]},{"name":"D3DKMDT_GDISURFACE_TEXTURE_CPUVISIBLE","features":[316]},{"name":"D3DKMDT_GDISURFACE_TEXTURE_CPUVISIBLE_CROSSADAPTER","features":[316]},{"name":"D3DKMDT_GDISURFACE_TEXTURE_CROSSADAPTER","features":[316]},{"name":"D3DKMDT_GRAPHICS_PREEMPTION_DMA_BUFFER_BOUNDARY","features":[316]},{"name":"D3DKMDT_GRAPHICS_PREEMPTION_GRANULARITY","features":[316]},{"name":"D3DKMDT_GRAPHICS_PREEMPTION_NONE","features":[316]},{"name":"D3DKMDT_GRAPHICS_PREEMPTION_PIXEL_BOUNDARY","features":[316]},{"name":"D3DKMDT_GRAPHICS_PREEMPTION_PRIMITIVE_BOUNDARY","features":[316]},{"name":"D3DKMDT_GRAPHICS_PREEMPTION_SHADER_BOUNDARY","features":[316]},{"name":"D3DKMDT_GRAPHICS_PREEMPTION_TRIANGLE_BOUNDARY","features":[316]},{"name":"D3DKMDT_GRAPHICS_RENDERING_FORMAT","features":[316]},{"name":"D3DKMDT_GTFCOMPLIANCE","features":[316]},{"name":"D3DKMDT_GTF_COMPLIANT","features":[316]},{"name":"D3DKMDT_GTF_NOTCOMPLIANT","features":[316]},{"name":"D3DKMDT_GTF_UNINITIALIZED","features":[316]},{"name":"D3DKMDT_MACROVISION_OEMCOPYPROTECTION_SIZE","features":[316]},{"name":"D3DKMDT_MAX_OVERLAYS_BITCOUNT","features":[316]},{"name":"D3DKMDT_MAX_VIDPN_SOURCES_BITCOUNT","features":[316]},{"name":"D3DKMDT_MCC_ENFORCE","features":[316]},{"name":"D3DKMDT_MCC_IGNORE","features":[316]},{"name":"D3DKMDT_MCC_UNINITIALIZED","features":[316]},{"name":"D3DKMDT_MCO_DEFAULTMONITORPROFILE","features":[316]},{"name":"D3DKMDT_MCO_DRIVER","features":[316]},{"name":"D3DKMDT_MCO_MONITORDESCRIPTOR","features":[316]},{"name":"D3DKMDT_MCO_MONITORDESCRIPTOR_REGISTRYOVERRIDE","features":[316]},{"name":"D3DKMDT_MCO_SPECIFICCAP_REGISTRYOVERRIDE","features":[316]},{"name":"D3DKMDT_MCO_UNINITIALIZED","features":[316]},{"name":"D3DKMDT_MDT_OTHER","features":[316]},{"name":"D3DKMDT_MDT_UNINITIALIZED","features":[316]},{"name":"D3DKMDT_MDT_VESA_EDID_V1_BASEBLOCK","features":[316]},{"name":"D3DKMDT_MDT_VESA_EDID_V1_BLOCKMAP","features":[316]},{"name":"D3DKMDT_MFRC_ACTIVESIZE","features":[316]},{"name":"D3DKMDT_MFRC_MAXPIXELRATE","features":[316]},{"name":"D3DKMDT_MFRC_UNINITIALIZED","features":[316]},{"name":"D3DKMDT_MOA_INTERRUPTIBLE","features":[316]},{"name":"D3DKMDT_MOA_NONE","features":[316]},{"name":"D3DKMDT_MOA_POLLED","features":[316]},{"name":"D3DKMDT_MOA_UNINITIALIZED","features":[316]},{"name":"D3DKMDT_MODE_PREFERENCE","features":[316]},{"name":"D3DKMDT_MODE_PRUNING_REASON","features":[316]},{"name":"D3DKMDT_MONITOR_CAPABILITIES_ORIGIN","features":[316]},{"name":"D3DKMDT_MONITOR_CONNECTIVITY_CHECKS","features":[316]},{"name":"D3DKMDT_MONITOR_DESCRIPTOR","features":[316]},{"name":"D3DKMDT_MONITOR_DESCRIPTOR_TYPE","features":[316]},{"name":"D3DKMDT_MONITOR_FREQUENCY_RANGE","features":[316]},{"name":"D3DKMDT_MONITOR_FREQUENCY_RANGE_CONSTRAINT","features":[316]},{"name":"D3DKMDT_MONITOR_ORIENTATION","features":[316]},{"name":"D3DKMDT_MONITOR_ORIENTATION_AWARENESS","features":[316]},{"name":"D3DKMDT_MONITOR_SOURCE_MODE","features":[316]},{"name":"D3DKMDT_MONITOR_TIMING_TYPE","features":[316]},{"name":"D3DKMDT_MO_0DEG","features":[316]},{"name":"D3DKMDT_MO_180DEG","features":[316]},{"name":"D3DKMDT_MO_270DEG","features":[316]},{"name":"D3DKMDT_MO_90DEG","features":[316]},{"name":"D3DKMDT_MO_UNINITIALIZED","features":[316]},{"name":"D3DKMDT_MPR_ALLCAPS","features":[316]},{"name":"D3DKMDT_MPR_CLONE_PATH_PRUNED","features":[316]},{"name":"D3DKMDT_MPR_DEFAULT_PROFILE_MONITOR_SOURCE_MODE","features":[316]},{"name":"D3DKMDT_MPR_DESCRIPTOR_MONITOR_FREQUENCY_RANGE","features":[316]},{"name":"D3DKMDT_MPR_DESCRIPTOR_MONITOR_SOURCE_MODE","features":[316]},{"name":"D3DKMDT_MPR_DESCRIPTOR_OVERRIDE_MONITOR_FREQUENCY_RANGE","features":[316]},{"name":"D3DKMDT_MPR_DESCRIPTOR_OVERRIDE_MONITOR_SOURCE_MODE","features":[316]},{"name":"D3DKMDT_MPR_DRIVER_RECOMMENDED_MONITOR_SOURCE_MODE","features":[316]},{"name":"D3DKMDT_MPR_MAXVALID","features":[316]},{"name":"D3DKMDT_MPR_MONITOR_FREQUENCY_RANGE_OVERRIDE","features":[316]},{"name":"D3DKMDT_MPR_UNINITIALIZED","features":[316]},{"name":"D3DKMDT_MP_NOTPREFERRED","features":[316]},{"name":"D3DKMDT_MP_PREFERRED","features":[316]},{"name":"D3DKMDT_MP_UNINITIALIZED","features":[316]},{"name":"D3DKMDT_MTT_DEFAULTMONITORPROFILE","features":[316]},{"name":"D3DKMDT_MTT_DETAILED","features":[316]},{"name":"D3DKMDT_MTT_DRIVER","features":[316]},{"name":"D3DKMDT_MTT_ESTABLISHED","features":[316]},{"name":"D3DKMDT_MTT_EXTRASTANDARD","features":[316]},{"name":"D3DKMDT_MTT_STANDARD","features":[316]},{"name":"D3DKMDT_MTT_UNINITIALIZED","features":[316]},{"name":"D3DKMDT_PALETTEDATA","features":[316]},{"name":"D3DKMDT_PIXEL_VALUE_ACCESS_MODE","features":[316]},{"name":"D3DKMDT_PREEMPTION_CAPS","features":[316]},{"name":"D3DKMDT_PVAM_DIRECT","features":[316]},{"name":"D3DKMDT_PVAM_PRESETPALETTE","features":[316]},{"name":"D3DKMDT_PVAM_SETTABLEPALETTE","features":[316]},{"name":"D3DKMDT_PVAM_UNINITIALIZED","features":[316]},{"name":"D3DKMDT_RMT_GRAPHICS","features":[316]},{"name":"D3DKMDT_RMT_GRAPHICS_STEREO","features":[316]},{"name":"D3DKMDT_RMT_GRAPHICS_STEREO_ADVANCED_SCAN","features":[316]},{"name":"D3DKMDT_RMT_TEXT","features":[316]},{"name":"D3DKMDT_RMT_UNINITIALIZED","features":[316]},{"name":"D3DKMDT_SHADOWSURFACEDATA","features":[316]},{"name":"D3DKMDT_SHAREDPRIMARYSURFACEDATA","features":[316]},{"name":"D3DKMDT_STAGINGSURFACEDATA","features":[316]},{"name":"D3DKMDT_STANDARDALLOCATION_GDISURFACE","features":[316]},{"name":"D3DKMDT_STANDARDALLOCATION_SHADOWSURFACE","features":[316]},{"name":"D3DKMDT_STANDARDALLOCATION_SHAREDPRIMARYSURFACE","features":[316]},{"name":"D3DKMDT_STANDARDALLOCATION_STAGINGSURFACE","features":[316]},{"name":"D3DKMDT_STANDARDALLOCATION_TYPE","features":[316]},{"name":"D3DKMDT_STANDARDALLOCATION_VGPU","features":[316]},{"name":"D3DKMDT_TEXT_RENDERING_FORMAT","features":[316]},{"name":"D3DKMDT_TRF_UNINITIALIZED","features":[316]},{"name":"D3DKMDT_VIDEO_OUTPUT_TECHNOLOGY","features":[316]},{"name":"D3DKMDT_VIDEO_PRESENT_SOURCE","features":[316]},{"name":"D3DKMDT_VIDEO_PRESENT_TARGET","features":[316,308]},{"name":"D3DKMDT_VIDEO_SIGNAL_INFO","features":[316]},{"name":"D3DKMDT_VIDEO_SIGNAL_STANDARD","features":[316]},{"name":"D3DKMDT_VIDPN_HW_CAPABILITY","features":[316]},{"name":"D3DKMDT_VIDPN_PRESENT_PATH","features":[316]},{"name":"D3DKMDT_VIDPN_PRESENT_PATH_CONTENT","features":[316]},{"name":"D3DKMDT_VIDPN_PRESENT_PATH_COPYPROTECTION","features":[316]},{"name":"D3DKMDT_VIDPN_PRESENT_PATH_COPYPROTECTION_SUPPORT","features":[316]},{"name":"D3DKMDT_VIDPN_PRESENT_PATH_COPYPROTECTION_TYPE","features":[316]},{"name":"D3DKMDT_VIDPN_PRESENT_PATH_IMPORTANCE","features":[316]},{"name":"D3DKMDT_VIDPN_PRESENT_PATH_ROTATION","features":[316]},{"name":"D3DKMDT_VIDPN_PRESENT_PATH_ROTATION_SUPPORT","features":[316]},{"name":"D3DKMDT_VIDPN_PRESENT_PATH_SCALING","features":[316]},{"name":"D3DKMDT_VIDPN_PRESENT_PATH_SCALING_SUPPORT","features":[316]},{"name":"D3DKMDT_VIDPN_PRESENT_PATH_TRANSFORMATION","features":[316]},{"name":"D3DKMDT_VIDPN_SOURCE_MODE","features":[316]},{"name":"D3DKMDT_VIDPN_SOURCE_MODE_TYPE","features":[316]},{"name":"D3DKMDT_VIDPN_TARGET_MODE","features":[316]},{"name":"D3DKMDT_VIRTUALGPUSURFACEDATA","features":[316]},{"name":"D3DKMDT_VOT_BNC","features":[316]},{"name":"D3DKMDT_VOT_COMPONENT_VIDEO","features":[316]},{"name":"D3DKMDT_VOT_COMPOSITE_VIDEO","features":[316]},{"name":"D3DKMDT_VOT_DISPLAYPORT_EMBEDDED","features":[316]},{"name":"D3DKMDT_VOT_DISPLAYPORT_EXTERNAL","features":[316]},{"name":"D3DKMDT_VOT_DVI","features":[316]},{"name":"D3DKMDT_VOT_D_JPN","features":[316]},{"name":"D3DKMDT_VOT_HD15","features":[316]},{"name":"D3DKMDT_VOT_HDMI","features":[316]},{"name":"D3DKMDT_VOT_INDIRECT_WIRED","features":[316]},{"name":"D3DKMDT_VOT_INTERNAL","features":[316]},{"name":"D3DKMDT_VOT_LVDS","features":[316]},{"name":"D3DKMDT_VOT_MIRACAST","features":[316]},{"name":"D3DKMDT_VOT_OTHER","features":[316]},{"name":"D3DKMDT_VOT_RCA_3COMPONENT","features":[316]},{"name":"D3DKMDT_VOT_RF","features":[316]},{"name":"D3DKMDT_VOT_SDI","features":[316]},{"name":"D3DKMDT_VOT_SDTVDONGLE","features":[316]},{"name":"D3DKMDT_VOT_SVIDEO","features":[316]},{"name":"D3DKMDT_VOT_SVIDEO_4PIN","features":[316]},{"name":"D3DKMDT_VOT_SVIDEO_7PIN","features":[316]},{"name":"D3DKMDT_VOT_UDI_EMBEDDED","features":[316]},{"name":"D3DKMDT_VOT_UDI_EXTERNAL","features":[316]},{"name":"D3DKMDT_VOT_UNINITIALIZED","features":[316]},{"name":"D3DKMDT_VPPC_GRAPHICS","features":[316]},{"name":"D3DKMDT_VPPC_NOTSPECIFIED","features":[316]},{"name":"D3DKMDT_VPPC_UNINITIALIZED","features":[316]},{"name":"D3DKMDT_VPPC_VIDEO","features":[316]},{"name":"D3DKMDT_VPPI_DENARY","features":[316]},{"name":"D3DKMDT_VPPI_NONARY","features":[316]},{"name":"D3DKMDT_VPPI_OCTONARY","features":[316]},{"name":"D3DKMDT_VPPI_PRIMARY","features":[316]},{"name":"D3DKMDT_VPPI_QUATERNARY","features":[316]},{"name":"D3DKMDT_VPPI_QUINARY","features":[316]},{"name":"D3DKMDT_VPPI_SECONDARY","features":[316]},{"name":"D3DKMDT_VPPI_SENARY","features":[316]},{"name":"D3DKMDT_VPPI_SEPTENARY","features":[316]},{"name":"D3DKMDT_VPPI_TERTIARY","features":[316]},{"name":"D3DKMDT_VPPI_UNINITIALIZED","features":[316]},{"name":"D3DKMDT_VPPMT_MACROVISION_APSTRIGGER","features":[316]},{"name":"D3DKMDT_VPPMT_MACROVISION_FULLSUPPORT","features":[316]},{"name":"D3DKMDT_VPPMT_NOPROTECTION","features":[316]},{"name":"D3DKMDT_VPPMT_UNINITIALIZED","features":[316]},{"name":"D3DKMDT_VPPR_IDENTITY","features":[316]},{"name":"D3DKMDT_VPPR_IDENTITY_OFFSET180","features":[316]},{"name":"D3DKMDT_VPPR_IDENTITY_OFFSET270","features":[316]},{"name":"D3DKMDT_VPPR_IDENTITY_OFFSET90","features":[316]},{"name":"D3DKMDT_VPPR_NOTSPECIFIED","features":[316]},{"name":"D3DKMDT_VPPR_ROTATE180","features":[316]},{"name":"D3DKMDT_VPPR_ROTATE180_OFFSET180","features":[316]},{"name":"D3DKMDT_VPPR_ROTATE180_OFFSET270","features":[316]},{"name":"D3DKMDT_VPPR_ROTATE180_OFFSET90","features":[316]},{"name":"D3DKMDT_VPPR_ROTATE270","features":[316]},{"name":"D3DKMDT_VPPR_ROTATE270_OFFSET180","features":[316]},{"name":"D3DKMDT_VPPR_ROTATE270_OFFSET270","features":[316]},{"name":"D3DKMDT_VPPR_ROTATE270_OFFSET90","features":[316]},{"name":"D3DKMDT_VPPR_ROTATE90","features":[316]},{"name":"D3DKMDT_VPPR_ROTATE90_OFFSET180","features":[316]},{"name":"D3DKMDT_VPPR_ROTATE90_OFFSET270","features":[316]},{"name":"D3DKMDT_VPPR_ROTATE90_OFFSET90","features":[316]},{"name":"D3DKMDT_VPPR_UNINITIALIZED","features":[316]},{"name":"D3DKMDT_VPPR_UNPINNED","features":[316]},{"name":"D3DKMDT_VPPS_ASPECTRATIOCENTEREDMAX","features":[316]},{"name":"D3DKMDT_VPPS_CENTERED","features":[316]},{"name":"D3DKMDT_VPPS_CUSTOM","features":[316]},{"name":"D3DKMDT_VPPS_IDENTITY","features":[316]},{"name":"D3DKMDT_VPPS_NOTSPECIFIED","features":[316]},{"name":"D3DKMDT_VPPS_RESERVED1","features":[316]},{"name":"D3DKMDT_VPPS_STRETCHED","features":[316]},{"name":"D3DKMDT_VPPS_UNINITIALIZED","features":[316]},{"name":"D3DKMDT_VPPS_UNPINNED","features":[316]},{"name":"D3DKMDT_VSS_APPLE","features":[316]},{"name":"D3DKMDT_VSS_EIA_861","features":[316]},{"name":"D3DKMDT_VSS_EIA_861A","features":[316]},{"name":"D3DKMDT_VSS_EIA_861B","features":[316]},{"name":"D3DKMDT_VSS_IBM","features":[316]},{"name":"D3DKMDT_VSS_NTSC_443","features":[316]},{"name":"D3DKMDT_VSS_NTSC_J","features":[316]},{"name":"D3DKMDT_VSS_NTSC_M","features":[316]},{"name":"D3DKMDT_VSS_OTHER","features":[316]},{"name":"D3DKMDT_VSS_PAL_B","features":[316]},{"name":"D3DKMDT_VSS_PAL_B1","features":[316]},{"name":"D3DKMDT_VSS_PAL_D","features":[316]},{"name":"D3DKMDT_VSS_PAL_G","features":[316]},{"name":"D3DKMDT_VSS_PAL_H","features":[316]},{"name":"D3DKMDT_VSS_PAL_I","features":[316]},{"name":"D3DKMDT_VSS_PAL_K","features":[316]},{"name":"D3DKMDT_VSS_PAL_K1","features":[316]},{"name":"D3DKMDT_VSS_PAL_L","features":[316]},{"name":"D3DKMDT_VSS_PAL_M","features":[316]},{"name":"D3DKMDT_VSS_PAL_N","features":[316]},{"name":"D3DKMDT_VSS_PAL_NC","features":[316]},{"name":"D3DKMDT_VSS_SECAM_B","features":[316]},{"name":"D3DKMDT_VSS_SECAM_D","features":[316]},{"name":"D3DKMDT_VSS_SECAM_G","features":[316]},{"name":"D3DKMDT_VSS_SECAM_H","features":[316]},{"name":"D3DKMDT_VSS_SECAM_K","features":[316]},{"name":"D3DKMDT_VSS_SECAM_K1","features":[316]},{"name":"D3DKMDT_VSS_SECAM_L","features":[316]},{"name":"D3DKMDT_VSS_SECAM_L1","features":[316]},{"name":"D3DKMDT_VSS_UNINITIALIZED","features":[316]},{"name":"D3DKMDT_VSS_VESA_CVT","features":[316]},{"name":"D3DKMDT_VSS_VESA_DMT","features":[316]},{"name":"D3DKMDT_VSS_VESA_GTF","features":[316]},{"name":"D3DKMDT_WIRE_FORMAT_AND_PREFERENCE","features":[316]},{"name":"D3DKMTAcquireKeyedMutex","features":[316,308]},{"name":"D3DKMTAcquireKeyedMutex2","features":[316,308]},{"name":"D3DKMTAdjustFullscreenGamma","features":[316,308]},{"name":"D3DKMTCancelPresents","features":[316,308]},{"name":"D3DKMTChangeSurfacePointer","features":[316,308,319]},{"name":"D3DKMTChangeVideoMemoryReservation","features":[316,308]},{"name":"D3DKMTCheckExclusiveOwnership","features":[316,308]},{"name":"D3DKMTCheckMonitorPowerState","features":[316,308]},{"name":"D3DKMTCheckMultiPlaneOverlaySupport","features":[316,308]},{"name":"D3DKMTCheckMultiPlaneOverlaySupport2","features":[316,308]},{"name":"D3DKMTCheckMultiPlaneOverlaySupport3","features":[316,308]},{"name":"D3DKMTCheckOcclusion","features":[316,308]},{"name":"D3DKMTCheckSharedResourceAccess","features":[316,308]},{"name":"D3DKMTCheckVidPnExclusiveOwnership","features":[316,308]},{"name":"D3DKMTCloseAdapter","features":[316,308]},{"name":"D3DKMTConfigureSharedResource","features":[316,308]},{"name":"D3DKMTCreateAllocation","features":[316,308]},{"name":"D3DKMTCreateAllocation2","features":[316,308]},{"name":"D3DKMTCreateContext","features":[316,308]},{"name":"D3DKMTCreateContextVirtual","features":[316,308]},{"name":"D3DKMTCreateDCFromMemory","features":[316,308,319]},{"name":"D3DKMTCreateDevice","features":[316,308]},{"name":"D3DKMTCreateHwContext","features":[316,308]},{"name":"D3DKMTCreateHwQueue","features":[316,308]},{"name":"D3DKMTCreateKeyedMutex","features":[316,308]},{"name":"D3DKMTCreateKeyedMutex2","features":[316,308]},{"name":"D3DKMTCreateOutputDupl","features":[316,308]},{"name":"D3DKMTCreateOverlay","features":[316,308]},{"name":"D3DKMTCreatePagingQueue","features":[316,308]},{"name":"D3DKMTCreateProtectedSession","features":[316,308]},{"name":"D3DKMTCreateSynchronizationObject","features":[316,308]},{"name":"D3DKMTCreateSynchronizationObject2","features":[316,308]},{"name":"D3DKMTDestroyAllocation","features":[316,308]},{"name":"D3DKMTDestroyAllocation2","features":[316,308]},{"name":"D3DKMTDestroyContext","features":[316,308]},{"name":"D3DKMTDestroyDCFromMemory","features":[316,308,319]},{"name":"D3DKMTDestroyDevice","features":[316,308]},{"name":"D3DKMTDestroyHwContext","features":[316,308]},{"name":"D3DKMTDestroyHwQueue","features":[316,308]},{"name":"D3DKMTDestroyKeyedMutex","features":[316,308]},{"name":"D3DKMTDestroyOutputDupl","features":[316,308]},{"name":"D3DKMTDestroyOverlay","features":[316,308]},{"name":"D3DKMTDestroyPagingQueue","features":[316,308]},{"name":"D3DKMTDestroyProtectedSession","features":[316,308]},{"name":"D3DKMTDestroySynchronizationObject","features":[316,308]},{"name":"D3DKMTEnumAdapters","features":[316,308]},{"name":"D3DKMTEnumAdapters2","features":[316,308]},{"name":"D3DKMTEnumAdapters3","features":[316,308]},{"name":"D3DKMTEscape","features":[316,308]},{"name":"D3DKMTEvict","features":[316,308]},{"name":"D3DKMTFlipOverlay","features":[316,308]},{"name":"D3DKMTFlushHeapTransitions","features":[316,308]},{"name":"D3DKMTFreeGpuVirtualAddress","features":[316,308]},{"name":"D3DKMTGetAllocationPriority","features":[316,308]},{"name":"D3DKMTGetContextInProcessSchedulingPriority","features":[316,308]},{"name":"D3DKMTGetContextSchedulingPriority","features":[316,308]},{"name":"D3DKMTGetDWMVerticalBlankEvent","features":[316,308]},{"name":"D3DKMTGetDeviceState","features":[316,308]},{"name":"D3DKMTGetDisplayModeList","features":[316,308]},{"name":"D3DKMTGetMultiPlaneOverlayCaps","features":[316,308]},{"name":"D3DKMTGetMultisampleMethodList","features":[316,308]},{"name":"D3DKMTGetOverlayState","features":[316,308]},{"name":"D3DKMTGetPostCompositionCaps","features":[316,308]},{"name":"D3DKMTGetPresentHistory","features":[316,308]},{"name":"D3DKMTGetPresentQueueEvent","features":[316,308]},{"name":"D3DKMTGetProcessDeviceRemovalSupport","features":[316,308]},{"name":"D3DKMTGetProcessSchedulingPriorityClass","features":[316,308]},{"name":"D3DKMTGetResourcePresentPrivateDriverData","features":[316,308]},{"name":"D3DKMTGetRuntimeData","features":[316,308]},{"name":"D3DKMTGetScanLine","features":[316,308]},{"name":"D3DKMTGetSharedPrimaryHandle","features":[316,308]},{"name":"D3DKMTGetSharedResourceAdapterLuid","features":[316,308]},{"name":"D3DKMTInvalidateActiveVidPn","features":[316,308]},{"name":"D3DKMTInvalidateCache","features":[316,308]},{"name":"D3DKMTLock","features":[316,308]},{"name":"D3DKMTLock2","features":[316,308]},{"name":"D3DKMTMakeResident","features":[316,308]},{"name":"D3DKMTMapGpuVirtualAddress","features":[316,308]},{"name":"D3DKMTMarkDeviceAsError","features":[316,308]},{"name":"D3DKMTOfferAllocations","features":[316,308]},{"name":"D3DKMTOpenAdapterFromDeviceName","features":[316,308]},{"name":"D3DKMTOpenAdapterFromGdiDisplayName","features":[316,308]},{"name":"D3DKMTOpenAdapterFromHdc","features":[316,308,319]},{"name":"D3DKMTOpenAdapterFromLuid","features":[316,308]},{"name":"D3DKMTOpenKeyedMutex","features":[316,308]},{"name":"D3DKMTOpenKeyedMutex2","features":[316,308]},{"name":"D3DKMTOpenKeyedMutexFromNtHandle","features":[316,308]},{"name":"D3DKMTOpenNtHandleFromName","features":[309,316,308]},{"name":"D3DKMTOpenProtectedSessionFromNtHandle","features":[316,308]},{"name":"D3DKMTOpenResource","features":[316,308]},{"name":"D3DKMTOpenResource2","features":[316,308]},{"name":"D3DKMTOpenResourceFromNtHandle","features":[316,308]},{"name":"D3DKMTOpenSyncObjectFromNtHandle","features":[316,308]},{"name":"D3DKMTOpenSyncObjectFromNtHandle2","features":[316,308]},{"name":"D3DKMTOpenSyncObjectNtHandleFromName","features":[309,316,308]},{"name":"D3DKMTOpenSynchronizationObject","features":[316,308]},{"name":"D3DKMTOutputDuplGetFrameInfo","features":[316,308]},{"name":"D3DKMTOutputDuplGetMetaData","features":[316,308]},{"name":"D3DKMTOutputDuplGetPointerShapeData","features":[316,308]},{"name":"D3DKMTOutputDuplPresent","features":[316,308]},{"name":"D3DKMTOutputDuplPresentToHwQueue","features":[316,308]},{"name":"D3DKMTOutputDuplReleaseFrame","features":[316,308]},{"name":"D3DKMTPollDisplayChildren","features":[316,308]},{"name":"D3DKMTPresent","features":[316,308]},{"name":"D3DKMTPresentMultiPlaneOverlay","features":[316,308]},{"name":"D3DKMTPresentMultiPlaneOverlay2","features":[316,308]},{"name":"D3DKMTPresentMultiPlaneOverlay3","features":[316,308]},{"name":"D3DKMTPresentRedirected","features":[316,308]},{"name":"D3DKMTQueryAdapterInfo","features":[316,308]},{"name":"D3DKMTQueryAllocationResidency","features":[316,308]},{"name":"D3DKMTQueryClockCalibration","features":[316,308]},{"name":"D3DKMTQueryFSEBlock","features":[316,308]},{"name":"D3DKMTQueryProcessOfferInfo","features":[316,308]},{"name":"D3DKMTQueryProtectedSessionInfoFromNtHandle","features":[316,308]},{"name":"D3DKMTQueryProtectedSessionStatus","features":[316,308]},{"name":"D3DKMTQueryRemoteVidPnSourceFromGdiDisplayName","features":[316,308]},{"name":"D3DKMTQueryResourceInfo","features":[316,308]},{"name":"D3DKMTQueryResourceInfoFromNtHandle","features":[316,308]},{"name":"D3DKMTQueryStatistics","features":[316,308]},{"name":"D3DKMTQueryVidPnExclusiveOwnership","features":[316,308]},{"name":"D3DKMTQueryVideoMemoryInfo","features":[316,308]},{"name":"D3DKMTReclaimAllocations","features":[316,308]},{"name":"D3DKMTReclaimAllocations2","features":[316,308]},{"name":"D3DKMTRegisterTrimNotification","features":[316,308]},{"name":"D3DKMTRegisterVailProcess","features":[316,308]},{"name":"D3DKMTReleaseKeyedMutex","features":[316,308]},{"name":"D3DKMTReleaseKeyedMutex2","features":[316,308]},{"name":"D3DKMTReleaseProcessVidPnSourceOwners","features":[316,308]},{"name":"D3DKMTRender","features":[316,308]},{"name":"D3DKMTReserveGpuVirtualAddress","features":[316,308]},{"name":"D3DKMTSetAllocationPriority","features":[316,308]},{"name":"D3DKMTSetContextInProcessSchedulingPriority","features":[316,308]},{"name":"D3DKMTSetContextSchedulingPriority","features":[316,308]},{"name":"D3DKMTSetDisplayMode","features":[316,308]},{"name":"D3DKMTSetDisplayPrivateDriverFormat","features":[316,308]},{"name":"D3DKMTSetFSEBlock","features":[316,308]},{"name":"D3DKMTSetGammaRamp","features":[316,308]},{"name":"D3DKMTSetHwProtectionTeardownRecovery","features":[316,308]},{"name":"D3DKMTSetMonitorColorSpaceTransform","features":[316,308]},{"name":"D3DKMTSetProcessSchedulingPriorityClass","features":[316,308]},{"name":"D3DKMTSetQueuedLimit","features":[316,308]},{"name":"D3DKMTSetStablePowerState","features":[316,308]},{"name":"D3DKMTSetSyncRefreshCountWaitTarget","features":[316,308]},{"name":"D3DKMTSetVidPnSourceHwProtection","features":[316,308]},{"name":"D3DKMTSetVidPnSourceOwner","features":[316,308]},{"name":"D3DKMTSetVidPnSourceOwner1","features":[316,308]},{"name":"D3DKMTSetVidPnSourceOwner2","features":[316,308]},{"name":"D3DKMTShareObjects","features":[309,316,308]},{"name":"D3DKMTSharedPrimaryLockNotification","features":[316,308]},{"name":"D3DKMTSharedPrimaryUnLockNotification","features":[316,308]},{"name":"D3DKMTSignalSynchronizationObject","features":[316,308]},{"name":"D3DKMTSignalSynchronizationObject2","features":[316,308]},{"name":"D3DKMTSignalSynchronizationObjectFromCpu","features":[316,308]},{"name":"D3DKMTSignalSynchronizationObjectFromGpu","features":[316,308]},{"name":"D3DKMTSignalSynchronizationObjectFromGpu2","features":[316,308]},{"name":"D3DKMTSubmitCommand","features":[316,308]},{"name":"D3DKMTSubmitCommandToHwQueue","features":[316,308]},{"name":"D3DKMTSubmitPresentBltToHwQueue","features":[316,308]},{"name":"D3DKMTSubmitPresentToHwQueue","features":[316,308]},{"name":"D3DKMTSubmitSignalSyncObjectsToHwQueue","features":[316,308]},{"name":"D3DKMTSubmitWaitForSyncObjectsToHwQueue","features":[316,308]},{"name":"D3DKMTTrimProcessCommitment","features":[316,308]},{"name":"D3DKMTUnlock","features":[316,308]},{"name":"D3DKMTUnlock2","features":[316,308]},{"name":"D3DKMTUnregisterTrimNotification","features":[316,308]},{"name":"D3DKMTUpdateAllocationProperty","features":[316,308]},{"name":"D3DKMTUpdateGpuVirtualAddress","features":[316,308]},{"name":"D3DKMTUpdateOverlay","features":[316,308]},{"name":"D3DKMTWaitForIdle","features":[316,308]},{"name":"D3DKMTWaitForSynchronizationObject","features":[316,308]},{"name":"D3DKMTWaitForSynchronizationObject2","features":[316,308]},{"name":"D3DKMTWaitForSynchronizationObjectFromCpu","features":[316,308]},{"name":"D3DKMTWaitForSynchronizationObjectFromGpu","features":[316,308]},{"name":"D3DKMTWaitForVerticalBlankEvent","features":[316,308]},{"name":"D3DKMTWaitForVerticalBlankEvent2","features":[316,308]},{"name":"D3DKMT_ACQUIREKEYEDMUTEX","features":[316]},{"name":"D3DKMT_ACQUIREKEYEDMUTEX2","features":[316]},{"name":"D3DKMT_ACTIVATE_SPECIFIC_DIAG_ESCAPE","features":[316,308]},{"name":"D3DKMT_ACTIVATE_SPECIFIC_DIAG_TYPE","features":[316]},{"name":"D3DKMT_ACTIVATE_SPECIFIC_DIAG_TYPE_EXTRA_CCD_DATABASE_INFO","features":[316]},{"name":"D3DKMT_ACTIVATE_SPECIFIC_DIAG_TYPE_MODES_PRUNED","features":[316]},{"name":"D3DKMT_ADAPTERADDRESS","features":[316]},{"name":"D3DKMT_ADAPTERINFO","features":[316,308]},{"name":"D3DKMT_ADAPTERREGISTRYINFO","features":[316]},{"name":"D3DKMT_ADAPTERTYPE","features":[316]},{"name":"D3DKMT_ADAPTER_PERFDATA","features":[316]},{"name":"D3DKMT_ADAPTER_PERFDATACAPS","features":[316]},{"name":"D3DKMT_ADAPTER_VERIFIER_OPTION","features":[316]},{"name":"D3DKMT_ADAPTER_VERIFIER_OPTION_DATA","features":[316]},{"name":"D3DKMT_ADAPTER_VERIFIER_OPTION_TYPE","features":[316]},{"name":"D3DKMT_ADAPTER_VERIFIER_OPTION_VIDMM_FLAGS","features":[316]},{"name":"D3DKMT_ADAPTER_VERIFIER_OPTION_VIDMM_TRIM_INTERVAL","features":[316]},{"name":"D3DKMT_ADAPTER_VERIFIER_VIDMM_FLAGS","features":[316]},{"name":"D3DKMT_ADAPTER_VERIFIER_VIDMM_TRIM_INTERVAL","features":[316]},{"name":"D3DKMT_ADJUSTFULLSCREENGAMMA","features":[316]},{"name":"D3DKMT_ALLOCATIONRESIDENCYSTATUS","features":[316]},{"name":"D3DKMT_ALLOCATIONRESIDENCYSTATUS_NOTRESIDENT","features":[316]},{"name":"D3DKMT_ALLOCATIONRESIDENCYSTATUS_RESIDENTINGPUMEMORY","features":[316]},{"name":"D3DKMT_ALLOCATIONRESIDENCYSTATUS_RESIDENTINSHAREDMEMORY","features":[316]},{"name":"D3DKMT_AUXILIARYPRESENTINFO","features":[316]},{"name":"D3DKMT_AUXILIARYPRESENTINFO_TYPE","features":[316]},{"name":"D3DKMT_AUXILIARYPRESENTINFO_TYPE_FLIPMANAGER","features":[316]},{"name":"D3DKMT_AllocationPriorityClassHigh","features":[316]},{"name":"D3DKMT_AllocationPriorityClassLow","features":[316]},{"name":"D3DKMT_AllocationPriorityClassMaximum","features":[316]},{"name":"D3DKMT_AllocationPriorityClassMinimum","features":[316]},{"name":"D3DKMT_AllocationPriorityClassNormal","features":[316]},{"name":"D3DKMT_BDDFALLBACK_CTL","features":[316,308]},{"name":"D3DKMT_BLOCKLIST_INFO","features":[316]},{"name":"D3DKMT_BLTMODEL_PRESENTHISTORYTOKEN","features":[316,308]},{"name":"D3DKMT_BRIGHTNESS_INFO","features":[316,308]},{"name":"D3DKMT_BRIGHTNESS_INFO_BEGIN_MANUAL_MODE","features":[316]},{"name":"D3DKMT_BRIGHTNESS_INFO_END_MANUAL_MODE","features":[316]},{"name":"D3DKMT_BRIGHTNESS_INFO_GET","features":[316]},{"name":"D3DKMT_BRIGHTNESS_INFO_GET_CAPS","features":[316]},{"name":"D3DKMT_BRIGHTNESS_INFO_GET_NIT_RANGES","features":[316]},{"name":"D3DKMT_BRIGHTNESS_INFO_GET_POSSIBLE_LEVELS","features":[316]},{"name":"D3DKMT_BRIGHTNESS_INFO_GET_REDUCTION","features":[316]},{"name":"D3DKMT_BRIGHTNESS_INFO_SET","features":[316]},{"name":"D3DKMT_BRIGHTNESS_INFO_SET_OPTIMIZATION","features":[316]},{"name":"D3DKMT_BRIGHTNESS_INFO_SET_STATE","features":[316]},{"name":"D3DKMT_BRIGHTNESS_INFO_TOGGLE_LOGGING","features":[316]},{"name":"D3DKMT_BRIGHTNESS_INFO_TYPE","features":[316]},{"name":"D3DKMT_BRIGHTNESS_POSSIBLE_LEVELS","features":[316]},{"name":"D3DKMT_BUDGETCHANGENOTIFICATION","features":[316]},{"name":"D3DKMT_CANCEL_PRESENTS","features":[316,308]},{"name":"D3DKMT_CANCEL_PRESENTS_FLAGS","features":[316]},{"name":"D3DKMT_CANCEL_PRESENTS_OPERATION","features":[316]},{"name":"D3DKMT_CANCEL_PRESENTS_OPERATION_CANCEL_FROM","features":[316]},{"name":"D3DKMT_CANCEL_PRESENTS_OPERATION_REPROGRAM_INTERRUPT","features":[316]},{"name":"D3DKMT_CHANGESURFACEPOINTER","features":[316,308,319]},{"name":"D3DKMT_CHANGEVIDEOMEMORYRESERVATION","features":[316,308]},{"name":"D3DKMT_CHECKMONITORPOWERSTATE","features":[316]},{"name":"D3DKMT_CHECKMULTIPLANEOVERLAYSUPPORT","features":[316,308]},{"name":"D3DKMT_CHECKMULTIPLANEOVERLAYSUPPORT2","features":[316,308]},{"name":"D3DKMT_CHECKMULTIPLANEOVERLAYSUPPORT3","features":[316,308]},{"name":"D3DKMT_CHECKOCCLUSION","features":[316,308]},{"name":"D3DKMT_CHECKSHAREDRESOURCEACCESS","features":[316]},{"name":"D3DKMT_CHECKVIDPNEXCLUSIVEOWNERSHIP","features":[316]},{"name":"D3DKMT_CHECK_MULTIPLANE_OVERLAY_PLANE","features":[316,308]},{"name":"D3DKMT_CHECK_MULTIPLANE_OVERLAY_PLANE2","features":[316,308]},{"name":"D3DKMT_CHECK_MULTIPLANE_OVERLAY_PLANE3","features":[316,308]},{"name":"D3DKMT_CHECK_MULTIPLANE_OVERLAY_SUPPORT_RETURN_INFO","features":[316]},{"name":"D3DKMT_CLIENTHINT","features":[316]},{"name":"D3DKMT_CLIENTHINT_11ON12","features":[316]},{"name":"D3DKMT_CLIENTHINT_9ON12","features":[316]},{"name":"D3DKMT_CLIENTHINT_CDD","features":[316]},{"name":"D3DKMT_CLIENTHINT_CLON12","features":[316]},{"name":"D3DKMT_CLIENTHINT_CUDA","features":[316]},{"name":"D3DKMT_CLIENTHINT_DML_PYTORCH","features":[316]},{"name":"D3DKMT_CLIENTHINT_DML_TENSORFLOW","features":[316]},{"name":"D3DKMT_CLIENTHINT_DX10","features":[316]},{"name":"D3DKMT_CLIENTHINT_DX11","features":[316]},{"name":"D3DKMT_CLIENTHINT_DX12","features":[316]},{"name":"D3DKMT_CLIENTHINT_DX7","features":[316]},{"name":"D3DKMT_CLIENTHINT_DX8","features":[316]},{"name":"D3DKMT_CLIENTHINT_DX9","features":[316]},{"name":"D3DKMT_CLIENTHINT_GLON12","features":[316]},{"name":"D3DKMT_CLIENTHINT_MAX","features":[316]},{"name":"D3DKMT_CLIENTHINT_MFT_ENCODE","features":[316]},{"name":"D3DKMT_CLIENTHINT_ONEAPI_LEVEL0","features":[316]},{"name":"D3DKMT_CLIENTHINT_OPENCL","features":[316]},{"name":"D3DKMT_CLIENTHINT_OPENGL","features":[316]},{"name":"D3DKMT_CLIENTHINT_RESERVED","features":[316]},{"name":"D3DKMT_CLIENTHINT_UNKNOWN","features":[316]},{"name":"D3DKMT_CLIENTHINT_VULKAN","features":[316]},{"name":"D3DKMT_CLOSEADAPTER","features":[316]},{"name":"D3DKMT_COMPOSITION_PRESENTHISTORYTOKEN","features":[316]},{"name":"D3DKMT_CONFIGURESHAREDRESOURCE","features":[316,308]},{"name":"D3DKMT_CONNECT_DOORBELL","features":[316]},{"name":"D3DKMT_CONNECT_DOORBELL_FLAGS","features":[316]},{"name":"D3DKMT_CPDRIVERNAME","features":[316]},{"name":"D3DKMT_CREATEALLOCATION","features":[316,308]},{"name":"D3DKMT_CREATEALLOCATIONFLAGS","features":[316]},{"name":"D3DKMT_CREATECONTEXT","features":[316]},{"name":"D3DKMT_CREATECONTEXTVIRTUAL","features":[316]},{"name":"D3DKMT_CREATEDCFROMMEMORY","features":[316,308,319]},{"name":"D3DKMT_CREATEDEVICE","features":[316]},{"name":"D3DKMT_CREATEDEVICEFLAGS","features":[316]},{"name":"D3DKMT_CREATEHWCONTEXT","features":[316]},{"name":"D3DKMT_CREATEHWQUEUE","features":[316]},{"name":"D3DKMT_CREATEKEYEDMUTEX","features":[316]},{"name":"D3DKMT_CREATEKEYEDMUTEX2","features":[316]},{"name":"D3DKMT_CREATEKEYEDMUTEX2_FLAGS","features":[316]},{"name":"D3DKMT_CREATENATIVEFENCE","features":[316]},{"name":"D3DKMT_CREATEOVERLAY","features":[316]},{"name":"D3DKMT_CREATEPAGINGQUEUE","features":[316]},{"name":"D3DKMT_CREATEPROTECTEDSESSION","features":[316]},{"name":"D3DKMT_CREATESTANDARDALLOCATION","features":[316]},{"name":"D3DKMT_CREATESTANDARDALLOCATIONFLAGS","features":[316]},{"name":"D3DKMT_CREATESYNCFILE","features":[316]},{"name":"D3DKMT_CREATESYNCHRONIZATIONOBJECT","features":[316,308]},{"name":"D3DKMT_CREATESYNCHRONIZATIONOBJECT2","features":[316,308]},{"name":"D3DKMT_CREATE_DOORBELL","features":[316]},{"name":"D3DKMT_CREATE_DOORBELL_FLAGS","features":[316]},{"name":"D3DKMT_CREATE_OUTPUTDUPL","features":[316,308]},{"name":"D3DKMT_CROSSADAPTERRESOURCE_SUPPORT","features":[316]},{"name":"D3DKMT_CROSSADAPTERRESOURCE_SUPPORT_TIER","features":[316]},{"name":"D3DKMT_CROSSADAPTERRESOURCE_SUPPORT_TIER_COPY","features":[316]},{"name":"D3DKMT_CROSSADAPTERRESOURCE_SUPPORT_TIER_NONE","features":[316]},{"name":"D3DKMT_CROSSADAPTERRESOURCE_SUPPORT_TIER_SCANOUT","features":[316]},{"name":"D3DKMT_CROSSADAPTERRESOURCE_SUPPORT_TIER_TEXTURE","features":[316]},{"name":"D3DKMT_CROSS_ADAPTER_RESOURCE_HEIGHT_ALIGNMENT","features":[316]},{"name":"D3DKMT_CROSS_ADAPTER_RESOURCE_PITCH_ALIGNMENT","features":[316]},{"name":"D3DKMT_CURRENTDISPLAYMODE","features":[316]},{"name":"D3DKMT_ClientPagingBuffer","features":[316]},{"name":"D3DKMT_ClientRenderBuffer","features":[316]},{"name":"D3DKMT_DEBUG_SNAPSHOT_ESCAPE","features":[316]},{"name":"D3DKMT_DEFRAG_ESCAPE_DEFRAG_DOWNWARD","features":[316]},{"name":"D3DKMT_DEFRAG_ESCAPE_DEFRAG_PASS","features":[316]},{"name":"D3DKMT_DEFRAG_ESCAPE_DEFRAG_UPWARD","features":[316]},{"name":"D3DKMT_DEFRAG_ESCAPE_GET_FRAGMENTATION_STATS","features":[316]},{"name":"D3DKMT_DEFRAG_ESCAPE_OPERATION","features":[316]},{"name":"D3DKMT_DEFRAG_ESCAPE_VERIFY_TRANSFER","features":[316]},{"name":"D3DKMT_DESTROYALLOCATION","features":[316]},{"name":"D3DKMT_DESTROYALLOCATION2","features":[316]},{"name":"D3DKMT_DESTROYCONTEXT","features":[316]},{"name":"D3DKMT_DESTROYDCFROMMEMORY","features":[316,308,319]},{"name":"D3DKMT_DESTROYDEVICE","features":[316]},{"name":"D3DKMT_DESTROYHWCONTEXT","features":[316]},{"name":"D3DKMT_DESTROYHWQUEUE","features":[316]},{"name":"D3DKMT_DESTROYKEYEDMUTEX","features":[316]},{"name":"D3DKMT_DESTROYOVERLAY","features":[316]},{"name":"D3DKMT_DESTROYPROTECTEDSESSION","features":[316]},{"name":"D3DKMT_DESTROYSYNCHRONIZATIONOBJECT","features":[316]},{"name":"D3DKMT_DESTROY_DOORBELL","features":[316]},{"name":"D3DKMT_DESTROY_OUTPUTDUPL","features":[316,308]},{"name":"D3DKMT_DEVICEESCAPE_RESTOREGAMMA","features":[316]},{"name":"D3DKMT_DEVICEESCAPE_TYPE","features":[316]},{"name":"D3DKMT_DEVICEESCAPE_VIDPNFROMALLOCATION","features":[316]},{"name":"D3DKMT_DEVICEEXECUTION_ACTIVE","features":[316]},{"name":"D3DKMT_DEVICEEXECUTION_ERROR_DMAFAULT","features":[316]},{"name":"D3DKMT_DEVICEEXECUTION_ERROR_DMAPAGEFAULT","features":[316]},{"name":"D3DKMT_DEVICEEXECUTION_ERROR_OUTOFMEMORY","features":[316]},{"name":"D3DKMT_DEVICEEXECUTION_HUNG","features":[316]},{"name":"D3DKMT_DEVICEEXECUTION_RESET","features":[316]},{"name":"D3DKMT_DEVICEEXECUTION_STATE","features":[316]},{"name":"D3DKMT_DEVICEEXECUTION_STOPPED","features":[316]},{"name":"D3DKMT_DEVICEPAGEFAULT_STATE","features":[316]},{"name":"D3DKMT_DEVICEPRESENT_QUEUE_STATE","features":[316,308]},{"name":"D3DKMT_DEVICEPRESENT_STATE","features":[316]},{"name":"D3DKMT_DEVICEPRESENT_STATE_DWM","features":[316]},{"name":"D3DKMT_DEVICERESET_STATE","features":[316]},{"name":"D3DKMT_DEVICESTATE_EXECUTION","features":[316]},{"name":"D3DKMT_DEVICESTATE_PAGE_FAULT","features":[316]},{"name":"D3DKMT_DEVICESTATE_PRESENT","features":[316]},{"name":"D3DKMT_DEVICESTATE_PRESENT_DWM","features":[316]},{"name":"D3DKMT_DEVICESTATE_PRESENT_QUEUE","features":[316]},{"name":"D3DKMT_DEVICESTATE_RESET","features":[316]},{"name":"D3DKMT_DEVICESTATE_TYPE","features":[316]},{"name":"D3DKMT_DEVICE_ERROR_REASON","features":[316]},{"name":"D3DKMT_DEVICE_ERROR_REASON_DRIVER_ERROR","features":[316]},{"name":"D3DKMT_DEVICE_ERROR_REASON_GENERIC","features":[316]},{"name":"D3DKMT_DEVICE_ESCAPE","features":[316]},{"name":"D3DKMT_DEVICE_IDS","features":[316]},{"name":"D3DKMT_DIRECTFLIP_SUPPORT","features":[316,308]},{"name":"D3DKMT_DIRTYREGIONS","features":[316,308]},{"name":"D3DKMT_DISPLAYMODE","features":[316]},{"name":"D3DKMT_DISPLAYMODELIST","features":[316]},{"name":"D3DKMT_DISPLAY_CAPS","features":[316]},{"name":"D3DKMT_DISPLAY_UMD_FILENAMEINFO","features":[316]},{"name":"D3DKMT_DLIST_DRIVER_NAME","features":[316]},{"name":"D3DKMT_DMMESCAPETYPE","features":[316]},{"name":"D3DKMT_DMMESCAPETYPE_ACTIVEVIDPN_COFUNCPATHMODALITY_INFO","features":[316]},{"name":"D3DKMT_DMMESCAPETYPE_ACTIVEVIDPN_SOURCEMODESET_INFO","features":[316]},{"name":"D3DKMT_DMMESCAPETYPE_GET_ACTIVEVIDPN_INFO","features":[316]},{"name":"D3DKMT_DMMESCAPETYPE_GET_LASTCLIENTCOMMITTEDVIDPN_INFO","features":[316]},{"name":"D3DKMT_DMMESCAPETYPE_GET_MONITORS_INFO","features":[316]},{"name":"D3DKMT_DMMESCAPETYPE_GET_SUMMARY_INFO","features":[316]},{"name":"D3DKMT_DMMESCAPETYPE_GET_VERSION_INFO","features":[316]},{"name":"D3DKMT_DMMESCAPETYPE_GET_VIDEO_PRESENT_SOURCES_INFO","features":[316]},{"name":"D3DKMT_DMMESCAPETYPE_GET_VIDEO_PRESENT_TARGETS_INFO","features":[316]},{"name":"D3DKMT_DMMESCAPETYPE_RECENTLY_COMMITTED_VIDPNS_INFO","features":[316]},{"name":"D3DKMT_DMMESCAPETYPE_RECENTLY_RECOMMENDED_VIDPNS_INFO","features":[316]},{"name":"D3DKMT_DMMESCAPETYPE_RECENT_MODECHANGE_REQUESTS_INFO","features":[316]},{"name":"D3DKMT_DMMESCAPETYPE_RECENT_MONITOR_PRESENCE_EVENTS_INFO","features":[316]},{"name":"D3DKMT_DMMESCAPETYPE_UNINITIALIZED","features":[316]},{"name":"D3DKMT_DMMESCAPETYPE_VIDPN_MGR_DIAGNOSTICS","features":[316]},{"name":"D3DKMT_DMM_ESCAPE","features":[316]},{"name":"D3DKMT_DOD_SET_DIRTYRECT_MODE","features":[316,308]},{"name":"D3DKMT_DRIVERCAPS_EXT","features":[316]},{"name":"D3DKMT_DRIVERVERSION","features":[316]},{"name":"D3DKMT_DRIVER_DESCRIPTION","features":[316]},{"name":"D3DKMT_DeferredCommandBuffer","features":[316]},{"name":"D3DKMT_DeviceCommandBuffer","features":[316]},{"name":"D3DKMT_DmaPacketTypeMax","features":[316]},{"name":"D3DKMT_ENUMADAPTERS","features":[316,308]},{"name":"D3DKMT_ENUMADAPTERS2","features":[316,308]},{"name":"D3DKMT_ENUMADAPTERS3","features":[316,308]},{"name":"D3DKMT_ENUMADAPTERS_FILTER","features":[316]},{"name":"D3DKMT_ESCAPE","features":[316]},{"name":"D3DKMT_ESCAPETYPE","features":[316]},{"name":"D3DKMT_ESCAPE_ACTIVATE_SPECIFIC_DIAG","features":[316]},{"name":"D3DKMT_ESCAPE_ADAPTER_VERIFIER_OPTION","features":[316]},{"name":"D3DKMT_ESCAPE_BDD_FALLBACK","features":[316]},{"name":"D3DKMT_ESCAPE_BDD_PNP","features":[316]},{"name":"D3DKMT_ESCAPE_BRIGHTNESS","features":[316]},{"name":"D3DKMT_ESCAPE_CCD_DATABASE","features":[316]},{"name":"D3DKMT_ESCAPE_DEBUG_SNAPSHOT","features":[316]},{"name":"D3DKMT_ESCAPE_DEVICE","features":[316]},{"name":"D3DKMT_ESCAPE_DIAGNOSTICS","features":[316]},{"name":"D3DKMT_ESCAPE_DMM","features":[316]},{"name":"D3DKMT_ESCAPE_DOD_SET_DIRTYRECT_MODE","features":[316]},{"name":"D3DKMT_ESCAPE_DRIVERPRIVATE","features":[316]},{"name":"D3DKMT_ESCAPE_DRT_TEST","features":[316]},{"name":"D3DKMT_ESCAPE_EDID_CACHE","features":[316]},{"name":"D3DKMT_ESCAPE_FORCE_BDDFALLBACK_HEADLESS","features":[316]},{"name":"D3DKMT_ESCAPE_GET_DISPLAY_CONFIGURATIONS","features":[316]},{"name":"D3DKMT_ESCAPE_GET_EXTERNAL_DIAGNOSTICS","features":[316]},{"name":"D3DKMT_ESCAPE_HISTORY_BUFFER_STATUS","features":[316]},{"name":"D3DKMT_ESCAPE_IDD_REQUEST","features":[316]},{"name":"D3DKMT_ESCAPE_LOG_CODEPOINT_PACKET","features":[316]},{"name":"D3DKMT_ESCAPE_LOG_USERMODE_DAIG_PACKET","features":[316]},{"name":"D3DKMT_ESCAPE_MIRACAST_ADAPTER_DIAG_INFO","features":[316]},{"name":"D3DKMT_ESCAPE_MIRACAST_DISPLAY_REQUEST","features":[316]},{"name":"D3DKMT_ESCAPE_MODES_PRUNED_OUT","features":[316]},{"name":"D3DKMT_ESCAPE_OUTPUTDUPL_DIAGNOSTICS","features":[316]},{"name":"D3DKMT_ESCAPE_OUTPUTDUPL_SNAPSHOT","features":[316]},{"name":"D3DKMT_ESCAPE_PFN_CONTROL_COMMAND","features":[316]},{"name":"D3DKMT_ESCAPE_PFN_CONTROL_DEFAULT","features":[316]},{"name":"D3DKMT_ESCAPE_PFN_CONTROL_FORCE_CPU","features":[316]},{"name":"D3DKMT_ESCAPE_PFN_CONTROL_FORCE_GPU","features":[316]},{"name":"D3DKMT_ESCAPE_PROCESS_VERIFIER_OPTION","features":[316]},{"name":"D3DKMT_ESCAPE_QUERY_DMA_REMAPPING_STATUS","features":[316]},{"name":"D3DKMT_ESCAPE_QUERY_IOMMU_STATUS","features":[316]},{"name":"D3DKMT_ESCAPE_REQUEST_MACHINE_CRASH","features":[316]},{"name":"D3DKMT_ESCAPE_SOFTGPU_ENABLE_DISABLE_HMD","features":[316]},{"name":"D3DKMT_ESCAPE_TDRDBGCTRL","features":[316]},{"name":"D3DKMT_ESCAPE_VIDMM","features":[316]},{"name":"D3DKMT_ESCAPE_VIDSCH","features":[316]},{"name":"D3DKMT_ESCAPE_VIRTUAL_REFRESH_RATE","features":[316,308]},{"name":"D3DKMT_ESCAPE_VIRTUAL_REFRESH_RATE_TYPE","features":[316]},{"name":"D3DKMT_ESCAPE_VIRTUAL_REFRESH_RATE_TYPE_SET_BASE_DESKTOP_DURATION","features":[316]},{"name":"D3DKMT_ESCAPE_VIRTUAL_REFRESH_RATE_TYPE_SET_PROCESS_BOOST_ELIGIBLE","features":[316]},{"name":"D3DKMT_ESCAPE_VIRTUAL_REFRESH_RATE_TYPE_SET_VSYNC_MULTIPLIER","features":[316]},{"name":"D3DKMT_ESCAPE_WHQL_INFO","features":[316]},{"name":"D3DKMT_ESCAPE_WIN32K_BDD_FALLBACK","features":[316]},{"name":"D3DKMT_ESCAPE_WIN32K_COLOR_PROFILE_INFO","features":[316]},{"name":"D3DKMT_ESCAPE_WIN32K_DDA_TEST_CTL","features":[316]},{"name":"D3DKMT_ESCAPE_WIN32K_DISPBROKER_TEST","features":[316]},{"name":"D3DKMT_ESCAPE_WIN32K_DPI_INFO","features":[316]},{"name":"D3DKMT_ESCAPE_WIN32K_HIP_DEVICE_INFO","features":[316]},{"name":"D3DKMT_ESCAPE_WIN32K_PRESENTER_VIEW_INFO","features":[316]},{"name":"D3DKMT_ESCAPE_WIN32K_QUERY_CD_ROTATION_BLOCK","features":[316]},{"name":"D3DKMT_ESCAPE_WIN32K_SET_DIMMED_STATE","features":[316]},{"name":"D3DKMT_ESCAPE_WIN32K_SPECIALIZED_DISPLAY_TEST","features":[316]},{"name":"D3DKMT_ESCAPE_WIN32K_START","features":[316]},{"name":"D3DKMT_ESCAPE_WIN32K_SYSTEM_DPI","features":[316]},{"name":"D3DKMT_ESCAPE_WIN32K_USER_DETECTED_BLACK_SCREEN","features":[316]},{"name":"D3DKMT_EVICT","features":[316]},{"name":"D3DKMT_EVICTION_CRITERIA","features":[316]},{"name":"D3DKMT_FENCE_PRESENTHISTORYTOKEN","features":[316]},{"name":"D3DKMT_FLIPINFOFLAGS","features":[316]},{"name":"D3DKMT_FLIPMANAGER_AUXILIARYPRESENTINFO","features":[316,308]},{"name":"D3DKMT_FLIPMANAGER_PRESENTHISTORYTOKEN","features":[316]},{"name":"D3DKMT_FLIPMODEL_INDEPENDENT_FLIP_STAGE","features":[316]},{"name":"D3DKMT_FLIPMODEL_INDEPENDENT_FLIP_STAGE_FLIP_COMPLETE","features":[316]},{"name":"D3DKMT_FLIPMODEL_INDEPENDENT_FLIP_STAGE_FLIP_SUBMITTED","features":[316]},{"name":"D3DKMT_FLIPMODEL_PRESENTHISTORYTOKEN","features":[316,308]},{"name":"D3DKMT_FLIPMODEL_PRESENTHISTORYTOKENFLAGS","features":[316]},{"name":"D3DKMT_FLIPOVERLAY","features":[316]},{"name":"D3DKMT_FLIPQUEUEINFO","features":[316]},{"name":"D3DKMT_FLUSHHEAPTRANSITIONS","features":[316]},{"name":"D3DKMT_FREEGPUVIRTUALADDRESS","features":[316]},{"name":"D3DKMT_GDIMODEL_PRESENTHISTORYTOKEN","features":[316,308]},{"name":"D3DKMT_GDIMODEL_SYSMEM_PRESENTHISTORYTOKEN","features":[316]},{"name":"D3DKMT_GDI_STYLE_HANDLE_DECORATION","features":[316]},{"name":"D3DKMT_GETALLOCATIONPRIORITY","features":[316]},{"name":"D3DKMT_GETCONTEXTINPROCESSSCHEDULINGPRIORITY","features":[316]},{"name":"D3DKMT_GETCONTEXTSCHEDULINGPRIORITY","features":[316]},{"name":"D3DKMT_GETDEVICESTATE","features":[316,308]},{"name":"D3DKMT_GETDISPLAYMODELIST","features":[316]},{"name":"D3DKMT_GETMULTISAMPLEMETHODLIST","features":[316]},{"name":"D3DKMT_GETOVERLAYSTATE","features":[316,308]},{"name":"D3DKMT_GETPRESENTHISTORY","features":[316,308]},{"name":"D3DKMT_GETPRESENTHISTORY_MAXTOKENS","features":[316]},{"name":"D3DKMT_GETPROCESSDEVICEREMOVALSUPPORT","features":[316,308]},{"name":"D3DKMT_GETRUNTIMEDATA","features":[316]},{"name":"D3DKMT_GETSCANLINE","features":[316,308]},{"name":"D3DKMT_GETSHAREDPRIMARYHANDLE","features":[316]},{"name":"D3DKMT_GETSHAREDRESOURCEADAPTERLUID","features":[316,308]},{"name":"D3DKMT_GETVERTICALBLANKEVENT","features":[316]},{"name":"D3DKMT_GET_DEVICE_VIDPN_OWNERSHIP_INFO","features":[316,308]},{"name":"D3DKMT_GET_GPUMMU_CAPS","features":[316,308]},{"name":"D3DKMT_GET_MULTIPLANE_OVERLAY_CAPS","features":[316]},{"name":"D3DKMT_GET_POST_COMPOSITION_CAPS","features":[316]},{"name":"D3DKMT_GET_PTE","features":[316,308]},{"name":"D3DKMT_GET_PTE_MAX","features":[316]},{"name":"D3DKMT_GET_QUEUEDLIMIT_PRESENT","features":[316]},{"name":"D3DKMT_GET_SEGMENT_CAPS","features":[316,308]},{"name":"D3DKMT_GPUMMU_CAPS","features":[316]},{"name":"D3DKMT_GPUVERSION","features":[316]},{"name":"D3DKMT_GPU_PREFERENCE_QUERY_STATE","features":[316]},{"name":"D3DKMT_GPU_PREFERENCE_QUERY_TYPE","features":[316]},{"name":"D3DKMT_GPU_PREFERENCE_STATE_HIGH_PERFORMANCE","features":[316]},{"name":"D3DKMT_GPU_PREFERENCE_STATE_MINIMUM_POWER","features":[316]},{"name":"D3DKMT_GPU_PREFERENCE_STATE_NOT_FOUND","features":[316]},{"name":"D3DKMT_GPU_PREFERENCE_STATE_UNINITIALIZED","features":[316]},{"name":"D3DKMT_GPU_PREFERENCE_STATE_UNSPECIFIED","features":[316]},{"name":"D3DKMT_GPU_PREFERENCE_STATE_USER_SPECIFIED_GPU","features":[316]},{"name":"D3DKMT_GPU_PREFERENCE_TYPE_DX_DATABASE","features":[316]},{"name":"D3DKMT_GPU_PREFERENCE_TYPE_IHV_DLIST","features":[316]},{"name":"D3DKMT_GPU_PREFERENCE_TYPE_USER_PREFERENCE","features":[316]},{"name":"D3DKMT_HISTORY_BUFFER_STATUS","features":[316,308]},{"name":"D3DKMT_HWDRM_SUPPORT","features":[316,308]},{"name":"D3DKMT_HYBRID_DLIST_DLL_SUPPORT","features":[316,308]},{"name":"D3DKMT_HYBRID_LIST","features":[316,308]},{"name":"D3DKMT_INDEPENDENTFLIP_SECONDARY_SUPPORT","features":[316,308]},{"name":"D3DKMT_INDEPENDENTFLIP_SUPPORT","features":[316,308]},{"name":"D3DKMT_INVALIDATEACTIVEVIDPN","features":[316]},{"name":"D3DKMT_INVALIDATECACHE","features":[316]},{"name":"D3DKMT_ISBADDRIVERFORHWPROTECTIONDISABLED","features":[316,308]},{"name":"D3DKMT_KMD_DRIVER_VERSION","features":[316]},{"name":"D3DKMT_LOCK","features":[316]},{"name":"D3DKMT_LOCK2","features":[316]},{"name":"D3DKMT_MARKDEVICEASERROR","features":[316]},{"name":"D3DKMT_MAX_BUNDLE_OBJECTS_PER_HANDLE","features":[316]},{"name":"D3DKMT_MAX_DMM_ESCAPE_DATASIZE","features":[316]},{"name":"D3DKMT_MAX_MULTIPLANE_OVERLAY_ALLOCATIONS_PER_PLANE","features":[316]},{"name":"D3DKMT_MAX_MULTIPLANE_OVERLAY_PLANES","features":[316]},{"name":"D3DKMT_MAX_OBJECTS_PER_HANDLE","features":[316]},{"name":"D3DKMT_MAX_PRESENT_HISTORY_RECTS","features":[316]},{"name":"D3DKMT_MAX_PRESENT_HISTORY_SCATTERBLTS","features":[316]},{"name":"D3DKMT_MAX_SEGMENT_COUNT","features":[316]},{"name":"D3DKMT_MAX_WAITFORVERTICALBLANK_OBJECTS","features":[316]},{"name":"D3DKMT_MEMORY_SEGMENT_GROUP","features":[316]},{"name":"D3DKMT_MEMORY_SEGMENT_GROUP_LOCAL","features":[316]},{"name":"D3DKMT_MEMORY_SEGMENT_GROUP_NON_LOCAL","features":[316]},{"name":"D3DKMT_MIRACASTCOMPANIONDRIVERNAME","features":[316]},{"name":"D3DKMT_MIRACAST_CHUNK_DATA","features":[316]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS","features":[316]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_CANCELLED","features":[316]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_DEVICE_ERROR","features":[316]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_DEVICE_NOT_FOUND","features":[316]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_DEVICE_NOT_STARTED","features":[316]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_GPU_RESOURCE_IN_USE","features":[316]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_INSUFFICIENT_BANDWIDTH","features":[316]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_INSUFFICIENT_MEMORY","features":[316]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_INVALID_PARAMETER","features":[316]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_PENDING","features":[316]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_REMOTE_SESSION","features":[316]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_SUCCESS","features":[316]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_SUCCESS_NO_MONITOR","features":[316]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_UNKOWN_ERROR","features":[316]},{"name":"D3DKMT_MIRACAST_DEVICE_STATUS_UNKOWN_PAIRING","features":[316]},{"name":"D3DKMT_MIRACAST_DISPLAY_DEVICE_CAPS","features":[316,308]},{"name":"D3DKMT_MIRACAST_DISPLAY_DEVICE_STATE","features":[316]},{"name":"D3DKMT_MIRACAST_DISPLAY_DEVICE_STATUS","features":[316]},{"name":"D3DKMT_MIRACAST_DISPLAY_STOP_SESSIONS","features":[316,308]},{"name":"D3DKMT_MIRACAST_DRIVER_IHV","features":[316]},{"name":"D3DKMT_MIRACAST_DRIVER_MS","features":[316]},{"name":"D3DKMT_MIRACAST_DRIVER_NOT_SUPPORTED","features":[316]},{"name":"D3DKMT_MIRACAST_DRIVER_TYPE","features":[316]},{"name":"D3DKMT_MOVE_RECT","features":[316,308]},{"name":"D3DKMT_MPO3DDI_SUPPORT","features":[316,308]},{"name":"D3DKMT_MPOKERNELCAPS_SUPPORT","features":[316,308]},{"name":"D3DKMT_MULIIPLANE_OVERLAY_VIDEO_FRAME_FORMAT_PROGRESSIVE","features":[316]},{"name":"D3DKMT_MULTIPLANEOVERLAY_DECODE_SUPPORT","features":[316,308]},{"name":"D3DKMT_MULTIPLANEOVERLAY_HUD_SUPPORT","features":[316,308]},{"name":"D3DKMT_MULTIPLANEOVERLAY_SECONDARY_SUPPORT","features":[316,308]},{"name":"D3DKMT_MULTIPLANEOVERLAY_STRETCH_SUPPORT","features":[316,308]},{"name":"D3DKMT_MULTIPLANEOVERLAY_SUPPORT","features":[316,308]},{"name":"D3DKMT_MULTIPLANE_OVERLAY","features":[316,308]},{"name":"D3DKMT_MULTIPLANE_OVERLAY2","features":[316,308]},{"name":"D3DKMT_MULTIPLANE_OVERLAY3","features":[316,308]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_ATTRIBUTES","features":[316,308]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_ATTRIBUTES2","features":[316,308]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_ATTRIBUTES3","features":[316,308]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_BLEND","features":[316]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_BLEND_ALPHABLEND","features":[316]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_BLEND_OPAQUE","features":[316]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_CAPS","features":[316]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_FLAGS","features":[316]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_FLAG_HORIZONTAL_FLIP","features":[316]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_FLAG_STATIC_CHECK","features":[316]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_FLAG_VERTICAL_FLIP","features":[316]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_POST_COMPOSITION","features":[316,308]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_POST_COMPOSITION_FLAGS","features":[316]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_POST_COMPOSITION_WITH_SOURCE","features":[316,308]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_STEREO_FORMAT","features":[316]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_STEREO_FORMAT_HORIZONTAL","features":[316]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_STEREO_FORMAT_VERTICAL","features":[316]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_VIDEO_FRAME_FORMAT","features":[316]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_VIDEO_FRAME_FORMAT_INTERLACED_BOTTOM_FIELD_FIRST","features":[316]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_VIDEO_FRAME_FORMAT_INTERLACED_TOP_FIELD_FIRST","features":[316]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_YCbCr_FLAGS","features":[316]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_YCbCr_FLAG_BT709","features":[316]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_YCbCr_FLAG_NOMINAL_RANGE","features":[316]},{"name":"D3DKMT_MULTIPLANE_OVERLAY_YCbCr_FLAG_xvYCC","features":[316]},{"name":"D3DKMT_MULTISAMPLEMETHOD","features":[316]},{"name":"D3DKMT_MaxAllocationPriorityClass","features":[316]},{"name":"D3DKMT_MmIoFlipCommandBuffer","features":[316]},{"name":"D3DKMT_NODEMETADATA","features":[316,308]},{"name":"D3DKMT_NODE_PERFDATA","features":[316]},{"name":"D3DKMT_NOTIFY_WORK_SUBMISSION","features":[316]},{"name":"D3DKMT_NOTIFY_WORK_SUBMISSION_FLAGS","features":[316]},{"name":"D3DKMT_OFFERALLOCATIONS","features":[316]},{"name":"D3DKMT_OFFER_FLAGS","features":[316]},{"name":"D3DKMT_OFFER_PRIORITY","features":[316]},{"name":"D3DKMT_OFFER_PRIORITY_AUTO","features":[316]},{"name":"D3DKMT_OFFER_PRIORITY_HIGH","features":[316]},{"name":"D3DKMT_OFFER_PRIORITY_LOW","features":[316]},{"name":"D3DKMT_OFFER_PRIORITY_NORMAL","features":[316]},{"name":"D3DKMT_OPENADAPTERFROMDEVICENAME","features":[316,308]},{"name":"D3DKMT_OPENADAPTERFROMGDIDISPLAYNAME","features":[316,308]},{"name":"D3DKMT_OPENADAPTERFROMHDC","features":[316,308,319]},{"name":"D3DKMT_OPENADAPTERFROMLUID","features":[316,308]},{"name":"D3DKMT_OPENGLINFO","features":[316]},{"name":"D3DKMT_OPENKEYEDMUTEX","features":[316]},{"name":"D3DKMT_OPENKEYEDMUTEX2","features":[316]},{"name":"D3DKMT_OPENKEYEDMUTEXFROMNTHANDLE","features":[316,308]},{"name":"D3DKMT_OPENNATIVEFENCEFROMNTHANDLE","features":[316,308]},{"name":"D3DKMT_OPENNTHANDLEFROMNAME","features":[309,316,308]},{"name":"D3DKMT_OPENPROTECTEDSESSIONFROMNTHANDLE","features":[316,308]},{"name":"D3DKMT_OPENRESOURCE","features":[316]},{"name":"D3DKMT_OPENRESOURCEFROMNTHANDLE","features":[316,308]},{"name":"D3DKMT_OPENSYNCHRONIZATIONOBJECT","features":[316]},{"name":"D3DKMT_OPENSYNCOBJECTFROMNTHANDLE","features":[316,308]},{"name":"D3DKMT_OPENSYNCOBJECTFROMNTHANDLE2","features":[316,308]},{"name":"D3DKMT_OPENSYNCOBJECTNTHANDLEFROMNAME","features":[309,316,308]},{"name":"D3DKMT_OUTDUPL_POINTER_SHAPE_INFO","features":[316,308]},{"name":"D3DKMT_OUTDUPL_POINTER_SHAPE_TYPE","features":[316]},{"name":"D3DKMT_OUTDUPL_POINTER_SHAPE_TYPE_COLOR","features":[316]},{"name":"D3DKMT_OUTDUPL_POINTER_SHAPE_TYPE_MASKED_COLOR","features":[316]},{"name":"D3DKMT_OUTDUPL_POINTER_SHAPE_TYPE_MONOCHROME","features":[316]},{"name":"D3DKMT_OUTPUTDUPLCONTEXTSCOUNT","features":[316]},{"name":"D3DKMT_OUTPUTDUPLCREATIONFLAGS","features":[316]},{"name":"D3DKMT_OUTPUTDUPLPRESENT","features":[316,308]},{"name":"D3DKMT_OUTPUTDUPLPRESENTFLAGS","features":[316]},{"name":"D3DKMT_OUTPUTDUPLPRESENTTOHWQUEUE","features":[316,308]},{"name":"D3DKMT_OUTPUTDUPL_FRAMEINFO","features":[316,308]},{"name":"D3DKMT_OUTPUTDUPL_GET_FRAMEINFO","features":[316,308]},{"name":"D3DKMT_OUTPUTDUPL_GET_POINTER_SHAPE_DATA","features":[316,308]},{"name":"D3DKMT_OUTPUTDUPL_KEYEDMUTEX","features":[316,308]},{"name":"D3DKMT_OUTPUTDUPL_METADATA","features":[316]},{"name":"D3DKMT_OUTPUTDUPL_METADATATYPE","features":[316]},{"name":"D3DKMT_OUTPUTDUPL_METADATATYPE_DIRTY_RECTS","features":[316]},{"name":"D3DKMT_OUTPUTDUPL_METADATATYPE_MOVE_RECTS","features":[316]},{"name":"D3DKMT_OUTPUTDUPL_POINTER_POSITION","features":[316,308]},{"name":"D3DKMT_OUTPUTDUPL_RELEASE_FRAME","features":[316]},{"name":"D3DKMT_OUTPUTDUPL_SNAPSHOT","features":[316,308]},{"name":"D3DKMT_PAGE_TABLE_LEVEL_DESC","features":[316]},{"name":"D3DKMT_PANELFITTER_SUPPORT","features":[316,308]},{"name":"D3DKMT_PARAVIRTUALIZATION","features":[316,308]},{"name":"D3DKMT_PHYSICAL_ADAPTER_COUNT","features":[316]},{"name":"D3DKMT_PINDIRECTFLIPRESOURCES","features":[316]},{"name":"D3DKMT_PLANE_SPECIFIC_INPUT_FLAGS","features":[316]},{"name":"D3DKMT_PLANE_SPECIFIC_OUTPUT_FLAGS","features":[316]},{"name":"D3DKMT_PM_FLIPMANAGER","features":[316]},{"name":"D3DKMT_PM_REDIRECTED_BLT","features":[316]},{"name":"D3DKMT_PM_REDIRECTED_COMPOSITION","features":[316]},{"name":"D3DKMT_PM_REDIRECTED_FLIP","features":[316]},{"name":"D3DKMT_PM_REDIRECTED_GDI","features":[316]},{"name":"D3DKMT_PM_REDIRECTED_GDI_SYSMEM","features":[316]},{"name":"D3DKMT_PM_REDIRECTED_VISTABLT","features":[316]},{"name":"D3DKMT_PM_SCREENCAPTUREFENCE","features":[316]},{"name":"D3DKMT_PM_SURFACECOMPLETE","features":[316]},{"name":"D3DKMT_PM_UNINITIALIZED","features":[316]},{"name":"D3DKMT_PNP_KEY_HARDWARE","features":[316]},{"name":"D3DKMT_PNP_KEY_SOFTWARE","features":[316]},{"name":"D3DKMT_PNP_KEY_TYPE","features":[316]},{"name":"D3DKMT_POLLDISPLAYCHILDREN","features":[316]},{"name":"D3DKMT_PRESENT","features":[316,308]},{"name":"D3DKMT_PRESENTFLAGS","features":[316]},{"name":"D3DKMT_PRESENTHISTORYTOKEN","features":[316,308]},{"name":"D3DKMT_PRESENT_MODEL","features":[316]},{"name":"D3DKMT_PRESENT_MULTIPLANE_OVERLAY","features":[316,308]},{"name":"D3DKMT_PRESENT_MULTIPLANE_OVERLAY2","features":[316,308]},{"name":"D3DKMT_PRESENT_MULTIPLANE_OVERLAY3","features":[316,308]},{"name":"D3DKMT_PRESENT_MULTIPLANE_OVERLAY_FLAGS","features":[316]},{"name":"D3DKMT_PRESENT_REDIRECTED","features":[316,308]},{"name":"D3DKMT_PRESENT_REDIRECTED_FLAGS","features":[316]},{"name":"D3DKMT_PRESENT_RGNS","features":[316,308]},{"name":"D3DKMT_PRESENT_STATS","features":[316]},{"name":"D3DKMT_PRESENT_STATS_DWM","features":[316]},{"name":"D3DKMT_PRESENT_STATS_DWM2","features":[316]},{"name":"D3DKMT_PROCESS_VERIFIER_OPTION","features":[316,308]},{"name":"D3DKMT_PROCESS_VERIFIER_OPTION_DATA","features":[316]},{"name":"D3DKMT_PROCESS_VERIFIER_OPTION_TYPE","features":[316]},{"name":"D3DKMT_PROCESS_VERIFIER_OPTION_VIDMM_FLAGS","features":[316]},{"name":"D3DKMT_PROCESS_VERIFIER_OPTION_VIDMM_RESTRICT_BUDGET","features":[316]},{"name":"D3DKMT_PROCESS_VERIFIER_VIDMM_FLAGS","features":[316]},{"name":"D3DKMT_PROCESS_VERIFIER_VIDMM_RESTRICT_BUDGET","features":[316]},{"name":"D3DKMT_PROTECTED_SESSION_STATUS","features":[316]},{"name":"D3DKMT_PROTECTED_SESSION_STATUS_INVALID","features":[316]},{"name":"D3DKMT_PROTECTED_SESSION_STATUS_OK","features":[316]},{"name":"D3DKMT_PreemptionAttempt","features":[316]},{"name":"D3DKMT_PreemptionAttemptMissAlreadyPreempting","features":[316]},{"name":"D3DKMT_PreemptionAttemptMissAlreadyRunning","features":[316]},{"name":"D3DKMT_PreemptionAttemptMissFenceCommand","features":[316]},{"name":"D3DKMT_PreemptionAttemptMissGlobalBlock","features":[316]},{"name":"D3DKMT_PreemptionAttemptMissLessPriority","features":[316]},{"name":"D3DKMT_PreemptionAttemptMissNextFence","features":[316]},{"name":"D3DKMT_PreemptionAttemptMissNoCommand","features":[316]},{"name":"D3DKMT_PreemptionAttemptMissNotEnabled","features":[316]},{"name":"D3DKMT_PreemptionAttemptMissNotMakingProgress","features":[316]},{"name":"D3DKMT_PreemptionAttemptMissPagingCommand","features":[316]},{"name":"D3DKMT_PreemptionAttemptMissRemainingPreemptionQuantum","features":[316]},{"name":"D3DKMT_PreemptionAttemptMissRemainingQuantum","features":[316]},{"name":"D3DKMT_PreemptionAttemptMissRenderPendingFlip","features":[316]},{"name":"D3DKMT_PreemptionAttemptMissSplittedCommand","features":[316]},{"name":"D3DKMT_PreemptionAttemptStatisticsMax","features":[316]},{"name":"D3DKMT_PreemptionAttemptSuccess","features":[316]},{"name":"D3DKMT_QUERYADAPTERINFO","features":[316]},{"name":"D3DKMT_QUERYALLOCATIONRESIDENCY","features":[316]},{"name":"D3DKMT_QUERYCLOCKCALIBRATION","features":[316]},{"name":"D3DKMT_QUERYFSEBLOCK","features":[316,308]},{"name":"D3DKMT_QUERYFSEBLOCKFLAGS","features":[316]},{"name":"D3DKMT_QUERYPROCESSOFFERINFO","features":[316,308]},{"name":"D3DKMT_QUERYPROTECTEDSESSIONINFOFROMNTHANDLE","features":[316,308]},{"name":"D3DKMT_QUERYPROTECTEDSESSIONSTATUS","features":[316]},{"name":"D3DKMT_QUERYREMOTEVIDPNSOURCEFROMGDIDISPLAYNAME","features":[316]},{"name":"D3DKMT_QUERYRESOURCEINFO","features":[316]},{"name":"D3DKMT_QUERYRESOURCEINFOFROMNTHANDLE","features":[316,308]},{"name":"D3DKMT_QUERYRESULT_PREEMPTION_ATTEMPT_RESULT","features":[316]},{"name":"D3DKMT_QUERYRESULT_PREEMPTION_ATTEMPT_RESULT_MAX","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS","features":[316,308]},{"name":"D3DKMT_QUERYSTATISTICS_ADAPTER","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_ADAPTER2","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_ADAPTER_INFORMATION","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_ADAPTER_INFORMATION_FLAGS","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_ALLOCATION_PRIORITY_CLASS","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_ALLOCATION_PRIORITY_CLASS_MAX","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_COMMITMENT_DATA","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_COUNTER","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_DMA_BUFFER","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_DMA_PACKET_TYPE","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_DMA_PACKET_TYPE_INFORMATION","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_DMA_PACKET_TYPE_MAX","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_MEMORY","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_MEMORY_USAGE","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_NODE","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_NODE2","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_NODE_INFORMATION","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_PACKET_INFORMATION","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_PHYSICAL_ADAPTER","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_PHYSICAL_ADAPTER_INFORMATION","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_POLICY","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_PREEMPTION_INFORMATION","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_ADAPTER","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_ADAPTER2","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_ADAPTER_INFORMATION","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_INFORMATION","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_INTERFERENCE_BUCKET_COUNT","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_INTERFERENCE_COUNTERS","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_NODE","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_NODE2","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_NODE_INFORMATION","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_SEGMENT","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_SEGMENT2","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_SEGMENT_GROUP","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_SEGMENT_GROUP2","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_SEGMENT_GROUP_INFORMATION","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_SEGMENT_INFORMATION","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_SEGMENT_POLICY","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_VIDPNSOURCE","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_PROCESS_VIDPNSOURCE_INFORMATION","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_QUERY_ADAPTER2","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_QUERY_ADAPTER_INFORMATION2","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_QUERY_NODE","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_QUERY_NODE2","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_QUERY_PHYSICAL_ADAPTER","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_QUERY_PROCESS_SEGMENT_GROUP2","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_QUERY_SEGMENT","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_QUERY_SEGMENT2","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_QUERY_SEGMENT_GROUP_USAGE","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_QUERY_SEGMENT_USAGE","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_QUERY_VIDPNSOURCE","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_QUEUE_PACKET_TYPE","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_QUEUE_PACKET_TYPE_INFORMATION","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_QUEUE_PACKET_TYPE_MAX","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_RESULT","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_SEGMENT","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_SEGMENT2","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_SEGMENT_GROUP_USAGE","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_SEGMENT_INFORMATION","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_SEGMENT_PREFERENCE_MAX","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_SEGMENT_TYPE","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_SEGMENT_TYPE_APERTURE","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_SEGMENT_TYPE_MEMORY","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_SEGMENT_TYPE_SYSMEM","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_SEGMENT_USAGE","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_SYSTEM_MEMORY","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_TYPE","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_VIDEO_MEMORY","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_VIDPNSOURCE","features":[316]},{"name":"D3DKMT_QUERYSTATISTICS_VIDPNSOURCE_INFORMATION","features":[316]},{"name":"D3DKMT_QUERYSTATSTICS_ALLOCATIONS","features":[316]},{"name":"D3DKMT_QUERYSTATSTICS_LOCKS","features":[316]},{"name":"D3DKMT_QUERYSTATSTICS_PAGING_FAULT","features":[316]},{"name":"D3DKMT_QUERYSTATSTICS_PAGING_TRANSFER","features":[316]},{"name":"D3DKMT_QUERYSTATSTICS_PREPRATION","features":[316]},{"name":"D3DKMT_QUERYSTATSTICS_REFERENCE_DMA_BUFFER","features":[316]},{"name":"D3DKMT_QUERYSTATSTICS_RENAMING","features":[316]},{"name":"D3DKMT_QUERYSTATSTICS_SWIZZLING_RANGE","features":[316]},{"name":"D3DKMT_QUERYSTATSTICS_TERMINATIONS","features":[316]},{"name":"D3DKMT_QUERYVIDEOMEMORYINFO","features":[316,308]},{"name":"D3DKMT_QUERYVIDPNEXCLUSIVEOWNERSHIP","features":[316,308]},{"name":"D3DKMT_QUERY_ADAPTER_UNIQUE_GUID","features":[316]},{"name":"D3DKMT_QUERY_DEVICE_IDS","features":[316]},{"name":"D3DKMT_QUERY_GPUMMU_CAPS","features":[316]},{"name":"D3DKMT_QUERY_MIRACAST_DRIVER_TYPE","features":[316]},{"name":"D3DKMT_QUERY_PHYSICAL_ADAPTER_PNP_KEY","features":[316]},{"name":"D3DKMT_QUERY_SCANOUT_CAPS","features":[316]},{"name":"D3DKMT_QUEUEDLIMIT_TYPE","features":[316]},{"name":"D3DKMT_QueuePacketTypeMax","features":[316]},{"name":"D3DKMT_RECLAIMALLOCATIONS","features":[316,308]},{"name":"D3DKMT_RECLAIMALLOCATIONS2","features":[316,308]},{"name":"D3DKMT_REGISTERBUDGETCHANGENOTIFICATION","features":[316]},{"name":"D3DKMT_REGISTERTRIMNOTIFICATION","features":[316,308]},{"name":"D3DKMT_RELEASEKEYEDMUTEX","features":[316]},{"name":"D3DKMT_RELEASEKEYEDMUTEX2","features":[316]},{"name":"D3DKMT_RENDER","features":[316]},{"name":"D3DKMT_RENDERFLAGS","features":[316]},{"name":"D3DKMT_REQUEST_MACHINE_CRASH_ESCAPE","features":[316]},{"name":"D3DKMT_RenderCommandBuffer","features":[316]},{"name":"D3DKMT_SCATTERBLT","features":[316,308]},{"name":"D3DKMT_SCATTERBLTS","features":[316,308]},{"name":"D3DKMT_SCHEDULINGPRIORITYCLASS","features":[316]},{"name":"D3DKMT_SCHEDULINGPRIORITYCLASS_ABOVE_NORMAL","features":[316]},{"name":"D3DKMT_SCHEDULINGPRIORITYCLASS_BELOW_NORMAL","features":[316]},{"name":"D3DKMT_SCHEDULINGPRIORITYCLASS_HIGH","features":[316]},{"name":"D3DKMT_SCHEDULINGPRIORITYCLASS_IDLE","features":[316]},{"name":"D3DKMT_SCHEDULINGPRIORITYCLASS_NORMAL","features":[316]},{"name":"D3DKMT_SCHEDULINGPRIORITYCLASS_REALTIME","features":[316]},{"name":"D3DKMT_SEGMENTGROUPSIZEINFO","features":[316]},{"name":"D3DKMT_SEGMENTSIZEINFO","features":[316]},{"name":"D3DKMT_SEGMENT_CAPS","features":[316,308]},{"name":"D3DKMT_SETALLOCATIONPRIORITY","features":[316]},{"name":"D3DKMT_SETCONTEXTINPROCESSSCHEDULINGPRIORITY","features":[316]},{"name":"D3DKMT_SETCONTEXTSCHEDULINGPRIORITY","features":[316]},{"name":"D3DKMT_SETCONTEXTSCHEDULINGPRIORITY_ABSOLUTE","features":[316]},{"name":"D3DKMT_SETDISPLAYMODE","features":[316]},{"name":"D3DKMT_SETDISPLAYMODE_FLAGS","features":[316]},{"name":"D3DKMT_SETDISPLAYPRIVATEDRIVERFORMAT","features":[316]},{"name":"D3DKMT_SETFSEBLOCK","features":[316,308]},{"name":"D3DKMT_SETFSEBLOCKFLAGS","features":[316]},{"name":"D3DKMT_SETGAMMARAMP","features":[316]},{"name":"D3DKMT_SETHWPROTECTIONTEARDOWNRECOVERY","features":[316,308]},{"name":"D3DKMT_SETQUEUEDLIMIT","features":[316]},{"name":"D3DKMT_SETSTABLEPOWERSTATE","features":[316,308]},{"name":"D3DKMT_SETSYNCREFRESHCOUNTWAITTARGET","features":[316]},{"name":"D3DKMT_SETVIDPNSOURCEHWPROTECTION","features":[316,308]},{"name":"D3DKMT_SETVIDPNSOURCEOWNER","features":[316]},{"name":"D3DKMT_SETVIDPNSOURCEOWNER1","features":[316]},{"name":"D3DKMT_SETVIDPNSOURCEOWNER2","features":[316]},{"name":"D3DKMT_SET_COLORSPACE_TRANSFORM","features":[316,308]},{"name":"D3DKMT_SET_QUEUEDLIMIT_PRESENT","features":[316]},{"name":"D3DKMT_SHAREDPRIMARYLOCKNOTIFICATION","features":[316,308]},{"name":"D3DKMT_SHAREDPRIMARYUNLOCKNOTIFICATION","features":[316,308]},{"name":"D3DKMT_SHAREOBJECTWITHHOST","features":[316]},{"name":"D3DKMT_SIGNALSYNCHRONIZATIONOBJECT","features":[316]},{"name":"D3DKMT_SIGNALSYNCHRONIZATIONOBJECT2","features":[316,308]},{"name":"D3DKMT_SIGNALSYNCHRONIZATIONOBJECTFROMCPU","features":[316]},{"name":"D3DKMT_SIGNALSYNCHRONIZATIONOBJECTFROMGPU","features":[316]},{"name":"D3DKMT_SIGNALSYNCHRONIZATIONOBJECTFROMGPU2","features":[316,308]},{"name":"D3DKMT_STANDARDALLOCATIONTYPE","features":[316]},{"name":"D3DKMT_STANDARDALLOCATIONTYPE_EXISTINGHEAP","features":[316]},{"name":"D3DKMT_STANDARDALLOCATIONTYPE_INTERNALBACKINGSTORE","features":[316]},{"name":"D3DKMT_STANDARDALLOCATIONTYPE_MAX","features":[316]},{"name":"D3DKMT_STANDARDALLOCATION_EXISTINGHEAP","features":[316]},{"name":"D3DKMT_SUBKEY_DX9","features":[316]},{"name":"D3DKMT_SUBKEY_OPENGL","features":[316]},{"name":"D3DKMT_SUBMITCOMMAND","features":[316]},{"name":"D3DKMT_SUBMITCOMMANDFLAGS","features":[316]},{"name":"D3DKMT_SUBMITCOMMANDTOHWQUEUE","features":[316]},{"name":"D3DKMT_SUBMITPRESENTBLTTOHWQUEUE","features":[316,308]},{"name":"D3DKMT_SUBMITPRESENTTOHWQUEUE","features":[316,308]},{"name":"D3DKMT_SUBMITSIGNALSYNCOBJECTSTOHWQUEUE","features":[316]},{"name":"D3DKMT_SUBMITWAITFORSYNCOBJECTSTOHWQUEUE","features":[316]},{"name":"D3DKMT_SURFACECOMPLETE_PRESENTHISTORYTOKEN","features":[316]},{"name":"D3DKMT_SignalCommandBuffer","features":[316]},{"name":"D3DKMT_SoftwareCommandBuffer","features":[316]},{"name":"D3DKMT_SystemCommandBuffer","features":[316]},{"name":"D3DKMT_SystemPagingBuffer","features":[316]},{"name":"D3DKMT_SystemPreemptionBuffer","features":[316]},{"name":"D3DKMT_TDRDBGCTRLTYPE","features":[316]},{"name":"D3DKMT_TDRDBGCTRLTYPE_DISABLEBREAK","features":[316]},{"name":"D3DKMT_TDRDBGCTRLTYPE_ENABLEBREAK","features":[316]},{"name":"D3DKMT_TDRDBGCTRLTYPE_ENGINETDR","features":[316]},{"name":"D3DKMT_TDRDBGCTRLTYPE_FORCEDODTDR","features":[316]},{"name":"D3DKMT_TDRDBGCTRLTYPE_FORCEDODVSYNCTDR","features":[316]},{"name":"D3DKMT_TDRDBGCTRLTYPE_FORCETDR","features":[316]},{"name":"D3DKMT_TDRDBGCTRLTYPE_GPUTDR","features":[316]},{"name":"D3DKMT_TDRDBGCTRLTYPE_UNCONDITIONAL","features":[316]},{"name":"D3DKMT_TDRDBGCTRLTYPE_VSYNCTDR","features":[316]},{"name":"D3DKMT_TDRDBGCTRL_ESCAPE","features":[316]},{"name":"D3DKMT_TRACKEDWORKLOAD_SUPPORT","features":[316,308]},{"name":"D3DKMT_TRIMNOTIFICATION","features":[316]},{"name":"D3DKMT_TRIMPROCESSCOMMITMENT","features":[316,308]},{"name":"D3DKMT_TRIMPROCESSCOMMITMENT_FLAGS","features":[316]},{"name":"D3DKMT_UMDFILENAMEINFO","features":[316]},{"name":"D3DKMT_UMD_DRIVER_VERSION","features":[316]},{"name":"D3DKMT_UNLOCK","features":[316]},{"name":"D3DKMT_UNLOCK2","features":[316]},{"name":"D3DKMT_UNPINDIRECTFLIPRESOURCES","features":[316]},{"name":"D3DKMT_UNREGISTERBUDGETCHANGENOTIFICATION","features":[316]},{"name":"D3DKMT_UNREGISTERTRIMNOTIFICATION","features":[316]},{"name":"D3DKMT_UPDATEGPUVIRTUALADDRESS","features":[316]},{"name":"D3DKMT_UPDATEOVERLAY","features":[316]},{"name":"D3DKMT_VAD_DESC","features":[316]},{"name":"D3DKMT_VAD_ESCAPE_COMMAND","features":[316]},{"name":"D3DKMT_VAD_ESCAPE_GETNUMVADS","features":[316]},{"name":"D3DKMT_VAD_ESCAPE_GETVAD","features":[316]},{"name":"D3DKMT_VAD_ESCAPE_GETVADRANGE","features":[316]},{"name":"D3DKMT_VAD_ESCAPE_GET_GPUMMU_CAPS","features":[316]},{"name":"D3DKMT_VAD_ESCAPE_GET_PTE","features":[316]},{"name":"D3DKMT_VAD_ESCAPE_GET_SEGMENT_CAPS","features":[316]},{"name":"D3DKMT_VA_RANGE_DESC","features":[316]},{"name":"D3DKMT_VERIFIER_OPTION_MODE","features":[316]},{"name":"D3DKMT_VERIFIER_OPTION_QUERY","features":[316]},{"name":"D3DKMT_VERIFIER_OPTION_SET","features":[316]},{"name":"D3DKMT_VGPUINTERFACEID","features":[316]},{"name":"D3DKMT_VIDMMESCAPETYPE","features":[316]},{"name":"D3DKMT_VIDMMESCAPETYPE_APERTURE_CORRUPTION_CHECK","features":[316]},{"name":"D3DKMT_VIDMMESCAPETYPE_DEFRAG","features":[316]},{"name":"D3DKMT_VIDMMESCAPETYPE_DELAYEXECUTION","features":[316]},{"name":"D3DKMT_VIDMMESCAPETYPE_EVICT","features":[316]},{"name":"D3DKMT_VIDMMESCAPETYPE_EVICT_BY_CRITERIA","features":[316]},{"name":"D3DKMT_VIDMMESCAPETYPE_EVICT_BY_NT_HANDLE","features":[316]},{"name":"D3DKMT_VIDMMESCAPETYPE_GET_BUDGET","features":[316]},{"name":"D3DKMT_VIDMMESCAPETYPE_GET_VAD_INFO","features":[316]},{"name":"D3DKMT_VIDMMESCAPETYPE_RESUME_PROCESS","features":[316]},{"name":"D3DKMT_VIDMMESCAPETYPE_RUN_COHERENCY_TEST","features":[316]},{"name":"D3DKMT_VIDMMESCAPETYPE_RUN_UNMAP_TO_DUMMY_PAGE_TEST","features":[316]},{"name":"D3DKMT_VIDMMESCAPETYPE_SETFAULT","features":[316]},{"name":"D3DKMT_VIDMMESCAPETYPE_SET_BUDGET","features":[316]},{"name":"D3DKMT_VIDMMESCAPETYPE_SET_EVICTION_CONFIG","features":[316]},{"name":"D3DKMT_VIDMMESCAPETYPE_SET_TRIM_INTERVALS","features":[316]},{"name":"D3DKMT_VIDMMESCAPETYPE_SUSPEND_CPU_ACCESS_TEST","features":[316]},{"name":"D3DKMT_VIDMMESCAPETYPE_SUSPEND_PROCESS","features":[316]},{"name":"D3DKMT_VIDMMESCAPETYPE_VALIDATE_INTEGRITY","features":[316]},{"name":"D3DKMT_VIDMMESCAPETYPE_WAKE","features":[316]},{"name":"D3DKMT_VIDMM_ESCAPE","features":[316,308]},{"name":"D3DKMT_VIDPNSOURCEOWNER_EMULATED","features":[316]},{"name":"D3DKMT_VIDPNSOURCEOWNER_EXCLUSIVE","features":[316]},{"name":"D3DKMT_VIDPNSOURCEOWNER_EXCLUSIVEGDI","features":[316]},{"name":"D3DKMT_VIDPNSOURCEOWNER_FLAGS","features":[316]},{"name":"D3DKMT_VIDPNSOURCEOWNER_SHARED","features":[316]},{"name":"D3DKMT_VIDPNSOURCEOWNER_TYPE","features":[316]},{"name":"D3DKMT_VIDPNSOURCEOWNER_UNOWNED","features":[316]},{"name":"D3DKMT_VIDSCHESCAPETYPE","features":[316]},{"name":"D3DKMT_VIDSCHESCAPETYPE_CONFIGURE_TDR_LIMIT","features":[316]},{"name":"D3DKMT_VIDSCHESCAPETYPE_ENABLECONTEXTDELAY","features":[316]},{"name":"D3DKMT_VIDSCHESCAPETYPE_PFN_CONTROL","features":[316]},{"name":"D3DKMT_VIDSCHESCAPETYPE_PREEMPTIONCONTROL","features":[316]},{"name":"D3DKMT_VIDSCHESCAPETYPE_SUSPENDRESUME","features":[316]},{"name":"D3DKMT_VIDSCHESCAPETYPE_SUSPENDSCHEDULER","features":[316]},{"name":"D3DKMT_VIDSCHESCAPETYPE_TDRCONTROL","features":[316]},{"name":"D3DKMT_VIDSCHESCAPETYPE_VGPU_RESET","features":[316]},{"name":"D3DKMT_VIDSCHESCAPETYPE_VIRTUAL_REFRESH_RATE","features":[316]},{"name":"D3DKMT_VIDSCH_ESCAPE","features":[316,308]},{"name":"D3DKMT_VIRTUALADDRESSFLAGS","features":[316]},{"name":"D3DKMT_VIRTUALADDRESSINFO","features":[316]},{"name":"D3DKMT_WAITFORIDLE","features":[316]},{"name":"D3DKMT_WAITFORSYNCHRONIZATIONOBJECT","features":[316]},{"name":"D3DKMT_WAITFORSYNCHRONIZATIONOBJECT2","features":[316]},{"name":"D3DKMT_WAITFORSYNCHRONIZATIONOBJECTFROMCPU","features":[316,308]},{"name":"D3DKMT_WAITFORSYNCHRONIZATIONOBJECTFROMGPU","features":[316]},{"name":"D3DKMT_WAITFORVERTICALBLANKEVENT","features":[316]},{"name":"D3DKMT_WAITFORVERTICALBLANKEVENT2","features":[316]},{"name":"D3DKMT_WDDM_1_2_CAPS","features":[316]},{"name":"D3DKMT_WDDM_1_3_CAPS","features":[316]},{"name":"D3DKMT_WDDM_2_0_CAPS","features":[316]},{"name":"D3DKMT_WDDM_2_7_CAPS","features":[316]},{"name":"D3DKMT_WDDM_2_9_CAPS","features":[316]},{"name":"D3DKMT_WDDM_3_0_CAPS","features":[316]},{"name":"D3DKMT_WDDM_3_1_CAPS","features":[316]},{"name":"D3DKMT_WORKINGSETFLAGS","features":[316]},{"name":"D3DKMT_WORKINGSETINFO","features":[316]},{"name":"D3DKMT_WSAUMDIMAGENAME","features":[316]},{"name":"D3DKMT_WaitCommandBuffer","features":[316]},{"name":"D3DKMT_XBOX","features":[316,308]},{"name":"D3DLINEPATTERN","features":[316]},{"name":"D3DNTCLEAR_COMPUTERECTS","features":[316]},{"name":"D3DNTDEVICEDESC_V3","features":[316,308,317]},{"name":"D3DNTDP2OP_ADDDIRTYBOX","features":[316]},{"name":"D3DNTDP2OP_ADDDIRTYRECT","features":[316]},{"name":"D3DNTDP2OP_BLT","features":[316]},{"name":"D3DNTDP2OP_BUFFERBLT","features":[316]},{"name":"D3DNTDP2OP_CLEAR","features":[316]},{"name":"D3DNTDP2OP_CLIPPEDTRIANGLEFAN","features":[316]},{"name":"D3DNTDP2OP_COLORFILL","features":[316]},{"name":"D3DNTDP2OP_COMPOSERECTS","features":[316]},{"name":"D3DNTDP2OP_CREATELIGHT","features":[316]},{"name":"D3DNTDP2OP_CREATEPIXELSHADER","features":[316]},{"name":"D3DNTDP2OP_CREATEQUERY","features":[316]},{"name":"D3DNTDP2OP_CREATEVERTEXSHADER","features":[316]},{"name":"D3DNTDP2OP_CREATEVERTEXSHADERDECL","features":[316]},{"name":"D3DNTDP2OP_CREATEVERTEXSHADERFUNC","features":[316]},{"name":"D3DNTDP2OP_DELETEPIXELSHADER","features":[316]},{"name":"D3DNTDP2OP_DELETEQUERY","features":[316]},{"name":"D3DNTDP2OP_DELETEVERTEXSHADER","features":[316]},{"name":"D3DNTDP2OP_DELETEVERTEXSHADERDECL","features":[316]},{"name":"D3DNTDP2OP_DELETEVERTEXSHADERFUNC","features":[316]},{"name":"D3DNTDP2OP_DRAWINDEXEDPRIMITIVE","features":[316]},{"name":"D3DNTDP2OP_DRAWINDEXEDPRIMITIVE2","features":[316]},{"name":"D3DNTDP2OP_DRAWPRIMITIVE","features":[316]},{"name":"D3DNTDP2OP_DRAWPRIMITIVE2","features":[316]},{"name":"D3DNTDP2OP_DRAWRECTPATCH","features":[316]},{"name":"D3DNTDP2OP_DRAWTRIPATCH","features":[316]},{"name":"D3DNTDP2OP_GENERATEMIPSUBLEVELS","features":[316]},{"name":"D3DNTDP2OP_INDEXEDLINELIST","features":[316]},{"name":"D3DNTDP2OP_INDEXEDLINELIST2","features":[316]},{"name":"D3DNTDP2OP_INDEXEDLINESTRIP","features":[316]},{"name":"D3DNTDP2OP_INDEXEDTRIANGLEFAN","features":[316]},{"name":"D3DNTDP2OP_INDEXEDTRIANGLELIST","features":[316]},{"name":"D3DNTDP2OP_INDEXEDTRIANGLELIST2","features":[316]},{"name":"D3DNTDP2OP_INDEXEDTRIANGLESTRIP","features":[316]},{"name":"D3DNTDP2OP_ISSUEQUERY","features":[316]},{"name":"D3DNTDP2OP_LINELIST","features":[316]},{"name":"D3DNTDP2OP_LINELIST_IMM","features":[316]},{"name":"D3DNTDP2OP_LINESTRIP","features":[316]},{"name":"D3DNTDP2OP_MULTIPLYTRANSFORM","features":[316]},{"name":"D3DNTDP2OP_POINTS","features":[316]},{"name":"D3DNTDP2OP_RENDERSTATE","features":[316]},{"name":"D3DNTDP2OP_RESPONSECONTINUE","features":[316]},{"name":"D3DNTDP2OP_RESPONSEQUERY","features":[316]},{"name":"D3DNTDP2OP_SETCLIPPLANE","features":[316]},{"name":"D3DNTDP2OP_SETCONVOLUTIONKERNELMONO","features":[316]},{"name":"D3DNTDP2OP_SETDEPTHSTENCIL","features":[316]},{"name":"D3DNTDP2OP_SETINDICES","features":[316]},{"name":"D3DNTDP2OP_SETLIGHT","features":[316]},{"name":"D3DNTDP2OP_SETMATERIAL","features":[316]},{"name":"D3DNTDP2OP_SETPALETTE","features":[316]},{"name":"D3DNTDP2OP_SETPIXELSHADER","features":[316]},{"name":"D3DNTDP2OP_SETPIXELSHADERCONST","features":[316]},{"name":"D3DNTDP2OP_SETPIXELSHADERCONSTB","features":[316]},{"name":"D3DNTDP2OP_SETPIXELSHADERCONSTI","features":[316]},{"name":"D3DNTDP2OP_SETPRIORITY","features":[316]},{"name":"D3DNTDP2OP_SETRENDERTARGET","features":[316]},{"name":"D3DNTDP2OP_SETRENDERTARGET2","features":[316]},{"name":"D3DNTDP2OP_SETSCISSORRECT","features":[316]},{"name":"D3DNTDP2OP_SETSTREAMSOURCE","features":[316]},{"name":"D3DNTDP2OP_SETSTREAMSOURCE2","features":[316]},{"name":"D3DNTDP2OP_SETSTREAMSOURCEFREQ","features":[316]},{"name":"D3DNTDP2OP_SETSTREAMSOURCEUM","features":[316]},{"name":"D3DNTDP2OP_SETTEXLOD","features":[316]},{"name":"D3DNTDP2OP_SETTRANSFORM","features":[316]},{"name":"D3DNTDP2OP_SETVERTEXSHADER","features":[316]},{"name":"D3DNTDP2OP_SETVERTEXSHADERCONST","features":[316]},{"name":"D3DNTDP2OP_SETVERTEXSHADERCONSTB","features":[316]},{"name":"D3DNTDP2OP_SETVERTEXSHADERCONSTI","features":[316]},{"name":"D3DNTDP2OP_SETVERTEXSHADERDECL","features":[316]},{"name":"D3DNTDP2OP_SETVERTEXSHADERFUNC","features":[316]},{"name":"D3DNTDP2OP_STATESET","features":[316]},{"name":"D3DNTDP2OP_SURFACEBLT","features":[316]},{"name":"D3DNTDP2OP_TEXBLT","features":[316]},{"name":"D3DNTDP2OP_TEXTURESTAGESTATE","features":[316]},{"name":"D3DNTDP2OP_TRIANGLEFAN","features":[316]},{"name":"D3DNTDP2OP_TRIANGLEFAN_IMM","features":[316]},{"name":"D3DNTDP2OP_TRIANGLELIST","features":[316]},{"name":"D3DNTDP2OP_TRIANGLESTRIP","features":[316]},{"name":"D3DNTDP2OP_UPDATEPALETTE","features":[316]},{"name":"D3DNTDP2OP_VIEWPORTINFO","features":[316]},{"name":"D3DNTDP2OP_VOLUMEBLT","features":[316]},{"name":"D3DNTDP2OP_WINFO","features":[316]},{"name":"D3DNTDP2OP_ZRANGE","features":[316]},{"name":"D3DNTHAL2_CB32_SETRENDERTARGET","features":[316]},{"name":"D3DNTHAL3_CB32_CLEAR2","features":[316]},{"name":"D3DNTHAL3_CB32_DRAWPRIMITIVES2","features":[316]},{"name":"D3DNTHAL3_CB32_RESERVED","features":[316]},{"name":"D3DNTHAL3_CB32_VALIDATETEXTURESTAGESTATE","features":[316]},{"name":"D3DNTHALDEVICEDESC_V1","features":[316,308,317]},{"name":"D3DNTHALDEVICEDESC_V2","features":[316,308,317]},{"name":"D3DNTHALDP2_EXECUTEBUFFER","features":[316]},{"name":"D3DNTHALDP2_REQCOMMANDBUFSIZE","features":[316]},{"name":"D3DNTHALDP2_REQVERTEXBUFSIZE","features":[316]},{"name":"D3DNTHALDP2_SWAPCOMMANDBUFFER","features":[316]},{"name":"D3DNTHALDP2_SWAPVERTEXBUFFER","features":[316]},{"name":"D3DNTHALDP2_USERMEMVERTICES","features":[316]},{"name":"D3DNTHALDP2_VIDMEMCOMMANDBUF","features":[316]},{"name":"D3DNTHALDP2_VIDMEMVERTEXBUF","features":[316]},{"name":"D3DNTHAL_CALLBACKS","features":[316,308,318]},{"name":"D3DNTHAL_CALLBACKS2","features":[316,308,318]},{"name":"D3DNTHAL_CALLBACKS3","features":[316,308,317,318]},{"name":"D3DNTHAL_CLEAR2DATA","features":[316,317]},{"name":"D3DNTHAL_CLIPPEDTRIANGLEFAN","features":[316]},{"name":"D3DNTHAL_COL_WEIGHTS","features":[316]},{"name":"D3DNTHAL_CONTEXTCREATEDATA","features":[316,308,318]},{"name":"D3DNTHAL_CONTEXTDESTROYALLDATA","features":[316]},{"name":"D3DNTHAL_CONTEXTDESTROYDATA","features":[316]},{"name":"D3DNTHAL_CONTEXT_BAD","features":[316]},{"name":"D3DNTHAL_D3DDX6EXTENDEDCAPS","features":[316]},{"name":"D3DNTHAL_D3DEXTENDEDCAPS","features":[316]},{"name":"D3DNTHAL_DP2ADDDIRTYBOX","features":[316,317]},{"name":"D3DNTHAL_DP2ADDDIRTYRECT","features":[316,308]},{"name":"D3DNTHAL_DP2BLT","features":[316,308]},{"name":"D3DNTHAL_DP2BUFFERBLT","features":[316,317]},{"name":"D3DNTHAL_DP2CLEAR","features":[316,308]},{"name":"D3DNTHAL_DP2COLORFILL","features":[316,308]},{"name":"D3DNTHAL_DP2COMMAND","features":[316]},{"name":"D3DNTHAL_DP2COMPOSERECTS","features":[316,317]},{"name":"D3DNTHAL_DP2CREATELIGHT","features":[316]},{"name":"D3DNTHAL_DP2CREATEPIXELSHADER","features":[316]},{"name":"D3DNTHAL_DP2CREATEQUERY","features":[316,317]},{"name":"D3DNTHAL_DP2CREATEVERTEXSHADER","features":[316]},{"name":"D3DNTHAL_DP2CREATEVERTEXSHADERDECL","features":[316]},{"name":"D3DNTHAL_DP2CREATEVERTEXSHADERFUNC","features":[316]},{"name":"D3DNTHAL_DP2DELETEQUERY","features":[316]},{"name":"D3DNTHAL_DP2DRAWINDEXEDPRIMITIVE","features":[316,317]},{"name":"D3DNTHAL_DP2DRAWINDEXEDPRIMITIVE2","features":[316,317]},{"name":"D3DNTHAL_DP2DRAWPRIMITIVE","features":[316,317]},{"name":"D3DNTHAL_DP2DRAWPRIMITIVE2","features":[316,317]},{"name":"D3DNTHAL_DP2DRAWRECTPATCH","features":[316]},{"name":"D3DNTHAL_DP2DRAWTRIPATCH","features":[316]},{"name":"D3DNTHAL_DP2EXT","features":[316]},{"name":"D3DNTHAL_DP2GENERATEMIPSUBLEVELS","features":[316,317]},{"name":"D3DNTHAL_DP2INDEXEDLINELIST","features":[316]},{"name":"D3DNTHAL_DP2INDEXEDLINESTRIP","features":[316]},{"name":"D3DNTHAL_DP2INDEXEDTRIANGLEFAN","features":[316]},{"name":"D3DNTHAL_DP2INDEXEDTRIANGLELIST","features":[316]},{"name":"D3DNTHAL_DP2INDEXEDTRIANGLELIST2","features":[316]},{"name":"D3DNTHAL_DP2INDEXEDTRIANGLESTRIP","features":[316]},{"name":"D3DNTHAL_DP2ISSUEQUERY","features":[316]},{"name":"D3DNTHAL_DP2LINELIST","features":[316]},{"name":"D3DNTHAL_DP2LINESTRIP","features":[316]},{"name":"D3DNTHAL_DP2MULTIPLYTRANSFORM","features":[73,316,317]},{"name":"D3DNTHAL_DP2OPERATION","features":[316]},{"name":"D3DNTHAL_DP2PIXELSHADER","features":[316]},{"name":"D3DNTHAL_DP2POINTS","features":[316]},{"name":"D3DNTHAL_DP2RENDERSTATE","features":[316,317]},{"name":"D3DNTHAL_DP2RESPONSE","features":[316]},{"name":"D3DNTHAL_DP2RESPONSEQUERY","features":[316]},{"name":"D3DNTHAL_DP2SETCLIPPLANE","features":[316]},{"name":"D3DNTHAL_DP2SETCONVOLUTIONKERNELMONO","features":[316]},{"name":"D3DNTHAL_DP2SETDEPTHSTENCIL","features":[316]},{"name":"D3DNTHAL_DP2SETINDICES","features":[316]},{"name":"D3DNTHAL_DP2SETLIGHT","features":[316]},{"name":"D3DNTHAL_DP2SETPALETTE","features":[316]},{"name":"D3DNTHAL_DP2SETPIXELSHADERCONST","features":[316]},{"name":"D3DNTHAL_DP2SETPRIORITY","features":[316]},{"name":"D3DNTHAL_DP2SETRENDERTARGET","features":[316]},{"name":"D3DNTHAL_DP2SETRENDERTARGET2","features":[316]},{"name":"D3DNTHAL_DP2SETSTREAMSOURCE","features":[316]},{"name":"D3DNTHAL_DP2SETSTREAMSOURCE2","features":[316]},{"name":"D3DNTHAL_DP2SETSTREAMSOURCEFREQ","features":[316]},{"name":"D3DNTHAL_DP2SETSTREAMSOURCEUM","features":[316]},{"name":"D3DNTHAL_DP2SETTEXLOD","features":[316]},{"name":"D3DNTHAL_DP2SETTRANSFORM","features":[73,316,317]},{"name":"D3DNTHAL_DP2SETVERTEXSHADERCONST","features":[316]},{"name":"D3DNTHAL_DP2STARTVERTEX","features":[316]},{"name":"D3DNTHAL_DP2STATESET","features":[316,317]},{"name":"D3DNTHAL_DP2SURFACEBLT","features":[316,308]},{"name":"D3DNTHAL_DP2TEXBLT","features":[316,308]},{"name":"D3DNTHAL_DP2TEXTURESTAGESTATE","features":[316]},{"name":"D3DNTHAL_DP2TRIANGLEFAN","features":[316]},{"name":"D3DNTHAL_DP2TRIANGLEFAN_IMM","features":[316]},{"name":"D3DNTHAL_DP2TRIANGLELIST","features":[316]},{"name":"D3DNTHAL_DP2TRIANGLESTRIP","features":[316]},{"name":"D3DNTHAL_DP2UPDATEPALETTE","features":[316]},{"name":"D3DNTHAL_DP2VERTEXSHADER","features":[316]},{"name":"D3DNTHAL_DP2VIEWPORTINFO","features":[316]},{"name":"D3DNTHAL_DP2VOLUMEBLT","features":[316,317]},{"name":"D3DNTHAL_DP2WINFO","features":[316]},{"name":"D3DNTHAL_DP2ZRANGE","features":[316]},{"name":"D3DNTHAL_DRAWPRIMITIVES2DATA","features":[316,308,318]},{"name":"D3DNTHAL_GLOBALDRIVERDATA","features":[316,308,317,318]},{"name":"D3DNTHAL_NUMCLIPVERTICES","features":[316]},{"name":"D3DNTHAL_OUTOFCONTEXTS","features":[316]},{"name":"D3DNTHAL_ROW_WEIGHTS","features":[316]},{"name":"D3DNTHAL_SCENECAPTUREDATA","features":[316]},{"name":"D3DNTHAL_SCENE_CAPTURE_END","features":[316]},{"name":"D3DNTHAL_SCENE_CAPTURE_START","features":[316]},{"name":"D3DNTHAL_SETRENDERTARGETDATA","features":[316,308,318]},{"name":"D3DNTHAL_STATESETCREATE","features":[316]},{"name":"D3DNTHAL_TEXTURECREATEDATA","features":[316,308]},{"name":"D3DNTHAL_TEXTUREDESTROYDATA","features":[316]},{"name":"D3DNTHAL_TEXTUREGETSURFDATA","features":[316,308]},{"name":"D3DNTHAL_TEXTURESWAPDATA","features":[316]},{"name":"D3DNTHAL_TSS_MAXSTAGES","features":[316]},{"name":"D3DNTHAL_TSS_RENDERSTATEBASE","features":[316]},{"name":"D3DNTHAL_TSS_STATESPERSTAGE","features":[316]},{"name":"D3DNTHAL_VALIDATETEXTURESTAGESTATEDATA","features":[316]},{"name":"D3DPMISCCAPS_FOGINFVF","features":[316]},{"name":"D3DPMISCCAPS_LINEPATTERNREP","features":[316]},{"name":"D3DPRASTERCAPS_PAT","features":[316]},{"name":"D3DPRASTERCAPS_STRETCHBLTMULTISAMPLE","features":[316]},{"name":"D3DPS_COLOROUT_MAX_V2_0","features":[316]},{"name":"D3DPS_COLOROUT_MAX_V2_1","features":[316]},{"name":"D3DPS_COLOROUT_MAX_V3_0","features":[316]},{"name":"D3DPS_CONSTBOOLREG_MAX_SW_DX9","features":[316]},{"name":"D3DPS_CONSTBOOLREG_MAX_V2_1","features":[316]},{"name":"D3DPS_CONSTBOOLREG_MAX_V3_0","features":[316]},{"name":"D3DPS_CONSTINTREG_MAX_SW_DX9","features":[316]},{"name":"D3DPS_CONSTINTREG_MAX_V2_1","features":[316]},{"name":"D3DPS_CONSTINTREG_MAX_V3_0","features":[316]},{"name":"D3DPS_CONSTREG_MAX_DX8","features":[316]},{"name":"D3DPS_CONSTREG_MAX_SW_DX9","features":[316]},{"name":"D3DPS_CONSTREG_MAX_V1_1","features":[316]},{"name":"D3DPS_CONSTREG_MAX_V1_2","features":[316]},{"name":"D3DPS_CONSTREG_MAX_V1_3","features":[316]},{"name":"D3DPS_CONSTREG_MAX_V1_4","features":[316]},{"name":"D3DPS_CONSTREG_MAX_V2_0","features":[316]},{"name":"D3DPS_CONSTREG_MAX_V2_1","features":[316]},{"name":"D3DPS_CONSTREG_MAX_V3_0","features":[316]},{"name":"D3DPS_INPUTREG_MAX_DX8","features":[316]},{"name":"D3DPS_INPUTREG_MAX_SW_DX9","features":[316]},{"name":"D3DPS_INPUTREG_MAX_V1_1","features":[316]},{"name":"D3DPS_INPUTREG_MAX_V1_2","features":[316]},{"name":"D3DPS_INPUTREG_MAX_V1_3","features":[316]},{"name":"D3DPS_INPUTREG_MAX_V1_4","features":[316]},{"name":"D3DPS_INPUTREG_MAX_V2_0","features":[316]},{"name":"D3DPS_INPUTREG_MAX_V2_1","features":[316]},{"name":"D3DPS_INPUTREG_MAX_V3_0","features":[316]},{"name":"D3DPS_MAXLOOPINITVALUE_V2_1","features":[316]},{"name":"D3DPS_MAXLOOPINITVALUE_V3_0","features":[316]},{"name":"D3DPS_MAXLOOPITERATIONCOUNT_V2_1","features":[316]},{"name":"D3DPS_MAXLOOPITERATIONCOUNT_V3_0","features":[316]},{"name":"D3DPS_MAXLOOPSTEP_V2_1","features":[316]},{"name":"D3DPS_MAXLOOPSTEP_V3_0","features":[316]},{"name":"D3DPS_PREDICATE_MAX_V2_1","features":[316]},{"name":"D3DPS_PREDICATE_MAX_V3_0","features":[316]},{"name":"D3DPS_TEMPREG_MAX_DX8","features":[316]},{"name":"D3DPS_TEMPREG_MAX_V1_1","features":[316]},{"name":"D3DPS_TEMPREG_MAX_V1_2","features":[316]},{"name":"D3DPS_TEMPREG_MAX_V1_3","features":[316]},{"name":"D3DPS_TEMPREG_MAX_V1_4","features":[316]},{"name":"D3DPS_TEMPREG_MAX_V2_0","features":[316]},{"name":"D3DPS_TEMPREG_MAX_V2_1","features":[316]},{"name":"D3DPS_TEMPREG_MAX_V3_0","features":[316]},{"name":"D3DPS_TEXTUREREG_MAX_DX8","features":[316]},{"name":"D3DPS_TEXTUREREG_MAX_V1_1","features":[316]},{"name":"D3DPS_TEXTUREREG_MAX_V1_2","features":[316]},{"name":"D3DPS_TEXTUREREG_MAX_V1_3","features":[316]},{"name":"D3DPS_TEXTUREREG_MAX_V1_4","features":[316]},{"name":"D3DPS_TEXTUREREG_MAX_V2_0","features":[316]},{"name":"D3DPS_TEXTUREREG_MAX_V2_1","features":[316]},{"name":"D3DPS_TEXTUREREG_MAX_V3_0","features":[316]},{"name":"D3DRENDERSTATE_EVICTMANAGEDTEXTURES","features":[316]},{"name":"D3DRENDERSTATE_SCENECAPTURE","features":[316]},{"name":"D3DRS_DELETERTPATCH","features":[316]},{"name":"D3DRS_MAXPIXELSHADERINST","features":[316]},{"name":"D3DRS_MAXVERTEXSHADERINST","features":[316]},{"name":"D3DTEXF_FLATCUBIC","features":[316]},{"name":"D3DTEXF_GAUSSIANCUBIC","features":[316]},{"name":"D3DTRANSFORMSTATE_WORLD1_DX7","features":[316]},{"name":"D3DTRANSFORMSTATE_WORLD2_DX7","features":[316]},{"name":"D3DTRANSFORMSTATE_WORLD3_DX7","features":[316]},{"name":"D3DTRANSFORMSTATE_WORLD_DX7","features":[316]},{"name":"D3DTSS_TEXTUREMAP","features":[316]},{"name":"D3DVSDE_BLENDINDICES","features":[316]},{"name":"D3DVSDE_BLENDWEIGHT","features":[316]},{"name":"D3DVSDE_DIFFUSE","features":[316]},{"name":"D3DVSDE_NORMAL","features":[316]},{"name":"D3DVSDE_NORMAL2","features":[316]},{"name":"D3DVSDE_POSITION","features":[316]},{"name":"D3DVSDE_POSITION2","features":[316]},{"name":"D3DVSDE_PSIZE","features":[316]},{"name":"D3DVSDE_SPECULAR","features":[316]},{"name":"D3DVSDE_TEXCOORD0","features":[316]},{"name":"D3DVSDE_TEXCOORD1","features":[316]},{"name":"D3DVSDE_TEXCOORD2","features":[316]},{"name":"D3DVSDE_TEXCOORD3","features":[316]},{"name":"D3DVSDE_TEXCOORD4","features":[316]},{"name":"D3DVSDE_TEXCOORD5","features":[316]},{"name":"D3DVSDE_TEXCOORD6","features":[316]},{"name":"D3DVSDE_TEXCOORD7","features":[316]},{"name":"D3DVSDT_D3DCOLOR","features":[316]},{"name":"D3DVSDT_FLOAT1","features":[316]},{"name":"D3DVSDT_FLOAT2","features":[316]},{"name":"D3DVSDT_FLOAT3","features":[316]},{"name":"D3DVSDT_FLOAT4","features":[316]},{"name":"D3DVSDT_SHORT2","features":[316]},{"name":"D3DVSDT_SHORT4","features":[316]},{"name":"D3DVSDT_UBYTE4","features":[316]},{"name":"D3DVSD_CONSTADDRESSSHIFT","features":[316]},{"name":"D3DVSD_CONSTCOUNTSHIFT","features":[316]},{"name":"D3DVSD_CONSTRSSHIFT","features":[316]},{"name":"D3DVSD_DATALOADTYPESHIFT","features":[316]},{"name":"D3DVSD_DATATYPESHIFT","features":[316]},{"name":"D3DVSD_EXTCOUNTSHIFT","features":[316]},{"name":"D3DVSD_EXTINFOSHIFT","features":[316]},{"name":"D3DVSD_SKIPCOUNTSHIFT","features":[316]},{"name":"D3DVSD_STREAMNUMBERSHIFT","features":[316]},{"name":"D3DVSD_STREAMTESSSHIFT","features":[316]},{"name":"D3DVSD_TOKENTYPE","features":[316]},{"name":"D3DVSD_TOKENTYPESHIFT","features":[316]},{"name":"D3DVSD_TOKEN_CONSTMEM","features":[316]},{"name":"D3DVSD_TOKEN_END","features":[316]},{"name":"D3DVSD_TOKEN_EXT","features":[316]},{"name":"D3DVSD_TOKEN_NOP","features":[316]},{"name":"D3DVSD_TOKEN_STREAM","features":[316]},{"name":"D3DVSD_TOKEN_STREAMDATA","features":[316]},{"name":"D3DVSD_TOKEN_TESSELLATOR","features":[316]},{"name":"D3DVSD_VERTEXREGINSHIFT","features":[316]},{"name":"D3DVSD_VERTEXREGSHIFT","features":[316]},{"name":"D3DVS_ADDRREG_MAX_V1_1","features":[316]},{"name":"D3DVS_ADDRREG_MAX_V2_0","features":[316]},{"name":"D3DVS_ADDRREG_MAX_V2_1","features":[316]},{"name":"D3DVS_ADDRREG_MAX_V3_0","features":[316]},{"name":"D3DVS_ATTROUTREG_MAX_V1_1","features":[316]},{"name":"D3DVS_ATTROUTREG_MAX_V2_0","features":[316]},{"name":"D3DVS_ATTROUTREG_MAX_V2_1","features":[316]},{"name":"D3DVS_CONSTBOOLREG_MAX_SW_DX9","features":[316]},{"name":"D3DVS_CONSTBOOLREG_MAX_V2_0","features":[316]},{"name":"D3DVS_CONSTBOOLREG_MAX_V2_1","features":[316]},{"name":"D3DVS_CONSTBOOLREG_MAX_V3_0","features":[316]},{"name":"D3DVS_CONSTINTREG_MAX_SW_DX9","features":[316]},{"name":"D3DVS_CONSTINTREG_MAX_V2_0","features":[316]},{"name":"D3DVS_CONSTINTREG_MAX_V2_1","features":[316]},{"name":"D3DVS_CONSTINTREG_MAX_V3_0","features":[316]},{"name":"D3DVS_CONSTREG_MAX_V1_1","features":[316]},{"name":"D3DVS_CONSTREG_MAX_V2_0","features":[316]},{"name":"D3DVS_CONSTREG_MAX_V2_1","features":[316]},{"name":"D3DVS_CONSTREG_MAX_V3_0","features":[316]},{"name":"D3DVS_INPUTREG_MAX_V1_1","features":[316]},{"name":"D3DVS_INPUTREG_MAX_V2_0","features":[316]},{"name":"D3DVS_INPUTREG_MAX_V2_1","features":[316]},{"name":"D3DVS_INPUTREG_MAX_V3_0","features":[316]},{"name":"D3DVS_LABEL_MAX_V3_0","features":[316]},{"name":"D3DVS_MAXINSTRUCTIONCOUNT_V1_1","features":[316]},{"name":"D3DVS_MAXLOOPINITVALUE_V2_0","features":[316]},{"name":"D3DVS_MAXLOOPINITVALUE_V2_1","features":[316]},{"name":"D3DVS_MAXLOOPINITVALUE_V3_0","features":[316]},{"name":"D3DVS_MAXLOOPITERATIONCOUNT_V2_0","features":[316]},{"name":"D3DVS_MAXLOOPITERATIONCOUNT_V2_1","features":[316]},{"name":"D3DVS_MAXLOOPITERATIONCOUNT_V3_0","features":[316]},{"name":"D3DVS_MAXLOOPSTEP_V2_0","features":[316]},{"name":"D3DVS_MAXLOOPSTEP_V2_1","features":[316]},{"name":"D3DVS_MAXLOOPSTEP_V3_0","features":[316]},{"name":"D3DVS_OUTPUTREG_MAX_SW_DX9","features":[316]},{"name":"D3DVS_OUTPUTREG_MAX_V3_0","features":[316]},{"name":"D3DVS_PREDICATE_MAX_V2_1","features":[316]},{"name":"D3DVS_PREDICATE_MAX_V3_0","features":[316]},{"name":"D3DVS_TCRDOUTREG_MAX_V1_1","features":[316]},{"name":"D3DVS_TCRDOUTREG_MAX_V2_0","features":[316]},{"name":"D3DVS_TCRDOUTREG_MAX_V2_1","features":[316]},{"name":"D3DVS_TEMPREG_MAX_V1_1","features":[316]},{"name":"D3DVS_TEMPREG_MAX_V2_0","features":[316]},{"name":"D3DVS_TEMPREG_MAX_V2_1","features":[316]},{"name":"D3DVS_TEMPREG_MAX_V3_0","features":[316]},{"name":"D3DVTXPCAPS_NO_VSDT_UBYTE4","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_VISTA","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM1_3","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_0","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_0_M1","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_0_M1_3","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_0_M2_2","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_1","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_1_1","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_1_2","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_1_3","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_1_4","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_2","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_2_1","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_2_2","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_3","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_3_1","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_3_2","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_4","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_4_1","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_4_2","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_5","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_5_1","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_5_2","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_5_3","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_6","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_6_1","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_6_2","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_6_3","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_6_4","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_7","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_7_1","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_7_2","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_8","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_8_1","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_9","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM2_9_1","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM3_0","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM3_0_1","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM3_1","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WDDM3_1_1","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WIN7","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WIN8","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WIN8_CP","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WIN8_M3","features":[316]},{"name":"D3D_UMD_INTERFACE_VERSION_WIN8_RC","features":[316]},{"name":"DDBLT_EXTENDED_PRESENTATION_STRETCHFACTOR","features":[316]},{"name":"DDNT_DEFERRED_AGP_AWARE_DATA","features":[316]},{"name":"DDNT_DXVERSION","features":[316]},{"name":"DDNT_FREE_DEFERRED_AGP_DATA","features":[316]},{"name":"DDNT_GETADAPTERGROUPDATA","features":[316]},{"name":"DDNT_GETD3DQUERYCOUNTDATA","features":[316]},{"name":"DDNT_GETD3DQUERYDATA","features":[316,317]},{"name":"DDNT_GETDDIVERSIONDATA","features":[316]},{"name":"DDNT_GETDRIVERINFO2DATA","features":[316]},{"name":"DDNT_GETEXTENDEDMODECOUNTDATA","features":[316]},{"name":"DDNT_GETEXTENDEDMODEDATA","features":[316,317]},{"name":"DDNT_GETFORMATCOUNTDATA","features":[316]},{"name":"DDNT_GETFORMATDATA","features":[316,318]},{"name":"DDNT_MULTISAMPLEQUALITYLEVELSDATA","features":[316,317]},{"name":"DD_DEFERRED_AGP_AWARE_DATA","features":[316]},{"name":"DD_DXVERSION","features":[316]},{"name":"DD_FREE_DEFERRED_AGP_DATA","features":[316]},{"name":"DD_GETADAPTERGROUPDATA","features":[316]},{"name":"DD_GETD3DQUERYCOUNTDATA","features":[316]},{"name":"DD_GETD3DQUERYDATA","features":[316,317]},{"name":"DD_GETDDIVERSIONDATA","features":[316]},{"name":"DD_GETDRIVERINFO2DATA","features":[316]},{"name":"DD_GETEXTENDEDMODECOUNTDATA","features":[316]},{"name":"DD_GETEXTENDEDMODEDATA","features":[316,317]},{"name":"DD_GETFORMATCOUNTDATA","features":[316]},{"name":"DD_GETFORMATDATA","features":[316,318]},{"name":"DD_MULTISAMPLEQUALITYLEVELSDATA","features":[316,317]},{"name":"DIDDT1_AspectRatio_15x9","features":[316]},{"name":"DIDDT1_AspectRatio_16x10","features":[316]},{"name":"DIDDT1_AspectRatio_16x9","features":[316]},{"name":"DIDDT1_AspectRatio_1x1","features":[316]},{"name":"DIDDT1_AspectRatio_4x3","features":[316]},{"name":"DIDDT1_AspectRatio_5x4","features":[316]},{"name":"DIDDT1_Dependent","features":[316]},{"name":"DIDDT1_Interlaced","features":[316]},{"name":"DIDDT1_Monoscopic","features":[316]},{"name":"DIDDT1_Progressive","features":[316]},{"name":"DIDDT1_Stereo","features":[316]},{"name":"DIDDT1_Sync_Negative","features":[316]},{"name":"DIDDT1_Sync_Positive","features":[316]},{"name":"DISPLAYID_DETAILED_TIMING_TYPE_I","features":[316]},{"name":"DISPLAYID_DETAILED_TIMING_TYPE_I_ASPECT_RATIO","features":[316]},{"name":"DISPLAYID_DETAILED_TIMING_TYPE_I_SCANNING_MODE","features":[316]},{"name":"DISPLAYID_DETAILED_TIMING_TYPE_I_SIZE","features":[316]},{"name":"DISPLAYID_DETAILED_TIMING_TYPE_I_STEREO_MODE","features":[316]},{"name":"DISPLAYID_DETAILED_TIMING_TYPE_I_SYNC_POLARITY","features":[316]},{"name":"DP2BLT_LINEAR","features":[316]},{"name":"DP2BLT_POINT","features":[316]},{"name":"DX9_DDI_VERSION","features":[316]},{"name":"DXGKARG_SETPALETTE","features":[316]},{"name":"DXGKDDI_INTERFACE_VERSION","features":[316]},{"name":"DXGKDDI_INTERFACE_VERSION_VISTA","features":[316]},{"name":"DXGKDDI_INTERFACE_VERSION_VISTA_SP1","features":[316]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM1_3","features":[316]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM1_3_PATH_INDEPENDENT_ROTATION","features":[316]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_0","features":[316]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_1","features":[316]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_1_5","features":[316]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_1_6","features":[316]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_2","features":[316]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_3","features":[316]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_4","features":[316]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_5","features":[316]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_6","features":[316]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_7","features":[316]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_8","features":[316]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM2_9","features":[316]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM3_0","features":[316]},{"name":"DXGKDDI_INTERFACE_VERSION_WDDM3_1","features":[316]},{"name":"DXGKDDI_INTERFACE_VERSION_WIN7","features":[316]},{"name":"DXGKDDI_INTERFACE_VERSION_WIN8","features":[316]},{"name":"DXGKDT_OPM_DVI_CHARACTERISTICS","features":[316]},{"name":"DXGKMDT_CERTIFICATE_TYPE","features":[316]},{"name":"DXGKMDT_COPP_CERTIFICATE","features":[316]},{"name":"DXGKMDT_I2C_DEVICE_TRANSMITS_DATA_LENGTH","features":[316]},{"name":"DXGKMDT_I2C_NO_FLAGS","features":[316]},{"name":"DXGKMDT_INDIRECT_DISPLAY_CERTIFICATE","features":[316]},{"name":"DXGKMDT_OPM_128_BIT_RANDOM_NUMBER_SIZE","features":[316]},{"name":"DXGKMDT_OPM_ACP_AND_CGMSA_SIGNALING","features":[316]},{"name":"DXGKMDT_OPM_ACP_LEVEL_ONE","features":[316]},{"name":"DXGKMDT_OPM_ACP_LEVEL_THREE","features":[316]},{"name":"DXGKMDT_OPM_ACP_LEVEL_TWO","features":[316]},{"name":"DXGKMDT_OPM_ACP_OFF","features":[316]},{"name":"DXGKMDT_OPM_ACP_PROTECTION_LEVEL","features":[316]},{"name":"DXGKMDT_OPM_ACTUAL_OUTPUT_FORMAT","features":[316]},{"name":"DXGKMDT_OPM_ASPECT_RATIO_EN300294_BOX_14_BY_9_CENTER","features":[316]},{"name":"DXGKMDT_OPM_ASPECT_RATIO_EN300294_BOX_14_BY_9_TOP","features":[316]},{"name":"DXGKMDT_OPM_ASPECT_RATIO_EN300294_BOX_16_BY_9_CENTER","features":[316]},{"name":"DXGKMDT_OPM_ASPECT_RATIO_EN300294_BOX_16_BY_9_TOP","features":[316]},{"name":"DXGKMDT_OPM_ASPECT_RATIO_EN300294_BOX_GT_16_BY_9_CENTER","features":[316]},{"name":"DXGKMDT_OPM_ASPECT_RATIO_EN300294_FULL_FORMAT_16_BY_9_ANAMORPHIC","features":[316]},{"name":"DXGKMDT_OPM_ASPECT_RATIO_EN300294_FULL_FORMAT_4_BY_3","features":[316]},{"name":"DXGKMDT_OPM_ASPECT_RATIO_EN300294_FULL_FORMAT_4_BY_3_PROTECTED_CENTER","features":[316]},{"name":"DXGKMDT_OPM_BUS_IMPLEMENTATION_MODIFIER_DAUGHTER_BOARD_CONNECTOR","features":[316]},{"name":"DXGKMDT_OPM_BUS_IMPLEMENTATION_MODIFIER_DAUGHTER_BOARD_CONNECTOR_INSIDE_OF_NUAE","features":[316]},{"name":"DXGKMDT_OPM_BUS_IMPLEMENTATION_MODIFIER_INSIDE_OF_CHIPSET","features":[316]},{"name":"DXGKMDT_OPM_BUS_IMPLEMENTATION_MODIFIER_NON_STANDARD","features":[316]},{"name":"DXGKMDT_OPM_BUS_IMPLEMENTATION_MODIFIER_TRACKS_ON_MOTHER_BOARD_TO_CHIP","features":[316]},{"name":"DXGKMDT_OPM_BUS_IMPLEMENTATION_MODIFIER_TRACKS_ON_MOTHER_BOARD_TO_SOCKET","features":[316]},{"name":"DXGKMDT_OPM_BUS_TYPE_AGP","features":[316]},{"name":"DXGKMDT_OPM_BUS_TYPE_AND_IMPLEMENTATION","features":[316]},{"name":"DXGKMDT_OPM_BUS_TYPE_OTHER","features":[316]},{"name":"DXGKMDT_OPM_BUS_TYPE_PCI","features":[316]},{"name":"DXGKMDT_OPM_BUS_TYPE_PCIEXPRESS","features":[316]},{"name":"DXGKMDT_OPM_BUS_TYPE_PCIX","features":[316]},{"name":"DXGKMDT_OPM_CERTIFICATE","features":[316]},{"name":"DXGKMDT_OPM_CGMSA","features":[316]},{"name":"DXGKMDT_OPM_CGMSA_COPY_FREELY","features":[316]},{"name":"DXGKMDT_OPM_CGMSA_COPY_NEVER","features":[316]},{"name":"DXGKMDT_OPM_CGMSA_COPY_NO_MORE","features":[316]},{"name":"DXGKMDT_OPM_CGMSA_COPY_ONE_GENERATION","features":[316]},{"name":"DXGKMDT_OPM_CGMSA_OFF","features":[316]},{"name":"DXGKMDT_OPM_CONFIGURE_PARAMETERS","features":[316]},{"name":"DXGKMDT_OPM_CONFIGURE_SETTING_DATA_SIZE","features":[316]},{"name":"DXGKMDT_OPM_CONNECTED_HDCP_DEVICE_INFORMATION","features":[316]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE","features":[316]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_COMPONENT_VIDEO","features":[316]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_COMPOSITE_VIDEO","features":[316]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_DISPLAYPORT_EMBEDDED","features":[316]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_DISPLAYPORT_EXTERNAL","features":[316]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_DVI","features":[316]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_D_JPN","features":[316]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_HD15","features":[316]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_HDMI","features":[316]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_LVDS","features":[316]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_MIRACAST","features":[316]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_OTHER","features":[316]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_RESERVED","features":[316]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_SDI","features":[316]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_SVIDEO","features":[316]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_TRANSPORT_AGNOSTIC_DIGITAL_MODE_A","features":[316]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_TRANSPORT_AGNOSTIC_DIGITAL_MODE_B","features":[316]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_UDI_EMBEDDED","features":[316]},{"name":"DXGKMDT_OPM_CONNECTOR_TYPE_UDI_EXTERNAL","features":[316]},{"name":"DXGKMDT_OPM_COPP_COMPATIBLE_BUS_TYPE_INTEGRATED","features":[316]},{"name":"DXGKMDT_OPM_COPP_COMPATIBLE_CONNECTOR_TYPE_INTERNAL","features":[316]},{"name":"DXGKMDT_OPM_COPP_COMPATIBLE_GET_INFO_PARAMETERS","features":[316]},{"name":"DXGKMDT_OPM_CREATE_VIDEO_OUTPUT_FOR_TARGET_PARAMETERS","features":[316,308]},{"name":"DXGKMDT_OPM_DPCP_OFF","features":[316]},{"name":"DXGKMDT_OPM_DPCP_ON","features":[316]},{"name":"DXGKMDT_OPM_DPCP_PROTECTION_LEVEL","features":[316]},{"name":"DXGKMDT_OPM_DVI_CHARACTERISTIC_1_0","features":[316]},{"name":"DXGKMDT_OPM_DVI_CHARACTERISTIC_1_1_OR_ABOVE","features":[316]},{"name":"DXGKMDT_OPM_ENCRYPTED_PARAMETERS","features":[316]},{"name":"DXGKMDT_OPM_ENCRYPTED_PARAMETERS_SIZE","features":[316]},{"name":"DXGKMDT_OPM_GET_ACP_AND_CGMSA_SIGNALING","features":[316]},{"name":"DXGKMDT_OPM_GET_ACTUAL_OUTPUT_FORMAT","features":[316]},{"name":"DXGKMDT_OPM_GET_ACTUAL_PROTECTION_LEVEL","features":[316]},{"name":"DXGKMDT_OPM_GET_ADAPTER_BUS_TYPE","features":[316]},{"name":"DXGKMDT_OPM_GET_CODEC_INFO","features":[316]},{"name":"DXGKMDT_OPM_GET_CONNECTED_HDCP_DEVICE_INFORMATION","features":[316]},{"name":"DXGKMDT_OPM_GET_CONNECTOR_TYPE","features":[316]},{"name":"DXGKMDT_OPM_GET_CURRENT_HDCP_SRM_VERSION","features":[316]},{"name":"DXGKMDT_OPM_GET_DVI_CHARACTERISTICS","features":[316]},{"name":"DXGKMDT_OPM_GET_INFORMATION_PARAMETERS_SIZE","features":[316]},{"name":"DXGKMDT_OPM_GET_INFO_PARAMETERS","features":[316]},{"name":"DXGKMDT_OPM_GET_OUTPUT_HARDWARE_PROTECTION_SUPPORT","features":[316]},{"name":"DXGKMDT_OPM_GET_OUTPUT_ID","features":[316]},{"name":"DXGKMDT_OPM_GET_SUPPORTED_PROTECTION_TYPES","features":[316]},{"name":"DXGKMDT_OPM_GET_VIRTUAL_PROTECTION_LEVEL","features":[316]},{"name":"DXGKMDT_OPM_HDCP_FLAG","features":[316]},{"name":"DXGKMDT_OPM_HDCP_FLAG_NONE","features":[316]},{"name":"DXGKMDT_OPM_HDCP_FLAG_REPEATER","features":[316]},{"name":"DXGKMDT_OPM_HDCP_KEY_SELECTION_VECTOR","features":[316]},{"name":"DXGKMDT_OPM_HDCP_KEY_SELECTION_VECTOR_SIZE","features":[316]},{"name":"DXGKMDT_OPM_HDCP_OFF","features":[316]},{"name":"DXGKMDT_OPM_HDCP_ON","features":[316]},{"name":"DXGKMDT_OPM_HDCP_PROTECTION_LEVEL","features":[316]},{"name":"DXGKMDT_OPM_IMAGE_ASPECT_RATIO_EN300294","features":[316]},{"name":"DXGKMDT_OPM_INTERLEAVE_FORMAT","features":[316]},{"name":"DXGKMDT_OPM_INTERLEAVE_FORMAT_INTERLEAVED_EVEN_FIRST","features":[316]},{"name":"DXGKMDT_OPM_INTERLEAVE_FORMAT_INTERLEAVED_ODD_FIRST","features":[316]},{"name":"DXGKMDT_OPM_INTERLEAVE_FORMAT_OTHER","features":[316]},{"name":"DXGKMDT_OPM_INTERLEAVE_FORMAT_PROGRESSIVE","features":[316]},{"name":"DXGKMDT_OPM_OMAC","features":[316]},{"name":"DXGKMDT_OPM_OMAC_SIZE","features":[316]},{"name":"DXGKMDT_OPM_OUTPUT_HARDWARE_PROTECTION","features":[316]},{"name":"DXGKMDT_OPM_OUTPUT_HARDWARE_PROTECTION_NOT_SUPPORTED","features":[316]},{"name":"DXGKMDT_OPM_OUTPUT_HARDWARE_PROTECTION_SUPPORTED","features":[316]},{"name":"DXGKMDT_OPM_OUTPUT_ID","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_ARIBTRB15_1125I","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_ARIBTRB15_525I","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_ARIBTRB15_525P","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_ARIBTRB15_750P","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_CEA805A_TYPEA_1125I","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_CEA805A_TYPEA_525P","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_CEA805A_TYPEA_750P","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_CEA805A_TYPEB_1125I","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_CEA805A_TYPEB_525P","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_CEA805A_TYPEB_750P","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_EIA608B_525","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_EN300294_625I","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_IEC61880_2_525I","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_IEC61880_525I","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_IEC62375_625P","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_NONE","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_STANDARD_OTHER","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_TYPE","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_TYPE_ACP","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_TYPE_CGMSA","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_TYPE_COPP_COMPATIBLE_HDCP","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_TYPE_DPCP","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_TYPE_HDCP","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_TYPE_MASK","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_TYPE_NONE","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_TYPE_OTHER","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_TYPE_SIZE","features":[316]},{"name":"DXGKMDT_OPM_PROTECTION_TYPE_TYPE_ENFORCEMENT_HDCP","features":[316]},{"name":"DXGKMDT_OPM_RANDOM_NUMBER","features":[316]},{"name":"DXGKMDT_OPM_REDISTRIBUTION_CONTROL_REQUIRED","features":[316]},{"name":"DXGKMDT_OPM_REQUESTED_INFORMATION","features":[316]},{"name":"DXGKMDT_OPM_REQUESTED_INFORMATION_SIZE","features":[316]},{"name":"DXGKMDT_OPM_SET_ACP_AND_CGMSA_SIGNALING","features":[316]},{"name":"DXGKMDT_OPM_SET_ACP_AND_CGMSA_SIGNALING_PARAMETERS","features":[316]},{"name":"DXGKMDT_OPM_SET_HDCP_SRM","features":[316]},{"name":"DXGKMDT_OPM_SET_HDCP_SRM_PARAMETERS","features":[316]},{"name":"DXGKMDT_OPM_SET_PROTECTION_LEVEL","features":[316]},{"name":"DXGKMDT_OPM_SET_PROTECTION_LEVEL_ACCORDING_TO_CSS_DVD","features":[316]},{"name":"DXGKMDT_OPM_SET_PROTECTION_LEVEL_PARAMETERS","features":[316]},{"name":"DXGKMDT_OPM_STANDARD_INFORMATION","features":[316]},{"name":"DXGKMDT_OPM_STATUS","features":[316]},{"name":"DXGKMDT_OPM_STATUS_LINK_LOST","features":[316]},{"name":"DXGKMDT_OPM_STATUS_NORMAL","features":[316]},{"name":"DXGKMDT_OPM_STATUS_RENEGOTIATION_REQUIRED","features":[316]},{"name":"DXGKMDT_OPM_STATUS_REVOKED_HDCP_DEVICE_ATTACHED","features":[316]},{"name":"DXGKMDT_OPM_STATUS_TAMPERING_DETECTED","features":[316]},{"name":"DXGKMDT_OPM_TYPE_ENFORCEMENT_HDCP_OFF","features":[316]},{"name":"DXGKMDT_OPM_TYPE_ENFORCEMENT_HDCP_ON_WITH_NO_TYPE_RESTRICTION","features":[316]},{"name":"DXGKMDT_OPM_TYPE_ENFORCEMENT_HDCP_ON_WITH_TYPE1_RESTRICTION","features":[316]},{"name":"DXGKMDT_OPM_TYPE_ENFORCEMENT_HDCP_PROTECTION_LEVEL","features":[316]},{"name":"DXGKMDT_OPM_VIDEO_OUTPUT_SEMANTICS","features":[316]},{"name":"DXGKMDT_OPM_VOS_COPP_SEMANTICS","features":[316]},{"name":"DXGKMDT_OPM_VOS_OPM_INDIRECT_DISPLAY","features":[316]},{"name":"DXGKMDT_OPM_VOS_OPM_SEMANTICS","features":[316]},{"name":"DXGKMDT_UAB_CERTIFICATE","features":[316]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STEREO_FLIP_FRAME0","features":[316]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STEREO_FLIP_FRAME1","features":[316]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STEREO_FLIP_MODE","features":[316]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STEREO_FLIP_NONE","features":[316]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STEREO_FORMAT_CHECKERBOARD","features":[316]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STEREO_FORMAT_COLUMN_INTERLEAVED","features":[316]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STEREO_FORMAT_MONO","features":[316]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STEREO_FORMAT_MONO_OFFSET","features":[316]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STEREO_FORMAT_ROW_INTERLEAVED","features":[316]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STEREO_FORMAT_SEPARATE","features":[316]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STRETCH_QUALITY","features":[316]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STRETCH_QUALITY_BILINEAR","features":[316]},{"name":"DXGKMT_MULTIPLANE_OVERLAY_STRETCH_QUALITY_HIGH","features":[316]},{"name":"DXGKMT_POWER_SHARED_TYPE","features":[316]},{"name":"DXGKMT_POWER_SHARED_TYPE_AUDIO","features":[316]},{"name":"DXGKVGPU_ESCAPE_HEAD","features":[316,308]},{"name":"DXGKVGPU_ESCAPE_INITIALIZE","features":[316,308]},{"name":"DXGKVGPU_ESCAPE_PAUSE","features":[316,308]},{"name":"DXGKVGPU_ESCAPE_POWERTRANSITIONCOMPLETE","features":[316,308]},{"name":"DXGKVGPU_ESCAPE_READ_PCI_CONFIG","features":[316,308]},{"name":"DXGKVGPU_ESCAPE_READ_VGPU_TYPE","features":[316,308]},{"name":"DXGKVGPU_ESCAPE_RELEASE","features":[316,308]},{"name":"DXGKVGPU_ESCAPE_RESUME","features":[316,308]},{"name":"DXGKVGPU_ESCAPE_TYPE","features":[316]},{"name":"DXGKVGPU_ESCAPE_TYPE_GET_VGPU_TYPE","features":[316]},{"name":"DXGKVGPU_ESCAPE_TYPE_INITIALIZE","features":[316]},{"name":"DXGKVGPU_ESCAPE_TYPE_PAUSE","features":[316]},{"name":"DXGKVGPU_ESCAPE_TYPE_POWERTRANSITIONCOMPLETE","features":[316]},{"name":"DXGKVGPU_ESCAPE_TYPE_READ_PCI_CONFIG","features":[316]},{"name":"DXGKVGPU_ESCAPE_TYPE_RELEASE","features":[316]},{"name":"DXGKVGPU_ESCAPE_TYPE_RESUME","features":[316]},{"name":"DXGKVGPU_ESCAPE_TYPE_WRITE_PCI_CONFIG","features":[316]},{"name":"DXGKVGPU_ESCAPE_WRITE_PCI_CONFIG","features":[316,308]},{"name":"DXGK_ADAPTER_PERFDATA","features":[316]},{"name":"DXGK_ADAPTER_PERFDATACAPS","features":[316]},{"name":"DXGK_BACKLIGHT_INFO","features":[316]},{"name":"DXGK_BACKLIGHT_OPTIMIZATION_LEVEL","features":[316]},{"name":"DXGK_BRIGHTNESS_CAPS","features":[316]},{"name":"DXGK_BRIGHTNESS_GET_NIT_RANGES_OUT","features":[316]},{"name":"DXGK_BRIGHTNESS_GET_OUT","features":[316]},{"name":"DXGK_BRIGHTNESS_MAXIMUM_NIT_RANGE_COUNT","features":[316]},{"name":"DXGK_BRIGHTNESS_NIT_RANGE","features":[316]},{"name":"DXGK_BRIGHTNESS_SENSOR_DATA","features":[316]},{"name":"DXGK_BRIGHTNESS_SENSOR_DATA_CHROMATICITY","features":[316]},{"name":"DXGK_BRIGHTNESS_SET_IN","features":[316]},{"name":"DXGK_BRIGHTNESS_STATE","features":[316]},{"name":"DXGK_CHILD_DEVICE_HPD_AWARENESS","features":[316]},{"name":"DXGK_DDT_DISPLAYID","features":[316]},{"name":"DXGK_DDT_EDID","features":[316]},{"name":"DXGK_DDT_INVALID","features":[316]},{"name":"DXGK_DIAG_PROCESS_NAME_LENGTH","features":[316]},{"name":"DXGK_DISPLAY_DESCRIPTOR_TYPE","features":[316]},{"name":"DXGK_DISPLAY_INFORMATION","features":[316]},{"name":"DXGK_DISPLAY_TECHNOLOGY","features":[316]},{"name":"DXGK_DISPLAY_USAGE","features":[316]},{"name":"DXGK_DT_INVALID","features":[316]},{"name":"DXGK_DT_LCD","features":[316]},{"name":"DXGK_DT_MAX","features":[316]},{"name":"DXGK_DT_OLED","features":[316]},{"name":"DXGK_DT_OTHER","features":[316]},{"name":"DXGK_DT_PROJECTOR","features":[316]},{"name":"DXGK_DU_ACCESSORY","features":[316]},{"name":"DXGK_DU_AR","features":[316]},{"name":"DXGK_DU_GENERIC","features":[316]},{"name":"DXGK_DU_INVALID","features":[316]},{"name":"DXGK_DU_MAX","features":[316]},{"name":"DXGK_DU_MEDICAL_IMAGING","features":[316]},{"name":"DXGK_DU_VR","features":[316]},{"name":"DXGK_ENGINE_TYPE","features":[316]},{"name":"DXGK_ENGINE_TYPE_3D","features":[316]},{"name":"DXGK_ENGINE_TYPE_COPY","features":[316]},{"name":"DXGK_ENGINE_TYPE_CRYPTO","features":[316]},{"name":"DXGK_ENGINE_TYPE_MAX","features":[316]},{"name":"DXGK_ENGINE_TYPE_OTHER","features":[316]},{"name":"DXGK_ENGINE_TYPE_OVERLAY","features":[316]},{"name":"DXGK_ENGINE_TYPE_SCENE_ASSEMBLY","features":[316]},{"name":"DXGK_ENGINE_TYPE_VIDEO_DECODE","features":[316]},{"name":"DXGK_ENGINE_TYPE_VIDEO_ENCODE","features":[316]},{"name":"DXGK_ENGINE_TYPE_VIDEO_PROCESSING","features":[316]},{"name":"DXGK_ESCAPE_GPUMMUCAPS","features":[316,308]},{"name":"DXGK_FAULT_ERROR_CODE","features":[316]},{"name":"DXGK_GENERAL_ERROR_CODE","features":[316]},{"name":"DXGK_GENERAL_ERROR_INVALID_INSTRUCTION","features":[316]},{"name":"DXGK_GENERAL_ERROR_PAGE_FAULT","features":[316]},{"name":"DXGK_GPUCLOCKDATA","features":[316]},{"name":"DXGK_GPUCLOCKDATA_FLAGS","features":[316]},{"name":"DXGK_GPUVERSION","features":[316]},{"name":"DXGK_GRAPHICSPOWER_REGISTER_INPUT_V_1_2","features":[316,308,315]},{"name":"DXGK_GRAPHICSPOWER_REGISTER_OUTPUT","features":[316,308,315]},{"name":"DXGK_GRAPHICSPOWER_VERSION","features":[316]},{"name":"DXGK_GRAPHICSPOWER_VERSION_1_0","features":[316]},{"name":"DXGK_GRAPHICSPOWER_VERSION_1_1","features":[316]},{"name":"DXGK_GRAPHICSPOWER_VERSION_1_2","features":[316]},{"name":"DXGK_MAX_GPUVERSION_NAME_LENGTH","features":[316]},{"name":"DXGK_MAX_METADATA_NAME_LENGTH","features":[316]},{"name":"DXGK_MAX_PAGE_TABLE_LEVEL_COUNT","features":[316]},{"name":"DXGK_MIN_PAGE_TABLE_LEVEL_COUNT","features":[316]},{"name":"DXGK_MIRACAST_CHUNK_ID","features":[316]},{"name":"DXGK_MIRACAST_CHUNK_INFO","features":[316]},{"name":"DXGK_MIRACAST_CHUNK_TYPE","features":[316]},{"name":"DXGK_MIRACAST_CHUNK_TYPE_COLOR_CONVERT_COMPLETE","features":[316]},{"name":"DXGK_MIRACAST_CHUNK_TYPE_ENCODE_COMPLETE","features":[316]},{"name":"DXGK_MIRACAST_CHUNK_TYPE_ENCODE_DRIVER_DEFINED_1","features":[316]},{"name":"DXGK_MIRACAST_CHUNK_TYPE_ENCODE_DRIVER_DEFINED_2","features":[316]},{"name":"DXGK_MIRACAST_CHUNK_TYPE_FRAME_DROPPED","features":[316]},{"name":"DXGK_MIRACAST_CHUNK_TYPE_FRAME_START","features":[316]},{"name":"DXGK_MIRACAST_CHUNK_TYPE_UNKNOWN","features":[316]},{"name":"DXGK_MONITORLINKINFO_CAPABILITIES","features":[316]},{"name":"DXGK_MONITORLINKINFO_USAGEHINTS","features":[316]},{"name":"DXGK_NODEMETADATA","features":[316,308]},{"name":"DXGK_NODEMETADATA_FLAGS","features":[316]},{"name":"DXGK_NODE_PERFDATA","features":[316]},{"name":"DXGK_PAGE_FAULT_ADAPTER_RESET_REQUIRED","features":[316]},{"name":"DXGK_PAGE_FAULT_ENGINE_RESET_REQUIRED","features":[316]},{"name":"DXGK_PAGE_FAULT_FATAL_HARDWARE_ERROR","features":[316]},{"name":"DXGK_PAGE_FAULT_FENCE_INVALID","features":[316]},{"name":"DXGK_PAGE_FAULT_FLAGS","features":[316]},{"name":"DXGK_PAGE_FAULT_HW_CONTEXT_VALID","features":[316]},{"name":"DXGK_PAGE_FAULT_IOMMU","features":[316]},{"name":"DXGK_PAGE_FAULT_PROCESS_HANDLE_VALID","features":[316]},{"name":"DXGK_PAGE_FAULT_WRITE","features":[316]},{"name":"DXGK_PTE","features":[316]},{"name":"DXGK_PTE_PAGE_SIZE","features":[316]},{"name":"DXGK_PTE_PAGE_TABLE_PAGE_4KB","features":[316]},{"name":"DXGK_PTE_PAGE_TABLE_PAGE_64KB","features":[316]},{"name":"DXGK_RENDER_PIPELINE_STAGE","features":[316]},{"name":"DXGK_RENDER_PIPELINE_STAGE_GEOMETRY_SHADER","features":[316]},{"name":"DXGK_RENDER_PIPELINE_STAGE_INPUT_ASSEMBLER","features":[316]},{"name":"DXGK_RENDER_PIPELINE_STAGE_OUTPUT_MERGER","features":[316]},{"name":"DXGK_RENDER_PIPELINE_STAGE_PIXEL_SHADER","features":[316]},{"name":"DXGK_RENDER_PIPELINE_STAGE_RASTERIZER","features":[316]},{"name":"DXGK_RENDER_PIPELINE_STAGE_STREAM_OUTPUT","features":[316]},{"name":"DXGK_RENDER_PIPELINE_STAGE_UNKNOWN","features":[316]},{"name":"DXGK_RENDER_PIPELINE_STAGE_VERTEX_SHADER","features":[316]},{"name":"DXGK_TARGETMODE_DETAIL_TIMING","features":[316]},{"name":"DxgkBacklightOptimizationDesktop","features":[316]},{"name":"DxgkBacklightOptimizationDimmed","features":[316]},{"name":"DxgkBacklightOptimizationDisable","features":[316]},{"name":"DxgkBacklightOptimizationDynamic","features":[316]},{"name":"DxgkBacklightOptimizationEDR","features":[316]},{"name":"FLIPEX_TIMEOUT_USER","features":[316]},{"name":"GPUP_DRIVER_ESCAPE_INPUT","features":[316,308]},{"name":"GUID_DEVINTERFACE_GRAPHICSPOWER","features":[316]},{"name":"HpdAwarenessAlwaysConnected","features":[316]},{"name":"HpdAwarenessInterruptible","features":[316]},{"name":"HpdAwarenessNone","features":[316]},{"name":"HpdAwarenessPolled","features":[316]},{"name":"HpdAwarenessUninitialized","features":[316]},{"name":"IOCTL_GPUP_DRIVER_ESCAPE","features":[316]},{"name":"IOCTL_INTERNAL_GRAPHICSPOWER_REGISTER","features":[316]},{"name":"KMTQAITYPE_ADAPTERADDRESS","features":[316]},{"name":"KMTQAITYPE_ADAPTERADDRESS_RENDER","features":[316]},{"name":"KMTQAITYPE_ADAPTERGUID","features":[316]},{"name":"KMTQAITYPE_ADAPTERGUID_RENDER","features":[316]},{"name":"KMTQAITYPE_ADAPTERPERFDATA","features":[316]},{"name":"KMTQAITYPE_ADAPTERPERFDATA_CAPS","features":[316]},{"name":"KMTQAITYPE_ADAPTERREGISTRYINFO","features":[316]},{"name":"KMTQAITYPE_ADAPTERREGISTRYINFO_RENDER","features":[316]},{"name":"KMTQAITYPE_ADAPTERTYPE","features":[316]},{"name":"KMTQAITYPE_ADAPTERTYPE_RENDER","features":[316]},{"name":"KMTQAITYPE_BLOCKLIST_KERNEL","features":[316]},{"name":"KMTQAITYPE_BLOCKLIST_RUNTIME","features":[316]},{"name":"KMTQAITYPE_CHECKDRIVERUPDATESTATUS","features":[316]},{"name":"KMTQAITYPE_CHECKDRIVERUPDATESTATUS_RENDER","features":[316]},{"name":"KMTQAITYPE_CPDRIVERNAME","features":[316]},{"name":"KMTQAITYPE_CROSSADAPTERRESOURCE_SUPPORT","features":[316]},{"name":"KMTQAITYPE_CURRENTDISPLAYMODE","features":[316]},{"name":"KMTQAITYPE_DIRECTFLIP_SUPPORT","features":[316]},{"name":"KMTQAITYPE_DISPLAY_CAPS","features":[316]},{"name":"KMTQAITYPE_DISPLAY_UMDRIVERNAME","features":[316]},{"name":"KMTQAITYPE_DLIST_DRIVER_NAME","features":[316]},{"name":"KMTQAITYPE_DRIVERCAPS_EXT","features":[316]},{"name":"KMTQAITYPE_DRIVERVERSION","features":[316]},{"name":"KMTQAITYPE_DRIVERVERSION_RENDER","features":[316]},{"name":"KMTQAITYPE_DRIVER_DESCRIPTION","features":[316]},{"name":"KMTQAITYPE_DRIVER_DESCRIPTION_RENDER","features":[316]},{"name":"KMTQAITYPE_FLIPQUEUEINFO","features":[316]},{"name":"KMTQAITYPE_GETSEGMENTGROUPSIZE","features":[316]},{"name":"KMTQAITYPE_GETSEGMENTSIZE","features":[316]},{"name":"KMTQAITYPE_GET_DEVICE_VIDPN_OWNERSHIP_INFO","features":[316]},{"name":"KMTQAITYPE_HWDRM_SUPPORT","features":[316]},{"name":"KMTQAITYPE_HYBRID_DLIST_DLL_SUPPORT","features":[316]},{"name":"KMTQAITYPE_INDEPENDENTFLIP_SECONDARY_SUPPORT","features":[316]},{"name":"KMTQAITYPE_INDEPENDENTFLIP_SUPPORT","features":[316]},{"name":"KMTQAITYPE_KMD_DRIVER_VERSION","features":[316]},{"name":"KMTQAITYPE_MIRACASTCOMPANIONDRIVERNAME","features":[316]},{"name":"KMTQAITYPE_MODELIST","features":[316]},{"name":"KMTQAITYPE_MPO3DDI_SUPPORT","features":[316]},{"name":"KMTQAITYPE_MPOKERNELCAPS_SUPPORT","features":[316]},{"name":"KMTQAITYPE_MULTIPLANEOVERLAY_HUD_SUPPORT","features":[316]},{"name":"KMTQAITYPE_MULTIPLANEOVERLAY_SECONDARY_SUPPORT","features":[316]},{"name":"KMTQAITYPE_MULTIPLANEOVERLAY_STRETCH_SUPPORT","features":[316]},{"name":"KMTQAITYPE_MULTIPLANEOVERLAY_SUPPORT","features":[316]},{"name":"KMTQAITYPE_NODEMETADATA","features":[316]},{"name":"KMTQAITYPE_NODEPERFDATA","features":[316]},{"name":"KMTQAITYPE_OUTPUTDUPLCONTEXTSCOUNT","features":[316]},{"name":"KMTQAITYPE_PANELFITTER_SUPPORT","features":[316]},{"name":"KMTQAITYPE_PARAVIRTUALIZATION_RENDER","features":[316]},{"name":"KMTQAITYPE_PHYSICALADAPTERCOUNT","features":[316]},{"name":"KMTQAITYPE_PHYSICALADAPTERDEVICEIDS","features":[316]},{"name":"KMTQAITYPE_PHYSICALADAPTERPNPKEY","features":[316]},{"name":"KMTQAITYPE_QUERYREGISTRY","features":[316]},{"name":"KMTQAITYPE_QUERY_ADAPTER_UNIQUE_GUID","features":[316]},{"name":"KMTQAITYPE_QUERY_GPUMMU_CAPS","features":[316]},{"name":"KMTQAITYPE_QUERY_HW_PROTECTION_TEARDOWN_COUNT","features":[316]},{"name":"KMTQAITYPE_QUERY_ISBADDRIVERFORHWPROTECTIONDISABLED","features":[316]},{"name":"KMTQAITYPE_QUERY_MIRACAST_DRIVER_TYPE","features":[316]},{"name":"KMTQAITYPE_QUERY_MULTIPLANEOVERLAY_DECODE_SUPPORT","features":[316]},{"name":"KMTQAITYPE_SCANOUT_CAPS","features":[316]},{"name":"KMTQAITYPE_SERVICENAME","features":[316]},{"name":"KMTQAITYPE_SETWORKINGSETINFO","features":[316]},{"name":"KMTQAITYPE_TRACKEDWORKLOAD_SUPPORT","features":[316]},{"name":"KMTQAITYPE_UMDRIVERNAME","features":[316]},{"name":"KMTQAITYPE_UMDRIVERPRIVATE","features":[316]},{"name":"KMTQAITYPE_UMD_DRIVER_VERSION","features":[316]},{"name":"KMTQAITYPE_UMOPENGLINFO","features":[316]},{"name":"KMTQAITYPE_VGPUINTERFACEID","features":[316]},{"name":"KMTQAITYPE_VIRTUALADDRESSINFO","features":[316]},{"name":"KMTQAITYPE_WDDM_1_2_CAPS","features":[316]},{"name":"KMTQAITYPE_WDDM_1_2_CAPS_RENDER","features":[316]},{"name":"KMTQAITYPE_WDDM_1_3_CAPS","features":[316]},{"name":"KMTQAITYPE_WDDM_1_3_CAPS_RENDER","features":[316]},{"name":"KMTQAITYPE_WDDM_2_0_CAPS","features":[316]},{"name":"KMTQAITYPE_WDDM_2_7_CAPS","features":[316]},{"name":"KMTQAITYPE_WDDM_2_9_CAPS","features":[316]},{"name":"KMTQAITYPE_WDDM_3_0_CAPS","features":[316]},{"name":"KMTQAITYPE_WDDM_3_1_CAPS","features":[316]},{"name":"KMTQAITYPE_WSAUMDIMAGENAME","features":[316]},{"name":"KMTQAITYPE_XBOX","features":[316]},{"name":"KMTQUERYADAPTERINFOTYPE","features":[316]},{"name":"KMTQUITYPE_GPUVERSION","features":[316]},{"name":"KMTUMDVERSION","features":[316]},{"name":"KMTUMDVERSION_DX10","features":[316]},{"name":"KMTUMDVERSION_DX11","features":[316]},{"name":"KMTUMDVERSION_DX12","features":[316]},{"name":"KMTUMDVERSION_DX12_WSA32","features":[316]},{"name":"KMTUMDVERSION_DX12_WSA64","features":[316]},{"name":"KMTUMDVERSION_DX9","features":[316]},{"name":"KMT_DISPLAY_UMDVERSION_1","features":[316]},{"name":"KMT_DISPLAY_UMD_VERSION","features":[316]},{"name":"KMT_DRIVERVERSION_WDDM_1_0","features":[316]},{"name":"KMT_DRIVERVERSION_WDDM_1_1","features":[316]},{"name":"KMT_DRIVERVERSION_WDDM_1_1_PRERELEASE","features":[316]},{"name":"KMT_DRIVERVERSION_WDDM_1_2","features":[316]},{"name":"KMT_DRIVERVERSION_WDDM_1_3","features":[316]},{"name":"KMT_DRIVERVERSION_WDDM_2_0","features":[316]},{"name":"KMT_DRIVERVERSION_WDDM_2_1","features":[316]},{"name":"KMT_DRIVERVERSION_WDDM_2_2","features":[316]},{"name":"KMT_DRIVERVERSION_WDDM_2_3","features":[316]},{"name":"KMT_DRIVERVERSION_WDDM_2_4","features":[316]},{"name":"KMT_DRIVERVERSION_WDDM_2_5","features":[316]},{"name":"KMT_DRIVERVERSION_WDDM_2_6","features":[316]},{"name":"KMT_DRIVERVERSION_WDDM_2_7","features":[316]},{"name":"KMT_DRIVERVERSION_WDDM_2_8","features":[316]},{"name":"KMT_DRIVERVERSION_WDDM_2_9","features":[316]},{"name":"KMT_DRIVERVERSION_WDDM_3_0","features":[316]},{"name":"KMT_DRIVERVERSION_WDDM_3_1","features":[316]},{"name":"LPD3DHAL_CLEAR2CB","features":[316,317]},{"name":"LPD3DHAL_CLEARCB","features":[316,317]},{"name":"LPD3DHAL_CONTEXTCREATECB","features":[316,308,318,319]},{"name":"LPD3DHAL_CONTEXTDESTROYALLCB","features":[316]},{"name":"LPD3DHAL_CONTEXTDESTROYCB","features":[316]},{"name":"LPD3DHAL_DRAWONEINDEXEDPRIMITIVECB","features":[316,317]},{"name":"LPD3DHAL_DRAWONEPRIMITIVECB","features":[316,317]},{"name":"LPD3DHAL_DRAWPRIMITIVES2CB","features":[316,308,318,319]},{"name":"LPD3DHAL_DRAWPRIMITIVESCB","features":[316]},{"name":"LPD3DHAL_GETSTATECB","features":[316,317]},{"name":"LPD3DHAL_RENDERPRIMITIVECB","features":[316,317,318]},{"name":"LPD3DHAL_RENDERSTATECB","features":[316,318]},{"name":"LPD3DHAL_SCENECAPTURECB","features":[316]},{"name":"LPD3DHAL_SETRENDERTARGETCB","features":[316,308,318,319]},{"name":"LPD3DHAL_TEXTURECREATECB","features":[316,318]},{"name":"LPD3DHAL_TEXTUREDESTROYCB","features":[316]},{"name":"LPD3DHAL_TEXTUREGETSURFCB","features":[316]},{"name":"LPD3DHAL_TEXTURESWAPCB","features":[316]},{"name":"LPD3DHAL_VALIDATETEXTURESTAGESTATECB","features":[316]},{"name":"LPD3DNTHAL_CLEAR2CB","features":[316,317]},{"name":"LPD3DNTHAL_CONTEXTCREATECB","features":[316,308,318]},{"name":"LPD3DNTHAL_CONTEXTDESTROYALLCB","features":[316]},{"name":"LPD3DNTHAL_CONTEXTDESTROYCB","features":[316]},{"name":"LPD3DNTHAL_DRAWPRIMITIVES2CB","features":[316,308,318]},{"name":"LPD3DNTHAL_SCENECAPTURECB","features":[316]},{"name":"LPD3DNTHAL_SETRENDERTARGETCB","features":[316,308,318]},{"name":"LPD3DNTHAL_TEXTURECREATECB","features":[316,308]},{"name":"LPD3DNTHAL_TEXTUREDESTROYCB","features":[316]},{"name":"LPD3DNTHAL_TEXTUREGETSURFCB","features":[316,308]},{"name":"LPD3DNTHAL_TEXTURESWAPCB","features":[316]},{"name":"LPD3DNTHAL_VALIDATETEXTURESTAGESTATECB","features":[316]},{"name":"MAX_ENUM_ADAPTERS","features":[316]},{"name":"MiracastStartPending","features":[316]},{"name":"MiracastStarted","features":[316]},{"name":"MiracastStopPending","features":[316]},{"name":"MiracastStopped","features":[316]},{"name":"NUM_KMTUMDVERSIONS","features":[316]},{"name":"NUM_KMT_DISPLAY_UMDVERSIONS","features":[316]},{"name":"OUTPUTDUPL_CONTEXT_DEBUG_INFO","features":[316,308]},{"name":"OUTPUTDUPL_CONTEXT_DEBUG_STATUS","features":[316]},{"name":"OUTPUTDUPL_CONTEXT_DEBUG_STATUS_ACTIVE","features":[316]},{"name":"OUTPUTDUPL_CONTEXT_DEBUG_STATUS_INACTIVE","features":[316]},{"name":"OUTPUTDUPL_CONTEXT_DEBUG_STATUS_PENDING_DESTROY","features":[316]},{"name":"OUTPUTDUPL_CREATE_MAX_KEYEDMUTXES","features":[316]},{"name":"PDXGK_FSTATE_NOTIFICATION","features":[316,308]},{"name":"PDXGK_GRAPHICSPOWER_UNREGISTER","features":[316,308]},{"name":"PDXGK_INITIAL_COMPONENT_STATE","features":[316,308]},{"name":"PDXGK_POWER_NOTIFICATION","features":[316,308,315]},{"name":"PDXGK_REMOVAL_NOTIFICATION","features":[316]},{"name":"PDXGK_SET_SHARED_POWER_COMPONENT_STATE","features":[316,308]},{"name":"PFND3DKMT_ACQUIREKEYEDMUTEX","features":[316,308]},{"name":"PFND3DKMT_ACQUIREKEYEDMUTEX2","features":[316,308]},{"name":"PFND3DKMT_ADJUSTFULLSCREENGAMMA","features":[316,308]},{"name":"PFND3DKMT_BUDGETCHANGENOTIFICATIONCALLBACK","features":[316]},{"name":"PFND3DKMT_CANCELPRESENTS","features":[316,308]},{"name":"PFND3DKMT_CHANGESURFACEPOINTER","features":[316,308,319]},{"name":"PFND3DKMT_CHANGEVIDEOMEMORYRESERVATION","features":[316,308]},{"name":"PFND3DKMT_CHECKEXCLUSIVEOWNERSHIP","features":[316,308]},{"name":"PFND3DKMT_CHECKMONITORPOWERSTATE","features":[316,308]},{"name":"PFND3DKMT_CHECKMULTIPLANEOVERLAYSUPPORT","features":[316,308]},{"name":"PFND3DKMT_CHECKMULTIPLANEOVERLAYSUPPORT2","features":[316,308]},{"name":"PFND3DKMT_CHECKMULTIPLANEOVERLAYSUPPORT3","features":[316,308]},{"name":"PFND3DKMT_CHECKOCCLUSION","features":[316,308]},{"name":"PFND3DKMT_CHECKSHAREDRESOURCEACCESS","features":[316,308]},{"name":"PFND3DKMT_CHECKVIDPNEXCLUSIVEOWNERSHIP","features":[316,308]},{"name":"PFND3DKMT_CLOSEADAPTER","features":[316,308]},{"name":"PFND3DKMT_CONFIGURESHAREDRESOURCE","features":[316,308]},{"name":"PFND3DKMT_CONNECTDOORBELL","features":[316,308]},{"name":"PFND3DKMT_CREATEALLOCATION","features":[316,308]},{"name":"PFND3DKMT_CREATEALLOCATION2","features":[316,308]},{"name":"PFND3DKMT_CREATECONTEXT","features":[316,308]},{"name":"PFND3DKMT_CREATECONTEXTVIRTUAL","features":[316,308]},{"name":"PFND3DKMT_CREATEDCFROMMEMORY","features":[316,308,319]},{"name":"PFND3DKMT_CREATEDEVICE","features":[316,308]},{"name":"PFND3DKMT_CREATEDOORBELL","features":[316,308]},{"name":"PFND3DKMT_CREATEHWQUEUE","features":[316,308]},{"name":"PFND3DKMT_CREATEKEYEDMUTEX","features":[316,308]},{"name":"PFND3DKMT_CREATEKEYEDMUTEX2","features":[316,308]},{"name":"PFND3DKMT_CREATENATIVEFENCE","features":[316,308]},{"name":"PFND3DKMT_CREATEOUTPUTDUPL","features":[316,308]},{"name":"PFND3DKMT_CREATEOVERLAY","features":[316,308]},{"name":"PFND3DKMT_CREATEPAGINGQUEUE","features":[316,308]},{"name":"PFND3DKMT_CREATEPROTECTEDSESSION","features":[316,308]},{"name":"PFND3DKMT_CREATESYNCHRONIZATIONOBJECT","features":[316,308]},{"name":"PFND3DKMT_CREATESYNCHRONIZATIONOBJECT2","features":[316,308]},{"name":"PFND3DKMT_DESTROYALLOCATION","features":[316,308]},{"name":"PFND3DKMT_DESTROYALLOCATION2","features":[316,308]},{"name":"PFND3DKMT_DESTROYCONTEXT","features":[316,308]},{"name":"PFND3DKMT_DESTROYDCFROMMEMORY","features":[316,308,319]},{"name":"PFND3DKMT_DESTROYDEVICE","features":[316,308]},{"name":"PFND3DKMT_DESTROYDOORBELL","features":[316,308]},{"name":"PFND3DKMT_DESTROYHWQUEUE","features":[316,308]},{"name":"PFND3DKMT_DESTROYKEYEDMUTEX","features":[316,308]},{"name":"PFND3DKMT_DESTROYOUTPUTDUPL","features":[316,308]},{"name":"PFND3DKMT_DESTROYOVERLAY","features":[316,308]},{"name":"PFND3DKMT_DESTROYPAGINGQUEUE","features":[316,308]},{"name":"PFND3DKMT_DESTROYPROTECTEDSESSION","features":[316,308]},{"name":"PFND3DKMT_DESTROYSYNCHRONIZATIONOBJECT","features":[316,308]},{"name":"PFND3DKMT_ENUMADAPTERS","features":[316,308]},{"name":"PFND3DKMT_ENUMADAPTERS2","features":[316,308]},{"name":"PFND3DKMT_ENUMADAPTERS3","features":[316,308]},{"name":"PFND3DKMT_ESCAPE","features":[316,308]},{"name":"PFND3DKMT_EVICT","features":[316,308]},{"name":"PFND3DKMT_FLIPOVERLAY","features":[316,308]},{"name":"PFND3DKMT_FLUSHHEAPTRANSITIONS","features":[316,308]},{"name":"PFND3DKMT_FREEGPUVIRTUALADDRESS","features":[316,308]},{"name":"PFND3DKMT_GETALLOCATIONPRIORITY","features":[316,308]},{"name":"PFND3DKMT_GETCONTEXTINPROCESSSCHEDULINGPRIORITY","features":[316,308]},{"name":"PFND3DKMT_GETCONTEXTSCHEDULINGPRIORITY","features":[316,308]},{"name":"PFND3DKMT_GETDEVICESTATE","features":[316,308]},{"name":"PFND3DKMT_GETDISPLAYMODELIST","features":[316,308]},{"name":"PFND3DKMT_GETDWMVERTICALBLANKEVENT","features":[316,308]},{"name":"PFND3DKMT_GETMULTIPLANEOVERLAYCAPS","features":[316,308]},{"name":"PFND3DKMT_GETMULTISAMPLEMETHODLIST","features":[316,308]},{"name":"PFND3DKMT_GETOVERLAYSTATE","features":[316,308]},{"name":"PFND3DKMT_GETPOSTCOMPOSITIONCAPS","features":[316,308]},{"name":"PFND3DKMT_GETPRESENTHISTORY","features":[316,308]},{"name":"PFND3DKMT_GETPROCESSDEVICEREMOVALSUPPORT","features":[316,308]},{"name":"PFND3DKMT_GETPROCESSSCHEDULINGPRIORITYCLASS","features":[316,308]},{"name":"PFND3DKMT_GETRESOURCEPRESENTPRIVATEDRIVERDATA","features":[316,308]},{"name":"PFND3DKMT_GETRUNTIMEDATA","features":[316,308]},{"name":"PFND3DKMT_GETSCANLINE","features":[316,308]},{"name":"PFND3DKMT_GETSHAREDPRIMARYHANDLE","features":[316,308]},{"name":"PFND3DKMT_GETSHAREDRESOURCEADAPTERLUID","features":[316,308]},{"name":"PFND3DKMT_INVALIDATEACTIVEVIDPN","features":[316,308]},{"name":"PFND3DKMT_INVALIDATECACHE","features":[316,308]},{"name":"PFND3DKMT_LOCK","features":[316,308]},{"name":"PFND3DKMT_LOCK2","features":[316,308]},{"name":"PFND3DKMT_MAKERESIDENT","features":[316,308]},{"name":"PFND3DKMT_MAPGPUVIRTUALADDRESS","features":[316,308]},{"name":"PFND3DKMT_MARKDEVICEASERROR","features":[316,308]},{"name":"PFND3DKMT_NOTIFYWORKSUBMISSION","features":[316,308]},{"name":"PFND3DKMT_OFFERALLOCATIONS","features":[316,308]},{"name":"PFND3DKMT_OPENADAPTERFROMDEVICENAME","features":[316,308]},{"name":"PFND3DKMT_OPENADAPTERFROMGDIDISPLAYNAME","features":[316,308]},{"name":"PFND3DKMT_OPENADAPTERFROMHDC","features":[316,308,319]},{"name":"PFND3DKMT_OPENADAPTERFROMLUID","features":[316,308]},{"name":"PFND3DKMT_OPENKEYEDMUTEX","features":[316,308]},{"name":"PFND3DKMT_OPENKEYEDMUTEX2","features":[316,308]},{"name":"PFND3DKMT_OPENKEYEDMUTEXFROMNTHANDLE","features":[316,308]},{"name":"PFND3DKMT_OPENNATIVEFENCEFROMNTHANDLE","features":[316,308]},{"name":"PFND3DKMT_OPENNTHANDLEFROMNAME","features":[309,316,308]},{"name":"PFND3DKMT_OPENPROTECTEDSESSIONFROMNTHANDLE","features":[316,308]},{"name":"PFND3DKMT_OPENRESOURCE","features":[316,308]},{"name":"PFND3DKMT_OPENRESOURCE2","features":[316,308]},{"name":"PFND3DKMT_OPENRESOURCEFROMNTHANDLE","features":[316,308]},{"name":"PFND3DKMT_OPENSYNCHRONIZATIONOBJECT","features":[316,308]},{"name":"PFND3DKMT_OPENSYNCOBJECTFROMNTHANDLE","features":[316,308]},{"name":"PFND3DKMT_OPENSYNCOBJECTFROMNTHANDLE2","features":[316,308]},{"name":"PFND3DKMT_OPENSYNCOBJECTNTHANDLEFROMNAME","features":[309,316,308]},{"name":"PFND3DKMT_OUTPUTDUPLGETFRAMEINFO","features":[316,308]},{"name":"PFND3DKMT_OUTPUTDUPLGETMETADATA","features":[316,308]},{"name":"PFND3DKMT_OUTPUTDUPLGETPOINTERSHAPEDATA","features":[316,308]},{"name":"PFND3DKMT_OUTPUTDUPLPRESENT","features":[316,308]},{"name":"PFND3DKMT_OUTPUTDUPLPRESENTTOHWQUEUE","features":[316,308]},{"name":"PFND3DKMT_OUTPUTDUPLRELEASEFRAME","features":[316,308]},{"name":"PFND3DKMT_PINDIRECTFLIPRESOURCES","features":[316,308]},{"name":"PFND3DKMT_POLLDISPLAYCHILDREN","features":[316,308]},{"name":"PFND3DKMT_PRESENT","features":[316,308]},{"name":"PFND3DKMT_PRESENTMULTIPLANEOVERLAY","features":[316,308]},{"name":"PFND3DKMT_PRESENTMULTIPLANEOVERLAY2","features":[316,308]},{"name":"PFND3DKMT_PRESENTMULTIPLANEOVERLAY3","features":[316,308]},{"name":"PFND3DKMT_QUERYADAPTERINFO","features":[316,308]},{"name":"PFND3DKMT_QUERYALLOCATIONRESIDENCY","features":[316,308]},{"name":"PFND3DKMT_QUERYCLOCKCALIBRATION","features":[316,308]},{"name":"PFND3DKMT_QUERYFSEBLOCK","features":[316,308]},{"name":"PFND3DKMT_QUERYHYBRIDLISTVALUE","features":[316,308]},{"name":"PFND3DKMT_QUERYPROCESSOFFERINFO","features":[316,308]},{"name":"PFND3DKMT_QUERYPROTECTEDSESSIONINFOFROMNTHANDLE","features":[316,308]},{"name":"PFND3DKMT_QUERYPROTECTEDSESSIONSTATUS","features":[316,308]},{"name":"PFND3DKMT_QUERYREMOTEVIDPNSOURCEFROMGDIDISPLAYNAME","features":[316,308]},{"name":"PFND3DKMT_QUERYRESOURCEINFO","features":[316,308]},{"name":"PFND3DKMT_QUERYRESOURCEINFOFROMNTHANDLE","features":[316,308]},{"name":"PFND3DKMT_QUERYSTATISTICS","features":[316,308]},{"name":"PFND3DKMT_QUERYVIDEOMEMORYINFO","features":[316,308]},{"name":"PFND3DKMT_QUERYVIDPNEXCLUSIVEOWNERSHIP","features":[316,308]},{"name":"PFND3DKMT_RECLAIMALLOCATIONS","features":[316,308]},{"name":"PFND3DKMT_RECLAIMALLOCATIONS2","features":[316,308]},{"name":"PFND3DKMT_REGISTERBUDGETCHANGENOTIFICATION","features":[316,308]},{"name":"PFND3DKMT_REGISTERTRIMNOTIFICATION","features":[316,308]},{"name":"PFND3DKMT_RELEASEKEYEDMUTEX","features":[316,308]},{"name":"PFND3DKMT_RELEASEKEYEDMUTEX2","features":[316,308]},{"name":"PFND3DKMT_RELEASEPROCESSVIDPNSOURCEOWNERS","features":[316,308]},{"name":"PFND3DKMT_RENDER","features":[316,308]},{"name":"PFND3DKMT_RESERVEGPUVIRTUALADDRESS","features":[316,308]},{"name":"PFND3DKMT_SETALLOCATIONPRIORITY","features":[316,308]},{"name":"PFND3DKMT_SETCONTEXTINPROCESSSCHEDULINGPRIORITY","features":[316,308]},{"name":"PFND3DKMT_SETCONTEXTSCHEDULINGPRIORITY","features":[316,308]},{"name":"PFND3DKMT_SETDISPLAYMODE","features":[316,308]},{"name":"PFND3DKMT_SETDISPLAYPRIVATEDRIVERFORMAT","features":[316,308]},{"name":"PFND3DKMT_SETFSEBLOCK","features":[316,308]},{"name":"PFND3DKMT_SETGAMMARAMP","features":[316,308]},{"name":"PFND3DKMT_SETHWPROTECTIONTEARDOWNRECOVERY","features":[316,308]},{"name":"PFND3DKMT_SETHYBRIDLISTVVALUE","features":[316,308]},{"name":"PFND3DKMT_SETPROCESSSCHEDULINGPRIORITYCLASS","features":[316,308]},{"name":"PFND3DKMT_SETQUEUEDLIMIT","features":[316,308]},{"name":"PFND3DKMT_SETSTABLEPOWERSTATE","features":[316,308]},{"name":"PFND3DKMT_SETSTEREOENABLED","features":[316,308]},{"name":"PFND3DKMT_SETSYNCREFRESHCOUNTWAITTARGET","features":[316,308]},{"name":"PFND3DKMT_SETVIDPNSOURCEHWPROTECTION","features":[316,308]},{"name":"PFND3DKMT_SETVIDPNSOURCEOWNER","features":[316,308]},{"name":"PFND3DKMT_SETVIDPNSOURCEOWNER1","features":[316,308]},{"name":"PFND3DKMT_SETVIDPNSOURCEOWNER2","features":[316,308]},{"name":"PFND3DKMT_SHAREDPRIMARYLOCKNOTIFICATION","features":[316,308]},{"name":"PFND3DKMT_SHAREDPRIMARYUNLOCKNOTIFICATION","features":[316,308]},{"name":"PFND3DKMT_SHAREOBJECTS","features":[309,316,308]},{"name":"PFND3DKMT_SIGNALSYNCHRONIZATIONOBJECT","features":[316,308]},{"name":"PFND3DKMT_SIGNALSYNCHRONIZATIONOBJECT2","features":[316,308]},{"name":"PFND3DKMT_SIGNALSYNCHRONIZATIONOBJECTFROMCPU","features":[316,308]},{"name":"PFND3DKMT_SIGNALSYNCHRONIZATIONOBJECTFROMGPU","features":[316,308]},{"name":"PFND3DKMT_SIGNALSYNCHRONIZATIONOBJECTFROMGPU2","features":[316,308]},{"name":"PFND3DKMT_SUBMITCOMMAND","features":[316,308]},{"name":"PFND3DKMT_SUBMITCOMMANDTOHWQUEUE","features":[316,308]},{"name":"PFND3DKMT_SUBMITPRESENTBLTTOHWQUEUE","features":[316,308]},{"name":"PFND3DKMT_SUBMITPRESENTTOHWQUEUE","features":[316,308]},{"name":"PFND3DKMT_SUBMITSIGNALSYNCOBJECTSTOHWQUEUE","features":[316,308]},{"name":"PFND3DKMT_SUBMITWAITFORSYNCOBJECTSTOHWQUEUE","features":[316,308]},{"name":"PFND3DKMT_TRIMNOTIFICATIONCALLBACK","features":[316]},{"name":"PFND3DKMT_TRIMPROCESSCOMMITMENT","features":[316,308]},{"name":"PFND3DKMT_UNLOCK","features":[316,308]},{"name":"PFND3DKMT_UNLOCK2","features":[316,308]},{"name":"PFND3DKMT_UNPINDIRECTFLIPRESOURCES","features":[316,308]},{"name":"PFND3DKMT_UNREGISTERBUDGETCHANGENOTIFICATION","features":[316,308]},{"name":"PFND3DKMT_UNREGISTERTRIMNOTIFICATION","features":[316,308]},{"name":"PFND3DKMT_UPDATEALLOCATIONPROPERTY","features":[316,308]},{"name":"PFND3DKMT_UPDATEGPUVIRTUALADDRESS","features":[316,308]},{"name":"PFND3DKMT_UPDATEOVERLAY","features":[316,308]},{"name":"PFND3DKMT_WAITFORIDLE","features":[316,308]},{"name":"PFND3DKMT_WAITFORSYNCHRONIZATIONOBJECT","features":[316,308]},{"name":"PFND3DKMT_WAITFORSYNCHRONIZATIONOBJECT2","features":[316,308]},{"name":"PFND3DKMT_WAITFORSYNCHRONIZATIONOBJECTFROMCPU","features":[316,308]},{"name":"PFND3DKMT_WAITFORSYNCHRONIZATIONOBJECTFROMGPU","features":[316,308]},{"name":"PFND3DKMT_WAITFORVERTICALBLANKEVENT","features":[316,308]},{"name":"PFND3DKMT_WAITFORVERTICALBLANKEVENT2","features":[316,308]},{"name":"PFND3DNTPARSEUNKNOWNCOMMAND","features":[316]},{"name":"PFND3DPARSEUNKNOWNCOMMAND","features":[316]},{"name":"RTPATCHFLAG_HASINFO","features":[316]},{"name":"RTPATCHFLAG_HASSEGS","features":[316]},{"name":"SHARED_ALLOCATION_WRITE","features":[316]},{"name":"_NT_D3DDEVCAPS_HWINDEXBUFFER","features":[316]},{"name":"_NT_D3DDEVCAPS_HWVERTEXBUFFER","features":[316]},{"name":"_NT_D3DDEVCAPS_SUBVOLUMELOCK","features":[316]},{"name":"_NT_D3DFVF_FOG","features":[316]},{"name":"_NT_D3DGDI2_MAGIC","features":[316]},{"name":"_NT_D3DGDI2_TYPE_DEFERRED_AGP_AWARE","features":[316]},{"name":"_NT_D3DGDI2_TYPE_DEFER_AGP_FREES","features":[316]},{"name":"_NT_D3DGDI2_TYPE_DXVERSION","features":[316]},{"name":"_NT_D3DGDI2_TYPE_FREE_DEFERRED_AGP","features":[316]},{"name":"_NT_D3DGDI2_TYPE_GETADAPTERGROUP","features":[316]},{"name":"_NT_D3DGDI2_TYPE_GETD3DCAPS8","features":[316]},{"name":"_NT_D3DGDI2_TYPE_GETD3DCAPS9","features":[316]},{"name":"_NT_D3DGDI2_TYPE_GETD3DQUERY","features":[316]},{"name":"_NT_D3DGDI2_TYPE_GETD3DQUERYCOUNT","features":[316]},{"name":"_NT_D3DGDI2_TYPE_GETDDIVERSION","features":[316]},{"name":"_NT_D3DGDI2_TYPE_GETEXTENDEDMODE","features":[316]},{"name":"_NT_D3DGDI2_TYPE_GETEXTENDEDMODECOUNT","features":[316]},{"name":"_NT_D3DGDI2_TYPE_GETFORMAT","features":[316]},{"name":"_NT_D3DGDI2_TYPE_GETFORMATCOUNT","features":[316]},{"name":"_NT_D3DGDI2_TYPE_GETMULTISAMPLEQUALITYLEVELS","features":[316]},{"name":"_NT_D3DLINEPATTERN","features":[316]},{"name":"_NT_D3DPMISCCAPS_FOGINFVF","features":[316]},{"name":"_NT_D3DPS_COLOROUT_MAX_V2_0","features":[316]},{"name":"_NT_D3DPS_COLOROUT_MAX_V2_1","features":[316]},{"name":"_NT_D3DPS_COLOROUT_MAX_V3_0","features":[316]},{"name":"_NT_D3DPS_CONSTBOOLREG_MAX_SW_DX9","features":[316]},{"name":"_NT_D3DPS_CONSTBOOLREG_MAX_V2_1","features":[316]},{"name":"_NT_D3DPS_CONSTBOOLREG_MAX_V3_0","features":[316]},{"name":"_NT_D3DPS_CONSTINTREG_MAX_SW_DX9","features":[316]},{"name":"_NT_D3DPS_CONSTINTREG_MAX_V2_1","features":[316]},{"name":"_NT_D3DPS_CONSTINTREG_MAX_V3_0","features":[316]},{"name":"_NT_D3DPS_CONSTREG_MAX_DX8","features":[316]},{"name":"_NT_D3DPS_CONSTREG_MAX_SW_DX9","features":[316]},{"name":"_NT_D3DPS_CONSTREG_MAX_V1_1","features":[316]},{"name":"_NT_D3DPS_CONSTREG_MAX_V1_2","features":[316]},{"name":"_NT_D3DPS_CONSTREG_MAX_V1_3","features":[316]},{"name":"_NT_D3DPS_CONSTREG_MAX_V1_4","features":[316]},{"name":"_NT_D3DPS_CONSTREG_MAX_V2_0","features":[316]},{"name":"_NT_D3DPS_CONSTREG_MAX_V2_1","features":[316]},{"name":"_NT_D3DPS_CONSTREG_MAX_V3_0","features":[316]},{"name":"_NT_D3DPS_INPUTREG_MAX_DX8","features":[316]},{"name":"_NT_D3DPS_INPUTREG_MAX_V1_1","features":[316]},{"name":"_NT_D3DPS_INPUTREG_MAX_V1_2","features":[316]},{"name":"_NT_D3DPS_INPUTREG_MAX_V1_3","features":[316]},{"name":"_NT_D3DPS_INPUTREG_MAX_V1_4","features":[316]},{"name":"_NT_D3DPS_INPUTREG_MAX_V2_0","features":[316]},{"name":"_NT_D3DPS_INPUTREG_MAX_V2_1","features":[316]},{"name":"_NT_D3DPS_INPUTREG_MAX_V3_0","features":[316]},{"name":"_NT_D3DPS_MAXLOOPINITVALUE_V2_1","features":[316]},{"name":"_NT_D3DPS_MAXLOOPINITVALUE_V3_0","features":[316]},{"name":"_NT_D3DPS_MAXLOOPITERATIONCOUNT_V2_1","features":[316]},{"name":"_NT_D3DPS_MAXLOOPITERATIONCOUNT_V3_0","features":[316]},{"name":"_NT_D3DPS_MAXLOOPSTEP_V2_1","features":[316]},{"name":"_NT_D3DPS_MAXLOOPSTEP_V3_0","features":[316]},{"name":"_NT_D3DPS_PREDICATE_MAX_V2_1","features":[316]},{"name":"_NT_D3DPS_PREDICATE_MAX_V3_0","features":[316]},{"name":"_NT_D3DPS_TEMPREG_MAX_DX8","features":[316]},{"name":"_NT_D3DPS_TEMPREG_MAX_V1_1","features":[316]},{"name":"_NT_D3DPS_TEMPREG_MAX_V1_2","features":[316]},{"name":"_NT_D3DPS_TEMPREG_MAX_V1_3","features":[316]},{"name":"_NT_D3DPS_TEMPREG_MAX_V1_4","features":[316]},{"name":"_NT_D3DPS_TEMPREG_MAX_V2_0","features":[316]},{"name":"_NT_D3DPS_TEMPREG_MAX_V2_1","features":[316]},{"name":"_NT_D3DPS_TEMPREG_MAX_V3_0","features":[316]},{"name":"_NT_D3DPS_TEXTUREREG_MAX_DX8","features":[316]},{"name":"_NT_D3DPS_TEXTUREREG_MAX_V1_1","features":[316]},{"name":"_NT_D3DPS_TEXTUREREG_MAX_V1_2","features":[316]},{"name":"_NT_D3DPS_TEXTUREREG_MAX_V1_3","features":[316]},{"name":"_NT_D3DPS_TEXTUREREG_MAX_V1_4","features":[316]},{"name":"_NT_D3DPS_TEXTUREREG_MAX_V2_0","features":[316]},{"name":"_NT_D3DPS_TEXTUREREG_MAX_V2_1","features":[316]},{"name":"_NT_D3DPS_TEXTUREREG_MAX_V3_0","features":[316]},{"name":"_NT_D3DRS_DELETERTPATCH","features":[316]},{"name":"_NT_D3DVS_ADDRREG_MAX_V1_1","features":[316]},{"name":"_NT_D3DVS_ADDRREG_MAX_V2_0","features":[316]},{"name":"_NT_D3DVS_ADDRREG_MAX_V2_1","features":[316]},{"name":"_NT_D3DVS_ADDRREG_MAX_V3_0","features":[316]},{"name":"_NT_D3DVS_ATTROUTREG_MAX_V1_1","features":[316]},{"name":"_NT_D3DVS_ATTROUTREG_MAX_V2_0","features":[316]},{"name":"_NT_D3DVS_ATTROUTREG_MAX_V2_1","features":[316]},{"name":"_NT_D3DVS_CONSTBOOLREG_MAX_SW_DX9","features":[316]},{"name":"_NT_D3DVS_CONSTBOOLREG_MAX_V2_0","features":[316]},{"name":"_NT_D3DVS_CONSTBOOLREG_MAX_V2_1","features":[316]},{"name":"_NT_D3DVS_CONSTBOOLREG_MAX_V3_0","features":[316]},{"name":"_NT_D3DVS_CONSTINTREG_MAX_SW_DX9","features":[316]},{"name":"_NT_D3DVS_CONSTINTREG_MAX_V2_0","features":[316]},{"name":"_NT_D3DVS_CONSTINTREG_MAX_V2_1","features":[316]},{"name":"_NT_D3DVS_CONSTINTREG_MAX_V3_0","features":[316]},{"name":"_NT_D3DVS_CONSTREG_MAX_V1_1","features":[316]},{"name":"_NT_D3DVS_CONSTREG_MAX_V2_0","features":[316]},{"name":"_NT_D3DVS_CONSTREG_MAX_V2_1","features":[316]},{"name":"_NT_D3DVS_CONSTREG_MAX_V3_0","features":[316]},{"name":"_NT_D3DVS_INPUTREG_MAX_V1_1","features":[316]},{"name":"_NT_D3DVS_INPUTREG_MAX_V2_0","features":[316]},{"name":"_NT_D3DVS_INPUTREG_MAX_V2_1","features":[316]},{"name":"_NT_D3DVS_INPUTREG_MAX_V3_0","features":[316]},{"name":"_NT_D3DVS_LABEL_MAX_V3_0","features":[316]},{"name":"_NT_D3DVS_MAXINSTRUCTIONCOUNT_V1_1","features":[316]},{"name":"_NT_D3DVS_MAXLOOPINITVALUE_V2_0","features":[316]},{"name":"_NT_D3DVS_MAXLOOPINITVALUE_V2_1","features":[316]},{"name":"_NT_D3DVS_MAXLOOPINITVALUE_V3_0","features":[316]},{"name":"_NT_D3DVS_MAXLOOPITERATIONCOUNT_V2_0","features":[316]},{"name":"_NT_D3DVS_MAXLOOPITERATIONCOUNT_V2_1","features":[316]},{"name":"_NT_D3DVS_MAXLOOPITERATIONCOUNT_V3_0","features":[316]},{"name":"_NT_D3DVS_MAXLOOPSTEP_V2_0","features":[316]},{"name":"_NT_D3DVS_MAXLOOPSTEP_V2_1","features":[316]},{"name":"_NT_D3DVS_MAXLOOPSTEP_V3_0","features":[316]},{"name":"_NT_D3DVS_OUTPUTREG_MAX_SW_DX9","features":[316]},{"name":"_NT_D3DVS_OUTPUTREG_MAX_V3_0","features":[316]},{"name":"_NT_D3DVS_PREDICATE_MAX_V2_1","features":[316]},{"name":"_NT_D3DVS_PREDICATE_MAX_V3_0","features":[316]},{"name":"_NT_D3DVS_TCRDOUTREG_MAX_V1_1","features":[316]},{"name":"_NT_D3DVS_TCRDOUTREG_MAX_V2_0","features":[316]},{"name":"_NT_D3DVS_TCRDOUTREG_MAX_V2_1","features":[316]},{"name":"_NT_D3DVS_TEMPREG_MAX_V1_1","features":[316]},{"name":"_NT_D3DVS_TEMPREG_MAX_V2_0","features":[316]},{"name":"_NT_D3DVS_TEMPREG_MAX_V2_1","features":[316]},{"name":"_NT_D3DVS_TEMPREG_MAX_V3_0","features":[316]},{"name":"_NT_RTPATCHFLAG_HASINFO","features":[316]},{"name":"_NT_RTPATCHFLAG_HASSEGS","features":[316]}],"342":[{"name":"AUTHENTICATE","features":[320]},{"name":"BINARY_COMPATIBLE","features":[320]},{"name":"BINARY_DATA","features":[320]},{"name":"BROADCAST_VC","features":[320]},{"name":"BSSID_INFO","features":[320]},{"name":"CALL_PARAMETERS_CHANGED","features":[320]},{"name":"CLOCK_NETWORK_DERIVED","features":[320]},{"name":"CLOCK_PRECISION","features":[320]},{"name":"CL_ADD_PARTY_COMPLETE_HANDLER","features":[320]},{"name":"CL_CALL_CONNECTED_HANDLER","features":[320]},{"name":"CL_CLOSE_AF_COMPLETE_HANDLER","features":[320]},{"name":"CL_CLOSE_CALL_COMPLETE_HANDLER","features":[320]},{"name":"CL_DEREG_SAP_COMPLETE_HANDLER","features":[320]},{"name":"CL_DROP_PARTY_COMPLETE_HANDLER","features":[320]},{"name":"CL_INCOMING_CALL_HANDLER","features":[320]},{"name":"CL_INCOMING_CALL_QOS_CHANGE_HANDLER","features":[320]},{"name":"CL_INCOMING_CLOSE_CALL_HANDLER","features":[320]},{"name":"CL_INCOMING_DROP_PARTY_HANDLER","features":[320]},{"name":"CL_MAKE_CALL_COMPLETE_HANDLER","features":[320]},{"name":"CL_MODIFY_CALL_QOS_COMPLETE_HANDLER","features":[320]},{"name":"CL_OPEN_AF_COMPLETE_HANDLER","features":[320]},{"name":"CL_REG_SAP_COMPLETE_HANDLER","features":[320]},{"name":"CM_ACTIVATE_VC_COMPLETE_HANDLER","features":[320]},{"name":"CM_ADD_PARTY_HANDLER","features":[320]},{"name":"CM_CLOSE_AF_HANDLER","features":[320]},{"name":"CM_CLOSE_CALL_HANDLER","features":[320]},{"name":"CM_DEACTIVATE_VC_COMPLETE_HANDLER","features":[320]},{"name":"CM_DEREG_SAP_HANDLER","features":[320]},{"name":"CM_DROP_PARTY_HANDLER","features":[320]},{"name":"CM_INCOMING_CALL_COMPLETE_HANDLER","features":[320]},{"name":"CM_MAKE_CALL_HANDLER","features":[320]},{"name":"CM_MODIFY_CALL_QOS_HANDLER","features":[320]},{"name":"CM_OPEN_AF_HANDLER","features":[320]},{"name":"CM_REG_SAP_HANDLER","features":[320]},{"name":"CO_ADDRESS","features":[320]},{"name":"CO_ADDRESS_FAMILY","features":[320]},{"name":"CO_ADDRESS_FAMILY_PROXY","features":[320]},{"name":"CO_ADDRESS_LIST","features":[320]},{"name":"CO_AF_REGISTER_NOTIFY_HANDLER","features":[320]},{"name":"CO_CALL_MANAGER_PARAMETERS","features":[320,321]},{"name":"CO_CALL_PARAMETERS","features":[320]},{"name":"CO_CREATE_VC_HANDLER","features":[320]},{"name":"CO_DELETE_VC_HANDLER","features":[320]},{"name":"CO_MEDIA_PARAMETERS","features":[320]},{"name":"CO_PVC","features":[320]},{"name":"CO_SAP","features":[320]},{"name":"CO_SEND_FLAG_SET_DISCARD_ELIBILITY","features":[320]},{"name":"CO_SPECIFIC_PARAMETERS","features":[320]},{"name":"CRYPTO_GENERIC_ERROR","features":[320]},{"name":"CRYPTO_INVALID_PACKET_SYNTAX","features":[320]},{"name":"CRYPTO_INVALID_PROTOCOL","features":[320]},{"name":"CRYPTO_SUCCESS","features":[320]},{"name":"CRYPTO_TRANSPORT_AH_AUTH_FAILED","features":[320]},{"name":"CRYPTO_TRANSPORT_ESP_AUTH_FAILED","features":[320]},{"name":"CRYPTO_TUNNEL_AH_AUTH_FAILED","features":[320]},{"name":"CRYPTO_TUNNEL_ESP_AUTH_FAILED","features":[320]},{"name":"CachedNetBufferList","features":[320]},{"name":"ClassificationHandlePacketInfo","features":[320]},{"name":"DD_NDIS_DEVICE_NAME","features":[320]},{"name":"DOT11_RSN_KCK_LENGTH","features":[320]},{"name":"DOT11_RSN_KEK_LENGTH","features":[320]},{"name":"DOT11_RSN_MAX_CIPHER_KEY_LENGTH","features":[320]},{"name":"EAPOL_REQUEST_ID_WOL_FLAG_MUST_ENCRYPT","features":[320]},{"name":"ENCRYPT","features":[320]},{"name":"ERRED_PACKET_INDICATION","features":[320]},{"name":"ETHERNET_LENGTH_OF_ADDRESS","features":[320]},{"name":"ETH_FILTER","features":[320]},{"name":"FILTERDBS","features":[320]},{"name":"GEN_GET_NETCARD_TIME","features":[320]},{"name":"GEN_GET_TIME_CAPS","features":[320]},{"name":"GUID_NDIS_NDK_CAPABILITIES","features":[320]},{"name":"GUID_NDIS_NDK_STATE","features":[320]},{"name":"INDICATE_END_OF_TX","features":[320]},{"name":"INDICATE_ERRED_PACKETS","features":[320]},{"name":"IOCTL_NDIS_RESERVED5","features":[320]},{"name":"IOCTL_NDIS_RESERVED6","features":[320]},{"name":"IPSEC_OFFLOAD_V2_AND_TCP_CHECKSUM_COEXISTENCE","features":[320]},{"name":"IPSEC_OFFLOAD_V2_AND_UDP_CHECKSUM_COEXISTENCE","features":[320]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_AES_GCM_128","features":[320]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_AES_GCM_192","features":[320]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_AES_GCM_256","features":[320]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_MD5","features":[320]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_SHA_1","features":[320]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_SHA_256","features":[320]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_3_DES_CBC","features":[320]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_CBC_128","features":[320]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_CBC_192","features":[320]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_CBC_256","features":[320]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_GCM_128","features":[320]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_GCM_192","features":[320]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_GCM_256","features":[320]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_DES_CBC","features":[320]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_NONE","features":[320]},{"name":"IPSEC_OFFLOAD_V2_ESN_SA","features":[320]},{"name":"IPSEC_OFFLOAD_V2_INBOUND","features":[320]},{"name":"IPSEC_OFFLOAD_V2_IPv6","features":[320]},{"name":"IPSEC_OFFLOAD_V2_MAX_EXTENSION_HEADERS","features":[320]},{"name":"IPSEC_OFFLOAD_V2_TRANSPORT_OVER_UDP_ESP_ENCAPSULATION_TUNNEL","features":[320]},{"name":"IPSEC_OFFLOAD_V2_UDP_ESP_ENCAPSULATION_NONE","features":[320]},{"name":"IPSEC_OFFLOAD_V2_UDP_ESP_ENCAPSULATION_TRANSPORT","features":[320]},{"name":"IPSEC_OFFLOAD_V2_UDP_ESP_ENCAPSULATION_TRANSPORT_OVER_TUNNEL","features":[320]},{"name":"IPSEC_OFFLOAD_V2_UDP_ESP_ENCAPSULATION_TUNNEL","features":[320]},{"name":"IPSEC_TPTOVERTUN_UDPESP_ENCAPTYPE_IKE","features":[320]},{"name":"IPSEC_TPTOVERTUN_UDPESP_ENCAPTYPE_OTHER","features":[320]},{"name":"IPSEC_TPT_UDPESP_ENCAPTYPE_IKE","features":[320]},{"name":"IPSEC_TPT_UDPESP_ENCAPTYPE_OTHER","features":[320]},{"name":"IPSEC_TPT_UDPESP_OVER_PURE_TUN_ENCAPTYPE_IKE","features":[320]},{"name":"IPSEC_TPT_UDPESP_OVER_PURE_TUN_ENCAPTYPE_OTHER","features":[320]},{"name":"IPSEC_TUN_UDPESP_ENCAPTYPE_IKE","features":[320]},{"name":"IPSEC_TUN_UDPESP_ENCAPTYPE_OTHER","features":[320]},{"name":"Ieee8021QInfo","features":[320]},{"name":"IpSecPacketInfo","features":[320]},{"name":"LOCK_STATE","features":[320]},{"name":"MAXIMUM_IP_OPER_STATUS_ADDRESS_FAMILIES_SUPPORTED","features":[320]},{"name":"MAX_HASHES","features":[320]},{"name":"MEDIA_SPECIFIC_INFORMATION","features":[320]},{"name":"MINIPORT_CO_ACTIVATE_VC","features":[320]},{"name":"MINIPORT_CO_CREATE_VC","features":[320]},{"name":"MINIPORT_CO_DEACTIVATE_VC","features":[320]},{"name":"MINIPORT_CO_DELETE_VC","features":[320]},{"name":"MULTIPOINT_VC","features":[320]},{"name":"MaxPerPacketInfo","features":[320]},{"name":"NBL_FLAGS_MINIPORT_RESERVED","features":[320]},{"name":"NBL_FLAGS_NDIS_RESERVED","features":[320]},{"name":"NBL_FLAGS_PROTOCOL_RESERVED","features":[320]},{"name":"NBL_FLAGS_SCRATCH","features":[320]},{"name":"NBL_PROT_RSVD_FLAGS","features":[320]},{"name":"NDIS630_MINIPORT","features":[320]},{"name":"NDIS685_MINIPORT","features":[320]},{"name":"NDIS_802_11_AI_REQFI","features":[320]},{"name":"NDIS_802_11_AI_REQFI_CAPABILITIES","features":[320]},{"name":"NDIS_802_11_AI_REQFI_CURRENTAPADDRESS","features":[320]},{"name":"NDIS_802_11_AI_REQFI_LISTENINTERVAL","features":[320]},{"name":"NDIS_802_11_AI_RESFI","features":[320]},{"name":"NDIS_802_11_AI_RESFI_ASSOCIATIONID","features":[320]},{"name":"NDIS_802_11_AI_RESFI_CAPABILITIES","features":[320]},{"name":"NDIS_802_11_AI_RESFI_STATUSCODE","features":[320]},{"name":"NDIS_802_11_ASSOCIATION_INFORMATION","features":[320]},{"name":"NDIS_802_11_AUTHENTICATION_ENCRYPTION","features":[320]},{"name":"NDIS_802_11_AUTHENTICATION_EVENT","features":[320]},{"name":"NDIS_802_11_AUTHENTICATION_MODE","features":[320]},{"name":"NDIS_802_11_AUTHENTICATION_REQUEST","features":[320]},{"name":"NDIS_802_11_AUTH_REQUEST_AUTH_FIELDS","features":[320]},{"name":"NDIS_802_11_AUTH_REQUEST_GROUP_ERROR","features":[320]},{"name":"NDIS_802_11_AUTH_REQUEST_KEYUPDATE","features":[320]},{"name":"NDIS_802_11_AUTH_REQUEST_PAIRWISE_ERROR","features":[320]},{"name":"NDIS_802_11_AUTH_REQUEST_REAUTH","features":[320]},{"name":"NDIS_802_11_BSSID_LIST","features":[320]},{"name":"NDIS_802_11_BSSID_LIST_EX","features":[320]},{"name":"NDIS_802_11_CAPABILITY","features":[320]},{"name":"NDIS_802_11_CONFIGURATION","features":[320]},{"name":"NDIS_802_11_CONFIGURATION_FH","features":[320]},{"name":"NDIS_802_11_FIXED_IEs","features":[320]},{"name":"NDIS_802_11_KEY","features":[320]},{"name":"NDIS_802_11_LENGTH_RATES","features":[320]},{"name":"NDIS_802_11_LENGTH_RATES_EX","features":[320]},{"name":"NDIS_802_11_LENGTH_SSID","features":[320]},{"name":"NDIS_802_11_MEDIA_STREAM_MODE","features":[320]},{"name":"NDIS_802_11_NETWORK_INFRASTRUCTURE","features":[320]},{"name":"NDIS_802_11_NETWORK_TYPE","features":[320]},{"name":"NDIS_802_11_NETWORK_TYPE_LIST","features":[320]},{"name":"NDIS_802_11_NON_BCAST_SSID_LIST","features":[320]},{"name":"NDIS_802_11_PMKID","features":[320]},{"name":"NDIS_802_11_PMKID_CANDIDATE_LIST","features":[320]},{"name":"NDIS_802_11_PMKID_CANDIDATE_PREAUTH_ENABLED","features":[320]},{"name":"NDIS_802_11_POWER_MODE","features":[320]},{"name":"NDIS_802_11_PRIVACY_FILTER","features":[320]},{"name":"NDIS_802_11_RADIO_STATUS","features":[320]},{"name":"NDIS_802_11_RELOAD_DEFAULTS","features":[320]},{"name":"NDIS_802_11_REMOVE_KEY","features":[320]},{"name":"NDIS_802_11_SSID","features":[320]},{"name":"NDIS_802_11_STATISTICS","features":[320]},{"name":"NDIS_802_11_STATUS_INDICATION","features":[320]},{"name":"NDIS_802_11_STATUS_TYPE","features":[320]},{"name":"NDIS_802_11_TEST","features":[320]},{"name":"NDIS_802_11_VARIABLE_IEs","features":[320]},{"name":"NDIS_802_11_WEP","features":[320]},{"name":"NDIS_802_11_WEP_STATUS","features":[320]},{"name":"NDIS_802_3_MAC_OPTION_PRIORITY","features":[320]},{"name":"NDIS_802_5_RING_STATE","features":[320]},{"name":"NDIS_AF_LIST","features":[320]},{"name":"NDIS_ANY_NUMBER_OF_NBLS","features":[320]},{"name":"NDIS_ATTRIBUTE_BUS_MASTER","features":[320]},{"name":"NDIS_ATTRIBUTE_DESERIALIZE","features":[320]},{"name":"NDIS_ATTRIBUTE_DO_NOT_BIND_TO_ALL_CO","features":[320]},{"name":"NDIS_ATTRIBUTE_IGNORE_PACKET_TIMEOUT","features":[320]},{"name":"NDIS_ATTRIBUTE_IGNORE_REQUEST_TIMEOUT","features":[320]},{"name":"NDIS_ATTRIBUTE_IGNORE_TOKEN_RING_ERRORS","features":[320]},{"name":"NDIS_ATTRIBUTE_INTERMEDIATE_DRIVER","features":[320]},{"name":"NDIS_ATTRIBUTE_MINIPORT_PADS_SHORT_PACKETS","features":[320]},{"name":"NDIS_ATTRIBUTE_NOT_CO_NDIS","features":[320]},{"name":"NDIS_ATTRIBUTE_NO_HALT_ON_SUSPEND","features":[320]},{"name":"NDIS_ATTRIBUTE_SURPRISE_REMOVE_OK","features":[320]},{"name":"NDIS_ATTRIBUTE_USES_SAFE_BUFFER_APIS","features":[320]},{"name":"NDIS_BIND_FAILED_NOTIFICATION_REVISION_1","features":[320]},{"name":"NDIS_BIND_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_BIND_PARAMETERS_REVISION_2","features":[320]},{"name":"NDIS_BIND_PARAMETERS_REVISION_3","features":[320]},{"name":"NDIS_BIND_PARAMETERS_REVISION_4","features":[320]},{"name":"NDIS_CALL_MANAGER_CHARACTERISTICS","features":[320]},{"name":"NDIS_CLASS_ID","features":[320]},{"name":"NDIS_CLONE_FLAGS_RESERVED","features":[320]},{"name":"NDIS_CLONE_FLAGS_USE_ORIGINAL_MDLS","features":[320]},{"name":"NDIS_CONFIGURATION_OBJECT_REVISION_1","features":[320]},{"name":"NDIS_CONFIGURATION_PARAMETER","features":[320,308]},{"name":"NDIS_CONFIG_FLAG_FILTER_INSTANCE_CONFIGURATION","features":[320]},{"name":"NDIS_CO_CALL_MANAGER_OPTIONAL_HANDLERS_REVISION_1","features":[320]},{"name":"NDIS_CO_CLIENT_OPTIONAL_HANDLERS_REVISION_1","features":[320]},{"name":"NDIS_CO_DEVICE_PROFILE","features":[320]},{"name":"NDIS_CO_LINK_SPEED","features":[320]},{"name":"NDIS_CO_MAC_OPTION_DYNAMIC_LINK_SPEED","features":[320]},{"name":"NDIS_DEFAULT_RECEIVE_FILTER_ID","features":[320]},{"name":"NDIS_DEFAULT_RECEIVE_QUEUE_GROUP_ID","features":[320]},{"name":"NDIS_DEFAULT_RECEIVE_QUEUE_ID","features":[320]},{"name":"NDIS_DEFAULT_SWITCH_ID","features":[320]},{"name":"NDIS_DEFAULT_VPORT_ID","features":[320]},{"name":"NDIS_DEVICE_OBJECT_ATTRIBUTES_REVISION_1","features":[320]},{"name":"NDIS_DEVICE_PNP_EVENT","features":[320]},{"name":"NDIS_DEVICE_POWER_STATE","features":[320]},{"name":"NDIS_DEVICE_TYPE_ENDPOINT","features":[320]},{"name":"NDIS_DEVICE_WAKE_ON_MAGIC_PACKET_ENABLE","features":[320]},{"name":"NDIS_DEVICE_WAKE_ON_PATTERN_MATCH_ENABLE","features":[320]},{"name":"NDIS_DEVICE_WAKE_UP_ENABLE","features":[320]},{"name":"NDIS_DMA_BLOCK","features":[309,320,308,314]},{"name":"NDIS_DMA_DESCRIPTION","features":[320,310,308]},{"name":"NDIS_DRIVER_FLAGS_RESERVED","features":[320]},{"name":"NDIS_ENCAPSULATED_PACKET_TASK_OFFLOAD_INNER_IPV4","features":[320]},{"name":"NDIS_ENCAPSULATED_PACKET_TASK_OFFLOAD_INNER_IPV6","features":[320]},{"name":"NDIS_ENCAPSULATED_PACKET_TASK_OFFLOAD_NOT_SUPPORTED","features":[320]},{"name":"NDIS_ENCAPSULATED_PACKET_TASK_OFFLOAD_OUTER_IPV4","features":[320]},{"name":"NDIS_ENCAPSULATED_PACKET_TASK_OFFLOAD_OUTER_IPV6","features":[320]},{"name":"NDIS_ENCAPSULATION_IEEE_802_3","features":[320]},{"name":"NDIS_ENCAPSULATION_IEEE_802_3_P_AND_Q","features":[320]},{"name":"NDIS_ENCAPSULATION_IEEE_802_3_P_AND_Q_IN_OOB","features":[320]},{"name":"NDIS_ENCAPSULATION_IEEE_LLC_SNAP_ROUTED","features":[320]},{"name":"NDIS_ENCAPSULATION_NOT_SUPPORTED","features":[320]},{"name":"NDIS_ENCAPSULATION_NULL","features":[320]},{"name":"NDIS_ENCAPSULATION_TYPE_GRE_MAC","features":[320]},{"name":"NDIS_ENCAPSULATION_TYPE_VXLAN","features":[320]},{"name":"NDIS_ENUM_FILTERS_REVISION_1","features":[320]},{"name":"NDIS_ENVIRONMENT_TYPE","features":[320]},{"name":"NDIS_ETH_TYPE_802_1Q","features":[320]},{"name":"NDIS_ETH_TYPE_802_1X","features":[320]},{"name":"NDIS_ETH_TYPE_ARP","features":[320]},{"name":"NDIS_ETH_TYPE_IPV4","features":[320]},{"name":"NDIS_ETH_TYPE_IPV6","features":[320]},{"name":"NDIS_ETH_TYPE_SLOW_PROTOCOL","features":[320]},{"name":"NDIS_EVENT","features":[309,320,308,314]},{"name":"NDIS_FDDI_ATTACHMENT_TYPE","features":[320]},{"name":"NDIS_FDDI_LCONNECTION_STATE","features":[320]},{"name":"NDIS_FDDI_RING_MGT_STATE","features":[320]},{"name":"NDIS_FILTER_ATTACH_FLAGS_IGNORE_MANDATORY","features":[320]},{"name":"NDIS_FILTER_ATTACH_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_FILTER_ATTACH_PARAMETERS_REVISION_2","features":[320]},{"name":"NDIS_FILTER_ATTACH_PARAMETERS_REVISION_3","features":[320]},{"name":"NDIS_FILTER_ATTACH_PARAMETERS_REVISION_4","features":[320]},{"name":"NDIS_FILTER_ATTRIBUTES_REVISION_1","features":[320]},{"name":"NDIS_FILTER_CHARACTERISTICS_REVISION_1","features":[320]},{"name":"NDIS_FILTER_CHARACTERISTICS_REVISION_2","features":[320]},{"name":"NDIS_FILTER_CHARACTERISTICS_REVISION_3","features":[320]},{"name":"NDIS_FILTER_DRIVER_MANDATORY","features":[320]},{"name":"NDIS_FILTER_DRIVER_SUPPORTS_CURRENT_MAC_ADDRESS_CHANGE","features":[320]},{"name":"NDIS_FILTER_DRIVER_SUPPORTS_L2_MTU_SIZE_CHANGE","features":[320]},{"name":"NDIS_FILTER_INTERFACE_IM_FILTER","features":[320]},{"name":"NDIS_FILTER_INTERFACE_LW_FILTER","features":[320]},{"name":"NDIS_FILTER_INTERFACE_RECEIVE_BYPASS","features":[320]},{"name":"NDIS_FILTER_INTERFACE_REVISION_1","features":[320]},{"name":"NDIS_FILTER_INTERFACE_REVISION_2","features":[320]},{"name":"NDIS_FILTER_INTERFACE_SEND_BYPASS","features":[320]},{"name":"NDIS_FILTER_MAJOR_VERSION","features":[320]},{"name":"NDIS_FILTER_MINIMUM_MAJOR_VERSION","features":[320]},{"name":"NDIS_FILTER_MINIMUM_MINOR_VERSION","features":[320]},{"name":"NDIS_FILTER_MINOR_VERSION","features":[320]},{"name":"NDIS_FILTER_PARTIAL_CHARACTERISTICS_REVISION_1","features":[320]},{"name":"NDIS_FILTER_PAUSE_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_FILTER_RESTART_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_FLAGS_DONT_LOOPBACK","features":[320]},{"name":"NDIS_FLAGS_DOUBLE_BUFFERED","features":[320]},{"name":"NDIS_FLAGS_IS_LOOPBACK_PACKET","features":[320]},{"name":"NDIS_FLAGS_LOOPBACK_ONLY","features":[320]},{"name":"NDIS_FLAGS_MULTICAST_PACKET","features":[320]},{"name":"NDIS_FLAGS_PADDED","features":[320]},{"name":"NDIS_FLAGS_PROTOCOL_ID_MASK","features":[320]},{"name":"NDIS_FLAGS_RESERVED2","features":[320]},{"name":"NDIS_FLAGS_RESERVED3","features":[320]},{"name":"NDIS_FLAGS_RESERVED4","features":[320]},{"name":"NDIS_FLAGS_SENT_AT_DPC","features":[320]},{"name":"NDIS_FLAGS_USES_ORIGINAL_PACKET","features":[320]},{"name":"NDIS_FLAGS_USES_SG_BUFFER_LIST","features":[320]},{"name":"NDIS_FLAGS_XLATE_AT_TOP","features":[320]},{"name":"NDIS_GFP_ENCAPSULATION_TYPE_IP_IN_GRE","features":[320]},{"name":"NDIS_GFP_ENCAPSULATION_TYPE_IP_IN_IP","features":[320]},{"name":"NDIS_GFP_ENCAPSULATION_TYPE_NOT_ENCAPSULATED","features":[320]},{"name":"NDIS_GFP_ENCAPSULATION_TYPE_NVGRE","features":[320]},{"name":"NDIS_GFP_ENCAPSULATION_TYPE_VXLAN","features":[320]},{"name":"NDIS_GFP_EXACT_MATCH_PROFILE_RDMA_FLOW","features":[320]},{"name":"NDIS_GFP_EXACT_MATCH_PROFILE_REVISION_1","features":[320]},{"name":"NDIS_GFP_HEADER_GROUP_EXACT_MATCH_IS_TTL_ONE","features":[320]},{"name":"NDIS_GFP_HEADER_GROUP_EXACT_MATCH_PROFILE_IS_TTL_ONE","features":[320]},{"name":"NDIS_GFP_HEADER_GROUP_EXACT_MATCH_PROFILE_REVISION_1","features":[320]},{"name":"NDIS_GFP_HEADER_GROUP_EXACT_MATCH_REVISION_1","features":[320]},{"name":"NDIS_GFP_HEADER_GROUP_WILDCARD_MATCH_IS_TTL_ONE","features":[320]},{"name":"NDIS_GFP_HEADER_GROUP_WILDCARD_MATCH_PROFILE_IS_TTL_ONE","features":[320]},{"name":"NDIS_GFP_HEADER_GROUP_WILDCARD_MATCH_PROFILE_REVISION_1","features":[320]},{"name":"NDIS_GFP_HEADER_GROUP_WILDCARD_MATCH_REVISION_1","features":[320]},{"name":"NDIS_GFP_HEADER_PRESENT_ESP","features":[320]},{"name":"NDIS_GFP_HEADER_PRESENT_ETHERNET","features":[320]},{"name":"NDIS_GFP_HEADER_PRESENT_ICMP","features":[320]},{"name":"NDIS_GFP_HEADER_PRESENT_IPV4","features":[320]},{"name":"NDIS_GFP_HEADER_PRESENT_IPV6","features":[320]},{"name":"NDIS_GFP_HEADER_PRESENT_IP_IN_GRE_ENCAP","features":[320]},{"name":"NDIS_GFP_HEADER_PRESENT_IP_IN_IP_ENCAP","features":[320]},{"name":"NDIS_GFP_HEADER_PRESENT_NO_ENCAP","features":[320]},{"name":"NDIS_GFP_HEADER_PRESENT_NVGRE_ENCAP","features":[320]},{"name":"NDIS_GFP_HEADER_PRESENT_TCP","features":[320]},{"name":"NDIS_GFP_HEADER_PRESENT_UDP","features":[320]},{"name":"NDIS_GFP_HEADER_PRESENT_VXLAN_ENCAP","features":[320]},{"name":"NDIS_GFP_UNDEFINED_PROFILE_ID","features":[320]},{"name":"NDIS_GFP_WILDCARD_MATCH_PROFILE_REVISION_1","features":[320]},{"name":"NDIS_GFT_COUNTER_INFO_ARRAY_REVISION_1","features":[320]},{"name":"NDIS_GFT_COUNTER_INFO_REVISION_1","features":[320]},{"name":"NDIS_GFT_COUNTER_PARAMETERS_CLIENT_SPECIFIED_ADDRESS","features":[320]},{"name":"NDIS_GFT_COUNTER_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_GFT_COUNTER_VALUE_ARRAY_GET_VALUES","features":[320]},{"name":"NDIS_GFT_COUNTER_VALUE_ARRAY_REVISION_1","features":[320]},{"name":"NDIS_GFT_COUNTER_VALUE_ARRAY_UPDATE_MEMORY_MAPPED_COUNTERS","features":[320]},{"name":"NDIS_GFT_CUSTOM_ACTION_LAST_ACTION","features":[320]},{"name":"NDIS_GFT_CUSTOM_ACTION_PROFILE_REVISION_1","features":[320]},{"name":"NDIS_GFT_CUSTOM_ACTION_REVISION_1","features":[320]},{"name":"NDIS_GFT_DELETE_PROFILE_ALL_PROFILES","features":[320]},{"name":"NDIS_GFT_DELETE_PROFILE_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_GFT_DELETE_TABLE_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_GFT_EMFE_ADD_IN_ACTIVATED_STATE","features":[320]},{"name":"NDIS_GFT_EMFE_ALL_VPORT_FLOW_ENTRIES","features":[320]},{"name":"NDIS_GFT_EMFE_COPY_AFTER_TCP_FIN_FLAG_SET","features":[320]},{"name":"NDIS_GFT_EMFE_COPY_AFTER_TCP_RST_FLAG_SET","features":[320]},{"name":"NDIS_GFT_EMFE_COPY_ALL_PACKETS","features":[320]},{"name":"NDIS_GFT_EMFE_COPY_CONDITION_CHANGED","features":[320]},{"name":"NDIS_GFT_EMFE_COPY_FIRST_PACKET","features":[320]},{"name":"NDIS_GFT_EMFE_COPY_WHEN_TCP_FLAG_SET","features":[320]},{"name":"NDIS_GFT_EMFE_COUNTER_ALLOCATE","features":[320]},{"name":"NDIS_GFT_EMFE_COUNTER_CLIENT_SPECIFIED_ADDRESS","features":[320]},{"name":"NDIS_GFT_EMFE_COUNTER_MEMORY_MAPPED","features":[320]},{"name":"NDIS_GFT_EMFE_COUNTER_TRACK_TCP_FLOW","features":[320]},{"name":"NDIS_GFT_EMFE_CUSTOM_ACTION_PRESENT","features":[320]},{"name":"NDIS_GFT_EMFE_MATCH_AND_ACTION_MUST_BE_SUPPORTED","features":[320]},{"name":"NDIS_GFT_EMFE_META_ACTION_BEFORE_HEADER_TRANSPOSITION","features":[320]},{"name":"NDIS_GFT_EMFE_RDMA_FLOW","features":[320]},{"name":"NDIS_GFT_EMFE_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT","features":[320]},{"name":"NDIS_GFT_EMFE_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[320]},{"name":"NDIS_GFT_EMFE_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT","features":[320]},{"name":"NDIS_GFT_EMFE_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[320]},{"name":"NDIS_GFT_EXACT_MATCH_FLOW_ENTRY_REVISION_1","features":[320]},{"name":"NDIS_GFT_FLOW_ENTRY_ARRAY_REVISION_1","features":[320]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ALL_NIC_SWITCH_FLOW_ENTRIES","features":[320]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ALL_TABLE_FLOW_ENTRIES","features":[320]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ALL_VPORT_FLOW_ENTRIES","features":[320]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ARRAY_COUNTER_VALUES","features":[320]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ARRAY_DEFINED","features":[320]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ARRAY_REVISION_1","features":[320]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_RANGE_DEFINED","features":[320]},{"name":"NDIS_GFT_FLOW_ENTRY_INFO_ALL_FLOW_ENTRIES","features":[320]},{"name":"NDIS_GFT_FLOW_ENTRY_INFO_ARRAY_REVISION_1","features":[320]},{"name":"NDIS_GFT_FREE_COUNTER_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_GFT_HEADER_GROUP_TRANSPOSITION_DECREMENT_TTL_IF_NOT_ONE","features":[320]},{"name":"NDIS_GFT_HEADER_GROUP_TRANSPOSITION_PROFILE_DECREMENT_TTL_IF_NOT_ONE","features":[320]},{"name":"NDIS_GFT_HEADER_GROUP_TRANSPOSITION_PROFILE_REVISION_1","features":[320]},{"name":"NDIS_GFT_HEADER_GROUP_TRANSPOSITION_REVISION_1","features":[320]},{"name":"NDIS_GFT_HEADER_TRANSPOSITION_PROFILE_REVISION_1","features":[320]},{"name":"NDIS_GFT_HTP_COPY_ALL_PACKETS","features":[320]},{"name":"NDIS_GFT_HTP_COPY_FIRST_PACKET","features":[320]},{"name":"NDIS_GFT_HTP_COPY_WHEN_TCP_FLAG_SET","features":[320]},{"name":"NDIS_GFT_HTP_CUSTOM_ACTION_PRESENT","features":[320]},{"name":"NDIS_GFT_HTP_META_ACTION_BEFORE_HEADER_TRANSPOSITION","features":[320]},{"name":"NDIS_GFT_HTP_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT","features":[320]},{"name":"NDIS_GFT_HTP_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[320]},{"name":"NDIS_GFT_HTP_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT","features":[320]},{"name":"NDIS_GFT_HTP_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[320]},{"name":"NDIS_GFT_MAX_COUNTER_OBJECTS_PER_FLOW_ENTRY","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPABILITIES_REVISION_1","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_8021P_PRIORITY_MASK","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_ADD_FLOW_ENTRY_DEACTIVATED_PREFERRED","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_ALLOW","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_CLIENT_SPECIFIED_MEMORY_MAPPED_COUNTERS","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_COMBINED_COUNTER_AND_STATE","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_COPY_ALL","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_COPY_FIRST","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_COPY_WHEN_TCP_FLAG_SET","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_DESIGNATED_EXCEPTION_VPORT","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_DROP","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_DSCP_MASK","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EGRESS_AGGREGATE_COUNTERS","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EGRESS_EXACT_MATCH","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EGRESS_WILDCARD_MATCH","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EXT_VPORT_EGRESS_EXACT_MATCH","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EXT_VPORT_EGRESS_WILDCARD_MATCH","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EXT_VPORT_INGRESS_EXACT_MATCH","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EXT_VPORT_INGRESS_WILDCARD_MATCH","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_IGNORE_ACTION_SUPPORTED","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_INGRESS_AGGREGATE_COUNTERS","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_INGRESS_EXACT_MATCH","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_INGRESS_WILDCARD_MATCH","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_MEMORY_MAPPED_COUNTERS","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_MEMORY_MAPPED_PAKCET_AND_BYTE_COUNTERS","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_META_ACTION_AFTER_HEADER_TRANSPOSITION","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_META_ACTION_BEFORE_HEADER_TRANSPOSITION","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_MODIFY","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_PER_FLOW_ENTRY_COUNTERS","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_PER_PACKET_COUNTER_UPDATE","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_PER_VPORT_EXCEPTION_VPORT","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_POP","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_PUSH","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_RATE_LIMITING_QUEUE_SUPPORTED","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_SAMPLE","features":[320]},{"name":"NDIS_GFT_OFFLOAD_CAPS_TRACK_TCP_FLOW_STATE","features":[320]},{"name":"NDIS_GFT_OFFLOAD_INFO_COPY_PACKET","features":[320]},{"name":"NDIS_GFT_OFFLOAD_INFO_DIRECTION_INGRESS","features":[320]},{"name":"NDIS_GFT_OFFLOAD_INFO_EXCEPTION_PACKET","features":[320]},{"name":"NDIS_GFT_OFFLOAD_INFO_SAMPLE_PACKET","features":[320]},{"name":"NDIS_GFT_OFFLOAD_PARAMETERS_CUSTOM_PROVIDER_RESERVED","features":[320]},{"name":"NDIS_GFT_OFFLOAD_PARAMETERS_ENABLE_OFFLOAD","features":[320]},{"name":"NDIS_GFT_OFFLOAD_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_GFT_PROFILE_INFO_ARRAY_REVISION_1","features":[320]},{"name":"NDIS_GFT_PROFILE_INFO_REVISION_1","features":[320]},{"name":"NDIS_GFT_RESERVED_CUSTOM_ACTIONS","features":[320]},{"name":"NDIS_GFT_STATISTICS_REVISION_1","features":[320]},{"name":"NDIS_GFT_TABLE_INCLUDE_EXTERNAL_VPPORT","features":[320]},{"name":"NDIS_GFT_TABLE_INFO_ARRAY_REVISION_1","features":[320]},{"name":"NDIS_GFT_TABLE_INFO_REVISION_1","features":[320]},{"name":"NDIS_GFT_TABLE_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_GFT_UNDEFINED_COUNTER_ID","features":[320]},{"name":"NDIS_GFT_UNDEFINED_CUSTOM_ACTION","features":[320]},{"name":"NDIS_GFT_UNDEFINED_FLOW_ENTRY_ID","features":[320]},{"name":"NDIS_GFT_UNDEFINED_TABLE_ID","features":[320]},{"name":"NDIS_GFT_VPORT_DSCP_FLAGS_CHANGED","features":[320]},{"name":"NDIS_GFT_VPORT_DSCP_GUARD_ENABLE_RX","features":[320]},{"name":"NDIS_GFT_VPORT_DSCP_GUARD_ENABLE_TX","features":[320]},{"name":"NDIS_GFT_VPORT_DSCP_MASK_CHANGED","features":[320]},{"name":"NDIS_GFT_VPORT_DSCP_MASK_ENABLE_RX","features":[320]},{"name":"NDIS_GFT_VPORT_DSCP_MASK_ENABLE_TX","features":[320]},{"name":"NDIS_GFT_VPORT_ENABLE","features":[320]},{"name":"NDIS_GFT_VPORT_ENABLE_STATE_CHANGED","features":[320]},{"name":"NDIS_GFT_VPORT_EXCEPTION_VPORT_CHANGED","features":[320]},{"name":"NDIS_GFT_VPORT_MAX_DSCP_MASK_COUNTER_OBJECTS","features":[320]},{"name":"NDIS_GFT_VPORT_MAX_PRIORITY_MASK_COUNTER_OBJECTS","features":[320]},{"name":"NDIS_GFT_VPORT_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_GFT_VPORT_PARAMS_CHANGE_MASK","features":[320]},{"name":"NDIS_GFT_VPORT_PARAMS_CUSTOM_PROVIDER_RESERVED","features":[320]},{"name":"NDIS_GFT_VPORT_PARSE_VXLAN","features":[320]},{"name":"NDIS_GFT_VPORT_PARSE_VXLAN_NOT_IN_SRC_PORT_RANGE","features":[320]},{"name":"NDIS_GFT_VPORT_PRIORITY_MASK_CHANGED","features":[320]},{"name":"NDIS_GFT_VPORT_SAMPLING_RATE_CHANGED","features":[320]},{"name":"NDIS_GFT_VPORT_VXLAN_SETTINGS_CHANGED","features":[320]},{"name":"NDIS_GFT_WCFE_ADD_IN_ACTIVATED_STATE","features":[320]},{"name":"NDIS_GFT_WCFE_COPY_ALL_PACKETS","features":[320]},{"name":"NDIS_GFT_WCFE_COUNTER_ALLOCATE","features":[320]},{"name":"NDIS_GFT_WCFE_COUNTER_CLIENT_SPECIFIED_ADDRESS","features":[320]},{"name":"NDIS_GFT_WCFE_COUNTER_MEMORY_MAPPED","features":[320]},{"name":"NDIS_GFT_WCFE_CUSTOM_ACTION_PRESENT","features":[320]},{"name":"NDIS_GFT_WCFE_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT","features":[320]},{"name":"NDIS_GFT_WCFE_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[320]},{"name":"NDIS_GFT_WCFE_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT","features":[320]},{"name":"NDIS_GFT_WCFE_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[320]},{"name":"NDIS_GFT_WILDCARD_MATCH_FLOW_ENTRY_REVISION_1","features":[320]},{"name":"NDIS_GUID","features":[320]},{"name":"NDIS_HARDWARE_CROSSTIMESTAMP","features":[320]},{"name":"NDIS_HARDWARE_CROSSTIMESTAMP_REVISION_1","features":[320]},{"name":"NDIS_HARDWARE_STATUS","features":[320]},{"name":"NDIS_HASH_FUNCTION_MASK","features":[320]},{"name":"NDIS_HASH_IPV4","features":[320]},{"name":"NDIS_HASH_IPV6","features":[320]},{"name":"NDIS_HASH_IPV6_EX","features":[320]},{"name":"NDIS_HASH_TCP_IPV4","features":[320]},{"name":"NDIS_HASH_TCP_IPV6","features":[320]},{"name":"NDIS_HASH_TCP_IPV6_EX","features":[320]},{"name":"NDIS_HASH_TYPE_MASK","features":[320]},{"name":"NDIS_HASH_UDP_IPV4","features":[320]},{"name":"NDIS_HASH_UDP_IPV6","features":[320]},{"name":"NDIS_HASH_UDP_IPV6_EX","features":[320]},{"name":"NDIS_HD_SPLIT_ATTRIBUTES_REVISION_1","features":[320]},{"name":"NDIS_HD_SPLIT_CAPS_SUPPORTS_HEADER_DATA_SPLIT","features":[320]},{"name":"NDIS_HD_SPLIT_CAPS_SUPPORTS_IPV4_OPTIONS","features":[320]},{"name":"NDIS_HD_SPLIT_CAPS_SUPPORTS_IPV6_EXTENSION_HEADERS","features":[320]},{"name":"NDIS_HD_SPLIT_CAPS_SUPPORTS_TCP_OPTIONS","features":[320]},{"name":"NDIS_HD_SPLIT_COMBINE_ALL_HEADERS","features":[320]},{"name":"NDIS_HD_SPLIT_CURRENT_CONFIG_REVISION_1","features":[320]},{"name":"NDIS_HD_SPLIT_ENABLE_HEADER_DATA_SPLIT","features":[320]},{"name":"NDIS_HD_SPLIT_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_HYPERVISOR_INFO_FLAG_HYPERVISOR_PRESENT","features":[320]},{"name":"NDIS_HYPERVISOR_INFO_REVISION_1","features":[320]},{"name":"NDIS_INTERFACE_TYPE","features":[320]},{"name":"NDIS_INTERMEDIATE_DRIVER","features":[320]},{"name":"NDIS_INTERRUPT_MODERATION","features":[320]},{"name":"NDIS_INTERRUPT_MODERATION_CHANGE_NEEDS_REINITIALIZE","features":[320]},{"name":"NDIS_INTERRUPT_MODERATION_CHANGE_NEEDS_RESET","features":[320]},{"name":"NDIS_INTERRUPT_MODERATION_PARAMETERS","features":[320]},{"name":"NDIS_INTERRUPT_MODERATION_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_IPSEC_OFFLOAD_V1","features":[320]},{"name":"NDIS_IPSEC_OFFLOAD_V2_ADD_SA_EX_REVISION_1","features":[320]},{"name":"NDIS_IPSEC_OFFLOAD_V2_ADD_SA_REVISION_1","features":[320]},{"name":"NDIS_IPSEC_OFFLOAD_V2_DELETE_SA_REVISION_1","features":[320]},{"name":"NDIS_IPSEC_OFFLOAD_V2_UPDATE_SA_REVISION_1","features":[320]},{"name":"NDIS_IP_OPER_STATE","features":[320,322]},{"name":"NDIS_IP_OPER_STATE_REVISION_1","features":[320]},{"name":"NDIS_IP_OPER_STATUS","features":[320,322]},{"name":"NDIS_IP_OPER_STATUS_INFO","features":[320,322]},{"name":"NDIS_IP_OPER_STATUS_INFO_REVISION_1","features":[320]},{"name":"NDIS_IRDA_PACKET_INFO","features":[320]},{"name":"NDIS_ISOLATION_NAME_MAX_STRING_SIZE","features":[320]},{"name":"NDIS_ISOLATION_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_KDNET_ADD_PF_REVISION_1","features":[320]},{"name":"NDIS_KDNET_ENUMERATE_PFS_REVISION_1","features":[320]},{"name":"NDIS_KDNET_PF_ENUM_ELEMENT_REVISION_1","features":[320]},{"name":"NDIS_KDNET_QUERY_PF_INFORMATION_REVISION_1","features":[320]},{"name":"NDIS_KDNET_REMOVE_PF_REVISION_1","features":[320]},{"name":"NDIS_LARGE_SEND_OFFLOAD_MAX_HEADER_LENGTH","features":[320]},{"name":"NDIS_LEGACY_DRIVER","features":[320]},{"name":"NDIS_LEGACY_MINIPORT","features":[320]},{"name":"NDIS_LEGACY_PROTOCOL","features":[320]},{"name":"NDIS_LINK_PARAMETERS","features":[320,322]},{"name":"NDIS_LINK_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_LINK_SPEED","features":[320]},{"name":"NDIS_LINK_STATE","features":[320,322]},{"name":"NDIS_LINK_STATE_DUPLEX_AUTO_NEGOTIATED","features":[320]},{"name":"NDIS_LINK_STATE_PAUSE_FUNCTIONS_AUTO_NEGOTIATED","features":[320]},{"name":"NDIS_LINK_STATE_RCV_LINK_SPEED_AUTO_NEGOTIATED","features":[320]},{"name":"NDIS_LINK_STATE_REVISION_1","features":[320]},{"name":"NDIS_LINK_STATE_XMIT_LINK_SPEED_AUTO_NEGOTIATED","features":[320]},{"name":"NDIS_MAC_OPTION_8021P_PRIORITY","features":[320]},{"name":"NDIS_MAC_OPTION_8021Q_VLAN","features":[320]},{"name":"NDIS_MAC_OPTION_COPY_LOOKAHEAD_DATA","features":[320]},{"name":"NDIS_MAC_OPTION_EOTX_INDICATION","features":[320]},{"name":"NDIS_MAC_OPTION_FULL_DUPLEX","features":[320]},{"name":"NDIS_MAC_OPTION_NO_LOOPBACK","features":[320]},{"name":"NDIS_MAC_OPTION_RECEIVE_AT_DPC","features":[320]},{"name":"NDIS_MAC_OPTION_RECEIVE_SERIALIZED","features":[320]},{"name":"NDIS_MAC_OPTION_RESERVED","features":[320]},{"name":"NDIS_MAC_OPTION_SUPPORTS_MAC_ADDRESS_OVERWRITE","features":[320]},{"name":"NDIS_MAC_OPTION_TRANSFERS_NOT_PEND","features":[320]},{"name":"NDIS_MAXIMUM_PORTS","features":[320]},{"name":"NDIS_MAX_LOOKAHEAD_SIZE_ACCESSED_UNDEFINED","features":[320]},{"name":"NDIS_MAX_PROCESSOR_COUNT","features":[320]},{"name":"NDIS_MEDIA_CAP_RECEIVE","features":[320]},{"name":"NDIS_MEDIA_CAP_TRANSMIT","features":[320]},{"name":"NDIS_MEDIA_SPECIFIC_INFO_EAPOL","features":[320]},{"name":"NDIS_MEDIA_SPECIFIC_INFO_FCOE","features":[320]},{"name":"NDIS_MEDIA_SPECIFIC_INFO_LLDP","features":[320]},{"name":"NDIS_MEDIA_SPECIFIC_INFO_TIMESYNC","features":[320]},{"name":"NDIS_MEDIA_SPECIFIC_INFO_TUNDL","features":[320]},{"name":"NDIS_MEDIA_STATE","features":[320]},{"name":"NDIS_MEDIUM","features":[320]},{"name":"NDIS_MEMORY_CONTIGUOUS","features":[320]},{"name":"NDIS_MEMORY_NONCACHED","features":[320]},{"name":"NDIS_MINIPORT_ADAPTER_802_11_ATTRIBUTES_REVISION_1","features":[320]},{"name":"NDIS_MINIPORT_ADAPTER_802_11_ATTRIBUTES_REVISION_2","features":[320]},{"name":"NDIS_MINIPORT_ADAPTER_802_11_ATTRIBUTES_REVISION_3","features":[320]},{"name":"NDIS_MINIPORT_ADAPTER_GENERAL_ATTRIBUTES_REVISION_1","features":[320]},{"name":"NDIS_MINIPORT_ADAPTER_GENERAL_ATTRIBUTES_REVISION_2","features":[320]},{"name":"NDIS_MINIPORT_ADAPTER_HARDWARE_ASSIST_ATTRIBUTES_REVISION_1","features":[320]},{"name":"NDIS_MINIPORT_ADAPTER_HARDWARE_ASSIST_ATTRIBUTES_REVISION_2","features":[320]},{"name":"NDIS_MINIPORT_ADAPTER_HARDWARE_ASSIST_ATTRIBUTES_REVISION_3","features":[320]},{"name":"NDIS_MINIPORT_ADAPTER_HARDWARE_ASSIST_ATTRIBUTES_REVISION_4","features":[320]},{"name":"NDIS_MINIPORT_ADAPTER_NDK_ATTRIBUTES_REVISION_1","features":[320]},{"name":"NDIS_MINIPORT_ADAPTER_OFFLOAD_ATTRIBUTES_REVISION_1","features":[320]},{"name":"NDIS_MINIPORT_ADAPTER_PACKET_DIRECT_ATTRIBUTES_REVISION_1","features":[320]},{"name":"NDIS_MINIPORT_ADAPTER_REGISTRATION_ATTRIBUTES_REVISION_1","features":[320]},{"name":"NDIS_MINIPORT_ADAPTER_REGISTRATION_ATTRIBUTES_REVISION_2","features":[320]},{"name":"NDIS_MINIPORT_ADD_DEVICE_REGISTRATION_ATTRIBUTES_REVISION_1","features":[320]},{"name":"NDIS_MINIPORT_ATTRIBUTES_BUS_MASTER","features":[320]},{"name":"NDIS_MINIPORT_ATTRIBUTES_CONTROLS_DEFAULT_PORT","features":[320]},{"name":"NDIS_MINIPORT_ATTRIBUTES_DO_NOT_BIND_TO_ALL_CO","features":[320]},{"name":"NDIS_MINIPORT_ATTRIBUTES_HARDWARE_DEVICE","features":[320]},{"name":"NDIS_MINIPORT_ATTRIBUTES_NDIS_WDM","features":[320]},{"name":"NDIS_MINIPORT_ATTRIBUTES_NOT_CO_NDIS","features":[320]},{"name":"NDIS_MINIPORT_ATTRIBUTES_NO_HALT_ON_SUSPEND","features":[320]},{"name":"NDIS_MINIPORT_ATTRIBUTES_NO_OID_INTERCEPT_ON_NONDEFAULT_PORTS","features":[320]},{"name":"NDIS_MINIPORT_ATTRIBUTES_NO_PAUSE_ON_SUSPEND","features":[320]},{"name":"NDIS_MINIPORT_ATTRIBUTES_REGISTER_BUGCHECK_CALLBACK","features":[320]},{"name":"NDIS_MINIPORT_ATTRIBUTES_SURPRISE_REMOVE_OK","features":[320]},{"name":"NDIS_MINIPORT_BLOCK","features":[320]},{"name":"NDIS_MINIPORT_CO_CHARACTERISTICS_REVISION_1","features":[320]},{"name":"NDIS_MINIPORT_DRIVER","features":[320]},{"name":"NDIS_MINIPORT_DRIVER_CHARACTERISTICS_REVISION_1","features":[320]},{"name":"NDIS_MINIPORT_DRIVER_CHARACTERISTICS_REVISION_2","features":[320]},{"name":"NDIS_MINIPORT_DRIVER_CHARACTERISTICS_REVISION_3","features":[320]},{"name":"NDIS_MINIPORT_INIT_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_MINIPORT_INTERRUPT_REVISION_1","features":[320]},{"name":"NDIS_MINIPORT_MAJOR_VERSION","features":[320]},{"name":"NDIS_MINIPORT_MINIMUM_MAJOR_VERSION","features":[320]},{"name":"NDIS_MINIPORT_MINIMUM_MINOR_VERSION","features":[320]},{"name":"NDIS_MINIPORT_MINOR_VERSION","features":[320]},{"name":"NDIS_MINIPORT_PAUSE_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_MINIPORT_PNP_CHARACTERISTICS_REVISION_1","features":[320]},{"name":"NDIS_MINIPORT_RESTART_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_MINIPORT_SS_CHARACTERISTICS_REVISION_1","features":[320]},{"name":"NDIS_MINIPORT_TIMER","features":[309,320,310,308,314]},{"name":"NDIS_MIN_API","features":[320]},{"name":"NDIS_MONITOR_CONFIG_REVISION_1","features":[320]},{"name":"NDIS_MSIX_CONFIG_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_M_DRIVER_BLOCK","features":[320]},{"name":"NDIS_M_MAX_LOOKAHEAD","features":[320]},{"name":"NDIS_NBL_FLAGS_CAPTURE_TIMESTAMP_ON_TRANSMIT","features":[320]},{"name":"NDIS_NBL_FLAGS_HD_SPLIT","features":[320]},{"name":"NDIS_NBL_FLAGS_IS_IPV4","features":[320]},{"name":"NDIS_NBL_FLAGS_IS_IPV6","features":[320]},{"name":"NDIS_NBL_FLAGS_IS_LOOPBACK_PACKET","features":[320]},{"name":"NDIS_NBL_FLAGS_IS_TCP","features":[320]},{"name":"NDIS_NBL_FLAGS_IS_UDP","features":[320]},{"name":"NDIS_NBL_FLAGS_RECV_READ_ONLY","features":[320]},{"name":"NDIS_NBL_FLAGS_SEND_READ_ONLY","features":[320]},{"name":"NDIS_NBL_FLAGS_SPLIT_AT_UPPER_LAYER_PROTOCOL_HEADER","features":[320]},{"name":"NDIS_NBL_FLAGS_SPLIT_AT_UPPER_LAYER_PROTOCOL_PAYLOAD","features":[320]},{"name":"NDIS_NBL_MEDIA_SPECIFIC_INFO_REVISION_1","features":[320]},{"name":"NDIS_NDK_CAPABILITIES_REVISION_1","features":[320]},{"name":"NDIS_NDK_CONNECTIONS_REVISION_1","features":[320]},{"name":"NDIS_NDK_LOCAL_ENDPOINTS_REVISION_1","features":[320]},{"name":"NDIS_NDK_STATISTICS_INFO_REVISION_1","features":[320]},{"name":"NDIS_NETWORK_CHANGE_TYPE","features":[320]},{"name":"NDIS_NIC_SWITCH_CAPABILITIES_REVISION_1","features":[320]},{"name":"NDIS_NIC_SWITCH_CAPABILITIES_REVISION_2","features":[320]},{"name":"NDIS_NIC_SWITCH_CAPABILITIES_REVISION_3","features":[320]},{"name":"NDIS_NIC_SWITCH_CAPS_ASYMMETRIC_QUEUE_PAIRS_FOR_NONDEFAULT_VPORT_SUPPORTED","features":[320]},{"name":"NDIS_NIC_SWITCH_CAPS_NIC_SWITCH_WITHOUT_IOV_SUPPORTED","features":[320]},{"name":"NDIS_NIC_SWITCH_CAPS_PER_VPORT_INTERRUPT_MODERATION_SUPPORTED","features":[320]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_ON_PF_VPORTS_SUPPORTED","features":[320]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PARAMETERS_PER_PF_VPORT_SUPPORTED","features":[320]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PER_PF_VPORT_HASH_FUNCTION_SUPPORTED","features":[320]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PER_PF_VPORT_HASH_KEY_SUPPORTED","features":[320]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PER_PF_VPORT_HASH_TYPE_SUPPORTED","features":[320]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PER_PF_VPORT_INDIRECTION_TABLE_SIZE_RESTRICTED","features":[320]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PER_PF_VPORT_INDIRECTION_TABLE_SUPPORTED","features":[320]},{"name":"NDIS_NIC_SWITCH_CAPS_SINGLE_VPORT_POOL","features":[320]},{"name":"NDIS_NIC_SWITCH_CAPS_VF_RSS_SUPPORTED","features":[320]},{"name":"NDIS_NIC_SWITCH_CAPS_VLAN_SUPPORTED","features":[320]},{"name":"NDIS_NIC_SWITCH_DELETE_SWITCH_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_NIC_SWITCH_DELETE_VPORT_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_NIC_SWITCH_FREE_VF_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_NIC_SWITCH_INFO_ARRAY_REVISION_1","features":[320]},{"name":"NDIS_NIC_SWITCH_INFO_REVISION_1","features":[320]},{"name":"NDIS_NIC_SWITCH_PARAMETERS_CHANGE_MASK","features":[320]},{"name":"NDIS_NIC_SWITCH_PARAMETERS_DEFAULT_NUMBER_OF_QUEUE_PAIRS_FOR_DEFAULT_VPORT","features":[320]},{"name":"NDIS_NIC_SWITCH_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_NIC_SWITCH_PARAMETERS_REVISION_2","features":[320]},{"name":"NDIS_NIC_SWITCH_PARAMETERS_SWITCH_NAME_CHANGED","features":[320]},{"name":"NDIS_NIC_SWITCH_VF_INFO_ARRAY_ENUM_ON_SPECIFIC_SWITCH","features":[320]},{"name":"NDIS_NIC_SWITCH_VF_INFO_ARRAY_REVISION_1","features":[320]},{"name":"NDIS_NIC_SWITCH_VF_INFO_REVISION_1","features":[320]},{"name":"NDIS_NIC_SWITCH_VF_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_ARRAY_ENUM_ON_SPECIFIC_FUNCTION","features":[320]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_ARRAY_ENUM_ON_SPECIFIC_SWITCH","features":[320]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_ARRAY_REVISION_1","features":[320]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_GFT_ENABLED","features":[320]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_LOOKAHEAD_SPLIT_ENABLED","features":[320]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_PACKET_DIRECT_RX_ONLY","features":[320]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_REVISION_1","features":[320]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMETERS_REVISION_2","features":[320]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_CHANGE_MASK","features":[320]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_ENFORCE_MAX_SG_LIST","features":[320]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_FLAGS_CHANGED","features":[320]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_INT_MOD_CHANGED","features":[320]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_LOOKAHEAD_SPLIT_ENABLED","features":[320]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_NAME_CHANGED","features":[320]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_NDK_PARAMS_CHANGED","features":[320]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_NUM_QUEUE_PAIRS_CHANGED","features":[320]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_PACKET_DIRECT_RX_ONLY","features":[320]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_PROCESSOR_AFFINITY_CHANGED","features":[320]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_QOS_SQ_ID_CHANGED","features":[320]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_STATE_CHANGED","features":[320]},{"name":"NDIS_NT","features":[320]},{"name":"NDIS_OBJECT_HEADER","features":[320]},{"name":"NDIS_OBJECT_REVISION_1","features":[320]},{"name":"NDIS_OBJECT_TYPE_BIND_PARAMETERS","features":[320]},{"name":"NDIS_OBJECT_TYPE_CLIENT_CHIMNEY_OFFLOAD_CHARACTERISTICS","features":[320]},{"name":"NDIS_OBJECT_TYPE_CLIENT_CHIMNEY_OFFLOAD_GENERIC_CHARACTERISTICS","features":[320]},{"name":"NDIS_OBJECT_TYPE_CONFIGURATION_OBJECT","features":[320]},{"name":"NDIS_OBJECT_TYPE_CO_CALL_MANAGER_OPTIONAL_HANDLERS","features":[320]},{"name":"NDIS_OBJECT_TYPE_CO_CLIENT_OPTIONAL_HANDLERS","features":[320]},{"name":"NDIS_OBJECT_TYPE_CO_MINIPORT_CHARACTERISTICS","features":[320]},{"name":"NDIS_OBJECT_TYPE_CO_PROTOCOL_CHARACTERISTICS","features":[320]},{"name":"NDIS_OBJECT_TYPE_DEFAULT","features":[320]},{"name":"NDIS_OBJECT_TYPE_DEVICE_OBJECT_ATTRIBUTES","features":[320]},{"name":"NDIS_OBJECT_TYPE_DRIVER_WRAPPER_OBJECT","features":[320]},{"name":"NDIS_OBJECT_TYPE_DRIVER_WRAPPER_REVISION_1","features":[320]},{"name":"NDIS_OBJECT_TYPE_FILTER_ATTACH_PARAMETERS","features":[320]},{"name":"NDIS_OBJECT_TYPE_FILTER_ATTRIBUTES","features":[320]},{"name":"NDIS_OBJECT_TYPE_FILTER_DRIVER_CHARACTERISTICS","features":[320]},{"name":"NDIS_OBJECT_TYPE_FILTER_PARTIAL_CHARACTERISTICS","features":[320]},{"name":"NDIS_OBJECT_TYPE_FILTER_PAUSE_PARAMETERS","features":[320]},{"name":"NDIS_OBJECT_TYPE_FILTER_RESTART_PARAMETERS","features":[320]},{"name":"NDIS_OBJECT_TYPE_HD_SPLIT_ATTRIBUTES","features":[320]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_GENERAL_ATTRIBUTES","features":[320]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_HARDWARE_ASSIST_ATTRIBUTES","features":[320]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_NATIVE_802_11_ATTRIBUTES","features":[320]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_NDK_ATTRIBUTES","features":[320]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_OFFLOAD_ATTRIBUTES","features":[320]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_PACKET_DIRECT_ATTRIBUTES","features":[320]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_REGISTRATION_ATTRIBUTES","features":[320]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADD_DEVICE_REGISTRATION_ATTRIBUTES","features":[320]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_DEVICE_POWER_NOTIFICATION","features":[320]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_DRIVER_CHARACTERISTICS","features":[320]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_INIT_PARAMETERS","features":[320]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_INTERRUPT","features":[320]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_PNP_CHARACTERISTICS","features":[320]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_SS_CHARACTERISTICS","features":[320]},{"name":"NDIS_OBJECT_TYPE_NDK_PROVIDER_CHARACTERISTICS","features":[320]},{"name":"NDIS_OBJECT_TYPE_NSI_COMPARTMENT_RW_STRUCT","features":[320]},{"name":"NDIS_OBJECT_TYPE_NSI_INTERFACE_PERSIST_RW_STRUCT","features":[320]},{"name":"NDIS_OBJECT_TYPE_NSI_NETWORK_RW_STRUCT","features":[320]},{"name":"NDIS_OBJECT_TYPE_OFFLOAD","features":[320]},{"name":"NDIS_OBJECT_TYPE_OFFLOAD_ENCAPSULATION","features":[320]},{"name":"NDIS_OBJECT_TYPE_OID_REQUEST","features":[320]},{"name":"NDIS_OBJECT_TYPE_OPEN_PARAMETERS","features":[320]},{"name":"NDIS_OBJECT_TYPE_PCI_DEVICE_CUSTOM_PROPERTIES_REVISION_1","features":[320]},{"name":"NDIS_OBJECT_TYPE_PCI_DEVICE_CUSTOM_PROPERTIES_REVISION_2","features":[320]},{"name":"NDIS_OBJECT_TYPE_PD_RECEIVE_QUEUE","features":[320]},{"name":"NDIS_OBJECT_TYPE_PD_TRANSMIT_QUEUE","features":[320]},{"name":"NDIS_OBJECT_TYPE_PORT_CHARACTERISTICS","features":[320]},{"name":"NDIS_OBJECT_TYPE_PORT_STATE","features":[320]},{"name":"NDIS_OBJECT_TYPE_PROTOCOL_DRIVER_CHARACTERISTICS","features":[320]},{"name":"NDIS_OBJECT_TYPE_PROTOCOL_RESTART_PARAMETERS","features":[320]},{"name":"NDIS_OBJECT_TYPE_PROVIDER_CHIMNEY_OFFLOAD_CHARACTERISTICS","features":[320]},{"name":"NDIS_OBJECT_TYPE_PROVIDER_CHIMNEY_OFFLOAD_GENERIC_CHARACTERISTICS","features":[320]},{"name":"NDIS_OBJECT_TYPE_QOS_CAPABILITIES","features":[320]},{"name":"NDIS_OBJECT_TYPE_QOS_CLASSIFICATION_ELEMENT","features":[320]},{"name":"NDIS_OBJECT_TYPE_QOS_PARAMETERS","features":[320]},{"name":"NDIS_OBJECT_TYPE_REQUEST_EX","features":[320]},{"name":"NDIS_OBJECT_TYPE_RESTART_GENERAL_ATTRIBUTES","features":[320]},{"name":"NDIS_OBJECT_TYPE_RSS_CAPABILITIES","features":[320]},{"name":"NDIS_OBJECT_TYPE_RSS_PARAMETERS","features":[320]},{"name":"NDIS_OBJECT_TYPE_RSS_PARAMETERS_V2","features":[320]},{"name":"NDIS_OBJECT_TYPE_RSS_PROCESSOR_INFO","features":[320]},{"name":"NDIS_OBJECT_TYPE_RSS_SET_INDIRECTION_ENTRIES","features":[320]},{"name":"NDIS_OBJECT_TYPE_SG_DMA_DESCRIPTION","features":[320]},{"name":"NDIS_OBJECT_TYPE_SHARED_MEMORY_PROVIDER_CHARACTERISTICS","features":[320]},{"name":"NDIS_OBJECT_TYPE_STATUS_INDICATION","features":[320]},{"name":"NDIS_OBJECT_TYPE_SWITCH_OPTIONAL_HANDLERS","features":[320]},{"name":"NDIS_OBJECT_TYPE_TIMER_CHARACTERISTICS","features":[320]},{"name":"NDIS_OFFLOAD","features":[320]},{"name":"NDIS_OFFLOAD_ENCAPSULATION_REVISION_1","features":[320]},{"name":"NDIS_OFFLOAD_FLAGS_GROUP_CHECKSUM_CAPABILITIES","features":[320]},{"name":"NDIS_OFFLOAD_NOT_SUPPORTED","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_CONNECTION_OFFLOAD_DISABLED","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_CONNECTION_OFFLOAD_ENABLED","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV1_AH_AND_ESP_ENABLED","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV1_AH_ENABLED","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV1_DISABLED","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV1_ESP_ENABLED","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV2_AH_AND_ESP_ENABLED","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV2_AH_ENABLED","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV2_DISABLED","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV2_ESP_ENABLED","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_LSOV1_DISABLED","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_LSOV1_ENABLED","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_LSOV2_DISABLED","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_LSOV2_ENABLED","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_NO_CHANGE","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_REVISION_2","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_REVISION_3","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_REVISION_4","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_REVISION_5","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_RSC_DISABLED","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_RSC_ENABLED","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_RX_ENABLED_TX_DISABLED","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_SKIP_REGISTRY_UPDATE","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_TX_ENABLED_RX_DISABLED","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_TX_RX_DISABLED","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_TX_RX_ENABLED","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_USO_DISABLED","features":[320]},{"name":"NDIS_OFFLOAD_PARAMETERS_USO_ENABLED","features":[320]},{"name":"NDIS_OFFLOAD_REVISION_1","features":[320]},{"name":"NDIS_OFFLOAD_REVISION_2","features":[320]},{"name":"NDIS_OFFLOAD_REVISION_3","features":[320]},{"name":"NDIS_OFFLOAD_REVISION_4","features":[320]},{"name":"NDIS_OFFLOAD_REVISION_5","features":[320]},{"name":"NDIS_OFFLOAD_REVISION_6","features":[320]},{"name":"NDIS_OFFLOAD_REVISION_7","features":[320]},{"name":"NDIS_OFFLOAD_SET_NO_CHANGE","features":[320]},{"name":"NDIS_OFFLOAD_SET_OFF","features":[320]},{"name":"NDIS_OFFLOAD_SET_ON","features":[320]},{"name":"NDIS_OFFLOAD_SUPPORTED","features":[320]},{"name":"NDIS_OID_REQUEST_FLAGS_VPORT_ID_VALID","features":[320]},{"name":"NDIS_OID_REQUEST_NDIS_RESERVED_SIZE","features":[320]},{"name":"NDIS_OID_REQUEST_REVISION_1","features":[320]},{"name":"NDIS_OID_REQUEST_REVISION_2","features":[320]},{"name":"NDIS_OID_REQUEST_TIMEOUT_INFINITE","features":[320]},{"name":"NDIS_OPEN_BLOCK","features":[320]},{"name":"NDIS_OPEN_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_OPEN_RECEIVE_NOT_REENTRANT","features":[320]},{"name":"NDIS_OPER_STATE","features":[320,322]},{"name":"NDIS_OPER_STATE_REVISION_1","features":[320]},{"name":"NDIS_PACKET_8021Q_INFO","features":[320]},{"name":"NDIS_PACKET_TYPE_ALL_FUNCTIONAL","features":[320]},{"name":"NDIS_PACKET_TYPE_ALL_LOCAL","features":[320]},{"name":"NDIS_PACKET_TYPE_ALL_MULTICAST","features":[320]},{"name":"NDIS_PACKET_TYPE_BROADCAST","features":[320]},{"name":"NDIS_PACKET_TYPE_DIRECTED","features":[320]},{"name":"NDIS_PACKET_TYPE_FUNCTIONAL","features":[320]},{"name":"NDIS_PACKET_TYPE_GROUP","features":[320]},{"name":"NDIS_PACKET_TYPE_MAC_FRAME","features":[320]},{"name":"NDIS_PACKET_TYPE_MULTICAST","features":[320]},{"name":"NDIS_PACKET_TYPE_NO_LOCAL","features":[320]},{"name":"NDIS_PACKET_TYPE_PROMISCUOUS","features":[320]},{"name":"NDIS_PACKET_TYPE_SMT","features":[320]},{"name":"NDIS_PACKET_TYPE_SOURCE_ROUTING","features":[320]},{"name":"NDIS_PARAMETER_TYPE","features":[320]},{"name":"NDIS_PAUSE_ATTACH_FILTER","features":[320]},{"name":"NDIS_PAUSE_BIND_PROTOCOL","features":[320]},{"name":"NDIS_PAUSE_DETACH_FILTER","features":[320]},{"name":"NDIS_PAUSE_FILTER_RESTART_STACK","features":[320]},{"name":"NDIS_PAUSE_LOW_POWER","features":[320]},{"name":"NDIS_PAUSE_MINIPORT_DEVICE_REMOVE","features":[320]},{"name":"NDIS_PAUSE_NDIS_INTERNAL","features":[320]},{"name":"NDIS_PAUSE_UNBIND_PROTOCOL","features":[320]},{"name":"NDIS_PCI_DEVICE_CUSTOM_PROPERTIES","features":[320]},{"name":"NDIS_PD_ACQUIRE_QUEUES_FLAG_DRAIN_NOTIFICATION","features":[320]},{"name":"NDIS_PD_ACQUIRE_QUEUES_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_PD_CAPABILITIES_REVISION_1","features":[320]},{"name":"NDIS_PD_CAPS_DRAIN_NOTIFICATIONS_SUPPORTED","features":[320]},{"name":"NDIS_PD_CAPS_NOTIFICATION_MODERATION_COUNT_SUPPORTED","features":[320]},{"name":"NDIS_PD_CAPS_NOTIFICATION_MODERATION_INTERVAL_SUPPORTED","features":[320]},{"name":"NDIS_PD_CAPS_RECEIVE_FILTER_COUNTERS_SUPPORTED","features":[320]},{"name":"NDIS_PD_CLOSE_PROVIDER_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_PD_CONFIG_REVISION_1","features":[320]},{"name":"NDIS_PD_COUNTER_HANDLE","features":[320]},{"name":"NDIS_PD_COUNTER_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_PD_FILTER_HANDLE","features":[320]},{"name":"NDIS_PD_FILTER_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_PD_OPEN_PROVIDER_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_PD_PROVIDER_DISPATCH_REVISION_1","features":[320]},{"name":"NDIS_PD_PROVIDER_HANDLE","features":[320]},{"name":"NDIS_PD_QUEUE_DISPATCH_REVISION_1","features":[320]},{"name":"NDIS_PD_QUEUE_FLAG_DRAIN_NOTIFICATION","features":[320]},{"name":"NDIS_PD_QUEUE_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_PD_QUEUE_REVISION_1","features":[320]},{"name":"NDIS_PER_PACKET_INFO","features":[320]},{"name":"NDIS_PHYSICAL_ADDRESS_UNIT","features":[320]},{"name":"NDIS_PHYSICAL_MEDIUM","features":[320]},{"name":"NDIS_PM_CAPABILITIES_REVISION_1","features":[320]},{"name":"NDIS_PM_CAPABILITIES_REVISION_2","features":[320]},{"name":"NDIS_PM_MAX_PATTERN_ID","features":[320]},{"name":"NDIS_PM_MAX_STRING_SIZE","features":[320]},{"name":"NDIS_PM_PACKET_PATTERN","features":[320]},{"name":"NDIS_PM_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_PM_PARAMETERS_REVISION_2","features":[320]},{"name":"NDIS_PM_PRIVATE_PATTERN_ID","features":[320]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_80211_RSN_REKEY_ENABLED","features":[320]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_80211_RSN_REKEY_SUPPORTED","features":[320]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_ARP_ENABLED","features":[320]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_ARP_SUPPORTED","features":[320]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_NS_ENABLED","features":[320]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_NS_SUPPORTED","features":[320]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_PRIORITY_HIGHEST","features":[320]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_PRIORITY_LOWEST","features":[320]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_PRIORITY_NORMAL","features":[320]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_REVISION_1","features":[320]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_REVISION_2","features":[320]},{"name":"NDIS_PM_SELECTIVE_SUSPEND_ENABLED","features":[320]},{"name":"NDIS_PM_SELECTIVE_SUSPEND_SUPPORTED","features":[320]},{"name":"NDIS_PM_WAKE_ON_LINK_CHANGE_ENABLED","features":[320]},{"name":"NDIS_PM_WAKE_ON_MEDIA_CONNECT_SUPPORTED","features":[320]},{"name":"NDIS_PM_WAKE_ON_MEDIA_DISCONNECT_ENABLED","features":[320]},{"name":"NDIS_PM_WAKE_ON_MEDIA_DISCONNECT_SUPPORTED","features":[320]},{"name":"NDIS_PM_WAKE_PACKET_INDICATION_SUPPORTED","features":[320]},{"name":"NDIS_PM_WAKE_PACKET_REVISION_1","features":[320]},{"name":"NDIS_PM_WAKE_REASON_REVISION_1","features":[320]},{"name":"NDIS_PM_WAKE_UP_CAPABILITIES","features":[320]},{"name":"NDIS_PM_WOL_BITMAP_PATTERN_ENABLED","features":[320]},{"name":"NDIS_PM_WOL_BITMAP_PATTERN_SUPPORTED","features":[320]},{"name":"NDIS_PM_WOL_EAPOL_REQUEST_ID_MESSAGE_ENABLED","features":[320]},{"name":"NDIS_PM_WOL_EAPOL_REQUEST_ID_MESSAGE_SUPPORTED","features":[320]},{"name":"NDIS_PM_WOL_IPV4_DEST_ADDR_WILDCARD_ENABLED","features":[320]},{"name":"NDIS_PM_WOL_IPV4_DEST_ADDR_WILDCARD_SUPPORTED","features":[320]},{"name":"NDIS_PM_WOL_IPV4_TCP_SYN_ENABLED","features":[320]},{"name":"NDIS_PM_WOL_IPV4_TCP_SYN_SUPPORTED","features":[320]},{"name":"NDIS_PM_WOL_IPV6_DEST_ADDR_WILDCARD_ENABLED","features":[320]},{"name":"NDIS_PM_WOL_IPV6_DEST_ADDR_WILDCARD_SUPPORTED","features":[320]},{"name":"NDIS_PM_WOL_IPV6_TCP_SYN_ENABLED","features":[320]},{"name":"NDIS_PM_WOL_IPV6_TCP_SYN_SUPPORTED","features":[320]},{"name":"NDIS_PM_WOL_MAGIC_PACKET_ENABLED","features":[320]},{"name":"NDIS_PM_WOL_MAGIC_PACKET_SUPPORTED","features":[320]},{"name":"NDIS_PM_WOL_PATTERN_REVISION_1","features":[320]},{"name":"NDIS_PM_WOL_PATTERN_REVISION_2","features":[320]},{"name":"NDIS_PM_WOL_PRIORITY_HIGHEST","features":[320]},{"name":"NDIS_PM_WOL_PRIORITY_LOWEST","features":[320]},{"name":"NDIS_PM_WOL_PRIORITY_NORMAL","features":[320]},{"name":"NDIS_PNP_CAPABILITIES","features":[320]},{"name":"NDIS_PNP_WAKE_UP_LINK_CHANGE","features":[320]},{"name":"NDIS_PNP_WAKE_UP_MAGIC_PACKET","features":[320]},{"name":"NDIS_PNP_WAKE_UP_PATTERN_MATCH","features":[320]},{"name":"NDIS_POLL_CHARACTERISTICS_REVISION_1","features":[320]},{"name":"NDIS_POLL_DATA_REVISION_1","features":[320]},{"name":"NDIS_POLL_HANDLE","features":[320]},{"name":"NDIS_POLL_NOTIFICATION_REVISION_1","features":[320]},{"name":"NDIS_PORT","features":[320,322]},{"name":"NDIS_PORT_ARRAY","features":[320,322]},{"name":"NDIS_PORT_ARRAY_REVISION_1","features":[320]},{"name":"NDIS_PORT_AUTHENTICATION_PARAMETERS","features":[320]},{"name":"NDIS_PORT_AUTHENTICATION_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_PORT_AUTHORIZATION_STATE","features":[320]},{"name":"NDIS_PORT_CHARACTERISTICS","features":[320,322]},{"name":"NDIS_PORT_CHARACTERISTICS_REVISION_1","features":[320]},{"name":"NDIS_PORT_CHAR_USE_DEFAULT_AUTH_SETTINGS","features":[320]},{"name":"NDIS_PORT_CONTROL_STATE","features":[320]},{"name":"NDIS_PORT_STATE","features":[320,322]},{"name":"NDIS_PORT_STATE_REVISION_1","features":[320]},{"name":"NDIS_PORT_TYPE","features":[320]},{"name":"NDIS_POWER_PROFILE","features":[320]},{"name":"NDIS_PROC","features":[320]},{"name":"NDIS_PROCESSOR_TYPE","features":[320]},{"name":"NDIS_PROCESSOR_VENDOR","features":[320]},{"name":"NDIS_PROC_CALLBACK","features":[320]},{"name":"NDIS_PROTOCOL_BLOCK","features":[320]},{"name":"NDIS_PROTOCOL_CO_CHARACTERISTICS_REVISION_1","features":[320]},{"name":"NDIS_PROTOCOL_DRIVER_CHARACTERISTICS_REVISION_1","features":[320]},{"name":"NDIS_PROTOCOL_DRIVER_CHARACTERISTICS_REVISION_2","features":[320]},{"name":"NDIS_PROTOCOL_DRIVER_SUPPORTS_CURRENT_MAC_ADDRESS_CHANGE","features":[320]},{"name":"NDIS_PROTOCOL_DRIVER_SUPPORTS_L2_MTU_SIZE_CHANGE","features":[320]},{"name":"NDIS_PROTOCOL_ID_DEFAULT","features":[320]},{"name":"NDIS_PROTOCOL_ID_IP6","features":[320]},{"name":"NDIS_PROTOCOL_ID_IPX","features":[320]},{"name":"NDIS_PROTOCOL_ID_MASK","features":[320]},{"name":"NDIS_PROTOCOL_ID_MAX","features":[320]},{"name":"NDIS_PROTOCOL_ID_NBF","features":[320]},{"name":"NDIS_PROTOCOL_ID_TCP_IP","features":[320]},{"name":"NDIS_PROTOCOL_MAJOR_VERSION","features":[320]},{"name":"NDIS_PROTOCOL_MINIMUM_MAJOR_VERSION","features":[320]},{"name":"NDIS_PROTOCOL_MINIMUM_MINOR_VERSION","features":[320]},{"name":"NDIS_PROTOCOL_MINOR_VERSION","features":[320]},{"name":"NDIS_PROTOCOL_PAUSE_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_PROTOCOL_RESTART_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_PROT_OPTION_ESTIMATED_LENGTH","features":[320]},{"name":"NDIS_PROT_OPTION_NO_LOOPBACK","features":[320]},{"name":"NDIS_PROT_OPTION_NO_RSVD_ON_RCVPKT","features":[320]},{"name":"NDIS_PROT_OPTION_SEND_RESTRICTED","features":[320]},{"name":"NDIS_QOS_ACTION_MAXIMUM","features":[320]},{"name":"NDIS_QOS_ACTION_PRIORITY","features":[320]},{"name":"NDIS_QOS_CAPABILITIES_CEE_DCBX_SUPPORTED","features":[320]},{"name":"NDIS_QOS_CAPABILITIES_IEEE_DCBX_SUPPORTED","features":[320]},{"name":"NDIS_QOS_CAPABILITIES_MACSEC_BYPASS_SUPPORTED","features":[320]},{"name":"NDIS_QOS_CAPABILITIES_REVISION_1","features":[320]},{"name":"NDIS_QOS_CAPABILITIES_STRICT_TSA_SUPPORTED","features":[320]},{"name":"NDIS_QOS_CLASSIFICATION_ELEMENT_REVISION_1","features":[320]},{"name":"NDIS_QOS_CLASSIFICATION_ENFORCED_BY_MINIPORT","features":[320]},{"name":"NDIS_QOS_CLASSIFICATION_SET_BY_MINIPORT_MASK","features":[320]},{"name":"NDIS_QOS_CONDITION_DEFAULT","features":[320]},{"name":"NDIS_QOS_CONDITION_ETHERTYPE","features":[320]},{"name":"NDIS_QOS_CONDITION_MAXIMUM","features":[320]},{"name":"NDIS_QOS_CONDITION_NETDIRECT_PORT","features":[320]},{"name":"NDIS_QOS_CONDITION_RESERVED","features":[320]},{"name":"NDIS_QOS_CONDITION_TCP_OR_UDP_PORT","features":[320]},{"name":"NDIS_QOS_CONDITION_TCP_PORT","features":[320]},{"name":"NDIS_QOS_CONDITION_UDP_PORT","features":[320]},{"name":"NDIS_QOS_DEFAULT_SQ_ID","features":[320]},{"name":"NDIS_QOS_MAXIMUM_PRIORITIES","features":[320]},{"name":"NDIS_QOS_MAXIMUM_TRAFFIC_CLASSES","features":[320]},{"name":"NDIS_QOS_OFFLOAD_CAPABILITIES_REVISION_1","features":[320]},{"name":"NDIS_QOS_OFFLOAD_CAPABILITIES_REVISION_2","features":[320]},{"name":"NDIS_QOS_OFFLOAD_CAPS_GFT_SQ","features":[320]},{"name":"NDIS_QOS_OFFLOAD_CAPS_STANDARD_SQ","features":[320]},{"name":"NDIS_QOS_PARAMETERS_CLASSIFICATION_CHANGED","features":[320]},{"name":"NDIS_QOS_PARAMETERS_CLASSIFICATION_CONFIGURED","features":[320]},{"name":"NDIS_QOS_PARAMETERS_ETS_CHANGED","features":[320]},{"name":"NDIS_QOS_PARAMETERS_ETS_CONFIGURED","features":[320]},{"name":"NDIS_QOS_PARAMETERS_PFC_CHANGED","features":[320]},{"name":"NDIS_QOS_PARAMETERS_PFC_CONFIGURED","features":[320]},{"name":"NDIS_QOS_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_QOS_PARAMETERS_WILLING","features":[320]},{"name":"NDIS_QOS_SQ_ARRAY_REVISION_1","features":[320]},{"name":"NDIS_QOS_SQ_PARAMETERS_ARRAY_REVISION_1","features":[320]},{"name":"NDIS_QOS_SQ_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_QOS_SQ_PARAMETERS_REVISION_2","features":[320]},{"name":"NDIS_QOS_SQ_RECEIVE_CAP_ENABLED","features":[320]},{"name":"NDIS_QOS_SQ_STATS_REVISION_1","features":[320]},{"name":"NDIS_QOS_SQ_TRANSMIT_CAP_ENABLED","features":[320]},{"name":"NDIS_QOS_SQ_TRANSMIT_RESERVATION_ENABLED","features":[320]},{"name":"NDIS_QOS_TSA_CBS","features":[320]},{"name":"NDIS_QOS_TSA_ETS","features":[320]},{"name":"NDIS_QOS_TSA_MAXIMUM","features":[320]},{"name":"NDIS_QOS_TSA_STRICT","features":[320]},{"name":"NDIS_RECEIVE_FILTER_ANY_VLAN_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_ARP_HEADER_OPERATION_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_ARP_HEADER_SPA_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_ARP_HEADER_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_ARP_HEADER_TPA_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_CAPABILITIES_REVISION_1","features":[320]},{"name":"NDIS_RECEIVE_FILTER_CAPABILITIES_REVISION_2","features":[320]},{"name":"NDIS_RECEIVE_FILTER_CLEAR_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_RECEIVE_FILTER_DYNAMIC_PROCESSOR_AFFINITY_CHANGE_FOR_DEFAULT_QUEUE_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_DYNAMIC_PROCESSOR_AFFINITY_CHANGE_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_FIELD_MAC_HEADER_VLAN_UNTAGGED_OR_ZERO","features":[320]},{"name":"NDIS_RECEIVE_FILTER_FIELD_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_RECEIVE_FILTER_FIELD_PARAMETERS_REVISION_2","features":[320]},{"name":"NDIS_RECEIVE_FILTER_FLAGS_RESERVED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_GLOBAL_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_RECEIVE_FILTER_IMPLAT_MIN_OF_QUEUES_MODE","features":[320]},{"name":"NDIS_RECEIVE_FILTER_IMPLAT_SUM_OF_QUEUES_MODE","features":[320]},{"name":"NDIS_RECEIVE_FILTER_INFO_ARRAY_REVISION_1","features":[320]},{"name":"NDIS_RECEIVE_FILTER_INFO_ARRAY_REVISION_2","features":[320]},{"name":"NDIS_RECEIVE_FILTER_INFO_ARRAY_VPORT_ID_SPECIFIED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_INFO_REVISION_1","features":[320]},{"name":"NDIS_RECEIVE_FILTER_INTERRUPT_VECTOR_COALESCING_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_IPV4_HEADER_PROTOCOL_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_IPV4_HEADER_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_IPV6_HEADER_PROTOCOL_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_IPV6_HEADER_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_LOOKAHEAD_SPLIT_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_DEST_ADDR_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_PACKET_TYPE_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_PRIORITY_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_PROTOCOL_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_SOURCE_ADDR_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_VLAN_ID_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_MOVE_FILTER_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_RECEIVE_FILTER_MSI_X_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_PACKET_COALESCING_FILTERS_ENABLED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_PACKET_COALESCING_SUPPORTED_ON_DEFAULT_QUEUE","features":[320]},{"name":"NDIS_RECEIVE_FILTER_PACKET_ENCAPSULATION","features":[320]},{"name":"NDIS_RECEIVE_FILTER_PACKET_ENCAPSULATION_GRE","features":[320]},{"name":"NDIS_RECEIVE_FILTER_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_RECEIVE_FILTER_PARAMETERS_REVISION_2","features":[320]},{"name":"NDIS_RECEIVE_FILTER_QUEUE_STATE_CHANGE_REVISION_1","features":[320]},{"name":"NDIS_RECEIVE_FILTER_RESERVED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_TEST_HEADER_FIELD_EQUAL_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_TEST_HEADER_FIELD_MASK_EQUAL_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_TEST_HEADER_FIELD_NOT_EQUAL_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_UDP_HEADER_DEST_PORT_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_UDP_HEADER_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_VMQ_FILTERS_ENABLED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_VM_QUEUES_ENABLED","features":[320]},{"name":"NDIS_RECEIVE_FILTER_VM_QUEUE_SUPPORTED","features":[320]},{"name":"NDIS_RECEIVE_FLAGS_DISPATCH_LEVEL","features":[320]},{"name":"NDIS_RECEIVE_FLAGS_MORE_NBLS","features":[320]},{"name":"NDIS_RECEIVE_FLAGS_PERFECT_FILTERED","features":[320]},{"name":"NDIS_RECEIVE_FLAGS_RESOURCES","features":[320]},{"name":"NDIS_RECEIVE_FLAGS_SHARED_MEMORY_INFO_VALID","features":[320]},{"name":"NDIS_RECEIVE_FLAGS_SINGLE_ETHER_TYPE","features":[320]},{"name":"NDIS_RECEIVE_FLAGS_SINGLE_QUEUE","features":[320]},{"name":"NDIS_RECEIVE_FLAGS_SINGLE_VLAN","features":[320]},{"name":"NDIS_RECEIVE_FLAGS_SWITCH_DESTINATION_GROUP","features":[320]},{"name":"NDIS_RECEIVE_FLAGS_SWITCH_SINGLE_SOURCE","features":[320]},{"name":"NDIS_RECEIVE_HASH_FLAG_ENABLE_HASH","features":[320]},{"name":"NDIS_RECEIVE_HASH_FLAG_HASH_INFO_UNCHANGED","features":[320]},{"name":"NDIS_RECEIVE_HASH_FLAG_HASH_KEY_UNCHANGED","features":[320]},{"name":"NDIS_RECEIVE_HASH_PARAMETERS","features":[320]},{"name":"NDIS_RECEIVE_HASH_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_RECEIVE_QUEUE_ALLOCATION_COMPLETE_ARRAY_REVISION_1","features":[320]},{"name":"NDIS_RECEIVE_QUEUE_ALLOCATION_COMPLETE_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_RECEIVE_QUEUE_FREE_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_RECEIVE_QUEUE_INFO_ARRAY_REVISION_1","features":[320]},{"name":"NDIS_RECEIVE_QUEUE_INFO_REVISION_1","features":[320]},{"name":"NDIS_RECEIVE_QUEUE_INFO_REVISION_2","features":[320]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_CHANGE_MASK","features":[320]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_FLAGS_CHANGED","features":[320]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_INTERRUPT_COALESCING_DOMAIN_ID_CHANGED","features":[320]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_LOOKAHEAD_SPLIT_REQUIRED","features":[320]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_NAME_CHANGED","features":[320]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_PER_QUEUE_RECEIVE_INDICATION","features":[320]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_PROCESSOR_AFFINITY_CHANGED","features":[320]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_QOS_SQ_ID_CHANGED","features":[320]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_REVISION_2","features":[320]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_REVISION_3","features":[320]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_SUGGESTED_RECV_BUFFER_NUMBERS_CHANGED","features":[320]},{"name":"NDIS_RECEIVE_QUEUE_STATE_REVISION_1","features":[320]},{"name":"NDIS_RECEIVE_SCALE_CAPABILITIES","features":[320]},{"name":"NDIS_RECEIVE_SCALE_CAPABILITIES_REVISION_1","features":[320]},{"name":"NDIS_RECEIVE_SCALE_CAPABILITIES_REVISION_2","features":[320]},{"name":"NDIS_RECEIVE_SCALE_CAPABILITIES_REVISION_3","features":[320]},{"name":"NDIS_RECEIVE_SCALE_PARAMETERS","features":[320]},{"name":"NDIS_RECEIVE_SCALE_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_RECEIVE_SCALE_PARAMETERS_REVISION_2","features":[320]},{"name":"NDIS_RECEIVE_SCALE_PARAMETERS_REVISION_3","features":[320]},{"name":"NDIS_RECEIVE_SCALE_PARAMETERS_V2_REVISION_1","features":[320]},{"name":"NDIS_RECEIVE_SCALE_PARAM_ENABLE_RSS","features":[320]},{"name":"NDIS_RECEIVE_SCALE_PARAM_HASH_INFO_CHANGED","features":[320]},{"name":"NDIS_RECEIVE_SCALE_PARAM_HASH_KEY_CHANGED","features":[320]},{"name":"NDIS_RECEIVE_SCALE_PARAM_NUMBER_OF_ENTRIES_CHANGED","features":[320]},{"name":"NDIS_RECEIVE_SCALE_PARAM_NUMBER_OF_QUEUES_CHANGED","features":[320]},{"name":"NDIS_REQUEST_TYPE","features":[320]},{"name":"NDIS_RESTART_GENERAL_ATTRIBUTES_MAX_LOOKAHEAD_ACCESSED_DEFINED","features":[320]},{"name":"NDIS_RESTART_GENERAL_ATTRIBUTES_REVISION_1","features":[320]},{"name":"NDIS_RESTART_GENERAL_ATTRIBUTES_REVISION_2","features":[320]},{"name":"NDIS_RETURN_FLAGS_DISPATCH_LEVEL","features":[320]},{"name":"NDIS_RETURN_FLAGS_SINGLE_QUEUE","features":[320]},{"name":"NDIS_RETURN_FLAGS_SWITCH_SINGLE_SOURCE","features":[320]},{"name":"NDIS_RING_AUTO_REMOVAL_ERROR","features":[320]},{"name":"NDIS_RING_COUNTER_OVERFLOW","features":[320]},{"name":"NDIS_RING_HARD_ERROR","features":[320]},{"name":"NDIS_RING_LOBE_WIRE_FAULT","features":[320]},{"name":"NDIS_RING_REMOVE_RECEIVED","features":[320]},{"name":"NDIS_RING_RING_RECOVERY","features":[320]},{"name":"NDIS_RING_SIGNAL_LOSS","features":[320]},{"name":"NDIS_RING_SINGLE_STATION","features":[320]},{"name":"NDIS_RING_SOFT_ERROR","features":[320]},{"name":"NDIS_RING_TRANSMIT_BEACON","features":[320]},{"name":"NDIS_ROUTING_DOMAIN_ENTRY_REVISION_1","features":[320]},{"name":"NDIS_ROUTING_DOMAIN_ISOLATION_ENTRY_REVISION_1","features":[320]},{"name":"NDIS_RSC_STATISTICS_REVISION_1","features":[320]},{"name":"NDIS_RSS_CAPS_CLASSIFICATION_AT_DPC","features":[320]},{"name":"NDIS_RSS_CAPS_CLASSIFICATION_AT_ISR","features":[320]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_TCP_IPV4","features":[320]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_TCP_IPV6","features":[320]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_TCP_IPV6_EX","features":[320]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_UDP_IPV4","features":[320]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_UDP_IPV6","features":[320]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_UDP_IPV6_EX","features":[320]},{"name":"NDIS_RSS_CAPS_MESSAGE_SIGNALED_INTERRUPTS","features":[320]},{"name":"NDIS_RSS_CAPS_RSS_AVAILABLE_ON_PORTS","features":[320]},{"name":"NDIS_RSS_CAPS_SUPPORTS_INDEPENDENT_ENTRY_MOVE","features":[320]},{"name":"NDIS_RSS_CAPS_SUPPORTS_MSI_X","features":[320]},{"name":"NDIS_RSS_CAPS_USING_MSI_X","features":[320]},{"name":"NDIS_RSS_HASH_SECRET_KEY_MAX_SIZE_REVISION_1","features":[320]},{"name":"NDIS_RSS_HASH_SECRET_KEY_MAX_SIZE_REVISION_2","features":[320]},{"name":"NDIS_RSS_HASH_SECRET_KEY_MAX_SIZE_REVISION_3","features":[320]},{"name":"NDIS_RSS_HASH_SECRET_KEY_SIZE_REVISION_1","features":[320]},{"name":"NDIS_RSS_INDIRECTION_TABLE_MAX_SIZE_REVISION_1","features":[320]},{"name":"NDIS_RSS_INDIRECTION_TABLE_SIZE_REVISION_1","features":[320]},{"name":"NDIS_RSS_PARAM_FLAG_BASE_CPU_UNCHANGED","features":[320]},{"name":"NDIS_RSS_PARAM_FLAG_DEFAULT_PROCESSOR_UNCHANGED","features":[320]},{"name":"NDIS_RSS_PARAM_FLAG_DISABLE_RSS","features":[320]},{"name":"NDIS_RSS_PARAM_FLAG_HASH_INFO_UNCHANGED","features":[320]},{"name":"NDIS_RSS_PARAM_FLAG_HASH_KEY_UNCHANGED","features":[320]},{"name":"NDIS_RSS_PARAM_FLAG_ITABLE_UNCHANGED","features":[320]},{"name":"NDIS_RSS_PROCESSOR_INFO_REVISION_1","features":[320]},{"name":"NDIS_RSS_PROCESSOR_INFO_REVISION_2","features":[320]},{"name":"NDIS_RSS_SET_INDIRECTION_ENTRIES_REVISION_1","features":[320]},{"name":"NDIS_RSS_SET_INDIRECTION_ENTRY_FLAG_DEFAULT_PROCESSOR","features":[320]},{"name":"NDIS_RSS_SET_INDIRECTION_ENTRY_FLAG_PRIMARY_PROCESSOR","features":[320]},{"name":"NDIS_RUNTIME_VERSION_60","features":[320]},{"name":"NDIS_RWL_AT_DISPATCH_LEVEL","features":[320]},{"name":"NDIS_RW_LOCK","features":[320,308]},{"name":"NDIS_RW_LOCK_REFCOUNT","features":[320]},{"name":"NDIS_SCATTER_GATHER_LIST_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_SEND_COMPLETE_FLAGS_DISPATCH_LEVEL","features":[320]},{"name":"NDIS_SEND_COMPLETE_FLAGS_SINGLE_QUEUE","features":[320]},{"name":"NDIS_SEND_COMPLETE_FLAGS_SWITCH_SINGLE_SOURCE","features":[320]},{"name":"NDIS_SEND_FLAGS_CHECK_FOR_LOOPBACK","features":[320]},{"name":"NDIS_SEND_FLAGS_DISPATCH_LEVEL","features":[320]},{"name":"NDIS_SEND_FLAGS_SINGLE_QUEUE","features":[320]},{"name":"NDIS_SEND_FLAGS_SWITCH_DESTINATION_GROUP","features":[320]},{"name":"NDIS_SEND_FLAGS_SWITCH_SINGLE_SOURCE","features":[320]},{"name":"NDIS_SG_DMA_64_BIT_ADDRESS","features":[320]},{"name":"NDIS_SG_DMA_DESCRIPTION_REVISION_1","features":[320]},{"name":"NDIS_SG_DMA_DESCRIPTION_REVISION_2","features":[320]},{"name":"NDIS_SG_DMA_HYBRID_DMA","features":[320]},{"name":"NDIS_SG_DMA_V3_HAL_API","features":[320]},{"name":"NDIS_SG_LIST_WRITE_TO_DEVICE","features":[320]},{"name":"NDIS_SHARED_MEMORY_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_SHARED_MEMORY_PARAMETERS_REVISION_2","features":[320]},{"name":"NDIS_SHARED_MEMORY_PROVIDER_CHARACTERISTICS_REVISION_1","features":[320]},{"name":"NDIS_SHARED_MEMORY_PROVIDER_CHAR_SUPPORTS_PF_VPORTS","features":[320]},{"name":"NDIS_SHARED_MEM_PARAMETERS_CONTIGOUS","features":[320]},{"name":"NDIS_SHARED_MEM_PARAMETERS_CONTIGUOUS","features":[320]},{"name":"NDIS_SIZEOF_NDIS_PM_PROTOCOL_OFFLOAD_REVISION_1","features":[320]},{"name":"NDIS_SPIN_LOCK","features":[320]},{"name":"NDIS_SRIOV_BAR_RESOURCES_INFO_REVISION_1","features":[320]},{"name":"NDIS_SRIOV_CAPABILITIES_REVISION_1","features":[320]},{"name":"NDIS_SRIOV_CAPS_PF_MINIPORT","features":[320]},{"name":"NDIS_SRIOV_CAPS_SRIOV_SUPPORTED","features":[320]},{"name":"NDIS_SRIOV_CAPS_VF_MINIPORT","features":[320]},{"name":"NDIS_SRIOV_CONFIG_STATE_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_SRIOV_OVERLYING_ADAPTER_INFO_VERSION_1","features":[320]},{"name":"NDIS_SRIOV_PF_LUID_INFO_REVISION_1","features":[320]},{"name":"NDIS_SRIOV_PROBED_BARS_INFO_REVISION_1","features":[320]},{"name":"NDIS_SRIOV_READ_VF_CONFIG_BLOCK_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_SRIOV_READ_VF_CONFIG_SPACE_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_SRIOV_RESET_VF_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_SRIOV_SET_VF_POWER_STATE_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_SRIOV_VF_INVALIDATE_CONFIG_BLOCK_INFO_REVISION_1","features":[320]},{"name":"NDIS_SRIOV_VF_SERIAL_NUMBER_INFO_REVISION_1","features":[320]},{"name":"NDIS_SRIOV_VF_VENDOR_DEVICE_ID_INFO_REVISION_1","features":[320]},{"name":"NDIS_SRIOV_WRITE_VF_CONFIG_BLOCK_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_SRIOV_WRITE_VF_CONFIG_SPACE_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_STATISTICS_BROADCAST_BYTES_RCV_SUPPORTED","features":[320]},{"name":"NDIS_STATISTICS_BROADCAST_BYTES_XMIT_SUPPORTED","features":[320]},{"name":"NDIS_STATISTICS_BROADCAST_FRAMES_RCV_SUPPORTED","features":[320]},{"name":"NDIS_STATISTICS_BROADCAST_FRAMES_XMIT_SUPPORTED","features":[320]},{"name":"NDIS_STATISTICS_BYTES_RCV_SUPPORTED","features":[320]},{"name":"NDIS_STATISTICS_BYTES_XMIT_SUPPORTED","features":[320]},{"name":"NDIS_STATISTICS_DIRECTED_BYTES_RCV_SUPPORTED","features":[320]},{"name":"NDIS_STATISTICS_DIRECTED_BYTES_XMIT_SUPPORTED","features":[320]},{"name":"NDIS_STATISTICS_DIRECTED_FRAMES_RCV_SUPPORTED","features":[320]},{"name":"NDIS_STATISTICS_DIRECTED_FRAMES_XMIT_SUPPORTED","features":[320]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BROADCAST_BYTES_RCV","features":[320]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BROADCAST_BYTES_XMIT","features":[320]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BROADCAST_FRAMES_RCV","features":[320]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BROADCAST_FRAMES_XMIT","features":[320]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BYTES_RCV","features":[320]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BYTES_XMIT","features":[320]},{"name":"NDIS_STATISTICS_FLAGS_VALID_DIRECTED_BYTES_RCV","features":[320]},{"name":"NDIS_STATISTICS_FLAGS_VALID_DIRECTED_BYTES_XMIT","features":[320]},{"name":"NDIS_STATISTICS_FLAGS_VALID_DIRECTED_FRAMES_RCV","features":[320]},{"name":"NDIS_STATISTICS_FLAGS_VALID_DIRECTED_FRAMES_XMIT","features":[320]},{"name":"NDIS_STATISTICS_FLAGS_VALID_MULTICAST_BYTES_RCV","features":[320]},{"name":"NDIS_STATISTICS_FLAGS_VALID_MULTICAST_BYTES_XMIT","features":[320]},{"name":"NDIS_STATISTICS_FLAGS_VALID_MULTICAST_FRAMES_RCV","features":[320]},{"name":"NDIS_STATISTICS_FLAGS_VALID_MULTICAST_FRAMES_XMIT","features":[320]},{"name":"NDIS_STATISTICS_FLAGS_VALID_RCV_DISCARDS","features":[320]},{"name":"NDIS_STATISTICS_FLAGS_VALID_RCV_ERROR","features":[320]},{"name":"NDIS_STATISTICS_FLAGS_VALID_XMIT_DISCARDS","features":[320]},{"name":"NDIS_STATISTICS_FLAGS_VALID_XMIT_ERROR","features":[320]},{"name":"NDIS_STATISTICS_GEN_STATISTICS_SUPPORTED","features":[320]},{"name":"NDIS_STATISTICS_INFO","features":[320]},{"name":"NDIS_STATISTICS_INFO_REVISION_1","features":[320]},{"name":"NDIS_STATISTICS_MULTICAST_BYTES_RCV_SUPPORTED","features":[320]},{"name":"NDIS_STATISTICS_MULTICAST_BYTES_XMIT_SUPPORTED","features":[320]},{"name":"NDIS_STATISTICS_MULTICAST_FRAMES_RCV_SUPPORTED","features":[320]},{"name":"NDIS_STATISTICS_MULTICAST_FRAMES_XMIT_SUPPORTED","features":[320]},{"name":"NDIS_STATISTICS_RCV_CRC_ERROR_SUPPORTED","features":[320]},{"name":"NDIS_STATISTICS_RCV_DISCARDS_SUPPORTED","features":[320]},{"name":"NDIS_STATISTICS_RCV_ERROR_SUPPORTED","features":[320]},{"name":"NDIS_STATISTICS_RCV_NO_BUFFER_SUPPORTED","features":[320]},{"name":"NDIS_STATISTICS_RCV_OK_SUPPORTED","features":[320]},{"name":"NDIS_STATISTICS_TRANSMIT_QUEUE_LENGTH_SUPPORTED","features":[320]},{"name":"NDIS_STATISTICS_VALUE","features":[320]},{"name":"NDIS_STATISTICS_VALUE_EX","features":[320]},{"name":"NDIS_STATISTICS_XMIT_DISCARDS_SUPPORTED","features":[320]},{"name":"NDIS_STATISTICS_XMIT_ERROR_SUPPORTED","features":[320]},{"name":"NDIS_STATISTICS_XMIT_OK_SUPPORTED","features":[320]},{"name":"NDIS_STATUS_INDICATION_FLAGS_MEDIA_CONNECT_TO_CONNECT","features":[320]},{"name":"NDIS_STATUS_INDICATION_FLAGS_NDIS_RESERVED","features":[320]},{"name":"NDIS_STATUS_INDICATION_REVISION_1","features":[320]},{"name":"NDIS_SUPPORTED_PAUSE_FUNCTIONS","features":[320]},{"name":"NDIS_SUPPORT_60_COMPATIBLE_API","features":[320]},{"name":"NDIS_SUPPORT_NDIS6","features":[320]},{"name":"NDIS_SUPPORT_NDIS61","features":[320]},{"name":"NDIS_SUPPORT_NDIS620","features":[320]},{"name":"NDIS_SUPPORT_NDIS630","features":[320]},{"name":"NDIS_SUPPORT_NDIS640","features":[320]},{"name":"NDIS_SUPPORT_NDIS650","features":[320]},{"name":"NDIS_SUPPORT_NDIS651","features":[320]},{"name":"NDIS_SUPPORT_NDIS660","features":[320]},{"name":"NDIS_SUPPORT_NDIS670","features":[320]},{"name":"NDIS_SUPPORT_NDIS680","features":[320]},{"name":"NDIS_SUPPORT_NDIS681","features":[320]},{"name":"NDIS_SUPPORT_NDIS682","features":[320]},{"name":"NDIS_SUPPORT_NDIS683","features":[320]},{"name":"NDIS_SUPPORT_NDIS684","features":[320]},{"name":"NDIS_SUPPORT_NDIS685","features":[320]},{"name":"NDIS_SUPPORT_NDIS686","features":[320]},{"name":"NDIS_SUPPORT_NDIS687","features":[320]},{"name":"NDIS_SWITCH_COPY_NBL_INFO_FLAGS_PRESERVE_DESTINATIONS","features":[320]},{"name":"NDIS_SWITCH_COPY_NBL_INFO_FLAGS_PRESERVE_SWITCH_INFO_ONLY","features":[320]},{"name":"NDIS_SWITCH_DEFAULT_NIC_INDEX","features":[320]},{"name":"NDIS_SWITCH_DEFAULT_PORT_ID","features":[320]},{"name":"NDIS_SWITCH_FEATURE_STATUS_CUSTOM_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_FEATURE_STATUS_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_FORWARDING_DESTINATION_ARRAY_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_NET_BUFFER_LIST_CONTEXT_TYPE_INFO_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_NIC_ARRAY_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_NIC_FLAGS_MAPPED_NIC_UPDATED","features":[320]},{"name":"NDIS_SWITCH_NIC_FLAGS_NIC_INITIALIZING","features":[320]},{"name":"NDIS_SWITCH_NIC_FLAGS_NIC_SUSPENDED","features":[320]},{"name":"NDIS_SWITCH_NIC_FLAGS_NIC_SUSPENDED_LM","features":[320]},{"name":"NDIS_SWITCH_NIC_OID_REQUEST_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_NIC_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_NIC_PARAMETERS_REVISION_2","features":[320]},{"name":"NDIS_SWITCH_NIC_SAVE_STATE_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_NIC_SAVE_STATE_REVISION_2","features":[320]},{"name":"NDIS_SWITCH_NIC_STATUS_INDICATION_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_OBJECT_SERIALIZATION_VERSION_1","features":[320]},{"name":"NDIS_SWITCH_OPTIONAL_HANDLERS_PD_RESERVED_SIZE","features":[320]},{"name":"NDIS_SWITCH_OPTIONAL_HANDLERS_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_OPTIONAL_HANDLERS_REVISION_2","features":[320]},{"name":"NDIS_SWITCH_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_PORT_ARRAY_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_PORT_FEATURE_STATUS_CUSTOM_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_PORT_FEATURE_STATUS_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_PORT_PARAMETERS_FLAG_RESTORING_PORT","features":[320]},{"name":"NDIS_SWITCH_PORT_PARAMETERS_FLAG_UNTRUSTED_INTERNAL_PORT","features":[320]},{"name":"NDIS_SWITCH_PORT_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_PORT_PROPERTY_CUSTOM_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_PORT_PROPERTY_DELETE_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_PORT_PROPERTY_ENUM_INFO_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_PORT_PROPERTY_ENUM_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_PORT_PROPERTY_ISOLATION_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_PORT_PROPERTY_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_PORT_PROPERTY_PROFILE_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_PORT_PROPERTY_ROUTING_DOMAIN_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_PORT_PROPERTY_SECURITY_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_PORT_PROPERTY_SECURITY_REVISION_2","features":[320]},{"name":"NDIS_SWITCH_PORT_PROPERTY_VLAN_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_PROPERTY_CUSTOM_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_PROPERTY_DELETE_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_PROPERTY_ENUM_INFO_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_PROPERTY_ENUM_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_PROPERTY_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_SWITCH_REPORT_FILTERED_NBL_FLAGS_IS_INCOMING","features":[320]},{"name":"NDIS_SYSTEM_PROCESSOR_INFO_EX_REVISION_1","features":[320]},{"name":"NDIS_SYSTEM_PROCESSOR_INFO_REVISION_1","features":[320]},{"name":"NDIS_TASK_OFFLOAD_VERSION","features":[320]},{"name":"NDIS_TASK_TCP_LARGE_SEND_V0","features":[320]},{"name":"NDIS_TCP_CONNECTION_OFFLOAD","features":[320]},{"name":"NDIS_TCP_CONNECTION_OFFLOAD_REVISION_1","features":[320]},{"name":"NDIS_TCP_CONNECTION_OFFLOAD_REVISION_2","features":[320]},{"name":"NDIS_TCP_IP_CHECKSUM_OFFLOAD","features":[320]},{"name":"NDIS_TCP_IP_CHECKSUM_PACKET_INFO","features":[320]},{"name":"NDIS_TCP_LARGE_SEND_OFFLOAD_IPv4","features":[320]},{"name":"NDIS_TCP_LARGE_SEND_OFFLOAD_IPv6","features":[320]},{"name":"NDIS_TCP_LARGE_SEND_OFFLOAD_V1","features":[320]},{"name":"NDIS_TCP_LARGE_SEND_OFFLOAD_V1_TYPE","features":[320]},{"name":"NDIS_TCP_LARGE_SEND_OFFLOAD_V2","features":[320]},{"name":"NDIS_TCP_LARGE_SEND_OFFLOAD_V2_TYPE","features":[320]},{"name":"NDIS_TCP_RECV_SEG_COALESC_OFFLOAD_REVISION_1","features":[320]},{"name":"NDIS_TIMEOUT_DPC_REQUEST_CAPABILITIES","features":[320]},{"name":"NDIS_TIMEOUT_DPC_REQUEST_CAPABILITIES_REVISION_1","features":[320]},{"name":"NDIS_TIMER","features":[309,320,310,308,314]},{"name":"NDIS_TIMER_CHARACTERISTICS_REVISION_1","features":[320]},{"name":"NDIS_TIMER_FUNCTION","features":[320]},{"name":"NDIS_TIMESTAMP_CAPABILITIES","features":[320,308]},{"name":"NDIS_TIMESTAMP_CAPABILITIES_REVISION_1","features":[320]},{"name":"NDIS_TIMESTAMP_CAPABILITY_FLAGS","features":[320,308]},{"name":"NDIS_UDP_SEGMENTATION_OFFLOAD_IPV4","features":[320]},{"name":"NDIS_UDP_SEGMENTATION_OFFLOAD_IPV6","features":[320]},{"name":"NDIS_VAR_DATA_DESC","features":[320]},{"name":"NDIS_WAN_FRAGMENT","features":[320]},{"name":"NDIS_WAN_GET_STATS","features":[320]},{"name":"NDIS_WAN_HEADER_FORMAT","features":[320]},{"name":"NDIS_WAN_LINE_DOWN","features":[320]},{"name":"NDIS_WAN_LINE_UP","features":[320,308]},{"name":"NDIS_WAN_MEDIUM_SUBTYPE","features":[320]},{"name":"NDIS_WAN_PROTOCOL_CAPS","features":[320]},{"name":"NDIS_WAN_QUALITY","features":[320]},{"name":"NDIS_WDF","features":[320]},{"name":"NDIS_WDM","features":[320]},{"name":"NDIS_WDM_DRIVER","features":[320]},{"name":"NDIS_WLAN_BSSID","features":[320]},{"name":"NDIS_WLAN_BSSID_EX","features":[320]},{"name":"NDIS_WLAN_WAKE_ON_4WAY_HANDSHAKE_REQUEST_ENABLED","features":[320]},{"name":"NDIS_WLAN_WAKE_ON_4WAY_HANDSHAKE_REQUEST_SUPPORTED","features":[320]},{"name":"NDIS_WLAN_WAKE_ON_AP_ASSOCIATION_LOST_ENABLED","features":[320]},{"name":"NDIS_WLAN_WAKE_ON_AP_ASSOCIATION_LOST_SUPPORTED","features":[320]},{"name":"NDIS_WLAN_WAKE_ON_GTK_HANDSHAKE_ERROR_ENABLED","features":[320]},{"name":"NDIS_WLAN_WAKE_ON_GTK_HANDSHAKE_ERROR_SUPPORTED","features":[320]},{"name":"NDIS_WLAN_WAKE_ON_NLO_DISCOVERY_ENABLED","features":[320]},{"name":"NDIS_WLAN_WAKE_ON_NLO_DISCOVERY_SUPPORTED","features":[320]},{"name":"NDIS_WMI_DEFAULT_METHOD_ID","features":[320]},{"name":"NDIS_WMI_ENUM_ADAPTER","features":[320,322]},{"name":"NDIS_WMI_ENUM_ADAPTER_REVISION_1","features":[320]},{"name":"NDIS_WMI_EVENT_HEADER","features":[320,322]},{"name":"NDIS_WMI_EVENT_HEADER_REVISION_1","features":[320]},{"name":"NDIS_WMI_IPSEC_OFFLOAD_V1","features":[320]},{"name":"NDIS_WMI_METHOD_HEADER","features":[320,322]},{"name":"NDIS_WMI_METHOD_HEADER_REVISION_1","features":[320]},{"name":"NDIS_WMI_OBJECT_TYPE_ENUM_ADAPTER","features":[320]},{"name":"NDIS_WMI_OBJECT_TYPE_EVENT","features":[320]},{"name":"NDIS_WMI_OBJECT_TYPE_METHOD","features":[320]},{"name":"NDIS_WMI_OBJECT_TYPE_OUTPUT_INFO","features":[320]},{"name":"NDIS_WMI_OBJECT_TYPE_SET","features":[320]},{"name":"NDIS_WMI_OFFLOAD","features":[320]},{"name":"NDIS_WMI_OUTPUT_INFO","features":[320]},{"name":"NDIS_WMI_PM_ACTIVE_CAPABILITIES_REVISION_1","features":[320]},{"name":"NDIS_WMI_PM_ADMIN_CONFIG_REVISION_1","features":[320]},{"name":"NDIS_WMI_RECEIVE_QUEUE_INFO_REVISION_1","features":[320]},{"name":"NDIS_WMI_RECEIVE_QUEUE_PARAMETERS_REVISION_1","features":[320]},{"name":"NDIS_WMI_SET_HEADER","features":[320,322]},{"name":"NDIS_WMI_SET_HEADER_REVISION_1","features":[320]},{"name":"NDIS_WMI_TCP_CONNECTION_OFFLOAD","features":[320]},{"name":"NDIS_WMI_TCP_IP_CHECKSUM_OFFLOAD","features":[320]},{"name":"NDIS_WMI_TCP_LARGE_SEND_OFFLOAD_V1","features":[320]},{"name":"NDIS_WMI_TCP_LARGE_SEND_OFFLOAD_V2","features":[320]},{"name":"NDIS_WORK_ITEM","features":[320]},{"name":"NDIS_WRAPPER_HANDLE","features":[320]},{"name":"NDIS_WWAN_WAKE_ON_PACKET_STATE_ENABLED","features":[320]},{"name":"NDIS_WWAN_WAKE_ON_PACKET_STATE_SUPPORTED","features":[320]},{"name":"NDIS_WWAN_WAKE_ON_REGISTER_STATE_ENABLED","features":[320]},{"name":"NDIS_WWAN_WAKE_ON_REGISTER_STATE_SUPPORTED","features":[320]},{"name":"NDIS_WWAN_WAKE_ON_SMS_RECEIVE_ENABLED","features":[320]},{"name":"NDIS_WWAN_WAKE_ON_SMS_RECEIVE_SUPPORTED","features":[320]},{"name":"NDIS_WWAN_WAKE_ON_UICC_CHANGE_ENABLED","features":[320]},{"name":"NDIS_WWAN_WAKE_ON_UICC_CHANGE_SUPPORTED","features":[320]},{"name":"NDIS_WWAN_WAKE_ON_USSD_RECEIVE_ENABLED","features":[320]},{"name":"NDIS_WWAN_WAKE_ON_USSD_RECEIVE_SUPPORTED","features":[320]},{"name":"NETWORK_ADDRESS","features":[320]},{"name":"NETWORK_ADDRESS_IP","features":[320]},{"name":"NETWORK_ADDRESS_IP6","features":[320]},{"name":"NETWORK_ADDRESS_IPX","features":[320]},{"name":"NETWORK_ADDRESS_LIST","features":[320]},{"name":"NET_BUFFER_LIST_POOL_FLAG_VERIFY","features":[320]},{"name":"NET_BUFFER_LIST_POOL_PARAMETERS_REVISION_1","features":[320]},{"name":"NET_BUFFER_LIST_POOL_PARAMETERS_REVISION_2","features":[320]},{"name":"NET_BUFFER_POOL_FLAG_VERIFY","features":[320]},{"name":"NET_BUFFER_POOL_PARAMETERS_REVISION_1","features":[320]},{"name":"NET_BUFFER_POOL_PARAMETERS_REVISION_2","features":[320]},{"name":"NET_DEVICE_PNP_EVENT_REVISION_1","features":[320]},{"name":"NET_EVENT_FLAGS_VPORT_ID_VALID","features":[320]},{"name":"NET_EVENT_HALT_MINIPORT_ON_LOW_POWER","features":[320]},{"name":"NET_PNP_EVENT_NOTIFICATION_REVISION_1","features":[320]},{"name":"NET_PNP_EVENT_NOTIFICATION_REVISION_2","features":[320]},{"name":"NULL_FILTER","features":[320]},{"name":"Ndis802_11AuthModeAutoSwitch","features":[320]},{"name":"Ndis802_11AuthModeMax","features":[320]},{"name":"Ndis802_11AuthModeOpen","features":[320]},{"name":"Ndis802_11AuthModeShared","features":[320]},{"name":"Ndis802_11AuthModeWPA","features":[320]},{"name":"Ndis802_11AuthModeWPA2","features":[320]},{"name":"Ndis802_11AuthModeWPA2PSK","features":[320]},{"name":"Ndis802_11AuthModeWPA3","features":[320]},{"name":"Ndis802_11AuthModeWPA3Ent","features":[320]},{"name":"Ndis802_11AuthModeWPA3Ent192","features":[320]},{"name":"Ndis802_11AuthModeWPA3SAE","features":[320]},{"name":"Ndis802_11AuthModeWPANone","features":[320]},{"name":"Ndis802_11AuthModeWPAPSK","features":[320]},{"name":"Ndis802_11AutoUnknown","features":[320]},{"name":"Ndis802_11Automode","features":[320]},{"name":"Ndis802_11DS","features":[320]},{"name":"Ndis802_11Encryption1Enabled","features":[320]},{"name":"Ndis802_11Encryption1KeyAbsent","features":[320]},{"name":"Ndis802_11Encryption2Enabled","features":[320]},{"name":"Ndis802_11Encryption2KeyAbsent","features":[320]},{"name":"Ndis802_11Encryption3Enabled","features":[320]},{"name":"Ndis802_11Encryption3KeyAbsent","features":[320]},{"name":"Ndis802_11EncryptionDisabled","features":[320]},{"name":"Ndis802_11EncryptionNotSupported","features":[320]},{"name":"Ndis802_11FH","features":[320]},{"name":"Ndis802_11IBSS","features":[320]},{"name":"Ndis802_11Infrastructure","features":[320]},{"name":"Ndis802_11InfrastructureMax","features":[320]},{"name":"Ndis802_11MediaStreamOff","features":[320]},{"name":"Ndis802_11MediaStreamOn","features":[320]},{"name":"Ndis802_11NetworkTypeMax","features":[320]},{"name":"Ndis802_11OFDM24","features":[320]},{"name":"Ndis802_11OFDM5","features":[320]},{"name":"Ndis802_11PowerModeCAM","features":[320]},{"name":"Ndis802_11PowerModeFast_PSP","features":[320]},{"name":"Ndis802_11PowerModeMAX_PSP","features":[320]},{"name":"Ndis802_11PowerModeMax","features":[320]},{"name":"Ndis802_11PrivFilter8021xWEP","features":[320]},{"name":"Ndis802_11PrivFilterAcceptAll","features":[320]},{"name":"Ndis802_11RadioStatusHardwareOff","features":[320]},{"name":"Ndis802_11RadioStatusHardwareSoftwareOff","features":[320]},{"name":"Ndis802_11RadioStatusMax","features":[320]},{"name":"Ndis802_11RadioStatusOn","features":[320]},{"name":"Ndis802_11RadioStatusSoftwareOff","features":[320]},{"name":"Ndis802_11ReloadWEPKeys","features":[320]},{"name":"Ndis802_11StatusTypeMax","features":[320]},{"name":"Ndis802_11StatusType_Authentication","features":[320]},{"name":"Ndis802_11StatusType_MediaStreamMode","features":[320]},{"name":"Ndis802_11StatusType_PMKID_CandidateList","features":[320]},{"name":"Ndis802_11WEPDisabled","features":[320]},{"name":"Ndis802_11WEPEnabled","features":[320]},{"name":"Ndis802_11WEPKeyAbsent","features":[320]},{"name":"Ndis802_11WEPNotSupported","features":[320]},{"name":"NdisAcquireReadWriteLock","features":[320,308]},{"name":"NdisAllocateMemoryWithTag","features":[320]},{"name":"NdisCancelTimer","features":[309,320,310,308,314]},{"name":"NdisClAddParty","features":[320]},{"name":"NdisClCloseAddressFamily","features":[320]},{"name":"NdisClCloseCall","features":[320]},{"name":"NdisClDeregisterSap","features":[320]},{"name":"NdisClDropParty","features":[320]},{"name":"NdisClGetProtocolVcContextFromTapiCallId","features":[320,308]},{"name":"NdisClIncomingCallComplete","features":[320]},{"name":"NdisClMakeCall","features":[320]},{"name":"NdisClModifyCallQoS","features":[320]},{"name":"NdisClRegisterSap","features":[320]},{"name":"NdisClass802_3Priority","features":[320]},{"name":"NdisClassAtmAALInfo","features":[320]},{"name":"NdisClassIrdaPacketInfo","features":[320]},{"name":"NdisClassWirelessWanMbxMailbox","features":[320]},{"name":"NdisCloseConfiguration","features":[320]},{"name":"NdisCloseFile","features":[320]},{"name":"NdisCmActivateVc","features":[320]},{"name":"NdisCmAddPartyComplete","features":[320]},{"name":"NdisCmCloseAddressFamilyComplete","features":[320]},{"name":"NdisCmCloseCallComplete","features":[320]},{"name":"NdisCmDeactivateVc","features":[320]},{"name":"NdisCmDeregisterSapComplete","features":[320]},{"name":"NdisCmDispatchCallConnected","features":[320]},{"name":"NdisCmDispatchIncomingCall","features":[320]},{"name":"NdisCmDispatchIncomingCallQoSChange","features":[320]},{"name":"NdisCmDispatchIncomingCloseCall","features":[320]},{"name":"NdisCmDispatchIncomingDropParty","features":[320]},{"name":"NdisCmDropPartyComplete","features":[320]},{"name":"NdisCmMakeCallComplete","features":[320]},{"name":"NdisCmModifyCallQoSComplete","features":[320]},{"name":"NdisCmOpenAddressFamilyComplete","features":[320]},{"name":"NdisCmRegisterSapComplete","features":[320]},{"name":"NdisCoAssignInstanceName","features":[320,308]},{"name":"NdisCoCreateVc","features":[320]},{"name":"NdisCoDeleteVc","features":[320]},{"name":"NdisCoGetTapiCallId","features":[320]},{"name":"NdisCompleteDmaTransfer","features":[309,320,308]},{"name":"NdisCopyBuffer","features":[309,320]},{"name":"NdisDefinitelyNetworkChange","features":[320]},{"name":"NdisDeregisterTdiCallBack","features":[320]},{"name":"NdisDevicePnPEventMaximum","features":[320]},{"name":"NdisDevicePnPEventPowerProfileChanged","features":[320]},{"name":"NdisDevicePnPEventQueryRemoved","features":[320]},{"name":"NdisDevicePnPEventQueryStopped","features":[320]},{"name":"NdisDevicePnPEventRemoved","features":[320]},{"name":"NdisDevicePnPEventStopped","features":[320]},{"name":"NdisDevicePnPEventSurpriseRemoved","features":[320]},{"name":"NdisDeviceStateD0","features":[320]},{"name":"NdisDeviceStateD1","features":[320]},{"name":"NdisDeviceStateD2","features":[320]},{"name":"NdisDeviceStateD3","features":[320]},{"name":"NdisDeviceStateMaximum","features":[320]},{"name":"NdisDeviceStateUnspecified","features":[320]},{"name":"NdisEnvironmentWindows","features":[320]},{"name":"NdisEnvironmentWindowsNt","features":[320]},{"name":"NdisFddiRingDetect","features":[320]},{"name":"NdisFddiRingDirected","features":[320]},{"name":"NdisFddiRingIsolated","features":[320]},{"name":"NdisFddiRingNonOperational","features":[320]},{"name":"NdisFddiRingNonOperationalDup","features":[320]},{"name":"NdisFddiRingOperational","features":[320]},{"name":"NdisFddiRingOperationalDup","features":[320]},{"name":"NdisFddiRingTrace","features":[320]},{"name":"NdisFddiStateActive","features":[320]},{"name":"NdisFddiStateBreak","features":[320]},{"name":"NdisFddiStateConnect","features":[320]},{"name":"NdisFddiStateJoin","features":[320]},{"name":"NdisFddiStateMaintenance","features":[320]},{"name":"NdisFddiStateNext","features":[320]},{"name":"NdisFddiStateOff","features":[320]},{"name":"NdisFddiStateSignal","features":[320]},{"name":"NdisFddiStateTrace","features":[320]},{"name":"NdisFddiStateVerify","features":[320]},{"name":"NdisFddiTypeCWrapA","features":[320]},{"name":"NdisFddiTypeCWrapB","features":[320]},{"name":"NdisFddiTypeCWrapS","features":[320]},{"name":"NdisFddiTypeIsolated","features":[320]},{"name":"NdisFddiTypeLocalA","features":[320]},{"name":"NdisFddiTypeLocalAB","features":[320]},{"name":"NdisFddiTypeLocalB","features":[320]},{"name":"NdisFddiTypeLocalS","features":[320]},{"name":"NdisFddiTypeThrough","features":[320]},{"name":"NdisFddiTypeWrapA","features":[320]},{"name":"NdisFddiTypeWrapAB","features":[320]},{"name":"NdisFddiTypeWrapB","features":[320]},{"name":"NdisFddiTypeWrapS","features":[320]},{"name":"NdisFreeMemory","features":[320]},{"name":"NdisGeneratePartialCancelId","features":[320]},{"name":"NdisGetCurrentProcessorCounts","features":[320]},{"name":"NdisGetCurrentProcessorCpuUsage","features":[320]},{"name":"NdisGetRoutineAddress","features":[320,308]},{"name":"NdisGetSharedDataAlignment","features":[320]},{"name":"NdisGetVersion","features":[320]},{"name":"NdisHardwareStatusClosing","features":[320]},{"name":"NdisHardwareStatusInitializing","features":[320]},{"name":"NdisHardwareStatusNotReady","features":[320]},{"name":"NdisHardwareStatusReady","features":[320]},{"name":"NdisHardwareStatusReset","features":[320]},{"name":"NdisHashFunctionReserved1","features":[320]},{"name":"NdisHashFunctionReserved2","features":[320]},{"name":"NdisHashFunctionReserved3","features":[320]},{"name":"NdisHashFunctionToeplitz","features":[320]},{"name":"NdisIMAssociateMiniport","features":[320]},{"name":"NdisIMCancelInitializeDeviceInstance","features":[320,308]},{"name":"NdisIMDeInitializeDeviceInstance","features":[320]},{"name":"NdisIMGetBindingContext","features":[320]},{"name":"NdisIMInitializeDeviceInstanceEx","features":[320,308]},{"name":"NdisInitializeEvent","features":[309,320,308,314]},{"name":"NdisInitializeReadWriteLock","features":[320,308]},{"name":"NdisInitializeString","features":[320,308]},{"name":"NdisInitializeTimer","features":[309,320,310,308,314]},{"name":"NdisInterface1394","features":[320]},{"name":"NdisInterfaceCBus","features":[320]},{"name":"NdisInterfaceEisa","features":[320]},{"name":"NdisInterfaceInternal","features":[320]},{"name":"NdisInterfaceInternalPowerBus","features":[320]},{"name":"NdisInterfaceIrda","features":[320]},{"name":"NdisInterfaceIsa","features":[320]},{"name":"NdisInterfaceMPIBus","features":[320]},{"name":"NdisInterfaceMPSABus","features":[320]},{"name":"NdisInterfaceMca","features":[320]},{"name":"NdisInterfacePNPBus","features":[320]},{"name":"NdisInterfacePNPISABus","features":[320]},{"name":"NdisInterfacePcMcia","features":[320]},{"name":"NdisInterfacePci","features":[320]},{"name":"NdisInterfaceProcessorInternal","features":[320]},{"name":"NdisInterfaceTurboChannel","features":[320]},{"name":"NdisInterfaceUSB","features":[320]},{"name":"NdisInterruptModerationDisabled","features":[320]},{"name":"NdisInterruptModerationEnabled","features":[320]},{"name":"NdisInterruptModerationNotSupported","features":[320]},{"name":"NdisInterruptModerationUnknown","features":[320]},{"name":"NdisMAllocateSharedMemory","features":[320,308]},{"name":"NdisMAllocateSharedMemoryAsync","features":[320,308]},{"name":"NdisMCancelTimer","features":[309,320,310,308,314]},{"name":"NdisMCloseLog","features":[320]},{"name":"NdisMCmActivateVc","features":[320]},{"name":"NdisMCmCreateVc","features":[320]},{"name":"NdisMCmDeactivateVc","features":[320]},{"name":"NdisMCmDeleteVc","features":[320]},{"name":"NdisMCmRegisterAddressFamily","features":[320]},{"name":"NdisMCoActivateVcComplete","features":[320]},{"name":"NdisMCoDeactivateVcComplete","features":[320]},{"name":"NdisMCreateLog","features":[320]},{"name":"NdisMDeregisterDmaChannel","features":[320]},{"name":"NdisMDeregisterIoPortRange","features":[320]},{"name":"NdisMFlushLog","features":[320]},{"name":"NdisMFreeSharedMemory","features":[320,308]},{"name":"NdisMGetDeviceProperty","features":[309,320,312,310,308,311,313,314,315]},{"name":"NdisMGetDmaAlignment","features":[320]},{"name":"NdisMInitializeTimer","features":[309,320,310,308,314]},{"name":"NdisMMapIoSpace","features":[320]},{"name":"NdisMQueryAdapterInstanceName","features":[320,308]},{"name":"NdisMReadDmaCounter","features":[320]},{"name":"NdisMRegisterDmaChannel","features":[320,310,308]},{"name":"NdisMRegisterIoPortRange","features":[320]},{"name":"NdisMRemoveMiniport","features":[320]},{"name":"NdisMSetPeriodicTimer","features":[309,320,310,308,314]},{"name":"NdisMSleep","features":[320]},{"name":"NdisMUnmapIoSpace","features":[320]},{"name":"NdisMWriteLogData","features":[320]},{"name":"NdisMapFile","features":[320]},{"name":"NdisMaximumInterfaceType","features":[320]},{"name":"NdisMediaStateConnected","features":[320]},{"name":"NdisMediaStateDisconnected","features":[320]},{"name":"NdisMedium1394","features":[320]},{"name":"NdisMedium802_3","features":[320]},{"name":"NdisMedium802_5","features":[320]},{"name":"NdisMediumArcnet878_2","features":[320]},{"name":"NdisMediumArcnetRaw","features":[320]},{"name":"NdisMediumAtm","features":[320]},{"name":"NdisMediumBpc","features":[320]},{"name":"NdisMediumCoWan","features":[320]},{"name":"NdisMediumDix","features":[320]},{"name":"NdisMediumFddi","features":[320]},{"name":"NdisMediumIP","features":[320]},{"name":"NdisMediumInfiniBand","features":[320]},{"name":"NdisMediumIrda","features":[320]},{"name":"NdisMediumLocalTalk","features":[320]},{"name":"NdisMediumLoopback","features":[320]},{"name":"NdisMediumMax","features":[320]},{"name":"NdisMediumNative802_11","features":[320]},{"name":"NdisMediumTunnel","features":[320]},{"name":"NdisMediumWan","features":[320]},{"name":"NdisMediumWiMAX","features":[320]},{"name":"NdisMediumWirelessWan","features":[320]},{"name":"NdisNetworkChangeFromMediaConnect","features":[320]},{"name":"NdisNetworkChangeMax","features":[320]},{"name":"NdisOpenConfigurationKeyByIndex","features":[320,308]},{"name":"NdisOpenConfigurationKeyByName","features":[320,308]},{"name":"NdisOpenFile","features":[320,308]},{"name":"NdisParameterBinary","features":[320]},{"name":"NdisParameterHexInteger","features":[320]},{"name":"NdisParameterInteger","features":[320]},{"name":"NdisParameterMultiString","features":[320]},{"name":"NdisParameterString","features":[320]},{"name":"NdisPauseFunctionsReceiveOnly","features":[320]},{"name":"NdisPauseFunctionsSendAndReceive","features":[320]},{"name":"NdisPauseFunctionsSendOnly","features":[320]},{"name":"NdisPauseFunctionsUnknown","features":[320]},{"name":"NdisPauseFunctionsUnsupported","features":[320]},{"name":"NdisPhysicalMedium1394","features":[320]},{"name":"NdisPhysicalMedium802_3","features":[320]},{"name":"NdisPhysicalMedium802_5","features":[320]},{"name":"NdisPhysicalMediumBluetooth","features":[320]},{"name":"NdisPhysicalMediumCableModem","features":[320]},{"name":"NdisPhysicalMediumDSL","features":[320]},{"name":"NdisPhysicalMediumFibreChannel","features":[320]},{"name":"NdisPhysicalMediumInfiniband","features":[320]},{"name":"NdisPhysicalMediumIrda","features":[320]},{"name":"NdisPhysicalMediumMax","features":[320]},{"name":"NdisPhysicalMediumNative802_11","features":[320]},{"name":"NdisPhysicalMediumNative802_15_4","features":[320]},{"name":"NdisPhysicalMediumOther","features":[320]},{"name":"NdisPhysicalMediumPhoneLine","features":[320]},{"name":"NdisPhysicalMediumPowerLine","features":[320]},{"name":"NdisPhysicalMediumUWB","features":[320]},{"name":"NdisPhysicalMediumUnspecified","features":[320]},{"name":"NdisPhysicalMediumWiMax","features":[320]},{"name":"NdisPhysicalMediumWiredCoWan","features":[320]},{"name":"NdisPhysicalMediumWiredWAN","features":[320]},{"name":"NdisPhysicalMediumWirelessLan","features":[320]},{"name":"NdisPhysicalMediumWirelessWan","features":[320]},{"name":"NdisPortAuthorizationUnknown","features":[320]},{"name":"NdisPortAuthorized","features":[320]},{"name":"NdisPortControlStateControlled","features":[320]},{"name":"NdisPortControlStateUncontrolled","features":[320]},{"name":"NdisPortControlStateUnknown","features":[320]},{"name":"NdisPortReauthorizing","features":[320]},{"name":"NdisPortType8021xSupplicant","features":[320]},{"name":"NdisPortTypeBridge","features":[320]},{"name":"NdisPortTypeMax","features":[320]},{"name":"NdisPortTypeRasConnection","features":[320]},{"name":"NdisPortTypeUndefined","features":[320]},{"name":"NdisPortUnauthorized","features":[320]},{"name":"NdisPossibleNetworkChange","features":[320]},{"name":"NdisPowerProfileAcOnLine","features":[320]},{"name":"NdisPowerProfileBattery","features":[320]},{"name":"NdisProcessorAlpha","features":[320]},{"name":"NdisProcessorAmd64","features":[320]},{"name":"NdisProcessorArm","features":[320]},{"name":"NdisProcessorArm64","features":[320]},{"name":"NdisProcessorIA64","features":[320]},{"name":"NdisProcessorMips","features":[320]},{"name":"NdisProcessorPpc","features":[320]},{"name":"NdisProcessorVendorAuthenticAMD","features":[320]},{"name":"NdisProcessorVendorGenuinIntel","features":[320]},{"name":"NdisProcessorVendorGenuineIntel","features":[320]},{"name":"NdisProcessorVendorUnknown","features":[320]},{"name":"NdisProcessorX86","features":[320]},{"name":"NdisQueryAdapterInstanceName","features":[320,308]},{"name":"NdisQueryBindInstanceName","features":[320,308]},{"name":"NdisReEnumerateProtocolBindings","features":[320]},{"name":"NdisReadConfiguration","features":[320,308]},{"name":"NdisReadNetworkAddress","features":[320]},{"name":"NdisRegisterTdiCallBack","features":[320,308]},{"name":"NdisReleaseReadWriteLock","features":[320,308]},{"name":"NdisRequestClose","features":[320]},{"name":"NdisRequestGeneric1","features":[320]},{"name":"NdisRequestGeneric2","features":[320]},{"name":"NdisRequestGeneric3","features":[320]},{"name":"NdisRequestGeneric4","features":[320]},{"name":"NdisRequestOpen","features":[320]},{"name":"NdisRequestQueryInformation","features":[320]},{"name":"NdisRequestQueryStatistics","features":[320]},{"name":"NdisRequestReset","features":[320]},{"name":"NdisRequestSend","features":[320]},{"name":"NdisRequestSetInformation","features":[320]},{"name":"NdisRequestTransferData","features":[320]},{"name":"NdisReserved","features":[320]},{"name":"NdisResetEvent","features":[309,320,308,314]},{"name":"NdisRingStateClosed","features":[320]},{"name":"NdisRingStateClosing","features":[320]},{"name":"NdisRingStateOpenFailure","features":[320]},{"name":"NdisRingStateOpened","features":[320]},{"name":"NdisRingStateOpening","features":[320]},{"name":"NdisRingStateRingFailure","features":[320]},{"name":"NdisSetEvent","features":[309,320,308,314]},{"name":"NdisSetPeriodicTimer","features":[309,320,310,308,314]},{"name":"NdisSetTimer","features":[309,320,310,308,314]},{"name":"NdisSetTimerEx","features":[309,320,310,308,314]},{"name":"NdisSetupDmaTransfer","features":[309,320,308]},{"name":"NdisSystemProcessorCount","features":[320]},{"name":"NdisUnmapFile","features":[320]},{"name":"NdisUpdateSharedMemory","features":[320]},{"name":"NdisWaitEvent","features":[309,320,308,314]},{"name":"NdisWanErrorControl","features":[320]},{"name":"NdisWanHeaderEthernet","features":[320]},{"name":"NdisWanHeaderNative","features":[320]},{"name":"NdisWanMediumAgileVPN","features":[320]},{"name":"NdisWanMediumAtm","features":[320]},{"name":"NdisWanMediumFrameRelay","features":[320]},{"name":"NdisWanMediumGre","features":[320]},{"name":"NdisWanMediumHub","features":[320]},{"name":"NdisWanMediumIrda","features":[320]},{"name":"NdisWanMediumIsdn","features":[320]},{"name":"NdisWanMediumL2TP","features":[320]},{"name":"NdisWanMediumPPTP","features":[320]},{"name":"NdisWanMediumParallel","features":[320]},{"name":"NdisWanMediumPppoe","features":[320]},{"name":"NdisWanMediumSSTP","features":[320]},{"name":"NdisWanMediumSW56K","features":[320]},{"name":"NdisWanMediumSerial","features":[320]},{"name":"NdisWanMediumSonet","features":[320]},{"name":"NdisWanMediumSubTypeMax","features":[320]},{"name":"NdisWanMediumX_25","features":[320]},{"name":"NdisWanRaw","features":[320]},{"name":"NdisWanReliable","features":[320]},{"name":"NdisWriteConfiguration","features":[320,308]},{"name":"NdisWriteErrorLogEntry","features":[320]},{"name":"NdisWriteEventLogEntry","features":[320]},{"name":"OFFLOAD_ALGO_INFO","features":[320]},{"name":"OFFLOAD_CONF_ALGO","features":[320]},{"name":"OFFLOAD_INBOUND_SA","features":[320]},{"name":"OFFLOAD_INTEGRITY_ALGO","features":[320]},{"name":"OFFLOAD_IPSEC_ADD_SA","features":[320,308]},{"name":"OFFLOAD_IPSEC_ADD_UDPESP_SA","features":[320,308]},{"name":"OFFLOAD_IPSEC_CONF_3_DES","features":[320]},{"name":"OFFLOAD_IPSEC_CONF_DES","features":[320]},{"name":"OFFLOAD_IPSEC_CONF_MAX","features":[320]},{"name":"OFFLOAD_IPSEC_CONF_NONE","features":[320]},{"name":"OFFLOAD_IPSEC_CONF_RESERVED","features":[320]},{"name":"OFFLOAD_IPSEC_DELETE_SA","features":[320,308]},{"name":"OFFLOAD_IPSEC_DELETE_UDPESP_SA","features":[320,308]},{"name":"OFFLOAD_IPSEC_INTEGRITY_MAX","features":[320]},{"name":"OFFLOAD_IPSEC_INTEGRITY_MD5","features":[320]},{"name":"OFFLOAD_IPSEC_INTEGRITY_NONE","features":[320]},{"name":"OFFLOAD_IPSEC_INTEGRITY_SHA","features":[320]},{"name":"OFFLOAD_IPSEC_UDPESP_ENCAPTYPE_ENTRY","features":[320]},{"name":"OFFLOAD_IPSEC_UDPESP_ENCAPTYPE_IKE","features":[320]},{"name":"OFFLOAD_IPSEC_UDPESP_ENCAPTYPE_OTHER","features":[320]},{"name":"OFFLOAD_MAX_SAS","features":[320]},{"name":"OFFLOAD_OPERATION_E","features":[320]},{"name":"OFFLOAD_OUTBOUND_SA","features":[320]},{"name":"OFFLOAD_SECURITY_ASSOCIATION","features":[320]},{"name":"OID_1394_LOCAL_NODE_INFO","features":[320]},{"name":"OID_1394_VC_INFO","features":[320]},{"name":"OID_802_11_ADD_KEY","features":[320]},{"name":"OID_802_11_ADD_WEP","features":[320]},{"name":"OID_802_11_ASSOCIATION_INFORMATION","features":[320]},{"name":"OID_802_11_AUTHENTICATION_MODE","features":[320]},{"name":"OID_802_11_BSSID","features":[320]},{"name":"OID_802_11_BSSID_LIST","features":[320]},{"name":"OID_802_11_BSSID_LIST_SCAN","features":[320]},{"name":"OID_802_11_CAPABILITY","features":[320]},{"name":"OID_802_11_CONFIGURATION","features":[320]},{"name":"OID_802_11_DESIRED_RATES","features":[320]},{"name":"OID_802_11_DISASSOCIATE","features":[320]},{"name":"OID_802_11_ENCRYPTION_STATUS","features":[320]},{"name":"OID_802_11_FRAGMENTATION_THRESHOLD","features":[320]},{"name":"OID_802_11_INFRASTRUCTURE_MODE","features":[320]},{"name":"OID_802_11_MEDIA_STREAM_MODE","features":[320]},{"name":"OID_802_11_NETWORK_TYPES_SUPPORTED","features":[320]},{"name":"OID_802_11_NETWORK_TYPE_IN_USE","features":[320]},{"name":"OID_802_11_NON_BCAST_SSID_LIST","features":[320]},{"name":"OID_802_11_NUMBER_OF_ANTENNAS","features":[320]},{"name":"OID_802_11_PMKID","features":[320]},{"name":"OID_802_11_POWER_MODE","features":[320]},{"name":"OID_802_11_PRIVACY_FILTER","features":[320]},{"name":"OID_802_11_RADIO_STATUS","features":[320]},{"name":"OID_802_11_RELOAD_DEFAULTS","features":[320]},{"name":"OID_802_11_REMOVE_KEY","features":[320]},{"name":"OID_802_11_REMOVE_WEP","features":[320]},{"name":"OID_802_11_RSSI","features":[320]},{"name":"OID_802_11_RSSI_TRIGGER","features":[320]},{"name":"OID_802_11_RTS_THRESHOLD","features":[320]},{"name":"OID_802_11_RX_ANTENNA_SELECTED","features":[320]},{"name":"OID_802_11_SSID","features":[320]},{"name":"OID_802_11_STATISTICS","features":[320]},{"name":"OID_802_11_SUPPORTED_RATES","features":[320]},{"name":"OID_802_11_TEST","features":[320]},{"name":"OID_802_11_TX_ANTENNA_SELECTED","features":[320]},{"name":"OID_802_11_TX_POWER_LEVEL","features":[320]},{"name":"OID_802_11_WEP_STATUS","features":[320]},{"name":"OID_802_3_ADD_MULTICAST_ADDRESS","features":[320]},{"name":"OID_802_3_CURRENT_ADDRESS","features":[320]},{"name":"OID_802_3_DELETE_MULTICAST_ADDRESS","features":[320]},{"name":"OID_802_3_MAC_OPTIONS","features":[320]},{"name":"OID_802_3_MAXIMUM_LIST_SIZE","features":[320]},{"name":"OID_802_3_MULTICAST_LIST","features":[320]},{"name":"OID_802_3_PERMANENT_ADDRESS","features":[320]},{"name":"OID_802_3_RCV_ERROR_ALIGNMENT","features":[320]},{"name":"OID_802_3_RCV_OVERRUN","features":[320]},{"name":"OID_802_3_XMIT_DEFERRED","features":[320]},{"name":"OID_802_3_XMIT_HEARTBEAT_FAILURE","features":[320]},{"name":"OID_802_3_XMIT_LATE_COLLISIONS","features":[320]},{"name":"OID_802_3_XMIT_MAX_COLLISIONS","features":[320]},{"name":"OID_802_3_XMIT_MORE_COLLISIONS","features":[320]},{"name":"OID_802_3_XMIT_ONE_COLLISION","features":[320]},{"name":"OID_802_3_XMIT_TIMES_CRS_LOST","features":[320]},{"name":"OID_802_3_XMIT_UNDERRUN","features":[320]},{"name":"OID_802_5_ABORT_DELIMETERS","features":[320]},{"name":"OID_802_5_AC_ERRORS","features":[320]},{"name":"OID_802_5_BURST_ERRORS","features":[320]},{"name":"OID_802_5_CURRENT_ADDRESS","features":[320]},{"name":"OID_802_5_CURRENT_FUNCTIONAL","features":[320]},{"name":"OID_802_5_CURRENT_GROUP","features":[320]},{"name":"OID_802_5_CURRENT_RING_STATE","features":[320]},{"name":"OID_802_5_CURRENT_RING_STATUS","features":[320]},{"name":"OID_802_5_FRAME_COPIED_ERRORS","features":[320]},{"name":"OID_802_5_FREQUENCY_ERRORS","features":[320]},{"name":"OID_802_5_INTERNAL_ERRORS","features":[320]},{"name":"OID_802_5_LAST_OPEN_STATUS","features":[320]},{"name":"OID_802_5_LINE_ERRORS","features":[320]},{"name":"OID_802_5_LOST_FRAMES","features":[320]},{"name":"OID_802_5_PERMANENT_ADDRESS","features":[320]},{"name":"OID_802_5_TOKEN_ERRORS","features":[320]},{"name":"OID_ARCNET_CURRENT_ADDRESS","features":[320]},{"name":"OID_ARCNET_PERMANENT_ADDRESS","features":[320]},{"name":"OID_ARCNET_RECONFIGURATIONS","features":[320]},{"name":"OID_ATM_ACQUIRE_ACCESS_NET_RESOURCES","features":[320]},{"name":"OID_ATM_ALIGNMENT_REQUIRED","features":[320]},{"name":"OID_ATM_ASSIGNED_VPI","features":[320]},{"name":"OID_ATM_CALL_ALERTING","features":[320]},{"name":"OID_ATM_CALL_NOTIFY","features":[320]},{"name":"OID_ATM_CALL_PROCEEDING","features":[320]},{"name":"OID_ATM_CELLS_HEC_ERROR","features":[320]},{"name":"OID_ATM_DIGITAL_BROADCAST_VPIVCI","features":[320]},{"name":"OID_ATM_GET_NEAREST_FLOW","features":[320]},{"name":"OID_ATM_HW_CURRENT_ADDRESS","features":[320]},{"name":"OID_ATM_ILMI_VPIVCI","features":[320]},{"name":"OID_ATM_LECS_ADDRESS","features":[320]},{"name":"OID_ATM_MAX_AAL0_PACKET_SIZE","features":[320]},{"name":"OID_ATM_MAX_AAL1_PACKET_SIZE","features":[320]},{"name":"OID_ATM_MAX_AAL34_PACKET_SIZE","features":[320]},{"name":"OID_ATM_MAX_AAL5_PACKET_SIZE","features":[320]},{"name":"OID_ATM_MAX_ACTIVE_VCI_BITS","features":[320]},{"name":"OID_ATM_MAX_ACTIVE_VCS","features":[320]},{"name":"OID_ATM_MAX_ACTIVE_VPI_BITS","features":[320]},{"name":"OID_ATM_MY_IP_NM_ADDRESS","features":[320]},{"name":"OID_ATM_PARTY_ALERTING","features":[320]},{"name":"OID_ATM_RCV_CELLS_DROPPED","features":[320]},{"name":"OID_ATM_RCV_CELLS_OK","features":[320]},{"name":"OID_ATM_RCV_INVALID_VPI_VCI","features":[320]},{"name":"OID_ATM_RCV_REASSEMBLY_ERROR","features":[320]},{"name":"OID_ATM_RELEASE_ACCESS_NET_RESOURCES","features":[320]},{"name":"OID_ATM_SERVICE_ADDRESS","features":[320]},{"name":"OID_ATM_SIGNALING_VPIVCI","features":[320]},{"name":"OID_ATM_SUPPORTED_AAL_TYPES","features":[320]},{"name":"OID_ATM_SUPPORTED_SERVICE_CATEGORY","features":[320]},{"name":"OID_ATM_SUPPORTED_VC_RATES","features":[320]},{"name":"OID_ATM_XMIT_CELLS_OK","features":[320]},{"name":"OID_CO_ADDRESS_CHANGE","features":[320]},{"name":"OID_CO_ADD_ADDRESS","features":[320]},{"name":"OID_CO_ADD_PVC","features":[320]},{"name":"OID_CO_AF_CLOSE","features":[320]},{"name":"OID_CO_DELETE_ADDRESS","features":[320]},{"name":"OID_CO_DELETE_PVC","features":[320]},{"name":"OID_CO_GET_ADDRESSES","features":[320]},{"name":"OID_CO_GET_CALL_INFORMATION","features":[320]},{"name":"OID_CO_SIGNALING_DISABLED","features":[320]},{"name":"OID_CO_SIGNALING_ENABLED","features":[320]},{"name":"OID_CO_TAPI_ADDRESS_CAPS","features":[320]},{"name":"OID_CO_TAPI_CM_CAPS","features":[320]},{"name":"OID_CO_TAPI_DONT_REPORT_DIGITS","features":[320]},{"name":"OID_CO_TAPI_GET_CALL_DIAGNOSTICS","features":[320]},{"name":"OID_CO_TAPI_LINE_CAPS","features":[320]},{"name":"OID_CO_TAPI_REPORT_DIGITS","features":[320]},{"name":"OID_CO_TAPI_TRANSLATE_NDIS_CALLPARAMS","features":[320]},{"name":"OID_CO_TAPI_TRANSLATE_TAPI_CALLPARAMS","features":[320]},{"name":"OID_CO_TAPI_TRANSLATE_TAPI_SAP","features":[320]},{"name":"OID_FDDI_ATTACHMENT_TYPE","features":[320]},{"name":"OID_FDDI_DOWNSTREAM_NODE_LONG","features":[320]},{"name":"OID_FDDI_FRAMES_LOST","features":[320]},{"name":"OID_FDDI_FRAME_ERRORS","features":[320]},{"name":"OID_FDDI_IF_ADMIN_STATUS","features":[320]},{"name":"OID_FDDI_IF_DESCR","features":[320]},{"name":"OID_FDDI_IF_IN_DISCARDS","features":[320]},{"name":"OID_FDDI_IF_IN_ERRORS","features":[320]},{"name":"OID_FDDI_IF_IN_NUCAST_PKTS","features":[320]},{"name":"OID_FDDI_IF_IN_OCTETS","features":[320]},{"name":"OID_FDDI_IF_IN_UCAST_PKTS","features":[320]},{"name":"OID_FDDI_IF_IN_UNKNOWN_PROTOS","features":[320]},{"name":"OID_FDDI_IF_LAST_CHANGE","features":[320]},{"name":"OID_FDDI_IF_MTU","features":[320]},{"name":"OID_FDDI_IF_OPER_STATUS","features":[320]},{"name":"OID_FDDI_IF_OUT_DISCARDS","features":[320]},{"name":"OID_FDDI_IF_OUT_ERRORS","features":[320]},{"name":"OID_FDDI_IF_OUT_NUCAST_PKTS","features":[320]},{"name":"OID_FDDI_IF_OUT_OCTETS","features":[320]},{"name":"OID_FDDI_IF_OUT_QLEN","features":[320]},{"name":"OID_FDDI_IF_OUT_UCAST_PKTS","features":[320]},{"name":"OID_FDDI_IF_PHYS_ADDRESS","features":[320]},{"name":"OID_FDDI_IF_SPECIFIC","features":[320]},{"name":"OID_FDDI_IF_SPEED","features":[320]},{"name":"OID_FDDI_IF_TYPE","features":[320]},{"name":"OID_FDDI_LCONNECTION_STATE","features":[320]},{"name":"OID_FDDI_LCT_FAILURES","features":[320]},{"name":"OID_FDDI_LEM_REJECTS","features":[320]},{"name":"OID_FDDI_LONG_CURRENT_ADDR","features":[320]},{"name":"OID_FDDI_LONG_MAX_LIST_SIZE","features":[320]},{"name":"OID_FDDI_LONG_MULTICAST_LIST","features":[320]},{"name":"OID_FDDI_LONG_PERMANENT_ADDR","features":[320]},{"name":"OID_FDDI_MAC_AVAILABLE_PATHS","features":[320]},{"name":"OID_FDDI_MAC_BRIDGE_FUNCTIONS","features":[320]},{"name":"OID_FDDI_MAC_COPIED_CT","features":[320]},{"name":"OID_FDDI_MAC_CURRENT_PATH","features":[320]},{"name":"OID_FDDI_MAC_DA_FLAG","features":[320]},{"name":"OID_FDDI_MAC_DOWNSTREAM_NBR","features":[320]},{"name":"OID_FDDI_MAC_DOWNSTREAM_PORT_TYPE","features":[320]},{"name":"OID_FDDI_MAC_DUP_ADDRESS_TEST","features":[320]},{"name":"OID_FDDI_MAC_ERROR_CT","features":[320]},{"name":"OID_FDDI_MAC_FRAME_CT","features":[320]},{"name":"OID_FDDI_MAC_FRAME_ERROR_FLAG","features":[320]},{"name":"OID_FDDI_MAC_FRAME_ERROR_RATIO","features":[320]},{"name":"OID_FDDI_MAC_FRAME_ERROR_THRESHOLD","features":[320]},{"name":"OID_FDDI_MAC_FRAME_STATUS_FUNCTIONS","features":[320]},{"name":"OID_FDDI_MAC_HARDWARE_PRESENT","features":[320]},{"name":"OID_FDDI_MAC_INDEX","features":[320]},{"name":"OID_FDDI_MAC_LATE_CT","features":[320]},{"name":"OID_FDDI_MAC_LONG_GRP_ADDRESS","features":[320]},{"name":"OID_FDDI_MAC_LOST_CT","features":[320]},{"name":"OID_FDDI_MAC_MA_UNITDATA_AVAILABLE","features":[320]},{"name":"OID_FDDI_MAC_MA_UNITDATA_ENABLE","features":[320]},{"name":"OID_FDDI_MAC_NOT_COPIED_CT","features":[320]},{"name":"OID_FDDI_MAC_NOT_COPIED_FLAG","features":[320]},{"name":"OID_FDDI_MAC_NOT_COPIED_RATIO","features":[320]},{"name":"OID_FDDI_MAC_NOT_COPIED_THRESHOLD","features":[320]},{"name":"OID_FDDI_MAC_OLD_DOWNSTREAM_NBR","features":[320]},{"name":"OID_FDDI_MAC_OLD_UPSTREAM_NBR","features":[320]},{"name":"OID_FDDI_MAC_REQUESTED_PATHS","features":[320]},{"name":"OID_FDDI_MAC_RING_OP_CT","features":[320]},{"name":"OID_FDDI_MAC_RMT_STATE","features":[320]},{"name":"OID_FDDI_MAC_SHORT_GRP_ADDRESS","features":[320]},{"name":"OID_FDDI_MAC_SMT_ADDRESS","features":[320]},{"name":"OID_FDDI_MAC_TOKEN_CT","features":[320]},{"name":"OID_FDDI_MAC_TRANSMIT_CT","features":[320]},{"name":"OID_FDDI_MAC_TVX_CAPABILITY","features":[320]},{"name":"OID_FDDI_MAC_TVX_EXPIRED_CT","features":[320]},{"name":"OID_FDDI_MAC_TVX_VALUE","features":[320]},{"name":"OID_FDDI_MAC_T_MAX","features":[320]},{"name":"OID_FDDI_MAC_T_MAX_CAPABILITY","features":[320]},{"name":"OID_FDDI_MAC_T_NEG","features":[320]},{"name":"OID_FDDI_MAC_T_PRI0","features":[320]},{"name":"OID_FDDI_MAC_T_PRI1","features":[320]},{"name":"OID_FDDI_MAC_T_PRI2","features":[320]},{"name":"OID_FDDI_MAC_T_PRI3","features":[320]},{"name":"OID_FDDI_MAC_T_PRI4","features":[320]},{"name":"OID_FDDI_MAC_T_PRI5","features":[320]},{"name":"OID_FDDI_MAC_T_PRI6","features":[320]},{"name":"OID_FDDI_MAC_T_REQ","features":[320]},{"name":"OID_FDDI_MAC_UNDA_FLAG","features":[320]},{"name":"OID_FDDI_MAC_UPSTREAM_NBR","features":[320]},{"name":"OID_FDDI_PATH_CONFIGURATION","features":[320]},{"name":"OID_FDDI_PATH_INDEX","features":[320]},{"name":"OID_FDDI_PATH_MAX_T_REQ","features":[320]},{"name":"OID_FDDI_PATH_RING_LATENCY","features":[320]},{"name":"OID_FDDI_PATH_SBA_AVAILABLE","features":[320]},{"name":"OID_FDDI_PATH_SBA_OVERHEAD","features":[320]},{"name":"OID_FDDI_PATH_SBA_PAYLOAD","features":[320]},{"name":"OID_FDDI_PATH_TRACE_STATUS","features":[320]},{"name":"OID_FDDI_PATH_TVX_LOWER_BOUND","features":[320]},{"name":"OID_FDDI_PATH_T_MAX_LOWER_BOUND","features":[320]},{"name":"OID_FDDI_PATH_T_R_MODE","features":[320]},{"name":"OID_FDDI_PORT_ACTION","features":[320]},{"name":"OID_FDDI_PORT_AVAILABLE_PATHS","features":[320]},{"name":"OID_FDDI_PORT_BS_FLAG","features":[320]},{"name":"OID_FDDI_PORT_CONNECTION_CAPABILITIES","features":[320]},{"name":"OID_FDDI_PORT_CONNECTION_POLICIES","features":[320]},{"name":"OID_FDDI_PORT_CONNNECT_STATE","features":[320]},{"name":"OID_FDDI_PORT_CURRENT_PATH","features":[320]},{"name":"OID_FDDI_PORT_EB_ERROR_CT","features":[320]},{"name":"OID_FDDI_PORT_HARDWARE_PRESENT","features":[320]},{"name":"OID_FDDI_PORT_INDEX","features":[320]},{"name":"OID_FDDI_PORT_LCT_FAIL_CT","features":[320]},{"name":"OID_FDDI_PORT_LEM_CT","features":[320]},{"name":"OID_FDDI_PORT_LEM_REJECT_CT","features":[320]},{"name":"OID_FDDI_PORT_LER_ALARM","features":[320]},{"name":"OID_FDDI_PORT_LER_CUTOFF","features":[320]},{"name":"OID_FDDI_PORT_LER_ESTIMATE","features":[320]},{"name":"OID_FDDI_PORT_LER_FLAG","features":[320]},{"name":"OID_FDDI_PORT_MAC_INDICATED","features":[320]},{"name":"OID_FDDI_PORT_MAC_LOOP_TIME","features":[320]},{"name":"OID_FDDI_PORT_MAC_PLACEMENT","features":[320]},{"name":"OID_FDDI_PORT_MAINT_LS","features":[320]},{"name":"OID_FDDI_PORT_MY_TYPE","features":[320]},{"name":"OID_FDDI_PORT_NEIGHBOR_TYPE","features":[320]},{"name":"OID_FDDI_PORT_PCM_STATE","features":[320]},{"name":"OID_FDDI_PORT_PC_LS","features":[320]},{"name":"OID_FDDI_PORT_PC_WITHHOLD","features":[320]},{"name":"OID_FDDI_PORT_PMD_CLASS","features":[320]},{"name":"OID_FDDI_PORT_REQUESTED_PATHS","features":[320]},{"name":"OID_FDDI_RING_MGT_STATE","features":[320]},{"name":"OID_FDDI_SHORT_CURRENT_ADDR","features":[320]},{"name":"OID_FDDI_SHORT_MAX_LIST_SIZE","features":[320]},{"name":"OID_FDDI_SHORT_MULTICAST_LIST","features":[320]},{"name":"OID_FDDI_SHORT_PERMANENT_ADDR","features":[320]},{"name":"OID_FDDI_SMT_AVAILABLE_PATHS","features":[320]},{"name":"OID_FDDI_SMT_BYPASS_PRESENT","features":[320]},{"name":"OID_FDDI_SMT_CF_STATE","features":[320]},{"name":"OID_FDDI_SMT_CONFIG_CAPABILITIES","features":[320]},{"name":"OID_FDDI_SMT_CONFIG_POLICY","features":[320]},{"name":"OID_FDDI_SMT_CONNECTION_POLICY","features":[320]},{"name":"OID_FDDI_SMT_ECM_STATE","features":[320]},{"name":"OID_FDDI_SMT_HI_VERSION_ID","features":[320]},{"name":"OID_FDDI_SMT_HOLD_STATE","features":[320]},{"name":"OID_FDDI_SMT_LAST_SET_STATION_ID","features":[320]},{"name":"OID_FDDI_SMT_LO_VERSION_ID","features":[320]},{"name":"OID_FDDI_SMT_MAC_CT","features":[320]},{"name":"OID_FDDI_SMT_MAC_INDEXES","features":[320]},{"name":"OID_FDDI_SMT_MANUFACTURER_DATA","features":[320]},{"name":"OID_FDDI_SMT_MASTER_CT","features":[320]},{"name":"OID_FDDI_SMT_MIB_VERSION_ID","features":[320]},{"name":"OID_FDDI_SMT_MSG_TIME_STAMP","features":[320]},{"name":"OID_FDDI_SMT_NON_MASTER_CT","features":[320]},{"name":"OID_FDDI_SMT_OP_VERSION_ID","features":[320]},{"name":"OID_FDDI_SMT_PEER_WRAP_FLAG","features":[320]},{"name":"OID_FDDI_SMT_PORT_INDEXES","features":[320]},{"name":"OID_FDDI_SMT_REMOTE_DISCONNECT_FLAG","features":[320]},{"name":"OID_FDDI_SMT_SET_COUNT","features":[320]},{"name":"OID_FDDI_SMT_STATION_ACTION","features":[320]},{"name":"OID_FDDI_SMT_STATION_ID","features":[320]},{"name":"OID_FDDI_SMT_STATION_STATUS","features":[320]},{"name":"OID_FDDI_SMT_STAT_RPT_POLICY","features":[320]},{"name":"OID_FDDI_SMT_TRACE_MAX_EXPIRATION","features":[320]},{"name":"OID_FDDI_SMT_TRANSITION_TIME_STAMP","features":[320]},{"name":"OID_FDDI_SMT_T_NOTIFY","features":[320]},{"name":"OID_FDDI_SMT_USER_DATA","features":[320]},{"name":"OID_FDDI_UPSTREAM_NODE_LONG","features":[320]},{"name":"OID_FFP_ADAPTER_STATS","features":[320]},{"name":"OID_FFP_CONTROL","features":[320]},{"name":"OID_FFP_DATA","features":[320]},{"name":"OID_FFP_DRIVER_STATS","features":[320]},{"name":"OID_FFP_FLUSH","features":[320]},{"name":"OID_FFP_PARAMS","features":[320]},{"name":"OID_FFP_SUPPORT","features":[320]},{"name":"OID_GEN_ADMIN_STATUS","features":[320]},{"name":"OID_GEN_ALIAS","features":[320]},{"name":"OID_GEN_BROADCAST_BYTES_RCV","features":[320]},{"name":"OID_GEN_BROADCAST_BYTES_XMIT","features":[320]},{"name":"OID_GEN_BROADCAST_FRAMES_RCV","features":[320]},{"name":"OID_GEN_BROADCAST_FRAMES_XMIT","features":[320]},{"name":"OID_GEN_BYTES_RCV","features":[320]},{"name":"OID_GEN_BYTES_XMIT","features":[320]},{"name":"OID_GEN_CO_BYTES_RCV","features":[320]},{"name":"OID_GEN_CO_BYTES_XMIT","features":[320]},{"name":"OID_GEN_CO_BYTES_XMIT_OUTSTANDING","features":[320]},{"name":"OID_GEN_CO_DEVICE_PROFILE","features":[320]},{"name":"OID_GEN_CO_DRIVER_VERSION","features":[320]},{"name":"OID_GEN_CO_GET_NETCARD_TIME","features":[320]},{"name":"OID_GEN_CO_GET_TIME_CAPS","features":[320]},{"name":"OID_GEN_CO_HARDWARE_STATUS","features":[320]},{"name":"OID_GEN_CO_LINK_SPEED","features":[320]},{"name":"OID_GEN_CO_MAC_OPTIONS","features":[320]},{"name":"OID_GEN_CO_MEDIA_CONNECT_STATUS","features":[320]},{"name":"OID_GEN_CO_MEDIA_IN_USE","features":[320]},{"name":"OID_GEN_CO_MEDIA_SUPPORTED","features":[320]},{"name":"OID_GEN_CO_MINIMUM_LINK_SPEED","features":[320]},{"name":"OID_GEN_CO_NETCARD_LOAD","features":[320]},{"name":"OID_GEN_CO_PROTOCOL_OPTIONS","features":[320]},{"name":"OID_GEN_CO_RCV_CRC_ERROR","features":[320]},{"name":"OID_GEN_CO_RCV_PDUS_ERROR","features":[320]},{"name":"OID_GEN_CO_RCV_PDUS_NO_BUFFER","features":[320]},{"name":"OID_GEN_CO_RCV_PDUS_OK","features":[320]},{"name":"OID_GEN_CO_SUPPORTED_GUIDS","features":[320]},{"name":"OID_GEN_CO_SUPPORTED_LIST","features":[320]},{"name":"OID_GEN_CO_TRANSMIT_QUEUE_LENGTH","features":[320]},{"name":"OID_GEN_CO_VENDOR_DESCRIPTION","features":[320]},{"name":"OID_GEN_CO_VENDOR_DRIVER_VERSION","features":[320]},{"name":"OID_GEN_CO_VENDOR_ID","features":[320]},{"name":"OID_GEN_CO_XMIT_PDUS_ERROR","features":[320]},{"name":"OID_GEN_CO_XMIT_PDUS_OK","features":[320]},{"name":"OID_GEN_CURRENT_LOOKAHEAD","features":[320]},{"name":"OID_GEN_CURRENT_PACKET_FILTER","features":[320]},{"name":"OID_GEN_DEVICE_PROFILE","features":[320]},{"name":"OID_GEN_DIRECTED_BYTES_RCV","features":[320]},{"name":"OID_GEN_DIRECTED_BYTES_XMIT","features":[320]},{"name":"OID_GEN_DIRECTED_FRAMES_RCV","features":[320]},{"name":"OID_GEN_DIRECTED_FRAMES_XMIT","features":[320]},{"name":"OID_GEN_DISCONTINUITY_TIME","features":[320]},{"name":"OID_GEN_DRIVER_VERSION","features":[320]},{"name":"OID_GEN_ENUMERATE_PORTS","features":[320]},{"name":"OID_GEN_FRIENDLY_NAME","features":[320]},{"name":"OID_GEN_GET_NETCARD_TIME","features":[320]},{"name":"OID_GEN_GET_TIME_CAPS","features":[320]},{"name":"OID_GEN_HARDWARE_STATUS","features":[320]},{"name":"OID_GEN_HD_SPLIT_CURRENT_CONFIG","features":[320]},{"name":"OID_GEN_HD_SPLIT_PARAMETERS","features":[320]},{"name":"OID_GEN_INIT_TIME_MS","features":[320]},{"name":"OID_GEN_INTERFACE_INFO","features":[320]},{"name":"OID_GEN_INTERRUPT_MODERATION","features":[320]},{"name":"OID_GEN_IP_OPER_STATUS","features":[320]},{"name":"OID_GEN_ISOLATION_PARAMETERS","features":[320]},{"name":"OID_GEN_LAST_CHANGE","features":[320]},{"name":"OID_GEN_LINK_PARAMETERS","features":[320]},{"name":"OID_GEN_LINK_SPEED","features":[320]},{"name":"OID_GEN_LINK_SPEED_EX","features":[320]},{"name":"OID_GEN_LINK_STATE","features":[320]},{"name":"OID_GEN_MACHINE_NAME","features":[320]},{"name":"OID_GEN_MAC_ADDRESS","features":[320]},{"name":"OID_GEN_MAC_OPTIONS","features":[320]},{"name":"OID_GEN_MAXIMUM_FRAME_SIZE","features":[320]},{"name":"OID_GEN_MAXIMUM_LOOKAHEAD","features":[320]},{"name":"OID_GEN_MAXIMUM_SEND_PACKETS","features":[320]},{"name":"OID_GEN_MAXIMUM_TOTAL_SIZE","features":[320]},{"name":"OID_GEN_MAX_LINK_SPEED","features":[320]},{"name":"OID_GEN_MEDIA_CAPABILITIES","features":[320]},{"name":"OID_GEN_MEDIA_CONNECT_STATUS","features":[320]},{"name":"OID_GEN_MEDIA_CONNECT_STATUS_EX","features":[320]},{"name":"OID_GEN_MEDIA_DUPLEX_STATE","features":[320]},{"name":"OID_GEN_MEDIA_IN_USE","features":[320]},{"name":"OID_GEN_MEDIA_SENSE_COUNTS","features":[320]},{"name":"OID_GEN_MEDIA_SUPPORTED","features":[320]},{"name":"OID_GEN_MINIPORT_RESTART_ATTRIBUTES","features":[320]},{"name":"OID_GEN_MULTICAST_BYTES_RCV","features":[320]},{"name":"OID_GEN_MULTICAST_BYTES_XMIT","features":[320]},{"name":"OID_GEN_MULTICAST_FRAMES_RCV","features":[320]},{"name":"OID_GEN_MULTICAST_FRAMES_XMIT","features":[320]},{"name":"OID_GEN_NDIS_RESERVED_1","features":[320]},{"name":"OID_GEN_NDIS_RESERVED_2","features":[320]},{"name":"OID_GEN_NDIS_RESERVED_3","features":[320]},{"name":"OID_GEN_NDIS_RESERVED_4","features":[320]},{"name":"OID_GEN_NDIS_RESERVED_5","features":[320]},{"name":"OID_GEN_NDIS_RESERVED_6","features":[320]},{"name":"OID_GEN_NDIS_RESERVED_7","features":[320]},{"name":"OID_GEN_NETCARD_LOAD","features":[320]},{"name":"OID_GEN_NETWORK_LAYER_ADDRESSES","features":[320]},{"name":"OID_GEN_OPERATIONAL_STATUS","features":[320]},{"name":"OID_GEN_PACKET_MONITOR","features":[320]},{"name":"OID_GEN_PCI_DEVICE_CUSTOM_PROPERTIES","features":[320]},{"name":"OID_GEN_PHYSICAL_MEDIUM","features":[320]},{"name":"OID_GEN_PHYSICAL_MEDIUM_EX","features":[320]},{"name":"OID_GEN_PORT_AUTHENTICATION_PARAMETERS","features":[320]},{"name":"OID_GEN_PORT_STATE","features":[320]},{"name":"OID_GEN_PROMISCUOUS_MODE","features":[320]},{"name":"OID_GEN_PROTOCOL_OPTIONS","features":[320]},{"name":"OID_GEN_RCV_CRC_ERROR","features":[320]},{"name":"OID_GEN_RCV_DISCARDS","features":[320]},{"name":"OID_GEN_RCV_ERROR","features":[320]},{"name":"OID_GEN_RCV_LINK_SPEED","features":[320]},{"name":"OID_GEN_RCV_NO_BUFFER","features":[320]},{"name":"OID_GEN_RCV_OK","features":[320]},{"name":"OID_GEN_RECEIVE_BLOCK_SIZE","features":[320]},{"name":"OID_GEN_RECEIVE_BUFFER_SPACE","features":[320]},{"name":"OID_GEN_RECEIVE_HASH","features":[320]},{"name":"OID_GEN_RECEIVE_SCALE_CAPABILITIES","features":[320]},{"name":"OID_GEN_RECEIVE_SCALE_PARAMETERS","features":[320]},{"name":"OID_GEN_RECEIVE_SCALE_PARAMETERS_V2","features":[320]},{"name":"OID_GEN_RESET_COUNTS","features":[320]},{"name":"OID_GEN_RNDIS_CONFIG_PARAMETER","features":[320]},{"name":"OID_GEN_RSS_SET_INDIRECTION_TABLE_ENTRIES","features":[320]},{"name":"OID_GEN_STATISTICS","features":[320]},{"name":"OID_GEN_SUPPORTED_GUIDS","features":[320]},{"name":"OID_GEN_SUPPORTED_LIST","features":[320]},{"name":"OID_GEN_TIMEOUT_DPC_REQUEST_CAPABILITIES","features":[320]},{"name":"OID_GEN_TRANSMIT_BLOCK_SIZE","features":[320]},{"name":"OID_GEN_TRANSMIT_BUFFER_SPACE","features":[320]},{"name":"OID_GEN_TRANSMIT_QUEUE_LENGTH","features":[320]},{"name":"OID_GEN_TRANSPORT_HEADER_OFFSET","features":[320]},{"name":"OID_GEN_UNKNOWN_PROTOS","features":[320]},{"name":"OID_GEN_VENDOR_DESCRIPTION","features":[320]},{"name":"OID_GEN_VENDOR_DRIVER_VERSION","features":[320]},{"name":"OID_GEN_VENDOR_ID","features":[320]},{"name":"OID_GEN_VLAN_ID","features":[320]},{"name":"OID_GEN_XMIT_DISCARDS","features":[320]},{"name":"OID_GEN_XMIT_ERROR","features":[320]},{"name":"OID_GEN_XMIT_LINK_SPEED","features":[320]},{"name":"OID_GEN_XMIT_OK","features":[320]},{"name":"OID_GFT_ACTIVATE_FLOW_ENTRIES","features":[320]},{"name":"OID_GFT_ADD_FLOW_ENTRIES","features":[320]},{"name":"OID_GFT_ALLOCATE_COUNTERS","features":[320]},{"name":"OID_GFT_COUNTER_VALUES","features":[320]},{"name":"OID_GFT_CREATE_LOGICAL_VPORT","features":[320]},{"name":"OID_GFT_CREATE_TABLE","features":[320]},{"name":"OID_GFT_CURRENT_CAPABILITIES","features":[320]},{"name":"OID_GFT_DEACTIVATE_FLOW_ENTRIES","features":[320]},{"name":"OID_GFT_DELETE_FLOW_ENTRIES","features":[320]},{"name":"OID_GFT_DELETE_LOGICAL_VPORT","features":[320]},{"name":"OID_GFT_DELETE_PROFILE","features":[320]},{"name":"OID_GFT_DELETE_TABLE","features":[320]},{"name":"OID_GFT_ENUM_COUNTERS","features":[320]},{"name":"OID_GFT_ENUM_FLOW_ENTRIES","features":[320]},{"name":"OID_GFT_ENUM_LOGICAL_VPORTS","features":[320]},{"name":"OID_GFT_ENUM_PROFILES","features":[320]},{"name":"OID_GFT_ENUM_TABLES","features":[320]},{"name":"OID_GFT_EXACT_MATCH_PROFILE","features":[320]},{"name":"OID_GFT_FLOW_ENTRY_PARAMETERS","features":[320]},{"name":"OID_GFT_FREE_COUNTERS","features":[320]},{"name":"OID_GFT_GLOBAL_PARAMETERS","features":[320]},{"name":"OID_GFT_HARDWARE_CAPABILITIES","features":[320]},{"name":"OID_GFT_HEADER_TRANSPOSITION_PROFILE","features":[320]},{"name":"OID_GFT_STATISTICS","features":[320]},{"name":"OID_GFT_VPORT_PARAMETERS","features":[320]},{"name":"OID_GFT_WILDCARD_MATCH_PROFILE","features":[320]},{"name":"OID_IP4_OFFLOAD_STATS","features":[320]},{"name":"OID_IP6_OFFLOAD_STATS","features":[320]},{"name":"OID_IRDA_EXTRA_RCV_BOFS","features":[320]},{"name":"OID_IRDA_LINK_SPEED","features":[320]},{"name":"OID_IRDA_MAX_RECEIVE_WINDOW_SIZE","features":[320]},{"name":"OID_IRDA_MAX_SEND_WINDOW_SIZE","features":[320]},{"name":"OID_IRDA_MAX_UNICAST_LIST_SIZE","features":[320]},{"name":"OID_IRDA_MEDIA_BUSY","features":[320]},{"name":"OID_IRDA_RATE_SNIFF","features":[320]},{"name":"OID_IRDA_RECEIVING","features":[320]},{"name":"OID_IRDA_RESERVED1","features":[320]},{"name":"OID_IRDA_RESERVED2","features":[320]},{"name":"OID_IRDA_SUPPORTED_SPEEDS","features":[320]},{"name":"OID_IRDA_TURNAROUND_TIME","features":[320]},{"name":"OID_IRDA_UNICAST_LIST","features":[320]},{"name":"OID_KDNET_ADD_PF","features":[320]},{"name":"OID_KDNET_ENUMERATE_PFS","features":[320]},{"name":"OID_KDNET_QUERY_PF_INFORMATION","features":[320]},{"name":"OID_KDNET_REMOVE_PF","features":[320]},{"name":"OID_LTALK_COLLISIONS","features":[320]},{"name":"OID_LTALK_CURRENT_NODE_ID","features":[320]},{"name":"OID_LTALK_DEFERS","features":[320]},{"name":"OID_LTALK_FCS_ERRORS","features":[320]},{"name":"OID_LTALK_IN_BROADCASTS","features":[320]},{"name":"OID_LTALK_IN_LENGTH_ERRORS","features":[320]},{"name":"OID_LTALK_NO_DATA_ERRORS","features":[320]},{"name":"OID_LTALK_OUT_NO_HANDLERS","features":[320]},{"name":"OID_LTALK_RANDOM_CTS_ERRORS","features":[320]},{"name":"OID_NDK_CONNECTIONS","features":[320]},{"name":"OID_NDK_LOCAL_ENDPOINTS","features":[320]},{"name":"OID_NDK_SET_STATE","features":[320]},{"name":"OID_NDK_STATISTICS","features":[320]},{"name":"OID_NIC_SWITCH_ALLOCATE_VF","features":[320]},{"name":"OID_NIC_SWITCH_CREATE_SWITCH","features":[320]},{"name":"OID_NIC_SWITCH_CREATE_VPORT","features":[320]},{"name":"OID_NIC_SWITCH_CURRENT_CAPABILITIES","features":[320]},{"name":"OID_NIC_SWITCH_DELETE_SWITCH","features":[320]},{"name":"OID_NIC_SWITCH_DELETE_VPORT","features":[320]},{"name":"OID_NIC_SWITCH_ENUM_SWITCHES","features":[320]},{"name":"OID_NIC_SWITCH_ENUM_VFS","features":[320]},{"name":"OID_NIC_SWITCH_ENUM_VPORTS","features":[320]},{"name":"OID_NIC_SWITCH_FREE_VF","features":[320]},{"name":"OID_NIC_SWITCH_HARDWARE_CAPABILITIES","features":[320]},{"name":"OID_NIC_SWITCH_PARAMETERS","features":[320]},{"name":"OID_NIC_SWITCH_VF_PARAMETERS","features":[320]},{"name":"OID_NIC_SWITCH_VPORT_PARAMETERS","features":[320]},{"name":"OID_OFFLOAD_ENCAPSULATION","features":[320]},{"name":"OID_PACKET_COALESCING_FILTER_MATCH_COUNT","features":[320]},{"name":"OID_PD_CLOSE_PROVIDER","features":[320]},{"name":"OID_PD_OPEN_PROVIDER","features":[320]},{"name":"OID_PD_QUERY_CURRENT_CONFIG","features":[320]},{"name":"OID_PM_ADD_PROTOCOL_OFFLOAD","features":[320]},{"name":"OID_PM_ADD_WOL_PATTERN","features":[320]},{"name":"OID_PM_CURRENT_CAPABILITIES","features":[320]},{"name":"OID_PM_GET_PROTOCOL_OFFLOAD","features":[320]},{"name":"OID_PM_HARDWARE_CAPABILITIES","features":[320]},{"name":"OID_PM_PARAMETERS","features":[320]},{"name":"OID_PM_PROTOCOL_OFFLOAD_LIST","features":[320]},{"name":"OID_PM_REMOVE_PROTOCOL_OFFLOAD","features":[320]},{"name":"OID_PM_REMOVE_WOL_PATTERN","features":[320]},{"name":"OID_PM_RESERVED_1","features":[320]},{"name":"OID_PM_WOL_PATTERN_LIST","features":[320]},{"name":"OID_PNP_ADD_WAKE_UP_PATTERN","features":[320]},{"name":"OID_PNP_CAPABILITIES","features":[320]},{"name":"OID_PNP_ENABLE_WAKE_UP","features":[320]},{"name":"OID_PNP_QUERY_POWER","features":[320]},{"name":"OID_PNP_REMOVE_WAKE_UP_PATTERN","features":[320]},{"name":"OID_PNP_SET_POWER","features":[320]},{"name":"OID_PNP_WAKE_UP_ERROR","features":[320]},{"name":"OID_PNP_WAKE_UP_OK","features":[320]},{"name":"OID_PNP_WAKE_UP_PATTERN_LIST","features":[320]},{"name":"OID_QOS_CURRENT_CAPABILITIES","features":[320]},{"name":"OID_QOS_HARDWARE_CAPABILITIES","features":[320]},{"name":"OID_QOS_OFFLOAD_CREATE_SQ","features":[320]},{"name":"OID_QOS_OFFLOAD_CURRENT_CAPABILITIES","features":[320]},{"name":"OID_QOS_OFFLOAD_DELETE_SQ","features":[320]},{"name":"OID_QOS_OFFLOAD_ENUM_SQS","features":[320]},{"name":"OID_QOS_OFFLOAD_HARDWARE_CAPABILITIES","features":[320]},{"name":"OID_QOS_OFFLOAD_SQ_STATS","features":[320]},{"name":"OID_QOS_OFFLOAD_UPDATE_SQ","features":[320]},{"name":"OID_QOS_OPERATIONAL_PARAMETERS","features":[320]},{"name":"OID_QOS_PARAMETERS","features":[320]},{"name":"OID_QOS_REMOTE_PARAMETERS","features":[320]},{"name":"OID_QOS_RESERVED1","features":[320]},{"name":"OID_QOS_RESERVED10","features":[320]},{"name":"OID_QOS_RESERVED11","features":[320]},{"name":"OID_QOS_RESERVED12","features":[320]},{"name":"OID_QOS_RESERVED13","features":[320]},{"name":"OID_QOS_RESERVED14","features":[320]},{"name":"OID_QOS_RESERVED15","features":[320]},{"name":"OID_QOS_RESERVED16","features":[320]},{"name":"OID_QOS_RESERVED17","features":[320]},{"name":"OID_QOS_RESERVED18","features":[320]},{"name":"OID_QOS_RESERVED19","features":[320]},{"name":"OID_QOS_RESERVED2","features":[320]},{"name":"OID_QOS_RESERVED20","features":[320]},{"name":"OID_QOS_RESERVED3","features":[320]},{"name":"OID_QOS_RESERVED4","features":[320]},{"name":"OID_QOS_RESERVED5","features":[320]},{"name":"OID_QOS_RESERVED6","features":[320]},{"name":"OID_QOS_RESERVED7","features":[320]},{"name":"OID_QOS_RESERVED8","features":[320]},{"name":"OID_QOS_RESERVED9","features":[320]},{"name":"OID_RECEIVE_FILTER_ALLOCATE_QUEUE","features":[320]},{"name":"OID_RECEIVE_FILTER_CLEAR_FILTER","features":[320]},{"name":"OID_RECEIVE_FILTER_CURRENT_CAPABILITIES","features":[320]},{"name":"OID_RECEIVE_FILTER_ENUM_FILTERS","features":[320]},{"name":"OID_RECEIVE_FILTER_ENUM_QUEUES","features":[320]},{"name":"OID_RECEIVE_FILTER_FREE_QUEUE","features":[320]},{"name":"OID_RECEIVE_FILTER_GLOBAL_PARAMETERS","features":[320]},{"name":"OID_RECEIVE_FILTER_HARDWARE_CAPABILITIES","features":[320]},{"name":"OID_RECEIVE_FILTER_MOVE_FILTER","features":[320]},{"name":"OID_RECEIVE_FILTER_PARAMETERS","features":[320]},{"name":"OID_RECEIVE_FILTER_QUEUE_ALLOCATION_COMPLETE","features":[320]},{"name":"OID_RECEIVE_FILTER_QUEUE_PARAMETERS","features":[320]},{"name":"OID_RECEIVE_FILTER_SET_FILTER","features":[320]},{"name":"OID_SRIOV_BAR_RESOURCES","features":[320]},{"name":"OID_SRIOV_CONFIG_STATE","features":[320]},{"name":"OID_SRIOV_CURRENT_CAPABILITIES","features":[320]},{"name":"OID_SRIOV_HARDWARE_CAPABILITIES","features":[320]},{"name":"OID_SRIOV_OVERLYING_ADAPTER_INFO","features":[320]},{"name":"OID_SRIOV_PF_LUID","features":[320]},{"name":"OID_SRIOV_PROBED_BARS","features":[320]},{"name":"OID_SRIOV_READ_VF_CONFIG_BLOCK","features":[320]},{"name":"OID_SRIOV_READ_VF_CONFIG_SPACE","features":[320]},{"name":"OID_SRIOV_RESET_VF","features":[320]},{"name":"OID_SRIOV_SET_VF_POWER_STATE","features":[320]},{"name":"OID_SRIOV_VF_INVALIDATE_CONFIG_BLOCK","features":[320]},{"name":"OID_SRIOV_VF_SERIAL_NUMBER","features":[320]},{"name":"OID_SRIOV_VF_VENDOR_DEVICE_ID","features":[320]},{"name":"OID_SRIOV_WRITE_VF_CONFIG_BLOCK","features":[320]},{"name":"OID_SRIOV_WRITE_VF_CONFIG_SPACE","features":[320]},{"name":"OID_SWITCH_FEATURE_STATUS_QUERY","features":[320]},{"name":"OID_SWITCH_NIC_ARRAY","features":[320]},{"name":"OID_SWITCH_NIC_CONNECT","features":[320]},{"name":"OID_SWITCH_NIC_CREATE","features":[320]},{"name":"OID_SWITCH_NIC_DELETE","features":[320]},{"name":"OID_SWITCH_NIC_DIRECT_REQUEST","features":[320]},{"name":"OID_SWITCH_NIC_DISCONNECT","features":[320]},{"name":"OID_SWITCH_NIC_REQUEST","features":[320]},{"name":"OID_SWITCH_NIC_RESTORE","features":[320]},{"name":"OID_SWITCH_NIC_RESTORE_COMPLETE","features":[320]},{"name":"OID_SWITCH_NIC_RESUME","features":[320]},{"name":"OID_SWITCH_NIC_SAVE","features":[320]},{"name":"OID_SWITCH_NIC_SAVE_COMPLETE","features":[320]},{"name":"OID_SWITCH_NIC_SUSPEND","features":[320]},{"name":"OID_SWITCH_NIC_SUSPENDED_LM_SOURCE_FINISHED","features":[320]},{"name":"OID_SWITCH_NIC_SUSPENDED_LM_SOURCE_STARTED","features":[320]},{"name":"OID_SWITCH_NIC_UPDATED","features":[320]},{"name":"OID_SWITCH_PARAMETERS","features":[320]},{"name":"OID_SWITCH_PORT_ARRAY","features":[320]},{"name":"OID_SWITCH_PORT_CREATE","features":[320]},{"name":"OID_SWITCH_PORT_DELETE","features":[320]},{"name":"OID_SWITCH_PORT_FEATURE_STATUS_QUERY","features":[320]},{"name":"OID_SWITCH_PORT_PROPERTY_ADD","features":[320]},{"name":"OID_SWITCH_PORT_PROPERTY_DELETE","features":[320]},{"name":"OID_SWITCH_PORT_PROPERTY_ENUM","features":[320]},{"name":"OID_SWITCH_PORT_PROPERTY_UPDATE","features":[320]},{"name":"OID_SWITCH_PORT_TEARDOWN","features":[320]},{"name":"OID_SWITCH_PORT_UPDATED","features":[320]},{"name":"OID_SWITCH_PROPERTY_ADD","features":[320]},{"name":"OID_SWITCH_PROPERTY_DELETE","features":[320]},{"name":"OID_SWITCH_PROPERTY_ENUM","features":[320]},{"name":"OID_SWITCH_PROPERTY_UPDATE","features":[320]},{"name":"OID_TAPI_ACCEPT","features":[320]},{"name":"OID_TAPI_ANSWER","features":[320]},{"name":"OID_TAPI_CLOSE","features":[320]},{"name":"OID_TAPI_CLOSE_CALL","features":[320]},{"name":"OID_TAPI_CONDITIONAL_MEDIA_DETECTION","features":[320]},{"name":"OID_TAPI_CONFIG_DIALOG","features":[320]},{"name":"OID_TAPI_DEV_SPECIFIC","features":[320]},{"name":"OID_TAPI_DIAL","features":[320]},{"name":"OID_TAPI_DROP","features":[320]},{"name":"OID_TAPI_GATHER_DIGITS","features":[320]},{"name":"OID_TAPI_GET_ADDRESS_CAPS","features":[320]},{"name":"OID_TAPI_GET_ADDRESS_ID","features":[320]},{"name":"OID_TAPI_GET_ADDRESS_STATUS","features":[320]},{"name":"OID_TAPI_GET_CALL_ADDRESS_ID","features":[320]},{"name":"OID_TAPI_GET_CALL_INFO","features":[320]},{"name":"OID_TAPI_GET_CALL_STATUS","features":[320]},{"name":"OID_TAPI_GET_DEV_CAPS","features":[320]},{"name":"OID_TAPI_GET_DEV_CONFIG","features":[320]},{"name":"OID_TAPI_GET_EXTENSION_ID","features":[320]},{"name":"OID_TAPI_GET_ID","features":[320]},{"name":"OID_TAPI_GET_LINE_DEV_STATUS","features":[320]},{"name":"OID_TAPI_MAKE_CALL","features":[320]},{"name":"OID_TAPI_MONITOR_DIGITS","features":[320]},{"name":"OID_TAPI_NEGOTIATE_EXT_VERSION","features":[320]},{"name":"OID_TAPI_OPEN","features":[320]},{"name":"OID_TAPI_PROVIDER_INITIALIZE","features":[320]},{"name":"OID_TAPI_PROVIDER_SHUTDOWN","features":[320]},{"name":"OID_TAPI_SECURE_CALL","features":[320]},{"name":"OID_TAPI_SELECT_EXT_VERSION","features":[320]},{"name":"OID_TAPI_SEND_USER_USER_INFO","features":[320]},{"name":"OID_TAPI_SET_APP_SPECIFIC","features":[320]},{"name":"OID_TAPI_SET_CALL_PARAMS","features":[320]},{"name":"OID_TAPI_SET_DEFAULT_MEDIA_DETECTION","features":[320]},{"name":"OID_TAPI_SET_DEV_CONFIG","features":[320]},{"name":"OID_TAPI_SET_MEDIA_MODE","features":[320]},{"name":"OID_TAPI_SET_STATUS_MESSAGES","features":[320]},{"name":"OID_TCP4_OFFLOAD_STATS","features":[320]},{"name":"OID_TCP6_OFFLOAD_STATS","features":[320]},{"name":"OID_TCP_CONNECTION_OFFLOAD_CURRENT_CONFIG","features":[320]},{"name":"OID_TCP_CONNECTION_OFFLOAD_HARDWARE_CAPABILITIES","features":[320]},{"name":"OID_TCP_CONNECTION_OFFLOAD_PARAMETERS","features":[320]},{"name":"OID_TCP_OFFLOAD_CURRENT_CONFIG","features":[320]},{"name":"OID_TCP_OFFLOAD_HARDWARE_CAPABILITIES","features":[320]},{"name":"OID_TCP_OFFLOAD_PARAMETERS","features":[320]},{"name":"OID_TCP_RSC_STATISTICS","features":[320]},{"name":"OID_TCP_SAN_SUPPORT","features":[320]},{"name":"OID_TCP_TASK_IPSEC_ADD_SA","features":[320]},{"name":"OID_TCP_TASK_IPSEC_ADD_UDPESP_SA","features":[320]},{"name":"OID_TCP_TASK_IPSEC_DELETE_SA","features":[320]},{"name":"OID_TCP_TASK_IPSEC_DELETE_UDPESP_SA","features":[320]},{"name":"OID_TCP_TASK_IPSEC_OFFLOAD_V2_ADD_SA","features":[320]},{"name":"OID_TCP_TASK_IPSEC_OFFLOAD_V2_ADD_SA_EX","features":[320]},{"name":"OID_TCP_TASK_IPSEC_OFFLOAD_V2_DELETE_SA","features":[320]},{"name":"OID_TCP_TASK_IPSEC_OFFLOAD_V2_UPDATE_SA","features":[320]},{"name":"OID_TCP_TASK_OFFLOAD","features":[320]},{"name":"OID_TIMESTAMP_CAPABILITY","features":[320]},{"name":"OID_TIMESTAMP_CURRENT_CONFIG","features":[320]},{"name":"OID_TIMESTAMP_GET_CROSSTIMESTAMP","features":[320]},{"name":"OID_TUNNEL_INTERFACE_RELEASE_OID","features":[320]},{"name":"OID_TUNNEL_INTERFACE_SET_OID","features":[320]},{"name":"OID_VLAN_RESERVED1","features":[320]},{"name":"OID_VLAN_RESERVED2","features":[320]},{"name":"OID_VLAN_RESERVED3","features":[320]},{"name":"OID_VLAN_RESERVED4","features":[320]},{"name":"OID_WAN_CO_GET_COMP_INFO","features":[320]},{"name":"OID_WAN_CO_GET_INFO","features":[320]},{"name":"OID_WAN_CO_GET_LINK_INFO","features":[320]},{"name":"OID_WAN_CO_GET_STATS_INFO","features":[320]},{"name":"OID_WAN_CO_SET_COMP_INFO","features":[320]},{"name":"OID_WAN_CO_SET_LINK_INFO","features":[320]},{"name":"OID_WAN_CURRENT_ADDRESS","features":[320]},{"name":"OID_WAN_GET_BRIDGE_INFO","features":[320]},{"name":"OID_WAN_GET_COMP_INFO","features":[320]},{"name":"OID_WAN_GET_INFO","features":[320]},{"name":"OID_WAN_GET_LINK_INFO","features":[320]},{"name":"OID_WAN_GET_STATS_INFO","features":[320]},{"name":"OID_WAN_HEADER_FORMAT","features":[320]},{"name":"OID_WAN_LINE_COUNT","features":[320]},{"name":"OID_WAN_MEDIUM_SUBTYPE","features":[320]},{"name":"OID_WAN_PERMANENT_ADDRESS","features":[320]},{"name":"OID_WAN_PROTOCOL_CAPS","features":[320]},{"name":"OID_WAN_PROTOCOL_TYPE","features":[320]},{"name":"OID_WAN_QUALITY_OF_SERVICE","features":[320]},{"name":"OID_WAN_SET_BRIDGE_INFO","features":[320]},{"name":"OID_WAN_SET_COMP_INFO","features":[320]},{"name":"OID_WAN_SET_LINK_INFO","features":[320]},{"name":"OID_WWAN_AUTH_CHALLENGE","features":[320]},{"name":"OID_WWAN_BASE_STATIONS_INFO","features":[320]},{"name":"OID_WWAN_CONNECT","features":[320]},{"name":"OID_WWAN_CREATE_MAC","features":[320]},{"name":"OID_WWAN_DELETE_MAC","features":[320]},{"name":"OID_WWAN_DEVICE_BINDINGS","features":[320]},{"name":"OID_WWAN_DEVICE_CAPS","features":[320]},{"name":"OID_WWAN_DEVICE_CAPS_EX","features":[320]},{"name":"OID_WWAN_DEVICE_RESET","features":[320]},{"name":"OID_WWAN_DEVICE_SERVICE_COMMAND","features":[320]},{"name":"OID_WWAN_DEVICE_SERVICE_SESSION","features":[320]},{"name":"OID_WWAN_DEVICE_SERVICE_SESSION_WRITE","features":[320]},{"name":"OID_WWAN_DRIVER_CAPS","features":[320]},{"name":"OID_WWAN_ENUMERATE_DEVICE_SERVICES","features":[320]},{"name":"OID_WWAN_ENUMERATE_DEVICE_SERVICE_COMMANDS","features":[320]},{"name":"OID_WWAN_HOME_PROVIDER","features":[320]},{"name":"OID_WWAN_IMS_VOICE_STATE","features":[320]},{"name":"OID_WWAN_LOCATION_STATE","features":[320]},{"name":"OID_WWAN_LTE_ATTACH_CONFIG","features":[320]},{"name":"OID_WWAN_LTE_ATTACH_STATUS","features":[320]},{"name":"OID_WWAN_MBIM_VERSION","features":[320]},{"name":"OID_WWAN_MODEM_CONFIG_INFO","features":[320]},{"name":"OID_WWAN_MODEM_LOGGING_CONFIG","features":[320]},{"name":"OID_WWAN_MPDP","features":[320]},{"name":"OID_WWAN_NETWORK_BLACKLIST","features":[320]},{"name":"OID_WWAN_NETWORK_IDLE_HINT","features":[320]},{"name":"OID_WWAN_NETWORK_PARAMS","features":[320]},{"name":"OID_WWAN_NITZ","features":[320]},{"name":"OID_WWAN_PACKET_SERVICE","features":[320]},{"name":"OID_WWAN_PCO","features":[320]},{"name":"OID_WWAN_PIN","features":[320]},{"name":"OID_WWAN_PIN_EX","features":[320]},{"name":"OID_WWAN_PIN_EX2","features":[320]},{"name":"OID_WWAN_PIN_LIST","features":[320]},{"name":"OID_WWAN_PREFERRED_MULTICARRIER_PROVIDERS","features":[320]},{"name":"OID_WWAN_PREFERRED_PROVIDERS","features":[320]},{"name":"OID_WWAN_PRESHUTDOWN","features":[320]},{"name":"OID_WWAN_PROVISIONED_CONTEXTS","features":[320]},{"name":"OID_WWAN_PS_MEDIA_CONFIG","features":[320]},{"name":"OID_WWAN_RADIO_STATE","features":[320]},{"name":"OID_WWAN_READY_INFO","features":[320]},{"name":"OID_WWAN_REGISTER_PARAMS","features":[320]},{"name":"OID_WWAN_REGISTER_STATE","features":[320]},{"name":"OID_WWAN_REGISTER_STATE_EX","features":[320]},{"name":"OID_WWAN_SAR_CONFIG","features":[320]},{"name":"OID_WWAN_SAR_TRANSMISSION_STATUS","features":[320]},{"name":"OID_WWAN_SERVICE_ACTIVATION","features":[320]},{"name":"OID_WWAN_SIGNAL_STATE","features":[320]},{"name":"OID_WWAN_SIGNAL_STATE_EX","features":[320]},{"name":"OID_WWAN_SLOT_INFO_STATUS","features":[320]},{"name":"OID_WWAN_SMS_CONFIGURATION","features":[320]},{"name":"OID_WWAN_SMS_DELETE","features":[320]},{"name":"OID_WWAN_SMS_READ","features":[320]},{"name":"OID_WWAN_SMS_SEND","features":[320]},{"name":"OID_WWAN_SMS_STATUS","features":[320]},{"name":"OID_WWAN_SUBSCRIBE_DEVICE_SERVICE_EVENTS","features":[320]},{"name":"OID_WWAN_SYS_CAPS","features":[320]},{"name":"OID_WWAN_SYS_SLOTMAPPINGS","features":[320]},{"name":"OID_WWAN_UE_POLICY","features":[320]},{"name":"OID_WWAN_UICC_ACCESS_BINARY","features":[320]},{"name":"OID_WWAN_UICC_ACCESS_RECORD","features":[320]},{"name":"OID_WWAN_UICC_APDU","features":[320]},{"name":"OID_WWAN_UICC_APP_LIST","features":[320]},{"name":"OID_WWAN_UICC_ATR","features":[320]},{"name":"OID_WWAN_UICC_CLOSE_CHANNEL","features":[320]},{"name":"OID_WWAN_UICC_FILE_STATUS","features":[320]},{"name":"OID_WWAN_UICC_OPEN_CHANNEL","features":[320]},{"name":"OID_WWAN_UICC_RESET","features":[320]},{"name":"OID_WWAN_UICC_TERMINAL_CAPABILITY","features":[320]},{"name":"OID_WWAN_USSD","features":[320]},{"name":"OID_WWAN_VENDOR_SPECIFIC","features":[320]},{"name":"OID_WWAN_VISIBLE_PROVIDERS","features":[320]},{"name":"OID_XBOX_ACC_RESERVED0","features":[320]},{"name":"OriginalNetBufferList","features":[320]},{"name":"OriginalPacketInfo","features":[320]},{"name":"PD_BUFFER_ATTR_BUILT_IN_DATA_BUFFER","features":[320]},{"name":"PD_BUFFER_FLAG_PARTIAL_PACKET_HEAD","features":[320]},{"name":"PD_BUFFER_MIN_RX_DATA_START_ALIGNMENT","features":[320]},{"name":"PD_BUFFER_MIN_RX_DATA_START_VALUE","features":[320]},{"name":"PD_BUFFER_MIN_TX_DATA_START_ALIGNMENT","features":[320]},{"name":"PERMANENT_VC","features":[320]},{"name":"PMKID_CANDIDATE","features":[320]},{"name":"PNDIS_TIMER_FUNCTION","features":[320]},{"name":"PROTCOL_CO_AF_REGISTER_NOTIFY","features":[320]},{"name":"PROTOCOL_CL_ADD_PARTY_COMPLETE","features":[320]},{"name":"PROTOCOL_CL_CALL_CONNECTED","features":[320]},{"name":"PROTOCOL_CL_CLOSE_AF_COMPLETE","features":[320]},{"name":"PROTOCOL_CL_CLOSE_CALL_COMPLETE","features":[320]},{"name":"PROTOCOL_CL_DEREGISTER_SAP_COMPLETE","features":[320]},{"name":"PROTOCOL_CL_DROP_PARTY_COMPLETE","features":[320]},{"name":"PROTOCOL_CL_INCOMING_CALL","features":[320]},{"name":"PROTOCOL_CL_INCOMING_CALL_QOS_CHANGE","features":[320]},{"name":"PROTOCOL_CL_INCOMING_CLOSE_CALL","features":[320]},{"name":"PROTOCOL_CL_INCOMING_DROP_PARTY","features":[320]},{"name":"PROTOCOL_CL_MAKE_CALL_COMPLETE","features":[320]},{"name":"PROTOCOL_CL_MODIFY_CALL_QOS_COMPLETE","features":[320]},{"name":"PROTOCOL_CL_OPEN_AF_COMPLETE","features":[320]},{"name":"PROTOCOL_CL_REGISTER_SAP_COMPLETE","features":[320]},{"name":"PROTOCOL_CM_ACTIVATE_VC_COMPLETE","features":[320]},{"name":"PROTOCOL_CM_ADD_PARTY","features":[320]},{"name":"PROTOCOL_CM_CLOSE_AF","features":[320]},{"name":"PROTOCOL_CM_CLOSE_CALL","features":[320]},{"name":"PROTOCOL_CM_DEACTIVATE_VC_COMPLETE","features":[320]},{"name":"PROTOCOL_CM_DEREGISTER_SAP","features":[320]},{"name":"PROTOCOL_CM_DROP_PARTY","features":[320]},{"name":"PROTOCOL_CM_INCOMING_CALL_COMPLETE","features":[320]},{"name":"PROTOCOL_CM_MAKE_CALL","features":[320]},{"name":"PROTOCOL_CM_MODIFY_QOS_CALL","features":[320]},{"name":"PROTOCOL_CM_OPEN_AF","features":[320]},{"name":"PROTOCOL_CM_REG_SAP","features":[320]},{"name":"PROTOCOL_CO_AF_REGISTER_NOTIFY","features":[320]},{"name":"PROTOCOL_CO_CREATE_VC","features":[320]},{"name":"PROTOCOL_CO_DELETE_VC","features":[320]},{"name":"PacketCancelId","features":[320]},{"name":"QUERY_CALL_PARAMETERS","features":[320]},{"name":"READABLE_LOCAL_CLOCK","features":[320]},{"name":"RECEIVE_TIME_INDICATION","features":[320]},{"name":"RECEIVE_TIME_INDICATION_CAPABLE","features":[320]},{"name":"RECEIVE_VC","features":[320]},{"name":"REFERENCE","features":[320,308]},{"name":"RESERVE_RESOURCES_VC","features":[320]},{"name":"ROUND_DOWN_FLOW","features":[320]},{"name":"ROUND_UP_FLOW","features":[320]},{"name":"STRINGFORMAT_ASCII","features":[320]},{"name":"STRINGFORMAT_BINARY","features":[320]},{"name":"STRINGFORMAT_DBCS","features":[320]},{"name":"STRINGFORMAT_UNICODE","features":[320]},{"name":"ScatterGatherListPacketInfo","features":[320]},{"name":"ShortPacketPaddingInfo","features":[320]},{"name":"TDI_PNP_HANDLER","features":[320,308]},{"name":"TDI_REGISTER_CALLBACK","features":[320,308]},{"name":"TIMED_SEND_CAPABLE","features":[320]},{"name":"TIME_STAMP_CAPABLE","features":[320]},{"name":"TRANSMIT_VC","features":[320]},{"name":"TRANSPORT_HEADER_OFFSET","features":[320]},{"name":"TRUNCATED_HASH_LEN","features":[320]},{"name":"TR_FILTER","features":[320]},{"name":"TcpIpChecksumPacketInfo","features":[320]},{"name":"TcpLargeSendPacketInfo","features":[320]},{"name":"UDP_ENCAP_TYPE","features":[320]},{"name":"USE_TIME_STAMPS","features":[320]},{"name":"VAR_STRING","features":[320]},{"name":"WAN_PROTOCOL_KEEPS_STATS","features":[320]},{"name":"W_CO_ACTIVATE_VC_HANDLER","features":[320]},{"name":"W_CO_CREATE_VC_HANDLER","features":[320]},{"name":"W_CO_DEACTIVATE_VC_HANDLER","features":[320]},{"name":"W_CO_DELETE_VC_HANDLER","features":[320]},{"name":"fNDIS_GUID_ALLOW_READ","features":[320]},{"name":"fNDIS_GUID_ALLOW_WRITE","features":[320]},{"name":"fNDIS_GUID_ANSI_STRING","features":[320]},{"name":"fNDIS_GUID_ARRAY","features":[320]},{"name":"fNDIS_GUID_METHOD","features":[320]},{"name":"fNDIS_GUID_NDIS_RESERVED","features":[320]},{"name":"fNDIS_GUID_SUPPORT_COMMON_HEADER","features":[320]},{"name":"fNDIS_GUID_TO_OID","features":[320]},{"name":"fNDIS_GUID_TO_STATUS","features":[320]},{"name":"fNDIS_GUID_UNICODE_STRING","features":[320]},{"name":"fPACKET_ALLOCATED_BY_NDIS","features":[320]},{"name":"fPACKET_CONTAINS_MEDIA_SPECIFIC_INFO","features":[320]},{"name":"fPACKET_WRAPPER_RESERVED","features":[320]}],"343":[{"name":"FWPM_SERVICE_STATE_CHANGE_CALLBACK0","features":[323,324]},{"name":"FwpmBfeStateGet0","features":[323,324]},{"name":"FwpmBfeStateSubscribeChanges0","features":[323,308,324]},{"name":"FwpmBfeStateUnsubscribeChanges0","features":[323,308]},{"name":"FwpmCalloutAdd0","features":[323,308,324,311]},{"name":"FwpmCalloutCreateEnumHandle0","features":[323,308,324]},{"name":"FwpmCalloutDeleteById0","features":[323,308]},{"name":"FwpmCalloutDeleteByKey0","features":[323,308]},{"name":"FwpmCalloutDestroyEnumHandle0","features":[323,308]},{"name":"FwpmCalloutEnum0","features":[323,308,324]},{"name":"FwpmCalloutGetById0","features":[323,308,324]},{"name":"FwpmCalloutGetByKey0","features":[323,308,324]},{"name":"FwpmCalloutGetSecurityInfoByKey0","features":[323,308,311]},{"name":"FwpmCalloutSetSecurityInfoByKey0","features":[323,308,311]},{"name":"FwpmConnectionCreateEnumHandle0","features":[323,308,324]},{"name":"FwpmConnectionDestroyEnumHandle0","features":[323,308]},{"name":"FwpmConnectionEnum0","features":[323,308,324]},{"name":"FwpmConnectionGetById0","features":[323,308,324]},{"name":"FwpmConnectionGetSecurityInfo0","features":[323,308,311]},{"name":"FwpmConnectionSetSecurityInfo0","features":[323,308,311]},{"name":"FwpmEngineClose0","features":[323,308]},{"name":"FwpmEngineGetOption0","features":[323,308,324,311]},{"name":"FwpmEngineGetSecurityInfo0","features":[323,308,311]},{"name":"FwpmEngineOpen0","features":[323,308,324,311,325]},{"name":"FwpmEngineSetOption0","features":[323,308,324,311]},{"name":"FwpmEngineSetSecurityInfo0","features":[323,308,311]},{"name":"FwpmFilterAdd0","features":[323,308,324,311]},{"name":"FwpmFilterCreateEnumHandle0","features":[323,308,324,311]},{"name":"FwpmFilterDeleteById0","features":[323,308]},{"name":"FwpmFilterDeleteByKey0","features":[323,308]},{"name":"FwpmFilterDestroyEnumHandle0","features":[323,308]},{"name":"FwpmFilterEnum0","features":[323,308,324,311]},{"name":"FwpmFilterGetById0","features":[323,308,324,311]},{"name":"FwpmFilterGetByKey0","features":[323,308,324,311]},{"name":"FwpmFilterGetSecurityInfoByKey0","features":[323,308,311]},{"name":"FwpmFilterSetSecurityInfoByKey0","features":[323,308,311]},{"name":"FwpmFreeMemory0","features":[323]},{"name":"FwpmIPsecTunnelAdd0","features":[323,308,324,311]},{"name":"FwpmIPsecTunnelAdd1","features":[323,308,324,311]},{"name":"FwpmIPsecTunnelAdd2","features":[323,308,324,311]},{"name":"FwpmIPsecTunnelAdd3","features":[323,308,324,311]},{"name":"FwpmIPsecTunnelDeleteByKey0","features":[323,308]},{"name":"FwpmLayerCreateEnumHandle0","features":[323,308,324]},{"name":"FwpmLayerDestroyEnumHandle0","features":[323,308]},{"name":"FwpmLayerEnum0","features":[323,308,324]},{"name":"FwpmLayerGetById0","features":[323,308,324]},{"name":"FwpmLayerGetByKey0","features":[323,308,324]},{"name":"FwpmLayerGetSecurityInfoByKey0","features":[323,308,311]},{"name":"FwpmLayerSetSecurityInfoByKey0","features":[323,308,311]},{"name":"FwpmNetEventCreateEnumHandle0","features":[323,308,324,311]},{"name":"FwpmNetEventDestroyEnumHandle0","features":[323,308]},{"name":"FwpmNetEventEnum0","features":[323,308,324,311]},{"name":"FwpmNetEventEnum1","features":[323,308,324,311]},{"name":"FwpmNetEventEnum2","features":[323,308,324,311]},{"name":"FwpmNetEventEnum3","features":[323,308,324,311]},{"name":"FwpmNetEventEnum4","features":[323,308,324,311]},{"name":"FwpmNetEventEnum5","features":[323,308,324,311]},{"name":"FwpmNetEventsGetSecurityInfo0","features":[323,308,311]},{"name":"FwpmNetEventsSetSecurityInfo0","features":[323,308,311]},{"name":"FwpmProviderAdd0","features":[323,308,324,311]},{"name":"FwpmProviderContextAdd0","features":[323,308,324,311]},{"name":"FwpmProviderContextAdd1","features":[323,308,324,311]},{"name":"FwpmProviderContextAdd2","features":[323,308,324,311]},{"name":"FwpmProviderContextAdd3","features":[323,308,324,311]},{"name":"FwpmProviderContextCreateEnumHandle0","features":[323,308,324]},{"name":"FwpmProviderContextDeleteById0","features":[323,308]},{"name":"FwpmProviderContextDeleteByKey0","features":[323,308]},{"name":"FwpmProviderContextDestroyEnumHandle0","features":[323,308]},{"name":"FwpmProviderContextEnum0","features":[323,308,324,311]},{"name":"FwpmProviderContextEnum1","features":[323,308,324,311]},{"name":"FwpmProviderContextEnum2","features":[323,308,324,311]},{"name":"FwpmProviderContextEnum3","features":[323,308,324,311]},{"name":"FwpmProviderContextGetById0","features":[323,308,324,311]},{"name":"FwpmProviderContextGetById1","features":[323,308,324,311]},{"name":"FwpmProviderContextGetById2","features":[323,308,324,311]},{"name":"FwpmProviderContextGetById3","features":[323,308,324,311]},{"name":"FwpmProviderContextGetByKey0","features":[323,308,324,311]},{"name":"FwpmProviderContextGetByKey1","features":[323,308,324,311]},{"name":"FwpmProviderContextGetByKey2","features":[323,308,324,311]},{"name":"FwpmProviderContextGetByKey3","features":[323,308,324,311]},{"name":"FwpmProviderContextGetSecurityInfoByKey0","features":[323,308,311]},{"name":"FwpmProviderContextSetSecurityInfoByKey0","features":[323,308,311]},{"name":"FwpmProviderCreateEnumHandle0","features":[323,308,324]},{"name":"FwpmProviderDeleteByKey0","features":[323,308]},{"name":"FwpmProviderDestroyEnumHandle0","features":[323,308]},{"name":"FwpmProviderEnum0","features":[323,308,324]},{"name":"FwpmProviderGetByKey0","features":[323,308,324]},{"name":"FwpmProviderGetSecurityInfoByKey0","features":[323,308,311]},{"name":"FwpmProviderSetSecurityInfoByKey0","features":[323,308,311]},{"name":"FwpmSessionCreateEnumHandle0","features":[323,308,324]},{"name":"FwpmSessionDestroyEnumHandle0","features":[323,308]},{"name":"FwpmSessionEnum0","features":[323,308,324,311]},{"name":"FwpmSubLayerAdd0","features":[323,308,324,311]},{"name":"FwpmSubLayerCreateEnumHandle0","features":[323,308,324]},{"name":"FwpmSubLayerDeleteByKey0","features":[323,308]},{"name":"FwpmSubLayerDestroyEnumHandle0","features":[323,308]},{"name":"FwpmSubLayerEnum0","features":[323,308,324]},{"name":"FwpmSubLayerGetByKey0","features":[323,308,324]},{"name":"FwpmSubLayerGetSecurityInfoByKey0","features":[323,308,311]},{"name":"FwpmSubLayerSetSecurityInfoByKey0","features":[323,308,311]},{"name":"FwpmTransactionAbort0","features":[323,308]},{"name":"FwpmTransactionBegin0","features":[323,308]},{"name":"FwpmTransactionCommit0","features":[323,308]},{"name":"FwpmvSwitchEventsGetSecurityInfo0","features":[323,308,311]},{"name":"FwpmvSwitchEventsSetSecurityInfo0","features":[323,308,311]},{"name":"IPsecDospGetSecurityInfo0","features":[323,308,311]},{"name":"IPsecDospGetStatistics0","features":[323,308,324]},{"name":"IPsecDospSetSecurityInfo0","features":[323,308,311]},{"name":"IPsecDospStateCreateEnumHandle0","features":[323,308,324]},{"name":"IPsecDospStateDestroyEnumHandle0","features":[323,308]},{"name":"IPsecDospStateEnum0","features":[323,308,324]},{"name":"IPsecGetStatistics0","features":[323,308,324]},{"name":"IPsecGetStatistics1","features":[323,308,324]},{"name":"IPsecSaContextAddInbound0","features":[323,308,324]},{"name":"IPsecSaContextAddInbound1","features":[323,308,324]},{"name":"IPsecSaContextAddOutbound0","features":[323,308,324]},{"name":"IPsecSaContextAddOutbound1","features":[323,308,324]},{"name":"IPsecSaContextCreate0","features":[323,308,324]},{"name":"IPsecSaContextCreate1","features":[323,308,324]},{"name":"IPsecSaContextCreateEnumHandle0","features":[323,308,324,311]},{"name":"IPsecSaContextDeleteById0","features":[323,308]},{"name":"IPsecSaContextDestroyEnumHandle0","features":[323,308]},{"name":"IPsecSaContextEnum0","features":[323,308,324,311]},{"name":"IPsecSaContextEnum1","features":[323,308,324,311]},{"name":"IPsecSaContextExpire0","features":[323,308]},{"name":"IPsecSaContextGetById0","features":[323,308,324,311]},{"name":"IPsecSaContextGetById1","features":[323,308,324,311]},{"name":"IPsecSaContextGetSpi0","features":[323,308,324]},{"name":"IPsecSaContextGetSpi1","features":[323,308,324]},{"name":"IPsecSaContextSetSpi0","features":[323,308,324]},{"name":"IPsecSaContextUpdate0","features":[323,308,324,311]},{"name":"IPsecSaCreateEnumHandle0","features":[323,308,324]},{"name":"IPsecSaDbGetSecurityInfo0","features":[323,308,311]},{"name":"IPsecSaDbSetSecurityInfo0","features":[323,308,311]},{"name":"IPsecSaDestroyEnumHandle0","features":[323,308]},{"name":"IPsecSaEnum0","features":[323,308,324,311]},{"name":"IPsecSaEnum1","features":[323,308,324,311]},{"name":"IkeextGetStatistics0","features":[323,308,324]},{"name":"IkeextGetStatistics1","features":[323,308,324]},{"name":"IkeextSaCreateEnumHandle0","features":[323,308,324,311]},{"name":"IkeextSaDbGetSecurityInfo0","features":[323,308,311]},{"name":"IkeextSaDbSetSecurityInfo0","features":[323,308,311]},{"name":"IkeextSaDeleteById0","features":[323,308]},{"name":"IkeextSaDestroyEnumHandle0","features":[323,308]},{"name":"IkeextSaEnum0","features":[323,308,324]},{"name":"IkeextSaEnum1","features":[323,308,324]},{"name":"IkeextSaEnum2","features":[323,308,324]},{"name":"IkeextSaGetById0","features":[323,308,324]},{"name":"IkeextSaGetById1","features":[323,308,324]},{"name":"IkeextSaGetById2","features":[323,308,324]}],"344":[{"name":"ACE_HEADER","features":[312]},{"name":"ALLOCATE_VIRTUAL_MEMORY_EX_CALLBACK","features":[312,308,326]},{"name":"ATOMIC_CREATE_ECP_CONTEXT","features":[312]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_BEST_EFFORT","features":[312]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_EOF_SPECIFIED","features":[312]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_FILE_ATTRIBUTES_SPECIFIED","features":[312]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_GEN_FLAGS_SPECIFIED","features":[312]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_MARK_USN_SOURCE_INFO","features":[312]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_OPERATION_MASK","features":[312]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_OP_FLAGS_SPECIFIED","features":[312]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_REPARSE_POINT_SPECIFIED","features":[312]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_SPARSE_SPECIFIED","features":[312]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_SUPPRESS_DIR_CHANGE_NOTIFY","features":[312]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_SUPPRESS_FILE_ATTRIBUTE_INHERITANCE","features":[312]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_SUPPRESS_PARENT_TIMESTAMPS_UPDATE","features":[312]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_TIMESTAMPS_SPECIFIED","features":[312]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_VDL_SPECIFIED","features":[312]},{"name":"ATOMIC_CREATE_ECP_IN_FLAG_WRITE_USN_CLOSE_RECORD","features":[312]},{"name":"ATOMIC_CREATE_ECP_IN_OP_FLAG_CASE_SENSITIVE_FLAGS_SPECIFIED","features":[312]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_EOF_SET","features":[312]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_FILE_ATTRIBUTES_RETURNED","features":[312]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_FILE_ATTRIBUTES_SET","features":[312]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_FILE_ATTRIBUTE_INHERITANCE_SUPPRESSED","features":[312]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_OPERATION_MASK","features":[312]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_OP_FLAGS_HONORED","features":[312]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_REPARSE_POINT_SET","features":[312]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_SPARSE_SET","features":[312]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_TIMESTAMPS_RETURNED","features":[312]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_TIMESTAMPS_SET","features":[312]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_USN_CLOSE_RECORD_WRITTEN","features":[312]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_USN_RETURNED","features":[312]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_USN_SOURCE_INFO_MARKED","features":[312]},{"name":"ATOMIC_CREATE_ECP_OUT_FLAG_VDL_SET","features":[312]},{"name":"ATOMIC_CREATE_ECP_OUT_OP_FLAG_CASE_SENSITIVE_FLAGS_SET","features":[312]},{"name":"ApplyControlToken","features":[312]},{"name":"AuditAccessCheck","features":[312]},{"name":"AuditCloseNonObject","features":[312]},{"name":"AuditCloseObject","features":[312]},{"name":"AuditDeleteObject","features":[312]},{"name":"AuditHandleCreation","features":[312]},{"name":"AuditObjectReference","features":[312]},{"name":"AuditOpenNonObject","features":[312]},{"name":"AuditOpenObject","features":[312]},{"name":"AuditOpenObjectForDelete","features":[312]},{"name":"AuditOpenObjectForDeleteWithTransaction","features":[312]},{"name":"AuditOpenObjectWithTransaction","features":[312]},{"name":"AuditPrivilegeObject","features":[312]},{"name":"AuditPrivilegeService","features":[312]},{"name":"BASE_MCB","features":[312]},{"name":"BOOT_AREA_INFO","features":[312]},{"name":"CACHE_MANAGER_CALLBACKS","features":[312,308]},{"name":"CACHE_MANAGER_CALLBACKS_EX","features":[312,308]},{"name":"CACHE_MANAGER_CALLBACKS_EX_V1","features":[312]},{"name":"CACHE_MANAGER_CALLBACK_FUNCTIONS","features":[312,308]},{"name":"CACHE_UNINITIALIZE_EVENT","features":[309,312,308,314]},{"name":"CACHE_USE_DIRECT_ACCESS_MAPPING","features":[312]},{"name":"CACHE_VALID_FLAGS","features":[312]},{"name":"CC_ACQUIRE_DONT_WAIT","features":[312]},{"name":"CC_ACQUIRE_SUPPORTS_ASYNC_LAZYWRITE","features":[312]},{"name":"CC_AGGRESSIVE_UNMAP_BEHIND","features":[312]},{"name":"CC_ASYNC_READ_CONTEXT","features":[309,312,308]},{"name":"CC_DISABLE_DIRTY_PAGE_TRACKING","features":[312]},{"name":"CC_DISABLE_READ_AHEAD","features":[312]},{"name":"CC_DISABLE_UNMAP_BEHIND","features":[312]},{"name":"CC_DISABLE_WRITE_BEHIND","features":[312]},{"name":"CC_ENABLE_CPU_CACHE","features":[312]},{"name":"CC_ENABLE_DISK_IO_ACCOUNTING","features":[312]},{"name":"CC_ERROR_CALLBACK_CONTEXT","features":[312,308]},{"name":"CC_FILE_SIZES","features":[312]},{"name":"CC_FLUSH_AND_PURGE_GATHER_DIRTY_BITS","features":[312]},{"name":"CC_FLUSH_AND_PURGE_NO_PURGE","features":[312]},{"name":"CC_FLUSH_AND_PURGE_WRITEABLE_VIEWS_NOTSEEN","features":[312]},{"name":"COMPRESSED_DATA_INFO","features":[312]},{"name":"COMPRESSION_ENGINE_MASK","features":[312]},{"name":"COMPRESSION_ENGINE_MAX","features":[312]},{"name":"COMPRESSION_FORMAT_MASK","features":[312]},{"name":"COMPRESSION_FORMAT_MAX","features":[312]},{"name":"CONTAINER_ROOT_INFO_INPUT","features":[312]},{"name":"CONTAINER_ROOT_INFO_OUTPUT","features":[312]},{"name":"CONTAINER_VOLUME_STATE","features":[312]},{"name":"COPY_INFORMATION","features":[309,312,310,308,311,313,314,315]},{"name":"CPTABLEINFO","features":[312]},{"name":"CREATE_REDIRECTION_ECP_CONTEXT","features":[312,327]},{"name":"CREATE_REDIRECTION_FLAGS_SERVICED_FROM_LAYER","features":[312]},{"name":"CREATE_REDIRECTION_FLAGS_SERVICED_FROM_REGISTERED_LAYER","features":[312]},{"name":"CREATE_REDIRECTION_FLAGS_SERVICED_FROM_REMOTE_LAYER","features":[312]},{"name":"CREATE_REDIRECTION_FLAGS_SERVICED_FROM_SCRATCH","features":[312]},{"name":"CREATE_REDIRECTION_FLAGS_SERVICED_FROM_USER_MODE","features":[312]},{"name":"CREATE_USN_JOURNAL_DATA","features":[312]},{"name":"CSV_DOWN_LEVEL_FILE_TYPE","features":[312]},{"name":"CSV_DOWN_LEVEL_OPEN_ECP_CONTEXT","features":[312,308]},{"name":"CSV_QUERY_FILE_REVISION_ECP_CONTEXT","features":[312]},{"name":"CSV_QUERY_FILE_REVISION_ECP_CONTEXT_FILE_ID_128","features":[312,327]},{"name":"CSV_SET_HANDLE_PROPERTIES_ECP_CONTEXT","features":[312]},{"name":"CSV_SET_HANDLE_PROPERTIES_ECP_CONTEXT_FLAGS_VALID_ONLY_IF_CSV_COORDINATOR","features":[312]},{"name":"CcAsyncCopyRead","features":[309,312,310,308,311,313,314,315]},{"name":"CcCanIWrite","features":[309,312,310,308,311,313,314,315]},{"name":"CcCoherencyFlushAndPurgeCache","features":[309,312,308,313]},{"name":"CcCopyRead","features":[309,312,310,308,311,313,314,315]},{"name":"CcCopyReadEx","features":[309,312,310,308,311,313,314,315]},{"name":"CcCopyWrite","features":[309,312,310,308,311,313,314,315]},{"name":"CcCopyWriteEx","features":[309,312,310,308,311,313,314,315]},{"name":"CcCopyWriteWontFlush","features":[309,312,310,308,311,313,314,315]},{"name":"CcDeferWrite","features":[309,312,310,308,311,313,314,315]},{"name":"CcErrorCallbackRoutine","features":[312,308]},{"name":"CcFastCopyRead","features":[309,312,310,308,311,313,314,315]},{"name":"CcFastCopyWrite","features":[309,312,310,308,311,313,314,315]},{"name":"CcFlushCache","features":[309,312,308,313]},{"name":"CcGetDirtyPages","features":[309,312,310,308,311,313,314,315]},{"name":"CcGetFileObjectFromBcb","features":[309,312,310,308,311,313,314,315]},{"name":"CcGetFileObjectFromSectionPtrs","features":[309,312,310,308,311,313,314,315]},{"name":"CcGetFileObjectFromSectionPtrsRef","features":[309,312,310,308,311,313,314,315]},{"name":"CcGetFlushedValidData","features":[309,312,308]},{"name":"CcInitializeCacheMap","features":[309,312,310,308,311,313,314,315]},{"name":"CcInitializeCacheMapEx","features":[309,312,310,308,311,313,314,315]},{"name":"CcIsCacheManagerCallbackNeeded","features":[312,308]},{"name":"CcIsThereDirtyData","features":[309,312,310,308,311,313,314,315]},{"name":"CcIsThereDirtyDataEx","features":[309,312,310,308,311,313,314,315]},{"name":"CcMapData","features":[309,312,310,308,311,313,314,315]},{"name":"CcMdlRead","features":[309,312,310,308,311,313,314,315]},{"name":"CcMdlReadComplete","features":[309,312,310,308,311,313,314,315]},{"name":"CcMdlWriteAbort","features":[309,312,310,308,311,313,314,315]},{"name":"CcMdlWriteComplete","features":[309,312,310,308,311,313,314,315]},{"name":"CcPinMappedData","features":[309,312,310,308,311,313,314,315]},{"name":"CcPinRead","features":[309,312,310,308,311,313,314,315]},{"name":"CcPrepareMdlWrite","features":[309,312,310,308,311,313,314,315]},{"name":"CcPreparePinWrite","features":[309,312,310,308,311,313,314,315]},{"name":"CcPurgeCacheSection","features":[309,312,308]},{"name":"CcRemapBcb","features":[312]},{"name":"CcRepinBcb","features":[312]},{"name":"CcScheduleReadAhead","features":[309,312,310,308,311,313,314,315]},{"name":"CcScheduleReadAheadEx","features":[309,312,310,308,311,313,314,315]},{"name":"CcSetAdditionalCacheAttributes","features":[309,312,310,308,311,313,314,315]},{"name":"CcSetAdditionalCacheAttributesEx","features":[309,312,310,308,311,313,314,315]},{"name":"CcSetBcbOwnerPointer","features":[312]},{"name":"CcSetDirtyPageThreshold","features":[309,312,310,308,311,313,314,315]},{"name":"CcSetDirtyPinnedData","features":[312]},{"name":"CcSetFileSizes","features":[309,312,310,308,311,313,314,315]},{"name":"CcSetFileSizesEx","features":[309,312,310,308,311,313,314,315]},{"name":"CcSetLogHandleForFile","features":[309,312,310,308,311,313,314,315]},{"name":"CcSetParallelFlushFile","features":[309,312,310,308,311,313,314,315]},{"name":"CcSetReadAheadGranularity","features":[309,312,310,308,311,313,314,315]},{"name":"CcUninitializeCacheMap","features":[309,312,310,308,311,313,314,315]},{"name":"CcUnpinData","features":[312]},{"name":"CcUnpinDataForThread","features":[312]},{"name":"CcUnpinRepinnedBcb","features":[312,308,313]},{"name":"CcWaitForCurrentLazyWriterActivity","features":[312,308]},{"name":"CcZeroData","features":[309,312,310,308,311,313,314,315]},{"name":"ChangeDataControlArea","features":[312]},{"name":"ChangeImageControlArea","features":[312]},{"name":"ChangeSharedCacheMap","features":[312]},{"name":"CompleteAuthToken","features":[312]},{"name":"CsvCsvFsInternalFileObject","features":[312]},{"name":"CsvDownLevelFileObject","features":[312]},{"name":"DD_MUP_DEVICE_NAME","features":[312]},{"name":"DEVICE_RESET_KEEP_STACK","features":[312]},{"name":"DEVICE_RESET_RESERVED_0","features":[312]},{"name":"DEVICE_RESET_RESERVED_1","features":[312]},{"name":"DO_BOOT_CRITICAL","features":[312]},{"name":"DO_BUFFERED_IO","features":[312]},{"name":"DO_BUS_ENUMERATED_DEVICE","features":[312]},{"name":"DO_DAX_VOLUME","features":[312]},{"name":"DO_DEVICE_HAS_NAME","features":[312]},{"name":"DO_DEVICE_INITIALIZING","features":[312]},{"name":"DO_DEVICE_IRP_REQUIRES_EXTENSION","features":[312]},{"name":"DO_DEVICE_TO_BE_RESET","features":[312]},{"name":"DO_DIRECT_IO","features":[312]},{"name":"DO_DISALLOW_EXECUTE","features":[312]},{"name":"DO_EXCLUSIVE","features":[312]},{"name":"DO_FORCE_NEITHER_IO","features":[312]},{"name":"DO_LONG_TERM_REQUESTS","features":[312]},{"name":"DO_LOW_PRIORITY_FILESYSTEM","features":[312]},{"name":"DO_MAP_IO_BUFFER","features":[312]},{"name":"DO_NEVER_LAST_DEVICE","features":[312]},{"name":"DO_NOT_PURGE_DIRTY_PAGES","features":[312]},{"name":"DO_NOT_RETRY_PURGE","features":[312]},{"name":"DO_POWER_INRUSH","features":[312]},{"name":"DO_POWER_PAGABLE","features":[312]},{"name":"DO_SHUTDOWN_REGISTERED","features":[312]},{"name":"DO_SUPPORTS_PERSISTENT_ACLS","features":[312]},{"name":"DO_SUPPORTS_TRANSACTIONS","features":[312]},{"name":"DO_SYSTEM_BOOT_PARTITION","features":[312]},{"name":"DO_SYSTEM_CRITICAL_PARTITION","features":[312]},{"name":"DO_SYSTEM_SYSTEM_PARTITION","features":[312]},{"name":"DO_VERIFY_VOLUME","features":[312]},{"name":"DO_VOLUME_DEVICE_OBJECT","features":[312]},{"name":"DUAL_OPLOCK_KEY_ECP_CONTEXT","features":[312,308]},{"name":"DUPLICATE_CLUSTER_DATA","features":[312]},{"name":"DfsLinkTrackingInformation","features":[312]},{"name":"EA_NAME_NETWORK_OPEN_ECP_INTEGRITY","features":[312]},{"name":"EA_NAME_NETWORK_OPEN_ECP_INTEGRITY_U","features":[312]},{"name":"EA_NAME_NETWORK_OPEN_ECP_PRIVACY","features":[312]},{"name":"EA_NAME_NETWORK_OPEN_ECP_PRIVACY_U","features":[312]},{"name":"ECP_OPEN_PARAMETERS","features":[312]},{"name":"ECP_OPEN_PARAMETERS_FLAG_FAIL_ON_CASE_SENSITIVE_DIR","features":[312]},{"name":"ECP_OPEN_PARAMETERS_FLAG_IGNORE_DIR_CASE_SENSITIVITY","features":[312]},{"name":"ECP_OPEN_PARAMETERS_FLAG_OPEN_FOR_DELETE","features":[312]},{"name":"ECP_OPEN_PARAMETERS_FLAG_OPEN_FOR_READ","features":[312]},{"name":"ECP_OPEN_PARAMETERS_FLAG_OPEN_FOR_WRITE","features":[312]},{"name":"ECP_TYPE_CLFS_CREATE_CONTAINER","features":[312]},{"name":"ECP_TYPE_IO_STOP_ON_SYMLINK_FILTER_GUID","features":[312]},{"name":"ECP_TYPE_OPEN_REPARSE_GUID","features":[312]},{"name":"EOF_WAIT_BLOCK","features":[309,312,308,314]},{"name":"EVENT_INCREMENT","features":[312]},{"name":"EXTENT_READ_CACHE_INFO_BUFFER","features":[312]},{"name":"EqualTo","features":[312]},{"name":"ExDisableResourceBoostLite","features":[309,312,314]},{"name":"ExQueryPoolBlockSize","features":[312,308]},{"name":"ExportSecurityContext","features":[312]},{"name":"FAST_IO_POSSIBLE","features":[312]},{"name":"FILE_ACCESS_INFORMATION","features":[312]},{"name":"FILE_ACTION_ADDED_STREAM","features":[312]},{"name":"FILE_ACTION_ID_NOT_TUNNELLED","features":[312]},{"name":"FILE_ACTION_MODIFIED_STREAM","features":[312]},{"name":"FILE_ACTION_REMOVED_BY_DELETE","features":[312]},{"name":"FILE_ACTION_REMOVED_STREAM","features":[312]},{"name":"FILE_ACTION_TUNNELLED_ID_COLLISION","features":[312]},{"name":"FILE_ALIGNMENT_INFORMATION","features":[312]},{"name":"FILE_ALLOCATION_INFORMATION","features":[312]},{"name":"FILE_ALL_INFORMATION","features":[312,308]},{"name":"FILE_BASIC_INFORMATION","features":[312]},{"name":"FILE_BOTH_DIR_INFORMATION","features":[312]},{"name":"FILE_CASE_SENSITIVE_INFORMATION","features":[312]},{"name":"FILE_CLEANUP_FILE_DELETED","features":[312]},{"name":"FILE_CLEANUP_FILE_REMAINS","features":[312]},{"name":"FILE_CLEANUP_LINK_DELETED","features":[312]},{"name":"FILE_CLEANUP_POSIX_STYLE_DELETE","features":[312]},{"name":"FILE_CLEANUP_STREAM_DELETED","features":[312]},{"name":"FILE_CLEANUP_UNKNOWN","features":[312]},{"name":"FILE_CLEANUP_WRONG_DEVICE","features":[312]},{"name":"FILE_COMPLETE_IF_OPLOCKED","features":[312]},{"name":"FILE_COMPLETION_INFORMATION","features":[312,308]},{"name":"FILE_COMPRESSION_INFORMATION","features":[312]},{"name":"FILE_CONTAINS_EXTENDED_CREATE_INFORMATION","features":[312]},{"name":"FILE_CREATE","features":[312]},{"name":"FILE_CREATE_TREE_CONNECTION","features":[312]},{"name":"FILE_DELETE_ON_CLOSE","features":[312]},{"name":"FILE_DIRECTORY_FILE","features":[312]},{"name":"FILE_DIRECTORY_INFORMATION","features":[312]},{"name":"FILE_DISALLOW_EXCLUSIVE","features":[312]},{"name":"FILE_DISPOSITION_DELETE","features":[312]},{"name":"FILE_DISPOSITION_DO_NOT_DELETE","features":[312]},{"name":"FILE_DISPOSITION_FORCE_IMAGE_SECTION_CHECK","features":[312]},{"name":"FILE_DISPOSITION_IGNORE_READONLY_ATTRIBUTE","features":[312]},{"name":"FILE_DISPOSITION_INFORMATION","features":[312,308]},{"name":"FILE_DISPOSITION_INFORMATION_EX","features":[312]},{"name":"FILE_DISPOSITION_INFORMATION_EX_FLAGS","features":[312]},{"name":"FILE_DISPOSITION_ON_CLOSE","features":[312]},{"name":"FILE_DISPOSITION_POSIX_SEMANTICS","features":[312]},{"name":"FILE_EA_INFORMATION","features":[312]},{"name":"FILE_EA_TYPE_ASCII","features":[312]},{"name":"FILE_EA_TYPE_ASN1","features":[312]},{"name":"FILE_EA_TYPE_BINARY","features":[312]},{"name":"FILE_EA_TYPE_BITMAP","features":[312]},{"name":"FILE_EA_TYPE_EA","features":[312]},{"name":"FILE_EA_TYPE_FAMILY_IDS","features":[312]},{"name":"FILE_EA_TYPE_ICON","features":[312]},{"name":"FILE_EA_TYPE_METAFILE","features":[312]},{"name":"FILE_EA_TYPE_MVMT","features":[312]},{"name":"FILE_EA_TYPE_MVST","features":[312]},{"name":"FILE_END_OF_FILE_INFORMATION_EX","features":[312]},{"name":"FILE_FS_ATTRIBUTE_INFORMATION","features":[312]},{"name":"FILE_FS_CONTROL_INFORMATION","features":[312]},{"name":"FILE_FS_DATA_COPY_INFORMATION","features":[312]},{"name":"FILE_FS_DRIVER_PATH_INFORMATION","features":[312,308]},{"name":"FILE_FS_SECTOR_SIZE_INFORMATION","features":[312]},{"name":"FILE_FS_VOLUME_FLAGS_INFORMATION","features":[312]},{"name":"FILE_FULL_DIR_INFORMATION","features":[312]},{"name":"FILE_FULL_EA_INFORMATION","features":[312]},{"name":"FILE_GET_EA_INFORMATION","features":[312]},{"name":"FILE_GET_QUOTA_INFORMATION","features":[312,311]},{"name":"FILE_ID_BOTH_DIR_INFORMATION","features":[312]},{"name":"FILE_ID_EXTD_BOTH_DIR_INFORMATION","features":[312,327]},{"name":"FILE_ID_EXTD_DIR_INFORMATION","features":[312,327]},{"name":"FILE_ID_FULL_DIR_INFORMATION","features":[312]},{"name":"FILE_ID_GLOBAL_TX_DIR_INFORMATION","features":[312]},{"name":"FILE_ID_GLOBAL_TX_DIR_INFO_FLAG_VISIBLE_OUTSIDE_TX","features":[312]},{"name":"FILE_ID_GLOBAL_TX_DIR_INFO_FLAG_VISIBLE_TO_TX","features":[312]},{"name":"FILE_ID_GLOBAL_TX_DIR_INFO_FLAG_WRITELOCKED","features":[312]},{"name":"FILE_ID_INFORMATION","features":[312,327]},{"name":"FILE_INFORMATION_CLASS","features":[312]},{"name":"FILE_INFORMATION_DEFINITION","features":[312]},{"name":"FILE_INTERNAL_INFORMATION","features":[312]},{"name":"FILE_KNOWN_FOLDER_INFORMATION","features":[312]},{"name":"FILE_KNOWN_FOLDER_TYPE","features":[312]},{"name":"FILE_LINKS_FULL_ID_INFORMATION","features":[312,327]},{"name":"FILE_LINKS_INFORMATION","features":[312]},{"name":"FILE_LINK_ENTRY_FULL_ID_INFORMATION","features":[312,327]},{"name":"FILE_LINK_ENTRY_INFORMATION","features":[312]},{"name":"FILE_LINK_FORCE_RESIZE_SOURCE_SR","features":[312]},{"name":"FILE_LINK_FORCE_RESIZE_SR","features":[312]},{"name":"FILE_LINK_FORCE_RESIZE_TARGET_SR","features":[312]},{"name":"FILE_LINK_IGNORE_READONLY_ATTRIBUTE","features":[312]},{"name":"FILE_LINK_INFORMATION","features":[312,308]},{"name":"FILE_LINK_NO_DECREASE_AVAILABLE_SPACE","features":[312]},{"name":"FILE_LINK_NO_INCREASE_AVAILABLE_SPACE","features":[312]},{"name":"FILE_LINK_POSIX_SEMANTICS","features":[312]},{"name":"FILE_LINK_PRESERVE_AVAILABLE_SPACE","features":[312]},{"name":"FILE_LINK_REPLACE_IF_EXISTS","features":[312]},{"name":"FILE_LINK_SUPPRESS_STORAGE_RESERVE_INHERITANCE","features":[312]},{"name":"FILE_LOCK","features":[309,312,310,308,311,313,314,315]},{"name":"FILE_LOCK_INFO","features":[309,312,310,308,311,313,314,315]},{"name":"FILE_MAILSLOT_QUERY_INFORMATION","features":[312]},{"name":"FILE_MAILSLOT_SET_INFORMATION","features":[312]},{"name":"FILE_MODE_INFORMATION","features":[312]},{"name":"FILE_MOVE_CLUSTER_INFORMATION","features":[312,308]},{"name":"FILE_NAMES_INFORMATION","features":[312]},{"name":"FILE_NAME_INFORMATION","features":[312]},{"name":"FILE_NEED_EA","features":[312]},{"name":"FILE_NETWORK_OPEN_INFORMATION","features":[312]},{"name":"FILE_NETWORK_PHYSICAL_NAME_INFORMATION","features":[312]},{"name":"FILE_NON_DIRECTORY_FILE","features":[312]},{"name":"FILE_NOTIFY_CHANGE_EA","features":[312]},{"name":"FILE_NOTIFY_CHANGE_NAME","features":[312]},{"name":"FILE_NOTIFY_CHANGE_STREAM_NAME","features":[312]},{"name":"FILE_NOTIFY_CHANGE_STREAM_SIZE","features":[312]},{"name":"FILE_NOTIFY_CHANGE_STREAM_WRITE","features":[312]},{"name":"FILE_NOTIFY_VALID_MASK","features":[312]},{"name":"FILE_NO_COMPRESSION","features":[312]},{"name":"FILE_NO_EA_KNOWLEDGE","features":[312]},{"name":"FILE_NO_INTERMEDIATE_BUFFERING","features":[312]},{"name":"FILE_OBJECTID_INFORMATION","features":[312]},{"name":"FILE_OPBATCH_BREAK_UNDERWAY","features":[312]},{"name":"FILE_OPEN","features":[312]},{"name":"FILE_OPEN_BY_FILE_ID","features":[312]},{"name":"FILE_OPEN_FOR_BACKUP_INTENT","features":[312]},{"name":"FILE_OPEN_FOR_FREE_SPACE_QUERY","features":[312]},{"name":"FILE_OPEN_IF","features":[312]},{"name":"FILE_OPEN_NO_RECALL","features":[312]},{"name":"FILE_OPEN_REPARSE_POINT","features":[312]},{"name":"FILE_OPEN_REQUIRING_OPLOCK","features":[312]},{"name":"FILE_OPLOCK_BROKEN_TO_LEVEL_2","features":[312]},{"name":"FILE_OPLOCK_BROKEN_TO_NONE","features":[312]},{"name":"FILE_OVERWRITE","features":[312]},{"name":"FILE_OVERWRITE_IF","features":[312]},{"name":"FILE_PIPE_ACCEPT_REMOTE_CLIENTS","features":[312]},{"name":"FILE_PIPE_ASSIGN_EVENT_BUFFER","features":[312,308]},{"name":"FILE_PIPE_BYTE_STREAM_MODE","features":[312]},{"name":"FILE_PIPE_BYTE_STREAM_TYPE","features":[312]},{"name":"FILE_PIPE_CLIENT_END","features":[312]},{"name":"FILE_PIPE_CLIENT_PROCESS_BUFFER","features":[312]},{"name":"FILE_PIPE_CLIENT_PROCESS_BUFFER_EX","features":[312]},{"name":"FILE_PIPE_CLIENT_PROCESS_BUFFER_V2","features":[312]},{"name":"FILE_PIPE_CLOSING_STATE","features":[312]},{"name":"FILE_PIPE_COMPLETE_OPERATION","features":[312]},{"name":"FILE_PIPE_COMPUTER_NAME_LENGTH","features":[312]},{"name":"FILE_PIPE_CONNECTED_STATE","features":[312]},{"name":"FILE_PIPE_CREATE_SYMLINK_INPUT","features":[312]},{"name":"FILE_PIPE_DELETE_SYMLINK_INPUT","features":[312]},{"name":"FILE_PIPE_DISCONNECTED_STATE","features":[312]},{"name":"FILE_PIPE_EVENT_BUFFER","features":[312]},{"name":"FILE_PIPE_FULL_DUPLEX","features":[312]},{"name":"FILE_PIPE_INBOUND","features":[312]},{"name":"FILE_PIPE_INFORMATION","features":[312]},{"name":"FILE_PIPE_LISTENING_STATE","features":[312]},{"name":"FILE_PIPE_LOCAL_INFORMATION","features":[312]},{"name":"FILE_PIPE_MESSAGE_MODE","features":[312]},{"name":"FILE_PIPE_MESSAGE_TYPE","features":[312]},{"name":"FILE_PIPE_OUTBOUND","features":[312]},{"name":"FILE_PIPE_PEEK_BUFFER","features":[312]},{"name":"FILE_PIPE_QUEUE_OPERATION","features":[312]},{"name":"FILE_PIPE_READ_DATA","features":[312]},{"name":"FILE_PIPE_REJECT_REMOTE_CLIENTS","features":[312]},{"name":"FILE_PIPE_REMOTE_INFORMATION","features":[312]},{"name":"FILE_PIPE_SERVER_END","features":[312]},{"name":"FILE_PIPE_SILO_ARRIVAL_INPUT","features":[312,308]},{"name":"FILE_PIPE_SYMLINK_FLAG_GLOBAL","features":[312]},{"name":"FILE_PIPE_SYMLINK_FLAG_RELATIVE","features":[312]},{"name":"FILE_PIPE_TYPE_VALID_MASK","features":[312]},{"name":"FILE_PIPE_WAIT_FOR_BUFFER","features":[312,308]},{"name":"FILE_PIPE_WRITE_SPACE","features":[312]},{"name":"FILE_POSITION_INFORMATION","features":[312]},{"name":"FILE_QUOTA_INFORMATION","features":[312,311]},{"name":"FILE_RANDOM_ACCESS","features":[312]},{"name":"FILE_REMOTE_PROTOCOL_INFORMATION","features":[312]},{"name":"FILE_RENAME_FORCE_RESIZE_SOURCE_SR","features":[312]},{"name":"FILE_RENAME_FORCE_RESIZE_SR","features":[312]},{"name":"FILE_RENAME_FORCE_RESIZE_TARGET_SR","features":[312]},{"name":"FILE_RENAME_IGNORE_READONLY_ATTRIBUTE","features":[312]},{"name":"FILE_RENAME_INFORMATION","features":[312,308]},{"name":"FILE_RENAME_NO_DECREASE_AVAILABLE_SPACE","features":[312]},{"name":"FILE_RENAME_NO_INCREASE_AVAILABLE_SPACE","features":[312]},{"name":"FILE_RENAME_POSIX_SEMANTICS","features":[312]},{"name":"FILE_RENAME_PRESERVE_AVAILABLE_SPACE","features":[312]},{"name":"FILE_RENAME_REPLACE_IF_EXISTS","features":[312]},{"name":"FILE_RENAME_SUPPRESS_PIN_STATE_INHERITANCE","features":[312]},{"name":"FILE_RENAME_SUPPRESS_STORAGE_RESERVE_INHERITANCE","features":[312]},{"name":"FILE_REPARSE_POINT_INFORMATION","features":[312]},{"name":"FILE_RESERVE_OPFILTER","features":[312]},{"name":"FILE_SEQUENTIAL_ONLY","features":[312]},{"name":"FILE_SESSION_AWARE","features":[312]},{"name":"FILE_STANDARD_INFORMATION","features":[312,308]},{"name":"FILE_STANDARD_LINK_INFORMATION","features":[312,308]},{"name":"FILE_STAT_INFORMATION","features":[312]},{"name":"FILE_STAT_LX_INFORMATION","features":[312]},{"name":"FILE_STORAGE_RESERVE_ID_INFORMATION","features":[312,328]},{"name":"FILE_STREAM_INFORMATION","features":[312]},{"name":"FILE_SUPERSEDE","features":[312]},{"name":"FILE_SYNCHRONOUS_IO_ALERT","features":[312]},{"name":"FILE_SYNCHRONOUS_IO_NONALERT","features":[312]},{"name":"FILE_TIMESTAMPS","features":[312]},{"name":"FILE_TRACKING_INFORMATION","features":[312,308]},{"name":"FILE_VC_CONTENT_INDEX_DISABLED","features":[312]},{"name":"FILE_VC_LOG_QUOTA_LIMIT","features":[312]},{"name":"FILE_VC_LOG_QUOTA_THRESHOLD","features":[312]},{"name":"FILE_VC_LOG_VOLUME_LIMIT","features":[312]},{"name":"FILE_VC_LOG_VOLUME_THRESHOLD","features":[312]},{"name":"FILE_VC_QUOTAS_INCOMPLETE","features":[312]},{"name":"FILE_VC_QUOTAS_REBUILDING","features":[312]},{"name":"FILE_VC_QUOTA_ENFORCE","features":[312]},{"name":"FILE_VC_QUOTA_MASK","features":[312]},{"name":"FILE_VC_QUOTA_NONE","features":[312]},{"name":"FILE_VC_QUOTA_TRACK","features":[312]},{"name":"FILE_VC_VALID_MASK","features":[312]},{"name":"FILE_VOLUME_NAME_INFORMATION","features":[312]},{"name":"FILE_WRITE_THROUGH","features":[312]},{"name":"FLAGS_DELAY_REASONS_BITMAP_SCANNED","features":[312]},{"name":"FLAGS_DELAY_REASONS_LOG_FILE_FULL","features":[312]},{"name":"FLAGS_END_OF_FILE_INFO_EX_EXTEND_PAGING","features":[312]},{"name":"FLAGS_END_OF_FILE_INFO_EX_NO_EXTRA_PAGING_EXTEND","features":[312]},{"name":"FLAGS_END_OF_FILE_INFO_EX_TIME_CONSTRAINED","features":[312]},{"name":"FREE_VIRTUAL_MEMORY_EX_CALLBACK","features":[312,308]},{"name":"FSCTL_GHOST_FILE_EXTENTS_INPUT_BUFFER","features":[312]},{"name":"FSCTL_LMR_GET_LINK_TRACKING_INFORMATION","features":[312]},{"name":"FSCTL_LMR_SET_LINK_TRACKING_INFORMATION","features":[312]},{"name":"FSCTL_MAILSLOT_PEEK","features":[312]},{"name":"FSCTL_PIPE_ASSIGN_EVENT","features":[312]},{"name":"FSCTL_PIPE_CREATE_SYMLINK","features":[312]},{"name":"FSCTL_PIPE_DELETE_SYMLINK","features":[312]},{"name":"FSCTL_PIPE_DISABLE_IMPERSONATE","features":[312]},{"name":"FSCTL_PIPE_DISCONNECT","features":[312]},{"name":"FSCTL_PIPE_FLUSH","features":[312]},{"name":"FSCTL_PIPE_GET_CONNECTION_ATTRIBUTE","features":[312]},{"name":"FSCTL_PIPE_GET_HANDLE_ATTRIBUTE","features":[312]},{"name":"FSCTL_PIPE_GET_PIPE_ATTRIBUTE","features":[312]},{"name":"FSCTL_PIPE_IMPERSONATE","features":[312]},{"name":"FSCTL_PIPE_INTERNAL_READ","features":[312]},{"name":"FSCTL_PIPE_INTERNAL_READ_OVFLOW","features":[312]},{"name":"FSCTL_PIPE_INTERNAL_TRANSCEIVE","features":[312]},{"name":"FSCTL_PIPE_INTERNAL_WRITE","features":[312]},{"name":"FSCTL_PIPE_LISTEN","features":[312]},{"name":"FSCTL_PIPE_PEEK","features":[312]},{"name":"FSCTL_PIPE_QUERY_CLIENT_PROCESS","features":[312]},{"name":"FSCTL_PIPE_QUERY_CLIENT_PROCESS_V2","features":[312]},{"name":"FSCTL_PIPE_QUERY_EVENT","features":[312]},{"name":"FSCTL_PIPE_SET_CLIENT_PROCESS","features":[312]},{"name":"FSCTL_PIPE_SET_CONNECTION_ATTRIBUTE","features":[312]},{"name":"FSCTL_PIPE_SET_HANDLE_ATTRIBUTE","features":[312]},{"name":"FSCTL_PIPE_SET_PIPE_ATTRIBUTE","features":[312]},{"name":"FSCTL_PIPE_SILO_ARRIVAL","features":[312]},{"name":"FSCTL_PIPE_TRANSCEIVE","features":[312]},{"name":"FSCTL_PIPE_WAIT","features":[312]},{"name":"FSCTL_QUERY_GHOSTED_FILE_EXTENTS_INPUT_RANGE","features":[312]},{"name":"FSCTL_QUERY_GHOSTED_FILE_EXTENTS_OUTPUT","features":[312]},{"name":"FSCTL_QUERY_VOLUME_NUMA_INFO_OUTPUT","features":[312]},{"name":"FSCTL_UNMAP_SPACE_INPUT_BUFFER","features":[312]},{"name":"FSCTL_UNMAP_SPACE_OUTPUT","features":[312]},{"name":"FSRTL_ADD_TC_CASE_SENSITIVE","features":[312]},{"name":"FSRTL_ADD_TC_KEY_BY_SHORT_NAME","features":[312]},{"name":"FSRTL_ADVANCED_FCB_HEADER","features":[309,312,308,314]},{"name":"FSRTL_ALLOCATE_ECPLIST_FLAG_CHARGE_QUOTA","features":[312]},{"name":"FSRTL_ALLOCATE_ECP_FLAG_CHARGE_QUOTA","features":[312]},{"name":"FSRTL_ALLOCATE_ECP_FLAG_NONPAGED_POOL","features":[312]},{"name":"FSRTL_AUXILIARY_BUFFER","features":[309,312]},{"name":"FSRTL_AUXILIARY_FLAG_DEALLOCATE","features":[312]},{"name":"FSRTL_CC_FLUSH_ERROR_FLAG_NO_HARD_ERROR","features":[312]},{"name":"FSRTL_CC_FLUSH_ERROR_FLAG_NO_LOG_ENTRY","features":[312]},{"name":"FSRTL_CHANGE_BACKING_TYPE","features":[312]},{"name":"FSRTL_COMMON_FCB_HEADER","features":[309,312,314]},{"name":"FSRTL_COMPARISON_RESULT","features":[312]},{"name":"FSRTL_DRIVER_BACKING_FLAG_USE_PAGE_FILE","features":[312]},{"name":"FSRTL_ECP_LOOKASIDE_FLAG_NONPAGED_POOL","features":[312]},{"name":"FSRTL_FAT_LEGAL","features":[312]},{"name":"FSRTL_FCB_HEADER_V0","features":[312]},{"name":"FSRTL_FCB_HEADER_V1","features":[312]},{"name":"FSRTL_FCB_HEADER_V2","features":[312]},{"name":"FSRTL_FCB_HEADER_V3","features":[312]},{"name":"FSRTL_FCB_HEADER_V4","features":[312]},{"name":"FSRTL_FIND_TC_CASE_SENSITIVE","features":[312]},{"name":"FSRTL_FLAG2_BYPASSIO_STREAM_PAUSED","features":[312]},{"name":"FSRTL_FLAG2_DO_MODIFIED_WRITE","features":[312]},{"name":"FSRTL_FLAG2_IS_PAGING_FILE","features":[312]},{"name":"FSRTL_FLAG2_PURGE_WHEN_MAPPED","features":[312]},{"name":"FSRTL_FLAG2_SUPPORTS_FILTER_CONTEXTS","features":[312]},{"name":"FSRTL_FLAG2_WRITABLE_USER_MAPPED_FILE","features":[312]},{"name":"FSRTL_FLAG_ACQUIRE_MAIN_RSRC_EX","features":[312]},{"name":"FSRTL_FLAG_ACQUIRE_MAIN_RSRC_SH","features":[312]},{"name":"FSRTL_FLAG_ADVANCED_HEADER","features":[312]},{"name":"FSRTL_FLAG_EOF_ADVANCE_ACTIVE","features":[312]},{"name":"FSRTL_FLAG_FILE_LENGTH_CHANGED","features":[312]},{"name":"FSRTL_FLAG_FILE_MODIFIED","features":[312]},{"name":"FSRTL_FLAG_LIMIT_MODIFIED_PAGES","features":[312]},{"name":"FSRTL_FLAG_USER_MAPPED_FILE","features":[312]},{"name":"FSRTL_HPFS_LEGAL","features":[312]},{"name":"FSRTL_MUP_PROVIDER_INFO_LEVEL_1","features":[312]},{"name":"FSRTL_MUP_PROVIDER_INFO_LEVEL_2","features":[312,308]},{"name":"FSRTL_NTFS_LEGAL","features":[312]},{"name":"FSRTL_OLE_LEGAL","features":[312]},{"name":"FSRTL_PER_FILEOBJECT_CONTEXT","features":[312,314]},{"name":"FSRTL_PER_FILE_CONTEXT","features":[309,312,314]},{"name":"FSRTL_PER_STREAM_CONTEXT","features":[309,312,314]},{"name":"FSRTL_UNC_HARDENING_CAPABILITIES_INTEGRITY","features":[312]},{"name":"FSRTL_UNC_HARDENING_CAPABILITIES_MUTUAL_AUTH","features":[312]},{"name":"FSRTL_UNC_HARDENING_CAPABILITIES_PRIVACY","features":[312]},{"name":"FSRTL_UNC_PROVIDER_FLAGS_CONTAINER_AWARE","features":[312]},{"name":"FSRTL_UNC_PROVIDER_FLAGS_CSC_ENABLED","features":[312]},{"name":"FSRTL_UNC_PROVIDER_FLAGS_DOMAIN_SVC_AWARE","features":[312]},{"name":"FSRTL_UNC_PROVIDER_FLAGS_MAILSLOTS_SUPPORTED","features":[312]},{"name":"FSRTL_UNC_PROVIDER_REGISTRATION","features":[312]},{"name":"FSRTL_UNC_REGISTRATION_CURRENT_VERSION","features":[312]},{"name":"FSRTL_UNC_REGISTRATION_VERSION_0200","features":[312]},{"name":"FSRTL_UNC_REGISTRATION_VERSION_0201","features":[312]},{"name":"FSRTL_VIRTDISK_FULLY_ALLOCATED","features":[312]},{"name":"FSRTL_VIRTDISK_NO_DRIVE_LETTER","features":[312]},{"name":"FSRTL_VOLUME_BACKGROUND_FORMAT","features":[312]},{"name":"FSRTL_VOLUME_CHANGE_SIZE","features":[312]},{"name":"FSRTL_VOLUME_DISMOUNT","features":[312]},{"name":"FSRTL_VOLUME_DISMOUNT_FAILED","features":[312]},{"name":"FSRTL_VOLUME_FORCED_CLOSED","features":[312]},{"name":"FSRTL_VOLUME_INFO_MAKE_COMPAT","features":[312]},{"name":"FSRTL_VOLUME_LOCK","features":[312]},{"name":"FSRTL_VOLUME_LOCK_FAILED","features":[312]},{"name":"FSRTL_VOLUME_MOUNT","features":[312]},{"name":"FSRTL_VOLUME_NEEDS_CHKDSK","features":[312]},{"name":"FSRTL_VOLUME_PREPARING_EJECT","features":[312]},{"name":"FSRTL_VOLUME_UNLOCK","features":[312]},{"name":"FSRTL_VOLUME_WEARING_OUT","features":[312]},{"name":"FSRTL_VOLUME_WORM_NEAR_FULL","features":[312]},{"name":"FSRTL_WILD_CHARACTER","features":[312]},{"name":"FS_BPIO_INFO","features":[312]},{"name":"FS_BPIO_INPUT","features":[312,328]},{"name":"FS_FILTER_ACQUIRE_FOR_CC_FLUSH","features":[312]},{"name":"FS_FILTER_ACQUIRE_FOR_MOD_WRITE","features":[312]},{"name":"FS_FILTER_ACQUIRE_FOR_SECTION_SYNCHRONIZATION","features":[312]},{"name":"FS_FILTER_CALLBACKS","features":[309,312,310,308,311,313,314,315]},{"name":"FS_FILTER_CALLBACK_DATA","features":[309,312,310,308,311,313,314,315]},{"name":"FS_FILTER_PARAMETERS","features":[309,312,310,308,311,313,314,315]},{"name":"FS_FILTER_QUERY_OPEN","features":[312]},{"name":"FS_FILTER_RELEASE_FOR_CC_FLUSH","features":[312]},{"name":"FS_FILTER_RELEASE_FOR_MOD_WRITE","features":[312]},{"name":"FS_FILTER_RELEASE_FOR_SECTION_SYNCHRONIZATION","features":[312]},{"name":"FS_FILTER_SECTION_SYNC_IMAGE_EXTENTS_ARE_NOT_RVA","features":[312]},{"name":"FS_FILTER_SECTION_SYNC_IN_FLAG_DONT_UPDATE_LAST_ACCESS","features":[312]},{"name":"FS_FILTER_SECTION_SYNC_IN_FLAG_DONT_UPDATE_LAST_WRITE","features":[312]},{"name":"FS_FILTER_SECTION_SYNC_OUTPUT","features":[312]},{"name":"FS_FILTER_SECTION_SYNC_SUPPORTS_ASYNC_PARALLEL_IO","features":[312]},{"name":"FS_FILTER_SECTION_SYNC_SUPPORTS_DIRECT_MAP_DATA","features":[312]},{"name":"FS_FILTER_SECTION_SYNC_SUPPORTS_DIRECT_MAP_IMAGE","features":[312]},{"name":"FS_FILTER_SECTION_SYNC_TYPE","features":[312]},{"name":"FS_FILTER_STREAM_FO_NOTIFICATION_TYPE","features":[312]},{"name":"FS_INFORMATION_CLASS","features":[312]},{"name":"FastIoIsNotPossible","features":[312]},{"name":"FastIoIsPossible","features":[312]},{"name":"FastIoIsQuestionable","features":[312]},{"name":"FileAccessInformation","features":[312]},{"name":"FileAlignmentInformation","features":[312]},{"name":"FileAllInformation","features":[312]},{"name":"FileAllocationInformation","features":[312]},{"name":"FileAlternateNameInformation","features":[312]},{"name":"FileAttributeTagInformation","features":[312]},{"name":"FileBasicInformation","features":[312]},{"name":"FileBothDirectoryInformation","features":[312]},{"name":"FileCaseSensitiveInformation","features":[312]},{"name":"FileCaseSensitiveInformationForceAccessCheck","features":[312]},{"name":"FileCompletionInformation","features":[312]},{"name":"FileCompressionInformation","features":[312]},{"name":"FileDesiredStorageClassInformation","features":[312]},{"name":"FileDirectoryInformation","features":[312]},{"name":"FileDispositionInformation","features":[312]},{"name":"FileDispositionInformationEx","features":[312]},{"name":"FileEaInformation","features":[312]},{"name":"FileEndOfFileInformation","features":[312]},{"name":"FileFsAttributeInformation","features":[312]},{"name":"FileFsControlInformation","features":[312]},{"name":"FileFsDataCopyInformation","features":[312]},{"name":"FileFsDeviceInformation","features":[312]},{"name":"FileFsDriverPathInformation","features":[312]},{"name":"FileFsFullSizeInformation","features":[312]},{"name":"FileFsFullSizeInformationEx","features":[312]},{"name":"FileFsLabelInformation","features":[312]},{"name":"FileFsMaximumInformation","features":[312]},{"name":"FileFsMetadataSizeInformation","features":[312]},{"name":"FileFsObjectIdInformation","features":[312]},{"name":"FileFsSectorSizeInformation","features":[312]},{"name":"FileFsSizeInformation","features":[312]},{"name":"FileFsVolumeFlagsInformation","features":[312]},{"name":"FileFsVolumeInformation","features":[312]},{"name":"FileFullDirectoryInformation","features":[312]},{"name":"FileFullEaInformation","features":[312]},{"name":"FileHardLinkFullIdInformation","features":[312]},{"name":"FileHardLinkInformation","features":[312]},{"name":"FileIdBothDirectoryInformation","features":[312]},{"name":"FileIdExtdBothDirectoryInformation","features":[312]},{"name":"FileIdExtdDirectoryInformation","features":[312]},{"name":"FileIdFullDirectoryInformation","features":[312]},{"name":"FileIdGlobalTxDirectoryInformation","features":[312]},{"name":"FileIdInformation","features":[312]},{"name":"FileInternalInformation","features":[312]},{"name":"FileIoCompletionNotificationInformation","features":[312]},{"name":"FileIoPriorityHintInformation","features":[312]},{"name":"FileIoStatusBlockRangeInformation","features":[312]},{"name":"FileIsRemoteDeviceInformation","features":[312]},{"name":"FileKnownFolderInformation","features":[312]},{"name":"FileLinkInformation","features":[312]},{"name":"FileLinkInformationBypassAccessCheck","features":[312]},{"name":"FileLinkInformationEx","features":[312]},{"name":"FileLinkInformationExBypassAccessCheck","features":[312]},{"name":"FileMailslotQueryInformation","features":[312]},{"name":"FileMailslotSetInformation","features":[312]},{"name":"FileMaximumInformation","features":[312]},{"name":"FileMemoryPartitionInformation","features":[312]},{"name":"FileModeInformation","features":[312]},{"name":"FileMoveClusterInformation","features":[312]},{"name":"FileNameInformation","features":[312]},{"name":"FileNamesInformation","features":[312]},{"name":"FileNetworkOpenInformation","features":[312]},{"name":"FileNetworkPhysicalNameInformation","features":[312]},{"name":"FileNormalizedNameInformation","features":[312]},{"name":"FileNumaNodeInformation","features":[312]},{"name":"FileObjectIdInformation","features":[312]},{"name":"FilePipeInformation","features":[312]},{"name":"FilePipeLocalInformation","features":[312]},{"name":"FilePipeRemoteInformation","features":[312]},{"name":"FilePositionInformation","features":[312]},{"name":"FileProcessIdsUsingFileInformation","features":[312]},{"name":"FileQuotaInformation","features":[312]},{"name":"FileRemoteProtocolInformation","features":[312]},{"name":"FileRenameInformation","features":[312]},{"name":"FileRenameInformationBypassAccessCheck","features":[312]},{"name":"FileRenameInformationEx","features":[312]},{"name":"FileRenameInformationExBypassAccessCheck","features":[312]},{"name":"FileReparsePointInformation","features":[312]},{"name":"FileReplaceCompletionInformation","features":[312]},{"name":"FileSfioReserveInformation","features":[312]},{"name":"FileSfioVolumeInformation","features":[312]},{"name":"FileShortNameInformation","features":[312]},{"name":"FileStandardInformation","features":[312]},{"name":"FileStandardLinkInformation","features":[312]},{"name":"FileStatInformation","features":[312]},{"name":"FileStatLxInformation","features":[312]},{"name":"FileStorageReserveIdInformation","features":[312]},{"name":"FileStreamInformation","features":[312]},{"name":"FileTrackingInformation","features":[312]},{"name":"FileUnusedInformation","features":[312]},{"name":"FileValidDataLengthInformation","features":[312]},{"name":"FileVolumeNameInformation","features":[312]},{"name":"FsRtlAcknowledgeEcp","features":[312]},{"name":"FsRtlAcquireFileExclusive","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlAddBaseMcbEntry","features":[312,308]},{"name":"FsRtlAddBaseMcbEntryEx","features":[312,308]},{"name":"FsRtlAddLargeMcbEntry","features":[309,312,308,314]},{"name":"FsRtlAddMcbEntry","features":[309,312,308,314]},{"name":"FsRtlAddToTunnelCache","features":[309,312,308,314]},{"name":"FsRtlAddToTunnelCacheEx","features":[309,312,308,314]},{"name":"FsRtlAllocateAePushLock","features":[309,312]},{"name":"FsRtlAllocateExtraCreateParameter","features":[312,308]},{"name":"FsRtlAllocateExtraCreateParameterFromLookasideList","features":[312,308]},{"name":"FsRtlAllocateExtraCreateParameterList","features":[309,312,308]},{"name":"FsRtlAllocateFileLock","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlAllocateResource","features":[309,312,314]},{"name":"FsRtlAreNamesEqual","features":[312,308]},{"name":"FsRtlAreThereCurrentOrInProgressFileLocks","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlAreThereWaitingFileLocks","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlAreVolumeStartupApplicationsComplete","features":[312,308]},{"name":"FsRtlBalanceReads","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlCancellableWaitForMultipleObjects","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlCancellableWaitForSingleObject","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlChangeBackingFileObject","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlCheckLockForOplockRequest","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlCheckLockForReadAccess","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlCheckLockForWriteAccess","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlCheckOplock","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlCheckOplockEx","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlCheckOplockEx2","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlCheckUpperOplock","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlCopyRead","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlCopyWrite","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlCreateSectionForDataScan","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlCurrentBatchOplock","features":[312,308]},{"name":"FsRtlCurrentOplock","features":[312,308]},{"name":"FsRtlCurrentOplockH","features":[312,308]},{"name":"FsRtlDeleteExtraCreateParameterLookasideList","features":[312]},{"name":"FsRtlDeleteKeyFromTunnelCache","features":[309,312,308,314]},{"name":"FsRtlDeleteTunnelCache","features":[309,312,308,314]},{"name":"FsRtlDeregisterUncProvider","features":[312,308]},{"name":"FsRtlDismountComplete","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlDissectDbcs","features":[312,314]},{"name":"FsRtlDissectName","features":[312,308]},{"name":"FsRtlDoesDbcsContainWildCards","features":[312,308,314]},{"name":"FsRtlDoesNameContainWildCards","features":[312,308]},{"name":"FsRtlFastCheckLockForRead","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlFastCheckLockForWrite","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlFastUnlockAll","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlFastUnlockAllByKey","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlFastUnlockSingle","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlFindExtraCreateParameter","features":[309,312,308]},{"name":"FsRtlFindInTunnelCache","features":[309,312,308,314]},{"name":"FsRtlFindInTunnelCacheEx","features":[309,312,308,314]},{"name":"FsRtlFreeAePushLock","features":[312]},{"name":"FsRtlFreeExtraCreateParameter","features":[312]},{"name":"FsRtlFreeExtraCreateParameterList","features":[309,312]},{"name":"FsRtlFreeFileLock","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlGetCurrentProcessLoaderList","features":[312,314]},{"name":"FsRtlGetEcpListFromIrp","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlGetFileSize","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlGetNextBaseMcbEntry","features":[312,308]},{"name":"FsRtlGetNextExtraCreateParameter","features":[309,312,308]},{"name":"FsRtlGetNextFileLock","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlGetNextLargeMcbEntry","features":[309,312,308,314]},{"name":"FsRtlGetNextMcbEntry","features":[309,312,308,314]},{"name":"FsRtlGetSectorSizeInformation","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlGetSupportedFeatures","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlGetVirtualDiskNestingLevel","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlIncrementCcFastMdlReadWait","features":[312]},{"name":"FsRtlIncrementCcFastReadNoWait","features":[312]},{"name":"FsRtlIncrementCcFastReadNotPossible","features":[312]},{"name":"FsRtlIncrementCcFastReadResourceMiss","features":[312]},{"name":"FsRtlIncrementCcFastReadWait","features":[312]},{"name":"FsRtlInitExtraCreateParameterLookasideList","features":[312]},{"name":"FsRtlInitializeBaseMcb","features":[309,312]},{"name":"FsRtlInitializeBaseMcbEx","features":[309,312,308]},{"name":"FsRtlInitializeExtraCreateParameter","features":[309,312]},{"name":"FsRtlInitializeExtraCreateParameterList","features":[309,312,308]},{"name":"FsRtlInitializeFileLock","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlInitializeLargeMcb","features":[309,312,308,314]},{"name":"FsRtlInitializeMcb","features":[309,312,308,314]},{"name":"FsRtlInitializeOplock","features":[312]},{"name":"FsRtlInitializeTunnelCache","features":[309,312,308,314]},{"name":"FsRtlInsertExtraCreateParameter","features":[309,312,308]},{"name":"FsRtlInsertPerFileContext","features":[309,312,308,314]},{"name":"FsRtlInsertPerFileObjectContext","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlInsertPerStreamContext","features":[309,312,308,314]},{"name":"FsRtlIs32BitProcess","features":[309,312,308]},{"name":"FsRtlIsDaxVolume","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlIsDbcsInExpression","features":[312,308,314]},{"name":"FsRtlIsEcpAcknowledged","features":[312,308]},{"name":"FsRtlIsEcpFromUserMode","features":[312,308]},{"name":"FsRtlIsExtentDangling","features":[312]},{"name":"FsRtlIsFatDbcsLegal","features":[312,308,314]},{"name":"FsRtlIsHpfsDbcsLegal","features":[312,308,314]},{"name":"FsRtlIsMobileOS","features":[312,308]},{"name":"FsRtlIsNameInExpression","features":[312,308]},{"name":"FsRtlIsNameInUnUpcasedExpression","features":[312,308]},{"name":"FsRtlIsNonEmptyDirectoryReparsePointAllowed","features":[312,308]},{"name":"FsRtlIsNtstatusExpected","features":[312,308]},{"name":"FsRtlIsPagingFile","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlIsSystemPagingFile","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlIssueDeviceIoControl","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlKernelFsControlFile","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlLogCcFlushError","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlLookupBaseMcbEntry","features":[312,308]},{"name":"FsRtlLookupLargeMcbEntry","features":[309,312,308,314]},{"name":"FsRtlLookupLastBaseMcbEntry","features":[312,308]},{"name":"FsRtlLookupLastBaseMcbEntryAndIndex","features":[312,308]},{"name":"FsRtlLookupLastLargeMcbEntry","features":[309,312,308,314]},{"name":"FsRtlLookupLastLargeMcbEntryAndIndex","features":[309,312,308,314]},{"name":"FsRtlLookupLastMcbEntry","features":[309,312,308,314]},{"name":"FsRtlLookupMcbEntry","features":[309,312,308,314]},{"name":"FsRtlLookupPerFileContext","features":[309,312,314]},{"name":"FsRtlLookupPerFileObjectContext","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlLookupPerStreamContextInternal","features":[309,312,308,314]},{"name":"FsRtlMdlReadCompleteDev","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlMdlReadDev","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlMdlReadEx","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlMdlWriteCompleteDev","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlMupGetProviderIdFromName","features":[312,308]},{"name":"FsRtlMupGetProviderInfoFromFileObject","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlNormalizeNtstatus","features":[312,308]},{"name":"FsRtlNotifyCleanup","features":[309,312,314]},{"name":"FsRtlNotifyCleanupAll","features":[309,312,314]},{"name":"FsRtlNotifyFilterChangeDirectory","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlNotifyFilterReportChange","features":[309,312,314]},{"name":"FsRtlNotifyFullChangeDirectory","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlNotifyFullReportChange","features":[309,312,314]},{"name":"FsRtlNotifyInitializeSync","features":[309,312]},{"name":"FsRtlNotifyUninitializeSync","features":[309,312]},{"name":"FsRtlNotifyVolumeEvent","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlNotifyVolumeEventEx","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlNumberOfRunsInBaseMcb","features":[312]},{"name":"FsRtlNumberOfRunsInLargeMcb","features":[309,312,308,314]},{"name":"FsRtlNumberOfRunsInMcb","features":[309,312,308,314]},{"name":"FsRtlOplockBreakH","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlOplockBreakH2","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlOplockBreakToNone","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlOplockBreakToNoneEx","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlOplockFsctrl","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlOplockFsctrlEx","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlOplockGetAnyBreakOwnerProcess","features":[309,312]},{"name":"FsRtlOplockIsFastIoPossible","features":[312,308]},{"name":"FsRtlOplockIsSharedRequest","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlOplockKeysEqual","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlPostPagingFileStackOverflow","features":[309,312,308,314]},{"name":"FsRtlPostStackOverflow","features":[309,312,308,314]},{"name":"FsRtlPrepareMdlWriteDev","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlPrepareMdlWriteEx","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlPrepareToReuseEcp","features":[312]},{"name":"FsRtlPrivateLock","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlProcessFileLock","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlQueryCachedVdl","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlQueryInformationFile","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlQueryKernelEaFile","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlQueryMaximumVirtualDiskNestingLevel","features":[312]},{"name":"FsRtlRegisterFileSystemFilterCallbacks","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlRegisterUncProvider","features":[312,308]},{"name":"FsRtlRegisterUncProviderEx","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlRegisterUncProviderEx2","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlReleaseFile","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlRemoveBaseMcbEntry","features":[312,308]},{"name":"FsRtlRemoveDotsFromPath","features":[312,308]},{"name":"FsRtlRemoveExtraCreateParameter","features":[309,312,308]},{"name":"FsRtlRemoveLargeMcbEntry","features":[309,312,308,314]},{"name":"FsRtlRemoveMcbEntry","features":[309,312,308,314]},{"name":"FsRtlRemovePerFileContext","features":[309,312,314]},{"name":"FsRtlRemovePerFileObjectContext","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlRemovePerStreamContext","features":[309,312,308,314]},{"name":"FsRtlResetBaseMcb","features":[312]},{"name":"FsRtlResetLargeMcb","features":[309,312,308,314]},{"name":"FsRtlSetDriverBacking","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlSetEcpListIntoIrp","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlSetKernelEaFile","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlSplitBaseMcb","features":[312,308]},{"name":"FsRtlSplitLargeMcb","features":[309,312,308,314]},{"name":"FsRtlTeardownPerFileContexts","features":[312]},{"name":"FsRtlTeardownPerStreamContexts","features":[309,312,308,314]},{"name":"FsRtlTruncateBaseMcb","features":[312]},{"name":"FsRtlTruncateLargeMcb","features":[309,312,308,314]},{"name":"FsRtlTruncateMcb","features":[309,312,308,314]},{"name":"FsRtlUninitializeBaseMcb","features":[312]},{"name":"FsRtlUninitializeFileLock","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlUninitializeLargeMcb","features":[309,312,308,314]},{"name":"FsRtlUninitializeMcb","features":[309,312,308,314]},{"name":"FsRtlUninitializeOplock","features":[312]},{"name":"FsRtlUpdateDiskCounters","features":[312]},{"name":"FsRtlUpperOplockFsctrl","features":[309,312,310,308,311,313,314,315]},{"name":"FsRtlValidateReparsePointBuffer","features":[312,308]},{"name":"FsRtlVolumeDeviceToCorrelationId","features":[309,312,310,308,311,313,314,315]},{"name":"GCR_ALLOW_LM","features":[312]},{"name":"GCR_ALLOW_NO_TARGET","features":[312]},{"name":"GCR_ALLOW_NTLM","features":[312]},{"name":"GCR_MACHINE_CREDENTIAL","features":[312]},{"name":"GCR_NTLM3_PARMS","features":[312]},{"name":"GCR_TARGET_INFO","features":[312]},{"name":"GCR_USE_OEM_SET","features":[312]},{"name":"GCR_USE_OWF_PASSWORD","features":[312]},{"name":"GCR_VSM_PROTECTED_PASSWORD","features":[312]},{"name":"GENERATE_CLIENT_CHALLENGE","features":[312]},{"name":"GENERATE_NAME_CONTEXT","features":[312,308]},{"name":"GHOSTED_FILE_EXTENT","features":[312]},{"name":"GUID_ECP_ATOMIC_CREATE","features":[312]},{"name":"GUID_ECP_CLOUDFILES_ATTRIBUTION","features":[312]},{"name":"GUID_ECP_CREATE_REDIRECTION","features":[312]},{"name":"GUID_ECP_CSV_DOWN_LEVEL_OPEN","features":[312]},{"name":"GUID_ECP_CSV_QUERY_FILE_REVISION","features":[312]},{"name":"GUID_ECP_CSV_QUERY_FILE_REVISION_FILE_ID_128","features":[312]},{"name":"GUID_ECP_CSV_SET_HANDLE_PROPERTIES","features":[312]},{"name":"GUID_ECP_DUAL_OPLOCK_KEY","features":[312]},{"name":"GUID_ECP_IO_DEVICE_HINT","features":[312]},{"name":"GUID_ECP_NETWORK_APP_INSTANCE","features":[312]},{"name":"GUID_ECP_NETWORK_APP_INSTANCE_VERSION","features":[312]},{"name":"GUID_ECP_NETWORK_OPEN_CONTEXT","features":[312]},{"name":"GUID_ECP_NFS_OPEN","features":[312]},{"name":"GUID_ECP_OPEN_PARAMETERS","features":[312]},{"name":"GUID_ECP_OPLOCK_KEY","features":[312]},{"name":"GUID_ECP_PREFETCH_OPEN","features":[312]},{"name":"GUID_ECP_QUERY_ON_CREATE","features":[312]},{"name":"GUID_ECP_RKF_BYPASS","features":[312]},{"name":"GUID_ECP_SRV_OPEN","features":[312]},{"name":"GetSecurityUserInfo","features":[312,308,329]},{"name":"GreaterThan","features":[312]},{"name":"HEAP_CLASS_0","features":[312]},{"name":"HEAP_CLASS_1","features":[312]},{"name":"HEAP_CLASS_2","features":[312]},{"name":"HEAP_CLASS_3","features":[312]},{"name":"HEAP_CLASS_4","features":[312]},{"name":"HEAP_CLASS_5","features":[312]},{"name":"HEAP_CLASS_6","features":[312]},{"name":"HEAP_CLASS_7","features":[312]},{"name":"HEAP_CLASS_8","features":[312]},{"name":"HEAP_CLASS_MASK","features":[312]},{"name":"HEAP_CREATE_ALIGN_16","features":[312]},{"name":"HEAP_CREATE_ENABLE_EXECUTE","features":[312]},{"name":"HEAP_CREATE_ENABLE_TRACING","features":[312]},{"name":"HEAP_CREATE_HARDENED","features":[312]},{"name":"HEAP_CREATE_SEGMENT_HEAP","features":[312]},{"name":"HEAP_DISABLE_COALESCE_ON_FREE","features":[312]},{"name":"HEAP_FREE_CHECKING_ENABLED","features":[312]},{"name":"HEAP_GENERATE_EXCEPTIONS","features":[312]},{"name":"HEAP_GLOBAL_TAG","features":[312]},{"name":"HEAP_GROWABLE","features":[312]},{"name":"HEAP_MAXIMUM_TAG","features":[312]},{"name":"HEAP_MEMORY_INFO_CLASS","features":[312]},{"name":"HEAP_NO_SERIALIZE","features":[312]},{"name":"HEAP_PSEUDO_TAG_FLAG","features":[312]},{"name":"HEAP_REALLOC_IN_PLACE_ONLY","features":[312]},{"name":"HEAP_SETTABLE_USER_FLAG1","features":[312]},{"name":"HEAP_SETTABLE_USER_FLAG2","features":[312]},{"name":"HEAP_SETTABLE_USER_FLAG3","features":[312]},{"name":"HEAP_SETTABLE_USER_FLAGS","features":[312]},{"name":"HEAP_SETTABLE_USER_VALUE","features":[312]},{"name":"HEAP_TAG_SHIFT","features":[312]},{"name":"HEAP_TAIL_CHECKING_ENABLED","features":[312]},{"name":"HEAP_ZERO_MEMORY","features":[312]},{"name":"HeapMemoryBasicInformation","features":[312]},{"name":"INVALID_PROCESSOR_INDEX","features":[312]},{"name":"IOCTL_LMR_ARE_FILE_OBJECTS_ON_SAME_SERVER","features":[312]},{"name":"IOCTL_REDIR_QUERY_PATH","features":[312]},{"name":"IOCTL_REDIR_QUERY_PATH_EX","features":[312]},{"name":"IOCTL_VOLSNAP_FLUSH_AND_HOLD_WRITES","features":[312]},{"name":"IO_CD_ROM_INCREMENT","features":[312]},{"name":"IO_CREATE_STREAM_FILE_LITE","features":[312]},{"name":"IO_CREATE_STREAM_FILE_OPTIONS","features":[309,312,310,308,311,313,314,315]},{"name":"IO_CREATE_STREAM_FILE_RAISE_ON_ERROR","features":[312]},{"name":"IO_DEVICE_HINT_ECP_CONTEXT","features":[309,312,310,308,311,313,314,315]},{"name":"IO_DISK_INCREMENT","features":[312]},{"name":"IO_FILE_OBJECT_NON_PAGED_POOL_CHARGE","features":[312]},{"name":"IO_FILE_OBJECT_PAGED_POOL_CHARGE","features":[312]},{"name":"IO_IGNORE_READONLY_ATTRIBUTE","features":[312]},{"name":"IO_MAILSLOT_INCREMENT","features":[312]},{"name":"IO_MM_PAGING_FILE","features":[312]},{"name":"IO_NAMED_PIPE_INCREMENT","features":[312]},{"name":"IO_NETWORK_INCREMENT","features":[312]},{"name":"IO_NO_INCREMENT","features":[312]},{"name":"IO_OPEN_PAGING_FILE","features":[312]},{"name":"IO_OPEN_TARGET_DIRECTORY","features":[312]},{"name":"IO_PRIORITY_INFO","features":[309,312]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_0","features":[312]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_1","features":[312]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_2","features":[312]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_3","features":[312]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_4","features":[312]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_5","features":[312]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_6","features":[312]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_7","features":[312]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_8","features":[312]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_9","features":[312]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_A","features":[312]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_B","features":[312]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_C","features":[312]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_D","features":[312]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_E","features":[312]},{"name":"IO_REPARSE_TAG_ACRONIS_HSM_F","features":[312]},{"name":"IO_REPARSE_TAG_ACTIVISION_HSM","features":[312]},{"name":"IO_REPARSE_TAG_ADA_HSM","features":[312]},{"name":"IO_REPARSE_TAG_ADOBE_HSM","features":[312]},{"name":"IO_REPARSE_TAG_ALERTBOOT","features":[312]},{"name":"IO_REPARSE_TAG_ALTIRIS_HSM","features":[312]},{"name":"IO_REPARSE_TAG_APPXSTRM","features":[312]},{"name":"IO_REPARSE_TAG_ARCO_BACKUP","features":[312]},{"name":"IO_REPARSE_TAG_ARKIVIO","features":[312]},{"name":"IO_REPARSE_TAG_AURISTOR_FS","features":[312]},{"name":"IO_REPARSE_TAG_AUTN_HSM","features":[312]},{"name":"IO_REPARSE_TAG_BRIDGEHEAD_HSM","features":[312]},{"name":"IO_REPARSE_TAG_C2CSYSTEMS_HSM","features":[312]},{"name":"IO_REPARSE_TAG_CARINGO_HSM","features":[312]},{"name":"IO_REPARSE_TAG_CARROLL_HSM","features":[312]},{"name":"IO_REPARSE_TAG_CITRIX_PM","features":[312]},{"name":"IO_REPARSE_TAG_COMMVAULT","features":[312]},{"name":"IO_REPARSE_TAG_COMMVAULT_HSM","features":[312]},{"name":"IO_REPARSE_TAG_COMTRADE_HSM","features":[312]},{"name":"IO_REPARSE_TAG_CTERA_HSM","features":[312]},{"name":"IO_REPARSE_TAG_DATAFIRST_HSM","features":[312]},{"name":"IO_REPARSE_TAG_DATAGLOBAL_HSM","features":[312]},{"name":"IO_REPARSE_TAG_DATASTOR_SIS","features":[312]},{"name":"IO_REPARSE_TAG_DFM","features":[312]},{"name":"IO_REPARSE_TAG_DOR_HSM","features":[312]},{"name":"IO_REPARSE_TAG_DOUBLE_TAKE_HSM","features":[312]},{"name":"IO_REPARSE_TAG_DOUBLE_TAKE_SIS","features":[312]},{"name":"IO_REPARSE_TAG_DRIVE_EXTENDER","features":[312]},{"name":"IO_REPARSE_TAG_DROPBOX_HSM","features":[312]},{"name":"IO_REPARSE_TAG_EASEFILTER_HSM","features":[312]},{"name":"IO_REPARSE_TAG_EASEVAULT_HSM","features":[312]},{"name":"IO_REPARSE_TAG_EDSI_HSM","features":[312]},{"name":"IO_REPARSE_TAG_ELTAN_HSM","features":[312]},{"name":"IO_REPARSE_TAG_EMC_HSM","features":[312]},{"name":"IO_REPARSE_TAG_ENIGMA_HSM","features":[312]},{"name":"IO_REPARSE_TAG_FILTER_MANAGER","features":[312]},{"name":"IO_REPARSE_TAG_GLOBAL360_HSM","features":[312]},{"name":"IO_REPARSE_TAG_GOOGLE_HSM","features":[312]},{"name":"IO_REPARSE_TAG_GRAU_DATASTORAGE_HSM","features":[312]},{"name":"IO_REPARSE_TAG_HDS_HCP_HSM","features":[312]},{"name":"IO_REPARSE_TAG_HDS_HSM","features":[312]},{"name":"IO_REPARSE_TAG_HERMES_HSM","features":[312]},{"name":"IO_REPARSE_TAG_HP_BACKUP","features":[312]},{"name":"IO_REPARSE_TAG_HP_DATA_PROTECT","features":[312]},{"name":"IO_REPARSE_TAG_HP_HSM","features":[312]},{"name":"IO_REPARSE_TAG_HSAG_HSM","features":[312]},{"name":"IO_REPARSE_TAG_HUBSTOR_HSM","features":[312]},{"name":"IO_REPARSE_TAG_IFSTEST_CONGRUENT","features":[312]},{"name":"IO_REPARSE_TAG_IIS_CACHE","features":[312]},{"name":"IO_REPARSE_TAG_IMANAGE_HSM","features":[312]},{"name":"IO_REPARSE_TAG_INTERCOPE_HSM","features":[312]},{"name":"IO_REPARSE_TAG_ITSTATION","features":[312]},{"name":"IO_REPARSE_TAG_KOM_NETWORKS_HSM","features":[312]},{"name":"IO_REPARSE_TAG_LX_BLK","features":[312]},{"name":"IO_REPARSE_TAG_LX_CHR","features":[312]},{"name":"IO_REPARSE_TAG_LX_FIFO","features":[312]},{"name":"IO_REPARSE_TAG_LX_SYMLINK","features":[312]},{"name":"IO_REPARSE_TAG_MAGINATICS_RDR","features":[312]},{"name":"IO_REPARSE_TAG_MAXISCALE_HSM","features":[312]},{"name":"IO_REPARSE_TAG_MEMORY_TECH_HSM","features":[312]},{"name":"IO_REPARSE_TAG_MIMOSA_HSM","features":[312]},{"name":"IO_REPARSE_TAG_MOONWALK_HSM","features":[312]},{"name":"IO_REPARSE_TAG_MTALOS","features":[312]},{"name":"IO_REPARSE_TAG_NEUSHIELD","features":[312]},{"name":"IO_REPARSE_TAG_NEXSAN_HSM","features":[312]},{"name":"IO_REPARSE_TAG_NIPPON_HSM","features":[312]},{"name":"IO_REPARSE_TAG_NVIDIA_UNIONFS","features":[312]},{"name":"IO_REPARSE_TAG_OPENAFS_DFS","features":[312]},{"name":"IO_REPARSE_TAG_OSR_SAMPLE","features":[312]},{"name":"IO_REPARSE_TAG_OVERTONE","features":[312]},{"name":"IO_REPARSE_TAG_POINTSOFT_HSM","features":[312]},{"name":"IO_REPARSE_TAG_QI_TECH_HSM","features":[312]},{"name":"IO_REPARSE_TAG_QUADDRA_HSM","features":[312]},{"name":"IO_REPARSE_TAG_QUEST_HSM","features":[312]},{"name":"IO_REPARSE_TAG_REDSTOR_HSM","features":[312]},{"name":"IO_REPARSE_TAG_RIVERBED_HSM","features":[312]},{"name":"IO_REPARSE_TAG_SER_HSM","features":[312]},{"name":"IO_REPARSE_TAG_SHX_BACKUP","features":[312]},{"name":"IO_REPARSE_TAG_SOLUTIONSOFT","features":[312]},{"name":"IO_REPARSE_TAG_SONY_HSM","features":[312]},{"name":"IO_REPARSE_TAG_SPHARSOFT","features":[312]},{"name":"IO_REPARSE_TAG_SYMANTEC_HSM","features":[312]},{"name":"IO_REPARSE_TAG_SYMANTEC_HSM2","features":[312]},{"name":"IO_REPARSE_TAG_TSINGHUA_UNIVERSITY_RESEARCH","features":[312]},{"name":"IO_REPARSE_TAG_UTIXO_HSM","features":[312]},{"name":"IO_REPARSE_TAG_VALID_VALUES","features":[312]},{"name":"IO_REPARSE_TAG_VMWARE_PM","features":[312]},{"name":"IO_REPARSE_TAG_WATERFORD","features":[312]},{"name":"IO_REPARSE_TAG_WISDATA_HSM","features":[312]},{"name":"IO_REPARSE_TAG_ZLTI_HSM","features":[312]},{"name":"IO_STOP_ON_SYMLINK","features":[312]},{"name":"IO_STOP_ON_SYMLINK_FILTER_ECP_v0","features":[312]},{"name":"IoAcquireVpbSpinLock","features":[312]},{"name":"IoApplyPriorityInfoThread","features":[309,312,308]},{"name":"IoCheckDesiredAccess","features":[312,308]},{"name":"IoCheckEaBufferValidity","features":[312,308]},{"name":"IoCheckFunctionAccess","features":[312,308]},{"name":"IoCheckQuerySetFileInformation","features":[312,308]},{"name":"IoCheckQuerySetVolumeInformation","features":[312,308]},{"name":"IoCheckQuotaBufferValidity","features":[312,308,311]},{"name":"IoClearFsTrackOffsetState","features":[309,312,310,308,311,313,314,315]},{"name":"IoCreateStreamFileObject","features":[309,312,310,308,311,313,314,315]},{"name":"IoCreateStreamFileObjectEx","features":[309,312,310,308,311,313,314,315]},{"name":"IoCreateStreamFileObjectEx2","features":[309,312,310,308,311,313,314,315]},{"name":"IoCreateStreamFileObjectLite","features":[309,312,310,308,311,313,314,315]},{"name":"IoEnumerateDeviceObjectList","features":[309,312,310,308,311,313,314,315]},{"name":"IoEnumerateRegisteredFiltersList","features":[309,312,310,308,311,313,314,315]},{"name":"IoFastQueryNetworkAttributes","features":[309,312,308,313]},{"name":"IoGetAttachedDevice","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetBaseFileSystemDeviceObject","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetDeviceAttachmentBaseRef","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetDeviceToVerify","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetDiskDeviceObject","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetFsTrackOffsetState","features":[309,312,310,308,311,313,328,314,315]},{"name":"IoGetLowerDeviceObject","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetOplockKeyContext","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetOplockKeyContextEx","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetRequestorProcess","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetRequestorProcessId","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetRequestorSessionId","features":[309,312,310,308,311,313,314,315]},{"name":"IoIrpHasFsTrackOffsetExtensionType","features":[309,312,310,308,311,313,314,315]},{"name":"IoIsOperationSynchronous","features":[309,312,310,308,311,313,314,315]},{"name":"IoIsSystemThread","features":[309,312,308]},{"name":"IoIsValidNameGraftingBuffer","features":[309,312,310,308,311,313,314,315]},{"name":"IoPageRead","features":[309,312,310,308,311,313,314,315]},{"name":"IoQueryFileDosDeviceName","features":[309,312,310,308,311,313,314,315]},{"name":"IoQueryFileInformation","features":[309,312,310,308,311,313,314,315]},{"name":"IoQueryVolumeInformation","features":[309,312,310,308,311,313,314,315]},{"name":"IoQueueThreadIrp","features":[309,312,310,308,311,313,314,315]},{"name":"IoRegisterFileSystem","features":[309,312,310,308,311,313,314,315]},{"name":"IoRegisterFsRegistrationChange","features":[309,312,310,308,311,313,314,315]},{"name":"IoRegisterFsRegistrationChangeMountAware","features":[309,312,310,308,311,313,314,315]},{"name":"IoReleaseVpbSpinLock","features":[312]},{"name":"IoReplaceFileObjectName","features":[309,312,310,308,311,313,314,315]},{"name":"IoRequestDeviceRemovalForReset","features":[309,312,310,308,311,313,314,315]},{"name":"IoRetrievePriorityInfo","features":[309,312,310,308,311,313,314,315]},{"name":"IoSetDeviceToVerify","features":[309,312,310,308,311,313,314,315]},{"name":"IoSetFsTrackOffsetState","features":[309,312,310,308,311,313,328,314,315]},{"name":"IoSetInformation","features":[309,312,310,308,311,313,314,315]},{"name":"IoSynchronousPageWrite","features":[309,312,310,308,311,313,314,315]},{"name":"IoThreadToProcess","features":[309,312]},{"name":"IoUnregisterFileSystem","features":[309,312,310,308,311,313,314,315]},{"name":"IoUnregisterFsRegistrationChange","features":[309,312,310,308,311,313,314,315]},{"name":"IoVerifyVolume","features":[309,312,310,308,311,313,314,315]},{"name":"KAPC_STATE","features":[312,308,314]},{"name":"KeAcquireQueuedSpinLock","features":[309,312]},{"name":"KeAcquireSpinLockRaiseToSynch","features":[312]},{"name":"KeAttachProcess","features":[309,312]},{"name":"KeDetachProcess","features":[312]},{"name":"KeInitializeMutant","features":[309,312,308,314]},{"name":"KeInitializeQueue","features":[309,312,308,314]},{"name":"KeInsertHeadQueue","features":[309,312,308,314]},{"name":"KeInsertQueue","features":[309,312,308,314]},{"name":"KeReadStateMutant","features":[309,312,308,314]},{"name":"KeReadStateQueue","features":[309,312,308,314]},{"name":"KeReleaseMutant","features":[309,312,308,314]},{"name":"KeReleaseQueuedSpinLock","features":[309,312]},{"name":"KeRemoveQueue","features":[309,312,308,314]},{"name":"KeRemoveQueueEx","features":[309,312,308,314]},{"name":"KeRundownQueue","features":[309,312,308,314]},{"name":"KeSetIdealProcessorThread","features":[309,312]},{"name":"KeSetKernelStackSwapEnable","features":[312,308]},{"name":"KeStackAttachProcess","features":[309,312,308,314]},{"name":"KeTryToAcquireQueuedSpinLock","features":[309,312]},{"name":"KeUnstackDetachProcess","features":[312,308,314]},{"name":"KnownFolderDesktop","features":[312]},{"name":"KnownFolderDocuments","features":[312]},{"name":"KnownFolderDownloads","features":[312]},{"name":"KnownFolderMax","features":[312]},{"name":"KnownFolderMusic","features":[312]},{"name":"KnownFolderNone","features":[312]},{"name":"KnownFolderOther","features":[312]},{"name":"KnownFolderPictures","features":[312]},{"name":"KnownFolderVideos","features":[312]},{"name":"LARGE_MCB","features":[309,312,308,314]},{"name":"LCN_CHECKSUM_VALID","features":[312]},{"name":"LCN_WEAK_REFERENCE_BUFFER","features":[312]},{"name":"LCN_WEAK_REFERENCE_CREATE_INPUT_BUFFER","features":[312]},{"name":"LCN_WEAK_REFERENCE_VALID","features":[312]},{"name":"LINK_TRACKING_INFORMATION","features":[312]},{"name":"LINK_TRACKING_INFORMATION_TYPE","features":[312]},{"name":"LX_FILE_CASE_SENSITIVE_DIR","features":[312]},{"name":"LX_FILE_METADATA_DEVICE_ID_EA_NAME","features":[312]},{"name":"LX_FILE_METADATA_GID_EA_NAME","features":[312]},{"name":"LX_FILE_METADATA_HAS_DEVICE_ID","features":[312]},{"name":"LX_FILE_METADATA_HAS_GID","features":[312]},{"name":"LX_FILE_METADATA_HAS_MODE","features":[312]},{"name":"LX_FILE_METADATA_HAS_UID","features":[312]},{"name":"LX_FILE_METADATA_MODE_EA_NAME","features":[312]},{"name":"LX_FILE_METADATA_UID_EA_NAME","features":[312]},{"name":"LessThan","features":[312]},{"name":"MAP_DISABLE_PAGEFAULT_CLUSTERING","features":[312]},{"name":"MAP_HIGH_PRIORITY","features":[312]},{"name":"MAP_NO_READ","features":[312]},{"name":"MAP_WAIT","features":[312]},{"name":"MAXIMUM_LEADBYTES","features":[312]},{"name":"MAX_UNICODE_STACK_BUFFER_LENGTH","features":[312]},{"name":"MCB","features":[309,312,308,314]},{"name":"MCB_FLAG_RAISE_ON_ALLOCATION_FAILURE","features":[312]},{"name":"MEMORY_INFORMATION_CLASS","features":[312]},{"name":"MEMORY_RANGE_ENTRY","features":[312]},{"name":"MFT_ENUM_DATA","features":[312]},{"name":"MMFLUSH_TYPE","features":[312]},{"name":"MM_FORCE_CLOSED_DATA","features":[312]},{"name":"MM_FORCE_CLOSED_IMAGE","features":[312]},{"name":"MM_FORCE_CLOSED_LATER_OK","features":[312]},{"name":"MM_IS_FILE_SECTION_ACTIVE_DATA","features":[312]},{"name":"MM_IS_FILE_SECTION_ACTIVE_IMAGE","features":[312]},{"name":"MM_IS_FILE_SECTION_ACTIVE_USER","features":[312]},{"name":"MM_PREFETCH_FLAGS","features":[312]},{"name":"MSV1_0_AVID","features":[312]},{"name":"MSV1_0_ENUMUSERS_REQUEST","features":[312,329]},{"name":"MSV1_0_ENUMUSERS_RESPONSE","features":[312,308,329]},{"name":"MSV1_0_GETCHALLENRESP_REQUEST","features":[312,308,329]},{"name":"MSV1_0_GETCHALLENRESP_REQUEST_V1","features":[312,308,329]},{"name":"MSV1_0_GETCHALLENRESP_RESPONSE","features":[312,308,329,314]},{"name":"MSV1_0_GETUSERINFO_REQUEST","features":[312,308,329]},{"name":"MSV1_0_GETUSERINFO_RESPONSE","features":[312,308,329]},{"name":"MSV1_0_LM20_CHALLENGE_REQUEST","features":[312,329]},{"name":"MSV1_0_LM20_CHALLENGE_RESPONSE","features":[312,329]},{"name":"MakeSignature","features":[312]},{"name":"MapSecurityError","features":[312,308]},{"name":"MemoryBasicInformation","features":[312]},{"name":"MemoryType64KPage","features":[312]},{"name":"MemoryTypeCustom","features":[312]},{"name":"MemoryTypeHugePage","features":[312]},{"name":"MemoryTypeLargePage","features":[312]},{"name":"MemoryTypeMax","features":[312]},{"name":"MemoryTypeNonPaged","features":[312]},{"name":"MemoryTypePaged","features":[312]},{"name":"MmCanFileBeTruncated","features":[309,312,308]},{"name":"MmDoesFileHaveUserWritableReferences","features":[309,312]},{"name":"MmFlushForDelete","features":[312]},{"name":"MmFlushForWrite","features":[312]},{"name":"MmFlushImageSection","features":[309,312,308]},{"name":"MmForceSectionClosed","features":[309,312,308]},{"name":"MmForceSectionClosedEx","features":[309,312,308]},{"name":"MmGetMaximumFileSectionSize","features":[312]},{"name":"MmIsFileSectionActive","features":[309,312,308]},{"name":"MmIsRecursiveIoFault","features":[312,308]},{"name":"MmMdlPagesAreZero","features":[309,312]},{"name":"MmPrefetchPages","features":[309,312,310,308,311,327,313,314,315]},{"name":"MmSetAddressRangeModified","features":[312,308]},{"name":"MsvAvChannelBindings","features":[312]},{"name":"MsvAvDnsComputerName","features":[312]},{"name":"MsvAvDnsDomainName","features":[312]},{"name":"MsvAvDnsTreeName","features":[312]},{"name":"MsvAvEOL","features":[312]},{"name":"MsvAvFlags","features":[312]},{"name":"MsvAvNbComputerName","features":[312]},{"name":"MsvAvNbDomainName","features":[312]},{"name":"MsvAvRestrictions","features":[312]},{"name":"MsvAvTargetName","features":[312]},{"name":"MsvAvTimestamp","features":[312]},{"name":"NETWORK_APP_INSTANCE_ECP_CONTEXT","features":[312]},{"name":"NETWORK_APP_INSTANCE_VERSION_ECP_CONTEXT","features":[312]},{"name":"NETWORK_OPEN_ECP_CONTEXT","features":[312]},{"name":"NETWORK_OPEN_ECP_CONTEXT_V0","features":[312]},{"name":"NETWORK_OPEN_ECP_IN_FLAG_DISABLE_HANDLE_COLLAPSING","features":[312]},{"name":"NETWORK_OPEN_ECP_IN_FLAG_DISABLE_HANDLE_DURABILITY","features":[312]},{"name":"NETWORK_OPEN_ECP_IN_FLAG_DISABLE_OPLOCKS","features":[312]},{"name":"NETWORK_OPEN_ECP_IN_FLAG_FORCE_BUFFERED_SYNCHRONOUS_IO_HACK","features":[312]},{"name":"NETWORK_OPEN_ECP_IN_FLAG_FORCE_MAX_EOF_HACK","features":[312]},{"name":"NETWORK_OPEN_ECP_IN_FLAG_REQ_MUTUAL_AUTH","features":[312]},{"name":"NETWORK_OPEN_ECP_OUT_FLAG_RET_MUTUAL_AUTH","features":[312]},{"name":"NETWORK_OPEN_INTEGRITY_QUALIFIER","features":[312]},{"name":"NETWORK_OPEN_LOCATION_QUALIFIER","features":[312]},{"name":"NFS_OPEN_ECP_CONTEXT","features":[312,308,321]},{"name":"NLSTABLEINFO","features":[312]},{"name":"NO_8DOT3_NAME_PRESENT","features":[312]},{"name":"NTCREATEFILE_CREATE_DISPOSITION","features":[312]},{"name":"NTCREATEFILE_CREATE_OPTIONS","features":[312]},{"name":"NetworkOpenIntegrityAny","features":[312]},{"name":"NetworkOpenIntegrityEncrypted","features":[312]},{"name":"NetworkOpenIntegrityMaximum","features":[312]},{"name":"NetworkOpenIntegrityNone","features":[312]},{"name":"NetworkOpenIntegritySigned","features":[312]},{"name":"NetworkOpenLocationAny","features":[312]},{"name":"NetworkOpenLocationLoopback","features":[312]},{"name":"NetworkOpenLocationRemote","features":[312]},{"name":"NotifyTypeCreate","features":[312]},{"name":"NotifyTypeRetired","features":[312]},{"name":"NtAccessCheckAndAuditAlarm","features":[312,308,311]},{"name":"NtAccessCheckByTypeAndAuditAlarm","features":[312,308,311]},{"name":"NtAccessCheckByTypeResultListAndAuditAlarm","features":[312,308,311]},{"name":"NtAccessCheckByTypeResultListAndAuditAlarmByHandle","features":[312,308,311]},{"name":"NtAdjustGroupsToken","features":[312,308,311]},{"name":"NtAdjustPrivilegesToken","features":[312,308,311]},{"name":"NtAllocateVirtualMemory","features":[312,308]},{"name":"NtCancelIoFileEx","features":[312,308,313]},{"name":"NtCloseObjectAuditAlarm","features":[312,308]},{"name":"NtCreateFile","features":[309,312,308,327,313]},{"name":"NtCreateSection","features":[309,312,308]},{"name":"NtCreateSectionEx","features":[309,312,308,326]},{"name":"NtDeleteObjectAuditAlarm","features":[312,308]},{"name":"NtDuplicateToken","features":[309,312,308,311]},{"name":"NtFilterToken","features":[312,308,311]},{"name":"NtFlushBuffersFileEx","features":[312,308,313]},{"name":"NtFreeVirtualMemory","features":[312,308]},{"name":"NtFsControlFile","features":[312,308,313]},{"name":"NtImpersonateAnonymousToken","features":[312,308]},{"name":"NtLockFile","features":[312,308,313]},{"name":"NtOpenFile","features":[309,312,308,313]},{"name":"NtOpenObjectAuditAlarm","features":[312,308,311]},{"name":"NtOpenProcessToken","features":[312,308]},{"name":"NtOpenProcessTokenEx","features":[312,308]},{"name":"NtOpenThreadToken","features":[312,308]},{"name":"NtOpenThreadTokenEx","features":[312,308]},{"name":"NtPrivilegeCheck","features":[312,308,311]},{"name":"NtPrivilegeObjectAuditAlarm","features":[312,308,311]},{"name":"NtPrivilegedServiceAuditAlarm","features":[312,308,311]},{"name":"NtQueryDirectoryFile","features":[312,308,313]},{"name":"NtQueryDirectoryFileEx","features":[312,308,313]},{"name":"NtQueryInformationByName","features":[309,312,308,313]},{"name":"NtQueryInformationFile","features":[312,308,313]},{"name":"NtQueryInformationToken","features":[312,308,311]},{"name":"NtQueryQuotaInformationFile","features":[312,308,313]},{"name":"NtQuerySecurityObject","features":[312,308,311]},{"name":"NtQueryVirtualMemory","features":[312,308]},{"name":"NtQueryVolumeInformationFile","features":[312,308,313]},{"name":"NtReadFile","features":[312,308,313]},{"name":"NtSetInformationFile","features":[312,308,313]},{"name":"NtSetInformationToken","features":[312,308,311]},{"name":"NtSetInformationVirtualMemory","features":[312,308]},{"name":"NtSetQuotaInformationFile","features":[312,308,313]},{"name":"NtSetSecurityObject","features":[312,308,311]},{"name":"NtSetVolumeInformationFile","features":[312,308,313]},{"name":"NtUnlockFile","features":[312,308,313]},{"name":"NtWriteFile","features":[312,308,313]},{"name":"NtfsLinkTrackingInformation","features":[312]},{"name":"OPEN_REPARSE_LIST","features":[312,314]},{"name":"OPEN_REPARSE_LIST_ENTRY","features":[312,314]},{"name":"OPEN_REPARSE_POINT_OVERRIDE_CREATE_OPTION","features":[312]},{"name":"OPEN_REPARSE_POINT_REPARSE_ALWAYS","features":[312]},{"name":"OPEN_REPARSE_POINT_REPARSE_IF_CHILD_EXISTS","features":[312]},{"name":"OPEN_REPARSE_POINT_REPARSE_IF_CHILD_NOT_EXISTS","features":[312]},{"name":"OPEN_REPARSE_POINT_REPARSE_IF_DIRECTORY_FINAL_COMPONENT","features":[312]},{"name":"OPEN_REPARSE_POINT_REPARSE_IF_DIRECTORY_FINAL_COMPONENT_ALWAYS","features":[312]},{"name":"OPEN_REPARSE_POINT_REPARSE_IF_FINAL_COMPONENT","features":[312]},{"name":"OPEN_REPARSE_POINT_REPARSE_IF_FINAL_COMPONENT_ALWAYS","features":[312]},{"name":"OPEN_REPARSE_POINT_REPARSE_IF_NON_DIRECTORY_FINAL_COMPONENT","features":[312]},{"name":"OPEN_REPARSE_POINT_REPARSE_IF_NON_DIRECTORY_FINAL_COMPONENT_ALWAYS","features":[312]},{"name":"OPEN_REPARSE_POINT_REPARSE_IF_NON_DIRECTORY_NON_FINAL_COMPONENT","features":[312]},{"name":"OPEN_REPARSE_POINT_REPARSE_IF_NON_DIRECTORY_NON_FINAL_COMPONENT_ALWAYS","features":[312]},{"name":"OPEN_REPARSE_POINT_REPARSE_IF_NON_FINAL_COMPONENT","features":[312]},{"name":"OPEN_REPARSE_POINT_RETURN_REPARSE_DATA_BUFFER","features":[312]},{"name":"OPEN_REPARSE_POINT_TAG_ENCOUNTERED","features":[312]},{"name":"OPEN_REPARSE_POINT_VERSION_EX","features":[312]},{"name":"OPLOCK_FLAG_BACK_OUT_ATOMIC_OPLOCK","features":[312]},{"name":"OPLOCK_FLAG_BREAKING_FOR_SHARING_VIOLATION","features":[312]},{"name":"OPLOCK_FLAG_CLOSING_DELETE_ON_CLOSE","features":[312]},{"name":"OPLOCK_FLAG_COMPLETE_IF_OPLOCKED","features":[312]},{"name":"OPLOCK_FLAG_IGNORE_OPLOCK_KEYS","features":[312]},{"name":"OPLOCK_FLAG_OPLOCK_KEY_CHECK_ONLY","features":[312]},{"name":"OPLOCK_FLAG_PARENT_OBJECT","features":[312]},{"name":"OPLOCK_FLAG_REMOVING_FILE_OR_LINK","features":[312]},{"name":"OPLOCK_FSCTRL_FLAG_ALL_KEYS_MATCH","features":[312]},{"name":"OPLOCK_KEY_CONTEXT","features":[312]},{"name":"OPLOCK_KEY_ECP_CONTEXT","features":[312]},{"name":"OPLOCK_NOTIFY_BREAK_WAIT_INTERIM_TIMEOUT","features":[312]},{"name":"OPLOCK_NOTIFY_BREAK_WAIT_TERMINATED","features":[312]},{"name":"OPLOCK_NOTIFY_PARAMS","features":[309,312,310,308,311,313,314,315]},{"name":"OPLOCK_NOTIFY_REASON","features":[312]},{"name":"OPLOCK_UPPER_FLAG_CHECK_NO_BREAK","features":[312]},{"name":"OPLOCK_UPPER_FLAG_NOTIFY_REFRESH_READ","features":[312]},{"name":"ObInsertObject","features":[309,312,310,308,311]},{"name":"ObIsKernelHandle","features":[312,308]},{"name":"ObMakeTemporaryObject","features":[312]},{"name":"ObOpenObjectByPointer","features":[309,312,310,308,311]},{"name":"ObOpenObjectByPointerWithTag","features":[309,312,310,308,311]},{"name":"ObQueryNameString","features":[309,312,308]},{"name":"ObQueryObjectAuditingByHandle","features":[312,308]},{"name":"PACQUIRE_FOR_LAZY_WRITE","features":[312,308]},{"name":"PACQUIRE_FOR_LAZY_WRITE_EX","features":[312,308]},{"name":"PACQUIRE_FOR_READ_AHEAD","features":[312,308]},{"name":"PALLOCATE_VIRTUAL_MEMORY_EX_CALLBACK","features":[312,308]},{"name":"PASYNC_READ_COMPLETION_CALLBACK","features":[312,308]},{"name":"PCC_POST_DEFERRED_WRITE","features":[312]},{"name":"PCHECK_FOR_TRAVERSE_ACCESS","features":[309,312,308,311]},{"name":"PCOMPLETE_LOCK_IRP_ROUTINE","features":[309,312,310,308,311,313,314,315]},{"name":"PDIRTY_PAGE_ROUTINE","features":[309,312,310,308,311,313,314,315]},{"name":"PFILTER_REPORT_CHANGE","features":[312,308]},{"name":"PFLUSH_TO_LSN","features":[312]},{"name":"PFN_FSRTLTEARDOWNPERSTREAMCONTEXTS","features":[309,312,308,314]},{"name":"PFREE_VIRTUAL_MEMORY_EX_CALLBACK","features":[312,308]},{"name":"PFSRTL_EXTRA_CREATE_PARAMETER_CLEANUP_CALLBACK","features":[312]},{"name":"PFSRTL_STACK_OVERFLOW_ROUTINE","features":[309,312,308,314]},{"name":"PFS_FILTER_CALLBACK","features":[309,312,310,308,311,313,314,315]},{"name":"PFS_FILTER_COMPLETION_CALLBACK","features":[309,312,310,308,311,313,314,315]},{"name":"PHYSICAL_EXTENTS_DESCRIPTOR","features":[312]},{"name":"PHYSICAL_MEMORY_DESCRIPTOR","features":[312]},{"name":"PHYSICAL_MEMORY_RUN","features":[312]},{"name":"PIN_CALLER_TRACKS_DIRTY_DATA","features":[312]},{"name":"PIN_EXCLUSIVE","features":[312]},{"name":"PIN_HIGH_PRIORITY","features":[312]},{"name":"PIN_IF_BCB","features":[312]},{"name":"PIN_NO_READ","features":[312]},{"name":"PIN_VERIFY_REQUIRED","features":[312]},{"name":"PIN_WAIT","features":[312]},{"name":"POLICY_AUDIT_SUBCATEGORY_COUNT","features":[312]},{"name":"POPLOCK_FS_PREPOST_IRP","features":[309,312,310,308,311,313,314,315]},{"name":"POPLOCK_NOTIFY_ROUTINE","features":[309,312,310,308,311,313,314,315]},{"name":"POPLOCK_WAIT_COMPLETE_ROUTINE","features":[309,312,310,308,311,313,314,315]},{"name":"PO_CB_AC_STATUS","features":[312]},{"name":"PO_CB_BUTTON_COLLISION","features":[312]},{"name":"PO_CB_LID_SWITCH_STATE","features":[312]},{"name":"PO_CB_PROCESSOR_POWER_POLICY","features":[312]},{"name":"PO_CB_SYSTEM_POWER_POLICY","features":[312]},{"name":"PO_CB_SYSTEM_STATE_LOCK","features":[312]},{"name":"PQUERY_LOG_USAGE","features":[312]},{"name":"PQUERY_VIRTUAL_MEMORY_CALLBACK","features":[312,308]},{"name":"PREFETCH_OPEN_ECP_CONTEXT","features":[312]},{"name":"PREFIX_TABLE","features":[309,312,314]},{"name":"PREFIX_TABLE_ENTRY","features":[309,312,314]},{"name":"PRELEASE_FROM_LAZY_WRITE","features":[312]},{"name":"PRELEASE_FROM_READ_AHEAD","features":[312]},{"name":"PRTL_ALLOCATE_STRING_ROUTINE","features":[312]},{"name":"PRTL_FREE_STRING_ROUTINE","features":[312]},{"name":"PRTL_HEAP_COMMIT_ROUTINE","features":[312,308]},{"name":"PRTL_REALLOCATE_STRING_ROUTINE","features":[312]},{"name":"PSE_LOGON_SESSION_TERMINATED_ROUTINE","features":[312,308]},{"name":"PSE_LOGON_SESSION_TERMINATED_ROUTINE_EX","features":[312,308]},{"name":"PSMP_MAXIMUM_SYSAPP_CLAIM_VALUES","features":[312]},{"name":"PSMP_MINIMUM_SYSAPP_CLAIM_VALUES","features":[312]},{"name":"PUBLIC_BCB","features":[312]},{"name":"PUNLOCK_ROUTINE","features":[309,312,310,308,311,313,314,315]},{"name":"PURGE_WITH_ACTIVE_VIEWS","features":[312]},{"name":"PfxFindPrefix","features":[309,312,314]},{"name":"PfxInitialize","features":[309,312,314]},{"name":"PfxInsertPrefix","features":[309,312,308,314]},{"name":"PfxRemovePrefix","features":[309,312,314]},{"name":"PoQueueShutdownWorkItem","features":[309,312,308,314]},{"name":"PsAssignImpersonationToken","features":[309,312,308]},{"name":"PsChargePoolQuota","features":[309,312]},{"name":"PsChargeProcessPoolQuota","features":[309,312,308]},{"name":"PsDereferenceImpersonationToken","features":[312]},{"name":"PsDereferencePrimaryToken","features":[312]},{"name":"PsDisableImpersonation","features":[309,312,308,311]},{"name":"PsGetProcessExitTime","features":[312]},{"name":"PsGetThreadProcess","features":[309,312]},{"name":"PsImpersonateClient","features":[309,312,308,311]},{"name":"PsIsDiskCountersEnabled","features":[312,308]},{"name":"PsIsSystemThread","features":[309,312,308]},{"name":"PsIsThreadTerminating","features":[309,312,308]},{"name":"PsLookupProcessByProcessId","features":[309,312,308]},{"name":"PsLookupThreadByThreadId","features":[309,312,308]},{"name":"PsReferenceImpersonationToken","features":[309,312,308,311]},{"name":"PsReferencePrimaryToken","features":[309,312]},{"name":"PsRestoreImpersonation","features":[309,312,308,311]},{"name":"PsReturnPoolQuota","features":[309,312]},{"name":"PsRevertToSelf","features":[312]},{"name":"PsUpdateDiskCounters","features":[309,312]},{"name":"QUERY_BAD_RANGES_INPUT","features":[312,328]},{"name":"QUERY_DIRECT_ACCESS_DATA_EXTENTS","features":[312]},{"name":"QUERY_DIRECT_ACCESS_EXTENTS","features":[312]},{"name":"QUERY_DIRECT_ACCESS_IMAGE_EXTENTS","features":[312]},{"name":"QUERY_ON_CREATE_EA_INFORMATION","features":[312]},{"name":"QUERY_ON_CREATE_ECP_CONTEXT","features":[312]},{"name":"QUERY_ON_CREATE_FILE_LX_INFORMATION","features":[312]},{"name":"QUERY_ON_CREATE_FILE_STAT_INFORMATION","features":[312]},{"name":"QUERY_PATH_REQUEST","features":[309,312,310,308,311]},{"name":"QUERY_PATH_REQUEST_EX","features":[309,312,310,308,311]},{"name":"QUERY_PATH_RESPONSE","features":[312]},{"name":"QUERY_VIRTUAL_MEMORY_CALLBACK","features":[312,308]},{"name":"QoCFileEaInformation","features":[312]},{"name":"QoCFileLxInformation","features":[312]},{"name":"QoCFileStatInformation","features":[312]},{"name":"QuerySecurityContextToken","features":[312]},{"name":"READ_AHEAD_PARAMETERS","features":[312]},{"name":"READ_LIST","features":[309,312,310,308,311,327,313,314,315]},{"name":"READ_USN_JOURNAL_DATA","features":[312]},{"name":"REFS_COMPRESSION_FORMATS","features":[312]},{"name":"REFS_COMPRESSION_FORMAT_LZ4","features":[312]},{"name":"REFS_COMPRESSION_FORMAT_MAX","features":[312]},{"name":"REFS_COMPRESSION_FORMAT_UNCOMPRESSED","features":[312]},{"name":"REFS_COMPRESSION_FORMAT_ZSTD","features":[312]},{"name":"REFS_DEALLOCATE_RANGES_ALLOCATOR","features":[312]},{"name":"REFS_DEALLOCATE_RANGES_ALLOCATOR_CAA","features":[312]},{"name":"REFS_DEALLOCATE_RANGES_ALLOCATOR_MAA","features":[312]},{"name":"REFS_DEALLOCATE_RANGES_ALLOCATOR_NONE","features":[312]},{"name":"REFS_DEALLOCATE_RANGES_ALLOCATOR_SAA","features":[312]},{"name":"REFS_DEALLOCATE_RANGES_INPUT_BUFFER","features":[312]},{"name":"REFS_DEALLOCATE_RANGES_INPUT_BUFFER_EX","features":[312]},{"name":"REFS_DEALLOCATE_RANGES_RANGE","features":[312]},{"name":"REFS_QUERY_VOLUME_COMPRESSION_INFO_OUTPUT_BUFFER","features":[312]},{"name":"REFS_QUERY_VOLUME_DEDUP_INFO_OUTPUT_BUFFER","features":[312,308]},{"name":"REFS_REMOVE_HARDLINK_BACKPOINTER","features":[312]},{"name":"REFS_SET_VOLUME_COMPRESSION_INFO_FLAGS","features":[312]},{"name":"REFS_SET_VOLUME_COMPRESSION_INFO_FLAG_COMPRESS_SYNC","features":[312]},{"name":"REFS_SET_VOLUME_COMPRESSION_INFO_FLAG_MAX","features":[312]},{"name":"REFS_SET_VOLUME_COMPRESSION_INFO_INPUT_BUFFER","features":[312]},{"name":"REFS_SET_VOLUME_DEDUP_INFO_INPUT_BUFFER","features":[312,308]},{"name":"REFS_STREAM_EXTENT","features":[312]},{"name":"REFS_STREAM_EXTENT_PROPERTY_CRC32","features":[312]},{"name":"REFS_STREAM_EXTENT_PROPERTY_CRC64","features":[312]},{"name":"REFS_STREAM_EXTENT_PROPERTY_GHOSTED","features":[312]},{"name":"REFS_STREAM_EXTENT_PROPERTY_READONLY","features":[312]},{"name":"REFS_STREAM_EXTENT_PROPERTY_SPARSE","features":[312]},{"name":"REFS_STREAM_EXTENT_PROPERTY_STREAM_RESERVED","features":[312]},{"name":"REFS_STREAM_EXTENT_PROPERTY_VALID","features":[312]},{"name":"REFS_STREAM_SNAPSHOT_LIST_OUTPUT_BUFFER","features":[312]},{"name":"REFS_STREAM_SNAPSHOT_LIST_OUTPUT_BUFFER_ENTRY","features":[312]},{"name":"REFS_STREAM_SNAPSHOT_MANAGEMENT_INPUT_BUFFER","features":[312]},{"name":"REFS_STREAM_SNAPSHOT_OPERATION","features":[312]},{"name":"REFS_STREAM_SNAPSHOT_OPERATION_CLEAR_SHADOW_BTREE","features":[312]},{"name":"REFS_STREAM_SNAPSHOT_OPERATION_CREATE","features":[312]},{"name":"REFS_STREAM_SNAPSHOT_OPERATION_INVALID","features":[312]},{"name":"REFS_STREAM_SNAPSHOT_OPERATION_LIST","features":[312]},{"name":"REFS_STREAM_SNAPSHOT_OPERATION_MAX","features":[312]},{"name":"REFS_STREAM_SNAPSHOT_OPERATION_QUERY_DELTAS","features":[312]},{"name":"REFS_STREAM_SNAPSHOT_OPERATION_REVERT","features":[312]},{"name":"REFS_STREAM_SNAPSHOT_OPERATION_SET_SHADOW_BTREE","features":[312]},{"name":"REFS_STREAM_SNAPSHOT_QUERY_DELTAS_INPUT_BUFFER","features":[312]},{"name":"REFS_STREAM_SNAPSHOT_QUERY_DELTAS_OUTPUT_BUFFER","features":[312]},{"name":"REFS_VOLUME_COUNTER_INFO_INPUT_BUFFER","features":[312,308]},{"name":"REFS_VOLUME_DATA_BUFFER","features":[312]},{"name":"REMOTE_LINK_TRACKING_INFORMATION","features":[312]},{"name":"REMOTE_PROTOCOL_FLAG_INTEGRITY","features":[312]},{"name":"REMOTE_PROTOCOL_FLAG_LOOPBACK","features":[312]},{"name":"REMOTE_PROTOCOL_FLAG_MUTUAL_AUTH","features":[312]},{"name":"REMOTE_PROTOCOL_FLAG_OFFLINE","features":[312]},{"name":"REMOTE_PROTOCOL_FLAG_PERSISTENT_HANDLE","features":[312]},{"name":"REMOTE_PROTOCOL_FLAG_PRIVACY","features":[312]},{"name":"REMOVED_8DOT3_NAME","features":[312]},{"name":"REPARSE_DATA_BUFFER","features":[312]},{"name":"REPARSE_DATA_BUFFER_EX","features":[312,327]},{"name":"REPARSE_DATA_EX_FLAG_GIVEN_TAG_OR_NONE","features":[312]},{"name":"REPARSE_INDEX_KEY","features":[312]},{"name":"RETRIEVAL_POINTERS_AND_REFCOUNT_BUFFER","features":[312]},{"name":"RETURN_NON_NT_USER_SESSION_KEY","features":[312]},{"name":"RETURN_PRIMARY_LOGON_DOMAINNAME","features":[312]},{"name":"RETURN_PRIMARY_USERNAME","features":[312]},{"name":"RETURN_RESERVED_PARAMETER","features":[312]},{"name":"RKF_BYPASS_ECP_CONTEXT","features":[312]},{"name":"RPI_SMB2_SERVERCAP_DFS","features":[312]},{"name":"RPI_SMB2_SERVERCAP_DIRECTORY_LEASING","features":[312]},{"name":"RPI_SMB2_SERVERCAP_ENCRYPTION_AWARE","features":[312]},{"name":"RPI_SMB2_SERVERCAP_LARGEMTU","features":[312]},{"name":"RPI_SMB2_SERVERCAP_LEASING","features":[312]},{"name":"RPI_SMB2_SERVERCAP_MULTICHANNEL","features":[312]},{"name":"RPI_SMB2_SERVERCAP_PERSISTENT_HANDLES","features":[312]},{"name":"RPI_SMB2_SHARECAP_ACCESS_BASED_DIRECTORY_ENUM","features":[312]},{"name":"RPI_SMB2_SHARECAP_ASYMMETRIC_SCALEOUT","features":[312]},{"name":"RPI_SMB2_SHARECAP_CLUSTER","features":[312]},{"name":"RPI_SMB2_SHARECAP_CONTINUOUS_AVAILABILITY","features":[312]},{"name":"RPI_SMB2_SHARECAP_DFS","features":[312]},{"name":"RPI_SMB2_SHARECAP_ENCRYPTED","features":[312]},{"name":"RPI_SMB2_SHARECAP_IDENTITY_REMOTING","features":[312]},{"name":"RPI_SMB2_SHARECAP_SCALEOUT","features":[312]},{"name":"RPI_SMB2_SHARECAP_TIMEWARP","features":[312]},{"name":"RPI_SMB2_SHARETYPE_DISK","features":[312]},{"name":"RPI_SMB2_SHARETYPE_PIPE","features":[312]},{"name":"RPI_SMB2_SHARETYPE_PRINT","features":[312]},{"name":"RTL_ALLOCATE_STRING_ROUTINE","features":[312]},{"name":"RTL_DUPLICATE_UNICODE_STRING_ALLOCATE_NULL_STRING","features":[312]},{"name":"RTL_DUPLICATE_UNICODE_STRING_NULL_TERMINATE","features":[312]},{"name":"RTL_FREE_STRING_ROUTINE","features":[312]},{"name":"RTL_HEAP_COMMIT_ROUTINE","features":[312,308]},{"name":"RTL_HEAP_MEMORY_LIMIT_CURRENT_VERSION","features":[312]},{"name":"RTL_HEAP_MEMORY_LIMIT_DATA","features":[312]},{"name":"RTL_HEAP_MEMORY_LIMIT_INFO","features":[312]},{"name":"RTL_HEAP_PARAMETERS","features":[312,308]},{"name":"RTL_MEMORY_TYPE","features":[312]},{"name":"RTL_NLS_STATE","features":[312]},{"name":"RTL_REALLOCATE_STRING_ROUTINE","features":[312]},{"name":"RTL_SEGMENT_HEAP_MEMORY_SOURCE","features":[312,308]},{"name":"RTL_SEGMENT_HEAP_PARAMETERS","features":[312,308]},{"name":"RTL_SEGMENT_HEAP_VA_CALLBACKS","features":[312,308]},{"name":"RTL_SYSTEM_VOLUME_INFORMATION_FOLDER","features":[312]},{"name":"RtlAbsoluteToSelfRelativeSD","features":[312,308,311]},{"name":"RtlAddAccessAllowedAce","features":[312,308,311]},{"name":"RtlAddAccessAllowedAceEx","features":[312,308,311]},{"name":"RtlAddAce","features":[312,308,311]},{"name":"RtlAllocateAndInitializeSid","features":[312,308,311]},{"name":"RtlAllocateAndInitializeSidEx","features":[312,308,311]},{"name":"RtlAllocateHeap","features":[312]},{"name":"RtlAppendStringToString","features":[312,308,314]},{"name":"RtlCompareAltitudes","features":[312,308]},{"name":"RtlCompareMemoryUlong","features":[312]},{"name":"RtlCompressBuffer","features":[312,308]},{"name":"RtlCompressChunks","features":[312,308]},{"name":"RtlCopyLuid","features":[312,308]},{"name":"RtlCopySid","features":[312,308]},{"name":"RtlCreateAcl","features":[312,308,311]},{"name":"RtlCreateHeap","features":[312,308]},{"name":"RtlCreateServiceSid","features":[312,308]},{"name":"RtlCreateSystemVolumeInformationFolder","features":[312,308]},{"name":"RtlCreateUnicodeString","features":[312,308]},{"name":"RtlCreateVirtualAccountSid","features":[312,308]},{"name":"RtlCustomCPToUnicodeN","features":[312,308]},{"name":"RtlDecompressBuffer","features":[312,308]},{"name":"RtlDecompressBufferEx","features":[312,308]},{"name":"RtlDecompressBufferEx2","features":[312,308]},{"name":"RtlDecompressChunks","features":[312,308]},{"name":"RtlDecompressFragment","features":[312,308]},{"name":"RtlDecompressFragmentEx","features":[312,308]},{"name":"RtlDeleteAce","features":[312,308,311]},{"name":"RtlDescribeChunk","features":[312,308]},{"name":"RtlDestroyHeap","features":[312]},{"name":"RtlDowncaseUnicodeString","features":[312,308]},{"name":"RtlDuplicateUnicodeString","features":[312,308]},{"name":"RtlEqualPrefixSid","features":[312,308]},{"name":"RtlEqualSid","features":[312,308]},{"name":"RtlFindUnicodePrefix","features":[309,312,308]},{"name":"RtlFreeHeap","features":[312]},{"name":"RtlFreeSid","features":[312,308]},{"name":"RtlGenerate8dot3Name","features":[312,308]},{"name":"RtlGetAce","features":[312,308,311]},{"name":"RtlGetCompressionWorkSpaceSize","features":[312,308]},{"name":"RtlGetDaclSecurityDescriptor","features":[312,308,311]},{"name":"RtlGetGroupSecurityDescriptor","features":[312,308,311]},{"name":"RtlGetOwnerSecurityDescriptor","features":[312,308,311]},{"name":"RtlGetSaclSecurityDescriptor","features":[312,308,311]},{"name":"RtlIdentifierAuthoritySid","features":[312,308,311]},{"name":"RtlIdnToAscii","features":[312,308]},{"name":"RtlIdnToNameprepUnicode","features":[312,308]},{"name":"RtlIdnToUnicode","features":[312,308]},{"name":"RtlInitCodePageTable","features":[312]},{"name":"RtlInitUnicodeStringEx","features":[312,308]},{"name":"RtlInitializeSid","features":[312,308,311]},{"name":"RtlInitializeSidEx","features":[312,308,311]},{"name":"RtlInitializeUnicodePrefix","features":[309,312,308]},{"name":"RtlInsertUnicodePrefix","features":[309,312,308]},{"name":"RtlIsCloudFilesPlaceholder","features":[312,308]},{"name":"RtlIsNonEmptyDirectoryReparsePointAllowed","features":[312,308]},{"name":"RtlIsNormalizedString","features":[312,308]},{"name":"RtlIsPartialPlaceholder","features":[312,308]},{"name":"RtlIsPartialPlaceholderFileHandle","features":[312,308]},{"name":"RtlIsPartialPlaceholderFileInfo","features":[312,308]},{"name":"RtlIsSandboxedToken","features":[309,312,308,311]},{"name":"RtlIsValidOemCharacter","features":[312,308]},{"name":"RtlLengthRequiredSid","features":[312]},{"name":"RtlLengthSid","features":[312,308]},{"name":"RtlMultiByteToUnicodeN","features":[312,308]},{"name":"RtlMultiByteToUnicodeSize","features":[312,308]},{"name":"RtlNextUnicodePrefix","features":[309,312,308]},{"name":"RtlNormalizeString","features":[312,308]},{"name":"RtlNtStatusToDosErrorNoTeb","features":[312,308]},{"name":"RtlOemStringToCountedUnicodeString","features":[312,308,314]},{"name":"RtlOemStringToUnicodeString","features":[312,308,314]},{"name":"RtlOemToUnicodeN","features":[312,308]},{"name":"RtlPrefixString","features":[312,308,314]},{"name":"RtlQueryPackageIdentity","features":[312,308]},{"name":"RtlQueryPackageIdentityEx","features":[312,308]},{"name":"RtlQueryProcessPlaceholderCompatibilityMode","features":[312]},{"name":"RtlQueryThreadPlaceholderCompatibilityMode","features":[312]},{"name":"RtlRandom","features":[312]},{"name":"RtlRandomEx","features":[312]},{"name":"RtlRemoveUnicodePrefix","features":[309,312,308]},{"name":"RtlReplaceSidInSd","features":[312,308,311]},{"name":"RtlReserveChunk","features":[312,308]},{"name":"RtlSecondsSince1970ToTime","features":[312]},{"name":"RtlSecondsSince1980ToTime","features":[312]},{"name":"RtlSelfRelativeToAbsoluteSD","features":[312,308,311]},{"name":"RtlSetGroupSecurityDescriptor","features":[312,308,311]},{"name":"RtlSetOwnerSecurityDescriptor","features":[312,308,311]},{"name":"RtlSetProcessPlaceholderCompatibilityMode","features":[312]},{"name":"RtlSetThreadPlaceholderCompatibilityMode","features":[312]},{"name":"RtlSubAuthorityCountSid","features":[312,308]},{"name":"RtlSubAuthoritySid","features":[312,308]},{"name":"RtlTimeToSecondsSince1980","features":[312,308]},{"name":"RtlUnicodeStringToCountedOemString","features":[312,308,314]},{"name":"RtlUnicodeToCustomCPN","features":[312,308]},{"name":"RtlUnicodeToMultiByteN","features":[312,308]},{"name":"RtlUnicodeToOemN","features":[312,308]},{"name":"RtlUpcaseUnicodeStringToCountedOemString","features":[312,308,314]},{"name":"RtlUpcaseUnicodeStringToOemString","features":[312,308,314]},{"name":"RtlUpcaseUnicodeToCustomCPN","features":[312,308]},{"name":"RtlUpcaseUnicodeToMultiByteN","features":[312,308]},{"name":"RtlUpcaseUnicodeToOemN","features":[312,308]},{"name":"RtlValidSid","features":[312,308]},{"name":"RtlValidateUnicodeString","features":[312,308]},{"name":"RtlxOemStringToUnicodeSize","features":[312,314]},{"name":"RtlxUnicodeStringToOemSize","features":[312,308]},{"name":"SECURITY_ANONYMOUS_LOGON_RID","features":[312]},{"name":"SECURITY_CLIENT_CONTEXT","features":[312,308,311]},{"name":"SEC_APPLICATION_PROTOCOLS","features":[312,329]},{"name":"SEC_DTLS_MTU","features":[312]},{"name":"SEC_FLAGS","features":[312]},{"name":"SEC_NEGOTIATION_INFO","features":[312]},{"name":"SEC_PRESHAREDKEY","features":[312]},{"name":"SEC_SRTP_MASTER_KEY_IDENTIFIER","features":[312]},{"name":"SEGMENT_HEAP_FLG_USE_PAGE_HEAP","features":[312]},{"name":"SEGMENT_HEAP_PARAMETERS_VERSION","features":[312]},{"name":"SEGMENT_HEAP_PARAMS_VALID_FLAGS","features":[312]},{"name":"SEMAPHORE_INCREMENT","features":[312]},{"name":"SET_CACHED_RUNS_STATE_INPUT_BUFFER","features":[312,308]},{"name":"SET_PURGE_FAILURE_MODE_DISABLED","features":[312]},{"name":"SE_AUDIT_INFO","features":[312,308,311]},{"name":"SE_AUDIT_OPERATION","features":[312]},{"name":"SE_BACKUP_PRIVILEGES_CHECKED","features":[312]},{"name":"SE_DACL_UNTRUSTED","features":[312]},{"name":"SE_EXPORTS","features":[312,308]},{"name":"SE_LOGON_SESSION_TERMINATED_ROUTINE","features":[312,308]},{"name":"SE_LOGON_SESSION_TERMINATED_ROUTINE_EX","features":[309,312,308]},{"name":"SE_SERVER_SECURITY","features":[312]},{"name":"SPECIAL_ENCRYPTED_OPEN","features":[312]},{"name":"SRV_INSTANCE_TYPE","features":[312]},{"name":"SRV_OPEN_ECP_CONTEXT","features":[312,308,321]},{"name":"SRV_OPEN_ECP_CONTEXT_VERSION_2","features":[312]},{"name":"SUPPORTED_FS_FEATURES_BYPASS_IO","features":[312]},{"name":"SUPPORTED_FS_FEATURES_OFFLOAD_READ","features":[312]},{"name":"SUPPORTED_FS_FEATURES_OFFLOAD_WRITE","features":[312]},{"name":"SUPPORTED_FS_FEATURES_QUERY_OPEN","features":[312]},{"name":"SYMLINK_DIRECTORY","features":[312]},{"name":"SYMLINK_FILE","features":[312]},{"name":"SYMLINK_FLAG_RELATIVE","features":[312]},{"name":"SYMLINK_RESERVED_MASK","features":[312]},{"name":"SYSTEM_PAGE_PRIORITY_BITS","features":[312]},{"name":"SYSTEM_PROCESS_TRUST_LABEL_ACE","features":[312]},{"name":"SeAccessCheckFromState","features":[312,308,311]},{"name":"SeAccessCheckFromStateEx","features":[312,308,311]},{"name":"SeAdjustAccessStateForAccessConstraints","features":[309,312,310,308,311]},{"name":"SeAdjustAccessStateForTrustLabel","features":[309,312,310,308,311]},{"name":"SeAdjustObjectSecurity","features":[309,312,308,311]},{"name":"SeAppendPrivileges","features":[309,312,310,308,311]},{"name":"SeAuditFipsCryptoSelftests","features":[312,308]},{"name":"SeAuditHardLinkCreation","features":[312,308]},{"name":"SeAuditHardLinkCreationWithTransaction","features":[312,308]},{"name":"SeAuditTransactionStateChange","features":[312]},{"name":"SeAuditingAnyFileEventsWithContext","features":[309,312,308,311]},{"name":"SeAuditingAnyFileEventsWithContextEx","features":[309,312,308,311]},{"name":"SeAuditingFileEvents","features":[312,308,311]},{"name":"SeAuditingFileEventsWithContext","features":[309,312,308,311]},{"name":"SeAuditingFileEventsWithContextEx","features":[309,312,308,311]},{"name":"SeAuditingFileOrGlobalEvents","features":[309,312,308,311]},{"name":"SeAuditingHardLinkEvents","features":[312,308,311]},{"name":"SeAuditingHardLinkEventsWithContext","features":[309,312,308,311]},{"name":"SeCaptureSubjectContextEx","features":[309,312,311]},{"name":"SeCheckForCriticalAceRemoval","features":[309,312,308,311]},{"name":"SeCreateClientSecurity","features":[309,312,308,311]},{"name":"SeCreateClientSecurityFromSubjectContext","features":[309,312,308,311]},{"name":"SeDeleteClientSecurity","features":[312,308,311]},{"name":"SeDeleteObjectAuditAlarm","features":[312,308]},{"name":"SeDeleteObjectAuditAlarmWithTransaction","features":[312,308]},{"name":"SeExamineSacl","features":[312,308,311]},{"name":"SeFilterToken","features":[312,308,311]},{"name":"SeFreePrivileges","features":[312,308,311]},{"name":"SeImpersonateClient","features":[309,312,308,311]},{"name":"SeImpersonateClientEx","features":[309,312,308,311]},{"name":"SeLocateProcessImageName","features":[309,312,308]},{"name":"SeMarkLogonSessionForTerminationNotification","features":[312,308]},{"name":"SeMarkLogonSessionForTerminationNotificationEx","features":[309,312,308]},{"name":"SeOpenObjectAuditAlarm","features":[309,312,310,308,311]},{"name":"SeOpenObjectAuditAlarmWithTransaction","features":[309,312,310,308,311]},{"name":"SeOpenObjectForDeleteAuditAlarm","features":[309,312,310,308,311]},{"name":"SeOpenObjectForDeleteAuditAlarmWithTransaction","features":[309,312,310,308,311]},{"name":"SePrivilegeCheck","features":[309,312,308,311]},{"name":"SeQueryAuthenticationIdToken","features":[312,308]},{"name":"SeQueryInformationToken","features":[312,308,311]},{"name":"SeQuerySecurityDescriptorInfo","features":[312,308,311]},{"name":"SeQueryServerSiloToken","features":[309,312,308]},{"name":"SeQuerySessionIdToken","features":[312,308]},{"name":"SeQuerySessionIdTokenEx","features":[312,308]},{"name":"SeRegisterLogonSessionTerminatedRoutine","features":[312,308]},{"name":"SeRegisterLogonSessionTerminatedRoutineEx","features":[312,308]},{"name":"SeReportSecurityEventWithSubCategory","features":[312,308,329]},{"name":"SeSetAccessStateGenericMapping","features":[309,312,310,308,311]},{"name":"SeSetSecurityDescriptorInfo","features":[309,312,308,311]},{"name":"SeSetSecurityDescriptorInfoEx","features":[309,312,308,311]},{"name":"SeShouldCheckForAccessRightsFromParent","features":[309,312,310,308,311]},{"name":"SeTokenFromAccessInformation","features":[312,308,311]},{"name":"SeTokenIsAdmin","features":[312,308]},{"name":"SeTokenIsRestricted","features":[312,308]},{"name":"SeTokenIsWriteRestricted","features":[312,308]},{"name":"SeTokenType","features":[312,311]},{"name":"SeUnregisterLogonSessionTerminatedRoutine","features":[312,308]},{"name":"SeUnregisterLogonSessionTerminatedRoutineEx","features":[312,308]},{"name":"SecBuffer","features":[312]},{"name":"SecBufferDesc","features":[312]},{"name":"SecHandle","features":[312]},{"name":"SecLookupAccountName","features":[312,308,311]},{"name":"SecLookupAccountSid","features":[312,308,311]},{"name":"SecLookupWellKnownSid","features":[312,308,311]},{"name":"SecMakeSPN","features":[312,308]},{"name":"SecMakeSPNEx","features":[312,308]},{"name":"SecMakeSPNEx2","features":[312,308]},{"name":"SetContextAttributesW","features":[312]},{"name":"SharedVirtualDiskCDPSnapshotsSupported","features":[312]},{"name":"SharedVirtualDiskHandleState","features":[312]},{"name":"SharedVirtualDiskHandleStateFileShared","features":[312]},{"name":"SharedVirtualDiskHandleStateHandleShared","features":[312]},{"name":"SharedVirtualDiskHandleStateNone","features":[312]},{"name":"SharedVirtualDiskSnapshotsSupported","features":[312]},{"name":"SharedVirtualDiskSupportType","features":[312]},{"name":"SharedVirtualDisksSupported","features":[312]},{"name":"SharedVirtualDisksUnsupported","features":[312]},{"name":"SrvInstanceTypeCsv","features":[312]},{"name":"SrvInstanceTypePrimary","features":[312]},{"name":"SrvInstanceTypeSBL","features":[312]},{"name":"SrvInstanceTypeSR","features":[312]},{"name":"SrvInstanceTypeUndefined","features":[312]},{"name":"SrvInstanceTypeVSMB","features":[312]},{"name":"SspiAcceptSecurityContextAsync","features":[309,312]},{"name":"SspiAcquireCredentialsHandleAsyncA","features":[309,312,329]},{"name":"SspiAcquireCredentialsHandleAsyncW","features":[309,312,308,329]},{"name":"SspiAsyncNotifyCallback","features":[309,312]},{"name":"SspiCreateAsyncContext","features":[309,312]},{"name":"SspiDeleteSecurityContextAsync","features":[309,312]},{"name":"SspiFreeAsyncContext","features":[309,312]},{"name":"SspiFreeCredentialsHandleAsync","features":[309,312]},{"name":"SspiGetAsyncCallStatus","features":[309,312]},{"name":"SspiInitializeSecurityContextAsyncA","features":[309,312]},{"name":"SspiInitializeSecurityContextAsyncW","features":[309,312,308]},{"name":"SspiReinitAsyncContext","features":[309,312,308]},{"name":"SspiSetAsyncNotifyCallback","features":[309,312]},{"name":"SyncTypeCreateSection","features":[312]},{"name":"SyncTypeOther","features":[312]},{"name":"TOKEN_AUDIT_NO_CHILD_PROCESS","features":[312]},{"name":"TOKEN_AUDIT_REDIRECTION_TRUST","features":[312]},{"name":"TOKEN_DO_NOT_USE_GLOBAL_ATTRIBS_FOR_QUERY","features":[312]},{"name":"TOKEN_ENFORCE_REDIRECTION_TRUST","features":[312]},{"name":"TOKEN_HAS_BACKUP_PRIVILEGE","features":[312]},{"name":"TOKEN_HAS_IMPERSONATE_PRIVILEGE","features":[312]},{"name":"TOKEN_HAS_OWN_CLAIM_ATTRIBUTES","features":[312]},{"name":"TOKEN_HAS_RESTORE_PRIVILEGE","features":[312]},{"name":"TOKEN_HAS_TRAVERSE_PRIVILEGE","features":[312]},{"name":"TOKEN_IS_FILTERED","features":[312]},{"name":"TOKEN_IS_RESTRICTED","features":[312]},{"name":"TOKEN_LEARNING_MODE_LOGGING","features":[312]},{"name":"TOKEN_LOWBOX","features":[312]},{"name":"TOKEN_NOT_LOW","features":[312]},{"name":"TOKEN_NO_CHILD_PROCESS","features":[312]},{"name":"TOKEN_NO_CHILD_PROCESS_UNLESS_SECURE","features":[312]},{"name":"TOKEN_PERMISSIVE_LEARNING_MODE","features":[312]},{"name":"TOKEN_PRIVATE_NAMESPACE","features":[312]},{"name":"TOKEN_SANDBOX_INERT","features":[312]},{"name":"TOKEN_SESSION_NOT_REFERENCED","features":[312]},{"name":"TOKEN_UIACCESS","features":[312]},{"name":"TOKEN_VIRTUALIZE_ALLOWED","features":[312]},{"name":"TOKEN_VIRTUALIZE_ENABLED","features":[312]},{"name":"TOKEN_WRITE_RESTRICTED","features":[312]},{"name":"TUNNEL","features":[309,312,308,314]},{"name":"UNICODE_PREFIX_TABLE","features":[309,312,308]},{"name":"UNICODE_PREFIX_TABLE_ENTRY","features":[309,312,308]},{"name":"UNINITIALIZE_CACHE_MAPS","features":[312]},{"name":"USE_PRIMARY_PASSWORD","features":[312]},{"name":"USN_DELETE_FLAG_DELETE","features":[312]},{"name":"USN_JOURNAL_DATA","features":[312]},{"name":"USN_RECORD","features":[312]},{"name":"VACB_MAPPING_GRANULARITY","features":[312]},{"name":"VACB_OFFSET_SHIFT","features":[312]},{"name":"VALID_INHERIT_FLAGS","features":[312]},{"name":"VCN_RANGE_INPUT_BUFFER","features":[312]},{"name":"VIRTUAL_MEMORY_INFORMATION_CLASS","features":[312]},{"name":"VOLSNAPCONTROLTYPE","features":[312]},{"name":"VOLUME_REFS_INFO_BUFFER","features":[312]},{"name":"VerifySignature","features":[312]},{"name":"VmPrefetchInformation","features":[312]},{"name":"WCIFS_REDIRECTION_FLAGS_CREATE_SERVICED_FROM_LAYER","features":[312]},{"name":"WCIFS_REDIRECTION_FLAGS_CREATE_SERVICED_FROM_REGISTERED_LAYER","features":[312]},{"name":"WCIFS_REDIRECTION_FLAGS_CREATE_SERVICED_FROM_REMOTE_LAYER","features":[312]},{"name":"WCIFS_REDIRECTION_FLAGS_CREATE_SERVICED_FROM_SCRATCH","features":[312]},{"name":"ZwAllocateVirtualMemory","features":[312,308]},{"name":"ZwAllocateVirtualMemoryEx","features":[312,308,326]},{"name":"ZwCreateEvent","features":[309,312,308,314]},{"name":"ZwDeleteFile","features":[309,312,308]},{"name":"ZwDuplicateObject","features":[312,308]},{"name":"ZwDuplicateToken","features":[309,312,308,311]},{"name":"ZwFlushBuffersFile","features":[312,308,313]},{"name":"ZwFlushBuffersFileEx","features":[312,308,313]},{"name":"ZwFlushVirtualMemory","features":[312,308,313]},{"name":"ZwFreeVirtualMemory","features":[312,308]},{"name":"ZwFsControlFile","features":[312,308,313]},{"name":"ZwLockFile","features":[312,308,313]},{"name":"ZwNotifyChangeKey","features":[312,308,313]},{"name":"ZwOpenDirectoryObject","features":[309,312,308]},{"name":"ZwOpenProcessTokenEx","features":[312,308]},{"name":"ZwOpenThreadTokenEx","features":[312,308]},{"name":"ZwQueryDirectoryFile","features":[312,308,313]},{"name":"ZwQueryDirectoryFileEx","features":[312,308,313]},{"name":"ZwQueryEaFile","features":[312,308,313]},{"name":"ZwQueryFullAttributesFile","features":[309,312,308]},{"name":"ZwQueryInformationToken","features":[312,308,311]},{"name":"ZwQueryObject","features":[309,312,308]},{"name":"ZwQueryQuotaInformationFile","features":[312,308,313]},{"name":"ZwQuerySecurityObject","features":[312,308,311]},{"name":"ZwQueryVirtualMemory","features":[312,308]},{"name":"ZwQueryVolumeInformationFile","features":[312,308,313]},{"name":"ZwSetEaFile","features":[312,308,313]},{"name":"ZwSetEvent","features":[312,308]},{"name":"ZwSetInformationToken","features":[312,308,311]},{"name":"ZwSetInformationVirtualMemory","features":[312,308]},{"name":"ZwSetQuotaInformationFile","features":[312,308,313]},{"name":"ZwSetSecurityObject","features":[312,308,311]},{"name":"ZwSetVolumeInformationFile","features":[312,308,313]},{"name":"ZwUnlockFile","features":[312,308,313]},{"name":"ZwWaitForSingleObject","features":[312,308]},{"name":"_LCN_WEAK_REFERENCE_STATE","features":[312]},{"name":"_REFS_STREAM_EXTENT_PROPERTIES","features":[312]}],"345":[{"name":"FLTFL_CALLBACK_DATA_DIRTY","features":[330]},{"name":"FLTFL_CALLBACK_DATA_DRAINING_IO","features":[330]},{"name":"FLTFL_CALLBACK_DATA_FAST_IO_OPERATION","features":[330]},{"name":"FLTFL_CALLBACK_DATA_FS_FILTER_OPERATION","features":[330]},{"name":"FLTFL_CALLBACK_DATA_GENERATED_IO","features":[330]},{"name":"FLTFL_CALLBACK_DATA_IRP_OPERATION","features":[330]},{"name":"FLTFL_CALLBACK_DATA_NEW_SYSTEM_BUFFER","features":[330]},{"name":"FLTFL_CALLBACK_DATA_POST_OPERATION","features":[330]},{"name":"FLTFL_CALLBACK_DATA_REISSUED_IO","features":[330]},{"name":"FLTFL_CALLBACK_DATA_REISSUE_MASK","features":[330]},{"name":"FLTFL_CALLBACK_DATA_SYSTEM_BUFFER","features":[330]},{"name":"FLTFL_CONTEXT_REGISTRATION_NO_EXACT_SIZE_MATCH","features":[330]},{"name":"FLTFL_FILE_NAME_PARSED_EXTENSION","features":[330]},{"name":"FLTFL_FILE_NAME_PARSED_FINAL_COMPONENT","features":[330]},{"name":"FLTFL_FILE_NAME_PARSED_PARENT_DIR","features":[330]},{"name":"FLTFL_FILE_NAME_PARSED_STREAM","features":[330]},{"name":"FLTFL_FILTER_UNLOAD_MANDATORY","features":[330]},{"name":"FLTFL_INSTANCE_SETUP_AUTOMATIC_ATTACHMENT","features":[330]},{"name":"FLTFL_INSTANCE_SETUP_DETACHED_VOLUME","features":[330]},{"name":"FLTFL_INSTANCE_SETUP_MANUAL_ATTACHMENT","features":[330]},{"name":"FLTFL_INSTANCE_SETUP_NEWLY_MOUNTED_VOLUME","features":[330]},{"name":"FLTFL_INSTANCE_TEARDOWN_FILTER_UNLOAD","features":[330]},{"name":"FLTFL_INSTANCE_TEARDOWN_INTERNAL_ERROR","features":[330]},{"name":"FLTFL_INSTANCE_TEARDOWN_MANDATORY_FILTER_UNLOAD","features":[330]},{"name":"FLTFL_INSTANCE_TEARDOWN_MANUAL","features":[330]},{"name":"FLTFL_INSTANCE_TEARDOWN_VOLUME_DISMOUNT","features":[330]},{"name":"FLTFL_IO_OPERATION_DO_NOT_UPDATE_BYTE_OFFSET","features":[330]},{"name":"FLTFL_IO_OPERATION_NON_CACHED","features":[330]},{"name":"FLTFL_IO_OPERATION_PAGING","features":[330]},{"name":"FLTFL_IO_OPERATION_SYNCHRONOUS_PAGING","features":[330]},{"name":"FLTFL_NORMALIZE_NAME_CASE_SENSITIVE","features":[330]},{"name":"FLTFL_NORMALIZE_NAME_DESTINATION_FILE_NAME","features":[330]},{"name":"FLTFL_OPERATION_REGISTRATION_SKIP_CACHED_IO","features":[330]},{"name":"FLTFL_OPERATION_REGISTRATION_SKIP_NON_CACHED_NON_PAGING_IO","features":[330]},{"name":"FLTFL_OPERATION_REGISTRATION_SKIP_NON_DASD_IO","features":[330]},{"name":"FLTFL_OPERATION_REGISTRATION_SKIP_PAGING_IO","features":[330]},{"name":"FLTFL_POST_OPERATION_DRAINING","features":[330]},{"name":"FLTFL_REGISTRATION_DO_NOT_SUPPORT_SERVICE_STOP","features":[330]},{"name":"FLTFL_REGISTRATION_SUPPORT_DAX_VOLUME","features":[330]},{"name":"FLTFL_REGISTRATION_SUPPORT_NPFS_MSFS","features":[330]},{"name":"FLTFL_REGISTRATION_SUPPORT_WCOS","features":[330]},{"name":"FLTTCFL_AUTO_REPARSE","features":[330]},{"name":"FLT_ALLOCATE_CALLBACK_DATA_PREALLOCATE_ALL_MEMORY","features":[330]},{"name":"FLT_CALLBACK_DATA","features":[309,330,310,308,311,313,314,315]},{"name":"FLT_CALLBACK_DATA_QUEUE","features":[309,330,310,308,311,313,314,315]},{"name":"FLT_CALLBACK_DATA_QUEUE_FLAGS","features":[330]},{"name":"FLT_CONTEXT_END","features":[330]},{"name":"FLT_CONTEXT_REGISTRATION","features":[309,330]},{"name":"FLT_CREATEFILE_TARGET_ECP_CONTEXT","features":[330,308]},{"name":"FLT_FILE_CONTEXT","features":[330]},{"name":"FLT_FILE_NAME_ALLOW_QUERY_ON_REPARSE","features":[330]},{"name":"FLT_FILE_NAME_DO_NOT_CACHE","features":[330]},{"name":"FLT_FILE_NAME_INFORMATION","features":[330,308]},{"name":"FLT_FILE_NAME_NORMALIZED","features":[330]},{"name":"FLT_FILE_NAME_OPENED","features":[330]},{"name":"FLT_FILE_NAME_QUERY_ALWAYS_ALLOW_CACHE_LOOKUP","features":[330]},{"name":"FLT_FILE_NAME_QUERY_CACHE_ONLY","features":[330]},{"name":"FLT_FILE_NAME_QUERY_DEFAULT","features":[330]},{"name":"FLT_FILE_NAME_QUERY_FILESYSTEM_ONLY","features":[330]},{"name":"FLT_FILE_NAME_REQUEST_FROM_CURRENT_PROVIDER","features":[330]},{"name":"FLT_FILE_NAME_SHORT","features":[330]},{"name":"FLT_FLUSH_TYPE_DATA_SYNC_ONLY","features":[330]},{"name":"FLT_FLUSH_TYPE_FILE_DATA_ONLY","features":[330]},{"name":"FLT_FLUSH_TYPE_FLUSH_AND_PURGE","features":[330]},{"name":"FLT_FLUSH_TYPE_NO_SYNC","features":[330]},{"name":"FLT_INSTANCE_CONTEXT","features":[330]},{"name":"FLT_INTERNAL_OPERATION_COUNT","features":[330]},{"name":"FLT_IO_PARAMETER_BLOCK","features":[309,330,310,308,311,313,314,315]},{"name":"FLT_MAX_DEVICE_REPARSE_ATTEMPTS","features":[330]},{"name":"FLT_NAME_CONTROL","features":[330,308]},{"name":"FLT_OPERATION_REGISTRATION","features":[309,330,310,308,311,313,314,315]},{"name":"FLT_PARAMETERS","features":[309,330,310,308,311,313,314,315]},{"name":"FLT_PORT_CONNECT","features":[330]},{"name":"FLT_POSTOP_CALLBACK_STATUS","features":[330]},{"name":"FLT_POSTOP_DISALLOW_FSFILTER_IO","features":[330]},{"name":"FLT_POSTOP_FINISHED_PROCESSING","features":[330]},{"name":"FLT_POSTOP_MORE_PROCESSING_REQUIRED","features":[330]},{"name":"FLT_PREOP_CALLBACK_STATUS","features":[330]},{"name":"FLT_PREOP_COMPLETE","features":[330]},{"name":"FLT_PREOP_DISALLOW_FASTIO","features":[330]},{"name":"FLT_PREOP_DISALLOW_FSFILTER_IO","features":[330]},{"name":"FLT_PREOP_PENDING","features":[330]},{"name":"FLT_PREOP_SUCCESS_NO_CALLBACK","features":[330]},{"name":"FLT_PREOP_SUCCESS_WITH_CALLBACK","features":[330]},{"name":"FLT_PREOP_SYNCHRONIZE","features":[330]},{"name":"FLT_PUSH_LOCK_DISABLE_AUTO_BOOST","features":[330]},{"name":"FLT_PUSH_LOCK_ENABLE_AUTO_BOOST","features":[330]},{"name":"FLT_PUSH_LOCK_VALID_FLAGS","features":[330]},{"name":"FLT_REGISTRATION","features":[309,330,310,308,311,331,313,314,315]},{"name":"FLT_REGISTRATION_VERSION","features":[330]},{"name":"FLT_REGISTRATION_VERSION_0200","features":[330]},{"name":"FLT_REGISTRATION_VERSION_0201","features":[330]},{"name":"FLT_REGISTRATION_VERSION_0202","features":[330]},{"name":"FLT_REGISTRATION_VERSION_0203","features":[330]},{"name":"FLT_RELATED_CONTEXTS","features":[330]},{"name":"FLT_RELATED_CONTEXTS_EX","features":[330]},{"name":"FLT_RELATED_OBJECTS","features":[309,330,310,308,311,313,314,315]},{"name":"FLT_SECTION_CONTEXT","features":[330]},{"name":"FLT_SET_CONTEXT_KEEP_IF_EXISTS","features":[330]},{"name":"FLT_SET_CONTEXT_OPERATION","features":[330]},{"name":"FLT_SET_CONTEXT_REPLACE_IF_EXISTS","features":[330]},{"name":"FLT_STREAMHANDLE_CONTEXT","features":[330]},{"name":"FLT_STREAM_CONTEXT","features":[330]},{"name":"FLT_TAG_DATA_BUFFER","features":[330]},{"name":"FLT_TRANSACTION_CONTEXT","features":[330]},{"name":"FLT_VALID_FILE_NAME_FLAGS","features":[330]},{"name":"FLT_VALID_FILE_NAME_FORMATS","features":[330]},{"name":"FLT_VALID_FILE_NAME_QUERY_METHODS","features":[330]},{"name":"FLT_VOLUME_CONTEXT","features":[330]},{"name":"FLT_VOLUME_PROPERTIES","features":[330,308]},{"name":"FltAcknowledgeEcp","features":[330]},{"name":"FltAcquirePushLockExclusive","features":[330]},{"name":"FltAcquirePushLockExclusiveEx","features":[330]},{"name":"FltAcquirePushLockShared","features":[330]},{"name":"FltAcquirePushLockSharedEx","features":[330]},{"name":"FltAcquireResourceExclusive","features":[309,330,314]},{"name":"FltAcquireResourceShared","features":[309,330,314]},{"name":"FltAddOpenReparseEntry","features":[309,330,310,308,311,313,314,315]},{"name":"FltAdjustDeviceStackSizeForIoRedirection","features":[330,308]},{"name":"FltAllocateCallbackData","features":[309,330,310,308,311,313,314,315]},{"name":"FltAllocateCallbackDataEx","features":[309,330,310,308,311,313,314,315]},{"name":"FltAllocateContext","features":[309,330,308]},{"name":"FltAllocateDeferredIoWorkItem","features":[330]},{"name":"FltAllocateExtraCreateParameter","features":[330,308]},{"name":"FltAllocateExtraCreateParameterFromLookasideList","features":[330,308]},{"name":"FltAllocateExtraCreateParameterList","features":[309,330,308]},{"name":"FltAllocateFileLock","features":[309,330,310,308,311,313,314,315]},{"name":"FltAllocateGenericWorkItem","features":[330]},{"name":"FltAllocatePoolAlignedWithTag","features":[309,330]},{"name":"FltApplyPriorityInfoThread","features":[309,330,308]},{"name":"FltAttachVolume","features":[330,308]},{"name":"FltAttachVolumeAtAltitude","features":[330,308]},{"name":"FltBuildDefaultSecurityDescriptor","features":[330,308,311]},{"name":"FltCancelFileOpen","features":[309,330,310,308,311,313,314,315]},{"name":"FltCancelIo","features":[309,330,310,308,311,313,314,315]},{"name":"FltCancellableWaitForMultipleObjects","features":[309,330,310,308,311,313,314,315]},{"name":"FltCancellableWaitForSingleObject","features":[309,330,310,308,311,313,314,315]},{"name":"FltCbdqDisable","features":[309,330,310,308,311,313,314,315]},{"name":"FltCbdqEnable","features":[309,330,310,308,311,313,314,315]},{"name":"FltCbdqInitialize","features":[309,330,310,308,311,313,314,315]},{"name":"FltCbdqInsertIo","features":[309,330,310,308,311,313,314,315]},{"name":"FltCbdqRemoveIo","features":[309,330,310,308,311,313,314,315]},{"name":"FltCbdqRemoveNextIo","features":[309,330,310,308,311,313,314,315]},{"name":"FltCheckAndGrowNameControl","features":[330,308]},{"name":"FltCheckLockForReadAccess","features":[309,330,310,308,311,313,314,315]},{"name":"FltCheckLockForWriteAccess","features":[309,330,310,308,311,313,314,315]},{"name":"FltCheckOplock","features":[309,330,310,308,311,313,314,315]},{"name":"FltCheckOplockEx","features":[309,330,310,308,311,313,314,315]},{"name":"FltClearCallbackDataDirty","features":[309,330,310,308,311,313,314,315]},{"name":"FltClearCancelCompletion","features":[309,330,310,308,311,313,314,315]},{"name":"FltClose","features":[330,308]},{"name":"FltCloseClientPort","features":[330]},{"name":"FltCloseCommunicationPort","features":[330]},{"name":"FltCloseSectionForDataScan","features":[330,308]},{"name":"FltCommitComplete","features":[309,330,308]},{"name":"FltCommitFinalizeComplete","features":[309,330,308]},{"name":"FltCompareInstanceAltitudes","features":[330]},{"name":"FltCompletePendedPostOperation","features":[309,330,310,308,311,313,314,315]},{"name":"FltCompletePendedPreOperation","features":[309,330,310,308,311,313,314,315]},{"name":"FltCopyOpenReparseList","features":[309,330,310,308,311,313,314,315]},{"name":"FltCreateCommunicationPort","features":[309,330,308]},{"name":"FltCreateFile","features":[309,330,308,313]},{"name":"FltCreateFileEx","features":[309,330,310,308,311,313,314,315]},{"name":"FltCreateFileEx2","features":[309,330,310,308,311,313,314,315]},{"name":"FltCreateMailslotFile","features":[309,330,310,308,311,313,314,315]},{"name":"FltCreateNamedPipeFile","features":[309,330,310,308,311,313,314,315]},{"name":"FltCreateSectionForDataScan","features":[309,330,310,308,311,313,314,315]},{"name":"FltCreateSystemVolumeInformationFolder","features":[330,308]},{"name":"FltCurrentBatchOplock","features":[330,308]},{"name":"FltCurrentOplock","features":[330,308]},{"name":"FltCurrentOplockH","features":[330,308]},{"name":"FltDecodeParameters","features":[309,330,310,308,311,313,314,315]},{"name":"FltDeleteContext","features":[330]},{"name":"FltDeleteExtraCreateParameterLookasideList","features":[330]},{"name":"FltDeleteFileContext","features":[309,330,310,308,311,313,314,315]},{"name":"FltDeleteInstanceContext","features":[330,308]},{"name":"FltDeletePushLock","features":[330]},{"name":"FltDeleteStreamContext","features":[309,330,310,308,311,313,314,315]},{"name":"FltDeleteStreamHandleContext","features":[309,330,310,308,311,313,314,315]},{"name":"FltDeleteTransactionContext","features":[309,330,308]},{"name":"FltDeleteVolumeContext","features":[330,308]},{"name":"FltDetachVolume","features":[330,308]},{"name":"FltDeviceIoControlFile","features":[309,330,310,308,311,313,314,315]},{"name":"FltDoCompletionProcessingWhenSafe","features":[309,330,310,308,311,313,314,315]},{"name":"FltEnlistInTransaction","features":[309,330,308]},{"name":"FltEnumerateFilterInformation","features":[330,308,331]},{"name":"FltEnumerateFilters","features":[330,308]},{"name":"FltEnumerateInstanceInformationByDeviceObject","features":[309,330,310,308,311,331,313,314,315]},{"name":"FltEnumerateInstanceInformationByFilter","features":[330,308,331]},{"name":"FltEnumerateInstanceInformationByVolume","features":[330,308,331]},{"name":"FltEnumerateInstanceInformationByVolumeName","features":[330,308,331]},{"name":"FltEnumerateInstances","features":[330,308]},{"name":"FltEnumerateVolumeInformation","features":[330,308,331]},{"name":"FltEnumerateVolumes","features":[330,308]},{"name":"FltFastIoMdlRead","features":[309,330,310,308,311,313,314,315]},{"name":"FltFastIoMdlReadComplete","features":[309,330,310,308,311,313,314,315]},{"name":"FltFastIoMdlWriteComplete","features":[309,330,310,308,311,313,314,315]},{"name":"FltFastIoPrepareMdlWrite","features":[309,330,310,308,311,313,314,315]},{"name":"FltFindExtraCreateParameter","features":[309,330,308]},{"name":"FltFlushBuffers","features":[309,330,310,308,311,313,314,315]},{"name":"FltFlushBuffers2","features":[309,330,310,308,311,313,314,315]},{"name":"FltFreeCallbackData","features":[309,330,310,308,311,313,314,315]},{"name":"FltFreeDeferredIoWorkItem","features":[330]},{"name":"FltFreeExtraCreateParameter","features":[330]},{"name":"FltFreeExtraCreateParameterList","features":[309,330]},{"name":"FltFreeFileLock","features":[309,330,310,308,311,313,314,315]},{"name":"FltFreeGenericWorkItem","features":[330]},{"name":"FltFreeOpenReparseList","features":[309,330]},{"name":"FltFreePoolAlignedWithTag","features":[330]},{"name":"FltFreeSecurityDescriptor","features":[330,311]},{"name":"FltFsControlFile","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetActivityIdCallbackData","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetBottomInstance","features":[330,308]},{"name":"FltGetContexts","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetContextsEx","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetDestinationFileNameInformation","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetDeviceObject","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetDiskDeviceObject","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetEcpListFromCallbackData","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetFileContext","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetFileNameInformation","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetFileNameInformationUnsafe","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetFileSystemType","features":[330,308,331]},{"name":"FltGetFilterFromInstance","features":[330,308]},{"name":"FltGetFilterFromName","features":[330,308]},{"name":"FltGetFilterInformation","features":[330,308,331]},{"name":"FltGetFsZeroingOffset","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetInstanceContext","features":[330,308]},{"name":"FltGetInstanceInformation","features":[330,308,331]},{"name":"FltGetIoAttributionHandleFromCallbackData","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetIoPriorityHint","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetIoPriorityHintFromCallbackData","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetIoPriorityHintFromFileObject","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetIoPriorityHintFromThread","features":[309,330]},{"name":"FltGetIrpName","features":[330]},{"name":"FltGetLowerInstance","features":[330,308]},{"name":"FltGetNewSystemBufferAddress","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetNextExtraCreateParameter","features":[309,330,308]},{"name":"FltGetRequestorProcess","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetRequestorProcessId","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetRequestorProcessIdEx","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetRequestorSessionId","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetRoutineAddress","features":[330]},{"name":"FltGetSectionContext","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetStreamContext","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetStreamHandleContext","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetSwappedBufferMdlAddress","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetTopInstance","features":[330,308]},{"name":"FltGetTransactionContext","features":[309,330,308]},{"name":"FltGetTunneledName","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetUpperInstance","features":[330,308]},{"name":"FltGetVolumeContext","features":[330,308]},{"name":"FltGetVolumeFromDeviceObject","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetVolumeFromFileObject","features":[309,330,310,308,311,313,314,315]},{"name":"FltGetVolumeFromInstance","features":[330,308]},{"name":"FltGetVolumeFromName","features":[330,308]},{"name":"FltGetVolumeGuidName","features":[330,308]},{"name":"FltGetVolumeInformation","features":[330,308,331]},{"name":"FltGetVolumeInstanceFromName","features":[330,308]},{"name":"FltGetVolumeName","features":[330,308]},{"name":"FltGetVolumeProperties","features":[330,308]},{"name":"FltInitExtraCreateParameterLookasideList","features":[330]},{"name":"FltInitializeFileLock","features":[309,330,310,308,311,313,314,315]},{"name":"FltInitializeOplock","features":[330]},{"name":"FltInitializePushLock","features":[330]},{"name":"FltInsertExtraCreateParameter","features":[309,330,308]},{"name":"FltIs32bitProcess","features":[309,330,310,308,311,313,314,315]},{"name":"FltIsCallbackDataDirty","features":[309,330,310,308,311,313,314,315]},{"name":"FltIsDirectory","features":[309,330,310,308,311,313,314,315]},{"name":"FltIsEcpAcknowledged","features":[330,308]},{"name":"FltIsEcpFromUserMode","features":[330,308]},{"name":"FltIsFltMgrVolumeDeviceObject","features":[309,330,310,308,311,313,314,315]},{"name":"FltIsIoCanceled","features":[309,330,310,308,311,313,314,315]},{"name":"FltIsIoRedirectionAllowed","features":[330,308]},{"name":"FltIsIoRedirectionAllowedForOperation","features":[309,330,310,308,311,313,314,315]},{"name":"FltIsOperationSynchronous","features":[309,330,310,308,311,313,314,315]},{"name":"FltIsVolumeSnapshot","features":[330,308]},{"name":"FltIsVolumeWritable","features":[330,308]},{"name":"FltLoadFilter","features":[330,308]},{"name":"FltLockUserBuffer","features":[309,330,310,308,311,313,314,315]},{"name":"FltNotifyFilterChangeDirectory","features":[309,330,310,308,311,313,314,315]},{"name":"FltObjectDereference","features":[330]},{"name":"FltObjectReference","features":[330,308]},{"name":"FltOpenVolume","features":[309,330,310,308,311,313,314,315]},{"name":"FltOplockBreakH","features":[309,330,310,308,311,313,314,315]},{"name":"FltOplockBreakToNone","features":[309,330,310,308,311,313,314,315]},{"name":"FltOplockBreakToNoneEx","features":[309,330,310,308,311,313,314,315]},{"name":"FltOplockFsctrl","features":[309,330,310,308,311,313,314,315]},{"name":"FltOplockFsctrlEx","features":[309,330,310,308,311,313,314,315]},{"name":"FltOplockIsFastIoPossible","features":[330,308]},{"name":"FltOplockIsSharedRequest","features":[309,330,310,308,311,313,314,315]},{"name":"FltOplockKeysEqual","features":[309,330,310,308,311,313,314,315]},{"name":"FltParseFileName","features":[330,308]},{"name":"FltParseFileNameInformation","features":[330,308]},{"name":"FltPerformAsynchronousIo","features":[309,330,310,308,311,313,314,315]},{"name":"FltPerformSynchronousIo","features":[309,330,310,308,311,313,314,315]},{"name":"FltPrePrepareComplete","features":[309,330,308]},{"name":"FltPrepareComplete","features":[309,330,308]},{"name":"FltPrepareToReuseEcp","features":[330]},{"name":"FltProcessFileLock","features":[309,330,310,308,311,313,314,315]},{"name":"FltPropagateActivityIdToThread","features":[309,330,310,308,311,313,314,315]},{"name":"FltPropagateIrpExtension","features":[309,330,310,308,311,313,314,315]},{"name":"FltPurgeFileNameInformationCache","features":[309,330,310,308,311,313,314,315]},{"name":"FltQueryDirectoryFile","features":[309,330,310,308,311,313,314,315]},{"name":"FltQueryDirectoryFileEx","features":[309,330,310,308,311,313,314,315]},{"name":"FltQueryEaFile","features":[309,330,310,308,311,313,314,315]},{"name":"FltQueryInformationByName","features":[309,330,310,308,313]},{"name":"FltQueryInformationFile","features":[309,330,310,308,311,313,314,315]},{"name":"FltQueryQuotaInformationFile","features":[309,330,310,308,311,313,314,315]},{"name":"FltQuerySecurityObject","features":[309,330,310,308,311,313,314,315]},{"name":"FltQueryVolumeInformation","features":[330,308,313]},{"name":"FltQueryVolumeInformationFile","features":[309,330,310,308,311,313,314,315]},{"name":"FltQueueDeferredIoWorkItem","features":[309,330,310,308,311,313,314,315]},{"name":"FltQueueGenericWorkItem","features":[330,310,308]},{"name":"FltReadFile","features":[309,330,310,308,311,313,314,315]},{"name":"FltReadFileEx","features":[309,330,310,308,311,313,314,315]},{"name":"FltReferenceContext","features":[330]},{"name":"FltReferenceFileNameInformation","features":[330,308]},{"name":"FltRegisterFilter","features":[309,330,310,308,311,331,313,314,315]},{"name":"FltRegisterForDataScan","features":[330,308]},{"name":"FltReissueSynchronousIo","features":[309,330,310,308,311,313,314,315]},{"name":"FltReleaseContext","features":[330]},{"name":"FltReleaseContexts","features":[330]},{"name":"FltReleaseContextsEx","features":[330]},{"name":"FltReleaseFileNameInformation","features":[330,308]},{"name":"FltReleasePushLock","features":[330]},{"name":"FltReleasePushLockEx","features":[330]},{"name":"FltReleaseResource","features":[309,330,314]},{"name":"FltRemoveExtraCreateParameter","features":[309,330,308]},{"name":"FltRemoveOpenReparseEntry","features":[309,330,310,308,311,313,314,315]},{"name":"FltRequestFileInfoOnCreateCompletion","features":[309,330,310,308,311,313,314,315]},{"name":"FltRequestOperationStatusCallback","features":[309,330,310,308,311,313,314,315]},{"name":"FltRetainSwappedBufferMdlAddress","features":[309,330,310,308,311,313,314,315]},{"name":"FltRetrieveFileInfoOnCreateCompletion","features":[309,330,310,308,311,313,314,315]},{"name":"FltRetrieveFileInfoOnCreateCompletionEx","features":[309,330,310,308,311,313,314,315]},{"name":"FltRetrieveIoPriorityInfo","features":[309,330,310,308,311,313,314,315]},{"name":"FltReuseCallbackData","features":[309,330,310,308,311,313,314,315]},{"name":"FltRollbackComplete","features":[309,330,308]},{"name":"FltRollbackEnlistment","features":[309,330,308]},{"name":"FltSendMessage","features":[330,308]},{"name":"FltSetActivityIdCallbackData","features":[309,330,310,308,311,313,314,315]},{"name":"FltSetCallbackDataDirty","features":[309,330,310,308,311,313,314,315]},{"name":"FltSetCancelCompletion","features":[309,330,310,308,311,313,314,315]},{"name":"FltSetEaFile","features":[309,330,310,308,311,313,314,315]},{"name":"FltSetEcpListIntoCallbackData","features":[309,330,310,308,311,313,314,315]},{"name":"FltSetFileContext","features":[309,330,310,308,311,313,314,315]},{"name":"FltSetFsZeroingOffset","features":[309,330,310,308,311,313,314,315]},{"name":"FltSetFsZeroingOffsetRequired","features":[309,330,310,308,311,313,314,315]},{"name":"FltSetInformationFile","features":[309,330,310,308,311,313,314,315]},{"name":"FltSetInstanceContext","features":[330,308]},{"name":"FltSetIoPriorityHintIntoCallbackData","features":[309,330,310,308,311,313,314,315]},{"name":"FltSetIoPriorityHintIntoFileObject","features":[309,330,310,308,311,313,314,315]},{"name":"FltSetIoPriorityHintIntoThread","features":[309,330,308]},{"name":"FltSetQuotaInformationFile","features":[309,330,310,308,311,313,314,315]},{"name":"FltSetSecurityObject","features":[309,330,310,308,311,313,314,315]},{"name":"FltSetStreamContext","features":[309,330,310,308,311,313,314,315]},{"name":"FltSetStreamHandleContext","features":[309,330,310,308,311,313,314,315]},{"name":"FltSetTransactionContext","features":[309,330,308]},{"name":"FltSetVolumeContext","features":[330,308]},{"name":"FltSetVolumeInformation","features":[330,308,313]},{"name":"FltStartFiltering","features":[330,308]},{"name":"FltSupportsFileContexts","features":[309,330,310,308,311,313,314,315]},{"name":"FltSupportsFileContextsEx","features":[309,330,310,308,311,313,314,315]},{"name":"FltSupportsStreamContexts","features":[309,330,310,308,311,313,314,315]},{"name":"FltSupportsStreamHandleContexts","features":[309,330,310,308,311,313,314,315]},{"name":"FltTagFile","features":[309,330,310,308,311,313,314,315]},{"name":"FltTagFileEx","features":[309,330,310,308,311,313,314,315]},{"name":"FltUninitializeFileLock","features":[309,330,310,308,311,313,314,315]},{"name":"FltUninitializeOplock","features":[330]},{"name":"FltUnloadFilter","features":[330,308]},{"name":"FltUnregisterFilter","features":[330]},{"name":"FltUntagFile","features":[309,330,310,308,311,313,314,315]},{"name":"FltVetoBypassIo","features":[309,330,310,308,311,313,314,315]},{"name":"FltWriteFile","features":[309,330,310,308,311,313,314,315]},{"name":"FltWriteFileEx","features":[309,330,310,308,311,313,314,315]},{"name":"FltpTraceRedirectedFileIo","features":[309,330,310,308,311,313,314,315]},{"name":"GUID_ECP_FLT_CREATEFILE_TARGET","features":[330]},{"name":"IRP_MJ_ACQUIRE_FOR_CC_FLUSH","features":[330]},{"name":"IRP_MJ_ACQUIRE_FOR_MOD_WRITE","features":[330]},{"name":"IRP_MJ_ACQUIRE_FOR_SECTION_SYNCHRONIZATION","features":[330]},{"name":"IRP_MJ_FAST_IO_CHECK_IF_POSSIBLE","features":[330]},{"name":"IRP_MJ_MDL_READ","features":[330]},{"name":"IRP_MJ_MDL_READ_COMPLETE","features":[330]},{"name":"IRP_MJ_MDL_WRITE_COMPLETE","features":[330]},{"name":"IRP_MJ_NETWORK_QUERY_OPEN","features":[330]},{"name":"IRP_MJ_OPERATION_END","features":[330]},{"name":"IRP_MJ_PREPARE_MDL_WRITE","features":[330]},{"name":"IRP_MJ_QUERY_OPEN","features":[330]},{"name":"IRP_MJ_RELEASE_FOR_CC_FLUSH","features":[330]},{"name":"IRP_MJ_RELEASE_FOR_MOD_WRITE","features":[330]},{"name":"IRP_MJ_RELEASE_FOR_SECTION_SYNCHRONIZATION","features":[330]},{"name":"IRP_MJ_VOLUME_DISMOUNT","features":[330]},{"name":"IRP_MJ_VOLUME_MOUNT","features":[330]},{"name":"PFLTOPLOCK_PREPOST_CALLBACKDATA_ROUTINE","features":[309,330,310,308,311,313,314,315]},{"name":"PFLTOPLOCK_WAIT_COMPLETE_ROUTINE","features":[309,330,310,308,311,313,314,315]},{"name":"PFLT_CALLBACK_DATA_QUEUE_ACQUIRE","features":[309,330,310,308,311,313,314,315]},{"name":"PFLT_CALLBACK_DATA_QUEUE_COMPLETE_CANCELED_IO","features":[309,330,310,308,311,313,314,315]},{"name":"PFLT_CALLBACK_DATA_QUEUE_INSERT_IO","features":[309,330,310,308,311,313,314,315]},{"name":"PFLT_CALLBACK_DATA_QUEUE_PEEK_NEXT_IO","features":[309,330,310,308,311,313,314,315]},{"name":"PFLT_CALLBACK_DATA_QUEUE_RELEASE","features":[309,330,310,308,311,313,314,315]},{"name":"PFLT_CALLBACK_DATA_QUEUE_REMOVE_IO","features":[309,330,310,308,311,313,314,315]},{"name":"PFLT_COMPLETED_ASYNC_IO_CALLBACK","features":[309,330,310,308,311,313,314,315]},{"name":"PFLT_COMPLETE_CANCELED_CALLBACK","features":[309,330,310,308,311,313,314,315]},{"name":"PFLT_COMPLETE_LOCK_CALLBACK_DATA_ROUTINE","features":[309,330,310,308,311,313,314,315]},{"name":"PFLT_CONNECT_NOTIFY","features":[330,308]},{"name":"PFLT_CONTEXT","features":[330]},{"name":"PFLT_CONTEXT_ALLOCATE_CALLBACK","features":[309,330]},{"name":"PFLT_CONTEXT_CLEANUP_CALLBACK","features":[330]},{"name":"PFLT_CONTEXT_FREE_CALLBACK","features":[330]},{"name":"PFLT_DEFERRED_IO_WORKITEM","features":[330]},{"name":"PFLT_DEFERRED_IO_WORKITEM_ROUTINE","features":[309,330,310,308,311,313,314,315]},{"name":"PFLT_DISCONNECT_NOTIFY","features":[330]},{"name":"PFLT_FILTER","features":[330]},{"name":"PFLT_FILTER_UNLOAD_CALLBACK","features":[330,308]},{"name":"PFLT_GENERATE_FILE_NAME","features":[309,330,310,308,311,313,314,315]},{"name":"PFLT_GENERIC_WORKITEM","features":[330]},{"name":"PFLT_GENERIC_WORKITEM_ROUTINE","features":[330]},{"name":"PFLT_GET_OPERATION_STATUS_CALLBACK","features":[309,330,310,308,311,313,314,315]},{"name":"PFLT_INSTANCE","features":[330]},{"name":"PFLT_INSTANCE_QUERY_TEARDOWN_CALLBACK","features":[309,330,310,308,311,313,314,315]},{"name":"PFLT_INSTANCE_SETUP_CALLBACK","features":[309,330,310,308,311,331,313,314,315]},{"name":"PFLT_INSTANCE_TEARDOWN_CALLBACK","features":[309,330,310,308,311,313,314,315]},{"name":"PFLT_MESSAGE_NOTIFY","features":[330,308]},{"name":"PFLT_NORMALIZE_CONTEXT_CLEANUP","features":[330]},{"name":"PFLT_NORMALIZE_NAME_COMPONENT","features":[330,308]},{"name":"PFLT_NORMALIZE_NAME_COMPONENT_EX","features":[309,330,310,308,311,313,314,315]},{"name":"PFLT_PORT","features":[330]},{"name":"PFLT_POST_OPERATION_CALLBACK","features":[309,330,310,308,311,313,314,315]},{"name":"PFLT_PRE_OPERATION_CALLBACK","features":[309,330,310,308,311,313,314,315]},{"name":"PFLT_SECTION_CONFLICT_NOTIFICATION_CALLBACK","features":[309,330,310,308,311,313,314,315]},{"name":"PFLT_TRANSACTION_NOTIFICATION_CALLBACK","features":[309,330,310,308,311,313,314,315]},{"name":"PFLT_VOLUME","features":[330]},{"name":"VOL_PROP_FL_DAX_VOLUME","features":[330]}],"346":[{"name":"NtDeviceIoControlFile","features":[332,308,313]}],"347":[{"name":"ORCloseHive","features":[333,308]},{"name":"ORCloseKey","features":[333,308]},{"name":"ORCreateHive","features":[333,308]},{"name":"ORCreateKey","features":[333,308,311]},{"name":"ORDeleteKey","features":[333,308]},{"name":"ORDeleteValue","features":[333,308]},{"name":"OREnumKey","features":[333,308]},{"name":"OREnumValue","features":[333,308]},{"name":"ORGetKeySecurity","features":[333,308,311]},{"name":"ORGetValue","features":[333,308]},{"name":"ORGetVersion","features":[333,308]},{"name":"ORGetVirtualFlags","features":[333,308]},{"name":"ORHKEY","features":[333]},{"name":"ORMergeHives","features":[333,308]},{"name":"OROpenHive","features":[333,308]},{"name":"OROpenHiveByHandle","features":[333,308]},{"name":"OROpenKey","features":[333,308]},{"name":"ORQueryInfoKey","features":[333,308]},{"name":"ORRenameKey","features":[333,308]},{"name":"ORSaveHive","features":[333,308]},{"name":"ORSetKeySecurity","features":[333,308,311]},{"name":"ORSetValue","features":[333,308]},{"name":"ORSetVirtualFlags","features":[333,308]},{"name":"ORShutdown","features":[333,308]},{"name":"ORStart","features":[333,308]}],"348":[{"name":"KEY_SET_INFORMATION_CLASS","features":[334]},{"name":"KEY_VALUE_ENTRY","features":[334,308]},{"name":"KeyControlFlagsInformation","features":[334]},{"name":"KeySetDebugInformation","features":[334]},{"name":"KeySetHandleTagsInformation","features":[334]},{"name":"KeySetLayerInformation","features":[334]},{"name":"KeySetVirtualizationInformation","features":[334]},{"name":"KeyWow64FlagsInformation","features":[334]},{"name":"KeyWriteTimeInformation","features":[334]},{"name":"MaxKeySetInfoClass","features":[334]},{"name":"NtNotifyChangeMultipleKeys","features":[309,334,308,313]},{"name":"NtQueryMultipleValueKey","features":[334,308]},{"name":"NtRenameKey","features":[334,308]},{"name":"NtSetInformationKey","features":[334,308]},{"name":"REG_QUERY_MULTIPLE_VALUE_KEY_INFORMATION","features":[334,308]},{"name":"REG_SET_INFORMATION_KEY_INFORMATION","features":[334]},{"name":"ZwSetInformationKey","features":[334,308]}],"349":[{"name":"NtQuerySystemInformation","features":[335,308]},{"name":"NtQuerySystemTime","features":[335,308]},{"name":"NtQueryTimerResolution","features":[335,308]},{"name":"SYSTEM_INFORMATION_CLASS","features":[335]},{"name":"SystemBasicInformation","features":[335]},{"name":"SystemCodeIntegrityInformation","features":[335]},{"name":"SystemExceptionInformation","features":[335]},{"name":"SystemInterruptInformation","features":[335]},{"name":"SystemLookasideInformation","features":[335]},{"name":"SystemPerformanceInformation","features":[335]},{"name":"SystemPolicyInformation","features":[335]},{"name":"SystemProcessInformation","features":[335]},{"name":"SystemProcessorPerformanceInformation","features":[335]},{"name":"SystemRegistryQuotaInformation","features":[335]},{"name":"SystemTimeOfDayInformation","features":[335]}],"350":[{"name":"ACPIBus","features":[310]},{"name":"ACPI_DEBUGGING_DEVICE_IN_USE","features":[310]},{"name":"ACPI_INTERFACE_STANDARD","features":[309,312,310,308,311,313,314,315]},{"name":"ACPI_INTERFACE_STANDARD2","features":[310,308]},{"name":"ADAPTER_INFO_API_BYPASS","features":[310]},{"name":"ADAPTER_INFO_SYNCHRONOUS_CALLBACK","features":[310]},{"name":"AGP_TARGET_BUS_INTERFACE_STANDARD","features":[310]},{"name":"ALLOCATE_FUNCTION","features":[309,310]},{"name":"ALLOC_DATA_PRAGMA","features":[310]},{"name":"ALLOC_PRAGMA","features":[310]},{"name":"ALTERNATIVE_ARCHITECTURE_TYPE","features":[310]},{"name":"AMD_L1_CACHE_INFO","features":[310]},{"name":"AMD_L2_CACHE_INFO","features":[310]},{"name":"AMD_L3_CACHE_INFO","features":[310]},{"name":"ANY_SIZE","features":[310]},{"name":"APC_LEVEL","features":[310]},{"name":"ARBITER_ACTION","features":[310]},{"name":"ARBITER_ADD_RESERVED_PARAMETERS","features":[309,312,310,308,311,313,314,315]},{"name":"ARBITER_BOOT_ALLOCATION_PARAMETERS","features":[310,314]},{"name":"ARBITER_CONFLICT_INFO","features":[309,312,310,308,311,313,314,315]},{"name":"ARBITER_FLAG_BOOT_CONFIG","features":[310]},{"name":"ARBITER_FLAG_OTHER_ENUM","features":[310]},{"name":"ARBITER_FLAG_ROOT_ENUM","features":[310]},{"name":"ARBITER_INTERFACE","features":[309,312,310,308,311,313,314,315]},{"name":"ARBITER_LIST_ENTRY","features":[309,312,310,308,311,313,314,315]},{"name":"ARBITER_PARAMETERS","features":[309,312,310,308,311,313,314,315]},{"name":"ARBITER_PARTIAL","features":[310]},{"name":"ARBITER_QUERY_ALLOCATED_RESOURCES_PARAMETERS","features":[310]},{"name":"ARBITER_QUERY_ARBITRATE_PARAMETERS","features":[310,314]},{"name":"ARBITER_QUERY_CONFLICT_PARAMETERS","features":[309,312,310,308,311,313,314,315]},{"name":"ARBITER_REQUEST_SOURCE","features":[310]},{"name":"ARBITER_RESULT","features":[310]},{"name":"ARBITER_RETEST_ALLOCATION_PARAMETERS","features":[310,314]},{"name":"ARBITER_TEST_ALLOCATION_PARAMETERS","features":[310,314]},{"name":"ARM64_NT_CONTEXT","features":[310,336]},{"name":"ARM64_PCR_RESERVED_MASK","features":[310]},{"name":"ARM_PROCESSOR_ERROR_SECTION_GUID","features":[310]},{"name":"ATS_DEVICE_SVM_OPTOUT","features":[310]},{"name":"AccessFlagFault","features":[310]},{"name":"AddressSizeFault","features":[310]},{"name":"AgpControl","features":[310]},{"name":"AllLoggerHandlesClass","features":[310]},{"name":"AperturePageSize","features":[310]},{"name":"ApertureSize","features":[310]},{"name":"ApicDestinationModeLogicalClustered","features":[310]},{"name":"ApicDestinationModeLogicalFlat","features":[310]},{"name":"ApicDestinationModePhysical","features":[310]},{"name":"ApicDestinationModeUnknown","features":[310]},{"name":"ArbiterActionAddReserved","features":[310]},{"name":"ArbiterActionBootAllocation","features":[310]},{"name":"ArbiterActionCommitAllocation","features":[310]},{"name":"ArbiterActionQueryAllocatedResources","features":[310]},{"name":"ArbiterActionQueryArbitrate","features":[310]},{"name":"ArbiterActionQueryConflict","features":[310]},{"name":"ArbiterActionRetestAllocation","features":[310]},{"name":"ArbiterActionRollbackAllocation","features":[310]},{"name":"ArbiterActionTestAllocation","features":[310]},{"name":"ArbiterActionWriteReservedResources","features":[310]},{"name":"ArbiterRequestHalReported","features":[310]},{"name":"ArbiterRequestLegacyAssigned","features":[310]},{"name":"ArbiterRequestLegacyReported","features":[310]},{"name":"ArbiterRequestPnpDetected","features":[310]},{"name":"ArbiterRequestPnpEnumerated","features":[310]},{"name":"ArbiterRequestUndefined","features":[310]},{"name":"ArbiterResultExternalConflict","features":[310]},{"name":"ArbiterResultNullRequest","features":[310]},{"name":"ArbiterResultSuccess","features":[310]},{"name":"ArbiterResultUndefined","features":[310]},{"name":"ArcSystem","features":[310]},{"name":"AssignSecurityDescriptor","features":[310]},{"name":"AudioController","features":[310]},{"name":"BDCB_CALLBACK_TYPE","features":[310]},{"name":"BDCB_CLASSIFICATION","features":[310]},{"name":"BDCB_IMAGE_INFORMATION","features":[310,308]},{"name":"BDCB_STATUS_UPDATE_CONTEXT","features":[310]},{"name":"BDCB_STATUS_UPDATE_TYPE","features":[310]},{"name":"BMC_NOTIFY_TYPE_GUID","features":[310]},{"name":"BOOTDISK_INFORMATION","features":[310]},{"name":"BOOTDISK_INFORMATION_EX","features":[310,308]},{"name":"BOOTDISK_INFORMATION_LITE","features":[310]},{"name":"BOOT_DRIVER_CALLBACK_FUNCTION","features":[310,308]},{"name":"BOOT_NOTIFY_TYPE_GUID","features":[310]},{"name":"BOUND_CALLBACK","features":[310]},{"name":"BOUND_CALLBACK_STATUS","features":[310]},{"name":"BUS_DATA_TYPE","features":[310]},{"name":"BUS_INTERFACE_STANDARD","features":[309,312,310,308,311,313,314,315]},{"name":"BUS_QUERY_ID_TYPE","features":[310]},{"name":"BUS_RESOURCE_UPDATE_INTERFACE","features":[310,308]},{"name":"BUS_SPECIFIC_RESET_FLAGS","features":[310]},{"name":"BackgroundWorkQueue","features":[310]},{"name":"BdCbClassificationEnd","features":[310]},{"name":"BdCbClassificationKnownBadImage","features":[310]},{"name":"BdCbClassificationKnownBadImageBootCritical","features":[310]},{"name":"BdCbClassificationKnownGoodImage","features":[310]},{"name":"BdCbClassificationUnknownImage","features":[310]},{"name":"BdCbInitializeImage","features":[310]},{"name":"BdCbStatusPrepareForDependencyLoad","features":[310]},{"name":"BdCbStatusPrepareForDriverLoad","features":[310]},{"name":"BdCbStatusPrepareForUnload","features":[310]},{"name":"BdCbStatusUpdate","features":[310]},{"name":"BoundExceptionContinueSearch","features":[310]},{"name":"BoundExceptionError","features":[310]},{"name":"BoundExceptionHandled","features":[310]},{"name":"BoundExceptionMaximum","features":[310]},{"name":"BufferEmpty","features":[310]},{"name":"BufferFinished","features":[310]},{"name":"BufferIncomplete","features":[310]},{"name":"BufferInserted","features":[310]},{"name":"BufferStarted","features":[310]},{"name":"BusQueryCompatibleIDs","features":[310]},{"name":"BusQueryContainerID","features":[310]},{"name":"BusQueryDeviceID","features":[310]},{"name":"BusQueryDeviceSerialNumber","features":[310]},{"name":"BusQueryHardwareIDs","features":[310]},{"name":"BusQueryInstanceID","features":[310]},{"name":"BusRelations","features":[310]},{"name":"BusWidth32Bits","features":[310]},{"name":"BusWidth64Bits","features":[310]},{"name":"CBus","features":[310]},{"name":"CLFS_MAX_CONTAINER_INFO","features":[310]},{"name":"CLFS_MGMT_CLIENT_REGISTRATION","features":[309,312,310,308,311,327,313,314,315]},{"name":"CLFS_SCAN_BACKWARD","features":[310]},{"name":"CLFS_SCAN_BUFFERED","features":[310]},{"name":"CLFS_SCAN_CLOSE","features":[310]},{"name":"CLFS_SCAN_FORWARD","features":[310]},{"name":"CLFS_SCAN_INIT","features":[310]},{"name":"CLFS_SCAN_INITIALIZED","features":[310]},{"name":"CLOCK1_LEVEL","features":[310]},{"name":"CLOCK2_LEVEL","features":[310]},{"name":"CLOCK_LEVEL","features":[310]},{"name":"CMCI_LEVEL","features":[310]},{"name":"CMCI_NOTIFY_TYPE_GUID","features":[310]},{"name":"CMC_DRIVER_INFO","features":[309,310]},{"name":"CMC_NOTIFY_TYPE_GUID","features":[310]},{"name":"CM_COMPONENT_INFORMATION","features":[310]},{"name":"CM_DISK_GEOMETRY_DEVICE_DATA","features":[310]},{"name":"CM_EISA_FUNCTION_INFORMATION","features":[310]},{"name":"CM_EISA_SLOT_INFORMATION","features":[310]},{"name":"CM_FLOPPY_DEVICE_DATA","features":[310]},{"name":"CM_FULL_RESOURCE_DESCRIPTOR","features":[310]},{"name":"CM_INT13_DRIVE_PARAMETER","features":[310]},{"name":"CM_KEYBOARD_DEVICE_DATA","features":[310]},{"name":"CM_MCA_POS_DATA","features":[310]},{"name":"CM_MONITOR_DEVICE_DATA","features":[310]},{"name":"CM_PARTIAL_RESOURCE_DESCRIPTOR","features":[310]},{"name":"CM_PARTIAL_RESOURCE_LIST","features":[310]},{"name":"CM_PCCARD_DEVICE_DATA","features":[310]},{"name":"CM_PNP_BIOS_DEVICE_NODE","features":[310]},{"name":"CM_PNP_BIOS_INSTALLATION_CHECK","features":[310]},{"name":"CM_POWER_DATA","features":[310,315]},{"name":"CM_RESOURCE_CONNECTION_CLASS_FUNCTION_CONFIG","features":[310]},{"name":"CM_RESOURCE_CONNECTION_CLASS_GPIO","features":[310]},{"name":"CM_RESOURCE_CONNECTION_CLASS_SERIAL","features":[310]},{"name":"CM_RESOURCE_CONNECTION_TYPE_FUNCTION_CONFIG","features":[310]},{"name":"CM_RESOURCE_CONNECTION_TYPE_GPIO_IO","features":[310]},{"name":"CM_RESOURCE_CONNECTION_TYPE_SERIAL_I2C","features":[310]},{"name":"CM_RESOURCE_CONNECTION_TYPE_SERIAL_SPI","features":[310]},{"name":"CM_RESOURCE_CONNECTION_TYPE_SERIAL_UART","features":[310]},{"name":"CM_RESOURCE_DMA_16","features":[310]},{"name":"CM_RESOURCE_DMA_32","features":[310]},{"name":"CM_RESOURCE_DMA_8","features":[310]},{"name":"CM_RESOURCE_DMA_8_AND_16","features":[310]},{"name":"CM_RESOURCE_DMA_BUS_MASTER","features":[310]},{"name":"CM_RESOURCE_DMA_TYPE_A","features":[310]},{"name":"CM_RESOURCE_DMA_TYPE_B","features":[310]},{"name":"CM_RESOURCE_DMA_TYPE_F","features":[310]},{"name":"CM_RESOURCE_DMA_V3","features":[310]},{"name":"CM_RESOURCE_INTERRUPT_LATCHED","features":[310]},{"name":"CM_RESOURCE_INTERRUPT_LEVEL_LATCHED_BITS","features":[310]},{"name":"CM_RESOURCE_INTERRUPT_LEVEL_SENSITIVE","features":[310]},{"name":"CM_RESOURCE_INTERRUPT_MESSAGE","features":[310]},{"name":"CM_RESOURCE_INTERRUPT_POLICY_INCLUDED","features":[310]},{"name":"CM_RESOURCE_INTERRUPT_SECONDARY_INTERRUPT","features":[310]},{"name":"CM_RESOURCE_INTERRUPT_WAKE_HINT","features":[310]},{"name":"CM_RESOURCE_LIST","features":[310]},{"name":"CM_RESOURCE_MEMORY_24","features":[310]},{"name":"CM_RESOURCE_MEMORY_BAR","features":[310]},{"name":"CM_RESOURCE_MEMORY_CACHEABLE","features":[310]},{"name":"CM_RESOURCE_MEMORY_COMBINEDWRITE","features":[310]},{"name":"CM_RESOURCE_MEMORY_COMPAT_FOR_INACCESSIBLE_RANGE","features":[310]},{"name":"CM_RESOURCE_MEMORY_LARGE","features":[310]},{"name":"CM_RESOURCE_MEMORY_LARGE_40","features":[310]},{"name":"CM_RESOURCE_MEMORY_LARGE_40_MAXLEN","features":[310]},{"name":"CM_RESOURCE_MEMORY_LARGE_48","features":[310]},{"name":"CM_RESOURCE_MEMORY_LARGE_48_MAXLEN","features":[310]},{"name":"CM_RESOURCE_MEMORY_LARGE_64","features":[310]},{"name":"CM_RESOURCE_MEMORY_LARGE_64_MAXLEN","features":[310]},{"name":"CM_RESOURCE_MEMORY_PREFETCHABLE","features":[310]},{"name":"CM_RESOURCE_MEMORY_READ_ONLY","features":[310]},{"name":"CM_RESOURCE_MEMORY_READ_WRITE","features":[310]},{"name":"CM_RESOURCE_MEMORY_WINDOW_DECODE","features":[310]},{"name":"CM_RESOURCE_MEMORY_WRITEABILITY_MASK","features":[310]},{"name":"CM_RESOURCE_MEMORY_WRITE_ONLY","features":[310]},{"name":"CM_RESOURCE_PORT_10_BIT_DECODE","features":[310]},{"name":"CM_RESOURCE_PORT_12_BIT_DECODE","features":[310]},{"name":"CM_RESOURCE_PORT_16_BIT_DECODE","features":[310]},{"name":"CM_RESOURCE_PORT_BAR","features":[310]},{"name":"CM_RESOURCE_PORT_IO","features":[310]},{"name":"CM_RESOURCE_PORT_MEMORY","features":[310]},{"name":"CM_RESOURCE_PORT_PASSIVE_DECODE","features":[310]},{"name":"CM_RESOURCE_PORT_POSITIVE_DECODE","features":[310]},{"name":"CM_RESOURCE_PORT_WINDOW_DECODE","features":[310]},{"name":"CM_ROM_BLOCK","features":[310]},{"name":"CM_SCSI_DEVICE_DATA","features":[310]},{"name":"CM_SERIAL_DEVICE_DATA","features":[310]},{"name":"CM_SERVICE_MEASURED_BOOT_LOAD","features":[310]},{"name":"CM_SHARE_DISPOSITION","features":[310]},{"name":"CM_SONIC_DEVICE_DATA","features":[310]},{"name":"CM_VIDEO_DEVICE_DATA","features":[310]},{"name":"CONFIGURATION_INFORMATION","features":[310,308]},{"name":"CONFIGURATION_TYPE","features":[310]},{"name":"CONNECT_CURRENT_VERSION","features":[310]},{"name":"CONNECT_FULLY_SPECIFIED","features":[310]},{"name":"CONNECT_FULLY_SPECIFIED_GROUP","features":[310]},{"name":"CONNECT_LINE_BASED","features":[310]},{"name":"CONNECT_MESSAGE_BASED","features":[310]},{"name":"CONNECT_MESSAGE_BASED_PASSIVE","features":[310]},{"name":"CONTROLLER_OBJECT","features":[309,310,308,314]},{"name":"COUNTED_REASON_CONTEXT","features":[310,308]},{"name":"CP15_PCR_RESERVED_MASK","features":[310]},{"name":"CPER_EMPTY_GUID","features":[310]},{"name":"CPE_DRIVER_INFO","features":[309,310]},{"name":"CPE_NOTIFY_TYPE_GUID","features":[310]},{"name":"CP_GET_ERROR","features":[310]},{"name":"CP_GET_NODATA","features":[310]},{"name":"CP_GET_SUCCESS","features":[310]},{"name":"CRASHDUMP_FUNCTIONS_INTERFACE","features":[310,308]},{"name":"CREATE_FILE_TYPE","features":[310]},{"name":"CREATE_USER_PROCESS_ECP_CONTEXT","features":[310]},{"name":"CardPresent","features":[310]},{"name":"CbusConfiguration","features":[310]},{"name":"CdromController","features":[310]},{"name":"CentralProcessor","features":[310]},{"name":"ClfsAddLogContainer","features":[309,312,310,308,311,313,314,315]},{"name":"ClfsAddLogContainerSet","features":[309,312,310,308,311,313,314,315]},{"name":"ClfsAdvanceLogBase","features":[310,308,327]},{"name":"ClfsAlignReservedLog","features":[310,308]},{"name":"ClfsAllocReservedLog","features":[310,308]},{"name":"ClfsClientRecord","features":[310]},{"name":"ClfsCloseAndResetLogFile","features":[309,312,310,308,311,313,314,315]},{"name":"ClfsCloseLogFileObject","features":[309,312,310,308,311,313,314,315]},{"name":"ClfsContainerActive","features":[310]},{"name":"ClfsContainerActivePendingDelete","features":[310]},{"name":"ClfsContainerInactive","features":[310]},{"name":"ClfsContainerInitializing","features":[310]},{"name":"ClfsContainerPendingArchive","features":[310]},{"name":"ClfsContainerPendingArchiveAndDelete","features":[310]},{"name":"ClfsCreateLogFile","features":[309,312,310,308,311,313,314,315]},{"name":"ClfsCreateMarshallingArea","features":[309,312,310,308,311,313,314,315]},{"name":"ClfsCreateMarshallingAreaEx","features":[309,312,310,308,311,313,314,315]},{"name":"ClfsCreateScanContext","features":[309,312,310,308,311,327,313,314,315]},{"name":"ClfsDataRecord","features":[310]},{"name":"ClfsDeleteLogByPointer","features":[309,312,310,308,311,313,314,315]},{"name":"ClfsDeleteLogFile","features":[310,308]},{"name":"ClfsDeleteMarshallingArea","features":[310,308]},{"name":"ClfsEarlierLsn","features":[310,327]},{"name":"ClfsFinalize","features":[310]},{"name":"ClfsFlushBuffers","features":[310,308]},{"name":"ClfsFlushToLsn","features":[310,308,327]},{"name":"ClfsFreeReservedLog","features":[310,308]},{"name":"ClfsGetContainerName","features":[309,312,310,308,311,313,314,315]},{"name":"ClfsGetIoStatistics","features":[309,312,310,308,311,327,313,314,315]},{"name":"ClfsGetLogFileInformation","features":[309,312,310,308,311,327,313,314,315]},{"name":"ClfsInitialize","features":[310,308]},{"name":"ClfsLaterLsn","features":[310,327]},{"name":"ClfsLsnBlockOffset","features":[310,327]},{"name":"ClfsLsnContainer","features":[310,327]},{"name":"ClfsLsnCreate","features":[310,327]},{"name":"ClfsLsnDifference","features":[310,308,327]},{"name":"ClfsLsnEqual","features":[310,308,327]},{"name":"ClfsLsnGreater","features":[310,308,327]},{"name":"ClfsLsnInvalid","features":[310,308,327]},{"name":"ClfsLsnLess","features":[310,308,327]},{"name":"ClfsLsnNull","features":[310,308,327]},{"name":"ClfsLsnRecordSequence","features":[310,327]},{"name":"ClfsMgmtDeregisterManagedClient","features":[310,308]},{"name":"ClfsMgmtHandleLogFileFull","features":[310,308]},{"name":"ClfsMgmtInstallPolicy","features":[309,312,310,308,311,327,313,314,315]},{"name":"ClfsMgmtQueryPolicy","features":[309,312,310,308,311,327,313,314,315]},{"name":"ClfsMgmtRegisterManagedClient","features":[309,312,310,308,311,327,313,314,315]},{"name":"ClfsMgmtRemovePolicy","features":[309,312,310,308,311,327,313,314,315]},{"name":"ClfsMgmtSetLogFileSize","features":[309,312,310,308,311,313,314,315]},{"name":"ClfsMgmtSetLogFileSizeAsClient","features":[309,312,310,308,311,313,314,315]},{"name":"ClfsMgmtTailAdvanceFailure","features":[310,308]},{"name":"ClfsNullRecord","features":[310]},{"name":"ClfsQueryLogFileInformation","features":[309,312,310,308,311,327,313,314,315]},{"name":"ClfsReadLogRecord","features":[310,308,327]},{"name":"ClfsReadNextLogRecord","features":[310,308,327]},{"name":"ClfsReadPreviousRestartArea","features":[310,308,327]},{"name":"ClfsReadRestartArea","features":[310,308,327]},{"name":"ClfsRemoveLogContainer","features":[309,312,310,308,311,313,314,315]},{"name":"ClfsRemoveLogContainerSet","features":[309,312,310,308,311,313,314,315]},{"name":"ClfsReserveAndAppendLog","features":[310,308,327]},{"name":"ClfsReserveAndAppendLogAligned","features":[310,308,327]},{"name":"ClfsRestartRecord","features":[310]},{"name":"ClfsScanLogContainers","features":[310,308,327]},{"name":"ClfsSetArchiveTail","features":[309,312,310,308,311,327,313,314,315]},{"name":"ClfsSetEndOfLog","features":[309,312,310,308,311,327,313,314,315]},{"name":"ClfsSetLogFileInformation","features":[309,312,310,308,311,327,313,314,315]},{"name":"ClfsTerminateReadLog","features":[310,308]},{"name":"ClfsWriteRestartArea","features":[310,308,327]},{"name":"ClsContainerActive","features":[310]},{"name":"ClsContainerActivePendingDelete","features":[310]},{"name":"ClsContainerInactive","features":[310]},{"name":"ClsContainerInitializing","features":[310]},{"name":"ClsContainerPendingArchive","features":[310]},{"name":"ClsContainerPendingArchiveAndDelete","features":[310]},{"name":"CmCallbackGetKeyObjectID","features":[310,308]},{"name":"CmCallbackGetKeyObjectIDEx","features":[310,308]},{"name":"CmCallbackReleaseKeyObjectIDEx","features":[310,308]},{"name":"CmGetBoundTransaction","features":[310]},{"name":"CmGetCallbackVersion","features":[310]},{"name":"CmRegisterCallback","features":[310,308]},{"name":"CmRegisterCallbackEx","features":[310,308]},{"name":"CmResourceShareDeviceExclusive","features":[310]},{"name":"CmResourceShareDriverExclusive","features":[310]},{"name":"CmResourceShareShared","features":[310]},{"name":"CmResourceShareUndetermined","features":[310]},{"name":"CmResourceTypeBusNumber","features":[310]},{"name":"CmResourceTypeConfigData","features":[310]},{"name":"CmResourceTypeConnection","features":[310]},{"name":"CmResourceTypeDevicePrivate","features":[310]},{"name":"CmResourceTypeDeviceSpecific","features":[310]},{"name":"CmResourceTypeDma","features":[310]},{"name":"CmResourceTypeInterrupt","features":[310]},{"name":"CmResourceTypeMaximum","features":[310]},{"name":"CmResourceTypeMemory","features":[310]},{"name":"CmResourceTypeMemoryLarge","features":[310]},{"name":"CmResourceTypeMfCardConfig","features":[310]},{"name":"CmResourceTypeNonArbitrated","features":[310]},{"name":"CmResourceTypeNull","features":[310]},{"name":"CmResourceTypePcCardConfig","features":[310]},{"name":"CmResourceTypePort","features":[310]},{"name":"CmSetCallbackObjectContext","features":[310,308]},{"name":"CmUnRegisterCallback","features":[310,308]},{"name":"Cmos","features":[310]},{"name":"CommonBufferConfigTypeHardwareAccessPermissions","features":[310]},{"name":"CommonBufferConfigTypeLogicalAddressLimits","features":[310]},{"name":"CommonBufferConfigTypeMax","features":[310]},{"name":"CommonBufferConfigTypeSubSection","features":[310]},{"name":"CommonBufferHardwareAccessMax","features":[310]},{"name":"CommonBufferHardwareAccessReadOnly","features":[310]},{"name":"CommonBufferHardwareAccessReadWrite","features":[310]},{"name":"CommonBufferHardwareAccessWriteOnly","features":[310]},{"name":"Compatible","features":[310]},{"name":"ConfigurationSpaceUndefined","features":[310]},{"name":"ContinueCompletion","features":[310]},{"name":"CreateFileTypeMailslot","features":[310]},{"name":"CreateFileTypeNamedPipe","features":[310]},{"name":"CreateFileTypeNone","features":[310]},{"name":"CriticalWorkQueue","features":[310]},{"name":"CustomPriorityWorkQueue","features":[310]},{"name":"D3COLD_AUX_POWER_AND_TIMING_INTERFACE","features":[310,308]},{"name":"D3COLD_LAST_TRANSITION_STATUS","features":[310]},{"name":"D3COLD_REQUEST_AUX_POWER","features":[310,308]},{"name":"D3COLD_REQUEST_CORE_POWER_RAIL","features":[310,308]},{"name":"D3COLD_REQUEST_PERST_DELAY","features":[310,308]},{"name":"D3COLD_SUPPORT_INTERFACE","features":[310,308]},{"name":"D3COLD_SUPPORT_INTERFACE_VERSION","features":[310]},{"name":"DBG_DEVICE_FLAG_BARS_MAPPED","features":[310]},{"name":"DBG_DEVICE_FLAG_HAL_SCRATCH_ALLOCATED","features":[310]},{"name":"DBG_DEVICE_FLAG_HOST_VISIBLE_ALLOCATED","features":[310]},{"name":"DBG_DEVICE_FLAG_SCRATCH_ALLOCATED","features":[310]},{"name":"DBG_DEVICE_FLAG_SYNTHETIC","features":[310]},{"name":"DBG_DEVICE_FLAG_UNCACHED_MEMORY","features":[310]},{"name":"DBG_STATUS_BUGCHECK_FIRST","features":[310]},{"name":"DBG_STATUS_BUGCHECK_SECOND","features":[310]},{"name":"DBG_STATUS_CONTROL_C","features":[310]},{"name":"DBG_STATUS_DEBUG_CONTROL","features":[310]},{"name":"DBG_STATUS_FATAL","features":[310]},{"name":"DBG_STATUS_SYSRQ","features":[310]},{"name":"DBG_STATUS_WORKER","features":[310]},{"name":"DEBUGGING_DEVICE_IN_USE","features":[310]},{"name":"DEBUGGING_DEVICE_IN_USE_INFORMATION","features":[310]},{"name":"DEBUG_DEVICE_ADDRESS","features":[310,308]},{"name":"DEBUG_DEVICE_DESCRIPTOR","features":[310,308]},{"name":"DEBUG_EFI_IOMMU_DATA","features":[310]},{"name":"DEBUG_MEMORY_REQUIREMENTS","features":[310,308]},{"name":"DEBUG_TRANSPORT_DATA","features":[310,308]},{"name":"DEFAULT_DEVICE_DRIVER_CREATOR_GUID","features":[310]},{"name":"DEVICE_BUS_SPECIFIC_RESET_HANDLER","features":[310,308]},{"name":"DEVICE_BUS_SPECIFIC_RESET_INFO","features":[310]},{"name":"DEVICE_BUS_SPECIFIC_RESET_TYPE","features":[310]},{"name":"DEVICE_CAPABILITIES","features":[310,315]},{"name":"DEVICE_CHANGE_COMPLETE_CALLBACK","features":[310]},{"name":"DEVICE_DESCRIPTION","features":[310,308]},{"name":"DEVICE_DESCRIPTION_VERSION","features":[310]},{"name":"DEVICE_DESCRIPTION_VERSION1","features":[310]},{"name":"DEVICE_DESCRIPTION_VERSION2","features":[310]},{"name":"DEVICE_DESCRIPTION_VERSION3","features":[310]},{"name":"DEVICE_DIRECTORY_TYPE","features":[310]},{"name":"DEVICE_DRIVER_NOTIFY_TYPE_GUID","features":[310]},{"name":"DEVICE_FAULT_CONFIGURATION","features":[310]},{"name":"DEVICE_FLAGS","features":[310]},{"name":"DEVICE_INSTALL_STATE","features":[310]},{"name":"DEVICE_INTERFACE_CHANGE_NOTIFICATION","features":[310,308]},{"name":"DEVICE_INTERFACE_INCLUDE_NONACTIVE","features":[310]},{"name":"DEVICE_QUERY_BUS_SPECIFIC_RESET_HANDLER","features":[310,308]},{"name":"DEVICE_REGISTRY_PROPERTY","features":[310]},{"name":"DEVICE_RELATIONS","features":[309,312,310,308,311,313,314,315]},{"name":"DEVICE_RELATION_TYPE","features":[310]},{"name":"DEVICE_REMOVAL_POLICY","features":[310]},{"name":"DEVICE_RESET_COMPLETION","features":[310,308]},{"name":"DEVICE_RESET_HANDLER","features":[310,308]},{"name":"DEVICE_RESET_INTERFACE_STANDARD","features":[310,308]},{"name":"DEVICE_RESET_INTERFACE_VERSION","features":[310]},{"name":"DEVICE_RESET_INTERFACE_VERSION_1","features":[310]},{"name":"DEVICE_RESET_INTERFACE_VERSION_2","features":[310]},{"name":"DEVICE_RESET_INTERFACE_VERSION_3","features":[310]},{"name":"DEVICE_RESET_STATUS_FLAGS","features":[310]},{"name":"DEVICE_RESET_TYPE","features":[310]},{"name":"DEVICE_TEXT_TYPE","features":[310]},{"name":"DEVICE_USAGE_NOTIFICATION_TYPE","features":[310]},{"name":"DEVICE_WAKE_DEPTH","features":[310]},{"name":"DIRECTORY_CREATE_OBJECT","features":[310]},{"name":"DIRECTORY_CREATE_SUBDIRECTORY","features":[310]},{"name":"DIRECTORY_NOTIFY_INFORMATION_CLASS","features":[310]},{"name":"DIRECTORY_QUERY","features":[310]},{"name":"DIRECTORY_TRAVERSE","features":[310]},{"name":"DISK_SIGNATURE","features":[310]},{"name":"DISPATCH_LEVEL","features":[310]},{"name":"DMAV3_TRANFER_WIDTH_128","features":[310]},{"name":"DMAV3_TRANFER_WIDTH_16","features":[310]},{"name":"DMAV3_TRANFER_WIDTH_256","features":[310]},{"name":"DMAV3_TRANFER_WIDTH_32","features":[310]},{"name":"DMAV3_TRANFER_WIDTH_64","features":[310]},{"name":"DMAV3_TRANFER_WIDTH_8","features":[310]},{"name":"DMA_ADAPTER","features":[309,312,310,308,311,313,314,315]},{"name":"DMA_ADAPTER_INFO","features":[310,308]},{"name":"DMA_ADAPTER_INFO_CRASHDUMP","features":[310,308]},{"name":"DMA_ADAPTER_INFO_V1","features":[310]},{"name":"DMA_ADAPTER_INFO_VERSION1","features":[310]},{"name":"DMA_COMMON_BUFFER_EXTENDED_CONFIGURATION","features":[310]},{"name":"DMA_COMMON_BUFFER_EXTENDED_CONFIGURATION_ACCESS_TYPE","features":[310]},{"name":"DMA_COMMON_BUFFER_EXTENDED_CONFIGURATION_TYPE","features":[310]},{"name":"DMA_COMPLETION_ROUTINE","features":[309,312,310,308,311,313,314,315]},{"name":"DMA_COMPLETION_STATUS","features":[310]},{"name":"DMA_CONFIGURATION_BYTE0","features":[310]},{"name":"DMA_CONFIGURATION_BYTE1","features":[310]},{"name":"DMA_FAIL_ON_BOUNCE","features":[310]},{"name":"DMA_IOMMU_INTERFACE","features":[310,308]},{"name":"DMA_IOMMU_INTERFACE_EX","features":[310,308]},{"name":"DMA_IOMMU_INTERFACE_EX_VERSION","features":[310]},{"name":"DMA_IOMMU_INTERFACE_EX_VERSION_1","features":[310]},{"name":"DMA_IOMMU_INTERFACE_EX_VERSION_2","features":[310]},{"name":"DMA_IOMMU_INTERFACE_EX_VERSION_MAX","features":[310]},{"name":"DMA_IOMMU_INTERFACE_EX_VERSION_MIN","features":[310]},{"name":"DMA_IOMMU_INTERFACE_V1","features":[310,308]},{"name":"DMA_IOMMU_INTERFACE_V2","features":[310,308]},{"name":"DMA_IOMMU_INTERFACE_VERSION","features":[310]},{"name":"DMA_IOMMU_INTERFACE_VERSION_1","features":[310]},{"name":"DMA_OPERATIONS","features":[309,312,310,308,311,313,314,315]},{"name":"DMA_SPEED","features":[310]},{"name":"DMA_SYNCHRONOUS_CALLBACK","features":[310]},{"name":"DMA_TRANSFER_CONTEXT_SIZE_V1","features":[310]},{"name":"DMA_TRANSFER_CONTEXT_VERSION1","features":[310]},{"name":"DMA_TRANSFER_INFO","features":[310]},{"name":"DMA_TRANSFER_INFO_V1","features":[310]},{"name":"DMA_TRANSFER_INFO_V2","features":[310]},{"name":"DMA_TRANSFER_INFO_VERSION1","features":[310]},{"name":"DMA_TRANSFER_INFO_VERSION2","features":[310]},{"name":"DMA_WIDTH","features":[310]},{"name":"DMA_ZERO_BUFFERS","features":[310]},{"name":"DOMAIN_COMMON_BUFFER_LARGE_PAGE","features":[310]},{"name":"DOMAIN_CONFIGURATION","features":[310,308]},{"name":"DOMAIN_CONFIGURATION_ARCH","features":[310]},{"name":"DOMAIN_CONFIGURATION_ARM64","features":[310,308]},{"name":"DOMAIN_CONFIGURATION_X64","features":[310,308]},{"name":"DPC_NORMAL","features":[310]},{"name":"DPC_THREADED","features":[310]},{"name":"DPC_WATCHDOG_GLOBAL_TRIAGE_BLOCK","features":[310]},{"name":"DPC_WATCHDOG_GLOBAL_TRIAGE_BLOCK_REVISION_1","features":[310]},{"name":"DPC_WATCHDOG_GLOBAL_TRIAGE_BLOCK_SIGNATURE","features":[310]},{"name":"DRIVER_DIRECTORY_TYPE","features":[310]},{"name":"DRIVER_LIST_CONTROL","features":[309,312,310,308,311,313,314,315]},{"name":"DRIVER_REGKEY_TYPE","features":[310]},{"name":"DRIVER_RUNTIME_INIT_FLAGS","features":[310]},{"name":"DRIVER_VERIFIER_FORCE_IRQL_CHECKING","features":[310]},{"name":"DRIVER_VERIFIER_INJECT_ALLOCATION_FAILURES","features":[310]},{"name":"DRIVER_VERIFIER_IO_CHECKING","features":[310]},{"name":"DRIVER_VERIFIER_SPECIAL_POOLING","features":[310]},{"name":"DRIVER_VERIFIER_THUNK_PAIRS","features":[310]},{"name":"DRIVER_VERIFIER_TRACK_POOL_ALLOCATIONS","features":[310]},{"name":"DRS_LEVEL","features":[310]},{"name":"DRVO_BOOTREINIT_REGISTERED","features":[310]},{"name":"DRVO_BUILTIN_DRIVER","features":[310]},{"name":"DRVO_INITIALIZED","features":[310]},{"name":"DRVO_LEGACY_DRIVER","features":[310]},{"name":"DRVO_LEGACY_RESOURCES","features":[310]},{"name":"DRVO_REINIT_REGISTERED","features":[310]},{"name":"DRVO_UNLOAD_INVOKED","features":[310]},{"name":"DUPLICATE_SAME_ATTRIBUTES","features":[310]},{"name":"DbgBreakPointWithStatus","features":[310]},{"name":"DbgPrint","features":[310]},{"name":"DbgPrintEx","features":[310]},{"name":"DbgPrintReturnControlC","features":[310]},{"name":"DbgPrompt","features":[310]},{"name":"DbgQueryDebugFilterState","features":[310,308]},{"name":"DbgSetDebugFilterState","features":[310,308]},{"name":"DbgSetDebugPrintCallback","features":[310,308,314]},{"name":"DeallocateObject","features":[310]},{"name":"DeallocateObjectKeepRegisters","features":[310]},{"name":"DelayExecution","features":[310]},{"name":"DelayedWorkQueue","features":[310]},{"name":"DeleteSecurityDescriptor","features":[310]},{"name":"DeviceDirectoryData","features":[310]},{"name":"DevicePowerState","features":[310]},{"name":"DevicePropertyAddress","features":[310]},{"name":"DevicePropertyAllocatedResources","features":[310]},{"name":"DevicePropertyBootConfiguration","features":[310]},{"name":"DevicePropertyBootConfigurationTranslated","features":[310]},{"name":"DevicePropertyBusNumber","features":[310]},{"name":"DevicePropertyBusTypeGuid","features":[310]},{"name":"DevicePropertyClassGuid","features":[310]},{"name":"DevicePropertyClassName","features":[310]},{"name":"DevicePropertyCompatibleIDs","features":[310]},{"name":"DevicePropertyContainerID","features":[310]},{"name":"DevicePropertyDeviceDescription","features":[310]},{"name":"DevicePropertyDriverKeyName","features":[310]},{"name":"DevicePropertyEnumeratorName","features":[310]},{"name":"DevicePropertyFriendlyName","features":[310]},{"name":"DevicePropertyHardwareID","features":[310]},{"name":"DevicePropertyInstallState","features":[310]},{"name":"DevicePropertyLegacyBusType","features":[310]},{"name":"DevicePropertyLocationInformation","features":[310]},{"name":"DevicePropertyManufacturer","features":[310]},{"name":"DevicePropertyPhysicalDeviceObjectName","features":[310]},{"name":"DevicePropertyRemovalPolicy","features":[310]},{"name":"DevicePropertyResourceRequirements","features":[310]},{"name":"DevicePropertyUINumber","features":[310]},{"name":"DeviceTextDescription","features":[310]},{"name":"DeviceTextLocationInformation","features":[310]},{"name":"DeviceUsageTypeBoot","features":[310]},{"name":"DeviceUsageTypeDumpFile","features":[310]},{"name":"DeviceUsageTypeGuestAssigned","features":[310]},{"name":"DeviceUsageTypeHibernation","features":[310]},{"name":"DeviceUsageTypePaging","features":[310]},{"name":"DeviceUsageTypePostDisplay","features":[310]},{"name":"DeviceUsageTypeUndefined","features":[310]},{"name":"DeviceWakeDepthD0","features":[310]},{"name":"DeviceWakeDepthD1","features":[310]},{"name":"DeviceWakeDepthD2","features":[310]},{"name":"DeviceWakeDepthD3cold","features":[310]},{"name":"DeviceWakeDepthD3hot","features":[310]},{"name":"DeviceWakeDepthMaximum","features":[310]},{"name":"DeviceWakeDepthNotWakeable","features":[310]},{"name":"DirectoryNotifyExtendedInformation","features":[310]},{"name":"DirectoryNotifyFullInformation","features":[310]},{"name":"DirectoryNotifyInformation","features":[310]},{"name":"DirectoryNotifyMaximumInformation","features":[310]},{"name":"DisabledControl","features":[310]},{"name":"DiskController","features":[310]},{"name":"DiskIoNotifyRoutinesClass","features":[310]},{"name":"DiskPeripheral","features":[310]},{"name":"DisplayController","features":[310]},{"name":"DmaAborted","features":[310]},{"name":"DmaCancelled","features":[310]},{"name":"DmaComplete","features":[310]},{"name":"DmaError","features":[310]},{"name":"DockingInformation","features":[310]},{"name":"DomainConfigurationArm64","features":[310]},{"name":"DomainConfigurationInvalid","features":[310]},{"name":"DomainConfigurationX64","features":[310]},{"name":"DomainTypeMax","features":[310]},{"name":"DomainTypePassThrough","features":[310]},{"name":"DomainTypeTranslate","features":[310]},{"name":"DomainTypeUnmanaged","features":[310]},{"name":"DriverDirectoryData","features":[310]},{"name":"DriverDirectoryImage","features":[310]},{"name":"DriverDirectorySharedData","features":[310]},{"name":"DriverRegKeyParameters","features":[310]},{"name":"DriverRegKeyPersistentState","features":[310]},{"name":"DriverRegKeySharedPersistentState","features":[310]},{"name":"DrvRtPoolNxOptIn","features":[310]},{"name":"DtiAdapter","features":[310]},{"name":"EFI_ACPI_RAS_SIGNAL_TABLE","features":[310]},{"name":"EFLAG_SIGN","features":[310]},{"name":"EFLAG_ZERO","features":[310]},{"name":"EISA_DMA_CONFIGURATION","features":[310]},{"name":"EISA_EMPTY_SLOT","features":[310]},{"name":"EISA_FREE_FORM_DATA","features":[310]},{"name":"EISA_FUNCTION_ENABLED","features":[310]},{"name":"EISA_HAS_DMA_ENTRY","features":[310]},{"name":"EISA_HAS_IRQ_ENTRY","features":[310]},{"name":"EISA_HAS_MEMORY_ENTRY","features":[310]},{"name":"EISA_HAS_PORT_INIT_ENTRY","features":[310]},{"name":"EISA_HAS_PORT_RANGE","features":[310]},{"name":"EISA_HAS_TYPE_ENTRY","features":[310]},{"name":"EISA_INVALID_BIOS_CALL","features":[310]},{"name":"EISA_INVALID_CONFIGURATION","features":[310]},{"name":"EISA_INVALID_FUNCTION","features":[310]},{"name":"EISA_INVALID_SLOT","features":[310]},{"name":"EISA_IRQ_CONFIGURATION","features":[310]},{"name":"EISA_IRQ_DESCRIPTOR","features":[310]},{"name":"EISA_MEMORY_CONFIGURATION","features":[310]},{"name":"EISA_MEMORY_TYPE","features":[310]},{"name":"EISA_MEMORY_TYPE_RAM","features":[310]},{"name":"EISA_MORE_ENTRIES","features":[310]},{"name":"EISA_PORT_CONFIGURATION","features":[310]},{"name":"EISA_PORT_DESCRIPTOR","features":[310]},{"name":"EISA_SYSTEM_MEMORY","features":[310]},{"name":"ENABLE_VIRTUALIZATION","features":[310,308]},{"name":"ERROR_LOG_LIMIT_SIZE","features":[310]},{"name":"ERROR_MAJOR_REVISION_SAL_03_00","features":[310]},{"name":"ERROR_MEMORY_GUID","features":[310]},{"name":"ERROR_MINOR_REVISION_SAL_03_00","features":[310]},{"name":"ERROR_PCI_BUS_GUID","features":[310]},{"name":"ERROR_PCI_COMPONENT_GUID","features":[310]},{"name":"ERROR_PLATFORM_BUS_GUID","features":[310]},{"name":"ERROR_PLATFORM_HOST_CONTROLLER_GUID","features":[310]},{"name":"ERROR_PLATFORM_SPECIFIC_GUID","features":[310]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_BUS_CHECK_MASK","features":[310]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_BUS_CHECK_SHIFT","features":[310]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_CACHE_CHECK_MASK","features":[310]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_CACHE_CHECK_SHIFT","features":[310]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_MICROARCH_CHECK_MASK","features":[310]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_MICROARCH_CHECK_SHIFT","features":[310]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_REG_CHECK_MASK","features":[310]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_REG_CHECK_SHIFT","features":[310]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_TLB_CHECK_MASK","features":[310]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_TLB_CHECK_SHIFT","features":[310]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_UNKNOWN_CHECK_MASK","features":[310]},{"name":"ERROR_PROCESSOR_STATE_PARAMETER_UNKNOWN_CHECK_SHIFT","features":[310]},{"name":"ERROR_SMBIOS_GUID","features":[310]},{"name":"ERROR_SYSTEM_EVENT_LOG_GUID","features":[310]},{"name":"ERRTYP_BUS","features":[310]},{"name":"ERRTYP_CACHE","features":[310]},{"name":"ERRTYP_FLOW","features":[310]},{"name":"ERRTYP_FUNCTION","features":[310]},{"name":"ERRTYP_IMPROPER","features":[310]},{"name":"ERRTYP_INTERNAL","features":[310]},{"name":"ERRTYP_LOSSOFLOCKSTEP","features":[310]},{"name":"ERRTYP_MAP","features":[310]},{"name":"ERRTYP_MEM","features":[310]},{"name":"ERRTYP_PARITY","features":[310]},{"name":"ERRTYP_PATHERROR","features":[310]},{"name":"ERRTYP_POISONED","features":[310]},{"name":"ERRTYP_PROTOCOL","features":[310]},{"name":"ERRTYP_RESPONSE","features":[310]},{"name":"ERRTYP_SELFTEST","features":[310]},{"name":"ERRTYP_TIMEOUT","features":[310]},{"name":"ERRTYP_TLB","features":[310]},{"name":"ERRTYP_UNIMPL","features":[310]},{"name":"ETWENABLECALLBACK","features":[310,337]},{"name":"ETW_TRACE_SESSION_SETTINGS","features":[310]},{"name":"EVENT_QUERY_STATE","features":[310]},{"name":"EXCEPTION_ALIGNMENT_CHECK","features":[310]},{"name":"EXCEPTION_BOUND_CHECK","features":[310]},{"name":"EXCEPTION_CP_FAULT","features":[310]},{"name":"EXCEPTION_DEBUG","features":[310]},{"name":"EXCEPTION_DIVIDED_BY_ZERO","features":[310]},{"name":"EXCEPTION_DOUBLE_FAULT","features":[310]},{"name":"EXCEPTION_GP_FAULT","features":[310]},{"name":"EXCEPTION_INT3","features":[310]},{"name":"EXCEPTION_INVALID_OPCODE","features":[310]},{"name":"EXCEPTION_INVALID_TSS","features":[310]},{"name":"EXCEPTION_NMI","features":[310]},{"name":"EXCEPTION_NPX_ERROR","features":[310]},{"name":"EXCEPTION_NPX_NOT_AVAILABLE","features":[310]},{"name":"EXCEPTION_NPX_OVERRUN","features":[310]},{"name":"EXCEPTION_RESERVED_TRAP","features":[310]},{"name":"EXCEPTION_SEGMENT_NOT_PRESENT","features":[310]},{"name":"EXCEPTION_SE_FAULT","features":[310]},{"name":"EXCEPTION_SOFTWARE_ORIGINATE","features":[310]},{"name":"EXCEPTION_STACK_FAULT","features":[310]},{"name":"EXCEPTION_VIRTUALIZATION_FAULT","features":[310]},{"name":"EXPAND_STACK_CALLOUT","features":[310]},{"name":"EXTENDED_AGP_REGISTER","features":[310]},{"name":"EXTENDED_CREATE_INFORMATION","features":[310]},{"name":"EXTENDED_CREATE_INFORMATION_32","features":[310]},{"name":"EXTINT_NOTIFY_TYPE_GUID","features":[310]},{"name":"EXT_CALLBACK","features":[309,310]},{"name":"EXT_DELETE_CALLBACK","features":[310]},{"name":"EXT_DELETE_PARAMETERS","features":[310]},{"name":"EX_CALLBACK_FUNCTION","features":[310,308]},{"name":"EX_CARR_ALLOCATE_NONPAGED_POOL","features":[310]},{"name":"EX_CARR_ALLOCATE_PAGED_POOL","features":[310]},{"name":"EX_CARR_DISABLE_EXPANSION","features":[310]},{"name":"EX_CREATE_FLAG_FILE_DEST_OPEN_FOR_COPY","features":[310]},{"name":"EX_CREATE_FLAG_FILE_SOURCE_OPEN_FOR_COPY","features":[310]},{"name":"EX_DEFAULT_PUSH_LOCK_FLAGS","features":[310]},{"name":"EX_LOOKASIDE_LIST_EX_FLAGS_FAIL_NO_RAISE","features":[310]},{"name":"EX_LOOKASIDE_LIST_EX_FLAGS_RAISE_ON_FAIL","features":[310]},{"name":"EX_MAXIMUM_LOOKASIDE_DEPTH_BASE","features":[310]},{"name":"EX_MAXIMUM_LOOKASIDE_DEPTH_LIMIT","features":[310]},{"name":"EX_POOL_PRIORITY","features":[310]},{"name":"EX_RUNDOWN_ACTIVE","features":[310]},{"name":"EX_RUNDOWN_COUNT_SHIFT","features":[310]},{"name":"EX_RUNDOWN_REF","features":[310]},{"name":"EX_TIMER_HIGH_RESOLUTION","features":[310]},{"name":"EX_TIMER_NO_WAKE","features":[310]},{"name":"Eisa","features":[310]},{"name":"EisaAdapter","features":[310]},{"name":"EisaConfiguration","features":[310]},{"name":"EjectionRelations","features":[310]},{"name":"EndAlternatives","features":[310]},{"name":"EtwActivityIdControl","features":[310,308]},{"name":"EtwEventEnabled","features":[310,308,337]},{"name":"EtwProviderEnabled","features":[310,308]},{"name":"EtwRegister","features":[310,308]},{"name":"EtwSetInformation","features":[310,308,337]},{"name":"EtwUnregister","features":[310,308]},{"name":"EtwWrite","features":[310,308,337]},{"name":"EtwWriteEx","features":[310,308,337]},{"name":"EtwWriteString","features":[310,308]},{"name":"EtwWriteTransfer","features":[310,308,337]},{"name":"EventCategoryDeviceInterfaceChange","features":[310]},{"name":"EventCategoryHardwareProfileChange","features":[310]},{"name":"EventCategoryKernelSoftRestart","features":[310]},{"name":"EventCategoryReserved","features":[310]},{"name":"EventCategoryTargetDeviceChange","features":[310]},{"name":"EventLoggerHandleClass","features":[310]},{"name":"ExAcquireFastMutex","features":[309,310,308,314]},{"name":"ExAcquireFastMutexUnsafe","features":[309,310,308,314]},{"name":"ExAcquirePushLockExclusiveEx","features":[310]},{"name":"ExAcquirePushLockSharedEx","features":[310]},{"name":"ExAcquireResourceExclusiveLite","features":[309,310,308,314]},{"name":"ExAcquireResourceSharedLite","features":[309,310,308,314]},{"name":"ExAcquireRundownProtection","features":[310,308]},{"name":"ExAcquireRundownProtectionCacheAware","features":[309,310,308]},{"name":"ExAcquireRundownProtectionCacheAwareEx","features":[309,310,308]},{"name":"ExAcquireRundownProtectionEx","features":[310,308]},{"name":"ExAcquireSharedStarveExclusive","features":[309,310,308,314]},{"name":"ExAcquireSharedWaitForExclusive","features":[309,310,308,314]},{"name":"ExAcquireSpinLockExclusive","features":[310]},{"name":"ExAcquireSpinLockExclusiveAtDpcLevel","features":[310]},{"name":"ExAcquireSpinLockShared","features":[310]},{"name":"ExAcquireSpinLockSharedAtDpcLevel","features":[310]},{"name":"ExAllocateCacheAwareRundownProtection","features":[309,310]},{"name":"ExAllocatePool","features":[309,310]},{"name":"ExAllocatePool2","features":[310]},{"name":"ExAllocatePool3","features":[310,308]},{"name":"ExAllocatePoolWithQuota","features":[309,310]},{"name":"ExAllocatePoolWithQuotaTag","features":[309,310]},{"name":"ExAllocatePoolWithTag","features":[309,310]},{"name":"ExAllocatePoolWithTagPriority","features":[309,310]},{"name":"ExAllocateTimer","features":[309,310]},{"name":"ExCancelTimer","features":[309,310,308]},{"name":"ExCleanupRundownProtectionCacheAware","features":[309,310]},{"name":"ExConvertExclusiveToSharedLite","features":[309,310,314]},{"name":"ExCreateCallback","features":[309,310,308]},{"name":"ExCreatePool","features":[310,308]},{"name":"ExDeleteResourceLite","features":[309,310,308,314]},{"name":"ExDeleteTimer","features":[309,310,308]},{"name":"ExDestroyPool","features":[310,308]},{"name":"ExEnterCriticalRegionAndAcquireResourceExclusive","features":[309,310,314]},{"name":"ExEnterCriticalRegionAndAcquireResourceShared","features":[309,310,314]},{"name":"ExEnterCriticalRegionAndAcquireSharedWaitForExclusive","features":[309,310,314]},{"name":"ExEnumerateSystemFirmwareTables","features":[310,308]},{"name":"ExExtendZone","features":[310,308,314]},{"name":"ExFreeCacheAwareRundownProtection","features":[309,310]},{"name":"ExFreePool","features":[310]},{"name":"ExFreePool2","features":[310,308]},{"name":"ExFreePoolWithTag","features":[310]},{"name":"ExGetExclusiveWaiterCount","features":[309,310,314]},{"name":"ExGetFirmwareEnvironmentVariable","features":[310,308]},{"name":"ExGetFirmwareType","features":[310,338]},{"name":"ExGetPreviousMode","features":[310]},{"name":"ExGetSharedWaiterCount","features":[309,310,314]},{"name":"ExGetSystemFirmwareTable","features":[310,308]},{"name":"ExInitializePushLock","features":[310]},{"name":"ExInitializeResourceLite","features":[309,310,308,314]},{"name":"ExInitializeRundownProtection","features":[310]},{"name":"ExInitializeRundownProtectionCacheAware","features":[309,310]},{"name":"ExInitializeRundownProtectionCacheAwareEx","features":[309,310]},{"name":"ExInitializeZone","features":[310,308,314]},{"name":"ExInterlockedAddLargeInteger","features":[310]},{"name":"ExInterlockedExtendZone","features":[310,308,314]},{"name":"ExIsManufacturingModeEnabled","features":[310,308]},{"name":"ExIsProcessorFeaturePresent","features":[310,308]},{"name":"ExIsResourceAcquiredExclusiveLite","features":[309,310,308,314]},{"name":"ExIsResourceAcquiredSharedLite","features":[309,310,314]},{"name":"ExIsSoftBoot","features":[310,308]},{"name":"ExLocalTimeToSystemTime","features":[310]},{"name":"ExNotifyCallback","features":[310]},{"name":"ExQueryTimerResolution","features":[310]},{"name":"ExQueueWorkItem","features":[309,310,314]},{"name":"ExRaiseAccessViolation","features":[310]},{"name":"ExRaiseDatatypeMisalignment","features":[310]},{"name":"ExRaiseStatus","features":[310,308]},{"name":"ExReInitializeRundownProtection","features":[310]},{"name":"ExReInitializeRundownProtectionCacheAware","features":[309,310]},{"name":"ExRegisterCallback","features":[309,310]},{"name":"ExReinitializeResourceLite","features":[309,310,308,314]},{"name":"ExReleaseFastMutex","features":[309,310,308,314]},{"name":"ExReleaseFastMutexUnsafe","features":[309,310,308,314]},{"name":"ExReleasePushLockExclusiveEx","features":[310]},{"name":"ExReleasePushLockSharedEx","features":[310]},{"name":"ExReleaseResourceAndLeaveCriticalRegion","features":[309,310,314]},{"name":"ExReleaseResourceForThreadLite","features":[309,310,314]},{"name":"ExReleaseResourceLite","features":[309,310,314]},{"name":"ExReleaseRundownProtection","features":[310]},{"name":"ExReleaseRundownProtectionCacheAware","features":[309,310]},{"name":"ExReleaseRundownProtectionCacheAwareEx","features":[309,310]},{"name":"ExReleaseRundownProtectionEx","features":[310]},{"name":"ExReleaseSpinLockExclusive","features":[310]},{"name":"ExReleaseSpinLockExclusiveFromDpcLevel","features":[310]},{"name":"ExReleaseSpinLockShared","features":[310]},{"name":"ExReleaseSpinLockSharedFromDpcLevel","features":[310]},{"name":"ExRundownCompleted","features":[310]},{"name":"ExRundownCompletedCacheAware","features":[309,310]},{"name":"ExSecurePoolUpdate","features":[310,308]},{"name":"ExSecurePoolValidate","features":[310,308]},{"name":"ExSetFirmwareEnvironmentVariable","features":[310,308]},{"name":"ExSetResourceOwnerPointer","features":[309,310,314]},{"name":"ExSetResourceOwnerPointerEx","features":[309,310,314]},{"name":"ExSetTimer","features":[309,310,308]},{"name":"ExSetTimerResolution","features":[310,308]},{"name":"ExSizeOfRundownProtectionCacheAware","features":[310]},{"name":"ExSystemTimeToLocalTime","features":[310]},{"name":"ExTryAcquireSpinLockExclusiveAtDpcLevel","features":[310]},{"name":"ExTryAcquireSpinLockSharedAtDpcLevel","features":[310]},{"name":"ExTryConvertSharedSpinLockExclusive","features":[310]},{"name":"ExTryToAcquireFastMutex","features":[309,310,308,314]},{"name":"ExUnregisterCallback","features":[310]},{"name":"ExUuidCreate","features":[310,308]},{"name":"ExVerifySuite","features":[310,308,314]},{"name":"ExWaitForRundownProtectionRelease","features":[310]},{"name":"ExWaitForRundownProtectionReleaseCacheAware","features":[309,310]},{"name":"Executive","features":[310]},{"name":"ExternalFault","features":[310]},{"name":"FAULT_INFORMATION","features":[309,312,310,308,311,313,314,315]},{"name":"FAULT_INFORMATION_ARCH","features":[310]},{"name":"FAULT_INFORMATION_ARM64","features":[309,312,310,308,311,313,314,315]},{"name":"FAULT_INFORMATION_ARM64_FLAGS","features":[310]},{"name":"FAULT_INFORMATION_ARM64_TYPE","features":[310]},{"name":"FAULT_INFORMATION_X64","features":[310]},{"name":"FAULT_INFORMATION_X64_FLAGS","features":[310]},{"name":"FILE_128_BYTE_ALIGNMENT","features":[310]},{"name":"FILE_256_BYTE_ALIGNMENT","features":[310]},{"name":"FILE_32_BYTE_ALIGNMENT","features":[310]},{"name":"FILE_512_BYTE_ALIGNMENT","features":[310]},{"name":"FILE_64_BYTE_ALIGNMENT","features":[310]},{"name":"FILE_ATTRIBUTE_TAG_INFORMATION","features":[310]},{"name":"FILE_ATTRIBUTE_VALID_FLAGS","features":[310]},{"name":"FILE_ATTRIBUTE_VALID_KERNEL_SET_FLAGS","features":[310]},{"name":"FILE_ATTRIBUTE_VALID_SET_FLAGS","features":[310]},{"name":"FILE_AUTOGENERATED_DEVICE_NAME","features":[310]},{"name":"FILE_BYTE_ALIGNMENT","features":[310]},{"name":"FILE_CHARACTERISTICS_EXPECT_ORDERLY_REMOVAL","features":[310]},{"name":"FILE_CHARACTERISTICS_EXPECT_ORDERLY_REMOVAL_DEPRECATED","features":[310]},{"name":"FILE_CHARACTERISTICS_EXPECT_ORDERLY_REMOVAL_EX","features":[310]},{"name":"FILE_CHARACTERISTICS_EXPECT_SURPRISE_REMOVAL","features":[310]},{"name":"FILE_CHARACTERISTICS_EXPECT_SURPRISE_REMOVAL_DEPRECATED","features":[310]},{"name":"FILE_CHARACTERISTICS_EXPECT_SURPRISE_REMOVAL_EX","features":[310]},{"name":"FILE_CHARACTERISTICS_REMOVAL_POLICY_MASK","features":[310]},{"name":"FILE_CHARACTERISTICS_REMOVAL_POLICY_MASK_DEPRECATED","features":[310]},{"name":"FILE_CHARACTERISTICS_REMOVAL_POLICY_MASK_EX","features":[310]},{"name":"FILE_CHARACTERISTIC_CSV","features":[310]},{"name":"FILE_CHARACTERISTIC_PNP_DEVICE","features":[310]},{"name":"FILE_CHARACTERISTIC_TS_DEVICE","features":[310]},{"name":"FILE_CHARACTERISTIC_WEBDAV_DEVICE","features":[310]},{"name":"FILE_DEVICE_ALLOW_APPCONTAINER_TRAVERSAL","features":[310]},{"name":"FILE_DEVICE_IS_MOUNTED","features":[310]},{"name":"FILE_DEVICE_REQUIRE_SECURITY_CHECK","features":[310]},{"name":"FILE_DEVICE_SECURE_OPEN","features":[310]},{"name":"FILE_END_OF_FILE_INFORMATION","features":[310]},{"name":"FILE_FLOPPY_DISKETTE","features":[310]},{"name":"FILE_FS_DEVICE_INFORMATION","features":[310]},{"name":"FILE_FS_FULL_SIZE_INFORMATION","features":[310]},{"name":"FILE_FS_FULL_SIZE_INFORMATION_EX","features":[310]},{"name":"FILE_FS_LABEL_INFORMATION","features":[310]},{"name":"FILE_FS_METADATA_SIZE_INFORMATION","features":[310]},{"name":"FILE_FS_OBJECTID_INFORMATION","features":[310]},{"name":"FILE_FS_SIZE_INFORMATION","features":[310]},{"name":"FILE_FS_VOLUME_INFORMATION","features":[310,308]},{"name":"FILE_IOSTATUSBLOCK_RANGE_INFORMATION","features":[310]},{"name":"FILE_IO_COMPLETION_NOTIFICATION_INFORMATION","features":[310]},{"name":"FILE_IO_PRIORITY_HINT_INFORMATION","features":[309,310]},{"name":"FILE_IO_PRIORITY_HINT_INFORMATION_EX","features":[309,310,308]},{"name":"FILE_IS_REMOTE_DEVICE_INFORMATION","features":[310,308]},{"name":"FILE_LONG_ALIGNMENT","features":[310]},{"name":"FILE_MEMORY_PARTITION_INFORMATION","features":[310]},{"name":"FILE_NUMA_NODE_INFORMATION","features":[310]},{"name":"FILE_OCTA_ALIGNMENT","features":[310]},{"name":"FILE_PORTABLE_DEVICE","features":[310]},{"name":"FILE_PROCESS_IDS_USING_FILE_INFORMATION","features":[310]},{"name":"FILE_QUAD_ALIGNMENT","features":[310]},{"name":"FILE_QUERY_INDEX_SPECIFIED","features":[310]},{"name":"FILE_QUERY_NO_CURSOR_UPDATE","features":[310]},{"name":"FILE_QUERY_RESTART_SCAN","features":[310]},{"name":"FILE_QUERY_RETURN_ON_DISK_ENTRIES_ONLY","features":[310]},{"name":"FILE_QUERY_RETURN_SINGLE_ENTRY","features":[310]},{"name":"FILE_READ_ONLY_DEVICE","features":[310]},{"name":"FILE_REMOTE_DEVICE","features":[310]},{"name":"FILE_REMOTE_DEVICE_VSMB","features":[310]},{"name":"FILE_REMOVABLE_MEDIA","features":[310]},{"name":"FILE_SFIO_RESERVE_INFORMATION","features":[310,308]},{"name":"FILE_SFIO_VOLUME_INFORMATION","features":[310]},{"name":"FILE_SHARE_VALID_FLAGS","features":[310]},{"name":"FILE_SKIP_SET_USER_EVENT_ON_FAST_IO","features":[310]},{"name":"FILE_STANDARD_INFORMATION_EX","features":[310,308]},{"name":"FILE_USE_FILE_POINTER_POSITION","features":[310]},{"name":"FILE_VALID_DATA_LENGTH_INFORMATION","features":[310]},{"name":"FILE_VALID_EXTENDED_OPTION_FLAGS","features":[310]},{"name":"FILE_VIRTUAL_VOLUME","features":[310]},{"name":"FILE_WORD_ALIGNMENT","features":[310]},{"name":"FILE_WRITE_ONCE_MEDIA","features":[310]},{"name":"FILE_WRITE_TO_END_OF_FILE","features":[310]},{"name":"FIRMWARE_ERROR_RECORD_REFERENCE_GUID","features":[310]},{"name":"FLAG_OWNER_POINTER_IS_THREAD","features":[310]},{"name":"FLOATING_SAVE_AREA","features":[310]},{"name":"FLUSH_MULTIPLE_MAXIMUM","features":[310]},{"name":"FM_LOCK_BIT","features":[310]},{"name":"FM_LOCK_BIT_V","features":[310]},{"name":"FO_ALERTABLE_IO","features":[310]},{"name":"FO_BYPASS_IO_ENABLED","features":[310]},{"name":"FO_CACHE_SUPPORTED","features":[310]},{"name":"FO_CLEANUP_COMPLETE","features":[310]},{"name":"FO_DELETE_ON_CLOSE","features":[310]},{"name":"FO_DIRECT_DEVICE_OPEN","features":[310]},{"name":"FO_DISALLOW_EXCLUSIVE","features":[310]},{"name":"FO_FILE_FAST_IO_READ","features":[310]},{"name":"FO_FILE_MODIFIED","features":[310]},{"name":"FO_FILE_OPEN","features":[310]},{"name":"FO_FILE_OPEN_CANCELLED","features":[310]},{"name":"FO_FILE_SIZE_CHANGED","features":[310]},{"name":"FO_FLAGS_VALID_ONLY_DURING_CREATE","features":[310]},{"name":"FO_GENERATE_AUDIT_ON_CLOSE","features":[310]},{"name":"FO_HANDLE_CREATED","features":[310]},{"name":"FO_INDIRECT_WAIT_OBJECT","features":[310]},{"name":"FO_MAILSLOT","features":[310]},{"name":"FO_NAMED_PIPE","features":[310]},{"name":"FO_NO_INTERMEDIATE_BUFFERING","features":[310]},{"name":"FO_OPENED_CASE_SENSITIVE","features":[310]},{"name":"FO_QUEUE_IRP_TO_THREAD","features":[310]},{"name":"FO_RANDOM_ACCESS","features":[310]},{"name":"FO_REMOTE_ORIGIN","features":[310]},{"name":"FO_SECTION_MINSTORE_TREATMENT","features":[310]},{"name":"FO_SEQUENTIAL_ONLY","features":[310]},{"name":"FO_SKIP_COMPLETION_PORT","features":[310]},{"name":"FO_SKIP_SET_EVENT","features":[310]},{"name":"FO_SKIP_SET_FAST_IO","features":[310]},{"name":"FO_STREAM_FILE","features":[310]},{"name":"FO_SYNCHRONOUS_IO","features":[310]},{"name":"FO_TEMPORARY_FILE","features":[310]},{"name":"FO_VOLUME_OPEN","features":[310]},{"name":"FO_WRITE_THROUGH","features":[310]},{"name":"FPB_MEM_HIGH_VECTOR_GRANULARITY_16GB","features":[310]},{"name":"FPB_MEM_HIGH_VECTOR_GRANULARITY_1GB","features":[310]},{"name":"FPB_MEM_HIGH_VECTOR_GRANULARITY_1MB","features":[310]},{"name":"FPB_MEM_HIGH_VECTOR_GRANULARITY_256MB","features":[310]},{"name":"FPB_MEM_HIGH_VECTOR_GRANULARITY_2GB","features":[310]},{"name":"FPB_MEM_HIGH_VECTOR_GRANULARITY_32GB","features":[310]},{"name":"FPB_MEM_HIGH_VECTOR_GRANULARITY_4GB","features":[310]},{"name":"FPB_MEM_HIGH_VECTOR_GRANULARITY_512MB","features":[310]},{"name":"FPB_MEM_HIGH_VECTOR_GRANULARITY_8GB","features":[310]},{"name":"FPB_MEM_LOW_VECTOR_GRANULARITY_16MB","features":[310]},{"name":"FPB_MEM_LOW_VECTOR_GRANULARITY_1MB","features":[310]},{"name":"FPB_MEM_LOW_VECTOR_GRANULARITY_2MB","features":[310]},{"name":"FPB_MEM_LOW_VECTOR_GRANULARITY_4MB","features":[310]},{"name":"FPB_MEM_LOW_VECTOR_GRANULARITY_8MB","features":[310]},{"name":"FPB_MEM_VECTOR_GRANULARITY_1B","features":[310]},{"name":"FPB_RID_VECTOR_GRANULARITY_256RIDS","features":[310]},{"name":"FPB_RID_VECTOR_GRANULARITY_64RIDS","features":[310]},{"name":"FPB_RID_VECTOR_GRANULARITY_8RIDS","features":[310]},{"name":"FPB_VECTOR_SELECT_MEM_HIGH","features":[310]},{"name":"FPB_VECTOR_SELECT_MEM_LOW","features":[310]},{"name":"FPB_VECTOR_SELECT_RID","features":[310]},{"name":"FPB_VECTOR_SIZE_SUPPORTED_1KBITS","features":[310]},{"name":"FPB_VECTOR_SIZE_SUPPORTED_256BITS","features":[310]},{"name":"FPB_VECTOR_SIZE_SUPPORTED_2KBITS","features":[310]},{"name":"FPB_VECTOR_SIZE_SUPPORTED_4KBITS","features":[310]},{"name":"FPB_VECTOR_SIZE_SUPPORTED_512BITS","features":[310]},{"name":"FPB_VECTOR_SIZE_SUPPORTED_8KBITS","features":[310]},{"name":"FPGA_BUS_SCAN","features":[310]},{"name":"FPGA_CONTROL_CONFIG_SPACE","features":[310,308]},{"name":"FPGA_CONTROL_ERROR_REPORTING","features":[310,308]},{"name":"FPGA_CONTROL_INTERFACE","features":[310,308]},{"name":"FPGA_CONTROL_LINK","features":[310,308]},{"name":"FREE_FUNCTION","features":[310]},{"name":"FUNCTION_LEVEL_DEVICE_RESET_PARAMETERS","features":[310]},{"name":"FWMI_NOTIFICATION_CALLBACK","features":[310]},{"name":"FailControl","features":[310]},{"name":"FaultInformationArm64","features":[310]},{"name":"FaultInformationInvalid","features":[310]},{"name":"FaultInformationX64","features":[310]},{"name":"FloatingPointProcessor","features":[310]},{"name":"FloppyDiskPeripheral","features":[310]},{"name":"FltIoNotifyRoutinesClass","features":[310]},{"name":"FreePage","features":[310]},{"name":"FsRtlIsTotalDeviceFailure","features":[310,308]},{"name":"FunctionLevelDeviceReset","features":[310]},{"name":"GENERIC_NOTIFY_TYPE_GUID","features":[310]},{"name":"GENERIC_SECTION_GUID","features":[310]},{"name":"GENPROC_FLAGS_CORRECTED","features":[310]},{"name":"GENPROC_FLAGS_OVERFLOW","features":[310]},{"name":"GENPROC_FLAGS_PRECISEIP","features":[310]},{"name":"GENPROC_FLAGS_RESTARTABLE","features":[310]},{"name":"GENPROC_OP_DATAREAD","features":[310]},{"name":"GENPROC_OP_DATAWRITE","features":[310]},{"name":"GENPROC_OP_GENERIC","features":[310]},{"name":"GENPROC_OP_INSTRUCTIONEXE","features":[310]},{"name":"GENPROC_PROCERRTYPE_BUS","features":[310]},{"name":"GENPROC_PROCERRTYPE_CACHE","features":[310]},{"name":"GENPROC_PROCERRTYPE_MAE","features":[310]},{"name":"GENPROC_PROCERRTYPE_TLB","features":[310]},{"name":"GENPROC_PROCERRTYPE_UNKNOWN","features":[310]},{"name":"GENPROC_PROCISA_ARM32","features":[310]},{"name":"GENPROC_PROCISA_ARM64","features":[310]},{"name":"GENPROC_PROCISA_IPF","features":[310]},{"name":"GENPROC_PROCISA_X64","features":[310]},{"name":"GENPROC_PROCISA_X86","features":[310]},{"name":"GENPROC_PROCTYPE_ARM","features":[310]},{"name":"GENPROC_PROCTYPE_IPF","features":[310]},{"name":"GENPROC_PROCTYPE_XPF","features":[310]},{"name":"GET_D3COLD_CAPABILITY","features":[310,308]},{"name":"GET_D3COLD_LAST_TRANSITION_STATUS","features":[310]},{"name":"GET_DEVICE_RESET_STATUS","features":[310,308]},{"name":"GET_DMA_ADAPTER","features":[309,312,310,308,311,313,314,315]},{"name":"GET_IDLE_WAKE_INFO","features":[310,308,315]},{"name":"GET_SDEV_IDENTIFIER","features":[310]},{"name":"GET_SET_DEVICE_DATA","features":[310]},{"name":"GET_UPDATED_BUS_RESOURCE","features":[310,308]},{"name":"GET_VIRTUAL_DEVICE_DATA","features":[310]},{"name":"GET_VIRTUAL_DEVICE_LOCATION","features":[310,308]},{"name":"GET_VIRTUAL_DEVICE_RESOURCES","features":[310]},{"name":"GET_VIRTUAL_FUNCTION_PROBED_BARS","features":[310,308]},{"name":"GUID_ECP_CREATE_USER_PROCESS","features":[310]},{"name":"GartHigh","features":[310]},{"name":"GartLow","features":[310]},{"name":"GenericEqual","features":[310]},{"name":"GenericGreaterThan","features":[310]},{"name":"GenericLessThan","features":[310]},{"name":"GlobalLoggerHandleClass","features":[310]},{"name":"GroupAffinityAllGroupZero","features":[310]},{"name":"GroupAffinityDontCare","features":[310]},{"name":"HAL_AMLI_BAD_IO_ADDRESS_LIST","features":[310,308]},{"name":"HAL_APIC_DESTINATION_MODE","features":[310]},{"name":"HAL_BUS_INFORMATION","features":[310]},{"name":"HAL_CALLBACKS","features":[309,310]},{"name":"HAL_DISPATCH","features":[309,312,310,308,311,313,328,314,315]},{"name":"HAL_DISPATCH_VERSION","features":[310]},{"name":"HAL_DISPLAY_BIOS_INFORMATION","features":[310]},{"name":"HAL_DMA_ADAPTER_VERSION_1","features":[310]},{"name":"HAL_DMA_CRASH_DUMP_REGISTER_TYPE","features":[310]},{"name":"HAL_ERROR_INFO","features":[310]},{"name":"HAL_MASK_UNMASK_FLAGS_NONE","features":[310]},{"name":"HAL_MASK_UNMASK_FLAGS_SERVICING_COMPLETE","features":[310]},{"name":"HAL_MASK_UNMASK_FLAGS_SERVICING_DEFERRED","features":[310]},{"name":"HAL_MCA_INTERFACE","features":[310,308]},{"name":"HAL_MCA_RECORD","features":[310]},{"name":"HAL_MCE_RECORD","features":[310]},{"name":"HAL_PLATFORM_ACPI_TABLES_CACHED","features":[310]},{"name":"HAL_PLATFORM_DISABLE_PTCG","features":[310]},{"name":"HAL_PLATFORM_DISABLE_UC_MAIN_MEMORY","features":[310]},{"name":"HAL_PLATFORM_DISABLE_WRITE_COMBINING","features":[310]},{"name":"HAL_PLATFORM_ENABLE_WRITE_COMBINING_MMIO","features":[310]},{"name":"HAL_PLATFORM_INFORMATION","features":[310]},{"name":"HAL_POWER_INFORMATION","features":[310]},{"name":"HAL_PROCESSOR_FEATURE","features":[310]},{"name":"HAL_PROCESSOR_SPEED_INFORMATION","features":[310]},{"name":"HAL_QUERY_INFORMATION_CLASS","features":[310]},{"name":"HAL_SET_INFORMATION_CLASS","features":[310]},{"name":"HARDWARE_COUNTER","features":[310]},{"name":"HARDWARE_COUNTER_TYPE","features":[310]},{"name":"HASH_STRING_ALGORITHM_DEFAULT","features":[310]},{"name":"HASH_STRING_ALGORITHM_INVALID","features":[310]},{"name":"HASH_STRING_ALGORITHM_X65599","features":[310]},{"name":"HIGH_LEVEL","features":[310]},{"name":"HIGH_PRIORITY","features":[310]},{"name":"HVL_WHEA_ERROR_NOTIFICATION","features":[310,308]},{"name":"HWPROFILE_CHANGE_NOTIFICATION","features":[310]},{"name":"HalAcpiAuditInformation","features":[310]},{"name":"HalAcquireDisplayOwnership","features":[310,308]},{"name":"HalAllocateAdapterChannel","features":[309,312,310,308,311,339,313,314,315]},{"name":"HalAllocateCommonBuffer","features":[310,308,339]},{"name":"HalAllocateCrashDumpRegisters","features":[310,339]},{"name":"HalAllocateHardwareCounters","features":[310,308,338]},{"name":"HalAssignSlotResources","features":[309,312,310,308,311,313,314,315]},{"name":"HalBugCheckSystem","features":[310,308,336]},{"name":"HalCallbackInformation","features":[310]},{"name":"HalChannelTopologyInformation","features":[310]},{"name":"HalCmcLog","features":[310]},{"name":"HalCmcLogInformation","features":[310]},{"name":"HalCmcRegisterDriver","features":[310]},{"name":"HalCpeLog","features":[310]},{"name":"HalCpeLogInformation","features":[310]},{"name":"HalCpeRegisterDriver","features":[310]},{"name":"HalDisplayBiosInformation","features":[310]},{"name":"HalDisplayEmulatedBios","features":[310]},{"name":"HalDisplayInt10Bios","features":[310]},{"name":"HalDisplayNoBios","features":[310]},{"name":"HalDmaAllocateCrashDumpRegistersEx","features":[310,308,339]},{"name":"HalDmaCrashDumpRegisterSet1","features":[310]},{"name":"HalDmaCrashDumpRegisterSet2","features":[310]},{"name":"HalDmaCrashDumpRegisterSetMax","features":[310]},{"name":"HalDmaFreeCrashDumpRegistersEx","features":[310,308,339]},{"name":"HalDmaRemappingInformation","features":[310]},{"name":"HalEnlightenment","features":[310]},{"name":"HalErrorInformation","features":[310]},{"name":"HalExamineMBR","features":[309,312,310,308,311,313,314,315]},{"name":"HalExternalCacheInformation","features":[310]},{"name":"HalFrameBufferCachingInformation","features":[310]},{"name":"HalFreeCommonBuffer","features":[310,308,339]},{"name":"HalFreeHardwareCounters","features":[310,308]},{"name":"HalFrequencyInformation","features":[310]},{"name":"HalFwBootPerformanceInformation","features":[310]},{"name":"HalFwS3PerformanceInformation","features":[310]},{"name":"HalGenerateCmcInterrupt","features":[310]},{"name":"HalGetAdapter","features":[310,308,339]},{"name":"HalGetBusData","features":[310]},{"name":"HalGetBusDataByOffset","features":[310]},{"name":"HalGetChannelPowerInformation","features":[310]},{"name":"HalGetInterruptVector","features":[310]},{"name":"HalHardwareWatchdogInformation","features":[310]},{"name":"HalHeterogeneousMemoryAttributesInterface","features":[310]},{"name":"HalHypervisorInformation","features":[310]},{"name":"HalI386ExceptionChainTerminatorInformation","features":[310]},{"name":"HalInformationClassUnused1","features":[310]},{"name":"HalInitLogInformation","features":[310]},{"name":"HalInstalledBusInformation","features":[310]},{"name":"HalInterruptControllerInformation","features":[310]},{"name":"HalIrtInformation","features":[310]},{"name":"HalKernelErrorHandler","features":[310]},{"name":"HalMakeBeep","features":[310,308]},{"name":"HalMapRegisterInformation","features":[310]},{"name":"HalMcaLog","features":[310]},{"name":"HalMcaLogInformation","features":[310]},{"name":"HalMcaRegisterDriver","features":[310]},{"name":"HalNumaRangeTableInformation","features":[310]},{"name":"HalNumaTopologyInterface","features":[310]},{"name":"HalParkingPageInformation","features":[310]},{"name":"HalPartitionIpiInterface","features":[310]},{"name":"HalPlatformInformation","features":[310]},{"name":"HalPlatformTimerInformation","features":[310]},{"name":"HalPowerInformation","features":[310]},{"name":"HalProcessorBrandString","features":[310]},{"name":"HalProcessorFeatureInformation","features":[310]},{"name":"HalProcessorSpeedInformation","features":[310]},{"name":"HalProfileDpgoSourceInterruptHandler","features":[310]},{"name":"HalProfileSourceAdd","features":[310]},{"name":"HalProfileSourceInformation","features":[310]},{"name":"HalProfileSourceInterruptHandler","features":[310]},{"name":"HalProfileSourceInterval","features":[310]},{"name":"HalProfileSourceRemove","features":[310]},{"name":"HalProfileSourceTimerHandler","features":[310]},{"name":"HalPsciInformation","features":[310]},{"name":"HalQueryAMLIIllegalIOPortAddresses","features":[310]},{"name":"HalQueryAcpiWakeAlarmSystemPowerStateInformation","features":[310]},{"name":"HalQueryArmErrataInformation","features":[310]},{"name":"HalQueryDebuggerInformation","features":[310]},{"name":"HalQueryHyperlaunchEntrypoint","features":[310]},{"name":"HalQueryIommuReservedRegionInformation","features":[310]},{"name":"HalQueryMaxHotPlugMemoryAddress","features":[310]},{"name":"HalQueryMcaInterface","features":[310]},{"name":"HalQueryPerDeviceMsiLimitInformation","features":[310]},{"name":"HalQueryProcessorEfficiencyInformation","features":[310]},{"name":"HalQueryProfileCorruptionStatus","features":[310]},{"name":"HalQueryProfileCounterOwnership","features":[310]},{"name":"HalQueryProfileNumberOfCounters","features":[310]},{"name":"HalQueryProfileSourceList","features":[310]},{"name":"HalQueryStateElementInformation","features":[310]},{"name":"HalQueryUnused0001","features":[310]},{"name":"HalReadDmaCounter","features":[310,339]},{"name":"HalRegisterSecondaryInterruptInterface","features":[310]},{"name":"HalSecondaryInterruptInformation","features":[310]},{"name":"HalSetBusData","features":[310]},{"name":"HalSetBusDataByOffset","features":[310]},{"name":"HalSetChannelPowerInformation","features":[310]},{"name":"HalSetClockTimerMinimumInterval","features":[310]},{"name":"HalSetHvciEnabled","features":[310]},{"name":"HalSetProcessorTraceInterruptHandler","features":[310]},{"name":"HalSetPsciSuspendMode","features":[310]},{"name":"HalSetResetParkDisposition","features":[310]},{"name":"HalSetSwInterruptHandler","features":[310]},{"name":"HalTranslateBusAddress","features":[310,308]},{"name":"HighImportance","features":[310]},{"name":"HighPagePriority","features":[310]},{"name":"HighPoolPriority","features":[310]},{"name":"HighPoolPrioritySpecialPoolOverrun","features":[310]},{"name":"HighPoolPrioritySpecialPoolUnderrun","features":[310]},{"name":"HotSpareControl","features":[310]},{"name":"HvlRegisterWheaErrorNotification","features":[310,308]},{"name":"HvlUnregisterWheaErrorNotification","features":[310,308]},{"name":"HyperCriticalWorkQueue","features":[310]},{"name":"IMAGE_ADDRESSING_MODE_32BIT","features":[310]},{"name":"IMAGE_INFO","features":[310]},{"name":"IMAGE_INFO_EX","features":[309,312,310,308,311,313,314,315]},{"name":"INITIAL_PRIVILEGE_COUNT","features":[310]},{"name":"INITIAL_PRIVILEGE_SET","features":[310,308,311]},{"name":"INIT_NOTIFY_TYPE_GUID","features":[310]},{"name":"INJECT_ERRTYPE_MEMORY_CORRECTABLE","features":[310]},{"name":"INJECT_ERRTYPE_MEMORY_UNCORRECTABLEFATAL","features":[310]},{"name":"INJECT_ERRTYPE_MEMORY_UNCORRECTABLENONFATAL","features":[310]},{"name":"INJECT_ERRTYPE_PCIEXPRESS_CORRECTABLE","features":[310]},{"name":"INJECT_ERRTYPE_PCIEXPRESS_UNCORRECTABLEFATAL","features":[310]},{"name":"INJECT_ERRTYPE_PCIEXPRESS_UNCORRECTABLENONFATAL","features":[310]},{"name":"INJECT_ERRTYPE_PLATFORM_CORRECTABLE","features":[310]},{"name":"INJECT_ERRTYPE_PLATFORM_UNCORRECTABLEFATAL","features":[310]},{"name":"INJECT_ERRTYPE_PLATFORM_UNCORRECTABLENONFATAL","features":[310]},{"name":"INJECT_ERRTYPE_PROCESSOR_CORRECTABLE","features":[310]},{"name":"INJECT_ERRTYPE_PROCESSOR_UNCORRECTABLEFATAL","features":[310]},{"name":"INJECT_ERRTYPE_PROCESSOR_UNCORRECTABLENONFATAL","features":[310]},{"name":"INPUT_MAPPING_ELEMENT","features":[310]},{"name":"INTEL_CACHE_INFO_EAX","features":[310]},{"name":"INTEL_CACHE_INFO_EBX","features":[310]},{"name":"INTEL_CACHE_TYPE","features":[310]},{"name":"INTERFACE","features":[310]},{"name":"INTERFACE_TYPE","features":[310]},{"name":"INTERLOCKED_RESULT","features":[310]},{"name":"IOCTL_CANCEL_DEVICE_WAKE","features":[310]},{"name":"IOCTL_QUERY_DEVICE_POWER_STATE","features":[310]},{"name":"IOCTL_SET_DEVICE_WAKE","features":[310]},{"name":"IOMMU_ACCESS_NONE","features":[310]},{"name":"IOMMU_ACCESS_READ","features":[310]},{"name":"IOMMU_ACCESS_WRITE","features":[310]},{"name":"IOMMU_DEVICE_CREATE","features":[309,312,310,308,311,313,314,315]},{"name":"IOMMU_DEVICE_CREATION_CONFIGURATION","features":[310,314]},{"name":"IOMMU_DEVICE_CREATION_CONFIGURATION_ACPI","features":[310]},{"name":"IOMMU_DEVICE_CREATION_CONFIGURATION_TYPE","features":[310]},{"name":"IOMMU_DEVICE_DELETE","features":[309,310,308]},{"name":"IOMMU_DEVICE_FAULT_HANDLER","features":[309,312,310,308,311,313,314,315]},{"name":"IOMMU_DEVICE_QUERY_DOMAIN_TYPES","features":[309,310]},{"name":"IOMMU_DMA_DOMAIN_CREATION_FLAGS","features":[310]},{"name":"IOMMU_DMA_DOMAIN_TYPE","features":[310]},{"name":"IOMMU_DMA_LOGICAL_ADDRESS_TOKEN","features":[310]},{"name":"IOMMU_DMA_LOGICAL_ADDRESS_TOKEN_MAPPED_SEGMENT","features":[310]},{"name":"IOMMU_DMA_LOGICAL_ALLOCATOR_CONFIG","features":[310]},{"name":"IOMMU_DMA_LOGICAL_ALLOCATOR_TYPE","features":[310]},{"name":"IOMMU_DMA_RESERVED_REGION","features":[310,308]},{"name":"IOMMU_DOMAIN_ATTACH_DEVICE","features":[309,312,310,308,311,313,314,315]},{"name":"IOMMU_DOMAIN_ATTACH_DEVICE_EX","features":[309,310,308]},{"name":"IOMMU_DOMAIN_CONFIGURE","features":[309,310,308]},{"name":"IOMMU_DOMAIN_CREATE","features":[309,310,308]},{"name":"IOMMU_DOMAIN_CREATE_EX","features":[309,310,308]},{"name":"IOMMU_DOMAIN_DELETE","features":[309,310,308]},{"name":"IOMMU_DOMAIN_DETACH_DEVICE","features":[309,312,310,308,311,313,314,315]},{"name":"IOMMU_DOMAIN_DETACH_DEVICE_EX","features":[309,310,308]},{"name":"IOMMU_FLUSH_DOMAIN","features":[309,310,308]},{"name":"IOMMU_FLUSH_DOMAIN_VA_LIST","features":[309,310,308]},{"name":"IOMMU_FREE_RESERVED_LOGICAL_ADDRESS_RANGE","features":[310,308]},{"name":"IOMMU_INTERFACE_STATE_CHANGE","features":[310]},{"name":"IOMMU_INTERFACE_STATE_CHANGE_CALLBACK","features":[310]},{"name":"IOMMU_INTERFACE_STATE_CHANGE_FIELDS","features":[310]},{"name":"IOMMU_MAP_IDENTITY_RANGE","features":[309,310,308]},{"name":"IOMMU_MAP_IDENTITY_RANGE_EX","features":[309,310,308]},{"name":"IOMMU_MAP_LOGICAL_RANGE","features":[309,310,308]},{"name":"IOMMU_MAP_LOGICAL_RANGE_EX","features":[309,310,308]},{"name":"IOMMU_MAP_PHYSICAL_ADDRESS","features":[309,310]},{"name":"IOMMU_MAP_PHYSICAL_ADDRESS_TYPE","features":[310]},{"name":"IOMMU_MAP_RESERVED_LOGICAL_RANGE","features":[309,310,308]},{"name":"IOMMU_QUERY_INPUT_MAPPINGS","features":[309,312,310,308,311,313,314,315]},{"name":"IOMMU_REGISTER_INTERFACE_STATE_CHANGE_CALLBACK","features":[309,310,308]},{"name":"IOMMU_RESERVE_LOGICAL_ADDRESS_RANGE","features":[309,310,308]},{"name":"IOMMU_SET_DEVICE_FAULT_REPORTING","features":[309,312,310,308,311,313,314,315]},{"name":"IOMMU_SET_DEVICE_FAULT_REPORTING_EX","features":[309,310,308]},{"name":"IOMMU_UNMAP_IDENTITY_RANGE","features":[309,310,308]},{"name":"IOMMU_UNMAP_IDENTITY_RANGE_EX","features":[309,310,308]},{"name":"IOMMU_UNMAP_LOGICAL_RANGE","features":[309,310,308]},{"name":"IOMMU_UNMAP_RESERVED_LOGICAL_RANGE","features":[310,308]},{"name":"IOMMU_UNREGISTER_INTERFACE_STATE_CHANGE_CALLBACK","features":[309,310,308]},{"name":"IO_ACCESS_MODE","features":[310]},{"name":"IO_ACCESS_TYPE","features":[310]},{"name":"IO_ALLOCATION_ACTION","features":[310]},{"name":"IO_ATTACH_DEVICE","features":[310]},{"name":"IO_ATTRIBUTION_INFORMATION","features":[310]},{"name":"IO_ATTRIBUTION_INFO_V1","features":[310]},{"name":"IO_CHECK_CREATE_PARAMETERS","features":[310]},{"name":"IO_CHECK_SHARE_ACCESS_DONT_CHECK_DELETE","features":[310]},{"name":"IO_CHECK_SHARE_ACCESS_DONT_CHECK_READ","features":[310]},{"name":"IO_CHECK_SHARE_ACCESS_DONT_CHECK_WRITE","features":[310]},{"name":"IO_CHECK_SHARE_ACCESS_DONT_UPDATE_FILE_OBJECT","features":[310]},{"name":"IO_CHECK_SHARE_ACCESS_FORCE_CHECK","features":[310]},{"name":"IO_CHECK_SHARE_ACCESS_FORCE_USING_SCB","features":[310]},{"name":"IO_CHECK_SHARE_ACCESS_UPDATE_SHARE_ACCESS","features":[310]},{"name":"IO_COMPLETION_ROUTINE","features":[309,312,310,308,311,313,314,315]},{"name":"IO_COMPLETION_ROUTINE_RESULT","features":[310]},{"name":"IO_CONNECT_INTERRUPT_FULLY_SPECIFIED_PARAMETERS","features":[309,312,310,308,311,313,314,315]},{"name":"IO_CONNECT_INTERRUPT_LINE_BASED_PARAMETERS","features":[309,312,310,308,311,313,314,315]},{"name":"IO_CONNECT_INTERRUPT_MESSAGE_BASED_PARAMETERS","features":[309,312,310,308,311,313,314,315]},{"name":"IO_CONNECT_INTERRUPT_PARAMETERS","features":[309,312,310,308,311,313,314,315]},{"name":"IO_CONTAINER_INFORMATION_CLASS","features":[310]},{"name":"IO_CONTAINER_NOTIFICATION_CLASS","features":[310]},{"name":"IO_CSQ","features":[309,312,310,308,311,313,314,315]},{"name":"IO_CSQ_ACQUIRE_LOCK","features":[309,312,310,308,311,313,314,315]},{"name":"IO_CSQ_COMPLETE_CANCELED_IRP","features":[309,312,310,308,311,313,314,315]},{"name":"IO_CSQ_INSERT_IRP","features":[309,312,310,308,311,313,314,315]},{"name":"IO_CSQ_INSERT_IRP_EX","features":[309,312,310,308,311,313,314,315]},{"name":"IO_CSQ_IRP_CONTEXT","features":[309,312,310,308,311,313,314,315]},{"name":"IO_CSQ_PEEK_NEXT_IRP","features":[309,312,310,308,311,313,314,315]},{"name":"IO_CSQ_RELEASE_LOCK","features":[309,312,310,308,311,313,314,315]},{"name":"IO_CSQ_REMOVE_IRP","features":[309,312,310,308,311,313,314,315]},{"name":"IO_DISCONNECT_INTERRUPT_PARAMETERS","features":[309,310]},{"name":"IO_DPC_ROUTINE","features":[309,312,310,308,311,313,314,315]},{"name":"IO_DRIVER_CREATE_CONTEXT","features":[309,310]},{"name":"IO_ERROR_LOG_MESSAGE","features":[310,308]},{"name":"IO_ERROR_LOG_PACKET","features":[310,308]},{"name":"IO_FOEXT_SHADOW_FILE","features":[309,312,310,308,311,313,314,315]},{"name":"IO_FOEXT_SILO_PARAMETERS","features":[309,310]},{"name":"IO_FORCE_ACCESS_CHECK","features":[310]},{"name":"IO_IGNORE_SHARE_ACCESS_CHECK","features":[310]},{"name":"IO_INTERRUPT_MESSAGE_INFO","features":[309,310]},{"name":"IO_INTERRUPT_MESSAGE_INFO_ENTRY","features":[309,310]},{"name":"IO_KEYBOARD_INCREMENT","features":[310]},{"name":"IO_MOUSE_INCREMENT","features":[310]},{"name":"IO_NOTIFICATION_EVENT_CATEGORY","features":[310]},{"name":"IO_NO_PARAMETER_CHECKING","features":[310]},{"name":"IO_PAGING_PRIORITY","features":[310]},{"name":"IO_PARALLEL_INCREMENT","features":[310]},{"name":"IO_PERSISTED_MEMORY_ENUMERATION_CALLBACK","features":[309,312,310,308,311,313,314,315]},{"name":"IO_QUERY_DEVICE_DATA_FORMAT","features":[310]},{"name":"IO_REMOUNT","features":[310]},{"name":"IO_REMOVE_LOCK","features":[309,310,308,314]},{"name":"IO_REMOVE_LOCK_COMMON_BLOCK","features":[309,310,308,314]},{"name":"IO_REMOVE_LOCK_DBG_BLOCK","features":[309,310,314]},{"name":"IO_REPARSE","features":[310]},{"name":"IO_REPARSE_GLOBAL","features":[310]},{"name":"IO_REPORT_INTERRUPT_ACTIVE_STATE_PARAMETERS","features":[309,310]},{"name":"IO_RESOURCE_ALTERNATIVE","features":[310]},{"name":"IO_RESOURCE_DEFAULT","features":[310]},{"name":"IO_RESOURCE_DESCRIPTOR","features":[310]},{"name":"IO_RESOURCE_LIST","features":[310]},{"name":"IO_RESOURCE_PREFERRED","features":[310]},{"name":"IO_RESOURCE_REQUIREMENTS_LIST","features":[310]},{"name":"IO_SERIAL_INCREMENT","features":[310]},{"name":"IO_SESSION_CONNECT_INFO","features":[310,308]},{"name":"IO_SESSION_EVENT","features":[310]},{"name":"IO_SESSION_MAX_PAYLOAD_SIZE","features":[310]},{"name":"IO_SESSION_NOTIFICATION_FUNCTION","features":[310,308]},{"name":"IO_SESSION_STATE","features":[310]},{"name":"IO_SESSION_STATE_ALL_EVENTS","features":[310]},{"name":"IO_SESSION_STATE_CONNECT_EVENT","features":[310]},{"name":"IO_SESSION_STATE_CREATION_EVENT","features":[310]},{"name":"IO_SESSION_STATE_DISCONNECT_EVENT","features":[310]},{"name":"IO_SESSION_STATE_INFORMATION","features":[310,308]},{"name":"IO_SESSION_STATE_LOGOFF_EVENT","features":[310]},{"name":"IO_SESSION_STATE_LOGON_EVENT","features":[310]},{"name":"IO_SESSION_STATE_NOTIFICATION","features":[310]},{"name":"IO_SESSION_STATE_TERMINATION_EVENT","features":[310]},{"name":"IO_SESSION_STATE_VALID_EVENT_MASK","features":[310]},{"name":"IO_SET_IRP_IO_ATTRIBUTION_FLAGS_MASK","features":[310]},{"name":"IO_SET_IRP_IO_ATTRIBUTION_FROM_PROCESS","features":[310]},{"name":"IO_SET_IRP_IO_ATTRIBUTION_FROM_THREAD","features":[310]},{"name":"IO_SHARE_ACCESS_NON_PRIMARY_STREAM","features":[310]},{"name":"IO_SHARE_ACCESS_NO_WRITE_PERMISSION","features":[310]},{"name":"IO_SOUND_INCREMENT","features":[310]},{"name":"IO_STATUS_BLOCK32","features":[310,308]},{"name":"IO_STATUS_BLOCK64","features":[310,308]},{"name":"IO_TIMER_ROUTINE","features":[309,312,310,308,311,313,314,315]},{"name":"IO_TYPE_ADAPTER","features":[310]},{"name":"IO_TYPE_CONTROLLER","features":[310]},{"name":"IO_TYPE_CSQ","features":[310]},{"name":"IO_TYPE_CSQ_EX","features":[310]},{"name":"IO_TYPE_CSQ_IRP_CONTEXT","features":[310]},{"name":"IO_TYPE_DEVICE","features":[310]},{"name":"IO_TYPE_DEVICE_OBJECT_EXTENSION","features":[310]},{"name":"IO_TYPE_DRIVER","features":[310]},{"name":"IO_TYPE_ERROR_LOG","features":[310]},{"name":"IO_TYPE_ERROR_MESSAGE","features":[310]},{"name":"IO_TYPE_FILE","features":[310]},{"name":"IO_TYPE_IORING","features":[310]},{"name":"IO_TYPE_IRP","features":[310]},{"name":"IO_TYPE_MASTER_ADAPTER","features":[310]},{"name":"IO_TYPE_OPEN_PACKET","features":[310]},{"name":"IO_TYPE_TIMER","features":[310]},{"name":"IO_TYPE_VPB","features":[310]},{"name":"IO_VIDEO_INCREMENT","features":[310]},{"name":"IO_WORKITEM_ROUTINE","features":[309,312,310,308,311,313,314,315]},{"name":"IO_WORKITEM_ROUTINE_EX","features":[309,310]},{"name":"IPF_SAL_RECORD_SECTION_GUID","features":[310]},{"name":"IPI_LEVEL","features":[310]},{"name":"IPMI_MSR_DUMP_SECTION_GUID","features":[310]},{"name":"IRP_ALLOCATED_FIXED_SIZE","features":[310]},{"name":"IRP_ALLOCATED_MUST_SUCCEED","features":[310]},{"name":"IRP_ASSOCIATED_IRP","features":[310]},{"name":"IRP_BUFFERED_IO","features":[310]},{"name":"IRP_CLOSE_OPERATION","features":[310]},{"name":"IRP_CREATE_OPERATION","features":[310]},{"name":"IRP_DEALLOCATE_BUFFER","features":[310]},{"name":"IRP_DEFER_IO_COMPLETION","features":[310]},{"name":"IRP_HOLD_DEVICE_QUEUE","features":[310]},{"name":"IRP_INPUT_OPERATION","features":[310]},{"name":"IRP_LOOKASIDE_ALLOCATION","features":[310]},{"name":"IRP_MJ_CLEANUP","features":[310]},{"name":"IRP_MJ_CLOSE","features":[310]},{"name":"IRP_MJ_CREATE","features":[310]},{"name":"IRP_MJ_CREATE_MAILSLOT","features":[310]},{"name":"IRP_MJ_CREATE_NAMED_PIPE","features":[310]},{"name":"IRP_MJ_DEVICE_CHANGE","features":[310]},{"name":"IRP_MJ_DEVICE_CONTROL","features":[310]},{"name":"IRP_MJ_DIRECTORY_CONTROL","features":[310]},{"name":"IRP_MJ_FILE_SYSTEM_CONTROL","features":[310]},{"name":"IRP_MJ_FLUSH_BUFFERS","features":[310]},{"name":"IRP_MJ_INTERNAL_DEVICE_CONTROL","features":[310]},{"name":"IRP_MJ_LOCK_CONTROL","features":[310]},{"name":"IRP_MJ_MAXIMUM_FUNCTION","features":[310]},{"name":"IRP_MJ_PNP","features":[310]},{"name":"IRP_MJ_PNP_POWER","features":[310]},{"name":"IRP_MJ_POWER","features":[310]},{"name":"IRP_MJ_QUERY_EA","features":[310]},{"name":"IRP_MJ_QUERY_INFORMATION","features":[310]},{"name":"IRP_MJ_QUERY_QUOTA","features":[310]},{"name":"IRP_MJ_QUERY_SECURITY","features":[310]},{"name":"IRP_MJ_QUERY_VOLUME_INFORMATION","features":[310]},{"name":"IRP_MJ_READ","features":[310]},{"name":"IRP_MJ_SCSI","features":[310]},{"name":"IRP_MJ_SET_EA","features":[310]},{"name":"IRP_MJ_SET_INFORMATION","features":[310]},{"name":"IRP_MJ_SET_QUOTA","features":[310]},{"name":"IRP_MJ_SET_SECURITY","features":[310]},{"name":"IRP_MJ_SET_VOLUME_INFORMATION","features":[310]},{"name":"IRP_MJ_SHUTDOWN","features":[310]},{"name":"IRP_MJ_SYSTEM_CONTROL","features":[310]},{"name":"IRP_MJ_WRITE","features":[310]},{"name":"IRP_MN_CANCEL_REMOVE_DEVICE","features":[310]},{"name":"IRP_MN_CANCEL_STOP_DEVICE","features":[310]},{"name":"IRP_MN_CHANGE_SINGLE_INSTANCE","features":[310]},{"name":"IRP_MN_CHANGE_SINGLE_ITEM","features":[310]},{"name":"IRP_MN_COMPLETE","features":[310]},{"name":"IRP_MN_COMPRESSED","features":[310]},{"name":"IRP_MN_DEVICE_ENUMERATED","features":[310]},{"name":"IRP_MN_DEVICE_USAGE_NOTIFICATION","features":[310]},{"name":"IRP_MN_DISABLE_COLLECTION","features":[310]},{"name":"IRP_MN_DISABLE_EVENTS","features":[310]},{"name":"IRP_MN_DPC","features":[310]},{"name":"IRP_MN_EJECT","features":[310]},{"name":"IRP_MN_ENABLE_COLLECTION","features":[310]},{"name":"IRP_MN_ENABLE_EVENTS","features":[310]},{"name":"IRP_MN_EXECUTE_METHOD","features":[310]},{"name":"IRP_MN_FILTER_RESOURCE_REQUIREMENTS","features":[310]},{"name":"IRP_MN_FLUSH_AND_PURGE","features":[310]},{"name":"IRP_MN_FLUSH_DATA_ONLY","features":[310]},{"name":"IRP_MN_FLUSH_DATA_SYNC_ONLY","features":[310]},{"name":"IRP_MN_FLUSH_NO_SYNC","features":[310]},{"name":"IRP_MN_KERNEL_CALL","features":[310]},{"name":"IRP_MN_LOAD_FILE_SYSTEM","features":[310]},{"name":"IRP_MN_LOCK","features":[310]},{"name":"IRP_MN_MDL","features":[310]},{"name":"IRP_MN_MOUNT_VOLUME","features":[310]},{"name":"IRP_MN_NORMAL","features":[310]},{"name":"IRP_MN_NOTIFY_CHANGE_DIRECTORY","features":[310]},{"name":"IRP_MN_NOTIFY_CHANGE_DIRECTORY_EX","features":[310]},{"name":"IRP_MN_POWER_SEQUENCE","features":[310]},{"name":"IRP_MN_QUERY_ALL_DATA","features":[310]},{"name":"IRP_MN_QUERY_BUS_INFORMATION","features":[310]},{"name":"IRP_MN_QUERY_CAPABILITIES","features":[310]},{"name":"IRP_MN_QUERY_DEVICE_RELATIONS","features":[310]},{"name":"IRP_MN_QUERY_DEVICE_TEXT","features":[310]},{"name":"IRP_MN_QUERY_DIRECTORY","features":[310]},{"name":"IRP_MN_QUERY_ID","features":[310]},{"name":"IRP_MN_QUERY_INTERFACE","features":[310]},{"name":"IRP_MN_QUERY_LEGACY_BUS_INFORMATION","features":[310]},{"name":"IRP_MN_QUERY_PNP_DEVICE_STATE","features":[310]},{"name":"IRP_MN_QUERY_POWER","features":[310]},{"name":"IRP_MN_QUERY_REMOVE_DEVICE","features":[310]},{"name":"IRP_MN_QUERY_RESOURCES","features":[310]},{"name":"IRP_MN_QUERY_RESOURCE_REQUIREMENTS","features":[310]},{"name":"IRP_MN_QUERY_SINGLE_INSTANCE","features":[310]},{"name":"IRP_MN_QUERY_STOP_DEVICE","features":[310]},{"name":"IRP_MN_READ_CONFIG","features":[310]},{"name":"IRP_MN_REGINFO","features":[310]},{"name":"IRP_MN_REGINFO_EX","features":[310]},{"name":"IRP_MN_REMOVE_DEVICE","features":[310]},{"name":"IRP_MN_SCSI_CLASS","features":[310]},{"name":"IRP_MN_SET_LOCK","features":[310]},{"name":"IRP_MN_SET_POWER","features":[310]},{"name":"IRP_MN_START_DEVICE","features":[310]},{"name":"IRP_MN_STOP_DEVICE","features":[310]},{"name":"IRP_MN_SURPRISE_REMOVAL","features":[310]},{"name":"IRP_MN_TRACK_LINK","features":[310]},{"name":"IRP_MN_UNLOCK_ALL","features":[310]},{"name":"IRP_MN_UNLOCK_ALL_BY_KEY","features":[310]},{"name":"IRP_MN_UNLOCK_SINGLE","features":[310]},{"name":"IRP_MN_USER_FS_REQUEST","features":[310]},{"name":"IRP_MN_VERIFY_VOLUME","features":[310]},{"name":"IRP_MN_WAIT_WAKE","features":[310]},{"name":"IRP_MN_WRITE_CONFIG","features":[310]},{"name":"IRP_MOUNT_COMPLETION","features":[310]},{"name":"IRP_NOCACHE","features":[310]},{"name":"IRP_OB_QUERY_NAME","features":[310]},{"name":"IRP_PAGING_IO","features":[310]},{"name":"IRP_QUOTA_CHARGED","features":[310]},{"name":"IRP_READ_OPERATION","features":[310]},{"name":"IRP_SYNCHRONOUS_API","features":[310]},{"name":"IRP_SYNCHRONOUS_PAGING_IO","features":[310]},{"name":"IRP_UM_DRIVER_INITIATED_IO","features":[310]},{"name":"IRP_WRITE_OPERATION","features":[310]},{"name":"IRQ_DEVICE_POLICY","features":[310]},{"name":"IRQ_GROUP_POLICY","features":[310]},{"name":"IRQ_PRIORITY","features":[310]},{"name":"InACriticalArrayControl","features":[310]},{"name":"InAFailedArrayControl","features":[310]},{"name":"IndicatorBlink","features":[310]},{"name":"IndicatorOff","features":[310]},{"name":"IndicatorOn","features":[310]},{"name":"InitiateReset","features":[310]},{"name":"InstallStateFailedInstall","features":[310]},{"name":"InstallStateFinishInstall","features":[310]},{"name":"InstallStateInstalled","features":[310]},{"name":"InstallStateNeedsReinstall","features":[310]},{"name":"IntelCacheData","features":[310]},{"name":"IntelCacheInstruction","features":[310]},{"name":"IntelCacheNull","features":[310]},{"name":"IntelCacheRam","features":[310]},{"name":"IntelCacheTrace","features":[310]},{"name":"IntelCacheUnified","features":[310]},{"name":"InterfaceTypeUndefined","features":[310]},{"name":"Internal","features":[310]},{"name":"InternalPowerBus","features":[310]},{"name":"InterruptActiveBoth","features":[310]},{"name":"InterruptActiveBothTriggerHigh","features":[310]},{"name":"InterruptActiveBothTriggerLow","features":[310]},{"name":"InterruptActiveHigh","features":[310]},{"name":"InterruptActiveLow","features":[310]},{"name":"InterruptFallingEdge","features":[310]},{"name":"InterruptPolarityUnknown","features":[310]},{"name":"InterruptRisingEdge","features":[310]},{"name":"InvalidDeviceTypeControl","features":[310]},{"name":"IoAcquireCancelSpinLock","features":[310]},{"name":"IoAcquireKsrPersistentMemory","features":[309,312,310,308,311,313,314,315]},{"name":"IoAcquireKsrPersistentMemoryEx","features":[309,312,310,308,311,313,314,315]},{"name":"IoAcquireRemoveLockEx","features":[309,310,308,314]},{"name":"IoAllocateAdapterChannel","features":[309,312,310,308,311,339,313,314,315]},{"name":"IoAllocateController","features":[309,312,310,308,311,313,314,315]},{"name":"IoAllocateDriverObjectExtension","features":[309,312,310,308,311,313,314,315]},{"name":"IoAllocateErrorLogEntry","features":[310]},{"name":"IoAllocateIrp","features":[309,312,310,308,311,313,314,315]},{"name":"IoAllocateIrpEx","features":[309,312,310,308,311,313,314,315]},{"name":"IoAllocateMdl","features":[309,312,310,308,311,313,314,315]},{"name":"IoAllocateSfioStreamIdentifier","features":[309,312,310,308,311,313,314,315]},{"name":"IoAllocateWorkItem","features":[309,312,310,308,311,313,314,315]},{"name":"IoAssignResources","features":[309,312,310,308,311,313,314,315]},{"name":"IoAttachDevice","features":[309,312,310,308,311,313,314,315]},{"name":"IoAttachDeviceByPointer","features":[309,312,310,308,311,313,314,315]},{"name":"IoAttachDeviceToDeviceStack","features":[309,312,310,308,311,313,314,315]},{"name":"IoAttachDeviceToDeviceStackSafe","features":[309,312,310,308,311,313,314,315]},{"name":"IoBuildAsynchronousFsdRequest","features":[309,312,310,308,311,313,314,315]},{"name":"IoBuildDeviceIoControlRequest","features":[309,312,310,308,311,313,314,315]},{"name":"IoBuildPartialMdl","features":[309,310]},{"name":"IoBuildSynchronousFsdRequest","features":[309,312,310,308,311,313,314,315]},{"name":"IoCancelFileOpen","features":[309,312,310,308,311,313,314,315]},{"name":"IoCancelIrp","features":[309,312,310,308,311,313,314,315]},{"name":"IoCheckLinkShareAccess","features":[309,312,310,308,311,313,314,315]},{"name":"IoCheckShareAccess","features":[309,312,310,308,311,313,314,315]},{"name":"IoCheckShareAccessEx","features":[309,312,310,308,311,313,314,315]},{"name":"IoCleanupIrp","features":[309,312,310,308,311,313,314,315]},{"name":"IoClearActivityIdThread","features":[310]},{"name":"IoClearIrpExtraCreateParameter","features":[309,312,310,308,311,313,314,315]},{"name":"IoConnectInterrupt","features":[309,310,308]},{"name":"IoConnectInterruptEx","features":[309,312,310,308,311,313,314,315]},{"name":"IoCreateController","features":[309,310,308,314]},{"name":"IoCreateDevice","features":[309,312,310,308,311,313,314,315]},{"name":"IoCreateDisk","features":[309,312,310,308,311,313,328,314,315]},{"name":"IoCreateFile","features":[309,310,308,313]},{"name":"IoCreateFileEx","features":[309,310,308,313]},{"name":"IoCreateFileSpecifyDeviceObjectHint","features":[309,310,308,313]},{"name":"IoCreateNotificationEvent","features":[309,310,308,314]},{"name":"IoCreateSymbolicLink","features":[310,308]},{"name":"IoCreateSynchronizationEvent","features":[309,310,308,314]},{"name":"IoCreateSystemThread","features":[309,310,308,340]},{"name":"IoCreateUnprotectedSymbolicLink","features":[310,308]},{"name":"IoCsqInitialize","features":[309,312,310,308,311,313,314,315]},{"name":"IoCsqInitializeEx","features":[309,312,310,308,311,313,314,315]},{"name":"IoCsqInsertIrp","features":[309,312,310,308,311,313,314,315]},{"name":"IoCsqInsertIrpEx","features":[309,312,310,308,311,313,314,315]},{"name":"IoCsqRemoveIrp","features":[309,312,310,308,311,313,314,315]},{"name":"IoCsqRemoveNextIrp","features":[309,312,310,308,311,313,314,315]},{"name":"IoDecrementKeepAliveCount","features":[309,312,310,308,311,313,314,315]},{"name":"IoDeleteController","features":[309,310,308,314]},{"name":"IoDeleteDevice","features":[309,312,310,308,311,313,314,315]},{"name":"IoDeleteSymbolicLink","features":[310,308]},{"name":"IoDetachDevice","features":[309,312,310,308,311,313,314,315]},{"name":"IoDisconnectInterrupt","features":[309,310]},{"name":"IoDisconnectInterruptEx","features":[309,310]},{"name":"IoEnumerateKsrPersistentMemoryEx","features":[309,312,310,308,311,313,314,315]},{"name":"IoFlushAdapterBuffers","features":[309,310,308,339]},{"name":"IoForwardIrpSynchronously","features":[309,312,310,308,311,313,314,315]},{"name":"IoFreeAdapterChannel","features":[310,339]},{"name":"IoFreeController","features":[309,310,308,314]},{"name":"IoFreeErrorLogEntry","features":[310]},{"name":"IoFreeIrp","features":[309,312,310,308,311,313,314,315]},{"name":"IoFreeKsrPersistentMemory","features":[310,308]},{"name":"IoFreeMapRegisters","features":[310,339]},{"name":"IoFreeMdl","features":[309,310]},{"name":"IoFreeSfioStreamIdentifier","features":[309,312,310,308,311,313,314,315]},{"name":"IoFreeWorkItem","features":[309,310]},{"name":"IoGetActivityIdIrp","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetActivityIdThread","features":[310]},{"name":"IoGetAffinityInterrupt","features":[309,310,308,338]},{"name":"IoGetAttachedDeviceReference","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetBootDiskInformation","features":[310,308]},{"name":"IoGetBootDiskInformationLite","features":[310,308]},{"name":"IoGetConfigurationInformation","features":[310,308]},{"name":"IoGetContainerInformation","features":[310,308]},{"name":"IoGetCurrentProcess","features":[309,310]},{"name":"IoGetDeviceDirectory","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetDeviceInterfaceAlias","features":[310,308]},{"name":"IoGetDeviceInterfacePropertyData","features":[310,341,308]},{"name":"IoGetDeviceInterfaces","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetDeviceNumaNode","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetDeviceObjectPointer","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetDeviceProperty","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetDevicePropertyData","features":[309,312,310,341,308,311,313,314,315]},{"name":"IoGetDmaAdapter","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetDriverDirectory","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetDriverObjectExtension","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetFileObjectGenericMapping","features":[310,311]},{"name":"IoGetFsZeroingOffset","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetInitialStack","features":[310]},{"name":"IoGetInitiatorProcess","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetIoAttributionHandle","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetIoPriorityHint","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetIommuInterface","features":[310,308]},{"name":"IoGetIommuInterfaceEx","features":[310,308]},{"name":"IoGetIrpExtraCreateParameter","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetPagingIoPriority","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetRelatedDeviceObject","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetSfioStreamIdentifier","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetSilo","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetSiloParameters","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetStackLimits","features":[310]},{"name":"IoGetTopLevelIrp","features":[309,312,310,308,311,313,314,315]},{"name":"IoGetTransactionParameterBlock","features":[309,312,310,308,311,313,314,315]},{"name":"IoIncrementKeepAliveCount","features":[309,312,310,308,311,313,314,315]},{"name":"IoInitializeIrp","features":[309,312,310,308,311,313,314,315]},{"name":"IoInitializeIrpEx","features":[309,312,310,308,311,313,314,315]},{"name":"IoInitializeRemoveLockEx","features":[309,310,308,314]},{"name":"IoInitializeTimer","features":[309,312,310,308,311,313,314,315]},{"name":"IoInitializeWorkItem","features":[309,310]},{"name":"IoInvalidateDeviceRelations","features":[309,312,310,308,311,313,314,315]},{"name":"IoInvalidateDeviceState","features":[309,312,310,308,311,313,314,315]},{"name":"IoIs32bitProcess","features":[309,312,310,308,311,313,314,315]},{"name":"IoIsFileObjectIgnoringSharing","features":[309,312,310,308,311,313,314,315]},{"name":"IoIsFileOriginRemote","features":[309,312,310,308,311,313,314,315]},{"name":"IoIsInitiator32bitProcess","features":[309,312,310,308,311,313,314,315]},{"name":"IoIsValidIrpStatus","features":[310,308]},{"name":"IoIsWdmVersionAvailable","features":[310,308]},{"name":"IoMakeAssociatedIrp","features":[309,312,310,308,311,313,314,315]},{"name":"IoMakeAssociatedIrpEx","features":[309,312,310,308,311,313,314,315]},{"name":"IoMapTransfer","features":[309,310,308,339]},{"name":"IoMaxContainerInformationClass","features":[310]},{"name":"IoMaxContainerNotificationClass","features":[310]},{"name":"IoModifyAccess","features":[310]},{"name":"IoOpenDeviceInterfaceRegistryKey","features":[310,308]},{"name":"IoOpenDeviceRegistryKey","features":[309,312,310,308,311,313,314,315]},{"name":"IoOpenDriverRegistryKey","features":[309,312,310,308,311,313,314,315]},{"name":"IoPagingPriorityHigh","features":[310]},{"name":"IoPagingPriorityInvalid","features":[310]},{"name":"IoPagingPriorityNormal","features":[310]},{"name":"IoPagingPriorityReserved1","features":[310]},{"name":"IoPagingPriorityReserved2","features":[310]},{"name":"IoPropagateActivityIdToThread","features":[309,312,310,308,311,313,314,315]},{"name":"IoQueryDeviceComponentInformation","features":[310]},{"name":"IoQueryDeviceConfigurationData","features":[310]},{"name":"IoQueryDeviceDescription","features":[310,308]},{"name":"IoQueryDeviceIdentifier","features":[310]},{"name":"IoQueryDeviceMaxData","features":[310]},{"name":"IoQueryFullDriverPath","features":[309,312,310,308,311,313,314,315]},{"name":"IoQueryInformationByName","features":[309,312,310,308,313]},{"name":"IoQueryKsrPersistentMemorySize","features":[309,312,310,308,311,313,314,315]},{"name":"IoQueryKsrPersistentMemorySizeEx","features":[309,312,310,308,311,313,314,315]},{"name":"IoQueueWorkItem","features":[309,310]},{"name":"IoQueueWorkItemEx","features":[309,310]},{"name":"IoRaiseHardError","features":[309,312,310,308,311,313,314,315]},{"name":"IoRaiseInformationalHardError","features":[309,310,308]},{"name":"IoReadAccess","features":[310]},{"name":"IoReadDiskSignature","features":[309,312,310,308,311,313,314,315]},{"name":"IoReadPartitionTable","features":[309,312,310,308,311,313,328,314,315]},{"name":"IoReadPartitionTableEx","features":[309,312,310,308,311,313,328,314,315]},{"name":"IoRecordIoAttribution","features":[310,308]},{"name":"IoRegisterBootDriverCallback","features":[310]},{"name":"IoRegisterBootDriverReinitialization","features":[309,312,310,308,311,313,314,315]},{"name":"IoRegisterContainerNotification","features":[310,308]},{"name":"IoRegisterDeviceInterface","features":[309,312,310,308,311,313,314,315]},{"name":"IoRegisterDriverReinitialization","features":[309,312,310,308,311,313,314,315]},{"name":"IoRegisterLastChanceShutdownNotification","features":[309,312,310,308,311,313,314,315]},{"name":"IoRegisterPlugPlayNotification","features":[309,312,310,308,311,313,314,315]},{"name":"IoRegisterShutdownNotification","features":[309,312,310,308,311,313,314,315]},{"name":"IoReleaseCancelSpinLock","features":[310]},{"name":"IoReleaseRemoveLockAndWaitEx","features":[309,310,308,314]},{"name":"IoReleaseRemoveLockEx","features":[309,310,308,314]},{"name":"IoRemoveLinkShareAccess","features":[309,312,310,308,311,313,314,315]},{"name":"IoRemoveLinkShareAccessEx","features":[309,312,310,308,311,313,314,315]},{"name":"IoRemoveShareAccess","features":[309,312,310,308,311,313,314,315]},{"name":"IoReplacePartitionUnit","features":[309,312,310,308,311,313,314,315]},{"name":"IoReportDetectedDevice","features":[309,312,310,308,311,313,314,315]},{"name":"IoReportInterruptActive","features":[309,310]},{"name":"IoReportInterruptInactive","features":[309,310]},{"name":"IoReportResourceForDetection","features":[309,312,310,308,311,313,314,315]},{"name":"IoReportResourceUsage","features":[309,312,310,308,311,313,314,315]},{"name":"IoReportRootDevice","features":[309,312,310,308,311,313,314,315]},{"name":"IoReportTargetDeviceChange","features":[309,312,310,308,311,313,314,315]},{"name":"IoReportTargetDeviceChangeAsynchronous","features":[309,312,310,308,311,313,314,315]},{"name":"IoRequestDeviceEject","features":[309,312,310,308,311,313,314,315]},{"name":"IoRequestDeviceEjectEx","features":[309,312,310,308,311,313,314,315]},{"name":"IoReserveKsrPersistentMemory","features":[309,312,310,308,311,313,314,315]},{"name":"IoReserveKsrPersistentMemoryEx","features":[309,312,310,308,311,313,314,315]},{"name":"IoReuseIrp","features":[309,312,310,308,311,313,314,315]},{"name":"IoSessionEventConnected","features":[310]},{"name":"IoSessionEventCreated","features":[310]},{"name":"IoSessionEventDisconnected","features":[310]},{"name":"IoSessionEventIgnore","features":[310]},{"name":"IoSessionEventLogoff","features":[310]},{"name":"IoSessionEventLogon","features":[310]},{"name":"IoSessionEventMax","features":[310]},{"name":"IoSessionEventTerminated","features":[310]},{"name":"IoSessionStateConnected","features":[310]},{"name":"IoSessionStateCreated","features":[310]},{"name":"IoSessionStateDisconnected","features":[310]},{"name":"IoSessionStateDisconnectedLoggedOn","features":[310]},{"name":"IoSessionStateInformation","features":[310]},{"name":"IoSessionStateInitialized","features":[310]},{"name":"IoSessionStateLoggedOff","features":[310]},{"name":"IoSessionStateLoggedOn","features":[310]},{"name":"IoSessionStateMax","features":[310]},{"name":"IoSessionStateNotification","features":[310]},{"name":"IoSessionStateTerminated","features":[310]},{"name":"IoSetActivityIdIrp","features":[309,312,310,308,311,313,314,315]},{"name":"IoSetActivityIdThread","features":[310]},{"name":"IoSetCompletionRoutineEx","features":[309,312,310,308,311,313,314,315]},{"name":"IoSetDeviceInterfacePropertyData","features":[310,341,308]},{"name":"IoSetDeviceInterfaceState","features":[310,308]},{"name":"IoSetDevicePropertyData","features":[309,312,310,341,308,311,313,314,315]},{"name":"IoSetFileObjectIgnoreSharing","features":[309,312,310,308,311,313,314,315]},{"name":"IoSetFileOrigin","features":[309,312,310,308,311,313,314,315]},{"name":"IoSetFsZeroingOffset","features":[309,312,310,308,311,313,314,315]},{"name":"IoSetFsZeroingOffsetRequired","features":[309,312,310,308,311,313,314,315]},{"name":"IoSetHardErrorOrVerifyDevice","features":[309,312,310,308,311,313,314,315]},{"name":"IoSetIoAttributionIrp","features":[309,312,310,308,311,313,314,315]},{"name":"IoSetIoPriorityHint","features":[309,312,310,308,311,313,314,315]},{"name":"IoSetIrpExtraCreateParameter","features":[309,312,310,308,311,313,314,315]},{"name":"IoSetLinkShareAccess","features":[309,312,310,308,311,313,314,315]},{"name":"IoSetMasterIrpStatus","features":[309,312,310,308,311,313,314,315]},{"name":"IoSetPartitionInformation","features":[309,312,310,308,311,313,314,315]},{"name":"IoSetPartitionInformationEx","features":[309,312,310,308,311,313,328,314,315]},{"name":"IoSetShareAccess","features":[309,312,310,308,311,313,314,315]},{"name":"IoSetShareAccessEx","features":[309,312,310,308,311,313,314,315]},{"name":"IoSetStartIoAttributes","features":[309,312,310,308,311,313,314,315]},{"name":"IoSetSystemPartition","features":[310,308]},{"name":"IoSetThreadHardErrorMode","features":[310,308]},{"name":"IoSetTopLevelIrp","features":[309,312,310,308,311,313,314,315]},{"name":"IoSizeOfIrpEx","features":[309,312,310,308,311,313,314,315]},{"name":"IoSizeofWorkItem","features":[310]},{"name":"IoStartNextPacket","features":[309,312,310,308,311,313,314,315]},{"name":"IoStartNextPacketByKey","features":[309,312,310,308,311,313,314,315]},{"name":"IoStartPacket","features":[309,312,310,308,311,313,314,315]},{"name":"IoStartTimer","features":[309,312,310,308,311,313,314,315]},{"name":"IoStopTimer","features":[309,312,310,308,311,313,314,315]},{"name":"IoSynchronousCallDriver","features":[309,312,310,308,311,313,314,315]},{"name":"IoTransferActivityId","features":[310]},{"name":"IoTranslateBusAddress","features":[310,308]},{"name":"IoTryQueueWorkItem","features":[309,310,308]},{"name":"IoUninitializeWorkItem","features":[309,310]},{"name":"IoUnregisterBootDriverCallback","features":[310]},{"name":"IoUnregisterContainerNotification","features":[310]},{"name":"IoUnregisterPlugPlayNotification","features":[310,308]},{"name":"IoUnregisterPlugPlayNotificationEx","features":[310,308]},{"name":"IoUnregisterShutdownNotification","features":[309,312,310,308,311,313,314,315]},{"name":"IoUpdateLinkShareAccess","features":[309,312,310,308,311,313,314,315]},{"name":"IoUpdateLinkShareAccessEx","features":[309,312,310,308,311,313,314,315]},{"name":"IoUpdateShareAccess","features":[309,312,310,308,311,313,314,315]},{"name":"IoValidateDeviceIoControlAccess","features":[309,312,310,308,311,313,314,315]},{"name":"IoVerifyPartitionTable","features":[309,312,310,308,311,313,314,315]},{"name":"IoVolumeDeviceNameToGuid","features":[310,308]},{"name":"IoVolumeDeviceNameToGuidPath","features":[310,308]},{"name":"IoVolumeDeviceToDosName","features":[310,308]},{"name":"IoVolumeDeviceToGuid","features":[310,308]},{"name":"IoVolumeDeviceToGuidPath","features":[310,308]},{"name":"IoWMIAllocateInstanceIds","features":[310,308]},{"name":"IoWMIDeviceObjectToInstanceName","features":[309,312,310,308,311,313,314,315]},{"name":"IoWMIExecuteMethod","features":[310,308]},{"name":"IoWMIHandleToInstanceName","features":[310,308]},{"name":"IoWMIOpenBlock","features":[310,308]},{"name":"IoWMIQueryAllData","features":[310,308]},{"name":"IoWMIQueryAllDataMultiple","features":[310,308]},{"name":"IoWMIQuerySingleInstance","features":[310,308]},{"name":"IoWMIQuerySingleInstanceMultiple","features":[310,308]},{"name":"IoWMIRegistrationControl","features":[309,312,310,308,311,313,314,315]},{"name":"IoWMISetNotificationCallback","features":[310,308]},{"name":"IoWMISetSingleInstance","features":[310,308]},{"name":"IoWMISetSingleItem","features":[310,308]},{"name":"IoWMISuggestInstanceName","features":[309,312,310,308,311,313,314,315]},{"name":"IoWMIWriteEvent","features":[310,308]},{"name":"IoWithinStackLimits","features":[310]},{"name":"IoWriteAccess","features":[310]},{"name":"IoWriteErrorLogEntry","features":[310]},{"name":"IoWriteKsrPersistentMemory","features":[310,308]},{"name":"IoWritePartitionTable","features":[309,312,310,308,311,313,328,314,315]},{"name":"IoWritePartitionTableEx","features":[309,312,310,308,311,313,328,314,315]},{"name":"IofCallDriver","features":[309,312,310,308,311,313,314,315]},{"name":"IofCompleteRequest","features":[309,312,310,308,311,313,314,315]},{"name":"IommuDeviceCreationConfigTypeAcpi","features":[310]},{"name":"IommuDeviceCreationConfigTypeDeviceId","features":[310]},{"name":"IommuDeviceCreationConfigTypeMax","features":[310]},{"name":"IommuDeviceCreationConfigTypeNone","features":[310]},{"name":"IommuDmaLogicalAllocatorBuddy","features":[310]},{"name":"IommuDmaLogicalAllocatorMax","features":[310]},{"name":"IommuDmaLogicalAllocatorNone","features":[310]},{"name":"IrqPolicyAllCloseProcessors","features":[310]},{"name":"IrqPolicyAllProcessorsInMachine","features":[310]},{"name":"IrqPolicyAllProcessorsInMachineWhenSteered","features":[310]},{"name":"IrqPolicyMachineDefault","features":[310]},{"name":"IrqPolicyOneCloseProcessor","features":[310]},{"name":"IrqPolicySpecifiedProcessors","features":[310]},{"name":"IrqPolicySpreadMessagesAcrossAllProcessors","features":[310]},{"name":"IrqPriorityHigh","features":[310]},{"name":"IrqPriorityLow","features":[310]},{"name":"IrqPriorityNormal","features":[310]},{"name":"IrqPriorityUndefined","features":[310]},{"name":"Isa","features":[310]},{"name":"IsochCommand","features":[310]},{"name":"IsochStatus","features":[310]},{"name":"KADDRESS_BASE","features":[310]},{"name":"KADDRESS_RANGE","features":[310]},{"name":"KADDRESS_RANGE_DESCRIPTOR","features":[310]},{"name":"KAPC","features":[310,308,314]},{"name":"KBUGCHECK_ADD_PAGES","features":[310]},{"name":"KBUGCHECK_BUFFER_DUMP_STATE","features":[310]},{"name":"KBUGCHECK_CALLBACK_REASON","features":[310]},{"name":"KBUGCHECK_CALLBACK_RECORD","features":[310,314]},{"name":"KBUGCHECK_CALLBACK_ROUTINE","features":[310]},{"name":"KBUGCHECK_DUMP_IO","features":[310]},{"name":"KBUGCHECK_DUMP_IO_TYPE","features":[310]},{"name":"KBUGCHECK_REASON_CALLBACK_RECORD","features":[310,314]},{"name":"KBUGCHECK_REASON_CALLBACK_ROUTINE","features":[310,314]},{"name":"KBUGCHECK_REMOVE_PAGES","features":[310]},{"name":"KBUGCHECK_SECONDARY_DUMP_DATA","features":[310]},{"name":"KBUGCHECK_SECONDARY_DUMP_DATA_EX","features":[310]},{"name":"KBUGCHECK_TRIAGE_DUMP_DATA","features":[310,314]},{"name":"KB_ADD_PAGES_FLAG_ADDITIONAL_RANGES_EXIST","features":[310]},{"name":"KB_ADD_PAGES_FLAG_PHYSICAL_ADDRESS","features":[310]},{"name":"KB_ADD_PAGES_FLAG_VIRTUAL_ADDRESS","features":[310]},{"name":"KB_REMOVE_PAGES_FLAG_ADDITIONAL_RANGES_EXIST","features":[310]},{"name":"KB_REMOVE_PAGES_FLAG_PHYSICAL_ADDRESS","features":[310]},{"name":"KB_REMOVE_PAGES_FLAG_VIRTUAL_ADDRESS","features":[310]},{"name":"KB_SECONDARY_DATA_FLAG_ADDITIONAL_DATA","features":[310]},{"name":"KB_SECONDARY_DATA_FLAG_NO_DEVICE_ACCESS","features":[310]},{"name":"KB_TRIAGE_DUMP_DATA_FLAG_BUGCHECK_ACTIVE","features":[310]},{"name":"KDEFERRED_ROUTINE","features":[309,310,314]},{"name":"KDEVICE_QUEUE_ENTRY","features":[310,308,314]},{"name":"KDPC_IMPORTANCE","features":[310]},{"name":"KDPC_WATCHDOG_INFORMATION","features":[310]},{"name":"KD_CALLBACK_ACTION","features":[310]},{"name":"KD_NAMESPACE_ENUM","features":[310]},{"name":"KD_OPTION","features":[310]},{"name":"KD_OPTION_SET_BLOCK_ENABLE","features":[310]},{"name":"KENCODED_TIMER_PROCESSOR","features":[310]},{"name":"KERNEL_LARGE_STACK_COMMIT","features":[310]},{"name":"KERNEL_LARGE_STACK_SIZE","features":[310]},{"name":"KERNEL_MCA_EXCEPTION_STACK_SIZE","features":[310]},{"name":"KERNEL_SOFT_RESTART_NOTIFICATION","features":[310]},{"name":"KERNEL_SOFT_RESTART_NOTIFICATION_VERSION","features":[310]},{"name":"KERNEL_STACK_SIZE","features":[310]},{"name":"KERNEL_USER_TIMES","features":[310]},{"name":"KEY_BASIC_INFORMATION","features":[310]},{"name":"KEY_CACHED_INFORMATION","features":[310]},{"name":"KEY_CONTROL_FLAGS_INFORMATION","features":[310]},{"name":"KEY_FULL_INFORMATION","features":[310]},{"name":"KEY_INFORMATION_CLASS","features":[310]},{"name":"KEY_LAYER_INFORMATION","features":[310]},{"name":"KEY_NAME_INFORMATION","features":[310]},{"name":"KEY_NODE_INFORMATION","features":[310]},{"name":"KEY_SET_VIRTUALIZATION_INFORMATION","features":[310]},{"name":"KEY_TRUST_INFORMATION","features":[310]},{"name":"KEY_VALUE_BASIC_INFORMATION","features":[310]},{"name":"KEY_VALUE_FULL_INFORMATION","features":[310]},{"name":"KEY_VALUE_INFORMATION_CLASS","features":[310]},{"name":"KEY_VALUE_LAYER_INFORMATION","features":[310]},{"name":"KEY_VALUE_PARTIAL_INFORMATION","features":[310]},{"name":"KEY_VALUE_PARTIAL_INFORMATION_ALIGN64","features":[310]},{"name":"KEY_VIRTUALIZATION_INFORMATION","features":[310]},{"name":"KEY_WOW64_FLAGS_INFORMATION","features":[310]},{"name":"KEY_WRITE_TIME_INFORMATION","features":[310]},{"name":"KE_MAX_TRIAGE_DUMP_DATA_MEMORY_SIZE","features":[310]},{"name":"KE_PROCESSOR_CHANGE_ADD_EXISTING","features":[310]},{"name":"KE_PROCESSOR_CHANGE_NOTIFY_CONTEXT","features":[310,308,314]},{"name":"KE_PROCESSOR_CHANGE_NOTIFY_STATE","features":[310]},{"name":"KFLOATING_SAVE","features":[310]},{"name":"KGATE","features":[309,310,308,314]},{"name":"KINTERRUPT_MODE","features":[310]},{"name":"KINTERRUPT_POLARITY","features":[310]},{"name":"KIPI_BROADCAST_WORKER","features":[310]},{"name":"KI_USER_SHARED_DATA","features":[310]},{"name":"KLOCK_QUEUE_HANDLE","features":[310]},{"name":"KMESSAGE_SERVICE_ROUTINE","features":[310,308]},{"name":"KPROFILE_SOURCE","features":[310]},{"name":"KSEMAPHORE","features":[309,310,308,314]},{"name":"KSERVICE_ROUTINE","features":[310,308]},{"name":"KSPIN_LOCK_QUEUE","features":[310]},{"name":"KSTART_ROUTINE","features":[310]},{"name":"KSYNCHRONIZE_ROUTINE","features":[310,308]},{"name":"KSYSTEM_TIME","features":[310]},{"name":"KTIMER","features":[309,310,308,314]},{"name":"KTRIAGE_DUMP_DATA_ARRAY","features":[310,314]},{"name":"KUMS_UCH_VOLATILE_BIT","features":[310]},{"name":"KUSER_SHARED_DATA","features":[310,308,336,314]},{"name":"KWAIT_CHAIN","features":[310]},{"name":"KWAIT_REASON","features":[310]},{"name":"KbCallbackAddPages","features":[310]},{"name":"KbCallbackDumpIo","features":[310]},{"name":"KbCallbackInvalid","features":[310]},{"name":"KbCallbackRemovePages","features":[310]},{"name":"KbCallbackReserved1","features":[310]},{"name":"KbCallbackReserved2","features":[310]},{"name":"KbCallbackSecondaryDumpData","features":[310]},{"name":"KbCallbackSecondaryMultiPartDumpData","features":[310]},{"name":"KbCallbackTriageDumpData","features":[310]},{"name":"KbDumpIoBody","features":[310]},{"name":"KbDumpIoComplete","features":[310]},{"name":"KbDumpIoHeader","features":[310]},{"name":"KbDumpIoInvalid","features":[310]},{"name":"KbDumpIoSecondaryData","features":[310]},{"name":"KdChangeOption","features":[310,308]},{"name":"KdConfigureDeviceAndContinue","features":[310]},{"name":"KdConfigureDeviceAndStop","features":[310]},{"name":"KdDisableDebugger","features":[310,308]},{"name":"KdEnableDebugger","features":[310,308]},{"name":"KdNameSpaceACPI","features":[310]},{"name":"KdNameSpaceAny","features":[310]},{"name":"KdNameSpaceMax","features":[310]},{"name":"KdNameSpaceNone","features":[310]},{"name":"KdNameSpacePCI","features":[310]},{"name":"KdRefreshDebuggerNotPresent","features":[310,308]},{"name":"KdSkipDeviceAndContinue","features":[310]},{"name":"KdSkipDeviceAndStop","features":[310]},{"name":"KeAcquireGuardedMutex","features":[309,310,308,314]},{"name":"KeAcquireGuardedMutexUnsafe","features":[309,310,308,314]},{"name":"KeAcquireInStackQueuedSpinLock","features":[310]},{"name":"KeAcquireInStackQueuedSpinLockAtDpcLevel","features":[310]},{"name":"KeAcquireInStackQueuedSpinLockForDpc","features":[310]},{"name":"KeAcquireInterruptSpinLock","features":[309,310]},{"name":"KeAcquireSpinLockForDpc","features":[310]},{"name":"KeAddTriageDumpDataBlock","features":[310,308,314]},{"name":"KeAreAllApcsDisabled","features":[310,308]},{"name":"KeAreApcsDisabled","features":[310,308]},{"name":"KeBugCheck","features":[310,336]},{"name":"KeBugCheckEx","features":[310,336]},{"name":"KeCancelTimer","features":[309,310,308,314]},{"name":"KeClearEvent","features":[309,310,308,314]},{"name":"KeConvertAuxiliaryCounterToPerformanceCounter","features":[310,308]},{"name":"KeConvertPerformanceCounterToAuxiliaryCounter","features":[310,308]},{"name":"KeDelayExecutionThread","features":[310,308]},{"name":"KeDeregisterBoundCallback","features":[310,308]},{"name":"KeDeregisterBugCheckCallback","features":[310,308,314]},{"name":"KeDeregisterBugCheckReasonCallback","features":[310,308,314]},{"name":"KeDeregisterNmiCallback","features":[310,308]},{"name":"KeDeregisterProcessorChangeCallback","features":[310]},{"name":"KeEnterCriticalRegion","features":[310]},{"name":"KeEnterGuardedRegion","features":[310]},{"name":"KeExpandKernelStackAndCallout","features":[310,308]},{"name":"KeExpandKernelStackAndCalloutEx","features":[310,308]},{"name":"KeFlushIoBuffers","features":[309,310,308]},{"name":"KeFlushQueuedDpcs","features":[310]},{"name":"KeFlushWriteBuffer","features":[310]},{"name":"KeGetCurrentIrql","features":[310]},{"name":"KeGetCurrentNodeNumber","features":[310]},{"name":"KeGetCurrentProcessorNumberEx","features":[310,314]},{"name":"KeGetProcessorIndexFromNumber","features":[310,314]},{"name":"KeGetProcessorNumberFromIndex","features":[310,308,314]},{"name":"KeGetRecommendedSharedDataAlignment","features":[310]},{"name":"KeInitializeCrashDumpHeader","features":[310,308]},{"name":"KeInitializeDeviceQueue","features":[309,310,308,314]},{"name":"KeInitializeDpc","features":[309,310,314]},{"name":"KeInitializeEvent","features":[309,310,308,314]},{"name":"KeInitializeGuardedMutex","features":[309,310,308,314]},{"name":"KeInitializeMutex","features":[309,310,308,314]},{"name":"KeInitializeSemaphore","features":[309,310,308,314]},{"name":"KeInitializeSpinLock","features":[310]},{"name":"KeInitializeThreadedDpc","features":[309,310,314]},{"name":"KeInitializeTimer","features":[309,310,308,314]},{"name":"KeInitializeTimerEx","features":[309,310,308,314]},{"name":"KeInitializeTriageDumpDataArray","features":[310,308,314]},{"name":"KeInsertByKeyDeviceQueue","features":[309,310,308,314]},{"name":"KeInsertDeviceQueue","features":[309,310,308,314]},{"name":"KeInsertQueueDpc","features":[309,310,308,314]},{"name":"KeInvalidateAllCaches","features":[310,308]},{"name":"KeInvalidateRangeAllCaches","features":[310]},{"name":"KeIpiGenericCall","features":[310]},{"name":"KeIsExecutingDpc","features":[310]},{"name":"KeLeaveCriticalRegion","features":[310]},{"name":"KeLeaveGuardedRegion","features":[310]},{"name":"KeProcessorAddCompleteNotify","features":[310]},{"name":"KeProcessorAddFailureNotify","features":[310]},{"name":"KeProcessorAddStartNotify","features":[310]},{"name":"KePulseEvent","features":[309,310,308,314]},{"name":"KeQueryActiveGroupCount","features":[310]},{"name":"KeQueryActiveProcessorCount","features":[310]},{"name":"KeQueryActiveProcessorCountEx","features":[310]},{"name":"KeQueryActiveProcessors","features":[310]},{"name":"KeQueryAuxiliaryCounterFrequency","features":[310,308]},{"name":"KeQueryDpcWatchdogInformation","features":[310,308]},{"name":"KeQueryGroupAffinity","features":[310]},{"name":"KeQueryHardwareCounterConfiguration","features":[310,308]},{"name":"KeQueryHighestNodeNumber","features":[310]},{"name":"KeQueryInterruptTimePrecise","features":[310]},{"name":"KeQueryLogicalProcessorRelationship","features":[310,308,314,338]},{"name":"KeQueryMaximumGroupCount","features":[310]},{"name":"KeQueryMaximumProcessorCount","features":[310]},{"name":"KeQueryMaximumProcessorCountEx","features":[310]},{"name":"KeQueryNodeActiveAffinity","features":[310,338]},{"name":"KeQueryNodeActiveAffinity2","features":[310,308,338]},{"name":"KeQueryNodeActiveProcessorCount","features":[310]},{"name":"KeQueryNodeMaximumProcessorCount","features":[310]},{"name":"KeQueryPerformanceCounter","features":[310]},{"name":"KeQueryPriorityThread","features":[309,310]},{"name":"KeQueryRuntimeThread","features":[309,310]},{"name":"KeQuerySystemTimePrecise","features":[310]},{"name":"KeQueryTimeIncrement","features":[310]},{"name":"KeQueryTotalCycleTimeThread","features":[309,310]},{"name":"KeQueryUnbiasedInterruptTime","features":[310]},{"name":"KeQueryUnbiasedInterruptTimePrecise","features":[310]},{"name":"KeReadStateEvent","features":[309,310,308,314]},{"name":"KeReadStateMutex","features":[309,310,308,314]},{"name":"KeReadStateSemaphore","features":[309,310,308,314]},{"name":"KeReadStateTimer","features":[309,310,308,314]},{"name":"KeRegisterBoundCallback","features":[310]},{"name":"KeRegisterBugCheckCallback","features":[310,308,314]},{"name":"KeRegisterBugCheckReasonCallback","features":[310,308,314]},{"name":"KeRegisterNmiCallback","features":[310,308]},{"name":"KeRegisterProcessorChangeCallback","features":[310]},{"name":"KeReleaseGuardedMutex","features":[309,310,308,314]},{"name":"KeReleaseGuardedMutexUnsafe","features":[309,310,308,314]},{"name":"KeReleaseInStackQueuedSpinLock","features":[310]},{"name":"KeReleaseInStackQueuedSpinLockForDpc","features":[310]},{"name":"KeReleaseInStackQueuedSpinLockFromDpcLevel","features":[310]},{"name":"KeReleaseInterruptSpinLock","features":[309,310]},{"name":"KeReleaseMutex","features":[309,310,308,314]},{"name":"KeReleaseSemaphore","features":[309,310,308,314]},{"name":"KeReleaseSpinLockForDpc","features":[310]},{"name":"KeRemoveByKeyDeviceQueue","features":[309,310,308,314]},{"name":"KeRemoveByKeyDeviceQueueIfBusy","features":[309,310,308,314]},{"name":"KeRemoveDeviceQueue","features":[309,310,308,314]},{"name":"KeRemoveEntryDeviceQueue","features":[309,310,308,314]},{"name":"KeRemoveQueueDpc","features":[309,310,308,314]},{"name":"KeRemoveQueueDpcEx","features":[309,310,308,314]},{"name":"KeResetEvent","features":[309,310,308,314]},{"name":"KeRestoreExtendedProcessorState","features":[310,336]},{"name":"KeRevertToUserAffinityThread","features":[310]},{"name":"KeRevertToUserAffinityThreadEx","features":[310]},{"name":"KeRevertToUserGroupAffinityThread","features":[310,338]},{"name":"KeSaveExtendedProcessorState","features":[310,308,336]},{"name":"KeSetBasePriorityThread","features":[309,310]},{"name":"KeSetCoalescableTimer","features":[309,310,308,314]},{"name":"KeSetEvent","features":[309,310,308,314]},{"name":"KeSetHardwareCounterConfiguration","features":[310,308]},{"name":"KeSetImportanceDpc","features":[309,310,314]},{"name":"KeSetPriorityThread","features":[309,310]},{"name":"KeSetSystemAffinityThread","features":[310]},{"name":"KeSetSystemAffinityThreadEx","features":[310]},{"name":"KeSetSystemGroupAffinityThread","features":[310,338]},{"name":"KeSetTargetProcessorDpc","features":[309,310,314]},{"name":"KeSetTargetProcessorDpcEx","features":[309,310,308,314]},{"name":"KeSetTimer","features":[309,310,308,314]},{"name":"KeSetTimerEx","features":[309,310,308,314]},{"name":"KeShouldYieldProcessor","features":[310]},{"name":"KeStallExecutionProcessor","features":[310]},{"name":"KeSynchronizeExecution","features":[309,310,308]},{"name":"KeTestSpinLock","features":[310,308]},{"name":"KeTryToAcquireGuardedMutex","features":[309,310,308,314]},{"name":"KeTryToAcquireSpinLockAtDpcLevel","features":[310,308]},{"name":"KeWaitForMultipleObjects","features":[309,310,308,314]},{"name":"KeWaitForSingleObject","features":[310,308]},{"name":"KeepObject","features":[310]},{"name":"KernelMode","features":[310]},{"name":"KeyBasicInformation","features":[310]},{"name":"KeyCachedInformation","features":[310]},{"name":"KeyFlagsInformation","features":[310]},{"name":"KeyFullInformation","features":[310]},{"name":"KeyHandleTagsInformation","features":[310]},{"name":"KeyLayerInformation","features":[310]},{"name":"KeyNameInformation","features":[310]},{"name":"KeyNodeInformation","features":[310]},{"name":"KeyTrustInformation","features":[310]},{"name":"KeyValueBasicInformation","features":[310]},{"name":"KeyValueFullInformation","features":[310]},{"name":"KeyValueFullInformationAlign64","features":[310]},{"name":"KeyValueLayerInformation","features":[310]},{"name":"KeyValuePartialInformation","features":[310]},{"name":"KeyValuePartialInformationAlign64","features":[310]},{"name":"KeyVirtualizationInformation","features":[310]},{"name":"KeyboardController","features":[310]},{"name":"KeyboardPeripheral","features":[310]},{"name":"KfRaiseIrql","features":[310]},{"name":"L0sAndL1EntryDisabled","features":[310]},{"name":"L0sAndL1EntryEnabled","features":[310]},{"name":"L0sAndL1EntrySupport","features":[310]},{"name":"L0sEntryEnabled","features":[310]},{"name":"L0sEntrySupport","features":[310]},{"name":"L0s_128ns_256ns","features":[310]},{"name":"L0s_1us_2us","features":[310]},{"name":"L0s_256ns_512ns","features":[310]},{"name":"L0s_2us_4us","features":[310]},{"name":"L0s_512ns_1us","features":[310]},{"name":"L0s_64ns_128ns","features":[310]},{"name":"L0s_Above4us","features":[310]},{"name":"L0s_Below64ns","features":[310]},{"name":"L1EntryEnabled","features":[310]},{"name":"L1EntrySupport","features":[310]},{"name":"L1_16us_32us","features":[310]},{"name":"L1_1us_2us","features":[310]},{"name":"L1_2us_4us","features":[310]},{"name":"L1_32us_64us","features":[310]},{"name":"L1_4us_8us","features":[310]},{"name":"L1_8us_16us","features":[310]},{"name":"L1_Above64us","features":[310]},{"name":"L1_Below1us","features":[310]},{"name":"LEGACY_BUS_INFORMATION","features":[310]},{"name":"LINK_SHARE_ACCESS","features":[310]},{"name":"LOADER_PARTITION_INFORMATION_EX","features":[310]},{"name":"LOCK_OPERATION","features":[310]},{"name":"LOCK_QUEUE_HALTED","features":[310]},{"name":"LOCK_QUEUE_HALTED_BIT","features":[310]},{"name":"LOCK_QUEUE_OWNER","features":[310]},{"name":"LOCK_QUEUE_OWNER_BIT","features":[310]},{"name":"LOCK_QUEUE_WAIT","features":[310]},{"name":"LOCK_QUEUE_WAIT_BIT","features":[310]},{"name":"LONG_2ND_MOST_SIGNIFICANT_BIT","features":[310]},{"name":"LONG_3RD_MOST_SIGNIFICANT_BIT","features":[310]},{"name":"LONG_LEAST_SIGNIFICANT_BIT","features":[310]},{"name":"LONG_MOST_SIGNIFICANT_BIT","features":[310]},{"name":"LOWBYTE_MASK","features":[310]},{"name":"LOW_LEVEL","features":[310]},{"name":"LOW_PRIORITY","features":[310]},{"name":"LOW_REALTIME_PRIORITY","features":[310]},{"name":"LastDStateTransitionD3cold","features":[310]},{"name":"LastDStateTransitionD3hot","features":[310]},{"name":"LastDStateTransitionStatusUnknown","features":[310]},{"name":"LastDrvRtFlag","features":[310]},{"name":"Latched","features":[310]},{"name":"LevelSensitive","features":[310]},{"name":"LinePeripheral","features":[310]},{"name":"LocateControl","features":[310]},{"name":"LocationTypeFileSystem","features":[310]},{"name":"LocationTypeMaximum","features":[310]},{"name":"LocationTypeRegistry","features":[310]},{"name":"LoggerEventsLoggedClass","features":[310]},{"name":"LoggerEventsLostClass","features":[310]},{"name":"LowImportance","features":[310]},{"name":"LowPagePriority","features":[310]},{"name":"LowPoolPriority","features":[310]},{"name":"LowPoolPrioritySpecialPoolOverrun","features":[310]},{"name":"LowPoolPrioritySpecialPoolUnderrun","features":[310]},{"name":"MAILSLOT_CREATE_PARAMETERS","features":[310,308]},{"name":"MAP_REGISTER_ENTRY","features":[310,308]},{"name":"MAXIMUM_DEBUG_BARS","features":[310]},{"name":"MAXIMUM_FILENAME_LENGTH","features":[310]},{"name":"MAXIMUM_PRIORITY","features":[310]},{"name":"MAX_EVENT_COUNTERS","features":[310]},{"name":"MCA_DRIVER_INFO","features":[309,310]},{"name":"MCA_EXCEPTION","features":[310]},{"name":"MCA_EXCEPTION_TYPE","features":[310]},{"name":"MCA_EXTREG_V2MAX","features":[310]},{"name":"MCE_NOTIFY_TYPE_GUID","features":[310]},{"name":"MCG_CAP","features":[310]},{"name":"MCG_STATUS","features":[310]},{"name":"MCI_ADDR","features":[310]},{"name":"MCI_STATS","features":[310]},{"name":"MCI_STATUS","features":[310]},{"name":"MCI_STATUS_AMD_BITS","features":[310]},{"name":"MCI_STATUS_BITS_COMMON","features":[310]},{"name":"MCI_STATUS_INTEL_BITS","features":[310]},{"name":"MDL_ALLOCATED_FIXED_SIZE","features":[310]},{"name":"MDL_DESCRIBES_AWE","features":[310]},{"name":"MDL_FREE_EXTRA_PTES","features":[310]},{"name":"MDL_INTERNAL","features":[310]},{"name":"MDL_LOCKED_PAGE_TABLES","features":[310]},{"name":"MDL_PAGE_CONTENTS_INVARIANT","features":[310]},{"name":"MEMORY_CACHING_TYPE","features":[310]},{"name":"MEMORY_CACHING_TYPE_ORIG","features":[310]},{"name":"MEMORY_CORRECTABLE_ERROR_SUMMARY_SECTION_GUID","features":[310]},{"name":"MEMORY_ERROR_SECTION_GUID","features":[310]},{"name":"MEMORY_PARTITION_DEDICATED_MEMORY_OPEN_INFORMATION","features":[310,308]},{"name":"MEM_COMMIT","features":[310]},{"name":"MEM_DECOMMIT","features":[310]},{"name":"MEM_DEDICATED_ATTRIBUTE_TYPE","features":[310]},{"name":"MEM_EXTENDED_PARAMETER_EC_CODE","features":[310]},{"name":"MEM_EXTENDED_PARAMETER_TYPE_BITS","features":[310]},{"name":"MEM_LARGE_PAGES","features":[310]},{"name":"MEM_MAPPED","features":[310]},{"name":"MEM_PRIVATE","features":[310]},{"name":"MEM_RELEASE","features":[310]},{"name":"MEM_RESERVE","features":[310]},{"name":"MEM_RESET","features":[310]},{"name":"MEM_RESET_UNDO","features":[310]},{"name":"MEM_SECTION_EXTENDED_PARAMETER_TYPE","features":[310]},{"name":"MEM_TOP_DOWN","features":[310]},{"name":"MM_ADD_PHYSICAL_MEMORY_ALREADY_ZEROED","features":[310]},{"name":"MM_ADD_PHYSICAL_MEMORY_HUGE_PAGES_ONLY","features":[310]},{"name":"MM_ADD_PHYSICAL_MEMORY_LARGE_PAGES_ONLY","features":[310]},{"name":"MM_ALLOCATE_AND_HOT_REMOVE","features":[310]},{"name":"MM_ALLOCATE_CONTIGUOUS_MEMORY_FAST_ONLY","features":[310]},{"name":"MM_ALLOCATE_FAST_LARGE_PAGES","features":[310]},{"name":"MM_ALLOCATE_FROM_LOCAL_NODE_ONLY","features":[310]},{"name":"MM_ALLOCATE_FULLY_REQUIRED","features":[310]},{"name":"MM_ALLOCATE_NO_WAIT","features":[310]},{"name":"MM_ALLOCATE_PREFER_CONTIGUOUS","features":[310]},{"name":"MM_ALLOCATE_REQUIRE_CONTIGUOUS_CHUNKS","features":[310]},{"name":"MM_ALLOCATE_TRIM_IF_NECESSARY","features":[310]},{"name":"MM_ANY_NODE_OK","features":[310]},{"name":"MM_COPY_ADDRESS","features":[310]},{"name":"MM_COPY_MEMORY_PHYSICAL","features":[310]},{"name":"MM_COPY_MEMORY_VIRTUAL","features":[310]},{"name":"MM_DONT_ZERO_ALLOCATION","features":[310]},{"name":"MM_DUMP_MAP_CACHED","features":[310]},{"name":"MM_DUMP_MAP_INVALIDATE","features":[310]},{"name":"MM_FREE_MDL_PAGES_ZERO","features":[310]},{"name":"MM_GET_CACHE_ATTRIBUTE_IO_SPACE","features":[310]},{"name":"MM_GET_PHYSICAL_MEMORY_RANGES_INCLUDE_ALL_PARTITIONS","features":[310]},{"name":"MM_GET_PHYSICAL_MEMORY_RANGES_INCLUDE_FILE_ONLY","features":[310]},{"name":"MM_MAPPING_ADDRESS_DIVISIBLE","features":[310]},{"name":"MM_MAXIMUM_DISK_IO_SIZE","features":[310]},{"name":"MM_MDL_PAGE_CONTENTS_STATE","features":[310]},{"name":"MM_MDL_ROUTINE","features":[310]},{"name":"MM_PAGE_PRIORITY","features":[310]},{"name":"MM_PERMANENT_ADDRESS_IS_IO_SPACE","features":[310]},{"name":"MM_PHYSICAL_ADDRESS_LIST","features":[310]},{"name":"MM_PROTECT_DRIVER_SECTION_ALLOW_UNLOAD","features":[310]},{"name":"MM_PROTECT_DRIVER_SECTION_VALID_FLAGS","features":[310]},{"name":"MM_REMOVE_PHYSICAL_MEMORY_BAD_ONLY","features":[310]},{"name":"MM_ROTATE_DIRECTION","features":[310]},{"name":"MM_SECURE_EXCLUSIVE","features":[310]},{"name":"MM_SECURE_NO_CHANGE","features":[310]},{"name":"MM_SECURE_NO_INHERIT","features":[310]},{"name":"MM_SECURE_USER_MODE_ONLY","features":[310]},{"name":"MM_SYSTEMSIZE","features":[310]},{"name":"MM_SYSTEM_SPACE_END","features":[310]},{"name":"MM_SYSTEM_VIEW_EXCEPTIONS_FOR_INPAGE_ERRORS","features":[310]},{"name":"MODE","features":[310]},{"name":"MPIBus","features":[310]},{"name":"MPIConfiguration","features":[310]},{"name":"MPSABus","features":[310]},{"name":"MPSAConfiguration","features":[310]},{"name":"MRLClosed","features":[310]},{"name":"MRLOpen","features":[310]},{"name":"MU_TELEMETRY_SECTION","features":[310]},{"name":"MU_TELEMETRY_SECTION_GUID","features":[310]},{"name":"MapPhysicalAddressTypeContiguousRange","features":[310]},{"name":"MapPhysicalAddressTypeMax","features":[310]},{"name":"MapPhysicalAddressTypeMdl","features":[310]},{"name":"MapPhysicalAddressTypePfn","features":[310]},{"name":"MaxFaultType","features":[310]},{"name":"MaxHardwareCounterType","features":[310]},{"name":"MaxKeyInfoClass","features":[310]},{"name":"MaxKeyValueInfoClass","features":[310]},{"name":"MaxPayload1024Bytes","features":[310]},{"name":"MaxPayload128Bytes","features":[310]},{"name":"MaxPayload2048Bytes","features":[310]},{"name":"MaxPayload256Bytes","features":[310]},{"name":"MaxPayload4096Bytes","features":[310]},{"name":"MaxPayload512Bytes","features":[310]},{"name":"MaxRegNtNotifyClass","features":[310]},{"name":"MaxSubsystemInformationType","features":[310]},{"name":"MaxTimerInfoClass","features":[310]},{"name":"MaxTraceInformationClass","features":[310]},{"name":"MaximumBusDataType","features":[310]},{"name":"MaximumDmaSpeed","features":[310]},{"name":"MaximumDmaWidth","features":[310]},{"name":"MaximumInterfaceType","features":[310]},{"name":"MaximumMode","features":[310]},{"name":"MaximumType","features":[310]},{"name":"MaximumWaitReason","features":[310]},{"name":"MaximumWorkQueue","features":[310]},{"name":"MdlMappingNoExecute","features":[310]},{"name":"MdlMappingNoWrite","features":[310]},{"name":"MdlMappingWithGuardPtes","features":[310]},{"name":"MediumHighImportance","features":[310]},{"name":"MediumImportance","features":[310]},{"name":"MemDedicatedAttributeMax","features":[310]},{"name":"MemDedicatedAttributeReadBandwidth","features":[310]},{"name":"MemDedicatedAttributeReadLatency","features":[310]},{"name":"MemDedicatedAttributeWriteBandwidth","features":[310]},{"name":"MemDedicatedAttributeWriteLatency","features":[310]},{"name":"MemSectionExtendedParameterInvalidType","features":[310]},{"name":"MemSectionExtendedParameterMax","features":[310]},{"name":"MemSectionExtendedParameterNumaNode","features":[310]},{"name":"MemSectionExtendedParameterSigningLevel","features":[310]},{"name":"MemSectionExtendedParameterUserPhysicalFlags","features":[310]},{"name":"MicroChannel","features":[310]},{"name":"MmAddPhysicalMemory","features":[310,308]},{"name":"MmAddVerifierSpecialThunks","features":[310,308]},{"name":"MmAddVerifierThunks","features":[310,308]},{"name":"MmAdvanceMdl","features":[309,310,308]},{"name":"MmAllocateContiguousMemory","features":[310]},{"name":"MmAllocateContiguousMemoryEx","features":[310,308]},{"name":"MmAllocateContiguousMemorySpecifyCache","features":[310]},{"name":"MmAllocateContiguousMemorySpecifyCacheNode","features":[310]},{"name":"MmAllocateContiguousNodeMemory","features":[310]},{"name":"MmAllocateMappingAddress","features":[310]},{"name":"MmAllocateMappingAddressEx","features":[310]},{"name":"MmAllocateMdlForIoSpace","features":[309,310,308]},{"name":"MmAllocateNodePagesForMdlEx","features":[309,310]},{"name":"MmAllocateNonCachedMemory","features":[310]},{"name":"MmAllocatePagesForMdl","features":[309,310]},{"name":"MmAllocatePagesForMdlEx","features":[309,310]},{"name":"MmAllocatePartitionNodePagesForMdlEx","features":[309,310]},{"name":"MmAreMdlPagesCached","features":[309,310]},{"name":"MmBuildMdlForNonPagedPool","features":[309,310]},{"name":"MmCached","features":[310]},{"name":"MmCopyMemory","features":[310,308]},{"name":"MmCreateMdl","features":[309,310]},{"name":"MmCreateMirror","features":[310,308]},{"name":"MmFrameBufferCached","features":[310]},{"name":"MmFreeContiguousMemory","features":[310]},{"name":"MmFreeContiguousMemorySpecifyCache","features":[310]},{"name":"MmFreeMappingAddress","features":[310]},{"name":"MmFreeNonCachedMemory","features":[310]},{"name":"MmFreePagesFromMdl","features":[309,310]},{"name":"MmFreePagesFromMdlEx","features":[309,310]},{"name":"MmGetCacheAttribute","features":[310,308]},{"name":"MmGetCacheAttributeEx","features":[310,308]},{"name":"MmGetPhysicalAddress","features":[310]},{"name":"MmGetPhysicalMemoryRanges","features":[310]},{"name":"MmGetPhysicalMemoryRangesEx","features":[310]},{"name":"MmGetPhysicalMemoryRangesEx2","features":[310]},{"name":"MmGetSystemRoutineAddress","features":[310,308]},{"name":"MmGetVirtualForPhysical","features":[310]},{"name":"MmHardwareCoherentCached","features":[310]},{"name":"MmIsAddressValid","features":[310,308]},{"name":"MmIsDriverSuspectForVerifier","features":[309,312,310,308,311,313,314,315]},{"name":"MmIsDriverVerifying","features":[309,312,310,308,311,313,314,315]},{"name":"MmIsDriverVerifyingByAddress","features":[310]},{"name":"MmIsIoSpaceActive","features":[310]},{"name":"MmIsNonPagedSystemAddressValid","features":[310,308]},{"name":"MmIsThisAnNtAsSystem","features":[310,308]},{"name":"MmIsVerifierEnabled","features":[310,308]},{"name":"MmLargeSystem","features":[310]},{"name":"MmLockPagableDataSection","features":[310]},{"name":"MmLockPagableSectionByHandle","features":[310]},{"name":"MmMapIoSpace","features":[310]},{"name":"MmMapIoSpaceEx","features":[310]},{"name":"MmMapLockedPages","features":[309,310]},{"name":"MmMapLockedPagesSpecifyCache","features":[309,310]},{"name":"MmMapLockedPagesWithReservedMapping","features":[309,310]},{"name":"MmMapMdl","features":[309,310,308]},{"name":"MmMapMemoryDumpMdlEx","features":[309,310,308]},{"name":"MmMapUserAddressesToPage","features":[310,308]},{"name":"MmMapVideoDisplay","features":[310]},{"name":"MmMapViewInSessionSpace","features":[310,308]},{"name":"MmMapViewInSessionSpaceEx","features":[310,308]},{"name":"MmMapViewInSystemSpace","features":[310,308]},{"name":"MmMapViewInSystemSpaceEx","features":[310,308]},{"name":"MmMaximumCacheType","features":[310]},{"name":"MmMaximumRotateDirection","features":[310]},{"name":"MmMdlPageContentsDynamic","features":[310]},{"name":"MmMdlPageContentsInvariant","features":[310]},{"name":"MmMdlPageContentsQuery","features":[310]},{"name":"MmMdlPageContentsState","features":[309,310]},{"name":"MmMediumSystem","features":[310]},{"name":"MmNonCached","features":[310]},{"name":"MmNonCachedUnordered","features":[310]},{"name":"MmNotMapped","features":[310]},{"name":"MmPageEntireDriver","features":[310]},{"name":"MmProbeAndLockPages","features":[309,310]},{"name":"MmProbeAndLockProcessPages","features":[309,310]},{"name":"MmProbeAndLockSelectedPages","features":[309,310,327]},{"name":"MmProtectDriverSection","features":[310,308]},{"name":"MmProtectMdlSystemAddress","features":[309,310,308]},{"name":"MmQuerySystemSize","features":[310]},{"name":"MmRemovePhysicalMemory","features":[310,308]},{"name":"MmResetDriverPaging","features":[310]},{"name":"MmRotatePhysicalView","features":[309,310,308]},{"name":"MmSecureVirtualMemory","features":[310,308]},{"name":"MmSecureVirtualMemoryEx","features":[310,308]},{"name":"MmSetPermanentCacheAttribute","features":[310,308]},{"name":"MmSizeOfMdl","features":[310]},{"name":"MmSmallSystem","features":[310]},{"name":"MmToFrameBuffer","features":[310]},{"name":"MmToFrameBufferNoCopy","features":[310]},{"name":"MmToRegularMemory","features":[310]},{"name":"MmToRegularMemoryNoCopy","features":[310]},{"name":"MmUSWCCached","features":[310]},{"name":"MmUnlockPagableImageSection","features":[310]},{"name":"MmUnlockPages","features":[309,310]},{"name":"MmUnmapIoSpace","features":[310]},{"name":"MmUnmapLockedPages","features":[309,310]},{"name":"MmUnmapReservedMapping","features":[309,310]},{"name":"MmUnmapVideoDisplay","features":[310]},{"name":"MmUnmapViewInSessionSpace","features":[310,308]},{"name":"MmUnmapViewInSystemSpace","features":[310,308]},{"name":"MmUnsecureVirtualMemory","features":[310,308]},{"name":"MmWriteCombined","features":[310]},{"name":"ModemPeripheral","features":[310]},{"name":"ModifyAccess","features":[310]},{"name":"MonitorPeripheral","features":[310]},{"name":"MonitorRequestReasonAcDcDisplayBurst","features":[310]},{"name":"MonitorRequestReasonAcDcDisplayBurstSuppressed","features":[310]},{"name":"MonitorRequestReasonBatteryCountChange","features":[310]},{"name":"MonitorRequestReasonBatteryCountChangeSuppressed","features":[310]},{"name":"MonitorRequestReasonBatteryPreCritical","features":[310]},{"name":"MonitorRequestReasonBuiltinPanel","features":[310]},{"name":"MonitorRequestReasonDP","features":[310]},{"name":"MonitorRequestReasonDim","features":[310]},{"name":"MonitorRequestReasonDirectedDrips","features":[310]},{"name":"MonitorRequestReasonDisplayRequiredUnDim","features":[310]},{"name":"MonitorRequestReasonFullWake","features":[310]},{"name":"MonitorRequestReasonGracePeriod","features":[310]},{"name":"MonitorRequestReasonIdleTimeout","features":[310]},{"name":"MonitorRequestReasonLid","features":[310]},{"name":"MonitorRequestReasonMax","features":[310]},{"name":"MonitorRequestReasonNearProximity","features":[310]},{"name":"MonitorRequestReasonPdcSignal","features":[310]},{"name":"MonitorRequestReasonPdcSignalFingerprint","features":[310]},{"name":"MonitorRequestReasonPdcSignalHeyCortana","features":[310]},{"name":"MonitorRequestReasonPdcSignalHolographicShell","features":[310]},{"name":"MonitorRequestReasonPdcSignalSensorsHumanPresence","features":[310]},{"name":"MonitorRequestReasonPdcSignalWindowsMobilePwrNotif","features":[310]},{"name":"MonitorRequestReasonPdcSignalWindowsMobileShell","features":[310]},{"name":"MonitorRequestReasonPnP","features":[310]},{"name":"MonitorRequestReasonPoSetSystemState","features":[310]},{"name":"MonitorRequestReasonPolicyChange","features":[310]},{"name":"MonitorRequestReasonPowerButton","features":[310]},{"name":"MonitorRequestReasonRemoteConnection","features":[310]},{"name":"MonitorRequestReasonResumeModernStandby","features":[310]},{"name":"MonitorRequestReasonResumePdc","features":[310]},{"name":"MonitorRequestReasonResumeS4","features":[310]},{"name":"MonitorRequestReasonScMonitorpower","features":[310]},{"name":"MonitorRequestReasonScreenOffRequest","features":[310]},{"name":"MonitorRequestReasonSessionUnlock","features":[310]},{"name":"MonitorRequestReasonSetThreadExecutionState","features":[310]},{"name":"MonitorRequestReasonSleepButton","features":[310]},{"name":"MonitorRequestReasonSxTransition","features":[310]},{"name":"MonitorRequestReasonSystemIdle","features":[310]},{"name":"MonitorRequestReasonSystemStateEntered","features":[310]},{"name":"MonitorRequestReasonTerminal","features":[310]},{"name":"MonitorRequestReasonTerminalInit","features":[310]},{"name":"MonitorRequestReasonThermalStandby","features":[310]},{"name":"MonitorRequestReasonUnknown","features":[310]},{"name":"MonitorRequestReasonUserDisplayBurst","features":[310]},{"name":"MonitorRequestReasonUserInput","features":[310]},{"name":"MonitorRequestReasonUserInputAccelerometer","features":[310]},{"name":"MonitorRequestReasonUserInputHid","features":[310]},{"name":"MonitorRequestReasonUserInputInitialization","features":[310]},{"name":"MonitorRequestReasonUserInputKeyboard","features":[310]},{"name":"MonitorRequestReasonUserInputMouse","features":[310]},{"name":"MonitorRequestReasonUserInputPen","features":[310]},{"name":"MonitorRequestReasonUserInputPoUserPresent","features":[310]},{"name":"MonitorRequestReasonUserInputSessionSwitch","features":[310]},{"name":"MonitorRequestReasonUserInputTouch","features":[310]},{"name":"MonitorRequestReasonUserInputTouchpad","features":[310]},{"name":"MonitorRequestReasonWinrt","features":[310]},{"name":"MonitorRequestTypeOff","features":[310]},{"name":"MonitorRequestTypeOnAndPresent","features":[310]},{"name":"MonitorRequestTypeToggleOn","features":[310]},{"name":"MultiFunctionAdapter","features":[310]},{"name":"NAMED_PIPE_CREATE_PARAMETERS","features":[310,308]},{"name":"NEC98x86","features":[310]},{"name":"NMI_CALLBACK","features":[310,308]},{"name":"NMI_NOTIFY_TYPE_GUID","features":[310]},{"name":"NMI_SECTION_GUID","features":[310]},{"name":"NPEM_CAPABILITY_STANDARD","features":[310]},{"name":"NPEM_CONTROL_ENABLE_DISABLE","features":[310,308]},{"name":"NPEM_CONTROL_INTERFACE","features":[310,308]},{"name":"NPEM_CONTROL_INTERFACE_CURRENT_VERSION","features":[310]},{"name":"NPEM_CONTROL_INTERFACE_VERSION1","features":[310]},{"name":"NPEM_CONTROL_INTERFACE_VERSION2","features":[310]},{"name":"NPEM_CONTROL_QUERY_CONTROL","features":[310]},{"name":"NPEM_CONTROL_QUERY_STANDARD_CAPABILITIES","features":[310,308]},{"name":"NPEM_CONTROL_SET_STANDARD_CONTROL","features":[310,308]},{"name":"NPEM_CONTROL_STANDARD_CONTROL_BIT","features":[310]},{"name":"NTFS_DEREF_EXPORTED_SECURITY_DESCRIPTOR","features":[310,311]},{"name":"NT_PAGING_LEVELS","features":[310]},{"name":"NT_TIB32","features":[310]},{"name":"NX_SUPPORT_POLICY_ALWAYSOFF","features":[310]},{"name":"NX_SUPPORT_POLICY_ALWAYSON","features":[310]},{"name":"NX_SUPPORT_POLICY_OPTIN","features":[310]},{"name":"NX_SUPPORT_POLICY_OPTOUT","features":[310]},{"name":"NetworkController","features":[310]},{"name":"NetworkPeripheral","features":[310]},{"name":"NoAspmSupport","features":[310]},{"name":"NormalPagePriority","features":[310]},{"name":"NormalPoolPriority","features":[310]},{"name":"NormalPoolPrioritySpecialPoolOverrun","features":[310]},{"name":"NormalPoolPrioritySpecialPoolUnderrun","features":[310]},{"name":"NormalWorkQueue","features":[310]},{"name":"NtCommitComplete","features":[310,308]},{"name":"NtCommitEnlistment","features":[310,308]},{"name":"NtCommitTransaction","features":[310,308]},{"name":"NtCreateEnlistment","features":[309,310,308]},{"name":"NtCreateResourceManager","features":[309,310,308]},{"name":"NtCreateTransaction","features":[309,310,308]},{"name":"NtCreateTransactionManager","features":[309,310,308]},{"name":"NtEnumerateTransactionObject","features":[310,308,342]},{"name":"NtGetNotificationResourceManager","features":[310,308,327]},{"name":"NtManagePartition","features":[310,308]},{"name":"NtOpenEnlistment","features":[309,310,308]},{"name":"NtOpenProcess","features":[309,310,308,340]},{"name":"NtOpenRegistryTransaction","features":[309,310,308]},{"name":"NtOpenResourceManager","features":[309,310,308]},{"name":"NtOpenTransaction","features":[309,310,308]},{"name":"NtOpenTransactionManager","features":[309,310,308]},{"name":"NtPowerInformation","features":[310,308,315]},{"name":"NtPrePrepareComplete","features":[310,308]},{"name":"NtPrePrepareEnlistment","features":[310,308]},{"name":"NtPrepareComplete","features":[310,308]},{"name":"NtPrepareEnlistment","features":[310,308]},{"name":"NtPropagationComplete","features":[310,308]},{"name":"NtPropagationFailed","features":[310,308]},{"name":"NtQueryInformationEnlistment","features":[310,308,342]},{"name":"NtQueryInformationResourceManager","features":[310,308,342]},{"name":"NtQueryInformationTransaction","features":[310,308,342]},{"name":"NtQueryInformationTransactionManager","features":[310,308,342]},{"name":"NtReadOnlyEnlistment","features":[310,308]},{"name":"NtRecoverEnlistment","features":[310,308]},{"name":"NtRecoverResourceManager","features":[310,308]},{"name":"NtRecoverTransactionManager","features":[310,308]},{"name":"NtRegisterProtocolAddressInformation","features":[310,308]},{"name":"NtRenameTransactionManager","features":[310,308]},{"name":"NtRollbackComplete","features":[310,308]},{"name":"NtRollbackEnlistment","features":[310,308]},{"name":"NtRollbackRegistryTransaction","features":[310,308]},{"name":"NtRollbackTransaction","features":[310,308]},{"name":"NtRollforwardTransactionManager","features":[310,308]},{"name":"NtSetInformationEnlistment","features":[310,308,342]},{"name":"NtSetInformationResourceManager","features":[310,308,342]},{"name":"NtSetInformationTransaction","features":[310,308,342]},{"name":"NtSetInformationTransactionManager","features":[310,308,342]},{"name":"NtSinglePhaseReject","features":[310,308]},{"name":"NuBus","features":[310]},{"name":"NuBusConfiguration","features":[310]},{"name":"OBJECT_HANDLE_INFORMATION","features":[310]},{"name":"OBJECT_TYPE_CREATE","features":[310]},{"name":"OB_CALLBACK_REGISTRATION","features":[309,310,308]},{"name":"OB_FLT_REGISTRATION_VERSION","features":[310]},{"name":"OB_FLT_REGISTRATION_VERSION_0100","features":[310]},{"name":"OB_OPERATION_HANDLE_CREATE","features":[310]},{"name":"OB_OPERATION_HANDLE_DUPLICATE","features":[310]},{"name":"OB_OPERATION_REGISTRATION","features":[309,310,308]},{"name":"OB_POST_CREATE_HANDLE_INFORMATION","features":[310]},{"name":"OB_POST_DUPLICATE_HANDLE_INFORMATION","features":[310]},{"name":"OB_POST_OPERATION_INFORMATION","features":[309,310,308]},{"name":"OB_POST_OPERATION_PARAMETERS","features":[310]},{"name":"OB_PREOP_CALLBACK_STATUS","features":[310]},{"name":"OB_PREOP_SUCCESS","features":[310]},{"name":"OB_PRE_CREATE_HANDLE_INFORMATION","features":[310]},{"name":"OB_PRE_DUPLICATE_HANDLE_INFORMATION","features":[310]},{"name":"OB_PRE_OPERATION_INFORMATION","features":[309,310]},{"name":"OB_PRE_OPERATION_PARAMETERS","features":[310]},{"name":"OPLOCK_KEY_FLAG_PARENT_KEY","features":[310]},{"name":"OPLOCK_KEY_FLAG_TARGET_KEY","features":[310]},{"name":"OPLOCK_KEY_VERSION_WIN7","features":[310]},{"name":"OPLOCK_KEY_VERSION_WIN8","features":[310]},{"name":"OSC_CAPABILITIES_MASKED","features":[310]},{"name":"OSC_FIRMWARE_FAILURE","features":[310]},{"name":"OSC_UNRECOGNIZED_REVISION","features":[310]},{"name":"OSC_UNRECOGNIZED_UUID","features":[310]},{"name":"ObCloseHandle","features":[310,308]},{"name":"ObDereferenceObjectDeferDelete","features":[310]},{"name":"ObDereferenceObjectDeferDeleteWithTag","features":[310]},{"name":"ObGetFilterVersion","features":[310]},{"name":"ObGetObjectSecurity","features":[310,308,311]},{"name":"ObReferenceObjectByHandle","features":[309,310,308]},{"name":"ObReferenceObjectByHandleWithTag","features":[309,310,308]},{"name":"ObReferenceObjectByPointer","features":[309,310,308]},{"name":"ObReferenceObjectByPointerWithTag","features":[309,310,308]},{"name":"ObReferenceObjectSafe","features":[310,308]},{"name":"ObReferenceObjectSafeWithTag","features":[310,308]},{"name":"ObRegisterCallbacks","features":[309,310,308]},{"name":"ObReleaseObjectSecurity","features":[310,308,311]},{"name":"ObUnRegisterCallbacks","features":[310]},{"name":"ObfDereferenceObject","features":[310]},{"name":"ObfDereferenceObjectWithTag","features":[310]},{"name":"ObfReferenceObject","features":[310]},{"name":"ObfReferenceObjectWithTag","features":[310]},{"name":"OkControl","features":[310]},{"name":"OtherController","features":[310]},{"name":"OtherPeripheral","features":[310]},{"name":"PAGE_ENCLAVE_NO_CHANGE","features":[310]},{"name":"PAGE_ENCLAVE_THREAD_CONTROL","features":[310]},{"name":"PAGE_ENCLAVE_UNVALIDATED","features":[310]},{"name":"PAGE_EXECUTE","features":[310]},{"name":"PAGE_EXECUTE_READ","features":[310]},{"name":"PAGE_EXECUTE_READWRITE","features":[310]},{"name":"PAGE_EXECUTE_WRITECOPY","features":[310]},{"name":"PAGE_GRAPHICS_COHERENT","features":[310]},{"name":"PAGE_GRAPHICS_EXECUTE","features":[310]},{"name":"PAGE_GRAPHICS_EXECUTE_READ","features":[310]},{"name":"PAGE_GRAPHICS_EXECUTE_READWRITE","features":[310]},{"name":"PAGE_GRAPHICS_NOACCESS","features":[310]},{"name":"PAGE_GRAPHICS_NOCACHE","features":[310]},{"name":"PAGE_GRAPHICS_READONLY","features":[310]},{"name":"PAGE_GRAPHICS_READWRITE","features":[310]},{"name":"PAGE_GUARD","features":[310]},{"name":"PAGE_NOACCESS","features":[310]},{"name":"PAGE_NOCACHE","features":[310]},{"name":"PAGE_PRIORITY_INFORMATION","features":[310]},{"name":"PAGE_READONLY","features":[310]},{"name":"PAGE_READWRITE","features":[310]},{"name":"PAGE_REVERT_TO_FILE_MAP","features":[310]},{"name":"PAGE_SHIFT","features":[310]},{"name":"PAGE_SIZE","features":[310]},{"name":"PAGE_TARGETS_INVALID","features":[310]},{"name":"PAGE_TARGETS_NO_UPDATE","features":[310]},{"name":"PAGE_WRITECOMBINE","features":[310]},{"name":"PAGE_WRITECOPY","features":[310]},{"name":"PALLOCATE_ADAPTER_CHANNEL","features":[309,312,310,308,311,313,314,315]},{"name":"PALLOCATE_ADAPTER_CHANNEL_EX","features":[309,312,310,308,311,313,314,315]},{"name":"PALLOCATE_COMMON_BUFFER","features":[309,312,310,308,311,313,314,315]},{"name":"PALLOCATE_COMMON_BUFFER_EX","features":[309,312,310,308,311,313,314,315]},{"name":"PALLOCATE_COMMON_BUFFER_VECTOR","features":[309,312,310,308,311,313,314,315]},{"name":"PALLOCATE_COMMON_BUFFER_WITH_BOUNDS","features":[309,312,310,308,311,313,314,315]},{"name":"PALLOCATE_DOMAIN_COMMON_BUFFER","features":[309,312,310,308,311,313,314,315]},{"name":"PALLOCATE_FUNCTION","features":[310]},{"name":"PALLOCATE_FUNCTION_EX","features":[310]},{"name":"PARBITER_HANDLER","features":[309,312,310,308,311,313,314,315]},{"name":"PARKING_TOPOLOGY_POLICY_DISABLED","features":[310]},{"name":"PARTITION_INFORMATION_CLASS","features":[310]},{"name":"PASSIVE_LEVEL","features":[310]},{"name":"PBOOT_DRIVER_CALLBACK_FUNCTION","features":[310]},{"name":"PBOUND_CALLBACK","features":[310]},{"name":"PBUILD_MDL_FROM_SCATTER_GATHER_LIST","features":[309,312,310,308,311,313,314,315]},{"name":"PBUILD_SCATTER_GATHER_LIST","features":[309,312,310,308,311,313,314,315]},{"name":"PBUILD_SCATTER_GATHER_LIST_EX","features":[309,312,310,308,311,313,314,315]},{"name":"PCALCULATE_SCATTER_GATHER_LIST_SIZE","features":[309,312,310,308,311,313,314,315]},{"name":"PCALLBACK_FUNCTION","features":[310]},{"name":"PCANCEL_ADAPTER_CHANNEL","features":[309,312,310,308,311,313,314,315]},{"name":"PCANCEL_MAPPED_TRANSFER","features":[309,312,310,308,311,313,314,315]},{"name":"PCCARD_DEVICE_PCI","features":[310]},{"name":"PCCARD_DUP_LEGACY_BASE","features":[310]},{"name":"PCCARD_MAP_ERROR","features":[310]},{"name":"PCCARD_MAP_ZERO","features":[310]},{"name":"PCCARD_NO_CONTROLLERS","features":[310]},{"name":"PCCARD_NO_LEGACY_BASE","features":[310]},{"name":"PCCARD_NO_PIC","features":[310]},{"name":"PCCARD_NO_TIMER","features":[310]},{"name":"PCCARD_SCAN_DISABLED","features":[310]},{"name":"PCIBUSDATA","features":[310]},{"name":"PCIBus","features":[310]},{"name":"PCIConfiguration","features":[310]},{"name":"PCIEXPRESS_ERROR_SECTION_GUID","features":[310]},{"name":"PCIE_CORRECTABLE_ERROR_SUMMARY_SECTION_GUID","features":[310]},{"name":"PCIXBUS_ERROR_SECTION_GUID","features":[310]},{"name":"PCIXBUS_ERRTYPE_ADDRESSPARITY","features":[310]},{"name":"PCIXBUS_ERRTYPE_BUSTIMEOUT","features":[310]},{"name":"PCIXBUS_ERRTYPE_COMMANDPARITY","features":[310]},{"name":"PCIXBUS_ERRTYPE_DATAPARITY","features":[310]},{"name":"PCIXBUS_ERRTYPE_MASTERABORT","features":[310]},{"name":"PCIXBUS_ERRTYPE_MASTERDATAPARITY","features":[310]},{"name":"PCIXBUS_ERRTYPE_SYSTEM","features":[310]},{"name":"PCIXBUS_ERRTYPE_UNKNOWN","features":[310]},{"name":"PCIXDEVICE_ERROR_SECTION_GUID","features":[310]},{"name":"PCIX_BRIDGE_CAPABILITY","features":[310]},{"name":"PCIX_MODE1_100MHZ","features":[310]},{"name":"PCIX_MODE1_133MHZ","features":[310]},{"name":"PCIX_MODE1_66MHZ","features":[310]},{"name":"PCIX_MODE2_266_100MHZ","features":[310]},{"name":"PCIX_MODE2_266_133MHZ","features":[310]},{"name":"PCIX_MODE2_266_66MHZ","features":[310]},{"name":"PCIX_MODE2_533_100MHZ","features":[310]},{"name":"PCIX_MODE2_533_133MHZ","features":[310]},{"name":"PCIX_MODE2_533_66MHZ","features":[310]},{"name":"PCIX_MODE_CONVENTIONAL_PCI","features":[310]},{"name":"PCIX_VERSION_DUAL_MODE_ECC","features":[310]},{"name":"PCIX_VERSION_MODE1_ONLY","features":[310]},{"name":"PCIX_VERSION_MODE2_ECC","features":[310]},{"name":"PCI_ACS_ALLOWED","features":[310]},{"name":"PCI_ACS_BIT","features":[310]},{"name":"PCI_ACS_BLOCKED","features":[310]},{"name":"PCI_ACS_REDIRECTED","features":[310]},{"name":"PCI_ADDRESS_IO_ADDRESS_MASK","features":[310]},{"name":"PCI_ADDRESS_IO_SPACE","features":[310]},{"name":"PCI_ADDRESS_MEMORY_ADDRESS_MASK","features":[310]},{"name":"PCI_ADDRESS_MEMORY_PREFETCHABLE","features":[310]},{"name":"PCI_ADDRESS_MEMORY_TYPE_MASK","features":[310]},{"name":"PCI_ADDRESS_ROM_ADDRESS_MASK","features":[310]},{"name":"PCI_ADVANCED_FEATURES_CAPABILITY","features":[310]},{"name":"PCI_AGP_APERTURE_PAGE_SIZE","features":[310]},{"name":"PCI_AGP_CAPABILITY","features":[310]},{"name":"PCI_AGP_CONTROL","features":[310]},{"name":"PCI_AGP_EXTENDED_CAPABILITY","features":[310]},{"name":"PCI_AGP_ISOCH_COMMAND","features":[310]},{"name":"PCI_AGP_ISOCH_STATUS","features":[310]},{"name":"PCI_AGP_RATE_1X","features":[310]},{"name":"PCI_AGP_RATE_2X","features":[310]},{"name":"PCI_AGP_RATE_4X","features":[310]},{"name":"PCI_ATS_INTERFACE","features":[310,308]},{"name":"PCI_ATS_INTERFACE_VERSION","features":[310]},{"name":"PCI_BRIDGE_TYPE","features":[310]},{"name":"PCI_BUS_INTERFACE_STANDARD","features":[310]},{"name":"PCI_BUS_INTERFACE_STANDARD_VERSION","features":[310]},{"name":"PCI_BUS_WIDTH","features":[310]},{"name":"PCI_CAPABILITIES_HEADER","features":[310]},{"name":"PCI_CAPABILITY_ID_ADVANCED_FEATURES","features":[310]},{"name":"PCI_CAPABILITY_ID_AGP","features":[310]},{"name":"PCI_CAPABILITY_ID_AGP_TARGET","features":[310]},{"name":"PCI_CAPABILITY_ID_CPCI_HOTSWAP","features":[310]},{"name":"PCI_CAPABILITY_ID_CPCI_RES_CTRL","features":[310]},{"name":"PCI_CAPABILITY_ID_DEBUG_PORT","features":[310]},{"name":"PCI_CAPABILITY_ID_FPB","features":[310]},{"name":"PCI_CAPABILITY_ID_HYPERTRANSPORT","features":[310]},{"name":"PCI_CAPABILITY_ID_MSI","features":[310]},{"name":"PCI_CAPABILITY_ID_MSIX","features":[310]},{"name":"PCI_CAPABILITY_ID_P2P_SSID","features":[310]},{"name":"PCI_CAPABILITY_ID_PCIX","features":[310]},{"name":"PCI_CAPABILITY_ID_PCI_EXPRESS","features":[310]},{"name":"PCI_CAPABILITY_ID_POWER_MANAGEMENT","features":[310]},{"name":"PCI_CAPABILITY_ID_SATA_CONFIG","features":[310]},{"name":"PCI_CAPABILITY_ID_SECURE","features":[310]},{"name":"PCI_CAPABILITY_ID_SHPC","features":[310]},{"name":"PCI_CAPABILITY_ID_SLOT_ID","features":[310]},{"name":"PCI_CAPABILITY_ID_VENDOR_SPECIFIC","features":[310]},{"name":"PCI_CAPABILITY_ID_VPD","features":[310]},{"name":"PCI_CARDBUS_BRIDGE_TYPE","features":[310]},{"name":"PCI_CLASS_BASE_SYSTEM_DEV","features":[310]},{"name":"PCI_CLASS_BRIDGE_DEV","features":[310]},{"name":"PCI_CLASS_DATA_ACQ_SIGNAL_PROC","features":[310]},{"name":"PCI_CLASS_DISPLAY_CTLR","features":[310]},{"name":"PCI_CLASS_DOCKING_STATION","features":[310]},{"name":"PCI_CLASS_ENCRYPTION_DECRYPTION","features":[310]},{"name":"PCI_CLASS_INPUT_DEV","features":[310]},{"name":"PCI_CLASS_INTELLIGENT_IO_CTLR","features":[310]},{"name":"PCI_CLASS_MASS_STORAGE_CTLR","features":[310]},{"name":"PCI_CLASS_MEMORY_CTLR","features":[310]},{"name":"PCI_CLASS_MULTIMEDIA_DEV","features":[310]},{"name":"PCI_CLASS_NETWORK_CTLR","features":[310]},{"name":"PCI_CLASS_NOT_DEFINED","features":[310]},{"name":"PCI_CLASS_PRE_20","features":[310]},{"name":"PCI_CLASS_PROCESSOR","features":[310]},{"name":"PCI_CLASS_SATELLITE_COMMS_CTLR","features":[310]},{"name":"PCI_CLASS_SERIAL_BUS_CTLR","features":[310]},{"name":"PCI_CLASS_SIMPLE_COMMS_CTLR","features":[310]},{"name":"PCI_CLASS_WIRELESS_CTLR","features":[310]},{"name":"PCI_COMMON_CONFIG","features":[310]},{"name":"PCI_COMMON_HEADER","features":[310]},{"name":"PCI_DATA_VERSION","features":[310]},{"name":"PCI_DEBUGGING_DEVICE_IN_USE","features":[310]},{"name":"PCI_DEVICE_D3COLD_STATE_REASON","features":[310]},{"name":"PCI_DEVICE_PRESENCE_PARAMETERS","features":[310]},{"name":"PCI_DEVICE_PRESENT_INTERFACE","features":[310,308]},{"name":"PCI_DEVICE_PRESENT_INTERFACE_VERSION","features":[310]},{"name":"PCI_DEVICE_TYPE","features":[310]},{"name":"PCI_DISABLE_LEVEL_INTERRUPT","features":[310]},{"name":"PCI_ENABLE_BUS_MASTER","features":[310]},{"name":"PCI_ENABLE_FAST_BACK_TO_BACK","features":[310]},{"name":"PCI_ENABLE_IO_SPACE","features":[310]},{"name":"PCI_ENABLE_MEMORY_SPACE","features":[310]},{"name":"PCI_ENABLE_PARITY","features":[310]},{"name":"PCI_ENABLE_SERR","features":[310]},{"name":"PCI_ENABLE_SPECIAL_CYCLES","features":[310]},{"name":"PCI_ENABLE_VGA_COMPATIBLE_PALETTE","features":[310]},{"name":"PCI_ENABLE_WAIT_CYCLE","features":[310]},{"name":"PCI_ENABLE_WRITE_AND_INVALIDATE","features":[310]},{"name":"PCI_ERROR_HANDLER_CALLBACK","features":[310]},{"name":"PCI_EXPRESS_ACCESS_CONTROL_SERVICES_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_ACS_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_ACS_CAPABILITY_REGISTER","features":[310]},{"name":"PCI_EXPRESS_ACS_CONTROL","features":[310]},{"name":"PCI_EXPRESS_ADVANCED_ERROR_REPORTING_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_AER_CAPABILITIES","features":[310]},{"name":"PCI_EXPRESS_AER_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_ARI_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_ARI_CAPABILITY_REGISTER","features":[310]},{"name":"PCI_EXPRESS_ARI_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_ARI_CONTROL_REGISTER","features":[310]},{"name":"PCI_EXPRESS_ASPM_CONTROL","features":[310]},{"name":"PCI_EXPRESS_ASPM_SUPPORT","features":[310]},{"name":"PCI_EXPRESS_ATS_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_ATS_CAPABILITY_REGISTER","features":[310]},{"name":"PCI_EXPRESS_ATS_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_ATS_CONTROL_REGISTER","features":[310]},{"name":"PCI_EXPRESS_BRIDGE_AER_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_CAPABILITIES_REGISTER","features":[310]},{"name":"PCI_EXPRESS_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_CARD_PRESENCE","features":[310]},{"name":"PCI_EXPRESS_CONFIGURATION_ACCESS_CORRELATION_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_CORRECTABLE_ERROR_MASK","features":[310]},{"name":"PCI_EXPRESS_CORRECTABLE_ERROR_STATUS","features":[310]},{"name":"PCI_EXPRESS_CXL_DVSEC_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_CXL_DVSEC_CAPABILITY_REGISTER_V11","features":[310]},{"name":"PCI_EXPRESS_CXL_DVSEC_CAPABILITY_V11","features":[310]},{"name":"PCI_EXPRESS_CXL_DVSEC_CONTROL_REGISTER","features":[310]},{"name":"PCI_EXPRESS_CXL_DVSEC_LOCK_REGISTER","features":[310]},{"name":"PCI_EXPRESS_CXL_DVSEC_RANGE_BASE_HIGH_REGISTER","features":[310]},{"name":"PCI_EXPRESS_CXL_DVSEC_RANGE_BASE_LOW_REGISTER","features":[310]},{"name":"PCI_EXPRESS_CXL_DVSEC_RANGE_SIZE_HIGH_REGISTER","features":[310]},{"name":"PCI_EXPRESS_CXL_DVSEC_RANGE_SIZE_LOW_REGISTER_V11","features":[310]},{"name":"PCI_EXPRESS_CXL_DVSEC_STATUS_REGISTER","features":[310]},{"name":"PCI_EXPRESS_DESIGNATED_VENDOR_SPECIFIC_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_DESIGNATED_VENDOR_SPECIFIC_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_DESIGNATED_VENDOR_SPECIFIC_HEADER_1","features":[310]},{"name":"PCI_EXPRESS_DESIGNATED_VENDOR_SPECIFIC_HEADER_2","features":[310]},{"name":"PCI_EXPRESS_DEVICE_CAPABILITIES_2_REGISTER","features":[310]},{"name":"PCI_EXPRESS_DEVICE_CAPABILITIES_REGISTER","features":[310]},{"name":"PCI_EXPRESS_DEVICE_CONTROL_2_REGISTER","features":[310]},{"name":"PCI_EXPRESS_DEVICE_CONTROL_REGISTER","features":[310]},{"name":"PCI_EXPRESS_DEVICE_SERIAL_NUMBER_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_DEVICE_STATUS_2_REGISTER","features":[310]},{"name":"PCI_EXPRESS_DEVICE_STATUS_REGISTER","features":[310]},{"name":"PCI_EXPRESS_DEVICE_TYPE","features":[310]},{"name":"PCI_EXPRESS_DPA_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_DPC_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_DPC_CAPS_REGISTER","features":[310]},{"name":"PCI_EXPRESS_DPC_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_DPC_CONTROL_REGISTER","features":[310]},{"name":"PCI_EXPRESS_DPC_ERROR_SOURCE_ID","features":[310]},{"name":"PCI_EXPRESS_DPC_RP_PIO_EXCEPTION_REGISTER","features":[310]},{"name":"PCI_EXPRESS_DPC_RP_PIO_HEADERLOG_REGISTER","features":[310]},{"name":"PCI_EXPRESS_DPC_RP_PIO_IMPSPECLOG_REGISTER","features":[310]},{"name":"PCI_EXPRESS_DPC_RP_PIO_MASK_REGISTER","features":[310]},{"name":"PCI_EXPRESS_DPC_RP_PIO_SEVERITY_REGISTER","features":[310]},{"name":"PCI_EXPRESS_DPC_RP_PIO_STATUS_REGISTER","features":[310]},{"name":"PCI_EXPRESS_DPC_RP_PIO_SYSERR_REGISTER","features":[310]},{"name":"PCI_EXPRESS_DPC_RP_PIO_TLPPREFIXLOG_REGISTER","features":[310]},{"name":"PCI_EXPRESS_DPC_STATUS_REGISTER","features":[310]},{"name":"PCI_EXPRESS_ENHANCED_CAPABILITY_HEADER","features":[310]},{"name":"PCI_EXPRESS_ENTER_LINK_QUIESCENT_MODE","features":[310,308]},{"name":"PCI_EXPRESS_ERROR_SOURCE_ID","features":[310]},{"name":"PCI_EXPRESS_EVENT_COLLECTOR_ENDPOINT_ASSOCIATION_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_EXIT_LINK_QUIESCENT_MODE","features":[310,308]},{"name":"PCI_EXPRESS_FRS_QUEUEING_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_INDICATOR_STATE","features":[310]},{"name":"PCI_EXPRESS_L0s_EXIT_LATENCY","features":[310]},{"name":"PCI_EXPRESS_L1_EXIT_LATENCY","features":[310]},{"name":"PCI_EXPRESS_L1_PM_SS_CAPABILITIES_REGISTER","features":[310]},{"name":"PCI_EXPRESS_L1_PM_SS_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_L1_PM_SS_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_L1_PM_SS_CONTROL_1_REGISTER","features":[310]},{"name":"PCI_EXPRESS_L1_PM_SS_CONTROL_2_REGISTER","features":[310]},{"name":"PCI_EXPRESS_LANE_ERROR_STATUS","features":[310]},{"name":"PCI_EXPRESS_LINK_CAPABILITIES_2_REGISTER","features":[310]},{"name":"PCI_EXPRESS_LINK_CAPABILITIES_REGISTER","features":[310]},{"name":"PCI_EXPRESS_LINK_CONTROL3","features":[310]},{"name":"PCI_EXPRESS_LINK_CONTROL_2_REGISTER","features":[310]},{"name":"PCI_EXPRESS_LINK_CONTROL_REGISTER","features":[310]},{"name":"PCI_EXPRESS_LINK_QUIESCENT_INTERFACE","features":[310,308]},{"name":"PCI_EXPRESS_LINK_QUIESCENT_INTERFACE_VERSION","features":[310]},{"name":"PCI_EXPRESS_LINK_STATUS_2_REGISTER","features":[310]},{"name":"PCI_EXPRESS_LINK_STATUS_REGISTER","features":[310]},{"name":"PCI_EXPRESS_LINK_SUBSTATE","features":[310]},{"name":"PCI_EXPRESS_LN_REQUESTER_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_LTR_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_LTR_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_LTR_MAX_LATENCY_REGISTER","features":[310]},{"name":"PCI_EXPRESS_MAX_PAYLOAD_SIZE","features":[310]},{"name":"PCI_EXPRESS_MFVC_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_MPCIE_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_MRL_STATE","features":[310]},{"name":"PCI_EXPRESS_MULTICAST_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_MULTI_ROOT_IO_VIRTUALIZATION_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_NPEM_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_NPEM_CAPABILITY_REGISTER","features":[310]},{"name":"PCI_EXPRESS_NPEM_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_NPEM_CONTROL_REGISTER","features":[310]},{"name":"PCI_EXPRESS_NPEM_STATUS_REGISTER","features":[310]},{"name":"PCI_EXPRESS_PAGE_REQUEST_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_PASID_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_PASID_CAPABILITY_REGISTER","features":[310]},{"name":"PCI_EXPRESS_PASID_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_PASID_CONTROL_REGISTER","features":[310]},{"name":"PCI_EXPRESS_PME_REQUESTOR_ID","features":[310]},{"name":"PCI_EXPRESS_PMUX_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_POWER_BUDGETING_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_POWER_STATE","features":[310]},{"name":"PCI_EXPRESS_PRI_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_PRI_CONTROL_REGISTER","features":[310]},{"name":"PCI_EXPRESS_PRI_STATUS_REGISTER","features":[310]},{"name":"PCI_EXPRESS_PTM_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_PTM_CAPABILITY_REGISTER","features":[310]},{"name":"PCI_EXPRESS_PTM_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_PTM_CONTROL_REGISTER","features":[310]},{"name":"PCI_EXPRESS_RCB","features":[310]},{"name":"PCI_EXPRESS_RCRB_HEADER_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_RC_EVENT_COLLECTOR_ENDPOINT_ASSOCIATION_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_RC_INTERNAL_LINK_CONTROL_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_RC_LINK_DECLARATION_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_READINESS_TIME_REPORTING_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_RESERVED_FOR_AMD_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_RESIZABLE_BAR_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_RESIZABLE_BAR_CAPABILITY_REGISTER","features":[310]},{"name":"PCI_EXPRESS_RESIZABLE_BAR_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_RESIZABLE_BAR_CONTROL_REGISTER","features":[310]},{"name":"PCI_EXPRESS_RESIZABLE_BAR_ENTRY","features":[310]},{"name":"PCI_EXPRESS_ROOTPORT_AER_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_ROOT_CAPABILITIES_REGISTER","features":[310]},{"name":"PCI_EXPRESS_ROOT_CONTROL_REGISTER","features":[310]},{"name":"PCI_EXPRESS_ROOT_ERROR_COMMAND","features":[310]},{"name":"PCI_EXPRESS_ROOT_ERROR_STATUS","features":[310]},{"name":"PCI_EXPRESS_ROOT_PORT_INTERFACE","features":[310]},{"name":"PCI_EXPRESS_ROOT_PORT_INTERFACE_VERSION","features":[310]},{"name":"PCI_EXPRESS_ROOT_STATUS_REGISTER","features":[310]},{"name":"PCI_EXPRESS_SECONDARY_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_SECONDARY_PCI_EXPRESS_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_SEC_AER_CAPABILITIES","features":[310]},{"name":"PCI_EXPRESS_SEC_UNCORRECTABLE_ERROR_MASK","features":[310]},{"name":"PCI_EXPRESS_SEC_UNCORRECTABLE_ERROR_SEVERITY","features":[310]},{"name":"PCI_EXPRESS_SEC_UNCORRECTABLE_ERROR_STATUS","features":[310]},{"name":"PCI_EXPRESS_SERIAL_NUMBER_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_SINGLE_ROOT_IO_VIRTUALIZATION_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_SLOT_CAPABILITIES_REGISTER","features":[310]},{"name":"PCI_EXPRESS_SLOT_CONTROL_REGISTER","features":[310]},{"name":"PCI_EXPRESS_SLOT_STATUS_REGISTER","features":[310]},{"name":"PCI_EXPRESS_SRIOV_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_SRIOV_CAPS","features":[310]},{"name":"PCI_EXPRESS_SRIOV_CONTROL","features":[310]},{"name":"PCI_EXPRESS_SRIOV_MIGRATION_STATE_ARRAY","features":[310]},{"name":"PCI_EXPRESS_SRIOV_STATUS","features":[310]},{"name":"PCI_EXPRESS_TPH_REQUESTER_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_TPH_REQUESTER_CAPABILITY_REGISTER","features":[310]},{"name":"PCI_EXPRESS_TPH_REQUESTER_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_TPH_REQUESTER_CONTROL_REGISTER","features":[310]},{"name":"PCI_EXPRESS_TPH_ST_LOCATION_MSIX_TABLE","features":[310]},{"name":"PCI_EXPRESS_TPH_ST_LOCATION_NONE","features":[310]},{"name":"PCI_EXPRESS_TPH_ST_LOCATION_RESERVED","features":[310]},{"name":"PCI_EXPRESS_TPH_ST_LOCATION_TPH_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_TPH_ST_TABLE_ENTRY","features":[310]},{"name":"PCI_EXPRESS_UNCORRECTABLE_ERROR_MASK","features":[310]},{"name":"PCI_EXPRESS_UNCORRECTABLE_ERROR_SEVERITY","features":[310]},{"name":"PCI_EXPRESS_UNCORRECTABLE_ERROR_STATUS","features":[310]},{"name":"PCI_EXPRESS_VC_AND_MFVC_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_VENDOR_SPECIFIC_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_VENDOR_SPECIFIC_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_VIRTUAL_CHANNEL_CAPABILITY","features":[310]},{"name":"PCI_EXPRESS_VIRTUAL_CHANNEL_CAP_ID","features":[310]},{"name":"PCI_EXPRESS_WAKE_CONTROL","features":[310,308]},{"name":"PCI_EXTENDED_CONFIG_LENGTH","features":[310]},{"name":"PCI_FIRMWARE_BUS_CAPS","features":[310]},{"name":"PCI_FIRMWARE_BUS_CAPS_RETURN_BUFFER","features":[310]},{"name":"PCI_FPB_CAPABILITIES_REGISTER","features":[310]},{"name":"PCI_FPB_CAPABILITY","features":[310]},{"name":"PCI_FPB_CAPABILITY_HEADER","features":[310]},{"name":"PCI_FPB_MEM_HIGH_VECTOR_CONTROL1_REGISTER","features":[310]},{"name":"PCI_FPB_MEM_HIGH_VECTOR_CONTROL2_REGISTER","features":[310]},{"name":"PCI_FPB_MEM_LOW_VECTOR_CONTROL_REGISTER","features":[310]},{"name":"PCI_FPB_RID_VECTOR_CONTROL1_REGISTER","features":[310]},{"name":"PCI_FPB_RID_VECTOR_CONTROL2_REGISTER","features":[310]},{"name":"PCI_FPB_VECTOR_ACCESS_CONTROL_REGISTER","features":[310]},{"name":"PCI_FPB_VECTOR_ACCESS_DATA_REGISTER","features":[310]},{"name":"PCI_HARDWARE_INTERFACE","features":[310]},{"name":"PCI_INVALID_ALTERNATE_FUNCTION_NUMBER","features":[310]},{"name":"PCI_INVALID_VENDORID","features":[310]},{"name":"PCI_IS_DEVICE_PRESENT","features":[310,308]},{"name":"PCI_IS_DEVICE_PRESENT_EX","features":[310,308]},{"name":"PCI_LINE_TO_PIN","features":[310]},{"name":"PCI_MAX_BRIDGE_NUMBER","features":[310]},{"name":"PCI_MAX_DEVICES","features":[310]},{"name":"PCI_MAX_FUNCTION","features":[310]},{"name":"PCI_MAX_SEGMENT_NUMBER","features":[310]},{"name":"PCI_MSIX_GET_ENTRY","features":[310,308]},{"name":"PCI_MSIX_GET_TABLE_SIZE","features":[310,308]},{"name":"PCI_MSIX_MASKUNMASK_ENTRY","features":[310,308]},{"name":"PCI_MSIX_SET_ENTRY","features":[310,308]},{"name":"PCI_MSIX_TABLE_CONFIG_INTERFACE","features":[310,308]},{"name":"PCI_MSIX_TABLE_CONFIG_INTERFACE_VERSION","features":[310]},{"name":"PCI_MULTIFUNCTION","features":[310]},{"name":"PCI_PIN_TO_LINE","features":[310]},{"name":"PCI_PMC","features":[310]},{"name":"PCI_PMCSR","features":[310]},{"name":"PCI_PMCSR_BSE","features":[310]},{"name":"PCI_PM_CAPABILITY","features":[310]},{"name":"PCI_PREPARE_MULTISTAGE_RESUME","features":[310]},{"name":"PCI_PROGRAMMING_INTERFACE_MSC_NVM_EXPRESS","features":[310]},{"name":"PCI_PTM_TIME_SOURCE_AUX","features":[310]},{"name":"PCI_READ_WRITE_CONFIG","features":[310]},{"name":"PCI_RECOVERY_SECTION_GUID","features":[310]},{"name":"PCI_ROMADDRESS_ENABLED","features":[310]},{"name":"PCI_ROOT_BUS_CAPABILITY","features":[310,308]},{"name":"PCI_ROOT_BUS_HARDWARE_CAPABILITY","features":[310,308]},{"name":"PCI_ROOT_BUS_OSC_CONTROL_FIELD","features":[310]},{"name":"PCI_ROOT_BUS_OSC_METHOD_CAPABILITY_REVISION","features":[310]},{"name":"PCI_ROOT_BUS_OSC_SUPPORT_FIELD","features":[310]},{"name":"PCI_SECURITY_DIRECT_TRANSLATED_P2P","features":[310]},{"name":"PCI_SECURITY_ENHANCED","features":[310]},{"name":"PCI_SECURITY_FULLY_SUPPORTED","features":[310]},{"name":"PCI_SECURITY_GUEST_ASSIGNED","features":[310]},{"name":"PCI_SECURITY_INTERFACE","features":[310,308]},{"name":"PCI_SECURITY_INTERFACE2","features":[310,308]},{"name":"PCI_SECURITY_INTERFACE_VERSION","features":[310]},{"name":"PCI_SECURITY_INTERFACE_VERSION2","features":[310]},{"name":"PCI_SECURITY_SRIOV_DIRECT_TRANSLATED_P2P","features":[310]},{"name":"PCI_SEGMENT_BUS_NUMBER","features":[310]},{"name":"PCI_SET_ACS","features":[310,308]},{"name":"PCI_SET_ACS2","features":[310,308]},{"name":"PCI_SET_ATS","features":[310,308]},{"name":"PCI_SLOT_NUMBER","features":[310]},{"name":"PCI_STATUS_66MHZ_CAPABLE","features":[310]},{"name":"PCI_STATUS_CAPABILITIES_LIST","features":[310]},{"name":"PCI_STATUS_DATA_PARITY_DETECTED","features":[310]},{"name":"PCI_STATUS_DETECTED_PARITY_ERROR","features":[310]},{"name":"PCI_STATUS_DEVSEL","features":[310]},{"name":"PCI_STATUS_FAST_BACK_TO_BACK","features":[310]},{"name":"PCI_STATUS_IMMEDIATE_READINESS","features":[310]},{"name":"PCI_STATUS_INTERRUPT_PENDING","features":[310]},{"name":"PCI_STATUS_RECEIVED_MASTER_ABORT","features":[310]},{"name":"PCI_STATUS_RECEIVED_TARGET_ABORT","features":[310]},{"name":"PCI_STATUS_SIGNALED_SYSTEM_ERROR","features":[310]},{"name":"PCI_STATUS_SIGNALED_TARGET_ABORT","features":[310]},{"name":"PCI_STATUS_UDF_SUPPORTED","features":[310]},{"name":"PCI_SUBCLASS_BR_CARDBUS","features":[310]},{"name":"PCI_SUBCLASS_BR_EISA","features":[310]},{"name":"PCI_SUBCLASS_BR_HOST","features":[310]},{"name":"PCI_SUBCLASS_BR_ISA","features":[310]},{"name":"PCI_SUBCLASS_BR_MCA","features":[310]},{"name":"PCI_SUBCLASS_BR_NUBUS","features":[310]},{"name":"PCI_SUBCLASS_BR_OTHER","features":[310]},{"name":"PCI_SUBCLASS_BR_PCI_TO_PCI","features":[310]},{"name":"PCI_SUBCLASS_BR_PCMCIA","features":[310]},{"name":"PCI_SUBCLASS_BR_RACEWAY","features":[310]},{"name":"PCI_SUBCLASS_COM_MODEM","features":[310]},{"name":"PCI_SUBCLASS_COM_MULTIPORT","features":[310]},{"name":"PCI_SUBCLASS_COM_OTHER","features":[310]},{"name":"PCI_SUBCLASS_COM_PARALLEL","features":[310]},{"name":"PCI_SUBCLASS_COM_SERIAL","features":[310]},{"name":"PCI_SUBCLASS_CRYPTO_ENTERTAINMENT","features":[310]},{"name":"PCI_SUBCLASS_CRYPTO_NET_COMP","features":[310]},{"name":"PCI_SUBCLASS_CRYPTO_OTHER","features":[310]},{"name":"PCI_SUBCLASS_DASP_DPIO","features":[310]},{"name":"PCI_SUBCLASS_DASP_OTHER","features":[310]},{"name":"PCI_SUBCLASS_DOC_GENERIC","features":[310]},{"name":"PCI_SUBCLASS_DOC_OTHER","features":[310]},{"name":"PCI_SUBCLASS_INP_DIGITIZER","features":[310]},{"name":"PCI_SUBCLASS_INP_GAMEPORT","features":[310]},{"name":"PCI_SUBCLASS_INP_KEYBOARD","features":[310]},{"name":"PCI_SUBCLASS_INP_MOUSE","features":[310]},{"name":"PCI_SUBCLASS_INP_OTHER","features":[310]},{"name":"PCI_SUBCLASS_INP_SCANNER","features":[310]},{"name":"PCI_SUBCLASS_INTIO_I2O","features":[310]},{"name":"PCI_SUBCLASS_MEM_FLASH","features":[310]},{"name":"PCI_SUBCLASS_MEM_OTHER","features":[310]},{"name":"PCI_SUBCLASS_MEM_RAM","features":[310]},{"name":"PCI_SUBCLASS_MM_AUDIO_DEV","features":[310]},{"name":"PCI_SUBCLASS_MM_OTHER","features":[310]},{"name":"PCI_SUBCLASS_MM_TELEPHONY_DEV","features":[310]},{"name":"PCI_SUBCLASS_MM_VIDEO_DEV","features":[310]},{"name":"PCI_SUBCLASS_MSC_AHCI_CTLR","features":[310]},{"name":"PCI_SUBCLASS_MSC_FLOPPY_CTLR","features":[310]},{"name":"PCI_SUBCLASS_MSC_IDE_CTLR","features":[310]},{"name":"PCI_SUBCLASS_MSC_IPI_CTLR","features":[310]},{"name":"PCI_SUBCLASS_MSC_NVM_CTLR","features":[310]},{"name":"PCI_SUBCLASS_MSC_OTHER","features":[310]},{"name":"PCI_SUBCLASS_MSC_RAID_CTLR","features":[310]},{"name":"PCI_SUBCLASS_MSC_SCSI_BUS_CTLR","features":[310]},{"name":"PCI_SUBCLASS_NET_ATM_CTLR","features":[310]},{"name":"PCI_SUBCLASS_NET_ETHERNET_CTLR","features":[310]},{"name":"PCI_SUBCLASS_NET_FDDI_CTLR","features":[310]},{"name":"PCI_SUBCLASS_NET_ISDN_CTLR","features":[310]},{"name":"PCI_SUBCLASS_NET_OTHER","features":[310]},{"name":"PCI_SUBCLASS_NET_TOKEN_RING_CTLR","features":[310]},{"name":"PCI_SUBCLASS_PRE_20_NON_VGA","features":[310]},{"name":"PCI_SUBCLASS_PRE_20_VGA","features":[310]},{"name":"PCI_SUBCLASS_PROC_386","features":[310]},{"name":"PCI_SUBCLASS_PROC_486","features":[310]},{"name":"PCI_SUBCLASS_PROC_ALPHA","features":[310]},{"name":"PCI_SUBCLASS_PROC_COPROCESSOR","features":[310]},{"name":"PCI_SUBCLASS_PROC_PENTIUM","features":[310]},{"name":"PCI_SUBCLASS_PROC_POWERPC","features":[310]},{"name":"PCI_SUBCLASS_SAT_AUDIO","features":[310]},{"name":"PCI_SUBCLASS_SAT_DATA","features":[310]},{"name":"PCI_SUBCLASS_SAT_TV","features":[310]},{"name":"PCI_SUBCLASS_SAT_VOICE","features":[310]},{"name":"PCI_SUBCLASS_SB_ACCESS","features":[310]},{"name":"PCI_SUBCLASS_SB_FIBRE_CHANNEL","features":[310]},{"name":"PCI_SUBCLASS_SB_IEEE1394","features":[310]},{"name":"PCI_SUBCLASS_SB_SMBUS","features":[310]},{"name":"PCI_SUBCLASS_SB_SSA","features":[310]},{"name":"PCI_SUBCLASS_SB_THUNDERBOLT","features":[310]},{"name":"PCI_SUBCLASS_SB_USB","features":[310]},{"name":"PCI_SUBCLASS_SYS_DMA_CTLR","features":[310]},{"name":"PCI_SUBCLASS_SYS_GEN_HOTPLUG_CTLR","features":[310]},{"name":"PCI_SUBCLASS_SYS_INTERRUPT_CTLR","features":[310]},{"name":"PCI_SUBCLASS_SYS_OTHER","features":[310]},{"name":"PCI_SUBCLASS_SYS_RCEC","features":[310]},{"name":"PCI_SUBCLASS_SYS_REAL_TIME_CLOCK","features":[310]},{"name":"PCI_SUBCLASS_SYS_SDIO_CTRL","features":[310]},{"name":"PCI_SUBCLASS_SYS_SYSTEM_TIMER","features":[310]},{"name":"PCI_SUBCLASS_VID_OTHER","features":[310]},{"name":"PCI_SUBCLASS_VID_VGA_CTLR","features":[310]},{"name":"PCI_SUBCLASS_VID_XGA_CTLR","features":[310]},{"name":"PCI_SUBCLASS_WIRELESS_CON_IR","features":[310]},{"name":"PCI_SUBCLASS_WIRELESS_IRDA","features":[310]},{"name":"PCI_SUBCLASS_WIRELESS_OTHER","features":[310]},{"name":"PCI_SUBCLASS_WIRELESS_RF","features":[310]},{"name":"PCI_SUBLCASS_VID_3D_CTLR","features":[310]},{"name":"PCI_SUBSYSTEM_IDS_CAPABILITY","features":[310]},{"name":"PCI_TYPE0_ADDRESSES","features":[310]},{"name":"PCI_TYPE1_ADDRESSES","features":[310]},{"name":"PCI_TYPE2_ADDRESSES","features":[310]},{"name":"PCI_TYPE_20BIT","features":[310]},{"name":"PCI_TYPE_32BIT","features":[310]},{"name":"PCI_TYPE_64BIT","features":[310]},{"name":"PCI_USE_CLASS_SUBCLASS","features":[310]},{"name":"PCI_USE_LOCAL_BUS","features":[310]},{"name":"PCI_USE_LOCAL_DEVICE","features":[310]},{"name":"PCI_USE_PROGIF","features":[310]},{"name":"PCI_USE_REVISION","features":[310]},{"name":"PCI_USE_SUBSYSTEM_IDS","features":[310]},{"name":"PCI_USE_VENDEV_IDS","features":[310]},{"name":"PCI_VENDOR_SPECIFIC_CAPABILITY","features":[310]},{"name":"PCI_VIRTUALIZATION_INTERFACE","features":[310,308]},{"name":"PCI_WHICHSPACE_CONFIG","features":[310]},{"name":"PCI_WHICHSPACE_ROM","features":[310]},{"name":"PCI_X_CAPABILITY","features":[310]},{"name":"PCIe_NOTIFY_TYPE_GUID","features":[310]},{"name":"PCLFS_CLIENT_ADVANCE_TAIL_CALLBACK","features":[309,312,310,308,311,327,313,314,315]},{"name":"PCLFS_CLIENT_LFF_HANDLER_COMPLETE_CALLBACK","features":[309,312,310,308,311,313,314,315]},{"name":"PCLFS_CLIENT_LOG_UNPINNED_CALLBACK","features":[309,312,310,308,311,313,314,315]},{"name":"PCLFS_SET_LOG_SIZE_COMPLETE_CALLBACK","features":[309,312,310,308,311,313,314,315]},{"name":"PCMCIABus","features":[310]},{"name":"PCMCIAConfiguration","features":[310]},{"name":"PCONFIGURE_ADAPTER_CHANNEL","features":[309,312,310,308,311,313,314,315]},{"name":"PCRASHDUMP_POWER_ON","features":[310,308]},{"name":"PCREATE_COMMON_BUFFER_FROM_MDL","features":[309,312,310,308,311,313,314,315]},{"name":"PCREATE_PROCESS_NOTIFY_ROUTINE","features":[310,308]},{"name":"PCREATE_PROCESS_NOTIFY_ROUTINE_EX","features":[309,312,310,308,311,313,314,315,340]},{"name":"PCREATE_THREAD_NOTIFY_ROUTINE","features":[310,308]},{"name":"PCR_BTI_MITIGATION_CSWAP_HVC","features":[310]},{"name":"PCR_BTI_MITIGATION_CSWAP_SMC","features":[310]},{"name":"PCR_BTI_MITIGATION_NONE","features":[310]},{"name":"PCR_BTI_MITIGATION_VBAR_MASK","features":[310]},{"name":"PCR_MAJOR_VERSION","features":[310]},{"name":"PCR_MINOR_VERSION","features":[310]},{"name":"PCW_CALLBACK","features":[309,310,308,314]},{"name":"PCW_CALLBACK_INFORMATION","features":[309,310,308,314]},{"name":"PCW_CALLBACK_TYPE","features":[310]},{"name":"PCW_COUNTER_DESCRIPTOR","features":[310]},{"name":"PCW_COUNTER_INFORMATION","features":[310,308]},{"name":"PCW_CURRENT_VERSION","features":[310]},{"name":"PCW_DATA","features":[310]},{"name":"PCW_MASK_INFORMATION","features":[309,310,308,314]},{"name":"PCW_REGISTRATION_FLAGS","features":[310]},{"name":"PCW_REGISTRATION_INFORMATION","features":[310,308]},{"name":"PCW_VERSION_1","features":[310]},{"name":"PCW_VERSION_2","features":[310]},{"name":"PD3COLD_REQUEST_AUX_POWER","features":[310,308]},{"name":"PD3COLD_REQUEST_CORE_POWER_RAIL","features":[310]},{"name":"PD3COLD_REQUEST_PERST_DELAY","features":[310,308]},{"name":"PDEBUG_DEVICE_FOUND_FUNCTION","features":[310,308]},{"name":"PDEBUG_PRINT_CALLBACK","features":[310,314]},{"name":"PDEVICE_BUS_SPECIFIC_RESET_HANDLER","features":[310,308]},{"name":"PDEVICE_CHANGE_COMPLETE_CALLBACK","features":[310]},{"name":"PDEVICE_NOTIFY_CALLBACK","features":[310]},{"name":"PDEVICE_NOTIFY_CALLBACK2","features":[310]},{"name":"PDEVICE_QUERY_BUS_SPECIFIC_RESET_HANDLER","features":[310,308]},{"name":"PDEVICE_RESET_COMPLETION","features":[310]},{"name":"PDEVICE_RESET_HANDLER","features":[310,308]},{"name":"PDE_BASE","features":[310]},{"name":"PDE_PER_PAGE","features":[310]},{"name":"PDE_TOP","features":[310]},{"name":"PDI_SHIFT","features":[310]},{"name":"PDMA_COMPLETION_ROUTINE","features":[310]},{"name":"PDRIVER_CMC_EXCEPTION_CALLBACK","features":[310]},{"name":"PDRIVER_CPE_EXCEPTION_CALLBACK","features":[310]},{"name":"PDRIVER_EXCPTN_CALLBACK","features":[310]},{"name":"PDRIVER_VERIFIER_THUNK_ROUTINE","features":[310]},{"name":"PEI_NOTIFY_TYPE_GUID","features":[310]},{"name":"PENABLE_VIRTUALIZATION","features":[310,308]},{"name":"PETWENABLECALLBACK","features":[310]},{"name":"PEXPAND_STACK_CALLOUT","features":[310]},{"name":"PEXT_CALLBACK","features":[310]},{"name":"PEXT_DELETE_CALLBACK","features":[310]},{"name":"PEX_CALLBACK_FUNCTION","features":[310,308]},{"name":"PFAControl","features":[310]},{"name":"PFLUSH_ADAPTER_BUFFERS","features":[309,312,310,308,311,313,314,315]},{"name":"PFLUSH_ADAPTER_BUFFERS_EX","features":[309,312,310,308,311,313,314,315]},{"name":"PFLUSH_DMA_BUFFER","features":[309,312,310,308,311,313,314,315]},{"name":"PFNFTH","features":[310,308]},{"name":"PFN_IN_USE_PAGE_OFFLINE_NOTIFY","features":[310,308]},{"name":"PFN_NT_COMMIT_TRANSACTION","features":[310,308]},{"name":"PFN_NT_CREATE_TRANSACTION","features":[309,310,308]},{"name":"PFN_NT_OPEN_TRANSACTION","features":[309,310,308]},{"name":"PFN_NT_QUERY_INFORMATION_TRANSACTION","features":[310,308,342]},{"name":"PFN_NT_ROLLBACK_TRANSACTION","features":[310,308]},{"name":"PFN_NT_SET_INFORMATION_TRANSACTION","features":[310,308,342]},{"name":"PFN_RTL_IS_NTDDI_VERSION_AVAILABLE","features":[310,308]},{"name":"PFN_RTL_IS_SERVICE_PACK_VERSION_INSTALLED","features":[310,308]},{"name":"PFN_WHEA_HIGH_IRQL_LOG_SEL_EVENT_HANDLER","features":[310,308,336]},{"name":"PFPGA_BUS_SCAN","features":[310]},{"name":"PFPGA_CONTROL_CONFIG_SPACE","features":[310,308]},{"name":"PFPGA_CONTROL_ERROR_REPORTING","features":[310,308]},{"name":"PFPGA_CONTROL_LINK","features":[310,308]},{"name":"PFREE_ADAPTER_CHANNEL","features":[309,312,310,308,311,313,314,315]},{"name":"PFREE_ADAPTER_OBJECT","features":[309,312,310,308,311,313,314,315]},{"name":"PFREE_COMMON_BUFFER","features":[309,312,310,308,311,313,314,315]},{"name":"PFREE_COMMON_BUFFER_FROM_VECTOR","features":[309,312,310,308,311,313,314,315]},{"name":"PFREE_COMMON_BUFFER_VECTOR","features":[309,312,310,308,311,313,314,315]},{"name":"PFREE_FUNCTION_EX","features":[310]},{"name":"PFREE_MAP_REGISTERS","features":[309,312,310,308,311,313,314,315]},{"name":"PGET_COMMON_BUFFER_FROM_VECTOR_BY_INDEX","features":[309,312,310,308,311,313,314,315]},{"name":"PGET_D3COLD_CAPABILITY","features":[310,308]},{"name":"PGET_D3COLD_LAST_TRANSITION_STATUS","features":[310]},{"name":"PGET_DEVICE_RESET_STATUS","features":[310,308]},{"name":"PGET_DMA_ADAPTER","features":[309,312,310,308,311,313,314,315]},{"name":"PGET_DMA_ADAPTER_INFO","features":[309,312,310,308,311,313,314,315]},{"name":"PGET_DMA_ALIGNMENT","features":[309,312,310,308,311,313,314,315]},{"name":"PGET_DMA_DOMAIN","features":[309,312,310,308,311,313,314,315]},{"name":"PGET_DMA_TRANSFER_INFO","features":[309,312,310,308,311,313,314,315]},{"name":"PGET_IDLE_WAKE_INFO","features":[310,308]},{"name":"PGET_LOCATION_STRING","features":[310,308]},{"name":"PGET_SCATTER_GATHER_LIST","features":[309,312,310,308,311,313,314,315]},{"name":"PGET_SCATTER_GATHER_LIST_EX","features":[309,312,310,308,311,313,314,315]},{"name":"PGET_SDEV_IDENTIFIER","features":[310]},{"name":"PGET_SET_DEVICE_DATA","features":[310]},{"name":"PGET_UPDATED_BUS_RESOURCE","features":[310,308]},{"name":"PGET_VIRTUAL_DEVICE_DATA","features":[310]},{"name":"PGET_VIRTUAL_DEVICE_LOCATION","features":[310,308]},{"name":"PGET_VIRTUAL_DEVICE_RESOURCES","features":[310]},{"name":"PGET_VIRTUAL_FUNCTION_PROBED_BARS","features":[310,308]},{"name":"PGPE_CLEAR_STATUS","features":[309,312,310,308,311,313,314,315]},{"name":"PGPE_CLEAR_STATUS2","features":[310,308]},{"name":"PGPE_CONNECT_VECTOR","features":[309,312,310,308,311,313,314,315]},{"name":"PGPE_CONNECT_VECTOR2","features":[310,308]},{"name":"PGPE_DISABLE_EVENT","features":[309,312,310,308,311,313,314,315]},{"name":"PGPE_DISABLE_EVENT2","features":[310,308]},{"name":"PGPE_DISCONNECT_VECTOR","features":[310,308]},{"name":"PGPE_DISCONNECT_VECTOR2","features":[310,308]},{"name":"PGPE_ENABLE_EVENT","features":[309,312,310,308,311,313,314,315]},{"name":"PGPE_ENABLE_EVENT2","features":[310,308]},{"name":"PGPE_SERVICE_ROUTINE","features":[310,308]},{"name":"PGPE_SERVICE_ROUTINE2","features":[310,308]},{"name":"PHALIOREADWRITEHANDLER","features":[310,308]},{"name":"PHALMCAINTERFACELOCK","features":[310]},{"name":"PHALMCAINTERFACEREADREGISTER","features":[310,308]},{"name":"PHALMCAINTERFACEUNLOCK","features":[310]},{"name":"PHAL_RESET_DISPLAY_PARAMETERS","features":[310,308]},{"name":"PHVL_WHEA_ERROR_NOTIFICATION","features":[310,308]},{"name":"PHYSICAL_COUNTER_EVENT_BUFFER_CONFIGURATION","features":[310,308]},{"name":"PHYSICAL_COUNTER_RESOURCE_DESCRIPTOR","features":[310,308]},{"name":"PHYSICAL_COUNTER_RESOURCE_DESCRIPTOR_TYPE","features":[310]},{"name":"PHYSICAL_COUNTER_RESOURCE_LIST","features":[310,308]},{"name":"PHYSICAL_MEMORY_RANGE","features":[310]},{"name":"PINITIALIZE_DMA_TRANSFER_CONTEXT","features":[309,312,310,308,311,313,314,315]},{"name":"PINTERFACE_DEREFERENCE","features":[310]},{"name":"PINTERFACE_REFERENCE","features":[310]},{"name":"PIOMMU_DEVICE_CREATE","features":[310,308]},{"name":"PIOMMU_DEVICE_DELETE","features":[310,308]},{"name":"PIOMMU_DEVICE_FAULT_HANDLER","features":[310]},{"name":"PIOMMU_DEVICE_QUERY_DOMAIN_TYPES","features":[310]},{"name":"PIOMMU_DOMAIN_ATTACH_DEVICE","features":[310,308]},{"name":"PIOMMU_DOMAIN_ATTACH_DEVICE_EX","features":[310,308]},{"name":"PIOMMU_DOMAIN_CONFIGURE","features":[310,308]},{"name":"PIOMMU_DOMAIN_CREATE","features":[310,308]},{"name":"PIOMMU_DOMAIN_CREATE_EX","features":[310,308]},{"name":"PIOMMU_DOMAIN_DELETE","features":[310,308]},{"name":"PIOMMU_DOMAIN_DETACH_DEVICE","features":[310,308]},{"name":"PIOMMU_DOMAIN_DETACH_DEVICE_EX","features":[310,308]},{"name":"PIOMMU_FLUSH_DOMAIN","features":[310,308]},{"name":"PIOMMU_FLUSH_DOMAIN_VA_LIST","features":[310,308]},{"name":"PIOMMU_FREE_RESERVED_LOGICAL_ADDRESS_RANGE","features":[310,308]},{"name":"PIOMMU_INTERFACE_STATE_CHANGE_CALLBACK","features":[310]},{"name":"PIOMMU_MAP_IDENTITY_RANGE","features":[310,308]},{"name":"PIOMMU_MAP_IDENTITY_RANGE_EX","features":[310,308]},{"name":"PIOMMU_MAP_LOGICAL_RANGE","features":[310,308]},{"name":"PIOMMU_MAP_LOGICAL_RANGE_EX","features":[310,308]},{"name":"PIOMMU_MAP_RESERVED_LOGICAL_RANGE","features":[310,308]},{"name":"PIOMMU_QUERY_INPUT_MAPPINGS","features":[310,308]},{"name":"PIOMMU_REGISTER_INTERFACE_STATE_CHANGE_CALLBACK","features":[310,308]},{"name":"PIOMMU_RESERVE_LOGICAL_ADDRESS_RANGE","features":[310,308]},{"name":"PIOMMU_SET_DEVICE_FAULT_REPORTING","features":[310,308]},{"name":"PIOMMU_SET_DEVICE_FAULT_REPORTING_EX","features":[310,308]},{"name":"PIOMMU_UNMAP_IDENTITY_RANGE","features":[310,308]},{"name":"PIOMMU_UNMAP_IDENTITY_RANGE_EX","features":[310,308]},{"name":"PIOMMU_UNMAP_LOGICAL_RANGE","features":[310,308]},{"name":"PIOMMU_UNMAP_RESERVED_LOGICAL_RANGE","features":[310,308]},{"name":"PIOMMU_UNREGISTER_INTERFACE_STATE_CHANGE_CALLBACK","features":[310,308]},{"name":"PIO_CONTAINER_NOTIFICATION_FUNCTION","features":[310,308]},{"name":"PIO_CSQ_ACQUIRE_LOCK","features":[310]},{"name":"PIO_CSQ_COMPLETE_CANCELED_IRP","features":[310]},{"name":"PIO_CSQ_INSERT_IRP","features":[310]},{"name":"PIO_CSQ_INSERT_IRP_EX","features":[310,308]},{"name":"PIO_CSQ_PEEK_NEXT_IRP","features":[309,312,310,308,311,313,314,315]},{"name":"PIO_CSQ_RELEASE_LOCK","features":[310]},{"name":"PIO_CSQ_REMOVE_IRP","features":[310]},{"name":"PIO_DEVICE_EJECT_CALLBACK","features":[310,308]},{"name":"PIO_DPC_ROUTINE","features":[310]},{"name":"PIO_PERSISTED_MEMORY_ENUMERATION_CALLBACK","features":[310,308]},{"name":"PIO_QUERY_DEVICE_ROUTINE","features":[310,308]},{"name":"PIO_SESSION_NOTIFICATION_FUNCTION","features":[310,308]},{"name":"PIO_TIMER_ROUTINE","features":[310]},{"name":"PIO_WORKITEM_ROUTINE","features":[310]},{"name":"PIO_WORKITEM_ROUTINE_EX","features":[310]},{"name":"PJOIN_DMA_DOMAIN","features":[309,312,310,308,311,313,314,315]},{"name":"PKBUGCHECK_CALLBACK_ROUTINE","features":[310]},{"name":"PKBUGCHECK_REASON_CALLBACK_ROUTINE","features":[310]},{"name":"PKIPI_BROADCAST_WORKER","features":[310]},{"name":"PKMESSAGE_SERVICE_ROUTINE","features":[310,308]},{"name":"PKSERVICE_ROUTINE","features":[310,308]},{"name":"PKSTART_ROUTINE","features":[310]},{"name":"PKSYNCHRONIZE_ROUTINE","features":[310,308]},{"name":"PLEAVE_DMA_DOMAIN","features":[309,312,310,308,311,313,314,315]},{"name":"PLOAD_IMAGE_NOTIFY_ROUTINE","features":[310,308]},{"name":"PLUGPLAY_NOTIFICATION_HEADER","features":[310]},{"name":"PLUGPLAY_PROPERTY_PERSISTENT","features":[310]},{"name":"PLUGPLAY_REGKEY_CURRENT_HWPROFILE","features":[310]},{"name":"PLUGPLAY_REGKEY_DEVICE","features":[310]},{"name":"PLUGPLAY_REGKEY_DRIVER","features":[310]},{"name":"PMAP_TRANSFER","features":[309,312,310,308,311,313,314,315]},{"name":"PMAP_TRANSFER_EX","features":[309,312,310,308,311,313,314,315]},{"name":"PMCCounter","features":[310]},{"name":"PMEM_ERROR_SECTION_GUID","features":[310]},{"name":"PMM_DLL_INITIALIZE","features":[310,308]},{"name":"PMM_DLL_UNLOAD","features":[310,308]},{"name":"PMM_GET_SYSTEM_ROUTINE_ADDRESS_EX","features":[310,308]},{"name":"PMM_MDL_ROUTINE","features":[310]},{"name":"PMM_ROTATE_COPY_CALLBACK_FUNCTION","features":[309,310,308]},{"name":"PM_DISPATCH_TABLE","features":[310]},{"name":"PNMI_CALLBACK","features":[310,308]},{"name":"PNPBus","features":[310]},{"name":"PNPEM_CONTROL_ENABLE_DISABLE","features":[310,308]},{"name":"PNPEM_CONTROL_QUERY_CONTROL","features":[310]},{"name":"PNPEM_CONTROL_QUERY_STANDARD_CAPABILITIES","features":[310,308]},{"name":"PNPEM_CONTROL_SET_STANDARD_CONTROL","features":[310,308]},{"name":"PNPISABus","features":[310]},{"name":"PNPISAConfiguration","features":[310]},{"name":"PNPNOTIFY_DEVICE_INTERFACE_INCLUDE_EXISTING_INTERFACES","features":[310]},{"name":"PNP_BUS_INFORMATION","features":[310]},{"name":"PNP_DEVICE_ASSIGNED_TO_GUEST","features":[310]},{"name":"PNP_DEVICE_DISABLED","features":[310]},{"name":"PNP_DEVICE_DISCONNECTED","features":[310]},{"name":"PNP_DEVICE_DONT_DISPLAY_IN_UI","features":[310]},{"name":"PNP_DEVICE_FAILED","features":[310]},{"name":"PNP_DEVICE_NOT_DISABLEABLE","features":[310]},{"name":"PNP_DEVICE_REMOVED","features":[310]},{"name":"PNP_DEVICE_RESOURCE_REQUIREMENTS_CHANGED","features":[310]},{"name":"PNP_DEVICE_RESOURCE_UPDATED","features":[310]},{"name":"PNP_EXTENDED_ADDRESS_INTERFACE","features":[310]},{"name":"PNP_EXTENDED_ADDRESS_INTERFACE_VERSION","features":[310]},{"name":"PNP_LOCATION_INTERFACE","features":[310,308]},{"name":"PNP_REPLACE_DRIVER_INTERFACE","features":[310,308]},{"name":"PNP_REPLACE_DRIVER_INTERFACE_VERSION","features":[310]},{"name":"PNP_REPLACE_HARDWARE_MEMORY_MIRRORING","features":[310]},{"name":"PNP_REPLACE_HARDWARE_PAGE_COPY","features":[310]},{"name":"PNP_REPLACE_HARDWARE_QUIESCE","features":[310]},{"name":"PNP_REPLACE_MEMORY_LIST","features":[310]},{"name":"PNP_REPLACE_MEMORY_SUPPORTED","features":[310]},{"name":"PNP_REPLACE_PARAMETERS","features":[310,308]},{"name":"PNP_REPLACE_PARAMETERS_VERSION","features":[310]},{"name":"PNP_REPLACE_PROCESSOR_LIST","features":[310]},{"name":"PNP_REPLACE_PROCESSOR_LIST_V1","features":[310]},{"name":"PNP_REPLACE_PROCESSOR_SUPPORTED","features":[310]},{"name":"PNTFS_DEREF_EXPORTED_SECURITY_DESCRIPTOR","features":[310]},{"name":"POB_POST_OPERATION_CALLBACK","features":[309,310,308]},{"name":"POB_PRE_OPERATION_CALLBACK","features":[309,310]},{"name":"POOLED_USAGE_AND_LIMITS","features":[310]},{"name":"POOL_COLD_ALLOCATION","features":[310]},{"name":"POOL_CREATE_EXTENDED_PARAMS","features":[310]},{"name":"POOL_CREATE_FLG_SECURE_POOL","features":[310]},{"name":"POOL_CREATE_FLG_USE_GLOBAL_POOL","features":[310]},{"name":"POOL_CREATE_PARAMS_VERSION","features":[310]},{"name":"POOL_EXTENDED_PARAMETER","features":[310,308]},{"name":"POOL_EXTENDED_PARAMETER_REQUIRED_FIELD_BITS","features":[310]},{"name":"POOL_EXTENDED_PARAMETER_TYPE","features":[310]},{"name":"POOL_EXTENDED_PARAMETER_TYPE_BITS","features":[310]},{"name":"POOL_EXTENDED_PARAMS_SECURE_POOL","features":[310,308]},{"name":"POOL_NX_ALLOCATION","features":[310]},{"name":"POOL_NX_OPTIN_AUTO","features":[310]},{"name":"POOL_QUOTA_FAIL_INSTEAD_OF_RAISE","features":[310]},{"name":"POOL_RAISE_IF_ALLOCATION_FAILURE","features":[310]},{"name":"POOL_TAGGING","features":[310]},{"name":"POOL_ZEROING_INFORMATION","features":[310]},{"name":"POOL_ZERO_ALLOCATION","features":[310]},{"name":"PORT_MAXIMUM_MESSAGE_LENGTH","features":[310]},{"name":"POWER_LEVEL","features":[310]},{"name":"POWER_MONITOR_INVOCATION","features":[310,308]},{"name":"POWER_MONITOR_REQUEST_REASON","features":[310]},{"name":"POWER_MONITOR_REQUEST_TYPE","features":[310]},{"name":"POWER_PLATFORM_INFORMATION","features":[310,308]},{"name":"POWER_PLATFORM_ROLE","features":[310]},{"name":"POWER_PLATFORM_ROLE_V1","features":[310]},{"name":"POWER_PLATFORM_ROLE_V2","features":[310]},{"name":"POWER_PLATFORM_ROLE_VERSION","features":[310]},{"name":"POWER_SEQUENCE","features":[310]},{"name":"POWER_SESSION_CONNECT","features":[310,308]},{"name":"POWER_SESSION_RIT_STATE","features":[310,308]},{"name":"POWER_SESSION_TIMEOUTS","features":[310]},{"name":"POWER_SESSION_WINLOGON","features":[310,308]},{"name":"POWER_SETTING_CALLBACK","features":[310,308]},{"name":"POWER_SETTING_VALUE_VERSION","features":[310]},{"name":"POWER_STATE","features":[310,315]},{"name":"POWER_STATE_TYPE","features":[310]},{"name":"POWER_THROTTLING_PROCESS_CURRENT_VERSION","features":[310]},{"name":"POWER_THROTTLING_PROCESS_DELAYTIMERS","features":[310]},{"name":"POWER_THROTTLING_PROCESS_EXECUTION_SPEED","features":[310]},{"name":"POWER_THROTTLING_PROCESS_IGNORE_TIMER_RESOLUTION","features":[310]},{"name":"POWER_THROTTLING_PROCESS_STATE","features":[310]},{"name":"POWER_THROTTLING_THREAD_CURRENT_VERSION","features":[310]},{"name":"POWER_THROTTLING_THREAD_EXECUTION_SPEED","features":[310]},{"name":"POWER_THROTTLING_THREAD_STATE","features":[310]},{"name":"POWER_THROTTLING_THREAD_VALID_FLAGS","features":[310]},{"name":"POWER_USER_PRESENCE_TYPE","features":[310]},{"name":"PO_FX_COMPONENT_ACTIVE_CONDITION_CALLBACK","features":[310]},{"name":"PO_FX_COMPONENT_CRITICAL_TRANSITION_CALLBACK","features":[310,308]},{"name":"PO_FX_COMPONENT_FLAG_F0_ON_DX","features":[310]},{"name":"PO_FX_COMPONENT_FLAG_NO_DEBOUNCE","features":[310]},{"name":"PO_FX_COMPONENT_IDLE_CONDITION_CALLBACK","features":[310]},{"name":"PO_FX_COMPONENT_IDLE_STATE","features":[310]},{"name":"PO_FX_COMPONENT_IDLE_STATE_CALLBACK","features":[310]},{"name":"PO_FX_COMPONENT_PERF_INFO","features":[310,308]},{"name":"PO_FX_COMPONENT_PERF_SET","features":[310,308]},{"name":"PO_FX_COMPONENT_PERF_STATE_CALLBACK","features":[310,308]},{"name":"PO_FX_COMPONENT_V1","features":[310]},{"name":"PO_FX_COMPONENT_V2","features":[310]},{"name":"PO_FX_DEVICE_POWER_NOT_REQUIRED_CALLBACK","features":[310]},{"name":"PO_FX_DEVICE_POWER_REQUIRED_CALLBACK","features":[310]},{"name":"PO_FX_DEVICE_V1","features":[310,308]},{"name":"PO_FX_DEVICE_V2","features":[310,308]},{"name":"PO_FX_DEVICE_V3","features":[310,308]},{"name":"PO_FX_DIRECTED_FX_DEFAULT_IDLE_TIMEOUT","features":[310]},{"name":"PO_FX_DIRECTED_POWER_DOWN_CALLBACK","features":[310]},{"name":"PO_FX_DIRECTED_POWER_UP_CALLBACK","features":[310]},{"name":"PO_FX_DRIPS_WATCHDOG_CALLBACK","features":[309,312,310,308,311,313,314,315]},{"name":"PO_FX_FLAG_ASYNC_ONLY","features":[310]},{"name":"PO_FX_FLAG_BLOCKING","features":[310]},{"name":"PO_FX_FLAG_PERF_PEP_OPTIONAL","features":[310]},{"name":"PO_FX_FLAG_PERF_QUERY_ON_ALL_IDLE_STATES","features":[310]},{"name":"PO_FX_FLAG_PERF_QUERY_ON_F0","features":[310]},{"name":"PO_FX_PERF_STATE","features":[310]},{"name":"PO_FX_PERF_STATE_CHANGE","features":[310]},{"name":"PO_FX_PERF_STATE_TYPE","features":[310]},{"name":"PO_FX_PERF_STATE_UNIT","features":[310]},{"name":"PO_FX_POWER_CONTROL_CALLBACK","features":[310,308]},{"name":"PO_FX_UNKNOWN_POWER","features":[310]},{"name":"PO_FX_UNKNOWN_TIME","features":[310]},{"name":"PO_FX_VERSION","features":[310]},{"name":"PO_FX_VERSION_V1","features":[310]},{"name":"PO_FX_VERSION_V2","features":[310]},{"name":"PO_FX_VERSION_V3","features":[310]},{"name":"PO_MEM_BOOT_PHASE","features":[310]},{"name":"PO_MEM_CLONE","features":[310]},{"name":"PO_MEM_CL_OR_NCHK","features":[310]},{"name":"PO_MEM_DISCARD","features":[310]},{"name":"PO_MEM_PAGE_ADDRESS","features":[310]},{"name":"PO_MEM_PRESERVE","features":[310]},{"name":"PO_THERMAL_REQUEST_TYPE","features":[310]},{"name":"PPCI_EXPRESS_ENTER_LINK_QUIESCENT_MODE","features":[310,308]},{"name":"PPCI_EXPRESS_EXIT_LINK_QUIESCENT_MODE","features":[310,308]},{"name":"PPCI_EXPRESS_ROOT_PORT_READ_CONFIG_SPACE","features":[310]},{"name":"PPCI_EXPRESS_ROOT_PORT_WRITE_CONFIG_SPACE","features":[310]},{"name":"PPCI_EXPRESS_WAKE_CONTROL","features":[310]},{"name":"PPCI_IS_DEVICE_PRESENT","features":[310,308]},{"name":"PPCI_IS_DEVICE_PRESENT_EX","features":[310,308]},{"name":"PPCI_LINE_TO_PIN","features":[310]},{"name":"PPCI_MSIX_GET_ENTRY","features":[310,308]},{"name":"PPCI_MSIX_GET_TABLE_SIZE","features":[310,308]},{"name":"PPCI_MSIX_MASKUNMASK_ENTRY","features":[310,308]},{"name":"PPCI_MSIX_SET_ENTRY","features":[310,308]},{"name":"PPCI_PIN_TO_LINE","features":[310]},{"name":"PPCI_PREPARE_MULTISTAGE_RESUME","features":[310]},{"name":"PPCI_READ_WRITE_CONFIG","features":[310]},{"name":"PPCI_ROOT_BUS_CAPABILITY","features":[310]},{"name":"PPCI_SET_ACS","features":[310,308]},{"name":"PPCI_SET_ACS2","features":[310,308]},{"name":"PPCI_SET_ATS","features":[310,308]},{"name":"PPCW_CALLBACK","features":[310,308]},{"name":"PPHYSICAL_COUNTER_EVENT_BUFFER_OVERFLOW_HANDLER","features":[310,308]},{"name":"PPHYSICAL_COUNTER_OVERFLOW_HANDLER","features":[310,308]},{"name":"PPI_SHIFT","features":[310]},{"name":"PPOWER_SETTING_CALLBACK","features":[310,308]},{"name":"PPO_FX_COMPONENT_ACTIVE_CONDITION_CALLBACK","features":[310]},{"name":"PPO_FX_COMPONENT_CRITICAL_TRANSITION_CALLBACK","features":[310]},{"name":"PPO_FX_COMPONENT_IDLE_CONDITION_CALLBACK","features":[310]},{"name":"PPO_FX_COMPONENT_IDLE_STATE_CALLBACK","features":[310]},{"name":"PPO_FX_COMPONENT_PERF_STATE_CALLBACK","features":[310]},{"name":"PPO_FX_DEVICE_POWER_NOT_REQUIRED_CALLBACK","features":[310]},{"name":"PPO_FX_DEVICE_POWER_REQUIRED_CALLBACK","features":[310]},{"name":"PPO_FX_DIRECTED_POWER_DOWN_CALLBACK","features":[310]},{"name":"PPO_FX_DIRECTED_POWER_UP_CALLBACK","features":[310]},{"name":"PPO_FX_DRIPS_WATCHDOG_CALLBACK","features":[310]},{"name":"PPO_FX_POWER_CONTROL_CALLBACK","features":[310,308]},{"name":"PPROCESSOR_CALLBACK_FUNCTION","features":[310]},{"name":"PPROCESSOR_HALT_ROUTINE","features":[310,308]},{"name":"PPTM_DEVICE_DISABLE","features":[310,308]},{"name":"PPTM_DEVICE_ENABLE","features":[310,308]},{"name":"PPTM_DEVICE_QUERY_GRANULARITY","features":[310,308]},{"name":"PPTM_DEVICE_QUERY_TIME_SOURCE","features":[310,308]},{"name":"PPUT_DMA_ADAPTER","features":[309,312,310,308,311,313,314,315]},{"name":"PPUT_SCATTER_GATHER_LIST","features":[309,312,310,308,311,313,314,315]},{"name":"PQUERYEXTENDEDADDRESS","features":[310]},{"name":"PREAD_DMA_COUNTER","features":[309,312,310,308,311,313,314,315]},{"name":"PREENUMERATE_SELF","features":[310]},{"name":"PREGISTER_FOR_DEVICE_NOTIFICATIONS","features":[309,312,310,308,311,313,314,315]},{"name":"PREGISTER_FOR_DEVICE_NOTIFICATIONS2","features":[310,308]},{"name":"PREPLACE_BEGIN","features":[310,308]},{"name":"PREPLACE_DRIVER_INIT","features":[310,308]},{"name":"PREPLACE_ENABLE_DISABLE_HARDWARE_QUIESCE","features":[310,308]},{"name":"PREPLACE_END","features":[310,308]},{"name":"PREPLACE_GET_MEMORY_DESTINATION","features":[310,308]},{"name":"PREPLACE_INITIATE_HARDWARE_MIRROR","features":[310,308]},{"name":"PREPLACE_MAP_MEMORY","features":[310,308]},{"name":"PREPLACE_MIRROR_PHYSICAL_MEMORY","features":[310,308]},{"name":"PREPLACE_MIRROR_PLATFORM_MEMORY","features":[310,308]},{"name":"PREPLACE_SET_PROCESSOR_ID","features":[310,308]},{"name":"PREPLACE_SWAP","features":[310,308]},{"name":"PREPLACE_UNLOAD","features":[310]},{"name":"PREQUEST_POWER_COMPLETE","features":[310]},{"name":"PRIVILEGE_SET_ALL_NECESSARY","features":[310]},{"name":"PROCESSOR_CALLBACK_FUNCTION","features":[310,308,314]},{"name":"PROCESSOR_FEATURE_MAX","features":[310]},{"name":"PROCESSOR_GENERIC_ERROR_SECTION_GUID","features":[310]},{"name":"PROCESSOR_HALT_ROUTINE","features":[310,308]},{"name":"PROCESS_ACCESS_TOKEN","features":[310,308]},{"name":"PROCESS_DEVICEMAP_INFORMATION","features":[310,308]},{"name":"PROCESS_DEVICEMAP_INFORMATION_EX","features":[310,308]},{"name":"PROCESS_EXCEPTION_PORT","features":[310,308]},{"name":"PROCESS_EXCEPTION_PORT_ALL_STATE_BITS","features":[310]},{"name":"PROCESS_EXTENDED_BASIC_INFORMATION","features":[310,308,314,343]},{"name":"PROCESS_HANDLE_EXCEPTIONS_ENABLED","features":[310]},{"name":"PROCESS_HANDLE_RAISE_UM_EXCEPTION_ON_INVALID_HANDLE_CLOSE_DISABLED","features":[310]},{"name":"PROCESS_HANDLE_RAISE_UM_EXCEPTION_ON_INVALID_HANDLE_CLOSE_ENABLED","features":[310]},{"name":"PROCESS_HANDLE_TRACING_ENABLE","features":[310]},{"name":"PROCESS_HANDLE_TRACING_ENABLE_EX","features":[310]},{"name":"PROCESS_HANDLE_TRACING_ENTRY","features":[310,308,340]},{"name":"PROCESS_HANDLE_TRACING_MAX_STACKS","features":[310]},{"name":"PROCESS_HANDLE_TRACING_QUERY","features":[310,308,340]},{"name":"PROCESS_KEEPALIVE_COUNT_INFORMATION","features":[310]},{"name":"PROCESS_LUID_DOSDEVICES_ONLY","features":[310]},{"name":"PROCESS_MEMBERSHIP_INFORMATION","features":[310]},{"name":"PROCESS_REVOKE_FILE_HANDLES_INFORMATION","features":[310,308]},{"name":"PROCESS_SESSION_INFORMATION","features":[310]},{"name":"PROCESS_SYSCALL_PROVIDER_INFORMATION","features":[310]},{"name":"PROCESS_WS_WATCH_INFORMATION","features":[310]},{"name":"PROFILE_LEVEL","features":[310]},{"name":"PROTECTED_POOL","features":[310]},{"name":"PRTL_AVL_ALLOCATE_ROUTINE","features":[310]},{"name":"PRTL_AVL_COMPARE_ROUTINE","features":[310]},{"name":"PRTL_AVL_FREE_ROUTINE","features":[310]},{"name":"PRTL_AVL_MATCH_FUNCTION","features":[310,308]},{"name":"PRTL_GENERIC_ALLOCATE_ROUTINE","features":[310]},{"name":"PRTL_GENERIC_COMPARE_ROUTINE","features":[310]},{"name":"PRTL_GENERIC_FREE_ROUTINE","features":[310]},{"name":"PRTL_QUERY_REGISTRY_ROUTINE","features":[310,308]},{"name":"PRTL_RUN_ONCE_INIT_FN","features":[310]},{"name":"PSCREATEPROCESSNOTIFYTYPE","features":[310]},{"name":"PSCREATETHREADNOTIFYTYPE","features":[310]},{"name":"PSECURE_DRIVER_PROCESS_DEREFERENCE","features":[310]},{"name":"PSECURE_DRIVER_PROCESS_REFERENCE","features":[309,310]},{"name":"PSET_D3COLD_SUPPORT","features":[310]},{"name":"PSET_VIRTUAL_DEVICE_DATA","features":[310]},{"name":"PSE_IMAGE_VERIFICATION_CALLBACK_FUNCTION","features":[310]},{"name":"PSHED_PI_ATTEMPT_ERROR_RECOVERY","features":[310,308]},{"name":"PSHED_PI_CLEAR_ERROR_RECORD","features":[310,308]},{"name":"PSHED_PI_CLEAR_ERROR_STATUS","features":[310,308,336]},{"name":"PSHED_PI_DISABLE_ERROR_SOURCE","features":[310,308,336]},{"name":"PSHED_PI_ENABLE_ERROR_SOURCE","features":[310,308,336]},{"name":"PSHED_PI_ERR_READING_PCIE_OVERRIDES","features":[310]},{"name":"PSHED_PI_FINALIZE_ERROR_RECORD","features":[310,308,336]},{"name":"PSHED_PI_GET_ALL_ERROR_SOURCES","features":[310,308,336]},{"name":"PSHED_PI_GET_ERROR_SOURCE_INFO","features":[310,308,336]},{"name":"PSHED_PI_GET_INJECTION_CAPABILITIES","features":[310,308]},{"name":"PSHED_PI_INJECT_ERROR","features":[310,308]},{"name":"PSHED_PI_READ_ERROR_RECORD","features":[310,308]},{"name":"PSHED_PI_RETRIEVE_ERROR_INFO","features":[310,308,336]},{"name":"PSHED_PI_SET_ERROR_SOURCE_INFO","features":[310,308,336]},{"name":"PSHED_PI_WRITE_ERROR_RECORD","features":[310,308]},{"name":"PS_CREATE_NOTIFY_INFO","features":[309,312,310,308,311,313,314,315,340]},{"name":"PS_IMAGE_NOTIFY_CONFLICTING_ARCHITECTURE","features":[310]},{"name":"PS_INVALID_SILO_CONTEXT_SLOT","features":[310]},{"name":"PTE_BASE","features":[310]},{"name":"PTE_PER_PAGE","features":[310]},{"name":"PTE_TOP","features":[310]},{"name":"PTIMER_APC_ROUTINE","features":[310]},{"name":"PTI_SHIFT","features":[310]},{"name":"PTM_CONTROL_INTERFACE","features":[310,308]},{"name":"PTM_DEVICE_DISABLE","features":[310,308]},{"name":"PTM_DEVICE_ENABLE","features":[310,308]},{"name":"PTM_DEVICE_QUERY_GRANULARITY","features":[310,308]},{"name":"PTM_DEVICE_QUERY_TIME_SOURCE","features":[310,308]},{"name":"PTM_PROPAGATE_ROUTINE","features":[310,308]},{"name":"PTM_RM_NOTIFICATION","features":[309,310,308]},{"name":"PTRANSLATE_BUS_ADDRESS","features":[310,308]},{"name":"PTRANSLATE_RESOURCE_HANDLER","features":[309,312,310,308,311,313,314,315]},{"name":"PTRANSLATE_RESOURCE_REQUIREMENTS_HANDLER","features":[309,312,310,308,311,313,314,315]},{"name":"PUNREGISTER_FOR_DEVICE_NOTIFICATIONS","features":[309,312,310,308,311,313,314,315]},{"name":"PUNREGISTER_FOR_DEVICE_NOTIFICATIONS2","features":[310]},{"name":"PageIn","features":[310]},{"name":"ParallelController","features":[310]},{"name":"PciAcsBitDisable","features":[310]},{"name":"PciAcsBitDontCare","features":[310]},{"name":"PciAcsBitEnable","features":[310]},{"name":"PciAcsReserved","features":[310]},{"name":"PciAddressParityError","features":[310]},{"name":"PciBusDataParityError","features":[310]},{"name":"PciBusMasterAbort","features":[310]},{"name":"PciBusSystemError","features":[310]},{"name":"PciBusTimeOut","features":[310]},{"name":"PciBusUnknownError","features":[310]},{"name":"PciCommandParityError","features":[310]},{"name":"PciConventional","features":[310]},{"name":"PciDeviceD3Cold_Reason_Default_State_BitIndex","features":[310]},{"name":"PciDeviceD3Cold_Reason_INF_BitIndex","features":[310]},{"name":"PciDeviceD3Cold_Reason_Interface_Api_BitIndex","features":[310]},{"name":"PciDeviceD3Cold_State_Disabled_BitIndex","features":[310]},{"name":"PciDeviceD3Cold_State_Disabled_Bridge_HackFlags_BitIndex","features":[310]},{"name":"PciDeviceD3Cold_State_Enabled_BitIndex","features":[310]},{"name":"PciDeviceD3Cold_State_ParentRootPortS0WakeSupported_BitIndex","features":[310]},{"name":"PciExpress","features":[310]},{"name":"PciExpressASPMLinkSubState_L11_BitIndex","features":[310]},{"name":"PciExpressASPMLinkSubState_L12_BitIndex","features":[310]},{"name":"PciExpressDownstreamSwitchPort","features":[310]},{"name":"PciExpressEndpoint","features":[310]},{"name":"PciExpressLegacyEndpoint","features":[310]},{"name":"PciExpressPciPmLinkSubState_L11_BitIndex","features":[310]},{"name":"PciExpressPciPmLinkSubState_L12_BitIndex","features":[310]},{"name":"PciExpressRootComplexEventCollector","features":[310]},{"name":"PciExpressRootComplexIntegratedEndpoint","features":[310]},{"name":"PciExpressRootPort","features":[310]},{"name":"PciExpressToPciXBridge","features":[310]},{"name":"PciExpressUpstreamSwitchPort","features":[310]},{"name":"PciLine2Pin","features":[310]},{"name":"PciMasterDataParityError","features":[310]},{"name":"PciPin2Line","features":[310]},{"name":"PciReadWriteConfig","features":[310]},{"name":"PciXMode1","features":[310]},{"name":"PciXMode2","features":[310]},{"name":"PciXToExpressBridge","features":[310]},{"name":"PcwAddInstance","features":[309,310,308]},{"name":"PcwCallbackAddCounter","features":[310]},{"name":"PcwCallbackCollectData","features":[310]},{"name":"PcwCallbackEnumerateInstances","features":[310]},{"name":"PcwCallbackRemoveCounter","features":[310]},{"name":"PcwCloseInstance","features":[309,310]},{"name":"PcwCreateInstance","features":[309,310,308]},{"name":"PcwRegister","features":[309,310,308]},{"name":"PcwRegistrationNone","features":[310]},{"name":"PcwRegistrationSiloNeutral","features":[310]},{"name":"PcwUnregister","features":[309,310]},{"name":"PermissionFault","features":[310]},{"name":"PlatformLevelDeviceReset","features":[310]},{"name":"PlatformRoleAppliancePC","features":[310]},{"name":"PlatformRoleDesktop","features":[310]},{"name":"PlatformRoleEnterpriseServer","features":[310]},{"name":"PlatformRoleMaximum","features":[310]},{"name":"PlatformRoleMobile","features":[310]},{"name":"PlatformRolePerformanceServer","features":[310]},{"name":"PlatformRoleSOHOServer","features":[310]},{"name":"PlatformRoleSlate","features":[310]},{"name":"PlatformRoleUnspecified","features":[310]},{"name":"PlatformRoleWorkstation","features":[310]},{"name":"PoAc","features":[310]},{"name":"PoCallDriver","features":[309,312,310,308,311,313,314,315]},{"name":"PoClearPowerRequest","features":[310,308,315]},{"name":"PoConditionMaximum","features":[310]},{"name":"PoCreatePowerRequest","features":[309,312,310,308,311,313,314,315]},{"name":"PoCreateThermalRequest","features":[309,312,310,308,311,313,314,315]},{"name":"PoDc","features":[310]},{"name":"PoDeletePowerRequest","features":[310]},{"name":"PoDeleteThermalRequest","features":[310]},{"name":"PoEndDeviceBusy","features":[310]},{"name":"PoFxActivateComponent","features":[309,310]},{"name":"PoFxCompleteDevicePowerNotRequired","features":[309,310]},{"name":"PoFxCompleteDirectedPowerDown","features":[309,310]},{"name":"PoFxCompleteIdleCondition","features":[309,310]},{"name":"PoFxCompleteIdleState","features":[309,310]},{"name":"PoFxIdleComponent","features":[309,310]},{"name":"PoFxIssueComponentPerfStateChange","features":[309,310]},{"name":"PoFxIssueComponentPerfStateChangeMultiple","features":[309,310]},{"name":"PoFxNotifySurprisePowerOn","features":[309,312,310,308,311,313,314,315]},{"name":"PoFxPerfStateTypeDiscrete","features":[310]},{"name":"PoFxPerfStateTypeMaximum","features":[310]},{"name":"PoFxPerfStateTypeRange","features":[310]},{"name":"PoFxPerfStateUnitBandwidth","features":[310]},{"name":"PoFxPerfStateUnitFrequency","features":[310]},{"name":"PoFxPerfStateUnitMaximum","features":[310]},{"name":"PoFxPerfStateUnitOther","features":[310]},{"name":"PoFxPowerControl","features":[309,310,308]},{"name":"PoFxPowerOnCrashdumpDevice","features":[309,310,308]},{"name":"PoFxQueryCurrentComponentPerfState","features":[309,310,308]},{"name":"PoFxRegisterComponentPerfStates","features":[309,310,308]},{"name":"PoFxRegisterCrashdumpDevice","features":[309,310,308]},{"name":"PoFxRegisterDevice","features":[309,312,310,308,311,313,314,315]},{"name":"PoFxRegisterDripsWatchdogCallback","features":[309,312,310,308,311,313,314,315]},{"name":"PoFxReportDevicePoweredOn","features":[309,310]},{"name":"PoFxSetComponentLatency","features":[309,310]},{"name":"PoFxSetComponentResidency","features":[309,310]},{"name":"PoFxSetComponentWake","features":[309,310,308]},{"name":"PoFxSetDeviceIdleTimeout","features":[309,310]},{"name":"PoFxSetTargetDripsDevicePowerState","features":[309,310,308,315]},{"name":"PoFxStartDevicePowerManagement","features":[309,310]},{"name":"PoFxUnregisterDevice","features":[309,310]},{"name":"PoGetSystemWake","features":[309,312,310,308,311,313,314,315]},{"name":"PoGetThermalRequestSupport","features":[310,308]},{"name":"PoHot","features":[310]},{"name":"PoQueryWatchdogTime","features":[309,312,310,308,311,313,314,315]},{"name":"PoRegisterDeviceForIdleDetection","features":[309,312,310,308,311,313,314,315]},{"name":"PoRegisterPowerSettingCallback","features":[309,312,310,308,311,313,314,315]},{"name":"PoRegisterSystemState","features":[310]},{"name":"PoRequestPowerIrp","features":[309,312,310,308,311,313,314,315]},{"name":"PoSetDeviceBusyEx","features":[310]},{"name":"PoSetHiberRange","features":[310]},{"name":"PoSetPowerRequest","features":[310,308,315]},{"name":"PoSetPowerState","features":[309,312,310,308,311,313,314,315]},{"name":"PoSetSystemState","features":[310]},{"name":"PoSetSystemWake","features":[309,312,310,308,311,313,314,315]},{"name":"PoSetSystemWakeDevice","features":[309,312,310,308,311,313,314,315]},{"name":"PoSetThermalActiveCooling","features":[310,308]},{"name":"PoSetThermalPassiveCooling","features":[310,308]},{"name":"PoStartDeviceBusy","features":[310]},{"name":"PoStartNextPowerIrp","features":[309,312,310,308,311,313,314,315]},{"name":"PoThermalRequestActive","features":[310]},{"name":"PoThermalRequestPassive","features":[310]},{"name":"PoUnregisterPowerSettingCallback","features":[310,308]},{"name":"PoUnregisterSystemState","features":[310]},{"name":"PointerController","features":[310]},{"name":"PointerPeripheral","features":[310]},{"name":"PoolAllocation","features":[310]},{"name":"PoolExtendedParameterInvalidType","features":[310]},{"name":"PoolExtendedParameterMax","features":[310]},{"name":"PoolExtendedParameterNumaNode","features":[310]},{"name":"PoolExtendedParameterPriority","features":[310]},{"name":"PoolExtendedParameterSecurePool","features":[310]},{"name":"Pos","features":[310]},{"name":"PowerOff","features":[310]},{"name":"PowerOn","features":[310]},{"name":"PowerRelations","features":[310]},{"name":"PrimaryDcache","features":[310]},{"name":"PrimaryIcache","features":[310]},{"name":"PrinterPeripheral","features":[310]},{"name":"ProbeForRead","features":[310]},{"name":"ProbeForWrite","features":[310]},{"name":"ProcessorInternal","features":[310]},{"name":"Profile2Issue","features":[310]},{"name":"Profile3Issue","features":[310]},{"name":"Profile4Issue","features":[310]},{"name":"ProfileAlignmentFixup","features":[310]},{"name":"ProfileBranchInstructions","features":[310]},{"name":"ProfileBranchMispredictions","features":[310]},{"name":"ProfileCacheMisses","features":[310]},{"name":"ProfileDcacheAccesses","features":[310]},{"name":"ProfileDcacheMisses","features":[310]},{"name":"ProfileFpInstructions","features":[310]},{"name":"ProfileIcacheIssues","features":[310]},{"name":"ProfileIcacheMisses","features":[310]},{"name":"ProfileIntegerInstructions","features":[310]},{"name":"ProfileLoadInstructions","features":[310]},{"name":"ProfileLoadLinkedIssues","features":[310]},{"name":"ProfileMaximum","features":[310]},{"name":"ProfileMemoryBarrierCycles","features":[310]},{"name":"ProfilePipelineDry","features":[310]},{"name":"ProfilePipelineFrozen","features":[310]},{"name":"ProfileSpecialInstructions","features":[310]},{"name":"ProfileStoreInstructions","features":[310]},{"name":"ProfileTime","features":[310]},{"name":"ProfileTotalCycles","features":[310]},{"name":"ProfileTotalIssues","features":[310]},{"name":"ProfileTotalNonissues","features":[310]},{"name":"PsAcquireSiloHardReference","features":[309,310,308]},{"name":"PsAllocSiloContextSlot","features":[310,308]},{"name":"PsAllocateAffinityToken","features":[309,310,308]},{"name":"PsAttachSiloToCurrentThread","features":[309,310]},{"name":"PsCreateProcessNotifySubsystems","features":[310]},{"name":"PsCreateSiloContext","features":[309,310,308]},{"name":"PsCreateSystemThread","features":[309,310,308,340]},{"name":"PsCreateThreadNotifyNonSystem","features":[310]},{"name":"PsCreateThreadNotifySubsystems","features":[310]},{"name":"PsDereferenceSiloContext","features":[310]},{"name":"PsDetachSiloFromCurrentThread","features":[309,310]},{"name":"PsFreeAffinityToken","features":[309,310]},{"name":"PsFreeSiloContextSlot","features":[310,308]},{"name":"PsGetCurrentProcessId","features":[310,308]},{"name":"PsGetCurrentServerSilo","features":[309,310]},{"name":"PsGetCurrentServerSiloName","features":[310,308]},{"name":"PsGetCurrentSilo","features":[309,310]},{"name":"PsGetCurrentThreadId","features":[310,308]},{"name":"PsGetCurrentThreadTeb","features":[310]},{"name":"PsGetEffectiveServerSilo","features":[309,310]},{"name":"PsGetHostSilo","features":[309,310]},{"name":"PsGetJobServerSilo","features":[309,310,308]},{"name":"PsGetJobSilo","features":[309,310,308]},{"name":"PsGetParentSilo","features":[309,310]},{"name":"PsGetPermanentSiloContext","features":[309,310,308]},{"name":"PsGetProcessCreateTimeQuadPart","features":[309,310]},{"name":"PsGetProcessExitStatus","features":[309,310,308]},{"name":"PsGetProcessId","features":[309,310,308]},{"name":"PsGetProcessStartKey","features":[309,310]},{"name":"PsGetServerSiloServiceSessionId","features":[309,310]},{"name":"PsGetSiloContainerId","features":[309,310]},{"name":"PsGetSiloContext","features":[309,310,308]},{"name":"PsGetSiloMonitorContextSlot","features":[309,310]},{"name":"PsGetThreadCreateTime","features":[309,310]},{"name":"PsGetThreadExitStatus","features":[309,310,308]},{"name":"PsGetThreadId","features":[309,310,308]},{"name":"PsGetThreadProcessId","features":[309,310,308]},{"name":"PsGetThreadProperty","features":[309,310]},{"name":"PsGetThreadServerSilo","features":[309,310]},{"name":"PsGetVersion","features":[310,308]},{"name":"PsInsertPermanentSiloContext","features":[309,310,308]},{"name":"PsInsertSiloContext","features":[309,310,308]},{"name":"PsIsCurrentThreadInServerSilo","features":[310,308]},{"name":"PsIsCurrentThreadPrefetching","features":[310,308]},{"name":"PsIsHostSilo","features":[309,310,308]},{"name":"PsMakeSiloContextPermanent","features":[309,310,308]},{"name":"PsQueryTotalCycleTimeProcess","features":[309,310]},{"name":"PsReferenceSiloContext","features":[310]},{"name":"PsRegisterSiloMonitor","features":[309,310,308]},{"name":"PsReleaseSiloHardReference","features":[309,310]},{"name":"PsRemoveCreateThreadNotifyRoutine","features":[310,308]},{"name":"PsRemoveLoadImageNotifyRoutine","features":[310,308]},{"name":"PsRemoveSiloContext","features":[309,310,308]},{"name":"PsReplaceSiloContext","features":[309,310,308]},{"name":"PsRevertToUserMultipleGroupAffinityThread","features":[309,310]},{"name":"PsSetCreateProcessNotifyRoutine","features":[310,308]},{"name":"PsSetCreateProcessNotifyRoutineEx","features":[309,312,310,308,311,313,314,315,340]},{"name":"PsSetCreateProcessNotifyRoutineEx2","features":[310,308]},{"name":"PsSetCreateThreadNotifyRoutine","features":[310,308]},{"name":"PsSetCreateThreadNotifyRoutineEx","features":[310,308]},{"name":"PsSetCurrentThreadPrefetching","features":[310,308]},{"name":"PsSetLoadImageNotifyRoutine","features":[310,308]},{"name":"PsSetLoadImageNotifyRoutineEx","features":[310,308]},{"name":"PsSetSystemMultipleGroupAffinityThread","features":[309,310,308,338]},{"name":"PsStartSiloMonitor","features":[309,310,308]},{"name":"PsTerminateServerSilo","features":[309,310,308]},{"name":"PsTerminateSystemThread","features":[310,308]},{"name":"PsUnregisterSiloMonitor","features":[309,310]},{"name":"PsWrapApcWow64Thread","features":[310,308]},{"name":"PshedAllocateMemory","features":[310]},{"name":"PshedFADiscovery","features":[310]},{"name":"PshedFAErrorInfoRetrieval","features":[310]},{"name":"PshedFAErrorInjection","features":[310]},{"name":"PshedFAErrorRecordPersistence","features":[310]},{"name":"PshedFAErrorRecovery","features":[310]},{"name":"PshedFAErrorSourceControl","features":[310]},{"name":"PshedFreeMemory","features":[310]},{"name":"PshedIsSystemWheaEnabled","features":[310,308]},{"name":"PshedPiEnableNotifyErrorCreateNotifyEvent","features":[310]},{"name":"PshedPiEnableNotifyErrorCreateSystemThread","features":[310]},{"name":"PshedPiEnableNotifyErrorMax","features":[310]},{"name":"PshedPiErrReadingPcieOverridesBadSignature","features":[310]},{"name":"PshedPiErrReadingPcieOverridesBadSize","features":[310]},{"name":"PshedPiErrReadingPcieOverridesNoCapOffset","features":[310]},{"name":"PshedPiErrReadingPcieOverridesNoErr","features":[310]},{"name":"PshedPiErrReadingPcieOverridesNoMemory","features":[310]},{"name":"PshedPiErrReadingPcieOverridesNotBinary","features":[310]},{"name":"PshedPiErrReadingPcieOverridesQueryErr","features":[310]},{"name":"PshedRegisterPlugin","features":[310,308,336]},{"name":"PshedSynchronizeExecution","features":[310,308,336]},{"name":"PshedUnregisterPlugin","features":[310]},{"name":"QuerySecurityDescriptor","features":[310]},{"name":"RCB128Bytes","features":[310]},{"name":"RCB64Bytes","features":[310]},{"name":"RECOVERY_INFO_SECTION_GUID","features":[310]},{"name":"REENUMERATE_SELF_INTERFACE_STANDARD","features":[310]},{"name":"REG_CALLBACK_CONTEXT_CLEANUP_INFORMATION","features":[310]},{"name":"REG_CREATE_KEY_INFORMATION","features":[310,308]},{"name":"REG_CREATE_KEY_INFORMATION_V1","features":[310,308]},{"name":"REG_DELETE_KEY_INFORMATION","features":[310]},{"name":"REG_DELETE_VALUE_KEY_INFORMATION","features":[310,308]},{"name":"REG_ENUMERATE_KEY_INFORMATION","features":[310]},{"name":"REG_ENUMERATE_VALUE_KEY_INFORMATION","features":[310]},{"name":"REG_KEY_HANDLE_CLOSE_INFORMATION","features":[310]},{"name":"REG_LOAD_KEY_INFORMATION","features":[310,308]},{"name":"REG_LOAD_KEY_INFORMATION_V2","features":[310,308]},{"name":"REG_NOTIFY_CLASS","features":[310]},{"name":"REG_POST_CREATE_KEY_INFORMATION","features":[310,308]},{"name":"REG_POST_OPERATION_INFORMATION","features":[310,308]},{"name":"REG_PRE_CREATE_KEY_INFORMATION","features":[310,308]},{"name":"REG_QUERY_KEY_INFORMATION","features":[310]},{"name":"REG_QUERY_KEY_NAME","features":[309,310,308]},{"name":"REG_QUERY_KEY_SECURITY_INFORMATION","features":[310,311]},{"name":"REG_QUERY_VALUE_KEY_INFORMATION","features":[310,308]},{"name":"REG_RENAME_KEY_INFORMATION","features":[310,308]},{"name":"REG_REPLACE_KEY_INFORMATION","features":[310,308]},{"name":"REG_RESTORE_KEY_INFORMATION","features":[310,308]},{"name":"REG_SAVE_KEY_INFORMATION","features":[310,308]},{"name":"REG_SAVE_MERGED_KEY_INFORMATION","features":[310,308]},{"name":"REG_SET_KEY_SECURITY_INFORMATION","features":[310,311]},{"name":"REG_SET_VALUE_KEY_INFORMATION","features":[310,308]},{"name":"REG_UNLOAD_KEY_INFORMATION","features":[310]},{"name":"REQUEST_POWER_COMPLETE","features":[309,312,310,308,311,313,314,315]},{"name":"RESOURCE_HASH_ENTRY","features":[310,314]},{"name":"RESOURCE_HASH_TABLE_SIZE","features":[310]},{"name":"RESOURCE_PERFORMANCE_DATA","features":[310,314]},{"name":"RESOURCE_TRANSLATION_DIRECTION","features":[310]},{"name":"RESULT_NEGATIVE","features":[310]},{"name":"RESULT_POSITIVE","features":[310]},{"name":"RESULT_ZERO","features":[310]},{"name":"ROOT_CMD_ENABLE_CORRECTABLE_ERROR_REPORTING","features":[310]},{"name":"ROOT_CMD_ENABLE_FATAL_ERROR_REPORTING","features":[310]},{"name":"ROOT_CMD_ENABLE_NONFATAL_ERROR_REPORTING","features":[310]},{"name":"RTL_AVL_ALLOCATE_ROUTINE","features":[310]},{"name":"RTL_AVL_COMPARE_ROUTINE","features":[310]},{"name":"RTL_AVL_FREE_ROUTINE","features":[310]},{"name":"RTL_AVL_MATCH_FUNCTION","features":[310,308]},{"name":"RTL_AVL_TABLE","features":[310]},{"name":"RTL_BALANCED_LINKS","features":[310]},{"name":"RTL_BITMAP","features":[310]},{"name":"RTL_BITMAP_RUN","features":[310]},{"name":"RTL_DYNAMIC_HASH_TABLE","features":[310]},{"name":"RTL_DYNAMIC_HASH_TABLE_CONTEXT","features":[310,314]},{"name":"RTL_DYNAMIC_HASH_TABLE_ENTRY","features":[310,314]},{"name":"RTL_DYNAMIC_HASH_TABLE_ENUMERATOR","features":[310,314]},{"name":"RTL_GENERIC_ALLOCATE_ROUTINE","features":[309,310,314]},{"name":"RTL_GENERIC_COMPARE_RESULTS","features":[310]},{"name":"RTL_GENERIC_COMPARE_ROUTINE","features":[309,310,314]},{"name":"RTL_GENERIC_FREE_ROUTINE","features":[309,310,314]},{"name":"RTL_GENERIC_TABLE","features":[309,310,314]},{"name":"RTL_GUID_STRING_SIZE","features":[310]},{"name":"RTL_HASH_ALLOCATED_HEADER","features":[310]},{"name":"RTL_HASH_RESERVED_SIGNATURE","features":[310]},{"name":"RTL_QUERY_REGISTRY_DELETE","features":[310]},{"name":"RTL_QUERY_REGISTRY_DIRECT","features":[310]},{"name":"RTL_QUERY_REGISTRY_NOEXPAND","features":[310]},{"name":"RTL_QUERY_REGISTRY_NOSTRING","features":[310]},{"name":"RTL_QUERY_REGISTRY_NOVALUE","features":[310]},{"name":"RTL_QUERY_REGISTRY_REQUIRED","features":[310]},{"name":"RTL_QUERY_REGISTRY_ROUTINE","features":[310,308]},{"name":"RTL_QUERY_REGISTRY_SUBKEY","features":[310]},{"name":"RTL_QUERY_REGISTRY_TABLE","features":[310,308]},{"name":"RTL_QUERY_REGISTRY_TOPKEY","features":[310]},{"name":"RTL_QUERY_REGISTRY_TYPECHECK","features":[310]},{"name":"RTL_QUERY_REGISTRY_TYPECHECK_SHIFT","features":[310]},{"name":"RTL_REGISTRY_ABSOLUTE","features":[310]},{"name":"RTL_REGISTRY_CONTROL","features":[310]},{"name":"RTL_REGISTRY_DEVICEMAP","features":[310]},{"name":"RTL_REGISTRY_HANDLE","features":[310]},{"name":"RTL_REGISTRY_MAXIMUM","features":[310]},{"name":"RTL_REGISTRY_OPTIONAL","features":[310]},{"name":"RTL_REGISTRY_SERVICES","features":[310]},{"name":"RTL_REGISTRY_USER","features":[310]},{"name":"RTL_REGISTRY_WINDOWS_NT","features":[310]},{"name":"RTL_RUN_ONCE_INIT_FN","features":[310,343]},{"name":"RTL_STACK_WALKING_MODE_FRAMES_TO_SKIP_SHIFT","features":[310]},{"name":"RandomAccess","features":[310]},{"name":"ReadAccess","features":[310]},{"name":"RealModeIrqRoutingTable","features":[310]},{"name":"RealModePCIEnumeration","features":[310]},{"name":"RealTimeWorkQueue","features":[310]},{"name":"RebuildControl","features":[310]},{"name":"RegNtCallbackObjectContextCleanup","features":[310]},{"name":"RegNtDeleteKey","features":[310]},{"name":"RegNtDeleteValueKey","features":[310]},{"name":"RegNtEnumerateKey","features":[310]},{"name":"RegNtEnumerateValueKey","features":[310]},{"name":"RegNtKeyHandleClose","features":[310]},{"name":"RegNtPostCreateKey","features":[310]},{"name":"RegNtPostCreateKeyEx","features":[310]},{"name":"RegNtPostDeleteKey","features":[310]},{"name":"RegNtPostDeleteValueKey","features":[310]},{"name":"RegNtPostEnumerateKey","features":[310]},{"name":"RegNtPostEnumerateValueKey","features":[310]},{"name":"RegNtPostFlushKey","features":[310]},{"name":"RegNtPostKeyHandleClose","features":[310]},{"name":"RegNtPostLoadKey","features":[310]},{"name":"RegNtPostOpenKey","features":[310]},{"name":"RegNtPostOpenKeyEx","features":[310]},{"name":"RegNtPostQueryKey","features":[310]},{"name":"RegNtPostQueryKeyName","features":[310]},{"name":"RegNtPostQueryKeySecurity","features":[310]},{"name":"RegNtPostQueryMultipleValueKey","features":[310]},{"name":"RegNtPostQueryValueKey","features":[310]},{"name":"RegNtPostRenameKey","features":[310]},{"name":"RegNtPostReplaceKey","features":[310]},{"name":"RegNtPostRestoreKey","features":[310]},{"name":"RegNtPostSaveKey","features":[310]},{"name":"RegNtPostSaveMergedKey","features":[310]},{"name":"RegNtPostSetInformationKey","features":[310]},{"name":"RegNtPostSetKeySecurity","features":[310]},{"name":"RegNtPostSetValueKey","features":[310]},{"name":"RegNtPostUnLoadKey","features":[310]},{"name":"RegNtPreCreateKey","features":[310]},{"name":"RegNtPreCreateKeyEx","features":[310]},{"name":"RegNtPreDeleteKey","features":[310]},{"name":"RegNtPreDeleteValueKey","features":[310]},{"name":"RegNtPreEnumerateKey","features":[310]},{"name":"RegNtPreEnumerateValueKey","features":[310]},{"name":"RegNtPreFlushKey","features":[310]},{"name":"RegNtPreKeyHandleClose","features":[310]},{"name":"RegNtPreLoadKey","features":[310]},{"name":"RegNtPreOpenKey","features":[310]},{"name":"RegNtPreOpenKeyEx","features":[310]},{"name":"RegNtPreQueryKey","features":[310]},{"name":"RegNtPreQueryKeyName","features":[310]},{"name":"RegNtPreQueryKeySecurity","features":[310]},{"name":"RegNtPreQueryMultipleValueKey","features":[310]},{"name":"RegNtPreQueryValueKey","features":[310]},{"name":"RegNtPreRenameKey","features":[310]},{"name":"RegNtPreReplaceKey","features":[310]},{"name":"RegNtPreRestoreKey","features":[310]},{"name":"RegNtPreSaveKey","features":[310]},{"name":"RegNtPreSaveMergedKey","features":[310]},{"name":"RegNtPreSetInformationKey","features":[310]},{"name":"RegNtPreSetKeySecurity","features":[310]},{"name":"RegNtPreSetValueKey","features":[310]},{"name":"RegNtPreUnLoadKey","features":[310]},{"name":"RegNtQueryKey","features":[310]},{"name":"RegNtQueryMultipleValueKey","features":[310]},{"name":"RegNtQueryValueKey","features":[310]},{"name":"RegNtRenameKey","features":[310]},{"name":"RegNtSetInformationKey","features":[310]},{"name":"RegNtSetValueKey","features":[310]},{"name":"RemovalPolicyExpectNoRemoval","features":[310]},{"name":"RemovalPolicyExpectOrderlyRemoval","features":[310]},{"name":"RemovalPolicyExpectSurpriseRemoval","features":[310]},{"name":"RemovalRelations","features":[310]},{"name":"ResourceNeverExclusive","features":[310]},{"name":"ResourceOwnedExclusive","features":[310]},{"name":"ResourceReleaseByOtherThread","features":[310]},{"name":"ResourceTypeEventBuffer","features":[310]},{"name":"ResourceTypeExtendedCounterConfiguration","features":[310]},{"name":"ResourceTypeIdenitificationTag","features":[310]},{"name":"ResourceTypeMax","features":[310]},{"name":"ResourceTypeOverflow","features":[310]},{"name":"ResourceTypeRange","features":[310]},{"name":"ResourceTypeSingle","features":[310]},{"name":"ResultNegative","features":[310]},{"name":"ResultPositive","features":[310]},{"name":"ResultZero","features":[310]},{"name":"RtlAppendUnicodeStringToString","features":[310,308]},{"name":"RtlAppendUnicodeToString","features":[310,308]},{"name":"RtlAreBitsClear","features":[310,308]},{"name":"RtlAreBitsSet","features":[310,308]},{"name":"RtlAssert","features":[310]},{"name":"RtlCheckRegistryKey","features":[310,308]},{"name":"RtlClearAllBits","features":[310]},{"name":"RtlClearBit","features":[310]},{"name":"RtlClearBits","features":[310]},{"name":"RtlCmDecodeMemIoResource","features":[310]},{"name":"RtlCmEncodeMemIoResource","features":[310,308]},{"name":"RtlCompareString","features":[310,308,314]},{"name":"RtlCompareUnicodeString","features":[310,308]},{"name":"RtlCompareUnicodeStrings","features":[310,308]},{"name":"RtlContractHashTable","features":[310,308]},{"name":"RtlCopyBitMap","features":[310]},{"name":"RtlCopyString","features":[310,314]},{"name":"RtlCopyUnicodeString","features":[310,308]},{"name":"RtlCreateHashTable","features":[310,308]},{"name":"RtlCreateHashTableEx","features":[310,308]},{"name":"RtlCreateRegistryKey","features":[310,308]},{"name":"RtlCreateSecurityDescriptor","features":[310,308,311]},{"name":"RtlDelete","features":[309,310]},{"name":"RtlDeleteElementGenericTable","features":[309,310,308,314]},{"name":"RtlDeleteElementGenericTableAvl","features":[310,308]},{"name":"RtlDeleteElementGenericTableAvlEx","features":[310]},{"name":"RtlDeleteHashTable","features":[310]},{"name":"RtlDeleteNoSplay","features":[309,310]},{"name":"RtlDeleteRegistryValue","features":[310,308]},{"name":"RtlDowncaseUnicodeChar","features":[310]},{"name":"RtlEndEnumerationHashTable","features":[310,314]},{"name":"RtlEndStrongEnumerationHashTable","features":[310,314]},{"name":"RtlEndWeakEnumerationHashTable","features":[310,314]},{"name":"RtlEnumerateEntryHashTable","features":[310,314]},{"name":"RtlEnumerateGenericTable","features":[309,310,308,314]},{"name":"RtlEnumerateGenericTableAvl","features":[310,308]},{"name":"RtlEnumerateGenericTableLikeADirectory","features":[310,308]},{"name":"RtlEnumerateGenericTableWithoutSplaying","features":[309,310,314]},{"name":"RtlEnumerateGenericTableWithoutSplayingAvl","features":[310]},{"name":"RtlEqualString","features":[310,308,314]},{"name":"RtlEqualUnicodeString","features":[310,308]},{"name":"RtlExpandHashTable","features":[310,308]},{"name":"RtlExtractBitMap","features":[310]},{"name":"RtlFindClearBits","features":[310]},{"name":"RtlFindClearBitsAndSet","features":[310]},{"name":"RtlFindClearRuns","features":[310,308]},{"name":"RtlFindClosestEncodableLength","features":[310,308]},{"name":"RtlFindFirstRunClear","features":[310]},{"name":"RtlFindLastBackwardRunClear","features":[310]},{"name":"RtlFindLeastSignificantBit","features":[310]},{"name":"RtlFindLongestRunClear","features":[310]},{"name":"RtlFindMostSignificantBit","features":[310]},{"name":"RtlFindNextForwardRunClear","features":[310]},{"name":"RtlFindSetBits","features":[310]},{"name":"RtlFindSetBitsAndClear","features":[310]},{"name":"RtlFreeUTF8String","features":[310,314]},{"name":"RtlGUIDFromString","features":[310,308]},{"name":"RtlGenerateClass5Guid","features":[310,308]},{"name":"RtlGetActiveConsoleId","features":[310]},{"name":"RtlGetCallersAddress","features":[310]},{"name":"RtlGetConsoleSessionForegroundProcessId","features":[310]},{"name":"RtlGetElementGenericTable","features":[309,310,314]},{"name":"RtlGetElementGenericTableAvl","features":[310]},{"name":"RtlGetEnabledExtendedFeatures","features":[310]},{"name":"RtlGetNextEntryHashTable","features":[310,314]},{"name":"RtlGetNtProductType","features":[310,308,314]},{"name":"RtlGetNtSystemRoot","features":[310]},{"name":"RtlGetPersistedStateLocation","features":[310,308]},{"name":"RtlGetSuiteMask","features":[310]},{"name":"RtlGetVersion","features":[310,308,338]},{"name":"RtlHashUnicodeString","features":[310,308]},{"name":"RtlInitEnumerationHashTable","features":[310,308,314]},{"name":"RtlInitStrongEnumerationHashTable","features":[310,308,314]},{"name":"RtlInitUTF8String","features":[310,314]},{"name":"RtlInitUTF8StringEx","features":[310,308,314]},{"name":"RtlInitWeakEnumerationHashTable","features":[310,308,314]},{"name":"RtlInitializeBitMap","features":[310]},{"name":"RtlInitializeGenericTable","features":[309,310,314]},{"name":"RtlInitializeGenericTableAvl","features":[310]},{"name":"RtlInsertElementGenericTable","features":[309,310,308,314]},{"name":"RtlInsertElementGenericTableAvl","features":[310,308]},{"name":"RtlInsertElementGenericTableFull","features":[309,310,308,314]},{"name":"RtlInsertElementGenericTableFullAvl","features":[310,308]},{"name":"RtlInsertEntryHashTable","features":[310,308,314]},{"name":"RtlInt64ToUnicodeString","features":[310,308]},{"name":"RtlIntegerToUnicodeString","features":[310,308]},{"name":"RtlIoDecodeMemIoResource","features":[310]},{"name":"RtlIoEncodeMemIoResource","features":[310,308]},{"name":"RtlIsApiSetImplemented","features":[310,308]},{"name":"RtlIsGenericTableEmpty","features":[309,310,308,314]},{"name":"RtlIsGenericTableEmptyAvl","features":[310,308]},{"name":"RtlIsMultiSessionSku","features":[310,308]},{"name":"RtlIsMultiUsersInSessionSku","features":[310,308]},{"name":"RtlIsNtDdiVersionAvailable","features":[310,308]},{"name":"RtlIsServicePackVersionInstalled","features":[310,308]},{"name":"RtlIsStateSeparationEnabled","features":[310,308]},{"name":"RtlIsUntrustedObject","features":[310,308]},{"name":"RtlLengthSecurityDescriptor","features":[310,311]},{"name":"RtlLookupElementGenericTable","features":[309,310,314]},{"name":"RtlLookupElementGenericTableAvl","features":[310]},{"name":"RtlLookupElementGenericTableFull","features":[309,310,314]},{"name":"RtlLookupElementGenericTableFullAvl","features":[310]},{"name":"RtlLookupEntryHashTable","features":[310,314]},{"name":"RtlLookupFirstMatchingElementGenericTableAvl","features":[310]},{"name":"RtlMapGenericMask","features":[310,311]},{"name":"RtlNormalizeSecurityDescriptor","features":[310,308,311]},{"name":"RtlNumberGenericTableElements","features":[309,310,314]},{"name":"RtlNumberGenericTableElementsAvl","features":[310]},{"name":"RtlNumberOfClearBits","features":[310]},{"name":"RtlNumberOfClearBitsInRange","features":[310]},{"name":"RtlNumberOfSetBits","features":[310]},{"name":"RtlNumberOfSetBitsInRange","features":[310]},{"name":"RtlNumberOfSetBitsUlongPtr","features":[310]},{"name":"RtlPrefetchMemoryNonTemporal","features":[310]},{"name":"RtlPrefixUnicodeString","features":[310,308]},{"name":"RtlQueryRegistryValueWithFallback","features":[310,308]},{"name":"RtlQueryRegistryValues","features":[310,308]},{"name":"RtlQueryValidationRunlevel","features":[310,308]},{"name":"RtlRealPredecessor","features":[309,310]},{"name":"RtlRealSuccessor","features":[309,310]},{"name":"RtlRemoveEntryHashTable","features":[310,308,314]},{"name":"RtlRunOnceBeginInitialize","features":[310,308,343]},{"name":"RtlRunOnceComplete","features":[310,308,343]},{"name":"RtlRunOnceExecuteOnce","features":[310,308,343]},{"name":"RtlRunOnceInitialize","features":[310,343]},{"name":"RtlSetAllBits","features":[310]},{"name":"RtlSetBit","features":[310]},{"name":"RtlSetBits","features":[310]},{"name":"RtlSetDaclSecurityDescriptor","features":[310,308,311]},{"name":"RtlSetSystemGlobalData","features":[310,308,338]},{"name":"RtlSplay","features":[309,310]},{"name":"RtlStringFromGUID","features":[310,308]},{"name":"RtlStronglyEnumerateEntryHashTable","features":[310,314]},{"name":"RtlSubtreePredecessor","features":[309,310]},{"name":"RtlSubtreeSuccessor","features":[309,310]},{"name":"RtlSuffixUnicodeString","features":[310,308]},{"name":"RtlTestBit","features":[310,308]},{"name":"RtlTimeFieldsToTime","features":[310,308]},{"name":"RtlTimeToTimeFields","features":[310]},{"name":"RtlUTF8StringToUnicodeString","features":[310,308,314]},{"name":"RtlUTF8ToUnicodeN","features":[310,308]},{"name":"RtlUnicodeStringToInt64","features":[310,308]},{"name":"RtlUnicodeStringToInteger","features":[310,308]},{"name":"RtlUnicodeStringToUTF8String","features":[310,308,314]},{"name":"RtlUnicodeToUTF8N","features":[310,308]},{"name":"RtlUpcaseUnicodeChar","features":[310]},{"name":"RtlUpcaseUnicodeString","features":[310,308]},{"name":"RtlUpperChar","features":[310]},{"name":"RtlUpperString","features":[310,314]},{"name":"RtlValidRelativeSecurityDescriptor","features":[310,308,311]},{"name":"RtlValidSecurityDescriptor","features":[310,308,311]},{"name":"RtlVerifyVersionInfo","features":[310,308,338]},{"name":"RtlVolumeDeviceToDosName","features":[310,308]},{"name":"RtlWalkFrameChain","features":[310]},{"name":"RtlWeaklyEnumerateEntryHashTable","features":[310,314]},{"name":"RtlWriteRegistryValue","features":[310,308]},{"name":"RtlxAnsiStringToUnicodeSize","features":[310,314]},{"name":"RtlxUnicodeStringToAnsiSize","features":[310,308]},{"name":"SCATTER_GATHER_ELEMENT","features":[310]},{"name":"SCATTER_GATHER_LIST","features":[310]},{"name":"SCI_NOTIFY_TYPE_GUID","features":[310]},{"name":"SDEV_IDENTIFIER_INTERFACE","features":[310]},{"name":"SDEV_IDENTIFIER_INTERFACE_VERSION","features":[310]},{"name":"SEA_NOTIFY_TYPE_GUID","features":[310]},{"name":"SEA_SECTION_GUID","features":[310]},{"name":"SECTION_INHERIT","features":[310]},{"name":"SECTION_MAP_EXECUTE","features":[310]},{"name":"SECTION_MAP_EXECUTE_EXPLICIT","features":[310]},{"name":"SECTION_MAP_READ","features":[310]},{"name":"SECTION_MAP_WRITE","features":[310]},{"name":"SECTION_QUERY","features":[310]},{"name":"SECURE_DRIVER_INTERFACE","features":[309,310]},{"name":"SECURE_DRIVER_INTERFACE_VERSION","features":[310]},{"name":"SECURE_DRIVER_PROCESS_DEREFERENCE","features":[309,310]},{"name":"SECURE_DRIVER_PROCESS_REFERENCE","features":[309,310]},{"name":"SECURE_POOL_FLAGS_FREEABLE","features":[310]},{"name":"SECURE_POOL_FLAGS_MODIFIABLE","features":[310]},{"name":"SECURE_POOL_FLAGS_NONE","features":[310]},{"name":"SECURE_SECTION_ALLOW_PARTIAL_MDL","features":[310]},{"name":"SECURITY_CONTEXT_TRACKING_MODE","features":[310]},{"name":"SECURITY_OPERATION_CODE","features":[310]},{"name":"SEC_LARGE_PAGES","features":[310]},{"name":"SEH_VALIDATION_POLICY_DEFER","features":[310]},{"name":"SEH_VALIDATION_POLICY_OFF","features":[310]},{"name":"SEH_VALIDATION_POLICY_ON","features":[310]},{"name":"SEH_VALIDATION_POLICY_TELEMETRY","features":[310]},{"name":"SEI_NOTIFY_TYPE_GUID","features":[310]},{"name":"SEI_SECTION_GUID","features":[310]},{"name":"SEMAPHORE_QUERY_STATE","features":[310]},{"name":"SET_D3COLD_SUPPORT","features":[310,308]},{"name":"SET_VIRTUAL_DEVICE_DATA","features":[310]},{"name":"SE_ASSIGNPRIMARYTOKEN_PRIVILEGE","features":[310]},{"name":"SE_AUDIT_PRIVILEGE","features":[310]},{"name":"SE_BACKUP_PRIVILEGE","features":[310]},{"name":"SE_CHANGE_NOTIFY_PRIVILEGE","features":[310]},{"name":"SE_CREATE_GLOBAL_PRIVILEGE","features":[310]},{"name":"SE_CREATE_PAGEFILE_PRIVILEGE","features":[310]},{"name":"SE_CREATE_PERMANENT_PRIVILEGE","features":[310]},{"name":"SE_CREATE_SYMBOLIC_LINK_PRIVILEGE","features":[310]},{"name":"SE_CREATE_TOKEN_PRIVILEGE","features":[310]},{"name":"SE_DEBUG_PRIVILEGE","features":[310]},{"name":"SE_DELEGATE_SESSION_USER_IMPERSONATE_PRIVILEGE","features":[310]},{"name":"SE_ENABLE_DELEGATION_PRIVILEGE","features":[310]},{"name":"SE_IMAGE_TYPE","features":[310]},{"name":"SE_IMAGE_VERIFICATION_CALLBACK_FUNCTION","features":[310,308]},{"name":"SE_IMAGE_VERIFICATION_CALLBACK_TYPE","features":[310]},{"name":"SE_IMPERSONATE_PRIVILEGE","features":[310]},{"name":"SE_INCREASE_QUOTA_PRIVILEGE","features":[310]},{"name":"SE_INC_BASE_PRIORITY_PRIVILEGE","features":[310]},{"name":"SE_INC_WORKING_SET_PRIVILEGE","features":[310]},{"name":"SE_LOAD_DRIVER_PRIVILEGE","features":[310]},{"name":"SE_LOCK_MEMORY_PRIVILEGE","features":[310]},{"name":"SE_MACHINE_ACCOUNT_PRIVILEGE","features":[310]},{"name":"SE_MANAGE_VOLUME_PRIVILEGE","features":[310]},{"name":"SE_MAX_WELL_KNOWN_PRIVILEGE","features":[310]},{"name":"SE_MIN_WELL_KNOWN_PRIVILEGE","features":[310]},{"name":"SE_PROF_SINGLE_PROCESS_PRIVILEGE","features":[310]},{"name":"SE_RELABEL_PRIVILEGE","features":[310]},{"name":"SE_REMOTE_SHUTDOWN_PRIVILEGE","features":[310]},{"name":"SE_RESTORE_PRIVILEGE","features":[310]},{"name":"SE_SECURITY_PRIVILEGE","features":[310]},{"name":"SE_SHUTDOWN_PRIVILEGE","features":[310]},{"name":"SE_SYNC_AGENT_PRIVILEGE","features":[310]},{"name":"SE_SYSTEMTIME_PRIVILEGE","features":[310]},{"name":"SE_SYSTEM_ENVIRONMENT_PRIVILEGE","features":[310]},{"name":"SE_SYSTEM_PROFILE_PRIVILEGE","features":[310]},{"name":"SE_TAKE_OWNERSHIP_PRIVILEGE","features":[310]},{"name":"SE_TCB_PRIVILEGE","features":[310]},{"name":"SE_TIME_ZONE_PRIVILEGE","features":[310]},{"name":"SE_TRUSTED_CREDMAN_ACCESS_PRIVILEGE","features":[310]},{"name":"SE_UNDOCK_PRIVILEGE","features":[310]},{"name":"SE_UNSOLICITED_INPUT_PRIVILEGE","features":[310]},{"name":"SHARED_GLOBAL_FLAGS_CLEAR_GLOBAL_DATA_FLAG","features":[310]},{"name":"SHARED_GLOBAL_FLAGS_CONSOLE_BROKER_ENABLED_V","features":[310]},{"name":"SHARED_GLOBAL_FLAGS_DYNAMIC_PROC_ENABLED_V","features":[310]},{"name":"SHARED_GLOBAL_FLAGS_ELEVATION_ENABLED_V","features":[310]},{"name":"SHARED_GLOBAL_FLAGS_ERROR_PORT_V","features":[310]},{"name":"SHARED_GLOBAL_FLAGS_INSTALLER_DETECT_ENABLED_V","features":[310]},{"name":"SHARED_GLOBAL_FLAGS_LKG_ENABLED_V","features":[310]},{"name":"SHARED_GLOBAL_FLAGS_MULTIUSERS_IN_SESSION_SKU_V","features":[310]},{"name":"SHARED_GLOBAL_FLAGS_MULTI_SESSION_SKU_V","features":[310]},{"name":"SHARED_GLOBAL_FLAGS_QPC_BYPASS_A73_ERRATA","features":[310]},{"name":"SHARED_GLOBAL_FLAGS_QPC_BYPASS_DISABLE_32BIT","features":[310]},{"name":"SHARED_GLOBAL_FLAGS_QPC_BYPASS_ENABLED","features":[310]},{"name":"SHARED_GLOBAL_FLAGS_QPC_BYPASS_USE_HV_PAGE","features":[310]},{"name":"SHARED_GLOBAL_FLAGS_QPC_BYPASS_USE_LFENCE","features":[310]},{"name":"SHARED_GLOBAL_FLAGS_QPC_BYPASS_USE_MFENCE","features":[310]},{"name":"SHARED_GLOBAL_FLAGS_QPC_BYPASS_USE_RDTSCP","features":[310]},{"name":"SHARED_GLOBAL_FLAGS_SECURE_BOOT_ENABLED_V","features":[310]},{"name":"SHARED_GLOBAL_FLAGS_SET_GLOBAL_DATA_FLAG","features":[310]},{"name":"SHARED_GLOBAL_FLAGS_STATE_SEPARATION_ENABLED_V","features":[310]},{"name":"SHARED_GLOBAL_FLAGS_VIRT_ENABLED_V","features":[310]},{"name":"SHARE_ACCESS","features":[310]},{"name":"SHORT_LEAST_SIGNIFICANT_BIT","features":[310]},{"name":"SHORT_MOST_SIGNIFICANT_BIT","features":[310]},{"name":"SIGNAL_REG_VALUE","features":[310]},{"name":"SILO_CONTEXT_CLEANUP_CALLBACK","features":[310]},{"name":"SILO_MONITOR_CREATE_CALLBACK","features":[309,310,308]},{"name":"SILO_MONITOR_REGISTRATION","features":[309,310,308]},{"name":"SILO_MONITOR_REGISTRATION_VERSION","features":[310]},{"name":"SILO_MONITOR_TERMINATE_CALLBACK","features":[309,310]},{"name":"SINGLE_GROUP_LEGACY_API","features":[310]},{"name":"SL_ALLOW_RAW_MOUNT","features":[310]},{"name":"SL_BYPASS_ACCESS_CHECK","features":[310]},{"name":"SL_BYPASS_IO","features":[310]},{"name":"SL_CASE_SENSITIVE","features":[310]},{"name":"SL_ERROR_RETURNED","features":[310]},{"name":"SL_EXCLUSIVE_LOCK","features":[310]},{"name":"SL_FAIL_IMMEDIATELY","features":[310]},{"name":"SL_FORCE_ACCESS_CHECK","features":[310]},{"name":"SL_FORCE_ASYNCHRONOUS","features":[310]},{"name":"SL_FORCE_DIRECT_WRITE","features":[310]},{"name":"SL_FT_SEQUENTIAL_WRITE","features":[310]},{"name":"SL_IGNORE_READONLY_ATTRIBUTE","features":[310]},{"name":"SL_INDEX_SPECIFIED","features":[310]},{"name":"SL_INFO_FORCE_ACCESS_CHECK","features":[310]},{"name":"SL_INFO_IGNORE_READONLY_ATTRIBUTE","features":[310]},{"name":"SL_INVOKE_ON_CANCEL","features":[310]},{"name":"SL_INVOKE_ON_ERROR","features":[310]},{"name":"SL_INVOKE_ON_SUCCESS","features":[310]},{"name":"SL_KEY_SPECIFIED","features":[310]},{"name":"SL_NO_CURSOR_UPDATE","features":[310]},{"name":"SL_OPEN_PAGING_FILE","features":[310]},{"name":"SL_OPEN_TARGET_DIRECTORY","features":[310]},{"name":"SL_OVERRIDE_VERIFY_VOLUME","features":[310]},{"name":"SL_PENDING_RETURNED","features":[310]},{"name":"SL_PERSISTENT_MEMORY_FIXED_MAPPING","features":[310]},{"name":"SL_QUERY_DIRECTORY_MASK","features":[310]},{"name":"SL_READ_ACCESS_GRANTED","features":[310]},{"name":"SL_REALTIME_STREAM","features":[310]},{"name":"SL_RESTART_SCAN","features":[310]},{"name":"SL_RETURN_ON_DISK_ENTRIES_ONLY","features":[310]},{"name":"SL_RETURN_SINGLE_ENTRY","features":[310]},{"name":"SL_STOP_ON_SYMLINK","features":[310]},{"name":"SL_WATCH_TREE","features":[310]},{"name":"SL_WRITE_ACCESS_GRANTED","features":[310]},{"name":"SL_WRITE_THROUGH","features":[310]},{"name":"SOC_SUBSYSTEM_FAILURE_DETAILS","features":[310]},{"name":"SOC_SUBSYSTEM_TYPE","features":[310]},{"name":"SOC_SUBSYS_AUDIO_DSP","features":[310]},{"name":"SOC_SUBSYS_COMPUTE_DSP","features":[310]},{"name":"SOC_SUBSYS_SECURE_PROC","features":[310]},{"name":"SOC_SUBSYS_SENSORS","features":[310]},{"name":"SOC_SUBSYS_VENDOR_DEFINED","features":[310]},{"name":"SOC_SUBSYS_WIRELESS_MODEM","features":[310]},{"name":"SOC_SUBSYS_WIRELSS_CONNECTIVITY","features":[310]},{"name":"SSINFO_FLAGS_ALIGNED_DEVICE","features":[310]},{"name":"SSINFO_FLAGS_BYTE_ADDRESSABLE","features":[310]},{"name":"SSINFO_FLAGS_NO_SEEK_PENALTY","features":[310]},{"name":"SSINFO_FLAGS_PARTITION_ALIGNED_ON_DEVICE","features":[310]},{"name":"SSINFO_FLAGS_TRIM_ENABLED","features":[310]},{"name":"SSINFO_OFFSET_UNKNOWN","features":[310]},{"name":"STATE_LOCATION_TYPE","features":[310]},{"name":"SUBSYSTEM_INFORMATION_TYPE","features":[310]},{"name":"SYMBOLIC_LINK_QUERY","features":[310]},{"name":"SYMBOLIC_LINK_SET","features":[310]},{"name":"SYSTEM_CALL_INT_2E","features":[310]},{"name":"SYSTEM_CALL_SYSCALL","features":[310]},{"name":"SYSTEM_FIRMWARE_TABLE_ACTION","features":[310]},{"name":"SYSTEM_FIRMWARE_TABLE_HANDLER","features":[310,308]},{"name":"SYSTEM_FIRMWARE_TABLE_INFORMATION","features":[310]},{"name":"SYSTEM_POWER_CONDITION","features":[310]},{"name":"SYSTEM_POWER_STATE_CONTEXT","features":[310]},{"name":"ScsiAdapter","features":[310]},{"name":"SeAccessCheck","features":[309,310,308,311]},{"name":"SeAssignSecurity","features":[309,310,308,311]},{"name":"SeAssignSecurityEx","features":[309,310,308,311]},{"name":"SeCaptureSubjectContext","features":[309,310,311]},{"name":"SeComputeAutoInheritByObjectType","features":[310,311]},{"name":"SeDeassignSecurity","features":[310,308,311]},{"name":"SeEtwWriteKMCveEvent","features":[310,308]},{"name":"SeImageTypeDriver","features":[310]},{"name":"SeImageTypeDynamicCodeFile","features":[310]},{"name":"SeImageTypeElamDriver","features":[310]},{"name":"SeImageTypeMax","features":[310]},{"name":"SeImageTypePlatformSecureFile","features":[310]},{"name":"SeImageVerificationCallbackInformational","features":[310]},{"name":"SeLockSubjectContext","features":[309,310,311]},{"name":"SeRegisterImageVerificationCallback","features":[310,308]},{"name":"SeReleaseSubjectContext","features":[309,310,311]},{"name":"SeReportSecurityEvent","features":[310,308,329]},{"name":"SeSetAuditParameter","features":[310,308,329]},{"name":"SeSinglePrivilegeCheck","features":[310,308]},{"name":"SeUnlockSubjectContext","features":[309,310,311]},{"name":"SeUnregisterImageVerificationCallback","features":[310]},{"name":"SeValidSecurityDescriptor","features":[310,308,311]},{"name":"SecondaryCache","features":[310]},{"name":"SecondaryDcache","features":[310]},{"name":"SecondaryIcache","features":[310]},{"name":"SequentialAccess","features":[310]},{"name":"SerialController","features":[310]},{"name":"SetSecurityDescriptor","features":[310]},{"name":"SgiInternalConfiguration","features":[310]},{"name":"SharedInterruptTime","features":[310]},{"name":"SharedSystemTime","features":[310]},{"name":"SharedTickCount","features":[310]},{"name":"SingleBusRelations","features":[310]},{"name":"SlotEmpty","features":[310]},{"name":"StandardDesign","features":[310]},{"name":"StopCompletion","features":[310]},{"name":"SubsystemInformationTypeWSL","features":[310]},{"name":"SubsystemInformationTypeWin32","features":[310]},{"name":"SuperCriticalWorkQueue","features":[310]},{"name":"Suspended","features":[310]},{"name":"SystemFirmwareTable_Enumerate","features":[310]},{"name":"SystemFirmwareTable_Get","features":[310]},{"name":"SystemMemory","features":[310]},{"name":"SystemMemoryPartitionDedicatedMemoryInformation","features":[310]},{"name":"SystemMemoryPartitionInformation","features":[310]},{"name":"SystemMemoryPartitionOpenDedicatedMemory","features":[310]},{"name":"SystemPowerState","features":[310]},{"name":"TABLE_SEARCH_RESULT","features":[310]},{"name":"TARGET_DEVICE_REMOVAL_NOTIFICATION","features":[309,312,310,308,311,313,314,315]},{"name":"THREAD_ALERT","features":[310]},{"name":"THREAD_CSWITCH_PMU_DISABLE","features":[310]},{"name":"THREAD_CSWITCH_PMU_ENABLE","features":[310]},{"name":"THREAD_GET_CONTEXT","features":[310]},{"name":"THREAD_WAIT_OBJECTS","features":[310]},{"name":"TIMER_EXPIRED_INDEX_BITS","features":[310]},{"name":"TIMER_PROCESSOR_INDEX_BITS","features":[310]},{"name":"TIMER_SET_COALESCABLE_TIMER_INFO","features":[310,308]},{"name":"TIMER_SET_INFORMATION_CLASS","features":[310]},{"name":"TIMER_TOLERABLE_DELAY_BITS","features":[310]},{"name":"TIME_FIELDS","features":[310]},{"name":"TRACE_INFORMATION_CLASS","features":[310]},{"name":"TRANSLATE_BUS_ADDRESS","features":[310,308]},{"name":"TRANSLATOR_INTERFACE","features":[309,312,310,308,311,313,314,315]},{"name":"TREE_CONNECT_NO_CLIENT_BUFFERING","features":[310]},{"name":"TREE_CONNECT_WRITE_THROUGH","features":[310]},{"name":"TXF_MINIVERSION_DEFAULT_VIEW","features":[310]},{"name":"TXN_PARAMETER_BLOCK","features":[310]},{"name":"TableEmptyTree","features":[310]},{"name":"TableFoundNode","features":[310]},{"name":"TableInsertAsLeft","features":[310]},{"name":"TableInsertAsRight","features":[310]},{"name":"TapeController","features":[310]},{"name":"TapePeripheral","features":[310]},{"name":"TargetDeviceRelation","features":[310]},{"name":"TcAdapter","features":[310]},{"name":"TerminalPeripheral","features":[310]},{"name":"TimerSetCoalescableTimer","features":[310]},{"name":"TlbMatchConflict","features":[310]},{"name":"TmCommitComplete","features":[309,310,308]},{"name":"TmCommitEnlistment","features":[309,310,308]},{"name":"TmCommitTransaction","features":[309,310,308]},{"name":"TmCreateEnlistment","features":[309,310,308]},{"name":"TmDereferenceEnlistmentKey","features":[309,310,308]},{"name":"TmEnableCallbacks","features":[309,310,308]},{"name":"TmGetTransactionId","features":[309,310]},{"name":"TmInitializeTransactionManager","features":[310,308]},{"name":"TmIsTransactionActive","features":[309,310,308]},{"name":"TmPrePrepareComplete","features":[309,310,308]},{"name":"TmPrePrepareEnlistment","features":[309,310,308]},{"name":"TmPrepareComplete","features":[309,310,308]},{"name":"TmPrepareEnlistment","features":[309,310,308]},{"name":"TmPropagationComplete","features":[309,310,308]},{"name":"TmPropagationFailed","features":[309,310,308]},{"name":"TmReadOnlyEnlistment","features":[309,310,308]},{"name":"TmRecoverEnlistment","features":[309,310,308]},{"name":"TmRecoverResourceManager","features":[309,310,308]},{"name":"TmRecoverTransactionManager","features":[309,310,308]},{"name":"TmReferenceEnlistmentKey","features":[309,310,308]},{"name":"TmRenameTransactionManager","features":[310,308]},{"name":"TmRequestOutcomeEnlistment","features":[309,310,308]},{"name":"TmRollbackComplete","features":[309,310,308]},{"name":"TmRollbackEnlistment","features":[309,310,308]},{"name":"TmRollbackTransaction","features":[309,310,308]},{"name":"TmSinglePhaseReject","features":[309,310,308]},{"name":"TraceEnableFlagsClass","features":[310]},{"name":"TraceEnableLevelClass","features":[310]},{"name":"TraceHandleByNameClass","features":[310]},{"name":"TraceHandleClass","features":[310]},{"name":"TraceIdClass","features":[310]},{"name":"TraceInformationClassReserved1","features":[310]},{"name":"TraceInformationClassReserved2","features":[310]},{"name":"TraceSessionSettingsClass","features":[310]},{"name":"TranslateChildToParent","features":[310]},{"name":"TranslateParentToChild","features":[310]},{"name":"TranslationFault","features":[310]},{"name":"TransportRelations","features":[310]},{"name":"TurboChannel","features":[310]},{"name":"TypeA","features":[310]},{"name":"TypeB","features":[310]},{"name":"TypeC","features":[310]},{"name":"TypeF","features":[310]},{"name":"UADDRESS_BASE","features":[310]},{"name":"UnsupportedUpstreamTransaction","features":[310]},{"name":"UserMode","features":[310]},{"name":"UserNotPresent","features":[310]},{"name":"UserPresent","features":[310]},{"name":"UserRequest","features":[310]},{"name":"UserUnknown","features":[310]},{"name":"VIRTUAL_CHANNEL_CAPABILITIES1","features":[310]},{"name":"VIRTUAL_CHANNEL_CAPABILITIES2","features":[310]},{"name":"VIRTUAL_CHANNEL_CONTROL","features":[310]},{"name":"VIRTUAL_CHANNEL_STATUS","features":[310]},{"name":"VIRTUAL_RESOURCE","features":[310]},{"name":"VIRTUAL_RESOURCE_CAPABILITY","features":[310]},{"name":"VIRTUAL_RESOURCE_CONTROL","features":[310]},{"name":"VIRTUAL_RESOURCE_STATUS","features":[310]},{"name":"VMEBus","features":[310]},{"name":"VMEConfiguration","features":[310]},{"name":"VM_COUNTERS","features":[310]},{"name":"VM_COUNTERS_EX","features":[310]},{"name":"VM_COUNTERS_EX2","features":[310]},{"name":"VPB_DIRECT_WRITES_ALLOWED","features":[310]},{"name":"VPB_DISMOUNTING","features":[310]},{"name":"VPB_FLAGS_BYPASSIO_BLOCKED","features":[310]},{"name":"VPB_LOCKED","features":[310]},{"name":"VPB_MOUNTED","features":[310]},{"name":"VPB_PERSISTENT","features":[310]},{"name":"VPB_RAW_MOUNT","features":[310]},{"name":"VPB_REMOVE_PENDING","features":[310]},{"name":"ViewShare","features":[310]},{"name":"ViewUnmap","features":[310]},{"name":"Vmcs","features":[310]},{"name":"VslCreateSecureSection","features":[309,310,308]},{"name":"VslDeleteSecureSection","features":[310,308]},{"name":"WAIT_CONTEXT_BLOCK","features":[309,312,310,308,311,313,314,315]},{"name":"WCS_RAS_REGISTER_NAME_MAX_LENGTH","features":[310]},{"name":"WDM_MAJORVERSION","features":[310]},{"name":"WDM_MINORVERSION","features":[310]},{"name":"WHEA128A","features":[310]},{"name":"WHEAP_ACPI_TIMEOUT_EVENT","features":[310]},{"name":"WHEAP_ADD_REMOVE_ERROR_SOURCE_EVENT","features":[310,308,336]},{"name":"WHEAP_ATTEMPT_RECOVERY_EVENT","features":[310,308]},{"name":"WHEAP_BAD_HEST_NOTIFY_DATA_EVENT","features":[310,336]},{"name":"WHEAP_CLEARED_POISON_EVENT","features":[310]},{"name":"WHEAP_CMCI_IMPLEMENTED_EVENT","features":[310,308]},{"name":"WHEAP_CMCI_INITERR_EVENT","features":[310]},{"name":"WHEAP_CMCI_RESTART_EVENT","features":[310]},{"name":"WHEAP_CREATE_GENERIC_RECORD_EVENT","features":[310,308]},{"name":"WHEAP_DEFERRED_EVENT","features":[310,314]},{"name":"WHEAP_DEVICE_DRV_EVENT","features":[310]},{"name":"WHEAP_DPC_ERROR_EVENT","features":[310]},{"name":"WHEAP_DPC_ERROR_EVENT_TYPE","features":[310]},{"name":"WHEAP_DROPPED_CORRECTED_ERROR_EVENT","features":[310,336]},{"name":"WHEAP_EDPC_ENABLED_EVENT","features":[310,308]},{"name":"WHEAP_ERROR_CLEARED_EVENT","features":[310]},{"name":"WHEAP_ERROR_RECORD_EVENT","features":[310]},{"name":"WHEAP_ERR_SRC_ARRAY_INVALID_EVENT","features":[310]},{"name":"WHEAP_ERR_SRC_INVALID_EVENT","features":[310,308,336]},{"name":"WHEAP_FOUND_ERROR_IN_BANK_EVENT","features":[310]},{"name":"WHEAP_GENERIC_ERR_MEM_MAP_EVENT","features":[310]},{"name":"WHEAP_OSC_IMPLEMENTED","features":[310,308]},{"name":"WHEAP_PCIE_CONFIG_INFO","features":[310]},{"name":"WHEAP_PCIE_OVERRIDE_INFO","features":[310]},{"name":"WHEAP_PCIE_READ_OVERRIDES_ERR","features":[310,308]},{"name":"WHEAP_PFA_MEMORY_OFFLINED","features":[310,308]},{"name":"WHEAP_PFA_MEMORY_POLICY","features":[310,308]},{"name":"WHEAP_PFA_MEMORY_REMOVE_MONITOR","features":[310]},{"name":"WHEAP_PFA_OFFLINE_DECISION_TYPE","features":[310]},{"name":"WHEAP_PLUGIN_DEFECT_LIST_CORRUPT","features":[310]},{"name":"WHEAP_PLUGIN_DEFECT_LIST_FULL_EVENT","features":[310]},{"name":"WHEAP_PLUGIN_DEFECT_LIST_UEFI_VAR_FAILED","features":[310]},{"name":"WHEAP_PLUGIN_PFA_EVENT","features":[310,308]},{"name":"WHEAP_PROCESS_EINJ_EVENT","features":[310,308]},{"name":"WHEAP_PROCESS_HEST_EVENT","features":[310,308]},{"name":"WHEAP_PSHED_INJECT_ERROR","features":[310,308]},{"name":"WHEAP_PSHED_PLUGIN_REGISTER","features":[310,308]},{"name":"WHEAP_ROW_FAILURE_EVENT","features":[310]},{"name":"WHEAP_SPURIOUS_AER_EVENT","features":[310]},{"name":"WHEAP_STARTED_REPORT_HW_ERROR","features":[310,336]},{"name":"WHEAP_STUCK_ERROR_EVENT","features":[310]},{"name":"WHEA_ACPI_HEADER","features":[310]},{"name":"WHEA_AMD_EXTENDED_REGISTERS","features":[310]},{"name":"WHEA_AMD_EXT_REG_NUM","features":[310]},{"name":"WHEA_ARMV8_AARCH32_GPRS","features":[310]},{"name":"WHEA_ARMV8_AARCH64_EL3_CSR","features":[310]},{"name":"WHEA_ARMV8_AARCH64_GPRS","features":[310]},{"name":"WHEA_ARM_AARCH32_EL1_CSR","features":[310]},{"name":"WHEA_ARM_AARCH32_EL2_CSR","features":[310]},{"name":"WHEA_ARM_AARCH32_SECURE_CSR","features":[310]},{"name":"WHEA_ARM_AARCH64_EL1_CSR","features":[310]},{"name":"WHEA_ARM_AARCH64_EL2_CSR","features":[310]},{"name":"WHEA_ARM_BUS_ERROR","features":[310]},{"name":"WHEA_ARM_BUS_ERROR_VALID_BITS","features":[310]},{"name":"WHEA_ARM_CACHE_ERROR","features":[310]},{"name":"WHEA_ARM_CACHE_ERROR_VALID_BITS","features":[310]},{"name":"WHEA_ARM_MISC_CSR","features":[310]},{"name":"WHEA_ARM_PROCESSOR_ERROR","features":[310]},{"name":"WHEA_ARM_PROCESSOR_ERROR_CONTEXT_INFORMATION_HEADER","features":[310]},{"name":"WHEA_ARM_PROCESSOR_ERROR_CONTEXT_INFORMATION_HEADER_FLAGS","features":[310]},{"name":"WHEA_ARM_PROCESSOR_ERROR_INFORMATION","features":[310]},{"name":"WHEA_ARM_PROCESSOR_ERROR_INFORMATION_VALID_BITS","features":[310]},{"name":"WHEA_ARM_PROCESSOR_ERROR_SECTION","features":[310]},{"name":"WHEA_ARM_PROCESSOR_ERROR_SECTION_VALID_BITS","features":[310]},{"name":"WHEA_ARM_TLB_ERROR","features":[310]},{"name":"WHEA_ARM_TLB_ERROR_VALID_BITS","features":[310]},{"name":"WHEA_AZCC_ROOT_BUS_ERR_EVENT","features":[310,308]},{"name":"WHEA_AZCC_ROOT_BUS_LIST_EVENT","features":[310]},{"name":"WHEA_AZCC_SET_POISON_EVENT","features":[310,308]},{"name":"WHEA_BUGCHECK_RECOVERY_LOG_TYPE","features":[310]},{"name":"WHEA_BUSCHECK_GUID","features":[310]},{"name":"WHEA_CACHECHECK_GUID","features":[310]},{"name":"WHEA_CPU_VENDOR","features":[310]},{"name":"WHEA_DEVICE_ERROR_SUMMARY_GUID","features":[310]},{"name":"WHEA_DPC_CAPABILITY_SECTION_GUID","features":[310]},{"name":"WHEA_ERROR_INJECTION_CAPABILITIES","features":[310]},{"name":"WHEA_ERROR_LOG_ENTRY_VERSION","features":[310]},{"name":"WHEA_ERROR_PACKET_DATA_FORMAT","features":[310]},{"name":"WHEA_ERROR_PACKET_FLAGS","features":[310]},{"name":"WHEA_ERROR_PACKET_SECTION_GUID","features":[310]},{"name":"WHEA_ERROR_PACKET_V1","features":[310,336]},{"name":"WHEA_ERROR_PACKET_V1_VERSION","features":[310]},{"name":"WHEA_ERROR_PACKET_V2","features":[310,336]},{"name":"WHEA_ERROR_PACKET_V2_VERSION","features":[310]},{"name":"WHEA_ERROR_PACKET_VERSION","features":[310]},{"name":"WHEA_ERROR_PKT_VERSION","features":[310]},{"name":"WHEA_ERROR_RECORD","features":[310]},{"name":"WHEA_ERROR_RECORD_FLAGS_DEVICE_DRIVER","features":[310]},{"name":"WHEA_ERROR_RECORD_FLAGS_PREVIOUSERROR","features":[310]},{"name":"WHEA_ERROR_RECORD_FLAGS_RECOVERED","features":[310]},{"name":"WHEA_ERROR_RECORD_FLAGS_SIMULATED","features":[310]},{"name":"WHEA_ERROR_RECORD_HEADER","features":[310]},{"name":"WHEA_ERROR_RECORD_HEADER_FLAGS","features":[310]},{"name":"WHEA_ERROR_RECORD_HEADER_VALIDBITS","features":[310]},{"name":"WHEA_ERROR_RECORD_REVISION","features":[310]},{"name":"WHEA_ERROR_RECORD_SECTION_DESCRIPTOR","features":[310]},{"name":"WHEA_ERROR_RECORD_SECTION_DESCRIPTOR_FLAGS","features":[310]},{"name":"WHEA_ERROR_RECORD_SECTION_DESCRIPTOR_REVISION","features":[310]},{"name":"WHEA_ERROR_RECORD_SECTION_DESCRIPTOR_VALIDBITS","features":[310]},{"name":"WHEA_ERROR_RECORD_SIGNATURE_END","features":[310]},{"name":"WHEA_ERROR_RECORD_VALID_PARTITIONID","features":[310]},{"name":"WHEA_ERROR_RECORD_VALID_PLATFORMID","features":[310]},{"name":"WHEA_ERROR_RECORD_VALID_TIMESTAMP","features":[310]},{"name":"WHEA_ERROR_RECOVERY_INFO_SECTION","features":[310,308]},{"name":"WHEA_ERROR_SEVERITY","features":[310]},{"name":"WHEA_ERROR_SOURCE_CONFIGURATION","features":[310,308]},{"name":"WHEA_ERROR_SOURCE_CORRECT","features":[310,308]},{"name":"WHEA_ERROR_SOURCE_CREATE_RECORD","features":[310,308]},{"name":"WHEA_ERROR_SOURCE_INITIALIZE","features":[310,308]},{"name":"WHEA_ERROR_SOURCE_OVERRIDE_SETTINGS","features":[310,336]},{"name":"WHEA_ERROR_SOURCE_RECOVER","features":[310,308]},{"name":"WHEA_ERROR_SOURCE_UNINITIALIZE","features":[310]},{"name":"WHEA_ERROR_STATUS","features":[310]},{"name":"WHEA_ERROR_TEXT_LEN","features":[310]},{"name":"WHEA_ERROR_TYPE","features":[310]},{"name":"WHEA_ERR_SRC_OVERRIDE_FLAG","features":[310]},{"name":"WHEA_ETW_OVERFLOW_EVENT","features":[310]},{"name":"WHEA_EVENT_LOG_ENTRY","features":[310]},{"name":"WHEA_EVENT_LOG_ENTRY_FLAGS","features":[310]},{"name":"WHEA_EVENT_LOG_ENTRY_HEADER","features":[310]},{"name":"WHEA_EVENT_LOG_ENTRY_ID","features":[310]},{"name":"WHEA_EVENT_LOG_ENTRY_TYPE","features":[310]},{"name":"WHEA_FAILED_ADD_DEFECT_LIST_EVENT","features":[310]},{"name":"WHEA_FIRMWARE_ERROR_RECORD_REFERENCE","features":[310]},{"name":"WHEA_FIRMWARE_RECORD_TYPE_IPFSAL","features":[310]},{"name":"WHEA_GENERIC_ENTRY_TEXT_LEN","features":[310]},{"name":"WHEA_GENERIC_ENTRY_V2_VERSION","features":[310]},{"name":"WHEA_GENERIC_ENTRY_VERSION","features":[310]},{"name":"WHEA_GENERIC_ERROR","features":[310]},{"name":"WHEA_GENERIC_ERROR_BLOCKSTATUS","features":[310]},{"name":"WHEA_GENERIC_ERROR_DATA_ENTRY_V1","features":[310]},{"name":"WHEA_GENERIC_ERROR_DATA_ENTRY_V2","features":[310]},{"name":"WHEA_INVALID_ERR_SRC_ID","features":[310]},{"name":"WHEA_IN_USE_PAGE_NOTIFY_FLAGS","features":[310]},{"name":"WHEA_IN_USE_PAGE_NOTIFY_FLAG_NOTIFYALL","features":[310]},{"name":"WHEA_IN_USE_PAGE_NOTIFY_FLAG_PAGEOFFLINED","features":[310]},{"name":"WHEA_IN_USE_PAGE_NOTIFY_FLAG_PLATFORMDIRECTED","features":[310]},{"name":"WHEA_MAX_LOG_DATA_LEN","features":[310]},{"name":"WHEA_MEMERRTYPE_INVALIDADDRESS","features":[310]},{"name":"WHEA_MEMERRTYPE_MASTERABORT","features":[310]},{"name":"WHEA_MEMERRTYPE_MEMORYSPARING","features":[310]},{"name":"WHEA_MEMERRTYPE_MIRRORBROKEN","features":[310]},{"name":"WHEA_MEMERRTYPE_MULTIBITECC","features":[310]},{"name":"WHEA_MEMERRTYPE_MULTISYMCHIPKILL","features":[310]},{"name":"WHEA_MEMERRTYPE_NOERROR","features":[310]},{"name":"WHEA_MEMERRTYPE_PARITYERROR","features":[310]},{"name":"WHEA_MEMERRTYPE_SINGLEBITECC","features":[310]},{"name":"WHEA_MEMERRTYPE_SINGLESYMCHIPKILL","features":[310]},{"name":"WHEA_MEMERRTYPE_TARGETABORT","features":[310]},{"name":"WHEA_MEMERRTYPE_UNKNOWN","features":[310]},{"name":"WHEA_MEMERRTYPE_WATCHDOGTIMEOUT","features":[310]},{"name":"WHEA_MEMORY_CORRECTABLE_ERROR_DATA","features":[310]},{"name":"WHEA_MEMORY_CORRECTABLE_ERROR_HEADER","features":[310]},{"name":"WHEA_MEMORY_CORRECTABLE_ERROR_SECTION","features":[310]},{"name":"WHEA_MEMORY_CORRECTABLE_ERROR_SECTION_VALIDBITS","features":[310]},{"name":"WHEA_MEMORY_ERROR_SECTION","features":[310]},{"name":"WHEA_MEMORY_ERROR_SECTION_VALIDBITS","features":[310]},{"name":"WHEA_MEMORY_THROTTLE_SUMMARY_FAILED_EVENT","features":[310,308]},{"name":"WHEA_MSCHECK_GUID","features":[310]},{"name":"WHEA_MSR_DUMP_SECTION","features":[310]},{"name":"WHEA_NMI_ERROR_SECTION","features":[310]},{"name":"WHEA_NMI_ERROR_SECTION_FLAGS","features":[310]},{"name":"WHEA_OFFLINE_DONE_EVENT","features":[310]},{"name":"WHEA_PACKET_LOG_DATA","features":[310]},{"name":"WHEA_PCIEXPRESS_BRIDGE_CONTROL_STATUS","features":[310]},{"name":"WHEA_PCIEXPRESS_COMMAND_STATUS","features":[310]},{"name":"WHEA_PCIEXPRESS_DEVICE_ID","features":[310]},{"name":"WHEA_PCIEXPRESS_DEVICE_TYPE","features":[310]},{"name":"WHEA_PCIEXPRESS_ERROR_SECTION","features":[310]},{"name":"WHEA_PCIEXPRESS_ERROR_SECTION_VALIDBITS","features":[310]},{"name":"WHEA_PCIEXPRESS_VERSION","features":[310]},{"name":"WHEA_PCIE_ADDRESS","features":[310]},{"name":"WHEA_PCIE_CORRECTABLE_ERROR_DEVICES","features":[310]},{"name":"WHEA_PCIE_CORRECTABLE_ERROR_DEVICES_VALIDBITS","features":[310]},{"name":"WHEA_PCIE_CORRECTABLE_ERROR_SECTION","features":[310]},{"name":"WHEA_PCIE_CORRECTABLE_ERROR_SECTION_COUNT_SIZE","features":[310]},{"name":"WHEA_PCIE_CORRECTABLE_ERROR_SECTION_HEADER","features":[310]},{"name":"WHEA_PCIXBUS_COMMAND","features":[310]},{"name":"WHEA_PCIXBUS_ERROR_SECTION","features":[310]},{"name":"WHEA_PCIXBUS_ERROR_SECTION_VALIDBITS","features":[310]},{"name":"WHEA_PCIXBUS_ID","features":[310]},{"name":"WHEA_PCIXDEVICE_ERROR_SECTION","features":[310]},{"name":"WHEA_PCIXDEVICE_ERROR_SECTION_VALIDBITS","features":[310]},{"name":"WHEA_PCIXDEVICE_ID","features":[310]},{"name":"WHEA_PCIXDEVICE_REGISTER_PAIR","features":[310]},{"name":"WHEA_PCI_RECOVERY_SECTION","features":[310,308]},{"name":"WHEA_PCI_RECOVERY_SIGNAL","features":[310]},{"name":"WHEA_PCI_RECOVERY_STATUS","features":[310]},{"name":"WHEA_PERSISTENCE_INFO","features":[310]},{"name":"WHEA_PFA_REMOVE_TRIGGER","features":[310]},{"name":"WHEA_PLUGIN_REGISTRATION_PACKET_V1","features":[310]},{"name":"WHEA_PLUGIN_REGISTRATION_PACKET_V2","features":[310]},{"name":"WHEA_PLUGIN_REGISTRATION_PACKET_VERSION","features":[310]},{"name":"WHEA_PMEM_ERROR_SECTION","features":[310]},{"name":"WHEA_PMEM_ERROR_SECTION_LOCATION_INFO_SIZE","features":[310]},{"name":"WHEA_PMEM_ERROR_SECTION_MAX_PAGES","features":[310]},{"name":"WHEA_PMEM_ERROR_SECTION_VALIDBITS","features":[310]},{"name":"WHEA_PMEM_PAGE_RANGE","features":[310]},{"name":"WHEA_PROCESSOR_FAMILY_INFO","features":[310]},{"name":"WHEA_PROCESSOR_GENERIC_ERROR_SECTION","features":[310]},{"name":"WHEA_PROCESSOR_GENERIC_ERROR_SECTION_VALIDBITS","features":[310]},{"name":"WHEA_PSHED_PI_CPU_BUSES_INIT_FAILED_EVENT","features":[310,308]},{"name":"WHEA_PSHED_PI_TRACE_EVENT","features":[310]},{"name":"WHEA_PSHED_PLUGIN_CALLBACKS","features":[310,308,336]},{"name":"WHEA_PSHED_PLUGIN_DIMM_MISMATCH","features":[310]},{"name":"WHEA_PSHED_PLUGIN_ENABLE_NOTIFY_ERRORS","features":[310]},{"name":"WHEA_PSHED_PLUGIN_ENABLE_NOTIFY_FAILED_EVENT","features":[310]},{"name":"WHEA_PSHED_PLUGIN_HEARTBEAT","features":[310]},{"name":"WHEA_PSHED_PLUGIN_INIT_FAILED_EVENT","features":[310,308]},{"name":"WHEA_PSHED_PLUGIN_LOAD_EVENT","features":[310]},{"name":"WHEA_PSHED_PLUGIN_PLATFORM_SUPPORT_EVENT","features":[310,308]},{"name":"WHEA_PSHED_PLUGIN_REGISTRATION_PACKET_V1","features":[310,308,336]},{"name":"WHEA_PSHED_PLUGIN_REGISTRATION_PACKET_V2","features":[310,308,336]},{"name":"WHEA_PSHED_PLUGIN_UNLOAD_EVENT","features":[310]},{"name":"WHEA_RAW_DATA_FORMAT","features":[310]},{"name":"WHEA_RECORD_CREATOR_GUID","features":[310]},{"name":"WHEA_RECOVERY_ACTION","features":[310]},{"name":"WHEA_RECOVERY_CONTEXT","features":[310,308]},{"name":"WHEA_RECOVERY_CONTEXT_ERROR_TYPE","features":[310]},{"name":"WHEA_RECOVERY_FAILURE_REASON","features":[310]},{"name":"WHEA_RECOVERY_TYPE","features":[310]},{"name":"WHEA_REGISTER_KEY_NOTIFICATION_FAILED_EVENT","features":[310]},{"name":"WHEA_REPORT_HW_ERROR_DEVICE_DRIVER_FLAGS","features":[310]},{"name":"WHEA_REVISION","features":[310]},{"name":"WHEA_SEA_SECTION","features":[310,308]},{"name":"WHEA_SECTION_DESCRIPTOR_FLAGS_CONTAINMENTWRN","features":[310]},{"name":"WHEA_SECTION_DESCRIPTOR_FLAGS_FRU_TEXT_BY_PLUGIN","features":[310]},{"name":"WHEA_SECTION_DESCRIPTOR_FLAGS_LATENTERROR","features":[310]},{"name":"WHEA_SECTION_DESCRIPTOR_FLAGS_PRIMARY","features":[310]},{"name":"WHEA_SECTION_DESCRIPTOR_FLAGS_PROPAGATED","features":[310]},{"name":"WHEA_SECTION_DESCRIPTOR_FLAGS_RESET","features":[310]},{"name":"WHEA_SECTION_DESCRIPTOR_FLAGS_RESOURCENA","features":[310]},{"name":"WHEA_SECTION_DESCRIPTOR_FLAGS_THRESHOLDEXCEEDED","features":[310]},{"name":"WHEA_SECTION_DESCRIPTOR_REVISION","features":[310]},{"name":"WHEA_SEI_SECTION","features":[310]},{"name":"WHEA_SEL_BUGCHECK_PROGRESS","features":[310]},{"name":"WHEA_SEL_BUGCHECK_RECOVERY_STATUS_MULTIPLE_BUGCHECK_EVENT","features":[310,308]},{"name":"WHEA_SEL_BUGCHECK_RECOVERY_STATUS_PHASE1_EVENT","features":[310,308]},{"name":"WHEA_SEL_BUGCHECK_RECOVERY_STATUS_PHASE1_VERSION","features":[310]},{"name":"WHEA_SEL_BUGCHECK_RECOVERY_STATUS_PHASE2_EVENT","features":[310,308]},{"name":"WHEA_SEL_BUGCHECK_RECOVERY_STATUS_START_EVENT","features":[310]},{"name":"WHEA_SIGNAL_HANDLER_OVERRIDE_CALLBACK","features":[310,308]},{"name":"WHEA_SRAR_DETAIL_EVENT","features":[310,308]},{"name":"WHEA_SRAS_TABLE_ENTRIES_EVENT","features":[310]},{"name":"WHEA_SRAS_TABLE_ERROR","features":[310]},{"name":"WHEA_SRAS_TABLE_NOT_FOUND","features":[310]},{"name":"WHEA_THROTTLE_ADD_ERR_SRC_FAILED_EVENT","features":[310]},{"name":"WHEA_THROTTLE_MEMORY_ADD_OR_REMOVE_EVENT","features":[310]},{"name":"WHEA_THROTTLE_PCIE_ADD_EVENT","features":[310,308]},{"name":"WHEA_THROTTLE_PCIE_REMOVE_EVENT","features":[310]},{"name":"WHEA_THROTTLE_REGISTRY_CORRUPT_EVENT","features":[310]},{"name":"WHEA_THROTTLE_REG_DATA_IGNORED_EVENT","features":[310]},{"name":"WHEA_THROTTLE_TYPE","features":[310]},{"name":"WHEA_TIMESTAMP","features":[310]},{"name":"WHEA_TLBCHECK_GUID","features":[310]},{"name":"WHEA_WRITE_FLAG_DUMMY","features":[310]},{"name":"WHEA_X64_REGISTER_STATE","features":[310]},{"name":"WHEA_X86_REGISTER_STATE","features":[310]},{"name":"WHEA_XPF_BUS_CHECK","features":[310]},{"name":"WHEA_XPF_CACHE_CHECK","features":[310]},{"name":"WHEA_XPF_CONTEXT_INFO","features":[310]},{"name":"WHEA_XPF_MCA_EXTREG_MAX_COUNT","features":[310]},{"name":"WHEA_XPF_MCA_SECTION","features":[310,308]},{"name":"WHEA_XPF_MCA_SECTION_VERSION","features":[310]},{"name":"WHEA_XPF_MCA_SECTION_VERSION_2","features":[310]},{"name":"WHEA_XPF_MCA_SECTION_VERSION_3","features":[310]},{"name":"WHEA_XPF_MS_CHECK","features":[310]},{"name":"WHEA_XPF_PROCESSOR_ERROR_SECTION","features":[310]},{"name":"WHEA_XPF_PROCESSOR_ERROR_SECTION_VALIDBITS","features":[310]},{"name":"WHEA_XPF_PROCINFO","features":[310]},{"name":"WHEA_XPF_PROCINFO_VALIDBITS","features":[310]},{"name":"WHEA_XPF_TLB_CHECK","features":[310]},{"name":"WMIREGISTER","features":[310]},{"name":"WMIREG_ACTION_BLOCK_IRPS","features":[310]},{"name":"WMIREG_ACTION_DEREGISTER","features":[310]},{"name":"WMIREG_ACTION_REGISTER","features":[310]},{"name":"WMIREG_ACTION_REREGISTER","features":[310]},{"name":"WMIREG_ACTION_UPDATE_GUIDS","features":[310]},{"name":"WMIUPDATE","features":[310]},{"name":"WMI_NOTIFICATION_CALLBACK","features":[310]},{"name":"WORKER_THREAD_ROUTINE","features":[310]},{"name":"WORK_QUEUE_TYPE","features":[310]},{"name":"WdfNotifyRoutinesClass","features":[310]},{"name":"WheaAddErrorSource","features":[310,308,336]},{"name":"WheaAddErrorSourceDeviceDriver","features":[310,308,336]},{"name":"WheaAddErrorSourceDeviceDriverV1","features":[310,308,336]},{"name":"WheaAddHwErrorReportSectionDeviceDriver","features":[310,308,336]},{"name":"WheaConfigureErrorSource","features":[310,308,336]},{"name":"WheaCpuVendorAmd","features":[310]},{"name":"WheaCpuVendorIntel","features":[310]},{"name":"WheaCpuVendorOther","features":[310]},{"name":"WheaCreateHwErrorReportDeviceDriver","features":[309,312,310,308,311,313,314,315]},{"name":"WheaDataFormatGeneric","features":[310]},{"name":"WheaDataFormatIPFSalRecord","features":[310]},{"name":"WheaDataFormatMax","features":[310]},{"name":"WheaDataFormatMemory","features":[310]},{"name":"WheaDataFormatNMIPort","features":[310]},{"name":"WheaDataFormatPCIExpress","features":[310]},{"name":"WheaDataFormatPCIXBus","features":[310]},{"name":"WheaDataFormatPCIXDevice","features":[310]},{"name":"WheaDataFormatXPFMCA","features":[310]},{"name":"WheaErrSevCorrected","features":[310]},{"name":"WheaErrSevFatal","features":[310]},{"name":"WheaErrSevInformational","features":[310]},{"name":"WheaErrSevRecoverable","features":[310]},{"name":"WheaErrTypeGeneric","features":[310]},{"name":"WheaErrTypeMemory","features":[310]},{"name":"WheaErrTypeNMI","features":[310]},{"name":"WheaErrTypePCIExpress","features":[310]},{"name":"WheaErrTypePCIXBus","features":[310]},{"name":"WheaErrTypePCIXDevice","features":[310]},{"name":"WheaErrTypePmem","features":[310]},{"name":"WheaErrTypeProcessor","features":[310]},{"name":"WheaErrorSourceGetState","features":[310,336]},{"name":"WheaEventBugCheckRecoveryEntry","features":[310]},{"name":"WheaEventBugCheckRecoveryMax","features":[310]},{"name":"WheaEventBugCheckRecoveryReturn","features":[310]},{"name":"WheaEventLogAzccRootBusList","features":[310]},{"name":"WheaEventLogAzccRootBusPoisonSet","features":[310]},{"name":"WheaEventLogAzccRootBusSearchErr","features":[310]},{"name":"WheaEventLogCmciFinalRestart","features":[310]},{"name":"WheaEventLogCmciRestart","features":[310]},{"name":"WheaEventLogEntryEarlyError","features":[310]},{"name":"WheaEventLogEntryEtwOverFlow","features":[310]},{"name":"WheaEventLogEntryIdAcpiTimeOut","features":[310]},{"name":"WheaEventLogEntryIdAddRemoveErrorSource","features":[310]},{"name":"WheaEventLogEntryIdAerNotGrantedToOs","features":[310]},{"name":"WheaEventLogEntryIdAttemptErrorRecovery","features":[310]},{"name":"WheaEventLogEntryIdBadHestNotifyData","features":[310]},{"name":"WheaEventLogEntryIdBadPageLimitReached","features":[310]},{"name":"WheaEventLogEntryIdClearedPoison","features":[310]},{"name":"WheaEventLogEntryIdCmcPollingTimeout","features":[310]},{"name":"WheaEventLogEntryIdCmcSwitchToPolling","features":[310]},{"name":"WheaEventLogEntryIdCmciImplPresent","features":[310]},{"name":"WheaEventLogEntryIdCmciInitError","features":[310]},{"name":"WheaEventLogEntryIdCpuBusesInitFailed","features":[310]},{"name":"WheaEventLogEntryIdCpusFrozen","features":[310]},{"name":"WheaEventLogEntryIdCpusFrozenNoCrashDump","features":[310]},{"name":"WheaEventLogEntryIdCreateGenericRecord","features":[310]},{"name":"WheaEventLogEntryIdDefectListCorrupt","features":[310]},{"name":"WheaEventLogEntryIdDefectListFull","features":[310]},{"name":"WheaEventLogEntryIdDefectListUEFIVarFailed","features":[310]},{"name":"WheaEventLogEntryIdDeviceDriver","features":[310]},{"name":"WheaEventLogEntryIdDroppedCorrectedError","features":[310]},{"name":"WheaEventLogEntryIdDrvErrSrcInvalid","features":[310]},{"name":"WheaEventLogEntryIdDrvHandleBusy","features":[310]},{"name":"WheaEventLogEntryIdEnableKeyNotifFailed","features":[310]},{"name":"WheaEventLogEntryIdErrDimmInfoMismatch","features":[310]},{"name":"WheaEventLogEntryIdErrSrcArrayInvalid","features":[310]},{"name":"WheaEventLogEntryIdErrSrcInvalid","features":[310]},{"name":"WheaEventLogEntryIdErrorRecord","features":[310]},{"name":"WheaEventLogEntryIdErrorRecordLimit","features":[310]},{"name":"WheaEventLogEntryIdFailedAddToDefectList","features":[310]},{"name":"WheaEventLogEntryIdGenericErrMemMap","features":[310]},{"name":"WheaEventLogEntryIdKeyNotificationFailed","features":[310]},{"name":"WheaEventLogEntryIdMcaErrorCleared","features":[310]},{"name":"WheaEventLogEntryIdMcaFoundErrorInBank","features":[310]},{"name":"WheaEventLogEntryIdMcaStuckErrorCheck","features":[310]},{"name":"WheaEventLogEntryIdMemoryAddDevice","features":[310]},{"name":"WheaEventLogEntryIdMemoryRemoveDevice","features":[310]},{"name":"WheaEventLogEntryIdMemorySummaryFailed","features":[310]},{"name":"WheaEventLogEntryIdOscCapabilities","features":[310]},{"name":"WheaEventLogEntryIdPFAMemoryOfflined","features":[310]},{"name":"WheaEventLogEntryIdPFAMemoryPolicy","features":[310]},{"name":"WheaEventLogEntryIdPFAMemoryRemoveMonitor","features":[310]},{"name":"WheaEventLogEntryIdPcieAddDevice","features":[310]},{"name":"WheaEventLogEntryIdPcieConfigInfo","features":[310]},{"name":"WheaEventLogEntryIdPcieDpcError","features":[310]},{"name":"WheaEventLogEntryIdPcieOverrideInfo","features":[310]},{"name":"WheaEventLogEntryIdPcieRemoveDevice","features":[310]},{"name":"WheaEventLogEntryIdPcieSpuriousErrSource","features":[310]},{"name":"WheaEventLogEntryIdPcieSummaryFailed","features":[310]},{"name":"WheaEventLogEntryIdProcessEINJ","features":[310]},{"name":"WheaEventLogEntryIdProcessHEST","features":[310]},{"name":"WheaEventLogEntryIdPshedCallbackCollision","features":[310]},{"name":"WheaEventLogEntryIdPshedInjectError","features":[310]},{"name":"WheaEventLogEntryIdPshedPiTraceLog","features":[310]},{"name":"WheaEventLogEntryIdPshedPluginInitFailed","features":[310]},{"name":"WheaEventLogEntryIdPshedPluginLoad","features":[310]},{"name":"WheaEventLogEntryIdPshedPluginRegister","features":[310]},{"name":"WheaEventLogEntryIdPshedPluginSupported","features":[310]},{"name":"WheaEventLogEntryIdPshedPluginUnload","features":[310]},{"name":"WheaEventLogEntryIdReadPcieOverridesErr","features":[310]},{"name":"WheaEventLogEntryIdRowFailure","features":[310]},{"name":"WheaEventLogEntryIdSELBugCheckInfo","features":[310]},{"name":"WheaEventLogEntryIdSELBugCheckProgress","features":[310]},{"name":"WheaEventLogEntryIdSELBugCheckRecovery","features":[310]},{"name":"WheaEventLogEntryIdSrasTableEntries","features":[310]},{"name":"WheaEventLogEntryIdSrasTableError","features":[310]},{"name":"WheaEventLogEntryIdSrasTableNotFound","features":[310]},{"name":"WheaEventLogEntryIdStartedReportHwError","features":[310]},{"name":"WheaEventLogEntryIdThrottleAddErrSrcFailed","features":[310]},{"name":"WheaEventLogEntryIdThrottleRegCorrupt","features":[310]},{"name":"WheaEventLogEntryIdThrottleRegDataIgnored","features":[310]},{"name":"WheaEventLogEntryIdWheaHeartbeat","features":[310]},{"name":"WheaEventLogEntryIdWheaInit","features":[310]},{"name":"WheaEventLogEntryIdWorkQueueItem","features":[310]},{"name":"WheaEventLogEntryIdeDpcEnabled","features":[310]},{"name":"WheaEventLogEntryPageOfflineDone","features":[310]},{"name":"WheaEventLogEntryPageOfflinePendMax","features":[310]},{"name":"WheaEventLogEntrySrarDetail","features":[310]},{"name":"WheaEventLogEntryTypeError","features":[310]},{"name":"WheaEventLogEntryTypeInformational","features":[310]},{"name":"WheaEventLogEntryTypeWarning","features":[310]},{"name":"WheaGetNotifyAllOfflinesPolicy","features":[310,308]},{"name":"WheaHighIrqlLogSelEventHandlerRegister","features":[310,308,336]},{"name":"WheaHighIrqlLogSelEventHandlerUnregister","features":[310]},{"name":"WheaHwErrorReportAbandonDeviceDriver","features":[310,308]},{"name":"WheaHwErrorReportSetSectionNameDeviceDriver","features":[310,308,336]},{"name":"WheaHwErrorReportSetSeverityDeviceDriver","features":[310,308]},{"name":"WheaHwErrorReportSubmitDeviceDriver","features":[310,308]},{"name":"WheaInitializeRecordHeader","features":[310,308]},{"name":"WheaIsCriticalState","features":[310,308]},{"name":"WheaLogInternalEvent","features":[310]},{"name":"WheaMemoryThrottle","features":[310]},{"name":"WheaPciExpressDownstreamSwitchPort","features":[310]},{"name":"WheaPciExpressEndpoint","features":[310]},{"name":"WheaPciExpressLegacyEndpoint","features":[310]},{"name":"WheaPciExpressRootComplexEventCollector","features":[310]},{"name":"WheaPciExpressRootComplexIntegratedEndpoint","features":[310]},{"name":"WheaPciExpressRootPort","features":[310]},{"name":"WheaPciExpressToPciXBridge","features":[310]},{"name":"WheaPciExpressUpstreamSwitchPort","features":[310]},{"name":"WheaPciREcoveryStatusUnknown","features":[310]},{"name":"WheaPciRecoverySignalAer","features":[310]},{"name":"WheaPciRecoverySignalDpc","features":[310]},{"name":"WheaPciRecoverySignalUnknown","features":[310]},{"name":"WheaPciRecoveryStatusBusNotFound","features":[310]},{"name":"WheaPciRecoveryStatusComplexTree","features":[310]},{"name":"WheaPciRecoveryStatusLinkDisableTimeout","features":[310]},{"name":"WheaPciRecoveryStatusLinkEnableTimeout","features":[310]},{"name":"WheaPciRecoveryStatusNoError","features":[310]},{"name":"WheaPciRecoveryStatusRpBusyTimeout","features":[310]},{"name":"WheaPciXToExpressBridge","features":[310]},{"name":"WheaPcieThrottle","features":[310]},{"name":"WheaPfaRemoveCapacity","features":[310]},{"name":"WheaPfaRemoveErrorThreshold","features":[310]},{"name":"WheaPfaRemoveTimeout","features":[310]},{"name":"WheaRawDataFormatAMD64MCA","features":[310]},{"name":"WheaRawDataFormatGeneric","features":[310]},{"name":"WheaRawDataFormatIA32MCA","features":[310]},{"name":"WheaRawDataFormatIPFSalRecord","features":[310]},{"name":"WheaRawDataFormatIntel64MCA","features":[310]},{"name":"WheaRawDataFormatMax","features":[310]},{"name":"WheaRawDataFormatMemory","features":[310]},{"name":"WheaRawDataFormatNMIPort","features":[310]},{"name":"WheaRawDataFormatPCIExpress","features":[310]},{"name":"WheaRawDataFormatPCIXBus","features":[310]},{"name":"WheaRawDataFormatPCIXDevice","features":[310]},{"name":"WheaRecoveryContextErrorTypeMax","features":[310]},{"name":"WheaRecoveryContextErrorTypeMemory","features":[310]},{"name":"WheaRecoveryContextErrorTypePmem","features":[310]},{"name":"WheaRecoveryFailureReasonFarNotValid","features":[310]},{"name":"WheaRecoveryFailureReasonHighIrql","features":[310]},{"name":"WheaRecoveryFailureReasonInsufficientAltContextWrappers","features":[310]},{"name":"WheaRecoveryFailureReasonInterruptsDisabled","features":[310]},{"name":"WheaRecoveryFailureReasonInvalidAddressMode","features":[310]},{"name":"WheaRecoveryFailureReasonKernelCouldNotMarkMemoryBad","features":[310]},{"name":"WheaRecoveryFailureReasonKernelMarkMemoryBadTimedOut","features":[310]},{"name":"WheaRecoveryFailureReasonKernelWillPageFaultBCAtCurrentIrql","features":[310]},{"name":"WheaRecoveryFailureReasonMax","features":[310]},{"name":"WheaRecoveryFailureReasonMiscOrAddrNotValid","features":[310]},{"name":"WheaRecoveryFailureReasonNoRecoveryContext","features":[310]},{"name":"WheaRecoveryFailureReasonNotContinuable","features":[310]},{"name":"WheaRecoveryFailureReasonNotSupported","features":[310]},{"name":"WheaRecoveryFailureReasonOverflow","features":[310]},{"name":"WheaRecoveryFailureReasonPcc","features":[310]},{"name":"WheaRecoveryFailureReasonStackOverflow","features":[310]},{"name":"WheaRecoveryFailureReasonSwapBusy","features":[310]},{"name":"WheaRecoveryFailureReasonUnexpectedFailure","features":[310]},{"name":"WheaRecoveryTypeActionOptional","features":[310]},{"name":"WheaRecoveryTypeActionRequired","features":[310]},{"name":"WheaRecoveryTypeMax","features":[310]},{"name":"WheaRegisterInUsePageOfflineNotification","features":[310,308]},{"name":"WheaRemoveErrorSource","features":[310]},{"name":"WheaRemoveErrorSourceDeviceDriver","features":[310,308]},{"name":"WheaReportHwError","features":[310,308,336]},{"name":"WheaReportHwErrorDeviceDriver","features":[309,312,310,308,311,313,314,315]},{"name":"WheaUnconfigureErrorSource","features":[310,308,336]},{"name":"WheaUnregisterInUsePageOfflineNotification","features":[310,308]},{"name":"WheapDpcErrBusNotFound","features":[310]},{"name":"WheapDpcErrDeviceIdBad","features":[310]},{"name":"WheapDpcErrDpcedSubtree","features":[310]},{"name":"WheapDpcErrNoChildren","features":[310]},{"name":"WheapDpcErrNoErr","features":[310]},{"name":"WheapDpcErrResetFailed","features":[310]},{"name":"WheapPfaOfflinePredictiveFailure","features":[310]},{"name":"WheapPfaOfflineUncorrectedError","features":[310]},{"name":"Width16Bits","features":[310]},{"name":"Width32Bits","features":[310]},{"name":"Width64Bits","features":[310]},{"name":"Width8Bits","features":[310]},{"name":"WidthNoWrap","features":[310]},{"name":"WmiQueryTraceInformation","features":[310,308]},{"name":"WormController","features":[310]},{"name":"WrAlertByThreadId","features":[310]},{"name":"WrCalloutStack","features":[310]},{"name":"WrCpuRateControl","features":[310]},{"name":"WrDeferredPreempt","features":[310]},{"name":"WrDelayExecution","features":[310]},{"name":"WrDispatchInt","features":[310]},{"name":"WrExecutive","features":[310]},{"name":"WrFastMutex","features":[310]},{"name":"WrFreePage","features":[310]},{"name":"WrGuardedMutex","features":[310]},{"name":"WrIoRing","features":[310]},{"name":"WrKernel","features":[310]},{"name":"WrKeyedEvent","features":[310]},{"name":"WrLpcReceive","features":[310]},{"name":"WrLpcReply","features":[310]},{"name":"WrMdlCache","features":[310]},{"name":"WrMutex","features":[310]},{"name":"WrPageIn","features":[310]},{"name":"WrPageOut","features":[310]},{"name":"WrPhysicalFault","features":[310]},{"name":"WrPoolAllocation","features":[310]},{"name":"WrPreempted","features":[310]},{"name":"WrProcessInSwap","features":[310]},{"name":"WrPushLock","features":[310]},{"name":"WrQuantumEnd","features":[310]},{"name":"WrQueue","features":[310]},{"name":"WrRendezvous","features":[310]},{"name":"WrResource","features":[310]},{"name":"WrRundown","features":[310]},{"name":"WrSpare0","features":[310]},{"name":"WrSuspended","features":[310]},{"name":"WrTerminated","features":[310]},{"name":"WrUserRequest","features":[310]},{"name":"WrVirtualMemory","features":[310]},{"name":"WrYieldExecution","features":[310]},{"name":"WriteAccess","features":[310]},{"name":"XPF_BUS_CHECK_ADDRESS_IO","features":[310]},{"name":"XPF_BUS_CHECK_ADDRESS_MEMORY","features":[310]},{"name":"XPF_BUS_CHECK_ADDRESS_OTHER","features":[310]},{"name":"XPF_BUS_CHECK_ADDRESS_RESERVED","features":[310]},{"name":"XPF_BUS_CHECK_OPERATION_DATAREAD","features":[310]},{"name":"XPF_BUS_CHECK_OPERATION_DATAWRITE","features":[310]},{"name":"XPF_BUS_CHECK_OPERATION_GENERIC","features":[310]},{"name":"XPF_BUS_CHECK_OPERATION_GENREAD","features":[310]},{"name":"XPF_BUS_CHECK_OPERATION_GENWRITE","features":[310]},{"name":"XPF_BUS_CHECK_OPERATION_INSTRUCTIONFETCH","features":[310]},{"name":"XPF_BUS_CHECK_OPERATION_PREFETCH","features":[310]},{"name":"XPF_BUS_CHECK_PARTICIPATION_GENERIC","features":[310]},{"name":"XPF_BUS_CHECK_PARTICIPATION_PROCOBSERVED","features":[310]},{"name":"XPF_BUS_CHECK_PARTICIPATION_PROCORIGINATED","features":[310]},{"name":"XPF_BUS_CHECK_PARTICIPATION_PROCRESPONDED","features":[310]},{"name":"XPF_BUS_CHECK_TRANSACTIONTYPE_DATAACCESS","features":[310]},{"name":"XPF_BUS_CHECK_TRANSACTIONTYPE_GENERIC","features":[310]},{"name":"XPF_BUS_CHECK_TRANSACTIONTYPE_INSTRUCTION","features":[310]},{"name":"XPF_CACHE_CHECK_OPERATION_DATAREAD","features":[310]},{"name":"XPF_CACHE_CHECK_OPERATION_DATAWRITE","features":[310]},{"name":"XPF_CACHE_CHECK_OPERATION_EVICTION","features":[310]},{"name":"XPF_CACHE_CHECK_OPERATION_GENERIC","features":[310]},{"name":"XPF_CACHE_CHECK_OPERATION_GENREAD","features":[310]},{"name":"XPF_CACHE_CHECK_OPERATION_GENWRITE","features":[310]},{"name":"XPF_CACHE_CHECK_OPERATION_INSTRUCTIONFETCH","features":[310]},{"name":"XPF_CACHE_CHECK_OPERATION_PREFETCH","features":[310]},{"name":"XPF_CACHE_CHECK_OPERATION_SNOOP","features":[310]},{"name":"XPF_CACHE_CHECK_TRANSACTIONTYPE_DATAACCESS","features":[310]},{"name":"XPF_CACHE_CHECK_TRANSACTIONTYPE_GENERIC","features":[310]},{"name":"XPF_CACHE_CHECK_TRANSACTIONTYPE_INSTRUCTION","features":[310]},{"name":"XPF_CONTEXT_INFO_32BITCONTEXT","features":[310]},{"name":"XPF_CONTEXT_INFO_32BITDEBUGREGS","features":[310]},{"name":"XPF_CONTEXT_INFO_64BITCONTEXT","features":[310]},{"name":"XPF_CONTEXT_INFO_64BITDEBUGREGS","features":[310]},{"name":"XPF_CONTEXT_INFO_FXSAVE","features":[310]},{"name":"XPF_CONTEXT_INFO_MMREGISTERS","features":[310]},{"name":"XPF_CONTEXT_INFO_MSRREGISTERS","features":[310]},{"name":"XPF_CONTEXT_INFO_UNCLASSIFIEDDATA","features":[310]},{"name":"XPF_MCA_SECTION_GUID","features":[310]},{"name":"XPF_MS_CHECK_ERRORTYPE_EXTERNAL","features":[310]},{"name":"XPF_MS_CHECK_ERRORTYPE_FRC","features":[310]},{"name":"XPF_MS_CHECK_ERRORTYPE_INTERNALUNCLASSIFIED","features":[310]},{"name":"XPF_MS_CHECK_ERRORTYPE_MCROMPARITY","features":[310]},{"name":"XPF_MS_CHECK_ERRORTYPE_NOERROR","features":[310]},{"name":"XPF_MS_CHECK_ERRORTYPE_UNCLASSIFIED","features":[310]},{"name":"XPF_PROCESSOR_ERROR_SECTION_GUID","features":[310]},{"name":"XPF_RECOVERY_INFO","features":[310,308]},{"name":"XPF_TLB_CHECK_OPERATION_DATAREAD","features":[310]},{"name":"XPF_TLB_CHECK_OPERATION_DATAWRITE","features":[310]},{"name":"XPF_TLB_CHECK_OPERATION_GENERIC","features":[310]},{"name":"XPF_TLB_CHECK_OPERATION_GENREAD","features":[310]},{"name":"XPF_TLB_CHECK_OPERATION_GENWRITE","features":[310]},{"name":"XPF_TLB_CHECK_OPERATION_INSTRUCTIONFETCH","features":[310]},{"name":"XPF_TLB_CHECK_OPERATION_PREFETCH","features":[310]},{"name":"XPF_TLB_CHECK_TRANSACTIONTYPE_DATAACCESS","features":[310]},{"name":"XPF_TLB_CHECK_TRANSACTIONTYPE_GENERIC","features":[310]},{"name":"XPF_TLB_CHECK_TRANSACTIONTYPE_INSTRUCTION","features":[310]},{"name":"XSAVE_FORMAT","features":[310,336]},{"name":"XSTATE_CONTEXT","features":[310,336]},{"name":"XSTATE_SAVE","features":[310,336]},{"name":"ZONE_HEADER","features":[310,314]},{"name":"ZONE_SEGMENT_HEADER","features":[310,314]},{"name":"ZwAllocateLocallyUniqueId","features":[310,308]},{"name":"ZwCancelTimer","features":[310,308]},{"name":"ZwClose","features":[310,308]},{"name":"ZwCommitComplete","features":[310,308]},{"name":"ZwCommitEnlistment","features":[310,308]},{"name":"ZwCommitRegistryTransaction","features":[310,308]},{"name":"ZwCommitTransaction","features":[310,308]},{"name":"ZwCreateDirectoryObject","features":[309,310,308]},{"name":"ZwCreateEnlistment","features":[309,310,308]},{"name":"ZwCreateFile","features":[309,310,308,313]},{"name":"ZwCreateKey","features":[309,310,308]},{"name":"ZwCreateKeyTransacted","features":[309,310,308]},{"name":"ZwCreateRegistryTransaction","features":[309,310,308]},{"name":"ZwCreateResourceManager","features":[309,310,308]},{"name":"ZwCreateSection","features":[309,310,308]},{"name":"ZwCreateTimer","features":[309,310,308,314]},{"name":"ZwCreateTransaction","features":[309,310,308]},{"name":"ZwCreateTransactionManager","features":[309,310,308]},{"name":"ZwDeleteKey","features":[310,308]},{"name":"ZwDeleteValueKey","features":[310,308]},{"name":"ZwDeviceIoControlFile","features":[310,308,313]},{"name":"ZwDisplayString","features":[310,308]},{"name":"ZwEnumerateKey","features":[310,308]},{"name":"ZwEnumerateTransactionObject","features":[310,308,342]},{"name":"ZwEnumerateValueKey","features":[310,308]},{"name":"ZwFlushKey","features":[310,308]},{"name":"ZwGetNotificationResourceManager","features":[310,308,327]},{"name":"ZwLoadDriver","features":[310,308]},{"name":"ZwMakeTemporaryObject","features":[310,308]},{"name":"ZwMapViewOfSection","features":[310,308]},{"name":"ZwOpenEnlistment","features":[309,310,308]},{"name":"ZwOpenEvent","features":[309,310,308]},{"name":"ZwOpenFile","features":[309,310,308,313]},{"name":"ZwOpenKey","features":[309,310,308]},{"name":"ZwOpenKeyEx","features":[309,310,308]},{"name":"ZwOpenKeyTransacted","features":[309,310,308]},{"name":"ZwOpenKeyTransactedEx","features":[309,310,308]},{"name":"ZwOpenProcess","features":[309,310,308,340]},{"name":"ZwOpenResourceManager","features":[309,310,308]},{"name":"ZwOpenSection","features":[309,310,308]},{"name":"ZwOpenSymbolicLinkObject","features":[309,310,308]},{"name":"ZwOpenTimer","features":[309,310,308]},{"name":"ZwOpenTransaction","features":[309,310,308]},{"name":"ZwOpenTransactionManager","features":[309,310,308]},{"name":"ZwPowerInformation","features":[310,308,315]},{"name":"ZwPrePrepareComplete","features":[310,308]},{"name":"ZwPrePrepareEnlistment","features":[310,308]},{"name":"ZwPrepareComplete","features":[310,308]},{"name":"ZwPrepareEnlistment","features":[310,308]},{"name":"ZwQueryInformationByName","features":[309,312,310,308,313]},{"name":"ZwQueryInformationEnlistment","features":[310,308,342]},{"name":"ZwQueryInformationFile","features":[312,310,308,313]},{"name":"ZwQueryInformationResourceManager","features":[310,308,342]},{"name":"ZwQueryInformationTransaction","features":[310,308,342]},{"name":"ZwQueryInformationTransactionManager","features":[310,308,342]},{"name":"ZwQueryKey","features":[310,308]},{"name":"ZwQuerySymbolicLinkObject","features":[310,308]},{"name":"ZwQueryValueKey","features":[310,308]},{"name":"ZwReadFile","features":[310,308,313]},{"name":"ZwReadOnlyEnlistment","features":[310,308]},{"name":"ZwRecoverEnlistment","features":[310,308]},{"name":"ZwRecoverResourceManager","features":[310,308]},{"name":"ZwRecoverTransactionManager","features":[310,308]},{"name":"ZwRenameKey","features":[310,308]},{"name":"ZwRestoreKey","features":[310,308]},{"name":"ZwRollbackComplete","features":[310,308]},{"name":"ZwRollbackEnlistment","features":[310,308]},{"name":"ZwRollbackTransaction","features":[310,308]},{"name":"ZwRollforwardTransactionManager","features":[310,308]},{"name":"ZwSaveKey","features":[310,308]},{"name":"ZwSaveKeyEx","features":[310,308]},{"name":"ZwSetInformationEnlistment","features":[310,308,342]},{"name":"ZwSetInformationFile","features":[312,310,308,313]},{"name":"ZwSetInformationResourceManager","features":[310,308,342]},{"name":"ZwSetInformationTransaction","features":[310,308,342]},{"name":"ZwSetInformationTransactionManager","features":[310,308,342]},{"name":"ZwSetTimer","features":[310,308]},{"name":"ZwSetTimerEx","features":[310,308]},{"name":"ZwSetValueKey","features":[310,308]},{"name":"ZwSinglePhaseReject","features":[310,308]},{"name":"ZwTerminateProcess","features":[310,308]},{"name":"ZwUnloadDriver","features":[310,308]},{"name":"ZwUnmapViewOfSection","features":[310,308]},{"name":"ZwWriteFile","features":[310,308,313]},{"name":"_EXT_SET_PARAMETERS_V0","features":[310]},{"name":"_STRSAFE_USE_SECURE_CRT","features":[310]},{"name":"_WHEA_ERROR_SOURCE_CORRECT","features":[310,308,336]},{"name":"_WHEA_ERROR_SOURCE_CREATE_RECORD","features":[310,308,336]},{"name":"_WHEA_ERROR_SOURCE_INITIALIZE","features":[310,308,336]},{"name":"_WHEA_ERROR_SOURCE_RECOVER","features":[310,308]},{"name":"_WHEA_ERROR_SOURCE_UNINITIALIZE","features":[310]},{"name":"_WHEA_SIGNAL_HANDLER_OVERRIDE_CALLBACK","features":[310,308]},{"name":"__guid_type","features":[310]},{"name":"__multiString_type","features":[310]},{"name":"__string_type","features":[310]},{"name":"pHalAssignSlotResources","features":[309,312,310,308,311,313,314,315]},{"name":"pHalEndMirroring","features":[310,308]},{"name":"pHalEndOfBoot","features":[310]},{"name":"pHalExamineMBR","features":[309,312,310,308,311,313,314,315]},{"name":"pHalFindBusAddressTranslation","features":[310,308]},{"name":"pHalGetAcpiTable","features":[310]},{"name":"pHalGetDmaAdapter","features":[309,312,310,308,311,313,314,315]},{"name":"pHalGetInterruptTranslator","features":[309,312,310,308,311,313,314,315]},{"name":"pHalGetPrmCache","features":[310,314]},{"name":"pHalHaltSystem","features":[310]},{"name":"pHalHandlerForBus","features":[309,310]},{"name":"pHalInitPnpDriver","features":[310,308]},{"name":"pHalInitPowerManagement","features":[310,308]},{"name":"pHalIoReadPartitionTable","features":[309,312,310,308,311,313,328,314,315]},{"name":"pHalIoSetPartitionInformation","features":[309,312,310,308,311,313,314,315]},{"name":"pHalIoWritePartitionTable","features":[309,312,310,308,311,313,328,314,315]},{"name":"pHalMirrorPhysicalMemory","features":[310,308]},{"name":"pHalMirrorVerify","features":[310,308]},{"name":"pHalQueryBusSlots","features":[309,310,308]},{"name":"pHalQuerySystemInformation","features":[310,308]},{"name":"pHalReferenceBusHandler","features":[309,310]},{"name":"pHalResetDisplay","features":[310,308]},{"name":"pHalSetPciErrorHandlerCallback","features":[310]},{"name":"pHalSetSystemInformation","features":[310,308]},{"name":"pHalStartMirroring","features":[310,308]},{"name":"pHalTranslateBusAddress","features":[310,308]},{"name":"pHalVectorToIDTEntry","features":[310]},{"name":"pKdCheckPowerButton","features":[310]},{"name":"pKdEnumerateDebuggingDevices","features":[310,308]},{"name":"pKdGetAcpiTablePhase0","features":[310]},{"name":"pKdGetPciDataByOffset","features":[310]},{"name":"pKdMapPhysicalMemory64","features":[310,308]},{"name":"pKdReleaseIntegratedDeviceForDebugging","features":[310,308]},{"name":"pKdReleasePciDeviceForDebugging","features":[310,308]},{"name":"pKdSetPciDataByOffset","features":[310]},{"name":"pKdSetupIntegratedDeviceForDebugging","features":[310,308]},{"name":"pKdSetupPciDeviceForDebugging","features":[310,308]},{"name":"pKdUnmapVirtualAddress","features":[310,308]},{"name":"vDbgPrintEx","features":[310]},{"name":"vDbgPrintExWithPrefix","features":[310]}],"351":[{"name":"MaxProcessInfoClass","features":[344]},{"name":"MaxThreadInfoClass","features":[344]},{"name":"NtQueryInformationProcess","features":[344,308]},{"name":"NtQueryInformationThread","features":[344,308]},{"name":"NtSetInformationThread","features":[344,308]},{"name":"NtWaitForSingleObject","features":[344,308]},{"name":"PROCESSINFOCLASS","features":[344]},{"name":"ProcessAccessToken","features":[344]},{"name":"ProcessAffinityMask","features":[344]},{"name":"ProcessAffinityUpdateMode","features":[344]},{"name":"ProcessBasePriority","features":[344]},{"name":"ProcessBasicInformation","features":[344]},{"name":"ProcessBreakOnTermination","features":[344]},{"name":"ProcessCheckStackExtentsMode","features":[344]},{"name":"ProcessCommandLineInformation","features":[344]},{"name":"ProcessCommitReleaseInformation","features":[344]},{"name":"ProcessCookie","features":[344]},{"name":"ProcessCycleTime","features":[344]},{"name":"ProcessDebugFlags","features":[344]},{"name":"ProcessDebugObjectHandle","features":[344]},{"name":"ProcessDebugPort","features":[344]},{"name":"ProcessDefaultHardErrorMode","features":[344]},{"name":"ProcessDeviceMap","features":[344]},{"name":"ProcessDynamicFunctionTableInformation","features":[344]},{"name":"ProcessEnableAlignmentFaultFixup","features":[344]},{"name":"ProcessEnergyTrackingState","features":[344]},{"name":"ProcessExceptionPort","features":[344]},{"name":"ProcessExecuteFlags","features":[344]},{"name":"ProcessFaultInformation","features":[344]},{"name":"ProcessForegroundInformation","features":[344]},{"name":"ProcessGroupInformation","features":[344]},{"name":"ProcessHandleCheckingMode","features":[344]},{"name":"ProcessHandleCount","features":[344]},{"name":"ProcessHandleInformation","features":[344]},{"name":"ProcessHandleTable","features":[344]},{"name":"ProcessHandleTracing","features":[344]},{"name":"ProcessImageFileMapping","features":[344]},{"name":"ProcessImageFileName","features":[344]},{"name":"ProcessImageFileNameWin32","features":[344]},{"name":"ProcessImageInformation","features":[344]},{"name":"ProcessInPrivate","features":[344]},{"name":"ProcessInstrumentationCallback","features":[344]},{"name":"ProcessIoCounters","features":[344]},{"name":"ProcessIoPortHandlers","features":[344]},{"name":"ProcessIoPriority","features":[344]},{"name":"ProcessKeepAliveCount","features":[344]},{"name":"ProcessLUIDDeviceMapsEnabled","features":[344]},{"name":"ProcessLdtInformation","features":[344]},{"name":"ProcessLdtSize","features":[344]},{"name":"ProcessMemoryAllocationMode","features":[344]},{"name":"ProcessMemoryExhaustion","features":[344]},{"name":"ProcessMitigationPolicy","features":[344]},{"name":"ProcessOwnerInformation","features":[344]},{"name":"ProcessPagePriority","features":[344]},{"name":"ProcessPooledUsageAndLimits","features":[344]},{"name":"ProcessPriorityBoost","features":[344]},{"name":"ProcessPriorityClass","features":[344]},{"name":"ProcessProtectionInformation","features":[344]},{"name":"ProcessQuotaLimits","features":[344]},{"name":"ProcessRaisePriority","features":[344]},{"name":"ProcessRaiseUMExceptionOnInvalidHandleClose","features":[344]},{"name":"ProcessReserved1Information","features":[344]},{"name":"ProcessReserved2Information","features":[344]},{"name":"ProcessRevokeFileHandles","features":[344]},{"name":"ProcessSessionInformation","features":[344]},{"name":"ProcessSubsystemInformation","features":[344]},{"name":"ProcessSubsystemProcess","features":[344]},{"name":"ProcessTelemetryIdInformation","features":[344]},{"name":"ProcessThreadStackAllocation","features":[344]},{"name":"ProcessTimes","features":[344]},{"name":"ProcessTlsInformation","features":[344]},{"name":"ProcessTokenVirtualizationEnabled","features":[344]},{"name":"ProcessUserModeIOPL","features":[344]},{"name":"ProcessVmCounters","features":[344]},{"name":"ProcessWin32kSyscallFilterInformation","features":[344]},{"name":"ProcessWindowInformation","features":[344]},{"name":"ProcessWorkingSetControl","features":[344]},{"name":"ProcessWorkingSetWatch","features":[344]},{"name":"ProcessWorkingSetWatchEx","features":[344]},{"name":"ProcessWow64Information","features":[344]},{"name":"ProcessWx86Information","features":[344]},{"name":"THREADINFOCLASS","features":[344]},{"name":"ThreadActualBasePriority","features":[344]},{"name":"ThreadActualGroupAffinity","features":[344]},{"name":"ThreadAffinityMask","features":[344]},{"name":"ThreadAmILastThread","features":[344]},{"name":"ThreadBasePriority","features":[344]},{"name":"ThreadBasicInformation","features":[344]},{"name":"ThreadBreakOnTermination","features":[344]},{"name":"ThreadCSwitchMon","features":[344]},{"name":"ThreadCSwitchPmu","features":[344]},{"name":"ThreadCounterProfiling","features":[344]},{"name":"ThreadCpuAccountingInformation","features":[344]},{"name":"ThreadCycleTime","features":[344]},{"name":"ThreadDescriptorTableEntry","features":[344]},{"name":"ThreadDynamicCodePolicyInfo","features":[344]},{"name":"ThreadEnableAlignmentFaultFixup","features":[344]},{"name":"ThreadEventPair_Reusable","features":[344]},{"name":"ThreadGroupInformation","features":[344]},{"name":"ThreadHideFromDebugger","features":[344]},{"name":"ThreadIdealProcessor","features":[344]},{"name":"ThreadIdealProcessorEx","features":[344]},{"name":"ThreadImpersonationToken","features":[344]},{"name":"ThreadIoPriority","features":[344]},{"name":"ThreadIsIoPending","features":[344]},{"name":"ThreadIsTerminated","features":[344]},{"name":"ThreadLastSystemCall","features":[344]},{"name":"ThreadPagePriority","features":[344]},{"name":"ThreadPerformanceCount","features":[344]},{"name":"ThreadPriority","features":[344]},{"name":"ThreadPriorityBoost","features":[344]},{"name":"ThreadQuerySetWin32StartAddress","features":[344]},{"name":"ThreadSetTlsArrayAddress","features":[344]},{"name":"ThreadSubsystemInformation","features":[344]},{"name":"ThreadSuspendCount","features":[344]},{"name":"ThreadSwitchLegacyState","features":[344]},{"name":"ThreadTebInformation","features":[344]},{"name":"ThreadTimes","features":[344]},{"name":"ThreadUmsInformation","features":[344]},{"name":"ThreadWow64Context","features":[344]},{"name":"ThreadZeroTlsCell","features":[344]},{"name":"ZwSetInformationThread","features":[344,308]}],"352":[{"name":"IUriToStreamResolver","features":[345]},{"name":"IWebErrorStatics","features":[345]},{"name":"WebError","features":[345]},{"name":"WebErrorStatus","features":[345]}],"353":[{"name":"AtomPubClient","features":[346]},{"name":"IAtomPubClient","features":[346]},{"name":"IAtomPubClientFactory","features":[346]},{"name":"IResourceCollection","features":[346]},{"name":"IServiceDocument","features":[346]},{"name":"IWorkspace","features":[346]},{"name":"ResourceCollection","features":[346]},{"name":"ServiceDocument","features":[346]},{"name":"Workspace","features":[346]}],"354":[{"name":"HttpBufferContent","features":[347]},{"name":"HttpClient","features":[347]},{"name":"HttpCompletionOption","features":[347]},{"name":"HttpCookie","features":[347]},{"name":"HttpCookieCollection","features":[37,347]},{"name":"HttpCookieManager","features":[347]},{"name":"HttpFormUrlEncodedContent","features":[347]},{"name":"HttpGetBufferResult","features":[347]},{"name":"HttpGetInputStreamResult","features":[347]},{"name":"HttpGetStringResult","features":[347]},{"name":"HttpMethod","features":[347]},{"name":"HttpMultipartContent","features":[347]},{"name":"HttpMultipartFormDataContent","features":[347]},{"name":"HttpProgress","features":[81,347]},{"name":"HttpProgressStage","features":[347]},{"name":"HttpRequestMessage","features":[347]},{"name":"HttpRequestResult","features":[347]},{"name":"HttpResponseMessage","features":[347]},{"name":"HttpResponseMessageSource","features":[347]},{"name":"HttpStatusCode","features":[347]},{"name":"HttpStreamContent","features":[347]},{"name":"HttpStringContent","features":[347]},{"name":"HttpTransportInformation","features":[347]},{"name":"HttpVersion","features":[347]},{"name":"IHttpBufferContentFactory","features":[347]},{"name":"IHttpClient","features":[347]},{"name":"IHttpClient2","features":[347]},{"name":"IHttpClient3","features":[347]},{"name":"IHttpClientFactory","features":[347]},{"name":"IHttpContent","features":[347]},{"name":"IHttpCookie","features":[347]},{"name":"IHttpCookieFactory","features":[347]},{"name":"IHttpCookieManager","features":[347]},{"name":"IHttpFormUrlEncodedContentFactory","features":[347]},{"name":"IHttpGetBufferResult","features":[347]},{"name":"IHttpGetInputStreamResult","features":[347]},{"name":"IHttpGetStringResult","features":[347]},{"name":"IHttpMethod","features":[347]},{"name":"IHttpMethodFactory","features":[347]},{"name":"IHttpMethodStatics","features":[347]},{"name":"IHttpMultipartContent","features":[347]},{"name":"IHttpMultipartContentFactory","features":[347]},{"name":"IHttpMultipartFormDataContent","features":[347]},{"name":"IHttpMultipartFormDataContentFactory","features":[347]},{"name":"IHttpRequestMessage","features":[347]},{"name":"IHttpRequestMessage2","features":[347]},{"name":"IHttpRequestMessageFactory","features":[347]},{"name":"IHttpRequestResult","features":[347]},{"name":"IHttpResponseMessage","features":[347]},{"name":"IHttpResponseMessageFactory","features":[347]},{"name":"IHttpStreamContentFactory","features":[347]},{"name":"IHttpStringContentFactory","features":[347]},{"name":"IHttpTransportInformation","features":[347]}],"355":[{"name":"HttpDiagnosticProvider","features":[348]},{"name":"HttpDiagnosticProviderRequestResponseCompletedEventArgs","features":[348]},{"name":"HttpDiagnosticProviderRequestResponseTimestamps","features":[348]},{"name":"HttpDiagnosticProviderRequestSentEventArgs","features":[348]},{"name":"HttpDiagnosticProviderResponseReceivedEventArgs","features":[348]},{"name":"HttpDiagnosticRequestInitiator","features":[348]},{"name":"HttpDiagnosticSourceLocation","features":[348]},{"name":"HttpDiagnosticsContract","features":[348]},{"name":"IHttpDiagnosticProvider","features":[348]},{"name":"IHttpDiagnosticProviderRequestResponseCompletedEventArgs","features":[348]},{"name":"IHttpDiagnosticProviderRequestResponseTimestamps","features":[348]},{"name":"IHttpDiagnosticProviderRequestSentEventArgs","features":[348]},{"name":"IHttpDiagnosticProviderResponseReceivedEventArgs","features":[348]},{"name":"IHttpDiagnosticProviderStatics","features":[348]},{"name":"IHttpDiagnosticSourceLocation","features":[348]}],"356":[{"name":"HttpBaseProtocolFilter","features":[349]},{"name":"HttpCacheControl","features":[349]},{"name":"HttpCacheReadBehavior","features":[349]},{"name":"HttpCacheWriteBehavior","features":[349]},{"name":"HttpCookieUsageBehavior","features":[349]},{"name":"HttpServerCustomValidationRequestedEventArgs","features":[349]},{"name":"IHttpBaseProtocolFilter","features":[349]},{"name":"IHttpBaseProtocolFilter2","features":[349]},{"name":"IHttpBaseProtocolFilter3","features":[349]},{"name":"IHttpBaseProtocolFilter4","features":[349]},{"name":"IHttpBaseProtocolFilter5","features":[349]},{"name":"IHttpBaseProtocolFilterStatics","features":[349]},{"name":"IHttpCacheControl","features":[349]},{"name":"IHttpFilter","features":[349]},{"name":"IHttpServerCustomValidationRequestedEventArgs","features":[349]}],"357":[{"name":"HttpCacheDirectiveHeaderValueCollection","features":[350]},{"name":"HttpChallengeHeaderValue","features":[350]},{"name":"HttpChallengeHeaderValueCollection","features":[350]},{"name":"HttpConnectionOptionHeaderValue","features":[350]},{"name":"HttpConnectionOptionHeaderValueCollection","features":[350]},{"name":"HttpContentCodingHeaderValue","features":[350]},{"name":"HttpContentCodingHeaderValueCollection","features":[350]},{"name":"HttpContentCodingWithQualityHeaderValue","features":[350]},{"name":"HttpContentCodingWithQualityHeaderValueCollection","features":[350]},{"name":"HttpContentDispositionHeaderValue","features":[350]},{"name":"HttpContentHeaderCollection","features":[350]},{"name":"HttpContentRangeHeaderValue","features":[350]},{"name":"HttpCookiePairHeaderValue","features":[350]},{"name":"HttpCookiePairHeaderValueCollection","features":[350]},{"name":"HttpCredentialsHeaderValue","features":[350]},{"name":"HttpDateOrDeltaHeaderValue","features":[350]},{"name":"HttpExpectationHeaderValue","features":[350]},{"name":"HttpExpectationHeaderValueCollection","features":[350]},{"name":"HttpLanguageHeaderValueCollection","features":[350]},{"name":"HttpLanguageRangeWithQualityHeaderValue","features":[350]},{"name":"HttpLanguageRangeWithQualityHeaderValueCollection","features":[350]},{"name":"HttpMediaTypeHeaderValue","features":[350]},{"name":"HttpMediaTypeWithQualityHeaderValue","features":[350]},{"name":"HttpMediaTypeWithQualityHeaderValueCollection","features":[350]},{"name":"HttpMethodHeaderValueCollection","features":[350]},{"name":"HttpNameValueHeaderValue","features":[350]},{"name":"HttpProductHeaderValue","features":[350]},{"name":"HttpProductInfoHeaderValue","features":[350]},{"name":"HttpProductInfoHeaderValueCollection","features":[350]},{"name":"HttpRequestHeaderCollection","features":[350]},{"name":"HttpResponseHeaderCollection","features":[350]},{"name":"HttpTransferCodingHeaderValue","features":[350]},{"name":"HttpTransferCodingHeaderValueCollection","features":[350]},{"name":"IHttpCacheDirectiveHeaderValueCollection","features":[350]},{"name":"IHttpChallengeHeaderValue","features":[350]},{"name":"IHttpChallengeHeaderValueCollection","features":[350]},{"name":"IHttpChallengeHeaderValueFactory","features":[350]},{"name":"IHttpChallengeHeaderValueStatics","features":[350]},{"name":"IHttpConnectionOptionHeaderValue","features":[350]},{"name":"IHttpConnectionOptionHeaderValueCollection","features":[350]},{"name":"IHttpConnectionOptionHeaderValueFactory","features":[350]},{"name":"IHttpConnectionOptionHeaderValueStatics","features":[350]},{"name":"IHttpContentCodingHeaderValue","features":[350]},{"name":"IHttpContentCodingHeaderValueCollection","features":[350]},{"name":"IHttpContentCodingHeaderValueFactory","features":[350]},{"name":"IHttpContentCodingHeaderValueStatics","features":[350]},{"name":"IHttpContentCodingWithQualityHeaderValue","features":[350]},{"name":"IHttpContentCodingWithQualityHeaderValueCollection","features":[350]},{"name":"IHttpContentCodingWithQualityHeaderValueFactory","features":[350]},{"name":"IHttpContentCodingWithQualityHeaderValueStatics","features":[350]},{"name":"IHttpContentDispositionHeaderValue","features":[350]},{"name":"IHttpContentDispositionHeaderValueFactory","features":[350]},{"name":"IHttpContentDispositionHeaderValueStatics","features":[350]},{"name":"IHttpContentHeaderCollection","features":[350]},{"name":"IHttpContentRangeHeaderValue","features":[350]},{"name":"IHttpContentRangeHeaderValueFactory","features":[350]},{"name":"IHttpContentRangeHeaderValueStatics","features":[350]},{"name":"IHttpCookiePairHeaderValue","features":[350]},{"name":"IHttpCookiePairHeaderValueCollection","features":[350]},{"name":"IHttpCookiePairHeaderValueFactory","features":[350]},{"name":"IHttpCookiePairHeaderValueStatics","features":[350]},{"name":"IHttpCredentialsHeaderValue","features":[350]},{"name":"IHttpCredentialsHeaderValueFactory","features":[350]},{"name":"IHttpCredentialsHeaderValueStatics","features":[350]},{"name":"IHttpDateOrDeltaHeaderValue","features":[350]},{"name":"IHttpDateOrDeltaHeaderValueStatics","features":[350]},{"name":"IHttpExpectationHeaderValue","features":[350]},{"name":"IHttpExpectationHeaderValueCollection","features":[350]},{"name":"IHttpExpectationHeaderValueFactory","features":[350]},{"name":"IHttpExpectationHeaderValueStatics","features":[350]},{"name":"IHttpLanguageHeaderValueCollection","features":[350]},{"name":"IHttpLanguageRangeWithQualityHeaderValue","features":[350]},{"name":"IHttpLanguageRangeWithQualityHeaderValueCollection","features":[350]},{"name":"IHttpLanguageRangeWithQualityHeaderValueFactory","features":[350]},{"name":"IHttpLanguageRangeWithQualityHeaderValueStatics","features":[350]},{"name":"IHttpMediaTypeHeaderValue","features":[350]},{"name":"IHttpMediaTypeHeaderValueFactory","features":[350]},{"name":"IHttpMediaTypeHeaderValueStatics","features":[350]},{"name":"IHttpMediaTypeWithQualityHeaderValue","features":[350]},{"name":"IHttpMediaTypeWithQualityHeaderValueCollection","features":[350]},{"name":"IHttpMediaTypeWithQualityHeaderValueFactory","features":[350]},{"name":"IHttpMediaTypeWithQualityHeaderValueStatics","features":[350]},{"name":"IHttpMethodHeaderValueCollection","features":[350]},{"name":"IHttpNameValueHeaderValue","features":[350]},{"name":"IHttpNameValueHeaderValueFactory","features":[350]},{"name":"IHttpNameValueHeaderValueStatics","features":[350]},{"name":"IHttpProductHeaderValue","features":[350]},{"name":"IHttpProductHeaderValueFactory","features":[350]},{"name":"IHttpProductHeaderValueStatics","features":[350]},{"name":"IHttpProductInfoHeaderValue","features":[350]},{"name":"IHttpProductInfoHeaderValueCollection","features":[350]},{"name":"IHttpProductInfoHeaderValueFactory","features":[350]},{"name":"IHttpProductInfoHeaderValueStatics","features":[350]},{"name":"IHttpRequestHeaderCollection","features":[350]},{"name":"IHttpResponseHeaderCollection","features":[350]},{"name":"IHttpTransferCodingHeaderValue","features":[350]},{"name":"IHttpTransferCodingHeaderValueCollection","features":[350]},{"name":"IHttpTransferCodingHeaderValueFactory","features":[350]},{"name":"IHttpTransferCodingHeaderValueStatics","features":[350]}],"358":[{"name":"ISyndicationAttribute","features":[351]},{"name":"ISyndicationAttributeFactory","features":[351]},{"name":"ISyndicationCategory","features":[351]},{"name":"ISyndicationCategoryFactory","features":[351]},{"name":"ISyndicationClient","features":[351]},{"name":"ISyndicationClientFactory","features":[351]},{"name":"ISyndicationContent","features":[351]},{"name":"ISyndicationContentFactory","features":[351]},{"name":"ISyndicationErrorStatics","features":[351]},{"name":"ISyndicationFeed","features":[351]},{"name":"ISyndicationFeedFactory","features":[351]},{"name":"ISyndicationGenerator","features":[351]},{"name":"ISyndicationGeneratorFactory","features":[351]},{"name":"ISyndicationItem","features":[351]},{"name":"ISyndicationItemFactory","features":[351]},{"name":"ISyndicationLink","features":[351]},{"name":"ISyndicationLinkFactory","features":[351]},{"name":"ISyndicationNode","features":[351]},{"name":"ISyndicationNodeFactory","features":[351]},{"name":"ISyndicationPerson","features":[351]},{"name":"ISyndicationPersonFactory","features":[351]},{"name":"ISyndicationText","features":[351]},{"name":"ISyndicationTextFactory","features":[351]},{"name":"RetrievalProgress","features":[351]},{"name":"SyndicationAttribute","features":[351]},{"name":"SyndicationCategory","features":[351]},{"name":"SyndicationClient","features":[351]},{"name":"SyndicationContent","features":[351]},{"name":"SyndicationError","features":[351]},{"name":"SyndicationErrorStatus","features":[351]},{"name":"SyndicationFeed","features":[351]},{"name":"SyndicationFormat","features":[351]},{"name":"SyndicationGenerator","features":[351]},{"name":"SyndicationItem","features":[351]},{"name":"SyndicationLink","features":[351]},{"name":"SyndicationNode","features":[351]},{"name":"SyndicationPerson","features":[351]},{"name":"SyndicationText","features":[351]},{"name":"SyndicationTextType","features":[351]},{"name":"TransferProgress","features":[351]}],"359":[{"name":"IWebViewControl","features":[352]},{"name":"IWebViewControl2","features":[352]},{"name":"IWebViewControlContentLoadingEventArgs","features":[352]},{"name":"IWebViewControlDOMContentLoadedEventArgs","features":[352]},{"name":"IWebViewControlDeferredPermissionRequest","features":[352]},{"name":"IWebViewControlLongRunningScriptDetectedEventArgs","features":[352]},{"name":"IWebViewControlNavigationCompletedEventArgs","features":[352]},{"name":"IWebViewControlNavigationStartingEventArgs","features":[352]},{"name":"IWebViewControlNewWindowRequestedEventArgs","features":[352]},{"name":"IWebViewControlNewWindowRequestedEventArgs2","features":[352]},{"name":"IWebViewControlPermissionRequest","features":[352]},{"name":"IWebViewControlPermissionRequestedEventArgs","features":[352]},{"name":"IWebViewControlScriptNotifyEventArgs","features":[352]},{"name":"IWebViewControlSettings","features":[352]},{"name":"IWebViewControlUnsupportedUriSchemeIdentifiedEventArgs","features":[352]},{"name":"IWebViewControlUnviewableContentIdentifiedEventArgs","features":[352]},{"name":"IWebViewControlWebResourceRequestedEventArgs","features":[352]},{"name":"WebViewControlContentLoadingEventArgs","features":[352]},{"name":"WebViewControlDOMContentLoadedEventArgs","features":[352]},{"name":"WebViewControlDeferredPermissionRequest","features":[352]},{"name":"WebViewControlLongRunningScriptDetectedEventArgs","features":[352]},{"name":"WebViewControlNavigationCompletedEventArgs","features":[352]},{"name":"WebViewControlNavigationStartingEventArgs","features":[352]},{"name":"WebViewControlNewWindowRequestedEventArgs","features":[352]},{"name":"WebViewControlPermissionRequest","features":[352]},{"name":"WebViewControlPermissionRequestedEventArgs","features":[352]},{"name":"WebViewControlPermissionState","features":[352]},{"name":"WebViewControlPermissionType","features":[352]},{"name":"WebViewControlScriptNotifyEventArgs","features":[352]},{"name":"WebViewControlSettings","features":[352]},{"name":"WebViewControlUnsupportedUriSchemeIdentifiedEventArgs","features":[352]},{"name":"WebViewControlUnviewableContentIdentifiedEventArgs","features":[352]},{"name":"WebViewControlWebResourceRequestedEventArgs","features":[352]}],"360":[{"name":"IWebViewControlAcceleratorKeyPressedEventArgs","features":[353]},{"name":"IWebViewControlMoveFocusRequestedEventArgs","features":[353]},{"name":"IWebViewControlProcess","features":[353]},{"name":"IWebViewControlProcessFactory","features":[353]},{"name":"IWebViewControlProcessOptions","features":[353]},{"name":"IWebViewControlSite","features":[353]},{"name":"IWebViewControlSite2","features":[353]},{"name":"WebViewControl","features":[353]},{"name":"WebViewControlAcceleratorKeyPressedEventArgs","features":[353]},{"name":"WebViewControlAcceleratorKeyRoutingStage","features":[353]},{"name":"WebViewControlMoveFocusReason","features":[353]},{"name":"WebViewControlMoveFocusRequestedEventArgs","features":[353]},{"name":"WebViewControlProcess","features":[353]},{"name":"WebViewControlProcessCapabilityState","features":[353]},{"name":"WebViewControlProcessOptions","features":[353]}],"361":[{"name":"DMLCreateDevice","features":[354,355]},{"name":"DMLCreateDevice1","features":[354,355]},{"name":"DML_ACTIVATION_CELU_OPERATOR_DESC","features":[354]},{"name":"DML_ACTIVATION_ELU_OPERATOR_DESC","features":[354]},{"name":"DML_ACTIVATION_HARDMAX_OPERATOR_DESC","features":[354]},{"name":"DML_ACTIVATION_HARD_SIGMOID_OPERATOR_DESC","features":[354]},{"name":"DML_ACTIVATION_IDENTITY_OPERATOR_DESC","features":[354]},{"name":"DML_ACTIVATION_LEAKY_RELU_OPERATOR_DESC","features":[354]},{"name":"DML_ACTIVATION_LINEAR_OPERATOR_DESC","features":[354]},{"name":"DML_ACTIVATION_LOG_SOFTMAX_OPERATOR_DESC","features":[354]},{"name":"DML_ACTIVATION_PARAMETERIZED_RELU_OPERATOR_DESC","features":[354]},{"name":"DML_ACTIVATION_PARAMETRIC_SOFTPLUS_OPERATOR_DESC","features":[354]},{"name":"DML_ACTIVATION_RELU_GRAD_OPERATOR_DESC","features":[354]},{"name":"DML_ACTIVATION_RELU_OPERATOR_DESC","features":[354]},{"name":"DML_ACTIVATION_SCALED_ELU_OPERATOR_DESC","features":[354]},{"name":"DML_ACTIVATION_SCALED_TANH_OPERATOR_DESC","features":[354]},{"name":"DML_ACTIVATION_SHRINK_OPERATOR_DESC","features":[354]},{"name":"DML_ACTIVATION_SIGMOID_OPERATOR_DESC","features":[354]},{"name":"DML_ACTIVATION_SOFTMAX_OPERATOR_DESC","features":[354]},{"name":"DML_ACTIVATION_SOFTPLUS_OPERATOR_DESC","features":[354]},{"name":"DML_ACTIVATION_SOFTSIGN_OPERATOR_DESC","features":[354]},{"name":"DML_ACTIVATION_TANH_OPERATOR_DESC","features":[354]},{"name":"DML_ACTIVATION_THRESHOLDED_RELU_OPERATOR_DESC","features":[354]},{"name":"DML_ADAM_OPTIMIZER_OPERATOR_DESC","features":[354]},{"name":"DML_ARGMAX_OPERATOR_DESC","features":[354]},{"name":"DML_ARGMIN_OPERATOR_DESC","features":[354]},{"name":"DML_AVERAGE_POOLING_GRAD_OPERATOR_DESC","features":[354,308]},{"name":"DML_AVERAGE_POOLING_OPERATOR_DESC","features":[354,308]},{"name":"DML_AXIS_DIRECTION","features":[354]},{"name":"DML_AXIS_DIRECTION_DECREASING","features":[354]},{"name":"DML_AXIS_DIRECTION_INCREASING","features":[354]},{"name":"DML_BATCH_NORMALIZATION_GRAD_OPERATOR_DESC","features":[354]},{"name":"DML_BATCH_NORMALIZATION_OPERATOR_DESC","features":[354,308]},{"name":"DML_BINDING_DESC","features":[354]},{"name":"DML_BINDING_PROPERTIES","features":[354]},{"name":"DML_BINDING_TABLE_DESC","features":[354,355]},{"name":"DML_BINDING_TYPE","features":[354]},{"name":"DML_BINDING_TYPE_BUFFER","features":[354]},{"name":"DML_BINDING_TYPE_BUFFER_ARRAY","features":[354]},{"name":"DML_BINDING_TYPE_NONE","features":[354]},{"name":"DML_BUFFER_ARRAY_BINDING","features":[354,355]},{"name":"DML_BUFFER_BINDING","features":[354,355]},{"name":"DML_BUFFER_TENSOR_DESC","features":[354]},{"name":"DML_CAST_OPERATOR_DESC","features":[354]},{"name":"DML_CONVOLUTION_DIRECTION","features":[354]},{"name":"DML_CONVOLUTION_DIRECTION_BACKWARD","features":[354]},{"name":"DML_CONVOLUTION_DIRECTION_FORWARD","features":[354]},{"name":"DML_CONVOLUTION_INTEGER_OPERATOR_DESC","features":[354]},{"name":"DML_CONVOLUTION_MODE","features":[354]},{"name":"DML_CONVOLUTION_MODE_CONVOLUTION","features":[354]},{"name":"DML_CONVOLUTION_MODE_CROSS_CORRELATION","features":[354]},{"name":"DML_CONVOLUTION_OPERATOR_DESC","features":[354]},{"name":"DML_CREATE_DEVICE_FLAGS","features":[354]},{"name":"DML_CREATE_DEVICE_FLAG_DEBUG","features":[354]},{"name":"DML_CREATE_DEVICE_FLAG_NONE","features":[354]},{"name":"DML_CUMULATIVE_PRODUCT_OPERATOR_DESC","features":[354,308]},{"name":"DML_CUMULATIVE_SUMMATION_OPERATOR_DESC","features":[354,308]},{"name":"DML_DEPTH_SPACE_ORDER","features":[354]},{"name":"DML_DEPTH_SPACE_ORDER_COLUMN_ROW_DEPTH","features":[354]},{"name":"DML_DEPTH_SPACE_ORDER_DEPTH_COLUMN_ROW","features":[354]},{"name":"DML_DEPTH_TO_SPACE1_OPERATOR_DESC","features":[354]},{"name":"DML_DEPTH_TO_SPACE_OPERATOR_DESC","features":[354]},{"name":"DML_DIAGONAL_MATRIX_OPERATOR_DESC","features":[354]},{"name":"DML_DYNAMIC_QUANTIZE_LINEAR_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_ABS_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_ACOSH_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_ACOS_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_ADD1_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_ADD_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_ASINH_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_ASIN_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_ATANH_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_ATAN_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_ATAN_YX_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_BIT_AND_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_BIT_COUNT_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_BIT_NOT_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_BIT_OR_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_BIT_SHIFT_LEFT_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_BIT_SHIFT_RIGHT_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_BIT_XOR_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_CEIL_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_CLIP_GRAD_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_CLIP_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_CONSTANT_POW_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_COSH_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_COS_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_DEQUANTIZE_LINEAR_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_DIFFERENCE_SQUARE_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_DIVIDE_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_ERF_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_EXP_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_FLOOR_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_IDENTITY_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_IF_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_IS_INFINITY_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_IS_NAN_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_LOGICAL_AND_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_LOGICAL_EQUALS_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_LOGICAL_GREATER_THAN_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_LOGICAL_GREATER_THAN_OR_EQUAL_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_LOGICAL_LESS_THAN_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_LOGICAL_LESS_THAN_OR_EQUAL_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_LOGICAL_NOT_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_LOGICAL_OR_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_LOGICAL_XOR_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_LOG_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_MAX_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_MEAN_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_MIN_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_MODULUS_FLOOR_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_MODULUS_TRUNCATE_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_MULTIPLY_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_POW_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_QUANTIZED_LINEAR_ADD_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_QUANTIZE_LINEAR_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_RECIP_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_ROUND_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_SIGN_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_SINH_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_SIN_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_SQRT_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_SUBTRACT_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_TANH_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_TAN_OPERATOR_DESC","features":[354]},{"name":"DML_ELEMENT_WISE_THRESHOLD_OPERATOR_DESC","features":[354]},{"name":"DML_EXECUTION_FLAGS","features":[354]},{"name":"DML_EXECUTION_FLAG_ALLOW_HALF_PRECISION_COMPUTATION","features":[354]},{"name":"DML_EXECUTION_FLAG_DESCRIPTORS_VOLATILE","features":[354]},{"name":"DML_EXECUTION_FLAG_DISABLE_META_COMMANDS","features":[354]},{"name":"DML_EXECUTION_FLAG_NONE","features":[354]},{"name":"DML_FEATURE","features":[354]},{"name":"DML_FEATURE_DATA_FEATURE_LEVELS","features":[354]},{"name":"DML_FEATURE_DATA_TENSOR_DATA_TYPE_SUPPORT","features":[354,308]},{"name":"DML_FEATURE_FEATURE_LEVELS","features":[354]},{"name":"DML_FEATURE_LEVEL","features":[354]},{"name":"DML_FEATURE_LEVEL_1_0","features":[354]},{"name":"DML_FEATURE_LEVEL_2_0","features":[354]},{"name":"DML_FEATURE_LEVEL_2_1","features":[354]},{"name":"DML_FEATURE_LEVEL_3_0","features":[354]},{"name":"DML_FEATURE_LEVEL_3_1","features":[354]},{"name":"DML_FEATURE_LEVEL_4_0","features":[354]},{"name":"DML_FEATURE_LEVEL_4_1","features":[354]},{"name":"DML_FEATURE_LEVEL_5_0","features":[354]},{"name":"DML_FEATURE_QUERY_FEATURE_LEVELS","features":[354]},{"name":"DML_FEATURE_QUERY_TENSOR_DATA_TYPE_SUPPORT","features":[354]},{"name":"DML_FEATURE_TENSOR_DATA_TYPE_SUPPORT","features":[354]},{"name":"DML_FILL_VALUE_CONSTANT_OPERATOR_DESC","features":[354]},{"name":"DML_FILL_VALUE_SEQUENCE_OPERATOR_DESC","features":[354]},{"name":"DML_GATHER_ELEMENTS_OPERATOR_DESC","features":[354]},{"name":"DML_GATHER_ND1_OPERATOR_DESC","features":[354]},{"name":"DML_GATHER_ND_OPERATOR_DESC","features":[354]},{"name":"DML_GATHER_OPERATOR_DESC","features":[354]},{"name":"DML_GEMM_OPERATOR_DESC","features":[354]},{"name":"DML_GRAPH_DESC","features":[354]},{"name":"DML_GRAPH_EDGE_DESC","features":[354]},{"name":"DML_GRAPH_EDGE_TYPE","features":[354]},{"name":"DML_GRAPH_EDGE_TYPE_INPUT","features":[354]},{"name":"DML_GRAPH_EDGE_TYPE_INTERMEDIATE","features":[354]},{"name":"DML_GRAPH_EDGE_TYPE_INVALID","features":[354]},{"name":"DML_GRAPH_EDGE_TYPE_OUTPUT","features":[354]},{"name":"DML_GRAPH_NODE_DESC","features":[354]},{"name":"DML_GRAPH_NODE_TYPE","features":[354]},{"name":"DML_GRAPH_NODE_TYPE_INVALID","features":[354]},{"name":"DML_GRAPH_NODE_TYPE_OPERATOR","features":[354]},{"name":"DML_GRU_OPERATOR_DESC","features":[354,308]},{"name":"DML_INPUT_GRAPH_EDGE_DESC","features":[354]},{"name":"DML_INTERMEDIATE_GRAPH_EDGE_DESC","features":[354]},{"name":"DML_INTERPOLATION_MODE","features":[354]},{"name":"DML_INTERPOLATION_MODE_LINEAR","features":[354]},{"name":"DML_INTERPOLATION_MODE_NEAREST_NEIGHBOR","features":[354]},{"name":"DML_IS_INFINITY_MODE","features":[354]},{"name":"DML_IS_INFINITY_MODE_EITHER","features":[354]},{"name":"DML_IS_INFINITY_MODE_NEGATIVE","features":[354]},{"name":"DML_IS_INFINITY_MODE_POSITIVE","features":[354]},{"name":"DML_JOIN_OPERATOR_DESC","features":[354]},{"name":"DML_LOCAL_RESPONSE_NORMALIZATION_GRAD_OPERATOR_DESC","features":[354,308]},{"name":"DML_LOCAL_RESPONSE_NORMALIZATION_OPERATOR_DESC","features":[354,308]},{"name":"DML_LP_NORMALIZATION_OPERATOR_DESC","features":[354]},{"name":"DML_LP_POOLING_OPERATOR_DESC","features":[354]},{"name":"DML_LSTM_OPERATOR_DESC","features":[354,308]},{"name":"DML_MATRIX_MULTIPLY_INTEGER_OPERATOR_DESC","features":[354]},{"name":"DML_MATRIX_TRANSFORM","features":[354]},{"name":"DML_MATRIX_TRANSFORM_NONE","features":[354]},{"name":"DML_MATRIX_TRANSFORM_TRANSPOSE","features":[354]},{"name":"DML_MAX_POOLING1_OPERATOR_DESC","features":[354]},{"name":"DML_MAX_POOLING2_OPERATOR_DESC","features":[354]},{"name":"DML_MAX_POOLING_GRAD_OPERATOR_DESC","features":[354]},{"name":"DML_MAX_POOLING_OPERATOR_DESC","features":[354]},{"name":"DML_MAX_UNPOOLING_OPERATOR_DESC","features":[354]},{"name":"DML_MEAN_VARIANCE_NORMALIZATION1_OPERATOR_DESC","features":[354,308]},{"name":"DML_MEAN_VARIANCE_NORMALIZATION_OPERATOR_DESC","features":[354,308]},{"name":"DML_MINIMUM_BUFFER_TENSOR_ALIGNMENT","features":[354]},{"name":"DML_NONZERO_COORDINATES_OPERATOR_DESC","features":[354]},{"name":"DML_ONE_HOT_OPERATOR_DESC","features":[354]},{"name":"DML_OPERATOR_ACTIVATION_CELU","features":[354]},{"name":"DML_OPERATOR_ACTIVATION_ELU","features":[354]},{"name":"DML_OPERATOR_ACTIVATION_HARDMAX","features":[354]},{"name":"DML_OPERATOR_ACTIVATION_HARD_SIGMOID","features":[354]},{"name":"DML_OPERATOR_ACTIVATION_IDENTITY","features":[354]},{"name":"DML_OPERATOR_ACTIVATION_LEAKY_RELU","features":[354]},{"name":"DML_OPERATOR_ACTIVATION_LINEAR","features":[354]},{"name":"DML_OPERATOR_ACTIVATION_LOG_SOFTMAX","features":[354]},{"name":"DML_OPERATOR_ACTIVATION_PARAMETERIZED_RELU","features":[354]},{"name":"DML_OPERATOR_ACTIVATION_PARAMETRIC_SOFTPLUS","features":[354]},{"name":"DML_OPERATOR_ACTIVATION_RELU","features":[354]},{"name":"DML_OPERATOR_ACTIVATION_RELU_GRAD","features":[354]},{"name":"DML_OPERATOR_ACTIVATION_SCALED_ELU","features":[354]},{"name":"DML_OPERATOR_ACTIVATION_SCALED_TANH","features":[354]},{"name":"DML_OPERATOR_ACTIVATION_SHRINK","features":[354]},{"name":"DML_OPERATOR_ACTIVATION_SIGMOID","features":[354]},{"name":"DML_OPERATOR_ACTIVATION_SOFTMAX","features":[354]},{"name":"DML_OPERATOR_ACTIVATION_SOFTPLUS","features":[354]},{"name":"DML_OPERATOR_ACTIVATION_SOFTSIGN","features":[354]},{"name":"DML_OPERATOR_ACTIVATION_TANH","features":[354]},{"name":"DML_OPERATOR_ACTIVATION_THRESHOLDED_RELU","features":[354]},{"name":"DML_OPERATOR_ADAM_OPTIMIZER","features":[354]},{"name":"DML_OPERATOR_ARGMAX","features":[354]},{"name":"DML_OPERATOR_ARGMIN","features":[354]},{"name":"DML_OPERATOR_AVERAGE_POOLING","features":[354]},{"name":"DML_OPERATOR_AVERAGE_POOLING_GRAD","features":[354]},{"name":"DML_OPERATOR_BATCH_NORMALIZATION","features":[354]},{"name":"DML_OPERATOR_BATCH_NORMALIZATION_GRAD","features":[354]},{"name":"DML_OPERATOR_CAST","features":[354]},{"name":"DML_OPERATOR_CONVOLUTION","features":[354]},{"name":"DML_OPERATOR_CONVOLUTION_INTEGER","features":[354]},{"name":"DML_OPERATOR_CUMULATIVE_PRODUCT","features":[354]},{"name":"DML_OPERATOR_CUMULATIVE_SUMMATION","features":[354]},{"name":"DML_OPERATOR_DEPTH_TO_SPACE","features":[354]},{"name":"DML_OPERATOR_DEPTH_TO_SPACE1","features":[354]},{"name":"DML_OPERATOR_DESC","features":[354]},{"name":"DML_OPERATOR_DIAGONAL_MATRIX","features":[354]},{"name":"DML_OPERATOR_DYNAMIC_QUANTIZE_LINEAR","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_ABS","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_ACOS","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_ACOSH","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_ADD","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_ADD1","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_ASIN","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_ASINH","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_ATAN","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_ATANH","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_ATAN_YX","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_BIT_AND","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_BIT_COUNT","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_BIT_NOT","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_BIT_OR","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_BIT_SHIFT_LEFT","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_BIT_SHIFT_RIGHT","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_BIT_XOR","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_CEIL","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_CLIP","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_CLIP_GRAD","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_CONSTANT_POW","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_COS","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_COSH","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_DEQUANTIZE_LINEAR","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_DIFFERENCE_SQUARE","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_DIVIDE","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_ERF","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_EXP","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_FLOOR","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_IDENTITY","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_IF","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_IS_INFINITY","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_IS_NAN","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_LOG","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_LOGICAL_AND","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_LOGICAL_EQUALS","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_LOGICAL_GREATER_THAN","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_LOGICAL_GREATER_THAN_OR_EQUAL","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_LOGICAL_LESS_THAN","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_LOGICAL_LESS_THAN_OR_EQUAL","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_LOGICAL_NOT","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_LOGICAL_OR","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_LOGICAL_XOR","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_MAX","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_MEAN","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_MIN","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_MODULUS_FLOOR","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_MODULUS_TRUNCATE","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_MULTIPLY","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_POW","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_QUANTIZED_LINEAR_ADD","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_QUANTIZE_LINEAR","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_RECIP","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_ROUND","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_SIGN","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_SIN","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_SINH","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_SQRT","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_SUBTRACT","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_TAN","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_TANH","features":[354]},{"name":"DML_OPERATOR_ELEMENT_WISE_THRESHOLD","features":[354]},{"name":"DML_OPERATOR_FILL_VALUE_CONSTANT","features":[354]},{"name":"DML_OPERATOR_FILL_VALUE_SEQUENCE","features":[354]},{"name":"DML_OPERATOR_GATHER","features":[354]},{"name":"DML_OPERATOR_GATHER_ELEMENTS","features":[354]},{"name":"DML_OPERATOR_GATHER_ND","features":[354]},{"name":"DML_OPERATOR_GATHER_ND1","features":[354]},{"name":"DML_OPERATOR_GEMM","features":[354]},{"name":"DML_OPERATOR_GRAPH_NODE_DESC","features":[354]},{"name":"DML_OPERATOR_GRU","features":[354]},{"name":"DML_OPERATOR_INVALID","features":[354]},{"name":"DML_OPERATOR_JOIN","features":[354]},{"name":"DML_OPERATOR_LOCAL_RESPONSE_NORMALIZATION","features":[354]},{"name":"DML_OPERATOR_LOCAL_RESPONSE_NORMALIZATION_GRAD","features":[354]},{"name":"DML_OPERATOR_LP_NORMALIZATION","features":[354]},{"name":"DML_OPERATOR_LP_POOLING","features":[354]},{"name":"DML_OPERATOR_LSTM","features":[354]},{"name":"DML_OPERATOR_MATRIX_MULTIPLY_INTEGER","features":[354]},{"name":"DML_OPERATOR_MAX_POOLING","features":[354]},{"name":"DML_OPERATOR_MAX_POOLING1","features":[354]},{"name":"DML_OPERATOR_MAX_POOLING2","features":[354]},{"name":"DML_OPERATOR_MAX_POOLING_GRAD","features":[354]},{"name":"DML_OPERATOR_MAX_UNPOOLING","features":[354]},{"name":"DML_OPERATOR_MEAN_VARIANCE_NORMALIZATION","features":[354]},{"name":"DML_OPERATOR_MEAN_VARIANCE_NORMALIZATION1","features":[354]},{"name":"DML_OPERATOR_NONZERO_COORDINATES","features":[354]},{"name":"DML_OPERATOR_ONE_HOT","features":[354]},{"name":"DML_OPERATOR_PADDING","features":[354]},{"name":"DML_OPERATOR_QUANTIZED_LINEAR_CONVOLUTION","features":[354]},{"name":"DML_OPERATOR_QUANTIZED_LINEAR_MATRIX_MULTIPLY","features":[354]},{"name":"DML_OPERATOR_RANDOM_GENERATOR","features":[354]},{"name":"DML_OPERATOR_REDUCE","features":[354]},{"name":"DML_OPERATOR_RESAMPLE","features":[354]},{"name":"DML_OPERATOR_RESAMPLE1","features":[354]},{"name":"DML_OPERATOR_RESAMPLE_GRAD","features":[354]},{"name":"DML_OPERATOR_REVERSE_SUBSEQUENCES","features":[354]},{"name":"DML_OPERATOR_RNN","features":[354]},{"name":"DML_OPERATOR_ROI_ALIGN","features":[354]},{"name":"DML_OPERATOR_ROI_ALIGN1","features":[354]},{"name":"DML_OPERATOR_ROI_POOLING","features":[354]},{"name":"DML_OPERATOR_SCATTER","features":[354]},{"name":"DML_OPERATOR_SCATTER_ELEMENTS","features":[354]},{"name":"DML_OPERATOR_SCATTER_ND","features":[354]},{"name":"DML_OPERATOR_SLICE","features":[354]},{"name":"DML_OPERATOR_SLICE1","features":[354]},{"name":"DML_OPERATOR_SLICE_GRAD","features":[354]},{"name":"DML_OPERATOR_SPACE_TO_DEPTH","features":[354]},{"name":"DML_OPERATOR_SPACE_TO_DEPTH1","features":[354]},{"name":"DML_OPERATOR_SPLIT","features":[354]},{"name":"DML_OPERATOR_TILE","features":[354]},{"name":"DML_OPERATOR_TOP_K","features":[354]},{"name":"DML_OPERATOR_TOP_K1","features":[354]},{"name":"DML_OPERATOR_TYPE","features":[354]},{"name":"DML_OPERATOR_UPSAMPLE_2D","features":[354]},{"name":"DML_OPERATOR_VALUE_SCALE_2D","features":[354]},{"name":"DML_OUTPUT_GRAPH_EDGE_DESC","features":[354]},{"name":"DML_PADDING_MODE","features":[354]},{"name":"DML_PADDING_MODE_CONSTANT","features":[354]},{"name":"DML_PADDING_MODE_EDGE","features":[354]},{"name":"DML_PADDING_MODE_REFLECTION","features":[354]},{"name":"DML_PADDING_MODE_SYMMETRIC","features":[354]},{"name":"DML_PADDING_OPERATOR_DESC","features":[354]},{"name":"DML_PERSISTENT_BUFFER_ALIGNMENT","features":[354]},{"name":"DML_QUANTIZED_LINEAR_CONVOLUTION_OPERATOR_DESC","features":[354]},{"name":"DML_QUANTIZED_LINEAR_MATRIX_MULTIPLY_OPERATOR_DESC","features":[354]},{"name":"DML_RANDOM_GENERATOR_OPERATOR_DESC","features":[354]},{"name":"DML_RANDOM_GENERATOR_TYPE","features":[354]},{"name":"DML_RANDOM_GENERATOR_TYPE_PHILOX_4X32_10","features":[354]},{"name":"DML_RECURRENT_NETWORK_DIRECTION","features":[354]},{"name":"DML_RECURRENT_NETWORK_DIRECTION_BACKWARD","features":[354]},{"name":"DML_RECURRENT_NETWORK_DIRECTION_BIDIRECTIONAL","features":[354]},{"name":"DML_RECURRENT_NETWORK_DIRECTION_FORWARD","features":[354]},{"name":"DML_REDUCE_FUNCTION","features":[354]},{"name":"DML_REDUCE_FUNCTION_ARGMAX","features":[354]},{"name":"DML_REDUCE_FUNCTION_ARGMIN","features":[354]},{"name":"DML_REDUCE_FUNCTION_AVERAGE","features":[354]},{"name":"DML_REDUCE_FUNCTION_L1","features":[354]},{"name":"DML_REDUCE_FUNCTION_L2","features":[354]},{"name":"DML_REDUCE_FUNCTION_LOG_SUM","features":[354]},{"name":"DML_REDUCE_FUNCTION_LOG_SUM_EXP","features":[354]},{"name":"DML_REDUCE_FUNCTION_MAX","features":[354]},{"name":"DML_REDUCE_FUNCTION_MIN","features":[354]},{"name":"DML_REDUCE_FUNCTION_MULTIPLY","features":[354]},{"name":"DML_REDUCE_FUNCTION_SUM","features":[354]},{"name":"DML_REDUCE_FUNCTION_SUM_SQUARE","features":[354]},{"name":"DML_REDUCE_OPERATOR_DESC","features":[354]},{"name":"DML_RESAMPLE1_OPERATOR_DESC","features":[354]},{"name":"DML_RESAMPLE_GRAD_OPERATOR_DESC","features":[354]},{"name":"DML_RESAMPLE_OPERATOR_DESC","features":[354]},{"name":"DML_REVERSE_SUBSEQUENCES_OPERATOR_DESC","features":[354]},{"name":"DML_RNN_OPERATOR_DESC","features":[354]},{"name":"DML_ROI_ALIGN1_OPERATOR_DESC","features":[354,308]},{"name":"DML_ROI_ALIGN_OPERATOR_DESC","features":[354]},{"name":"DML_ROI_POOLING_OPERATOR_DESC","features":[354]},{"name":"DML_ROUNDING_MODE","features":[354]},{"name":"DML_ROUNDING_MODE_HALVES_TO_NEAREST_EVEN","features":[354]},{"name":"DML_ROUNDING_MODE_TOWARD_INFINITY","features":[354]},{"name":"DML_ROUNDING_MODE_TOWARD_ZERO","features":[354]},{"name":"DML_SCALAR_UNION","features":[354]},{"name":"DML_SCALE_BIAS","features":[354]},{"name":"DML_SCATTER_ND_OPERATOR_DESC","features":[354]},{"name":"DML_SCATTER_OPERATOR_DESC","features":[354]},{"name":"DML_SIZE_2D","features":[354]},{"name":"DML_SLICE1_OPERATOR_DESC","features":[354]},{"name":"DML_SLICE_GRAD_OPERATOR_DESC","features":[354]},{"name":"DML_SLICE_OPERATOR_DESC","features":[354]},{"name":"DML_SPACE_TO_DEPTH1_OPERATOR_DESC","features":[354]},{"name":"DML_SPACE_TO_DEPTH_OPERATOR_DESC","features":[354]},{"name":"DML_SPLIT_OPERATOR_DESC","features":[354]},{"name":"DML_TARGET_VERSION","features":[354]},{"name":"DML_TEMPORARY_BUFFER_ALIGNMENT","features":[354]},{"name":"DML_TENSOR_DATA_TYPE","features":[354]},{"name":"DML_TENSOR_DATA_TYPE_FLOAT16","features":[354]},{"name":"DML_TENSOR_DATA_TYPE_FLOAT32","features":[354]},{"name":"DML_TENSOR_DATA_TYPE_FLOAT64","features":[354]},{"name":"DML_TENSOR_DATA_TYPE_INT16","features":[354]},{"name":"DML_TENSOR_DATA_TYPE_INT32","features":[354]},{"name":"DML_TENSOR_DATA_TYPE_INT64","features":[354]},{"name":"DML_TENSOR_DATA_TYPE_INT8","features":[354]},{"name":"DML_TENSOR_DATA_TYPE_UINT16","features":[354]},{"name":"DML_TENSOR_DATA_TYPE_UINT32","features":[354]},{"name":"DML_TENSOR_DATA_TYPE_UINT64","features":[354]},{"name":"DML_TENSOR_DATA_TYPE_UINT8","features":[354]},{"name":"DML_TENSOR_DATA_TYPE_UNKNOWN","features":[354]},{"name":"DML_TENSOR_DESC","features":[354]},{"name":"DML_TENSOR_DIMENSION_COUNT_MAX","features":[354]},{"name":"DML_TENSOR_DIMENSION_COUNT_MAX1","features":[354]},{"name":"DML_TENSOR_FLAGS","features":[354]},{"name":"DML_TENSOR_FLAG_NONE","features":[354]},{"name":"DML_TENSOR_FLAG_OWNED_BY_DML","features":[354]},{"name":"DML_TENSOR_TYPE","features":[354]},{"name":"DML_TENSOR_TYPE_BUFFER","features":[354]},{"name":"DML_TENSOR_TYPE_INVALID","features":[354]},{"name":"DML_TILE_OPERATOR_DESC","features":[354]},{"name":"DML_TOP_K1_OPERATOR_DESC","features":[354]},{"name":"DML_TOP_K_OPERATOR_DESC","features":[354]},{"name":"DML_UPSAMPLE_2D_OPERATOR_DESC","features":[354]},{"name":"DML_VALUE_SCALE_2D_OPERATOR_DESC","features":[354]},{"name":"IDMLBindingTable","features":[354]},{"name":"IDMLCommandRecorder","features":[354]},{"name":"IDMLCompiledOperator","features":[354]},{"name":"IDMLDebugDevice","features":[354]},{"name":"IDMLDevice","features":[354]},{"name":"IDMLDevice1","features":[354]},{"name":"IDMLDeviceChild","features":[354]},{"name":"IDMLDispatchable","features":[354]},{"name":"IDMLObject","features":[354]},{"name":"IDMLOperator","features":[354]},{"name":"IDMLOperatorInitializer","features":[354]},{"name":"IDMLPageable","features":[354]}],"362":[{"name":"IMLOperatorAttributes","features":[356]},{"name":"IMLOperatorKernel","features":[356]},{"name":"IMLOperatorKernelContext","features":[356]},{"name":"IMLOperatorKernelCreationContext","features":[356]},{"name":"IMLOperatorKernelFactory","features":[356]},{"name":"IMLOperatorRegistry","features":[356]},{"name":"IMLOperatorShapeInferenceContext","features":[356]},{"name":"IMLOperatorShapeInferrer","features":[356]},{"name":"IMLOperatorTensor","features":[356]},{"name":"IMLOperatorTensorShapeDescription","features":[356]},{"name":"IMLOperatorTypeInferenceContext","features":[356]},{"name":"IMLOperatorTypeInferrer","features":[356]},{"name":"IWinMLEvaluationContext","features":[356]},{"name":"IWinMLModel","features":[356]},{"name":"IWinMLRuntime","features":[356]},{"name":"IWinMLRuntimeFactory","features":[356]},{"name":"MLCreateOperatorRegistry","features":[356]},{"name":"MLOperatorAttribute","features":[356]},{"name":"MLOperatorAttributeNameValue","features":[356]},{"name":"MLOperatorAttributeType","features":[356]},{"name":"MLOperatorEdgeDescription","features":[356]},{"name":"MLOperatorEdgeType","features":[356]},{"name":"MLOperatorEdgeTypeConstraint","features":[356]},{"name":"MLOperatorExecutionType","features":[356]},{"name":"MLOperatorKernelDescription","features":[356]},{"name":"MLOperatorKernelOptions","features":[356]},{"name":"MLOperatorParameterOptions","features":[356]},{"name":"MLOperatorSchemaDescription","features":[356]},{"name":"MLOperatorSchemaEdgeDescription","features":[356]},{"name":"MLOperatorSchemaEdgeTypeFormat","features":[356]},{"name":"MLOperatorSetId","features":[356]},{"name":"MLOperatorTensorDataType","features":[356]},{"name":"WINML_BINDING_DESC","features":[356,355]},{"name":"WINML_BINDING_IMAGE","features":[356]},{"name":"WINML_BINDING_MAP","features":[356]},{"name":"WINML_BINDING_RESOURCE","features":[356]},{"name":"WINML_BINDING_SEQUENCE","features":[356]},{"name":"WINML_BINDING_TENSOR","features":[356]},{"name":"WINML_BINDING_TYPE","features":[356]},{"name":"WINML_BINDING_UNDEFINED","features":[356]},{"name":"WINML_FEATURE_IMAGE","features":[356]},{"name":"WINML_FEATURE_MAP","features":[356]},{"name":"WINML_FEATURE_SEQUENCE","features":[356]},{"name":"WINML_FEATURE_TENSOR","features":[356]},{"name":"WINML_FEATURE_TYPE","features":[356]},{"name":"WINML_FEATURE_UNDEFINED","features":[356]},{"name":"WINML_IMAGE_BINDING_DESC","features":[356]},{"name":"WINML_IMAGE_VARIABLE_DESC","features":[356]},{"name":"WINML_MAP_BINDING_DESC","features":[356]},{"name":"WINML_MAP_VARIABLE_DESC","features":[356]},{"name":"WINML_MODEL_DESC","features":[356]},{"name":"WINML_RESOURCE_BINDING_DESC","features":[356,355]},{"name":"WINML_RUNTIME_CNTK","features":[356]},{"name":"WINML_RUNTIME_TYPE","features":[356]},{"name":"WINML_SEQUENCE_BINDING_DESC","features":[356]},{"name":"WINML_SEQUENCE_VARIABLE_DESC","features":[356]},{"name":"WINML_TENSOR_BINDING_DESC","features":[356]},{"name":"WINML_TENSOR_BOOLEAN","features":[356]},{"name":"WINML_TENSOR_COMPLEX128","features":[356]},{"name":"WINML_TENSOR_COMPLEX64","features":[356]},{"name":"WINML_TENSOR_DATA_TYPE","features":[356]},{"name":"WINML_TENSOR_DIMENSION_COUNT_MAX","features":[356]},{"name":"WINML_TENSOR_DOUBLE","features":[356]},{"name":"WINML_TENSOR_FLOAT","features":[356]},{"name":"WINML_TENSOR_FLOAT16","features":[356]},{"name":"WINML_TENSOR_INT16","features":[356]},{"name":"WINML_TENSOR_INT32","features":[356]},{"name":"WINML_TENSOR_INT64","features":[356]},{"name":"WINML_TENSOR_INT8","features":[356]},{"name":"WINML_TENSOR_STRING","features":[356]},{"name":"WINML_TENSOR_UINT16","features":[356]},{"name":"WINML_TENSOR_UINT32","features":[356]},{"name":"WINML_TENSOR_UINT64","features":[356]},{"name":"WINML_TENSOR_UINT8","features":[356]},{"name":"WINML_TENSOR_UNDEFINED","features":[356]},{"name":"WINML_TENSOR_VARIABLE_DESC","features":[356]},{"name":"WINML_VARIABLE_DESC","features":[356,308]},{"name":"WinMLCreateRuntime","features":[356]}],"363":[{"name":"CLSID_IITCmdInt","features":[357]},{"name":"CLSID_IITDatabase","features":[357]},{"name":"CLSID_IITDatabaseLocal","features":[357]},{"name":"CLSID_IITGroupUpdate","features":[357]},{"name":"CLSID_IITIndexBuild","features":[357]},{"name":"CLSID_IITPropList","features":[357]},{"name":"CLSID_IITResultSet","features":[357]},{"name":"CLSID_IITSvMgr","features":[357]},{"name":"CLSID_IITWWFilterBuild","features":[357]},{"name":"CLSID_IITWordWheel","features":[357]},{"name":"CLSID_IITWordWheelLocal","features":[357]},{"name":"CLSID_IITWordWheelUpdate","features":[357]},{"name":"CLSID_ITEngStemmer","features":[357]},{"name":"CLSID_ITStdBreaker","features":[357]},{"name":"COLUMNSTATUS","features":[357]},{"name":"CProperty","features":[357,308]},{"name":"E_ALL_WILD","features":[357]},{"name":"E_ALREADYINIT","features":[357]},{"name":"E_ALREADYOPEN","features":[357]},{"name":"E_ASSERT","features":[357]},{"name":"E_BADBREAKER","features":[357]},{"name":"E_BADFILE","features":[357]},{"name":"E_BADFILTERSIZE","features":[357]},{"name":"E_BADFORMAT","features":[357]},{"name":"E_BADINDEXFLAGS","features":[357]},{"name":"E_BADPARAM","features":[357]},{"name":"E_BADRANGEOP","features":[357]},{"name":"E_BADVALUE","features":[357]},{"name":"E_BADVERSION","features":[357]},{"name":"E_CANTFINDDLL","features":[357]},{"name":"E_DISKFULL","features":[357]},{"name":"E_DUPLICATE","features":[357]},{"name":"E_EXPECTEDTERM","features":[357]},{"name":"E_FILECLOSE","features":[357]},{"name":"E_FILECREATE","features":[357]},{"name":"E_FILEDELETE","features":[357]},{"name":"E_FILEINVALID","features":[357]},{"name":"E_FILENOTFOUND","features":[357]},{"name":"E_FILEREAD","features":[357]},{"name":"E_FILESEEK","features":[357]},{"name":"E_FILEWRITE","features":[357]},{"name":"E_GETLASTERROR","features":[357]},{"name":"E_GROUPIDTOOBIG","features":[357]},{"name":"E_INTERRUPT","features":[357]},{"name":"E_INVALIDSTATE","features":[357]},{"name":"E_MISSINGPROP","features":[357]},{"name":"E_MISSLPAREN","features":[357]},{"name":"E_MISSQUOTE","features":[357]},{"name":"E_MISSRPAREN","features":[357]},{"name":"E_NAMETOOLONG","features":[357]},{"name":"E_NOHANDLE","features":[357]},{"name":"E_NOKEYPROP","features":[357]},{"name":"E_NOMERGEDDATA","features":[357]},{"name":"E_NOPERMISSION","features":[357]},{"name":"E_NOSTEMMER","features":[357]},{"name":"E_NOTEXIST","features":[357]},{"name":"E_NOTFOUND","features":[357]},{"name":"E_NOTINIT","features":[357]},{"name":"E_NOTOPEN","features":[357]},{"name":"E_NOTSUPPORTED","features":[357]},{"name":"E_NULLQUERY","features":[357]},{"name":"E_OUTOFRANGE","features":[357]},{"name":"E_PROPLISTEMPTY","features":[357]},{"name":"E_PROPLISTNOTEMPTY","features":[357]},{"name":"E_RESULTSETEMPTY","features":[357]},{"name":"E_STOPWORD","features":[357]},{"name":"E_TOODEEP","features":[357]},{"name":"E_TOOMANYCOLUMNS","features":[357]},{"name":"E_TOOMANYDUPS","features":[357]},{"name":"E_TOOMANYOBJECTS","features":[357]},{"name":"E_TOOMANYTITLES","features":[357]},{"name":"E_TOOMANYTOPICS","features":[357]},{"name":"E_TREETOOBIG","features":[357]},{"name":"E_UNKNOWN_TRANSPORT","features":[357]},{"name":"E_UNMATCHEDTYPE","features":[357]},{"name":"E_UNSUPPORTED_TRANSPORT","features":[357]},{"name":"E_WILD_IN_DTYPE","features":[357]},{"name":"E_WORDTOOLONG","features":[357]},{"name":"HHACT_BACK","features":[357]},{"name":"HHACT_CONTRACT","features":[357]},{"name":"HHACT_CUSTOMIZE","features":[357]},{"name":"HHACT_EXPAND","features":[357]},{"name":"HHACT_FORWARD","features":[357]},{"name":"HHACT_HIGHLIGHT","features":[357]},{"name":"HHACT_HOME","features":[357]},{"name":"HHACT_JUMP1","features":[357]},{"name":"HHACT_JUMP2","features":[357]},{"name":"HHACT_LAST_ENUM","features":[357]},{"name":"HHACT_NOTES","features":[357]},{"name":"HHACT_OPTIONS","features":[357]},{"name":"HHACT_PRINT","features":[357]},{"name":"HHACT_REFRESH","features":[357]},{"name":"HHACT_STOP","features":[357]},{"name":"HHACT_SYNC","features":[357]},{"name":"HHACT_TAB_CONTENTS","features":[357]},{"name":"HHACT_TAB_FAVORITES","features":[357]},{"name":"HHACT_TAB_HISTORY","features":[357]},{"name":"HHACT_TAB_INDEX","features":[357]},{"name":"HHACT_TAB_SEARCH","features":[357]},{"name":"HHACT_TOC_NEXT","features":[357]},{"name":"HHACT_TOC_PREV","features":[357]},{"name":"HHACT_ZOOM","features":[357]},{"name":"HHNTRACK","features":[357,308,358]},{"name":"HHN_FIRST","features":[357]},{"name":"HHN_LAST","features":[357]},{"name":"HHN_NAVCOMPLETE","features":[357]},{"name":"HHN_NOTIFY","features":[357,308,358]},{"name":"HHN_TRACK","features":[357]},{"name":"HHN_WINDOW_CREATE","features":[357]},{"name":"HHWIN_BUTTON_BACK","features":[357]},{"name":"HHWIN_BUTTON_BROWSE_BCK","features":[357]},{"name":"HHWIN_BUTTON_BROWSE_FWD","features":[357]},{"name":"HHWIN_BUTTON_CONTENTS","features":[357]},{"name":"HHWIN_BUTTON_EXPAND","features":[357]},{"name":"HHWIN_BUTTON_FAVORITES","features":[357]},{"name":"HHWIN_BUTTON_FORWARD","features":[357]},{"name":"HHWIN_BUTTON_HISTORY","features":[357]},{"name":"HHWIN_BUTTON_HOME","features":[357]},{"name":"HHWIN_BUTTON_INDEX","features":[357]},{"name":"HHWIN_BUTTON_JUMP1","features":[357]},{"name":"HHWIN_BUTTON_JUMP2","features":[357]},{"name":"HHWIN_BUTTON_NOTES","features":[357]},{"name":"HHWIN_BUTTON_OPTIONS","features":[357]},{"name":"HHWIN_BUTTON_PRINT","features":[357]},{"name":"HHWIN_BUTTON_REFRESH","features":[357]},{"name":"HHWIN_BUTTON_SEARCH","features":[357]},{"name":"HHWIN_BUTTON_STOP","features":[357]},{"name":"HHWIN_BUTTON_SYNC","features":[357]},{"name":"HHWIN_BUTTON_TOC_NEXT","features":[357]},{"name":"HHWIN_BUTTON_TOC_PREV","features":[357]},{"name":"HHWIN_BUTTON_ZOOM","features":[357]},{"name":"HHWIN_NAVTAB_BOTTOM","features":[357]},{"name":"HHWIN_NAVTAB_LEFT","features":[357]},{"name":"HHWIN_NAVTAB_TOP","features":[357]},{"name":"HHWIN_NAVTYPE_AUTHOR","features":[357]},{"name":"HHWIN_NAVTYPE_CUSTOM_FIRST","features":[357]},{"name":"HHWIN_NAVTYPE_FAVORITES","features":[357]},{"name":"HHWIN_NAVTYPE_HISTORY","features":[357]},{"name":"HHWIN_NAVTYPE_INDEX","features":[357]},{"name":"HHWIN_NAVTYPE_SEARCH","features":[357]},{"name":"HHWIN_NAVTYPE_TOC","features":[357]},{"name":"HHWIN_PARAM_CUR_TAB","features":[357]},{"name":"HHWIN_PARAM_EXPANSION","features":[357]},{"name":"HHWIN_PARAM_EXSTYLES","features":[357]},{"name":"HHWIN_PARAM_HISTORY_COUNT","features":[357]},{"name":"HHWIN_PARAM_INFOTYPES","features":[357]},{"name":"HHWIN_PARAM_NAV_WIDTH","features":[357]},{"name":"HHWIN_PARAM_PROPERTIES","features":[357]},{"name":"HHWIN_PARAM_RECT","features":[357]},{"name":"HHWIN_PARAM_SHOWSTATE","features":[357]},{"name":"HHWIN_PARAM_STYLES","features":[357]},{"name":"HHWIN_PARAM_TABORDER","features":[357]},{"name":"HHWIN_PARAM_TABPOS","features":[357]},{"name":"HHWIN_PARAM_TB_FLAGS","features":[357]},{"name":"HHWIN_PROP_AUTO_SYNC","features":[357]},{"name":"HHWIN_PROP_CHANGE_TITLE","features":[357]},{"name":"HHWIN_PROP_MENU","features":[357]},{"name":"HHWIN_PROP_NAV_ONLY_WIN","features":[357]},{"name":"HHWIN_PROP_NODEF_EXSTYLES","features":[357]},{"name":"HHWIN_PROP_NODEF_STYLES","features":[357]},{"name":"HHWIN_PROP_NOTB_TEXT","features":[357]},{"name":"HHWIN_PROP_NOTITLEBAR","features":[357]},{"name":"HHWIN_PROP_NO_TOOLBAR","features":[357]},{"name":"HHWIN_PROP_ONTOP","features":[357]},{"name":"HHWIN_PROP_POST_QUIT","features":[357]},{"name":"HHWIN_PROP_TAB_ADVSEARCH","features":[357]},{"name":"HHWIN_PROP_TAB_AUTOHIDESHOW","features":[357]},{"name":"HHWIN_PROP_TAB_CUSTOM1","features":[357]},{"name":"HHWIN_PROP_TAB_CUSTOM2","features":[357]},{"name":"HHWIN_PROP_TAB_CUSTOM3","features":[357]},{"name":"HHWIN_PROP_TAB_CUSTOM4","features":[357]},{"name":"HHWIN_PROP_TAB_CUSTOM5","features":[357]},{"name":"HHWIN_PROP_TAB_CUSTOM6","features":[357]},{"name":"HHWIN_PROP_TAB_CUSTOM7","features":[357]},{"name":"HHWIN_PROP_TAB_CUSTOM8","features":[357]},{"name":"HHWIN_PROP_TAB_CUSTOM9","features":[357]},{"name":"HHWIN_PROP_TAB_FAVORITES","features":[357]},{"name":"HHWIN_PROP_TAB_HISTORY","features":[357]},{"name":"HHWIN_PROP_TAB_SEARCH","features":[357]},{"name":"HHWIN_PROP_TRACKING","features":[357]},{"name":"HHWIN_PROP_TRI_PANE","features":[357]},{"name":"HHWIN_PROP_USER_POS","features":[357]},{"name":"HHWIN_TB_MARGIN","features":[357]},{"name":"HH_AKLINK","features":[357,308]},{"name":"HH_ALINK_LOOKUP","features":[357]},{"name":"HH_CLOSE_ALL","features":[357]},{"name":"HH_DISPLAY_INDEX","features":[357]},{"name":"HH_DISPLAY_SEARCH","features":[357]},{"name":"HH_DISPLAY_TEXT_POPUP","features":[357]},{"name":"HH_DISPLAY_TOC","features":[357]},{"name":"HH_DISPLAY_TOPIC","features":[357]},{"name":"HH_ENUM_CAT","features":[357]},{"name":"HH_ENUM_CATEGORY","features":[357]},{"name":"HH_ENUM_CATEGORY_IT","features":[357]},{"name":"HH_ENUM_INFO_TYPE","features":[357]},{"name":"HH_ENUM_IT","features":[357]},{"name":"HH_FTS_DEFAULT_PROXIMITY","features":[357]},{"name":"HH_FTS_QUERY","features":[357,308]},{"name":"HH_GET_LAST_ERROR","features":[357]},{"name":"HH_GET_WIN_HANDLE","features":[357]},{"name":"HH_GET_WIN_TYPE","features":[357]},{"name":"HH_GLOBAL_PROPERTY","features":[357]},{"name":"HH_GPROPID","features":[357]},{"name":"HH_GPROPID_CONTENT_LANGUAGE","features":[357]},{"name":"HH_GPROPID_CURRENT_SUBSET","features":[357]},{"name":"HH_GPROPID_SINGLETHREAD","features":[357]},{"name":"HH_GPROPID_TOOLBAR_MARGIN","features":[357]},{"name":"HH_GPROPID_UI_LANGUAGE","features":[357]},{"name":"HH_HELP_CONTEXT","features":[357]},{"name":"HH_HELP_FINDER","features":[357]},{"name":"HH_INITIALIZE","features":[357]},{"name":"HH_KEYWORD_LOOKUP","features":[357]},{"name":"HH_MAX_TABS","features":[357]},{"name":"HH_MAX_TABS_CUSTOM","features":[357]},{"name":"HH_POPUP","features":[357,308]},{"name":"HH_PRETRANSLATEMESSAGE","features":[357]},{"name":"HH_RESERVED1","features":[357]},{"name":"HH_RESERVED2","features":[357]},{"name":"HH_RESERVED3","features":[357]},{"name":"HH_RESET_IT_FILTER","features":[357]},{"name":"HH_SAFE_DISPLAY_TOPIC","features":[357]},{"name":"HH_SET_EXCLUSIVE_FILTER","features":[357]},{"name":"HH_SET_GLOBAL_PROPERTY","features":[357]},{"name":"HH_SET_INCLUSIVE_FILTER","features":[357]},{"name":"HH_SET_INFOTYPE","features":[357]},{"name":"HH_SET_INFO_TYPE","features":[357]},{"name":"HH_SET_QUERYSERVICE","features":[357]},{"name":"HH_SET_WIN_TYPE","features":[357]},{"name":"HH_SYNC","features":[357]},{"name":"HH_TAB_AUTHOR","features":[357]},{"name":"HH_TAB_CONTENTS","features":[357]},{"name":"HH_TAB_CUSTOM_FIRST","features":[357]},{"name":"HH_TAB_CUSTOM_LAST","features":[357]},{"name":"HH_TAB_FAVORITES","features":[357]},{"name":"HH_TAB_HISTORY","features":[357]},{"name":"HH_TAB_INDEX","features":[357]},{"name":"HH_TAB_SEARCH","features":[357]},{"name":"HH_TP_HELP_CONTEXTMENU","features":[357]},{"name":"HH_TP_HELP_WM_HELP","features":[357]},{"name":"HH_UNINITIALIZE","features":[357]},{"name":"HH_WINTYPE","features":[357,308]},{"name":"HTML_HELP_COMMAND","features":[357]},{"name":"HtmlHelpA","features":[357,308]},{"name":"HtmlHelpW","features":[357,308]},{"name":"IDTB_BACK","features":[357]},{"name":"IDTB_BROWSE_BACK","features":[357]},{"name":"IDTB_BROWSE_FWD","features":[357]},{"name":"IDTB_CONTENTS","features":[357]},{"name":"IDTB_CONTRACT","features":[357]},{"name":"IDTB_CUSTOMIZE","features":[357]},{"name":"IDTB_EXPAND","features":[357]},{"name":"IDTB_FAVORITES","features":[357]},{"name":"IDTB_FORWARD","features":[357]},{"name":"IDTB_HISTORY","features":[357]},{"name":"IDTB_HOME","features":[357]},{"name":"IDTB_INDEX","features":[357]},{"name":"IDTB_JUMP1","features":[357]},{"name":"IDTB_JUMP2","features":[357]},{"name":"IDTB_NOTES","features":[357]},{"name":"IDTB_OPTIONS","features":[357]},{"name":"IDTB_PRINT","features":[357]},{"name":"IDTB_REFRESH","features":[357]},{"name":"IDTB_SEARCH","features":[357]},{"name":"IDTB_STOP","features":[357]},{"name":"IDTB_SYNC","features":[357]},{"name":"IDTB_TOC_NEXT","features":[357]},{"name":"IDTB_TOC_PREV","features":[357]},{"name":"IDTB_ZOOM","features":[357]},{"name":"IITDatabase","features":[357]},{"name":"IITPropList","features":[357,359]},{"name":"IITResultSet","features":[357]},{"name":"IITWBC_BREAK_ACCEPT_WILDCARDS","features":[357]},{"name":"IITWBC_BREAK_AND_STEM","features":[357]},{"name":"IStemSink","features":[357]},{"name":"IStemmerConfig","features":[357]},{"name":"ITWW_CBKEY_MAX","features":[357]},{"name":"ITWW_OPEN_NOCONNECT","features":[357]},{"name":"IT_EXCLUSIVE","features":[357]},{"name":"IT_HIDDEN","features":[357]},{"name":"IT_INCLUSIVE","features":[357]},{"name":"IWordBreakerConfig","features":[357]},{"name":"MAX_COLUMNS","features":[357]},{"name":"PFNCOLHEAPFREE","features":[357]},{"name":"PRIORITY","features":[357]},{"name":"PRIORITY_HIGH","features":[357]},{"name":"PRIORITY_LOW","features":[357]},{"name":"PRIORITY_NORMAL","features":[357]},{"name":"PROP_ADD","features":[357]},{"name":"PROP_DELETE","features":[357]},{"name":"PROP_UPDATE","features":[357]},{"name":"ROWSTATUS","features":[357]},{"name":"STDPROP_DISPLAYKEY","features":[357]},{"name":"STDPROP_INDEX_BREAK","features":[357]},{"name":"STDPROP_INDEX_DTYPE","features":[357]},{"name":"STDPROP_INDEX_LENGTH","features":[357]},{"name":"STDPROP_INDEX_TERM","features":[357]},{"name":"STDPROP_INDEX_TERM_RAW_LENGTH","features":[357]},{"name":"STDPROP_INDEX_TEXT","features":[357]},{"name":"STDPROP_INDEX_VFLD","features":[357]},{"name":"STDPROP_KEY","features":[357]},{"name":"STDPROP_SORTKEY","features":[357]},{"name":"STDPROP_SORTORDINAL","features":[357]},{"name":"STDPROP_TITLE","features":[357]},{"name":"STDPROP_UID","features":[357]},{"name":"STDPROP_USERDATA","features":[357]},{"name":"STDPROP_USERPROP_BASE","features":[357]},{"name":"STDPROP_USERPROP_MAX","features":[357]},{"name":"SZ_WWDEST_GLOBAL","features":[357]},{"name":"SZ_WWDEST_KEY","features":[357]},{"name":"SZ_WWDEST_OCC","features":[357]},{"name":"TYPE_POINTER","features":[357]},{"name":"TYPE_STRING","features":[357]},{"name":"TYPE_VALUE","features":[357]}],"364":[{"name":"DRMACTSERVINFOVERSION","features":[360]},{"name":"DRMATTESTTYPE","features":[360]},{"name":"DRMATTESTTYPE_FULLENVIRONMENT","features":[360]},{"name":"DRMATTESTTYPE_HASHONLY","features":[360]},{"name":"DRMAcquireAdvisories","features":[360]},{"name":"DRMAcquireIssuanceLicenseTemplate","features":[360]},{"name":"DRMAcquireLicense","features":[360]},{"name":"DRMActivate","features":[360,308]},{"name":"DRMAddLicense","features":[360]},{"name":"DRMAddRightWithUser","features":[360]},{"name":"DRMAttest","features":[360]},{"name":"DRMBINDINGFLAGS_IGNORE_VALIDITY_INTERVALS","features":[360]},{"name":"DRMBOUNDLICENSEPARAMS","features":[360]},{"name":"DRMBOUNDLICENSEPARAMSVERSION","features":[360]},{"name":"DRMCALLBACK","features":[360]},{"name":"DRMCALLBACKVERSION","features":[360]},{"name":"DRMCLIENTSTRUCTVERSION","features":[360]},{"name":"DRMCheckSecurity","features":[360]},{"name":"DRMClearAllRights","features":[360]},{"name":"DRMCloseEnvironmentHandle","features":[360]},{"name":"DRMCloseHandle","features":[360]},{"name":"DRMClosePubHandle","features":[360]},{"name":"DRMCloseQueryHandle","features":[360]},{"name":"DRMCloseSession","features":[360]},{"name":"DRMConstructCertificateChain","features":[360]},{"name":"DRMCreateBoundLicense","features":[360]},{"name":"DRMCreateClientSession","features":[360]},{"name":"DRMCreateEnablingBitsDecryptor","features":[360]},{"name":"DRMCreateEnablingBitsEncryptor","features":[360]},{"name":"DRMCreateEnablingPrincipal","features":[360]},{"name":"DRMCreateIssuanceLicense","features":[360,308]},{"name":"DRMCreateLicenseStorageSession","features":[360]},{"name":"DRMCreateRight","features":[360,308]},{"name":"DRMCreateUser","features":[360]},{"name":"DRMDecode","features":[360]},{"name":"DRMDeconstructCertificateChain","features":[360]},{"name":"DRMDecrypt","features":[360]},{"name":"DRMDeleteLicense","features":[360]},{"name":"DRMDuplicateEnvironmentHandle","features":[360]},{"name":"DRMDuplicateHandle","features":[360]},{"name":"DRMDuplicatePubHandle","features":[360]},{"name":"DRMDuplicateSession","features":[360]},{"name":"DRMENCODINGTYPE","features":[360]},{"name":"DRMENCODINGTYPE_BASE64","features":[360]},{"name":"DRMENCODINGTYPE_LONG","features":[360]},{"name":"DRMENCODINGTYPE_RAW","features":[360]},{"name":"DRMENCODINGTYPE_STRING","features":[360]},{"name":"DRMENCODINGTYPE_TIME","features":[360]},{"name":"DRMENCODINGTYPE_UINT","features":[360]},{"name":"DRMENVHANDLE_INVALID","features":[360]},{"name":"DRMEncode","features":[360]},{"name":"DRMEncrypt","features":[360]},{"name":"DRMEnumerateLicense","features":[360,308]},{"name":"DRMGLOBALOPTIONS","features":[360]},{"name":"DRMGLOBALOPTIONS_USE_SERVERSECURITYPROCESSOR","features":[360]},{"name":"DRMGLOBALOPTIONS_USE_WINHTTP","features":[360]},{"name":"DRMGetApplicationSpecificData","features":[360]},{"name":"DRMGetBoundLicenseAttribute","features":[360]},{"name":"DRMGetBoundLicenseAttributeCount","features":[360]},{"name":"DRMGetBoundLicenseObject","features":[360]},{"name":"DRMGetBoundLicenseObjectCount","features":[360]},{"name":"DRMGetCertificateChainCount","features":[360]},{"name":"DRMGetClientVersion","features":[360]},{"name":"DRMGetEnvironmentInfo","features":[360]},{"name":"DRMGetInfo","features":[360]},{"name":"DRMGetIntervalTime","features":[360]},{"name":"DRMGetIssuanceLicenseInfo","features":[360,308]},{"name":"DRMGetIssuanceLicenseTemplate","features":[360]},{"name":"DRMGetMetaData","features":[360]},{"name":"DRMGetNameAndDescription","features":[360]},{"name":"DRMGetOwnerLicense","features":[360]},{"name":"DRMGetProcAddress","features":[360,308]},{"name":"DRMGetRevocationPoint","features":[360,308]},{"name":"DRMGetRightExtendedInfo","features":[360]},{"name":"DRMGetRightInfo","features":[360,308]},{"name":"DRMGetSecurityProvider","features":[360]},{"name":"DRMGetServiceLocation","features":[360]},{"name":"DRMGetSignedIssuanceLicense","features":[360]},{"name":"DRMGetSignedIssuanceLicenseEx","features":[360]},{"name":"DRMGetTime","features":[360,308]},{"name":"DRMGetUnboundLicenseAttribute","features":[360]},{"name":"DRMGetUnboundLicenseAttributeCount","features":[360]},{"name":"DRMGetUnboundLicenseObject","features":[360]},{"name":"DRMGetUnboundLicenseObjectCount","features":[360]},{"name":"DRMGetUsagePolicy","features":[360,308]},{"name":"DRMGetUserInfo","features":[360]},{"name":"DRMGetUserRights","features":[360]},{"name":"DRMGetUsers","features":[360]},{"name":"DRMHANDLE_INVALID","features":[360]},{"name":"DRMHSESSION_INVALID","features":[360]},{"name":"DRMID","features":[360]},{"name":"DRMIDVERSION","features":[360]},{"name":"DRMInitEnvironment","features":[360]},{"name":"DRMIsActivated","features":[360]},{"name":"DRMIsWindowProtected","features":[360,308]},{"name":"DRMLICENSEACQDATAVERSION","features":[360]},{"name":"DRMLoadLibrary","features":[360]},{"name":"DRMPUBHANDLE_INVALID","features":[360]},{"name":"DRMParseUnboundLicense","features":[360]},{"name":"DRMQUERYHANDLE_INVALID","features":[360]},{"name":"DRMRegisterContent","features":[360,308]},{"name":"DRMRegisterProtectedWindow","features":[360,308]},{"name":"DRMRegisterRevocationList","features":[360]},{"name":"DRMRepair","features":[360]},{"name":"DRMSECURITYPROVIDERTYPE","features":[360]},{"name":"DRMSECURITYPROVIDERTYPE_SOFTWARESECREP","features":[360]},{"name":"DRMSPECTYPE","features":[360]},{"name":"DRMSPECTYPE_FILENAME","features":[360]},{"name":"DRMSPECTYPE_UNKNOWN","features":[360]},{"name":"DRMSetApplicationSpecificData","features":[360,308]},{"name":"DRMSetGlobalOptions","features":[360]},{"name":"DRMSetIntervalTime","features":[360]},{"name":"DRMSetMetaData","features":[360]},{"name":"DRMSetNameAndDescription","features":[360,308]},{"name":"DRMSetRevocationPoint","features":[360,308]},{"name":"DRMSetUsagePolicy","features":[360,308]},{"name":"DRMTIMETYPE","features":[360]},{"name":"DRMTIMETYPE_SYSTEMLOCAL","features":[360]},{"name":"DRMTIMETYPE_SYSTEMUTC","features":[360]},{"name":"DRMVerify","features":[360]},{"name":"DRM_ACTIVATE_CANCEL","features":[360]},{"name":"DRM_ACTIVATE_DELAYED","features":[360]},{"name":"DRM_ACTIVATE_GROUPIDENTITY","features":[360]},{"name":"DRM_ACTIVATE_MACHINE","features":[360]},{"name":"DRM_ACTIVATE_SHARED_GROUPIDENTITY","features":[360]},{"name":"DRM_ACTIVATE_SILENT","features":[360]},{"name":"DRM_ACTIVATE_TEMPORARY","features":[360]},{"name":"DRM_ACTSERV_INFO","features":[360]},{"name":"DRM_ADD_LICENSE_NOPERSIST","features":[360]},{"name":"DRM_ADD_LICENSE_PERSIST","features":[360]},{"name":"DRM_AILT_CANCEL","features":[360]},{"name":"DRM_AILT_NONSILENT","features":[360]},{"name":"DRM_AILT_OBTAIN_ALL","features":[360]},{"name":"DRM_AL_CANCEL","features":[360]},{"name":"DRM_AL_FETCHNOADVISORY","features":[360]},{"name":"DRM_AL_NONSILENT","features":[360]},{"name":"DRM_AL_NOPERSIST","features":[360]},{"name":"DRM_AL_NOUI","features":[360]},{"name":"DRM_AUTO_GENERATE_KEY","features":[360]},{"name":"DRM_CLIENT_VERSION_INFO","features":[360]},{"name":"DRM_DEFAULTGROUPIDTYPE_PASSPORT","features":[360]},{"name":"DRM_DEFAULTGROUPIDTYPE_WINDOWSAUTH","features":[360]},{"name":"DRM_DISTRIBUTION_POINT_INFO","features":[360]},{"name":"DRM_DISTRIBUTION_POINT_LICENSE_ACQUISITION","features":[360]},{"name":"DRM_DISTRIBUTION_POINT_PUBLISHING","features":[360]},{"name":"DRM_DISTRIBUTION_POINT_REFERRAL_INFO","features":[360]},{"name":"DRM_EL_CLIENTLICENSOR","features":[360]},{"name":"DRM_EL_CLIENTLICENSOR_LID","features":[360]},{"name":"DRM_EL_EUL","features":[360]},{"name":"DRM_EL_EUL_LID","features":[360]},{"name":"DRM_EL_EXPIRED","features":[360]},{"name":"DRM_EL_GROUPIDENTITY","features":[360]},{"name":"DRM_EL_GROUPIDENTITY_LID","features":[360]},{"name":"DRM_EL_GROUPIDENTITY_NAME","features":[360]},{"name":"DRM_EL_ISSUANCELICENSE_TEMPLATE","features":[360]},{"name":"DRM_EL_ISSUANCELICENSE_TEMPLATE_LID","features":[360]},{"name":"DRM_EL_ISSUERNAME","features":[360]},{"name":"DRM_EL_MACHINE","features":[360]},{"name":"DRM_EL_REVOCATIONLIST","features":[360]},{"name":"DRM_EL_REVOCATIONLIST_LID","features":[360]},{"name":"DRM_EL_SPECIFIED_CLIENTLICENSOR","features":[360]},{"name":"DRM_EL_SPECIFIED_GROUPIDENTITY","features":[360]},{"name":"DRM_LICENSE_ACQ_DATA","features":[360]},{"name":"DRM_LOCKBOXTYPE_BLACKBOX","features":[360]},{"name":"DRM_LOCKBOXTYPE_DEFAULT","features":[360]},{"name":"DRM_LOCKBOXTYPE_NONE","features":[360]},{"name":"DRM_LOCKBOXTYPE_WHITEBOX","features":[360]},{"name":"DRM_MSG_ACQUIRE_ADVISORY","features":[360]},{"name":"DRM_MSG_ACQUIRE_CLIENTLICENSOR","features":[360]},{"name":"DRM_MSG_ACQUIRE_ISSUANCE_LICENSE_TEMPLATE","features":[360]},{"name":"DRM_MSG_ACQUIRE_LICENSE","features":[360]},{"name":"DRM_MSG_ACTIVATE_GROUPIDENTITY","features":[360]},{"name":"DRM_MSG_ACTIVATE_MACHINE","features":[360]},{"name":"DRM_MSG_SIGN_ISSUANCE_LICENSE","features":[360]},{"name":"DRM_OWNER_LICENSE_NOPERSIST","features":[360]},{"name":"DRM_REUSE_KEY","features":[360]},{"name":"DRM_SERVER_ISSUANCELICENSE","features":[360]},{"name":"DRM_SERVICE_LOCATION_ENTERPRISE","features":[360]},{"name":"DRM_SERVICE_LOCATION_INTERNET","features":[360]},{"name":"DRM_SERVICE_TYPE_ACTIVATION","features":[360]},{"name":"DRM_SERVICE_TYPE_CERTIFICATION","features":[360]},{"name":"DRM_SERVICE_TYPE_CLIENTLICENSOR","features":[360]},{"name":"DRM_SERVICE_TYPE_PUBLISHING","features":[360]},{"name":"DRM_SERVICE_TYPE_SILENT","features":[360]},{"name":"DRM_SIGN_CANCEL","features":[360]},{"name":"DRM_SIGN_OFFLINE","features":[360]},{"name":"DRM_SIGN_ONLINE","features":[360]},{"name":"DRM_STATUS_MSG","features":[360]},{"name":"DRM_USAGEPOLICY_TYPE","features":[360]},{"name":"DRM_USAGEPOLICY_TYPE_BYDIGEST","features":[360]},{"name":"DRM_USAGEPOLICY_TYPE_BYNAME","features":[360]},{"name":"DRM_USAGEPOLICY_TYPE_BYPUBLICKEY","features":[360]},{"name":"DRM_USAGEPOLICY_TYPE_OSEXCLUSION","features":[360]},{"name":"MSDRM_CLIENT_ZONE","features":[360]},{"name":"MSDRM_POLICY_ZONE","features":[360]}],"365":[{"name":"DISPID_DOM_ATTRIBUTE","features":[361]},{"name":"DISPID_DOM_ATTRIBUTE_GETNAME","features":[361]},{"name":"DISPID_DOM_ATTRIBUTE_SPECIFIED","features":[361]},{"name":"DISPID_DOM_ATTRIBUTE_VALUE","features":[361]},{"name":"DISPID_DOM_ATTRIBUTE__TOP","features":[361]},{"name":"DISPID_DOM_BASE","features":[361]},{"name":"DISPID_DOM_COLLECTION_BASE","features":[361]},{"name":"DISPID_DOM_COLLECTION_MAX","features":[361]},{"name":"DISPID_DOM_DATA","features":[361]},{"name":"DISPID_DOM_DATA_APPEND","features":[361]},{"name":"DISPID_DOM_DATA_DATA","features":[361]},{"name":"DISPID_DOM_DATA_DELETE","features":[361]},{"name":"DISPID_DOM_DATA_INSERT","features":[361]},{"name":"DISPID_DOM_DATA_LENGTH","features":[361]},{"name":"DISPID_DOM_DATA_REPLACE","features":[361]},{"name":"DISPID_DOM_DATA_SUBSTRING","features":[361]},{"name":"DISPID_DOM_DATA__TOP","features":[361]},{"name":"DISPID_DOM_DOCUMENT","features":[361]},{"name":"DISPID_DOM_DOCUMENTFRAGMENT","features":[361]},{"name":"DISPID_DOM_DOCUMENTFRAGMENT__TOP","features":[361]},{"name":"DISPID_DOM_DOCUMENTTYPE","features":[361]},{"name":"DISPID_DOM_DOCUMENTTYPE_ENTITIES","features":[361]},{"name":"DISPID_DOM_DOCUMENTTYPE_NAME","features":[361]},{"name":"DISPID_DOM_DOCUMENTTYPE_NOTATIONS","features":[361]},{"name":"DISPID_DOM_DOCUMENTTYPE__TOP","features":[361]},{"name":"DISPID_DOM_DOCUMENT_CREATEATTRIBUTE","features":[361]},{"name":"DISPID_DOM_DOCUMENT_CREATECDATASECTION","features":[361]},{"name":"DISPID_DOM_DOCUMENT_CREATECOMMENT","features":[361]},{"name":"DISPID_DOM_DOCUMENT_CREATEDOCUMENTFRAGMENT","features":[361]},{"name":"DISPID_DOM_DOCUMENT_CREATEELEMENT","features":[361]},{"name":"DISPID_DOM_DOCUMENT_CREATEENTITY","features":[361]},{"name":"DISPID_DOM_DOCUMENT_CREATEENTITYREFERENCE","features":[361]},{"name":"DISPID_DOM_DOCUMENT_CREATEPROCESSINGINSTRUCTION","features":[361]},{"name":"DISPID_DOM_DOCUMENT_CREATETEXTNODE","features":[361]},{"name":"DISPID_DOM_DOCUMENT_DOCTYPE","features":[361]},{"name":"DISPID_DOM_DOCUMENT_DOCUMENTELEMENT","features":[361]},{"name":"DISPID_DOM_DOCUMENT_GETELEMENTSBYTAGNAME","features":[361]},{"name":"DISPID_DOM_DOCUMENT_IMPLEMENTATION","features":[361]},{"name":"DISPID_DOM_DOCUMENT_TOP","features":[361]},{"name":"DISPID_DOM_ELEMENT","features":[361]},{"name":"DISPID_DOM_ELEMENT_GETATTRIBUTE","features":[361]},{"name":"DISPID_DOM_ELEMENT_GETATTRIBUTENODE","features":[361]},{"name":"DISPID_DOM_ELEMENT_GETATTRIBUTES","features":[361]},{"name":"DISPID_DOM_ELEMENT_GETELEMENTSBYTAGNAME","features":[361]},{"name":"DISPID_DOM_ELEMENT_GETTAGNAME","features":[361]},{"name":"DISPID_DOM_ELEMENT_NORMALIZE","features":[361]},{"name":"DISPID_DOM_ELEMENT_REMOVEATTRIBUTE","features":[361]},{"name":"DISPID_DOM_ELEMENT_REMOVEATTRIBUTENODE","features":[361]},{"name":"DISPID_DOM_ELEMENT_SETATTRIBUTE","features":[361]},{"name":"DISPID_DOM_ELEMENT_SETATTRIBUTENODE","features":[361]},{"name":"DISPID_DOM_ELEMENT__TOP","features":[361]},{"name":"DISPID_DOM_ENTITY","features":[361]},{"name":"DISPID_DOM_ENTITY_NOTATIONNAME","features":[361]},{"name":"DISPID_DOM_ENTITY_PUBLICID","features":[361]},{"name":"DISPID_DOM_ENTITY_SYSTEMID","features":[361]},{"name":"DISPID_DOM_ENTITY__TOP","features":[361]},{"name":"DISPID_DOM_ERROR","features":[361]},{"name":"DISPID_DOM_ERROR2","features":[361]},{"name":"DISPID_DOM_ERROR2_ALLERRORS","features":[361]},{"name":"DISPID_DOM_ERROR2_ERRORPARAMETERS","features":[361]},{"name":"DISPID_DOM_ERROR2_ERRORPARAMETERSCOUNT","features":[361]},{"name":"DISPID_DOM_ERROR2_ERRORXPATH","features":[361]},{"name":"DISPID_DOM_ERROR2__TOP","features":[361]},{"name":"DISPID_DOM_ERRORCOLLECTION","features":[361]},{"name":"DISPID_DOM_ERRORCOLLECTION_LENGTH","features":[361]},{"name":"DISPID_DOM_ERRORCOLLECTION_NEXT","features":[361]},{"name":"DISPID_DOM_ERRORCOLLECTION_RESET","features":[361]},{"name":"DISPID_DOM_ERRORCOLLECTION__TOP","features":[361]},{"name":"DISPID_DOM_ERROR_ERRORCODE","features":[361]},{"name":"DISPID_DOM_ERROR_FILEPOS","features":[361]},{"name":"DISPID_DOM_ERROR_LINE","features":[361]},{"name":"DISPID_DOM_ERROR_LINEPOS","features":[361]},{"name":"DISPID_DOM_ERROR_REASON","features":[361]},{"name":"DISPID_DOM_ERROR_SRCTEXT","features":[361]},{"name":"DISPID_DOM_ERROR_URL","features":[361]},{"name":"DISPID_DOM_ERROR__TOP","features":[361]},{"name":"DISPID_DOM_IMPLEMENTATION","features":[361]},{"name":"DISPID_DOM_IMPLEMENTATION_HASFEATURE","features":[361]},{"name":"DISPID_DOM_IMPLEMENTATION__TOP","features":[361]},{"name":"DISPID_DOM_NAMEDNODEMAP","features":[361]},{"name":"DISPID_DOM_NAMEDNODEMAP_GETNAMEDITEM","features":[361]},{"name":"DISPID_DOM_NAMEDNODEMAP_REMOVENAMEDITEM","features":[361]},{"name":"DISPID_DOM_NAMEDNODEMAP_SETNAMEDITEM","features":[361]},{"name":"DISPID_DOM_NODE","features":[361]},{"name":"DISPID_DOM_NODELIST","features":[361]},{"name":"DISPID_DOM_NODELIST_ITEM","features":[361]},{"name":"DISPID_DOM_NODELIST_LENGTH","features":[361]},{"name":"DISPID_DOM_NODE_APPENDCHILD","features":[361]},{"name":"DISPID_DOM_NODE_ATTRIBUTES","features":[361]},{"name":"DISPID_DOM_NODE_CHILDNODES","features":[361]},{"name":"DISPID_DOM_NODE_CLONENODE","features":[361]},{"name":"DISPID_DOM_NODE_FIRSTCHILD","features":[361]},{"name":"DISPID_DOM_NODE_HASCHILDNODES","features":[361]},{"name":"DISPID_DOM_NODE_INSERTBEFORE","features":[361]},{"name":"DISPID_DOM_NODE_LASTCHILD","features":[361]},{"name":"DISPID_DOM_NODE_NEXTSIBLING","features":[361]},{"name":"DISPID_DOM_NODE_NODENAME","features":[361]},{"name":"DISPID_DOM_NODE_NODETYPE","features":[361]},{"name":"DISPID_DOM_NODE_NODETYPEENUM","features":[361]},{"name":"DISPID_DOM_NODE_NODEVALUE","features":[361]},{"name":"DISPID_DOM_NODE_OWNERDOC","features":[361]},{"name":"DISPID_DOM_NODE_PARENTNODE","features":[361]},{"name":"DISPID_DOM_NODE_PREVIOUSSIBLING","features":[361]},{"name":"DISPID_DOM_NODE_REMOVECHILD","features":[361]},{"name":"DISPID_DOM_NODE_REPLACECHILD","features":[361]},{"name":"DISPID_DOM_NOTATION","features":[361]},{"name":"DISPID_DOM_NOTATION_PUBLICID","features":[361]},{"name":"DISPID_DOM_NOTATION_SYSTEMID","features":[361]},{"name":"DISPID_DOM_NOTATION__TOP","features":[361]},{"name":"DISPID_DOM_PI","features":[361]},{"name":"DISPID_DOM_PI_DATA","features":[361]},{"name":"DISPID_DOM_PI_TARGET","features":[361]},{"name":"DISPID_DOM_PI__TOP","features":[361]},{"name":"DISPID_DOM_TEXT","features":[361]},{"name":"DISPID_DOM_TEXT_JOINTEXT","features":[361]},{"name":"DISPID_DOM_TEXT_SPLITTEXT","features":[361]},{"name":"DISPID_DOM_TEXT__TOP","features":[361]},{"name":"DISPID_DOM_W3CWRAPPERS","features":[361]},{"name":"DISPID_DOM_W3CWRAPPERS_TOP","features":[361]},{"name":"DISPID_DOM__TOP","features":[361]},{"name":"DISPID_MXXML_FILTER","features":[361]},{"name":"DISPID_MXXML_FILTER_CONTENTHANDLER","features":[361]},{"name":"DISPID_MXXML_FILTER_DTDHANDLER","features":[361]},{"name":"DISPID_MXXML_FILTER_ENTITYRESOLVER","features":[361]},{"name":"DISPID_MXXML_FILTER_ERRORHANDLER","features":[361]},{"name":"DISPID_MXXML_FILTER_GETFEATURE","features":[361]},{"name":"DISPID_MXXML_FILTER_GETPROPERTY","features":[361]},{"name":"DISPID_MXXML_FILTER_PUTFEATURE","features":[361]},{"name":"DISPID_MXXML_FILTER_PUTPROPERTY","features":[361]},{"name":"DISPID_MXXML_FILTER__BASE","features":[361]},{"name":"DISPID_MXXML_FILTER__TOP","features":[361]},{"name":"DISPID_MX_ATTRIBUTES","features":[361]},{"name":"DISPID_MX_ATTRIBUTES_ADDATTRIBUTE","features":[361]},{"name":"DISPID_MX_ATTRIBUTES_ADDATTRIBUTEFROMINDEX","features":[361]},{"name":"DISPID_MX_ATTRIBUTES_CLEAR","features":[361]},{"name":"DISPID_MX_ATTRIBUTES_REMOVEATTRIBUTE","features":[361]},{"name":"DISPID_MX_ATTRIBUTES_SETATTRIBUTE","features":[361]},{"name":"DISPID_MX_ATTRIBUTES_SETATTRIBUTES","features":[361]},{"name":"DISPID_MX_ATTRIBUTES_SETLOCALNAME","features":[361]},{"name":"DISPID_MX_ATTRIBUTES_SETQNAME","features":[361]},{"name":"DISPID_MX_ATTRIBUTES_SETTYPE","features":[361]},{"name":"DISPID_MX_ATTRIBUTES_SETURI","features":[361]},{"name":"DISPID_MX_ATTRIBUTES_SETVALUE","features":[361]},{"name":"DISPID_MX_ATTRIBUTES__BASE","features":[361]},{"name":"DISPID_MX_ATTRIBUTES__TOP","features":[361]},{"name":"DISPID_MX_NSMGR","features":[361]},{"name":"DISPID_MX_NSMGR_ALLOWOVERRIDE","features":[361]},{"name":"DISPID_MX_NSMGR_DECLAREPREFIX","features":[361]},{"name":"DISPID_MX_NSMGR_GETDECLAREDPREFIXES","features":[361]},{"name":"DISPID_MX_NSMGR_GETPREFIXES","features":[361]},{"name":"DISPID_MX_NSMGR_GETURI","features":[361]},{"name":"DISPID_MX_NSMGR_GETURIFROMNODE","features":[361]},{"name":"DISPID_MX_NSMGR_LENGTH","features":[361]},{"name":"DISPID_MX_NSMGR_POPCONTEXT","features":[361]},{"name":"DISPID_MX_NSMGR_PUSHCONTEXT","features":[361]},{"name":"DISPID_MX_NSMGR_PUSHNODECONTEXT","features":[361]},{"name":"DISPID_MX_NSMGR_RESET","features":[361]},{"name":"DISPID_MX_NSMGR__BASE","features":[361]},{"name":"DISPID_MX_NSMGR__TOP","features":[361]},{"name":"DISPID_MX_READER_CONTROL","features":[361]},{"name":"DISPID_MX_READER_CONTROL_ABORT","features":[361]},{"name":"DISPID_MX_READER_CONTROL_RESUME","features":[361]},{"name":"DISPID_MX_READER_CONTROL_SUSPEND","features":[361]},{"name":"DISPID_MX_READER_CONTROL__BASE","features":[361]},{"name":"DISPID_MX_READER_CONTROL__TOP","features":[361]},{"name":"DISPID_MX_SCHEMADECLHANDLER","features":[361]},{"name":"DISPID_MX_SCHEMADECLHANDLER_SCHEMAELEMENTDECL","features":[361]},{"name":"DISPID_MX_SCHEMADECLHANDLER__BASE","features":[361]},{"name":"DISPID_MX_SCHEMADECLHANDLER__TOP","features":[361]},{"name":"DISPID_MX_WRITER","features":[361]},{"name":"DISPID_MX_WRITER_BYTEORDERMARK","features":[361]},{"name":"DISPID_MX_WRITER_DESTINATION","features":[361]},{"name":"DISPID_MX_WRITER_DISABLEOUTPUTESCAPING","features":[361]},{"name":"DISPID_MX_WRITER_ENCODING","features":[361]},{"name":"DISPID_MX_WRITER_FLUSH","features":[361]},{"name":"DISPID_MX_WRITER_INDENT","features":[361]},{"name":"DISPID_MX_WRITER_OMITXMLDECLARATION","features":[361]},{"name":"DISPID_MX_WRITER_OUTPUT","features":[361]},{"name":"DISPID_MX_WRITER_RESET","features":[361]},{"name":"DISPID_MX_WRITER_STANDALONE","features":[361]},{"name":"DISPID_MX_WRITER_VERSION","features":[361]},{"name":"DISPID_MX_WRITER__BASE","features":[361]},{"name":"DISPID_MX_WRITER__TOP","features":[361]},{"name":"DISPID_NODE","features":[361]},{"name":"DISPID_NODELIST","features":[361]},{"name":"DISPID_NODELIST_CURRENT","features":[361]},{"name":"DISPID_NODELIST_ITEM","features":[361]},{"name":"DISPID_NODELIST_LENGTH","features":[361]},{"name":"DISPID_NODELIST_MOVE","features":[361]},{"name":"DISPID_NODELIST_MOVETONODE","features":[361]},{"name":"DISPID_NODELIST_NEWENUM","features":[361]},{"name":"DISPID_NODELIST_NEXT","features":[361]},{"name":"DISPID_NODE_ADD","features":[361]},{"name":"DISPID_NODE_ATTRIBUTES","features":[361]},{"name":"DISPID_NODE_CHILDREN","features":[361]},{"name":"DISPID_NODE_GETATTRIBUTE","features":[361]},{"name":"DISPID_NODE_NAME","features":[361]},{"name":"DISPID_NODE_PARENT","features":[361]},{"name":"DISPID_NODE_REMOVE","features":[361]},{"name":"DISPID_NODE_REMOVEATTRIBUTE","features":[361]},{"name":"DISPID_NODE_SETATTRIBUTE","features":[361]},{"name":"DISPID_NODE_TYPE","features":[361]},{"name":"DISPID_NODE_VALUE","features":[361]},{"name":"DISPID_SAX_ATTRIBUTES","features":[361]},{"name":"DISPID_SAX_ATTRIBUTES_GETINDEXFROMNAME","features":[361]},{"name":"DISPID_SAX_ATTRIBUTES_GETINDEXFROMQNAME","features":[361]},{"name":"DISPID_SAX_ATTRIBUTES_GETLOCALNAME","features":[361]},{"name":"DISPID_SAX_ATTRIBUTES_GETQNAME","features":[361]},{"name":"DISPID_SAX_ATTRIBUTES_GETTYPE","features":[361]},{"name":"DISPID_SAX_ATTRIBUTES_GETTYPEFROMNAME","features":[361]},{"name":"DISPID_SAX_ATTRIBUTES_GETTYPEFROMQNAME","features":[361]},{"name":"DISPID_SAX_ATTRIBUTES_GETURI","features":[361]},{"name":"DISPID_SAX_ATTRIBUTES_GETVALUE","features":[361]},{"name":"DISPID_SAX_ATTRIBUTES_GETVALUEFROMNAME","features":[361]},{"name":"DISPID_SAX_ATTRIBUTES_GETVALUEFROMQNAME","features":[361]},{"name":"DISPID_SAX_ATTRIBUTES_LENGTH","features":[361]},{"name":"DISPID_SAX_ATTRIBUTES__BASE","features":[361]},{"name":"DISPID_SAX_ATTRIBUTES__TOP","features":[361]},{"name":"DISPID_SAX_CONTENTHANDLER","features":[361]},{"name":"DISPID_SAX_CONTENTHANDLER_CHARACTERS","features":[361]},{"name":"DISPID_SAX_CONTENTHANDLER_DOCUMENTLOCATOR","features":[361]},{"name":"DISPID_SAX_CONTENTHANDLER_ENDDOCUMENT","features":[361]},{"name":"DISPID_SAX_CONTENTHANDLER_ENDELEMENT","features":[361]},{"name":"DISPID_SAX_CONTENTHANDLER_ENDPREFIXMAPPING","features":[361]},{"name":"DISPID_SAX_CONTENTHANDLER_IGNORABLEWHITESPACE","features":[361]},{"name":"DISPID_SAX_CONTENTHANDLER_PROCESSINGINSTRUCTION","features":[361]},{"name":"DISPID_SAX_CONTENTHANDLER_SKIPPEDENTITY","features":[361]},{"name":"DISPID_SAX_CONTENTHANDLER_STARTDOCUMENT","features":[361]},{"name":"DISPID_SAX_CONTENTHANDLER_STARTELEMENT","features":[361]},{"name":"DISPID_SAX_CONTENTHANDLER_STARTPREFIXMAPPING","features":[361]},{"name":"DISPID_SAX_CONTENTHANDLER__BASE","features":[361]},{"name":"DISPID_SAX_CONTENTHANDLER__TOP","features":[361]},{"name":"DISPID_SAX_DECLHANDLER","features":[361]},{"name":"DISPID_SAX_DECLHANDLER_ATTRIBUTEDECL","features":[361]},{"name":"DISPID_SAX_DECLHANDLER_ELEMENTDECL","features":[361]},{"name":"DISPID_SAX_DECLHANDLER_EXTERNALENTITYDECL","features":[361]},{"name":"DISPID_SAX_DECLHANDLER_INTERNALENTITYDECL","features":[361]},{"name":"DISPID_SAX_DECLHANDLER__BASE","features":[361]},{"name":"DISPID_SAX_DECLHANDLER__TOP","features":[361]},{"name":"DISPID_SAX_DTDHANDLER","features":[361]},{"name":"DISPID_SAX_DTDHANDLER_NOTATIONDECL","features":[361]},{"name":"DISPID_SAX_DTDHANDLER_UNPARSEDENTITYDECL","features":[361]},{"name":"DISPID_SAX_DTDHANDLER__BASE","features":[361]},{"name":"DISPID_SAX_DTDHANDLER__TOP","features":[361]},{"name":"DISPID_SAX_ENTITYRESOLVER","features":[361]},{"name":"DISPID_SAX_ENTITYRESOLVER_RESOLVEENTITY","features":[361]},{"name":"DISPID_SAX_ENTITYRESOLVER__BASE","features":[361]},{"name":"DISPID_SAX_ENTITYRESOLVER__TOP","features":[361]},{"name":"DISPID_SAX_ERRORHANDLER","features":[361]},{"name":"DISPID_SAX_ERRORHANDLER_ERROR","features":[361]},{"name":"DISPID_SAX_ERRORHANDLER_FATALERROR","features":[361]},{"name":"DISPID_SAX_ERRORHANDLER_IGNORABLEWARNING","features":[361]},{"name":"DISPID_SAX_ERRORHANDLER__BASE","features":[361]},{"name":"DISPID_SAX_ERRORHANDLER__TOP","features":[361]},{"name":"DISPID_SAX_LEXICALHANDLER","features":[361]},{"name":"DISPID_SAX_LEXICALHANDLER_COMMENT","features":[361]},{"name":"DISPID_SAX_LEXICALHANDLER_ENDCDATA","features":[361]},{"name":"DISPID_SAX_LEXICALHANDLER_ENDDTD","features":[361]},{"name":"DISPID_SAX_LEXICALHANDLER_ENDENTITY","features":[361]},{"name":"DISPID_SAX_LEXICALHANDLER_STARTCDATA","features":[361]},{"name":"DISPID_SAX_LEXICALHANDLER_STARTDTD","features":[361]},{"name":"DISPID_SAX_LEXICALHANDLER_STARTENTITY","features":[361]},{"name":"DISPID_SAX_LEXICALHANDLER__BASE","features":[361]},{"name":"DISPID_SAX_LEXICALHANDLER__TOP","features":[361]},{"name":"DISPID_SAX_LOCATOR","features":[361]},{"name":"DISPID_SAX_LOCATOR_COLUMNNUMBER","features":[361]},{"name":"DISPID_SAX_LOCATOR_LINENUMBER","features":[361]},{"name":"DISPID_SAX_LOCATOR_PUBLICID","features":[361]},{"name":"DISPID_SAX_LOCATOR_SYSTEMID","features":[361]},{"name":"DISPID_SAX_LOCATOR__BASE","features":[361]},{"name":"DISPID_SAX_LOCATOR__TOP","features":[361]},{"name":"DISPID_SAX_XMLFILTER","features":[361]},{"name":"DISPID_SAX_XMLFILTER_BASEURL","features":[361]},{"name":"DISPID_SAX_XMLFILTER_CONTENTHANDLER","features":[361]},{"name":"DISPID_SAX_XMLFILTER_DTDHANDLER","features":[361]},{"name":"DISPID_SAX_XMLFILTER_ENTITYRESOLVER","features":[361]},{"name":"DISPID_SAX_XMLFILTER_ERRORHANDLER","features":[361]},{"name":"DISPID_SAX_XMLFILTER_GETFEATURE","features":[361]},{"name":"DISPID_SAX_XMLFILTER_GETPROPERTY","features":[361]},{"name":"DISPID_SAX_XMLFILTER_PARENT","features":[361]},{"name":"DISPID_SAX_XMLFILTER_PARSE","features":[361]},{"name":"DISPID_SAX_XMLFILTER_PARSEURL","features":[361]},{"name":"DISPID_SAX_XMLFILTER_PUTFEATURE","features":[361]},{"name":"DISPID_SAX_XMLFILTER_PUTPROPERTY","features":[361]},{"name":"DISPID_SAX_XMLFILTER_SECUREBASEURL","features":[361]},{"name":"DISPID_SAX_XMLFILTER__BASE","features":[361]},{"name":"DISPID_SAX_XMLFILTER__TOP","features":[361]},{"name":"DISPID_SAX_XMLREADER","features":[361]},{"name":"DISPID_SAX_XMLREADER_BASEURL","features":[361]},{"name":"DISPID_SAX_XMLREADER_CONTENTHANDLER","features":[361]},{"name":"DISPID_SAX_XMLREADER_DTDHANDLER","features":[361]},{"name":"DISPID_SAX_XMLREADER_ENTITYRESOLVER","features":[361]},{"name":"DISPID_SAX_XMLREADER_ERRORHANDLER","features":[361]},{"name":"DISPID_SAX_XMLREADER_GETFEATURE","features":[361]},{"name":"DISPID_SAX_XMLREADER_GETPROPERTY","features":[361]},{"name":"DISPID_SAX_XMLREADER_PARENT","features":[361]},{"name":"DISPID_SAX_XMLREADER_PARSE","features":[361]},{"name":"DISPID_SAX_XMLREADER_PARSEURL","features":[361]},{"name":"DISPID_SAX_XMLREADER_PUTFEATURE","features":[361]},{"name":"DISPID_SAX_XMLREADER_PUTPROPERTY","features":[361]},{"name":"DISPID_SAX_XMLREADER_SECUREBASEURL","features":[361]},{"name":"DISPID_SAX_XMLREADER__BASE","features":[361]},{"name":"DISPID_SAX_XMLREADER__MAX","features":[361]},{"name":"DISPID_SAX_XMLREADER__MIN","features":[361]},{"name":"DISPID_SAX_XMLREADER__TOP","features":[361]},{"name":"DISPID_SOM","features":[361]},{"name":"DISPID_SOM_ANYATTRIBUTE","features":[361]},{"name":"DISPID_SOM_ATTRIBUTEGROUPS","features":[361]},{"name":"DISPID_SOM_ATTRIBUTES","features":[361]},{"name":"DISPID_SOM_BASETYPES","features":[361]},{"name":"DISPID_SOM_CONTENTMODEL","features":[361]},{"name":"DISPID_SOM_CONTENTTYPE","features":[361]},{"name":"DISPID_SOM_DEFAULTVALUE","features":[361]},{"name":"DISPID_SOM_DERIVEDBY","features":[361]},{"name":"DISPID_SOM_DISALLOWED","features":[361]},{"name":"DISPID_SOM_ELEMENTS","features":[361]},{"name":"DISPID_SOM_ENUMERATION","features":[361]},{"name":"DISPID_SOM_EXCLUSIONS","features":[361]},{"name":"DISPID_SOM_FIELDS","features":[361]},{"name":"DISPID_SOM_FINAL","features":[361]},{"name":"DISPID_SOM_FIXEDVALUE","features":[361]},{"name":"DISPID_SOM_FRACTIONDIGITS","features":[361]},{"name":"DISPID_SOM_GETDECLARATION","features":[361]},{"name":"DISPID_SOM_GETSCHEMA","features":[361]},{"name":"DISPID_SOM_ID","features":[361]},{"name":"DISPID_SOM_IDCONSTRAINTS","features":[361]},{"name":"DISPID_SOM_ISABSTRACT","features":[361]},{"name":"DISPID_SOM_ISNILLABLE","features":[361]},{"name":"DISPID_SOM_ISREFERENCE","features":[361]},{"name":"DISPID_SOM_ISVALID","features":[361]},{"name":"DISPID_SOM_ITEMBYNAME","features":[361]},{"name":"DISPID_SOM_ITEMBYQNAME","features":[361]},{"name":"DISPID_SOM_ITEMTYPE","features":[361]},{"name":"DISPID_SOM_LENGTH","features":[361]},{"name":"DISPID_SOM_MAXEXCLUSIVE","features":[361]},{"name":"DISPID_SOM_MAXINCLUSIVE","features":[361]},{"name":"DISPID_SOM_MAXLENGTH","features":[361]},{"name":"DISPID_SOM_MAXOCCURS","features":[361]},{"name":"DISPID_SOM_MINEXCLUSIVE","features":[361]},{"name":"DISPID_SOM_MININCLUSIVE","features":[361]},{"name":"DISPID_SOM_MINLENGTH","features":[361]},{"name":"DISPID_SOM_MINOCCURS","features":[361]},{"name":"DISPID_SOM_MODELGROUPS","features":[361]},{"name":"DISPID_SOM_NAME","features":[361]},{"name":"DISPID_SOM_NAMESPACES","features":[361]},{"name":"DISPID_SOM_NAMESPACEURI","features":[361]},{"name":"DISPID_SOM_NOTATIONS","features":[361]},{"name":"DISPID_SOM_PARTICLES","features":[361]},{"name":"DISPID_SOM_PATTERNS","features":[361]},{"name":"DISPID_SOM_PROCESSCONTENTS","features":[361]},{"name":"DISPID_SOM_PROHIBITED","features":[361]},{"name":"DISPID_SOM_PUBLICIDENTIFIER","features":[361]},{"name":"DISPID_SOM_REFERENCEDKEY","features":[361]},{"name":"DISPID_SOM_SCHEMA","features":[361]},{"name":"DISPID_SOM_SCHEMALOCATIONS","features":[361]},{"name":"DISPID_SOM_SCOPE","features":[361]},{"name":"DISPID_SOM_SELECTOR","features":[361]},{"name":"DISPID_SOM_SUBSTITUTIONGROUP","features":[361]},{"name":"DISPID_SOM_SYSTEMIDENTIFIER","features":[361]},{"name":"DISPID_SOM_TARGETNAMESPACE","features":[361]},{"name":"DISPID_SOM_TOP","features":[361]},{"name":"DISPID_SOM_TOTALDIGITS","features":[361]},{"name":"DISPID_SOM_TYPE","features":[361]},{"name":"DISPID_SOM_TYPES","features":[361]},{"name":"DISPID_SOM_UNHANDLEDATTRS","features":[361]},{"name":"DISPID_SOM_USE","features":[361]},{"name":"DISPID_SOM_VALIDATE","features":[361]},{"name":"DISPID_SOM_VALIDATEONLOAD","features":[361]},{"name":"DISPID_SOM_VARIETY","features":[361]},{"name":"DISPID_SOM_VERSION","features":[361]},{"name":"DISPID_SOM_WHITESPACE","features":[361]},{"name":"DISPID_SOM_WRITEANNOTATION","features":[361]},{"name":"DISPID_XMLATTRIBUTE","features":[361]},{"name":"DISPID_XMLATTRIBUTE_NAME","features":[361]},{"name":"DISPID_XMLATTRIBUTE_VALUE","features":[361]},{"name":"DISPID_XMLDOCUMENT","features":[361]},{"name":"DISPID_XMLDOCUMENT_ASYNC","features":[361]},{"name":"DISPID_XMLDOCUMENT_BASEURL","features":[361]},{"name":"DISPID_XMLDOCUMENT_CASEINSENSITIVE","features":[361]},{"name":"DISPID_XMLDOCUMENT_CHARSET","features":[361]},{"name":"DISPID_XMLDOCUMENT_COMMIT","features":[361]},{"name":"DISPID_XMLDOCUMENT_CREATEELEMENT","features":[361]},{"name":"DISPID_XMLDOCUMENT_DOCTYPE","features":[361]},{"name":"DISPID_XMLDOCUMENT_DTDURL","features":[361]},{"name":"DISPID_XMLDOCUMENT_FILEMODIFIEDDATE","features":[361]},{"name":"DISPID_XMLDOCUMENT_FILESIZE","features":[361]},{"name":"DISPID_XMLDOCUMENT_FILEUPDATEDDATE","features":[361]},{"name":"DISPID_XMLDOCUMENT_LASTERROR","features":[361]},{"name":"DISPID_XMLDOCUMENT_MIMETYPE","features":[361]},{"name":"DISPID_XMLDOCUMENT_READYSTATE","features":[361]},{"name":"DISPID_XMLDOCUMENT_ROOT","features":[361]},{"name":"DISPID_XMLDOCUMENT_TRIMWHITESPACE","features":[361]},{"name":"DISPID_XMLDOCUMENT_URL","features":[361]},{"name":"DISPID_XMLDOCUMENT_VERSION","features":[361]},{"name":"DISPID_XMLDOCUMENT_XML","features":[361]},{"name":"DISPID_XMLDOMEVENT","features":[361]},{"name":"DISPID_XMLDOMEVENT_ONDATAAVAILABLE","features":[361]},{"name":"DISPID_XMLDOMEVENT_ONREADYSTATECHANGE","features":[361]},{"name":"DISPID_XMLDOMEVENT__TOP","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT2","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT2_GETPROPERTY","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT2_NAMESPACES","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT2_SCHEMAS","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT2_SETPROPERTY","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT2_VALIDATE","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT2__TOP","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT3","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT3_IMPORTNODE","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT3_VALIDATENODE","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT3__TOP","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT_ABORT","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT_ASYNC","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT_CREATENODE","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT_CREATENODEEX","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT_DOCUMENTNAMESPACES","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT_DOCUMENTNODE","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT_LOAD","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT_LOADXML","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT_NODEFROMID","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT_ONDATAAVAILABLE","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT_ONREADYSTATECHANGE","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT_ONTRANSFORMNODE","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT_PARSEERROR","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT_PRESERVEWHITESPACE","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT_RESOLVENAMESPACE","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT_SAVE","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT_URL","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT_VALIDATE","features":[361]},{"name":"DISPID_XMLDOM_DOCUMENT__TOP","features":[361]},{"name":"DISPID_XMLDOM_NAMEDNODEMAP","features":[361]},{"name":"DISPID_XMLDOM_NAMEDNODEMAP_GETQUALIFIEDITEM","features":[361]},{"name":"DISPID_XMLDOM_NAMEDNODEMAP_NEWENUM","features":[361]},{"name":"DISPID_XMLDOM_NAMEDNODEMAP_NEXTNODE","features":[361]},{"name":"DISPID_XMLDOM_NAMEDNODEMAP_REMOVEQUALIFIEDITEM","features":[361]},{"name":"DISPID_XMLDOM_NAMEDNODEMAP_RESET","features":[361]},{"name":"DISPID_XMLDOM_NAMEDNODEMAP__TOP","features":[361]},{"name":"DISPID_XMLDOM_NODE","features":[361]},{"name":"DISPID_XMLDOM_NODELIST","features":[361]},{"name":"DISPID_XMLDOM_NODELIST_NEWENUM","features":[361]},{"name":"DISPID_XMLDOM_NODELIST_NEXTNODE","features":[361]},{"name":"DISPID_XMLDOM_NODELIST_RESET","features":[361]},{"name":"DISPID_XMLDOM_NODELIST__TOP","features":[361]},{"name":"DISPID_XMLDOM_NODE_BASENAME","features":[361]},{"name":"DISPID_XMLDOM_NODE_DATATYPE","features":[361]},{"name":"DISPID_XMLDOM_NODE_DEFINITION","features":[361]},{"name":"DISPID_XMLDOM_NODE_NAMESPACE","features":[361]},{"name":"DISPID_XMLDOM_NODE_NODETYPEDVALUE","features":[361]},{"name":"DISPID_XMLDOM_NODE_PARSED","features":[361]},{"name":"DISPID_XMLDOM_NODE_PREFIX","features":[361]},{"name":"DISPID_XMLDOM_NODE_SELECTNODES","features":[361]},{"name":"DISPID_XMLDOM_NODE_SELECTSINGLENODE","features":[361]},{"name":"DISPID_XMLDOM_NODE_SPECIFIED","features":[361]},{"name":"DISPID_XMLDOM_NODE_STRINGTYPE","features":[361]},{"name":"DISPID_XMLDOM_NODE_TEXT","features":[361]},{"name":"DISPID_XMLDOM_NODE_TRANSFORMNODE","features":[361]},{"name":"DISPID_XMLDOM_NODE_TRANSFORMNODETOOBJECT","features":[361]},{"name":"DISPID_XMLDOM_NODE_XML","features":[361]},{"name":"DISPID_XMLDOM_NODE__TOP","features":[361]},{"name":"DISPID_XMLDOM_PROCESSOR","features":[361]},{"name":"DISPID_XMLDOM_PROCESSOR_ADDOBJECT","features":[361]},{"name":"DISPID_XMLDOM_PROCESSOR_ADDPARAMETER","features":[361]},{"name":"DISPID_XMLDOM_PROCESSOR_INPUT","features":[361]},{"name":"DISPID_XMLDOM_PROCESSOR_OUTPUT","features":[361]},{"name":"DISPID_XMLDOM_PROCESSOR_READYSTATE","features":[361]},{"name":"DISPID_XMLDOM_PROCESSOR_RESET","features":[361]},{"name":"DISPID_XMLDOM_PROCESSOR_SETSTARTMODE","features":[361]},{"name":"DISPID_XMLDOM_PROCESSOR_STARTMODE","features":[361]},{"name":"DISPID_XMLDOM_PROCESSOR_STARTMODEURI","features":[361]},{"name":"DISPID_XMLDOM_PROCESSOR_STYLESHEET","features":[361]},{"name":"DISPID_XMLDOM_PROCESSOR_TRANSFORM","features":[361]},{"name":"DISPID_XMLDOM_PROCESSOR_XSLTEMPLATE","features":[361]},{"name":"DISPID_XMLDOM_PROCESSOR__TOP","features":[361]},{"name":"DISPID_XMLDOM_SCHEMACOLLECTION","features":[361]},{"name":"DISPID_XMLDOM_SCHEMACOLLECTION_ADD","features":[361]},{"name":"DISPID_XMLDOM_SCHEMACOLLECTION_ADDCOLLECTION","features":[361]},{"name":"DISPID_XMLDOM_SCHEMACOLLECTION_GET","features":[361]},{"name":"DISPID_XMLDOM_SCHEMACOLLECTION_LENGTH","features":[361]},{"name":"DISPID_XMLDOM_SCHEMACOLLECTION_NAMESPACEURI","features":[361]},{"name":"DISPID_XMLDOM_SCHEMACOLLECTION_REMOVE","features":[361]},{"name":"DISPID_XMLDOM_SCHEMACOLLECTION__TOP","features":[361]},{"name":"DISPID_XMLDOM_SELECTION","features":[361]},{"name":"DISPID_XMLDOM_SELECTION_CLONE","features":[361]},{"name":"DISPID_XMLDOM_SELECTION_CONTEXT","features":[361]},{"name":"DISPID_XMLDOM_SELECTION_EXPR","features":[361]},{"name":"DISPID_XMLDOM_SELECTION_GETPROPERTY","features":[361]},{"name":"DISPID_XMLDOM_SELECTION_MATCHES","features":[361]},{"name":"DISPID_XMLDOM_SELECTION_PEEKNODE","features":[361]},{"name":"DISPID_XMLDOM_SELECTION_REMOVEALL","features":[361]},{"name":"DISPID_XMLDOM_SELECTION_REMOVENEXT","features":[361]},{"name":"DISPID_XMLDOM_SELECTION_SETPROPERTY","features":[361]},{"name":"DISPID_XMLDOM_SELECTION__TOP","features":[361]},{"name":"DISPID_XMLDOM_TEMPLATE","features":[361]},{"name":"DISPID_XMLDOM_TEMPLATE_CREATEPROCESSOR","features":[361]},{"name":"DISPID_XMLDOM_TEMPLATE_STYLESHEET","features":[361]},{"name":"DISPID_XMLDOM_TEMPLATE__TOP","features":[361]},{"name":"DISPID_XMLDSIG","features":[361]},{"name":"DISPID_XMLDSIG_CREATEKEYFROMCSP","features":[361]},{"name":"DISPID_XMLDSIG_CREATEKEYFROMHMACSECRET","features":[361]},{"name":"DISPID_XMLDSIG_CREATEKEYFROMNODE","features":[361]},{"name":"DISPID_XMLDSIG_CREATESAXPROXY","features":[361]},{"name":"DISPID_XMLDSIG_GETVERIFYINGCERTIFICATE","features":[361]},{"name":"DISPID_XMLDSIG_SETREFERENCEDATA","features":[361]},{"name":"DISPID_XMLDSIG_SIGN","features":[361]},{"name":"DISPID_XMLDSIG_SIGNATURE","features":[361]},{"name":"DISPID_XMLDSIG_STORE","features":[361]},{"name":"DISPID_XMLDSIG_VERIFY","features":[361]},{"name":"DISPID_XMLDSO","features":[361]},{"name":"DISPID_XMLDSO_DOCUMENT","features":[361]},{"name":"DISPID_XMLDSO_JAVADSOCOMPATIBLE","features":[361]},{"name":"DISPID_XMLELEMENT","features":[361]},{"name":"DISPID_XMLELEMENTCOLLECTION","features":[361]},{"name":"DISPID_XMLELEMENTCOLLECTION_ITEM","features":[361]},{"name":"DISPID_XMLELEMENTCOLLECTION_LENGTH","features":[361]},{"name":"DISPID_XMLELEMENTCOLLECTION_NEWENUM","features":[361]},{"name":"DISPID_XMLELEMENT_ADDCHILD","features":[361]},{"name":"DISPID_XMLELEMENT_ATTRIBUTES","features":[361]},{"name":"DISPID_XMLELEMENT_CHILDREN","features":[361]},{"name":"DISPID_XMLELEMENT_GETATTRIBUTE","features":[361]},{"name":"DISPID_XMLELEMENT_PARENT","features":[361]},{"name":"DISPID_XMLELEMENT_REMOVEATTRIBUTE","features":[361]},{"name":"DISPID_XMLELEMENT_REMOVECHILD","features":[361]},{"name":"DISPID_XMLELEMENT_SETATTRIBUTE","features":[361]},{"name":"DISPID_XMLELEMENT_TAGNAME","features":[361]},{"name":"DISPID_XMLELEMENT_TEXT","features":[361]},{"name":"DISPID_XMLELEMENT_TYPE","features":[361]},{"name":"DISPID_XMLERROR","features":[361]},{"name":"DISPID_XMLERROR_LINE","features":[361]},{"name":"DISPID_XMLERROR_POS","features":[361]},{"name":"DISPID_XMLERROR_REASON","features":[361]},{"name":"DISPID_XMLNOTIFSINK","features":[361]},{"name":"DISPID_XMLNOTIFSINK_CHILDADDED","features":[361]},{"name":"DISPID_XOBJ_BASE","features":[361]},{"name":"DISPID_XOBJ_MAX","features":[361]},{"name":"DISPID_XOBJ_MIN","features":[361]},{"name":"DISPID_XTLRUNTIME","features":[361]},{"name":"DISPID_XTLRUNTIME_ABSOLUTECHILDNUMBER","features":[361]},{"name":"DISPID_XTLRUNTIME_ANCESTORCHILDNUMBER","features":[361]},{"name":"DISPID_XTLRUNTIME_CHILDNUMBER","features":[361]},{"name":"DISPID_XTLRUNTIME_DEPTH","features":[361]},{"name":"DISPID_XTLRUNTIME_FORMATDATE","features":[361]},{"name":"DISPID_XTLRUNTIME_FORMATINDEX","features":[361]},{"name":"DISPID_XTLRUNTIME_FORMATNUMBER","features":[361]},{"name":"DISPID_XTLRUNTIME_FORMATTIME","features":[361]},{"name":"DISPID_XTLRUNTIME_UNIQUEID","features":[361]},{"name":"DISPID_XTLRUNTIME__TOP","features":[361]},{"name":"DOMDocument","features":[361]},{"name":"DOMDocument60","features":[361]},{"name":"DOMFreeThreadedDocument","features":[361]},{"name":"DOMNodeType","features":[361]},{"name":"E_XML_BUFFERTOOSMALL","features":[361]},{"name":"E_XML_INVALID","features":[361]},{"name":"E_XML_NODTD","features":[361]},{"name":"E_XML_NOTWF","features":[361]},{"name":"FreeThreadedDOMDocument60","features":[361]},{"name":"FreeThreadedXMLHTTP60","features":[361]},{"name":"IMXAttributes","features":[361,359]},{"name":"IMXNamespaceManager","features":[361]},{"name":"IMXNamespacePrefixes","features":[361,359]},{"name":"IMXReaderControl","features":[361,359]},{"name":"IMXSchemaDeclHandler","features":[361,359]},{"name":"IMXWriter","features":[361,359]},{"name":"IMXXMLFilter","features":[361,359]},{"name":"ISAXAttributes","features":[361]},{"name":"ISAXContentHandler","features":[361]},{"name":"ISAXDTDHandler","features":[361]},{"name":"ISAXDeclHandler","features":[361]},{"name":"ISAXEntityResolver","features":[361]},{"name":"ISAXErrorHandler","features":[361]},{"name":"ISAXLexicalHandler","features":[361]},{"name":"ISAXLocator","features":[361]},{"name":"ISAXXMLFilter","features":[361]},{"name":"ISAXXMLReader","features":[361]},{"name":"ISchema","features":[361,359]},{"name":"ISchemaAny","features":[361,359]},{"name":"ISchemaAttribute","features":[361,359]},{"name":"ISchemaAttributeGroup","features":[361,359]},{"name":"ISchemaComplexType","features":[361,359]},{"name":"ISchemaElement","features":[361,359]},{"name":"ISchemaIdentityConstraint","features":[361,359]},{"name":"ISchemaItem","features":[361,359]},{"name":"ISchemaItemCollection","features":[361,359]},{"name":"ISchemaModelGroup","features":[361,359]},{"name":"ISchemaNotation","features":[361,359]},{"name":"ISchemaParticle","features":[361,359]},{"name":"ISchemaStringCollection","features":[361,359]},{"name":"ISchemaType","features":[361,359]},{"name":"IServerXMLHTTPRequest","features":[361,359]},{"name":"IServerXMLHTTPRequest2","features":[361,359]},{"name":"IVBMXNamespaceManager","features":[361,359]},{"name":"IVBSAXAttributes","features":[361,359]},{"name":"IVBSAXContentHandler","features":[361,359]},{"name":"IVBSAXDTDHandler","features":[361,359]},{"name":"IVBSAXDeclHandler","features":[361,359]},{"name":"IVBSAXEntityResolver","features":[361,359]},{"name":"IVBSAXErrorHandler","features":[361,359]},{"name":"IVBSAXLexicalHandler","features":[361,359]},{"name":"IVBSAXLocator","features":[361,359]},{"name":"IVBSAXXMLFilter","features":[361,359]},{"name":"IVBSAXXMLReader","features":[361,359]},{"name":"IXMLAttribute","features":[361,359]},{"name":"IXMLDOMAttribute","features":[361,359]},{"name":"IXMLDOMCDATASection","features":[361,359]},{"name":"IXMLDOMCharacterData","features":[361,359]},{"name":"IXMLDOMComment","features":[361,359]},{"name":"IXMLDOMDocument","features":[361,359]},{"name":"IXMLDOMDocument2","features":[361,359]},{"name":"IXMLDOMDocument3","features":[361,359]},{"name":"IXMLDOMDocumentFragment","features":[361,359]},{"name":"IXMLDOMDocumentType","features":[361,359]},{"name":"IXMLDOMElement","features":[361,359]},{"name":"IXMLDOMEntity","features":[361,359]},{"name":"IXMLDOMEntityReference","features":[361,359]},{"name":"IXMLDOMImplementation","features":[361,359]},{"name":"IXMLDOMNamedNodeMap","features":[361,359]},{"name":"IXMLDOMNode","features":[361,359]},{"name":"IXMLDOMNodeList","features":[361,359]},{"name":"IXMLDOMNotation","features":[361,359]},{"name":"IXMLDOMParseError","features":[361,359]},{"name":"IXMLDOMParseError2","features":[361,359]},{"name":"IXMLDOMParseErrorCollection","features":[361,359]},{"name":"IXMLDOMProcessingInstruction","features":[361,359]},{"name":"IXMLDOMSchemaCollection","features":[361,359]},{"name":"IXMLDOMSchemaCollection2","features":[361,359]},{"name":"IXMLDOMSelection","features":[361,359]},{"name":"IXMLDOMText","features":[361,359]},{"name":"IXMLDSOControl","features":[361,359]},{"name":"IXMLDocument","features":[361,359]},{"name":"IXMLDocument2","features":[361,359]},{"name":"IXMLElement","features":[361,359]},{"name":"IXMLElement2","features":[361,359]},{"name":"IXMLElementCollection","features":[361,359]},{"name":"IXMLError","features":[361]},{"name":"IXMLHTTPRequest","features":[361,359]},{"name":"IXMLHTTPRequest2","features":[361]},{"name":"IXMLHTTPRequest2Callback","features":[361]},{"name":"IXMLHTTPRequest3","features":[361]},{"name":"IXMLHTTPRequest3Callback","features":[361]},{"name":"IXSLProcessor","features":[361,359]},{"name":"IXSLTemplate","features":[361,359]},{"name":"IXTLRuntime","features":[361,359]},{"name":"MXHTMLWriter60","features":[361]},{"name":"MXNamespaceManager60","features":[361]},{"name":"MXXMLWriter60","features":[361]},{"name":"NODE_ATTRIBUTE","features":[361]},{"name":"NODE_CDATA_SECTION","features":[361]},{"name":"NODE_COMMENT","features":[361]},{"name":"NODE_DOCUMENT","features":[361]},{"name":"NODE_DOCUMENT_FRAGMENT","features":[361]},{"name":"NODE_DOCUMENT_TYPE","features":[361]},{"name":"NODE_ELEMENT","features":[361]},{"name":"NODE_ENTITY","features":[361]},{"name":"NODE_ENTITY_REFERENCE","features":[361]},{"name":"NODE_INVALID","features":[361]},{"name":"NODE_NOTATION","features":[361]},{"name":"NODE_PROCESSING_INSTRUCTION","features":[361]},{"name":"NODE_TEXT","features":[361]},{"name":"SAXAttributes60","features":[361]},{"name":"SAXXMLReader60","features":[361]},{"name":"SCHEMACONTENTTYPE","features":[361]},{"name":"SCHEMACONTENTTYPE_ELEMENTONLY","features":[361]},{"name":"SCHEMACONTENTTYPE_EMPTY","features":[361]},{"name":"SCHEMACONTENTTYPE_MIXED","features":[361]},{"name":"SCHEMACONTENTTYPE_TEXTONLY","features":[361]},{"name":"SCHEMADERIVATIONMETHOD","features":[361]},{"name":"SCHEMADERIVATIONMETHOD_ALL","features":[361]},{"name":"SCHEMADERIVATIONMETHOD_EMPTY","features":[361]},{"name":"SCHEMADERIVATIONMETHOD_EXTENSION","features":[361]},{"name":"SCHEMADERIVATIONMETHOD_LIST","features":[361]},{"name":"SCHEMADERIVATIONMETHOD_NONE","features":[361]},{"name":"SCHEMADERIVATIONMETHOD_RESTRICTION","features":[361]},{"name":"SCHEMADERIVATIONMETHOD_SUBSTITUTION","features":[361]},{"name":"SCHEMADERIVATIONMETHOD_UNION","features":[361]},{"name":"SCHEMAPROCESSCONTENTS","features":[361]},{"name":"SCHEMAPROCESSCONTENTS_LAX","features":[361]},{"name":"SCHEMAPROCESSCONTENTS_NONE","features":[361]},{"name":"SCHEMAPROCESSCONTENTS_SKIP","features":[361]},{"name":"SCHEMAPROCESSCONTENTS_STRICT","features":[361]},{"name":"SCHEMATYPEVARIETY","features":[361]},{"name":"SCHEMATYPEVARIETY_ATOMIC","features":[361]},{"name":"SCHEMATYPEVARIETY_LIST","features":[361]},{"name":"SCHEMATYPEVARIETY_NONE","features":[361]},{"name":"SCHEMATYPEVARIETY_UNION","features":[361]},{"name":"SCHEMAUSE","features":[361]},{"name":"SCHEMAUSE_OPTIONAL","features":[361]},{"name":"SCHEMAUSE_PROHIBITED","features":[361]},{"name":"SCHEMAUSE_REQUIRED","features":[361]},{"name":"SCHEMAWHITESPACE","features":[361]},{"name":"SCHEMAWHITESPACE_COLLAPSE","features":[361]},{"name":"SCHEMAWHITESPACE_NONE","features":[361]},{"name":"SCHEMAWHITESPACE_PRESERVE","features":[361]},{"name":"SCHEMAWHITESPACE_REPLACE","features":[361]},{"name":"SERVERXMLHTTP_OPTION","features":[361]},{"name":"SOMITEMTYPE","features":[361]},{"name":"SOMITEM_ALL","features":[361]},{"name":"SOMITEM_ANNOTATION","features":[361]},{"name":"SOMITEM_ANY","features":[361]},{"name":"SOMITEM_ANYATTRIBUTE","features":[361]},{"name":"SOMITEM_ANYTYPE","features":[361]},{"name":"SOMITEM_ATTRIBUTE","features":[361]},{"name":"SOMITEM_ATTRIBUTEGROUP","features":[361]},{"name":"SOMITEM_CHOICE","features":[361]},{"name":"SOMITEM_COMPLEXTYPE","features":[361]},{"name":"SOMITEM_DATATYPE","features":[361]},{"name":"SOMITEM_DATATYPE_ANYSIMPLETYPE","features":[361]},{"name":"SOMITEM_DATATYPE_ANYTYPE","features":[361]},{"name":"SOMITEM_DATATYPE_ANYURI","features":[361]},{"name":"SOMITEM_DATATYPE_BASE64BINARY","features":[361]},{"name":"SOMITEM_DATATYPE_BOOLEAN","features":[361]},{"name":"SOMITEM_DATATYPE_BYTE","features":[361]},{"name":"SOMITEM_DATATYPE_DATE","features":[361]},{"name":"SOMITEM_DATATYPE_DATETIME","features":[361]},{"name":"SOMITEM_DATATYPE_DAY","features":[361]},{"name":"SOMITEM_DATATYPE_DECIMAL","features":[361]},{"name":"SOMITEM_DATATYPE_DOUBLE","features":[361]},{"name":"SOMITEM_DATATYPE_DURATION","features":[361]},{"name":"SOMITEM_DATATYPE_ENTITIES","features":[361]},{"name":"SOMITEM_DATATYPE_ENTITY","features":[361]},{"name":"SOMITEM_DATATYPE_FLOAT","features":[361]},{"name":"SOMITEM_DATATYPE_HEXBINARY","features":[361]},{"name":"SOMITEM_DATATYPE_ID","features":[361]},{"name":"SOMITEM_DATATYPE_IDREF","features":[361]},{"name":"SOMITEM_DATATYPE_IDREFS","features":[361]},{"name":"SOMITEM_DATATYPE_INT","features":[361]},{"name":"SOMITEM_DATATYPE_INTEGER","features":[361]},{"name":"SOMITEM_DATATYPE_LANGUAGE","features":[361]},{"name":"SOMITEM_DATATYPE_LONG","features":[361]},{"name":"SOMITEM_DATATYPE_MONTH","features":[361]},{"name":"SOMITEM_DATATYPE_MONTHDAY","features":[361]},{"name":"SOMITEM_DATATYPE_NAME","features":[361]},{"name":"SOMITEM_DATATYPE_NCNAME","features":[361]},{"name":"SOMITEM_DATATYPE_NEGATIVEINTEGER","features":[361]},{"name":"SOMITEM_DATATYPE_NMTOKEN","features":[361]},{"name":"SOMITEM_DATATYPE_NMTOKENS","features":[361]},{"name":"SOMITEM_DATATYPE_NONNEGATIVEINTEGER","features":[361]},{"name":"SOMITEM_DATATYPE_NONPOSITIVEINTEGER","features":[361]},{"name":"SOMITEM_DATATYPE_NORMALIZEDSTRING","features":[361]},{"name":"SOMITEM_DATATYPE_NOTATION","features":[361]},{"name":"SOMITEM_DATATYPE_POSITIVEINTEGER","features":[361]},{"name":"SOMITEM_DATATYPE_QNAME","features":[361]},{"name":"SOMITEM_DATATYPE_SHORT","features":[361]},{"name":"SOMITEM_DATATYPE_STRING","features":[361]},{"name":"SOMITEM_DATATYPE_TIME","features":[361]},{"name":"SOMITEM_DATATYPE_TOKEN","features":[361]},{"name":"SOMITEM_DATATYPE_UNSIGNEDBYTE","features":[361]},{"name":"SOMITEM_DATATYPE_UNSIGNEDINT","features":[361]},{"name":"SOMITEM_DATATYPE_UNSIGNEDLONG","features":[361]},{"name":"SOMITEM_DATATYPE_UNSIGNEDSHORT","features":[361]},{"name":"SOMITEM_DATATYPE_YEAR","features":[361]},{"name":"SOMITEM_DATATYPE_YEARMONTH","features":[361]},{"name":"SOMITEM_ELEMENT","features":[361]},{"name":"SOMITEM_EMPTYPARTICLE","features":[361]},{"name":"SOMITEM_GROUP","features":[361]},{"name":"SOMITEM_IDENTITYCONSTRAINT","features":[361]},{"name":"SOMITEM_KEY","features":[361]},{"name":"SOMITEM_KEYREF","features":[361]},{"name":"SOMITEM_NOTATION","features":[361]},{"name":"SOMITEM_NULL","features":[361]},{"name":"SOMITEM_NULL_ANY","features":[361]},{"name":"SOMITEM_NULL_ANYATTRIBUTE","features":[361]},{"name":"SOMITEM_NULL_ELEMENT","features":[361]},{"name":"SOMITEM_NULL_TYPE","features":[361]},{"name":"SOMITEM_PARTICLE","features":[361]},{"name":"SOMITEM_SCHEMA","features":[361]},{"name":"SOMITEM_SEQUENCE","features":[361]},{"name":"SOMITEM_SIMPLETYPE","features":[361]},{"name":"SOMITEM_UNIQUE","features":[361]},{"name":"SXH_OPTION_ESCAPE_PERCENT_IN_URL","features":[361]},{"name":"SXH_OPTION_IGNORE_SERVER_SSL_CERT_ERROR_FLAGS","features":[361]},{"name":"SXH_OPTION_SELECT_CLIENT_SSL_CERT","features":[361]},{"name":"SXH_OPTION_URL","features":[361]},{"name":"SXH_OPTION_URL_CODEPAGE","features":[361]},{"name":"SXH_PROXY_SETTING","features":[361]},{"name":"SXH_PROXY_SET_DEFAULT","features":[361]},{"name":"SXH_PROXY_SET_DIRECT","features":[361]},{"name":"SXH_PROXY_SET_PRECONFIG","features":[361]},{"name":"SXH_PROXY_SET_PROXY","features":[361]},{"name":"SXH_SERVER_CERT_IGNORE_ALL_SERVER_ERRORS","features":[361]},{"name":"SXH_SERVER_CERT_IGNORE_CERT_CN_INVALID","features":[361]},{"name":"SXH_SERVER_CERT_IGNORE_CERT_DATE_INVALID","features":[361]},{"name":"SXH_SERVER_CERT_IGNORE_UNKNOWN_CA","features":[361]},{"name":"SXH_SERVER_CERT_IGNORE_WRONG_USAGE","features":[361]},{"name":"SXH_SERVER_CERT_OPTION","features":[361]},{"name":"ServerXMLHTTP60","features":[361]},{"name":"XHR_AUTH","features":[361]},{"name":"XHR_AUTH_ALL","features":[361]},{"name":"XHR_AUTH_NONE","features":[361]},{"name":"XHR_AUTH_PROXY","features":[361]},{"name":"XHR_CERT","features":[361]},{"name":"XHR_CERT_ERROR_ALL_SERVER_ERRORS","features":[361]},{"name":"XHR_CERT_ERROR_CERT_CN_INVALID","features":[361]},{"name":"XHR_CERT_ERROR_CERT_DATE_INVALID","features":[361]},{"name":"XHR_CERT_ERROR_FLAG","features":[361]},{"name":"XHR_CERT_ERROR_REVOCATION_FAILED","features":[361]},{"name":"XHR_CERT_ERROR_UNKNOWN_CA","features":[361]},{"name":"XHR_CERT_IGNORE_ALL_SERVER_ERRORS","features":[361]},{"name":"XHR_CERT_IGNORE_CERT_CN_INVALID","features":[361]},{"name":"XHR_CERT_IGNORE_CERT_DATE_INVALID","features":[361]},{"name":"XHR_CERT_IGNORE_FLAG","features":[361]},{"name":"XHR_CERT_IGNORE_REVOCATION_FAILED","features":[361]},{"name":"XHR_CERT_IGNORE_UNKNOWN_CA","features":[361]},{"name":"XHR_COOKIE","features":[361,308]},{"name":"XHR_COOKIE_APPLY_P3P","features":[361]},{"name":"XHR_COOKIE_EVALUATE_P3P","features":[361]},{"name":"XHR_COOKIE_FLAG","features":[361]},{"name":"XHR_COOKIE_HTTPONLY","features":[361]},{"name":"XHR_COOKIE_IE6","features":[361]},{"name":"XHR_COOKIE_IS_LEGACY","features":[361]},{"name":"XHR_COOKIE_IS_RESTRICTED","features":[361]},{"name":"XHR_COOKIE_IS_SECURE","features":[361]},{"name":"XHR_COOKIE_IS_SESSION","features":[361]},{"name":"XHR_COOKIE_NON_SCRIPT","features":[361]},{"name":"XHR_COOKIE_P3P_ENABLED","features":[361]},{"name":"XHR_COOKIE_PROMPT_REQUIRED","features":[361]},{"name":"XHR_COOKIE_STATE","features":[361]},{"name":"XHR_COOKIE_STATE_ACCEPT","features":[361]},{"name":"XHR_COOKIE_STATE_DOWNGRADE","features":[361]},{"name":"XHR_COOKIE_STATE_LEASH","features":[361]},{"name":"XHR_COOKIE_STATE_PROMPT","features":[361]},{"name":"XHR_COOKIE_STATE_REJECT","features":[361]},{"name":"XHR_COOKIE_STATE_UNKNOWN","features":[361]},{"name":"XHR_COOKIE_THIRD_PARTY","features":[361]},{"name":"XHR_CRED_PROMPT","features":[361]},{"name":"XHR_CRED_PROMPT_ALL","features":[361]},{"name":"XHR_CRED_PROMPT_NONE","features":[361]},{"name":"XHR_CRED_PROMPT_PROXY","features":[361]},{"name":"XHR_PROPERTY","features":[361]},{"name":"XHR_PROP_EXTENDED_ERROR","features":[361]},{"name":"XHR_PROP_IGNORE_CERT_ERRORS","features":[361]},{"name":"XHR_PROP_MAX_CONNECTIONS","features":[361]},{"name":"XHR_PROP_NO_AUTH","features":[361]},{"name":"XHR_PROP_NO_CACHE","features":[361]},{"name":"XHR_PROP_NO_CRED_PROMPT","features":[361]},{"name":"XHR_PROP_NO_DEFAULT_HEADERS","features":[361]},{"name":"XHR_PROP_ONDATA_ALWAYS","features":[361]},{"name":"XHR_PROP_ONDATA_NEVER","features":[361]},{"name":"XHR_PROP_ONDATA_THRESHOLD","features":[361]},{"name":"XHR_PROP_QUERY_STRING_UTF8","features":[361]},{"name":"XHR_PROP_REPORT_REDIRECT_STATUS","features":[361]},{"name":"XHR_PROP_SET_ENTERPRISEID","features":[361]},{"name":"XHR_PROP_TIMEOUT","features":[361]},{"name":"XMLDOMDocumentEvents","features":[361,359]},{"name":"XMLDSOControl","features":[361]},{"name":"XMLDocument","features":[361]},{"name":"XMLELEMTYPE_COMMENT","features":[361]},{"name":"XMLELEMTYPE_DOCUMENT","features":[361]},{"name":"XMLELEMTYPE_DTD","features":[361]},{"name":"XMLELEMTYPE_ELEMENT","features":[361]},{"name":"XMLELEMTYPE_OTHER","features":[361]},{"name":"XMLELEMTYPE_PI","features":[361]},{"name":"XMLELEMTYPE_TEXT","features":[361]},{"name":"XMLELEM_TYPE","features":[361]},{"name":"XMLHTTP60","features":[361]},{"name":"XMLHTTPRequest","features":[361]},{"name":"XMLSchemaCache60","features":[361]},{"name":"XML_ERROR","features":[361]},{"name":"XSLTemplate60","features":[361]},{"name":"__msxml6_ReferenceRemainingTypes__","features":[361]}],"366":[{"name":"CreateXmlReader","features":[362,359]},{"name":"CreateXmlReaderInputWithEncodingCodePage","features":[362,308,359]},{"name":"CreateXmlReaderInputWithEncodingName","features":[362,308,359]},{"name":"CreateXmlWriter","features":[362,359]},{"name":"CreateXmlWriterOutputWithEncodingCodePage","features":[362,359]},{"name":"CreateXmlWriterOutputWithEncodingName","features":[362,359]},{"name":"DtdProcessing","features":[362]},{"name":"DtdProcessing_Parse","features":[362]},{"name":"DtdProcessing_Prohibit","features":[362]},{"name":"IXmlReader","features":[362]},{"name":"IXmlResolver","features":[362]},{"name":"IXmlWriter","features":[362]},{"name":"IXmlWriterLite","features":[362]},{"name":"MX_E_ENCODING","features":[362]},{"name":"MX_E_ENCODINGSIGNATURE","features":[362]},{"name":"MX_E_ENCODINGSWITCH","features":[362]},{"name":"MX_E_INPUTEND","features":[362]},{"name":"MX_E_MX","features":[362]},{"name":"NC_E_DECLAREDPREFIX","features":[362]},{"name":"NC_E_EMPTYURI","features":[362]},{"name":"NC_E_NAMECOLON","features":[362]},{"name":"NC_E_NC","features":[362]},{"name":"NC_E_QNAMECHARACTER","features":[362]},{"name":"NC_E_QNAMECOLON","features":[362]},{"name":"NC_E_UNDECLAREDPREFIX","features":[362]},{"name":"NC_E_XMLNSPREFIXRESERVED","features":[362]},{"name":"NC_E_XMLNSURIRESERVED","features":[362]},{"name":"NC_E_XMLPREFIXRESERVED","features":[362]},{"name":"NC_E_XMLURIRESERVED","features":[362]},{"name":"SC_E_MAXELEMENTDEPTH","features":[362]},{"name":"SC_E_MAXENTITYEXPANSION","features":[362]},{"name":"SC_E_SC","features":[362]},{"name":"WC_E_CDSECT","features":[362]},{"name":"WC_E_CDSECTEND","features":[362]},{"name":"WC_E_COMMENT","features":[362]},{"name":"WC_E_CONDSECT","features":[362]},{"name":"WC_E_DECLATTLIST","features":[362]},{"name":"WC_E_DECLDOCTYPE","features":[362]},{"name":"WC_E_DECLELEMENT","features":[362]},{"name":"WC_E_DECLENTITY","features":[362]},{"name":"WC_E_DECLNOTATION","features":[362]},{"name":"WC_E_DIGIT","features":[362]},{"name":"WC_E_DTDPROHIBITED","features":[362]},{"name":"WC_E_ELEMENTMATCH","features":[362]},{"name":"WC_E_ENCNAME","features":[362]},{"name":"WC_E_ENTITYCONTENT","features":[362]},{"name":"WC_E_EQUAL","features":[362]},{"name":"WC_E_GREATERTHAN","features":[362]},{"name":"WC_E_HEXDIGIT","features":[362]},{"name":"WC_E_INVALIDXMLSPACE","features":[362]},{"name":"WC_E_LEADINGXML","features":[362]},{"name":"WC_E_LEFTBRACKET","features":[362]},{"name":"WC_E_LEFTPAREN","features":[362]},{"name":"WC_E_LESSTHAN","features":[362]},{"name":"WC_E_MOREDATA","features":[362]},{"name":"WC_E_NAME","features":[362]},{"name":"WC_E_NAMECHARACTER","features":[362]},{"name":"WC_E_NDATA","features":[362]},{"name":"WC_E_NOEXTERNALENTITYREF","features":[362]},{"name":"WC_E_NORECURSION","features":[362]},{"name":"WC_E_PARSEDENTITY","features":[362]},{"name":"WC_E_PESBETWEENDECLS","features":[362]},{"name":"WC_E_PESINTERNALSUBSET","features":[362]},{"name":"WC_E_PI","features":[362]},{"name":"WC_E_PUBLIC","features":[362]},{"name":"WC_E_PUBLICID","features":[362]},{"name":"WC_E_QUESTIONMARK","features":[362]},{"name":"WC_E_QUOTE","features":[362]},{"name":"WC_E_ROOTELEMENT","features":[362]},{"name":"WC_E_SEMICOLON","features":[362]},{"name":"WC_E_SYNTAX","features":[362]},{"name":"WC_E_SYSTEM","features":[362]},{"name":"WC_E_SYSTEMID","features":[362]},{"name":"WC_E_TEXTDECL","features":[362]},{"name":"WC_E_TEXTXMLDECL","features":[362]},{"name":"WC_E_UNDECLAREDENTITY","features":[362]},{"name":"WC_E_UNIQUEATTRIBUTE","features":[362]},{"name":"WC_E_WC","features":[362]},{"name":"WC_E_WHITESPACE","features":[362]},{"name":"WC_E_XMLCHARACTER","features":[362]},{"name":"WC_E_XMLDECL","features":[362]},{"name":"WR_E_DUPLICATEATTRIBUTE","features":[362]},{"name":"WR_E_INVALIDACTION","features":[362]},{"name":"WR_E_INVALIDSURROGATEPAIR","features":[362]},{"name":"WR_E_INVALIDXMLSPACE","features":[362]},{"name":"WR_E_NAMESPACEUNDECLARED","features":[362]},{"name":"WR_E_NONWHITESPACE","features":[362]},{"name":"WR_E_NSPREFIXDECLARED","features":[362]},{"name":"WR_E_NSPREFIXWITHEMPTYNSURI","features":[362]},{"name":"WR_E_WR","features":[362]},{"name":"WR_E_XMLNSPREFIXDECLARATION","features":[362]},{"name":"WR_E_XMLNSURIDECLARATION","features":[362]},{"name":"WR_E_XMLPREFIXDECLARATION","features":[362]},{"name":"WR_E_XMLURIDECLARATION","features":[362]},{"name":"XML_E_INVALIDENCODING","features":[362]},{"name":"XML_E_INVALID_DECIMAL","features":[362]},{"name":"XML_E_INVALID_HEXIDECIMAL","features":[362]},{"name":"XML_E_INVALID_UNICODE","features":[362]},{"name":"XmlConformanceLevel","features":[362]},{"name":"XmlConformanceLevel_Auto","features":[362]},{"name":"XmlConformanceLevel_Document","features":[362]},{"name":"XmlConformanceLevel_Fragment","features":[362]},{"name":"XmlError","features":[362]},{"name":"XmlNodeType","features":[362]},{"name":"XmlNodeType_Attribute","features":[362]},{"name":"XmlNodeType_CDATA","features":[362]},{"name":"XmlNodeType_Comment","features":[362]},{"name":"XmlNodeType_DocumentType","features":[362]},{"name":"XmlNodeType_Element","features":[362]},{"name":"XmlNodeType_EndElement","features":[362]},{"name":"XmlNodeType_None","features":[362]},{"name":"XmlNodeType_ProcessingInstruction","features":[362]},{"name":"XmlNodeType_Text","features":[362]},{"name":"XmlNodeType_Whitespace","features":[362]},{"name":"XmlNodeType_XmlDeclaration","features":[362]},{"name":"XmlReadState","features":[362]},{"name":"XmlReadState_Closed","features":[362]},{"name":"XmlReadState_EndOfFile","features":[362]},{"name":"XmlReadState_Error","features":[362]},{"name":"XmlReadState_Initial","features":[362]},{"name":"XmlReadState_Interactive","features":[362]},{"name":"XmlReaderProperty","features":[362]},{"name":"XmlReaderProperty_ConformanceLevel","features":[362]},{"name":"XmlReaderProperty_DtdProcessing","features":[362]},{"name":"XmlReaderProperty_MaxElementDepth","features":[362]},{"name":"XmlReaderProperty_MaxEntityExpansion","features":[362]},{"name":"XmlReaderProperty_MultiLanguage","features":[362]},{"name":"XmlReaderProperty_RandomAccess","features":[362]},{"name":"XmlReaderProperty_ReadState","features":[362]},{"name":"XmlReaderProperty_XmlResolver","features":[362]},{"name":"XmlStandalone","features":[362]},{"name":"XmlStandalone_No","features":[362]},{"name":"XmlStandalone_Omit","features":[362]},{"name":"XmlStandalone_Yes","features":[362]},{"name":"XmlWriterProperty","features":[362]},{"name":"XmlWriterProperty_ByteOrderMark","features":[362]},{"name":"XmlWriterProperty_CompactEmptyElement","features":[362]},{"name":"XmlWriterProperty_ConformanceLevel","features":[362]},{"name":"XmlWriterProperty_Indent","features":[362]},{"name":"XmlWriterProperty_MultiLanguage","features":[362]},{"name":"XmlWriterProperty_OmitXmlDeclaration","features":[362]},{"name":"_DtdProcessing_Last","features":[362]},{"name":"_XmlConformanceLevel_Last","features":[362]},{"name":"_XmlNodeType_Last","features":[362]},{"name":"_XmlReaderProperty_Last","features":[362]},{"name":"_XmlStandalone_Last","features":[362]},{"name":"_XmlWriterProperty_Last","features":[362]}],"367":[{"name":"AJ_IFC_SECURITY_INHERIT","features":[363]},{"name":"AJ_IFC_SECURITY_OFF","features":[363]},{"name":"AJ_IFC_SECURITY_REQUIRED","features":[363]},{"name":"ALLJOYN_ARRAY","features":[363]},{"name":"ALLJOYN_BIG_ENDIAN","features":[363]},{"name":"ALLJOYN_BOOLEAN","features":[363]},{"name":"ALLJOYN_BOOLEAN_ARRAY","features":[363]},{"name":"ALLJOYN_BYTE","features":[363]},{"name":"ALLJOYN_BYTE_ARRAY","features":[363]},{"name":"ALLJOYN_CRED_CERT_CHAIN","features":[363]},{"name":"ALLJOYN_CRED_EXPIRATION","features":[363]},{"name":"ALLJOYN_CRED_LOGON_ENTRY","features":[363]},{"name":"ALLJOYN_CRED_NEW_PASSWORD","features":[363]},{"name":"ALLJOYN_CRED_ONE_TIME_PWD","features":[363]},{"name":"ALLJOYN_CRED_PASSWORD","features":[363]},{"name":"ALLJOYN_CRED_PRIVATE_KEY","features":[363]},{"name":"ALLJOYN_CRED_USER_NAME","features":[363]},{"name":"ALLJOYN_DICT_ENTRY","features":[363]},{"name":"ALLJOYN_DICT_ENTRY_CLOSE","features":[363]},{"name":"ALLJOYN_DICT_ENTRY_OPEN","features":[363]},{"name":"ALLJOYN_DISCONNECTED","features":[363]},{"name":"ALLJOYN_DOUBLE","features":[363]},{"name":"ALLJOYN_DOUBLE_ARRAY","features":[363]},{"name":"ALLJOYN_HANDLE","features":[363]},{"name":"ALLJOYN_INT16","features":[363]},{"name":"ALLJOYN_INT16_ARRAY","features":[363]},{"name":"ALLJOYN_INT32","features":[363]},{"name":"ALLJOYN_INT32_ARRAY","features":[363]},{"name":"ALLJOYN_INT64","features":[363]},{"name":"ALLJOYN_INT64_ARRAY","features":[363]},{"name":"ALLJOYN_INVALID","features":[363]},{"name":"ALLJOYN_LITTLE_ENDIAN","features":[363]},{"name":"ALLJOYN_MEMBER_ANNOTATE_DEPRECATED","features":[363]},{"name":"ALLJOYN_MEMBER_ANNOTATE_GLOBAL_BROADCAST","features":[363]},{"name":"ALLJOYN_MEMBER_ANNOTATE_NO_REPLY","features":[363]},{"name":"ALLJOYN_MEMBER_ANNOTATE_SESSIONCAST","features":[363]},{"name":"ALLJOYN_MEMBER_ANNOTATE_SESSIONLESS","features":[363]},{"name":"ALLJOYN_MEMBER_ANNOTATE_UNICAST","features":[363]},{"name":"ALLJOYN_MESSAGE_DEFAULT_TIMEOUT","features":[363]},{"name":"ALLJOYN_MESSAGE_ERROR","features":[363]},{"name":"ALLJOYN_MESSAGE_FLAG_ALLOW_REMOTE_MSG","features":[363]},{"name":"ALLJOYN_MESSAGE_FLAG_AUTO_START","features":[363]},{"name":"ALLJOYN_MESSAGE_FLAG_ENCRYPTED","features":[363]},{"name":"ALLJOYN_MESSAGE_FLAG_GLOBAL_BROADCAST","features":[363]},{"name":"ALLJOYN_MESSAGE_FLAG_NO_REPLY_EXPECTED","features":[363]},{"name":"ALLJOYN_MESSAGE_FLAG_SESSIONLESS","features":[363]},{"name":"ALLJOYN_MESSAGE_INVALID","features":[363]},{"name":"ALLJOYN_MESSAGE_METHOD_CALL","features":[363]},{"name":"ALLJOYN_MESSAGE_METHOD_RET","features":[363]},{"name":"ALLJOYN_MESSAGE_SIGNAL","features":[363]},{"name":"ALLJOYN_NAMED_PIPE_CONNECT_SPEC","features":[363]},{"name":"ALLJOYN_OBJECT_PATH","features":[363]},{"name":"ALLJOYN_PROP_ACCESS_READ","features":[363]},{"name":"ALLJOYN_PROP_ACCESS_RW","features":[363]},{"name":"ALLJOYN_PROP_ACCESS_WRITE","features":[363]},{"name":"ALLJOYN_PROXIMITY_ANY","features":[363]},{"name":"ALLJOYN_PROXIMITY_NETWORK","features":[363]},{"name":"ALLJOYN_PROXIMITY_PHYSICAL","features":[363]},{"name":"ALLJOYN_READ_READY","features":[363]},{"name":"ALLJOYN_SESSIONLOST_INVALID","features":[363]},{"name":"ALLJOYN_SESSIONLOST_LINK_TIMEOUT","features":[363]},{"name":"ALLJOYN_SESSIONLOST_REASON_OTHER","features":[363]},{"name":"ALLJOYN_SESSIONLOST_REMOTE_END_CLOSED_ABRUPTLY","features":[363]},{"name":"ALLJOYN_SESSIONLOST_REMOTE_END_LEFT_SESSION","features":[363]},{"name":"ALLJOYN_SESSIONLOST_REMOVED_BY_BINDER","features":[363]},{"name":"ALLJOYN_SIGNATURE","features":[363]},{"name":"ALLJOYN_STRING","features":[363]},{"name":"ALLJOYN_STRUCT","features":[363]},{"name":"ALLJOYN_STRUCT_CLOSE","features":[363]},{"name":"ALLJOYN_STRUCT_OPEN","features":[363]},{"name":"ALLJOYN_TRAFFIC_TYPE_MESSAGES","features":[363]},{"name":"ALLJOYN_TRAFFIC_TYPE_RAW_RELIABLE","features":[363]},{"name":"ALLJOYN_TRAFFIC_TYPE_RAW_UNRELIABLE","features":[363]},{"name":"ALLJOYN_UINT16","features":[363]},{"name":"ALLJOYN_UINT16_ARRAY","features":[363]},{"name":"ALLJOYN_UINT32","features":[363]},{"name":"ALLJOYN_UINT32_ARRAY","features":[363]},{"name":"ALLJOYN_UINT64","features":[363]},{"name":"ALLJOYN_UINT64_ARRAY","features":[363]},{"name":"ALLJOYN_VARIANT","features":[363]},{"name":"ALLJOYN_WILDCARD","features":[363]},{"name":"ALLJOYN_WRITE_READY","features":[363]},{"name":"ANNOUNCED","features":[363]},{"name":"AllJoynAcceptBusConnection","features":[363,308]},{"name":"AllJoynCloseBusHandle","features":[363,308]},{"name":"AllJoynConnectToBus","features":[363,308]},{"name":"AllJoynCreateBus","features":[363,308,311]},{"name":"AllJoynEnumEvents","features":[363,308]},{"name":"AllJoynEventSelect","features":[363,308]},{"name":"AllJoynReceiveFromBus","features":[363,308]},{"name":"AllJoynSendToBus","features":[363,308]},{"name":"CAPABLE_ECDHE_ECDSA","features":[363]},{"name":"CAPABLE_ECDHE_NULL","features":[363]},{"name":"CAPABLE_ECDHE_SPEKE","features":[363]},{"name":"CLAIMABLE","features":[363]},{"name":"CLAIMED","features":[363]},{"name":"ER_ABOUT_ABOUTDATA_MISSING_REQUIRED_FIELD","features":[363]},{"name":"ER_ABOUT_DEFAULT_LANGUAGE_NOT_SPECIFIED","features":[363]},{"name":"ER_ABOUT_FIELD_ALREADY_SPECIFIED","features":[363]},{"name":"ER_ABOUT_INVALID_ABOUTDATA_FIELD_APPID_SIZE","features":[363]},{"name":"ER_ABOUT_INVALID_ABOUTDATA_FIELD_VALUE","features":[363]},{"name":"ER_ABOUT_INVALID_ABOUTDATA_LISTENER","features":[363]},{"name":"ER_ABOUT_SESSIONPORT_NOT_BOUND","features":[363]},{"name":"ER_ALERTED_THREAD","features":[363]},{"name":"ER_ALLJOYN_ACCESS_PERMISSION_ERROR","features":[363]},{"name":"ER_ALLJOYN_ACCESS_PERMISSION_WARNING","features":[363]},{"name":"ER_ALLJOYN_ADVERTISENAME_REPLY_ALREADY_ADVERTISING","features":[363]},{"name":"ER_ALLJOYN_ADVERTISENAME_REPLY_FAILED","features":[363]},{"name":"ER_ALLJOYN_ADVERTISENAME_REPLY_TRANSPORT_NOT_AVAILABLE","features":[363]},{"name":"ER_ALLJOYN_BINDSESSIONPORT_REPLY_ALREADY_EXISTS","features":[363]},{"name":"ER_ALLJOYN_BINDSESSIONPORT_REPLY_FAILED","features":[363]},{"name":"ER_ALLJOYN_BINDSESSIONPORT_REPLY_INVALID_OPTS","features":[363]},{"name":"ER_ALLJOYN_CANCELADVERTISENAME_REPLY_FAILED","features":[363]},{"name":"ER_ALLJOYN_CANCELFINDADVERTISEDNAME_REPLY_FAILED","features":[363]},{"name":"ER_ALLJOYN_FINDADVERTISEDNAME_REPLY_ALREADY_DISCOVERING","features":[363]},{"name":"ER_ALLJOYN_FINDADVERTISEDNAME_REPLY_FAILED","features":[363]},{"name":"ER_ALLJOYN_FINDADVERTISEDNAME_REPLY_TRANSPORT_NOT_AVAILABLE","features":[363]},{"name":"ER_ALLJOYN_JOINSESSION_REPLY_ALREADY_JOINED","features":[363]},{"name":"ER_ALLJOYN_JOINSESSION_REPLY_BAD_SESSION_OPTS","features":[363]},{"name":"ER_ALLJOYN_JOINSESSION_REPLY_CONNECT_FAILED","features":[363]},{"name":"ER_ALLJOYN_JOINSESSION_REPLY_FAILED","features":[363]},{"name":"ER_ALLJOYN_JOINSESSION_REPLY_NO_SESSION","features":[363]},{"name":"ER_ALLJOYN_JOINSESSION_REPLY_REJECTED","features":[363]},{"name":"ER_ALLJOYN_JOINSESSION_REPLY_UNREACHABLE","features":[363]},{"name":"ER_ALLJOYN_LEAVESESSION_REPLY_FAILED","features":[363]},{"name":"ER_ALLJOYN_LEAVESESSION_REPLY_NO_SESSION","features":[363]},{"name":"ER_ALLJOYN_ONAPPRESUME_REPLY_FAILED","features":[363]},{"name":"ER_ALLJOYN_ONAPPRESUME_REPLY_UNSUPPORTED","features":[363]},{"name":"ER_ALLJOYN_ONAPPSUSPEND_REPLY_FAILED","features":[363]},{"name":"ER_ALLJOYN_ONAPPSUSPEND_REPLY_UNSUPPORTED","features":[363]},{"name":"ER_ALLJOYN_PING_FAILED","features":[363]},{"name":"ER_ALLJOYN_PING_REPLY_FAILED","features":[363]},{"name":"ER_ALLJOYN_PING_REPLY_INCOMPATIBLE_REMOTE_ROUTING_NODE","features":[363]},{"name":"ER_ALLJOYN_PING_REPLY_IN_PROGRESS","features":[363]},{"name":"ER_ALLJOYN_PING_REPLY_TIMEOUT","features":[363]},{"name":"ER_ALLJOYN_PING_REPLY_UNKNOWN_NAME","features":[363]},{"name":"ER_ALLJOYN_PING_REPLY_UNREACHABLE","features":[363]},{"name":"ER_ALLJOYN_REMOVESESSIONMEMBER_INCOMPATIBLE_REMOTE_DAEMON","features":[363]},{"name":"ER_ALLJOYN_REMOVESESSIONMEMBER_NOT_BINDER","features":[363]},{"name":"ER_ALLJOYN_REMOVESESSIONMEMBER_NOT_FOUND","features":[363]},{"name":"ER_ALLJOYN_REMOVESESSIONMEMBER_NOT_MULTIPOINT","features":[363]},{"name":"ER_ALLJOYN_REMOVESESSIONMEMBER_REPLY_FAILED","features":[363]},{"name":"ER_ALLJOYN_REMOVESESSIONMEMBER_REPLY_NO_SESSION","features":[363]},{"name":"ER_ALLJOYN_SETLINKTIMEOUT_REPLY_FAILED","features":[363]},{"name":"ER_ALLJOYN_SETLINKTIMEOUT_REPLY_NOT_SUPPORTED","features":[363]},{"name":"ER_ALLJOYN_SETLINKTIMEOUT_REPLY_NO_DEST_SUPPORT","features":[363]},{"name":"ER_ALLJOYN_UNBINDSESSIONPORT_REPLY_BAD_PORT","features":[363]},{"name":"ER_ALLJOYN_UNBINDSESSIONPORT_REPLY_FAILED","features":[363]},{"name":"ER_APPLICATION_STATE_LISTENER_ALREADY_EXISTS","features":[363]},{"name":"ER_APPLICATION_STATE_LISTENER_NO_SUCH_LISTENER","features":[363]},{"name":"ER_ARDP_BACKPRESSURE","features":[363]},{"name":"ER_ARDP_DISCONNECTING","features":[363]},{"name":"ER_ARDP_INVALID_CONNECTION","features":[363]},{"name":"ER_ARDP_INVALID_RESPONSE","features":[363]},{"name":"ER_ARDP_INVALID_STATE","features":[363]},{"name":"ER_ARDP_PERSIST_TIMEOUT","features":[363]},{"name":"ER_ARDP_PROBE_TIMEOUT","features":[363]},{"name":"ER_ARDP_REMOTE_CONNECTION_RESET","features":[363]},{"name":"ER_ARDP_TTL_EXPIRED","features":[363]},{"name":"ER_ARDP_VERSION_NOT_SUPPORTED","features":[363]},{"name":"ER_ARDP_WRITE_BLOCKED","features":[363]},{"name":"ER_AUTH_FAIL","features":[363]},{"name":"ER_AUTH_USER_REJECT","features":[363]},{"name":"ER_BAD_ARG_1","features":[363]},{"name":"ER_BAD_ARG_2","features":[363]},{"name":"ER_BAD_ARG_3","features":[363]},{"name":"ER_BAD_ARG_4","features":[363]},{"name":"ER_BAD_ARG_5","features":[363]},{"name":"ER_BAD_ARG_6","features":[363]},{"name":"ER_BAD_ARG_7","features":[363]},{"name":"ER_BAD_ARG_8","features":[363]},{"name":"ER_BAD_ARG_COUNT","features":[363]},{"name":"ER_BAD_HOSTNAME","features":[363]},{"name":"ER_BAD_STRING_ENCODING","features":[363]},{"name":"ER_BAD_TRANSPORT_MASK","features":[363]},{"name":"ER_BUFFER_TOO_SMALL","features":[363]},{"name":"ER_BUS_ALREADY_CONNECTED","features":[363]},{"name":"ER_BUS_ALREADY_LISTENING","features":[363]},{"name":"ER_BUS_ANNOTATION_ALREADY_EXISTS","features":[363]},{"name":"ER_BUS_AUTHENTICATION_PENDING","features":[363]},{"name":"ER_BUS_BAD_BODY_LEN","features":[363]},{"name":"ER_BUS_BAD_BUS_NAME","features":[363]},{"name":"ER_BUS_BAD_CHILD_PATH","features":[363]},{"name":"ER_BUS_BAD_ERROR_NAME","features":[363]},{"name":"ER_BUS_BAD_HDR_FLAGS","features":[363]},{"name":"ER_BUS_BAD_HEADER_FIELD","features":[363]},{"name":"ER_BUS_BAD_HEADER_LEN","features":[363]},{"name":"ER_BUS_BAD_INTERFACE_NAME","features":[363]},{"name":"ER_BUS_BAD_LENGTH","features":[363]},{"name":"ER_BUS_BAD_MEMBER_NAME","features":[363]},{"name":"ER_BUS_BAD_OBJ_PATH","features":[363]},{"name":"ER_BUS_BAD_SENDER_ID","features":[363]},{"name":"ER_BUS_BAD_SEND_PARAMETER","features":[363]},{"name":"ER_BUS_BAD_SESSION_OPTS","features":[363]},{"name":"ER_BUS_BAD_SIGNATURE","features":[363]},{"name":"ER_BUS_BAD_TRANSPORT_ARGS","features":[363]},{"name":"ER_BUS_BAD_VALUE","features":[363]},{"name":"ER_BUS_BAD_VALUE_TYPE","features":[363]},{"name":"ER_BUS_BAD_XML","features":[363]},{"name":"ER_BUS_BLOCKING_CALL_NOT_ALLOWED","features":[363]},{"name":"ER_BUS_BUS_ALREADY_STARTED","features":[363]},{"name":"ER_BUS_BUS_NOT_STARTED","features":[363]},{"name":"ER_BUS_CANNOT_ADD_HANDLER","features":[363]},{"name":"ER_BUS_CANNOT_ADD_INTERFACE","features":[363]},{"name":"ER_BUS_CANNOT_EXPAND_MESSAGE","features":[363]},{"name":"ER_BUS_CONNECTION_REJECTED","features":[363]},{"name":"ER_BUS_CONNECT_FAILED","features":[363]},{"name":"ER_BUS_CORRUPT_KEYSTORE","features":[363]},{"name":"ER_BUS_DESCRIPTION_ALREADY_EXISTS","features":[363]},{"name":"ER_BUS_DESTINATION_NOT_AUTHENTICATED","features":[363]},{"name":"ER_BUS_ELEMENT_NOT_FOUND","features":[363]},{"name":"ER_BUS_EMPTY_MESSAGE","features":[363]},{"name":"ER_BUS_ENDPOINT_CLOSING","features":[363]},{"name":"ER_BUS_ENDPOINT_REDIRECTED","features":[363]},{"name":"ER_BUS_ERRORS","features":[363]},{"name":"ER_BUS_ERROR_NAME_MISSING","features":[363]},{"name":"ER_BUS_ERROR_RESPONSE","features":[363]},{"name":"ER_BUS_ESTABLISH_FAILED","features":[363]},{"name":"ER_BUS_HANDLES_MISMATCH","features":[363]},{"name":"ER_BUS_HANDLES_NOT_ENABLED","features":[363]},{"name":"ER_BUS_HDR_EXPANSION_INVALID","features":[363]},{"name":"ER_BUS_IFACE_ALREADY_EXISTS","features":[363]},{"name":"ER_BUS_INCOMPATIBLE_DAEMON","features":[363]},{"name":"ER_BUS_INTERFACE_ACTIVATED","features":[363]},{"name":"ER_BUS_INTERFACE_MISMATCH","features":[363]},{"name":"ER_BUS_INTERFACE_MISSING","features":[363]},{"name":"ER_BUS_INTERFACE_NO_SUCH_MEMBER","features":[363]},{"name":"ER_BUS_INVALID_AUTH_MECHANISM","features":[363]},{"name":"ER_BUS_INVALID_HEADER_CHECKSUM","features":[363]},{"name":"ER_BUS_INVALID_HEADER_SERIAL","features":[363]},{"name":"ER_BUS_KEYBLOB_OP_INVALID","features":[363]},{"name":"ER_BUS_KEYSTORE_NOT_LOADED","features":[363]},{"name":"ER_BUS_KEYSTORE_VERSION_MISMATCH","features":[363]},{"name":"ER_BUS_KEY_EXPIRED","features":[363]},{"name":"ER_BUS_KEY_STORE_NOT_LOADED","features":[363]},{"name":"ER_BUS_KEY_UNAVAILABLE","features":[363]},{"name":"ER_BUS_LISTENER_ALREADY_SET","features":[363]},{"name":"ER_BUS_MATCH_RULE_NOT_FOUND","features":[363]},{"name":"ER_BUS_MEMBER_ALREADY_EXISTS","features":[363]},{"name":"ER_BUS_MEMBER_MISSING","features":[363]},{"name":"ER_BUS_MEMBER_NO_SUCH_SIGNATURE","features":[363]},{"name":"ER_BUS_MESSAGE_DECRYPTION_FAILED","features":[363]},{"name":"ER_BUS_MESSAGE_NOT_ENCRYPTED","features":[363]},{"name":"ER_BUS_METHOD_CALL_ABORTED","features":[363]},{"name":"ER_BUS_MISSING_COMPRESSION_TOKEN","features":[363]},{"name":"ER_BUS_NAME_TOO_LONG","features":[363]},{"name":"ER_BUS_NOT_ALLOWED","features":[363]},{"name":"ER_BUS_NOT_AUTHENTICATING","features":[363]},{"name":"ER_BUS_NOT_AUTHORIZED","features":[363]},{"name":"ER_BUS_NOT_A_COMPLETE_TYPE","features":[363]},{"name":"ER_BUS_NOT_A_DICTIONARY","features":[363]},{"name":"ER_BUS_NOT_COMPRESSED","features":[363]},{"name":"ER_BUS_NOT_CONNECTED","features":[363]},{"name":"ER_BUS_NOT_NUL_TERMINATED","features":[363]},{"name":"ER_BUS_NOT_OWNER","features":[363]},{"name":"ER_BUS_NO_AUTHENTICATION_MECHANISM","features":[363]},{"name":"ER_BUS_NO_CALL_FOR_REPLY","features":[363]},{"name":"ER_BUS_NO_ENDPOINT","features":[363]},{"name":"ER_BUS_NO_LISTENER","features":[363]},{"name":"ER_BUS_NO_PEER_GUID","features":[363]},{"name":"ER_BUS_NO_ROUTE","features":[363]},{"name":"ER_BUS_NO_SESSION","features":[363]},{"name":"ER_BUS_NO_SUCH_ANNOTATION","features":[363]},{"name":"ER_BUS_NO_SUCH_HANDLE","features":[363]},{"name":"ER_BUS_NO_SUCH_INTERFACE","features":[363]},{"name":"ER_BUS_NO_SUCH_MESSAGE","features":[363]},{"name":"ER_BUS_NO_SUCH_OBJECT","features":[363]},{"name":"ER_BUS_NO_SUCH_PROPERTY","features":[363]},{"name":"ER_BUS_NO_SUCH_SERVICE","features":[363]},{"name":"ER_BUS_NO_TRANSPORTS","features":[363]},{"name":"ER_BUS_OBJECT_NOT_REGISTERED","features":[363]},{"name":"ER_BUS_OBJECT_NO_SUCH_INTERFACE","features":[363]},{"name":"ER_BUS_OBJECT_NO_SUCH_MEMBER","features":[363]},{"name":"ER_BUS_OBJ_ALREADY_EXISTS","features":[363]},{"name":"ER_BUS_OBJ_NOT_FOUND","features":[363]},{"name":"ER_BUS_PATH_MISSING","features":[363]},{"name":"ER_BUS_PEER_AUTH_VERSION_MISMATCH","features":[363]},{"name":"ER_BUS_PING_GROUP_NOT_FOUND","features":[363]},{"name":"ER_BUS_POLICY_VIOLATION","features":[363]},{"name":"ER_BUS_PROPERTY_ACCESS_DENIED","features":[363]},{"name":"ER_BUS_PROPERTY_ALREADY_EXISTS","features":[363]},{"name":"ER_BUS_PROPERTY_VALUE_NOT_SET","features":[363]},{"name":"ER_BUS_READ_ERROR","features":[363]},{"name":"ER_BUS_REMOVED_BY_BINDER","features":[363]},{"name":"ER_BUS_REMOVED_BY_BINDER_SELF","features":[363]},{"name":"ER_BUS_REPLY_IS_ERROR_MESSAGE","features":[363]},{"name":"ER_BUS_REPLY_SERIAL_MISSING","features":[363]},{"name":"ER_BUS_SECURITY_FATAL","features":[363]},{"name":"ER_BUS_SECURITY_NOT_ENABLED","features":[363]},{"name":"ER_BUS_SELF_CONNECT","features":[363]},{"name":"ER_BUS_SET_PROPERTY_REJECTED","features":[363]},{"name":"ER_BUS_SET_WRONG_SIGNATURE","features":[363]},{"name":"ER_BUS_SIGNATURE_MISMATCH","features":[363]},{"name":"ER_BUS_STOPPING","features":[363]},{"name":"ER_BUS_TIME_TO_LIVE_EXPIRED","features":[363]},{"name":"ER_BUS_TRANSPORT_ACCESS_DENIED","features":[363]},{"name":"ER_BUS_TRANSPORT_NOT_AVAILABLE","features":[363]},{"name":"ER_BUS_TRANSPORT_NOT_STARTED","features":[363]},{"name":"ER_BUS_TRUNCATED","features":[363]},{"name":"ER_BUS_UNEXPECTED_DISPOSITION","features":[363]},{"name":"ER_BUS_UNEXPECTED_SIGNATURE","features":[363]},{"name":"ER_BUS_UNKNOWN_INTERFACE","features":[363]},{"name":"ER_BUS_UNKNOWN_PATH","features":[363]},{"name":"ER_BUS_UNKNOWN_SERIAL","features":[363]},{"name":"ER_BUS_UNMATCHED_REPLY_SERIAL","features":[363]},{"name":"ER_BUS_WAIT_FAILED","features":[363]},{"name":"ER_BUS_WRITE_ERROR","features":[363]},{"name":"ER_BUS_WRITE_QUEUE_FULL","features":[363]},{"name":"ER_CERTIFICATE_NOT_FOUND","features":[363]},{"name":"ER_COMMON_ERRORS","features":[363]},{"name":"ER_CONNECTION_LIMIT_EXCEEDED","features":[363]},{"name":"ER_CONN_REFUSED","features":[363]},{"name":"ER_CORRUPT_KEYBLOB","features":[363]},{"name":"ER_CRYPTO_ERROR","features":[363]},{"name":"ER_CRYPTO_HASH_UNINITIALIZED","features":[363]},{"name":"ER_CRYPTO_ILLEGAL_PARAMETERS","features":[363]},{"name":"ER_CRYPTO_INSUFFICIENT_SECURITY","features":[363]},{"name":"ER_CRYPTO_KEY_UNAVAILABLE","features":[363]},{"name":"ER_CRYPTO_KEY_UNUSABLE","features":[363]},{"name":"ER_CRYPTO_TRUNCATED","features":[363]},{"name":"ER_DBUS_RELEASE_NAME_REPLY_NON_EXISTENT","features":[363]},{"name":"ER_DBUS_RELEASE_NAME_REPLY_NOT_OWNER","features":[363]},{"name":"ER_DBUS_RELEASE_NAME_REPLY_RELEASED","features":[363]},{"name":"ER_DBUS_REQUEST_NAME_REPLY_ALREADY_OWNER","features":[363]},{"name":"ER_DBUS_REQUEST_NAME_REPLY_EXISTS","features":[363]},{"name":"ER_DBUS_REQUEST_NAME_REPLY_IN_QUEUE","features":[363]},{"name":"ER_DBUS_REQUEST_NAME_REPLY_PRIMARY_OWNER","features":[363]},{"name":"ER_DBUS_START_REPLY_ALREADY_RUNNING","features":[363]},{"name":"ER_DEADLOCK","features":[363]},{"name":"ER_DEAD_THREAD","features":[363]},{"name":"ER_DIGEST_MISMATCH","features":[363]},{"name":"ER_DUPLICATE_CERTIFICATE","features":[363]},{"name":"ER_DUPLICATE_KEY","features":[363]},{"name":"ER_EMPTY_KEY_BLOB","features":[363]},{"name":"ER_END_OF_DATA","features":[363]},{"name":"ER_EOF","features":[363]},{"name":"ER_EXTERNAL_THREAD","features":[363]},{"name":"ER_FAIL","features":[363]},{"name":"ER_FEATURE_NOT_AVAILABLE","features":[363]},{"name":"ER_INIT_FAILED","features":[363]},{"name":"ER_INVALID_ADDRESS","features":[363]},{"name":"ER_INVALID_APPLICATION_STATE","features":[363]},{"name":"ER_INVALID_CERTIFICATE","features":[363]},{"name":"ER_INVALID_CERTIFICATE_USAGE","features":[363]},{"name":"ER_INVALID_CERT_CHAIN","features":[363]},{"name":"ER_INVALID_CONFIG","features":[363]},{"name":"ER_INVALID_DATA","features":[363]},{"name":"ER_INVALID_GUID","features":[363]},{"name":"ER_INVALID_HTTP_METHOD_USED_FOR_RENDEZVOUS_SERVER_INTERFACE_MESSAGE","features":[363]},{"name":"ER_INVALID_KEY_ENCODING","features":[363]},{"name":"ER_INVALID_ON_DEMAND_CONNECTION_MESSAGE_RESPONSE","features":[363]},{"name":"ER_INVALID_PERSISTENT_CONNECTION_MESSAGE_RESPONSE","features":[363]},{"name":"ER_INVALID_RENDEZVOUS_SERVER_INTERFACE_MESSAGE","features":[363]},{"name":"ER_INVALID_SIGNAL_EMISSION_TYPE","features":[363]},{"name":"ER_INVALID_STREAM","features":[363]},{"name":"ER_IODISPATCH_STOPPING","features":[363]},{"name":"ER_KEY_STORE_ALREADY_INITIALIZED","features":[363]},{"name":"ER_KEY_STORE_ID_NOT_YET_SET","features":[363]},{"name":"ER_LANGUAGE_NOT_SUPPORTED","features":[363]},{"name":"ER_MANAGEMENT_ALREADY_STARTED","features":[363]},{"name":"ER_MANAGEMENT_NOT_STARTED","features":[363]},{"name":"ER_MANIFEST_NOT_FOUND","features":[363]},{"name":"ER_MANIFEST_REJECTED","features":[363]},{"name":"ER_MISSING_DIGEST_IN_CERTIFICATE","features":[363]},{"name":"ER_NONE","features":[363]},{"name":"ER_NOT_CONN","features":[363]},{"name":"ER_NOT_CONNECTED_TO_RENDEZVOUS_SERVER","features":[363]},{"name":"ER_NOT_IMPLEMENTED","features":[363]},{"name":"ER_NO_COMMON_TRUST","features":[363]},{"name":"ER_NO_SUCH_ALARM","features":[363]},{"name":"ER_NO_SUCH_DEVICE","features":[363]},{"name":"ER_NO_TRUST_ANCHOR","features":[363]},{"name":"ER_OK","features":[363]},{"name":"ER_OPEN_FAILED","features":[363]},{"name":"ER_OS_ERROR","features":[363]},{"name":"ER_OUT_OF_MEMORY","features":[363]},{"name":"ER_P2P","features":[363]},{"name":"ER_P2P_BUSY","features":[363]},{"name":"ER_P2P_DISABLED","features":[363]},{"name":"ER_P2P_FORBIDDEN","features":[363]},{"name":"ER_P2P_NOT_CONNECTED","features":[363]},{"name":"ER_P2P_NO_GO","features":[363]},{"name":"ER_P2P_NO_STA","features":[363]},{"name":"ER_P2P_TIMEOUT","features":[363]},{"name":"ER_PACKET_BAD_CRC","features":[363]},{"name":"ER_PACKET_BAD_FORMAT","features":[363]},{"name":"ER_PACKET_BAD_PARAMETER","features":[363]},{"name":"ER_PACKET_BUS_NO_SUCH_CHANNEL","features":[363]},{"name":"ER_PACKET_CHANNEL_FAIL","features":[363]},{"name":"ER_PACKET_CONNECT_TIMEOUT","features":[363]},{"name":"ER_PACKET_TOO_LARGE","features":[363]},{"name":"ER_PARSE_ERROR","features":[363]},{"name":"ER_PERMISSION_DENIED","features":[363]},{"name":"ER_POLICY_NOT_NEWER","features":[363]},{"name":"ER_PROXIMITY_CONNECTION_ESTABLISH_FAIL","features":[363]},{"name":"ER_PROXIMITY_NO_PEERS_FOUND","features":[363]},{"name":"ER_READ_ERROR","features":[363]},{"name":"ER_RENDEZVOUS_SERVER_DEACTIVATED_USER","features":[363]},{"name":"ER_RENDEZVOUS_SERVER_ERR401_UNAUTHORIZED_REQUEST","features":[363]},{"name":"ER_RENDEZVOUS_SERVER_ERR500_INTERNAL_ERROR","features":[363]},{"name":"ER_RENDEZVOUS_SERVER_ERR503_STATUS_UNAVAILABLE","features":[363]},{"name":"ER_RENDEZVOUS_SERVER_ROOT_CERTIFICATE_UNINITIALIZED","features":[363]},{"name":"ER_RENDEZVOUS_SERVER_UNKNOWN_USER","features":[363]},{"name":"ER_RENDEZVOUS_SERVER_UNRECOVERABLE_ERROR","features":[363]},{"name":"ER_SLAP_CRC_ERROR","features":[363]},{"name":"ER_SLAP_ERROR","features":[363]},{"name":"ER_SLAP_HDR_CHECKSUM_ERROR","features":[363]},{"name":"ER_SLAP_INVALID_PACKET_LEN","features":[363]},{"name":"ER_SLAP_INVALID_PACKET_TYPE","features":[363]},{"name":"ER_SLAP_LEN_MISMATCH","features":[363]},{"name":"ER_SLAP_OTHER_END_CLOSED","features":[363]},{"name":"ER_SLAP_PACKET_TYPE_MISMATCH","features":[363]},{"name":"ER_SOCKET_BIND_ERROR","features":[363]},{"name":"ER_SOCK_CLOSING","features":[363]},{"name":"ER_SOCK_OTHER_END_CLOSED","features":[363]},{"name":"ER_SSL_CONNECT","features":[363]},{"name":"ER_SSL_ERRORS","features":[363]},{"name":"ER_SSL_INIT","features":[363]},{"name":"ER_SSL_VERIFY","features":[363]},{"name":"ER_STOPPING_THREAD","features":[363]},{"name":"ER_TCP_MAX_UNTRUSTED","features":[363]},{"name":"ER_THREADPOOL_EXHAUSTED","features":[363]},{"name":"ER_THREADPOOL_STOPPING","features":[363]},{"name":"ER_THREAD_NO_WAIT","features":[363]},{"name":"ER_THREAD_RUNNING","features":[363]},{"name":"ER_THREAD_STOPPING","features":[363]},{"name":"ER_TIMEOUT","features":[363]},{"name":"ER_TIMER_EXITING","features":[363]},{"name":"ER_TIMER_FALLBEHIND","features":[363]},{"name":"ER_TIMER_FULL","features":[363]},{"name":"ER_TIMER_NOT_ALLOWED","features":[363]},{"name":"ER_UDP_BACKPRESSURE","features":[363]},{"name":"ER_UDP_BUSHELLO","features":[363]},{"name":"ER_UDP_DEMUX_NO_ENDPOINT","features":[363]},{"name":"ER_UDP_DISCONNECT","features":[363]},{"name":"ER_UDP_EARLY_EXIT","features":[363]},{"name":"ER_UDP_ENDPOINT_NOT_STARTED","features":[363]},{"name":"ER_UDP_ENDPOINT_REMOVED","features":[363]},{"name":"ER_UDP_ENDPOINT_STALLED","features":[363]},{"name":"ER_UDP_INVALID","features":[363]},{"name":"ER_UDP_LOCAL_DISCONNECT","features":[363]},{"name":"ER_UDP_LOCAL_DISCONNECT_FAIL","features":[363]},{"name":"ER_UDP_MESSAGE","features":[363]},{"name":"ER_UDP_MSG_TOO_LONG","features":[363]},{"name":"ER_UDP_NOT_DISCONNECTED","features":[363]},{"name":"ER_UDP_NOT_IMPLEMENTED","features":[363]},{"name":"ER_UDP_NO_LISTENER","features":[363]},{"name":"ER_UDP_NO_NETWORK","features":[363]},{"name":"ER_UDP_STOPPING","features":[363]},{"name":"ER_UDP_UNEXPECTED_FLOW","features":[363]},{"name":"ER_UDP_UNEXPECTED_LENGTH","features":[363]},{"name":"ER_UDP_UNSUPPORTED","features":[363]},{"name":"ER_UNABLE_TO_CONNECT_TO_RENDEZVOUS_SERVER","features":[363]},{"name":"ER_UNABLE_TO_SEND_MESSAGE_TO_RENDEZVOUS_SERVER","features":[363]},{"name":"ER_UNKNOWN_CERTIFICATE","features":[363]},{"name":"ER_UTF_CONVERSION_FAILED","features":[363]},{"name":"ER_WARNING","features":[363]},{"name":"ER_WOULDBLOCK","features":[363]},{"name":"ER_WRITE_ERROR","features":[363]},{"name":"ER_XML_ACLS_MISSING","features":[363]},{"name":"ER_XML_ACL_ALL_TYPE_PEER_WITH_OTHERS","features":[363]},{"name":"ER_XML_ACL_PEERS_MISSING","features":[363]},{"name":"ER_XML_ACL_PEER_NOT_UNIQUE","features":[363]},{"name":"ER_XML_ACL_PEER_PUBLIC_KEY_SET","features":[363]},{"name":"ER_XML_ANNOTATION_NOT_UNIQUE","features":[363]},{"name":"ER_XML_CONVERTER_ERROR","features":[363]},{"name":"ER_XML_INTERFACE_MEMBERS_MISSING","features":[363]},{"name":"ER_XML_INTERFACE_NAME_NOT_UNIQUE","features":[363]},{"name":"ER_XML_INVALID_ACL_PEER_CHILDREN_COUNT","features":[363]},{"name":"ER_XML_INVALID_ACL_PEER_PUBLIC_KEY","features":[363]},{"name":"ER_XML_INVALID_ACL_PEER_TYPE","features":[363]},{"name":"ER_XML_INVALID_ANNOTATIONS_COUNT","features":[363]},{"name":"ER_XML_INVALID_ATTRIBUTE_VALUE","features":[363]},{"name":"ER_XML_INVALID_BASE64","features":[363]},{"name":"ER_XML_INVALID_ELEMENT_CHILDREN_COUNT","features":[363]},{"name":"ER_XML_INVALID_ELEMENT_NAME","features":[363]},{"name":"ER_XML_INVALID_INTERFACE_NAME","features":[363]},{"name":"ER_XML_INVALID_MANIFEST_VERSION","features":[363]},{"name":"ER_XML_INVALID_MEMBER_ACTION","features":[363]},{"name":"ER_XML_INVALID_MEMBER_NAME","features":[363]},{"name":"ER_XML_INVALID_MEMBER_TYPE","features":[363]},{"name":"ER_XML_INVALID_OBJECT_PATH","features":[363]},{"name":"ER_XML_INVALID_OID","features":[363]},{"name":"ER_XML_INVALID_POLICY_SERIAL_NUMBER","features":[363]},{"name":"ER_XML_INVALID_POLICY_VERSION","features":[363]},{"name":"ER_XML_INVALID_RULES_COUNT","features":[363]},{"name":"ER_XML_INVALID_SECURITY_LEVEL_ANNOTATION_VALUE","features":[363]},{"name":"ER_XML_MALFORMED","features":[363]},{"name":"ER_XML_MEMBER_DENY_ACTION_WITH_OTHER","features":[363]},{"name":"ER_XML_MEMBER_NAME_NOT_UNIQUE","features":[363]},{"name":"ER_XML_OBJECT_PATH_NOT_UNIQUE","features":[363]},{"name":"NEED_UPDATE","features":[363]},{"name":"NOT_CLAIMABLE","features":[363]},{"name":"PASSWORD_GENERATED_BY_APPLICATION","features":[363]},{"name":"PASSWORD_GENERATED_BY_SECURITY_MANAGER","features":[363]},{"name":"QCC_FALSE","features":[363]},{"name":"QCC_StatusText","features":[363]},{"name":"QCC_TRUE","features":[363]},{"name":"QStatus","features":[363]},{"name":"UNANNOUNCED","features":[363]},{"name":"alljoyn_about_announced_ptr","features":[363]},{"name":"alljoyn_about_announceflag","features":[363]},{"name":"alljoyn_aboutdata","features":[363]},{"name":"alljoyn_aboutdata_create","features":[363]},{"name":"alljoyn_aboutdata_create_empty","features":[363]},{"name":"alljoyn_aboutdata_create_full","features":[363]},{"name":"alljoyn_aboutdata_createfrommsgarg","features":[363]},{"name":"alljoyn_aboutdata_createfromxml","features":[363]},{"name":"alljoyn_aboutdata_destroy","features":[363]},{"name":"alljoyn_aboutdata_getaboutdata","features":[363]},{"name":"alljoyn_aboutdata_getajsoftwareversion","features":[363]},{"name":"alljoyn_aboutdata_getannouncedaboutdata","features":[363]},{"name":"alljoyn_aboutdata_getappid","features":[363]},{"name":"alljoyn_aboutdata_getappname","features":[363]},{"name":"alljoyn_aboutdata_getdateofmanufacture","features":[363]},{"name":"alljoyn_aboutdata_getdefaultlanguage","features":[363]},{"name":"alljoyn_aboutdata_getdescription","features":[363]},{"name":"alljoyn_aboutdata_getdeviceid","features":[363]},{"name":"alljoyn_aboutdata_getdevicename","features":[363]},{"name":"alljoyn_aboutdata_getfield","features":[363]},{"name":"alljoyn_aboutdata_getfields","features":[363]},{"name":"alljoyn_aboutdata_getfieldsignature","features":[363]},{"name":"alljoyn_aboutdata_gethardwareversion","features":[363]},{"name":"alljoyn_aboutdata_getmanufacturer","features":[363]},{"name":"alljoyn_aboutdata_getmodelnumber","features":[363]},{"name":"alljoyn_aboutdata_getsoftwareversion","features":[363]},{"name":"alljoyn_aboutdata_getsupportedlanguages","features":[363]},{"name":"alljoyn_aboutdata_getsupporturl","features":[363]},{"name":"alljoyn_aboutdata_isfieldannounced","features":[363]},{"name":"alljoyn_aboutdata_isfieldlocalized","features":[363]},{"name":"alljoyn_aboutdata_isfieldrequired","features":[363]},{"name":"alljoyn_aboutdata_isvalid","features":[363]},{"name":"alljoyn_aboutdata_setappid","features":[363]},{"name":"alljoyn_aboutdata_setappid_fromstring","features":[363]},{"name":"alljoyn_aboutdata_setappname","features":[363]},{"name":"alljoyn_aboutdata_setdateofmanufacture","features":[363]},{"name":"alljoyn_aboutdata_setdefaultlanguage","features":[363]},{"name":"alljoyn_aboutdata_setdescription","features":[363]},{"name":"alljoyn_aboutdata_setdeviceid","features":[363]},{"name":"alljoyn_aboutdata_setdevicename","features":[363]},{"name":"alljoyn_aboutdata_setfield","features":[363]},{"name":"alljoyn_aboutdata_sethardwareversion","features":[363]},{"name":"alljoyn_aboutdata_setmanufacturer","features":[363]},{"name":"alljoyn_aboutdata_setmodelnumber","features":[363]},{"name":"alljoyn_aboutdata_setsoftwareversion","features":[363]},{"name":"alljoyn_aboutdata_setsupportedlanguage","features":[363]},{"name":"alljoyn_aboutdata_setsupporturl","features":[363]},{"name":"alljoyn_aboutdatalistener","features":[363]},{"name":"alljoyn_aboutdatalistener_callbacks","features":[363]},{"name":"alljoyn_aboutdatalistener_create","features":[363]},{"name":"alljoyn_aboutdatalistener_destroy","features":[363]},{"name":"alljoyn_aboutdatalistener_getaboutdata_ptr","features":[363]},{"name":"alljoyn_aboutdatalistener_getannouncedaboutdata_ptr","features":[363]},{"name":"alljoyn_abouticon","features":[363]},{"name":"alljoyn_abouticon_clear","features":[363]},{"name":"alljoyn_abouticon_create","features":[363]},{"name":"alljoyn_abouticon_destroy","features":[363]},{"name":"alljoyn_abouticon_getcontent","features":[363]},{"name":"alljoyn_abouticon_geturl","features":[363]},{"name":"alljoyn_abouticon_setcontent","features":[363]},{"name":"alljoyn_abouticon_setcontent_frommsgarg","features":[363]},{"name":"alljoyn_abouticon_seturl","features":[363]},{"name":"alljoyn_abouticonobj","features":[363]},{"name":"alljoyn_abouticonobj_create","features":[363]},{"name":"alljoyn_abouticonobj_destroy","features":[363]},{"name":"alljoyn_abouticonproxy","features":[363]},{"name":"alljoyn_abouticonproxy_create","features":[363]},{"name":"alljoyn_abouticonproxy_destroy","features":[363]},{"name":"alljoyn_abouticonproxy_geticon","features":[363]},{"name":"alljoyn_abouticonproxy_getversion","features":[363]},{"name":"alljoyn_aboutlistener","features":[363]},{"name":"alljoyn_aboutlistener_callback","features":[363]},{"name":"alljoyn_aboutlistener_create","features":[363]},{"name":"alljoyn_aboutlistener_destroy","features":[363]},{"name":"alljoyn_aboutobj","features":[363]},{"name":"alljoyn_aboutobj_announce","features":[363]},{"name":"alljoyn_aboutobj_announce_using_datalistener","features":[363]},{"name":"alljoyn_aboutobj_create","features":[363]},{"name":"alljoyn_aboutobj_destroy","features":[363]},{"name":"alljoyn_aboutobj_unannounce","features":[363]},{"name":"alljoyn_aboutobjectdescription","features":[363]},{"name":"alljoyn_aboutobjectdescription_clear","features":[363]},{"name":"alljoyn_aboutobjectdescription_create","features":[363]},{"name":"alljoyn_aboutobjectdescription_create_full","features":[363]},{"name":"alljoyn_aboutobjectdescription_createfrommsgarg","features":[363]},{"name":"alljoyn_aboutobjectdescription_destroy","features":[363]},{"name":"alljoyn_aboutobjectdescription_getinterfacepaths","features":[363]},{"name":"alljoyn_aboutobjectdescription_getinterfaces","features":[363]},{"name":"alljoyn_aboutobjectdescription_getmsgarg","features":[363]},{"name":"alljoyn_aboutobjectdescription_getpaths","features":[363]},{"name":"alljoyn_aboutobjectdescription_hasinterface","features":[363]},{"name":"alljoyn_aboutobjectdescription_hasinterfaceatpath","features":[363]},{"name":"alljoyn_aboutobjectdescription_haspath","features":[363]},{"name":"alljoyn_aboutproxy","features":[363]},{"name":"alljoyn_aboutproxy_create","features":[363]},{"name":"alljoyn_aboutproxy_destroy","features":[363]},{"name":"alljoyn_aboutproxy_getaboutdata","features":[363]},{"name":"alljoyn_aboutproxy_getobjectdescription","features":[363]},{"name":"alljoyn_aboutproxy_getversion","features":[363]},{"name":"alljoyn_applicationstate","features":[363]},{"name":"alljoyn_applicationstatelistener","features":[363]},{"name":"alljoyn_applicationstatelistener_callbacks","features":[363]},{"name":"alljoyn_applicationstatelistener_create","features":[363]},{"name":"alljoyn_applicationstatelistener_destroy","features":[363]},{"name":"alljoyn_applicationstatelistener_state_ptr","features":[363]},{"name":"alljoyn_authlistener","features":[363]},{"name":"alljoyn_authlistener_authenticationcomplete_ptr","features":[363]},{"name":"alljoyn_authlistener_callbacks","features":[363]},{"name":"alljoyn_authlistener_create","features":[363]},{"name":"alljoyn_authlistener_destroy","features":[363]},{"name":"alljoyn_authlistener_requestcredentials_ptr","features":[363]},{"name":"alljoyn_authlistener_requestcredentialsasync_ptr","features":[363]},{"name":"alljoyn_authlistener_requestcredentialsresponse","features":[363]},{"name":"alljoyn_authlistener_securityviolation_ptr","features":[363]},{"name":"alljoyn_authlistener_setsharedsecret","features":[363]},{"name":"alljoyn_authlistener_verifycredentials_ptr","features":[363]},{"name":"alljoyn_authlistener_verifycredentialsasync_ptr","features":[363]},{"name":"alljoyn_authlistener_verifycredentialsresponse","features":[363]},{"name":"alljoyn_authlistenerasync_callbacks","features":[363]},{"name":"alljoyn_authlistenerasync_create","features":[363]},{"name":"alljoyn_authlistenerasync_destroy","features":[363]},{"name":"alljoyn_autopinger","features":[363]},{"name":"alljoyn_autopinger_adddestination","features":[363]},{"name":"alljoyn_autopinger_addpinggroup","features":[363]},{"name":"alljoyn_autopinger_create","features":[363]},{"name":"alljoyn_autopinger_destination_found_ptr","features":[363]},{"name":"alljoyn_autopinger_destination_lost_ptr","features":[363]},{"name":"alljoyn_autopinger_destroy","features":[363]},{"name":"alljoyn_autopinger_pause","features":[363]},{"name":"alljoyn_autopinger_removedestination","features":[363]},{"name":"alljoyn_autopinger_removepinggroup","features":[363]},{"name":"alljoyn_autopinger_resume","features":[363]},{"name":"alljoyn_autopinger_setpinginterval","features":[363]},{"name":"alljoyn_busattachment","features":[363]},{"name":"alljoyn_busattachment_addlogonentry","features":[363]},{"name":"alljoyn_busattachment_addmatch","features":[363]},{"name":"alljoyn_busattachment_advertisename","features":[363]},{"name":"alljoyn_busattachment_bindsessionport","features":[363]},{"name":"alljoyn_busattachment_canceladvertisename","features":[363]},{"name":"alljoyn_busattachment_cancelfindadvertisedname","features":[363]},{"name":"alljoyn_busattachment_cancelfindadvertisednamebytransport","features":[363]},{"name":"alljoyn_busattachment_cancelwhoimplements_interface","features":[363]},{"name":"alljoyn_busattachment_cancelwhoimplements_interfaces","features":[363]},{"name":"alljoyn_busattachment_clearkeys","features":[363]},{"name":"alljoyn_busattachment_clearkeystore","features":[363]},{"name":"alljoyn_busattachment_connect","features":[363]},{"name":"alljoyn_busattachment_create","features":[363]},{"name":"alljoyn_busattachment_create_concurrency","features":[363]},{"name":"alljoyn_busattachment_createinterface","features":[363]},{"name":"alljoyn_busattachment_createinterface_secure","features":[363]},{"name":"alljoyn_busattachment_createinterfacesfromxml","features":[363]},{"name":"alljoyn_busattachment_deletedefaultkeystore","features":[363]},{"name":"alljoyn_busattachment_deleteinterface","features":[363]},{"name":"alljoyn_busattachment_destroy","features":[363]},{"name":"alljoyn_busattachment_disconnect","features":[363]},{"name":"alljoyn_busattachment_enableconcurrentcallbacks","features":[363]},{"name":"alljoyn_busattachment_enablepeersecurity","features":[363]},{"name":"alljoyn_busattachment_enablepeersecuritywithpermissionconfigurationlistener","features":[363]},{"name":"alljoyn_busattachment_findadvertisedname","features":[363]},{"name":"alljoyn_busattachment_findadvertisednamebytransport","features":[363]},{"name":"alljoyn_busattachment_getalljoyndebugobj","features":[363]},{"name":"alljoyn_busattachment_getalljoynproxyobj","features":[363]},{"name":"alljoyn_busattachment_getconcurrency","features":[363]},{"name":"alljoyn_busattachment_getconnectspec","features":[363]},{"name":"alljoyn_busattachment_getdbusproxyobj","features":[363]},{"name":"alljoyn_busattachment_getglobalguidstring","features":[363]},{"name":"alljoyn_busattachment_getinterface","features":[363]},{"name":"alljoyn_busattachment_getinterfaces","features":[363]},{"name":"alljoyn_busattachment_getkeyexpiration","features":[363]},{"name":"alljoyn_busattachment_getpeerguid","features":[363]},{"name":"alljoyn_busattachment_getpermissionconfigurator","features":[363]},{"name":"alljoyn_busattachment_gettimestamp","features":[363]},{"name":"alljoyn_busattachment_getuniquename","features":[363]},{"name":"alljoyn_busattachment_isconnected","features":[363]},{"name":"alljoyn_busattachment_ispeersecurityenabled","features":[363]},{"name":"alljoyn_busattachment_isstarted","features":[363]},{"name":"alljoyn_busattachment_isstopping","features":[363]},{"name":"alljoyn_busattachment_join","features":[363]},{"name":"alljoyn_busattachment_joinsession","features":[363]},{"name":"alljoyn_busattachment_joinsessionasync","features":[363]},{"name":"alljoyn_busattachment_joinsessioncb_ptr","features":[363]},{"name":"alljoyn_busattachment_leavesession","features":[363]},{"name":"alljoyn_busattachment_namehasowner","features":[363]},{"name":"alljoyn_busattachment_ping","features":[363]},{"name":"alljoyn_busattachment_registeraboutlistener","features":[363]},{"name":"alljoyn_busattachment_registerapplicationstatelistener","features":[363]},{"name":"alljoyn_busattachment_registerbuslistener","features":[363]},{"name":"alljoyn_busattachment_registerbusobject","features":[363]},{"name":"alljoyn_busattachment_registerbusobject_secure","features":[363]},{"name":"alljoyn_busattachment_registerkeystorelistener","features":[363]},{"name":"alljoyn_busattachment_registersignalhandler","features":[363]},{"name":"alljoyn_busattachment_registersignalhandlerwithrule","features":[363]},{"name":"alljoyn_busattachment_releasename","features":[363]},{"name":"alljoyn_busattachment_reloadkeystore","features":[363]},{"name":"alljoyn_busattachment_removematch","features":[363]},{"name":"alljoyn_busattachment_removesessionmember","features":[363]},{"name":"alljoyn_busattachment_requestname","features":[363]},{"name":"alljoyn_busattachment_secureconnection","features":[363]},{"name":"alljoyn_busattachment_secureconnectionasync","features":[363]},{"name":"alljoyn_busattachment_setdaemondebug","features":[363]},{"name":"alljoyn_busattachment_setkeyexpiration","features":[363]},{"name":"alljoyn_busattachment_setlinktimeout","features":[363]},{"name":"alljoyn_busattachment_setlinktimeoutasync","features":[363]},{"name":"alljoyn_busattachment_setlinktimeoutcb_ptr","features":[363]},{"name":"alljoyn_busattachment_setsessionlistener","features":[363]},{"name":"alljoyn_busattachment_start","features":[363]},{"name":"alljoyn_busattachment_stop","features":[363]},{"name":"alljoyn_busattachment_unbindsessionport","features":[363]},{"name":"alljoyn_busattachment_unregisteraboutlistener","features":[363]},{"name":"alljoyn_busattachment_unregisterallaboutlisteners","features":[363]},{"name":"alljoyn_busattachment_unregisterallhandlers","features":[363]},{"name":"alljoyn_busattachment_unregisterapplicationstatelistener","features":[363]},{"name":"alljoyn_busattachment_unregisterbuslistener","features":[363]},{"name":"alljoyn_busattachment_unregisterbusobject","features":[363]},{"name":"alljoyn_busattachment_unregistersignalhandler","features":[363]},{"name":"alljoyn_busattachment_unregistersignalhandlerwithrule","features":[363]},{"name":"alljoyn_busattachment_whoimplements_interface","features":[363]},{"name":"alljoyn_busattachment_whoimplements_interfaces","features":[363]},{"name":"alljoyn_buslistener","features":[363]},{"name":"alljoyn_buslistener_bus_disconnected_ptr","features":[363]},{"name":"alljoyn_buslistener_bus_prop_changed_ptr","features":[363]},{"name":"alljoyn_buslistener_bus_stopping_ptr","features":[363]},{"name":"alljoyn_buslistener_callbacks","features":[363]},{"name":"alljoyn_buslistener_create","features":[363]},{"name":"alljoyn_buslistener_destroy","features":[363]},{"name":"alljoyn_buslistener_found_advertised_name_ptr","features":[363]},{"name":"alljoyn_buslistener_listener_registered_ptr","features":[363]},{"name":"alljoyn_buslistener_listener_unregistered_ptr","features":[363]},{"name":"alljoyn_buslistener_lost_advertised_name_ptr","features":[363]},{"name":"alljoyn_buslistener_name_owner_changed_ptr","features":[363]},{"name":"alljoyn_busobject","features":[363]},{"name":"alljoyn_busobject_addinterface","features":[363]},{"name":"alljoyn_busobject_addinterface_announced","features":[363]},{"name":"alljoyn_busobject_addmethodhandler","features":[363]},{"name":"alljoyn_busobject_addmethodhandlers","features":[363]},{"name":"alljoyn_busobject_callbacks","features":[363]},{"name":"alljoyn_busobject_cancelsessionlessmessage","features":[363]},{"name":"alljoyn_busobject_cancelsessionlessmessage_serial","features":[363]},{"name":"alljoyn_busobject_create","features":[363]},{"name":"alljoyn_busobject_destroy","features":[363]},{"name":"alljoyn_busobject_emitpropertieschanged","features":[363]},{"name":"alljoyn_busobject_emitpropertychanged","features":[363]},{"name":"alljoyn_busobject_getannouncedinterfacenames","features":[363]},{"name":"alljoyn_busobject_getbusattachment","features":[363]},{"name":"alljoyn_busobject_getname","features":[363]},{"name":"alljoyn_busobject_getpath","features":[363]},{"name":"alljoyn_busobject_issecure","features":[363]},{"name":"alljoyn_busobject_methodentry","features":[363]},{"name":"alljoyn_busobject_methodreply_args","features":[363]},{"name":"alljoyn_busobject_methodreply_err","features":[363]},{"name":"alljoyn_busobject_methodreply_status","features":[363]},{"name":"alljoyn_busobject_object_registration_ptr","features":[363]},{"name":"alljoyn_busobject_prop_get_ptr","features":[363]},{"name":"alljoyn_busobject_prop_set_ptr","features":[363]},{"name":"alljoyn_busobject_setannounceflag","features":[363]},{"name":"alljoyn_busobject_signal","features":[363]},{"name":"alljoyn_certificateid","features":[363]},{"name":"alljoyn_certificateidarray","features":[363]},{"name":"alljoyn_claimcapability_masks","features":[363]},{"name":"alljoyn_claimcapabilityadditionalinfo_masks","features":[363]},{"name":"alljoyn_credentials","features":[363]},{"name":"alljoyn_credentials_clear","features":[363]},{"name":"alljoyn_credentials_create","features":[363]},{"name":"alljoyn_credentials_destroy","features":[363]},{"name":"alljoyn_credentials_getcertchain","features":[363]},{"name":"alljoyn_credentials_getexpiration","features":[363]},{"name":"alljoyn_credentials_getlogonentry","features":[363]},{"name":"alljoyn_credentials_getpassword","features":[363]},{"name":"alljoyn_credentials_getprivateKey","features":[363]},{"name":"alljoyn_credentials_getusername","features":[363]},{"name":"alljoyn_credentials_isset","features":[363]},{"name":"alljoyn_credentials_setcertchain","features":[363]},{"name":"alljoyn_credentials_setexpiration","features":[363]},{"name":"alljoyn_credentials_setlogonentry","features":[363]},{"name":"alljoyn_credentials_setpassword","features":[363]},{"name":"alljoyn_credentials_setprivatekey","features":[363]},{"name":"alljoyn_credentials_setusername","features":[363]},{"name":"alljoyn_getbuildinfo","features":[363]},{"name":"alljoyn_getnumericversion","features":[363]},{"name":"alljoyn_getversion","features":[363]},{"name":"alljoyn_init","features":[363]},{"name":"alljoyn_interfacedescription","features":[363]},{"name":"alljoyn_interfacedescription_activate","features":[363]},{"name":"alljoyn_interfacedescription_addannotation","features":[363]},{"name":"alljoyn_interfacedescription_addargannotation","features":[363]},{"name":"alljoyn_interfacedescription_addmember","features":[363]},{"name":"alljoyn_interfacedescription_addmemberannotation","features":[363]},{"name":"alljoyn_interfacedescription_addmethod","features":[363]},{"name":"alljoyn_interfacedescription_addproperty","features":[363]},{"name":"alljoyn_interfacedescription_addpropertyannotation","features":[363]},{"name":"alljoyn_interfacedescription_addsignal","features":[363]},{"name":"alljoyn_interfacedescription_eql","features":[363]},{"name":"alljoyn_interfacedescription_getannotation","features":[363]},{"name":"alljoyn_interfacedescription_getannotationatindex","features":[363]},{"name":"alljoyn_interfacedescription_getannotationscount","features":[363]},{"name":"alljoyn_interfacedescription_getargdescriptionforlanguage","features":[363]},{"name":"alljoyn_interfacedescription_getdescriptionforlanguage","features":[363]},{"name":"alljoyn_interfacedescription_getdescriptionlanguages","features":[363]},{"name":"alljoyn_interfacedescription_getdescriptionlanguages2","features":[363]},{"name":"alljoyn_interfacedescription_getdescriptiontranslationcallback","features":[363]},{"name":"alljoyn_interfacedescription_getmember","features":[363]},{"name":"alljoyn_interfacedescription_getmemberannotation","features":[363]},{"name":"alljoyn_interfacedescription_getmemberargannotation","features":[363]},{"name":"alljoyn_interfacedescription_getmemberdescriptionforlanguage","features":[363]},{"name":"alljoyn_interfacedescription_getmembers","features":[363]},{"name":"alljoyn_interfacedescription_getmethod","features":[363]},{"name":"alljoyn_interfacedescription_getname","features":[363]},{"name":"alljoyn_interfacedescription_getproperties","features":[363]},{"name":"alljoyn_interfacedescription_getproperty","features":[363]},{"name":"alljoyn_interfacedescription_getpropertyannotation","features":[363]},{"name":"alljoyn_interfacedescription_getpropertydescriptionforlanguage","features":[363]},{"name":"alljoyn_interfacedescription_getsecuritypolicy","features":[363]},{"name":"alljoyn_interfacedescription_getsignal","features":[363]},{"name":"alljoyn_interfacedescription_hasdescription","features":[363]},{"name":"alljoyn_interfacedescription_hasmember","features":[363]},{"name":"alljoyn_interfacedescription_hasproperties","features":[363]},{"name":"alljoyn_interfacedescription_hasproperty","features":[363]},{"name":"alljoyn_interfacedescription_introspect","features":[363]},{"name":"alljoyn_interfacedescription_issecure","features":[363]},{"name":"alljoyn_interfacedescription_member","features":[363]},{"name":"alljoyn_interfacedescription_member_eql","features":[363]},{"name":"alljoyn_interfacedescription_member_getannotation","features":[363]},{"name":"alljoyn_interfacedescription_member_getannotationatindex","features":[363]},{"name":"alljoyn_interfacedescription_member_getannotationscount","features":[363]},{"name":"alljoyn_interfacedescription_member_getargannotation","features":[363]},{"name":"alljoyn_interfacedescription_member_getargannotationatindex","features":[363]},{"name":"alljoyn_interfacedescription_member_getargannotationscount","features":[363]},{"name":"alljoyn_interfacedescription_property","features":[363]},{"name":"alljoyn_interfacedescription_property_eql","features":[363]},{"name":"alljoyn_interfacedescription_property_getannotation","features":[363]},{"name":"alljoyn_interfacedescription_property_getannotationatindex","features":[363]},{"name":"alljoyn_interfacedescription_property_getannotationscount","features":[363]},{"name":"alljoyn_interfacedescription_securitypolicy","features":[363]},{"name":"alljoyn_interfacedescription_setargdescription","features":[363]},{"name":"alljoyn_interfacedescription_setargdescriptionforlanguage","features":[363]},{"name":"alljoyn_interfacedescription_setdescription","features":[363]},{"name":"alljoyn_interfacedescription_setdescriptionforlanguage","features":[363]},{"name":"alljoyn_interfacedescription_setdescriptionlanguage","features":[363]},{"name":"alljoyn_interfacedescription_setdescriptiontranslationcallback","features":[363]},{"name":"alljoyn_interfacedescription_setmemberdescription","features":[363]},{"name":"alljoyn_interfacedescription_setmemberdescriptionforlanguage","features":[363]},{"name":"alljoyn_interfacedescription_setpropertydescription","features":[363]},{"name":"alljoyn_interfacedescription_setpropertydescriptionforlanguage","features":[363]},{"name":"alljoyn_interfacedescription_translation_callback_ptr","features":[363]},{"name":"alljoyn_keystore","features":[363]},{"name":"alljoyn_keystorelistener","features":[363]},{"name":"alljoyn_keystorelistener_acquireexclusivelock_ptr","features":[363]},{"name":"alljoyn_keystorelistener_callbacks","features":[363]},{"name":"alljoyn_keystorelistener_create","features":[363]},{"name":"alljoyn_keystorelistener_destroy","features":[363]},{"name":"alljoyn_keystorelistener_getkeys","features":[363]},{"name":"alljoyn_keystorelistener_loadrequest_ptr","features":[363]},{"name":"alljoyn_keystorelistener_putkeys","features":[363]},{"name":"alljoyn_keystorelistener_releaseexclusivelock_ptr","features":[363]},{"name":"alljoyn_keystorelistener_storerequest_ptr","features":[363]},{"name":"alljoyn_keystorelistener_with_synchronization_callbacks","features":[363]},{"name":"alljoyn_keystorelistener_with_synchronization_create","features":[363]},{"name":"alljoyn_manifestarray","features":[363]},{"name":"alljoyn_message","features":[363]},{"name":"alljoyn_message_create","features":[363]},{"name":"alljoyn_message_description","features":[363]},{"name":"alljoyn_message_destroy","features":[363]},{"name":"alljoyn_message_eql","features":[363]},{"name":"alljoyn_message_getarg","features":[363]},{"name":"alljoyn_message_getargs","features":[363]},{"name":"alljoyn_message_getauthmechanism","features":[363]},{"name":"alljoyn_message_getcallserial","features":[363]},{"name":"alljoyn_message_getcompressiontoken","features":[363]},{"name":"alljoyn_message_getdestination","features":[363]},{"name":"alljoyn_message_geterrorname","features":[363]},{"name":"alljoyn_message_getflags","features":[363]},{"name":"alljoyn_message_getinterface","features":[363]},{"name":"alljoyn_message_getmembername","features":[363]},{"name":"alljoyn_message_getobjectpath","features":[363]},{"name":"alljoyn_message_getreceiveendpointname","features":[363]},{"name":"alljoyn_message_getreplyserial","features":[363]},{"name":"alljoyn_message_getsender","features":[363]},{"name":"alljoyn_message_getsessionid","features":[363]},{"name":"alljoyn_message_getsignature","features":[363]},{"name":"alljoyn_message_gettimestamp","features":[363]},{"name":"alljoyn_message_gettype","features":[363]},{"name":"alljoyn_message_isbroadcastsignal","features":[363]},{"name":"alljoyn_message_isencrypted","features":[363]},{"name":"alljoyn_message_isexpired","features":[363]},{"name":"alljoyn_message_isglobalbroadcast","features":[363]},{"name":"alljoyn_message_issessionless","features":[363]},{"name":"alljoyn_message_isunreliable","features":[363]},{"name":"alljoyn_message_parseargs","features":[363]},{"name":"alljoyn_message_setendianess","features":[363]},{"name":"alljoyn_message_tostring","features":[363]},{"name":"alljoyn_messagereceiver_methodhandler_ptr","features":[363]},{"name":"alljoyn_messagereceiver_replyhandler_ptr","features":[363]},{"name":"alljoyn_messagereceiver_signalhandler_ptr","features":[363]},{"name":"alljoyn_messagetype","features":[363]},{"name":"alljoyn_msgarg","features":[363]},{"name":"alljoyn_msgarg_array_create","features":[363]},{"name":"alljoyn_msgarg_array_element","features":[363]},{"name":"alljoyn_msgarg_array_get","features":[363]},{"name":"alljoyn_msgarg_array_set","features":[363]},{"name":"alljoyn_msgarg_array_set_offset","features":[363]},{"name":"alljoyn_msgarg_array_signature","features":[363]},{"name":"alljoyn_msgarg_array_tostring","features":[363]},{"name":"alljoyn_msgarg_clear","features":[363]},{"name":"alljoyn_msgarg_clone","features":[363]},{"name":"alljoyn_msgarg_copy","features":[363]},{"name":"alljoyn_msgarg_create","features":[363]},{"name":"alljoyn_msgarg_create_and_set","features":[363]},{"name":"alljoyn_msgarg_destroy","features":[363]},{"name":"alljoyn_msgarg_equal","features":[363]},{"name":"alljoyn_msgarg_get","features":[363]},{"name":"alljoyn_msgarg_get_array_element","features":[363]},{"name":"alljoyn_msgarg_get_array_elementsignature","features":[363]},{"name":"alljoyn_msgarg_get_array_numberofelements","features":[363]},{"name":"alljoyn_msgarg_get_bool","features":[363]},{"name":"alljoyn_msgarg_get_bool_array","features":[363]},{"name":"alljoyn_msgarg_get_double","features":[363]},{"name":"alljoyn_msgarg_get_double_array","features":[363]},{"name":"alljoyn_msgarg_get_int16","features":[363]},{"name":"alljoyn_msgarg_get_int16_array","features":[363]},{"name":"alljoyn_msgarg_get_int32","features":[363]},{"name":"alljoyn_msgarg_get_int32_array","features":[363]},{"name":"alljoyn_msgarg_get_int64","features":[363]},{"name":"alljoyn_msgarg_get_int64_array","features":[363]},{"name":"alljoyn_msgarg_get_objectpath","features":[363]},{"name":"alljoyn_msgarg_get_signature","features":[363]},{"name":"alljoyn_msgarg_get_string","features":[363]},{"name":"alljoyn_msgarg_get_uint16","features":[363]},{"name":"alljoyn_msgarg_get_uint16_array","features":[363]},{"name":"alljoyn_msgarg_get_uint32","features":[363]},{"name":"alljoyn_msgarg_get_uint32_array","features":[363]},{"name":"alljoyn_msgarg_get_uint64","features":[363]},{"name":"alljoyn_msgarg_get_uint64_array","features":[363]},{"name":"alljoyn_msgarg_get_uint8","features":[363]},{"name":"alljoyn_msgarg_get_uint8_array","features":[363]},{"name":"alljoyn_msgarg_get_variant","features":[363]},{"name":"alljoyn_msgarg_get_variant_array","features":[363]},{"name":"alljoyn_msgarg_getdictelement","features":[363]},{"name":"alljoyn_msgarg_getkey","features":[363]},{"name":"alljoyn_msgarg_getmember","features":[363]},{"name":"alljoyn_msgarg_getnummembers","features":[363]},{"name":"alljoyn_msgarg_gettype","features":[363]},{"name":"alljoyn_msgarg_getvalue","features":[363]},{"name":"alljoyn_msgarg_hassignature","features":[363]},{"name":"alljoyn_msgarg_set","features":[363]},{"name":"alljoyn_msgarg_set_and_stabilize","features":[363]},{"name":"alljoyn_msgarg_set_bool","features":[363]},{"name":"alljoyn_msgarg_set_bool_array","features":[363]},{"name":"alljoyn_msgarg_set_double","features":[363]},{"name":"alljoyn_msgarg_set_double_array","features":[363]},{"name":"alljoyn_msgarg_set_int16","features":[363]},{"name":"alljoyn_msgarg_set_int16_array","features":[363]},{"name":"alljoyn_msgarg_set_int32","features":[363]},{"name":"alljoyn_msgarg_set_int32_array","features":[363]},{"name":"alljoyn_msgarg_set_int64","features":[363]},{"name":"alljoyn_msgarg_set_int64_array","features":[363]},{"name":"alljoyn_msgarg_set_objectpath","features":[363]},{"name":"alljoyn_msgarg_set_objectpath_array","features":[363]},{"name":"alljoyn_msgarg_set_signature","features":[363]},{"name":"alljoyn_msgarg_set_signature_array","features":[363]},{"name":"alljoyn_msgarg_set_string","features":[363]},{"name":"alljoyn_msgarg_set_string_array","features":[363]},{"name":"alljoyn_msgarg_set_uint16","features":[363]},{"name":"alljoyn_msgarg_set_uint16_array","features":[363]},{"name":"alljoyn_msgarg_set_uint32","features":[363]},{"name":"alljoyn_msgarg_set_uint32_array","features":[363]},{"name":"alljoyn_msgarg_set_uint64","features":[363]},{"name":"alljoyn_msgarg_set_uint64_array","features":[363]},{"name":"alljoyn_msgarg_set_uint8","features":[363]},{"name":"alljoyn_msgarg_set_uint8_array","features":[363]},{"name":"alljoyn_msgarg_setdictentry","features":[363]},{"name":"alljoyn_msgarg_setstruct","features":[363]},{"name":"alljoyn_msgarg_signature","features":[363]},{"name":"alljoyn_msgarg_stabilize","features":[363]},{"name":"alljoyn_msgarg_tostring","features":[363]},{"name":"alljoyn_observer","features":[363]},{"name":"alljoyn_observer_create","features":[363]},{"name":"alljoyn_observer_destroy","features":[363]},{"name":"alljoyn_observer_get","features":[363]},{"name":"alljoyn_observer_getfirst","features":[363]},{"name":"alljoyn_observer_getnext","features":[363]},{"name":"alljoyn_observer_object_discovered_ptr","features":[363]},{"name":"alljoyn_observer_object_lost_ptr","features":[363]},{"name":"alljoyn_observer_registerlistener","features":[363]},{"name":"alljoyn_observer_unregisteralllisteners","features":[363]},{"name":"alljoyn_observer_unregisterlistener","features":[363]},{"name":"alljoyn_observerlistener","features":[363]},{"name":"alljoyn_observerlistener_callback","features":[363]},{"name":"alljoyn_observerlistener_create","features":[363]},{"name":"alljoyn_observerlistener_destroy","features":[363]},{"name":"alljoyn_passwordmanager_setcredentials","features":[363]},{"name":"alljoyn_permissionconfigurationlistener","features":[363]},{"name":"alljoyn_permissionconfigurationlistener_callbacks","features":[363]},{"name":"alljoyn_permissionconfigurationlistener_create","features":[363]},{"name":"alljoyn_permissionconfigurationlistener_destroy","features":[363]},{"name":"alljoyn_permissionconfigurationlistener_endmanagement_ptr","features":[363]},{"name":"alljoyn_permissionconfigurationlistener_factoryreset_ptr","features":[363]},{"name":"alljoyn_permissionconfigurationlistener_policychanged_ptr","features":[363]},{"name":"alljoyn_permissionconfigurationlistener_startmanagement_ptr","features":[363]},{"name":"alljoyn_permissionconfigurator","features":[363]},{"name":"alljoyn_permissionconfigurator_certificatechain_destroy","features":[363]},{"name":"alljoyn_permissionconfigurator_certificateid_cleanup","features":[363]},{"name":"alljoyn_permissionconfigurator_certificateidarray_cleanup","features":[363]},{"name":"alljoyn_permissionconfigurator_claim","features":[363]},{"name":"alljoyn_permissionconfigurator_endmanagement","features":[363]},{"name":"alljoyn_permissionconfigurator_getapplicationstate","features":[363]},{"name":"alljoyn_permissionconfigurator_getclaimcapabilities","features":[363]},{"name":"alljoyn_permissionconfigurator_getclaimcapabilitiesadditionalinfo","features":[363]},{"name":"alljoyn_permissionconfigurator_getdefaultclaimcapabilities","features":[363]},{"name":"alljoyn_permissionconfigurator_getdefaultpolicy","features":[363]},{"name":"alljoyn_permissionconfigurator_getidentity","features":[363]},{"name":"alljoyn_permissionconfigurator_getidentitycertificateid","features":[363]},{"name":"alljoyn_permissionconfigurator_getmanifests","features":[363]},{"name":"alljoyn_permissionconfigurator_getmanifesttemplate","features":[363]},{"name":"alljoyn_permissionconfigurator_getmembershipsummaries","features":[363]},{"name":"alljoyn_permissionconfigurator_getpolicy","features":[363]},{"name":"alljoyn_permissionconfigurator_getpublickey","features":[363]},{"name":"alljoyn_permissionconfigurator_installmanifests","features":[363]},{"name":"alljoyn_permissionconfigurator_installmembership","features":[363]},{"name":"alljoyn_permissionconfigurator_manifestarray_cleanup","features":[363]},{"name":"alljoyn_permissionconfigurator_manifesttemplate_destroy","features":[363]},{"name":"alljoyn_permissionconfigurator_policy_destroy","features":[363]},{"name":"alljoyn_permissionconfigurator_publickey_destroy","features":[363]},{"name":"alljoyn_permissionconfigurator_removemembership","features":[363]},{"name":"alljoyn_permissionconfigurator_reset","features":[363]},{"name":"alljoyn_permissionconfigurator_resetpolicy","features":[363]},{"name":"alljoyn_permissionconfigurator_setapplicationstate","features":[363]},{"name":"alljoyn_permissionconfigurator_setclaimcapabilities","features":[363]},{"name":"alljoyn_permissionconfigurator_setclaimcapabilitiesadditionalinfo","features":[363]},{"name":"alljoyn_permissionconfigurator_setmanifesttemplatefromxml","features":[363]},{"name":"alljoyn_permissionconfigurator_startmanagement","features":[363]},{"name":"alljoyn_permissionconfigurator_updateidentity","features":[363]},{"name":"alljoyn_permissionconfigurator_updatepolicy","features":[363]},{"name":"alljoyn_pinglistener","features":[363]},{"name":"alljoyn_pinglistener_callback","features":[363]},{"name":"alljoyn_pinglistener_create","features":[363]},{"name":"alljoyn_pinglistener_destroy","features":[363]},{"name":"alljoyn_proxybusobject","features":[363]},{"name":"alljoyn_proxybusobject_addchild","features":[363]},{"name":"alljoyn_proxybusobject_addinterface","features":[363]},{"name":"alljoyn_proxybusobject_addinterface_by_name","features":[363]},{"name":"alljoyn_proxybusobject_copy","features":[363]},{"name":"alljoyn_proxybusobject_create","features":[363]},{"name":"alljoyn_proxybusobject_create_secure","features":[363]},{"name":"alljoyn_proxybusobject_destroy","features":[363]},{"name":"alljoyn_proxybusobject_enablepropertycaching","features":[363]},{"name":"alljoyn_proxybusobject_getallproperties","features":[363]},{"name":"alljoyn_proxybusobject_getallpropertiesasync","features":[363]},{"name":"alljoyn_proxybusobject_getchild","features":[363]},{"name":"alljoyn_proxybusobject_getchildren","features":[363]},{"name":"alljoyn_proxybusobject_getinterface","features":[363]},{"name":"alljoyn_proxybusobject_getinterfaces","features":[363]},{"name":"alljoyn_proxybusobject_getpath","features":[363]},{"name":"alljoyn_proxybusobject_getproperty","features":[363]},{"name":"alljoyn_proxybusobject_getpropertyasync","features":[363]},{"name":"alljoyn_proxybusobject_getservicename","features":[363]},{"name":"alljoyn_proxybusobject_getsessionid","features":[363]},{"name":"alljoyn_proxybusobject_getuniquename","features":[363]},{"name":"alljoyn_proxybusobject_implementsinterface","features":[363]},{"name":"alljoyn_proxybusobject_introspectremoteobject","features":[363]},{"name":"alljoyn_proxybusobject_introspectremoteobjectasync","features":[363]},{"name":"alljoyn_proxybusobject_issecure","features":[363]},{"name":"alljoyn_proxybusobject_isvalid","features":[363]},{"name":"alljoyn_proxybusobject_listener_getallpropertiescb_ptr","features":[363]},{"name":"alljoyn_proxybusobject_listener_getpropertycb_ptr","features":[363]},{"name":"alljoyn_proxybusobject_listener_introspectcb_ptr","features":[363]},{"name":"alljoyn_proxybusobject_listener_propertieschanged_ptr","features":[363]},{"name":"alljoyn_proxybusobject_listener_setpropertycb_ptr","features":[363]},{"name":"alljoyn_proxybusobject_methodcall","features":[363]},{"name":"alljoyn_proxybusobject_methodcall_member","features":[363]},{"name":"alljoyn_proxybusobject_methodcall_member_noreply","features":[363]},{"name":"alljoyn_proxybusobject_methodcall_noreply","features":[363]},{"name":"alljoyn_proxybusobject_methodcallasync","features":[363]},{"name":"alljoyn_proxybusobject_methodcallasync_member","features":[363]},{"name":"alljoyn_proxybusobject_parsexml","features":[363]},{"name":"alljoyn_proxybusobject_ref","features":[363]},{"name":"alljoyn_proxybusobject_ref_create","features":[363]},{"name":"alljoyn_proxybusobject_ref_decref","features":[363]},{"name":"alljoyn_proxybusobject_ref_get","features":[363]},{"name":"alljoyn_proxybusobject_ref_incref","features":[363]},{"name":"alljoyn_proxybusobject_registerpropertieschangedlistener","features":[363]},{"name":"alljoyn_proxybusobject_removechild","features":[363]},{"name":"alljoyn_proxybusobject_secureconnection","features":[363]},{"name":"alljoyn_proxybusobject_secureconnectionasync","features":[363]},{"name":"alljoyn_proxybusobject_setproperty","features":[363]},{"name":"alljoyn_proxybusobject_setpropertyasync","features":[363]},{"name":"alljoyn_proxybusobject_unregisterpropertieschangedlistener","features":[363]},{"name":"alljoyn_routerinit","features":[363]},{"name":"alljoyn_routerinitwithconfig","features":[363]},{"name":"alljoyn_routershutdown","features":[363]},{"name":"alljoyn_securityapplicationproxy","features":[363]},{"name":"alljoyn_securityapplicationproxy_claim","features":[363]},{"name":"alljoyn_securityapplicationproxy_computemanifestdigest","features":[363]},{"name":"alljoyn_securityapplicationproxy_create","features":[363]},{"name":"alljoyn_securityapplicationproxy_destroy","features":[363]},{"name":"alljoyn_securityapplicationproxy_digest_destroy","features":[363]},{"name":"alljoyn_securityapplicationproxy_eccpublickey_destroy","features":[363]},{"name":"alljoyn_securityapplicationproxy_endmanagement","features":[363]},{"name":"alljoyn_securityapplicationproxy_getapplicationstate","features":[363]},{"name":"alljoyn_securityapplicationproxy_getclaimcapabilities","features":[363]},{"name":"alljoyn_securityapplicationproxy_getclaimcapabilitiesadditionalinfo","features":[363]},{"name":"alljoyn_securityapplicationproxy_getdefaultpolicy","features":[363]},{"name":"alljoyn_securityapplicationproxy_geteccpublickey","features":[363]},{"name":"alljoyn_securityapplicationproxy_getmanifesttemplate","features":[363]},{"name":"alljoyn_securityapplicationproxy_getpermissionmanagementsessionport","features":[363]},{"name":"alljoyn_securityapplicationproxy_getpolicy","features":[363]},{"name":"alljoyn_securityapplicationproxy_installmembership","features":[363]},{"name":"alljoyn_securityapplicationproxy_manifest_destroy","features":[363]},{"name":"alljoyn_securityapplicationproxy_manifesttemplate_destroy","features":[363]},{"name":"alljoyn_securityapplicationproxy_policy_destroy","features":[363]},{"name":"alljoyn_securityapplicationproxy_reset","features":[363]},{"name":"alljoyn_securityapplicationproxy_resetpolicy","features":[363]},{"name":"alljoyn_securityapplicationproxy_setmanifestsignature","features":[363]},{"name":"alljoyn_securityapplicationproxy_signmanifest","features":[363]},{"name":"alljoyn_securityapplicationproxy_startmanagement","features":[363]},{"name":"alljoyn_securityapplicationproxy_updateidentity","features":[363]},{"name":"alljoyn_securityapplicationproxy_updatepolicy","features":[363]},{"name":"alljoyn_sessionlistener","features":[363]},{"name":"alljoyn_sessionlistener_callbacks","features":[363]},{"name":"alljoyn_sessionlistener_create","features":[363]},{"name":"alljoyn_sessionlistener_destroy","features":[363]},{"name":"alljoyn_sessionlistener_sessionlost_ptr","features":[363]},{"name":"alljoyn_sessionlistener_sessionmemberadded_ptr","features":[363]},{"name":"alljoyn_sessionlistener_sessionmemberremoved_ptr","features":[363]},{"name":"alljoyn_sessionlostreason","features":[363]},{"name":"alljoyn_sessionopts","features":[363]},{"name":"alljoyn_sessionopts_cmp","features":[363]},{"name":"alljoyn_sessionopts_create","features":[363]},{"name":"alljoyn_sessionopts_destroy","features":[363]},{"name":"alljoyn_sessionopts_get_multipoint","features":[363]},{"name":"alljoyn_sessionopts_get_proximity","features":[363]},{"name":"alljoyn_sessionopts_get_traffic","features":[363]},{"name":"alljoyn_sessionopts_get_transports","features":[363]},{"name":"alljoyn_sessionopts_iscompatible","features":[363]},{"name":"alljoyn_sessionopts_set_multipoint","features":[363]},{"name":"alljoyn_sessionopts_set_proximity","features":[363]},{"name":"alljoyn_sessionopts_set_traffic","features":[363]},{"name":"alljoyn_sessionopts_set_transports","features":[363]},{"name":"alljoyn_sessionportlistener","features":[363]},{"name":"alljoyn_sessionportlistener_acceptsessionjoiner_ptr","features":[363]},{"name":"alljoyn_sessionportlistener_callbacks","features":[363]},{"name":"alljoyn_sessionportlistener_create","features":[363]},{"name":"alljoyn_sessionportlistener_destroy","features":[363]},{"name":"alljoyn_sessionportlistener_sessionjoined_ptr","features":[363]},{"name":"alljoyn_shutdown","features":[363]},{"name":"alljoyn_typeid","features":[363]},{"name":"alljoyn_unity_deferred_callbacks_process","features":[363]},{"name":"alljoyn_unity_set_deferred_callback_mainthread_only","features":[363]}],"368":[{"name":"FACILITY_NONE","features":[364]},{"name":"FACILITY_WINBIO","features":[364]},{"name":"GUID_DEVINTERFACE_BIOMETRIC_READER","features":[364]},{"name":"IOCTL_BIOMETRIC_VENDOR","features":[364]},{"name":"PIBIO_ENGINE_ACCEPT_PRIVATE_SENSOR_TYPE_INFO_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_ACCEPT_SAMPLE_DATA_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_ACTIVATE_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_ATTACH_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_CHECK_FOR_DUPLICATE_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_CLEAR_CONTEXT_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_COMMIT_ENROLLMENT_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_CONTROL_UNIT_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_CONTROL_UNIT_PRIVILEGED_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_CREATE_ENROLLMENT_AUTHENTICATED_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_CREATE_ENROLLMENT_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_CREATE_KEY_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_DEACTIVATE_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_DETACH_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_DISCARD_ENROLLMENT_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_EXPORT_ENGINE_DATA_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_GET_ENROLLMENT_HASH_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_GET_ENROLLMENT_STATUS_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_IDENTIFY_ALL_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_IDENTIFY_FEATURE_SET_AUTHENTICATED_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_IDENTIFY_FEATURE_SET_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_IDENTIFY_FEATURE_SET_SECURE_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_NOTIFY_POWER_CHANGE_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_PIPELINE_CLEANUP_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_PIPELINE_INIT_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_QUERY_CALIBRATION_DATA_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_QUERY_EXTENDED_ENROLLMENT_STATUS_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_QUERY_EXTENDED_INFO_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_QUERY_HASH_ALGORITHMS_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_QUERY_INDEX_VECTOR_SIZE_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_QUERY_PREFERRED_FORMAT_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_QUERY_SAMPLE_HINT_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_REFRESH_CACHE_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_RESERVED_1_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_SELECT_CALIBRATION_FORMAT_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_SET_ACCOUNT_POLICY_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_SET_ENROLLMENT_PARAMETERS_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_SET_ENROLLMENT_SELECTOR_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_SET_HASH_ALGORITHM_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_UPDATE_ENROLLMENT_FN","features":[364,308,313]},{"name":"PIBIO_ENGINE_VERIFY_FEATURE_SET_FN","features":[364,308,313]},{"name":"PIBIO_FRAMEWORK_ALLOCATE_MEMORY_FN","features":[364,308,313]},{"name":"PIBIO_FRAMEWORK_FREE_MEMORY_FN","features":[364,308,313]},{"name":"PIBIO_FRAMEWORK_GET_PROPERTY_FN","features":[364,308,313]},{"name":"PIBIO_FRAMEWORK_LOCK_AND_VALIDATE_SECURE_BUFFER_FN","features":[364,308,313]},{"name":"PIBIO_FRAMEWORK_RELEASE_SECURE_BUFFER_FN","features":[364,308,313]},{"name":"PIBIO_FRAMEWORK_SET_UNIT_STATUS_FN","features":[364,308,313]},{"name":"PIBIO_FRAMEWORK_VSM_CACHE_CLEAR_FN","features":[364,308,313]},{"name":"PIBIO_FRAMEWORK_VSM_CACHE_EXPORT_BEGIN_FN","features":[364,308,313]},{"name":"PIBIO_FRAMEWORK_VSM_CACHE_EXPORT_END_FN","features":[364,308,313]},{"name":"PIBIO_FRAMEWORK_VSM_CACHE_EXPORT_NEXT_FN","features":[364,308,313]},{"name":"PIBIO_FRAMEWORK_VSM_CACHE_IMPORT_BEGIN_FN","features":[364,308,313]},{"name":"PIBIO_FRAMEWORK_VSM_CACHE_IMPORT_END_FN","features":[364,308,313]},{"name":"PIBIO_FRAMEWORK_VSM_CACHE_IMPORT_NEXT_FN","features":[364,308,313]},{"name":"PIBIO_FRAMEWORK_VSM_DECRYPT_SAMPLE_FN","features":[364,308,313]},{"name":"PIBIO_FRAMEWORK_VSM_QUERY_AUTHORIZED_ENROLLMENTS_FN","features":[364,308,313]},{"name":"PIBIO_FRAMEWORK_VSM_STORAGE_RESERVED_1_FN","features":[364,308,313]},{"name":"PIBIO_FRAMEWORK_VSM_STORAGE_RESERVED_2_FN","features":[364,308,313]},{"name":"PIBIO_FRAMEWORK_VSM_STORAGE_RESERVED_3_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_ACCEPT_CALIBRATION_DATA_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_ACTIVATE_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_ASYNC_IMPORT_RAW_BUFFER_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_ASYNC_IMPORT_SECURE_BUFFER_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_ATTACH_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_CANCEL_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_CLEAR_CONTEXT_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_CONNECT_SECURE_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_CONTROL_UNIT_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_CONTROL_UNIT_PRIVILEGED_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_DEACTIVATE_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_DETACH_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_EXPORT_SENSOR_DATA_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_FINISH_CAPTURE_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_FINISH_NOTIFY_WAKE_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_GET_INDICATOR_STATUS_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_NOTIFY_POWER_CHANGE_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_PIPELINE_CLEANUP_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_PIPELINE_INIT_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_PUSH_DATA_TO_ENGINE_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_QUERY_CALIBRATION_FORMATS_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_QUERY_EXTENDED_INFO_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_QUERY_PRIVATE_SENSOR_TYPE_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_QUERY_STATUS_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_RESET_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_SET_CALIBRATION_FORMAT_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_SET_INDICATOR_STATUS_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_SET_MODE_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_START_CAPTURE_EX_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_START_CAPTURE_FN","features":[364,308,313]},{"name":"PIBIO_SENSOR_START_NOTIFY_WAKE_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_ACTIVATE_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_ADD_RECORD_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_ATTACH_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_CLEAR_CONTEXT_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_CLOSE_DATABASE_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_CONTROL_UNIT_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_CONTROL_UNIT_PRIVILEGED_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_CREATE_DATABASE_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_DEACTIVATE_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_DELETE_RECORD_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_DETACH_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_ERASE_DATABASE_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_FIRST_RECORD_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_GET_CURRENT_RECORD_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_GET_DATABASE_SIZE_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_GET_DATA_FORMAT_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_GET_RECORD_COUNT_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_NEXT_RECORD_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_NOTIFY_DATABASE_CHANGE_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_NOTIFY_POWER_CHANGE_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_OPEN_DATABASE_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_PIPELINE_CLEANUP_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_PIPELINE_INIT_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_QUERY_BY_CONTENT_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_QUERY_BY_SUBJECT_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_QUERY_EXTENDED_INFO_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_RESERVED_1_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_RESERVED_2_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_UPDATE_RECORD_BEGIN_FN","features":[364,308,313]},{"name":"PIBIO_STORAGE_UPDATE_RECORD_COMMIT_FN","features":[364,308,313]},{"name":"PWINBIO_ASYNC_COMPLETION_CALLBACK","features":[364,308]},{"name":"PWINBIO_CAPTURE_CALLBACK","features":[364]},{"name":"PWINBIO_ENROLL_CAPTURE_CALLBACK","features":[364]},{"name":"PWINBIO_EVENT_CALLBACK","features":[364]},{"name":"PWINBIO_IDENTIFY_CALLBACK","features":[364]},{"name":"PWINBIO_LOCATE_SENSOR_CALLBACK","features":[364]},{"name":"PWINBIO_QUERY_ENGINE_INTERFACE_FN","features":[364,308,313]},{"name":"PWINBIO_QUERY_SENSOR_INTERFACE_FN","features":[364,308,313]},{"name":"PWINBIO_QUERY_STORAGE_INTERFACE_FN","features":[364,308,313]},{"name":"PWINBIO_VERIFY_CALLBACK","features":[364,308]},{"name":"WINBIO_ACCOUNT_POLICY","features":[364]},{"name":"WINBIO_ADAPTER_INTERFACE_VERSION","features":[364]},{"name":"WINBIO_ANSI_381_IMG_BIT_PACKED","features":[364]},{"name":"WINBIO_ANSI_381_IMG_COMPRESSED_JPEG","features":[364]},{"name":"WINBIO_ANSI_381_IMG_COMPRESSED_JPEG2000","features":[364]},{"name":"WINBIO_ANSI_381_IMG_COMPRESSED_PNG","features":[364]},{"name":"WINBIO_ANSI_381_IMG_COMPRESSED_WSQ","features":[364]},{"name":"WINBIO_ANSI_381_IMG_UNCOMPRESSED","features":[364]},{"name":"WINBIO_ANSI_381_IMP_TYPE_LATENT","features":[364]},{"name":"WINBIO_ANSI_381_IMP_TYPE_LIVE_SCAN_CONTACTLESS","features":[364]},{"name":"WINBIO_ANSI_381_IMP_TYPE_LIVE_SCAN_PLAIN","features":[364]},{"name":"WINBIO_ANSI_381_IMP_TYPE_LIVE_SCAN_ROLLED","features":[364]},{"name":"WINBIO_ANSI_381_IMP_TYPE_NONLIVE_SCAN_PLAIN","features":[364]},{"name":"WINBIO_ANSI_381_IMP_TYPE_NONLIVE_SCAN_ROLLED","features":[364]},{"name":"WINBIO_ANSI_381_IMP_TYPE_SWIPE","features":[364]},{"name":"WINBIO_ANSI_381_PIXELS_PER_CM","features":[364]},{"name":"WINBIO_ANSI_381_PIXELS_PER_INCH","features":[364]},{"name":"WINBIO_ANTI_SPOOF_DISABLE","features":[364]},{"name":"WINBIO_ANTI_SPOOF_ENABLE","features":[364]},{"name":"WINBIO_ANTI_SPOOF_POLICY","features":[364]},{"name":"WINBIO_ANTI_SPOOF_POLICY_ACTION","features":[364]},{"name":"WINBIO_ANTI_SPOOF_REMOVE","features":[364]},{"name":"WINBIO_ASYNC_NOTIFICATION_METHOD","features":[364]},{"name":"WINBIO_ASYNC_NOTIFY_CALLBACK","features":[364]},{"name":"WINBIO_ASYNC_NOTIFY_MAXIMUM_VALUE","features":[364]},{"name":"WINBIO_ASYNC_NOTIFY_MESSAGE","features":[364]},{"name":"WINBIO_ASYNC_NOTIFY_NONE","features":[364]},{"name":"WINBIO_ASYNC_RESULT","features":[364,308]},{"name":"WINBIO_BDB_ANSI_381_HEADER","features":[364]},{"name":"WINBIO_BDB_ANSI_381_RECORD","features":[364]},{"name":"WINBIO_BIR","features":[364]},{"name":"WINBIO_BIR_ALGIN_SIZE","features":[364]},{"name":"WINBIO_BIR_ALIGN_SIZE","features":[364]},{"name":"WINBIO_BIR_DATA","features":[364]},{"name":"WINBIO_BIR_HEADER","features":[364]},{"name":"WINBIO_BLANK_PAYLOAD","features":[364]},{"name":"WINBIO_BSP_SCHEMA","features":[364]},{"name":"WINBIO_CALIBRATION_INFO","features":[364]},{"name":"WINBIO_CAPTURE_DATA","features":[364]},{"name":"WINBIO_CAPTURE_PARAMETERS","features":[364]},{"name":"WINBIO_COMPONENT","features":[364]},{"name":"WINBIO_COMPONENT_ENGINE","features":[364]},{"name":"WINBIO_COMPONENT_SENSOR","features":[364]},{"name":"WINBIO_COMPONENT_STORAGE","features":[364]},{"name":"WINBIO_CREDENTIAL_ALL","features":[364]},{"name":"WINBIO_CREDENTIAL_FORMAT","features":[364]},{"name":"WINBIO_CREDENTIAL_NOT_SET","features":[364]},{"name":"WINBIO_CREDENTIAL_PASSWORD","features":[364]},{"name":"WINBIO_CREDENTIAL_SET","features":[364]},{"name":"WINBIO_CREDENTIAL_STATE","features":[364]},{"name":"WINBIO_CREDENTIAL_TYPE","features":[364]},{"name":"WINBIO_DATA","features":[364]},{"name":"WINBIO_DATA_FLAG_INTEGRITY","features":[364]},{"name":"WINBIO_DATA_FLAG_INTERMEDIATE","features":[364]},{"name":"WINBIO_DATA_FLAG_OPTION_MASK_PRESENT","features":[364]},{"name":"WINBIO_DATA_FLAG_PRIVACY","features":[364]},{"name":"WINBIO_DATA_FLAG_PROCESSED","features":[364]},{"name":"WINBIO_DATA_FLAG_RAW","features":[364]},{"name":"WINBIO_DATA_FLAG_SIGNED","features":[364]},{"name":"WINBIO_DIAGNOSTICS","features":[364]},{"name":"WINBIO_ENCRYPTED_CAPTURE_PARAMS","features":[364]},{"name":"WINBIO_ENGINE_INTERFACE","features":[364,308,313]},{"name":"WINBIO_EVENT","features":[364]},{"name":"WINBIO_EXTENDED_ENGINE_INFO","features":[364]},{"name":"WINBIO_EXTENDED_ENROLLMENT_PARAMETERS","features":[364]},{"name":"WINBIO_EXTENDED_ENROLLMENT_STATUS","features":[364,308]},{"name":"WINBIO_EXTENDED_SENSOR_INFO","features":[364,308]},{"name":"WINBIO_EXTENDED_STORAGE_INFO","features":[364]},{"name":"WINBIO_EXTENDED_UNIT_STATUS","features":[364]},{"name":"WINBIO_E_ADAPTER_INTEGRITY_FAILURE","features":[364]},{"name":"WINBIO_E_AUTO_LOGON_DISABLED","features":[364]},{"name":"WINBIO_E_BAD_CAPTURE","features":[364]},{"name":"WINBIO_E_CALIBRATION_BUFFER_INVALID","features":[364]},{"name":"WINBIO_E_CALIBRATION_BUFFER_TOO_LARGE","features":[364]},{"name":"WINBIO_E_CALIBRATION_BUFFER_TOO_SMALL","features":[364]},{"name":"WINBIO_E_CANCELED","features":[364]},{"name":"WINBIO_E_CAPTURE_ABORTED","features":[364]},{"name":"WINBIO_E_CONFIGURATION_FAILURE","features":[364]},{"name":"WINBIO_E_CRED_PROV_DISABLED","features":[364]},{"name":"WINBIO_E_CRED_PROV_NO_CREDENTIAL","features":[364]},{"name":"WINBIO_E_CRED_PROV_SECURITY_LOCKOUT","features":[364]},{"name":"WINBIO_E_DATABASE_ALREADY_EXISTS","features":[364]},{"name":"WINBIO_E_DATABASE_BAD_INDEX_VECTOR","features":[364]},{"name":"WINBIO_E_DATABASE_CANT_CLOSE","features":[364]},{"name":"WINBIO_E_DATABASE_CANT_CREATE","features":[364]},{"name":"WINBIO_E_DATABASE_CANT_ERASE","features":[364]},{"name":"WINBIO_E_DATABASE_CANT_FIND","features":[364]},{"name":"WINBIO_E_DATABASE_CANT_OPEN","features":[364]},{"name":"WINBIO_E_DATABASE_CORRUPTED","features":[364]},{"name":"WINBIO_E_DATABASE_EOF","features":[364]},{"name":"WINBIO_E_DATABASE_FULL","features":[364]},{"name":"WINBIO_E_DATABASE_LOCKED","features":[364]},{"name":"WINBIO_E_DATABASE_NO_MORE_RECORDS","features":[364]},{"name":"WINBIO_E_DATABASE_NO_RESULTS","features":[364]},{"name":"WINBIO_E_DATABASE_NO_SUCH_RECORD","features":[364]},{"name":"WINBIO_E_DATABASE_READ_ERROR","features":[364]},{"name":"WINBIO_E_DATABASE_WRITE_ERROR","features":[364]},{"name":"WINBIO_E_DATA_COLLECTION_IN_PROGRESS","features":[364]},{"name":"WINBIO_E_DATA_PROTECTION_FAILURE","features":[364]},{"name":"WINBIO_E_DEADLOCK_DETECTED","features":[364]},{"name":"WINBIO_E_DEVICE_BUSY","features":[364]},{"name":"WINBIO_E_DEVICE_FAILURE","features":[364]},{"name":"WINBIO_E_DISABLED","features":[364]},{"name":"WINBIO_E_DUPLICATE_ENROLLMENT","features":[364]},{"name":"WINBIO_E_DUPLICATE_TEMPLATE","features":[364]},{"name":"WINBIO_E_ENROLLMENT_CANCELED_BY_SUSPEND","features":[364]},{"name":"WINBIO_E_ENROLLMENT_IN_PROGRESS","features":[364]},{"name":"WINBIO_E_EVENT_MONITOR_ACTIVE","features":[364]},{"name":"WINBIO_E_FAST_USER_SWITCH_DISABLED","features":[364]},{"name":"WINBIO_E_INCORRECT_BSP","features":[364]},{"name":"WINBIO_E_INCORRECT_SENSOR_POOL","features":[364]},{"name":"WINBIO_E_INCORRECT_SESSION_TYPE","features":[364]},{"name":"WINBIO_E_INSECURE_SENSOR","features":[364]},{"name":"WINBIO_E_INVALID_BUFFER","features":[364]},{"name":"WINBIO_E_INVALID_BUFFER_ID","features":[364]},{"name":"WINBIO_E_INVALID_CALIBRATION_FORMAT_ARRAY","features":[364]},{"name":"WINBIO_E_INVALID_CONTROL_CODE","features":[364]},{"name":"WINBIO_E_INVALID_DEVICE_STATE","features":[364]},{"name":"WINBIO_E_INVALID_KEY_IDENTIFIER","features":[364]},{"name":"WINBIO_E_INVALID_OPERATION","features":[364]},{"name":"WINBIO_E_INVALID_PROPERTY_ID","features":[364]},{"name":"WINBIO_E_INVALID_PROPERTY_TYPE","features":[364]},{"name":"WINBIO_E_INVALID_SENSOR_MODE","features":[364]},{"name":"WINBIO_E_INVALID_SUBFACTOR","features":[364]},{"name":"WINBIO_E_INVALID_TICKET","features":[364]},{"name":"WINBIO_E_INVALID_UNIT","features":[364]},{"name":"WINBIO_E_KEY_CREATION_FAILED","features":[364]},{"name":"WINBIO_E_KEY_IDENTIFIER_BUFFER_TOO_SMALL","features":[364]},{"name":"WINBIO_E_LOCK_VIOLATION","features":[364]},{"name":"WINBIO_E_MAX_ERROR_COUNT_EXCEEDED","features":[364]},{"name":"WINBIO_E_NOT_ACTIVE_CONSOLE","features":[364]},{"name":"WINBIO_E_NO_CAPTURE_DATA","features":[364]},{"name":"WINBIO_E_NO_MATCH","features":[364]},{"name":"WINBIO_E_NO_PREBOOT_IDENTITY","features":[364]},{"name":"WINBIO_E_NO_SUPPORTED_CALIBRATION_FORMAT","features":[364]},{"name":"WINBIO_E_POLICY_PROTECTION_UNAVAILABLE","features":[364]},{"name":"WINBIO_E_PRESENCE_MONITOR_ACTIVE","features":[364]},{"name":"WINBIO_E_PROPERTY_UNAVAILABLE","features":[364]},{"name":"WINBIO_E_SAS_ENABLED","features":[364]},{"name":"WINBIO_E_SELECTION_REQUIRED","features":[364]},{"name":"WINBIO_E_SENSOR_UNAVAILABLE","features":[364]},{"name":"WINBIO_E_SESSION_BUSY","features":[364]},{"name":"WINBIO_E_SESSION_HANDLE_CLOSED","features":[364]},{"name":"WINBIO_E_TICKET_QUOTA_EXCEEDED","features":[364]},{"name":"WINBIO_E_TRUSTLET_INTEGRITY_FAIL","features":[364]},{"name":"WINBIO_E_UNKNOWN_ID","features":[364]},{"name":"WINBIO_E_UNSUPPORTED_DATA_FORMAT","features":[364]},{"name":"WINBIO_E_UNSUPPORTED_DATA_TYPE","features":[364]},{"name":"WINBIO_E_UNSUPPORTED_FACTOR","features":[364]},{"name":"WINBIO_E_UNSUPPORTED_POOL_TYPE","features":[364]},{"name":"WINBIO_E_UNSUPPORTED_PROPERTY","features":[364]},{"name":"WINBIO_E_UNSUPPORTED_PURPOSE","features":[364]},{"name":"WINBIO_E_UNSUPPORTED_SENSOR_CALIBRATION_FORMAT","features":[364]},{"name":"WINBIO_FP_BU_STATE","features":[364,308]},{"name":"WINBIO_FRAMEWORK_INTERFACE","features":[364,308,313]},{"name":"WINBIO_GESTURE_METADATA","features":[364]},{"name":"WINBIO_GET_INDICATOR","features":[364]},{"name":"WINBIO_IDENTITY","features":[364]},{"name":"WINBIO_I_EXTENDED_STATUS_INFORMATION","features":[364]},{"name":"WINBIO_I_MORE_DATA","features":[364]},{"name":"WINBIO_MAX_STRING_LEN","features":[364]},{"name":"WINBIO_NOTIFY_WAKE","features":[364]},{"name":"WINBIO_PASSWORD_GENERIC","features":[364]},{"name":"WINBIO_PASSWORD_PACKED","features":[364]},{"name":"WINBIO_PASSWORD_PROTECTED","features":[364]},{"name":"WINBIO_PIPELINE","features":[364,308,313]},{"name":"WINBIO_POLICY_ADMIN","features":[364]},{"name":"WINBIO_POLICY_DEFAULT","features":[364]},{"name":"WINBIO_POLICY_LOCAL","features":[364]},{"name":"WINBIO_POLICY_SOURCE","features":[364]},{"name":"WINBIO_POLICY_UNKNOWN","features":[364]},{"name":"WINBIO_POOL","features":[364]},{"name":"WINBIO_POOL_PRIVATE","features":[364]},{"name":"WINBIO_POOL_SYSTEM","features":[364]},{"name":"WINBIO_PRESENCE","features":[364,308]},{"name":"WINBIO_PRESENCE_PROPERTIES","features":[364,308]},{"name":"WINBIO_PRIVATE_SENSOR_TYPE_INFO","features":[364]},{"name":"WINBIO_PROTECTION_POLICY","features":[364]},{"name":"WINBIO_REGISTERED_FORMAT","features":[364]},{"name":"WINBIO_SCP_CURVE_FIELD_SIZE_V1","features":[364]},{"name":"WINBIO_SCP_DIGEST_SIZE_V1","features":[364]},{"name":"WINBIO_SCP_ENCRYPTION_BLOCK_SIZE_V1","features":[364]},{"name":"WINBIO_SCP_ENCRYPTION_KEY_SIZE_V1","features":[364]},{"name":"WINBIO_SCP_PRIVATE_KEY_SIZE_V1","features":[364]},{"name":"WINBIO_SCP_PUBLIC_KEY_SIZE_V1","features":[364]},{"name":"WINBIO_SCP_RANDOM_SIZE_V1","features":[364]},{"name":"WINBIO_SCP_SIGNATURE_SIZE_V1","features":[364]},{"name":"WINBIO_SCP_VERSION_1","features":[364]},{"name":"WINBIO_SECURE_BUFFER_HEADER_V1","features":[364]},{"name":"WINBIO_SECURE_CONNECTION_DATA","features":[364]},{"name":"WINBIO_SECURE_CONNECTION_PARAMS","features":[364]},{"name":"WINBIO_SENSOR_ATTRIBUTES","features":[364]},{"name":"WINBIO_SENSOR_INTERFACE","features":[364,308,313]},{"name":"WINBIO_SETTING_SOURCE","features":[364]},{"name":"WINBIO_SETTING_SOURCE_DEFAULT","features":[364]},{"name":"WINBIO_SETTING_SOURCE_INVALID","features":[364]},{"name":"WINBIO_SETTING_SOURCE_LOCAL","features":[364]},{"name":"WINBIO_SETTING_SOURCE_POLICY","features":[364]},{"name":"WINBIO_SET_INDICATOR","features":[364]},{"name":"WINBIO_STORAGE_INTERFACE","features":[364,308,313]},{"name":"WINBIO_STORAGE_RECORD","features":[364]},{"name":"WINBIO_STORAGE_SCHEMA","features":[364]},{"name":"WINBIO_SUPPORTED_ALGORITHMS","features":[364]},{"name":"WINBIO_UNIT_SCHEMA","features":[364]},{"name":"WINBIO_UPDATE_FIRMWARE","features":[364]},{"name":"WINBIO_VERSION","features":[364]},{"name":"WINBIO_WBDI_MAJOR_VERSION","features":[364]},{"name":"WINBIO_WBDI_MINOR_VERSION","features":[364]},{"name":"WINIBIO_ENGINE_CONTEXT","features":[364]},{"name":"WINIBIO_SENSOR_CONTEXT","features":[364]},{"name":"WINIBIO_STORAGE_CONTEXT","features":[364]},{"name":"WinBioAcquireFocus","features":[364]},{"name":"WinBioAsyncEnumBiometricUnits","features":[364]},{"name":"WinBioAsyncEnumDatabases","features":[364]},{"name":"WinBioAsyncEnumServiceProviders","features":[364]},{"name":"WinBioAsyncMonitorFrameworkChanges","features":[364]},{"name":"WinBioAsyncOpenFramework","features":[364,308]},{"name":"WinBioAsyncOpenSession","features":[364,308]},{"name":"WinBioCancel","features":[364]},{"name":"WinBioCaptureSample","features":[364]},{"name":"WinBioCaptureSampleWithCallback","features":[364]},{"name":"WinBioCloseFramework","features":[364]},{"name":"WinBioCloseSession","features":[364]},{"name":"WinBioControlUnit","features":[364]},{"name":"WinBioControlUnitPrivileged","features":[364]},{"name":"WinBioDeleteTemplate","features":[364]},{"name":"WinBioEnrollBegin","features":[364]},{"name":"WinBioEnrollCapture","features":[364]},{"name":"WinBioEnrollCaptureWithCallback","features":[364]},{"name":"WinBioEnrollCommit","features":[364]},{"name":"WinBioEnrollDiscard","features":[364]},{"name":"WinBioEnrollSelect","features":[364]},{"name":"WinBioEnumBiometricUnits","features":[364]},{"name":"WinBioEnumDatabases","features":[364]},{"name":"WinBioEnumEnrollments","features":[364]},{"name":"WinBioEnumServiceProviders","features":[364]},{"name":"WinBioFree","features":[364]},{"name":"WinBioGetCredentialState","features":[364]},{"name":"WinBioGetDomainLogonSetting","features":[364]},{"name":"WinBioGetEnabledSetting","features":[364]},{"name":"WinBioGetEnrolledFactors","features":[364]},{"name":"WinBioGetLogonSetting","features":[364]},{"name":"WinBioGetProperty","features":[364]},{"name":"WinBioIdentify","features":[364]},{"name":"WinBioIdentifyWithCallback","features":[364]},{"name":"WinBioImproveBegin","features":[364]},{"name":"WinBioImproveEnd","features":[364]},{"name":"WinBioLocateSensor","features":[364]},{"name":"WinBioLocateSensorWithCallback","features":[364]},{"name":"WinBioLockUnit","features":[364]},{"name":"WinBioLogonIdentifiedUser","features":[364]},{"name":"WinBioMonitorPresence","features":[364]},{"name":"WinBioOpenSession","features":[364]},{"name":"WinBioRegisterEventMonitor","features":[364]},{"name":"WinBioReleaseFocus","features":[364]},{"name":"WinBioRemoveAllCredentials","features":[364]},{"name":"WinBioRemoveAllDomainCredentials","features":[364]},{"name":"WinBioRemoveCredential","features":[364]},{"name":"WinBioSetCredential","features":[364]},{"name":"WinBioSetProperty","features":[364]},{"name":"WinBioUnlockUnit","features":[364]},{"name":"WinBioUnregisterEventMonitor","features":[364]},{"name":"WinBioVerify","features":[364]},{"name":"WinBioVerifyWithCallback","features":[364,308]},{"name":"WinBioWait","features":[364]}],"369":[{"name":"A2DP_SINK_SUPPORTED_FEATURES_AMPLIFIER","features":[365]},{"name":"A2DP_SINK_SUPPORTED_FEATURES_HEADPHONE","features":[365]},{"name":"A2DP_SINK_SUPPORTED_FEATURES_RECORDER","features":[365]},{"name":"A2DP_SINK_SUPPORTED_FEATURES_SPEAKER","features":[365]},{"name":"A2DP_SOURCE_SUPPORTED_FEATURES_MICROPHONE","features":[365]},{"name":"A2DP_SOURCE_SUPPORTED_FEATURES_MIXER","features":[365]},{"name":"A2DP_SOURCE_SUPPORTED_FEATURES_PLAYER","features":[365]},{"name":"A2DP_SOURCE_SUPPORTED_FEATURES_TUNER","features":[365]},{"name":"AF_BTH","features":[365]},{"name":"ATT_PROTOCOL_UUID16","features":[365]},{"name":"AUTHENTICATION_REQUIREMENTS","features":[365]},{"name":"AVCTP_PROTOCOL_UUID16","features":[365]},{"name":"AVDTP_PROTOCOL_UUID16","features":[365]},{"name":"AVRCP_SUPPORTED_FEATURES_CATEGORY_1","features":[365]},{"name":"AVRCP_SUPPORTED_FEATURES_CATEGORY_2","features":[365]},{"name":"AVRCP_SUPPORTED_FEATURES_CATEGORY_3","features":[365]},{"name":"AVRCP_SUPPORTED_FEATURES_CATEGORY_4","features":[365]},{"name":"AVRCP_SUPPORTED_FEATURES_CT_BROWSING","features":[365]},{"name":"AVRCP_SUPPORTED_FEATURES_CT_COVER_ART_IMAGE","features":[365]},{"name":"AVRCP_SUPPORTED_FEATURES_CT_COVER_ART_IMAGE_PROPERTIES","features":[365]},{"name":"AVRCP_SUPPORTED_FEATURES_CT_COVER_ART_LINKED_THUMBNAIL","features":[365]},{"name":"AVRCP_SUPPORTED_FEATURES_TG_BROWSING","features":[365]},{"name":"AVRCP_SUPPORTED_FEATURES_TG_COVER_ART","features":[365]},{"name":"AVRCP_SUPPORTED_FEATURES_TG_GROUP_NAVIGATION","features":[365]},{"name":"AVRCP_SUPPORTED_FEATURES_TG_MULTIPLE_PLAYER_APPLICATIONS","features":[365]},{"name":"AVRCP_SUPPORTED_FEATURES_TG_PLAYER_APPLICATION_SETTINGS","features":[365]},{"name":"AVRemoteControlControllerServiceClass_UUID16","features":[365]},{"name":"AVRemoteControlServiceClassID_UUID16","features":[365]},{"name":"AVRemoteControlTargetServiceClassID_UUID16","features":[365]},{"name":"AdvancedAudioDistributionProfileID_UUID16","features":[365]},{"name":"AdvancedAudioDistributionServiceClassID_UUID16","features":[365]},{"name":"AudioSinkServiceClassID_UUID16","features":[365]},{"name":"AudioSinkSourceServiceClassID_UUID16","features":[365]},{"name":"AudioSourceServiceClassID_UUID16","features":[365]},{"name":"AudioVideoServiceClassID_UUID16","features":[365]},{"name":"AudioVideoServiceClass_UUID16","features":[365]},{"name":"BDIF_ADDRESS","features":[365]},{"name":"BDIF_BR","features":[365]},{"name":"BDIF_BR_SECURE_CONNECTION_PAIRED","features":[365]},{"name":"BDIF_COD","features":[365]},{"name":"BDIF_CONNECTED","features":[365]},{"name":"BDIF_DEBUGKEY","features":[365]},{"name":"BDIF_EIR","features":[365]},{"name":"BDIF_LE","features":[365]},{"name":"BDIF_LE_CONNECTABLE","features":[365]},{"name":"BDIF_LE_CONNECTED","features":[365]},{"name":"BDIF_LE_DEBUGKEY","features":[365]},{"name":"BDIF_LE_DISCOVERABLE","features":[365]},{"name":"BDIF_LE_MITM_PROTECTED","features":[365]},{"name":"BDIF_LE_NAME","features":[365]},{"name":"BDIF_LE_PAIRED","features":[365]},{"name":"BDIF_LE_PERSONAL","features":[365]},{"name":"BDIF_LE_PRIVACY_ENABLED","features":[365]},{"name":"BDIF_LE_RANDOM_ADDRESS_TYPE","features":[365]},{"name":"BDIF_LE_SECURE_CONNECTION_PAIRED","features":[365]},{"name":"BDIF_LE_VISIBLE","features":[365]},{"name":"BDIF_NAME","features":[365]},{"name":"BDIF_PAIRED","features":[365]},{"name":"BDIF_PERSONAL","features":[365]},{"name":"BDIF_RSSI","features":[365]},{"name":"BDIF_SHORT_NAME","features":[365]},{"name":"BDIF_SSP_MITM_PROTECTED","features":[365]},{"name":"BDIF_SSP_PAIRED","features":[365]},{"name":"BDIF_SSP_SUPPORTED","features":[365]},{"name":"BDIF_TX_POWER","features":[365]},{"name":"BDIF_VISIBLE","features":[365]},{"name":"BLUETOOTH_ADDRESS","features":[365]},{"name":"BLUETOOTH_AUTHENTICATE_RESPONSE","features":[365]},{"name":"BLUETOOTH_AUTHENTICATION_CALLBACK_PARAMS","features":[365,308]},{"name":"BLUETOOTH_AUTHENTICATION_METHOD","features":[365]},{"name":"BLUETOOTH_AUTHENTICATION_METHOD_LEGACY","features":[365]},{"name":"BLUETOOTH_AUTHENTICATION_METHOD_NUMERIC_COMPARISON","features":[365]},{"name":"BLUETOOTH_AUTHENTICATION_METHOD_OOB","features":[365]},{"name":"BLUETOOTH_AUTHENTICATION_METHOD_PASSKEY","features":[365]},{"name":"BLUETOOTH_AUTHENTICATION_METHOD_PASSKEY_NOTIFICATION","features":[365]},{"name":"BLUETOOTH_AUTHENTICATION_REQUIREMENTS","features":[365]},{"name":"BLUETOOTH_COD_PAIRS","features":[365]},{"name":"BLUETOOTH_DEVICE_INFO","features":[365,308]},{"name":"BLUETOOTH_DEVICE_NAME_SIZE","features":[365]},{"name":"BLUETOOTH_DEVICE_SEARCH_PARAMS","features":[365,308]},{"name":"BLUETOOTH_FIND_RADIO_PARAMS","features":[365]},{"name":"BLUETOOTH_GATT_FLAG_CONNECTION_AUTHENTICATED","features":[365]},{"name":"BLUETOOTH_GATT_FLAG_CONNECTION_ENCRYPTED","features":[365]},{"name":"BLUETOOTH_GATT_FLAG_FORCE_READ_FROM_CACHE","features":[365]},{"name":"BLUETOOTH_GATT_FLAG_FORCE_READ_FROM_DEVICE","features":[365]},{"name":"BLUETOOTH_GATT_FLAG_NONE","features":[365]},{"name":"BLUETOOTH_GATT_FLAG_RETURN_ALL","features":[365]},{"name":"BLUETOOTH_GATT_FLAG_SIGNED_WRITE","features":[365]},{"name":"BLUETOOTH_GATT_FLAG_WRITE_WITHOUT_RESPONSE","features":[365]},{"name":"BLUETOOTH_GATT_VALUE_CHANGED_EVENT","features":[365]},{"name":"BLUETOOTH_GATT_VALUE_CHANGED_EVENT_REGISTRATION","features":[365,308]},{"name":"BLUETOOTH_IO_CAPABILITY","features":[365]},{"name":"BLUETOOTH_IO_CAPABILITY_DISPLAYONLY","features":[365]},{"name":"BLUETOOTH_IO_CAPABILITY_DISPLAYYESNO","features":[365]},{"name":"BLUETOOTH_IO_CAPABILITY_KEYBOARDONLY","features":[365]},{"name":"BLUETOOTH_IO_CAPABILITY_NOINPUTNOOUTPUT","features":[365]},{"name":"BLUETOOTH_IO_CAPABILITY_UNDEFINED","features":[365]},{"name":"BLUETOOTH_LOCAL_SERVICE_INFO","features":[365,308]},{"name":"BLUETOOTH_MAX_NAME_SIZE","features":[365]},{"name":"BLUETOOTH_MAX_PASSKEY_BUFFER_SIZE","features":[365]},{"name":"BLUETOOTH_MAX_PASSKEY_SIZE","features":[365]},{"name":"BLUETOOTH_MAX_SERVICE_NAME_SIZE","features":[365]},{"name":"BLUETOOTH_MITM_ProtectionNotDefined","features":[365]},{"name":"BLUETOOTH_MITM_ProtectionNotRequired","features":[365]},{"name":"BLUETOOTH_MITM_ProtectionNotRequiredBonding","features":[365]},{"name":"BLUETOOTH_MITM_ProtectionNotRequiredGeneralBonding","features":[365]},{"name":"BLUETOOTH_MITM_ProtectionRequired","features":[365]},{"name":"BLUETOOTH_MITM_ProtectionRequiredBonding","features":[365]},{"name":"BLUETOOTH_MITM_ProtectionRequiredGeneralBonding","features":[365]},{"name":"BLUETOOTH_NUMERIC_COMPARISON_INFO","features":[365]},{"name":"BLUETOOTH_OOB_DATA_INFO","features":[365]},{"name":"BLUETOOTH_PASSKEY_INFO","features":[365]},{"name":"BLUETOOTH_PIN_INFO","features":[365]},{"name":"BLUETOOTH_RADIO_INFO","features":[365]},{"name":"BLUETOOTH_SELECT_DEVICE_PARAMS","features":[365,308]},{"name":"BLUETOOTH_SERVICE_DISABLE","features":[365]},{"name":"BLUETOOTH_SERVICE_ENABLE","features":[365]},{"name":"BNEP_PROTOCOL_UUID16","features":[365]},{"name":"BTHLEENUM_ATT_MTU_DEFAULT","features":[365]},{"name":"BTHLEENUM_ATT_MTU_INITIAL_NEGOTIATION","features":[365]},{"name":"BTHLEENUM_ATT_MTU_MAX","features":[365]},{"name":"BTHLEENUM_ATT_MTU_MIN","features":[365]},{"name":"BTHNS_RESULT_DEVICE_AUTHENTICATED","features":[365]},{"name":"BTHNS_RESULT_DEVICE_CONNECTED","features":[365]},{"name":"BTHNS_RESULT_DEVICE_REMEMBERED","features":[365]},{"name":"BTHPROTO_L2CAP","features":[365]},{"name":"BTHPROTO_RFCOMM","features":[365]},{"name":"BTH_ADDR_GIAC","features":[365]},{"name":"BTH_ADDR_IAC_FIRST","features":[365]},{"name":"BTH_ADDR_IAC_LAST","features":[365]},{"name":"BTH_ADDR_LIAC","features":[365]},{"name":"BTH_ADDR_STRING_SIZE","features":[365]},{"name":"BTH_DEVICE_INFO","features":[365]},{"name":"BTH_EIR_128_UUIDS_COMPLETE_ID","features":[365]},{"name":"BTH_EIR_128_UUIDS_PARTIAL_ID","features":[365]},{"name":"BTH_EIR_16_UUIDS_COMPLETE_ID","features":[365]},{"name":"BTH_EIR_16_UUIDS_PARTIAL_ID","features":[365]},{"name":"BTH_EIR_32_UUIDS_COMPLETE_ID","features":[365]},{"name":"BTH_EIR_32_UUIDS_PARTIAL_ID","features":[365]},{"name":"BTH_EIR_FLAGS_ID","features":[365]},{"name":"BTH_EIR_LOCAL_NAME_COMPLETE_ID","features":[365]},{"name":"BTH_EIR_LOCAL_NAME_PARTIAL_ID","features":[365]},{"name":"BTH_EIR_MANUFACTURER_ID","features":[365]},{"name":"BTH_EIR_OOB_BD_ADDR_ID","features":[365]},{"name":"BTH_EIR_OOB_COD_ID","features":[365]},{"name":"BTH_EIR_OOB_OPT_DATA_LEN_ID","features":[365]},{"name":"BTH_EIR_OOB_SP_HASH_ID","features":[365]},{"name":"BTH_EIR_OOB_SP_RANDOMIZER_ID","features":[365]},{"name":"BTH_EIR_SIZE","features":[365]},{"name":"BTH_EIR_TX_POWER_LEVEL_ID","features":[365]},{"name":"BTH_ERROR_ACL_CONNECTION_ALREADY_EXISTS","features":[365]},{"name":"BTH_ERROR_AUTHENTICATION_FAILURE","features":[365]},{"name":"BTH_ERROR_CHANNEL_CLASSIFICATION_NOT_SUPPORTED","features":[365]},{"name":"BTH_ERROR_COARSE_CLOCK_ADJUSTMENT_REJECTED","features":[365]},{"name":"BTH_ERROR_COMMAND_DISALLOWED","features":[365]},{"name":"BTH_ERROR_CONNECTION_FAILED_TO_BE_ESTABLISHED","features":[365]},{"name":"BTH_ERROR_CONNECTION_REJECTED_DUE_TO_NO_SUITABLE_CHANNEL_FOUND","features":[365]},{"name":"BTH_ERROR_CONNECTION_TERMINATED_DUE_TO_MIC_FAILURE","features":[365]},{"name":"BTH_ERROR_CONNECTION_TIMEOUT","features":[365]},{"name":"BTH_ERROR_CONTROLLER_BUSY","features":[365]},{"name":"BTH_ERROR_DIFFERENT_TRANSACTION_COLLISION","features":[365]},{"name":"BTH_ERROR_DIRECTED_ADVERTISING_TIMEOUT","features":[365]},{"name":"BTH_ERROR_ENCRYPTION_MODE_NOT_ACCEPTABLE","features":[365]},{"name":"BTH_ERROR_EXTENDED_INQUIRY_RESPONSE_TOO_LARGE","features":[365]},{"name":"BTH_ERROR_HARDWARE_FAILURE","features":[365]},{"name":"BTH_ERROR_HOST_BUSY_PAIRING","features":[365]},{"name":"BTH_ERROR_HOST_REJECTED_LIMITED_RESOURCES","features":[365]},{"name":"BTH_ERROR_HOST_REJECTED_PERSONAL_DEVICE","features":[365]},{"name":"BTH_ERROR_HOST_REJECTED_SECURITY_REASONS","features":[365]},{"name":"BTH_ERROR_HOST_TIMEOUT","features":[365]},{"name":"BTH_ERROR_INSTANT_PASSED","features":[365]},{"name":"BTH_ERROR_INSUFFICIENT_SECURITY","features":[365]},{"name":"BTH_ERROR_INVALID_HCI_PARAMETER","features":[365]},{"name":"BTH_ERROR_INVALID_LMP_PARAMETERS","features":[365]},{"name":"BTH_ERROR_KEY_MISSING","features":[365]},{"name":"BTH_ERROR_LIMIT_REACHED","features":[365]},{"name":"BTH_ERROR_LMP_PDU_NOT_ALLOWED","features":[365]},{"name":"BTH_ERROR_LMP_RESPONSE_TIMEOUT","features":[365]},{"name":"BTH_ERROR_LMP_TRANSACTION_COLLISION","features":[365]},{"name":"BTH_ERROR_LOCAL_HOST_TERMINATED_CONNECTION","features":[365]},{"name":"BTH_ERROR_MAC_CONNECTION_FAILED","features":[365]},{"name":"BTH_ERROR_MAX_NUMBER_OF_CONNECTIONS","features":[365]},{"name":"BTH_ERROR_MAX_NUMBER_OF_SCO_CONNECTIONS","features":[365]},{"name":"BTH_ERROR_MEMORY_FULL","features":[365]},{"name":"BTH_ERROR_NO_CONNECTION","features":[365]},{"name":"BTH_ERROR_OPERATION_CANCELLED_BY_HOST","features":[365]},{"name":"BTH_ERROR_PACKET_TOO_LONG","features":[365]},{"name":"BTH_ERROR_PAGE_TIMEOUT","features":[365]},{"name":"BTH_ERROR_PAIRING_NOT_ALLOWED","features":[365]},{"name":"BTH_ERROR_PAIRING_WITH_UNIT_KEY_NOT_SUPPORTED","features":[365]},{"name":"BTH_ERROR_PARAMETER_OUT_OF_MANDATORY_RANGE","features":[365]},{"name":"BTH_ERROR_QOS_IS_NOT_SUPPORTED","features":[365]},{"name":"BTH_ERROR_QOS_REJECTED","features":[365]},{"name":"BTH_ERROR_QOS_UNACCEPTABLE_PARAMETER","features":[365]},{"name":"BTH_ERROR_REMOTE_LOW_RESOURCES","features":[365]},{"name":"BTH_ERROR_REMOTE_POWERING_OFF","features":[365]},{"name":"BTH_ERROR_REMOTE_USER_ENDED_CONNECTION","features":[365]},{"name":"BTH_ERROR_REPEATED_ATTEMPTS","features":[365]},{"name":"BTH_ERROR_RESERVED_SLOT_VIOLATION","features":[365]},{"name":"BTH_ERROR_ROLE_CHANGE_NOT_ALLOWED","features":[365]},{"name":"BTH_ERROR_ROLE_SWITCH_FAILED","features":[365]},{"name":"BTH_ERROR_ROLE_SWITCH_PENDING","features":[365]},{"name":"BTH_ERROR_SCO_AIRMODE_REJECTED","features":[365]},{"name":"BTH_ERROR_SCO_INTERVAL_REJECTED","features":[365]},{"name":"BTH_ERROR_SCO_OFFSET_REJECTED","features":[365]},{"name":"BTH_ERROR_SECURE_SIMPLE_PAIRING_NOT_SUPPORTED_BY_HOST","features":[365]},{"name":"BTH_ERROR_SUCCESS","features":[365]},{"name":"BTH_ERROR_TYPE_0_SUBMAP_NOT_DEFINED","features":[365]},{"name":"BTH_ERROR_UKNOWN_LMP_PDU","features":[365]},{"name":"BTH_ERROR_UNACCEPTABLE_CONNECTION_INTERVAL","features":[365]},{"name":"BTH_ERROR_UNIT_KEY_NOT_USED","features":[365]},{"name":"BTH_ERROR_UNKNOWN_ADVERTISING_IDENTIFIER","features":[365]},{"name":"BTH_ERROR_UNKNOWN_HCI_COMMAND","features":[365]},{"name":"BTH_ERROR_UNSPECIFIED","features":[365]},{"name":"BTH_ERROR_UNSPECIFIED_ERROR","features":[365]},{"name":"BTH_ERROR_UNSUPPORTED_FEATURE_OR_PARAMETER","features":[365]},{"name":"BTH_ERROR_UNSUPPORTED_LMP_PARM_VALUE","features":[365]},{"name":"BTH_ERROR_UNSUPPORTED_REMOTE_FEATURE","features":[365]},{"name":"BTH_HCI_EVENT_INFO","features":[365]},{"name":"BTH_HOST_FEATURE_ENHANCED_RETRANSMISSION_MODE","features":[365]},{"name":"BTH_HOST_FEATURE_LOW_ENERGY","features":[365]},{"name":"BTH_HOST_FEATURE_SCO_HCI","features":[365]},{"name":"BTH_HOST_FEATURE_SCO_HCIBYPASS","features":[365]},{"name":"BTH_HOST_FEATURE_STREAMING_MODE","features":[365]},{"name":"BTH_INFO_REQ","features":[365]},{"name":"BTH_INFO_RSP","features":[365]},{"name":"BTH_IOCTL_BASE","features":[365]},{"name":"BTH_L2CAP_EVENT_INFO","features":[365]},{"name":"BTH_LE_ATT_BLUETOOTH_BASE_GUID","features":[365]},{"name":"BTH_LE_ATT_CID","features":[365]},{"name":"BTH_LE_ATT_MAX_VALUE_SIZE","features":[365]},{"name":"BTH_LE_ATT_TRANSACTION_TIMEOUT","features":[365]},{"name":"BTH_LE_ERROR_ATTRIBUTE_NOT_FOUND","features":[365]},{"name":"BTH_LE_ERROR_ATTRIBUTE_NOT_LONG","features":[365]},{"name":"BTH_LE_ERROR_INSUFFICIENT_AUTHENTICATION","features":[365]},{"name":"BTH_LE_ERROR_INSUFFICIENT_AUTHORIZATION","features":[365]},{"name":"BTH_LE_ERROR_INSUFFICIENT_ENCRYPTION","features":[365]},{"name":"BTH_LE_ERROR_INSUFFICIENT_ENCRYPTION_KEY_SIZE","features":[365]},{"name":"BTH_LE_ERROR_INSUFFICIENT_RESOURCES","features":[365]},{"name":"BTH_LE_ERROR_INVALID_ATTRIBUTE_VALUE_LENGTH","features":[365]},{"name":"BTH_LE_ERROR_INVALID_HANDLE","features":[365]},{"name":"BTH_LE_ERROR_INVALID_OFFSET","features":[365]},{"name":"BTH_LE_ERROR_INVALID_PDU","features":[365]},{"name":"BTH_LE_ERROR_PREPARE_QUEUE_FULL","features":[365]},{"name":"BTH_LE_ERROR_READ_NOT_PERMITTED","features":[365]},{"name":"BTH_LE_ERROR_REQUEST_NOT_SUPPORTED","features":[365]},{"name":"BTH_LE_ERROR_UNKNOWN","features":[365]},{"name":"BTH_LE_ERROR_UNLIKELY","features":[365]},{"name":"BTH_LE_ERROR_UNSUPPORTED_GROUP_TYPE","features":[365]},{"name":"BTH_LE_ERROR_WRITE_NOT_PERMITTED","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SINK_SUBCATEGORY_BOOKSHELF_SPEAKER","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SINK_SUBCATEGORY_SOUNDBAR","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SINK_SUBCATEGORY_SPEAKERPHONE","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SINK_SUBCATEGORY_STANDALONE_SPEAKER","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SINK_SUBCATEGORY_STANDMOUNTED_SPEAKER","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SOURCE_SUBCATEGORY_ALARM","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SOURCE_SUBCATEGORY_AUDITORIUM","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SOURCE_SUBCATEGORY_BELL","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SOURCE_SUBCATEGORY_BROADCASTING_DEVICE","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SOURCE_SUBCATEGORY_BROADCASTING_ROOM","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SOURCE_SUBCATEGORY_HORN","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SOURCE_SUBCATEGORY_KIOSK","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SOURCE_SUBCATEGORY_MICROPHONE","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_AUDIO_SOURCE_SUBCATEGORY_SERVICE_DESK","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_BLOOD_PRESSURE_SUBCATEGORY_ARM","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_BLOOD_PRESSURE_SUBCATEGORY_WRIST","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_ACCESS_CONTROL","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_AIRCRAFT","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_AIR_CONDITIONING","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_AUDIO_SINK","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_AUDIO_SOURCE","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_AV_EQUIPMENT","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_BARCODE_SCANNER","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_BLOOD_PRESSURE","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_CLOCK","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_COMPUTER","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_CONTINUOUS_GLUCOSE_MONITOR","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_CONTROL_DEVICE","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_CYCLING","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_DISPLAY","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_DISPLAY_EQUIPMENT","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_DOMESTIC_APPLIANCE","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_EYE_GLASSES","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_FAN","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_GAMING","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_GLUCOSE_METER","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_HEARING_AID","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_HEART_RATE","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_HEATING","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_HID","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_HUMIDIFIER","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_HVAC","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_INSULIN_PUMP","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_KEYRING","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_LIGHT_FIXTURES","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_LIGHT_SOURCE","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_MASK","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_MEDIA_PLAYER","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_MEDICATION_DELIVERY","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_MOTORIZED_DEVICE","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_MOTORIZED_VEHICLE","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_NETWORK_DEVICE","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_OFFSET","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_OUTDOOR_SPORTS_ACTIVITY","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_PERSONAL_MOBILITY_DEVICE","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_PHONE","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_PLUSE_OXIMETER","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_POWER_DEVICE","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_REMOTE_CONTROL","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_RUNNING_WALKING_SENSOR","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_SENSOR","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_SIGNAGE","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_TAG","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_THERMOMETER","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_UNCATEGORIZED","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_WATCH","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_WEARABLE_AUDIO_DEVICE","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_WEIGHT_SCALE","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CATEGORY_WINDOW_COVERING","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CYCLING_SUBCATEGORY_CADENCE_SENSOR","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CYCLING_SUBCATEGORY_CYCLING_COMPUTER","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CYCLING_SUBCATEGORY_POWER_SENSOR","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CYCLING_SUBCATEGORY_SPEED_AND_CADENCE_SENSOR","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_CYCLING_SUBCATEGORY_SPEED_SENSOR","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_HEARING_AID_SUBCATEGORY_BEHIND_EAR_HEARING_AID","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_HEARING_AID_SUBCATEGORY_COCHLEAR_IMPLANT","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_HEARING_AID_SUBCATEGORY_IN_EAR_HEARING_AID","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_HEART_RATE_SUBCATEGORY_HEART_RATE_BELT","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_HID_SUBCATEGORY_BARCODE_SCANNER","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_HID_SUBCATEGORY_CARD_READER","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_HID_SUBCATEGORY_DIGITAL_PEN","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_HID_SUBCATEGORY_DIGITIZER_TABLET","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_HID_SUBCATEGORY_GAMEPAD","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_HID_SUBCATEGORY_JOYSTICK","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_HID_SUBCATEGORY_KEYBOARD","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_HID_SUBCATEGORY_MOUSE","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_OUTDOOR_SPORTS_ACTIVITY_SUBCATEGORY_LOCATION_DISPLAY_DEVICE","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_OUTDOOR_SPORTS_ACTIVITY_SUBCATEGORY_LOCATION_NAVIGATION_DISPLAY_DEVICE","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_OUTDOOR_SPORTS_ACTIVITY_SUBCATEGORY_LOCATION_NAVIGATION_POD","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_OUTDOOR_SPORTS_ACTIVITY_SUBCATEGORY_LOCATION_POD","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_PULSE_OXIMETER_SUBCATEGORY_FINGERTIP","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_PULSE_OXIMETER_SUBCATEGORY_WRIST_WORN","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_RUNNING_WALKING_SENSOR_SUBCATEGORY_IN_SHOE","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_RUNNING_WALKING_SENSOR_SUBCATEGORY_ON_HIP","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_RUNNING_WALKING_SENSOR_SUBCATEGORY_ON_SHOE","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_SUBCATEGORY_GENERIC","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_SUB_CATEGORY_MASK","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_THERMOMETER_SUBCATEGORY_EAR","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_WATCH_SUBCATEGORY_SPORTS_WATCH","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_WEARABLE_AUDIO_DEVICE_SUBCATEGORY_EARBUD","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_WEARABLE_AUDIO_DEVICE_SUBCATEGORY_HEADPHONES","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_WEARABLE_AUDIO_DEVICE_SUBCATEGORY_HEADSET","features":[365]},{"name":"BTH_LE_GAP_APPEARANCE_WEARABLE_AUDIO_DEVICE_SUBCATEGORY_NECKBAND","features":[365]},{"name":"BTH_LE_GATT_ATTRIBUTE_TYPE_CHARACTERISTIC","features":[365]},{"name":"BTH_LE_GATT_ATTRIBUTE_TYPE_INCLUDE","features":[365]},{"name":"BTH_LE_GATT_ATTRIBUTE_TYPE_PRIMARY_SERVICE","features":[365]},{"name":"BTH_LE_GATT_ATTRIBUTE_TYPE_SECONDARY_SERVICE","features":[365]},{"name":"BTH_LE_GATT_CHARACTERISTIC","features":[365,308]},{"name":"BTH_LE_GATT_CHARACTERISTIC_DESCRIPTOR_AGGREGATE_FORMAT","features":[365]},{"name":"BTH_LE_GATT_CHARACTERISTIC_DESCRIPTOR_CLIENT_CONFIGURATION","features":[365]},{"name":"BTH_LE_GATT_CHARACTERISTIC_DESCRIPTOR_EXTENDED_PROPERTIES","features":[365]},{"name":"BTH_LE_GATT_CHARACTERISTIC_DESCRIPTOR_FORMAT","features":[365]},{"name":"BTH_LE_GATT_CHARACTERISTIC_DESCRIPTOR_SERVER_CONFIGURATION","features":[365]},{"name":"BTH_LE_GATT_CHARACTERISTIC_DESCRIPTOR_USER_DESCRIPTION","features":[365]},{"name":"BTH_LE_GATT_CHARACTERISTIC_TYPE_APPEARANCE","features":[365]},{"name":"BTH_LE_GATT_CHARACTERISTIC_TYPE_DEVICE_NAME","features":[365]},{"name":"BTH_LE_GATT_CHARACTERISTIC_TYPE_PERIPHERAL_PREFERED_CONNECTION_PARAMETER","features":[365]},{"name":"BTH_LE_GATT_CHARACTERISTIC_TYPE_PERIPHERAL_PRIVACY_FLAG","features":[365]},{"name":"BTH_LE_GATT_CHARACTERISTIC_TYPE_RECONNECTION_ADDRESS","features":[365]},{"name":"BTH_LE_GATT_CHARACTERISTIC_TYPE_SERVICE_CHANGED","features":[365]},{"name":"BTH_LE_GATT_CHARACTERISTIC_VALUE","features":[365]},{"name":"BTH_LE_GATT_DEFAULT_MAX_INCLUDED_SERVICES_DEPTH","features":[365]},{"name":"BTH_LE_GATT_DESCRIPTOR","features":[365,308]},{"name":"BTH_LE_GATT_DESCRIPTOR_TYPE","features":[365]},{"name":"BTH_LE_GATT_DESCRIPTOR_VALUE","features":[365,308]},{"name":"BTH_LE_GATT_EVENT_TYPE","features":[365]},{"name":"BTH_LE_GATT_SERVICE","features":[365,308]},{"name":"BTH_LE_SERVICE_GAP","features":[365]},{"name":"BTH_LE_SERVICE_GATT","features":[365]},{"name":"BTH_LE_UUID","features":[365,308]},{"name":"BTH_LINK_KEY_LENGTH","features":[365]},{"name":"BTH_MAJORVERSION","features":[365]},{"name":"BTH_MAX_NAME_SIZE","features":[365]},{"name":"BTH_MAX_PIN_SIZE","features":[365]},{"name":"BTH_MAX_SERVICE_NAME_SIZE","features":[365]},{"name":"BTH_MFG_3COM","features":[365]},{"name":"BTH_MFG_ALCATEL","features":[365]},{"name":"BTH_MFG_APPLE","features":[365]},{"name":"BTH_MFG_ARUBA_NETWORKS","features":[365]},{"name":"BTH_MFG_ATMEL","features":[365]},{"name":"BTH_MFG_AVM_BERLIN","features":[365]},{"name":"BTH_MFG_BANDSPEED","features":[365]},{"name":"BTH_MFG_BROADCOM","features":[365]},{"name":"BTH_MFG_CONEXANT","features":[365]},{"name":"BTH_MFG_CSR","features":[365]},{"name":"BTH_MFG_C_TECHNOLOGIES","features":[365]},{"name":"BTH_MFG_DIGIANSWER","features":[365]},{"name":"BTH_MFG_ERICSSON","features":[365]},{"name":"BTH_MFG_HITACHI","features":[365]},{"name":"BTH_MFG_IBM","features":[365]},{"name":"BTH_MFG_INFINEON","features":[365]},{"name":"BTH_MFG_INTEL","features":[365]},{"name":"BTH_MFG_INTERNAL_USE","features":[365]},{"name":"BTH_MFG_INVENTEL","features":[365]},{"name":"BTH_MFG_KC_TECHNOLOGY","features":[365]},{"name":"BTH_MFG_LUCENT","features":[365]},{"name":"BTH_MFG_MACRONIX_INTERNATIONAL","features":[365]},{"name":"BTH_MFG_MANSELLA","features":[365]},{"name":"BTH_MFG_MARVELL","features":[365]},{"name":"BTH_MFG_MICROSOFT","features":[365]},{"name":"BTH_MFG_MITEL","features":[365]},{"name":"BTH_MFG_MITSIBUSHI","features":[365]},{"name":"BTH_MFG_MOTOROLA","features":[365]},{"name":"BTH_MFG_NEC","features":[365]},{"name":"BTH_MFG_NEWLOGIC","features":[365]},{"name":"BTH_MFG_NOKIA","features":[365]},{"name":"BTH_MFG_NORDIC_SEMICONDUCTORS_ASA","features":[365]},{"name":"BTH_MFG_OPEN_INTERFACE","features":[365]},{"name":"BTH_MFG_PARTHUS","features":[365]},{"name":"BTH_MFG_PHILIPS_SEMICONDUCTOR","features":[365]},{"name":"BTH_MFG_QUALCOMM","features":[365]},{"name":"BTH_MFG_RF_MICRO_DEVICES","features":[365]},{"name":"BTH_MFG_ROHDE_SCHWARZ","features":[365]},{"name":"BTH_MFG_RTX_TELECOM","features":[365]},{"name":"BTH_MFG_SIGNIA","features":[365]},{"name":"BTH_MFG_SILICONWAVE","features":[365]},{"name":"BTH_MFG_SYMBOL_TECHNOLOGIES","features":[365]},{"name":"BTH_MFG_TENOVIS","features":[365]},{"name":"BTH_MFG_TI","features":[365]},{"name":"BTH_MFG_TOSHIBA","features":[365]},{"name":"BTH_MFG_TRANSILICA","features":[365]},{"name":"BTH_MFG_TTPCOM","features":[365]},{"name":"BTH_MFG_WAVEPLUS_TECHNOLOGY_CO","features":[365]},{"name":"BTH_MFG_WIDCOMM","features":[365]},{"name":"BTH_MFG_ZEEVO","features":[365]},{"name":"BTH_MINORVERSION","features":[365]},{"name":"BTH_PING_REQ","features":[365]},{"name":"BTH_PING_RSP","features":[365]},{"name":"BTH_QUERY_DEVICE","features":[365]},{"name":"BTH_QUERY_SERVICE","features":[365]},{"name":"BTH_RADIO_IN_RANGE","features":[365]},{"name":"BTH_SDP_VERSION","features":[365]},{"name":"BTH_SET_SERVICE","features":[365,308]},{"name":"BTH_VID_DEFAULT_VALUE","features":[365]},{"name":"BT_PORT_DYN_FIRST","features":[365]},{"name":"BT_PORT_MAX","features":[365]},{"name":"BT_PORT_MIN","features":[365]},{"name":"BasicPrintingProfileID_UUID16","features":[365]},{"name":"BasicPrintingServiceClassID_UUID16","features":[365]},{"name":"BluetoothAuthenticateDevice","features":[365,308]},{"name":"BluetoothAuthenticateDeviceEx","features":[365,308]},{"name":"BluetoothAuthenticateMultipleDevices","features":[365,308]},{"name":"BluetoothDisplayDeviceProperties","features":[365,308]},{"name":"BluetoothEnableDiscovery","features":[365,308]},{"name":"BluetoothEnableIncomingConnections","features":[365,308]},{"name":"BluetoothEnumerateInstalledServices","features":[365,308]},{"name":"BluetoothFindDeviceClose","features":[365,308]},{"name":"BluetoothFindFirstDevice","features":[365,308]},{"name":"BluetoothFindFirstRadio","features":[365,308]},{"name":"BluetoothFindNextDevice","features":[365,308]},{"name":"BluetoothFindNextRadio","features":[365,308]},{"name":"BluetoothFindRadioClose","features":[365,308]},{"name":"BluetoothGATTAbortReliableWrite","features":[365,308]},{"name":"BluetoothGATTBeginReliableWrite","features":[365,308]},{"name":"BluetoothGATTEndReliableWrite","features":[365,308]},{"name":"BluetoothGATTGetCharacteristicValue","features":[365,308]},{"name":"BluetoothGATTGetCharacteristics","features":[365,308]},{"name":"BluetoothGATTGetDescriptorValue","features":[365,308]},{"name":"BluetoothGATTGetDescriptors","features":[365,308]},{"name":"BluetoothGATTGetIncludedServices","features":[365,308]},{"name":"BluetoothGATTGetServices","features":[365,308]},{"name":"BluetoothGATTRegisterEvent","features":[365,308]},{"name":"BluetoothGATTSetCharacteristicValue","features":[365,308]},{"name":"BluetoothGATTSetDescriptorValue","features":[365,308]},{"name":"BluetoothGATTUnregisterEvent","features":[365]},{"name":"BluetoothGetDeviceInfo","features":[365,308]},{"name":"BluetoothGetRadioInfo","features":[365,308]},{"name":"BluetoothIsConnectable","features":[365,308]},{"name":"BluetoothIsDiscoverable","features":[365,308]},{"name":"BluetoothIsVersionAvailable","features":[365,308]},{"name":"BluetoothRegisterForAuthentication","features":[365,308]},{"name":"BluetoothRegisterForAuthenticationEx","features":[365,308]},{"name":"BluetoothRemoveDevice","features":[365]},{"name":"BluetoothSdpEnumAttributes","features":[365,308]},{"name":"BluetoothSdpGetAttributeValue","features":[365]},{"name":"BluetoothSdpGetContainerElementData","features":[365]},{"name":"BluetoothSdpGetElementData","features":[365]},{"name":"BluetoothSdpGetString","features":[365]},{"name":"BluetoothSelectDevices","features":[365,308]},{"name":"BluetoothSelectDevicesFree","features":[365,308]},{"name":"BluetoothSendAuthenticationResponse","features":[365,308]},{"name":"BluetoothSendAuthenticationResponseEx","features":[365,308]},{"name":"BluetoothSetLocalServiceInfo","features":[365,308]},{"name":"BluetoothSetServiceState","features":[365,308]},{"name":"BluetoothUnregisterAuthentication","features":[365,308]},{"name":"BluetoothUpdateDeviceRecord","features":[365,308]},{"name":"Bluetooth_Base_UUID","features":[365]},{"name":"BrowseGroupDescriptorServiceClassID_UUID16","features":[365]},{"name":"CMPT_PROTOCOL_UUID16","features":[365]},{"name":"COD_AUDIO_MINOR_CAMCORDER","features":[365]},{"name":"COD_AUDIO_MINOR_CAR_AUDIO","features":[365]},{"name":"COD_AUDIO_MINOR_GAMING_TOY","features":[365]},{"name":"COD_AUDIO_MINOR_HANDS_FREE","features":[365]},{"name":"COD_AUDIO_MINOR_HEADPHONES","features":[365]},{"name":"COD_AUDIO_MINOR_HEADSET","features":[365]},{"name":"COD_AUDIO_MINOR_HEADSET_HANDS_FREE","features":[365]},{"name":"COD_AUDIO_MINOR_HIFI_AUDIO","features":[365]},{"name":"COD_AUDIO_MINOR_LOUDSPEAKER","features":[365]},{"name":"COD_AUDIO_MINOR_MICROPHONE","features":[365]},{"name":"COD_AUDIO_MINOR_PORTABLE_AUDIO","features":[365]},{"name":"COD_AUDIO_MINOR_SET_TOP_BOX","features":[365]},{"name":"COD_AUDIO_MINOR_UNCLASSIFIED","features":[365]},{"name":"COD_AUDIO_MINOR_VCR","features":[365]},{"name":"COD_AUDIO_MINOR_VIDEO_CAMERA","features":[365]},{"name":"COD_AUDIO_MINOR_VIDEO_DISPLAY_CONFERENCING","features":[365]},{"name":"COD_AUDIO_MINOR_VIDEO_DISPLAY_LOUDSPEAKER","features":[365]},{"name":"COD_AUDIO_MINOR_VIDEO_MONITOR","features":[365]},{"name":"COD_COMPUTER_MINOR_DESKTOP","features":[365]},{"name":"COD_COMPUTER_MINOR_HANDHELD","features":[365]},{"name":"COD_COMPUTER_MINOR_LAPTOP","features":[365]},{"name":"COD_COMPUTER_MINOR_PALM","features":[365]},{"name":"COD_COMPUTER_MINOR_SERVER","features":[365]},{"name":"COD_COMPUTER_MINOR_UNCLASSIFIED","features":[365]},{"name":"COD_COMPUTER_MINOR_WEARABLE","features":[365]},{"name":"COD_FORMAT_BIT_OFFSET","features":[365]},{"name":"COD_FORMAT_MASK","features":[365]},{"name":"COD_HEALTH_MINOR_BLOOD_PRESSURE_MONITOR","features":[365]},{"name":"COD_HEALTH_MINOR_GLUCOSE_METER","features":[365]},{"name":"COD_HEALTH_MINOR_HEALTH_DATA_DISPLAY","features":[365]},{"name":"COD_HEALTH_MINOR_HEART_PULSE_MONITOR","features":[365]},{"name":"COD_HEALTH_MINOR_PULSE_OXIMETER","features":[365]},{"name":"COD_HEALTH_MINOR_STEP_COUNTER","features":[365]},{"name":"COD_HEALTH_MINOR_THERMOMETER","features":[365]},{"name":"COD_HEALTH_MINOR_WEIGHING_SCALE","features":[365]},{"name":"COD_IMAGING_MINOR_CAMERA_MASK","features":[365]},{"name":"COD_IMAGING_MINOR_DISPLAY_MASK","features":[365]},{"name":"COD_IMAGING_MINOR_PRINTER_MASK","features":[365]},{"name":"COD_IMAGING_MINOR_SCANNER_MASK","features":[365]},{"name":"COD_LAN_ACCESS_0_USED","features":[365]},{"name":"COD_LAN_ACCESS_17_USED","features":[365]},{"name":"COD_LAN_ACCESS_33_USED","features":[365]},{"name":"COD_LAN_ACCESS_50_USED","features":[365]},{"name":"COD_LAN_ACCESS_67_USED","features":[365]},{"name":"COD_LAN_ACCESS_83_USED","features":[365]},{"name":"COD_LAN_ACCESS_99_USED","features":[365]},{"name":"COD_LAN_ACCESS_BIT_OFFSET","features":[365]},{"name":"COD_LAN_ACCESS_FULL","features":[365]},{"name":"COD_LAN_ACCESS_MASK","features":[365]},{"name":"COD_LAN_MINOR_MASK","features":[365]},{"name":"COD_LAN_MINOR_UNCLASSIFIED","features":[365]},{"name":"COD_MAJOR_AUDIO","features":[365]},{"name":"COD_MAJOR_COMPUTER","features":[365]},{"name":"COD_MAJOR_HEALTH","features":[365]},{"name":"COD_MAJOR_IMAGING","features":[365]},{"name":"COD_MAJOR_LAN_ACCESS","features":[365]},{"name":"COD_MAJOR_MASK","features":[365]},{"name":"COD_MAJOR_MISCELLANEOUS","features":[365]},{"name":"COD_MAJOR_PERIPHERAL","features":[365]},{"name":"COD_MAJOR_PHONE","features":[365]},{"name":"COD_MAJOR_TOY","features":[365]},{"name":"COD_MAJOR_UNCLASSIFIED","features":[365]},{"name":"COD_MAJOR_WEARABLE","features":[365]},{"name":"COD_MINOR_BIT_OFFSET","features":[365]},{"name":"COD_MINOR_MASK","features":[365]},{"name":"COD_PERIPHERAL_MINOR_GAMEPAD","features":[365]},{"name":"COD_PERIPHERAL_MINOR_JOYSTICK","features":[365]},{"name":"COD_PERIPHERAL_MINOR_KEYBOARD_MASK","features":[365]},{"name":"COD_PERIPHERAL_MINOR_NO_CATEGORY","features":[365]},{"name":"COD_PERIPHERAL_MINOR_POINTER_MASK","features":[365]},{"name":"COD_PERIPHERAL_MINOR_REMOTE_CONTROL","features":[365]},{"name":"COD_PERIPHERAL_MINOR_SENSING","features":[365]},{"name":"COD_PHONE_MINOR_CELLULAR","features":[365]},{"name":"COD_PHONE_MINOR_CORDLESS","features":[365]},{"name":"COD_PHONE_MINOR_SMART","features":[365]},{"name":"COD_PHONE_MINOR_UNCLASSIFIED","features":[365]},{"name":"COD_PHONE_MINOR_WIRED_MODEM","features":[365]},{"name":"COD_SERVICE_AUDIO","features":[365]},{"name":"COD_SERVICE_CAPTURING","features":[365]},{"name":"COD_SERVICE_INFORMATION","features":[365]},{"name":"COD_SERVICE_LE_AUDIO","features":[365]},{"name":"COD_SERVICE_LIMITED","features":[365]},{"name":"COD_SERVICE_MASK","features":[365]},{"name":"COD_SERVICE_MAX_COUNT","features":[365]},{"name":"COD_SERVICE_NETWORKING","features":[365]},{"name":"COD_SERVICE_OBJECT_XFER","features":[365]},{"name":"COD_SERVICE_POSITIONING","features":[365]},{"name":"COD_SERVICE_RENDERING","features":[365]},{"name":"COD_SERVICE_TELEPHONY","features":[365]},{"name":"COD_TOY_MINOR_CONTROLLER","features":[365]},{"name":"COD_TOY_MINOR_DOLL_ACTION_FIGURE","features":[365]},{"name":"COD_TOY_MINOR_GAME","features":[365]},{"name":"COD_TOY_MINOR_ROBOT","features":[365]},{"name":"COD_TOY_MINOR_VEHICLE","features":[365]},{"name":"COD_VERSION","features":[365]},{"name":"COD_WEARABLE_MINOR_GLASSES","features":[365]},{"name":"COD_WEARABLE_MINOR_HELMET","features":[365]},{"name":"COD_WEARABLE_MINOR_JACKET","features":[365]},{"name":"COD_WEARABLE_MINOR_PAGER","features":[365]},{"name":"COD_WEARABLE_MINOR_WRIST_WATCH","features":[365]},{"name":"CORDLESS_EXTERNAL_NETWORK_ANALOG_CELLULAR","features":[365]},{"name":"CORDLESS_EXTERNAL_NETWORK_CDMA","features":[365]},{"name":"CORDLESS_EXTERNAL_NETWORK_GSM","features":[365]},{"name":"CORDLESS_EXTERNAL_NETWORK_ISDN","features":[365]},{"name":"CORDLESS_EXTERNAL_NETWORK_OTHER","features":[365]},{"name":"CORDLESS_EXTERNAL_NETWORK_PACKET_SWITCHED","features":[365]},{"name":"CORDLESS_EXTERNAL_NETWORK_PSTN","features":[365]},{"name":"CTNAccessServiceClassID_UUID16","features":[365]},{"name":"CTNNotificationServiceClassID_UUID16","features":[365]},{"name":"CTNProfileID_UUID16","features":[365]},{"name":"CharacteristicAggregateFormat","features":[365]},{"name":"CharacteristicExtendedProperties","features":[365]},{"name":"CharacteristicFormat","features":[365]},{"name":"CharacteristicUserDescription","features":[365]},{"name":"CharacteristicValueChangedEvent","features":[365]},{"name":"ClientCharacteristicConfiguration","features":[365]},{"name":"CommonISDNAccessServiceClassID_UUID16","features":[365]},{"name":"CommonISDNAccessServiceClass_UUID16","features":[365]},{"name":"CordlessServiceClassID_UUID16","features":[365]},{"name":"CordlessTelephonyServiceClassID_UUID16","features":[365]},{"name":"CustomDescriptor","features":[365]},{"name":"DI_VENDOR_ID_SOURCE_BLUETOOTH_SIG","features":[365]},{"name":"DI_VENDOR_ID_SOURCE_USB_IF","features":[365]},{"name":"DialupNetworkingServiceClassID_UUID16","features":[365]},{"name":"DirectPrintingReferenceObjectsServiceClassID_UUID16","features":[365]},{"name":"DirectPrintingServiceClassID_UUID16","features":[365]},{"name":"ENCODING_UTF_8","features":[365]},{"name":"ESdpUpnpIpLapServiceClassID_UUID16","features":[365]},{"name":"ESdpUpnpIpPanServiceClassID_UUID16","features":[365]},{"name":"ESdpUpnpL2capServiceClassID_UUID16","features":[365]},{"name":"FTP_PROTOCOL_UUID16","features":[365]},{"name":"FaxServiceClassID_UUID16","features":[365]},{"name":"GNSSProfileID_UUID16","features":[365]},{"name":"GNSSServerServiceClassID_UUID16","features":[365]},{"name":"GNServiceClassID_UUID16","features":[365]},{"name":"GUID_BLUETOOTHLE_DEVICE_INTERFACE","features":[365]},{"name":"GUID_BLUETOOTH_AUTHENTICATION_REQUEST","features":[365]},{"name":"GUID_BLUETOOTH_GATT_SERVICE_DEVICE_INTERFACE","features":[365]},{"name":"GUID_BLUETOOTH_HCI_EVENT","features":[365]},{"name":"GUID_BLUETOOTH_HCI_VENDOR_EVENT","features":[365]},{"name":"GUID_BLUETOOTH_KEYPRESS_EVENT","features":[365]},{"name":"GUID_BLUETOOTH_L2CAP_EVENT","features":[365]},{"name":"GUID_BLUETOOTH_RADIO_IN_RANGE","features":[365]},{"name":"GUID_BLUETOOTH_RADIO_OUT_OF_RANGE","features":[365]},{"name":"GUID_BTHPORT_DEVICE_INTERFACE","features":[365]},{"name":"GUID_BTH_RFCOMM_SERVICE_DEVICE_INTERFACE","features":[365]},{"name":"GenericAudioServiceClassID_UUID16","features":[365]},{"name":"GenericFileTransferServiceClassID_UUID16","features":[365]},{"name":"GenericNetworkingServiceClassID_UUID16","features":[365]},{"name":"GenericTelephonyServiceClassID_UUID16","features":[365]},{"name":"HANDLE_SDP_TYPE","features":[365]},{"name":"HBLUETOOTH_DEVICE_FIND","features":[365]},{"name":"HBLUETOOTH_RADIO_FIND","features":[365]},{"name":"HCCC_PROTOCOL_UUID16","features":[365]},{"name":"HCDC_PROTOCOL_UUID16","features":[365]},{"name":"HCI_CONNECTION_TYPE_ACL","features":[365]},{"name":"HCI_CONNECTION_TYPE_LE","features":[365]},{"name":"HCI_CONNECTION_TYPE_SCO","features":[365]},{"name":"HCI_CONNNECTION_TYPE_ACL","features":[365]},{"name":"HCI_CONNNECTION_TYPE_SCO","features":[365]},{"name":"HCN_PROTOCOL_UUID16","features":[365]},{"name":"HCRPrintServiceClassID_UUID16","features":[365]},{"name":"HCRScanServiceClassID_UUID16","features":[365]},{"name":"HID_PROTOCOL_UUID16","features":[365]},{"name":"HTTP_PROTOCOL_UUID16","features":[365]},{"name":"HandsfreeAudioGatewayServiceClassID_UUID16","features":[365]},{"name":"HandsfreeServiceClassID_UUID16","features":[365]},{"name":"HardcopyCableReplacementProfileID_UUID16","features":[365]},{"name":"HardcopyCableReplacementServiceClassID_UUID16","features":[365]},{"name":"HeadsetAudioGatewayServiceClassID_UUID16","features":[365]},{"name":"HeadsetHSServiceClassID_UUID16","features":[365]},{"name":"HeadsetServiceClassID_UUID16","features":[365]},{"name":"HealthDeviceProfileID_UUID16","features":[365]},{"name":"HealthDeviceProfileSinkServiceClassID_UUID16","features":[365]},{"name":"HealthDeviceProfileSourceServiceClassID_UUID16","features":[365]},{"name":"HumanInterfaceDeviceServiceClassID_UUID16","features":[365]},{"name":"IO_CAPABILITY","features":[365]},{"name":"IP_PROTOCOL_UUID16","features":[365]},{"name":"ImagingAutomaticArchiveServiceClassID_UUID16","features":[365]},{"name":"ImagingReferenceObjectsServiceClassID_UUID16","features":[365]},{"name":"ImagingResponderServiceClassID_UUID16","features":[365]},{"name":"ImagingServiceClassID_UUID16","features":[365]},{"name":"ImagingServiceProfileID_UUID16","features":[365]},{"name":"IntercomServiceClassID_UUID16","features":[365]},{"name":"IoCaps_DisplayOnly","features":[365]},{"name":"IoCaps_DisplayYesNo","features":[365]},{"name":"IoCaps_KeyboardOnly","features":[365]},{"name":"IoCaps_NoInputNoOutput","features":[365]},{"name":"IoCaps_Undefined","features":[365]},{"name":"IrMCSyncServiceClassID_UUID16","features":[365]},{"name":"IrMcSyncCommandServiceClassID_UUID16","features":[365]},{"name":"L2CAP_DEFAULT_MTU","features":[365]},{"name":"L2CAP_MAX_MTU","features":[365]},{"name":"L2CAP_MIN_MTU","features":[365]},{"name":"L2CAP_PROTOCOL_UUID16","features":[365]},{"name":"LANAccessUsingPPPServiceClassID_UUID16","features":[365]},{"name":"LANGUAGE_EN_US","features":[365]},{"name":"LANG_BASE_ENCODING_INDEX","features":[365]},{"name":"LANG_BASE_LANGUAGE_INDEX","features":[365]},{"name":"LANG_BASE_OFFSET_INDEX","features":[365]},{"name":"LANG_DEFAULT_ID","features":[365]},{"name":"LAP_GIAC_VALUE","features":[365]},{"name":"LAP_LIAC_VALUE","features":[365]},{"name":"MAX_L2CAP_INFO_DATA_LENGTH","features":[365]},{"name":"MAX_L2CAP_PING_DATA_LENGTH","features":[365]},{"name":"MAX_UUIDS_IN_QUERY","features":[365]},{"name":"MITMProtectionNotDefined","features":[365]},{"name":"MITMProtectionNotRequired","features":[365]},{"name":"MITMProtectionNotRequiredBonding","features":[365]},{"name":"MITMProtectionNotRequiredGeneralBonding","features":[365]},{"name":"MITMProtectionRequired","features":[365]},{"name":"MITMProtectionRequiredBonding","features":[365]},{"name":"MITMProtectionRequiredGeneralBonding","features":[365]},{"name":"MPSProfileID_UUID16","features":[365]},{"name":"MPSServiceClassID_UUID16","features":[365]},{"name":"MessageAccessProfileID_UUID16","features":[365]},{"name":"MessageAccessServerServiceClassID_UUID16","features":[365]},{"name":"MessageNotificationServerServiceClassID_UUID16","features":[365]},{"name":"NAPServiceClassID_UUID16","features":[365]},{"name":"NS_BTH","features":[365]},{"name":"NodeContainerType","features":[365]},{"name":"NodeContainerTypeAlternative","features":[365]},{"name":"NodeContainerTypeSequence","features":[365]},{"name":"OBEXFileTransferServiceClassID_UUID16","features":[365]},{"name":"OBEXObjectPushServiceClassID_UUID16","features":[365]},{"name":"OBEX_PROTOCOL_UUID16","features":[365]},{"name":"OBJECT_PUSH_FORMAT_ANY","features":[365]},{"name":"OBJECT_PUSH_FORMAT_ICAL_2_0","features":[365]},{"name":"OBJECT_PUSH_FORMAT_VCAL_1_0","features":[365]},{"name":"OBJECT_PUSH_FORMAT_VCARD_2_1","features":[365]},{"name":"OBJECT_PUSH_FORMAT_VCARD_3_0","features":[365]},{"name":"OBJECT_PUSH_FORMAT_VMESSAGE","features":[365]},{"name":"OBJECT_PUSH_FORMAT_VNOTE","features":[365]},{"name":"PANUServiceClassID_UUID16","features":[365]},{"name":"PFNBLUETOOTH_GATT_EVENT_CALLBACK","features":[365]},{"name":"PFN_AUTHENTICATION_CALLBACK","features":[365,308]},{"name":"PFN_AUTHENTICATION_CALLBACK_EX","features":[365,308]},{"name":"PFN_BLUETOOTH_ENUM_ATTRIBUTES_CALLBACK","features":[365,308]},{"name":"PFN_DEVICE_CALLBACK","features":[365,308]},{"name":"PF_BTH","features":[365]},{"name":"PSM_3DSP","features":[365]},{"name":"PSM_ATT","features":[365]},{"name":"PSM_AVCTP","features":[365]},{"name":"PSM_AVCTP_BROWSE","features":[365]},{"name":"PSM_AVDTP","features":[365]},{"name":"PSM_BNEP","features":[365]},{"name":"PSM_HID_CONTROL","features":[365]},{"name":"PSM_HID_INTERRUPT","features":[365]},{"name":"PSM_LE_IPSP","features":[365]},{"name":"PSM_RFCOMM","features":[365]},{"name":"PSM_SDP","features":[365]},{"name":"PSM_TCS_BIN","features":[365]},{"name":"PSM_TCS_BIN_CORDLESS","features":[365]},{"name":"PSM_UDI_C_PLANE","features":[365]},{"name":"PSM_UPNP","features":[365]},{"name":"PhonebookAccessPceServiceClassID_UUID16","features":[365]},{"name":"PhonebookAccessProfileID_UUID16","features":[365]},{"name":"PhonebookAccessPseServiceClassID_UUID16","features":[365]},{"name":"PnPInformationServiceClassID_UUID16","features":[365]},{"name":"PrintingStatusServiceClassID_UUID16","features":[365]},{"name":"PublicBrowseGroupServiceClassID_UUID16","features":[365]},{"name":"RFCOMM_CMD_MSC","features":[365]},{"name":"RFCOMM_CMD_NONE","features":[365]},{"name":"RFCOMM_CMD_RLS","features":[365]},{"name":"RFCOMM_CMD_RPN","features":[365]},{"name":"RFCOMM_CMD_RPN_REQUEST","features":[365]},{"name":"RFCOMM_CMD_RPN_RESPONSE","features":[365]},{"name":"RFCOMM_COMMAND","features":[365]},{"name":"RFCOMM_MAX_MTU","features":[365]},{"name":"RFCOMM_MIN_MTU","features":[365]},{"name":"RFCOMM_MSC_DATA","features":[365]},{"name":"RFCOMM_PROTOCOL_UUID16","features":[365]},{"name":"RFCOMM_RLS_DATA","features":[365]},{"name":"RFCOMM_RPN_DATA","features":[365]},{"name":"RLS_ERROR","features":[365]},{"name":"RLS_FRAMING","features":[365]},{"name":"RLS_OVERRUN","features":[365]},{"name":"RLS_PARITY","features":[365]},{"name":"RPN_BAUD_115200","features":[365]},{"name":"RPN_BAUD_19200","features":[365]},{"name":"RPN_BAUD_230400","features":[365]},{"name":"RPN_BAUD_2400","features":[365]},{"name":"RPN_BAUD_38400","features":[365]},{"name":"RPN_BAUD_4800","features":[365]},{"name":"RPN_BAUD_57600","features":[365]},{"name":"RPN_BAUD_7200","features":[365]},{"name":"RPN_BAUD_9600","features":[365]},{"name":"RPN_DATA_5","features":[365]},{"name":"RPN_DATA_6","features":[365]},{"name":"RPN_DATA_7","features":[365]},{"name":"RPN_DATA_8","features":[365]},{"name":"RPN_FLOW_RTC_IN","features":[365]},{"name":"RPN_FLOW_RTC_OUT","features":[365]},{"name":"RPN_FLOW_RTR_IN","features":[365]},{"name":"RPN_FLOW_RTR_OUT","features":[365]},{"name":"RPN_FLOW_X_IN","features":[365]},{"name":"RPN_FLOW_X_OUT","features":[365]},{"name":"RPN_PARAM_BAUD","features":[365]},{"name":"RPN_PARAM_DATA","features":[365]},{"name":"RPN_PARAM_PARITY","features":[365]},{"name":"RPN_PARAM_P_TYPE","features":[365]},{"name":"RPN_PARAM_RTC_IN","features":[365]},{"name":"RPN_PARAM_RTC_OUT","features":[365]},{"name":"RPN_PARAM_RTR_IN","features":[365]},{"name":"RPN_PARAM_RTR_OUT","features":[365]},{"name":"RPN_PARAM_STOP","features":[365]},{"name":"RPN_PARAM_XOFF","features":[365]},{"name":"RPN_PARAM_XON","features":[365]},{"name":"RPN_PARAM_X_IN","features":[365]},{"name":"RPN_PARAM_X_OUT","features":[365]},{"name":"RPN_PARITY_EVEN","features":[365]},{"name":"RPN_PARITY_MARK","features":[365]},{"name":"RPN_PARITY_NONE","features":[365]},{"name":"RPN_PARITY_ODD","features":[365]},{"name":"RPN_PARITY_SPACE","features":[365]},{"name":"RPN_STOP_1","features":[365]},{"name":"RPN_STOP_1_5","features":[365]},{"name":"ReferencePrintingServiceClassID_UUID16","features":[365]},{"name":"ReflectsUIServiceClassID_UUID16","features":[365]},{"name":"SAP_BIT_OFFSET","features":[365]},{"name":"SDP_ATTRIB_A2DP_SUPPORTED_FEATURES","features":[365]},{"name":"SDP_ATTRIB_ADDITIONAL_PROTOCOL_DESCRIPTOR_LIST","features":[365]},{"name":"SDP_ATTRIB_AVAILABILITY","features":[365]},{"name":"SDP_ATTRIB_AVRCP_SUPPORTED_FEATURES","features":[365]},{"name":"SDP_ATTRIB_BROWSE_GROUP_ID","features":[365]},{"name":"SDP_ATTRIB_BROWSE_GROUP_LIST","features":[365]},{"name":"SDP_ATTRIB_CLASS_ID_LIST","features":[365]},{"name":"SDP_ATTRIB_CLIENT_EXECUTABLE_URL","features":[365]},{"name":"SDP_ATTRIB_CORDLESS_EXTERNAL_NETWORK","features":[365]},{"name":"SDP_ATTRIB_DI_PRIMARY_RECORD","features":[365]},{"name":"SDP_ATTRIB_DI_PRODUCT_ID","features":[365]},{"name":"SDP_ATTRIB_DI_SPECIFICATION_ID","features":[365]},{"name":"SDP_ATTRIB_DI_VENDOR_ID","features":[365]},{"name":"SDP_ATTRIB_DI_VENDOR_ID_SOURCE","features":[365]},{"name":"SDP_ATTRIB_DI_VERSION","features":[365]},{"name":"SDP_ATTRIB_DOCUMENTATION_URL","features":[365]},{"name":"SDP_ATTRIB_FAX_AUDIO_FEEDBACK_SUPPORT","features":[365]},{"name":"SDP_ATTRIB_FAX_CLASS_1_SUPPORT","features":[365]},{"name":"SDP_ATTRIB_FAX_CLASS_2_0_SUPPORT","features":[365]},{"name":"SDP_ATTRIB_FAX_CLASS_2_SUPPORT","features":[365]},{"name":"SDP_ATTRIB_HEADSET_REMOTE_AUDIO_VOLUME_CONTROL","features":[365]},{"name":"SDP_ATTRIB_HFP_SUPPORTED_FEATURES","features":[365]},{"name":"SDP_ATTRIB_HID_BATTERY_POWER","features":[365]},{"name":"SDP_ATTRIB_HID_BOOT_DEVICE","features":[365]},{"name":"SDP_ATTRIB_HID_COUNTRY_CODE","features":[365]},{"name":"SDP_ATTRIB_HID_DESCRIPTOR_LIST","features":[365]},{"name":"SDP_ATTRIB_HID_DEVICE_RELEASE_NUMBER","features":[365]},{"name":"SDP_ATTRIB_HID_DEVICE_SUBCLASS","features":[365]},{"name":"SDP_ATTRIB_HID_LANG_ID_BASE_LIST","features":[365]},{"name":"SDP_ATTRIB_HID_NORMALLY_CONNECTABLE","features":[365]},{"name":"SDP_ATTRIB_HID_PARSER_VERSION","features":[365]},{"name":"SDP_ATTRIB_HID_PROFILE_VERSION","features":[365]},{"name":"SDP_ATTRIB_HID_RECONNECT_INITIATE","features":[365]},{"name":"SDP_ATTRIB_HID_REMOTE_WAKE","features":[365]},{"name":"SDP_ATTRIB_HID_SDP_DISABLE","features":[365]},{"name":"SDP_ATTRIB_HID_SSR_HOST_MAX_LATENCY","features":[365]},{"name":"SDP_ATTRIB_HID_SSR_HOST_MIN_TIMEOUT","features":[365]},{"name":"SDP_ATTRIB_HID_SUPERVISION_TIMEOUT","features":[365]},{"name":"SDP_ATTRIB_HID_VIRTUAL_CABLE","features":[365]},{"name":"SDP_ATTRIB_ICON_URL","features":[365]},{"name":"SDP_ATTRIB_IMAGING_SUPPORTED_CAPABILITIES","features":[365]},{"name":"SDP_ATTRIB_IMAGING_SUPPORTED_FEATURES","features":[365]},{"name":"SDP_ATTRIB_IMAGING_SUPPORTED_FUNCTIONS","features":[365]},{"name":"SDP_ATTRIB_IMAGING_TOTAL_DATA_CAPACITY","features":[365]},{"name":"SDP_ATTRIB_INFO_TIME_TO_LIVE","features":[365]},{"name":"SDP_ATTRIB_LANG_BASE_ATTRIB_ID_LIST","features":[365]},{"name":"SDP_ATTRIB_LAN_LPSUBNET","features":[365]},{"name":"SDP_ATTRIB_OBJECT_PUSH_SUPPORTED_FORMATS_LIST","features":[365]},{"name":"SDP_ATTRIB_PAN_HOME_PAGE_URL","features":[365]},{"name":"SDP_ATTRIB_PAN_MAX_NET_ACCESS_RATE","features":[365]},{"name":"SDP_ATTRIB_PAN_NETWORK_ADDRESS","features":[365]},{"name":"SDP_ATTRIB_PAN_NET_ACCESS_TYPE","features":[365]},{"name":"SDP_ATTRIB_PAN_SECURITY_DESCRIPTION","features":[365]},{"name":"SDP_ATTRIB_PAN_WAP_GATEWAY","features":[365]},{"name":"SDP_ATTRIB_PAN_WAP_STACK_TYPE","features":[365]},{"name":"SDP_ATTRIB_PROFILE_DESCRIPTOR_LIST","features":[365]},{"name":"SDP_ATTRIB_PROFILE_SPECIFIC","features":[365]},{"name":"SDP_ATTRIB_PROTOCOL_DESCRIPTOR_LIST","features":[365]},{"name":"SDP_ATTRIB_RECORD_HANDLE","features":[365]},{"name":"SDP_ATTRIB_RECORD_STATE","features":[365]},{"name":"SDP_ATTRIB_SDP_DATABASE_STATE","features":[365]},{"name":"SDP_ATTRIB_SDP_VERSION_NUMBER_LIST","features":[365]},{"name":"SDP_ATTRIB_SERVICE_ID","features":[365]},{"name":"SDP_ATTRIB_SERVICE_VERSION","features":[365]},{"name":"SDP_ATTRIB_SYNCH_SUPPORTED_DATA_STORES_LIST","features":[365]},{"name":"SDP_CONNECT_ALLOW_PIN","features":[365]},{"name":"SDP_CONNECT_CACHE","features":[365]},{"name":"SDP_DEFAULT_INQUIRY_MAX_RESPONSES","features":[365]},{"name":"SDP_DEFAULT_INQUIRY_SECONDS","features":[365]},{"name":"SDP_ELEMENT_DATA","features":[365]},{"name":"SDP_ERROR_INSUFFICIENT_RESOURCES","features":[365]},{"name":"SDP_ERROR_INVALID_CONTINUATION_STATE","features":[365]},{"name":"SDP_ERROR_INVALID_PDU_SIZE","features":[365]},{"name":"SDP_ERROR_INVALID_RECORD_HANDLE","features":[365]},{"name":"SDP_ERROR_INVALID_REQUEST_SYNTAX","features":[365]},{"name":"SDP_ERROR_INVALID_SDP_VERSION","features":[365]},{"name":"SDP_LARGE_INTEGER_16","features":[365]},{"name":"SDP_MAX_INQUIRY_SECONDS","features":[365]},{"name":"SDP_PROTOCOL_UUID16","features":[365]},{"name":"SDP_REQUEST_TO_DEFAULT","features":[365]},{"name":"SDP_REQUEST_TO_MAX","features":[365]},{"name":"SDP_REQUEST_TO_MIN","features":[365]},{"name":"SDP_SEARCH_NO_FORMAT_CHECK","features":[365]},{"name":"SDP_SEARCH_NO_PARSE_CHECK","features":[365]},{"name":"SDP_SERVICE_ATTRIBUTE_REQUEST","features":[365]},{"name":"SDP_SERVICE_SEARCH_ATTRIBUTE_REQUEST","features":[365]},{"name":"SDP_SERVICE_SEARCH_REQUEST","features":[365]},{"name":"SDP_SPECIFICTYPE","features":[365]},{"name":"SDP_STRING_TYPE_DATA","features":[365]},{"name":"SDP_ST_INT128","features":[365]},{"name":"SDP_ST_INT16","features":[365]},{"name":"SDP_ST_INT32","features":[365]},{"name":"SDP_ST_INT64","features":[365]},{"name":"SDP_ST_INT8","features":[365]},{"name":"SDP_ST_NONE","features":[365]},{"name":"SDP_ST_UINT128","features":[365]},{"name":"SDP_ST_UINT16","features":[365]},{"name":"SDP_ST_UINT32","features":[365]},{"name":"SDP_ST_UINT64","features":[365]},{"name":"SDP_ST_UINT8","features":[365]},{"name":"SDP_ST_UUID128","features":[365]},{"name":"SDP_ST_UUID16","features":[365]},{"name":"SDP_ST_UUID32","features":[365]},{"name":"SDP_TYPE","features":[365]},{"name":"SDP_TYPE_ALTERNATIVE","features":[365]},{"name":"SDP_TYPE_BOOLEAN","features":[365]},{"name":"SDP_TYPE_CONTAINER","features":[365]},{"name":"SDP_TYPE_INT","features":[365]},{"name":"SDP_TYPE_NIL","features":[365]},{"name":"SDP_TYPE_SEQUENCE","features":[365]},{"name":"SDP_TYPE_STRING","features":[365]},{"name":"SDP_TYPE_UINT","features":[365]},{"name":"SDP_TYPE_URL","features":[365]},{"name":"SDP_TYPE_UUID","features":[365]},{"name":"SDP_ULARGE_INTEGER_16","features":[365]},{"name":"SERVICE_OPTION_DO_NOT_PUBLISH","features":[365]},{"name":"SERVICE_OPTION_DO_NOT_PUBLISH_EIR","features":[365]},{"name":"SERVICE_OPTION_NO_PUBLIC_BROWSE","features":[365]},{"name":"SERVICE_SECURITY_AUTHENTICATE","features":[365]},{"name":"SERVICE_SECURITY_AUTHORIZE","features":[365]},{"name":"SERVICE_SECURITY_DISABLED","features":[365]},{"name":"SERVICE_SECURITY_ENCRYPT_OPTIONAL","features":[365]},{"name":"SERVICE_SECURITY_ENCRYPT_REQUIRED","features":[365]},{"name":"SERVICE_SECURITY_NONE","features":[365]},{"name":"SERVICE_SECURITY_NO_ASK","features":[365]},{"name":"SERVICE_SECURITY_USE_DEFAULTS","features":[365]},{"name":"SOCKADDR_BTH","features":[365]},{"name":"SOL_L2CAP","features":[365]},{"name":"SOL_RFCOMM","features":[365]},{"name":"SOL_SDP","features":[365]},{"name":"SO_BTH_AUTHENTICATE","features":[365]},{"name":"SO_BTH_ENCRYPT","features":[365]},{"name":"SO_BTH_MTU","features":[365]},{"name":"SO_BTH_MTU_MAX","features":[365]},{"name":"SO_BTH_MTU_MIN","features":[365]},{"name":"STRING_DESCRIPTION_OFFSET","features":[365]},{"name":"STRING_NAME_OFFSET","features":[365]},{"name":"STRING_PROVIDER_NAME_OFFSET","features":[365]},{"name":"STR_ADDR_FMT","features":[365]},{"name":"STR_ADDR_FMTA","features":[365]},{"name":"STR_ADDR_FMTW","features":[365]},{"name":"STR_ADDR_SHORT_FMT","features":[365]},{"name":"STR_ADDR_SHORT_FMTA","features":[365]},{"name":"STR_ADDR_SHORT_FMTW","features":[365]},{"name":"STR_USBHCI_CLASS_HARDWAREID","features":[365]},{"name":"STR_USBHCI_CLASS_HARDWAREIDA","features":[365]},{"name":"STR_USBHCI_CLASS_HARDWAREIDW","features":[365]},{"name":"SVCID_BTH_PROVIDER","features":[365]},{"name":"SYNCH_DATA_STORE_CALENDAR","features":[365]},{"name":"SYNCH_DATA_STORE_MESSAGES","features":[365]},{"name":"SYNCH_DATA_STORE_NOTES","features":[365]},{"name":"SYNCH_DATA_STORE_PHONEBOOK","features":[365]},{"name":"SdpAttributeRange","features":[365]},{"name":"SdpQueryUuid","features":[365]},{"name":"SdpQueryUuidUnion","features":[365]},{"name":"SerialPortServiceClassID_UUID16","features":[365]},{"name":"ServerCharacteristicConfiguration","features":[365]},{"name":"ServiceDiscoveryServerServiceClassID_UUID16","features":[365]},{"name":"SimAccessServiceClassID_UUID16","features":[365]},{"name":"TCP_PROTOCOL_UUID16","features":[365]},{"name":"TCSAT_PROTOCOL_UUID16","features":[365]},{"name":"TCSBIN_PROTOCOL_UUID16","features":[365]},{"name":"ThreeDimensionalDisplayServiceClassID_UUID16","features":[365]},{"name":"ThreeDimensionalGlassesServiceClassID_UUID16","features":[365]},{"name":"ThreeDimensionalSynchronizationProfileID_UUID16","features":[365]},{"name":"UDIMTServiceClassID_UUID16","features":[365]},{"name":"UDIMTServiceClass_UUID16","features":[365]},{"name":"UDITAServiceClassID_UUID16","features":[365]},{"name":"UDITAServiceClass_UUID16","features":[365]},{"name":"UDI_C_PLANE_PROTOCOL_UUID16","features":[365]},{"name":"UDP_PROTOCOL_UUID16","features":[365]},{"name":"UPNP_PROTOCOL_UUID16","features":[365]},{"name":"UPnpIpServiceClassID_UUID16","features":[365]},{"name":"UPnpServiceClassID_UUID16","features":[365]},{"name":"VideoConferencingGWServiceClassID_UUID16","features":[365]},{"name":"VideoConferencingGWServiceClass_UUID16","features":[365]},{"name":"VideoConferencingServiceClassID_UUID16","features":[365]},{"name":"VideoDistributionProfileID_UUID16","features":[365]},{"name":"VideoSinkServiceClassID_UUID16","features":[365]},{"name":"VideoSourceServiceClassID_UUID16","features":[365]},{"name":"WAPClientServiceClassID_UUID16","features":[365]},{"name":"WAPServiceClassID_UUID16","features":[365]},{"name":"WSP_PROTOCOL_UUID16","features":[365]}],"370":[{"name":"BuildCommDCBA","features":[366,308]},{"name":"BuildCommDCBAndTimeoutsA","features":[366,308]},{"name":"BuildCommDCBAndTimeoutsW","features":[366,308]},{"name":"BuildCommDCBW","features":[366,308]},{"name":"CE_BREAK","features":[366]},{"name":"CE_FRAME","features":[366]},{"name":"CE_OVERRUN","features":[366]},{"name":"CE_RXOVER","features":[366]},{"name":"CE_RXPARITY","features":[366]},{"name":"CLEAR_COMM_ERROR_FLAGS","features":[366]},{"name":"CLRBREAK","features":[366]},{"name":"CLRDTR","features":[366]},{"name":"CLRRTS","features":[366]},{"name":"COMMCONFIG","features":[366]},{"name":"COMMPROP","features":[366]},{"name":"COMMPROP_STOP_PARITY","features":[366]},{"name":"COMMTIMEOUTS","features":[366]},{"name":"COMM_EVENT_MASK","features":[366]},{"name":"COMSTAT","features":[366]},{"name":"ClearCommBreak","features":[366,308]},{"name":"ClearCommError","features":[366,308]},{"name":"CommConfigDialogA","features":[366,308]},{"name":"CommConfigDialogW","features":[366,308]},{"name":"DCB","features":[366]},{"name":"DCB_PARITY","features":[366]},{"name":"DCB_STOP_BITS","features":[366]},{"name":"DIALOPTION_BILLING","features":[366]},{"name":"DIALOPTION_DIALTONE","features":[366]},{"name":"DIALOPTION_QUIET","features":[366]},{"name":"ESCAPE_COMM_FUNCTION","features":[366]},{"name":"EVENPARITY","features":[366]},{"name":"EV_BREAK","features":[366]},{"name":"EV_CTS","features":[366]},{"name":"EV_DSR","features":[366]},{"name":"EV_ERR","features":[366]},{"name":"EV_EVENT1","features":[366]},{"name":"EV_EVENT2","features":[366]},{"name":"EV_PERR","features":[366]},{"name":"EV_RING","features":[366]},{"name":"EV_RLSD","features":[366]},{"name":"EV_RX80FULL","features":[366]},{"name":"EV_RXCHAR","features":[366]},{"name":"EV_RXFLAG","features":[366]},{"name":"EV_TXEMPTY","features":[366]},{"name":"EscapeCommFunction","features":[366,308]},{"name":"GetCommConfig","features":[366,308]},{"name":"GetCommMask","features":[366,308]},{"name":"GetCommModemStatus","features":[366,308]},{"name":"GetCommPorts","features":[366]},{"name":"GetCommProperties","features":[366,308]},{"name":"GetCommState","features":[366,308]},{"name":"GetCommTimeouts","features":[366,308]},{"name":"GetDefaultCommConfigA","features":[366,308]},{"name":"GetDefaultCommConfigW","features":[366,308]},{"name":"MARKPARITY","features":[366]},{"name":"MAXLENGTH_NAI","features":[366]},{"name":"MAXLENGTH_UICCDATASTORE","features":[366]},{"name":"MDMSPKRFLAG_CALLSETUP","features":[366]},{"name":"MDMSPKRFLAG_DIAL","features":[366]},{"name":"MDMSPKRFLAG_OFF","features":[366]},{"name":"MDMSPKRFLAG_ON","features":[366]},{"name":"MDMSPKR_CALLSETUP","features":[366]},{"name":"MDMSPKR_DIAL","features":[366]},{"name":"MDMSPKR_OFF","features":[366]},{"name":"MDMSPKR_ON","features":[366]},{"name":"MDMVOLFLAG_HIGH","features":[366]},{"name":"MDMVOLFLAG_LOW","features":[366]},{"name":"MDMVOLFLAG_MEDIUM","features":[366]},{"name":"MDMVOL_HIGH","features":[366]},{"name":"MDMVOL_LOW","features":[366]},{"name":"MDMVOL_MEDIUM","features":[366]},{"name":"MDM_ANALOG_RLP_OFF","features":[366]},{"name":"MDM_ANALOG_RLP_ON","features":[366]},{"name":"MDM_ANALOG_V34","features":[366]},{"name":"MDM_AUTO_ML_2","features":[366]},{"name":"MDM_AUTO_ML_DEFAULT","features":[366]},{"name":"MDM_AUTO_ML_NONE","features":[366]},{"name":"MDM_AUTO_SPEED_DEFAULT","features":[366]},{"name":"MDM_BEARERMODE_ANALOG","features":[366]},{"name":"MDM_BEARERMODE_GSM","features":[366]},{"name":"MDM_BEARERMODE_ISDN","features":[366]},{"name":"MDM_BLIND_DIAL","features":[366]},{"name":"MDM_CCITT_OVERRIDE","features":[366]},{"name":"MDM_CELLULAR","features":[366]},{"name":"MDM_COMPRESSION","features":[366]},{"name":"MDM_DIAGNOSTICS","features":[366]},{"name":"MDM_ERROR_CONTROL","features":[366]},{"name":"MDM_FLOWCONTROL_HARD","features":[366]},{"name":"MDM_FLOWCONTROL_SOFT","features":[366]},{"name":"MDM_FORCED_EC","features":[366]},{"name":"MDM_HDLCPPP_AUTH_CHAP","features":[366]},{"name":"MDM_HDLCPPP_AUTH_DEFAULT","features":[366]},{"name":"MDM_HDLCPPP_AUTH_MSCHAP","features":[366]},{"name":"MDM_HDLCPPP_AUTH_NONE","features":[366]},{"name":"MDM_HDLCPPP_AUTH_PAP","features":[366]},{"name":"MDM_HDLCPPP_ML_2","features":[366]},{"name":"MDM_HDLCPPP_ML_DEFAULT","features":[366]},{"name":"MDM_HDLCPPP_ML_NONE","features":[366]},{"name":"MDM_HDLCPPP_SPEED_56K","features":[366]},{"name":"MDM_HDLCPPP_SPEED_64K","features":[366]},{"name":"MDM_HDLCPPP_SPEED_DEFAULT","features":[366]},{"name":"MDM_MASK_AUTO_SPEED","features":[366]},{"name":"MDM_MASK_BEARERMODE","features":[366]},{"name":"MDM_MASK_HDLCPPP_SPEED","features":[366]},{"name":"MDM_MASK_PROTOCOLDATA","features":[366]},{"name":"MDM_MASK_PROTOCOLID","features":[366]},{"name":"MDM_MASK_V110_SPEED","features":[366]},{"name":"MDM_MASK_V120_SPEED","features":[366]},{"name":"MDM_MASK_X75_DATA","features":[366]},{"name":"MDM_PIAFS_INCOMING","features":[366]},{"name":"MDM_PIAFS_OUTGOING","features":[366]},{"name":"MDM_PROTOCOLID_ANALOG","features":[366]},{"name":"MDM_PROTOCOLID_AUTO","features":[366]},{"name":"MDM_PROTOCOLID_DEFAULT","features":[366]},{"name":"MDM_PROTOCOLID_GPRS","features":[366]},{"name":"MDM_PROTOCOLID_HDLCPPP","features":[366]},{"name":"MDM_PROTOCOLID_PIAFS","features":[366]},{"name":"MDM_PROTOCOLID_V110","features":[366]},{"name":"MDM_PROTOCOLID_V120","features":[366]},{"name":"MDM_PROTOCOLID_V128","features":[366]},{"name":"MDM_PROTOCOLID_X75","features":[366]},{"name":"MDM_SHIFT_AUTO_ML","features":[366]},{"name":"MDM_SHIFT_AUTO_SPEED","features":[366]},{"name":"MDM_SHIFT_BEARERMODE","features":[366]},{"name":"MDM_SHIFT_EXTENDEDINFO","features":[366]},{"name":"MDM_SHIFT_HDLCPPP_AUTH","features":[366]},{"name":"MDM_SHIFT_HDLCPPP_ML","features":[366]},{"name":"MDM_SHIFT_HDLCPPP_SPEED","features":[366]},{"name":"MDM_SHIFT_PROTOCOLDATA","features":[366]},{"name":"MDM_SHIFT_PROTOCOLID","features":[366]},{"name":"MDM_SHIFT_PROTOCOLINFO","features":[366]},{"name":"MDM_SHIFT_V110_SPEED","features":[366]},{"name":"MDM_SHIFT_V120_ML","features":[366]},{"name":"MDM_SHIFT_V120_SPEED","features":[366]},{"name":"MDM_SHIFT_X75_DATA","features":[366]},{"name":"MDM_SPEED_ADJUST","features":[366]},{"name":"MDM_TONE_DIAL","features":[366]},{"name":"MDM_V110_SPEED_12DOT0K","features":[366]},{"name":"MDM_V110_SPEED_14DOT4K","features":[366]},{"name":"MDM_V110_SPEED_19DOT2K","features":[366]},{"name":"MDM_V110_SPEED_1DOT2K","features":[366]},{"name":"MDM_V110_SPEED_28DOT8K","features":[366]},{"name":"MDM_V110_SPEED_2DOT4K","features":[366]},{"name":"MDM_V110_SPEED_38DOT4K","features":[366]},{"name":"MDM_V110_SPEED_4DOT8K","features":[366]},{"name":"MDM_V110_SPEED_57DOT6K","features":[366]},{"name":"MDM_V110_SPEED_9DOT6K","features":[366]},{"name":"MDM_V110_SPEED_DEFAULT","features":[366]},{"name":"MDM_V120_ML_2","features":[366]},{"name":"MDM_V120_ML_DEFAULT","features":[366]},{"name":"MDM_V120_ML_NONE","features":[366]},{"name":"MDM_V120_SPEED_56K","features":[366]},{"name":"MDM_V120_SPEED_64K","features":[366]},{"name":"MDM_V120_SPEED_DEFAULT","features":[366]},{"name":"MDM_V23_OVERRIDE","features":[366]},{"name":"MDM_X75_DATA_128K","features":[366]},{"name":"MDM_X75_DATA_64K","features":[366]},{"name":"MDM_X75_DATA_BTX","features":[366]},{"name":"MDM_X75_DATA_DEFAULT","features":[366]},{"name":"MDM_X75_DATA_T_70","features":[366]},{"name":"MODEMDEVCAPS","features":[366]},{"name":"MODEMDEVCAPS_DIAL_OPTIONS","features":[366]},{"name":"MODEMDEVCAPS_SPEAKER_MODE","features":[366]},{"name":"MODEMDEVCAPS_SPEAKER_VOLUME","features":[366]},{"name":"MODEMSETTINGS","features":[366]},{"name":"MODEMSETTINGS_SPEAKER_MODE","features":[366]},{"name":"MODEM_SPEAKER_VOLUME","features":[366]},{"name":"MODEM_STATUS_FLAGS","features":[366]},{"name":"MS_CTS_ON","features":[366]},{"name":"MS_DSR_ON","features":[366]},{"name":"MS_RING_ON","features":[366]},{"name":"MS_RLSD_ON","features":[366]},{"name":"NOPARITY","features":[366]},{"name":"ODDPARITY","features":[366]},{"name":"ONE5STOPBITS","features":[366]},{"name":"ONESTOPBIT","features":[366]},{"name":"OpenCommPort","features":[366,308]},{"name":"PARITY_EVEN","features":[366]},{"name":"PARITY_MARK","features":[366]},{"name":"PARITY_NONE","features":[366]},{"name":"PARITY_ODD","features":[366]},{"name":"PARITY_SPACE","features":[366]},{"name":"PURGE_COMM_FLAGS","features":[366]},{"name":"PURGE_RXABORT","features":[366]},{"name":"PURGE_RXCLEAR","features":[366]},{"name":"PURGE_TXABORT","features":[366]},{"name":"PURGE_TXCLEAR","features":[366]},{"name":"PurgeComm","features":[366,308]},{"name":"SETBREAK","features":[366]},{"name":"SETDTR","features":[366]},{"name":"SETRTS","features":[366]},{"name":"SETXOFF","features":[366]},{"name":"SETXON","features":[366]},{"name":"SID_3GPP_SUPSVCMODEL","features":[366]},{"name":"SPACEPARITY","features":[366]},{"name":"STOPBITS_10","features":[366]},{"name":"STOPBITS_15","features":[366]},{"name":"STOPBITS_20","features":[366]},{"name":"SetCommBreak","features":[366,308]},{"name":"SetCommConfig","features":[366,308]},{"name":"SetCommMask","features":[366,308]},{"name":"SetCommState","features":[366,308]},{"name":"SetCommTimeouts","features":[366,308]},{"name":"SetDefaultCommConfigA","features":[366,308]},{"name":"SetDefaultCommConfigW","features":[366,308]},{"name":"SetupComm","features":[366,308]},{"name":"TWOSTOPBITS","features":[366]},{"name":"TransmitCommChar","features":[366,308]},{"name":"WaitCommEvent","features":[366,308,313]}],"371":[{"name":"CLSID_DeviceIoControl","features":[367]},{"name":"CreateDeviceAccessInstance","features":[367]},{"name":"DEV_PORT_1394","features":[367]},{"name":"DEV_PORT_ARTI","features":[367]},{"name":"DEV_PORT_COM1","features":[367]},{"name":"DEV_PORT_COM2","features":[367]},{"name":"DEV_PORT_COM3","features":[367]},{"name":"DEV_PORT_COM4","features":[367]},{"name":"DEV_PORT_DIAQ","features":[367]},{"name":"DEV_PORT_MAX","features":[367]},{"name":"DEV_PORT_MIN","features":[367]},{"name":"DEV_PORT_SIM","features":[367]},{"name":"DEV_PORT_USB","features":[367]},{"name":"ED_AUDIO_1","features":[367]},{"name":"ED_AUDIO_10","features":[367]},{"name":"ED_AUDIO_11","features":[367]},{"name":"ED_AUDIO_12","features":[367]},{"name":"ED_AUDIO_13","features":[367]},{"name":"ED_AUDIO_14","features":[367]},{"name":"ED_AUDIO_15","features":[367]},{"name":"ED_AUDIO_16","features":[367]},{"name":"ED_AUDIO_17","features":[367]},{"name":"ED_AUDIO_18","features":[367]},{"name":"ED_AUDIO_19","features":[367]},{"name":"ED_AUDIO_2","features":[367]},{"name":"ED_AUDIO_20","features":[367]},{"name":"ED_AUDIO_21","features":[367]},{"name":"ED_AUDIO_22","features":[367]},{"name":"ED_AUDIO_23","features":[367]},{"name":"ED_AUDIO_24","features":[367]},{"name":"ED_AUDIO_3","features":[367]},{"name":"ED_AUDIO_4","features":[367]},{"name":"ED_AUDIO_5","features":[367]},{"name":"ED_AUDIO_6","features":[367]},{"name":"ED_AUDIO_7","features":[367]},{"name":"ED_AUDIO_8","features":[367]},{"name":"ED_AUDIO_9","features":[367]},{"name":"ED_AUDIO_ALL","features":[367]},{"name":"ED_BASE","features":[367]},{"name":"ED_BOTTOM","features":[367]},{"name":"ED_CENTER","features":[367]},{"name":"ED_LEFT","features":[367]},{"name":"ED_MIDDLE","features":[367]},{"name":"ED_RIGHT","features":[367]},{"name":"ED_TOP","features":[367]},{"name":"ED_VIDEO","features":[367]},{"name":"ICreateDeviceAccessAsync","features":[367]},{"name":"IDeviceIoControl","features":[367]},{"name":"IDeviceRequestCompletionCallback","features":[367]}],"372":[{"name":"ALLOC_LOG_CONF","features":[368]},{"name":"BASIC_LOG_CONF","features":[368]},{"name":"BOOT_LOG_CONF","features":[368]},{"name":"BUSNUMBER_DES","features":[368]},{"name":"BUSNUMBER_RANGE","features":[368]},{"name":"BUSNUMBER_RESOURCE","features":[368]},{"name":"CABINET_INFO_A","features":[368]},{"name":"CABINET_INFO_A","features":[368]},{"name":"CABINET_INFO_W","features":[368]},{"name":"CABINET_INFO_W","features":[368]},{"name":"CMP_WaitNoPendingInstallEvents","features":[368]},{"name":"CM_ADD_ID_BITS","features":[368]},{"name":"CM_ADD_ID_COMPATIBLE","features":[368]},{"name":"CM_ADD_ID_HARDWARE","features":[368]},{"name":"CM_ADD_RANGE_ADDIFCONFLICT","features":[368]},{"name":"CM_ADD_RANGE_BITS","features":[368]},{"name":"CM_ADD_RANGE_DONOTADDIFCONFLICT","features":[368]},{"name":"CM_Add_Empty_Log_Conf","features":[357,368]},{"name":"CM_Add_Empty_Log_Conf_Ex","features":[357,368]},{"name":"CM_Add_IDA","features":[368]},{"name":"CM_Add_IDW","features":[368]},{"name":"CM_Add_ID_ExA","features":[368]},{"name":"CM_Add_ID_ExW","features":[368]},{"name":"CM_Add_Range","features":[368]},{"name":"CM_Add_Res_Des","features":[368]},{"name":"CM_Add_Res_Des_Ex","features":[368]},{"name":"CM_CDFLAGS","features":[368]},{"name":"CM_CDFLAGS_DRIVER","features":[368]},{"name":"CM_CDFLAGS_RESERVED","features":[368]},{"name":"CM_CDFLAGS_ROOT_OWNED","features":[368]},{"name":"CM_CDMASK","features":[368]},{"name":"CM_CDMASK_DESCRIPTION","features":[368]},{"name":"CM_CDMASK_DEVINST","features":[368]},{"name":"CM_CDMASK_FLAGS","features":[368]},{"name":"CM_CDMASK_RESDES","features":[368]},{"name":"CM_CDMASK_VALID","features":[368]},{"name":"CM_CLASS_PROPERTY_BITS","features":[368]},{"name":"CM_CLASS_PROPERTY_INSTALLER","features":[368]},{"name":"CM_CLASS_PROPERTY_INTERFACE","features":[368]},{"name":"CM_CREATE_DEVINST_BITS","features":[368]},{"name":"CM_CREATE_DEVINST_DO_NOT_INSTALL","features":[368]},{"name":"CM_CREATE_DEVINST_GENERATE_ID","features":[368]},{"name":"CM_CREATE_DEVINST_NORMAL","features":[368]},{"name":"CM_CREATE_DEVINST_NO_WAIT_INSTALL","features":[368]},{"name":"CM_CREATE_DEVINST_PHANTOM","features":[368]},{"name":"CM_CREATE_DEVNODE_BITS","features":[368]},{"name":"CM_CREATE_DEVNODE_DO_NOT_INSTALL","features":[368]},{"name":"CM_CREATE_DEVNODE_GENERATE_ID","features":[368]},{"name":"CM_CREATE_DEVNODE_NORMAL","features":[368]},{"name":"CM_CREATE_DEVNODE_NO_WAIT_INSTALL","features":[368]},{"name":"CM_CREATE_DEVNODE_PHANTOM","features":[368]},{"name":"CM_CRP_CHARACTERISTICS","features":[368]},{"name":"CM_CRP_DEVTYPE","features":[368]},{"name":"CM_CRP_EXCLUSIVE","features":[368]},{"name":"CM_CRP_LOWERFILTERS","features":[368]},{"name":"CM_CRP_MAX","features":[368]},{"name":"CM_CRP_MIN","features":[368]},{"name":"CM_CRP_SECURITY","features":[368]},{"name":"CM_CRP_SECURITY_SDS","features":[368]},{"name":"CM_CRP_UPPERFILTERS","features":[368]},{"name":"CM_CUSTOMDEVPROP_BITS","features":[368]},{"name":"CM_CUSTOMDEVPROP_MERGE_MULTISZ","features":[368]},{"name":"CM_Connect_MachineA","features":[368]},{"name":"CM_Connect_MachineW","features":[368]},{"name":"CM_Create_DevNodeA","features":[368]},{"name":"CM_Create_DevNodeW","features":[368]},{"name":"CM_Create_DevNode_ExA","features":[368]},{"name":"CM_Create_DevNode_ExW","features":[368]},{"name":"CM_Create_Range_List","features":[368]},{"name":"CM_DELETE_CLASS_BITS","features":[368]},{"name":"CM_DELETE_CLASS_INTERFACE","features":[368]},{"name":"CM_DELETE_CLASS_ONLY","features":[368]},{"name":"CM_DELETE_CLASS_SUBKEYS","features":[368]},{"name":"CM_DETECT_BITS","features":[368]},{"name":"CM_DETECT_CRASHED","features":[368]},{"name":"CM_DETECT_HWPROF_FIRST_BOOT","features":[368]},{"name":"CM_DETECT_NEW_PROFILE","features":[368]},{"name":"CM_DETECT_RUN","features":[368]},{"name":"CM_DEVCAP","features":[368]},{"name":"CM_DEVCAP_DOCKDEVICE","features":[368]},{"name":"CM_DEVCAP_EJECTSUPPORTED","features":[368]},{"name":"CM_DEVCAP_HARDWAREDISABLED","features":[368]},{"name":"CM_DEVCAP_LOCKSUPPORTED","features":[368]},{"name":"CM_DEVCAP_NONDYNAMIC","features":[368]},{"name":"CM_DEVCAP_RAWDEVICEOK","features":[368]},{"name":"CM_DEVCAP_REMOVABLE","features":[368]},{"name":"CM_DEVCAP_SECUREDEVICE","features":[368]},{"name":"CM_DEVCAP_SILENTINSTALL","features":[368]},{"name":"CM_DEVCAP_SURPRISEREMOVALOK","features":[368]},{"name":"CM_DEVCAP_UNIQUEID","features":[368]},{"name":"CM_DEVICE_PANEL_EDGE_BOTTOM","features":[368]},{"name":"CM_DEVICE_PANEL_EDGE_LEFT","features":[368]},{"name":"CM_DEVICE_PANEL_EDGE_RIGHT","features":[368]},{"name":"CM_DEVICE_PANEL_EDGE_TOP","features":[368]},{"name":"CM_DEVICE_PANEL_EDGE_UNKNOWN","features":[368]},{"name":"CM_DEVICE_PANEL_JOINT_TYPE_HINGE","features":[368]},{"name":"CM_DEVICE_PANEL_JOINT_TYPE_PIVOT","features":[368]},{"name":"CM_DEVICE_PANEL_JOINT_TYPE_PLANAR","features":[368]},{"name":"CM_DEVICE_PANEL_JOINT_TYPE_SWIVEL","features":[368]},{"name":"CM_DEVICE_PANEL_JOINT_TYPE_UNKNOWN","features":[368]},{"name":"CM_DEVICE_PANEL_ORIENTATION_HORIZONTAL","features":[368]},{"name":"CM_DEVICE_PANEL_ORIENTATION_VERTICAL","features":[368]},{"name":"CM_DEVICE_PANEL_SHAPE_OVAL","features":[368]},{"name":"CM_DEVICE_PANEL_SHAPE_RECTANGLE","features":[368]},{"name":"CM_DEVICE_PANEL_SHAPE_UNKNOWN","features":[368]},{"name":"CM_DEVICE_PANEL_SIDE_BACK","features":[368]},{"name":"CM_DEVICE_PANEL_SIDE_BOTTOM","features":[368]},{"name":"CM_DEVICE_PANEL_SIDE_FRONT","features":[368]},{"name":"CM_DEVICE_PANEL_SIDE_LEFT","features":[368]},{"name":"CM_DEVICE_PANEL_SIDE_RIGHT","features":[368]},{"name":"CM_DEVICE_PANEL_SIDE_TOP","features":[368]},{"name":"CM_DEVICE_PANEL_SIDE_UNKNOWN","features":[368]},{"name":"CM_DEVNODE_STATUS_FLAGS","features":[368]},{"name":"CM_DISABLE_ABSOLUTE","features":[368]},{"name":"CM_DISABLE_BITS","features":[368]},{"name":"CM_DISABLE_HARDWARE","features":[368]},{"name":"CM_DISABLE_PERSIST","features":[368]},{"name":"CM_DISABLE_POLITE","features":[368]},{"name":"CM_DISABLE_UI_NOT_OK","features":[368]},{"name":"CM_DRP_ADDRESS","features":[368]},{"name":"CM_DRP_BASE_CONTAINERID","features":[368]},{"name":"CM_DRP_BUSNUMBER","features":[368]},{"name":"CM_DRP_BUSTYPEGUID","features":[368]},{"name":"CM_DRP_CAPABILITIES","features":[368]},{"name":"CM_DRP_CHARACTERISTICS","features":[368]},{"name":"CM_DRP_CLASS","features":[368]},{"name":"CM_DRP_CLASSGUID","features":[368]},{"name":"CM_DRP_COMPATIBLEIDS","features":[368]},{"name":"CM_DRP_CONFIGFLAGS","features":[368]},{"name":"CM_DRP_DEVICEDESC","features":[368]},{"name":"CM_DRP_DEVICE_POWER_DATA","features":[368]},{"name":"CM_DRP_DEVTYPE","features":[368]},{"name":"CM_DRP_DRIVER","features":[368]},{"name":"CM_DRP_ENUMERATOR_NAME","features":[368]},{"name":"CM_DRP_EXCLUSIVE","features":[368]},{"name":"CM_DRP_FRIENDLYNAME","features":[368]},{"name":"CM_DRP_HARDWAREID","features":[368]},{"name":"CM_DRP_INSTALL_STATE","features":[368]},{"name":"CM_DRP_LEGACYBUSTYPE","features":[368]},{"name":"CM_DRP_LOCATION_INFORMATION","features":[368]},{"name":"CM_DRP_LOCATION_PATHS","features":[368]},{"name":"CM_DRP_LOWERFILTERS","features":[368]},{"name":"CM_DRP_MAX","features":[368]},{"name":"CM_DRP_MFG","features":[368]},{"name":"CM_DRP_MIN","features":[368]},{"name":"CM_DRP_PHYSICAL_DEVICE_OBJECT_NAME","features":[368]},{"name":"CM_DRP_REMOVAL_POLICY","features":[368]},{"name":"CM_DRP_REMOVAL_POLICY_HW_DEFAULT","features":[368]},{"name":"CM_DRP_REMOVAL_POLICY_OVERRIDE","features":[368]},{"name":"CM_DRP_SECURITY","features":[368]},{"name":"CM_DRP_SECURITY_SDS","features":[368]},{"name":"CM_DRP_SERVICE","features":[368]},{"name":"CM_DRP_UI_NUMBER","features":[368]},{"name":"CM_DRP_UI_NUMBER_DESC_FORMAT","features":[368]},{"name":"CM_DRP_UNUSED0","features":[368]},{"name":"CM_DRP_UNUSED1","features":[368]},{"name":"CM_DRP_UNUSED2","features":[368]},{"name":"CM_DRP_UPPERFILTERS","features":[368]},{"name":"CM_Delete_Class_Key","features":[368]},{"name":"CM_Delete_Class_Key_Ex","features":[368]},{"name":"CM_Delete_DevNode_Key","features":[368]},{"name":"CM_Delete_DevNode_Key_Ex","features":[368]},{"name":"CM_Delete_Device_Interface_KeyA","features":[368]},{"name":"CM_Delete_Device_Interface_KeyW","features":[368]},{"name":"CM_Delete_Device_Interface_Key_ExA","features":[368]},{"name":"CM_Delete_Device_Interface_Key_ExW","features":[368]},{"name":"CM_Delete_Range","features":[368]},{"name":"CM_Detect_Resource_Conflict","features":[368,308]},{"name":"CM_Detect_Resource_Conflict_Ex","features":[368,308]},{"name":"CM_Disable_DevNode","features":[368]},{"name":"CM_Disable_DevNode_Ex","features":[368]},{"name":"CM_Disconnect_Machine","features":[368]},{"name":"CM_Dup_Range_List","features":[368]},{"name":"CM_ENUMERATE_CLASSES_BITS","features":[368]},{"name":"CM_ENUMERATE_CLASSES_INSTALLER","features":[368]},{"name":"CM_ENUMERATE_CLASSES_INTERFACE","features":[368]},{"name":"CM_ENUMERATE_FLAGS","features":[368]},{"name":"CM_Enable_DevNode","features":[368]},{"name":"CM_Enable_DevNode_Ex","features":[368]},{"name":"CM_Enumerate_Classes","features":[368]},{"name":"CM_Enumerate_Classes_Ex","features":[368]},{"name":"CM_Enumerate_EnumeratorsA","features":[368]},{"name":"CM_Enumerate_EnumeratorsW","features":[368]},{"name":"CM_Enumerate_Enumerators_ExA","features":[368]},{"name":"CM_Enumerate_Enumerators_ExW","features":[368]},{"name":"CM_Find_Range","features":[368]},{"name":"CM_First_Range","features":[368]},{"name":"CM_Free_Log_Conf","features":[368]},{"name":"CM_Free_Log_Conf_Ex","features":[368]},{"name":"CM_Free_Log_Conf_Handle","features":[368]},{"name":"CM_Free_Range_List","features":[368]},{"name":"CM_Free_Res_Des","features":[368]},{"name":"CM_Free_Res_Des_Ex","features":[368]},{"name":"CM_Free_Res_Des_Handle","features":[368]},{"name":"CM_Free_Resource_Conflict_Handle","features":[368]},{"name":"CM_GETIDLIST_DONOTGENERATE","features":[368]},{"name":"CM_GETIDLIST_FILTER_BITS","features":[368]},{"name":"CM_GETIDLIST_FILTER_BUSRELATIONS","features":[368]},{"name":"CM_GETIDLIST_FILTER_CLASS","features":[368]},{"name":"CM_GETIDLIST_FILTER_EJECTRELATIONS","features":[368]},{"name":"CM_GETIDLIST_FILTER_ENUMERATOR","features":[368]},{"name":"CM_GETIDLIST_FILTER_NONE","features":[368]},{"name":"CM_GETIDLIST_FILTER_POWERRELATIONS","features":[368]},{"name":"CM_GETIDLIST_FILTER_PRESENT","features":[368]},{"name":"CM_GETIDLIST_FILTER_REMOVALRELATIONS","features":[368]},{"name":"CM_GETIDLIST_FILTER_SERVICE","features":[368]},{"name":"CM_GETIDLIST_FILTER_TRANSPORTRELATIONS","features":[368]},{"name":"CM_GET_DEVICE_INTERFACE_LIST_ALL_DEVICES","features":[368]},{"name":"CM_GET_DEVICE_INTERFACE_LIST_BITS","features":[368]},{"name":"CM_GET_DEVICE_INTERFACE_LIST_FLAGS","features":[368]},{"name":"CM_GET_DEVICE_INTERFACE_LIST_PRESENT","features":[368]},{"name":"CM_GLOBAL_STATE_CAN_DO_UI","features":[368]},{"name":"CM_GLOBAL_STATE_DETECTION_PENDING","features":[368]},{"name":"CM_GLOBAL_STATE_ON_BIG_STACK","features":[368]},{"name":"CM_GLOBAL_STATE_REBOOT_REQUIRED","features":[368]},{"name":"CM_GLOBAL_STATE_SERVICES_AVAILABLE","features":[368]},{"name":"CM_GLOBAL_STATE_SHUTTING_DOWN","features":[368]},{"name":"CM_Get_Child","features":[368]},{"name":"CM_Get_Child_Ex","features":[368]},{"name":"CM_Get_Class_Key_NameA","features":[368]},{"name":"CM_Get_Class_Key_NameW","features":[368]},{"name":"CM_Get_Class_Key_Name_ExA","features":[368]},{"name":"CM_Get_Class_Key_Name_ExW","features":[368]},{"name":"CM_Get_Class_NameA","features":[368]},{"name":"CM_Get_Class_NameW","features":[368]},{"name":"CM_Get_Class_Name_ExA","features":[368]},{"name":"CM_Get_Class_Name_ExW","features":[368]},{"name":"CM_Get_Class_PropertyW","features":[368,341]},{"name":"CM_Get_Class_Property_ExW","features":[368,341]},{"name":"CM_Get_Class_Property_Keys","features":[368,341]},{"name":"CM_Get_Class_Property_Keys_Ex","features":[368,341]},{"name":"CM_Get_Class_Registry_PropertyA","features":[368]},{"name":"CM_Get_Class_Registry_PropertyW","features":[368]},{"name":"CM_Get_Depth","features":[368]},{"name":"CM_Get_Depth_Ex","features":[368]},{"name":"CM_Get_DevNode_Custom_PropertyA","features":[368]},{"name":"CM_Get_DevNode_Custom_PropertyW","features":[368]},{"name":"CM_Get_DevNode_Custom_Property_ExA","features":[368]},{"name":"CM_Get_DevNode_Custom_Property_ExW","features":[368]},{"name":"CM_Get_DevNode_PropertyW","features":[368,341]},{"name":"CM_Get_DevNode_Property_ExW","features":[368,341]},{"name":"CM_Get_DevNode_Property_Keys","features":[368,341]},{"name":"CM_Get_DevNode_Property_Keys_Ex","features":[368,341]},{"name":"CM_Get_DevNode_Registry_PropertyA","features":[368]},{"name":"CM_Get_DevNode_Registry_PropertyW","features":[368]},{"name":"CM_Get_DevNode_Registry_Property_ExA","features":[368]},{"name":"CM_Get_DevNode_Registry_Property_ExW","features":[368]},{"name":"CM_Get_DevNode_Status","features":[368]},{"name":"CM_Get_DevNode_Status_Ex","features":[368]},{"name":"CM_Get_Device_IDA","features":[368]},{"name":"CM_Get_Device_IDW","features":[368]},{"name":"CM_Get_Device_ID_ExA","features":[368]},{"name":"CM_Get_Device_ID_ExW","features":[368]},{"name":"CM_Get_Device_ID_ListA","features":[368]},{"name":"CM_Get_Device_ID_ListW","features":[368]},{"name":"CM_Get_Device_ID_List_ExA","features":[368]},{"name":"CM_Get_Device_ID_List_ExW","features":[368]},{"name":"CM_Get_Device_ID_List_SizeA","features":[368]},{"name":"CM_Get_Device_ID_List_SizeW","features":[368]},{"name":"CM_Get_Device_ID_List_Size_ExA","features":[368]},{"name":"CM_Get_Device_ID_List_Size_ExW","features":[368]},{"name":"CM_Get_Device_ID_Size","features":[368]},{"name":"CM_Get_Device_ID_Size_Ex","features":[368]},{"name":"CM_Get_Device_Interface_AliasA","features":[368]},{"name":"CM_Get_Device_Interface_AliasW","features":[368]},{"name":"CM_Get_Device_Interface_Alias_ExA","features":[368]},{"name":"CM_Get_Device_Interface_Alias_ExW","features":[368]},{"name":"CM_Get_Device_Interface_ListA","features":[368]},{"name":"CM_Get_Device_Interface_ListW","features":[368]},{"name":"CM_Get_Device_Interface_List_ExA","features":[368]},{"name":"CM_Get_Device_Interface_List_ExW","features":[368]},{"name":"CM_Get_Device_Interface_List_SizeA","features":[368]},{"name":"CM_Get_Device_Interface_List_SizeW","features":[368]},{"name":"CM_Get_Device_Interface_List_Size_ExA","features":[368]},{"name":"CM_Get_Device_Interface_List_Size_ExW","features":[368]},{"name":"CM_Get_Device_Interface_PropertyW","features":[368,341]},{"name":"CM_Get_Device_Interface_Property_ExW","features":[368,341]},{"name":"CM_Get_Device_Interface_Property_KeysW","features":[368,341]},{"name":"CM_Get_Device_Interface_Property_Keys_ExW","features":[368,341]},{"name":"CM_Get_First_Log_Conf","features":[368]},{"name":"CM_Get_First_Log_Conf_Ex","features":[368]},{"name":"CM_Get_Global_State","features":[368]},{"name":"CM_Get_Global_State_Ex","features":[368]},{"name":"CM_Get_HW_Prof_FlagsA","features":[368]},{"name":"CM_Get_HW_Prof_FlagsW","features":[368]},{"name":"CM_Get_HW_Prof_Flags_ExA","features":[368]},{"name":"CM_Get_HW_Prof_Flags_ExW","features":[368]},{"name":"CM_Get_Hardware_Profile_InfoA","features":[368]},{"name":"CM_Get_Hardware_Profile_InfoW","features":[368]},{"name":"CM_Get_Hardware_Profile_Info_ExA","features":[368]},{"name":"CM_Get_Hardware_Profile_Info_ExW","features":[368]},{"name":"CM_Get_Log_Conf_Priority","features":[368]},{"name":"CM_Get_Log_Conf_Priority_Ex","features":[368]},{"name":"CM_Get_Next_Log_Conf","features":[368]},{"name":"CM_Get_Next_Log_Conf_Ex","features":[368]},{"name":"CM_Get_Next_Res_Des","features":[368]},{"name":"CM_Get_Next_Res_Des_Ex","features":[368]},{"name":"CM_Get_Parent","features":[368]},{"name":"CM_Get_Parent_Ex","features":[368]},{"name":"CM_Get_Res_Des_Data","features":[368]},{"name":"CM_Get_Res_Des_Data_Ex","features":[368]},{"name":"CM_Get_Res_Des_Data_Size","features":[368]},{"name":"CM_Get_Res_Des_Data_Size_Ex","features":[368]},{"name":"CM_Get_Resource_Conflict_Count","features":[368]},{"name":"CM_Get_Resource_Conflict_DetailsA","features":[368]},{"name":"CM_Get_Resource_Conflict_DetailsW","features":[368]},{"name":"CM_Get_Sibling","features":[368]},{"name":"CM_Get_Sibling_Ex","features":[368]},{"name":"CM_Get_Version","features":[368]},{"name":"CM_Get_Version_Ex","features":[368]},{"name":"CM_HWPI_DOCKED","features":[368]},{"name":"CM_HWPI_NOT_DOCKABLE","features":[368]},{"name":"CM_HWPI_UNDOCKED","features":[368]},{"name":"CM_INSTALL_STATE","features":[368]},{"name":"CM_INSTALL_STATE_FAILED_INSTALL","features":[368]},{"name":"CM_INSTALL_STATE_FINISH_INSTALL","features":[368]},{"name":"CM_INSTALL_STATE_INSTALLED","features":[368]},{"name":"CM_INSTALL_STATE_NEEDS_REINSTALL","features":[368]},{"name":"CM_Intersect_Range_List","features":[368]},{"name":"CM_Invert_Range_List","features":[368]},{"name":"CM_Is_Dock_Station_Present","features":[368,308]},{"name":"CM_Is_Dock_Station_Present_Ex","features":[368,308]},{"name":"CM_Is_Version_Available","features":[368,308]},{"name":"CM_Is_Version_Available_Ex","features":[368,308]},{"name":"CM_LOCATE_DEVNODE_BITS","features":[368]},{"name":"CM_LOCATE_DEVNODE_CANCELREMOVE","features":[368]},{"name":"CM_LOCATE_DEVNODE_FLAGS","features":[368]},{"name":"CM_LOCATE_DEVNODE_NORMAL","features":[368]},{"name":"CM_LOCATE_DEVNODE_NOVALIDATION","features":[368]},{"name":"CM_LOCATE_DEVNODE_PHANTOM","features":[368]},{"name":"CM_LOG_CONF","features":[368]},{"name":"CM_Locate_DevNodeA","features":[368]},{"name":"CM_Locate_DevNodeW","features":[368]},{"name":"CM_Locate_DevNode_ExA","features":[368]},{"name":"CM_Locate_DevNode_ExW","features":[368]},{"name":"CM_MapCrToWin32Err","features":[368]},{"name":"CM_Merge_Range_List","features":[368]},{"name":"CM_Modify_Res_Des","features":[368]},{"name":"CM_Modify_Res_Des_Ex","features":[368]},{"name":"CM_Move_DevNode","features":[368]},{"name":"CM_Move_DevNode_Ex","features":[368]},{"name":"CM_NAME_ATTRIBUTE_NAME_RETRIEVED_FROM_DEVICE","features":[368]},{"name":"CM_NAME_ATTRIBUTE_USER_ASSIGNED_NAME","features":[368]},{"name":"CM_NOTIFY_ACTION","features":[368]},{"name":"CM_NOTIFY_ACTION_DEVICECUSTOMEVENT","features":[368]},{"name":"CM_NOTIFY_ACTION_DEVICEINSTANCEENUMERATED","features":[368]},{"name":"CM_NOTIFY_ACTION_DEVICEINSTANCEREMOVED","features":[368]},{"name":"CM_NOTIFY_ACTION_DEVICEINSTANCESTARTED","features":[368]},{"name":"CM_NOTIFY_ACTION_DEVICEINTERFACEARRIVAL","features":[368]},{"name":"CM_NOTIFY_ACTION_DEVICEINTERFACEREMOVAL","features":[368]},{"name":"CM_NOTIFY_ACTION_DEVICEQUERYREMOVE","features":[368]},{"name":"CM_NOTIFY_ACTION_DEVICEQUERYREMOVEFAILED","features":[368]},{"name":"CM_NOTIFY_ACTION_DEVICEREMOVECOMPLETE","features":[368]},{"name":"CM_NOTIFY_ACTION_DEVICEREMOVEPENDING","features":[368]},{"name":"CM_NOTIFY_ACTION_MAX","features":[368]},{"name":"CM_NOTIFY_EVENT_DATA","features":[368]},{"name":"CM_NOTIFY_FILTER","features":[368,308]},{"name":"CM_NOTIFY_FILTER_FLAG_ALL_DEVICE_INSTANCES","features":[368]},{"name":"CM_NOTIFY_FILTER_FLAG_ALL_INTERFACE_CLASSES","features":[368]},{"name":"CM_NOTIFY_FILTER_TYPE","features":[368]},{"name":"CM_NOTIFY_FILTER_TYPE_DEVICEHANDLE","features":[368]},{"name":"CM_NOTIFY_FILTER_TYPE_DEVICEINSTANCE","features":[368]},{"name":"CM_NOTIFY_FILTER_TYPE_DEVICEINTERFACE","features":[368]},{"name":"CM_NOTIFY_FILTER_TYPE_MAX","features":[368]},{"name":"CM_Next_Range","features":[368]},{"name":"CM_OPEN_CLASS_KEY_BITS","features":[368]},{"name":"CM_OPEN_CLASS_KEY_INSTALLER","features":[368]},{"name":"CM_OPEN_CLASS_KEY_INTERFACE","features":[368]},{"name":"CM_Open_Class_KeyA","features":[368,369]},{"name":"CM_Open_Class_KeyW","features":[368,369]},{"name":"CM_Open_Class_Key_ExA","features":[368,369]},{"name":"CM_Open_Class_Key_ExW","features":[368,369]},{"name":"CM_Open_DevNode_Key","features":[368,369]},{"name":"CM_Open_DevNode_Key_Ex","features":[368,369]},{"name":"CM_Open_Device_Interface_KeyA","features":[368,369]},{"name":"CM_Open_Device_Interface_KeyW","features":[368,369]},{"name":"CM_Open_Device_Interface_Key_ExA","features":[368,369]},{"name":"CM_Open_Device_Interface_Key_ExW","features":[368,369]},{"name":"CM_PROB","features":[368]},{"name":"CM_PROB_BIOS_TABLE","features":[368]},{"name":"CM_PROB_BOOT_CONFIG_CONFLICT","features":[368]},{"name":"CM_PROB_CANT_SHARE_IRQ","features":[368]},{"name":"CM_PROB_CONSOLE_LOCKED","features":[368]},{"name":"CM_PROB_DEVICE_NOT_THERE","features":[368]},{"name":"CM_PROB_DEVICE_RESET","features":[368]},{"name":"CM_PROB_DEVLOADER_FAILED","features":[368]},{"name":"CM_PROB_DEVLOADER_NOT_FOUND","features":[368]},{"name":"CM_PROB_DEVLOADER_NOT_READY","features":[368]},{"name":"CM_PROB_DISABLED","features":[368]},{"name":"CM_PROB_DISABLED_SERVICE","features":[368]},{"name":"CM_PROB_DRIVER_BLOCKED","features":[368]},{"name":"CM_PROB_DRIVER_FAILED_LOAD","features":[368]},{"name":"CM_PROB_DRIVER_FAILED_PRIOR_UNLOAD","features":[368]},{"name":"CM_PROB_DRIVER_SERVICE_KEY_INVALID","features":[368]},{"name":"CM_PROB_DUPLICATE_DEVICE","features":[368]},{"name":"CM_PROB_ENTRY_IS_WRONG_TYPE","features":[368]},{"name":"CM_PROB_FAILED_ADD","features":[368]},{"name":"CM_PROB_FAILED_DRIVER_ENTRY","features":[368]},{"name":"CM_PROB_FAILED_FILTER","features":[368]},{"name":"CM_PROB_FAILED_INSTALL","features":[368]},{"name":"CM_PROB_FAILED_POST_START","features":[368]},{"name":"CM_PROB_FAILED_START","features":[368]},{"name":"CM_PROB_GUEST_ASSIGNMENT_FAILED","features":[368]},{"name":"CM_PROB_HALTED","features":[368]},{"name":"CM_PROB_HARDWARE_DISABLED","features":[368]},{"name":"CM_PROB_HELD_FOR_EJECT","features":[368]},{"name":"CM_PROB_INVALID_DATA","features":[368]},{"name":"CM_PROB_IRQ_TRANSLATION_FAILED","features":[368]},{"name":"CM_PROB_LACKED_ARBITRATOR","features":[368]},{"name":"CM_PROB_LEGACY_SERVICE_NO_DEVICES","features":[368]},{"name":"CM_PROB_LIAR","features":[368]},{"name":"CM_PROB_MOVED","features":[368]},{"name":"CM_PROB_NEED_CLASS_CONFIG","features":[368]},{"name":"CM_PROB_NEED_RESTART","features":[368]},{"name":"CM_PROB_NORMAL_CONFLICT","features":[368]},{"name":"CM_PROB_NOT_CONFIGURED","features":[368]},{"name":"CM_PROB_NOT_VERIFIED","features":[368]},{"name":"CM_PROB_NO_SOFTCONFIG","features":[368]},{"name":"CM_PROB_NO_VALID_LOG_CONF","features":[368]},{"name":"CM_PROB_OUT_OF_MEMORY","features":[368]},{"name":"CM_PROB_PARTIAL_LOG_CONF","features":[368]},{"name":"CM_PROB_PHANTOM","features":[368]},{"name":"CM_PROB_REENUMERATION","features":[368]},{"name":"CM_PROB_REGISTRY","features":[368]},{"name":"CM_PROB_REGISTRY_TOO_LARGE","features":[368]},{"name":"CM_PROB_REINSTALL","features":[368]},{"name":"CM_PROB_SETPROPERTIES_FAILED","features":[368]},{"name":"CM_PROB_SYSTEM_SHUTDOWN","features":[368]},{"name":"CM_PROB_TOO_EARLY","features":[368]},{"name":"CM_PROB_TRANSLATION_FAILED","features":[368]},{"name":"CM_PROB_UNKNOWN_RESOURCE","features":[368]},{"name":"CM_PROB_UNSIGNED_DRIVER","features":[368]},{"name":"CM_PROB_USED_BY_DEBUGGER","features":[368]},{"name":"CM_PROB_VXDLDR","features":[368]},{"name":"CM_PROB_WAITING_ON_DEPENDENCY","features":[368]},{"name":"CM_PROB_WILL_BE_REMOVED","features":[368]},{"name":"CM_QUERY_ARBITRATOR_BITS","features":[368]},{"name":"CM_QUERY_ARBITRATOR_RAW","features":[368]},{"name":"CM_QUERY_ARBITRATOR_TRANSLATED","features":[368]},{"name":"CM_QUERY_REMOVE_UI_NOT_OK","features":[368]},{"name":"CM_QUERY_REMOVE_UI_OK","features":[368]},{"name":"CM_Query_And_Remove_SubTreeA","features":[368]},{"name":"CM_Query_And_Remove_SubTreeW","features":[368]},{"name":"CM_Query_And_Remove_SubTree_ExA","features":[368]},{"name":"CM_Query_And_Remove_SubTree_ExW","features":[368]},{"name":"CM_Query_Arbitrator_Free_Data","features":[368]},{"name":"CM_Query_Arbitrator_Free_Data_Ex","features":[368]},{"name":"CM_Query_Arbitrator_Free_Size","features":[368]},{"name":"CM_Query_Arbitrator_Free_Size_Ex","features":[368]},{"name":"CM_Query_Remove_SubTree","features":[368]},{"name":"CM_Query_Remove_SubTree_Ex","features":[368]},{"name":"CM_Query_Resource_Conflict_List","features":[368]},{"name":"CM_REENUMERATE_ASYNCHRONOUS","features":[368]},{"name":"CM_REENUMERATE_BITS","features":[368]},{"name":"CM_REENUMERATE_FLAGS","features":[368]},{"name":"CM_REENUMERATE_NORMAL","features":[368]},{"name":"CM_REENUMERATE_RETRY_INSTALLATION","features":[368]},{"name":"CM_REENUMERATE_SYNCHRONOUS","features":[368]},{"name":"CM_REGISTER_DEVICE_DRIVER_BITS","features":[368]},{"name":"CM_REGISTER_DEVICE_DRIVER_DISABLEABLE","features":[368]},{"name":"CM_REGISTER_DEVICE_DRIVER_REMOVABLE","features":[368]},{"name":"CM_REGISTER_DEVICE_DRIVER_STATIC","features":[368]},{"name":"CM_REGISTRY_BITS","features":[368]},{"name":"CM_REGISTRY_CONFIG","features":[368]},{"name":"CM_REGISTRY_HARDWARE","features":[368]},{"name":"CM_REGISTRY_SOFTWARE","features":[368]},{"name":"CM_REGISTRY_USER","features":[368]},{"name":"CM_REMOVAL_POLICY","features":[368]},{"name":"CM_REMOVAL_POLICY_EXPECT_NO_REMOVAL","features":[368]},{"name":"CM_REMOVAL_POLICY_EXPECT_ORDERLY_REMOVAL","features":[368]},{"name":"CM_REMOVAL_POLICY_EXPECT_SURPRISE_REMOVAL","features":[368]},{"name":"CM_REMOVE_BITS","features":[368]},{"name":"CM_REMOVE_DISABLE","features":[368]},{"name":"CM_REMOVE_NO_RESTART","features":[368]},{"name":"CM_REMOVE_UI_NOT_OK","features":[368]},{"name":"CM_REMOVE_UI_OK","features":[368]},{"name":"CM_RESDES_WIDTH_32","features":[368]},{"name":"CM_RESDES_WIDTH_64","features":[368]},{"name":"CM_RESDES_WIDTH_BITS","features":[368]},{"name":"CM_RESDES_WIDTH_DEFAULT","features":[368]},{"name":"CM_RESTYPE","features":[368]},{"name":"CM_Reenumerate_DevNode","features":[368]},{"name":"CM_Reenumerate_DevNode_Ex","features":[368]},{"name":"CM_Register_Device_Driver","features":[368]},{"name":"CM_Register_Device_Driver_Ex","features":[368]},{"name":"CM_Register_Device_InterfaceA","features":[368]},{"name":"CM_Register_Device_InterfaceW","features":[368]},{"name":"CM_Register_Device_Interface_ExA","features":[368]},{"name":"CM_Register_Device_Interface_ExW","features":[368]},{"name":"CM_Register_Notification","features":[368,308]},{"name":"CM_Remove_SubTree","features":[368]},{"name":"CM_Remove_SubTree_Ex","features":[368]},{"name":"CM_Request_Device_EjectA","features":[368]},{"name":"CM_Request_Device_EjectW","features":[368]},{"name":"CM_Request_Device_Eject_ExA","features":[368]},{"name":"CM_Request_Device_Eject_ExW","features":[368]},{"name":"CM_Request_Eject_PC","features":[368]},{"name":"CM_Request_Eject_PC_Ex","features":[368]},{"name":"CM_Run_Detection","features":[368]},{"name":"CM_Run_Detection_Ex","features":[368]},{"name":"CM_SETUP_BITS","features":[368]},{"name":"CM_SETUP_DEVINST_CONFIG","features":[368]},{"name":"CM_SETUP_DEVINST_CONFIG_CLASS","features":[368]},{"name":"CM_SETUP_DEVINST_CONFIG_EXTENSIONS","features":[368]},{"name":"CM_SETUP_DEVINST_CONFIG_RESET","features":[368]},{"name":"CM_SETUP_DEVINST_READY","features":[368]},{"name":"CM_SETUP_DEVINST_RESET","features":[368]},{"name":"CM_SETUP_DEVNODE_CONFIG","features":[368]},{"name":"CM_SETUP_DEVNODE_CONFIG_CLASS","features":[368]},{"name":"CM_SETUP_DEVNODE_CONFIG_EXTENSIONS","features":[368]},{"name":"CM_SETUP_DEVNODE_CONFIG_RESET","features":[368]},{"name":"CM_SETUP_DEVNODE_READY","features":[368]},{"name":"CM_SETUP_DEVNODE_RESET","features":[368]},{"name":"CM_SETUP_DOWNLOAD","features":[368]},{"name":"CM_SETUP_PROP_CHANGE","features":[368]},{"name":"CM_SETUP_WRITE_LOG_CONFS","features":[368]},{"name":"CM_SET_DEVINST_PROBLEM_BITS","features":[368]},{"name":"CM_SET_DEVINST_PROBLEM_NORMAL","features":[368]},{"name":"CM_SET_DEVINST_PROBLEM_OVERRIDE","features":[368]},{"name":"CM_SET_DEVNODE_PROBLEM_BITS","features":[368]},{"name":"CM_SET_DEVNODE_PROBLEM_NORMAL","features":[368]},{"name":"CM_SET_DEVNODE_PROBLEM_OVERRIDE","features":[368]},{"name":"CM_SET_HW_PROF_FLAGS_BITS","features":[368]},{"name":"CM_SET_HW_PROF_FLAGS_UI_NOT_OK","features":[368]},{"name":"CM_Set_Class_PropertyW","features":[368,341]},{"name":"CM_Set_Class_Property_ExW","features":[368,341]},{"name":"CM_Set_Class_Registry_PropertyA","features":[368]},{"name":"CM_Set_Class_Registry_PropertyW","features":[368]},{"name":"CM_Set_DevNode_Problem","features":[368]},{"name":"CM_Set_DevNode_Problem_Ex","features":[368]},{"name":"CM_Set_DevNode_PropertyW","features":[368,341]},{"name":"CM_Set_DevNode_Property_ExW","features":[368,341]},{"name":"CM_Set_DevNode_Registry_PropertyA","features":[368]},{"name":"CM_Set_DevNode_Registry_PropertyW","features":[368]},{"name":"CM_Set_DevNode_Registry_Property_ExA","features":[368]},{"name":"CM_Set_DevNode_Registry_Property_ExW","features":[368]},{"name":"CM_Set_Device_Interface_PropertyW","features":[368,341]},{"name":"CM_Set_Device_Interface_Property_ExW","features":[368,341]},{"name":"CM_Set_HW_Prof","features":[368]},{"name":"CM_Set_HW_Prof_Ex","features":[368]},{"name":"CM_Set_HW_Prof_FlagsA","features":[368]},{"name":"CM_Set_HW_Prof_FlagsW","features":[368]},{"name":"CM_Set_HW_Prof_Flags_ExA","features":[368]},{"name":"CM_Set_HW_Prof_Flags_ExW","features":[368]},{"name":"CM_Setup_DevNode","features":[368]},{"name":"CM_Setup_DevNode_Ex","features":[368]},{"name":"CM_Test_Range_Available","features":[368]},{"name":"CM_Uninstall_DevNode","features":[368]},{"name":"CM_Uninstall_DevNode_Ex","features":[368]},{"name":"CM_Unregister_Device_InterfaceA","features":[368]},{"name":"CM_Unregister_Device_InterfaceW","features":[368]},{"name":"CM_Unregister_Device_Interface_ExA","features":[368]},{"name":"CM_Unregister_Device_Interface_ExW","features":[368]},{"name":"CM_Unregister_Notification","features":[368]},{"name":"COINSTALLER_CONTEXT_DATA","features":[368,308]},{"name":"COINSTALLER_CONTEXT_DATA","features":[368,308]},{"name":"CONFIGFLAG_BOOT_DEVICE","features":[368]},{"name":"CONFIGFLAG_CANTSTOPACHILD","features":[368]},{"name":"CONFIGFLAG_DISABLED","features":[368]},{"name":"CONFIGFLAG_FAILEDINSTALL","features":[368]},{"name":"CONFIGFLAG_FINISHINSTALL_ACTION","features":[368]},{"name":"CONFIGFLAG_FINISHINSTALL_UI","features":[368]},{"name":"CONFIGFLAG_FINISH_INSTALL","features":[368]},{"name":"CONFIGFLAG_IGNORE_BOOT_LC","features":[368]},{"name":"CONFIGFLAG_MANUAL_INSTALL","features":[368]},{"name":"CONFIGFLAG_NEEDS_CLASS_CONFIG","features":[368]},{"name":"CONFIGFLAG_NEEDS_FORCED_CONFIG","features":[368]},{"name":"CONFIGFLAG_NETBOOT_CARD","features":[368]},{"name":"CONFIGFLAG_NET_BOOT","features":[368]},{"name":"CONFIGFLAG_NOREMOVEEXIT","features":[368]},{"name":"CONFIGFLAG_OKREMOVEROM","features":[368]},{"name":"CONFIGFLAG_PARTIAL_LOG_CONF","features":[368]},{"name":"CONFIGFLAG_REINSTALL","features":[368]},{"name":"CONFIGFLAG_REMOVED","features":[368]},{"name":"CONFIGFLAG_SUPPRESS_SURPRISE","features":[368]},{"name":"CONFIGFLAG_VERIFY_HARDWARE","features":[368]},{"name":"CONFIGMG_VERSION","features":[368]},{"name":"CONFIGRET","features":[368]},{"name":"CONFLICT_DETAILS_A","features":[368]},{"name":"CONFLICT_DETAILS_W","features":[368]},{"name":"CONNECTION_DES","features":[368]},{"name":"CONNECTION_RESOURCE","features":[368]},{"name":"COPYFLG_FORCE_FILE_IN_USE","features":[368]},{"name":"COPYFLG_IN_USE_TRY_RENAME","features":[368]},{"name":"COPYFLG_NODECOMP","features":[368]},{"name":"COPYFLG_NOPRUNE","features":[368]},{"name":"COPYFLG_NOSKIP","features":[368]},{"name":"COPYFLG_NOVERSIONCHECK","features":[368]},{"name":"COPYFLG_NO_OVERWRITE","features":[368]},{"name":"COPYFLG_NO_VERSION_DIALOG","features":[368]},{"name":"COPYFLG_OVERWRITE_OLDER_ONLY","features":[368]},{"name":"COPYFLG_PROTECTED_WINDOWS_DRIVER_FILE","features":[368]},{"name":"COPYFLG_REPLACEONLY","features":[368]},{"name":"COPYFLG_REPLACE_BOOT_FILE","features":[368]},{"name":"COPYFLG_WARN_IF_SKIP","features":[368]},{"name":"CR_ACCESS_DENIED","features":[368]},{"name":"CR_ALREADY_SUCH_DEVINST","features":[368]},{"name":"CR_ALREADY_SUCH_DEVNODE","features":[368]},{"name":"CR_APM_VETOED","features":[368]},{"name":"CR_BUFFER_SMALL","features":[368]},{"name":"CR_CALL_NOT_IMPLEMENTED","features":[368]},{"name":"CR_CANT_SHARE_IRQ","features":[368]},{"name":"CR_CREATE_BLOCKED","features":[368]},{"name":"CR_DEFAULT","features":[368]},{"name":"CR_DEVICE_INTERFACE_ACTIVE","features":[368]},{"name":"CR_DEVICE_NOT_THERE","features":[368]},{"name":"CR_DEVINST_HAS_REQS","features":[368]},{"name":"CR_DEVLOADER_NOT_READY","features":[368]},{"name":"CR_DEVNODE_HAS_REQS","features":[368]},{"name":"CR_DLVXD_NOT_FOUND","features":[368]},{"name":"CR_FAILURE","features":[368]},{"name":"CR_FREE_RESOURCES","features":[368]},{"name":"CR_INVALID_API","features":[368]},{"name":"CR_INVALID_ARBITRATOR","features":[368]},{"name":"CR_INVALID_CONFLICT_LIST","features":[368]},{"name":"CR_INVALID_DATA","features":[368]},{"name":"CR_INVALID_DEVICE_ID","features":[368]},{"name":"CR_INVALID_DEVINST","features":[368]},{"name":"CR_INVALID_DEVNODE","features":[368]},{"name":"CR_INVALID_FLAG","features":[368]},{"name":"CR_INVALID_INDEX","features":[368]},{"name":"CR_INVALID_LOAD_TYPE","features":[368]},{"name":"CR_INVALID_LOG_CONF","features":[368]},{"name":"CR_INVALID_MACHINENAME","features":[368]},{"name":"CR_INVALID_NODELIST","features":[368]},{"name":"CR_INVALID_POINTER","features":[368]},{"name":"CR_INVALID_PRIORITY","features":[368]},{"name":"CR_INVALID_PROPERTY","features":[368]},{"name":"CR_INVALID_RANGE","features":[368]},{"name":"CR_INVALID_RANGE_LIST","features":[368]},{"name":"CR_INVALID_REFERENCE_STRING","features":[368]},{"name":"CR_INVALID_RESOURCEID","features":[368]},{"name":"CR_INVALID_RES_DES","features":[368]},{"name":"CR_INVALID_STRUCTURE_SIZE","features":[368]},{"name":"CR_MACHINE_UNAVAILABLE","features":[368]},{"name":"CR_NEED_RESTART","features":[368]},{"name":"CR_NOT_DISABLEABLE","features":[368]},{"name":"CR_NOT_SYSTEM_VM","features":[368]},{"name":"CR_NO_ARBITRATOR","features":[368]},{"name":"CR_NO_CM_SERVICES","features":[368]},{"name":"CR_NO_DEPENDENT","features":[368]},{"name":"CR_NO_MORE_HW_PROFILES","features":[368]},{"name":"CR_NO_MORE_LOG_CONF","features":[368]},{"name":"CR_NO_MORE_RES_DES","features":[368]},{"name":"CR_NO_REGISTRY_HANDLE","features":[368]},{"name":"CR_NO_SUCH_DEVICE_INTERFACE","features":[368]},{"name":"CR_NO_SUCH_DEVINST","features":[368]},{"name":"CR_NO_SUCH_DEVNODE","features":[368]},{"name":"CR_NO_SUCH_LOGICAL_DEV","features":[368]},{"name":"CR_NO_SUCH_REGISTRY_KEY","features":[368]},{"name":"CR_NO_SUCH_VALUE","features":[368]},{"name":"CR_OUT_OF_MEMORY","features":[368]},{"name":"CR_QUERY_VETOED","features":[368]},{"name":"CR_REGISTRY_ERROR","features":[368]},{"name":"CR_REMOTE_COMM_FAILURE","features":[368]},{"name":"CR_REMOVE_VETOED","features":[368]},{"name":"CR_SAME_RESOURCES","features":[368]},{"name":"CR_SUCCESS","features":[368]},{"name":"CR_WRONG_TYPE","features":[368]},{"name":"CS_DES","features":[368]},{"name":"CS_RESOURCE","features":[368]},{"name":"DD_FLAGS","features":[368]},{"name":"DELFLG_IN_USE","features":[368]},{"name":"DELFLG_IN_USE1","features":[368]},{"name":"DEVPRIVATE_DES","features":[368]},{"name":"DEVPRIVATE_RANGE","features":[368]},{"name":"DEVPRIVATE_RESOURCE","features":[368]},{"name":"DIBCI_NODISPLAYCLASS","features":[368]},{"name":"DIBCI_NOINSTALLCLASS","features":[368]},{"name":"DICD_GENERATE_ID","features":[368]},{"name":"DICD_INHERIT_CLASSDRVS","features":[368]},{"name":"DICLASSPROP_INSTALLER","features":[368]},{"name":"DICLASSPROP_INTERFACE","features":[368]},{"name":"DICS_DISABLE","features":[368]},{"name":"DICS_ENABLE","features":[368]},{"name":"DICS_FLAG_CONFIGGENERAL","features":[368]},{"name":"DICS_FLAG_CONFIGSPECIFIC","features":[368]},{"name":"DICS_FLAG_GLOBAL","features":[368]},{"name":"DICS_PROPCHANGE","features":[368]},{"name":"DICS_START","features":[368]},{"name":"DICS_STOP","features":[368]},{"name":"DICUSTOMDEVPROP_MERGE_MULTISZ","features":[368]},{"name":"DIF_ADDPROPERTYPAGE_ADVANCED","features":[368]},{"name":"DIF_ADDPROPERTYPAGE_BASIC","features":[368]},{"name":"DIF_ADDREMOTEPROPERTYPAGE_ADVANCED","features":[368]},{"name":"DIF_ALLOW_INSTALL","features":[368]},{"name":"DIF_ASSIGNRESOURCES","features":[368]},{"name":"DIF_CALCDISKSPACE","features":[368]},{"name":"DIF_DESTROYPRIVATEDATA","features":[368]},{"name":"DIF_DESTROYWIZARDDATA","features":[368]},{"name":"DIF_DETECT","features":[368]},{"name":"DIF_DETECTCANCEL","features":[368]},{"name":"DIF_DETECTVERIFY","features":[368]},{"name":"DIF_ENABLECLASS","features":[368]},{"name":"DIF_FINISHINSTALL_ACTION","features":[368]},{"name":"DIF_FIRSTTIMESETUP","features":[368]},{"name":"DIF_FOUNDDEVICE","features":[368]},{"name":"DIF_INSTALLCLASSDRIVERS","features":[368]},{"name":"DIF_INSTALLDEVICE","features":[368]},{"name":"DIF_INSTALLDEVICEFILES","features":[368]},{"name":"DIF_INSTALLINTERFACES","features":[368]},{"name":"DIF_INSTALLWIZARD","features":[368]},{"name":"DIF_MOVEDEVICE","features":[368]},{"name":"DIF_NEWDEVICEWIZARD_FINISHINSTALL","features":[368]},{"name":"DIF_NEWDEVICEWIZARD_POSTANALYZE","features":[368]},{"name":"DIF_NEWDEVICEWIZARD_PREANALYZE","features":[368]},{"name":"DIF_NEWDEVICEWIZARD_PRESELECT","features":[368]},{"name":"DIF_NEWDEVICEWIZARD_SELECT","features":[368]},{"name":"DIF_POWERMESSAGEWAKE","features":[368]},{"name":"DIF_PROPERTIES","features":[368]},{"name":"DIF_PROPERTYCHANGE","features":[368]},{"name":"DIF_REGISTERDEVICE","features":[368]},{"name":"DIF_REGISTER_COINSTALLERS","features":[368]},{"name":"DIF_REMOVE","features":[368]},{"name":"DIF_RESERVED1","features":[368]},{"name":"DIF_RESERVED2","features":[368]},{"name":"DIF_SELECTBESTCOMPATDRV","features":[368]},{"name":"DIF_SELECTCLASSDRIVERS","features":[368]},{"name":"DIF_SELECTDEVICE","features":[368]},{"name":"DIF_TROUBLESHOOTER","features":[368]},{"name":"DIF_UNREMOVE","features":[368]},{"name":"DIF_UNUSED1","features":[368]},{"name":"DIF_UPDATEDRIVER_UI","features":[368]},{"name":"DIF_VALIDATECLASSDRIVERS","features":[368]},{"name":"DIF_VALIDATEDRIVER","features":[368]},{"name":"DIGCDP_FLAG_ADVANCED","features":[368]},{"name":"DIGCDP_FLAG_BASIC","features":[368]},{"name":"DIGCDP_FLAG_REMOTE_ADVANCED","features":[368]},{"name":"DIGCDP_FLAG_REMOTE_BASIC","features":[368]},{"name":"DIGCF_ALLCLASSES","features":[368]},{"name":"DIGCF_DEFAULT","features":[368]},{"name":"DIGCF_DEVICEINTERFACE","features":[368]},{"name":"DIGCF_INTERFACEDEVICE","features":[368]},{"name":"DIGCF_PRESENT","features":[368]},{"name":"DIGCF_PROFILE","features":[368]},{"name":"DIIDFLAG_BITS","features":[368]},{"name":"DIIDFLAG_INSTALLCOPYINFDRIVERS","features":[368]},{"name":"DIIDFLAG_INSTALLNULLDRIVER","features":[368]},{"name":"DIIDFLAG_NOFINISHINSTALLUI","features":[368]},{"name":"DIIDFLAG_SHOWSEARCHUI","features":[368]},{"name":"DIINSTALLDEVICE_FLAGS","features":[368]},{"name":"DIINSTALLDRIVER_FLAGS","features":[368]},{"name":"DIIRFLAG_BITS","features":[368]},{"name":"DIIRFLAG_FORCE_INF","features":[368]},{"name":"DIIRFLAG_HOTPATCH","features":[368]},{"name":"DIIRFLAG_HW_USING_THE_INF","features":[368]},{"name":"DIIRFLAG_INF_ALREADY_COPIED","features":[368]},{"name":"DIIRFLAG_INSTALL_AS_SET","features":[368]},{"name":"DIIRFLAG_NOBACKUP","features":[368]},{"name":"DIIRFLAG_PRE_CONFIGURE_INF","features":[368]},{"name":"DIIRFLAG_SYSTEM_BITS","features":[368]},{"name":"DIOCR_INSTALLER","features":[368]},{"name":"DIOCR_INTERFACE","features":[368]},{"name":"DIODI_NO_ADD","features":[368]},{"name":"DIOD_CANCEL_REMOVE","features":[368]},{"name":"DIOD_INHERIT_CLASSDRVS","features":[368]},{"name":"DIREG_BOTH","features":[368]},{"name":"DIREG_DEV","features":[368]},{"name":"DIREG_DRV","features":[368]},{"name":"DIRID_ABSOLUTE","features":[368]},{"name":"DIRID_ABSOLUTE_16BIT","features":[368]},{"name":"DIRID_APPS","features":[368]},{"name":"DIRID_BOOT","features":[368]},{"name":"DIRID_COLOR","features":[368]},{"name":"DIRID_COMMON_APPDATA","features":[368]},{"name":"DIRID_COMMON_DESKTOPDIRECTORY","features":[368]},{"name":"DIRID_COMMON_DOCUMENTS","features":[368]},{"name":"DIRID_COMMON_FAVORITES","features":[368]},{"name":"DIRID_COMMON_PROGRAMS","features":[368]},{"name":"DIRID_COMMON_STARTMENU","features":[368]},{"name":"DIRID_COMMON_STARTUP","features":[368]},{"name":"DIRID_COMMON_TEMPLATES","features":[368]},{"name":"DIRID_DEFAULT","features":[368]},{"name":"DIRID_DRIVERS","features":[368]},{"name":"DIRID_DRIVER_STORE","features":[368]},{"name":"DIRID_FONTS","features":[368]},{"name":"DIRID_HELP","features":[368]},{"name":"DIRID_INF","features":[368]},{"name":"DIRID_IOSUBSYS","features":[368]},{"name":"DIRID_LOADER","features":[368]},{"name":"DIRID_NULL","features":[368]},{"name":"DIRID_PRINTPROCESSOR","features":[368]},{"name":"DIRID_PROGRAM_FILES","features":[368]},{"name":"DIRID_PROGRAM_FILES_COMMON","features":[368]},{"name":"DIRID_PROGRAM_FILES_COMMONX86","features":[368]},{"name":"DIRID_PROGRAM_FILES_X86","features":[368]},{"name":"DIRID_SHARED","features":[368]},{"name":"DIRID_SPOOL","features":[368]},{"name":"DIRID_SPOOLDRIVERS","features":[368]},{"name":"DIRID_SRCPATH","features":[368]},{"name":"DIRID_SYSTEM","features":[368]},{"name":"DIRID_SYSTEM16","features":[368]},{"name":"DIRID_SYSTEM_X86","features":[368]},{"name":"DIRID_USER","features":[368]},{"name":"DIRID_USERPROFILE","features":[368]},{"name":"DIRID_VIEWERS","features":[368]},{"name":"DIRID_WINDOWS","features":[368]},{"name":"DIROLLBACKDRIVER_FLAGS","features":[368]},{"name":"DIUNINSTALLDRIVER_FLAGS","features":[368]},{"name":"DIURFLAG_NO_REMOVE_INF","features":[368]},{"name":"DIURFLAG_RESERVED","features":[368]},{"name":"DIURFLAG_VALID","features":[368]},{"name":"DI_AUTOASSIGNRES","features":[368]},{"name":"DI_CLASSINSTALLPARAMS","features":[368]},{"name":"DI_COMPAT_FROM_CLASS","features":[368]},{"name":"DI_DIDCLASS","features":[368]},{"name":"DI_DIDCOMPAT","features":[368]},{"name":"DI_DISABLED","features":[368]},{"name":"DI_DONOTCALLCONFIGMG","features":[368]},{"name":"DI_DRIVERPAGE_ADDED","features":[368]},{"name":"DI_ENUMSINGLEINF","features":[368]},{"name":"DI_FLAGSEX_ALLOWEXCLUDEDDRVS","features":[368]},{"name":"DI_FLAGSEX_ALTPLATFORM_DRVSEARCH","features":[368]},{"name":"DI_FLAGSEX_ALWAYSWRITEIDS","features":[368]},{"name":"DI_FLAGSEX_APPENDDRIVERLIST","features":[368]},{"name":"DI_FLAGSEX_BACKUPONREPLACE","features":[368]},{"name":"DI_FLAGSEX_CI_FAILED","features":[368]},{"name":"DI_FLAGSEX_DEVICECHANGE","features":[368]},{"name":"DI_FLAGSEX_DIDCOMPATINFO","features":[368]},{"name":"DI_FLAGSEX_DIDINFOLIST","features":[368]},{"name":"DI_FLAGSEX_DRIVERLIST_FROM_URL","features":[368]},{"name":"DI_FLAGSEX_EXCLUDE_OLD_INET_DRIVERS","features":[368]},{"name":"DI_FLAGSEX_FILTERCLASSES","features":[368]},{"name":"DI_FLAGSEX_FILTERSIMILARDRIVERS","features":[368]},{"name":"DI_FLAGSEX_FINISHINSTALL_ACTION","features":[368]},{"name":"DI_FLAGSEX_INET_DRIVER","features":[368]},{"name":"DI_FLAGSEX_INSTALLEDDRIVER","features":[368]},{"name":"DI_FLAGSEX_IN_SYSTEM_SETUP","features":[368]},{"name":"DI_FLAGSEX_NOUIONQUERYREMOVE","features":[368]},{"name":"DI_FLAGSEX_NO_CLASSLIST_NODE_MERGE","features":[368]},{"name":"DI_FLAGSEX_NO_DRVREG_MODIFY","features":[368]},{"name":"DI_FLAGSEX_POWERPAGE_ADDED","features":[368]},{"name":"DI_FLAGSEX_PREINSTALLBACKUP","features":[368]},{"name":"DI_FLAGSEX_PROPCHANGE_PENDING","features":[368]},{"name":"DI_FLAGSEX_RECURSIVESEARCH","features":[368]},{"name":"DI_FLAGSEX_RESERVED1","features":[368]},{"name":"DI_FLAGSEX_RESERVED2","features":[368]},{"name":"DI_FLAGSEX_RESERVED3","features":[368]},{"name":"DI_FLAGSEX_RESERVED4","features":[368]},{"name":"DI_FLAGSEX_RESTART_DEVICE_ONLY","features":[368]},{"name":"DI_FLAGSEX_SEARCH_PUBLISHED_INFS","features":[368]},{"name":"DI_FLAGSEX_SETFAILEDINSTALL","features":[368]},{"name":"DI_FLAGSEX_USECLASSFORCOMPAT","features":[368]},{"name":"DI_FORCECOPY","features":[368]},{"name":"DI_FUNCTION","features":[368]},{"name":"DI_GENERALPAGE_ADDED","features":[368]},{"name":"DI_INF_IS_SORTED","features":[368]},{"name":"DI_INSTALLDISABLED","features":[368]},{"name":"DI_MULTMFGS","features":[368]},{"name":"DI_NEEDREBOOT","features":[368]},{"name":"DI_NEEDRESTART","features":[368]},{"name":"DI_NOBROWSE","features":[368]},{"name":"DI_NODI_DEFAULTACTION","features":[368]},{"name":"DI_NOFILECOPY","features":[368]},{"name":"DI_NOSELECTICONS","features":[368]},{"name":"DI_NOVCP","features":[368]},{"name":"DI_NOWRITE_IDS","features":[368]},{"name":"DI_OVERRIDE_INFFLAGS","features":[368]},{"name":"DI_PROPERTIES_CHANGE","features":[368]},{"name":"DI_PROPS_NOCHANGEUSAGE","features":[368]},{"name":"DI_QUIETINSTALL","features":[368]},{"name":"DI_REMOVEDEVICE_CONFIGSPECIFIC","features":[368]},{"name":"DI_REMOVEDEVICE_GLOBAL","features":[368]},{"name":"DI_RESOURCEPAGE_ADDED","features":[368]},{"name":"DI_SHOWALL","features":[368]},{"name":"DI_SHOWCLASS","features":[368]},{"name":"DI_SHOWCOMPAT","features":[368]},{"name":"DI_SHOWOEM","features":[368]},{"name":"DI_UNREMOVEDEVICE_CONFIGSPECIFIC","features":[368]},{"name":"DI_USECI_SELECTSTRINGS","features":[368]},{"name":"DMA_DES","features":[368]},{"name":"DMA_RANGE","features":[368]},{"name":"DMA_RESOURCE","features":[368]},{"name":"DMI_BKCOLOR","features":[368]},{"name":"DMI_MASK","features":[368]},{"name":"DMI_USERECT","features":[368]},{"name":"DNF_ALWAYSEXCLUDEFROMLIST","features":[368]},{"name":"DNF_AUTHENTICODE_SIGNED","features":[368]},{"name":"DNF_BAD_DRIVER","features":[368]},{"name":"DNF_BASIC_DRIVER","features":[368]},{"name":"DNF_CLASS_DRIVER","features":[368]},{"name":"DNF_COMPATIBLE_DRIVER","features":[368]},{"name":"DNF_DUPDESC","features":[368]},{"name":"DNF_DUPDRIVERVER","features":[368]},{"name":"DNF_DUPPROVIDER","features":[368]},{"name":"DNF_EXCLUDEFROMLIST","features":[368]},{"name":"DNF_INBOX_DRIVER","features":[368]},{"name":"DNF_INET_DRIVER","features":[368]},{"name":"DNF_INF_IS_SIGNED","features":[368]},{"name":"DNF_INSTALLEDDRIVER","features":[368]},{"name":"DNF_LEGACYINF","features":[368]},{"name":"DNF_NODRIVER","features":[368]},{"name":"DNF_OEM_F6_INF","features":[368]},{"name":"DNF_OLDDRIVER","features":[368]},{"name":"DNF_OLD_INET_DRIVER","features":[368]},{"name":"DNF_REQUESTADDITIONALSOFTWARE","features":[368]},{"name":"DNF_UNUSED1","features":[368]},{"name":"DNF_UNUSED2","features":[368]},{"name":"DNF_UNUSED_22","features":[368]},{"name":"DNF_UNUSED_23","features":[368]},{"name":"DNF_UNUSED_24","features":[368]},{"name":"DNF_UNUSED_25","features":[368]},{"name":"DNF_UNUSED_26","features":[368]},{"name":"DNF_UNUSED_27","features":[368]},{"name":"DNF_UNUSED_28","features":[368]},{"name":"DNF_UNUSED_29","features":[368]},{"name":"DNF_UNUSED_30","features":[368]},{"name":"DNF_UNUSED_31","features":[368]},{"name":"DN_APM_DRIVER","features":[368]},{"name":"DN_APM_ENUMERATOR","features":[368]},{"name":"DN_ARM_WAKEUP","features":[368]},{"name":"DN_BAD_PARTIAL","features":[368]},{"name":"DN_BOOT_LOG_PROB","features":[368]},{"name":"DN_CHANGEABLE_FLAGS","features":[368]},{"name":"DN_CHILD_WITH_INVALID_ID","features":[368]},{"name":"DN_DEVICE_DISCONNECTED","features":[368]},{"name":"DN_DISABLEABLE","features":[368]},{"name":"DN_DRIVER_BLOCKED","features":[368]},{"name":"DN_DRIVER_LOADED","features":[368]},{"name":"DN_ENUM_LOADED","features":[368]},{"name":"DN_FILTERED","features":[368]},{"name":"DN_HARDWARE_ENUM","features":[368]},{"name":"DN_HAS_MARK","features":[368]},{"name":"DN_HAS_PROBLEM","features":[368]},{"name":"DN_LEGACY_DRIVER","features":[368]},{"name":"DN_LIAR","features":[368]},{"name":"DN_MANUAL","features":[368]},{"name":"DN_MF_CHILD","features":[368]},{"name":"DN_MF_PARENT","features":[368]},{"name":"DN_MOVED","features":[368]},{"name":"DN_NEEDS_LOCKING","features":[368]},{"name":"DN_NEED_RESTART","features":[368]},{"name":"DN_NEED_TO_ENUM","features":[368]},{"name":"DN_NOT_FIRST_TIME","features":[368]},{"name":"DN_NOT_FIRST_TIMEE","features":[368]},{"name":"DN_NO_SHOW_IN_DM","features":[368]},{"name":"DN_NT_DRIVER","features":[368]},{"name":"DN_NT_ENUMERATOR","features":[368]},{"name":"DN_PRIVATE_PROBLEM","features":[368]},{"name":"DN_QUERY_REMOVE_ACTIVE","features":[368]},{"name":"DN_QUERY_REMOVE_PENDING","features":[368]},{"name":"DN_REBAL_CANDIDATE","features":[368]},{"name":"DN_REMOVABLE","features":[368]},{"name":"DN_ROOT_ENUMERATED","features":[368]},{"name":"DN_SILENT_INSTALL","features":[368]},{"name":"DN_STARTED","features":[368]},{"name":"DN_STOP_FREE_RES","features":[368]},{"name":"DN_WILL_BE_REMOVED","features":[368]},{"name":"DPROMPT_BUFFERTOOSMALL","features":[368]},{"name":"DPROMPT_CANCEL","features":[368]},{"name":"DPROMPT_OUTOFMEMORY","features":[368]},{"name":"DPROMPT_SKIPFILE","features":[368]},{"name":"DPROMPT_SUCCESS","features":[368]},{"name":"DRIVER_COMPATID_RANK","features":[368]},{"name":"DRIVER_HARDWAREID_MASK","features":[368]},{"name":"DRIVER_HARDWAREID_RANK","features":[368]},{"name":"DRIVER_UNTRUSTED_COMPATID_RANK","features":[368]},{"name":"DRIVER_UNTRUSTED_HARDWAREID_RANK","features":[368]},{"name":"DRIVER_UNTRUSTED_RANK","features":[368]},{"name":"DRIVER_W9X_SUSPECT_COMPATID_RANK","features":[368]},{"name":"DRIVER_W9X_SUSPECT_HARDWAREID_RANK","features":[368]},{"name":"DRIVER_W9X_SUSPECT_RANK","features":[368]},{"name":"DWORD_MAX","features":[368]},{"name":"DYNAWIZ_FLAG_ANALYZE_HANDLECONFLICT","features":[368]},{"name":"DYNAWIZ_FLAG_INSTALLDET_NEXT","features":[368]},{"name":"DYNAWIZ_FLAG_INSTALLDET_PREV","features":[368]},{"name":"DYNAWIZ_FLAG_PAGESADDED","features":[368]},{"name":"DiInstallDevice","features":[368,308]},{"name":"DiInstallDriverA","features":[368,308]},{"name":"DiInstallDriverW","features":[368,308]},{"name":"DiRollbackDriver","features":[368,308]},{"name":"DiShowUpdateDevice","features":[368,308]},{"name":"DiShowUpdateDriver","features":[368,308]},{"name":"DiUninstallDevice","features":[368,308]},{"name":"DiUninstallDriverA","features":[368,308]},{"name":"DiUninstallDriverW","features":[368,308]},{"name":"ENABLECLASS_FAILURE","features":[368]},{"name":"ENABLECLASS_QUERY","features":[368]},{"name":"ENABLECLASS_SUCCESS","features":[368]},{"name":"FILEOP_ABORT","features":[368]},{"name":"FILEOP_BACKUP","features":[368]},{"name":"FILEOP_COPY","features":[368]},{"name":"FILEOP_DELETE","features":[368]},{"name":"FILEOP_DOIT","features":[368]},{"name":"FILEOP_NEWPATH","features":[368]},{"name":"FILEOP_RENAME","features":[368]},{"name":"FILEOP_RETRY","features":[368]},{"name":"FILEOP_SKIP","features":[368]},{"name":"FILEPATHS_A","features":[368]},{"name":"FILEPATHS_A","features":[368]},{"name":"FILEPATHS_SIGNERINFO_A","features":[368]},{"name":"FILEPATHS_SIGNERINFO_A","features":[368]},{"name":"FILEPATHS_SIGNERINFO_W","features":[368]},{"name":"FILEPATHS_SIGNERINFO_W","features":[368]},{"name":"FILEPATHS_W","features":[368]},{"name":"FILEPATHS_W","features":[368]},{"name":"FILE_COMPRESSION_MSZIP","features":[368]},{"name":"FILE_COMPRESSION_NONE","features":[368]},{"name":"FILE_COMPRESSION_NTCAB","features":[368]},{"name":"FILE_COMPRESSION_WINLZA","features":[368]},{"name":"FILE_IN_CABINET_INFO_A","features":[368]},{"name":"FILE_IN_CABINET_INFO_A","features":[368]},{"name":"FILE_IN_CABINET_INFO_W","features":[368]},{"name":"FILE_IN_CABINET_INFO_W","features":[368]},{"name":"FILTERED_LOG_CONF","features":[368]},{"name":"FLG_ADDPROPERTY_AND","features":[368]},{"name":"FLG_ADDPROPERTY_APPEND","features":[368]},{"name":"FLG_ADDPROPERTY_NOCLOBBER","features":[368]},{"name":"FLG_ADDPROPERTY_OR","features":[368]},{"name":"FLG_ADDPROPERTY_OVERWRITEONLY","features":[368]},{"name":"FLG_ADDREG_32BITKEY","features":[368]},{"name":"FLG_ADDREG_64BITKEY","features":[368]},{"name":"FLG_ADDREG_APPEND","features":[368]},{"name":"FLG_ADDREG_BINVALUETYPE","features":[368]},{"name":"FLG_ADDREG_DELREG_BIT","features":[368]},{"name":"FLG_ADDREG_DELVAL","features":[368]},{"name":"FLG_ADDREG_KEYONLY","features":[368]},{"name":"FLG_ADDREG_KEYONLY_COMMON","features":[368]},{"name":"FLG_ADDREG_NOCLOBBER","features":[368]},{"name":"FLG_ADDREG_OVERWRITEONLY","features":[368]},{"name":"FLG_ADDREG_TYPE_EXPAND_SZ","features":[368]},{"name":"FLG_ADDREG_TYPE_MULTI_SZ","features":[368]},{"name":"FLG_ADDREG_TYPE_SZ","features":[368]},{"name":"FLG_BITREG_32BITKEY","features":[368]},{"name":"FLG_BITREG_64BITKEY","features":[368]},{"name":"FLG_BITREG_CLEARBITS","features":[368]},{"name":"FLG_BITREG_SETBITS","features":[368]},{"name":"FLG_DELPROPERTY_MULTI_SZ_DELSTRING","features":[368]},{"name":"FLG_DELREG_32BITKEY","features":[368]},{"name":"FLG_DELREG_64BITKEY","features":[368]},{"name":"FLG_DELREG_KEYONLY_COMMON","features":[368]},{"name":"FLG_DELREG_OPERATION_MASK","features":[368]},{"name":"FLG_DELREG_TYPE_EXPAND_SZ","features":[368]},{"name":"FLG_DELREG_TYPE_MULTI_SZ","features":[368]},{"name":"FLG_DELREG_TYPE_SZ","features":[368]},{"name":"FLG_DELREG_VALUE","features":[368]},{"name":"FLG_INI2REG_32BITKEY","features":[368]},{"name":"FLG_INI2REG_64BITKEY","features":[368]},{"name":"FLG_PROFITEM_CSIDL","features":[368]},{"name":"FLG_PROFITEM_CURRENTUSER","features":[368]},{"name":"FLG_PROFITEM_DELETE","features":[368]},{"name":"FLG_PROFITEM_GROUP","features":[368]},{"name":"FLG_REGSVR_DLLINSTALL","features":[368]},{"name":"FLG_REGSVR_DLLREGISTER","features":[368]},{"name":"FORCED_LOG_CONF","features":[368]},{"name":"GUID_ACPI_CMOS_INTERFACE_STANDARD","features":[368]},{"name":"GUID_ACPI_INTERFACE_STANDARD","features":[368]},{"name":"GUID_ACPI_INTERFACE_STANDARD2","features":[368]},{"name":"GUID_ACPI_PORT_RANGES_INTERFACE_STANDARD","features":[368]},{"name":"GUID_ACPI_REGS_INTERFACE_STANDARD","features":[368]},{"name":"GUID_AGP_TARGET_BUS_INTERFACE_STANDARD","features":[368]},{"name":"GUID_ARBITER_INTERFACE_STANDARD","features":[368]},{"name":"GUID_BUS_INTERFACE_STANDARD","features":[368]},{"name":"GUID_BUS_RESOURCE_UPDATE_INTERFACE","features":[368]},{"name":"GUID_BUS_TYPE_1394","features":[368]},{"name":"GUID_BUS_TYPE_ACPI","features":[368]},{"name":"GUID_BUS_TYPE_AVC","features":[368]},{"name":"GUID_BUS_TYPE_DOT4PRT","features":[368]},{"name":"GUID_BUS_TYPE_EISA","features":[368]},{"name":"GUID_BUS_TYPE_HID","features":[368]},{"name":"GUID_BUS_TYPE_INTERNAL","features":[368]},{"name":"GUID_BUS_TYPE_IRDA","features":[368]},{"name":"GUID_BUS_TYPE_ISAPNP","features":[368]},{"name":"GUID_BUS_TYPE_LPTENUM","features":[368]},{"name":"GUID_BUS_TYPE_MCA","features":[368]},{"name":"GUID_BUS_TYPE_PCI","features":[368]},{"name":"GUID_BUS_TYPE_PCMCIA","features":[368]},{"name":"GUID_BUS_TYPE_SCM","features":[368]},{"name":"GUID_BUS_TYPE_SD","features":[368]},{"name":"GUID_BUS_TYPE_SERENUM","features":[368]},{"name":"GUID_BUS_TYPE_SW_DEVICE","features":[368]},{"name":"GUID_BUS_TYPE_USB","features":[368]},{"name":"GUID_BUS_TYPE_USBPRINT","features":[368]},{"name":"GUID_D3COLD_AUX_POWER_AND_TIMING_INTERFACE","features":[368]},{"name":"GUID_D3COLD_SUPPORT_INTERFACE","features":[368]},{"name":"GUID_DEVCLASS_1394","features":[368]},{"name":"GUID_DEVCLASS_1394DEBUG","features":[368]},{"name":"GUID_DEVCLASS_61883","features":[368]},{"name":"GUID_DEVCLASS_ADAPTER","features":[368]},{"name":"GUID_DEVCLASS_APMSUPPORT","features":[368]},{"name":"GUID_DEVCLASS_AVC","features":[368]},{"name":"GUID_DEVCLASS_BATTERY","features":[368]},{"name":"GUID_DEVCLASS_BIOMETRIC","features":[368]},{"name":"GUID_DEVCLASS_BLUETOOTH","features":[368]},{"name":"GUID_DEVCLASS_CAMERA","features":[368]},{"name":"GUID_DEVCLASS_CDROM","features":[368]},{"name":"GUID_DEVCLASS_COMPUTEACCELERATOR","features":[368]},{"name":"GUID_DEVCLASS_COMPUTER","features":[368]},{"name":"GUID_DEVCLASS_DECODER","features":[368]},{"name":"GUID_DEVCLASS_DISKDRIVE","features":[368]},{"name":"GUID_DEVCLASS_DISPLAY","features":[368]},{"name":"GUID_DEVCLASS_DOT4","features":[368]},{"name":"GUID_DEVCLASS_DOT4PRINT","features":[368]},{"name":"GUID_DEVCLASS_EHSTORAGESILO","features":[368]},{"name":"GUID_DEVCLASS_ENUM1394","features":[368]},{"name":"GUID_DEVCLASS_EXTENSION","features":[368]},{"name":"GUID_DEVCLASS_FDC","features":[368]},{"name":"GUID_DEVCLASS_FIRMWARE","features":[368]},{"name":"GUID_DEVCLASS_FLOPPYDISK","features":[368]},{"name":"GUID_DEVCLASS_FSFILTER_ACTIVITYMONITOR","features":[368]},{"name":"GUID_DEVCLASS_FSFILTER_ANTIVIRUS","features":[368]},{"name":"GUID_DEVCLASS_FSFILTER_BOTTOM","features":[368]},{"name":"GUID_DEVCLASS_FSFILTER_CFSMETADATASERVER","features":[368]},{"name":"GUID_DEVCLASS_FSFILTER_COMPRESSION","features":[368]},{"name":"GUID_DEVCLASS_FSFILTER_CONTENTSCREENER","features":[368]},{"name":"GUID_DEVCLASS_FSFILTER_CONTINUOUSBACKUP","features":[368]},{"name":"GUID_DEVCLASS_FSFILTER_COPYPROTECTION","features":[368]},{"name":"GUID_DEVCLASS_FSFILTER_ENCRYPTION","features":[368]},{"name":"GUID_DEVCLASS_FSFILTER_HSM","features":[368]},{"name":"GUID_DEVCLASS_FSFILTER_INFRASTRUCTURE","features":[368]},{"name":"GUID_DEVCLASS_FSFILTER_OPENFILEBACKUP","features":[368]},{"name":"GUID_DEVCLASS_FSFILTER_PHYSICALQUOTAMANAGEMENT","features":[368]},{"name":"GUID_DEVCLASS_FSFILTER_QUOTAMANAGEMENT","features":[368]},{"name":"GUID_DEVCLASS_FSFILTER_REPLICATION","features":[368]},{"name":"GUID_DEVCLASS_FSFILTER_SECURITYENHANCER","features":[368]},{"name":"GUID_DEVCLASS_FSFILTER_SYSTEM","features":[368]},{"name":"GUID_DEVCLASS_FSFILTER_SYSTEMRECOVERY","features":[368]},{"name":"GUID_DEVCLASS_FSFILTER_TOP","features":[368]},{"name":"GUID_DEVCLASS_FSFILTER_UNDELETE","features":[368]},{"name":"GUID_DEVCLASS_FSFILTER_VIRTUALIZATION","features":[368]},{"name":"GUID_DEVCLASS_GENERIC","features":[368]},{"name":"GUID_DEVCLASS_GPS","features":[368]},{"name":"GUID_DEVCLASS_HDC","features":[368]},{"name":"GUID_DEVCLASS_HIDCLASS","features":[368]},{"name":"GUID_DEVCLASS_HOLOGRAPHIC","features":[368]},{"name":"GUID_DEVCLASS_IMAGE","features":[368]},{"name":"GUID_DEVCLASS_INFINIBAND","features":[368]},{"name":"GUID_DEVCLASS_INFRARED","features":[368]},{"name":"GUID_DEVCLASS_KEYBOARD","features":[368]},{"name":"GUID_DEVCLASS_LEGACYDRIVER","features":[368]},{"name":"GUID_DEVCLASS_MEDIA","features":[368]},{"name":"GUID_DEVCLASS_MEDIUM_CHANGER","features":[368]},{"name":"GUID_DEVCLASS_MEMORY","features":[368]},{"name":"GUID_DEVCLASS_MODEM","features":[368]},{"name":"GUID_DEVCLASS_MONITOR","features":[368]},{"name":"GUID_DEVCLASS_MOUSE","features":[368]},{"name":"GUID_DEVCLASS_MTD","features":[368]},{"name":"GUID_DEVCLASS_MULTIFUNCTION","features":[368]},{"name":"GUID_DEVCLASS_MULTIPORTSERIAL","features":[368]},{"name":"GUID_DEVCLASS_NET","features":[368]},{"name":"GUID_DEVCLASS_NETCLIENT","features":[368]},{"name":"GUID_DEVCLASS_NETDRIVER","features":[368]},{"name":"GUID_DEVCLASS_NETSERVICE","features":[368]},{"name":"GUID_DEVCLASS_NETTRANS","features":[368]},{"name":"GUID_DEVCLASS_NETUIO","features":[368]},{"name":"GUID_DEVCLASS_NODRIVER","features":[368]},{"name":"GUID_DEVCLASS_PCMCIA","features":[368]},{"name":"GUID_DEVCLASS_PNPPRINTERS","features":[368]},{"name":"GUID_DEVCLASS_PORTS","features":[368]},{"name":"GUID_DEVCLASS_PRIMITIVE","features":[368]},{"name":"GUID_DEVCLASS_PRINTER","features":[368]},{"name":"GUID_DEVCLASS_PRINTERUPGRADE","features":[368]},{"name":"GUID_DEVCLASS_PRINTQUEUE","features":[368]},{"name":"GUID_DEVCLASS_PROCESSOR","features":[368]},{"name":"GUID_DEVCLASS_SBP2","features":[368]},{"name":"GUID_DEVCLASS_SCMDISK","features":[368]},{"name":"GUID_DEVCLASS_SCMVOLUME","features":[368]},{"name":"GUID_DEVCLASS_SCSIADAPTER","features":[368]},{"name":"GUID_DEVCLASS_SECURITYACCELERATOR","features":[368]},{"name":"GUID_DEVCLASS_SENSOR","features":[368]},{"name":"GUID_DEVCLASS_SIDESHOW","features":[368]},{"name":"GUID_DEVCLASS_SMARTCARDREADER","features":[368]},{"name":"GUID_DEVCLASS_SMRDISK","features":[368]},{"name":"GUID_DEVCLASS_SMRVOLUME","features":[368]},{"name":"GUID_DEVCLASS_SOFTWARECOMPONENT","features":[368]},{"name":"GUID_DEVCLASS_SOUND","features":[368]},{"name":"GUID_DEVCLASS_SYSTEM","features":[368]},{"name":"GUID_DEVCLASS_TAPEDRIVE","features":[368]},{"name":"GUID_DEVCLASS_UCM","features":[368]},{"name":"GUID_DEVCLASS_UNKNOWN","features":[368]},{"name":"GUID_DEVCLASS_USB","features":[368]},{"name":"GUID_DEVCLASS_VOLUME","features":[368]},{"name":"GUID_DEVCLASS_VOLUMESNAPSHOT","features":[368]},{"name":"GUID_DEVCLASS_WCEUSBS","features":[368]},{"name":"GUID_DEVCLASS_WPD","features":[368]},{"name":"GUID_DEVICE_INTERFACE_ARRIVAL","features":[368]},{"name":"GUID_DEVICE_INTERFACE_REMOVAL","features":[368]},{"name":"GUID_DEVICE_RESET_INTERFACE_STANDARD","features":[368]},{"name":"GUID_DMA_CACHE_COHERENCY_INTERFACE","features":[368]},{"name":"GUID_HWPROFILE_CHANGE_CANCELLED","features":[368]},{"name":"GUID_HWPROFILE_CHANGE_COMPLETE","features":[368]},{"name":"GUID_HWPROFILE_QUERY_CHANGE","features":[368]},{"name":"GUID_INT_ROUTE_INTERFACE_STANDARD","features":[368]},{"name":"GUID_IOMMU_BUS_INTERFACE","features":[368]},{"name":"GUID_KERNEL_SOFT_RESTART_CANCEL","features":[368]},{"name":"GUID_KERNEL_SOFT_RESTART_FINALIZE","features":[368]},{"name":"GUID_KERNEL_SOFT_RESTART_PREPARE","features":[368]},{"name":"GUID_LEGACY_DEVICE_DETECTION_STANDARD","features":[368]},{"name":"GUID_MF_ENUMERATION_INTERFACE","features":[368]},{"name":"GUID_MSIX_TABLE_CONFIG_INTERFACE","features":[368]},{"name":"GUID_NPEM_CONTROL_INTERFACE","features":[368]},{"name":"GUID_PARTITION_UNIT_INTERFACE_STANDARD","features":[368]},{"name":"GUID_PCC_INTERFACE_INTERNAL","features":[368]},{"name":"GUID_PCC_INTERFACE_STANDARD","features":[368]},{"name":"GUID_PCI_ATS_INTERFACE","features":[368]},{"name":"GUID_PCI_BUS_INTERFACE_STANDARD","features":[368]},{"name":"GUID_PCI_BUS_INTERFACE_STANDARD2","features":[368]},{"name":"GUID_PCI_DEVICE_PRESENT_INTERFACE","features":[368]},{"name":"GUID_PCI_EXPRESS_LINK_QUIESCENT_INTERFACE","features":[368]},{"name":"GUID_PCI_EXPRESS_ROOT_PORT_INTERFACE","features":[368]},{"name":"GUID_PCI_FPGA_CONTROL_INTERFACE","features":[368]},{"name":"GUID_PCI_PTM_CONTROL_INTERFACE","features":[368]},{"name":"GUID_PCI_SECURITY_INTERFACE","features":[368]},{"name":"GUID_PCI_VIRTUALIZATION_INTERFACE","features":[368]},{"name":"GUID_PCMCIA_BUS_INTERFACE_STANDARD","features":[368]},{"name":"GUID_PNP_CUSTOM_NOTIFICATION","features":[368]},{"name":"GUID_PNP_EXTENDED_ADDRESS_INTERFACE","features":[368]},{"name":"GUID_PNP_LOCATION_INTERFACE","features":[368]},{"name":"GUID_PNP_POWER_NOTIFICATION","features":[368]},{"name":"GUID_PNP_POWER_SETTING_CHANGE","features":[368]},{"name":"GUID_POWER_DEVICE_ENABLE","features":[368]},{"name":"GUID_POWER_DEVICE_TIMEOUTS","features":[368]},{"name":"GUID_POWER_DEVICE_WAKE_ENABLE","features":[368]},{"name":"GUID_PROCESSOR_PCC_INTERFACE_STANDARD","features":[368]},{"name":"GUID_QUERY_CRASHDUMP_FUNCTIONS","features":[368]},{"name":"GUID_RECOVERY_NVMED_PREPARE_SHUTDOWN","features":[368]},{"name":"GUID_RECOVERY_PCI_PREPARE_SHUTDOWN","features":[368]},{"name":"GUID_REENUMERATE_SELF_INTERFACE_STANDARD","features":[368]},{"name":"GUID_SCM_BUS_INTERFACE","features":[368]},{"name":"GUID_SCM_BUS_LD_INTERFACE","features":[368]},{"name":"GUID_SCM_BUS_NVD_INTERFACE","features":[368]},{"name":"GUID_SCM_PHYSICAL_NVDIMM_INTERFACE","features":[368]},{"name":"GUID_SDEV_IDENTIFIER_INTERFACE","features":[368]},{"name":"GUID_SECURE_DRIVER_INTERFACE","features":[368]},{"name":"GUID_TARGET_DEVICE_QUERY_REMOVE","features":[368]},{"name":"GUID_TARGET_DEVICE_REMOVE_CANCELLED","features":[368]},{"name":"GUID_TARGET_DEVICE_REMOVE_COMPLETE","features":[368]},{"name":"GUID_TARGET_DEVICE_TRANSPORT_RELATIONS_CHANGED","features":[368]},{"name":"GUID_THERMAL_COOLING_INTERFACE","features":[368]},{"name":"GUID_TRANSLATOR_INTERFACE_STANDARD","features":[368]},{"name":"GUID_WUDF_DEVICE_HOST_PROBLEM","features":[368]},{"name":"HCMNOTIFICATION","features":[368]},{"name":"HDEVINFO","features":[368]},{"name":"HWPROFILEINFO_A","features":[368]},{"name":"HWPROFILEINFO_W","features":[368]},{"name":"IDD_DYNAWIZ_ANALYZEDEV_PAGE","features":[368]},{"name":"IDD_DYNAWIZ_ANALYZE_NEXTPAGE","features":[368]},{"name":"IDD_DYNAWIZ_ANALYZE_PREVPAGE","features":[368]},{"name":"IDD_DYNAWIZ_FIRSTPAGE","features":[368]},{"name":"IDD_DYNAWIZ_INSTALLDETECTEDDEVS_PAGE","features":[368]},{"name":"IDD_DYNAWIZ_INSTALLDETECTED_NEXTPAGE","features":[368]},{"name":"IDD_DYNAWIZ_INSTALLDETECTED_NODEVS","features":[368]},{"name":"IDD_DYNAWIZ_INSTALLDETECTED_PREVPAGE","features":[368]},{"name":"IDD_DYNAWIZ_SELECTCLASS_PAGE","features":[368]},{"name":"IDD_DYNAWIZ_SELECTDEV_PAGE","features":[368]},{"name":"IDD_DYNAWIZ_SELECT_NEXTPAGE","features":[368]},{"name":"IDD_DYNAWIZ_SELECT_PREVPAGE","features":[368]},{"name":"IDF_CHECKFIRST","features":[368]},{"name":"IDF_NOBEEP","features":[368]},{"name":"IDF_NOBROWSE","features":[368]},{"name":"IDF_NOCOMPRESSED","features":[368]},{"name":"IDF_NODETAILS","features":[368]},{"name":"IDF_NOFOREGROUND","features":[368]},{"name":"IDF_NOREMOVABLEMEDIAPROMPT","features":[368]},{"name":"IDF_NOSKIP","features":[368]},{"name":"IDF_OEMDISK","features":[368]},{"name":"IDF_USEDISKNAMEASPROMPT","features":[368]},{"name":"IDF_WARNIFSKIP","features":[368]},{"name":"IDI_CLASSICON_OVERLAYFIRST","features":[368]},{"name":"IDI_CLASSICON_OVERLAYLAST","features":[368]},{"name":"IDI_CONFLICT","features":[368]},{"name":"IDI_DISABLED_OVL","features":[368]},{"name":"IDI_FORCED_OVL","features":[368]},{"name":"IDI_PROBLEM_OVL","features":[368]},{"name":"IDI_RESOURCE","features":[368]},{"name":"IDI_RESOURCEFIRST","features":[368]},{"name":"IDI_RESOURCELAST","features":[368]},{"name":"IDI_RESOURCEOVERLAYFIRST","features":[368]},{"name":"IDI_RESOURCEOVERLAYLAST","features":[368]},{"name":"INFCONTEXT","features":[368]},{"name":"INFCONTEXT","features":[368]},{"name":"INFINFO_DEFAULT_SEARCH","features":[368]},{"name":"INFINFO_INF_NAME_IS_ABSOLUTE","features":[368]},{"name":"INFINFO_INF_PATH_LIST_SEARCH","features":[368]},{"name":"INFINFO_INF_SPEC_IS_HINF","features":[368]},{"name":"INFINFO_REVERSE_DEFAULT_SEARCH","features":[368]},{"name":"INFSTR_BUS_ALL","features":[368]},{"name":"INFSTR_BUS_EISA","features":[368]},{"name":"INFSTR_BUS_ISA","features":[368]},{"name":"INFSTR_BUS_MCA","features":[368]},{"name":"INFSTR_CFGPRI_DESIRED","features":[368]},{"name":"INFSTR_CFGPRI_DISABLED","features":[368]},{"name":"INFSTR_CFGPRI_FORCECONFIG","features":[368]},{"name":"INFSTR_CFGPRI_HARDRECONFIG","features":[368]},{"name":"INFSTR_CFGPRI_HARDWIRED","features":[368]},{"name":"INFSTR_CFGPRI_NORMAL","features":[368]},{"name":"INFSTR_CFGPRI_POWEROFF","features":[368]},{"name":"INFSTR_CFGPRI_REBOOT","features":[368]},{"name":"INFSTR_CFGPRI_RESTART","features":[368]},{"name":"INFSTR_CFGPRI_SUBOPTIMAL","features":[368]},{"name":"INFSTR_CFGTYPE_BASIC","features":[368]},{"name":"INFSTR_CFGTYPE_FORCED","features":[368]},{"name":"INFSTR_CFGTYPE_OVERRIDE","features":[368]},{"name":"INFSTR_CLASS_SAFEEXCL","features":[368]},{"name":"INFSTR_CONTROLFLAGS_SECTION","features":[368]},{"name":"INFSTR_DRIVERSELECT_FUNCTIONS","features":[368]},{"name":"INFSTR_DRIVERSELECT_SECTION","features":[368]},{"name":"INFSTR_DRIVERVERSION_SECTION","features":[368]},{"name":"INFSTR_KEY_ACTION","features":[368]},{"name":"INFSTR_KEY_ALWAYSEXCLUDEFROMSELECT","features":[368]},{"name":"INFSTR_KEY_BUFFER_SIZE","features":[368]},{"name":"INFSTR_KEY_CATALOGFILE","features":[368]},{"name":"INFSTR_KEY_CHANNEL_ACCESS","features":[368]},{"name":"INFSTR_KEY_CHANNEL_ENABLED","features":[368]},{"name":"INFSTR_KEY_CHANNEL_ISOLATION","features":[368]},{"name":"INFSTR_KEY_CHANNEL_VALUE","features":[368]},{"name":"INFSTR_KEY_CLASS","features":[368]},{"name":"INFSTR_KEY_CLASSGUID","features":[368]},{"name":"INFSTR_KEY_CLOCK_TYPE","features":[368]},{"name":"INFSTR_KEY_CONFIGPRIORITY","features":[368]},{"name":"INFSTR_KEY_COPYFILESONLY","features":[368]},{"name":"INFSTR_KEY_DATA_ITEM","features":[368]},{"name":"INFSTR_KEY_DELAYEDAUTOSTART","features":[368]},{"name":"INFSTR_KEY_DEPENDENCIES","features":[368]},{"name":"INFSTR_KEY_DESCRIPTION","features":[368]},{"name":"INFSTR_KEY_DETECTLIST","features":[368]},{"name":"INFSTR_KEY_DETPARAMS","features":[368]},{"name":"INFSTR_KEY_DISABLE_REALTIME_PERSISTENCE","features":[368]},{"name":"INFSTR_KEY_DISPLAYNAME","features":[368]},{"name":"INFSTR_KEY_DMA","features":[368]},{"name":"INFSTR_KEY_DMACONFIG","features":[368]},{"name":"INFSTR_KEY_DRIVERSET","features":[368]},{"name":"INFSTR_KEY_ENABLED","features":[368]},{"name":"INFSTR_KEY_ENABLE_FLAGS","features":[368]},{"name":"INFSTR_KEY_ENABLE_LEVEL","features":[368]},{"name":"INFSTR_KEY_ENABLE_PROPERTY","features":[368]},{"name":"INFSTR_KEY_ERRORCONTROL","features":[368]},{"name":"INFSTR_KEY_EXCLUDEFROMSELECT","features":[368]},{"name":"INFSTR_KEY_EXCLUDERES","features":[368]},{"name":"INFSTR_KEY_EXTENSIONID","features":[368]},{"name":"INFSTR_KEY_FAILURE_ACTION","features":[368]},{"name":"INFSTR_KEY_FILE_MAX","features":[368]},{"name":"INFSTR_KEY_FILE_NAME","features":[368]},{"name":"INFSTR_KEY_FLUSH_TIMER","features":[368]},{"name":"INFSTR_KEY_FROMINET","features":[368]},{"name":"INFSTR_KEY_HARDWARE_CLASS","features":[368]},{"name":"INFSTR_KEY_HARDWARE_CLASSGUID","features":[368]},{"name":"INFSTR_KEY_INTERACTIVEINSTALL","features":[368]},{"name":"INFSTR_KEY_IO","features":[368]},{"name":"INFSTR_KEY_IOCONFIG","features":[368]},{"name":"INFSTR_KEY_IRQ","features":[368]},{"name":"INFSTR_KEY_IRQCONFIG","features":[368]},{"name":"INFSTR_KEY_LOADORDERGROUP","features":[368]},{"name":"INFSTR_KEY_LOGGING_AUTOBACKUP","features":[368]},{"name":"INFSTR_KEY_LOGGING_MAXSIZE","features":[368]},{"name":"INFSTR_KEY_LOGGING_RETENTION","features":[368]},{"name":"INFSTR_KEY_LOG_FILE_MODE","features":[368]},{"name":"INFSTR_KEY_MATCH_ALL_KEYWORD","features":[368]},{"name":"INFSTR_KEY_MATCH_ANY_KEYWORD","features":[368]},{"name":"INFSTR_KEY_MAXIMUM_BUFFERS","features":[368]},{"name":"INFSTR_KEY_MAX_FILE_SIZE","features":[368]},{"name":"INFSTR_KEY_MEM","features":[368]},{"name":"INFSTR_KEY_MEMCONFIG","features":[368]},{"name":"INFSTR_KEY_MEMLARGECONFIG","features":[368]},{"name":"INFSTR_KEY_MESSAGE_FILE","features":[368]},{"name":"INFSTR_KEY_MFCARDCONFIG","features":[368]},{"name":"INFSTR_KEY_MINIMUM_BUFFERS","features":[368]},{"name":"INFSTR_KEY_NAME","features":[368]},{"name":"INFSTR_KEY_NON_CRASH_FAILURES","features":[368]},{"name":"INFSTR_KEY_NOSETUPINF","features":[368]},{"name":"INFSTR_KEY_PARAMETER_FILE","features":[368]},{"name":"INFSTR_KEY_PATH","features":[368]},{"name":"INFSTR_KEY_PCCARDCONFIG","features":[368]},{"name":"INFSTR_KEY_PNPLOCKDOWN","features":[368]},{"name":"INFSTR_KEY_PROVIDER","features":[368]},{"name":"INFSTR_KEY_PROVIDER_NAME","features":[368]},{"name":"INFSTR_KEY_REQUESTADDITIONALSOFTWARE","features":[368]},{"name":"INFSTR_KEY_REQUIREDPRIVILEGES","features":[368]},{"name":"INFSTR_KEY_RESET_PERIOD","features":[368]},{"name":"INFSTR_KEY_RESOURCE_FILE","features":[368]},{"name":"INFSTR_KEY_SECURITY","features":[368]},{"name":"INFSTR_KEY_SERVICEBINARY","features":[368]},{"name":"INFSTR_KEY_SERVICESIDTYPE","features":[368]},{"name":"INFSTR_KEY_SERVICETYPE","features":[368]},{"name":"INFSTR_KEY_SIGNATURE","features":[368]},{"name":"INFSTR_KEY_SKIPLIST","features":[368]},{"name":"INFSTR_KEY_START","features":[368]},{"name":"INFSTR_KEY_STARTNAME","features":[368]},{"name":"INFSTR_KEY_STARTTYPE","features":[368]},{"name":"INFSTR_KEY_SUB_TYPE","features":[368]},{"name":"INFSTR_KEY_TRIGGER_TYPE","features":[368]},{"name":"INFSTR_PLATFORM_NT","features":[368]},{"name":"INFSTR_PLATFORM_NTALPHA","features":[368]},{"name":"INFSTR_PLATFORM_NTAMD64","features":[368]},{"name":"INFSTR_PLATFORM_NTARM","features":[368]},{"name":"INFSTR_PLATFORM_NTARM64","features":[368]},{"name":"INFSTR_PLATFORM_NTAXP64","features":[368]},{"name":"INFSTR_PLATFORM_NTIA64","features":[368]},{"name":"INFSTR_PLATFORM_NTMIPS","features":[368]},{"name":"INFSTR_PLATFORM_NTPPC","features":[368]},{"name":"INFSTR_PLATFORM_NTX86","features":[368]},{"name":"INFSTR_PLATFORM_WIN","features":[368]},{"name":"INFSTR_REBOOT","features":[368]},{"name":"INFSTR_RESTART","features":[368]},{"name":"INFSTR_RISK_BIOSROMRD","features":[368]},{"name":"INFSTR_RISK_DELICATE","features":[368]},{"name":"INFSTR_RISK_IORD","features":[368]},{"name":"INFSTR_RISK_IOWR","features":[368]},{"name":"INFSTR_RISK_LOW","features":[368]},{"name":"INFSTR_RISK_MEMRD","features":[368]},{"name":"INFSTR_RISK_MEMWR","features":[368]},{"name":"INFSTR_RISK_NONE","features":[368]},{"name":"INFSTR_RISK_QUERYDRV","features":[368]},{"name":"INFSTR_RISK_SWINT","features":[368]},{"name":"INFSTR_RISK_UNRELIABLE","features":[368]},{"name":"INFSTR_RISK_VERYHIGH","features":[368]},{"name":"INFSTR_RISK_VERYLOW","features":[368]},{"name":"INFSTR_SECT_AUTOEXECBAT","features":[368]},{"name":"INFSTR_SECT_AVOIDCFGSYSDEV","features":[368]},{"name":"INFSTR_SECT_AVOIDENVDEV","features":[368]},{"name":"INFSTR_SECT_AVOIDINIDEV","features":[368]},{"name":"INFSTR_SECT_BADACPIBIOS","features":[368]},{"name":"INFSTR_SECT_BADDISKBIOS","features":[368]},{"name":"INFSTR_SECT_BADDSBIOS","features":[368]},{"name":"INFSTR_SECT_BADPMCALLBIOS","features":[368]},{"name":"INFSTR_SECT_BADPNPBIOS","features":[368]},{"name":"INFSTR_SECT_BADRMCALLBIOS","features":[368]},{"name":"INFSTR_SECT_BADROUTINGTABLEBIOS","features":[368]},{"name":"INFSTR_SECT_CFGSYS","features":[368]},{"name":"INFSTR_SECT_CLASS_INSTALL","features":[368]},{"name":"INFSTR_SECT_CLASS_INSTALL_32","features":[368]},{"name":"INFSTR_SECT_DEFAULT_INSTALL","features":[368]},{"name":"INFSTR_SECT_DEFAULT_UNINSTALL","features":[368]},{"name":"INFSTR_SECT_DETCLASSINFO","features":[368]},{"name":"INFSTR_SECT_DETMODULES","features":[368]},{"name":"INFSTR_SECT_DETOPTIONS","features":[368]},{"name":"INFSTR_SECT_DEVINFS","features":[368]},{"name":"INFSTR_SECT_DISPLAY_CLEANUP","features":[368]},{"name":"INFSTR_SECT_EXTENSIONCONTRACTS","features":[368]},{"name":"INFSTR_SECT_FORCEHWVERIFY","features":[368]},{"name":"INFSTR_SECT_GOODACPIBIOS","features":[368]},{"name":"INFSTR_SECT_HPOMNIBOOK","features":[368]},{"name":"INFSTR_SECT_INTERFACE_INSTALL_32","features":[368]},{"name":"INFSTR_SECT_MACHINEIDBIOS","features":[368]},{"name":"INFSTR_SECT_MANUALDEV","features":[368]},{"name":"INFSTR_SECT_MFG","features":[368]},{"name":"INFSTR_SECT_REGCFGSYSDEV","features":[368]},{"name":"INFSTR_SECT_REGENVDEV","features":[368]},{"name":"INFSTR_SECT_REGINIDEV","features":[368]},{"name":"INFSTR_SECT_SYSINI","features":[368]},{"name":"INFSTR_SECT_SYSINIDRV","features":[368]},{"name":"INFSTR_SECT_TARGETCOMPUTERS","features":[368]},{"name":"INFSTR_SECT_VERSION","features":[368]},{"name":"INFSTR_SECT_WININIRUN","features":[368]},{"name":"INFSTR_SOFTWAREVERSION_SECTION","features":[368]},{"name":"INFSTR_STRKEY_DRVDESC","features":[368]},{"name":"INFSTR_SUBKEY_COINSTALLERS","features":[368]},{"name":"INFSTR_SUBKEY_CTL","features":[368]},{"name":"INFSTR_SUBKEY_DET","features":[368]},{"name":"INFSTR_SUBKEY_EVENTS","features":[368]},{"name":"INFSTR_SUBKEY_FACTDEF","features":[368]},{"name":"INFSTR_SUBKEY_FILTERS","features":[368]},{"name":"INFSTR_SUBKEY_HW","features":[368]},{"name":"INFSTR_SUBKEY_INTERFACES","features":[368]},{"name":"INFSTR_SUBKEY_LOGCONFIG","features":[368]},{"name":"INFSTR_SUBKEY_LOGCONFIGOVERRIDE","features":[368]},{"name":"INFSTR_SUBKEY_NORESOURCEDUPS","features":[368]},{"name":"INFSTR_SUBKEY_POSSIBLEDUPS","features":[368]},{"name":"INFSTR_SUBKEY_SERVICES","features":[368]},{"name":"INFSTR_SUBKEY_SOFTWARE","features":[368]},{"name":"INFSTR_SUBKEY_WMI","features":[368]},{"name":"INF_STYLE","features":[368]},{"name":"INF_STYLE_CACHE_DISABLE","features":[368]},{"name":"INF_STYLE_CACHE_ENABLE","features":[368]},{"name":"INF_STYLE_CACHE_IGNORE","features":[368]},{"name":"INF_STYLE_NONE","features":[368]},{"name":"INF_STYLE_OLDNT","features":[368]},{"name":"INF_STYLE_WIN4","features":[368]},{"name":"INSTALLFLAG_BITS","features":[368]},{"name":"INSTALLFLAG_FORCE","features":[368]},{"name":"INSTALLFLAG_NONINTERACTIVE","features":[368]},{"name":"INSTALLFLAG_READONLY","features":[368]},{"name":"IOA_Local","features":[368]},{"name":"IOD_DESFLAGS","features":[368]},{"name":"IO_ALIAS_10_BIT_DECODE","features":[368]},{"name":"IO_ALIAS_12_BIT_DECODE","features":[368]},{"name":"IO_ALIAS_16_BIT_DECODE","features":[368]},{"name":"IO_ALIAS_POSITIVE_DECODE","features":[368]},{"name":"IO_DES","features":[368]},{"name":"IO_RANGE","features":[368]},{"name":"IO_RESOURCE","features":[368]},{"name":"IRQD_FLAGS","features":[368]},{"name":"IRQ_DES_32","features":[368]},{"name":"IRQ_DES_64","features":[368]},{"name":"IRQ_RANGE","features":[368]},{"name":"IRQ_RESOURCE_32","features":[368]},{"name":"IRQ_RESOURCE_64","features":[368]},{"name":"InstallHinfSectionA","features":[368,308]},{"name":"InstallHinfSectionW","features":[368,308]},{"name":"LCPRI_BOOTCONFIG","features":[368]},{"name":"LCPRI_DESIRED","features":[368]},{"name":"LCPRI_DISABLED","features":[368]},{"name":"LCPRI_FORCECONFIG","features":[368]},{"name":"LCPRI_HARDRECONFIG","features":[368]},{"name":"LCPRI_HARDWIRED","features":[368]},{"name":"LCPRI_IMPOSSIBLE","features":[368]},{"name":"LCPRI_LASTBESTCONFIG","features":[368]},{"name":"LCPRI_LASTSOFTCONFIG","features":[368]},{"name":"LCPRI_NORMAL","features":[368]},{"name":"LCPRI_POWEROFF","features":[368]},{"name":"LCPRI_REBOOT","features":[368]},{"name":"LCPRI_RESTART","features":[368]},{"name":"LCPRI_SUBOPTIMAL","features":[368]},{"name":"LINE_LEN","features":[368]},{"name":"LOG_CONF_BITS","features":[368]},{"name":"LogSevError","features":[368]},{"name":"LogSevFatalError","features":[368]},{"name":"LogSevInformation","features":[368]},{"name":"LogSevMaximum","features":[368]},{"name":"LogSevWarning","features":[368]},{"name":"MAX_CLASS_NAME_LEN","features":[368]},{"name":"MAX_CONFIG_VALUE","features":[368]},{"name":"MAX_DEVICE_ID_LEN","features":[368]},{"name":"MAX_DEVNODE_ID_LEN","features":[368]},{"name":"MAX_DMA_CHANNELS","features":[368]},{"name":"MAX_GUID_STRING_LEN","features":[368]},{"name":"MAX_IDD_DYNAWIZ_RESOURCE_ID","features":[368]},{"name":"MAX_INFSTR_STRKEY_LEN","features":[368]},{"name":"MAX_INF_FLAG","features":[368]},{"name":"MAX_INF_SECTION_NAME_LENGTH","features":[368]},{"name":"MAX_INF_STRING_LENGTH","features":[368]},{"name":"MAX_INSTALLWIZARD_DYNAPAGES","features":[368]},{"name":"MAX_INSTANCE_VALUE","features":[368]},{"name":"MAX_INSTRUCTION_LEN","features":[368]},{"name":"MAX_IO_PORTS","features":[368]},{"name":"MAX_IRQS","features":[368]},{"name":"MAX_KEY_LEN","features":[368]},{"name":"MAX_LABEL_LEN","features":[368]},{"name":"MAX_LCPRI","features":[368]},{"name":"MAX_MEM_REGISTERS","features":[368]},{"name":"MAX_PRIORITYSTR_LEN","features":[368]},{"name":"MAX_PROFILE_LEN","features":[368]},{"name":"MAX_SERVICE_NAME_LEN","features":[368]},{"name":"MAX_SUBTITLE_LEN","features":[368]},{"name":"MAX_TITLE_LEN","features":[368]},{"name":"MD_FLAGS","features":[368]},{"name":"MEM_DES","features":[368]},{"name":"MEM_LARGE_DES","features":[368]},{"name":"MEM_LARGE_RANGE","features":[368]},{"name":"MEM_LARGE_RESOURCE","features":[368]},{"name":"MEM_RANGE","features":[368]},{"name":"MEM_RESOURCE","features":[368]},{"name":"MFCARD_DES","features":[368]},{"name":"MFCARD_RESOURCE","features":[368]},{"name":"MIN_IDD_DYNAWIZ_RESOURCE_ID","features":[368]},{"name":"NDW_INSTALLFLAG_CI_PICKED_OEM","features":[368]},{"name":"NDW_INSTALLFLAG_DIDFACTDEFS","features":[368]},{"name":"NDW_INSTALLFLAG_EXPRESSINTRO","features":[368]},{"name":"NDW_INSTALLFLAG_HARDWAREALLREADYIN","features":[368]},{"name":"NDW_INSTALLFLAG_INSTALLSPECIFIC","features":[368]},{"name":"NDW_INSTALLFLAG_KNOWNCLASS","features":[368]},{"name":"NDW_INSTALLFLAG_NEEDSHUTDOWN","features":[368]},{"name":"NDW_INSTALLFLAG_NODETECTEDDEVS","features":[368]},{"name":"NDW_INSTALLFLAG_PCMCIADEVICE","features":[368]},{"name":"NDW_INSTALLFLAG_PCMCIAMODE","features":[368]},{"name":"NDW_INSTALLFLAG_SKIPCLASSLIST","features":[368]},{"name":"NDW_INSTALLFLAG_SKIPISDEVINSTALLED","features":[368]},{"name":"NDW_INSTALLFLAG_USERCANCEL","features":[368]},{"name":"NUM_CM_PROB","features":[368]},{"name":"NUM_CM_PROB_V1","features":[368]},{"name":"NUM_CM_PROB_V2","features":[368]},{"name":"NUM_CM_PROB_V3","features":[368]},{"name":"NUM_CM_PROB_V4","features":[368]},{"name":"NUM_CM_PROB_V5","features":[368]},{"name":"NUM_CM_PROB_V6","features":[368]},{"name":"NUM_CM_PROB_V7","features":[368]},{"name":"NUM_CM_PROB_V8","features":[368]},{"name":"NUM_CM_PROB_V9","features":[368]},{"name":"NUM_CR_RESULTS","features":[368]},{"name":"NUM_LOG_CONF","features":[368]},{"name":"OEM_SOURCE_MEDIA_TYPE","features":[368]},{"name":"OVERRIDE_LOG_CONF","features":[368]},{"name":"PCCARD_DES","features":[368]},{"name":"PCCARD_RESOURCE","features":[368]},{"name":"PCD_FLAGS","features":[368]},{"name":"PCD_MAX_IO","features":[368]},{"name":"PCD_MAX_MEMORY","features":[368]},{"name":"PCM_NOTIFY_CALLBACK","features":[368]},{"name":"PDETECT_PROGRESS_NOTIFY","features":[368,308]},{"name":"PMF_FLAGS","features":[368]},{"name":"PNP_VETO_TYPE","features":[368]},{"name":"PNP_VetoAlreadyRemoved","features":[368]},{"name":"PNP_VetoDevice","features":[368]},{"name":"PNP_VetoDriver","features":[368]},{"name":"PNP_VetoIllegalDeviceRequest","features":[368]},{"name":"PNP_VetoInsufficientPower","features":[368]},{"name":"PNP_VetoInsufficientRights","features":[368]},{"name":"PNP_VetoLegacyDevice","features":[368]},{"name":"PNP_VetoLegacyDriver","features":[368]},{"name":"PNP_VetoNonDisableable","features":[368]},{"name":"PNP_VetoOutstandingOpen","features":[368]},{"name":"PNP_VetoPendingClose","features":[368]},{"name":"PNP_VetoTypeUnknown","features":[368]},{"name":"PNP_VetoWindowsApp","features":[368]},{"name":"PNP_VetoWindowsService","features":[368]},{"name":"PRIORITY_BIT","features":[368]},{"name":"PRIORITY_EQUAL_FIRST","features":[368]},{"name":"PRIORITY_EQUAL_LAST","features":[368]},{"name":"PSP_DETSIG_CMPPROC","features":[368]},{"name":"PSP_FILE_CALLBACK_A","features":[368]},{"name":"PSP_FILE_CALLBACK_W","features":[368]},{"name":"ROLLBACK_BITS","features":[368]},{"name":"ROLLBACK_FLAG_NO_UI","features":[368]},{"name":"RegDisposition_Bits","features":[368]},{"name":"RegDisposition_OpenAlways","features":[368]},{"name":"RegDisposition_OpenExisting","features":[368]},{"name":"ResType_All","features":[368]},{"name":"ResType_BusNumber","features":[368]},{"name":"ResType_ClassSpecific","features":[368]},{"name":"ResType_Connection","features":[368]},{"name":"ResType_DMA","features":[368]},{"name":"ResType_DevicePrivate","features":[368]},{"name":"ResType_DoNotUse","features":[368]},{"name":"ResType_IO","features":[368]},{"name":"ResType_IRQ","features":[368]},{"name":"ResType_Ignored_Bit","features":[368]},{"name":"ResType_MAX","features":[368]},{"name":"ResType_Mem","features":[368]},{"name":"ResType_MemLarge","features":[368]},{"name":"ResType_MfCardConfig","features":[368]},{"name":"ResType_None","features":[368]},{"name":"ResType_PcCardConfig","features":[368]},{"name":"ResType_Reserved","features":[368]},{"name":"SCWMI_CLOBBER_SECURITY","features":[368]},{"name":"SETDIRID_NOT_FULL_PATH","features":[368]},{"name":"SETUPSCANFILEQUEUE_FLAGS","features":[368]},{"name":"SETUP_DI_DEVICE_CONFIGURATION_FLAGS","features":[368]},{"name":"SETUP_DI_DEVICE_CREATION_FLAGS","features":[368]},{"name":"SETUP_DI_DEVICE_INSTALL_FLAGS","features":[368]},{"name":"SETUP_DI_DEVICE_INSTALL_FLAGS_EX","features":[368]},{"name":"SETUP_DI_DRIVER_INSTALL_FLAGS","features":[368]},{"name":"SETUP_DI_DRIVER_TYPE","features":[368]},{"name":"SETUP_DI_GET_CLASS_DEVS_FLAGS","features":[368]},{"name":"SETUP_DI_PROPERTY_CHANGE_SCOPE","features":[368]},{"name":"SETUP_DI_REGISTRY_PROPERTY","features":[368]},{"name":"SETUP_DI_REMOVE_DEVICE_SCOPE","features":[368]},{"name":"SETUP_DI_STATE_CHANGE","features":[368]},{"name":"SETUP_FILE_OPERATION","features":[368]},{"name":"SIGNERSCORE_AUTHENTICODE","features":[368]},{"name":"SIGNERSCORE_INBOX","features":[368]},{"name":"SIGNERSCORE_LOGO_PREMIUM","features":[368]},{"name":"SIGNERSCORE_LOGO_STANDARD","features":[368]},{"name":"SIGNERSCORE_MASK","features":[368]},{"name":"SIGNERSCORE_SIGNED_MASK","features":[368]},{"name":"SIGNERSCORE_UNCLASSIFIED","features":[368]},{"name":"SIGNERSCORE_UNKNOWN","features":[368]},{"name":"SIGNERSCORE_UNSIGNED","features":[368]},{"name":"SIGNERSCORE_W9X_SUSPECT","features":[368]},{"name":"SIGNERSCORE_WHQL","features":[368]},{"name":"SOURCE_MEDIA_A","features":[368]},{"name":"SOURCE_MEDIA_A","features":[368]},{"name":"SOURCE_MEDIA_W","features":[368]},{"name":"SOURCE_MEDIA_W","features":[368]},{"name":"SPCRP_CHARACTERISTICS","features":[368]},{"name":"SPCRP_DEVTYPE","features":[368]},{"name":"SPCRP_EXCLUSIVE","features":[368]},{"name":"SPCRP_LOWERFILTERS","features":[368]},{"name":"SPCRP_MAXIMUM_PROPERTY","features":[368]},{"name":"SPCRP_SECURITY","features":[368]},{"name":"SPCRP_SECURITY_SDS","features":[368]},{"name":"SPCRP_UPPERFILTERS","features":[368]},{"name":"SPDIT_CLASSDRIVER","features":[368]},{"name":"SPDIT_COMPATDRIVER","features":[368]},{"name":"SPDIT_NODRIVER","features":[368]},{"name":"SPDRP_ADDRESS","features":[368]},{"name":"SPDRP_BASE_CONTAINERID","features":[368]},{"name":"SPDRP_BUSNUMBER","features":[368]},{"name":"SPDRP_BUSTYPEGUID","features":[368]},{"name":"SPDRP_CAPABILITIES","features":[368]},{"name":"SPDRP_CHARACTERISTICS","features":[368]},{"name":"SPDRP_CLASS","features":[368]},{"name":"SPDRP_CLASSGUID","features":[368]},{"name":"SPDRP_COMPATIBLEIDS","features":[368]},{"name":"SPDRP_CONFIGFLAGS","features":[368]},{"name":"SPDRP_DEVICEDESC","features":[368]},{"name":"SPDRP_DEVICE_POWER_DATA","features":[368]},{"name":"SPDRP_DEVTYPE","features":[368]},{"name":"SPDRP_DRIVER","features":[368]},{"name":"SPDRP_ENUMERATOR_NAME","features":[368]},{"name":"SPDRP_EXCLUSIVE","features":[368]},{"name":"SPDRP_FRIENDLYNAME","features":[368]},{"name":"SPDRP_HARDWAREID","features":[368]},{"name":"SPDRP_INSTALL_STATE","features":[368]},{"name":"SPDRP_LEGACYBUSTYPE","features":[368]},{"name":"SPDRP_LOCATION_INFORMATION","features":[368]},{"name":"SPDRP_LOCATION_PATHS","features":[368]},{"name":"SPDRP_LOWERFILTERS","features":[368]},{"name":"SPDRP_MAXIMUM_PROPERTY","features":[368]},{"name":"SPDRP_MFG","features":[368]},{"name":"SPDRP_PHYSICAL_DEVICE_OBJECT_NAME","features":[368]},{"name":"SPDRP_REMOVAL_POLICY","features":[368]},{"name":"SPDRP_REMOVAL_POLICY_HW_DEFAULT","features":[368]},{"name":"SPDRP_REMOVAL_POLICY_OVERRIDE","features":[368]},{"name":"SPDRP_SECURITY","features":[368]},{"name":"SPDRP_SECURITY_SDS","features":[368]},{"name":"SPDRP_SERVICE","features":[368]},{"name":"SPDRP_UI_NUMBER","features":[368]},{"name":"SPDRP_UI_NUMBER_DESC_FORMAT","features":[368]},{"name":"SPDRP_UNUSED0","features":[368]},{"name":"SPDRP_UNUSED1","features":[368]},{"name":"SPDRP_UNUSED2","features":[368]},{"name":"SPDRP_UPPERFILTERS","features":[368]},{"name":"SPDSL_DISALLOW_NEGATIVE_ADJUST","features":[368]},{"name":"SPDSL_IGNORE_DISK","features":[368]},{"name":"SPFILELOG_FORCENEW","features":[368]},{"name":"SPFILELOG_OEMFILE","features":[368]},{"name":"SPFILELOG_QUERYONLY","features":[368]},{"name":"SPFILELOG_SYSTEMLOG","features":[368]},{"name":"SPFILENOTIFY_BACKUPERROR","features":[368]},{"name":"SPFILENOTIFY_CABINETINFO","features":[368]},{"name":"SPFILENOTIFY_COPYERROR","features":[368]},{"name":"SPFILENOTIFY_DELETEERROR","features":[368]},{"name":"SPFILENOTIFY_ENDBACKUP","features":[368]},{"name":"SPFILENOTIFY_ENDCOPY","features":[368]},{"name":"SPFILENOTIFY_ENDDELETE","features":[368]},{"name":"SPFILENOTIFY_ENDQUEUE","features":[368]},{"name":"SPFILENOTIFY_ENDREGISTRATION","features":[368]},{"name":"SPFILENOTIFY_ENDRENAME","features":[368]},{"name":"SPFILENOTIFY_ENDSUBQUEUE","features":[368]},{"name":"SPFILENOTIFY_FILEEXTRACTED","features":[368]},{"name":"SPFILENOTIFY_FILEINCABINET","features":[368]},{"name":"SPFILENOTIFY_FILEOPDELAYED","features":[368]},{"name":"SPFILENOTIFY_LANGMISMATCH","features":[368]},{"name":"SPFILENOTIFY_NEEDMEDIA","features":[368]},{"name":"SPFILENOTIFY_NEEDNEWCABINET","features":[368]},{"name":"SPFILENOTIFY_QUEUESCAN","features":[368]},{"name":"SPFILENOTIFY_QUEUESCAN_EX","features":[368]},{"name":"SPFILENOTIFY_QUEUESCAN_SIGNERINFO","features":[368]},{"name":"SPFILENOTIFY_RENAMEERROR","features":[368]},{"name":"SPFILENOTIFY_STARTBACKUP","features":[368]},{"name":"SPFILENOTIFY_STARTCOPY","features":[368]},{"name":"SPFILENOTIFY_STARTDELETE","features":[368]},{"name":"SPFILENOTIFY_STARTQUEUE","features":[368]},{"name":"SPFILENOTIFY_STARTREGISTRATION","features":[368]},{"name":"SPFILENOTIFY_STARTRENAME","features":[368]},{"name":"SPFILENOTIFY_STARTSUBQUEUE","features":[368]},{"name":"SPFILENOTIFY_TARGETEXISTS","features":[368]},{"name":"SPFILENOTIFY_TARGETNEWER","features":[368]},{"name":"SPFILEQ_FILE_IN_USE","features":[368]},{"name":"SPFILEQ_REBOOT_IN_PROGRESS","features":[368]},{"name":"SPFILEQ_REBOOT_RECOMMENDED","features":[368]},{"name":"SPID_ACTIVE","features":[368]},{"name":"SPID_DEFAULT","features":[368]},{"name":"SPID_REMOVED","features":[368]},{"name":"SPINST_ALL","features":[368]},{"name":"SPINST_BITREG","features":[368]},{"name":"SPINST_COPYINF","features":[368]},{"name":"SPINST_DEVICEINSTALL","features":[368]},{"name":"SPINST_FILES","features":[368]},{"name":"SPINST_INI2REG","features":[368]},{"name":"SPINST_INIFILES","features":[368]},{"name":"SPINST_LOGCONFIG","features":[368]},{"name":"SPINST_LOGCONFIGS_ARE_OVERRIDES","features":[368]},{"name":"SPINST_LOGCONFIG_IS_FORCED","features":[368]},{"name":"SPINST_PROFILEITEMS","features":[368]},{"name":"SPINST_PROPERTIES","features":[368]},{"name":"SPINST_REGISTERCALLBACKAWARE","features":[368]},{"name":"SPINST_REGISTRY","features":[368]},{"name":"SPINST_REGSVR","features":[368]},{"name":"SPINST_SINGLESECTION","features":[368]},{"name":"SPINST_UNREGSVR","features":[368]},{"name":"SPINT_ACTIVE","features":[368]},{"name":"SPINT_DEFAULT","features":[368]},{"name":"SPINT_REMOVED","features":[368]},{"name":"SPOST_MAX","features":[368]},{"name":"SPOST_NONE","features":[368]},{"name":"SPOST_PATH","features":[368]},{"name":"SPOST_URL","features":[368]},{"name":"SPPSR_ENUM_ADV_DEVICE_PROPERTIES","features":[368]},{"name":"SPPSR_ENUM_BASIC_DEVICE_PROPERTIES","features":[368]},{"name":"SPPSR_SELECT_DEVICE_RESOURCES","features":[368]},{"name":"SPQ_DELAYED_COPY","features":[368]},{"name":"SPQ_FLAG_ABORT_IF_UNSIGNED","features":[368]},{"name":"SPQ_FLAG_BACKUP_AWARE","features":[368]},{"name":"SPQ_FLAG_DO_SHUFFLEMOVE","features":[368]},{"name":"SPQ_FLAG_FILES_MODIFIED","features":[368]},{"name":"SPQ_FLAG_VALID","features":[368]},{"name":"SPQ_SCAN_ACTIVATE_DRP","features":[368]},{"name":"SPQ_SCAN_FILE_COMPARISON","features":[368]},{"name":"SPQ_SCAN_FILE_PRESENCE","features":[368]},{"name":"SPQ_SCAN_FILE_PRESENCE_WITHOUT_SOURCE","features":[368]},{"name":"SPQ_SCAN_FILE_VALIDITY","features":[368]},{"name":"SPQ_SCAN_INFORM_USER","features":[368]},{"name":"SPQ_SCAN_PRUNE_COPY_QUEUE","features":[368]},{"name":"SPQ_SCAN_PRUNE_DELREN","features":[368]},{"name":"SPQ_SCAN_USE_CALLBACK","features":[368]},{"name":"SPQ_SCAN_USE_CALLBACKEX","features":[368]},{"name":"SPQ_SCAN_USE_CALLBACK_SIGNERINFO","features":[368]},{"name":"SPRDI_FIND_DUPS","features":[368]},{"name":"SPREG_DLLINSTALL","features":[368]},{"name":"SPREG_GETPROCADDR","features":[368]},{"name":"SPREG_LOADLIBRARY","features":[368]},{"name":"SPREG_REGSVR","features":[368]},{"name":"SPREG_SUCCESS","features":[368]},{"name":"SPREG_TIMEOUT","features":[368]},{"name":"SPREG_UNKNOWN","features":[368]},{"name":"SPSVCINST_ASSOCSERVICE","features":[368]},{"name":"SPSVCINST_CLOBBER_SECURITY","features":[368]},{"name":"SPSVCINST_DELETEEVENTLOGENTRY","features":[368]},{"name":"SPSVCINST_FLAGS","features":[368]},{"name":"SPSVCINST_NOCLOBBER_DELAYEDAUTOSTART","features":[368]},{"name":"SPSVCINST_NOCLOBBER_DEPENDENCIES","features":[368]},{"name":"SPSVCINST_NOCLOBBER_DESCRIPTION","features":[368]},{"name":"SPSVCINST_NOCLOBBER_DISPLAYNAME","features":[368]},{"name":"SPSVCINST_NOCLOBBER_ERRORCONTROL","features":[368]},{"name":"SPSVCINST_NOCLOBBER_FAILUREACTIONS","features":[368]},{"name":"SPSVCINST_NOCLOBBER_LOADORDERGROUP","features":[368]},{"name":"SPSVCINST_NOCLOBBER_REQUIREDPRIVILEGES","features":[368]},{"name":"SPSVCINST_NOCLOBBER_SERVICESIDTYPE","features":[368]},{"name":"SPSVCINST_NOCLOBBER_STARTTYPE","features":[368]},{"name":"SPSVCINST_NOCLOBBER_TRIGGERS","features":[368]},{"name":"SPSVCINST_STARTSERVICE","features":[368]},{"name":"SPSVCINST_STOPSERVICE","features":[368]},{"name":"SPSVCINST_TAGTOFRONT","features":[368]},{"name":"SPSVCINST_UNIQUE_NAME","features":[368]},{"name":"SPWPT_SELECTDEVICE","features":[368]},{"name":"SPWP_USE_DEVINFO_DATA","features":[368]},{"name":"SP_ALTPLATFORM_FLAGS_SUITE_MASK","features":[368]},{"name":"SP_ALTPLATFORM_FLAGS_VERSION_RANGE","features":[368]},{"name":"SP_ALTPLATFORM_INFO_V1","features":[368,336]},{"name":"SP_ALTPLATFORM_INFO_V1","features":[368,336]},{"name":"SP_ALTPLATFORM_INFO_V2","features":[368,336,338]},{"name":"SP_ALTPLATFORM_INFO_V2","features":[368,336,338]},{"name":"SP_ALTPLATFORM_INFO_V3","features":[368]},{"name":"SP_ALTPLATFORM_INFO_V3","features":[368]},{"name":"SP_BACKUP_BACKUPPASS","features":[368]},{"name":"SP_BACKUP_BOOTFILE","features":[368]},{"name":"SP_BACKUP_DEMANDPASS","features":[368]},{"name":"SP_BACKUP_QUEUE_PARAMS_V1_A","features":[368]},{"name":"SP_BACKUP_QUEUE_PARAMS_V1_A","features":[368]},{"name":"SP_BACKUP_QUEUE_PARAMS_V1_W","features":[368]},{"name":"SP_BACKUP_QUEUE_PARAMS_V1_W","features":[368]},{"name":"SP_BACKUP_QUEUE_PARAMS_V2_A","features":[368]},{"name":"SP_BACKUP_QUEUE_PARAMS_V2_A","features":[368]},{"name":"SP_BACKUP_QUEUE_PARAMS_V2_W","features":[368]},{"name":"SP_BACKUP_QUEUE_PARAMS_V2_W","features":[368]},{"name":"SP_BACKUP_SPECIAL","features":[368]},{"name":"SP_CLASSIMAGELIST_DATA","features":[368,358]},{"name":"SP_CLASSIMAGELIST_DATA","features":[368,358]},{"name":"SP_CLASSINSTALL_HEADER","features":[368]},{"name":"SP_CLASSINSTALL_HEADER","features":[368]},{"name":"SP_COPY_ALREADYDECOMP","features":[368]},{"name":"SP_COPY_DELETESOURCE","features":[368]},{"name":"SP_COPY_FORCE_IN_USE","features":[368]},{"name":"SP_COPY_FORCE_NEWER","features":[368]},{"name":"SP_COPY_FORCE_NOOVERWRITE","features":[368]},{"name":"SP_COPY_HARDLINK","features":[368]},{"name":"SP_COPY_INBOX_INF","features":[368]},{"name":"SP_COPY_IN_USE_NEEDS_REBOOT","features":[368]},{"name":"SP_COPY_IN_USE_TRY_RENAME","features":[368]},{"name":"SP_COPY_LANGUAGEAWARE","features":[368]},{"name":"SP_COPY_NEWER","features":[368]},{"name":"SP_COPY_NEWER_ONLY","features":[368]},{"name":"SP_COPY_NEWER_OR_SAME","features":[368]},{"name":"SP_COPY_NOBROWSE","features":[368]},{"name":"SP_COPY_NODECOMP","features":[368]},{"name":"SP_COPY_NOOVERWRITE","features":[368]},{"name":"SP_COPY_NOPRUNE","features":[368]},{"name":"SP_COPY_NOSKIP","features":[368]},{"name":"SP_COPY_OEMINF_CATALOG_ONLY","features":[368]},{"name":"SP_COPY_OEM_F6_INF","features":[368]},{"name":"SP_COPY_PNPLOCKED","features":[368]},{"name":"SP_COPY_REPLACEONLY","features":[368]},{"name":"SP_COPY_REPLACE_BOOT_FILE","features":[368]},{"name":"SP_COPY_RESERVED","features":[368]},{"name":"SP_COPY_SOURCEPATH_ABSOLUTE","features":[368]},{"name":"SP_COPY_SOURCE_ABSOLUTE","features":[368]},{"name":"SP_COPY_STYLE","features":[368]},{"name":"SP_COPY_WARNIFSKIP","features":[368]},{"name":"SP_COPY_WINDOWS_SIGNED","features":[368]},{"name":"SP_DETECTDEVICE_PARAMS","features":[368,308]},{"name":"SP_DETECTDEVICE_PARAMS","features":[368,308]},{"name":"SP_DEVICE_INTERFACE_DATA","features":[368]},{"name":"SP_DEVICE_INTERFACE_DATA","features":[368]},{"name":"SP_DEVICE_INTERFACE_DETAIL_DATA_A","features":[368]},{"name":"SP_DEVICE_INTERFACE_DETAIL_DATA_A","features":[368]},{"name":"SP_DEVICE_INTERFACE_DETAIL_DATA_W","features":[368]},{"name":"SP_DEVICE_INTERFACE_DETAIL_DATA_W","features":[368]},{"name":"SP_DEVINFO_DATA","features":[368]},{"name":"SP_DEVINFO_DATA","features":[368]},{"name":"SP_DEVINFO_LIST_DETAIL_DATA_A","features":[368,308]},{"name":"SP_DEVINFO_LIST_DETAIL_DATA_A","features":[368,308]},{"name":"SP_DEVINFO_LIST_DETAIL_DATA_W","features":[368,308]},{"name":"SP_DEVINFO_LIST_DETAIL_DATA_W","features":[368,308]},{"name":"SP_DEVINSTALL_PARAMS_A","features":[368,308]},{"name":"SP_DEVINSTALL_PARAMS_A","features":[368,308]},{"name":"SP_DEVINSTALL_PARAMS_W","features":[368,308]},{"name":"SP_DEVINSTALL_PARAMS_W","features":[368,308]},{"name":"SP_DRVINFO_DATA_V1_A","features":[368]},{"name":"SP_DRVINFO_DATA_V1_A","features":[368]},{"name":"SP_DRVINFO_DATA_V1_W","features":[368]},{"name":"SP_DRVINFO_DATA_V1_W","features":[368]},{"name":"SP_DRVINFO_DATA_V2_A","features":[368,308]},{"name":"SP_DRVINFO_DATA_V2_A","features":[368,308]},{"name":"SP_DRVINFO_DATA_V2_W","features":[368,308]},{"name":"SP_DRVINFO_DATA_V2_W","features":[368,308]},{"name":"SP_DRVINFO_DETAIL_DATA_A","features":[368,308]},{"name":"SP_DRVINFO_DETAIL_DATA_A","features":[368,308]},{"name":"SP_DRVINFO_DETAIL_DATA_W","features":[368,308]},{"name":"SP_DRVINFO_DETAIL_DATA_W","features":[368,308]},{"name":"SP_DRVINSTALL_PARAMS","features":[368]},{"name":"SP_DRVINSTALL_PARAMS","features":[368]},{"name":"SP_ENABLECLASS_PARAMS","features":[368]},{"name":"SP_ENABLECLASS_PARAMS","features":[368]},{"name":"SP_FILE_COPY_PARAMS_A","features":[368]},{"name":"SP_FILE_COPY_PARAMS_A","features":[368]},{"name":"SP_FILE_COPY_PARAMS_W","features":[368]},{"name":"SP_FILE_COPY_PARAMS_W","features":[368]},{"name":"SP_FLAG_CABINETCONTINUATION","features":[368]},{"name":"SP_INF_INFORMATION","features":[368]},{"name":"SP_INF_INFORMATION","features":[368]},{"name":"SP_INF_SIGNER_INFO_V1_A","features":[368]},{"name":"SP_INF_SIGNER_INFO_V1_A","features":[368]},{"name":"SP_INF_SIGNER_INFO_V1_W","features":[368]},{"name":"SP_INF_SIGNER_INFO_V1_W","features":[368]},{"name":"SP_INF_SIGNER_INFO_V2_A","features":[368]},{"name":"SP_INF_SIGNER_INFO_V2_A","features":[368]},{"name":"SP_INF_SIGNER_INFO_V2_W","features":[368]},{"name":"SP_INF_SIGNER_INFO_V2_W","features":[368]},{"name":"SP_INSTALLWIZARD_DATA","features":[368,308,358]},{"name":"SP_INSTALLWIZARD_DATA","features":[368,308,358]},{"name":"SP_MAX_MACHINENAME_LENGTH","features":[368]},{"name":"SP_NEWDEVICEWIZARD_DATA","features":[368,308,358]},{"name":"SP_NEWDEVICEWIZARD_DATA","features":[368,308,358]},{"name":"SP_ORIGINAL_FILE_INFO_A","features":[368]},{"name":"SP_ORIGINAL_FILE_INFO_A","features":[368]},{"name":"SP_ORIGINAL_FILE_INFO_W","features":[368]},{"name":"SP_ORIGINAL_FILE_INFO_W","features":[368]},{"name":"SP_POWERMESSAGEWAKE_PARAMS_A","features":[368]},{"name":"SP_POWERMESSAGEWAKE_PARAMS_W","features":[368]},{"name":"SP_POWERMESSAGEWAKE_PARAMS_W","features":[368]},{"name":"SP_PROPCHANGE_PARAMS","features":[368]},{"name":"SP_PROPCHANGE_PARAMS","features":[368]},{"name":"SP_PROPSHEETPAGE_REQUEST","features":[368]},{"name":"SP_PROPSHEETPAGE_REQUEST","features":[368]},{"name":"SP_REGISTER_CONTROL_STATUSA","features":[368]},{"name":"SP_REGISTER_CONTROL_STATUSA","features":[368]},{"name":"SP_REGISTER_CONTROL_STATUSW","features":[368]},{"name":"SP_REGISTER_CONTROL_STATUSW","features":[368]},{"name":"SP_REMOVEDEVICE_PARAMS","features":[368]},{"name":"SP_REMOVEDEVICE_PARAMS","features":[368]},{"name":"SP_SELECTDEVICE_PARAMS_A","features":[368]},{"name":"SP_SELECTDEVICE_PARAMS_W","features":[368]},{"name":"SP_SELECTDEVICE_PARAMS_W","features":[368]},{"name":"SP_TROUBLESHOOTER_PARAMS_A","features":[368]},{"name":"SP_TROUBLESHOOTER_PARAMS_W","features":[368]},{"name":"SP_TROUBLESHOOTER_PARAMS_W","features":[368]},{"name":"SP_UNREMOVEDEVICE_PARAMS","features":[368]},{"name":"SP_UNREMOVEDEVICE_PARAMS","features":[368]},{"name":"SRCINFO_DESCRIPTION","features":[368]},{"name":"SRCINFO_FLAGS","features":[368]},{"name":"SRCINFO_PATH","features":[368]},{"name":"SRCINFO_TAGFILE","features":[368]},{"name":"SRCINFO_TAGFILE2","features":[368]},{"name":"SRCLIST_APPEND","features":[368]},{"name":"SRCLIST_NOBROWSE","features":[368]},{"name":"SRCLIST_NOSTRIPPLATFORM","features":[368]},{"name":"SRCLIST_SUBDIRS","features":[368]},{"name":"SRCLIST_SYSIFADMIN","features":[368]},{"name":"SRCLIST_SYSTEM","features":[368]},{"name":"SRCLIST_TEMPORARY","features":[368]},{"name":"SRCLIST_USER","features":[368]},{"name":"SRC_FLAGS_CABFILE","features":[368]},{"name":"SUOI_FORCEDELETE","features":[368]},{"name":"SUOI_INTERNAL1","features":[368]},{"name":"SZ_KEY_ADDAUTOLOGGER","features":[368]},{"name":"SZ_KEY_ADDAUTOLOGGERPROVIDER","features":[368]},{"name":"SZ_KEY_ADDCHANNEL","features":[368]},{"name":"SZ_KEY_ADDEVENTPROVIDER","features":[368]},{"name":"SZ_KEY_ADDFILTER","features":[368]},{"name":"SZ_KEY_ADDIME","features":[368]},{"name":"SZ_KEY_ADDINTERFACE","features":[368]},{"name":"SZ_KEY_ADDPOWERSETTING","features":[368]},{"name":"SZ_KEY_ADDPROP","features":[368]},{"name":"SZ_KEY_ADDREG","features":[368]},{"name":"SZ_KEY_ADDREGNOCLOBBER","features":[368]},{"name":"SZ_KEY_ADDSERVICE","features":[368]},{"name":"SZ_KEY_ADDTRIGGER","features":[368]},{"name":"SZ_KEY_BITREG","features":[368]},{"name":"SZ_KEY_CLEANONLY","features":[368]},{"name":"SZ_KEY_COPYFILES","features":[368]},{"name":"SZ_KEY_COPYINF","features":[368]},{"name":"SZ_KEY_DEFAULTOPTION","features":[368]},{"name":"SZ_KEY_DEFDESTDIR","features":[368]},{"name":"SZ_KEY_DELFILES","features":[368]},{"name":"SZ_KEY_DELIME","features":[368]},{"name":"SZ_KEY_DELPROP","features":[368]},{"name":"SZ_KEY_DELREG","features":[368]},{"name":"SZ_KEY_DELSERVICE","features":[368]},{"name":"SZ_KEY_DESTDIRS","features":[368]},{"name":"SZ_KEY_EXCLUDEID","features":[368]},{"name":"SZ_KEY_FAILUREACTIONS","features":[368]},{"name":"SZ_KEY_FEATURESCORE","features":[368]},{"name":"SZ_KEY_FILTERLEVEL","features":[368]},{"name":"SZ_KEY_FILTERPOSITION","features":[368]},{"name":"SZ_KEY_HARDWARE","features":[368]},{"name":"SZ_KEY_IMPORTCHANNEL","features":[368]},{"name":"SZ_KEY_INI2REG","features":[368]},{"name":"SZ_KEY_LAYOUT_FILE","features":[368]},{"name":"SZ_KEY_LDIDOEM","features":[368]},{"name":"SZ_KEY_LFN_SECTION","features":[368]},{"name":"SZ_KEY_LISTOPTIONS","features":[368]},{"name":"SZ_KEY_LOGCONFIG","features":[368]},{"name":"SZ_KEY_MODULES","features":[368]},{"name":"SZ_KEY_OPTIONDESC","features":[368]},{"name":"SZ_KEY_PHASE1","features":[368]},{"name":"SZ_KEY_PROFILEITEMS","features":[368]},{"name":"SZ_KEY_REGSVR","features":[368]},{"name":"SZ_KEY_RENFILES","features":[368]},{"name":"SZ_KEY_SFN_SECTION","features":[368]},{"name":"SZ_KEY_SRCDISKFILES","features":[368]},{"name":"SZ_KEY_SRCDISKNAMES","features":[368]},{"name":"SZ_KEY_STRINGS","features":[368]},{"name":"SZ_KEY_UNREGSVR","features":[368]},{"name":"SZ_KEY_UPDATEAUTOLOGGER","features":[368]},{"name":"SZ_KEY_UPDATEINIFIELDS","features":[368]},{"name":"SZ_KEY_UPDATEINIS","features":[368]},{"name":"SZ_KEY_UPGRADEONLY","features":[368]},{"name":"SetupAddInstallSectionToDiskSpaceListA","features":[368,308]},{"name":"SetupAddInstallSectionToDiskSpaceListW","features":[368,308]},{"name":"SetupAddSectionToDiskSpaceListA","features":[368,308]},{"name":"SetupAddSectionToDiskSpaceListW","features":[368,308]},{"name":"SetupAddToDiskSpaceListA","features":[368,308]},{"name":"SetupAddToDiskSpaceListW","features":[368,308]},{"name":"SetupAddToSourceListA","features":[368,308]},{"name":"SetupAddToSourceListW","features":[368,308]},{"name":"SetupAdjustDiskSpaceListA","features":[368,308]},{"name":"SetupAdjustDiskSpaceListW","features":[368,308]},{"name":"SetupBackupErrorA","features":[368,308]},{"name":"SetupBackupErrorW","features":[368,308]},{"name":"SetupCancelTemporarySourceList","features":[368,308]},{"name":"SetupCloseFileQueue","features":[368,308]},{"name":"SetupCloseInfFile","features":[368]},{"name":"SetupCloseLog","features":[368]},{"name":"SetupCommitFileQueueA","features":[368,308]},{"name":"SetupCommitFileQueueW","features":[368,308]},{"name":"SetupConfigureWmiFromInfSectionA","features":[368,308]},{"name":"SetupConfigureWmiFromInfSectionW","features":[368,308]},{"name":"SetupCopyErrorA","features":[368,308]},{"name":"SetupCopyErrorW","features":[368,308]},{"name":"SetupCopyOEMInfA","features":[368,308]},{"name":"SetupCopyOEMInfW","features":[368,308]},{"name":"SetupCreateDiskSpaceListA","features":[368]},{"name":"SetupCreateDiskSpaceListW","features":[368]},{"name":"SetupDecompressOrCopyFileA","features":[368]},{"name":"SetupDecompressOrCopyFileW","features":[368]},{"name":"SetupDefaultQueueCallbackA","features":[368]},{"name":"SetupDefaultQueueCallbackW","features":[368]},{"name":"SetupDeleteErrorA","features":[368,308]},{"name":"SetupDeleteErrorW","features":[368,308]},{"name":"SetupDestroyDiskSpaceList","features":[368,308]},{"name":"SetupDiAskForOEMDisk","features":[368,308]},{"name":"SetupDiBuildClassInfoList","features":[368,308]},{"name":"SetupDiBuildClassInfoListExA","features":[368,308]},{"name":"SetupDiBuildClassInfoListExW","features":[368,308]},{"name":"SetupDiBuildDriverInfoList","features":[368,308]},{"name":"SetupDiCallClassInstaller","features":[368,308]},{"name":"SetupDiCancelDriverInfoSearch","features":[368,308]},{"name":"SetupDiChangeState","features":[368,308]},{"name":"SetupDiClassGuidsFromNameA","features":[368,308]},{"name":"SetupDiClassGuidsFromNameExA","features":[368,308]},{"name":"SetupDiClassGuidsFromNameExW","features":[368,308]},{"name":"SetupDiClassGuidsFromNameW","features":[368,308]},{"name":"SetupDiClassNameFromGuidA","features":[368,308]},{"name":"SetupDiClassNameFromGuidExA","features":[368,308]},{"name":"SetupDiClassNameFromGuidExW","features":[368,308]},{"name":"SetupDiClassNameFromGuidW","features":[368,308]},{"name":"SetupDiCreateDevRegKeyA","features":[368,369]},{"name":"SetupDiCreateDevRegKeyW","features":[368,369]},{"name":"SetupDiCreateDeviceInfoA","features":[368,308]},{"name":"SetupDiCreateDeviceInfoList","features":[368,308]},{"name":"SetupDiCreateDeviceInfoListExA","features":[368,308]},{"name":"SetupDiCreateDeviceInfoListExW","features":[368,308]},{"name":"SetupDiCreateDeviceInfoW","features":[368,308]},{"name":"SetupDiCreateDeviceInterfaceA","features":[368,308]},{"name":"SetupDiCreateDeviceInterfaceRegKeyA","features":[368,369]},{"name":"SetupDiCreateDeviceInterfaceRegKeyW","features":[368,369]},{"name":"SetupDiCreateDeviceInterfaceW","features":[368,308]},{"name":"SetupDiDeleteDevRegKey","features":[368,308]},{"name":"SetupDiDeleteDeviceInfo","features":[368,308]},{"name":"SetupDiDeleteDeviceInterfaceData","features":[368,308]},{"name":"SetupDiDeleteDeviceInterfaceRegKey","features":[368,308]},{"name":"SetupDiDestroyClassImageList","features":[368,308,358]},{"name":"SetupDiDestroyDeviceInfoList","features":[368,308]},{"name":"SetupDiDestroyDriverInfoList","features":[368,308]},{"name":"SetupDiDrawMiniIcon","features":[368,308,319]},{"name":"SetupDiEnumDeviceInfo","features":[368,308]},{"name":"SetupDiEnumDeviceInterfaces","features":[368,308]},{"name":"SetupDiEnumDriverInfoA","features":[368,308]},{"name":"SetupDiEnumDriverInfoW","features":[368,308]},{"name":"SetupDiGetActualModelsSectionA","features":[368,308,336,338]},{"name":"SetupDiGetActualModelsSectionW","features":[368,308,336,338]},{"name":"SetupDiGetActualSectionToInstallA","features":[368,308]},{"name":"SetupDiGetActualSectionToInstallExA","features":[368,308,336,338]},{"name":"SetupDiGetActualSectionToInstallExW","features":[368,308,336,338]},{"name":"SetupDiGetActualSectionToInstallW","features":[368,308]},{"name":"SetupDiGetClassBitmapIndex","features":[368,308]},{"name":"SetupDiGetClassDescriptionA","features":[368,308]},{"name":"SetupDiGetClassDescriptionExA","features":[368,308]},{"name":"SetupDiGetClassDescriptionExW","features":[368,308]},{"name":"SetupDiGetClassDescriptionW","features":[368,308]},{"name":"SetupDiGetClassDevPropertySheetsA","features":[368,308,319,358,370]},{"name":"SetupDiGetClassDevPropertySheetsW","features":[368,308,319,358,370]},{"name":"SetupDiGetClassDevsA","features":[368,308]},{"name":"SetupDiGetClassDevsExA","features":[368,308]},{"name":"SetupDiGetClassDevsExW","features":[368,308]},{"name":"SetupDiGetClassDevsW","features":[368,308]},{"name":"SetupDiGetClassImageIndex","features":[368,308,358]},{"name":"SetupDiGetClassImageList","features":[368,308,358]},{"name":"SetupDiGetClassImageListExA","features":[368,308,358]},{"name":"SetupDiGetClassImageListExW","features":[368,308,358]},{"name":"SetupDiGetClassInstallParamsA","features":[368,308]},{"name":"SetupDiGetClassInstallParamsW","features":[368,308]},{"name":"SetupDiGetClassPropertyExW","features":[368,341,308]},{"name":"SetupDiGetClassPropertyKeys","features":[368,341,308]},{"name":"SetupDiGetClassPropertyKeysExW","features":[368,341,308]},{"name":"SetupDiGetClassPropertyW","features":[368,341,308]},{"name":"SetupDiGetClassRegistryPropertyA","features":[368,308]},{"name":"SetupDiGetClassRegistryPropertyW","features":[368,308]},{"name":"SetupDiGetCustomDevicePropertyA","features":[368,308]},{"name":"SetupDiGetCustomDevicePropertyW","features":[368,308]},{"name":"SetupDiGetDeviceInfoListClass","features":[368,308]},{"name":"SetupDiGetDeviceInfoListDetailA","features":[368,308]},{"name":"SetupDiGetDeviceInfoListDetailW","features":[368,308]},{"name":"SetupDiGetDeviceInstallParamsA","features":[368,308]},{"name":"SetupDiGetDeviceInstallParamsW","features":[368,308]},{"name":"SetupDiGetDeviceInstanceIdA","features":[368,308]},{"name":"SetupDiGetDeviceInstanceIdW","features":[368,308]},{"name":"SetupDiGetDeviceInterfaceAlias","features":[368,308]},{"name":"SetupDiGetDeviceInterfaceDetailA","features":[368,308]},{"name":"SetupDiGetDeviceInterfaceDetailW","features":[368,308]},{"name":"SetupDiGetDeviceInterfacePropertyKeys","features":[368,341,308]},{"name":"SetupDiGetDeviceInterfacePropertyW","features":[368,341,308]},{"name":"SetupDiGetDevicePropertyKeys","features":[368,341,308]},{"name":"SetupDiGetDevicePropertyW","features":[368,341,308]},{"name":"SetupDiGetDeviceRegistryPropertyA","features":[368,308]},{"name":"SetupDiGetDeviceRegistryPropertyW","features":[368,308]},{"name":"SetupDiGetDriverInfoDetailA","features":[368,308]},{"name":"SetupDiGetDriverInfoDetailW","features":[368,308]},{"name":"SetupDiGetDriverInstallParamsA","features":[368,308]},{"name":"SetupDiGetDriverInstallParamsW","features":[368,308]},{"name":"SetupDiGetHwProfileFriendlyNameA","features":[368,308]},{"name":"SetupDiGetHwProfileFriendlyNameExA","features":[368,308]},{"name":"SetupDiGetHwProfileFriendlyNameExW","features":[368,308]},{"name":"SetupDiGetHwProfileFriendlyNameW","features":[368,308]},{"name":"SetupDiGetHwProfileList","features":[368,308]},{"name":"SetupDiGetHwProfileListExA","features":[368,308]},{"name":"SetupDiGetHwProfileListExW","features":[368,308]},{"name":"SetupDiGetINFClassA","features":[368,308]},{"name":"SetupDiGetINFClassW","features":[368,308]},{"name":"SetupDiGetSelectedDevice","features":[368,308]},{"name":"SetupDiGetSelectedDriverA","features":[368,308]},{"name":"SetupDiGetSelectedDriverW","features":[368,308]},{"name":"SetupDiGetWizardPage","features":[368,308,358]},{"name":"SetupDiInstallClassA","features":[368,308]},{"name":"SetupDiInstallClassExA","features":[368,308]},{"name":"SetupDiInstallClassExW","features":[368,308]},{"name":"SetupDiInstallClassW","features":[368,308]},{"name":"SetupDiInstallDevice","features":[368,308]},{"name":"SetupDiInstallDeviceInterfaces","features":[368,308]},{"name":"SetupDiInstallDriverFiles","features":[368,308]},{"name":"SetupDiLoadClassIcon","features":[368,308,370]},{"name":"SetupDiLoadDeviceIcon","features":[368,308,370]},{"name":"SetupDiOpenClassRegKey","features":[368,369]},{"name":"SetupDiOpenClassRegKeyExA","features":[368,369]},{"name":"SetupDiOpenClassRegKeyExW","features":[368,369]},{"name":"SetupDiOpenDevRegKey","features":[368,369]},{"name":"SetupDiOpenDeviceInfoA","features":[368,308]},{"name":"SetupDiOpenDeviceInfoW","features":[368,308]},{"name":"SetupDiOpenDeviceInterfaceA","features":[368,308]},{"name":"SetupDiOpenDeviceInterfaceRegKey","features":[368,369]},{"name":"SetupDiOpenDeviceInterfaceW","features":[368,308]},{"name":"SetupDiRegisterCoDeviceInstallers","features":[368,308]},{"name":"SetupDiRegisterDeviceInfo","features":[368,308]},{"name":"SetupDiRemoveDevice","features":[368,308]},{"name":"SetupDiRemoveDeviceInterface","features":[368,308]},{"name":"SetupDiRestartDevices","features":[368,308]},{"name":"SetupDiSelectBestCompatDrv","features":[368,308]},{"name":"SetupDiSelectDevice","features":[368,308]},{"name":"SetupDiSelectOEMDrv","features":[368,308]},{"name":"SetupDiSetClassInstallParamsA","features":[368,308]},{"name":"SetupDiSetClassInstallParamsW","features":[368,308]},{"name":"SetupDiSetClassPropertyExW","features":[368,341,308]},{"name":"SetupDiSetClassPropertyW","features":[368,341,308]},{"name":"SetupDiSetClassRegistryPropertyA","features":[368,308]},{"name":"SetupDiSetClassRegistryPropertyW","features":[368,308]},{"name":"SetupDiSetDeviceInstallParamsA","features":[368,308]},{"name":"SetupDiSetDeviceInstallParamsW","features":[368,308]},{"name":"SetupDiSetDeviceInterfaceDefault","features":[368,308]},{"name":"SetupDiSetDeviceInterfacePropertyW","features":[368,341,308]},{"name":"SetupDiSetDevicePropertyW","features":[368,341,308]},{"name":"SetupDiSetDeviceRegistryPropertyA","features":[368,308]},{"name":"SetupDiSetDeviceRegistryPropertyW","features":[368,308]},{"name":"SetupDiSetDriverInstallParamsA","features":[368,308]},{"name":"SetupDiSetDriverInstallParamsW","features":[368,308]},{"name":"SetupDiSetSelectedDevice","features":[368,308]},{"name":"SetupDiSetSelectedDriverA","features":[368,308]},{"name":"SetupDiSetSelectedDriverW","features":[368,308]},{"name":"SetupDiUnremoveDevice","features":[368,308]},{"name":"SetupDuplicateDiskSpaceListA","features":[368]},{"name":"SetupDuplicateDiskSpaceListW","features":[368]},{"name":"SetupEnumInfSectionsA","features":[368,308]},{"name":"SetupEnumInfSectionsW","features":[368,308]},{"name":"SetupFileLogChecksum","features":[368]},{"name":"SetupFileLogDiskDescription","features":[368]},{"name":"SetupFileLogDiskTagfile","features":[368]},{"name":"SetupFileLogInfo","features":[368]},{"name":"SetupFileLogMax","features":[368]},{"name":"SetupFileLogOtherInfo","features":[368]},{"name":"SetupFileLogSourceFilename","features":[368]},{"name":"SetupFindFirstLineA","features":[368,308]},{"name":"SetupFindFirstLineW","features":[368,308]},{"name":"SetupFindNextLine","features":[368,308]},{"name":"SetupFindNextMatchLineA","features":[368,308]},{"name":"SetupFindNextMatchLineW","features":[368,308]},{"name":"SetupFreeSourceListA","features":[368,308]},{"name":"SetupFreeSourceListW","features":[368,308]},{"name":"SetupGetBackupInformationA","features":[368,308]},{"name":"SetupGetBackupInformationW","features":[368,308]},{"name":"SetupGetBinaryField","features":[368,308]},{"name":"SetupGetFieldCount","features":[368]},{"name":"SetupGetFileCompressionInfoA","features":[368]},{"name":"SetupGetFileCompressionInfoExA","features":[368,308]},{"name":"SetupGetFileCompressionInfoExW","features":[368,308]},{"name":"SetupGetFileCompressionInfoW","features":[368]},{"name":"SetupGetFileQueueCount","features":[368,308]},{"name":"SetupGetFileQueueFlags","features":[368,308]},{"name":"SetupGetInfDriverStoreLocationA","features":[368,308,336,338]},{"name":"SetupGetInfDriverStoreLocationW","features":[368,308,336,338]},{"name":"SetupGetInfFileListA","features":[368,308]},{"name":"SetupGetInfFileListW","features":[368,308]},{"name":"SetupGetInfInformationA","features":[368,308]},{"name":"SetupGetInfInformationW","features":[368,308]},{"name":"SetupGetInfPublishedNameA","features":[368,308]},{"name":"SetupGetInfPublishedNameW","features":[368,308]},{"name":"SetupGetIntField","features":[368,308]},{"name":"SetupGetLineByIndexA","features":[368,308]},{"name":"SetupGetLineByIndexW","features":[368,308]},{"name":"SetupGetLineCountA","features":[368]},{"name":"SetupGetLineCountW","features":[368]},{"name":"SetupGetLineTextA","features":[368,308]},{"name":"SetupGetLineTextW","features":[368,308]},{"name":"SetupGetMultiSzFieldA","features":[368,308]},{"name":"SetupGetMultiSzFieldW","features":[368,308]},{"name":"SetupGetNonInteractiveMode","features":[368,308]},{"name":"SetupGetSourceFileLocationA","features":[368,308]},{"name":"SetupGetSourceFileLocationW","features":[368,308]},{"name":"SetupGetSourceFileSizeA","features":[368,308]},{"name":"SetupGetSourceFileSizeW","features":[368,308]},{"name":"SetupGetSourceInfoA","features":[368,308]},{"name":"SetupGetSourceInfoW","features":[368,308]},{"name":"SetupGetStringFieldA","features":[368,308]},{"name":"SetupGetStringFieldW","features":[368,308]},{"name":"SetupGetTargetPathA","features":[368,308]},{"name":"SetupGetTargetPathW","features":[368,308]},{"name":"SetupGetThreadLogToken","features":[368]},{"name":"SetupInitDefaultQueueCallback","features":[368,308]},{"name":"SetupInitDefaultQueueCallbackEx","features":[368,308]},{"name":"SetupInitializeFileLogA","features":[368]},{"name":"SetupInitializeFileLogW","features":[368]},{"name":"SetupInstallFileA","features":[368,308]},{"name":"SetupInstallFileExA","features":[368,308]},{"name":"SetupInstallFileExW","features":[368,308]},{"name":"SetupInstallFileW","features":[368,308]},{"name":"SetupInstallFilesFromInfSectionA","features":[368,308]},{"name":"SetupInstallFilesFromInfSectionW","features":[368,308]},{"name":"SetupInstallFromInfSectionA","features":[368,308,369]},{"name":"SetupInstallFromInfSectionW","features":[368,308,369]},{"name":"SetupInstallServicesFromInfSectionA","features":[368,308]},{"name":"SetupInstallServicesFromInfSectionExA","features":[368,308]},{"name":"SetupInstallServicesFromInfSectionExW","features":[368,308]},{"name":"SetupInstallServicesFromInfSectionW","features":[368,308]},{"name":"SetupIterateCabinetA","features":[368,308]},{"name":"SetupIterateCabinetW","features":[368,308]},{"name":"SetupLogErrorA","features":[368,308]},{"name":"SetupLogErrorW","features":[368,308]},{"name":"SetupLogFileA","features":[368,308]},{"name":"SetupLogFileW","features":[368,308]},{"name":"SetupOpenAppendInfFileA","features":[368,308]},{"name":"SetupOpenAppendInfFileW","features":[368,308]},{"name":"SetupOpenFileQueue","features":[368]},{"name":"SetupOpenInfFileA","features":[368]},{"name":"SetupOpenInfFileW","features":[368]},{"name":"SetupOpenLog","features":[368,308]},{"name":"SetupOpenMasterInf","features":[368]},{"name":"SetupPrepareQueueForRestoreA","features":[368,308]},{"name":"SetupPrepareQueueForRestoreW","features":[368,308]},{"name":"SetupPromptForDiskA","features":[368,308]},{"name":"SetupPromptForDiskW","features":[368,308]},{"name":"SetupPromptReboot","features":[368,308]},{"name":"SetupQueryDrivesInDiskSpaceListA","features":[368,308]},{"name":"SetupQueryDrivesInDiskSpaceListW","features":[368,308]},{"name":"SetupQueryFileLogA","features":[368,308]},{"name":"SetupQueryFileLogW","features":[368,308]},{"name":"SetupQueryInfFileInformationA","features":[368,308]},{"name":"SetupQueryInfFileInformationW","features":[368,308]},{"name":"SetupQueryInfOriginalFileInformationA","features":[368,308,336,338]},{"name":"SetupQueryInfOriginalFileInformationW","features":[368,308,336,338]},{"name":"SetupQueryInfVersionInformationA","features":[368,308]},{"name":"SetupQueryInfVersionInformationW","features":[368,308]},{"name":"SetupQuerySourceListA","features":[368,308]},{"name":"SetupQuerySourceListW","features":[368,308]},{"name":"SetupQuerySpaceRequiredOnDriveA","features":[368,308]},{"name":"SetupQuerySpaceRequiredOnDriveW","features":[368,308]},{"name":"SetupQueueCopyA","features":[368,308]},{"name":"SetupQueueCopyIndirectA","features":[368,308]},{"name":"SetupQueueCopyIndirectW","features":[368,308]},{"name":"SetupQueueCopySectionA","features":[368,308]},{"name":"SetupQueueCopySectionW","features":[368,308]},{"name":"SetupQueueCopyW","features":[368,308]},{"name":"SetupQueueDefaultCopyA","features":[368,308]},{"name":"SetupQueueDefaultCopyW","features":[368,308]},{"name":"SetupQueueDeleteA","features":[368,308]},{"name":"SetupQueueDeleteSectionA","features":[368,308]},{"name":"SetupQueueDeleteSectionW","features":[368,308]},{"name":"SetupQueueDeleteW","features":[368,308]},{"name":"SetupQueueRenameA","features":[368,308]},{"name":"SetupQueueRenameSectionA","features":[368,308]},{"name":"SetupQueueRenameSectionW","features":[368,308]},{"name":"SetupQueueRenameW","features":[368,308]},{"name":"SetupRemoveFileLogEntryA","features":[368,308]},{"name":"SetupRemoveFileLogEntryW","features":[368,308]},{"name":"SetupRemoveFromDiskSpaceListA","features":[368,308]},{"name":"SetupRemoveFromDiskSpaceListW","features":[368,308]},{"name":"SetupRemoveFromSourceListA","features":[368,308]},{"name":"SetupRemoveFromSourceListW","features":[368,308]},{"name":"SetupRemoveInstallSectionFromDiskSpaceListA","features":[368,308]},{"name":"SetupRemoveInstallSectionFromDiskSpaceListW","features":[368,308]},{"name":"SetupRemoveSectionFromDiskSpaceListA","features":[368,308]},{"name":"SetupRemoveSectionFromDiskSpaceListW","features":[368,308]},{"name":"SetupRenameErrorA","features":[368,308]},{"name":"SetupRenameErrorW","features":[368,308]},{"name":"SetupScanFileQueueA","features":[368,308]},{"name":"SetupScanFileQueueW","features":[368,308]},{"name":"SetupSetDirectoryIdA","features":[368,308]},{"name":"SetupSetDirectoryIdExA","features":[368,308]},{"name":"SetupSetDirectoryIdExW","features":[368,308]},{"name":"SetupSetDirectoryIdW","features":[368,308]},{"name":"SetupSetFileQueueAlternatePlatformA","features":[368,308,336,338]},{"name":"SetupSetFileQueueAlternatePlatformW","features":[368,308,336,338]},{"name":"SetupSetFileQueueFlags","features":[368,308]},{"name":"SetupSetNonInteractiveMode","features":[368,308]},{"name":"SetupSetPlatformPathOverrideA","features":[368,308]},{"name":"SetupSetPlatformPathOverrideW","features":[368,308]},{"name":"SetupSetSourceListA","features":[368,308]},{"name":"SetupSetSourceListW","features":[368,308]},{"name":"SetupSetThreadLogToken","features":[368]},{"name":"SetupTermDefaultQueueCallback","features":[368]},{"name":"SetupTerminateFileLog","features":[368,308]},{"name":"SetupUninstallNewlyCopiedInfs","features":[368,308]},{"name":"SetupUninstallOEMInfA","features":[368,308]},{"name":"SetupUninstallOEMInfW","features":[368,308]},{"name":"SetupVerifyInfFileA","features":[368,308,336,338]},{"name":"SetupVerifyInfFileW","features":[368,308,336,338]},{"name":"SetupWriteTextLog","features":[368]},{"name":"SetupWriteTextLogError","features":[368]},{"name":"SetupWriteTextLogInfLine","features":[368]},{"name":"UPDATEDRIVERFORPLUGANDPLAYDEVICES_FLAGS","features":[368]},{"name":"UpdateDriverForPlugAndPlayDevicesA","features":[368,308]},{"name":"UpdateDriverForPlugAndPlayDevicesW","features":[368,308]},{"name":"fDD_BYTE","features":[368]},{"name":"fDD_BYTE_AND_WORD","features":[368]},{"name":"fDD_BusMaster","features":[368]},{"name":"fDD_DWORD","features":[368]},{"name":"fDD_NoBusMaster","features":[368]},{"name":"fDD_TypeA","features":[368]},{"name":"fDD_TypeB","features":[368]},{"name":"fDD_TypeF","features":[368]},{"name":"fDD_TypeStandard","features":[368]},{"name":"fDD_WORD","features":[368]},{"name":"fIOD_10_BIT_DECODE","features":[368]},{"name":"fIOD_12_BIT_DECODE","features":[368]},{"name":"fIOD_16_BIT_DECODE","features":[368]},{"name":"fIOD_DECODE","features":[368]},{"name":"fIOD_IO","features":[368]},{"name":"fIOD_Memory","features":[368]},{"name":"fIOD_PASSIVE_DECODE","features":[368]},{"name":"fIOD_PORT_BAR","features":[368]},{"name":"fIOD_POSITIVE_DECODE","features":[368]},{"name":"fIOD_PortType","features":[368]},{"name":"fIOD_WINDOW_DECODE","features":[368]},{"name":"fIRQD_Edge","features":[368]},{"name":"fIRQD_Exclusive","features":[368]},{"name":"fIRQD_Level","features":[368]},{"name":"fIRQD_Level_Bit","features":[368]},{"name":"fIRQD_Share","features":[368]},{"name":"fIRQD_Share_Bit","features":[368]},{"name":"fMD_24","features":[368]},{"name":"fMD_32","features":[368]},{"name":"fMD_32_24","features":[368]},{"name":"fMD_Cacheable","features":[368]},{"name":"fMD_CombinedWrite","features":[368]},{"name":"fMD_CombinedWriteAllowed","features":[368]},{"name":"fMD_CombinedWriteDisallowed","features":[368]},{"name":"fMD_MEMORY_BAR","features":[368]},{"name":"fMD_MemoryType","features":[368]},{"name":"fMD_NonCacheable","features":[368]},{"name":"fMD_Pref","features":[368]},{"name":"fMD_PrefetchAllowed","features":[368]},{"name":"fMD_PrefetchDisallowed","features":[368]},{"name":"fMD_Prefetchable","features":[368]},{"name":"fMD_RAM","features":[368]},{"name":"fMD_ROM","features":[368]},{"name":"fMD_ReadAllowed","features":[368]},{"name":"fMD_ReadDisallowed","features":[368]},{"name":"fMD_Readable","features":[368]},{"name":"fMD_WINDOW_DECODE","features":[368]},{"name":"fPCD_ATTRIBUTES_PER_WINDOW","features":[368]},{"name":"fPCD_IO1_16","features":[368]},{"name":"fPCD_IO1_SRC_16","features":[368]},{"name":"fPCD_IO1_WS_16","features":[368]},{"name":"fPCD_IO1_ZW_8","features":[368]},{"name":"fPCD_IO2_16","features":[368]},{"name":"fPCD_IO2_SRC_16","features":[368]},{"name":"fPCD_IO2_WS_16","features":[368]},{"name":"fPCD_IO2_ZW_8","features":[368]},{"name":"fPCD_IO_16","features":[368]},{"name":"fPCD_IO_8","features":[368]},{"name":"fPCD_IO_SRC_16","features":[368]},{"name":"fPCD_IO_WS_16","features":[368]},{"name":"fPCD_IO_ZW_8","features":[368]},{"name":"fPCD_MEM1_16","features":[368]},{"name":"fPCD_MEM1_A","features":[368]},{"name":"fPCD_MEM1_WS_ONE","features":[368]},{"name":"fPCD_MEM1_WS_THREE","features":[368]},{"name":"fPCD_MEM1_WS_TWO","features":[368]},{"name":"fPCD_MEM2_16","features":[368]},{"name":"fPCD_MEM2_A","features":[368]},{"name":"fPCD_MEM2_WS_ONE","features":[368]},{"name":"fPCD_MEM2_WS_THREE","features":[368]},{"name":"fPCD_MEM2_WS_TWO","features":[368]},{"name":"fPCD_MEM_16","features":[368]},{"name":"fPCD_MEM_8","features":[368]},{"name":"fPCD_MEM_A","features":[368]},{"name":"fPCD_MEM_WS_ONE","features":[368]},{"name":"fPCD_MEM_WS_THREE","features":[368]},{"name":"fPCD_MEM_WS_TWO","features":[368]},{"name":"fPMF_AUDIO_ENABLE","features":[368]},{"name":"mDD_BusMaster","features":[368]},{"name":"mDD_Type","features":[368]},{"name":"mDD_Width","features":[368]},{"name":"mIRQD_Edge_Level","features":[368]},{"name":"mIRQD_Share","features":[368]},{"name":"mMD_32_24","features":[368]},{"name":"mMD_Cacheable","features":[368]},{"name":"mMD_CombinedWrite","features":[368]},{"name":"mMD_MemoryType","features":[368]},{"name":"mMD_Prefetchable","features":[368]},{"name":"mMD_Readable","features":[368]},{"name":"mPCD_IO_8_16","features":[368]},{"name":"mPCD_MEM1_WS","features":[368]},{"name":"mPCD_MEM2_WS","features":[368]},{"name":"mPCD_MEM_8_16","features":[368]},{"name":"mPCD_MEM_A_C","features":[368]},{"name":"mPCD_MEM_WS","features":[368]},{"name":"mPMF_AUDIO_ENABLE","features":[368]}],"373":[{"name":"DEVPROP_FILTER_EXPRESSION","features":[371,341]},{"name":"DEVPROP_OPERATOR","features":[371]},{"name":"DEVPROP_OPERATOR_AND_CLOSE","features":[371]},{"name":"DEVPROP_OPERATOR_AND_OPEN","features":[371]},{"name":"DEVPROP_OPERATOR_ARRAY_CONTAINS","features":[371]},{"name":"DEVPROP_OPERATOR_BEGINS_WITH","features":[371]},{"name":"DEVPROP_OPERATOR_BEGINS_WITH_IGNORE_CASE","features":[371]},{"name":"DEVPROP_OPERATOR_BITWISE_AND","features":[371]},{"name":"DEVPROP_OPERATOR_BITWISE_OR","features":[371]},{"name":"DEVPROP_OPERATOR_CONTAINS","features":[371]},{"name":"DEVPROP_OPERATOR_CONTAINS_IGNORE_CASE","features":[371]},{"name":"DEVPROP_OPERATOR_ENDS_WITH","features":[371]},{"name":"DEVPROP_OPERATOR_ENDS_WITH_IGNORE_CASE","features":[371]},{"name":"DEVPROP_OPERATOR_EQUALS","features":[371]},{"name":"DEVPROP_OPERATOR_EQUALS_IGNORE_CASE","features":[371]},{"name":"DEVPROP_OPERATOR_EXISTS","features":[371]},{"name":"DEVPROP_OPERATOR_GREATER_THAN","features":[371]},{"name":"DEVPROP_OPERATOR_GREATER_THAN_EQUALS","features":[371]},{"name":"DEVPROP_OPERATOR_LESS_THAN","features":[371]},{"name":"DEVPROP_OPERATOR_LESS_THAN_EQUALS","features":[371]},{"name":"DEVPROP_OPERATOR_LIST_CONTAINS","features":[371]},{"name":"DEVPROP_OPERATOR_LIST_CONTAINS_IGNORE_CASE","features":[371]},{"name":"DEVPROP_OPERATOR_LIST_ELEMENT_BEGINS_WITH","features":[371]},{"name":"DEVPROP_OPERATOR_LIST_ELEMENT_BEGINS_WITH_IGNORE_CASE","features":[371]},{"name":"DEVPROP_OPERATOR_LIST_ELEMENT_CONTAINS","features":[371]},{"name":"DEVPROP_OPERATOR_LIST_ELEMENT_CONTAINS_IGNORE_CASE","features":[371]},{"name":"DEVPROP_OPERATOR_LIST_ELEMENT_ENDS_WITH","features":[371]},{"name":"DEVPROP_OPERATOR_LIST_ELEMENT_ENDS_WITH_IGNORE_CASE","features":[371]},{"name":"DEVPROP_OPERATOR_MASK_ARRAY","features":[371]},{"name":"DEVPROP_OPERATOR_MASK_EVAL","features":[371]},{"name":"DEVPROP_OPERATOR_MASK_LIST","features":[371]},{"name":"DEVPROP_OPERATOR_MASK_LOGICAL","features":[371]},{"name":"DEVPROP_OPERATOR_MASK_MODIFIER","features":[371]},{"name":"DEVPROP_OPERATOR_MASK_NOT_LOGICAL","features":[371]},{"name":"DEVPROP_OPERATOR_MODIFIER_IGNORE_CASE","features":[371]},{"name":"DEVPROP_OPERATOR_MODIFIER_NOT","features":[371]},{"name":"DEVPROP_OPERATOR_NONE","features":[371]},{"name":"DEVPROP_OPERATOR_NOT_CLOSE","features":[371]},{"name":"DEVPROP_OPERATOR_NOT_EQUALS","features":[371]},{"name":"DEVPROP_OPERATOR_NOT_EQUALS_IGNORE_CASE","features":[371]},{"name":"DEVPROP_OPERATOR_NOT_EXISTS","features":[371]},{"name":"DEVPROP_OPERATOR_NOT_OPEN","features":[371]},{"name":"DEVPROP_OPERATOR_OR_CLOSE","features":[371]},{"name":"DEVPROP_OPERATOR_OR_OPEN","features":[371]},{"name":"DEV_OBJECT","features":[371,341]},{"name":"DEV_OBJECT_TYPE","features":[371]},{"name":"DEV_QUERY_FLAGS","features":[371]},{"name":"DEV_QUERY_PARAMETER","features":[371,341]},{"name":"DEV_QUERY_RESULT_ACTION","features":[371]},{"name":"DEV_QUERY_RESULT_ACTION_DATA","features":[371,341]},{"name":"DEV_QUERY_STATE","features":[371]},{"name":"DevCloseObjectQuery","features":[371]},{"name":"DevCreateObjectQuery","features":[371,341]},{"name":"DevCreateObjectQueryEx","features":[371,341]},{"name":"DevCreateObjectQueryFromId","features":[371,341]},{"name":"DevCreateObjectQueryFromIdEx","features":[371,341]},{"name":"DevCreateObjectQueryFromIds","features":[371,341]},{"name":"DevCreateObjectQueryFromIdsEx","features":[371,341]},{"name":"DevFindProperty","features":[371,341]},{"name":"DevFreeObjectProperties","features":[371,341]},{"name":"DevFreeObjects","features":[371,341]},{"name":"DevGetObjectProperties","features":[371,341]},{"name":"DevGetObjectPropertiesEx","features":[371,341]},{"name":"DevGetObjects","features":[371,341]},{"name":"DevGetObjectsEx","features":[371,341]},{"name":"DevObjectTypeAEP","features":[371]},{"name":"DevObjectTypeAEPContainer","features":[371]},{"name":"DevObjectTypeAEPService","features":[371]},{"name":"DevObjectTypeDevice","features":[371]},{"name":"DevObjectTypeDeviceContainer","features":[371]},{"name":"DevObjectTypeDeviceContainerDisplay","features":[371]},{"name":"DevObjectTypeDeviceInstallerClass","features":[371]},{"name":"DevObjectTypeDeviceInterface","features":[371]},{"name":"DevObjectTypeDeviceInterfaceClass","features":[371]},{"name":"DevObjectTypeDeviceInterfaceDisplay","features":[371]},{"name":"DevObjectTypeDevicePanel","features":[371]},{"name":"DevObjectTypeUnknown","features":[371]},{"name":"DevQueryFlagAllProperties","features":[371]},{"name":"DevQueryFlagAsyncClose","features":[371]},{"name":"DevQueryFlagLocalize","features":[371]},{"name":"DevQueryFlagNone","features":[371]},{"name":"DevQueryFlagUpdateResults","features":[371]},{"name":"DevQueryResultAdd","features":[371]},{"name":"DevQueryResultRemove","features":[371]},{"name":"DevQueryResultStateChange","features":[371]},{"name":"DevQueryResultUpdate","features":[371]},{"name":"DevQueryStateAborted","features":[371]},{"name":"DevQueryStateClosed","features":[371]},{"name":"DevQueryStateEnumCompleted","features":[371]},{"name":"DevQueryStateInitialized","features":[371]},{"name":"HDEVQUERY","features":[371]},{"name":"PDEV_QUERY_RESULT_CALLBACK","features":[371,341]}],"374":[{"name":"AR_DISABLED","features":[372]},{"name":"AR_DOCKED","features":[372]},{"name":"AR_ENABLED","features":[372]},{"name":"AR_LAPTOP","features":[372]},{"name":"AR_MULTIMON","features":[372]},{"name":"AR_NOSENSOR","features":[372]},{"name":"AR_NOT_SUPPORTED","features":[372]},{"name":"AR_REMOTESESSION","features":[372]},{"name":"AR_STATE","features":[372]},{"name":"AR_SUPPRESSED","features":[372]},{"name":"Adapter","features":[372]},{"name":"Adapters","features":[372]},{"name":"BACKLIGHT_OPTIMIZATION_LEVEL","features":[372]},{"name":"BACKLIGHT_REDUCTION_GAMMA_RAMP","features":[372]},{"name":"BANK_POSITION","features":[372]},{"name":"BITMAP_ARRAY_BYTE","features":[372]},{"name":"BITMAP_BITS_BYTE_ALIGN","features":[372]},{"name":"BITMAP_BITS_PIXEL","features":[372]},{"name":"BITMAP_BITS_WORD_ALIGN","features":[372]},{"name":"BITMAP_PLANES","features":[372]},{"name":"BLENDOBJ","features":[372,319]},{"name":"BMF_16BPP","features":[372]},{"name":"BMF_1BPP","features":[372]},{"name":"BMF_24BPP","features":[372]},{"name":"BMF_32BPP","features":[372]},{"name":"BMF_4BPP","features":[372]},{"name":"BMF_4RLE","features":[372]},{"name":"BMF_8BPP","features":[372]},{"name":"BMF_8RLE","features":[372]},{"name":"BMF_ACC_NOTIFY","features":[372]},{"name":"BMF_DONTCACHE","features":[372]},{"name":"BMF_JPEG","features":[372]},{"name":"BMF_KMSECTION","features":[372]},{"name":"BMF_NOTSYSMEM","features":[372]},{"name":"BMF_NOZEROINIT","features":[372]},{"name":"BMF_PNG","features":[372]},{"name":"BMF_RESERVED","features":[372]},{"name":"BMF_RMT_ENTER","features":[372]},{"name":"BMF_TEMP_ALPHA","features":[372]},{"name":"BMF_TOPDOWN","features":[372]},{"name":"BMF_UMPDMEM","features":[372]},{"name":"BMF_USERMEM","features":[372]},{"name":"BMF_WINDOW_BLT","features":[372]},{"name":"BRIGHTNESS_INTERFACE_VERSION","features":[372]},{"name":"BRIGHTNESS_INTERFACE_VERSION_1","features":[372]},{"name":"BRIGHTNESS_INTERFACE_VERSION_2","features":[372]},{"name":"BRIGHTNESS_INTERFACE_VERSION_3","features":[372]},{"name":"BRIGHTNESS_LEVEL","features":[372]},{"name":"BRIGHTNESS_MAX_LEVEL_COUNT","features":[372]},{"name":"BRIGHTNESS_MAX_NIT_RANGE_COUNT","features":[372]},{"name":"BRIGHTNESS_NIT_RANGE","features":[372]},{"name":"BRIGHTNESS_NIT_RANGES","features":[372]},{"name":"BRUSHOBJ","features":[372]},{"name":"BRUSHOBJ_hGetColorTransform","features":[372,308]},{"name":"BRUSHOBJ_pvAllocRbrush","features":[372]},{"name":"BRUSHOBJ_pvGetRbrush","features":[372]},{"name":"BRUSHOBJ_ulGetBrushColor","features":[372]},{"name":"BR_CMYKCOLOR","features":[372]},{"name":"BR_DEVICE_ICM","features":[372]},{"name":"BR_HOST_ICM","features":[372]},{"name":"BR_ORIGCOLOR","features":[372]},{"name":"BacklightOptimizationDesktop","features":[372]},{"name":"BacklightOptimizationDimmed","features":[372]},{"name":"BacklightOptimizationDisable","features":[372]},{"name":"BacklightOptimizationDynamic","features":[372]},{"name":"BacklightOptimizationEDR","features":[372]},{"name":"BlackScreenDiagnosticsCalloutParam","features":[372]},{"name":"BlackScreenDiagnosticsData","features":[372]},{"name":"BlackScreenDisplayRecovery","features":[372]},{"name":"CDBEX_CROSSADAPTER","features":[372]},{"name":"CDBEX_DXINTEROP","features":[372]},{"name":"CDBEX_NTSHAREDSURFACEHANDLE","features":[372]},{"name":"CDBEX_REDIRECTION","features":[372]},{"name":"CDBEX_REUSE","features":[372]},{"name":"CDDDXGK_REDIRBITMAPPRESENTINFO","features":[372,308]},{"name":"CD_ANY","features":[372]},{"name":"CD_LEFTDOWN","features":[372]},{"name":"CD_LEFTUP","features":[372]},{"name":"CD_LEFTWARDS","features":[372]},{"name":"CD_RIGHTDOWN","features":[372]},{"name":"CD_RIGHTUP","features":[372]},{"name":"CD_UPWARDS","features":[372]},{"name":"CHAR_IMAGE_INFO","features":[372,373]},{"name":"CHAR_TYPE_LEADING","features":[372]},{"name":"CHAR_TYPE_SBCS","features":[372]},{"name":"CHAR_TYPE_TRAILING","features":[372]},{"name":"CHROMATICITY_COORDINATE","features":[372]},{"name":"CIECHROMA","features":[372]},{"name":"CLIPLINE","features":[372]},{"name":"CLIPOBJ","features":[372,308]},{"name":"CLIPOBJ_bEnum","features":[372,308]},{"name":"CLIPOBJ_cEnumStart","features":[372,308]},{"name":"CLIPOBJ_ppoGetPath","features":[372,308]},{"name":"COLORINFO","features":[372]},{"name":"COLORSPACE_TRANSFORM","features":[372]},{"name":"COLORSPACE_TRANSFORM_1DLUT_CAP","features":[372]},{"name":"COLORSPACE_TRANSFORM_3x4","features":[372]},{"name":"COLORSPACE_TRANSFORM_DATA_CAP","features":[372]},{"name":"COLORSPACE_TRANSFORM_DATA_TYPE","features":[372]},{"name":"COLORSPACE_TRANSFORM_DATA_TYPE_FIXED_POINT","features":[372]},{"name":"COLORSPACE_TRANSFORM_DATA_TYPE_FLOAT","features":[372]},{"name":"COLORSPACE_TRANSFORM_MATRIX_CAP","features":[372]},{"name":"COLORSPACE_TRANSFORM_MATRIX_V2","features":[372]},{"name":"COLORSPACE_TRANSFORM_SET_INPUT","features":[372]},{"name":"COLORSPACE_TRANSFORM_STAGE_CONTROL","features":[372]},{"name":"COLORSPACE_TRANSFORM_TARGET_CAPS","features":[372]},{"name":"COLORSPACE_TRANSFORM_TARGET_CAPS_VERSION","features":[372]},{"name":"COLORSPACE_TRANSFORM_TYPE","features":[372]},{"name":"COLORSPACE_TRANSFORM_TYPE_DEFAULT","features":[372]},{"name":"COLORSPACE_TRANSFORM_TYPE_DXGI_1","features":[372]},{"name":"COLORSPACE_TRANSFORM_TYPE_MATRIX_3x4","features":[372]},{"name":"COLORSPACE_TRANSFORM_TYPE_MATRIX_V2","features":[372]},{"name":"COLORSPACE_TRANSFORM_TYPE_RGB256x3x16","features":[372]},{"name":"COLORSPACE_TRANSFORM_TYPE_UNINITIALIZED","features":[372]},{"name":"COLORSPACE_TRANSFORM_VERSION_1","features":[372]},{"name":"COLORSPACE_TRANSFORM_VERSION_DEFAULT","features":[372]},{"name":"COLORSPACE_TRANSFORM_VERSION_NOT_SUPPORTED","features":[372]},{"name":"CT_RECTANGLES","features":[372]},{"name":"CapabilitiesRequestAndCapabilitiesReply","features":[372,308]},{"name":"ColorSpaceTransformStageControl_Bypass","features":[372]},{"name":"ColorSpaceTransformStageControl_Enable","features":[372]},{"name":"ColorSpaceTransformStageControl_No_Change","features":[372]},{"name":"DCR_DRIVER","features":[372]},{"name":"DCR_HALFTONE","features":[372]},{"name":"DCR_SOLID","features":[372]},{"name":"DCT_DEFAULT","features":[372]},{"name":"DCT_FORCE_HIGH_PERFORMANCE","features":[372]},{"name":"DCT_FORCE_LOW_POWER","features":[372]},{"name":"DC_COMPLEX","features":[372]},{"name":"DC_RECT","features":[372]},{"name":"DC_TRIVIAL","features":[372]},{"name":"DDI_DRIVER_VERSION_NT4","features":[372]},{"name":"DDI_DRIVER_VERSION_NT5","features":[372]},{"name":"DDI_DRIVER_VERSION_NT5_01","features":[372]},{"name":"DDI_DRIVER_VERSION_NT5_01_SP1","features":[372]},{"name":"DDI_DRIVER_VERSION_SP3","features":[372]},{"name":"DDI_ERROR","features":[372]},{"name":"DD_FULLSCREEN_VIDEO_DEVICE_NAME","features":[372]},{"name":"DEVHTADJDATA","features":[372]},{"name":"DEVHTADJF_ADDITIVE_DEVICE","features":[372]},{"name":"DEVHTADJF_COLOR_DEVICE","features":[372]},{"name":"DEVHTINFO","features":[372]},{"name":"DEVINFO","features":[372,319]},{"name":"DEVPKEY_Device_ActivityId","features":[372,341]},{"name":"DEVPKEY_Device_AdapterLuid","features":[372,341]},{"name":"DEVPKEY_Device_TerminalLuid","features":[372,341]},{"name":"DEVPKEY_IndirectDisplay","features":[372,341]},{"name":"DHPDEV","features":[372]},{"name":"DHSURF","features":[372]},{"name":"DISPLAYCONFIG_2DREGION","features":[372]},{"name":"DISPLAYCONFIG_ADAPTER_NAME","features":[372,308]},{"name":"DISPLAYCONFIG_DESKTOP_IMAGE_INFO","features":[372,308]},{"name":"DISPLAYCONFIG_DEVICE_INFO_GET_ADAPTER_NAME","features":[372]},{"name":"DISPLAYCONFIG_DEVICE_INFO_GET_ADVANCED_COLOR_INFO","features":[372]},{"name":"DISPLAYCONFIG_DEVICE_INFO_GET_MONITOR_SPECIALIZATION","features":[372]},{"name":"DISPLAYCONFIG_DEVICE_INFO_GET_SDR_WHITE_LEVEL","features":[372]},{"name":"DISPLAYCONFIG_DEVICE_INFO_GET_SOURCE_NAME","features":[372]},{"name":"DISPLAYCONFIG_DEVICE_INFO_GET_SUPPORT_VIRTUAL_RESOLUTION","features":[372]},{"name":"DISPLAYCONFIG_DEVICE_INFO_GET_TARGET_BASE_TYPE","features":[372]},{"name":"DISPLAYCONFIG_DEVICE_INFO_GET_TARGET_NAME","features":[372]},{"name":"DISPLAYCONFIG_DEVICE_INFO_GET_TARGET_PREFERRED_MODE","features":[372]},{"name":"DISPLAYCONFIG_DEVICE_INFO_HEADER","features":[372,308]},{"name":"DISPLAYCONFIG_DEVICE_INFO_SET_ADVANCED_COLOR_STATE","features":[372]},{"name":"DISPLAYCONFIG_DEVICE_INFO_SET_MONITOR_SPECIALIZATION","features":[372]},{"name":"DISPLAYCONFIG_DEVICE_INFO_SET_SUPPORT_VIRTUAL_RESOLUTION","features":[372]},{"name":"DISPLAYCONFIG_DEVICE_INFO_SET_TARGET_PERSISTENCE","features":[372]},{"name":"DISPLAYCONFIG_DEVICE_INFO_TYPE","features":[372]},{"name":"DISPLAYCONFIG_GET_ADVANCED_COLOR_INFO","features":[372,308,319]},{"name":"DISPLAYCONFIG_GET_MONITOR_SPECIALIZATION","features":[372,308]},{"name":"DISPLAYCONFIG_MODE_INFO","features":[372,308]},{"name":"DISPLAYCONFIG_MODE_INFO_TYPE","features":[372]},{"name":"DISPLAYCONFIG_MODE_INFO_TYPE_DESKTOP_IMAGE","features":[372]},{"name":"DISPLAYCONFIG_MODE_INFO_TYPE_SOURCE","features":[372]},{"name":"DISPLAYCONFIG_MODE_INFO_TYPE_TARGET","features":[372]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_COMPONENT_VIDEO","features":[372]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_COMPOSITE_VIDEO","features":[372]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_DISPLAYPORT_EMBEDDED","features":[372]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_DISPLAYPORT_EXTERNAL","features":[372]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_DISPLAYPORT_USB_TUNNEL","features":[372]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_DVI","features":[372]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_D_JPN","features":[372]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_HD15","features":[372]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_HDMI","features":[372]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_INDIRECT_VIRTUAL","features":[372]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_INDIRECT_WIRED","features":[372]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_INTERNAL","features":[372]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_LVDS","features":[372]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_MIRACAST","features":[372]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_OTHER","features":[372]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_SDI","features":[372]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_SDTVDONGLE","features":[372]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_SVIDEO","features":[372]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_UDI_EMBEDDED","features":[372]},{"name":"DISPLAYCONFIG_OUTPUT_TECHNOLOGY_UDI_EXTERNAL","features":[372]},{"name":"DISPLAYCONFIG_PATH_INFO","features":[372,308]},{"name":"DISPLAYCONFIG_PATH_SOURCE_INFO","features":[372,308]},{"name":"DISPLAYCONFIG_PATH_TARGET_INFO","features":[372,308]},{"name":"DISPLAYCONFIG_PIXELFORMAT","features":[372]},{"name":"DISPLAYCONFIG_PIXELFORMAT_16BPP","features":[372]},{"name":"DISPLAYCONFIG_PIXELFORMAT_24BPP","features":[372]},{"name":"DISPLAYCONFIG_PIXELFORMAT_32BPP","features":[372]},{"name":"DISPLAYCONFIG_PIXELFORMAT_8BPP","features":[372]},{"name":"DISPLAYCONFIG_PIXELFORMAT_NONGDI","features":[372]},{"name":"DISPLAYCONFIG_RATIONAL","features":[372]},{"name":"DISPLAYCONFIG_ROTATION","features":[372]},{"name":"DISPLAYCONFIG_ROTATION_IDENTITY","features":[372]},{"name":"DISPLAYCONFIG_ROTATION_ROTATE180","features":[372]},{"name":"DISPLAYCONFIG_ROTATION_ROTATE270","features":[372]},{"name":"DISPLAYCONFIG_ROTATION_ROTATE90","features":[372]},{"name":"DISPLAYCONFIG_SCALING","features":[372]},{"name":"DISPLAYCONFIG_SCALING_ASPECTRATIOCENTEREDMAX","features":[372]},{"name":"DISPLAYCONFIG_SCALING_CENTERED","features":[372]},{"name":"DISPLAYCONFIG_SCALING_CUSTOM","features":[372]},{"name":"DISPLAYCONFIG_SCALING_IDENTITY","features":[372]},{"name":"DISPLAYCONFIG_SCALING_PREFERRED","features":[372]},{"name":"DISPLAYCONFIG_SCALING_STRETCHED","features":[372]},{"name":"DISPLAYCONFIG_SCANLINE_ORDERING","features":[372]},{"name":"DISPLAYCONFIG_SCANLINE_ORDERING_INTERLACED","features":[372]},{"name":"DISPLAYCONFIG_SCANLINE_ORDERING_INTERLACED_LOWERFIELDFIRST","features":[372]},{"name":"DISPLAYCONFIG_SCANLINE_ORDERING_INTERLACED_UPPERFIELDFIRST","features":[372]},{"name":"DISPLAYCONFIG_SCANLINE_ORDERING_PROGRESSIVE","features":[372]},{"name":"DISPLAYCONFIG_SCANLINE_ORDERING_UNSPECIFIED","features":[372]},{"name":"DISPLAYCONFIG_SDR_WHITE_LEVEL","features":[372,308]},{"name":"DISPLAYCONFIG_SET_ADVANCED_COLOR_STATE","features":[372,308]},{"name":"DISPLAYCONFIG_SET_MONITOR_SPECIALIZATION","features":[372,308]},{"name":"DISPLAYCONFIG_SET_TARGET_PERSISTENCE","features":[372,308]},{"name":"DISPLAYCONFIG_SOURCE_DEVICE_NAME","features":[372,308]},{"name":"DISPLAYCONFIG_SOURCE_MODE","features":[372,308]},{"name":"DISPLAYCONFIG_SUPPORT_VIRTUAL_RESOLUTION","features":[372,308]},{"name":"DISPLAYCONFIG_TARGET_BASE_TYPE","features":[372,308]},{"name":"DISPLAYCONFIG_TARGET_DEVICE_NAME","features":[372,308]},{"name":"DISPLAYCONFIG_TARGET_DEVICE_NAME_FLAGS","features":[372]},{"name":"DISPLAYCONFIG_TARGET_MODE","features":[372]},{"name":"DISPLAYCONFIG_TARGET_PREFERRED_MODE","features":[372,308]},{"name":"DISPLAYCONFIG_TOPOLOGY_CLONE","features":[372]},{"name":"DISPLAYCONFIG_TOPOLOGY_EXTEND","features":[372]},{"name":"DISPLAYCONFIG_TOPOLOGY_EXTERNAL","features":[372]},{"name":"DISPLAYCONFIG_TOPOLOGY_ID","features":[372]},{"name":"DISPLAYCONFIG_TOPOLOGY_INTERNAL","features":[372]},{"name":"DISPLAYCONFIG_VIDEO_OUTPUT_TECHNOLOGY","features":[372]},{"name":"DISPLAYCONFIG_VIDEO_SIGNAL_INFO","features":[372]},{"name":"DISPLAYPOLICY_AC","features":[372]},{"name":"DISPLAYPOLICY_DC","features":[372]},{"name":"DISPLAY_BRIGHTNESS","features":[372]},{"name":"DM_DEFAULT","features":[372]},{"name":"DM_MONOCHROME","features":[372]},{"name":"DN_ACCELERATION_LEVEL","features":[372]},{"name":"DN_ASSOCIATE_WINDOW","features":[372]},{"name":"DN_COMPOSITION_CHANGED","features":[372]},{"name":"DN_DEVICE_ORIGIN","features":[372]},{"name":"DN_DRAWING_BEGIN","features":[372]},{"name":"DN_DRAWING_BEGIN_APIBITMAP","features":[372]},{"name":"DN_SLEEP_MODE","features":[372]},{"name":"DN_SURFOBJ_DESTRUCTION","features":[372]},{"name":"DRD_ERROR","features":[372]},{"name":"DRD_SUCCESS","features":[372]},{"name":"DRH_APIBITMAP","features":[372]},{"name":"DRH_APIBITMAPDATA","features":[372,308]},{"name":"DRIVEROBJ","features":[372,308]},{"name":"DRVENABLEDATA","features":[372]},{"name":"DRVFN","features":[372]},{"name":"DRVQUERY_USERMODE","features":[372]},{"name":"DSI_CHECKSUM_ERROR_CORRECTED","features":[372]},{"name":"DSI_CHECKSUM_ERROR_NOT_CORRECTED","features":[372]},{"name":"DSI_CONTENTION_DETECTED","features":[372]},{"name":"DSI_CONTROL_TRANSMISSION_MODE","features":[372]},{"name":"DSI_DSI_DATA_TYPE_NOT_RECOGNIZED","features":[372]},{"name":"DSI_DSI_PROTOCOL_VIOLATION","features":[372]},{"name":"DSI_DSI_VC_ID_INVALID","features":[372]},{"name":"DSI_EOT_SYNC_ERROR","features":[372]},{"name":"DSI_ESCAPE_MODE_ENTRY_COMMAND_ERROR","features":[372]},{"name":"DSI_FALSE_CONTROL_ERROR","features":[372]},{"name":"DSI_INVALID_PACKET_INDEX","features":[372]},{"name":"DSI_INVALID_TRANSMISSION_LENGTH","features":[372]},{"name":"DSI_LONG_PACKET_PAYLOAD_CHECKSUM_ERROR","features":[372]},{"name":"DSI_LOW_POWER_TRANSMIT_SYNC_ERROR","features":[372]},{"name":"DSI_PACKET_EMBEDDED_PAYLOAD_SIZE","features":[372]},{"name":"DSI_PERIPHERAL_TIMEOUT_ERROR","features":[372]},{"name":"DSI_SOT_ERROR","features":[372]},{"name":"DSI_SOT_SYNC_ERROR","features":[372]},{"name":"DSS_FLUSH_EVENT","features":[372]},{"name":"DSS_RESERVED","features":[372]},{"name":"DSS_RESERVED1","features":[372]},{"name":"DSS_RESERVED2","features":[372]},{"name":"DSS_TIMER_EVENT","features":[372]},{"name":"DXGK_WIN32K_PARAM_DATA","features":[372]},{"name":"DXGK_WIN32K_PARAM_FLAG_DISABLEVIEW","features":[372]},{"name":"DXGK_WIN32K_PARAM_FLAG_MODESWITCH","features":[372]},{"name":"DXGK_WIN32K_PARAM_FLAG_UPDATEREGISTRY","features":[372]},{"name":"DegaussMonitor","features":[372,308]},{"name":"DestroyPhysicalMonitor","features":[372,308]},{"name":"DestroyPhysicalMonitors","features":[372,308]},{"name":"DisplayConfigGetDeviceInfo","features":[372,308]},{"name":"DisplayConfigSetDeviceInfo","features":[372,308]},{"name":"DisplayMode","features":[372,308,319]},{"name":"DisplayModes","features":[372,308,319]},{"name":"ECS_REDRAW","features":[372]},{"name":"ECS_TEARDOWN","features":[372]},{"name":"ED_ABORTDOC","features":[372]},{"name":"EHN_ERROR","features":[372]},{"name":"EHN_RESTORED","features":[372]},{"name":"EMFINFO","features":[372,319]},{"name":"ENDCAP_BUTT","features":[372]},{"name":"ENDCAP_ROUND","features":[372]},{"name":"ENDCAP_SQUARE","features":[372]},{"name":"ENGSAFESEMAPHORE","features":[372]},{"name":"ENG_DEVICE_ATTRIBUTE","features":[372]},{"name":"ENG_EVENT","features":[372]},{"name":"ENG_FNT_CACHE_READ_FAULT","features":[372]},{"name":"ENG_FNT_CACHE_WRITE_FAULT","features":[372]},{"name":"ENG_SYSTEM_ATTRIBUTE","features":[372]},{"name":"ENG_TIME_FIELDS","features":[372]},{"name":"ENUMRECTS","features":[372,308]},{"name":"EngAcquireSemaphore","features":[372]},{"name":"EngAlphaBlend","features":[372,308,319]},{"name":"EngAssociateSurface","features":[372,308]},{"name":"EngBitBlt","features":[372,308]},{"name":"EngCheckAbort","features":[372,308]},{"name":"EngComputeGlyphSet","features":[372]},{"name":"EngCopyBits","features":[372,308]},{"name":"EngCreateBitmap","features":[372,308,319]},{"name":"EngCreateClip","features":[372,308]},{"name":"EngCreateDeviceBitmap","features":[372,308,319]},{"name":"EngCreateDeviceSurface","features":[372,308]},{"name":"EngCreatePalette","features":[372,319]},{"name":"EngCreateSemaphore","features":[372]},{"name":"EngDeleteClip","features":[372,308]},{"name":"EngDeletePalette","features":[372,308,319]},{"name":"EngDeletePath","features":[372]},{"name":"EngDeleteSemaphore","features":[372]},{"name":"EngDeleteSurface","features":[372,308]},{"name":"EngEraseSurface","features":[372,308]},{"name":"EngFillPath","features":[372,308]},{"name":"EngFindResource","features":[372,308]},{"name":"EngFreeModule","features":[372,308]},{"name":"EngGetCurrentCodePage","features":[372]},{"name":"EngGetDriverName","features":[372]},{"name":"EngGetPrinterDataFileName","features":[372]},{"name":"EngGradientFill","features":[372,308,319]},{"name":"EngLineTo","features":[372,308]},{"name":"EngLoadModule","features":[372,308]},{"name":"EngLockSurface","features":[372,308]},{"name":"EngMarkBandingSurface","features":[372,308]},{"name":"EngMultiByteToUnicodeN","features":[372]},{"name":"EngMultiByteToWideChar","features":[372]},{"name":"EngNumberOfProcessors","features":[372]},{"name":"EngOptimumAvailableSystemMemory","features":[372]},{"name":"EngOptimumAvailableUserMemory","features":[372]},{"name":"EngPaint","features":[372,308]},{"name":"EngPlgBlt","features":[372,308,319]},{"name":"EngProcessorFeature","features":[372]},{"name":"EngQueryEMFInfo","features":[372,308,319]},{"name":"EngQueryLocalTime","features":[372]},{"name":"EngReleaseSemaphore","features":[372]},{"name":"EngStretchBlt","features":[372,308,319]},{"name":"EngStretchBltROP","features":[372,308,319]},{"name":"EngStrokeAndFillPath","features":[372,308]},{"name":"EngStrokePath","features":[372,308]},{"name":"EngTextOut","features":[372,308]},{"name":"EngTransparentBlt","features":[372,308]},{"name":"EngUnicodeToMultiByteN","features":[372]},{"name":"EngUnlockSurface","features":[372,308]},{"name":"EngWideCharToMultiByte","features":[372]},{"name":"FC_COMPLEX","features":[372]},{"name":"FC_RECT","features":[372]},{"name":"FC_RECT4","features":[372]},{"name":"FDM_TYPE_BM_SIDE_CONST","features":[372]},{"name":"FDM_TYPE_CHAR_INC_EQUAL_BM_BASE","features":[372]},{"name":"FDM_TYPE_CONST_BEARINGS","features":[372]},{"name":"FDM_TYPE_MAXEXT_EQUAL_BM_SIDE","features":[372]},{"name":"FDM_TYPE_ZERO_BEARINGS","features":[372]},{"name":"FD_DEVICEMETRICS","features":[372,308]},{"name":"FD_ERROR","features":[372]},{"name":"FD_GLYPHATTR","features":[372]},{"name":"FD_GLYPHSET","features":[372]},{"name":"FD_KERNINGPAIR","features":[372]},{"name":"FD_LIGATURE","features":[372]},{"name":"FD_NEGATIVE_FONT","features":[372]},{"name":"FD_XFORM","features":[372]},{"name":"FD_XFORM","features":[372]},{"name":"FF_IGNORED_SIGNATURE","features":[372]},{"name":"FF_SIGNATURE_VERIFIED","features":[372]},{"name":"FLOATOBJ","features":[372]},{"name":"FLOATOBJ_XFORM","features":[372]},{"name":"FLOATOBJ_XFORM","features":[372]},{"name":"FLOAT_LONG","features":[372]},{"name":"FLOAT_LONG","features":[372]},{"name":"FL_NONPAGED_MEMORY","features":[372]},{"name":"FL_NON_SESSION","features":[372]},{"name":"FL_ZERO_MEMORY","features":[372]},{"name":"FM_EDITABLE_EMBED","features":[372]},{"name":"FM_INFO_16BPP","features":[372]},{"name":"FM_INFO_1BPP","features":[372]},{"name":"FM_INFO_24BPP","features":[372]},{"name":"FM_INFO_32BPP","features":[372]},{"name":"FM_INFO_4BPP","features":[372]},{"name":"FM_INFO_8BPP","features":[372]},{"name":"FM_INFO_90DEGREE_ROTATIONS","features":[372]},{"name":"FM_INFO_ANISOTROPIC_SCALING_ONLY","features":[372]},{"name":"FM_INFO_ARB_XFORMS","features":[372]},{"name":"FM_INFO_CONSTANT_WIDTH","features":[372]},{"name":"FM_INFO_DBCS_FIXED_PITCH","features":[372]},{"name":"FM_INFO_DO_NOT_ENUMERATE","features":[372]},{"name":"FM_INFO_DSIG","features":[372]},{"name":"FM_INFO_FAMILY_EQUIV","features":[372]},{"name":"FM_INFO_IGNORE_TC_RA_ABLE","features":[372]},{"name":"FM_INFO_INTEGER_WIDTH","features":[372]},{"name":"FM_INFO_INTEGRAL_SCALING","features":[372]},{"name":"FM_INFO_ISOTROPIC_SCALING_ONLY","features":[372]},{"name":"FM_INFO_NONNEGATIVE_AC","features":[372]},{"name":"FM_INFO_NOT_CONTIGUOUS","features":[372]},{"name":"FM_INFO_OPTICALLY_FIXED_PITCH","features":[372]},{"name":"FM_INFO_RETURNS_BITMAPS","features":[372]},{"name":"FM_INFO_RETURNS_OUTLINES","features":[372]},{"name":"FM_INFO_RETURNS_STROKES","features":[372]},{"name":"FM_INFO_RIGHT_HANDED","features":[372]},{"name":"FM_INFO_TECH_BITMAP","features":[372]},{"name":"FM_INFO_TECH_CFF","features":[372]},{"name":"FM_INFO_TECH_MM","features":[372]},{"name":"FM_INFO_TECH_OUTLINE_NOT_TRUETYPE","features":[372]},{"name":"FM_INFO_TECH_STROKE","features":[372]},{"name":"FM_INFO_TECH_TRUETYPE","features":[372]},{"name":"FM_INFO_TECH_TYPE1","features":[372]},{"name":"FM_NO_EMBEDDING","features":[372]},{"name":"FM_PANOSE_CULTURE_LATIN","features":[372]},{"name":"FM_READONLY_EMBED","features":[372]},{"name":"FM_SEL_BOLD","features":[372]},{"name":"FM_SEL_ITALIC","features":[372]},{"name":"FM_SEL_NEGATIVE","features":[372]},{"name":"FM_SEL_OUTLINED","features":[372]},{"name":"FM_SEL_REGULAR","features":[372]},{"name":"FM_SEL_STRIKEOUT","features":[372]},{"name":"FM_SEL_UNDERSCORE","features":[372]},{"name":"FM_TYPE_LICENSED","features":[372]},{"name":"FM_VERSION_NUMBER","features":[372]},{"name":"FONTDIFF","features":[372,308]},{"name":"FONTINFO","features":[372]},{"name":"FONTOBJ","features":[372,308]},{"name":"FONTOBJ_cGetAllGlyphHandles","features":[372,308]},{"name":"FONTOBJ_cGetGlyphs","features":[372,308]},{"name":"FONTOBJ_pQueryGlyphAttrs","features":[372,308]},{"name":"FONTOBJ_pfdg","features":[372,308]},{"name":"FONTOBJ_pifi","features":[372,308,319]},{"name":"FONTOBJ_pvTrueTypeFontFile","features":[372,308]},{"name":"FONTOBJ_pxoGetXform","features":[372,308]},{"name":"FONTOBJ_vGetInfo","features":[372,308]},{"name":"FONTSIM","features":[372]},{"name":"FONT_IMAGE_INFO","features":[372,373]},{"name":"FO_ATTR_MODE_ROTATE","features":[372]},{"name":"FO_CFF","features":[372]},{"name":"FO_CLEARTYPENATURAL_X","features":[372]},{"name":"FO_CLEARTYPE_X","features":[372]},{"name":"FO_CLEARTYPE_Y","features":[372]},{"name":"FO_DBCS_FONT","features":[372]},{"name":"FO_DEVICE_FONT","features":[372]},{"name":"FO_EM_HEIGHT","features":[372]},{"name":"FO_GLYPHBITS","features":[372]},{"name":"FO_GRAY16","features":[372]},{"name":"FO_HGLYPHS","features":[372]},{"name":"FO_MULTIPLEMASTER","features":[372]},{"name":"FO_NOCLEARTYPE","features":[372]},{"name":"FO_NOGRAY16","features":[372]},{"name":"FO_NOHINTS","features":[372]},{"name":"FO_NO_CHOICE","features":[372]},{"name":"FO_OUTLINE_CAPABLE","features":[372]},{"name":"FO_PATHOBJ","features":[372]},{"name":"FO_POSTSCRIPT","features":[372]},{"name":"FO_SIM_BOLD","features":[372]},{"name":"FO_SIM_ITALIC","features":[372]},{"name":"FO_VERT_FACE","features":[372]},{"name":"FP_ALTERNATEMODE","features":[372]},{"name":"FP_WINDINGMODE","features":[372]},{"name":"FREEOBJPROC","features":[372,308]},{"name":"FSCNTL_SCREEN_INFO","features":[372,373]},{"name":"FSVIDEO_COPY_FRAME_BUFFER","features":[372,373]},{"name":"FSVIDEO_CURSOR_POSITION","features":[372]},{"name":"FSVIDEO_MODE_INFORMATION","features":[372]},{"name":"FSVIDEO_REVERSE_MOUSE_POINTER","features":[372,373]},{"name":"FSVIDEO_SCREEN_INFORMATION","features":[372,373]},{"name":"FSVIDEO_WRITE_TO_FRAME_BUFFER","features":[372,373]},{"name":"GAMMARAMP","features":[372]},{"name":"GAMMA_RAMP_DXGI_1","features":[372]},{"name":"GAMMA_RAMP_RGB","features":[372]},{"name":"GAMMA_RAMP_RGB256x3x16","features":[372]},{"name":"GCAPS2_ACC_DRIVER","features":[372]},{"name":"GCAPS2_ALPHACURSOR","features":[372]},{"name":"GCAPS2_BITMAPEXREUSE","features":[372]},{"name":"GCAPS2_CHANGEGAMMARAMP","features":[372]},{"name":"GCAPS2_CLEARTYPE","features":[372]},{"name":"GCAPS2_EXCLUDELAYERED","features":[372]},{"name":"GCAPS2_ICD_MULTIMON","features":[372]},{"name":"GCAPS2_INCLUDEAPIBITMAPS","features":[372]},{"name":"GCAPS2_JPEGSRC","features":[372]},{"name":"GCAPS2_MOUSETRAILS","features":[372]},{"name":"GCAPS2_PNGSRC","features":[372]},{"name":"GCAPS2_REMOTEDRIVER","features":[372]},{"name":"GCAPS2_RESERVED1","features":[372]},{"name":"GCAPS2_SHOWHIDDENPOINTER","features":[372]},{"name":"GCAPS2_SYNCFLUSH","features":[372]},{"name":"GCAPS2_SYNCTIMER","features":[372]},{"name":"GCAPS2_xxxx","features":[372]},{"name":"GCAPS_ALTERNATEFILL","features":[372]},{"name":"GCAPS_ARBRUSHOPAQUE","features":[372]},{"name":"GCAPS_ARBRUSHTEXT","features":[372]},{"name":"GCAPS_ASYNCCHANGE","features":[372]},{"name":"GCAPS_ASYNCMOVE","features":[372]},{"name":"GCAPS_BEZIERS","features":[372]},{"name":"GCAPS_CMYKCOLOR","features":[372]},{"name":"GCAPS_COLOR_DITHER","features":[372]},{"name":"GCAPS_DIRECTDRAW","features":[372]},{"name":"GCAPS_DITHERONREALIZE","features":[372]},{"name":"GCAPS_DONTJOURNAL","features":[372]},{"name":"GCAPS_FONT_RASTERIZER","features":[372]},{"name":"GCAPS_FORCEDITHER","features":[372]},{"name":"GCAPS_GEOMETRICWIDE","features":[372]},{"name":"GCAPS_GRAY16","features":[372]},{"name":"GCAPS_HALFTONE","features":[372]},{"name":"GCAPS_HIGHRESTEXT","features":[372]},{"name":"GCAPS_HORIZSTRIKE","features":[372]},{"name":"GCAPS_ICM","features":[372]},{"name":"GCAPS_LAYERED","features":[372]},{"name":"GCAPS_MONO_DITHER","features":[372]},{"name":"GCAPS_NO64BITMEMACCESS","features":[372]},{"name":"GCAPS_NUP","features":[372]},{"name":"GCAPS_OPAQUERECT","features":[372]},{"name":"GCAPS_PALMANAGED","features":[372]},{"name":"GCAPS_PANNING","features":[372]},{"name":"GCAPS_SCREENPRECISION","features":[372]},{"name":"GCAPS_VECTORFONT","features":[372]},{"name":"GCAPS_VERTSTRIKE","features":[372]},{"name":"GCAPS_WINDINGFILL","features":[372]},{"name":"GDIINFO","features":[372,308]},{"name":"GDI_DRIVER_VERSION","features":[372]},{"name":"GETCONNECTEDIDS_SOURCE","features":[372]},{"name":"GETCONNECTEDIDS_TARGET","features":[372]},{"name":"GLYPHBITS","features":[372,308]},{"name":"GLYPHDATA","features":[372,308]},{"name":"GLYPHDEF","features":[372,308]},{"name":"GLYPHPOS","features":[372,308]},{"name":"GS_16BIT_HANDLES","features":[372]},{"name":"GS_8BIT_HANDLES","features":[372]},{"name":"GS_UNICODE_HANDLES","features":[372]},{"name":"GUID_DEVINTERFACE_DISPLAY_ADAPTER","features":[372]},{"name":"GUID_DEVINTERFACE_MONITOR","features":[372]},{"name":"GUID_DEVINTERFACE_VIDEO_OUTPUT_ARRIVAL","features":[372]},{"name":"GUID_DISPLAY_DEVICE_ARRIVAL","features":[372]},{"name":"GUID_MONITOR_OVERRIDE_PSEUDO_SPECIALIZED","features":[372]},{"name":"GX_GENERAL","features":[372]},{"name":"GX_IDENTITY","features":[372]},{"name":"GX_OFFSET","features":[372]},{"name":"GX_SCALE","features":[372]},{"name":"GetAutoRotationState","features":[372,308]},{"name":"GetCapabilitiesStringLength","features":[372,308]},{"name":"GetDisplayAutoRotationPreferences","features":[372,308]},{"name":"GetDisplayConfigBufferSizes","features":[372,308]},{"name":"GetMonitorBrightness","features":[372,308]},{"name":"GetMonitorCapabilities","features":[372,308]},{"name":"GetMonitorColorTemperature","features":[372,308]},{"name":"GetMonitorContrast","features":[372,308]},{"name":"GetMonitorDisplayAreaPosition","features":[372,308]},{"name":"GetMonitorDisplayAreaSize","features":[372,308]},{"name":"GetMonitorRedGreenOrBlueDrive","features":[372,308]},{"name":"GetMonitorRedGreenOrBlueGain","features":[372,308]},{"name":"GetMonitorTechnologyType","features":[372,308]},{"name":"GetNumberOfPhysicalMonitorsFromHMONITOR","features":[372,308,319]},{"name":"GetNumberOfPhysicalMonitorsFromIDirect3DDevice9","features":[372,317]},{"name":"GetPhysicalMonitorsFromHMONITOR","features":[372,308,319]},{"name":"GetPhysicalMonitorsFromIDirect3DDevice9","features":[372,308,317]},{"name":"GetTimingReport","features":[372,308]},{"name":"GetVCPFeatureAndVCPFeatureReply","features":[372,308]},{"name":"HBM","features":[372]},{"name":"HDEV","features":[372]},{"name":"HDRVOBJ","features":[372]},{"name":"HFASTMUTEX","features":[372]},{"name":"HOOK_ALPHABLEND","features":[372]},{"name":"HOOK_BITBLT","features":[372]},{"name":"HOOK_COPYBITS","features":[372]},{"name":"HOOK_FILLPATH","features":[372]},{"name":"HOOK_FLAGS","features":[372]},{"name":"HOOK_GRADIENTFILL","features":[372]},{"name":"HOOK_LINETO","features":[372]},{"name":"HOOK_MOVEPANNING","features":[372]},{"name":"HOOK_PAINT","features":[372]},{"name":"HOOK_PLGBLT","features":[372]},{"name":"HOOK_STRETCHBLT","features":[372]},{"name":"HOOK_STRETCHBLTROP","features":[372]},{"name":"HOOK_STROKEANDFILLPATH","features":[372]},{"name":"HOOK_STROKEPATH","features":[372]},{"name":"HOOK_SYNCHRONIZE","features":[372]},{"name":"HOOK_SYNCHRONIZEACCESS","features":[372]},{"name":"HOOK_TEXTOUT","features":[372]},{"name":"HOOK_TRANSPARENTBLT","features":[372]},{"name":"HOST_DSI_BAD_TRANSMISSION_MODE","features":[372]},{"name":"HOST_DSI_DEVICE_NOT_READY","features":[372]},{"name":"HOST_DSI_DEVICE_RESET","features":[372]},{"name":"HOST_DSI_DRIVER_REJECTED_PACKET","features":[372]},{"name":"HOST_DSI_INTERFACE_RESET","features":[372]},{"name":"HOST_DSI_INVALID_TRANSMISSION","features":[372]},{"name":"HOST_DSI_OS_REJECTED_PACKET","features":[372]},{"name":"HOST_DSI_TRANSMISSION_CANCELLED","features":[372]},{"name":"HOST_DSI_TRANSMISSION_DROPPED","features":[372]},{"name":"HOST_DSI_TRANSMISSION_TIMEOUT","features":[372]},{"name":"HSEMAPHORE","features":[372]},{"name":"HSURF","features":[372]},{"name":"HS_DDI_MAX","features":[372]},{"name":"HT_FLAG_8BPP_CMY332_MASK","features":[372]},{"name":"HT_FLAG_ADDITIVE_PRIMS","features":[372]},{"name":"HT_FLAG_DO_DEVCLR_XFORM","features":[372]},{"name":"HT_FLAG_HAS_BLACK_DYE","features":[372]},{"name":"HT_FLAG_INK_ABSORPTION_IDX0","features":[372]},{"name":"HT_FLAG_INK_ABSORPTION_IDX1","features":[372]},{"name":"HT_FLAG_INK_ABSORPTION_IDX2","features":[372]},{"name":"HT_FLAG_INK_ABSORPTION_IDX3","features":[372]},{"name":"HT_FLAG_INK_ABSORPTION_INDICES","features":[372]},{"name":"HT_FLAG_INK_HIGH_ABSORPTION","features":[372]},{"name":"HT_FLAG_INVERT_8BPP_BITMASK_IDX","features":[372]},{"name":"HT_FLAG_LOWER_INK_ABSORPTION","features":[372]},{"name":"HT_FLAG_LOWEST_INK_ABSORPTION","features":[372]},{"name":"HT_FLAG_LOW_INK_ABSORPTION","features":[372]},{"name":"HT_FLAG_NORMAL_INK_ABSORPTION","features":[372]},{"name":"HT_FLAG_OUTPUT_CMY","features":[372]},{"name":"HT_FLAG_PRINT_DRAFT_MODE","features":[372]},{"name":"HT_FLAG_SQUARE_DEVICE_PEL","features":[372]},{"name":"HT_FLAG_USE_8BPP_BITMASK","features":[372]},{"name":"HT_FORMAT_16BPP","features":[372]},{"name":"HT_FORMAT_1BPP","features":[372]},{"name":"HT_FORMAT_24BPP","features":[372]},{"name":"HT_FORMAT_32BPP","features":[372]},{"name":"HT_FORMAT_4BPP","features":[372]},{"name":"HT_FORMAT_4BPP_IRGB","features":[372]},{"name":"HT_FORMAT_8BPP","features":[372]},{"name":"HT_Get8BPPFormatPalette","features":[372,319]},{"name":"HT_Get8BPPMaskPalette","features":[372,308,319]},{"name":"HT_PATSIZE_10x10","features":[372]},{"name":"HT_PATSIZE_10x10_M","features":[372]},{"name":"HT_PATSIZE_12x12","features":[372]},{"name":"HT_PATSIZE_12x12_M","features":[372]},{"name":"HT_PATSIZE_14x14","features":[372]},{"name":"HT_PATSIZE_14x14_M","features":[372]},{"name":"HT_PATSIZE_16x16","features":[372]},{"name":"HT_PATSIZE_16x16_M","features":[372]},{"name":"HT_PATSIZE_2x2","features":[372]},{"name":"HT_PATSIZE_2x2_M","features":[372]},{"name":"HT_PATSIZE_4x4","features":[372]},{"name":"HT_PATSIZE_4x4_M","features":[372]},{"name":"HT_PATSIZE_6x6","features":[372]},{"name":"HT_PATSIZE_6x6_M","features":[372]},{"name":"HT_PATSIZE_8x8","features":[372]},{"name":"HT_PATSIZE_8x8_M","features":[372]},{"name":"HT_PATSIZE_DEFAULT","features":[372]},{"name":"HT_PATSIZE_MAX_INDEX","features":[372]},{"name":"HT_PATSIZE_SUPERCELL","features":[372]},{"name":"HT_PATSIZE_SUPERCELL_M","features":[372]},{"name":"HT_PATSIZE_USER","features":[372]},{"name":"HT_USERPAT_CX_MAX","features":[372]},{"name":"HT_USERPAT_CX_MIN","features":[372]},{"name":"HT_USERPAT_CY_MAX","features":[372]},{"name":"HT_USERPAT_CY_MIN","features":[372]},{"name":"ICloneViewHelper","features":[372]},{"name":"IFIEXTRA","features":[372]},{"name":"IFIMETRICS","features":[372,308,319]},{"name":"IFIMETRICS","features":[372,308,319]},{"name":"IGRF_RGB_256BYTES","features":[372]},{"name":"IGRF_RGB_256WORDS","features":[372]},{"name":"INDEX_DrvAccumulateD3DDirtyRect","features":[372]},{"name":"INDEX_DrvAlphaBlend","features":[372]},{"name":"INDEX_DrvAssertMode","features":[372]},{"name":"INDEX_DrvAssociateSharedSurface","features":[372]},{"name":"INDEX_DrvBitBlt","features":[372]},{"name":"INDEX_DrvCompletePDEV","features":[372]},{"name":"INDEX_DrvCopyBits","features":[372]},{"name":"INDEX_DrvCreateDeviceBitmap","features":[372]},{"name":"INDEX_DrvCreateDeviceBitmapEx","features":[372]},{"name":"INDEX_DrvDeleteDeviceBitmap","features":[372]},{"name":"INDEX_DrvDeleteDeviceBitmapEx","features":[372]},{"name":"INDEX_DrvDeriveSurface","features":[372]},{"name":"INDEX_DrvDescribePixelFormat","features":[372]},{"name":"INDEX_DrvDestroyFont","features":[372]},{"name":"INDEX_DrvDisableDirectDraw","features":[372]},{"name":"INDEX_DrvDisableDriver","features":[372]},{"name":"INDEX_DrvDisablePDEV","features":[372]},{"name":"INDEX_DrvDisableSurface","features":[372]},{"name":"INDEX_DrvDitherColor","features":[372]},{"name":"INDEX_DrvDrawEscape","features":[372]},{"name":"INDEX_DrvEnableDirectDraw","features":[372]},{"name":"INDEX_DrvEnablePDEV","features":[372]},{"name":"INDEX_DrvEnableSurface","features":[372]},{"name":"INDEX_DrvEndDoc","features":[372]},{"name":"INDEX_DrvEndDxInterop","features":[372]},{"name":"INDEX_DrvEscape","features":[372]},{"name":"INDEX_DrvFillPath","features":[372]},{"name":"INDEX_DrvFontManagement","features":[372]},{"name":"INDEX_DrvFree","features":[372]},{"name":"INDEX_DrvGetDirectDrawInfo","features":[372]},{"name":"INDEX_DrvGetGlyphMode","features":[372]},{"name":"INDEX_DrvGetModes","features":[372]},{"name":"INDEX_DrvGetSynthesizedFontFiles","features":[372]},{"name":"INDEX_DrvGetTrueTypeFile","features":[372]},{"name":"INDEX_DrvGradientFill","features":[372]},{"name":"INDEX_DrvIcmCheckBitmapBits","features":[372]},{"name":"INDEX_DrvIcmCreateColorTransform","features":[372]},{"name":"INDEX_DrvIcmDeleteColorTransform","features":[372]},{"name":"INDEX_DrvIcmSetDeviceGammaRamp","features":[372]},{"name":"INDEX_DrvLineTo","features":[372]},{"name":"INDEX_DrvLoadFontFile","features":[372]},{"name":"INDEX_DrvLockDisplayArea","features":[372]},{"name":"INDEX_DrvMovePanning","features":[372]},{"name":"INDEX_DrvMovePointer","features":[372]},{"name":"INDEX_DrvNextBand","features":[372]},{"name":"INDEX_DrvNotify","features":[372]},{"name":"INDEX_DrvOffset","features":[372]},{"name":"INDEX_DrvPaint","features":[372]},{"name":"INDEX_DrvPlgBlt","features":[372]},{"name":"INDEX_DrvQueryAdvanceWidths","features":[372]},{"name":"INDEX_DrvQueryDeviceSupport","features":[372]},{"name":"INDEX_DrvQueryFont","features":[372]},{"name":"INDEX_DrvQueryFontCaps","features":[372]},{"name":"INDEX_DrvQueryFontData","features":[372]},{"name":"INDEX_DrvQueryFontFile","features":[372]},{"name":"INDEX_DrvQueryFontTree","features":[372]},{"name":"INDEX_DrvQueryGlyphAttrs","features":[372]},{"name":"INDEX_DrvQueryPerBandInfo","features":[372]},{"name":"INDEX_DrvQuerySpoolType","features":[372]},{"name":"INDEX_DrvQueryTrueTypeOutline","features":[372]},{"name":"INDEX_DrvQueryTrueTypeTable","features":[372]},{"name":"INDEX_DrvRealizeBrush","features":[372]},{"name":"INDEX_DrvRenderHint","features":[372]},{"name":"INDEX_DrvReserved1","features":[372]},{"name":"INDEX_DrvReserved10","features":[372]},{"name":"INDEX_DrvReserved11","features":[372]},{"name":"INDEX_DrvReserved2","features":[372]},{"name":"INDEX_DrvReserved3","features":[372]},{"name":"INDEX_DrvReserved4","features":[372]},{"name":"INDEX_DrvReserved5","features":[372]},{"name":"INDEX_DrvReserved6","features":[372]},{"name":"INDEX_DrvReserved7","features":[372]},{"name":"INDEX_DrvReserved8","features":[372]},{"name":"INDEX_DrvReserved9","features":[372]},{"name":"INDEX_DrvResetDevice","features":[372]},{"name":"INDEX_DrvResetPDEV","features":[372]},{"name":"INDEX_DrvSaveScreenBits","features":[372]},{"name":"INDEX_DrvSendPage","features":[372]},{"name":"INDEX_DrvSetPalette","features":[372]},{"name":"INDEX_DrvSetPixelFormat","features":[372]},{"name":"INDEX_DrvSetPointerShape","features":[372]},{"name":"INDEX_DrvStartBanding","features":[372]},{"name":"INDEX_DrvStartDoc","features":[372]},{"name":"INDEX_DrvStartDxInterop","features":[372]},{"name":"INDEX_DrvStartPage","features":[372]},{"name":"INDEX_DrvStretchBlt","features":[372]},{"name":"INDEX_DrvStretchBltROP","features":[372]},{"name":"INDEX_DrvStrokeAndFillPath","features":[372]},{"name":"INDEX_DrvStrokePath","features":[372]},{"name":"INDEX_DrvSurfaceComplete","features":[372]},{"name":"INDEX_DrvSwapBuffers","features":[372]},{"name":"INDEX_DrvSynchronize","features":[372]},{"name":"INDEX_DrvSynchronizeRedirectionBitmaps","features":[372]},{"name":"INDEX_DrvSynchronizeSurface","features":[372]},{"name":"INDEX_DrvSynthesizeFont","features":[372]},{"name":"INDEX_DrvTextOut","features":[372]},{"name":"INDEX_DrvTransparentBlt","features":[372]},{"name":"INDEX_DrvUnloadFontFile","features":[372]},{"name":"INDEX_DrvUnlockDisplayArea","features":[372]},{"name":"INDEX_LAST","features":[372]},{"name":"INDIRECT_DISPLAY_INFO","features":[372,308]},{"name":"INDIRECT_DISPLAY_INFO_FLAGS_CREATED_IDDCX_ADAPTER","features":[372]},{"name":"IOCTL_COLORSPACE_TRANSFORM_QUERY_TARGET_CAPS","features":[372]},{"name":"IOCTL_COLORSPACE_TRANSFORM_SET","features":[372]},{"name":"IOCTL_FSVIDEO_COPY_FRAME_BUFFER","features":[372]},{"name":"IOCTL_FSVIDEO_REVERSE_MOUSE_POINTER","features":[372]},{"name":"IOCTL_FSVIDEO_SET_CURRENT_MODE","features":[372]},{"name":"IOCTL_FSVIDEO_SET_CURSOR_POSITION","features":[372]},{"name":"IOCTL_FSVIDEO_SET_SCREEN_INFORMATION","features":[372]},{"name":"IOCTL_FSVIDEO_WRITE_TO_FRAME_BUFFER","features":[372]},{"name":"IOCTL_MIPI_DSI_QUERY_CAPS","features":[372]},{"name":"IOCTL_MIPI_DSI_RESET","features":[372]},{"name":"IOCTL_MIPI_DSI_TRANSMISSION","features":[372]},{"name":"IOCTL_PANEL_GET_BACKLIGHT_REDUCTION","features":[372]},{"name":"IOCTL_PANEL_GET_BRIGHTNESS","features":[372]},{"name":"IOCTL_PANEL_GET_MANUFACTURING_MODE","features":[372]},{"name":"IOCTL_PANEL_QUERY_BRIGHTNESS_CAPS","features":[372]},{"name":"IOCTL_PANEL_QUERY_BRIGHTNESS_RANGES","features":[372]},{"name":"IOCTL_PANEL_SET_BACKLIGHT_OPTIMIZATION","features":[372]},{"name":"IOCTL_PANEL_SET_BRIGHTNESS","features":[372]},{"name":"IOCTL_PANEL_SET_BRIGHTNESS_STATE","features":[372]},{"name":"IOCTL_SET_ACTIVE_COLOR_PROFILE_NAME","features":[372]},{"name":"IOCTL_VIDEO_DISABLE_CURSOR","features":[372]},{"name":"IOCTL_VIDEO_DISABLE_POINTER","features":[372]},{"name":"IOCTL_VIDEO_DISABLE_VDM","features":[372]},{"name":"IOCTL_VIDEO_ENABLE_CURSOR","features":[372]},{"name":"IOCTL_VIDEO_ENABLE_POINTER","features":[372]},{"name":"IOCTL_VIDEO_ENABLE_VDM","features":[372]},{"name":"IOCTL_VIDEO_ENUM_MONITOR_PDO","features":[372]},{"name":"IOCTL_VIDEO_FREE_PUBLIC_ACCESS_RANGES","features":[372]},{"name":"IOCTL_VIDEO_GET_BANK_SELECT_CODE","features":[372]},{"name":"IOCTL_VIDEO_GET_CHILD_STATE","features":[372]},{"name":"IOCTL_VIDEO_GET_OUTPUT_DEVICE_POWER_STATE","features":[372]},{"name":"IOCTL_VIDEO_GET_POWER_MANAGEMENT","features":[372]},{"name":"IOCTL_VIDEO_HANDLE_VIDEOPARAMETERS","features":[372]},{"name":"IOCTL_VIDEO_INIT_WIN32K_CALLBACKS","features":[372]},{"name":"IOCTL_VIDEO_IS_VGA_DEVICE","features":[372]},{"name":"IOCTL_VIDEO_LOAD_AND_SET_FONT","features":[372]},{"name":"IOCTL_VIDEO_MAP_VIDEO_MEMORY","features":[372]},{"name":"IOCTL_VIDEO_MONITOR_DEVICE","features":[372]},{"name":"IOCTL_VIDEO_PREPARE_FOR_EARECOVERY","features":[372]},{"name":"IOCTL_VIDEO_QUERY_AVAIL_MODES","features":[372]},{"name":"IOCTL_VIDEO_QUERY_COLOR_CAPABILITIES","features":[372]},{"name":"IOCTL_VIDEO_QUERY_CURRENT_MODE","features":[372]},{"name":"IOCTL_VIDEO_QUERY_CURSOR_ATTR","features":[372]},{"name":"IOCTL_VIDEO_QUERY_CURSOR_POSITION","features":[372]},{"name":"IOCTL_VIDEO_QUERY_DISPLAY_BRIGHTNESS","features":[372]},{"name":"IOCTL_VIDEO_QUERY_NUM_AVAIL_MODES","features":[372]},{"name":"IOCTL_VIDEO_QUERY_POINTER_ATTR","features":[372]},{"name":"IOCTL_VIDEO_QUERY_POINTER_CAPABILITIES","features":[372]},{"name":"IOCTL_VIDEO_QUERY_POINTER_POSITION","features":[372]},{"name":"IOCTL_VIDEO_QUERY_PUBLIC_ACCESS_RANGES","features":[372]},{"name":"IOCTL_VIDEO_QUERY_SUPPORTED_BRIGHTNESS","features":[372]},{"name":"IOCTL_VIDEO_REGISTER_VDM","features":[372]},{"name":"IOCTL_VIDEO_RESET_DEVICE","features":[372]},{"name":"IOCTL_VIDEO_RESTORE_HARDWARE_STATE","features":[372]},{"name":"IOCTL_VIDEO_SAVE_HARDWARE_STATE","features":[372]},{"name":"IOCTL_VIDEO_SET_BANK_POSITION","features":[372]},{"name":"IOCTL_VIDEO_SET_CHILD_STATE_CONFIGURATION","features":[372]},{"name":"IOCTL_VIDEO_SET_COLOR_LUT_DATA","features":[372]},{"name":"IOCTL_VIDEO_SET_COLOR_REGISTERS","features":[372]},{"name":"IOCTL_VIDEO_SET_CURRENT_MODE","features":[372]},{"name":"IOCTL_VIDEO_SET_CURSOR_ATTR","features":[372]},{"name":"IOCTL_VIDEO_SET_CURSOR_POSITION","features":[372]},{"name":"IOCTL_VIDEO_SET_DISPLAY_BRIGHTNESS","features":[372]},{"name":"IOCTL_VIDEO_SET_OUTPUT_DEVICE_POWER_STATE","features":[372]},{"name":"IOCTL_VIDEO_SET_PALETTE_REGISTERS","features":[372]},{"name":"IOCTL_VIDEO_SET_POINTER_ATTR","features":[372]},{"name":"IOCTL_VIDEO_SET_POINTER_POSITION","features":[372]},{"name":"IOCTL_VIDEO_SET_POWER_MANAGEMENT","features":[372]},{"name":"IOCTL_VIDEO_SHARE_VIDEO_MEMORY","features":[372]},{"name":"IOCTL_VIDEO_SWITCH_DUALVIEW","features":[372]},{"name":"IOCTL_VIDEO_UNMAP_VIDEO_MEMORY","features":[372]},{"name":"IOCTL_VIDEO_UNSHARE_VIDEO_MEMORY","features":[372]},{"name":"IOCTL_VIDEO_USE_DEVICE_IN_SESSION","features":[372]},{"name":"IOCTL_VIDEO_VALIDATE_CHILD_STATE_CONFIGURATION","features":[372]},{"name":"IViewHelper","features":[372]},{"name":"JOIN_BEVEL","features":[372]},{"name":"JOIN_MITER","features":[372]},{"name":"JOIN_ROUND","features":[372]},{"name":"LA_ALTERNATE","features":[372]},{"name":"LA_GEOMETRIC","features":[372]},{"name":"LA_STARTGAP","features":[372]},{"name":"LA_STYLED","features":[372]},{"name":"LIGATURE","features":[372]},{"name":"LINEATTRS","features":[372]},{"name":"LINEATTRS","features":[372]},{"name":"MAXCHARSETS","features":[372]},{"name":"MAX_PACKET_COUNT","features":[372]},{"name":"MC_APERTURE_GRILL_CATHODE_RAY_TUBE","features":[372]},{"name":"MC_BLUE_DRIVE","features":[372]},{"name":"MC_BLUE_GAIN","features":[372]},{"name":"MC_CAPS_BRIGHTNESS","features":[372]},{"name":"MC_CAPS_COLOR_TEMPERATURE","features":[372]},{"name":"MC_CAPS_CONTRAST","features":[372]},{"name":"MC_CAPS_DEGAUSS","features":[372]},{"name":"MC_CAPS_DISPLAY_AREA_POSITION","features":[372]},{"name":"MC_CAPS_DISPLAY_AREA_SIZE","features":[372]},{"name":"MC_CAPS_MONITOR_TECHNOLOGY_TYPE","features":[372]},{"name":"MC_CAPS_NONE","features":[372]},{"name":"MC_CAPS_RED_GREEN_BLUE_DRIVE","features":[372]},{"name":"MC_CAPS_RED_GREEN_BLUE_GAIN","features":[372]},{"name":"MC_CAPS_RESTORE_FACTORY_COLOR_DEFAULTS","features":[372]},{"name":"MC_CAPS_RESTORE_FACTORY_DEFAULTS","features":[372]},{"name":"MC_COLOR_TEMPERATURE","features":[372]},{"name":"MC_COLOR_TEMPERATURE_10000K","features":[372]},{"name":"MC_COLOR_TEMPERATURE_11500K","features":[372]},{"name":"MC_COLOR_TEMPERATURE_4000K","features":[372]},{"name":"MC_COLOR_TEMPERATURE_5000K","features":[372]},{"name":"MC_COLOR_TEMPERATURE_6500K","features":[372]},{"name":"MC_COLOR_TEMPERATURE_7500K","features":[372]},{"name":"MC_COLOR_TEMPERATURE_8200K","features":[372]},{"name":"MC_COLOR_TEMPERATURE_9300K","features":[372]},{"name":"MC_COLOR_TEMPERATURE_UNKNOWN","features":[372]},{"name":"MC_DISPLAY_TECHNOLOGY_TYPE","features":[372]},{"name":"MC_DRIVE_TYPE","features":[372]},{"name":"MC_ELECTROLUMINESCENT","features":[372]},{"name":"MC_FIELD_EMISSION_DEVICE","features":[372]},{"name":"MC_GAIN_TYPE","features":[372]},{"name":"MC_GREEN_DRIVE","features":[372]},{"name":"MC_GREEN_GAIN","features":[372]},{"name":"MC_HEIGHT","features":[372]},{"name":"MC_HORIZONTAL_POSITION","features":[372]},{"name":"MC_LIQUID_CRYSTAL_ON_SILICON","features":[372]},{"name":"MC_MICROELECTROMECHANICAL","features":[372]},{"name":"MC_MOMENTARY","features":[372]},{"name":"MC_ORGANIC_LIGHT_EMITTING_DIODE","features":[372]},{"name":"MC_PLASMA","features":[372]},{"name":"MC_POSITION_TYPE","features":[372]},{"name":"MC_RED_DRIVE","features":[372]},{"name":"MC_RED_GAIN","features":[372]},{"name":"MC_RESTORE_FACTORY_DEFAULTS_ENABLES_MONITOR_SETTINGS","features":[372]},{"name":"MC_SET_PARAMETER","features":[372]},{"name":"MC_SHADOW_MASK_CATHODE_RAY_TUBE","features":[372]},{"name":"MC_SIZE_TYPE","features":[372]},{"name":"MC_SUPPORTED_COLOR_TEMPERATURE_10000K","features":[372]},{"name":"MC_SUPPORTED_COLOR_TEMPERATURE_11500K","features":[372]},{"name":"MC_SUPPORTED_COLOR_TEMPERATURE_4000K","features":[372]},{"name":"MC_SUPPORTED_COLOR_TEMPERATURE_5000K","features":[372]},{"name":"MC_SUPPORTED_COLOR_TEMPERATURE_6500K","features":[372]},{"name":"MC_SUPPORTED_COLOR_TEMPERATURE_7500K","features":[372]},{"name":"MC_SUPPORTED_COLOR_TEMPERATURE_8200K","features":[372]},{"name":"MC_SUPPORTED_COLOR_TEMPERATURE_9300K","features":[372]},{"name":"MC_SUPPORTED_COLOR_TEMPERATURE_NONE","features":[372]},{"name":"MC_THIN_FILM_TRANSISTOR","features":[372]},{"name":"MC_TIMING_REPORT","features":[372]},{"name":"MC_VCP_CODE_TYPE","features":[372]},{"name":"MC_VERTICAL_POSITION","features":[372]},{"name":"MC_WIDTH","features":[372]},{"name":"MIPI_DSI_CAPS","features":[372]},{"name":"MIPI_DSI_PACKET","features":[372]},{"name":"MIPI_DSI_RESET","features":[372]},{"name":"MIPI_DSI_TRANSMISSION","features":[372]},{"name":"MS_CDDDEVICEBITMAP","features":[372]},{"name":"MS_NOTSYSTEMMEMORY","features":[372]},{"name":"MS_REUSEDDEVICEBITMAP","features":[372]},{"name":"MS_SHAREDACCESS","features":[372]},{"name":"NumVideoBankTypes","features":[372]},{"name":"OC_BANK_CLIP","features":[372]},{"name":"OPENGL_CMD","features":[372]},{"name":"OPENGL_GETINFO","features":[372]},{"name":"ORIENTATION_PREFERENCE","features":[372]},{"name":"ORIENTATION_PREFERENCE_LANDSCAPE","features":[372]},{"name":"ORIENTATION_PREFERENCE_LANDSCAPE_FLIPPED","features":[372]},{"name":"ORIENTATION_PREFERENCE_NONE","features":[372]},{"name":"ORIENTATION_PREFERENCE_PORTRAIT","features":[372]},{"name":"ORIENTATION_PREFERENCE_PORTRAIT_FLIPPED","features":[372]},{"name":"OUTPUT_COLOR_ENCODING","features":[372]},{"name":"OUTPUT_COLOR_ENCODING_INTENSITY","features":[372]},{"name":"OUTPUT_COLOR_ENCODING_RGB","features":[372]},{"name":"OUTPUT_COLOR_ENCODING_YCBCR420","features":[372]},{"name":"OUTPUT_COLOR_ENCODING_YCBCR422","features":[372]},{"name":"OUTPUT_COLOR_ENCODING_YCBCR444","features":[372]},{"name":"OUTPUT_WIRE_COLOR_SPACE_G2084_P2020","features":[372]},{"name":"OUTPUT_WIRE_COLOR_SPACE_G2084_P2020_DVLL","features":[372]},{"name":"OUTPUT_WIRE_COLOR_SPACE_G2084_P2020_HDR10PLUS","features":[372]},{"name":"OUTPUT_WIRE_COLOR_SPACE_G22_P2020","features":[372]},{"name":"OUTPUT_WIRE_COLOR_SPACE_G22_P709","features":[372]},{"name":"OUTPUT_WIRE_COLOR_SPACE_G22_P709_WCG","features":[372]},{"name":"OUTPUT_WIRE_COLOR_SPACE_RESERVED","features":[372]},{"name":"OUTPUT_WIRE_COLOR_SPACE_TYPE","features":[372]},{"name":"OUTPUT_WIRE_FORMAT","features":[372]},{"name":"PALOBJ","features":[372]},{"name":"PAL_BGR","features":[372]},{"name":"PAL_BITFIELDS","features":[372]},{"name":"PAL_CMYK","features":[372]},{"name":"PAL_INDEXED","features":[372]},{"name":"PAL_RGB","features":[372]},{"name":"PANEL_BRIGHTNESS_SENSOR_DATA","features":[372]},{"name":"PANEL_GET_BACKLIGHT_REDUCTION","features":[372]},{"name":"PANEL_GET_BRIGHTNESS","features":[372]},{"name":"PANEL_QUERY_BRIGHTNESS_CAPS","features":[372]},{"name":"PANEL_QUERY_BRIGHTNESS_RANGES","features":[372]},{"name":"PANEL_SET_BACKLIGHT_OPTIMIZATION","features":[372]},{"name":"PANEL_SET_BRIGHTNESS","features":[372]},{"name":"PANEL_SET_BRIGHTNESS_STATE","features":[372]},{"name":"PATHDATA","features":[372]},{"name":"PATHOBJ","features":[372]},{"name":"PATHOBJ_bEnum","features":[372,308]},{"name":"PATHOBJ_bEnumClipLines","features":[372,308]},{"name":"PATHOBJ_vEnumStart","features":[372]},{"name":"PATHOBJ_vEnumStartClipLines","features":[372,308]},{"name":"PATHOBJ_vGetBounds","features":[372]},{"name":"PD_BEGINSUBPATH","features":[372]},{"name":"PD_BEZIERS","features":[372]},{"name":"PD_CLOSEFIGURE","features":[372]},{"name":"PD_ENDSUBPATH","features":[372]},{"name":"PD_RESETSTYLE","features":[372]},{"name":"PERBANDINFO","features":[372,308]},{"name":"PFN","features":[372]},{"name":"PFN_DrvAccumulateD3DDirtyRect","features":[372,308]},{"name":"PFN_DrvAlphaBlend","features":[372,308,319]},{"name":"PFN_DrvAssertMode","features":[372,308]},{"name":"PFN_DrvAssociateSharedSurface","features":[372,308]},{"name":"PFN_DrvBitBlt","features":[372,308]},{"name":"PFN_DrvCompletePDEV","features":[372]},{"name":"PFN_DrvCopyBits","features":[372,308]},{"name":"PFN_DrvCreateDeviceBitmap","features":[372,308,319]},{"name":"PFN_DrvCreateDeviceBitmapEx","features":[372,308,319]},{"name":"PFN_DrvDeleteDeviceBitmap","features":[372]},{"name":"PFN_DrvDeleteDeviceBitmapEx","features":[372]},{"name":"PFN_DrvDeriveSurface","features":[372,308,318,319]},{"name":"PFN_DrvDescribePixelFormat","features":[372,374]},{"name":"PFN_DrvDestroyFont","features":[372,308]},{"name":"PFN_DrvDisableDirectDraw","features":[372]},{"name":"PFN_DrvDisableDriver","features":[372]},{"name":"PFN_DrvDisablePDEV","features":[372]},{"name":"PFN_DrvDisableSurface","features":[372]},{"name":"PFN_DrvDitherColor","features":[372]},{"name":"PFN_DrvDrawEscape","features":[372,308]},{"name":"PFN_DrvEnableDirectDraw","features":[372,308,318,319]},{"name":"PFN_DrvEnableDriver","features":[372,308]},{"name":"PFN_DrvEnablePDEV","features":[372,308,319]},{"name":"PFN_DrvEnableSurface","features":[372]},{"name":"PFN_DrvEndDoc","features":[372,308]},{"name":"PFN_DrvEndDxInterop","features":[372,308]},{"name":"PFN_DrvEscape","features":[372,308]},{"name":"PFN_DrvFillPath","features":[372,308]},{"name":"PFN_DrvFontManagement","features":[372,308]},{"name":"PFN_DrvFree","features":[372]},{"name":"PFN_DrvGetDirectDrawInfo","features":[372,308,318]},{"name":"PFN_DrvGetGlyphMode","features":[372,308]},{"name":"PFN_DrvGetModes","features":[372,308,319]},{"name":"PFN_DrvGetTrueTypeFile","features":[372]},{"name":"PFN_DrvGradientFill","features":[372,308,319]},{"name":"PFN_DrvIcmCheckBitmapBits","features":[372,308]},{"name":"PFN_DrvIcmCreateColorTransform","features":[372,308,319,375]},{"name":"PFN_DrvIcmDeleteColorTransform","features":[372,308]},{"name":"PFN_DrvIcmSetDeviceGammaRamp","features":[372,308]},{"name":"PFN_DrvLineTo","features":[372,308]},{"name":"PFN_DrvLoadFontFile","features":[372,319]},{"name":"PFN_DrvLockDisplayArea","features":[372,308]},{"name":"PFN_DrvMovePointer","features":[372,308]},{"name":"PFN_DrvNextBand","features":[372,308]},{"name":"PFN_DrvNotify","features":[372,308]},{"name":"PFN_DrvPaint","features":[372,308]},{"name":"PFN_DrvPlgBlt","features":[372,308,319]},{"name":"PFN_DrvQueryAdvanceWidths","features":[372,308]},{"name":"PFN_DrvQueryDeviceSupport","features":[372,308]},{"name":"PFN_DrvQueryFont","features":[372,308,319]},{"name":"PFN_DrvQueryFontCaps","features":[372]},{"name":"PFN_DrvQueryFontData","features":[372,308]},{"name":"PFN_DrvQueryFontFile","features":[372]},{"name":"PFN_DrvQueryFontTree","features":[372]},{"name":"PFN_DrvQueryGlyphAttrs","features":[372,308]},{"name":"PFN_DrvQueryPerBandInfo","features":[372,308]},{"name":"PFN_DrvQuerySpoolType","features":[372,308]},{"name":"PFN_DrvQueryTrueTypeOutline","features":[372,308,319]},{"name":"PFN_DrvQueryTrueTypeSection","features":[372,308]},{"name":"PFN_DrvQueryTrueTypeTable","features":[372]},{"name":"PFN_DrvRealizeBrush","features":[372,308]},{"name":"PFN_DrvRenderHint","features":[372]},{"name":"PFN_DrvResetDevice","features":[372]},{"name":"PFN_DrvResetPDEV","features":[372,308]},{"name":"PFN_DrvSaveScreenBits","features":[372,308]},{"name":"PFN_DrvSendPage","features":[372,308]},{"name":"PFN_DrvSetPalette","features":[372,308]},{"name":"PFN_DrvSetPixelFormat","features":[372,308]},{"name":"PFN_DrvSetPointerShape","features":[372,308]},{"name":"PFN_DrvStartBanding","features":[372,308]},{"name":"PFN_DrvStartDoc","features":[372,308]},{"name":"PFN_DrvStartDxInterop","features":[372,308]},{"name":"PFN_DrvStartPage","features":[372,308]},{"name":"PFN_DrvStretchBlt","features":[372,308,319]},{"name":"PFN_DrvStretchBltROP","features":[372,308,319]},{"name":"PFN_DrvStrokeAndFillPath","features":[372,308]},{"name":"PFN_DrvStrokePath","features":[372,308]},{"name":"PFN_DrvSurfaceComplete","features":[372,308]},{"name":"PFN_DrvSwapBuffers","features":[372,308]},{"name":"PFN_DrvSynchronize","features":[372,308]},{"name":"PFN_DrvSynchronizeRedirectionBitmaps","features":[372,308]},{"name":"PFN_DrvSynchronizeSurface","features":[372,308]},{"name":"PFN_DrvTextOut","features":[372,308]},{"name":"PFN_DrvTransparentBlt","features":[372,308]},{"name":"PFN_DrvUnloadFontFile","features":[372,308]},{"name":"PFN_DrvUnlockDisplayArea","features":[372,308]},{"name":"PFN_EngCombineRgn","features":[372,308]},{"name":"PFN_EngCopyRgn","features":[372,308]},{"name":"PFN_EngCreateRectRgn","features":[372,308]},{"name":"PFN_EngDeleteRgn","features":[372,308]},{"name":"PFN_EngIntersectRgn","features":[372,308]},{"name":"PFN_EngSubtractRgn","features":[372,308]},{"name":"PFN_EngUnionRgn","features":[372,308]},{"name":"PFN_EngXorRgn","features":[372,308]},{"name":"PHYSICAL_MONITOR","features":[372,308]},{"name":"PHYSICAL_MONITOR_DESCRIPTION_SIZE","features":[372]},{"name":"PLANAR_HC","features":[372]},{"name":"POINTE","features":[372]},{"name":"POINTE","features":[372]},{"name":"POINTFIX","features":[372]},{"name":"POINTQF","features":[372]},{"name":"PO_ALL_INTEGERS","features":[372]},{"name":"PO_BEZIERS","features":[372]},{"name":"PO_ELLIPSE","features":[372]},{"name":"PO_ENUM_AS_INTEGERS","features":[372]},{"name":"PO_WIDENED","features":[372]},{"name":"PPC_BGR_ORDER_HORIZONTAL_STRIPES","features":[372]},{"name":"PPC_BGR_ORDER_VERTICAL_STRIPES","features":[372]},{"name":"PPC_DEFAULT","features":[372]},{"name":"PPC_RGB_ORDER_HORIZONTAL_STRIPES","features":[372]},{"name":"PPC_RGB_ORDER_VERTICAL_STRIPES","features":[372]},{"name":"PPC_UNDEFINED","features":[372]},{"name":"PPG_DEFAULT","features":[372]},{"name":"PPG_SRGB","features":[372]},{"name":"PRIMARY_ORDER_ABC","features":[372]},{"name":"PRIMARY_ORDER_ACB","features":[372]},{"name":"PRIMARY_ORDER_BAC","features":[372]},{"name":"PRIMARY_ORDER_BCA","features":[372]},{"name":"PRIMARY_ORDER_CAB","features":[372]},{"name":"PRIMARY_ORDER_CBA","features":[372]},{"name":"PVIDEO_WIN32K_CALLOUT","features":[372]},{"name":"QAW_GETEASYWIDTHS","features":[372]},{"name":"QAW_GETWIDTHS","features":[372]},{"name":"QC_1BIT","features":[372]},{"name":"QC_4BIT","features":[372]},{"name":"QC_OUTLINES","features":[372]},{"name":"QDA_ACCELERATION_LEVEL","features":[372]},{"name":"QDA_RESERVED","features":[372]},{"name":"QDC_ALL_PATHS","features":[372]},{"name":"QDC_DATABASE_CURRENT","features":[372]},{"name":"QDC_INCLUDE_HMD","features":[372]},{"name":"QDC_ONLY_ACTIVE_PATHS","features":[372]},{"name":"QDC_VIRTUAL_MODE_AWARE","features":[372]},{"name":"QDC_VIRTUAL_REFRESH_RATE_AWARE","features":[372]},{"name":"QDS_CHECKJPEGFORMAT","features":[372]},{"name":"QDS_CHECKPNGFORMAT","features":[372]},{"name":"QFD_GLYPHANDBITMAP","features":[372]},{"name":"QFD_GLYPHANDOUTLINE","features":[372]},{"name":"QFD_MAXEXTENTS","features":[372]},{"name":"QFD_TT_GLYPHANDBITMAP","features":[372]},{"name":"QFD_TT_GRAY1_BITMAP","features":[372]},{"name":"QFD_TT_GRAY2_BITMAP","features":[372]},{"name":"QFD_TT_GRAY4_BITMAP","features":[372]},{"name":"QFD_TT_GRAY8_BITMAP","features":[372]},{"name":"QFD_TT_MONO_BITMAP","features":[372]},{"name":"QFF_DESCRIPTION","features":[372]},{"name":"QFF_NUMFACES","features":[372]},{"name":"QFT_GLYPHSET","features":[372]},{"name":"QFT_KERNPAIRS","features":[372]},{"name":"QFT_LIGATURES","features":[372]},{"name":"QSA_3DNOW","features":[372]},{"name":"QSA_MMX","features":[372]},{"name":"QSA_SSE","features":[372]},{"name":"QSA_SSE1","features":[372]},{"name":"QSA_SSE2","features":[372]},{"name":"QSA_SSE3","features":[372]},{"name":"QUERY_DISPLAY_CONFIG_FLAGS","features":[372]},{"name":"QueryDisplayConfig","features":[372,308]},{"name":"RB_DITHERCOLOR","features":[372]},{"name":"RECTFX","features":[372]},{"name":"RUN","features":[372]},{"name":"RestoreMonitorFactoryColorDefaults","features":[372,308]},{"name":"RestoreMonitorFactoryDefaults","features":[372,308]},{"name":"SDC_ALLOW_CHANGES","features":[372]},{"name":"SDC_ALLOW_PATH_ORDER_CHANGES","features":[372]},{"name":"SDC_APPLY","features":[372]},{"name":"SDC_FORCE_MODE_ENUMERATION","features":[372]},{"name":"SDC_NO_OPTIMIZATION","features":[372]},{"name":"SDC_PATH_PERSIST_IF_REQUIRED","features":[372]},{"name":"SDC_SAVE_TO_DATABASE","features":[372]},{"name":"SDC_TOPOLOGY_CLONE","features":[372]},{"name":"SDC_TOPOLOGY_EXTEND","features":[372]},{"name":"SDC_TOPOLOGY_EXTERNAL","features":[372]},{"name":"SDC_TOPOLOGY_INTERNAL","features":[372]},{"name":"SDC_TOPOLOGY_SUPPLIED","features":[372]},{"name":"SDC_USE_DATABASE_CURRENT","features":[372]},{"name":"SDC_USE_SUPPLIED_DISPLAY_CONFIG","features":[372]},{"name":"SDC_VALIDATE","features":[372]},{"name":"SDC_VIRTUAL_MODE_AWARE","features":[372]},{"name":"SDC_VIRTUAL_REFRESH_RATE_AWARE","features":[372]},{"name":"SETCONFIGURATION_STATUS_ADDITIONAL","features":[372]},{"name":"SETCONFIGURATION_STATUS_APPLIED","features":[372]},{"name":"SETCONFIGURATION_STATUS_OVERRIDDEN","features":[372]},{"name":"SET_ACTIVE_COLOR_PROFILE_NAME","features":[372]},{"name":"SET_DISPLAY_CONFIG_FLAGS","features":[372]},{"name":"SGI_EXTRASPACE","features":[372]},{"name":"SORTCOMP","features":[372]},{"name":"SO_BREAK_EXTRA","features":[372]},{"name":"SO_CHARACTER_EXTRA","features":[372]},{"name":"SO_CHAR_INC_EQUAL_BM_BASE","features":[372]},{"name":"SO_DO_NOT_SUBSTITUTE_DEVICE_FONT","features":[372]},{"name":"SO_DXDY","features":[372]},{"name":"SO_ESC_NOT_ORIENT","features":[372]},{"name":"SO_FLAG_DEFAULT_PLACEMENT","features":[372]},{"name":"SO_GLYPHINDEX_TEXTOUT","features":[372]},{"name":"SO_HORIZONTAL","features":[372]},{"name":"SO_MAXEXT_EQUAL_BM_SIDE","features":[372]},{"name":"SO_REVERSED","features":[372]},{"name":"SO_VERTICAL","features":[372]},{"name":"SO_ZERO_BEARINGS","features":[372]},{"name":"SPS_ACCEPT_EXCLUDE","features":[372]},{"name":"SPS_ACCEPT_NOEXCLUDE","features":[372]},{"name":"SPS_ACCEPT_SYNCHRONOUS","features":[372]},{"name":"SPS_ALPHA","features":[372]},{"name":"SPS_ANIMATESTART","features":[372]},{"name":"SPS_ANIMATEUPDATE","features":[372]},{"name":"SPS_ASYNCCHANGE","features":[372]},{"name":"SPS_CHANGE","features":[372]},{"name":"SPS_DECLINE","features":[372]},{"name":"SPS_ERROR","features":[372]},{"name":"SPS_FLAGSMASK","features":[372]},{"name":"SPS_FREQMASK","features":[372]},{"name":"SPS_LENGTHMASK","features":[372]},{"name":"SPS_RESERVED","features":[372]},{"name":"SPS_RESERVED1","features":[372]},{"name":"SS_FREE","features":[372]},{"name":"SS_RESTORE","features":[372]},{"name":"SS_SAVE","features":[372]},{"name":"STROBJ","features":[372,308]},{"name":"STROBJ_bEnum","features":[372,308]},{"name":"STROBJ_bEnumPositionsOnly","features":[372,308]},{"name":"STROBJ_bGetAdvanceWidths","features":[372,308]},{"name":"STROBJ_dwGetCodePage","features":[372,308]},{"name":"STROBJ_vEnumStart","features":[372,308]},{"name":"STYPE_BITMAP","features":[372]},{"name":"STYPE_DEVBITMAP","features":[372]},{"name":"SURFOBJ","features":[372,308]},{"name":"S_INIT","features":[372]},{"name":"SaveCurrentMonitorSettings","features":[372,308]},{"name":"SaveCurrentSettings","features":[372,308]},{"name":"SetDisplayAutoRotationPreferences","features":[372,308]},{"name":"SetDisplayConfig","features":[372,308]},{"name":"SetMonitorBrightness","features":[372,308]},{"name":"SetMonitorColorTemperature","features":[372,308]},{"name":"SetMonitorContrast","features":[372,308]},{"name":"SetMonitorDisplayAreaPosition","features":[372,308]},{"name":"SetMonitorDisplayAreaSize","features":[372,308]},{"name":"SetMonitorRedGreenOrBlueDrive","features":[372,308]},{"name":"SetMonitorRedGreenOrBlueGain","features":[372,308]},{"name":"SetVCPFeature","features":[372,308]},{"name":"Sources","features":[372]},{"name":"TC_PATHOBJ","features":[372]},{"name":"TC_RECTANGLES","features":[372]},{"name":"TTO_METRICS_ONLY","features":[372]},{"name":"TTO_QUBICS","features":[372]},{"name":"TTO_UNHINTED","features":[372]},{"name":"TYPE1_FONT","features":[372,308]},{"name":"VGA_CHAR","features":[372]},{"name":"VIDEOPARAMETERS","features":[372]},{"name":"VIDEO_BANK_SELECT","features":[372]},{"name":"VIDEO_BANK_TYPE","features":[372]},{"name":"VIDEO_BRIGHTNESS_POLICY","features":[372,308]},{"name":"VIDEO_CLUT","features":[372]},{"name":"VIDEO_CLUTDATA","features":[372]},{"name":"VIDEO_COLOR_CAPABILITIES","features":[372]},{"name":"VIDEO_COLOR_LUT_DATA","features":[372]},{"name":"VIDEO_COLOR_LUT_DATA_FORMAT_PRIVATEFORMAT","features":[372]},{"name":"VIDEO_COLOR_LUT_DATA_FORMAT_RGB256WORDS","features":[372]},{"name":"VIDEO_CURSOR_ATTRIBUTES","features":[372]},{"name":"VIDEO_CURSOR_POSITION","features":[372]},{"name":"VIDEO_DEVICE_COLOR","features":[372]},{"name":"VIDEO_DEVICE_NAME","features":[372]},{"name":"VIDEO_DEVICE_SESSION_STATUS","features":[372]},{"name":"VIDEO_DUALVIEW_PRIMARY","features":[372]},{"name":"VIDEO_DUALVIEW_REMOVABLE","features":[372]},{"name":"VIDEO_DUALVIEW_SECONDARY","features":[372]},{"name":"VIDEO_DUALVIEW_WDDM_VGA","features":[372]},{"name":"VIDEO_HARDWARE_STATE","features":[372]},{"name":"VIDEO_HARDWARE_STATE_HEADER","features":[372]},{"name":"VIDEO_LOAD_FONT_INFORMATION","features":[372]},{"name":"VIDEO_LUT_RGB256WORDS","features":[372]},{"name":"VIDEO_MAX_REASON","features":[372]},{"name":"VIDEO_MEMORY","features":[372]},{"name":"VIDEO_MEMORY_INFORMATION","features":[372]},{"name":"VIDEO_MODE","features":[372]},{"name":"VIDEO_MODE_ANIMATE_START","features":[372]},{"name":"VIDEO_MODE_ANIMATE_UPDATE","features":[372]},{"name":"VIDEO_MODE_ASYNC_POINTER","features":[372]},{"name":"VIDEO_MODE_BANKED","features":[372]},{"name":"VIDEO_MODE_COLOR","features":[372]},{"name":"VIDEO_MODE_COLOR_POINTER","features":[372]},{"name":"VIDEO_MODE_GRAPHICS","features":[372]},{"name":"VIDEO_MODE_INFORMATION","features":[372]},{"name":"VIDEO_MODE_INTERLACED","features":[372]},{"name":"VIDEO_MODE_LINEAR","features":[372]},{"name":"VIDEO_MODE_MANAGED_PALETTE","features":[372]},{"name":"VIDEO_MODE_MAP_MEM_LINEAR","features":[372]},{"name":"VIDEO_MODE_MONO_POINTER","features":[372]},{"name":"VIDEO_MODE_NO_64_BIT_ACCESS","features":[372]},{"name":"VIDEO_MODE_NO_OFF_SCREEN","features":[372]},{"name":"VIDEO_MODE_NO_ZERO_MEMORY","features":[372]},{"name":"VIDEO_MODE_PALETTE_DRIVEN","features":[372]},{"name":"VIDEO_MONITOR_DESCRIPTOR","features":[372]},{"name":"VIDEO_NUM_MODES","features":[372]},{"name":"VIDEO_OPTIONAL_GAMMET_TABLE","features":[372]},{"name":"VIDEO_PALETTE_DATA","features":[372]},{"name":"VIDEO_PERFORMANCE_COUNTER","features":[372]},{"name":"VIDEO_POINTER_ATTRIBUTES","features":[372]},{"name":"VIDEO_POINTER_CAPABILITIES","features":[372]},{"name":"VIDEO_POINTER_POSITION","features":[372]},{"name":"VIDEO_POWER_MANAGEMENT","features":[372]},{"name":"VIDEO_POWER_STATE","features":[372]},{"name":"VIDEO_PUBLIC_ACCESS_RANGES","features":[372]},{"name":"VIDEO_QUERY_PERFORMANCE_COUNTER","features":[372]},{"name":"VIDEO_REASON_ALLOCATION","features":[372]},{"name":"VIDEO_REASON_CONFIGURATION","features":[372]},{"name":"VIDEO_REASON_FAILED_ROTATION","features":[372]},{"name":"VIDEO_REASON_LOCK","features":[372]},{"name":"VIDEO_REASON_NONE","features":[372]},{"name":"VIDEO_REASON_POLICY1","features":[372]},{"name":"VIDEO_REASON_POLICY2","features":[372]},{"name":"VIDEO_REASON_POLICY3","features":[372]},{"name":"VIDEO_REASON_POLICY4","features":[372]},{"name":"VIDEO_REASON_SCRATCH","features":[372]},{"name":"VIDEO_REGISTER_VDM","features":[372]},{"name":"VIDEO_SHARE_MEMORY","features":[372,308]},{"name":"VIDEO_SHARE_MEMORY_INFORMATION","features":[372]},{"name":"VIDEO_STATE_NON_STANDARD_VGA","features":[372]},{"name":"VIDEO_STATE_PACKED_CHAIN4_MODE","features":[372]},{"name":"VIDEO_STATE_UNEMULATED_VGA_STATE","features":[372]},{"name":"VIDEO_VDM","features":[372,308]},{"name":"VIDEO_WIN32K_CALLBACKS","features":[372,308]},{"name":"VIDEO_WIN32K_CALLBACKS_PARAMS","features":[372,308]},{"name":"VIDEO_WIN32K_CALLBACKS_PARAMS_TYPE","features":[372]},{"name":"VideoBanked1R1W","features":[372]},{"name":"VideoBanked1RW","features":[372]},{"name":"VideoBanked2RW","features":[372]},{"name":"VideoBlackScreenDiagnostics","features":[372]},{"name":"VideoDesktopDuplicationChange","features":[372]},{"name":"VideoDisableMultiPlaneOverlay","features":[372]},{"name":"VideoDxgkDisplaySwitchCallout","features":[372]},{"name":"VideoDxgkFindAdapterTdrCallout","features":[372]},{"name":"VideoDxgkHardwareProtectionTeardown","features":[372]},{"name":"VideoEnumChildPdoNotifyCallout","features":[372]},{"name":"VideoFindAdapterCallout","features":[372]},{"name":"VideoNotBanked","features":[372]},{"name":"VideoPnpNotifyCallout","features":[372]},{"name":"VideoPowerHibernate","features":[372]},{"name":"VideoPowerMaximum","features":[372]},{"name":"VideoPowerNotifyCallout","features":[372]},{"name":"VideoPowerOff","features":[372]},{"name":"VideoPowerOn","features":[372]},{"name":"VideoPowerShutdown","features":[372]},{"name":"VideoPowerStandBy","features":[372]},{"name":"VideoPowerSuspend","features":[372]},{"name":"VideoPowerUnspecified","features":[372]},{"name":"VideoRepaintDesktop","features":[372]},{"name":"VideoUpdateCursor","features":[372]},{"name":"WCRUN","features":[372]},{"name":"WINDDI_MAXSETPALETTECOLORINDEX","features":[372]},{"name":"WINDDI_MAXSETPALETTECOLORS","features":[372]},{"name":"WINDDI_MAX_BROADCAST_CONTEXT","features":[372]},{"name":"WNDOBJ","features":[372,308]},{"name":"WNDOBJCHANGEPROC","features":[372,308]},{"name":"WNDOBJ_SETUP","features":[372]},{"name":"WOC_CHANGED","features":[372]},{"name":"WOC_DELETE","features":[372]},{"name":"WOC_DRAWN","features":[372]},{"name":"WOC_RGN_CLIENT","features":[372]},{"name":"WOC_RGN_CLIENT_DELTA","features":[372]},{"name":"WOC_RGN_SPRITE","features":[372]},{"name":"WOC_RGN_SURFACE","features":[372]},{"name":"WOC_RGN_SURFACE_DELTA","features":[372]},{"name":"WOC_SPRITE_NO_OVERLAP","features":[372]},{"name":"WOC_SPRITE_OVERLAP","features":[372]},{"name":"WO_DRAW_NOTIFY","features":[372]},{"name":"WO_RGN_CLIENT","features":[372]},{"name":"WO_RGN_CLIENT_DELTA","features":[372]},{"name":"WO_RGN_DESKTOP_COORD","features":[372]},{"name":"WO_RGN_SPRITE","features":[372]},{"name":"WO_RGN_SURFACE","features":[372]},{"name":"WO_RGN_SURFACE_DELTA","features":[372]},{"name":"WO_RGN_UPDATE_ALL","features":[372]},{"name":"WO_RGN_WINDOW","features":[372]},{"name":"WO_SPRITE_NOTIFY","features":[372]},{"name":"WVIDEO_DEVICE_NAME","features":[372]},{"name":"XFORML","features":[372]},{"name":"XFORML","features":[372]},{"name":"XFORMOBJ","features":[372]},{"name":"XFORMOBJ_bApplyXform","features":[372,308]},{"name":"XFORMOBJ_iGetXform","features":[372]},{"name":"XF_INV_FXTOL","features":[372]},{"name":"XF_INV_LTOL","features":[372]},{"name":"XF_LTOFX","features":[372]},{"name":"XF_LTOL","features":[372]},{"name":"XLATEOBJ","features":[372]},{"name":"XLATEOBJ_cGetPalette","features":[372]},{"name":"XLATEOBJ_hGetColorTransform","features":[372,308]},{"name":"XLATEOBJ_iXlate","features":[372]},{"name":"XLATEOBJ_piVector","features":[372]},{"name":"XO_DESTBITFIELDS","features":[372]},{"name":"XO_DESTDCPALETTE","features":[372]},{"name":"XO_DESTPALETTE","features":[372]},{"name":"XO_DEVICE_ICM","features":[372]},{"name":"XO_FROM_CMYK","features":[372]},{"name":"XO_HOST_ICM","features":[372]},{"name":"XO_SRCBITFIELDS","features":[372]},{"name":"XO_SRCPALETTE","features":[372]},{"name":"XO_TABLE","features":[372]},{"name":"XO_TO_MONO","features":[372]},{"name":"XO_TRIVIAL","features":[372]}],"375":[{"name":"ADDRESS_FAMILY_VALUE_NAME","features":[376]},{"name":"FAULT_ACTION_SPECIFIC_BASE","features":[376]},{"name":"FAULT_ACTION_SPECIFIC_MAX","features":[376]},{"name":"FAULT_DEVICE_INTERNAL_ERROR","features":[376]},{"name":"FAULT_INVALID_ACTION","features":[376]},{"name":"FAULT_INVALID_ARG","features":[376]},{"name":"FAULT_INVALID_SEQUENCE_NUMBER","features":[376]},{"name":"FAULT_INVALID_VARIABLE","features":[376]},{"name":"HSWDEVICE","features":[376]},{"name":"IUPnPAddressFamilyControl","features":[376]},{"name":"IUPnPAsyncResult","features":[376]},{"name":"IUPnPDescriptionDocument","features":[376,359]},{"name":"IUPnPDescriptionDocumentCallback","features":[376]},{"name":"IUPnPDevice","features":[376,359]},{"name":"IUPnPDeviceControl","features":[376]},{"name":"IUPnPDeviceControlHttpHeaders","features":[376]},{"name":"IUPnPDeviceDocumentAccess","features":[376]},{"name":"IUPnPDeviceDocumentAccessEx","features":[376]},{"name":"IUPnPDeviceFinder","features":[376,359]},{"name":"IUPnPDeviceFinderAddCallbackWithInterface","features":[376]},{"name":"IUPnPDeviceFinderCallback","features":[376]},{"name":"IUPnPDeviceProvider","features":[376]},{"name":"IUPnPDevices","features":[376,359]},{"name":"IUPnPEventSink","features":[376]},{"name":"IUPnPEventSource","features":[376]},{"name":"IUPnPHttpHeaderControl","features":[376]},{"name":"IUPnPRegistrar","features":[376]},{"name":"IUPnPRemoteEndpointInfo","features":[376]},{"name":"IUPnPReregistrar","features":[376]},{"name":"IUPnPService","features":[376,359]},{"name":"IUPnPServiceAsync","features":[376]},{"name":"IUPnPServiceCallback","features":[376]},{"name":"IUPnPServiceDocumentAccess","features":[376]},{"name":"IUPnPServiceEnumProperty","features":[376]},{"name":"IUPnPServices","features":[376,359]},{"name":"REMOTE_ADDRESS_VALUE_NAME","features":[376]},{"name":"SWDeviceCapabilitiesDriverRequired","features":[376]},{"name":"SWDeviceCapabilitiesNoDisplayInUI","features":[376]},{"name":"SWDeviceCapabilitiesNone","features":[376]},{"name":"SWDeviceCapabilitiesRemovable","features":[376]},{"name":"SWDeviceCapabilitiesSilentInstall","features":[376]},{"name":"SWDeviceLifetimeHandle","features":[376]},{"name":"SWDeviceLifetimeMax","features":[376]},{"name":"SWDeviceLifetimeParentPresent","features":[376]},{"name":"SW_DEVICE_CAPABILITIES","features":[376]},{"name":"SW_DEVICE_CREATE_CALLBACK","features":[376]},{"name":"SW_DEVICE_CREATE_INFO","features":[376,308,311]},{"name":"SW_DEVICE_LIFETIME","features":[376]},{"name":"SwDeviceClose","features":[376]},{"name":"SwDeviceCreate","features":[376,341,308,311]},{"name":"SwDeviceGetLifetime","features":[376]},{"name":"SwDeviceInterfacePropertySet","features":[376,341]},{"name":"SwDeviceInterfaceRegister","features":[376,341,308]},{"name":"SwDeviceInterfaceSetState","features":[376,308]},{"name":"SwDevicePropertySet","features":[376,341]},{"name":"SwDeviceSetLifetime","features":[376]},{"name":"SwMemFree","features":[376]},{"name":"UPNP_ADDRESSFAMILY_BOTH","features":[376]},{"name":"UPNP_ADDRESSFAMILY_IPv4","features":[376]},{"name":"UPNP_ADDRESSFAMILY_IPv6","features":[376]},{"name":"UPNP_E_ACTION_REQUEST_FAILED","features":[376]},{"name":"UPNP_E_ACTION_SPECIFIC_BASE","features":[376]},{"name":"UPNP_E_DEVICE_ELEMENT_EXPECTED","features":[376]},{"name":"UPNP_E_DEVICE_ERROR","features":[376]},{"name":"UPNP_E_DEVICE_NODE_INCOMPLETE","features":[376]},{"name":"UPNP_E_DEVICE_NOTREGISTERED","features":[376]},{"name":"UPNP_E_DEVICE_RUNNING","features":[376]},{"name":"UPNP_E_DEVICE_TIMEOUT","features":[376]},{"name":"UPNP_E_DUPLICATE_NOT_ALLOWED","features":[376]},{"name":"UPNP_E_DUPLICATE_SERVICE_ID","features":[376]},{"name":"UPNP_E_ERROR_PROCESSING_RESPONSE","features":[376]},{"name":"UPNP_E_EVENT_SUBSCRIPTION_FAILED","features":[376]},{"name":"UPNP_E_ICON_ELEMENT_EXPECTED","features":[376]},{"name":"UPNP_E_ICON_NODE_INCOMPLETE","features":[376]},{"name":"UPNP_E_INVALID_ACTION","features":[376]},{"name":"UPNP_E_INVALID_ARGUMENTS","features":[376]},{"name":"UPNP_E_INVALID_DESCRIPTION","features":[376]},{"name":"UPNP_E_INVALID_DOCUMENT","features":[376]},{"name":"UPNP_E_INVALID_ICON","features":[376]},{"name":"UPNP_E_INVALID_ROOT_NAMESPACE","features":[376]},{"name":"UPNP_E_INVALID_SERVICE","features":[376]},{"name":"UPNP_E_INVALID_VARIABLE","features":[376]},{"name":"UPNP_E_INVALID_XML","features":[376]},{"name":"UPNP_E_OUT_OF_SYNC","features":[376]},{"name":"UPNP_E_PROTOCOL_ERROR","features":[376]},{"name":"UPNP_E_REQUIRED_ELEMENT_ERROR","features":[376]},{"name":"UPNP_E_ROOT_ELEMENT_EXPECTED","features":[376]},{"name":"UPNP_E_SERVICE_ELEMENT_EXPECTED","features":[376]},{"name":"UPNP_E_SERVICE_NODE_INCOMPLETE","features":[376]},{"name":"UPNP_E_SUFFIX_TOO_LONG","features":[376]},{"name":"UPNP_E_TRANSPORT_ERROR","features":[376]},{"name":"UPNP_E_URLBASE_PRESENT","features":[376]},{"name":"UPNP_E_VALUE_TOO_LONG","features":[376]},{"name":"UPNP_E_VARIABLE_VALUE_UNKNOWN","features":[376]},{"name":"UPNP_SERVICE_DELAY_SCPD_AND_SUBSCRIPTION","features":[376]},{"name":"UPnPDescriptionDocument","features":[376]},{"name":"UPnPDescriptionDocumentEx","features":[376]},{"name":"UPnPDevice","features":[376]},{"name":"UPnPDeviceFinder","features":[376]},{"name":"UPnPDeviceFinderEx","features":[376]},{"name":"UPnPDevices","features":[376]},{"name":"UPnPRegistrar","features":[376]},{"name":"UPnPRemoteEndpointInfo","features":[376]},{"name":"UPnPService","features":[376]},{"name":"UPnPServices","features":[376]}],"376":[{"name":"CF_MSFAXSRV_DEVICE_ID","features":[377]},{"name":"CF_MSFAXSRV_FSP_GUID","features":[377]},{"name":"CF_MSFAXSRV_ROUTEEXT_NAME","features":[377]},{"name":"CF_MSFAXSRV_ROUTING_METHOD_GUID","features":[377]},{"name":"CF_MSFAXSRV_SERVER_NAME","features":[377]},{"name":"CLSID_Sti","features":[377]},{"name":"CanSendToFaxRecipient","features":[377,308]},{"name":"DEVPKEY_WIA_DeviceType","features":[377,341]},{"name":"DEVPKEY_WIA_USDClassId","features":[377,341]},{"name":"DEV_ID_SRC_FAX","features":[377]},{"name":"DEV_ID_SRC_TAPI","features":[377]},{"name":"DRT_EMAIL","features":[377]},{"name":"DRT_INBOX","features":[377]},{"name":"DRT_NONE","features":[377]},{"name":"FAXDEVRECEIVE_SIZE","features":[377]},{"name":"FAXDEVREPORTSTATUS_SIZE","features":[377]},{"name":"FAXLOG_CATEGORY_INBOUND","features":[377]},{"name":"FAXLOG_CATEGORY_INIT","features":[377]},{"name":"FAXLOG_CATEGORY_OUTBOUND","features":[377]},{"name":"FAXLOG_CATEGORY_UNKNOWN","features":[377]},{"name":"FAXLOG_LEVEL_MAX","features":[377]},{"name":"FAXLOG_LEVEL_MED","features":[377]},{"name":"FAXLOG_LEVEL_MIN","features":[377]},{"name":"FAXLOG_LEVEL_NONE","features":[377]},{"name":"FAXROUTE_ENABLE","features":[377]},{"name":"FAXSRV_DEVICE_NODETYPE_GUID","features":[377]},{"name":"FAXSRV_DEVICE_PROVIDER_NODETYPE_GUID","features":[377]},{"name":"FAXSRV_ROUTING_METHOD_NODETYPE_GUID","features":[377]},{"name":"FAX_ACCESS_RIGHTS_ENUM","features":[377]},{"name":"FAX_ACCESS_RIGHTS_ENUM_2","features":[377]},{"name":"FAX_ACCOUNT_EVENTS_TYPE_ENUM","features":[377]},{"name":"FAX_CONFIGURATIONA","features":[377,308]},{"name":"FAX_CONFIGURATIONW","features":[377,308]},{"name":"FAX_CONFIG_QUERY","features":[377]},{"name":"FAX_CONFIG_SET","features":[377]},{"name":"FAX_CONTEXT_INFOA","features":[377,319]},{"name":"FAX_CONTEXT_INFOW","features":[377,319]},{"name":"FAX_COVERPAGE_INFOA","features":[377,308]},{"name":"FAX_COVERPAGE_INFOW","features":[377,308]},{"name":"FAX_COVERPAGE_TYPE_ENUM","features":[377]},{"name":"FAX_DEVICE_RECEIVE_MODE_ENUM","features":[377]},{"name":"FAX_DEVICE_STATUSA","features":[377,308]},{"name":"FAX_DEVICE_STATUSW","features":[377,308]},{"name":"FAX_DEV_STATUS","features":[377]},{"name":"FAX_ENUM_DELIVERY_REPORT_TYPES","features":[377]},{"name":"FAX_ENUM_DEVICE_ID_SOURCE","features":[377]},{"name":"FAX_ENUM_JOB_COMMANDS","features":[377]},{"name":"FAX_ENUM_JOB_SEND_ATTRIBUTES","features":[377]},{"name":"FAX_ENUM_LOG_CATEGORIES","features":[377]},{"name":"FAX_ENUM_LOG_LEVELS","features":[377]},{"name":"FAX_ENUM_PORT_OPEN_TYPE","features":[377]},{"name":"FAX_ERR_BAD_GROUP_CONFIGURATION","features":[377]},{"name":"FAX_ERR_DEVICE_NUM_LIMIT_EXCEEDED","features":[377]},{"name":"FAX_ERR_DIRECTORY_IN_USE","features":[377]},{"name":"FAX_ERR_END","features":[377]},{"name":"FAX_ERR_FILE_ACCESS_DENIED","features":[377]},{"name":"FAX_ERR_GROUP_IN_USE","features":[377]},{"name":"FAX_ERR_GROUP_NOT_FOUND","features":[377]},{"name":"FAX_ERR_MESSAGE_NOT_FOUND","features":[377]},{"name":"FAX_ERR_NOT_NTFS","features":[377]},{"name":"FAX_ERR_NOT_SUPPORTED_ON_THIS_SKU","features":[377]},{"name":"FAX_ERR_RECIPIENTS_LIMIT","features":[377]},{"name":"FAX_ERR_RULE_NOT_FOUND","features":[377]},{"name":"FAX_ERR_SRV_OUTOFMEMORY","features":[377]},{"name":"FAX_ERR_START","features":[377]},{"name":"FAX_ERR_VERSION_MISMATCH","features":[377]},{"name":"FAX_EVENTA","features":[377,308]},{"name":"FAX_EVENTW","features":[377,308]},{"name":"FAX_E_BAD_GROUP_CONFIGURATION","features":[377]},{"name":"FAX_E_DEVICE_NUM_LIMIT_EXCEEDED","features":[377]},{"name":"FAX_E_DIRECTORY_IN_USE","features":[377]},{"name":"FAX_E_FILE_ACCESS_DENIED","features":[377]},{"name":"FAX_E_GROUP_IN_USE","features":[377]},{"name":"FAX_E_GROUP_NOT_FOUND","features":[377]},{"name":"FAX_E_MESSAGE_NOT_FOUND","features":[377]},{"name":"FAX_E_NOT_NTFS","features":[377]},{"name":"FAX_E_NOT_SUPPORTED_ON_THIS_SKU","features":[377]},{"name":"FAX_E_RECIPIENTS_LIMIT","features":[377]},{"name":"FAX_E_RULE_NOT_FOUND","features":[377]},{"name":"FAX_E_SRV_OUTOFMEMORY","features":[377]},{"name":"FAX_E_VERSION_MISMATCH","features":[377]},{"name":"FAX_GLOBAL_ROUTING_INFOA","features":[377]},{"name":"FAX_GLOBAL_ROUTING_INFOW","features":[377]},{"name":"FAX_GROUP_STATUS_ENUM","features":[377]},{"name":"FAX_JOB_ENTRYA","features":[377,308]},{"name":"FAX_JOB_ENTRYW","features":[377,308]},{"name":"FAX_JOB_EXTENDED_STATUS_ENUM","features":[377]},{"name":"FAX_JOB_MANAGE","features":[377]},{"name":"FAX_JOB_OPERATIONS_ENUM","features":[377]},{"name":"FAX_JOB_PARAMA","features":[377,308]},{"name":"FAX_JOB_PARAMW","features":[377,308]},{"name":"FAX_JOB_QUERY","features":[377]},{"name":"FAX_JOB_STATUS_ENUM","features":[377]},{"name":"FAX_JOB_SUBMIT","features":[377]},{"name":"FAX_JOB_TYPE_ENUM","features":[377]},{"name":"FAX_LOG_CATEGORYA","features":[377]},{"name":"FAX_LOG_CATEGORYW","features":[377]},{"name":"FAX_LOG_LEVEL_ENUM","features":[377]},{"name":"FAX_PORT_INFOA","features":[377]},{"name":"FAX_PORT_INFOW","features":[377]},{"name":"FAX_PORT_QUERY","features":[377]},{"name":"FAX_PORT_SET","features":[377]},{"name":"FAX_PRINT_INFOA","features":[377]},{"name":"FAX_PRINT_INFOW","features":[377]},{"name":"FAX_PRIORITY_TYPE_ENUM","features":[377]},{"name":"FAX_PROVIDER_STATUS_ENUM","features":[377]},{"name":"FAX_RECEIPT_TYPE_ENUM","features":[377]},{"name":"FAX_RECEIVE","features":[377]},{"name":"FAX_ROUTE","features":[377]},{"name":"FAX_ROUTE_CALLBACKROUTINES","features":[377,308]},{"name":"FAX_ROUTING_METHODA","features":[377,308]},{"name":"FAX_ROUTING_METHODW","features":[377,308]},{"name":"FAX_ROUTING_RULE_CODE_ENUM","features":[377]},{"name":"FAX_RULE_STATUS_ENUM","features":[377]},{"name":"FAX_SCHEDULE_TYPE_ENUM","features":[377]},{"name":"FAX_SEND","features":[377,308]},{"name":"FAX_SERVER_APIVERSION_ENUM","features":[377]},{"name":"FAX_SERVER_EVENTS_TYPE_ENUM","features":[377]},{"name":"FAX_SMTP_AUTHENTICATION_TYPE_ENUM","features":[377]},{"name":"FAX_TIME","features":[377]},{"name":"FEI_ABORTING","features":[377]},{"name":"FEI_ANSWERED","features":[377]},{"name":"FEI_BAD_ADDRESS","features":[377]},{"name":"FEI_BUSY","features":[377]},{"name":"FEI_CALL_BLACKLISTED","features":[377]},{"name":"FEI_CALL_DELAYED","features":[377]},{"name":"FEI_COMPLETED","features":[377]},{"name":"FEI_DELETED","features":[377]},{"name":"FEI_DIALING","features":[377]},{"name":"FEI_DISCONNECTED","features":[377]},{"name":"FEI_FATAL_ERROR","features":[377]},{"name":"FEI_FAXSVC_ENDED","features":[377]},{"name":"FEI_FAXSVC_STARTED","features":[377]},{"name":"FEI_HANDLED","features":[377]},{"name":"FEI_IDLE","features":[377]},{"name":"FEI_INITIALIZING","features":[377]},{"name":"FEI_JOB_QUEUED","features":[377]},{"name":"FEI_LINE_UNAVAILABLE","features":[377]},{"name":"FEI_MODEM_POWERED_OFF","features":[377]},{"name":"FEI_MODEM_POWERED_ON","features":[377]},{"name":"FEI_NEVENTS","features":[377]},{"name":"FEI_NOT_FAX_CALL","features":[377]},{"name":"FEI_NO_ANSWER","features":[377]},{"name":"FEI_NO_DIAL_TONE","features":[377]},{"name":"FEI_RECEIVING","features":[377]},{"name":"FEI_RINGING","features":[377]},{"name":"FEI_ROUTING","features":[377]},{"name":"FEI_SENDING","features":[377]},{"name":"FPF_RECEIVE","features":[377]},{"name":"FPF_SEND","features":[377]},{"name":"FPF_VIRTUAL","features":[377]},{"name":"FPS_ABORTING","features":[377]},{"name":"FPS_ANSWERED","features":[377]},{"name":"FPS_AVAILABLE","features":[377]},{"name":"FPS_BAD_ADDRESS","features":[377]},{"name":"FPS_BUSY","features":[377]},{"name":"FPS_CALL_BLACKLISTED","features":[377]},{"name":"FPS_CALL_DELAYED","features":[377]},{"name":"FPS_COMPLETED","features":[377]},{"name":"FPS_DIALING","features":[377]},{"name":"FPS_DISCONNECTED","features":[377]},{"name":"FPS_FATAL_ERROR","features":[377]},{"name":"FPS_HANDLED","features":[377]},{"name":"FPS_INITIALIZING","features":[377]},{"name":"FPS_NOT_FAX_CALL","features":[377]},{"name":"FPS_NO_ANSWER","features":[377]},{"name":"FPS_NO_DIAL_TONE","features":[377]},{"name":"FPS_OFFLINE","features":[377]},{"name":"FPS_RECEIVING","features":[377]},{"name":"FPS_RINGING","features":[377]},{"name":"FPS_ROUTING","features":[377]},{"name":"FPS_SENDING","features":[377]},{"name":"FPS_UNAVAILABLE","features":[377]},{"name":"FS_ANSWERED","features":[377]},{"name":"FS_BAD_ADDRESS","features":[377]},{"name":"FS_BUSY","features":[377]},{"name":"FS_CALL_BLACKLISTED","features":[377]},{"name":"FS_CALL_DELAYED","features":[377]},{"name":"FS_COMPLETED","features":[377]},{"name":"FS_DIALING","features":[377]},{"name":"FS_DISCONNECTED","features":[377]},{"name":"FS_FATAL_ERROR","features":[377]},{"name":"FS_HANDLED","features":[377]},{"name":"FS_INITIALIZING","features":[377]},{"name":"FS_LINE_UNAVAILABLE","features":[377]},{"name":"FS_NOT_FAX_CALL","features":[377]},{"name":"FS_NO_ANSWER","features":[377]},{"name":"FS_NO_DIAL_TONE","features":[377]},{"name":"FS_RECEIVING","features":[377]},{"name":"FS_TRANSMITTING","features":[377]},{"name":"FS_USER_ABORT","features":[377]},{"name":"FaxAbort","features":[377,308]},{"name":"FaxAccessCheck","features":[377,308]},{"name":"FaxAccount","features":[377]},{"name":"FaxAccountFolders","features":[377]},{"name":"FaxAccountIncomingArchive","features":[377]},{"name":"FaxAccountIncomingQueue","features":[377]},{"name":"FaxAccountOutgoingArchive","features":[377]},{"name":"FaxAccountOutgoingQueue","features":[377]},{"name":"FaxAccountSet","features":[377]},{"name":"FaxAccounts","features":[377]},{"name":"FaxActivity","features":[377]},{"name":"FaxActivityLogging","features":[377]},{"name":"FaxClose","features":[377,308]},{"name":"FaxCompleteJobParamsA","features":[377,308]},{"name":"FaxCompleteJobParamsW","features":[377,308]},{"name":"FaxConfiguration","features":[377]},{"name":"FaxConnectFaxServerA","features":[377,308]},{"name":"FaxConnectFaxServerW","features":[377,308]},{"name":"FaxDevice","features":[377]},{"name":"FaxDeviceIds","features":[377]},{"name":"FaxDeviceProvider","features":[377]},{"name":"FaxDeviceProviders","features":[377]},{"name":"FaxDevices","features":[377]},{"name":"FaxDocument","features":[377]},{"name":"FaxEnableRoutingMethodA","features":[377,308]},{"name":"FaxEnableRoutingMethodW","features":[377,308]},{"name":"FaxEnumGlobalRoutingInfoA","features":[377,308]},{"name":"FaxEnumGlobalRoutingInfoW","features":[377,308]},{"name":"FaxEnumJobsA","features":[377,308]},{"name":"FaxEnumJobsW","features":[377,308]},{"name":"FaxEnumPortsA","features":[377,308]},{"name":"FaxEnumPortsW","features":[377,308]},{"name":"FaxEnumRoutingMethodsA","features":[377,308]},{"name":"FaxEnumRoutingMethodsW","features":[377,308]},{"name":"FaxEventLogging","features":[377]},{"name":"FaxFolders","features":[377]},{"name":"FaxFreeBuffer","features":[377]},{"name":"FaxGetConfigurationA","features":[377,308]},{"name":"FaxGetConfigurationW","features":[377,308]},{"name":"FaxGetDeviceStatusA","features":[377,308]},{"name":"FaxGetDeviceStatusW","features":[377,308]},{"name":"FaxGetJobA","features":[377,308]},{"name":"FaxGetJobW","features":[377,308]},{"name":"FaxGetLoggingCategoriesA","features":[377,308]},{"name":"FaxGetLoggingCategoriesW","features":[377,308]},{"name":"FaxGetPageData","features":[377,308]},{"name":"FaxGetPortA","features":[377,308]},{"name":"FaxGetPortW","features":[377,308]},{"name":"FaxGetRoutingInfoA","features":[377,308]},{"name":"FaxGetRoutingInfoW","features":[377,308]},{"name":"FaxInboundRouting","features":[377]},{"name":"FaxInboundRoutingExtension","features":[377]},{"name":"FaxInboundRoutingExtensions","features":[377]},{"name":"FaxInboundRoutingMethod","features":[377]},{"name":"FaxInboundRoutingMethods","features":[377]},{"name":"FaxIncomingArchive","features":[377]},{"name":"FaxIncomingJob","features":[377]},{"name":"FaxIncomingJobs","features":[377]},{"name":"FaxIncomingMessage","features":[377]},{"name":"FaxIncomingMessageIterator","features":[377]},{"name":"FaxIncomingQueue","features":[377]},{"name":"FaxInitializeEventQueue","features":[377,308]},{"name":"FaxJobStatus","features":[377]},{"name":"FaxLoggingOptions","features":[377]},{"name":"FaxOpenPort","features":[377,308]},{"name":"FaxOutboundRouting","features":[377]},{"name":"FaxOutboundRoutingGroup","features":[377]},{"name":"FaxOutboundRoutingGroups","features":[377]},{"name":"FaxOutboundRoutingRule","features":[377]},{"name":"FaxOutboundRoutingRules","features":[377]},{"name":"FaxOutgoingArchive","features":[377]},{"name":"FaxOutgoingJob","features":[377]},{"name":"FaxOutgoingJobs","features":[377]},{"name":"FaxOutgoingMessage","features":[377]},{"name":"FaxOutgoingMessageIterator","features":[377]},{"name":"FaxOutgoingQueue","features":[377]},{"name":"FaxPrintCoverPageA","features":[377,308,319]},{"name":"FaxPrintCoverPageW","features":[377,308,319]},{"name":"FaxReceiptOptions","features":[377]},{"name":"FaxRecipient","features":[377]},{"name":"FaxRecipients","features":[377]},{"name":"FaxRegisterRoutingExtensionW","features":[377,308]},{"name":"FaxRegisterServiceProviderW","features":[377,308]},{"name":"FaxSecurity","features":[377]},{"name":"FaxSecurity2","features":[377]},{"name":"FaxSendDocumentA","features":[377,308]},{"name":"FaxSendDocumentForBroadcastA","features":[377,308]},{"name":"FaxSendDocumentForBroadcastW","features":[377,308]},{"name":"FaxSendDocumentW","features":[377,308]},{"name":"FaxSender","features":[377]},{"name":"FaxServer","features":[377]},{"name":"FaxSetConfigurationA","features":[377,308]},{"name":"FaxSetConfigurationW","features":[377,308]},{"name":"FaxSetGlobalRoutingInfoA","features":[377,308]},{"name":"FaxSetGlobalRoutingInfoW","features":[377,308]},{"name":"FaxSetJobA","features":[377,308]},{"name":"FaxSetJobW","features":[377,308]},{"name":"FaxSetLoggingCategoriesA","features":[377,308]},{"name":"FaxSetLoggingCategoriesW","features":[377,308]},{"name":"FaxSetPortA","features":[377,308]},{"name":"FaxSetPortW","features":[377,308]},{"name":"FaxSetRoutingInfoA","features":[377,308]},{"name":"FaxSetRoutingInfoW","features":[377,308]},{"name":"FaxStartPrintJobA","features":[377,308,319]},{"name":"FaxStartPrintJobW","features":[377,308,319]},{"name":"FaxUnregisterServiceProviderW","features":[377,308]},{"name":"GUID_DeviceArrivedLaunch","features":[377]},{"name":"GUID_STIUserDefined1","features":[377]},{"name":"GUID_STIUserDefined2","features":[377]},{"name":"GUID_STIUserDefined3","features":[377]},{"name":"GUID_ScanFaxImage","features":[377]},{"name":"GUID_ScanImage","features":[377]},{"name":"GUID_ScanPrintImage","features":[377]},{"name":"IFaxAccount","features":[377,359]},{"name":"IFaxAccountFolders","features":[377,359]},{"name":"IFaxAccountIncomingArchive","features":[377,359]},{"name":"IFaxAccountIncomingQueue","features":[377,359]},{"name":"IFaxAccountNotify","features":[377,359]},{"name":"IFaxAccountOutgoingArchive","features":[377,359]},{"name":"IFaxAccountOutgoingQueue","features":[377,359]},{"name":"IFaxAccountSet","features":[377,359]},{"name":"IFaxAccounts","features":[377,359]},{"name":"IFaxActivity","features":[377,359]},{"name":"IFaxActivityLogging","features":[377,359]},{"name":"IFaxConfiguration","features":[377,359]},{"name":"IFaxDevice","features":[377,359]},{"name":"IFaxDeviceIds","features":[377,359]},{"name":"IFaxDeviceProvider","features":[377,359]},{"name":"IFaxDeviceProviders","features":[377,359]},{"name":"IFaxDevices","features":[377,359]},{"name":"IFaxDocument","features":[377,359]},{"name":"IFaxDocument2","features":[377,359]},{"name":"IFaxEventLogging","features":[377,359]},{"name":"IFaxFolders","features":[377,359]},{"name":"IFaxInboundRouting","features":[377,359]},{"name":"IFaxInboundRoutingExtension","features":[377,359]},{"name":"IFaxInboundRoutingExtensions","features":[377,359]},{"name":"IFaxInboundRoutingMethod","features":[377,359]},{"name":"IFaxInboundRoutingMethods","features":[377,359]},{"name":"IFaxIncomingArchive","features":[377,359]},{"name":"IFaxIncomingJob","features":[377,359]},{"name":"IFaxIncomingJobs","features":[377,359]},{"name":"IFaxIncomingMessage","features":[377,359]},{"name":"IFaxIncomingMessage2","features":[377,359]},{"name":"IFaxIncomingMessageIterator","features":[377,359]},{"name":"IFaxIncomingQueue","features":[377,359]},{"name":"IFaxJobStatus","features":[377,359]},{"name":"IFaxLoggingOptions","features":[377,359]},{"name":"IFaxOutboundRouting","features":[377,359]},{"name":"IFaxOutboundRoutingGroup","features":[377,359]},{"name":"IFaxOutboundRoutingGroups","features":[377,359]},{"name":"IFaxOutboundRoutingRule","features":[377,359]},{"name":"IFaxOutboundRoutingRules","features":[377,359]},{"name":"IFaxOutgoingArchive","features":[377,359]},{"name":"IFaxOutgoingJob","features":[377,359]},{"name":"IFaxOutgoingJob2","features":[377,359]},{"name":"IFaxOutgoingJobs","features":[377,359]},{"name":"IFaxOutgoingMessage","features":[377,359]},{"name":"IFaxOutgoingMessage2","features":[377,359]},{"name":"IFaxOutgoingMessageIterator","features":[377,359]},{"name":"IFaxOutgoingQueue","features":[377,359]},{"name":"IFaxReceiptOptions","features":[377,359]},{"name":"IFaxRecipient","features":[377,359]},{"name":"IFaxRecipients","features":[377,359]},{"name":"IFaxSecurity","features":[377,359]},{"name":"IFaxSecurity2","features":[377,359]},{"name":"IFaxSender","features":[377,359]},{"name":"IFaxServer","features":[377,359]},{"name":"IFaxServer2","features":[377,359]},{"name":"IFaxServerNotify","features":[377,359]},{"name":"IFaxServerNotify2","features":[377,359]},{"name":"IS_DIGITAL_CAMERA_STR","features":[377]},{"name":"IS_DIGITAL_CAMERA_VAL","features":[377]},{"name":"IStiDevice","features":[377]},{"name":"IStiDeviceControl","features":[377]},{"name":"IStiUSD","features":[377]},{"name":"IStillImageW","features":[377]},{"name":"JC_DELETE","features":[377]},{"name":"JC_PAUSE","features":[377]},{"name":"JC_RESUME","features":[377]},{"name":"JC_UNKNOWN","features":[377]},{"name":"JSA_DISCOUNT_PERIOD","features":[377]},{"name":"JSA_NOW","features":[377]},{"name":"JSA_SPECIFIC_TIME","features":[377]},{"name":"JS_DELETING","features":[377]},{"name":"JS_FAILED","features":[377]},{"name":"JS_INPROGRESS","features":[377]},{"name":"JS_NOLINE","features":[377]},{"name":"JS_PAUSED","features":[377]},{"name":"JS_PENDING","features":[377]},{"name":"JS_RETRIES_EXCEEDED","features":[377]},{"name":"JS_RETRYING","features":[377]},{"name":"JT_FAIL_RECEIVE","features":[377]},{"name":"JT_RECEIVE","features":[377]},{"name":"JT_ROUTING","features":[377]},{"name":"JT_SEND","features":[377]},{"name":"JT_UNKNOWN","features":[377]},{"name":"MAX_NOTIFICATION_DATA","features":[377]},{"name":"MS_FAXROUTE_EMAIL_GUID","features":[377]},{"name":"MS_FAXROUTE_FOLDER_GUID","features":[377]},{"name":"MS_FAXROUTE_PRINTING_GUID","features":[377]},{"name":"PFAXABORT","features":[377,308]},{"name":"PFAXACCESSCHECK","features":[377,308]},{"name":"PFAXCLOSE","features":[377,308]},{"name":"PFAXCOMPLETEJOBPARAMSA","features":[377,308]},{"name":"PFAXCOMPLETEJOBPARAMSW","features":[377,308]},{"name":"PFAXCONNECTFAXSERVERA","features":[377,308]},{"name":"PFAXCONNECTFAXSERVERW","features":[377,308]},{"name":"PFAXDEVABORTOPERATION","features":[377,308]},{"name":"PFAXDEVCONFIGURE","features":[377,308,358]},{"name":"PFAXDEVENDJOB","features":[377,308]},{"name":"PFAXDEVINITIALIZE","features":[377,308]},{"name":"PFAXDEVRECEIVE","features":[377,308]},{"name":"PFAXDEVREPORTSTATUS","features":[377,308]},{"name":"PFAXDEVSEND","features":[377,308]},{"name":"PFAXDEVSHUTDOWN","features":[377]},{"name":"PFAXDEVSTARTJOB","features":[377,308]},{"name":"PFAXDEVVIRTUALDEVICECREATION","features":[377,308]},{"name":"PFAXENABLEROUTINGMETHODA","features":[377,308]},{"name":"PFAXENABLEROUTINGMETHODW","features":[377,308]},{"name":"PFAXENUMGLOBALROUTINGINFOA","features":[377,308]},{"name":"PFAXENUMGLOBALROUTINGINFOW","features":[377,308]},{"name":"PFAXENUMJOBSA","features":[377,308]},{"name":"PFAXENUMJOBSW","features":[377,308]},{"name":"PFAXENUMPORTSA","features":[377,308]},{"name":"PFAXENUMPORTSW","features":[377,308]},{"name":"PFAXENUMROUTINGMETHODSA","features":[377,308]},{"name":"PFAXENUMROUTINGMETHODSW","features":[377,308]},{"name":"PFAXFREEBUFFER","features":[377]},{"name":"PFAXGETCONFIGURATIONA","features":[377,308]},{"name":"PFAXGETCONFIGURATIONW","features":[377,308]},{"name":"PFAXGETDEVICESTATUSA","features":[377,308]},{"name":"PFAXGETDEVICESTATUSW","features":[377,308]},{"name":"PFAXGETJOBA","features":[377,308]},{"name":"PFAXGETJOBW","features":[377,308]},{"name":"PFAXGETLOGGINGCATEGORIESA","features":[377,308]},{"name":"PFAXGETLOGGINGCATEGORIESW","features":[377,308]},{"name":"PFAXGETPAGEDATA","features":[377,308]},{"name":"PFAXGETPORTA","features":[377,308]},{"name":"PFAXGETPORTW","features":[377,308]},{"name":"PFAXGETROUTINGINFOA","features":[377,308]},{"name":"PFAXGETROUTINGINFOW","features":[377,308]},{"name":"PFAXINITIALIZEEVENTQUEUE","features":[377,308]},{"name":"PFAXOPENPORT","features":[377,308]},{"name":"PFAXPRINTCOVERPAGEA","features":[377,308,319]},{"name":"PFAXPRINTCOVERPAGEW","features":[377,308,319]},{"name":"PFAXREGISTERROUTINGEXTENSIONW","features":[377,308]},{"name":"PFAXREGISTERSERVICEPROVIDERW","features":[377,308]},{"name":"PFAXROUTEADDFILE","features":[377]},{"name":"PFAXROUTEDELETEFILE","features":[377]},{"name":"PFAXROUTEDEVICECHANGENOTIFICATION","features":[377,308]},{"name":"PFAXROUTEDEVICEENABLE","features":[377,308]},{"name":"PFAXROUTEENUMFILE","features":[377,308]},{"name":"PFAXROUTEENUMFILES","features":[377,308]},{"name":"PFAXROUTEGETFILE","features":[377,308]},{"name":"PFAXROUTEGETROUTINGINFO","features":[377,308]},{"name":"PFAXROUTEINITIALIZE","features":[377,308]},{"name":"PFAXROUTEMETHOD","features":[377,308]},{"name":"PFAXROUTEMODIFYROUTINGDATA","features":[377,308]},{"name":"PFAXROUTESETROUTINGINFO","features":[377,308]},{"name":"PFAXSENDDOCUMENTA","features":[377,308]},{"name":"PFAXSENDDOCUMENTFORBROADCASTA","features":[377,308]},{"name":"PFAXSENDDOCUMENTFORBROADCASTW","features":[377,308]},{"name":"PFAXSENDDOCUMENTW","features":[377,308]},{"name":"PFAXSETCONFIGURATIONA","features":[377,308]},{"name":"PFAXSETCONFIGURATIONW","features":[377,308]},{"name":"PFAXSETGLOBALROUTINGINFOA","features":[377,308]},{"name":"PFAXSETGLOBALROUTINGINFOW","features":[377,308]},{"name":"PFAXSETJOBA","features":[377,308]},{"name":"PFAXSETJOBW","features":[377,308]},{"name":"PFAXSETLOGGINGCATEGORIESA","features":[377,308]},{"name":"PFAXSETLOGGINGCATEGORIESW","features":[377,308]},{"name":"PFAXSETPORTA","features":[377,308]},{"name":"PFAXSETPORTW","features":[377,308]},{"name":"PFAXSETROUTINGINFOA","features":[377,308]},{"name":"PFAXSETROUTINGINFOW","features":[377,308]},{"name":"PFAXSTARTPRINTJOBA","features":[377,308,319]},{"name":"PFAXSTARTPRINTJOBW","features":[377,308,319]},{"name":"PFAXUNREGISTERSERVICEPROVIDERW","features":[377,308]},{"name":"PFAX_EXT_CONFIG_CHANGE","features":[377]},{"name":"PFAX_EXT_FREE_BUFFER","features":[377]},{"name":"PFAX_EXT_GET_DATA","features":[377]},{"name":"PFAX_EXT_INITIALIZE_CONFIG","features":[377,308]},{"name":"PFAX_EXT_REGISTER_FOR_EVENTS","features":[377,308]},{"name":"PFAX_EXT_SET_DATA","features":[377,308]},{"name":"PFAX_EXT_UNREGISTER_FOR_EVENTS","features":[377,308]},{"name":"PFAX_LINECALLBACK","features":[377,308]},{"name":"PFAX_RECIPIENT_CALLBACKA","features":[377,308]},{"name":"PFAX_RECIPIENT_CALLBACKW","features":[377,308]},{"name":"PFAX_ROUTING_INSTALLATION_CALLBACKW","features":[377,308]},{"name":"PFAX_SEND_CALLBACK","features":[377,308]},{"name":"PFAX_SERVICE_CALLBACK","features":[377,308]},{"name":"PORT_OPEN_MODIFY","features":[377]},{"name":"PORT_OPEN_QUERY","features":[377]},{"name":"QUERY_STATUS","features":[377]},{"name":"REGSTR_VAL_BAUDRATE","features":[377]},{"name":"REGSTR_VAL_BAUDRATE_A","features":[377]},{"name":"REGSTR_VAL_DATA_W","features":[377]},{"name":"REGSTR_VAL_DEVICESUBTYPE_W","features":[377]},{"name":"REGSTR_VAL_DEVICETYPE_W","features":[377]},{"name":"REGSTR_VAL_DEVICE_NAME_W","features":[377]},{"name":"REGSTR_VAL_DEV_NAME_W","features":[377]},{"name":"REGSTR_VAL_DRIVER_DESC_W","features":[377]},{"name":"REGSTR_VAL_FRIENDLY_NAME_W","features":[377]},{"name":"REGSTR_VAL_GENERIC_CAPS_W","features":[377]},{"name":"REGSTR_VAL_GUID","features":[377]},{"name":"REGSTR_VAL_GUID_W","features":[377]},{"name":"REGSTR_VAL_HARDWARE","features":[377]},{"name":"REGSTR_VAL_HARDWARE_W","features":[377]},{"name":"REGSTR_VAL_LAUNCHABLE","features":[377]},{"name":"REGSTR_VAL_LAUNCHABLE_W","features":[377]},{"name":"REGSTR_VAL_LAUNCH_APPS","features":[377]},{"name":"REGSTR_VAL_LAUNCH_APPS_W","features":[377]},{"name":"REGSTR_VAL_SHUTDOWNDELAY","features":[377]},{"name":"REGSTR_VAL_SHUTDOWNDELAY_W","features":[377]},{"name":"REGSTR_VAL_TYPE_W","features":[377]},{"name":"REGSTR_VAL_VENDOR_NAME_W","features":[377]},{"name":"SEND_TO_FAX_RECIPIENT_ATTACHMENT","features":[377]},{"name":"STATUS_DISABLE","features":[377]},{"name":"STATUS_ENABLE","features":[377]},{"name":"STIEDFL_ALLDEVICES","features":[377]},{"name":"STIEDFL_ATTACHEDONLY","features":[377]},{"name":"STIERR_ALREADY_INITIALIZED","features":[377]},{"name":"STIERR_BADDRIVER","features":[377]},{"name":"STIERR_BETA_VERSION","features":[377]},{"name":"STIERR_DEVICENOTREG","features":[377]},{"name":"STIERR_DEVICE_LOCKED","features":[377]},{"name":"STIERR_DEVICE_NOTREADY","features":[377]},{"name":"STIERR_GENERIC","features":[377]},{"name":"STIERR_HANDLEEXISTS","features":[377]},{"name":"STIERR_INVALID_DEVICE_NAME","features":[377]},{"name":"STIERR_INVALID_HW_TYPE","features":[377]},{"name":"STIERR_INVALID_PARAM","features":[377]},{"name":"STIERR_NEEDS_LOCK","features":[377]},{"name":"STIERR_NOEVENTS","features":[377]},{"name":"STIERR_NOINTERFACE","features":[377]},{"name":"STIERR_NOTINITIALIZED","features":[377]},{"name":"STIERR_NOT_INITIALIZED","features":[377]},{"name":"STIERR_OBJECTNOTFOUND","features":[377]},{"name":"STIERR_OLD_VERSION","features":[377]},{"name":"STIERR_OUTOFMEMORY","features":[377]},{"name":"STIERR_READONLY","features":[377]},{"name":"STIERR_SHARING_VIOLATION","features":[377]},{"name":"STIERR_UNSUPPORTED","features":[377]},{"name":"STINOTIFY","features":[377]},{"name":"STISUBSCRIBE","features":[377,308]},{"name":"STI_ADD_DEVICE_BROADCAST_ACTION","features":[377]},{"name":"STI_ADD_DEVICE_BROADCAST_STRING","features":[377]},{"name":"STI_CHANGENOEFFECT","features":[377]},{"name":"STI_DEVICE_CREATE_BOTH","features":[377]},{"name":"STI_DEVICE_CREATE_DATA","features":[377]},{"name":"STI_DEVICE_CREATE_FOR_MONITOR","features":[377]},{"name":"STI_DEVICE_CREATE_MASK","features":[377]},{"name":"STI_DEVICE_CREATE_STATUS","features":[377]},{"name":"STI_DEVICE_INFORMATIONW","features":[377]},{"name":"STI_DEVICE_MJ_TYPE","features":[377]},{"name":"STI_DEVICE_STATUS","features":[377]},{"name":"STI_DEVICE_VALUE_DEFAULT_LAUNCHAPP","features":[377]},{"name":"STI_DEVICE_VALUE_DEFAULT_LAUNCHAPP_A","features":[377]},{"name":"STI_DEVICE_VALUE_DISABLE_NOTIFICATIONS","features":[377]},{"name":"STI_DEVICE_VALUE_DISABLE_NOTIFICATIONS_A","features":[377]},{"name":"STI_DEVICE_VALUE_ICM_PROFILE","features":[377]},{"name":"STI_DEVICE_VALUE_ICM_PROFILE_A","features":[377]},{"name":"STI_DEVICE_VALUE_ISIS_NAME","features":[377]},{"name":"STI_DEVICE_VALUE_ISIS_NAME_A","features":[377]},{"name":"STI_DEVICE_VALUE_TIMEOUT","features":[377]},{"name":"STI_DEVICE_VALUE_TIMEOUT_A","features":[377]},{"name":"STI_DEVICE_VALUE_TWAIN_NAME","features":[377]},{"name":"STI_DEVICE_VALUE_TWAIN_NAME_A","features":[377]},{"name":"STI_DEVSTATUS_EVENTS_STATE","features":[377]},{"name":"STI_DEVSTATUS_ONLINE_STATE","features":[377]},{"name":"STI_DEV_CAPS","features":[377]},{"name":"STI_DIAG","features":[377]},{"name":"STI_DIAGCODE_HWPRESENCE","features":[377]},{"name":"STI_ERROR_NO_ERROR","features":[377]},{"name":"STI_EVENTHANDLING_ENABLED","features":[377]},{"name":"STI_EVENTHANDLING_PENDING","features":[377]},{"name":"STI_EVENTHANDLING_POLLING","features":[377]},{"name":"STI_GENCAP_AUTO_PORTSELECT","features":[377]},{"name":"STI_GENCAP_COMMON_MASK","features":[377]},{"name":"STI_GENCAP_GENERATE_ARRIVALEVENT","features":[377]},{"name":"STI_GENCAP_NOTIFICATIONS","features":[377]},{"name":"STI_GENCAP_POLLING_NEEDED","features":[377]},{"name":"STI_GENCAP_SUBSET","features":[377]},{"name":"STI_GENCAP_WIA","features":[377]},{"name":"STI_HW_CONFIG_PARALLEL","features":[377]},{"name":"STI_HW_CONFIG_SCSI","features":[377]},{"name":"STI_HW_CONFIG_SERIAL","features":[377]},{"name":"STI_HW_CONFIG_UNKNOWN","features":[377]},{"name":"STI_HW_CONFIG_USB","features":[377]},{"name":"STI_MAX_INTERNAL_NAME_LENGTH","features":[377]},{"name":"STI_NOTCONNECTED","features":[377]},{"name":"STI_OK","features":[377]},{"name":"STI_ONLINESTATE_BUSY","features":[377]},{"name":"STI_ONLINESTATE_ERROR","features":[377]},{"name":"STI_ONLINESTATE_INITIALIZING","features":[377]},{"name":"STI_ONLINESTATE_IO_ACTIVE","features":[377]},{"name":"STI_ONLINESTATE_OFFLINE","features":[377]},{"name":"STI_ONLINESTATE_OPERATIONAL","features":[377]},{"name":"STI_ONLINESTATE_PAPER_JAM","features":[377]},{"name":"STI_ONLINESTATE_PAPER_PROBLEM","features":[377]},{"name":"STI_ONLINESTATE_PAUSED","features":[377]},{"name":"STI_ONLINESTATE_PENDING","features":[377]},{"name":"STI_ONLINESTATE_POWER_SAVE","features":[377]},{"name":"STI_ONLINESTATE_TRANSFERRING","features":[377]},{"name":"STI_ONLINESTATE_USER_INTERVENTION","features":[377]},{"name":"STI_ONLINESTATE_WARMING_UP","features":[377]},{"name":"STI_RAW_RESERVED","features":[377]},{"name":"STI_REMOVE_DEVICE_BROADCAST_ACTION","features":[377]},{"name":"STI_REMOVE_DEVICE_BROADCAST_STRING","features":[377]},{"name":"STI_SUBSCRIBE_FLAG_EVENT","features":[377]},{"name":"STI_SUBSCRIBE_FLAG_WINDOW","features":[377]},{"name":"STI_TRACE_ERROR","features":[377]},{"name":"STI_TRACE_INFORMATION","features":[377]},{"name":"STI_TRACE_WARNING","features":[377]},{"name":"STI_UNICODE","features":[377]},{"name":"STI_USD_CAPS","features":[377]},{"name":"STI_USD_GENCAP_NATIVE_PUSHSUPPORT","features":[377]},{"name":"STI_VERSION","features":[377]},{"name":"STI_VERSION_FLAG_MASK","features":[377]},{"name":"STI_VERSION_FLAG_UNICODE","features":[377]},{"name":"STI_VERSION_MIN_ALLOWED","features":[377]},{"name":"STI_VERSION_REAL","features":[377]},{"name":"STI_WIA_DEVICE_INFORMATIONW","features":[377]},{"name":"SUPPORTS_MSCPLUS_STR","features":[377]},{"name":"SUPPORTS_MSCPLUS_VAL","features":[377]},{"name":"SendToFaxRecipient","features":[377]},{"name":"SendToMode","features":[377]},{"name":"StiCreateInstanceW","features":[377,308]},{"name":"StiDeviceTypeDefault","features":[377]},{"name":"StiDeviceTypeDigitalCamera","features":[377]},{"name":"StiDeviceTypeScanner","features":[377]},{"name":"StiDeviceTypeStreamingVideo","features":[377]},{"name":"WIA_INCOMPAT_XP","features":[377]},{"name":"_ERROR_INFOW","features":[377]},{"name":"faetFXSSVC_ENDED","features":[377]},{"name":"faetIN_ARCHIVE","features":[377]},{"name":"faetIN_QUEUE","features":[377]},{"name":"faetNONE","features":[377]},{"name":"faetOUT_ARCHIVE","features":[377]},{"name":"faetOUT_QUEUE","features":[377]},{"name":"far2MANAGE_ARCHIVES","features":[377]},{"name":"far2MANAGE_CONFIG","features":[377]},{"name":"far2MANAGE_OUT_JOBS","features":[377]},{"name":"far2MANAGE_RECEIVE_FOLDER","features":[377]},{"name":"far2QUERY_ARCHIVES","features":[377]},{"name":"far2QUERY_CONFIG","features":[377]},{"name":"far2QUERY_OUT_JOBS","features":[377]},{"name":"far2SUBMIT_HIGH","features":[377]},{"name":"far2SUBMIT_LOW","features":[377]},{"name":"far2SUBMIT_NORMAL","features":[377]},{"name":"farMANAGE_CONFIG","features":[377]},{"name":"farMANAGE_IN_ARCHIVE","features":[377]},{"name":"farMANAGE_JOBS","features":[377]},{"name":"farMANAGE_OUT_ARCHIVE","features":[377]},{"name":"farQUERY_CONFIG","features":[377]},{"name":"farQUERY_IN_ARCHIVE","features":[377]},{"name":"farQUERY_JOBS","features":[377]},{"name":"farQUERY_OUT_ARCHIVE","features":[377]},{"name":"farSUBMIT_HIGH","features":[377]},{"name":"farSUBMIT_LOW","features":[377]},{"name":"farSUBMIT_NORMAL","features":[377]},{"name":"fcptLOCAL","features":[377]},{"name":"fcptNONE","features":[377]},{"name":"fcptSERVER","features":[377]},{"name":"fdrmAUTO_ANSWER","features":[377]},{"name":"fdrmMANUAL_ANSWER","features":[377]},{"name":"fdrmNO_ANSWER","features":[377]},{"name":"fgsALL_DEV_NOT_VALID","features":[377]},{"name":"fgsALL_DEV_VALID","features":[377]},{"name":"fgsEMPTY","features":[377]},{"name":"fgsSOME_DEV_NOT_VALID","features":[377]},{"name":"fjesANSWERED","features":[377]},{"name":"fjesBAD_ADDRESS","features":[377]},{"name":"fjesBUSY","features":[377]},{"name":"fjesCALL_ABORTED","features":[377]},{"name":"fjesCALL_BLACKLISTED","features":[377]},{"name":"fjesCALL_COMPLETED","features":[377]},{"name":"fjesCALL_DELAYED","features":[377]},{"name":"fjesDIALING","features":[377]},{"name":"fjesDISCONNECTED","features":[377]},{"name":"fjesFATAL_ERROR","features":[377]},{"name":"fjesHANDLED","features":[377]},{"name":"fjesINITIALIZING","features":[377]},{"name":"fjesLINE_UNAVAILABLE","features":[377]},{"name":"fjesNONE","features":[377]},{"name":"fjesNOT_FAX_CALL","features":[377]},{"name":"fjesNO_ANSWER","features":[377]},{"name":"fjesNO_DIAL_TONE","features":[377]},{"name":"fjesPARTIALLY_RECEIVED","features":[377]},{"name":"fjesPROPRIETARY","features":[377]},{"name":"fjesRECEIVING","features":[377]},{"name":"fjesTRANSMITTING","features":[377]},{"name":"fjoDELETE","features":[377]},{"name":"fjoPAUSE","features":[377]},{"name":"fjoRECIPIENT_INFO","features":[377]},{"name":"fjoRESTART","features":[377]},{"name":"fjoRESUME","features":[377]},{"name":"fjoSENDER_INFO","features":[377]},{"name":"fjoVIEW","features":[377]},{"name":"fjsCANCELED","features":[377]},{"name":"fjsCANCELING","features":[377]},{"name":"fjsCOMPLETED","features":[377]},{"name":"fjsFAILED","features":[377]},{"name":"fjsINPROGRESS","features":[377]},{"name":"fjsNOLINE","features":[377]},{"name":"fjsPAUSED","features":[377]},{"name":"fjsPENDING","features":[377]},{"name":"fjsRETRIES_EXCEEDED","features":[377]},{"name":"fjsRETRYING","features":[377]},{"name":"fjsROUTING","features":[377]},{"name":"fjtRECEIVE","features":[377]},{"name":"fjtROUTING","features":[377]},{"name":"fjtSEND","features":[377]},{"name":"fllMAX","features":[377]},{"name":"fllMED","features":[377]},{"name":"fllMIN","features":[377]},{"name":"fllNONE","features":[377]},{"name":"fpsBAD_GUID","features":[377]},{"name":"fpsBAD_VERSION","features":[377]},{"name":"fpsCANT_INIT","features":[377]},{"name":"fpsCANT_LINK","features":[377]},{"name":"fpsCANT_LOAD","features":[377]},{"name":"fpsSERVER_ERROR","features":[377]},{"name":"fpsSUCCESS","features":[377]},{"name":"fptHIGH","features":[377]},{"name":"fptLOW","features":[377]},{"name":"fptNORMAL","features":[377]},{"name":"frrcANY_CODE","features":[377]},{"name":"frsALL_GROUP_DEV_NOT_VALID","features":[377]},{"name":"frsBAD_DEVICE","features":[377]},{"name":"frsEMPTY_GROUP","features":[377]},{"name":"frsSOME_GROUP_DEV_NOT_VALID","features":[377]},{"name":"frsVALID","features":[377]},{"name":"frtMAIL","features":[377]},{"name":"frtMSGBOX","features":[377]},{"name":"frtNONE","features":[377]},{"name":"fsAPI_VERSION_0","features":[377]},{"name":"fsAPI_VERSION_1","features":[377]},{"name":"fsAPI_VERSION_2","features":[377]},{"name":"fsAPI_VERSION_3","features":[377]},{"name":"fsatANONYMOUS","features":[377]},{"name":"fsatBASIC","features":[377]},{"name":"fsatNTLM","features":[377]},{"name":"fsetACTIVITY","features":[377]},{"name":"fsetCONFIG","features":[377]},{"name":"fsetDEVICE_STATUS","features":[377]},{"name":"fsetFXSSVC_ENDED","features":[377]},{"name":"fsetINCOMING_CALL","features":[377]},{"name":"fsetIN_ARCHIVE","features":[377]},{"name":"fsetIN_QUEUE","features":[377]},{"name":"fsetNONE","features":[377]},{"name":"fsetOUT_ARCHIVE","features":[377]},{"name":"fsetOUT_QUEUE","features":[377]},{"name":"fsetQUEUE_STATE","features":[377]},{"name":"fstDISCOUNT_PERIOD","features":[377]},{"name":"fstNOW","features":[377]},{"name":"fstSPECIFIC_TIME","features":[377]},{"name":"lDEFAULT_PREFETCH_SIZE","features":[377]},{"name":"prv_DEFAULT_PREFETCH_SIZE","features":[377]},{"name":"wcharREASSIGN_RECIPIENTS_DELIMITER","features":[377]}],"377":[{"name":"DEVICEDISPLAY_DISCOVERYMETHOD_AD_PRINTER","features":[378]},{"name":"DEVICEDISPLAY_DISCOVERYMETHOD_ASP_INFRA","features":[378]},{"name":"DEVICEDISPLAY_DISCOVERYMETHOD_BLUETOOTH","features":[378]},{"name":"DEVICEDISPLAY_DISCOVERYMETHOD_BLUETOOTH_LE","features":[378]},{"name":"DEVICEDISPLAY_DISCOVERYMETHOD_NETBIOS","features":[378]},{"name":"DEVICEDISPLAY_DISCOVERYMETHOD_PNP","features":[378]},{"name":"DEVICEDISPLAY_DISCOVERYMETHOD_UPNP","features":[378]},{"name":"DEVICEDISPLAY_DISCOVERYMETHOD_WFD","features":[378]},{"name":"DEVICEDISPLAY_DISCOVERYMETHOD_WSD","features":[378]},{"name":"DEVICEDISPLAY_DISCOVERYMETHOD_WUSB","features":[378]},{"name":"E_FDPAIRING_AUTHFAILURE","features":[378]},{"name":"E_FDPAIRING_AUTHNOTALLOWED","features":[378]},{"name":"E_FDPAIRING_CONNECTTIMEOUT","features":[378]},{"name":"E_FDPAIRING_HWFAILURE","features":[378]},{"name":"E_FDPAIRING_IPBUSDISABLED","features":[378]},{"name":"E_FDPAIRING_NOCONNECTION","features":[378]},{"name":"E_FDPAIRING_NOPROFILES","features":[378]},{"name":"E_FDPAIRING_TOOMANYCONNECTIONS","features":[378]},{"name":"FCTN_CATEGORY_BT","features":[378]},{"name":"FCTN_CATEGORY_DEVICEDISPLAYOBJECTS","features":[378]},{"name":"FCTN_CATEGORY_DEVICEFUNCTIONENUMERATORS","features":[378]},{"name":"FCTN_CATEGORY_DEVICEPAIRING","features":[378]},{"name":"FCTN_CATEGORY_DEVICES","features":[378]},{"name":"FCTN_CATEGORY_DEVQUERYOBJECTS","features":[378]},{"name":"FCTN_CATEGORY_NETBIOS","features":[378]},{"name":"FCTN_CATEGORY_NETWORKDEVICES","features":[378]},{"name":"FCTN_CATEGORY_PNP","features":[378]},{"name":"FCTN_CATEGORY_PNPXASSOCIATION","features":[378]},{"name":"FCTN_CATEGORY_PUBLICATION","features":[378]},{"name":"FCTN_CATEGORY_REGISTRY","features":[378]},{"name":"FCTN_CATEGORY_SSDP","features":[378]},{"name":"FCTN_CATEGORY_WCN","features":[378]},{"name":"FCTN_CATEGORY_WSDISCOVERY","features":[378]},{"name":"FCTN_CATEGORY_WUSB","features":[378]},{"name":"FCTN_SUBCAT_DEVICES_WSDPRINTERS","features":[378]},{"name":"FCTN_SUBCAT_NETWORKDEVICES_SSDP","features":[378]},{"name":"FCTN_SUBCAT_NETWORKDEVICES_WSD","features":[378]},{"name":"FCTN_SUBCAT_REG_DIRECTED","features":[378]},{"name":"FCTN_SUBCAT_REG_PUBLICATION","features":[378]},{"name":"FD_CONSTRAINTVALUE_ALL","features":[378]},{"name":"FD_CONSTRAINTVALUE_COMCLSCONTEXT_INPROC_SERVER","features":[378]},{"name":"FD_CONSTRAINTVALUE_COMCLSCONTEXT_LOCAL_SERVER","features":[378]},{"name":"FD_CONSTRAINTVALUE_FALSE","features":[378]},{"name":"FD_CONSTRAINTVALUE_PAIRED","features":[378]},{"name":"FD_CONSTRAINTVALUE_RECURSESUBCATEGORY_TRUE","features":[378]},{"name":"FD_CONSTRAINTVALUE_ROUTINGSCOPE_ALL","features":[378]},{"name":"FD_CONSTRAINTVALUE_ROUTINGSCOPE_DIRECT","features":[378]},{"name":"FD_CONSTRAINTVALUE_TRUE","features":[378]},{"name":"FD_CONSTRAINTVALUE_UNPAIRED","features":[378]},{"name":"FD_CONSTRAINTVALUE_VISIBILITY_ALL","features":[378]},{"name":"FD_CONSTRAINTVALUE_VISIBILITY_DEFAULT","features":[378]},{"name":"FD_EVENTID","features":[378]},{"name":"FD_EVENTID_ASYNCTHREADEXIT","features":[378]},{"name":"FD_EVENTID_IPADDRESSCHANGE","features":[378]},{"name":"FD_EVENTID_PRIVATE","features":[378]},{"name":"FD_EVENTID_QUERYREFRESH","features":[378]},{"name":"FD_EVENTID_SEARCHCOMPLETE","features":[378]},{"name":"FD_EVENTID_SEARCHSTART","features":[378]},{"name":"FD_LONGHORN","features":[378]},{"name":"FD_QUERYCONSTRAINT_COMCLSCONTEXT","features":[378]},{"name":"FD_QUERYCONSTRAINT_INQUIRY_TIMEOUT","features":[378]},{"name":"FD_QUERYCONSTRAINT_PAIRING_STATE","features":[378]},{"name":"FD_QUERYCONSTRAINT_PROVIDERINSTANCEID","features":[378]},{"name":"FD_QUERYCONSTRAINT_RECURSESUBCATEGORY","features":[378]},{"name":"FD_QUERYCONSTRAINT_ROUTINGSCOPE","features":[378]},{"name":"FD_QUERYCONSTRAINT_SUBCATEGORY","features":[378]},{"name":"FD_QUERYCONSTRAINT_VISIBILITY","features":[378]},{"name":"FD_SUBKEY","features":[378]},{"name":"FD_Visibility_Default","features":[378]},{"name":"FD_Visibility_Hidden","features":[378]},{"name":"FMTID_Device","features":[378]},{"name":"FMTID_DeviceInterface","features":[378]},{"name":"FMTID_FD","features":[378]},{"name":"FMTID_PNPX","features":[378]},{"name":"FMTID_PNPXDynamicProperty","features":[378]},{"name":"FMTID_Pairing","features":[378]},{"name":"FMTID_WSD","features":[378]},{"name":"FunctionDiscovery","features":[378]},{"name":"FunctionInstanceCollection","features":[378]},{"name":"IFunctionDiscovery","features":[378]},{"name":"IFunctionDiscoveryNotification","features":[378]},{"name":"IFunctionDiscoveryProvider","features":[378]},{"name":"IFunctionDiscoveryProviderFactory","features":[378]},{"name":"IFunctionDiscoveryProviderQuery","features":[378]},{"name":"IFunctionDiscoveryServiceProvider","features":[378]},{"name":"IFunctionInstance","features":[378,359]},{"name":"IFunctionInstanceCollection","features":[378]},{"name":"IFunctionInstanceCollectionQuery","features":[378]},{"name":"IFunctionInstanceQuery","features":[378]},{"name":"IPNPXAssociation","features":[378]},{"name":"IPNPXDeviceAssociation","features":[378]},{"name":"IPropertyStoreCollection","features":[378]},{"name":"IProviderProperties","features":[378]},{"name":"IProviderPropertyConstraintCollection","features":[378]},{"name":"IProviderPublishing","features":[378]},{"name":"IProviderQueryConstraintCollection","features":[378]},{"name":"MAX_FDCONSTRAINTNAME_LENGTH","features":[378]},{"name":"MAX_FDCONSTRAINTVALUE_LENGTH","features":[378]},{"name":"ONLINE_PROVIDER_DEVICES_QUERYCONSTRAINT_OWNERNAME","features":[378]},{"name":"PKEY_DeviceClass_Characteristics","features":[378,379]},{"name":"PKEY_DeviceClass_ClassCoInstallers","features":[378,379]},{"name":"PKEY_DeviceClass_ClassInstaller","features":[378,379]},{"name":"PKEY_DeviceClass_ClassName","features":[378,379]},{"name":"PKEY_DeviceClass_DefaultService","features":[378,379]},{"name":"PKEY_DeviceClass_DevType","features":[378,379]},{"name":"PKEY_DeviceClass_Exclusive","features":[378,379]},{"name":"PKEY_DeviceClass_Icon","features":[378,379]},{"name":"PKEY_DeviceClass_IconPath","features":[378,379]},{"name":"PKEY_DeviceClass_LowerFilters","features":[378,379]},{"name":"PKEY_DeviceClass_Name","features":[378,379]},{"name":"PKEY_DeviceClass_NoDisplayClass","features":[378,379]},{"name":"PKEY_DeviceClass_NoInstallClass","features":[378,379]},{"name":"PKEY_DeviceClass_NoUseClass","features":[378,379]},{"name":"PKEY_DeviceClass_PropPageProvider","features":[378,379]},{"name":"PKEY_DeviceClass_Security","features":[378,379]},{"name":"PKEY_DeviceClass_SecuritySDS","features":[378,379]},{"name":"PKEY_DeviceClass_SilentInstall","features":[378,379]},{"name":"PKEY_DeviceClass_UpperFilters","features":[378,379]},{"name":"PKEY_DeviceDisplay_Address","features":[378,379]},{"name":"PKEY_DeviceDisplay_AlwaysShowDeviceAsConnected","features":[378,379]},{"name":"PKEY_DeviceDisplay_AssociationArray","features":[378,379]},{"name":"PKEY_DeviceDisplay_BaselineExperienceId","features":[378,379]},{"name":"PKEY_DeviceDisplay_Category","features":[378,379]},{"name":"PKEY_DeviceDisplay_CategoryGroup_Desc","features":[378,379]},{"name":"PKEY_DeviceDisplay_CategoryGroup_Icon","features":[378,379]},{"name":"PKEY_DeviceDisplay_Category_Desc_Plural","features":[378,379]},{"name":"PKEY_DeviceDisplay_Category_Desc_Singular","features":[378,379]},{"name":"PKEY_DeviceDisplay_Category_Icon","features":[378,379]},{"name":"PKEY_DeviceDisplay_DeviceDescription1","features":[378,379]},{"name":"PKEY_DeviceDisplay_DeviceDescription2","features":[378,379]},{"name":"PKEY_DeviceDisplay_DeviceFunctionSubRank","features":[378,379]},{"name":"PKEY_DeviceDisplay_DiscoveryMethod","features":[378,379]},{"name":"PKEY_DeviceDisplay_ExperienceId","features":[378,379]},{"name":"PKEY_DeviceDisplay_FriendlyName","features":[378,379]},{"name":"PKEY_DeviceDisplay_Icon","features":[378,379]},{"name":"PKEY_DeviceDisplay_InstallInProgress","features":[378,379]},{"name":"PKEY_DeviceDisplay_IsAuthenticated","features":[378,379]},{"name":"PKEY_DeviceDisplay_IsConnected","features":[378,379]},{"name":"PKEY_DeviceDisplay_IsDefaultDevice","features":[378,379]},{"name":"PKEY_DeviceDisplay_IsDeviceUniquelyIdentifiable","features":[378,379]},{"name":"PKEY_DeviceDisplay_IsEncrypted","features":[378,379]},{"name":"PKEY_DeviceDisplay_IsLocalMachine","features":[378,379]},{"name":"PKEY_DeviceDisplay_IsMetadataSearchInProgress","features":[378,379]},{"name":"PKEY_DeviceDisplay_IsNetworkDevice","features":[378,379]},{"name":"PKEY_DeviceDisplay_IsNotInterestingForDisplay","features":[378,379]},{"name":"PKEY_DeviceDisplay_IsNotWorkingProperly","features":[378,379]},{"name":"PKEY_DeviceDisplay_IsPaired","features":[378,379]},{"name":"PKEY_DeviceDisplay_IsSharedDevice","features":[378,379]},{"name":"PKEY_DeviceDisplay_IsShowInDisconnectedState","features":[378,379]},{"name":"PKEY_DeviceDisplay_Last_Connected","features":[378,379]},{"name":"PKEY_DeviceDisplay_Last_Seen","features":[378,379]},{"name":"PKEY_DeviceDisplay_LaunchDeviceStageFromExplorer","features":[378,379]},{"name":"PKEY_DeviceDisplay_LaunchDeviceStageOnDeviceConnect","features":[378,379]},{"name":"PKEY_DeviceDisplay_Manufacturer","features":[378,379]},{"name":"PKEY_DeviceDisplay_MetadataCabinet","features":[378,379]},{"name":"PKEY_DeviceDisplay_MetadataChecksum","features":[378,379]},{"name":"PKEY_DeviceDisplay_MetadataPath","features":[378,379]},{"name":"PKEY_DeviceDisplay_ModelName","features":[378,379]},{"name":"PKEY_DeviceDisplay_ModelNumber","features":[378,379]},{"name":"PKEY_DeviceDisplay_PrimaryCategory","features":[378,379]},{"name":"PKEY_DeviceDisplay_RequiresPairingElevation","features":[378,379]},{"name":"PKEY_DeviceDisplay_RequiresUninstallElevation","features":[378,379]},{"name":"PKEY_DeviceDisplay_UnpairUninstall","features":[378,379]},{"name":"PKEY_DeviceDisplay_Version","features":[378,379]},{"name":"PKEY_DeviceInterfaceClass_DefaultInterface","features":[378,379]},{"name":"PKEY_DeviceInterface_ClassGuid","features":[378,379]},{"name":"PKEY_DeviceInterface_Enabled","features":[378,379]},{"name":"PKEY_DeviceInterface_FriendlyName","features":[378,379]},{"name":"PKEY_Device_AdditionalSoftwareRequested","features":[378,379]},{"name":"PKEY_Device_Address","features":[378,379]},{"name":"PKEY_Device_BIOSVersion","features":[378,379]},{"name":"PKEY_Device_BaseContainerId","features":[378,379]},{"name":"PKEY_Device_BusNumber","features":[378,379]},{"name":"PKEY_Device_BusRelations","features":[378,379]},{"name":"PKEY_Device_BusReportedDeviceDesc","features":[378,379]},{"name":"PKEY_Device_BusTypeGuid","features":[378,379]},{"name":"PKEY_Device_Capabilities","features":[378,379]},{"name":"PKEY_Device_Characteristics","features":[378,379]},{"name":"PKEY_Device_Children","features":[378,379]},{"name":"PKEY_Device_Class","features":[378,379]},{"name":"PKEY_Device_ClassGuid","features":[378,379]},{"name":"PKEY_Device_CompatibleIds","features":[378,379]},{"name":"PKEY_Device_ConfigFlags","features":[378,379]},{"name":"PKEY_Device_ContainerId","features":[378,379]},{"name":"PKEY_Device_DHP_Rebalance_Policy","features":[378,379]},{"name":"PKEY_Device_DevNodeStatus","features":[378,379]},{"name":"PKEY_Device_DevType","features":[378,379]},{"name":"PKEY_Device_DeviceDesc","features":[378,379]},{"name":"PKEY_Device_Driver","features":[378,379]},{"name":"PKEY_Device_DriverCoInstallers","features":[378,379]},{"name":"PKEY_Device_DriverDate","features":[378,379]},{"name":"PKEY_Device_DriverDesc","features":[378,379]},{"name":"PKEY_Device_DriverInfPath","features":[378,379]},{"name":"PKEY_Device_DriverInfSection","features":[378,379]},{"name":"PKEY_Device_DriverInfSectionExt","features":[378,379]},{"name":"PKEY_Device_DriverLogoLevel","features":[378,379]},{"name":"PKEY_Device_DriverPropPageProvider","features":[378,379]},{"name":"PKEY_Device_DriverProvider","features":[378,379]},{"name":"PKEY_Device_DriverRank","features":[378,379]},{"name":"PKEY_Device_DriverVersion","features":[378,379]},{"name":"PKEY_Device_EjectionRelations","features":[378,379]},{"name":"PKEY_Device_EnumeratorName","features":[378,379]},{"name":"PKEY_Device_Exclusive","features":[378,379]},{"name":"PKEY_Device_FriendlyName","features":[378,379]},{"name":"PKEY_Device_FriendlyNameAttributes","features":[378,379]},{"name":"PKEY_Device_GenericDriverInstalled","features":[378,379]},{"name":"PKEY_Device_HardwareIds","features":[378,379]},{"name":"PKEY_Device_InstallInProgress","features":[378,379]},{"name":"PKEY_Device_InstallState","features":[378,379]},{"name":"PKEY_Device_InstanceId","features":[378,379]},{"name":"PKEY_Device_IsAssociateableByUserAction","features":[378,379]},{"name":"PKEY_Device_Legacy","features":[378,379]},{"name":"PKEY_Device_LegacyBusType","features":[378,379]},{"name":"PKEY_Device_LocationInfo","features":[378,379]},{"name":"PKEY_Device_LocationPaths","features":[378,379]},{"name":"PKEY_Device_LowerFilters","features":[378,379]},{"name":"PKEY_Device_Manufacturer","features":[378,379]},{"name":"PKEY_Device_ManufacturerAttributes","features":[378,379]},{"name":"PKEY_Device_MatchingDeviceId","features":[378,379]},{"name":"PKEY_Device_ModelId","features":[378,379]},{"name":"PKEY_Device_NoConnectSound","features":[378,379]},{"name":"PKEY_Device_Numa_Node","features":[378,379]},{"name":"PKEY_Device_PDOName","features":[378,379]},{"name":"PKEY_Device_Parent","features":[378,379]},{"name":"PKEY_Device_PowerData","features":[378,379]},{"name":"PKEY_Device_PowerRelations","features":[378,379]},{"name":"PKEY_Device_PresenceNotForDevice","features":[378,379]},{"name":"PKEY_Device_ProblemCode","features":[378,379]},{"name":"PKEY_Device_RemovalPolicy","features":[378,379]},{"name":"PKEY_Device_RemovalPolicyDefault","features":[378,379]},{"name":"PKEY_Device_RemovalPolicyOverride","features":[378,379]},{"name":"PKEY_Device_RemovalRelations","features":[378,379]},{"name":"PKEY_Device_Reported","features":[378,379]},{"name":"PKEY_Device_ResourcePickerExceptions","features":[378,379]},{"name":"PKEY_Device_ResourcePickerTags","features":[378,379]},{"name":"PKEY_Device_SafeRemovalRequired","features":[378,379]},{"name":"PKEY_Device_SafeRemovalRequiredOverride","features":[378,379]},{"name":"PKEY_Device_Security","features":[378,379]},{"name":"PKEY_Device_SecuritySDS","features":[378,379]},{"name":"PKEY_Device_Service","features":[378,379]},{"name":"PKEY_Device_Siblings","features":[378,379]},{"name":"PKEY_Device_SignalStrength","features":[378,379]},{"name":"PKEY_Device_TransportRelations","features":[378,379]},{"name":"PKEY_Device_UINumber","features":[378,379]},{"name":"PKEY_Device_UINumberDescFormat","features":[378,379]},{"name":"PKEY_Device_UpperFilters","features":[378,379]},{"name":"PKEY_DrvPkg_BrandingIcon","features":[378,379]},{"name":"PKEY_DrvPkg_DetailedDescription","features":[378,379]},{"name":"PKEY_DrvPkg_DocumentationLink","features":[378,379]},{"name":"PKEY_DrvPkg_Icon","features":[378,379]},{"name":"PKEY_DrvPkg_Model","features":[378,379]},{"name":"PKEY_DrvPkg_VendorWebSite","features":[378,379]},{"name":"PKEY_FunctionInstance","features":[378,379]},{"name":"PKEY_Hardware_Devinst","features":[378,379]},{"name":"PKEY_Hardware_DisplayAttribute","features":[378,379]},{"name":"PKEY_Hardware_DriverDate","features":[378,379]},{"name":"PKEY_Hardware_DriverProvider","features":[378,379]},{"name":"PKEY_Hardware_DriverVersion","features":[378,379]},{"name":"PKEY_Hardware_Function","features":[378,379]},{"name":"PKEY_Hardware_Icon","features":[378,379]},{"name":"PKEY_Hardware_Image","features":[378,379]},{"name":"PKEY_Hardware_Manufacturer","features":[378,379]},{"name":"PKEY_Hardware_Model","features":[378,379]},{"name":"PKEY_Hardware_Name","features":[378,379]},{"name":"PKEY_Hardware_SerialNumber","features":[378,379]},{"name":"PKEY_Hardware_ShellAttributes","features":[378,379]},{"name":"PKEY_Hardware_Status","features":[378,379]},{"name":"PKEY_NAME","features":[378,379]},{"name":"PKEY_Numa_Proximity_Domain","features":[378,379]},{"name":"PKEY_PNPX_Associated","features":[378,379]},{"name":"PKEY_PNPX_Category_Desc_NonPlural","features":[378,379]},{"name":"PKEY_PNPX_CompactSignature","features":[378,379]},{"name":"PKEY_PNPX_CompatibleTypes","features":[378,379]},{"name":"PKEY_PNPX_DeviceCategory","features":[378,379]},{"name":"PKEY_PNPX_DeviceCategory_Desc","features":[378,379]},{"name":"PKEY_PNPX_DeviceCertHash","features":[378,379]},{"name":"PKEY_PNPX_DomainName","features":[378,379]},{"name":"PKEY_PNPX_FirmwareVersion","features":[378,379]},{"name":"PKEY_PNPX_GlobalIdentity","features":[378,379]},{"name":"PKEY_PNPX_ID","features":[378,379]},{"name":"PKEY_PNPX_IPBusEnumerated","features":[378,379]},{"name":"PKEY_PNPX_InstallState","features":[378,379]},{"name":"PKEY_PNPX_Installable","features":[378,379]},{"name":"PKEY_PNPX_IpAddress","features":[378,379]},{"name":"PKEY_PNPX_ManufacturerUrl","features":[378,379]},{"name":"PKEY_PNPX_MetadataVersion","features":[378,379]},{"name":"PKEY_PNPX_ModelUrl","features":[378,379]},{"name":"PKEY_PNPX_NetworkInterfaceGuid","features":[378,379]},{"name":"PKEY_PNPX_NetworkInterfaceLuid","features":[378,379]},{"name":"PKEY_PNPX_PhysicalAddress","features":[378,379]},{"name":"PKEY_PNPX_PresentationUrl","features":[378,379]},{"name":"PKEY_PNPX_RemoteAddress","features":[378,379]},{"name":"PKEY_PNPX_Removable","features":[378,379]},{"name":"PKEY_PNPX_RootProxy","features":[378,379]},{"name":"PKEY_PNPX_Scopes","features":[378,379]},{"name":"PKEY_PNPX_SecureChannel","features":[378,379]},{"name":"PKEY_PNPX_SerialNumber","features":[378,379]},{"name":"PKEY_PNPX_ServiceAddress","features":[378,379]},{"name":"PKEY_PNPX_ServiceControlUrl","features":[378,379]},{"name":"PKEY_PNPX_ServiceDescUrl","features":[378,379]},{"name":"PKEY_PNPX_ServiceEventSubUrl","features":[378,379]},{"name":"PKEY_PNPX_ServiceId","features":[378,379]},{"name":"PKEY_PNPX_ServiceTypes","features":[378,379]},{"name":"PKEY_PNPX_ShareName","features":[378,379]},{"name":"PKEY_PNPX_Types","features":[378,379]},{"name":"PKEY_PNPX_Upc","features":[378,379]},{"name":"PKEY_PNPX_XAddrs","features":[378,379]},{"name":"PKEY_Pairing_IsWifiOnlyDevice","features":[378,379]},{"name":"PKEY_Pairing_ListItemDefault","features":[378,379]},{"name":"PKEY_Pairing_ListItemDescription","features":[378,379]},{"name":"PKEY_Pairing_ListItemIcon","features":[378,379]},{"name":"PKEY_Pairing_ListItemText","features":[378,379]},{"name":"PKEY_SSDP_AltLocationInfo","features":[378,379]},{"name":"PKEY_SSDP_DevLifeTime","features":[378,379]},{"name":"PKEY_SSDP_NetworkInterface","features":[378,379]},{"name":"PKEY_WCN_AssocState","features":[378,379]},{"name":"PKEY_WCN_AuthType","features":[378,379]},{"name":"PKEY_WCN_ConfigError","features":[378,379]},{"name":"PKEY_WCN_ConfigMethods","features":[378,379]},{"name":"PKEY_WCN_ConfigState","features":[378,379]},{"name":"PKEY_WCN_ConnType","features":[378,379]},{"name":"PKEY_WCN_DevicePasswordId","features":[378,379]},{"name":"PKEY_WCN_EncryptType","features":[378,379]},{"name":"PKEY_WCN_OSVersion","features":[378,379]},{"name":"PKEY_WCN_RegistrarType","features":[378,379]},{"name":"PKEY_WCN_RequestType","features":[378,379]},{"name":"PKEY_WCN_RfBand","features":[378,379]},{"name":"PKEY_WCN_VendorExtension","features":[378,379]},{"name":"PKEY_WCN_Version","features":[378,379]},{"name":"PKEY_WNET_Comment","features":[378,379]},{"name":"PKEY_WNET_DisplayType","features":[378,379]},{"name":"PKEY_WNET_LocalName","features":[378,379]},{"name":"PKEY_WNET_Provider","features":[378,379]},{"name":"PKEY_WNET_RemoteName","features":[378,379]},{"name":"PKEY_WNET_Scope","features":[378,379]},{"name":"PKEY_WNET_Type","features":[378,379]},{"name":"PKEY_WNET_Usage","features":[378,379]},{"name":"PNPXAssociation","features":[378]},{"name":"PNPXPairingHandler","features":[378]},{"name":"PNPX_DEVICECATEGORY_CAMERA","features":[378]},{"name":"PNPX_DEVICECATEGORY_COMPUTER","features":[378]},{"name":"PNPX_DEVICECATEGORY_DISPLAYS","features":[378]},{"name":"PNPX_DEVICECATEGORY_FAX","features":[378]},{"name":"PNPX_DEVICECATEGORY_GAMING_DEVICE","features":[378]},{"name":"PNPX_DEVICECATEGORY_HOME_AUTOMATION_SYSTEM","features":[378]},{"name":"PNPX_DEVICECATEGORY_HOME_SECURITY_SYSTEM","features":[378]},{"name":"PNPX_DEVICECATEGORY_INPUTDEVICE","features":[378]},{"name":"PNPX_DEVICECATEGORY_MFP","features":[378]},{"name":"PNPX_DEVICECATEGORY_MULTIMEDIA_DEVICE","features":[378]},{"name":"PNPX_DEVICECATEGORY_NETWORK_INFRASTRUCTURE","features":[378]},{"name":"PNPX_DEVICECATEGORY_OTHER","features":[378]},{"name":"PNPX_DEVICECATEGORY_PRINTER","features":[378]},{"name":"PNPX_DEVICECATEGORY_SCANNER","features":[378]},{"name":"PNPX_DEVICECATEGORY_STORAGE","features":[378]},{"name":"PNPX_DEVICECATEGORY_TELEPHONE","features":[378]},{"name":"PNPX_INSTALLSTATE_FAILED","features":[378]},{"name":"PNPX_INSTALLSTATE_INSTALLED","features":[378]},{"name":"PNPX_INSTALLSTATE_INSTALLING","features":[378]},{"name":"PNPX_INSTALLSTATE_NOTINSTALLED","features":[378]},{"name":"PNP_CONSTRAINTVALUE_NOTIFICATIONSONLY","features":[378]},{"name":"PNP_CONSTRAINTVALUE_NOTPRESENT","features":[378]},{"name":"PROVIDERDDO_QUERYCONSTRAINT_DEVICEFUNCTIONDISPLAYOBJECTS","features":[378]},{"name":"PROVIDERDDO_QUERYCONSTRAINT_DEVICEINTERFACES","features":[378]},{"name":"PROVIDERDDO_QUERYCONSTRAINT_ONLYCONNECTEDDEVICES","features":[378]},{"name":"PROVIDERPNP_QUERYCONSTRAINT_INTERFACECLASS","features":[378]},{"name":"PROVIDERPNP_QUERYCONSTRAINT_NOTIFICATIONSONLY","features":[378]},{"name":"PROVIDERPNP_QUERYCONSTRAINT_NOTPRESENT","features":[378]},{"name":"PROVIDERSSDP_QUERYCONSTRAINT_CUSTOMXMLPROPERTY","features":[378]},{"name":"PROVIDERSSDP_QUERYCONSTRAINT_TYPE","features":[378]},{"name":"PROVIDERWNET_QUERYCONSTRAINT_PROPERTIES","features":[378]},{"name":"PROVIDERWNET_QUERYCONSTRAINT_RESOURCETYPE","features":[378]},{"name":"PROVIDERWNET_QUERYCONSTRAINT_TYPE","features":[378]},{"name":"PROVIDERWSD_QUERYCONSTRAINT_DIRECTEDADDRESS","features":[378]},{"name":"PROVIDERWSD_QUERYCONSTRAINT_SCOPE","features":[378]},{"name":"PROVIDERWSD_QUERYCONSTRAINT_SECURITY_REQUIREMENTS","features":[378]},{"name":"PROVIDERWSD_QUERYCONSTRAINT_SSL_CERTHASH_FOR_SERVER_AUTH","features":[378]},{"name":"PROVIDERWSD_QUERYCONSTRAINT_SSL_CERT_FOR_CLIENT_AUTH","features":[378]},{"name":"PROVIDERWSD_QUERYCONSTRAINT_TYPE","features":[378]},{"name":"PropertyConstraint","features":[378]},{"name":"PropertyStore","features":[378]},{"name":"PropertyStoreCollection","features":[378]},{"name":"QCT_LAYERED","features":[378]},{"name":"QCT_PROVIDER","features":[378]},{"name":"QC_CONTAINS","features":[378]},{"name":"QC_DOESNOTEXIST","features":[378]},{"name":"QC_EQUALS","features":[378]},{"name":"QC_EXISTS","features":[378]},{"name":"QC_GREATERTHAN","features":[378]},{"name":"QC_GREATERTHANOREQUAL","features":[378]},{"name":"QC_LESSTHAN","features":[378]},{"name":"QC_LESSTHANOREQUAL","features":[378]},{"name":"QC_NOTEQUAL","features":[378]},{"name":"QC_STARTSWITH","features":[378]},{"name":"QUA_ADD","features":[378]},{"name":"QUA_CHANGE","features":[378]},{"name":"QUA_REMOVE","features":[378]},{"name":"QueryCategoryType","features":[378]},{"name":"QueryUpdateAction","features":[378]},{"name":"SID_DeviceDisplayStatusManager","features":[378]},{"name":"SID_EnumDeviceFunction","features":[378]},{"name":"SID_EnumInterface","features":[378]},{"name":"SID_FDPairingHandler","features":[378]},{"name":"SID_FunctionDiscoveryProviderRefresh","features":[378]},{"name":"SID_PNPXAssociation","features":[378]},{"name":"SID_PNPXPropertyStore","features":[378]},{"name":"SID_PNPXServiceCollection","features":[378]},{"name":"SID_PnpProvider","features":[378]},{"name":"SID_UPnPActivator","features":[378]},{"name":"SID_UninstallDeviceFunction","features":[378]},{"name":"SID_UnpairProvider","features":[378]},{"name":"SSDP_CONSTRAINTVALUE_TYPE_ALL","features":[378]},{"name":"SSDP_CONSTRAINTVALUE_TYPE_DEVICE_PREFIX","features":[378]},{"name":"SSDP_CONSTRAINTVALUE_TYPE_ROOT","features":[378]},{"name":"SSDP_CONSTRAINTVALUE_TYPE_SVC_PREFIX","features":[378]},{"name":"SVF_SYSTEM","features":[378]},{"name":"SVF_USER","features":[378]},{"name":"SystemVisibilityFlags","features":[378]},{"name":"WNET_CONSTRAINTVALUE_PROPERTIES_ALL","features":[378]},{"name":"WNET_CONSTRAINTVALUE_PROPERTIES_LIMITED","features":[378]},{"name":"WNET_CONSTRAINTVALUE_RESOURCETYPE_DISK","features":[378]},{"name":"WNET_CONSTRAINTVALUE_RESOURCETYPE_DISKORPRINTER","features":[378]},{"name":"WNET_CONSTRAINTVALUE_RESOURCETYPE_PRINTER","features":[378]},{"name":"WNET_CONSTRAINTVALUE_TYPE_ALL","features":[378]},{"name":"WNET_CONSTRAINTVALUE_TYPE_DOMAIN","features":[378]},{"name":"WNET_CONSTRAINTVALUE_TYPE_SERVER","features":[378]},{"name":"WSD_CONSTRAINTVALUE_NO_TRUST_VERIFICATION","features":[378]},{"name":"WSD_CONSTRAINTVALUE_REQUIRE_SECURECHANNEL","features":[378]},{"name":"WSD_CONSTRAINTVALUE_REQUIRE_SECURECHANNEL_AND_COMPACTSIGNATURE","features":[378]}],"378":[{"name":"BREADCRUMBING_UNSUPPORTED","features":[380]},{"name":"BREADCRUMBING_VERSION_1","features":[380]},{"name":"CivicAddressReport","features":[380]},{"name":"CivicAddressReportFactory","features":[380]},{"name":"DefaultLocation","features":[380]},{"name":"DispCivicAddressReport","features":[380]},{"name":"DispLatLongReport","features":[380]},{"name":"GNSS_AGNSSFORMAT_LTO","features":[380]},{"name":"GNSS_AGNSSFORMAT_XTRA1","features":[380]},{"name":"GNSS_AGNSSFORMAT_XTRA2","features":[380]},{"name":"GNSS_AGNSSFORMAT_XTRA3","features":[380]},{"name":"GNSS_AGNSSFORMAT_XTRA3_1","features":[380]},{"name":"GNSS_AGNSSFORMAT_XTRA3_2","features":[380]},{"name":"GNSS_AGNSSFORMAT_XTRA_INT","features":[380]},{"name":"GNSS_AGNSS_BlobInjection","features":[380]},{"name":"GNSS_AGNSS_INJECT","features":[380,308]},{"name":"GNSS_AGNSS_INJECTBLOB","features":[380]},{"name":"GNSS_AGNSS_INJECTPOSITION","features":[380]},{"name":"GNSS_AGNSS_INJECTTIME","features":[380,308]},{"name":"GNSS_AGNSS_PositionInjection","features":[380]},{"name":"GNSS_AGNSS_REQUEST_PARAM","features":[380]},{"name":"GNSS_AGNSS_REQUEST_TYPE","features":[380]},{"name":"GNSS_AGNSS_TimeInjection","features":[380]},{"name":"GNSS_BREADCRUMBING_ALERT_DATA","features":[380]},{"name":"GNSS_BREADCRUMBING_PARAM","features":[380]},{"name":"GNSS_BREADCRUMB_LIST","features":[380,308]},{"name":"GNSS_BREADCRUMB_V1","features":[380,308]},{"name":"GNSS_CHIPSETINFO","features":[380]},{"name":"GNSS_CONTINUOUSTRACKING_PARAM","features":[380]},{"name":"GNSS_CP_NI_INFO","features":[380]},{"name":"GNSS_CWTESTDATA","features":[380,308]},{"name":"GNSS_ClearAgnssData","features":[380]},{"name":"GNSS_CustomCommand","features":[380]},{"name":"GNSS_DEVICE_CAPABILITY","features":[380,308]},{"name":"GNSS_DISTANCETRACKING_PARAM","features":[380]},{"name":"GNSS_DRIVERCOMMAND_PARAM","features":[380]},{"name":"GNSS_DRIVERCOMMAND_TYPE","features":[380]},{"name":"GNSS_DRIVER_REQUEST","features":[380]},{"name":"GNSS_DRIVER_REQUEST_DATA","features":[380]},{"name":"GNSS_DRIVER_VERSION_1","features":[380]},{"name":"GNSS_DRIVER_VERSION_2","features":[380]},{"name":"GNSS_DRIVER_VERSION_3","features":[380]},{"name":"GNSS_DRIVER_VERSION_4","features":[380]},{"name":"GNSS_DRIVER_VERSION_5","features":[380]},{"name":"GNSS_DRIVER_VERSION_6","features":[380]},{"name":"GNSS_ERRORINFO","features":[380,308]},{"name":"GNSS_EVENT","features":[380,308]},{"name":"GNSS_EVENT_2","features":[380,308]},{"name":"GNSS_EVENT_TYPE","features":[380]},{"name":"GNSS_Event_BreadcrumbAlertEvent","features":[380]},{"name":"GNSS_Event_Custom","features":[380]},{"name":"GNSS_Event_DriverRequest","features":[380]},{"name":"GNSS_Event_Error","features":[380]},{"name":"GNSS_Event_FixAvailable","features":[380]},{"name":"GNSS_Event_FixAvailable_2","features":[380]},{"name":"GNSS_Event_GeofenceAlertData","features":[380]},{"name":"GNSS_Event_GeofencesTrackingStatus","features":[380]},{"name":"GNSS_Event_NiRequest","features":[380]},{"name":"GNSS_Event_NmeaData","features":[380]},{"name":"GNSS_Event_RequireAgnss","features":[380]},{"name":"GNSS_FIXDATA","features":[380,308]},{"name":"GNSS_FIXDATA_2","features":[380,308]},{"name":"GNSS_FIXDATA_ACCURACY","features":[380]},{"name":"GNSS_FIXDATA_ACCURACY_2","features":[380]},{"name":"GNSS_FIXDATA_BASIC","features":[380]},{"name":"GNSS_FIXDATA_BASIC_2","features":[380]},{"name":"GNSS_FIXDATA_SATELLITE","features":[380,308]},{"name":"GNSS_FIXDETAIL_ACCURACY","features":[380]},{"name":"GNSS_FIXDETAIL_BASIC","features":[380]},{"name":"GNSS_FIXDETAIL_SATELLITE","features":[380]},{"name":"GNSS_FIXSESSIONTYPE","features":[380]},{"name":"GNSS_FIXSESSION_PARAM","features":[380]},{"name":"GNSS_FixSession_ContinuousTracking","features":[380]},{"name":"GNSS_FixSession_DistanceTracking","features":[380]},{"name":"GNSS_FixSession_LKG","features":[380]},{"name":"GNSS_FixSession_SingleShot","features":[380]},{"name":"GNSS_ForceOperationMode","features":[380]},{"name":"GNSS_ForceSatelliteSystem","features":[380]},{"name":"GNSS_GEOFENCESUPPORT_CIRCLE","features":[380]},{"name":"GNSS_GEOFENCESUPPORT_SUPPORTED","features":[380]},{"name":"GNSS_GEOFENCES_TRACKINGSTATUS_DATA","features":[380,308]},{"name":"GNSS_GEOFENCE_ALERT_DATA","features":[380]},{"name":"GNSS_GEOFENCE_CREATE_PARAM","features":[380]},{"name":"GNSS_GEOFENCE_CREATE_RESPONSE","features":[380,308]},{"name":"GNSS_GEOFENCE_DELETE_PARAM","features":[380]},{"name":"GNSS_GEOFENCE_STATE","features":[380]},{"name":"GNSS_GEOREGION","features":[380]},{"name":"GNSS_GEOREGIONTYPE","features":[380]},{"name":"GNSS_GEOREGION_CIRCLE","features":[380]},{"name":"GNSS_GeoRegion_Circle","features":[380]},{"name":"GNSS_GeofenceState_Entered","features":[380]},{"name":"GNSS_GeofenceState_Exited","features":[380]},{"name":"GNSS_GeofenceState_Unknown","features":[380]},{"name":"GNSS_LKGFIX_PARAM","features":[380]},{"name":"GNSS_MAXSATELLITE","features":[380]},{"name":"GNSS_NI_CP","features":[380]},{"name":"GNSS_NI_NOTIFICATION_TYPE","features":[380]},{"name":"GNSS_NI_NoNotifyNoVerify","features":[380]},{"name":"GNSS_NI_NotifyOnly","features":[380]},{"name":"GNSS_NI_NotifyVerifyDefaultAllow","features":[380]},{"name":"GNSS_NI_NotifyVerifyDefaultNotAllow","features":[380]},{"name":"GNSS_NI_PLANE_TYPE","features":[380]},{"name":"GNSS_NI_PrivacyOverride","features":[380]},{"name":"GNSS_NI_REQUEST_PARAM","features":[380,308]},{"name":"GNSS_NI_REQUEST_TYPE","features":[380]},{"name":"GNSS_NI_RESPONSE","features":[380]},{"name":"GNSS_NI_Request_AreaTrigger","features":[380]},{"name":"GNSS_NI_Request_SingleShot","features":[380]},{"name":"GNSS_NI_SUPL","features":[380]},{"name":"GNSS_NI_USER_RESPONSE","features":[380]},{"name":"GNSS_NI_V2UPL","features":[380]},{"name":"GNSS_NMEALOGGING_ALL","features":[380]},{"name":"GNSS_NMEALOGGING_NONE","features":[380]},{"name":"GNSS_NMEA_DATA","features":[380]},{"name":"GNSS_Ni_UserResponseAccept","features":[380]},{"name":"GNSS_Ni_UserResponseDeny","features":[380]},{"name":"GNSS_Ni_UserResponseTimeout","features":[380]},{"name":"GNSS_OPERMODE_AFLT","features":[380]},{"name":"GNSS_OPERMODE_ANY","features":[380]},{"name":"GNSS_OPERMODE_CELLID","features":[380]},{"name":"GNSS_OPERMODE_MSA","features":[380]},{"name":"GNSS_OPERMODE_MSB","features":[380]},{"name":"GNSS_OPERMODE_MSS","features":[380]},{"name":"GNSS_OPERMODE_OTDOA","features":[380]},{"name":"GNSS_PLATFORM_CAPABILITY","features":[380,308]},{"name":"GNSS_ResetEngine","features":[380]},{"name":"GNSS_ResetGeofencesTracking","features":[380]},{"name":"GNSS_SATELLITEINFO","features":[380,308]},{"name":"GNSS_SATELLITE_ANY","features":[380]},{"name":"GNSS_SATELLITE_BEIDOU","features":[380]},{"name":"GNSS_SATELLITE_GALILEO","features":[380]},{"name":"GNSS_SATELLITE_GLONASS","features":[380]},{"name":"GNSS_SATELLITE_GPS","features":[380]},{"name":"GNSS_SELFTESTCONFIG","features":[380]},{"name":"GNSS_SELFTESTRESULT","features":[380,308]},{"name":"GNSS_SINGLESHOT_PARAM","features":[380]},{"name":"GNSS_STOPFIXSESSION_PARAM","features":[380]},{"name":"GNSS_SUPL_CERT_ACTION","features":[380]},{"name":"GNSS_SUPL_CERT_CONFIG","features":[380]},{"name":"GNSS_SUPL_HSLP_CONFIG","features":[380]},{"name":"GNSS_SUPL_NI_INFO","features":[380]},{"name":"GNSS_SUPL_VERSION","features":[380]},{"name":"GNSS_SUPL_VERSION_2","features":[380]},{"name":"GNSS_SetLocationNIRequestAllowed","features":[380]},{"name":"GNSS_SetLocationServiceEnabled","features":[380]},{"name":"GNSS_SetNMEALogging","features":[380]},{"name":"GNSS_SetNiTimeoutInterval","features":[380]},{"name":"GNSS_SetSuplVersion","features":[380]},{"name":"GNSS_SetSuplVersion2","features":[380]},{"name":"GNSS_SetUplServerAccessInterval","features":[380]},{"name":"GNSS_Supl_Cert_Delete","features":[380]},{"name":"GNSS_Supl_Cert_Inject","features":[380]},{"name":"GNSS_Supl_Cert_Purge","features":[380]},{"name":"GNSS_V2UPL_CONFIG","features":[380]},{"name":"GNSS_V2UPL_NI_INFO","features":[380]},{"name":"GUID_DEVINTERFACE_GNSS","features":[380]},{"name":"ICivicAddressReport","features":[380]},{"name":"ICivicAddressReportFactory","features":[380,359]},{"name":"IDefaultLocation","features":[380]},{"name":"IDispCivicAddressReport","features":[380,359]},{"name":"IDispLatLongReport","features":[380,359]},{"name":"ILatLongReport","features":[380]},{"name":"ILatLongReportFactory","features":[380,359]},{"name":"ILocation","features":[380]},{"name":"ILocationEvents","features":[380]},{"name":"ILocationPower","features":[380]},{"name":"ILocationReport","features":[380]},{"name":"ILocationReportFactory","features":[380,359]},{"name":"IOCTL_GNSS_CONFIG_SUPL_CERT","features":[380]},{"name":"IOCTL_GNSS_CREATE_GEOFENCE","features":[380]},{"name":"IOCTL_GNSS_DELETE_GEOFENCE","features":[380]},{"name":"IOCTL_GNSS_EXECUTE_CWTEST","features":[380]},{"name":"IOCTL_GNSS_EXECUTE_SELFTEST","features":[380]},{"name":"IOCTL_GNSS_GET_CHIPSETINFO","features":[380]},{"name":"IOCTL_GNSS_GET_DEVICE_CAPABILITY","features":[380]},{"name":"IOCTL_GNSS_GET_FIXDATA","features":[380]},{"name":"IOCTL_GNSS_INJECT_AGNSS","features":[380]},{"name":"IOCTL_GNSS_LISTEN_AGNSS","features":[380]},{"name":"IOCTL_GNSS_LISTEN_BREADCRUMBING_ALERT","features":[380]},{"name":"IOCTL_GNSS_LISTEN_DRIVER_REQUEST","features":[380]},{"name":"IOCTL_GNSS_LISTEN_ERROR","features":[380]},{"name":"IOCTL_GNSS_LISTEN_GEOFENCES_TRACKINGSTATUS","features":[380]},{"name":"IOCTL_GNSS_LISTEN_GEOFENCE_ALERT","features":[380]},{"name":"IOCTL_GNSS_LISTEN_NI","features":[380]},{"name":"IOCTL_GNSS_LISTEN_NMEA","features":[380]},{"name":"IOCTL_GNSS_MODIFY_FIXSESSION","features":[380]},{"name":"IOCTL_GNSS_POP_BREADCRUMBS","features":[380]},{"name":"IOCTL_GNSS_RESPOND_NI","features":[380]},{"name":"IOCTL_GNSS_SEND_DRIVERCOMMAND","features":[380]},{"name":"IOCTL_GNSS_SEND_PLATFORM_CAPABILITY","features":[380]},{"name":"IOCTL_GNSS_SET_SUPL_HSLP","features":[380]},{"name":"IOCTL_GNSS_SET_V2UPL_CONFIG","features":[380]},{"name":"IOCTL_GNSS_START_BREADCRUMBING","features":[380]},{"name":"IOCTL_GNSS_START_FIXSESSION","features":[380]},{"name":"IOCTL_GNSS_STOP_BREADCRUMBING","features":[380]},{"name":"IOCTL_GNSS_STOP_FIXSESSION","features":[380]},{"name":"LOCATION_API_VERSION","features":[380]},{"name":"LOCATION_REPORT_STATUS","features":[380]},{"name":"LatLongReport","features":[380]},{"name":"LatLongReportFactory","features":[380]},{"name":"Location","features":[380]},{"name":"MAX_SERVER_URL_NAME","features":[380]},{"name":"MIN_BREADCRUMBS_SUPPORTED","features":[380]},{"name":"MIN_GEOFENCES_REQUIRED","features":[380]},{"name":"REPORT_ACCESS_DENIED","features":[380]},{"name":"REPORT_ERROR","features":[380]},{"name":"REPORT_INITIALIZING","features":[380]},{"name":"REPORT_NOT_SUPPORTED","features":[380]},{"name":"REPORT_RUNNING","features":[380]},{"name":"SUPL_CONFIG_DATA","features":[380]},{"name":"_ICivicAddressReportFactoryEvents","features":[380,359]},{"name":"_ILatLongReportFactoryEvents","features":[380,359]}],"379":[{"name":"BALLPOINT_I8042_HARDWARE","features":[381]},{"name":"BALLPOINT_SERIAL_HARDWARE","features":[381]},{"name":"BUTTON_BIT_ALLBUTTONSMASK","features":[381]},{"name":"BUTTON_BIT_BACK","features":[381]},{"name":"BUTTON_BIT_CAMERAFOCUS","features":[381]},{"name":"BUTTON_BIT_CAMERALENS","features":[381]},{"name":"BUTTON_BIT_CAMERASHUTTER","features":[381]},{"name":"BUTTON_BIT_HEADSET","features":[381]},{"name":"BUTTON_BIT_HWKBDEPLOY","features":[381]},{"name":"BUTTON_BIT_OEMCUSTOM","features":[381]},{"name":"BUTTON_BIT_OEMCUSTOM2","features":[381]},{"name":"BUTTON_BIT_OEMCUSTOM3","features":[381]},{"name":"BUTTON_BIT_POWER","features":[381]},{"name":"BUTTON_BIT_RINGERTOGGLE","features":[381]},{"name":"BUTTON_BIT_ROTATION_LOCK","features":[381]},{"name":"BUTTON_BIT_SEARCH","features":[381]},{"name":"BUTTON_BIT_VOLUMEDOWN","features":[381]},{"name":"BUTTON_BIT_VOLUMEUP","features":[381]},{"name":"BUTTON_BIT_WINDOWS","features":[381]},{"name":"CLSID_DirectInput","features":[381]},{"name":"CLSID_DirectInput8","features":[381]},{"name":"CLSID_DirectInputDevice","features":[381]},{"name":"CLSID_DirectInputDevice8","features":[381]},{"name":"CPOINT","features":[381]},{"name":"DD_KEYBOARD_DEVICE_NAME","features":[381]},{"name":"DD_KEYBOARD_DEVICE_NAME_U","features":[381]},{"name":"DD_MOUSE_DEVICE_NAME","features":[381]},{"name":"DD_MOUSE_DEVICE_NAME_U","features":[381]},{"name":"DEVPKEY_DeviceInterface_HID_BackgroundAccess","features":[381,341]},{"name":"DEVPKEY_DeviceInterface_HID_IsReadOnly","features":[381,341]},{"name":"DEVPKEY_DeviceInterface_HID_ProductId","features":[381,341]},{"name":"DEVPKEY_DeviceInterface_HID_UsageId","features":[381,341]},{"name":"DEVPKEY_DeviceInterface_HID_UsagePage","features":[381,341]},{"name":"DEVPKEY_DeviceInterface_HID_VendorId","features":[381,341]},{"name":"DEVPKEY_DeviceInterface_HID_VersionNumber","features":[381,341]},{"name":"DEVPKEY_DeviceInterface_HID_WakeScreenOnInputCapable","features":[381,341]},{"name":"DI8DEVCLASS_ALL","features":[381]},{"name":"DI8DEVCLASS_DEVICE","features":[381]},{"name":"DI8DEVCLASS_GAMECTRL","features":[381]},{"name":"DI8DEVCLASS_KEYBOARD","features":[381]},{"name":"DI8DEVCLASS_POINTER","features":[381]},{"name":"DI8DEVTYPE1STPERSON_LIMITED","features":[381]},{"name":"DI8DEVTYPE1STPERSON_SHOOTER","features":[381]},{"name":"DI8DEVTYPE1STPERSON_SIXDOF","features":[381]},{"name":"DI8DEVTYPE1STPERSON_UNKNOWN","features":[381]},{"name":"DI8DEVTYPEDEVICECTRL_COMMSSELECTION","features":[381]},{"name":"DI8DEVTYPEDEVICECTRL_COMMSSELECTION_HARDWIRED","features":[381]},{"name":"DI8DEVTYPEDEVICECTRL_UNKNOWN","features":[381]},{"name":"DI8DEVTYPEDRIVING_COMBINEDPEDALS","features":[381]},{"name":"DI8DEVTYPEDRIVING_DUALPEDALS","features":[381]},{"name":"DI8DEVTYPEDRIVING_HANDHELD","features":[381]},{"name":"DI8DEVTYPEDRIVING_LIMITED","features":[381]},{"name":"DI8DEVTYPEDRIVING_THREEPEDALS","features":[381]},{"name":"DI8DEVTYPEFLIGHT_LIMITED","features":[381]},{"name":"DI8DEVTYPEFLIGHT_RC","features":[381]},{"name":"DI8DEVTYPEFLIGHT_STICK","features":[381]},{"name":"DI8DEVTYPEFLIGHT_YOKE","features":[381]},{"name":"DI8DEVTYPEGAMEPAD_LIMITED","features":[381]},{"name":"DI8DEVTYPEGAMEPAD_STANDARD","features":[381]},{"name":"DI8DEVTYPEGAMEPAD_TILT","features":[381]},{"name":"DI8DEVTYPEJOYSTICK_LIMITED","features":[381]},{"name":"DI8DEVTYPEJOYSTICK_STANDARD","features":[381]},{"name":"DI8DEVTYPEKEYBOARD_J3100","features":[381]},{"name":"DI8DEVTYPEKEYBOARD_JAPAN106","features":[381]},{"name":"DI8DEVTYPEKEYBOARD_JAPANAX","features":[381]},{"name":"DI8DEVTYPEKEYBOARD_NEC98","features":[381]},{"name":"DI8DEVTYPEKEYBOARD_NEC98106","features":[381]},{"name":"DI8DEVTYPEKEYBOARD_NEC98LAPTOP","features":[381]},{"name":"DI8DEVTYPEKEYBOARD_NOKIA1050","features":[381]},{"name":"DI8DEVTYPEKEYBOARD_NOKIA9140","features":[381]},{"name":"DI8DEVTYPEKEYBOARD_OLIVETTI","features":[381]},{"name":"DI8DEVTYPEKEYBOARD_PCAT","features":[381]},{"name":"DI8DEVTYPEKEYBOARD_PCENH","features":[381]},{"name":"DI8DEVTYPEKEYBOARD_PCXT","features":[381]},{"name":"DI8DEVTYPEKEYBOARD_UNKNOWN","features":[381]},{"name":"DI8DEVTYPEMOUSE_ABSOLUTE","features":[381]},{"name":"DI8DEVTYPEMOUSE_FINGERSTICK","features":[381]},{"name":"DI8DEVTYPEMOUSE_TOUCHPAD","features":[381]},{"name":"DI8DEVTYPEMOUSE_TRACKBALL","features":[381]},{"name":"DI8DEVTYPEMOUSE_TRADITIONAL","features":[381]},{"name":"DI8DEVTYPEMOUSE_UNKNOWN","features":[381]},{"name":"DI8DEVTYPEREMOTE_UNKNOWN","features":[381]},{"name":"DI8DEVTYPESCREENPTR_LIGHTGUN","features":[381]},{"name":"DI8DEVTYPESCREENPTR_LIGHTPEN","features":[381]},{"name":"DI8DEVTYPESCREENPTR_TOUCH","features":[381]},{"name":"DI8DEVTYPESCREENPTR_UNKNOWN","features":[381]},{"name":"DI8DEVTYPESUPPLEMENTAL_2NDHANDCONTROLLER","features":[381]},{"name":"DI8DEVTYPESUPPLEMENTAL_COMBINEDPEDALS","features":[381]},{"name":"DI8DEVTYPESUPPLEMENTAL_DUALPEDALS","features":[381]},{"name":"DI8DEVTYPESUPPLEMENTAL_HANDTRACKER","features":[381]},{"name":"DI8DEVTYPESUPPLEMENTAL_HEADTRACKER","features":[381]},{"name":"DI8DEVTYPESUPPLEMENTAL_RUDDERPEDALS","features":[381]},{"name":"DI8DEVTYPESUPPLEMENTAL_SHIFTER","features":[381]},{"name":"DI8DEVTYPESUPPLEMENTAL_SHIFTSTICKGATE","features":[381]},{"name":"DI8DEVTYPESUPPLEMENTAL_SPLITTHROTTLE","features":[381]},{"name":"DI8DEVTYPESUPPLEMENTAL_THREEPEDALS","features":[381]},{"name":"DI8DEVTYPESUPPLEMENTAL_THROTTLE","features":[381]},{"name":"DI8DEVTYPESUPPLEMENTAL_UNKNOWN","features":[381]},{"name":"DI8DEVTYPE_1STPERSON","features":[381]},{"name":"DI8DEVTYPE_DEVICE","features":[381]},{"name":"DI8DEVTYPE_DEVICECTRL","features":[381]},{"name":"DI8DEVTYPE_DRIVING","features":[381]},{"name":"DI8DEVTYPE_FLIGHT","features":[381]},{"name":"DI8DEVTYPE_GAMEPAD","features":[381]},{"name":"DI8DEVTYPE_JOYSTICK","features":[381]},{"name":"DI8DEVTYPE_KEYBOARD","features":[381]},{"name":"DI8DEVTYPE_LIMITEDGAMESUBTYPE","features":[381]},{"name":"DI8DEVTYPE_MOUSE","features":[381]},{"name":"DI8DEVTYPE_REMOTE","features":[381]},{"name":"DI8DEVTYPE_SCREENPOINTER","features":[381]},{"name":"DI8DEVTYPE_SUPPLEMENTAL","features":[381]},{"name":"DIACTIONA","features":[381]},{"name":"DIACTIONFORMATA","features":[381,308]},{"name":"DIACTIONFORMATW","features":[381,308]},{"name":"DIACTIONW","features":[381]},{"name":"DIAFTS_NEWDEVICEHIGH","features":[381]},{"name":"DIAFTS_NEWDEVICELOW","features":[381]},{"name":"DIAFTS_UNUSEDDEVICEHIGH","features":[381]},{"name":"DIAFTS_UNUSEDDEVICELOW","features":[381]},{"name":"DIAH_APPREQUESTED","features":[381]},{"name":"DIAH_DEFAULT","features":[381]},{"name":"DIAH_ERROR","features":[381]},{"name":"DIAH_HWAPP","features":[381]},{"name":"DIAH_HWDEFAULT","features":[381]},{"name":"DIAH_UNMAPPED","features":[381]},{"name":"DIAH_USERCONFIG","features":[381]},{"name":"DIAPPIDFLAG_NOSIZE","features":[381]},{"name":"DIAPPIDFLAG_NOTIME","features":[381]},{"name":"DIAXIS_2DCONTROL_INOUT","features":[381]},{"name":"DIAXIS_2DCONTROL_LATERAL","features":[381]},{"name":"DIAXIS_2DCONTROL_MOVE","features":[381]},{"name":"DIAXIS_2DCONTROL_ROTATEZ","features":[381]},{"name":"DIAXIS_3DCONTROL_INOUT","features":[381]},{"name":"DIAXIS_3DCONTROL_LATERAL","features":[381]},{"name":"DIAXIS_3DCONTROL_MOVE","features":[381]},{"name":"DIAXIS_3DCONTROL_ROTATEX","features":[381]},{"name":"DIAXIS_3DCONTROL_ROTATEY","features":[381]},{"name":"DIAXIS_3DCONTROL_ROTATEZ","features":[381]},{"name":"DIAXIS_ANY_1","features":[381]},{"name":"DIAXIS_ANY_2","features":[381]},{"name":"DIAXIS_ANY_3","features":[381]},{"name":"DIAXIS_ANY_4","features":[381]},{"name":"DIAXIS_ANY_A_1","features":[381]},{"name":"DIAXIS_ANY_A_2","features":[381]},{"name":"DIAXIS_ANY_B_1","features":[381]},{"name":"DIAXIS_ANY_B_2","features":[381]},{"name":"DIAXIS_ANY_C_1","features":[381]},{"name":"DIAXIS_ANY_C_2","features":[381]},{"name":"DIAXIS_ANY_R_1","features":[381]},{"name":"DIAXIS_ANY_R_2","features":[381]},{"name":"DIAXIS_ANY_S_1","features":[381]},{"name":"DIAXIS_ANY_S_2","features":[381]},{"name":"DIAXIS_ANY_U_1","features":[381]},{"name":"DIAXIS_ANY_U_2","features":[381]},{"name":"DIAXIS_ANY_V_1","features":[381]},{"name":"DIAXIS_ANY_V_2","features":[381]},{"name":"DIAXIS_ANY_X_1","features":[381]},{"name":"DIAXIS_ANY_X_2","features":[381]},{"name":"DIAXIS_ANY_Y_1","features":[381]},{"name":"DIAXIS_ANY_Y_2","features":[381]},{"name":"DIAXIS_ANY_Z_1","features":[381]},{"name":"DIAXIS_ANY_Z_2","features":[381]},{"name":"DIAXIS_ARCADEP_LATERAL","features":[381]},{"name":"DIAXIS_ARCADEP_MOVE","features":[381]},{"name":"DIAXIS_ARCADES_LATERAL","features":[381]},{"name":"DIAXIS_ARCADES_MOVE","features":[381]},{"name":"DIAXIS_BASEBALLB_LATERAL","features":[381]},{"name":"DIAXIS_BASEBALLB_MOVE","features":[381]},{"name":"DIAXIS_BASEBALLF_LATERAL","features":[381]},{"name":"DIAXIS_BASEBALLF_MOVE","features":[381]},{"name":"DIAXIS_BASEBALLP_LATERAL","features":[381]},{"name":"DIAXIS_BASEBALLP_MOVE","features":[381]},{"name":"DIAXIS_BBALLD_LATERAL","features":[381]},{"name":"DIAXIS_BBALLD_MOVE","features":[381]},{"name":"DIAXIS_BBALLO_LATERAL","features":[381]},{"name":"DIAXIS_BBALLO_MOVE","features":[381]},{"name":"DIAXIS_BIKINGM_BRAKE","features":[381]},{"name":"DIAXIS_BIKINGM_PEDAL","features":[381]},{"name":"DIAXIS_BIKINGM_TURN","features":[381]},{"name":"DIAXIS_BROWSER_LATERAL","features":[381]},{"name":"DIAXIS_BROWSER_MOVE","features":[381]},{"name":"DIAXIS_BROWSER_VIEW","features":[381]},{"name":"DIAXIS_CADF_INOUT","features":[381]},{"name":"DIAXIS_CADF_LATERAL","features":[381]},{"name":"DIAXIS_CADF_MOVE","features":[381]},{"name":"DIAXIS_CADF_ROTATEX","features":[381]},{"name":"DIAXIS_CADF_ROTATEY","features":[381]},{"name":"DIAXIS_CADF_ROTATEZ","features":[381]},{"name":"DIAXIS_CADM_INOUT","features":[381]},{"name":"DIAXIS_CADM_LATERAL","features":[381]},{"name":"DIAXIS_CADM_MOVE","features":[381]},{"name":"DIAXIS_CADM_ROTATEX","features":[381]},{"name":"DIAXIS_CADM_ROTATEY","features":[381]},{"name":"DIAXIS_CADM_ROTATEZ","features":[381]},{"name":"DIAXIS_DRIVINGC_ACCELERATE","features":[381]},{"name":"DIAXIS_DRIVINGC_ACCEL_AND_BRAKE","features":[381]},{"name":"DIAXIS_DRIVINGC_BRAKE","features":[381]},{"name":"DIAXIS_DRIVINGC_STEER","features":[381]},{"name":"DIAXIS_DRIVINGR_ACCELERATE","features":[381]},{"name":"DIAXIS_DRIVINGR_ACCEL_AND_BRAKE","features":[381]},{"name":"DIAXIS_DRIVINGR_BRAKE","features":[381]},{"name":"DIAXIS_DRIVINGR_STEER","features":[381]},{"name":"DIAXIS_DRIVINGT_ACCELERATE","features":[381]},{"name":"DIAXIS_DRIVINGT_ACCEL_AND_BRAKE","features":[381]},{"name":"DIAXIS_DRIVINGT_BARREL","features":[381]},{"name":"DIAXIS_DRIVINGT_BRAKE","features":[381]},{"name":"DIAXIS_DRIVINGT_ROTATE","features":[381]},{"name":"DIAXIS_DRIVINGT_STEER","features":[381]},{"name":"DIAXIS_FIGHTINGH_LATERAL","features":[381]},{"name":"DIAXIS_FIGHTINGH_MOVE","features":[381]},{"name":"DIAXIS_FIGHTINGH_ROTATE","features":[381]},{"name":"DIAXIS_FISHING_LATERAL","features":[381]},{"name":"DIAXIS_FISHING_MOVE","features":[381]},{"name":"DIAXIS_FISHING_ROTATE","features":[381]},{"name":"DIAXIS_FLYINGC_BANK","features":[381]},{"name":"DIAXIS_FLYINGC_BRAKE","features":[381]},{"name":"DIAXIS_FLYINGC_FLAPS","features":[381]},{"name":"DIAXIS_FLYINGC_PITCH","features":[381]},{"name":"DIAXIS_FLYINGC_RUDDER","features":[381]},{"name":"DIAXIS_FLYINGC_THROTTLE","features":[381]},{"name":"DIAXIS_FLYINGH_BANK","features":[381]},{"name":"DIAXIS_FLYINGH_COLLECTIVE","features":[381]},{"name":"DIAXIS_FLYINGH_PITCH","features":[381]},{"name":"DIAXIS_FLYINGH_THROTTLE","features":[381]},{"name":"DIAXIS_FLYINGH_TORQUE","features":[381]},{"name":"DIAXIS_FLYINGM_BANK","features":[381]},{"name":"DIAXIS_FLYINGM_BRAKE","features":[381]},{"name":"DIAXIS_FLYINGM_FLAPS","features":[381]},{"name":"DIAXIS_FLYINGM_PITCH","features":[381]},{"name":"DIAXIS_FLYINGM_RUDDER","features":[381]},{"name":"DIAXIS_FLYINGM_THROTTLE","features":[381]},{"name":"DIAXIS_FOOTBALLD_LATERAL","features":[381]},{"name":"DIAXIS_FOOTBALLD_MOVE","features":[381]},{"name":"DIAXIS_FOOTBALLO_LATERAL","features":[381]},{"name":"DIAXIS_FOOTBALLO_MOVE","features":[381]},{"name":"DIAXIS_FOOTBALLQ_LATERAL","features":[381]},{"name":"DIAXIS_FOOTBALLQ_MOVE","features":[381]},{"name":"DIAXIS_FPS_LOOKUPDOWN","features":[381]},{"name":"DIAXIS_FPS_MOVE","features":[381]},{"name":"DIAXIS_FPS_ROTATE","features":[381]},{"name":"DIAXIS_FPS_SIDESTEP","features":[381]},{"name":"DIAXIS_GOLF_LATERAL","features":[381]},{"name":"DIAXIS_GOLF_MOVE","features":[381]},{"name":"DIAXIS_HOCKEYD_LATERAL","features":[381]},{"name":"DIAXIS_HOCKEYD_MOVE","features":[381]},{"name":"DIAXIS_HOCKEYG_LATERAL","features":[381]},{"name":"DIAXIS_HOCKEYG_MOVE","features":[381]},{"name":"DIAXIS_HOCKEYO_LATERAL","features":[381]},{"name":"DIAXIS_HOCKEYO_MOVE","features":[381]},{"name":"DIAXIS_HUNTING_LATERAL","features":[381]},{"name":"DIAXIS_HUNTING_MOVE","features":[381]},{"name":"DIAXIS_HUNTING_ROTATE","features":[381]},{"name":"DIAXIS_MECHA_ROTATE","features":[381]},{"name":"DIAXIS_MECHA_STEER","features":[381]},{"name":"DIAXIS_MECHA_THROTTLE","features":[381]},{"name":"DIAXIS_MECHA_TORSO","features":[381]},{"name":"DIAXIS_RACQUET_LATERAL","features":[381]},{"name":"DIAXIS_RACQUET_MOVE","features":[381]},{"name":"DIAXIS_REMOTE_SLIDER","features":[381]},{"name":"DIAXIS_REMOTE_SLIDER2","features":[381]},{"name":"DIAXIS_SKIING_SPEED","features":[381]},{"name":"DIAXIS_SKIING_TURN","features":[381]},{"name":"DIAXIS_SOCCERD_LATERAL","features":[381]},{"name":"DIAXIS_SOCCERD_MOVE","features":[381]},{"name":"DIAXIS_SOCCERO_BEND","features":[381]},{"name":"DIAXIS_SOCCERO_LATERAL","features":[381]},{"name":"DIAXIS_SOCCERO_MOVE","features":[381]},{"name":"DIAXIS_SPACESIM_CLIMB","features":[381]},{"name":"DIAXIS_SPACESIM_LATERAL","features":[381]},{"name":"DIAXIS_SPACESIM_MOVE","features":[381]},{"name":"DIAXIS_SPACESIM_ROTATE","features":[381]},{"name":"DIAXIS_SPACESIM_THROTTLE","features":[381]},{"name":"DIAXIS_STRATEGYR_LATERAL","features":[381]},{"name":"DIAXIS_STRATEGYR_MOVE","features":[381]},{"name":"DIAXIS_STRATEGYR_ROTATE","features":[381]},{"name":"DIAXIS_STRATEGYT_LATERAL","features":[381]},{"name":"DIAXIS_STRATEGYT_MOVE","features":[381]},{"name":"DIAXIS_TPS_MOVE","features":[381]},{"name":"DIAXIS_TPS_STEP","features":[381]},{"name":"DIAXIS_TPS_TURN","features":[381]},{"name":"DIA_APPFIXED","features":[381]},{"name":"DIA_APPMAPPED","features":[381]},{"name":"DIA_APPNOMAP","features":[381]},{"name":"DIA_FORCEFEEDBACK","features":[381]},{"name":"DIA_NORANGE","features":[381]},{"name":"DIBUTTON_2DCONTROL_DEVICE","features":[381]},{"name":"DIBUTTON_2DCONTROL_DISPLAY","features":[381]},{"name":"DIBUTTON_2DCONTROL_MENU","features":[381]},{"name":"DIBUTTON_2DCONTROL_PAUSE","features":[381]},{"name":"DIBUTTON_2DCONTROL_SELECT","features":[381]},{"name":"DIBUTTON_2DCONTROL_SPECIAL","features":[381]},{"name":"DIBUTTON_2DCONTROL_SPECIAL1","features":[381]},{"name":"DIBUTTON_2DCONTROL_SPECIAL2","features":[381]},{"name":"DIBUTTON_3DCONTROL_DEVICE","features":[381]},{"name":"DIBUTTON_3DCONTROL_DISPLAY","features":[381]},{"name":"DIBUTTON_3DCONTROL_MENU","features":[381]},{"name":"DIBUTTON_3DCONTROL_PAUSE","features":[381]},{"name":"DIBUTTON_3DCONTROL_SELECT","features":[381]},{"name":"DIBUTTON_3DCONTROL_SPECIAL","features":[381]},{"name":"DIBUTTON_3DCONTROL_SPECIAL1","features":[381]},{"name":"DIBUTTON_3DCONTROL_SPECIAL2","features":[381]},{"name":"DIBUTTON_ARCADEP_BACK_LINK","features":[381]},{"name":"DIBUTTON_ARCADEP_CROUCH","features":[381]},{"name":"DIBUTTON_ARCADEP_DEVICE","features":[381]},{"name":"DIBUTTON_ARCADEP_FIRE","features":[381]},{"name":"DIBUTTON_ARCADEP_FIRESECONDARY","features":[381]},{"name":"DIBUTTON_ARCADEP_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_ARCADEP_JUMP","features":[381]},{"name":"DIBUTTON_ARCADEP_LEFT_LINK","features":[381]},{"name":"DIBUTTON_ARCADEP_MENU","features":[381]},{"name":"DIBUTTON_ARCADEP_PAUSE","features":[381]},{"name":"DIBUTTON_ARCADEP_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_ARCADEP_SELECT","features":[381]},{"name":"DIBUTTON_ARCADEP_SPECIAL","features":[381]},{"name":"DIBUTTON_ARCADEP_VIEW_DOWN_LINK","features":[381]},{"name":"DIBUTTON_ARCADEP_VIEW_LEFT_LINK","features":[381]},{"name":"DIBUTTON_ARCADEP_VIEW_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_ARCADEP_VIEW_UP_LINK","features":[381]},{"name":"DIBUTTON_ARCADES_ATTACK","features":[381]},{"name":"DIBUTTON_ARCADES_BACK_LINK","features":[381]},{"name":"DIBUTTON_ARCADES_CARRY","features":[381]},{"name":"DIBUTTON_ARCADES_DEVICE","features":[381]},{"name":"DIBUTTON_ARCADES_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_ARCADES_LEFT_LINK","features":[381]},{"name":"DIBUTTON_ARCADES_MENU","features":[381]},{"name":"DIBUTTON_ARCADES_PAUSE","features":[381]},{"name":"DIBUTTON_ARCADES_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_ARCADES_SELECT","features":[381]},{"name":"DIBUTTON_ARCADES_SPECIAL","features":[381]},{"name":"DIBUTTON_ARCADES_THROW","features":[381]},{"name":"DIBUTTON_ARCADES_VIEW_DOWN_LINK","features":[381]},{"name":"DIBUTTON_ARCADES_VIEW_LEFT_LINK","features":[381]},{"name":"DIBUTTON_ARCADES_VIEW_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_ARCADES_VIEW_UP_LINK","features":[381]},{"name":"DIBUTTON_BASEBALLB_BACK_LINK","features":[381]},{"name":"DIBUTTON_BASEBALLB_BOX","features":[381]},{"name":"DIBUTTON_BASEBALLB_BUNT","features":[381]},{"name":"DIBUTTON_BASEBALLB_BURST","features":[381]},{"name":"DIBUTTON_BASEBALLB_CONTACT","features":[381]},{"name":"DIBUTTON_BASEBALLB_DEVICE","features":[381]},{"name":"DIBUTTON_BASEBALLB_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_BASEBALLB_LEFT_LINK","features":[381]},{"name":"DIBUTTON_BASEBALLB_MENU","features":[381]},{"name":"DIBUTTON_BASEBALLB_NORMAL","features":[381]},{"name":"DIBUTTON_BASEBALLB_NOSTEAL","features":[381]},{"name":"DIBUTTON_BASEBALLB_PAUSE","features":[381]},{"name":"DIBUTTON_BASEBALLB_POWER","features":[381]},{"name":"DIBUTTON_BASEBALLB_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_BASEBALLB_SELECT","features":[381]},{"name":"DIBUTTON_BASEBALLB_SLIDE","features":[381]},{"name":"DIBUTTON_BASEBALLB_STEAL","features":[381]},{"name":"DIBUTTON_BASEBALLF_AIM_LEFT_LINK","features":[381]},{"name":"DIBUTTON_BASEBALLF_AIM_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_BASEBALLF_BACK_LINK","features":[381]},{"name":"DIBUTTON_BASEBALLF_BURST","features":[381]},{"name":"DIBUTTON_BASEBALLF_DEVICE","features":[381]},{"name":"DIBUTTON_BASEBALLF_DIVE","features":[381]},{"name":"DIBUTTON_BASEBALLF_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_BASEBALLF_JUMP","features":[381]},{"name":"DIBUTTON_BASEBALLF_MENU","features":[381]},{"name":"DIBUTTON_BASEBALLF_NEAREST","features":[381]},{"name":"DIBUTTON_BASEBALLF_PAUSE","features":[381]},{"name":"DIBUTTON_BASEBALLF_SHIFTIN","features":[381]},{"name":"DIBUTTON_BASEBALLF_SHIFTOUT","features":[381]},{"name":"DIBUTTON_BASEBALLF_THROW1","features":[381]},{"name":"DIBUTTON_BASEBALLF_THROW2","features":[381]},{"name":"DIBUTTON_BASEBALLP_BACK_LINK","features":[381]},{"name":"DIBUTTON_BASEBALLP_BASE","features":[381]},{"name":"DIBUTTON_BASEBALLP_DEVICE","features":[381]},{"name":"DIBUTTON_BASEBALLP_FAKE","features":[381]},{"name":"DIBUTTON_BASEBALLP_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_BASEBALLP_LEFT_LINK","features":[381]},{"name":"DIBUTTON_BASEBALLP_LOOK","features":[381]},{"name":"DIBUTTON_BASEBALLP_MENU","features":[381]},{"name":"DIBUTTON_BASEBALLP_PAUSE","features":[381]},{"name":"DIBUTTON_BASEBALLP_PITCH","features":[381]},{"name":"DIBUTTON_BASEBALLP_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_BASEBALLP_SELECT","features":[381]},{"name":"DIBUTTON_BASEBALLP_THROW","features":[381]},{"name":"DIBUTTON_BASEBALLP_WALK","features":[381]},{"name":"DIBUTTON_BBALLD_BACK_LINK","features":[381]},{"name":"DIBUTTON_BBALLD_BURST","features":[381]},{"name":"DIBUTTON_BBALLD_DEVICE","features":[381]},{"name":"DIBUTTON_BBALLD_FAKE","features":[381]},{"name":"DIBUTTON_BBALLD_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_BBALLD_JUMP","features":[381]},{"name":"DIBUTTON_BBALLD_LEFT_LINK","features":[381]},{"name":"DIBUTTON_BBALLD_MENU","features":[381]},{"name":"DIBUTTON_BBALLD_PAUSE","features":[381]},{"name":"DIBUTTON_BBALLD_PLAY","features":[381]},{"name":"DIBUTTON_BBALLD_PLAYER","features":[381]},{"name":"DIBUTTON_BBALLD_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_BBALLD_SPECIAL","features":[381]},{"name":"DIBUTTON_BBALLD_STEAL","features":[381]},{"name":"DIBUTTON_BBALLD_SUBSTITUTE","features":[381]},{"name":"DIBUTTON_BBALLD_TIMEOUT","features":[381]},{"name":"DIBUTTON_BBALLO_BACK_LINK","features":[381]},{"name":"DIBUTTON_BBALLO_BURST","features":[381]},{"name":"DIBUTTON_BBALLO_CALL","features":[381]},{"name":"DIBUTTON_BBALLO_DEVICE","features":[381]},{"name":"DIBUTTON_BBALLO_DUNK","features":[381]},{"name":"DIBUTTON_BBALLO_FAKE","features":[381]},{"name":"DIBUTTON_BBALLO_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_BBALLO_JAB","features":[381]},{"name":"DIBUTTON_BBALLO_LEFT_LINK","features":[381]},{"name":"DIBUTTON_BBALLO_MENU","features":[381]},{"name":"DIBUTTON_BBALLO_PASS","features":[381]},{"name":"DIBUTTON_BBALLO_PAUSE","features":[381]},{"name":"DIBUTTON_BBALLO_PLAY","features":[381]},{"name":"DIBUTTON_BBALLO_PLAYER","features":[381]},{"name":"DIBUTTON_BBALLO_POST","features":[381]},{"name":"DIBUTTON_BBALLO_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_BBALLO_SCREEN","features":[381]},{"name":"DIBUTTON_BBALLO_SHOOT","features":[381]},{"name":"DIBUTTON_BBALLO_SPECIAL","features":[381]},{"name":"DIBUTTON_BBALLO_SUBSTITUTE","features":[381]},{"name":"DIBUTTON_BBALLO_TIMEOUT","features":[381]},{"name":"DIBUTTON_BIKINGM_BRAKE_BUTTON_LINK","features":[381]},{"name":"DIBUTTON_BIKINGM_CAMERA","features":[381]},{"name":"DIBUTTON_BIKINGM_DEVICE","features":[381]},{"name":"DIBUTTON_BIKINGM_FASTER_LINK","features":[381]},{"name":"DIBUTTON_BIKINGM_JUMP","features":[381]},{"name":"DIBUTTON_BIKINGM_LEFT_LINK","features":[381]},{"name":"DIBUTTON_BIKINGM_MENU","features":[381]},{"name":"DIBUTTON_BIKINGM_PAUSE","features":[381]},{"name":"DIBUTTON_BIKINGM_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_BIKINGM_SELECT","features":[381]},{"name":"DIBUTTON_BIKINGM_SLOWER_LINK","features":[381]},{"name":"DIBUTTON_BIKINGM_SPECIAL1","features":[381]},{"name":"DIBUTTON_BIKINGM_SPECIAL2","features":[381]},{"name":"DIBUTTON_BIKINGM_ZOOM","features":[381]},{"name":"DIBUTTON_BROWSER_DEVICE","features":[381]},{"name":"DIBUTTON_BROWSER_FAVORITES","features":[381]},{"name":"DIBUTTON_BROWSER_HISTORY","features":[381]},{"name":"DIBUTTON_BROWSER_HOME","features":[381]},{"name":"DIBUTTON_BROWSER_MENU","features":[381]},{"name":"DIBUTTON_BROWSER_NEXT","features":[381]},{"name":"DIBUTTON_BROWSER_PAUSE","features":[381]},{"name":"DIBUTTON_BROWSER_PREVIOUS","features":[381]},{"name":"DIBUTTON_BROWSER_PRINT","features":[381]},{"name":"DIBUTTON_BROWSER_REFRESH","features":[381]},{"name":"DIBUTTON_BROWSER_SEARCH","features":[381]},{"name":"DIBUTTON_BROWSER_SELECT","features":[381]},{"name":"DIBUTTON_BROWSER_STOP","features":[381]},{"name":"DIBUTTON_CADF_DEVICE","features":[381]},{"name":"DIBUTTON_CADF_DISPLAY","features":[381]},{"name":"DIBUTTON_CADF_MENU","features":[381]},{"name":"DIBUTTON_CADF_PAUSE","features":[381]},{"name":"DIBUTTON_CADF_SELECT","features":[381]},{"name":"DIBUTTON_CADF_SPECIAL","features":[381]},{"name":"DIBUTTON_CADF_SPECIAL1","features":[381]},{"name":"DIBUTTON_CADF_SPECIAL2","features":[381]},{"name":"DIBUTTON_CADM_DEVICE","features":[381]},{"name":"DIBUTTON_CADM_DISPLAY","features":[381]},{"name":"DIBUTTON_CADM_MENU","features":[381]},{"name":"DIBUTTON_CADM_PAUSE","features":[381]},{"name":"DIBUTTON_CADM_SELECT","features":[381]},{"name":"DIBUTTON_CADM_SPECIAL","features":[381]},{"name":"DIBUTTON_CADM_SPECIAL1","features":[381]},{"name":"DIBUTTON_CADM_SPECIAL2","features":[381]},{"name":"DIBUTTON_DRIVINGC_ACCELERATE_LINK","features":[381]},{"name":"DIBUTTON_DRIVINGC_AIDS","features":[381]},{"name":"DIBUTTON_DRIVINGC_BRAKE","features":[381]},{"name":"DIBUTTON_DRIVINGC_DASHBOARD","features":[381]},{"name":"DIBUTTON_DRIVINGC_DEVICE","features":[381]},{"name":"DIBUTTON_DRIVINGC_FIRE","features":[381]},{"name":"DIBUTTON_DRIVINGC_FIRESECONDARY","features":[381]},{"name":"DIBUTTON_DRIVINGC_GLANCE_LEFT_LINK","features":[381]},{"name":"DIBUTTON_DRIVINGC_GLANCE_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_DRIVINGC_MENU","features":[381]},{"name":"DIBUTTON_DRIVINGC_PAUSE","features":[381]},{"name":"DIBUTTON_DRIVINGC_SHIFTDOWN","features":[381]},{"name":"DIBUTTON_DRIVINGC_SHIFTUP","features":[381]},{"name":"DIBUTTON_DRIVINGC_STEER_LEFT_LINK","features":[381]},{"name":"DIBUTTON_DRIVINGC_STEER_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_DRIVINGC_TARGET","features":[381]},{"name":"DIBUTTON_DRIVINGC_WEAPONS","features":[381]},{"name":"DIBUTTON_DRIVINGR_ACCELERATE_LINK","features":[381]},{"name":"DIBUTTON_DRIVINGR_AIDS","features":[381]},{"name":"DIBUTTON_DRIVINGR_BOOST","features":[381]},{"name":"DIBUTTON_DRIVINGR_BRAKE","features":[381]},{"name":"DIBUTTON_DRIVINGR_DASHBOARD","features":[381]},{"name":"DIBUTTON_DRIVINGR_DEVICE","features":[381]},{"name":"DIBUTTON_DRIVINGR_GLANCE_LEFT_LINK","features":[381]},{"name":"DIBUTTON_DRIVINGR_GLANCE_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_DRIVINGR_MAP","features":[381]},{"name":"DIBUTTON_DRIVINGR_MENU","features":[381]},{"name":"DIBUTTON_DRIVINGR_PAUSE","features":[381]},{"name":"DIBUTTON_DRIVINGR_PIT","features":[381]},{"name":"DIBUTTON_DRIVINGR_SHIFTDOWN","features":[381]},{"name":"DIBUTTON_DRIVINGR_SHIFTUP","features":[381]},{"name":"DIBUTTON_DRIVINGR_STEER_LEFT_LINK","features":[381]},{"name":"DIBUTTON_DRIVINGR_STEER_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_DRIVINGR_VIEW","features":[381]},{"name":"DIBUTTON_DRIVINGT_ACCELERATE_LINK","features":[381]},{"name":"DIBUTTON_DRIVINGT_BARREL_DOWN_LINK","features":[381]},{"name":"DIBUTTON_DRIVINGT_BARREL_UP_LINK","features":[381]},{"name":"DIBUTTON_DRIVINGT_BRAKE","features":[381]},{"name":"DIBUTTON_DRIVINGT_DASHBOARD","features":[381]},{"name":"DIBUTTON_DRIVINGT_DEVICE","features":[381]},{"name":"DIBUTTON_DRIVINGT_FIRE","features":[381]},{"name":"DIBUTTON_DRIVINGT_FIRESECONDARY","features":[381]},{"name":"DIBUTTON_DRIVINGT_GLANCE_LEFT_LINK","features":[381]},{"name":"DIBUTTON_DRIVINGT_GLANCE_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_DRIVINGT_MENU","features":[381]},{"name":"DIBUTTON_DRIVINGT_PAUSE","features":[381]},{"name":"DIBUTTON_DRIVINGT_ROTATE_LEFT_LINK","features":[381]},{"name":"DIBUTTON_DRIVINGT_ROTATE_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_DRIVINGT_STEER_LEFT_LINK","features":[381]},{"name":"DIBUTTON_DRIVINGT_STEER_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_DRIVINGT_TARGET","features":[381]},{"name":"DIBUTTON_DRIVINGT_VIEW","features":[381]},{"name":"DIBUTTON_DRIVINGT_WEAPONS","features":[381]},{"name":"DIBUTTON_FIGHTINGH_BACKWARD_LINK","features":[381]},{"name":"DIBUTTON_FIGHTINGH_BLOCK","features":[381]},{"name":"DIBUTTON_FIGHTINGH_CROUCH","features":[381]},{"name":"DIBUTTON_FIGHTINGH_DEVICE","features":[381]},{"name":"DIBUTTON_FIGHTINGH_DISPLAY","features":[381]},{"name":"DIBUTTON_FIGHTINGH_DODGE","features":[381]},{"name":"DIBUTTON_FIGHTINGH_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_FIGHTINGH_JUMP","features":[381]},{"name":"DIBUTTON_FIGHTINGH_KICK","features":[381]},{"name":"DIBUTTON_FIGHTINGH_LEFT_LINK","features":[381]},{"name":"DIBUTTON_FIGHTINGH_MENU","features":[381]},{"name":"DIBUTTON_FIGHTINGH_PAUSE","features":[381]},{"name":"DIBUTTON_FIGHTINGH_PUNCH","features":[381]},{"name":"DIBUTTON_FIGHTINGH_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_FIGHTINGH_SELECT","features":[381]},{"name":"DIBUTTON_FIGHTINGH_SPECIAL1","features":[381]},{"name":"DIBUTTON_FIGHTINGH_SPECIAL2","features":[381]},{"name":"DIBUTTON_FISHING_BACK_LINK","features":[381]},{"name":"DIBUTTON_FISHING_BAIT","features":[381]},{"name":"DIBUTTON_FISHING_BINOCULAR","features":[381]},{"name":"DIBUTTON_FISHING_CAST","features":[381]},{"name":"DIBUTTON_FISHING_CROUCH","features":[381]},{"name":"DIBUTTON_FISHING_DEVICE","features":[381]},{"name":"DIBUTTON_FISHING_DISPLAY","features":[381]},{"name":"DIBUTTON_FISHING_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_FISHING_JUMP","features":[381]},{"name":"DIBUTTON_FISHING_LEFT_LINK","features":[381]},{"name":"DIBUTTON_FISHING_MAP","features":[381]},{"name":"DIBUTTON_FISHING_MENU","features":[381]},{"name":"DIBUTTON_FISHING_PAUSE","features":[381]},{"name":"DIBUTTON_FISHING_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_FISHING_ROTATE_LEFT_LINK","features":[381]},{"name":"DIBUTTON_FISHING_ROTATE_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_FISHING_TYPE","features":[381]},{"name":"DIBUTTON_FLYINGC_BRAKE_LINK","features":[381]},{"name":"DIBUTTON_FLYINGC_DEVICE","features":[381]},{"name":"DIBUTTON_FLYINGC_DISPLAY","features":[381]},{"name":"DIBUTTON_FLYINGC_FASTER_LINK","features":[381]},{"name":"DIBUTTON_FLYINGC_FLAPSDOWN","features":[381]},{"name":"DIBUTTON_FLYINGC_FLAPSUP","features":[381]},{"name":"DIBUTTON_FLYINGC_GEAR","features":[381]},{"name":"DIBUTTON_FLYINGC_GLANCE_DOWN_LINK","features":[381]},{"name":"DIBUTTON_FLYINGC_GLANCE_LEFT_LINK","features":[381]},{"name":"DIBUTTON_FLYINGC_GLANCE_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_FLYINGC_GLANCE_UP_LINK","features":[381]},{"name":"DIBUTTON_FLYINGC_MENU","features":[381]},{"name":"DIBUTTON_FLYINGC_PAUSE","features":[381]},{"name":"DIBUTTON_FLYINGC_SLOWER_LINK","features":[381]},{"name":"DIBUTTON_FLYINGC_VIEW","features":[381]},{"name":"DIBUTTON_FLYINGH_COUNTER","features":[381]},{"name":"DIBUTTON_FLYINGH_DEVICE","features":[381]},{"name":"DIBUTTON_FLYINGH_FASTER_LINK","features":[381]},{"name":"DIBUTTON_FLYINGH_FIRE","features":[381]},{"name":"DIBUTTON_FLYINGH_FIRESECONDARY","features":[381]},{"name":"DIBUTTON_FLYINGH_GEAR","features":[381]},{"name":"DIBUTTON_FLYINGH_GLANCE_DOWN_LINK","features":[381]},{"name":"DIBUTTON_FLYINGH_GLANCE_LEFT_LINK","features":[381]},{"name":"DIBUTTON_FLYINGH_GLANCE_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_FLYINGH_GLANCE_UP_LINK","features":[381]},{"name":"DIBUTTON_FLYINGH_MENU","features":[381]},{"name":"DIBUTTON_FLYINGH_PAUSE","features":[381]},{"name":"DIBUTTON_FLYINGH_SLOWER_LINK","features":[381]},{"name":"DIBUTTON_FLYINGH_TARGET","features":[381]},{"name":"DIBUTTON_FLYINGH_VIEW","features":[381]},{"name":"DIBUTTON_FLYINGH_WEAPONS","features":[381]},{"name":"DIBUTTON_FLYINGM_BRAKE_LINK","features":[381]},{"name":"DIBUTTON_FLYINGM_COUNTER","features":[381]},{"name":"DIBUTTON_FLYINGM_DEVICE","features":[381]},{"name":"DIBUTTON_FLYINGM_DISPLAY","features":[381]},{"name":"DIBUTTON_FLYINGM_FASTER_LINK","features":[381]},{"name":"DIBUTTON_FLYINGM_FIRE","features":[381]},{"name":"DIBUTTON_FLYINGM_FIRESECONDARY","features":[381]},{"name":"DIBUTTON_FLYINGM_FLAPSDOWN","features":[381]},{"name":"DIBUTTON_FLYINGM_FLAPSUP","features":[381]},{"name":"DIBUTTON_FLYINGM_GEAR","features":[381]},{"name":"DIBUTTON_FLYINGM_GLANCE_DOWN_LINK","features":[381]},{"name":"DIBUTTON_FLYINGM_GLANCE_LEFT_LINK","features":[381]},{"name":"DIBUTTON_FLYINGM_GLANCE_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_FLYINGM_GLANCE_UP_LINK","features":[381]},{"name":"DIBUTTON_FLYINGM_MENU","features":[381]},{"name":"DIBUTTON_FLYINGM_PAUSE","features":[381]},{"name":"DIBUTTON_FLYINGM_SLOWER_LINK","features":[381]},{"name":"DIBUTTON_FLYINGM_TARGET","features":[381]},{"name":"DIBUTTON_FLYINGM_VIEW","features":[381]},{"name":"DIBUTTON_FLYINGM_WEAPONS","features":[381]},{"name":"DIBUTTON_FOOTBALLD_AUDIBLE","features":[381]},{"name":"DIBUTTON_FOOTBALLD_BACK_LINK","features":[381]},{"name":"DIBUTTON_FOOTBALLD_BULLRUSH","features":[381]},{"name":"DIBUTTON_FOOTBALLD_DEVICE","features":[381]},{"name":"DIBUTTON_FOOTBALLD_FAKE","features":[381]},{"name":"DIBUTTON_FOOTBALLD_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_FOOTBALLD_JUMP","features":[381]},{"name":"DIBUTTON_FOOTBALLD_LEFT_LINK","features":[381]},{"name":"DIBUTTON_FOOTBALLD_MENU","features":[381]},{"name":"DIBUTTON_FOOTBALLD_PAUSE","features":[381]},{"name":"DIBUTTON_FOOTBALLD_PLAY","features":[381]},{"name":"DIBUTTON_FOOTBALLD_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_FOOTBALLD_RIP","features":[381]},{"name":"DIBUTTON_FOOTBALLD_SELECT","features":[381]},{"name":"DIBUTTON_FOOTBALLD_SPIN","features":[381]},{"name":"DIBUTTON_FOOTBALLD_SUBSTITUTE","features":[381]},{"name":"DIBUTTON_FOOTBALLD_SUPERTACKLE","features":[381]},{"name":"DIBUTTON_FOOTBALLD_SWIM","features":[381]},{"name":"DIBUTTON_FOOTBALLD_TACKLE","features":[381]},{"name":"DIBUTTON_FOOTBALLD_ZOOM","features":[381]},{"name":"DIBUTTON_FOOTBALLO_BACK_LINK","features":[381]},{"name":"DIBUTTON_FOOTBALLO_DEVICE","features":[381]},{"name":"DIBUTTON_FOOTBALLO_DIVE","features":[381]},{"name":"DIBUTTON_FOOTBALLO_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_FOOTBALLO_JUKE","features":[381]},{"name":"DIBUTTON_FOOTBALLO_JUMP","features":[381]},{"name":"DIBUTTON_FOOTBALLO_LEFTARM","features":[381]},{"name":"DIBUTTON_FOOTBALLO_LEFT_LINK","features":[381]},{"name":"DIBUTTON_FOOTBALLO_MENU","features":[381]},{"name":"DIBUTTON_FOOTBALLO_PAUSE","features":[381]},{"name":"DIBUTTON_FOOTBALLO_RIGHTARM","features":[381]},{"name":"DIBUTTON_FOOTBALLO_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_FOOTBALLO_SHOULDER","features":[381]},{"name":"DIBUTTON_FOOTBALLO_SPIN","features":[381]},{"name":"DIBUTTON_FOOTBALLO_SUBSTITUTE","features":[381]},{"name":"DIBUTTON_FOOTBALLO_THROW","features":[381]},{"name":"DIBUTTON_FOOTBALLO_TURBO","features":[381]},{"name":"DIBUTTON_FOOTBALLO_ZOOM","features":[381]},{"name":"DIBUTTON_FOOTBALLP_DEVICE","features":[381]},{"name":"DIBUTTON_FOOTBALLP_HELP","features":[381]},{"name":"DIBUTTON_FOOTBALLP_MENU","features":[381]},{"name":"DIBUTTON_FOOTBALLP_PAUSE","features":[381]},{"name":"DIBUTTON_FOOTBALLP_PLAY","features":[381]},{"name":"DIBUTTON_FOOTBALLP_SELECT","features":[381]},{"name":"DIBUTTON_FOOTBALLQ_AUDIBLE","features":[381]},{"name":"DIBUTTON_FOOTBALLQ_BACK_LINK","features":[381]},{"name":"DIBUTTON_FOOTBALLQ_DEVICE","features":[381]},{"name":"DIBUTTON_FOOTBALLQ_FAKE","features":[381]},{"name":"DIBUTTON_FOOTBALLQ_FAKESNAP","features":[381]},{"name":"DIBUTTON_FOOTBALLQ_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_FOOTBALLQ_JUMP","features":[381]},{"name":"DIBUTTON_FOOTBALLQ_LEFT_LINK","features":[381]},{"name":"DIBUTTON_FOOTBALLQ_MENU","features":[381]},{"name":"DIBUTTON_FOOTBALLQ_MOTION","features":[381]},{"name":"DIBUTTON_FOOTBALLQ_PASS","features":[381]},{"name":"DIBUTTON_FOOTBALLQ_PAUSE","features":[381]},{"name":"DIBUTTON_FOOTBALLQ_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_FOOTBALLQ_SELECT","features":[381]},{"name":"DIBUTTON_FOOTBALLQ_SLIDE","features":[381]},{"name":"DIBUTTON_FOOTBALLQ_SNAP","features":[381]},{"name":"DIBUTTON_FPS_APPLY","features":[381]},{"name":"DIBUTTON_FPS_BACKWARD_LINK","features":[381]},{"name":"DIBUTTON_FPS_CROUCH","features":[381]},{"name":"DIBUTTON_FPS_DEVICE","features":[381]},{"name":"DIBUTTON_FPS_DISPLAY","features":[381]},{"name":"DIBUTTON_FPS_DODGE","features":[381]},{"name":"DIBUTTON_FPS_FIRE","features":[381]},{"name":"DIBUTTON_FPS_FIRESECONDARY","features":[381]},{"name":"DIBUTTON_FPS_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_FPS_GLANCEL","features":[381]},{"name":"DIBUTTON_FPS_GLANCER","features":[381]},{"name":"DIBUTTON_FPS_GLANCE_DOWN_LINK","features":[381]},{"name":"DIBUTTON_FPS_GLANCE_UP_LINK","features":[381]},{"name":"DIBUTTON_FPS_JUMP","features":[381]},{"name":"DIBUTTON_FPS_MENU","features":[381]},{"name":"DIBUTTON_FPS_PAUSE","features":[381]},{"name":"DIBUTTON_FPS_ROTATE_LEFT_LINK","features":[381]},{"name":"DIBUTTON_FPS_ROTATE_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_FPS_SELECT","features":[381]},{"name":"DIBUTTON_FPS_STEP_LEFT_LINK","features":[381]},{"name":"DIBUTTON_FPS_STEP_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_FPS_STRAFE","features":[381]},{"name":"DIBUTTON_FPS_WEAPONS","features":[381]},{"name":"DIBUTTON_GOLF_BACK_LINK","features":[381]},{"name":"DIBUTTON_GOLF_DEVICE","features":[381]},{"name":"DIBUTTON_GOLF_DOWN","features":[381]},{"name":"DIBUTTON_GOLF_FLYBY","features":[381]},{"name":"DIBUTTON_GOLF_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_GOLF_LEFT_LINK","features":[381]},{"name":"DIBUTTON_GOLF_MENU","features":[381]},{"name":"DIBUTTON_GOLF_PAUSE","features":[381]},{"name":"DIBUTTON_GOLF_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_GOLF_SELECT","features":[381]},{"name":"DIBUTTON_GOLF_SUBSTITUTE","features":[381]},{"name":"DIBUTTON_GOLF_SWING","features":[381]},{"name":"DIBUTTON_GOLF_TERRAIN","features":[381]},{"name":"DIBUTTON_GOLF_TIMEOUT","features":[381]},{"name":"DIBUTTON_GOLF_UP","features":[381]},{"name":"DIBUTTON_GOLF_ZOOM","features":[381]},{"name":"DIBUTTON_HOCKEYD_BACK_LINK","features":[381]},{"name":"DIBUTTON_HOCKEYD_BLOCK","features":[381]},{"name":"DIBUTTON_HOCKEYD_BURST","features":[381]},{"name":"DIBUTTON_HOCKEYD_DEVICE","features":[381]},{"name":"DIBUTTON_HOCKEYD_FAKE","features":[381]},{"name":"DIBUTTON_HOCKEYD_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_HOCKEYD_LEFT_LINK","features":[381]},{"name":"DIBUTTON_HOCKEYD_MENU","features":[381]},{"name":"DIBUTTON_HOCKEYD_PAUSE","features":[381]},{"name":"DIBUTTON_HOCKEYD_PLAYER","features":[381]},{"name":"DIBUTTON_HOCKEYD_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_HOCKEYD_STEAL","features":[381]},{"name":"DIBUTTON_HOCKEYD_STRATEGY","features":[381]},{"name":"DIBUTTON_HOCKEYD_SUBSTITUTE","features":[381]},{"name":"DIBUTTON_HOCKEYD_TIMEOUT","features":[381]},{"name":"DIBUTTON_HOCKEYD_ZOOM","features":[381]},{"name":"DIBUTTON_HOCKEYG_BACK_LINK","features":[381]},{"name":"DIBUTTON_HOCKEYG_BLOCK","features":[381]},{"name":"DIBUTTON_HOCKEYG_DEVICE","features":[381]},{"name":"DIBUTTON_HOCKEYG_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_HOCKEYG_LEFT_LINK","features":[381]},{"name":"DIBUTTON_HOCKEYG_MENU","features":[381]},{"name":"DIBUTTON_HOCKEYG_PASS","features":[381]},{"name":"DIBUTTON_HOCKEYG_PAUSE","features":[381]},{"name":"DIBUTTON_HOCKEYG_POKE","features":[381]},{"name":"DIBUTTON_HOCKEYG_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_HOCKEYG_STEAL","features":[381]},{"name":"DIBUTTON_HOCKEYG_STRATEGY","features":[381]},{"name":"DIBUTTON_HOCKEYG_SUBSTITUTE","features":[381]},{"name":"DIBUTTON_HOCKEYG_TIMEOUT","features":[381]},{"name":"DIBUTTON_HOCKEYG_ZOOM","features":[381]},{"name":"DIBUTTON_HOCKEYO_BACK_LINK","features":[381]},{"name":"DIBUTTON_HOCKEYO_BURST","features":[381]},{"name":"DIBUTTON_HOCKEYO_DEVICE","features":[381]},{"name":"DIBUTTON_HOCKEYO_FAKE","features":[381]},{"name":"DIBUTTON_HOCKEYO_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_HOCKEYO_LEFT_LINK","features":[381]},{"name":"DIBUTTON_HOCKEYO_MENU","features":[381]},{"name":"DIBUTTON_HOCKEYO_PASS","features":[381]},{"name":"DIBUTTON_HOCKEYO_PAUSE","features":[381]},{"name":"DIBUTTON_HOCKEYO_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_HOCKEYO_SHOOT","features":[381]},{"name":"DIBUTTON_HOCKEYO_SPECIAL","features":[381]},{"name":"DIBUTTON_HOCKEYO_STRATEGY","features":[381]},{"name":"DIBUTTON_HOCKEYO_SUBSTITUTE","features":[381]},{"name":"DIBUTTON_HOCKEYO_TIMEOUT","features":[381]},{"name":"DIBUTTON_HOCKEYO_ZOOM","features":[381]},{"name":"DIBUTTON_HUNTING_AIM","features":[381]},{"name":"DIBUTTON_HUNTING_BACK_LINK","features":[381]},{"name":"DIBUTTON_HUNTING_BINOCULAR","features":[381]},{"name":"DIBUTTON_HUNTING_CALL","features":[381]},{"name":"DIBUTTON_HUNTING_CROUCH","features":[381]},{"name":"DIBUTTON_HUNTING_DEVICE","features":[381]},{"name":"DIBUTTON_HUNTING_DISPLAY","features":[381]},{"name":"DIBUTTON_HUNTING_FIRE","features":[381]},{"name":"DIBUTTON_HUNTING_FIRESECONDARY","features":[381]},{"name":"DIBUTTON_HUNTING_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_HUNTING_JUMP","features":[381]},{"name":"DIBUTTON_HUNTING_LEFT_LINK","features":[381]},{"name":"DIBUTTON_HUNTING_MAP","features":[381]},{"name":"DIBUTTON_HUNTING_MENU","features":[381]},{"name":"DIBUTTON_HUNTING_PAUSE","features":[381]},{"name":"DIBUTTON_HUNTING_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_HUNTING_ROTATE_LEFT_LINK","features":[381]},{"name":"DIBUTTON_HUNTING_ROTATE_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_HUNTING_SPECIAL","features":[381]},{"name":"DIBUTTON_HUNTING_WEAPON","features":[381]},{"name":"DIBUTTON_MECHA_BACK_LINK","features":[381]},{"name":"DIBUTTON_MECHA_CENTER","features":[381]},{"name":"DIBUTTON_MECHA_DEVICE","features":[381]},{"name":"DIBUTTON_MECHA_FASTER_LINK","features":[381]},{"name":"DIBUTTON_MECHA_FIRE","features":[381]},{"name":"DIBUTTON_MECHA_FIRESECONDARY","features":[381]},{"name":"DIBUTTON_MECHA_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_MECHA_JUMP","features":[381]},{"name":"DIBUTTON_MECHA_LEFT_LINK","features":[381]},{"name":"DIBUTTON_MECHA_MENU","features":[381]},{"name":"DIBUTTON_MECHA_PAUSE","features":[381]},{"name":"DIBUTTON_MECHA_REVERSE","features":[381]},{"name":"DIBUTTON_MECHA_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_MECHA_ROTATE_LEFT_LINK","features":[381]},{"name":"DIBUTTON_MECHA_ROTATE_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_MECHA_SLOWER_LINK","features":[381]},{"name":"DIBUTTON_MECHA_TARGET","features":[381]},{"name":"DIBUTTON_MECHA_VIEW","features":[381]},{"name":"DIBUTTON_MECHA_WEAPONS","features":[381]},{"name":"DIBUTTON_MECHA_ZOOM","features":[381]},{"name":"DIBUTTON_RACQUET_BACKSWING","features":[381]},{"name":"DIBUTTON_RACQUET_BACK_LINK","features":[381]},{"name":"DIBUTTON_RACQUET_DEVICE","features":[381]},{"name":"DIBUTTON_RACQUET_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_RACQUET_LEFT_LINK","features":[381]},{"name":"DIBUTTON_RACQUET_MENU","features":[381]},{"name":"DIBUTTON_RACQUET_PAUSE","features":[381]},{"name":"DIBUTTON_RACQUET_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_RACQUET_SELECT","features":[381]},{"name":"DIBUTTON_RACQUET_SMASH","features":[381]},{"name":"DIBUTTON_RACQUET_SPECIAL","features":[381]},{"name":"DIBUTTON_RACQUET_SUBSTITUTE","features":[381]},{"name":"DIBUTTON_RACQUET_SWING","features":[381]},{"name":"DIBUTTON_RACQUET_TIMEOUT","features":[381]},{"name":"DIBUTTON_REMOTE_ADJUST","features":[381]},{"name":"DIBUTTON_REMOTE_CABLE","features":[381]},{"name":"DIBUTTON_REMOTE_CD","features":[381]},{"name":"DIBUTTON_REMOTE_CHANGE","features":[381]},{"name":"DIBUTTON_REMOTE_CUE","features":[381]},{"name":"DIBUTTON_REMOTE_DEVICE","features":[381]},{"name":"DIBUTTON_REMOTE_DIGIT0","features":[381]},{"name":"DIBUTTON_REMOTE_DIGIT1","features":[381]},{"name":"DIBUTTON_REMOTE_DIGIT2","features":[381]},{"name":"DIBUTTON_REMOTE_DIGIT3","features":[381]},{"name":"DIBUTTON_REMOTE_DIGIT4","features":[381]},{"name":"DIBUTTON_REMOTE_DIGIT5","features":[381]},{"name":"DIBUTTON_REMOTE_DIGIT6","features":[381]},{"name":"DIBUTTON_REMOTE_DIGIT7","features":[381]},{"name":"DIBUTTON_REMOTE_DIGIT8","features":[381]},{"name":"DIBUTTON_REMOTE_DIGIT9","features":[381]},{"name":"DIBUTTON_REMOTE_DVD","features":[381]},{"name":"DIBUTTON_REMOTE_MENU","features":[381]},{"name":"DIBUTTON_REMOTE_MUTE","features":[381]},{"name":"DIBUTTON_REMOTE_PAUSE","features":[381]},{"name":"DIBUTTON_REMOTE_PLAY","features":[381]},{"name":"DIBUTTON_REMOTE_RECORD","features":[381]},{"name":"DIBUTTON_REMOTE_REVIEW","features":[381]},{"name":"DIBUTTON_REMOTE_SELECT","features":[381]},{"name":"DIBUTTON_REMOTE_TUNER","features":[381]},{"name":"DIBUTTON_REMOTE_TV","features":[381]},{"name":"DIBUTTON_REMOTE_VCR","features":[381]},{"name":"DIBUTTON_SKIING_CAMERA","features":[381]},{"name":"DIBUTTON_SKIING_CROUCH","features":[381]},{"name":"DIBUTTON_SKIING_DEVICE","features":[381]},{"name":"DIBUTTON_SKIING_FASTER_LINK","features":[381]},{"name":"DIBUTTON_SKIING_JUMP","features":[381]},{"name":"DIBUTTON_SKIING_LEFT_LINK","features":[381]},{"name":"DIBUTTON_SKIING_MENU","features":[381]},{"name":"DIBUTTON_SKIING_PAUSE","features":[381]},{"name":"DIBUTTON_SKIING_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_SKIING_SELECT","features":[381]},{"name":"DIBUTTON_SKIING_SLOWER_LINK","features":[381]},{"name":"DIBUTTON_SKIING_SPECIAL1","features":[381]},{"name":"DIBUTTON_SKIING_SPECIAL2","features":[381]},{"name":"DIBUTTON_SKIING_ZOOM","features":[381]},{"name":"DIBUTTON_SOCCERD_BACK_LINK","features":[381]},{"name":"DIBUTTON_SOCCERD_BLOCK","features":[381]},{"name":"DIBUTTON_SOCCERD_CLEAR","features":[381]},{"name":"DIBUTTON_SOCCERD_DEVICE","features":[381]},{"name":"DIBUTTON_SOCCERD_FAKE","features":[381]},{"name":"DIBUTTON_SOCCERD_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_SOCCERD_FOUL","features":[381]},{"name":"DIBUTTON_SOCCERD_GOALIECHARGE","features":[381]},{"name":"DIBUTTON_SOCCERD_HEAD","features":[381]},{"name":"DIBUTTON_SOCCERD_LEFT_LINK","features":[381]},{"name":"DIBUTTON_SOCCERD_MENU","features":[381]},{"name":"DIBUTTON_SOCCERD_PAUSE","features":[381]},{"name":"DIBUTTON_SOCCERD_PLAYER","features":[381]},{"name":"DIBUTTON_SOCCERD_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_SOCCERD_SELECT","features":[381]},{"name":"DIBUTTON_SOCCERD_SLIDE","features":[381]},{"name":"DIBUTTON_SOCCERD_SPECIAL","features":[381]},{"name":"DIBUTTON_SOCCERD_STEAL","features":[381]},{"name":"DIBUTTON_SOCCERD_SUBSTITUTE","features":[381]},{"name":"DIBUTTON_SOCCERO_BACK_LINK","features":[381]},{"name":"DIBUTTON_SOCCERO_CONTROL","features":[381]},{"name":"DIBUTTON_SOCCERO_DEVICE","features":[381]},{"name":"DIBUTTON_SOCCERO_FAKE","features":[381]},{"name":"DIBUTTON_SOCCERO_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_SOCCERO_HEAD","features":[381]},{"name":"DIBUTTON_SOCCERO_LEFT_LINK","features":[381]},{"name":"DIBUTTON_SOCCERO_MENU","features":[381]},{"name":"DIBUTTON_SOCCERO_PASS","features":[381]},{"name":"DIBUTTON_SOCCERO_PASSTHRU","features":[381]},{"name":"DIBUTTON_SOCCERO_PAUSE","features":[381]},{"name":"DIBUTTON_SOCCERO_PLAYER","features":[381]},{"name":"DIBUTTON_SOCCERO_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_SOCCERO_SELECT","features":[381]},{"name":"DIBUTTON_SOCCERO_SHOOT","features":[381]},{"name":"DIBUTTON_SOCCERO_SHOOTHIGH","features":[381]},{"name":"DIBUTTON_SOCCERO_SHOOTLOW","features":[381]},{"name":"DIBUTTON_SOCCERO_SPECIAL1","features":[381]},{"name":"DIBUTTON_SOCCERO_SPRINT","features":[381]},{"name":"DIBUTTON_SOCCERO_SUBSTITUTE","features":[381]},{"name":"DIBUTTON_SPACESIM_BACKWARD_LINK","features":[381]},{"name":"DIBUTTON_SPACESIM_DEVICE","features":[381]},{"name":"DIBUTTON_SPACESIM_DISPLAY","features":[381]},{"name":"DIBUTTON_SPACESIM_FASTER_LINK","features":[381]},{"name":"DIBUTTON_SPACESIM_FIRE","features":[381]},{"name":"DIBUTTON_SPACESIM_FIRESECONDARY","features":[381]},{"name":"DIBUTTON_SPACESIM_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_SPACESIM_GEAR","features":[381]},{"name":"DIBUTTON_SPACESIM_GLANCE_DOWN_LINK","features":[381]},{"name":"DIBUTTON_SPACESIM_GLANCE_LEFT_LINK","features":[381]},{"name":"DIBUTTON_SPACESIM_GLANCE_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_SPACESIM_GLANCE_UP_LINK","features":[381]},{"name":"DIBUTTON_SPACESIM_LEFT_LINK","features":[381]},{"name":"DIBUTTON_SPACESIM_LOWER","features":[381]},{"name":"DIBUTTON_SPACESIM_MENU","features":[381]},{"name":"DIBUTTON_SPACESIM_PAUSE","features":[381]},{"name":"DIBUTTON_SPACESIM_RAISE","features":[381]},{"name":"DIBUTTON_SPACESIM_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_SPACESIM_SLOWER_LINK","features":[381]},{"name":"DIBUTTON_SPACESIM_TARGET","features":[381]},{"name":"DIBUTTON_SPACESIM_TURN_LEFT_LINK","features":[381]},{"name":"DIBUTTON_SPACESIM_TURN_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_SPACESIM_VIEW","features":[381]},{"name":"DIBUTTON_SPACESIM_WEAPONS","features":[381]},{"name":"DIBUTTON_STRATEGYR_APPLY","features":[381]},{"name":"DIBUTTON_STRATEGYR_ATTACK","features":[381]},{"name":"DIBUTTON_STRATEGYR_BACK_LINK","features":[381]},{"name":"DIBUTTON_STRATEGYR_CAST","features":[381]},{"name":"DIBUTTON_STRATEGYR_CROUCH","features":[381]},{"name":"DIBUTTON_STRATEGYR_DEVICE","features":[381]},{"name":"DIBUTTON_STRATEGYR_DISPLAY","features":[381]},{"name":"DIBUTTON_STRATEGYR_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_STRATEGYR_GET","features":[381]},{"name":"DIBUTTON_STRATEGYR_JUMP","features":[381]},{"name":"DIBUTTON_STRATEGYR_LEFT_LINK","features":[381]},{"name":"DIBUTTON_STRATEGYR_MAP","features":[381]},{"name":"DIBUTTON_STRATEGYR_MENU","features":[381]},{"name":"DIBUTTON_STRATEGYR_PAUSE","features":[381]},{"name":"DIBUTTON_STRATEGYR_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_STRATEGYR_ROTATE_LEFT_LINK","features":[381]},{"name":"DIBUTTON_STRATEGYR_ROTATE_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_STRATEGYR_SELECT","features":[381]},{"name":"DIBUTTON_STRATEGYT_APPLY","features":[381]},{"name":"DIBUTTON_STRATEGYT_BACK_LINK","features":[381]},{"name":"DIBUTTON_STRATEGYT_DEVICE","features":[381]},{"name":"DIBUTTON_STRATEGYT_DISPLAY","features":[381]},{"name":"DIBUTTON_STRATEGYT_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_STRATEGYT_INSTRUCT","features":[381]},{"name":"DIBUTTON_STRATEGYT_LEFT_LINK","features":[381]},{"name":"DIBUTTON_STRATEGYT_MAP","features":[381]},{"name":"DIBUTTON_STRATEGYT_MENU","features":[381]},{"name":"DIBUTTON_STRATEGYT_PAUSE","features":[381]},{"name":"DIBUTTON_STRATEGYT_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_STRATEGYT_SELECT","features":[381]},{"name":"DIBUTTON_STRATEGYT_TEAM","features":[381]},{"name":"DIBUTTON_STRATEGYT_TURN","features":[381]},{"name":"DIBUTTON_STRATEGYT_ZOOM","features":[381]},{"name":"DIBUTTON_TPS_ACTION","features":[381]},{"name":"DIBUTTON_TPS_BACKWARD_LINK","features":[381]},{"name":"DIBUTTON_TPS_DEVICE","features":[381]},{"name":"DIBUTTON_TPS_DODGE","features":[381]},{"name":"DIBUTTON_TPS_FORWARD_LINK","features":[381]},{"name":"DIBUTTON_TPS_GLANCE_DOWN_LINK","features":[381]},{"name":"DIBUTTON_TPS_GLANCE_LEFT_LINK","features":[381]},{"name":"DIBUTTON_TPS_GLANCE_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_TPS_GLANCE_UP_LINK","features":[381]},{"name":"DIBUTTON_TPS_INVENTORY","features":[381]},{"name":"DIBUTTON_TPS_JUMP","features":[381]},{"name":"DIBUTTON_TPS_MENU","features":[381]},{"name":"DIBUTTON_TPS_PAUSE","features":[381]},{"name":"DIBUTTON_TPS_RUN","features":[381]},{"name":"DIBUTTON_TPS_SELECT","features":[381]},{"name":"DIBUTTON_TPS_STEPLEFT","features":[381]},{"name":"DIBUTTON_TPS_STEPRIGHT","features":[381]},{"name":"DIBUTTON_TPS_TURN_LEFT_LINK","features":[381]},{"name":"DIBUTTON_TPS_TURN_RIGHT_LINK","features":[381]},{"name":"DIBUTTON_TPS_USE","features":[381]},{"name":"DIBUTTON_TPS_VIEW","features":[381]},{"name":"DICD_DEFAULT","features":[381]},{"name":"DICD_EDIT","features":[381]},{"name":"DICOLORSET","features":[381]},{"name":"DICONDITION","features":[381]},{"name":"DICONFIGUREDEVICESPARAMSA","features":[381,308]},{"name":"DICONFIGUREDEVICESPARAMSW","features":[381,308]},{"name":"DICONSTANTFORCE","features":[381]},{"name":"DICUSTOMFORCE","features":[381]},{"name":"DIDAL_BOTTOMALIGNED","features":[381]},{"name":"DIDAL_CENTERED","features":[381]},{"name":"DIDAL_LEFTALIGNED","features":[381]},{"name":"DIDAL_MIDDLE","features":[381]},{"name":"DIDAL_RIGHTALIGNED","features":[381]},{"name":"DIDAL_TOPALIGNED","features":[381]},{"name":"DIDATAFORMAT","features":[381]},{"name":"DIDBAM_DEFAULT","features":[381]},{"name":"DIDBAM_HWDEFAULTS","features":[381]},{"name":"DIDBAM_INITIALIZE","features":[381]},{"name":"DIDBAM_PRESERVE","features":[381]},{"name":"DIDC_ALIAS","features":[381]},{"name":"DIDC_ATTACHED","features":[381]},{"name":"DIDC_DEADBAND","features":[381]},{"name":"DIDC_EMULATED","features":[381]},{"name":"DIDC_FFATTACK","features":[381]},{"name":"DIDC_FFFADE","features":[381]},{"name":"DIDC_FORCEFEEDBACK","features":[381]},{"name":"DIDC_HIDDEN","features":[381]},{"name":"DIDC_PHANTOM","features":[381]},{"name":"DIDC_POLLEDDATAFORMAT","features":[381]},{"name":"DIDC_POLLEDDEVICE","features":[381]},{"name":"DIDC_POSNEGCOEFFICIENTS","features":[381]},{"name":"DIDC_POSNEGSATURATION","features":[381]},{"name":"DIDC_SATURATION","features":[381]},{"name":"DIDC_STARTDELAY","features":[381]},{"name":"DIDEVCAPS","features":[381]},{"name":"DIDEVCAPS_DX3","features":[381]},{"name":"DIDEVICEIMAGEINFOA","features":[381,308]},{"name":"DIDEVICEIMAGEINFOHEADERA","features":[381,308]},{"name":"DIDEVICEIMAGEINFOHEADERW","features":[381,308]},{"name":"DIDEVICEIMAGEINFOW","features":[381,308]},{"name":"DIDEVICEINSTANCEA","features":[381]},{"name":"DIDEVICEINSTANCEW","features":[381]},{"name":"DIDEVICEINSTANCE_DX3A","features":[381]},{"name":"DIDEVICEINSTANCE_DX3W","features":[381]},{"name":"DIDEVICEOBJECTDATA","features":[381]},{"name":"DIDEVICEOBJECTDATA_DX3","features":[381]},{"name":"DIDEVICEOBJECTINSTANCEA","features":[381]},{"name":"DIDEVICEOBJECTINSTANCEW","features":[381]},{"name":"DIDEVICEOBJECTINSTANCE_DX3A","features":[381]},{"name":"DIDEVICEOBJECTINSTANCE_DX3W","features":[381]},{"name":"DIDEVICESTATE","features":[381]},{"name":"DIDEVTYPEJOYSTICK_FLIGHTSTICK","features":[381]},{"name":"DIDEVTYPEJOYSTICK_GAMEPAD","features":[381]},{"name":"DIDEVTYPEJOYSTICK_HEADTRACKER","features":[381]},{"name":"DIDEVTYPEJOYSTICK_RUDDER","features":[381]},{"name":"DIDEVTYPEJOYSTICK_TRADITIONAL","features":[381]},{"name":"DIDEVTYPEJOYSTICK_UNKNOWN","features":[381]},{"name":"DIDEVTYPEJOYSTICK_WHEEL","features":[381]},{"name":"DIDEVTYPEKEYBOARD_J3100","features":[381]},{"name":"DIDEVTYPEKEYBOARD_JAPAN106","features":[381]},{"name":"DIDEVTYPEKEYBOARD_JAPANAX","features":[381]},{"name":"DIDEVTYPEKEYBOARD_NEC98","features":[381]},{"name":"DIDEVTYPEKEYBOARD_NEC98106","features":[381]},{"name":"DIDEVTYPEKEYBOARD_NEC98LAPTOP","features":[381]},{"name":"DIDEVTYPEKEYBOARD_NOKIA1050","features":[381]},{"name":"DIDEVTYPEKEYBOARD_NOKIA9140","features":[381]},{"name":"DIDEVTYPEKEYBOARD_OLIVETTI","features":[381]},{"name":"DIDEVTYPEKEYBOARD_PCAT","features":[381]},{"name":"DIDEVTYPEKEYBOARD_PCENH","features":[381]},{"name":"DIDEVTYPEKEYBOARD_PCXT","features":[381]},{"name":"DIDEVTYPEKEYBOARD_UNKNOWN","features":[381]},{"name":"DIDEVTYPEMOUSE_FINGERSTICK","features":[381]},{"name":"DIDEVTYPEMOUSE_TOUCHPAD","features":[381]},{"name":"DIDEVTYPEMOUSE_TRACKBALL","features":[381]},{"name":"DIDEVTYPEMOUSE_TRADITIONAL","features":[381]},{"name":"DIDEVTYPEMOUSE_UNKNOWN","features":[381]},{"name":"DIDEVTYPE_DEVICE","features":[381]},{"name":"DIDEVTYPE_HID","features":[381]},{"name":"DIDEVTYPE_JOYSTICK","features":[381]},{"name":"DIDEVTYPE_KEYBOARD","features":[381]},{"name":"DIDEVTYPE_MOUSE","features":[381]},{"name":"DIDFT_ABSAXIS","features":[381]},{"name":"DIDFT_ALIAS","features":[381]},{"name":"DIDFT_ALL","features":[381]},{"name":"DIDFT_ANYINSTANCE","features":[381]},{"name":"DIDFT_AXIS","features":[381]},{"name":"DIDFT_BUTTON","features":[381]},{"name":"DIDFT_COLLECTION","features":[381]},{"name":"DIDFT_FFACTUATOR","features":[381]},{"name":"DIDFT_FFEFFECTTRIGGER","features":[381]},{"name":"DIDFT_INSTANCEMASK","features":[381]},{"name":"DIDFT_NOCOLLECTION","features":[381]},{"name":"DIDFT_NODATA","features":[381]},{"name":"DIDFT_OUTPUT","features":[381]},{"name":"DIDFT_POV","features":[381]},{"name":"DIDFT_PSHBUTTON","features":[381]},{"name":"DIDFT_RELAXIS","features":[381]},{"name":"DIDFT_TGLBUTTON","features":[381]},{"name":"DIDFT_VENDORDEFINED","features":[381]},{"name":"DIDF_ABSAXIS","features":[381]},{"name":"DIDF_RELAXIS","features":[381]},{"name":"DIDIFT_CONFIGURATION","features":[381]},{"name":"DIDIFT_DELETE","features":[381]},{"name":"DIDIFT_OVERLAY","features":[381]},{"name":"DIDOI_ASPECTACCEL","features":[381]},{"name":"DIDOI_ASPECTFORCE","features":[381]},{"name":"DIDOI_ASPECTMASK","features":[381]},{"name":"DIDOI_ASPECTPOSITION","features":[381]},{"name":"DIDOI_ASPECTVELOCITY","features":[381]},{"name":"DIDOI_FFACTUATOR","features":[381]},{"name":"DIDOI_FFEFFECTTRIGGER","features":[381]},{"name":"DIDOI_GUIDISUSAGE","features":[381]},{"name":"DIDOI_POLLED","features":[381]},{"name":"DIDRIVERVERSIONS","features":[381]},{"name":"DIDSAM_DEFAULT","features":[381]},{"name":"DIDSAM_FORCESAVE","features":[381]},{"name":"DIDSAM_NOUSER","features":[381]},{"name":"DIEB_NOTRIGGER","features":[381]},{"name":"DIEDBSFL_ATTACHEDONLY","features":[381]},{"name":"DIEDBSFL_AVAILABLEDEVICES","features":[381]},{"name":"DIEDBSFL_FORCEFEEDBACK","features":[381]},{"name":"DIEDBSFL_MULTIMICEKEYBOARDS","features":[381]},{"name":"DIEDBSFL_NONGAMINGDEVICES","features":[381]},{"name":"DIEDBSFL_THISUSER","features":[381]},{"name":"DIEDBSFL_VALID","features":[381]},{"name":"DIEDBS_MAPPEDPRI1","features":[381]},{"name":"DIEDBS_MAPPEDPRI2","features":[381]},{"name":"DIEDBS_NEWDEVICE","features":[381]},{"name":"DIEDBS_RECENTDEVICE","features":[381]},{"name":"DIEDFL_ALLDEVICES","features":[381]},{"name":"DIEDFL_ATTACHEDONLY","features":[381]},{"name":"DIEDFL_FORCEFEEDBACK","features":[381]},{"name":"DIEDFL_INCLUDEALIASES","features":[381]},{"name":"DIEDFL_INCLUDEHIDDEN","features":[381]},{"name":"DIEDFL_INCLUDEPHANTOMS","features":[381]},{"name":"DIEFFECT","features":[381]},{"name":"DIEFFECTATTRIBUTES","features":[381]},{"name":"DIEFFECTINFOA","features":[381]},{"name":"DIEFFECTINFOW","features":[381]},{"name":"DIEFFECT_DX5","features":[381]},{"name":"DIEFFESCAPE","features":[381]},{"name":"DIEFF_CARTESIAN","features":[381]},{"name":"DIEFF_OBJECTIDS","features":[381]},{"name":"DIEFF_OBJECTOFFSETS","features":[381]},{"name":"DIEFF_POLAR","features":[381]},{"name":"DIEFF_SPHERICAL","features":[381]},{"name":"DIEFT_ALL","features":[381]},{"name":"DIEFT_CONDITION","features":[381]},{"name":"DIEFT_CONSTANTFORCE","features":[381]},{"name":"DIEFT_CUSTOMFORCE","features":[381]},{"name":"DIEFT_DEADBAND","features":[381]},{"name":"DIEFT_FFATTACK","features":[381]},{"name":"DIEFT_FFFADE","features":[381]},{"name":"DIEFT_HARDWARE","features":[381]},{"name":"DIEFT_PERIODIC","features":[381]},{"name":"DIEFT_POSNEGCOEFFICIENTS","features":[381]},{"name":"DIEFT_POSNEGSATURATION","features":[381]},{"name":"DIEFT_RAMPFORCE","features":[381]},{"name":"DIEFT_SATURATION","features":[381]},{"name":"DIEFT_STARTDELAY","features":[381]},{"name":"DIEGES_EMULATED","features":[381]},{"name":"DIEGES_PLAYING","features":[381]},{"name":"DIENUM_CONTINUE","features":[381]},{"name":"DIENUM_STOP","features":[381]},{"name":"DIENVELOPE","features":[381]},{"name":"DIEP_ALLPARAMS","features":[381]},{"name":"DIEP_ALLPARAMS_DX5","features":[381]},{"name":"DIEP_AXES","features":[381]},{"name":"DIEP_DIRECTION","features":[381]},{"name":"DIEP_DURATION","features":[381]},{"name":"DIEP_ENVELOPE","features":[381]},{"name":"DIEP_GAIN","features":[381]},{"name":"DIEP_NODOWNLOAD","features":[381]},{"name":"DIEP_NORESTART","features":[381]},{"name":"DIEP_SAMPLEPERIOD","features":[381]},{"name":"DIEP_START","features":[381]},{"name":"DIEP_STARTDELAY","features":[381]},{"name":"DIEP_TRIGGERBUTTON","features":[381]},{"name":"DIEP_TRIGGERREPEATINTERVAL","features":[381]},{"name":"DIEP_TYPESPECIFICPARAMS","features":[381]},{"name":"DIERR_ACQUIRED","features":[381]},{"name":"DIERR_ALREADYINITIALIZED","features":[381]},{"name":"DIERR_BADDRIVERVER","features":[381]},{"name":"DIERR_BADINF","features":[381]},{"name":"DIERR_BETADIRECTINPUTVERSION","features":[381]},{"name":"DIERR_CANCELLED","features":[381]},{"name":"DIERR_DEVICEFULL","features":[381]},{"name":"DIERR_DEVICENOTREG","features":[381]},{"name":"DIERR_DRIVERFIRST","features":[381]},{"name":"DIERR_DRIVERLAST","features":[381]},{"name":"DIERR_EFFECTPLAYING","features":[381]},{"name":"DIERR_GENERIC","features":[381]},{"name":"DIERR_HANDLEEXISTS","features":[381]},{"name":"DIERR_HASEFFECTS","features":[381]},{"name":"DIERR_INCOMPLETEEFFECT","features":[381]},{"name":"DIERR_INPUTLOST","features":[381]},{"name":"DIERR_INSUFFICIENTPRIVS","features":[381]},{"name":"DIERR_INVALIDCLASSINSTALLER","features":[381]},{"name":"DIERR_INVALIDPARAM","features":[381]},{"name":"DIERR_MAPFILEFAIL","features":[381]},{"name":"DIERR_MOREDATA","features":[381]},{"name":"DIERR_NOAGGREGATION","features":[381]},{"name":"DIERR_NOINTERFACE","features":[381]},{"name":"DIERR_NOMOREITEMS","features":[381]},{"name":"DIERR_NOTACQUIRED","features":[381]},{"name":"DIERR_NOTBUFFERED","features":[381]},{"name":"DIERR_NOTDOWNLOADED","features":[381]},{"name":"DIERR_NOTEXCLUSIVEACQUIRED","features":[381]},{"name":"DIERR_NOTFOUND","features":[381]},{"name":"DIERR_NOTINITIALIZED","features":[381]},{"name":"DIERR_OBJECTNOTFOUND","features":[381]},{"name":"DIERR_OLDDIRECTINPUTVERSION","features":[381]},{"name":"DIERR_OTHERAPPHASPRIO","features":[381]},{"name":"DIERR_OUTOFMEMORY","features":[381]},{"name":"DIERR_READONLY","features":[381]},{"name":"DIERR_REPORTFULL","features":[381]},{"name":"DIERR_UNPLUGGED","features":[381]},{"name":"DIERR_UNSUPPORTED","features":[381]},{"name":"DIES_NODOWNLOAD","features":[381]},{"name":"DIES_SOLO","features":[381]},{"name":"DIFEF_DEFAULT","features":[381]},{"name":"DIFEF_INCLUDENONSTANDARD","features":[381]},{"name":"DIFEF_MODIFYIFNEEDED","features":[381]},{"name":"DIFFDEVICEATTRIBUTES","features":[381]},{"name":"DIFFOBJECTATTRIBUTES","features":[381]},{"name":"DIFILEEFFECT","features":[381]},{"name":"DIGDD_PEEK","features":[381]},{"name":"DIGFFS_ACTUATORSOFF","features":[381]},{"name":"DIGFFS_ACTUATORSON","features":[381]},{"name":"DIGFFS_DEVICELOST","features":[381]},{"name":"DIGFFS_EMPTY","features":[381]},{"name":"DIGFFS_PAUSED","features":[381]},{"name":"DIGFFS_POWEROFF","features":[381]},{"name":"DIGFFS_POWERON","features":[381]},{"name":"DIGFFS_SAFETYSWITCHOFF","features":[381]},{"name":"DIGFFS_SAFETYSWITCHON","features":[381]},{"name":"DIGFFS_STOPPED","features":[381]},{"name":"DIGFFS_USERFFSWITCHOFF","features":[381]},{"name":"DIGFFS_USERFFSWITCHON","features":[381]},{"name":"DIHATSWITCH_2DCONTROL_HATSWITCH","features":[381]},{"name":"DIHATSWITCH_3DCONTROL_HATSWITCH","features":[381]},{"name":"DIHATSWITCH_ARCADEP_VIEW","features":[381]},{"name":"DIHATSWITCH_ARCADES_VIEW","features":[381]},{"name":"DIHATSWITCH_BBALLD_GLANCE","features":[381]},{"name":"DIHATSWITCH_BBALLO_GLANCE","features":[381]},{"name":"DIHATSWITCH_BIKINGM_SCROLL","features":[381]},{"name":"DIHATSWITCH_CADF_HATSWITCH","features":[381]},{"name":"DIHATSWITCH_CADM_HATSWITCH","features":[381]},{"name":"DIHATSWITCH_DRIVINGC_GLANCE","features":[381]},{"name":"DIHATSWITCH_DRIVINGR_GLANCE","features":[381]},{"name":"DIHATSWITCH_DRIVINGT_GLANCE","features":[381]},{"name":"DIHATSWITCH_FIGHTINGH_SLIDE","features":[381]},{"name":"DIHATSWITCH_FISHING_GLANCE","features":[381]},{"name":"DIHATSWITCH_FLYINGC_GLANCE","features":[381]},{"name":"DIHATSWITCH_FLYINGH_GLANCE","features":[381]},{"name":"DIHATSWITCH_FLYINGM_GLANCE","features":[381]},{"name":"DIHATSWITCH_FPS_GLANCE","features":[381]},{"name":"DIHATSWITCH_GOLF_SCROLL","features":[381]},{"name":"DIHATSWITCH_HOCKEYD_SCROLL","features":[381]},{"name":"DIHATSWITCH_HOCKEYG_SCROLL","features":[381]},{"name":"DIHATSWITCH_HOCKEYO_SCROLL","features":[381]},{"name":"DIHATSWITCH_HUNTING_GLANCE","features":[381]},{"name":"DIHATSWITCH_MECHA_GLANCE","features":[381]},{"name":"DIHATSWITCH_RACQUET_GLANCE","features":[381]},{"name":"DIHATSWITCH_SKIING_GLANCE","features":[381]},{"name":"DIHATSWITCH_SOCCERD_GLANCE","features":[381]},{"name":"DIHATSWITCH_SOCCERO_GLANCE","features":[381]},{"name":"DIHATSWITCH_SPACESIM_GLANCE","features":[381]},{"name":"DIHATSWITCH_STRATEGYR_GLANCE","features":[381]},{"name":"DIHATSWITCH_TPS_GLANCE","features":[381]},{"name":"DIHIDFFINITINFO","features":[381]},{"name":"DIJC_CALLOUT","features":[381]},{"name":"DIJC_GAIN","features":[381]},{"name":"DIJC_GUIDINSTANCE","features":[381]},{"name":"DIJC_REGHWCONFIGTYPE","features":[381]},{"name":"DIJC_WDMGAMEPORT","features":[381]},{"name":"DIJOYCONFIG","features":[381]},{"name":"DIJOYCONFIG_DX5","features":[381]},{"name":"DIJOYSTATE","features":[381]},{"name":"DIJOYSTATE2","features":[381]},{"name":"DIJOYTYPEINFO","features":[381]},{"name":"DIJOYTYPEINFO_DX5","features":[381]},{"name":"DIJOYTYPEINFO_DX6","features":[381]},{"name":"DIJOYUSERVALUES","features":[381]},{"name":"DIJU_GAMEPORTEMULATOR","features":[381]},{"name":"DIJU_GLOBALDRIVER","features":[381]},{"name":"DIJU_USERVALUES","features":[381]},{"name":"DIKEYBOARD_0","features":[381]},{"name":"DIKEYBOARD_1","features":[381]},{"name":"DIKEYBOARD_2","features":[381]},{"name":"DIKEYBOARD_3","features":[381]},{"name":"DIKEYBOARD_4","features":[381]},{"name":"DIKEYBOARD_5","features":[381]},{"name":"DIKEYBOARD_6","features":[381]},{"name":"DIKEYBOARD_7","features":[381]},{"name":"DIKEYBOARD_8","features":[381]},{"name":"DIKEYBOARD_9","features":[381]},{"name":"DIKEYBOARD_A","features":[381]},{"name":"DIKEYBOARD_ABNT_C1","features":[381]},{"name":"DIKEYBOARD_ABNT_C2","features":[381]},{"name":"DIKEYBOARD_ADD","features":[381]},{"name":"DIKEYBOARD_APOSTROPHE","features":[381]},{"name":"DIKEYBOARD_APPS","features":[381]},{"name":"DIKEYBOARD_AT","features":[381]},{"name":"DIKEYBOARD_AX","features":[381]},{"name":"DIKEYBOARD_B","features":[381]},{"name":"DIKEYBOARD_BACK","features":[381]},{"name":"DIKEYBOARD_BACKSLASH","features":[381]},{"name":"DIKEYBOARD_C","features":[381]},{"name":"DIKEYBOARD_CALCULATOR","features":[381]},{"name":"DIKEYBOARD_CAPITAL","features":[381]},{"name":"DIKEYBOARD_COLON","features":[381]},{"name":"DIKEYBOARD_COMMA","features":[381]},{"name":"DIKEYBOARD_CONVERT","features":[381]},{"name":"DIKEYBOARD_D","features":[381]},{"name":"DIKEYBOARD_DECIMAL","features":[381]},{"name":"DIKEYBOARD_DELETE","features":[381]},{"name":"DIKEYBOARD_DIVIDE","features":[381]},{"name":"DIKEYBOARD_DOWN","features":[381]},{"name":"DIKEYBOARD_E","features":[381]},{"name":"DIKEYBOARD_END","features":[381]},{"name":"DIKEYBOARD_EQUALS","features":[381]},{"name":"DIKEYBOARD_ESCAPE","features":[381]},{"name":"DIKEYBOARD_F","features":[381]},{"name":"DIKEYBOARD_F1","features":[381]},{"name":"DIKEYBOARD_F10","features":[381]},{"name":"DIKEYBOARD_F11","features":[381]},{"name":"DIKEYBOARD_F12","features":[381]},{"name":"DIKEYBOARD_F13","features":[381]},{"name":"DIKEYBOARD_F14","features":[381]},{"name":"DIKEYBOARD_F15","features":[381]},{"name":"DIKEYBOARD_F2","features":[381]},{"name":"DIKEYBOARD_F3","features":[381]},{"name":"DIKEYBOARD_F4","features":[381]},{"name":"DIKEYBOARD_F5","features":[381]},{"name":"DIKEYBOARD_F6","features":[381]},{"name":"DIKEYBOARD_F7","features":[381]},{"name":"DIKEYBOARD_F8","features":[381]},{"name":"DIKEYBOARD_F9","features":[381]},{"name":"DIKEYBOARD_G","features":[381]},{"name":"DIKEYBOARD_GRAVE","features":[381]},{"name":"DIKEYBOARD_H","features":[381]},{"name":"DIKEYBOARD_HOME","features":[381]},{"name":"DIKEYBOARD_I","features":[381]},{"name":"DIKEYBOARD_INSERT","features":[381]},{"name":"DIKEYBOARD_J","features":[381]},{"name":"DIKEYBOARD_K","features":[381]},{"name":"DIKEYBOARD_KANA","features":[381]},{"name":"DIKEYBOARD_KANJI","features":[381]},{"name":"DIKEYBOARD_L","features":[381]},{"name":"DIKEYBOARD_LBRACKET","features":[381]},{"name":"DIKEYBOARD_LCONTROL","features":[381]},{"name":"DIKEYBOARD_LEFT","features":[381]},{"name":"DIKEYBOARD_LMENU","features":[381]},{"name":"DIKEYBOARD_LSHIFT","features":[381]},{"name":"DIKEYBOARD_LWIN","features":[381]},{"name":"DIKEYBOARD_M","features":[381]},{"name":"DIKEYBOARD_MAIL","features":[381]},{"name":"DIKEYBOARD_MEDIASELECT","features":[381]},{"name":"DIKEYBOARD_MEDIASTOP","features":[381]},{"name":"DIKEYBOARD_MINUS","features":[381]},{"name":"DIKEYBOARD_MULTIPLY","features":[381]},{"name":"DIKEYBOARD_MUTE","features":[381]},{"name":"DIKEYBOARD_MYCOMPUTER","features":[381]},{"name":"DIKEYBOARD_N","features":[381]},{"name":"DIKEYBOARD_NEXT","features":[381]},{"name":"DIKEYBOARD_NEXTTRACK","features":[381]},{"name":"DIKEYBOARD_NOCONVERT","features":[381]},{"name":"DIKEYBOARD_NUMLOCK","features":[381]},{"name":"DIKEYBOARD_NUMPAD0","features":[381]},{"name":"DIKEYBOARD_NUMPAD1","features":[381]},{"name":"DIKEYBOARD_NUMPAD2","features":[381]},{"name":"DIKEYBOARD_NUMPAD3","features":[381]},{"name":"DIKEYBOARD_NUMPAD4","features":[381]},{"name":"DIKEYBOARD_NUMPAD5","features":[381]},{"name":"DIKEYBOARD_NUMPAD6","features":[381]},{"name":"DIKEYBOARD_NUMPAD7","features":[381]},{"name":"DIKEYBOARD_NUMPAD8","features":[381]},{"name":"DIKEYBOARD_NUMPAD9","features":[381]},{"name":"DIKEYBOARD_NUMPADCOMMA","features":[381]},{"name":"DIKEYBOARD_NUMPADENTER","features":[381]},{"name":"DIKEYBOARD_NUMPADEQUALS","features":[381]},{"name":"DIKEYBOARD_O","features":[381]},{"name":"DIKEYBOARD_OEM_102","features":[381]},{"name":"DIKEYBOARD_P","features":[381]},{"name":"DIKEYBOARD_PAUSE","features":[381]},{"name":"DIKEYBOARD_PERIOD","features":[381]},{"name":"DIKEYBOARD_PLAYPAUSE","features":[381]},{"name":"DIKEYBOARD_POWER","features":[381]},{"name":"DIKEYBOARD_PREVTRACK","features":[381]},{"name":"DIKEYBOARD_PRIOR","features":[381]},{"name":"DIKEYBOARD_Q","features":[381]},{"name":"DIKEYBOARD_R","features":[381]},{"name":"DIKEYBOARD_RBRACKET","features":[381]},{"name":"DIKEYBOARD_RCONTROL","features":[381]},{"name":"DIKEYBOARD_RETURN","features":[381]},{"name":"DIKEYBOARD_RIGHT","features":[381]},{"name":"DIKEYBOARD_RMENU","features":[381]},{"name":"DIKEYBOARD_RSHIFT","features":[381]},{"name":"DIKEYBOARD_RWIN","features":[381]},{"name":"DIKEYBOARD_S","features":[381]},{"name":"DIKEYBOARD_SCROLL","features":[381]},{"name":"DIKEYBOARD_SEMICOLON","features":[381]},{"name":"DIKEYBOARD_SLASH","features":[381]},{"name":"DIKEYBOARD_SLEEP","features":[381]},{"name":"DIKEYBOARD_SPACE","features":[381]},{"name":"DIKEYBOARD_STOP","features":[381]},{"name":"DIKEYBOARD_SUBTRACT","features":[381]},{"name":"DIKEYBOARD_SYSRQ","features":[381]},{"name":"DIKEYBOARD_T","features":[381]},{"name":"DIKEYBOARD_TAB","features":[381]},{"name":"DIKEYBOARD_U","features":[381]},{"name":"DIKEYBOARD_UNDERLINE","features":[381]},{"name":"DIKEYBOARD_UNLABELED","features":[381]},{"name":"DIKEYBOARD_UP","features":[381]},{"name":"DIKEYBOARD_V","features":[381]},{"name":"DIKEYBOARD_VOLUMEDOWN","features":[381]},{"name":"DIKEYBOARD_VOLUMEUP","features":[381]},{"name":"DIKEYBOARD_W","features":[381]},{"name":"DIKEYBOARD_WAKE","features":[381]},{"name":"DIKEYBOARD_WEBBACK","features":[381]},{"name":"DIKEYBOARD_WEBFAVORITES","features":[381]},{"name":"DIKEYBOARD_WEBFORWARD","features":[381]},{"name":"DIKEYBOARD_WEBHOME","features":[381]},{"name":"DIKEYBOARD_WEBREFRESH","features":[381]},{"name":"DIKEYBOARD_WEBSEARCH","features":[381]},{"name":"DIKEYBOARD_WEBSTOP","features":[381]},{"name":"DIKEYBOARD_X","features":[381]},{"name":"DIKEYBOARD_Y","features":[381]},{"name":"DIKEYBOARD_YEN","features":[381]},{"name":"DIKEYBOARD_Z","features":[381]},{"name":"DIK_0","features":[381]},{"name":"DIK_1","features":[381]},{"name":"DIK_2","features":[381]},{"name":"DIK_3","features":[381]},{"name":"DIK_4","features":[381]},{"name":"DIK_5","features":[381]},{"name":"DIK_6","features":[381]},{"name":"DIK_7","features":[381]},{"name":"DIK_8","features":[381]},{"name":"DIK_9","features":[381]},{"name":"DIK_A","features":[381]},{"name":"DIK_ABNT_C1","features":[381]},{"name":"DIK_ABNT_C2","features":[381]},{"name":"DIK_ADD","features":[381]},{"name":"DIK_APOSTROPHE","features":[381]},{"name":"DIK_APPS","features":[381]},{"name":"DIK_AT","features":[381]},{"name":"DIK_AX","features":[381]},{"name":"DIK_B","features":[381]},{"name":"DIK_BACK","features":[381]},{"name":"DIK_BACKSLASH","features":[381]},{"name":"DIK_BACKSPACE","features":[381]},{"name":"DIK_C","features":[381]},{"name":"DIK_CALCULATOR","features":[381]},{"name":"DIK_CAPITAL","features":[381]},{"name":"DIK_CAPSLOCK","features":[381]},{"name":"DIK_CIRCUMFLEX","features":[381]},{"name":"DIK_COLON","features":[381]},{"name":"DIK_COMMA","features":[381]},{"name":"DIK_CONVERT","features":[381]},{"name":"DIK_D","features":[381]},{"name":"DIK_DECIMAL","features":[381]},{"name":"DIK_DELETE","features":[381]},{"name":"DIK_DIVIDE","features":[381]},{"name":"DIK_DOWN","features":[381]},{"name":"DIK_DOWNARROW","features":[381]},{"name":"DIK_E","features":[381]},{"name":"DIK_END","features":[381]},{"name":"DIK_EQUALS","features":[381]},{"name":"DIK_ESCAPE","features":[381]},{"name":"DIK_F","features":[381]},{"name":"DIK_F1","features":[381]},{"name":"DIK_F10","features":[381]},{"name":"DIK_F11","features":[381]},{"name":"DIK_F12","features":[381]},{"name":"DIK_F13","features":[381]},{"name":"DIK_F14","features":[381]},{"name":"DIK_F15","features":[381]},{"name":"DIK_F2","features":[381]},{"name":"DIK_F3","features":[381]},{"name":"DIK_F4","features":[381]},{"name":"DIK_F5","features":[381]},{"name":"DIK_F6","features":[381]},{"name":"DIK_F7","features":[381]},{"name":"DIK_F8","features":[381]},{"name":"DIK_F9","features":[381]},{"name":"DIK_G","features":[381]},{"name":"DIK_GRAVE","features":[381]},{"name":"DIK_H","features":[381]},{"name":"DIK_HOME","features":[381]},{"name":"DIK_I","features":[381]},{"name":"DIK_INSERT","features":[381]},{"name":"DIK_J","features":[381]},{"name":"DIK_K","features":[381]},{"name":"DIK_KANA","features":[381]},{"name":"DIK_KANJI","features":[381]},{"name":"DIK_L","features":[381]},{"name":"DIK_LALT","features":[381]},{"name":"DIK_LBRACKET","features":[381]},{"name":"DIK_LCONTROL","features":[381]},{"name":"DIK_LEFT","features":[381]},{"name":"DIK_LEFTARROW","features":[381]},{"name":"DIK_LMENU","features":[381]},{"name":"DIK_LSHIFT","features":[381]},{"name":"DIK_LWIN","features":[381]},{"name":"DIK_M","features":[381]},{"name":"DIK_MAIL","features":[381]},{"name":"DIK_MEDIASELECT","features":[381]},{"name":"DIK_MEDIASTOP","features":[381]},{"name":"DIK_MINUS","features":[381]},{"name":"DIK_MULTIPLY","features":[381]},{"name":"DIK_MUTE","features":[381]},{"name":"DIK_MYCOMPUTER","features":[381]},{"name":"DIK_N","features":[381]},{"name":"DIK_NEXT","features":[381]},{"name":"DIK_NEXTTRACK","features":[381]},{"name":"DIK_NOCONVERT","features":[381]},{"name":"DIK_NUMLOCK","features":[381]},{"name":"DIK_NUMPAD0","features":[381]},{"name":"DIK_NUMPAD1","features":[381]},{"name":"DIK_NUMPAD2","features":[381]},{"name":"DIK_NUMPAD3","features":[381]},{"name":"DIK_NUMPAD4","features":[381]},{"name":"DIK_NUMPAD5","features":[381]},{"name":"DIK_NUMPAD6","features":[381]},{"name":"DIK_NUMPAD7","features":[381]},{"name":"DIK_NUMPAD8","features":[381]},{"name":"DIK_NUMPAD9","features":[381]},{"name":"DIK_NUMPADCOMMA","features":[381]},{"name":"DIK_NUMPADENTER","features":[381]},{"name":"DIK_NUMPADEQUALS","features":[381]},{"name":"DIK_NUMPADMINUS","features":[381]},{"name":"DIK_NUMPADPERIOD","features":[381]},{"name":"DIK_NUMPADPLUS","features":[381]},{"name":"DIK_NUMPADSLASH","features":[381]},{"name":"DIK_NUMPADSTAR","features":[381]},{"name":"DIK_O","features":[381]},{"name":"DIK_OEM_102","features":[381]},{"name":"DIK_P","features":[381]},{"name":"DIK_PAUSE","features":[381]},{"name":"DIK_PERIOD","features":[381]},{"name":"DIK_PGDN","features":[381]},{"name":"DIK_PGUP","features":[381]},{"name":"DIK_PLAYPAUSE","features":[381]},{"name":"DIK_POWER","features":[381]},{"name":"DIK_PREVTRACK","features":[381]},{"name":"DIK_PRIOR","features":[381]},{"name":"DIK_Q","features":[381]},{"name":"DIK_R","features":[381]},{"name":"DIK_RALT","features":[381]},{"name":"DIK_RBRACKET","features":[381]},{"name":"DIK_RCONTROL","features":[381]},{"name":"DIK_RETURN","features":[381]},{"name":"DIK_RIGHT","features":[381]},{"name":"DIK_RIGHTARROW","features":[381]},{"name":"DIK_RMENU","features":[381]},{"name":"DIK_RSHIFT","features":[381]},{"name":"DIK_RWIN","features":[381]},{"name":"DIK_S","features":[381]},{"name":"DIK_SCROLL","features":[381]},{"name":"DIK_SEMICOLON","features":[381]},{"name":"DIK_SLASH","features":[381]},{"name":"DIK_SLEEP","features":[381]},{"name":"DIK_SPACE","features":[381]},{"name":"DIK_STOP","features":[381]},{"name":"DIK_SUBTRACT","features":[381]},{"name":"DIK_SYSRQ","features":[381]},{"name":"DIK_T","features":[381]},{"name":"DIK_TAB","features":[381]},{"name":"DIK_U","features":[381]},{"name":"DIK_UNDERLINE","features":[381]},{"name":"DIK_UNLABELED","features":[381]},{"name":"DIK_UP","features":[381]},{"name":"DIK_UPARROW","features":[381]},{"name":"DIK_V","features":[381]},{"name":"DIK_VOLUMEDOWN","features":[381]},{"name":"DIK_VOLUMEUP","features":[381]},{"name":"DIK_W","features":[381]},{"name":"DIK_WAKE","features":[381]},{"name":"DIK_WEBBACK","features":[381]},{"name":"DIK_WEBFAVORITES","features":[381]},{"name":"DIK_WEBFORWARD","features":[381]},{"name":"DIK_WEBHOME","features":[381]},{"name":"DIK_WEBREFRESH","features":[381]},{"name":"DIK_WEBSEARCH","features":[381]},{"name":"DIK_WEBSTOP","features":[381]},{"name":"DIK_X","features":[381]},{"name":"DIK_Y","features":[381]},{"name":"DIK_YEN","features":[381]},{"name":"DIK_Z","features":[381]},{"name":"DIMOUSESTATE","features":[381]},{"name":"DIMOUSESTATE2","features":[381]},{"name":"DIMSGWP_DX8APPSTART","features":[381]},{"name":"DIMSGWP_DX8MAPPERAPPSTART","features":[381]},{"name":"DIMSGWP_NEWAPPSTART","features":[381]},{"name":"DIOBJECTATTRIBUTES","features":[381]},{"name":"DIOBJECTCALIBRATION","features":[381]},{"name":"DIOBJECTDATAFORMAT","features":[381]},{"name":"DIPERIODIC","features":[381]},{"name":"DIPH_BYID","features":[381]},{"name":"DIPH_BYOFFSET","features":[381]},{"name":"DIPH_BYUSAGE","features":[381]},{"name":"DIPH_DEVICE","features":[381]},{"name":"DIPOVCALIBRATION","features":[381]},{"name":"DIPOV_ANY_1","features":[381]},{"name":"DIPOV_ANY_2","features":[381]},{"name":"DIPOV_ANY_3","features":[381]},{"name":"DIPOV_ANY_4","features":[381]},{"name":"DIPROPAUTOCENTER_OFF","features":[381]},{"name":"DIPROPAUTOCENTER_ON","features":[381]},{"name":"DIPROPAXISMODE_ABS","features":[381]},{"name":"DIPROPAXISMODE_REL","features":[381]},{"name":"DIPROPCAL","features":[381]},{"name":"DIPROPCALIBRATIONMODE_COOKED","features":[381]},{"name":"DIPROPCALIBRATIONMODE_RAW","features":[381]},{"name":"DIPROPCALPOV","features":[381]},{"name":"DIPROPCPOINTS","features":[381]},{"name":"DIPROPDWORD","features":[381]},{"name":"DIPROPGUIDANDPATH","features":[381]},{"name":"DIPROPHEADER","features":[381]},{"name":"DIPROPPOINTER","features":[381]},{"name":"DIPROPRANGE","features":[381]},{"name":"DIPROPSTRING","features":[381]},{"name":"DIPROP_APPDATA","features":[381]},{"name":"DIPROP_AUTOCENTER","features":[381]},{"name":"DIPROP_AXISMODE","features":[381]},{"name":"DIPROP_BUFFERSIZE","features":[381]},{"name":"DIPROP_CALIBRATION","features":[381]},{"name":"DIPROP_CALIBRATIONMODE","features":[381]},{"name":"DIPROP_CPOINTS","features":[381]},{"name":"DIPROP_DEADZONE","features":[381]},{"name":"DIPROP_FFGAIN","features":[381]},{"name":"DIPROP_FFLOAD","features":[381]},{"name":"DIPROP_GETPORTDISPLAYNAME","features":[381]},{"name":"DIPROP_GRANULARITY","features":[381]},{"name":"DIPROP_GUIDANDPATH","features":[381]},{"name":"DIPROP_INSTANCENAME","features":[381]},{"name":"DIPROP_JOYSTICKID","features":[381]},{"name":"DIPROP_KEYNAME","features":[381]},{"name":"DIPROP_LOGICALRANGE","features":[381]},{"name":"DIPROP_PHYSICALRANGE","features":[381]},{"name":"DIPROP_PRODUCTNAME","features":[381]},{"name":"DIPROP_RANGE","features":[381]},{"name":"DIPROP_SATURATION","features":[381]},{"name":"DIPROP_SCANCODE","features":[381]},{"name":"DIPROP_TYPENAME","features":[381]},{"name":"DIPROP_USERNAME","features":[381]},{"name":"DIPROP_VIDPID","features":[381]},{"name":"DIRAMPFORCE","features":[381]},{"name":"DIRECTINPUT_HEADER_VERSION","features":[381]},{"name":"DIRECTINPUT_NOTIFICATION_MSGSTRING","features":[381]},{"name":"DIRECTINPUT_NOTIFICATION_MSGSTRINGA","features":[381]},{"name":"DIRECTINPUT_NOTIFICATION_MSGSTRINGW","features":[381]},{"name":"DIRECTINPUT_REGSTR_KEY_LASTAPP","features":[381]},{"name":"DIRECTINPUT_REGSTR_KEY_LASTAPPA","features":[381]},{"name":"DIRECTINPUT_REGSTR_KEY_LASTAPPW","features":[381]},{"name":"DIRECTINPUT_REGSTR_KEY_LASTMAPAPP","features":[381]},{"name":"DIRECTINPUT_REGSTR_KEY_LASTMAPAPPA","features":[381]},{"name":"DIRECTINPUT_REGSTR_KEY_LASTMAPAPPW","features":[381]},{"name":"DIRECTINPUT_REGSTR_VAL_APPIDFLAG","features":[381]},{"name":"DIRECTINPUT_REGSTR_VAL_APPIDFLAGA","features":[381]},{"name":"DIRECTINPUT_REGSTR_VAL_APPIDFLAGW","features":[381]},{"name":"DIRECTINPUT_REGSTR_VAL_ID","features":[381]},{"name":"DIRECTINPUT_REGSTR_VAL_IDA","features":[381]},{"name":"DIRECTINPUT_REGSTR_VAL_IDW","features":[381]},{"name":"DIRECTINPUT_REGSTR_VAL_LASTSTART","features":[381]},{"name":"DIRECTINPUT_REGSTR_VAL_LASTSTARTA","features":[381]},{"name":"DIRECTINPUT_REGSTR_VAL_LASTSTARTW","features":[381]},{"name":"DIRECTINPUT_REGSTR_VAL_MAPPER","features":[381]},{"name":"DIRECTINPUT_REGSTR_VAL_MAPPERA","features":[381]},{"name":"DIRECTINPUT_REGSTR_VAL_MAPPERW","features":[381]},{"name":"DIRECTINPUT_REGSTR_VAL_NAME","features":[381]},{"name":"DIRECTINPUT_REGSTR_VAL_NAMEA","features":[381]},{"name":"DIRECTINPUT_REGSTR_VAL_NAMEW","features":[381]},{"name":"DIRECTINPUT_REGSTR_VAL_VERSION","features":[381]},{"name":"DIRECTINPUT_REGSTR_VAL_VERSIONA","features":[381]},{"name":"DIRECTINPUT_REGSTR_VAL_VERSIONW","features":[381]},{"name":"DIRECTINPUT_VERSION","features":[381]},{"name":"DISCL_BACKGROUND","features":[381]},{"name":"DISCL_EXCLUSIVE","features":[381]},{"name":"DISCL_FOREGROUND","features":[381]},{"name":"DISCL_NONEXCLUSIVE","features":[381]},{"name":"DISCL_NOWINKEY","features":[381]},{"name":"DISDD_CONTINUE","features":[381]},{"name":"DISFFC_CONTINUE","features":[381]},{"name":"DISFFC_PAUSE","features":[381]},{"name":"DISFFC_RESET","features":[381]},{"name":"DISFFC_SETACTUATORSOFF","features":[381]},{"name":"DISFFC_SETACTUATORSON","features":[381]},{"name":"DISFFC_STOPALL","features":[381]},{"name":"DITC_CALLOUT","features":[381]},{"name":"DITC_CLSIDCONFIG","features":[381]},{"name":"DITC_DISPLAYNAME","features":[381]},{"name":"DITC_FLAGS1","features":[381]},{"name":"DITC_FLAGS2","features":[381]},{"name":"DITC_HARDWAREID","features":[381]},{"name":"DITC_MAPFILE","features":[381]},{"name":"DITC_REGHWSETTINGS","features":[381]},{"name":"DIVIRTUAL_ARCADE_PLATFORM","features":[381]},{"name":"DIVIRTUAL_ARCADE_SIDE2SIDE","features":[381]},{"name":"DIVIRTUAL_BROWSER_CONTROL","features":[381]},{"name":"DIVIRTUAL_CAD_2DCONTROL","features":[381]},{"name":"DIVIRTUAL_CAD_3DCONTROL","features":[381]},{"name":"DIVIRTUAL_CAD_FLYBY","features":[381]},{"name":"DIVIRTUAL_CAD_MODEL","features":[381]},{"name":"DIVIRTUAL_DRIVING_COMBAT","features":[381]},{"name":"DIVIRTUAL_DRIVING_MECHA","features":[381]},{"name":"DIVIRTUAL_DRIVING_RACE","features":[381]},{"name":"DIVIRTUAL_DRIVING_TANK","features":[381]},{"name":"DIVIRTUAL_FIGHTING_FPS","features":[381]},{"name":"DIVIRTUAL_FIGHTING_HAND2HAND","features":[381]},{"name":"DIVIRTUAL_FIGHTING_THIRDPERSON","features":[381]},{"name":"DIVIRTUAL_FLYING_CIVILIAN","features":[381]},{"name":"DIVIRTUAL_FLYING_HELICOPTER","features":[381]},{"name":"DIVIRTUAL_FLYING_MILITARY","features":[381]},{"name":"DIVIRTUAL_REMOTE_CONTROL","features":[381]},{"name":"DIVIRTUAL_SPACESIM","features":[381]},{"name":"DIVIRTUAL_SPORTS_BASEBALL_BAT","features":[381]},{"name":"DIVIRTUAL_SPORTS_BASEBALL_FIELD","features":[381]},{"name":"DIVIRTUAL_SPORTS_BASEBALL_PITCH","features":[381]},{"name":"DIVIRTUAL_SPORTS_BASKETBALL_DEFENSE","features":[381]},{"name":"DIVIRTUAL_SPORTS_BASKETBALL_OFFENSE","features":[381]},{"name":"DIVIRTUAL_SPORTS_BIKING_MOUNTAIN","features":[381]},{"name":"DIVIRTUAL_SPORTS_FISHING","features":[381]},{"name":"DIVIRTUAL_SPORTS_FOOTBALL_DEFENSE","features":[381]},{"name":"DIVIRTUAL_SPORTS_FOOTBALL_FIELD","features":[381]},{"name":"DIVIRTUAL_SPORTS_FOOTBALL_OFFENSE","features":[381]},{"name":"DIVIRTUAL_SPORTS_FOOTBALL_QBCK","features":[381]},{"name":"DIVIRTUAL_SPORTS_GOLF","features":[381]},{"name":"DIVIRTUAL_SPORTS_HOCKEY_DEFENSE","features":[381]},{"name":"DIVIRTUAL_SPORTS_HOCKEY_GOALIE","features":[381]},{"name":"DIVIRTUAL_SPORTS_HOCKEY_OFFENSE","features":[381]},{"name":"DIVIRTUAL_SPORTS_HUNTING","features":[381]},{"name":"DIVIRTUAL_SPORTS_RACQUET","features":[381]},{"name":"DIVIRTUAL_SPORTS_SKIING","features":[381]},{"name":"DIVIRTUAL_SPORTS_SOCCER_DEFENSE","features":[381]},{"name":"DIVIRTUAL_SPORTS_SOCCER_OFFENSE","features":[381]},{"name":"DIVIRTUAL_STRATEGY_ROLEPLAYING","features":[381]},{"name":"DIVIRTUAL_STRATEGY_TURN","features":[381]},{"name":"DIVOICE_ALL","features":[381]},{"name":"DIVOICE_CHANNEL1","features":[381]},{"name":"DIVOICE_CHANNEL2","features":[381]},{"name":"DIVOICE_CHANNEL3","features":[381]},{"name":"DIVOICE_CHANNEL4","features":[381]},{"name":"DIVOICE_CHANNEL5","features":[381]},{"name":"DIVOICE_CHANNEL6","features":[381]},{"name":"DIVOICE_CHANNEL7","features":[381]},{"name":"DIVOICE_CHANNEL8","features":[381]},{"name":"DIVOICE_PLAYBACKMUTE","features":[381]},{"name":"DIVOICE_RECORDMUTE","features":[381]},{"name":"DIVOICE_TEAM","features":[381]},{"name":"DIVOICE_TRANSMIT","features":[381]},{"name":"DIVOICE_VOICECOMMAND","features":[381]},{"name":"DI_BUFFEROVERFLOW","features":[381]},{"name":"DI_DEGREES","features":[381]},{"name":"DI_DOWNLOADSKIPPED","features":[381]},{"name":"DI_EFFECTRESTARTED","features":[381]},{"name":"DI_FFNOMINALMAX","features":[381]},{"name":"DI_NOEFFECT","features":[381]},{"name":"DI_NOTATTACHED","features":[381]},{"name":"DI_OK","features":[381]},{"name":"DI_POLLEDDEVICE","features":[381]},{"name":"DI_PROPNOEFFECT","features":[381]},{"name":"DI_SECONDS","features":[381]},{"name":"DI_SETTINGSNOTSAVED","features":[381]},{"name":"DI_TRUNCATED","features":[381]},{"name":"DI_TRUNCATEDANDRESTARTED","features":[381]},{"name":"DI_WRITEPROTECT","features":[381]},{"name":"DirectInput8Create","features":[381,308]},{"name":"GPIOBUTTONS_BUTTON_TYPE","features":[381]},{"name":"GPIO_BUTTON_BACK","features":[381]},{"name":"GPIO_BUTTON_CAMERA_FOCUS","features":[381]},{"name":"GPIO_BUTTON_CAMERA_LENS","features":[381]},{"name":"GPIO_BUTTON_CAMERA_SHUTTER","features":[381]},{"name":"GPIO_BUTTON_COUNT","features":[381]},{"name":"GPIO_BUTTON_COUNT_MIN","features":[381]},{"name":"GPIO_BUTTON_HEADSET","features":[381]},{"name":"GPIO_BUTTON_HWKB_DEPLOY","features":[381]},{"name":"GPIO_BUTTON_OEM_CUSTOM","features":[381]},{"name":"GPIO_BUTTON_OEM_CUSTOM2","features":[381]},{"name":"GPIO_BUTTON_OEM_CUSTOM3","features":[381]},{"name":"GPIO_BUTTON_POWER","features":[381]},{"name":"GPIO_BUTTON_RINGER_TOGGLE","features":[381]},{"name":"GPIO_BUTTON_ROTATION_LOCK","features":[381]},{"name":"GPIO_BUTTON_SEARCH","features":[381]},{"name":"GPIO_BUTTON_VOLUME_DOWN","features":[381]},{"name":"GPIO_BUTTON_VOLUME_UP","features":[381]},{"name":"GPIO_BUTTON_WINDOWS","features":[381]},{"name":"GUID_Button","features":[381]},{"name":"GUID_ConstantForce","features":[381]},{"name":"GUID_CustomForce","features":[381]},{"name":"GUID_DEVINTERFACE_HID","features":[381]},{"name":"GUID_DEVINTERFACE_KEYBOARD","features":[381]},{"name":"GUID_DEVINTERFACE_MOUSE","features":[381]},{"name":"GUID_Damper","features":[381]},{"name":"GUID_Friction","features":[381]},{"name":"GUID_HIDClass","features":[381]},{"name":"GUID_HID_INTERFACE_HIDPARSE","features":[381]},{"name":"GUID_HID_INTERFACE_NOTIFY","features":[381]},{"name":"GUID_Inertia","features":[381]},{"name":"GUID_Joystick","features":[381]},{"name":"GUID_Key","features":[381]},{"name":"GUID_KeyboardClass","features":[381]},{"name":"GUID_MediaClass","features":[381]},{"name":"GUID_MouseClass","features":[381]},{"name":"GUID_POV","features":[381]},{"name":"GUID_RampForce","features":[381]},{"name":"GUID_RxAxis","features":[381]},{"name":"GUID_RyAxis","features":[381]},{"name":"GUID_RzAxis","features":[381]},{"name":"GUID_SawtoothDown","features":[381]},{"name":"GUID_SawtoothUp","features":[381]},{"name":"GUID_Sine","features":[381]},{"name":"GUID_Slider","features":[381]},{"name":"GUID_Spring","features":[381]},{"name":"GUID_Square","features":[381]},{"name":"GUID_SysKeyboard","features":[381]},{"name":"GUID_SysKeyboardEm","features":[381]},{"name":"GUID_SysKeyboardEm2","features":[381]},{"name":"GUID_SysMouse","features":[381]},{"name":"GUID_SysMouseEm","features":[381]},{"name":"GUID_SysMouseEm2","features":[381]},{"name":"GUID_Triangle","features":[381]},{"name":"GUID_Unknown","features":[381]},{"name":"GUID_XAxis","features":[381]},{"name":"GUID_YAxis","features":[381]},{"name":"GUID_ZAxis","features":[381]},{"name":"HIDD_ATTRIBUTES","features":[381]},{"name":"HIDD_CONFIGURATION","features":[381]},{"name":"HIDP_BUTTON_ARRAY_DATA","features":[381,308]},{"name":"HIDP_BUTTON_CAPS","features":[381,308]},{"name":"HIDP_CAPS","features":[381]},{"name":"HIDP_DATA","features":[381,308]},{"name":"HIDP_EXTENDED_ATTRIBUTES","features":[381]},{"name":"HIDP_KEYBOARD_DIRECTION","features":[381]},{"name":"HIDP_KEYBOARD_MODIFIER_STATE","features":[381]},{"name":"HIDP_LINK_COLLECTION_NODE","features":[381]},{"name":"HIDP_REPORT_TYPE","features":[381]},{"name":"HIDP_STATUS_BAD_LOG_PHY_VALUES","features":[381,308]},{"name":"HIDP_STATUS_BUFFER_TOO_SMALL","features":[381,308]},{"name":"HIDP_STATUS_BUTTON_NOT_PRESSED","features":[381,308]},{"name":"HIDP_STATUS_DATA_INDEX_NOT_FOUND","features":[381,308]},{"name":"HIDP_STATUS_DATA_INDEX_OUT_OF_RANGE","features":[381,308]},{"name":"HIDP_STATUS_I8042_TRANS_UNKNOWN","features":[381,308]},{"name":"HIDP_STATUS_I8242_TRANS_UNKNOWN","features":[381,308]},{"name":"HIDP_STATUS_INCOMPATIBLE_REPORT_ID","features":[381,308]},{"name":"HIDP_STATUS_INTERNAL_ERROR","features":[381,308]},{"name":"HIDP_STATUS_INVALID_PREPARSED_DATA","features":[381,308]},{"name":"HIDP_STATUS_INVALID_REPORT_LENGTH","features":[381,308]},{"name":"HIDP_STATUS_INVALID_REPORT_TYPE","features":[381,308]},{"name":"HIDP_STATUS_IS_VALUE_ARRAY","features":[381,308]},{"name":"HIDP_STATUS_NOT_BUTTON_ARRAY","features":[381,308]},{"name":"HIDP_STATUS_NOT_IMPLEMENTED","features":[381,308]},{"name":"HIDP_STATUS_NOT_VALUE_ARRAY","features":[381,308]},{"name":"HIDP_STATUS_NULL","features":[381,308]},{"name":"HIDP_STATUS_REPORT_DOES_NOT_EXIST","features":[381,308]},{"name":"HIDP_STATUS_SUCCESS","features":[381,308]},{"name":"HIDP_STATUS_USAGE_NOT_FOUND","features":[381,308]},{"name":"HIDP_STATUS_VALUE_OUT_OF_RANGE","features":[381,308]},{"name":"HIDP_UNKNOWN_TOKEN","features":[381]},{"name":"HIDP_VALUE_CAPS","features":[381,308]},{"name":"HID_COLLECTION_INFORMATION","features":[381,308]},{"name":"HID_DRIVER_CONFIG","features":[381]},{"name":"HID_REVISION","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_14_SEGMENT_DIRECT_MAP","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_7_SEGMENT_DIRECT_MAP","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_ALPHANUMERIC_DISPLAY","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_ASCII_CHARACTER_SET","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_ATTRIBUTE_DATA","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_ATTRIBUTE_READBACK","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_BITMAPPED_DISPLAY","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_BITMAP_SIZE_X","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_BITMAP_SIZE_Y","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_BIT_DEPTH_FORMAT","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_BLIT_DATA","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_BLIT_RECTANGLE_X1","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_BLIT_RECTANGLE_X2","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_BLIT_RECTANGLE_Y1","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_BLIT_RECTANGLE_Y2","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_BLIT_REPORT","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_CHARACTER_ATTRIBUTE","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_CHARACTER_REPORT","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_CHAR_ATTR_BLINK","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_CHAR_ATTR_ENHANCE","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_CHAR_ATTR_UNDERLINE","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_CHAR_HEIGHT","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_CHAR_SPACING_HORIZONTAL","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_CHAR_SPACING_VERTICAL","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_CHAR_WIDTH","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_CLEAR_DISPLAY","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_COLUMN","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_COLUMNS","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_CURSOR_BLINK","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_CURSOR_ENABLE","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_CURSOR_MODE","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_CURSOR_PIXEL_POSITIONING","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_CURSOR_POSITION_REPORT","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_DATA_READ_BACK","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_DISPLAY_ATTRIBUTES_REPORT","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_DISPLAY_BRIGHTNESS","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_DISPLAY_CONTRAST","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_DISPLAY_CONTROL_REPORT","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_DISPLAY_DATA","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_DISPLAY_ENABLE","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_DISPLAY_ORIENTATION","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_DISPLAY_STATUS","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_ERR_FONT_DATA_CANNOT_BE_READ","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_ERR_NOT_A_LOADABLE_CHARACTER","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_FONT_14_SEGMENT","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_FONT_7_SEGMENT","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_FONT_DATA","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_FONT_READ_BACK","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_FONT_REPORT","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_HORIZONTAL_SCROLL","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_PALETTE_DATA","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_PALETTE_DATA_OFFSET","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_PALETTE_DATA_SIZE","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_PALETTE_REPORT","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_ROW","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_ROWS","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_SCREEN_SAVER_DELAY","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_SCREEN_SAVER_ENABLE","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_SOFT_BUTTON","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_SOFT_BUTTON_ID","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_SOFT_BUTTON_OFFSET1","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_SOFT_BUTTON_OFFSET2","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_SOFT_BUTTON_REPORT","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_SOFT_BUTTON_SIDE","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_STATUS_NOT_READY","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_STATUS_READY","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_UNICODE_CHAR_SET","features":[381]},{"name":"HID_USAGE_ALPHANUMERIC_VERTICAL_SCROLL","features":[381]},{"name":"HID_USAGE_CAMERA_AUTO_FOCUS","features":[381]},{"name":"HID_USAGE_CAMERA_SHUTTER","features":[381]},{"name":"HID_USAGE_CONSUMERCTRL","features":[381]},{"name":"HID_USAGE_CONSUMER_AC_BACK","features":[381]},{"name":"HID_USAGE_CONSUMER_AC_BOOKMARKS","features":[381]},{"name":"HID_USAGE_CONSUMER_AC_FORWARD","features":[381]},{"name":"HID_USAGE_CONSUMER_AC_GOTO","features":[381]},{"name":"HID_USAGE_CONSUMER_AC_HOME","features":[381]},{"name":"HID_USAGE_CONSUMER_AC_NEXT","features":[381]},{"name":"HID_USAGE_CONSUMER_AC_PAN","features":[381]},{"name":"HID_USAGE_CONSUMER_AC_PREVIOUS","features":[381]},{"name":"HID_USAGE_CONSUMER_AC_REFRESH","features":[381]},{"name":"HID_USAGE_CONSUMER_AC_SEARCH","features":[381]},{"name":"HID_USAGE_CONSUMER_AC_STOP","features":[381]},{"name":"HID_USAGE_CONSUMER_AL_BROWSER","features":[381]},{"name":"HID_USAGE_CONSUMER_AL_CALCULATOR","features":[381]},{"name":"HID_USAGE_CONSUMER_AL_CONFIGURATION","features":[381]},{"name":"HID_USAGE_CONSUMER_AL_EMAIL","features":[381]},{"name":"HID_USAGE_CONSUMER_AL_SEARCH","features":[381]},{"name":"HID_USAGE_CONSUMER_BALANCE","features":[381]},{"name":"HID_USAGE_CONSUMER_BASS","features":[381]},{"name":"HID_USAGE_CONSUMER_BASS_BOOST","features":[381]},{"name":"HID_USAGE_CONSUMER_BASS_DECREMENT","features":[381]},{"name":"HID_USAGE_CONSUMER_BASS_INCREMENT","features":[381]},{"name":"HID_USAGE_CONSUMER_CHANNEL_DECREMENT","features":[381]},{"name":"HID_USAGE_CONSUMER_CHANNEL_INCREMENT","features":[381]},{"name":"HID_USAGE_CONSUMER_EXTENDED_KEYBOARD_ATTRIBUTES_COLLECTION","features":[381]},{"name":"HID_USAGE_CONSUMER_FAST_FORWARD","features":[381]},{"name":"HID_USAGE_CONSUMER_GAMEDVR_OPEN_GAMEBAR","features":[381]},{"name":"HID_USAGE_CONSUMER_GAMEDVR_RECORD_CLIP","features":[381]},{"name":"HID_USAGE_CONSUMER_GAMEDVR_SCREENSHOT","features":[381]},{"name":"HID_USAGE_CONSUMER_GAMEDVR_TOGGLE_BROADCAST","features":[381]},{"name":"HID_USAGE_CONSUMER_GAMEDVR_TOGGLE_CAMERA","features":[381]},{"name":"HID_USAGE_CONSUMER_GAMEDVR_TOGGLE_INDICATOR","features":[381]},{"name":"HID_USAGE_CONSUMER_GAMEDVR_TOGGLE_MICROPHONE","features":[381]},{"name":"HID_USAGE_CONSUMER_GAMEDVR_TOGGLE_RECORD","features":[381]},{"name":"HID_USAGE_CONSUMER_IMPLEMENTED_KEYBOARD_INPUT_ASSIST_CONTROLS","features":[381]},{"name":"HID_USAGE_CONSUMER_KEYBOARD_FORM_FACTOR","features":[381]},{"name":"HID_USAGE_CONSUMER_KEYBOARD_IETF_LANGUAGE_TAG_INDEX","features":[381]},{"name":"HID_USAGE_CONSUMER_KEYBOARD_KEY_TYPE","features":[381]},{"name":"HID_USAGE_CONSUMER_KEYBOARD_PHYSICAL_LAYOUT","features":[381]},{"name":"HID_USAGE_CONSUMER_LOUDNESS","features":[381]},{"name":"HID_USAGE_CONSUMER_MPX","features":[381]},{"name":"HID_USAGE_CONSUMER_MUTE","features":[381]},{"name":"HID_USAGE_CONSUMER_PAUSE","features":[381]},{"name":"HID_USAGE_CONSUMER_PLAY","features":[381]},{"name":"HID_USAGE_CONSUMER_PLAY_PAUSE","features":[381]},{"name":"HID_USAGE_CONSUMER_RECORD","features":[381]},{"name":"HID_USAGE_CONSUMER_REWIND","features":[381]},{"name":"HID_USAGE_CONSUMER_SCAN_NEXT_TRACK","features":[381]},{"name":"HID_USAGE_CONSUMER_SCAN_PREV_TRACK","features":[381]},{"name":"HID_USAGE_CONSUMER_STOP","features":[381]},{"name":"HID_USAGE_CONSUMER_SURROUND_MODE","features":[381]},{"name":"HID_USAGE_CONSUMER_TREBLE","features":[381]},{"name":"HID_USAGE_CONSUMER_TREBLE_DECREMENT","features":[381]},{"name":"HID_USAGE_CONSUMER_TREBLE_INCREMENT","features":[381]},{"name":"HID_USAGE_CONSUMER_VENDOR_SPECIFIC_KEYBOARD_PHYSICAL_LAYOUT","features":[381]},{"name":"HID_USAGE_CONSUMER_VOLUME","features":[381]},{"name":"HID_USAGE_CONSUMER_VOLUME_DECREMENT","features":[381]},{"name":"HID_USAGE_CONSUMER_VOLUME_INCREMENT","features":[381]},{"name":"HID_USAGE_DIGITIZER_3D_DIGITIZER","features":[381]},{"name":"HID_USAGE_DIGITIZER_ALTITUDE","features":[381]},{"name":"HID_USAGE_DIGITIZER_ARMATURE","features":[381]},{"name":"HID_USAGE_DIGITIZER_ARTICULATED_ARM","features":[381]},{"name":"HID_USAGE_DIGITIZER_AZIMUTH","features":[381]},{"name":"HID_USAGE_DIGITIZER_BARREL_PRESSURE","features":[381]},{"name":"HID_USAGE_DIGITIZER_BARREL_SWITCH","features":[381]},{"name":"HID_USAGE_DIGITIZER_BATTERY_STRENGTH","features":[381]},{"name":"HID_USAGE_DIGITIZER_COORD_MEASURING","features":[381]},{"name":"HID_USAGE_DIGITIZER_DATA_VALID","features":[381]},{"name":"HID_USAGE_DIGITIZER_DIGITIZER","features":[381]},{"name":"HID_USAGE_DIGITIZER_ERASER","features":[381]},{"name":"HID_USAGE_DIGITIZER_FINGER","features":[381]},{"name":"HID_USAGE_DIGITIZER_FREE_SPACE_WAND","features":[381]},{"name":"HID_USAGE_DIGITIZER_HEAT_MAP","features":[381]},{"name":"HID_USAGE_DIGITIZER_HEAT_MAP_FRAME_DATA","features":[381]},{"name":"HID_USAGE_DIGITIZER_HEAT_MAP_PROTOCOL_VENDOR_ID","features":[381]},{"name":"HID_USAGE_DIGITIZER_HEAT_MAP_PROTOCOL_VERSION","features":[381]},{"name":"HID_USAGE_DIGITIZER_INVERT","features":[381]},{"name":"HID_USAGE_DIGITIZER_IN_RANGE","features":[381]},{"name":"HID_USAGE_DIGITIZER_LIGHT_PEN","features":[381]},{"name":"HID_USAGE_DIGITIZER_MULTI_POINT","features":[381]},{"name":"HID_USAGE_DIGITIZER_PEN","features":[381]},{"name":"HID_USAGE_DIGITIZER_PROG_CHANGE_KEYS","features":[381]},{"name":"HID_USAGE_DIGITIZER_PUCK","features":[381]},{"name":"HID_USAGE_DIGITIZER_QUALITY","features":[381]},{"name":"HID_USAGE_DIGITIZER_SECONDARY_TIP_SWITCH","features":[381]},{"name":"HID_USAGE_DIGITIZER_STEREO_PLOTTER","features":[381]},{"name":"HID_USAGE_DIGITIZER_STYLUS","features":[381]},{"name":"HID_USAGE_DIGITIZER_TABLET_FUNC_KEYS","features":[381]},{"name":"HID_USAGE_DIGITIZER_TABLET_PICK","features":[381]},{"name":"HID_USAGE_DIGITIZER_TAP","features":[381]},{"name":"HID_USAGE_DIGITIZER_TIP_PRESSURE","features":[381]},{"name":"HID_USAGE_DIGITIZER_TIP_SWITCH","features":[381]},{"name":"HID_USAGE_DIGITIZER_TOUCH","features":[381]},{"name":"HID_USAGE_DIGITIZER_TOUCH_PAD","features":[381]},{"name":"HID_USAGE_DIGITIZER_TOUCH_SCREEN","features":[381]},{"name":"HID_USAGE_DIGITIZER_TRANSDUCER_CONNECTED","features":[381]},{"name":"HID_USAGE_DIGITIZER_TRANSDUCER_INDEX","features":[381]},{"name":"HID_USAGE_DIGITIZER_TRANSDUCER_PRODUCT","features":[381]},{"name":"HID_USAGE_DIGITIZER_TRANSDUCER_SERIAL","features":[381]},{"name":"HID_USAGE_DIGITIZER_TRANSDUCER_SERIAL_PART2","features":[381]},{"name":"HID_USAGE_DIGITIZER_TRANSDUCER_VENDOR","features":[381]},{"name":"HID_USAGE_DIGITIZER_TWIST","features":[381]},{"name":"HID_USAGE_DIGITIZER_UNTOUCH","features":[381]},{"name":"HID_USAGE_DIGITIZER_WHITE_BOARD","features":[381]},{"name":"HID_USAGE_DIGITIZER_X_TILT","features":[381]},{"name":"HID_USAGE_DIGITIZER_Y_TILT","features":[381]},{"name":"HID_USAGE_GAME_3D_GAME_CONTROLLER","features":[381]},{"name":"HID_USAGE_GAME_BUMP","features":[381]},{"name":"HID_USAGE_GAME_FLIPPER","features":[381]},{"name":"HID_USAGE_GAME_GAMEPAD_FIRE_JUMP","features":[381]},{"name":"HID_USAGE_GAME_GAMEPAD_TRIGGER","features":[381]},{"name":"HID_USAGE_GAME_GUN_AUTOMATIC","features":[381]},{"name":"HID_USAGE_GAME_GUN_BOLT","features":[381]},{"name":"HID_USAGE_GAME_GUN_BURST","features":[381]},{"name":"HID_USAGE_GAME_GUN_CLIP","features":[381]},{"name":"HID_USAGE_GAME_GUN_DEVICE","features":[381]},{"name":"HID_USAGE_GAME_GUN_SAFETY","features":[381]},{"name":"HID_USAGE_GAME_GUN_SELECTOR","features":[381]},{"name":"HID_USAGE_GAME_GUN_SINGLE_SHOT","features":[381]},{"name":"HID_USAGE_GAME_LEAN_FORWARD_BACK","features":[381]},{"name":"HID_USAGE_GAME_LEAN_RIGHT_LEFT","features":[381]},{"name":"HID_USAGE_GAME_MOVE_FORWARD_BACK","features":[381]},{"name":"HID_USAGE_GAME_MOVE_RIGHT_LEFT","features":[381]},{"name":"HID_USAGE_GAME_MOVE_UP_DOWN","features":[381]},{"name":"HID_USAGE_GAME_NEW_GAME","features":[381]},{"name":"HID_USAGE_GAME_PINBALL_DEVICE","features":[381]},{"name":"HID_USAGE_GAME_PITCH_FORWARD_BACK","features":[381]},{"name":"HID_USAGE_GAME_PLAYER","features":[381]},{"name":"HID_USAGE_GAME_POINT_OF_VIEW","features":[381]},{"name":"HID_USAGE_GAME_POV_HEIGHT","features":[381]},{"name":"HID_USAGE_GAME_ROLL_RIGHT_LEFT","features":[381]},{"name":"HID_USAGE_GAME_SECONDARY_FLIPPER","features":[381]},{"name":"HID_USAGE_GAME_SHOOT_BALL","features":[381]},{"name":"HID_USAGE_GAME_TURN_RIGHT_LEFT","features":[381]},{"name":"HID_USAGE_GENERIC_BYTE_COUNT","features":[381]},{"name":"HID_USAGE_GENERIC_CONTROL_ENABLE","features":[381]},{"name":"HID_USAGE_GENERIC_COUNTED_BUFFER","features":[381]},{"name":"HID_USAGE_GENERIC_DEVICE_BATTERY_STRENGTH","features":[381]},{"name":"HID_USAGE_GENERIC_DEVICE_DISCOVER_WIRELESS_CONTROL","features":[381]},{"name":"HID_USAGE_GENERIC_DEVICE_SECURITY_CODE_CHAR_ENTERED","features":[381]},{"name":"HID_USAGE_GENERIC_DEVICE_SECURITY_CODE_CHAR_ERASED","features":[381]},{"name":"HID_USAGE_GENERIC_DEVICE_SECURITY_CODE_CLEARED","features":[381]},{"name":"HID_USAGE_GENERIC_DEVICE_WIRELESS_CHANNEL","features":[381]},{"name":"HID_USAGE_GENERIC_DEVICE_WIRELESS_ID","features":[381]},{"name":"HID_USAGE_GENERIC_DIAL","features":[381]},{"name":"HID_USAGE_GENERIC_DPAD_DOWN","features":[381]},{"name":"HID_USAGE_GENERIC_DPAD_LEFT","features":[381]},{"name":"HID_USAGE_GENERIC_DPAD_RIGHT","features":[381]},{"name":"HID_USAGE_GENERIC_DPAD_UP","features":[381]},{"name":"HID_USAGE_GENERIC_FEATURE_NOTIFICATION","features":[381]},{"name":"HID_USAGE_GENERIC_GAMEPAD","features":[381]},{"name":"HID_USAGE_GENERIC_HATSWITCH","features":[381]},{"name":"HID_USAGE_GENERIC_INTERACTIVE_CONTROL","features":[381]},{"name":"HID_USAGE_GENERIC_JOYSTICK","features":[381]},{"name":"HID_USAGE_GENERIC_KEYBOARD","features":[381]},{"name":"HID_USAGE_GENERIC_KEYPAD","features":[381]},{"name":"HID_USAGE_GENERIC_MOTION_WAKEUP","features":[381]},{"name":"HID_USAGE_GENERIC_MOUSE","features":[381]},{"name":"HID_USAGE_GENERIC_MULTI_AXIS_CONTROLLER","features":[381]},{"name":"HID_USAGE_GENERIC_POINTER","features":[381]},{"name":"HID_USAGE_GENERIC_PORTABLE_DEVICE_CONTROL","features":[381]},{"name":"HID_USAGE_GENERIC_RESOLUTION_MULTIPLIER","features":[381]},{"name":"HID_USAGE_GENERIC_RX","features":[381]},{"name":"HID_USAGE_GENERIC_RY","features":[381]},{"name":"HID_USAGE_GENERIC_RZ","features":[381]},{"name":"HID_USAGE_GENERIC_SELECT","features":[381]},{"name":"HID_USAGE_GENERIC_SLIDER","features":[381]},{"name":"HID_USAGE_GENERIC_START","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_APP_BREAK","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_APP_DBG_BREAK","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_APP_MENU","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_COLD_RESTART","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_CONTEXT_MENU","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_DISMISS_NOTIFICATION","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_DISP_AUTOSCALE","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_DISP_BOTH","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_DISP_DUAL","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_DISP_EXTERNAL","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_DISP_INTERNAL","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_DISP_INVERT","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_DISP_SWAP","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_DISP_TOGGLE","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_DOCK","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_FN","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_FN_LOCK","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_FN_LOCK_INDICATOR","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_HELP_MENU","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_HIBERNATE","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_MAIN_MENU","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_MENU_DOWN","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_MENU_EXIT","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_MENU_LEFT","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_MENU_RIGHT","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_MENU_SELECT","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_MENU_UP","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_MUTE","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_POWER","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_SETUP","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_SLEEP","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_SYS_BREAK","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_SYS_DBG_BREAK","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_UNDOCK","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_WAKE","features":[381]},{"name":"HID_USAGE_GENERIC_SYSCTL_WARM_RESTART","features":[381]},{"name":"HID_USAGE_GENERIC_SYSTEM_CTL","features":[381]},{"name":"HID_USAGE_GENERIC_SYSTEM_DISPLAY_ROTATION_LOCK_BUTTON","features":[381]},{"name":"HID_USAGE_GENERIC_SYSTEM_DISPLAY_ROTATION_LOCK_SLIDER_SWITCH","features":[381]},{"name":"HID_USAGE_GENERIC_TABLET_PC_SYSTEM_CTL","features":[381]},{"name":"HID_USAGE_GENERIC_VBRX","features":[381]},{"name":"HID_USAGE_GENERIC_VBRY","features":[381]},{"name":"HID_USAGE_GENERIC_VBRZ","features":[381]},{"name":"HID_USAGE_GENERIC_VNO","features":[381]},{"name":"HID_USAGE_GENERIC_VX","features":[381]},{"name":"HID_USAGE_GENERIC_VY","features":[381]},{"name":"HID_USAGE_GENERIC_VZ","features":[381]},{"name":"HID_USAGE_GENERIC_WHEEL","features":[381]},{"name":"HID_USAGE_GENERIC_X","features":[381]},{"name":"HID_USAGE_GENERIC_Y","features":[381]},{"name":"HID_USAGE_GENERIC_Z","features":[381]},{"name":"HID_USAGE_HAPTICS_AUTO_ASSOCIATED_CONTROL","features":[381]},{"name":"HID_USAGE_HAPTICS_AUTO_TRIGGER","features":[381]},{"name":"HID_USAGE_HAPTICS_DURATION_LIST","features":[381]},{"name":"HID_USAGE_HAPTICS_INTENSITY","features":[381]},{"name":"HID_USAGE_HAPTICS_MANUAL_TRIGGER","features":[381]},{"name":"HID_USAGE_HAPTICS_REPEAT_COUNT","features":[381]},{"name":"HID_USAGE_HAPTICS_RETRIGGER_PERIOD","features":[381]},{"name":"HID_USAGE_HAPTICS_SIMPLE_CONTROLLER","features":[381]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_BEGIN","features":[381]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_BUZZ","features":[381]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_CLICK","features":[381]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_CUTOFF_TIME","features":[381]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_END","features":[381]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_LIST","features":[381]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_NULL","features":[381]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_PRESS","features":[381]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_RELEASE","features":[381]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_RUMBLE","features":[381]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_STOP","features":[381]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_VENDOR_BEGIN","features":[381]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_VENDOR_END","features":[381]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_VENDOR_ID","features":[381]},{"name":"HID_USAGE_HAPTICS_WAVEFORM_VENDOR_PAGE","features":[381]},{"name":"HID_USAGE_KEYBOARD_CAPS_LOCK","features":[381]},{"name":"HID_USAGE_KEYBOARD_DELETE","features":[381]},{"name":"HID_USAGE_KEYBOARD_DELETE_FORWARD","features":[381]},{"name":"HID_USAGE_KEYBOARD_ESCAPE","features":[381]},{"name":"HID_USAGE_KEYBOARD_F1","features":[381]},{"name":"HID_USAGE_KEYBOARD_F10","features":[381]},{"name":"HID_USAGE_KEYBOARD_F11","features":[381]},{"name":"HID_USAGE_KEYBOARD_F12","features":[381]},{"name":"HID_USAGE_KEYBOARD_F13","features":[381]},{"name":"HID_USAGE_KEYBOARD_F14","features":[381]},{"name":"HID_USAGE_KEYBOARD_F15","features":[381]},{"name":"HID_USAGE_KEYBOARD_F16","features":[381]},{"name":"HID_USAGE_KEYBOARD_F17","features":[381]},{"name":"HID_USAGE_KEYBOARD_F18","features":[381]},{"name":"HID_USAGE_KEYBOARD_F19","features":[381]},{"name":"HID_USAGE_KEYBOARD_F2","features":[381]},{"name":"HID_USAGE_KEYBOARD_F20","features":[381]},{"name":"HID_USAGE_KEYBOARD_F21","features":[381]},{"name":"HID_USAGE_KEYBOARD_F22","features":[381]},{"name":"HID_USAGE_KEYBOARD_F23","features":[381]},{"name":"HID_USAGE_KEYBOARD_F24","features":[381]},{"name":"HID_USAGE_KEYBOARD_F3","features":[381]},{"name":"HID_USAGE_KEYBOARD_F4","features":[381]},{"name":"HID_USAGE_KEYBOARD_F5","features":[381]},{"name":"HID_USAGE_KEYBOARD_F6","features":[381]},{"name":"HID_USAGE_KEYBOARD_F7","features":[381]},{"name":"HID_USAGE_KEYBOARD_F8","features":[381]},{"name":"HID_USAGE_KEYBOARD_F9","features":[381]},{"name":"HID_USAGE_KEYBOARD_KEYPAD_0_AND_INSERT","features":[381]},{"name":"HID_USAGE_KEYBOARD_KEYPAD_1_AND_END","features":[381]},{"name":"HID_USAGE_KEYBOARD_LALT","features":[381]},{"name":"HID_USAGE_KEYBOARD_LCTRL","features":[381]},{"name":"HID_USAGE_KEYBOARD_LGUI","features":[381]},{"name":"HID_USAGE_KEYBOARD_LSHFT","features":[381]},{"name":"HID_USAGE_KEYBOARD_NOEVENT","features":[381]},{"name":"HID_USAGE_KEYBOARD_NUM_LOCK","features":[381]},{"name":"HID_USAGE_KEYBOARD_ONE","features":[381]},{"name":"HID_USAGE_KEYBOARD_POSTFAIL","features":[381]},{"name":"HID_USAGE_KEYBOARD_PRINT_SCREEN","features":[381]},{"name":"HID_USAGE_KEYBOARD_RALT","features":[381]},{"name":"HID_USAGE_KEYBOARD_RCTRL","features":[381]},{"name":"HID_USAGE_KEYBOARD_RETURN","features":[381]},{"name":"HID_USAGE_KEYBOARD_RGUI","features":[381]},{"name":"HID_USAGE_KEYBOARD_ROLLOVER","features":[381]},{"name":"HID_USAGE_KEYBOARD_RSHFT","features":[381]},{"name":"HID_USAGE_KEYBOARD_SCROLL_LOCK","features":[381]},{"name":"HID_USAGE_KEYBOARD_UNDEFINED","features":[381]},{"name":"HID_USAGE_KEYBOARD_ZERO","features":[381]},{"name":"HID_USAGE_KEYBOARD_aA","features":[381]},{"name":"HID_USAGE_KEYBOARD_zZ","features":[381]},{"name":"HID_USAGE_LAMPARRAY","features":[381]},{"name":"HID_USAGE_LAMPARRAY_ATTRBIUTES_REPORT","features":[381]},{"name":"HID_USAGE_LAMPARRAY_AUTONOMOUS_MODE","features":[381]},{"name":"HID_USAGE_LAMPARRAY_BLUE_LEVEL_COUNT","features":[381]},{"name":"HID_USAGE_LAMPARRAY_BOUNDING_BOX_DEPTH_IN_MICROMETERS","features":[381]},{"name":"HID_USAGE_LAMPARRAY_BOUNDING_BOX_HEIGHT_IN_MICROMETERS","features":[381]},{"name":"HID_USAGE_LAMPARRAY_BOUNDING_BOX_WIDTH_IN_MICROMETERS","features":[381]},{"name":"HID_USAGE_LAMPARRAY_CONTROL_REPORT","features":[381]},{"name":"HID_USAGE_LAMPARRAY_GREEN_LEVEL_COUNT","features":[381]},{"name":"HID_USAGE_LAMPARRAY_INPUT_BINDING","features":[381]},{"name":"HID_USAGE_LAMPARRAY_INTENSITY_LEVEL_COUNT","features":[381]},{"name":"HID_USAGE_LAMPARRAY_IS_PROGRAMMABLE","features":[381]},{"name":"HID_USAGE_LAMPARRAY_KIND","features":[381]},{"name":"HID_USAGE_LAMPARRAY_LAMP_ATTRIBUTES_REQUEST_REPORT","features":[381]},{"name":"HID_USAGE_LAMPARRAY_LAMP_ATTRIBUTES_RESPONSE_REPORT","features":[381]},{"name":"HID_USAGE_LAMPARRAY_LAMP_BLUE_UPDATE_CHANNEL","features":[381]},{"name":"HID_USAGE_LAMPARRAY_LAMP_COUNT","features":[381]},{"name":"HID_USAGE_LAMPARRAY_LAMP_GREEN_UPDATE_CHANNEL","features":[381]},{"name":"HID_USAGE_LAMPARRAY_LAMP_ID","features":[381]},{"name":"HID_USAGE_LAMPARRAY_LAMP_ID_END","features":[381]},{"name":"HID_USAGE_LAMPARRAY_LAMP_ID_START","features":[381]},{"name":"HID_USAGE_LAMPARRAY_LAMP_INTENSITY_UPDATE_CHANNEL","features":[381]},{"name":"HID_USAGE_LAMPARRAY_LAMP_MULTI_UPDATE_REPORT","features":[381]},{"name":"HID_USAGE_LAMPARRAY_LAMP_PURPOSES","features":[381]},{"name":"HID_USAGE_LAMPARRAY_LAMP_RANGE_UPDATE_REPORT","features":[381]},{"name":"HID_USAGE_LAMPARRAY_LAMP_RED_UPDATE_CHANNEL","features":[381]},{"name":"HID_USAGE_LAMPARRAY_LAMP_UPDATE_FLAGS","features":[381]},{"name":"HID_USAGE_LAMPARRAY_MIN_UPDATE_INTERVAL_IN_MICROSECONDS","features":[381]},{"name":"HID_USAGE_LAMPARRAY_POSITION_X_IN_MICROMETERS","features":[381]},{"name":"HID_USAGE_LAMPARRAY_POSITION_Y_IN_MICROMETERS","features":[381]},{"name":"HID_USAGE_LAMPARRAY_POSITION_Z_IN_MICROMETERS","features":[381]},{"name":"HID_USAGE_LAMPARRAY_RED_LEVEL_COUNT","features":[381]},{"name":"HID_USAGE_LAMPARRAY_UPDATE_LATENCY_IN_MICROSECONDS","features":[381]},{"name":"HID_USAGE_LED_AMBER","features":[381]},{"name":"HID_USAGE_LED_BATTERY_LOW","features":[381]},{"name":"HID_USAGE_LED_BATTERY_OK","features":[381]},{"name":"HID_USAGE_LED_BATTERY_OPERATION","features":[381]},{"name":"HID_USAGE_LED_BUSY","features":[381]},{"name":"HID_USAGE_LED_CALL_PICKUP","features":[381]},{"name":"HID_USAGE_LED_CAMERA_OFF","features":[381]},{"name":"HID_USAGE_LED_CAMERA_ON","features":[381]},{"name":"HID_USAGE_LED_CAPS_LOCK","features":[381]},{"name":"HID_USAGE_LED_CAV","features":[381]},{"name":"HID_USAGE_LED_CLV","features":[381]},{"name":"HID_USAGE_LED_COMPOSE","features":[381]},{"name":"HID_USAGE_LED_CONFERENCE","features":[381]},{"name":"HID_USAGE_LED_COVERAGE","features":[381]},{"name":"HID_USAGE_LED_DATA_MODE","features":[381]},{"name":"HID_USAGE_LED_DO_NOT_DISTURB","features":[381]},{"name":"HID_USAGE_LED_EQUALIZER_ENABLE","features":[381]},{"name":"HID_USAGE_LED_ERROR","features":[381]},{"name":"HID_USAGE_LED_EXTERNAL_POWER","features":[381]},{"name":"HID_USAGE_LED_FAST_BLINK_OFF_TIME","features":[381]},{"name":"HID_USAGE_LED_FAST_BLINK_ON_TIME","features":[381]},{"name":"HID_USAGE_LED_FAST_FORWARD","features":[381]},{"name":"HID_USAGE_LED_FLASH_ON_TIME","features":[381]},{"name":"HID_USAGE_LED_FORWARD","features":[381]},{"name":"HID_USAGE_LED_GENERIC_INDICATOR","features":[381]},{"name":"HID_USAGE_LED_GREEN","features":[381]},{"name":"HID_USAGE_LED_HEAD_SET","features":[381]},{"name":"HID_USAGE_LED_HIGH_CUT_FILTER","features":[381]},{"name":"HID_USAGE_LED_HOLD","features":[381]},{"name":"HID_USAGE_LED_INDICATOR_COLOR","features":[381]},{"name":"HID_USAGE_LED_INDICATOR_FAST_BLINK","features":[381]},{"name":"HID_USAGE_LED_INDICATOR_FLASH","features":[381]},{"name":"HID_USAGE_LED_INDICATOR_OFF","features":[381]},{"name":"HID_USAGE_LED_INDICATOR_ON","features":[381]},{"name":"HID_USAGE_LED_INDICATOR_SLOW_BLINK","features":[381]},{"name":"HID_USAGE_LED_IN_USE_INDICATOR","features":[381]},{"name":"HID_USAGE_LED_KANA","features":[381]},{"name":"HID_USAGE_LED_LOW_CUT_FILTER","features":[381]},{"name":"HID_USAGE_LED_MESSAGE_WAITING","features":[381]},{"name":"HID_USAGE_LED_MICROPHONE","features":[381]},{"name":"HID_USAGE_LED_MULTI_MODE_INDICATOR","features":[381]},{"name":"HID_USAGE_LED_MUTE","features":[381]},{"name":"HID_USAGE_LED_NIGHT_MODE","features":[381]},{"name":"HID_USAGE_LED_NUM_LOCK","features":[381]},{"name":"HID_USAGE_LED_OFF_HOOK","features":[381]},{"name":"HID_USAGE_LED_OFF_LINE","features":[381]},{"name":"HID_USAGE_LED_ON_LINE","features":[381]},{"name":"HID_USAGE_LED_PAPER_JAM","features":[381]},{"name":"HID_USAGE_LED_PAPER_OUT","features":[381]},{"name":"HID_USAGE_LED_PAUSE","features":[381]},{"name":"HID_USAGE_LED_PLAY","features":[381]},{"name":"HID_USAGE_LED_POWER","features":[381]},{"name":"HID_USAGE_LED_READY","features":[381]},{"name":"HID_USAGE_LED_RECORD","features":[381]},{"name":"HID_USAGE_LED_RECORDING_FORMAT_DET","features":[381]},{"name":"HID_USAGE_LED_RED","features":[381]},{"name":"HID_USAGE_LED_REMOTE","features":[381]},{"name":"HID_USAGE_LED_REPEAT","features":[381]},{"name":"HID_USAGE_LED_REVERSE","features":[381]},{"name":"HID_USAGE_LED_REWIND","features":[381]},{"name":"HID_USAGE_LED_RING","features":[381]},{"name":"HID_USAGE_LED_SAMPLING_RATE_DETECT","features":[381]},{"name":"HID_USAGE_LED_SCROLL_LOCK","features":[381]},{"name":"HID_USAGE_LED_SELECTED_INDICATOR","features":[381]},{"name":"HID_USAGE_LED_SEND_CALLS","features":[381]},{"name":"HID_USAGE_LED_SHIFT","features":[381]},{"name":"HID_USAGE_LED_SLOW_BLINK_OFF_TIME","features":[381]},{"name":"HID_USAGE_LED_SLOW_BLINK_ON_TIME","features":[381]},{"name":"HID_USAGE_LED_SOUND_FIELD_ON","features":[381]},{"name":"HID_USAGE_LED_SPEAKER","features":[381]},{"name":"HID_USAGE_LED_SPINNING","features":[381]},{"name":"HID_USAGE_LED_STAND_BY","features":[381]},{"name":"HID_USAGE_LED_STEREO","features":[381]},{"name":"HID_USAGE_LED_STOP","features":[381]},{"name":"HID_USAGE_LED_SURROUND_FIELD_ON","features":[381]},{"name":"HID_USAGE_LED_SYSTEM_SUSPEND","features":[381]},{"name":"HID_USAGE_LED_TONE_ENABLE","features":[381]},{"name":"HID_USAGE_MS_BTH_HF_DIALMEMORY","features":[381]},{"name":"HID_USAGE_MS_BTH_HF_DIALNUMBER","features":[381]},{"name":"HID_USAGE_PAGE_ALPHANUMERIC","features":[381]},{"name":"HID_USAGE_PAGE_ARCADE","features":[381]},{"name":"HID_USAGE_PAGE_BARCODE_SCANNER","features":[381]},{"name":"HID_USAGE_PAGE_BUTTON","features":[381]},{"name":"HID_USAGE_PAGE_CAMERA_CONTROL","features":[381]},{"name":"HID_USAGE_PAGE_CONSUMER","features":[381]},{"name":"HID_USAGE_PAGE_DIGITIZER","features":[381]},{"name":"HID_USAGE_PAGE_GAME","features":[381]},{"name":"HID_USAGE_PAGE_GENERIC","features":[381]},{"name":"HID_USAGE_PAGE_GENERIC_DEVICE","features":[381]},{"name":"HID_USAGE_PAGE_HAPTICS","features":[381]},{"name":"HID_USAGE_PAGE_KEYBOARD","features":[381]},{"name":"HID_USAGE_PAGE_LED","features":[381]},{"name":"HID_USAGE_PAGE_LIGHTING_ILLUMINATION","features":[381]},{"name":"HID_USAGE_PAGE_MAGNETIC_STRIPE_READER","features":[381]},{"name":"HID_USAGE_PAGE_MICROSOFT_BLUETOOTH_HANDSFREE","features":[381]},{"name":"HID_USAGE_PAGE_ORDINAL","features":[381]},{"name":"HID_USAGE_PAGE_PID","features":[381]},{"name":"HID_USAGE_PAGE_SENSOR","features":[381]},{"name":"HID_USAGE_PAGE_SIMULATION","features":[381]},{"name":"HID_USAGE_PAGE_SPORT","features":[381]},{"name":"HID_USAGE_PAGE_TELEPHONY","features":[381]},{"name":"HID_USAGE_PAGE_UNDEFINED","features":[381]},{"name":"HID_USAGE_PAGE_UNICODE","features":[381]},{"name":"HID_USAGE_PAGE_VENDOR_DEFINED_BEGIN","features":[381]},{"name":"HID_USAGE_PAGE_VENDOR_DEFINED_END","features":[381]},{"name":"HID_USAGE_PAGE_VR","features":[381]},{"name":"HID_USAGE_PAGE_WEIGHING_DEVICE","features":[381]},{"name":"HID_USAGE_SIMULATION_ACCELLERATOR","features":[381]},{"name":"HID_USAGE_SIMULATION_AILERON","features":[381]},{"name":"HID_USAGE_SIMULATION_AILERON_TRIM","features":[381]},{"name":"HID_USAGE_SIMULATION_AIRPLANE_SIMULATION_DEVICE","features":[381]},{"name":"HID_USAGE_SIMULATION_ANTI_TORQUE_CONTROL","features":[381]},{"name":"HID_USAGE_SIMULATION_AUTOMOBILE_SIMULATION_DEVICE","features":[381]},{"name":"HID_USAGE_SIMULATION_AUTOPIOLOT_ENABLE","features":[381]},{"name":"HID_USAGE_SIMULATION_BALLAST","features":[381]},{"name":"HID_USAGE_SIMULATION_BARREL_ELEVATION","features":[381]},{"name":"HID_USAGE_SIMULATION_BICYCLE_CRANK","features":[381]},{"name":"HID_USAGE_SIMULATION_BICYCLE_SIMULATION_DEVICE","features":[381]},{"name":"HID_USAGE_SIMULATION_BRAKE","features":[381]},{"name":"HID_USAGE_SIMULATION_CHAFF_RELEASE","features":[381]},{"name":"HID_USAGE_SIMULATION_CLUTCH","features":[381]},{"name":"HID_USAGE_SIMULATION_COLLECTIVE_CONTROL","features":[381]},{"name":"HID_USAGE_SIMULATION_CYCLIC_CONTROL","features":[381]},{"name":"HID_USAGE_SIMULATION_CYCLIC_TRIM","features":[381]},{"name":"HID_USAGE_SIMULATION_DIVE_BRAKE","features":[381]},{"name":"HID_USAGE_SIMULATION_DIVE_PLANE","features":[381]},{"name":"HID_USAGE_SIMULATION_ELECTRONIC_COUNTERMEASURES","features":[381]},{"name":"HID_USAGE_SIMULATION_ELEVATOR","features":[381]},{"name":"HID_USAGE_SIMULATION_ELEVATOR_TRIM","features":[381]},{"name":"HID_USAGE_SIMULATION_FLARE_RELEASE","features":[381]},{"name":"HID_USAGE_SIMULATION_FLIGHT_COMMUNICATIONS","features":[381]},{"name":"HID_USAGE_SIMULATION_FLIGHT_CONTROL_STICK","features":[381]},{"name":"HID_USAGE_SIMULATION_FLIGHT_SIMULATION_DEVICE","features":[381]},{"name":"HID_USAGE_SIMULATION_FLIGHT_STICK","features":[381]},{"name":"HID_USAGE_SIMULATION_FLIGHT_YOKE","features":[381]},{"name":"HID_USAGE_SIMULATION_FRONT_BRAKE","features":[381]},{"name":"HID_USAGE_SIMULATION_HANDLE_BARS","features":[381]},{"name":"HID_USAGE_SIMULATION_HELICOPTER_SIMULATION_DEVICE","features":[381]},{"name":"HID_USAGE_SIMULATION_LANDING_GEAR","features":[381]},{"name":"HID_USAGE_SIMULATION_MAGIC_CARPET_SIMULATION_DEVICE","features":[381]},{"name":"HID_USAGE_SIMULATION_MOTORCYCLE_SIMULATION_DEVICE","features":[381]},{"name":"HID_USAGE_SIMULATION_REAR_BRAKE","features":[381]},{"name":"HID_USAGE_SIMULATION_RUDDER","features":[381]},{"name":"HID_USAGE_SIMULATION_SAILING_SIMULATION_DEVICE","features":[381]},{"name":"HID_USAGE_SIMULATION_SHIFTER","features":[381]},{"name":"HID_USAGE_SIMULATION_SPACESHIP_SIMULATION_DEVICE","features":[381]},{"name":"HID_USAGE_SIMULATION_SPORTS_SIMULATION_DEVICE","features":[381]},{"name":"HID_USAGE_SIMULATION_STEERING","features":[381]},{"name":"HID_USAGE_SIMULATION_SUBMARINE_SIMULATION_DEVICE","features":[381]},{"name":"HID_USAGE_SIMULATION_TANK_SIMULATION_DEVICE","features":[381]},{"name":"HID_USAGE_SIMULATION_THROTTLE","features":[381]},{"name":"HID_USAGE_SIMULATION_TOE_BRAKE","features":[381]},{"name":"HID_USAGE_SIMULATION_TRACK_CONTROL","features":[381]},{"name":"HID_USAGE_SIMULATION_TRIGGER","features":[381]},{"name":"HID_USAGE_SIMULATION_TURRET_DIRECTION","features":[381]},{"name":"HID_USAGE_SIMULATION_WEAPONS_ARM","features":[381]},{"name":"HID_USAGE_SIMULATION_WEAPONS_SELECT","features":[381]},{"name":"HID_USAGE_SIMULATION_WING_FLAPS","features":[381]},{"name":"HID_USAGE_SPORT_10_IRON","features":[381]},{"name":"HID_USAGE_SPORT_11_IRON","features":[381]},{"name":"HID_USAGE_SPORT_1_IRON","features":[381]},{"name":"HID_USAGE_SPORT_1_WOOD","features":[381]},{"name":"HID_USAGE_SPORT_2_IRON","features":[381]},{"name":"HID_USAGE_SPORT_3_IRON","features":[381]},{"name":"HID_USAGE_SPORT_3_WOOD","features":[381]},{"name":"HID_USAGE_SPORT_4_IRON","features":[381]},{"name":"HID_USAGE_SPORT_5_IRON","features":[381]},{"name":"HID_USAGE_SPORT_5_WOOD","features":[381]},{"name":"HID_USAGE_SPORT_6_IRON","features":[381]},{"name":"HID_USAGE_SPORT_7_IRON","features":[381]},{"name":"HID_USAGE_SPORT_7_WOOD","features":[381]},{"name":"HID_USAGE_SPORT_8_IRON","features":[381]},{"name":"HID_USAGE_SPORT_9_IRON","features":[381]},{"name":"HID_USAGE_SPORT_9_WOOD","features":[381]},{"name":"HID_USAGE_SPORT_BASEBALL_BAT","features":[381]},{"name":"HID_USAGE_SPORT_FOLLOW_THROUGH","features":[381]},{"name":"HID_USAGE_SPORT_GOLF_CLUB","features":[381]},{"name":"HID_USAGE_SPORT_HEEL_TOE","features":[381]},{"name":"HID_USAGE_SPORT_HEIGHT","features":[381]},{"name":"HID_USAGE_SPORT_LOFT_WEDGE","features":[381]},{"name":"HID_USAGE_SPORT_OAR","features":[381]},{"name":"HID_USAGE_SPORT_POWER_WEDGE","features":[381]},{"name":"HID_USAGE_SPORT_PUTTER","features":[381]},{"name":"HID_USAGE_SPORT_RATE","features":[381]},{"name":"HID_USAGE_SPORT_ROWING_MACHINE","features":[381]},{"name":"HID_USAGE_SPORT_SAND_WEDGE","features":[381]},{"name":"HID_USAGE_SPORT_SLOPE","features":[381]},{"name":"HID_USAGE_SPORT_STICK_FACE_ANGLE","features":[381]},{"name":"HID_USAGE_SPORT_STICK_SPEED","features":[381]},{"name":"HID_USAGE_SPORT_STICK_TYPE","features":[381]},{"name":"HID_USAGE_SPORT_TEMPO","features":[381]},{"name":"HID_USAGE_SPORT_TREADMILL","features":[381]},{"name":"HID_USAGE_TELEPHONY_ANSWERING_MACHINE","features":[381]},{"name":"HID_USAGE_TELEPHONY_DROP","features":[381]},{"name":"HID_USAGE_TELEPHONY_HANDSET","features":[381]},{"name":"HID_USAGE_TELEPHONY_HEADSET","features":[381]},{"name":"HID_USAGE_TELEPHONY_HOST_AVAILABLE","features":[381]},{"name":"HID_USAGE_TELEPHONY_KEYPAD","features":[381]},{"name":"HID_USAGE_TELEPHONY_KEYPAD_0","features":[381]},{"name":"HID_USAGE_TELEPHONY_KEYPAD_D","features":[381]},{"name":"HID_USAGE_TELEPHONY_LINE","features":[381]},{"name":"HID_USAGE_TELEPHONY_MESSAGE_CONTROLS","features":[381]},{"name":"HID_USAGE_TELEPHONY_PHONE","features":[381]},{"name":"HID_USAGE_TELEPHONY_PROGRAMMABLE_BUTTON","features":[381]},{"name":"HID_USAGE_TELEPHONY_REDIAL","features":[381]},{"name":"HID_USAGE_TELEPHONY_RING_ENABLE","features":[381]},{"name":"HID_USAGE_TELEPHONY_SEND","features":[381]},{"name":"HID_USAGE_TELEPHONY_TRANSFER","features":[381]},{"name":"HID_USAGE_VR_ANIMATRONIC_DEVICE","features":[381]},{"name":"HID_USAGE_VR_BELT","features":[381]},{"name":"HID_USAGE_VR_BODY_SUIT","features":[381]},{"name":"HID_USAGE_VR_DISPLAY_ENABLE","features":[381]},{"name":"HID_USAGE_VR_FLEXOR","features":[381]},{"name":"HID_USAGE_VR_GLOVE","features":[381]},{"name":"HID_USAGE_VR_HAND_TRACKER","features":[381]},{"name":"HID_USAGE_VR_HEAD_MOUNTED_DISPLAY","features":[381]},{"name":"HID_USAGE_VR_HEAD_TRACKER","features":[381]},{"name":"HID_USAGE_VR_OCULOMETER","features":[381]},{"name":"HID_USAGE_VR_STEREO_ENABLE","features":[381]},{"name":"HID_USAGE_VR_VEST","features":[381]},{"name":"HID_XFER_PACKET","features":[381]},{"name":"HORIZONTAL_WHEEL_PRESENT","features":[381]},{"name":"HidD_FlushQueue","features":[381,308]},{"name":"HidD_FreePreparsedData","features":[381,308]},{"name":"HidD_GetAttributes","features":[381,308]},{"name":"HidD_GetConfiguration","features":[381,308]},{"name":"HidD_GetFeature","features":[381,308]},{"name":"HidD_GetHidGuid","features":[381]},{"name":"HidD_GetIndexedString","features":[381,308]},{"name":"HidD_GetInputReport","features":[381,308]},{"name":"HidD_GetManufacturerString","features":[381,308]},{"name":"HidD_GetMsGenreDescriptor","features":[381,308]},{"name":"HidD_GetNumInputBuffers","features":[381,308]},{"name":"HidD_GetPhysicalDescriptor","features":[381,308]},{"name":"HidD_GetPreparsedData","features":[381,308]},{"name":"HidD_GetProductString","features":[381,308]},{"name":"HidD_GetSerialNumberString","features":[381,308]},{"name":"HidD_SetConfiguration","features":[381,308]},{"name":"HidD_SetFeature","features":[381,308]},{"name":"HidD_SetNumInputBuffers","features":[381,308]},{"name":"HidD_SetOutputReport","features":[381,308]},{"name":"HidP_Feature","features":[381]},{"name":"HidP_GetButtonArray","features":[381,308]},{"name":"HidP_GetButtonCaps","features":[381,308]},{"name":"HidP_GetCaps","features":[381,308]},{"name":"HidP_GetData","features":[381,308]},{"name":"HidP_GetExtendedAttributes","features":[381,308]},{"name":"HidP_GetLinkCollectionNodes","features":[381,308]},{"name":"HidP_GetScaledUsageValue","features":[381,308]},{"name":"HidP_GetSpecificButtonCaps","features":[381,308]},{"name":"HidP_GetSpecificValueCaps","features":[381,308]},{"name":"HidP_GetUsageValue","features":[381,308]},{"name":"HidP_GetUsageValueArray","features":[381,308]},{"name":"HidP_GetUsages","features":[381,308]},{"name":"HidP_GetUsagesEx","features":[381,308]},{"name":"HidP_GetValueCaps","features":[381,308]},{"name":"HidP_InitializeReportForID","features":[381,308]},{"name":"HidP_Input","features":[381]},{"name":"HidP_Keyboard_Break","features":[381]},{"name":"HidP_Keyboard_Make","features":[381]},{"name":"HidP_MaxDataListLength","features":[381]},{"name":"HidP_MaxUsageListLength","features":[381]},{"name":"HidP_Output","features":[381]},{"name":"HidP_SetButtonArray","features":[381,308]},{"name":"HidP_SetData","features":[381,308]},{"name":"HidP_SetScaledUsageValue","features":[381,308]},{"name":"HidP_SetUsageValue","features":[381,308]},{"name":"HidP_SetUsageValueArray","features":[381,308]},{"name":"HidP_SetUsages","features":[381,308]},{"name":"HidP_TranslateUsagesToI8042ScanCodes","features":[381,308]},{"name":"HidP_UnsetUsages","features":[381,308]},{"name":"HidP_UsageListDifference","features":[381,308]},{"name":"IDirectInput2A","features":[381]},{"name":"IDirectInput2W","features":[381]},{"name":"IDirectInput7A","features":[381]},{"name":"IDirectInput7W","features":[381]},{"name":"IDirectInput8A","features":[381]},{"name":"IDirectInput8W","features":[381]},{"name":"IDirectInputA","features":[381]},{"name":"IDirectInputDevice2A","features":[381]},{"name":"IDirectInputDevice2W","features":[381]},{"name":"IDirectInputDevice7A","features":[381]},{"name":"IDirectInputDevice7W","features":[381]},{"name":"IDirectInputDevice8A","features":[381]},{"name":"IDirectInputDevice8W","features":[381]},{"name":"IDirectInputDeviceA","features":[381]},{"name":"IDirectInputDeviceW","features":[381]},{"name":"IDirectInputEffect","features":[381]},{"name":"IDirectInputEffectDriver","features":[381]},{"name":"IDirectInputJoyConfig","features":[381]},{"name":"IDirectInputJoyConfig8","features":[381]},{"name":"IDirectInputW","features":[381]},{"name":"INDICATOR_LIST","features":[381]},{"name":"INPUT_BUTTON_ENABLE_INFO","features":[381,308]},{"name":"IOCTL_BUTTON_GET_ENABLED_ON_IDLE","features":[381]},{"name":"IOCTL_BUTTON_SET_ENABLED_ON_IDLE","features":[381]},{"name":"IOCTL_KEYBOARD_INSERT_DATA","features":[381]},{"name":"IOCTL_KEYBOARD_QUERY_ATTRIBUTES","features":[381]},{"name":"IOCTL_KEYBOARD_QUERY_EXTENDED_ATTRIBUTES","features":[381]},{"name":"IOCTL_KEYBOARD_QUERY_IME_STATUS","features":[381]},{"name":"IOCTL_KEYBOARD_QUERY_INDICATORS","features":[381]},{"name":"IOCTL_KEYBOARD_QUERY_INDICATOR_TRANSLATION","features":[381]},{"name":"IOCTL_KEYBOARD_QUERY_TYPEMATIC","features":[381]},{"name":"IOCTL_KEYBOARD_SET_IME_STATUS","features":[381]},{"name":"IOCTL_KEYBOARD_SET_INDICATORS","features":[381]},{"name":"IOCTL_KEYBOARD_SET_TYPEMATIC","features":[381]},{"name":"IOCTL_MOUSE_INSERT_DATA","features":[381]},{"name":"IOCTL_MOUSE_QUERY_ATTRIBUTES","features":[381]},{"name":"JOYCALIBRATE","features":[381]},{"name":"JOYPOS","features":[381]},{"name":"JOYRANGE","features":[381]},{"name":"JOYREGHWCONFIG","features":[381]},{"name":"JOYREGHWSETTINGS","features":[381]},{"name":"JOYREGHWVALUES","features":[381]},{"name":"JOYREGUSERVALUES","features":[381]},{"name":"JOYTYPE_ANALOGCOMPAT","features":[381]},{"name":"JOYTYPE_DEFAULTPROPSHEET","features":[381]},{"name":"JOYTYPE_DEVICEHIDE","features":[381]},{"name":"JOYTYPE_ENABLEINPUTREPORT","features":[381]},{"name":"JOYTYPE_GAMEHIDE","features":[381]},{"name":"JOYTYPE_HIDEACTIVE","features":[381]},{"name":"JOYTYPE_INFODEFAULT","features":[381]},{"name":"JOYTYPE_INFOMASK","features":[381]},{"name":"JOYTYPE_INFOYRPEDALS","features":[381]},{"name":"JOYTYPE_INFOYYPEDALS","features":[381]},{"name":"JOYTYPE_INFOZISSLIDER","features":[381]},{"name":"JOYTYPE_INFOZISZ","features":[381]},{"name":"JOYTYPE_INFOZRPEDALS","features":[381]},{"name":"JOYTYPE_INFOZYPEDALS","features":[381]},{"name":"JOYTYPE_KEYBHIDE","features":[381]},{"name":"JOYTYPE_MOUSEHIDE","features":[381]},{"name":"JOYTYPE_NOAUTODETECTGAMEPORT","features":[381]},{"name":"JOYTYPE_NOHIDDIRECT","features":[381]},{"name":"JOYTYPE_ZEROGAMEENUMOEMDATA","features":[381]},{"name":"JOY_HWS_AUTOLOAD","features":[381]},{"name":"JOY_HWS_GAMEPORTBUSBUSY","features":[381]},{"name":"JOY_HWS_HASPOV","features":[381]},{"name":"JOY_HWS_HASR","features":[381]},{"name":"JOY_HWS_HASU","features":[381]},{"name":"JOY_HWS_HASV","features":[381]},{"name":"JOY_HWS_HASZ","features":[381]},{"name":"JOY_HWS_ISANALOGPORTDRIVER","features":[381]},{"name":"JOY_HWS_ISCARCTRL","features":[381]},{"name":"JOY_HWS_ISGAMEPAD","features":[381]},{"name":"JOY_HWS_ISGAMEPORTBUS","features":[381]},{"name":"JOY_HWS_ISGAMEPORTDRIVER","features":[381]},{"name":"JOY_HWS_ISHEADTRACKER","features":[381]},{"name":"JOY_HWS_ISYOKE","features":[381]},{"name":"JOY_HWS_NODEVNODE","features":[381]},{"name":"JOY_HWS_POVISBUTTONCOMBOS","features":[381]},{"name":"JOY_HWS_POVISJ1X","features":[381]},{"name":"JOY_HWS_POVISJ1Y","features":[381]},{"name":"JOY_HWS_POVISJ2X","features":[381]},{"name":"JOY_HWS_POVISPOLL","features":[381]},{"name":"JOY_HWS_RISJ1X","features":[381]},{"name":"JOY_HWS_RISJ1Y","features":[381]},{"name":"JOY_HWS_RISJ2Y","features":[381]},{"name":"JOY_HWS_XISJ1Y","features":[381]},{"name":"JOY_HWS_XISJ2X","features":[381]},{"name":"JOY_HWS_XISJ2Y","features":[381]},{"name":"JOY_HWS_YISJ1X","features":[381]},{"name":"JOY_HWS_YISJ2X","features":[381]},{"name":"JOY_HWS_YISJ2Y","features":[381]},{"name":"JOY_HWS_ZISJ1X","features":[381]},{"name":"JOY_HWS_ZISJ1Y","features":[381]},{"name":"JOY_HWS_ZISJ2X","features":[381]},{"name":"JOY_HW_2A_2B_GENERIC","features":[381]},{"name":"JOY_HW_2A_4B_GENERIC","features":[381]},{"name":"JOY_HW_2B_FLIGHTYOKE","features":[381]},{"name":"JOY_HW_2B_FLIGHTYOKETHROTTLE","features":[381]},{"name":"JOY_HW_2B_GAMEPAD","features":[381]},{"name":"JOY_HW_3A_2B_GENERIC","features":[381]},{"name":"JOY_HW_3A_4B_GENERIC","features":[381]},{"name":"JOY_HW_4B_FLIGHTYOKE","features":[381]},{"name":"JOY_HW_4B_FLIGHTYOKETHROTTLE","features":[381]},{"name":"JOY_HW_4B_GAMEPAD","features":[381]},{"name":"JOY_HW_CUSTOM","features":[381]},{"name":"JOY_HW_LASTENTRY","features":[381]},{"name":"JOY_HW_NONE","features":[381]},{"name":"JOY_HW_TWO_2A_2B_WITH_Y","features":[381]},{"name":"JOY_ISCAL_POV","features":[381]},{"name":"JOY_ISCAL_R","features":[381]},{"name":"JOY_ISCAL_U","features":[381]},{"name":"JOY_ISCAL_V","features":[381]},{"name":"JOY_ISCAL_XY","features":[381]},{"name":"JOY_ISCAL_Z","features":[381]},{"name":"JOY_OEMPOLL_PASSDRIVERDATA","features":[381]},{"name":"JOY_PASSDRIVERDATA","features":[381]},{"name":"JOY_POVVAL_BACKWARD","features":[381]},{"name":"JOY_POVVAL_FORWARD","features":[381]},{"name":"JOY_POVVAL_LEFT","features":[381]},{"name":"JOY_POVVAL_RIGHT","features":[381]},{"name":"JOY_POV_NUMDIRS","features":[381]},{"name":"JOY_US_HASRUDDER","features":[381]},{"name":"JOY_US_ISOEM","features":[381]},{"name":"JOY_US_PRESENT","features":[381]},{"name":"JOY_US_RESERVED","features":[381]},{"name":"JOY_US_VOLATILE","features":[381]},{"name":"KEYBOARD_ATTRIBUTES","features":[381]},{"name":"KEYBOARD_CAPS_LOCK_ON","features":[381]},{"name":"KEYBOARD_ERROR_VALUE_BASE","features":[381]},{"name":"KEYBOARD_EXTENDED_ATTRIBUTES","features":[381]},{"name":"KEYBOARD_EXTENDED_ATTRIBUTES_STRUCT_VERSION_1","features":[381]},{"name":"KEYBOARD_ID","features":[381]},{"name":"KEYBOARD_IME_STATUS","features":[381]},{"name":"KEYBOARD_INDICATOR_PARAMETERS","features":[381]},{"name":"KEYBOARD_INDICATOR_TRANSLATION","features":[381]},{"name":"KEYBOARD_INPUT_DATA","features":[381]},{"name":"KEYBOARD_KANA_LOCK_ON","features":[381]},{"name":"KEYBOARD_LED_INJECTED","features":[381]},{"name":"KEYBOARD_NUM_LOCK_ON","features":[381]},{"name":"KEYBOARD_OVERRUN_MAKE_CODE","features":[381]},{"name":"KEYBOARD_SCROLL_LOCK_ON","features":[381]},{"name":"KEYBOARD_SHADOW","features":[381]},{"name":"KEYBOARD_TYPEMATIC_PARAMETERS","features":[381]},{"name":"KEYBOARD_UNIT_ID_PARAMETER","features":[381]},{"name":"KEY_BREAK","features":[381]},{"name":"KEY_E0","features":[381]},{"name":"KEY_E1","features":[381]},{"name":"KEY_FROM_KEYBOARD_OVERRIDER","features":[381]},{"name":"KEY_MAKE","features":[381]},{"name":"KEY_RIM_VKEY","features":[381]},{"name":"KEY_TERMSRV_SET_LED","features":[381]},{"name":"KEY_TERMSRV_SHADOW","features":[381]},{"name":"KEY_TERMSRV_VKPACKET","features":[381]},{"name":"KEY_UNICODE_SEQUENCE_END","features":[381]},{"name":"KEY_UNICODE_SEQUENCE_ITEM","features":[381]},{"name":"LPDICONFIGUREDEVICESCALLBACK","features":[381,308]},{"name":"LPDIENUMCREATEDEFFECTOBJECTSCALLBACK","features":[381,308]},{"name":"LPDIENUMDEVICEOBJECTSCALLBACKA","features":[381,308]},{"name":"LPDIENUMDEVICEOBJECTSCALLBACKW","features":[381,308]},{"name":"LPDIENUMDEVICESBYSEMANTICSCBA","features":[381,308]},{"name":"LPDIENUMDEVICESBYSEMANTICSCBW","features":[381,308]},{"name":"LPDIENUMDEVICESCALLBACKA","features":[381,308]},{"name":"LPDIENUMDEVICESCALLBACKW","features":[381,308]},{"name":"LPDIENUMEFFECTSCALLBACKA","features":[381,308]},{"name":"LPDIENUMEFFECTSCALLBACKW","features":[381,308]},{"name":"LPDIENUMEFFECTSINFILECALLBACK","features":[381,308]},{"name":"LPDIJOYTYPECALLBACK","features":[381,308]},{"name":"LPFNSHOWJOYCPL","features":[381,308]},{"name":"MAXCPOINTSNUM","features":[381]},{"name":"MAX_JOYSTICKOEMVXDNAME","features":[381]},{"name":"MAX_JOYSTRING","features":[381]},{"name":"MOUSE_ATTRIBUTES","features":[381]},{"name":"MOUSE_BUTTON_1_DOWN","features":[381]},{"name":"MOUSE_BUTTON_1_UP","features":[381]},{"name":"MOUSE_BUTTON_2_DOWN","features":[381]},{"name":"MOUSE_BUTTON_2_UP","features":[381]},{"name":"MOUSE_BUTTON_3_DOWN","features":[381]},{"name":"MOUSE_BUTTON_3_UP","features":[381]},{"name":"MOUSE_BUTTON_4_DOWN","features":[381]},{"name":"MOUSE_BUTTON_4_UP","features":[381]},{"name":"MOUSE_BUTTON_5_DOWN","features":[381]},{"name":"MOUSE_BUTTON_5_UP","features":[381]},{"name":"MOUSE_ERROR_VALUE_BASE","features":[381]},{"name":"MOUSE_HID_HARDWARE","features":[381]},{"name":"MOUSE_HWHEEL","features":[381]},{"name":"MOUSE_I8042_HARDWARE","features":[381]},{"name":"MOUSE_INPORT_HARDWARE","features":[381]},{"name":"MOUSE_INPUT_DATA","features":[381]},{"name":"MOUSE_LEFT_BUTTON_DOWN","features":[381]},{"name":"MOUSE_LEFT_BUTTON_UP","features":[381]},{"name":"MOUSE_MIDDLE_BUTTON_DOWN","features":[381]},{"name":"MOUSE_MIDDLE_BUTTON_UP","features":[381]},{"name":"MOUSE_RIGHT_BUTTON_DOWN","features":[381]},{"name":"MOUSE_RIGHT_BUTTON_UP","features":[381]},{"name":"MOUSE_SERIAL_HARDWARE","features":[381]},{"name":"MOUSE_TERMSRV_SRC_SHADOW","features":[381]},{"name":"MOUSE_UNIT_ID_PARAMETER","features":[381]},{"name":"MOUSE_WHEEL","features":[381]},{"name":"PFN_HidP_GetVersionInternal","features":[381,308]},{"name":"PHIDP_INSERT_SCANCODES","features":[381,308]},{"name":"PHIDP_PREPARSED_DATA","features":[381]},{"name":"USAGE_AND_PAGE","features":[381]},{"name":"WHEELMOUSE_HID_HARDWARE","features":[381]},{"name":"WHEELMOUSE_I8042_HARDWARE","features":[381]},{"name":"WHEELMOUSE_SERIAL_HARDWARE","features":[381]},{"name":"joyConfigChanged","features":[381]}],"380":[{"name":"ADVANCED_DUP","features":[382]},{"name":"ADVANCED_DUPLEX","features":[382]},{"name":"ALL_PAGES","features":[382]},{"name":"AUTO_ADVANCE","features":[382]},{"name":"AUTO_SOURCE","features":[382]},{"name":"BACK_FIRST","features":[382]},{"name":"BACK_ONLY","features":[382]},{"name":"BARCODE_READER","features":[382]},{"name":"BARCODE_READER_READY","features":[382]},{"name":"BASE_VAL_WIA_ERROR","features":[382]},{"name":"BASE_VAL_WIA_SUCCESS","features":[382]},{"name":"BOTTOM_JUSTIFIED","features":[382]},{"name":"BUS_TYPE_FIREWIRE","features":[382]},{"name":"BUS_TYPE_PARALLEL","features":[382]},{"name":"BUS_TYPE_SCSI","features":[382]},{"name":"BUS_TYPE_USB","features":[382]},{"name":"CAPTUREMODE_BURST","features":[382]},{"name":"CAPTUREMODE_NORMAL","features":[382]},{"name":"CAPTUREMODE_TIMELAPSE","features":[382]},{"name":"CENTERED","features":[382]},{"name":"CFSTR_WIAITEMNAMES","features":[382]},{"name":"CFSTR_WIAITEMPTR","features":[382]},{"name":"CLSID_WiaDefaultSegFilter","features":[382]},{"name":"CMD_GETADFAVAILABLE","features":[382]},{"name":"CMD_GETADFHASPAPER","features":[382]},{"name":"CMD_GETADFOPEN","features":[382]},{"name":"CMD_GETADFREADY","features":[382]},{"name":"CMD_GETADFSTATUS","features":[382]},{"name":"CMD_GETADFUNLOADREADY","features":[382]},{"name":"CMD_GETCAPABILITIES","features":[382]},{"name":"CMD_GETSUPPORTEDFILEFORMATS","features":[382]},{"name":"CMD_GETSUPPORTEDMEMORYFORMATS","features":[382]},{"name":"CMD_GETTPAAVAILABLE","features":[382]},{"name":"CMD_GETTPAOPENED","features":[382]},{"name":"CMD_GET_INTERRUPT_EVENT","features":[382]},{"name":"CMD_INITIALIZE","features":[382]},{"name":"CMD_LOAD_ADF","features":[382]},{"name":"CMD_RESETSCANNER","features":[382]},{"name":"CMD_SENDSCSICOMMAND","features":[382]},{"name":"CMD_SETCOLORDITHER","features":[382]},{"name":"CMD_SETCONTRAST","features":[382]},{"name":"CMD_SETDATATYPE","features":[382]},{"name":"CMD_SETDITHER","features":[382]},{"name":"CMD_SETFILTER","features":[382]},{"name":"CMD_SETFORMAT","features":[382]},{"name":"CMD_SETGSDNAME","features":[382]},{"name":"CMD_SETINTENSITY","features":[382]},{"name":"CMD_SETLAMP","features":[382]},{"name":"CMD_SETMATRIX","features":[382]},{"name":"CMD_SETMIRROR","features":[382]},{"name":"CMD_SETNEGATIVE","features":[382]},{"name":"CMD_SETSCANMODE","features":[382]},{"name":"CMD_SETSPEED","features":[382]},{"name":"CMD_SETSTIDEVICEHKEY","features":[382]},{"name":"CMD_SETTONEMAP","features":[382]},{"name":"CMD_SETXRESOLUTION","features":[382]},{"name":"CMD_SETYRESOLUTION","features":[382]},{"name":"CMD_STI_DEVICERESET","features":[382]},{"name":"CMD_STI_DIAGNOSTIC","features":[382]},{"name":"CMD_STI_GETSTATUS","features":[382]},{"name":"CMD_TPAREADY","features":[382]},{"name":"CMD_UNINITIALIZE","features":[382]},{"name":"CMD_UNLOAD_ADF","features":[382]},{"name":"COPY_PARENT_PROPERTY_VALUES","features":[382]},{"name":"DETECT_DUP","features":[382]},{"name":"DETECT_DUP_AVAIL","features":[382]},{"name":"DETECT_FEED","features":[382]},{"name":"DETECT_FEED_AVAIL","features":[382]},{"name":"DETECT_FILM_TPA","features":[382]},{"name":"DETECT_FLAT","features":[382]},{"name":"DETECT_SCAN","features":[382]},{"name":"DETECT_STOR","features":[382]},{"name":"DEVICEDIALOGDATA","features":[382,308]},{"name":"DEVICEDIALOGDATA2","features":[382,308]},{"name":"DEVICE_ATTENTION","features":[382]},{"name":"DUP","features":[382]},{"name":"DUPLEX","features":[382]},{"name":"DUP_READY","features":[382]},{"name":"DeviceDialogFunction","features":[382,308]},{"name":"EFFECTMODE_BW","features":[382]},{"name":"EFFECTMODE_SEPIA","features":[382]},{"name":"EFFECTMODE_STANDARD","features":[382]},{"name":"ENDORSER","features":[382]},{"name":"ENDORSER_READY","features":[382]},{"name":"ESC_TWAIN_CAPABILITY","features":[382]},{"name":"ESC_TWAIN_PRIVATE_SUPPORTED_CAPS","features":[382]},{"name":"EXPOSUREMETERING_AVERAGE","features":[382]},{"name":"EXPOSUREMETERING_CENTERSPOT","features":[382]},{"name":"EXPOSUREMETERING_CENTERWEIGHT","features":[382]},{"name":"EXPOSUREMETERING_MULTISPOT","features":[382]},{"name":"EXPOSUREMODE_APERTURE_PRIORITY","features":[382]},{"name":"EXPOSUREMODE_AUTO","features":[382]},{"name":"EXPOSUREMODE_MANUAL","features":[382]},{"name":"EXPOSUREMODE_PORTRAIT","features":[382]},{"name":"EXPOSUREMODE_PROGRAM_ACTION","features":[382]},{"name":"EXPOSUREMODE_PROGRAM_CREATIVE","features":[382]},{"name":"EXPOSUREMODE_SHUTTER_PRIORITY","features":[382]},{"name":"FEED","features":[382]},{"name":"FEEDER","features":[382]},{"name":"FEED_READY","features":[382]},{"name":"FILM_TPA","features":[382]},{"name":"FILM_TPA_READY","features":[382]},{"name":"FLASHMODE_AUTO","features":[382]},{"name":"FLASHMODE_EXTERNALSYNC","features":[382]},{"name":"FLASHMODE_FILL","features":[382]},{"name":"FLASHMODE_OFF","features":[382]},{"name":"FLASHMODE_REDEYE_AUTO","features":[382]},{"name":"FLASHMODE_REDEYE_FILL","features":[382]},{"name":"FLAT","features":[382]},{"name":"FLATBED","features":[382]},{"name":"FLAT_COVER_UP","features":[382]},{"name":"FLAT_READY","features":[382]},{"name":"FOCUSMETERING_CENTERSPOT","features":[382]},{"name":"FOCUSMETERING_MULTISPOT","features":[382]},{"name":"FOCUSMODE_AUTO","features":[382]},{"name":"FOCUSMODE_MACROAUTO","features":[382]},{"name":"FOCUSMODE_MANUAL","features":[382]},{"name":"FRONT_FIRST","features":[382]},{"name":"FRONT_ONLY","features":[382]},{"name":"GUID_DEVINTERFACE_IMAGE","features":[382]},{"name":"IEnumWIA_DEV_CAPS","features":[382]},{"name":"IEnumWIA_DEV_INFO","features":[382]},{"name":"IEnumWIA_FORMAT_INFO","features":[382]},{"name":"IEnumWiaItem","features":[382]},{"name":"IEnumWiaItem2","features":[382]},{"name":"IMPRINTER","features":[382]},{"name":"IMPRINTER_READY","features":[382]},{"name":"IT_MSG_DATA","features":[382]},{"name":"IT_MSG_DATA_HEADER","features":[382]},{"name":"IT_MSG_FILE_PREVIEW_DATA","features":[382]},{"name":"IT_MSG_FILE_PREVIEW_DATA_HEADER","features":[382]},{"name":"IT_MSG_NEW_PAGE","features":[382]},{"name":"IT_MSG_STATUS","features":[382]},{"name":"IT_MSG_TERMINATION","features":[382]},{"name":"IT_STATUS_MASK","features":[382]},{"name":"IT_STATUS_PROCESSING_DATA","features":[382]},{"name":"IT_STATUS_TRANSFER_FROM_DEVICE","features":[382]},{"name":"IT_STATUS_TRANSFER_TO_CLIENT","features":[382]},{"name":"IWiaAppErrorHandler","features":[382]},{"name":"IWiaDataCallback","features":[382]},{"name":"IWiaDataTransfer","features":[382]},{"name":"IWiaDevMgr","features":[382]},{"name":"IWiaDevMgr2","features":[382]},{"name":"IWiaDrvItem","features":[382]},{"name":"IWiaErrorHandler","features":[382]},{"name":"IWiaEventCallback","features":[382]},{"name":"IWiaImageFilter","features":[382]},{"name":"IWiaItem","features":[382]},{"name":"IWiaItem2","features":[382]},{"name":"IWiaItemExtras","features":[382]},{"name":"IWiaLog","features":[382]},{"name":"IWiaLogEx","features":[382]},{"name":"IWiaMiniDrv","features":[382]},{"name":"IWiaMiniDrvCallBack","features":[382]},{"name":"IWiaMiniDrvTransferCallback","features":[382]},{"name":"IWiaNotifyDevMgr","features":[382]},{"name":"IWiaPreview","features":[382]},{"name":"IWiaPropertyStorage","features":[382]},{"name":"IWiaSegmentationFilter","features":[382]},{"name":"IWiaTransfer","features":[382]},{"name":"IWiaTransferCallback","features":[382]},{"name":"IWiaUIExtension","features":[382]},{"name":"IWiaUIExtension2","features":[382]},{"name":"IWiaVideo","features":[382]},{"name":"LAMP_ERR","features":[382]},{"name":"LANDSCAPE","features":[382]},{"name":"LANSCAPE","features":[382]},{"name":"LEFT_JUSTIFIED","features":[382]},{"name":"LIGHT_SOURCE_DETECT_READY","features":[382]},{"name":"LIGHT_SOURCE_NEGATIVE","features":[382]},{"name":"LIGHT_SOURCE_POSITIVE","features":[382]},{"name":"LIGHT_SOURCE_PRESENT","features":[382]},{"name":"LIGHT_SOURCE_PRESENT_DETECT","features":[382]},{"name":"LIGHT_SOURCE_READY","features":[382]},{"name":"LIGHT_SOURCE_SELECT","features":[382]},{"name":"MAX_ANSI_CHAR","features":[382]},{"name":"MAX_IO_HANDLES","features":[382]},{"name":"MAX_RESERVED","features":[382]},{"name":"MCRO_ERROR_GENERAL_ERROR","features":[382]},{"name":"MCRO_ERROR_OFFLINE","features":[382]},{"name":"MCRO_ERROR_PAPER_EMPTY","features":[382]},{"name":"MCRO_ERROR_PAPER_JAM","features":[382]},{"name":"MCRO_ERROR_PAPER_PROBLEM","features":[382]},{"name":"MCRO_ERROR_USER_INTERVENTION","features":[382]},{"name":"MCRO_STATUS_OK","features":[382]},{"name":"MICR_READER","features":[382]},{"name":"MICR_READER_READY","features":[382]},{"name":"MINIDRV_TRANSFER_CONTEXT","features":[382,308]},{"name":"MIRRORED","features":[382]},{"name":"MULTIPLE_FEED","features":[382]},{"name":"NEXT_PAGE","features":[382]},{"name":"PAPER_JAM","features":[382]},{"name":"PATCH_CODE_READER","features":[382]},{"name":"PATCH_CODE_READER_READY","features":[382]},{"name":"PATH_COVER_UP","features":[382]},{"name":"PORTRAIT","features":[382]},{"name":"POWERMODE_BATTERY","features":[382]},{"name":"POWERMODE_LINE","features":[382]},{"name":"PREFEED","features":[382]},{"name":"RANGEVALUE","features":[382]},{"name":"RIGHT_JUSTIFIED","features":[382]},{"name":"ROT180","features":[382]},{"name":"ROT270","features":[382]},{"name":"SCANINFO","features":[382,308]},{"name":"SCANMODE_FINALSCAN","features":[382]},{"name":"SCANMODE_PREVIEWSCAN","features":[382]},{"name":"SCANWINDOW","features":[382]},{"name":"SCAN_FINISHED","features":[382]},{"name":"SCAN_FIRST","features":[382]},{"name":"SCAN_NEXT","features":[382]},{"name":"SHELLEX_WIAUIEXTENSION_NAME","features":[382]},{"name":"STOR","features":[382]},{"name":"STORAGE_FULL","features":[382]},{"name":"STORAGE_READY","features":[382]},{"name":"SUPPORT_BW","features":[382]},{"name":"SUPPORT_COLOR","features":[382]},{"name":"SUPPORT_GRAYSCALE","features":[382]},{"name":"TOP_JUSTIFIED","features":[382]},{"name":"TRANSPARENCY_DYNAMIC_FRAME_SUPPORT","features":[382]},{"name":"TRANSPARENCY_STATIC_FRAME_SUPPORT","features":[382]},{"name":"TWAIN_CAPABILITY","features":[382]},{"name":"TYMED_CALLBACK","features":[382]},{"name":"TYMED_MULTIPAGE_CALLBACK","features":[382]},{"name":"TYMED_MULTIPAGE_FILE","features":[382]},{"name":"VAL","features":[382,308]},{"name":"WHITEBALANCE_AUTO","features":[382]},{"name":"WHITEBALANCE_DAYLIGHT","features":[382]},{"name":"WHITEBALANCE_FLASH","features":[382]},{"name":"WHITEBALANCE_FLORESCENT","features":[382]},{"name":"WHITEBALANCE_MANUAL","features":[382]},{"name":"WHITEBALANCE_ONEPUSH_AUTO","features":[382]},{"name":"WHITEBALANCE_TUNGSTEN","features":[382]},{"name":"WIAS_CHANGED_VALUE_INFO","features":[382,308]},{"name":"WIAS_DOWN_SAMPLE_INFO","features":[382]},{"name":"WIAS_ENDORSER_INFO","features":[382]},{"name":"WIAS_ENDORSER_VALUE","features":[382]},{"name":"WIAU_DEBUG_TSTR","features":[382]},{"name":"WIAVIDEO_CREATING_VIDEO","features":[382]},{"name":"WIAVIDEO_DESTROYING_VIDEO","features":[382]},{"name":"WIAVIDEO_NO_VIDEO","features":[382]},{"name":"WIAVIDEO_STATE","features":[382]},{"name":"WIAVIDEO_VIDEO_CREATED","features":[382]},{"name":"WIAVIDEO_VIDEO_PAUSED","features":[382]},{"name":"WIAVIDEO_VIDEO_PLAYING","features":[382]},{"name":"WIA_ACTION_EVENT","features":[382]},{"name":"WIA_ADVANCED_PREVIEW","features":[382]},{"name":"WIA_ALARM_BEEP1","features":[382]},{"name":"WIA_ALARM_BEEP10","features":[382]},{"name":"WIA_ALARM_BEEP2","features":[382]},{"name":"WIA_ALARM_BEEP3","features":[382]},{"name":"WIA_ALARM_BEEP4","features":[382]},{"name":"WIA_ALARM_BEEP5","features":[382]},{"name":"WIA_ALARM_BEEP6","features":[382]},{"name":"WIA_ALARM_BEEP7","features":[382]},{"name":"WIA_ALARM_BEEP8","features":[382]},{"name":"WIA_ALARM_BEEP9","features":[382]},{"name":"WIA_ALARM_NONE","features":[382]},{"name":"WIA_AUTO_CROP_DISABLED","features":[382]},{"name":"WIA_AUTO_CROP_MULTI","features":[382]},{"name":"WIA_AUTO_CROP_SINGLE","features":[382]},{"name":"WIA_AUTO_DESKEW_OFF","features":[382]},{"name":"WIA_AUTO_DESKEW_ON","features":[382]},{"name":"WIA_BARCODES","features":[382]},{"name":"WIA_BARCODE_AUTO_SEARCH","features":[382]},{"name":"WIA_BARCODE_AZTEC","features":[382]},{"name":"WIA_BARCODE_CODABAR","features":[382]},{"name":"WIA_BARCODE_CODE128","features":[382]},{"name":"WIA_BARCODE_CODE128A","features":[382]},{"name":"WIA_BARCODE_CODE128B","features":[382]},{"name":"WIA_BARCODE_CODE128C","features":[382]},{"name":"WIA_BARCODE_CODE39","features":[382]},{"name":"WIA_BARCODE_CODE39_FULLASCII","features":[382]},{"name":"WIA_BARCODE_CODE39_MOD43","features":[382]},{"name":"WIA_BARCODE_CODE93","features":[382]},{"name":"WIA_BARCODE_CPCBINARY","features":[382]},{"name":"WIA_BARCODE_CUSTOMBASE","features":[382]},{"name":"WIA_BARCODE_DATAMATRIX","features":[382]},{"name":"WIA_BARCODE_DATASTRIP","features":[382]},{"name":"WIA_BARCODE_EAN13","features":[382]},{"name":"WIA_BARCODE_EAN8","features":[382]},{"name":"WIA_BARCODE_EZCODE","features":[382]},{"name":"WIA_BARCODE_FIM","features":[382]},{"name":"WIA_BARCODE_GS1128","features":[382]},{"name":"WIA_BARCODE_GS1DATABAR","features":[382]},{"name":"WIA_BARCODE_HIGH_CAPACITY_COLOR","features":[382]},{"name":"WIA_BARCODE_HORIZONTAL_SEARCH","features":[382]},{"name":"WIA_BARCODE_HORIZONTAL_VERTICAL_SEARCH","features":[382]},{"name":"WIA_BARCODE_INFO","features":[382]},{"name":"WIA_BARCODE_INTELLIGENT_MAIL","features":[382]},{"name":"WIA_BARCODE_INTERLEAVED_2OF5","features":[382]},{"name":"WIA_BARCODE_ITF14","features":[382]},{"name":"WIA_BARCODE_JAN","features":[382]},{"name":"WIA_BARCODE_MAXICODE","features":[382]},{"name":"WIA_BARCODE_MSI","features":[382]},{"name":"WIA_BARCODE_NONINTERLEAVED_2OF5","features":[382]},{"name":"WIA_BARCODE_PDF417","features":[382]},{"name":"WIA_BARCODE_PHARMACODE","features":[382]},{"name":"WIA_BARCODE_PLANET","features":[382]},{"name":"WIA_BARCODE_PLESSEY","features":[382]},{"name":"WIA_BARCODE_POSTBAR","features":[382]},{"name":"WIA_BARCODE_POSTNETA","features":[382]},{"name":"WIA_BARCODE_POSTNETB","features":[382]},{"name":"WIA_BARCODE_POSTNETC","features":[382]},{"name":"WIA_BARCODE_POSTNET_DPBC","features":[382]},{"name":"WIA_BARCODE_QRCODE","features":[382]},{"name":"WIA_BARCODE_READER_AUTO","features":[382]},{"name":"WIA_BARCODE_READER_DISABLED","features":[382]},{"name":"WIA_BARCODE_READER_FEEDER_BACK","features":[382]},{"name":"WIA_BARCODE_READER_FEEDER_DUPLEX","features":[382]},{"name":"WIA_BARCODE_READER_FEEDER_FRONT","features":[382]},{"name":"WIA_BARCODE_READER_FLATBED","features":[382]},{"name":"WIA_BARCODE_RM4SCC","features":[382]},{"name":"WIA_BARCODE_SHOTCODE","features":[382]},{"name":"WIA_BARCODE_SMALLAZTEC","features":[382]},{"name":"WIA_BARCODE_SPARQCODE","features":[382]},{"name":"WIA_BARCODE_TELEPEN","features":[382]},{"name":"WIA_BARCODE_UPCA","features":[382]},{"name":"WIA_BARCODE_UPCE","features":[382]},{"name":"WIA_BARCODE_VERTICAL_HORIZONTAL_SEARCH","features":[382]},{"name":"WIA_BARCODE_VERTICAL_SEARCH","features":[382]},{"name":"WIA_BASIC_PREVIEW","features":[382]},{"name":"WIA_BLANK_PAGE_DETECTION_DISABLED","features":[382]},{"name":"WIA_BLANK_PAGE_DISCARD","features":[382]},{"name":"WIA_BLANK_PAGE_JOB_SEPARATOR","features":[382]},{"name":"WIA_CATEGORY_AUTO","features":[382]},{"name":"WIA_CATEGORY_BARCODE_READER","features":[382]},{"name":"WIA_CATEGORY_ENDORSER","features":[382]},{"name":"WIA_CATEGORY_FEEDER","features":[382]},{"name":"WIA_CATEGORY_FEEDER_BACK","features":[382]},{"name":"WIA_CATEGORY_FEEDER_FRONT","features":[382]},{"name":"WIA_CATEGORY_FILM","features":[382]},{"name":"WIA_CATEGORY_FINISHED_FILE","features":[382]},{"name":"WIA_CATEGORY_FLATBED","features":[382]},{"name":"WIA_CATEGORY_FOLDER","features":[382]},{"name":"WIA_CATEGORY_IMPRINTER","features":[382]},{"name":"WIA_CATEGORY_MICR_READER","features":[382]},{"name":"WIA_CATEGORY_PATCH_CODE_READER","features":[382]},{"name":"WIA_CATEGORY_ROOT","features":[382]},{"name":"WIA_CMD_BUILD_DEVICE_TREE","features":[382]},{"name":"WIA_CMD_CHANGE_DOCUMENT","features":[382]},{"name":"WIA_CMD_DELETE_ALL_ITEMS","features":[382]},{"name":"WIA_CMD_DELETE_DEVICE_TREE","features":[382]},{"name":"WIA_CMD_DIAGNOSTIC","features":[382]},{"name":"WIA_CMD_FORMAT","features":[382]},{"name":"WIA_CMD_PAUSE_FEEDER","features":[382]},{"name":"WIA_CMD_START_FEEDER","features":[382]},{"name":"WIA_CMD_STOP_FEEDER","features":[382]},{"name":"WIA_CMD_SYNCHRONIZE","features":[382]},{"name":"WIA_CMD_TAKE_PICTURE","features":[382]},{"name":"WIA_CMD_UNLOAD_DOCUMENT","features":[382]},{"name":"WIA_COLOR_DROP_BLUE","features":[382]},{"name":"WIA_COLOR_DROP_DISABLED","features":[382]},{"name":"WIA_COLOR_DROP_GREEN","features":[382]},{"name":"WIA_COLOR_DROP_RED","features":[382]},{"name":"WIA_COLOR_DROP_RGB","features":[382]},{"name":"WIA_COMPRESSION_AUTO","features":[382]},{"name":"WIA_COMPRESSION_BI_RLE4","features":[382]},{"name":"WIA_COMPRESSION_BI_RLE8","features":[382]},{"name":"WIA_COMPRESSION_G3","features":[382]},{"name":"WIA_COMPRESSION_G4","features":[382]},{"name":"WIA_COMPRESSION_JBIG","features":[382]},{"name":"WIA_COMPRESSION_JPEG","features":[382]},{"name":"WIA_COMPRESSION_JPEG2K","features":[382]},{"name":"WIA_COMPRESSION_NONE","features":[382]},{"name":"WIA_COMPRESSION_PNG","features":[382]},{"name":"WIA_DATA_AUTO","features":[382]},{"name":"WIA_DATA_CALLBACK_HEADER","features":[382]},{"name":"WIA_DATA_COLOR","features":[382]},{"name":"WIA_DATA_COLOR_DITHER","features":[382]},{"name":"WIA_DATA_COLOR_THRESHOLD","features":[382]},{"name":"WIA_DATA_DITHER","features":[382]},{"name":"WIA_DATA_GRAYSCALE","features":[382]},{"name":"WIA_DATA_RAW_BGR","features":[382]},{"name":"WIA_DATA_RAW_CMY","features":[382]},{"name":"WIA_DATA_RAW_CMYK","features":[382]},{"name":"WIA_DATA_RAW_RGB","features":[382]},{"name":"WIA_DATA_RAW_YUV","features":[382]},{"name":"WIA_DATA_RAW_YUVK","features":[382]},{"name":"WIA_DATA_THRESHOLD","features":[382]},{"name":"WIA_DATA_TRANSFER_INFO","features":[382,308]},{"name":"WIA_DEPTH_AUTO","features":[382]},{"name":"WIA_DEVICE_COMMANDS","features":[382]},{"name":"WIA_DEVICE_CONNECTED","features":[382]},{"name":"WIA_DEVICE_DIALOG_SINGLE_IMAGE","features":[382]},{"name":"WIA_DEVICE_DIALOG_USE_COMMON_UI","features":[382]},{"name":"WIA_DEVICE_EVENTS","features":[382]},{"name":"WIA_DEVICE_NOT_CONNECTED","features":[382]},{"name":"WIA_DEVINFO_ENUM_ALL","features":[382]},{"name":"WIA_DEVINFO_ENUM_LOCAL","features":[382]},{"name":"WIA_DEV_CAP","features":[382]},{"name":"WIA_DEV_CAP_DRV","features":[382]},{"name":"WIA_DIP_BAUDRATE","features":[382]},{"name":"WIA_DIP_BAUDRATE_STR","features":[382]},{"name":"WIA_DIP_DEV_DESC","features":[382]},{"name":"WIA_DIP_DEV_DESC_STR","features":[382]},{"name":"WIA_DIP_DEV_ID","features":[382]},{"name":"WIA_DIP_DEV_ID_STR","features":[382]},{"name":"WIA_DIP_DEV_NAME","features":[382]},{"name":"WIA_DIP_DEV_NAME_STR","features":[382]},{"name":"WIA_DIP_DEV_TYPE","features":[382]},{"name":"WIA_DIP_DEV_TYPE_STR","features":[382]},{"name":"WIA_DIP_DRIVER_VERSION","features":[382]},{"name":"WIA_DIP_DRIVER_VERSION_STR","features":[382]},{"name":"WIA_DIP_FIRST","features":[382]},{"name":"WIA_DIP_HW_CONFIG","features":[382]},{"name":"WIA_DIP_HW_CONFIG_STR","features":[382]},{"name":"WIA_DIP_PNP_ID","features":[382]},{"name":"WIA_DIP_PNP_ID_STR","features":[382]},{"name":"WIA_DIP_PORT_NAME","features":[382]},{"name":"WIA_DIP_PORT_NAME_STR","features":[382]},{"name":"WIA_DIP_REMOTE_DEV_ID","features":[382]},{"name":"WIA_DIP_REMOTE_DEV_ID_STR","features":[382]},{"name":"WIA_DIP_SERVER_NAME","features":[382]},{"name":"WIA_DIP_SERVER_NAME_STR","features":[382]},{"name":"WIA_DIP_STI_DRIVER_VERSION","features":[382]},{"name":"WIA_DIP_STI_DRIVER_VERSION_STR","features":[382]},{"name":"WIA_DIP_STI_GEN_CAPABILITIES","features":[382]},{"name":"WIA_DIP_STI_GEN_CAPABILITIES_STR","features":[382]},{"name":"WIA_DIP_UI_CLSID","features":[382]},{"name":"WIA_DIP_UI_CLSID_STR","features":[382]},{"name":"WIA_DIP_VEND_DESC","features":[382]},{"name":"WIA_DIP_VEND_DESC_STR","features":[382]},{"name":"WIA_DIP_WIA_VERSION","features":[382]},{"name":"WIA_DIP_WIA_VERSION_STR","features":[382]},{"name":"WIA_DITHER_PATTERN_DATA","features":[382]},{"name":"WIA_DONT_SHOW_PREVIEW_CONTROL","features":[382]},{"name":"WIA_DONT_USE_SEGMENTATION_FILTER","features":[382]},{"name":"WIA_DPA_CONNECT_STATUS","features":[382]},{"name":"WIA_DPA_CONNECT_STATUS_STR","features":[382]},{"name":"WIA_DPA_DEVICE_TIME","features":[382]},{"name":"WIA_DPA_DEVICE_TIME_STR","features":[382]},{"name":"WIA_DPA_FIRMWARE_VERSION","features":[382]},{"name":"WIA_DPA_FIRMWARE_VERSION_STR","features":[382]},{"name":"WIA_DPC_ARTIST","features":[382]},{"name":"WIA_DPC_ARTIST_STR","features":[382]},{"name":"WIA_DPC_BATTERY_STATUS","features":[382]},{"name":"WIA_DPC_BATTERY_STATUS_STR","features":[382]},{"name":"WIA_DPC_BURST_INTERVAL","features":[382]},{"name":"WIA_DPC_BURST_INTERVAL_STR","features":[382]},{"name":"WIA_DPC_BURST_NUMBER","features":[382]},{"name":"WIA_DPC_BURST_NUMBER_STR","features":[382]},{"name":"WIA_DPC_CAPTURE_DELAY","features":[382]},{"name":"WIA_DPC_CAPTURE_DELAY_STR","features":[382]},{"name":"WIA_DPC_CAPTURE_MODE","features":[382]},{"name":"WIA_DPC_CAPTURE_MODE_STR","features":[382]},{"name":"WIA_DPC_COMPRESSION_SETTING","features":[382]},{"name":"WIA_DPC_COMPRESSION_SETTING_STR","features":[382]},{"name":"WIA_DPC_CONTRAST","features":[382]},{"name":"WIA_DPC_CONTRAST_STR","features":[382]},{"name":"WIA_DPC_COPYRIGHT_INFO","features":[382]},{"name":"WIA_DPC_COPYRIGHT_INFO_STR","features":[382]},{"name":"WIA_DPC_DIGITAL_ZOOM","features":[382]},{"name":"WIA_DPC_DIGITAL_ZOOM_STR","features":[382]},{"name":"WIA_DPC_DIMENSION","features":[382]},{"name":"WIA_DPC_DIMENSION_STR","features":[382]},{"name":"WIA_DPC_EFFECT_MODE","features":[382]},{"name":"WIA_DPC_EFFECT_MODE_STR","features":[382]},{"name":"WIA_DPC_EXPOSURE_COMP","features":[382]},{"name":"WIA_DPC_EXPOSURE_COMP_STR","features":[382]},{"name":"WIA_DPC_EXPOSURE_INDEX","features":[382]},{"name":"WIA_DPC_EXPOSURE_INDEX_STR","features":[382]},{"name":"WIA_DPC_EXPOSURE_METERING_MODE","features":[382]},{"name":"WIA_DPC_EXPOSURE_METERING_MODE_STR","features":[382]},{"name":"WIA_DPC_EXPOSURE_MODE","features":[382]},{"name":"WIA_DPC_EXPOSURE_MODE_STR","features":[382]},{"name":"WIA_DPC_EXPOSURE_TIME","features":[382]},{"name":"WIA_DPC_EXPOSURE_TIME_STR","features":[382]},{"name":"WIA_DPC_FLASH_MODE","features":[382]},{"name":"WIA_DPC_FLASH_MODE_STR","features":[382]},{"name":"WIA_DPC_FNUMBER","features":[382]},{"name":"WIA_DPC_FNUMBER_STR","features":[382]},{"name":"WIA_DPC_FOCAL_LENGTH","features":[382]},{"name":"WIA_DPC_FOCAL_LENGTH_STR","features":[382]},{"name":"WIA_DPC_FOCUS_DISTANCE","features":[382]},{"name":"WIA_DPC_FOCUS_DISTANCE_STR","features":[382]},{"name":"WIA_DPC_FOCUS_MANUAL_DIST","features":[382]},{"name":"WIA_DPC_FOCUS_MANUAL_DIST_STR","features":[382]},{"name":"WIA_DPC_FOCUS_METERING","features":[382]},{"name":"WIA_DPC_FOCUS_METERING_MODE","features":[382]},{"name":"WIA_DPC_FOCUS_METERING_MODE_STR","features":[382]},{"name":"WIA_DPC_FOCUS_METERING_STR","features":[382]},{"name":"WIA_DPC_FOCUS_MODE","features":[382]},{"name":"WIA_DPC_FOCUS_MODE_STR","features":[382]},{"name":"WIA_DPC_PAN_POSITION","features":[382]},{"name":"WIA_DPC_PAN_POSITION_STR","features":[382]},{"name":"WIA_DPC_PICTURES_REMAINING","features":[382]},{"name":"WIA_DPC_PICTURES_REMAINING_STR","features":[382]},{"name":"WIA_DPC_PICTURES_TAKEN","features":[382]},{"name":"WIA_DPC_PICTURES_TAKEN_STR","features":[382]},{"name":"WIA_DPC_PICT_HEIGHT","features":[382]},{"name":"WIA_DPC_PICT_HEIGHT_STR","features":[382]},{"name":"WIA_DPC_PICT_WIDTH","features":[382]},{"name":"WIA_DPC_PICT_WIDTH_STR","features":[382]},{"name":"WIA_DPC_POWER_MODE","features":[382]},{"name":"WIA_DPC_POWER_MODE_STR","features":[382]},{"name":"WIA_DPC_RGB_GAIN","features":[382]},{"name":"WIA_DPC_RGB_GAIN_STR","features":[382]},{"name":"WIA_DPC_SHARPNESS","features":[382]},{"name":"WIA_DPC_SHARPNESS_STR","features":[382]},{"name":"WIA_DPC_THUMB_HEIGHT","features":[382]},{"name":"WIA_DPC_THUMB_HEIGHT_STR","features":[382]},{"name":"WIA_DPC_THUMB_WIDTH","features":[382]},{"name":"WIA_DPC_THUMB_WIDTH_STR","features":[382]},{"name":"WIA_DPC_TILT_POSITION","features":[382]},{"name":"WIA_DPC_TILT_POSITION_STR","features":[382]},{"name":"WIA_DPC_TIMELAPSE_INTERVAL","features":[382]},{"name":"WIA_DPC_TIMELAPSE_INTERVAL_STR","features":[382]},{"name":"WIA_DPC_TIMELAPSE_NUMBER","features":[382]},{"name":"WIA_DPC_TIMELAPSE_NUMBER_STR","features":[382]},{"name":"WIA_DPC_TIMER_MODE","features":[382]},{"name":"WIA_DPC_TIMER_MODE_STR","features":[382]},{"name":"WIA_DPC_TIMER_VALUE","features":[382]},{"name":"WIA_DPC_TIMER_VALUE_STR","features":[382]},{"name":"WIA_DPC_UPLOAD_URL","features":[382]},{"name":"WIA_DPC_UPLOAD_URL_STR","features":[382]},{"name":"WIA_DPC_WHITE_BALANCE","features":[382]},{"name":"WIA_DPC_WHITE_BALANCE_STR","features":[382]},{"name":"WIA_DPC_ZOOM_POSITION","features":[382]},{"name":"WIA_DPC_ZOOM_POSITION_STR","features":[382]},{"name":"WIA_DPF_FIRST","features":[382]},{"name":"WIA_DPF_MOUNT_POINT","features":[382]},{"name":"WIA_DPF_MOUNT_POINT_STR","features":[382]},{"name":"WIA_DPS_DEVICE_ID","features":[382]},{"name":"WIA_DPS_DEVICE_ID_STR","features":[382]},{"name":"WIA_DPS_DITHER_PATTERN_DATA","features":[382]},{"name":"WIA_DPS_DITHER_PATTERN_DATA_STR","features":[382]},{"name":"WIA_DPS_DITHER_SELECT","features":[382]},{"name":"WIA_DPS_DITHER_SELECT_STR","features":[382]},{"name":"WIA_DPS_DOCUMENT_HANDLING_CAPABILITIES","features":[382]},{"name":"WIA_DPS_DOCUMENT_HANDLING_CAPABILITIES_STR","features":[382]},{"name":"WIA_DPS_DOCUMENT_HANDLING_CAPACITY","features":[382]},{"name":"WIA_DPS_DOCUMENT_HANDLING_CAPACITY_STR","features":[382]},{"name":"WIA_DPS_DOCUMENT_HANDLING_SELECT","features":[382]},{"name":"WIA_DPS_DOCUMENT_HANDLING_SELECT_STR","features":[382]},{"name":"WIA_DPS_DOCUMENT_HANDLING_STATUS","features":[382]},{"name":"WIA_DPS_DOCUMENT_HANDLING_STATUS_STR","features":[382]},{"name":"WIA_DPS_ENDORSER_CHARACTERS","features":[382]},{"name":"WIA_DPS_ENDORSER_CHARACTERS_STR","features":[382]},{"name":"WIA_DPS_ENDORSER_STRING","features":[382]},{"name":"WIA_DPS_ENDORSER_STRING_STR","features":[382]},{"name":"WIA_DPS_FILTER_SELECT","features":[382]},{"name":"WIA_DPS_FILTER_SELECT_STR","features":[382]},{"name":"WIA_DPS_FIRST","features":[382]},{"name":"WIA_DPS_GLOBAL_IDENTITY","features":[382]},{"name":"WIA_DPS_GLOBAL_IDENTITY_STR","features":[382]},{"name":"WIA_DPS_HORIZONTAL_BED_REGISTRATION","features":[382]},{"name":"WIA_DPS_HORIZONTAL_BED_REGISTRATION_STR","features":[382]},{"name":"WIA_DPS_HORIZONTAL_BED_SIZE","features":[382]},{"name":"WIA_DPS_HORIZONTAL_BED_SIZE_STR","features":[382]},{"name":"WIA_DPS_HORIZONTAL_SHEET_FEED_SIZE","features":[382]},{"name":"WIA_DPS_HORIZONTAL_SHEET_FEED_SIZE_STR","features":[382]},{"name":"WIA_DPS_MAX_SCAN_TIME","features":[382]},{"name":"WIA_DPS_MAX_SCAN_TIME_STR","features":[382]},{"name":"WIA_DPS_MIN_HORIZONTAL_SHEET_FEED_SIZE","features":[382]},{"name":"WIA_DPS_MIN_HORIZONTAL_SHEET_FEED_SIZE_STR","features":[382]},{"name":"WIA_DPS_MIN_VERTICAL_SHEET_FEED_SIZE","features":[382]},{"name":"WIA_DPS_MIN_VERTICAL_SHEET_FEED_SIZE_STR","features":[382]},{"name":"WIA_DPS_OPTICAL_XRES","features":[382]},{"name":"WIA_DPS_OPTICAL_XRES_STR","features":[382]},{"name":"WIA_DPS_OPTICAL_YRES","features":[382]},{"name":"WIA_DPS_OPTICAL_YRES_STR","features":[382]},{"name":"WIA_DPS_PAD_COLOR","features":[382]},{"name":"WIA_DPS_PAD_COLOR_STR","features":[382]},{"name":"WIA_DPS_PAGES","features":[382]},{"name":"WIA_DPS_PAGES_STR","features":[382]},{"name":"WIA_DPS_PAGE_HEIGHT","features":[382]},{"name":"WIA_DPS_PAGE_HEIGHT_STR","features":[382]},{"name":"WIA_DPS_PAGE_SIZE","features":[382]},{"name":"WIA_DPS_PAGE_SIZE_STR","features":[382]},{"name":"WIA_DPS_PAGE_WIDTH","features":[382]},{"name":"WIA_DPS_PAGE_WIDTH_STR","features":[382]},{"name":"WIA_DPS_PLATEN_COLOR","features":[382]},{"name":"WIA_DPS_PLATEN_COLOR_STR","features":[382]},{"name":"WIA_DPS_PREVIEW","features":[382]},{"name":"WIA_DPS_PREVIEW_STR","features":[382]},{"name":"WIA_DPS_SCAN_AHEAD_PAGES","features":[382]},{"name":"WIA_DPS_SCAN_AHEAD_PAGES_STR","features":[382]},{"name":"WIA_DPS_SCAN_AVAILABLE_ITEM","features":[382]},{"name":"WIA_DPS_SCAN_AVAILABLE_ITEM_STR","features":[382]},{"name":"WIA_DPS_SERVICE_ID","features":[382]},{"name":"WIA_DPS_SERVICE_ID_STR","features":[382]},{"name":"WIA_DPS_SHEET_FEEDER_REGISTRATION","features":[382]},{"name":"WIA_DPS_SHEET_FEEDER_REGISTRATION_STR","features":[382]},{"name":"WIA_DPS_SHOW_PREVIEW_CONTROL","features":[382]},{"name":"WIA_DPS_SHOW_PREVIEW_CONTROL_STR","features":[382]},{"name":"WIA_DPS_TRANSPARENCY","features":[382]},{"name":"WIA_DPS_TRANSPARENCY_CAPABILITIES","features":[382]},{"name":"WIA_DPS_TRANSPARENCY_CAPABILITIES_STR","features":[382]},{"name":"WIA_DPS_TRANSPARENCY_SELECT","features":[382]},{"name":"WIA_DPS_TRANSPARENCY_SELECT_STR","features":[382]},{"name":"WIA_DPS_TRANSPARENCY_STATUS","features":[382]},{"name":"WIA_DPS_TRANSPARENCY_STATUS_STR","features":[382]},{"name":"WIA_DPS_TRANSPARENCY_STR","features":[382]},{"name":"WIA_DPS_USER_NAME","features":[382]},{"name":"WIA_DPS_USER_NAME_STR","features":[382]},{"name":"WIA_DPS_VERTICAL_BED_REGISTRATION","features":[382]},{"name":"WIA_DPS_VERTICAL_BED_REGISTRATION_STR","features":[382]},{"name":"WIA_DPS_VERTICAL_BED_SIZE","features":[382]},{"name":"WIA_DPS_VERTICAL_BED_SIZE_STR","features":[382]},{"name":"WIA_DPS_VERTICAL_SHEET_FEED_SIZE","features":[382]},{"name":"WIA_DPS_VERTICAL_SHEET_FEED_SIZE_STR","features":[382]},{"name":"WIA_DPV_DSHOW_DEVICE_PATH","features":[382]},{"name":"WIA_DPV_DSHOW_DEVICE_PATH_STR","features":[382]},{"name":"WIA_DPV_IMAGES_DIRECTORY","features":[382]},{"name":"WIA_DPV_IMAGES_DIRECTORY_STR","features":[382]},{"name":"WIA_DPV_LAST_PICTURE_TAKEN","features":[382]},{"name":"WIA_DPV_LAST_PICTURE_TAKEN_STR","features":[382]},{"name":"WIA_ENDORSER_TOK_DATE","features":[382]},{"name":"WIA_ENDORSER_TOK_DAY","features":[382]},{"name":"WIA_ENDORSER_TOK_MONTH","features":[382]},{"name":"WIA_ENDORSER_TOK_PAGE_COUNT","features":[382]},{"name":"WIA_ENDORSER_TOK_TIME","features":[382]},{"name":"WIA_ENDORSER_TOK_YEAR","features":[382]},{"name":"WIA_ERROR_BUSY","features":[382]},{"name":"WIA_ERROR_COVER_OPEN","features":[382]},{"name":"WIA_ERROR_DESTINATION","features":[382]},{"name":"WIA_ERROR_DEVICE_COMMUNICATION","features":[382]},{"name":"WIA_ERROR_DEVICE_LOCKED","features":[382]},{"name":"WIA_ERROR_EXCEPTION_IN_DRIVER","features":[382]},{"name":"WIA_ERROR_GENERAL_ERROR","features":[382]},{"name":"WIA_ERROR_INCORRECT_HARDWARE_SETTING","features":[382]},{"name":"WIA_ERROR_INVALID_COMMAND","features":[382]},{"name":"WIA_ERROR_INVALID_DRIVER_RESPONSE","features":[382]},{"name":"WIA_ERROR_ITEM_DELETED","features":[382]},{"name":"WIA_ERROR_LAMP_OFF","features":[382]},{"name":"WIA_ERROR_MAXIMUM_PRINTER_ENDORSER_COUNTER","features":[382]},{"name":"WIA_ERROR_MULTI_FEED","features":[382]},{"name":"WIA_ERROR_NETWORK_RESERVATION_FAILED","features":[382]},{"name":"WIA_ERROR_OFFLINE","features":[382]},{"name":"WIA_ERROR_PAPER_EMPTY","features":[382]},{"name":"WIA_ERROR_PAPER_JAM","features":[382]},{"name":"WIA_ERROR_PAPER_PROBLEM","features":[382]},{"name":"WIA_ERROR_USER_INTERVENTION","features":[382]},{"name":"WIA_ERROR_WARMING_UP","features":[382]},{"name":"WIA_EVENT_CANCEL_IO","features":[382]},{"name":"WIA_EVENT_COVER_CLOSED","features":[382]},{"name":"WIA_EVENT_COVER_OPEN","features":[382]},{"name":"WIA_EVENT_DEVICE_CONNECTED","features":[382]},{"name":"WIA_EVENT_DEVICE_CONNECTED_STR","features":[382]},{"name":"WIA_EVENT_DEVICE_DISCONNECTED","features":[382]},{"name":"WIA_EVENT_DEVICE_DISCONNECTED_STR","features":[382]},{"name":"WIA_EVENT_DEVICE_NOT_READY","features":[382]},{"name":"WIA_EVENT_DEVICE_READY","features":[382]},{"name":"WIA_EVENT_FEEDER_EMPTIED","features":[382]},{"name":"WIA_EVENT_FEEDER_LOADED","features":[382]},{"name":"WIA_EVENT_FLATBED_LID_CLOSED","features":[382]},{"name":"WIA_EVENT_FLATBED_LID_OPEN","features":[382]},{"name":"WIA_EVENT_HANDLER_NO_ACTION","features":[382]},{"name":"WIA_EVENT_HANDLER_PROMPT","features":[382]},{"name":"WIA_EVENT_ITEM_CREATED","features":[382]},{"name":"WIA_EVENT_ITEM_DELETED","features":[382]},{"name":"WIA_EVENT_POWER_RESUME","features":[382]},{"name":"WIA_EVENT_POWER_SUSPEND","features":[382]},{"name":"WIA_EVENT_SCAN_EMAIL_IMAGE","features":[382]},{"name":"WIA_EVENT_SCAN_FAX_IMAGE","features":[382]},{"name":"WIA_EVENT_SCAN_FILM_IMAGE","features":[382]},{"name":"WIA_EVENT_SCAN_IMAGE","features":[382]},{"name":"WIA_EVENT_SCAN_IMAGE2","features":[382]},{"name":"WIA_EVENT_SCAN_IMAGE3","features":[382]},{"name":"WIA_EVENT_SCAN_IMAGE4","features":[382]},{"name":"WIA_EVENT_SCAN_OCR_IMAGE","features":[382]},{"name":"WIA_EVENT_SCAN_PRINT_IMAGE","features":[382]},{"name":"WIA_EVENT_STI_PROXY","features":[382]},{"name":"WIA_EVENT_STORAGE_CREATED","features":[382]},{"name":"WIA_EVENT_STORAGE_DELETED","features":[382]},{"name":"WIA_EVENT_TREE_UPDATED","features":[382]},{"name":"WIA_EVENT_VOLUME_INSERT","features":[382]},{"name":"WIA_EXTENDED_TRANSFER_INFO","features":[382]},{"name":"WIA_FEEDER_CONTROL_AUTO","features":[382]},{"name":"WIA_FEEDER_CONTROL_MANUAL","features":[382]},{"name":"WIA_FILM_BW_NEGATIVE","features":[382]},{"name":"WIA_FILM_COLOR_NEGATIVE","features":[382]},{"name":"WIA_FILM_COLOR_SLIDE","features":[382]},{"name":"WIA_FINAL_SCAN","features":[382]},{"name":"WIA_FLAG_NOM","features":[382]},{"name":"WIA_FLAG_NUM_ELEMS","features":[382]},{"name":"WIA_FLAG_VALUES","features":[382]},{"name":"WIA_FORMAT_INFO","features":[382]},{"name":"WIA_IMAGEPROC_FILTER_STR","features":[382]},{"name":"WIA_INTENT_BEST_PREVIEW","features":[382]},{"name":"WIA_INTENT_IMAGE_TYPE_COLOR","features":[382]},{"name":"WIA_INTENT_IMAGE_TYPE_GRAYSCALE","features":[382]},{"name":"WIA_INTENT_IMAGE_TYPE_MASK","features":[382]},{"name":"WIA_INTENT_IMAGE_TYPE_TEXT","features":[382]},{"name":"WIA_INTENT_MAXIMIZE_QUALITY","features":[382]},{"name":"WIA_INTENT_MINIMIZE_SIZE","features":[382]},{"name":"WIA_INTENT_NONE","features":[382]},{"name":"WIA_INTENT_SIZE_MASK","features":[382]},{"name":"WIA_IPA_ACCESS_RIGHTS","features":[382]},{"name":"WIA_IPA_ACCESS_RIGHTS_STR","features":[382]},{"name":"WIA_IPA_APP_COLOR_MAPPING","features":[382]},{"name":"WIA_IPA_APP_COLOR_MAPPING_STR","features":[382]},{"name":"WIA_IPA_BITS_PER_CHANNEL","features":[382]},{"name":"WIA_IPA_BITS_PER_CHANNEL_STR","features":[382]},{"name":"WIA_IPA_BUFFER_SIZE","features":[382]},{"name":"WIA_IPA_BUFFER_SIZE_STR","features":[382]},{"name":"WIA_IPA_BYTES_PER_LINE","features":[382]},{"name":"WIA_IPA_BYTES_PER_LINE_STR","features":[382]},{"name":"WIA_IPA_CHANNELS_PER_PIXEL","features":[382]},{"name":"WIA_IPA_CHANNELS_PER_PIXEL_STR","features":[382]},{"name":"WIA_IPA_COLOR_PROFILE","features":[382]},{"name":"WIA_IPA_COLOR_PROFILE_STR","features":[382]},{"name":"WIA_IPA_COMPRESSION","features":[382]},{"name":"WIA_IPA_COMPRESSION_STR","features":[382]},{"name":"WIA_IPA_DATATYPE","features":[382]},{"name":"WIA_IPA_DATATYPE_STR","features":[382]},{"name":"WIA_IPA_DEPTH","features":[382]},{"name":"WIA_IPA_DEPTH_STR","features":[382]},{"name":"WIA_IPA_FILENAME_EXTENSION","features":[382]},{"name":"WIA_IPA_FILENAME_EXTENSION_STR","features":[382]},{"name":"WIA_IPA_FIRST","features":[382]},{"name":"WIA_IPA_FORMAT","features":[382]},{"name":"WIA_IPA_FORMAT_STR","features":[382]},{"name":"WIA_IPA_FULL_ITEM_NAME","features":[382]},{"name":"WIA_IPA_FULL_ITEM_NAME_STR","features":[382]},{"name":"WIA_IPA_GAMMA_CURVES","features":[382]},{"name":"WIA_IPA_GAMMA_CURVES_STR","features":[382]},{"name":"WIA_IPA_ICM_PROFILE_NAME","features":[382]},{"name":"WIA_IPA_ICM_PROFILE_NAME_STR","features":[382]},{"name":"WIA_IPA_ITEMS_STORED","features":[382]},{"name":"WIA_IPA_ITEMS_STORED_STR","features":[382]},{"name":"WIA_IPA_ITEM_CATEGORY","features":[382]},{"name":"WIA_IPA_ITEM_CATEGORY_STR","features":[382]},{"name":"WIA_IPA_ITEM_FLAGS","features":[382]},{"name":"WIA_IPA_ITEM_FLAGS_STR","features":[382]},{"name":"WIA_IPA_ITEM_NAME","features":[382]},{"name":"WIA_IPA_ITEM_NAME_STR","features":[382]},{"name":"WIA_IPA_ITEM_SIZE","features":[382]},{"name":"WIA_IPA_ITEM_SIZE_STR","features":[382]},{"name":"WIA_IPA_ITEM_TIME","features":[382]},{"name":"WIA_IPA_ITEM_TIME_STR","features":[382]},{"name":"WIA_IPA_MIN_BUFFER_SIZE","features":[382]},{"name":"WIA_IPA_MIN_BUFFER_SIZE_STR","features":[382]},{"name":"WIA_IPA_NUMBER_OF_LINES","features":[382]},{"name":"WIA_IPA_NUMBER_OF_LINES_STR","features":[382]},{"name":"WIA_IPA_PIXELS_PER_LINE","features":[382]},{"name":"WIA_IPA_PIXELS_PER_LINE_STR","features":[382]},{"name":"WIA_IPA_PLANAR","features":[382]},{"name":"WIA_IPA_PLANAR_STR","features":[382]},{"name":"WIA_IPA_PREFERRED_FORMAT","features":[382]},{"name":"WIA_IPA_PREFERRED_FORMAT_STR","features":[382]},{"name":"WIA_IPA_PROP_STREAM_COMPAT_ID","features":[382]},{"name":"WIA_IPA_PROP_STREAM_COMPAT_ID_STR","features":[382]},{"name":"WIA_IPA_RAW_BITS_PER_CHANNEL","features":[382]},{"name":"WIA_IPA_RAW_BITS_PER_CHANNEL_STR","features":[382]},{"name":"WIA_IPA_REGION_TYPE","features":[382]},{"name":"WIA_IPA_REGION_TYPE_STR","features":[382]},{"name":"WIA_IPA_SUPPRESS_PROPERTY_PAGE","features":[382]},{"name":"WIA_IPA_SUPPRESS_PROPERTY_PAGE_STR","features":[382]},{"name":"WIA_IPA_TYMED","features":[382]},{"name":"WIA_IPA_TYMED_STR","features":[382]},{"name":"WIA_IPA_UPLOAD_ITEM_SIZE","features":[382]},{"name":"WIA_IPA_UPLOAD_ITEM_SIZE_STR","features":[382]},{"name":"WIA_IPC_AUDIO_AVAILABLE","features":[382]},{"name":"WIA_IPC_AUDIO_AVAILABLE_STR","features":[382]},{"name":"WIA_IPC_AUDIO_DATA","features":[382]},{"name":"WIA_IPC_AUDIO_DATA_FORMAT","features":[382]},{"name":"WIA_IPC_AUDIO_DATA_FORMAT_STR","features":[382]},{"name":"WIA_IPC_AUDIO_DATA_STR","features":[382]},{"name":"WIA_IPC_FIRST","features":[382]},{"name":"WIA_IPC_NUM_PICT_PER_ROW","features":[382]},{"name":"WIA_IPC_NUM_PICT_PER_ROW_STR","features":[382]},{"name":"WIA_IPC_SEQUENCE","features":[382]},{"name":"WIA_IPC_SEQUENCE_STR","features":[382]},{"name":"WIA_IPC_THUMBNAIL","features":[382]},{"name":"WIA_IPC_THUMBNAIL_STR","features":[382]},{"name":"WIA_IPC_THUMB_HEIGHT","features":[382]},{"name":"WIA_IPC_THUMB_HEIGHT_STR","features":[382]},{"name":"WIA_IPC_THUMB_WIDTH","features":[382]},{"name":"WIA_IPC_THUMB_WIDTH_STR","features":[382]},{"name":"WIA_IPC_TIMEDELAY","features":[382]},{"name":"WIA_IPC_TIMEDELAY_STR","features":[382]},{"name":"WIA_IPS_ALARM","features":[382]},{"name":"WIA_IPS_ALARM_STR","features":[382]},{"name":"WIA_IPS_AUTO_CROP","features":[382]},{"name":"WIA_IPS_AUTO_CROP_STR","features":[382]},{"name":"WIA_IPS_AUTO_DESKEW","features":[382]},{"name":"WIA_IPS_AUTO_DESKEW_STR","features":[382]},{"name":"WIA_IPS_BARCODE_READER","features":[382]},{"name":"WIA_IPS_BARCODE_READER_STR","features":[382]},{"name":"WIA_IPS_BARCODE_SEARCH_DIRECTION","features":[382]},{"name":"WIA_IPS_BARCODE_SEARCH_DIRECTION_STR","features":[382]},{"name":"WIA_IPS_BARCODE_SEARCH_TIMEOUT","features":[382]},{"name":"WIA_IPS_BARCODE_SEARCH_TIMEOUT_STR","features":[382]},{"name":"WIA_IPS_BLANK_PAGES","features":[382]},{"name":"WIA_IPS_BLANK_PAGES_SENSITIVITY","features":[382]},{"name":"WIA_IPS_BLANK_PAGES_SENSITIVITY_STR","features":[382]},{"name":"WIA_IPS_BLANK_PAGES_STR","features":[382]},{"name":"WIA_IPS_BRIGHTNESS","features":[382]},{"name":"WIA_IPS_BRIGHTNESS_STR","features":[382]},{"name":"WIA_IPS_COLOR_DROP","features":[382]},{"name":"WIA_IPS_COLOR_DROP_BLUE","features":[382]},{"name":"WIA_IPS_COLOR_DROP_BLUE_STR","features":[382]},{"name":"WIA_IPS_COLOR_DROP_GREEN","features":[382]},{"name":"WIA_IPS_COLOR_DROP_GREEN_STR","features":[382]},{"name":"WIA_IPS_COLOR_DROP_MULTI","features":[382]},{"name":"WIA_IPS_COLOR_DROP_MULTI_STR","features":[382]},{"name":"WIA_IPS_COLOR_DROP_RED","features":[382]},{"name":"WIA_IPS_COLOR_DROP_RED_STR","features":[382]},{"name":"WIA_IPS_COLOR_DROP_STR","features":[382]},{"name":"WIA_IPS_CONTRAST","features":[382]},{"name":"WIA_IPS_CONTRAST_STR","features":[382]},{"name":"WIA_IPS_CUR_INTENT","features":[382]},{"name":"WIA_IPS_CUR_INTENT_STR","features":[382]},{"name":"WIA_IPS_DESKEW_X","features":[382]},{"name":"WIA_IPS_DESKEW_X_STR","features":[382]},{"name":"WIA_IPS_DESKEW_Y","features":[382]},{"name":"WIA_IPS_DESKEW_Y_STR","features":[382]},{"name":"WIA_IPS_DOCUMENT_HANDLING_SELECT","features":[382]},{"name":"WIA_IPS_DOCUMENT_HANDLING_SELECT_STR","features":[382]},{"name":"WIA_IPS_ENABLED_BARCODE_TYPES","features":[382]},{"name":"WIA_IPS_ENABLED_BARCODE_TYPES_STR","features":[382]},{"name":"WIA_IPS_ENABLED_PATCH_CODE_TYPES","features":[382]},{"name":"WIA_IPS_ENABLED_PATCH_CODE_TYPES_STR","features":[382]},{"name":"WIA_IPS_FEEDER_CONTROL","features":[382]},{"name":"WIA_IPS_FEEDER_CONTROL_STR","features":[382]},{"name":"WIA_IPS_FILM_NODE_NAME","features":[382]},{"name":"WIA_IPS_FILM_NODE_NAME_STR","features":[382]},{"name":"WIA_IPS_FILM_SCAN_MODE","features":[382]},{"name":"WIA_IPS_FILM_SCAN_MODE_STR","features":[382]},{"name":"WIA_IPS_FIRST","features":[382]},{"name":"WIA_IPS_INVERT","features":[382]},{"name":"WIA_IPS_INVERT_STR","features":[382]},{"name":"WIA_IPS_JOB_SEPARATORS","features":[382]},{"name":"WIA_IPS_JOB_SEPARATORS_STR","features":[382]},{"name":"WIA_IPS_LAMP","features":[382]},{"name":"WIA_IPS_LAMP_AUTO_OFF","features":[382]},{"name":"WIA_IPS_LAMP_AUTO_OFF_STR","features":[382]},{"name":"WIA_IPS_LAMP_STR","features":[382]},{"name":"WIA_IPS_LONG_DOCUMENT","features":[382]},{"name":"WIA_IPS_LONG_DOCUMENT_STR","features":[382]},{"name":"WIA_IPS_MAXIMUM_BARCODES_PER_PAGE","features":[382]},{"name":"WIA_IPS_MAXIMUM_BARCODES_PER_PAGE_STR","features":[382]},{"name":"WIA_IPS_MAXIMUM_BARCODE_SEARCH_RETRIES","features":[382]},{"name":"WIA_IPS_MAXIMUM_BARCODE_SEARCH_RETRIES_STR","features":[382]},{"name":"WIA_IPS_MAX_HORIZONTAL_SIZE","features":[382]},{"name":"WIA_IPS_MAX_HORIZONTAL_SIZE_STR","features":[382]},{"name":"WIA_IPS_MAX_VERTICAL_SIZE","features":[382]},{"name":"WIA_IPS_MAX_VERTICAL_SIZE_STR","features":[382]},{"name":"WIA_IPS_MICR_READER","features":[382]},{"name":"WIA_IPS_MICR_READER_STR","features":[382]},{"name":"WIA_IPS_MIN_HORIZONTAL_SIZE","features":[382]},{"name":"WIA_IPS_MIN_HORIZONTAL_SIZE_STR","features":[382]},{"name":"WIA_IPS_MIN_VERTICAL_SIZE","features":[382]},{"name":"WIA_IPS_MIN_VERTICAL_SIZE_STR","features":[382]},{"name":"WIA_IPS_MIRROR","features":[382]},{"name":"WIA_IPS_MIRROR_STR","features":[382]},{"name":"WIA_IPS_MULTI_FEED","features":[382]},{"name":"WIA_IPS_MULTI_FEED_DETECT_METHOD","features":[382]},{"name":"WIA_IPS_MULTI_FEED_DETECT_METHOD_STR","features":[382]},{"name":"WIA_IPS_MULTI_FEED_SENSITIVITY","features":[382]},{"name":"WIA_IPS_MULTI_FEED_SENSITIVITY_STR","features":[382]},{"name":"WIA_IPS_MULTI_FEED_STR","features":[382]},{"name":"WIA_IPS_OPTICAL_XRES","features":[382]},{"name":"WIA_IPS_OPTICAL_XRES_STR","features":[382]},{"name":"WIA_IPS_OPTICAL_YRES","features":[382]},{"name":"WIA_IPS_OPTICAL_YRES_STR","features":[382]},{"name":"WIA_IPS_ORIENTATION","features":[382]},{"name":"WIA_IPS_ORIENTATION_STR","features":[382]},{"name":"WIA_IPS_OVER_SCAN","features":[382]},{"name":"WIA_IPS_OVER_SCAN_BOTTOM","features":[382]},{"name":"WIA_IPS_OVER_SCAN_BOTTOM_STR","features":[382]},{"name":"WIA_IPS_OVER_SCAN_LEFT","features":[382]},{"name":"WIA_IPS_OVER_SCAN_LEFT_STR","features":[382]},{"name":"WIA_IPS_OVER_SCAN_RIGHT","features":[382]},{"name":"WIA_IPS_OVER_SCAN_RIGHT_STR","features":[382]},{"name":"WIA_IPS_OVER_SCAN_STR","features":[382]},{"name":"WIA_IPS_OVER_SCAN_TOP","features":[382]},{"name":"WIA_IPS_OVER_SCAN_TOP_STR","features":[382]},{"name":"WIA_IPS_PAGES","features":[382]},{"name":"WIA_IPS_PAGES_STR","features":[382]},{"name":"WIA_IPS_PAGE_HEIGHT","features":[382]},{"name":"WIA_IPS_PAGE_HEIGHT_STR","features":[382]},{"name":"WIA_IPS_PAGE_SIZE","features":[382]},{"name":"WIA_IPS_PAGE_SIZE_STR","features":[382]},{"name":"WIA_IPS_PAGE_WIDTH","features":[382]},{"name":"WIA_IPS_PAGE_WIDTH_STR","features":[382]},{"name":"WIA_IPS_PATCH_CODE_READER","features":[382]},{"name":"WIA_IPS_PATCH_CODE_READER_STR","features":[382]},{"name":"WIA_IPS_PHOTOMETRIC_INTERP","features":[382]},{"name":"WIA_IPS_PHOTOMETRIC_INTERP_STR","features":[382]},{"name":"WIA_IPS_PREVIEW","features":[382]},{"name":"WIA_IPS_PREVIEW_STR","features":[382]},{"name":"WIA_IPS_PREVIEW_TYPE","features":[382]},{"name":"WIA_IPS_PREVIEW_TYPE_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_CHARACTER_ROTATION","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_CHARACTER_ROTATION_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_COUNTER","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_COUNTER_DIGITS","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_COUNTER_DIGITS_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_COUNTER_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_FONT_TYPE","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_FONT_TYPE_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_GRAPHICS","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_GRAPHICS_DOWNLOAD","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_GRAPHICS_DOWNLOAD_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_GRAPHICS_MAX_HEIGHT","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_GRAPHICS_MAX_HEIGHT_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_GRAPHICS_MAX_WIDTH","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_GRAPHICS_MAX_WIDTH_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_GRAPHICS_MIN_HEIGHT","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_GRAPHICS_MIN_HEIGHT_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_GRAPHICS_MIN_WIDTH","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_GRAPHICS_MIN_WIDTH_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_GRAPHICS_POSITION","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_GRAPHICS_POSITION_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_GRAPHICS_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_GRAPHICS_UPLOAD","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_GRAPHICS_UPLOAD_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_INK","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_INK_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_MAX_CHARACTERS","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_MAX_CHARACTERS_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_MAX_GRAPHICS","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_MAX_GRAPHICS_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_NUM_LINES","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_NUM_LINES_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_ORDER","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_ORDER_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_PADDING","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_PADDING_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_STEP","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_STEP_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_STRING","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_STRING_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_TEXT_DOWNLOAD","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_TEXT_DOWNLOAD_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_TEXT_UPLOAD","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_TEXT_UPLOAD_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_VALID_CHARACTERS","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_VALID_CHARACTERS_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_VALID_FORMAT_SPECIFIERS","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_VALID_FORMAT_SPECIFIERS_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_XOFFSET","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_XOFFSET_STR","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_YOFFSET","features":[382]},{"name":"WIA_IPS_PRINTER_ENDORSER_YOFFSET_STR","features":[382]},{"name":"WIA_IPS_ROTATION","features":[382]},{"name":"WIA_IPS_ROTATION_STR","features":[382]},{"name":"WIA_IPS_SCAN_AHEAD","features":[382]},{"name":"WIA_IPS_SCAN_AHEAD_CAPACITY","features":[382]},{"name":"WIA_IPS_SCAN_AHEAD_CAPACITY_STR","features":[382]},{"name":"WIA_IPS_SCAN_AHEAD_STR","features":[382]},{"name":"WIA_IPS_SEGMENTATION","features":[382]},{"name":"WIA_IPS_SEGMENTATION_STR","features":[382]},{"name":"WIA_IPS_SHEET_FEEDER_REGISTRATION","features":[382]},{"name":"WIA_IPS_SHEET_FEEDER_REGISTRATION_STR","features":[382]},{"name":"WIA_IPS_SHOW_PREVIEW_CONTROL","features":[382]},{"name":"WIA_IPS_SHOW_PREVIEW_CONTROL_STR","features":[382]},{"name":"WIA_IPS_SUPPORTED_BARCODE_TYPES","features":[382]},{"name":"WIA_IPS_SUPPORTED_BARCODE_TYPES_STR","features":[382]},{"name":"WIA_IPS_SUPPORTED_PATCH_CODE_TYPES","features":[382]},{"name":"WIA_IPS_SUPPORTED_PATCH_CODE_TYPES_STR","features":[382]},{"name":"WIA_IPS_SUPPORTS_CHILD_ITEM_CREATION","features":[382]},{"name":"WIA_IPS_SUPPORTS_CHILD_ITEM_CREATION_STR","features":[382]},{"name":"WIA_IPS_THRESHOLD","features":[382]},{"name":"WIA_IPS_THRESHOLD_STR","features":[382]},{"name":"WIA_IPS_TRANSFER_CAPABILITIES","features":[382]},{"name":"WIA_IPS_TRANSFER_CAPABILITIES_STR","features":[382]},{"name":"WIA_IPS_WARM_UP_TIME","features":[382]},{"name":"WIA_IPS_WARM_UP_TIME_STR","features":[382]},{"name":"WIA_IPS_XEXTENT","features":[382]},{"name":"WIA_IPS_XEXTENT_STR","features":[382]},{"name":"WIA_IPS_XPOS","features":[382]},{"name":"WIA_IPS_XPOS_STR","features":[382]},{"name":"WIA_IPS_XRES","features":[382]},{"name":"WIA_IPS_XRES_STR","features":[382]},{"name":"WIA_IPS_XSCALING","features":[382]},{"name":"WIA_IPS_XSCALING_STR","features":[382]},{"name":"WIA_IPS_YEXTENT","features":[382]},{"name":"WIA_IPS_YEXTENT_STR","features":[382]},{"name":"WIA_IPS_YPOS","features":[382]},{"name":"WIA_IPS_YPOS_STR","features":[382]},{"name":"WIA_IPS_YRES","features":[382]},{"name":"WIA_IPS_YRES_STR","features":[382]},{"name":"WIA_IPS_YSCALING","features":[382]},{"name":"WIA_IPS_YSCALING_STR","features":[382]},{"name":"WIA_IS_DEFAULT_HANDLER","features":[382]},{"name":"WIA_ITEM_CAN_BE_DELETED","features":[382]},{"name":"WIA_ITEM_READ","features":[382]},{"name":"WIA_ITEM_WRITE","features":[382]},{"name":"WIA_LAMP_OFF","features":[382]},{"name":"WIA_LAMP_ON","features":[382]},{"name":"WIA_LINE_ORDER_BOTTOM_TO_TOP","features":[382]},{"name":"WIA_LINE_ORDER_TOP_TO_BOTTOM","features":[382]},{"name":"WIA_LIST_COUNT","features":[382]},{"name":"WIA_LIST_NOM","features":[382]},{"name":"WIA_LIST_NUM_ELEMS","features":[382]},{"name":"WIA_LIST_VALUES","features":[382]},{"name":"WIA_LONG_DOCUMENT_DISABLED","features":[382]},{"name":"WIA_LONG_DOCUMENT_ENABLED","features":[382]},{"name":"WIA_LONG_DOCUMENT_SPLIT","features":[382]},{"name":"WIA_MAJOR_EVENT_DEVICE_CONNECT","features":[382]},{"name":"WIA_MAJOR_EVENT_DEVICE_DISCONNECT","features":[382]},{"name":"WIA_MAJOR_EVENT_PICTURE_DELETED","features":[382]},{"name":"WIA_MAJOR_EVENT_PICTURE_TAKEN","features":[382]},{"name":"WIA_MAX_CTX_SIZE","features":[382]},{"name":"WIA_MICR","features":[382]},{"name":"WIA_MICR_INFO","features":[382]},{"name":"WIA_MICR_READER_AUTO","features":[382]},{"name":"WIA_MICR_READER_DISABLED","features":[382]},{"name":"WIA_MICR_READER_FEEDER_BACK","features":[382]},{"name":"WIA_MICR_READER_FEEDER_DUPLEX","features":[382]},{"name":"WIA_MICR_READER_FEEDER_FRONT","features":[382]},{"name":"WIA_MICR_READER_FLATBED","features":[382]},{"name":"WIA_MULTI_FEED_DETECT_CONTINUE","features":[382]},{"name":"WIA_MULTI_FEED_DETECT_DISABLED","features":[382]},{"name":"WIA_MULTI_FEED_DETECT_METHOD_LENGTH","features":[382]},{"name":"WIA_MULTI_FEED_DETECT_METHOD_OVERLAP","features":[382]},{"name":"WIA_MULTI_FEED_DETECT_STOP_ERROR","features":[382]},{"name":"WIA_MULTI_FEED_DETECT_STOP_SUCCESS","features":[382]},{"name":"WIA_NOTIFICATION_EVENT","features":[382]},{"name":"WIA_NUM_DIP","features":[382]},{"name":"WIA_NUM_IPC","features":[382]},{"name":"WIA_ORDER_BGR","features":[382]},{"name":"WIA_ORDER_RGB","features":[382]},{"name":"WIA_OVER_SCAN_ALL","features":[382]},{"name":"WIA_OVER_SCAN_DISABLED","features":[382]},{"name":"WIA_OVER_SCAN_LEFT_RIGHT","features":[382]},{"name":"WIA_OVER_SCAN_TOP_BOTTOM","features":[382]},{"name":"WIA_PACKED_PIXEL","features":[382]},{"name":"WIA_PAGE_A4","features":[382]},{"name":"WIA_PAGE_AUTO","features":[382]},{"name":"WIA_PAGE_BUSINESSCARD","features":[382]},{"name":"WIA_PAGE_CUSTOM","features":[382]},{"name":"WIA_PAGE_CUSTOM_BASE","features":[382]},{"name":"WIA_PAGE_DIN_2B","features":[382]},{"name":"WIA_PAGE_DIN_4B","features":[382]},{"name":"WIA_PAGE_ISO_A0","features":[382]},{"name":"WIA_PAGE_ISO_A1","features":[382]},{"name":"WIA_PAGE_ISO_A10","features":[382]},{"name":"WIA_PAGE_ISO_A2","features":[382]},{"name":"WIA_PAGE_ISO_A3","features":[382]},{"name":"WIA_PAGE_ISO_A4","features":[382]},{"name":"WIA_PAGE_ISO_A5","features":[382]},{"name":"WIA_PAGE_ISO_A6","features":[382]},{"name":"WIA_PAGE_ISO_A7","features":[382]},{"name":"WIA_PAGE_ISO_A8","features":[382]},{"name":"WIA_PAGE_ISO_A9","features":[382]},{"name":"WIA_PAGE_ISO_B0","features":[382]},{"name":"WIA_PAGE_ISO_B1","features":[382]},{"name":"WIA_PAGE_ISO_B10","features":[382]},{"name":"WIA_PAGE_ISO_B2","features":[382]},{"name":"WIA_PAGE_ISO_B3","features":[382]},{"name":"WIA_PAGE_ISO_B4","features":[382]},{"name":"WIA_PAGE_ISO_B5","features":[382]},{"name":"WIA_PAGE_ISO_B6","features":[382]},{"name":"WIA_PAGE_ISO_B7","features":[382]},{"name":"WIA_PAGE_ISO_B8","features":[382]},{"name":"WIA_PAGE_ISO_B9","features":[382]},{"name":"WIA_PAGE_ISO_C0","features":[382]},{"name":"WIA_PAGE_ISO_C1","features":[382]},{"name":"WIA_PAGE_ISO_C10","features":[382]},{"name":"WIA_PAGE_ISO_C2","features":[382]},{"name":"WIA_PAGE_ISO_C3","features":[382]},{"name":"WIA_PAGE_ISO_C4","features":[382]},{"name":"WIA_PAGE_ISO_C5","features":[382]},{"name":"WIA_PAGE_ISO_C6","features":[382]},{"name":"WIA_PAGE_ISO_C7","features":[382]},{"name":"WIA_PAGE_ISO_C8","features":[382]},{"name":"WIA_PAGE_ISO_C9","features":[382]},{"name":"WIA_PAGE_JIS_2A","features":[382]},{"name":"WIA_PAGE_JIS_4A","features":[382]},{"name":"WIA_PAGE_JIS_B0","features":[382]},{"name":"WIA_PAGE_JIS_B1","features":[382]},{"name":"WIA_PAGE_JIS_B10","features":[382]},{"name":"WIA_PAGE_JIS_B2","features":[382]},{"name":"WIA_PAGE_JIS_B3","features":[382]},{"name":"WIA_PAGE_JIS_B4","features":[382]},{"name":"WIA_PAGE_JIS_B5","features":[382]},{"name":"WIA_PAGE_JIS_B6","features":[382]},{"name":"WIA_PAGE_JIS_B7","features":[382]},{"name":"WIA_PAGE_JIS_B8","features":[382]},{"name":"WIA_PAGE_JIS_B9","features":[382]},{"name":"WIA_PAGE_LETTER","features":[382]},{"name":"WIA_PAGE_USLEDGER","features":[382]},{"name":"WIA_PAGE_USLEGAL","features":[382]},{"name":"WIA_PAGE_USLETTER","features":[382]},{"name":"WIA_PAGE_USSTATEMENT","features":[382]},{"name":"WIA_PATCH_CODES","features":[382]},{"name":"WIA_PATCH_CODE_1","features":[382]},{"name":"WIA_PATCH_CODE_10","features":[382]},{"name":"WIA_PATCH_CODE_11","features":[382]},{"name":"WIA_PATCH_CODE_12","features":[382]},{"name":"WIA_PATCH_CODE_13","features":[382]},{"name":"WIA_PATCH_CODE_14","features":[382]},{"name":"WIA_PATCH_CODE_2","features":[382]},{"name":"WIA_PATCH_CODE_3","features":[382]},{"name":"WIA_PATCH_CODE_4","features":[382]},{"name":"WIA_PATCH_CODE_6","features":[382]},{"name":"WIA_PATCH_CODE_7","features":[382]},{"name":"WIA_PATCH_CODE_8","features":[382]},{"name":"WIA_PATCH_CODE_9","features":[382]},{"name":"WIA_PATCH_CODE_CUSTOM_BASE","features":[382]},{"name":"WIA_PATCH_CODE_INFO","features":[382]},{"name":"WIA_PATCH_CODE_READER_AUTO","features":[382]},{"name":"WIA_PATCH_CODE_READER_DISABLED","features":[382]},{"name":"WIA_PATCH_CODE_READER_FEEDER_BACK","features":[382]},{"name":"WIA_PATCH_CODE_READER_FEEDER_DUPLEX","features":[382]},{"name":"WIA_PATCH_CODE_READER_FEEDER_FRONT","features":[382]},{"name":"WIA_PATCH_CODE_READER_FLATBED","features":[382]},{"name":"WIA_PATCH_CODE_T","features":[382]},{"name":"WIA_PATCH_CODE_UNKNOWN","features":[382]},{"name":"WIA_PHOTO_WHITE_0","features":[382]},{"name":"WIA_PHOTO_WHITE_1","features":[382]},{"name":"WIA_PLANAR","features":[382]},{"name":"WIA_PREVIEW_SCAN","features":[382]},{"name":"WIA_PRINTER_ENDORSER_AFTER_SCAN","features":[382]},{"name":"WIA_PRINTER_ENDORSER_AUTO","features":[382]},{"name":"WIA_PRINTER_ENDORSER_BEFORE_SCAN","features":[382]},{"name":"WIA_PRINTER_ENDORSER_DIGITAL","features":[382]},{"name":"WIA_PRINTER_ENDORSER_DISABLED","features":[382]},{"name":"WIA_PRINTER_ENDORSER_FEEDER_BACK","features":[382]},{"name":"WIA_PRINTER_ENDORSER_FEEDER_DUPLEX","features":[382]},{"name":"WIA_PRINTER_ENDORSER_FEEDER_FRONT","features":[382]},{"name":"WIA_PRINTER_ENDORSER_FLATBED","features":[382]},{"name":"WIA_PRINTER_ENDORSER_GRAPHICS_BACKGROUND","features":[382]},{"name":"WIA_PRINTER_ENDORSER_GRAPHICS_BOTTOM","features":[382]},{"name":"WIA_PRINTER_ENDORSER_GRAPHICS_BOTTOM_LEFT","features":[382]},{"name":"WIA_PRINTER_ENDORSER_GRAPHICS_BOTTOM_RIGHT","features":[382]},{"name":"WIA_PRINTER_ENDORSER_GRAPHICS_DEVICE_DEFAULT","features":[382]},{"name":"WIA_PRINTER_ENDORSER_GRAPHICS_LEFT","features":[382]},{"name":"WIA_PRINTER_ENDORSER_GRAPHICS_RIGHT","features":[382]},{"name":"WIA_PRINTER_ENDORSER_GRAPHICS_TOP","features":[382]},{"name":"WIA_PRINTER_ENDORSER_GRAPHICS_TOP_LEFT","features":[382]},{"name":"WIA_PRINTER_ENDORSER_GRAPHICS_TOP_RIGHT","features":[382]},{"name":"WIA_PRINT_AM_PM","features":[382]},{"name":"WIA_PRINT_DATE","features":[382]},{"name":"WIA_PRINT_DAY","features":[382]},{"name":"WIA_PRINT_FONT_BOLD","features":[382]},{"name":"WIA_PRINT_FONT_EXTRA_BOLD","features":[382]},{"name":"WIA_PRINT_FONT_ITALIC","features":[382]},{"name":"WIA_PRINT_FONT_ITALIC_BOLD","features":[382]},{"name":"WIA_PRINT_FONT_ITALIC_EXTRA_BOLD","features":[382]},{"name":"WIA_PRINT_FONT_LARGE","features":[382]},{"name":"WIA_PRINT_FONT_LARGE_BOLD","features":[382]},{"name":"WIA_PRINT_FONT_LARGE_EXTRA_BOLD","features":[382]},{"name":"WIA_PRINT_FONT_LARGE_ITALIC","features":[382]},{"name":"WIA_PRINT_FONT_LARGE_ITALIC_BOLD","features":[382]},{"name":"WIA_PRINT_FONT_LARGE_ITALIC_EXTRA_BOLD","features":[382]},{"name":"WIA_PRINT_FONT_NORMAL","features":[382]},{"name":"WIA_PRINT_FONT_SMALL","features":[382]},{"name":"WIA_PRINT_FONT_SMALL_BOLD","features":[382]},{"name":"WIA_PRINT_FONT_SMALL_EXTRA_BOLD","features":[382]},{"name":"WIA_PRINT_FONT_SMALL_ITALIC","features":[382]},{"name":"WIA_PRINT_FONT_SMALL_ITALIC_BOLD","features":[382]},{"name":"WIA_PRINT_FONT_SMALL_ITALIC_EXTRA_BOLD","features":[382]},{"name":"WIA_PRINT_HOUR_12H","features":[382]},{"name":"WIA_PRINT_HOUR_24H","features":[382]},{"name":"WIA_PRINT_IMAGE","features":[382]},{"name":"WIA_PRINT_MILLISECOND","features":[382]},{"name":"WIA_PRINT_MINUTE","features":[382]},{"name":"WIA_PRINT_MONTH","features":[382]},{"name":"WIA_PRINT_MONTH_NAME","features":[382]},{"name":"WIA_PRINT_MONTH_SHORT","features":[382]},{"name":"WIA_PRINT_PADDING_BLANK","features":[382]},{"name":"WIA_PRINT_PADDING_NONE","features":[382]},{"name":"WIA_PRINT_PADDING_ZERO","features":[382]},{"name":"WIA_PRINT_PAGE_COUNT","features":[382]},{"name":"WIA_PRINT_SECOND","features":[382]},{"name":"WIA_PRINT_TIME_12H","features":[382]},{"name":"WIA_PRINT_TIME_24H","features":[382]},{"name":"WIA_PRINT_WEEK_DAY","features":[382]},{"name":"WIA_PRINT_WEEK_DAY_SHORT","features":[382]},{"name":"WIA_PRINT_YEAR","features":[382]},{"name":"WIA_PRIVATE_DEVPROP","features":[382]},{"name":"WIA_PRIVATE_ITEMPROP","features":[382]},{"name":"WIA_PROPERTY_CONTEXT","features":[382,308]},{"name":"WIA_PROPERTY_INFO","features":[382,383]},{"name":"WIA_PROPID_TO_NAME","features":[382]},{"name":"WIA_PROPPAGE_CAMERA_ITEM_GENERAL","features":[382]},{"name":"WIA_PROPPAGE_DEVICE_GENERAL","features":[382]},{"name":"WIA_PROPPAGE_SCANNER_ITEM_GENERAL","features":[382]},{"name":"WIA_PROP_CACHEABLE","features":[382]},{"name":"WIA_PROP_FLAG","features":[382]},{"name":"WIA_PROP_LIST","features":[382]},{"name":"WIA_PROP_NONE","features":[382]},{"name":"WIA_PROP_RANGE","features":[382]},{"name":"WIA_PROP_READ","features":[382]},{"name":"WIA_PROP_SYNC_REQUIRED","features":[382]},{"name":"WIA_PROP_WRITE","features":[382]},{"name":"WIA_RANGE_MAX","features":[382]},{"name":"WIA_RANGE_MIN","features":[382]},{"name":"WIA_RANGE_NOM","features":[382]},{"name":"WIA_RANGE_NUM_ELEMS","features":[382]},{"name":"WIA_RANGE_STEP","features":[382]},{"name":"WIA_RAW_HEADER","features":[382]},{"name":"WIA_REGISTER_EVENT_CALLBACK","features":[382]},{"name":"WIA_RESERVED_FOR_NEW_PROPS","features":[382]},{"name":"WIA_SCAN_AHEAD_ALL","features":[382]},{"name":"WIA_SCAN_AHEAD_DISABLED","features":[382]},{"name":"WIA_SCAN_AHEAD_ENABLED","features":[382]},{"name":"WIA_SEGMENTATION_FILTER_STR","features":[382]},{"name":"WIA_SELECT_DEVICE_NODEFAULT","features":[382]},{"name":"WIA_SEPARATOR_DETECT_NOSCAN_CONTINUE","features":[382]},{"name":"WIA_SEPARATOR_DETECT_NOSCAN_STOP","features":[382]},{"name":"WIA_SEPARATOR_DETECT_SCAN_CONTINUE","features":[382]},{"name":"WIA_SEPARATOR_DETECT_SCAN_STOP","features":[382]},{"name":"WIA_SEPARATOR_DISABLED","features":[382]},{"name":"WIA_SET_DEFAULT_HANDLER","features":[382]},{"name":"WIA_SHOW_PREVIEW_CONTROL","features":[382]},{"name":"WIA_STATUS_CALIBRATING","features":[382]},{"name":"WIA_STATUS_CLEAR","features":[382]},{"name":"WIA_STATUS_END_OF_MEDIA","features":[382]},{"name":"WIA_STATUS_NETWORK_DEVICE_RESERVED","features":[382]},{"name":"WIA_STATUS_NOT_HANDLED","features":[382]},{"name":"WIA_STATUS_RESERVING_NETWORK_DEVICE","features":[382]},{"name":"WIA_STATUS_SKIP_ITEM","features":[382]},{"name":"WIA_STATUS_WARMING_UP","features":[382]},{"name":"WIA_S_CHANGE_DEVICE","features":[382]},{"name":"WIA_S_NO_DEVICE_AVAILABLE","features":[382]},{"name":"WIA_TRANSFER_ACQUIRE_CHILDREN","features":[382]},{"name":"WIA_TRANSFER_CHILDREN_SINGLE_SCAN","features":[382]},{"name":"WIA_TRANSFER_MSG_DEVICE_STATUS","features":[382]},{"name":"WIA_TRANSFER_MSG_END_OF_STREAM","features":[382]},{"name":"WIA_TRANSFER_MSG_END_OF_TRANSFER","features":[382]},{"name":"WIA_TRANSFER_MSG_NEW_PAGE","features":[382]},{"name":"WIA_TRANSFER_MSG_STATUS","features":[382]},{"name":"WIA_UNREGISTER_EVENT_CALLBACK","features":[382]},{"name":"WIA_USE_SEGMENTATION_FILTER","features":[382]},{"name":"WIA_WSD_FRIENDLY_NAME","features":[382]},{"name":"WIA_WSD_FRIENDLY_NAME_STR","features":[382]},{"name":"WIA_WSD_MANUFACTURER","features":[382]},{"name":"WIA_WSD_MANUFACTURER_STR","features":[382]},{"name":"WIA_WSD_MANUFACTURER_URL","features":[382]},{"name":"WIA_WSD_MANUFACTURER_URL_STR","features":[382]},{"name":"WIA_WSD_MODEL_NAME","features":[382]},{"name":"WIA_WSD_MODEL_NAME_STR","features":[382]},{"name":"WIA_WSD_MODEL_NUMBER","features":[382]},{"name":"WIA_WSD_MODEL_NUMBER_STR","features":[382]},{"name":"WIA_WSD_MODEL_URL","features":[382]},{"name":"WIA_WSD_MODEL_URL_STR","features":[382]},{"name":"WIA_WSD_PRESENTATION_URL","features":[382]},{"name":"WIA_WSD_PRESENTATION_URL_STR","features":[382]},{"name":"WIA_WSD_SCAN_AVAILABLE_ITEM","features":[382]},{"name":"WIA_WSD_SCAN_AVAILABLE_ITEM_STR","features":[382]},{"name":"WIA_WSD_SERIAL_NUMBER","features":[382]},{"name":"WIA_WSD_SERIAL_NUMBER_STR","features":[382]},{"name":"WiaAudFmt_AIFF","features":[382]},{"name":"WiaAudFmt_MP3","features":[382]},{"name":"WiaAudFmt_WAV","features":[382]},{"name":"WiaAudFmt_WMA","features":[382]},{"name":"WiaDevMgr","features":[382]},{"name":"WiaDevMgr2","features":[382]},{"name":"WiaImgFmt_ASF","features":[382]},{"name":"WiaImgFmt_AVI","features":[382]},{"name":"WiaImgFmt_BMP","features":[382]},{"name":"WiaImgFmt_CIFF","features":[382]},{"name":"WiaImgFmt_CSV","features":[382]},{"name":"WiaImgFmt_DPOF","features":[382]},{"name":"WiaImgFmt_EMF","features":[382]},{"name":"WiaImgFmt_EXEC","features":[382]},{"name":"WiaImgFmt_EXIF","features":[382]},{"name":"WiaImgFmt_FLASHPIX","features":[382]},{"name":"WiaImgFmt_GIF","features":[382]},{"name":"WiaImgFmt_HTML","features":[382]},{"name":"WiaImgFmt_ICO","features":[382]},{"name":"WiaImgFmt_JBIG","features":[382]},{"name":"WiaImgFmt_JBIG2","features":[382]},{"name":"WiaImgFmt_JPEG","features":[382]},{"name":"WiaImgFmt_JPEG2K","features":[382]},{"name":"WiaImgFmt_JPEG2KX","features":[382]},{"name":"WiaImgFmt_MEMORYBMP","features":[382]},{"name":"WiaImgFmt_MPG","features":[382]},{"name":"WiaImgFmt_OXPS","features":[382]},{"name":"WiaImgFmt_PDFA","features":[382]},{"name":"WiaImgFmt_PHOTOCD","features":[382]},{"name":"WiaImgFmt_PICT","features":[382]},{"name":"WiaImgFmt_PNG","features":[382]},{"name":"WiaImgFmt_RAW","features":[382]},{"name":"WiaImgFmt_RAWBAR","features":[382]},{"name":"WiaImgFmt_RAWMIC","features":[382]},{"name":"WiaImgFmt_RAWPAT","features":[382]},{"name":"WiaImgFmt_RAWRGB","features":[382]},{"name":"WiaImgFmt_RTF","features":[382]},{"name":"WiaImgFmt_SCRIPT","features":[382]},{"name":"WiaImgFmt_TIFF","features":[382]},{"name":"WiaImgFmt_TXT","features":[382]},{"name":"WiaImgFmt_UNDEFINED","features":[382]},{"name":"WiaImgFmt_UNICODE16","features":[382]},{"name":"WiaImgFmt_WMF","features":[382]},{"name":"WiaImgFmt_XML","features":[382]},{"name":"WiaImgFmt_XMLBAR","features":[382]},{"name":"WiaImgFmt_XMLMIC","features":[382]},{"name":"WiaImgFmt_XMLPAT","features":[382]},{"name":"WiaImgFmt_XPS","features":[382]},{"name":"WiaItemTypeAnalyze","features":[382]},{"name":"WiaItemTypeAudio","features":[382]},{"name":"WiaItemTypeBurst","features":[382]},{"name":"WiaItemTypeDeleted","features":[382]},{"name":"WiaItemTypeDevice","features":[382]},{"name":"WiaItemTypeDisconnected","features":[382]},{"name":"WiaItemTypeDocument","features":[382]},{"name":"WiaItemTypeFile","features":[382]},{"name":"WiaItemTypeFolder","features":[382]},{"name":"WiaItemTypeFree","features":[382]},{"name":"WiaItemTypeGenerated","features":[382]},{"name":"WiaItemTypeHPanorama","features":[382]},{"name":"WiaItemTypeHasAttachments","features":[382]},{"name":"WiaItemTypeImage","features":[382]},{"name":"WiaItemTypeMask","features":[382]},{"name":"WiaItemTypeProgrammableDataSource","features":[382]},{"name":"WiaItemTypeRemoved","features":[382]},{"name":"WiaItemTypeRoot","features":[382]},{"name":"WiaItemTypeStorage","features":[382]},{"name":"WiaItemTypeTransfer","features":[382]},{"name":"WiaItemTypeTwainCapabilityPassThrough","features":[382]},{"name":"WiaItemTypeVPanorama","features":[382]},{"name":"WiaItemTypeVideo","features":[382]},{"name":"WiaLog","features":[382]},{"name":"WiaTransferParams","features":[382]},{"name":"WiaVideo","features":[382]},{"name":"g_dwDebugFlags","features":[382]}],"381":[{"name":"CLSID_WPD_NAMESPACE_EXTENSION","features":[384]},{"name":"DELETE_OBJECT_OPTIONS","features":[384]},{"name":"DEVICE_RADIO_STATE","features":[384]},{"name":"DEVPKEY_MTPBTH_IsConnected","features":[384,341]},{"name":"DEVSVCTYPE_ABSTRACT","features":[384]},{"name":"DEVSVCTYPE_DEFAULT","features":[384]},{"name":"DEVSVC_SERVICEINFO_VERSION","features":[384]},{"name":"DMProcessConfigXMLFiltered","features":[384]},{"name":"DRS_HW_RADIO_OFF","features":[384]},{"name":"DRS_HW_RADIO_OFF_UNCONTROLLABLE","features":[384]},{"name":"DRS_HW_RADIO_ON_UNCONTROLLABLE","features":[384]},{"name":"DRS_RADIO_INVALID","features":[384]},{"name":"DRS_RADIO_MAX","features":[384]},{"name":"DRS_RADIO_ON","features":[384]},{"name":"DRS_SW_HW_RADIO_OFF","features":[384]},{"name":"DRS_SW_RADIO_OFF","features":[384]},{"name":"ENUM_AnchorResults_AnchorStateInvalid","features":[384]},{"name":"ENUM_AnchorResults_AnchorStateNormal","features":[384]},{"name":"ENUM_AnchorResults_AnchorStateOld","features":[384]},{"name":"ENUM_AnchorResults_ItemStateChanged","features":[384]},{"name":"ENUM_AnchorResults_ItemStateCreated","features":[384]},{"name":"ENUM_AnchorResults_ItemStateDeleted","features":[384]},{"name":"ENUM_AnchorResults_ItemStateInvalid","features":[384]},{"name":"ENUM_AnchorResults_ItemStateUpdated","features":[384]},{"name":"ENUM_CalendarObj_BusyStatusBusy","features":[384]},{"name":"ENUM_CalendarObj_BusyStatusFree","features":[384]},{"name":"ENUM_CalendarObj_BusyStatusOutOfOffice","features":[384]},{"name":"ENUM_CalendarObj_BusyStatusTentative","features":[384]},{"name":"ENUM_DeviceMetadataObj_DefaultCABFalse","features":[384]},{"name":"ENUM_DeviceMetadataObj_DefaultCABTrue","features":[384]},{"name":"ENUM_MessageObj_PatternInstanceFirst","features":[384]},{"name":"ENUM_MessageObj_PatternInstanceFourth","features":[384]},{"name":"ENUM_MessageObj_PatternInstanceLast","features":[384]},{"name":"ENUM_MessageObj_PatternInstanceNone","features":[384]},{"name":"ENUM_MessageObj_PatternInstanceSecond","features":[384]},{"name":"ENUM_MessageObj_PatternInstanceThird","features":[384]},{"name":"ENUM_MessageObj_PatternTypeDaily","features":[384]},{"name":"ENUM_MessageObj_PatternTypeMonthly","features":[384]},{"name":"ENUM_MessageObj_PatternTypeWeekly","features":[384]},{"name":"ENUM_MessageObj_PatternTypeYearly","features":[384]},{"name":"ENUM_MessageObj_PriorityHighest","features":[384]},{"name":"ENUM_MessageObj_PriorityLowest","features":[384]},{"name":"ENUM_MessageObj_PriorityNormal","features":[384]},{"name":"ENUM_MessageObj_ReadFalse","features":[384]},{"name":"ENUM_MessageObj_ReadTrue","features":[384]},{"name":"ENUM_StatusSvc_ChargingActive","features":[384]},{"name":"ENUM_StatusSvc_ChargingInactive","features":[384]},{"name":"ENUM_StatusSvc_ChargingUnknown","features":[384]},{"name":"ENUM_StatusSvc_RoamingActive","features":[384]},{"name":"ENUM_StatusSvc_RoamingInactive","features":[384]},{"name":"ENUM_StatusSvc_RoamingUnknown","features":[384]},{"name":"ENUM_SyncSvc_SyncObjectReferencesDisabled","features":[384]},{"name":"ENUM_SyncSvc_SyncObjectReferencesEnabled","features":[384]},{"name":"ENUM_TaskObj_CompleteFalse","features":[384]},{"name":"ENUM_TaskObj_CompleteTrue","features":[384]},{"name":"E_WPD_DEVICE_ALREADY_OPENED","features":[384]},{"name":"E_WPD_DEVICE_IS_HUNG","features":[384]},{"name":"E_WPD_DEVICE_NOT_OPEN","features":[384]},{"name":"E_WPD_OBJECT_ALREADY_ATTACHED_TO_DEVICE","features":[384]},{"name":"E_WPD_OBJECT_ALREADY_ATTACHED_TO_SERVICE","features":[384]},{"name":"E_WPD_OBJECT_NOT_ATTACHED_TO_DEVICE","features":[384]},{"name":"E_WPD_OBJECT_NOT_ATTACHED_TO_SERVICE","features":[384]},{"name":"E_WPD_OBJECT_NOT_COMMITED","features":[384]},{"name":"E_WPD_SERVICE_ALREADY_OPENED","features":[384]},{"name":"E_WPD_SERVICE_BAD_PARAMETER_ORDER","features":[384]},{"name":"E_WPD_SERVICE_NOT_OPEN","features":[384]},{"name":"E_WPD_SMS_INVALID_MESSAGE_BODY","features":[384]},{"name":"E_WPD_SMS_INVALID_RECIPIENT","features":[384]},{"name":"E_WPD_SMS_SERVICE_UNAVAILABLE","features":[384]},{"name":"EnumBthMtpConnectors","features":[384]},{"name":"FACILITY_WPD","features":[384]},{"name":"FLAG_MessageObj_DayOfWeekFriday","features":[384]},{"name":"FLAG_MessageObj_DayOfWeekMonday","features":[384]},{"name":"FLAG_MessageObj_DayOfWeekNone","features":[384]},{"name":"FLAG_MessageObj_DayOfWeekSaturday","features":[384]},{"name":"FLAG_MessageObj_DayOfWeekSunday","features":[384]},{"name":"FLAG_MessageObj_DayOfWeekThursday","features":[384]},{"name":"FLAG_MessageObj_DayOfWeekTuesday","features":[384]},{"name":"FLAG_MessageObj_DayOfWeekWednesday","features":[384]},{"name":"GUID_DEVINTERFACE_WPD","features":[384]},{"name":"GUID_DEVINTERFACE_WPD_PRIVATE","features":[384]},{"name":"GUID_DEVINTERFACE_WPD_SERVICE","features":[384]},{"name":"IConnectionRequestCallback","features":[384]},{"name":"IEnumPortableDeviceConnectors","features":[384]},{"name":"IEnumPortableDeviceObjectIDs","features":[384]},{"name":"IMediaRadioManager","features":[384]},{"name":"IMediaRadioManagerNotifySink","features":[384]},{"name":"IOCTL_WPD_MESSAGE_READWRITE_ACCESS","features":[384]},{"name":"IOCTL_WPD_MESSAGE_READ_ACCESS","features":[384]},{"name":"IPortableDevice","features":[384]},{"name":"IPortableDeviceCapabilities","features":[384]},{"name":"IPortableDeviceConnector","features":[384]},{"name":"IPortableDeviceContent","features":[384]},{"name":"IPortableDeviceContent2","features":[384]},{"name":"IPortableDeviceDataStream","features":[384,359]},{"name":"IPortableDeviceDispatchFactory","features":[384]},{"name":"IPortableDeviceEventCallback","features":[384]},{"name":"IPortableDeviceKeyCollection","features":[384]},{"name":"IPortableDeviceManager","features":[384]},{"name":"IPortableDevicePropVariantCollection","features":[384]},{"name":"IPortableDeviceProperties","features":[384]},{"name":"IPortableDevicePropertiesBulk","features":[384]},{"name":"IPortableDevicePropertiesBulkCallback","features":[384]},{"name":"IPortableDeviceResources","features":[384]},{"name":"IPortableDeviceService","features":[384]},{"name":"IPortableDeviceServiceActivation","features":[384]},{"name":"IPortableDeviceServiceCapabilities","features":[384]},{"name":"IPortableDeviceServiceManager","features":[384]},{"name":"IPortableDeviceServiceMethodCallback","features":[384]},{"name":"IPortableDeviceServiceMethods","features":[384]},{"name":"IPortableDeviceServiceOpenCallback","features":[384]},{"name":"IPortableDeviceUnitsStream","features":[384]},{"name":"IPortableDeviceValues","features":[384]},{"name":"IPortableDeviceValuesCollection","features":[384]},{"name":"IPortableDeviceWebControl","features":[384,359]},{"name":"IRadioInstance","features":[384]},{"name":"IRadioInstanceCollection","features":[384]},{"name":"IWpdSerializer","features":[384]},{"name":"NAME_3GPP2File","features":[384]},{"name":"NAME_3GPPFile","features":[384]},{"name":"NAME_AACFile","features":[384]},{"name":"NAME_AIFFFile","features":[384]},{"name":"NAME_AMRFile","features":[384]},{"name":"NAME_ASFFile","features":[384]},{"name":"NAME_ASXPlaylist","features":[384]},{"name":"NAME_ATSCTSFile","features":[384]},{"name":"NAME_AVCHDFile","features":[384]},{"name":"NAME_AVIFile","features":[384]},{"name":"NAME_AbstractActivity","features":[384]},{"name":"NAME_AbstractActivityOccurrence","features":[384]},{"name":"NAME_AbstractAudioAlbum","features":[384]},{"name":"NAME_AbstractAudioPlaylist","features":[384]},{"name":"NAME_AbstractAudioVideoAlbum","features":[384]},{"name":"NAME_AbstractChapteredProduction","features":[384]},{"name":"NAME_AbstractContact","features":[384]},{"name":"NAME_AbstractContactGroup","features":[384]},{"name":"NAME_AbstractDocument","features":[384]},{"name":"NAME_AbstractImageAlbum","features":[384]},{"name":"NAME_AbstractMediacast","features":[384]},{"name":"NAME_AbstractMessage","features":[384]},{"name":"NAME_AbstractMessageFolder","features":[384]},{"name":"NAME_AbstractMultimediaAlbum","features":[384]},{"name":"NAME_AbstractNote","features":[384]},{"name":"NAME_AbstractTask","features":[384]},{"name":"NAME_AbstractVideoAlbum","features":[384]},{"name":"NAME_AbstractVideoPlaylist","features":[384]},{"name":"NAME_AnchorResults","features":[384]},{"name":"NAME_AnchorResults_Anchor","features":[384]},{"name":"NAME_AnchorResults_AnchorState","features":[384]},{"name":"NAME_AnchorResults_ResultObjectID","features":[384]},{"name":"NAME_AnchorSyncKnowledge","features":[384]},{"name":"NAME_AnchorSyncSvc","features":[384]},{"name":"NAME_AnchorSyncSvc_BeginSync","features":[384]},{"name":"NAME_AnchorSyncSvc_CurrentAnchor","features":[384]},{"name":"NAME_AnchorSyncSvc_EndSync","features":[384]},{"name":"NAME_AnchorSyncSvc_FilterType","features":[384]},{"name":"NAME_AnchorSyncSvc_GetChangesSinceAnchor","features":[384]},{"name":"NAME_AnchorSyncSvc_KnowledgeObjectID","features":[384]},{"name":"NAME_AnchorSyncSvc_LastSyncProxyID","features":[384]},{"name":"NAME_AnchorSyncSvc_LocalOnlyDelete","features":[384]},{"name":"NAME_AnchorSyncSvc_ProviderVersion","features":[384]},{"name":"NAME_AnchorSyncSvc_ReplicaID","features":[384]},{"name":"NAME_AnchorSyncSvc_SyncFormat","features":[384]},{"name":"NAME_AnchorSyncSvc_VersionProps","features":[384]},{"name":"NAME_Association","features":[384]},{"name":"NAME_AudibleFile","features":[384]},{"name":"NAME_AudioObj_AudioBitDepth","features":[384]},{"name":"NAME_AudioObj_AudioBitRate","features":[384]},{"name":"NAME_AudioObj_AudioBlockAlignment","features":[384]},{"name":"NAME_AudioObj_AudioFormatCode","features":[384]},{"name":"NAME_AudioObj_Channels","features":[384]},{"name":"NAME_AudioObj_Lyrics","features":[384]},{"name":"NAME_BMPImage","features":[384]},{"name":"NAME_CIFFImage","features":[384]},{"name":"NAME_CalendarObj_Accepted","features":[384]},{"name":"NAME_CalendarObj_BeginDateTime","features":[384]},{"name":"NAME_CalendarObj_BusyStatus","features":[384]},{"name":"NAME_CalendarObj_Declined","features":[384]},{"name":"NAME_CalendarObj_EndDateTime","features":[384]},{"name":"NAME_CalendarObj_Location","features":[384]},{"name":"NAME_CalendarObj_PatternDuration","features":[384]},{"name":"NAME_CalendarObj_PatternStartTime","features":[384]},{"name":"NAME_CalendarObj_ReminderOffset","features":[384]},{"name":"NAME_CalendarObj_Tentative","features":[384]},{"name":"NAME_CalendarObj_TimeZone","features":[384]},{"name":"NAME_CalendarSvc","features":[384]},{"name":"NAME_CalendarSvc_SyncWindowEnd","features":[384]},{"name":"NAME_CalendarSvc_SyncWindowStart","features":[384]},{"name":"NAME_ContactObj_AnniversaryDate","features":[384]},{"name":"NAME_ContactObj_Assistant","features":[384]},{"name":"NAME_ContactObj_Birthdate","features":[384]},{"name":"NAME_ContactObj_BusinessAddressCity","features":[384]},{"name":"NAME_ContactObj_BusinessAddressCountry","features":[384]},{"name":"NAME_ContactObj_BusinessAddressFull","features":[384]},{"name":"NAME_ContactObj_BusinessAddressLine2","features":[384]},{"name":"NAME_ContactObj_BusinessAddressPostalCode","features":[384]},{"name":"NAME_ContactObj_BusinessAddressRegion","features":[384]},{"name":"NAME_ContactObj_BusinessAddressStreet","features":[384]},{"name":"NAME_ContactObj_BusinessEmail","features":[384]},{"name":"NAME_ContactObj_BusinessEmail2","features":[384]},{"name":"NAME_ContactObj_BusinessFax","features":[384]},{"name":"NAME_ContactObj_BusinessPhone","features":[384]},{"name":"NAME_ContactObj_BusinessPhone2","features":[384]},{"name":"NAME_ContactObj_BusinessWebAddress","features":[384]},{"name":"NAME_ContactObj_Children","features":[384]},{"name":"NAME_ContactObj_Email","features":[384]},{"name":"NAME_ContactObj_FamilyName","features":[384]},{"name":"NAME_ContactObj_Fax","features":[384]},{"name":"NAME_ContactObj_GivenName","features":[384]},{"name":"NAME_ContactObj_IMAddress","features":[384]},{"name":"NAME_ContactObj_IMAddress2","features":[384]},{"name":"NAME_ContactObj_IMAddress3","features":[384]},{"name":"NAME_ContactObj_MiddleNames","features":[384]},{"name":"NAME_ContactObj_MobilePhone","features":[384]},{"name":"NAME_ContactObj_MobilePhone2","features":[384]},{"name":"NAME_ContactObj_Organization","features":[384]},{"name":"NAME_ContactObj_OtherAddressCity","features":[384]},{"name":"NAME_ContactObj_OtherAddressCountry","features":[384]},{"name":"NAME_ContactObj_OtherAddressFull","features":[384]},{"name":"NAME_ContactObj_OtherAddressLine2","features":[384]},{"name":"NAME_ContactObj_OtherAddressPostalCode","features":[384]},{"name":"NAME_ContactObj_OtherAddressRegion","features":[384]},{"name":"NAME_ContactObj_OtherAddressStreet","features":[384]},{"name":"NAME_ContactObj_OtherEmail","features":[384]},{"name":"NAME_ContactObj_OtherPhone","features":[384]},{"name":"NAME_ContactObj_Pager","features":[384]},{"name":"NAME_ContactObj_PersonalAddressCity","features":[384]},{"name":"NAME_ContactObj_PersonalAddressCountry","features":[384]},{"name":"NAME_ContactObj_PersonalAddressFull","features":[384]},{"name":"NAME_ContactObj_PersonalAddressLine2","features":[384]},{"name":"NAME_ContactObj_PersonalAddressPostalCode","features":[384]},{"name":"NAME_ContactObj_PersonalAddressRegion","features":[384]},{"name":"NAME_ContactObj_PersonalAddressStreet","features":[384]},{"name":"NAME_ContactObj_PersonalEmail","features":[384]},{"name":"NAME_ContactObj_PersonalEmail2","features":[384]},{"name":"NAME_ContactObj_PersonalFax","features":[384]},{"name":"NAME_ContactObj_PersonalPhone","features":[384]},{"name":"NAME_ContactObj_PersonalPhone2","features":[384]},{"name":"NAME_ContactObj_PersonalWebAddress","features":[384]},{"name":"NAME_ContactObj_Phone","features":[384]},{"name":"NAME_ContactObj_PhoneticFamilyName","features":[384]},{"name":"NAME_ContactObj_PhoneticGivenName","features":[384]},{"name":"NAME_ContactObj_PhoneticOrganization","features":[384]},{"name":"NAME_ContactObj_Ringtone","features":[384]},{"name":"NAME_ContactObj_Role","features":[384]},{"name":"NAME_ContactObj_Spouse","features":[384]},{"name":"NAME_ContactObj_Suffix","features":[384]},{"name":"NAME_ContactObj_Title","features":[384]},{"name":"NAME_ContactObj_WebAddress","features":[384]},{"name":"NAME_ContactSvc_SyncWithPhoneOnly","features":[384]},{"name":"NAME_ContactsSvc","features":[384]},{"name":"NAME_DPOFDocument","features":[384]},{"name":"NAME_DVBTSFile","features":[384]},{"name":"NAME_DeviceExecutable","features":[384]},{"name":"NAME_DeviceMetadataCAB","features":[384]},{"name":"NAME_DeviceMetadataObj_ContentID","features":[384]},{"name":"NAME_DeviceMetadataObj_DefaultCAB","features":[384]},{"name":"NAME_DeviceMetadataSvc","features":[384]},{"name":"NAME_DeviceScript","features":[384]},{"name":"NAME_EXIFImage","features":[384]},{"name":"NAME_ExcelDocument","features":[384]},{"name":"NAME_FLACFile","features":[384]},{"name":"NAME_FirmwareFile","features":[384]},{"name":"NAME_FlashPixImage","features":[384]},{"name":"NAME_FullEnumSyncKnowledge","features":[384]},{"name":"NAME_FullEnumSyncSvc","features":[384]},{"name":"NAME_FullEnumSyncSvc_BeginSync","features":[384]},{"name":"NAME_FullEnumSyncSvc_EndSync","features":[384]},{"name":"NAME_FullEnumSyncSvc_FilterType","features":[384]},{"name":"NAME_FullEnumSyncSvc_KnowledgeObjectID","features":[384]},{"name":"NAME_FullEnumSyncSvc_LastSyncProxyID","features":[384]},{"name":"NAME_FullEnumSyncSvc_LocalOnlyDelete","features":[384]},{"name":"NAME_FullEnumSyncSvc_ProviderVersion","features":[384]},{"name":"NAME_FullEnumSyncSvc_ReplicaID","features":[384]},{"name":"NAME_FullEnumSyncSvc_SyncFormat","features":[384]},{"name":"NAME_FullEnumSyncSvc_VersionProps","features":[384]},{"name":"NAME_GIFImage","features":[384]},{"name":"NAME_GenericObj_AllowedFolderContents","features":[384]},{"name":"NAME_GenericObj_AssociationDesc","features":[384]},{"name":"NAME_GenericObj_AssociationType","features":[384]},{"name":"NAME_GenericObj_Copyright","features":[384]},{"name":"NAME_GenericObj_Corrupt","features":[384]},{"name":"NAME_GenericObj_DRMStatus","features":[384]},{"name":"NAME_GenericObj_DateAccessed","features":[384]},{"name":"NAME_GenericObj_DateAdded","features":[384]},{"name":"NAME_GenericObj_DateAuthored","features":[384]},{"name":"NAME_GenericObj_DateCreated","features":[384]},{"name":"NAME_GenericObj_DateModified","features":[384]},{"name":"NAME_GenericObj_DateRevised","features":[384]},{"name":"NAME_GenericObj_Description","features":[384]},{"name":"NAME_GenericObj_Hidden","features":[384]},{"name":"NAME_GenericObj_Keywords","features":[384]},{"name":"NAME_GenericObj_LanguageLocale","features":[384]},{"name":"NAME_GenericObj_Name","features":[384]},{"name":"NAME_GenericObj_NonConsumable","features":[384]},{"name":"NAME_GenericObj_ObjectFileName","features":[384]},{"name":"NAME_GenericObj_ObjectFormat","features":[384]},{"name":"NAME_GenericObj_ObjectID","features":[384]},{"name":"NAME_GenericObj_ObjectSize","features":[384]},{"name":"NAME_GenericObj_ParentID","features":[384]},{"name":"NAME_GenericObj_PersistentUID","features":[384]},{"name":"NAME_GenericObj_PropertyBag","features":[384]},{"name":"NAME_GenericObj_ProtectionStatus","features":[384]},{"name":"NAME_GenericObj_ReferenceParentID","features":[384]},{"name":"NAME_GenericObj_StorageID","features":[384]},{"name":"NAME_GenericObj_SubDescription","features":[384]},{"name":"NAME_GenericObj_SyncID","features":[384]},{"name":"NAME_GenericObj_SystemObject","features":[384]},{"name":"NAME_GenericObj_TimeToLive","features":[384]},{"name":"NAME_HDPhotoImage","features":[384]},{"name":"NAME_HTMLDocument","features":[384]},{"name":"NAME_HintsSvc","features":[384]},{"name":"NAME_ICalendarActivity","features":[384]},{"name":"NAME_ImageObj_Aperature","features":[384]},{"name":"NAME_ImageObj_Exposure","features":[384]},{"name":"NAME_ImageObj_ISOSpeed","features":[384]},{"name":"NAME_ImageObj_ImageBitDepth","features":[384]},{"name":"NAME_ImageObj_IsColorCorrected","features":[384]},{"name":"NAME_ImageObj_IsCropped","features":[384]},{"name":"NAME_JFIFImage","features":[384]},{"name":"NAME_JP2Image","features":[384]},{"name":"NAME_JPEGXRImage","features":[384]},{"name":"NAME_JPXImage","features":[384]},{"name":"NAME_M3UPlaylist","features":[384]},{"name":"NAME_MHTDocument","features":[384]},{"name":"NAME_MP3File","features":[384]},{"name":"NAME_MPEG2File","features":[384]},{"name":"NAME_MPEG4File","features":[384]},{"name":"NAME_MPEGFile","features":[384]},{"name":"NAME_MPLPlaylist","features":[384]},{"name":"NAME_MediaObj_AlbumArtist","features":[384]},{"name":"NAME_MediaObj_AlbumName","features":[384]},{"name":"NAME_MediaObj_Artist","features":[384]},{"name":"NAME_MediaObj_AudioEncodingProfile","features":[384]},{"name":"NAME_MediaObj_BitRateType","features":[384]},{"name":"NAME_MediaObj_BookmarkByte","features":[384]},{"name":"NAME_MediaObj_BookmarkObject","features":[384]},{"name":"NAME_MediaObj_BookmarkTime","features":[384]},{"name":"NAME_MediaObj_BufferSize","features":[384]},{"name":"NAME_MediaObj_Composer","features":[384]},{"name":"NAME_MediaObj_Credits","features":[384]},{"name":"NAME_MediaObj_DateOriginalRelease","features":[384]},{"name":"NAME_MediaObj_Duration","features":[384]},{"name":"NAME_MediaObj_Editor","features":[384]},{"name":"NAME_MediaObj_EffectiveRating","features":[384]},{"name":"NAME_MediaObj_EncodingProfile","features":[384]},{"name":"NAME_MediaObj_EncodingQuality","features":[384]},{"name":"NAME_MediaObj_Genre","features":[384]},{"name":"NAME_MediaObj_GeographicOrigin","features":[384]},{"name":"NAME_MediaObj_Height","features":[384]},{"name":"NAME_MediaObj_MediaType","features":[384]},{"name":"NAME_MediaObj_MediaUID","features":[384]},{"name":"NAME_MediaObj_Mood","features":[384]},{"name":"NAME_MediaObj_Owner","features":[384]},{"name":"NAME_MediaObj_ParentalRating","features":[384]},{"name":"NAME_MediaObj_Producer","features":[384]},{"name":"NAME_MediaObj_SampleRate","features":[384]},{"name":"NAME_MediaObj_SkipCount","features":[384]},{"name":"NAME_MediaObj_SubscriptionContentID","features":[384]},{"name":"NAME_MediaObj_Subtitle","features":[384]},{"name":"NAME_MediaObj_TotalBitRate","features":[384]},{"name":"NAME_MediaObj_Track","features":[384]},{"name":"NAME_MediaObj_URLLink","features":[384]},{"name":"NAME_MediaObj_URLSource","features":[384]},{"name":"NAME_MediaObj_UseCount","features":[384]},{"name":"NAME_MediaObj_UserRating","features":[384]},{"name":"NAME_MediaObj_WebMaster","features":[384]},{"name":"NAME_MediaObj_Width","features":[384]},{"name":"NAME_MessageObj_BCC","features":[384]},{"name":"NAME_MessageObj_Body","features":[384]},{"name":"NAME_MessageObj_CC","features":[384]},{"name":"NAME_MessageObj_Category","features":[384]},{"name":"NAME_MessageObj_PatternDayOfMonth","features":[384]},{"name":"NAME_MessageObj_PatternDayOfWeek","features":[384]},{"name":"NAME_MessageObj_PatternDeleteDates","features":[384]},{"name":"NAME_MessageObj_PatternInstance","features":[384]},{"name":"NAME_MessageObj_PatternMonthOfYear","features":[384]},{"name":"NAME_MessageObj_PatternOriginalDateTime","features":[384]},{"name":"NAME_MessageObj_PatternPeriod","features":[384]},{"name":"NAME_MessageObj_PatternType","features":[384]},{"name":"NAME_MessageObj_PatternValidEndDate","features":[384]},{"name":"NAME_MessageObj_PatternValidStartDate","features":[384]},{"name":"NAME_MessageObj_Priority","features":[384]},{"name":"NAME_MessageObj_Read","features":[384]},{"name":"NAME_MessageObj_ReceivedTime","features":[384]},{"name":"NAME_MessageObj_Sender","features":[384]},{"name":"NAME_MessageObj_Subject","features":[384]},{"name":"NAME_MessageObj_To","features":[384]},{"name":"NAME_MessageSvc","features":[384]},{"name":"NAME_NotesSvc","features":[384]},{"name":"NAME_OGGFile","features":[384]},{"name":"NAME_PCDImage","features":[384]},{"name":"NAME_PICTImage","features":[384]},{"name":"NAME_PNGImage","features":[384]},{"name":"NAME_PSLPlaylist","features":[384]},{"name":"NAME_PowerPointDocument","features":[384]},{"name":"NAME_QCELPFile","features":[384]},{"name":"NAME_RingtonesSvc","features":[384]},{"name":"NAME_RingtonesSvc_DefaultRingtone","features":[384]},{"name":"NAME_Services_ServiceDisplayName","features":[384]},{"name":"NAME_Services_ServiceIcon","features":[384]},{"name":"NAME_Services_ServiceLocale","features":[384]},{"name":"NAME_StatusSvc","features":[384]},{"name":"NAME_StatusSvc_BatteryLife","features":[384]},{"name":"NAME_StatusSvc_ChargingState","features":[384]},{"name":"NAME_StatusSvc_MissedCalls","features":[384]},{"name":"NAME_StatusSvc_NetworkName","features":[384]},{"name":"NAME_StatusSvc_NetworkType","features":[384]},{"name":"NAME_StatusSvc_NewPictures","features":[384]},{"name":"NAME_StatusSvc_Roaming","features":[384]},{"name":"NAME_StatusSvc_SignalStrength","features":[384]},{"name":"NAME_StatusSvc_StorageCapacity","features":[384]},{"name":"NAME_StatusSvc_StorageFreeSpace","features":[384]},{"name":"NAME_StatusSvc_TextMessages","features":[384]},{"name":"NAME_StatusSvc_VoiceMail","features":[384]},{"name":"NAME_SyncObj_LastAuthorProxyID","features":[384]},{"name":"NAME_SyncSvc_BeginSync","features":[384]},{"name":"NAME_SyncSvc_EndSync","features":[384]},{"name":"NAME_SyncSvc_FilterType","features":[384]},{"name":"NAME_SyncSvc_LocalOnlyDelete","features":[384]},{"name":"NAME_SyncSvc_SyncFormat","features":[384]},{"name":"NAME_SyncSvc_SyncObjectReferences","features":[384]},{"name":"NAME_TIFFEPImage","features":[384]},{"name":"NAME_TIFFITImage","features":[384]},{"name":"NAME_TIFFImage","features":[384]},{"name":"NAME_TaskObj_BeginDate","features":[384]},{"name":"NAME_TaskObj_Complete","features":[384]},{"name":"NAME_TaskObj_EndDate","features":[384]},{"name":"NAME_TaskObj_ReminderDateTime","features":[384]},{"name":"NAME_TasksSvc","features":[384]},{"name":"NAME_TasksSvc_SyncActiveOnly","features":[384]},{"name":"NAME_TextDocument","features":[384]},{"name":"NAME_Undefined","features":[384]},{"name":"NAME_UndefinedAudio","features":[384]},{"name":"NAME_UndefinedCollection","features":[384]},{"name":"NAME_UndefinedDocument","features":[384]},{"name":"NAME_UndefinedVideo","features":[384]},{"name":"NAME_UnknownImage","features":[384]},{"name":"NAME_VCalendar1Activity","features":[384]},{"name":"NAME_VCard2Contact","features":[384]},{"name":"NAME_VCard3Contact","features":[384]},{"name":"NAME_VideoObj_KeyFrameDistance","features":[384]},{"name":"NAME_VideoObj_ScanType","features":[384]},{"name":"NAME_VideoObj_Source","features":[384]},{"name":"NAME_VideoObj_VideoBitRate","features":[384]},{"name":"NAME_VideoObj_VideoFormatCode","features":[384]},{"name":"NAME_VideoObj_VideoFrameRate","features":[384]},{"name":"NAME_WAVFile","features":[384]},{"name":"NAME_WBMPImage","features":[384]},{"name":"NAME_WMAFile","features":[384]},{"name":"NAME_WMVFile","features":[384]},{"name":"NAME_WPLPlaylist","features":[384]},{"name":"NAME_WordDocument","features":[384]},{"name":"NAME_XMLDocument","features":[384]},{"name":"PORTABLE_DEVICE_DELETE_NO_RECURSION","features":[384]},{"name":"PORTABLE_DEVICE_DELETE_WITH_RECURSION","features":[384]},{"name":"PORTABLE_DEVICE_DRM_SCHEME_PDDRM","features":[384]},{"name":"PORTABLE_DEVICE_DRM_SCHEME_WMDRM10_PD","features":[384]},{"name":"PORTABLE_DEVICE_ICON","features":[384]},{"name":"PORTABLE_DEVICE_IS_MASS_STORAGE","features":[384]},{"name":"PORTABLE_DEVICE_NAMESPACE_EXCLUDE_FROM_SHELL","features":[384]},{"name":"PORTABLE_DEVICE_NAMESPACE_THUMBNAIL_CONTENT_TYPES","features":[384]},{"name":"PORTABLE_DEVICE_NAMESPACE_TIMEOUT","features":[384]},{"name":"PORTABLE_DEVICE_TYPE","features":[384]},{"name":"PortableDevice","features":[384]},{"name":"PortableDeviceDispatchFactory","features":[384]},{"name":"PortableDeviceFTM","features":[384]},{"name":"PortableDeviceKeyCollection","features":[384]},{"name":"PortableDeviceManager","features":[384]},{"name":"PortableDevicePropVariantCollection","features":[384]},{"name":"PortableDeviceService","features":[384]},{"name":"PortableDeviceServiceFTM","features":[384]},{"name":"PortableDeviceValues","features":[384]},{"name":"PortableDeviceValuesCollection","features":[384]},{"name":"PortableDeviceWebControl","features":[384]},{"name":"RANGEMAX_MessageObj_PatternDayOfMonth","features":[384]},{"name":"RANGEMAX_MessageObj_PatternMonthOfYear","features":[384]},{"name":"RANGEMAX_StatusSvc_BatteryLife","features":[384]},{"name":"RANGEMAX_StatusSvc_MissedCalls","features":[384]},{"name":"RANGEMAX_StatusSvc_NewPictures","features":[384]},{"name":"RANGEMAX_StatusSvc_SignalStrength","features":[384]},{"name":"RANGEMAX_StatusSvc_TextMessages","features":[384]},{"name":"RANGEMAX_StatusSvc_VoiceMail","features":[384]},{"name":"RANGEMIN_MessageObj_PatternDayOfMonth","features":[384]},{"name":"RANGEMIN_MessageObj_PatternMonthOfYear","features":[384]},{"name":"RANGEMIN_StatusSvc_BatteryLife","features":[384]},{"name":"RANGEMIN_StatusSvc_SignalStrength","features":[384]},{"name":"RANGESTEP_MessageObj_PatternDayOfMonth","features":[384]},{"name":"RANGESTEP_MessageObj_PatternMonthOfYear","features":[384]},{"name":"RANGESTEP_StatusSvc_BatteryLife","features":[384]},{"name":"RANGESTEP_StatusSvc_SignalStrength","features":[384]},{"name":"SMS_BINARY_MESSAGE","features":[384]},{"name":"SMS_ENCODING_7_BIT","features":[384]},{"name":"SMS_ENCODING_8_BIT","features":[384]},{"name":"SMS_ENCODING_UTF_16","features":[384]},{"name":"SMS_MESSAGE_TYPES","features":[384]},{"name":"SMS_TEXT_MESSAGE","features":[384]},{"name":"SRS_RADIO_DISABLED","features":[384]},{"name":"SRS_RADIO_ENABLED","features":[384]},{"name":"STR_WPDNSE_FAST_ENUM","features":[384]},{"name":"STR_WPDNSE_SIMPLE_ITEM","features":[384]},{"name":"SYNCSVC_FILTER_CALENDAR_WINDOW_WITH_RECURRENCE","features":[384]},{"name":"SYNCSVC_FILTER_CONTACTS_WITH_PHONE","features":[384]},{"name":"SYNCSVC_FILTER_NONE","features":[384]},{"name":"SYNCSVC_FILTER_TASK_ACTIVE","features":[384]},{"name":"SYSTEM_RADIO_STATE","features":[384]},{"name":"TYPE_AnchorSyncSvc","features":[384]},{"name":"TYPE_CalendarSvc","features":[384]},{"name":"TYPE_ContactsSvc","features":[384]},{"name":"TYPE_DeviceMetadataSvc","features":[384]},{"name":"TYPE_FullEnumSyncSvc","features":[384]},{"name":"TYPE_HintsSvc","features":[384]},{"name":"TYPE_MessageSvc","features":[384]},{"name":"TYPE_NotesSvc","features":[384]},{"name":"TYPE_RingtonesSvc","features":[384]},{"name":"TYPE_StatusSvc","features":[384]},{"name":"TYPE_TasksSvc","features":[384]},{"name":"WPDNSE_OBJECT_HAS_ALBUM_ART","features":[384,379]},{"name":"WPDNSE_OBJECT_HAS_AUDIO_CLIP","features":[384,379]},{"name":"WPDNSE_OBJECT_HAS_CONTACT_PHOTO","features":[384,379]},{"name":"WPDNSE_OBJECT_HAS_ICON","features":[384,379]},{"name":"WPDNSE_OBJECT_HAS_THUMBNAIL","features":[384,379]},{"name":"WPDNSE_OBJECT_OPTIMAL_READ_BLOCK_SIZE","features":[384,379]},{"name":"WPDNSE_OBJECT_PROPERTIES_V1","features":[384]},{"name":"WPDNSE_PROPSHEET_CONTENT_DETAILS","features":[384]},{"name":"WPDNSE_PROPSHEET_CONTENT_GENERAL","features":[384]},{"name":"WPDNSE_PROPSHEET_CONTENT_REFERENCES","features":[384]},{"name":"WPDNSE_PROPSHEET_CONTENT_RESOURCES","features":[384]},{"name":"WPDNSE_PROPSHEET_DEVICE_GENERAL","features":[384]},{"name":"WPDNSE_PROPSHEET_STORAGE_GENERAL","features":[384]},{"name":"WPD_API_OPTIONS_V1","features":[384]},{"name":"WPD_API_OPTION_IOCTL_ACCESS","features":[384,379]},{"name":"WPD_API_OPTION_USE_CLEAR_DATA_STREAM","features":[384,379]},{"name":"WPD_APPOINTMENT_ACCEPTED_ATTENDEES","features":[384,379]},{"name":"WPD_APPOINTMENT_DECLINED_ATTENDEES","features":[384,379]},{"name":"WPD_APPOINTMENT_LOCATION","features":[384,379]},{"name":"WPD_APPOINTMENT_OBJECT_PROPERTIES_V1","features":[384]},{"name":"WPD_APPOINTMENT_OPTIONAL_ATTENDEES","features":[384,379]},{"name":"WPD_APPOINTMENT_REQUIRED_ATTENDEES","features":[384,379]},{"name":"WPD_APPOINTMENT_RESOURCES","features":[384,379]},{"name":"WPD_APPOINTMENT_TENTATIVE_ATTENDEES","features":[384,379]},{"name":"WPD_APPOINTMENT_TYPE","features":[384,379]},{"name":"WPD_AUDIO_BITRATE","features":[384,379]},{"name":"WPD_AUDIO_BIT_DEPTH","features":[384,379]},{"name":"WPD_AUDIO_BLOCK_ALIGNMENT","features":[384,379]},{"name":"WPD_AUDIO_CHANNEL_COUNT","features":[384,379]},{"name":"WPD_AUDIO_FORMAT_CODE","features":[384,379]},{"name":"WPD_BITRATE_TYPES","features":[384]},{"name":"WPD_BITRATE_TYPE_DISCRETE","features":[384]},{"name":"WPD_BITRATE_TYPE_FREE","features":[384]},{"name":"WPD_BITRATE_TYPE_UNUSED","features":[384]},{"name":"WPD_BITRATE_TYPE_VARIABLE","features":[384]},{"name":"WPD_CAPTURE_MODES","features":[384]},{"name":"WPD_CAPTURE_MODE_BURST","features":[384]},{"name":"WPD_CAPTURE_MODE_NORMAL","features":[384]},{"name":"WPD_CAPTURE_MODE_TIMELAPSE","features":[384]},{"name":"WPD_CAPTURE_MODE_UNDEFINED","features":[384]},{"name":"WPD_CATEGORY_CAPABILITIES","features":[384]},{"name":"WPD_CATEGORY_COMMON","features":[384]},{"name":"WPD_CATEGORY_DEVICE_HINTS","features":[384]},{"name":"WPD_CATEGORY_MEDIA_CAPTURE","features":[384]},{"name":"WPD_CATEGORY_MTP_EXT_VENDOR_OPERATIONS","features":[384]},{"name":"WPD_CATEGORY_NETWORK_CONFIGURATION","features":[384]},{"name":"WPD_CATEGORY_NULL","features":[384]},{"name":"WPD_CATEGORY_OBJECT_ENUMERATION","features":[384]},{"name":"WPD_CATEGORY_OBJECT_MANAGEMENT","features":[384]},{"name":"WPD_CATEGORY_OBJECT_PROPERTIES","features":[384]},{"name":"WPD_CATEGORY_OBJECT_PROPERTIES_BULK","features":[384]},{"name":"WPD_CATEGORY_OBJECT_RESOURCES","features":[384]},{"name":"WPD_CATEGORY_SERVICE_CAPABILITIES","features":[384]},{"name":"WPD_CATEGORY_SERVICE_COMMON","features":[384]},{"name":"WPD_CATEGORY_SERVICE_METHODS","features":[384]},{"name":"WPD_CATEGORY_SMS","features":[384]},{"name":"WPD_CATEGORY_STILL_IMAGE_CAPTURE","features":[384]},{"name":"WPD_CATEGORY_STORAGE","features":[384]},{"name":"WPD_CLASS_EXTENSION_OPTIONS_DEVICE_IDENTIFICATION_VALUES","features":[384,379]},{"name":"WPD_CLASS_EXTENSION_OPTIONS_DONT_REGISTER_WPD_DEVICE_INTERFACE","features":[384,379]},{"name":"WPD_CLASS_EXTENSION_OPTIONS_MULTITRANSPORT_MODE","features":[384,379]},{"name":"WPD_CLASS_EXTENSION_OPTIONS_REGISTER_WPD_PRIVATE_DEVICE_INTERFACE","features":[384,379]},{"name":"WPD_CLASS_EXTENSION_OPTIONS_SILENCE_AUTOPLAY","features":[384,379]},{"name":"WPD_CLASS_EXTENSION_OPTIONS_SUPPORTED_CONTENT_TYPES","features":[384,379]},{"name":"WPD_CLASS_EXTENSION_OPTIONS_TRANSPORT_BANDWIDTH","features":[384,379]},{"name":"WPD_CLASS_EXTENSION_OPTIONS_V1","features":[384]},{"name":"WPD_CLASS_EXTENSION_OPTIONS_V2","features":[384]},{"name":"WPD_CLASS_EXTENSION_OPTIONS_V3","features":[384]},{"name":"WPD_CLASS_EXTENSION_V1","features":[384]},{"name":"WPD_CLASS_EXTENSION_V2","features":[384]},{"name":"WPD_CLIENT_DESIRED_ACCESS","features":[384,379]},{"name":"WPD_CLIENT_EVENT_COOKIE","features":[384,379]},{"name":"WPD_CLIENT_INFORMATION_PROPERTIES_V1","features":[384]},{"name":"WPD_CLIENT_MAJOR_VERSION","features":[384,379]},{"name":"WPD_CLIENT_MANUAL_CLOSE_ON_DISCONNECT","features":[384,379]},{"name":"WPD_CLIENT_MINIMUM_RESULTS_BUFFER_SIZE","features":[384,379]},{"name":"WPD_CLIENT_MINOR_VERSION","features":[384,379]},{"name":"WPD_CLIENT_NAME","features":[384,379]},{"name":"WPD_CLIENT_REVISION","features":[384,379]},{"name":"WPD_CLIENT_SECURITY_QUALITY_OF_SERVICE","features":[384,379]},{"name":"WPD_CLIENT_SHARE_MODE","features":[384,379]},{"name":"WPD_CLIENT_WMDRM_APPLICATION_CERTIFICATE","features":[384,379]},{"name":"WPD_CLIENT_WMDRM_APPLICATION_PRIVATE_KEY","features":[384,379]},{"name":"WPD_COLOR_CORRECTED_STATUS_CORRECTED","features":[384]},{"name":"WPD_COLOR_CORRECTED_STATUS_NOT_CORRECTED","features":[384]},{"name":"WPD_COLOR_CORRECTED_STATUS_SHOULD_NOT_BE_CORRECTED","features":[384]},{"name":"WPD_COLOR_CORRECTED_STATUS_VALUES","features":[384]},{"name":"WPD_COMMAND_ACCESS_FROM_ATTRIBUTE_WITH_METHOD_ACCESS","features":[384]},{"name":"WPD_COMMAND_ACCESS_FROM_PROPERTY_WITH_FILE_ACCESS","features":[384]},{"name":"WPD_COMMAND_ACCESS_FROM_PROPERTY_WITH_STGM_ACCESS","features":[384]},{"name":"WPD_COMMAND_ACCESS_LOOKUP_ENTRY","features":[384,379]},{"name":"WPD_COMMAND_ACCESS_READ","features":[384]},{"name":"WPD_COMMAND_ACCESS_READWRITE","features":[384]},{"name":"WPD_COMMAND_ACCESS_TYPES","features":[384]},{"name":"WPD_COMMAND_CAPABILITIES_GET_COMMAND_OPTIONS","features":[384,379]},{"name":"WPD_COMMAND_CAPABILITIES_GET_EVENT_OPTIONS","features":[384,379]},{"name":"WPD_COMMAND_CAPABILITIES_GET_FIXED_PROPERTY_ATTRIBUTES","features":[384,379]},{"name":"WPD_COMMAND_CAPABILITIES_GET_FUNCTIONAL_OBJECTS","features":[384,379]},{"name":"WPD_COMMAND_CAPABILITIES_GET_SUPPORTED_COMMANDS","features":[384,379]},{"name":"WPD_COMMAND_CAPABILITIES_GET_SUPPORTED_CONTENT_TYPES","features":[384,379]},{"name":"WPD_COMMAND_CAPABILITIES_GET_SUPPORTED_EVENTS","features":[384,379]},{"name":"WPD_COMMAND_CAPABILITIES_GET_SUPPORTED_FORMATS","features":[384,379]},{"name":"WPD_COMMAND_CAPABILITIES_GET_SUPPORTED_FORMAT_PROPERTIES","features":[384,379]},{"name":"WPD_COMMAND_CAPABILITIES_GET_SUPPORTED_FUNCTIONAL_CATEGORIES","features":[384,379]},{"name":"WPD_COMMAND_CLASS_EXTENSION_REGISTER_SERVICE_INTERFACES","features":[384,379]},{"name":"WPD_COMMAND_CLASS_EXTENSION_UNREGISTER_SERVICE_INTERFACES","features":[384,379]},{"name":"WPD_COMMAND_CLASS_EXTENSION_WRITE_DEVICE_INFORMATION","features":[384,379]},{"name":"WPD_COMMAND_COMMIT_KEYPAIR","features":[384,379]},{"name":"WPD_COMMAND_COMMON_GET_OBJECT_IDS_FROM_PERSISTENT_UNIQUE_IDS","features":[384,379]},{"name":"WPD_COMMAND_COMMON_RESET_DEVICE","features":[384,379]},{"name":"WPD_COMMAND_COMMON_SAVE_CLIENT_INFORMATION","features":[384,379]},{"name":"WPD_COMMAND_DEVICE_HINTS_GET_CONTENT_LOCATION","features":[384,379]},{"name":"WPD_COMMAND_GENERATE_KEYPAIR","features":[384,379]},{"name":"WPD_COMMAND_MEDIA_CAPTURE_PAUSE","features":[384,379]},{"name":"WPD_COMMAND_MEDIA_CAPTURE_START","features":[384,379]},{"name":"WPD_COMMAND_MEDIA_CAPTURE_STOP","features":[384,379]},{"name":"WPD_COMMAND_MTP_EXT_END_DATA_TRANSFER","features":[384,379]},{"name":"WPD_COMMAND_MTP_EXT_EXECUTE_COMMAND_WITHOUT_DATA_PHASE","features":[384,379]},{"name":"WPD_COMMAND_MTP_EXT_EXECUTE_COMMAND_WITH_DATA_TO_READ","features":[384,379]},{"name":"WPD_COMMAND_MTP_EXT_EXECUTE_COMMAND_WITH_DATA_TO_WRITE","features":[384,379]},{"name":"WPD_COMMAND_MTP_EXT_GET_SUPPORTED_VENDOR_OPCODES","features":[384,379]},{"name":"WPD_COMMAND_MTP_EXT_GET_VENDOR_EXTENSION_DESCRIPTION","features":[384,379]},{"name":"WPD_COMMAND_MTP_EXT_READ_DATA","features":[384,379]},{"name":"WPD_COMMAND_MTP_EXT_WRITE_DATA","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_ENUMERATION_END_FIND","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_ENUMERATION_FIND_NEXT","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_ENUMERATION_START_FIND","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_MANAGEMENT_COMMIT_OBJECT","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_MANAGEMENT_COPY_OBJECTS","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_MANAGEMENT_CREATE_OBJECT_WITH_PROPERTIES_AND_DATA","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_MANAGEMENT_CREATE_OBJECT_WITH_PROPERTIES_ONLY","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_MANAGEMENT_DELETE_OBJECTS","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_MANAGEMENT_MOVE_OBJECTS","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_MANAGEMENT_REVERT_OBJECT","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_MANAGEMENT_UPDATE_OBJECT_WITH_PROPERTIES_AND_DATA","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_MANAGEMENT_WRITE_OBJECT_DATA","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_BULK_GET_VALUES_BY_OBJECT_FORMAT_END","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_BULK_GET_VALUES_BY_OBJECT_FORMAT_NEXT","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_BULK_GET_VALUES_BY_OBJECT_FORMAT_START","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_BULK_GET_VALUES_BY_OBJECT_LIST_END","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_BULK_GET_VALUES_BY_OBJECT_LIST_NEXT","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_BULK_GET_VALUES_BY_OBJECT_LIST_START","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_BULK_SET_VALUES_BY_OBJECT_LIST_END","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_BULK_SET_VALUES_BY_OBJECT_LIST_NEXT","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_BULK_SET_VALUES_BY_OBJECT_LIST_START","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_DELETE","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_GET","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_GET_ALL","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_GET_ATTRIBUTES","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_GET_SUPPORTED","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_PROPERTIES_SET","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_CLOSE","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_COMMIT","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_CREATE_RESOURCE","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_DELETE","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_GET_ATTRIBUTES","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_GET_SUPPORTED","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_OPEN","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_READ","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_REVERT","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_SEEK","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_SEEK_IN_UNITS","features":[384,379]},{"name":"WPD_COMMAND_OBJECT_RESOURCES_WRITE","features":[384,379]},{"name":"WPD_COMMAND_PROCESS_WIRELESS_PROFILE","features":[384,379]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_COMMAND_OPTIONS","features":[384,379]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_EVENT_ATTRIBUTES","features":[384,379]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_EVENT_PARAMETER_ATTRIBUTES","features":[384,379]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_FORMAT_ATTRIBUTES","features":[384,379]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_FORMAT_PROPERTY_ATTRIBUTES","features":[384,379]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_FORMAT_RENDERING_PROFILES","features":[384,379]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_INHERITED_SERVICES","features":[384,379]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_METHOD_ATTRIBUTES","features":[384,379]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_METHOD_PARAMETER_ATTRIBUTES","features":[384,379]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_SUPPORTED_COMMANDS","features":[384,379]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_SUPPORTED_EVENTS","features":[384,379]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_SUPPORTED_FORMATS","features":[384,379]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_SUPPORTED_FORMAT_PROPERTIES","features":[384,379]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_SUPPORTED_METHODS","features":[384,379]},{"name":"WPD_COMMAND_SERVICE_CAPABILITIES_GET_SUPPORTED_METHODS_BY_FORMAT","features":[384,379]},{"name":"WPD_COMMAND_SERVICE_COMMON_GET_SERVICE_OBJECT_ID","features":[384,379]},{"name":"WPD_COMMAND_SERVICE_METHODS_CANCEL_INVOKE","features":[384,379]},{"name":"WPD_COMMAND_SERVICE_METHODS_END_INVOKE","features":[384,379]},{"name":"WPD_COMMAND_SERVICE_METHODS_START_INVOKE","features":[384,379]},{"name":"WPD_COMMAND_SMS_SEND","features":[384,379]},{"name":"WPD_COMMAND_STILL_IMAGE_CAPTURE_INITIATE","features":[384,379]},{"name":"WPD_COMMAND_STORAGE_EJECT","features":[384,379]},{"name":"WPD_COMMAND_STORAGE_FORMAT","features":[384,379]},{"name":"WPD_COMMON_INFORMATION_BODY_TEXT","features":[384,379]},{"name":"WPD_COMMON_INFORMATION_END_DATETIME","features":[384,379]},{"name":"WPD_COMMON_INFORMATION_NOTES","features":[384,379]},{"name":"WPD_COMMON_INFORMATION_OBJECT_PROPERTIES_V1","features":[384]},{"name":"WPD_COMMON_INFORMATION_PRIORITY","features":[384,379]},{"name":"WPD_COMMON_INFORMATION_START_DATETIME","features":[384,379]},{"name":"WPD_COMMON_INFORMATION_SUBJECT","features":[384,379]},{"name":"WPD_CONTACT_ANNIVERSARY_DATE","features":[384,379]},{"name":"WPD_CONTACT_ASSISTANT","features":[384,379]},{"name":"WPD_CONTACT_BIRTHDATE","features":[384,379]},{"name":"WPD_CONTACT_BUSINESS_EMAIL","features":[384,379]},{"name":"WPD_CONTACT_BUSINESS_EMAIL2","features":[384,379]},{"name":"WPD_CONTACT_BUSINESS_FAX","features":[384,379]},{"name":"WPD_CONTACT_BUSINESS_FULL_POSTAL_ADDRESS","features":[384,379]},{"name":"WPD_CONTACT_BUSINESS_PHONE","features":[384,379]},{"name":"WPD_CONTACT_BUSINESS_PHONE2","features":[384,379]},{"name":"WPD_CONTACT_BUSINESS_POSTAL_ADDRESS_CITY","features":[384,379]},{"name":"WPD_CONTACT_BUSINESS_POSTAL_ADDRESS_COUNTRY","features":[384,379]},{"name":"WPD_CONTACT_BUSINESS_POSTAL_ADDRESS_LINE1","features":[384,379]},{"name":"WPD_CONTACT_BUSINESS_POSTAL_ADDRESS_LINE2","features":[384,379]},{"name":"WPD_CONTACT_BUSINESS_POSTAL_ADDRESS_POSTAL_CODE","features":[384,379]},{"name":"WPD_CONTACT_BUSINESS_POSTAL_ADDRESS_REGION","features":[384,379]},{"name":"WPD_CONTACT_BUSINESS_WEB_ADDRESS","features":[384,379]},{"name":"WPD_CONTACT_CHILDREN","features":[384,379]},{"name":"WPD_CONTACT_COMPANY_NAME","features":[384,379]},{"name":"WPD_CONTACT_DISPLAY_NAME","features":[384,379]},{"name":"WPD_CONTACT_FIRST_NAME","features":[384,379]},{"name":"WPD_CONTACT_INSTANT_MESSENGER","features":[384,379]},{"name":"WPD_CONTACT_INSTANT_MESSENGER2","features":[384,379]},{"name":"WPD_CONTACT_INSTANT_MESSENGER3","features":[384,379]},{"name":"WPD_CONTACT_LAST_NAME","features":[384,379]},{"name":"WPD_CONTACT_MIDDLE_NAMES","features":[384,379]},{"name":"WPD_CONTACT_MOBILE_PHONE","features":[384,379]},{"name":"WPD_CONTACT_MOBILE_PHONE2","features":[384,379]},{"name":"WPD_CONTACT_OBJECT_PROPERTIES_V1","features":[384]},{"name":"WPD_CONTACT_OTHER_EMAILS","features":[384,379]},{"name":"WPD_CONTACT_OTHER_FULL_POSTAL_ADDRESS","features":[384,379]},{"name":"WPD_CONTACT_OTHER_PHONES","features":[384,379]},{"name":"WPD_CONTACT_OTHER_POSTAL_ADDRESS_CITY","features":[384,379]},{"name":"WPD_CONTACT_OTHER_POSTAL_ADDRESS_LINE1","features":[384,379]},{"name":"WPD_CONTACT_OTHER_POSTAL_ADDRESS_LINE2","features":[384,379]},{"name":"WPD_CONTACT_OTHER_POSTAL_ADDRESS_POSTAL_CODE","features":[384,379]},{"name":"WPD_CONTACT_OTHER_POSTAL_ADDRESS_POSTAL_COUNTRY","features":[384,379]},{"name":"WPD_CONTACT_OTHER_POSTAL_ADDRESS_REGION","features":[384,379]},{"name":"WPD_CONTACT_PAGER","features":[384,379]},{"name":"WPD_CONTACT_PERSONAL_EMAIL","features":[384,379]},{"name":"WPD_CONTACT_PERSONAL_EMAIL2","features":[384,379]},{"name":"WPD_CONTACT_PERSONAL_FAX","features":[384,379]},{"name":"WPD_CONTACT_PERSONAL_FULL_POSTAL_ADDRESS","features":[384,379]},{"name":"WPD_CONTACT_PERSONAL_PHONE","features":[384,379]},{"name":"WPD_CONTACT_PERSONAL_PHONE2","features":[384,379]},{"name":"WPD_CONTACT_PERSONAL_POSTAL_ADDRESS_CITY","features":[384,379]},{"name":"WPD_CONTACT_PERSONAL_POSTAL_ADDRESS_COUNTRY","features":[384,379]},{"name":"WPD_CONTACT_PERSONAL_POSTAL_ADDRESS_LINE1","features":[384,379]},{"name":"WPD_CONTACT_PERSONAL_POSTAL_ADDRESS_LINE2","features":[384,379]},{"name":"WPD_CONTACT_PERSONAL_POSTAL_ADDRESS_POSTAL_CODE","features":[384,379]},{"name":"WPD_CONTACT_PERSONAL_POSTAL_ADDRESS_REGION","features":[384,379]},{"name":"WPD_CONTACT_PERSONAL_WEB_ADDRESS","features":[384,379]},{"name":"WPD_CONTACT_PHONETIC_COMPANY_NAME","features":[384,379]},{"name":"WPD_CONTACT_PHONETIC_FIRST_NAME","features":[384,379]},{"name":"WPD_CONTACT_PHONETIC_LAST_NAME","features":[384,379]},{"name":"WPD_CONTACT_PREFIX","features":[384,379]},{"name":"WPD_CONTACT_PRIMARY_EMAIL_ADDRESS","features":[384,379]},{"name":"WPD_CONTACT_PRIMARY_FAX","features":[384,379]},{"name":"WPD_CONTACT_PRIMARY_PHONE","features":[384,379]},{"name":"WPD_CONTACT_PRIMARY_WEB_ADDRESS","features":[384,379]},{"name":"WPD_CONTACT_RINGTONE","features":[384,379]},{"name":"WPD_CONTACT_ROLE","features":[384,379]},{"name":"WPD_CONTACT_SPOUSE","features":[384,379]},{"name":"WPD_CONTACT_SUFFIX","features":[384,379]},{"name":"WPD_CONTENT_TYPE_ALL","features":[384]},{"name":"WPD_CONTENT_TYPE_APPOINTMENT","features":[384]},{"name":"WPD_CONTENT_TYPE_AUDIO","features":[384]},{"name":"WPD_CONTENT_TYPE_AUDIO_ALBUM","features":[384]},{"name":"WPD_CONTENT_TYPE_CALENDAR","features":[384]},{"name":"WPD_CONTENT_TYPE_CERTIFICATE","features":[384]},{"name":"WPD_CONTENT_TYPE_CONTACT","features":[384]},{"name":"WPD_CONTENT_TYPE_CONTACT_GROUP","features":[384]},{"name":"WPD_CONTENT_TYPE_DOCUMENT","features":[384]},{"name":"WPD_CONTENT_TYPE_EMAIL","features":[384]},{"name":"WPD_CONTENT_TYPE_FOLDER","features":[384]},{"name":"WPD_CONTENT_TYPE_FUNCTIONAL_OBJECT","features":[384]},{"name":"WPD_CONTENT_TYPE_GENERIC_FILE","features":[384]},{"name":"WPD_CONTENT_TYPE_GENERIC_MESSAGE","features":[384]},{"name":"WPD_CONTENT_TYPE_IMAGE","features":[384]},{"name":"WPD_CONTENT_TYPE_IMAGE_ALBUM","features":[384]},{"name":"WPD_CONTENT_TYPE_MEDIA_CAST","features":[384]},{"name":"WPD_CONTENT_TYPE_MEMO","features":[384]},{"name":"WPD_CONTENT_TYPE_MIXED_CONTENT_ALBUM","features":[384]},{"name":"WPD_CONTENT_TYPE_NETWORK_ASSOCIATION","features":[384]},{"name":"WPD_CONTENT_TYPE_PLAYLIST","features":[384]},{"name":"WPD_CONTENT_TYPE_PROGRAM","features":[384]},{"name":"WPD_CONTENT_TYPE_SECTION","features":[384]},{"name":"WPD_CONTENT_TYPE_TASK","features":[384]},{"name":"WPD_CONTENT_TYPE_TELEVISION","features":[384]},{"name":"WPD_CONTENT_TYPE_UNSPECIFIED","features":[384]},{"name":"WPD_CONTENT_TYPE_VIDEO","features":[384]},{"name":"WPD_CONTENT_TYPE_VIDEO_ALBUM","features":[384]},{"name":"WPD_CONTENT_TYPE_WIRELESS_PROFILE","features":[384]},{"name":"WPD_CONTROL_FUNCTION_GENERIC_MESSAGE","features":[384]},{"name":"WPD_CROPPED_STATUS_CROPPED","features":[384]},{"name":"WPD_CROPPED_STATUS_NOT_CROPPED","features":[384]},{"name":"WPD_CROPPED_STATUS_SHOULD_NOT_BE_CROPPED","features":[384]},{"name":"WPD_CROPPED_STATUS_VALUES","features":[384]},{"name":"WPD_DEVICE_DATETIME","features":[384,379]},{"name":"WPD_DEVICE_EDP_IDENTITY","features":[384,379]},{"name":"WPD_DEVICE_FIRMWARE_VERSION","features":[384,379]},{"name":"WPD_DEVICE_FRIENDLY_NAME","features":[384,379]},{"name":"WPD_DEVICE_FUNCTIONAL_UNIQUE_ID","features":[384,379]},{"name":"WPD_DEVICE_MANUFACTURER","features":[384,379]},{"name":"WPD_DEVICE_MODEL","features":[384,379]},{"name":"WPD_DEVICE_MODEL_UNIQUE_ID","features":[384,379]},{"name":"WPD_DEVICE_NETWORK_IDENTIFIER","features":[384,379]},{"name":"WPD_DEVICE_OBJECT_ID","features":[384]},{"name":"WPD_DEVICE_POWER_LEVEL","features":[384,379]},{"name":"WPD_DEVICE_POWER_SOURCE","features":[384,379]},{"name":"WPD_DEVICE_PROPERTIES_V1","features":[384]},{"name":"WPD_DEVICE_PROPERTIES_V2","features":[384]},{"name":"WPD_DEVICE_PROPERTIES_V3","features":[384]},{"name":"WPD_DEVICE_PROTOCOL","features":[384,379]},{"name":"WPD_DEVICE_SERIAL_NUMBER","features":[384,379]},{"name":"WPD_DEVICE_SUPPORTED_DRM_SCHEMES","features":[384,379]},{"name":"WPD_DEVICE_SUPPORTED_FORMATS_ARE_ORDERED","features":[384,379]},{"name":"WPD_DEVICE_SUPPORTS_NON_CONSUMABLE","features":[384,379]},{"name":"WPD_DEVICE_SYNC_PARTNER","features":[384,379]},{"name":"WPD_DEVICE_TRANSPORT","features":[384,379]},{"name":"WPD_DEVICE_TRANSPORTS","features":[384]},{"name":"WPD_DEVICE_TRANSPORT_BLUETOOTH","features":[384]},{"name":"WPD_DEVICE_TRANSPORT_IP","features":[384]},{"name":"WPD_DEVICE_TRANSPORT_UNSPECIFIED","features":[384]},{"name":"WPD_DEVICE_TRANSPORT_USB","features":[384]},{"name":"WPD_DEVICE_TYPE","features":[384,379]},{"name":"WPD_DEVICE_TYPES","features":[384]},{"name":"WPD_DEVICE_TYPE_AUDIO_RECORDER","features":[384]},{"name":"WPD_DEVICE_TYPE_CAMERA","features":[384]},{"name":"WPD_DEVICE_TYPE_GENERIC","features":[384]},{"name":"WPD_DEVICE_TYPE_MEDIA_PLAYER","features":[384]},{"name":"WPD_DEVICE_TYPE_PERSONAL_INFORMATION_MANAGER","features":[384]},{"name":"WPD_DEVICE_TYPE_PHONE","features":[384]},{"name":"WPD_DEVICE_TYPE_VIDEO","features":[384]},{"name":"WPD_DEVICE_USE_DEVICE_STAGE","features":[384,379]},{"name":"WPD_DOCUMENT_OBJECT_PROPERTIES_V1","features":[384]},{"name":"WPD_EFFECT_MODES","features":[384]},{"name":"WPD_EFFECT_MODE_BLACK_AND_WHITE","features":[384]},{"name":"WPD_EFFECT_MODE_COLOR","features":[384]},{"name":"WPD_EFFECT_MODE_SEPIA","features":[384]},{"name":"WPD_EFFECT_MODE_UNDEFINED","features":[384]},{"name":"WPD_EMAIL_BCC_LINE","features":[384,379]},{"name":"WPD_EMAIL_CC_LINE","features":[384,379]},{"name":"WPD_EMAIL_HAS_ATTACHMENTS","features":[384,379]},{"name":"WPD_EMAIL_HAS_BEEN_READ","features":[384,379]},{"name":"WPD_EMAIL_OBJECT_PROPERTIES_V1","features":[384]},{"name":"WPD_EMAIL_RECEIVED_TIME","features":[384,379]},{"name":"WPD_EMAIL_SENDER_ADDRESS","features":[384,379]},{"name":"WPD_EMAIL_TO_LINE","features":[384,379]},{"name":"WPD_EVENT_ATTRIBUTES_V1","features":[384]},{"name":"WPD_EVENT_ATTRIBUTE_NAME","features":[384,379]},{"name":"WPD_EVENT_ATTRIBUTE_OPTIONS","features":[384,379]},{"name":"WPD_EVENT_ATTRIBUTE_PARAMETERS","features":[384,379]},{"name":"WPD_EVENT_DEVICE_CAPABILITIES_UPDATED","features":[384]},{"name":"WPD_EVENT_DEVICE_REMOVED","features":[384]},{"name":"WPD_EVENT_DEVICE_RESET","features":[384]},{"name":"WPD_EVENT_MTP_VENDOR_EXTENDED_EVENTS","features":[384]},{"name":"WPD_EVENT_NOTIFICATION","features":[384]},{"name":"WPD_EVENT_OBJECT_ADDED","features":[384]},{"name":"WPD_EVENT_OBJECT_REMOVED","features":[384]},{"name":"WPD_EVENT_OBJECT_TRANSFER_REQUESTED","features":[384]},{"name":"WPD_EVENT_OBJECT_UPDATED","features":[384]},{"name":"WPD_EVENT_OPTIONS_V1","features":[384]},{"name":"WPD_EVENT_OPTION_IS_AUTOPLAY_EVENT","features":[384,379]},{"name":"WPD_EVENT_OPTION_IS_BROADCAST_EVENT","features":[384,379]},{"name":"WPD_EVENT_PARAMETER_CHILD_HIERARCHY_CHANGED","features":[384,379]},{"name":"WPD_EVENT_PARAMETER_EVENT_ID","features":[384,379]},{"name":"WPD_EVENT_PARAMETER_OBJECT_CREATION_COOKIE","features":[384,379]},{"name":"WPD_EVENT_PARAMETER_OBJECT_PARENT_PERSISTENT_UNIQUE_ID","features":[384,379]},{"name":"WPD_EVENT_PARAMETER_OPERATION_PROGRESS","features":[384,379]},{"name":"WPD_EVENT_PARAMETER_OPERATION_STATE","features":[384,379]},{"name":"WPD_EVENT_PARAMETER_PNP_DEVICE_ID","features":[384,379]},{"name":"WPD_EVENT_PARAMETER_SERVICE_METHOD_CONTEXT","features":[384,379]},{"name":"WPD_EVENT_PROPERTIES_V1","features":[384]},{"name":"WPD_EVENT_PROPERTIES_V2","features":[384]},{"name":"WPD_EVENT_SERVICE_METHOD_COMPLETE","features":[384]},{"name":"WPD_EVENT_STORAGE_FORMAT","features":[384]},{"name":"WPD_EXPOSURE_METERING_MODES","features":[384]},{"name":"WPD_EXPOSURE_METERING_MODE_AVERAGE","features":[384]},{"name":"WPD_EXPOSURE_METERING_MODE_CENTER_SPOT","features":[384]},{"name":"WPD_EXPOSURE_METERING_MODE_CENTER_WEIGHTED_AVERAGE","features":[384]},{"name":"WPD_EXPOSURE_METERING_MODE_MULTI_SPOT","features":[384]},{"name":"WPD_EXPOSURE_METERING_MODE_UNDEFINED","features":[384]},{"name":"WPD_EXPOSURE_PROGRAM_MODES","features":[384]},{"name":"WPD_EXPOSURE_PROGRAM_MODE_ACTION","features":[384]},{"name":"WPD_EXPOSURE_PROGRAM_MODE_APERTURE_PRIORITY","features":[384]},{"name":"WPD_EXPOSURE_PROGRAM_MODE_AUTO","features":[384]},{"name":"WPD_EXPOSURE_PROGRAM_MODE_CREATIVE","features":[384]},{"name":"WPD_EXPOSURE_PROGRAM_MODE_MANUAL","features":[384]},{"name":"WPD_EXPOSURE_PROGRAM_MODE_PORTRAIT","features":[384]},{"name":"WPD_EXPOSURE_PROGRAM_MODE_SHUTTER_PRIORITY","features":[384]},{"name":"WPD_EXPOSURE_PROGRAM_MODE_UNDEFINED","features":[384]},{"name":"WPD_FLASH_MODES","features":[384]},{"name":"WPD_FLASH_MODE_AUTO","features":[384]},{"name":"WPD_FLASH_MODE_EXTERNAL_SYNC","features":[384]},{"name":"WPD_FLASH_MODE_FILL","features":[384]},{"name":"WPD_FLASH_MODE_OFF","features":[384]},{"name":"WPD_FLASH_MODE_RED_EYE_AUTO","features":[384]},{"name":"WPD_FLASH_MODE_RED_EYE_FILL","features":[384]},{"name":"WPD_FLASH_MODE_UNDEFINED","features":[384]},{"name":"WPD_FOCUS_AUTOMATIC","features":[384]},{"name":"WPD_FOCUS_AUTOMATIC_MACRO","features":[384]},{"name":"WPD_FOCUS_MANUAL","features":[384]},{"name":"WPD_FOCUS_METERING_MODES","features":[384]},{"name":"WPD_FOCUS_METERING_MODE_CENTER_SPOT","features":[384]},{"name":"WPD_FOCUS_METERING_MODE_MULTI_SPOT","features":[384]},{"name":"WPD_FOCUS_METERING_MODE_UNDEFINED","features":[384]},{"name":"WPD_FOCUS_MODES","features":[384]},{"name":"WPD_FOCUS_UNDEFINED","features":[384]},{"name":"WPD_FOLDER_CONTENT_TYPES_ALLOWED","features":[384,379]},{"name":"WPD_FOLDER_OBJECT_PROPERTIES_V1","features":[384]},{"name":"WPD_FORMAT_ATTRIBUTES_V1","features":[384]},{"name":"WPD_FORMAT_ATTRIBUTE_MIMETYPE","features":[384,379]},{"name":"WPD_FORMAT_ATTRIBUTE_NAME","features":[384,379]},{"name":"WPD_FUNCTIONAL_CATEGORY_ALL","features":[384]},{"name":"WPD_FUNCTIONAL_CATEGORY_AUDIO_CAPTURE","features":[384]},{"name":"WPD_FUNCTIONAL_CATEGORY_DEVICE","features":[384]},{"name":"WPD_FUNCTIONAL_CATEGORY_NETWORK_CONFIGURATION","features":[384]},{"name":"WPD_FUNCTIONAL_CATEGORY_RENDERING_INFORMATION","features":[384]},{"name":"WPD_FUNCTIONAL_CATEGORY_SMS","features":[384]},{"name":"WPD_FUNCTIONAL_CATEGORY_STILL_IMAGE_CAPTURE","features":[384]},{"name":"WPD_FUNCTIONAL_CATEGORY_STORAGE","features":[384]},{"name":"WPD_FUNCTIONAL_CATEGORY_VIDEO_CAPTURE","features":[384]},{"name":"WPD_FUNCTIONAL_OBJECT_CATEGORY","features":[384,379]},{"name":"WPD_FUNCTIONAL_OBJECT_PROPERTIES_V1","features":[384]},{"name":"WPD_IMAGE_BITDEPTH","features":[384,379]},{"name":"WPD_IMAGE_COLOR_CORRECTED_STATUS","features":[384,379]},{"name":"WPD_IMAGE_CROPPED_STATUS","features":[384,379]},{"name":"WPD_IMAGE_EXPOSURE_INDEX","features":[384,379]},{"name":"WPD_IMAGE_EXPOSURE_TIME","features":[384,379]},{"name":"WPD_IMAGE_FNUMBER","features":[384,379]},{"name":"WPD_IMAGE_HORIZONTAL_RESOLUTION","features":[384,379]},{"name":"WPD_IMAGE_OBJECT_PROPERTIES_V1","features":[384]},{"name":"WPD_IMAGE_VERTICAL_RESOLUTION","features":[384,379]},{"name":"WPD_MEDIA_ALBUM_ARTIST","features":[384,379]},{"name":"WPD_MEDIA_ARTIST","features":[384,379]},{"name":"WPD_MEDIA_AUDIO_ENCODING_PROFILE","features":[384,379]},{"name":"WPD_MEDIA_BITRATE_TYPE","features":[384,379]},{"name":"WPD_MEDIA_BUY_NOW","features":[384,379]},{"name":"WPD_MEDIA_BYTE_BOOKMARK","features":[384,379]},{"name":"WPD_MEDIA_COMPOSER","features":[384,379]},{"name":"WPD_MEDIA_COPYRIGHT","features":[384,379]},{"name":"WPD_MEDIA_DESCRIPTION","features":[384,379]},{"name":"WPD_MEDIA_DESTINATION_URL","features":[384,379]},{"name":"WPD_MEDIA_DURATION","features":[384,379]},{"name":"WPD_MEDIA_EFFECTIVE_RATING","features":[384,379]},{"name":"WPD_MEDIA_ENCODING_PROFILE","features":[384,379]},{"name":"WPD_MEDIA_GENRE","features":[384,379]},{"name":"WPD_MEDIA_GUID","features":[384,379]},{"name":"WPD_MEDIA_HEIGHT","features":[384,379]},{"name":"WPD_MEDIA_LAST_ACCESSED_TIME","features":[384,379]},{"name":"WPD_MEDIA_LAST_BUILD_DATE","features":[384,379]},{"name":"WPD_MEDIA_MANAGING_EDITOR","features":[384,379]},{"name":"WPD_MEDIA_META_GENRE","features":[384,379]},{"name":"WPD_MEDIA_OBJECT_BOOKMARK","features":[384,379]},{"name":"WPD_MEDIA_OWNER","features":[384,379]},{"name":"WPD_MEDIA_PARENTAL_RATING","features":[384,379]},{"name":"WPD_MEDIA_PROPERTIES_V1","features":[384]},{"name":"WPD_MEDIA_RELEASE_DATE","features":[384,379]},{"name":"WPD_MEDIA_SAMPLE_RATE","features":[384,379]},{"name":"WPD_MEDIA_SKIP_COUNT","features":[384,379]},{"name":"WPD_MEDIA_SOURCE_URL","features":[384,379]},{"name":"WPD_MEDIA_STAR_RATING","features":[384,379]},{"name":"WPD_MEDIA_SUBSCRIPTION_CONTENT_ID","features":[384,379]},{"name":"WPD_MEDIA_SUB_DESCRIPTION","features":[384,379]},{"name":"WPD_MEDIA_SUB_TITLE","features":[384,379]},{"name":"WPD_MEDIA_TIME_BOOKMARK","features":[384,379]},{"name":"WPD_MEDIA_TIME_TO_LIVE","features":[384,379]},{"name":"WPD_MEDIA_TITLE","features":[384,379]},{"name":"WPD_MEDIA_TOTAL_BITRATE","features":[384,379]},{"name":"WPD_MEDIA_USER_EFFECTIVE_RATING","features":[384,379]},{"name":"WPD_MEDIA_USE_COUNT","features":[384,379]},{"name":"WPD_MEDIA_WEBMASTER","features":[384,379]},{"name":"WPD_MEDIA_WIDTH","features":[384,379]},{"name":"WPD_MEMO_OBJECT_PROPERTIES_V1","features":[384]},{"name":"WPD_META_GENRES","features":[384]},{"name":"WPD_META_GENRE_AUDIO_PODCAST","features":[384]},{"name":"WPD_META_GENRE_FEATURE_FILM_VIDEO_FILE","features":[384]},{"name":"WPD_META_GENRE_GENERIC_MUSIC_AUDIO_FILE","features":[384]},{"name":"WPD_META_GENRE_GENERIC_NON_AUDIO_NON_VIDEO","features":[384]},{"name":"WPD_META_GENRE_GENERIC_NON_MUSIC_AUDIO_FILE","features":[384]},{"name":"WPD_META_GENRE_GENERIC_VIDEO_FILE","features":[384]},{"name":"WPD_META_GENRE_HOME_VIDEO_FILE","features":[384]},{"name":"WPD_META_GENRE_MIXED_PODCAST","features":[384]},{"name":"WPD_META_GENRE_MUSIC_VIDEO_FILE","features":[384]},{"name":"WPD_META_GENRE_NEWS_VIDEO_FILE","features":[384]},{"name":"WPD_META_GENRE_PHOTO_MONTAGE_VIDEO_FILE","features":[384]},{"name":"WPD_META_GENRE_SPOKEN_WORD_AUDIO_BOOK_FILES","features":[384]},{"name":"WPD_META_GENRE_SPOKEN_WORD_FILES_NON_AUDIO_BOOK","features":[384]},{"name":"WPD_META_GENRE_SPOKEN_WORD_NEWS","features":[384]},{"name":"WPD_META_GENRE_SPOKEN_WORD_TALK_SHOWS","features":[384]},{"name":"WPD_META_GENRE_TELEVISION_VIDEO_FILE","features":[384]},{"name":"WPD_META_GENRE_TRAINING_EDUCATIONAL_VIDEO_FILE","features":[384]},{"name":"WPD_META_GENRE_UNUSED","features":[384]},{"name":"WPD_META_GENRE_VIDEO_PODCAST","features":[384]},{"name":"WPD_METHOD_ATTRIBUTES_V1","features":[384]},{"name":"WPD_METHOD_ATTRIBUTE_ACCESS","features":[384,379]},{"name":"WPD_METHOD_ATTRIBUTE_ASSOCIATED_FORMAT","features":[384,379]},{"name":"WPD_METHOD_ATTRIBUTE_NAME","features":[384,379]},{"name":"WPD_METHOD_ATTRIBUTE_PARAMETERS","features":[384,379]},{"name":"WPD_MUSIC_ALBUM","features":[384,379]},{"name":"WPD_MUSIC_LYRICS","features":[384,379]},{"name":"WPD_MUSIC_MOOD","features":[384,379]},{"name":"WPD_MUSIC_OBJECT_PROPERTIES_V1","features":[384]},{"name":"WPD_MUSIC_TRACK","features":[384,379]},{"name":"WPD_NETWORK_ASSOCIATION_HOST_NETWORK_IDENTIFIERS","features":[384,379]},{"name":"WPD_NETWORK_ASSOCIATION_PROPERTIES_V1","features":[384]},{"name":"WPD_NETWORK_ASSOCIATION_X509V3SEQUENCE","features":[384,379]},{"name":"WPD_OBJECT_BACK_REFERENCES","features":[384,379]},{"name":"WPD_OBJECT_CAN_DELETE","features":[384,379]},{"name":"WPD_OBJECT_CONTAINER_FUNCTIONAL_OBJECT_ID","features":[384,379]},{"name":"WPD_OBJECT_CONTENT_TYPE","features":[384,379]},{"name":"WPD_OBJECT_DATE_AUTHORED","features":[384,379]},{"name":"WPD_OBJECT_DATE_CREATED","features":[384,379]},{"name":"WPD_OBJECT_DATE_MODIFIED","features":[384,379]},{"name":"WPD_OBJECT_FORMAT","features":[384,379]},{"name":"WPD_OBJECT_FORMAT_3G2","features":[384]},{"name":"WPD_OBJECT_FORMAT_3G2A","features":[384]},{"name":"WPD_OBJECT_FORMAT_3GP","features":[384]},{"name":"WPD_OBJECT_FORMAT_3GPA","features":[384]},{"name":"WPD_OBJECT_FORMAT_AAC","features":[384]},{"name":"WPD_OBJECT_FORMAT_ABSTRACT_CONTACT","features":[384]},{"name":"WPD_OBJECT_FORMAT_ABSTRACT_CONTACT_GROUP","features":[384]},{"name":"WPD_OBJECT_FORMAT_ABSTRACT_MEDIA_CAST","features":[384]},{"name":"WPD_OBJECT_FORMAT_AIFF","features":[384]},{"name":"WPD_OBJECT_FORMAT_ALL","features":[384]},{"name":"WPD_OBJECT_FORMAT_AMR","features":[384]},{"name":"WPD_OBJECT_FORMAT_ASF","features":[384]},{"name":"WPD_OBJECT_FORMAT_ASXPLAYLIST","features":[384]},{"name":"WPD_OBJECT_FORMAT_ATSCTS","features":[384]},{"name":"WPD_OBJECT_FORMAT_AUDIBLE","features":[384]},{"name":"WPD_OBJECT_FORMAT_AVCHD","features":[384]},{"name":"WPD_OBJECT_FORMAT_AVI","features":[384]},{"name":"WPD_OBJECT_FORMAT_BMP","features":[384]},{"name":"WPD_OBJECT_FORMAT_CIFF","features":[384]},{"name":"WPD_OBJECT_FORMAT_DPOF","features":[384]},{"name":"WPD_OBJECT_FORMAT_DVBTS","features":[384]},{"name":"WPD_OBJECT_FORMAT_EXECUTABLE","features":[384]},{"name":"WPD_OBJECT_FORMAT_EXIF","features":[384]},{"name":"WPD_OBJECT_FORMAT_FLAC","features":[384]},{"name":"WPD_OBJECT_FORMAT_FLASHPIX","features":[384]},{"name":"WPD_OBJECT_FORMAT_GIF","features":[384]},{"name":"WPD_OBJECT_FORMAT_HTML","features":[384]},{"name":"WPD_OBJECT_FORMAT_ICALENDAR","features":[384]},{"name":"WPD_OBJECT_FORMAT_ICON","features":[384]},{"name":"WPD_OBJECT_FORMAT_JFIF","features":[384]},{"name":"WPD_OBJECT_FORMAT_JP2","features":[384]},{"name":"WPD_OBJECT_FORMAT_JPEGXR","features":[384]},{"name":"WPD_OBJECT_FORMAT_JPX","features":[384]},{"name":"WPD_OBJECT_FORMAT_M3UPLAYLIST","features":[384]},{"name":"WPD_OBJECT_FORMAT_M4A","features":[384]},{"name":"WPD_OBJECT_FORMAT_MHT_COMPILED_HTML","features":[384]},{"name":"WPD_OBJECT_FORMAT_MICROSOFT_EXCEL","features":[384]},{"name":"WPD_OBJECT_FORMAT_MICROSOFT_POWERPOINT","features":[384]},{"name":"WPD_OBJECT_FORMAT_MICROSOFT_WFC","features":[384]},{"name":"WPD_OBJECT_FORMAT_MICROSOFT_WORD","features":[384]},{"name":"WPD_OBJECT_FORMAT_MKV","features":[384]},{"name":"WPD_OBJECT_FORMAT_MP2","features":[384]},{"name":"WPD_OBJECT_FORMAT_MP3","features":[384]},{"name":"WPD_OBJECT_FORMAT_MP4","features":[384]},{"name":"WPD_OBJECT_FORMAT_MPEG","features":[384]},{"name":"WPD_OBJECT_FORMAT_MPLPLAYLIST","features":[384]},{"name":"WPD_OBJECT_FORMAT_NETWORK_ASSOCIATION","features":[384]},{"name":"WPD_OBJECT_FORMAT_OGG","features":[384]},{"name":"WPD_OBJECT_FORMAT_PCD","features":[384]},{"name":"WPD_OBJECT_FORMAT_PICT","features":[384]},{"name":"WPD_OBJECT_FORMAT_PLSPLAYLIST","features":[384]},{"name":"WPD_OBJECT_FORMAT_PNG","features":[384]},{"name":"WPD_OBJECT_FORMAT_PROPERTIES_ONLY","features":[384]},{"name":"WPD_OBJECT_FORMAT_QCELP","features":[384]},{"name":"WPD_OBJECT_FORMAT_SCRIPT","features":[384]},{"name":"WPD_OBJECT_FORMAT_TEXT","features":[384]},{"name":"WPD_OBJECT_FORMAT_TIFF","features":[384]},{"name":"WPD_OBJECT_FORMAT_TIFFEP","features":[384]},{"name":"WPD_OBJECT_FORMAT_TIFFIT","features":[384]},{"name":"WPD_OBJECT_FORMAT_UNSPECIFIED","features":[384]},{"name":"WPD_OBJECT_FORMAT_VCALENDAR1","features":[384]},{"name":"WPD_OBJECT_FORMAT_VCARD2","features":[384]},{"name":"WPD_OBJECT_FORMAT_VCARD3","features":[384]},{"name":"WPD_OBJECT_FORMAT_WAVE","features":[384]},{"name":"WPD_OBJECT_FORMAT_WBMP","features":[384]},{"name":"WPD_OBJECT_FORMAT_WINDOWSIMAGEFORMAT","features":[384]},{"name":"WPD_OBJECT_FORMAT_WMA","features":[384]},{"name":"WPD_OBJECT_FORMAT_WMV","features":[384]},{"name":"WPD_OBJECT_FORMAT_WPLPLAYLIST","features":[384]},{"name":"WPD_OBJECT_FORMAT_X509V3CERTIFICATE","features":[384]},{"name":"WPD_OBJECT_FORMAT_XML","features":[384]},{"name":"WPD_OBJECT_GENERATE_THUMBNAIL_FROM_RESOURCE","features":[384,379]},{"name":"WPD_OBJECT_HINT_LOCATION_DISPLAY_NAME","features":[384,379]},{"name":"WPD_OBJECT_ID","features":[384,379]},{"name":"WPD_OBJECT_ISHIDDEN","features":[384,379]},{"name":"WPD_OBJECT_ISSYSTEM","features":[384,379]},{"name":"WPD_OBJECT_IS_DRM_PROTECTED","features":[384,379]},{"name":"WPD_OBJECT_KEYWORDS","features":[384,379]},{"name":"WPD_OBJECT_LANGUAGE_LOCALE","features":[384,379]},{"name":"WPD_OBJECT_NAME","features":[384,379]},{"name":"WPD_OBJECT_NON_CONSUMABLE","features":[384,379]},{"name":"WPD_OBJECT_ORIGINAL_FILE_NAME","features":[384,379]},{"name":"WPD_OBJECT_PARENT_ID","features":[384,379]},{"name":"WPD_OBJECT_PERSISTENT_UNIQUE_ID","features":[384,379]},{"name":"WPD_OBJECT_PROPERTIES_V1","features":[384]},{"name":"WPD_OBJECT_PROPERTIES_V2","features":[384]},{"name":"WPD_OBJECT_REFERENCES","features":[384,379]},{"name":"WPD_OBJECT_SIZE","features":[384,379]},{"name":"WPD_OBJECT_SUPPORTED_UNITS","features":[384,379]},{"name":"WPD_OBJECT_SYNC_ID","features":[384,379]},{"name":"WPD_OPERATION_STATES","features":[384]},{"name":"WPD_OPERATION_STATE_ABORTED","features":[384]},{"name":"WPD_OPERATION_STATE_CANCELLED","features":[384]},{"name":"WPD_OPERATION_STATE_FINISHED","features":[384]},{"name":"WPD_OPERATION_STATE_PAUSED","features":[384]},{"name":"WPD_OPERATION_STATE_RUNNING","features":[384]},{"name":"WPD_OPERATION_STATE_STARTED","features":[384]},{"name":"WPD_OPERATION_STATE_UNSPECIFIED","features":[384]},{"name":"WPD_OPTION_OBJECT_MANAGEMENT_RECURSIVE_DELETE_SUPPORTED","features":[384,379]},{"name":"WPD_OPTION_OBJECT_RESOURCES_NO_INPUT_BUFFER_ON_READ","features":[384,379]},{"name":"WPD_OPTION_OBJECT_RESOURCES_SEEK_ON_READ_SUPPORTED","features":[384,379]},{"name":"WPD_OPTION_OBJECT_RESOURCES_SEEK_ON_WRITE_SUPPORTED","features":[384,379]},{"name":"WPD_OPTION_SMS_BINARY_MESSAGE_SUPPORTED","features":[384,379]},{"name":"WPD_OPTION_VALID_OBJECT_IDS","features":[384,379]},{"name":"WPD_PARAMETER_ATTRIBUTES_V1","features":[384]},{"name":"WPD_PARAMETER_ATTRIBUTE_DEFAULT_VALUE","features":[384,379]},{"name":"WPD_PARAMETER_ATTRIBUTE_ENUMERATION_ELEMENTS","features":[384,379]},{"name":"WPD_PARAMETER_ATTRIBUTE_FORM","features":[384,379]},{"name":"WPD_PARAMETER_ATTRIBUTE_FORM_ENUMERATION","features":[384]},{"name":"WPD_PARAMETER_ATTRIBUTE_FORM_OBJECT_IDENTIFIER","features":[384]},{"name":"WPD_PARAMETER_ATTRIBUTE_FORM_RANGE","features":[384]},{"name":"WPD_PARAMETER_ATTRIBUTE_FORM_REGULAR_EXPRESSION","features":[384]},{"name":"WPD_PARAMETER_ATTRIBUTE_FORM_UNSPECIFIED","features":[384]},{"name":"WPD_PARAMETER_ATTRIBUTE_MAX_SIZE","features":[384,379]},{"name":"WPD_PARAMETER_ATTRIBUTE_NAME","features":[384,379]},{"name":"WPD_PARAMETER_ATTRIBUTE_ORDER","features":[384,379]},{"name":"WPD_PARAMETER_ATTRIBUTE_RANGE_MAX","features":[384,379]},{"name":"WPD_PARAMETER_ATTRIBUTE_RANGE_MIN","features":[384,379]},{"name":"WPD_PARAMETER_ATTRIBUTE_RANGE_STEP","features":[384,379]},{"name":"WPD_PARAMETER_ATTRIBUTE_REGULAR_EXPRESSION","features":[384,379]},{"name":"WPD_PARAMETER_ATTRIBUTE_USAGE","features":[384,379]},{"name":"WPD_PARAMETER_ATTRIBUTE_VARTYPE","features":[384,379]},{"name":"WPD_PARAMETER_USAGE_IN","features":[384]},{"name":"WPD_PARAMETER_USAGE_INOUT","features":[384]},{"name":"WPD_PARAMETER_USAGE_OUT","features":[384]},{"name":"WPD_PARAMETER_USAGE_RETURN","features":[384]},{"name":"WPD_PARAMETER_USAGE_TYPES","features":[384]},{"name":"WPD_POWER_SOURCES","features":[384]},{"name":"WPD_POWER_SOURCE_BATTERY","features":[384]},{"name":"WPD_POWER_SOURCE_EXTERNAL","features":[384]},{"name":"WPD_PROPERTIES_MTP_VENDOR_EXTENDED_DEVICE_PROPS","features":[384]},{"name":"WPD_PROPERTIES_MTP_VENDOR_EXTENDED_OBJECT_PROPS","features":[384]},{"name":"WPD_PROPERTY_ATTRIBUTES_V1","features":[384]},{"name":"WPD_PROPERTY_ATTRIBUTES_V2","features":[384]},{"name":"WPD_PROPERTY_ATTRIBUTE_CAN_DELETE","features":[384,379]},{"name":"WPD_PROPERTY_ATTRIBUTE_CAN_READ","features":[384,379]},{"name":"WPD_PROPERTY_ATTRIBUTE_CAN_WRITE","features":[384,379]},{"name":"WPD_PROPERTY_ATTRIBUTE_DEFAULT_VALUE","features":[384,379]},{"name":"WPD_PROPERTY_ATTRIBUTE_ENUMERATION_ELEMENTS","features":[384,379]},{"name":"WPD_PROPERTY_ATTRIBUTE_FAST_PROPERTY","features":[384,379]},{"name":"WPD_PROPERTY_ATTRIBUTE_FORM","features":[384,379]},{"name":"WPD_PROPERTY_ATTRIBUTE_FORM_ENUMERATION","features":[384]},{"name":"WPD_PROPERTY_ATTRIBUTE_FORM_OBJECT_IDENTIFIER","features":[384]},{"name":"WPD_PROPERTY_ATTRIBUTE_FORM_RANGE","features":[384]},{"name":"WPD_PROPERTY_ATTRIBUTE_FORM_REGULAR_EXPRESSION","features":[384]},{"name":"WPD_PROPERTY_ATTRIBUTE_FORM_UNSPECIFIED","features":[384]},{"name":"WPD_PROPERTY_ATTRIBUTE_MAX_SIZE","features":[384,379]},{"name":"WPD_PROPERTY_ATTRIBUTE_NAME","features":[384,379]},{"name":"WPD_PROPERTY_ATTRIBUTE_RANGE_MAX","features":[384,379]},{"name":"WPD_PROPERTY_ATTRIBUTE_RANGE_MIN","features":[384,379]},{"name":"WPD_PROPERTY_ATTRIBUTE_RANGE_STEP","features":[384,379]},{"name":"WPD_PROPERTY_ATTRIBUTE_REGULAR_EXPRESSION","features":[384,379]},{"name":"WPD_PROPERTY_ATTRIBUTE_VARTYPE","features":[384,379]},{"name":"WPD_PROPERTY_CAPABILITIES_COMMAND","features":[384,379]},{"name":"WPD_PROPERTY_CAPABILITIES_COMMAND_OPTIONS","features":[384,379]},{"name":"WPD_PROPERTY_CAPABILITIES_CONTENT_TYPE","features":[384,379]},{"name":"WPD_PROPERTY_CAPABILITIES_CONTENT_TYPES","features":[384,379]},{"name":"WPD_PROPERTY_CAPABILITIES_EVENT","features":[384,379]},{"name":"WPD_PROPERTY_CAPABILITIES_EVENT_OPTIONS","features":[384,379]},{"name":"WPD_PROPERTY_CAPABILITIES_FORMAT","features":[384,379]},{"name":"WPD_PROPERTY_CAPABILITIES_FORMATS","features":[384,379]},{"name":"WPD_PROPERTY_CAPABILITIES_FUNCTIONAL_CATEGORIES","features":[384,379]},{"name":"WPD_PROPERTY_CAPABILITIES_FUNCTIONAL_CATEGORY","features":[384,379]},{"name":"WPD_PROPERTY_CAPABILITIES_FUNCTIONAL_OBJECTS","features":[384,379]},{"name":"WPD_PROPERTY_CAPABILITIES_PROPERTY_ATTRIBUTES","features":[384,379]},{"name":"WPD_PROPERTY_CAPABILITIES_PROPERTY_KEYS","features":[384,379]},{"name":"WPD_PROPERTY_CAPABILITIES_SUPPORTED_COMMANDS","features":[384,379]},{"name":"WPD_PROPERTY_CAPABILITIES_SUPPORTED_EVENTS","features":[384,379]},{"name":"WPD_PROPERTY_CLASS_EXTENSION_DEVICE_INFORMATION_VALUES","features":[384,379]},{"name":"WPD_PROPERTY_CLASS_EXTENSION_DEVICE_INFORMATION_WRITE_RESULTS","features":[384,379]},{"name":"WPD_PROPERTY_CLASS_EXTENSION_SERVICE_INTERFACES","features":[384,379]},{"name":"WPD_PROPERTY_CLASS_EXTENSION_SERVICE_OBJECT_ID","features":[384,379]},{"name":"WPD_PROPERTY_CLASS_EXTENSION_SERVICE_REGISTRATION_RESULTS","features":[384,379]},{"name":"WPD_PROPERTY_COMMON_ACTIVITY_ID","features":[384,379]},{"name":"WPD_PROPERTY_COMMON_CLIENT_INFORMATION","features":[384,379]},{"name":"WPD_PROPERTY_COMMON_CLIENT_INFORMATION_CONTEXT","features":[384,379]},{"name":"WPD_PROPERTY_COMMON_COMMAND_CATEGORY","features":[384,379]},{"name":"WPD_PROPERTY_COMMON_COMMAND_ID","features":[384,379]},{"name":"WPD_PROPERTY_COMMON_COMMAND_TARGET","features":[384,379]},{"name":"WPD_PROPERTY_COMMON_DRIVER_ERROR_CODE","features":[384,379]},{"name":"WPD_PROPERTY_COMMON_HRESULT","features":[384,379]},{"name":"WPD_PROPERTY_COMMON_OBJECT_IDS","features":[384,379]},{"name":"WPD_PROPERTY_COMMON_PERSISTENT_UNIQUE_IDS","features":[384,379]},{"name":"WPD_PROPERTY_DEVICE_HINTS_CONTENT_LOCATIONS","features":[384,379]},{"name":"WPD_PROPERTY_DEVICE_HINTS_CONTENT_TYPE","features":[384,379]},{"name":"WPD_PROPERTY_MTP_EXT_EVENT_PARAMS","features":[384,379]},{"name":"WPD_PROPERTY_MTP_EXT_OPERATION_CODE","features":[384,379]},{"name":"WPD_PROPERTY_MTP_EXT_OPERATION_PARAMS","features":[384,379]},{"name":"WPD_PROPERTY_MTP_EXT_OPTIMAL_TRANSFER_BUFFER_SIZE","features":[384,379]},{"name":"WPD_PROPERTY_MTP_EXT_RESPONSE_CODE","features":[384,379]},{"name":"WPD_PROPERTY_MTP_EXT_RESPONSE_PARAMS","features":[384,379]},{"name":"WPD_PROPERTY_MTP_EXT_TRANSFER_CONTEXT","features":[384,379]},{"name":"WPD_PROPERTY_MTP_EXT_TRANSFER_DATA","features":[384,379]},{"name":"WPD_PROPERTY_MTP_EXT_TRANSFER_NUM_BYTES_READ","features":[384,379]},{"name":"WPD_PROPERTY_MTP_EXT_TRANSFER_NUM_BYTES_TO_READ","features":[384,379]},{"name":"WPD_PROPERTY_MTP_EXT_TRANSFER_NUM_BYTES_TO_WRITE","features":[384,379]},{"name":"WPD_PROPERTY_MTP_EXT_TRANSFER_NUM_BYTES_WRITTEN","features":[384,379]},{"name":"WPD_PROPERTY_MTP_EXT_TRANSFER_TOTAL_DATA_SIZE","features":[384,379]},{"name":"WPD_PROPERTY_MTP_EXT_VENDOR_EXTENSION_DESCRIPTION","features":[384,379]},{"name":"WPD_PROPERTY_MTP_EXT_VENDOR_OPERATION_CODES","features":[384,379]},{"name":"WPD_PROPERTY_NULL","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_ENUMERATION_CONTEXT","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_ENUMERATION_FILTER","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_ENUMERATION_NUM_OBJECTS_REQUESTED","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_ENUMERATION_OBJECT_IDS","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_ENUMERATION_PARENT_ID","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_CONTEXT","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_COPY_RESULTS","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_CREATION_PROPERTIES","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_DATA","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_DELETE_OPTIONS","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_DELETE_RESULTS","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_DESTINATION_FOLDER_OBJECT_ID","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_MOVE_RESULTS","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_NUM_BYTES_TO_WRITE","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_NUM_BYTES_WRITTEN","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_OBJECT_FORMAT","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_OBJECT_ID","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_OBJECT_IDS","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_OPTIMAL_TRANSFER_BUFFER_SIZE","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_PROPERTY_KEYS","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_MANAGEMENT_UPDATE_PROPERTIES","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_BULK_CONTEXT","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_BULK_DEPTH","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_BULK_OBJECT_FORMAT","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_BULK_OBJECT_IDS","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_BULK_PARENT_OBJECT_ID","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_BULK_PROPERTY_KEYS","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_BULK_VALUES","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_BULK_WRITE_RESULTS","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_OBJECT_ID","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_PROPERTY_ATTRIBUTES","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_PROPERTY_DELETE_RESULTS","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_PROPERTY_KEYS","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_PROPERTY_VALUES","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_PROPERTIES_PROPERTY_WRITE_RESULTS","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_ACCESS_MODE","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_CONTEXT","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_DATA","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_NUM_BYTES_READ","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_NUM_BYTES_TO_READ","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_NUM_BYTES_TO_WRITE","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_NUM_BYTES_WRITTEN","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_OBJECT_ID","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_OPTIMAL_TRANSFER_BUFFER_SIZE","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_POSITION_FROM_START","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_RESOURCE_ATTRIBUTES","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_RESOURCE_KEYS","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_SEEK_OFFSET","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_SEEK_ORIGIN_FLAG","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_STREAM_UNITS","features":[384,379]},{"name":"WPD_PROPERTY_OBJECT_RESOURCES_SUPPORTS_UNITS","features":[384,379]},{"name":"WPD_PROPERTY_PUBLIC_KEY","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_COMMAND","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_COMMAND_OPTIONS","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_EVENT","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_EVENT_ATTRIBUTES","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_FORMAT","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_FORMATS","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_FORMAT_ATTRIBUTES","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_INHERITANCE_TYPE","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_INHERITED_SERVICES","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_METHOD","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_METHOD_ATTRIBUTES","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_PARAMETER","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_PARAMETER_ATTRIBUTES","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_PROPERTY_ATTRIBUTES","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_PROPERTY_KEYS","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_RENDERING_PROFILES","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_SUPPORTED_COMMANDS","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_SUPPORTED_EVENTS","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_CAPABILITIES_SUPPORTED_METHODS","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_METHOD","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_METHOD_CONTEXT","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_METHOD_HRESULT","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_METHOD_PARAMETER_VALUES","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_METHOD_RESULT_VALUES","features":[384,379]},{"name":"WPD_PROPERTY_SERVICE_OBJECT_ID","features":[384,379]},{"name":"WPD_PROPERTY_SMS_BINARY_MESSAGE","features":[384,379]},{"name":"WPD_PROPERTY_SMS_MESSAGE_TYPE","features":[384,379]},{"name":"WPD_PROPERTY_SMS_RECIPIENT","features":[384,379]},{"name":"WPD_PROPERTY_SMS_TEXT_MESSAGE","features":[384,379]},{"name":"WPD_PROPERTY_STORAGE_DESTINATION_OBJECT_ID","features":[384,379]},{"name":"WPD_PROPERTY_STORAGE_OBJECT_ID","features":[384,379]},{"name":"WPD_RENDERING_INFORMATION_OBJECT_PROPERTIES_V1","features":[384]},{"name":"WPD_RENDERING_INFORMATION_PROFILES","features":[384,379]},{"name":"WPD_RENDERING_INFORMATION_PROFILE_ENTRY_CREATABLE_RESOURCES","features":[384,379]},{"name":"WPD_RENDERING_INFORMATION_PROFILE_ENTRY_TYPE","features":[384,379]},{"name":"WPD_RENDERING_INFORMATION_PROFILE_ENTRY_TYPES","features":[384]},{"name":"WPD_RENDERING_INFORMATION_PROFILE_ENTRY_TYPE_OBJECT","features":[384]},{"name":"WPD_RENDERING_INFORMATION_PROFILE_ENTRY_TYPE_RESOURCE","features":[384]},{"name":"WPD_RESOURCE_ALBUM_ART","features":[384,379]},{"name":"WPD_RESOURCE_ATTRIBUTES_V1","features":[384]},{"name":"WPD_RESOURCE_ATTRIBUTE_CAN_DELETE","features":[384,379]},{"name":"WPD_RESOURCE_ATTRIBUTE_CAN_READ","features":[384,379]},{"name":"WPD_RESOURCE_ATTRIBUTE_CAN_WRITE","features":[384,379]},{"name":"WPD_RESOURCE_ATTRIBUTE_FORMAT","features":[384,379]},{"name":"WPD_RESOURCE_ATTRIBUTE_OPTIMAL_READ_BUFFER_SIZE","features":[384,379]},{"name":"WPD_RESOURCE_ATTRIBUTE_OPTIMAL_WRITE_BUFFER_SIZE","features":[384,379]},{"name":"WPD_RESOURCE_ATTRIBUTE_RESOURCE_KEY","features":[384,379]},{"name":"WPD_RESOURCE_ATTRIBUTE_TOTAL_SIZE","features":[384,379]},{"name":"WPD_RESOURCE_AUDIO_CLIP","features":[384,379]},{"name":"WPD_RESOURCE_BRANDING_ART","features":[384,379]},{"name":"WPD_RESOURCE_CONTACT_PHOTO","features":[384,379]},{"name":"WPD_RESOURCE_DEFAULT","features":[384,379]},{"name":"WPD_RESOURCE_GENERIC","features":[384,379]},{"name":"WPD_RESOURCE_ICON","features":[384,379]},{"name":"WPD_RESOURCE_THUMBNAIL","features":[384,379]},{"name":"WPD_RESOURCE_VIDEO_CLIP","features":[384,379]},{"name":"WPD_SECTION_DATA_LENGTH","features":[384,379]},{"name":"WPD_SECTION_DATA_OFFSET","features":[384,379]},{"name":"WPD_SECTION_DATA_REFERENCED_OBJECT_RESOURCE","features":[384,379]},{"name":"WPD_SECTION_DATA_UNITS","features":[384,379]},{"name":"WPD_SECTION_DATA_UNITS_BYTES","features":[384]},{"name":"WPD_SECTION_DATA_UNITS_MILLISECONDS","features":[384]},{"name":"WPD_SECTION_DATA_UNITS_VALUES","features":[384]},{"name":"WPD_SECTION_OBJECT_PROPERTIES_V1","features":[384]},{"name":"WPD_SERVICE_INHERITANCE_IMPLEMENTATION","features":[384]},{"name":"WPD_SERVICE_INHERITANCE_TYPES","features":[384]},{"name":"WPD_SERVICE_PROPERTIES_V1","features":[384]},{"name":"WPD_SERVICE_VERSION","features":[384,379]},{"name":"WPD_SMS_ENCODING","features":[384,379]},{"name":"WPD_SMS_ENCODING_TYPES","features":[384]},{"name":"WPD_SMS_MAX_PAYLOAD","features":[384,379]},{"name":"WPD_SMS_OBJECT_PROPERTIES_V1","features":[384]},{"name":"WPD_SMS_PROVIDER","features":[384,379]},{"name":"WPD_SMS_TIMEOUT","features":[384,379]},{"name":"WPD_STILL_IMAGE_ARTIST","features":[384,379]},{"name":"WPD_STILL_IMAGE_BURST_INTERVAL","features":[384,379]},{"name":"WPD_STILL_IMAGE_BURST_NUMBER","features":[384,379]},{"name":"WPD_STILL_IMAGE_CAMERA_MANUFACTURER","features":[384,379]},{"name":"WPD_STILL_IMAGE_CAMERA_MODEL","features":[384,379]},{"name":"WPD_STILL_IMAGE_CAPTURE_DELAY","features":[384,379]},{"name":"WPD_STILL_IMAGE_CAPTURE_FORMAT","features":[384,379]},{"name":"WPD_STILL_IMAGE_CAPTURE_MODE","features":[384,379]},{"name":"WPD_STILL_IMAGE_CAPTURE_OBJECT_PROPERTIES_V1","features":[384]},{"name":"WPD_STILL_IMAGE_CAPTURE_RESOLUTION","features":[384,379]},{"name":"WPD_STILL_IMAGE_COMPRESSION_SETTING","features":[384,379]},{"name":"WPD_STILL_IMAGE_CONTRAST","features":[384,379]},{"name":"WPD_STILL_IMAGE_DIGITAL_ZOOM","features":[384,379]},{"name":"WPD_STILL_IMAGE_EFFECT_MODE","features":[384,379]},{"name":"WPD_STILL_IMAGE_EXPOSURE_BIAS_COMPENSATION","features":[384,379]},{"name":"WPD_STILL_IMAGE_EXPOSURE_INDEX","features":[384,379]},{"name":"WPD_STILL_IMAGE_EXPOSURE_METERING_MODE","features":[384,379]},{"name":"WPD_STILL_IMAGE_EXPOSURE_PROGRAM_MODE","features":[384,379]},{"name":"WPD_STILL_IMAGE_EXPOSURE_TIME","features":[384,379]},{"name":"WPD_STILL_IMAGE_FLASH_MODE","features":[384,379]},{"name":"WPD_STILL_IMAGE_FNUMBER","features":[384,379]},{"name":"WPD_STILL_IMAGE_FOCAL_LENGTH","features":[384,379]},{"name":"WPD_STILL_IMAGE_FOCUS_DISTANCE","features":[384,379]},{"name":"WPD_STILL_IMAGE_FOCUS_METERING_MODE","features":[384,379]},{"name":"WPD_STILL_IMAGE_FOCUS_MODE","features":[384,379]},{"name":"WPD_STILL_IMAGE_RGB_GAIN","features":[384,379]},{"name":"WPD_STILL_IMAGE_SHARPNESS","features":[384,379]},{"name":"WPD_STILL_IMAGE_TIMELAPSE_INTERVAL","features":[384,379]},{"name":"WPD_STILL_IMAGE_TIMELAPSE_NUMBER","features":[384,379]},{"name":"WPD_STILL_IMAGE_UPLOAD_URL","features":[384,379]},{"name":"WPD_STILL_IMAGE_WHITE_BALANCE","features":[384,379]},{"name":"WPD_STORAGE_ACCESS_CAPABILITY","features":[384,379]},{"name":"WPD_STORAGE_ACCESS_CAPABILITY_READWRITE","features":[384]},{"name":"WPD_STORAGE_ACCESS_CAPABILITY_READ_ONLY_WITHOUT_OBJECT_DELETION","features":[384]},{"name":"WPD_STORAGE_ACCESS_CAPABILITY_READ_ONLY_WITH_OBJECT_DELETION","features":[384]},{"name":"WPD_STORAGE_ACCESS_CAPABILITY_VALUES","features":[384]},{"name":"WPD_STORAGE_CAPACITY","features":[384,379]},{"name":"WPD_STORAGE_CAPACITY_IN_OBJECTS","features":[384,379]},{"name":"WPD_STORAGE_DESCRIPTION","features":[384,379]},{"name":"WPD_STORAGE_FILE_SYSTEM_TYPE","features":[384,379]},{"name":"WPD_STORAGE_FREE_SPACE_IN_BYTES","features":[384,379]},{"name":"WPD_STORAGE_FREE_SPACE_IN_OBJECTS","features":[384,379]},{"name":"WPD_STORAGE_MAX_OBJECT_SIZE","features":[384,379]},{"name":"WPD_STORAGE_OBJECT_PROPERTIES_V1","features":[384]},{"name":"WPD_STORAGE_SERIAL_NUMBER","features":[384,379]},{"name":"WPD_STORAGE_TYPE","features":[384,379]},{"name":"WPD_STORAGE_TYPE_FIXED_RAM","features":[384]},{"name":"WPD_STORAGE_TYPE_FIXED_ROM","features":[384]},{"name":"WPD_STORAGE_TYPE_REMOVABLE_RAM","features":[384]},{"name":"WPD_STORAGE_TYPE_REMOVABLE_ROM","features":[384]},{"name":"WPD_STORAGE_TYPE_UNDEFINED","features":[384]},{"name":"WPD_STORAGE_TYPE_VALUES","features":[384]},{"name":"WPD_STREAM_UNITS","features":[384]},{"name":"WPD_STREAM_UNITS_BYTES","features":[384]},{"name":"WPD_STREAM_UNITS_FRAMES","features":[384]},{"name":"WPD_STREAM_UNITS_MICROSECONDS","features":[384]},{"name":"WPD_STREAM_UNITS_MILLISECONDS","features":[384]},{"name":"WPD_STREAM_UNITS_ROWS","features":[384]},{"name":"WPD_TASK_OBJECT_PROPERTIES_V1","features":[384]},{"name":"WPD_TASK_OWNER","features":[384,379]},{"name":"WPD_TASK_PERCENT_COMPLETE","features":[384,379]},{"name":"WPD_TASK_REMINDER_DATE","features":[384,379]},{"name":"WPD_TASK_STATUS","features":[384,379]},{"name":"WPD_VIDEO_AUTHOR","features":[384,379]},{"name":"WPD_VIDEO_BITRATE","features":[384,379]},{"name":"WPD_VIDEO_BUFFER_SIZE","features":[384,379]},{"name":"WPD_VIDEO_CREDITS","features":[384,379]},{"name":"WPD_VIDEO_FOURCC_CODE","features":[384,379]},{"name":"WPD_VIDEO_FRAMERATE","features":[384,379]},{"name":"WPD_VIDEO_KEY_FRAME_DISTANCE","features":[384,379]},{"name":"WPD_VIDEO_OBJECT_PROPERTIES_V1","features":[384]},{"name":"WPD_VIDEO_QUALITY_SETTING","features":[384,379]},{"name":"WPD_VIDEO_RECORDEDTV_CHANNEL_NUMBER","features":[384,379]},{"name":"WPD_VIDEO_RECORDEDTV_REPEAT","features":[384,379]},{"name":"WPD_VIDEO_RECORDEDTV_STATION_NAME","features":[384,379]},{"name":"WPD_VIDEO_SCAN_TYPE","features":[384,379]},{"name":"WPD_VIDEO_SCAN_TYPES","features":[384]},{"name":"WPD_VIDEO_SCAN_TYPE_FIELD_INTERLEAVED_LOWER_FIRST","features":[384]},{"name":"WPD_VIDEO_SCAN_TYPE_FIELD_INTERLEAVED_UPPER_FIRST","features":[384]},{"name":"WPD_VIDEO_SCAN_TYPE_FIELD_SINGLE_LOWER_FIRST","features":[384]},{"name":"WPD_VIDEO_SCAN_TYPE_FIELD_SINGLE_UPPER_FIRST","features":[384]},{"name":"WPD_VIDEO_SCAN_TYPE_MIXED_INTERLACE","features":[384]},{"name":"WPD_VIDEO_SCAN_TYPE_MIXED_INTERLACE_AND_PROGRESSIVE","features":[384]},{"name":"WPD_VIDEO_SCAN_TYPE_PROGRESSIVE","features":[384]},{"name":"WPD_VIDEO_SCAN_TYPE_UNUSED","features":[384]},{"name":"WPD_WHITE_BALANCE_AUTOMATIC","features":[384]},{"name":"WPD_WHITE_BALANCE_DAYLIGHT","features":[384]},{"name":"WPD_WHITE_BALANCE_FLASH","features":[384]},{"name":"WPD_WHITE_BALANCE_FLORESCENT","features":[384]},{"name":"WPD_WHITE_BALANCE_MANUAL","features":[384]},{"name":"WPD_WHITE_BALANCE_ONE_PUSH_AUTOMATIC","features":[384]},{"name":"WPD_WHITE_BALANCE_SETTINGS","features":[384]},{"name":"WPD_WHITE_BALANCE_TUNGSTEN","features":[384]},{"name":"WPD_WHITE_BALANCE_UNDEFINED","features":[384]},{"name":"WpdAttributeForm","features":[384]},{"name":"WpdParameterAttributeForm","features":[384]},{"name":"WpdSerializer","features":[384]}],"382":[{"name":"DEVPKEY_DevQuery_ObjectType","features":[341]},{"name":"DEVPKEY_DeviceClass_Characteristics","features":[341]},{"name":"DEVPKEY_DeviceClass_ClassCoInstallers","features":[341]},{"name":"DEVPKEY_DeviceClass_ClassInstaller","features":[341]},{"name":"DEVPKEY_DeviceClass_ClassName","features":[341]},{"name":"DEVPKEY_DeviceClass_DHPRebalanceOptOut","features":[341]},{"name":"DEVPKEY_DeviceClass_DefaultService","features":[341]},{"name":"DEVPKEY_DeviceClass_DevType","features":[341]},{"name":"DEVPKEY_DeviceClass_Exclusive","features":[341]},{"name":"DEVPKEY_DeviceClass_Icon","features":[341]},{"name":"DEVPKEY_DeviceClass_IconPath","features":[341]},{"name":"DEVPKEY_DeviceClass_LowerFilters","features":[341]},{"name":"DEVPKEY_DeviceClass_Name","features":[341]},{"name":"DEVPKEY_DeviceClass_NoDisplayClass","features":[341]},{"name":"DEVPKEY_DeviceClass_NoInstallClass","features":[341]},{"name":"DEVPKEY_DeviceClass_NoUseClass","features":[341]},{"name":"DEVPKEY_DeviceClass_PropPageProvider","features":[341]},{"name":"DEVPKEY_DeviceClass_Security","features":[341]},{"name":"DEVPKEY_DeviceClass_SecuritySDS","features":[341]},{"name":"DEVPKEY_DeviceClass_SilentInstall","features":[341]},{"name":"DEVPKEY_DeviceClass_UpperFilters","features":[341]},{"name":"DEVPKEY_DeviceContainer_Address","features":[341]},{"name":"DEVPKEY_DeviceContainer_AlwaysShowDeviceAsConnected","features":[341]},{"name":"DEVPKEY_DeviceContainer_AssociationArray","features":[341]},{"name":"DEVPKEY_DeviceContainer_BaselineExperienceId","features":[341]},{"name":"DEVPKEY_DeviceContainer_Category","features":[341]},{"name":"DEVPKEY_DeviceContainer_CategoryGroup_Desc","features":[341]},{"name":"DEVPKEY_DeviceContainer_CategoryGroup_Icon","features":[341]},{"name":"DEVPKEY_DeviceContainer_Category_Desc_Plural","features":[341]},{"name":"DEVPKEY_DeviceContainer_Category_Desc_Singular","features":[341]},{"name":"DEVPKEY_DeviceContainer_Category_Icon","features":[341]},{"name":"DEVPKEY_DeviceContainer_ConfigFlags","features":[341]},{"name":"DEVPKEY_DeviceContainer_CustomPrivilegedPackageFamilyNames","features":[341]},{"name":"DEVPKEY_DeviceContainer_DeviceDescription1","features":[341]},{"name":"DEVPKEY_DeviceContainer_DeviceDescription2","features":[341]},{"name":"DEVPKEY_DeviceContainer_DeviceFunctionSubRank","features":[341]},{"name":"DEVPKEY_DeviceContainer_DiscoveryMethod","features":[341]},{"name":"DEVPKEY_DeviceContainer_ExperienceId","features":[341]},{"name":"DEVPKEY_DeviceContainer_FriendlyName","features":[341]},{"name":"DEVPKEY_DeviceContainer_HasProblem","features":[341]},{"name":"DEVPKEY_DeviceContainer_Icon","features":[341]},{"name":"DEVPKEY_DeviceContainer_InstallInProgress","features":[341]},{"name":"DEVPKEY_DeviceContainer_IsAuthenticated","features":[341]},{"name":"DEVPKEY_DeviceContainer_IsConnected","features":[341]},{"name":"DEVPKEY_DeviceContainer_IsDefaultDevice","features":[341]},{"name":"DEVPKEY_DeviceContainer_IsDeviceUniquelyIdentifiable","features":[341]},{"name":"DEVPKEY_DeviceContainer_IsEncrypted","features":[341]},{"name":"DEVPKEY_DeviceContainer_IsLocalMachine","features":[341]},{"name":"DEVPKEY_DeviceContainer_IsMetadataSearchInProgress","features":[341]},{"name":"DEVPKEY_DeviceContainer_IsNetworkDevice","features":[341]},{"name":"DEVPKEY_DeviceContainer_IsNotInterestingForDisplay","features":[341]},{"name":"DEVPKEY_DeviceContainer_IsPaired","features":[341]},{"name":"DEVPKEY_DeviceContainer_IsRebootRequired","features":[341]},{"name":"DEVPKEY_DeviceContainer_IsSharedDevice","features":[341]},{"name":"DEVPKEY_DeviceContainer_IsShowInDisconnectedState","features":[341]},{"name":"DEVPKEY_DeviceContainer_Last_Connected","features":[341]},{"name":"DEVPKEY_DeviceContainer_Last_Seen","features":[341]},{"name":"DEVPKEY_DeviceContainer_LaunchDeviceStageFromExplorer","features":[341]},{"name":"DEVPKEY_DeviceContainer_LaunchDeviceStageOnDeviceConnect","features":[341]},{"name":"DEVPKEY_DeviceContainer_Manufacturer","features":[341]},{"name":"DEVPKEY_DeviceContainer_MetadataCabinet","features":[341]},{"name":"DEVPKEY_DeviceContainer_MetadataChecksum","features":[341]},{"name":"DEVPKEY_DeviceContainer_MetadataPath","features":[341]},{"name":"DEVPKEY_DeviceContainer_ModelName","features":[341]},{"name":"DEVPKEY_DeviceContainer_ModelNumber","features":[341]},{"name":"DEVPKEY_DeviceContainer_PrimaryCategory","features":[341]},{"name":"DEVPKEY_DeviceContainer_PrivilegedPackageFamilyNames","features":[341]},{"name":"DEVPKEY_DeviceContainer_RequiresPairingElevation","features":[341]},{"name":"DEVPKEY_DeviceContainer_RequiresUninstallElevation","features":[341]},{"name":"DEVPKEY_DeviceContainer_UnpairUninstall","features":[341]},{"name":"DEVPKEY_DeviceContainer_Version","features":[341]},{"name":"DEVPKEY_DeviceInterfaceClass_DefaultInterface","features":[341]},{"name":"DEVPKEY_DeviceInterfaceClass_Name","features":[341]},{"name":"DEVPKEY_DeviceInterface_Autoplay_Silent","features":[341]},{"name":"DEVPKEY_DeviceInterface_ClassGuid","features":[341]},{"name":"DEVPKEY_DeviceInterface_Enabled","features":[341]},{"name":"DEVPKEY_DeviceInterface_FriendlyName","features":[341]},{"name":"DEVPKEY_DeviceInterface_ReferenceString","features":[341]},{"name":"DEVPKEY_DeviceInterface_Restricted","features":[341]},{"name":"DEVPKEY_DeviceInterface_SchematicName","features":[341]},{"name":"DEVPKEY_DeviceInterface_UnrestrictedAppCapabilities","features":[341]},{"name":"DEVPKEY_Device_AdditionalSoftwareRequested","features":[341]},{"name":"DEVPKEY_Device_Address","features":[341]},{"name":"DEVPKEY_Device_AssignedToGuest","features":[341]},{"name":"DEVPKEY_Device_BaseContainerId","features":[341]},{"name":"DEVPKEY_Device_BiosDeviceName","features":[341]},{"name":"DEVPKEY_Device_BusNumber","features":[341]},{"name":"DEVPKEY_Device_BusRelations","features":[341]},{"name":"DEVPKEY_Device_BusReportedDeviceDesc","features":[341]},{"name":"DEVPKEY_Device_BusTypeGuid","features":[341]},{"name":"DEVPKEY_Device_Capabilities","features":[341]},{"name":"DEVPKEY_Device_Characteristics","features":[341]},{"name":"DEVPKEY_Device_Children","features":[341]},{"name":"DEVPKEY_Device_Class","features":[341]},{"name":"DEVPKEY_Device_ClassGuid","features":[341]},{"name":"DEVPKEY_Device_CompanionApps","features":[341]},{"name":"DEVPKEY_Device_CompatibleIds","features":[341]},{"name":"DEVPKEY_Device_ConfigFlags","features":[341]},{"name":"DEVPKEY_Device_ConfigurationId","features":[341]},{"name":"DEVPKEY_Device_ContainerId","features":[341]},{"name":"DEVPKEY_Device_CreatorProcessId","features":[341]},{"name":"DEVPKEY_Device_DHP_Rebalance_Policy","features":[341]},{"name":"DEVPKEY_Device_DebuggerSafe","features":[341]},{"name":"DEVPKEY_Device_DependencyDependents","features":[341]},{"name":"DEVPKEY_Device_DependencyProviders","features":[341]},{"name":"DEVPKEY_Device_DevNodeStatus","features":[341]},{"name":"DEVPKEY_Device_DevType","features":[341]},{"name":"DEVPKEY_Device_DeviceDesc","features":[341]},{"name":"DEVPKEY_Device_Driver","features":[341]},{"name":"DEVPKEY_Device_DriverCoInstallers","features":[341]},{"name":"DEVPKEY_Device_DriverDate","features":[341]},{"name":"DEVPKEY_Device_DriverDesc","features":[341]},{"name":"DEVPKEY_Device_DriverInfPath","features":[341]},{"name":"DEVPKEY_Device_DriverInfSection","features":[341]},{"name":"DEVPKEY_Device_DriverInfSectionExt","features":[341]},{"name":"DEVPKEY_Device_DriverLogoLevel","features":[341]},{"name":"DEVPKEY_Device_DriverProblemDesc","features":[341]},{"name":"DEVPKEY_Device_DriverPropPageProvider","features":[341]},{"name":"DEVPKEY_Device_DriverProvider","features":[341]},{"name":"DEVPKEY_Device_DriverRank","features":[341]},{"name":"DEVPKEY_Device_DriverVersion","features":[341]},{"name":"DEVPKEY_Device_EjectionRelations","features":[341]},{"name":"DEVPKEY_Device_EnumeratorName","features":[341]},{"name":"DEVPKEY_Device_Exclusive","features":[341]},{"name":"DEVPKEY_Device_ExtendedAddress","features":[341]},{"name":"DEVPKEY_Device_ExtendedConfigurationIds","features":[341]},{"name":"DEVPKEY_Device_FirmwareDate","features":[341]},{"name":"DEVPKEY_Device_FirmwareRevision","features":[341]},{"name":"DEVPKEY_Device_FirmwareVendor","features":[341]},{"name":"DEVPKEY_Device_FirmwareVersion","features":[341]},{"name":"DEVPKEY_Device_FirstInstallDate","features":[341]},{"name":"DEVPKEY_Device_FriendlyName","features":[341]},{"name":"DEVPKEY_Device_FriendlyNameAttributes","features":[341]},{"name":"DEVPKEY_Device_GenericDriverInstalled","features":[341]},{"name":"DEVPKEY_Device_HardwareIds","features":[341]},{"name":"DEVPKEY_Device_HasProblem","features":[341]},{"name":"DEVPKEY_Device_InLocalMachineContainer","features":[341]},{"name":"DEVPKEY_Device_InstallDate","features":[341]},{"name":"DEVPKEY_Device_InstallState","features":[341]},{"name":"DEVPKEY_Device_InstanceId","features":[341]},{"name":"DEVPKEY_Device_IsAssociateableByUserAction","features":[341]},{"name":"DEVPKEY_Device_IsPresent","features":[341]},{"name":"DEVPKEY_Device_IsRebootRequired","features":[341]},{"name":"DEVPKEY_Device_LastArrivalDate","features":[341]},{"name":"DEVPKEY_Device_LastRemovalDate","features":[341]},{"name":"DEVPKEY_Device_Legacy","features":[341]},{"name":"DEVPKEY_Device_LegacyBusType","features":[341]},{"name":"DEVPKEY_Device_LocationInfo","features":[341]},{"name":"DEVPKEY_Device_LocationPaths","features":[341]},{"name":"DEVPKEY_Device_LowerFilters","features":[341]},{"name":"DEVPKEY_Device_Manufacturer","features":[341]},{"name":"DEVPKEY_Device_ManufacturerAttributes","features":[341]},{"name":"DEVPKEY_Device_MatchingDeviceId","features":[341]},{"name":"DEVPKEY_Device_Model","features":[341]},{"name":"DEVPKEY_Device_ModelId","features":[341]},{"name":"DEVPKEY_Device_NoConnectSound","features":[341]},{"name":"DEVPKEY_Device_Numa_Node","features":[341]},{"name":"DEVPKEY_Device_Numa_Proximity_Domain","features":[341]},{"name":"DEVPKEY_Device_PDOName","features":[341]},{"name":"DEVPKEY_Device_Parent","features":[341]},{"name":"DEVPKEY_Device_PhysicalDeviceLocation","features":[341]},{"name":"DEVPKEY_Device_PostInstallInProgress","features":[341]},{"name":"DEVPKEY_Device_PowerData","features":[341]},{"name":"DEVPKEY_Device_PowerRelations","features":[341]},{"name":"DEVPKEY_Device_PresenceNotForDevice","features":[341]},{"name":"DEVPKEY_Device_PrimaryCompanionApp","features":[341]},{"name":"DEVPKEY_Device_ProblemCode","features":[341]},{"name":"DEVPKEY_Device_ProblemStatus","features":[341]},{"name":"DEVPKEY_Device_RemovalPolicy","features":[341]},{"name":"DEVPKEY_Device_RemovalPolicyDefault","features":[341]},{"name":"DEVPKEY_Device_RemovalPolicyOverride","features":[341]},{"name":"DEVPKEY_Device_RemovalRelations","features":[341]},{"name":"DEVPKEY_Device_Reported","features":[341]},{"name":"DEVPKEY_Device_ReportedDeviceIdsHash","features":[341]},{"name":"DEVPKEY_Device_ResourcePickerExceptions","features":[341]},{"name":"DEVPKEY_Device_ResourcePickerTags","features":[341]},{"name":"DEVPKEY_Device_SafeRemovalRequired","features":[341]},{"name":"DEVPKEY_Device_SafeRemovalRequiredOverride","features":[341]},{"name":"DEVPKEY_Device_Security","features":[341]},{"name":"DEVPKEY_Device_SecuritySDS","features":[341]},{"name":"DEVPKEY_Device_Service","features":[341]},{"name":"DEVPKEY_Device_SessionId","features":[341]},{"name":"DEVPKEY_Device_ShowInUninstallUI","features":[341]},{"name":"DEVPKEY_Device_Siblings","features":[341]},{"name":"DEVPKEY_Device_SignalStrength","features":[341]},{"name":"DEVPKEY_Device_SoftRestartSupported","features":[341]},{"name":"DEVPKEY_Device_Stack","features":[341]},{"name":"DEVPKEY_Device_TransportRelations","features":[341]},{"name":"DEVPKEY_Device_UINumber","features":[341]},{"name":"DEVPKEY_Device_UINumberDescFormat","features":[341]},{"name":"DEVPKEY_Device_UpperFilters","features":[341]},{"name":"DEVPKEY_DrvPkg_BrandingIcon","features":[341]},{"name":"DEVPKEY_DrvPkg_DetailedDescription","features":[341]},{"name":"DEVPKEY_DrvPkg_DocumentationLink","features":[341]},{"name":"DEVPKEY_DrvPkg_Icon","features":[341]},{"name":"DEVPKEY_DrvPkg_Model","features":[341]},{"name":"DEVPKEY_DrvPkg_VendorWebSite","features":[341]},{"name":"DEVPKEY_NAME","features":[341]},{"name":"DEVPROPCOMPKEY","features":[341]},{"name":"DEVPROPERTY","features":[341]},{"name":"DEVPROPID_FIRST_USABLE","features":[341]},{"name":"DEVPROPKEY","features":[341]},{"name":"DEVPROPSTORE","features":[341]},{"name":"DEVPROPTYPE","features":[341]},{"name":"DEVPROP_BOOLEAN","features":[341]},{"name":"DEVPROP_FALSE","features":[341]},{"name":"DEVPROP_MASK_TYPE","features":[341]},{"name":"DEVPROP_MASK_TYPEMOD","features":[341]},{"name":"DEVPROP_STORE_SYSTEM","features":[341]},{"name":"DEVPROP_STORE_USER","features":[341]},{"name":"DEVPROP_TRUE","features":[341]},{"name":"DEVPROP_TYPEMOD_ARRAY","features":[341]},{"name":"DEVPROP_TYPEMOD_LIST","features":[341]},{"name":"DEVPROP_TYPE_BINARY","features":[341]},{"name":"DEVPROP_TYPE_BOOLEAN","features":[341]},{"name":"DEVPROP_TYPE_BYTE","features":[341]},{"name":"DEVPROP_TYPE_CURRENCY","features":[341]},{"name":"DEVPROP_TYPE_DATE","features":[341]},{"name":"DEVPROP_TYPE_DECIMAL","features":[341]},{"name":"DEVPROP_TYPE_DEVPROPKEY","features":[341]},{"name":"DEVPROP_TYPE_DEVPROPTYPE","features":[341]},{"name":"DEVPROP_TYPE_DOUBLE","features":[341]},{"name":"DEVPROP_TYPE_EMPTY","features":[341]},{"name":"DEVPROP_TYPE_ERROR","features":[341]},{"name":"DEVPROP_TYPE_FILETIME","features":[341]},{"name":"DEVPROP_TYPE_FLOAT","features":[341]},{"name":"DEVPROP_TYPE_GUID","features":[341]},{"name":"DEVPROP_TYPE_INT16","features":[341]},{"name":"DEVPROP_TYPE_INT32","features":[341]},{"name":"DEVPROP_TYPE_INT64","features":[341]},{"name":"DEVPROP_TYPE_NTSTATUS","features":[341]},{"name":"DEVPROP_TYPE_NULL","features":[341]},{"name":"DEVPROP_TYPE_SBYTE","features":[341]},{"name":"DEVPROP_TYPE_SECURITY_DESCRIPTOR","features":[341]},{"name":"DEVPROP_TYPE_SECURITY_DESCRIPTOR_STRING","features":[341]},{"name":"DEVPROP_TYPE_STRING","features":[341]},{"name":"DEVPROP_TYPE_STRING_INDIRECT","features":[341]},{"name":"DEVPROP_TYPE_STRING_LIST","features":[341]},{"name":"DEVPROP_TYPE_UINT16","features":[341]},{"name":"DEVPROP_TYPE_UINT32","features":[341]},{"name":"DEVPROP_TYPE_UINT64","features":[341]},{"name":"MAX_DEVPROP_TYPE","features":[341]},{"name":"MAX_DEVPROP_TYPEMOD","features":[341]}],"383":[{"name":"GUID_DEVINTERFACE_PWM_CONTROLLER","features":[385]},{"name":"GUID_DEVINTERFACE_PWM_CONTROLLER_WSZ","features":[385]},{"name":"IOCTL_PWM_CONTROLLER_GET_ACTUAL_PERIOD","features":[385]},{"name":"IOCTL_PWM_CONTROLLER_GET_INFO","features":[385]},{"name":"IOCTL_PWM_CONTROLLER_SET_DESIRED_PERIOD","features":[385]},{"name":"IOCTL_PWM_PIN_GET_ACTIVE_DUTY_CYCLE_PERCENTAGE","features":[385]},{"name":"IOCTL_PWM_PIN_GET_POLARITY","features":[385]},{"name":"IOCTL_PWM_PIN_IS_STARTED","features":[385]},{"name":"IOCTL_PWM_PIN_SET_ACTIVE_DUTY_CYCLE_PERCENTAGE","features":[385]},{"name":"IOCTL_PWM_PIN_SET_POLARITY","features":[385]},{"name":"IOCTL_PWM_PIN_START","features":[385]},{"name":"IOCTL_PWM_PIN_STOP","features":[385]},{"name":"PWM_ACTIVE_HIGH","features":[385]},{"name":"PWM_ACTIVE_LOW","features":[385]},{"name":"PWM_CONTROLLER_GET_ACTUAL_PERIOD_OUTPUT","features":[385]},{"name":"PWM_CONTROLLER_INFO","features":[385]},{"name":"PWM_CONTROLLER_SET_DESIRED_PERIOD_INPUT","features":[385]},{"name":"PWM_CONTROLLER_SET_DESIRED_PERIOD_OUTPUT","features":[385]},{"name":"PWM_IOCTL_ID_CONTROLLER_GET_ACTUAL_PERIOD","features":[385]},{"name":"PWM_IOCTL_ID_CONTROLLER_GET_INFO","features":[385]},{"name":"PWM_IOCTL_ID_CONTROLLER_SET_DESIRED_PERIOD","features":[385]},{"name":"PWM_IOCTL_ID_PIN_GET_ACTIVE_DUTY_CYCLE_PERCENTAGE","features":[385]},{"name":"PWM_IOCTL_ID_PIN_GET_POLARITY","features":[385]},{"name":"PWM_IOCTL_ID_PIN_IS_STARTED","features":[385]},{"name":"PWM_IOCTL_ID_PIN_SET_ACTIVE_DUTY_CYCLE_PERCENTAGE","features":[385]},{"name":"PWM_IOCTL_ID_PIN_SET_POLARITY","features":[385]},{"name":"PWM_IOCTL_ID_PIN_START","features":[385]},{"name":"PWM_IOCTL_ID_PIN_STOP","features":[385]},{"name":"PWM_PIN_GET_ACTIVE_DUTY_CYCLE_PERCENTAGE_OUTPUT","features":[385]},{"name":"PWM_PIN_GET_POLARITY_OUTPUT","features":[385]},{"name":"PWM_PIN_IS_STARTED_OUTPUT","features":[385,308]},{"name":"PWM_PIN_SET_ACTIVE_DUTY_CYCLE_PERCENTAGE_INPUT","features":[385]},{"name":"PWM_PIN_SET_POLARITY_INPUT","features":[385]},{"name":"PWM_POLARITY","features":[385]}],"384":[{"name":"ACTIVITY_STATE","features":[386]},{"name":"ACTIVITY_STATE_COUNT","features":[386]},{"name":"AXIS","features":[386]},{"name":"AXIS_MAX","features":[386]},{"name":"AXIS_X","features":[386]},{"name":"AXIS_Y","features":[386]},{"name":"AXIS_Z","features":[386]},{"name":"ActivityStateCount","features":[386]},{"name":"ActivityState_Biking","features":[386]},{"name":"ActivityState_Fidgeting","features":[386]},{"name":"ActivityState_Force_Dword","features":[386]},{"name":"ActivityState_Idle","features":[386]},{"name":"ActivityState_InVehicle","features":[386]},{"name":"ActivityState_Max","features":[386]},{"name":"ActivityState_Running","features":[386]},{"name":"ActivityState_Stationary","features":[386]},{"name":"ActivityState_Unknown","features":[386]},{"name":"ActivityState_Walking","features":[386]},{"name":"CollectionsListAllocateBufferAndSerialize","features":[386,308,379]},{"name":"CollectionsListCopyAndMarshall","features":[386,308,379]},{"name":"CollectionsListDeserializeFromBuffer","features":[386,308,379]},{"name":"CollectionsListGetFillableCount","features":[386]},{"name":"CollectionsListGetMarshalledSize","features":[386,379]},{"name":"CollectionsListGetMarshalledSizeWithoutSerialization","features":[386,379]},{"name":"CollectionsListGetSerializedSize","features":[386,379]},{"name":"CollectionsListMarshall","features":[386,308,379]},{"name":"CollectionsListSerializeToBuffer","features":[386,308,379]},{"name":"CollectionsListSortSubscribedActivitiesByConfidence","features":[386,308,379]},{"name":"CollectionsListUpdateMarshalledPointer","features":[386,308,379]},{"name":"ELEVATION_CHANGE_MODE","features":[386]},{"name":"ElevationChangeMode_Elevator","features":[386]},{"name":"ElevationChangeMode_Force_Dword","features":[386]},{"name":"ElevationChangeMode_Max","features":[386]},{"name":"ElevationChangeMode_Stepping","features":[386]},{"name":"ElevationChangeMode_Unknown","features":[386]},{"name":"EvaluateActivityThresholds","features":[386,308,379]},{"name":"GNSS_CLEAR_ALL_ASSISTANCE_DATA","features":[386]},{"name":"GUID_DEVINTERFACE_SENSOR","features":[386]},{"name":"GUID_SensorCategory_All","features":[386]},{"name":"GUID_SensorCategory_Biometric","features":[386]},{"name":"GUID_SensorCategory_Electrical","features":[386]},{"name":"GUID_SensorCategory_Environmental","features":[386]},{"name":"GUID_SensorCategory_Light","features":[386]},{"name":"GUID_SensorCategory_Location","features":[386]},{"name":"GUID_SensorCategory_Mechanical","features":[386]},{"name":"GUID_SensorCategory_Motion","features":[386]},{"name":"GUID_SensorCategory_Orientation","features":[386]},{"name":"GUID_SensorCategory_Other","features":[386]},{"name":"GUID_SensorCategory_PersonalActivity","features":[386]},{"name":"GUID_SensorCategory_Scanner","features":[386]},{"name":"GUID_SensorCategory_Unsupported","features":[386]},{"name":"GUID_SensorType_Accelerometer3D","features":[386]},{"name":"GUID_SensorType_ActivityDetection","features":[386]},{"name":"GUID_SensorType_AmbientLight","features":[386]},{"name":"GUID_SensorType_Barometer","features":[386]},{"name":"GUID_SensorType_Custom","features":[386]},{"name":"GUID_SensorType_FloorElevation","features":[386]},{"name":"GUID_SensorType_GeomagneticOrientation","features":[386]},{"name":"GUID_SensorType_GravityVector","features":[386]},{"name":"GUID_SensorType_Gyrometer3D","features":[386]},{"name":"GUID_SensorType_HingeAngle","features":[386]},{"name":"GUID_SensorType_Humidity","features":[386]},{"name":"GUID_SensorType_LinearAccelerometer","features":[386]},{"name":"GUID_SensorType_Magnetometer3D","features":[386]},{"name":"GUID_SensorType_Orientation","features":[386]},{"name":"GUID_SensorType_Pedometer","features":[386]},{"name":"GUID_SensorType_Proximity","features":[386]},{"name":"GUID_SensorType_RelativeOrientation","features":[386]},{"name":"GUID_SensorType_SimpleDeviceOrientation","features":[386]},{"name":"GUID_SensorType_Temperature","features":[386]},{"name":"GetPerformanceTime","features":[386,308]},{"name":"HUMAN_PRESENCE_DETECTION_TYPE","features":[386]},{"name":"HUMAN_PRESENCE_DETECTION_TYPE_COUNT","features":[386]},{"name":"HumanPresenceDetectionTypeCount","features":[386]},{"name":"HumanPresenceDetectionType_AudioBiometric","features":[386]},{"name":"HumanPresenceDetectionType_FacialBiometric","features":[386]},{"name":"HumanPresenceDetectionType_Force_Dword","features":[386]},{"name":"HumanPresenceDetectionType_Undefined","features":[386]},{"name":"HumanPresenceDetectionType_VendorDefinedBiometric","features":[386]},{"name":"HumanPresenceDetectionType_VendorDefinedNonBiometric","features":[386]},{"name":"ILocationPermissions","features":[386]},{"name":"ISensor","features":[386]},{"name":"ISensorCollection","features":[386]},{"name":"ISensorDataReport","features":[386]},{"name":"ISensorEvents","features":[386]},{"name":"ISensorManager","features":[386]},{"name":"ISensorManagerEvents","features":[386]},{"name":"InitPropVariantFromCLSIDArray","features":[386]},{"name":"InitPropVariantFromFloat","features":[386]},{"name":"IsCollectionListSame","features":[386,308,379]},{"name":"IsGUIDPresentInList","features":[386,308]},{"name":"IsKeyPresentInCollectionList","features":[386,308,379]},{"name":"IsKeyPresentInPropertyList","features":[386,308,379]},{"name":"IsSensorSubscribed","features":[386,308,379]},{"name":"LOCATION_DESIRED_ACCURACY","features":[386]},{"name":"LOCATION_DESIRED_ACCURACY_DEFAULT","features":[386]},{"name":"LOCATION_DESIRED_ACCURACY_HIGH","features":[386]},{"name":"LOCATION_POSITION_SOURCE","features":[386]},{"name":"LOCATION_POSITION_SOURCE_CELLULAR","features":[386]},{"name":"LOCATION_POSITION_SOURCE_IPADDRESS","features":[386]},{"name":"LOCATION_POSITION_SOURCE_SATELLITE","features":[386]},{"name":"LOCATION_POSITION_SOURCE_UNKNOWN","features":[386]},{"name":"LOCATION_POSITION_SOURCE_WIFI","features":[386]},{"name":"MAGNETOMETER_ACCURACY","features":[386]},{"name":"MAGNETOMETER_ACCURACY_APPROXIMATE","features":[386]},{"name":"MAGNETOMETER_ACCURACY_HIGH","features":[386]},{"name":"MAGNETOMETER_ACCURACY_UNKNOWN","features":[386]},{"name":"MAGNETOMETER_ACCURACY_UNRELIABLE","features":[386]},{"name":"MATRIX3X3","features":[386]},{"name":"MagnetometerAccuracy","features":[386]},{"name":"MagnetometerAccuracy_Approximate","features":[386]},{"name":"MagnetometerAccuracy_High","features":[386]},{"name":"MagnetometerAccuracy_Unknown","features":[386]},{"name":"MagnetometerAccuracy_Unreliable","features":[386]},{"name":"PEDOMETER_STEP_TYPE","features":[386]},{"name":"PEDOMETER_STEP_TYPE_COUNT","features":[386]},{"name":"PROXIMITY_SENSOR_CAPABILITIES","features":[386]},{"name":"PROXIMITY_TYPE","features":[386]},{"name":"PedometerStepTypeCount","features":[386]},{"name":"PedometerStepType_Force_Dword","features":[386]},{"name":"PedometerStepType_Max","features":[386]},{"name":"PedometerStepType_Running","features":[386]},{"name":"PedometerStepType_Unknown","features":[386]},{"name":"PedometerStepType_Walking","features":[386]},{"name":"PropKeyFindKeyGetBool","features":[386,308,379]},{"name":"PropKeyFindKeyGetDouble","features":[386,308,379]},{"name":"PropKeyFindKeyGetFileTime","features":[386,308,379]},{"name":"PropKeyFindKeyGetFloat","features":[386,308,379]},{"name":"PropKeyFindKeyGetGuid","features":[386,308,379]},{"name":"PropKeyFindKeyGetInt32","features":[386,308,379]},{"name":"PropKeyFindKeyGetInt64","features":[386,308,379]},{"name":"PropKeyFindKeyGetNthInt64","features":[386,308,379]},{"name":"PropKeyFindKeyGetNthUlong","features":[386,308,379]},{"name":"PropKeyFindKeyGetNthUshort","features":[386,308,379]},{"name":"PropKeyFindKeyGetPropVariant","features":[386,308,379]},{"name":"PropKeyFindKeyGetUlong","features":[386,308,379]},{"name":"PropKeyFindKeyGetUshort","features":[386,308,379]},{"name":"PropKeyFindKeySetPropVariant","features":[386,308,379]},{"name":"PropVariantGetInformation","features":[341,386,308]},{"name":"PropertiesListCopy","features":[386,308,379]},{"name":"PropertiesListGetFillableCount","features":[386]},{"name":"ProximityType_Force_Dword","features":[386]},{"name":"ProximityType_HumanProximity","features":[386]},{"name":"ProximityType_ObjectProximity","features":[386]},{"name":"Proximity_Sensor_Human_Engagement_Capable","features":[386]},{"name":"Proximity_Sensor_Human_Presence_Capable","features":[386]},{"name":"Proximity_Sensor_Supported_Capabilities","features":[386]},{"name":"QUATERNION","features":[386]},{"name":"SENSOR_CATEGORY_ALL","features":[386]},{"name":"SENSOR_CATEGORY_BIOMETRIC","features":[386]},{"name":"SENSOR_CATEGORY_ELECTRICAL","features":[386]},{"name":"SENSOR_CATEGORY_ENVIRONMENTAL","features":[386]},{"name":"SENSOR_CATEGORY_LIGHT","features":[386]},{"name":"SENSOR_CATEGORY_LOCATION","features":[386]},{"name":"SENSOR_CATEGORY_MECHANICAL","features":[386]},{"name":"SENSOR_CATEGORY_MOTION","features":[386]},{"name":"SENSOR_CATEGORY_ORIENTATION","features":[386]},{"name":"SENSOR_CATEGORY_OTHER","features":[386]},{"name":"SENSOR_CATEGORY_SCANNER","features":[386]},{"name":"SENSOR_CATEGORY_UNSUPPORTED","features":[386]},{"name":"SENSOR_COLLECTION_LIST","features":[386,379]},{"name":"SENSOR_CONNECTION_TYPES","features":[386]},{"name":"SENSOR_CONNECTION_TYPE_PC_ATTACHED","features":[386]},{"name":"SENSOR_CONNECTION_TYPE_PC_EXTERNAL","features":[386]},{"name":"SENSOR_CONNECTION_TYPE_PC_INTEGRATED","features":[386]},{"name":"SENSOR_DATA_TYPE_ABSOLUTE_PRESSURE_PASCAL","features":[386,379]},{"name":"SENSOR_DATA_TYPE_ACCELERATION_X_G","features":[386,379]},{"name":"SENSOR_DATA_TYPE_ACCELERATION_Y_G","features":[386,379]},{"name":"SENSOR_DATA_TYPE_ACCELERATION_Z_G","features":[386,379]},{"name":"SENSOR_DATA_TYPE_ADDRESS1","features":[386,379]},{"name":"SENSOR_DATA_TYPE_ADDRESS2","features":[386,379]},{"name":"SENSOR_DATA_TYPE_ALTITUDE_ANTENNA_SEALEVEL_METERS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_ALTITUDE_ELLIPSOID_ERROR_METERS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_ALTITUDE_ELLIPSOID_METERS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_ALTITUDE_SEALEVEL_ERROR_METERS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_ALTITUDE_SEALEVEL_METERS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_ANGULAR_ACCELERATION_X_DEGREES_PER_SECOND_SQUARED","features":[386,379]},{"name":"SENSOR_DATA_TYPE_ANGULAR_ACCELERATION_Y_DEGREES_PER_SECOND_SQUARED","features":[386,379]},{"name":"SENSOR_DATA_TYPE_ANGULAR_ACCELERATION_Z_DEGREES_PER_SECOND_SQUARED","features":[386,379]},{"name":"SENSOR_DATA_TYPE_ANGULAR_VELOCITY_X_DEGREES_PER_SECOND","features":[386,379]},{"name":"SENSOR_DATA_TYPE_ANGULAR_VELOCITY_Y_DEGREES_PER_SECOND","features":[386,379]},{"name":"SENSOR_DATA_TYPE_ANGULAR_VELOCITY_Z_DEGREES_PER_SECOND","features":[386,379]},{"name":"SENSOR_DATA_TYPE_ATMOSPHERIC_PRESSURE_BAR","features":[386,379]},{"name":"SENSOR_DATA_TYPE_BIOMETRIC_GUID","features":[386]},{"name":"SENSOR_DATA_TYPE_BOOLEAN_SWITCH_ARRAY_STATES","features":[386,379]},{"name":"SENSOR_DATA_TYPE_BOOLEAN_SWITCH_STATE","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CAPACITANCE_FARAD","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CITY","features":[386,379]},{"name":"SENSOR_DATA_TYPE_COMMON_GUID","features":[386]},{"name":"SENSOR_DATA_TYPE_COUNTRY_REGION","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CURRENT_AMPS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_BOOLEAN_ARRAY","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_GUID","features":[386]},{"name":"SENSOR_DATA_TYPE_CUSTOM_USAGE","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE1","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE10","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE11","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE12","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE13","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE14","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE15","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE16","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE17","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE18","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE19","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE2","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE20","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE21","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE22","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE23","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE24","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE25","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE26","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE27","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE28","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE3","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE4","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE5","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE6","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE7","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE8","features":[386,379]},{"name":"SENSOR_DATA_TYPE_CUSTOM_VALUE9","features":[386,379]},{"name":"SENSOR_DATA_TYPE_DGPS_DATA_AGE","features":[386,379]},{"name":"SENSOR_DATA_TYPE_DIFFERENTIAL_REFERENCE_STATION_ID","features":[386,379]},{"name":"SENSOR_DATA_TYPE_DISTANCE_X_METERS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_DISTANCE_Y_METERS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_DISTANCE_Z_METERS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_ELECTRICAL_FREQUENCY_HERTZ","features":[386,379]},{"name":"SENSOR_DATA_TYPE_ELECTRICAL_GUID","features":[386]},{"name":"SENSOR_DATA_TYPE_ELECTRICAL_PERCENT_OF_RANGE","features":[386,379]},{"name":"SENSOR_DATA_TYPE_ELECTRICAL_POWER_WATTS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_ENVIRONMENTAL_GUID","features":[386]},{"name":"SENSOR_DATA_TYPE_ERROR_RADIUS_METERS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_FIX_QUALITY","features":[386,379]},{"name":"SENSOR_DATA_TYPE_FIX_TYPE","features":[386,379]},{"name":"SENSOR_DATA_TYPE_FORCE_NEWTONS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_GAUGE_PRESSURE_PASCAL","features":[386,379]},{"name":"SENSOR_DATA_TYPE_GEOIDAL_SEPARATION","features":[386,379]},{"name":"SENSOR_DATA_TYPE_GPS_OPERATION_MODE","features":[386,379]},{"name":"SENSOR_DATA_TYPE_GPS_SELECTION_MODE","features":[386,379]},{"name":"SENSOR_DATA_TYPE_GPS_STATUS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_GUID_MECHANICAL_GUID","features":[386]},{"name":"SENSOR_DATA_TYPE_HORIZONAL_DILUTION_OF_PRECISION","features":[386,379]},{"name":"SENSOR_DATA_TYPE_HUMAN_PRESENCE","features":[386,379]},{"name":"SENSOR_DATA_TYPE_HUMAN_PROXIMITY_METERS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_INDUCTANCE_HENRY","features":[386,379]},{"name":"SENSOR_DATA_TYPE_LATITUDE_DEGREES","features":[386,379]},{"name":"SENSOR_DATA_TYPE_LIGHT_CHROMACITY","features":[386,379]},{"name":"SENSOR_DATA_TYPE_LIGHT_GUID","features":[386]},{"name":"SENSOR_DATA_TYPE_LIGHT_LEVEL_LUX","features":[386,379]},{"name":"SENSOR_DATA_TYPE_LIGHT_TEMPERATURE_KELVIN","features":[386,379]},{"name":"SENSOR_DATA_TYPE_LOCATION_GUID","features":[386]},{"name":"SENSOR_DATA_TYPE_LOCATION_SOURCE","features":[386,379]},{"name":"SENSOR_DATA_TYPE_LONGITUDE_DEGREES","features":[386,379]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_FIELD_STRENGTH_X_MILLIGAUSS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_FIELD_STRENGTH_Y_MILLIGAUSS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_FIELD_STRENGTH_Z_MILLIGAUSS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_HEADING_COMPENSATED_MAGNETIC_NORTH_DEGREES","features":[386,379]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_HEADING_COMPENSATED_TRUE_NORTH_DEGREES","features":[386,379]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_HEADING_DEGREES","features":[386,379]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_HEADING_MAGNETIC_NORTH_DEGREES","features":[386,379]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_HEADING_TRUE_NORTH_DEGREES","features":[386,379]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_HEADING_X_DEGREES","features":[386,379]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_HEADING_Y_DEGREES","features":[386,379]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_HEADING_Z_DEGREES","features":[386,379]},{"name":"SENSOR_DATA_TYPE_MAGNETIC_VARIATION","features":[386,379]},{"name":"SENSOR_DATA_TYPE_MAGNETOMETER_ACCURACY","features":[386,379]},{"name":"SENSOR_DATA_TYPE_MOTION_GUID","features":[386]},{"name":"SENSOR_DATA_TYPE_MOTION_STATE","features":[386,379]},{"name":"SENSOR_DATA_TYPE_MULTIVALUE_SWITCH_STATE","features":[386,379]},{"name":"SENSOR_DATA_TYPE_NMEA_SENTENCE","features":[386,379]},{"name":"SENSOR_DATA_TYPE_ORIENTATION_GUID","features":[386]},{"name":"SENSOR_DATA_TYPE_POSITION_DILUTION_OF_PRECISION","features":[386,379]},{"name":"SENSOR_DATA_TYPE_POSTALCODE","features":[386,379]},{"name":"SENSOR_DATA_TYPE_QUADRANT_ANGLE_DEGREES","features":[386,379]},{"name":"SENSOR_DATA_TYPE_QUATERNION","features":[386,379]},{"name":"SENSOR_DATA_TYPE_RELATIVE_HUMIDITY_PERCENT","features":[386,379]},{"name":"SENSOR_DATA_TYPE_RESISTANCE_OHMS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_RFID_TAG_40_BIT","features":[386,379]},{"name":"SENSOR_DATA_TYPE_ROTATION_MATRIX","features":[386,379]},{"name":"SENSOR_DATA_TYPE_SATELLITES_IN_VIEW","features":[386,379]},{"name":"SENSOR_DATA_TYPE_SATELLITES_IN_VIEW_AZIMUTH","features":[386,379]},{"name":"SENSOR_DATA_TYPE_SATELLITES_IN_VIEW_ELEVATION","features":[386,379]},{"name":"SENSOR_DATA_TYPE_SATELLITES_IN_VIEW_ID","features":[386,379]},{"name":"SENSOR_DATA_TYPE_SATELLITES_IN_VIEW_PRNS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_SATELLITES_IN_VIEW_STN_RATIO","features":[386,379]},{"name":"SENSOR_DATA_TYPE_SATELLITES_USED_COUNT","features":[386,379]},{"name":"SENSOR_DATA_TYPE_SATELLITES_USED_PRNS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_SATELLITES_USED_PRNS_AND_CONSTELLATIONS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_SCANNER_GUID","features":[386]},{"name":"SENSOR_DATA_TYPE_SIMPLE_DEVICE_ORIENTATION","features":[386,379]},{"name":"SENSOR_DATA_TYPE_SPEED_KNOTS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_SPEED_METERS_PER_SECOND","features":[386,379]},{"name":"SENSOR_DATA_TYPE_STATE_PROVINCE","features":[386,379]},{"name":"SENSOR_DATA_TYPE_STRAIN","features":[386,379]},{"name":"SENSOR_DATA_TYPE_TEMPERATURE_CELSIUS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_TILT_X_DEGREES","features":[386,379]},{"name":"SENSOR_DATA_TYPE_TILT_Y_DEGREES","features":[386,379]},{"name":"SENSOR_DATA_TYPE_TILT_Z_DEGREES","features":[386,379]},{"name":"SENSOR_DATA_TYPE_TIMESTAMP","features":[386,379]},{"name":"SENSOR_DATA_TYPE_TOUCH_STATE","features":[386,379]},{"name":"SENSOR_DATA_TYPE_TRUE_HEADING_DEGREES","features":[386,379]},{"name":"SENSOR_DATA_TYPE_VERTICAL_DILUTION_OF_PRECISION","features":[386,379]},{"name":"SENSOR_DATA_TYPE_VOLTAGE_VOLTS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_WEIGHT_KILOGRAMS","features":[386,379]},{"name":"SENSOR_DATA_TYPE_WIND_DIRECTION_DEGREES_ANTICLOCKWISE","features":[386,379]},{"name":"SENSOR_DATA_TYPE_WIND_SPEED_METERS_PER_SECOND","features":[386,379]},{"name":"SENSOR_ERROR_PARAMETER_COMMON_GUID","features":[386]},{"name":"SENSOR_EVENT_ACCELEROMETER_SHAKE","features":[386]},{"name":"SENSOR_EVENT_DATA_UPDATED","features":[386]},{"name":"SENSOR_EVENT_PARAMETER_COMMON_GUID","features":[386]},{"name":"SENSOR_EVENT_PARAMETER_EVENT_ID","features":[386,379]},{"name":"SENSOR_EVENT_PARAMETER_STATE","features":[386,379]},{"name":"SENSOR_EVENT_PROPERTY_CHANGED","features":[386]},{"name":"SENSOR_EVENT_STATE_CHANGED","features":[386]},{"name":"SENSOR_PROPERTY_ACCURACY","features":[386,379]},{"name":"SENSOR_PROPERTY_CHANGE_SENSITIVITY","features":[386,379]},{"name":"SENSOR_PROPERTY_CLEAR_ASSISTANCE_DATA","features":[386,379]},{"name":"SENSOR_PROPERTY_COMMON_GUID","features":[386]},{"name":"SENSOR_PROPERTY_CONNECTION_TYPE","features":[386,379]},{"name":"SENSOR_PROPERTY_CURRENT_REPORT_INTERVAL","features":[386,379]},{"name":"SENSOR_PROPERTY_DESCRIPTION","features":[386,379]},{"name":"SENSOR_PROPERTY_DEVICE_PATH","features":[386,379]},{"name":"SENSOR_PROPERTY_FRIENDLY_NAME","features":[386,379]},{"name":"SENSOR_PROPERTY_HID_USAGE","features":[386,379]},{"name":"SENSOR_PROPERTY_LIGHT_RESPONSE_CURVE","features":[386,379]},{"name":"SENSOR_PROPERTY_LIST","features":[386,379]},{"name":"SENSOR_PROPERTY_LIST_HEADER_SIZE","features":[386]},{"name":"SENSOR_PROPERTY_LOCATION_DESIRED_ACCURACY","features":[386,379]},{"name":"SENSOR_PROPERTY_MANUFACTURER","features":[386,379]},{"name":"SENSOR_PROPERTY_MIN_REPORT_INTERVAL","features":[386,379]},{"name":"SENSOR_PROPERTY_MODEL","features":[386,379]},{"name":"SENSOR_PROPERTY_PERSISTENT_UNIQUE_ID","features":[386,379]},{"name":"SENSOR_PROPERTY_RADIO_STATE","features":[386,379]},{"name":"SENSOR_PROPERTY_RADIO_STATE_PREVIOUS","features":[386,379]},{"name":"SENSOR_PROPERTY_RANGE_MAXIMUM","features":[386,379]},{"name":"SENSOR_PROPERTY_RANGE_MINIMUM","features":[386,379]},{"name":"SENSOR_PROPERTY_RESOLUTION","features":[386,379]},{"name":"SENSOR_PROPERTY_SERIAL_NUMBER","features":[386,379]},{"name":"SENSOR_PROPERTY_STATE","features":[386,379]},{"name":"SENSOR_PROPERTY_TEST_GUID","features":[386]},{"name":"SENSOR_PROPERTY_TURN_ON_OFF_NMEA","features":[386,379]},{"name":"SENSOR_PROPERTY_TYPE","features":[386,379]},{"name":"SENSOR_STATE","features":[386]},{"name":"SENSOR_STATE_ACCESS_DENIED","features":[386]},{"name":"SENSOR_STATE_ERROR","features":[386]},{"name":"SENSOR_STATE_INITIALIZING","features":[386]},{"name":"SENSOR_STATE_MAX","features":[386]},{"name":"SENSOR_STATE_MIN","features":[386]},{"name":"SENSOR_STATE_NOT_AVAILABLE","features":[386]},{"name":"SENSOR_STATE_NO_DATA","features":[386]},{"name":"SENSOR_STATE_READY","features":[386]},{"name":"SENSOR_TYPE_ACCELEROMETER_1D","features":[386]},{"name":"SENSOR_TYPE_ACCELEROMETER_2D","features":[386]},{"name":"SENSOR_TYPE_ACCELEROMETER_3D","features":[386]},{"name":"SENSOR_TYPE_AGGREGATED_DEVICE_ORIENTATION","features":[386]},{"name":"SENSOR_TYPE_AGGREGATED_QUADRANT_ORIENTATION","features":[386]},{"name":"SENSOR_TYPE_AGGREGATED_SIMPLE_DEVICE_ORIENTATION","features":[386]},{"name":"SENSOR_TYPE_AMBIENT_LIGHT","features":[386]},{"name":"SENSOR_TYPE_BARCODE_SCANNER","features":[386]},{"name":"SENSOR_TYPE_BOOLEAN_SWITCH","features":[386]},{"name":"SENSOR_TYPE_BOOLEAN_SWITCH_ARRAY","features":[386]},{"name":"SENSOR_TYPE_CAPACITANCE","features":[386]},{"name":"SENSOR_TYPE_COMPASS_1D","features":[386]},{"name":"SENSOR_TYPE_COMPASS_2D","features":[386]},{"name":"SENSOR_TYPE_COMPASS_3D","features":[386]},{"name":"SENSOR_TYPE_CURRENT","features":[386]},{"name":"SENSOR_TYPE_CUSTOM","features":[386]},{"name":"SENSOR_TYPE_DISTANCE_1D","features":[386]},{"name":"SENSOR_TYPE_DISTANCE_2D","features":[386]},{"name":"SENSOR_TYPE_DISTANCE_3D","features":[386]},{"name":"SENSOR_TYPE_ELECTRICAL_POWER","features":[386]},{"name":"SENSOR_TYPE_ENVIRONMENTAL_ATMOSPHERIC_PRESSURE","features":[386]},{"name":"SENSOR_TYPE_ENVIRONMENTAL_HUMIDITY","features":[386]},{"name":"SENSOR_TYPE_ENVIRONMENTAL_TEMPERATURE","features":[386]},{"name":"SENSOR_TYPE_ENVIRONMENTAL_WIND_DIRECTION","features":[386]},{"name":"SENSOR_TYPE_ENVIRONMENTAL_WIND_SPEED","features":[386]},{"name":"SENSOR_TYPE_FORCE","features":[386]},{"name":"SENSOR_TYPE_FREQUENCY","features":[386]},{"name":"SENSOR_TYPE_GYROMETER_1D","features":[386]},{"name":"SENSOR_TYPE_GYROMETER_2D","features":[386]},{"name":"SENSOR_TYPE_GYROMETER_3D","features":[386]},{"name":"SENSOR_TYPE_HUMAN_PRESENCE","features":[386]},{"name":"SENSOR_TYPE_HUMAN_PROXIMITY","features":[386]},{"name":"SENSOR_TYPE_INCLINOMETER_1D","features":[386]},{"name":"SENSOR_TYPE_INCLINOMETER_2D","features":[386]},{"name":"SENSOR_TYPE_INCLINOMETER_3D","features":[386]},{"name":"SENSOR_TYPE_INDUCTANCE","features":[386]},{"name":"SENSOR_TYPE_LOCATION_BROADCAST","features":[386]},{"name":"SENSOR_TYPE_LOCATION_DEAD_RECKONING","features":[386]},{"name":"SENSOR_TYPE_LOCATION_GPS","features":[386]},{"name":"SENSOR_TYPE_LOCATION_LOOKUP","features":[386]},{"name":"SENSOR_TYPE_LOCATION_OTHER","features":[386]},{"name":"SENSOR_TYPE_LOCATION_STATIC","features":[386]},{"name":"SENSOR_TYPE_LOCATION_TRIANGULATION","features":[386]},{"name":"SENSOR_TYPE_MOTION_DETECTOR","features":[386]},{"name":"SENSOR_TYPE_MULTIVALUE_SWITCH","features":[386]},{"name":"SENSOR_TYPE_POTENTIOMETER","features":[386]},{"name":"SENSOR_TYPE_PRESSURE","features":[386]},{"name":"SENSOR_TYPE_RESISTANCE","features":[386]},{"name":"SENSOR_TYPE_RFID_SCANNER","features":[386]},{"name":"SENSOR_TYPE_SCALE","features":[386]},{"name":"SENSOR_TYPE_SPEEDOMETER","features":[386]},{"name":"SENSOR_TYPE_STRAIN","features":[386]},{"name":"SENSOR_TYPE_TOUCH","features":[386]},{"name":"SENSOR_TYPE_UNKNOWN","features":[386]},{"name":"SENSOR_TYPE_VOLTAGE","features":[386]},{"name":"SENSOR_VALUE_PAIR","features":[386,379]},{"name":"SIMPLE_DEVICE_ORIENTATION","features":[386]},{"name":"SIMPLE_DEVICE_ORIENTATION_NOT_ROTATED","features":[386]},{"name":"SIMPLE_DEVICE_ORIENTATION_ROTATED_180","features":[386]},{"name":"SIMPLE_DEVICE_ORIENTATION_ROTATED_270","features":[386]},{"name":"SIMPLE_DEVICE_ORIENTATION_ROTATED_90","features":[386]},{"name":"SIMPLE_DEVICE_ORIENTATION_ROTATED_FACE_DOWN","features":[386]},{"name":"SIMPLE_DEVICE_ORIENTATION_ROTATED_FACE_UP","features":[386]},{"name":"Sensor","features":[386]},{"name":"SensorCollection","features":[386]},{"name":"SensorCollectionGetAt","features":[386,308,379]},{"name":"SensorConnectionType","features":[386]},{"name":"SensorConnectionType_Attached","features":[386]},{"name":"SensorConnectionType_External","features":[386]},{"name":"SensorConnectionType_Integrated","features":[386]},{"name":"SensorDataReport","features":[386]},{"name":"SensorManager","features":[386]},{"name":"SensorState","features":[386]},{"name":"SensorState_Active","features":[386]},{"name":"SensorState_Error","features":[386]},{"name":"SensorState_Idle","features":[386]},{"name":"SensorState_Initializing","features":[386]},{"name":"SerializationBufferAllocate","features":[386,308]},{"name":"SerializationBufferFree","features":[386]},{"name":"SimpleDeviceOrientation","features":[386]},{"name":"SimpleDeviceOrientation_Facedown","features":[386]},{"name":"SimpleDeviceOrientation_Faceup","features":[386]},{"name":"SimpleDeviceOrientation_NotRotated","features":[386]},{"name":"SimpleDeviceOrientation_Rotated180DegreesCounterclockwise","features":[386]},{"name":"SimpleDeviceOrientation_Rotated270DegreesCounterclockwise","features":[386]},{"name":"SimpleDeviceOrientation_Rotated90DegreesCounterclockwise","features":[386]},{"name":"VEC3D","features":[386]}],"385":[{"name":"CDB_REPORT_BITS","features":[387]},{"name":"CDB_REPORT_BYTES","features":[387]},{"name":"COMDB_MAX_PORTS_ARBITRATED","features":[387]},{"name":"COMDB_MIN_PORTS_ARBITRATED","features":[387]},{"name":"ComDBClaimNextFreePort","features":[387]},{"name":"ComDBClaimPort","features":[387,308]},{"name":"ComDBClose","features":[387]},{"name":"ComDBGetCurrentPortUsage","features":[387]},{"name":"ComDBOpen","features":[387]},{"name":"ComDBReleasePort","features":[387]},{"name":"ComDBResizeDatabase","features":[387]},{"name":"DEVPKEY_DeviceInterface_Serial_PortName","features":[341,387]},{"name":"DEVPKEY_DeviceInterface_Serial_UsbProductId","features":[341,387]},{"name":"DEVPKEY_DeviceInterface_Serial_UsbVendorId","features":[341,387]},{"name":"EVEN_PARITY","features":[387]},{"name":"HCOMDB","features":[387]},{"name":"IOCTL_INTERNAL_SERENUM_REMOVE_SELF","features":[387]},{"name":"IOCTL_SERIAL_APPLY_DEFAULT_CONFIGURATION","features":[387]},{"name":"IOCTL_SERIAL_CLEAR_STATS","features":[387]},{"name":"IOCTL_SERIAL_CLR_DTR","features":[387]},{"name":"IOCTL_SERIAL_CLR_RTS","features":[387]},{"name":"IOCTL_SERIAL_CONFIG_SIZE","features":[387]},{"name":"IOCTL_SERIAL_GET_BAUD_RATE","features":[387]},{"name":"IOCTL_SERIAL_GET_CHARS","features":[387]},{"name":"IOCTL_SERIAL_GET_COMMCONFIG","features":[387]},{"name":"IOCTL_SERIAL_GET_COMMSTATUS","features":[387]},{"name":"IOCTL_SERIAL_GET_DTRRTS","features":[387]},{"name":"IOCTL_SERIAL_GET_HANDFLOW","features":[387]},{"name":"IOCTL_SERIAL_GET_LINE_CONTROL","features":[387]},{"name":"IOCTL_SERIAL_GET_MODEMSTATUS","features":[387]},{"name":"IOCTL_SERIAL_GET_MODEM_CONTROL","features":[387]},{"name":"IOCTL_SERIAL_GET_PROPERTIES","features":[387]},{"name":"IOCTL_SERIAL_GET_STATS","features":[387]},{"name":"IOCTL_SERIAL_GET_TIMEOUTS","features":[387]},{"name":"IOCTL_SERIAL_GET_WAIT_MASK","features":[387]},{"name":"IOCTL_SERIAL_IMMEDIATE_CHAR","features":[387]},{"name":"IOCTL_SERIAL_INTERNAL_BASIC_SETTINGS","features":[387]},{"name":"IOCTL_SERIAL_INTERNAL_CANCEL_WAIT_WAKE","features":[387]},{"name":"IOCTL_SERIAL_INTERNAL_DO_WAIT_WAKE","features":[387]},{"name":"IOCTL_SERIAL_INTERNAL_RESTORE_SETTINGS","features":[387]},{"name":"IOCTL_SERIAL_PURGE","features":[387]},{"name":"IOCTL_SERIAL_RESET_DEVICE","features":[387]},{"name":"IOCTL_SERIAL_SET_BAUD_RATE","features":[387]},{"name":"IOCTL_SERIAL_SET_BREAK_OFF","features":[387]},{"name":"IOCTL_SERIAL_SET_BREAK_ON","features":[387]},{"name":"IOCTL_SERIAL_SET_CHARS","features":[387]},{"name":"IOCTL_SERIAL_SET_COMMCONFIG","features":[387]},{"name":"IOCTL_SERIAL_SET_DTR","features":[387]},{"name":"IOCTL_SERIAL_SET_FIFO_CONTROL","features":[387]},{"name":"IOCTL_SERIAL_SET_HANDFLOW","features":[387]},{"name":"IOCTL_SERIAL_SET_INTERVAL_TIMER_RESOLUTION","features":[387]},{"name":"IOCTL_SERIAL_SET_LINE_CONTROL","features":[387]},{"name":"IOCTL_SERIAL_SET_MODEM_CONTROL","features":[387]},{"name":"IOCTL_SERIAL_SET_QUEUE_SIZE","features":[387]},{"name":"IOCTL_SERIAL_SET_RTS","features":[387]},{"name":"IOCTL_SERIAL_SET_TIMEOUTS","features":[387]},{"name":"IOCTL_SERIAL_SET_WAIT_MASK","features":[387]},{"name":"IOCTL_SERIAL_SET_XOFF","features":[387]},{"name":"IOCTL_SERIAL_SET_XON","features":[387]},{"name":"IOCTL_SERIAL_WAIT_ON_MASK","features":[387]},{"name":"IOCTL_SERIAL_XOFF_COUNTER","features":[387]},{"name":"MARK_PARITY","features":[387]},{"name":"NO_PARITY","features":[387]},{"name":"ODD_PARITY","features":[387]},{"name":"PSERENUM_READPORT","features":[387]},{"name":"PSERENUM_WRITEPORT","features":[387]},{"name":"SERENUM_PORTION","features":[387]},{"name":"SERENUM_PORT_DESC","features":[387]},{"name":"SERENUM_PORT_PARAMETERS","features":[387]},{"name":"SERIALCONFIG","features":[387]},{"name":"SERIALPERF_STATS","features":[387]},{"name":"SERIAL_BASIC_SETTINGS","features":[387]},{"name":"SERIAL_BAUD_RATE","features":[387]},{"name":"SERIAL_CHARS","features":[387]},{"name":"SERIAL_COMMPROP","features":[387]},{"name":"SERIAL_EV_BREAK","features":[387]},{"name":"SERIAL_EV_CTS","features":[387]},{"name":"SERIAL_EV_DSR","features":[387]},{"name":"SERIAL_EV_ERR","features":[387]},{"name":"SERIAL_EV_EVENT1","features":[387]},{"name":"SERIAL_EV_EVENT2","features":[387]},{"name":"SERIAL_EV_PERR","features":[387]},{"name":"SERIAL_EV_RING","features":[387]},{"name":"SERIAL_EV_RLSD","features":[387]},{"name":"SERIAL_EV_RX80FULL","features":[387]},{"name":"SERIAL_EV_RXCHAR","features":[387]},{"name":"SERIAL_EV_RXFLAG","features":[387]},{"name":"SERIAL_EV_TXEMPTY","features":[387]},{"name":"SERIAL_HANDFLOW","features":[387]},{"name":"SERIAL_LINE_CONTROL","features":[387]},{"name":"SERIAL_LSRMST_ESCAPE","features":[387]},{"name":"SERIAL_LSRMST_LSR_DATA","features":[387]},{"name":"SERIAL_LSRMST_LSR_NODATA","features":[387]},{"name":"SERIAL_LSRMST_MST","features":[387]},{"name":"SERIAL_PURGE_RXABORT","features":[387]},{"name":"SERIAL_PURGE_RXCLEAR","features":[387]},{"name":"SERIAL_PURGE_TXABORT","features":[387]},{"name":"SERIAL_PURGE_TXCLEAR","features":[387]},{"name":"SERIAL_QUEUE_SIZE","features":[387]},{"name":"SERIAL_STATUS","features":[387,308]},{"name":"SERIAL_TIMEOUTS","features":[387]},{"name":"SERIAL_XOFF_COUNTER","features":[387]},{"name":"SPACE_PARITY","features":[387]},{"name":"STOP_BITS_1_5","features":[387]},{"name":"STOP_BITS_2","features":[387]},{"name":"STOP_BIT_1","features":[387]},{"name":"SerenumFirstHalf","features":[387]},{"name":"SerenumSecondHalf","features":[387]},{"name":"SerenumWhole","features":[387]}],"386":[{"name":"ACDGE_GROUP_REMOVED","features":[388]},{"name":"ACDGE_NEW_GROUP","features":[388]},{"name":"ACDGROUP_EVENT","features":[388]},{"name":"ACDQE_NEW_QUEUE","features":[388]},{"name":"ACDQE_QUEUE_REMOVED","features":[388]},{"name":"ACDQUEUE_EVENT","features":[388]},{"name":"ACS_ADDRESSDEVICESPECIFIC","features":[388]},{"name":"ACS_LINEDEVICESPECIFIC","features":[388]},{"name":"ACS_PERMANENTDEVICEGUID","features":[388]},{"name":"ACS_PROTOCOL","features":[388]},{"name":"ACS_PROVIDERSPECIFIC","features":[388]},{"name":"ACS_SWITCHSPECIFIC","features":[388]},{"name":"AC_ADDRESSCAPFLAGS","features":[388]},{"name":"AC_ADDRESSFEATURES","features":[388]},{"name":"AC_ADDRESSID","features":[388]},{"name":"AC_ADDRESSTYPES","features":[388]},{"name":"AC_ANSWERMODES","features":[388]},{"name":"AC_BEARERMODES","features":[388]},{"name":"AC_CALLCOMPLETIONCONDITIONS","features":[388]},{"name":"AC_CALLCOMPLETIONMODES","features":[388]},{"name":"AC_CALLEDIDSUPPORT","features":[388]},{"name":"AC_CALLERIDSUPPORT","features":[388]},{"name":"AC_CALLFEATURES1","features":[388]},{"name":"AC_CALLFEATURES2","features":[388]},{"name":"AC_CONNECTEDIDSUPPORT","features":[388]},{"name":"AC_DEVCAPFLAGS","features":[388]},{"name":"AC_FORWARDMODES","features":[388]},{"name":"AC_GATHERDIGITSMAXTIMEOUT","features":[388]},{"name":"AC_GATHERDIGITSMINTIMEOUT","features":[388]},{"name":"AC_GENERATEDIGITDEFAULTDURATION","features":[388]},{"name":"AC_GENERATEDIGITMAXDURATION","features":[388]},{"name":"AC_GENERATEDIGITMINDURATION","features":[388]},{"name":"AC_GENERATEDIGITSUPPORT","features":[388]},{"name":"AC_GENERATETONEMAXNUMFREQ","features":[388]},{"name":"AC_GENERATETONEMODES","features":[388]},{"name":"AC_LINEFEATURES","features":[388]},{"name":"AC_LINEID","features":[388]},{"name":"AC_MAXACTIVECALLS","features":[388]},{"name":"AC_MAXCALLCOMPLETIONS","features":[388]},{"name":"AC_MAXCALLDATASIZE","features":[388]},{"name":"AC_MAXFORWARDENTRIES","features":[388]},{"name":"AC_MAXFWDNUMRINGS","features":[388]},{"name":"AC_MAXNUMCONFERENCE","features":[388]},{"name":"AC_MAXNUMTRANSCONF","features":[388]},{"name":"AC_MAXONHOLDCALLS","features":[388]},{"name":"AC_MAXONHOLDPENDINGCALLS","features":[388]},{"name":"AC_MAXSPECIFICENTRIES","features":[388]},{"name":"AC_MINFWDNUMRINGS","features":[388]},{"name":"AC_MONITORDIGITSUPPORT","features":[388]},{"name":"AC_MONITORTONEMAXNUMENTRIES","features":[388]},{"name":"AC_MONITORTONEMAXNUMFREQ","features":[388]},{"name":"AC_PARKSUPPORT","features":[388]},{"name":"AC_PERMANENTDEVICEID","features":[388]},{"name":"AC_PREDICTIVEAUTOTRANSFERSTATES","features":[388]},{"name":"AC_REDIRECTINGIDSUPPORT","features":[388]},{"name":"AC_REDIRECTIONIDSUPPORT","features":[388]},{"name":"AC_REMOVEFROMCONFCAPS","features":[388]},{"name":"AC_REMOVEFROMCONFSTATE","features":[388]},{"name":"AC_SETTABLEDEVSTATUS","features":[388]},{"name":"AC_TRANSFERMODES","features":[388]},{"name":"ADDRALIAS","features":[388]},{"name":"ADDRESS_CAPABILITY","features":[388]},{"name":"ADDRESS_CAPABILITY_STRING","features":[388]},{"name":"ADDRESS_EVENT","features":[388]},{"name":"ADDRESS_STATE","features":[388]},{"name":"ADDRESS_TERMINAL_AVAILABLE","features":[388]},{"name":"ADDRESS_TERMINAL_UNAVAILABLE","features":[388]},{"name":"AE_BUSY_ACD","features":[388]},{"name":"AE_BUSY_INCOMING","features":[388]},{"name":"AE_BUSY_OUTGOING","features":[388]},{"name":"AE_CAPSCHANGE","features":[388]},{"name":"AE_CONFIGCHANGE","features":[388]},{"name":"AE_FORWARD","features":[388]},{"name":"AE_LASTITEM","features":[388]},{"name":"AE_MSGWAITOFF","features":[388]},{"name":"AE_MSGWAITON","features":[388]},{"name":"AE_NEWTERMINAL","features":[388]},{"name":"AE_NOT_READY","features":[388]},{"name":"AE_READY","features":[388]},{"name":"AE_REMOVETERMINAL","features":[388]},{"name":"AE_RINGING","features":[388]},{"name":"AE_STATE","features":[388]},{"name":"AE_UNKNOWN","features":[388]},{"name":"AGENTHANDLER_EVENT","features":[388]},{"name":"AGENT_EVENT","features":[388]},{"name":"AGENT_SESSION_EVENT","features":[388]},{"name":"AGENT_SESSION_STATE","features":[388]},{"name":"AGENT_STATE","features":[388]},{"name":"AHE_AGENTHANDLER_REMOVED","features":[388]},{"name":"AHE_NEW_AGENTHANDLER","features":[388]},{"name":"ASE_BUSY","features":[388]},{"name":"ASE_END","features":[388]},{"name":"ASE_NEW_SESSION","features":[388]},{"name":"ASE_NOT_READY","features":[388]},{"name":"ASE_READY","features":[388]},{"name":"ASE_WRAPUP","features":[388]},{"name":"ASST_BUSY_ON_CALL","features":[388]},{"name":"ASST_BUSY_WRAPUP","features":[388]},{"name":"ASST_NOT_READY","features":[388]},{"name":"ASST_READY","features":[388]},{"name":"ASST_SESSION_ENDED","features":[388]},{"name":"ASYNC_COMPLETION","features":[388]},{"name":"AS_BUSY_ACD","features":[388]},{"name":"AS_BUSY_INCOMING","features":[388]},{"name":"AS_BUSY_OUTGOING","features":[388]},{"name":"AS_INSERVICE","features":[388]},{"name":"AS_NOT_READY","features":[388]},{"name":"AS_OUTOFSERVICE","features":[388]},{"name":"AS_READY","features":[388]},{"name":"AS_UNKNOWN","features":[388]},{"name":"CALLHUB_EVENT","features":[388]},{"name":"CALLHUB_STATE","features":[388]},{"name":"CALLINFOCHANGE_CAUSE","features":[388]},{"name":"CALLINFO_BUFFER","features":[388]},{"name":"CALLINFO_LONG","features":[388]},{"name":"CALLINFO_STRING","features":[388]},{"name":"CALL_CAUSE_BAD_DEVICE","features":[388]},{"name":"CALL_CAUSE_CONNECT_FAIL","features":[388]},{"name":"CALL_CAUSE_LOCAL_REQUEST","features":[388]},{"name":"CALL_CAUSE_MEDIA_RECOVERED","features":[388]},{"name":"CALL_CAUSE_MEDIA_TIMEOUT","features":[388]},{"name":"CALL_CAUSE_QUALITY_OF_SERVICE","features":[388]},{"name":"CALL_CAUSE_REMOTE_REQUEST","features":[388]},{"name":"CALL_CAUSE_UNKNOWN","features":[388]},{"name":"CALL_MEDIA_EVENT","features":[388]},{"name":"CALL_MEDIA_EVENT_CAUSE","features":[388]},{"name":"CALL_NEW_STREAM","features":[388]},{"name":"CALL_NOTIFICATION_EVENT","features":[388]},{"name":"CALL_PRIVILEGE","features":[388]},{"name":"CALL_STATE","features":[388]},{"name":"CALL_STATE_EVENT_CAUSE","features":[388]},{"name":"CALL_STREAM_ACTIVE","features":[388]},{"name":"CALL_STREAM_FAIL","features":[388]},{"name":"CALL_STREAM_INACTIVE","features":[388]},{"name":"CALL_STREAM_NOT_USED","features":[388]},{"name":"CALL_TERMINAL_FAIL","features":[388]},{"name":"CEC_DISCONNECT_BADADDRESS","features":[388]},{"name":"CEC_DISCONNECT_BLOCKED","features":[388]},{"name":"CEC_DISCONNECT_BUSY","features":[388]},{"name":"CEC_DISCONNECT_CANCELLED","features":[388]},{"name":"CEC_DISCONNECT_FAILED","features":[388]},{"name":"CEC_DISCONNECT_NOANSWER","features":[388]},{"name":"CEC_DISCONNECT_NORMAL","features":[388]},{"name":"CEC_DISCONNECT_REJECTED","features":[388]},{"name":"CEC_NONE","features":[388]},{"name":"CHE_CALLHUBIDLE","features":[388]},{"name":"CHE_CALLHUBNEW","features":[388]},{"name":"CHE_CALLJOIN","features":[388]},{"name":"CHE_CALLLEAVE","features":[388]},{"name":"CHE_LASTITEM","features":[388]},{"name":"CHS_ACTIVE","features":[388]},{"name":"CHS_IDLE","features":[388]},{"name":"CIB_CALLDATABUFFER","features":[388]},{"name":"CIB_CHARGINGINFOBUFFER","features":[388]},{"name":"CIB_DEVSPECIFICBUFFER","features":[388]},{"name":"CIB_HIGHLEVELCOMPATIBILITYBUFFER","features":[388]},{"name":"CIB_LOWLEVELCOMPATIBILITYBUFFER","features":[388]},{"name":"CIB_USERUSERINFO","features":[388]},{"name":"CIC_APPSPECIFIC","features":[388]},{"name":"CIC_BEARERMODE","features":[388]},{"name":"CIC_CALLDATA","features":[388]},{"name":"CIC_CALLEDID","features":[388]},{"name":"CIC_CALLERID","features":[388]},{"name":"CIC_CALLID","features":[388]},{"name":"CIC_CHARGINGINFO","features":[388]},{"name":"CIC_COMPLETIONID","features":[388]},{"name":"CIC_CONNECTEDID","features":[388]},{"name":"CIC_DEVSPECIFIC","features":[388]},{"name":"CIC_HIGHLEVELCOMP","features":[388]},{"name":"CIC_LASTITEM","features":[388]},{"name":"CIC_LOWLEVELCOMP","features":[388]},{"name":"CIC_MEDIATYPE","features":[388]},{"name":"CIC_NUMMONITORS","features":[388]},{"name":"CIC_NUMOWNERDECR","features":[388]},{"name":"CIC_NUMOWNERINCR","features":[388]},{"name":"CIC_ORIGIN","features":[388]},{"name":"CIC_OTHER","features":[388]},{"name":"CIC_PRIVILEGE","features":[388]},{"name":"CIC_RATE","features":[388]},{"name":"CIC_REASON","features":[388]},{"name":"CIC_REDIRECTINGID","features":[388]},{"name":"CIC_REDIRECTIONID","features":[388]},{"name":"CIC_RELATEDCALLID","features":[388]},{"name":"CIC_TREATMENT","features":[388]},{"name":"CIC_TRUNK","features":[388]},{"name":"CIC_USERUSERINFO","features":[388]},{"name":"CIL_APPSPECIFIC","features":[388]},{"name":"CIL_BEARERMODE","features":[388]},{"name":"CIL_CALLEDIDADDRESSTYPE","features":[388]},{"name":"CIL_CALLERIDADDRESSTYPE","features":[388]},{"name":"CIL_CALLID","features":[388]},{"name":"CIL_CALLPARAMSFLAGS","features":[388]},{"name":"CIL_CALLTREATMENT","features":[388]},{"name":"CIL_COMPLETIONID","features":[388]},{"name":"CIL_CONNECTEDIDADDRESSTYPE","features":[388]},{"name":"CIL_COUNTRYCODE","features":[388]},{"name":"CIL_GENERATEDIGITDURATION","features":[388]},{"name":"CIL_MAXRATE","features":[388]},{"name":"CIL_MEDIATYPESAVAILABLE","features":[388]},{"name":"CIL_MINRATE","features":[388]},{"name":"CIL_MONITORDIGITMODES","features":[388]},{"name":"CIL_MONITORMEDIAMODES","features":[388]},{"name":"CIL_NUMBEROFMONITORS","features":[388]},{"name":"CIL_NUMBEROFOWNERS","features":[388]},{"name":"CIL_ORIGIN","features":[388]},{"name":"CIL_RATE","features":[388]},{"name":"CIL_REASON","features":[388]},{"name":"CIL_REDIRECTINGIDADDRESSTYPE","features":[388]},{"name":"CIL_REDIRECTIONIDADDRESSTYPE","features":[388]},{"name":"CIL_RELATEDCALLID","features":[388]},{"name":"CIL_TRUNK","features":[388]},{"name":"CIS_CALLEDIDNAME","features":[388]},{"name":"CIS_CALLEDIDNUMBER","features":[388]},{"name":"CIS_CALLEDPARTYFRIENDLYNAME","features":[388]},{"name":"CIS_CALLERIDNAME","features":[388]},{"name":"CIS_CALLERIDNUMBER","features":[388]},{"name":"CIS_CALLINGPARTYID","features":[388]},{"name":"CIS_COMMENT","features":[388]},{"name":"CIS_CONNECTEDIDNAME","features":[388]},{"name":"CIS_CONNECTEDIDNUMBER","features":[388]},{"name":"CIS_DISPLAYABLEADDRESS","features":[388]},{"name":"CIS_REDIRECTINGIDNAME","features":[388]},{"name":"CIS_REDIRECTINGIDNUMBER","features":[388]},{"name":"CIS_REDIRECTIONIDNAME","features":[388]},{"name":"CIS_REDIRECTIONIDNUMBER","features":[388]},{"name":"CMC_BAD_DEVICE","features":[388]},{"name":"CMC_CONNECT_FAIL","features":[388]},{"name":"CMC_LOCAL_REQUEST","features":[388]},{"name":"CMC_MEDIA_RECOVERED","features":[388]},{"name":"CMC_MEDIA_TIMEOUT","features":[388]},{"name":"CMC_QUALITY_OF_SERVICE","features":[388]},{"name":"CMC_REMOTE_REQUEST","features":[388]},{"name":"CMC_UNKNOWN","features":[388]},{"name":"CME_LASTITEM","features":[388]},{"name":"CME_NEW_STREAM","features":[388]},{"name":"CME_STREAM_ACTIVE","features":[388]},{"name":"CME_STREAM_FAIL","features":[388]},{"name":"CME_STREAM_INACTIVE","features":[388]},{"name":"CME_STREAM_NOT_USED","features":[388]},{"name":"CME_TERMINAL_FAIL","features":[388]},{"name":"CNE_LASTITEM","features":[388]},{"name":"CNE_MONITOR","features":[388]},{"name":"CNE_OWNER","features":[388]},{"name":"CP_MONITOR","features":[388]},{"name":"CP_OWNER","features":[388]},{"name":"CS_CONNECTED","features":[388]},{"name":"CS_DISCONNECTED","features":[388]},{"name":"CS_HOLD","features":[388]},{"name":"CS_IDLE","features":[388]},{"name":"CS_INPROGRESS","features":[388]},{"name":"CS_LASTITEM","features":[388]},{"name":"CS_OFFERING","features":[388]},{"name":"CS_QUEUED","features":[388]},{"name":"DC_NOANSWER","features":[388]},{"name":"DC_NORMAL","features":[388]},{"name":"DC_REJECTED","features":[388]},{"name":"DIRECTORY_OBJECT_TYPE","features":[388]},{"name":"DIRECTORY_TYPE","features":[388]},{"name":"DISCONNECT_CODE","features":[388]},{"name":"DISPIDMASK","features":[388]},{"name":"DTR","features":[388]},{"name":"DT_ILS","features":[388]},{"name":"DT_NTDS","features":[388]},{"name":"DispatchMapper","features":[388]},{"name":"FDS_NOTSUPPORTED","features":[388]},{"name":"FDS_SUPPORTED","features":[388]},{"name":"FDS_UNKNOWN","features":[388]},{"name":"FINISH_MODE","features":[388]},{"name":"FM_ASCONFERENCE","features":[388]},{"name":"FM_ASTRANSFER","features":[388]},{"name":"FTEC_END_OF_FILE","features":[388]},{"name":"FTEC_NORMAL","features":[388]},{"name":"FTEC_READ_ERROR","features":[388]},{"name":"FTEC_WRITE_ERROR","features":[388]},{"name":"FT_STATE_EVENT_CAUSE","features":[388]},{"name":"FULLDUPLEX_SUPPORT","features":[388]},{"name":"GETTNEFSTREAMCODEPAGE","features":[388]},{"name":"GetTnefStreamCodepage","features":[388,359]},{"name":"HDRVCALL","features":[388]},{"name":"HDRVDIALOGINSTANCE","features":[388]},{"name":"HDRVLINE","features":[388]},{"name":"HDRVMSPLINE","features":[388]},{"name":"HDRVPHONE","features":[388]},{"name":"HPROVIDER","features":[388]},{"name":"HTAPICALL","features":[388]},{"name":"HTAPILINE","features":[388]},{"name":"HTAPIPHONE","features":[388]},{"name":"IDISPADDRESS","features":[388]},{"name":"IDISPADDRESSCAPABILITIES","features":[388]},{"name":"IDISPADDRESSTRANSLATION","features":[388]},{"name":"IDISPAGGREGATEDMSPADDRESSOBJ","features":[388]},{"name":"IDISPAGGREGATEDMSPCALLOBJ","features":[388]},{"name":"IDISPAPC","features":[388]},{"name":"IDISPBASICCALLCONTROL","features":[388]},{"name":"IDISPCALLINFO","features":[388]},{"name":"IDISPDIRECTORY","features":[388]},{"name":"IDISPDIROBJCONFERENCE","features":[388]},{"name":"IDISPDIROBJECT","features":[388]},{"name":"IDISPDIROBJUSER","features":[388]},{"name":"IDISPFILETRACK","features":[388]},{"name":"IDISPILSCONFIG","features":[388]},{"name":"IDISPLEGACYADDRESSMEDIACONTROL","features":[388]},{"name":"IDISPLEGACYCALLMEDIACONTROL","features":[388]},{"name":"IDISPMEDIACONTROL","features":[388]},{"name":"IDISPMEDIAPLAYBACK","features":[388]},{"name":"IDISPMEDIARECORD","features":[388]},{"name":"IDISPMEDIASUPPORT","features":[388]},{"name":"IDISPMULTITRACK","features":[388]},{"name":"IDISPPHONE","features":[388]},{"name":"IDISPTAPI","features":[388]},{"name":"IDISPTAPICALLCENTER","features":[388]},{"name":"IEnumACDGroup","features":[388]},{"name":"IEnumAddress","features":[388]},{"name":"IEnumAgent","features":[388]},{"name":"IEnumAgentHandler","features":[388]},{"name":"IEnumAgentSession","features":[388]},{"name":"IEnumBstr","features":[388]},{"name":"IEnumCall","features":[388]},{"name":"IEnumCallHub","features":[388]},{"name":"IEnumCallingCard","features":[388]},{"name":"IEnumDialableAddrs","features":[388]},{"name":"IEnumDirectory","features":[388]},{"name":"IEnumDirectoryObject","features":[388]},{"name":"IEnumLocation","features":[388]},{"name":"IEnumMcastScope","features":[388]},{"name":"IEnumPhone","features":[388]},{"name":"IEnumPluggableSuperclassInfo","features":[388]},{"name":"IEnumPluggableTerminalClassInfo","features":[388]},{"name":"IEnumQueue","features":[388]},{"name":"IEnumStream","features":[388]},{"name":"IEnumSubStream","features":[388]},{"name":"IEnumTerminal","features":[388]},{"name":"IEnumTerminalClass","features":[388]},{"name":"IMcastAddressAllocation","features":[388,359]},{"name":"IMcastLeaseInfo","features":[388,359]},{"name":"IMcastScope","features":[388,359]},{"name":"INITIALIZE_NEGOTIATION","features":[388]},{"name":"INTERFACEMASK","features":[388]},{"name":"ITACDGroup","features":[388,359]},{"name":"ITACDGroupEvent","features":[388,359]},{"name":"ITAMMediaFormat","features":[388]},{"name":"ITASRTerminalEvent","features":[388,359]},{"name":"ITAddress","features":[388,359]},{"name":"ITAddress2","features":[388,359]},{"name":"ITAddressCapabilities","features":[388,359]},{"name":"ITAddressDeviceSpecificEvent","features":[388,359]},{"name":"ITAddressEvent","features":[388,359]},{"name":"ITAddressTranslation","features":[388,359]},{"name":"ITAddressTranslationInfo","features":[388,359]},{"name":"ITAgent","features":[388,359]},{"name":"ITAgentEvent","features":[388,359]},{"name":"ITAgentHandler","features":[388,359]},{"name":"ITAgentHandlerEvent","features":[388,359]},{"name":"ITAgentSession","features":[388,359]},{"name":"ITAgentSessionEvent","features":[388,359]},{"name":"ITAllocatorProperties","features":[388]},{"name":"ITAutomatedPhoneControl","features":[388,359]},{"name":"ITBasicAudioTerminal","features":[388,359]},{"name":"ITBasicCallControl","features":[388,359]},{"name":"ITBasicCallControl2","features":[388,359]},{"name":"ITCallHub","features":[388,359]},{"name":"ITCallHubEvent","features":[388,359]},{"name":"ITCallInfo","features":[388,359]},{"name":"ITCallInfo2","features":[388,359]},{"name":"ITCallInfoChangeEvent","features":[388,359]},{"name":"ITCallMediaEvent","features":[388,359]},{"name":"ITCallNotificationEvent","features":[388,359]},{"name":"ITCallStateEvent","features":[388,359]},{"name":"ITCallingCard","features":[388,359]},{"name":"ITCollection","features":[388,359]},{"name":"ITCollection2","features":[388,359]},{"name":"ITCustomTone","features":[388,359]},{"name":"ITDetectTone","features":[388,359]},{"name":"ITDigitDetectionEvent","features":[388,359]},{"name":"ITDigitGenerationEvent","features":[388,359]},{"name":"ITDigitsGatheredEvent","features":[388,359]},{"name":"ITDirectory","features":[388,359]},{"name":"ITDirectoryObject","features":[388,359]},{"name":"ITDirectoryObjectConference","features":[388,359]},{"name":"ITDirectoryObjectUser","features":[388,359]},{"name":"ITDispatchMapper","features":[388,359]},{"name":"ITFileTerminalEvent","features":[388,359]},{"name":"ITFileTrack","features":[388,359]},{"name":"ITForwardInformation","features":[388,359]},{"name":"ITForwardInformation2","features":[388,359]},{"name":"ITILSConfig","features":[388,359]},{"name":"ITLegacyAddressMediaControl","features":[388]},{"name":"ITLegacyAddressMediaControl2","features":[388]},{"name":"ITLegacyCallMediaControl","features":[388,359]},{"name":"ITLegacyCallMediaControl2","features":[388,359]},{"name":"ITLegacyWaveSupport","features":[388,359]},{"name":"ITLocationInfo","features":[388,359]},{"name":"ITMSPAddress","features":[388]},{"name":"ITMediaControl","features":[388,359]},{"name":"ITMediaPlayback","features":[388,359]},{"name":"ITMediaRecord","features":[388,359]},{"name":"ITMediaSupport","features":[388,359]},{"name":"ITMultiTrackTerminal","features":[388,359]},{"name":"ITPhone","features":[388,359]},{"name":"ITPhoneDeviceSpecificEvent","features":[388,359]},{"name":"ITPhoneEvent","features":[388,359]},{"name":"ITPluggableTerminalClassInfo","features":[388,359]},{"name":"ITPluggableTerminalEventSink","features":[388]},{"name":"ITPluggableTerminalEventSinkRegistration","features":[388]},{"name":"ITPluggableTerminalSuperclassInfo","features":[388,359]},{"name":"ITPrivateEvent","features":[388,359]},{"name":"ITQOSEvent","features":[388,359]},{"name":"ITQueue","features":[388,359]},{"name":"ITQueueEvent","features":[388,359]},{"name":"ITRendezvous","features":[388,359]},{"name":"ITRequest","features":[388,359]},{"name":"ITRequestEvent","features":[388,359]},{"name":"ITScriptableAudioFormat","features":[388,359]},{"name":"ITStaticAudioTerminal","features":[388,359]},{"name":"ITStream","features":[388,359]},{"name":"ITStreamControl","features":[388,359]},{"name":"ITSubStream","features":[388,359]},{"name":"ITSubStreamControl","features":[388,359]},{"name":"ITTAPI","features":[388,359]},{"name":"ITTAPI2","features":[388,359]},{"name":"ITTAPICallCenter","features":[388,359]},{"name":"ITTAPIDispatchEventNotification","features":[388,359]},{"name":"ITTAPIEventNotification","features":[388]},{"name":"ITTAPIObjectEvent","features":[388,359]},{"name":"ITTAPIObjectEvent2","features":[388,359]},{"name":"ITTTSTerminalEvent","features":[388,359]},{"name":"ITTerminal","features":[388,359]},{"name":"ITTerminalSupport","features":[388,359]},{"name":"ITTerminalSupport2","features":[388,359]},{"name":"ITToneDetectionEvent","features":[388,359]},{"name":"ITToneTerminalEvent","features":[388,359]},{"name":"ITnef","features":[388]},{"name":"LAST_LINEMEDIAMODE","features":[388]},{"name":"LAST_LINEREQUESTMODE","features":[388]},{"name":"LINEADDRCAPFLAGS_ACCEPTTOALERT","features":[388]},{"name":"LINEADDRCAPFLAGS_ACDGROUP","features":[388]},{"name":"LINEADDRCAPFLAGS_AUTORECONNECT","features":[388]},{"name":"LINEADDRCAPFLAGS_BLOCKIDDEFAULT","features":[388]},{"name":"LINEADDRCAPFLAGS_BLOCKIDOVERRIDE","features":[388]},{"name":"LINEADDRCAPFLAGS_COMPLETIONID","features":[388]},{"name":"LINEADDRCAPFLAGS_CONFDROP","features":[388]},{"name":"LINEADDRCAPFLAGS_CONFERENCEHELD","features":[388]},{"name":"LINEADDRCAPFLAGS_CONFERENCEMAKE","features":[388]},{"name":"LINEADDRCAPFLAGS_DESTOFFHOOK","features":[388]},{"name":"LINEADDRCAPFLAGS_DIALED","features":[388]},{"name":"LINEADDRCAPFLAGS_FWDBUSYNAADDR","features":[388]},{"name":"LINEADDRCAPFLAGS_FWDCONSULT","features":[388]},{"name":"LINEADDRCAPFLAGS_FWDINTEXTADDR","features":[388]},{"name":"LINEADDRCAPFLAGS_FWDNUMRINGS","features":[388]},{"name":"LINEADDRCAPFLAGS_FWDSTATUSVALID","features":[388]},{"name":"LINEADDRCAPFLAGS_HOLDMAKESNEW","features":[388]},{"name":"LINEADDRCAPFLAGS_NOEXTERNALCALLS","features":[388]},{"name":"LINEADDRCAPFLAGS_NOINTERNALCALLS","features":[388]},{"name":"LINEADDRCAPFLAGS_NOPSTNADDRESSTRANSLATION","features":[388]},{"name":"LINEADDRCAPFLAGS_ORIGOFFHOOK","features":[388]},{"name":"LINEADDRCAPFLAGS_PARTIALDIAL","features":[388]},{"name":"LINEADDRCAPFLAGS_PICKUPCALLWAIT","features":[388]},{"name":"LINEADDRCAPFLAGS_PICKUPGROUPID","features":[388]},{"name":"LINEADDRCAPFLAGS_PREDICTIVEDIALER","features":[388]},{"name":"LINEADDRCAPFLAGS_QUEUE","features":[388]},{"name":"LINEADDRCAPFLAGS_ROUTEPOINT","features":[388]},{"name":"LINEADDRCAPFLAGS_SECURE","features":[388]},{"name":"LINEADDRCAPFLAGS_SETCALLINGID","features":[388]},{"name":"LINEADDRCAPFLAGS_SETUPCONFNULL","features":[388]},{"name":"LINEADDRCAPFLAGS_TRANSFERHELD","features":[388]},{"name":"LINEADDRCAPFLAGS_TRANSFERMAKE","features":[388]},{"name":"LINEADDRESSCAPS","features":[388]},{"name":"LINEADDRESSMODE_ADDRESSID","features":[388]},{"name":"LINEADDRESSMODE_DIALABLEADDR","features":[388]},{"name":"LINEADDRESSSHARING_BRIDGEDEXCL","features":[388]},{"name":"LINEADDRESSSHARING_BRIDGEDNEW","features":[388]},{"name":"LINEADDRESSSHARING_BRIDGEDSHARED","features":[388]},{"name":"LINEADDRESSSHARING_MONITORED","features":[388]},{"name":"LINEADDRESSSHARING_PRIVATE","features":[388]},{"name":"LINEADDRESSSTATE_CAPSCHANGE","features":[388]},{"name":"LINEADDRESSSTATE_DEVSPECIFIC","features":[388]},{"name":"LINEADDRESSSTATE_FORWARD","features":[388]},{"name":"LINEADDRESSSTATE_INUSEMANY","features":[388]},{"name":"LINEADDRESSSTATE_INUSEONE","features":[388]},{"name":"LINEADDRESSSTATE_INUSEZERO","features":[388]},{"name":"LINEADDRESSSTATE_NUMCALLS","features":[388]},{"name":"LINEADDRESSSTATE_OTHER","features":[388]},{"name":"LINEADDRESSSTATE_TERMINALS","features":[388]},{"name":"LINEADDRESSSTATUS","features":[388]},{"name":"LINEADDRESSTYPE_DOMAINNAME","features":[388]},{"name":"LINEADDRESSTYPE_EMAILNAME","features":[388]},{"name":"LINEADDRESSTYPE_IPADDRESS","features":[388]},{"name":"LINEADDRESSTYPE_PHONENUMBER","features":[388]},{"name":"LINEADDRESSTYPE_SDP","features":[388]},{"name":"LINEADDRFEATURE_FORWARD","features":[388]},{"name":"LINEADDRFEATURE_FORWARDDND","features":[388]},{"name":"LINEADDRFEATURE_FORWARDFWD","features":[388]},{"name":"LINEADDRFEATURE_MAKECALL","features":[388]},{"name":"LINEADDRFEATURE_PICKUP","features":[388]},{"name":"LINEADDRFEATURE_PICKUPDIRECT","features":[388]},{"name":"LINEADDRFEATURE_PICKUPGROUP","features":[388]},{"name":"LINEADDRFEATURE_PICKUPHELD","features":[388]},{"name":"LINEADDRFEATURE_PICKUPWAITING","features":[388]},{"name":"LINEADDRFEATURE_SETMEDIACONTROL","features":[388]},{"name":"LINEADDRFEATURE_SETTERMINAL","features":[388]},{"name":"LINEADDRFEATURE_SETUPCONF","features":[388]},{"name":"LINEADDRFEATURE_UNCOMPLETECALL","features":[388]},{"name":"LINEADDRFEATURE_UNPARK","features":[388]},{"name":"LINEAGENTACTIVITYENTRY","features":[388]},{"name":"LINEAGENTACTIVITYLIST","features":[388]},{"name":"LINEAGENTCAPS","features":[388]},{"name":"LINEAGENTENTRY","features":[388]},{"name":"LINEAGENTFEATURE_AGENTSPECIFIC","features":[388]},{"name":"LINEAGENTFEATURE_GETAGENTACTIVITYLIST","features":[388]},{"name":"LINEAGENTFEATURE_GETAGENTGROUP","features":[388]},{"name":"LINEAGENTFEATURE_SETAGENTACTIVITY","features":[388]},{"name":"LINEAGENTFEATURE_SETAGENTGROUP","features":[388]},{"name":"LINEAGENTFEATURE_SETAGENTSTATE","features":[388]},{"name":"LINEAGENTGROUPENTRY","features":[388]},{"name":"LINEAGENTGROUPLIST","features":[388]},{"name":"LINEAGENTINFO","features":[388,359]},{"name":"LINEAGENTLIST","features":[388]},{"name":"LINEAGENTSESSIONENTRY","features":[388]},{"name":"LINEAGENTSESSIONINFO","features":[388,359]},{"name":"LINEAGENTSESSIONLIST","features":[388]},{"name":"LINEAGENTSESSIONSTATE_BUSYONCALL","features":[388]},{"name":"LINEAGENTSESSIONSTATE_BUSYWRAPUP","features":[388]},{"name":"LINEAGENTSESSIONSTATE_ENDED","features":[388]},{"name":"LINEAGENTSESSIONSTATE_NOTREADY","features":[388]},{"name":"LINEAGENTSESSIONSTATE_READY","features":[388]},{"name":"LINEAGENTSESSIONSTATE_RELEASED","features":[388]},{"name":"LINEAGENTSESSIONSTATUS_NEWSESSION","features":[388]},{"name":"LINEAGENTSESSIONSTATUS_STATE","features":[388]},{"name":"LINEAGENTSESSIONSTATUS_UPDATEINFO","features":[388]},{"name":"LINEAGENTSTATEEX_BUSYACD","features":[388]},{"name":"LINEAGENTSTATEEX_BUSYINCOMING","features":[388]},{"name":"LINEAGENTSTATEEX_BUSYOUTGOING","features":[388]},{"name":"LINEAGENTSTATEEX_NOTREADY","features":[388]},{"name":"LINEAGENTSTATEEX_READY","features":[388]},{"name":"LINEAGENTSTATEEX_RELEASED","features":[388]},{"name":"LINEAGENTSTATEEX_UNKNOWN","features":[388]},{"name":"LINEAGENTSTATE_BUSYACD","features":[388]},{"name":"LINEAGENTSTATE_BUSYINCOMING","features":[388]},{"name":"LINEAGENTSTATE_BUSYOTHER","features":[388]},{"name":"LINEAGENTSTATE_BUSYOUTBOUND","features":[388]},{"name":"LINEAGENTSTATE_LOGGEDOFF","features":[388]},{"name":"LINEAGENTSTATE_NOTREADY","features":[388]},{"name":"LINEAGENTSTATE_READY","features":[388]},{"name":"LINEAGENTSTATE_UNAVAIL","features":[388]},{"name":"LINEAGENTSTATE_UNKNOWN","features":[388]},{"name":"LINEAGENTSTATE_WORKINGAFTERCALL","features":[388]},{"name":"LINEAGENTSTATUS","features":[388]},{"name":"LINEAGENTSTATUSEX_NEWAGENT","features":[388]},{"name":"LINEAGENTSTATUSEX_STATE","features":[388]},{"name":"LINEAGENTSTATUSEX_UPDATEINFO","features":[388]},{"name":"LINEAGENTSTATUS_ACTIVITY","features":[388]},{"name":"LINEAGENTSTATUS_ACTIVITYLIST","features":[388]},{"name":"LINEAGENTSTATUS_CAPSCHANGE","features":[388]},{"name":"LINEAGENTSTATUS_GROUP","features":[388]},{"name":"LINEAGENTSTATUS_GROUPLIST","features":[388]},{"name":"LINEAGENTSTATUS_NEXTSTATE","features":[388]},{"name":"LINEAGENTSTATUS_STATE","features":[388]},{"name":"LINEAGENTSTATUS_VALIDNEXTSTATES","features":[388]},{"name":"LINEAGENTSTATUS_VALIDSTATES","features":[388]},{"name":"LINEANSWERMODE_DROP","features":[388]},{"name":"LINEANSWERMODE_HOLD","features":[388]},{"name":"LINEANSWERMODE_NONE","features":[388]},{"name":"LINEAPPINFO","features":[388]},{"name":"LINEBEARERMODE_ALTSPEECHDATA","features":[388]},{"name":"LINEBEARERMODE_DATA","features":[388]},{"name":"LINEBEARERMODE_MULTIUSE","features":[388]},{"name":"LINEBEARERMODE_NONCALLSIGNALING","features":[388]},{"name":"LINEBEARERMODE_PASSTHROUGH","features":[388]},{"name":"LINEBEARERMODE_RESTRICTEDDATA","features":[388]},{"name":"LINEBEARERMODE_SPEECH","features":[388]},{"name":"LINEBEARERMODE_VOICE","features":[388]},{"name":"LINEBUSYMODE_STATION","features":[388]},{"name":"LINEBUSYMODE_TRUNK","features":[388]},{"name":"LINEBUSYMODE_UNAVAIL","features":[388]},{"name":"LINEBUSYMODE_UNKNOWN","features":[388]},{"name":"LINECALLBACK","features":[388]},{"name":"LINECALLCOMPLCOND_BUSY","features":[388]},{"name":"LINECALLCOMPLCOND_NOANSWER","features":[388]},{"name":"LINECALLCOMPLMODE_CALLBACK","features":[388]},{"name":"LINECALLCOMPLMODE_CAMPON","features":[388]},{"name":"LINECALLCOMPLMODE_INTRUDE","features":[388]},{"name":"LINECALLCOMPLMODE_MESSAGE","features":[388]},{"name":"LINECALLFEATURE2_COMPLCALLBACK","features":[388]},{"name":"LINECALLFEATURE2_COMPLCAMPON","features":[388]},{"name":"LINECALLFEATURE2_COMPLINTRUDE","features":[388]},{"name":"LINECALLFEATURE2_COMPLMESSAGE","features":[388]},{"name":"LINECALLFEATURE2_NOHOLDCONFERENCE","features":[388]},{"name":"LINECALLFEATURE2_ONESTEPTRANSFER","features":[388]},{"name":"LINECALLFEATURE2_PARKDIRECT","features":[388]},{"name":"LINECALLFEATURE2_PARKNONDIRECT","features":[388]},{"name":"LINECALLFEATURE2_TRANSFERCONF","features":[388]},{"name":"LINECALLFEATURE2_TRANSFERNORM","features":[388]},{"name":"LINECALLFEATURE_ACCEPT","features":[388]},{"name":"LINECALLFEATURE_ADDTOCONF","features":[388]},{"name":"LINECALLFEATURE_ANSWER","features":[388]},{"name":"LINECALLFEATURE_BLINDTRANSFER","features":[388]},{"name":"LINECALLFEATURE_COMPLETECALL","features":[388]},{"name":"LINECALLFEATURE_COMPLETETRANSF","features":[388]},{"name":"LINECALLFEATURE_DIAL","features":[388]},{"name":"LINECALLFEATURE_DROP","features":[388]},{"name":"LINECALLFEATURE_GATHERDIGITS","features":[388]},{"name":"LINECALLFEATURE_GENERATEDIGITS","features":[388]},{"name":"LINECALLFEATURE_GENERATETONE","features":[388]},{"name":"LINECALLFEATURE_HOLD","features":[388]},{"name":"LINECALLFEATURE_MONITORDIGITS","features":[388]},{"name":"LINECALLFEATURE_MONITORMEDIA","features":[388]},{"name":"LINECALLFEATURE_MONITORTONES","features":[388]},{"name":"LINECALLFEATURE_PARK","features":[388]},{"name":"LINECALLFEATURE_PREPAREADDCONF","features":[388]},{"name":"LINECALLFEATURE_REDIRECT","features":[388]},{"name":"LINECALLFEATURE_RELEASEUSERUSERINFO","features":[388]},{"name":"LINECALLFEATURE_REMOVEFROMCONF","features":[388]},{"name":"LINECALLFEATURE_SECURECALL","features":[388]},{"name":"LINECALLFEATURE_SENDUSERUSER","features":[388]},{"name":"LINECALLFEATURE_SETCALLDATA","features":[388]},{"name":"LINECALLFEATURE_SETCALLPARAMS","features":[388]},{"name":"LINECALLFEATURE_SETMEDIACONTROL","features":[388]},{"name":"LINECALLFEATURE_SETQOS","features":[388]},{"name":"LINECALLFEATURE_SETTERMINAL","features":[388]},{"name":"LINECALLFEATURE_SETTREATMENT","features":[388]},{"name":"LINECALLFEATURE_SETUPCONF","features":[388]},{"name":"LINECALLFEATURE_SETUPTRANSFER","features":[388]},{"name":"LINECALLFEATURE_SWAPHOLD","features":[388]},{"name":"LINECALLFEATURE_UNHOLD","features":[388]},{"name":"LINECALLHUBTRACKING_ALLCALLS","features":[388]},{"name":"LINECALLHUBTRACKING_NONE","features":[388]},{"name":"LINECALLHUBTRACKING_PROVIDERLEVEL","features":[388]},{"name":"LINECALLINFO","features":[388]},{"name":"LINECALLINFOSTATE_APPSPECIFIC","features":[388]},{"name":"LINECALLINFOSTATE_BEARERMODE","features":[388]},{"name":"LINECALLINFOSTATE_CALLDATA","features":[388]},{"name":"LINECALLINFOSTATE_CALLEDID","features":[388]},{"name":"LINECALLINFOSTATE_CALLERID","features":[388]},{"name":"LINECALLINFOSTATE_CALLID","features":[388]},{"name":"LINECALLINFOSTATE_CHARGINGINFO","features":[388]},{"name":"LINECALLINFOSTATE_COMPLETIONID","features":[388]},{"name":"LINECALLINFOSTATE_CONNECTEDID","features":[388]},{"name":"LINECALLINFOSTATE_DEVSPECIFIC","features":[388]},{"name":"LINECALLINFOSTATE_DIALPARAMS","features":[388]},{"name":"LINECALLINFOSTATE_DISPLAY","features":[388]},{"name":"LINECALLINFOSTATE_HIGHLEVELCOMP","features":[388]},{"name":"LINECALLINFOSTATE_LOWLEVELCOMP","features":[388]},{"name":"LINECALLINFOSTATE_MEDIAMODE","features":[388]},{"name":"LINECALLINFOSTATE_MONITORMODES","features":[388]},{"name":"LINECALLINFOSTATE_NUMMONITORS","features":[388]},{"name":"LINECALLINFOSTATE_NUMOWNERDECR","features":[388]},{"name":"LINECALLINFOSTATE_NUMOWNERINCR","features":[388]},{"name":"LINECALLINFOSTATE_ORIGIN","features":[388]},{"name":"LINECALLINFOSTATE_OTHER","features":[388]},{"name":"LINECALLINFOSTATE_QOS","features":[388]},{"name":"LINECALLINFOSTATE_RATE","features":[388]},{"name":"LINECALLINFOSTATE_REASON","features":[388]},{"name":"LINECALLINFOSTATE_REDIRECTINGID","features":[388]},{"name":"LINECALLINFOSTATE_REDIRECTIONID","features":[388]},{"name":"LINECALLINFOSTATE_RELATEDCALLID","features":[388]},{"name":"LINECALLINFOSTATE_TERMINAL","features":[388]},{"name":"LINECALLINFOSTATE_TREATMENT","features":[388]},{"name":"LINECALLINFOSTATE_TRUNK","features":[388]},{"name":"LINECALLINFOSTATE_USERUSERINFO","features":[388]},{"name":"LINECALLLIST","features":[388]},{"name":"LINECALLORIGIN_CONFERENCE","features":[388]},{"name":"LINECALLORIGIN_EXTERNAL","features":[388]},{"name":"LINECALLORIGIN_INBOUND","features":[388]},{"name":"LINECALLORIGIN_INTERNAL","features":[388]},{"name":"LINECALLORIGIN_OUTBOUND","features":[388]},{"name":"LINECALLORIGIN_UNAVAIL","features":[388]},{"name":"LINECALLORIGIN_UNKNOWN","features":[388]},{"name":"LINECALLPARAMFLAGS_BLOCKID","features":[388]},{"name":"LINECALLPARAMFLAGS_DESTOFFHOOK","features":[388]},{"name":"LINECALLPARAMFLAGS_IDLE","features":[388]},{"name":"LINECALLPARAMFLAGS_NOHOLDCONFERENCE","features":[388]},{"name":"LINECALLPARAMFLAGS_ONESTEPTRANSFER","features":[388]},{"name":"LINECALLPARAMFLAGS_ORIGOFFHOOK","features":[388]},{"name":"LINECALLPARAMFLAGS_PREDICTIVEDIAL","features":[388]},{"name":"LINECALLPARAMFLAGS_SECURE","features":[388]},{"name":"LINECALLPARAMS","features":[388]},{"name":"LINECALLPARTYID_ADDRESS","features":[388]},{"name":"LINECALLPARTYID_BLOCKED","features":[388]},{"name":"LINECALLPARTYID_NAME","features":[388]},{"name":"LINECALLPARTYID_OUTOFAREA","features":[388]},{"name":"LINECALLPARTYID_PARTIAL","features":[388]},{"name":"LINECALLPARTYID_UNAVAIL","features":[388]},{"name":"LINECALLPARTYID_UNKNOWN","features":[388]},{"name":"LINECALLPRIVILEGE_MONITOR","features":[388]},{"name":"LINECALLPRIVILEGE_NONE","features":[388]},{"name":"LINECALLPRIVILEGE_OWNER","features":[388]},{"name":"LINECALLREASON_CALLCOMPLETION","features":[388]},{"name":"LINECALLREASON_CAMPEDON","features":[388]},{"name":"LINECALLREASON_DIRECT","features":[388]},{"name":"LINECALLREASON_FWDBUSY","features":[388]},{"name":"LINECALLREASON_FWDNOANSWER","features":[388]},{"name":"LINECALLREASON_FWDUNCOND","features":[388]},{"name":"LINECALLREASON_INTRUDE","features":[388]},{"name":"LINECALLREASON_PARKED","features":[388]},{"name":"LINECALLREASON_PICKUP","features":[388]},{"name":"LINECALLREASON_REDIRECT","features":[388]},{"name":"LINECALLREASON_REMINDER","features":[388]},{"name":"LINECALLREASON_ROUTEREQUEST","features":[388]},{"name":"LINECALLREASON_TRANSFER","features":[388]},{"name":"LINECALLREASON_UNAVAIL","features":[388]},{"name":"LINECALLREASON_UNKNOWN","features":[388]},{"name":"LINECALLREASON_UNPARK","features":[388]},{"name":"LINECALLSELECT_ADDRESS","features":[388]},{"name":"LINECALLSELECT_CALL","features":[388]},{"name":"LINECALLSELECT_CALLID","features":[388]},{"name":"LINECALLSELECT_DEVICEID","features":[388]},{"name":"LINECALLSELECT_LINE","features":[388]},{"name":"LINECALLSTATE_ACCEPTED","features":[388]},{"name":"LINECALLSTATE_BUSY","features":[388]},{"name":"LINECALLSTATE_CONFERENCED","features":[388]},{"name":"LINECALLSTATE_CONNECTED","features":[388]},{"name":"LINECALLSTATE_DIALING","features":[388]},{"name":"LINECALLSTATE_DIALTONE","features":[388]},{"name":"LINECALLSTATE_DISCONNECTED","features":[388]},{"name":"LINECALLSTATE_IDLE","features":[388]},{"name":"LINECALLSTATE_OFFERING","features":[388]},{"name":"LINECALLSTATE_ONHOLD","features":[388]},{"name":"LINECALLSTATE_ONHOLDPENDCONF","features":[388]},{"name":"LINECALLSTATE_ONHOLDPENDTRANSFER","features":[388]},{"name":"LINECALLSTATE_PROCEEDING","features":[388]},{"name":"LINECALLSTATE_RINGBACK","features":[388]},{"name":"LINECALLSTATE_SPECIALINFO","features":[388]},{"name":"LINECALLSTATE_UNKNOWN","features":[388]},{"name":"LINECALLSTATUS","features":[388,308]},{"name":"LINECALLTREATMENTENTRY","features":[388]},{"name":"LINECALLTREATMENT_BUSY","features":[388]},{"name":"LINECALLTREATMENT_MUSIC","features":[388]},{"name":"LINECALLTREATMENT_RINGBACK","features":[388]},{"name":"LINECALLTREATMENT_SILENCE","features":[388]},{"name":"LINECARDENTRY","features":[388]},{"name":"LINECARDOPTION_HIDDEN","features":[388]},{"name":"LINECARDOPTION_PREDEFINED","features":[388]},{"name":"LINECONNECTEDMODE_ACTIVE","features":[388]},{"name":"LINECONNECTEDMODE_ACTIVEHELD","features":[388]},{"name":"LINECONNECTEDMODE_CONFIRMED","features":[388]},{"name":"LINECONNECTEDMODE_INACTIVE","features":[388]},{"name":"LINECONNECTEDMODE_INACTIVEHELD","features":[388]},{"name":"LINECOUNTRYENTRY","features":[388]},{"name":"LINECOUNTRYLIST","features":[388]},{"name":"LINEDEVCAPFLAGS_CALLHUB","features":[388]},{"name":"LINEDEVCAPFLAGS_CALLHUBTRACKING","features":[388]},{"name":"LINEDEVCAPFLAGS_CLOSEDROP","features":[388]},{"name":"LINEDEVCAPFLAGS_CROSSADDRCONF","features":[388]},{"name":"LINEDEVCAPFLAGS_DIALBILLING","features":[388]},{"name":"LINEDEVCAPFLAGS_DIALDIALTONE","features":[388]},{"name":"LINEDEVCAPFLAGS_DIALQUIET","features":[388]},{"name":"LINEDEVCAPFLAGS_HIGHLEVCOMP","features":[388]},{"name":"LINEDEVCAPFLAGS_LOCAL","features":[388]},{"name":"LINEDEVCAPFLAGS_LOWLEVCOMP","features":[388]},{"name":"LINEDEVCAPFLAGS_MEDIACONTROL","features":[388]},{"name":"LINEDEVCAPFLAGS_MSP","features":[388]},{"name":"LINEDEVCAPFLAGS_MULTIPLEADDR","features":[388]},{"name":"LINEDEVCAPFLAGS_PRIVATEOBJECTS","features":[388]},{"name":"LINEDEVCAPS","features":[388]},{"name":"LINEDEVSTATE_BATTERY","features":[388]},{"name":"LINEDEVSTATE_CAPSCHANGE","features":[388]},{"name":"LINEDEVSTATE_CLOSE","features":[388]},{"name":"LINEDEVSTATE_COMPLCANCEL","features":[388]},{"name":"LINEDEVSTATE_CONFIGCHANGE","features":[388]},{"name":"LINEDEVSTATE_CONNECTED","features":[388]},{"name":"LINEDEVSTATE_DEVSPECIFIC","features":[388]},{"name":"LINEDEVSTATE_DISCONNECTED","features":[388]},{"name":"LINEDEVSTATE_INSERVICE","features":[388]},{"name":"LINEDEVSTATE_LOCK","features":[388]},{"name":"LINEDEVSTATE_MAINTENANCE","features":[388]},{"name":"LINEDEVSTATE_MSGWAITOFF","features":[388]},{"name":"LINEDEVSTATE_MSGWAITON","features":[388]},{"name":"LINEDEVSTATE_NUMCALLS","features":[388]},{"name":"LINEDEVSTATE_NUMCOMPLETIONS","features":[388]},{"name":"LINEDEVSTATE_OPEN","features":[388]},{"name":"LINEDEVSTATE_OTHER","features":[388]},{"name":"LINEDEVSTATE_OUTOFSERVICE","features":[388]},{"name":"LINEDEVSTATE_REINIT","features":[388]},{"name":"LINEDEVSTATE_REMOVED","features":[388]},{"name":"LINEDEVSTATE_RINGING","features":[388]},{"name":"LINEDEVSTATE_ROAMMODE","features":[388]},{"name":"LINEDEVSTATE_SIGNAL","features":[388]},{"name":"LINEDEVSTATE_TERMINALS","features":[388]},{"name":"LINEDEVSTATE_TRANSLATECHANGE","features":[388]},{"name":"LINEDEVSTATUS","features":[388]},{"name":"LINEDEVSTATUSFLAGS_CONNECTED","features":[388]},{"name":"LINEDEVSTATUSFLAGS_INSERVICE","features":[388]},{"name":"LINEDEVSTATUSFLAGS_LOCKED","features":[388]},{"name":"LINEDEVSTATUSFLAGS_MSGWAIT","features":[388]},{"name":"LINEDIALPARAMS","features":[388]},{"name":"LINEDIALTONEMODE_EXTERNAL","features":[388]},{"name":"LINEDIALTONEMODE_INTERNAL","features":[388]},{"name":"LINEDIALTONEMODE_NORMAL","features":[388]},{"name":"LINEDIALTONEMODE_SPECIAL","features":[388]},{"name":"LINEDIALTONEMODE_UNAVAIL","features":[388]},{"name":"LINEDIALTONEMODE_UNKNOWN","features":[388]},{"name":"LINEDIGITMODE_DTMF","features":[388]},{"name":"LINEDIGITMODE_DTMFEND","features":[388]},{"name":"LINEDIGITMODE_PULSE","features":[388]},{"name":"LINEDISCONNECTMODE_BADADDRESS","features":[388]},{"name":"LINEDISCONNECTMODE_BLOCKED","features":[388]},{"name":"LINEDISCONNECTMODE_BUSY","features":[388]},{"name":"LINEDISCONNECTMODE_CANCELLED","features":[388]},{"name":"LINEDISCONNECTMODE_CONGESTION","features":[388]},{"name":"LINEDISCONNECTMODE_DESTINATIONBARRED","features":[388]},{"name":"LINEDISCONNECTMODE_DONOTDISTURB","features":[388]},{"name":"LINEDISCONNECTMODE_FDNRESTRICT","features":[388]},{"name":"LINEDISCONNECTMODE_FORWARDED","features":[388]},{"name":"LINEDISCONNECTMODE_INCOMPATIBLE","features":[388]},{"name":"LINEDISCONNECTMODE_NOANSWER","features":[388]},{"name":"LINEDISCONNECTMODE_NODIALTONE","features":[388]},{"name":"LINEDISCONNECTMODE_NORMAL","features":[388]},{"name":"LINEDISCONNECTMODE_NUMBERCHANGED","features":[388]},{"name":"LINEDISCONNECTMODE_OUTOFORDER","features":[388]},{"name":"LINEDISCONNECTMODE_PICKUP","features":[388]},{"name":"LINEDISCONNECTMODE_QOSUNAVAIL","features":[388]},{"name":"LINEDISCONNECTMODE_REJECT","features":[388]},{"name":"LINEDISCONNECTMODE_TEMPFAILURE","features":[388]},{"name":"LINEDISCONNECTMODE_UNAVAIL","features":[388]},{"name":"LINEDISCONNECTMODE_UNKNOWN","features":[388]},{"name":"LINEDISCONNECTMODE_UNREACHABLE","features":[388]},{"name":"LINEEQOSINFO_ADMISSIONFAILURE","features":[388]},{"name":"LINEEQOSINFO_GENERICERROR","features":[388]},{"name":"LINEEQOSINFO_NOQOS","features":[388]},{"name":"LINEEQOSINFO_POLICYFAILURE","features":[388]},{"name":"LINEERR_ADDRESSBLOCKED","features":[388]},{"name":"LINEERR_ALLOCATED","features":[388]},{"name":"LINEERR_BADDEVICEID","features":[388]},{"name":"LINEERR_BEARERMODEUNAVAIL","features":[388]},{"name":"LINEERR_BILLINGREJECTED","features":[388]},{"name":"LINEERR_CALLUNAVAIL","features":[388]},{"name":"LINEERR_COMPLETIONOVERRUN","features":[388]},{"name":"LINEERR_CONFERENCEFULL","features":[388]},{"name":"LINEERR_DIALBILLING","features":[388]},{"name":"LINEERR_DIALDIALTONE","features":[388]},{"name":"LINEERR_DIALPROMPT","features":[388]},{"name":"LINEERR_DIALQUIET","features":[388]},{"name":"LINEERR_DIALVOICEDETECT","features":[388]},{"name":"LINEERR_DISCONNECTED","features":[388]},{"name":"LINEERR_INCOMPATIBLEAPIVERSION","features":[388]},{"name":"LINEERR_INCOMPATIBLEEXTVERSION","features":[388]},{"name":"LINEERR_INIFILECORRUPT","features":[388]},{"name":"LINEERR_INUSE","features":[388]},{"name":"LINEERR_INVALADDRESS","features":[388]},{"name":"LINEERR_INVALADDRESSID","features":[388]},{"name":"LINEERR_INVALADDRESSMODE","features":[388]},{"name":"LINEERR_INVALADDRESSSTATE","features":[388]},{"name":"LINEERR_INVALADDRESSTYPE","features":[388]},{"name":"LINEERR_INVALAGENTACTIVITY","features":[388]},{"name":"LINEERR_INVALAGENTGROUP","features":[388]},{"name":"LINEERR_INVALAGENTID","features":[388]},{"name":"LINEERR_INVALAGENTSESSIONSTATE","features":[388]},{"name":"LINEERR_INVALAGENTSTATE","features":[388]},{"name":"LINEERR_INVALAPPHANDLE","features":[388]},{"name":"LINEERR_INVALAPPNAME","features":[388]},{"name":"LINEERR_INVALBEARERMODE","features":[388]},{"name":"LINEERR_INVALCALLCOMPLMODE","features":[388]},{"name":"LINEERR_INVALCALLHANDLE","features":[388]},{"name":"LINEERR_INVALCALLPARAMS","features":[388]},{"name":"LINEERR_INVALCALLPRIVILEGE","features":[388]},{"name":"LINEERR_INVALCALLSELECT","features":[388]},{"name":"LINEERR_INVALCALLSTATE","features":[388]},{"name":"LINEERR_INVALCALLSTATELIST","features":[388]},{"name":"LINEERR_INVALCARD","features":[388]},{"name":"LINEERR_INVALCOMPLETIONID","features":[388]},{"name":"LINEERR_INVALCONFCALLHANDLE","features":[388]},{"name":"LINEERR_INVALCONSULTCALLHANDLE","features":[388]},{"name":"LINEERR_INVALCOUNTRYCODE","features":[388]},{"name":"LINEERR_INVALDEVICECLASS","features":[388]},{"name":"LINEERR_INVALDEVICEHANDLE","features":[388]},{"name":"LINEERR_INVALDIALPARAMS","features":[388]},{"name":"LINEERR_INVALDIGITLIST","features":[388]},{"name":"LINEERR_INVALDIGITMODE","features":[388]},{"name":"LINEERR_INVALDIGITS","features":[388]},{"name":"LINEERR_INVALEXTVERSION","features":[388]},{"name":"LINEERR_INVALFEATURE","features":[388]},{"name":"LINEERR_INVALGROUPID","features":[388]},{"name":"LINEERR_INVALLINEHANDLE","features":[388]},{"name":"LINEERR_INVALLINESTATE","features":[388]},{"name":"LINEERR_INVALLOCATION","features":[388]},{"name":"LINEERR_INVALMEDIALIST","features":[388]},{"name":"LINEERR_INVALMEDIAMODE","features":[388]},{"name":"LINEERR_INVALMESSAGEID","features":[388]},{"name":"LINEERR_INVALPARAM","features":[388]},{"name":"LINEERR_INVALPARKID","features":[388]},{"name":"LINEERR_INVALPARKMODE","features":[388]},{"name":"LINEERR_INVALPASSWORD","features":[388]},{"name":"LINEERR_INVALPOINTER","features":[388]},{"name":"LINEERR_INVALPRIVSELECT","features":[388]},{"name":"LINEERR_INVALRATE","features":[388]},{"name":"LINEERR_INVALREQUESTMODE","features":[388]},{"name":"LINEERR_INVALTERMINALID","features":[388]},{"name":"LINEERR_INVALTERMINALMODE","features":[388]},{"name":"LINEERR_INVALTIMEOUT","features":[388]},{"name":"LINEERR_INVALTONE","features":[388]},{"name":"LINEERR_INVALTONELIST","features":[388]},{"name":"LINEERR_INVALTONEMODE","features":[388]},{"name":"LINEERR_INVALTRANSFERMODE","features":[388]},{"name":"LINEERR_LINEMAPPERFAILED","features":[388]},{"name":"LINEERR_NOCONFERENCE","features":[388]},{"name":"LINEERR_NODEVICE","features":[388]},{"name":"LINEERR_NODRIVER","features":[388]},{"name":"LINEERR_NOMEM","features":[388]},{"name":"LINEERR_NOMULTIPLEINSTANCE","features":[388]},{"name":"LINEERR_NOREQUEST","features":[388]},{"name":"LINEERR_NOTOWNER","features":[388]},{"name":"LINEERR_NOTREGISTERED","features":[388]},{"name":"LINEERR_OPERATIONFAILED","features":[388]},{"name":"LINEERR_OPERATIONUNAVAIL","features":[388]},{"name":"LINEERR_RATEUNAVAIL","features":[388]},{"name":"LINEERR_REINIT","features":[388]},{"name":"LINEERR_REQUESTOVERRUN","features":[388]},{"name":"LINEERR_RESOURCEUNAVAIL","features":[388]},{"name":"LINEERR_SERVICE_NOT_RUNNING","features":[388]},{"name":"LINEERR_STRUCTURETOOSMALL","features":[388]},{"name":"LINEERR_TARGETNOTFOUND","features":[388]},{"name":"LINEERR_TARGETSELF","features":[388]},{"name":"LINEERR_UNINITIALIZED","features":[388]},{"name":"LINEERR_USERCANCELLED","features":[388]},{"name":"LINEERR_USERUSERINFOTOOBIG","features":[388]},{"name":"LINEEVENT","features":[388]},{"name":"LINEEXTENSIONID","features":[388]},{"name":"LINEFEATURE_DEVSPECIFIC","features":[388]},{"name":"LINEFEATURE_DEVSPECIFICFEAT","features":[388]},{"name":"LINEFEATURE_FORWARD","features":[388]},{"name":"LINEFEATURE_FORWARDDND","features":[388]},{"name":"LINEFEATURE_FORWARDFWD","features":[388]},{"name":"LINEFEATURE_MAKECALL","features":[388]},{"name":"LINEFEATURE_SETDEVSTATUS","features":[388]},{"name":"LINEFEATURE_SETMEDIACONTROL","features":[388]},{"name":"LINEFEATURE_SETTERMINAL","features":[388]},{"name":"LINEFORWARD","features":[388]},{"name":"LINEFORWARDLIST","features":[388]},{"name":"LINEFORWARDMODE_BUSY","features":[388]},{"name":"LINEFORWARDMODE_BUSYEXTERNAL","features":[388]},{"name":"LINEFORWARDMODE_BUSYINTERNAL","features":[388]},{"name":"LINEFORWARDMODE_BUSYNA","features":[388]},{"name":"LINEFORWARDMODE_BUSYNAEXTERNAL","features":[388]},{"name":"LINEFORWARDMODE_BUSYNAINTERNAL","features":[388]},{"name":"LINEFORWARDMODE_BUSYNASPECIFIC","features":[388]},{"name":"LINEFORWARDMODE_BUSYSPECIFIC","features":[388]},{"name":"LINEFORWARDMODE_NOANSW","features":[388]},{"name":"LINEFORWARDMODE_NOANSWEXTERNAL","features":[388]},{"name":"LINEFORWARDMODE_NOANSWINTERNAL","features":[388]},{"name":"LINEFORWARDMODE_NOANSWSPECIFIC","features":[388]},{"name":"LINEFORWARDMODE_UNAVAIL","features":[388]},{"name":"LINEFORWARDMODE_UNCOND","features":[388]},{"name":"LINEFORWARDMODE_UNCONDEXTERNAL","features":[388]},{"name":"LINEFORWARDMODE_UNCONDINTERNAL","features":[388]},{"name":"LINEFORWARDMODE_UNCONDSPECIFIC","features":[388]},{"name":"LINEFORWARDMODE_UNKNOWN","features":[388]},{"name":"LINEGATHERTERM_BUFFERFULL","features":[388]},{"name":"LINEGATHERTERM_CANCEL","features":[388]},{"name":"LINEGATHERTERM_FIRSTTIMEOUT","features":[388]},{"name":"LINEGATHERTERM_INTERTIMEOUT","features":[388]},{"name":"LINEGATHERTERM_TERMDIGIT","features":[388]},{"name":"LINEGENERATETERM_CANCEL","features":[388]},{"name":"LINEGENERATETERM_DONE","features":[388]},{"name":"LINEGENERATETONE","features":[388]},{"name":"LINEGROUPSTATUS_GROUPREMOVED","features":[388]},{"name":"LINEGROUPSTATUS_NEWGROUP","features":[388]},{"name":"LINEINITIALIZEEXOPTION_CALLHUBTRACKING","features":[388]},{"name":"LINEINITIALIZEEXOPTION_USECOMPLETIONPORT","features":[388]},{"name":"LINEINITIALIZEEXOPTION_USEEVENT","features":[388]},{"name":"LINEINITIALIZEEXOPTION_USEHIDDENWINDOW","features":[388]},{"name":"LINEINITIALIZEEXPARAMS","features":[388,308]},{"name":"LINELOCATIONENTRY","features":[388]},{"name":"LINELOCATIONOPTION_PULSEDIAL","features":[388]},{"name":"LINEMAPPER","features":[388]},{"name":"LINEMEDIACONTROLCALLSTATE","features":[388]},{"name":"LINEMEDIACONTROLDIGIT","features":[388]},{"name":"LINEMEDIACONTROLMEDIA","features":[388]},{"name":"LINEMEDIACONTROLTONE","features":[388]},{"name":"LINEMEDIACONTROL_NONE","features":[388]},{"name":"LINEMEDIACONTROL_PAUSE","features":[388]},{"name":"LINEMEDIACONTROL_RATEDOWN","features":[388]},{"name":"LINEMEDIACONTROL_RATENORMAL","features":[388]},{"name":"LINEMEDIACONTROL_RATEUP","features":[388]},{"name":"LINEMEDIACONTROL_RESET","features":[388]},{"name":"LINEMEDIACONTROL_RESUME","features":[388]},{"name":"LINEMEDIACONTROL_START","features":[388]},{"name":"LINEMEDIACONTROL_VOLUMEDOWN","features":[388]},{"name":"LINEMEDIACONTROL_VOLUMENORMAL","features":[388]},{"name":"LINEMEDIACONTROL_VOLUMEUP","features":[388]},{"name":"LINEMEDIAMODE_ADSI","features":[388]},{"name":"LINEMEDIAMODE_AUTOMATEDVOICE","features":[388]},{"name":"LINEMEDIAMODE_DATAMODEM","features":[388]},{"name":"LINEMEDIAMODE_DIGITALDATA","features":[388]},{"name":"LINEMEDIAMODE_G3FAX","features":[388]},{"name":"LINEMEDIAMODE_G4FAX","features":[388]},{"name":"LINEMEDIAMODE_INTERACTIVEVOICE","features":[388]},{"name":"LINEMEDIAMODE_MIXED","features":[388]},{"name":"LINEMEDIAMODE_TDD","features":[388]},{"name":"LINEMEDIAMODE_TELETEX","features":[388]},{"name":"LINEMEDIAMODE_TELEX","features":[388]},{"name":"LINEMEDIAMODE_UNKNOWN","features":[388]},{"name":"LINEMEDIAMODE_VIDEO","features":[388]},{"name":"LINEMEDIAMODE_VIDEOTEX","features":[388]},{"name":"LINEMEDIAMODE_VOICEVIEW","features":[388]},{"name":"LINEMESSAGE","features":[388]},{"name":"LINEMONITORTONE","features":[388]},{"name":"LINEOFFERINGMODE_ACTIVE","features":[388]},{"name":"LINEOFFERINGMODE_INACTIVE","features":[388]},{"name":"LINEOPENOPTION_PROXY","features":[388]},{"name":"LINEOPENOPTION_SINGLEADDRESS","features":[388]},{"name":"LINEPARKMODE_DIRECTED","features":[388]},{"name":"LINEPARKMODE_NONDIRECTED","features":[388]},{"name":"LINEPROVIDERENTRY","features":[388]},{"name":"LINEPROVIDERLIST","features":[388]},{"name":"LINEPROXYREQUEST","features":[388,359]},{"name":"LINEPROXYREQUESTLIST","features":[388]},{"name":"LINEPROXYREQUEST_AGENTSPECIFIC","features":[388]},{"name":"LINEPROXYREQUEST_CREATEAGENT","features":[388]},{"name":"LINEPROXYREQUEST_CREATEAGENTSESSION","features":[388]},{"name":"LINEPROXYREQUEST_GETAGENTACTIVITYLIST","features":[388]},{"name":"LINEPROXYREQUEST_GETAGENTCAPS","features":[388]},{"name":"LINEPROXYREQUEST_GETAGENTGROUPLIST","features":[388]},{"name":"LINEPROXYREQUEST_GETAGENTINFO","features":[388]},{"name":"LINEPROXYREQUEST_GETAGENTSESSIONINFO","features":[388]},{"name":"LINEPROXYREQUEST_GETAGENTSESSIONLIST","features":[388]},{"name":"LINEPROXYREQUEST_GETAGENTSTATUS","features":[388]},{"name":"LINEPROXYREQUEST_GETGROUPLIST","features":[388]},{"name":"LINEPROXYREQUEST_GETQUEUEINFO","features":[388]},{"name":"LINEPROXYREQUEST_GETQUEUELIST","features":[388]},{"name":"LINEPROXYREQUEST_SETAGENTACTIVITY","features":[388]},{"name":"LINEPROXYREQUEST_SETAGENTGROUP","features":[388]},{"name":"LINEPROXYREQUEST_SETAGENTMEASUREMENTPERIOD","features":[388]},{"name":"LINEPROXYREQUEST_SETAGENTSESSIONSTATE","features":[388]},{"name":"LINEPROXYREQUEST_SETAGENTSTATE","features":[388]},{"name":"LINEPROXYREQUEST_SETAGENTSTATEEX","features":[388]},{"name":"LINEPROXYREQUEST_SETQUEUEMEASUREMENTPERIOD","features":[388]},{"name":"LINEPROXYSTATUS_ALLOPENFORACD","features":[388]},{"name":"LINEPROXYSTATUS_CLOSE","features":[388]},{"name":"LINEPROXYSTATUS_OPEN","features":[388]},{"name":"LINEQOSREQUESTTYPE_SERVICELEVEL","features":[388]},{"name":"LINEQOSSERVICELEVEL_BESTEFFORT","features":[388]},{"name":"LINEQOSSERVICELEVEL_IFAVAILABLE","features":[388]},{"name":"LINEQOSSERVICELEVEL_NEEDED","features":[388]},{"name":"LINEQUEUEENTRY","features":[388]},{"name":"LINEQUEUEINFO","features":[388]},{"name":"LINEQUEUELIST","features":[388]},{"name":"LINEQUEUESTATUS_NEWQUEUE","features":[388]},{"name":"LINEQUEUESTATUS_QUEUEREMOVED","features":[388]},{"name":"LINEQUEUESTATUS_UPDATEINFO","features":[388]},{"name":"LINEREMOVEFROMCONF_ANY","features":[388]},{"name":"LINEREMOVEFROMCONF_LAST","features":[388]},{"name":"LINEREMOVEFROMCONF_NONE","features":[388]},{"name":"LINEREQMAKECALL","features":[388]},{"name":"LINEREQMAKECALLW","features":[388]},{"name":"LINEREQMEDIACALL","features":[388,308]},{"name":"LINEREQMEDIACALLW","features":[388,308]},{"name":"LINEREQUESTMODE_DROP","features":[388]},{"name":"LINEREQUESTMODE_MAKECALL","features":[388]},{"name":"LINEREQUESTMODE_MEDIACALL","features":[388]},{"name":"LINEROAMMODE_HOME","features":[388]},{"name":"LINEROAMMODE_ROAMA","features":[388]},{"name":"LINEROAMMODE_ROAMB","features":[388]},{"name":"LINEROAMMODE_UNAVAIL","features":[388]},{"name":"LINEROAMMODE_UNKNOWN","features":[388]},{"name":"LINESPECIALINFO_CUSTIRREG","features":[388]},{"name":"LINESPECIALINFO_NOCIRCUIT","features":[388]},{"name":"LINESPECIALINFO_REORDER","features":[388]},{"name":"LINESPECIALINFO_UNAVAIL","features":[388]},{"name":"LINESPECIALINFO_UNKNOWN","features":[388]},{"name":"LINETERMCAPS","features":[388]},{"name":"LINETERMDEV_HEADSET","features":[388]},{"name":"LINETERMDEV_PHONE","features":[388]},{"name":"LINETERMDEV_SPEAKER","features":[388]},{"name":"LINETERMMODE_BUTTONS","features":[388]},{"name":"LINETERMMODE_DISPLAY","features":[388]},{"name":"LINETERMMODE_HOOKSWITCH","features":[388]},{"name":"LINETERMMODE_LAMPS","features":[388]},{"name":"LINETERMMODE_MEDIABIDIRECT","features":[388]},{"name":"LINETERMMODE_MEDIAFROMLINE","features":[388]},{"name":"LINETERMMODE_MEDIATOLINE","features":[388]},{"name":"LINETERMMODE_RINGER","features":[388]},{"name":"LINETERMSHARING_PRIVATE","features":[388]},{"name":"LINETERMSHARING_SHAREDCONF","features":[388]},{"name":"LINETERMSHARING_SHAREDEXCL","features":[388]},{"name":"LINETOLLLISTOPTION_ADD","features":[388]},{"name":"LINETOLLLISTOPTION_REMOVE","features":[388]},{"name":"LINETONEMODE_BEEP","features":[388]},{"name":"LINETONEMODE_BILLING","features":[388]},{"name":"LINETONEMODE_BUSY","features":[388]},{"name":"LINETONEMODE_CUSTOM","features":[388]},{"name":"LINETONEMODE_RINGBACK","features":[388]},{"name":"LINETRANSFERMODE_CONFERENCE","features":[388]},{"name":"LINETRANSFERMODE_TRANSFER","features":[388]},{"name":"LINETRANSLATECAPS","features":[388]},{"name":"LINETRANSLATEOPTION_CANCELCALLWAITING","features":[388]},{"name":"LINETRANSLATEOPTION_CARDOVERRIDE","features":[388]},{"name":"LINETRANSLATEOPTION_FORCELD","features":[388]},{"name":"LINETRANSLATEOPTION_FORCELOCAL","features":[388]},{"name":"LINETRANSLATEOUTPUT","features":[388]},{"name":"LINETRANSLATERESULT_CANONICAL","features":[388]},{"name":"LINETRANSLATERESULT_DIALBILLING","features":[388]},{"name":"LINETRANSLATERESULT_DIALDIALTONE","features":[388]},{"name":"LINETRANSLATERESULT_DIALPROMPT","features":[388]},{"name":"LINETRANSLATERESULT_DIALQUIET","features":[388]},{"name":"LINETRANSLATERESULT_INTERNATIONAL","features":[388]},{"name":"LINETRANSLATERESULT_INTOLLLIST","features":[388]},{"name":"LINETRANSLATERESULT_LOCAL","features":[388]},{"name":"LINETRANSLATERESULT_LONGDISTANCE","features":[388]},{"name":"LINETRANSLATERESULT_NOTINTOLLLIST","features":[388]},{"name":"LINETRANSLATERESULT_NOTRANSLATION","features":[388]},{"name":"LINETRANSLATERESULT_VOICEDETECT","features":[388]},{"name":"LINETSPIOPTION_NONREENTRANT","features":[388]},{"name":"LINE_ADDRESSSTATE","features":[388]},{"name":"LINE_AGENTSESSIONSTATUS","features":[388]},{"name":"LINE_AGENTSPECIFIC","features":[388]},{"name":"LINE_AGENTSTATUS","features":[388]},{"name":"LINE_AGENTSTATUSEX","features":[388]},{"name":"LINE_APPNEWCALL","features":[388]},{"name":"LINE_APPNEWCALLHUB","features":[388]},{"name":"LINE_CALLHUBCLOSE","features":[388]},{"name":"LINE_CALLINFO","features":[388]},{"name":"LINE_CALLSTATE","features":[388]},{"name":"LINE_CLOSE","features":[388]},{"name":"LINE_CREATE","features":[388]},{"name":"LINE_DEVSPECIFIC","features":[388]},{"name":"LINE_DEVSPECIFICEX","features":[388]},{"name":"LINE_DEVSPECIFICFEATURE","features":[388]},{"name":"LINE_GATHERDIGITS","features":[388]},{"name":"LINE_GENERATE","features":[388]},{"name":"LINE_GROUPSTATUS","features":[388]},{"name":"LINE_LINEDEVSTATE","features":[388]},{"name":"LINE_MONITORDIGITS","features":[388]},{"name":"LINE_MONITORMEDIA","features":[388]},{"name":"LINE_MONITORTONE","features":[388]},{"name":"LINE_PROXYREQUEST","features":[388]},{"name":"LINE_PROXYSTATUS","features":[388]},{"name":"LINE_QUEUESTATUS","features":[388]},{"name":"LINE_REMOVE","features":[388]},{"name":"LINE_REPLY","features":[388]},{"name":"LINE_REQUEST","features":[388]},{"name":"LM_BROKENFLUTTER","features":[388]},{"name":"LM_DUMMY","features":[388]},{"name":"LM_FLASH","features":[388]},{"name":"LM_FLUTTER","features":[388]},{"name":"LM_OFF","features":[388]},{"name":"LM_STEADY","features":[388]},{"name":"LM_UNKNOWN","features":[388]},{"name":"LM_WINK","features":[388]},{"name":"LPGETTNEFSTREAMCODEPAGE","features":[388,359]},{"name":"LPOPENTNEFSTREAM","features":[388,389,359]},{"name":"LPOPENTNEFSTREAMEX","features":[388,389,359]},{"name":"ME_ADDRESS_EVENT","features":[388]},{"name":"ME_ASR_TERMINAL_EVENT","features":[388]},{"name":"ME_CALL_EVENT","features":[388]},{"name":"ME_FILE_TERMINAL_EVENT","features":[388]},{"name":"ME_PRIVATE_EVENT","features":[388]},{"name":"ME_TONE_TERMINAL_EVENT","features":[388]},{"name":"ME_TSP_DATA","features":[388]},{"name":"ME_TTS_TERMINAL_EVENT","features":[388]},{"name":"MSP_ADDRESS_EVENT","features":[388]},{"name":"MSP_CALL_EVENT","features":[388]},{"name":"MSP_CALL_EVENT_CAUSE","features":[388]},{"name":"MSP_EVENT","features":[388]},{"name":"MSP_EVENT_INFO","features":[388,359]},{"name":"McastAddressAllocation","features":[388]},{"name":"NSID","features":[388]},{"name":"OPENTNEFSTREAM","features":[388]},{"name":"OPENTNEFSTREAMEX","features":[388]},{"name":"OT_CONFERENCE","features":[388]},{"name":"OT_USER","features":[388]},{"name":"OpenTnefStream","features":[388,389,359]},{"name":"OpenTnefStreamEx","features":[388,389,359]},{"name":"PBF_ABBREVDIAL","features":[388]},{"name":"PBF_BRIDGEDAPP","features":[388]},{"name":"PBF_BUSY","features":[388]},{"name":"PBF_CALLAPP","features":[388]},{"name":"PBF_CALLID","features":[388]},{"name":"PBF_CAMPON","features":[388]},{"name":"PBF_CONFERENCE","features":[388]},{"name":"PBF_CONNECT","features":[388]},{"name":"PBF_COVER","features":[388]},{"name":"PBF_DATAOFF","features":[388]},{"name":"PBF_DATAON","features":[388]},{"name":"PBF_DATETIME","features":[388]},{"name":"PBF_DIRECTORY","features":[388]},{"name":"PBF_DISCONNECT","features":[388]},{"name":"PBF_DONOTDISTURB","features":[388]},{"name":"PBF_DROP","features":[388]},{"name":"PBF_FLASH","features":[388]},{"name":"PBF_FORWARD","features":[388]},{"name":"PBF_HOLD","features":[388]},{"name":"PBF_INTERCOM","features":[388]},{"name":"PBF_LASTNUM","features":[388]},{"name":"PBF_MSGINDICATOR","features":[388]},{"name":"PBF_MSGWAITOFF","features":[388]},{"name":"PBF_MSGWAITON","features":[388]},{"name":"PBF_MUTE","features":[388]},{"name":"PBF_NIGHTSRV","features":[388]},{"name":"PBF_NONE","features":[388]},{"name":"PBF_PARK","features":[388]},{"name":"PBF_PICKUP","features":[388]},{"name":"PBF_QUEUECALL","features":[388]},{"name":"PBF_RECALL","features":[388]},{"name":"PBF_REDIRECT","features":[388]},{"name":"PBF_REJECT","features":[388]},{"name":"PBF_REPDIAL","features":[388]},{"name":"PBF_RINGAGAIN","features":[388]},{"name":"PBF_SAVEREPEAT","features":[388]},{"name":"PBF_SELECTRING","features":[388]},{"name":"PBF_SEND","features":[388]},{"name":"PBF_SENDCALLS","features":[388]},{"name":"PBF_SETREPDIAL","features":[388]},{"name":"PBF_SPEAKEROFF","features":[388]},{"name":"PBF_SPEAKERON","features":[388]},{"name":"PBF_STATIONSPEED","features":[388]},{"name":"PBF_SYSTEMSPEED","features":[388]},{"name":"PBF_TRANSFER","features":[388]},{"name":"PBF_UNKNOWN","features":[388]},{"name":"PBF_VOLUMEDOWN","features":[388]},{"name":"PBF_VOLUMEUP","features":[388]},{"name":"PBM_CALL","features":[388]},{"name":"PBM_DISPLAY","features":[388]},{"name":"PBM_DUMMY","features":[388]},{"name":"PBM_FEATURE","features":[388]},{"name":"PBM_KEYPAD","features":[388]},{"name":"PBM_LOCAL","features":[388]},{"name":"PBS_DOWN","features":[388]},{"name":"PBS_UNAVAIL","features":[388]},{"name":"PBS_UNKNOWN","features":[388]},{"name":"PBS_UP","features":[388]},{"name":"PCB_DEVSPECIFICBUFFER","features":[388]},{"name":"PCL_DISPLAYNUMCOLUMNS","features":[388]},{"name":"PCL_DISPLAYNUMROWS","features":[388]},{"name":"PCL_GENERICPHONE","features":[388]},{"name":"PCL_HANDSETHOOKSWITCHMODES","features":[388]},{"name":"PCL_HEADSETHOOKSWITCHMODES","features":[388]},{"name":"PCL_HOOKSWITCHES","features":[388]},{"name":"PCL_NUMBUTTONLAMPS","features":[388]},{"name":"PCL_NUMRINGMODES","features":[388]},{"name":"PCL_SPEAKERPHONEHOOKSWITCHMODES","features":[388]},{"name":"PCS_PHONEINFO","features":[388]},{"name":"PCS_PHONENAME","features":[388]},{"name":"PCS_PROVIDERINFO","features":[388]},{"name":"PE_ANSWER","features":[388]},{"name":"PE_BUTTON","features":[388]},{"name":"PE_CAPSCHANGE","features":[388]},{"name":"PE_CLOSE","features":[388]},{"name":"PE_DIALING","features":[388]},{"name":"PE_DISCONNECT","features":[388]},{"name":"PE_DISPLAY","features":[388]},{"name":"PE_HOOKSWITCH","features":[388]},{"name":"PE_LAMPMODE","features":[388]},{"name":"PE_LASTITEM","features":[388]},{"name":"PE_NUMBERGATHERED","features":[388]},{"name":"PE_RINGMODE","features":[388]},{"name":"PE_RINGVOLUME","features":[388]},{"name":"PHONEBUTTONFUNCTION_ABBREVDIAL","features":[388]},{"name":"PHONEBUTTONFUNCTION_BRIDGEDAPP","features":[388]},{"name":"PHONEBUTTONFUNCTION_BUSY","features":[388]},{"name":"PHONEBUTTONFUNCTION_CALLAPP","features":[388]},{"name":"PHONEBUTTONFUNCTION_CALLID","features":[388]},{"name":"PHONEBUTTONFUNCTION_CAMPON","features":[388]},{"name":"PHONEBUTTONFUNCTION_CONFERENCE","features":[388]},{"name":"PHONEBUTTONFUNCTION_CONNECT","features":[388]},{"name":"PHONEBUTTONFUNCTION_COVER","features":[388]},{"name":"PHONEBUTTONFUNCTION_DATAOFF","features":[388]},{"name":"PHONEBUTTONFUNCTION_DATAON","features":[388]},{"name":"PHONEBUTTONFUNCTION_DATETIME","features":[388]},{"name":"PHONEBUTTONFUNCTION_DIRECTORY","features":[388]},{"name":"PHONEBUTTONFUNCTION_DISCONNECT","features":[388]},{"name":"PHONEBUTTONFUNCTION_DONOTDISTURB","features":[388]},{"name":"PHONEBUTTONFUNCTION_DROP","features":[388]},{"name":"PHONEBUTTONFUNCTION_FLASH","features":[388]},{"name":"PHONEBUTTONFUNCTION_FORWARD","features":[388]},{"name":"PHONEBUTTONFUNCTION_HOLD","features":[388]},{"name":"PHONEBUTTONFUNCTION_INTERCOM","features":[388]},{"name":"PHONEBUTTONFUNCTION_LASTNUM","features":[388]},{"name":"PHONEBUTTONFUNCTION_MSGINDICATOR","features":[388]},{"name":"PHONEBUTTONFUNCTION_MSGWAITOFF","features":[388]},{"name":"PHONEBUTTONFUNCTION_MSGWAITON","features":[388]},{"name":"PHONEBUTTONFUNCTION_MUTE","features":[388]},{"name":"PHONEBUTTONFUNCTION_NIGHTSRV","features":[388]},{"name":"PHONEBUTTONFUNCTION_NONE","features":[388]},{"name":"PHONEBUTTONFUNCTION_PARK","features":[388]},{"name":"PHONEBUTTONFUNCTION_PICKUP","features":[388]},{"name":"PHONEBUTTONFUNCTION_QUEUECALL","features":[388]},{"name":"PHONEBUTTONFUNCTION_RECALL","features":[388]},{"name":"PHONEBUTTONFUNCTION_REDIRECT","features":[388]},{"name":"PHONEBUTTONFUNCTION_REJECT","features":[388]},{"name":"PHONEBUTTONFUNCTION_REPDIAL","features":[388]},{"name":"PHONEBUTTONFUNCTION_RINGAGAIN","features":[388]},{"name":"PHONEBUTTONFUNCTION_SAVEREPEAT","features":[388]},{"name":"PHONEBUTTONFUNCTION_SELECTRING","features":[388]},{"name":"PHONEBUTTONFUNCTION_SEND","features":[388]},{"name":"PHONEBUTTONFUNCTION_SENDCALLS","features":[388]},{"name":"PHONEBUTTONFUNCTION_SETREPDIAL","features":[388]},{"name":"PHONEBUTTONFUNCTION_SPEAKEROFF","features":[388]},{"name":"PHONEBUTTONFUNCTION_SPEAKERON","features":[388]},{"name":"PHONEBUTTONFUNCTION_STATIONSPEED","features":[388]},{"name":"PHONEBUTTONFUNCTION_SYSTEMSPEED","features":[388]},{"name":"PHONEBUTTONFUNCTION_TRANSFER","features":[388]},{"name":"PHONEBUTTONFUNCTION_UNKNOWN","features":[388]},{"name":"PHONEBUTTONFUNCTION_VOLUMEDOWN","features":[388]},{"name":"PHONEBUTTONFUNCTION_VOLUMEUP","features":[388]},{"name":"PHONEBUTTONINFO","features":[388]},{"name":"PHONEBUTTONMODE_CALL","features":[388]},{"name":"PHONEBUTTONMODE_DISPLAY","features":[388]},{"name":"PHONEBUTTONMODE_DUMMY","features":[388]},{"name":"PHONEBUTTONMODE_FEATURE","features":[388]},{"name":"PHONEBUTTONMODE_KEYPAD","features":[388]},{"name":"PHONEBUTTONMODE_LOCAL","features":[388]},{"name":"PHONEBUTTONSTATE_DOWN","features":[388]},{"name":"PHONEBUTTONSTATE_UNAVAIL","features":[388]},{"name":"PHONEBUTTONSTATE_UNKNOWN","features":[388]},{"name":"PHONEBUTTONSTATE_UP","features":[388]},{"name":"PHONECALLBACK","features":[388]},{"name":"PHONECAPS","features":[388]},{"name":"PHONECAPS_BUFFER","features":[388]},{"name":"PHONECAPS_LONG","features":[388]},{"name":"PHONECAPS_STRING","features":[388]},{"name":"PHONEERR_ALLOCATED","features":[388]},{"name":"PHONEERR_BADDEVICEID","features":[388]},{"name":"PHONEERR_DISCONNECTED","features":[388]},{"name":"PHONEERR_INCOMPATIBLEAPIVERSION","features":[388]},{"name":"PHONEERR_INCOMPATIBLEEXTVERSION","features":[388]},{"name":"PHONEERR_INIFILECORRUPT","features":[388]},{"name":"PHONEERR_INUSE","features":[388]},{"name":"PHONEERR_INVALAPPHANDLE","features":[388]},{"name":"PHONEERR_INVALAPPNAME","features":[388]},{"name":"PHONEERR_INVALBUTTONLAMPID","features":[388]},{"name":"PHONEERR_INVALBUTTONMODE","features":[388]},{"name":"PHONEERR_INVALBUTTONSTATE","features":[388]},{"name":"PHONEERR_INVALDATAID","features":[388]},{"name":"PHONEERR_INVALDEVICECLASS","features":[388]},{"name":"PHONEERR_INVALEXTVERSION","features":[388]},{"name":"PHONEERR_INVALHOOKSWITCHDEV","features":[388]},{"name":"PHONEERR_INVALHOOKSWITCHMODE","features":[388]},{"name":"PHONEERR_INVALLAMPMODE","features":[388]},{"name":"PHONEERR_INVALPARAM","features":[388]},{"name":"PHONEERR_INVALPHONEHANDLE","features":[388]},{"name":"PHONEERR_INVALPHONESTATE","features":[388]},{"name":"PHONEERR_INVALPOINTER","features":[388]},{"name":"PHONEERR_INVALPRIVILEGE","features":[388]},{"name":"PHONEERR_INVALRINGMODE","features":[388]},{"name":"PHONEERR_NODEVICE","features":[388]},{"name":"PHONEERR_NODRIVER","features":[388]},{"name":"PHONEERR_NOMEM","features":[388]},{"name":"PHONEERR_NOTOWNER","features":[388]},{"name":"PHONEERR_OPERATIONFAILED","features":[388]},{"name":"PHONEERR_OPERATIONUNAVAIL","features":[388]},{"name":"PHONEERR_REINIT","features":[388]},{"name":"PHONEERR_REQUESTOVERRUN","features":[388]},{"name":"PHONEERR_RESOURCEUNAVAIL","features":[388]},{"name":"PHONEERR_SERVICE_NOT_RUNNING","features":[388]},{"name":"PHONEERR_STRUCTURETOOSMALL","features":[388]},{"name":"PHONEERR_UNINITIALIZED","features":[388]},{"name":"PHONEEVENT","features":[388]},{"name":"PHONEEXTENSIONID","features":[388]},{"name":"PHONEFEATURE_GENERICPHONE","features":[388]},{"name":"PHONEFEATURE_GETBUTTONINFO","features":[388]},{"name":"PHONEFEATURE_GETDATA","features":[388]},{"name":"PHONEFEATURE_GETDISPLAY","features":[388]},{"name":"PHONEFEATURE_GETGAINHANDSET","features":[388]},{"name":"PHONEFEATURE_GETGAINHEADSET","features":[388]},{"name":"PHONEFEATURE_GETGAINSPEAKER","features":[388]},{"name":"PHONEFEATURE_GETHOOKSWITCHHANDSET","features":[388]},{"name":"PHONEFEATURE_GETHOOKSWITCHHEADSET","features":[388]},{"name":"PHONEFEATURE_GETHOOKSWITCHSPEAKER","features":[388]},{"name":"PHONEFEATURE_GETLAMP","features":[388]},{"name":"PHONEFEATURE_GETRING","features":[388]},{"name":"PHONEFEATURE_GETVOLUMEHANDSET","features":[388]},{"name":"PHONEFEATURE_GETVOLUMEHEADSET","features":[388]},{"name":"PHONEFEATURE_GETVOLUMESPEAKER","features":[388]},{"name":"PHONEFEATURE_SETBUTTONINFO","features":[388]},{"name":"PHONEFEATURE_SETDATA","features":[388]},{"name":"PHONEFEATURE_SETDISPLAY","features":[388]},{"name":"PHONEFEATURE_SETGAINHANDSET","features":[388]},{"name":"PHONEFEATURE_SETGAINHEADSET","features":[388]},{"name":"PHONEFEATURE_SETGAINSPEAKER","features":[388]},{"name":"PHONEFEATURE_SETHOOKSWITCHHANDSET","features":[388]},{"name":"PHONEFEATURE_SETHOOKSWITCHHEADSET","features":[388]},{"name":"PHONEFEATURE_SETHOOKSWITCHSPEAKER","features":[388]},{"name":"PHONEFEATURE_SETLAMP","features":[388]},{"name":"PHONEFEATURE_SETRING","features":[388]},{"name":"PHONEFEATURE_SETVOLUMEHANDSET","features":[388]},{"name":"PHONEFEATURE_SETVOLUMEHEADSET","features":[388]},{"name":"PHONEFEATURE_SETVOLUMESPEAKER","features":[388]},{"name":"PHONEHOOKSWITCHDEV_HANDSET","features":[388]},{"name":"PHONEHOOKSWITCHDEV_HEADSET","features":[388]},{"name":"PHONEHOOKSWITCHDEV_SPEAKER","features":[388]},{"name":"PHONEHOOKSWITCHMODE_MIC","features":[388]},{"name":"PHONEHOOKSWITCHMODE_MICSPEAKER","features":[388]},{"name":"PHONEHOOKSWITCHMODE_ONHOOK","features":[388]},{"name":"PHONEHOOKSWITCHMODE_SPEAKER","features":[388]},{"name":"PHONEHOOKSWITCHMODE_UNKNOWN","features":[388]},{"name":"PHONEINITIALIZEEXOPTION_USECOMPLETIONPORT","features":[388]},{"name":"PHONEINITIALIZEEXOPTION_USEEVENT","features":[388]},{"name":"PHONEINITIALIZEEXOPTION_USEHIDDENWINDOW","features":[388]},{"name":"PHONEINITIALIZEEXPARAMS","features":[388,308]},{"name":"PHONELAMPMODE_BROKENFLUTTER","features":[388]},{"name":"PHONELAMPMODE_DUMMY","features":[388]},{"name":"PHONELAMPMODE_FLASH","features":[388]},{"name":"PHONELAMPMODE_FLUTTER","features":[388]},{"name":"PHONELAMPMODE_OFF","features":[388]},{"name":"PHONELAMPMODE_STEADY","features":[388]},{"name":"PHONELAMPMODE_UNKNOWN","features":[388]},{"name":"PHONELAMPMODE_WINK","features":[388]},{"name":"PHONEMESSAGE","features":[388]},{"name":"PHONEPRIVILEGE_MONITOR","features":[388]},{"name":"PHONEPRIVILEGE_OWNER","features":[388]},{"name":"PHONESTATE_CAPSCHANGE","features":[388]},{"name":"PHONESTATE_CONNECTED","features":[388]},{"name":"PHONESTATE_DEVSPECIFIC","features":[388]},{"name":"PHONESTATE_DISCONNECTED","features":[388]},{"name":"PHONESTATE_DISPLAY","features":[388]},{"name":"PHONESTATE_HANDSETGAIN","features":[388]},{"name":"PHONESTATE_HANDSETHOOKSWITCH","features":[388]},{"name":"PHONESTATE_HANDSETVOLUME","features":[388]},{"name":"PHONESTATE_HEADSETGAIN","features":[388]},{"name":"PHONESTATE_HEADSETHOOKSWITCH","features":[388]},{"name":"PHONESTATE_HEADSETVOLUME","features":[388]},{"name":"PHONESTATE_LAMP","features":[388]},{"name":"PHONESTATE_MONITORS","features":[388]},{"name":"PHONESTATE_OTHER","features":[388]},{"name":"PHONESTATE_OWNER","features":[388]},{"name":"PHONESTATE_REINIT","features":[388]},{"name":"PHONESTATE_REMOVED","features":[388]},{"name":"PHONESTATE_RESUME","features":[388]},{"name":"PHONESTATE_RINGMODE","features":[388]},{"name":"PHONESTATE_RINGVOLUME","features":[388]},{"name":"PHONESTATE_SPEAKERGAIN","features":[388]},{"name":"PHONESTATE_SPEAKERHOOKSWITCH","features":[388]},{"name":"PHONESTATE_SPEAKERVOLUME","features":[388]},{"name":"PHONESTATE_SUSPEND","features":[388]},{"name":"PHONESTATUS","features":[388]},{"name":"PHONESTATUSFLAGS_CONNECTED","features":[388]},{"name":"PHONESTATUSFLAGS_SUSPENDED","features":[388]},{"name":"PHONE_BUTTON","features":[388]},{"name":"PHONE_BUTTON_FUNCTION","features":[388]},{"name":"PHONE_BUTTON_MODE","features":[388]},{"name":"PHONE_BUTTON_STATE","features":[388]},{"name":"PHONE_CLOSE","features":[388]},{"name":"PHONE_CREATE","features":[388]},{"name":"PHONE_DEVSPECIFIC","features":[388]},{"name":"PHONE_EVENT","features":[388]},{"name":"PHONE_HOOK_SWITCH_DEVICE","features":[388]},{"name":"PHONE_HOOK_SWITCH_STATE","features":[388]},{"name":"PHONE_LAMP_MODE","features":[388]},{"name":"PHONE_PRIVILEGE","features":[388]},{"name":"PHONE_REMOVE","features":[388]},{"name":"PHONE_REPLY","features":[388]},{"name":"PHONE_STATE","features":[388]},{"name":"PHONE_TONE","features":[388]},{"name":"PHSD_HANDSET","features":[388]},{"name":"PHSD_HEADSET","features":[388]},{"name":"PHSD_SPEAKERPHONE","features":[388]},{"name":"PHSS_OFFHOOK","features":[388]},{"name":"PHSS_OFFHOOK_MIC_ONLY","features":[388]},{"name":"PHSS_OFFHOOK_SPEAKER_ONLY","features":[388]},{"name":"PHSS_ONHOOK","features":[388]},{"name":"PP_MONITOR","features":[388]},{"name":"PP_OWNER","features":[388]},{"name":"PRIVATEOBJECT_ADDRESS","features":[388]},{"name":"PRIVATEOBJECT_CALL","features":[388]},{"name":"PRIVATEOBJECT_CALLID","features":[388]},{"name":"PRIVATEOBJECT_LINE","features":[388]},{"name":"PRIVATEOBJECT_NONE","features":[388]},{"name":"PRIVATEOBJECT_PHONE","features":[388]},{"name":"PT_BUSY","features":[388]},{"name":"PT_ERRORTONE","features":[388]},{"name":"PT_EXTERNALDIALTONE","features":[388]},{"name":"PT_KEYPADA","features":[388]},{"name":"PT_KEYPADB","features":[388]},{"name":"PT_KEYPADC","features":[388]},{"name":"PT_KEYPADD","features":[388]},{"name":"PT_KEYPADEIGHT","features":[388]},{"name":"PT_KEYPADFIVE","features":[388]},{"name":"PT_KEYPADFOUR","features":[388]},{"name":"PT_KEYPADNINE","features":[388]},{"name":"PT_KEYPADONE","features":[388]},{"name":"PT_KEYPADPOUND","features":[388]},{"name":"PT_KEYPADSEVEN","features":[388]},{"name":"PT_KEYPADSIX","features":[388]},{"name":"PT_KEYPADSTAR","features":[388]},{"name":"PT_KEYPADTHREE","features":[388]},{"name":"PT_KEYPADTWO","features":[388]},{"name":"PT_KEYPADZERO","features":[388]},{"name":"PT_NORMALDIALTONE","features":[388]},{"name":"PT_RINGBACK","features":[388]},{"name":"PT_SILENCE","features":[388]},{"name":"QE_ADMISSIONFAILURE","features":[388]},{"name":"QE_GENERICERROR","features":[388]},{"name":"QE_LASTITEM","features":[388]},{"name":"QE_NOQOS","features":[388]},{"name":"QE_POLICYFAILURE","features":[388]},{"name":"QOS_EVENT","features":[388]},{"name":"QOS_SERVICE_LEVEL","features":[388]},{"name":"QSL_BEST_EFFORT","features":[388]},{"name":"QSL_IF_AVAILABLE","features":[388]},{"name":"QSL_NEEDED","features":[388]},{"name":"RAS_LOCAL","features":[388]},{"name":"RAS_REGION","features":[388]},{"name":"RAS_SITE","features":[388]},{"name":"RAS_WORLD","features":[388]},{"name":"RENDBIND_AUTHENTICATE","features":[388]},{"name":"RENDBIND_DEFAULTCREDENTIALS","features":[388]},{"name":"RENDBIND_DEFAULTDOMAINNAME","features":[388]},{"name":"RENDBIND_DEFAULTPASSWORD","features":[388]},{"name":"RENDBIND_DEFAULTUSERNAME","features":[388]},{"name":"RENDDATA","features":[388]},{"name":"RND_ADVERTISING_SCOPE","features":[388]},{"name":"Rendezvous","features":[388]},{"name":"RequestMakeCall","features":[388]},{"name":"STRINGFORMAT_ASCII","features":[388]},{"name":"STRINGFORMAT_BINARY","features":[388]},{"name":"STRINGFORMAT_DBCS","features":[388]},{"name":"STRINGFORMAT_UNICODE","features":[388]},{"name":"STRM_CONFIGURED","features":[388]},{"name":"STRM_INITIAL","features":[388]},{"name":"STRM_PAUSED","features":[388]},{"name":"STRM_RUNNING","features":[388]},{"name":"STRM_STOPPED","features":[388]},{"name":"STRM_TERMINALSELECTED","features":[388]},{"name":"STnefProblem","features":[388]},{"name":"STnefProblemArray","features":[388]},{"name":"TAPI","features":[388]},{"name":"TAPIERR_CONNECTED","features":[388]},{"name":"TAPIERR_DESTBUSY","features":[388]},{"name":"TAPIERR_DESTNOANSWER","features":[388]},{"name":"TAPIERR_DESTUNAVAIL","features":[388]},{"name":"TAPIERR_DEVICECLASSUNAVAIL","features":[388]},{"name":"TAPIERR_DEVICEIDUNAVAIL","features":[388]},{"name":"TAPIERR_DEVICEINUSE","features":[388]},{"name":"TAPIERR_DROPPED","features":[388]},{"name":"TAPIERR_INVALDESTADDRESS","features":[388]},{"name":"TAPIERR_INVALDEVICECLASS","features":[388]},{"name":"TAPIERR_INVALDEVICEID","features":[388]},{"name":"TAPIERR_INVALPOINTER","features":[388]},{"name":"TAPIERR_INVALWINDOWHANDLE","features":[388]},{"name":"TAPIERR_MMCWRITELOCKED","features":[388]},{"name":"TAPIERR_NOREQUESTRECIPIENT","features":[388]},{"name":"TAPIERR_NOTADMIN","features":[388]},{"name":"TAPIERR_PROVIDERALREADYINSTALLED","features":[388]},{"name":"TAPIERR_REQUESTCANCELLED","features":[388]},{"name":"TAPIERR_REQUESTFAILED","features":[388]},{"name":"TAPIERR_REQUESTQUEUEFULL","features":[388]},{"name":"TAPIERR_SCP_ALREADY_EXISTS","features":[388]},{"name":"TAPIERR_SCP_DOES_NOT_EXIST","features":[388]},{"name":"TAPIERR_UNKNOWNREQUESTID","features":[388]},{"name":"TAPIERR_UNKNOWNWINHANDLE","features":[388]},{"name":"TAPIMAXAPPNAMESIZE","features":[388]},{"name":"TAPIMAXCALLEDPARTYSIZE","features":[388]},{"name":"TAPIMAXCOMMENTSIZE","features":[388]},{"name":"TAPIMAXDESTADDRESSSIZE","features":[388]},{"name":"TAPIMAXDEVICECLASSSIZE","features":[388]},{"name":"TAPIMAXDEVICEIDSIZE","features":[388]},{"name":"TAPIMEDIATYPE_AUDIO","features":[388]},{"name":"TAPIMEDIATYPE_DATAMODEM","features":[388]},{"name":"TAPIMEDIATYPE_G3FAX","features":[388]},{"name":"TAPIMEDIATYPE_MULTITRACK","features":[388]},{"name":"TAPIMEDIATYPE_VIDEO","features":[388]},{"name":"TAPIOBJECT_EVENT","features":[388]},{"name":"TAPI_CURRENT_VERSION","features":[388]},{"name":"TAPI_CUSTOMTONE","features":[388]},{"name":"TAPI_DETECTTONE","features":[388]},{"name":"TAPI_EVENT","features":[388]},{"name":"TAPI_E_ADDRESSBLOCKED","features":[388]},{"name":"TAPI_E_ALLOCATED","features":[388]},{"name":"TAPI_E_BILLINGREJECTED","features":[388]},{"name":"TAPI_E_CALLCENTER_GROUP_REMOVED","features":[388]},{"name":"TAPI_E_CALLCENTER_INVALAGENTACTIVITY","features":[388]},{"name":"TAPI_E_CALLCENTER_INVALAGENTGROUP","features":[388]},{"name":"TAPI_E_CALLCENTER_INVALAGENTID","features":[388]},{"name":"TAPI_E_CALLCENTER_INVALAGENTSTATE","features":[388]},{"name":"TAPI_E_CALLCENTER_INVALPASSWORD","features":[388]},{"name":"TAPI_E_CALLCENTER_NO_AGENT_ID","features":[388]},{"name":"TAPI_E_CALLCENTER_QUEUE_REMOVED","features":[388]},{"name":"TAPI_E_CALLNOTSELECTED","features":[388]},{"name":"TAPI_E_CALLUNAVAIL","features":[388]},{"name":"TAPI_E_COMPLETIONOVERRUN","features":[388]},{"name":"TAPI_E_CONFERENCEFULL","features":[388]},{"name":"TAPI_E_DESTBUSY","features":[388]},{"name":"TAPI_E_DESTNOANSWER","features":[388]},{"name":"TAPI_E_DESTUNAVAIL","features":[388]},{"name":"TAPI_E_DIALMODIFIERNOTSUPPORTED","features":[388]},{"name":"TAPI_E_DROPPED","features":[388]},{"name":"TAPI_E_INUSE","features":[388]},{"name":"TAPI_E_INVALADDRESS","features":[388]},{"name":"TAPI_E_INVALADDRESSSTATE","features":[388]},{"name":"TAPI_E_INVALADDRESSTYPE","features":[388]},{"name":"TAPI_E_INVALBUTTONLAMPID","features":[388]},{"name":"TAPI_E_INVALBUTTONSTATE","features":[388]},{"name":"TAPI_E_INVALCALLPARAMS","features":[388]},{"name":"TAPI_E_INVALCALLPRIVILEGE","features":[388]},{"name":"TAPI_E_INVALCALLSTATE","features":[388]},{"name":"TAPI_E_INVALCARD","features":[388]},{"name":"TAPI_E_INVALCOMPLETIONID","features":[388]},{"name":"TAPI_E_INVALCOUNTRYCODE","features":[388]},{"name":"TAPI_E_INVALDATAID","features":[388]},{"name":"TAPI_E_INVALDEVICECLASS","features":[388]},{"name":"TAPI_E_INVALDIALPARAMS","features":[388]},{"name":"TAPI_E_INVALDIGITS","features":[388]},{"name":"TAPI_E_INVALFEATURE","features":[388]},{"name":"TAPI_E_INVALGROUPID","features":[388]},{"name":"TAPI_E_INVALHOOKSWITCHDEV","features":[388]},{"name":"TAPI_E_INVALIDDIRECTION","features":[388]},{"name":"TAPI_E_INVALIDMEDIATYPE","features":[388]},{"name":"TAPI_E_INVALIDSTREAM","features":[388]},{"name":"TAPI_E_INVALIDSTREAMSTATE","features":[388]},{"name":"TAPI_E_INVALIDTERMINAL","features":[388]},{"name":"TAPI_E_INVALIDTERMINALCLASS","features":[388]},{"name":"TAPI_E_INVALLIST","features":[388]},{"name":"TAPI_E_INVALLOCATION","features":[388]},{"name":"TAPI_E_INVALMESSAGEID","features":[388]},{"name":"TAPI_E_INVALMODE","features":[388]},{"name":"TAPI_E_INVALPARKID","features":[388]},{"name":"TAPI_E_INVALPRIVILEGE","features":[388]},{"name":"TAPI_E_INVALRATE","features":[388]},{"name":"TAPI_E_INVALTIMEOUT","features":[388]},{"name":"TAPI_E_INVALTONE","features":[388]},{"name":"TAPI_E_MAXSTREAMS","features":[388]},{"name":"TAPI_E_MAXTERMINALS","features":[388]},{"name":"TAPI_E_NOCONFERENCE","features":[388]},{"name":"TAPI_E_NODEVICE","features":[388]},{"name":"TAPI_E_NODRIVER","features":[388]},{"name":"TAPI_E_NOEVENT","features":[388]},{"name":"TAPI_E_NOFORMAT","features":[388]},{"name":"TAPI_E_NOITEMS","features":[388]},{"name":"TAPI_E_NOREQUEST","features":[388]},{"name":"TAPI_E_NOREQUESTRECIPIENT","features":[388]},{"name":"TAPI_E_NOTENOUGHMEMORY","features":[388]},{"name":"TAPI_E_NOTERMINALSELECTED","features":[388]},{"name":"TAPI_E_NOTOWNER","features":[388]},{"name":"TAPI_E_NOTREGISTERED","features":[388]},{"name":"TAPI_E_NOTSTOPPED","features":[388]},{"name":"TAPI_E_NOTSUPPORTED","features":[388]},{"name":"TAPI_E_NOT_INITIALIZED","features":[388]},{"name":"TAPI_E_OPERATIONFAILED","features":[388]},{"name":"TAPI_E_PEER_NOT_SET","features":[388]},{"name":"TAPI_E_PHONENOTOPEN","features":[388]},{"name":"TAPI_E_REGISTRY_SETTING_CORRUPT","features":[388]},{"name":"TAPI_E_REINIT","features":[388]},{"name":"TAPI_E_REQUESTCANCELLED","features":[388]},{"name":"TAPI_E_REQUESTFAILED","features":[388]},{"name":"TAPI_E_REQUESTOVERRUN","features":[388]},{"name":"TAPI_E_REQUESTQUEUEFULL","features":[388]},{"name":"TAPI_E_RESOURCEUNAVAIL","features":[388]},{"name":"TAPI_E_SERVICE_NOT_RUNNING","features":[388]},{"name":"TAPI_E_TARGETNOTFOUND","features":[388]},{"name":"TAPI_E_TARGETSELF","features":[388]},{"name":"TAPI_E_TERMINALINUSE","features":[388]},{"name":"TAPI_E_TERMINAL_PEER","features":[388]},{"name":"TAPI_E_TIMEOUT","features":[388]},{"name":"TAPI_E_USERUSERINFOTOOBIG","features":[388]},{"name":"TAPI_E_WRONGEVENT","features":[388]},{"name":"TAPI_E_WRONG_STATE","features":[388]},{"name":"TAPI_GATHERTERM","features":[388]},{"name":"TAPI_OBJECT_TYPE","features":[388]},{"name":"TAPI_REPLY","features":[388]},{"name":"TAPI_TONEMODE","features":[388]},{"name":"TD_BIDIRECTIONAL","features":[388]},{"name":"TD_CAPTURE","features":[388]},{"name":"TD_MULTITRACK_MIXED","features":[388]},{"name":"TD_NONE","features":[388]},{"name":"TD_RENDER","features":[388]},{"name":"TERMINAL_DIRECTION","features":[388]},{"name":"TERMINAL_MEDIA_STATE","features":[388]},{"name":"TERMINAL_STATE","features":[388]},{"name":"TERMINAL_TYPE","features":[388]},{"name":"TE_ACDGROUP","features":[388]},{"name":"TE_ADDRESS","features":[388]},{"name":"TE_ADDRESSCLOSE","features":[388]},{"name":"TE_ADDRESSCREATE","features":[388]},{"name":"TE_ADDRESSDEVSPECIFIC","features":[388]},{"name":"TE_ADDRESSREMOVE","features":[388]},{"name":"TE_AGENT","features":[388]},{"name":"TE_AGENTHANDLER","features":[388]},{"name":"TE_AGENTSESSION","features":[388]},{"name":"TE_ASRTERMINAL","features":[388]},{"name":"TE_CALLHUB","features":[388]},{"name":"TE_CALLINFOCHANGE","features":[388]},{"name":"TE_CALLMEDIA","features":[388]},{"name":"TE_CALLNOTIFICATION","features":[388]},{"name":"TE_CALLSTATE","features":[388]},{"name":"TE_DIGITEVENT","features":[388]},{"name":"TE_FILETERMINAL","features":[388]},{"name":"TE_GATHERDIGITS","features":[388]},{"name":"TE_GENERATEEVENT","features":[388]},{"name":"TE_PHONECREATE","features":[388]},{"name":"TE_PHONEDEVSPECIFIC","features":[388]},{"name":"TE_PHONEEVENT","features":[388]},{"name":"TE_PHONEREMOVE","features":[388]},{"name":"TE_PRIVATE","features":[388]},{"name":"TE_QOSEVENT","features":[388]},{"name":"TE_QUEUE","features":[388]},{"name":"TE_REINIT","features":[388]},{"name":"TE_REQUEST","features":[388]},{"name":"TE_TAPIOBJECT","features":[388]},{"name":"TE_TONEEVENT","features":[388]},{"name":"TE_TONETERMINAL","features":[388]},{"name":"TE_TRANSLATECHANGE","features":[388]},{"name":"TE_TTSTERMINAL","features":[388]},{"name":"TGT_BUFFERFULL","features":[388]},{"name":"TGT_CANCEL","features":[388]},{"name":"TGT_FIRSTTIMEOUT","features":[388]},{"name":"TGT_INTERTIMEOUT","features":[388]},{"name":"TGT_TERMDIGIT","features":[388]},{"name":"TMS_ACTIVE","features":[388]},{"name":"TMS_IDLE","features":[388]},{"name":"TMS_LASTITEM","features":[388]},{"name":"TMS_PAUSED","features":[388]},{"name":"TOT_ADDRESS","features":[388]},{"name":"TOT_CALL","features":[388]},{"name":"TOT_CALLHUB","features":[388]},{"name":"TOT_NONE","features":[388]},{"name":"TOT_PHONE","features":[388]},{"name":"TOT_TAPI","features":[388]},{"name":"TOT_TERMINAL","features":[388]},{"name":"TRP","features":[388]},{"name":"TSPI_LINEACCEPT","features":[388]},{"name":"TSPI_LINEADDTOCONFERENCE","features":[388]},{"name":"TSPI_LINEANSWER","features":[388]},{"name":"TSPI_LINEBLINDTRANSFER","features":[388]},{"name":"TSPI_LINECLOSE","features":[388]},{"name":"TSPI_LINECLOSECALL","features":[388]},{"name":"TSPI_LINECLOSEMSPINSTANCE","features":[388]},{"name":"TSPI_LINECOMPLETECALL","features":[388]},{"name":"TSPI_LINECOMPLETETRANSFER","features":[388]},{"name":"TSPI_LINECONDITIONALMEDIADETECTION","features":[388]},{"name":"TSPI_LINECONFIGDIALOG","features":[388]},{"name":"TSPI_LINECONFIGDIALOGEDIT","features":[388]},{"name":"TSPI_LINECREATEMSPINSTANCE","features":[388]},{"name":"TSPI_LINEDEVSPECIFIC","features":[388]},{"name":"TSPI_LINEDEVSPECIFICFEATURE","features":[388]},{"name":"TSPI_LINEDIAL","features":[388]},{"name":"TSPI_LINEDROP","features":[388]},{"name":"TSPI_LINEDROPNOOWNER","features":[388]},{"name":"TSPI_LINEDROPONCLOSE","features":[388]},{"name":"TSPI_LINEFORWARD","features":[388]},{"name":"TSPI_LINEGATHERDIGITS","features":[388]},{"name":"TSPI_LINEGENERATEDIGITS","features":[388]},{"name":"TSPI_LINEGENERATETONE","features":[388]},{"name":"TSPI_LINEGETADDRESSCAPS","features":[388]},{"name":"TSPI_LINEGETADDRESSID","features":[388]},{"name":"TSPI_LINEGETADDRESSSTATUS","features":[388]},{"name":"TSPI_LINEGETCALLADDRESSID","features":[388]},{"name":"TSPI_LINEGETCALLHUBTRACKING","features":[388]},{"name":"TSPI_LINEGETCALLID","features":[388]},{"name":"TSPI_LINEGETCALLINFO","features":[388]},{"name":"TSPI_LINEGETCALLSTATUS","features":[388]},{"name":"TSPI_LINEGETDEVCAPS","features":[388]},{"name":"TSPI_LINEGETDEVCONFIG","features":[388]},{"name":"TSPI_LINEGETEXTENSIONID","features":[388]},{"name":"TSPI_LINEGETICON","features":[388]},{"name":"TSPI_LINEGETID","features":[388]},{"name":"TSPI_LINEGETLINEDEVSTATUS","features":[388]},{"name":"TSPI_LINEGETNUMADDRESSIDS","features":[388]},{"name":"TSPI_LINEHOLD","features":[388]},{"name":"TSPI_LINEMAKECALL","features":[388]},{"name":"TSPI_LINEMONITORDIGITS","features":[388]},{"name":"TSPI_LINEMONITORMEDIA","features":[388]},{"name":"TSPI_LINEMONITORTONES","features":[388]},{"name":"TSPI_LINEMSPIDENTIFY","features":[388]},{"name":"TSPI_LINENEGOTIATEEXTVERSION","features":[388]},{"name":"TSPI_LINENEGOTIATETSPIVERSION","features":[388]},{"name":"TSPI_LINEOPEN","features":[388]},{"name":"TSPI_LINEPARK","features":[388]},{"name":"TSPI_LINEPICKUP","features":[388]},{"name":"TSPI_LINEPREPAREADDTOCONFERENCE","features":[388]},{"name":"TSPI_LINERECEIVEMSPDATA","features":[388]},{"name":"TSPI_LINEREDIRECT","features":[388]},{"name":"TSPI_LINERELEASEUSERUSERINFO","features":[388]},{"name":"TSPI_LINEREMOVEFROMCONFERENCE","features":[388]},{"name":"TSPI_LINESECURECALL","features":[388]},{"name":"TSPI_LINESELECTEXTVERSION","features":[388]},{"name":"TSPI_LINESENDUSERUSERINFO","features":[388]},{"name":"TSPI_LINESETAPPSPECIFIC","features":[388]},{"name":"TSPI_LINESETCALLHUBTRACKING","features":[388]},{"name":"TSPI_LINESETCALLPARAMS","features":[388]},{"name":"TSPI_LINESETCURRENTLOCATION","features":[388]},{"name":"TSPI_LINESETDEFAULTMEDIADETECTION","features":[388]},{"name":"TSPI_LINESETDEVCONFIG","features":[388]},{"name":"TSPI_LINESETMEDIACONTROL","features":[388]},{"name":"TSPI_LINESETMEDIAMODE","features":[388]},{"name":"TSPI_LINESETSTATUSMESSAGES","features":[388]},{"name":"TSPI_LINESETTERMINAL","features":[388]},{"name":"TSPI_LINESETUPCONFERENCE","features":[388]},{"name":"TSPI_LINESETUPTRANSFER","features":[388]},{"name":"TSPI_LINESWAPHOLD","features":[388]},{"name":"TSPI_LINEUNCOMPLETECALL","features":[388]},{"name":"TSPI_LINEUNHOLD","features":[388]},{"name":"TSPI_LINEUNPARK","features":[388]},{"name":"TSPI_MESSAGE_BASE","features":[388]},{"name":"TSPI_PHONECLOSE","features":[388]},{"name":"TSPI_PHONECONFIGDIALOG","features":[388]},{"name":"TSPI_PHONEDEVSPECIFIC","features":[388]},{"name":"TSPI_PHONEGETBUTTONINFO","features":[388]},{"name":"TSPI_PHONEGETDATA","features":[388]},{"name":"TSPI_PHONEGETDEVCAPS","features":[388]},{"name":"TSPI_PHONEGETDISPLAY","features":[388]},{"name":"TSPI_PHONEGETEXTENSIONID","features":[388]},{"name":"TSPI_PHONEGETGAIN","features":[388]},{"name":"TSPI_PHONEGETHOOKSWITCH","features":[388]},{"name":"TSPI_PHONEGETICON","features":[388]},{"name":"TSPI_PHONEGETID","features":[388]},{"name":"TSPI_PHONEGETLAMP","features":[388]},{"name":"TSPI_PHONEGETRING","features":[388]},{"name":"TSPI_PHONEGETSTATUS","features":[388]},{"name":"TSPI_PHONEGETVOLUME","features":[388]},{"name":"TSPI_PHONENEGOTIATEEXTVERSION","features":[388]},{"name":"TSPI_PHONENEGOTIATETSPIVERSION","features":[388]},{"name":"TSPI_PHONEOPEN","features":[388]},{"name":"TSPI_PHONESELECTEXTVERSION","features":[388]},{"name":"TSPI_PHONESETBUTTONINFO","features":[388]},{"name":"TSPI_PHONESETDATA","features":[388]},{"name":"TSPI_PHONESETDISPLAY","features":[388]},{"name":"TSPI_PHONESETGAIN","features":[388]},{"name":"TSPI_PHONESETHOOKSWITCH","features":[388]},{"name":"TSPI_PHONESETLAMP","features":[388]},{"name":"TSPI_PHONESETRING","features":[388]},{"name":"TSPI_PHONESETSTATUSMESSAGES","features":[388]},{"name":"TSPI_PHONESETVOLUME","features":[388]},{"name":"TSPI_PROC_BASE","features":[388]},{"name":"TSPI_PROVIDERCONFIG","features":[388]},{"name":"TSPI_PROVIDERCREATELINEDEVICE","features":[388]},{"name":"TSPI_PROVIDERCREATEPHONEDEVICE","features":[388]},{"name":"TSPI_PROVIDERENUMDEVICES","features":[388]},{"name":"TSPI_PROVIDERINIT","features":[388]},{"name":"TSPI_PROVIDERINSTALL","features":[388]},{"name":"TSPI_PROVIDERREMOVE","features":[388]},{"name":"TSPI_PROVIDERSHUTDOWN","features":[388]},{"name":"TS_INUSE","features":[388]},{"name":"TS_NOTINUSE","features":[388]},{"name":"TTM_BEEP","features":[388]},{"name":"TTM_BILLING","features":[388]},{"name":"TTM_BUSY","features":[388]},{"name":"TTM_RINGBACK","features":[388]},{"name":"TT_DYNAMIC","features":[388]},{"name":"TT_STATIC","features":[388]},{"name":"TUISPICREATEDIALOGINSTANCEPARAMS","features":[388]},{"name":"TUISPIDLLCALLBACK","features":[388]},{"name":"TUISPIDLL_OBJECT_DIALOGINSTANCE","features":[388]},{"name":"TUISPIDLL_OBJECT_LINEID","features":[388]},{"name":"TUISPIDLL_OBJECT_PHONEID","features":[388]},{"name":"TUISPIDLL_OBJECT_PROVIDERID","features":[388]},{"name":"VARSTRING","features":[388]},{"name":"atypFile","features":[388]},{"name":"atypMax","features":[388]},{"name":"atypNull","features":[388]},{"name":"atypOle","features":[388]},{"name":"atypPicture","features":[388]},{"name":"cbDisplayName","features":[388]},{"name":"cbEmailName","features":[388]},{"name":"cbMaxIdData","features":[388]},{"name":"cbSeverName","features":[388]},{"name":"cbTYPE","features":[388]},{"name":"lineAccept","features":[388]},{"name":"lineAddProvider","features":[388,308]},{"name":"lineAddProviderA","features":[388,308]},{"name":"lineAddProviderW","features":[388,308]},{"name":"lineAddToConference","features":[388]},{"name":"lineAgentSpecific","features":[388]},{"name":"lineAnswer","features":[388]},{"name":"lineBlindTransfer","features":[388]},{"name":"lineBlindTransferA","features":[388]},{"name":"lineBlindTransferW","features":[388]},{"name":"lineClose","features":[388]},{"name":"lineCompleteCall","features":[388]},{"name":"lineCompleteTransfer","features":[388]},{"name":"lineConfigDialog","features":[388,308]},{"name":"lineConfigDialogA","features":[388,308]},{"name":"lineConfigDialogEdit","features":[388,308]},{"name":"lineConfigDialogEditA","features":[388,308]},{"name":"lineConfigDialogEditW","features":[388,308]},{"name":"lineConfigDialogW","features":[388,308]},{"name":"lineConfigProvider","features":[388,308]},{"name":"lineCreateAgentA","features":[388]},{"name":"lineCreateAgentSessionA","features":[388]},{"name":"lineCreateAgentSessionW","features":[388]},{"name":"lineCreateAgentW","features":[388]},{"name":"lineDeallocateCall","features":[388]},{"name":"lineDevSpecific","features":[388]},{"name":"lineDevSpecificFeature","features":[388]},{"name":"lineDial","features":[388]},{"name":"lineDialA","features":[388]},{"name":"lineDialW","features":[388]},{"name":"lineDrop","features":[388]},{"name":"lineForward","features":[388]},{"name":"lineForwardA","features":[388]},{"name":"lineForwardW","features":[388]},{"name":"lineGatherDigits","features":[388]},{"name":"lineGatherDigitsA","features":[388]},{"name":"lineGatherDigitsW","features":[388]},{"name":"lineGenerateDigits","features":[388]},{"name":"lineGenerateDigitsA","features":[388]},{"name":"lineGenerateDigitsW","features":[388]},{"name":"lineGenerateTone","features":[388]},{"name":"lineGetAddressCaps","features":[388]},{"name":"lineGetAddressCapsA","features":[388]},{"name":"lineGetAddressCapsW","features":[388]},{"name":"lineGetAddressID","features":[388]},{"name":"lineGetAddressIDA","features":[388]},{"name":"lineGetAddressIDW","features":[388]},{"name":"lineGetAddressStatus","features":[388]},{"name":"lineGetAddressStatusA","features":[388]},{"name":"lineGetAddressStatusW","features":[388]},{"name":"lineGetAgentActivityListA","features":[388]},{"name":"lineGetAgentActivityListW","features":[388]},{"name":"lineGetAgentCapsA","features":[388]},{"name":"lineGetAgentCapsW","features":[388]},{"name":"lineGetAgentGroupListA","features":[388]},{"name":"lineGetAgentGroupListW","features":[388]},{"name":"lineGetAgentInfo","features":[388,359]},{"name":"lineGetAgentSessionInfo","features":[388,359]},{"name":"lineGetAgentSessionList","features":[388]},{"name":"lineGetAgentStatusA","features":[388]},{"name":"lineGetAgentStatusW","features":[388]},{"name":"lineGetAppPriority","features":[388]},{"name":"lineGetAppPriorityA","features":[388]},{"name":"lineGetAppPriorityW","features":[388]},{"name":"lineGetCallInfo","features":[388]},{"name":"lineGetCallInfoA","features":[388]},{"name":"lineGetCallInfoW","features":[388]},{"name":"lineGetCallStatus","features":[388,308]},{"name":"lineGetConfRelatedCalls","features":[388]},{"name":"lineGetCountry","features":[388]},{"name":"lineGetCountryA","features":[388]},{"name":"lineGetCountryW","features":[388]},{"name":"lineGetDevCaps","features":[388]},{"name":"lineGetDevCapsA","features":[388]},{"name":"lineGetDevCapsW","features":[388]},{"name":"lineGetDevConfig","features":[388]},{"name":"lineGetDevConfigA","features":[388]},{"name":"lineGetDevConfigW","features":[388]},{"name":"lineGetGroupListA","features":[388]},{"name":"lineGetGroupListW","features":[388]},{"name":"lineGetID","features":[388]},{"name":"lineGetIDA","features":[388]},{"name":"lineGetIDW","features":[388]},{"name":"lineGetIcon","features":[388,370]},{"name":"lineGetIconA","features":[388,370]},{"name":"lineGetIconW","features":[388,370]},{"name":"lineGetLineDevStatus","features":[388]},{"name":"lineGetLineDevStatusA","features":[388]},{"name":"lineGetLineDevStatusW","features":[388]},{"name":"lineGetMessage","features":[388]},{"name":"lineGetNewCalls","features":[388]},{"name":"lineGetNumRings","features":[388]},{"name":"lineGetProviderList","features":[388]},{"name":"lineGetProviderListA","features":[388]},{"name":"lineGetProviderListW","features":[388]},{"name":"lineGetProxyStatus","features":[388]},{"name":"lineGetQueueInfo","features":[388]},{"name":"lineGetQueueListA","features":[388]},{"name":"lineGetQueueListW","features":[388]},{"name":"lineGetRequest","features":[388]},{"name":"lineGetRequestA","features":[388]},{"name":"lineGetRequestW","features":[388]},{"name":"lineGetStatusMessages","features":[388]},{"name":"lineGetTranslateCaps","features":[388]},{"name":"lineGetTranslateCapsA","features":[388]},{"name":"lineGetTranslateCapsW","features":[388]},{"name":"lineHandoff","features":[388]},{"name":"lineHandoffA","features":[388]},{"name":"lineHandoffW","features":[388]},{"name":"lineHold","features":[388]},{"name":"lineInitialize","features":[388,308]},{"name":"lineInitializeExA","features":[388,308]},{"name":"lineInitializeExW","features":[388,308]},{"name":"lineMakeCall","features":[388]},{"name":"lineMakeCallA","features":[388]},{"name":"lineMakeCallW","features":[388]},{"name":"lineMonitorDigits","features":[388]},{"name":"lineMonitorMedia","features":[388]},{"name":"lineMonitorTones","features":[388]},{"name":"lineNegotiateAPIVersion","features":[388]},{"name":"lineNegotiateExtVersion","features":[388]},{"name":"lineOpen","features":[388]},{"name":"lineOpenA","features":[388]},{"name":"lineOpenW","features":[388]},{"name":"linePark","features":[388]},{"name":"lineParkA","features":[388]},{"name":"lineParkW","features":[388]},{"name":"linePickup","features":[388]},{"name":"linePickupA","features":[388]},{"name":"linePickupW","features":[388]},{"name":"linePrepareAddToConference","features":[388]},{"name":"linePrepareAddToConferenceA","features":[388]},{"name":"linePrepareAddToConferenceW","features":[388]},{"name":"lineProxyMessage","features":[388]},{"name":"lineProxyResponse","features":[388,359]},{"name":"lineRedirect","features":[388]},{"name":"lineRedirectA","features":[388]},{"name":"lineRedirectW","features":[388]},{"name":"lineRegisterRequestRecipient","features":[388]},{"name":"lineReleaseUserUserInfo","features":[388]},{"name":"lineRemoveFromConference","features":[388]},{"name":"lineRemoveProvider","features":[388,308]},{"name":"lineSecureCall","features":[388]},{"name":"lineSendUserUserInfo","features":[388]},{"name":"lineSetAgentActivity","features":[388]},{"name":"lineSetAgentGroup","features":[388]},{"name":"lineSetAgentMeasurementPeriod","features":[388]},{"name":"lineSetAgentSessionState","features":[388]},{"name":"lineSetAgentState","features":[388]},{"name":"lineSetAgentStateEx","features":[388]},{"name":"lineSetAppPriority","features":[388]},{"name":"lineSetAppPriorityA","features":[388]},{"name":"lineSetAppPriorityW","features":[388]},{"name":"lineSetAppSpecific","features":[388]},{"name":"lineSetCallData","features":[388]},{"name":"lineSetCallParams","features":[388]},{"name":"lineSetCallPrivilege","features":[388]},{"name":"lineSetCallQualityOfService","features":[388]},{"name":"lineSetCallTreatment","features":[388]},{"name":"lineSetCurrentLocation","features":[388]},{"name":"lineSetDevConfig","features":[388]},{"name":"lineSetDevConfigA","features":[388]},{"name":"lineSetDevConfigW","features":[388]},{"name":"lineSetLineDevStatus","features":[388]},{"name":"lineSetMediaControl","features":[388]},{"name":"lineSetMediaMode","features":[388]},{"name":"lineSetNumRings","features":[388]},{"name":"lineSetQueueMeasurementPeriod","features":[388]},{"name":"lineSetStatusMessages","features":[388]},{"name":"lineSetTerminal","features":[388]},{"name":"lineSetTollList","features":[388]},{"name":"lineSetTollListA","features":[388]},{"name":"lineSetTollListW","features":[388]},{"name":"lineSetupConference","features":[388]},{"name":"lineSetupConferenceA","features":[388]},{"name":"lineSetupConferenceW","features":[388]},{"name":"lineSetupTransfer","features":[388]},{"name":"lineSetupTransferA","features":[388]},{"name":"lineSetupTransferW","features":[388]},{"name":"lineShutdown","features":[388]},{"name":"lineSwapHold","features":[388]},{"name":"lineTranslateAddress","features":[388]},{"name":"lineTranslateAddressA","features":[388]},{"name":"lineTranslateAddressW","features":[388]},{"name":"lineTranslateDialog","features":[388,308]},{"name":"lineTranslateDialogA","features":[388,308]},{"name":"lineTranslateDialogW","features":[388,308]},{"name":"lineUncompleteCall","features":[388]},{"name":"lineUnhold","features":[388]},{"name":"lineUnpark","features":[388]},{"name":"lineUnparkA","features":[388]},{"name":"lineUnparkW","features":[388]},{"name":"phoneClose","features":[388]},{"name":"phoneConfigDialog","features":[388,308]},{"name":"phoneConfigDialogA","features":[388,308]},{"name":"phoneConfigDialogW","features":[388,308]},{"name":"phoneDevSpecific","features":[388]},{"name":"phoneGetButtonInfo","features":[388]},{"name":"phoneGetButtonInfoA","features":[388]},{"name":"phoneGetButtonInfoW","features":[388]},{"name":"phoneGetData","features":[388]},{"name":"phoneGetDevCaps","features":[388]},{"name":"phoneGetDevCapsA","features":[388]},{"name":"phoneGetDevCapsW","features":[388]},{"name":"phoneGetDisplay","features":[388]},{"name":"phoneGetGain","features":[388]},{"name":"phoneGetHookSwitch","features":[388]},{"name":"phoneGetID","features":[388]},{"name":"phoneGetIDA","features":[388]},{"name":"phoneGetIDW","features":[388]},{"name":"phoneGetIcon","features":[388,370]},{"name":"phoneGetIconA","features":[388,370]},{"name":"phoneGetIconW","features":[388,370]},{"name":"phoneGetLamp","features":[388]},{"name":"phoneGetMessage","features":[388]},{"name":"phoneGetRing","features":[388]},{"name":"phoneGetStatus","features":[388]},{"name":"phoneGetStatusA","features":[388]},{"name":"phoneGetStatusMessages","features":[388]},{"name":"phoneGetStatusW","features":[388]},{"name":"phoneGetVolume","features":[388]},{"name":"phoneInitialize","features":[388,308]},{"name":"phoneInitializeExA","features":[388,308]},{"name":"phoneInitializeExW","features":[388,308]},{"name":"phoneNegotiateAPIVersion","features":[388]},{"name":"phoneNegotiateExtVersion","features":[388]},{"name":"phoneOpen","features":[388]},{"name":"phoneSetButtonInfo","features":[388]},{"name":"phoneSetButtonInfoA","features":[388]},{"name":"phoneSetButtonInfoW","features":[388]},{"name":"phoneSetData","features":[388]},{"name":"phoneSetDisplay","features":[388]},{"name":"phoneSetGain","features":[388]},{"name":"phoneSetHookSwitch","features":[388]},{"name":"phoneSetLamp","features":[388]},{"name":"phoneSetRing","features":[388]},{"name":"phoneSetStatusMessages","features":[388]},{"name":"phoneSetVolume","features":[388]},{"name":"phoneShutdown","features":[388]},{"name":"prioHigh","features":[388]},{"name":"prioLow","features":[388]},{"name":"prioNorm","features":[388]},{"name":"tapiGetLocationInfo","features":[388]},{"name":"tapiGetLocationInfoA","features":[388]},{"name":"tapiGetLocationInfoW","features":[388]},{"name":"tapiRequestDrop","features":[388,308]},{"name":"tapiRequestMakeCall","features":[388]},{"name":"tapiRequestMakeCallA","features":[388]},{"name":"tapiRequestMakeCallW","features":[388]},{"name":"tapiRequestMediaCall","features":[388,308]},{"name":"tapiRequestMediaCallA","features":[388,308]},{"name":"tapiRequestMediaCallW","features":[388,308]}],"387":[{"name":"ALLOW_PARTIAL_READS","features":[390]},{"name":"ALL_PIPE","features":[390]},{"name":"ALTERNATE_INTERFACE","features":[390]},{"name":"AUTO_CLEAR_STALL","features":[390]},{"name":"AUTO_FLUSH","features":[390]},{"name":"AUTO_SUSPEND","features":[390]},{"name":"AcquireBusInfo","features":[390]},{"name":"AcquireControllerName","features":[390]},{"name":"AcquireHubName","features":[390]},{"name":"BMREQUEST_CLASS","features":[390]},{"name":"BMREQUEST_DEVICE_TO_HOST","features":[390]},{"name":"BMREQUEST_HOST_TO_DEVICE","features":[390]},{"name":"BMREQUEST_STANDARD","features":[390]},{"name":"BMREQUEST_TO_DEVICE","features":[390]},{"name":"BMREQUEST_TO_ENDPOINT","features":[390]},{"name":"BMREQUEST_TO_INTERFACE","features":[390]},{"name":"BMREQUEST_TO_OTHER","features":[390]},{"name":"BMREQUEST_VENDOR","features":[390]},{"name":"BM_REQUEST_TYPE","features":[390]},{"name":"BULKIN_FLAG","features":[390]},{"name":"CHANNEL_INFO","features":[390]},{"name":"CompositeDevice","features":[390]},{"name":"DEVICE_DESCRIPTOR","features":[390]},{"name":"DEVICE_SPEED","features":[390]},{"name":"DRV_VERSION","features":[390]},{"name":"DeviceCausedOvercurrent","features":[390]},{"name":"DeviceConnected","features":[390]},{"name":"DeviceEnumerating","features":[390]},{"name":"DeviceFailedEnumeration","features":[390]},{"name":"DeviceGeneralFailure","features":[390]},{"name":"DeviceHubNestedTooDeeply","features":[390]},{"name":"DeviceInLegacyHub","features":[390]},{"name":"DeviceNotEnoughBandwidth","features":[390]},{"name":"DeviceNotEnoughPower","features":[390]},{"name":"DeviceReset","features":[390]},{"name":"EHCI_Generic","features":[390]},{"name":"EHCI_Intel_Medfield","features":[390]},{"name":"EHCI_Lucent","features":[390]},{"name":"EHCI_NEC","features":[390]},{"name":"EHCI_NVIDIA_Tegra2","features":[390]},{"name":"EHCI_NVIDIA_Tegra3","features":[390]},{"name":"EVENT_PIPE","features":[390]},{"name":"EnumerationFailure","features":[390]},{"name":"FILE_DEVICE_USB","features":[390]},{"name":"FILE_DEVICE_USB_SCAN","features":[390]},{"name":"FullSpeed","features":[390]},{"name":"GUID_DEVINTERFACE_USB_BILLBOARD","features":[390]},{"name":"GUID_DEVINTERFACE_USB_DEVICE","features":[390]},{"name":"GUID_DEVINTERFACE_USB_HOST_CONTROLLER","features":[390]},{"name":"GUID_DEVINTERFACE_USB_HUB","features":[390]},{"name":"GUID_USB_MSOS20_PLATFORM_CAPABILITY_ID","features":[390]},{"name":"GUID_USB_PERFORMANCE_TRACING","features":[390]},{"name":"GUID_USB_TRANSFER_TRACING","features":[390]},{"name":"GUID_USB_WMI_DEVICE_PERF_INFO","features":[390]},{"name":"GUID_USB_WMI_NODE_INFO","features":[390]},{"name":"GUID_USB_WMI_STD_DATA","features":[390]},{"name":"GUID_USB_WMI_STD_NOTIFICATION","features":[390]},{"name":"GUID_USB_WMI_SURPRISE_REMOVAL_NOTIFICATION","features":[390]},{"name":"GUID_USB_WMI_TRACING","features":[390]},{"name":"HCD_DIAGNOSTIC_MODE_OFF","features":[390]},{"name":"HCD_DIAGNOSTIC_MODE_ON","features":[390]},{"name":"HCD_DISABLE_PORT","features":[390]},{"name":"HCD_ENABLE_PORT","features":[390]},{"name":"HCD_GET_DRIVERKEY_NAME","features":[390]},{"name":"HCD_GET_ROOT_HUB_NAME","features":[390]},{"name":"HCD_GET_STATS_1","features":[390]},{"name":"HCD_GET_STATS_2","features":[390]},{"name":"HCD_ISO_STAT_COUNTERS","features":[390]},{"name":"HCD_STAT_COUNTERS","features":[390]},{"name":"HCD_STAT_INFORMATION_1","features":[390]},{"name":"HCD_STAT_INFORMATION_2","features":[390]},{"name":"HCD_TRACE_READ_REQUEST","features":[390]},{"name":"HCD_USER_REQUEST","features":[390]},{"name":"HUB_DEVICE_CONFIG_INFO","features":[390]},{"name":"HighSpeed","features":[390]},{"name":"HubDevice","features":[390]},{"name":"HubNestedTooDeeply","features":[390]},{"name":"HubOvercurrent","features":[390]},{"name":"HubPowerChange","features":[390]},{"name":"IGNORE_SHORT_PACKETS","features":[390]},{"name":"IOCTL_ABORT_PIPE","features":[390]},{"name":"IOCTL_CANCEL_IO","features":[390]},{"name":"IOCTL_GENERICUSBFN_ACTIVATE_USB_BUS","features":[390]},{"name":"IOCTL_GENERICUSBFN_BUS_EVENT_NOTIFICATION","features":[390]},{"name":"IOCTL_GENERICUSBFN_CONTROL_STATUS_HANDSHAKE_IN","features":[390]},{"name":"IOCTL_GENERICUSBFN_CONTROL_STATUS_HANDSHAKE_OUT","features":[390]},{"name":"IOCTL_GENERICUSBFN_DEACTIVATE_USB_BUS","features":[390]},{"name":"IOCTL_GENERICUSBFN_GET_CLASS_INFO","features":[390]},{"name":"IOCTL_GENERICUSBFN_GET_CLASS_INFO_EX","features":[390]},{"name":"IOCTL_GENERICUSBFN_GET_INTERFACE_DESCRIPTOR_SET","features":[390]},{"name":"IOCTL_GENERICUSBFN_GET_PIPE_STATE","features":[390]},{"name":"IOCTL_GENERICUSBFN_REGISTER_USB_STRING","features":[390]},{"name":"IOCTL_GENERICUSBFN_SET_PIPE_STATE","features":[390]},{"name":"IOCTL_GENERICUSBFN_TRANSFER_IN","features":[390]},{"name":"IOCTL_GENERICUSBFN_TRANSFER_IN_APPEND_ZERO_PKT","features":[390]},{"name":"IOCTL_GENERICUSBFN_TRANSFER_OUT","features":[390]},{"name":"IOCTL_GET_CHANNEL_ALIGN_RQST","features":[390]},{"name":"IOCTL_GET_DEVICE_DESCRIPTOR","features":[390]},{"name":"IOCTL_GET_HCD_DRIVERKEY_NAME","features":[390]},{"name":"IOCTL_GET_PIPE_CONFIGURATION","features":[390]},{"name":"IOCTL_GET_USB_DESCRIPTOR","features":[390]},{"name":"IOCTL_GET_VERSION","features":[390]},{"name":"IOCTL_INDEX","features":[390]},{"name":"IOCTL_INTERNAL_USB_CYCLE_PORT","features":[390]},{"name":"IOCTL_INTERNAL_USB_ENABLE_PORT","features":[390]},{"name":"IOCTL_INTERNAL_USB_FAIL_GET_STATUS_FROM_DEVICE","features":[390]},{"name":"IOCTL_INTERNAL_USB_GET_BUSGUID_INFO","features":[390]},{"name":"IOCTL_INTERNAL_USB_GET_BUS_INFO","features":[390]},{"name":"IOCTL_INTERNAL_USB_GET_CONTROLLER_NAME","features":[390]},{"name":"IOCTL_INTERNAL_USB_GET_DEVICE_CONFIG_INFO","features":[390]},{"name":"IOCTL_INTERNAL_USB_GET_DEVICE_HANDLE","features":[390]},{"name":"IOCTL_INTERNAL_USB_GET_DEVICE_HANDLE_EX","features":[390]},{"name":"IOCTL_INTERNAL_USB_GET_HUB_COUNT","features":[390]},{"name":"IOCTL_INTERNAL_USB_GET_HUB_NAME","features":[390]},{"name":"IOCTL_INTERNAL_USB_GET_PARENT_HUB_INFO","features":[390]},{"name":"IOCTL_INTERNAL_USB_GET_PORT_STATUS","features":[390]},{"name":"IOCTL_INTERNAL_USB_GET_ROOTHUB_PDO","features":[390]},{"name":"IOCTL_INTERNAL_USB_GET_TOPOLOGY_ADDRESS","features":[390]},{"name":"IOCTL_INTERNAL_USB_GET_TT_DEVICE_HANDLE","features":[390]},{"name":"IOCTL_INTERNAL_USB_NOTIFY_IDLE_READY","features":[390]},{"name":"IOCTL_INTERNAL_USB_RECORD_FAILURE","features":[390]},{"name":"IOCTL_INTERNAL_USB_REGISTER_COMPOSITE_DEVICE","features":[390]},{"name":"IOCTL_INTERNAL_USB_REQUEST_REMOTE_WAKE_NOTIFICATION","features":[390]},{"name":"IOCTL_INTERNAL_USB_REQ_GLOBAL_RESUME","features":[390]},{"name":"IOCTL_INTERNAL_USB_REQ_GLOBAL_SUSPEND","features":[390]},{"name":"IOCTL_INTERNAL_USB_RESET_PORT","features":[390]},{"name":"IOCTL_INTERNAL_USB_SUBMIT_IDLE_NOTIFICATION","features":[390]},{"name":"IOCTL_INTERNAL_USB_SUBMIT_URB","features":[390]},{"name":"IOCTL_INTERNAL_USB_UNREGISTER_COMPOSITE_DEVICE","features":[390]},{"name":"IOCTL_READ_REGISTERS","features":[390]},{"name":"IOCTL_RESET_PIPE","features":[390]},{"name":"IOCTL_SEND_USB_REQUEST","features":[390]},{"name":"IOCTL_SET_TIMEOUT","features":[390]},{"name":"IOCTL_USB_DIAGNOSTIC_MODE_OFF","features":[390]},{"name":"IOCTL_USB_DIAGNOSTIC_MODE_ON","features":[390]},{"name":"IOCTL_USB_DIAG_IGNORE_HUBS_OFF","features":[390]},{"name":"IOCTL_USB_DIAG_IGNORE_HUBS_ON","features":[390]},{"name":"IOCTL_USB_GET_DESCRIPTOR_FROM_NODE_CONNECTION","features":[390]},{"name":"IOCTL_USB_GET_DEVICE_CHARACTERISTICS","features":[390]},{"name":"IOCTL_USB_GET_FRAME_NUMBER_AND_QPC_FOR_TIME_SYNC","features":[390]},{"name":"IOCTL_USB_GET_HUB_CAPABILITIES","features":[390]},{"name":"IOCTL_USB_GET_HUB_CAPABILITIES_EX","features":[390]},{"name":"IOCTL_USB_GET_HUB_INFORMATION_EX","features":[390]},{"name":"IOCTL_USB_GET_NODE_CONNECTION_ATTRIBUTES","features":[390]},{"name":"IOCTL_USB_GET_NODE_CONNECTION_DRIVERKEY_NAME","features":[390]},{"name":"IOCTL_USB_GET_NODE_CONNECTION_INFORMATION","features":[390]},{"name":"IOCTL_USB_GET_NODE_CONNECTION_INFORMATION_EX","features":[390]},{"name":"IOCTL_USB_GET_NODE_CONNECTION_INFORMATION_EX_V2","features":[390]},{"name":"IOCTL_USB_GET_NODE_CONNECTION_NAME","features":[390]},{"name":"IOCTL_USB_GET_NODE_INFORMATION","features":[390]},{"name":"IOCTL_USB_GET_PORT_CONNECTOR_PROPERTIES","features":[390]},{"name":"IOCTL_USB_GET_ROOT_HUB_NAME","features":[390]},{"name":"IOCTL_USB_GET_TRANSPORT_CHARACTERISTICS","features":[390]},{"name":"IOCTL_USB_HCD_DISABLE_PORT","features":[390]},{"name":"IOCTL_USB_HCD_ENABLE_PORT","features":[390]},{"name":"IOCTL_USB_HCD_GET_STATS_1","features":[390]},{"name":"IOCTL_USB_HCD_GET_STATS_2","features":[390]},{"name":"IOCTL_USB_HUB_CYCLE_PORT","features":[390]},{"name":"IOCTL_USB_NOTIFY_ON_TRANSPORT_CHARACTERISTICS_CHANGE","features":[390]},{"name":"IOCTL_USB_REGISTER_FOR_TRANSPORT_CHARACTERISTICS_CHANGE","features":[390]},{"name":"IOCTL_USB_RESET_HUB","features":[390]},{"name":"IOCTL_USB_START_TRACKING_FOR_TIME_SYNC","features":[390]},{"name":"IOCTL_USB_STOP_TRACKING_FOR_TIME_SYNC","features":[390]},{"name":"IOCTL_USB_UNREGISTER_FOR_TRANSPORT_CHARACTERISTICS_CHANGE","features":[390]},{"name":"IOCTL_WAIT_ON_DEVICE_EVENT","features":[390]},{"name":"IOCTL_WRITE_REGISTERS","features":[390]},{"name":"IO_BLOCK","features":[390]},{"name":"IO_BLOCK_EX","features":[390]},{"name":"InsufficentBandwidth","features":[390]},{"name":"InsufficentPower","features":[390]},{"name":"KREGMANUSBFNENUMPATH","features":[390]},{"name":"KREGUSBFNENUMPATH","features":[390]},{"name":"LowSpeed","features":[390]},{"name":"MAXIMUM_TRANSFER_SIZE","features":[390]},{"name":"MAXIMUM_USB_STRING_LENGTH","features":[390]},{"name":"MAX_ALTERNATE_NAME_LENGTH","features":[390]},{"name":"MAX_ASSOCIATION_NAME_LENGTH","features":[390]},{"name":"MAX_CONFIGURATION_NAME_LENGTH","features":[390]},{"name":"MAX_INTERFACE_NAME_LENGTH","features":[390]},{"name":"MAX_NUM_PIPES","features":[390]},{"name":"MAX_NUM_USBFN_ENDPOINTS","features":[390]},{"name":"MAX_SUPPORTED_CONFIGURATIONS","features":[390]},{"name":"MAX_USB_STRING_LENGTH","features":[390]},{"name":"MS_GENRE_DESCRIPTOR_INDEX","features":[390]},{"name":"MS_OS_FLAGS_CONTAINERID","features":[390]},{"name":"MS_OS_STRING_SIGNATURE","features":[390]},{"name":"MS_POWER_DESCRIPTOR_INDEX","features":[390]},{"name":"ModernDeviceInLegacyHub","features":[390]},{"name":"NoDeviceConnected","features":[390]},{"name":"OHCI_Generic","features":[390]},{"name":"OHCI_Hydra","features":[390]},{"name":"OHCI_NEC","features":[390]},{"name":"OS_STRING","features":[390]},{"name":"OS_STRING_DESCRIPTOR_INDEX","features":[390]},{"name":"OverCurrent","features":[390]},{"name":"PACKET_PARAMETERS","features":[390]},{"name":"PIPE_TRANSFER_TIMEOUT","features":[390]},{"name":"PIPE_TYPE","features":[390]},{"name":"PORT_LINK_STATE_COMPLIANCE_MODE","features":[390]},{"name":"PORT_LINK_STATE_DISABLED","features":[390]},{"name":"PORT_LINK_STATE_HOT_RESET","features":[390]},{"name":"PORT_LINK_STATE_INACTIVE","features":[390]},{"name":"PORT_LINK_STATE_LOOPBACK","features":[390]},{"name":"PORT_LINK_STATE_POLLING","features":[390]},{"name":"PORT_LINK_STATE_RECOVERY","features":[390]},{"name":"PORT_LINK_STATE_RX_DETECT","features":[390]},{"name":"PORT_LINK_STATE_TEST_MODE","features":[390]},{"name":"PORT_LINK_STATE_U0","features":[390]},{"name":"PORT_LINK_STATE_U1","features":[390]},{"name":"PORT_LINK_STATE_U2","features":[390]},{"name":"PORT_LINK_STATE_U3","features":[390]},{"name":"RAW_IO","features":[390]},{"name":"RAW_PIPE_TYPE","features":[390]},{"name":"RAW_RESET_PORT_PARAMETERS","features":[390]},{"name":"RAW_ROOTPORT_FEATURE","features":[390]},{"name":"RAW_ROOTPORT_PARAMETERS","features":[390]},{"name":"READ_DATA_PIPE","features":[390]},{"name":"RESET_PIPE_ON_RESUME","features":[390]},{"name":"ResetOvercurrent","features":[390]},{"name":"SHORT_PACKET_TERMINATE","features":[390]},{"name":"SUSPEND_DELAY","features":[390]},{"name":"UHCI_Generic","features":[390]},{"name":"UHCI_Ich1","features":[390]},{"name":"UHCI_Ich2","features":[390]},{"name":"UHCI_Ich3m","features":[390]},{"name":"UHCI_Ich4","features":[390]},{"name":"UHCI_Ich5","features":[390]},{"name":"UHCI_Ich6","features":[390]},{"name":"UHCI_Intel","features":[390]},{"name":"UHCI_Piix3","features":[390]},{"name":"UHCI_Piix4","features":[390]},{"name":"UHCI_Reserved204","features":[390]},{"name":"UHCI_VIA","features":[390]},{"name":"UHCI_VIA_x01","features":[390]},{"name":"UHCI_VIA_x02","features":[390]},{"name":"UHCI_VIA_x03","features":[390]},{"name":"UHCI_VIA_x04","features":[390]},{"name":"UHCI_VIA_x0E_FIFO","features":[390]},{"name":"URB","features":[390]},{"name":"URB_FUNCTION_ABORT_PIPE","features":[390]},{"name":"URB_FUNCTION_BULK_OR_INTERRUPT_TRANSFER","features":[390]},{"name":"URB_FUNCTION_BULK_OR_INTERRUPT_TRANSFER_USING_CHAINED_MDL","features":[390]},{"name":"URB_FUNCTION_CLASS_DEVICE","features":[390]},{"name":"URB_FUNCTION_CLASS_ENDPOINT","features":[390]},{"name":"URB_FUNCTION_CLASS_INTERFACE","features":[390]},{"name":"URB_FUNCTION_CLASS_OTHER","features":[390]},{"name":"URB_FUNCTION_CLEAR_FEATURE_TO_DEVICE","features":[390]},{"name":"URB_FUNCTION_CLEAR_FEATURE_TO_ENDPOINT","features":[390]},{"name":"URB_FUNCTION_CLEAR_FEATURE_TO_INTERFACE","features":[390]},{"name":"URB_FUNCTION_CLEAR_FEATURE_TO_OTHER","features":[390]},{"name":"URB_FUNCTION_CLOSE_STATIC_STREAMS","features":[390]},{"name":"URB_FUNCTION_CONTROL_TRANSFER","features":[390]},{"name":"URB_FUNCTION_CONTROL_TRANSFER_EX","features":[390]},{"name":"URB_FUNCTION_GET_CONFIGURATION","features":[390]},{"name":"URB_FUNCTION_GET_CURRENT_FRAME_NUMBER","features":[390]},{"name":"URB_FUNCTION_GET_DESCRIPTOR_FROM_DEVICE","features":[390]},{"name":"URB_FUNCTION_GET_DESCRIPTOR_FROM_ENDPOINT","features":[390]},{"name":"URB_FUNCTION_GET_DESCRIPTOR_FROM_INTERFACE","features":[390]},{"name":"URB_FUNCTION_GET_FRAME_LENGTH","features":[390]},{"name":"URB_FUNCTION_GET_INTERFACE","features":[390]},{"name":"URB_FUNCTION_GET_ISOCH_PIPE_TRANSFER_PATH_DELAYS","features":[390]},{"name":"URB_FUNCTION_GET_MS_FEATURE_DESCRIPTOR","features":[390]},{"name":"URB_FUNCTION_GET_STATUS_FROM_DEVICE","features":[390]},{"name":"URB_FUNCTION_GET_STATUS_FROM_ENDPOINT","features":[390]},{"name":"URB_FUNCTION_GET_STATUS_FROM_INTERFACE","features":[390]},{"name":"URB_FUNCTION_GET_STATUS_FROM_OTHER","features":[390]},{"name":"URB_FUNCTION_ISOCH_TRANSFER","features":[390]},{"name":"URB_FUNCTION_ISOCH_TRANSFER_USING_CHAINED_MDL","features":[390]},{"name":"URB_FUNCTION_OPEN_STATIC_STREAMS","features":[390]},{"name":"URB_FUNCTION_RELEASE_FRAME_LENGTH_CONTROL","features":[390]},{"name":"URB_FUNCTION_RESERVED_0X0016","features":[390]},{"name":"URB_FUNCTION_RESERVE_0X001D","features":[390]},{"name":"URB_FUNCTION_RESERVE_0X002B","features":[390]},{"name":"URB_FUNCTION_RESERVE_0X002C","features":[390]},{"name":"URB_FUNCTION_RESERVE_0X002D","features":[390]},{"name":"URB_FUNCTION_RESERVE_0X002E","features":[390]},{"name":"URB_FUNCTION_RESERVE_0X002F","features":[390]},{"name":"URB_FUNCTION_RESERVE_0X0033","features":[390]},{"name":"URB_FUNCTION_RESERVE_0X0034","features":[390]},{"name":"URB_FUNCTION_RESET_PIPE","features":[390]},{"name":"URB_FUNCTION_SELECT_CONFIGURATION","features":[390]},{"name":"URB_FUNCTION_SELECT_INTERFACE","features":[390]},{"name":"URB_FUNCTION_SET_DESCRIPTOR_TO_DEVICE","features":[390]},{"name":"URB_FUNCTION_SET_DESCRIPTOR_TO_ENDPOINT","features":[390]},{"name":"URB_FUNCTION_SET_DESCRIPTOR_TO_INTERFACE","features":[390]},{"name":"URB_FUNCTION_SET_FEATURE_TO_DEVICE","features":[390]},{"name":"URB_FUNCTION_SET_FEATURE_TO_ENDPOINT","features":[390]},{"name":"URB_FUNCTION_SET_FEATURE_TO_INTERFACE","features":[390]},{"name":"URB_FUNCTION_SET_FEATURE_TO_OTHER","features":[390]},{"name":"URB_FUNCTION_SET_FRAME_LENGTH","features":[390]},{"name":"URB_FUNCTION_SYNC_CLEAR_STALL","features":[390]},{"name":"URB_FUNCTION_SYNC_RESET_PIPE","features":[390]},{"name":"URB_FUNCTION_SYNC_RESET_PIPE_AND_CLEAR_STALL","features":[390]},{"name":"URB_FUNCTION_TAKE_FRAME_LENGTH_CONTROL","features":[390]},{"name":"URB_FUNCTION_VENDOR_DEVICE","features":[390]},{"name":"URB_FUNCTION_VENDOR_ENDPOINT","features":[390]},{"name":"URB_FUNCTION_VENDOR_INTERFACE","features":[390]},{"name":"URB_FUNCTION_VENDOR_OTHER","features":[390]},{"name":"URB_OPEN_STATIC_STREAMS_VERSION_100","features":[390]},{"name":"UREGMANUSBFNENUMPATH","features":[390]},{"name":"UREGUSBFNENUMPATH","features":[390]},{"name":"USBDI_VERSION","features":[390]},{"name":"USBD_DEFAULT_MAXIMUM_TRANSFER_SIZE","features":[390]},{"name":"USBD_DEFAULT_PIPE_TRANSFER","features":[390]},{"name":"USBD_DEVICE_INFORMATION","features":[390]},{"name":"USBD_ENDPOINT_OFFLOAD_INFORMATION","features":[390]},{"name":"USBD_ENDPOINT_OFFLOAD_MODE","features":[390]},{"name":"USBD_INTERFACE_INFORMATION","features":[390]},{"name":"USBD_ISO_PACKET_DESCRIPTOR","features":[390]},{"name":"USBD_ISO_START_FRAME_RANGE","features":[390]},{"name":"USBD_PF_CHANGE_MAX_PACKET","features":[390]},{"name":"USBD_PF_ENABLE_RT_THREAD_ACCESS","features":[390]},{"name":"USBD_PF_HANDLES_SSP_HIGH_BANDWIDTH_ISOCH","features":[390]},{"name":"USBD_PF_INTERACTIVE_PRIORITY","features":[390]},{"name":"USBD_PF_MAP_ADD_TRANSFERS","features":[390]},{"name":"USBD_PF_PRIORITY_MASK","features":[390]},{"name":"USBD_PF_SHORT_PACKET_OPT","features":[390]},{"name":"USBD_PF_SSP_HIGH_BANDWIDTH_ISOCH","features":[390]},{"name":"USBD_PF_VIDEO_PRIORITY","features":[390]},{"name":"USBD_PF_VOICE_PRIORITY","features":[390]},{"name":"USBD_PIPE_INFORMATION","features":[390]},{"name":"USBD_PIPE_TYPE","features":[390]},{"name":"USBD_PORT_CONNECTED","features":[390]},{"name":"USBD_PORT_ENABLED","features":[390]},{"name":"USBD_SHORT_TRANSFER_OK","features":[390]},{"name":"USBD_START_ISO_TRANSFER_ASAP","features":[390]},{"name":"USBD_STREAM_INFORMATION","features":[390]},{"name":"USBD_TRANSFER_DIRECTION","features":[390]},{"name":"USBD_TRANSFER_DIRECTION_IN","features":[390]},{"name":"USBD_TRANSFER_DIRECTION_OUT","features":[390]},{"name":"USBD_VERSION_INFORMATION","features":[390]},{"name":"USBFN_BUS_CONFIGURATION_INFO","features":[390,308]},{"name":"USBFN_BUS_SPEED","features":[390]},{"name":"USBFN_CLASS_INFORMATION_PACKET","features":[390,308]},{"name":"USBFN_CLASS_INFORMATION_PACKET_EX","features":[390,308]},{"name":"USBFN_CLASS_INTERFACE","features":[390]},{"name":"USBFN_CLASS_INTERFACE_EX","features":[390]},{"name":"USBFN_DEVICE_STATE","features":[390]},{"name":"USBFN_DIRECTION","features":[390]},{"name":"USBFN_EVENT","features":[390]},{"name":"USBFN_INTERFACE_INFO","features":[390]},{"name":"USBFN_INTERRUPT_ENDPOINT_SIZE_NOT_UPDATEABLE_MASK","features":[390]},{"name":"USBFN_NOTIFICATION","features":[390]},{"name":"USBFN_PIPE_INFORMATION","features":[390]},{"name":"USBFN_PORT_TYPE","features":[390]},{"name":"USBFN_USB_STRING","features":[390]},{"name":"USBSCAN_GET_DESCRIPTOR","features":[390]},{"name":"USBSCAN_PIPE_BULK","features":[390]},{"name":"USBSCAN_PIPE_CONFIGURATION","features":[390]},{"name":"USBSCAN_PIPE_CONTROL","features":[390]},{"name":"USBSCAN_PIPE_INFORMATION","features":[390]},{"name":"USBSCAN_PIPE_INTERRUPT","features":[390]},{"name":"USBSCAN_PIPE_ISOCHRONOUS","features":[390]},{"name":"USBSCAN_TIMEOUT","features":[390]},{"name":"USBUSER_BANDWIDTH_INFO_REQUEST","features":[390]},{"name":"USBUSER_BUS_STATISTICS_0_REQUEST","features":[390,308]},{"name":"USBUSER_CLEAR_ROOTPORT_FEATURE","features":[390]},{"name":"USBUSER_CLOSE_RAW_DEVICE","features":[390]},{"name":"USBUSER_CONTROLLER_INFO_0","features":[390]},{"name":"USBUSER_CONTROLLER_UNICODE_NAME","features":[390]},{"name":"USBUSER_GET_BANDWIDTH_INFORMATION","features":[390]},{"name":"USBUSER_GET_BUS_STATISTICS_0","features":[390]},{"name":"USBUSER_GET_CONTROLLER_DRIVER_KEY","features":[390]},{"name":"USBUSER_GET_CONTROLLER_INFO_0","features":[390]},{"name":"USBUSER_GET_DRIVER_VERSION","features":[390,308]},{"name":"USBUSER_GET_POWER_STATE_MAP","features":[390]},{"name":"USBUSER_GET_ROOTHUB_SYMBOLIC_NAME","features":[390]},{"name":"USBUSER_GET_ROOTPORT_STATUS","features":[390]},{"name":"USBUSER_GET_USB2HW_VERSION","features":[390]},{"name":"USBUSER_GET_USB2_HW_VERSION","features":[390]},{"name":"USBUSER_GET_USB_DRIVER_VERSION","features":[390]},{"name":"USBUSER_INVALID_REQUEST","features":[390]},{"name":"USBUSER_OPEN_RAW_DEVICE","features":[390]},{"name":"USBUSER_OP_CLOSE_RAW_DEVICE","features":[390]},{"name":"USBUSER_OP_MASK_DEVONLY_API","features":[390]},{"name":"USBUSER_OP_MASK_HCTEST_API","features":[390]},{"name":"USBUSER_OP_OPEN_RAW_DEVICE","features":[390]},{"name":"USBUSER_OP_RAW_RESET_PORT","features":[390]},{"name":"USBUSER_OP_SEND_ONE_PACKET","features":[390]},{"name":"USBUSER_OP_SEND_RAW_COMMAND","features":[390]},{"name":"USBUSER_PASS_THRU","features":[390]},{"name":"USBUSER_PASS_THRU_REQUEST","features":[390]},{"name":"USBUSER_POWER_INFO_REQUEST","features":[390,308]},{"name":"USBUSER_RAW_RESET_ROOT_PORT","features":[390]},{"name":"USBUSER_REFRESH_HCT_REG","features":[390]},{"name":"USBUSER_REQUEST_HEADER","features":[390]},{"name":"USBUSER_ROOTPORT_FEATURE_REQUEST","features":[390]},{"name":"USBUSER_ROOTPORT_PARAMETERS","features":[390]},{"name":"USBUSER_SEND_ONE_PACKET","features":[390]},{"name":"USBUSER_SEND_RAW_COMMAND","features":[390]},{"name":"USBUSER_SET_ROOTPORT_FEATURE","features":[390]},{"name":"USBUSER_USB_REFRESH_HCT_REG","features":[390]},{"name":"USBUSER_VERSION","features":[390]},{"name":"USB_20_ENDPOINT_TYPE_INTERRUPT_RESERVED_MASK","features":[390]},{"name":"USB_20_HUB_DESCRIPTOR_TYPE","features":[390]},{"name":"USB_20_PORT_CHANGE","features":[390]},{"name":"USB_20_PORT_STATUS","features":[390]},{"name":"USB_30_ENDPOINT_TYPE_INTERRUPT_RESERVED_MASK","features":[390]},{"name":"USB_30_ENDPOINT_TYPE_INTERRUPT_USAGE_MASK","features":[390]},{"name":"USB_30_ENDPOINT_TYPE_INTERRUPT_USAGE_NOTIFICATION","features":[390]},{"name":"USB_30_ENDPOINT_TYPE_INTERRUPT_USAGE_PERIODIC","features":[390]},{"name":"USB_30_ENDPOINT_TYPE_INTERRUPT_USAGE_RESERVED10","features":[390]},{"name":"USB_30_ENDPOINT_TYPE_INTERRUPT_USAGE_RESERVED11","features":[390]},{"name":"USB_30_HUB_DESCRIPTOR","features":[390]},{"name":"USB_30_HUB_DESCRIPTOR_TYPE","features":[390]},{"name":"USB_30_PORT_CHANGE","features":[390]},{"name":"USB_30_PORT_STATUS","features":[390]},{"name":"USB_ACQUIRE_INFO","features":[390]},{"name":"USB_ALLOW_FIRMWARE_UPDATE","features":[390]},{"name":"USB_BANDWIDTH_INFO","features":[390]},{"name":"USB_BOS_DESCRIPTOR","features":[390]},{"name":"USB_BOS_DESCRIPTOR_TYPE","features":[390]},{"name":"USB_BUS_NOTIFICATION","features":[390]},{"name":"USB_BUS_STATISTICS_0","features":[390,308]},{"name":"USB_CHANGE_REGISTRATION_HANDLE","features":[390]},{"name":"USB_CHARGING_POLICY_DEFAULT","features":[390]},{"name":"USB_CHARGING_POLICY_ICCHPF","features":[390]},{"name":"USB_CHARGING_POLICY_ICCLPF","features":[390]},{"name":"USB_CHARGING_POLICY_NO_POWER","features":[390]},{"name":"USB_CLOSE_RAW_DEVICE_PARAMETERS","features":[390]},{"name":"USB_COMMON_DESCRIPTOR","features":[390]},{"name":"USB_COMPOSITE_DEVICE_INFO","features":[390,308]},{"name":"USB_COMPOSITE_FUNCTION_INFO","features":[390,308]},{"name":"USB_CONFIGURATION_DESCRIPTOR","features":[390]},{"name":"USB_CONFIGURATION_DESCRIPTOR_TYPE","features":[390]},{"name":"USB_CONFIGURATION_POWER_DESCRIPTOR","features":[390]},{"name":"USB_CONFIG_BUS_POWERED","features":[390]},{"name":"USB_CONFIG_POWERED_MASK","features":[390]},{"name":"USB_CONFIG_POWER_DESCRIPTOR_TYPE","features":[390]},{"name":"USB_CONFIG_REMOTE_WAKEUP","features":[390]},{"name":"USB_CONFIG_RESERVED","features":[390]},{"name":"USB_CONFIG_SELF_POWERED","features":[390]},{"name":"USB_CONNECTION_NOTIFICATION","features":[390]},{"name":"USB_CONNECTION_STATUS","features":[390]},{"name":"USB_CONTROLLER_DEVICE_INFO","features":[390]},{"name":"USB_CONTROLLER_FLAVOR","features":[390]},{"name":"USB_CONTROLLER_INFO_0","features":[390]},{"name":"USB_CYCLE_PORT","features":[390]},{"name":"USB_CYCLE_PORT_PARAMS","features":[390]},{"name":"USB_DEBUG_DESCRIPTOR_TYPE","features":[390]},{"name":"USB_DEFAULT_DEVICE_ADDRESS","features":[390]},{"name":"USB_DEFAULT_ENDPOINT_ADDRESS","features":[390]},{"name":"USB_DEFAULT_MAX_PACKET","features":[390]},{"name":"USB_DEFAULT_PIPE_SETUP_PACKET","features":[390]},{"name":"USB_DESCRIPTOR_REQUEST","features":[390]},{"name":"USB_DEVICE_CAPABILITY_BATTERY_INFO","features":[390]},{"name":"USB_DEVICE_CAPABILITY_BILLBOARD","features":[390]},{"name":"USB_DEVICE_CAPABILITY_BILLBOARD_DESCRIPTOR","features":[390]},{"name":"USB_DEVICE_CAPABILITY_CONTAINER_ID","features":[390]},{"name":"USB_DEVICE_CAPABILITY_CONTAINER_ID_DESCRIPTOR","features":[390]},{"name":"USB_DEVICE_CAPABILITY_DESCRIPTOR","features":[390]},{"name":"USB_DEVICE_CAPABILITY_DESCRIPTOR_TYPE","features":[390]},{"name":"USB_DEVICE_CAPABILITY_FIRMWARE_STATUS","features":[390]},{"name":"USB_DEVICE_CAPABILITY_FIRMWARE_STATUS_DESCRIPTOR","features":[390]},{"name":"USB_DEVICE_CAPABILITY_MAX_U1_LATENCY","features":[390]},{"name":"USB_DEVICE_CAPABILITY_MAX_U2_LATENCY","features":[390]},{"name":"USB_DEVICE_CAPABILITY_PD_CONSUMER_PORT","features":[390]},{"name":"USB_DEVICE_CAPABILITY_PD_CONSUMER_PORT_DESCRIPTOR","features":[390]},{"name":"USB_DEVICE_CAPABILITY_PD_PROVIDER_PORT","features":[390]},{"name":"USB_DEVICE_CAPABILITY_PLATFORM","features":[390]},{"name":"USB_DEVICE_CAPABILITY_PLATFORM_DESCRIPTOR","features":[390]},{"name":"USB_DEVICE_CAPABILITY_POWER_DELIVERY","features":[390]},{"name":"USB_DEVICE_CAPABILITY_POWER_DELIVERY_DESCRIPTOR","features":[390]},{"name":"USB_DEVICE_CAPABILITY_PRECISION_TIME_MEASUREMENT","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_SPEED","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_SPEED_DIR_RX","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_SPEED_DIR_TX","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_SPEED_LSE_BPS","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_SPEED_LSE_GBPS","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_SPEED_LSE_KBPS","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_SPEED_LSE_MBPS","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_SPEED_MODE_ASYMMETRIC","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_SPEED_MODE_SYMMETRIC","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_SPEED_PROTOCOL_SS","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_SPEED_PROTOCOL_SSP","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_USB","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEEDPLUS_USB_DESCRIPTOR","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEED_BMATTRIBUTES_LTM_CAPABLE","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEED_BMATTRIBUTES_RESERVED_MASK","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEED_SPEEDS_SUPPORTED_FULL","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEED_SPEEDS_SUPPORTED_HIGH","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEED_SPEEDS_SUPPORTED_LOW","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEED_SPEEDS_SUPPORTED_RESERVED_MASK","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEED_SPEEDS_SUPPORTED_SUPER","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEED_U1_DEVICE_EXIT_MAX_VALUE","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEED_U2_DEVICE_EXIT_MAX_VALUE","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEED_USB","features":[390]},{"name":"USB_DEVICE_CAPABILITY_SUPERSPEED_USB_DESCRIPTOR","features":[390]},{"name":"USB_DEVICE_CAPABILITY_USB20_EXTENSION","features":[390]},{"name":"USB_DEVICE_CAPABILITY_USB20_EXTENSION_BMATTRIBUTES_RESERVED_MASK","features":[390]},{"name":"USB_DEVICE_CAPABILITY_USB20_EXTENSION_DESCRIPTOR","features":[390]},{"name":"USB_DEVICE_CAPABILITY_WIRELESS_USB","features":[390]},{"name":"USB_DEVICE_CHARACTERISTICS","features":[390]},{"name":"USB_DEVICE_CHARACTERISTICS_MAXIMUM_PATH_DELAYS_AVAILABLE","features":[390]},{"name":"USB_DEVICE_CHARACTERISTICS_VERSION_1","features":[390]},{"name":"USB_DEVICE_CLASS_APPLICATION_SPECIFIC","features":[390]},{"name":"USB_DEVICE_CLASS_AUDIO","features":[390]},{"name":"USB_DEVICE_CLASS_AUDIO_VIDEO","features":[390]},{"name":"USB_DEVICE_CLASS_BILLBOARD","features":[390]},{"name":"USB_DEVICE_CLASS_CDC_DATA","features":[390]},{"name":"USB_DEVICE_CLASS_COMMUNICATIONS","features":[390]},{"name":"USB_DEVICE_CLASS_CONTENT_SECURITY","features":[390]},{"name":"USB_DEVICE_CLASS_DIAGNOSTIC_DEVICE","features":[390]},{"name":"USB_DEVICE_CLASS_HUB","features":[390]},{"name":"USB_DEVICE_CLASS_HUMAN_INTERFACE","features":[390]},{"name":"USB_DEVICE_CLASS_IMAGE","features":[390]},{"name":"USB_DEVICE_CLASS_MISCELLANEOUS","features":[390]},{"name":"USB_DEVICE_CLASS_MONITOR","features":[390]},{"name":"USB_DEVICE_CLASS_PERSONAL_HEALTHCARE","features":[390]},{"name":"USB_DEVICE_CLASS_PHYSICAL_INTERFACE","features":[390]},{"name":"USB_DEVICE_CLASS_POWER","features":[390]},{"name":"USB_DEVICE_CLASS_PRINTER","features":[390]},{"name":"USB_DEVICE_CLASS_RESERVED","features":[390]},{"name":"USB_DEVICE_CLASS_SMART_CARD","features":[390]},{"name":"USB_DEVICE_CLASS_STORAGE","features":[390]},{"name":"USB_DEVICE_CLASS_VENDOR_SPECIFIC","features":[390]},{"name":"USB_DEVICE_CLASS_VIDEO","features":[390]},{"name":"USB_DEVICE_CLASS_WIRELESS_CONTROLLER","features":[390]},{"name":"USB_DEVICE_DESCRIPTOR","features":[390]},{"name":"USB_DEVICE_DESCRIPTOR_TYPE","features":[390]},{"name":"USB_DEVICE_FIRMWARE_HASH_LENGTH","features":[390]},{"name":"USB_DEVICE_INFO","features":[390]},{"name":"USB_DEVICE_NODE_INFO","features":[390,308]},{"name":"USB_DEVICE_PERFORMANCE_INFO","features":[390]},{"name":"USB_DEVICE_QUALIFIER_DESCRIPTOR","features":[390]},{"name":"USB_DEVICE_QUALIFIER_DESCRIPTOR_TYPE","features":[390]},{"name":"USB_DEVICE_SPEED","features":[390]},{"name":"USB_DEVICE_STATE","features":[390]},{"name":"USB_DEVICE_STATUS","features":[390]},{"name":"USB_DEVICE_TYPE","features":[390]},{"name":"USB_DIAG_IGNORE_HUBS_OFF","features":[390]},{"name":"USB_DIAG_IGNORE_HUBS_ON","features":[390]},{"name":"USB_DISALLOW_FIRMWARE_UPDATE","features":[390]},{"name":"USB_DRIVER_VERSION_PARAMETERS","features":[390,308]},{"name":"USB_ENABLE_PORT","features":[390]},{"name":"USB_ENDPOINT_ADDRESS_MASK","features":[390]},{"name":"USB_ENDPOINT_DESCRIPTOR","features":[390]},{"name":"USB_ENDPOINT_DESCRIPTOR_TYPE","features":[390]},{"name":"USB_ENDPOINT_DIRECTION_MASK","features":[390]},{"name":"USB_ENDPOINT_STATUS","features":[390]},{"name":"USB_ENDPOINT_SUPERSPEED_BULK_MAX_PACKET_SIZE","features":[390]},{"name":"USB_ENDPOINT_SUPERSPEED_CONTROL_MAX_PACKET_SIZE","features":[390]},{"name":"USB_ENDPOINT_SUPERSPEED_INTERRUPT_MAX_PACKET_SIZE","features":[390]},{"name":"USB_ENDPOINT_SUPERSPEED_ISO_MAX_PACKET_SIZE","features":[390]},{"name":"USB_ENDPOINT_TYPE_BULK","features":[390]},{"name":"USB_ENDPOINT_TYPE_BULK_RESERVED_MASK","features":[390]},{"name":"USB_ENDPOINT_TYPE_CONTROL","features":[390]},{"name":"USB_ENDPOINT_TYPE_CONTROL_RESERVED_MASK","features":[390]},{"name":"USB_ENDPOINT_TYPE_INTERRUPT","features":[390]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS","features":[390]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS_RESERVED_MASK","features":[390]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS_SYNCHRONIZATION_ADAPTIVE","features":[390]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS_SYNCHRONIZATION_ASYNCHRONOUS","features":[390]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS_SYNCHRONIZATION_MASK","features":[390]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS_SYNCHRONIZATION_NO_SYNCHRONIZATION","features":[390]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS_SYNCHRONIZATION_SYNCHRONOUS","features":[390]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS_USAGE_DATA_ENDOINT","features":[390]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS_USAGE_FEEDBACK_ENDPOINT","features":[390]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS_USAGE_IMPLICIT_FEEDBACK_DATA_ENDPOINT","features":[390]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS_USAGE_MASK","features":[390]},{"name":"USB_ENDPOINT_TYPE_ISOCHRONOUS_USAGE_RESERVED","features":[390]},{"name":"USB_ENDPOINT_TYPE_MASK","features":[390]},{"name":"USB_FAIL_GET_STATUS","features":[390]},{"name":"USB_FEATURE_BATTERY_WAKE_MASK","features":[390]},{"name":"USB_FEATURE_CHARGING_POLICY","features":[390]},{"name":"USB_FEATURE_ENDPOINT_STALL","features":[390]},{"name":"USB_FEATURE_FUNCTION_SUSPEND","features":[390]},{"name":"USB_FEATURE_INTERFACE_POWER_D0","features":[390]},{"name":"USB_FEATURE_INTERFACE_POWER_D1","features":[390]},{"name":"USB_FEATURE_INTERFACE_POWER_D2","features":[390]},{"name":"USB_FEATURE_INTERFACE_POWER_D3","features":[390]},{"name":"USB_FEATURE_LDM_ENABLE","features":[390]},{"name":"USB_FEATURE_LTM_ENABLE","features":[390]},{"name":"USB_FEATURE_OS_IS_PD_AWARE","features":[390]},{"name":"USB_FEATURE_POLICY_MODE","features":[390]},{"name":"USB_FEATURE_REMOTE_WAKEUP","features":[390]},{"name":"USB_FEATURE_TEST_MODE","features":[390]},{"name":"USB_FEATURE_U1_ENABLE","features":[390]},{"name":"USB_FEATURE_U2_ENABLE","features":[390]},{"name":"USB_FRAME_NUMBER_AND_QPC_FOR_TIME_SYNC_INFORMATION","features":[390,308]},{"name":"USB_FUNCTION_SUSPEND_OPTIONS","features":[390]},{"name":"USB_GETSTATUS_LTM_ENABLE","features":[390]},{"name":"USB_GETSTATUS_REMOTE_WAKEUP_ENABLED","features":[390]},{"name":"USB_GETSTATUS_SELF_POWERED","features":[390]},{"name":"USB_GETSTATUS_U1_ENABLE","features":[390]},{"name":"USB_GETSTATUS_U2_ENABLE","features":[390]},{"name":"USB_GET_BUSGUID_INFO","features":[390]},{"name":"USB_GET_BUS_INFO","features":[390]},{"name":"USB_GET_CONTROLLER_NAME","features":[390]},{"name":"USB_GET_DESCRIPTOR_FROM_NODE_CONNECTION","features":[390]},{"name":"USB_GET_DEVICE_CHARACTERISTICS","features":[390]},{"name":"USB_GET_DEVICE_HANDLE","features":[390]},{"name":"USB_GET_DEVICE_HANDLE_EX","features":[390]},{"name":"USB_GET_FIRMWARE_ALLOWED_OR_DISALLOWED_STATE","features":[390]},{"name":"USB_GET_FIRMWARE_HASH","features":[390]},{"name":"USB_GET_FRAME_NUMBER_AND_QPC_FOR_TIME_SYNC","features":[390]},{"name":"USB_GET_HUB_CAPABILITIES","features":[390]},{"name":"USB_GET_HUB_CAPABILITIES_EX","features":[390]},{"name":"USB_GET_HUB_CONFIG_INFO","features":[390]},{"name":"USB_GET_HUB_COUNT","features":[390]},{"name":"USB_GET_HUB_INFORMATION_EX","features":[390]},{"name":"USB_GET_HUB_NAME","features":[390]},{"name":"USB_GET_NODE_CONNECTION_ATTRIBUTES","features":[390]},{"name":"USB_GET_NODE_CONNECTION_DRIVERKEY_NAME","features":[390]},{"name":"USB_GET_NODE_CONNECTION_INFORMATION","features":[390]},{"name":"USB_GET_NODE_CONNECTION_INFORMATION_EX","features":[390]},{"name":"USB_GET_NODE_CONNECTION_INFORMATION_EX_V2","features":[390]},{"name":"USB_GET_NODE_CONNECTION_NAME","features":[390]},{"name":"USB_GET_NODE_INFORMATION","features":[390]},{"name":"USB_GET_PARENT_HUB_INFO","features":[390]},{"name":"USB_GET_PORT_CONNECTOR_PROPERTIES","features":[390]},{"name":"USB_GET_PORT_STATUS","features":[390]},{"name":"USB_GET_ROOTHUB_PDO","features":[390]},{"name":"USB_GET_TOPOLOGY_ADDRESS","features":[390]},{"name":"USB_GET_TRANSPORT_CHARACTERISTICS","features":[390]},{"name":"USB_GET_TT_DEVICE_HANDLE","features":[390]},{"name":"USB_HCD_DRIVERKEY_NAME","features":[390]},{"name":"USB_HC_FEATURE_FLAG_PORT_POWER_SWITCHING","features":[390]},{"name":"USB_HC_FEATURE_FLAG_SEL_SUSPEND","features":[390]},{"name":"USB_HC_FEATURE_LEGACY_BIOS","features":[390]},{"name":"USB_HC_FEATURE_TIME_SYNC_API","features":[390]},{"name":"USB_HIGH_SPEED_MAXPACKET","features":[390]},{"name":"USB_HUB_30_PORT_REMOTE_WAKE_MASK","features":[390]},{"name":"USB_HUB_CAPABILITIES","features":[390]},{"name":"USB_HUB_CAPABILITIES_EX","features":[390]},{"name":"USB_HUB_CAP_FLAGS","features":[390]},{"name":"USB_HUB_CHANGE","features":[390]},{"name":"USB_HUB_CYCLE_PORT","features":[390]},{"name":"USB_HUB_DESCRIPTOR","features":[390]},{"name":"USB_HUB_DEVICE_INFO","features":[390,308]},{"name":"USB_HUB_DEVICE_UXD_SETTINGS","features":[390]},{"name":"USB_HUB_INFORMATION","features":[390,308]},{"name":"USB_HUB_INFORMATION_EX","features":[390]},{"name":"USB_HUB_NAME","features":[390]},{"name":"USB_HUB_NODE","features":[390]},{"name":"USB_HUB_PORT_INFORMATION","features":[390]},{"name":"USB_HUB_STATUS","features":[390]},{"name":"USB_HUB_STATUS_AND_CHANGE","features":[390]},{"name":"USB_HUB_TYPE","features":[390]},{"name":"USB_HcGeneric","features":[390]},{"name":"USB_IDLE_CALLBACK","features":[390]},{"name":"USB_IDLE_CALLBACK_INFO","features":[390]},{"name":"USB_IDLE_NOTIFICATION","features":[390]},{"name":"USB_IDLE_NOTIFICATION_EX","features":[390]},{"name":"USB_ID_STRING","features":[390]},{"name":"USB_INTERFACE_ASSOCIATION_DESCRIPTOR","features":[390]},{"name":"USB_INTERFACE_ASSOCIATION_DESCRIPTOR_TYPE","features":[390]},{"name":"USB_INTERFACE_DESCRIPTOR","features":[390]},{"name":"USB_INTERFACE_DESCRIPTOR_TYPE","features":[390]},{"name":"USB_INTERFACE_POWER_DESCRIPTOR","features":[390]},{"name":"USB_INTERFACE_POWER_DESCRIPTOR_TYPE","features":[390]},{"name":"USB_INTERFACE_STATUS","features":[390]},{"name":"USB_MI_PARENT_INFORMATION","features":[390]},{"name":"USB_NODE_CONNECTION_ATTRIBUTES","features":[390]},{"name":"USB_NODE_CONNECTION_DRIVERKEY_NAME","features":[390]},{"name":"USB_NODE_CONNECTION_INFORMATION","features":[390,308]},{"name":"USB_NODE_CONNECTION_INFORMATION_EX","features":[390,308]},{"name":"USB_NODE_CONNECTION_INFORMATION_EX_V2","features":[390]},{"name":"USB_NODE_CONNECTION_INFORMATION_EX_V2_FLAGS","features":[390]},{"name":"USB_NODE_CONNECTION_NAME","features":[390]},{"name":"USB_NODE_INFORMATION","features":[390,308]},{"name":"USB_NOTIFICATION","features":[390]},{"name":"USB_NOTIFICATION_TYPE","features":[390]},{"name":"USB_NOTIFY_ON_TRANSPORT_CHARACTERISTICS_CHANGE","features":[390]},{"name":"USB_OPEN_RAW_DEVICE_PARAMETERS","features":[390]},{"name":"USB_OTG_DESCRIPTOR_TYPE","features":[390]},{"name":"USB_OTHER_SPEED_CONFIGURATION_DESCRIPTOR_TYPE","features":[390]},{"name":"USB_PACKETFLAG_ASYNC_IN","features":[390]},{"name":"USB_PACKETFLAG_ASYNC_OUT","features":[390]},{"name":"USB_PACKETFLAG_FULL_SPEED","features":[390]},{"name":"USB_PACKETFLAG_HIGH_SPEED","features":[390]},{"name":"USB_PACKETFLAG_ISO_IN","features":[390]},{"name":"USB_PACKETFLAG_ISO_OUT","features":[390]},{"name":"USB_PACKETFLAG_LOW_SPEED","features":[390]},{"name":"USB_PACKETFLAG_SETUP","features":[390]},{"name":"USB_PACKETFLAG_TOGGLE0","features":[390]},{"name":"USB_PACKETFLAG_TOGGLE1","features":[390]},{"name":"USB_PASS_THRU_PARAMETERS","features":[390]},{"name":"USB_PIPE_INFO","features":[390]},{"name":"USB_PORTATTR_MINI_CONNECTOR","features":[390]},{"name":"USB_PORTATTR_NO_CONNECTOR","features":[390]},{"name":"USB_PORTATTR_NO_OVERCURRENT_UI","features":[390]},{"name":"USB_PORTATTR_OEM_CONNECTOR","features":[390]},{"name":"USB_PORTATTR_OWNED_BY_CC","features":[390]},{"name":"USB_PORTATTR_SHARED_USB2","features":[390]},{"name":"USB_PORT_CHANGE","features":[390]},{"name":"USB_PORT_CONNECTOR_PROPERTIES","features":[390]},{"name":"USB_PORT_EXT_STATUS","features":[390]},{"name":"USB_PORT_EXT_STATUS_AND_CHANGE","features":[390]},{"name":"USB_PORT_PROPERTIES","features":[390]},{"name":"USB_PORT_STATUS","features":[390]},{"name":"USB_PORT_STATUS_AND_CHANGE","features":[390]},{"name":"USB_PORT_STATUS_CONNECT","features":[390]},{"name":"USB_PORT_STATUS_ENABLE","features":[390]},{"name":"USB_PORT_STATUS_HIGH_SPEED","features":[390]},{"name":"USB_PORT_STATUS_LOW_SPEED","features":[390]},{"name":"USB_PORT_STATUS_OVER_CURRENT","features":[390]},{"name":"USB_PORT_STATUS_POWER","features":[390]},{"name":"USB_PORT_STATUS_RESET","features":[390]},{"name":"USB_PORT_STATUS_SUSPEND","features":[390]},{"name":"USB_POWER_INFO","features":[390,308]},{"name":"USB_PROTOCOLS","features":[390]},{"name":"USB_RECORD_FAILURE","features":[390]},{"name":"USB_REGISTER_COMPOSITE_DEVICE","features":[390]},{"name":"USB_REGISTER_FOR_TRANSPORT_BANDWIDTH_CHANGE","features":[390]},{"name":"USB_REGISTER_FOR_TRANSPORT_CHARACTERISTICS_CHANGE","features":[390]},{"name":"USB_REGISTER_FOR_TRANSPORT_LATENCY_CHANGE","features":[390]},{"name":"USB_REQUEST_CLEAR_FEATURE","features":[390]},{"name":"USB_REQUEST_CLEAR_TT_BUFFER","features":[390]},{"name":"USB_REQUEST_GET_CONFIGURATION","features":[390]},{"name":"USB_REQUEST_GET_DESCRIPTOR","features":[390]},{"name":"USB_REQUEST_GET_FIRMWARE_STATUS","features":[390]},{"name":"USB_REQUEST_GET_INTERFACE","features":[390]},{"name":"USB_REQUEST_GET_PORT_ERR_COUNT","features":[390]},{"name":"USB_REQUEST_GET_STATE","features":[390]},{"name":"USB_REQUEST_GET_STATUS","features":[390]},{"name":"USB_REQUEST_GET_TT_STATE","features":[390]},{"name":"USB_REQUEST_ISOCH_DELAY","features":[390]},{"name":"USB_REQUEST_REMOTE_WAKE_NOTIFICATION","features":[390]},{"name":"USB_REQUEST_RESET_TT","features":[390]},{"name":"USB_REQUEST_SET_ADDRESS","features":[390]},{"name":"USB_REQUEST_SET_CONFIGURATION","features":[390]},{"name":"USB_REQUEST_SET_DESCRIPTOR","features":[390]},{"name":"USB_REQUEST_SET_FEATURE","features":[390]},{"name":"USB_REQUEST_SET_FIRMWARE_STATUS","features":[390]},{"name":"USB_REQUEST_SET_HUB_DEPTH","features":[390]},{"name":"USB_REQUEST_SET_INTERFACE","features":[390]},{"name":"USB_REQUEST_SET_SEL","features":[390]},{"name":"USB_REQUEST_STOP_TT","features":[390]},{"name":"USB_REQUEST_SYNC_FRAME","features":[390]},{"name":"USB_REQ_GLOBAL_RESUME","features":[390]},{"name":"USB_REQ_GLOBAL_SUSPEND","features":[390]},{"name":"USB_RESERVED_DESCRIPTOR_TYPE","features":[390]},{"name":"USB_RESERVED_USER_BASE","features":[390]},{"name":"USB_RESET_HUB","features":[390]},{"name":"USB_RESET_PORT","features":[390]},{"name":"USB_ROOT_HUB_NAME","features":[390]},{"name":"USB_SEND_RAW_COMMAND_PARAMETERS","features":[390]},{"name":"USB_START_TRACKING_FOR_TIME_SYNC","features":[390]},{"name":"USB_START_TRACKING_FOR_TIME_SYNC_INFORMATION","features":[390,308]},{"name":"USB_STATUS_EXT_PORT_STATUS","features":[390]},{"name":"USB_STATUS_PD_STATUS","features":[390]},{"name":"USB_STATUS_PORT_STATUS","features":[390]},{"name":"USB_STOP_TRACKING_FOR_TIME_SYNC","features":[390]},{"name":"USB_STOP_TRACKING_FOR_TIME_SYNC_INFORMATION","features":[390,308]},{"name":"USB_STRING_DESCRIPTOR","features":[390]},{"name":"USB_STRING_DESCRIPTOR_TYPE","features":[390]},{"name":"USB_SUBMIT_URB","features":[390]},{"name":"USB_SUPERSPEEDPLUS_ISOCHRONOUS_MAX_BYTESPERINTERVAL","features":[390]},{"name":"USB_SUPERSPEEDPLUS_ISOCHRONOUS_MIN_BYTESPERINTERVAL","features":[390]},{"name":"USB_SUPERSPEEDPLUS_ISOCH_ENDPOINT_COMPANION_DESCRIPTOR","features":[390]},{"name":"USB_SUPERSPEEDPLUS_ISOCH_ENDPOINT_COMPANION_DESCRIPTOR_TYPE","features":[390]},{"name":"USB_SUPERSPEED_ENDPOINT_COMPANION_DESCRIPTOR","features":[390]},{"name":"USB_SUPERSPEED_ENDPOINT_COMPANION_DESCRIPTOR_TYPE","features":[390]},{"name":"USB_SUPERSPEED_ISOCHRONOUS_MAX_MULTIPLIER","features":[390]},{"name":"USB_SUPPORT_D0_COMMAND","features":[390]},{"name":"USB_SUPPORT_D1_COMMAND","features":[390]},{"name":"USB_SUPPORT_D1_WAKEUP","features":[390]},{"name":"USB_SUPPORT_D2_COMMAND","features":[390]},{"name":"USB_SUPPORT_D2_WAKEUP","features":[390]},{"name":"USB_SUPPORT_D3_COMMAND","features":[390]},{"name":"USB_TEST_MODE_TEST_FORCE_ENABLE","features":[390]},{"name":"USB_TEST_MODE_TEST_J","features":[390]},{"name":"USB_TEST_MODE_TEST_K","features":[390]},{"name":"USB_TEST_MODE_TEST_PACKET","features":[390]},{"name":"USB_TEST_MODE_TEST_SE0_NAK","features":[390]},{"name":"USB_TOPOLOGY_ADDRESS","features":[390]},{"name":"USB_TRANSPORT_CHARACTERISTICS","features":[390]},{"name":"USB_TRANSPORT_CHARACTERISTICS_BANDWIDTH_AVAILABLE","features":[390]},{"name":"USB_TRANSPORT_CHARACTERISTICS_CHANGE_NOTIFICATION","features":[390]},{"name":"USB_TRANSPORT_CHARACTERISTICS_CHANGE_REGISTRATION","features":[390]},{"name":"USB_TRANSPORT_CHARACTERISTICS_CHANGE_UNREGISTRATION","features":[390]},{"name":"USB_TRANSPORT_CHARACTERISTICS_LATENCY_AVAILABLE","features":[390]},{"name":"USB_TRANSPORT_CHARACTERISTICS_VERSION_1","features":[390]},{"name":"USB_UNICODE_NAME","features":[390]},{"name":"USB_UNREGISTER_COMPOSITE_DEVICE","features":[390]},{"name":"USB_UNREGISTER_FOR_TRANSPORT_CHARACTERISTICS_CHANGE","features":[390]},{"name":"USB_USB2HW_VERSION_PARAMETERS","features":[390]},{"name":"USB_USER_ERROR_CODE","features":[390]},{"name":"USB_WMI_DEVICE_NODE_TYPE","features":[390]},{"name":"Usb11Device","features":[390]},{"name":"Usb20Device","features":[390]},{"name":"Usb20Hub","features":[390]},{"name":"Usb30Hub","features":[390]},{"name":"UsbController","features":[390]},{"name":"UsbDevice","features":[390]},{"name":"UsbFullSpeed","features":[390]},{"name":"UsbHighSpeed","features":[390]},{"name":"UsbHub","features":[390]},{"name":"UsbLowSpeed","features":[390]},{"name":"UsbMIParent","features":[390]},{"name":"UsbRootHub","features":[390]},{"name":"UsbSuperSpeed","features":[390]},{"name":"UsbUserBufferTooSmall","features":[390]},{"name":"UsbUserDeviceNotStarted","features":[390]},{"name":"UsbUserErrorNotMapped","features":[390]},{"name":"UsbUserFeatureDisabled","features":[390]},{"name":"UsbUserInvalidHeaderParameter","features":[390]},{"name":"UsbUserInvalidParameter","features":[390]},{"name":"UsbUserInvalidRequestCode","features":[390]},{"name":"UsbUserMiniportError","features":[390]},{"name":"UsbUserNoDeviceConnected","features":[390]},{"name":"UsbUserNotSupported","features":[390]},{"name":"UsbUserSuccess","features":[390]},{"name":"UsbdEndpointOffloadHardwareAssisted","features":[390]},{"name":"UsbdEndpointOffloadModeNotSupported","features":[390]},{"name":"UsbdEndpointOffloadSoftwareAssisted","features":[390]},{"name":"UsbdPipeTypeBulk","features":[390]},{"name":"UsbdPipeTypeControl","features":[390]},{"name":"UsbdPipeTypeInterrupt","features":[390]},{"name":"UsbdPipeTypeIsochronous","features":[390]},{"name":"UsbfnBusSpeedFull","features":[390]},{"name":"UsbfnBusSpeedHigh","features":[390]},{"name":"UsbfnBusSpeedLow","features":[390]},{"name":"UsbfnBusSpeedMaximum","features":[390]},{"name":"UsbfnBusSpeedSuper","features":[390]},{"name":"UsbfnChargingDownstreamPort","features":[390]},{"name":"UsbfnDedicatedChargingPort","features":[390]},{"name":"UsbfnDeviceStateAddressed","features":[390]},{"name":"UsbfnDeviceStateAttached","features":[390]},{"name":"UsbfnDeviceStateConfigured","features":[390]},{"name":"UsbfnDeviceStateDefault","features":[390]},{"name":"UsbfnDeviceStateDetached","features":[390]},{"name":"UsbfnDeviceStateMinimum","features":[390]},{"name":"UsbfnDeviceStateStateMaximum","features":[390]},{"name":"UsbfnDeviceStateSuspended","features":[390]},{"name":"UsbfnDirectionIn","features":[390]},{"name":"UsbfnDirectionMaximum","features":[390]},{"name":"UsbfnDirectionMinimum","features":[390]},{"name":"UsbfnDirectionOut","features":[390]},{"name":"UsbfnDirectionRx","features":[390]},{"name":"UsbfnDirectionTx","features":[390]},{"name":"UsbfnEventAttach","features":[390]},{"name":"UsbfnEventBusTearDown","features":[390]},{"name":"UsbfnEventConfigured","features":[390]},{"name":"UsbfnEventDetach","features":[390]},{"name":"UsbfnEventMaximum","features":[390]},{"name":"UsbfnEventMinimum","features":[390]},{"name":"UsbfnEventPortType","features":[390]},{"name":"UsbfnEventReset","features":[390]},{"name":"UsbfnEventResume","features":[390]},{"name":"UsbfnEventSetInterface","features":[390]},{"name":"UsbfnEventSetupPacket","features":[390]},{"name":"UsbfnEventSuspend","features":[390]},{"name":"UsbfnEventUnConfigured","features":[390]},{"name":"UsbfnInvalidDedicatedChargingPort","features":[390]},{"name":"UsbfnPortTypeMaximum","features":[390]},{"name":"UsbfnProprietaryDedicatedChargingPort","features":[390]},{"name":"UsbfnStandardDownstreamPort","features":[390]},{"name":"UsbfnUnknownPort","features":[390]},{"name":"WDMUSB_POWER_STATE","features":[390]},{"name":"WINUSB_INTERFACE_HANDLE","features":[390]},{"name":"WINUSB_PIPE_INFORMATION","features":[390]},{"name":"WINUSB_PIPE_INFORMATION_EX","features":[390]},{"name":"WINUSB_PIPE_POLICY","features":[390]},{"name":"WINUSB_POWER_POLICY","features":[390]},{"name":"WINUSB_SETUP_PACKET","features":[390]},{"name":"WMI_USB_DEVICE_NODE_INFORMATION","features":[390]},{"name":"WMI_USB_DRIVER_INFORMATION","features":[390]},{"name":"WMI_USB_DRIVER_NOTIFICATION","features":[390]},{"name":"WMI_USB_HUB_NODE_INFORMATION","features":[390]},{"name":"WMI_USB_PERFORMANCE_INFORMATION","features":[390]},{"name":"WMI_USB_POWER_DEVICE_ENABLE","features":[390]},{"name":"WRITE_DATA_PIPE","features":[390]},{"name":"WdmUsbPowerDeviceD0","features":[390]},{"name":"WdmUsbPowerDeviceD1","features":[390]},{"name":"WdmUsbPowerDeviceD2","features":[390]},{"name":"WdmUsbPowerDeviceD3","features":[390]},{"name":"WdmUsbPowerDeviceUnspecified","features":[390]},{"name":"WdmUsbPowerNotMapped","features":[390]},{"name":"WdmUsbPowerSystemHibernate","features":[390]},{"name":"WdmUsbPowerSystemShutdown","features":[390]},{"name":"WdmUsbPowerSystemSleeping1","features":[390]},{"name":"WdmUsbPowerSystemSleeping2","features":[390]},{"name":"WdmUsbPowerSystemSleeping3","features":[390]},{"name":"WdmUsbPowerSystemUnspecified","features":[390]},{"name":"WdmUsbPowerSystemWorking","features":[390]},{"name":"WinUSB_TestGuid","features":[390]},{"name":"WinUsb_AbortPipe","features":[390,308]},{"name":"WinUsb_ControlTransfer","features":[390,308,313]},{"name":"WinUsb_FlushPipe","features":[390,308]},{"name":"WinUsb_Free","features":[390,308]},{"name":"WinUsb_GetAdjustedFrameNumber","features":[390,308]},{"name":"WinUsb_GetAssociatedInterface","features":[390,308]},{"name":"WinUsb_GetCurrentAlternateSetting","features":[390,308]},{"name":"WinUsb_GetCurrentFrameNumber","features":[390,308]},{"name":"WinUsb_GetCurrentFrameNumberAndQpc","features":[390,308]},{"name":"WinUsb_GetDescriptor","features":[390,308]},{"name":"WinUsb_GetOverlappedResult","features":[390,308,313]},{"name":"WinUsb_GetPipePolicy","features":[390,308]},{"name":"WinUsb_GetPowerPolicy","features":[390,308]},{"name":"WinUsb_Initialize","features":[390,308]},{"name":"WinUsb_ParseConfigurationDescriptor","features":[390]},{"name":"WinUsb_ParseDescriptors","features":[390]},{"name":"WinUsb_QueryDeviceInformation","features":[390,308]},{"name":"WinUsb_QueryInterfaceSettings","features":[390,308]},{"name":"WinUsb_QueryPipe","features":[390,308]},{"name":"WinUsb_QueryPipeEx","features":[390,308]},{"name":"WinUsb_ReadIsochPipe","features":[390,308,313]},{"name":"WinUsb_ReadIsochPipeAsap","features":[390,308,313]},{"name":"WinUsb_ReadPipe","features":[390,308,313]},{"name":"WinUsb_RegisterIsochBuffer","features":[390,308]},{"name":"WinUsb_ResetPipe","features":[390,308]},{"name":"WinUsb_SetCurrentAlternateSetting","features":[390,308]},{"name":"WinUsb_SetPipePolicy","features":[390,308]},{"name":"WinUsb_SetPowerPolicy","features":[390,308]},{"name":"WinUsb_StartTrackingForTimeSync","features":[390,308]},{"name":"WinUsb_StopTrackingForTimeSync","features":[390,308]},{"name":"WinUsb_UnregisterIsochBuffer","features":[390,308]},{"name":"WinUsb_WriteIsochPipe","features":[390,308,313]},{"name":"WinUsb_WriteIsochPipeAsap","features":[390,308,313]},{"name":"WinUsb_WritePipe","features":[390,308,313]},{"name":"_URB_BULK_OR_INTERRUPT_TRANSFER","features":[390]},{"name":"_URB_CONTROL_DESCRIPTOR_REQUEST","features":[390]},{"name":"_URB_CONTROL_FEATURE_REQUEST","features":[390]},{"name":"_URB_CONTROL_GET_CONFIGURATION_REQUEST","features":[390]},{"name":"_URB_CONTROL_GET_INTERFACE_REQUEST","features":[390]},{"name":"_URB_CONTROL_GET_STATUS_REQUEST","features":[390]},{"name":"_URB_CONTROL_TRANSFER","features":[390]},{"name":"_URB_CONTROL_TRANSFER_EX","features":[390]},{"name":"_URB_CONTROL_VENDOR_OR_CLASS_REQUEST","features":[390]},{"name":"_URB_FRAME_LENGTH_CONTROL","features":[390]},{"name":"_URB_GET_CURRENT_FRAME_NUMBER","features":[390]},{"name":"_URB_GET_FRAME_LENGTH","features":[390]},{"name":"_URB_GET_ISOCH_PIPE_TRANSFER_PATH_DELAYS","features":[390]},{"name":"_URB_HCD_AREA","features":[390]},{"name":"_URB_HEADER","features":[390]},{"name":"_URB_ISOCH_TRANSFER","features":[390]},{"name":"_URB_OPEN_STATIC_STREAMS","features":[390]},{"name":"_URB_OS_FEATURE_DESCRIPTOR_REQUEST","features":[390]},{"name":"_URB_PIPE_REQUEST","features":[390]},{"name":"_URB_SELECT_CONFIGURATION","features":[390]},{"name":"_URB_SELECT_INTERFACE","features":[390]},{"name":"_URB_SET_FRAME_LENGTH","features":[390]}],"388":[{"name":"DeviceDiscoveryMechanism","features":[391]},{"name":"DirectedDiscovery","features":[391]},{"name":"IWSDAddress","features":[391]},{"name":"IWSDAsyncCallback","features":[391]},{"name":"IWSDAsyncResult","features":[391]},{"name":"IWSDAttachment","features":[391]},{"name":"IWSDDeviceHost","features":[391]},{"name":"IWSDDeviceHostNotify","features":[391]},{"name":"IWSDDeviceProxy","features":[391]},{"name":"IWSDEndpointProxy","features":[391]},{"name":"IWSDEventingStatus","features":[391]},{"name":"IWSDHttpAddress","features":[391]},{"name":"IWSDHttpAuthParameters","features":[391]},{"name":"IWSDHttpMessageParameters","features":[391]},{"name":"IWSDInboundAttachment","features":[391]},{"name":"IWSDMessageParameters","features":[391]},{"name":"IWSDMetadataExchange","features":[391]},{"name":"IWSDOutboundAttachment","features":[391]},{"name":"IWSDSSLClientCertificate","features":[391]},{"name":"IWSDScopeMatchingRule","features":[391]},{"name":"IWSDServiceMessaging","features":[391]},{"name":"IWSDServiceProxy","features":[391]},{"name":"IWSDServiceProxyEventing","features":[391]},{"name":"IWSDSignatureProperty","features":[391]},{"name":"IWSDTransportAddress","features":[391]},{"name":"IWSDUdpAddress","features":[391]},{"name":"IWSDUdpMessageParameters","features":[391]},{"name":"IWSDXMLContext","features":[391]},{"name":"IWSDiscoveredService","features":[391]},{"name":"IWSDiscoveryProvider","features":[391]},{"name":"IWSDiscoveryProviderNotify","features":[391]},{"name":"IWSDiscoveryPublisher","features":[391]},{"name":"IWSDiscoveryPublisherNotify","features":[391]},{"name":"MulticastDiscovery","features":[391]},{"name":"ONE_WAY","features":[391]},{"name":"OpAnyElement","features":[391]},{"name":"OpAnyElements","features":[391]},{"name":"OpAnyNumber","features":[391]},{"name":"OpAnyText","features":[391]},{"name":"OpAnything","features":[391]},{"name":"OpAttribute_","features":[391]},{"name":"OpBeginAll","features":[391]},{"name":"OpBeginAnyElement","features":[391]},{"name":"OpBeginChoice","features":[391]},{"name":"OpBeginElement_","features":[391]},{"name":"OpBeginSequence","features":[391]},{"name":"OpElement_","features":[391]},{"name":"OpEndAll","features":[391]},{"name":"OpEndChoice","features":[391]},{"name":"OpEndElement","features":[391]},{"name":"OpEndOfTable","features":[391]},{"name":"OpEndSequence","features":[391]},{"name":"OpFormatBool_","features":[391]},{"name":"OpFormatDateTime_","features":[391]},{"name":"OpFormatDom_","features":[391]},{"name":"OpFormatDouble_","features":[391]},{"name":"OpFormatDuration_","features":[391]},{"name":"OpFormatDynamicType_","features":[391]},{"name":"OpFormatFloat_","features":[391]},{"name":"OpFormatInt16_","features":[391]},{"name":"OpFormatInt32_","features":[391]},{"name":"OpFormatInt64_","features":[391]},{"name":"OpFormatInt8_","features":[391]},{"name":"OpFormatListInsertTail_","features":[391]},{"name":"OpFormatLookupType_","features":[391]},{"name":"OpFormatMax","features":[391]},{"name":"OpFormatName_","features":[391]},{"name":"OpFormatStruct_","features":[391]},{"name":"OpFormatType_","features":[391]},{"name":"OpFormatUInt16_","features":[391]},{"name":"OpFormatUInt32_","features":[391]},{"name":"OpFormatUInt64_","features":[391]},{"name":"OpFormatUInt8_","features":[391]},{"name":"OpFormatUnicodeString_","features":[391]},{"name":"OpFormatUri_","features":[391]},{"name":"OpFormatUuidUri_","features":[391]},{"name":"OpFormatXMLDeclaration_","features":[391]},{"name":"OpNone","features":[391]},{"name":"OpOneOrMore","features":[391]},{"name":"OpOptional","features":[391]},{"name":"OpProcess_","features":[391]},{"name":"OpQualifiedAttribute_","features":[391]},{"name":"PWSD_SOAP_MESSAGE_HANDLER","features":[391]},{"name":"REQUESTBODY_GetStatus","features":[391]},{"name":"REQUESTBODY_Renew","features":[391,308]},{"name":"REQUESTBODY_Subscribe","features":[391,308]},{"name":"REQUESTBODY_Unsubscribe","features":[391]},{"name":"RESPONSEBODY_GetMetadata","features":[391]},{"name":"RESPONSEBODY_GetStatus","features":[391,308]},{"name":"RESPONSEBODY_Renew","features":[391,308]},{"name":"RESPONSEBODY_Subscribe","features":[391,308]},{"name":"RESPONSEBODY_SubscriptionEnd","features":[391]},{"name":"SecureDirectedDiscovery","features":[391]},{"name":"TWO_WAY","features":[391]},{"name":"WSDAPI_ADDRESSFAMILY_IPV4","features":[391]},{"name":"WSDAPI_ADDRESSFAMILY_IPV6","features":[391]},{"name":"WSDAPI_COMPACTSIG_ACCEPT_ALL_MESSAGES","features":[391]},{"name":"WSDAPI_OPTION_MAX_INBOUND_MESSAGE_SIZE","features":[391]},{"name":"WSDAPI_OPTION_TRACE_XML_TO_DEBUGGER","features":[391]},{"name":"WSDAPI_OPTION_TRACE_XML_TO_FILE","features":[391]},{"name":"WSDAPI_SSL_CERT_APPLY_DEFAULT_CHECKS","features":[391]},{"name":"WSDAPI_SSL_CERT_IGNORE_EXPIRY","features":[391]},{"name":"WSDAPI_SSL_CERT_IGNORE_INVALID_CN","features":[391]},{"name":"WSDAPI_SSL_CERT_IGNORE_REVOCATION","features":[391]},{"name":"WSDAPI_SSL_CERT_IGNORE_UNKNOWN_CA","features":[391]},{"name":"WSDAPI_SSL_CERT_IGNORE_WRONG_USAGE","features":[391]},{"name":"WSDAllocateLinkedMemory","features":[391]},{"name":"WSDAttachLinkedMemory","features":[391]},{"name":"WSDCreateDeviceHost","features":[391]},{"name":"WSDCreateDeviceHost2","features":[391]},{"name":"WSDCreateDeviceHostAdvanced","features":[391]},{"name":"WSDCreateDeviceProxy","features":[391]},{"name":"WSDCreateDeviceProxy2","features":[391]},{"name":"WSDCreateDeviceProxyAdvanced","features":[391]},{"name":"WSDCreateDiscoveryProvider","features":[391]},{"name":"WSDCreateDiscoveryProvider2","features":[391]},{"name":"WSDCreateDiscoveryPublisher","features":[391]},{"name":"WSDCreateDiscoveryPublisher2","features":[391]},{"name":"WSDCreateHttpAddress","features":[391]},{"name":"WSDCreateHttpMessageParameters","features":[391]},{"name":"WSDCreateOutboundAttachment","features":[391]},{"name":"WSDCreateUdpAddress","features":[391]},{"name":"WSDCreateUdpMessageParameters","features":[391]},{"name":"WSDDetachLinkedMemory","features":[391]},{"name":"WSDET_INCOMING_FAULT","features":[391]},{"name":"WSDET_INCOMING_MESSAGE","features":[391]},{"name":"WSDET_NONE","features":[391]},{"name":"WSDET_RESPONSE_TIMEOUT","features":[391]},{"name":"WSDET_TRANSMISSION_FAILURE","features":[391]},{"name":"WSDEventType","features":[391]},{"name":"WSDFreeLinkedMemory","features":[391]},{"name":"WSDGenerateFault","features":[391]},{"name":"WSDGenerateFaultEx","features":[391]},{"name":"WSDGetConfigurationOption","features":[391]},{"name":"WSDSetConfigurationOption","features":[391]},{"name":"WSDUdpMessageType","features":[391]},{"name":"WSDUdpRetransmitParams","features":[391]},{"name":"WSDUriDecode","features":[391]},{"name":"WSDUriEncode","features":[391]},{"name":"WSDXMLAddChild","features":[391]},{"name":"WSDXMLAddSibling","features":[391]},{"name":"WSDXMLBuildAnyForSingleElement","features":[391]},{"name":"WSDXMLCleanupElement","features":[391]},{"name":"WSDXMLCreateContext","features":[391]},{"name":"WSDXMLGetNameFromBuiltinNamespace","features":[391]},{"name":"WSDXMLGetValueFromAny","features":[391]},{"name":"WSDXML_ATTRIBUTE","features":[391]},{"name":"WSDXML_ELEMENT","features":[391]},{"name":"WSDXML_ELEMENT_LIST","features":[391]},{"name":"WSDXML_NAME","features":[391]},{"name":"WSDXML_NAMESPACE","features":[391]},{"name":"WSDXML_NODE","features":[391]},{"name":"WSDXML_OP","features":[391]},{"name":"WSDXML_PREFIX_MAPPING","features":[391]},{"name":"WSDXML_TEXT","features":[391]},{"name":"WSDXML_TYPE","features":[391]},{"name":"WSD_APP_SEQUENCE","features":[391]},{"name":"WSD_BYE","features":[391]},{"name":"WSD_CONFIG_ADDRESSES","features":[391]},{"name":"WSD_CONFIG_DEVICE_ADDRESSES","features":[391]},{"name":"WSD_CONFIG_HOSTING_ADDRESSES","features":[391]},{"name":"WSD_CONFIG_MAX_INBOUND_MESSAGE_SIZE","features":[391]},{"name":"WSD_CONFIG_MAX_OUTBOUND_MESSAGE_SIZE","features":[391]},{"name":"WSD_CONFIG_PARAM","features":[391]},{"name":"WSD_CONFIG_PARAM_TYPE","features":[391]},{"name":"WSD_DATETIME","features":[391,308]},{"name":"WSD_DEFAULT_EVENTING_ADDRESS","features":[391]},{"name":"WSD_DEFAULT_HOSTING_ADDRESS","features":[391]},{"name":"WSD_DEFAULT_SECURE_HOSTING_ADDRESS","features":[391]},{"name":"WSD_DURATION","features":[391,308]},{"name":"WSD_ENDPOINT_REFERENCE","features":[391]},{"name":"WSD_ENDPOINT_REFERENCE_LIST","features":[391]},{"name":"WSD_EVENT","features":[391]},{"name":"WSD_EVENTING_DELIVERY_MODE","features":[391]},{"name":"WSD_EVENTING_DELIVERY_MODE_PUSH","features":[391]},{"name":"WSD_EVENTING_EXPIRES","features":[391,308]},{"name":"WSD_EVENTING_FILTER","features":[391]},{"name":"WSD_EVENTING_FILTER_ACTION","features":[391]},{"name":"WSD_HANDLER_CONTEXT","features":[391]},{"name":"WSD_HEADER_RELATESTO","features":[391]},{"name":"WSD_HELLO","features":[391]},{"name":"WSD_HOST_METADATA","features":[391]},{"name":"WSD_LOCALIZED_STRING","features":[391]},{"name":"WSD_LOCALIZED_STRING_LIST","features":[391]},{"name":"WSD_METADATA_SECTION","features":[391]},{"name":"WSD_METADATA_SECTION_LIST","features":[391]},{"name":"WSD_NAME_LIST","features":[391]},{"name":"WSD_OPERATION","features":[391]},{"name":"WSD_PORT_TYPE","features":[391]},{"name":"WSD_PROBE","features":[391]},{"name":"WSD_PROBE_MATCH","features":[391]},{"name":"WSD_PROBE_MATCHES","features":[391]},{"name":"WSD_PROBE_MATCH_LIST","features":[391]},{"name":"WSD_PROTOCOL_TYPE","features":[391]},{"name":"WSD_PT_ALL","features":[391]},{"name":"WSD_PT_HTTP","features":[391]},{"name":"WSD_PT_HTTPS","features":[391]},{"name":"WSD_PT_NONE","features":[391]},{"name":"WSD_PT_UDP","features":[391]},{"name":"WSD_REFERENCE_PARAMETERS","features":[391]},{"name":"WSD_REFERENCE_PROPERTIES","features":[391]},{"name":"WSD_RELATIONSHIP_METADATA","features":[391]},{"name":"WSD_RESOLVE","features":[391]},{"name":"WSD_RESOLVE_MATCH","features":[391]},{"name":"WSD_RESOLVE_MATCHES","features":[391]},{"name":"WSD_SCOPES","features":[391]},{"name":"WSD_SECURITY_CERT_VALIDATION","features":[391,308,392]},{"name":"WSD_SECURITY_CERT_VALIDATION_V1","features":[391,308,392]},{"name":"WSD_SECURITY_COMPACTSIG_SIGNING_CERT","features":[391]},{"name":"WSD_SECURITY_COMPACTSIG_VALIDATION","features":[391]},{"name":"WSD_SECURITY_HTTP_AUTH_SCHEME_NEGOTIATE","features":[391]},{"name":"WSD_SECURITY_HTTP_AUTH_SCHEME_NTLM","features":[391]},{"name":"WSD_SECURITY_REQUIRE_CLIENT_CERT_OR_HTTP_CLIENT_AUTH","features":[391]},{"name":"WSD_SECURITY_REQUIRE_HTTP_CLIENT_AUTH","features":[391]},{"name":"WSD_SECURITY_SIGNATURE_VALIDATION","features":[391,308,392]},{"name":"WSD_SECURITY_SSL_CERT_FOR_CLIENT_AUTH","features":[391]},{"name":"WSD_SECURITY_SSL_CLIENT_CERT_VALIDATION","features":[391]},{"name":"WSD_SECURITY_SSL_NEGOTIATE_CLIENT_CERT","features":[391]},{"name":"WSD_SECURITY_SSL_SERVER_CERT_VALIDATION","features":[391]},{"name":"WSD_SECURITY_USE_HTTP_CLIENT_AUTH","features":[391]},{"name":"WSD_SERVICE_METADATA","features":[391]},{"name":"WSD_SERVICE_METADATA_LIST","features":[391]},{"name":"WSD_SOAP_FAULT","features":[391]},{"name":"WSD_SOAP_FAULT_CODE","features":[391]},{"name":"WSD_SOAP_FAULT_REASON","features":[391]},{"name":"WSD_SOAP_FAULT_SUBCODE","features":[391]},{"name":"WSD_SOAP_HEADER","features":[391]},{"name":"WSD_SOAP_MESSAGE","features":[391]},{"name":"WSD_STUB_FUNCTION","features":[391]},{"name":"WSD_SYNCHRONOUS_RESPONSE_CONTEXT","features":[391,308]},{"name":"WSD_THIS_DEVICE_METADATA","features":[391]},{"name":"WSD_THIS_MODEL_METADATA","features":[391]},{"name":"WSD_UNKNOWN_LOOKUP","features":[391]},{"name":"WSD_URI_LIST","features":[391]}],"389":[{"name":"APPMODEL_ERROR_DYNAMIC_PROPERTY_INVALID","features":[308]},{"name":"APPMODEL_ERROR_DYNAMIC_PROPERTY_READ_FAILED","features":[308]},{"name":"APPMODEL_ERROR_NO_APPLICATION","features":[308]},{"name":"APPMODEL_ERROR_NO_MUTABLE_DIRECTORY","features":[308]},{"name":"APPMODEL_ERROR_NO_PACKAGE","features":[308]},{"name":"APPMODEL_ERROR_PACKAGE_IDENTITY_CORRUPT","features":[308]},{"name":"APPMODEL_ERROR_PACKAGE_NOT_AVAILABLE","features":[308]},{"name":"APPMODEL_ERROR_PACKAGE_RUNTIME_CORRUPT","features":[308]},{"name":"APPX_E_BLOCK_HASH_INVALID","features":[308]},{"name":"APPX_E_CORRUPT_CONTENT","features":[308]},{"name":"APPX_E_DELTA_APPENDED_PACKAGE_NOT_ALLOWED","features":[308]},{"name":"APPX_E_DELTA_BASELINE_VERSION_MISMATCH","features":[308]},{"name":"APPX_E_DELTA_PACKAGE_MISSING_FILE","features":[308]},{"name":"APPX_E_DIGEST_MISMATCH","features":[308]},{"name":"APPX_E_FILE_COMPRESSION_MISMATCH","features":[308]},{"name":"APPX_E_INTERLEAVING_NOT_ALLOWED","features":[308]},{"name":"APPX_E_INVALID_APPINSTALLER","features":[308]},{"name":"APPX_E_INVALID_BLOCKMAP","features":[308]},{"name":"APPX_E_INVALID_CONTENTGROUPMAP","features":[308]},{"name":"APPX_E_INVALID_DELTA_PACKAGE","features":[308]},{"name":"APPX_E_INVALID_ENCRYPTION_EXCLUSION_FILE_LIST","features":[308]},{"name":"APPX_E_INVALID_KEY_INFO","features":[308]},{"name":"APPX_E_INVALID_MANIFEST","features":[308]},{"name":"APPX_E_INVALID_PACKAGESIGNCONFIG","features":[308]},{"name":"APPX_E_INVALID_PACKAGE_FOLDER_ACLS","features":[308]},{"name":"APPX_E_INVALID_PACKAGING_LAYOUT","features":[308]},{"name":"APPX_E_INVALID_PAYLOAD_PACKAGE_EXTENSION","features":[308]},{"name":"APPX_E_INVALID_PUBLISHER_BRIDGING","features":[308]},{"name":"APPX_E_INVALID_SIP_CLIENT_DATA","features":[308]},{"name":"APPX_E_MISSING_REQUIRED_FILE","features":[308]},{"name":"APPX_E_PACKAGING_INTERNAL","features":[308]},{"name":"APPX_E_RELATIONSHIPS_NOT_ALLOWED","features":[308]},{"name":"APPX_E_REQUESTED_RANGE_TOO_LARGE","features":[308]},{"name":"APPX_E_RESOURCESPRI_NOT_ALLOWED","features":[308]},{"name":"APP_LOCAL_DEVICE_ID","features":[308]},{"name":"APP_LOCAL_DEVICE_ID_SIZE","features":[308]},{"name":"BOOL","features":[308]},{"name":"BOOLEAN","features":[308]},{"name":"BSTR","features":[308]},{"name":"BT_E_SPURIOUS_ACTIVATION","features":[308]},{"name":"CACHE_E_FIRST","features":[308]},{"name":"CACHE_E_LAST","features":[308]},{"name":"CACHE_E_NOCACHE_UPDATED","features":[308]},{"name":"CACHE_S_FIRST","features":[308]},{"name":"CACHE_S_FORMATETC_NOTSUPPORTED","features":[308]},{"name":"CACHE_S_LAST","features":[308]},{"name":"CACHE_S_SAMECACHE","features":[308]},{"name":"CACHE_S_SOMECACHES_NOTUPDATED","features":[308]},{"name":"CAT_E_CATIDNOEXIST","features":[308]},{"name":"CAT_E_FIRST","features":[308]},{"name":"CAT_E_LAST","features":[308]},{"name":"CAT_E_NODESCRIPTION","features":[308]},{"name":"CERTSRV_E_ADMIN_DENIED_REQUEST","features":[308]},{"name":"CERTSRV_E_ALIGNMENT_FAULT","features":[308]},{"name":"CERTSRV_E_ARCHIVED_KEY_REQUIRED","features":[308]},{"name":"CERTSRV_E_ARCHIVED_KEY_UNEXPECTED","features":[308]},{"name":"CERTSRV_E_BAD_RENEWAL_CERT_ATTRIBUTE","features":[308]},{"name":"CERTSRV_E_BAD_RENEWAL_SUBJECT","features":[308]},{"name":"CERTSRV_E_BAD_REQUESTSTATUS","features":[308]},{"name":"CERTSRV_E_BAD_REQUESTSUBJECT","features":[308]},{"name":"CERTSRV_E_BAD_REQUEST_KEY_ARCHIVAL","features":[308]},{"name":"CERTSRV_E_BAD_TEMPLATE_VERSION","features":[308]},{"name":"CERTSRV_E_CERT_TYPE_OVERLAP","features":[308]},{"name":"CERTSRV_E_CORRUPT_KEY_ATTESTATION","features":[308]},{"name":"CERTSRV_E_DOWNLEVEL_DC_SSL_OR_UPGRADE","features":[308]},{"name":"CERTSRV_E_ENCODING_LENGTH","features":[308]},{"name":"CERTSRV_E_ENCRYPTION_CERT_REQUIRED","features":[308]},{"name":"CERTSRV_E_ENROLL_DENIED","features":[308]},{"name":"CERTSRV_E_EXPIRED_CHALLENGE","features":[308]},{"name":"CERTSRV_E_INVALID_ATTESTATION","features":[308]},{"name":"CERTSRV_E_INVALID_CA_CERTIFICATE","features":[308]},{"name":"CERTSRV_E_INVALID_EK","features":[308]},{"name":"CERTSRV_E_INVALID_IDBINDING","features":[308]},{"name":"CERTSRV_E_INVALID_REQUESTID","features":[308]},{"name":"CERTSRV_E_INVALID_RESPONSE","features":[308]},{"name":"CERTSRV_E_ISSUANCE_POLICY_REQUIRED","features":[308]},{"name":"CERTSRV_E_KEY_ARCHIVAL_NOT_CONFIGURED","features":[308]},{"name":"CERTSRV_E_KEY_ATTESTATION","features":[308]},{"name":"CERTSRV_E_KEY_ATTESTATION_NOT_SUPPORTED","features":[308]},{"name":"CERTSRV_E_KEY_LENGTH","features":[308]},{"name":"CERTSRV_E_NO_CAADMIN_DEFINED","features":[308]},{"name":"CERTSRV_E_NO_CERT_TYPE","features":[308]},{"name":"CERTSRV_E_NO_DB_SESSIONS","features":[308]},{"name":"CERTSRV_E_NO_POLICY_SERVER","features":[308]},{"name":"CERTSRV_E_NO_REQUEST","features":[308]},{"name":"CERTSRV_E_NO_VALID_KRA","features":[308]},{"name":"CERTSRV_E_PENDING_CLIENT_RESPONSE","features":[308]},{"name":"CERTSRV_E_PROPERTY_EMPTY","features":[308]},{"name":"CERTSRV_E_RENEWAL_BAD_PUBLIC_KEY","features":[308]},{"name":"CERTSRV_E_REQUEST_PRECERTIFICATE_MISMATCH","features":[308]},{"name":"CERTSRV_E_RESTRICTEDOFFICER","features":[308]},{"name":"CERTSRV_E_ROLECONFLICT","features":[308]},{"name":"CERTSRV_E_SEC_EXT_DIRECTORY_SID_REQUIRED","features":[308]},{"name":"CERTSRV_E_SERVER_SUSPENDED","features":[308]},{"name":"CERTSRV_E_SIGNATURE_COUNT","features":[308]},{"name":"CERTSRV_E_SIGNATURE_POLICY_REQUIRED","features":[308]},{"name":"CERTSRV_E_SIGNATURE_REJECTED","features":[308]},{"name":"CERTSRV_E_SMIME_REQUIRED","features":[308]},{"name":"CERTSRV_E_SUBJECT_ALT_NAME_REQUIRED","features":[308]},{"name":"CERTSRV_E_SUBJECT_DIRECTORY_GUID_REQUIRED","features":[308]},{"name":"CERTSRV_E_SUBJECT_DNS_REQUIRED","features":[308]},{"name":"CERTSRV_E_SUBJECT_EMAIL_REQUIRED","features":[308]},{"name":"CERTSRV_E_SUBJECT_UPN_REQUIRED","features":[308]},{"name":"CERTSRV_E_TEMPLATE_CONFLICT","features":[308]},{"name":"CERTSRV_E_TEMPLATE_DENIED","features":[308]},{"name":"CERTSRV_E_TEMPLATE_POLICY_REQUIRED","features":[308]},{"name":"CERTSRV_E_TOO_MANY_SIGNATURES","features":[308]},{"name":"CERTSRV_E_UNKNOWN_CERT_TYPE","features":[308]},{"name":"CERTSRV_E_UNSUPPORTED_CERT_TYPE","features":[308]},{"name":"CERTSRV_E_WEAK_SIGNATURE_OR_KEY","features":[308]},{"name":"CERT_E_CHAINING","features":[308]},{"name":"CERT_E_CN_NO_MATCH","features":[308]},{"name":"CERT_E_CRITICAL","features":[308]},{"name":"CERT_E_EXPIRED","features":[308]},{"name":"CERT_E_INVALID_NAME","features":[308]},{"name":"CERT_E_INVALID_POLICY","features":[308]},{"name":"CERT_E_ISSUERCHAINING","features":[308]},{"name":"CERT_E_MALFORMED","features":[308]},{"name":"CERT_E_PATHLENCONST","features":[308]},{"name":"CERT_E_PURPOSE","features":[308]},{"name":"CERT_E_REVOCATION_FAILURE","features":[308]},{"name":"CERT_E_REVOKED","features":[308]},{"name":"CERT_E_ROLE","features":[308]},{"name":"CERT_E_UNTRUSTEDCA","features":[308]},{"name":"CERT_E_UNTRUSTEDROOT","features":[308]},{"name":"CERT_E_UNTRUSTEDTESTROOT","features":[308]},{"name":"CERT_E_VALIDITYPERIODNESTING","features":[308]},{"name":"CERT_E_WRONG_USAGE","features":[308]},{"name":"CHAR","features":[308]},{"name":"CI_CORRUPT_CATALOG","features":[308]},{"name":"CI_CORRUPT_DATABASE","features":[308]},{"name":"CI_CORRUPT_FILTER_BUFFER","features":[308]},{"name":"CI_E_ALREADY_INITIALIZED","features":[308]},{"name":"CI_E_BUFFERTOOSMALL","features":[308]},{"name":"CI_E_CARDINALITY_MISMATCH","features":[308]},{"name":"CI_E_CLIENT_FILTER_ABORT","features":[308]},{"name":"CI_E_CONFIG_DISK_FULL","features":[308]},{"name":"CI_E_DISK_FULL","features":[308]},{"name":"CI_E_DISTRIBUTED_GROUPBY_UNSUPPORTED","features":[308]},{"name":"CI_E_DUPLICATE_NOTIFICATION","features":[308]},{"name":"CI_E_ENUMERATION_STARTED","features":[308]},{"name":"CI_E_FILTERING_DISABLED","features":[308]},{"name":"CI_E_INVALID_FLAGS_COMBINATION","features":[308]},{"name":"CI_E_INVALID_STATE","features":[308]},{"name":"CI_E_LOGON_FAILURE","features":[308]},{"name":"CI_E_NOT_FOUND","features":[308]},{"name":"CI_E_NOT_INITIALIZED","features":[308]},{"name":"CI_E_NOT_RUNNING","features":[308]},{"name":"CI_E_NO_CATALOG","features":[308]},{"name":"CI_E_OUTOFSEQ_INCREMENT_DATA","features":[308]},{"name":"CI_E_PROPERTY_NOT_CACHED","features":[308]},{"name":"CI_E_PROPERTY_TOOLARGE","features":[308]},{"name":"CI_E_SHARING_VIOLATION","features":[308]},{"name":"CI_E_SHUTDOWN","features":[308]},{"name":"CI_E_STRANGE_PAGEORSECTOR_SIZE","features":[308]},{"name":"CI_E_TIMEOUT","features":[308]},{"name":"CI_E_UPDATES_DISABLED","features":[308]},{"name":"CI_E_USE_DEFAULT_PID","features":[308]},{"name":"CI_E_WORKID_NOTVALID","features":[308]},{"name":"CI_INCORRECT_VERSION","features":[308]},{"name":"CI_INVALID_INDEX","features":[308]},{"name":"CI_INVALID_PARTITION","features":[308]},{"name":"CI_INVALID_PRIORITY","features":[308]},{"name":"CI_NO_CATALOG","features":[308]},{"name":"CI_NO_STARTING_KEY","features":[308]},{"name":"CI_OUT_OF_INDEX_IDS","features":[308]},{"name":"CI_PROPSTORE_INCONSISTENCY","features":[308]},{"name":"CI_S_CAT_STOPPED","features":[308]},{"name":"CI_S_END_OF_ENUMERATION","features":[308]},{"name":"CI_S_NO_DOCSTORE","features":[308]},{"name":"CI_S_WORKID_DELETED","features":[308]},{"name":"CLASSFACTORY_E_FIRST","features":[308]},{"name":"CLASSFACTORY_E_LAST","features":[308]},{"name":"CLASSFACTORY_S_FIRST","features":[308]},{"name":"CLASSFACTORY_S_LAST","features":[308]},{"name":"CLASS_E_CLASSNOTAVAILABLE","features":[308]},{"name":"CLASS_E_NOAGGREGATION","features":[308]},{"name":"CLASS_E_NOTLICENSED","features":[308]},{"name":"CLIENTSITE_E_FIRST","features":[308]},{"name":"CLIENTSITE_E_LAST","features":[308]},{"name":"CLIENTSITE_S_FIRST","features":[308]},{"name":"CLIENTSITE_S_LAST","features":[308]},{"name":"CLIPBRD_E_BAD_DATA","features":[308]},{"name":"CLIPBRD_E_CANT_CLOSE","features":[308]},{"name":"CLIPBRD_E_CANT_EMPTY","features":[308]},{"name":"CLIPBRD_E_CANT_OPEN","features":[308]},{"name":"CLIPBRD_E_CANT_SET","features":[308]},{"name":"CLIPBRD_E_FIRST","features":[308]},{"name":"CLIPBRD_E_LAST","features":[308]},{"name":"CLIPBRD_S_FIRST","features":[308]},{"name":"CLIPBRD_S_LAST","features":[308]},{"name":"COLORREF","features":[308]},{"name":"COMADMIN_E_ALREADYINSTALLED","features":[308]},{"name":"COMADMIN_E_AMBIGUOUS_APPLICATION_NAME","features":[308]},{"name":"COMADMIN_E_AMBIGUOUS_PARTITION_NAME","features":[308]},{"name":"COMADMIN_E_APPDIRNOTFOUND","features":[308]},{"name":"COMADMIN_E_APPLICATIONEXISTS","features":[308]},{"name":"COMADMIN_E_APPLID_MATCHES_CLSID","features":[308]},{"name":"COMADMIN_E_APP_FILE_READFAIL","features":[308]},{"name":"COMADMIN_E_APP_FILE_VERSION","features":[308]},{"name":"COMADMIN_E_APP_FILE_WRITEFAIL","features":[308]},{"name":"COMADMIN_E_APP_NOT_RUNNING","features":[308]},{"name":"COMADMIN_E_AUTHENTICATIONLEVEL","features":[308]},{"name":"COMADMIN_E_BADPATH","features":[308]},{"name":"COMADMIN_E_BADREGISTRYLIBID","features":[308]},{"name":"COMADMIN_E_BADREGISTRYPROGID","features":[308]},{"name":"COMADMIN_E_BASEPARTITION_REQUIRED_IN_SET","features":[308]},{"name":"COMADMIN_E_BASE_PARTITION_ONLY","features":[308]},{"name":"COMADMIN_E_CANNOT_ALIAS_EVENTCLASS","features":[308]},{"name":"COMADMIN_E_CANTCOPYFILE","features":[308]},{"name":"COMADMIN_E_CANTMAKEINPROCSERVICE","features":[308]},{"name":"COMADMIN_E_CANTRECYCLELIBRARYAPPS","features":[308]},{"name":"COMADMIN_E_CANTRECYCLESERVICEAPPS","features":[308]},{"name":"COMADMIN_E_CANT_SUBSCRIBE_TO_COMPONENT","features":[308]},{"name":"COMADMIN_E_CAN_NOT_EXPORT_APP_PROXY","features":[308]},{"name":"COMADMIN_E_CAN_NOT_EXPORT_SYS_APP","features":[308]},{"name":"COMADMIN_E_CAN_NOT_START_APP","features":[308]},{"name":"COMADMIN_E_CAT_BITNESSMISMATCH","features":[308]},{"name":"COMADMIN_E_CAT_DUPLICATE_PARTITION_NAME","features":[308]},{"name":"COMADMIN_E_CAT_IMPORTED_COMPONENTS_NOT_ALLOWED","features":[308]},{"name":"COMADMIN_E_CAT_INVALID_PARTITION_NAME","features":[308]},{"name":"COMADMIN_E_CAT_PARTITION_IN_USE","features":[308]},{"name":"COMADMIN_E_CAT_PAUSE_RESUME_NOT_SUPPORTED","features":[308]},{"name":"COMADMIN_E_CAT_SERVERFAULT","features":[308]},{"name":"COMADMIN_E_CAT_UNACCEPTABLEBITNESS","features":[308]},{"name":"COMADMIN_E_CAT_WRONGAPPBITNESS","features":[308]},{"name":"COMADMIN_E_CLSIDORIIDMISMATCH","features":[308]},{"name":"COMADMIN_E_COMPFILE_BADTLB","features":[308]},{"name":"COMADMIN_E_COMPFILE_CLASSNOTAVAIL","features":[308]},{"name":"COMADMIN_E_COMPFILE_DOESNOTEXIST","features":[308]},{"name":"COMADMIN_E_COMPFILE_GETCLASSOBJ","features":[308]},{"name":"COMADMIN_E_COMPFILE_LOADDLLFAIL","features":[308]},{"name":"COMADMIN_E_COMPFILE_NOREGISTRAR","features":[308]},{"name":"COMADMIN_E_COMPFILE_NOTINSTALLABLE","features":[308]},{"name":"COMADMIN_E_COMPONENTEXISTS","features":[308]},{"name":"COMADMIN_E_COMP_MOVE_BAD_DEST","features":[308]},{"name":"COMADMIN_E_COMP_MOVE_DEST","features":[308]},{"name":"COMADMIN_E_COMP_MOVE_LOCKED","features":[308]},{"name":"COMADMIN_E_COMP_MOVE_PRIVATE","features":[308]},{"name":"COMADMIN_E_COMP_MOVE_SOURCE","features":[308]},{"name":"COMADMIN_E_COREQCOMPINSTALLED","features":[308]},{"name":"COMADMIN_E_DEFAULT_PARTITION_NOT_IN_SET","features":[308]},{"name":"COMADMIN_E_DLLLOADFAILED","features":[308]},{"name":"COMADMIN_E_DLLREGISTERSERVER","features":[308]},{"name":"COMADMIN_E_EVENTCLASS_CANT_BE_SUBSCRIBER","features":[308]},{"name":"COMADMIN_E_FILE_PARTITION_DUPLICATE_FILES","features":[308]},{"name":"COMADMIN_E_INVALIDUSERIDS","features":[308]},{"name":"COMADMIN_E_INVALID_PARTITION","features":[308]},{"name":"COMADMIN_E_KEYMISSING","features":[308]},{"name":"COMADMIN_E_LEGACYCOMPS_NOT_ALLOWED_IN_1_0_FORMAT","features":[308]},{"name":"COMADMIN_E_LEGACYCOMPS_NOT_ALLOWED_IN_NONBASE_PARTITIONS","features":[308]},{"name":"COMADMIN_E_LIB_APP_PROXY_INCOMPATIBLE","features":[308]},{"name":"COMADMIN_E_MIG_SCHEMANOTFOUND","features":[308]},{"name":"COMADMIN_E_MIG_VERSIONNOTSUPPORTED","features":[308]},{"name":"COMADMIN_E_NOREGISTRYCLSID","features":[308]},{"name":"COMADMIN_E_NOSERVERSHARE","features":[308]},{"name":"COMADMIN_E_NOTCHANGEABLE","features":[308]},{"name":"COMADMIN_E_NOTDELETEABLE","features":[308]},{"name":"COMADMIN_E_NOTINREGISTRY","features":[308]},{"name":"COMADMIN_E_NOUSER","features":[308]},{"name":"COMADMIN_E_OBJECTERRORS","features":[308]},{"name":"COMADMIN_E_OBJECTEXISTS","features":[308]},{"name":"COMADMIN_E_OBJECTINVALID","features":[308]},{"name":"COMADMIN_E_OBJECTNOTPOOLABLE","features":[308]},{"name":"COMADMIN_E_OBJECT_DOES_NOT_EXIST","features":[308]},{"name":"COMADMIN_E_OBJECT_PARENT_MISSING","features":[308]},{"name":"COMADMIN_E_PARTITIONS_DISABLED","features":[308]},{"name":"COMADMIN_E_PARTITION_ACCESSDENIED","features":[308]},{"name":"COMADMIN_E_PARTITION_MSI_ONLY","features":[308]},{"name":"COMADMIN_E_PAUSEDPROCESSMAYNOTBERECYCLED","features":[308]},{"name":"COMADMIN_E_PRIVATE_ACCESSDENIED","features":[308]},{"name":"COMADMIN_E_PROCESSALREADYRECYCLED","features":[308]},{"name":"COMADMIN_E_PROGIDINUSEBYCLSID","features":[308]},{"name":"COMADMIN_E_PROPERTYSAVEFAILED","features":[308]},{"name":"COMADMIN_E_PROPERTY_OVERFLOW","features":[308]},{"name":"COMADMIN_E_RECYCLEDPROCESSMAYNOTBEPAUSED","features":[308]},{"name":"COMADMIN_E_REGDB_ALREADYRUNNING","features":[308]},{"name":"COMADMIN_E_REGDB_NOTINITIALIZED","features":[308]},{"name":"COMADMIN_E_REGDB_NOTOPEN","features":[308]},{"name":"COMADMIN_E_REGDB_SYSTEMERR","features":[308]},{"name":"COMADMIN_E_REGFILE_CORRUPT","features":[308]},{"name":"COMADMIN_E_REGISTERTLB","features":[308]},{"name":"COMADMIN_E_REGISTRARFAILED","features":[308]},{"name":"COMADMIN_E_REGISTRY_ACCESSDENIED","features":[308]},{"name":"COMADMIN_E_REMOTEINTERFACE","features":[308]},{"name":"COMADMIN_E_REQUIRES_DIFFERENT_PLATFORM","features":[308]},{"name":"COMADMIN_E_ROLEEXISTS","features":[308]},{"name":"COMADMIN_E_ROLE_DOES_NOT_EXIST","features":[308]},{"name":"COMADMIN_E_SAFERINVALID","features":[308]},{"name":"COMADMIN_E_SERVICENOTINSTALLED","features":[308]},{"name":"COMADMIN_E_SESSION","features":[308]},{"name":"COMADMIN_E_START_APP_DISABLED","features":[308]},{"name":"COMADMIN_E_START_APP_NEEDS_COMPONENTS","features":[308]},{"name":"COMADMIN_E_SVCAPP_NOT_POOLABLE_OR_RECYCLABLE","features":[308]},{"name":"COMADMIN_E_SYSTEMAPP","features":[308]},{"name":"COMADMIN_E_USERPASSWDNOTVALID","features":[308]},{"name":"COMADMIN_E_USER_IN_SET","features":[308]},{"name":"COMQC_E_APPLICATION_NOT_QUEUED","features":[308]},{"name":"COMQC_E_BAD_MESSAGE","features":[308]},{"name":"COMQC_E_NO_IPERSISTSTREAM","features":[308]},{"name":"COMQC_E_NO_QUEUEABLE_INTERFACES","features":[308]},{"name":"COMQC_E_QUEUING_SERVICE_NOT_AVAILABLE","features":[308]},{"name":"COMQC_E_UNAUTHENTICATED","features":[308]},{"name":"COMQC_E_UNTRUSTED_ENQUEUER","features":[308]},{"name":"CONTEXT_E_ABORTED","features":[308]},{"name":"CONTEXT_E_ABORTING","features":[308]},{"name":"CONTEXT_E_FIRST","features":[308]},{"name":"CONTEXT_E_LAST","features":[308]},{"name":"CONTEXT_E_NOCONTEXT","features":[308]},{"name":"CONTEXT_E_NOJIT","features":[308]},{"name":"CONTEXT_E_NOTRANSACTION","features":[308]},{"name":"CONTEXT_E_OLDREF","features":[308]},{"name":"CONTEXT_E_ROLENOTFOUND","features":[308]},{"name":"CONTEXT_E_SYNCH_TIMEOUT","features":[308]},{"name":"CONTEXT_E_TMNOTAVAILABLE","features":[308]},{"name":"CONTEXT_E_WOULD_DEADLOCK","features":[308]},{"name":"CONTEXT_S_FIRST","features":[308]},{"name":"CONTEXT_S_LAST","features":[308]},{"name":"CONTROL_C_EXIT","features":[308]},{"name":"CONVERT10_E_FIRST","features":[308]},{"name":"CONVERT10_E_LAST","features":[308]},{"name":"CONVERT10_E_OLELINK_DISABLED","features":[308]},{"name":"CONVERT10_E_OLESTREAM_BITMAP_TO_DIB","features":[308]},{"name":"CONVERT10_E_OLESTREAM_FMT","features":[308]},{"name":"CONVERT10_E_OLESTREAM_GET","features":[308]},{"name":"CONVERT10_E_OLESTREAM_PUT","features":[308]},{"name":"CONVERT10_E_STG_DIB_TO_BITMAP","features":[308]},{"name":"CONVERT10_E_STG_FMT","features":[308]},{"name":"CONVERT10_E_STG_NO_STD_STREAM","features":[308]},{"name":"CONVERT10_S_FIRST","features":[308]},{"name":"CONVERT10_S_LAST","features":[308]},{"name":"CONVERT10_S_NO_PRESENTATION","features":[308]},{"name":"CO_E_ACCESSCHECKFAILED","features":[308]},{"name":"CO_E_ACESINWRONGORDER","features":[308]},{"name":"CO_E_ACNOTINITIALIZED","features":[308]},{"name":"CO_E_ACTIVATIONFAILED","features":[308]},{"name":"CO_E_ACTIVATIONFAILED_CATALOGERROR","features":[308]},{"name":"CO_E_ACTIVATIONFAILED_EVENTLOGGED","features":[308]},{"name":"CO_E_ACTIVATIONFAILED_TIMEOUT","features":[308]},{"name":"CO_E_ALREADYINITIALIZED","features":[308]},{"name":"CO_E_APPDIDNTREG","features":[308]},{"name":"CO_E_APPNOTFOUND","features":[308]},{"name":"CO_E_APPSINGLEUSE","features":[308]},{"name":"CO_E_ASYNC_WORK_REJECTED","features":[308]},{"name":"CO_E_ATTEMPT_TO_CREATE_OUTSIDE_CLIENT_CONTEXT","features":[308]},{"name":"CO_E_BAD_PATH","features":[308]},{"name":"CO_E_BAD_SERVER_NAME","features":[308]},{"name":"CO_E_CALL_OUT_OF_TX_SCOPE_NOT_ALLOWED","features":[308]},{"name":"CO_E_CANCEL_DISABLED","features":[308]},{"name":"CO_E_CANTDETERMINECLASS","features":[308]},{"name":"CO_E_CANT_REMOTE","features":[308]},{"name":"CO_E_CLASSSTRING","features":[308]},{"name":"CO_E_CLASS_CREATE_FAILED","features":[308]},{"name":"CO_E_CLASS_DISABLED","features":[308]},{"name":"CO_E_CLRNOTAVAILABLE","features":[308]},{"name":"CO_E_CLSREG_INCONSISTENT","features":[308]},{"name":"CO_E_CONVERSIONFAILED","features":[308]},{"name":"CO_E_CREATEPROCESS_FAILURE","features":[308]},{"name":"CO_E_DBERROR","features":[308]},{"name":"CO_E_DECODEFAILED","features":[308]},{"name":"CO_E_DLLNOTFOUND","features":[308]},{"name":"CO_E_ELEVATION_DISABLED","features":[308]},{"name":"CO_E_ERRORINAPP","features":[308]},{"name":"CO_E_ERRORINDLL","features":[308]},{"name":"CO_E_EXCEEDSYSACLLIMIT","features":[308]},{"name":"CO_E_EXIT_TRANSACTION_SCOPE_NOT_CALLED","features":[308]},{"name":"CO_E_FAILEDTOCLOSEHANDLE","features":[308]},{"name":"CO_E_FAILEDTOCREATEFILE","features":[308]},{"name":"CO_E_FAILEDTOGENUUID","features":[308]},{"name":"CO_E_FAILEDTOGETSECCTX","features":[308]},{"name":"CO_E_FAILEDTOGETTOKENINFO","features":[308]},{"name":"CO_E_FAILEDTOGETWINDIR","features":[308]},{"name":"CO_E_FAILEDTOIMPERSONATE","features":[308]},{"name":"CO_E_FAILEDTOOPENPROCESSTOKEN","features":[308]},{"name":"CO_E_FAILEDTOOPENTHREADTOKEN","features":[308]},{"name":"CO_E_FAILEDTOQUERYCLIENTBLANKET","features":[308]},{"name":"CO_E_FAILEDTOSETDACL","features":[308]},{"name":"CO_E_FIRST","features":[308]},{"name":"CO_E_IIDREG_INCONSISTENT","features":[308]},{"name":"CO_E_IIDSTRING","features":[308]},{"name":"CO_E_INCOMPATIBLESTREAMVERSION","features":[308]},{"name":"CO_E_INITIALIZATIONFAILED","features":[308]},{"name":"CO_E_INIT_CLASS_CACHE","features":[308]},{"name":"CO_E_INIT_MEMORY_ALLOCATOR","features":[308]},{"name":"CO_E_INIT_ONLY_SINGLE_THREADED","features":[308]},{"name":"CO_E_INIT_RPC_CHANNEL","features":[308]},{"name":"CO_E_INIT_SCM_EXEC_FAILURE","features":[308]},{"name":"CO_E_INIT_SCM_FILE_MAPPING_EXISTS","features":[308]},{"name":"CO_E_INIT_SCM_MAP_VIEW_OF_FILE","features":[308]},{"name":"CO_E_INIT_SCM_MUTEX_EXISTS","features":[308]},{"name":"CO_E_INIT_SHARED_ALLOCATOR","features":[308]},{"name":"CO_E_INIT_TLS","features":[308]},{"name":"CO_E_INIT_TLS_CHANNEL_CONTROL","features":[308]},{"name":"CO_E_INIT_TLS_SET_CHANNEL_CONTROL","features":[308]},{"name":"CO_E_INIT_UNACCEPTED_USER_ALLOCATOR","features":[308]},{"name":"CO_E_INVALIDSID","features":[308]},{"name":"CO_E_ISOLEVELMISMATCH","features":[308]},{"name":"CO_E_LAST","features":[308]},{"name":"CO_E_LAUNCH_PERMSSION_DENIED","features":[308]},{"name":"CO_E_LOOKUPACCNAMEFAILED","features":[308]},{"name":"CO_E_LOOKUPACCSIDFAILED","features":[308]},{"name":"CO_E_MALFORMED_SPN","features":[308]},{"name":"CO_E_MISSING_DISPLAYNAME","features":[308]},{"name":"CO_E_MSI_ERROR","features":[308]},{"name":"CO_E_NETACCESSAPIFAILED","features":[308]},{"name":"CO_E_NOCOOKIES","features":[308]},{"name":"CO_E_NOIISINTRINSICS","features":[308]},{"name":"CO_E_NOMATCHINGNAMEFOUND","features":[308]},{"name":"CO_E_NOMATCHINGSIDFOUND","features":[308]},{"name":"CO_E_NOSYNCHRONIZATION","features":[308]},{"name":"CO_E_NOTCONSTRUCTED","features":[308]},{"name":"CO_E_NOTINITIALIZED","features":[308]},{"name":"CO_E_NOTPOOLED","features":[308]},{"name":"CO_E_NOT_SUPPORTED","features":[308]},{"name":"CO_E_NO_SECCTX_IN_ACTIVATE","features":[308]},{"name":"CO_E_OBJISREG","features":[308]},{"name":"CO_E_OBJNOTCONNECTED","features":[308]},{"name":"CO_E_OBJNOTREG","features":[308]},{"name":"CO_E_OBJSRV_RPC_FAILURE","features":[308]},{"name":"CO_E_OLE1DDE_DISABLED","features":[308]},{"name":"CO_E_PATHTOOLONG","features":[308]},{"name":"CO_E_PREMATURE_STUB_RUNDOWN","features":[308]},{"name":"CO_E_RELEASED","features":[308]},{"name":"CO_E_RELOAD_DLL","features":[308]},{"name":"CO_E_REMOTE_COMMUNICATION_FAILURE","features":[308]},{"name":"CO_E_RUNAS_CREATEPROCESS_FAILURE","features":[308]},{"name":"CO_E_RUNAS_LOGON_FAILURE","features":[308]},{"name":"CO_E_RUNAS_SYNTAX","features":[308]},{"name":"CO_E_RUNAS_VALUE_MUST_BE_AAA","features":[308]},{"name":"CO_E_SCM_ERROR","features":[308]},{"name":"CO_E_SCM_RPC_FAILURE","features":[308]},{"name":"CO_E_SERVER_EXEC_FAILURE","features":[308]},{"name":"CO_E_SERVER_INIT_TIMEOUT","features":[308]},{"name":"CO_E_SERVER_NOT_PAUSED","features":[308]},{"name":"CO_E_SERVER_PAUSED","features":[308]},{"name":"CO_E_SERVER_START_TIMEOUT","features":[308]},{"name":"CO_E_SERVER_STOPPING","features":[308]},{"name":"CO_E_SETSERLHNDLFAILED","features":[308]},{"name":"CO_E_START_SERVICE_FAILURE","features":[308]},{"name":"CO_E_SXS_CONFIG","features":[308]},{"name":"CO_E_THREADINGMODEL_CHANGED","features":[308]},{"name":"CO_E_THREADPOOL_CONFIG","features":[308]},{"name":"CO_E_TRACKER_CONFIG","features":[308]},{"name":"CO_E_TRUSTEEDOESNTMATCHCLIENT","features":[308]},{"name":"CO_E_UNREVOKED_REGISTRATION_ON_APARTMENT_SHUTDOWN","features":[308]},{"name":"CO_E_WRONGOSFORAPP","features":[308]},{"name":"CO_E_WRONGTRUSTEENAMESYNTAX","features":[308]},{"name":"CO_E_WRONG_SERVER_IDENTITY","features":[308]},{"name":"CO_S_FIRST","features":[308]},{"name":"CO_S_LAST","features":[308]},{"name":"CO_S_MACHINENAMENOTFOUND","features":[308]},{"name":"CO_S_NOTALLINTERFACES","features":[308]},{"name":"CRYPT_E_ALREADY_DECRYPTED","features":[308]},{"name":"CRYPT_E_ASN1_BADARGS","features":[308]},{"name":"CRYPT_E_ASN1_BADPDU","features":[308]},{"name":"CRYPT_E_ASN1_BADREAL","features":[308]},{"name":"CRYPT_E_ASN1_BADTAG","features":[308]},{"name":"CRYPT_E_ASN1_CHOICE","features":[308]},{"name":"CRYPT_E_ASN1_CONSTRAINT","features":[308]},{"name":"CRYPT_E_ASN1_CORRUPT","features":[308]},{"name":"CRYPT_E_ASN1_EOD","features":[308]},{"name":"CRYPT_E_ASN1_ERROR","features":[308]},{"name":"CRYPT_E_ASN1_EXTENDED","features":[308]},{"name":"CRYPT_E_ASN1_INTERNAL","features":[308]},{"name":"CRYPT_E_ASN1_LARGE","features":[308]},{"name":"CRYPT_E_ASN1_MEMORY","features":[308]},{"name":"CRYPT_E_ASN1_NOEOD","features":[308]},{"name":"CRYPT_E_ASN1_NYI","features":[308]},{"name":"CRYPT_E_ASN1_OVERFLOW","features":[308]},{"name":"CRYPT_E_ASN1_PDU_TYPE","features":[308]},{"name":"CRYPT_E_ASN1_RULE","features":[308]},{"name":"CRYPT_E_ASN1_UTF8","features":[308]},{"name":"CRYPT_E_ATTRIBUTES_MISSING","features":[308]},{"name":"CRYPT_E_AUTH_ATTR_MISSING","features":[308]},{"name":"CRYPT_E_BAD_ENCODE","features":[308]},{"name":"CRYPT_E_BAD_LEN","features":[308]},{"name":"CRYPT_E_BAD_MSG","features":[308]},{"name":"CRYPT_E_CONTROL_TYPE","features":[308]},{"name":"CRYPT_E_DELETED_PREV","features":[308]},{"name":"CRYPT_E_EXISTS","features":[308]},{"name":"CRYPT_E_FILERESIZED","features":[308]},{"name":"CRYPT_E_FILE_ERROR","features":[308]},{"name":"CRYPT_E_HASH_VALUE","features":[308]},{"name":"CRYPT_E_INVALID_IA5_STRING","features":[308]},{"name":"CRYPT_E_INVALID_INDEX","features":[308]},{"name":"CRYPT_E_INVALID_MSG_TYPE","features":[308]},{"name":"CRYPT_E_INVALID_NUMERIC_STRING","features":[308]},{"name":"CRYPT_E_INVALID_PRINTABLE_STRING","features":[308]},{"name":"CRYPT_E_INVALID_X500_STRING","features":[308]},{"name":"CRYPT_E_ISSUER_SERIALNUMBER","features":[308]},{"name":"CRYPT_E_MISSING_PUBKEY_PARA","features":[308]},{"name":"CRYPT_E_MSG_ERROR","features":[308]},{"name":"CRYPT_E_NOT_CHAR_STRING","features":[308]},{"name":"CRYPT_E_NOT_DECRYPTED","features":[308]},{"name":"CRYPT_E_NOT_FOUND","features":[308]},{"name":"CRYPT_E_NOT_IN_CTL","features":[308]},{"name":"CRYPT_E_NOT_IN_REVOCATION_DATABASE","features":[308]},{"name":"CRYPT_E_NO_DECRYPT_CERT","features":[308]},{"name":"CRYPT_E_NO_KEY_PROPERTY","features":[308]},{"name":"CRYPT_E_NO_MATCH","features":[308]},{"name":"CRYPT_E_NO_PROVIDER","features":[308]},{"name":"CRYPT_E_NO_REVOCATION_CHECK","features":[308]},{"name":"CRYPT_E_NO_REVOCATION_DLL","features":[308]},{"name":"CRYPT_E_NO_SIGNER","features":[308]},{"name":"CRYPT_E_NO_TRUSTED_SIGNER","features":[308]},{"name":"CRYPT_E_NO_VERIFY_USAGE_CHECK","features":[308]},{"name":"CRYPT_E_NO_VERIFY_USAGE_DLL","features":[308]},{"name":"CRYPT_E_OBJECT_LOCATOR_OBJECT_NOT_FOUND","features":[308]},{"name":"CRYPT_E_OID_FORMAT","features":[308]},{"name":"CRYPT_E_OSS_ERROR","features":[308]},{"name":"CRYPT_E_PENDING_CLOSE","features":[308]},{"name":"CRYPT_E_RECIPIENT_NOT_FOUND","features":[308]},{"name":"CRYPT_E_REVOCATION_OFFLINE","features":[308]},{"name":"CRYPT_E_REVOKED","features":[308]},{"name":"CRYPT_E_SECURITY_SETTINGS","features":[308]},{"name":"CRYPT_E_SELF_SIGNED","features":[308]},{"name":"CRYPT_E_SIGNER_NOT_FOUND","features":[308]},{"name":"CRYPT_E_STREAM_INSUFFICIENT_DATA","features":[308]},{"name":"CRYPT_E_STREAM_MSG_NOT_READY","features":[308]},{"name":"CRYPT_E_UNEXPECTED_ENCODING","features":[308]},{"name":"CRYPT_E_UNEXPECTED_MSG_TYPE","features":[308]},{"name":"CRYPT_E_UNKNOWN_ALGO","features":[308]},{"name":"CRYPT_E_VERIFY_USAGE_OFFLINE","features":[308]},{"name":"CRYPT_I_NEW_PROTECTION_REQUIRED","features":[308]},{"name":"CS_E_ADMIN_LIMIT_EXCEEDED","features":[308]},{"name":"CS_E_CLASS_NOTFOUND","features":[308]},{"name":"CS_E_FIRST","features":[308]},{"name":"CS_E_INTERNAL_ERROR","features":[308]},{"name":"CS_E_INVALID_PATH","features":[308]},{"name":"CS_E_INVALID_VERSION","features":[308]},{"name":"CS_E_LAST","features":[308]},{"name":"CS_E_NETWORK_ERROR","features":[308]},{"name":"CS_E_NOT_DELETABLE","features":[308]},{"name":"CS_E_NO_CLASSSTORE","features":[308]},{"name":"CS_E_OBJECT_ALREADY_EXISTS","features":[308]},{"name":"CS_E_OBJECT_NOTFOUND","features":[308]},{"name":"CS_E_PACKAGE_NOTFOUND","features":[308]},{"name":"CS_E_SCHEMA_MISMATCH","features":[308]},{"name":"CloseHandle","features":[308]},{"name":"CompareObjectHandles","features":[308]},{"name":"D2DERR_BAD_NUMBER","features":[308]},{"name":"D2DERR_BITMAP_BOUND_AS_TARGET","features":[308]},{"name":"D2DERR_BITMAP_CANNOT_DRAW","features":[308]},{"name":"D2DERR_CYCLIC_GRAPH","features":[308]},{"name":"D2DERR_DISPLAY_FORMAT_NOT_SUPPORTED","features":[308]},{"name":"D2DERR_DISPLAY_STATE_INVALID","features":[308]},{"name":"D2DERR_EFFECT_IS_NOT_REGISTERED","features":[308]},{"name":"D2DERR_EXCEEDS_MAX_BITMAP_SIZE","features":[308]},{"name":"D2DERR_INCOMPATIBLE_BRUSH_TYPES","features":[308]},{"name":"D2DERR_INSUFFICIENT_DEVICE_CAPABILITIES","features":[308]},{"name":"D2DERR_INTERMEDIATE_TOO_LARGE","features":[308]},{"name":"D2DERR_INTERNAL_ERROR","features":[308]},{"name":"D2DERR_INVALID_CALL","features":[308]},{"name":"D2DERR_INVALID_GLYPH_IMAGE","features":[308]},{"name":"D2DERR_INVALID_GRAPH_CONFIGURATION","features":[308]},{"name":"D2DERR_INVALID_INTERNAL_GRAPH_CONFIGURATION","features":[308]},{"name":"D2DERR_INVALID_PROPERTY","features":[308]},{"name":"D2DERR_INVALID_TARGET","features":[308]},{"name":"D2DERR_LAYER_ALREADY_IN_USE","features":[308]},{"name":"D2DERR_MAX_TEXTURE_SIZE_EXCEEDED","features":[308]},{"name":"D2DERR_NOT_INITIALIZED","features":[308]},{"name":"D2DERR_NO_HARDWARE_DEVICE","features":[308]},{"name":"D2DERR_NO_SUBPROPERTIES","features":[308]},{"name":"D2DERR_ORIGINAL_TARGET_NOT_BOUND","features":[308]},{"name":"D2DERR_OUTSTANDING_BITMAP_REFERENCES","features":[308]},{"name":"D2DERR_POP_CALL_DID_NOT_MATCH_PUSH","features":[308]},{"name":"D2DERR_PRINT_FORMAT_NOT_SUPPORTED","features":[308]},{"name":"D2DERR_PRINT_JOB_CLOSED","features":[308]},{"name":"D2DERR_PUSH_POP_UNBALANCED","features":[308]},{"name":"D2DERR_RECREATE_TARGET","features":[308]},{"name":"D2DERR_RENDER_TARGET_HAS_LAYER_OR_CLIPRECT","features":[308]},{"name":"D2DERR_SCANNER_FAILED","features":[308]},{"name":"D2DERR_SCREEN_ACCESS_DENIED","features":[308]},{"name":"D2DERR_SHADER_COMPILE_FAILED","features":[308]},{"name":"D2DERR_TARGET_NOT_GDI_COMPATIBLE","features":[308]},{"name":"D2DERR_TEXT_EFFECT_IS_WRONG_TYPE","features":[308]},{"name":"D2DERR_TEXT_RENDERER_NOT_RELEASED","features":[308]},{"name":"D2DERR_TOO_MANY_SHADER_ELEMENTS","features":[308]},{"name":"D2DERR_TOO_MANY_TRANSFORM_INPUTS","features":[308]},{"name":"D2DERR_UNSUPPORTED_OPERATION","features":[308]},{"name":"D2DERR_UNSUPPORTED_VERSION","features":[308]},{"name":"D2DERR_WIN32_ERROR","features":[308]},{"name":"D2DERR_WRONG_FACTORY","features":[308]},{"name":"D2DERR_WRONG_RESOURCE_DOMAIN","features":[308]},{"name":"D2DERR_WRONG_STATE","features":[308]},{"name":"D2DERR_ZERO_VECTOR","features":[308]},{"name":"D3D10_ERROR_FILE_NOT_FOUND","features":[308]},{"name":"D3D10_ERROR_TOO_MANY_UNIQUE_STATE_OBJECTS","features":[308]},{"name":"D3D11_ERROR_DEFERRED_CONTEXT_MAP_WITHOUT_INITIAL_DISCARD","features":[308]},{"name":"D3D11_ERROR_FILE_NOT_FOUND","features":[308]},{"name":"D3D11_ERROR_TOO_MANY_UNIQUE_STATE_OBJECTS","features":[308]},{"name":"D3D11_ERROR_TOO_MANY_UNIQUE_VIEW_OBJECTS","features":[308]},{"name":"D3D12_ERROR_ADAPTER_NOT_FOUND","features":[308]},{"name":"D3D12_ERROR_DRIVER_VERSION_MISMATCH","features":[308]},{"name":"D3D12_ERROR_INVALID_REDIST","features":[308]},{"name":"DATA_E_FIRST","features":[308]},{"name":"DATA_E_LAST","features":[308]},{"name":"DATA_S_FIRST","features":[308]},{"name":"DATA_S_LAST","features":[308]},{"name":"DATA_S_SAMEFORMATETC","features":[308]},{"name":"DBG_APP_NOT_IDLE","features":[308]},{"name":"DBG_COMMAND_EXCEPTION","features":[308]},{"name":"DBG_CONTINUE","features":[308]},{"name":"DBG_CONTROL_BREAK","features":[308]},{"name":"DBG_CONTROL_C","features":[308]},{"name":"DBG_EXCEPTION_HANDLED","features":[308]},{"name":"DBG_EXCEPTION_NOT_HANDLED","features":[308]},{"name":"DBG_NO_STATE_CHANGE","features":[308]},{"name":"DBG_PRINTEXCEPTION_C","features":[308]},{"name":"DBG_PRINTEXCEPTION_WIDE_C","features":[308]},{"name":"DBG_REPLY_LATER","features":[308]},{"name":"DBG_RIPEXCEPTION","features":[308]},{"name":"DBG_TERMINATE_PROCESS","features":[308]},{"name":"DBG_TERMINATE_THREAD","features":[308]},{"name":"DBG_UNABLE_TO_PROVIDE_HANDLE","features":[308]},{"name":"DCOMPOSITION_ERROR_SURFACE_BEING_RENDERED","features":[308]},{"name":"DCOMPOSITION_ERROR_SURFACE_NOT_BEING_RENDERED","features":[308]},{"name":"DCOMPOSITION_ERROR_WINDOW_ALREADY_COMPOSED","features":[308]},{"name":"DECIMAL","features":[308]},{"name":"DIGSIG_E_CRYPTO","features":[308]},{"name":"DIGSIG_E_DECODE","features":[308]},{"name":"DIGSIG_E_ENCODE","features":[308]},{"name":"DIGSIG_E_EXTENSIBILITY","features":[308]},{"name":"DISP_E_ARRAYISLOCKED","features":[308]},{"name":"DISP_E_BADCALLEE","features":[308]},{"name":"DISP_E_BADINDEX","features":[308]},{"name":"DISP_E_BADPARAMCOUNT","features":[308]},{"name":"DISP_E_BADVARTYPE","features":[308]},{"name":"DISP_E_BUFFERTOOSMALL","features":[308]},{"name":"DISP_E_DIVBYZERO","features":[308]},{"name":"DISP_E_EXCEPTION","features":[308]},{"name":"DISP_E_MEMBERNOTFOUND","features":[308]},{"name":"DISP_E_NONAMEDARGS","features":[308]},{"name":"DISP_E_NOTACOLLECTION","features":[308]},{"name":"DISP_E_OVERFLOW","features":[308]},{"name":"DISP_E_PARAMNOTFOUND","features":[308]},{"name":"DISP_E_PARAMNOTOPTIONAL","features":[308]},{"name":"DISP_E_TYPEMISMATCH","features":[308]},{"name":"DISP_E_UNKNOWNINTERFACE","features":[308]},{"name":"DISP_E_UNKNOWNLCID","features":[308]},{"name":"DISP_E_UNKNOWNNAME","features":[308]},{"name":"DNS_ERROR_ADDRESS_REQUIRED","features":[308]},{"name":"DNS_ERROR_ALIAS_LOOP","features":[308]},{"name":"DNS_ERROR_AUTOZONE_ALREADY_EXISTS","features":[308]},{"name":"DNS_ERROR_AXFR","features":[308]},{"name":"DNS_ERROR_BACKGROUND_LOADING","features":[308]},{"name":"DNS_ERROR_BAD_KEYMASTER","features":[308]},{"name":"DNS_ERROR_BAD_PACKET","features":[308]},{"name":"DNS_ERROR_CANNOT_FIND_ROOT_HINTS","features":[308]},{"name":"DNS_ERROR_CLIENT_SUBNET_ALREADY_EXISTS","features":[308]},{"name":"DNS_ERROR_CLIENT_SUBNET_DOES_NOT_EXIST","features":[308]},{"name":"DNS_ERROR_CLIENT_SUBNET_IS_ACCESSED","features":[308]},{"name":"DNS_ERROR_CNAME_COLLISION","features":[308]},{"name":"DNS_ERROR_CNAME_LOOP","features":[308]},{"name":"DNS_ERROR_DATABASE_BASE","features":[308]},{"name":"DNS_ERROR_DATAFILE_BASE","features":[308]},{"name":"DNS_ERROR_DATAFILE_OPEN_FAILURE","features":[308]},{"name":"DNS_ERROR_DATAFILE_PARSING","features":[308]},{"name":"DNS_ERROR_DEFAULT_SCOPE","features":[308]},{"name":"DNS_ERROR_DEFAULT_VIRTUALIZATION_INSTANCE","features":[308]},{"name":"DNS_ERROR_DEFAULT_ZONESCOPE","features":[308]},{"name":"DNS_ERROR_DELEGATION_REQUIRED","features":[308]},{"name":"DNS_ERROR_DNAME_COLLISION","features":[308]},{"name":"DNS_ERROR_DNSSEC_BASE","features":[308]},{"name":"DNS_ERROR_DNSSEC_IS_DISABLED","features":[308]},{"name":"DNS_ERROR_DP_ALREADY_ENLISTED","features":[308]},{"name":"DNS_ERROR_DP_ALREADY_EXISTS","features":[308]},{"name":"DNS_ERROR_DP_BASE","features":[308]},{"name":"DNS_ERROR_DP_DOES_NOT_EXIST","features":[308]},{"name":"DNS_ERROR_DP_FSMO_ERROR","features":[308]},{"name":"DNS_ERROR_DP_NOT_AVAILABLE","features":[308]},{"name":"DNS_ERROR_DP_NOT_ENLISTED","features":[308]},{"name":"DNS_ERROR_DS_UNAVAILABLE","features":[308]},{"name":"DNS_ERROR_DS_ZONE_ALREADY_EXISTS","features":[308]},{"name":"DNS_ERROR_DWORD_VALUE_TOO_LARGE","features":[308]},{"name":"DNS_ERROR_DWORD_VALUE_TOO_SMALL","features":[308]},{"name":"DNS_ERROR_FILE_WRITEBACK_FAILED","features":[308]},{"name":"DNS_ERROR_FORWARDER_ALREADY_EXISTS","features":[308]},{"name":"DNS_ERROR_GENERAL_API_BASE","features":[308]},{"name":"DNS_ERROR_INCONSISTENT_ROOT_HINTS","features":[308]},{"name":"DNS_ERROR_INVAILD_VIRTUALIZATION_INSTANCE_NAME","features":[308]},{"name":"DNS_ERROR_INVALID_CLIENT_SUBNET_NAME","features":[308]},{"name":"DNS_ERROR_INVALID_DATA","features":[308]},{"name":"DNS_ERROR_INVALID_DATAFILE_NAME","features":[308]},{"name":"DNS_ERROR_INVALID_INITIAL_ROLLOVER_OFFSET","features":[308]},{"name":"DNS_ERROR_INVALID_IP_ADDRESS","features":[308]},{"name":"DNS_ERROR_INVALID_KEY_SIZE","features":[308]},{"name":"DNS_ERROR_INVALID_NAME","features":[308]},{"name":"DNS_ERROR_INVALID_NAME_CHAR","features":[308]},{"name":"DNS_ERROR_INVALID_NSEC3_ITERATION_COUNT","features":[308]},{"name":"DNS_ERROR_INVALID_POLICY_TABLE","features":[308]},{"name":"DNS_ERROR_INVALID_PROPERTY","features":[308]},{"name":"DNS_ERROR_INVALID_ROLLOVER_PERIOD","features":[308]},{"name":"DNS_ERROR_INVALID_SCOPE_NAME","features":[308]},{"name":"DNS_ERROR_INVALID_SCOPE_OPERATION","features":[308]},{"name":"DNS_ERROR_INVALID_SIGNATURE_VALIDITY_PERIOD","features":[308]},{"name":"DNS_ERROR_INVALID_TYPE","features":[308]},{"name":"DNS_ERROR_INVALID_XML","features":[308]},{"name":"DNS_ERROR_INVALID_ZONESCOPE_NAME","features":[308]},{"name":"DNS_ERROR_INVALID_ZONE_OPERATION","features":[308]},{"name":"DNS_ERROR_INVALID_ZONE_TYPE","features":[308]},{"name":"DNS_ERROR_KEYMASTER_REQUIRED","features":[308]},{"name":"DNS_ERROR_KSP_DOES_NOT_SUPPORT_PROTECTION","features":[308]},{"name":"DNS_ERROR_KSP_NOT_ACCESSIBLE","features":[308]},{"name":"DNS_ERROR_LOAD_ZONESCOPE_FAILED","features":[308]},{"name":"DNS_ERROR_MASK","features":[308]},{"name":"DNS_ERROR_NAME_DOES_NOT_EXIST","features":[308]},{"name":"DNS_ERROR_NAME_NOT_IN_ZONE","features":[308]},{"name":"DNS_ERROR_NBSTAT_INIT_FAILED","features":[308]},{"name":"DNS_ERROR_NEED_SECONDARY_ADDRESSES","features":[308]},{"name":"DNS_ERROR_NEED_WINS_SERVERS","features":[308]},{"name":"DNS_ERROR_NODE_CREATION_FAILED","features":[308]},{"name":"DNS_ERROR_NODE_IS_CNAME","features":[308]},{"name":"DNS_ERROR_NODE_IS_DNAME","features":[308]},{"name":"DNS_ERROR_NON_RFC_NAME","features":[308]},{"name":"DNS_ERROR_NOT_ALLOWED_ON_ACTIVE_SKD","features":[308]},{"name":"DNS_ERROR_NOT_ALLOWED_ON_RODC","features":[308]},{"name":"DNS_ERROR_NOT_ALLOWED_ON_ROOT_SERVER","features":[308]},{"name":"DNS_ERROR_NOT_ALLOWED_ON_SIGNED_ZONE","features":[308]},{"name":"DNS_ERROR_NOT_ALLOWED_ON_UNSIGNED_ZONE","features":[308]},{"name":"DNS_ERROR_NOT_ALLOWED_ON_ZSK","features":[308]},{"name":"DNS_ERROR_NOT_ALLOWED_UNDER_DELEGATION","features":[308]},{"name":"DNS_ERROR_NOT_ALLOWED_UNDER_DNAME","features":[308]},{"name":"DNS_ERROR_NOT_ALLOWED_WITH_ZONESCOPES","features":[308]},{"name":"DNS_ERROR_NOT_ENOUGH_SIGNING_KEY_DESCRIPTORS","features":[308]},{"name":"DNS_ERROR_NOT_UNIQUE","features":[308]},{"name":"DNS_ERROR_NO_BOOTFILE_IF_DS_ZONE","features":[308]},{"name":"DNS_ERROR_NO_CREATE_CACHE_DATA","features":[308]},{"name":"DNS_ERROR_NO_DNS_SERVERS","features":[308]},{"name":"DNS_ERROR_NO_MEMORY","features":[308]},{"name":"DNS_ERROR_NO_PACKET","features":[308]},{"name":"DNS_ERROR_NO_TCPIP","features":[308]},{"name":"DNS_ERROR_NO_VALID_TRUST_ANCHORS","features":[308]},{"name":"DNS_ERROR_NO_ZONE_INFO","features":[308]},{"name":"DNS_ERROR_NSEC3_INCOMPATIBLE_WITH_RSA_SHA1","features":[308]},{"name":"DNS_ERROR_NSEC3_NAME_COLLISION","features":[308]},{"name":"DNS_ERROR_NSEC_INCOMPATIBLE_WITH_NSEC3_RSA_SHA1","features":[308]},{"name":"DNS_ERROR_NUMERIC_NAME","features":[308]},{"name":"DNS_ERROR_OPERATION_BASE","features":[308]},{"name":"DNS_ERROR_PACKET_FMT_BASE","features":[308]},{"name":"DNS_ERROR_POLICY_ALREADY_EXISTS","features":[308]},{"name":"DNS_ERROR_POLICY_DOES_NOT_EXIST","features":[308]},{"name":"DNS_ERROR_POLICY_INVALID_CRITERIA","features":[308]},{"name":"DNS_ERROR_POLICY_INVALID_CRITERIA_CLIENT_SUBNET","features":[308]},{"name":"DNS_ERROR_POLICY_INVALID_CRITERIA_FQDN","features":[308]},{"name":"DNS_ERROR_POLICY_INVALID_CRITERIA_INTERFACE","features":[308]},{"name":"DNS_ERROR_POLICY_INVALID_CRITERIA_NETWORK_PROTOCOL","features":[308]},{"name":"DNS_ERROR_POLICY_INVALID_CRITERIA_QUERY_TYPE","features":[308]},{"name":"DNS_ERROR_POLICY_INVALID_CRITERIA_TIME_OF_DAY","features":[308]},{"name":"DNS_ERROR_POLICY_INVALID_CRITERIA_TRANSPORT_PROTOCOL","features":[308]},{"name":"DNS_ERROR_POLICY_INVALID_NAME","features":[308]},{"name":"DNS_ERROR_POLICY_INVALID_SETTINGS","features":[308]},{"name":"DNS_ERROR_POLICY_INVALID_WEIGHT","features":[308]},{"name":"DNS_ERROR_POLICY_LOCKED","features":[308]},{"name":"DNS_ERROR_POLICY_MISSING_CRITERIA","features":[308]},{"name":"DNS_ERROR_POLICY_PROCESSING_ORDER_INVALID","features":[308]},{"name":"DNS_ERROR_POLICY_SCOPE_MISSING","features":[308]},{"name":"DNS_ERROR_POLICY_SCOPE_NOT_ALLOWED","features":[308]},{"name":"DNS_ERROR_PRIMARY_REQUIRES_DATAFILE","features":[308]},{"name":"DNS_ERROR_RCODE","features":[308]},{"name":"DNS_ERROR_RCODE_BADKEY","features":[308]},{"name":"DNS_ERROR_RCODE_BADSIG","features":[308]},{"name":"DNS_ERROR_RCODE_BADTIME","features":[308]},{"name":"DNS_ERROR_RCODE_FORMAT_ERROR","features":[308]},{"name":"DNS_ERROR_RCODE_LAST","features":[308]},{"name":"DNS_ERROR_RCODE_NAME_ERROR","features":[308]},{"name":"DNS_ERROR_RCODE_NOTAUTH","features":[308]},{"name":"DNS_ERROR_RCODE_NOTZONE","features":[308]},{"name":"DNS_ERROR_RCODE_NOT_IMPLEMENTED","features":[308]},{"name":"DNS_ERROR_RCODE_NO_ERROR","features":[308]},{"name":"DNS_ERROR_RCODE_NXRRSET","features":[308]},{"name":"DNS_ERROR_RCODE_REFUSED","features":[308]},{"name":"DNS_ERROR_RCODE_SERVER_FAILURE","features":[308]},{"name":"DNS_ERROR_RCODE_YXDOMAIN","features":[308]},{"name":"DNS_ERROR_RCODE_YXRRSET","features":[308]},{"name":"DNS_ERROR_RECORD_ALREADY_EXISTS","features":[308]},{"name":"DNS_ERROR_RECORD_DOES_NOT_EXIST","features":[308]},{"name":"DNS_ERROR_RECORD_FORMAT","features":[308]},{"name":"DNS_ERROR_RECORD_ONLY_AT_ZONE_ROOT","features":[308]},{"name":"DNS_ERROR_RECORD_TIMED_OUT","features":[308]},{"name":"DNS_ERROR_RESPONSE_CODES_BASE","features":[308]},{"name":"DNS_ERROR_ROLLOVER_ALREADY_QUEUED","features":[308]},{"name":"DNS_ERROR_ROLLOVER_IN_PROGRESS","features":[308]},{"name":"DNS_ERROR_ROLLOVER_NOT_POKEABLE","features":[308]},{"name":"DNS_ERROR_RRL_INVALID_IPV4_PREFIX","features":[308]},{"name":"DNS_ERROR_RRL_INVALID_IPV6_PREFIX","features":[308]},{"name":"DNS_ERROR_RRL_INVALID_LEAK_RATE","features":[308]},{"name":"DNS_ERROR_RRL_INVALID_TC_RATE","features":[308]},{"name":"DNS_ERROR_RRL_INVALID_WINDOW_SIZE","features":[308]},{"name":"DNS_ERROR_RRL_LEAK_RATE_LESSTHAN_TC_RATE","features":[308]},{"name":"DNS_ERROR_RRL_NOT_ENABLED","features":[308]},{"name":"DNS_ERROR_SCOPE_ALREADY_EXISTS","features":[308]},{"name":"DNS_ERROR_SCOPE_DOES_NOT_EXIST","features":[308]},{"name":"DNS_ERROR_SCOPE_LOCKED","features":[308]},{"name":"DNS_ERROR_SECONDARY_DATA","features":[308]},{"name":"DNS_ERROR_SECONDARY_REQUIRES_MASTER_IP","features":[308]},{"name":"DNS_ERROR_SECURE_BASE","features":[308]},{"name":"DNS_ERROR_SERVERSCOPE_IS_REFERENCED","features":[308]},{"name":"DNS_ERROR_SETUP_BASE","features":[308]},{"name":"DNS_ERROR_SIGNING_KEY_NOT_ACCESSIBLE","features":[308]},{"name":"DNS_ERROR_SOA_DELETE_INVALID","features":[308]},{"name":"DNS_ERROR_STANDBY_KEY_NOT_PRESENT","features":[308]},{"name":"DNS_ERROR_SUBNET_ALREADY_EXISTS","features":[308]},{"name":"DNS_ERROR_SUBNET_DOES_NOT_EXIST","features":[308]},{"name":"DNS_ERROR_TOO_MANY_SKDS","features":[308]},{"name":"DNS_ERROR_TRY_AGAIN_LATER","features":[308]},{"name":"DNS_ERROR_UNEXPECTED_CNG_ERROR","features":[308]},{"name":"DNS_ERROR_UNEXPECTED_DATA_PROTECTION_ERROR","features":[308]},{"name":"DNS_ERROR_UNKNOWN_RECORD_TYPE","features":[308]},{"name":"DNS_ERROR_UNKNOWN_SIGNING_PARAMETER_VERSION","features":[308]},{"name":"DNS_ERROR_UNSECURE_PACKET","features":[308]},{"name":"DNS_ERROR_UNSUPPORTED_ALGORITHM","features":[308]},{"name":"DNS_ERROR_VIRTUALIZATION_INSTANCE_ALREADY_EXISTS","features":[308]},{"name":"DNS_ERROR_VIRTUALIZATION_INSTANCE_DOES_NOT_EXIST","features":[308]},{"name":"DNS_ERROR_VIRTUALIZATION_TREE_LOCKED","features":[308]},{"name":"DNS_ERROR_WINS_INIT_FAILED","features":[308]},{"name":"DNS_ERROR_ZONESCOPE_ALREADY_EXISTS","features":[308]},{"name":"DNS_ERROR_ZONESCOPE_DOES_NOT_EXIST","features":[308]},{"name":"DNS_ERROR_ZONESCOPE_FILE_WRITEBACK_FAILED","features":[308]},{"name":"DNS_ERROR_ZONESCOPE_IS_REFERENCED","features":[308]},{"name":"DNS_ERROR_ZONE_ALREADY_EXISTS","features":[308]},{"name":"DNS_ERROR_ZONE_BASE","features":[308]},{"name":"DNS_ERROR_ZONE_CONFIGURATION_ERROR","features":[308]},{"name":"DNS_ERROR_ZONE_CREATION_FAILED","features":[308]},{"name":"DNS_ERROR_ZONE_DOES_NOT_EXIST","features":[308]},{"name":"DNS_ERROR_ZONE_HAS_NO_NS_RECORDS","features":[308]},{"name":"DNS_ERROR_ZONE_HAS_NO_SOA_RECORD","features":[308]},{"name":"DNS_ERROR_ZONE_IS_SHUTDOWN","features":[308]},{"name":"DNS_ERROR_ZONE_LOCKED","features":[308]},{"name":"DNS_ERROR_ZONE_LOCKED_FOR_SIGNING","features":[308]},{"name":"DNS_ERROR_ZONE_NOT_SECONDARY","features":[308]},{"name":"DNS_ERROR_ZONE_REQUIRES_MASTER_IP","features":[308]},{"name":"DNS_INFO_ADDED_LOCAL_WINS","features":[308]},{"name":"DNS_INFO_AXFR_COMPLETE","features":[308]},{"name":"DNS_INFO_NO_RECORDS","features":[308]},{"name":"DNS_REQUEST_PENDING","features":[308]},{"name":"DNS_STATUS_CONTINUE_NEEDED","features":[308]},{"name":"DNS_STATUS_DOTTED_NAME","features":[308]},{"name":"DNS_STATUS_FQDN","features":[308]},{"name":"DNS_STATUS_SINGLE_PART_NAME","features":[308]},{"name":"DNS_WARNING_DOMAIN_UNDELETED","features":[308]},{"name":"DNS_WARNING_PTR_CREATE_FAILED","features":[308]},{"name":"DRAGDROP_E_ALREADYREGISTERED","features":[308]},{"name":"DRAGDROP_E_CONCURRENT_DRAG_ATTEMPTED","features":[308]},{"name":"DRAGDROP_E_FIRST","features":[308]},{"name":"DRAGDROP_E_INVALIDHWND","features":[308]},{"name":"DRAGDROP_E_LAST","features":[308]},{"name":"DRAGDROP_E_NOTREGISTERED","features":[308]},{"name":"DRAGDROP_S_CANCEL","features":[308]},{"name":"DRAGDROP_S_DROP","features":[308]},{"name":"DRAGDROP_S_FIRST","features":[308]},{"name":"DRAGDROP_S_LAST","features":[308]},{"name":"DRAGDROP_S_USEDEFAULTCURSORS","features":[308]},{"name":"DUPLICATE_CLOSE_SOURCE","features":[308]},{"name":"DUPLICATE_HANDLE_OPTIONS","features":[308]},{"name":"DUPLICATE_SAME_ACCESS","features":[308]},{"name":"DV_E_CLIPFORMAT","features":[308]},{"name":"DV_E_DVASPECT","features":[308]},{"name":"DV_E_DVTARGETDEVICE","features":[308]},{"name":"DV_E_DVTARGETDEVICE_SIZE","features":[308]},{"name":"DV_E_FORMATETC","features":[308]},{"name":"DV_E_LINDEX","features":[308]},{"name":"DV_E_NOIVIEWOBJECT","features":[308]},{"name":"DV_E_STATDATA","features":[308]},{"name":"DV_E_STGMEDIUM","features":[308]},{"name":"DV_E_TYMED","features":[308]},{"name":"DWMERR_CATASTROPHIC_FAILURE","features":[308]},{"name":"DWMERR_STATE_TRANSITION_FAILED","features":[308]},{"name":"DWMERR_THEME_FAILED","features":[308]},{"name":"DWM_E_ADAPTER_NOT_FOUND","features":[308]},{"name":"DWM_E_COMPOSITIONDISABLED","features":[308]},{"name":"DWM_E_NOT_QUEUING_PRESENTS","features":[308]},{"name":"DWM_E_NO_REDIRECTION_SURFACE_AVAILABLE","features":[308]},{"name":"DWM_E_REMOTING_NOT_SUPPORTED","features":[308]},{"name":"DWM_E_TEXTURE_TOO_LARGE","features":[308]},{"name":"DWM_S_GDI_REDIRECTION_SURFACE","features":[308]},{"name":"DWM_S_GDI_REDIRECTION_SURFACE_BLT_VIA_GDI","features":[308]},{"name":"DWRITE_E_ALREADYREGISTERED","features":[308]},{"name":"DWRITE_E_CACHEFORMAT","features":[308]},{"name":"DWRITE_E_CACHEVERSION","features":[308]},{"name":"DWRITE_E_FILEACCESS","features":[308]},{"name":"DWRITE_E_FILEFORMAT","features":[308]},{"name":"DWRITE_E_FILENOTFOUND","features":[308]},{"name":"DWRITE_E_FLOWDIRECTIONCONFLICTS","features":[308]},{"name":"DWRITE_E_FONTCOLLECTIONOBSOLETE","features":[308]},{"name":"DWRITE_E_NOCOLOR","features":[308]},{"name":"DWRITE_E_NOFONT","features":[308]},{"name":"DWRITE_E_TEXTRENDERERINCOMPATIBLE","features":[308]},{"name":"DWRITE_E_UNEXPECTED","features":[308]},{"name":"DWRITE_E_UNSUPPORTEDOPERATION","features":[308]},{"name":"DXCORE_ERROR_EVENT_NOT_UNREGISTERED","features":[308]},{"name":"DXGI_DDI_ERR_NONEXCLUSIVE","features":[308]},{"name":"DXGI_DDI_ERR_UNSUPPORTED","features":[308]},{"name":"DXGI_DDI_ERR_WASSTILLDRAWING","features":[308]},{"name":"DXGI_STATUS_CLIPPED","features":[308]},{"name":"DXGI_STATUS_DDA_WAS_STILL_DRAWING","features":[308]},{"name":"DXGI_STATUS_GRAPHICS_VIDPN_SOURCE_IN_USE","features":[308]},{"name":"DXGI_STATUS_MODE_CHANGED","features":[308]},{"name":"DXGI_STATUS_MODE_CHANGE_IN_PROGRESS","features":[308]},{"name":"DXGI_STATUS_NO_DESKTOP_ACCESS","features":[308]},{"name":"DXGI_STATUS_NO_REDIRECTION","features":[308]},{"name":"DXGI_STATUS_OCCLUDED","features":[308]},{"name":"DXGI_STATUS_PRESENT_REQUIRED","features":[308]},{"name":"DXGI_STATUS_UNOCCLUDED","features":[308]},{"name":"DuplicateHandle","features":[308]},{"name":"EAS_E_ADMINS_CANNOT_CHANGE_PASSWORD","features":[308]},{"name":"EAS_E_ADMINS_HAVE_BLANK_PASSWORD","features":[308]},{"name":"EAS_E_CONNECTED_ADMINS_NEED_TO_CHANGE_PASSWORD","features":[308]},{"name":"EAS_E_CURRENT_CONNECTED_USER_NEED_TO_CHANGE_PASSWORD","features":[308]},{"name":"EAS_E_CURRENT_USER_HAS_BLANK_PASSWORD","features":[308]},{"name":"EAS_E_LOCAL_CONTROLLED_USERS_CANNOT_CHANGE_PASSWORD","features":[308]},{"name":"EAS_E_PASSWORD_POLICY_NOT_ENFORCEABLE_FOR_CONNECTED_ADMINS","features":[308]},{"name":"EAS_E_PASSWORD_POLICY_NOT_ENFORCEABLE_FOR_CURRENT_CONNECTED_USER","features":[308]},{"name":"EAS_E_POLICY_COMPLIANT_WITH_ACTIONS","features":[308]},{"name":"EAS_E_POLICY_NOT_MANAGED_BY_OS","features":[308]},{"name":"EAS_E_REQUESTED_POLICY_NOT_ENFORCEABLE","features":[308]},{"name":"EAS_E_REQUESTED_POLICY_PASSWORD_EXPIRATION_INCOMPATIBLE","features":[308]},{"name":"EAS_E_USER_CANNOT_CHANGE_PASSWORD","features":[308]},{"name":"ENUM_E_FIRST","features":[308]},{"name":"ENUM_E_LAST","features":[308]},{"name":"ENUM_S_FIRST","features":[308]},{"name":"ENUM_S_LAST","features":[308]},{"name":"EPT_NT_CANT_CREATE","features":[308]},{"name":"EPT_NT_CANT_PERFORM_OP","features":[308]},{"name":"EPT_NT_INVALID_ENTRY","features":[308]},{"name":"EPT_NT_NOT_REGISTERED","features":[308]},{"name":"ERROR_ABANDONED_WAIT_0","features":[308]},{"name":"ERROR_ABANDONED_WAIT_63","features":[308]},{"name":"ERROR_ABANDON_HIBERFILE","features":[308]},{"name":"ERROR_ABIOS_ERROR","features":[308]},{"name":"ERROR_ACCESS_AUDIT_BY_POLICY","features":[308]},{"name":"ERROR_ACCESS_DENIED","features":[308]},{"name":"ERROR_ACCESS_DENIED_APPDATA","features":[308]},{"name":"ERROR_ACCESS_DISABLED_BY_POLICY","features":[308]},{"name":"ERROR_ACCESS_DISABLED_NO_SAFER_UI_BY_POLICY","features":[308]},{"name":"ERROR_ACCESS_DISABLED_WEBBLADE","features":[308]},{"name":"ERROR_ACCESS_DISABLED_WEBBLADE_TAMPER","features":[308]},{"name":"ERROR_ACCOUNT_DISABLED","features":[308]},{"name":"ERROR_ACCOUNT_EXPIRED","features":[308]},{"name":"ERROR_ACCOUNT_LOCKED_OUT","features":[308]},{"name":"ERROR_ACCOUNT_RESTRICTION","features":[308]},{"name":"ERROR_ACPI_ERROR","features":[308]},{"name":"ERROR_ACTIVATION_COUNT_EXCEEDED","features":[308]},{"name":"ERROR_ACTIVE_CONNECTIONS","features":[308]},{"name":"ERROR_ADAP_HDW_ERR","features":[308]},{"name":"ERROR_ADDRESS_ALREADY_ASSOCIATED","features":[308]},{"name":"ERROR_ADDRESS_NOT_ASSOCIATED","features":[308]},{"name":"ERROR_ADVANCED_INSTALLER_FAILED","features":[308]},{"name":"ERROR_ALERTED","features":[308]},{"name":"ERROR_ALIAS_EXISTS","features":[308]},{"name":"ERROR_ALLOCATE_BUCKET","features":[308]},{"name":"ERROR_ALLOTTED_SPACE_EXCEEDED","features":[308]},{"name":"ERROR_ALLOWED_PORT_TYPE_RESTRICTION","features":[308]},{"name":"ERROR_ALL_NODES_NOT_AVAILABLE","features":[308]},{"name":"ERROR_ALL_SIDS_FILTERED","features":[308]},{"name":"ERROR_ALL_USER_TRUST_QUOTA_EXCEEDED","features":[308]},{"name":"ERROR_ALREADY_ASSIGNED","features":[308]},{"name":"ERROR_ALREADY_CONNECTED","features":[308]},{"name":"ERROR_ALREADY_CONNECTING","features":[308]},{"name":"ERROR_ALREADY_EXISTS","features":[308]},{"name":"ERROR_ALREADY_FIBER","features":[308]},{"name":"ERROR_ALREADY_HAS_STREAM_ID","features":[308]},{"name":"ERROR_ALREADY_INITIALIZED","features":[308]},{"name":"ERROR_ALREADY_REGISTERED","features":[308]},{"name":"ERROR_ALREADY_RUNNING_LKG","features":[308]},{"name":"ERROR_ALREADY_THREAD","features":[308]},{"name":"ERROR_ALREADY_WAITING","features":[308]},{"name":"ERROR_ALREADY_WIN32","features":[308]},{"name":"ERROR_AMBIGUOUS_SYSTEM_DEVICE","features":[308]},{"name":"ERROR_API_UNAVAILABLE","features":[308]},{"name":"ERROR_APPCONTAINER_REQUIRED","features":[308]},{"name":"ERROR_APPEXEC_APP_COMPAT_BLOCK","features":[308]},{"name":"ERROR_APPEXEC_CALLER_WAIT_TIMEOUT","features":[308]},{"name":"ERROR_APPEXEC_CALLER_WAIT_TIMEOUT_LICENSING","features":[308]},{"name":"ERROR_APPEXEC_CALLER_WAIT_TIMEOUT_RESOURCES","features":[308]},{"name":"ERROR_APPEXEC_CALLER_WAIT_TIMEOUT_TERMINATION","features":[308]},{"name":"ERROR_APPEXEC_CONDITION_NOT_SATISFIED","features":[308]},{"name":"ERROR_APPEXEC_HANDLE_INVALIDATED","features":[308]},{"name":"ERROR_APPEXEC_HOST_ID_MISMATCH","features":[308]},{"name":"ERROR_APPEXEC_INVALID_HOST_GENERATION","features":[308]},{"name":"ERROR_APPEXEC_INVALID_HOST_STATE","features":[308]},{"name":"ERROR_APPEXEC_NO_DONOR","features":[308]},{"name":"ERROR_APPEXEC_UNEXPECTED_PROCESS_REGISTRATION","features":[308]},{"name":"ERROR_APPEXEC_UNKNOWN_USER","features":[308]},{"name":"ERROR_APPHELP_BLOCK","features":[308]},{"name":"ERROR_APPINSTALLER_ACTIVATION_BLOCKED","features":[308]},{"name":"ERROR_APPINSTALLER_IS_MANAGED_BY_SYSTEM","features":[308]},{"name":"ERROR_APPINSTALLER_URI_IN_USE","features":[308]},{"name":"ERROR_APPX_FILE_NOT_ENCRYPTED","features":[308]},{"name":"ERROR_APPX_INTEGRITY_FAILURE_CLR_NGEN","features":[308]},{"name":"ERROR_APPX_RAW_DATA_WRITE_FAILED","features":[308]},{"name":"ERROR_APP_DATA_CORRUPT","features":[308]},{"name":"ERROR_APP_DATA_EXPIRED","features":[308]},{"name":"ERROR_APP_DATA_LIMIT_EXCEEDED","features":[308]},{"name":"ERROR_APP_DATA_NOT_FOUND","features":[308]},{"name":"ERROR_APP_DATA_REBOOT_REQUIRED","features":[308]},{"name":"ERROR_APP_HANG","features":[308]},{"name":"ERROR_APP_INIT_FAILURE","features":[308]},{"name":"ERROR_APP_WRONG_OS","features":[308]},{"name":"ERROR_ARBITRATION_UNHANDLED","features":[308]},{"name":"ERROR_ARENA_TRASHED","features":[308]},{"name":"ERROR_ARITHMETIC_OVERFLOW","features":[308]},{"name":"ERROR_ASSERTION_FAILURE","features":[308]},{"name":"ERROR_ATOMIC_LOCKS_NOT_SUPPORTED","features":[308]},{"name":"ERROR_ATTRIBUTE_NOT_PRESENT","features":[308]},{"name":"ERROR_AUDITING_DISABLED","features":[308]},{"name":"ERROR_AUDIT_FAILED","features":[308]},{"name":"ERROR_AUTHENTICATION_FIREWALL_FAILED","features":[308]},{"name":"ERROR_AUTHENTICATOR_MISMATCH","features":[308]},{"name":"ERROR_AUTHENTICODE_DISALLOWED","features":[308]},{"name":"ERROR_AUTHENTICODE_PUBLISHER_NOT_TRUSTED","features":[308]},{"name":"ERROR_AUTHENTICODE_TRUSTED_PUBLISHER","features":[308]},{"name":"ERROR_AUTHENTICODE_TRUST_NOT_ESTABLISHED","features":[308]},{"name":"ERROR_AUTHIP_FAILURE","features":[308]},{"name":"ERROR_AUTH_PROTOCOL_REJECTED","features":[308]},{"name":"ERROR_AUTH_PROTOCOL_RESTRICTION","features":[308]},{"name":"ERROR_AUTH_SERVER_TIMEOUT","features":[308]},{"name":"ERROR_AUTODATASEG_EXCEEDS_64k","features":[308]},{"name":"ERROR_BACKUP_CONTROLLER","features":[308]},{"name":"ERROR_BADDB","features":[308]},{"name":"ERROR_BADKEY","features":[308]},{"name":"ERROR_BADSTARTPOSITION","features":[308]},{"name":"ERROR_BAD_ACCESSOR_FLAGS","features":[308]},{"name":"ERROR_BAD_ARGUMENTS","features":[308]},{"name":"ERROR_BAD_CLUSTERS","features":[308]},{"name":"ERROR_BAD_COMMAND","features":[308]},{"name":"ERROR_BAD_COMPRESSION_BUFFER","features":[308]},{"name":"ERROR_BAD_CONFIGURATION","features":[308]},{"name":"ERROR_BAD_CURRENT_DIRECTORY","features":[308]},{"name":"ERROR_BAD_DESCRIPTOR_FORMAT","features":[308]},{"name":"ERROR_BAD_DEVICE","features":[308]},{"name":"ERROR_BAD_DEVICE_PATH","features":[308]},{"name":"ERROR_BAD_DEV_TYPE","features":[308]},{"name":"ERROR_BAD_DLL_ENTRYPOINT","features":[308]},{"name":"ERROR_BAD_DRIVER","features":[308]},{"name":"ERROR_BAD_DRIVER_LEVEL","features":[308]},{"name":"ERROR_BAD_ENVIRONMENT","features":[308]},{"name":"ERROR_BAD_EXE_FORMAT","features":[308]},{"name":"ERROR_BAD_FILE_TYPE","features":[308]},{"name":"ERROR_BAD_FORMAT","features":[308]},{"name":"ERROR_BAD_FUNCTION_TABLE","features":[308]},{"name":"ERROR_BAD_IMPERSONATION_LEVEL","features":[308]},{"name":"ERROR_BAD_INHERITANCE_ACL","features":[308]},{"name":"ERROR_BAD_INTERFACE_INSTALLSECT","features":[308]},{"name":"ERROR_BAD_LENGTH","features":[308]},{"name":"ERROR_BAD_LOGON_SESSION_STATE","features":[308]},{"name":"ERROR_BAD_MCFG_TABLE","features":[308]},{"name":"ERROR_BAD_NETPATH","features":[308]},{"name":"ERROR_BAD_NET_NAME","features":[308]},{"name":"ERROR_BAD_NET_RESP","features":[308]},{"name":"ERROR_BAD_PATHNAME","features":[308]},{"name":"ERROR_BAD_PIPE","features":[308]},{"name":"ERROR_BAD_PROFILE","features":[308]},{"name":"ERROR_BAD_PROVIDER","features":[308]},{"name":"ERROR_BAD_QUERY_SYNTAX","features":[308]},{"name":"ERROR_BAD_RECOVERY_POLICY","features":[308]},{"name":"ERROR_BAD_REM_ADAP","features":[308]},{"name":"ERROR_BAD_SECTION_NAME_LINE","features":[308]},{"name":"ERROR_BAD_SERVICE_ENTRYPOINT","features":[308]},{"name":"ERROR_BAD_SERVICE_INSTALLSECT","features":[308]},{"name":"ERROR_BAD_STACK","features":[308]},{"name":"ERROR_BAD_THREADID_ADDR","features":[308]},{"name":"ERROR_BAD_TOKEN_TYPE","features":[308]},{"name":"ERROR_BAD_UNIT","features":[308]},{"name":"ERROR_BAD_USERNAME","features":[308]},{"name":"ERROR_BAD_USER_PROFILE","features":[308]},{"name":"ERROR_BAD_VALIDATION_CLASS","features":[308]},{"name":"ERROR_BAP_DISCONNECTED","features":[308]},{"name":"ERROR_BAP_REQUIRED","features":[308]},{"name":"ERROR_BCD_NOT_ALL_ENTRIES_IMPORTED","features":[308]},{"name":"ERROR_BCD_NOT_ALL_ENTRIES_SYNCHRONIZED","features":[308]},{"name":"ERROR_BCD_TOO_MANY_ELEMENTS","features":[308]},{"name":"ERROR_BEGINNING_OF_MEDIA","features":[308]},{"name":"ERROR_BEYOND_VDL","features":[308]},{"name":"ERROR_BIOS_FAILED_TO_CONNECT_INTERRUPT","features":[308]},{"name":"ERROR_BIZRULES_NOT_ENABLED","features":[308]},{"name":"ERROR_BLOCKED_BY_PARENTAL_CONTROLS","features":[308]},{"name":"ERROR_BLOCK_SHARED","features":[308]},{"name":"ERROR_BLOCK_SOURCE_WEAK_REFERENCE_INVALID","features":[308]},{"name":"ERROR_BLOCK_TARGET_WEAK_REFERENCE_INVALID","features":[308]},{"name":"ERROR_BLOCK_TOO_MANY_REFERENCES","features":[308]},{"name":"ERROR_BLOCK_WEAK_REFERENCE_INVALID","features":[308]},{"name":"ERROR_BOOT_ALREADY_ACCEPTED","features":[308]},{"name":"ERROR_BROKEN_PIPE","features":[308]},{"name":"ERROR_BUFFER_ALL_ZEROS","features":[308]},{"name":"ERROR_BUFFER_OVERFLOW","features":[308]},{"name":"ERROR_BUSY","features":[308]},{"name":"ERROR_BUSY_DRIVE","features":[308]},{"name":"ERROR_BUS_RESET","features":[308]},{"name":"ERROR_BYPASSIO_FLT_NOT_SUPPORTED","features":[308]},{"name":"ERROR_CACHE_PAGE_LOCKED","features":[308]},{"name":"ERROR_CALLBACK_INVOKE_INLINE","features":[308]},{"name":"ERROR_CALLBACK_POP_STACK","features":[308]},{"name":"ERROR_CALLBACK_SUPPLIED_INVALID_DATA","features":[308]},{"name":"ERROR_CALL_NOT_IMPLEMENTED","features":[308]},{"name":"ERROR_CANCELLED","features":[308]},{"name":"ERROR_CANCEL_VIOLATION","features":[308]},{"name":"ERROR_CANNOT_ABORT_TRANSACTIONS","features":[308]},{"name":"ERROR_CANNOT_ACCEPT_TRANSACTED_WORK","features":[308]},{"name":"ERROR_CANNOT_BREAK_OPLOCK","features":[308]},{"name":"ERROR_CANNOT_COPY","features":[308]},{"name":"ERROR_CANNOT_DETECT_DRIVER_FAILURE","features":[308]},{"name":"ERROR_CANNOT_DETECT_PROCESS_ABORT","features":[308]},{"name":"ERROR_CANNOT_EXECUTE_FILE_IN_TRANSACTION","features":[308]},{"name":"ERROR_CANNOT_FIND_WND_CLASS","features":[308]},{"name":"ERROR_CANNOT_GRANT_REQUESTED_OPLOCK","features":[308]},{"name":"ERROR_CANNOT_IMPERSONATE","features":[308]},{"name":"ERROR_CANNOT_LOAD_REGISTRY_FILE","features":[308]},{"name":"ERROR_CANNOT_MAKE","features":[308]},{"name":"ERROR_CANNOT_OPEN_PROFILE","features":[308]},{"name":"ERROR_CANNOT_SWITCH_RUNLEVEL","features":[308]},{"name":"ERROR_CANTFETCHBACKWARDS","features":[308]},{"name":"ERROR_CANTOPEN","features":[308]},{"name":"ERROR_CANTREAD","features":[308]},{"name":"ERROR_CANTSCROLLBACKWARDS","features":[308]},{"name":"ERROR_CANTWRITE","features":[308]},{"name":"ERROR_CANT_ACCESS_DOMAIN_INFO","features":[308]},{"name":"ERROR_CANT_ACCESS_FILE","features":[308]},{"name":"ERROR_CANT_ATTACH_TO_DEV_VOLUME","features":[308]},{"name":"ERROR_CANT_BREAK_TRANSACTIONAL_DEPENDENCY","features":[308]},{"name":"ERROR_CANT_CLEAR_ENCRYPTION_FLAG","features":[308]},{"name":"ERROR_CANT_CREATE_MORE_STREAM_MINIVERSIONS","features":[308]},{"name":"ERROR_CANT_CROSS_RM_BOUNDARY","features":[308]},{"name":"ERROR_CANT_DELETE_LAST_ITEM","features":[308]},{"name":"ERROR_CANT_DISABLE_MANDATORY","features":[308]},{"name":"ERROR_CANT_ENABLE_DENY_ONLY","features":[308]},{"name":"ERROR_CANT_EVICT_ACTIVE_NODE","features":[308]},{"name":"ERROR_CANT_LOAD_CLASS_ICON","features":[308]},{"name":"ERROR_CANT_OPEN_ANONYMOUS","features":[308]},{"name":"ERROR_CANT_OPEN_MINIVERSION_WITH_MODIFY_INTENT","features":[308]},{"name":"ERROR_CANT_RECOVER_WITH_HANDLE_OPEN","features":[308]},{"name":"ERROR_CANT_REMOVE_DEVINST","features":[308]},{"name":"ERROR_CANT_RESOLVE_FILENAME","features":[308]},{"name":"ERROR_CANT_TERMINATE_SELF","features":[308]},{"name":"ERROR_CANT_WAIT","features":[308]},{"name":"ERROR_CAN_NOT_COMPLETE","features":[308]},{"name":"ERROR_CAN_NOT_DEL_LOCAL_WINS","features":[308]},{"name":"ERROR_CAPAUTHZ_CHANGE_TYPE","features":[308]},{"name":"ERROR_CAPAUTHZ_DB_CORRUPTED","features":[308]},{"name":"ERROR_CAPAUTHZ_NOT_AUTHORIZED","features":[308]},{"name":"ERROR_CAPAUTHZ_NOT_DEVUNLOCKED","features":[308]},{"name":"ERROR_CAPAUTHZ_NOT_PROVISIONED","features":[308]},{"name":"ERROR_CAPAUTHZ_NO_POLICY","features":[308]},{"name":"ERROR_CAPAUTHZ_SCCD_DEV_MODE_REQUIRED","features":[308]},{"name":"ERROR_CAPAUTHZ_SCCD_INVALID_CATALOG","features":[308]},{"name":"ERROR_CAPAUTHZ_SCCD_NO_AUTH_ENTITY","features":[308]},{"name":"ERROR_CAPAUTHZ_SCCD_NO_CAPABILITY_MATCH","features":[308]},{"name":"ERROR_CAPAUTHZ_SCCD_PARSE_ERROR","features":[308]},{"name":"ERROR_CARDBUS_NOT_SUPPORTED","features":[308]},{"name":"ERROR_CASE_DIFFERING_NAMES_IN_DIR","features":[308]},{"name":"ERROR_CASE_SENSITIVE_PATH","features":[308]},{"name":"ERROR_CERTIFICATE_VALIDATION_PREFERENCE_CONFLICT","features":[308]},{"name":"ERROR_CHECKING_FILE_SYSTEM","features":[308]},{"name":"ERROR_CHECKOUT_REQUIRED","features":[308]},{"name":"ERROR_CHILD_MUST_BE_VOLATILE","features":[308]},{"name":"ERROR_CHILD_NOT_COMPLETE","features":[308]},{"name":"ERROR_CHILD_PROCESS_BLOCKED","features":[308]},{"name":"ERROR_CHILD_WINDOW_MENU","features":[308]},{"name":"ERROR_CIMFS_IMAGE_CORRUPT","features":[308]},{"name":"ERROR_CIMFS_IMAGE_VERSION_NOT_SUPPORTED","features":[308]},{"name":"ERROR_CIRCULAR_DEPENDENCY","features":[308]},{"name":"ERROR_CLASSIC_COMPAT_MODE_NOT_ALLOWED","features":[308]},{"name":"ERROR_CLASS_ALREADY_EXISTS","features":[308]},{"name":"ERROR_CLASS_DOES_NOT_EXIST","features":[308]},{"name":"ERROR_CLASS_HAS_WINDOWS","features":[308]},{"name":"ERROR_CLASS_MISMATCH","features":[308]},{"name":"ERROR_CLEANER_CARTRIDGE_INSTALLED","features":[308]},{"name":"ERROR_CLEANER_CARTRIDGE_SPENT","features":[308]},{"name":"ERROR_CLEANER_SLOT_NOT_SET","features":[308]},{"name":"ERROR_CLEANER_SLOT_SET","features":[308]},{"name":"ERROR_CLIENT_INTERFACE_ALREADY_EXISTS","features":[308]},{"name":"ERROR_CLIENT_SERVER_PARAMETERS_INVALID","features":[308]},{"name":"ERROR_CLIPBOARD_NOT_OPEN","features":[308]},{"name":"ERROR_CLIPPING_NOT_SUPPORTED","features":[308]},{"name":"ERROR_CLIP_DEVICE_LICENSE_MISSING","features":[308]},{"name":"ERROR_CLIP_KEYHOLDER_LICENSE_MISSING_OR_INVALID","features":[308]},{"name":"ERROR_CLIP_LICENSE_DEVICE_ID_MISMATCH","features":[308]},{"name":"ERROR_CLIP_LICENSE_EXPIRED","features":[308]},{"name":"ERROR_CLIP_LICENSE_HARDWARE_ID_OUT_OF_TOLERANCE","features":[308]},{"name":"ERROR_CLIP_LICENSE_INVALID_SIGNATURE","features":[308]},{"name":"ERROR_CLIP_LICENSE_NOT_FOUND","features":[308]},{"name":"ERROR_CLIP_LICENSE_NOT_SIGNED","features":[308]},{"name":"ERROR_CLIP_LICENSE_SIGNED_BY_UNKNOWN_SOURCE","features":[308]},{"name":"ERROR_CLOUD_FILE_ACCESS_DENIED","features":[308]},{"name":"ERROR_CLOUD_FILE_ALREADY_CONNECTED","features":[308]},{"name":"ERROR_CLOUD_FILE_AUTHENTICATION_FAILED","features":[308]},{"name":"ERROR_CLOUD_FILE_CONNECTED_PROVIDER_ONLY","features":[308]},{"name":"ERROR_CLOUD_FILE_DEHYDRATION_DISALLOWED","features":[308]},{"name":"ERROR_CLOUD_FILE_INCOMPATIBLE_HARDLINKS","features":[308]},{"name":"ERROR_CLOUD_FILE_INSUFFICIENT_RESOURCES","features":[308]},{"name":"ERROR_CLOUD_FILE_INVALID_REQUEST","features":[308]},{"name":"ERROR_CLOUD_FILE_IN_USE","features":[308]},{"name":"ERROR_CLOUD_FILE_METADATA_CORRUPT","features":[308]},{"name":"ERROR_CLOUD_FILE_METADATA_TOO_LARGE","features":[308]},{"name":"ERROR_CLOUD_FILE_NETWORK_UNAVAILABLE","features":[308]},{"name":"ERROR_CLOUD_FILE_NOT_IN_SYNC","features":[308]},{"name":"ERROR_CLOUD_FILE_NOT_SUPPORTED","features":[308]},{"name":"ERROR_CLOUD_FILE_NOT_UNDER_SYNC_ROOT","features":[308]},{"name":"ERROR_CLOUD_FILE_PINNED","features":[308]},{"name":"ERROR_CLOUD_FILE_PROPERTY_BLOB_CHECKSUM_MISMATCH","features":[308]},{"name":"ERROR_CLOUD_FILE_PROPERTY_BLOB_TOO_LARGE","features":[308]},{"name":"ERROR_CLOUD_FILE_PROPERTY_CORRUPT","features":[308]},{"name":"ERROR_CLOUD_FILE_PROPERTY_LOCK_CONFLICT","features":[308]},{"name":"ERROR_CLOUD_FILE_PROPERTY_VERSION_NOT_SUPPORTED","features":[308]},{"name":"ERROR_CLOUD_FILE_PROVIDER_NOT_RUNNING","features":[308]},{"name":"ERROR_CLOUD_FILE_PROVIDER_TERMINATED","features":[308]},{"name":"ERROR_CLOUD_FILE_READ_ONLY_VOLUME","features":[308]},{"name":"ERROR_CLOUD_FILE_REQUEST_ABORTED","features":[308]},{"name":"ERROR_CLOUD_FILE_REQUEST_CANCELED","features":[308]},{"name":"ERROR_CLOUD_FILE_REQUEST_TIMEOUT","features":[308]},{"name":"ERROR_CLOUD_FILE_SYNC_ROOT_METADATA_CORRUPT","features":[308]},{"name":"ERROR_CLOUD_FILE_TOO_MANY_PROPERTY_BLOBS","features":[308]},{"name":"ERROR_CLOUD_FILE_UNSUCCESSFUL","features":[308]},{"name":"ERROR_CLOUD_FILE_US_MESSAGE_TIMEOUT","features":[308]},{"name":"ERROR_CLOUD_FILE_VALIDATION_FAILED","features":[308]},{"name":"ERROR_CLUSCFG_ALREADY_COMMITTED","features":[308]},{"name":"ERROR_CLUSCFG_ROLLBACK_FAILED","features":[308]},{"name":"ERROR_CLUSCFG_SYSTEM_DISK_DRIVE_LETTER_CONFLICT","features":[308]},{"name":"ERROR_CLUSTERLOG_CHKPOINT_NOT_FOUND","features":[308]},{"name":"ERROR_CLUSTERLOG_CORRUPT","features":[308]},{"name":"ERROR_CLUSTERLOG_EXCEEDS_MAXSIZE","features":[308]},{"name":"ERROR_CLUSTERLOG_NOT_ENOUGH_SPACE","features":[308]},{"name":"ERROR_CLUSTERLOG_RECORD_EXCEEDS_MAXSIZE","features":[308]},{"name":"ERROR_CLUSTERSET_MANAGEMENT_CLUSTER_UNREACHABLE","features":[308]},{"name":"ERROR_CLUSTER_AFFINITY_CONFLICT","features":[308]},{"name":"ERROR_CLUSTER_BACKUP_IN_PROGRESS","features":[308]},{"name":"ERROR_CLUSTER_CANNOT_RETURN_PROPERTIES","features":[308]},{"name":"ERROR_CLUSTER_CANT_CREATE_DUP_CLUSTER_NAME","features":[308]},{"name":"ERROR_CLUSTER_CANT_DESERIALIZE_DATA","features":[308]},{"name":"ERROR_CLUSTER_CSV_INVALID_HANDLE","features":[308]},{"name":"ERROR_CLUSTER_CSV_IO_PAUSE_TIMEOUT","features":[308]},{"name":"ERROR_CLUSTER_CSV_SUPPORTED_ONLY_ON_COORDINATOR","features":[308]},{"name":"ERROR_CLUSTER_DATABASE_SEQMISMATCH","features":[308]},{"name":"ERROR_CLUSTER_DATABASE_TRANSACTION_IN_PROGRESS","features":[308]},{"name":"ERROR_CLUSTER_DATABASE_TRANSACTION_NOT_IN_PROGRESS","features":[308]},{"name":"ERROR_CLUSTER_DATABASE_UPDATE_CONDITION_FAILED","features":[308]},{"name":"ERROR_CLUSTER_DISK_NOT_CONNECTED","features":[308]},{"name":"ERROR_CLUSTER_EVICT_INVALID_REQUEST","features":[308]},{"name":"ERROR_CLUSTER_EVICT_WITHOUT_CLEANUP","features":[308]},{"name":"ERROR_CLUSTER_FAULT_DOMAIN_FAILED_S2D_VALIDATION","features":[308]},{"name":"ERROR_CLUSTER_FAULT_DOMAIN_INVALID_HIERARCHY","features":[308]},{"name":"ERROR_CLUSTER_FAULT_DOMAIN_PARENT_NOT_FOUND","features":[308]},{"name":"ERROR_CLUSTER_FAULT_DOMAIN_S2D_CONNECTIVITY_LOSS","features":[308]},{"name":"ERROR_CLUSTER_GROUP_BUSY","features":[308]},{"name":"ERROR_CLUSTER_GROUP_MOVING","features":[308]},{"name":"ERROR_CLUSTER_GROUP_QUEUED","features":[308]},{"name":"ERROR_CLUSTER_GROUP_SINGLETON_RESOURCE","features":[308]},{"name":"ERROR_CLUSTER_GUM_NOT_LOCKER","features":[308]},{"name":"ERROR_CLUSTER_INCOMPATIBLE_VERSIONS","features":[308]},{"name":"ERROR_CLUSTER_INSTANCE_ID_MISMATCH","features":[308]},{"name":"ERROR_CLUSTER_INTERNAL_INVALID_FUNCTION","features":[308]},{"name":"ERROR_CLUSTER_INVALID_INFRASTRUCTURE_FILESERVER_NAME","features":[308]},{"name":"ERROR_CLUSTER_INVALID_IPV6_NETWORK","features":[308]},{"name":"ERROR_CLUSTER_INVALID_IPV6_TUNNEL_NETWORK","features":[308]},{"name":"ERROR_CLUSTER_INVALID_NETWORK","features":[308]},{"name":"ERROR_CLUSTER_INVALID_NETWORK_PROVIDER","features":[308]},{"name":"ERROR_CLUSTER_INVALID_NODE","features":[308]},{"name":"ERROR_CLUSTER_INVALID_NODE_WEIGHT","features":[308]},{"name":"ERROR_CLUSTER_INVALID_REQUEST","features":[308]},{"name":"ERROR_CLUSTER_INVALID_SECURITY_DESCRIPTOR","features":[308]},{"name":"ERROR_CLUSTER_INVALID_STRING_FORMAT","features":[308]},{"name":"ERROR_CLUSTER_INVALID_STRING_TERMINATION","features":[308]},{"name":"ERROR_CLUSTER_IPADDR_IN_USE","features":[308]},{"name":"ERROR_CLUSTER_JOIN_ABORTED","features":[308]},{"name":"ERROR_CLUSTER_JOIN_IN_PROGRESS","features":[308]},{"name":"ERROR_CLUSTER_JOIN_NOT_IN_PROGRESS","features":[308]},{"name":"ERROR_CLUSTER_LAST_INTERNAL_NETWORK","features":[308]},{"name":"ERROR_CLUSTER_LOCAL_NODE_NOT_FOUND","features":[308]},{"name":"ERROR_CLUSTER_MAXNUM_OF_RESOURCES_EXCEEDED","features":[308]},{"name":"ERROR_CLUSTER_MAX_NODES_IN_CLUSTER","features":[308]},{"name":"ERROR_CLUSTER_MEMBERSHIP_HALT","features":[308]},{"name":"ERROR_CLUSTER_MEMBERSHIP_INVALID_STATE","features":[308]},{"name":"ERROR_CLUSTER_MISMATCHED_COMPUTER_ACCT_NAME","features":[308]},{"name":"ERROR_CLUSTER_NETINTERFACE_EXISTS","features":[308]},{"name":"ERROR_CLUSTER_NETINTERFACE_NOT_FOUND","features":[308]},{"name":"ERROR_CLUSTER_NETWORK_ALREADY_OFFLINE","features":[308]},{"name":"ERROR_CLUSTER_NETWORK_ALREADY_ONLINE","features":[308]},{"name":"ERROR_CLUSTER_NETWORK_EXISTS","features":[308]},{"name":"ERROR_CLUSTER_NETWORK_HAS_DEPENDENTS","features":[308]},{"name":"ERROR_CLUSTER_NETWORK_NOT_FOUND","features":[308]},{"name":"ERROR_CLUSTER_NETWORK_NOT_FOUND_FOR_IP","features":[308]},{"name":"ERROR_CLUSTER_NETWORK_NOT_INTERNAL","features":[308]},{"name":"ERROR_CLUSTER_NODE_ALREADY_DOWN","features":[308]},{"name":"ERROR_CLUSTER_NODE_ALREADY_HAS_DFS_ROOT","features":[308]},{"name":"ERROR_CLUSTER_NODE_ALREADY_MEMBER","features":[308]},{"name":"ERROR_CLUSTER_NODE_ALREADY_UP","features":[308]},{"name":"ERROR_CLUSTER_NODE_DOWN","features":[308]},{"name":"ERROR_CLUSTER_NODE_DRAIN_IN_PROGRESS","features":[308]},{"name":"ERROR_CLUSTER_NODE_EXISTS","features":[308]},{"name":"ERROR_CLUSTER_NODE_IN_GRACE_PERIOD","features":[308]},{"name":"ERROR_CLUSTER_NODE_ISOLATED","features":[308]},{"name":"ERROR_CLUSTER_NODE_NOT_FOUND","features":[308]},{"name":"ERROR_CLUSTER_NODE_NOT_MEMBER","features":[308]},{"name":"ERROR_CLUSTER_NODE_NOT_PAUSED","features":[308]},{"name":"ERROR_CLUSTER_NODE_NOT_READY","features":[308]},{"name":"ERROR_CLUSTER_NODE_PAUSED","features":[308]},{"name":"ERROR_CLUSTER_NODE_QUARANTINED","features":[308]},{"name":"ERROR_CLUSTER_NODE_SHUTTING_DOWN","features":[308]},{"name":"ERROR_CLUSTER_NODE_UNREACHABLE","features":[308]},{"name":"ERROR_CLUSTER_NODE_UP","features":[308]},{"name":"ERROR_CLUSTER_NOT_INSTALLED","features":[308]},{"name":"ERROR_CLUSTER_NOT_SHARED_VOLUME","features":[308]},{"name":"ERROR_CLUSTER_NO_NET_ADAPTERS","features":[308]},{"name":"ERROR_CLUSTER_NO_QUORUM","features":[308]},{"name":"ERROR_CLUSTER_NO_RPC_PACKAGES_REGISTERED","features":[308]},{"name":"ERROR_CLUSTER_NO_SECURITY_CONTEXT","features":[308]},{"name":"ERROR_CLUSTER_NULL_DATA","features":[308]},{"name":"ERROR_CLUSTER_OBJECT_ALREADY_USED","features":[308]},{"name":"ERROR_CLUSTER_OBJECT_IS_CLUSTER_SET_VM","features":[308]},{"name":"ERROR_CLUSTER_OLD_VERSION","features":[308]},{"name":"ERROR_CLUSTER_OWNER_NOT_IN_PREFLIST","features":[308]},{"name":"ERROR_CLUSTER_PARAMETER_MISMATCH","features":[308]},{"name":"ERROR_CLUSTER_PARAMETER_OUT_OF_BOUNDS","features":[308]},{"name":"ERROR_CLUSTER_PARTIAL_READ","features":[308]},{"name":"ERROR_CLUSTER_PARTIAL_SEND","features":[308]},{"name":"ERROR_CLUSTER_PARTIAL_WRITE","features":[308]},{"name":"ERROR_CLUSTER_POISONED","features":[308]},{"name":"ERROR_CLUSTER_PROPERTY_DATA_TYPE_MISMATCH","features":[308]},{"name":"ERROR_CLUSTER_QUORUMLOG_NOT_FOUND","features":[308]},{"name":"ERROR_CLUSTER_REGISTRY_INVALID_FUNCTION","features":[308]},{"name":"ERROR_CLUSTER_RESNAME_NOT_FOUND","features":[308]},{"name":"ERROR_CLUSTER_RESOURCES_MUST_BE_ONLINE_ON_THE_SAME_NODE","features":[308]},{"name":"ERROR_CLUSTER_RESOURCE_CONFIGURATION_ERROR","features":[308]},{"name":"ERROR_CLUSTER_RESOURCE_CONTAINS_UNSUPPORTED_DIFF_AREA_FOR_SHARED_VOLUMES","features":[308]},{"name":"ERROR_CLUSTER_RESOURCE_DOES_NOT_SUPPORT_UNMONITORED","features":[308]},{"name":"ERROR_CLUSTER_RESOURCE_IS_IN_MAINTENANCE_MODE","features":[308]},{"name":"ERROR_CLUSTER_RESOURCE_IS_REPLICATED","features":[308]},{"name":"ERROR_CLUSTER_RESOURCE_IS_REPLICA_VIRTUAL_MACHINE","features":[308]},{"name":"ERROR_CLUSTER_RESOURCE_LOCKED_STATUS","features":[308]},{"name":"ERROR_CLUSTER_RESOURCE_NOT_MONITORED","features":[308]},{"name":"ERROR_CLUSTER_RESOURCE_PROVIDER_FAILED","features":[308]},{"name":"ERROR_CLUSTER_RESOURCE_TYPE_BUSY","features":[308]},{"name":"ERROR_CLUSTER_RESOURCE_TYPE_NOT_FOUND","features":[308]},{"name":"ERROR_CLUSTER_RESOURCE_VETOED_CALL","features":[308]},{"name":"ERROR_CLUSTER_RESOURCE_VETOED_MOVE_INCOMPATIBLE_NODES","features":[308]},{"name":"ERROR_CLUSTER_RESOURCE_VETOED_MOVE_NOT_ENOUGH_RESOURCES_ON_DESTINATION","features":[308]},{"name":"ERROR_CLUSTER_RESOURCE_VETOED_MOVE_NOT_ENOUGH_RESOURCES_ON_SOURCE","features":[308]},{"name":"ERROR_CLUSTER_RESTYPE_NOT_SUPPORTED","features":[308]},{"name":"ERROR_CLUSTER_RHS_FAILED_INITIALIZATION","features":[308]},{"name":"ERROR_CLUSTER_SHARED_VOLUMES_IN_USE","features":[308]},{"name":"ERROR_CLUSTER_SHARED_VOLUME_FAILOVER_NOT_ALLOWED","features":[308]},{"name":"ERROR_CLUSTER_SHARED_VOLUME_NOT_REDIRECTED","features":[308]},{"name":"ERROR_CLUSTER_SHARED_VOLUME_REDIRECTED","features":[308]},{"name":"ERROR_CLUSTER_SHUTTING_DOWN","features":[308]},{"name":"ERROR_CLUSTER_SINGLETON_RESOURCE","features":[308]},{"name":"ERROR_CLUSTER_SPACE_DEGRADED","features":[308]},{"name":"ERROR_CLUSTER_SYSTEM_CONFIG_CHANGED","features":[308]},{"name":"ERROR_CLUSTER_TOKEN_DELEGATION_NOT_SUPPORTED","features":[308]},{"name":"ERROR_CLUSTER_TOO_MANY_NODES","features":[308]},{"name":"ERROR_CLUSTER_UPGRADE_FIX_QUORUM_NOT_SUPPORTED","features":[308]},{"name":"ERROR_CLUSTER_UPGRADE_INCOMPATIBLE_VERSIONS","features":[308]},{"name":"ERROR_CLUSTER_UPGRADE_INCOMPLETE","features":[308]},{"name":"ERROR_CLUSTER_UPGRADE_IN_PROGRESS","features":[308]},{"name":"ERROR_CLUSTER_UPGRADE_RESTART_REQUIRED","features":[308]},{"name":"ERROR_CLUSTER_USE_SHARED_VOLUMES_API","features":[308]},{"name":"ERROR_CLUSTER_WATCHDOG_TERMINATING","features":[308]},{"name":"ERROR_CLUSTER_WRONG_OS_VERSION","features":[308]},{"name":"ERROR_COLORSPACE_MISMATCH","features":[308]},{"name":"ERROR_COMMITMENT_LIMIT","features":[308]},{"name":"ERROR_COMMITMENT_MINIMUM","features":[308]},{"name":"ERROR_COMPRESSED_FILE_NOT_SUPPORTED","features":[308]},{"name":"ERROR_COMPRESSION_DISABLED","features":[308]},{"name":"ERROR_COMPRESSION_NOT_ALLOWED_IN_TRANSACTION","features":[308]},{"name":"ERROR_COMPRESSION_NOT_BENEFICIAL","features":[308]},{"name":"ERROR_COM_TASK_STOP_PENDING","features":[308]},{"name":"ERROR_CONNECTED_OTHER_PASSWORD","features":[308]},{"name":"ERROR_CONNECTED_OTHER_PASSWORD_DEFAULT","features":[308]},{"name":"ERROR_CONNECTION_ABORTED","features":[308]},{"name":"ERROR_CONNECTION_ACTIVE","features":[308]},{"name":"ERROR_CONNECTION_COUNT_LIMIT","features":[308]},{"name":"ERROR_CONNECTION_INVALID","features":[308]},{"name":"ERROR_CONNECTION_REFUSED","features":[308]},{"name":"ERROR_CONNECTION_UNAVAIL","features":[308]},{"name":"ERROR_CONTAINER_ASSIGNED","features":[308]},{"name":"ERROR_CONTENT_BLOCKED","features":[308]},{"name":"ERROR_CONTEXT_EXPIRED","features":[308]},{"name":"ERROR_CONTINUE","features":[308]},{"name":"ERROR_CONTROLLING_IEPORT","features":[308]},{"name":"ERROR_CONTROL_C_EXIT","features":[308]},{"name":"ERROR_CONTROL_ID_NOT_FOUND","features":[308]},{"name":"ERROR_CONVERT_TO_LARGE","features":[308]},{"name":"ERROR_CORE_DRIVER_PACKAGE_NOT_FOUND","features":[308]},{"name":"ERROR_CORE_RESOURCE","features":[308]},{"name":"ERROR_CORRUPT_LOG_CLEARED","features":[308]},{"name":"ERROR_CORRUPT_LOG_CORRUPTED","features":[308]},{"name":"ERROR_CORRUPT_LOG_DELETED_FULL","features":[308]},{"name":"ERROR_CORRUPT_LOG_OVERFULL","features":[308]},{"name":"ERROR_CORRUPT_LOG_UNAVAILABLE","features":[308]},{"name":"ERROR_CORRUPT_SYSTEM_FILE","features":[308]},{"name":"ERROR_COULD_NOT_INTERPRET","features":[308]},{"name":"ERROR_COULD_NOT_RESIZE_LOG","features":[308]},{"name":"ERROR_COUNTER_TIMEOUT","features":[308]},{"name":"ERROR_CPU_SET_INVALID","features":[308]},{"name":"ERROR_CRASH_DUMP","features":[308]},{"name":"ERROR_CRC","features":[308]},{"name":"ERROR_CREATE_FAILED","features":[308]},{"name":"ERROR_CRED_REQUIRES_CONFIRMATION","features":[308]},{"name":"ERROR_CRM_PROTOCOL_ALREADY_EXISTS","features":[308]},{"name":"ERROR_CRM_PROTOCOL_NOT_FOUND","features":[308]},{"name":"ERROR_CROSS_PARTITION_VIOLATION","features":[308]},{"name":"ERROR_CSCSHARE_OFFLINE","features":[308]},{"name":"ERROR_CSV_VOLUME_NOT_LOCAL","features":[308]},{"name":"ERROR_CS_ENCRYPTION_EXISTING_ENCRYPTED_FILE","features":[308]},{"name":"ERROR_CS_ENCRYPTION_FILE_NOT_CSE","features":[308]},{"name":"ERROR_CS_ENCRYPTION_INVALID_SERVER_RESPONSE","features":[308]},{"name":"ERROR_CS_ENCRYPTION_NEW_ENCRYPTED_FILE","features":[308]},{"name":"ERROR_CS_ENCRYPTION_UNSUPPORTED_SERVER","features":[308]},{"name":"ERROR_CTLOG_INCONSISTENT_TRACKING_FILE","features":[308]},{"name":"ERROR_CTLOG_INVALID_TRACKING_STATE","features":[308]},{"name":"ERROR_CTLOG_LOGFILE_SIZE_EXCEEDED_MAXSIZE","features":[308]},{"name":"ERROR_CTLOG_TRACKING_NOT_INITIALIZED","features":[308]},{"name":"ERROR_CTLOG_VHD_CHANGED_OFFLINE","features":[308]},{"name":"ERROR_CTX_ACCOUNT_RESTRICTION","features":[308]},{"name":"ERROR_CTX_BAD_VIDEO_MODE","features":[308]},{"name":"ERROR_CTX_CANNOT_MAKE_EVENTLOG_ENTRY","features":[308]},{"name":"ERROR_CTX_CDM_CONNECT","features":[308]},{"name":"ERROR_CTX_CDM_DISCONNECT","features":[308]},{"name":"ERROR_CTX_CLIENT_LICENSE_IN_USE","features":[308]},{"name":"ERROR_CTX_CLIENT_LICENSE_NOT_SET","features":[308]},{"name":"ERROR_CTX_CLIENT_QUERY_TIMEOUT","features":[308]},{"name":"ERROR_CTX_CLOSE_PENDING","features":[308]},{"name":"ERROR_CTX_CONSOLE_CONNECT","features":[308]},{"name":"ERROR_CTX_CONSOLE_DISCONNECT","features":[308]},{"name":"ERROR_CTX_ENCRYPTION_LEVEL_REQUIRED","features":[308]},{"name":"ERROR_CTX_GRAPHICS_INVALID","features":[308]},{"name":"ERROR_CTX_INVALID_MODEMNAME","features":[308]},{"name":"ERROR_CTX_INVALID_PD","features":[308]},{"name":"ERROR_CTX_INVALID_WD","features":[308]},{"name":"ERROR_CTX_LICENSE_CLIENT_INVALID","features":[308]},{"name":"ERROR_CTX_LICENSE_EXPIRED","features":[308]},{"name":"ERROR_CTX_LICENSE_NOT_AVAILABLE","features":[308]},{"name":"ERROR_CTX_LOGON_DISABLED","features":[308]},{"name":"ERROR_CTX_MODEM_INF_NOT_FOUND","features":[308]},{"name":"ERROR_CTX_MODEM_RESPONSE_BUSY","features":[308]},{"name":"ERROR_CTX_MODEM_RESPONSE_ERROR","features":[308]},{"name":"ERROR_CTX_MODEM_RESPONSE_NO_CARRIER","features":[308]},{"name":"ERROR_CTX_MODEM_RESPONSE_NO_DIALTONE","features":[308]},{"name":"ERROR_CTX_MODEM_RESPONSE_TIMEOUT","features":[308]},{"name":"ERROR_CTX_MODEM_RESPONSE_VOICE","features":[308]},{"name":"ERROR_CTX_NOT_CONSOLE","features":[308]},{"name":"ERROR_CTX_NO_FORCE_LOGOFF","features":[308]},{"name":"ERROR_CTX_NO_OUTBUF","features":[308]},{"name":"ERROR_CTX_PD_NOT_FOUND","features":[308]},{"name":"ERROR_CTX_SECURITY_LAYER_ERROR","features":[308]},{"name":"ERROR_CTX_SERVICE_NAME_COLLISION","features":[308]},{"name":"ERROR_CTX_SESSION_IN_USE","features":[308]},{"name":"ERROR_CTX_SHADOW_DENIED","features":[308]},{"name":"ERROR_CTX_SHADOW_DISABLED","features":[308]},{"name":"ERROR_CTX_SHADOW_ENDED_BY_MODE_CHANGE","features":[308]},{"name":"ERROR_CTX_SHADOW_INVALID","features":[308]},{"name":"ERROR_CTX_SHADOW_NOT_RUNNING","features":[308]},{"name":"ERROR_CTX_TD_ERROR","features":[308]},{"name":"ERROR_CTX_WD_NOT_FOUND","features":[308]},{"name":"ERROR_CTX_WINSTATIONS_DISABLED","features":[308]},{"name":"ERROR_CTX_WINSTATION_ACCESS_DENIED","features":[308]},{"name":"ERROR_CTX_WINSTATION_ALREADY_EXISTS","features":[308]},{"name":"ERROR_CTX_WINSTATION_BUSY","features":[308]},{"name":"ERROR_CTX_WINSTATION_NAME_INVALID","features":[308]},{"name":"ERROR_CTX_WINSTATION_NOT_FOUND","features":[308]},{"name":"ERROR_CURRENT_DIRECTORY","features":[308]},{"name":"ERROR_CURRENT_DOMAIN_NOT_ALLOWED","features":[308]},{"name":"ERROR_CURRENT_TRANSACTION_NOT_VALID","features":[308]},{"name":"ERROR_DATABASE_BACKUP_CORRUPT","features":[308]},{"name":"ERROR_DATABASE_DOES_NOT_EXIST","features":[308]},{"name":"ERROR_DATABASE_FAILURE","features":[308]},{"name":"ERROR_DATABASE_FULL","features":[308]},{"name":"ERROR_DATATYPE_MISMATCH","features":[308]},{"name":"ERROR_DATA_CHECKSUM_ERROR","features":[308]},{"name":"ERROR_DATA_LOST_REPAIR","features":[308]},{"name":"ERROR_DATA_NOT_ACCEPTED","features":[308]},{"name":"ERROR_DAX_MAPPING_EXISTS","features":[308]},{"name":"ERROR_DBG_ATTACH_PROCESS_FAILURE_LOCKDOWN","features":[308]},{"name":"ERROR_DBG_COMMAND_EXCEPTION","features":[308]},{"name":"ERROR_DBG_CONNECT_SERVER_FAILURE_LOCKDOWN","features":[308]},{"name":"ERROR_DBG_CONTINUE","features":[308]},{"name":"ERROR_DBG_CONTROL_BREAK","features":[308]},{"name":"ERROR_DBG_CONTROL_C","features":[308]},{"name":"ERROR_DBG_CREATE_PROCESS_FAILURE_LOCKDOWN","features":[308]},{"name":"ERROR_DBG_EXCEPTION_HANDLED","features":[308]},{"name":"ERROR_DBG_EXCEPTION_NOT_HANDLED","features":[308]},{"name":"ERROR_DBG_PRINTEXCEPTION_C","features":[308]},{"name":"ERROR_DBG_REPLY_LATER","features":[308]},{"name":"ERROR_DBG_RIPEXCEPTION","features":[308]},{"name":"ERROR_DBG_START_SERVER_FAILURE_LOCKDOWN","features":[308]},{"name":"ERROR_DBG_TERMINATE_PROCESS","features":[308]},{"name":"ERROR_DBG_TERMINATE_THREAD","features":[308]},{"name":"ERROR_DBG_UNABLE_TO_PROVIDE_HANDLE","features":[308]},{"name":"ERROR_DC_NOT_FOUND","features":[308]},{"name":"ERROR_DDE_FAIL","features":[308]},{"name":"ERROR_DDM_NOT_RUNNING","features":[308]},{"name":"ERROR_DEBUGGER_INACTIVE","features":[308]},{"name":"ERROR_DEBUG_ATTACH_FAILED","features":[308]},{"name":"ERROR_DECRYPTION_FAILED","features":[308]},{"name":"ERROR_DELAY_LOAD_FAILED","features":[308]},{"name":"ERROR_DELETE_PENDING","features":[308]},{"name":"ERROR_DELETING_EXISTING_APPLICATIONDATA_STORE_FAILED","features":[308]},{"name":"ERROR_DELETING_ICM_XFORM","features":[308]},{"name":"ERROR_DEPENDENCY_ALREADY_EXISTS","features":[308]},{"name":"ERROR_DEPENDENCY_NOT_ALLOWED","features":[308]},{"name":"ERROR_DEPENDENCY_NOT_FOUND","features":[308]},{"name":"ERROR_DEPENDENCY_TREE_TOO_COMPLEX","features":[308]},{"name":"ERROR_DEPENDENT_RESOURCE_EXISTS","features":[308]},{"name":"ERROR_DEPENDENT_RESOURCE_PROPERTY_CONFLICT","features":[308]},{"name":"ERROR_DEPENDENT_SERVICES_RUNNING","features":[308]},{"name":"ERROR_DEPLOYMENT_BLOCKED_BY_POLICY","features":[308]},{"name":"ERROR_DEPLOYMENT_BLOCKED_BY_PROFILE_POLICY","features":[308]},{"name":"ERROR_DEPLOYMENT_BLOCKED_BY_USER_LOG_OFF","features":[308]},{"name":"ERROR_DEPLOYMENT_BLOCKED_BY_VOLUME_POLICY_MACHINE","features":[308]},{"name":"ERROR_DEPLOYMENT_BLOCKED_BY_VOLUME_POLICY_PACKAGE","features":[308]},{"name":"ERROR_DEPLOYMENT_FAILED_CONFLICTING_MUTABLE_PACKAGE_DIRECTORY","features":[308]},{"name":"ERROR_DEPLOYMENT_OPTION_NOT_SUPPORTED","features":[308]},{"name":"ERROR_DESTINATION_ELEMENT_FULL","features":[308]},{"name":"ERROR_DESTROY_OBJECT_OF_OTHER_THREAD","features":[308]},{"name":"ERROR_DEVICE_ALREADY_ATTACHED","features":[308]},{"name":"ERROR_DEVICE_ALREADY_REMEMBERED","features":[308]},{"name":"ERROR_DEVICE_DOOR_OPEN","features":[308]},{"name":"ERROR_DEVICE_ENUMERATION_ERROR","features":[308]},{"name":"ERROR_DEVICE_FEATURE_NOT_SUPPORTED","features":[308]},{"name":"ERROR_DEVICE_HARDWARE_ERROR","features":[308]},{"name":"ERROR_DEVICE_HINT_NAME_BUFFER_TOO_SMALL","features":[308]},{"name":"ERROR_DEVICE_INSTALLER_NOT_READY","features":[308]},{"name":"ERROR_DEVICE_INSTALL_BLOCKED","features":[308]},{"name":"ERROR_DEVICE_INTERFACE_ACTIVE","features":[308]},{"name":"ERROR_DEVICE_INTERFACE_REMOVED","features":[308]},{"name":"ERROR_DEVICE_IN_MAINTENANCE","features":[308]},{"name":"ERROR_DEVICE_IN_USE","features":[308]},{"name":"ERROR_DEVICE_NOT_AVAILABLE","features":[308]},{"name":"ERROR_DEVICE_NOT_CONNECTED","features":[308]},{"name":"ERROR_DEVICE_NOT_PARTITIONED","features":[308]},{"name":"ERROR_DEVICE_NO_RESOURCES","features":[308]},{"name":"ERROR_DEVICE_REINITIALIZATION_NEEDED","features":[308]},{"name":"ERROR_DEVICE_REMOVED","features":[308]},{"name":"ERROR_DEVICE_REQUIRES_CLEANING","features":[308]},{"name":"ERROR_DEVICE_RESET_REQUIRED","features":[308]},{"name":"ERROR_DEVICE_SUPPORT_IN_PROGRESS","features":[308]},{"name":"ERROR_DEVICE_UNREACHABLE","features":[308]},{"name":"ERROR_DEVINFO_DATA_LOCKED","features":[308]},{"name":"ERROR_DEVINFO_LIST_LOCKED","features":[308]},{"name":"ERROR_DEVINFO_NOT_REGISTERED","features":[308]},{"name":"ERROR_DEVINSTALL_QUEUE_NONNATIVE","features":[308]},{"name":"ERROR_DEVINST_ALREADY_EXISTS","features":[308]},{"name":"ERROR_DEV_NOT_EXIST","features":[308]},{"name":"ERROR_DEV_SIDELOAD_LIMIT_EXCEEDED","features":[308]},{"name":"ERROR_DHCP_ADDRESS_CONFLICT","features":[308]},{"name":"ERROR_DIALIN_HOURS_RESTRICTION","features":[308]},{"name":"ERROR_DIALOUT_HOURS_RESTRICTION","features":[308]},{"name":"ERROR_DIFFERENT_PROFILE_RESOURCE_MANAGER_EXIST","features":[308]},{"name":"ERROR_DIFFERENT_SERVICE_ACCOUNT","features":[308]},{"name":"ERROR_DIFFERENT_VERSION_OF_PACKAGED_SERVICE_INSTALLED","features":[308]},{"name":"ERROR_DIF_BINDING_API_NOT_FOUND","features":[308]},{"name":"ERROR_DIF_IOCALLBACK_NOT_REPLACED","features":[308]},{"name":"ERROR_DIF_LIVEDUMP_LIMIT_EXCEEDED","features":[308]},{"name":"ERROR_DIF_VOLATILE_DRIVER_HOTPATCHED","features":[308]},{"name":"ERROR_DIF_VOLATILE_DRIVER_IS_NOT_RUNNING","features":[308]},{"name":"ERROR_DIF_VOLATILE_INVALID_INFO","features":[308]},{"name":"ERROR_DIF_VOLATILE_NOT_ALLOWED","features":[308]},{"name":"ERROR_DIF_VOLATILE_PLUGIN_CHANGE_NOT_ALLOWED","features":[308]},{"name":"ERROR_DIF_VOLATILE_PLUGIN_IS_NOT_RUNNING","features":[308]},{"name":"ERROR_DIF_VOLATILE_SECTION_NOT_LOCKED","features":[308]},{"name":"ERROR_DIRECTORY","features":[308]},{"name":"ERROR_DIRECTORY_NOT_RM","features":[308]},{"name":"ERROR_DIRECTORY_NOT_SUPPORTED","features":[308]},{"name":"ERROR_DIRECT_ACCESS_HANDLE","features":[308]},{"name":"ERROR_DIR_EFS_DISALLOWED","features":[308]},{"name":"ERROR_DIR_NOT_EMPTY","features":[308]},{"name":"ERROR_DIR_NOT_ROOT","features":[308]},{"name":"ERROR_DISCARDED","features":[308]},{"name":"ERROR_DISK_CHANGE","features":[308]},{"name":"ERROR_DISK_CORRUPT","features":[308]},{"name":"ERROR_DISK_FULL","features":[308]},{"name":"ERROR_DISK_NOT_CSV_CAPABLE","features":[308]},{"name":"ERROR_DISK_OPERATION_FAILED","features":[308]},{"name":"ERROR_DISK_QUOTA_EXCEEDED","features":[308]},{"name":"ERROR_DISK_RECALIBRATE_FAILED","features":[308]},{"name":"ERROR_DISK_REPAIR_DISABLED","features":[308]},{"name":"ERROR_DISK_REPAIR_REDIRECTED","features":[308]},{"name":"ERROR_DISK_REPAIR_UNSUCCESSFUL","features":[308]},{"name":"ERROR_DISK_RESET_FAILED","features":[308]},{"name":"ERROR_DISK_RESOURCES_EXHAUSTED","features":[308]},{"name":"ERROR_DISK_TOO_FRAGMENTED","features":[308]},{"name":"ERROR_DI_BAD_PATH","features":[308]},{"name":"ERROR_DI_DONT_INSTALL","features":[308]},{"name":"ERROR_DI_DO_DEFAULT","features":[308]},{"name":"ERROR_DI_FUNCTION_OBSOLETE","features":[308]},{"name":"ERROR_DI_NOFILECOPY","features":[308]},{"name":"ERROR_DI_POSTPROCESSING_REQUIRED","features":[308]},{"name":"ERROR_DLL_INIT_FAILED","features":[308]},{"name":"ERROR_DLL_INIT_FAILED_LOGOFF","features":[308]},{"name":"ERROR_DLL_MIGHT_BE_INCOMPATIBLE","features":[308]},{"name":"ERROR_DLL_MIGHT_BE_INSECURE","features":[308]},{"name":"ERROR_DLL_NOT_FOUND","features":[308]},{"name":"ERROR_DLP_POLICY_DENIES_OPERATION","features":[308]},{"name":"ERROR_DLP_POLICY_SILENTLY_FAIL","features":[308]},{"name":"ERROR_DLP_POLICY_WARNS_AGAINST_OPERATION","features":[308]},{"name":"ERROR_DM_OPERATION_LIMIT_EXCEEDED","features":[308]},{"name":"ERROR_DOMAIN_CONTROLLER_EXISTS","features":[308]},{"name":"ERROR_DOMAIN_CONTROLLER_NOT_FOUND","features":[308]},{"name":"ERROR_DOMAIN_CTRLR_CONFIG_ERROR","features":[308]},{"name":"ERROR_DOMAIN_EXISTS","features":[308]},{"name":"ERROR_DOMAIN_LIMIT_EXCEEDED","features":[308]},{"name":"ERROR_DOMAIN_SID_SAME_AS_LOCAL_WORKSTATION","features":[308]},{"name":"ERROR_DOMAIN_TRUST_INCONSISTENT","features":[308]},{"name":"ERROR_DOWNGRADE_DETECTED","features":[308]},{"name":"ERROR_DPL_NOT_SUPPORTED_FOR_USER","features":[308]},{"name":"ERROR_DRIVERS_LEAKING_LOCKED_PAGES","features":[308]},{"name":"ERROR_DRIVER_BLOCKED","features":[308]},{"name":"ERROR_DRIVER_CANCEL_TIMEOUT","features":[308]},{"name":"ERROR_DRIVER_DATABASE_ERROR","features":[308]},{"name":"ERROR_DRIVER_FAILED_PRIOR_UNLOAD","features":[308]},{"name":"ERROR_DRIVER_FAILED_SLEEP","features":[308]},{"name":"ERROR_DRIVER_INSTALL_BLOCKED","features":[308]},{"name":"ERROR_DRIVER_NONNATIVE","features":[308]},{"name":"ERROR_DRIVER_PROCESS_TERMINATED","features":[308]},{"name":"ERROR_DRIVER_STORE_ADD_FAILED","features":[308]},{"name":"ERROR_DRIVER_STORE_DELETE_FAILED","features":[308]},{"name":"ERROR_DRIVE_LOCKED","features":[308]},{"name":"ERROR_DRIVE_MEDIA_MISMATCH","features":[308]},{"name":"ERROR_DS_ADD_REPLICA_INHIBITED","features":[308]},{"name":"ERROR_DS_ADMIN_LIMIT_EXCEEDED","features":[308]},{"name":"ERROR_DS_AFFECTS_MULTIPLE_DSAS","features":[308]},{"name":"ERROR_DS_AG_CANT_HAVE_UNIVERSAL_MEMBER","features":[308]},{"name":"ERROR_DS_ALIASED_OBJ_MISSING","features":[308]},{"name":"ERROR_DS_ALIAS_DEREF_PROBLEM","features":[308]},{"name":"ERROR_DS_ALIAS_POINTS_TO_ALIAS","features":[308]},{"name":"ERROR_DS_ALIAS_PROBLEM","features":[308]},{"name":"ERROR_DS_ATTRIBUTE_OR_VALUE_EXISTS","features":[308]},{"name":"ERROR_DS_ATTRIBUTE_OWNED_BY_SAM","features":[308]},{"name":"ERROR_DS_ATTRIBUTE_TYPE_UNDEFINED","features":[308]},{"name":"ERROR_DS_ATT_ALREADY_EXISTS","features":[308]},{"name":"ERROR_DS_ATT_IS_NOT_ON_OBJ","features":[308]},{"name":"ERROR_DS_ATT_NOT_DEF_FOR_CLASS","features":[308]},{"name":"ERROR_DS_ATT_NOT_DEF_IN_SCHEMA","features":[308]},{"name":"ERROR_DS_ATT_SCHEMA_REQ_ID","features":[308]},{"name":"ERROR_DS_ATT_SCHEMA_REQ_SYNTAX","features":[308]},{"name":"ERROR_DS_ATT_VAL_ALREADY_EXISTS","features":[308]},{"name":"ERROR_DS_AUDIT_FAILURE","features":[308]},{"name":"ERROR_DS_AUTHORIZATION_FAILED","features":[308]},{"name":"ERROR_DS_AUTH_METHOD_NOT_SUPPORTED","features":[308]},{"name":"ERROR_DS_AUTH_UNKNOWN","features":[308]},{"name":"ERROR_DS_AUX_CLS_TEST_FAIL","features":[308]},{"name":"ERROR_DS_BACKLINK_WITHOUT_LINK","features":[308]},{"name":"ERROR_DS_BAD_ATT_SCHEMA_SYNTAX","features":[308]},{"name":"ERROR_DS_BAD_HIERARCHY_FILE","features":[308]},{"name":"ERROR_DS_BAD_INSTANCE_TYPE","features":[308]},{"name":"ERROR_DS_BAD_NAME_SYNTAX","features":[308]},{"name":"ERROR_DS_BAD_RDN_ATT_ID_SYNTAX","features":[308]},{"name":"ERROR_DS_BUILD_HIERARCHY_TABLE_FAILED","features":[308]},{"name":"ERROR_DS_BUSY","features":[308]},{"name":"ERROR_DS_CANT_ACCESS_REMOTE_PART_OF_AD","features":[308]},{"name":"ERROR_DS_CANT_ADD_ATT_VALUES","features":[308]},{"name":"ERROR_DS_CANT_ADD_SYSTEM_ONLY","features":[308]},{"name":"ERROR_DS_CANT_ADD_TO_GC","features":[308]},{"name":"ERROR_DS_CANT_CACHE_ATT","features":[308]},{"name":"ERROR_DS_CANT_CACHE_CLASS","features":[308]},{"name":"ERROR_DS_CANT_CREATE_IN_NONDOMAIN_NC","features":[308]},{"name":"ERROR_DS_CANT_CREATE_UNDER_SCHEMA","features":[308]},{"name":"ERROR_DS_CANT_DELETE","features":[308]},{"name":"ERROR_DS_CANT_DELETE_DSA_OBJ","features":[308]},{"name":"ERROR_DS_CANT_DEL_MASTER_CROSSREF","features":[308]},{"name":"ERROR_DS_CANT_DEMOTE_WITH_WRITEABLE_NC","features":[308]},{"name":"ERROR_DS_CANT_DEREF_ALIAS","features":[308]},{"name":"ERROR_DS_CANT_DERIVE_SPN_FOR_DELETED_DOMAIN","features":[308]},{"name":"ERROR_DS_CANT_DERIVE_SPN_WITHOUT_SERVER_REF","features":[308]},{"name":"ERROR_DS_CANT_FIND_DC_FOR_SRC_DOMAIN","features":[308]},{"name":"ERROR_DS_CANT_FIND_DSA_OBJ","features":[308]},{"name":"ERROR_DS_CANT_FIND_EXPECTED_NC","features":[308]},{"name":"ERROR_DS_CANT_FIND_NC_IN_CACHE","features":[308]},{"name":"ERROR_DS_CANT_MIX_MASTER_AND_REPS","features":[308]},{"name":"ERROR_DS_CANT_MOD_OBJ_CLASS","features":[308]},{"name":"ERROR_DS_CANT_MOD_PRIMARYGROUPID","features":[308]},{"name":"ERROR_DS_CANT_MOD_SYSTEM_ONLY","features":[308]},{"name":"ERROR_DS_CANT_MOVE_ACCOUNT_GROUP","features":[308]},{"name":"ERROR_DS_CANT_MOVE_APP_BASIC_GROUP","features":[308]},{"name":"ERROR_DS_CANT_MOVE_APP_QUERY_GROUP","features":[308]},{"name":"ERROR_DS_CANT_MOVE_DELETED_OBJECT","features":[308]},{"name":"ERROR_DS_CANT_MOVE_RESOURCE_GROUP","features":[308]},{"name":"ERROR_DS_CANT_ON_NON_LEAF","features":[308]},{"name":"ERROR_DS_CANT_ON_RDN","features":[308]},{"name":"ERROR_DS_CANT_REMOVE_ATT_CACHE","features":[308]},{"name":"ERROR_DS_CANT_REMOVE_CLASS_CACHE","features":[308]},{"name":"ERROR_DS_CANT_REM_MISSING_ATT","features":[308]},{"name":"ERROR_DS_CANT_REM_MISSING_ATT_VAL","features":[308]},{"name":"ERROR_DS_CANT_REPLACE_HIDDEN_REC","features":[308]},{"name":"ERROR_DS_CANT_RETRIEVE_ATTS","features":[308]},{"name":"ERROR_DS_CANT_RETRIEVE_CHILD","features":[308]},{"name":"ERROR_DS_CANT_RETRIEVE_DN","features":[308]},{"name":"ERROR_DS_CANT_RETRIEVE_INSTANCE","features":[308]},{"name":"ERROR_DS_CANT_RETRIEVE_SD","features":[308]},{"name":"ERROR_DS_CANT_START","features":[308]},{"name":"ERROR_DS_CANT_TREE_DELETE_CRITICAL_OBJ","features":[308]},{"name":"ERROR_DS_CANT_WITH_ACCT_GROUP_MEMBERSHPS","features":[308]},{"name":"ERROR_DS_CHILDREN_EXIST","features":[308]},{"name":"ERROR_DS_CLASS_MUST_BE_CONCRETE","features":[308]},{"name":"ERROR_DS_CLASS_NOT_DSA","features":[308]},{"name":"ERROR_DS_CLIENT_LOOP","features":[308]},{"name":"ERROR_DS_CODE_INCONSISTENCY","features":[308]},{"name":"ERROR_DS_COMPARE_FALSE","features":[308]},{"name":"ERROR_DS_COMPARE_TRUE","features":[308]},{"name":"ERROR_DS_CONFIDENTIALITY_REQUIRED","features":[308]},{"name":"ERROR_DS_CONFIG_PARAM_MISSING","features":[308]},{"name":"ERROR_DS_CONSTRAINT_VIOLATION","features":[308]},{"name":"ERROR_DS_CONSTRUCTED_ATT_MOD","features":[308]},{"name":"ERROR_DS_CONTROL_NOT_FOUND","features":[308]},{"name":"ERROR_DS_COULDNT_CONTACT_FSMO","features":[308]},{"name":"ERROR_DS_COULDNT_IDENTIFY_OBJECTS_FOR_TREE_DELETE","features":[308]},{"name":"ERROR_DS_COULDNT_LOCK_TREE_FOR_DELETE","features":[308]},{"name":"ERROR_DS_COULDNT_UPDATE_SPNS","features":[308]},{"name":"ERROR_DS_COUNTING_AB_INDICES_FAILED","features":[308]},{"name":"ERROR_DS_CROSS_DOMAIN_CLEANUP_REQD","features":[308]},{"name":"ERROR_DS_CROSS_DOM_MOVE_ERROR","features":[308]},{"name":"ERROR_DS_CROSS_NC_DN_RENAME","features":[308]},{"name":"ERROR_DS_CROSS_REF_BUSY","features":[308]},{"name":"ERROR_DS_CROSS_REF_EXISTS","features":[308]},{"name":"ERROR_DS_CR_IMPOSSIBLE_TO_VALIDATE","features":[308]},{"name":"ERROR_DS_CR_IMPOSSIBLE_TO_VALIDATE_V2","features":[308]},{"name":"ERROR_DS_DATABASE_ERROR","features":[308]},{"name":"ERROR_DS_DECODING_ERROR","features":[308]},{"name":"ERROR_DS_DESTINATION_AUDITING_NOT_ENABLED","features":[308]},{"name":"ERROR_DS_DESTINATION_DOMAIN_NOT_IN_FOREST","features":[308]},{"name":"ERROR_DS_DIFFERENT_REPL_EPOCHS","features":[308]},{"name":"ERROR_DS_DISALLOWED_IN_SYSTEM_CONTAINER","features":[308]},{"name":"ERROR_DS_DISALLOWED_NC_REDIRECT","features":[308]},{"name":"ERROR_DS_DNS_LOOKUP_FAILURE","features":[308]},{"name":"ERROR_DS_DOMAIN_NAME_EXISTS_IN_FOREST","features":[308]},{"name":"ERROR_DS_DOMAIN_RENAME_IN_PROGRESS","features":[308]},{"name":"ERROR_DS_DOMAIN_VERSION_TOO_HIGH","features":[308]},{"name":"ERROR_DS_DOMAIN_VERSION_TOO_LOW","features":[308]},{"name":"ERROR_DS_DRA_ABANDON_SYNC","features":[308]},{"name":"ERROR_DS_DRA_ACCESS_DENIED","features":[308]},{"name":"ERROR_DS_DRA_BAD_DN","features":[308]},{"name":"ERROR_DS_DRA_BAD_INSTANCE_TYPE","features":[308]},{"name":"ERROR_DS_DRA_BAD_NC","features":[308]},{"name":"ERROR_DS_DRA_BUSY","features":[308]},{"name":"ERROR_DS_DRA_CONNECTION_FAILED","features":[308]},{"name":"ERROR_DS_DRA_CORRUPT_UTD_VECTOR","features":[308]},{"name":"ERROR_DS_DRA_DB_ERROR","features":[308]},{"name":"ERROR_DS_DRA_DN_EXISTS","features":[308]},{"name":"ERROR_DS_DRA_EARLIER_SCHEMA_CONFLICT","features":[308]},{"name":"ERROR_DS_DRA_EXTN_CONNECTION_FAILED","features":[308]},{"name":"ERROR_DS_DRA_GENERIC","features":[308]},{"name":"ERROR_DS_DRA_INCOMPATIBLE_PARTIAL_SET","features":[308]},{"name":"ERROR_DS_DRA_INCONSISTENT_DIT","features":[308]},{"name":"ERROR_DS_DRA_INTERNAL_ERROR","features":[308]},{"name":"ERROR_DS_DRA_INVALID_PARAMETER","features":[308]},{"name":"ERROR_DS_DRA_MAIL_PROBLEM","features":[308]},{"name":"ERROR_DS_DRA_MISSING_KRBTGT_SECRET","features":[308]},{"name":"ERROR_DS_DRA_MISSING_PARENT","features":[308]},{"name":"ERROR_DS_DRA_NAME_COLLISION","features":[308]},{"name":"ERROR_DS_DRA_NOT_SUPPORTED","features":[308]},{"name":"ERROR_DS_DRA_NO_REPLICA","features":[308]},{"name":"ERROR_DS_DRA_OBJ_IS_REP_SOURCE","features":[308]},{"name":"ERROR_DS_DRA_OBJ_NC_MISMATCH","features":[308]},{"name":"ERROR_DS_DRA_OUT_OF_MEM","features":[308]},{"name":"ERROR_DS_DRA_OUT_SCHEDULE_WINDOW","features":[308]},{"name":"ERROR_DS_DRA_PREEMPTED","features":[308]},{"name":"ERROR_DS_DRA_RECYCLED_TARGET","features":[308]},{"name":"ERROR_DS_DRA_REF_ALREADY_EXISTS","features":[308]},{"name":"ERROR_DS_DRA_REF_NOT_FOUND","features":[308]},{"name":"ERROR_DS_DRA_REPL_PENDING","features":[308]},{"name":"ERROR_DS_DRA_RPC_CANCELLED","features":[308]},{"name":"ERROR_DS_DRA_SCHEMA_CONFLICT","features":[308]},{"name":"ERROR_DS_DRA_SCHEMA_INFO_SHIP","features":[308]},{"name":"ERROR_DS_DRA_SCHEMA_MISMATCH","features":[308]},{"name":"ERROR_DS_DRA_SECRETS_DENIED","features":[308]},{"name":"ERROR_DS_DRA_SHUTDOWN","features":[308]},{"name":"ERROR_DS_DRA_SINK_DISABLED","features":[308]},{"name":"ERROR_DS_DRA_SOURCE_DISABLED","features":[308]},{"name":"ERROR_DS_DRA_SOURCE_IS_PARTIAL_REPLICA","features":[308]},{"name":"ERROR_DS_DRA_SOURCE_REINSTALLED","features":[308]},{"name":"ERROR_DS_DRS_EXTENSIONS_CHANGED","features":[308]},{"name":"ERROR_DS_DSA_MUST_BE_INT_MASTER","features":[308]},{"name":"ERROR_DS_DST_DOMAIN_NOT_NATIVE","features":[308]},{"name":"ERROR_DS_DST_NC_MISMATCH","features":[308]},{"name":"ERROR_DS_DS_REQUIRED","features":[308]},{"name":"ERROR_DS_DUPLICATE_ID_FOUND","features":[308]},{"name":"ERROR_DS_DUP_LDAP_DISPLAY_NAME","features":[308]},{"name":"ERROR_DS_DUP_LINK_ID","features":[308]},{"name":"ERROR_DS_DUP_MAPI_ID","features":[308]},{"name":"ERROR_DS_DUP_MSDS_INTID","features":[308]},{"name":"ERROR_DS_DUP_OID","features":[308]},{"name":"ERROR_DS_DUP_RDN","features":[308]},{"name":"ERROR_DS_DUP_SCHEMA_ID_GUID","features":[308]},{"name":"ERROR_DS_ENCODING_ERROR","features":[308]},{"name":"ERROR_DS_EPOCH_MISMATCH","features":[308]},{"name":"ERROR_DS_EXISTING_AD_CHILD_NC","features":[308]},{"name":"ERROR_DS_EXISTS_IN_AUX_CLS","features":[308]},{"name":"ERROR_DS_EXISTS_IN_MAY_HAVE","features":[308]},{"name":"ERROR_DS_EXISTS_IN_MUST_HAVE","features":[308]},{"name":"ERROR_DS_EXISTS_IN_POSS_SUP","features":[308]},{"name":"ERROR_DS_EXISTS_IN_RDNATTID","features":[308]},{"name":"ERROR_DS_EXISTS_IN_SUB_CLS","features":[308]},{"name":"ERROR_DS_FILTER_UNKNOWN","features":[308]},{"name":"ERROR_DS_FILTER_USES_CONTRUCTED_ATTRS","features":[308]},{"name":"ERROR_DS_FLAT_NAME_EXISTS_IN_FOREST","features":[308]},{"name":"ERROR_DS_FOREST_VERSION_TOO_HIGH","features":[308]},{"name":"ERROR_DS_FOREST_VERSION_TOO_LOW","features":[308]},{"name":"ERROR_DS_GCVERIFY_ERROR","features":[308]},{"name":"ERROR_DS_GC_NOT_AVAILABLE","features":[308]},{"name":"ERROR_DS_GC_REQUIRED","features":[308]},{"name":"ERROR_DS_GENERIC_ERROR","features":[308]},{"name":"ERROR_DS_GLOBAL_CANT_HAVE_CROSSDOMAIN_MEMBER","features":[308]},{"name":"ERROR_DS_GLOBAL_CANT_HAVE_LOCAL_MEMBER","features":[308]},{"name":"ERROR_DS_GLOBAL_CANT_HAVE_UNIVERSAL_MEMBER","features":[308]},{"name":"ERROR_DS_GOVERNSID_MISSING","features":[308]},{"name":"ERROR_DS_GROUP_CONVERSION_ERROR","features":[308]},{"name":"ERROR_DS_HAVE_PRIMARY_MEMBERS","features":[308]},{"name":"ERROR_DS_HIERARCHY_TABLE_MALLOC_FAILED","features":[308]},{"name":"ERROR_DS_HIERARCHY_TABLE_TOO_DEEP","features":[308]},{"name":"ERROR_DS_HIGH_ADLDS_FFL","features":[308]},{"name":"ERROR_DS_HIGH_DSA_VERSION","features":[308]},{"name":"ERROR_DS_ILLEGAL_BASE_SCHEMA_MOD","features":[308]},{"name":"ERROR_DS_ILLEGAL_MOD_OPERATION","features":[308]},{"name":"ERROR_DS_ILLEGAL_SUPERIOR","features":[308]},{"name":"ERROR_DS_ILLEGAL_XDOM_MOVE_OPERATION","features":[308]},{"name":"ERROR_DS_INAPPROPRIATE_AUTH","features":[308]},{"name":"ERROR_DS_INAPPROPRIATE_MATCHING","features":[308]},{"name":"ERROR_DS_INCOMPATIBLE_CONTROLS_USED","features":[308]},{"name":"ERROR_DS_INCOMPATIBLE_VERSION","features":[308]},{"name":"ERROR_DS_INCORRECT_ROLE_OWNER","features":[308]},{"name":"ERROR_DS_INIT_FAILURE","features":[308]},{"name":"ERROR_DS_INIT_FAILURE_CONSOLE","features":[308]},{"name":"ERROR_DS_INSTALL_NO_SCH_VERSION_IN_INIFILE","features":[308]},{"name":"ERROR_DS_INSTALL_NO_SRC_SCH_VERSION","features":[308]},{"name":"ERROR_DS_INSTALL_SCHEMA_MISMATCH","features":[308]},{"name":"ERROR_DS_INSUFFICIENT_ATTR_TO_CREATE_OBJECT","features":[308]},{"name":"ERROR_DS_INSUFF_ACCESS_RIGHTS","features":[308]},{"name":"ERROR_DS_INTERNAL_FAILURE","features":[308]},{"name":"ERROR_DS_INVALID_ATTRIBUTE_SYNTAX","features":[308]},{"name":"ERROR_DS_INVALID_DMD","features":[308]},{"name":"ERROR_DS_INVALID_DN_SYNTAX","features":[308]},{"name":"ERROR_DS_INVALID_GROUP_TYPE","features":[308]},{"name":"ERROR_DS_INVALID_LDAP_DISPLAY_NAME","features":[308]},{"name":"ERROR_DS_INVALID_NAME_FOR_SPN","features":[308]},{"name":"ERROR_DS_INVALID_ROLE_OWNER","features":[308]},{"name":"ERROR_DS_INVALID_SCRIPT","features":[308]},{"name":"ERROR_DS_INVALID_SEARCH_FLAG","features":[308]},{"name":"ERROR_DS_INVALID_SEARCH_FLAG_SUBTREE","features":[308]},{"name":"ERROR_DS_INVALID_SEARCH_FLAG_TUPLE","features":[308]},{"name":"ERROR_DS_IS_LEAF","features":[308]},{"name":"ERROR_DS_KEY_NOT_UNIQUE","features":[308]},{"name":"ERROR_DS_LDAP_SEND_QUEUE_FULL","features":[308]},{"name":"ERROR_DS_LINK_ID_NOT_AVAILABLE","features":[308]},{"name":"ERROR_DS_LOCAL_CANT_HAVE_CROSSDOMAIN_LOCAL_MEMBER","features":[308]},{"name":"ERROR_DS_LOCAL_ERROR","features":[308]},{"name":"ERROR_DS_LOCAL_MEMBER_OF_LOCAL_ONLY","features":[308]},{"name":"ERROR_DS_LOOP_DETECT","features":[308]},{"name":"ERROR_DS_LOW_ADLDS_FFL","features":[308]},{"name":"ERROR_DS_LOW_DSA_VERSION","features":[308]},{"name":"ERROR_DS_MACHINE_ACCOUNT_CREATED_PRENT4","features":[308]},{"name":"ERROR_DS_MACHINE_ACCOUNT_QUOTA_EXCEEDED","features":[308]},{"name":"ERROR_DS_MAPI_ID_NOT_AVAILABLE","features":[308]},{"name":"ERROR_DS_MASTERDSA_REQUIRED","features":[308]},{"name":"ERROR_DS_MAX_OBJ_SIZE_EXCEEDED","features":[308]},{"name":"ERROR_DS_MEMBERSHIP_EVALUATED_LOCALLY","features":[308]},{"name":"ERROR_DS_MISSING_EXPECTED_ATT","features":[308]},{"name":"ERROR_DS_MISSING_FOREST_TRUST","features":[308]},{"name":"ERROR_DS_MISSING_FSMO_SETTINGS","features":[308]},{"name":"ERROR_DS_MISSING_INFRASTRUCTURE_CONTAINER","features":[308]},{"name":"ERROR_DS_MISSING_REQUIRED_ATT","features":[308]},{"name":"ERROR_DS_MISSING_SUPREF","features":[308]},{"name":"ERROR_DS_MODIFYDN_DISALLOWED_BY_FLAG","features":[308]},{"name":"ERROR_DS_MODIFYDN_DISALLOWED_BY_INSTANCE_TYPE","features":[308]},{"name":"ERROR_DS_MODIFYDN_WRONG_GRANDPARENT","features":[308]},{"name":"ERROR_DS_MUST_BE_RUN_ON_DST_DC","features":[308]},{"name":"ERROR_DS_NAME_ERROR_DOMAIN_ONLY","features":[308]},{"name":"ERROR_DS_NAME_ERROR_NOT_FOUND","features":[308]},{"name":"ERROR_DS_NAME_ERROR_NOT_UNIQUE","features":[308]},{"name":"ERROR_DS_NAME_ERROR_NO_MAPPING","features":[308]},{"name":"ERROR_DS_NAME_ERROR_NO_SYNTACTICAL_MAPPING","features":[308]},{"name":"ERROR_DS_NAME_ERROR_RESOLVING","features":[308]},{"name":"ERROR_DS_NAME_ERROR_TRUST_REFERRAL","features":[308]},{"name":"ERROR_DS_NAME_NOT_UNIQUE","features":[308]},{"name":"ERROR_DS_NAME_REFERENCE_INVALID","features":[308]},{"name":"ERROR_DS_NAME_TOO_LONG","features":[308]},{"name":"ERROR_DS_NAME_TOO_MANY_PARTS","features":[308]},{"name":"ERROR_DS_NAME_TYPE_UNKNOWN","features":[308]},{"name":"ERROR_DS_NAME_UNPARSEABLE","features":[308]},{"name":"ERROR_DS_NAME_VALUE_TOO_LONG","features":[308]},{"name":"ERROR_DS_NAMING_MASTER_GC","features":[308]},{"name":"ERROR_DS_NAMING_VIOLATION","features":[308]},{"name":"ERROR_DS_NCNAME_MISSING_CR_REF","features":[308]},{"name":"ERROR_DS_NCNAME_MUST_BE_NC","features":[308]},{"name":"ERROR_DS_NC_MUST_HAVE_NC_PARENT","features":[308]},{"name":"ERROR_DS_NC_STILL_HAS_DSAS","features":[308]},{"name":"ERROR_DS_NONEXISTENT_MAY_HAVE","features":[308]},{"name":"ERROR_DS_NONEXISTENT_MUST_HAVE","features":[308]},{"name":"ERROR_DS_NONEXISTENT_POSS_SUP","features":[308]},{"name":"ERROR_DS_NONSAFE_SCHEMA_CHANGE","features":[308]},{"name":"ERROR_DS_NON_ASQ_SEARCH","features":[308]},{"name":"ERROR_DS_NON_BASE_SEARCH","features":[308]},{"name":"ERROR_DS_NOTIFY_FILTER_TOO_COMPLEX","features":[308]},{"name":"ERROR_DS_NOT_AN_OBJECT","features":[308]},{"name":"ERROR_DS_NOT_AUTHORITIVE_FOR_DST_NC","features":[308]},{"name":"ERROR_DS_NOT_CLOSEST","features":[308]},{"name":"ERROR_DS_NOT_INSTALLED","features":[308]},{"name":"ERROR_DS_NOT_ON_BACKLINK","features":[308]},{"name":"ERROR_DS_NOT_SUPPORTED","features":[308]},{"name":"ERROR_DS_NOT_SUPPORTED_SORT_ORDER","features":[308]},{"name":"ERROR_DS_NO_ATTRIBUTE_OR_VALUE","features":[308]},{"name":"ERROR_DS_NO_BEHAVIOR_VERSION_IN_MIXEDDOMAIN","features":[308]},{"name":"ERROR_DS_NO_CHAINED_EVAL","features":[308]},{"name":"ERROR_DS_NO_CHAINING","features":[308]},{"name":"ERROR_DS_NO_CHECKPOINT_WITH_PDC","features":[308]},{"name":"ERROR_DS_NO_CROSSREF_FOR_NC","features":[308]},{"name":"ERROR_DS_NO_DELETED_NAME","features":[308]},{"name":"ERROR_DS_NO_FPO_IN_UNIVERSAL_GROUPS","features":[308]},{"name":"ERROR_DS_NO_MORE_RIDS","features":[308]},{"name":"ERROR_DS_NO_MSDS_INTID","features":[308]},{"name":"ERROR_DS_NO_NEST_GLOBALGROUP_IN_MIXEDDOMAIN","features":[308]},{"name":"ERROR_DS_NO_NEST_LOCALGROUP_IN_MIXEDDOMAIN","features":[308]},{"name":"ERROR_DS_NO_NTDSA_OBJECT","features":[308]},{"name":"ERROR_DS_NO_OBJECT_MOVE_IN_SCHEMA_NC","features":[308]},{"name":"ERROR_DS_NO_PARENT_OBJECT","features":[308]},{"name":"ERROR_DS_NO_PKT_PRIVACY_ON_CONNECTION","features":[308]},{"name":"ERROR_DS_NO_RDN_DEFINED_IN_SCHEMA","features":[308]},{"name":"ERROR_DS_NO_REF_DOMAIN","features":[308]},{"name":"ERROR_DS_NO_REQUESTED_ATTS_FOUND","features":[308]},{"name":"ERROR_DS_NO_RESULTS_RETURNED","features":[308]},{"name":"ERROR_DS_NO_RIDS_ALLOCATED","features":[308]},{"name":"ERROR_DS_NO_SERVER_OBJECT","features":[308]},{"name":"ERROR_DS_NO_SUCH_OBJECT","features":[308]},{"name":"ERROR_DS_NO_TREE_DELETE_ABOVE_NC","features":[308]},{"name":"ERROR_DS_NTDSCRIPT_PROCESS_ERROR","features":[308]},{"name":"ERROR_DS_NTDSCRIPT_SYNTAX_ERROR","features":[308]},{"name":"ERROR_DS_OBJECT_BEING_REMOVED","features":[308]},{"name":"ERROR_DS_OBJECT_CLASS_REQUIRED","features":[308]},{"name":"ERROR_DS_OBJECT_RESULTS_TOO_LARGE","features":[308]},{"name":"ERROR_DS_OBJ_CLASS_NOT_DEFINED","features":[308]},{"name":"ERROR_DS_OBJ_CLASS_NOT_SUBCLASS","features":[308]},{"name":"ERROR_DS_OBJ_CLASS_VIOLATION","features":[308]},{"name":"ERROR_DS_OBJ_GUID_EXISTS","features":[308]},{"name":"ERROR_DS_OBJ_NOT_FOUND","features":[308]},{"name":"ERROR_DS_OBJ_STRING_NAME_EXISTS","features":[308]},{"name":"ERROR_DS_OBJ_TOO_LARGE","features":[308]},{"name":"ERROR_DS_OFFSET_RANGE_ERROR","features":[308]},{"name":"ERROR_DS_OID_MAPPED_GROUP_CANT_HAVE_MEMBERS","features":[308]},{"name":"ERROR_DS_OID_NOT_FOUND","features":[308]},{"name":"ERROR_DS_OPERATIONS_ERROR","features":[308]},{"name":"ERROR_DS_OUT_OF_SCOPE","features":[308]},{"name":"ERROR_DS_OUT_OF_VERSION_STORE","features":[308]},{"name":"ERROR_DS_PARAM_ERROR","features":[308]},{"name":"ERROR_DS_PARENT_IS_AN_ALIAS","features":[308]},{"name":"ERROR_DS_PDC_OPERATION_IN_PROGRESS","features":[308]},{"name":"ERROR_DS_PER_ATTRIBUTE_AUTHZ_FAILED_DURING_ADD","features":[308]},{"name":"ERROR_DS_POLICY_NOT_KNOWN","features":[308]},{"name":"ERROR_DS_PROTOCOL_ERROR","features":[308]},{"name":"ERROR_DS_RANGE_CONSTRAINT","features":[308]},{"name":"ERROR_DS_RDN_DOESNT_MATCH_SCHEMA","features":[308]},{"name":"ERROR_DS_RECALCSCHEMA_FAILED","features":[308]},{"name":"ERROR_DS_REFERRAL","features":[308]},{"name":"ERROR_DS_REFERRAL_LIMIT_EXCEEDED","features":[308]},{"name":"ERROR_DS_REFUSING_FSMO_ROLES","features":[308]},{"name":"ERROR_DS_REMOTE_CROSSREF_OP_FAILED","features":[308]},{"name":"ERROR_DS_REPLICATOR_ONLY","features":[308]},{"name":"ERROR_DS_REPLICA_SET_CHANGE_NOT_ALLOWED_ON_DISABLED_CR","features":[308]},{"name":"ERROR_DS_REPL_LIFETIME_EXCEEDED","features":[308]},{"name":"ERROR_DS_RESERVED_LINK_ID","features":[308]},{"name":"ERROR_DS_RESERVED_MAPI_ID","features":[308]},{"name":"ERROR_DS_RIDMGR_DISABLED","features":[308]},{"name":"ERROR_DS_RIDMGR_INIT_ERROR","features":[308]},{"name":"ERROR_DS_ROLE_NOT_VERIFIED","features":[308]},{"name":"ERROR_DS_ROOT_CANT_BE_SUBREF","features":[308]},{"name":"ERROR_DS_ROOT_MUST_BE_NC","features":[308]},{"name":"ERROR_DS_ROOT_REQUIRES_CLASS_TOP","features":[308]},{"name":"ERROR_DS_SAM_INIT_FAILURE","features":[308]},{"name":"ERROR_DS_SAM_INIT_FAILURE_CONSOLE","features":[308]},{"name":"ERROR_DS_SAM_NEED_BOOTKEY_FLOPPY","features":[308]},{"name":"ERROR_DS_SAM_NEED_BOOTKEY_PASSWORD","features":[308]},{"name":"ERROR_DS_SCHEMA_ALLOC_FAILED","features":[308]},{"name":"ERROR_DS_SCHEMA_NOT_LOADED","features":[308]},{"name":"ERROR_DS_SCHEMA_UPDATE_DISALLOWED","features":[308]},{"name":"ERROR_DS_SECURITY_CHECKING_ERROR","features":[308]},{"name":"ERROR_DS_SECURITY_ILLEGAL_MODIFY","features":[308]},{"name":"ERROR_DS_SEC_DESC_INVALID","features":[308]},{"name":"ERROR_DS_SEC_DESC_TOO_SHORT","features":[308]},{"name":"ERROR_DS_SEMANTIC_ATT_TEST","features":[308]},{"name":"ERROR_DS_SENSITIVE_GROUP_VIOLATION","features":[308]},{"name":"ERROR_DS_SERVER_DOWN","features":[308]},{"name":"ERROR_DS_SHUTTING_DOWN","features":[308]},{"name":"ERROR_DS_SINGLE_USER_MODE_FAILED","features":[308]},{"name":"ERROR_DS_SINGLE_VALUE_CONSTRAINT","features":[308]},{"name":"ERROR_DS_SIZELIMIT_EXCEEDED","features":[308]},{"name":"ERROR_DS_SORT_CONTROL_MISSING","features":[308]},{"name":"ERROR_DS_SOURCE_AUDITING_NOT_ENABLED","features":[308]},{"name":"ERROR_DS_SOURCE_DOMAIN_IN_FOREST","features":[308]},{"name":"ERROR_DS_SPN_VALUE_NOT_UNIQUE_IN_FOREST","features":[308]},{"name":"ERROR_DS_SRC_AND_DST_NC_IDENTICAL","features":[308]},{"name":"ERROR_DS_SRC_AND_DST_OBJECT_CLASS_MISMATCH","features":[308]},{"name":"ERROR_DS_SRC_DC_MUST_BE_SP4_OR_GREATER","features":[308]},{"name":"ERROR_DS_SRC_GUID_MISMATCH","features":[308]},{"name":"ERROR_DS_SRC_NAME_MISMATCH","features":[308]},{"name":"ERROR_DS_SRC_OBJ_NOT_GROUP_OR_USER","features":[308]},{"name":"ERROR_DS_SRC_SID_EXISTS_IN_FOREST","features":[308]},{"name":"ERROR_DS_STRING_SD_CONVERSION_FAILED","features":[308]},{"name":"ERROR_DS_STRONG_AUTH_REQUIRED","features":[308]},{"name":"ERROR_DS_SUBREF_MUST_HAVE_PARENT","features":[308]},{"name":"ERROR_DS_SUBTREE_NOTIFY_NOT_NC_HEAD","features":[308]},{"name":"ERROR_DS_SUB_CLS_TEST_FAIL","features":[308]},{"name":"ERROR_DS_SYNTAX_MISMATCH","features":[308]},{"name":"ERROR_DS_THREAD_LIMIT_EXCEEDED","features":[308]},{"name":"ERROR_DS_TIMELIMIT_EXCEEDED","features":[308]},{"name":"ERROR_DS_TREE_DELETE_NOT_FINISHED","features":[308]},{"name":"ERROR_DS_UNABLE_TO_SURRENDER_ROLES","features":[308]},{"name":"ERROR_DS_UNAVAILABLE","features":[308]},{"name":"ERROR_DS_UNAVAILABLE_CRIT_EXTENSION","features":[308]},{"name":"ERROR_DS_UNDELETE_SAM_VALIDATION_FAILED","features":[308]},{"name":"ERROR_DS_UNICODEPWD_NOT_IN_QUOTES","features":[308]},{"name":"ERROR_DS_UNIVERSAL_CANT_HAVE_LOCAL_MEMBER","features":[308]},{"name":"ERROR_DS_UNKNOWN_ERROR","features":[308]},{"name":"ERROR_DS_UNKNOWN_OPERATION","features":[308]},{"name":"ERROR_DS_UNWILLING_TO_PERFORM","features":[308]},{"name":"ERROR_DS_UPN_VALUE_NOT_UNIQUE_IN_FOREST","features":[308]},{"name":"ERROR_DS_USER_BUFFER_TO_SMALL","features":[308]},{"name":"ERROR_DS_VALUE_KEY_NOT_UNIQUE","features":[308]},{"name":"ERROR_DS_VERSION_CHECK_FAILURE","features":[308]},{"name":"ERROR_DS_WKO_CONTAINER_CANNOT_BE_SPECIAL","features":[308]},{"name":"ERROR_DS_WRONG_LINKED_ATT_SYNTAX","features":[308]},{"name":"ERROR_DS_WRONG_OM_OBJ_CLASS","features":[308]},{"name":"ERROR_DUPLICATE_FOUND","features":[308]},{"name":"ERROR_DUPLICATE_PRIVILEGES","features":[308]},{"name":"ERROR_DUPLICATE_SERVICE_NAME","features":[308]},{"name":"ERROR_DUPLICATE_TAG","features":[308]},{"name":"ERROR_DUP_DOMAINNAME","features":[308]},{"name":"ERROR_DUP_NAME","features":[308]},{"name":"ERROR_DYNAMIC_CODE_BLOCKED","features":[308]},{"name":"ERROR_DYNLINK_FROM_INVALID_RING","features":[308]},{"name":"ERROR_EAS_DIDNT_FIT","features":[308]},{"name":"ERROR_EAS_NOT_SUPPORTED","features":[308]},{"name":"ERROR_EA_ACCESS_DENIED","features":[308]},{"name":"ERROR_EA_FILE_CORRUPT","features":[308]},{"name":"ERROR_EA_LIST_INCONSISTENT","features":[308]},{"name":"ERROR_EA_TABLE_FULL","features":[308]},{"name":"ERROR_EC_CIRCULAR_FORWARDING","features":[308]},{"name":"ERROR_EC_CREDSTORE_FULL","features":[308]},{"name":"ERROR_EC_CRED_NOT_FOUND","features":[308]},{"name":"ERROR_EC_LOG_DISABLED","features":[308]},{"name":"ERROR_EC_NO_ACTIVE_CHANNEL","features":[308]},{"name":"ERROR_EC_SUBSCRIPTION_CANNOT_ACTIVATE","features":[308]},{"name":"ERROR_EDP_DPL_POLICY_CANT_BE_SATISFIED","features":[308]},{"name":"ERROR_EDP_POLICY_DENIES_OPERATION","features":[308]},{"name":"ERROR_EFS_ALG_BLOB_TOO_BIG","features":[308]},{"name":"ERROR_EFS_DISABLED","features":[308]},{"name":"ERROR_EFS_NOT_ALLOWED_IN_TRANSACTION","features":[308]},{"name":"ERROR_EFS_SERVER_NOT_TRUSTED","features":[308]},{"name":"ERROR_EFS_VERSION_NOT_SUPPORT","features":[308]},{"name":"ERROR_ELEVATION_REQUIRED","features":[308]},{"name":"ERROR_EMPTY","features":[308]},{"name":"ERROR_ENCLAVE_FAILURE","features":[308]},{"name":"ERROR_ENCLAVE_NOT_TERMINATED","features":[308]},{"name":"ERROR_ENCLAVE_VIOLATION","features":[308]},{"name":"ERROR_ENCRYPTED_FILE_NOT_SUPPORTED","features":[308]},{"name":"ERROR_ENCRYPTED_IO_NOT_POSSIBLE","features":[308]},{"name":"ERROR_ENCRYPTING_METADATA_DISALLOWED","features":[308]},{"name":"ERROR_ENCRYPTION_DISABLED","features":[308]},{"name":"ERROR_ENCRYPTION_FAILED","features":[308]},{"name":"ERROR_ENCRYPTION_POLICY_DENIES_OPERATION","features":[308]},{"name":"ERROR_END_OF_MEDIA","features":[308]},{"name":"ERROR_ENLISTMENT_NOT_FOUND","features":[308]},{"name":"ERROR_ENLISTMENT_NOT_SUPERIOR","features":[308]},{"name":"ERROR_ENVVAR_NOT_FOUND","features":[308]},{"name":"ERROR_EOM_OVERFLOW","features":[308]},{"name":"ERROR_ERRORS_ENCOUNTERED","features":[308]},{"name":"ERROR_EVALUATION_EXPIRATION","features":[308]},{"name":"ERROR_EVENTLOG_CANT_START","features":[308]},{"name":"ERROR_EVENTLOG_FILE_CHANGED","features":[308]},{"name":"ERROR_EVENTLOG_FILE_CORRUPT","features":[308]},{"name":"ERROR_EVENT_DONE","features":[308]},{"name":"ERROR_EVENT_PENDING","features":[308]},{"name":"ERROR_EVT_CANNOT_OPEN_CHANNEL_OF_QUERY","features":[308]},{"name":"ERROR_EVT_CHANNEL_CANNOT_ACTIVATE","features":[308]},{"name":"ERROR_EVT_CHANNEL_NOT_FOUND","features":[308]},{"name":"ERROR_EVT_CONFIGURATION_ERROR","features":[308]},{"name":"ERROR_EVT_EVENT_DEFINITION_NOT_FOUND","features":[308]},{"name":"ERROR_EVT_EVENT_TEMPLATE_NOT_FOUND","features":[308]},{"name":"ERROR_EVT_FILTER_ALREADYSCOPED","features":[308]},{"name":"ERROR_EVT_FILTER_INVARG","features":[308]},{"name":"ERROR_EVT_FILTER_INVTEST","features":[308]},{"name":"ERROR_EVT_FILTER_INVTYPE","features":[308]},{"name":"ERROR_EVT_FILTER_NOTELTSET","features":[308]},{"name":"ERROR_EVT_FILTER_OUT_OF_RANGE","features":[308]},{"name":"ERROR_EVT_FILTER_PARSEERR","features":[308]},{"name":"ERROR_EVT_FILTER_TOO_COMPLEX","features":[308]},{"name":"ERROR_EVT_FILTER_UNEXPECTEDTOKEN","features":[308]},{"name":"ERROR_EVT_FILTER_UNSUPPORTEDOP","features":[308]},{"name":"ERROR_EVT_INVALID_CHANNEL_PATH","features":[308]},{"name":"ERROR_EVT_INVALID_CHANNEL_PROPERTY_VALUE","features":[308]},{"name":"ERROR_EVT_INVALID_EVENT_DATA","features":[308]},{"name":"ERROR_EVT_INVALID_OPERATION_OVER_ENABLED_DIRECT_CHANNEL","features":[308]},{"name":"ERROR_EVT_INVALID_PUBLISHER_NAME","features":[308]},{"name":"ERROR_EVT_INVALID_PUBLISHER_PROPERTY_VALUE","features":[308]},{"name":"ERROR_EVT_INVALID_QUERY","features":[308]},{"name":"ERROR_EVT_MALFORMED_XML_TEXT","features":[308]},{"name":"ERROR_EVT_MAX_INSERTS_REACHED","features":[308]},{"name":"ERROR_EVT_MESSAGE_ID_NOT_FOUND","features":[308]},{"name":"ERROR_EVT_MESSAGE_LOCALE_NOT_FOUND","features":[308]},{"name":"ERROR_EVT_MESSAGE_NOT_FOUND","features":[308]},{"name":"ERROR_EVT_NON_VALIDATING_MSXML","features":[308]},{"name":"ERROR_EVT_PUBLISHER_DISABLED","features":[308]},{"name":"ERROR_EVT_PUBLISHER_METADATA_NOT_FOUND","features":[308]},{"name":"ERROR_EVT_QUERY_RESULT_INVALID_POSITION","features":[308]},{"name":"ERROR_EVT_QUERY_RESULT_STALE","features":[308]},{"name":"ERROR_EVT_SUBSCRIPTION_TO_DIRECT_CHANNEL","features":[308]},{"name":"ERROR_EVT_UNRESOLVED_PARAMETER_INSERT","features":[308]},{"name":"ERROR_EVT_UNRESOLVED_VALUE_INSERT","features":[308]},{"name":"ERROR_EVT_VERSION_TOO_NEW","features":[308]},{"name":"ERROR_EVT_VERSION_TOO_OLD","features":[308]},{"name":"ERROR_EXCEPTION_IN_RESOURCE_CALL","features":[308]},{"name":"ERROR_EXCEPTION_IN_SERVICE","features":[308]},{"name":"ERROR_EXCL_SEM_ALREADY_OWNED","features":[308]},{"name":"ERROR_EXE_CANNOT_MODIFY_SIGNED_BINARY","features":[308]},{"name":"ERROR_EXE_CANNOT_MODIFY_STRONG_SIGNED_BINARY","features":[308]},{"name":"ERROR_EXE_MACHINE_TYPE_MISMATCH","features":[308]},{"name":"ERROR_EXE_MARKED_INVALID","features":[308]},{"name":"ERROR_EXPECTED_SECTION_NAME","features":[308]},{"name":"ERROR_EXPIRED_HANDLE","features":[308]},{"name":"ERROR_EXTENDED_ERROR","features":[308]},{"name":"ERROR_EXTERNAL_BACKING_PROVIDER_UNKNOWN","features":[308]},{"name":"ERROR_EXTERNAL_SYSKEY_NOT_SUPPORTED","features":[308]},{"name":"ERROR_EXTRANEOUS_INFORMATION","features":[308]},{"name":"ERROR_FAILED_DRIVER_ENTRY","features":[308]},{"name":"ERROR_FAILED_SERVICE_CONTROLLER_CONNECT","features":[308]},{"name":"ERROR_FAIL_FAST_EXCEPTION","features":[308]},{"name":"ERROR_FAIL_I24","features":[308]},{"name":"ERROR_FAIL_NOACTION_REBOOT","features":[308]},{"name":"ERROR_FAIL_REBOOT_INITIATED","features":[308]},{"name":"ERROR_FAIL_REBOOT_REQUIRED","features":[308]},{"name":"ERROR_FAIL_RESTART","features":[308]},{"name":"ERROR_FAIL_SHUTDOWN","features":[308]},{"name":"ERROR_FATAL_APP_EXIT","features":[308]},{"name":"ERROR_FILEMARK_DETECTED","features":[308]},{"name":"ERROR_FILENAME_EXCED_RANGE","features":[308]},{"name":"ERROR_FILEQUEUE_LOCKED","features":[308]},{"name":"ERROR_FILE_CHECKED_OUT","features":[308]},{"name":"ERROR_FILE_CORRUPT","features":[308]},{"name":"ERROR_FILE_ENCRYPTED","features":[308]},{"name":"ERROR_FILE_EXISTS","features":[308]},{"name":"ERROR_FILE_HANDLE_REVOKED","features":[308]},{"name":"ERROR_FILE_HASH_NOT_IN_CATALOG","features":[308]},{"name":"ERROR_FILE_IDENTITY_NOT_PERSISTENT","features":[308]},{"name":"ERROR_FILE_INVALID","features":[308]},{"name":"ERROR_FILE_LEVEL_TRIM_NOT_SUPPORTED","features":[308]},{"name":"ERROR_FILE_METADATA_OPTIMIZATION_IN_PROGRESS","features":[308]},{"name":"ERROR_FILE_NOT_ENCRYPTED","features":[308]},{"name":"ERROR_FILE_NOT_FOUND","features":[308]},{"name":"ERROR_FILE_NOT_SUPPORTED","features":[308]},{"name":"ERROR_FILE_OFFLINE","features":[308]},{"name":"ERROR_FILE_PROTECTED_UNDER_DPL","features":[308]},{"name":"ERROR_FILE_READ_ONLY","features":[308]},{"name":"ERROR_FILE_SHARE_RESOURCE_CONFLICT","features":[308]},{"name":"ERROR_FILE_SNAP_INVALID_PARAMETER","features":[308]},{"name":"ERROR_FILE_SNAP_IN_PROGRESS","features":[308]},{"name":"ERROR_FILE_SNAP_IO_NOT_COORDINATED","features":[308]},{"name":"ERROR_FILE_SNAP_MODIFY_NOT_SUPPORTED","features":[308]},{"name":"ERROR_FILE_SNAP_UNEXPECTED_ERROR","features":[308]},{"name":"ERROR_FILE_SNAP_USER_SECTION_NOT_SUPPORTED","features":[308]},{"name":"ERROR_FILE_SYSTEM_LIMITATION","features":[308]},{"name":"ERROR_FILE_SYSTEM_VIRTUALIZATION_BUSY","features":[308]},{"name":"ERROR_FILE_SYSTEM_VIRTUALIZATION_INVALID_OPERATION","features":[308]},{"name":"ERROR_FILE_SYSTEM_VIRTUALIZATION_METADATA_CORRUPT","features":[308]},{"name":"ERROR_FILE_SYSTEM_VIRTUALIZATION_PROVIDER_UNKNOWN","features":[308]},{"name":"ERROR_FILE_SYSTEM_VIRTUALIZATION_UNAVAILABLE","features":[308]},{"name":"ERROR_FILE_TOO_LARGE","features":[308]},{"name":"ERROR_FIRMWARE_UPDATED","features":[308]},{"name":"ERROR_FLOATED_SECTION","features":[308]},{"name":"ERROR_FLOAT_MULTIPLE_FAULTS","features":[308]},{"name":"ERROR_FLOAT_MULTIPLE_TRAPS","features":[308]},{"name":"ERROR_FLOPPY_BAD_REGISTERS","features":[308]},{"name":"ERROR_FLOPPY_ID_MARK_NOT_FOUND","features":[308]},{"name":"ERROR_FLOPPY_UNKNOWN_ERROR","features":[308]},{"name":"ERROR_FLOPPY_VOLUME","features":[308]},{"name":"ERROR_FLOPPY_WRONG_CYLINDER","features":[308]},{"name":"ERROR_FLT_ALREADY_ENLISTED","features":[308]},{"name":"ERROR_FLT_CBDQ_DISABLED","features":[308]},{"name":"ERROR_FLT_CONTEXT_ALLOCATION_NOT_FOUND","features":[308]},{"name":"ERROR_FLT_CONTEXT_ALREADY_DEFINED","features":[308]},{"name":"ERROR_FLT_CONTEXT_ALREADY_LINKED","features":[308]},{"name":"ERROR_FLT_DELETING_OBJECT","features":[308]},{"name":"ERROR_FLT_DISALLOW_FAST_IO","features":[308]},{"name":"ERROR_FLT_DO_NOT_ATTACH","features":[308]},{"name":"ERROR_FLT_DO_NOT_DETACH","features":[308]},{"name":"ERROR_FLT_DUPLICATE_ENTRY","features":[308]},{"name":"ERROR_FLT_FILTER_NOT_FOUND","features":[308]},{"name":"ERROR_FLT_FILTER_NOT_READY","features":[308]},{"name":"ERROR_FLT_INSTANCE_ALTITUDE_COLLISION","features":[308]},{"name":"ERROR_FLT_INSTANCE_NAME_COLLISION","features":[308]},{"name":"ERROR_FLT_INSTANCE_NOT_FOUND","features":[308]},{"name":"ERROR_FLT_INTERNAL_ERROR","features":[308]},{"name":"ERROR_FLT_INVALID_ASYNCHRONOUS_REQUEST","features":[308]},{"name":"ERROR_FLT_INVALID_CONTEXT_REGISTRATION","features":[308]},{"name":"ERROR_FLT_INVALID_NAME_REQUEST","features":[308]},{"name":"ERROR_FLT_IO_COMPLETE","features":[308]},{"name":"ERROR_FLT_MUST_BE_NONPAGED_POOL","features":[308]},{"name":"ERROR_FLT_NAME_CACHE_MISS","features":[308]},{"name":"ERROR_FLT_NOT_INITIALIZED","features":[308]},{"name":"ERROR_FLT_NOT_SAFE_TO_POST_OPERATION","features":[308]},{"name":"ERROR_FLT_NO_DEVICE_OBJECT","features":[308]},{"name":"ERROR_FLT_NO_HANDLER_DEFINED","features":[308]},{"name":"ERROR_FLT_NO_WAITER_FOR_REPLY","features":[308]},{"name":"ERROR_FLT_POST_OPERATION_CLEANUP","features":[308]},{"name":"ERROR_FLT_REGISTRATION_BUSY","features":[308]},{"name":"ERROR_FLT_VOLUME_ALREADY_MOUNTED","features":[308]},{"name":"ERROR_FLT_VOLUME_NOT_FOUND","features":[308]},{"name":"ERROR_FLT_WCOS_NOT_SUPPORTED","features":[308]},{"name":"ERROR_FORMS_AUTH_REQUIRED","features":[308]},{"name":"ERROR_FOUND_OUT_OF_SCOPE","features":[308]},{"name":"ERROR_FSFILTER_OP_COMPLETED_SUCCESSFULLY","features":[308]},{"name":"ERROR_FS_DRIVER_REQUIRED","features":[308]},{"name":"ERROR_FS_GUID_MISMATCH","features":[308]},{"name":"ERROR_FS_METADATA_INCONSISTENT","features":[308]},{"name":"ERROR_FT_DI_SCAN_REQUIRED","features":[308]},{"name":"ERROR_FT_READ_FAILURE","features":[308]},{"name":"ERROR_FT_READ_FROM_COPY_FAILURE","features":[308]},{"name":"ERROR_FT_READ_RECOVERY_FROM_BACKUP","features":[308]},{"name":"ERROR_FT_WRITE_FAILURE","features":[308]},{"name":"ERROR_FT_WRITE_RECOVERY","features":[308]},{"name":"ERROR_FULLSCREEN_MODE","features":[308]},{"name":"ERROR_FULL_BACKUP","features":[308]},{"name":"ERROR_FUNCTION_FAILED","features":[308]},{"name":"ERROR_FUNCTION_NOT_CALLED","features":[308]},{"name":"ERROR_GDI_HANDLE_LEAK","features":[308]},{"name":"ERROR_GENERAL_SYNTAX","features":[308]},{"name":"ERROR_GENERIC_COMMAND_FAILED","features":[308]},{"name":"ERROR_GENERIC_NOT_MAPPED","features":[308]},{"name":"ERROR_GEN_FAILURE","features":[308]},{"name":"ERROR_GLOBAL_ONLY_HOOK","features":[308]},{"name":"ERROR_GPIO_CLIENT_INFORMATION_INVALID","features":[308]},{"name":"ERROR_GPIO_INCOMPATIBLE_CONNECT_MODE","features":[308]},{"name":"ERROR_GPIO_INTERRUPT_ALREADY_UNMASKED","features":[308]},{"name":"ERROR_GPIO_INVALID_REGISTRATION_PACKET","features":[308]},{"name":"ERROR_GPIO_OPERATION_DENIED","features":[308]},{"name":"ERROR_GPIO_VERSION_NOT_SUPPORTED","features":[308]},{"name":"ERROR_GRACEFUL_DISCONNECT","features":[308]},{"name":"ERROR_GRAPHICS_ADAPTER_ACCESS_NOT_EXCLUDED","features":[308]},{"name":"ERROR_GRAPHICS_ADAPTER_CHAIN_NOT_READY","features":[308]},{"name":"ERROR_GRAPHICS_ADAPTER_MUST_HAVE_AT_LEAST_ONE_SOURCE","features":[308]},{"name":"ERROR_GRAPHICS_ADAPTER_MUST_HAVE_AT_LEAST_ONE_TARGET","features":[308]},{"name":"ERROR_GRAPHICS_ADAPTER_WAS_RESET","features":[308]},{"name":"ERROR_GRAPHICS_ALLOCATION_BUSY","features":[308]},{"name":"ERROR_GRAPHICS_ALLOCATION_CLOSED","features":[308]},{"name":"ERROR_GRAPHICS_ALLOCATION_CONTENT_LOST","features":[308]},{"name":"ERROR_GRAPHICS_ALLOCATION_INVALID","features":[308]},{"name":"ERROR_GRAPHICS_CANCEL_VIDPN_TOPOLOGY_AUGMENTATION","features":[308]},{"name":"ERROR_GRAPHICS_CANNOTCOLORCONVERT","features":[308]},{"name":"ERROR_GRAPHICS_CANT_ACCESS_ACTIVE_VIDPN","features":[308]},{"name":"ERROR_GRAPHICS_CANT_EVICT_PINNED_ALLOCATION","features":[308]},{"name":"ERROR_GRAPHICS_CANT_LOCK_MEMORY","features":[308]},{"name":"ERROR_GRAPHICS_CANT_RENDER_LOCKED_ALLOCATION","features":[308]},{"name":"ERROR_GRAPHICS_CHAINLINKS_NOT_ENUMERATED","features":[308]},{"name":"ERROR_GRAPHICS_CHAINLINKS_NOT_POWERED_ON","features":[308]},{"name":"ERROR_GRAPHICS_CHAINLINKS_NOT_STARTED","features":[308]},{"name":"ERROR_GRAPHICS_CHILD_DESCRIPTOR_NOT_SUPPORTED","features":[308]},{"name":"ERROR_GRAPHICS_CLIENTVIDPN_NOT_SET","features":[308]},{"name":"ERROR_GRAPHICS_COPP_NOT_SUPPORTED","features":[308]},{"name":"ERROR_GRAPHICS_DATASET_IS_EMPTY","features":[308]},{"name":"ERROR_GRAPHICS_DDCCI_CURRENT_CURRENT_VALUE_GREATER_THAN_MAXIMUM_VALUE","features":[308]},{"name":"ERROR_GRAPHICS_DDCCI_INVALID_DATA","features":[308]},{"name":"ERROR_GRAPHICS_DDCCI_INVALID_MESSAGE_CHECKSUM","features":[308]},{"name":"ERROR_GRAPHICS_DDCCI_INVALID_MESSAGE_COMMAND","features":[308]},{"name":"ERROR_GRAPHICS_DDCCI_INVALID_MESSAGE_LENGTH","features":[308]},{"name":"ERROR_GRAPHICS_DDCCI_MONITOR_RETURNED_INVALID_TIMING_STATUS_BYTE","features":[308]},{"name":"ERROR_GRAPHICS_DDCCI_VCP_NOT_SUPPORTED","features":[308]},{"name":"ERROR_GRAPHICS_DEPENDABLE_CHILD_STATUS","features":[308]},{"name":"ERROR_GRAPHICS_DISPLAY_DEVICE_NOT_ATTACHED_TO_DESKTOP","features":[308]},{"name":"ERROR_GRAPHICS_DRIVER_MISMATCH","features":[308]},{"name":"ERROR_GRAPHICS_EMPTY_ADAPTER_MONITOR_MODE_SUPPORT_INTERSECTION","features":[308]},{"name":"ERROR_GRAPHICS_FREQUENCYRANGE_ALREADY_IN_SET","features":[308]},{"name":"ERROR_GRAPHICS_FREQUENCYRANGE_NOT_IN_SET","features":[308]},{"name":"ERROR_GRAPHICS_GAMMA_RAMP_NOT_SUPPORTED","features":[308]},{"name":"ERROR_GRAPHICS_GPU_EXCEPTION_ON_DEVICE","features":[308]},{"name":"ERROR_GRAPHICS_I2C_DEVICE_DOES_NOT_EXIST","features":[308]},{"name":"ERROR_GRAPHICS_I2C_ERROR_RECEIVING_DATA","features":[308]},{"name":"ERROR_GRAPHICS_I2C_ERROR_TRANSMITTING_DATA","features":[308]},{"name":"ERROR_GRAPHICS_I2C_NOT_SUPPORTED","features":[308]},{"name":"ERROR_GRAPHICS_INCOMPATIBLE_PRIVATE_FORMAT","features":[308]},{"name":"ERROR_GRAPHICS_INCONSISTENT_DEVICE_LINK_STATE","features":[308]},{"name":"ERROR_GRAPHICS_INDIRECT_DISPLAY_ABANDON_SWAPCHAIN","features":[308]},{"name":"ERROR_GRAPHICS_INDIRECT_DISPLAY_DEVICE_STOPPED","features":[308]},{"name":"ERROR_GRAPHICS_INSUFFICIENT_DMA_BUFFER","features":[308]},{"name":"ERROR_GRAPHICS_INTERNAL_ERROR","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_ACTIVE_REGION","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_ALLOCATION_HANDLE","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_ALLOCATION_INSTANCE","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_ALLOCATION_USAGE","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_CLIENT_TYPE","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_COLORBASIS","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_COPYPROTECTION_TYPE","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_DISPLAY_ADAPTER","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_DRIVER_MODEL","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_FREQUENCY","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_GAMMA_RAMP","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_MODE_PRUNING_ALGORITHM","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_MONITORDESCRIPTOR","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_MONITORDESCRIPTORSET","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_MONITOR_CAPABILITY_ORIGIN","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_MONITOR_FREQUENCYRANGE","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_MONITOR_FREQUENCYRANGESET","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_MONITOR_FREQUENCYRANGE_CONSTRAINT","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_MONITOR_SOURCEMODESET","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_MONITOR_SOURCE_MODE","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_PATH_CONTENT_GEOMETRY_TRANSFORMATION","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_PATH_CONTENT_TYPE","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_PATH_IMPORTANCE_ORDINAL","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_PHYSICAL_MONITOR_HANDLE","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_PIXELFORMAT","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_PIXELVALUEACCESSMODE","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_POINTER","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_PRIMARYSURFACE_SIZE","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_SCANLINE_ORDERING","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_STRIDE","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_TOTAL_REGION","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_VIDEOPRESENTSOURCESET","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_VIDEOPRESENTTARGETSET","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_VIDEO_PRESENT_SOURCE","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_VIDEO_PRESENT_SOURCE_MODE","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_VIDEO_PRESENT_TARGET","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_VIDEO_PRESENT_TARGET_MODE","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_VIDPN","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_VIDPN_PRESENT_PATH","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_VIDPN_SOURCEMODESET","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_VIDPN_TARGETMODESET","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_VIDPN_TARGET_SUBSET_TYPE","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_VIDPN_TOPOLOGY","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_VIDPN_TOPOLOGY_RECOMMENDATION_REASON","features":[308]},{"name":"ERROR_GRAPHICS_INVALID_VISIBLEREGION_SIZE","features":[308]},{"name":"ERROR_GRAPHICS_LEADLINK_NOT_ENUMERATED","features":[308]},{"name":"ERROR_GRAPHICS_LEADLINK_START_DEFERRED","features":[308]},{"name":"ERROR_GRAPHICS_LINK_CONFIGURATION_IN_PROGRESS","features":[308]},{"name":"ERROR_GRAPHICS_MAX_NUM_PATHS_REACHED","features":[308]},{"name":"ERROR_GRAPHICS_MCA_INTERNAL_ERROR","features":[308]},{"name":"ERROR_GRAPHICS_MCA_INVALID_CAPABILITIES_STRING","features":[308]},{"name":"ERROR_GRAPHICS_MCA_INVALID_TECHNOLOGY_TYPE_RETURNED","features":[308]},{"name":"ERROR_GRAPHICS_MCA_INVALID_VCP_VERSION","features":[308]},{"name":"ERROR_GRAPHICS_MCA_MCCS_VERSION_MISMATCH","features":[308]},{"name":"ERROR_GRAPHICS_MCA_MONITOR_VIOLATES_MCCS_SPECIFICATION","features":[308]},{"name":"ERROR_GRAPHICS_MCA_UNSUPPORTED_COLOR_TEMPERATURE","features":[308]},{"name":"ERROR_GRAPHICS_MCA_UNSUPPORTED_MCCS_VERSION","features":[308]},{"name":"ERROR_GRAPHICS_MIRRORING_DEVICES_NOT_SUPPORTED","features":[308]},{"name":"ERROR_GRAPHICS_MODE_ALREADY_IN_MODESET","features":[308]},{"name":"ERROR_GRAPHICS_MODE_ID_MUST_BE_UNIQUE","features":[308]},{"name":"ERROR_GRAPHICS_MODE_NOT_IN_MODESET","features":[308]},{"name":"ERROR_GRAPHICS_MODE_NOT_PINNED","features":[308]},{"name":"ERROR_GRAPHICS_MONITORDESCRIPTOR_ALREADY_IN_SET","features":[308]},{"name":"ERROR_GRAPHICS_MONITORDESCRIPTOR_ID_MUST_BE_UNIQUE","features":[308]},{"name":"ERROR_GRAPHICS_MONITORDESCRIPTOR_NOT_IN_SET","features":[308]},{"name":"ERROR_GRAPHICS_MONITOR_COULD_NOT_BE_ASSOCIATED_WITH_ADAPTER","features":[308]},{"name":"ERROR_GRAPHICS_MONITOR_NOT_CONNECTED","features":[308]},{"name":"ERROR_GRAPHICS_MONITOR_NO_LONGER_EXISTS","features":[308]},{"name":"ERROR_GRAPHICS_MPO_ALLOCATION_UNPINNED","features":[308]},{"name":"ERROR_GRAPHICS_MULTISAMPLING_NOT_SUPPORTED","features":[308]},{"name":"ERROR_GRAPHICS_NOT_A_LINKED_ADAPTER","features":[308]},{"name":"ERROR_GRAPHICS_NOT_EXCLUSIVE_MODE_OWNER","features":[308]},{"name":"ERROR_GRAPHICS_NOT_POST_DEVICE_DRIVER","features":[308]},{"name":"ERROR_GRAPHICS_NO_ACTIVE_VIDPN","features":[308]},{"name":"ERROR_GRAPHICS_NO_AVAILABLE_IMPORTANCE_ORDINALS","features":[308]},{"name":"ERROR_GRAPHICS_NO_AVAILABLE_VIDPN_TARGET","features":[308]},{"name":"ERROR_GRAPHICS_NO_DISPLAY_DEVICE_CORRESPONDS_TO_NAME","features":[308]},{"name":"ERROR_GRAPHICS_NO_DISPLAY_MODE_MANAGEMENT_SUPPORT","features":[308]},{"name":"ERROR_GRAPHICS_NO_MONITORS_CORRESPOND_TO_DISPLAY_DEVICE","features":[308]},{"name":"ERROR_GRAPHICS_NO_MORE_ELEMENTS_IN_DATASET","features":[308]},{"name":"ERROR_GRAPHICS_NO_PREFERRED_MODE","features":[308]},{"name":"ERROR_GRAPHICS_NO_RECOMMENDED_FUNCTIONAL_VIDPN","features":[308]},{"name":"ERROR_GRAPHICS_NO_RECOMMENDED_VIDPN_TOPOLOGY","features":[308]},{"name":"ERROR_GRAPHICS_NO_VIDEO_MEMORY","features":[308]},{"name":"ERROR_GRAPHICS_NO_VIDPNMGR","features":[308]},{"name":"ERROR_GRAPHICS_ONLY_CONSOLE_SESSION_SUPPORTED","features":[308]},{"name":"ERROR_GRAPHICS_OPM_ALL_HDCP_HARDWARE_ALREADY_IN_USE","features":[308]},{"name":"ERROR_GRAPHICS_OPM_DRIVER_INTERNAL_ERROR","features":[308]},{"name":"ERROR_GRAPHICS_OPM_HDCP_SRM_NEVER_SET","features":[308]},{"name":"ERROR_GRAPHICS_OPM_INTERNAL_ERROR","features":[308]},{"name":"ERROR_GRAPHICS_OPM_INVALID_CONFIGURATION_REQUEST","features":[308]},{"name":"ERROR_GRAPHICS_OPM_INVALID_ENCRYPTED_PARAMETERS","features":[308]},{"name":"ERROR_GRAPHICS_OPM_INVALID_HANDLE","features":[308]},{"name":"ERROR_GRAPHICS_OPM_INVALID_INFORMATION_REQUEST","features":[308]},{"name":"ERROR_GRAPHICS_OPM_INVALID_SRM","features":[308]},{"name":"ERROR_GRAPHICS_OPM_NOT_SUPPORTED","features":[308]},{"name":"ERROR_GRAPHICS_OPM_NO_VIDEO_OUTPUTS_EXIST","features":[308]},{"name":"ERROR_GRAPHICS_OPM_OUTPUT_DOES_NOT_SUPPORT_ACP","features":[308]},{"name":"ERROR_GRAPHICS_OPM_OUTPUT_DOES_NOT_SUPPORT_CGMSA","features":[308]},{"name":"ERROR_GRAPHICS_OPM_OUTPUT_DOES_NOT_SUPPORT_HDCP","features":[308]},{"name":"ERROR_GRAPHICS_OPM_RESOLUTION_TOO_HIGH","features":[308]},{"name":"ERROR_GRAPHICS_OPM_SESSION_TYPE_CHANGE_IN_PROGRESS","features":[308]},{"name":"ERROR_GRAPHICS_OPM_SIGNALING_NOT_SUPPORTED","features":[308]},{"name":"ERROR_GRAPHICS_OPM_SPANNING_MODE_ENABLED","features":[308]},{"name":"ERROR_GRAPHICS_OPM_THEATER_MODE_ENABLED","features":[308]},{"name":"ERROR_GRAPHICS_OPM_VIDEO_OUTPUT_DOES_NOT_HAVE_COPP_SEMANTICS","features":[308]},{"name":"ERROR_GRAPHICS_OPM_VIDEO_OUTPUT_DOES_NOT_HAVE_OPM_SEMANTICS","features":[308]},{"name":"ERROR_GRAPHICS_OPM_VIDEO_OUTPUT_NO_LONGER_EXISTS","features":[308]},{"name":"ERROR_GRAPHICS_PARAMETER_ARRAY_TOO_SMALL","features":[308]},{"name":"ERROR_GRAPHICS_PARTIAL_DATA_POPULATED","features":[308]},{"name":"ERROR_GRAPHICS_PATH_ALREADY_IN_TOPOLOGY","features":[308]},{"name":"ERROR_GRAPHICS_PATH_CONTENT_GEOMETRY_TRANSFORMATION_NOT_PINNED","features":[308]},{"name":"ERROR_GRAPHICS_PATH_CONTENT_GEOMETRY_TRANSFORMATION_NOT_SUPPORTED","features":[308]},{"name":"ERROR_GRAPHICS_PATH_NOT_IN_TOPOLOGY","features":[308]},{"name":"ERROR_GRAPHICS_PINNED_MODE_MUST_REMAIN_IN_SET","features":[308]},{"name":"ERROR_GRAPHICS_POLLING_TOO_FREQUENTLY","features":[308]},{"name":"ERROR_GRAPHICS_PRESENT_BUFFER_NOT_BOUND","features":[308]},{"name":"ERROR_GRAPHICS_PRESENT_DENIED","features":[308]},{"name":"ERROR_GRAPHICS_PRESENT_INVALID_WINDOW","features":[308]},{"name":"ERROR_GRAPHICS_PRESENT_MODE_CHANGED","features":[308]},{"name":"ERROR_GRAPHICS_PRESENT_OCCLUDED","features":[308]},{"name":"ERROR_GRAPHICS_PRESENT_REDIRECTION_DISABLED","features":[308]},{"name":"ERROR_GRAPHICS_PRESENT_UNOCCLUDED","features":[308]},{"name":"ERROR_GRAPHICS_PVP_HFS_FAILED","features":[308]},{"name":"ERROR_GRAPHICS_PVP_INVALID_CERTIFICATE_LENGTH","features":[308]},{"name":"ERROR_GRAPHICS_RESOURCES_NOT_RELATED","features":[308]},{"name":"ERROR_GRAPHICS_SESSION_TYPE_CHANGE_IN_PROGRESS","features":[308]},{"name":"ERROR_GRAPHICS_SKIP_ALLOCATION_PREPARATION","features":[308]},{"name":"ERROR_GRAPHICS_SOURCE_ALREADY_IN_SET","features":[308]},{"name":"ERROR_GRAPHICS_SOURCE_ID_MUST_BE_UNIQUE","features":[308]},{"name":"ERROR_GRAPHICS_SOURCE_NOT_IN_TOPOLOGY","features":[308]},{"name":"ERROR_GRAPHICS_SPECIFIED_CHILD_ALREADY_CONNECTED","features":[308]},{"name":"ERROR_GRAPHICS_STALE_MODESET","features":[308]},{"name":"ERROR_GRAPHICS_STALE_VIDPN_TOPOLOGY","features":[308]},{"name":"ERROR_GRAPHICS_START_DEFERRED","features":[308]},{"name":"ERROR_GRAPHICS_TARGET_ALREADY_IN_SET","features":[308]},{"name":"ERROR_GRAPHICS_TARGET_ID_MUST_BE_UNIQUE","features":[308]},{"name":"ERROR_GRAPHICS_TARGET_NOT_IN_TOPOLOGY","features":[308]},{"name":"ERROR_GRAPHICS_TOO_MANY_REFERENCES","features":[308]},{"name":"ERROR_GRAPHICS_TOPOLOGY_CHANGES_NOT_ALLOWED","features":[308]},{"name":"ERROR_GRAPHICS_TRY_AGAIN_LATER","features":[308]},{"name":"ERROR_GRAPHICS_TRY_AGAIN_NOW","features":[308]},{"name":"ERROR_GRAPHICS_UAB_NOT_SUPPORTED","features":[308]},{"name":"ERROR_GRAPHICS_UNASSIGNED_MODESET_ALREADY_EXISTS","features":[308]},{"name":"ERROR_GRAPHICS_UNKNOWN_CHILD_STATUS","features":[308]},{"name":"ERROR_GRAPHICS_UNSWIZZLING_APERTURE_UNAVAILABLE","features":[308]},{"name":"ERROR_GRAPHICS_UNSWIZZLING_APERTURE_UNSUPPORTED","features":[308]},{"name":"ERROR_GRAPHICS_VAIL_FAILED_TO_SEND_COMPOSITION_WINDOW_DPI_MESSAGE","features":[308]},{"name":"ERROR_GRAPHICS_VAIL_FAILED_TO_SEND_CREATE_SUPERWETINK_MESSAGE","features":[308]},{"name":"ERROR_GRAPHICS_VAIL_FAILED_TO_SEND_DESTROY_SUPERWETINK_MESSAGE","features":[308]},{"name":"ERROR_GRAPHICS_VAIL_STATE_CHANGED","features":[308]},{"name":"ERROR_GRAPHICS_VIDEO_PRESENT_TARGETS_LESS_THAN_SOURCES","features":[308]},{"name":"ERROR_GRAPHICS_VIDPN_MODALITY_NOT_SUPPORTED","features":[308]},{"name":"ERROR_GRAPHICS_VIDPN_SOURCE_IN_USE","features":[308]},{"name":"ERROR_GRAPHICS_VIDPN_TOPOLOGY_CURRENTLY_NOT_SUPPORTED","features":[308]},{"name":"ERROR_GRAPHICS_VIDPN_TOPOLOGY_NOT_SUPPORTED","features":[308]},{"name":"ERROR_GRAPHICS_WINDOWDC_NOT_AVAILABLE","features":[308]},{"name":"ERROR_GRAPHICS_WINDOWLESS_PRESENT_DISABLED","features":[308]},{"name":"ERROR_GRAPHICS_WRONG_ALLOCATION_DEVICE","features":[308]},{"name":"ERROR_GROUPSET_CANT_PROVIDE","features":[308]},{"name":"ERROR_GROUPSET_NOT_AVAILABLE","features":[308]},{"name":"ERROR_GROUPSET_NOT_FOUND","features":[308]},{"name":"ERROR_GROUP_EXISTS","features":[308]},{"name":"ERROR_GROUP_NOT_AVAILABLE","features":[308]},{"name":"ERROR_GROUP_NOT_FOUND","features":[308]},{"name":"ERROR_GROUP_NOT_ONLINE","features":[308]},{"name":"ERROR_GUID_SUBSTITUTION_MADE","features":[308]},{"name":"ERROR_HANDLES_CLOSED","features":[308]},{"name":"ERROR_HANDLE_DISK_FULL","features":[308]},{"name":"ERROR_HANDLE_EOF","features":[308]},{"name":"ERROR_HANDLE_NO_LONGER_VALID","features":[308]},{"name":"ERROR_HANDLE_REVOKED","features":[308]},{"name":"ERROR_HASH_NOT_PRESENT","features":[308]},{"name":"ERROR_HASH_NOT_SUPPORTED","features":[308]},{"name":"ERROR_HAS_SYSTEM_CRITICAL_FILES","features":[308]},{"name":"ERROR_HEURISTIC_DAMAGE_POSSIBLE","features":[308]},{"name":"ERROR_HIBERNATED","features":[308]},{"name":"ERROR_HIBERNATION_FAILURE","features":[308]},{"name":"ERROR_HOOK_NEEDS_HMOD","features":[308]},{"name":"ERROR_HOOK_NOT_INSTALLED","features":[308]},{"name":"ERROR_HOOK_TYPE_NOT_ALLOWED","features":[308]},{"name":"ERROR_HOST_DOWN","features":[308]},{"name":"ERROR_HOST_NODE_NOT_AVAILABLE","features":[308]},{"name":"ERROR_HOST_NODE_NOT_GROUP_OWNER","features":[308]},{"name":"ERROR_HOST_NODE_NOT_RESOURCE_OWNER","features":[308]},{"name":"ERROR_HOST_UNREACHABLE","features":[308]},{"name":"ERROR_HOTKEY_ALREADY_REGISTERED","features":[308]},{"name":"ERROR_HOTKEY_NOT_REGISTERED","features":[308]},{"name":"ERROR_HUNG_DISPLAY_DRIVER_THREAD","features":[308]},{"name":"ERROR_HV_ACCESS_DENIED","features":[308]},{"name":"ERROR_HV_ACKNOWLEDGED","features":[308]},{"name":"ERROR_HV_CPUID_FEATURE_VALIDATION","features":[308]},{"name":"ERROR_HV_CPUID_XSAVE_FEATURE_VALIDATION","features":[308]},{"name":"ERROR_HV_DEVICE_NOT_IN_DOMAIN","features":[308]},{"name":"ERROR_HV_EVENT_BUFFER_ALREADY_FREED","features":[308]},{"name":"ERROR_HV_FEATURE_UNAVAILABLE","features":[308]},{"name":"ERROR_HV_INACTIVE","features":[308]},{"name":"ERROR_HV_INSUFFICIENT_BUFFER","features":[308]},{"name":"ERROR_HV_INSUFFICIENT_BUFFERS","features":[308]},{"name":"ERROR_HV_INSUFFICIENT_CONTIGUOUS_MEMORY","features":[308]},{"name":"ERROR_HV_INSUFFICIENT_CONTIGUOUS_MEMORY_MIRRORING","features":[308]},{"name":"ERROR_HV_INSUFFICIENT_CONTIGUOUS_ROOT_MEMORY","features":[308]},{"name":"ERROR_HV_INSUFFICIENT_CONTIGUOUS_ROOT_MEMORY_MIRRORING","features":[308]},{"name":"ERROR_HV_INSUFFICIENT_DEVICE_DOMAINS","features":[308]},{"name":"ERROR_HV_INSUFFICIENT_MEMORY","features":[308]},{"name":"ERROR_HV_INSUFFICIENT_MEMORY_MIRRORING","features":[308]},{"name":"ERROR_HV_INSUFFICIENT_ROOT_MEMORY","features":[308]},{"name":"ERROR_HV_INSUFFICIENT_ROOT_MEMORY_MIRRORING","features":[308]},{"name":"ERROR_HV_INVALID_ALIGNMENT","features":[308]},{"name":"ERROR_HV_INVALID_CONNECTION_ID","features":[308]},{"name":"ERROR_HV_INVALID_CPU_GROUP_ID","features":[308]},{"name":"ERROR_HV_INVALID_CPU_GROUP_STATE","features":[308]},{"name":"ERROR_HV_INVALID_DEVICE_ID","features":[308]},{"name":"ERROR_HV_INVALID_DEVICE_STATE","features":[308]},{"name":"ERROR_HV_INVALID_HYPERCALL_CODE","features":[308]},{"name":"ERROR_HV_INVALID_HYPERCALL_INPUT","features":[308]},{"name":"ERROR_HV_INVALID_LP_INDEX","features":[308]},{"name":"ERROR_HV_INVALID_PARAMETER","features":[308]},{"name":"ERROR_HV_INVALID_PARTITION_ID","features":[308]},{"name":"ERROR_HV_INVALID_PARTITION_STATE","features":[308]},{"name":"ERROR_HV_INVALID_PORT_ID","features":[308]},{"name":"ERROR_HV_INVALID_PROXIMITY_DOMAIN_INFO","features":[308]},{"name":"ERROR_HV_INVALID_REGISTER_VALUE","features":[308]},{"name":"ERROR_HV_INVALID_SAVE_RESTORE_STATE","features":[308]},{"name":"ERROR_HV_INVALID_SYNIC_STATE","features":[308]},{"name":"ERROR_HV_INVALID_VP_INDEX","features":[308]},{"name":"ERROR_HV_INVALID_VP_STATE","features":[308]},{"name":"ERROR_HV_INVALID_VTL_STATE","features":[308]},{"name":"ERROR_HV_MSR_ACCESS_FAILED","features":[308]},{"name":"ERROR_HV_NESTED_VM_EXIT","features":[308]},{"name":"ERROR_HV_NOT_ACKNOWLEDGED","features":[308]},{"name":"ERROR_HV_NOT_ALLOWED_WITH_NESTED_VIRT_ACTIVE","features":[308]},{"name":"ERROR_HV_NOT_PRESENT","features":[308]},{"name":"ERROR_HV_NO_DATA","features":[308]},{"name":"ERROR_HV_NO_RESOURCES","features":[308]},{"name":"ERROR_HV_NX_NOT_DETECTED","features":[308]},{"name":"ERROR_HV_OBJECT_IN_USE","features":[308]},{"name":"ERROR_HV_OPERATION_DENIED","features":[308]},{"name":"ERROR_HV_OPERATION_FAILED","features":[308]},{"name":"ERROR_HV_PAGE_REQUEST_INVALID","features":[308]},{"name":"ERROR_HV_PARTITION_TOO_DEEP","features":[308]},{"name":"ERROR_HV_PENDING_PAGE_REQUESTS","features":[308]},{"name":"ERROR_HV_PROCESSOR_STARTUP_TIMEOUT","features":[308]},{"name":"ERROR_HV_PROPERTY_VALUE_OUT_OF_RANGE","features":[308]},{"name":"ERROR_HV_SMX_ENABLED","features":[308]},{"name":"ERROR_HV_UNKNOWN_PROPERTY","features":[308]},{"name":"ERROR_HWNDS_HAVE_DIFF_PARENT","features":[308]},{"name":"ERROR_ICM_NOT_ENABLED","features":[308]},{"name":"ERROR_IDLE_DISCONNECTED","features":[308]},{"name":"ERROR_IEPORT_FULL","features":[308]},{"name":"ERROR_ILLEGAL_CHARACTER","features":[308]},{"name":"ERROR_ILLEGAL_DLL_RELOCATION","features":[308]},{"name":"ERROR_ILLEGAL_ELEMENT_ADDRESS","features":[308]},{"name":"ERROR_ILLEGAL_FLOAT_CONTEXT","features":[308]},{"name":"ERROR_ILL_FORMED_PASSWORD","features":[308]},{"name":"ERROR_IMAGE_AT_DIFFERENT_BASE","features":[308]},{"name":"ERROR_IMAGE_MACHINE_TYPE_MISMATCH","features":[308]},{"name":"ERROR_IMAGE_MACHINE_TYPE_MISMATCH_EXE","features":[308]},{"name":"ERROR_IMAGE_NOT_AT_BASE","features":[308]},{"name":"ERROR_IMAGE_SUBSYSTEM_NOT_PRESENT","features":[308]},{"name":"ERROR_IMPLEMENTATION_LIMIT","features":[308]},{"name":"ERROR_IMPLICIT_TRANSACTION_NOT_SUPPORTED","features":[308]},{"name":"ERROR_INCOMPATIBLE_SERVICE_PRIVILEGE","features":[308]},{"name":"ERROR_INCOMPATIBLE_SERVICE_SID_TYPE","features":[308]},{"name":"ERROR_INCOMPATIBLE_WITH_GLOBAL_SHORT_NAME_REGISTRY_SETTING","features":[308]},{"name":"ERROR_INCORRECT_ACCOUNT_TYPE","features":[308]},{"name":"ERROR_INCORRECT_ADDRESS","features":[308]},{"name":"ERROR_INCORRECT_SIZE","features":[308]},{"name":"ERROR_INC_BACKUP","features":[308]},{"name":"ERROR_INDEX_ABSENT","features":[308]},{"name":"ERROR_INDEX_OUT_OF_BOUNDS","features":[308]},{"name":"ERROR_INDIGENOUS_TYPE","features":[308]},{"name":"ERROR_INDOUBT_TRANSACTIONS_EXIST","features":[308]},{"name":"ERROR_INFLOOP_IN_RELOC_CHAIN","features":[308]},{"name":"ERROR_INF_IN_USE_BY_DEVICES","features":[308]},{"name":"ERROR_INSTALL_ALREADY_RUNNING","features":[308]},{"name":"ERROR_INSTALL_CANCEL","features":[308]},{"name":"ERROR_INSTALL_DEREGISTRATION_FAILURE","features":[308]},{"name":"ERROR_INSTALL_FAILED","features":[308]},{"name":"ERROR_INSTALL_FAILURE","features":[308]},{"name":"ERROR_INSTALL_FIREWALL_SERVICE_NOT_RUNNING","features":[308]},{"name":"ERROR_INSTALL_FULLTRUST_HOSTRUNTIME_REQUIRES_MAIN_PACKAGE_FULLTRUST_CAPABILITY","features":[308]},{"name":"ERROR_INSTALL_INVALID_PACKAGE","features":[308]},{"name":"ERROR_INSTALL_INVALID_RELATED_SET_UPDATE","features":[308]},{"name":"ERROR_INSTALL_LANGUAGE_UNSUPPORTED","features":[308]},{"name":"ERROR_INSTALL_LOG_FAILURE","features":[308]},{"name":"ERROR_INSTALL_NETWORK_FAILURE","features":[308]},{"name":"ERROR_INSTALL_NOTUSED","features":[308]},{"name":"ERROR_INSTALL_OPEN_PACKAGE_FAILED","features":[308]},{"name":"ERROR_INSTALL_OPTIONAL_PACKAGE_APPLICATIONID_NOT_UNIQUE","features":[308]},{"name":"ERROR_INSTALL_OPTIONAL_PACKAGE_REQUIRES_MAIN_PACKAGE","features":[308]},{"name":"ERROR_INSTALL_OPTIONAL_PACKAGE_REQUIRES_MAIN_PACKAGE_FULLTRUST_CAPABILITY","features":[308]},{"name":"ERROR_INSTALL_OUT_OF_DISK_SPACE","features":[308]},{"name":"ERROR_INSTALL_PACKAGE_DOWNGRADE","features":[308]},{"name":"ERROR_INSTALL_PACKAGE_INVALID","features":[308]},{"name":"ERROR_INSTALL_PACKAGE_NOT_FOUND","features":[308]},{"name":"ERROR_INSTALL_PACKAGE_OPEN_FAILED","features":[308]},{"name":"ERROR_INSTALL_PACKAGE_REJECTED","features":[308]},{"name":"ERROR_INSTALL_PACKAGE_VERSION","features":[308]},{"name":"ERROR_INSTALL_PLATFORM_UNSUPPORTED","features":[308]},{"name":"ERROR_INSTALL_POLICY_FAILURE","features":[308]},{"name":"ERROR_INSTALL_PREREQUISITE_FAILED","features":[308]},{"name":"ERROR_INSTALL_REGISTRATION_FAILURE","features":[308]},{"name":"ERROR_INSTALL_REJECTED","features":[308]},{"name":"ERROR_INSTALL_REMOTE_DISALLOWED","features":[308]},{"name":"ERROR_INSTALL_REMOTE_PROHIBITED","features":[308]},{"name":"ERROR_INSTALL_RESOLVE_DEPENDENCY_FAILED","features":[308]},{"name":"ERROR_INSTALL_RESOLVE_HOSTRUNTIME_DEPENDENCY_FAILED","features":[308]},{"name":"ERROR_INSTALL_SERVICE_FAILURE","features":[308]},{"name":"ERROR_INSTALL_SERVICE_SAFEBOOT","features":[308]},{"name":"ERROR_INSTALL_SOURCE_ABSENT","features":[308]},{"name":"ERROR_INSTALL_SUSPEND","features":[308]},{"name":"ERROR_INSTALL_TEMP_UNWRITABLE","features":[308]},{"name":"ERROR_INSTALL_TRANSFORM_FAILURE","features":[308]},{"name":"ERROR_INSTALL_TRANSFORM_REJECTED","features":[308]},{"name":"ERROR_INSTALL_UI_FAILURE","features":[308]},{"name":"ERROR_INSTALL_USEREXIT","features":[308]},{"name":"ERROR_INSTALL_VOLUME_CORRUPT","features":[308]},{"name":"ERROR_INSTALL_VOLUME_NOT_EMPTY","features":[308]},{"name":"ERROR_INSTALL_VOLUME_OFFLINE","features":[308]},{"name":"ERROR_INSTALL_WRONG_PROCESSOR_ARCHITECTURE","features":[308]},{"name":"ERROR_INSTRUCTION_MISALIGNMENT","features":[308]},{"name":"ERROR_INSUFFICIENT_BUFFER","features":[308]},{"name":"ERROR_INSUFFICIENT_LOGON_INFO","features":[308]},{"name":"ERROR_INSUFFICIENT_POWER","features":[308]},{"name":"ERROR_INSUFFICIENT_RESOURCE_FOR_SPECIFIED_SHARED_SECTION_SIZE","features":[308]},{"name":"ERROR_INSUFFICIENT_VIRTUAL_ADDR_RESOURCES","features":[308]},{"name":"ERROR_INTERFACE_ALREADY_EXISTS","features":[308]},{"name":"ERROR_INTERFACE_CONFIGURATION","features":[308]},{"name":"ERROR_INTERFACE_CONNECTED","features":[308]},{"name":"ERROR_INTERFACE_DEVICE_ACTIVE","features":[308]},{"name":"ERROR_INTERFACE_DEVICE_REMOVED","features":[308]},{"name":"ERROR_INTERFACE_DISABLED","features":[308]},{"name":"ERROR_INTERFACE_DISCONNECTED","features":[308]},{"name":"ERROR_INTERFACE_HAS_NO_DEVICES","features":[308]},{"name":"ERROR_INTERFACE_NOT_CONNECTED","features":[308]},{"name":"ERROR_INTERFACE_UNREACHABLE","features":[308]},{"name":"ERROR_INTERMIXED_KERNEL_EA_OPERATION","features":[308]},{"name":"ERROR_INTERNAL_DB_CORRUPTION","features":[308]},{"name":"ERROR_INTERNAL_DB_ERROR","features":[308]},{"name":"ERROR_INTERNAL_ERROR","features":[308]},{"name":"ERROR_INTERRUPT_STILL_CONNECTED","features":[308]},{"name":"ERROR_INTERRUPT_VECTOR_ALREADY_CONNECTED","features":[308]},{"name":"ERROR_INVALID_ACCEL_HANDLE","features":[308]},{"name":"ERROR_INVALID_ACCESS","features":[308]},{"name":"ERROR_INVALID_ACCOUNT_NAME","features":[308]},{"name":"ERROR_INVALID_ACE_CONDITION","features":[308]},{"name":"ERROR_INVALID_ACL","features":[308]},{"name":"ERROR_INVALID_ADDRESS","features":[308]},{"name":"ERROR_INVALID_ATTRIBUTE_LENGTH","features":[308]},{"name":"ERROR_INVALID_AT_INTERRUPT_TIME","features":[308]},{"name":"ERROR_INVALID_BLOCK","features":[308]},{"name":"ERROR_INVALID_BLOCK_LENGTH","features":[308]},{"name":"ERROR_INVALID_CAP","features":[308]},{"name":"ERROR_INVALID_CATEGORY","features":[308]},{"name":"ERROR_INVALID_CLASS","features":[308]},{"name":"ERROR_INVALID_CLASS_INSTALLER","features":[308]},{"name":"ERROR_INVALID_CLEANER","features":[308]},{"name":"ERROR_INVALID_CLUSTER_IPV6_ADDRESS","features":[308]},{"name":"ERROR_INVALID_CMM","features":[308]},{"name":"ERROR_INVALID_COINSTALLER","features":[308]},{"name":"ERROR_INVALID_COLORINDEX","features":[308]},{"name":"ERROR_INVALID_COLORSPACE","features":[308]},{"name":"ERROR_INVALID_COMBOBOX_MESSAGE","features":[308]},{"name":"ERROR_INVALID_COMMAND_LINE","features":[308]},{"name":"ERROR_INVALID_COMPUTERNAME","features":[308]},{"name":"ERROR_INVALID_CONFIG_VALUE","features":[308]},{"name":"ERROR_INVALID_CRUNTIME_PARAMETER","features":[308]},{"name":"ERROR_INVALID_CURSOR_HANDLE","features":[308]},{"name":"ERROR_INVALID_DATA","features":[308]},{"name":"ERROR_INVALID_DATATYPE","features":[308]},{"name":"ERROR_INVALID_DEVICE_OBJECT_PARAMETER","features":[308]},{"name":"ERROR_INVALID_DEVINST_NAME","features":[308]},{"name":"ERROR_INVALID_DLL","features":[308]},{"name":"ERROR_INVALID_DOMAINNAME","features":[308]},{"name":"ERROR_INVALID_DOMAIN_ROLE","features":[308]},{"name":"ERROR_INVALID_DOMAIN_STATE","features":[308]},{"name":"ERROR_INVALID_DRIVE","features":[308]},{"name":"ERROR_INVALID_DRIVE_OBJECT","features":[308]},{"name":"ERROR_INVALID_DWP_HANDLE","features":[308]},{"name":"ERROR_INVALID_EA_HANDLE","features":[308]},{"name":"ERROR_INVALID_EA_NAME","features":[308]},{"name":"ERROR_INVALID_EDIT_HEIGHT","features":[308]},{"name":"ERROR_INVALID_ENVIRONMENT","features":[308]},{"name":"ERROR_INVALID_EVENTNAME","features":[308]},{"name":"ERROR_INVALID_EVENT_COUNT","features":[308]},{"name":"ERROR_INVALID_EXCEPTION_HANDLER","features":[308]},{"name":"ERROR_INVALID_EXE_SIGNATURE","features":[308]},{"name":"ERROR_INVALID_FIELD","features":[308]},{"name":"ERROR_INVALID_FIELD_IN_PARAMETER_LIST","features":[308]},{"name":"ERROR_INVALID_FILTER_DRIVER","features":[308]},{"name":"ERROR_INVALID_FILTER_PROC","features":[308]},{"name":"ERROR_INVALID_FLAGS","features":[308]},{"name":"ERROR_INVALID_FLAG_NUMBER","features":[308]},{"name":"ERROR_INVALID_FORM_NAME","features":[308]},{"name":"ERROR_INVALID_FORM_SIZE","features":[308]},{"name":"ERROR_INVALID_FUNCTION","features":[308]},{"name":"ERROR_INVALID_GROUPNAME","features":[308]},{"name":"ERROR_INVALID_GROUP_ATTRIBUTES","features":[308]},{"name":"ERROR_INVALID_GW_COMMAND","features":[308]},{"name":"ERROR_INVALID_HANDLE","features":[308]},{"name":"ERROR_INVALID_HANDLE_STATE","features":[308]},{"name":"ERROR_INVALID_HOOK_FILTER","features":[308]},{"name":"ERROR_INVALID_HOOK_HANDLE","features":[308]},{"name":"ERROR_INVALID_HWPROFILE","features":[308]},{"name":"ERROR_INVALID_HW_PROFILE","features":[308]},{"name":"ERROR_INVALID_ICON_HANDLE","features":[308]},{"name":"ERROR_INVALID_ID_AUTHORITY","features":[308]},{"name":"ERROR_INVALID_IMAGE_HASH","features":[308]},{"name":"ERROR_INVALID_IMPORT_OF_NON_DLL","features":[308]},{"name":"ERROR_INVALID_INDEX","features":[308]},{"name":"ERROR_INVALID_INF_LOGCONFIG","features":[308]},{"name":"ERROR_INVALID_KERNEL_INFO_VERSION","features":[308]},{"name":"ERROR_INVALID_KEYBOARD_HANDLE","features":[308]},{"name":"ERROR_INVALID_LABEL","features":[308]},{"name":"ERROR_INVALID_LB_MESSAGE","features":[308]},{"name":"ERROR_INVALID_LDT_DESCRIPTOR","features":[308]},{"name":"ERROR_INVALID_LDT_OFFSET","features":[308]},{"name":"ERROR_INVALID_LDT_SIZE","features":[308]},{"name":"ERROR_INVALID_LEVEL","features":[308]},{"name":"ERROR_INVALID_LIBRARY","features":[308]},{"name":"ERROR_INVALID_LIST_FORMAT","features":[308]},{"name":"ERROR_INVALID_LOCK_RANGE","features":[308]},{"name":"ERROR_INVALID_LOGON_HOURS","features":[308]},{"name":"ERROR_INVALID_LOGON_TYPE","features":[308]},{"name":"ERROR_INVALID_MACHINENAME","features":[308]},{"name":"ERROR_INVALID_MEDIA","features":[308]},{"name":"ERROR_INVALID_MEDIA_POOL","features":[308]},{"name":"ERROR_INVALID_MEMBER","features":[308]},{"name":"ERROR_INVALID_MENU_HANDLE","features":[308]},{"name":"ERROR_INVALID_MESSAGE","features":[308]},{"name":"ERROR_INVALID_MESSAGEDEST","features":[308]},{"name":"ERROR_INVALID_MESSAGENAME","features":[308]},{"name":"ERROR_INVALID_MINALLOCSIZE","features":[308]},{"name":"ERROR_INVALID_MODULETYPE","features":[308]},{"name":"ERROR_INVALID_MONITOR_HANDLE","features":[308]},{"name":"ERROR_INVALID_MSGBOX_STYLE","features":[308]},{"name":"ERROR_INVALID_NAME","features":[308]},{"name":"ERROR_INVALID_NETNAME","features":[308]},{"name":"ERROR_INVALID_OPERATION","features":[308]},{"name":"ERROR_INVALID_OPERATION_ON_QUORUM","features":[308]},{"name":"ERROR_INVALID_OPLOCK_PROTOCOL","features":[308]},{"name":"ERROR_INVALID_ORDINAL","features":[308]},{"name":"ERROR_INVALID_OWNER","features":[308]},{"name":"ERROR_INVALID_PACKAGE_SID_LENGTH","features":[308]},{"name":"ERROR_INVALID_PACKET","features":[308]},{"name":"ERROR_INVALID_PACKET_LENGTH_OR_ID","features":[308]},{"name":"ERROR_INVALID_PARAMETER","features":[308]},{"name":"ERROR_INVALID_PASSWORD","features":[308]},{"name":"ERROR_INVALID_PASSWORDNAME","features":[308]},{"name":"ERROR_INVALID_PATCH_XML","features":[308]},{"name":"ERROR_INVALID_PEP_INFO_VERSION","features":[308]},{"name":"ERROR_INVALID_PIXEL_FORMAT","features":[308]},{"name":"ERROR_INVALID_PLUGPLAY_DEVICE_PATH","features":[308]},{"name":"ERROR_INVALID_PORT_ATTRIBUTES","features":[308]},{"name":"ERROR_INVALID_PRIMARY_GROUP","features":[308]},{"name":"ERROR_INVALID_PRINTER_COMMAND","features":[308]},{"name":"ERROR_INVALID_PRINTER_DRIVER_MANIFEST","features":[308]},{"name":"ERROR_INVALID_PRINTER_NAME","features":[308]},{"name":"ERROR_INVALID_PRINTER_STATE","features":[308]},{"name":"ERROR_INVALID_PRINT_MONITOR","features":[308]},{"name":"ERROR_INVALID_PRIORITY","features":[308]},{"name":"ERROR_INVALID_PROFILE","features":[308]},{"name":"ERROR_INVALID_PROPPAGE_PROVIDER","features":[308]},{"name":"ERROR_INVALID_QUOTA_LOWER","features":[308]},{"name":"ERROR_INVALID_RADIUS_RESPONSE","features":[308]},{"name":"ERROR_INVALID_REFERENCE_STRING","features":[308]},{"name":"ERROR_INVALID_REG_PROPERTY","features":[308]},{"name":"ERROR_INVALID_REPARSE_DATA","features":[308]},{"name":"ERROR_INVALID_RUNLEVEL_SETTING","features":[308]},{"name":"ERROR_INVALID_SCROLLBAR_RANGE","features":[308]},{"name":"ERROR_INVALID_SECURITY_DESCR","features":[308]},{"name":"ERROR_INVALID_SEGDPL","features":[308]},{"name":"ERROR_INVALID_SEGMENT_NUMBER","features":[308]},{"name":"ERROR_INVALID_SEPARATOR_FILE","features":[308]},{"name":"ERROR_INVALID_SERVER_STATE","features":[308]},{"name":"ERROR_INVALID_SERVICENAME","features":[308]},{"name":"ERROR_INVALID_SERVICE_ACCOUNT","features":[308]},{"name":"ERROR_INVALID_SERVICE_CONTROL","features":[308]},{"name":"ERROR_INVALID_SERVICE_LOCK","features":[308]},{"name":"ERROR_INVALID_SHARENAME","features":[308]},{"name":"ERROR_INVALID_SHOWWIN_COMMAND","features":[308]},{"name":"ERROR_INVALID_SID","features":[308]},{"name":"ERROR_INVALID_SIGNAL_NUMBER","features":[308]},{"name":"ERROR_INVALID_SIGNATURE","features":[308]},{"name":"ERROR_INVALID_SIGNATURE_LENGTH","features":[308]},{"name":"ERROR_INVALID_SPI_VALUE","features":[308]},{"name":"ERROR_INVALID_STACKSEG","features":[308]},{"name":"ERROR_INVALID_STAGED_SIGNATURE","features":[308]},{"name":"ERROR_INVALID_STARTING_CODESEG","features":[308]},{"name":"ERROR_INVALID_STATE","features":[308]},{"name":"ERROR_INVALID_SUB_AUTHORITY","features":[308]},{"name":"ERROR_INVALID_TABLE","features":[308]},{"name":"ERROR_INVALID_TARGET","features":[308]},{"name":"ERROR_INVALID_TARGET_HANDLE","features":[308]},{"name":"ERROR_INVALID_TASK_INDEX","features":[308]},{"name":"ERROR_INVALID_TASK_NAME","features":[308]},{"name":"ERROR_INVALID_THREAD_ID","features":[308]},{"name":"ERROR_INVALID_TIME","features":[308]},{"name":"ERROR_INVALID_TOKEN","features":[308]},{"name":"ERROR_INVALID_TRANSACTION","features":[308]},{"name":"ERROR_INVALID_TRANSFORM","features":[308]},{"name":"ERROR_INVALID_UNWIND_TARGET","features":[308]},{"name":"ERROR_INVALID_USER_BUFFER","features":[308]},{"name":"ERROR_INVALID_USER_PRINCIPAL_NAME","features":[308]},{"name":"ERROR_INVALID_VARIANT","features":[308]},{"name":"ERROR_INVALID_VERIFY_SWITCH","features":[308]},{"name":"ERROR_INVALID_WINDOW_HANDLE","features":[308]},{"name":"ERROR_INVALID_WINDOW_STYLE","features":[308]},{"name":"ERROR_INVALID_WORKSTATION","features":[308]},{"name":"ERROR_IN_WOW64","features":[308]},{"name":"ERROR_IOPL_NOT_ENABLED","features":[308]},{"name":"ERROR_IO_DEVICE","features":[308]},{"name":"ERROR_IO_INCOMPLETE","features":[308]},{"name":"ERROR_IO_PENDING","features":[308]},{"name":"ERROR_IO_PREEMPTED","features":[308]},{"name":"ERROR_IO_PRIVILEGE_FAILED","features":[308]},{"name":"ERROR_IO_REISSUE_AS_CACHED","features":[308]},{"name":"ERROR_IPSEC_AUTH_FIREWALL_DROP","features":[308]},{"name":"ERROR_IPSEC_BAD_SPI","features":[308]},{"name":"ERROR_IPSEC_CLEAR_TEXT_DROP","features":[308]},{"name":"ERROR_IPSEC_DEFAULT_MM_AUTH_NOT_FOUND","features":[308]},{"name":"ERROR_IPSEC_DEFAULT_MM_POLICY_NOT_FOUND","features":[308]},{"name":"ERROR_IPSEC_DEFAULT_QM_POLICY_NOT_FOUND","features":[308]},{"name":"ERROR_IPSEC_DOSP_BLOCK","features":[308]},{"name":"ERROR_IPSEC_DOSP_INVALID_PACKET","features":[308]},{"name":"ERROR_IPSEC_DOSP_KEYMOD_NOT_ALLOWED","features":[308]},{"name":"ERROR_IPSEC_DOSP_MAX_ENTRIES","features":[308]},{"name":"ERROR_IPSEC_DOSP_MAX_PER_IP_RATELIMIT_QUEUES","features":[308]},{"name":"ERROR_IPSEC_DOSP_NOT_INSTALLED","features":[308]},{"name":"ERROR_IPSEC_DOSP_RECEIVED_MULTICAST","features":[308]},{"name":"ERROR_IPSEC_DOSP_STATE_LOOKUP_FAILED","features":[308]},{"name":"ERROR_IPSEC_IKE_ADD_UPDATE_KEY_FAILED","features":[308]},{"name":"ERROR_IPSEC_IKE_ATTRIB_FAIL","features":[308]},{"name":"ERROR_IPSEC_IKE_AUTHORIZATION_FAILURE","features":[308]},{"name":"ERROR_IPSEC_IKE_AUTHORIZATION_FAILURE_WITH_OPTIONAL_RETRY","features":[308]},{"name":"ERROR_IPSEC_IKE_AUTH_FAIL","features":[308]},{"name":"ERROR_IPSEC_IKE_BENIGN_REINIT","features":[308]},{"name":"ERROR_IPSEC_IKE_CERT_CHAIN_POLICY_MISMATCH","features":[308]},{"name":"ERROR_IPSEC_IKE_CGA_AUTH_FAILED","features":[308]},{"name":"ERROR_IPSEC_IKE_COEXISTENCE_SUPPRESS","features":[308]},{"name":"ERROR_IPSEC_IKE_CRITICAL_PAYLOAD_NOT_RECOGNIZED","features":[308]},{"name":"ERROR_IPSEC_IKE_CRL_FAILED","features":[308]},{"name":"ERROR_IPSEC_IKE_DECRYPT","features":[308]},{"name":"ERROR_IPSEC_IKE_DH_FAIL","features":[308]},{"name":"ERROR_IPSEC_IKE_DH_FAILURE","features":[308]},{"name":"ERROR_IPSEC_IKE_DOS_COOKIE_SENT","features":[308]},{"name":"ERROR_IPSEC_IKE_DROP_NO_RESPONSE","features":[308]},{"name":"ERROR_IPSEC_IKE_ENCRYPT","features":[308]},{"name":"ERROR_IPSEC_IKE_ERROR","features":[308]},{"name":"ERROR_IPSEC_IKE_FAILQUERYSSP","features":[308]},{"name":"ERROR_IPSEC_IKE_FAILSSPINIT","features":[308]},{"name":"ERROR_IPSEC_IKE_GENERAL_PROCESSING_ERROR","features":[308]},{"name":"ERROR_IPSEC_IKE_GETSPIFAIL","features":[308]},{"name":"ERROR_IPSEC_IKE_INNER_IP_ASSIGNMENT_FAILURE","features":[308]},{"name":"ERROR_IPSEC_IKE_INVALID_AUTH_ALG","features":[308]},{"name":"ERROR_IPSEC_IKE_INVALID_AUTH_PAYLOAD","features":[308]},{"name":"ERROR_IPSEC_IKE_INVALID_CERT_KEYLEN","features":[308]},{"name":"ERROR_IPSEC_IKE_INVALID_CERT_TYPE","features":[308]},{"name":"ERROR_IPSEC_IKE_INVALID_COOKIE","features":[308]},{"name":"ERROR_IPSEC_IKE_INVALID_ENCRYPT_ALG","features":[308]},{"name":"ERROR_IPSEC_IKE_INVALID_FILTER","features":[308]},{"name":"ERROR_IPSEC_IKE_INVALID_GROUP","features":[308]},{"name":"ERROR_IPSEC_IKE_INVALID_HASH","features":[308]},{"name":"ERROR_IPSEC_IKE_INVALID_HASH_ALG","features":[308]},{"name":"ERROR_IPSEC_IKE_INVALID_HASH_SIZE","features":[308]},{"name":"ERROR_IPSEC_IKE_INVALID_HEADER","features":[308]},{"name":"ERROR_IPSEC_IKE_INVALID_KEY_USAGE","features":[308]},{"name":"ERROR_IPSEC_IKE_INVALID_MAJOR_VERSION","features":[308]},{"name":"ERROR_IPSEC_IKE_INVALID_MM_FOR_QM","features":[308]},{"name":"ERROR_IPSEC_IKE_INVALID_PAYLOAD","features":[308]},{"name":"ERROR_IPSEC_IKE_INVALID_POLICY","features":[308]},{"name":"ERROR_IPSEC_IKE_INVALID_RESPONDER_LIFETIME_NOTIFY","features":[308]},{"name":"ERROR_IPSEC_IKE_INVALID_SIG","features":[308]},{"name":"ERROR_IPSEC_IKE_INVALID_SIGNATURE","features":[308]},{"name":"ERROR_IPSEC_IKE_INVALID_SITUATION","features":[308]},{"name":"ERROR_IPSEC_IKE_KERBEROS_ERROR","features":[308]},{"name":"ERROR_IPSEC_IKE_KILL_DUMMY_NAP_TUNNEL","features":[308]},{"name":"ERROR_IPSEC_IKE_LOAD_FAILED","features":[308]},{"name":"ERROR_IPSEC_IKE_LOAD_SOFT_SA","features":[308]},{"name":"ERROR_IPSEC_IKE_MM_ACQUIRE_DROP","features":[308]},{"name":"ERROR_IPSEC_IKE_MM_DELAY_DROP","features":[308]},{"name":"ERROR_IPSEC_IKE_MM_EXPIRED","features":[308]},{"name":"ERROR_IPSEC_IKE_MM_LIMIT","features":[308]},{"name":"ERROR_IPSEC_IKE_NEGOTIATION_DISABLED","features":[308]},{"name":"ERROR_IPSEC_IKE_NEGOTIATION_PENDING","features":[308]},{"name":"ERROR_IPSEC_IKE_NEG_STATUS_BEGIN","features":[308]},{"name":"ERROR_IPSEC_IKE_NEG_STATUS_END","features":[308]},{"name":"ERROR_IPSEC_IKE_NEG_STATUS_EXTENDED_END","features":[308]},{"name":"ERROR_IPSEC_IKE_NOTCBPRIV","features":[308]},{"name":"ERROR_IPSEC_IKE_NO_CERT","features":[308]},{"name":"ERROR_IPSEC_IKE_NO_MM_POLICY","features":[308]},{"name":"ERROR_IPSEC_IKE_NO_PEER_CERT","features":[308]},{"name":"ERROR_IPSEC_IKE_NO_POLICY","features":[308]},{"name":"ERROR_IPSEC_IKE_NO_PRIVATE_KEY","features":[308]},{"name":"ERROR_IPSEC_IKE_NO_PUBLIC_KEY","features":[308]},{"name":"ERROR_IPSEC_IKE_OUT_OF_MEMORY","features":[308]},{"name":"ERROR_IPSEC_IKE_PEER_CRL_FAILED","features":[308]},{"name":"ERROR_IPSEC_IKE_PEER_DOESNT_SUPPORT_MOBIKE","features":[308]},{"name":"ERROR_IPSEC_IKE_PEER_MM_ASSUMED_INVALID","features":[308]},{"name":"ERROR_IPSEC_IKE_POLICY_CHANGE","features":[308]},{"name":"ERROR_IPSEC_IKE_POLICY_MATCH","features":[308]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR","features":[308]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_CERT","features":[308]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_CERT_REQ","features":[308]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_DELETE","features":[308]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_HASH","features":[308]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_ID","features":[308]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_KE","features":[308]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_NATOA","features":[308]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_NONCE","features":[308]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_NOTIFY","features":[308]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_PROP","features":[308]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_SA","features":[308]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_SIG","features":[308]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_TRANS","features":[308]},{"name":"ERROR_IPSEC_IKE_PROCESS_ERR_VENDOR","features":[308]},{"name":"ERROR_IPSEC_IKE_QM_ACQUIRE_DROP","features":[308]},{"name":"ERROR_IPSEC_IKE_QM_DELAY_DROP","features":[308]},{"name":"ERROR_IPSEC_IKE_QM_EXPIRED","features":[308]},{"name":"ERROR_IPSEC_IKE_QM_LIMIT","features":[308]},{"name":"ERROR_IPSEC_IKE_QUEUE_DROP_MM","features":[308]},{"name":"ERROR_IPSEC_IKE_QUEUE_DROP_NO_MM","features":[308]},{"name":"ERROR_IPSEC_IKE_RATELIMIT_DROP","features":[308]},{"name":"ERROR_IPSEC_IKE_REQUIRE_CP_PAYLOAD_MISSING","features":[308]},{"name":"ERROR_IPSEC_IKE_RPC_DELETE","features":[308]},{"name":"ERROR_IPSEC_IKE_SA_DELETED","features":[308]},{"name":"ERROR_IPSEC_IKE_SA_REAPED","features":[308]},{"name":"ERROR_IPSEC_IKE_SECLOADFAIL","features":[308]},{"name":"ERROR_IPSEC_IKE_SHUTTING_DOWN","features":[308]},{"name":"ERROR_IPSEC_IKE_SIMULTANEOUS_REKEY","features":[308]},{"name":"ERROR_IPSEC_IKE_SOFT_SA_TORN_DOWN","features":[308]},{"name":"ERROR_IPSEC_IKE_SRVACQFAIL","features":[308]},{"name":"ERROR_IPSEC_IKE_SRVQUERYCRED","features":[308]},{"name":"ERROR_IPSEC_IKE_STRONG_CRED_AUTHORIZATION_AND_CERTMAP_FAILURE","features":[308]},{"name":"ERROR_IPSEC_IKE_STRONG_CRED_AUTHORIZATION_FAILURE","features":[308]},{"name":"ERROR_IPSEC_IKE_TIMED_OUT","features":[308]},{"name":"ERROR_IPSEC_IKE_TOO_MANY_FILTERS","features":[308]},{"name":"ERROR_IPSEC_IKE_UNEXPECTED_MESSAGE_ID","features":[308]},{"name":"ERROR_IPSEC_IKE_UNKNOWN_DOI","features":[308]},{"name":"ERROR_IPSEC_IKE_UNSUPPORTED_ID","features":[308]},{"name":"ERROR_IPSEC_INTEGRITY_CHECK_FAILED","features":[308]},{"name":"ERROR_IPSEC_INVALID_PACKET","features":[308]},{"name":"ERROR_IPSEC_KEY_MODULE_IMPERSONATION_NEGOTIATION_PENDING","features":[308]},{"name":"ERROR_IPSEC_MM_AUTH_EXISTS","features":[308]},{"name":"ERROR_IPSEC_MM_AUTH_IN_USE","features":[308]},{"name":"ERROR_IPSEC_MM_AUTH_NOT_FOUND","features":[308]},{"name":"ERROR_IPSEC_MM_AUTH_PENDING_DELETION","features":[308]},{"name":"ERROR_IPSEC_MM_FILTER_EXISTS","features":[308]},{"name":"ERROR_IPSEC_MM_FILTER_NOT_FOUND","features":[308]},{"name":"ERROR_IPSEC_MM_FILTER_PENDING_DELETION","features":[308]},{"name":"ERROR_IPSEC_MM_POLICY_EXISTS","features":[308]},{"name":"ERROR_IPSEC_MM_POLICY_IN_USE","features":[308]},{"name":"ERROR_IPSEC_MM_POLICY_NOT_FOUND","features":[308]},{"name":"ERROR_IPSEC_MM_POLICY_PENDING_DELETION","features":[308]},{"name":"ERROR_IPSEC_QM_POLICY_EXISTS","features":[308]},{"name":"ERROR_IPSEC_QM_POLICY_IN_USE","features":[308]},{"name":"ERROR_IPSEC_QM_POLICY_NOT_FOUND","features":[308]},{"name":"ERROR_IPSEC_QM_POLICY_PENDING_DELETION","features":[308]},{"name":"ERROR_IPSEC_REPLAY_CHECK_FAILED","features":[308]},{"name":"ERROR_IPSEC_SA_LIFETIME_EXPIRED","features":[308]},{"name":"ERROR_IPSEC_THROTTLE_DROP","features":[308]},{"name":"ERROR_IPSEC_TRANSPORT_FILTER_EXISTS","features":[308]},{"name":"ERROR_IPSEC_TRANSPORT_FILTER_NOT_FOUND","features":[308]},{"name":"ERROR_IPSEC_TRANSPORT_FILTER_PENDING_DELETION","features":[308]},{"name":"ERROR_IPSEC_TUNNEL_FILTER_EXISTS","features":[308]},{"name":"ERROR_IPSEC_TUNNEL_FILTER_NOT_FOUND","features":[308]},{"name":"ERROR_IPSEC_TUNNEL_FILTER_PENDING_DELETION","features":[308]},{"name":"ERROR_IPSEC_WRONG_SA","features":[308]},{"name":"ERROR_IP_ADDRESS_CONFLICT1","features":[308]},{"name":"ERROR_IP_ADDRESS_CONFLICT2","features":[308]},{"name":"ERROR_IRQ_BUSY","features":[308]},{"name":"ERROR_IS_JOINED","features":[308]},{"name":"ERROR_IS_JOIN_PATH","features":[308]},{"name":"ERROR_IS_JOIN_TARGET","features":[308]},{"name":"ERROR_IS_SUBSTED","features":[308]},{"name":"ERROR_IS_SUBST_PATH","features":[308]},{"name":"ERROR_IS_SUBST_TARGET","features":[308]},{"name":"ERROR_ITERATED_DATA_EXCEEDS_64k","features":[308]},{"name":"ERROR_JOB_NO_CONTAINER","features":[308]},{"name":"ERROR_JOIN_TO_JOIN","features":[308]},{"name":"ERROR_JOIN_TO_SUBST","features":[308]},{"name":"ERROR_JOURNAL_DELETE_IN_PROGRESS","features":[308]},{"name":"ERROR_JOURNAL_ENTRY_DELETED","features":[308]},{"name":"ERROR_JOURNAL_HOOK_SET","features":[308]},{"name":"ERROR_JOURNAL_NOT_ACTIVE","features":[308]},{"name":"ERROR_KERNEL_APC","features":[308]},{"name":"ERROR_KEY_DELETED","features":[308]},{"name":"ERROR_KEY_DOES_NOT_EXIST","features":[308]},{"name":"ERROR_KEY_HAS_CHILDREN","features":[308]},{"name":"ERROR_KM_DRIVER_BLOCKED","features":[308]},{"name":"ERROR_LABEL_TOO_LONG","features":[308]},{"name":"ERROR_LAPS_ENCRYPTION_REQUIRES_2016_DFL","features":[308]},{"name":"ERROR_LAPS_LEGACY_SCHEMA_MISSING","features":[308]},{"name":"ERROR_LAPS_SCHEMA_MISSING","features":[308]},{"name":"ERROR_LAST_ADMIN","features":[308]},{"name":"ERROR_LB_WITHOUT_TABSTOPS","features":[308]},{"name":"ERROR_LIBRARY_FULL","features":[308]},{"name":"ERROR_LIBRARY_OFFLINE","features":[308]},{"name":"ERROR_LICENSE_QUOTA_EXCEEDED","features":[308]},{"name":"ERROR_LINE_NOT_FOUND","features":[308]},{"name":"ERROR_LINUX_SUBSYSTEM_NOT_PRESENT","features":[308]},{"name":"ERROR_LINUX_SUBSYSTEM_UPDATE_REQUIRED","features":[308]},{"name":"ERROR_LISTBOX_ID_NOT_FOUND","features":[308]},{"name":"ERROR_LM_CROSS_ENCRYPTION_REQUIRED","features":[308]},{"name":"ERROR_LOCAL_POLICY_MODIFICATION_NOT_SUPPORTED","features":[308]},{"name":"ERROR_LOCAL_USER_SESSION_KEY","features":[308]},{"name":"ERROR_LOCKED","features":[308]},{"name":"ERROR_LOCK_FAILED","features":[308]},{"name":"ERROR_LOCK_VIOLATION","features":[308]},{"name":"ERROR_LOGIN_TIME_RESTRICTION","features":[308]},{"name":"ERROR_LOGIN_WKSTA_RESTRICTION","features":[308]},{"name":"ERROR_LOGON_FAILURE","features":[308]},{"name":"ERROR_LOGON_NOT_GRANTED","features":[308]},{"name":"ERROR_LOGON_SERVER_CONFLICT","features":[308]},{"name":"ERROR_LOGON_SESSION_COLLISION","features":[308]},{"name":"ERROR_LOGON_SESSION_EXISTS","features":[308]},{"name":"ERROR_LOGON_TYPE_NOT_GRANTED","features":[308]},{"name":"ERROR_LOG_APPENDED_FLUSH_FAILED","features":[308]},{"name":"ERROR_LOG_ARCHIVE_IN_PROGRESS","features":[308]},{"name":"ERROR_LOG_ARCHIVE_NOT_IN_PROGRESS","features":[308]},{"name":"ERROR_LOG_BLOCKS_EXHAUSTED","features":[308]},{"name":"ERROR_LOG_BLOCK_INCOMPLETE","features":[308]},{"name":"ERROR_LOG_BLOCK_INVALID","features":[308]},{"name":"ERROR_LOG_BLOCK_VERSION","features":[308]},{"name":"ERROR_LOG_CANT_DELETE","features":[308]},{"name":"ERROR_LOG_CLIENT_ALREADY_REGISTERED","features":[308]},{"name":"ERROR_LOG_CLIENT_NOT_REGISTERED","features":[308]},{"name":"ERROR_LOG_CONTAINER_LIMIT_EXCEEDED","features":[308]},{"name":"ERROR_LOG_CONTAINER_OPEN_FAILED","features":[308]},{"name":"ERROR_LOG_CONTAINER_READ_FAILED","features":[308]},{"name":"ERROR_LOG_CONTAINER_STATE_INVALID","features":[308]},{"name":"ERROR_LOG_CONTAINER_WRITE_FAILED","features":[308]},{"name":"ERROR_LOG_CORRUPTION_DETECTED","features":[308]},{"name":"ERROR_LOG_DEDICATED","features":[308]},{"name":"ERROR_LOG_EPHEMERAL","features":[308]},{"name":"ERROR_LOG_FILE_FULL","features":[308]},{"name":"ERROR_LOG_FULL","features":[308]},{"name":"ERROR_LOG_FULL_HANDLER_IN_PROGRESS","features":[308]},{"name":"ERROR_LOG_GROWTH_FAILED","features":[308]},{"name":"ERROR_LOG_HARD_ERROR","features":[308]},{"name":"ERROR_LOG_INCONSISTENT_SECURITY","features":[308]},{"name":"ERROR_LOG_INVALID_RANGE","features":[308]},{"name":"ERROR_LOG_METADATA_CORRUPT","features":[308]},{"name":"ERROR_LOG_METADATA_FLUSH_FAILED","features":[308]},{"name":"ERROR_LOG_METADATA_INCONSISTENT","features":[308]},{"name":"ERROR_LOG_METADATA_INVALID","features":[308]},{"name":"ERROR_LOG_MULTIPLEXED","features":[308]},{"name":"ERROR_LOG_NOT_ENOUGH_CONTAINERS","features":[308]},{"name":"ERROR_LOG_NO_RESTART","features":[308]},{"name":"ERROR_LOG_PINNED","features":[308]},{"name":"ERROR_LOG_PINNED_ARCHIVE_TAIL","features":[308]},{"name":"ERROR_LOG_PINNED_RESERVATION","features":[308]},{"name":"ERROR_LOG_POLICY_ALREADY_INSTALLED","features":[308]},{"name":"ERROR_LOG_POLICY_CONFLICT","features":[308]},{"name":"ERROR_LOG_POLICY_INVALID","features":[308]},{"name":"ERROR_LOG_POLICY_NOT_INSTALLED","features":[308]},{"name":"ERROR_LOG_READ_CONTEXT_INVALID","features":[308]},{"name":"ERROR_LOG_READ_MODE_INVALID","features":[308]},{"name":"ERROR_LOG_RECORDS_RESERVED_INVALID","features":[308]},{"name":"ERROR_LOG_RECORD_NONEXISTENT","features":[308]},{"name":"ERROR_LOG_RESERVATION_INVALID","features":[308]},{"name":"ERROR_LOG_RESIZE_INVALID_SIZE","features":[308]},{"name":"ERROR_LOG_RESTART_INVALID","features":[308]},{"name":"ERROR_LOG_SECTOR_INVALID","features":[308]},{"name":"ERROR_LOG_SECTOR_PARITY_INVALID","features":[308]},{"name":"ERROR_LOG_SECTOR_REMAPPED","features":[308]},{"name":"ERROR_LOG_SPACE_RESERVED_INVALID","features":[308]},{"name":"ERROR_LOG_START_OF_LOG","features":[308]},{"name":"ERROR_LOG_STATE_INVALID","features":[308]},{"name":"ERROR_LOG_TAIL_INVALID","features":[308]},{"name":"ERROR_LONGJUMP","features":[308]},{"name":"ERROR_LOST_MODE_LOGON_RESTRICTION","features":[308]},{"name":"ERROR_LOST_WRITEBEHIND_DATA","features":[308]},{"name":"ERROR_LOST_WRITEBEHIND_DATA_LOCAL_DISK_ERROR","features":[308]},{"name":"ERROR_LOST_WRITEBEHIND_DATA_NETWORK_DISCONNECTED","features":[308]},{"name":"ERROR_LOST_WRITEBEHIND_DATA_NETWORK_SERVER_ERROR","features":[308]},{"name":"ERROR_LUIDS_EXHAUSTED","features":[308]},{"name":"ERROR_MACHINE_LOCKED","features":[308]},{"name":"ERROR_MACHINE_SCOPE_NOT_ALLOWED","features":[308]},{"name":"ERROR_MACHINE_UNAVAILABLE","features":[308]},{"name":"ERROR_MAGAZINE_NOT_PRESENT","features":[308]},{"name":"ERROR_MALFORMED_SUBSTITUTION_STRING","features":[308]},{"name":"ERROR_MAPPED_ALIGNMENT","features":[308]},{"name":"ERROR_MARKED_TO_DISALLOW_WRITES","features":[308]},{"name":"ERROR_MARSHALL_OVERFLOW","features":[308]},{"name":"ERROR_MAX_CLIENT_INTERFACE_LIMIT","features":[308]},{"name":"ERROR_MAX_LAN_INTERFACE_LIMIT","features":[308]},{"name":"ERROR_MAX_SESSIONS_REACHED","features":[308]},{"name":"ERROR_MAX_THRDS_REACHED","features":[308]},{"name":"ERROR_MAX_WAN_INTERFACE_LIMIT","features":[308]},{"name":"ERROR_MCA_EXCEPTION","features":[308]},{"name":"ERROR_MCA_INTERNAL_ERROR","features":[308]},{"name":"ERROR_MCA_INVALID_CAPABILITIES_STRING","features":[308]},{"name":"ERROR_MCA_INVALID_TECHNOLOGY_TYPE_RETURNED","features":[308]},{"name":"ERROR_MCA_INVALID_VCP_VERSION","features":[308]},{"name":"ERROR_MCA_MCCS_VERSION_MISMATCH","features":[308]},{"name":"ERROR_MCA_MONITOR_VIOLATES_MCCS_SPECIFICATION","features":[308]},{"name":"ERROR_MCA_OCCURED","features":[308]},{"name":"ERROR_MCA_UNSUPPORTED_COLOR_TEMPERATURE","features":[308]},{"name":"ERROR_MCA_UNSUPPORTED_MCCS_VERSION","features":[308]},{"name":"ERROR_MEDIA_CHANGED","features":[308]},{"name":"ERROR_MEDIA_CHECK","features":[308]},{"name":"ERROR_MEDIA_INCOMPATIBLE","features":[308]},{"name":"ERROR_MEDIA_NOT_AVAILABLE","features":[308]},{"name":"ERROR_MEDIA_OFFLINE","features":[308]},{"name":"ERROR_MEDIA_UNAVAILABLE","features":[308]},{"name":"ERROR_MEDIUM_NOT_ACCESSIBLE","features":[308]},{"name":"ERROR_MEMBERS_PRIMARY_GROUP","features":[308]},{"name":"ERROR_MEMBER_IN_ALIAS","features":[308]},{"name":"ERROR_MEMBER_IN_GROUP","features":[308]},{"name":"ERROR_MEMBER_NOT_IN_ALIAS","features":[308]},{"name":"ERROR_MEMBER_NOT_IN_GROUP","features":[308]},{"name":"ERROR_MEMORY_HARDWARE","features":[308]},{"name":"ERROR_MENU_ITEM_NOT_FOUND","features":[308]},{"name":"ERROR_MESSAGE_EXCEEDS_MAX_SIZE","features":[308]},{"name":"ERROR_MESSAGE_SYNC_ONLY","features":[308]},{"name":"ERROR_METAFILE_NOT_SUPPORTED","features":[308]},{"name":"ERROR_META_EXPANSION_TOO_LONG","features":[308]},{"name":"ERROR_MINIVERSION_INACCESSIBLE_FROM_SPECIFIED_TRANSACTION","features":[308]},{"name":"ERROR_MISSING_SYSTEMFILE","features":[308]},{"name":"ERROR_MOD_NOT_FOUND","features":[308]},{"name":"ERROR_MONITOR_INVALID_DESCRIPTOR_CHECKSUM","features":[308]},{"name":"ERROR_MONITOR_INVALID_DETAILED_TIMING_BLOCK","features":[308]},{"name":"ERROR_MONITOR_INVALID_MANUFACTURE_DATE","features":[308]},{"name":"ERROR_MONITOR_INVALID_SERIAL_NUMBER_MONDSC_BLOCK","features":[308]},{"name":"ERROR_MONITOR_INVALID_STANDARD_TIMING_BLOCK","features":[308]},{"name":"ERROR_MONITOR_INVALID_USER_FRIENDLY_MONDSC_BLOCK","features":[308]},{"name":"ERROR_MONITOR_NO_DESCRIPTOR","features":[308]},{"name":"ERROR_MONITOR_NO_MORE_DESCRIPTOR_DATA","features":[308]},{"name":"ERROR_MONITOR_UNKNOWN_DESCRIPTOR_FORMAT","features":[308]},{"name":"ERROR_MONITOR_WMI_DATABLOCK_REGISTRATION_FAILED","features":[308]},{"name":"ERROR_MORE_DATA","features":[308]},{"name":"ERROR_MORE_WRITES","features":[308]},{"name":"ERROR_MOUNT_POINT_NOT_RESOLVED","features":[308]},{"name":"ERROR_MP_PROCESSOR_MISMATCH","features":[308]},{"name":"ERROR_MRM_AUTOMERGE_ENABLED","features":[308]},{"name":"ERROR_MRM_DIRECT_REF_TO_NON_DEFAULT_RESOURCE","features":[308]},{"name":"ERROR_MRM_DUPLICATE_ENTRY","features":[308]},{"name":"ERROR_MRM_DUPLICATE_MAP_NAME","features":[308]},{"name":"ERROR_MRM_FILEPATH_TOO_LONG","features":[308]},{"name":"ERROR_MRM_GENERATION_COUNT_MISMATCH","features":[308]},{"name":"ERROR_MRM_INDETERMINATE_QUALIFIER_VALUE","features":[308]},{"name":"ERROR_MRM_INVALID_FILE_TYPE","features":[308]},{"name":"ERROR_MRM_INVALID_PRICONFIG","features":[308]},{"name":"ERROR_MRM_INVALID_PRI_FILE","features":[308]},{"name":"ERROR_MRM_INVALID_QUALIFIER_OPERATOR","features":[308]},{"name":"ERROR_MRM_INVALID_QUALIFIER_VALUE","features":[308]},{"name":"ERROR_MRM_INVALID_RESOURCE_IDENTIFIER","features":[308]},{"name":"ERROR_MRM_MAP_NOT_FOUND","features":[308]},{"name":"ERROR_MRM_MISSING_DEFAULT_LANGUAGE","features":[308]},{"name":"ERROR_MRM_NAMED_RESOURCE_NOT_FOUND","features":[308]},{"name":"ERROR_MRM_NO_CANDIDATE","features":[308]},{"name":"ERROR_MRM_NO_CURRENT_VIEW_ON_THREAD","features":[308]},{"name":"ERROR_MRM_NO_MATCH_OR_DEFAULT_CANDIDATE","features":[308]},{"name":"ERROR_MRM_PACKAGE_NOT_FOUND","features":[308]},{"name":"ERROR_MRM_RESOURCE_TYPE_MISMATCH","features":[308]},{"name":"ERROR_MRM_RUNTIME_NO_DEFAULT_OR_NEUTRAL_RESOURCE","features":[308]},{"name":"ERROR_MRM_SCOPE_ITEM_CONFLICT","features":[308]},{"name":"ERROR_MRM_TOO_MANY_RESOURCES","features":[308]},{"name":"ERROR_MRM_UNKNOWN_QUALIFIER","features":[308]},{"name":"ERROR_MRM_UNSUPPORTED_DIRECTORY_TYPE","features":[308]},{"name":"ERROR_MRM_UNSUPPORTED_FILE_TYPE_FOR_LOAD_UNLOAD_PRI_FILE","features":[308]},{"name":"ERROR_MRM_UNSUPPORTED_FILE_TYPE_FOR_MERGE","features":[308]},{"name":"ERROR_MRM_UNSUPPORTED_PROFILE_TYPE","features":[308]},{"name":"ERROR_MR_MID_NOT_FOUND","features":[308]},{"name":"ERROR_MUI_FILE_NOT_FOUND","features":[308]},{"name":"ERROR_MUI_FILE_NOT_LOADED","features":[308]},{"name":"ERROR_MUI_INTLSETTINGS_INVALID_LOCALE_NAME","features":[308]},{"name":"ERROR_MUI_INTLSETTINGS_UILANG_NOT_INSTALLED","features":[308]},{"name":"ERROR_MUI_INVALID_FILE","features":[308]},{"name":"ERROR_MUI_INVALID_LOCALE_NAME","features":[308]},{"name":"ERROR_MUI_INVALID_RC_CONFIG","features":[308]},{"name":"ERROR_MUI_INVALID_ULTIMATEFALLBACK_NAME","features":[308]},{"name":"ERROR_MULTIPLE_FAULT_VIOLATION","features":[308]},{"name":"ERROR_MUTANT_LIMIT_EXCEEDED","features":[308]},{"name":"ERROR_MUTUAL_AUTH_FAILED","features":[308]},{"name":"ERROR_NDIS_ADAPTER_NOT_FOUND","features":[308]},{"name":"ERROR_NDIS_ADAPTER_NOT_READY","features":[308]},{"name":"ERROR_NDIS_ADAPTER_REMOVED","features":[308]},{"name":"ERROR_NDIS_ALREADY_MAPPED","features":[308]},{"name":"ERROR_NDIS_BAD_CHARACTERISTICS","features":[308]},{"name":"ERROR_NDIS_BAD_VERSION","features":[308]},{"name":"ERROR_NDIS_BUFFER_TOO_SHORT","features":[308]},{"name":"ERROR_NDIS_DEVICE_FAILED","features":[308]},{"name":"ERROR_NDIS_DOT11_AP_BAND_CURRENTLY_NOT_AVAILABLE","features":[308]},{"name":"ERROR_NDIS_DOT11_AP_BAND_NOT_ALLOWED","features":[308]},{"name":"ERROR_NDIS_DOT11_AP_CHANNEL_CURRENTLY_NOT_AVAILABLE","features":[308]},{"name":"ERROR_NDIS_DOT11_AP_CHANNEL_NOT_ALLOWED","features":[308]},{"name":"ERROR_NDIS_DOT11_AUTO_CONFIG_ENABLED","features":[308]},{"name":"ERROR_NDIS_DOT11_MEDIA_IN_USE","features":[308]},{"name":"ERROR_NDIS_DOT11_POWER_STATE_INVALID","features":[308]},{"name":"ERROR_NDIS_ERROR_READING_FILE","features":[308]},{"name":"ERROR_NDIS_FILE_NOT_FOUND","features":[308]},{"name":"ERROR_NDIS_GROUP_ADDRESS_IN_USE","features":[308]},{"name":"ERROR_NDIS_INDICATION_REQUIRED","features":[308]},{"name":"ERROR_NDIS_INTERFACE_CLOSING","features":[308]},{"name":"ERROR_NDIS_INTERFACE_NOT_FOUND","features":[308]},{"name":"ERROR_NDIS_INVALID_ADDRESS","features":[308]},{"name":"ERROR_NDIS_INVALID_DATA","features":[308]},{"name":"ERROR_NDIS_INVALID_DEVICE_REQUEST","features":[308]},{"name":"ERROR_NDIS_INVALID_LENGTH","features":[308]},{"name":"ERROR_NDIS_INVALID_OID","features":[308]},{"name":"ERROR_NDIS_INVALID_PACKET","features":[308]},{"name":"ERROR_NDIS_INVALID_PORT","features":[308]},{"name":"ERROR_NDIS_INVALID_PORT_STATE","features":[308]},{"name":"ERROR_NDIS_LOW_POWER_STATE","features":[308]},{"name":"ERROR_NDIS_MEDIA_DISCONNECTED","features":[308]},{"name":"ERROR_NDIS_MULTICAST_EXISTS","features":[308]},{"name":"ERROR_NDIS_MULTICAST_FULL","features":[308]},{"name":"ERROR_NDIS_MULTICAST_NOT_FOUND","features":[308]},{"name":"ERROR_NDIS_NOT_SUPPORTED","features":[308]},{"name":"ERROR_NDIS_NO_QUEUES","features":[308]},{"name":"ERROR_NDIS_OFFLOAD_CONNECTION_REJECTED","features":[308]},{"name":"ERROR_NDIS_OFFLOAD_PATH_REJECTED","features":[308]},{"name":"ERROR_NDIS_OFFLOAD_POLICY","features":[308]},{"name":"ERROR_NDIS_OPEN_FAILED","features":[308]},{"name":"ERROR_NDIS_PAUSED","features":[308]},{"name":"ERROR_NDIS_PM_PROTOCOL_OFFLOAD_LIST_FULL","features":[308]},{"name":"ERROR_NDIS_PM_WOL_PATTERN_LIST_FULL","features":[308]},{"name":"ERROR_NDIS_REINIT_REQUIRED","features":[308]},{"name":"ERROR_NDIS_REQUEST_ABORTED","features":[308]},{"name":"ERROR_NDIS_RESET_IN_PROGRESS","features":[308]},{"name":"ERROR_NDIS_RESOURCE_CONFLICT","features":[308]},{"name":"ERROR_NDIS_UNSUPPORTED_MEDIA","features":[308]},{"name":"ERROR_NDIS_UNSUPPORTED_REVISION","features":[308]},{"name":"ERROR_NEEDS_REGISTRATION","features":[308]},{"name":"ERROR_NEEDS_REMEDIATION","features":[308]},{"name":"ERROR_NEGATIVE_SEEK","features":[308]},{"name":"ERROR_NESTING_NOT_ALLOWED","features":[308]},{"name":"ERROR_NETLOGON_NOT_STARTED","features":[308]},{"name":"ERROR_NETNAME_DELETED","features":[308]},{"name":"ERROR_NETWORK_ACCESS_DENIED","features":[308]},{"name":"ERROR_NETWORK_ACCESS_DENIED_EDP","features":[308]},{"name":"ERROR_NETWORK_AUTHENTICATION_PROMPT_CANCELED","features":[308]},{"name":"ERROR_NETWORK_BUSY","features":[308]},{"name":"ERROR_NETWORK_NOT_AVAILABLE","features":[308]},{"name":"ERROR_NETWORK_UNREACHABLE","features":[308]},{"name":"ERROR_NET_OPEN_FAILED","features":[308]},{"name":"ERROR_NET_WRITE_FAULT","features":[308]},{"name":"ERROR_NOACCESS","features":[308]},{"name":"ERROR_NODE_CANNOT_BE_CLUSTERED","features":[308]},{"name":"ERROR_NODE_CANT_HOST_RESOURCE","features":[308]},{"name":"ERROR_NODE_NOT_ACTIVE_CLUSTER_MEMBER","features":[308]},{"name":"ERROR_NODE_NOT_AVAILABLE","features":[308]},{"name":"ERROR_NOINTERFACE","features":[308]},{"name":"ERROR_NOLOGON_INTERDOMAIN_TRUST_ACCOUNT","features":[308]},{"name":"ERROR_NOLOGON_SERVER_TRUST_ACCOUNT","features":[308]},{"name":"ERROR_NOLOGON_WORKSTATION_TRUST_ACCOUNT","features":[308]},{"name":"ERROR_NONCORE_GROUPS_FOUND","features":[308]},{"name":"ERROR_NONE_MAPPED","features":[308]},{"name":"ERROR_NONPAGED_SYSTEM_RESOURCES","features":[308]},{"name":"ERROR_NON_ACCOUNT_SID","features":[308]},{"name":"ERROR_NON_CSV_PATH","features":[308]},{"name":"ERROR_NON_DOMAIN_SID","features":[308]},{"name":"ERROR_NON_MDICHILD_WINDOW","features":[308]},{"name":"ERROR_NON_WINDOWS_DRIVER","features":[308]},{"name":"ERROR_NON_WINDOWS_NT_DRIVER","features":[308]},{"name":"ERROR_NOTHING_TO_TERMINATE","features":[308]},{"name":"ERROR_NOTIFICATION_GUID_ALREADY_DEFINED","features":[308]},{"name":"ERROR_NOTIFY_CLEANUP","features":[308]},{"name":"ERROR_NOTIFY_ENUM_DIR","features":[308]},{"name":"ERROR_NOT_ALLOWED_ON_SYSTEM_FILE","features":[308]},{"name":"ERROR_NOT_ALL_ASSIGNED","features":[308]},{"name":"ERROR_NOT_AN_INSTALLED_OEM_INF","features":[308]},{"name":"ERROR_NOT_APPCONTAINER","features":[308]},{"name":"ERROR_NOT_AUTHENTICATED","features":[308]},{"name":"ERROR_NOT_A_CLOUD_FILE","features":[308]},{"name":"ERROR_NOT_A_CLOUD_SYNC_ROOT","features":[308]},{"name":"ERROR_NOT_A_DAX_VOLUME","features":[308]},{"name":"ERROR_NOT_A_DEV_VOLUME","features":[308]},{"name":"ERROR_NOT_A_REPARSE_POINT","features":[308]},{"name":"ERROR_NOT_A_TIERED_VOLUME","features":[308]},{"name":"ERROR_NOT_CAPABLE","features":[308]},{"name":"ERROR_NOT_CHILD_WINDOW","features":[308]},{"name":"ERROR_NOT_CLIENT_PORT","features":[308]},{"name":"ERROR_NOT_CONNECTED","features":[308]},{"name":"ERROR_NOT_CONTAINER","features":[308]},{"name":"ERROR_NOT_DAX_MAPPABLE","features":[308]},{"name":"ERROR_NOT_DISABLEABLE","features":[308]},{"name":"ERROR_NOT_DOS_DISK","features":[308]},{"name":"ERROR_NOT_EMPTY","features":[308]},{"name":"ERROR_NOT_ENOUGH_MEMORY","features":[308]},{"name":"ERROR_NOT_ENOUGH_QUOTA","features":[308]},{"name":"ERROR_NOT_ENOUGH_SERVER_MEMORY","features":[308]},{"name":"ERROR_NOT_EXPORT_FORMAT","features":[308]},{"name":"ERROR_NOT_FOUND","features":[308]},{"name":"ERROR_NOT_GUI_PROCESS","features":[308]},{"name":"ERROR_NOT_INSTALLED","features":[308]},{"name":"ERROR_NOT_JOINED","features":[308]},{"name":"ERROR_NOT_LOCKED","features":[308]},{"name":"ERROR_NOT_LOGGED_ON","features":[308]},{"name":"ERROR_NOT_LOGON_PROCESS","features":[308]},{"name":"ERROR_NOT_OWNER","features":[308]},{"name":"ERROR_NOT_QUORUM_CAPABLE","features":[308]},{"name":"ERROR_NOT_QUORUM_CLASS","features":[308]},{"name":"ERROR_NOT_READY","features":[308]},{"name":"ERROR_NOT_READ_FROM_COPY","features":[308]},{"name":"ERROR_NOT_REDUNDANT_STORAGE","features":[308]},{"name":"ERROR_NOT_REGISTRY_FILE","features":[308]},{"name":"ERROR_NOT_ROUTER_PORT","features":[308]},{"name":"ERROR_NOT_SAFEBOOT_SERVICE","features":[308]},{"name":"ERROR_NOT_SAFE_MODE_DRIVER","features":[308]},{"name":"ERROR_NOT_SAME_DEVICE","features":[308]},{"name":"ERROR_NOT_SAME_OBJECT","features":[308]},{"name":"ERROR_NOT_SNAPSHOT_VOLUME","features":[308]},{"name":"ERROR_NOT_SUBSTED","features":[308]},{"name":"ERROR_NOT_SUPPORTED","features":[308]},{"name":"ERROR_NOT_SUPPORTED_IN_APPCONTAINER","features":[308]},{"name":"ERROR_NOT_SUPPORTED_ON_DAX","features":[308]},{"name":"ERROR_NOT_SUPPORTED_ON_SBS","features":[308]},{"name":"ERROR_NOT_SUPPORTED_ON_STANDARD_SERVER","features":[308]},{"name":"ERROR_NOT_SUPPORTED_WITH_AUDITING","features":[308]},{"name":"ERROR_NOT_SUPPORTED_WITH_BTT","features":[308]},{"name":"ERROR_NOT_SUPPORTED_WITH_BYPASSIO","features":[308]},{"name":"ERROR_NOT_SUPPORTED_WITH_CACHED_HANDLE","features":[308]},{"name":"ERROR_NOT_SUPPORTED_WITH_COMPRESSION","features":[308]},{"name":"ERROR_NOT_SUPPORTED_WITH_DEDUPLICATION","features":[308]},{"name":"ERROR_NOT_SUPPORTED_WITH_ENCRYPTION","features":[308]},{"name":"ERROR_NOT_SUPPORTED_WITH_MONITORING","features":[308]},{"name":"ERROR_NOT_SUPPORTED_WITH_REPLICATION","features":[308]},{"name":"ERROR_NOT_SUPPORTED_WITH_SNAPSHOT","features":[308]},{"name":"ERROR_NOT_SUPPORTED_WITH_VIRTUALIZATION","features":[308]},{"name":"ERROR_NOT_TINY_STREAM","features":[308]},{"name":"ERROR_NO_ACE_CONDITION","features":[308]},{"name":"ERROR_NO_ADMIN_ACCESS_POINT","features":[308]},{"name":"ERROR_NO_APPLICABLE_APP_LICENSES_FOUND","features":[308]},{"name":"ERROR_NO_ASSOCIATED_CLASS","features":[308]},{"name":"ERROR_NO_ASSOCIATED_SERVICE","features":[308]},{"name":"ERROR_NO_ASSOCIATION","features":[308]},{"name":"ERROR_NO_AUTHENTICODE_CATALOG","features":[308]},{"name":"ERROR_NO_AUTH_PROTOCOL_AVAILABLE","features":[308]},{"name":"ERROR_NO_BACKUP","features":[308]},{"name":"ERROR_NO_BROWSER_SERVERS_FOUND","features":[308]},{"name":"ERROR_NO_BYPASSIO_DRIVER_SUPPORT","features":[308]},{"name":"ERROR_NO_CALLBACK_ACTIVE","features":[308]},{"name":"ERROR_NO_CATALOG_FOR_OEM_INF","features":[308]},{"name":"ERROR_NO_CLASSINSTALL_PARAMS","features":[308]},{"name":"ERROR_NO_CLASS_DRIVER_LIST","features":[308]},{"name":"ERROR_NO_COMPAT_DRIVERS","features":[308]},{"name":"ERROR_NO_CONFIGMGR_SERVICES","features":[308]},{"name":"ERROR_NO_DATA","features":[308]},{"name":"ERROR_NO_DATA_DETECTED","features":[308]},{"name":"ERROR_NO_DEFAULT_DEVICE_INTERFACE","features":[308]},{"name":"ERROR_NO_DEFAULT_INTERFACE_DEVICE","features":[308]},{"name":"ERROR_NO_DEVICE_ICON","features":[308]},{"name":"ERROR_NO_DEVICE_SELECTED","features":[308]},{"name":"ERROR_NO_DRIVER_SELECTED","features":[308]},{"name":"ERROR_NO_EFS","features":[308]},{"name":"ERROR_NO_EVENT_PAIR","features":[308]},{"name":"ERROR_NO_GUID_TRANSLATION","features":[308]},{"name":"ERROR_NO_IMPERSONATION_TOKEN","features":[308]},{"name":"ERROR_NO_INF","features":[308]},{"name":"ERROR_NO_INHERITANCE","features":[308]},{"name":"ERROR_NO_INTERFACE_CREDENTIALS_SET","features":[308]},{"name":"ERROR_NO_LINK_TRACKING_IN_TRANSACTION","features":[308]},{"name":"ERROR_NO_LOGON_SERVERS","features":[308]},{"name":"ERROR_NO_LOG_SPACE","features":[308]},{"name":"ERROR_NO_MATCH","features":[308]},{"name":"ERROR_NO_MEDIA_IN_DRIVE","features":[308]},{"name":"ERROR_NO_MORE_DEVICES","features":[308]},{"name":"ERROR_NO_MORE_FILES","features":[308]},{"name":"ERROR_NO_MORE_ITEMS","features":[308]},{"name":"ERROR_NO_MORE_MATCHES","features":[308]},{"name":"ERROR_NO_MORE_SEARCH_HANDLES","features":[308]},{"name":"ERROR_NO_MORE_USER_HANDLES","features":[308]},{"name":"ERROR_NO_NETWORK","features":[308]},{"name":"ERROR_NO_NET_OR_BAD_PATH","features":[308]},{"name":"ERROR_NO_NVRAM_RESOURCES","features":[308]},{"name":"ERROR_NO_PAGEFILE","features":[308]},{"name":"ERROR_NO_PHYSICALLY_ALIGNED_FREE_SPACE_FOUND","features":[308]},{"name":"ERROR_NO_PROC_SLOTS","features":[308]},{"name":"ERROR_NO_PROMOTION_ACTIVE","features":[308]},{"name":"ERROR_NO_QUOTAS_FOR_ACCOUNT","features":[308]},{"name":"ERROR_NO_RADIUS_SERVERS","features":[308]},{"name":"ERROR_NO_RANGES_PROCESSED","features":[308]},{"name":"ERROR_NO_RECOVERY_POLICY","features":[308]},{"name":"ERROR_NO_RECOVERY_PROGRAM","features":[308]},{"name":"ERROR_NO_SAVEPOINT_WITH_OPEN_FILES","features":[308]},{"name":"ERROR_NO_SCROLLBARS","features":[308]},{"name":"ERROR_NO_SECRETS","features":[308]},{"name":"ERROR_NO_SECURITY_ON_OBJECT","features":[308]},{"name":"ERROR_NO_SHUTDOWN_IN_PROGRESS","features":[308]},{"name":"ERROR_NO_SIGNAL_SENT","features":[308]},{"name":"ERROR_NO_SIGNATURE","features":[308]},{"name":"ERROR_NO_SITENAME","features":[308]},{"name":"ERROR_NO_SITE_SETTINGS_OBJECT","features":[308]},{"name":"ERROR_NO_SPOOL_SPACE","features":[308]},{"name":"ERROR_NO_SUCH_ALIAS","features":[308]},{"name":"ERROR_NO_SUCH_DEVICE","features":[308]},{"name":"ERROR_NO_SUCH_DEVICE_INTERFACE","features":[308]},{"name":"ERROR_NO_SUCH_DEVINST","features":[308]},{"name":"ERROR_NO_SUCH_DOMAIN","features":[308]},{"name":"ERROR_NO_SUCH_GROUP","features":[308]},{"name":"ERROR_NO_SUCH_INTERFACE","features":[308]},{"name":"ERROR_NO_SUCH_INTERFACE_CLASS","features":[308]},{"name":"ERROR_NO_SUCH_INTERFACE_DEVICE","features":[308]},{"name":"ERROR_NO_SUCH_LOGON_SESSION","features":[308]},{"name":"ERROR_NO_SUCH_MEMBER","features":[308]},{"name":"ERROR_NO_SUCH_PACKAGE","features":[308]},{"name":"ERROR_NO_SUCH_PRIVILEGE","features":[308]},{"name":"ERROR_NO_SUCH_SITE","features":[308]},{"name":"ERROR_NO_SUCH_USER","features":[308]},{"name":"ERROR_NO_SUPPORTING_DRIVES","features":[308]},{"name":"ERROR_NO_SYSTEM_MENU","features":[308]},{"name":"ERROR_NO_SYSTEM_RESOURCES","features":[308]},{"name":"ERROR_NO_TASK_QUEUE","features":[308]},{"name":"ERROR_NO_TOKEN","features":[308]},{"name":"ERROR_NO_TRACKING_SERVICE","features":[308]},{"name":"ERROR_NO_TRUST_LSA_SECRET","features":[308]},{"name":"ERROR_NO_TRUST_SAM_ACCOUNT","features":[308]},{"name":"ERROR_NO_TXF_METADATA","features":[308]},{"name":"ERROR_NO_UNICODE_TRANSLATION","features":[308]},{"name":"ERROR_NO_USER_KEYS","features":[308]},{"name":"ERROR_NO_USER_SESSION_KEY","features":[308]},{"name":"ERROR_NO_VOLUME_ID","features":[308]},{"name":"ERROR_NO_VOLUME_LABEL","features":[308]},{"name":"ERROR_NO_WILDCARD_CHARACTERS","features":[308]},{"name":"ERROR_NO_WORK_DONE","features":[308]},{"name":"ERROR_NO_WRITABLE_DC_FOUND","features":[308]},{"name":"ERROR_NO_YIELD_PERFORMED","features":[308]},{"name":"ERROR_NTLM_BLOCKED","features":[308]},{"name":"ERROR_NT_CROSS_ENCRYPTION_REQUIRED","features":[308]},{"name":"ERROR_NULL_LM_PASSWORD","features":[308]},{"name":"ERROR_OBJECT_ALREADY_EXISTS","features":[308]},{"name":"ERROR_OBJECT_IN_LIST","features":[308]},{"name":"ERROR_OBJECT_IS_IMMUTABLE","features":[308]},{"name":"ERROR_OBJECT_NAME_EXISTS","features":[308]},{"name":"ERROR_OBJECT_NOT_EXTERNALLY_BACKED","features":[308]},{"name":"ERROR_OBJECT_NOT_FOUND","features":[308]},{"name":"ERROR_OBJECT_NO_LONGER_EXISTS","features":[308]},{"name":"ERROR_OFFLOAD_READ_FILE_NOT_SUPPORTED","features":[308]},{"name":"ERROR_OFFLOAD_READ_FLT_NOT_SUPPORTED","features":[308]},{"name":"ERROR_OFFLOAD_WRITE_FILE_NOT_SUPPORTED","features":[308]},{"name":"ERROR_OFFLOAD_WRITE_FLT_NOT_SUPPORTED","features":[308]},{"name":"ERROR_OFFSET_ALIGNMENT_VIOLATION","features":[308]},{"name":"ERROR_OLD_WIN_VERSION","features":[308]},{"name":"ERROR_ONLY_IF_CONNECTED","features":[308]},{"name":"ERROR_ONLY_VALIDATE_VIA_AUTHENTICODE","features":[308]},{"name":"ERROR_OPEN_FAILED","features":[308]},{"name":"ERROR_OPEN_FILES","features":[308]},{"name":"ERROR_OPERATION_ABORTED","features":[308]},{"name":"ERROR_OPERATION_IN_PROGRESS","features":[308]},{"name":"ERROR_OPERATION_NOT_ALLOWED_FROM_SYSTEM_COMPONENT","features":[308]},{"name":"ERROR_OPERATION_NOT_SUPPORTED_IN_TRANSACTION","features":[308]},{"name":"ERROR_OPLOCK_BREAK_IN_PROGRESS","features":[308]},{"name":"ERROR_OPLOCK_HANDLE_CLOSED","features":[308]},{"name":"ERROR_OPLOCK_NOT_GRANTED","features":[308]},{"name":"ERROR_OPLOCK_SWITCHED_TO_NEW_HANDLE","features":[308]},{"name":"ERROR_ORPHAN_NAME_EXHAUSTED","features":[308]},{"name":"ERROR_OUTOFMEMORY","features":[308]},{"name":"ERROR_OUT_OF_PAPER","features":[308]},{"name":"ERROR_OUT_OF_STRUCTURES","features":[308]},{"name":"ERROR_OVERRIDE_NOCHANGES","features":[308]},{"name":"ERROR_PACKAGED_SERVICE_REQUIRES_ADMIN_PRIVILEGES","features":[308]},{"name":"ERROR_PACKAGES_IN_USE","features":[308]},{"name":"ERROR_PACKAGES_REPUTATION_CHECK_FAILED","features":[308]},{"name":"ERROR_PACKAGES_REPUTATION_CHECK_TIMEDOUT","features":[308]},{"name":"ERROR_PACKAGE_ALREADY_EXISTS","features":[308]},{"name":"ERROR_PACKAGE_EXTERNAL_LOCATION_NOT_ALLOWED","features":[308]},{"name":"ERROR_PACKAGE_LACKS_CAPABILITY_FOR_MANDATORY_STARTUPTASKS","features":[308]},{"name":"ERROR_PACKAGE_LACKS_CAPABILITY_TO_DEPLOY_ON_HOST","features":[308]},{"name":"ERROR_PACKAGE_MOVE_BLOCKED_BY_STREAMING","features":[308]},{"name":"ERROR_PACKAGE_MOVE_FAILED","features":[308]},{"name":"ERROR_PACKAGE_NAME_MISMATCH","features":[308]},{"name":"ERROR_PACKAGE_NOT_REGISTERED_FOR_USER","features":[308]},{"name":"ERROR_PACKAGE_NOT_SUPPORTED_ON_FILESYSTEM","features":[308]},{"name":"ERROR_PACKAGE_REPOSITORY_CORRUPTED","features":[308]},{"name":"ERROR_PACKAGE_STAGING_ONHOLD","features":[308]},{"name":"ERROR_PACKAGE_UPDATING","features":[308]},{"name":"ERROR_PAGED_SYSTEM_RESOURCES","features":[308]},{"name":"ERROR_PAGEFILE_CREATE_FAILED","features":[308]},{"name":"ERROR_PAGEFILE_NOT_SUPPORTED","features":[308]},{"name":"ERROR_PAGEFILE_QUOTA","features":[308]},{"name":"ERROR_PAGEFILE_QUOTA_EXCEEDED","features":[308]},{"name":"ERROR_PAGE_FAULT_COPY_ON_WRITE","features":[308]},{"name":"ERROR_PAGE_FAULT_DEMAND_ZERO","features":[308]},{"name":"ERROR_PAGE_FAULT_GUARD_PAGE","features":[308]},{"name":"ERROR_PAGE_FAULT_PAGING_FILE","features":[308]},{"name":"ERROR_PAGE_FAULT_TRANSITION","features":[308]},{"name":"ERROR_PARAMETER_QUOTA_EXCEEDED","features":[308]},{"name":"ERROR_PARTIAL_COPY","features":[308]},{"name":"ERROR_PARTITION_FAILURE","features":[308]},{"name":"ERROR_PARTITION_TERMINATING","features":[308]},{"name":"ERROR_PASSWORD_CHANGE_REQUIRED","features":[308]},{"name":"ERROR_PASSWORD_EXPIRED","features":[308]},{"name":"ERROR_PASSWORD_MUST_CHANGE","features":[308]},{"name":"ERROR_PASSWORD_RESTRICTION","features":[308]},{"name":"ERROR_PATCH_MANAGED_ADVERTISED_PRODUCT","features":[308]},{"name":"ERROR_PATCH_NO_SEQUENCE","features":[308]},{"name":"ERROR_PATCH_PACKAGE_INVALID","features":[308]},{"name":"ERROR_PATCH_PACKAGE_OPEN_FAILED","features":[308]},{"name":"ERROR_PATCH_PACKAGE_REJECTED","features":[308]},{"name":"ERROR_PATCH_PACKAGE_UNSUPPORTED","features":[308]},{"name":"ERROR_PATCH_REMOVAL_DISALLOWED","features":[308]},{"name":"ERROR_PATCH_REMOVAL_UNSUPPORTED","features":[308]},{"name":"ERROR_PATCH_TARGET_NOT_FOUND","features":[308]},{"name":"ERROR_PATH_BUSY","features":[308]},{"name":"ERROR_PATH_NOT_FOUND","features":[308]},{"name":"ERROR_PEER_REFUSED_AUTH","features":[308]},{"name":"ERROR_PER_USER_TRUST_QUOTA_EXCEEDED","features":[308]},{"name":"ERROR_PIPE_BUSY","features":[308]},{"name":"ERROR_PIPE_CONNECTED","features":[308]},{"name":"ERROR_PIPE_LISTENING","features":[308]},{"name":"ERROR_PIPE_LOCAL","features":[308]},{"name":"ERROR_PIPE_NOT_CONNECTED","features":[308]},{"name":"ERROR_PKINIT_FAILURE","features":[308]},{"name":"ERROR_PLATFORM_MANIFEST_BINARY_ID_NOT_FOUND","features":[308]},{"name":"ERROR_PLATFORM_MANIFEST_CATALOG_NOT_AUTHORIZED","features":[308]},{"name":"ERROR_PLATFORM_MANIFEST_FILE_NOT_AUTHORIZED","features":[308]},{"name":"ERROR_PLATFORM_MANIFEST_INVALID","features":[308]},{"name":"ERROR_PLATFORM_MANIFEST_NOT_ACTIVE","features":[308]},{"name":"ERROR_PLATFORM_MANIFEST_NOT_AUTHORIZED","features":[308]},{"name":"ERROR_PLATFORM_MANIFEST_NOT_SIGNED","features":[308]},{"name":"ERROR_PLUGPLAY_QUERY_VETOED","features":[308]},{"name":"ERROR_PNP_BAD_MPS_TABLE","features":[308]},{"name":"ERROR_PNP_INVALID_ID","features":[308]},{"name":"ERROR_PNP_IRQ_TRANSLATION_FAILED","features":[308]},{"name":"ERROR_PNP_QUERY_REMOVE_DEVICE_TIMEOUT","features":[308]},{"name":"ERROR_PNP_QUERY_REMOVE_RELATED_DEVICE_TIMEOUT","features":[308]},{"name":"ERROR_PNP_QUERY_REMOVE_UNRELATED_DEVICE_TIMEOUT","features":[308]},{"name":"ERROR_PNP_REBOOT_REQUIRED","features":[308]},{"name":"ERROR_PNP_REGISTRY_ERROR","features":[308]},{"name":"ERROR_PNP_RESTART_ENUMERATION","features":[308]},{"name":"ERROR_PNP_TRANSLATION_FAILED","features":[308]},{"name":"ERROR_POINT_NOT_FOUND","features":[308]},{"name":"ERROR_POLICY_CONTROLLED_ACCOUNT","features":[308]},{"name":"ERROR_POLICY_OBJECT_NOT_FOUND","features":[308]},{"name":"ERROR_POLICY_ONLY_IN_DS","features":[308]},{"name":"ERROR_POPUP_ALREADY_ACTIVE","features":[308]},{"name":"ERROR_PORT_LIMIT_REACHED","features":[308]},{"name":"ERROR_PORT_MESSAGE_TOO_LONG","features":[308]},{"name":"ERROR_PORT_NOT_SET","features":[308]},{"name":"ERROR_PORT_UNREACHABLE","features":[308]},{"name":"ERROR_POSSIBLE_DEADLOCK","features":[308]},{"name":"ERROR_POTENTIAL_FILE_FOUND","features":[308]},{"name":"ERROR_PPP_SESSION_TIMEOUT","features":[308]},{"name":"ERROR_PREDEFINED_HANDLE","features":[308]},{"name":"ERROR_PRIMARY_TRANSPORT_CONNECT_FAILED","features":[308]},{"name":"ERROR_PRINTER_ALREADY_EXISTS","features":[308]},{"name":"ERROR_PRINTER_DELETED","features":[308]},{"name":"ERROR_PRINTER_DRIVER_ALREADY_INSTALLED","features":[308]},{"name":"ERROR_PRINTER_DRIVER_BLOCKED","features":[308]},{"name":"ERROR_PRINTER_DRIVER_DOWNLOAD_NEEDED","features":[308]},{"name":"ERROR_PRINTER_DRIVER_IN_USE","features":[308]},{"name":"ERROR_PRINTER_DRIVER_PACKAGE_IN_USE","features":[308]},{"name":"ERROR_PRINTER_DRIVER_WARNED","features":[308]},{"name":"ERROR_PRINTER_HAS_JOBS_QUEUED","features":[308]},{"name":"ERROR_PRINTER_NOT_FOUND","features":[308]},{"name":"ERROR_PRINTER_NOT_SHAREABLE","features":[308]},{"name":"ERROR_PRINTQ_FULL","features":[308]},{"name":"ERROR_PRINT_CANCELLED","features":[308]},{"name":"ERROR_PRINT_JOB_RESTART_REQUIRED","features":[308]},{"name":"ERROR_PRINT_MONITOR_ALREADY_INSTALLED","features":[308]},{"name":"ERROR_PRINT_MONITOR_IN_USE","features":[308]},{"name":"ERROR_PRINT_PROCESSOR_ALREADY_INSTALLED","features":[308]},{"name":"ERROR_PRIVATE_DIALOG_INDEX","features":[308]},{"name":"ERROR_PRIVILEGE_NOT_HELD","features":[308]},{"name":"ERROR_PRI_MERGE_ADD_FILE_FAILED","features":[308]},{"name":"ERROR_PRI_MERGE_BUNDLE_PACKAGES_NOT_ALLOWED","features":[308]},{"name":"ERROR_PRI_MERGE_INVALID_FILE_NAME","features":[308]},{"name":"ERROR_PRI_MERGE_LOAD_FILE_FAILED","features":[308]},{"name":"ERROR_PRI_MERGE_MAIN_PACKAGE_REQUIRED","features":[308]},{"name":"ERROR_PRI_MERGE_MISSING_SCHEMA","features":[308]},{"name":"ERROR_PRI_MERGE_MULTIPLE_MAIN_PACKAGES_NOT_ALLOWED","features":[308]},{"name":"ERROR_PRI_MERGE_MULTIPLE_PACKAGE_FAMILIES_NOT_ALLOWED","features":[308]},{"name":"ERROR_PRI_MERGE_RESOURCE_PACKAGE_REQUIRED","features":[308]},{"name":"ERROR_PRI_MERGE_VERSION_MISMATCH","features":[308]},{"name":"ERROR_PRI_MERGE_WRITE_FILE_FAILED","features":[308]},{"name":"ERROR_PROCESS_ABORTED","features":[308]},{"name":"ERROR_PROCESS_IN_JOB","features":[308]},{"name":"ERROR_PROCESS_IS_PROTECTED","features":[308]},{"name":"ERROR_PROCESS_MODE_ALREADY_BACKGROUND","features":[308]},{"name":"ERROR_PROCESS_MODE_NOT_BACKGROUND","features":[308]},{"name":"ERROR_PROCESS_NOT_IN_JOB","features":[308]},{"name":"ERROR_PROC_NOT_FOUND","features":[308]},{"name":"ERROR_PRODUCT_UNINSTALLED","features":[308]},{"name":"ERROR_PRODUCT_VERSION","features":[308]},{"name":"ERROR_PROFILE_DOES_NOT_MATCH_DEVICE","features":[308]},{"name":"ERROR_PROFILE_NOT_ASSOCIATED_WITH_DEVICE","features":[308]},{"name":"ERROR_PROFILE_NOT_FOUND","features":[308]},{"name":"ERROR_PROFILING_AT_LIMIT","features":[308]},{"name":"ERROR_PROFILING_NOT_STARTED","features":[308]},{"name":"ERROR_PROFILING_NOT_STOPPED","features":[308]},{"name":"ERROR_PROMOTION_ACTIVE","features":[308]},{"name":"ERROR_PROTOCOL_ALREADY_INSTALLED","features":[308]},{"name":"ERROR_PROTOCOL_STOP_PENDING","features":[308]},{"name":"ERROR_PROTOCOL_UNREACHABLE","features":[308]},{"name":"ERROR_PROVISION_OPTIONAL_PACKAGE_REQUIRES_MAIN_PACKAGE_PROVISIONED","features":[308]},{"name":"ERROR_PWD_HISTORY_CONFLICT","features":[308]},{"name":"ERROR_PWD_TOO_LONG","features":[308]},{"name":"ERROR_PWD_TOO_RECENT","features":[308]},{"name":"ERROR_PWD_TOO_SHORT","features":[308]},{"name":"ERROR_QUERY_STORAGE_ERROR","features":[308]},{"name":"ERROR_QUIC_ALPN_NEG_FAILURE","features":[308]},{"name":"ERROR_QUIC_CONNECTION_IDLE","features":[308]},{"name":"ERROR_QUIC_CONNECTION_TIMEOUT","features":[308]},{"name":"ERROR_QUIC_HANDSHAKE_FAILURE","features":[308]},{"name":"ERROR_QUIC_INTERNAL_ERROR","features":[308]},{"name":"ERROR_QUIC_PROTOCOL_VIOLATION","features":[308]},{"name":"ERROR_QUIC_USER_CANCELED","features":[308]},{"name":"ERROR_QUIC_VER_NEG_FAILURE","features":[308]},{"name":"ERROR_QUORUMLOG_OPEN_FAILED","features":[308]},{"name":"ERROR_QUORUM_DISK_NOT_FOUND","features":[308]},{"name":"ERROR_QUORUM_NOT_ALLOWED_IN_THIS_GROUP","features":[308]},{"name":"ERROR_QUORUM_OWNER_ALIVE","features":[308]},{"name":"ERROR_QUORUM_RESOURCE","features":[308]},{"name":"ERROR_QUORUM_RESOURCE_ONLINE_FAILED","features":[308]},{"name":"ERROR_QUOTA_ACTIVITY","features":[308]},{"name":"ERROR_QUOTA_LIST_INCONSISTENT","features":[308]},{"name":"ERROR_RANGE_LIST_CONFLICT","features":[308]},{"name":"ERROR_RANGE_NOT_FOUND","features":[308]},{"name":"ERROR_RDP_PROTOCOL_ERROR","features":[308]},{"name":"ERROR_READ_FAULT","features":[308]},{"name":"ERROR_RECEIVE_EXPEDITED","features":[308]},{"name":"ERROR_RECEIVE_PARTIAL","features":[308]},{"name":"ERROR_RECEIVE_PARTIAL_EXPEDITED","features":[308]},{"name":"ERROR_RECOVERY_FAILURE","features":[308]},{"name":"ERROR_RECOVERY_FILE_CORRUPT","features":[308]},{"name":"ERROR_RECOVERY_NOT_NEEDED","features":[308]},{"name":"ERROR_REC_NON_EXISTENT","features":[308]},{"name":"ERROR_REDIRECTION_TO_DEFAULT_ACCOUNT_NOT_ALLOWED","features":[308]},{"name":"ERROR_REDIRECTOR_HAS_OPEN_HANDLES","features":[308]},{"name":"ERROR_REDIR_PAUSED","features":[308]},{"name":"ERROR_REGISTRATION_FROM_REMOTE_DRIVE_NOT_SUPPORTED","features":[308]},{"name":"ERROR_REGISTRY_CORRUPT","features":[308]},{"name":"ERROR_REGISTRY_HIVE_RECOVERED","features":[308]},{"name":"ERROR_REGISTRY_IO_FAILED","features":[308]},{"name":"ERROR_REGISTRY_QUOTA_LIMIT","features":[308]},{"name":"ERROR_REGISTRY_RECOVERED","features":[308]},{"name":"ERROR_REG_NAT_CONSUMPTION","features":[308]},{"name":"ERROR_RELOC_CHAIN_XEEDS_SEGLIM","features":[308]},{"name":"ERROR_REMOTEACCESS_NOT_CONFIGURED","features":[308]},{"name":"ERROR_REMOTE_ACCT_DISABLED","features":[308]},{"name":"ERROR_REMOTE_AUTHENTICATION_FAILURE","features":[308]},{"name":"ERROR_REMOTE_COMM_FAILURE","features":[308]},{"name":"ERROR_REMOTE_FILE_VERSION_MISMATCH","features":[308]},{"name":"ERROR_REMOTE_NO_DIALIN_PERMISSION","features":[308]},{"name":"ERROR_REMOTE_PASSWD_EXPIRED","features":[308]},{"name":"ERROR_REMOTE_PRINT_CONNECTIONS_BLOCKED","features":[308]},{"name":"ERROR_REMOTE_REQUEST_UNSUPPORTED","features":[308]},{"name":"ERROR_REMOTE_RESTRICTED_LOGON_HOURS","features":[308]},{"name":"ERROR_REMOTE_SESSION_LIMIT_EXCEEDED","features":[308]},{"name":"ERROR_REMOTE_STORAGE_MEDIA_ERROR","features":[308]},{"name":"ERROR_REMOTE_STORAGE_NOT_ACTIVE","features":[308]},{"name":"ERROR_REMOVE_FAILED","features":[308]},{"name":"ERROR_REM_NOT_LIST","features":[308]},{"name":"ERROR_REPARSE","features":[308]},{"name":"ERROR_REPARSE_ATTRIBUTE_CONFLICT","features":[308]},{"name":"ERROR_REPARSE_OBJECT","features":[308]},{"name":"ERROR_REPARSE_POINT_ENCOUNTERED","features":[308]},{"name":"ERROR_REPARSE_TAG_INVALID","features":[308]},{"name":"ERROR_REPARSE_TAG_MISMATCH","features":[308]},{"name":"ERROR_REPLY_MESSAGE_MISMATCH","features":[308]},{"name":"ERROR_REQUEST_ABORTED","features":[308]},{"name":"ERROR_REQUEST_OUT_OF_SEQUENCE","features":[308]},{"name":"ERROR_REQUEST_PAUSED","features":[308]},{"name":"ERROR_REQUEST_REFUSED","features":[308]},{"name":"ERROR_REQUIRES_INTERACTIVE_WINDOWSTATION","features":[308]},{"name":"ERROR_REQ_NOT_ACCEP","features":[308]},{"name":"ERROR_RESIDENT_FILE_NOT_SUPPORTED","features":[308]},{"name":"ERROR_RESILIENCY_FILE_CORRUPT","features":[308]},{"name":"ERROR_RESMON_CREATE_FAILED","features":[308]},{"name":"ERROR_RESMON_INVALID_STATE","features":[308]},{"name":"ERROR_RESMON_ONLINE_FAILED","features":[308]},{"name":"ERROR_RESMON_SYSTEM_RESOURCES_LACKING","features":[308]},{"name":"ERROR_RESOURCEMANAGER_NOT_FOUND","features":[308]},{"name":"ERROR_RESOURCEMANAGER_READ_ONLY","features":[308]},{"name":"ERROR_RESOURCE_CALL_TIMED_OUT","features":[308]},{"name":"ERROR_RESOURCE_DATA_NOT_FOUND","features":[308]},{"name":"ERROR_RESOURCE_DISABLED","features":[308]},{"name":"ERROR_RESOURCE_ENUM_USER_STOP","features":[308]},{"name":"ERROR_RESOURCE_FAILED","features":[308]},{"name":"ERROR_RESOURCE_LANG_NOT_FOUND","features":[308]},{"name":"ERROR_RESOURCE_NAME_NOT_FOUND","features":[308]},{"name":"ERROR_RESOURCE_NOT_AVAILABLE","features":[308]},{"name":"ERROR_RESOURCE_NOT_FOUND","features":[308]},{"name":"ERROR_RESOURCE_NOT_IN_AVAILABLE_STORAGE","features":[308]},{"name":"ERROR_RESOURCE_NOT_ONLINE","features":[308]},{"name":"ERROR_RESOURCE_NOT_PRESENT","features":[308]},{"name":"ERROR_RESOURCE_ONLINE","features":[308]},{"name":"ERROR_RESOURCE_PROPERTIES_STORED","features":[308]},{"name":"ERROR_RESOURCE_PROPERTY_UNCHANGEABLE","features":[308]},{"name":"ERROR_RESOURCE_REQUIREMENTS_CHANGED","features":[308]},{"name":"ERROR_RESOURCE_TYPE_NOT_FOUND","features":[308]},{"name":"ERROR_RESTART_APPLICATION","features":[308]},{"name":"ERROR_RESUME_HIBERNATION","features":[308]},{"name":"ERROR_RETRY","features":[308]},{"name":"ERROR_RETURN_ADDRESS_HIJACK_ATTEMPT","features":[308]},{"name":"ERROR_REVISION_MISMATCH","features":[308]},{"name":"ERROR_RING2SEG_MUST_BE_MOVABLE","features":[308]},{"name":"ERROR_RING2_STACK_IN_USE","features":[308]},{"name":"ERROR_RMODE_APP","features":[308]},{"name":"ERROR_RM_ALREADY_STARTED","features":[308]},{"name":"ERROR_RM_CANNOT_BE_FROZEN_FOR_SNAPSHOT","features":[308]},{"name":"ERROR_RM_DISCONNECTED","features":[308]},{"name":"ERROR_RM_METADATA_CORRUPT","features":[308]},{"name":"ERROR_RM_NOT_ACTIVE","features":[308]},{"name":"ERROR_ROLLBACK_TIMER_EXPIRED","features":[308]},{"name":"ERROR_ROUTER_CONFIG_INCOMPATIBLE","features":[308]},{"name":"ERROR_ROUTER_STOPPED","features":[308]},{"name":"ERROR_ROWSNOTRELEASED","features":[308]},{"name":"ERROR_RPL_NOT_ALLOWED","features":[308]},{"name":"ERROR_RUNLEVEL_SWITCH_AGENT_TIMEOUT","features":[308]},{"name":"ERROR_RUNLEVEL_SWITCH_IN_PROGRESS","features":[308]},{"name":"ERROR_RUNLEVEL_SWITCH_TIMEOUT","features":[308]},{"name":"ERROR_RWRAW_ENCRYPTED_FILE_NOT_ENCRYPTED","features":[308]},{"name":"ERROR_RWRAW_ENCRYPTED_INVALID_EDATAINFO_FILEOFFSET","features":[308]},{"name":"ERROR_RWRAW_ENCRYPTED_INVALID_EDATAINFO_FILERANGE","features":[308]},{"name":"ERROR_RWRAW_ENCRYPTED_INVALID_EDATAINFO_PARAMETER","features":[308]},{"name":"ERROR_RXACT_COMMITTED","features":[308]},{"name":"ERROR_RXACT_COMMIT_FAILURE","features":[308]},{"name":"ERROR_RXACT_COMMIT_NECESSARY","features":[308]},{"name":"ERROR_RXACT_INVALID_STATE","features":[308]},{"name":"ERROR_RXACT_STATE_CREATED","features":[308]},{"name":"ERROR_SAME_DRIVE","features":[308]},{"name":"ERROR_SAM_INIT_FAILURE","features":[308]},{"name":"ERROR_SCE_DISABLED","features":[308]},{"name":"ERROR_SCOPE_NOT_FOUND","features":[308]},{"name":"ERROR_SCREEN_ALREADY_LOCKED","features":[308]},{"name":"ERROR_SCRUB_DATA_DISABLED","features":[308]},{"name":"ERROR_SECCORE_INVALID_COMMAND","features":[308]},{"name":"ERROR_SECONDARY_IC_PROVIDER_NOT_REGISTERED","features":[308]},{"name":"ERROR_SECRET_TOO_LONG","features":[308]},{"name":"ERROR_SECTION_DIRECT_MAP_ONLY","features":[308]},{"name":"ERROR_SECTION_NAME_TOO_LONG","features":[308]},{"name":"ERROR_SECTION_NOT_FOUND","features":[308]},{"name":"ERROR_SECTOR_NOT_FOUND","features":[308]},{"name":"ERROR_SECUREBOOT_FILE_REPLACED","features":[308]},{"name":"ERROR_SECUREBOOT_INVALID_POLICY","features":[308]},{"name":"ERROR_SECUREBOOT_NOT_BASE_POLICY","features":[308]},{"name":"ERROR_SECUREBOOT_NOT_ENABLED","features":[308]},{"name":"ERROR_SECUREBOOT_NOT_SUPPLEMENTAL_POLICY","features":[308]},{"name":"ERROR_SECUREBOOT_PLATFORM_ID_MISMATCH","features":[308]},{"name":"ERROR_SECUREBOOT_POLICY_MISSING_ANTIROLLBACKVERSION","features":[308]},{"name":"ERROR_SECUREBOOT_POLICY_NOT_AUTHORIZED","features":[308]},{"name":"ERROR_SECUREBOOT_POLICY_NOT_SIGNED","features":[308]},{"name":"ERROR_SECUREBOOT_POLICY_PUBLISHER_NOT_FOUND","features":[308]},{"name":"ERROR_SECUREBOOT_POLICY_ROLLBACK_DETECTED","features":[308]},{"name":"ERROR_SECUREBOOT_POLICY_UNKNOWN","features":[308]},{"name":"ERROR_SECUREBOOT_POLICY_UPGRADE_MISMATCH","features":[308]},{"name":"ERROR_SECUREBOOT_POLICY_VIOLATION","features":[308]},{"name":"ERROR_SECUREBOOT_REQUIRED_POLICY_FILE_MISSING","features":[308]},{"name":"ERROR_SECUREBOOT_ROLLBACK_DETECTED","features":[308]},{"name":"ERROR_SECURITY_DENIES_OPERATION","features":[308]},{"name":"ERROR_SECURITY_STREAM_IS_INCONSISTENT","features":[308]},{"name":"ERROR_SEEK","features":[308]},{"name":"ERROR_SEEK_ON_DEVICE","features":[308]},{"name":"ERROR_SEGMENT_NOTIFICATION","features":[308]},{"name":"ERROR_SEM_IS_SET","features":[308]},{"name":"ERROR_SEM_NOT_FOUND","features":[308]},{"name":"ERROR_SEM_OWNER_DIED","features":[308]},{"name":"ERROR_SEM_TIMEOUT","features":[308]},{"name":"ERROR_SEM_USER_LIMIT","features":[308]},{"name":"ERROR_SERIAL_NO_DEVICE","features":[308]},{"name":"ERROR_SERVER_DISABLED","features":[308]},{"name":"ERROR_SERVER_HAS_OPEN_HANDLES","features":[308]},{"name":"ERROR_SERVER_NOT_DISABLED","features":[308]},{"name":"ERROR_SERVER_SERVICE_CALL_REQUIRES_SMB1","features":[308]},{"name":"ERROR_SERVER_SHUTDOWN_IN_PROGRESS","features":[308]},{"name":"ERROR_SERVER_SID_MISMATCH","features":[308]},{"name":"ERROR_SERVER_TRANSPORT_CONFLICT","features":[308]},{"name":"ERROR_SERVICES_FAILED_AUTOSTART","features":[308]},{"name":"ERROR_SERVICE_ALREADY_RUNNING","features":[308]},{"name":"ERROR_SERVICE_CANNOT_ACCEPT_CTRL","features":[308]},{"name":"ERROR_SERVICE_DATABASE_LOCKED","features":[308]},{"name":"ERROR_SERVICE_DEPENDENCY_DELETED","features":[308]},{"name":"ERROR_SERVICE_DEPENDENCY_FAIL","features":[308]},{"name":"ERROR_SERVICE_DISABLED","features":[308]},{"name":"ERROR_SERVICE_DOES_NOT_EXIST","features":[308]},{"name":"ERROR_SERVICE_EXISTS","features":[308]},{"name":"ERROR_SERVICE_EXISTS_AS_NON_PACKAGED_SERVICE","features":[308]},{"name":"ERROR_SERVICE_IS_PAUSED","features":[308]},{"name":"ERROR_SERVICE_LOGON_FAILED","features":[308]},{"name":"ERROR_SERVICE_MARKED_FOR_DELETE","features":[308]},{"name":"ERROR_SERVICE_NEVER_STARTED","features":[308]},{"name":"ERROR_SERVICE_NOTIFICATION","features":[308]},{"name":"ERROR_SERVICE_NOTIFY_CLIENT_LAGGING","features":[308]},{"name":"ERROR_SERVICE_NOT_ACTIVE","features":[308]},{"name":"ERROR_SERVICE_NOT_FOUND","features":[308]},{"name":"ERROR_SERVICE_NOT_IN_EXE","features":[308]},{"name":"ERROR_SERVICE_NO_THREAD","features":[308]},{"name":"ERROR_SERVICE_REQUEST_TIMEOUT","features":[308]},{"name":"ERROR_SERVICE_SPECIFIC_ERROR","features":[308]},{"name":"ERROR_SERVICE_START_HANG","features":[308]},{"name":"ERROR_SESSION_CREDENTIAL_CONFLICT","features":[308]},{"name":"ERROR_SESSION_KEY_TOO_SHORT","features":[308]},{"name":"ERROR_SETCOUNT_ON_BAD_LB","features":[308]},{"name":"ERROR_SETMARK_DETECTED","features":[308]},{"name":"ERROR_SET_CONTEXT_DENIED","features":[308]},{"name":"ERROR_SET_NOT_FOUND","features":[308]},{"name":"ERROR_SET_POWER_STATE_FAILED","features":[308]},{"name":"ERROR_SET_POWER_STATE_VETOED","features":[308]},{"name":"ERROR_SET_SYSTEM_RESTORE_POINT","features":[308]},{"name":"ERROR_SHARED_POLICY","features":[308]},{"name":"ERROR_SHARING_BUFFER_EXCEEDED","features":[308]},{"name":"ERROR_SHARING_PAUSED","features":[308]},{"name":"ERROR_SHARING_VIOLATION","features":[308]},{"name":"ERROR_SHORT_NAMES_NOT_ENABLED_ON_VOLUME","features":[308]},{"name":"ERROR_SHUTDOWN_CLUSTER","features":[308]},{"name":"ERROR_SHUTDOWN_DISKS_NOT_IN_MAINTENANCE_MODE","features":[308]},{"name":"ERROR_SHUTDOWN_IN_PROGRESS","features":[308]},{"name":"ERROR_SHUTDOWN_IS_SCHEDULED","features":[308]},{"name":"ERROR_SHUTDOWN_USERS_LOGGED_ON","features":[308]},{"name":"ERROR_SIGNAL_PENDING","features":[308]},{"name":"ERROR_SIGNAL_REFUSED","features":[308]},{"name":"ERROR_SIGNATURE_OSATTRIBUTE_MISMATCH","features":[308]},{"name":"ERROR_SIGNED_PACKAGE_INVALID_PUBLISHER_NAMESPACE","features":[308]},{"name":"ERROR_SINGLETON_RESOURCE_INSTALLED_IN_ACTIVE_USER","features":[308]},{"name":"ERROR_SINGLE_INSTANCE_APP","features":[308]},{"name":"ERROR_SMARTCARD_SUBSYSTEM_FAILURE","features":[308]},{"name":"ERROR_SMB1_NOT_AVAILABLE","features":[308]},{"name":"ERROR_SMB_BAD_CLUSTER_DIALECT","features":[308]},{"name":"ERROR_SMB_GUEST_LOGON_BLOCKED","features":[308]},{"name":"ERROR_SMB_NO_PREAUTH_INTEGRITY_HASH_OVERLAP","features":[308]},{"name":"ERROR_SMB_NO_SIGNING_ALGORITHM_OVERLAP","features":[308]},{"name":"ERROR_SMI_PRIMITIVE_INSTALLER_FAILED","features":[308]},{"name":"ERROR_SMR_GARBAGE_COLLECTION_REQUIRED","features":[308]},{"name":"ERROR_SOME_NOT_MAPPED","features":[308]},{"name":"ERROR_SOURCE_ELEMENT_EMPTY","features":[308]},{"name":"ERROR_SPACES_ALLOCATION_SIZE_INVALID","features":[308]},{"name":"ERROR_SPACES_CACHE_FULL","features":[308]},{"name":"ERROR_SPACES_CORRUPT_METADATA","features":[308]},{"name":"ERROR_SPACES_DRIVE_LOST_DATA","features":[308]},{"name":"ERROR_SPACES_DRIVE_NOT_READY","features":[308]},{"name":"ERROR_SPACES_DRIVE_OPERATIONAL_STATE_INVALID","features":[308]},{"name":"ERROR_SPACES_DRIVE_REDUNDANCY_INVALID","features":[308]},{"name":"ERROR_SPACES_DRIVE_SECTOR_SIZE_INVALID","features":[308]},{"name":"ERROR_SPACES_DRIVE_SPLIT","features":[308]},{"name":"ERROR_SPACES_DRT_FULL","features":[308]},{"name":"ERROR_SPACES_ENCLOSURE_AWARE_INVALID","features":[308]},{"name":"ERROR_SPACES_ENTRY_INCOMPLETE","features":[308]},{"name":"ERROR_SPACES_ENTRY_INVALID","features":[308]},{"name":"ERROR_SPACES_EXTENDED_ERROR","features":[308]},{"name":"ERROR_SPACES_FAULT_DOMAIN_TYPE_INVALID","features":[308]},{"name":"ERROR_SPACES_FLUSH_METADATA","features":[308]},{"name":"ERROR_SPACES_INCONSISTENCY","features":[308]},{"name":"ERROR_SPACES_INTERLEAVE_LENGTH_INVALID","features":[308]},{"name":"ERROR_SPACES_INTERNAL_ERROR","features":[308]},{"name":"ERROR_SPACES_LOG_NOT_READY","features":[308]},{"name":"ERROR_SPACES_MAP_REQUIRED","features":[308]},{"name":"ERROR_SPACES_MARK_DIRTY","features":[308]},{"name":"ERROR_SPACES_NOT_ENOUGH_DRIVES","features":[308]},{"name":"ERROR_SPACES_NO_REDUNDANCY","features":[308]},{"name":"ERROR_SPACES_NUMBER_OF_COLUMNS_INVALID","features":[308]},{"name":"ERROR_SPACES_NUMBER_OF_DATA_COPIES_INVALID","features":[308]},{"name":"ERROR_SPACES_NUMBER_OF_GROUPS_INVALID","features":[308]},{"name":"ERROR_SPACES_PARITY_LAYOUT_INVALID","features":[308]},{"name":"ERROR_SPACES_POOL_WAS_DELETED","features":[308]},{"name":"ERROR_SPACES_PROVISIONING_TYPE_INVALID","features":[308]},{"name":"ERROR_SPACES_REPAIR_IN_PROGRESS","features":[308]},{"name":"ERROR_SPACES_RESILIENCY_TYPE_INVALID","features":[308]},{"name":"ERROR_SPACES_UNSUPPORTED_VERSION","features":[308]},{"name":"ERROR_SPACES_UPDATE_COLUMN_STATE","features":[308]},{"name":"ERROR_SPACES_WRITE_CACHE_SIZE_INVALID","features":[308]},{"name":"ERROR_SPARSE_FILE_NOT_SUPPORTED","features":[308]},{"name":"ERROR_SPARSE_NOT_ALLOWED_IN_TRANSACTION","features":[308]},{"name":"ERROR_SPECIAL_ACCOUNT","features":[308]},{"name":"ERROR_SPECIAL_GROUP","features":[308]},{"name":"ERROR_SPECIAL_USER","features":[308]},{"name":"ERROR_SPL_NO_ADDJOB","features":[308]},{"name":"ERROR_SPL_NO_STARTDOC","features":[308]},{"name":"ERROR_SPOOL_FILE_NOT_FOUND","features":[308]},{"name":"ERROR_SRC_SRV_DLL_LOAD_FAILED","features":[308]},{"name":"ERROR_STACK_BUFFER_OVERRUN","features":[308]},{"name":"ERROR_STACK_OVERFLOW","features":[308]},{"name":"ERROR_STACK_OVERFLOW_READ","features":[308]},{"name":"ERROR_STAGEFROMUPDATEAGENT_PACKAGE_NOT_APPLICABLE","features":[308]},{"name":"ERROR_STATE_COMPOSITE_SETTING_VALUE_SIZE_LIMIT_EXCEEDED","features":[308]},{"name":"ERROR_STATE_CONTAINER_NAME_SIZE_LIMIT_EXCEEDED","features":[308]},{"name":"ERROR_STATE_CREATE_CONTAINER_FAILED","features":[308]},{"name":"ERROR_STATE_DELETE_CONTAINER_FAILED","features":[308]},{"name":"ERROR_STATE_DELETE_SETTING_FAILED","features":[308]},{"name":"ERROR_STATE_ENUMERATE_CONTAINER_FAILED","features":[308]},{"name":"ERROR_STATE_ENUMERATE_SETTINGS_FAILED","features":[308]},{"name":"ERROR_STATE_GET_VERSION_FAILED","features":[308]},{"name":"ERROR_STATE_LOAD_STORE_FAILED","features":[308]},{"name":"ERROR_STATE_OPEN_CONTAINER_FAILED","features":[308]},{"name":"ERROR_STATE_QUERY_SETTING_FAILED","features":[308]},{"name":"ERROR_STATE_READ_COMPOSITE_SETTING_FAILED","features":[308]},{"name":"ERROR_STATE_READ_SETTING_FAILED","features":[308]},{"name":"ERROR_STATE_SETTING_NAME_SIZE_LIMIT_EXCEEDED","features":[308]},{"name":"ERROR_STATE_SETTING_VALUE_SIZE_LIMIT_EXCEEDED","features":[308]},{"name":"ERROR_STATE_SET_VERSION_FAILED","features":[308]},{"name":"ERROR_STATE_STRUCTURED_RESET_FAILED","features":[308]},{"name":"ERROR_STATE_WRITE_COMPOSITE_SETTING_FAILED","features":[308]},{"name":"ERROR_STATE_WRITE_SETTING_FAILED","features":[308]},{"name":"ERROR_STATIC_INIT","features":[308]},{"name":"ERROR_STOPPED_ON_SYMLINK","features":[308]},{"name":"ERROR_STORAGE_LOST_DATA_PERSISTENCE","features":[308]},{"name":"ERROR_STORAGE_RESERVE_ALREADY_EXISTS","features":[308]},{"name":"ERROR_STORAGE_RESERVE_DOES_NOT_EXIST","features":[308]},{"name":"ERROR_STORAGE_RESERVE_ID_INVALID","features":[308]},{"name":"ERROR_STORAGE_RESERVE_NOT_EMPTY","features":[308]},{"name":"ERROR_STORAGE_STACK_ACCESS_DENIED","features":[308]},{"name":"ERROR_STORAGE_TOPOLOGY_ID_MISMATCH","features":[308]},{"name":"ERROR_STREAM_MINIVERSION_NOT_FOUND","features":[308]},{"name":"ERROR_STREAM_MINIVERSION_NOT_VALID","features":[308]},{"name":"ERROR_STRICT_CFG_VIOLATION","features":[308]},{"name":"ERROR_SUBST_TO_JOIN","features":[308]},{"name":"ERROR_SUBST_TO_SUBST","features":[308]},{"name":"ERROR_SUCCESS","features":[308]},{"name":"ERROR_SUCCESS_REBOOT_INITIATED","features":[308]},{"name":"ERROR_SUCCESS_REBOOT_REQUIRED","features":[308]},{"name":"ERROR_SUCCESS_RESTART_REQUIRED","features":[308]},{"name":"ERROR_SVHDX_ERROR_NOT_AVAILABLE","features":[308]},{"name":"ERROR_SVHDX_ERROR_STORED","features":[308]},{"name":"ERROR_SVHDX_NO_INITIATOR","features":[308]},{"name":"ERROR_SVHDX_RESERVATION_CONFLICT","features":[308]},{"name":"ERROR_SVHDX_UNIT_ATTENTION_AVAILABLE","features":[308]},{"name":"ERROR_SVHDX_UNIT_ATTENTION_CAPACITY_DATA_CHANGED","features":[308]},{"name":"ERROR_SVHDX_UNIT_ATTENTION_OPERATING_DEFINITION_CHANGED","features":[308]},{"name":"ERROR_SVHDX_UNIT_ATTENTION_REGISTRATIONS_PREEMPTED","features":[308]},{"name":"ERROR_SVHDX_UNIT_ATTENTION_RESERVATIONS_PREEMPTED","features":[308]},{"name":"ERROR_SVHDX_UNIT_ATTENTION_RESERVATIONS_RELEASED","features":[308]},{"name":"ERROR_SVHDX_VERSION_MISMATCH","features":[308]},{"name":"ERROR_SVHDX_WRONG_FILE_TYPE","features":[308]},{"name":"ERROR_SWAPERROR","features":[308]},{"name":"ERROR_SXS_ACTIVATION_CONTEXT_DISABLED","features":[308]},{"name":"ERROR_SXS_ASSEMBLY_IS_NOT_A_DEPLOYMENT","features":[308]},{"name":"ERROR_SXS_ASSEMBLY_MISSING","features":[308]},{"name":"ERROR_SXS_ASSEMBLY_NOT_FOUND","features":[308]},{"name":"ERROR_SXS_ASSEMBLY_NOT_LOCKED","features":[308]},{"name":"ERROR_SXS_CANT_GEN_ACTCTX","features":[308]},{"name":"ERROR_SXS_COMPONENT_STORE_CORRUPT","features":[308]},{"name":"ERROR_SXS_CORRUPTION","features":[308]},{"name":"ERROR_SXS_CORRUPT_ACTIVATION_STACK","features":[308]},{"name":"ERROR_SXS_DUPLICATE_ACTIVATABLE_CLASS","features":[308]},{"name":"ERROR_SXS_DUPLICATE_ASSEMBLY_NAME","features":[308]},{"name":"ERROR_SXS_DUPLICATE_CLSID","features":[308]},{"name":"ERROR_SXS_DUPLICATE_DLL_NAME","features":[308]},{"name":"ERROR_SXS_DUPLICATE_IID","features":[308]},{"name":"ERROR_SXS_DUPLICATE_PROGID","features":[308]},{"name":"ERROR_SXS_DUPLICATE_TLBID","features":[308]},{"name":"ERROR_SXS_DUPLICATE_WINDOWCLASS_NAME","features":[308]},{"name":"ERROR_SXS_EARLY_DEACTIVATION","features":[308]},{"name":"ERROR_SXS_FILE_HASH_MISMATCH","features":[308]},{"name":"ERROR_SXS_FILE_HASH_MISSING","features":[308]},{"name":"ERROR_SXS_FILE_NOT_PART_OF_ASSEMBLY","features":[308]},{"name":"ERROR_SXS_IDENTITIES_DIFFERENT","features":[308]},{"name":"ERROR_SXS_IDENTITY_DUPLICATE_ATTRIBUTE","features":[308]},{"name":"ERROR_SXS_IDENTITY_PARSE_ERROR","features":[308]},{"name":"ERROR_SXS_INCORRECT_PUBLIC_KEY_TOKEN","features":[308]},{"name":"ERROR_SXS_INVALID_ACTCTXDATA_FORMAT","features":[308]},{"name":"ERROR_SXS_INVALID_ASSEMBLY_IDENTITY_ATTRIBUTE","features":[308]},{"name":"ERROR_SXS_INVALID_ASSEMBLY_IDENTITY_ATTRIBUTE_NAME","features":[308]},{"name":"ERROR_SXS_INVALID_DEACTIVATION","features":[308]},{"name":"ERROR_SXS_INVALID_IDENTITY_ATTRIBUTE_NAME","features":[308]},{"name":"ERROR_SXS_INVALID_IDENTITY_ATTRIBUTE_VALUE","features":[308]},{"name":"ERROR_SXS_INVALID_XML_NAMESPACE_URI","features":[308]},{"name":"ERROR_SXS_KEY_NOT_FOUND","features":[308]},{"name":"ERROR_SXS_LEAF_MANIFEST_DEPENDENCY_NOT_INSTALLED","features":[308]},{"name":"ERROR_SXS_MANIFEST_FORMAT_ERROR","features":[308]},{"name":"ERROR_SXS_MANIFEST_IDENTITY_SAME_BUT_CONTENTS_DIFFERENT","features":[308]},{"name":"ERROR_SXS_MANIFEST_INVALID_REQUIRED_DEFAULT_NAMESPACE","features":[308]},{"name":"ERROR_SXS_MANIFEST_MISSING_REQUIRED_DEFAULT_NAMESPACE","features":[308]},{"name":"ERROR_SXS_MANIFEST_PARSE_ERROR","features":[308]},{"name":"ERROR_SXS_MANIFEST_TOO_BIG","features":[308]},{"name":"ERROR_SXS_MISSING_ASSEMBLY_IDENTITY_ATTRIBUTE","features":[308]},{"name":"ERROR_SXS_MULTIPLE_DEACTIVATION","features":[308]},{"name":"ERROR_SXS_POLICY_PARSE_ERROR","features":[308]},{"name":"ERROR_SXS_PRIVATE_MANIFEST_CROSS_PATH_WITH_REPARSE_POINT","features":[308]},{"name":"ERROR_SXS_PROCESS_DEFAULT_ALREADY_SET","features":[308]},{"name":"ERROR_SXS_PROCESS_TERMINATION_REQUESTED","features":[308]},{"name":"ERROR_SXS_PROTECTION_CATALOG_FILE_MISSING","features":[308]},{"name":"ERROR_SXS_PROTECTION_CATALOG_NOT_VALID","features":[308]},{"name":"ERROR_SXS_PROTECTION_PUBLIC_KEY_TOO_SHORT","features":[308]},{"name":"ERROR_SXS_PROTECTION_RECOVERY_FAILED","features":[308]},{"name":"ERROR_SXS_RELEASE_ACTIVATION_CONTEXT","features":[308]},{"name":"ERROR_SXS_ROOT_MANIFEST_DEPENDENCY_NOT_INSTALLED","features":[308]},{"name":"ERROR_SXS_SECTION_NOT_FOUND","features":[308]},{"name":"ERROR_SXS_SETTING_NOT_REGISTERED","features":[308]},{"name":"ERROR_SXS_SYSTEM_DEFAULT_ACTIVATION_CONTEXT_EMPTY","features":[308]},{"name":"ERROR_SXS_THREAD_QUERIES_DISABLED","features":[308]},{"name":"ERROR_SXS_TRANSACTION_CLOSURE_INCOMPLETE","features":[308]},{"name":"ERROR_SXS_UNKNOWN_ENCODING","features":[308]},{"name":"ERROR_SXS_UNKNOWN_ENCODING_GROUP","features":[308]},{"name":"ERROR_SXS_UNTRANSLATABLE_HRESULT","features":[308]},{"name":"ERROR_SXS_VERSION_CONFLICT","features":[308]},{"name":"ERROR_SXS_WRONG_SECTION_TYPE","features":[308]},{"name":"ERROR_SXS_XML_E_BADCHARDATA","features":[308]},{"name":"ERROR_SXS_XML_E_BADCHARINSTRING","features":[308]},{"name":"ERROR_SXS_XML_E_BADNAMECHAR","features":[308]},{"name":"ERROR_SXS_XML_E_BADPEREFINSUBSET","features":[308]},{"name":"ERROR_SXS_XML_E_BADSTARTNAMECHAR","features":[308]},{"name":"ERROR_SXS_XML_E_BADXMLCASE","features":[308]},{"name":"ERROR_SXS_XML_E_BADXMLDECL","features":[308]},{"name":"ERROR_SXS_XML_E_COMMENTSYNTAX","features":[308]},{"name":"ERROR_SXS_XML_E_DUPLICATEATTRIBUTE","features":[308]},{"name":"ERROR_SXS_XML_E_EXPECTINGCLOSEQUOTE","features":[308]},{"name":"ERROR_SXS_XML_E_EXPECTINGTAGEND","features":[308]},{"name":"ERROR_SXS_XML_E_INCOMPLETE_ENCODING","features":[308]},{"name":"ERROR_SXS_XML_E_INTERNALERROR","features":[308]},{"name":"ERROR_SXS_XML_E_INVALIDATROOTLEVEL","features":[308]},{"name":"ERROR_SXS_XML_E_INVALIDENCODING","features":[308]},{"name":"ERROR_SXS_XML_E_INVALIDSWITCH","features":[308]},{"name":"ERROR_SXS_XML_E_INVALID_DECIMAL","features":[308]},{"name":"ERROR_SXS_XML_E_INVALID_HEXIDECIMAL","features":[308]},{"name":"ERROR_SXS_XML_E_INVALID_STANDALONE","features":[308]},{"name":"ERROR_SXS_XML_E_INVALID_UNICODE","features":[308]},{"name":"ERROR_SXS_XML_E_INVALID_VERSION","features":[308]},{"name":"ERROR_SXS_XML_E_MISSINGEQUALS","features":[308]},{"name":"ERROR_SXS_XML_E_MISSINGQUOTE","features":[308]},{"name":"ERROR_SXS_XML_E_MISSINGROOT","features":[308]},{"name":"ERROR_SXS_XML_E_MISSINGSEMICOLON","features":[308]},{"name":"ERROR_SXS_XML_E_MISSINGWHITESPACE","features":[308]},{"name":"ERROR_SXS_XML_E_MISSING_PAREN","features":[308]},{"name":"ERROR_SXS_XML_E_MULTIPLEROOTS","features":[308]},{"name":"ERROR_SXS_XML_E_MULTIPLE_COLONS","features":[308]},{"name":"ERROR_SXS_XML_E_RESERVEDNAMESPACE","features":[308]},{"name":"ERROR_SXS_XML_E_UNBALANCEDPAREN","features":[308]},{"name":"ERROR_SXS_XML_E_UNCLOSEDCDATA","features":[308]},{"name":"ERROR_SXS_XML_E_UNCLOSEDCOMMENT","features":[308]},{"name":"ERROR_SXS_XML_E_UNCLOSEDDECL","features":[308]},{"name":"ERROR_SXS_XML_E_UNCLOSEDENDTAG","features":[308]},{"name":"ERROR_SXS_XML_E_UNCLOSEDSTARTTAG","features":[308]},{"name":"ERROR_SXS_XML_E_UNCLOSEDSTRING","features":[308]},{"name":"ERROR_SXS_XML_E_UNCLOSEDTAG","features":[308]},{"name":"ERROR_SXS_XML_E_UNEXPECTEDENDTAG","features":[308]},{"name":"ERROR_SXS_XML_E_UNEXPECTEDEOF","features":[308]},{"name":"ERROR_SXS_XML_E_UNEXPECTED_STANDALONE","features":[308]},{"name":"ERROR_SXS_XML_E_UNEXPECTED_WHITESPACE","features":[308]},{"name":"ERROR_SXS_XML_E_WHITESPACEORQUESTIONMARK","features":[308]},{"name":"ERROR_SXS_XML_E_XMLDECLSYNTAX","features":[308]},{"name":"ERROR_SYMLINK_CLASS_DISABLED","features":[308]},{"name":"ERROR_SYMLINK_NOT_SUPPORTED","features":[308]},{"name":"ERROR_SYNCHRONIZATION_REQUIRED","features":[308]},{"name":"ERROR_SYNC_FOREGROUND_REFRESH_REQUIRED","features":[308]},{"name":"ERROR_SYSTEM_DEVICE_NOT_FOUND","features":[308]},{"name":"ERROR_SYSTEM_HIVE_TOO_LARGE","features":[308]},{"name":"ERROR_SYSTEM_IMAGE_BAD_SIGNATURE","features":[308]},{"name":"ERROR_SYSTEM_INTEGRITY_INVALID_POLICY","features":[308]},{"name":"ERROR_SYSTEM_INTEGRITY_POLICY_NOT_SIGNED","features":[308]},{"name":"ERROR_SYSTEM_INTEGRITY_POLICY_VIOLATION","features":[308]},{"name":"ERROR_SYSTEM_INTEGRITY_REPUTATION_DANGEROUS_EXT","features":[308]},{"name":"ERROR_SYSTEM_INTEGRITY_REPUTATION_EXPLICIT_DENY_FILE","features":[308]},{"name":"ERROR_SYSTEM_INTEGRITY_REPUTATION_MALICIOUS","features":[308]},{"name":"ERROR_SYSTEM_INTEGRITY_REPUTATION_OFFLINE","features":[308]},{"name":"ERROR_SYSTEM_INTEGRITY_REPUTATION_PUA","features":[308]},{"name":"ERROR_SYSTEM_INTEGRITY_REPUTATION_UNATTAINABLE","features":[308]},{"name":"ERROR_SYSTEM_INTEGRITY_REPUTATION_UNFRIENDLY_FILE","features":[308]},{"name":"ERROR_SYSTEM_INTEGRITY_ROLLBACK_DETECTED","features":[308]},{"name":"ERROR_SYSTEM_INTEGRITY_SUPPLEMENTAL_POLICY_NOT_AUTHORIZED","features":[308]},{"name":"ERROR_SYSTEM_INTEGRITY_TOO_MANY_POLICIES","features":[308]},{"name":"ERROR_SYSTEM_NEEDS_REMEDIATION","features":[308]},{"name":"ERROR_SYSTEM_POWERSTATE_COMPLEX_TRANSITION","features":[308]},{"name":"ERROR_SYSTEM_POWERSTATE_TRANSITION","features":[308]},{"name":"ERROR_SYSTEM_PROCESS_TERMINATED","features":[308]},{"name":"ERROR_SYSTEM_SHUTDOWN","features":[308]},{"name":"ERROR_SYSTEM_TRACE","features":[308]},{"name":"ERROR_TAG_NOT_FOUND","features":[308]},{"name":"ERROR_TAG_NOT_PRESENT","features":[308]},{"name":"ERROR_THREAD_1_INACTIVE","features":[308]},{"name":"ERROR_THREAD_ALREADY_IN_TASK","features":[308]},{"name":"ERROR_THREAD_MODE_ALREADY_BACKGROUND","features":[308]},{"name":"ERROR_THREAD_MODE_NOT_BACKGROUND","features":[308]},{"name":"ERROR_THREAD_NOT_IN_PROCESS","features":[308]},{"name":"ERROR_THREAD_WAS_SUSPENDED","features":[308]},{"name":"ERROR_TIERING_ALREADY_PROCESSING","features":[308]},{"name":"ERROR_TIERING_CANNOT_PIN_OBJECT","features":[308]},{"name":"ERROR_TIERING_FILE_IS_NOT_PINNED","features":[308]},{"name":"ERROR_TIERING_INVALID_FILE_ID","features":[308]},{"name":"ERROR_TIERING_NOT_SUPPORTED_ON_VOLUME","features":[308]},{"name":"ERROR_TIERING_STORAGE_TIER_NOT_FOUND","features":[308]},{"name":"ERROR_TIERING_VOLUME_DISMOUNT_IN_PROGRESS","features":[308]},{"name":"ERROR_TIERING_WRONG_CLUSTER_NODE","features":[308]},{"name":"ERROR_TIMEOUT","features":[308]},{"name":"ERROR_TIMER_NOT_CANCELED","features":[308]},{"name":"ERROR_TIMER_RESOLUTION_NOT_SET","features":[308]},{"name":"ERROR_TIMER_RESUME_IGNORED","features":[308]},{"name":"ERROR_TIME_SENSITIVE_THREAD","features":[308]},{"name":"ERROR_TIME_SKEW","features":[308]},{"name":"ERROR_TLW_WITH_WSCHILD","features":[308]},{"name":"ERROR_TM_IDENTITY_MISMATCH","features":[308]},{"name":"ERROR_TM_INITIALIZATION_FAILED","features":[308]},{"name":"ERROR_TM_VOLATILE","features":[308]},{"name":"ERROR_TOKEN_ALREADY_IN_USE","features":[308]},{"name":"ERROR_TOO_MANY_CMDS","features":[308]},{"name":"ERROR_TOO_MANY_CONTEXT_IDS","features":[308]},{"name":"ERROR_TOO_MANY_DESCRIPTORS","features":[308]},{"name":"ERROR_TOO_MANY_LINKS","features":[308]},{"name":"ERROR_TOO_MANY_LUIDS_REQUESTED","features":[308]},{"name":"ERROR_TOO_MANY_MODULES","features":[308]},{"name":"ERROR_TOO_MANY_MUXWAITERS","features":[308]},{"name":"ERROR_TOO_MANY_NAMES","features":[308]},{"name":"ERROR_TOO_MANY_OPEN_FILES","features":[308]},{"name":"ERROR_TOO_MANY_POSTS","features":[308]},{"name":"ERROR_TOO_MANY_SECRETS","features":[308]},{"name":"ERROR_TOO_MANY_SEMAPHORES","features":[308]},{"name":"ERROR_TOO_MANY_SEM_REQUESTS","features":[308]},{"name":"ERROR_TOO_MANY_SESS","features":[308]},{"name":"ERROR_TOO_MANY_SIDS","features":[308]},{"name":"ERROR_TOO_MANY_TCBS","features":[308]},{"name":"ERROR_TOO_MANY_THREADS","features":[308]},{"name":"ERROR_TRANSACTED_MAPPING_UNSUPPORTED_REMOTE","features":[308]},{"name":"ERROR_TRANSACTIONAL_CONFLICT","features":[308]},{"name":"ERROR_TRANSACTIONAL_OPEN_NOT_ALLOWED","features":[308]},{"name":"ERROR_TRANSACTIONMANAGER_IDENTITY_MISMATCH","features":[308]},{"name":"ERROR_TRANSACTIONMANAGER_NOT_FOUND","features":[308]},{"name":"ERROR_TRANSACTIONMANAGER_NOT_ONLINE","features":[308]},{"name":"ERROR_TRANSACTIONMANAGER_RECOVERY_NAME_COLLISION","features":[308]},{"name":"ERROR_TRANSACTIONS_NOT_FROZEN","features":[308]},{"name":"ERROR_TRANSACTIONS_UNSUPPORTED_REMOTE","features":[308]},{"name":"ERROR_TRANSACTION_ALREADY_ABORTED","features":[308]},{"name":"ERROR_TRANSACTION_ALREADY_COMMITTED","features":[308]},{"name":"ERROR_TRANSACTION_FREEZE_IN_PROGRESS","features":[308]},{"name":"ERROR_TRANSACTION_INTEGRITY_VIOLATED","features":[308]},{"name":"ERROR_TRANSACTION_INVALID_MARSHALL_BUFFER","features":[308]},{"name":"ERROR_TRANSACTION_MUST_WRITETHROUGH","features":[308]},{"name":"ERROR_TRANSACTION_NOT_ACTIVE","features":[308]},{"name":"ERROR_TRANSACTION_NOT_ENLISTED","features":[308]},{"name":"ERROR_TRANSACTION_NOT_FOUND","features":[308]},{"name":"ERROR_TRANSACTION_NOT_JOINED","features":[308]},{"name":"ERROR_TRANSACTION_NOT_REQUESTED","features":[308]},{"name":"ERROR_TRANSACTION_NOT_ROOT","features":[308]},{"name":"ERROR_TRANSACTION_NO_SUPERIOR","features":[308]},{"name":"ERROR_TRANSACTION_OBJECT_EXPIRED","features":[308]},{"name":"ERROR_TRANSACTION_PROPAGATION_FAILED","features":[308]},{"name":"ERROR_TRANSACTION_RECORD_TOO_LONG","features":[308]},{"name":"ERROR_TRANSACTION_REQUEST_NOT_VALID","features":[308]},{"name":"ERROR_TRANSACTION_REQUIRED_PROMOTION","features":[308]},{"name":"ERROR_TRANSACTION_RESPONSE_NOT_ENLISTED","features":[308]},{"name":"ERROR_TRANSACTION_SCOPE_CALLBACKS_NOT_SET","features":[308]},{"name":"ERROR_TRANSACTION_SUPERIOR_EXISTS","features":[308]},{"name":"ERROR_TRANSFORM_NOT_SUPPORTED","features":[308]},{"name":"ERROR_TRANSLATION_COMPLETE","features":[308]},{"name":"ERROR_TRANSPORT_FULL","features":[308]},{"name":"ERROR_TRUSTED_DOMAIN_FAILURE","features":[308]},{"name":"ERROR_TRUSTED_RELATIONSHIP_FAILURE","features":[308]},{"name":"ERROR_TRUST_FAILURE","features":[308]},{"name":"ERROR_TS_INCOMPATIBLE_SESSIONS","features":[308]},{"name":"ERROR_TS_VIDEO_SUBSYSTEM_ERROR","features":[308]},{"name":"ERROR_TXF_ATTRIBUTE_CORRUPT","features":[308]},{"name":"ERROR_TXF_DIR_NOT_EMPTY","features":[308]},{"name":"ERROR_TXF_METADATA_ALREADY_PRESENT","features":[308]},{"name":"ERROR_UNABLE_TO_CLEAN","features":[308]},{"name":"ERROR_UNABLE_TO_EJECT_MOUNTED_MEDIA","features":[308]},{"name":"ERROR_UNABLE_TO_INVENTORY_DRIVE","features":[308]},{"name":"ERROR_UNABLE_TO_INVENTORY_SLOT","features":[308]},{"name":"ERROR_UNABLE_TO_INVENTORY_TRANSPORT","features":[308]},{"name":"ERROR_UNABLE_TO_LOAD_MEDIUM","features":[308]},{"name":"ERROR_UNABLE_TO_LOCK_MEDIA","features":[308]},{"name":"ERROR_UNABLE_TO_MOVE_REPLACEMENT","features":[308]},{"name":"ERROR_UNABLE_TO_MOVE_REPLACEMENT_2","features":[308]},{"name":"ERROR_UNABLE_TO_REMOVE_REPLACED","features":[308]},{"name":"ERROR_UNABLE_TO_UNLOAD_MEDIA","features":[308]},{"name":"ERROR_UNDEFINED_CHARACTER","features":[308]},{"name":"ERROR_UNDEFINED_SCOPE","features":[308]},{"name":"ERROR_UNEXPECTED_MM_CREATE_ERR","features":[308]},{"name":"ERROR_UNEXPECTED_MM_EXTEND_ERR","features":[308]},{"name":"ERROR_UNEXPECTED_MM_MAP_ERROR","features":[308]},{"name":"ERROR_UNEXPECTED_NTCACHEMANAGER_ERROR","features":[308]},{"name":"ERROR_UNEXPECTED_OMID","features":[308]},{"name":"ERROR_UNEXP_NET_ERR","features":[308]},{"name":"ERROR_UNHANDLED_EXCEPTION","features":[308]},{"name":"ERROR_UNIDENTIFIED_ERROR","features":[308]},{"name":"ERROR_UNKNOWN_COMPONENT","features":[308]},{"name":"ERROR_UNKNOWN_EXCEPTION","features":[308]},{"name":"ERROR_UNKNOWN_FEATURE","features":[308]},{"name":"ERROR_UNKNOWN_PATCH","features":[308]},{"name":"ERROR_UNKNOWN_PORT","features":[308]},{"name":"ERROR_UNKNOWN_PRINTER_DRIVER","features":[308]},{"name":"ERROR_UNKNOWN_PRINTPROCESSOR","features":[308]},{"name":"ERROR_UNKNOWN_PRINT_MONITOR","features":[308]},{"name":"ERROR_UNKNOWN_PRODUCT","features":[308]},{"name":"ERROR_UNKNOWN_PROPERTY","features":[308]},{"name":"ERROR_UNKNOWN_PROTOCOL_ID","features":[308]},{"name":"ERROR_UNKNOWN_REVISION","features":[308]},{"name":"ERROR_UNMAPPED_SUBSTITUTION_STRING","features":[308]},{"name":"ERROR_UNRECOGNIZED_MEDIA","features":[308]},{"name":"ERROR_UNRECOGNIZED_VOLUME","features":[308]},{"name":"ERROR_UNRECOVERABLE_STACK_OVERFLOW","features":[308]},{"name":"ERROR_UNSATISFIED_DEPENDENCIES","features":[308]},{"name":"ERROR_UNSIGNED_PACKAGE_INVALID_CONTENT","features":[308]},{"name":"ERROR_UNSIGNED_PACKAGE_INVALID_PUBLISHER_NAMESPACE","features":[308]},{"name":"ERROR_UNSUPPORTED_COMPRESSION","features":[308]},{"name":"ERROR_UNSUPPORTED_TYPE","features":[308]},{"name":"ERROR_UNTRUSTED_MOUNT_POINT","features":[308]},{"name":"ERROR_UNWIND","features":[308]},{"name":"ERROR_UNWIND_CONSOLIDATE","features":[308]},{"name":"ERROR_UPDATE_IN_PROGRESS","features":[308]},{"name":"ERROR_USER_APC","features":[308]},{"name":"ERROR_USER_DELETE_TRUST_QUOTA_EXCEEDED","features":[308]},{"name":"ERROR_USER_EXISTS","features":[308]},{"name":"ERROR_USER_LIMIT","features":[308]},{"name":"ERROR_USER_MAPPED_FILE","features":[308]},{"name":"ERROR_USER_PROFILE_LOAD","features":[308]},{"name":"ERROR_VALIDATE_CONTINUE","features":[308]},{"name":"ERROR_VC_DISCONNECTED","features":[308]},{"name":"ERROR_VDM_DISALLOWED","features":[308]},{"name":"ERROR_VDM_HARD_ERROR","features":[308]},{"name":"ERROR_VERIFIER_STOP","features":[308]},{"name":"ERROR_VERSION_PARSE_ERROR","features":[308]},{"name":"ERROR_VHDSET_BACKING_STORAGE_NOT_FOUND","features":[308]},{"name":"ERROR_VHD_ALREADY_AT_OR_BELOW_MINIMUM_VIRTUAL_SIZE","features":[308]},{"name":"ERROR_VHD_BITMAP_MISMATCH","features":[308]},{"name":"ERROR_VHD_BLOCK_ALLOCATION_FAILURE","features":[308]},{"name":"ERROR_VHD_BLOCK_ALLOCATION_TABLE_CORRUPT","features":[308]},{"name":"ERROR_VHD_CHANGE_TRACKING_DISABLED","features":[308]},{"name":"ERROR_VHD_CHILD_PARENT_ID_MISMATCH","features":[308]},{"name":"ERROR_VHD_CHILD_PARENT_SIZE_MISMATCH","features":[308]},{"name":"ERROR_VHD_CHILD_PARENT_TIMESTAMP_MISMATCH","features":[308]},{"name":"ERROR_VHD_COULD_NOT_COMPUTE_MINIMUM_VIRTUAL_SIZE","features":[308]},{"name":"ERROR_VHD_DIFFERENCING_CHAIN_CYCLE_DETECTED","features":[308]},{"name":"ERROR_VHD_DIFFERENCING_CHAIN_ERROR_IN_PARENT","features":[308]},{"name":"ERROR_VHD_DRIVE_FOOTER_CHECKSUM_MISMATCH","features":[308]},{"name":"ERROR_VHD_DRIVE_FOOTER_CORRUPT","features":[308]},{"name":"ERROR_VHD_DRIVE_FOOTER_MISSING","features":[308]},{"name":"ERROR_VHD_FORMAT_UNKNOWN","features":[308]},{"name":"ERROR_VHD_FORMAT_UNSUPPORTED_VERSION","features":[308]},{"name":"ERROR_VHD_INVALID_BLOCK_SIZE","features":[308]},{"name":"ERROR_VHD_INVALID_CHANGE_TRACKING_ID","features":[308]},{"name":"ERROR_VHD_INVALID_FILE_SIZE","features":[308]},{"name":"ERROR_VHD_INVALID_SIZE","features":[308]},{"name":"ERROR_VHD_INVALID_STATE","features":[308]},{"name":"ERROR_VHD_INVALID_TYPE","features":[308]},{"name":"ERROR_VHD_METADATA_FULL","features":[308]},{"name":"ERROR_VHD_METADATA_READ_FAILURE","features":[308]},{"name":"ERROR_VHD_METADATA_WRITE_FAILURE","features":[308]},{"name":"ERROR_VHD_MISSING_CHANGE_TRACKING_INFORMATION","features":[308]},{"name":"ERROR_VHD_PARENT_VHD_ACCESS_DENIED","features":[308]},{"name":"ERROR_VHD_PARENT_VHD_NOT_FOUND","features":[308]},{"name":"ERROR_VHD_RESIZE_WOULD_TRUNCATE_DATA","features":[308]},{"name":"ERROR_VHD_SHARED","features":[308]},{"name":"ERROR_VHD_SPARSE_HEADER_CHECKSUM_MISMATCH","features":[308]},{"name":"ERROR_VHD_SPARSE_HEADER_CORRUPT","features":[308]},{"name":"ERROR_VHD_SPARSE_HEADER_UNSUPPORTED_VERSION","features":[308]},{"name":"ERROR_VHD_UNEXPECTED_ID","features":[308]},{"name":"ERROR_VID_CHILD_GPA_PAGE_SET_CORRUPTED","features":[308]},{"name":"ERROR_VID_DUPLICATE_HANDLER","features":[308]},{"name":"ERROR_VID_EXCEEDED_KM_CONTEXT_COUNT_LIMIT","features":[308]},{"name":"ERROR_VID_EXCEEDED_MBP_ENTRY_MAP_LIMIT","features":[308]},{"name":"ERROR_VID_HANDLER_NOT_PRESENT","features":[308]},{"name":"ERROR_VID_INSUFFICIENT_RESOURCES_HV_DEPOSIT","features":[308]},{"name":"ERROR_VID_INSUFFICIENT_RESOURCES_PHYSICAL_BUFFER","features":[308]},{"name":"ERROR_VID_INSUFFICIENT_RESOURCES_RESERVE","features":[308]},{"name":"ERROR_VID_INSUFFICIENT_RESOURCES_WITHDRAW","features":[308]},{"name":"ERROR_VID_INVALID_CHILD_GPA_PAGE_SET","features":[308]},{"name":"ERROR_VID_INVALID_GPA_RANGE_HANDLE","features":[308]},{"name":"ERROR_VID_INVALID_MEMORY_BLOCK_HANDLE","features":[308]},{"name":"ERROR_VID_INVALID_MESSAGE_QUEUE_HANDLE","features":[308]},{"name":"ERROR_VID_INVALID_NUMA_NODE_INDEX","features":[308]},{"name":"ERROR_VID_INVALID_NUMA_SETTINGS","features":[308]},{"name":"ERROR_VID_INVALID_OBJECT_NAME","features":[308]},{"name":"ERROR_VID_INVALID_PPM_HANDLE","features":[308]},{"name":"ERROR_VID_INVALID_PROCESSOR_STATE","features":[308]},{"name":"ERROR_VID_KM_INTERFACE_ALREADY_INITIALIZED","features":[308]},{"name":"ERROR_VID_MBPS_ARE_LOCKED","features":[308]},{"name":"ERROR_VID_MBP_ALREADY_LOCKED_USING_RESERVED_PAGE","features":[308]},{"name":"ERROR_VID_MBP_COUNT_EXCEEDED_LIMIT","features":[308]},{"name":"ERROR_VID_MB_PROPERTY_ALREADY_SET_RESET","features":[308]},{"name":"ERROR_VID_MB_STILL_REFERENCED","features":[308]},{"name":"ERROR_VID_MEMORY_BLOCK_LOCK_COUNT_EXCEEDED","features":[308]},{"name":"ERROR_VID_MEMORY_TYPE_NOT_SUPPORTED","features":[308]},{"name":"ERROR_VID_MESSAGE_QUEUE_ALREADY_EXISTS","features":[308]},{"name":"ERROR_VID_MESSAGE_QUEUE_CLOSED","features":[308]},{"name":"ERROR_VID_MESSAGE_QUEUE_NAME_TOO_LONG","features":[308]},{"name":"ERROR_VID_MMIO_RANGE_DESTROYED","features":[308]},{"name":"ERROR_VID_NOTIFICATION_QUEUE_ALREADY_ASSOCIATED","features":[308]},{"name":"ERROR_VID_NO_MEMORY_BLOCK_NOTIFICATION_QUEUE","features":[308]},{"name":"ERROR_VID_PAGE_RANGE_OVERFLOW","features":[308]},{"name":"ERROR_VID_PARTITION_ALREADY_EXISTS","features":[308]},{"name":"ERROR_VID_PARTITION_DOES_NOT_EXIST","features":[308]},{"name":"ERROR_VID_PARTITION_NAME_NOT_FOUND","features":[308]},{"name":"ERROR_VID_PARTITION_NAME_TOO_LONG","features":[308]},{"name":"ERROR_VID_PROCESS_ALREADY_SET","features":[308]},{"name":"ERROR_VID_QUEUE_FULL","features":[308]},{"name":"ERROR_VID_REMOTE_NODE_PARENT_GPA_PAGES_USED","features":[308]},{"name":"ERROR_VID_RESERVE_PAGE_SET_IS_BEING_USED","features":[308]},{"name":"ERROR_VID_RESERVE_PAGE_SET_TOO_SMALL","features":[308]},{"name":"ERROR_VID_SAVED_STATE_CORRUPT","features":[308]},{"name":"ERROR_VID_SAVED_STATE_INCOMPATIBLE","features":[308]},{"name":"ERROR_VID_SAVED_STATE_UNRECOGNIZED_ITEM","features":[308]},{"name":"ERROR_VID_STOP_PENDING","features":[308]},{"name":"ERROR_VID_TOO_MANY_HANDLERS","features":[308]},{"name":"ERROR_VID_VIRTUAL_PROCESSOR_LIMIT_EXCEEDED","features":[308]},{"name":"ERROR_VID_VTL_ACCESS_DENIED","features":[308]},{"name":"ERROR_VIRTDISK_DISK_ALREADY_OWNED","features":[308]},{"name":"ERROR_VIRTDISK_DISK_ONLINE_AND_WRITABLE","features":[308]},{"name":"ERROR_VIRTDISK_NOT_VIRTUAL_DISK","features":[308]},{"name":"ERROR_VIRTDISK_PROVIDER_NOT_FOUND","features":[308]},{"name":"ERROR_VIRTDISK_UNSUPPORTED_DISK_SECTOR_SIZE","features":[308]},{"name":"ERROR_VIRTUAL_DISK_LIMITATION","features":[308]},{"name":"ERROR_VIRUS_DELETED","features":[308]},{"name":"ERROR_VIRUS_INFECTED","features":[308]},{"name":"ERROR_VMCOMPUTE_CONNECTION_CLOSED","features":[308]},{"name":"ERROR_VMCOMPUTE_CONNECT_FAILED","features":[308]},{"name":"ERROR_VMCOMPUTE_HYPERV_NOT_INSTALLED","features":[308]},{"name":"ERROR_VMCOMPUTE_IMAGE_MISMATCH","features":[308]},{"name":"ERROR_VMCOMPUTE_INVALID_JSON","features":[308]},{"name":"ERROR_VMCOMPUTE_INVALID_LAYER","features":[308]},{"name":"ERROR_VMCOMPUTE_INVALID_STATE","features":[308]},{"name":"ERROR_VMCOMPUTE_OPERATION_PENDING","features":[308]},{"name":"ERROR_VMCOMPUTE_PROTOCOL_ERROR","features":[308]},{"name":"ERROR_VMCOMPUTE_SYSTEM_ALREADY_EXISTS","features":[308]},{"name":"ERROR_VMCOMPUTE_SYSTEM_ALREADY_STOPPED","features":[308]},{"name":"ERROR_VMCOMPUTE_SYSTEM_NOT_FOUND","features":[308]},{"name":"ERROR_VMCOMPUTE_TERMINATED","features":[308]},{"name":"ERROR_VMCOMPUTE_TERMINATED_DURING_START","features":[308]},{"name":"ERROR_VMCOMPUTE_TIMEOUT","features":[308]},{"name":"ERROR_VMCOMPUTE_TOO_MANY_NOTIFICATIONS","features":[308]},{"name":"ERROR_VMCOMPUTE_UNEXPECTED_EXIT","features":[308]},{"name":"ERROR_VMCOMPUTE_UNKNOWN_MESSAGE","features":[308]},{"name":"ERROR_VMCOMPUTE_UNSUPPORTED_PROTOCOL_VERSION","features":[308]},{"name":"ERROR_VMCOMPUTE_WINDOWS_INSIDER_REQUIRED","features":[308]},{"name":"ERROR_VNET_VIRTUAL_SWITCH_NAME_NOT_FOUND","features":[308]},{"name":"ERROR_VOLMGR_ALL_DISKS_FAILED","features":[308]},{"name":"ERROR_VOLMGR_BAD_BOOT_DISK","features":[308]},{"name":"ERROR_VOLMGR_DATABASE_FULL","features":[308]},{"name":"ERROR_VOLMGR_DIFFERENT_SECTOR_SIZE","features":[308]},{"name":"ERROR_VOLMGR_DISK_CONFIGURATION_CORRUPTED","features":[308]},{"name":"ERROR_VOLMGR_DISK_CONFIGURATION_NOT_IN_SYNC","features":[308]},{"name":"ERROR_VOLMGR_DISK_CONTAINS_NON_SIMPLE_VOLUME","features":[308]},{"name":"ERROR_VOLMGR_DISK_DUPLICATE","features":[308]},{"name":"ERROR_VOLMGR_DISK_DYNAMIC","features":[308]},{"name":"ERROR_VOLMGR_DISK_ID_INVALID","features":[308]},{"name":"ERROR_VOLMGR_DISK_INVALID","features":[308]},{"name":"ERROR_VOLMGR_DISK_LAST_VOTER","features":[308]},{"name":"ERROR_VOLMGR_DISK_LAYOUT_INVALID","features":[308]},{"name":"ERROR_VOLMGR_DISK_LAYOUT_NON_BASIC_BETWEEN_BASIC_PARTITIONS","features":[308]},{"name":"ERROR_VOLMGR_DISK_LAYOUT_NOT_CYLINDER_ALIGNED","features":[308]},{"name":"ERROR_VOLMGR_DISK_LAYOUT_PARTITIONS_TOO_SMALL","features":[308]},{"name":"ERROR_VOLMGR_DISK_LAYOUT_PRIMARY_BETWEEN_LOGICAL_PARTITIONS","features":[308]},{"name":"ERROR_VOLMGR_DISK_LAYOUT_TOO_MANY_PARTITIONS","features":[308]},{"name":"ERROR_VOLMGR_DISK_MISSING","features":[308]},{"name":"ERROR_VOLMGR_DISK_NOT_EMPTY","features":[308]},{"name":"ERROR_VOLMGR_DISK_NOT_ENOUGH_SPACE","features":[308]},{"name":"ERROR_VOLMGR_DISK_REVECTORING_FAILED","features":[308]},{"name":"ERROR_VOLMGR_DISK_SECTOR_SIZE_INVALID","features":[308]},{"name":"ERROR_VOLMGR_DISK_SET_NOT_CONTAINED","features":[308]},{"name":"ERROR_VOLMGR_DISK_USED_BY_MULTIPLE_MEMBERS","features":[308]},{"name":"ERROR_VOLMGR_DISK_USED_BY_MULTIPLE_PLEXES","features":[308]},{"name":"ERROR_VOLMGR_DYNAMIC_DISK_NOT_SUPPORTED","features":[308]},{"name":"ERROR_VOLMGR_EXTENT_ALREADY_USED","features":[308]},{"name":"ERROR_VOLMGR_EXTENT_NOT_CONTIGUOUS","features":[308]},{"name":"ERROR_VOLMGR_EXTENT_NOT_IN_PUBLIC_REGION","features":[308]},{"name":"ERROR_VOLMGR_EXTENT_NOT_SECTOR_ALIGNED","features":[308]},{"name":"ERROR_VOLMGR_EXTENT_OVERLAPS_EBR_PARTITION","features":[308]},{"name":"ERROR_VOLMGR_EXTENT_VOLUME_LENGTHS_DO_NOT_MATCH","features":[308]},{"name":"ERROR_VOLMGR_FAULT_TOLERANT_NOT_SUPPORTED","features":[308]},{"name":"ERROR_VOLMGR_INCOMPLETE_DISK_MIGRATION","features":[308]},{"name":"ERROR_VOLMGR_INCOMPLETE_REGENERATION","features":[308]},{"name":"ERROR_VOLMGR_INTERLEAVE_LENGTH_INVALID","features":[308]},{"name":"ERROR_VOLMGR_MAXIMUM_REGISTERED_USERS","features":[308]},{"name":"ERROR_VOLMGR_MEMBER_INDEX_DUPLICATE","features":[308]},{"name":"ERROR_VOLMGR_MEMBER_INDEX_INVALID","features":[308]},{"name":"ERROR_VOLMGR_MEMBER_IN_SYNC","features":[308]},{"name":"ERROR_VOLMGR_MEMBER_MISSING","features":[308]},{"name":"ERROR_VOLMGR_MEMBER_NOT_DETACHED","features":[308]},{"name":"ERROR_VOLMGR_MEMBER_REGENERATING","features":[308]},{"name":"ERROR_VOLMGR_MIRROR_NOT_SUPPORTED","features":[308]},{"name":"ERROR_VOLMGR_NOTIFICATION_RESET","features":[308]},{"name":"ERROR_VOLMGR_NOT_PRIMARY_PACK","features":[308]},{"name":"ERROR_VOLMGR_NO_REGISTERED_USERS","features":[308]},{"name":"ERROR_VOLMGR_NO_SUCH_USER","features":[308]},{"name":"ERROR_VOLMGR_NO_VALID_LOG_COPIES","features":[308]},{"name":"ERROR_VOLMGR_NUMBER_OF_DISKS_INVALID","features":[308]},{"name":"ERROR_VOLMGR_NUMBER_OF_DISKS_IN_MEMBER_INVALID","features":[308]},{"name":"ERROR_VOLMGR_NUMBER_OF_DISKS_IN_PLEX_INVALID","features":[308]},{"name":"ERROR_VOLMGR_NUMBER_OF_EXTENTS_INVALID","features":[308]},{"name":"ERROR_VOLMGR_NUMBER_OF_MEMBERS_INVALID","features":[308]},{"name":"ERROR_VOLMGR_NUMBER_OF_PLEXES_INVALID","features":[308]},{"name":"ERROR_VOLMGR_PACK_CONFIG_OFFLINE","features":[308]},{"name":"ERROR_VOLMGR_PACK_CONFIG_ONLINE","features":[308]},{"name":"ERROR_VOLMGR_PACK_CONFIG_UPDATE_FAILED","features":[308]},{"name":"ERROR_VOLMGR_PACK_DUPLICATE","features":[308]},{"name":"ERROR_VOLMGR_PACK_HAS_QUORUM","features":[308]},{"name":"ERROR_VOLMGR_PACK_ID_INVALID","features":[308]},{"name":"ERROR_VOLMGR_PACK_INVALID","features":[308]},{"name":"ERROR_VOLMGR_PACK_LOG_UPDATE_FAILED","features":[308]},{"name":"ERROR_VOLMGR_PACK_NAME_INVALID","features":[308]},{"name":"ERROR_VOLMGR_PACK_OFFLINE","features":[308]},{"name":"ERROR_VOLMGR_PACK_WITHOUT_QUORUM","features":[308]},{"name":"ERROR_VOLMGR_PARTITION_STYLE_INVALID","features":[308]},{"name":"ERROR_VOLMGR_PARTITION_UPDATE_FAILED","features":[308]},{"name":"ERROR_VOLMGR_PLEX_INDEX_DUPLICATE","features":[308]},{"name":"ERROR_VOLMGR_PLEX_INDEX_INVALID","features":[308]},{"name":"ERROR_VOLMGR_PLEX_IN_SYNC","features":[308]},{"name":"ERROR_VOLMGR_PLEX_LAST_ACTIVE","features":[308]},{"name":"ERROR_VOLMGR_PLEX_MISSING","features":[308]},{"name":"ERROR_VOLMGR_PLEX_NOT_RAID5","features":[308]},{"name":"ERROR_VOLMGR_PLEX_NOT_SIMPLE","features":[308]},{"name":"ERROR_VOLMGR_PLEX_NOT_SIMPLE_SPANNED","features":[308]},{"name":"ERROR_VOLMGR_PLEX_REGENERATING","features":[308]},{"name":"ERROR_VOLMGR_PLEX_TYPE_INVALID","features":[308]},{"name":"ERROR_VOLMGR_PRIMARY_PACK_PRESENT","features":[308]},{"name":"ERROR_VOLMGR_RAID5_NOT_SUPPORTED","features":[308]},{"name":"ERROR_VOLMGR_STRUCTURE_SIZE_INVALID","features":[308]},{"name":"ERROR_VOLMGR_TOO_MANY_NOTIFICATION_REQUESTS","features":[308]},{"name":"ERROR_VOLMGR_TRANSACTION_IN_PROGRESS","features":[308]},{"name":"ERROR_VOLMGR_UNEXPECTED_DISK_LAYOUT_CHANGE","features":[308]},{"name":"ERROR_VOLMGR_VOLUME_CONTAINS_MISSING_DISK","features":[308]},{"name":"ERROR_VOLMGR_VOLUME_ID_INVALID","features":[308]},{"name":"ERROR_VOLMGR_VOLUME_LENGTH_INVALID","features":[308]},{"name":"ERROR_VOLMGR_VOLUME_LENGTH_NOT_SECTOR_SIZE_MULTIPLE","features":[308]},{"name":"ERROR_VOLMGR_VOLUME_MIRRORED","features":[308]},{"name":"ERROR_VOLMGR_VOLUME_NOT_MIRRORED","features":[308]},{"name":"ERROR_VOLMGR_VOLUME_NOT_RETAINED","features":[308]},{"name":"ERROR_VOLMGR_VOLUME_OFFLINE","features":[308]},{"name":"ERROR_VOLMGR_VOLUME_RETAINED","features":[308]},{"name":"ERROR_VOLSNAP_ACTIVATION_TIMEOUT","features":[308]},{"name":"ERROR_VOLSNAP_BOOTFILE_NOT_VALID","features":[308]},{"name":"ERROR_VOLSNAP_HIBERNATE_READY","features":[308]},{"name":"ERROR_VOLSNAP_NO_BYPASSIO_WITH_SNAPSHOT","features":[308]},{"name":"ERROR_VOLSNAP_PREPARE_HIBERNATE","features":[308]},{"name":"ERROR_VOLUME_CONTAINS_SYS_FILES","features":[308]},{"name":"ERROR_VOLUME_DIRTY","features":[308]},{"name":"ERROR_VOLUME_MOUNTED","features":[308]},{"name":"ERROR_VOLUME_NOT_CLUSTER_ALIGNED","features":[308]},{"name":"ERROR_VOLUME_NOT_SIS_ENABLED","features":[308]},{"name":"ERROR_VOLUME_NOT_SUPPORTED","features":[308]},{"name":"ERROR_VOLUME_NOT_SUPPORT_EFS","features":[308]},{"name":"ERROR_VOLUME_UPGRADE_DISABLED","features":[308]},{"name":"ERROR_VOLUME_UPGRADE_DISABLED_TILL_OS_DOWNGRADE_EXPIRED","features":[308]},{"name":"ERROR_VOLUME_UPGRADE_NOT_NEEDED","features":[308]},{"name":"ERROR_VOLUME_UPGRADE_PENDING","features":[308]},{"name":"ERROR_VOLUME_WRITE_ACCESS_DENIED","features":[308]},{"name":"ERROR_VRF_VOLATILE_CFG_AND_IO_ENABLED","features":[308]},{"name":"ERROR_VRF_VOLATILE_NMI_REGISTERED","features":[308]},{"name":"ERROR_VRF_VOLATILE_NOT_RUNNABLE_SYSTEM","features":[308]},{"name":"ERROR_VRF_VOLATILE_NOT_STOPPABLE","features":[308]},{"name":"ERROR_VRF_VOLATILE_NOT_SUPPORTED_RULECLASS","features":[308]},{"name":"ERROR_VRF_VOLATILE_PROTECTED_DRIVER","features":[308]},{"name":"ERROR_VRF_VOLATILE_SAFE_MODE","features":[308]},{"name":"ERROR_VRF_VOLATILE_SETTINGS_CONFLICT","features":[308]},{"name":"ERROR_VSMB_SAVED_STATE_CORRUPT","features":[308]},{"name":"ERROR_VSMB_SAVED_STATE_FILE_NOT_FOUND","features":[308]},{"name":"ERROR_VSM_DMA_PROTECTION_NOT_IN_USE","features":[308]},{"name":"ERROR_VSM_NOT_INITIALIZED","features":[308]},{"name":"ERROR_WAIT_1","features":[308]},{"name":"ERROR_WAIT_2","features":[308]},{"name":"ERROR_WAIT_3","features":[308]},{"name":"ERROR_WAIT_63","features":[308]},{"name":"ERROR_WAIT_FOR_OPLOCK","features":[308]},{"name":"ERROR_WAIT_NO_CHILDREN","features":[308]},{"name":"ERROR_WAKE_SYSTEM","features":[308]},{"name":"ERROR_WAKE_SYSTEM_DEBUGGER","features":[308]},{"name":"ERROR_WAS_LOCKED","features":[308]},{"name":"ERROR_WAS_UNLOCKED","features":[308]},{"name":"ERROR_WEAK_WHFBKEY_BLOCKED","features":[308]},{"name":"ERROR_WINDOW_NOT_COMBOBOX","features":[308]},{"name":"ERROR_WINDOW_NOT_DIALOG","features":[308]},{"name":"ERROR_WINDOW_OF_OTHER_THREAD","features":[308]},{"name":"ERROR_WINS_INTERNAL","features":[308]},{"name":"ERROR_WIP_ENCRYPTION_FAILED","features":[308]},{"name":"ERROR_WMI_ALREADY_DISABLED","features":[308]},{"name":"ERROR_WMI_ALREADY_ENABLED","features":[308]},{"name":"ERROR_WMI_DP_FAILED","features":[308]},{"name":"ERROR_WMI_DP_NOT_FOUND","features":[308]},{"name":"ERROR_WMI_GUID_DISCONNECTED","features":[308]},{"name":"ERROR_WMI_GUID_NOT_FOUND","features":[308]},{"name":"ERROR_WMI_INSTANCE_NOT_FOUND","features":[308]},{"name":"ERROR_WMI_INVALID_MOF","features":[308]},{"name":"ERROR_WMI_INVALID_REGINFO","features":[308]},{"name":"ERROR_WMI_ITEMID_NOT_FOUND","features":[308]},{"name":"ERROR_WMI_READ_ONLY","features":[308]},{"name":"ERROR_WMI_SERVER_UNAVAILABLE","features":[308]},{"name":"ERROR_WMI_SET_FAILURE","features":[308]},{"name":"ERROR_WMI_TRY_AGAIN","features":[308]},{"name":"ERROR_WMI_UNRESOLVED_INSTANCE_REF","features":[308]},{"name":"ERROR_WOF_FILE_RESOURCE_TABLE_CORRUPT","features":[308]},{"name":"ERROR_WOF_WIM_HEADER_CORRUPT","features":[308]},{"name":"ERROR_WOF_WIM_RESOURCE_TABLE_CORRUPT","features":[308]},{"name":"ERROR_WORKING_SET_QUOTA","features":[308]},{"name":"ERROR_WOW_ASSERTION","features":[308]},{"name":"ERROR_WRITE_FAULT","features":[308]},{"name":"ERROR_WRITE_PROTECT","features":[308]},{"name":"ERROR_WRONG_COMPARTMENT","features":[308]},{"name":"ERROR_WRONG_DISK","features":[308]},{"name":"ERROR_WRONG_EFS","features":[308]},{"name":"ERROR_WRONG_INF_STYLE","features":[308]},{"name":"ERROR_WRONG_INF_TYPE","features":[308]},{"name":"ERROR_WRONG_PASSWORD","features":[308]},{"name":"ERROR_WRONG_TARGET_NAME","features":[308]},{"name":"ERROR_WX86_ERROR","features":[308]},{"name":"ERROR_WX86_WARNING","features":[308]},{"name":"ERROR_XMLDSIG_ERROR","features":[308]},{"name":"ERROR_XML_ENCODING_MISMATCH","features":[308]},{"name":"ERROR_XML_PARSE_ERROR","features":[308]},{"name":"EVENT_E_ALL_SUBSCRIBERS_FAILED","features":[308]},{"name":"EVENT_E_CANT_MODIFY_OR_DELETE_CONFIGURED_OBJECT","features":[308]},{"name":"EVENT_E_CANT_MODIFY_OR_DELETE_UNCONFIGURED_OBJECT","features":[308]},{"name":"EVENT_E_COMPLUS_NOT_INSTALLED","features":[308]},{"name":"EVENT_E_FIRST","features":[308]},{"name":"EVENT_E_INTERNALERROR","features":[308]},{"name":"EVENT_E_INTERNALEXCEPTION","features":[308]},{"name":"EVENT_E_INVALID_EVENT_CLASS_PARTITION","features":[308]},{"name":"EVENT_E_INVALID_PER_USER_SID","features":[308]},{"name":"EVENT_E_LAST","features":[308]},{"name":"EVENT_E_MISSING_EVENTCLASS","features":[308]},{"name":"EVENT_E_NOT_ALL_REMOVED","features":[308]},{"name":"EVENT_E_PER_USER_SID_NOT_LOGGED_ON","features":[308]},{"name":"EVENT_E_QUERYFIELD","features":[308]},{"name":"EVENT_E_QUERYSYNTAX","features":[308]},{"name":"EVENT_E_TOO_MANY_METHODS","features":[308]},{"name":"EVENT_E_USER_EXCEPTION","features":[308]},{"name":"EVENT_S_FIRST","features":[308]},{"name":"EVENT_S_LAST","features":[308]},{"name":"EVENT_S_NOSUBSCRIBERS","features":[308]},{"name":"EVENT_S_SOME_SUBSCRIBERS_FAILED","features":[308]},{"name":"EXCEPTION_ACCESS_VIOLATION","features":[308]},{"name":"EXCEPTION_ARRAY_BOUNDS_EXCEEDED","features":[308]},{"name":"EXCEPTION_BREAKPOINT","features":[308]},{"name":"EXCEPTION_DATATYPE_MISALIGNMENT","features":[308]},{"name":"EXCEPTION_FLT_DENORMAL_OPERAND","features":[308]},{"name":"EXCEPTION_FLT_DIVIDE_BY_ZERO","features":[308]},{"name":"EXCEPTION_FLT_INEXACT_RESULT","features":[308]},{"name":"EXCEPTION_FLT_INVALID_OPERATION","features":[308]},{"name":"EXCEPTION_FLT_OVERFLOW","features":[308]},{"name":"EXCEPTION_FLT_STACK_CHECK","features":[308]},{"name":"EXCEPTION_FLT_UNDERFLOW","features":[308]},{"name":"EXCEPTION_GUARD_PAGE","features":[308]},{"name":"EXCEPTION_ILLEGAL_INSTRUCTION","features":[308]},{"name":"EXCEPTION_INT_DIVIDE_BY_ZERO","features":[308]},{"name":"EXCEPTION_INT_OVERFLOW","features":[308]},{"name":"EXCEPTION_INVALID_DISPOSITION","features":[308]},{"name":"EXCEPTION_INVALID_HANDLE","features":[308]},{"name":"EXCEPTION_IN_PAGE_ERROR","features":[308]},{"name":"EXCEPTION_NONCONTINUABLE_EXCEPTION","features":[308]},{"name":"EXCEPTION_POSSIBLE_DEADLOCK","features":[308]},{"name":"EXCEPTION_PRIV_INSTRUCTION","features":[308]},{"name":"EXCEPTION_SINGLE_STEP","features":[308]},{"name":"EXCEPTION_SPAPI_UNRECOVERABLE_STACK_OVERFLOW","features":[308]},{"name":"EXCEPTION_STACK_OVERFLOW","features":[308]},{"name":"E_ABORT","features":[308]},{"name":"E_ACCESSDENIED","features":[308]},{"name":"E_APPLICATION_ACTIVATION_EXEC_FAILURE","features":[308]},{"name":"E_APPLICATION_ACTIVATION_TIMED_OUT","features":[308]},{"name":"E_APPLICATION_EXITING","features":[308]},{"name":"E_APPLICATION_MANAGER_NOT_RUNNING","features":[308]},{"name":"E_APPLICATION_NOT_REGISTERED","features":[308]},{"name":"E_APPLICATION_TEMPORARY_LICENSE_ERROR","features":[308]},{"name":"E_APPLICATION_TRIAL_LICENSE_EXPIRED","features":[308]},{"name":"E_APPLICATION_VIEW_EXITING","features":[308]},{"name":"E_ASYNC_OPERATION_NOT_STARTED","features":[308]},{"name":"E_AUDIO_ENGINE_NODE_NOT_FOUND","features":[308]},{"name":"E_BLUETOOTH_ATT_ATTRIBUTE_NOT_FOUND","features":[308]},{"name":"E_BLUETOOTH_ATT_ATTRIBUTE_NOT_LONG","features":[308]},{"name":"E_BLUETOOTH_ATT_INSUFFICIENT_AUTHENTICATION","features":[308]},{"name":"E_BLUETOOTH_ATT_INSUFFICIENT_AUTHORIZATION","features":[308]},{"name":"E_BLUETOOTH_ATT_INSUFFICIENT_ENCRYPTION","features":[308]},{"name":"E_BLUETOOTH_ATT_INSUFFICIENT_ENCRYPTION_KEY_SIZE","features":[308]},{"name":"E_BLUETOOTH_ATT_INSUFFICIENT_RESOURCES","features":[308]},{"name":"E_BLUETOOTH_ATT_INVALID_ATTRIBUTE_VALUE_LENGTH","features":[308]},{"name":"E_BLUETOOTH_ATT_INVALID_HANDLE","features":[308]},{"name":"E_BLUETOOTH_ATT_INVALID_OFFSET","features":[308]},{"name":"E_BLUETOOTH_ATT_INVALID_PDU","features":[308]},{"name":"E_BLUETOOTH_ATT_PREPARE_QUEUE_FULL","features":[308]},{"name":"E_BLUETOOTH_ATT_READ_NOT_PERMITTED","features":[308]},{"name":"E_BLUETOOTH_ATT_REQUEST_NOT_SUPPORTED","features":[308]},{"name":"E_BLUETOOTH_ATT_UNKNOWN_ERROR","features":[308]},{"name":"E_BLUETOOTH_ATT_UNLIKELY","features":[308]},{"name":"E_BLUETOOTH_ATT_UNSUPPORTED_GROUP_TYPE","features":[308]},{"name":"E_BLUETOOTH_ATT_WRITE_NOT_PERMITTED","features":[308]},{"name":"E_BOUNDS","features":[308]},{"name":"E_CHANGED_STATE","features":[308]},{"name":"E_ELEVATED_ACTIVATION_NOT_SUPPORTED","features":[308]},{"name":"E_FAIL","features":[308]},{"name":"E_FULL_ADMIN_NOT_SUPPORTED","features":[308]},{"name":"E_HANDLE","features":[308]},{"name":"E_HDAUDIO_CONNECTION_LIST_NOT_SUPPORTED","features":[308]},{"name":"E_HDAUDIO_EMPTY_CONNECTION_LIST","features":[308]},{"name":"E_HDAUDIO_NO_LOGICAL_DEVICES_CREATED","features":[308]},{"name":"E_HDAUDIO_NULL_LINKED_LIST_ENTRY","features":[308]},{"name":"E_ILLEGAL_DELEGATE_ASSIGNMENT","features":[308]},{"name":"E_ILLEGAL_METHOD_CALL","features":[308]},{"name":"E_ILLEGAL_STATE_CHANGE","features":[308]},{"name":"E_INVALIDARG","features":[308]},{"name":"E_INVALID_PROTOCOL_FORMAT","features":[308]},{"name":"E_INVALID_PROTOCOL_OPERATION","features":[308]},{"name":"E_MBN_BAD_SIM","features":[308]},{"name":"E_MBN_CONTEXT_NOT_ACTIVATED","features":[308]},{"name":"E_MBN_DATA_CLASS_NOT_AVAILABLE","features":[308]},{"name":"E_MBN_DEFAULT_PROFILE_EXIST","features":[308]},{"name":"E_MBN_FAILURE","features":[308]},{"name":"E_MBN_INVALID_ACCESS_STRING","features":[308]},{"name":"E_MBN_INVALID_CACHE","features":[308]},{"name":"E_MBN_INVALID_PROFILE","features":[308]},{"name":"E_MBN_MAX_ACTIVATED_CONTEXTS","features":[308]},{"name":"E_MBN_NOT_REGISTERED","features":[308]},{"name":"E_MBN_PACKET_SVC_DETACHED","features":[308]},{"name":"E_MBN_PIN_DISABLED","features":[308]},{"name":"E_MBN_PIN_NOT_SUPPORTED","features":[308]},{"name":"E_MBN_PIN_REQUIRED","features":[308]},{"name":"E_MBN_PROVIDERS_NOT_FOUND","features":[308]},{"name":"E_MBN_PROVIDER_NOT_VISIBLE","features":[308]},{"name":"E_MBN_RADIO_POWER_OFF","features":[308]},{"name":"E_MBN_SERVICE_NOT_ACTIVATED","features":[308]},{"name":"E_MBN_SIM_NOT_INSERTED","features":[308]},{"name":"E_MBN_SMS_ENCODING_NOT_SUPPORTED","features":[308]},{"name":"E_MBN_SMS_FILTER_NOT_SUPPORTED","features":[308]},{"name":"E_MBN_SMS_FORMAT_NOT_SUPPORTED","features":[308]},{"name":"E_MBN_SMS_INVALID_MEMORY_INDEX","features":[308]},{"name":"E_MBN_SMS_LANG_NOT_SUPPORTED","features":[308]},{"name":"E_MBN_SMS_MEMORY_FAILURE","features":[308]},{"name":"E_MBN_SMS_MEMORY_FULL","features":[308]},{"name":"E_MBN_SMS_NETWORK_TIMEOUT","features":[308]},{"name":"E_MBN_SMS_OPERATION_NOT_ALLOWED","features":[308]},{"name":"E_MBN_SMS_UNKNOWN_SMSC_ADDRESS","features":[308]},{"name":"E_MBN_VOICE_CALL_IN_PROGRESS","features":[308]},{"name":"E_MONITOR_RESOLUTION_TOO_LOW","features":[308]},{"name":"E_MULTIPLE_EXTENSIONS_FOR_APPLICATION","features":[308]},{"name":"E_MULTIPLE_PACKAGES_FOR_FAMILY","features":[308]},{"name":"E_NOINTERFACE","features":[308]},{"name":"E_NOTIMPL","features":[308]},{"name":"E_OUTOFMEMORY","features":[308]},{"name":"E_POINTER","features":[308]},{"name":"E_PROTOCOL_EXTENSIONS_NOT_SUPPORTED","features":[308]},{"name":"E_PROTOCOL_VERSION_NOT_SUPPORTED","features":[308]},{"name":"E_SKYDRIVE_FILE_NOT_UPLOADED","features":[308]},{"name":"E_SKYDRIVE_ROOT_TARGET_CANNOT_INDEX","features":[308]},{"name":"E_SKYDRIVE_ROOT_TARGET_FILE_SYSTEM_NOT_SUPPORTED","features":[308]},{"name":"E_SKYDRIVE_ROOT_TARGET_OVERLAP","features":[308]},{"name":"E_SKYDRIVE_ROOT_TARGET_VOLUME_ROOT_NOT_SUPPORTED","features":[308]},{"name":"E_SKYDRIVE_UPDATE_AVAILABILITY_FAIL","features":[308]},{"name":"E_STRING_NOT_NULL_TERMINATED","features":[308]},{"name":"E_SUBPROTOCOL_NOT_SUPPORTED","features":[308]},{"name":"E_SYNCENGINE_CLIENT_UPDATE_NEEDED","features":[308]},{"name":"E_SYNCENGINE_FILE_IDENTIFIER_UNKNOWN","features":[308]},{"name":"E_SYNCENGINE_FILE_SIZE_EXCEEDS_REMAINING_QUOTA","features":[308]},{"name":"E_SYNCENGINE_FILE_SIZE_OVER_LIMIT","features":[308]},{"name":"E_SYNCENGINE_FILE_SYNC_PARTNER_ERROR","features":[308]},{"name":"E_SYNCENGINE_FOLDER_INACCESSIBLE","features":[308]},{"name":"E_SYNCENGINE_FOLDER_IN_REDIRECTION","features":[308]},{"name":"E_SYNCENGINE_FOLDER_ITEM_COUNT_LIMIT_EXCEEDED","features":[308]},{"name":"E_SYNCENGINE_PATH_LENGTH_LIMIT_EXCEEDED","features":[308]},{"name":"E_SYNCENGINE_PROXY_AUTHENTICATION_REQUIRED","features":[308]},{"name":"E_SYNCENGINE_REMOTE_PATH_LENGTH_LIMIT_EXCEEDED","features":[308]},{"name":"E_SYNCENGINE_REQUEST_BLOCKED_BY_SERVICE","features":[308]},{"name":"E_SYNCENGINE_REQUEST_BLOCKED_DUE_TO_CLIENT_ERROR","features":[308]},{"name":"E_SYNCENGINE_SERVICE_AUTHENTICATION_FAILED","features":[308]},{"name":"E_SYNCENGINE_SERVICE_RETURNED_UNEXPECTED_SIZE","features":[308]},{"name":"E_SYNCENGINE_STORAGE_SERVICE_BLOCKED","features":[308]},{"name":"E_SYNCENGINE_STORAGE_SERVICE_PROVISIONING_FAILED","features":[308]},{"name":"E_SYNCENGINE_SYNC_PAUSED_BY_SERVICE","features":[308]},{"name":"E_SYNCENGINE_UNKNOWN_SERVICE_ERROR","features":[308]},{"name":"E_SYNCENGINE_UNSUPPORTED_FILE_NAME","features":[308]},{"name":"E_SYNCENGINE_UNSUPPORTED_FOLDER_NAME","features":[308]},{"name":"E_SYNCENGINE_UNSUPPORTED_MARKET","features":[308]},{"name":"E_SYNCENGINE_UNSUPPORTED_REPARSE_POINT","features":[308]},{"name":"E_UAC_DISABLED","features":[308]},{"name":"E_UNEXPECTED","features":[308]},{"name":"FACILITY_ACPI_ERROR_CODE","features":[308]},{"name":"FACILITY_APP_EXEC","features":[308]},{"name":"FACILITY_AUDIO_KERNEL","features":[308]},{"name":"FACILITY_BCD_ERROR_CODE","features":[308]},{"name":"FACILITY_BTH_ATT","features":[308]},{"name":"FACILITY_CLUSTER_ERROR_CODE","features":[308]},{"name":"FACILITY_CODCLASS_ERROR_CODE","features":[308]},{"name":"FACILITY_COMMONLOG","features":[308]},{"name":"FACILITY_DEBUGGER","features":[308]},{"name":"FACILITY_DRIVER_FRAMEWORK","features":[308]},{"name":"FACILITY_FILTER_MANAGER","features":[308]},{"name":"FACILITY_FIREWIRE_ERROR_CODE","features":[308]},{"name":"FACILITY_FVE_ERROR_CODE","features":[308]},{"name":"FACILITY_FWP_ERROR_CODE","features":[308]},{"name":"FACILITY_GRAPHICS_KERNEL","features":[308]},{"name":"FACILITY_HID_ERROR_CODE","features":[308]},{"name":"FACILITY_HYPERVISOR","features":[308]},{"name":"FACILITY_INTERIX","features":[308]},{"name":"FACILITY_IO_ERROR_CODE","features":[308]},{"name":"FACILITY_IPSEC","features":[308]},{"name":"FACILITY_LICENSING","features":[308]},{"name":"FACILITY_MAXIMUM_VALUE","features":[308]},{"name":"FACILITY_MCA_ERROR_CODE","features":[308]},{"name":"FACILITY_MONITOR","features":[308]},{"name":"FACILITY_NDIS_ERROR_CODE","features":[308]},{"name":"FACILITY_NTCERT","features":[308]},{"name":"FACILITY_NTSSPI","features":[308]},{"name":"FACILITY_NTWIN32","features":[308]},{"name":"FACILITY_NT_IORING","features":[308]},{"name":"FACILITY_PLATFORM_MANIFEST","features":[308]},{"name":"FACILITY_QUIC_ERROR_CODE","features":[308]},{"name":"FACILITY_RDBSS","features":[308]},{"name":"FACILITY_RESUME_KEY_FILTER","features":[308]},{"name":"FACILITY_RPC_RUNTIME","features":[308]},{"name":"FACILITY_RPC_STUBS","features":[308]},{"name":"FACILITY_RTPM","features":[308]},{"name":"FACILITY_SDBUS","features":[308]},{"name":"FACILITY_SECUREBOOT","features":[308]},{"name":"FACILITY_SECURITY_CORE","features":[308]},{"name":"FACILITY_SHARED_VHDX","features":[308]},{"name":"FACILITY_SMB","features":[308]},{"name":"FACILITY_SPACES","features":[308]},{"name":"FACILITY_SXS_ERROR_CODE","features":[308]},{"name":"FACILITY_SYSTEM_INTEGRITY","features":[308]},{"name":"FACILITY_TERMINAL_SERVER","features":[308]},{"name":"FACILITY_TPM","features":[308]},{"name":"FACILITY_TRANSACTION","features":[308]},{"name":"FACILITY_USB_ERROR_CODE","features":[308]},{"name":"FACILITY_VIDEO","features":[308]},{"name":"FACILITY_VIRTUALIZATION","features":[308]},{"name":"FACILITY_VOLMGR","features":[308]},{"name":"FACILITY_VOLSNAP","features":[308]},{"name":"FACILITY_VSM","features":[308]},{"name":"FACILITY_WIN32K_NTGDI","features":[308]},{"name":"FACILITY_WIN32K_NTUSER","features":[308]},{"name":"FACILITY_XVS","features":[308]},{"name":"FACILTIY_MUI_ERROR_CODE","features":[308]},{"name":"FALSE","features":[308]},{"name":"FARPROC","features":[308]},{"name":"FA_E_HOMEGROUP_NOT_AVAILABLE","features":[308]},{"name":"FA_E_MAX_PERSISTED_ITEMS_REACHED","features":[308]},{"name":"FDAEMON_E_CHANGEUPDATEFAILED","features":[308]},{"name":"FDAEMON_E_FATALERROR","features":[308]},{"name":"FDAEMON_E_LOWRESOURCE","features":[308]},{"name":"FDAEMON_E_NOWORDLIST","features":[308]},{"name":"FDAEMON_E_PARTITIONDELETED","features":[308]},{"name":"FDAEMON_E_TOOMANYFILTEREDBLOCKS","features":[308]},{"name":"FDAEMON_E_WORDLISTCOMMITFAILED","features":[308]},{"name":"FDAEMON_W_EMPTYWORDLIST","features":[308]},{"name":"FDAEMON_W_WORDLISTFULL","features":[308]},{"name":"FILETIME","features":[308]},{"name":"FILTER_E_ALREADY_OPEN","features":[308]},{"name":"FILTER_E_CONTENTINDEXCORRUPT","features":[308]},{"name":"FILTER_E_IN_USE","features":[308]},{"name":"FILTER_E_NOT_OPEN","features":[308]},{"name":"FILTER_E_NO_SUCH_PROPERTY","features":[308]},{"name":"FILTER_E_OFFLINE","features":[308]},{"name":"FILTER_E_PARTIALLY_FILTERED","features":[308]},{"name":"FILTER_E_TOO_BIG","features":[308]},{"name":"FILTER_E_UNREACHABLE","features":[308]},{"name":"FILTER_S_CONTENTSCAN_DELAYED","features":[308]},{"name":"FILTER_S_DISK_FULL","features":[308]},{"name":"FILTER_S_FULL_CONTENTSCAN_IMMEDIATE","features":[308]},{"name":"FILTER_S_NO_PROPSETS","features":[308]},{"name":"FILTER_S_NO_SECURITY_DESCRIPTOR","features":[308]},{"name":"FILTER_S_PARTIAL_CONTENTSCAN_IMMEDIATE","features":[308]},{"name":"FLOAT128","features":[308]},{"name":"FRS_ERR_AUTHENTICATION","features":[308]},{"name":"FRS_ERR_CHILD_TO_PARENT_COMM","features":[308]},{"name":"FRS_ERR_INSUFFICIENT_PRIV","features":[308]},{"name":"FRS_ERR_INTERNAL","features":[308]},{"name":"FRS_ERR_INTERNAL_API","features":[308]},{"name":"FRS_ERR_INVALID_API_SEQUENCE","features":[308]},{"name":"FRS_ERR_INVALID_SERVICE_PARAMETER","features":[308]},{"name":"FRS_ERR_PARENT_AUTHENTICATION","features":[308]},{"name":"FRS_ERR_PARENT_INSUFFICIENT_PRIV","features":[308]},{"name":"FRS_ERR_PARENT_TO_CHILD_COMM","features":[308]},{"name":"FRS_ERR_SERVICE_COMM","features":[308]},{"name":"FRS_ERR_STARTING_SERVICE","features":[308]},{"name":"FRS_ERR_STOPPING_SERVICE","features":[308]},{"name":"FRS_ERR_SYSVOL_DEMOTE","features":[308]},{"name":"FRS_ERR_SYSVOL_IS_BUSY","features":[308]},{"name":"FRS_ERR_SYSVOL_POPULATE","features":[308]},{"name":"FRS_ERR_SYSVOL_POPULATE_TIMEOUT","features":[308]},{"name":"FVE_E_AAD_ENDPOINT_BUSY","features":[308]},{"name":"FVE_E_AAD_SERVER_FAIL_BACKOFF","features":[308]},{"name":"FVE_E_AAD_SERVER_FAIL_RETRY_AFTER","features":[308]},{"name":"FVE_E_ACTION_NOT_ALLOWED","features":[308]},{"name":"FVE_E_ADBACKUP_NOT_ENABLED","features":[308]},{"name":"FVE_E_AD_ATTR_NOT_SET","features":[308]},{"name":"FVE_E_AD_BACKUP_REQUIRED_POLICY_NOT_SET_FIXED_DRIVE","features":[308]},{"name":"FVE_E_AD_BACKUP_REQUIRED_POLICY_NOT_SET_OS_DRIVE","features":[308]},{"name":"FVE_E_AD_BACKUP_REQUIRED_POLICY_NOT_SET_REMOVABLE_DRIVE","features":[308]},{"name":"FVE_E_AD_GUID_NOT_FOUND","features":[308]},{"name":"FVE_E_AD_INSUFFICIENT_BUFFER","features":[308]},{"name":"FVE_E_AD_INVALID_DATASIZE","features":[308]},{"name":"FVE_E_AD_INVALID_DATATYPE","features":[308]},{"name":"FVE_E_AD_NO_VALUES","features":[308]},{"name":"FVE_E_AD_SCHEMA_NOT_INSTALLED","features":[308]},{"name":"FVE_E_AUTH_INVALID_APPLICATION","features":[308]},{"name":"FVE_E_AUTH_INVALID_CONFIG","features":[308]},{"name":"FVE_E_AUTOUNLOCK_ENABLED","features":[308]},{"name":"FVE_E_BAD_DATA","features":[308]},{"name":"FVE_E_BAD_INFORMATION","features":[308]},{"name":"FVE_E_BAD_PARTITION_SIZE","features":[308]},{"name":"FVE_E_BCD_APPLICATIONS_PATH_INCORRECT","features":[308]},{"name":"FVE_E_BOOTABLE_CDDVD","features":[308]},{"name":"FVE_E_BUFFER_TOO_LARGE","features":[308]},{"name":"FVE_E_CANNOT_ENCRYPT_NO_KEY","features":[308]},{"name":"FVE_E_CANNOT_SET_FVEK_ENCRYPTED","features":[308]},{"name":"FVE_E_CANT_LOCK_AUTOUNLOCK_ENABLED_VOLUME","features":[308]},{"name":"FVE_E_CLUSTERING_NOT_SUPPORTED","features":[308]},{"name":"FVE_E_CONV_READ","features":[308]},{"name":"FVE_E_CONV_RECOVERY_FAILED","features":[308]},{"name":"FVE_E_CONV_WRITE","features":[308]},{"name":"FVE_E_DATASET_FULL","features":[308]},{"name":"FVE_E_DEBUGGER_ENABLED","features":[308]},{"name":"FVE_E_DEVICELOCKOUT_COUNTER_MISMATCH","features":[308]},{"name":"FVE_E_DEVICE_LOCKOUT_COUNTER_UNAVAILABLE","features":[308]},{"name":"FVE_E_DEVICE_NOT_JOINED","features":[308]},{"name":"FVE_E_DE_DEVICE_LOCKEDOUT","features":[308]},{"name":"FVE_E_DE_FIXED_DATA_NOT_SUPPORTED","features":[308]},{"name":"FVE_E_DE_HARDWARE_NOT_COMPLIANT","features":[308]},{"name":"FVE_E_DE_OS_VOLUME_NOT_PROTECTED","features":[308]},{"name":"FVE_E_DE_PREVENTED_FOR_OS","features":[308]},{"name":"FVE_E_DE_PROTECTION_NOT_YET_ENABLED","features":[308]},{"name":"FVE_E_DE_PROTECTION_SUSPENDED","features":[308]},{"name":"FVE_E_DE_VOLUME_NOT_SUPPORTED","features":[308]},{"name":"FVE_E_DE_VOLUME_OPTED_OUT","features":[308]},{"name":"FVE_E_DE_WINRE_NOT_CONFIGURED","features":[308]},{"name":"FVE_E_DRY_RUN_FAILED","features":[308]},{"name":"FVE_E_DV_NOT_ALLOWED_BY_GP","features":[308]},{"name":"FVE_E_DV_NOT_SUPPORTED_ON_FS","features":[308]},{"name":"FVE_E_EDRIVE_BAND_ENUMERATION_FAILED","features":[308]},{"name":"FVE_E_EDRIVE_BAND_IN_USE","features":[308]},{"name":"FVE_E_EDRIVE_DISALLOWED_BY_GP","features":[308]},{"name":"FVE_E_EDRIVE_DRY_RUN_FAILED","features":[308]},{"name":"FVE_E_EDRIVE_DV_NOT_SUPPORTED","features":[308]},{"name":"FVE_E_EDRIVE_INCOMPATIBLE_FIRMWARE","features":[308]},{"name":"FVE_E_EDRIVE_INCOMPATIBLE_VOLUME","features":[308]},{"name":"FVE_E_EDRIVE_NO_FAILOVER_TO_SW","features":[308]},{"name":"FVE_E_EFI_ONLY","features":[308]},{"name":"FVE_E_ENH_PIN_INVALID","features":[308]},{"name":"FVE_E_EOW_NOT_SUPPORTED_IN_VERSION","features":[308]},{"name":"FVE_E_EXECUTE_REQUEST_SENT_TOO_SOON","features":[308]},{"name":"FVE_E_FAILED_AUTHENTICATION","features":[308]},{"name":"FVE_E_FAILED_SECTOR_SIZE","features":[308]},{"name":"FVE_E_FAILED_WRONG_FS","features":[308]},{"name":"FVE_E_FIPS_DISABLE_PROTECTION_NOT_ALLOWED","features":[308]},{"name":"FVE_E_FIPS_HASH_KDF_NOT_ALLOWED","features":[308]},{"name":"FVE_E_FIPS_PREVENTS_EXTERNAL_KEY_EXPORT","features":[308]},{"name":"FVE_E_FIPS_PREVENTS_PASSPHRASE","features":[308]},{"name":"FVE_E_FIPS_PREVENTS_RECOVERY_PASSWORD","features":[308]},{"name":"FVE_E_FIPS_RNG_CHECK_FAILED","features":[308]},{"name":"FVE_E_FIRMWARE_TYPE_NOT_SUPPORTED","features":[308]},{"name":"FVE_E_FOREIGN_VOLUME","features":[308]},{"name":"FVE_E_FS_MOUNTED","features":[308]},{"name":"FVE_E_FS_NOT_EXTENDED","features":[308]},{"name":"FVE_E_FULL_ENCRYPTION_NOT_ALLOWED_ON_TP_STORAGE","features":[308]},{"name":"FVE_E_HIDDEN_VOLUME","features":[308]},{"name":"FVE_E_INVALID_BITLOCKER_OID","features":[308]},{"name":"FVE_E_INVALID_DATUM_TYPE","features":[308]},{"name":"FVE_E_INVALID_KEY_FORMAT","features":[308]},{"name":"FVE_E_INVALID_NBP_CERT","features":[308]},{"name":"FVE_E_INVALID_NKP_CERT","features":[308]},{"name":"FVE_E_INVALID_PASSWORD_FORMAT","features":[308]},{"name":"FVE_E_INVALID_PIN_CHARS","features":[308]},{"name":"FVE_E_INVALID_PIN_CHARS_DETAILED","features":[308]},{"name":"FVE_E_INVALID_PROTECTOR_TYPE","features":[308]},{"name":"FVE_E_INVALID_STARTUP_OPTIONS","features":[308]},{"name":"FVE_E_KEYFILE_INVALID","features":[308]},{"name":"FVE_E_KEYFILE_NOT_FOUND","features":[308]},{"name":"FVE_E_KEYFILE_NO_VMK","features":[308]},{"name":"FVE_E_KEY_LENGTH_NOT_SUPPORTED_BY_EDRIVE","features":[308]},{"name":"FVE_E_KEY_PROTECTOR_NOT_SUPPORTED","features":[308]},{"name":"FVE_E_KEY_REQUIRED","features":[308]},{"name":"FVE_E_KEY_ROTATION_NOT_ENABLED","features":[308]},{"name":"FVE_E_KEY_ROTATION_NOT_SUPPORTED","features":[308]},{"name":"FVE_E_LIVEID_ACCOUNT_BLOCKED","features":[308]},{"name":"FVE_E_LIVEID_ACCOUNT_SUSPENDED","features":[308]},{"name":"FVE_E_LOCKED_VOLUME","features":[308]},{"name":"FVE_E_METADATA_FULL","features":[308]},{"name":"FVE_E_MOR_FAILED","features":[308]},{"name":"FVE_E_MULTIPLE_NKP_CERTS","features":[308]},{"name":"FVE_E_NON_BITLOCKER_KU","features":[308]},{"name":"FVE_E_NON_BITLOCKER_OID","features":[308]},{"name":"FVE_E_NOT_ACTIVATED","features":[308]},{"name":"FVE_E_NOT_ALLOWED_IN_SAFE_MODE","features":[308]},{"name":"FVE_E_NOT_ALLOWED_IN_VERSION","features":[308]},{"name":"FVE_E_NOT_ALLOWED_ON_CLUSTER","features":[308]},{"name":"FVE_E_NOT_ALLOWED_ON_CSV_STACK","features":[308]},{"name":"FVE_E_NOT_ALLOWED_TO_UPGRADE_WHILE_CONVERTING","features":[308]},{"name":"FVE_E_NOT_DATA_VOLUME","features":[308]},{"name":"FVE_E_NOT_DECRYPTED","features":[308]},{"name":"FVE_E_NOT_DE_VOLUME","features":[308]},{"name":"FVE_E_NOT_ENCRYPTED","features":[308]},{"name":"FVE_E_NOT_ON_STACK","features":[308]},{"name":"FVE_E_NOT_OS_VOLUME","features":[308]},{"name":"FVE_E_NOT_PROVISIONED_ON_ALL_VOLUMES","features":[308]},{"name":"FVE_E_NOT_SUPPORTED","features":[308]},{"name":"FVE_E_NO_AUTOUNLOCK_MASTER_KEY","features":[308]},{"name":"FVE_E_NO_BOOTMGR_METRIC","features":[308]},{"name":"FVE_E_NO_BOOTSECTOR_METRIC","features":[308]},{"name":"FVE_E_NO_EXISTING_PASSPHRASE","features":[308]},{"name":"FVE_E_NO_EXISTING_PIN","features":[308]},{"name":"FVE_E_NO_FEATURE_LICENSE","features":[308]},{"name":"FVE_E_NO_LICENSE","features":[308]},{"name":"FVE_E_NO_MBR_METRIC","features":[308]},{"name":"FVE_E_NO_PASSPHRASE_WITH_TPM","features":[308]},{"name":"FVE_E_NO_PREBOOT_KEYBOARD_DETECTED","features":[308]},{"name":"FVE_E_NO_PREBOOT_KEYBOARD_OR_WINRE_DETECTED","features":[308]},{"name":"FVE_E_NO_PROTECTORS_TO_TEST","features":[308]},{"name":"FVE_E_NO_SUCH_CAPABILITY_ON_TARGET","features":[308]},{"name":"FVE_E_NO_TPM_BIOS","features":[308]},{"name":"FVE_E_NO_TPM_WITH_PASSPHRASE","features":[308]},{"name":"FVE_E_OPERATION_NOT_SUPPORTED_ON_VISTA_VOLUME","features":[308]},{"name":"FVE_E_OSV_KSR_NOT_ALLOWED","features":[308]},{"name":"FVE_E_OS_NOT_PROTECTED","features":[308]},{"name":"FVE_E_OS_VOLUME_PASSPHRASE_NOT_ALLOWED","features":[308]},{"name":"FVE_E_OVERLAPPED_UPDATE","features":[308]},{"name":"FVE_E_PASSPHRASE_PROTECTOR_CHANGE_BY_STD_USER_DISALLOWED","features":[308]},{"name":"FVE_E_PASSPHRASE_TOO_LONG","features":[308]},{"name":"FVE_E_PIN_INVALID","features":[308]},{"name":"FVE_E_PIN_PROTECTOR_CHANGE_BY_STD_USER_DISALLOWED","features":[308]},{"name":"FVE_E_POLICY_CONFLICT_FDV_RK_OFF_AUK_ON","features":[308]},{"name":"FVE_E_POLICY_CONFLICT_FDV_RP_OFF_ADB_ON","features":[308]},{"name":"FVE_E_POLICY_CONFLICT_OSV_RP_OFF_ADB_ON","features":[308]},{"name":"FVE_E_POLICY_CONFLICT_RDV_RK_OFF_AUK_ON","features":[308]},{"name":"FVE_E_POLICY_CONFLICT_RDV_RP_OFF_ADB_ON","features":[308]},{"name":"FVE_E_POLICY_CONFLICT_RO_AND_STARTUP_KEY_REQUIRED","features":[308]},{"name":"FVE_E_POLICY_INVALID_ENHANCED_BCD_SETTINGS","features":[308]},{"name":"FVE_E_POLICY_INVALID_PASSPHRASE_LENGTH","features":[308]},{"name":"FVE_E_POLICY_INVALID_PIN_LENGTH","features":[308]},{"name":"FVE_E_POLICY_ON_RDV_EXCLUSION_LIST","features":[308]},{"name":"FVE_E_POLICY_PASSPHRASE_NOT_ALLOWED","features":[308]},{"name":"FVE_E_POLICY_PASSPHRASE_REQUIRED","features":[308]},{"name":"FVE_E_POLICY_PASSPHRASE_REQUIRES_ASCII","features":[308]},{"name":"FVE_E_POLICY_PASSPHRASE_TOO_SIMPLE","features":[308]},{"name":"FVE_E_POLICY_PASSWORD_REQUIRED","features":[308]},{"name":"FVE_E_POLICY_PROHIBITS_SELFSIGNED","features":[308]},{"name":"FVE_E_POLICY_RECOVERY_KEY_NOT_ALLOWED","features":[308]},{"name":"FVE_E_POLICY_RECOVERY_KEY_REQUIRED","features":[308]},{"name":"FVE_E_POLICY_RECOVERY_PASSWORD_NOT_ALLOWED","features":[308]},{"name":"FVE_E_POLICY_RECOVERY_PASSWORD_REQUIRED","features":[308]},{"name":"FVE_E_POLICY_REQUIRES_RECOVERY_PASSWORD_ON_TOUCH_DEVICE","features":[308]},{"name":"FVE_E_POLICY_REQUIRES_STARTUP_PIN_ON_TOUCH_DEVICE","features":[308]},{"name":"FVE_E_POLICY_STARTUP_KEY_NOT_ALLOWED","features":[308]},{"name":"FVE_E_POLICY_STARTUP_KEY_REQUIRED","features":[308]},{"name":"FVE_E_POLICY_STARTUP_PIN_KEY_NOT_ALLOWED","features":[308]},{"name":"FVE_E_POLICY_STARTUP_PIN_KEY_REQUIRED","features":[308]},{"name":"FVE_E_POLICY_STARTUP_PIN_NOT_ALLOWED","features":[308]},{"name":"FVE_E_POLICY_STARTUP_PIN_REQUIRED","features":[308]},{"name":"FVE_E_POLICY_STARTUP_TPM_NOT_ALLOWED","features":[308]},{"name":"FVE_E_POLICY_STARTUP_TPM_REQUIRED","features":[308]},{"name":"FVE_E_POLICY_USER_CERTIFICATE_NOT_ALLOWED","features":[308]},{"name":"FVE_E_POLICY_USER_CERTIFICATE_REQUIRED","features":[308]},{"name":"FVE_E_POLICY_USER_CERT_MUST_BE_HW","features":[308]},{"name":"FVE_E_POLICY_USER_CONFIGURE_FDV_AUTOUNLOCK_NOT_ALLOWED","features":[308]},{"name":"FVE_E_POLICY_USER_CONFIGURE_RDV_AUTOUNLOCK_NOT_ALLOWED","features":[308]},{"name":"FVE_E_POLICY_USER_CONFIGURE_RDV_NOT_ALLOWED","features":[308]},{"name":"FVE_E_POLICY_USER_DISABLE_RDV_NOT_ALLOWED","features":[308]},{"name":"FVE_E_POLICY_USER_ENABLE_RDV_NOT_ALLOWED","features":[308]},{"name":"FVE_E_PREDICTED_TPM_PROTECTOR_NOT_SUPPORTED","features":[308]},{"name":"FVE_E_PRIVATEKEY_AUTH_FAILED","features":[308]},{"name":"FVE_E_PROTECTION_CANNOT_BE_DISABLED","features":[308]},{"name":"FVE_E_PROTECTION_DISABLED","features":[308]},{"name":"FVE_E_PROTECTOR_CHANGE_MAX_PASSPHRASE_CHANGE_ATTEMPTS_REACHED","features":[308]},{"name":"FVE_E_PROTECTOR_CHANGE_MAX_PIN_CHANGE_ATTEMPTS_REACHED","features":[308]},{"name":"FVE_E_PROTECTOR_CHANGE_PASSPHRASE_MISMATCH","features":[308]},{"name":"FVE_E_PROTECTOR_CHANGE_PIN_MISMATCH","features":[308]},{"name":"FVE_E_PROTECTOR_EXISTS","features":[308]},{"name":"FVE_E_PROTECTOR_NOT_FOUND","features":[308]},{"name":"FVE_E_PUBKEY_NOT_ALLOWED","features":[308]},{"name":"FVE_E_RAW_ACCESS","features":[308]},{"name":"FVE_E_RAW_BLOCKED","features":[308]},{"name":"FVE_E_REBOOT_REQUIRED","features":[308]},{"name":"FVE_E_RECOVERY_KEY_REQUIRED","features":[308]},{"name":"FVE_E_RECOVERY_PARTITION","features":[308]},{"name":"FVE_E_RELATIVE_PATH","features":[308]},{"name":"FVE_E_REMOVAL_OF_DRA_FAILED","features":[308]},{"name":"FVE_E_REMOVAL_OF_NKP_FAILED","features":[308]},{"name":"FVE_E_SECUREBOOT_CONFIGURATION_INVALID","features":[308]},{"name":"FVE_E_SECUREBOOT_DISABLED","features":[308]},{"name":"FVE_E_SECURE_KEY_REQUIRED","features":[308]},{"name":"FVE_E_SETUP_TPM_CALLBACK_NOT_SUPPORTED","features":[308]},{"name":"FVE_E_SHADOW_COPY_PRESENT","features":[308]},{"name":"FVE_E_SYSTEM_VOLUME","features":[308]},{"name":"FVE_E_TOKEN_NOT_IMPERSONATED","features":[308]},{"name":"FVE_E_TOO_SMALL","features":[308]},{"name":"FVE_E_TPM_CONTEXT_SETUP_NOT_SUPPORTED","features":[308]},{"name":"FVE_E_TPM_DISABLED","features":[308]},{"name":"FVE_E_TPM_INVALID_PCR","features":[308]},{"name":"FVE_E_TPM_NOT_OWNED","features":[308]},{"name":"FVE_E_TPM_NO_VMK","features":[308]},{"name":"FVE_E_TPM_SRK_AUTH_NOT_ZERO","features":[308]},{"name":"FVE_E_TRANSIENT_STATE","features":[308]},{"name":"FVE_E_UPDATE_INVALID_CONFIG","features":[308]},{"name":"FVE_E_VIRTUALIZED_SPACE_TOO_BIG","features":[308]},{"name":"FVE_E_VOLUME_BOUND_ALREADY","features":[308]},{"name":"FVE_E_VOLUME_EXTEND_PREVENTS_EOW_DECRYPT","features":[308]},{"name":"FVE_E_VOLUME_HANDLE_OPEN","features":[308]},{"name":"FVE_E_VOLUME_NOT_BOUND","features":[308]},{"name":"FVE_E_VOLUME_TOO_SMALL","features":[308]},{"name":"FVE_E_WIPE_CANCEL_NOT_APPLICABLE","features":[308]},{"name":"FVE_E_WIPE_NOT_ALLOWED_ON_TP_STORAGE","features":[308]},{"name":"FVE_E_WRONG_BOOTMGR","features":[308]},{"name":"FVE_E_WRONG_BOOTSECTOR","features":[308]},{"name":"FVE_E_WRONG_SYSTEM_FS","features":[308]},{"name":"FWP_E_ACTION_INCOMPATIBLE_WITH_LAYER","features":[308]},{"name":"FWP_E_ACTION_INCOMPATIBLE_WITH_SUBLAYER","features":[308]},{"name":"FWP_E_ALREADY_EXISTS","features":[308]},{"name":"FWP_E_BUILTIN_OBJECT","features":[308]},{"name":"FWP_E_CALLOUT_NOTIFICATION_FAILED","features":[308]},{"name":"FWP_E_CALLOUT_NOT_FOUND","features":[308]},{"name":"FWP_E_CONDITION_NOT_FOUND","features":[308]},{"name":"FWP_E_CONNECTIONS_DISABLED","features":[308]},{"name":"FWP_E_CONTEXT_INCOMPATIBLE_WITH_CALLOUT","features":[308]},{"name":"FWP_E_CONTEXT_INCOMPATIBLE_WITH_LAYER","features":[308]},{"name":"FWP_E_DROP_NOICMP","features":[308]},{"name":"FWP_E_DUPLICATE_AUTH_METHOD","features":[308]},{"name":"FWP_E_DUPLICATE_CONDITION","features":[308]},{"name":"FWP_E_DUPLICATE_KEYMOD","features":[308]},{"name":"FWP_E_DYNAMIC_SESSION_IN_PROGRESS","features":[308]},{"name":"FWP_E_EM_NOT_SUPPORTED","features":[308]},{"name":"FWP_E_FILTER_NOT_FOUND","features":[308]},{"name":"FWP_E_IKEEXT_NOT_RUNNING","features":[308]},{"name":"FWP_E_INCOMPATIBLE_AUTH_METHOD","features":[308]},{"name":"FWP_E_INCOMPATIBLE_CIPHER_TRANSFORM","features":[308]},{"name":"FWP_E_INCOMPATIBLE_DH_GROUP","features":[308]},{"name":"FWP_E_INCOMPATIBLE_LAYER","features":[308]},{"name":"FWP_E_INCOMPATIBLE_SA_STATE","features":[308]},{"name":"FWP_E_INCOMPATIBLE_TXN","features":[308]},{"name":"FWP_E_INVALID_ACTION_TYPE","features":[308]},{"name":"FWP_E_INVALID_AUTH_TRANSFORM","features":[308]},{"name":"FWP_E_INVALID_CIPHER_TRANSFORM","features":[308]},{"name":"FWP_E_INVALID_DNS_NAME","features":[308]},{"name":"FWP_E_INVALID_ENUMERATOR","features":[308]},{"name":"FWP_E_INVALID_FLAGS","features":[308]},{"name":"FWP_E_INVALID_INTERVAL","features":[308]},{"name":"FWP_E_INVALID_NET_MASK","features":[308]},{"name":"FWP_E_INVALID_PARAMETER","features":[308]},{"name":"FWP_E_INVALID_RANGE","features":[308]},{"name":"FWP_E_INVALID_TRANSFORM_COMBINATION","features":[308]},{"name":"FWP_E_INVALID_TUNNEL_ENDPOINT","features":[308]},{"name":"FWP_E_INVALID_WEIGHT","features":[308]},{"name":"FWP_E_IN_USE","features":[308]},{"name":"FWP_E_KEY_DICTATION_INVALID_KEYING_MATERIAL","features":[308]},{"name":"FWP_E_KEY_DICTATOR_ALREADY_REGISTERED","features":[308]},{"name":"FWP_E_KM_CLIENTS_ONLY","features":[308]},{"name":"FWP_E_L2_DRIVER_NOT_READY","features":[308]},{"name":"FWP_E_LAYER_NOT_FOUND","features":[308]},{"name":"FWP_E_LIFETIME_MISMATCH","features":[308]},{"name":"FWP_E_MATCH_TYPE_MISMATCH","features":[308]},{"name":"FWP_E_NET_EVENTS_DISABLED","features":[308]},{"name":"FWP_E_NEVER_MATCH","features":[308]},{"name":"FWP_E_NOTIFICATION_DROPPED","features":[308]},{"name":"FWP_E_NOT_FOUND","features":[308]},{"name":"FWP_E_NO_TXN_IN_PROGRESS","features":[308]},{"name":"FWP_E_NULL_DISPLAY_NAME","features":[308]},{"name":"FWP_E_NULL_POINTER","features":[308]},{"name":"FWP_E_OUT_OF_BOUNDS","features":[308]},{"name":"FWP_E_PROVIDER_CONTEXT_MISMATCH","features":[308]},{"name":"FWP_E_PROVIDER_CONTEXT_NOT_FOUND","features":[308]},{"name":"FWP_E_PROVIDER_NOT_FOUND","features":[308]},{"name":"FWP_E_RESERVED","features":[308]},{"name":"FWP_E_SESSION_ABORTED","features":[308]},{"name":"FWP_E_STILL_ON","features":[308]},{"name":"FWP_E_SUBLAYER_NOT_FOUND","features":[308]},{"name":"FWP_E_TIMEOUT","features":[308]},{"name":"FWP_E_TOO_MANY_CALLOUTS","features":[308]},{"name":"FWP_E_TOO_MANY_SUBLAYERS","features":[308]},{"name":"FWP_E_TRAFFIC_MISMATCH","features":[308]},{"name":"FWP_E_TXN_ABORTED","features":[308]},{"name":"FWP_E_TXN_IN_PROGRESS","features":[308]},{"name":"FWP_E_TYPE_MISMATCH","features":[308]},{"name":"FWP_E_WRONG_SESSION","features":[308]},{"name":"FWP_E_ZERO_LENGTH_ARRAY","features":[308]},{"name":"FreeLibrary","features":[308]},{"name":"GCN_E_DEFAULTNAMESPACE_EXISTS","features":[308]},{"name":"GCN_E_MODULE_NOT_FOUND","features":[308]},{"name":"GCN_E_NETADAPTER_NOT_FOUND","features":[308]},{"name":"GCN_E_NETADAPTER_TIMEOUT","features":[308]},{"name":"GCN_E_NETCOMPARTMENT_NOT_FOUND","features":[308]},{"name":"GCN_E_NETINTERFACE_NOT_FOUND","features":[308]},{"name":"GCN_E_NO_REQUEST_HANDLERS","features":[308]},{"name":"GCN_E_REQUEST_UNSUPPORTED","features":[308]},{"name":"GCN_E_RUNTIMEKEYS_FAILED","features":[308]},{"name":"GENERIC_ACCESS_RIGHTS","features":[308]},{"name":"GENERIC_ALL","features":[308]},{"name":"GENERIC_EXECUTE","features":[308]},{"name":"GENERIC_READ","features":[308]},{"name":"GENERIC_WRITE","features":[308]},{"name":"GetHandleInformation","features":[308]},{"name":"GetLastError","features":[308]},{"name":"GlobalFree","features":[308]},{"name":"HANDLE","features":[308]},{"name":"HANDLE_FLAGS","features":[308]},{"name":"HANDLE_FLAG_INHERIT","features":[308]},{"name":"HANDLE_FLAG_PROTECT_FROM_CLOSE","features":[308]},{"name":"HANDLE_PTR","features":[308]},{"name":"HCN_E_ADAPTER_NOT_FOUND","features":[308]},{"name":"HCN_E_ADDR_INVALID_OR_RESERVED","features":[308]},{"name":"HCN_E_DEGRADED_OPERATION","features":[308]},{"name":"HCN_E_ENDPOINT_ALREADY_ATTACHED","features":[308]},{"name":"HCN_E_ENDPOINT_NAMESPACE_ALREADY_EXISTS","features":[308]},{"name":"HCN_E_ENDPOINT_NOT_ATTACHED","features":[308]},{"name":"HCN_E_ENDPOINT_NOT_FOUND","features":[308]},{"name":"HCN_E_ENDPOINT_NOT_LOCAL","features":[308]},{"name":"HCN_E_ENDPOINT_SHARING_DISABLED","features":[308]},{"name":"HCN_E_ENTITY_HAS_REFERENCES","features":[308]},{"name":"HCN_E_GUID_CONVERSION_FAILURE","features":[308]},{"name":"HCN_E_ICS_DISABLED","features":[308]},{"name":"HCN_E_INVALID_ENDPOINT","features":[308]},{"name":"HCN_E_INVALID_INTERNAL_PORT","features":[308]},{"name":"HCN_E_INVALID_IP","features":[308]},{"name":"HCN_E_INVALID_IP_SUBNET","features":[308]},{"name":"HCN_E_INVALID_JSON","features":[308]},{"name":"HCN_E_INVALID_JSON_REFERENCE","features":[308]},{"name":"HCN_E_INVALID_NETWORK","features":[308]},{"name":"HCN_E_INVALID_NETWORK_TYPE","features":[308]},{"name":"HCN_E_INVALID_POLICY","features":[308]},{"name":"HCN_E_INVALID_POLICY_TYPE","features":[308]},{"name":"HCN_E_INVALID_PREFIX","features":[308]},{"name":"HCN_E_INVALID_REMOTE_ENDPOINT_OPERATION","features":[308]},{"name":"HCN_E_INVALID_SUBNET","features":[308]},{"name":"HCN_E_LAYER_ALREADY_EXISTS","features":[308]},{"name":"HCN_E_LAYER_NOT_FOUND","features":[308]},{"name":"HCN_E_MANAGER_STOPPED","features":[308]},{"name":"HCN_E_MAPPING_NOT_SUPPORTED","features":[308]},{"name":"HCN_E_NAMESPACE_ATTACH_FAILED","features":[308]},{"name":"HCN_E_NETWORK_ALREADY_EXISTS","features":[308]},{"name":"HCN_E_NETWORK_NOT_FOUND","features":[308]},{"name":"HCN_E_OBJECT_USED_AFTER_UNLOAD","features":[308]},{"name":"HCN_E_POLICY_ALREADY_EXISTS","features":[308]},{"name":"HCN_E_POLICY_NOT_FOUND","features":[308]},{"name":"HCN_E_PORT_ALREADY_EXISTS","features":[308]},{"name":"HCN_E_PORT_NOT_FOUND","features":[308]},{"name":"HCN_E_REGKEY_FAILURE","features":[308]},{"name":"HCN_E_REQUEST_UNSUPPORTED","features":[308]},{"name":"HCN_E_SHARED_SWITCH_MODIFICATION","features":[308]},{"name":"HCN_E_SUBNET_NOT_FOUND","features":[308]},{"name":"HCN_E_SWITCH_EXTENSION_NOT_FOUND","features":[308]},{"name":"HCN_E_SWITCH_NOT_FOUND","features":[308]},{"name":"HCN_E_VFP_NOT_ALLOWED","features":[308]},{"name":"HCN_E_VFP_PORTSETTING_NOT_FOUND","features":[308]},{"name":"HCN_INTERFACEPARAMETERS_ALREADY_APPLIED","features":[308]},{"name":"HCS_E_ACCESS_DENIED","features":[308]},{"name":"HCS_E_CONNECTION_CLOSED","features":[308]},{"name":"HCS_E_CONNECTION_TIMEOUT","features":[308]},{"name":"HCS_E_CONNECT_FAILED","features":[308]},{"name":"HCS_E_GUEST_CRITICAL_ERROR","features":[308]},{"name":"HCS_E_HYPERV_NOT_INSTALLED","features":[308]},{"name":"HCS_E_IMAGE_MISMATCH","features":[308]},{"name":"HCS_E_INVALID_JSON","features":[308]},{"name":"HCS_E_INVALID_LAYER","features":[308]},{"name":"HCS_E_INVALID_STATE","features":[308]},{"name":"HCS_E_OPERATION_ALREADY_CANCELLED","features":[308]},{"name":"HCS_E_OPERATION_ALREADY_STARTED","features":[308]},{"name":"HCS_E_OPERATION_NOT_STARTED","features":[308]},{"name":"HCS_E_OPERATION_PENDING","features":[308]},{"name":"HCS_E_OPERATION_RESULT_ALLOCATION_FAILED","features":[308]},{"name":"HCS_E_OPERATION_SYSTEM_CALLBACK_ALREADY_SET","features":[308]},{"name":"HCS_E_OPERATION_TIMEOUT","features":[308]},{"name":"HCS_E_PROCESS_ALREADY_STOPPED","features":[308]},{"name":"HCS_E_PROCESS_INFO_NOT_AVAILABLE","features":[308]},{"name":"HCS_E_PROTOCOL_ERROR","features":[308]},{"name":"HCS_E_SERVICE_DISCONNECT","features":[308]},{"name":"HCS_E_SERVICE_NOT_AVAILABLE","features":[308]},{"name":"HCS_E_SYSTEM_ALREADY_EXISTS","features":[308]},{"name":"HCS_E_SYSTEM_ALREADY_STOPPED","features":[308]},{"name":"HCS_E_SYSTEM_NOT_CONFIGURED_FOR_OPERATION","features":[308]},{"name":"HCS_E_SYSTEM_NOT_FOUND","features":[308]},{"name":"HCS_E_TERMINATED","features":[308]},{"name":"HCS_E_TERMINATED_DURING_START","features":[308]},{"name":"HCS_E_UNEXPECTED_EXIT","features":[308]},{"name":"HCS_E_UNKNOWN_MESSAGE","features":[308]},{"name":"HCS_E_UNSUPPORTED_PROTOCOL_VERSION","features":[308]},{"name":"HCS_E_WINDOWS_INSIDER_REQUIRED","features":[308]},{"name":"HGLOBAL","features":[308]},{"name":"HINSTANCE","features":[308]},{"name":"HLOCAL","features":[308]},{"name":"HLSURF","features":[308]},{"name":"HMODULE","features":[308]},{"name":"HRESULT","features":[308]},{"name":"HRSRC","features":[308]},{"name":"HSPRITE","features":[308]},{"name":"HSP_BASE_ERROR_MASK","features":[308]},{"name":"HSP_BASE_INTERNAL_ERROR","features":[308]},{"name":"HSP_BS_ERROR_MASK","features":[308]},{"name":"HSP_BS_INTERNAL_ERROR","features":[308]},{"name":"HSP_DRV_ERROR_MASK","features":[308]},{"name":"HSP_DRV_INTERNAL_ERROR","features":[308]},{"name":"HSP_E_ERROR_MASK","features":[308]},{"name":"HSP_E_INTERNAL_ERROR","features":[308]},{"name":"HSP_KSP_ALGORITHM_NOT_SUPPORTED","features":[308]},{"name":"HSP_KSP_BUFFER_TOO_SMALL","features":[308]},{"name":"HSP_KSP_DEVICE_NOT_READY","features":[308]},{"name":"HSP_KSP_ERROR_MASK","features":[308]},{"name":"HSP_KSP_INTERNAL_ERROR","features":[308]},{"name":"HSP_KSP_INVALID_DATA","features":[308]},{"name":"HSP_KSP_INVALID_FLAGS","features":[308]},{"name":"HSP_KSP_INVALID_KEY_HANDLE","features":[308]},{"name":"HSP_KSP_INVALID_KEY_TYPE","features":[308]},{"name":"HSP_KSP_INVALID_PARAMETER","features":[308]},{"name":"HSP_KSP_INVALID_PROVIDER_HANDLE","features":[308]},{"name":"HSP_KSP_KEY_ALREADY_FINALIZED","features":[308]},{"name":"HSP_KSP_KEY_EXISTS","features":[308]},{"name":"HSP_KSP_KEY_LOAD_FAIL","features":[308]},{"name":"HSP_KSP_KEY_MISSING","features":[308]},{"name":"HSP_KSP_KEY_NOT_FINALIZED","features":[308]},{"name":"HSP_KSP_NOT_SUPPORTED","features":[308]},{"name":"HSP_KSP_NO_MEMORY","features":[308]},{"name":"HSP_KSP_NO_MORE_ITEMS","features":[308]},{"name":"HSP_KSP_PARAMETER_NOT_SET","features":[308]},{"name":"HSTR","features":[308]},{"name":"HTTP_E_STATUS_AMBIGUOUS","features":[308]},{"name":"HTTP_E_STATUS_BAD_GATEWAY","features":[308]},{"name":"HTTP_E_STATUS_BAD_METHOD","features":[308]},{"name":"HTTP_E_STATUS_BAD_REQUEST","features":[308]},{"name":"HTTP_E_STATUS_CONFLICT","features":[308]},{"name":"HTTP_E_STATUS_DENIED","features":[308]},{"name":"HTTP_E_STATUS_EXPECTATION_FAILED","features":[308]},{"name":"HTTP_E_STATUS_FORBIDDEN","features":[308]},{"name":"HTTP_E_STATUS_GATEWAY_TIMEOUT","features":[308]},{"name":"HTTP_E_STATUS_GONE","features":[308]},{"name":"HTTP_E_STATUS_LENGTH_REQUIRED","features":[308]},{"name":"HTTP_E_STATUS_MOVED","features":[308]},{"name":"HTTP_E_STATUS_NONE_ACCEPTABLE","features":[308]},{"name":"HTTP_E_STATUS_NOT_FOUND","features":[308]},{"name":"HTTP_E_STATUS_NOT_MODIFIED","features":[308]},{"name":"HTTP_E_STATUS_NOT_SUPPORTED","features":[308]},{"name":"HTTP_E_STATUS_PAYMENT_REQ","features":[308]},{"name":"HTTP_E_STATUS_PRECOND_FAILED","features":[308]},{"name":"HTTP_E_STATUS_PROXY_AUTH_REQ","features":[308]},{"name":"HTTP_E_STATUS_RANGE_NOT_SATISFIABLE","features":[308]},{"name":"HTTP_E_STATUS_REDIRECT","features":[308]},{"name":"HTTP_E_STATUS_REDIRECT_KEEP_VERB","features":[308]},{"name":"HTTP_E_STATUS_REDIRECT_METHOD","features":[308]},{"name":"HTTP_E_STATUS_REQUEST_TIMEOUT","features":[308]},{"name":"HTTP_E_STATUS_REQUEST_TOO_LARGE","features":[308]},{"name":"HTTP_E_STATUS_SERVER_ERROR","features":[308]},{"name":"HTTP_E_STATUS_SERVICE_UNAVAIL","features":[308]},{"name":"HTTP_E_STATUS_UNEXPECTED","features":[308]},{"name":"HTTP_E_STATUS_UNEXPECTED_CLIENT_ERROR","features":[308]},{"name":"HTTP_E_STATUS_UNEXPECTED_REDIRECTION","features":[308]},{"name":"HTTP_E_STATUS_UNEXPECTED_SERVER_ERROR","features":[308]},{"name":"HTTP_E_STATUS_UNSUPPORTED_MEDIA","features":[308]},{"name":"HTTP_E_STATUS_URI_TOO_LONG","features":[308]},{"name":"HTTP_E_STATUS_USE_PROXY","features":[308]},{"name":"HTTP_E_STATUS_VERSION_NOT_SUP","features":[308]},{"name":"HUMPD","features":[308]},{"name":"HWND","features":[308]},{"name":"INPLACE_E_FIRST","features":[308]},{"name":"INPLACE_E_LAST","features":[308]},{"name":"INPLACE_E_NOTOOLSPACE","features":[308]},{"name":"INPLACE_E_NOTUNDOABLE","features":[308]},{"name":"INPLACE_S_FIRST","features":[308]},{"name":"INPLACE_S_LAST","features":[308]},{"name":"INPLACE_S_TRUNCATED","features":[308]},{"name":"INPUT_E_DEVICE_INFO","features":[308]},{"name":"INPUT_E_DEVICE_PROPERTY","features":[308]},{"name":"INPUT_E_FRAME","features":[308]},{"name":"INPUT_E_HISTORY","features":[308]},{"name":"INPUT_E_MULTIMODAL","features":[308]},{"name":"INPUT_E_OUT_OF_ORDER","features":[308]},{"name":"INPUT_E_PACKET","features":[308]},{"name":"INPUT_E_REENTRANCY","features":[308]},{"name":"INPUT_E_TRANSFORM","features":[308]},{"name":"INVALID_HANDLE_VALUE","features":[308]},{"name":"IORING_E_COMPLETION_QUEUE_TOO_BIG","features":[308]},{"name":"IORING_E_COMPLETION_QUEUE_TOO_FULL","features":[308]},{"name":"IORING_E_CORRUPT","features":[308]},{"name":"IORING_E_REQUIRED_FLAG_NOT_SUPPORTED","features":[308]},{"name":"IORING_E_SUBMISSION_QUEUE_FULL","features":[308]},{"name":"IORING_E_SUBMISSION_QUEUE_TOO_BIG","features":[308]},{"name":"IORING_E_SUBMIT_IN_PROGRESS","features":[308]},{"name":"IORING_E_VERSION_NOT_SUPPORTED","features":[308]},{"name":"IO_BAD_BLOCK_WITH_NAME","features":[308]},{"name":"IO_CDROM_EXCLUSIVE_LOCK","features":[308]},{"name":"IO_DRIVER_CANCEL_TIMEOUT","features":[308]},{"name":"IO_DUMP_CALLBACK_EXCEPTION","features":[308]},{"name":"IO_DUMP_CREATION_SUCCESS","features":[308]},{"name":"IO_DUMP_DIRECT_CONFIG_FAILED","features":[308]},{"name":"IO_DUMP_DRIVER_LOAD_FAILURE","features":[308]},{"name":"IO_DUMP_DUMPFILE_CONFLICT","features":[308]},{"name":"IO_DUMP_INITIALIZATION_FAILURE","features":[308]},{"name":"IO_DUMP_INIT_DEDICATED_DUMP_FAILURE","features":[308]},{"name":"IO_DUMP_PAGE_CONFIG_FAILED","features":[308]},{"name":"IO_DUMP_POINTER_FAILURE","features":[308]},{"name":"IO_ERROR_DISK_RESOURCES_EXHAUSTED","features":[308]},{"name":"IO_ERROR_DUMP_CREATION_ERROR","features":[308]},{"name":"IO_ERROR_IO_HARDWARE_ERROR","features":[308]},{"name":"IO_ERR_BAD_BLOCK","features":[308]},{"name":"IO_ERR_BAD_FIRMWARE","features":[308]},{"name":"IO_ERR_CONFIGURATION_ERROR","features":[308]},{"name":"IO_ERR_CONTROLLER_ERROR","features":[308]},{"name":"IO_ERR_DMA_CONFLICT_DETECTED","features":[308]},{"name":"IO_ERR_DMA_RESOURCE_CONFLICT","features":[308]},{"name":"IO_ERR_DRIVER_ERROR","features":[308]},{"name":"IO_ERR_INCORRECT_IRQL","features":[308]},{"name":"IO_ERR_INSUFFICIENT_RESOURCES","features":[308]},{"name":"IO_ERR_INTERNAL_ERROR","features":[308]},{"name":"IO_ERR_INTERRUPT_RESOURCE_CONFLICT","features":[308]},{"name":"IO_ERR_INVALID_IOBASE","features":[308]},{"name":"IO_ERR_INVALID_REQUEST","features":[308]},{"name":"IO_ERR_IRQ_CONFLICT_DETECTED","features":[308]},{"name":"IO_ERR_LAYERED_FAILURE","features":[308]},{"name":"IO_ERR_MEMORY_CONFLICT_DETECTED","features":[308]},{"name":"IO_ERR_MEMORY_RESOURCE_CONFLICT","features":[308]},{"name":"IO_ERR_NOT_READY","features":[308]},{"name":"IO_ERR_OVERRUN_ERROR","features":[308]},{"name":"IO_ERR_PARITY","features":[308]},{"name":"IO_ERR_PORT_CONFLICT_DETECTED","features":[308]},{"name":"IO_ERR_PORT_RESOURCE_CONFLICT","features":[308]},{"name":"IO_ERR_PORT_TIMEOUT","features":[308]},{"name":"IO_ERR_PROTOCOL","features":[308]},{"name":"IO_ERR_RESET","features":[308]},{"name":"IO_ERR_RETRY_SUCCEEDED","features":[308]},{"name":"IO_ERR_SEEK_ERROR","features":[308]},{"name":"IO_ERR_SEQUENCE","features":[308]},{"name":"IO_ERR_THREAD_STUCK_IN_DEVICE_DRIVER","features":[308]},{"name":"IO_ERR_TIMEOUT","features":[308]},{"name":"IO_ERR_VERSION","features":[308]},{"name":"IO_FILE_QUOTA_CORRUPT","features":[308]},{"name":"IO_FILE_QUOTA_FAILED","features":[308]},{"name":"IO_FILE_QUOTA_LIMIT","features":[308]},{"name":"IO_FILE_QUOTA_STARTED","features":[308]},{"name":"IO_FILE_QUOTA_SUCCEEDED","features":[308]},{"name":"IO_FILE_QUOTA_THRESHOLD","features":[308]},{"name":"IO_FILE_SYSTEM_CORRUPT","features":[308]},{"name":"IO_FILE_SYSTEM_CORRUPT_WITH_NAME","features":[308]},{"name":"IO_INFO_THROTTLE_COMPLETE","features":[308]},{"name":"IO_LOST_DELAYED_WRITE","features":[308]},{"name":"IO_LOST_DELAYED_WRITE_NETWORK_DISCONNECTED","features":[308]},{"name":"IO_LOST_DELAYED_WRITE_NETWORK_LOCAL_DISK_ERROR","features":[308]},{"name":"IO_LOST_DELAYED_WRITE_NETWORK_SERVER_ERROR","features":[308]},{"name":"IO_RECOVERED_VIA_ECC","features":[308]},{"name":"IO_SYSTEM_SLEEP_FAILED","features":[308]},{"name":"IO_WARNING_ADAPTER_FIRMWARE_UPDATED","features":[308]},{"name":"IO_WARNING_ALLOCATION_FAILED","features":[308]},{"name":"IO_WARNING_BUS_RESET","features":[308]},{"name":"IO_WARNING_COMPLETION_TIME","features":[308]},{"name":"IO_WARNING_DEVICE_HAS_INTERNAL_DUMP","features":[308]},{"name":"IO_WARNING_DISK_CAPACITY_CHANGED","features":[308]},{"name":"IO_WARNING_DISK_FIRMWARE_UPDATED","features":[308]},{"name":"IO_WARNING_DISK_PROVISIONING_TYPE_CHANGED","features":[308]},{"name":"IO_WARNING_DISK_SURPRISE_REMOVED","features":[308]},{"name":"IO_WARNING_DUMP_DISABLED_DEVICE_GONE","features":[308]},{"name":"IO_WARNING_DUPLICATE_PATH","features":[308]},{"name":"IO_WARNING_DUPLICATE_SIGNATURE","features":[308]},{"name":"IO_WARNING_INTERRUPT_STILL_PENDING","features":[308]},{"name":"IO_WARNING_IO_OPERATION_RETRIED","features":[308]},{"name":"IO_WARNING_LOG_FLUSH_FAILED","features":[308]},{"name":"IO_WARNING_PAGING_FAILURE","features":[308]},{"name":"IO_WARNING_REPEATED_DISK_GUID","features":[308]},{"name":"IO_WARNING_RESET","features":[308]},{"name":"IO_WARNING_SOFT_THRESHOLD_REACHED","features":[308]},{"name":"IO_WARNING_SOFT_THRESHOLD_REACHED_EX","features":[308]},{"name":"IO_WARNING_SOFT_THRESHOLD_REACHED_EX_LUN_LUN","features":[308]},{"name":"IO_WARNING_SOFT_THRESHOLD_REACHED_EX_LUN_POOL","features":[308]},{"name":"IO_WARNING_SOFT_THRESHOLD_REACHED_EX_POOL_LUN","features":[308]},{"name":"IO_WARNING_SOFT_THRESHOLD_REACHED_EX_POOL_POOL","features":[308]},{"name":"IO_WARNING_VOLUME_LOST_DISK_EXTENT","features":[308]},{"name":"IO_WARNING_WRITE_FUA_PROBLEM","features":[308]},{"name":"IO_WRITE_CACHE_DISABLED","features":[308]},{"name":"IO_WRITE_CACHE_ENABLED","features":[308]},{"name":"IO_WRN_BAD_FIRMWARE","features":[308]},{"name":"IO_WRN_FAILURE_PREDICTED","features":[308]},{"name":"JSCRIPT_E_CANTEXECUTE","features":[308]},{"name":"LANGUAGE_E_DATABASE_NOT_FOUND","features":[308]},{"name":"LANGUAGE_S_LARGE_WORD","features":[308]},{"name":"LPARAM","features":[308]},{"name":"LRESULT","features":[308]},{"name":"LUID","features":[308]},{"name":"LocalFree","features":[308]},{"name":"MARSHAL_E_FIRST","features":[308]},{"name":"MARSHAL_E_LAST","features":[308]},{"name":"MARSHAL_S_FIRST","features":[308]},{"name":"MARSHAL_S_LAST","features":[308]},{"name":"MAX_PATH","features":[308]},{"name":"MCA_BUS_ERROR","features":[308]},{"name":"MCA_BUS_TIMEOUT_ERROR","features":[308]},{"name":"MCA_ERROR_CACHE","features":[308]},{"name":"MCA_ERROR_CPU","features":[308]},{"name":"MCA_ERROR_CPU_BUS","features":[308]},{"name":"MCA_ERROR_MAS","features":[308]},{"name":"MCA_ERROR_MEM_1_2","features":[308]},{"name":"MCA_ERROR_MEM_1_2_5","features":[308]},{"name":"MCA_ERROR_MEM_1_2_5_4","features":[308]},{"name":"MCA_ERROR_MEM_UNKNOWN","features":[308]},{"name":"MCA_ERROR_PCI_BUS_MASTER_ABORT","features":[308]},{"name":"MCA_ERROR_PCI_BUS_MASTER_ABORT_NO_INFO","features":[308]},{"name":"MCA_ERROR_PCI_BUS_PARITY","features":[308]},{"name":"MCA_ERROR_PCI_BUS_PARITY_NO_INFO","features":[308]},{"name":"MCA_ERROR_PCI_BUS_SERR","features":[308]},{"name":"MCA_ERROR_PCI_BUS_SERR_NO_INFO","features":[308]},{"name":"MCA_ERROR_PCI_BUS_TIMEOUT","features":[308]},{"name":"MCA_ERROR_PCI_BUS_TIMEOUT_NO_INFO","features":[308]},{"name":"MCA_ERROR_PCI_BUS_UNKNOWN","features":[308]},{"name":"MCA_ERROR_PCI_DEVICE","features":[308]},{"name":"MCA_ERROR_PLATFORM_SPECIFIC","features":[308]},{"name":"MCA_ERROR_REGISTER_FILE","features":[308]},{"name":"MCA_ERROR_SMBIOS","features":[308]},{"name":"MCA_ERROR_SYSTEM_EVENT","features":[308]},{"name":"MCA_ERROR_TLB","features":[308]},{"name":"MCA_ERROR_UNKNOWN","features":[308]},{"name":"MCA_ERROR_UNKNOWN_NO_CPU","features":[308]},{"name":"MCA_EXTERNAL_ERROR","features":[308]},{"name":"MCA_FRC_ERROR","features":[308]},{"name":"MCA_INFO_CPU_THERMAL_THROTTLING_REMOVED","features":[308]},{"name":"MCA_INFO_MEMORY_PAGE_MARKED_BAD","features":[308]},{"name":"MCA_INFO_NO_MORE_CORRECTED_ERROR_LOGS","features":[308]},{"name":"MCA_INTERNALTIMER_ERROR","features":[308]},{"name":"MCA_MEMORYHIERARCHY_ERROR","features":[308]},{"name":"MCA_MICROCODE_ROM_PARITY_ERROR","features":[308]},{"name":"MCA_TLB_ERROR","features":[308]},{"name":"MCA_WARNING_CACHE","features":[308]},{"name":"MCA_WARNING_CMC_THRESHOLD_EXCEEDED","features":[308]},{"name":"MCA_WARNING_CPE_THRESHOLD_EXCEEDED","features":[308]},{"name":"MCA_WARNING_CPU","features":[308]},{"name":"MCA_WARNING_CPU_BUS","features":[308]},{"name":"MCA_WARNING_CPU_THERMAL_THROTTLED","features":[308]},{"name":"MCA_WARNING_MAS","features":[308]},{"name":"MCA_WARNING_MEM_1_2","features":[308]},{"name":"MCA_WARNING_MEM_1_2_5","features":[308]},{"name":"MCA_WARNING_MEM_1_2_5_4","features":[308]},{"name":"MCA_WARNING_MEM_UNKNOWN","features":[308]},{"name":"MCA_WARNING_PCI_BUS_MASTER_ABORT","features":[308]},{"name":"MCA_WARNING_PCI_BUS_MASTER_ABORT_NO_INFO","features":[308]},{"name":"MCA_WARNING_PCI_BUS_PARITY","features":[308]},{"name":"MCA_WARNING_PCI_BUS_PARITY_NO_INFO","features":[308]},{"name":"MCA_WARNING_PCI_BUS_SERR","features":[308]},{"name":"MCA_WARNING_PCI_BUS_SERR_NO_INFO","features":[308]},{"name":"MCA_WARNING_PCI_BUS_TIMEOUT","features":[308]},{"name":"MCA_WARNING_PCI_BUS_TIMEOUT_NO_INFO","features":[308]},{"name":"MCA_WARNING_PCI_BUS_UNKNOWN","features":[308]},{"name":"MCA_WARNING_PCI_DEVICE","features":[308]},{"name":"MCA_WARNING_PLATFORM_SPECIFIC","features":[308]},{"name":"MCA_WARNING_REGISTER_FILE","features":[308]},{"name":"MCA_WARNING_SMBIOS","features":[308]},{"name":"MCA_WARNING_SYSTEM_EVENT","features":[308]},{"name":"MCA_WARNING_TLB","features":[308]},{"name":"MCA_WARNING_UNKNOWN","features":[308]},{"name":"MCA_WARNING_UNKNOWN_NO_CPU","features":[308]},{"name":"MEM_E_INVALID_LINK","features":[308]},{"name":"MEM_E_INVALID_ROOT","features":[308]},{"name":"MEM_E_INVALID_SIZE","features":[308]},{"name":"MENROLL_S_ENROLLMENT_SUSPENDED","features":[308]},{"name":"MILAVERR_INSUFFICIENTVIDEORESOURCES","features":[308]},{"name":"MILAVERR_INVALIDWMPVERSION","features":[308]},{"name":"MILAVERR_MEDIAPLAYERCLOSED","features":[308]},{"name":"MILAVERR_MODULENOTLOADED","features":[308]},{"name":"MILAVERR_NOCLOCK","features":[308]},{"name":"MILAVERR_NOMEDIATYPE","features":[308]},{"name":"MILAVERR_NOREADYFRAMES","features":[308]},{"name":"MILAVERR_NOVIDEOMIXER","features":[308]},{"name":"MILAVERR_NOVIDEOPRESENTER","features":[308]},{"name":"MILAVERR_REQUESTEDTEXTURETOOBIG","features":[308]},{"name":"MILAVERR_SEEKFAILED","features":[308]},{"name":"MILAVERR_UNEXPECTEDWMPFAILURE","features":[308]},{"name":"MILAVERR_UNKNOWNHARDWAREERROR","features":[308]},{"name":"MILAVERR_VIDEOACCELERATIONNOTAVAILABLE","features":[308]},{"name":"MILAVERR_WMPFACTORYNOTREGISTERED","features":[308]},{"name":"MILEFFECTSERR_ALREADYATTACHEDTOLISTENER","features":[308]},{"name":"MILEFFECTSERR_CONNECTORNOTASSOCIATEDWITHEFFECT","features":[308]},{"name":"MILEFFECTSERR_CONNECTORNOTCONNECTED","features":[308]},{"name":"MILEFFECTSERR_CYCLEDETECTED","features":[308]},{"name":"MILEFFECTSERR_EFFECTALREADYINAGRAPH","features":[308]},{"name":"MILEFFECTSERR_EFFECTHASNOCHILDREN","features":[308]},{"name":"MILEFFECTSERR_EFFECTINMORETHANONEGRAPH","features":[308]},{"name":"MILEFFECTSERR_EFFECTNOTPARTOFGROUP","features":[308]},{"name":"MILEFFECTSERR_EMPTYBOUNDS","features":[308]},{"name":"MILEFFECTSERR_NOINPUTSOURCEATTACHED","features":[308]},{"name":"MILEFFECTSERR_NOTAFFINETRANSFORM","features":[308]},{"name":"MILEFFECTSERR_OUTPUTSIZETOOLARGE","features":[308]},{"name":"MILEFFECTSERR_RESERVED","features":[308]},{"name":"MILEFFECTSERR_UNKNOWNPROPERTY","features":[308]},{"name":"MILERR_ADAPTER_NOT_FOUND","features":[308]},{"name":"MILERR_ALREADYLOCKED","features":[308]},{"name":"MILERR_ALREADY_INITIALIZED","features":[308]},{"name":"MILERR_BADNUMBER","features":[308]},{"name":"MILERR_COLORSPACE_NOT_SUPPORTED","features":[308]},{"name":"MILERR_DEVICECANNOTRENDERTEXT","features":[308]},{"name":"MILERR_DISPLAYFORMATNOTSUPPORTED","features":[308]},{"name":"MILERR_DISPLAYID_ACCESS_DENIED","features":[308]},{"name":"MILERR_DISPLAYSTATEINVALID","features":[308]},{"name":"MILERR_DXGI_ENUMERATION_OUT_OF_SYNC","features":[308]},{"name":"MILERR_GENERIC_IGNORE","features":[308]},{"name":"MILERR_GLYPHBITMAPMISSED","features":[308]},{"name":"MILERR_INSUFFICIENTBUFFER","features":[308]},{"name":"MILERR_INTERNALERROR","features":[308]},{"name":"MILERR_INVALIDCALL","features":[308]},{"name":"MILERR_MALFORMEDGLYPHCACHE","features":[308]},{"name":"MILERR_MALFORMED_GUIDELINE_DATA","features":[308]},{"name":"MILERR_MAX_TEXTURE_SIZE_EXCEEDED","features":[308]},{"name":"MILERR_MISMATCHED_SIZE","features":[308]},{"name":"MILERR_MROW_READLOCK_FAILED","features":[308]},{"name":"MILERR_MROW_UPDATE_FAILED","features":[308]},{"name":"MILERR_NEED_RECREATE_AND_PRESENT","features":[308]},{"name":"MILERR_NONINVERTIBLEMATRIX","features":[308]},{"name":"MILERR_NOTLOCKED","features":[308]},{"name":"MILERR_NOT_QUEUING_PRESENTS","features":[308]},{"name":"MILERR_NO_HARDWARE_DEVICE","features":[308]},{"name":"MILERR_NO_REDIRECTION_SURFACE_AVAILABLE","features":[308]},{"name":"MILERR_NO_REDIRECTION_SURFACE_RETRY_LATER","features":[308]},{"name":"MILERR_OBJECTBUSY","features":[308]},{"name":"MILERR_PREFILTER_NOT_SUPPORTED","features":[308]},{"name":"MILERR_QPC_TIME_WENT_BACKWARD","features":[308]},{"name":"MILERR_QUEUED_PRESENT_NOT_SUPPORTED","features":[308]},{"name":"MILERR_REMOTING_NOT_SUPPORTED","features":[308]},{"name":"MILERR_SCANNER_FAILED","features":[308]},{"name":"MILERR_SCREENACCESSDENIED","features":[308]},{"name":"MILERR_SHADER_COMPILE_FAILED","features":[308]},{"name":"MILERR_TERMINATED","features":[308]},{"name":"MILERR_TOOMANYSHADERELEMNTS","features":[308]},{"name":"MILERR_WIN32ERROR","features":[308]},{"name":"MILERR_ZEROVECTOR","features":[308]},{"name":"MK_E_CANTOPENFILE","features":[308]},{"name":"MK_E_CONNECTMANUALLY","features":[308]},{"name":"MK_E_ENUMERATION_FAILED","features":[308]},{"name":"MK_E_EXCEEDEDDEADLINE","features":[308]},{"name":"MK_E_FIRST","features":[308]},{"name":"MK_E_INTERMEDIATEINTERFACENOTSUPPORTED","features":[308]},{"name":"MK_E_INVALIDEXTENSION","features":[308]},{"name":"MK_E_LAST","features":[308]},{"name":"MK_E_MUSTBOTHERUSER","features":[308]},{"name":"MK_E_NEEDGENERIC","features":[308]},{"name":"MK_E_NOINVERSE","features":[308]},{"name":"MK_E_NOOBJECT","features":[308]},{"name":"MK_E_NOPREFIX","features":[308]},{"name":"MK_E_NOSTORAGE","features":[308]},{"name":"MK_E_NOTBINDABLE","features":[308]},{"name":"MK_E_NOTBOUND","features":[308]},{"name":"MK_E_NO_NORMALIZED","features":[308]},{"name":"MK_E_SYNTAX","features":[308]},{"name":"MK_E_UNAVAILABLE","features":[308]},{"name":"MK_S_FIRST","features":[308]},{"name":"MK_S_HIM","features":[308]},{"name":"MK_S_LAST","features":[308]},{"name":"MK_S_ME","features":[308]},{"name":"MK_S_MONIKERALREADYREGISTERED","features":[308]},{"name":"MK_S_REDUCED_TO_SELF","features":[308]},{"name":"MK_S_US","features":[308]},{"name":"MSDTC_E_DUPLICATE_RESOURCE","features":[308]},{"name":"MSSIPOTF_E_BADVERSION","features":[308]},{"name":"MSSIPOTF_E_BAD_FIRST_TABLE_PLACEMENT","features":[308]},{"name":"MSSIPOTF_E_BAD_MAGICNUMBER","features":[308]},{"name":"MSSIPOTF_E_BAD_OFFSET_TABLE","features":[308]},{"name":"MSSIPOTF_E_CANTGETOBJECT","features":[308]},{"name":"MSSIPOTF_E_CRYPT","features":[308]},{"name":"MSSIPOTF_E_DSIG_STRUCTURE","features":[308]},{"name":"MSSIPOTF_E_FAILED_HINTS_CHECK","features":[308]},{"name":"MSSIPOTF_E_FAILED_POLICY","features":[308]},{"name":"MSSIPOTF_E_FILE","features":[308]},{"name":"MSSIPOTF_E_FILETOOSMALL","features":[308]},{"name":"MSSIPOTF_E_FILE_CHECKSUM","features":[308]},{"name":"MSSIPOTF_E_NOHEADTABLE","features":[308]},{"name":"MSSIPOTF_E_NOT_OPENTYPE","features":[308]},{"name":"MSSIPOTF_E_OUTOFMEMRANGE","features":[308]},{"name":"MSSIPOTF_E_PCONST_CHECK","features":[308]},{"name":"MSSIPOTF_E_STRUCTURE","features":[308]},{"name":"MSSIPOTF_E_TABLES_OVERLAP","features":[308]},{"name":"MSSIPOTF_E_TABLE_CHECKSUM","features":[308]},{"name":"MSSIPOTF_E_TABLE_LONGWORD","features":[308]},{"name":"MSSIPOTF_E_TABLE_PADBYTES","features":[308]},{"name":"MSSIPOTF_E_TABLE_TAGORDER","features":[308]},{"name":"NAP_E_CONFLICTING_ID","features":[308]},{"name":"NAP_E_ENTITY_DISABLED","features":[308]},{"name":"NAP_E_ID_NOT_FOUND","features":[308]},{"name":"NAP_E_INVALID_PACKET","features":[308]},{"name":"NAP_E_MAXSIZE_TOO_SMALL","features":[308]},{"name":"NAP_E_MISMATCHED_ID","features":[308]},{"name":"NAP_E_MISSING_SOH","features":[308]},{"name":"NAP_E_NETSH_GROUPPOLICY_ERROR","features":[308]},{"name":"NAP_E_NOT_INITIALIZED","features":[308]},{"name":"NAP_E_NOT_PENDING","features":[308]},{"name":"NAP_E_NOT_REGISTERED","features":[308]},{"name":"NAP_E_NO_CACHED_SOH","features":[308]},{"name":"NAP_E_SERVICE_NOT_RUNNING","features":[308]},{"name":"NAP_E_SHV_CONFIG_EXISTED","features":[308]},{"name":"NAP_E_SHV_CONFIG_NOT_FOUND","features":[308]},{"name":"NAP_E_SHV_TIMEOUT","features":[308]},{"name":"NAP_E_STILL_BOUND","features":[308]},{"name":"NAP_E_TOO_MANY_CALLS","features":[308]},{"name":"NAP_S_CERT_ALREADY_PRESENT","features":[308]},{"name":"NEARPROC","features":[308]},{"name":"NOERROR","features":[308]},{"name":"NOT_AN_ERROR1","features":[308]},{"name":"NO_ERROR","features":[308]},{"name":"NTDDI_MAXVER","features":[308]},{"name":"NTE_AUTHENTICATION_IGNORED","features":[308]},{"name":"NTE_BAD_ALGID","features":[308]},{"name":"NTE_BAD_DATA","features":[308]},{"name":"NTE_BAD_FLAGS","features":[308]},{"name":"NTE_BAD_HASH","features":[308]},{"name":"NTE_BAD_HASH_STATE","features":[308]},{"name":"NTE_BAD_KEY","features":[308]},{"name":"NTE_BAD_KEYSET","features":[308]},{"name":"NTE_BAD_KEYSET_PARAM","features":[308]},{"name":"NTE_BAD_KEY_STATE","features":[308]},{"name":"NTE_BAD_LEN","features":[308]},{"name":"NTE_BAD_PROVIDER","features":[308]},{"name":"NTE_BAD_PROV_TYPE","features":[308]},{"name":"NTE_BAD_PUBLIC_KEY","features":[308]},{"name":"NTE_BAD_SIGNATURE","features":[308]},{"name":"NTE_BAD_TYPE","features":[308]},{"name":"NTE_BAD_UID","features":[308]},{"name":"NTE_BAD_VER","features":[308]},{"name":"NTE_BUFFERS_OVERLAP","features":[308]},{"name":"NTE_BUFFER_TOO_SMALL","features":[308]},{"name":"NTE_DECRYPTION_FAILURE","features":[308]},{"name":"NTE_DEVICE_NOT_FOUND","features":[308]},{"name":"NTE_DEVICE_NOT_READY","features":[308]},{"name":"NTE_DOUBLE_ENCRYPT","features":[308]},{"name":"NTE_ENCRYPTION_FAILURE","features":[308]},{"name":"NTE_EXISTS","features":[308]},{"name":"NTE_FAIL","features":[308]},{"name":"NTE_FIXEDPARAMETER","features":[308]},{"name":"NTE_HMAC_NOT_SUPPORTED","features":[308]},{"name":"NTE_INCORRECT_PASSWORD","features":[308]},{"name":"NTE_INTERNAL_ERROR","features":[308]},{"name":"NTE_INVALID_HANDLE","features":[308]},{"name":"NTE_INVALID_PARAMETER","features":[308]},{"name":"NTE_KEYSET_ENTRY_BAD","features":[308]},{"name":"NTE_KEYSET_NOT_DEF","features":[308]},{"name":"NTE_NOT_ACTIVE_CONSOLE","features":[308]},{"name":"NTE_NOT_FOUND","features":[308]},{"name":"NTE_NOT_SUPPORTED","features":[308]},{"name":"NTE_NO_KEY","features":[308]},{"name":"NTE_NO_MEMORY","features":[308]},{"name":"NTE_NO_MORE_ITEMS","features":[308]},{"name":"NTE_OP_OK","features":[308]},{"name":"NTE_PASSWORD_CHANGE_REQUIRED","features":[308]},{"name":"NTE_PERM","features":[308]},{"name":"NTE_PROVIDER_DLL_FAIL","features":[308]},{"name":"NTE_PROV_DLL_NOT_FOUND","features":[308]},{"name":"NTE_PROV_TYPE_ENTRY_BAD","features":[308]},{"name":"NTE_PROV_TYPE_NOT_DEF","features":[308]},{"name":"NTE_PROV_TYPE_NO_MATCH","features":[308]},{"name":"NTE_SIGNATURE_FILE_BAD","features":[308]},{"name":"NTE_SILENT_CONTEXT","features":[308]},{"name":"NTE_SYS_ERR","features":[308]},{"name":"NTE_TEMPORARY_PROFILE","features":[308]},{"name":"NTE_TOKEN_KEYSET_STORAGE_FULL","features":[308]},{"name":"NTE_UI_REQUIRED","features":[308]},{"name":"NTE_USER_CANCELLED","features":[308]},{"name":"NTE_VALIDATION_FAILED","features":[308]},{"name":"NTSTATUS","features":[308]},{"name":"NTSTATUS_FACILITY_CODE","features":[308]},{"name":"NTSTATUS_SEVERITY_CODE","features":[308]},{"name":"OLEOBJ_E_FIRST","features":[308]},{"name":"OLEOBJ_E_INVALIDVERB","features":[308]},{"name":"OLEOBJ_E_LAST","features":[308]},{"name":"OLEOBJ_E_NOVERBS","features":[308]},{"name":"OLEOBJ_S_CANNOT_DOVERB_NOW","features":[308]},{"name":"OLEOBJ_S_FIRST","features":[308]},{"name":"OLEOBJ_S_INVALIDHWND","features":[308]},{"name":"OLEOBJ_S_INVALIDVERB","features":[308]},{"name":"OLEOBJ_S_LAST","features":[308]},{"name":"OLE_E_ADVF","features":[308]},{"name":"OLE_E_ADVISENOTSUPPORTED","features":[308]},{"name":"OLE_E_BLANK","features":[308]},{"name":"OLE_E_CANTCONVERT","features":[308]},{"name":"OLE_E_CANT_BINDTOSOURCE","features":[308]},{"name":"OLE_E_CANT_GETMONIKER","features":[308]},{"name":"OLE_E_CLASSDIFF","features":[308]},{"name":"OLE_E_ENUM_NOMORE","features":[308]},{"name":"OLE_E_FIRST","features":[308]},{"name":"OLE_E_INVALIDHWND","features":[308]},{"name":"OLE_E_INVALIDRECT","features":[308]},{"name":"OLE_E_LAST","features":[308]},{"name":"OLE_E_NOCACHE","features":[308]},{"name":"OLE_E_NOCONNECTION","features":[308]},{"name":"OLE_E_NOSTORAGE","features":[308]},{"name":"OLE_E_NOTRUNNING","features":[308]},{"name":"OLE_E_NOT_INPLACEACTIVE","features":[308]},{"name":"OLE_E_OLEVERB","features":[308]},{"name":"OLE_E_PROMPTSAVECANCELLED","features":[308]},{"name":"OLE_E_STATIC","features":[308]},{"name":"OLE_E_WRONGCOMPOBJ","features":[308]},{"name":"OLE_S_FIRST","features":[308]},{"name":"OLE_S_LAST","features":[308]},{"name":"OLE_S_MAC_CLIPFORMAT","features":[308]},{"name":"OLE_S_STATIC","features":[308]},{"name":"OLE_S_USEREG","features":[308]},{"name":"ONL_CONNECTION_COUNT_LIMIT","features":[308]},{"name":"ONL_E_ACCESS_DENIED_BY_TOU","features":[308]},{"name":"ONL_E_ACCOUNT_LOCKED","features":[308]},{"name":"ONL_E_ACCOUNT_SUSPENDED_ABUSE","features":[308]},{"name":"ONL_E_ACCOUNT_SUSPENDED_COMPROIMISE","features":[308]},{"name":"ONL_E_ACCOUNT_UPDATE_REQUIRED","features":[308]},{"name":"ONL_E_ACTION_REQUIRED","features":[308]},{"name":"ONL_E_CONNECTED_ACCOUNT_CAN_NOT_SIGNOUT","features":[308]},{"name":"ONL_E_EMAIL_VERIFICATION_REQUIRED","features":[308]},{"name":"ONL_E_FORCESIGNIN","features":[308]},{"name":"ONL_E_INVALID_APPLICATION","features":[308]},{"name":"ONL_E_INVALID_AUTHENTICATION_TARGET","features":[308]},{"name":"ONL_E_PARENTAL_CONSENT_REQUIRED","features":[308]},{"name":"ONL_E_PASSWORD_UPDATE_REQUIRED","features":[308]},{"name":"ONL_E_REQUEST_THROTTLED","features":[308]},{"name":"ONL_E_USER_AUTHENTICATION_REQUIRED","features":[308]},{"name":"OR_INVALID_OID","features":[308]},{"name":"OR_INVALID_OXID","features":[308]},{"name":"OR_INVALID_SET","features":[308]},{"name":"OSS_ACCESS_SERIALIZATION_ERROR","features":[308]},{"name":"OSS_API_DLL_NOT_LINKED","features":[308]},{"name":"OSS_BAD_ARG","features":[308]},{"name":"OSS_BAD_ENCRULES","features":[308]},{"name":"OSS_BAD_PTR","features":[308]},{"name":"OSS_BAD_TABLE","features":[308]},{"name":"OSS_BAD_TIME","features":[308]},{"name":"OSS_BAD_VERSION","features":[308]},{"name":"OSS_BERDER_DLL_NOT_LINKED","features":[308]},{"name":"OSS_CANT_CLOSE_TRACE_FILE","features":[308]},{"name":"OSS_CANT_OPEN_TRACE_FILE","features":[308]},{"name":"OSS_CANT_OPEN_TRACE_WINDOW","features":[308]},{"name":"OSS_COMPARATOR_CODE_NOT_LINKED","features":[308]},{"name":"OSS_COMPARATOR_DLL_NOT_LINKED","features":[308]},{"name":"OSS_CONSTRAINT_DLL_NOT_LINKED","features":[308]},{"name":"OSS_CONSTRAINT_VIOLATED","features":[308]},{"name":"OSS_COPIER_DLL_NOT_LINKED","features":[308]},{"name":"OSS_DATA_ERROR","features":[308]},{"name":"OSS_FATAL_ERROR","features":[308]},{"name":"OSS_INDEFINITE_NOT_SUPPORTED","features":[308]},{"name":"OSS_LIMITED","features":[308]},{"name":"OSS_MEM_ERROR","features":[308]},{"name":"OSS_MEM_MGR_DLL_NOT_LINKED","features":[308]},{"name":"OSS_MORE_BUF","features":[308]},{"name":"OSS_MORE_INPUT","features":[308]},{"name":"OSS_MUTEX_NOT_CREATED","features":[308]},{"name":"OSS_NEGATIVE_UINTEGER","features":[308]},{"name":"OSS_NULL_FCN","features":[308]},{"name":"OSS_NULL_TBL","features":[308]},{"name":"OSS_OID_DLL_NOT_LINKED","features":[308]},{"name":"OSS_OPEN_TYPE_ERROR","features":[308]},{"name":"OSS_OUT_MEMORY","features":[308]},{"name":"OSS_OUT_OF_RANGE","features":[308]},{"name":"OSS_PDU_MISMATCH","features":[308]},{"name":"OSS_PDU_RANGE","features":[308]},{"name":"OSS_PDV_CODE_NOT_LINKED","features":[308]},{"name":"OSS_PDV_DLL_NOT_LINKED","features":[308]},{"name":"OSS_PER_DLL_NOT_LINKED","features":[308]},{"name":"OSS_REAL_CODE_NOT_LINKED","features":[308]},{"name":"OSS_REAL_DLL_NOT_LINKED","features":[308]},{"name":"OSS_TABLE_MISMATCH","features":[308]},{"name":"OSS_TOO_LONG","features":[308]},{"name":"OSS_TRACE_FILE_ALREADY_OPEN","features":[308]},{"name":"OSS_TYPE_NOT_SUPPORTED","features":[308]},{"name":"OSS_UNAVAIL_ENCRULES","features":[308]},{"name":"OSS_UNIMPLEMENTED","features":[308]},{"name":"PAPCFUNC","features":[308]},{"name":"PEERDIST_ERROR_ALREADY_COMPLETED","features":[308]},{"name":"PEERDIST_ERROR_ALREADY_EXISTS","features":[308]},{"name":"PEERDIST_ERROR_ALREADY_INITIALIZED","features":[308]},{"name":"PEERDIST_ERROR_CANNOT_PARSE_CONTENTINFO","features":[308]},{"name":"PEERDIST_ERROR_CONTENTINFO_VERSION_UNSUPPORTED","features":[308]},{"name":"PEERDIST_ERROR_INVALIDATED","features":[308]},{"name":"PEERDIST_ERROR_INVALID_CONFIGURATION","features":[308]},{"name":"PEERDIST_ERROR_MISSING_DATA","features":[308]},{"name":"PEERDIST_ERROR_NOT_INITIALIZED","features":[308]},{"name":"PEERDIST_ERROR_NOT_LICENSED","features":[308]},{"name":"PEERDIST_ERROR_NO_MORE","features":[308]},{"name":"PEERDIST_ERROR_OPERATION_NOTFOUND","features":[308]},{"name":"PEERDIST_ERROR_OUT_OF_BOUNDS","features":[308]},{"name":"PEERDIST_ERROR_SERVICE_UNAVAILABLE","features":[308]},{"name":"PEERDIST_ERROR_SHUTDOWN_IN_PROGRESS","features":[308]},{"name":"PEERDIST_ERROR_TRUST_FAILURE","features":[308]},{"name":"PEERDIST_ERROR_VERSION_UNSUPPORTED","features":[308]},{"name":"PEER_E_ALREADY_LISTENING","features":[308]},{"name":"PEER_E_CANNOT_CONVERT_PEER_NAME","features":[308]},{"name":"PEER_E_CANNOT_START_SERVICE","features":[308]},{"name":"PEER_E_CERT_STORE_CORRUPTED","features":[308]},{"name":"PEER_E_CHAIN_TOO_LONG","features":[308]},{"name":"PEER_E_CIRCULAR_CHAIN_DETECTED","features":[308]},{"name":"PEER_E_CLASSIFIER_TOO_LONG","features":[308]},{"name":"PEER_E_CLOUD_NAME_AMBIGUOUS","features":[308]},{"name":"PEER_E_CONNECTION_FAILED","features":[308]},{"name":"PEER_E_CONNECTION_NOT_AUTHENTICATED","features":[308]},{"name":"PEER_E_CONNECTION_NOT_FOUND","features":[308]},{"name":"PEER_E_CONNECTION_REFUSED","features":[308]},{"name":"PEER_E_CONNECT_SELF","features":[308]},{"name":"PEER_E_CONTACT_NOT_FOUND","features":[308]},{"name":"PEER_E_DATABASE_ACCESSDENIED","features":[308]},{"name":"PEER_E_DATABASE_ALREADY_PRESENT","features":[308]},{"name":"PEER_E_DATABASE_NOT_PRESENT","features":[308]},{"name":"PEER_E_DBINITIALIZATION_FAILED","features":[308]},{"name":"PEER_E_DBNAME_CHANGED","features":[308]},{"name":"PEER_E_DEFERRED_VALIDATION","features":[308]},{"name":"PEER_E_DUPLICATE_GRAPH","features":[308]},{"name":"PEER_E_EVENT_HANDLE_NOT_FOUND","features":[308]},{"name":"PEER_E_FW_BLOCKED_BY_POLICY","features":[308]},{"name":"PEER_E_FW_BLOCKED_BY_SHIELDS_UP","features":[308]},{"name":"PEER_E_FW_DECLINED","features":[308]},{"name":"PEER_E_FW_EXCEPTION_DISABLED","features":[308]},{"name":"PEER_E_GRAPH_IN_USE","features":[308]},{"name":"PEER_E_GRAPH_NOT_READY","features":[308]},{"name":"PEER_E_GRAPH_SHUTTING_DOWN","features":[308]},{"name":"PEER_E_GROUPS_EXIST","features":[308]},{"name":"PEER_E_GROUP_IN_USE","features":[308]},{"name":"PEER_E_GROUP_NOT_READY","features":[308]},{"name":"PEER_E_IDENTITY_DELETED","features":[308]},{"name":"PEER_E_IDENTITY_NOT_FOUND","features":[308]},{"name":"PEER_E_INVALID_ADDRESS","features":[308]},{"name":"PEER_E_INVALID_ATTRIBUTES","features":[308]},{"name":"PEER_E_INVALID_CLASSIFIER","features":[308]},{"name":"PEER_E_INVALID_CLASSIFIER_PROPERTY","features":[308]},{"name":"PEER_E_INVALID_CREDENTIAL","features":[308]},{"name":"PEER_E_INVALID_CREDENTIAL_INFO","features":[308]},{"name":"PEER_E_INVALID_DATABASE","features":[308]},{"name":"PEER_E_INVALID_FRIENDLY_NAME","features":[308]},{"name":"PEER_E_INVALID_GRAPH","features":[308]},{"name":"PEER_E_INVALID_GROUP","features":[308]},{"name":"PEER_E_INVALID_GROUP_PROPERTIES","features":[308]},{"name":"PEER_E_INVALID_PEER_HOST_NAME","features":[308]},{"name":"PEER_E_INVALID_PEER_NAME","features":[308]},{"name":"PEER_E_INVALID_RECORD","features":[308]},{"name":"PEER_E_INVALID_RECORD_EXPIRATION","features":[308]},{"name":"PEER_E_INVALID_RECORD_SIZE","features":[308]},{"name":"PEER_E_INVALID_ROLE_PROPERTY","features":[308]},{"name":"PEER_E_INVALID_SEARCH","features":[308]},{"name":"PEER_E_INVALID_TIME_PERIOD","features":[308]},{"name":"PEER_E_INVITATION_NOT_TRUSTED","features":[308]},{"name":"PEER_E_INVITE_CANCELLED","features":[308]},{"name":"PEER_E_INVITE_RESPONSE_NOT_AVAILABLE","features":[308]},{"name":"PEER_E_IPV6_NOT_INSTALLED","features":[308]},{"name":"PEER_E_MAX_RECORD_SIZE_EXCEEDED","features":[308]},{"name":"PEER_E_NODE_NOT_FOUND","features":[308]},{"name":"PEER_E_NOT_AUTHORIZED","features":[308]},{"name":"PEER_E_NOT_INITIALIZED","features":[308]},{"name":"PEER_E_NOT_LICENSED","features":[308]},{"name":"PEER_E_NOT_SIGNED_IN","features":[308]},{"name":"PEER_E_NO_CLOUD","features":[308]},{"name":"PEER_E_NO_KEY_ACCESS","features":[308]},{"name":"PEER_E_NO_MEMBERS_FOUND","features":[308]},{"name":"PEER_E_NO_MEMBER_CONNECTIONS","features":[308]},{"name":"PEER_E_NO_MORE","features":[308]},{"name":"PEER_E_PASSWORD_DOES_NOT_MEET_POLICY","features":[308]},{"name":"PEER_E_PNRP_DUPLICATE_PEER_NAME","features":[308]},{"name":"PEER_E_PRIVACY_DECLINED","features":[308]},{"name":"PEER_E_RECORD_NOT_FOUND","features":[308]},{"name":"PEER_E_SERVICE_NOT_AVAILABLE","features":[308]},{"name":"PEER_E_TIMEOUT","features":[308]},{"name":"PEER_E_TOO_MANY_ATTRIBUTES","features":[308]},{"name":"PEER_E_TOO_MANY_IDENTITIES","features":[308]},{"name":"PEER_E_UNABLE_TO_LISTEN","features":[308]},{"name":"PEER_E_UNSUPPORTED_VERSION","features":[308]},{"name":"PEER_S_ALREADY_A_MEMBER","features":[308]},{"name":"PEER_S_ALREADY_CONNECTED","features":[308]},{"name":"PEER_S_GRAPH_DATA_CREATED","features":[308]},{"name":"PEER_S_NO_CONNECTIVITY","features":[308]},{"name":"PEER_S_NO_EVENT_DATA","features":[308]},{"name":"PEER_S_SUBSCRIPTION_EXISTS","features":[308]},{"name":"PERSIST_E_NOTSELFSIZING","features":[308]},{"name":"PERSIST_E_SIZEDEFINITE","features":[308]},{"name":"PERSIST_E_SIZEINDEFINITE","features":[308]},{"name":"PLA_E_CABAPI_FAILURE","features":[308]},{"name":"PLA_E_CONFLICT_INCL_EXCL_API","features":[308]},{"name":"PLA_E_CREDENTIALS_REQUIRED","features":[308]},{"name":"PLA_E_DCS_ALREADY_EXISTS","features":[308]},{"name":"PLA_E_DCS_IN_USE","features":[308]},{"name":"PLA_E_DCS_NOT_FOUND","features":[308]},{"name":"PLA_E_DCS_NOT_RUNNING","features":[308]},{"name":"PLA_E_DCS_SINGLETON_REQUIRED","features":[308]},{"name":"PLA_E_DCS_START_WAIT_TIMEOUT","features":[308]},{"name":"PLA_E_DC_ALREADY_EXISTS","features":[308]},{"name":"PLA_E_DC_START_WAIT_TIMEOUT","features":[308]},{"name":"PLA_E_EXE_ALREADY_CONFIGURED","features":[308]},{"name":"PLA_E_EXE_FULL_PATH_REQUIRED","features":[308]},{"name":"PLA_E_EXE_PATH_NOT_VALID","features":[308]},{"name":"PLA_E_INVALID_SESSION_NAME","features":[308]},{"name":"PLA_E_NETWORK_EXE_NOT_VALID","features":[308]},{"name":"PLA_E_NO_DUPLICATES","features":[308]},{"name":"PLA_E_NO_MIN_DISK","features":[308]},{"name":"PLA_E_PLA_CHANNEL_NOT_ENABLED","features":[308]},{"name":"PLA_E_PROPERTY_CONFLICT","features":[308]},{"name":"PLA_E_REPORT_WAIT_TIMEOUT","features":[308]},{"name":"PLA_E_RULES_MANAGER_FAILED","features":[308]},{"name":"PLA_E_TASKSCHED_CHANNEL_NOT_ENABLED","features":[308]},{"name":"PLA_E_TOO_MANY_FOLDERS","features":[308]},{"name":"PLA_S_PROPERTY_IGNORED","features":[308]},{"name":"POINT","features":[308]},{"name":"POINTL","features":[308]},{"name":"POINTS","features":[308]},{"name":"PRESENTATION_ERROR_LOST","features":[308]},{"name":"PROC","features":[308]},{"name":"PSID","features":[308]},{"name":"PSINK_E_INDEX_ONLY","features":[308]},{"name":"PSINK_E_LARGE_ATTACHMENT","features":[308]},{"name":"PSINK_E_QUERY_ONLY","features":[308]},{"name":"PSINK_S_LARGE_WORD","features":[308]},{"name":"PSTR","features":[308]},{"name":"PWSTR","features":[308]},{"name":"QPARSE_E_EXPECTING_BRACE","features":[308]},{"name":"QPARSE_E_EXPECTING_COMMA","features":[308]},{"name":"QPARSE_E_EXPECTING_CURRENCY","features":[308]},{"name":"QPARSE_E_EXPECTING_DATE","features":[308]},{"name":"QPARSE_E_EXPECTING_EOS","features":[308]},{"name":"QPARSE_E_EXPECTING_GUID","features":[308]},{"name":"QPARSE_E_EXPECTING_INTEGER","features":[308]},{"name":"QPARSE_E_EXPECTING_PAREN","features":[308]},{"name":"QPARSE_E_EXPECTING_PHRASE","features":[308]},{"name":"QPARSE_E_EXPECTING_PROPERTY","features":[308]},{"name":"QPARSE_E_EXPECTING_REAL","features":[308]},{"name":"QPARSE_E_EXPECTING_REGEX","features":[308]},{"name":"QPARSE_E_EXPECTING_REGEX_PROPERTY","features":[308]},{"name":"QPARSE_E_INVALID_GROUPING","features":[308]},{"name":"QPARSE_E_INVALID_LITERAL","features":[308]},{"name":"QPARSE_E_INVALID_QUERY","features":[308]},{"name":"QPARSE_E_INVALID_RANKMETHOD","features":[308]},{"name":"QPARSE_E_INVALID_SORT_ORDER","features":[308]},{"name":"QPARSE_E_NOT_YET_IMPLEMENTED","features":[308]},{"name":"QPARSE_E_NO_SUCH_PROPERTY","features":[308]},{"name":"QPARSE_E_NO_SUCH_SORT_PROPERTY","features":[308]},{"name":"QPARSE_E_UNEXPECTED_EOS","features":[308]},{"name":"QPARSE_E_UNEXPECTED_NOT","features":[308]},{"name":"QPARSE_E_UNSUPPORTED_PROPERTY_TYPE","features":[308]},{"name":"QPARSE_E_WEIGHT_OUT_OF_RANGE","features":[308]},{"name":"QPLIST_E_BAD_GUID","features":[308]},{"name":"QPLIST_E_BYREF_USED_WITHOUT_PTRTYPE","features":[308]},{"name":"QPLIST_E_CANT_OPEN_FILE","features":[308]},{"name":"QPLIST_E_CANT_SET_PROPERTY","features":[308]},{"name":"QPLIST_E_DUPLICATE","features":[308]},{"name":"QPLIST_E_EXPECTING_CLOSE_PAREN","features":[308]},{"name":"QPLIST_E_EXPECTING_GUID","features":[308]},{"name":"QPLIST_E_EXPECTING_INTEGER","features":[308]},{"name":"QPLIST_E_EXPECTING_NAME","features":[308]},{"name":"QPLIST_E_EXPECTING_PROP_SPEC","features":[308]},{"name":"QPLIST_E_EXPECTING_TYPE","features":[308]},{"name":"QPLIST_E_READ_ERROR","features":[308]},{"name":"QPLIST_E_UNRECOGNIZED_TYPE","features":[308]},{"name":"QPLIST_E_VECTORBYREF_USED_ALONE","features":[308]},{"name":"QPLIST_S_DUPLICATE","features":[308]},{"name":"QUERY_E_ALLNOISE","features":[308]},{"name":"QUERY_E_DIR_ON_REMOVABLE_DRIVE","features":[308]},{"name":"QUERY_E_DUPLICATE_OUTPUT_COLUMN","features":[308]},{"name":"QUERY_E_FAILED","features":[308]},{"name":"QUERY_E_INVALIDCATEGORIZE","features":[308]},{"name":"QUERY_E_INVALIDQUERY","features":[308]},{"name":"QUERY_E_INVALIDRESTRICTION","features":[308]},{"name":"QUERY_E_INVALIDSORT","features":[308]},{"name":"QUERY_E_INVALID_DIRECTORY","features":[308]},{"name":"QUERY_E_INVALID_OUTPUT_COLUMN","features":[308]},{"name":"QUERY_E_TIMEDOUT","features":[308]},{"name":"QUERY_E_TOOCOMPLEX","features":[308]},{"name":"QUERY_S_NO_QUERY","features":[308]},{"name":"QUTIL_E_CANT_CONVERT_VROOT","features":[308]},{"name":"QUTIL_E_INVALID_CODEPAGE","features":[308]},{"name":"RECT","features":[308]},{"name":"RECTL","features":[308]},{"name":"REGDB_E_BADTHREADINGMODEL","features":[308]},{"name":"REGDB_E_CLASSNOTREG","features":[308]},{"name":"REGDB_E_FIRST","features":[308]},{"name":"REGDB_E_IIDNOTREG","features":[308]},{"name":"REGDB_E_INVALIDVALUE","features":[308]},{"name":"REGDB_E_KEYMISSING","features":[308]},{"name":"REGDB_E_LAST","features":[308]},{"name":"REGDB_E_PACKAGEPOLICYVIOLATION","features":[308]},{"name":"REGDB_E_READREGDB","features":[308]},{"name":"REGDB_E_WRITEREGDB","features":[308]},{"name":"REGDB_S_FIRST","features":[308]},{"name":"REGDB_S_LAST","features":[308]},{"name":"ROUTEBASE","features":[308]},{"name":"ROUTEBASEEND","features":[308]},{"name":"RO_E_BLOCKED_CROSS_ASTA_CALL","features":[308]},{"name":"RO_E_CANNOT_ACTIVATE_FULL_TRUST_SERVER","features":[308]},{"name":"RO_E_CANNOT_ACTIVATE_UNIVERSAL_APPLICATION_SERVER","features":[308]},{"name":"RO_E_CHANGE_NOTIFICATION_IN_PROGRESS","features":[308]},{"name":"RO_E_CLOSED","features":[308]},{"name":"RO_E_COMMITTED","features":[308]},{"name":"RO_E_ERROR_STRING_NOT_FOUND","features":[308]},{"name":"RO_E_EXCLUSIVE_WRITE","features":[308]},{"name":"RO_E_INVALID_METADATA_FILE","features":[308]},{"name":"RO_E_METADATA_INVALID_TYPE_FORMAT","features":[308]},{"name":"RO_E_METADATA_NAME_IS_NAMESPACE","features":[308]},{"name":"RO_E_METADATA_NAME_NOT_FOUND","features":[308]},{"name":"RO_E_MUST_BE_AGILE","features":[308]},{"name":"RO_E_UNSUPPORTED_FROM_MTA","features":[308]},{"name":"RPC_E_ACCESS_DENIED","features":[308]},{"name":"RPC_E_ATTEMPTED_MULTITHREAD","features":[308]},{"name":"RPC_E_CALL_CANCELED","features":[308]},{"name":"RPC_E_CALL_COMPLETE","features":[308]},{"name":"RPC_E_CALL_REJECTED","features":[308]},{"name":"RPC_E_CANTCALLOUT_AGAIN","features":[308]},{"name":"RPC_E_CANTCALLOUT_INASYNCCALL","features":[308]},{"name":"RPC_E_CANTCALLOUT_INEXTERNALCALL","features":[308]},{"name":"RPC_E_CANTCALLOUT_ININPUTSYNCCALL","features":[308]},{"name":"RPC_E_CANTPOST_INSENDCALL","features":[308]},{"name":"RPC_E_CANTTRANSMIT_CALL","features":[308]},{"name":"RPC_E_CHANGED_MODE","features":[308]},{"name":"RPC_E_CLIENT_CANTMARSHAL_DATA","features":[308]},{"name":"RPC_E_CLIENT_CANTUNMARSHAL_DATA","features":[308]},{"name":"RPC_E_CLIENT_DIED","features":[308]},{"name":"RPC_E_CONNECTION_TERMINATED","features":[308]},{"name":"RPC_E_DISCONNECTED","features":[308]},{"name":"RPC_E_FAULT","features":[308]},{"name":"RPC_E_FULLSIC_REQUIRED","features":[308]},{"name":"RPC_E_INVALIDMETHOD","features":[308]},{"name":"RPC_E_INVALID_CALLDATA","features":[308]},{"name":"RPC_E_INVALID_DATA","features":[308]},{"name":"RPC_E_INVALID_DATAPACKET","features":[308]},{"name":"RPC_E_INVALID_EXTENSION","features":[308]},{"name":"RPC_E_INVALID_HEADER","features":[308]},{"name":"RPC_E_INVALID_IPID","features":[308]},{"name":"RPC_E_INVALID_OBJECT","features":[308]},{"name":"RPC_E_INVALID_OBJREF","features":[308]},{"name":"RPC_E_INVALID_PARAMETER","features":[308]},{"name":"RPC_E_INVALID_STD_NAME","features":[308]},{"name":"RPC_E_NOT_REGISTERED","features":[308]},{"name":"RPC_E_NO_CONTEXT","features":[308]},{"name":"RPC_E_NO_GOOD_SECURITY_PACKAGES","features":[308]},{"name":"RPC_E_NO_SYNC","features":[308]},{"name":"RPC_E_OUT_OF_RESOURCES","features":[308]},{"name":"RPC_E_REMOTE_DISABLED","features":[308]},{"name":"RPC_E_RETRY","features":[308]},{"name":"RPC_E_SERVERCALL_REJECTED","features":[308]},{"name":"RPC_E_SERVERCALL_RETRYLATER","features":[308]},{"name":"RPC_E_SERVERFAULT","features":[308]},{"name":"RPC_E_SERVER_CANTMARSHAL_DATA","features":[308]},{"name":"RPC_E_SERVER_CANTUNMARSHAL_DATA","features":[308]},{"name":"RPC_E_SERVER_DIED","features":[308]},{"name":"RPC_E_SERVER_DIED_DNE","features":[308]},{"name":"RPC_E_SYS_CALL_FAILED","features":[308]},{"name":"RPC_E_THREAD_NOT_INIT","features":[308]},{"name":"RPC_E_TIMEOUT","features":[308]},{"name":"RPC_E_TOO_LATE","features":[308]},{"name":"RPC_E_UNEXPECTED","features":[308]},{"name":"RPC_E_UNSECURE_CALL","features":[308]},{"name":"RPC_E_VERSION_MISMATCH","features":[308]},{"name":"RPC_E_WRONG_THREAD","features":[308]},{"name":"RPC_NT_ADDRESS_ERROR","features":[308]},{"name":"RPC_NT_ALREADY_LISTENING","features":[308]},{"name":"RPC_NT_ALREADY_REGISTERED","features":[308]},{"name":"RPC_NT_BAD_STUB_DATA","features":[308]},{"name":"RPC_NT_BINDING_HAS_NO_AUTH","features":[308]},{"name":"RPC_NT_BINDING_INCOMPLETE","features":[308]},{"name":"RPC_NT_BYTE_COUNT_TOO_SMALL","features":[308]},{"name":"RPC_NT_CALL_CANCELLED","features":[308]},{"name":"RPC_NT_CALL_FAILED","features":[308]},{"name":"RPC_NT_CALL_FAILED_DNE","features":[308]},{"name":"RPC_NT_CALL_IN_PROGRESS","features":[308]},{"name":"RPC_NT_CANNOT_SUPPORT","features":[308]},{"name":"RPC_NT_CANT_CREATE_ENDPOINT","features":[308]},{"name":"RPC_NT_COMM_FAILURE","features":[308]},{"name":"RPC_NT_COOKIE_AUTH_FAILED","features":[308]},{"name":"RPC_NT_DUPLICATE_ENDPOINT","features":[308]},{"name":"RPC_NT_ENTRY_ALREADY_EXISTS","features":[308]},{"name":"RPC_NT_ENTRY_NOT_FOUND","features":[308]},{"name":"RPC_NT_ENUM_VALUE_OUT_OF_RANGE","features":[308]},{"name":"RPC_NT_FP_DIV_ZERO","features":[308]},{"name":"RPC_NT_FP_OVERFLOW","features":[308]},{"name":"RPC_NT_FP_UNDERFLOW","features":[308]},{"name":"RPC_NT_GROUP_MEMBER_NOT_FOUND","features":[308]},{"name":"RPC_NT_INCOMPLETE_NAME","features":[308]},{"name":"RPC_NT_INTERFACE_NOT_FOUND","features":[308]},{"name":"RPC_NT_INTERNAL_ERROR","features":[308]},{"name":"RPC_NT_INVALID_ASYNC_CALL","features":[308]},{"name":"RPC_NT_INVALID_ASYNC_HANDLE","features":[308]},{"name":"RPC_NT_INVALID_AUTH_IDENTITY","features":[308]},{"name":"RPC_NT_INVALID_BINDING","features":[308]},{"name":"RPC_NT_INVALID_BOUND","features":[308]},{"name":"RPC_NT_INVALID_ENDPOINT_FORMAT","features":[308]},{"name":"RPC_NT_INVALID_ES_ACTION","features":[308]},{"name":"RPC_NT_INVALID_NAF_ID","features":[308]},{"name":"RPC_NT_INVALID_NAME_SYNTAX","features":[308]},{"name":"RPC_NT_INVALID_NETWORK_OPTIONS","features":[308]},{"name":"RPC_NT_INVALID_NET_ADDR","features":[308]},{"name":"RPC_NT_INVALID_OBJECT","features":[308]},{"name":"RPC_NT_INVALID_PIPE_OBJECT","features":[308]},{"name":"RPC_NT_INVALID_PIPE_OPERATION","features":[308]},{"name":"RPC_NT_INVALID_RPC_PROTSEQ","features":[308]},{"name":"RPC_NT_INVALID_STRING_BINDING","features":[308]},{"name":"RPC_NT_INVALID_STRING_UUID","features":[308]},{"name":"RPC_NT_INVALID_TAG","features":[308]},{"name":"RPC_NT_INVALID_TIMEOUT","features":[308]},{"name":"RPC_NT_INVALID_VERS_OPTION","features":[308]},{"name":"RPC_NT_MAX_CALLS_TOO_SMALL","features":[308]},{"name":"RPC_NT_NAME_SERVICE_UNAVAILABLE","features":[308]},{"name":"RPC_NT_NOTHING_TO_EXPORT","features":[308]},{"name":"RPC_NT_NOT_ALL_OBJS_UNEXPORTED","features":[308]},{"name":"RPC_NT_NOT_CANCELLED","features":[308]},{"name":"RPC_NT_NOT_LISTENING","features":[308]},{"name":"RPC_NT_NOT_RPC_ERROR","features":[308]},{"name":"RPC_NT_NO_BINDINGS","features":[308]},{"name":"RPC_NT_NO_CALL_ACTIVE","features":[308]},{"name":"RPC_NT_NO_CONTEXT_AVAILABLE","features":[308]},{"name":"RPC_NT_NO_ENDPOINT_FOUND","features":[308]},{"name":"RPC_NT_NO_ENTRY_NAME","features":[308]},{"name":"RPC_NT_NO_INTERFACES","features":[308]},{"name":"RPC_NT_NO_MORE_BINDINGS","features":[308]},{"name":"RPC_NT_NO_MORE_ENTRIES","features":[308]},{"name":"RPC_NT_NO_MORE_MEMBERS","features":[308]},{"name":"RPC_NT_NO_PRINC_NAME","features":[308]},{"name":"RPC_NT_NO_PROTSEQS","features":[308]},{"name":"RPC_NT_NO_PROTSEQS_REGISTERED","features":[308]},{"name":"RPC_NT_NULL_REF_POINTER","features":[308]},{"name":"RPC_NT_OBJECT_NOT_FOUND","features":[308]},{"name":"RPC_NT_OUT_OF_RESOURCES","features":[308]},{"name":"RPC_NT_PIPE_CLOSED","features":[308]},{"name":"RPC_NT_PIPE_DISCIPLINE_ERROR","features":[308]},{"name":"RPC_NT_PIPE_EMPTY","features":[308]},{"name":"RPC_NT_PROCNUM_OUT_OF_RANGE","features":[308]},{"name":"RPC_NT_PROTOCOL_ERROR","features":[308]},{"name":"RPC_NT_PROTSEQ_NOT_FOUND","features":[308]},{"name":"RPC_NT_PROTSEQ_NOT_SUPPORTED","features":[308]},{"name":"RPC_NT_PROXY_ACCESS_DENIED","features":[308]},{"name":"RPC_NT_SEC_PKG_ERROR","features":[308]},{"name":"RPC_NT_SEND_INCOMPLETE","features":[308]},{"name":"RPC_NT_SERVER_TOO_BUSY","features":[308]},{"name":"RPC_NT_SERVER_UNAVAILABLE","features":[308]},{"name":"RPC_NT_SS_CANNOT_GET_CALL_HANDLE","features":[308]},{"name":"RPC_NT_SS_CHAR_TRANS_OPEN_FAIL","features":[308]},{"name":"RPC_NT_SS_CHAR_TRANS_SHORT_FILE","features":[308]},{"name":"RPC_NT_SS_CONTEXT_DAMAGED","features":[308]},{"name":"RPC_NT_SS_CONTEXT_MISMATCH","features":[308]},{"name":"RPC_NT_SS_HANDLES_MISMATCH","features":[308]},{"name":"RPC_NT_SS_IN_NULL_CONTEXT","features":[308]},{"name":"RPC_NT_STRING_TOO_LONG","features":[308]},{"name":"RPC_NT_TYPE_ALREADY_REGISTERED","features":[308]},{"name":"RPC_NT_UNKNOWN_AUTHN_LEVEL","features":[308]},{"name":"RPC_NT_UNKNOWN_AUTHN_SERVICE","features":[308]},{"name":"RPC_NT_UNKNOWN_AUTHN_TYPE","features":[308]},{"name":"RPC_NT_UNKNOWN_AUTHZ_SERVICE","features":[308]},{"name":"RPC_NT_UNKNOWN_IF","features":[308]},{"name":"RPC_NT_UNKNOWN_MGR_TYPE","features":[308]},{"name":"RPC_NT_UNSUPPORTED_AUTHN_LEVEL","features":[308]},{"name":"RPC_NT_UNSUPPORTED_NAME_SYNTAX","features":[308]},{"name":"RPC_NT_UNSUPPORTED_TRANS_SYN","features":[308]},{"name":"RPC_NT_UNSUPPORTED_TYPE","features":[308]},{"name":"RPC_NT_UUID_LOCAL_ONLY","features":[308]},{"name":"RPC_NT_UUID_NO_ADDRESS","features":[308]},{"name":"RPC_NT_WRONG_ES_VERSION","features":[308]},{"name":"RPC_NT_WRONG_KIND_OF_BINDING","features":[308]},{"name":"RPC_NT_WRONG_PIPE_VERSION","features":[308]},{"name":"RPC_NT_WRONG_STUB_VERSION","features":[308]},{"name":"RPC_NT_ZERO_DIVIDE","features":[308]},{"name":"RPC_S_ACCESS_DENIED","features":[308]},{"name":"RPC_S_ASYNC_CALL_PENDING","features":[308]},{"name":"RPC_S_BUFFER_TOO_SMALL","features":[308]},{"name":"RPC_S_CALLPENDING","features":[308]},{"name":"RPC_S_INVALID_ARG","features":[308]},{"name":"RPC_S_INVALID_LEVEL","features":[308]},{"name":"RPC_S_INVALID_SECURITY_DESC","features":[308]},{"name":"RPC_S_NOT_ENOUGH_QUOTA","features":[308]},{"name":"RPC_S_OUT_OF_MEMORY","features":[308]},{"name":"RPC_S_OUT_OF_THREADS","features":[308]},{"name":"RPC_S_SERVER_OUT_OF_MEMORY","features":[308]},{"name":"RPC_S_UNKNOWN_PRINCIPAL","features":[308]},{"name":"RPC_S_WAITONTIMER","features":[308]},{"name":"RPC_X_BAD_STUB_DATA","features":[308]},{"name":"RPC_X_BYTE_COUNT_TOO_SMALL","features":[308]},{"name":"RPC_X_ENUM_VALUE_OUT_OF_RANGE","features":[308]},{"name":"RPC_X_ENUM_VALUE_TOO_LARGE","features":[308]},{"name":"RPC_X_INVALID_BOUND","features":[308]},{"name":"RPC_X_INVALID_BUFFER","features":[308]},{"name":"RPC_X_INVALID_ES_ACTION","features":[308]},{"name":"RPC_X_INVALID_PIPE_OBJECT","features":[308]},{"name":"RPC_X_INVALID_PIPE_OPERATION","features":[308]},{"name":"RPC_X_INVALID_TAG","features":[308]},{"name":"RPC_X_NO_MEMORY","features":[308]},{"name":"RPC_X_NO_MORE_ENTRIES","features":[308]},{"name":"RPC_X_NULL_REF_POINTER","features":[308]},{"name":"RPC_X_PIPE_APP_MEMORY","features":[308]},{"name":"RPC_X_PIPE_CLOSED","features":[308]},{"name":"RPC_X_PIPE_DISCIPLINE_ERROR","features":[308]},{"name":"RPC_X_PIPE_EMPTY","features":[308]},{"name":"RPC_X_SS_CANNOT_GET_CALL_HANDLE","features":[308]},{"name":"RPC_X_SS_CHAR_TRANS_OPEN_FAIL","features":[308]},{"name":"RPC_X_SS_CHAR_TRANS_SHORT_FILE","features":[308]},{"name":"RPC_X_SS_CONTEXT_DAMAGED","features":[308]},{"name":"RPC_X_SS_CONTEXT_MISMATCH","features":[308]},{"name":"RPC_X_SS_HANDLES_MISMATCH","features":[308]},{"name":"RPC_X_SS_IN_NULL_CONTEXT","features":[308]},{"name":"RPC_X_WRONG_ES_VERSION","features":[308]},{"name":"RPC_X_WRONG_PIPE_ORDER","features":[308]},{"name":"RPC_X_WRONG_PIPE_VERSION","features":[308]},{"name":"RPC_X_WRONG_STUB_VERSION","features":[308]},{"name":"RtlNtStatusToDosError","features":[308]},{"name":"SCARD_E_BAD_SEEK","features":[308]},{"name":"SCARD_E_CANCELLED","features":[308]},{"name":"SCARD_E_CANT_DISPOSE","features":[308]},{"name":"SCARD_E_CARD_UNSUPPORTED","features":[308]},{"name":"SCARD_E_CERTIFICATE_UNAVAILABLE","features":[308]},{"name":"SCARD_E_COMM_DATA_LOST","features":[308]},{"name":"SCARD_E_DIR_NOT_FOUND","features":[308]},{"name":"SCARD_E_DUPLICATE_READER","features":[308]},{"name":"SCARD_E_FILE_NOT_FOUND","features":[308]},{"name":"SCARD_E_ICC_CREATEORDER","features":[308]},{"name":"SCARD_E_ICC_INSTALLATION","features":[308]},{"name":"SCARD_E_INSUFFICIENT_BUFFER","features":[308]},{"name":"SCARD_E_INVALID_ATR","features":[308]},{"name":"SCARD_E_INVALID_CHV","features":[308]},{"name":"SCARD_E_INVALID_HANDLE","features":[308]},{"name":"SCARD_E_INVALID_PARAMETER","features":[308]},{"name":"SCARD_E_INVALID_TARGET","features":[308]},{"name":"SCARD_E_INVALID_VALUE","features":[308]},{"name":"SCARD_E_NOT_READY","features":[308]},{"name":"SCARD_E_NOT_TRANSACTED","features":[308]},{"name":"SCARD_E_NO_ACCESS","features":[308]},{"name":"SCARD_E_NO_DIR","features":[308]},{"name":"SCARD_E_NO_FILE","features":[308]},{"name":"SCARD_E_NO_KEY_CONTAINER","features":[308]},{"name":"SCARD_E_NO_MEMORY","features":[308]},{"name":"SCARD_E_NO_PIN_CACHE","features":[308]},{"name":"SCARD_E_NO_READERS_AVAILABLE","features":[308]},{"name":"SCARD_E_NO_SERVICE","features":[308]},{"name":"SCARD_E_NO_SMARTCARD","features":[308]},{"name":"SCARD_E_NO_SUCH_CERTIFICATE","features":[308]},{"name":"SCARD_E_PCI_TOO_SMALL","features":[308]},{"name":"SCARD_E_PIN_CACHE_EXPIRED","features":[308]},{"name":"SCARD_E_PROTO_MISMATCH","features":[308]},{"name":"SCARD_E_READER_UNAVAILABLE","features":[308]},{"name":"SCARD_E_READER_UNSUPPORTED","features":[308]},{"name":"SCARD_E_READ_ONLY_CARD","features":[308]},{"name":"SCARD_E_SERVER_TOO_BUSY","features":[308]},{"name":"SCARD_E_SERVICE_STOPPED","features":[308]},{"name":"SCARD_E_SHARING_VIOLATION","features":[308]},{"name":"SCARD_E_SYSTEM_CANCELLED","features":[308]},{"name":"SCARD_E_TIMEOUT","features":[308]},{"name":"SCARD_E_UNEXPECTED","features":[308]},{"name":"SCARD_E_UNKNOWN_CARD","features":[308]},{"name":"SCARD_E_UNKNOWN_READER","features":[308]},{"name":"SCARD_E_UNKNOWN_RES_MNG","features":[308]},{"name":"SCARD_E_UNSUPPORTED_FEATURE","features":[308]},{"name":"SCARD_E_WRITE_TOO_MANY","features":[308]},{"name":"SCARD_F_COMM_ERROR","features":[308]},{"name":"SCARD_F_INTERNAL_ERROR","features":[308]},{"name":"SCARD_F_UNKNOWN_ERROR","features":[308]},{"name":"SCARD_F_WAITED_TOO_LONG","features":[308]},{"name":"SCARD_P_SHUTDOWN","features":[308]},{"name":"SCARD_W_CACHE_ITEM_NOT_FOUND","features":[308]},{"name":"SCARD_W_CACHE_ITEM_STALE","features":[308]},{"name":"SCARD_W_CACHE_ITEM_TOO_BIG","features":[308]},{"name":"SCARD_W_CANCELLED_BY_USER","features":[308]},{"name":"SCARD_W_CARD_NOT_AUTHENTICATED","features":[308]},{"name":"SCARD_W_CHV_BLOCKED","features":[308]},{"name":"SCARD_W_EOF","features":[308]},{"name":"SCARD_W_REMOVED_CARD","features":[308]},{"name":"SCARD_W_RESET_CARD","features":[308]},{"name":"SCARD_W_SECURITY_VIOLATION","features":[308]},{"name":"SCARD_W_UNPOWERED_CARD","features":[308]},{"name":"SCARD_W_UNRESPONSIVE_CARD","features":[308]},{"name":"SCARD_W_UNSUPPORTED_CARD","features":[308]},{"name":"SCARD_W_WRONG_CHV","features":[308]},{"name":"SCHED_E_ACCOUNT_DBASE_CORRUPT","features":[308]},{"name":"SCHED_E_ACCOUNT_INFORMATION_NOT_SET","features":[308]},{"name":"SCHED_E_ACCOUNT_NAME_NOT_FOUND","features":[308]},{"name":"SCHED_E_ALREADY_RUNNING","features":[308]},{"name":"SCHED_E_CANNOT_OPEN_TASK","features":[308]},{"name":"SCHED_E_DEPRECATED_FEATURE_USED","features":[308]},{"name":"SCHED_E_INVALIDVALUE","features":[308]},{"name":"SCHED_E_INVALID_TASK","features":[308]},{"name":"SCHED_E_INVALID_TASK_HASH","features":[308]},{"name":"SCHED_E_MALFORMEDXML","features":[308]},{"name":"SCHED_E_MISSINGNODE","features":[308]},{"name":"SCHED_E_NAMESPACE","features":[308]},{"name":"SCHED_E_NO_SECURITY_SERVICES","features":[308]},{"name":"SCHED_E_PAST_END_BOUNDARY","features":[308]},{"name":"SCHED_E_SERVICE_NOT_AVAILABLE","features":[308]},{"name":"SCHED_E_SERVICE_NOT_INSTALLED","features":[308]},{"name":"SCHED_E_SERVICE_NOT_LOCALSYSTEM","features":[308]},{"name":"SCHED_E_SERVICE_NOT_RUNNING","features":[308]},{"name":"SCHED_E_SERVICE_TOO_BUSY","features":[308]},{"name":"SCHED_E_START_ON_DEMAND","features":[308]},{"name":"SCHED_E_TASK_ATTEMPTED","features":[308]},{"name":"SCHED_E_TASK_DISABLED","features":[308]},{"name":"SCHED_E_TASK_NOT_READY","features":[308]},{"name":"SCHED_E_TASK_NOT_RUNNING","features":[308]},{"name":"SCHED_E_TASK_NOT_UBPM_COMPAT","features":[308]},{"name":"SCHED_E_TASK_NOT_V1_COMPAT","features":[308]},{"name":"SCHED_E_TOO_MANY_NODES","features":[308]},{"name":"SCHED_E_TRIGGER_NOT_FOUND","features":[308]},{"name":"SCHED_E_UNEXPECTEDNODE","features":[308]},{"name":"SCHED_E_UNKNOWN_OBJECT_VERSION","features":[308]},{"name":"SCHED_E_UNSUPPORTED_ACCOUNT_OPTION","features":[308]},{"name":"SCHED_E_USER_NOT_LOGGED_ON","features":[308]},{"name":"SCHED_S_BATCH_LOGON_PROBLEM","features":[308]},{"name":"SCHED_S_EVENT_TRIGGER","features":[308]},{"name":"SCHED_S_SOME_TRIGGERS_FAILED","features":[308]},{"name":"SCHED_S_TASK_DISABLED","features":[308]},{"name":"SCHED_S_TASK_HAS_NOT_RUN","features":[308]},{"name":"SCHED_S_TASK_NOT_SCHEDULED","features":[308]},{"name":"SCHED_S_TASK_NO_MORE_RUNS","features":[308]},{"name":"SCHED_S_TASK_NO_VALID_TRIGGERS","features":[308]},{"name":"SCHED_S_TASK_QUEUED","features":[308]},{"name":"SCHED_S_TASK_READY","features":[308]},{"name":"SCHED_S_TASK_RUNNING","features":[308]},{"name":"SCHED_S_TASK_TERMINATED","features":[308]},{"name":"SDIAG_E_CANCELLED","features":[308]},{"name":"SDIAG_E_CANNOTRUN","features":[308]},{"name":"SDIAG_E_DISABLED","features":[308]},{"name":"SDIAG_E_MANAGEDHOST","features":[308]},{"name":"SDIAG_E_NOVERIFIER","features":[308]},{"name":"SDIAG_E_POWERSHELL","features":[308]},{"name":"SDIAG_E_RESOURCE","features":[308]},{"name":"SDIAG_E_ROOTCAUSE","features":[308]},{"name":"SDIAG_E_SCRIPT","features":[308]},{"name":"SDIAG_E_TRUST","features":[308]},{"name":"SDIAG_E_VERSION","features":[308]},{"name":"SDIAG_S_CANNOTRUN","features":[308]},{"name":"SEARCH_E_NOMONIKER","features":[308]},{"name":"SEARCH_E_NOREGION","features":[308]},{"name":"SEARCH_S_NOMOREHITS","features":[308]},{"name":"SEC_E_ALGORITHM_MISMATCH","features":[308]},{"name":"SEC_E_APPLICATION_PROTOCOL_MISMATCH","features":[308]},{"name":"SEC_E_BAD_BINDINGS","features":[308]},{"name":"SEC_E_BAD_PKGID","features":[308]},{"name":"SEC_E_BUFFER_TOO_SMALL","features":[308]},{"name":"SEC_E_CANNOT_INSTALL","features":[308]},{"name":"SEC_E_CANNOT_PACK","features":[308]},{"name":"SEC_E_CERT_EXPIRED","features":[308]},{"name":"SEC_E_CERT_UNKNOWN","features":[308]},{"name":"SEC_E_CERT_WRONG_USAGE","features":[308]},{"name":"SEC_E_CONTEXT_EXPIRED","features":[308]},{"name":"SEC_E_CROSSREALM_DELEGATION_FAILURE","features":[308]},{"name":"SEC_E_CRYPTO_SYSTEM_INVALID","features":[308]},{"name":"SEC_E_DECRYPT_FAILURE","features":[308]},{"name":"SEC_E_DELEGATION_POLICY","features":[308]},{"name":"SEC_E_DELEGATION_REQUIRED","features":[308]},{"name":"SEC_E_DOWNGRADE_DETECTED","features":[308]},{"name":"SEC_E_ENCRYPT_FAILURE","features":[308]},{"name":"SEC_E_EXT_BUFFER_TOO_SMALL","features":[308]},{"name":"SEC_E_ILLEGAL_MESSAGE","features":[308]},{"name":"SEC_E_INCOMPLETE_CREDENTIALS","features":[308]},{"name":"SEC_E_INCOMPLETE_MESSAGE","features":[308]},{"name":"SEC_E_INSUFFICIENT_BUFFERS","features":[308]},{"name":"SEC_E_INSUFFICIENT_MEMORY","features":[308]},{"name":"SEC_E_INTERNAL_ERROR","features":[308]},{"name":"SEC_E_INVALID_HANDLE","features":[308]},{"name":"SEC_E_INVALID_PARAMETER","features":[308]},{"name":"SEC_E_INVALID_TOKEN","features":[308]},{"name":"SEC_E_INVALID_UPN_NAME","features":[308]},{"name":"SEC_E_ISSUING_CA_UNTRUSTED","features":[308]},{"name":"SEC_E_ISSUING_CA_UNTRUSTED_KDC","features":[308]},{"name":"SEC_E_KDC_CERT_EXPIRED","features":[308]},{"name":"SEC_E_KDC_CERT_REVOKED","features":[308]},{"name":"SEC_E_KDC_INVALID_REQUEST","features":[308]},{"name":"SEC_E_KDC_UNABLE_TO_REFER","features":[308]},{"name":"SEC_E_KDC_UNKNOWN_ETYPE","features":[308]},{"name":"SEC_E_LOGON_DENIED","features":[308]},{"name":"SEC_E_MAX_REFERRALS_EXCEEDED","features":[308]},{"name":"SEC_E_MESSAGE_ALTERED","features":[308]},{"name":"SEC_E_MULTIPLE_ACCOUNTS","features":[308]},{"name":"SEC_E_MUST_BE_KDC","features":[308]},{"name":"SEC_E_MUTUAL_AUTH_FAILED","features":[308]},{"name":"SEC_E_NOT_OWNER","features":[308]},{"name":"SEC_E_NOT_SUPPORTED","features":[308]},{"name":"SEC_E_NO_AUTHENTICATING_AUTHORITY","features":[308]},{"name":"SEC_E_NO_CONTEXT","features":[308]},{"name":"SEC_E_NO_CREDENTIALS","features":[308]},{"name":"SEC_E_NO_IMPERSONATION","features":[308]},{"name":"SEC_E_NO_IP_ADDRESSES","features":[308]},{"name":"SEC_E_NO_KERB_KEY","features":[308]},{"name":"SEC_E_NO_PA_DATA","features":[308]},{"name":"SEC_E_NO_S4U_PROT_SUPPORT","features":[308]},{"name":"SEC_E_NO_SPM","features":[308]},{"name":"SEC_E_NO_TGT_REPLY","features":[308]},{"name":"SEC_E_OK","features":[308]},{"name":"SEC_E_ONLY_HTTPS_ALLOWED","features":[308]},{"name":"SEC_E_OUT_OF_SEQUENCE","features":[308]},{"name":"SEC_E_PKINIT_CLIENT_FAILURE","features":[308]},{"name":"SEC_E_PKINIT_NAME_MISMATCH","features":[308]},{"name":"SEC_E_PKU2U_CERT_FAILURE","features":[308]},{"name":"SEC_E_POLICY_NLTM_ONLY","features":[308]},{"name":"SEC_E_QOP_NOT_SUPPORTED","features":[308]},{"name":"SEC_E_REVOCATION_OFFLINE_C","features":[308]},{"name":"SEC_E_REVOCATION_OFFLINE_KDC","features":[308]},{"name":"SEC_E_SECPKG_NOT_FOUND","features":[308]},{"name":"SEC_E_SECURITY_QOS_FAILED","features":[308]},{"name":"SEC_E_SHUTDOWN_IN_PROGRESS","features":[308]},{"name":"SEC_E_SMARTCARD_CERT_EXPIRED","features":[308]},{"name":"SEC_E_SMARTCARD_CERT_REVOKED","features":[308]},{"name":"SEC_E_SMARTCARD_LOGON_REQUIRED","features":[308]},{"name":"SEC_E_STRONG_CRYPTO_NOT_SUPPORTED","features":[308]},{"name":"SEC_E_TARGET_UNKNOWN","features":[308]},{"name":"SEC_E_TIME_SKEW","features":[308]},{"name":"SEC_E_TOO_MANY_PRINCIPALS","features":[308]},{"name":"SEC_E_UNFINISHED_CONTEXT_DELETED","features":[308]},{"name":"SEC_E_UNKNOWN_CREDENTIALS","features":[308]},{"name":"SEC_E_UNSUPPORTED_FUNCTION","features":[308]},{"name":"SEC_E_UNSUPPORTED_PREAUTH","features":[308]},{"name":"SEC_E_UNTRUSTED_ROOT","features":[308]},{"name":"SEC_E_WRONG_CREDENTIAL_HANDLE","features":[308]},{"name":"SEC_E_WRONG_PRINCIPAL","features":[308]},{"name":"SEC_I_ASYNC_CALL_PENDING","features":[308]},{"name":"SEC_I_COMPLETE_AND_CONTINUE","features":[308]},{"name":"SEC_I_COMPLETE_NEEDED","features":[308]},{"name":"SEC_I_CONTEXT_EXPIRED","features":[308]},{"name":"SEC_I_CONTINUE_NEEDED","features":[308]},{"name":"SEC_I_CONTINUE_NEEDED_MESSAGE_OK","features":[308]},{"name":"SEC_I_GENERIC_EXTENSION_RECEIVED","features":[308]},{"name":"SEC_I_INCOMPLETE_CREDENTIALS","features":[308]},{"name":"SEC_I_LOCAL_LOGON","features":[308]},{"name":"SEC_I_MESSAGE_FRAGMENT","features":[308]},{"name":"SEC_I_NO_LSA_CONTEXT","features":[308]},{"name":"SEC_I_NO_RENEGOTIATION","features":[308]},{"name":"SEC_I_RENEGOTIATE","features":[308]},{"name":"SEC_I_SIGNATURE_NEEDED","features":[308]},{"name":"SEVERITY_ERROR","features":[308]},{"name":"SEVERITY_SUCCESS","features":[308]},{"name":"SHANDLE_PTR","features":[308]},{"name":"SIZE","features":[308]},{"name":"SPAPI_E_AUTHENTICODE_DISALLOWED","features":[308]},{"name":"SPAPI_E_AUTHENTICODE_PUBLISHER_NOT_TRUSTED","features":[308]},{"name":"SPAPI_E_AUTHENTICODE_TRUSTED_PUBLISHER","features":[308]},{"name":"SPAPI_E_AUTHENTICODE_TRUST_NOT_ESTABLISHED","features":[308]},{"name":"SPAPI_E_BAD_INTERFACE_INSTALLSECT","features":[308]},{"name":"SPAPI_E_BAD_SECTION_NAME_LINE","features":[308]},{"name":"SPAPI_E_BAD_SERVICE_INSTALLSECT","features":[308]},{"name":"SPAPI_E_CANT_LOAD_CLASS_ICON","features":[308]},{"name":"SPAPI_E_CANT_REMOVE_DEVINST","features":[308]},{"name":"SPAPI_E_CLASS_MISMATCH","features":[308]},{"name":"SPAPI_E_DEVICE_INSTALLER_NOT_READY","features":[308]},{"name":"SPAPI_E_DEVICE_INSTALL_BLOCKED","features":[308]},{"name":"SPAPI_E_DEVICE_INTERFACE_ACTIVE","features":[308]},{"name":"SPAPI_E_DEVICE_INTERFACE_REMOVED","features":[308]},{"name":"SPAPI_E_DEVINFO_DATA_LOCKED","features":[308]},{"name":"SPAPI_E_DEVINFO_LIST_LOCKED","features":[308]},{"name":"SPAPI_E_DEVINFO_NOT_REGISTERED","features":[308]},{"name":"SPAPI_E_DEVINSTALL_QUEUE_NONNATIVE","features":[308]},{"name":"SPAPI_E_DEVINST_ALREADY_EXISTS","features":[308]},{"name":"SPAPI_E_DI_BAD_PATH","features":[308]},{"name":"SPAPI_E_DI_DONT_INSTALL","features":[308]},{"name":"SPAPI_E_DI_DO_DEFAULT","features":[308]},{"name":"SPAPI_E_DI_FUNCTION_OBSOLETE","features":[308]},{"name":"SPAPI_E_DI_NOFILECOPY","features":[308]},{"name":"SPAPI_E_DI_POSTPROCESSING_REQUIRED","features":[308]},{"name":"SPAPI_E_DRIVER_INSTALL_BLOCKED","features":[308]},{"name":"SPAPI_E_DRIVER_NONNATIVE","features":[308]},{"name":"SPAPI_E_DRIVER_STORE_ADD_FAILED","features":[308]},{"name":"SPAPI_E_DRIVER_STORE_DELETE_FAILED","features":[308]},{"name":"SPAPI_E_DUPLICATE_FOUND","features":[308]},{"name":"SPAPI_E_ERROR_NOT_INSTALLED","features":[308]},{"name":"SPAPI_E_EXPECTED_SECTION_NAME","features":[308]},{"name":"SPAPI_E_FILEQUEUE_LOCKED","features":[308]},{"name":"SPAPI_E_FILE_HASH_NOT_IN_CATALOG","features":[308]},{"name":"SPAPI_E_GENERAL_SYNTAX","features":[308]},{"name":"SPAPI_E_INCORRECTLY_COPIED_INF","features":[308]},{"name":"SPAPI_E_INF_IN_USE_BY_DEVICES","features":[308]},{"name":"SPAPI_E_INVALID_CLASS","features":[308]},{"name":"SPAPI_E_INVALID_CLASS_INSTALLER","features":[308]},{"name":"SPAPI_E_INVALID_COINSTALLER","features":[308]},{"name":"SPAPI_E_INVALID_DEVINST_NAME","features":[308]},{"name":"SPAPI_E_INVALID_FILTER_DRIVER","features":[308]},{"name":"SPAPI_E_INVALID_HWPROFILE","features":[308]},{"name":"SPAPI_E_INVALID_INF_LOGCONFIG","features":[308]},{"name":"SPAPI_E_INVALID_MACHINENAME","features":[308]},{"name":"SPAPI_E_INVALID_PROPPAGE_PROVIDER","features":[308]},{"name":"SPAPI_E_INVALID_REFERENCE_STRING","features":[308]},{"name":"SPAPI_E_INVALID_REG_PROPERTY","features":[308]},{"name":"SPAPI_E_INVALID_TARGET","features":[308]},{"name":"SPAPI_E_IN_WOW64","features":[308]},{"name":"SPAPI_E_KEY_DOES_NOT_EXIST","features":[308]},{"name":"SPAPI_E_LINE_NOT_FOUND","features":[308]},{"name":"SPAPI_E_MACHINE_UNAVAILABLE","features":[308]},{"name":"SPAPI_E_NON_WINDOWS_DRIVER","features":[308]},{"name":"SPAPI_E_NON_WINDOWS_NT_DRIVER","features":[308]},{"name":"SPAPI_E_NOT_AN_INSTALLED_OEM_INF","features":[308]},{"name":"SPAPI_E_NOT_DISABLEABLE","features":[308]},{"name":"SPAPI_E_NO_ASSOCIATED_CLASS","features":[308]},{"name":"SPAPI_E_NO_ASSOCIATED_SERVICE","features":[308]},{"name":"SPAPI_E_NO_AUTHENTICODE_CATALOG","features":[308]},{"name":"SPAPI_E_NO_BACKUP","features":[308]},{"name":"SPAPI_E_NO_CATALOG_FOR_OEM_INF","features":[308]},{"name":"SPAPI_E_NO_CLASSINSTALL_PARAMS","features":[308]},{"name":"SPAPI_E_NO_CLASS_DRIVER_LIST","features":[308]},{"name":"SPAPI_E_NO_COMPAT_DRIVERS","features":[308]},{"name":"SPAPI_E_NO_CONFIGMGR_SERVICES","features":[308]},{"name":"SPAPI_E_NO_DEFAULT_DEVICE_INTERFACE","features":[308]},{"name":"SPAPI_E_NO_DEVICE_ICON","features":[308]},{"name":"SPAPI_E_NO_DEVICE_SELECTED","features":[308]},{"name":"SPAPI_E_NO_DRIVER_SELECTED","features":[308]},{"name":"SPAPI_E_NO_INF","features":[308]},{"name":"SPAPI_E_NO_SUCH_DEVICE_INTERFACE","features":[308]},{"name":"SPAPI_E_NO_SUCH_DEVINST","features":[308]},{"name":"SPAPI_E_NO_SUCH_INTERFACE_CLASS","features":[308]},{"name":"SPAPI_E_ONLY_VALIDATE_VIA_AUTHENTICODE","features":[308]},{"name":"SPAPI_E_PNP_REGISTRY_ERROR","features":[308]},{"name":"SPAPI_E_REMOTE_COMM_FAILURE","features":[308]},{"name":"SPAPI_E_REMOTE_REQUEST_UNSUPPORTED","features":[308]},{"name":"SPAPI_E_SCE_DISABLED","features":[308]},{"name":"SPAPI_E_SECTION_NAME_TOO_LONG","features":[308]},{"name":"SPAPI_E_SECTION_NOT_FOUND","features":[308]},{"name":"SPAPI_E_SET_SYSTEM_RESTORE_POINT","features":[308]},{"name":"SPAPI_E_SIGNATURE_OSATTRIBUTE_MISMATCH","features":[308]},{"name":"SPAPI_E_UNKNOWN_EXCEPTION","features":[308]},{"name":"SPAPI_E_UNRECOVERABLE_STACK_OVERFLOW","features":[308]},{"name":"SPAPI_E_WRONG_INF_STYLE","features":[308]},{"name":"SPAPI_E_WRONG_INF_TYPE","features":[308]},{"name":"SQLITE_E_ABORT","features":[308]},{"name":"SQLITE_E_ABORT_ROLLBACK","features":[308]},{"name":"SQLITE_E_AUTH","features":[308]},{"name":"SQLITE_E_BUSY","features":[308]},{"name":"SQLITE_E_BUSY_RECOVERY","features":[308]},{"name":"SQLITE_E_BUSY_SNAPSHOT","features":[308]},{"name":"SQLITE_E_CANTOPEN","features":[308]},{"name":"SQLITE_E_CANTOPEN_CONVPATH","features":[308]},{"name":"SQLITE_E_CANTOPEN_FULLPATH","features":[308]},{"name":"SQLITE_E_CANTOPEN_ISDIR","features":[308]},{"name":"SQLITE_E_CANTOPEN_NOTEMPDIR","features":[308]},{"name":"SQLITE_E_CONSTRAINT","features":[308]},{"name":"SQLITE_E_CONSTRAINT_CHECK","features":[308]},{"name":"SQLITE_E_CONSTRAINT_COMMITHOOK","features":[308]},{"name":"SQLITE_E_CONSTRAINT_FOREIGNKEY","features":[308]},{"name":"SQLITE_E_CONSTRAINT_FUNCTION","features":[308]},{"name":"SQLITE_E_CONSTRAINT_NOTNULL","features":[308]},{"name":"SQLITE_E_CONSTRAINT_PRIMARYKEY","features":[308]},{"name":"SQLITE_E_CONSTRAINT_ROWID","features":[308]},{"name":"SQLITE_E_CONSTRAINT_TRIGGER","features":[308]},{"name":"SQLITE_E_CONSTRAINT_UNIQUE","features":[308]},{"name":"SQLITE_E_CONSTRAINT_VTAB","features":[308]},{"name":"SQLITE_E_CORRUPT","features":[308]},{"name":"SQLITE_E_CORRUPT_VTAB","features":[308]},{"name":"SQLITE_E_DONE","features":[308]},{"name":"SQLITE_E_EMPTY","features":[308]},{"name":"SQLITE_E_ERROR","features":[308]},{"name":"SQLITE_E_FORMAT","features":[308]},{"name":"SQLITE_E_FULL","features":[308]},{"name":"SQLITE_E_INTERNAL","features":[308]},{"name":"SQLITE_E_INTERRUPT","features":[308]},{"name":"SQLITE_E_IOERR","features":[308]},{"name":"SQLITE_E_IOERR_ACCESS","features":[308]},{"name":"SQLITE_E_IOERR_AUTH","features":[308]},{"name":"SQLITE_E_IOERR_BLOCKED","features":[308]},{"name":"SQLITE_E_IOERR_CHECKRESERVEDLOCK","features":[308]},{"name":"SQLITE_E_IOERR_CLOSE","features":[308]},{"name":"SQLITE_E_IOERR_CONVPATH","features":[308]},{"name":"SQLITE_E_IOERR_DELETE","features":[308]},{"name":"SQLITE_E_IOERR_DELETE_NOENT","features":[308]},{"name":"SQLITE_E_IOERR_DIR_CLOSE","features":[308]},{"name":"SQLITE_E_IOERR_DIR_FSYNC","features":[308]},{"name":"SQLITE_E_IOERR_FSTAT","features":[308]},{"name":"SQLITE_E_IOERR_FSYNC","features":[308]},{"name":"SQLITE_E_IOERR_GETTEMPPATH","features":[308]},{"name":"SQLITE_E_IOERR_LOCK","features":[308]},{"name":"SQLITE_E_IOERR_MMAP","features":[308]},{"name":"SQLITE_E_IOERR_NOMEM","features":[308]},{"name":"SQLITE_E_IOERR_RDLOCK","features":[308]},{"name":"SQLITE_E_IOERR_READ","features":[308]},{"name":"SQLITE_E_IOERR_SEEK","features":[308]},{"name":"SQLITE_E_IOERR_SHMLOCK","features":[308]},{"name":"SQLITE_E_IOERR_SHMMAP","features":[308]},{"name":"SQLITE_E_IOERR_SHMOPEN","features":[308]},{"name":"SQLITE_E_IOERR_SHMSIZE","features":[308]},{"name":"SQLITE_E_IOERR_SHORT_READ","features":[308]},{"name":"SQLITE_E_IOERR_TRUNCATE","features":[308]},{"name":"SQLITE_E_IOERR_UNLOCK","features":[308]},{"name":"SQLITE_E_IOERR_VNODE","features":[308]},{"name":"SQLITE_E_IOERR_WRITE","features":[308]},{"name":"SQLITE_E_LOCKED","features":[308]},{"name":"SQLITE_E_LOCKED_SHAREDCACHE","features":[308]},{"name":"SQLITE_E_MISMATCH","features":[308]},{"name":"SQLITE_E_MISUSE","features":[308]},{"name":"SQLITE_E_NOLFS","features":[308]},{"name":"SQLITE_E_NOMEM","features":[308]},{"name":"SQLITE_E_NOTADB","features":[308]},{"name":"SQLITE_E_NOTFOUND","features":[308]},{"name":"SQLITE_E_NOTICE","features":[308]},{"name":"SQLITE_E_NOTICE_RECOVER_ROLLBACK","features":[308]},{"name":"SQLITE_E_NOTICE_RECOVER_WAL","features":[308]},{"name":"SQLITE_E_PERM","features":[308]},{"name":"SQLITE_E_PROTOCOL","features":[308]},{"name":"SQLITE_E_RANGE","features":[308]},{"name":"SQLITE_E_READONLY","features":[308]},{"name":"SQLITE_E_READONLY_CANTLOCK","features":[308]},{"name":"SQLITE_E_READONLY_DBMOVED","features":[308]},{"name":"SQLITE_E_READONLY_RECOVERY","features":[308]},{"name":"SQLITE_E_READONLY_ROLLBACK","features":[308]},{"name":"SQLITE_E_ROW","features":[308]},{"name":"SQLITE_E_SCHEMA","features":[308]},{"name":"SQLITE_E_TOOBIG","features":[308]},{"name":"SQLITE_E_WARNING","features":[308]},{"name":"SQLITE_E_WARNING_AUTOINDEX","features":[308]},{"name":"STATEREPOSITORY_ERROR_CACHE_CORRUPTED","features":[308]},{"name":"STATEREPOSITORY_ERROR_DICTIONARY_CORRUPTED","features":[308]},{"name":"STATEREPOSITORY_E_BLOCKED","features":[308]},{"name":"STATEREPOSITORY_E_BUSY_RECOVERY_RETRY","features":[308]},{"name":"STATEREPOSITORY_E_BUSY_RECOVERY_TIMEOUT_EXCEEDED","features":[308]},{"name":"STATEREPOSITORY_E_BUSY_RETRY","features":[308]},{"name":"STATEREPOSITORY_E_BUSY_TIMEOUT_EXCEEDED","features":[308]},{"name":"STATEREPOSITORY_E_CACHE_NOT_INIITALIZED","features":[308]},{"name":"STATEREPOSITORY_E_CONCURRENCY_LOCKING_FAILURE","features":[308]},{"name":"STATEREPOSITORY_E_CONFIGURATION_INVALID","features":[308]},{"name":"STATEREPOSITORY_E_DEPENDENCY_NOT_RESOLVED","features":[308]},{"name":"STATEREPOSITORY_E_LOCKED_RETRY","features":[308]},{"name":"STATEREPOSITORY_E_LOCKED_SHAREDCACHE_RETRY","features":[308]},{"name":"STATEREPOSITORY_E_LOCKED_SHAREDCACHE_TIMEOUT_EXCEEDED","features":[308]},{"name":"STATEREPOSITORY_E_LOCKED_TIMEOUT_EXCEEDED","features":[308]},{"name":"STATEREPOSITORY_E_SERVICE_STOP_IN_PROGRESS","features":[308]},{"name":"STATEREPOSITORY_E_STATEMENT_INPROGRESS","features":[308]},{"name":"STATEREPOSITORY_E_TRANSACTION_REQUIRED","features":[308]},{"name":"STATEREPOSITORY_E_UNKNOWN_SCHEMA_VERSION","features":[308]},{"name":"STATEREPOSITORY_TRANSACTION_CALLER_ID_CHANGED","features":[308]},{"name":"STATEREPOSITORY_TRANSACTION_IN_PROGRESS","features":[308]},{"name":"STATEREPOSTORY_E_NESTED_TRANSACTION_NOT_SUPPORTED","features":[308]},{"name":"STATUS_ABANDONED","features":[308]},{"name":"STATUS_ABANDONED_WAIT_0","features":[308]},{"name":"STATUS_ABANDONED_WAIT_63","features":[308]},{"name":"STATUS_ABANDON_HIBERFILE","features":[308]},{"name":"STATUS_ABIOS_INVALID_COMMAND","features":[308]},{"name":"STATUS_ABIOS_INVALID_LID","features":[308]},{"name":"STATUS_ABIOS_INVALID_SELECTOR","features":[308]},{"name":"STATUS_ABIOS_LID_ALREADY_OWNED","features":[308]},{"name":"STATUS_ABIOS_LID_NOT_EXIST","features":[308]},{"name":"STATUS_ABIOS_NOT_LID_OWNER","features":[308]},{"name":"STATUS_ABIOS_NOT_PRESENT","features":[308]},{"name":"STATUS_ABIOS_SELECTOR_NOT_AVAILABLE","features":[308]},{"name":"STATUS_ACCESS_AUDIT_BY_POLICY","features":[308]},{"name":"STATUS_ACCESS_DENIED","features":[308]},{"name":"STATUS_ACCESS_DISABLED_BY_POLICY_DEFAULT","features":[308]},{"name":"STATUS_ACCESS_DISABLED_BY_POLICY_OTHER","features":[308]},{"name":"STATUS_ACCESS_DISABLED_BY_POLICY_PATH","features":[308]},{"name":"STATUS_ACCESS_DISABLED_BY_POLICY_PUBLISHER","features":[308]},{"name":"STATUS_ACCESS_DISABLED_NO_SAFER_UI_BY_POLICY","features":[308]},{"name":"STATUS_ACCESS_VIOLATION","features":[308]},{"name":"STATUS_ACPI_ACQUIRE_GLOBAL_LOCK","features":[308]},{"name":"STATUS_ACPI_ADDRESS_NOT_MAPPED","features":[308]},{"name":"STATUS_ACPI_ALREADY_INITIALIZED","features":[308]},{"name":"STATUS_ACPI_ASSERT_FAILED","features":[308]},{"name":"STATUS_ACPI_FATAL","features":[308]},{"name":"STATUS_ACPI_HANDLER_COLLISION","features":[308]},{"name":"STATUS_ACPI_INCORRECT_ARGUMENT_COUNT","features":[308]},{"name":"STATUS_ACPI_INVALID_ACCESS_SIZE","features":[308]},{"name":"STATUS_ACPI_INVALID_ARGTYPE","features":[308]},{"name":"STATUS_ACPI_INVALID_ARGUMENT","features":[308]},{"name":"STATUS_ACPI_INVALID_DATA","features":[308]},{"name":"STATUS_ACPI_INVALID_EVENTTYPE","features":[308]},{"name":"STATUS_ACPI_INVALID_INDEX","features":[308]},{"name":"STATUS_ACPI_INVALID_MUTEX_LEVEL","features":[308]},{"name":"STATUS_ACPI_INVALID_OBJTYPE","features":[308]},{"name":"STATUS_ACPI_INVALID_OPCODE","features":[308]},{"name":"STATUS_ACPI_INVALID_REGION","features":[308]},{"name":"STATUS_ACPI_INVALID_SUPERNAME","features":[308]},{"name":"STATUS_ACPI_INVALID_TABLE","features":[308]},{"name":"STATUS_ACPI_INVALID_TARGETTYPE","features":[308]},{"name":"STATUS_ACPI_MUTEX_NOT_OWNED","features":[308]},{"name":"STATUS_ACPI_MUTEX_NOT_OWNER","features":[308]},{"name":"STATUS_ACPI_NOT_INITIALIZED","features":[308]},{"name":"STATUS_ACPI_POWER_REQUEST_FAILED","features":[308]},{"name":"STATUS_ACPI_REG_HANDLER_FAILED","features":[308]},{"name":"STATUS_ACPI_RS_ACCESS","features":[308]},{"name":"STATUS_ACPI_STACK_OVERFLOW","features":[308]},{"name":"STATUS_ADAPTER_HARDWARE_ERROR","features":[308]},{"name":"STATUS_ADDRESS_ALREADY_ASSOCIATED","features":[308]},{"name":"STATUS_ADDRESS_ALREADY_EXISTS","features":[308]},{"name":"STATUS_ADDRESS_CLOSED","features":[308]},{"name":"STATUS_ADDRESS_NOT_ASSOCIATED","features":[308]},{"name":"STATUS_ADMINLESS_ACCESS_DENIED","features":[308]},{"name":"STATUS_ADVANCED_INSTALLER_FAILED","features":[308]},{"name":"STATUS_AGENTS_EXHAUSTED","features":[308]},{"name":"STATUS_ALERTED","features":[308]},{"name":"STATUS_ALIAS_EXISTS","features":[308]},{"name":"STATUS_ALLOCATE_BUCKET","features":[308]},{"name":"STATUS_ALLOTTED_SPACE_EXCEEDED","features":[308]},{"name":"STATUS_ALL_SIDS_FILTERED","features":[308]},{"name":"STATUS_ALL_USER_TRUST_QUOTA_EXCEEDED","features":[308]},{"name":"STATUS_ALPC_CHECK_COMPLETION_LIST","features":[308]},{"name":"STATUS_ALREADY_COMMITTED","features":[308]},{"name":"STATUS_ALREADY_COMPLETE","features":[308]},{"name":"STATUS_ALREADY_DISCONNECTED","features":[308]},{"name":"STATUS_ALREADY_HAS_STREAM_ID","features":[308]},{"name":"STATUS_ALREADY_INITIALIZED","features":[308]},{"name":"STATUS_ALREADY_REGISTERED","features":[308]},{"name":"STATUS_ALREADY_WIN32","features":[308]},{"name":"STATUS_AMBIGUOUS_SYSTEM_DEVICE","features":[308]},{"name":"STATUS_APC_RETURNED_WHILE_IMPERSONATING","features":[308]},{"name":"STATUS_APISET_NOT_HOSTED","features":[308]},{"name":"STATUS_APISET_NOT_PRESENT","features":[308]},{"name":"STATUS_APPEXEC_APP_COMPAT_BLOCK","features":[308]},{"name":"STATUS_APPEXEC_CALLER_WAIT_TIMEOUT","features":[308]},{"name":"STATUS_APPEXEC_CALLER_WAIT_TIMEOUT_LICENSING","features":[308]},{"name":"STATUS_APPEXEC_CALLER_WAIT_TIMEOUT_RESOURCES","features":[308]},{"name":"STATUS_APPEXEC_CALLER_WAIT_TIMEOUT_TERMINATION","features":[308]},{"name":"STATUS_APPEXEC_CONDITION_NOT_SATISFIED","features":[308]},{"name":"STATUS_APPEXEC_HANDLE_INVALIDATED","features":[308]},{"name":"STATUS_APPEXEC_HOST_ID_MISMATCH","features":[308]},{"name":"STATUS_APPEXEC_INVALID_HOST_GENERATION","features":[308]},{"name":"STATUS_APPEXEC_INVALID_HOST_STATE","features":[308]},{"name":"STATUS_APPEXEC_NO_DONOR","features":[308]},{"name":"STATUS_APPEXEC_UNEXPECTED_PROCESS_REGISTRATION","features":[308]},{"name":"STATUS_APPEXEC_UNKNOWN_USER","features":[308]},{"name":"STATUS_APPHELP_BLOCK","features":[308]},{"name":"STATUS_APPX_FILE_NOT_ENCRYPTED","features":[308]},{"name":"STATUS_APPX_INTEGRITY_FAILURE_CLR_NGEN","features":[308]},{"name":"STATUS_APP_DATA_CORRUPT","features":[308]},{"name":"STATUS_APP_DATA_EXPIRED","features":[308]},{"name":"STATUS_APP_DATA_LIMIT_EXCEEDED","features":[308]},{"name":"STATUS_APP_DATA_NOT_FOUND","features":[308]},{"name":"STATUS_APP_DATA_REBOOT_REQUIRED","features":[308]},{"name":"STATUS_APP_INIT_FAILURE","features":[308]},{"name":"STATUS_ARBITRATION_UNHANDLED","features":[308]},{"name":"STATUS_ARRAY_BOUNDS_EXCEEDED","features":[308]},{"name":"STATUS_ASSERTION_FAILURE","features":[308]},{"name":"STATUS_ATTACHED_EXECUTABLE_MEMORY_WRITE","features":[308]},{"name":"STATUS_ATTRIBUTE_NOT_PRESENT","features":[308]},{"name":"STATUS_AUDIO_ENGINE_NODE_NOT_FOUND","features":[308]},{"name":"STATUS_AUDITING_DISABLED","features":[308]},{"name":"STATUS_AUDIT_FAILED","features":[308]},{"name":"STATUS_AUTHIP_FAILURE","features":[308]},{"name":"STATUS_AUTH_TAG_MISMATCH","features":[308]},{"name":"STATUS_BACKUP_CONTROLLER","features":[308]},{"name":"STATUS_BAD_BINDINGS","features":[308]},{"name":"STATUS_BAD_CLUSTERS","features":[308]},{"name":"STATUS_BAD_COMPRESSION_BUFFER","features":[308]},{"name":"STATUS_BAD_CURRENT_DIRECTORY","features":[308]},{"name":"STATUS_BAD_DATA","features":[308]},{"name":"STATUS_BAD_DESCRIPTOR_FORMAT","features":[308]},{"name":"STATUS_BAD_DEVICE_TYPE","features":[308]},{"name":"STATUS_BAD_DLL_ENTRYPOINT","features":[308]},{"name":"STATUS_BAD_FILE_TYPE","features":[308]},{"name":"STATUS_BAD_FUNCTION_TABLE","features":[308]},{"name":"STATUS_BAD_IMPERSONATION_LEVEL","features":[308]},{"name":"STATUS_BAD_INHERITANCE_ACL","features":[308]},{"name":"STATUS_BAD_INITIAL_PC","features":[308]},{"name":"STATUS_BAD_INITIAL_STACK","features":[308]},{"name":"STATUS_BAD_KEY","features":[308]},{"name":"STATUS_BAD_LOGON_SESSION_STATE","features":[308]},{"name":"STATUS_BAD_MASTER_BOOT_RECORD","features":[308]},{"name":"STATUS_BAD_MCFG_TABLE","features":[308]},{"name":"STATUS_BAD_NETWORK_NAME","features":[308]},{"name":"STATUS_BAD_NETWORK_PATH","features":[308]},{"name":"STATUS_BAD_REMOTE_ADAPTER","features":[308]},{"name":"STATUS_BAD_SERVICE_ENTRYPOINT","features":[308]},{"name":"STATUS_BAD_STACK","features":[308]},{"name":"STATUS_BAD_TOKEN_TYPE","features":[308]},{"name":"STATUS_BAD_VALIDATION_CLASS","features":[308]},{"name":"STATUS_BAD_WORKING_SET_LIMIT","features":[308]},{"name":"STATUS_BCD_NOT_ALL_ENTRIES_IMPORTED","features":[308]},{"name":"STATUS_BCD_NOT_ALL_ENTRIES_SYNCHRONIZED","features":[308]},{"name":"STATUS_BCD_TOO_MANY_ELEMENTS","features":[308]},{"name":"STATUS_BEGINNING_OF_MEDIA","features":[308]},{"name":"STATUS_BEYOND_VDL","features":[308]},{"name":"STATUS_BIOS_FAILED_TO_CONNECT_INTERRUPT","features":[308]},{"name":"STATUS_BIZRULES_NOT_ENABLED","features":[308]},{"name":"STATUS_BLOCKED_BY_PARENTAL_CONTROLS","features":[308]},{"name":"STATUS_BLOCK_SHARED","features":[308]},{"name":"STATUS_BLOCK_SOURCE_WEAK_REFERENCE_INVALID","features":[308]},{"name":"STATUS_BLOCK_TARGET_WEAK_REFERENCE_INVALID","features":[308]},{"name":"STATUS_BLOCK_TOO_MANY_REFERENCES","features":[308]},{"name":"STATUS_BLOCK_WEAK_REFERENCE_INVALID","features":[308]},{"name":"STATUS_BREAKPOINT","features":[308]},{"name":"STATUS_BTH_ATT_ATTRIBUTE_NOT_FOUND","features":[308]},{"name":"STATUS_BTH_ATT_ATTRIBUTE_NOT_LONG","features":[308]},{"name":"STATUS_BTH_ATT_INSUFFICIENT_AUTHENTICATION","features":[308]},{"name":"STATUS_BTH_ATT_INSUFFICIENT_AUTHORIZATION","features":[308]},{"name":"STATUS_BTH_ATT_INSUFFICIENT_ENCRYPTION","features":[308]},{"name":"STATUS_BTH_ATT_INSUFFICIENT_ENCRYPTION_KEY_SIZE","features":[308]},{"name":"STATUS_BTH_ATT_INSUFFICIENT_RESOURCES","features":[308]},{"name":"STATUS_BTH_ATT_INVALID_ATTRIBUTE_VALUE_LENGTH","features":[308]},{"name":"STATUS_BTH_ATT_INVALID_HANDLE","features":[308]},{"name":"STATUS_BTH_ATT_INVALID_OFFSET","features":[308]},{"name":"STATUS_BTH_ATT_INVALID_PDU","features":[308]},{"name":"STATUS_BTH_ATT_PREPARE_QUEUE_FULL","features":[308]},{"name":"STATUS_BTH_ATT_READ_NOT_PERMITTED","features":[308]},{"name":"STATUS_BTH_ATT_REQUEST_NOT_SUPPORTED","features":[308]},{"name":"STATUS_BTH_ATT_UNKNOWN_ERROR","features":[308]},{"name":"STATUS_BTH_ATT_UNLIKELY","features":[308]},{"name":"STATUS_BTH_ATT_UNSUPPORTED_GROUP_TYPE","features":[308]},{"name":"STATUS_BTH_ATT_WRITE_NOT_PERMITTED","features":[308]},{"name":"STATUS_BUFFER_ALL_ZEROS","features":[308]},{"name":"STATUS_BUFFER_OVERFLOW","features":[308]},{"name":"STATUS_BUFFER_TOO_SMALL","features":[308]},{"name":"STATUS_BUS_RESET","features":[308]},{"name":"STATUS_BYPASSIO_FLT_NOT_SUPPORTED","features":[308]},{"name":"STATUS_CACHE_PAGE_LOCKED","features":[308]},{"name":"STATUS_CALLBACK_BYPASS","features":[308]},{"name":"STATUS_CALLBACK_INVOKE_INLINE","features":[308]},{"name":"STATUS_CALLBACK_POP_STACK","features":[308]},{"name":"STATUS_CALLBACK_RETURNED_LANG","features":[308]},{"name":"STATUS_CALLBACK_RETURNED_LDR_LOCK","features":[308]},{"name":"STATUS_CALLBACK_RETURNED_PRI_BACK","features":[308]},{"name":"STATUS_CALLBACK_RETURNED_THREAD_AFFINITY","features":[308]},{"name":"STATUS_CALLBACK_RETURNED_THREAD_PRIORITY","features":[308]},{"name":"STATUS_CALLBACK_RETURNED_TRANSACTION","features":[308]},{"name":"STATUS_CALLBACK_RETURNED_WHILE_IMPERSONATING","features":[308]},{"name":"STATUS_CANCELLED","features":[308]},{"name":"STATUS_CANNOT_ABORT_TRANSACTIONS","features":[308]},{"name":"STATUS_CANNOT_ACCEPT_TRANSACTED_WORK","features":[308]},{"name":"STATUS_CANNOT_BREAK_OPLOCK","features":[308]},{"name":"STATUS_CANNOT_DELETE","features":[308]},{"name":"STATUS_CANNOT_EXECUTE_FILE_IN_TRANSACTION","features":[308]},{"name":"STATUS_CANNOT_GRANT_REQUESTED_OPLOCK","features":[308]},{"name":"STATUS_CANNOT_IMPERSONATE","features":[308]},{"name":"STATUS_CANNOT_LOAD_REGISTRY_FILE","features":[308]},{"name":"STATUS_CANNOT_MAKE","features":[308]},{"name":"STATUS_CANNOT_SWITCH_RUNLEVEL","features":[308]},{"name":"STATUS_CANT_ACCESS_DOMAIN_INFO","features":[308]},{"name":"STATUS_CANT_ATTACH_TO_DEV_VOLUME","features":[308]},{"name":"STATUS_CANT_BREAK_TRANSACTIONAL_DEPENDENCY","features":[308]},{"name":"STATUS_CANT_CLEAR_ENCRYPTION_FLAG","features":[308]},{"name":"STATUS_CANT_CREATE_MORE_STREAM_MINIVERSIONS","features":[308]},{"name":"STATUS_CANT_CROSS_RM_BOUNDARY","features":[308]},{"name":"STATUS_CANT_DISABLE_MANDATORY","features":[308]},{"name":"STATUS_CANT_ENABLE_DENY_ONLY","features":[308]},{"name":"STATUS_CANT_OPEN_ANONYMOUS","features":[308]},{"name":"STATUS_CANT_OPEN_MINIVERSION_WITH_MODIFY_INTENT","features":[308]},{"name":"STATUS_CANT_RECOVER_WITH_HANDLE_OPEN","features":[308]},{"name":"STATUS_CANT_TERMINATE_SELF","features":[308]},{"name":"STATUS_CANT_WAIT","features":[308]},{"name":"STATUS_CARDBUS_NOT_SUPPORTED","features":[308]},{"name":"STATUS_CASE_DIFFERING_NAMES_IN_DIR","features":[308]},{"name":"STATUS_CASE_SENSITIVE_PATH","features":[308]},{"name":"STATUS_CC_NEEDS_CALLBACK_SECTION_DRAIN","features":[308]},{"name":"STATUS_CERTIFICATE_MAPPING_NOT_UNIQUE","features":[308]},{"name":"STATUS_CERTIFICATE_VALIDATION_PREFERENCE_CONFLICT","features":[308]},{"name":"STATUS_CHECKING_FILE_SYSTEM","features":[308]},{"name":"STATUS_CHECKOUT_REQUIRED","features":[308]},{"name":"STATUS_CHILD_MUST_BE_VOLATILE","features":[308]},{"name":"STATUS_CHILD_PROCESS_BLOCKED","features":[308]},{"name":"STATUS_CIMFS_IMAGE_CORRUPT","features":[308]},{"name":"STATUS_CIMFS_IMAGE_VERSION_NOT_SUPPORTED","features":[308]},{"name":"STATUS_CLEANER_CARTRIDGE_INSTALLED","features":[308]},{"name":"STATUS_CLIENT_SERVER_PARAMETERS_INVALID","features":[308]},{"name":"STATUS_CLIP_DEVICE_LICENSE_MISSING","features":[308]},{"name":"STATUS_CLIP_KEYHOLDER_LICENSE_MISSING_OR_INVALID","features":[308]},{"name":"STATUS_CLIP_LICENSE_DEVICE_ID_MISMATCH","features":[308]},{"name":"STATUS_CLIP_LICENSE_EXPIRED","features":[308]},{"name":"STATUS_CLIP_LICENSE_HARDWARE_ID_OUT_OF_TOLERANCE","features":[308]},{"name":"STATUS_CLIP_LICENSE_INVALID_SIGNATURE","features":[308]},{"name":"STATUS_CLIP_LICENSE_NOT_FOUND","features":[308]},{"name":"STATUS_CLIP_LICENSE_NOT_SIGNED","features":[308]},{"name":"STATUS_CLIP_LICENSE_SIGNED_BY_UNKNOWN_SOURCE","features":[308]},{"name":"STATUS_CLOUD_FILE_ACCESS_DENIED","features":[308]},{"name":"STATUS_CLOUD_FILE_ALREADY_CONNECTED","features":[308]},{"name":"STATUS_CLOUD_FILE_AUTHENTICATION_FAILED","features":[308]},{"name":"STATUS_CLOUD_FILE_CONNECTED_PROVIDER_ONLY","features":[308]},{"name":"STATUS_CLOUD_FILE_DEHYDRATION_DISALLOWED","features":[308]},{"name":"STATUS_CLOUD_FILE_INCOMPATIBLE_HARDLINKS","features":[308]},{"name":"STATUS_CLOUD_FILE_INSUFFICIENT_RESOURCES","features":[308]},{"name":"STATUS_CLOUD_FILE_INVALID_REQUEST","features":[308]},{"name":"STATUS_CLOUD_FILE_IN_USE","features":[308]},{"name":"STATUS_CLOUD_FILE_METADATA_CORRUPT","features":[308]},{"name":"STATUS_CLOUD_FILE_METADATA_TOO_LARGE","features":[308]},{"name":"STATUS_CLOUD_FILE_NETWORK_UNAVAILABLE","features":[308]},{"name":"STATUS_CLOUD_FILE_NOT_IN_SYNC","features":[308]},{"name":"STATUS_CLOUD_FILE_NOT_SUPPORTED","features":[308]},{"name":"STATUS_CLOUD_FILE_NOT_UNDER_SYNC_ROOT","features":[308]},{"name":"STATUS_CLOUD_FILE_PINNED","features":[308]},{"name":"STATUS_CLOUD_FILE_PROPERTY_BLOB_CHECKSUM_MISMATCH","features":[308]},{"name":"STATUS_CLOUD_FILE_PROPERTY_BLOB_TOO_LARGE","features":[308]},{"name":"STATUS_CLOUD_FILE_PROPERTY_CORRUPT","features":[308]},{"name":"STATUS_CLOUD_FILE_PROPERTY_LOCK_CONFLICT","features":[308]},{"name":"STATUS_CLOUD_FILE_PROPERTY_VERSION_NOT_SUPPORTED","features":[308]},{"name":"STATUS_CLOUD_FILE_PROVIDER_NOT_RUNNING","features":[308]},{"name":"STATUS_CLOUD_FILE_PROVIDER_TERMINATED","features":[308]},{"name":"STATUS_CLOUD_FILE_READ_ONLY_VOLUME","features":[308]},{"name":"STATUS_CLOUD_FILE_REQUEST_ABORTED","features":[308]},{"name":"STATUS_CLOUD_FILE_REQUEST_CANCELED","features":[308]},{"name":"STATUS_CLOUD_FILE_REQUEST_TIMEOUT","features":[308]},{"name":"STATUS_CLOUD_FILE_SYNC_ROOT_METADATA_CORRUPT","features":[308]},{"name":"STATUS_CLOUD_FILE_TOO_MANY_PROPERTY_BLOBS","features":[308]},{"name":"STATUS_CLOUD_FILE_UNSUCCESSFUL","features":[308]},{"name":"STATUS_CLOUD_FILE_US_MESSAGE_TIMEOUT","features":[308]},{"name":"STATUS_CLOUD_FILE_VALIDATION_FAILED","features":[308]},{"name":"STATUS_CLUSTER_CAM_TICKET_REPLAY_DETECTED","features":[308]},{"name":"STATUS_CLUSTER_CSV_AUTO_PAUSE_ERROR","features":[308]},{"name":"STATUS_CLUSTER_CSV_INVALID_HANDLE","features":[308]},{"name":"STATUS_CLUSTER_CSV_NOT_REDIRECTED","features":[308]},{"name":"STATUS_CLUSTER_CSV_NO_SNAPSHOTS","features":[308]},{"name":"STATUS_CLUSTER_CSV_READ_OPLOCK_BREAK_IN_PROGRESS","features":[308]},{"name":"STATUS_CLUSTER_CSV_REDIRECTED","features":[308]},{"name":"STATUS_CLUSTER_CSV_SNAPSHOT_CREATION_IN_PROGRESS","features":[308]},{"name":"STATUS_CLUSTER_CSV_SUPPORTED_ONLY_ON_COORDINATOR","features":[308]},{"name":"STATUS_CLUSTER_CSV_VOLUME_DRAINING","features":[308]},{"name":"STATUS_CLUSTER_CSV_VOLUME_DRAINING_SUCCEEDED_DOWNLEVEL","features":[308]},{"name":"STATUS_CLUSTER_CSV_VOLUME_NOT_LOCAL","features":[308]},{"name":"STATUS_CLUSTER_INVALID_NETWORK","features":[308]},{"name":"STATUS_CLUSTER_INVALID_NETWORK_PROVIDER","features":[308]},{"name":"STATUS_CLUSTER_INVALID_NODE","features":[308]},{"name":"STATUS_CLUSTER_INVALID_REQUEST","features":[308]},{"name":"STATUS_CLUSTER_JOIN_IN_PROGRESS","features":[308]},{"name":"STATUS_CLUSTER_JOIN_NOT_IN_PROGRESS","features":[308]},{"name":"STATUS_CLUSTER_LOCAL_NODE_NOT_FOUND","features":[308]},{"name":"STATUS_CLUSTER_NETINTERFACE_EXISTS","features":[308]},{"name":"STATUS_CLUSTER_NETINTERFACE_NOT_FOUND","features":[308]},{"name":"STATUS_CLUSTER_NETWORK_ALREADY_OFFLINE","features":[308]},{"name":"STATUS_CLUSTER_NETWORK_ALREADY_ONLINE","features":[308]},{"name":"STATUS_CLUSTER_NETWORK_EXISTS","features":[308]},{"name":"STATUS_CLUSTER_NETWORK_NOT_FOUND","features":[308]},{"name":"STATUS_CLUSTER_NETWORK_NOT_INTERNAL","features":[308]},{"name":"STATUS_CLUSTER_NODE_ALREADY_DOWN","features":[308]},{"name":"STATUS_CLUSTER_NODE_ALREADY_MEMBER","features":[308]},{"name":"STATUS_CLUSTER_NODE_ALREADY_UP","features":[308]},{"name":"STATUS_CLUSTER_NODE_DOWN","features":[308]},{"name":"STATUS_CLUSTER_NODE_EXISTS","features":[308]},{"name":"STATUS_CLUSTER_NODE_NOT_FOUND","features":[308]},{"name":"STATUS_CLUSTER_NODE_NOT_MEMBER","features":[308]},{"name":"STATUS_CLUSTER_NODE_NOT_PAUSED","features":[308]},{"name":"STATUS_CLUSTER_NODE_PAUSED","features":[308]},{"name":"STATUS_CLUSTER_NODE_UNREACHABLE","features":[308]},{"name":"STATUS_CLUSTER_NODE_UP","features":[308]},{"name":"STATUS_CLUSTER_NON_CSV_PATH","features":[308]},{"name":"STATUS_CLUSTER_NO_NET_ADAPTERS","features":[308]},{"name":"STATUS_CLUSTER_NO_SECURITY_CONTEXT","features":[308]},{"name":"STATUS_CLUSTER_POISONED","features":[308]},{"name":"STATUS_COMMITMENT_LIMIT","features":[308]},{"name":"STATUS_COMMITMENT_MINIMUM","features":[308]},{"name":"STATUS_COMPRESSED_FILE_NOT_SUPPORTED","features":[308]},{"name":"STATUS_COMPRESSION_DISABLED","features":[308]},{"name":"STATUS_COMPRESSION_NOT_ALLOWED_IN_TRANSACTION","features":[308]},{"name":"STATUS_COMPRESSION_NOT_BENEFICIAL","features":[308]},{"name":"STATUS_CONFLICTING_ADDRESSES","features":[308]},{"name":"STATUS_CONNECTION_ABORTED","features":[308]},{"name":"STATUS_CONNECTION_ACTIVE","features":[308]},{"name":"STATUS_CONNECTION_COUNT_LIMIT","features":[308]},{"name":"STATUS_CONNECTION_DISCONNECTED","features":[308]},{"name":"STATUS_CONNECTION_INVALID","features":[308]},{"name":"STATUS_CONNECTION_IN_USE","features":[308]},{"name":"STATUS_CONNECTION_REFUSED","features":[308]},{"name":"STATUS_CONNECTION_RESET","features":[308]},{"name":"STATUS_CONTAINER_ASSIGNED","features":[308]},{"name":"STATUS_CONTENT_BLOCKED","features":[308]},{"name":"STATUS_CONTEXT_MISMATCH","features":[308]},{"name":"STATUS_CONTEXT_STOWED_EXCEPTION","features":[308]},{"name":"STATUS_CONTROL_C_EXIT","features":[308]},{"name":"STATUS_CONTROL_STACK_VIOLATION","features":[308]},{"name":"STATUS_CONVERT_TO_LARGE","features":[308]},{"name":"STATUS_COPY_PROTECTION_FAILURE","features":[308]},{"name":"STATUS_CORRUPT_LOG_CLEARED","features":[308]},{"name":"STATUS_CORRUPT_LOG_CORRUPTED","features":[308]},{"name":"STATUS_CORRUPT_LOG_DELETED_FULL","features":[308]},{"name":"STATUS_CORRUPT_LOG_OVERFULL","features":[308]},{"name":"STATUS_CORRUPT_LOG_UNAVAILABLE","features":[308]},{"name":"STATUS_CORRUPT_LOG_UPLEVEL_RECORDS","features":[308]},{"name":"STATUS_CORRUPT_SYSTEM_FILE","features":[308]},{"name":"STATUS_COULD_NOT_INTERPRET","features":[308]},{"name":"STATUS_COULD_NOT_RESIZE_LOG","features":[308]},{"name":"STATUS_CPU_SET_INVALID","features":[308]},{"name":"STATUS_CRASH_DUMP","features":[308]},{"name":"STATUS_CRC_ERROR","features":[308]},{"name":"STATUS_CRED_REQUIRES_CONFIRMATION","features":[308]},{"name":"STATUS_CRM_PROTOCOL_ALREADY_EXISTS","features":[308]},{"name":"STATUS_CRM_PROTOCOL_NOT_FOUND","features":[308]},{"name":"STATUS_CROSSREALM_DELEGATION_FAILURE","features":[308]},{"name":"STATUS_CROSS_PARTITION_VIOLATION","features":[308]},{"name":"STATUS_CRYPTO_SYSTEM_INVALID","features":[308]},{"name":"STATUS_CSS_AUTHENTICATION_FAILURE","features":[308]},{"name":"STATUS_CSS_KEY_NOT_ESTABLISHED","features":[308]},{"name":"STATUS_CSS_KEY_NOT_PRESENT","features":[308]},{"name":"STATUS_CSS_REGION_MISMATCH","features":[308]},{"name":"STATUS_CSS_RESETS_EXHAUSTED","features":[308]},{"name":"STATUS_CSS_SCRAMBLED_SECTOR","features":[308]},{"name":"STATUS_CSV_IO_PAUSE_TIMEOUT","features":[308]},{"name":"STATUS_CS_ENCRYPTION_EXISTING_ENCRYPTED_FILE","features":[308]},{"name":"STATUS_CS_ENCRYPTION_FILE_NOT_CSE","features":[308]},{"name":"STATUS_CS_ENCRYPTION_INVALID_SERVER_RESPONSE","features":[308]},{"name":"STATUS_CS_ENCRYPTION_NEW_ENCRYPTED_FILE","features":[308]},{"name":"STATUS_CS_ENCRYPTION_UNSUPPORTED_SERVER","features":[308]},{"name":"STATUS_CTLOG_INCONSISTENT_TRACKING_FILE","features":[308]},{"name":"STATUS_CTLOG_INVALID_TRACKING_STATE","features":[308]},{"name":"STATUS_CTLOG_LOGFILE_SIZE_EXCEEDED_MAXSIZE","features":[308]},{"name":"STATUS_CTLOG_TRACKING_NOT_INITIALIZED","features":[308]},{"name":"STATUS_CTLOG_VHD_CHANGED_OFFLINE","features":[308]},{"name":"STATUS_CTL_FILE_NOT_SUPPORTED","features":[308]},{"name":"STATUS_CTX_BAD_VIDEO_MODE","features":[308]},{"name":"STATUS_CTX_CDM_CONNECT","features":[308]},{"name":"STATUS_CTX_CDM_DISCONNECT","features":[308]},{"name":"STATUS_CTX_CLIENT_LICENSE_IN_USE","features":[308]},{"name":"STATUS_CTX_CLIENT_LICENSE_NOT_SET","features":[308]},{"name":"STATUS_CTX_CLIENT_QUERY_TIMEOUT","features":[308]},{"name":"STATUS_CTX_CLOSE_PENDING","features":[308]},{"name":"STATUS_CTX_CONSOLE_CONNECT","features":[308]},{"name":"STATUS_CTX_CONSOLE_DISCONNECT","features":[308]},{"name":"STATUS_CTX_GRAPHICS_INVALID","features":[308]},{"name":"STATUS_CTX_INVALID_MODEMNAME","features":[308]},{"name":"STATUS_CTX_INVALID_PD","features":[308]},{"name":"STATUS_CTX_INVALID_WD","features":[308]},{"name":"STATUS_CTX_LICENSE_CLIENT_INVALID","features":[308]},{"name":"STATUS_CTX_LICENSE_EXPIRED","features":[308]},{"name":"STATUS_CTX_LICENSE_NOT_AVAILABLE","features":[308]},{"name":"STATUS_CTX_LOGON_DISABLED","features":[308]},{"name":"STATUS_CTX_MODEM_INF_NOT_FOUND","features":[308]},{"name":"STATUS_CTX_MODEM_RESPONSE_BUSY","features":[308]},{"name":"STATUS_CTX_MODEM_RESPONSE_NO_CARRIER","features":[308]},{"name":"STATUS_CTX_MODEM_RESPONSE_NO_DIALTONE","features":[308]},{"name":"STATUS_CTX_MODEM_RESPONSE_TIMEOUT","features":[308]},{"name":"STATUS_CTX_MODEM_RESPONSE_VOICE","features":[308]},{"name":"STATUS_CTX_NOT_CONSOLE","features":[308]},{"name":"STATUS_CTX_NO_OUTBUF","features":[308]},{"name":"STATUS_CTX_PD_NOT_FOUND","features":[308]},{"name":"STATUS_CTX_RESPONSE_ERROR","features":[308]},{"name":"STATUS_CTX_SECURITY_LAYER_ERROR","features":[308]},{"name":"STATUS_CTX_SHADOW_DENIED","features":[308]},{"name":"STATUS_CTX_SHADOW_DISABLED","features":[308]},{"name":"STATUS_CTX_SHADOW_ENDED_BY_MODE_CHANGE","features":[308]},{"name":"STATUS_CTX_SHADOW_INVALID","features":[308]},{"name":"STATUS_CTX_SHADOW_NOT_RUNNING","features":[308]},{"name":"STATUS_CTX_TD_ERROR","features":[308]},{"name":"STATUS_CTX_WD_NOT_FOUND","features":[308]},{"name":"STATUS_CTX_WINSTATION_ACCESS_DENIED","features":[308]},{"name":"STATUS_CTX_WINSTATION_BUSY","features":[308]},{"name":"STATUS_CTX_WINSTATION_NAME_COLLISION","features":[308]},{"name":"STATUS_CTX_WINSTATION_NAME_INVALID","features":[308]},{"name":"STATUS_CTX_WINSTATION_NOT_FOUND","features":[308]},{"name":"STATUS_CURRENT_DOMAIN_NOT_ALLOWED","features":[308]},{"name":"STATUS_CURRENT_TRANSACTION_NOT_VALID","features":[308]},{"name":"STATUS_DATATYPE_MISALIGNMENT","features":[308]},{"name":"STATUS_DATATYPE_MISALIGNMENT_ERROR","features":[308]},{"name":"STATUS_DATA_CHECKSUM_ERROR","features":[308]},{"name":"STATUS_DATA_ERROR","features":[308]},{"name":"STATUS_DATA_LATE_ERROR","features":[308]},{"name":"STATUS_DATA_LOST_REPAIR","features":[308]},{"name":"STATUS_DATA_NOT_ACCEPTED","features":[308]},{"name":"STATUS_DATA_OVERRUN","features":[308]},{"name":"STATUS_DATA_OVERWRITTEN","features":[308]},{"name":"STATUS_DAX_MAPPING_EXISTS","features":[308]},{"name":"STATUS_DEBUGGER_INACTIVE","features":[308]},{"name":"STATUS_DEBUG_ATTACH_FAILED","features":[308]},{"name":"STATUS_DECRYPTION_FAILED","features":[308]},{"name":"STATUS_DELAY_LOAD_FAILED","features":[308]},{"name":"STATUS_DELETE_PENDING","features":[308]},{"name":"STATUS_DESTINATION_ELEMENT_FULL","features":[308]},{"name":"STATUS_DEVICE_ALREADY_ATTACHED","features":[308]},{"name":"STATUS_DEVICE_BUSY","features":[308]},{"name":"STATUS_DEVICE_CONFIGURATION_ERROR","features":[308]},{"name":"STATUS_DEVICE_DATA_ERROR","features":[308]},{"name":"STATUS_DEVICE_DOES_NOT_EXIST","features":[308]},{"name":"STATUS_DEVICE_DOOR_OPEN","features":[308]},{"name":"STATUS_DEVICE_ENUMERATION_ERROR","features":[308]},{"name":"STATUS_DEVICE_FEATURE_NOT_SUPPORTED","features":[308]},{"name":"STATUS_DEVICE_HARDWARE_ERROR","features":[308]},{"name":"STATUS_DEVICE_HINT_NAME_BUFFER_TOO_SMALL","features":[308]},{"name":"STATUS_DEVICE_HUNG","features":[308]},{"name":"STATUS_DEVICE_INSUFFICIENT_RESOURCES","features":[308]},{"name":"STATUS_DEVICE_IN_MAINTENANCE","features":[308]},{"name":"STATUS_DEVICE_NOT_CONNECTED","features":[308]},{"name":"STATUS_DEVICE_NOT_PARTITIONED","features":[308]},{"name":"STATUS_DEVICE_NOT_READY","features":[308]},{"name":"STATUS_DEVICE_OFF_LINE","features":[308]},{"name":"STATUS_DEVICE_PAPER_EMPTY","features":[308]},{"name":"STATUS_DEVICE_POWERED_OFF","features":[308]},{"name":"STATUS_DEVICE_POWER_CYCLE_REQUIRED","features":[308]},{"name":"STATUS_DEVICE_POWER_FAILURE","features":[308]},{"name":"STATUS_DEVICE_PROTOCOL_ERROR","features":[308]},{"name":"STATUS_DEVICE_REMOVED","features":[308]},{"name":"STATUS_DEVICE_REQUIRES_CLEANING","features":[308]},{"name":"STATUS_DEVICE_RESET_REQUIRED","features":[308]},{"name":"STATUS_DEVICE_SUPPORT_IN_PROGRESS","features":[308]},{"name":"STATUS_DEVICE_UNREACHABLE","features":[308]},{"name":"STATUS_DEVICE_UNRESPONSIVE","features":[308]},{"name":"STATUS_DFS_EXIT_PATH_FOUND","features":[308]},{"name":"STATUS_DFS_UNAVAILABLE","features":[308]},{"name":"STATUS_DIF_BINDING_API_NOT_FOUND","features":[308]},{"name":"STATUS_DIF_IOCALLBACK_NOT_REPLACED","features":[308]},{"name":"STATUS_DIF_LIVEDUMP_LIMIT_EXCEEDED","features":[308]},{"name":"STATUS_DIF_VOLATILE_DRIVER_HOTPATCHED","features":[308]},{"name":"STATUS_DIF_VOLATILE_DRIVER_IS_NOT_RUNNING","features":[308]},{"name":"STATUS_DIF_VOLATILE_INVALID_INFO","features":[308]},{"name":"STATUS_DIF_VOLATILE_NOT_ALLOWED","features":[308]},{"name":"STATUS_DIF_VOLATILE_PLUGIN_CHANGE_NOT_ALLOWED","features":[308]},{"name":"STATUS_DIF_VOLATILE_PLUGIN_IS_NOT_RUNNING","features":[308]},{"name":"STATUS_DIF_VOLATILE_SECTION_NOT_LOCKED","features":[308]},{"name":"STATUS_DIRECTORY_IS_A_REPARSE_POINT","features":[308]},{"name":"STATUS_DIRECTORY_NOT_EMPTY","features":[308]},{"name":"STATUS_DIRECTORY_NOT_RM","features":[308]},{"name":"STATUS_DIRECTORY_NOT_SUPPORTED","features":[308]},{"name":"STATUS_DIRECTORY_SERVICE_REQUIRED","features":[308]},{"name":"STATUS_DISK_CORRUPT_ERROR","features":[308]},{"name":"STATUS_DISK_FULL","features":[308]},{"name":"STATUS_DISK_OPERATION_FAILED","features":[308]},{"name":"STATUS_DISK_QUOTA_EXCEEDED","features":[308]},{"name":"STATUS_DISK_RECALIBRATE_FAILED","features":[308]},{"name":"STATUS_DISK_REPAIR_DISABLED","features":[308]},{"name":"STATUS_DISK_REPAIR_REDIRECTED","features":[308]},{"name":"STATUS_DISK_REPAIR_UNSUCCESSFUL","features":[308]},{"name":"STATUS_DISK_RESET_FAILED","features":[308]},{"name":"STATUS_DISK_RESOURCES_EXHAUSTED","features":[308]},{"name":"STATUS_DLL_INIT_FAILED","features":[308]},{"name":"STATUS_DLL_INIT_FAILED_LOGOFF","features":[308]},{"name":"STATUS_DLL_MIGHT_BE_INCOMPATIBLE","features":[308]},{"name":"STATUS_DLL_MIGHT_BE_INSECURE","features":[308]},{"name":"STATUS_DLL_NOT_FOUND","features":[308]},{"name":"STATUS_DM_OPERATION_LIMIT_EXCEEDED","features":[308]},{"name":"STATUS_DOMAIN_CONTROLLER_NOT_FOUND","features":[308]},{"name":"STATUS_DOMAIN_CTRLR_CONFIG_ERROR","features":[308]},{"name":"STATUS_DOMAIN_EXISTS","features":[308]},{"name":"STATUS_DOMAIN_LIMIT_EXCEEDED","features":[308]},{"name":"STATUS_DOMAIN_TRUST_INCONSISTENT","features":[308]},{"name":"STATUS_DRIVERS_LEAKING_LOCKED_PAGES","features":[308]},{"name":"STATUS_DRIVER_BLOCKED","features":[308]},{"name":"STATUS_DRIVER_BLOCKED_CRITICAL","features":[308]},{"name":"STATUS_DRIVER_CANCEL_TIMEOUT","features":[308]},{"name":"STATUS_DRIVER_DATABASE_ERROR","features":[308]},{"name":"STATUS_DRIVER_ENTRYPOINT_NOT_FOUND","features":[308]},{"name":"STATUS_DRIVER_FAILED_PRIOR_UNLOAD","features":[308]},{"name":"STATUS_DRIVER_FAILED_SLEEP","features":[308]},{"name":"STATUS_DRIVER_INTERNAL_ERROR","features":[308]},{"name":"STATUS_DRIVER_ORDINAL_NOT_FOUND","features":[308]},{"name":"STATUS_DRIVER_PROCESS_TERMINATED","features":[308]},{"name":"STATUS_DRIVER_UNABLE_TO_LOAD","features":[308]},{"name":"STATUS_DS_ADMIN_LIMIT_EXCEEDED","features":[308]},{"name":"STATUS_DS_AG_CANT_HAVE_UNIVERSAL_MEMBER","features":[308]},{"name":"STATUS_DS_ATTRIBUTE_OR_VALUE_EXISTS","features":[308]},{"name":"STATUS_DS_ATTRIBUTE_TYPE_UNDEFINED","features":[308]},{"name":"STATUS_DS_BUSY","features":[308]},{"name":"STATUS_DS_CANT_MOD_OBJ_CLASS","features":[308]},{"name":"STATUS_DS_CANT_MOD_PRIMARYGROUPID","features":[308]},{"name":"STATUS_DS_CANT_ON_NON_LEAF","features":[308]},{"name":"STATUS_DS_CANT_ON_RDN","features":[308]},{"name":"STATUS_DS_CANT_START","features":[308]},{"name":"STATUS_DS_CROSS_DOM_MOVE_FAILED","features":[308]},{"name":"STATUS_DS_DOMAIN_NAME_EXISTS_IN_FOREST","features":[308]},{"name":"STATUS_DS_DOMAIN_RENAME_IN_PROGRESS","features":[308]},{"name":"STATUS_DS_DUPLICATE_ID_FOUND","features":[308]},{"name":"STATUS_DS_FLAT_NAME_EXISTS_IN_FOREST","features":[308]},{"name":"STATUS_DS_GC_NOT_AVAILABLE","features":[308]},{"name":"STATUS_DS_GC_REQUIRED","features":[308]},{"name":"STATUS_DS_GLOBAL_CANT_HAVE_CROSSDOMAIN_MEMBER","features":[308]},{"name":"STATUS_DS_GLOBAL_CANT_HAVE_LOCAL_MEMBER","features":[308]},{"name":"STATUS_DS_GLOBAL_CANT_HAVE_UNIVERSAL_MEMBER","features":[308]},{"name":"STATUS_DS_GROUP_CONVERSION_ERROR","features":[308]},{"name":"STATUS_DS_HAVE_PRIMARY_MEMBERS","features":[308]},{"name":"STATUS_DS_INCORRECT_ROLE_OWNER","features":[308]},{"name":"STATUS_DS_INIT_FAILURE","features":[308]},{"name":"STATUS_DS_INIT_FAILURE_CONSOLE","features":[308]},{"name":"STATUS_DS_INVALID_ATTRIBUTE_SYNTAX","features":[308]},{"name":"STATUS_DS_INVALID_GROUP_TYPE","features":[308]},{"name":"STATUS_DS_LOCAL_CANT_HAVE_CROSSDOMAIN_LOCAL_MEMBER","features":[308]},{"name":"STATUS_DS_LOCAL_MEMBER_OF_LOCAL_ONLY","features":[308]},{"name":"STATUS_DS_MACHINE_ACCOUNT_QUOTA_EXCEEDED","features":[308]},{"name":"STATUS_DS_MEMBERSHIP_EVALUATED_LOCALLY","features":[308]},{"name":"STATUS_DS_NAME_NOT_UNIQUE","features":[308]},{"name":"STATUS_DS_NO_ATTRIBUTE_OR_VALUE","features":[308]},{"name":"STATUS_DS_NO_FPO_IN_UNIVERSAL_GROUPS","features":[308]},{"name":"STATUS_DS_NO_MORE_RIDS","features":[308]},{"name":"STATUS_DS_NO_NEST_GLOBALGROUP_IN_MIXEDDOMAIN","features":[308]},{"name":"STATUS_DS_NO_NEST_LOCALGROUP_IN_MIXEDDOMAIN","features":[308]},{"name":"STATUS_DS_NO_RIDS_ALLOCATED","features":[308]},{"name":"STATUS_DS_OBJ_CLASS_VIOLATION","features":[308]},{"name":"STATUS_DS_OID_MAPPED_GROUP_CANT_HAVE_MEMBERS","features":[308]},{"name":"STATUS_DS_OID_NOT_FOUND","features":[308]},{"name":"STATUS_DS_RIDMGR_DISABLED","features":[308]},{"name":"STATUS_DS_RIDMGR_INIT_ERROR","features":[308]},{"name":"STATUS_DS_SAM_INIT_FAILURE","features":[308]},{"name":"STATUS_DS_SAM_INIT_FAILURE_CONSOLE","features":[308]},{"name":"STATUS_DS_SENSITIVE_GROUP_VIOLATION","features":[308]},{"name":"STATUS_DS_SHUTTING_DOWN","features":[308]},{"name":"STATUS_DS_SRC_SID_EXISTS_IN_FOREST","features":[308]},{"name":"STATUS_DS_UNAVAILABLE","features":[308]},{"name":"STATUS_DS_UNIVERSAL_CANT_HAVE_LOCAL_MEMBER","features":[308]},{"name":"STATUS_DS_VERSION_CHECK_FAILURE","features":[308]},{"name":"STATUS_DUPLICATE_NAME","features":[308]},{"name":"STATUS_DUPLICATE_OBJECTID","features":[308]},{"name":"STATUS_DUPLICATE_PRIVILEGES","features":[308]},{"name":"STATUS_DYNAMIC_CODE_BLOCKED","features":[308]},{"name":"STATUS_EAS_NOT_SUPPORTED","features":[308]},{"name":"STATUS_EA_CORRUPT_ERROR","features":[308]},{"name":"STATUS_EA_LIST_INCONSISTENT","features":[308]},{"name":"STATUS_EA_TOO_LARGE","features":[308]},{"name":"STATUS_EFS_ALG_BLOB_TOO_BIG","features":[308]},{"name":"STATUS_EFS_NOT_ALLOWED_IN_TRANSACTION","features":[308]},{"name":"STATUS_ELEVATION_REQUIRED","features":[308]},{"name":"STATUS_EMULATION_BREAKPOINT","features":[308]},{"name":"STATUS_EMULATION_SYSCALL","features":[308]},{"name":"STATUS_ENCLAVE_FAILURE","features":[308]},{"name":"STATUS_ENCLAVE_IS_TERMINATING","features":[308]},{"name":"STATUS_ENCLAVE_NOT_TERMINATED","features":[308]},{"name":"STATUS_ENCLAVE_VIOLATION","features":[308]},{"name":"STATUS_ENCOUNTERED_WRITE_IN_PROGRESS","features":[308]},{"name":"STATUS_ENCRYPTED_FILE_NOT_SUPPORTED","features":[308]},{"name":"STATUS_ENCRYPTED_IO_NOT_POSSIBLE","features":[308]},{"name":"STATUS_ENCRYPTING_METADATA_DISALLOWED","features":[308]},{"name":"STATUS_ENCRYPTION_DISABLED","features":[308]},{"name":"STATUS_ENCRYPTION_FAILED","features":[308]},{"name":"STATUS_END_OF_FILE","features":[308]},{"name":"STATUS_END_OF_MEDIA","features":[308]},{"name":"STATUS_ENLISTMENT_NOT_FOUND","features":[308]},{"name":"STATUS_ENLISTMENT_NOT_SUPERIOR","features":[308]},{"name":"STATUS_ENTRYPOINT_NOT_FOUND","features":[308]},{"name":"STATUS_EOF_ON_GHOSTED_RANGE","features":[308]},{"name":"STATUS_EOM_OVERFLOW","features":[308]},{"name":"STATUS_ERROR_PROCESS_NOT_IN_JOB","features":[308]},{"name":"STATUS_EVALUATION_EXPIRATION","features":[308]},{"name":"STATUS_EVENTLOG_CANT_START","features":[308]},{"name":"STATUS_EVENTLOG_FILE_CHANGED","features":[308]},{"name":"STATUS_EVENTLOG_FILE_CORRUPT","features":[308]},{"name":"STATUS_EVENT_DONE","features":[308]},{"name":"STATUS_EVENT_PENDING","features":[308]},{"name":"STATUS_EXECUTABLE_MEMORY_WRITE","features":[308]},{"name":"STATUS_EXPIRED_HANDLE","features":[308]},{"name":"STATUS_EXTERNAL_BACKING_PROVIDER_UNKNOWN","features":[308]},{"name":"STATUS_EXTERNAL_SYSKEY_NOT_SUPPORTED","features":[308]},{"name":"STATUS_EXTRANEOUS_INFORMATION","features":[308]},{"name":"STATUS_FAILED_DRIVER_ENTRY","features":[308]},{"name":"STATUS_FAILED_STACK_SWITCH","features":[308]},{"name":"STATUS_FAIL_CHECK","features":[308]},{"name":"STATUS_FAIL_FAST_EXCEPTION","features":[308]},{"name":"STATUS_FASTPATH_REJECTED","features":[308]},{"name":"STATUS_FATAL_APP_EXIT","features":[308]},{"name":"STATUS_FATAL_MEMORY_EXHAUSTION","features":[308]},{"name":"STATUS_FATAL_USER_CALLBACK_EXCEPTION","features":[308]},{"name":"STATUS_FILEMARK_DETECTED","features":[308]},{"name":"STATUS_FILES_OPEN","features":[308]},{"name":"STATUS_FILE_CHECKED_OUT","features":[308]},{"name":"STATUS_FILE_CLOSED","features":[308]},{"name":"STATUS_FILE_CORRUPT_ERROR","features":[308]},{"name":"STATUS_FILE_DELETED","features":[308]},{"name":"STATUS_FILE_ENCRYPTED","features":[308]},{"name":"STATUS_FILE_FORCED_CLOSED","features":[308]},{"name":"STATUS_FILE_HANDLE_REVOKED","features":[308]},{"name":"STATUS_FILE_IDENTITY_NOT_PERSISTENT","features":[308]},{"name":"STATUS_FILE_INVALID","features":[308]},{"name":"STATUS_FILE_IS_A_DIRECTORY","features":[308]},{"name":"STATUS_FILE_IS_OFFLINE","features":[308]},{"name":"STATUS_FILE_LOCKED_WITH_ONLY_READERS","features":[308]},{"name":"STATUS_FILE_LOCKED_WITH_WRITERS","features":[308]},{"name":"STATUS_FILE_LOCK_CONFLICT","features":[308]},{"name":"STATUS_FILE_METADATA_OPTIMIZATION_IN_PROGRESS","features":[308]},{"name":"STATUS_FILE_NOT_AVAILABLE","features":[308]},{"name":"STATUS_FILE_NOT_ENCRYPTED","features":[308]},{"name":"STATUS_FILE_NOT_SUPPORTED","features":[308]},{"name":"STATUS_FILE_PROTECTED_UNDER_DPL","features":[308]},{"name":"STATUS_FILE_RENAMED","features":[308]},{"name":"STATUS_FILE_SNAP_INVALID_PARAMETER","features":[308]},{"name":"STATUS_FILE_SNAP_IN_PROGRESS","features":[308]},{"name":"STATUS_FILE_SNAP_IO_NOT_COORDINATED","features":[308]},{"name":"STATUS_FILE_SNAP_MODIFY_NOT_SUPPORTED","features":[308]},{"name":"STATUS_FILE_SNAP_UNEXPECTED_ERROR","features":[308]},{"name":"STATUS_FILE_SNAP_USER_SECTION_NOT_SUPPORTED","features":[308]},{"name":"STATUS_FILE_SYSTEM_LIMITATION","features":[308]},{"name":"STATUS_FILE_SYSTEM_VIRTUALIZATION_BUSY","features":[308]},{"name":"STATUS_FILE_SYSTEM_VIRTUALIZATION_INVALID_OPERATION","features":[308]},{"name":"STATUS_FILE_SYSTEM_VIRTUALIZATION_METADATA_CORRUPT","features":[308]},{"name":"STATUS_FILE_SYSTEM_VIRTUALIZATION_PROVIDER_UNKNOWN","features":[308]},{"name":"STATUS_FILE_SYSTEM_VIRTUALIZATION_UNAVAILABLE","features":[308]},{"name":"STATUS_FILE_TOO_LARGE","features":[308]},{"name":"STATUS_FIRMWARE_IMAGE_INVALID","features":[308]},{"name":"STATUS_FIRMWARE_SLOT_INVALID","features":[308]},{"name":"STATUS_FIRMWARE_UPDATED","features":[308]},{"name":"STATUS_FLOATED_SECTION","features":[308]},{"name":"STATUS_FLOAT_DENORMAL_OPERAND","features":[308]},{"name":"STATUS_FLOAT_DIVIDE_BY_ZERO","features":[308]},{"name":"STATUS_FLOAT_INEXACT_RESULT","features":[308]},{"name":"STATUS_FLOAT_INVALID_OPERATION","features":[308]},{"name":"STATUS_FLOAT_MULTIPLE_FAULTS","features":[308]},{"name":"STATUS_FLOAT_MULTIPLE_TRAPS","features":[308]},{"name":"STATUS_FLOAT_OVERFLOW","features":[308]},{"name":"STATUS_FLOAT_STACK_CHECK","features":[308]},{"name":"STATUS_FLOAT_UNDERFLOW","features":[308]},{"name":"STATUS_FLOPPY_BAD_REGISTERS","features":[308]},{"name":"STATUS_FLOPPY_ID_MARK_NOT_FOUND","features":[308]},{"name":"STATUS_FLOPPY_UNKNOWN_ERROR","features":[308]},{"name":"STATUS_FLOPPY_VOLUME","features":[308]},{"name":"STATUS_FLOPPY_WRONG_CYLINDER","features":[308]},{"name":"STATUS_FLT_ALREADY_ENLISTED","features":[308]},{"name":"STATUS_FLT_BUFFER_TOO_SMALL","features":[308]},{"name":"STATUS_FLT_CBDQ_DISABLED","features":[308]},{"name":"STATUS_FLT_CONTEXT_ALLOCATION_NOT_FOUND","features":[308]},{"name":"STATUS_FLT_CONTEXT_ALREADY_DEFINED","features":[308]},{"name":"STATUS_FLT_CONTEXT_ALREADY_LINKED","features":[308]},{"name":"STATUS_FLT_DELETING_OBJECT","features":[308]},{"name":"STATUS_FLT_DISALLOW_FAST_IO","features":[308]},{"name":"STATUS_FLT_DISALLOW_FSFILTER_IO","features":[308]},{"name":"STATUS_FLT_DO_NOT_ATTACH","features":[308]},{"name":"STATUS_FLT_DO_NOT_DETACH","features":[308]},{"name":"STATUS_FLT_DUPLICATE_ENTRY","features":[308]},{"name":"STATUS_FLT_FILTER_NOT_FOUND","features":[308]},{"name":"STATUS_FLT_FILTER_NOT_READY","features":[308]},{"name":"STATUS_FLT_INSTANCE_ALTITUDE_COLLISION","features":[308]},{"name":"STATUS_FLT_INSTANCE_NAME_COLLISION","features":[308]},{"name":"STATUS_FLT_INSTANCE_NOT_FOUND","features":[308]},{"name":"STATUS_FLT_INTERNAL_ERROR","features":[308]},{"name":"STATUS_FLT_INVALID_ASYNCHRONOUS_REQUEST","features":[308]},{"name":"STATUS_FLT_INVALID_CONTEXT_REGISTRATION","features":[308]},{"name":"STATUS_FLT_INVALID_NAME_REQUEST","features":[308]},{"name":"STATUS_FLT_IO_COMPLETE","features":[308]},{"name":"STATUS_FLT_MUST_BE_NONPAGED_POOL","features":[308]},{"name":"STATUS_FLT_NAME_CACHE_MISS","features":[308]},{"name":"STATUS_FLT_NOT_INITIALIZED","features":[308]},{"name":"STATUS_FLT_NOT_SAFE_TO_POST_OPERATION","features":[308]},{"name":"STATUS_FLT_NO_DEVICE_OBJECT","features":[308]},{"name":"STATUS_FLT_NO_HANDLER_DEFINED","features":[308]},{"name":"STATUS_FLT_NO_WAITER_FOR_REPLY","features":[308]},{"name":"STATUS_FLT_POST_OPERATION_CLEANUP","features":[308]},{"name":"STATUS_FLT_REGISTRATION_BUSY","features":[308]},{"name":"STATUS_FLT_VOLUME_ALREADY_MOUNTED","features":[308]},{"name":"STATUS_FLT_VOLUME_NOT_FOUND","features":[308]},{"name":"STATUS_FLT_WCOS_NOT_SUPPORTED","features":[308]},{"name":"STATUS_FORMS_AUTH_REQUIRED","features":[308]},{"name":"STATUS_FOUND_OUT_OF_SCOPE","features":[308]},{"name":"STATUS_FREE_SPACE_TOO_FRAGMENTED","features":[308]},{"name":"STATUS_FREE_VM_NOT_AT_BASE","features":[308]},{"name":"STATUS_FSFILTER_OP_COMPLETED_SUCCESSFULLY","features":[308]},{"name":"STATUS_FS_DRIVER_REQUIRED","features":[308]},{"name":"STATUS_FS_GUID_MISMATCH","features":[308]},{"name":"STATUS_FS_METADATA_INCONSISTENT","features":[308]},{"name":"STATUS_FT_DI_SCAN_REQUIRED","features":[308]},{"name":"STATUS_FT_MISSING_MEMBER","features":[308]},{"name":"STATUS_FT_ORPHANING","features":[308]},{"name":"STATUS_FT_READ_FAILURE","features":[308]},{"name":"STATUS_FT_READ_FROM_COPY","features":[308]},{"name":"STATUS_FT_READ_FROM_COPY_FAILURE","features":[308]},{"name":"STATUS_FT_READ_RECOVERY_FROM_BACKUP","features":[308]},{"name":"STATUS_FT_WRITE_FAILURE","features":[308]},{"name":"STATUS_FT_WRITE_RECOVERY","features":[308]},{"name":"STATUS_FULLSCREEN_MODE","features":[308]},{"name":"STATUS_FVE_ACTION_NOT_ALLOWED","features":[308]},{"name":"STATUS_FVE_AUTH_INVALID_APPLICATION","features":[308]},{"name":"STATUS_FVE_AUTH_INVALID_CONFIG","features":[308]},{"name":"STATUS_FVE_BAD_DATA","features":[308]},{"name":"STATUS_FVE_BAD_INFORMATION","features":[308]},{"name":"STATUS_FVE_BAD_METADATA_POINTER","features":[308]},{"name":"STATUS_FVE_BAD_PARTITION_SIZE","features":[308]},{"name":"STATUS_FVE_CONV_READ_ERROR","features":[308]},{"name":"STATUS_FVE_CONV_RECOVERY_FAILED","features":[308]},{"name":"STATUS_FVE_CONV_WRITE_ERROR","features":[308]},{"name":"STATUS_FVE_DATASET_FULL","features":[308]},{"name":"STATUS_FVE_DEBUGGER_ENABLED","features":[308]},{"name":"STATUS_FVE_DEVICE_LOCKEDOUT","features":[308]},{"name":"STATUS_FVE_DRY_RUN_FAILED","features":[308]},{"name":"STATUS_FVE_EDRIVE_BAND_ENUMERATION_FAILED","features":[308]},{"name":"STATUS_FVE_EDRIVE_DRY_RUN_FAILED","features":[308]},{"name":"STATUS_FVE_ENH_PIN_INVALID","features":[308]},{"name":"STATUS_FVE_FAILED_AUTHENTICATION","features":[308]},{"name":"STATUS_FVE_FAILED_SECTOR_SIZE","features":[308]},{"name":"STATUS_FVE_FAILED_WRONG_FS","features":[308]},{"name":"STATUS_FVE_FS_MOUNTED","features":[308]},{"name":"STATUS_FVE_FS_NOT_EXTENDED","features":[308]},{"name":"STATUS_FVE_FULL_ENCRYPTION_NOT_ALLOWED_ON_TP_STORAGE","features":[308]},{"name":"STATUS_FVE_INVALID_DATUM_TYPE","features":[308]},{"name":"STATUS_FVE_KEYFILE_INVALID","features":[308]},{"name":"STATUS_FVE_KEYFILE_NOT_FOUND","features":[308]},{"name":"STATUS_FVE_KEYFILE_NO_VMK","features":[308]},{"name":"STATUS_FVE_LOCKED_VOLUME","features":[308]},{"name":"STATUS_FVE_METADATA_FULL","features":[308]},{"name":"STATUS_FVE_MOR_FAILED","features":[308]},{"name":"STATUS_FVE_NOT_ALLOWED_ON_CLUSTER","features":[308]},{"name":"STATUS_FVE_NOT_ALLOWED_ON_CSV_STACK","features":[308]},{"name":"STATUS_FVE_NOT_ALLOWED_TO_UPGRADE_WHILE_CONVERTING","features":[308]},{"name":"STATUS_FVE_NOT_DATA_VOLUME","features":[308]},{"name":"STATUS_FVE_NOT_DE_VOLUME","features":[308]},{"name":"STATUS_FVE_NOT_ENCRYPTED","features":[308]},{"name":"STATUS_FVE_NOT_OS_VOLUME","features":[308]},{"name":"STATUS_FVE_NO_AUTOUNLOCK_MASTER_KEY","features":[308]},{"name":"STATUS_FVE_NO_FEATURE_LICENSE","features":[308]},{"name":"STATUS_FVE_NO_LICENSE","features":[308]},{"name":"STATUS_FVE_OLD_METADATA_COPY","features":[308]},{"name":"STATUS_FVE_OSV_KSR_NOT_ALLOWED","features":[308]},{"name":"STATUS_FVE_OVERLAPPED_UPDATE","features":[308]},{"name":"STATUS_FVE_PARTIAL_METADATA","features":[308]},{"name":"STATUS_FVE_PIN_INVALID","features":[308]},{"name":"STATUS_FVE_POLICY_ON_RDV_EXCLUSION_LIST","features":[308]},{"name":"STATUS_FVE_POLICY_USER_DISABLE_RDV_NOT_ALLOWED","features":[308]},{"name":"STATUS_FVE_PROTECTION_CANNOT_BE_DISABLED","features":[308]},{"name":"STATUS_FVE_PROTECTION_DISABLED","features":[308]},{"name":"STATUS_FVE_RAW_ACCESS","features":[308]},{"name":"STATUS_FVE_RAW_BLOCKED","features":[308]},{"name":"STATUS_FVE_REBOOT_REQUIRED","features":[308]},{"name":"STATUS_FVE_SECUREBOOT_CONFIG_CHANGE","features":[308]},{"name":"STATUS_FVE_SECUREBOOT_DISABLED","features":[308]},{"name":"STATUS_FVE_TOO_SMALL","features":[308]},{"name":"STATUS_FVE_TPM_DISABLED","features":[308]},{"name":"STATUS_FVE_TPM_INVALID_PCR","features":[308]},{"name":"STATUS_FVE_TPM_NO_VMK","features":[308]},{"name":"STATUS_FVE_TPM_SRK_AUTH_NOT_ZERO","features":[308]},{"name":"STATUS_FVE_TRANSIENT_STATE","features":[308]},{"name":"STATUS_FVE_VIRTUALIZED_SPACE_TOO_BIG","features":[308]},{"name":"STATUS_FVE_VOLUME_EXTEND_PREVENTS_EOW_DECRYPT","features":[308]},{"name":"STATUS_FVE_VOLUME_NOT_BOUND","features":[308]},{"name":"STATUS_FVE_VOLUME_TOO_SMALL","features":[308]},{"name":"STATUS_FVE_WIPE_CANCEL_NOT_APPLICABLE","features":[308]},{"name":"STATUS_FVE_WIPE_NOT_ALLOWED_ON_TP_STORAGE","features":[308]},{"name":"STATUS_FWP_ACTION_INCOMPATIBLE_WITH_LAYER","features":[308]},{"name":"STATUS_FWP_ACTION_INCOMPATIBLE_WITH_SUBLAYER","features":[308]},{"name":"STATUS_FWP_ALREADY_EXISTS","features":[308]},{"name":"STATUS_FWP_BUILTIN_OBJECT","features":[308]},{"name":"STATUS_FWP_CALLOUT_NOTIFICATION_FAILED","features":[308]},{"name":"STATUS_FWP_CALLOUT_NOT_FOUND","features":[308]},{"name":"STATUS_FWP_CANNOT_PEND","features":[308]},{"name":"STATUS_FWP_CONDITION_NOT_FOUND","features":[308]},{"name":"STATUS_FWP_CONNECTIONS_DISABLED","features":[308]},{"name":"STATUS_FWP_CONTEXT_INCOMPATIBLE_WITH_CALLOUT","features":[308]},{"name":"STATUS_FWP_CONTEXT_INCOMPATIBLE_WITH_LAYER","features":[308]},{"name":"STATUS_FWP_DROP_NOICMP","features":[308]},{"name":"STATUS_FWP_DUPLICATE_AUTH_METHOD","features":[308]},{"name":"STATUS_FWP_DUPLICATE_CONDITION","features":[308]},{"name":"STATUS_FWP_DUPLICATE_KEYMOD","features":[308]},{"name":"STATUS_FWP_DYNAMIC_SESSION_IN_PROGRESS","features":[308]},{"name":"STATUS_FWP_EM_NOT_SUPPORTED","features":[308]},{"name":"STATUS_FWP_FILTER_NOT_FOUND","features":[308]},{"name":"STATUS_FWP_IKEEXT_NOT_RUNNING","features":[308]},{"name":"STATUS_FWP_INCOMPATIBLE_AUTH_METHOD","features":[308]},{"name":"STATUS_FWP_INCOMPATIBLE_CIPHER_TRANSFORM","features":[308]},{"name":"STATUS_FWP_INCOMPATIBLE_DH_GROUP","features":[308]},{"name":"STATUS_FWP_INCOMPATIBLE_LAYER","features":[308]},{"name":"STATUS_FWP_INCOMPATIBLE_SA_STATE","features":[308]},{"name":"STATUS_FWP_INCOMPATIBLE_TXN","features":[308]},{"name":"STATUS_FWP_INJECT_HANDLE_CLOSING","features":[308]},{"name":"STATUS_FWP_INJECT_HANDLE_STALE","features":[308]},{"name":"STATUS_FWP_INVALID_ACTION_TYPE","features":[308]},{"name":"STATUS_FWP_INVALID_AUTH_TRANSFORM","features":[308]},{"name":"STATUS_FWP_INVALID_CIPHER_TRANSFORM","features":[308]},{"name":"STATUS_FWP_INVALID_DNS_NAME","features":[308]},{"name":"STATUS_FWP_INVALID_ENUMERATOR","features":[308]},{"name":"STATUS_FWP_INVALID_FLAGS","features":[308]},{"name":"STATUS_FWP_INVALID_INTERVAL","features":[308]},{"name":"STATUS_FWP_INVALID_NET_MASK","features":[308]},{"name":"STATUS_FWP_INVALID_PARAMETER","features":[308]},{"name":"STATUS_FWP_INVALID_RANGE","features":[308]},{"name":"STATUS_FWP_INVALID_TRANSFORM_COMBINATION","features":[308]},{"name":"STATUS_FWP_INVALID_TUNNEL_ENDPOINT","features":[308]},{"name":"STATUS_FWP_INVALID_WEIGHT","features":[308]},{"name":"STATUS_FWP_IN_USE","features":[308]},{"name":"STATUS_FWP_KEY_DICTATION_INVALID_KEYING_MATERIAL","features":[308]},{"name":"STATUS_FWP_KEY_DICTATOR_ALREADY_REGISTERED","features":[308]},{"name":"STATUS_FWP_KM_CLIENTS_ONLY","features":[308]},{"name":"STATUS_FWP_L2_DRIVER_NOT_READY","features":[308]},{"name":"STATUS_FWP_LAYER_NOT_FOUND","features":[308]},{"name":"STATUS_FWP_LIFETIME_MISMATCH","features":[308]},{"name":"STATUS_FWP_MATCH_TYPE_MISMATCH","features":[308]},{"name":"STATUS_FWP_NET_EVENTS_DISABLED","features":[308]},{"name":"STATUS_FWP_NEVER_MATCH","features":[308]},{"name":"STATUS_FWP_NOTIFICATION_DROPPED","features":[308]},{"name":"STATUS_FWP_NOT_FOUND","features":[308]},{"name":"STATUS_FWP_NO_TXN_IN_PROGRESS","features":[308]},{"name":"STATUS_FWP_NULL_DISPLAY_NAME","features":[308]},{"name":"STATUS_FWP_NULL_POINTER","features":[308]},{"name":"STATUS_FWP_OUT_OF_BOUNDS","features":[308]},{"name":"STATUS_FWP_PROVIDER_CONTEXT_MISMATCH","features":[308]},{"name":"STATUS_FWP_PROVIDER_CONTEXT_NOT_FOUND","features":[308]},{"name":"STATUS_FWP_PROVIDER_NOT_FOUND","features":[308]},{"name":"STATUS_FWP_RESERVED","features":[308]},{"name":"STATUS_FWP_SESSION_ABORTED","features":[308]},{"name":"STATUS_FWP_STILL_ON","features":[308]},{"name":"STATUS_FWP_SUBLAYER_NOT_FOUND","features":[308]},{"name":"STATUS_FWP_TCPIP_NOT_READY","features":[308]},{"name":"STATUS_FWP_TIMEOUT","features":[308]},{"name":"STATUS_FWP_TOO_MANY_CALLOUTS","features":[308]},{"name":"STATUS_FWP_TOO_MANY_SUBLAYERS","features":[308]},{"name":"STATUS_FWP_TRAFFIC_MISMATCH","features":[308]},{"name":"STATUS_FWP_TXN_ABORTED","features":[308]},{"name":"STATUS_FWP_TXN_IN_PROGRESS","features":[308]},{"name":"STATUS_FWP_TYPE_MISMATCH","features":[308]},{"name":"STATUS_FWP_WRONG_SESSION","features":[308]},{"name":"STATUS_FWP_ZERO_LENGTH_ARRAY","features":[308]},{"name":"STATUS_GDI_HANDLE_LEAK","features":[308]},{"name":"STATUS_GENERIC_COMMAND_FAILED","features":[308]},{"name":"STATUS_GENERIC_NOT_MAPPED","features":[308]},{"name":"STATUS_GHOSTED","features":[308]},{"name":"STATUS_GPIO_CLIENT_INFORMATION_INVALID","features":[308]},{"name":"STATUS_GPIO_INCOMPATIBLE_CONNECT_MODE","features":[308]},{"name":"STATUS_GPIO_INTERRUPT_ALREADY_UNMASKED","features":[308]},{"name":"STATUS_GPIO_INVALID_REGISTRATION_PACKET","features":[308]},{"name":"STATUS_GPIO_OPERATION_DENIED","features":[308]},{"name":"STATUS_GPIO_VERSION_NOT_SUPPORTED","features":[308]},{"name":"STATUS_GRACEFUL_DISCONNECT","features":[308]},{"name":"STATUS_GRAPHICS_ADAPTER_ACCESS_NOT_EXCLUDED","features":[308]},{"name":"STATUS_GRAPHICS_ADAPTER_CHAIN_NOT_READY","features":[308]},{"name":"STATUS_GRAPHICS_ADAPTER_MUST_HAVE_AT_LEAST_ONE_SOURCE","features":[308]},{"name":"STATUS_GRAPHICS_ADAPTER_MUST_HAVE_AT_LEAST_ONE_TARGET","features":[308]},{"name":"STATUS_GRAPHICS_ADAPTER_WAS_RESET","features":[308]},{"name":"STATUS_GRAPHICS_ALLOCATION_BUSY","features":[308]},{"name":"STATUS_GRAPHICS_ALLOCATION_CLOSED","features":[308]},{"name":"STATUS_GRAPHICS_ALLOCATION_CONTENT_LOST","features":[308]},{"name":"STATUS_GRAPHICS_ALLOCATION_INVALID","features":[308]},{"name":"STATUS_GRAPHICS_CANCEL_VIDPN_TOPOLOGY_AUGMENTATION","features":[308]},{"name":"STATUS_GRAPHICS_CANNOTCOLORCONVERT","features":[308]},{"name":"STATUS_GRAPHICS_CANT_ACCESS_ACTIVE_VIDPN","features":[308]},{"name":"STATUS_GRAPHICS_CANT_EVICT_PINNED_ALLOCATION","features":[308]},{"name":"STATUS_GRAPHICS_CANT_LOCK_MEMORY","features":[308]},{"name":"STATUS_GRAPHICS_CANT_RENDER_LOCKED_ALLOCATION","features":[308]},{"name":"STATUS_GRAPHICS_CHAINLINKS_NOT_ENUMERATED","features":[308]},{"name":"STATUS_GRAPHICS_CHAINLINKS_NOT_POWERED_ON","features":[308]},{"name":"STATUS_GRAPHICS_CHAINLINKS_NOT_STARTED","features":[308]},{"name":"STATUS_GRAPHICS_CHILD_DESCRIPTOR_NOT_SUPPORTED","features":[308]},{"name":"STATUS_GRAPHICS_CLIENTVIDPN_NOT_SET","features":[308]},{"name":"STATUS_GRAPHICS_COPP_NOT_SUPPORTED","features":[308]},{"name":"STATUS_GRAPHICS_DATASET_IS_EMPTY","features":[308]},{"name":"STATUS_GRAPHICS_DDCCI_INVALID_CAPABILITIES_STRING","features":[308]},{"name":"STATUS_GRAPHICS_DDCCI_INVALID_DATA","features":[308]},{"name":"STATUS_GRAPHICS_DDCCI_INVALID_MESSAGE_CHECKSUM","features":[308]},{"name":"STATUS_GRAPHICS_DDCCI_INVALID_MESSAGE_COMMAND","features":[308]},{"name":"STATUS_GRAPHICS_DDCCI_INVALID_MESSAGE_LENGTH","features":[308]},{"name":"STATUS_GRAPHICS_DDCCI_MONITOR_RETURNED_INVALID_TIMING_STATUS_BYTE","features":[308]},{"name":"STATUS_GRAPHICS_DDCCI_VCP_NOT_SUPPORTED","features":[308]},{"name":"STATUS_GRAPHICS_DEPENDABLE_CHILD_STATUS","features":[308]},{"name":"STATUS_GRAPHICS_DISPLAY_DEVICE_NOT_ATTACHED_TO_DESKTOP","features":[308]},{"name":"STATUS_GRAPHICS_DRIVER_MISMATCH","features":[308]},{"name":"STATUS_GRAPHICS_EMPTY_ADAPTER_MONITOR_MODE_SUPPORT_INTERSECTION","features":[308]},{"name":"STATUS_GRAPHICS_FREQUENCYRANGE_ALREADY_IN_SET","features":[308]},{"name":"STATUS_GRAPHICS_FREQUENCYRANGE_NOT_IN_SET","features":[308]},{"name":"STATUS_GRAPHICS_GAMMA_RAMP_NOT_SUPPORTED","features":[308]},{"name":"STATUS_GRAPHICS_GPU_EXCEPTION_ON_DEVICE","features":[308]},{"name":"STATUS_GRAPHICS_I2C_DEVICE_DOES_NOT_EXIST","features":[308]},{"name":"STATUS_GRAPHICS_I2C_ERROR_RECEIVING_DATA","features":[308]},{"name":"STATUS_GRAPHICS_I2C_ERROR_TRANSMITTING_DATA","features":[308]},{"name":"STATUS_GRAPHICS_I2C_NOT_SUPPORTED","features":[308]},{"name":"STATUS_GRAPHICS_INCOMPATIBLE_PRIVATE_FORMAT","features":[308]},{"name":"STATUS_GRAPHICS_INCONSISTENT_DEVICE_LINK_STATE","features":[308]},{"name":"STATUS_GRAPHICS_INDIRECT_DISPLAY_ABANDON_SWAPCHAIN","features":[308]},{"name":"STATUS_GRAPHICS_INDIRECT_DISPLAY_DEVICE_STOPPED","features":[308]},{"name":"STATUS_GRAPHICS_INSUFFICIENT_DMA_BUFFER","features":[308]},{"name":"STATUS_GRAPHICS_INTERNAL_ERROR","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_ACTIVE_REGION","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_ALLOCATION_HANDLE","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_ALLOCATION_INSTANCE","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_ALLOCATION_USAGE","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_CLIENT_TYPE","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_COLORBASIS","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_COPYPROTECTION_TYPE","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_DISPLAY_ADAPTER","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_DRIVER_MODEL","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_FREQUENCY","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_GAMMA_RAMP","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_MODE_PRUNING_ALGORITHM","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_MONITORDESCRIPTOR","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_MONITORDESCRIPTORSET","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_MONITOR_CAPABILITY_ORIGIN","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_MONITOR_FREQUENCYRANGE","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_MONITOR_FREQUENCYRANGESET","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_MONITOR_FREQUENCYRANGE_CONSTRAINT","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_MONITOR_SOURCEMODESET","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_MONITOR_SOURCE_MODE","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_PATH_CONTENT_GEOMETRY_TRANSFORMATION","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_PATH_CONTENT_TYPE","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_PATH_IMPORTANCE_ORDINAL","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_PHYSICAL_MONITOR_HANDLE","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_PIXELFORMAT","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_PIXELVALUEACCESSMODE","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_POINTER","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_PRIMARYSURFACE_SIZE","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_SCANLINE_ORDERING","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_STRIDE","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_TOTAL_REGION","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_VIDEOPRESENTSOURCESET","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_VIDEOPRESENTTARGETSET","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_VIDEO_PRESENT_SOURCE","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_VIDEO_PRESENT_SOURCE_MODE","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_VIDEO_PRESENT_TARGET","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_VIDEO_PRESENT_TARGET_MODE","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_VIDPN","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_VIDPN_PRESENT_PATH","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_VIDPN_SOURCEMODESET","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_VIDPN_TARGETMODESET","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_VIDPN_TARGET_SUBSET_TYPE","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_VIDPN_TOPOLOGY","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_VIDPN_TOPOLOGY_RECOMMENDATION_REASON","features":[308]},{"name":"STATUS_GRAPHICS_INVALID_VISIBLEREGION_SIZE","features":[308]},{"name":"STATUS_GRAPHICS_LEADLINK_NOT_ENUMERATED","features":[308]},{"name":"STATUS_GRAPHICS_LEADLINK_START_DEFERRED","features":[308]},{"name":"STATUS_GRAPHICS_LINK_CONFIGURATION_IN_PROGRESS","features":[308]},{"name":"STATUS_GRAPHICS_MAX_NUM_PATHS_REACHED","features":[308]},{"name":"STATUS_GRAPHICS_MCA_INTERNAL_ERROR","features":[308]},{"name":"STATUS_GRAPHICS_MIRRORING_DEVICES_NOT_SUPPORTED","features":[308]},{"name":"STATUS_GRAPHICS_MODE_ALREADY_IN_MODESET","features":[308]},{"name":"STATUS_GRAPHICS_MODE_ID_MUST_BE_UNIQUE","features":[308]},{"name":"STATUS_GRAPHICS_MODE_NOT_IN_MODESET","features":[308]},{"name":"STATUS_GRAPHICS_MODE_NOT_PINNED","features":[308]},{"name":"STATUS_GRAPHICS_MONITORDESCRIPTOR_ALREADY_IN_SET","features":[308]},{"name":"STATUS_GRAPHICS_MONITORDESCRIPTOR_ID_MUST_BE_UNIQUE","features":[308]},{"name":"STATUS_GRAPHICS_MONITORDESCRIPTOR_NOT_IN_SET","features":[308]},{"name":"STATUS_GRAPHICS_MONITOR_COULD_NOT_BE_ASSOCIATED_WITH_ADAPTER","features":[308]},{"name":"STATUS_GRAPHICS_MONITOR_NOT_CONNECTED","features":[308]},{"name":"STATUS_GRAPHICS_MONITOR_NO_LONGER_EXISTS","features":[308]},{"name":"STATUS_GRAPHICS_MPO_ALLOCATION_UNPINNED","features":[308]},{"name":"STATUS_GRAPHICS_MULTISAMPLING_NOT_SUPPORTED","features":[308]},{"name":"STATUS_GRAPHICS_NOT_A_LINKED_ADAPTER","features":[308]},{"name":"STATUS_GRAPHICS_NOT_EXCLUSIVE_MODE_OWNER","features":[308]},{"name":"STATUS_GRAPHICS_NOT_POST_DEVICE_DRIVER","features":[308]},{"name":"STATUS_GRAPHICS_NO_ACTIVE_VIDPN","features":[308]},{"name":"STATUS_GRAPHICS_NO_AVAILABLE_IMPORTANCE_ORDINALS","features":[308]},{"name":"STATUS_GRAPHICS_NO_AVAILABLE_VIDPN_TARGET","features":[308]},{"name":"STATUS_GRAPHICS_NO_DISPLAY_DEVICE_CORRESPONDS_TO_NAME","features":[308]},{"name":"STATUS_GRAPHICS_NO_DISPLAY_MODE_MANAGEMENT_SUPPORT","features":[308]},{"name":"STATUS_GRAPHICS_NO_MONITORS_CORRESPOND_TO_DISPLAY_DEVICE","features":[308]},{"name":"STATUS_GRAPHICS_NO_MORE_ELEMENTS_IN_DATASET","features":[308]},{"name":"STATUS_GRAPHICS_NO_PREFERRED_MODE","features":[308]},{"name":"STATUS_GRAPHICS_NO_RECOMMENDED_FUNCTIONAL_VIDPN","features":[308]},{"name":"STATUS_GRAPHICS_NO_RECOMMENDED_VIDPN_TOPOLOGY","features":[308]},{"name":"STATUS_GRAPHICS_NO_VIDEO_MEMORY","features":[308]},{"name":"STATUS_GRAPHICS_NO_VIDPNMGR","features":[308]},{"name":"STATUS_GRAPHICS_ONLY_CONSOLE_SESSION_SUPPORTED","features":[308]},{"name":"STATUS_GRAPHICS_OPM_ALL_HDCP_HARDWARE_ALREADY_IN_USE","features":[308]},{"name":"STATUS_GRAPHICS_OPM_DRIVER_INTERNAL_ERROR","features":[308]},{"name":"STATUS_GRAPHICS_OPM_HDCP_SRM_NEVER_SET","features":[308]},{"name":"STATUS_GRAPHICS_OPM_INTERNAL_ERROR","features":[308]},{"name":"STATUS_GRAPHICS_OPM_INVALID_CONFIGURATION_REQUEST","features":[308]},{"name":"STATUS_GRAPHICS_OPM_INVALID_ENCRYPTED_PARAMETERS","features":[308]},{"name":"STATUS_GRAPHICS_OPM_INVALID_HANDLE","features":[308]},{"name":"STATUS_GRAPHICS_OPM_INVALID_INFORMATION_REQUEST","features":[308]},{"name":"STATUS_GRAPHICS_OPM_INVALID_SRM","features":[308]},{"name":"STATUS_GRAPHICS_OPM_NOT_SUPPORTED","features":[308]},{"name":"STATUS_GRAPHICS_OPM_NO_PROTECTED_OUTPUTS_EXIST","features":[308]},{"name":"STATUS_GRAPHICS_OPM_OUTPUT_DOES_NOT_SUPPORT_ACP","features":[308]},{"name":"STATUS_GRAPHICS_OPM_OUTPUT_DOES_NOT_SUPPORT_CGMSA","features":[308]},{"name":"STATUS_GRAPHICS_OPM_OUTPUT_DOES_NOT_SUPPORT_HDCP","features":[308]},{"name":"STATUS_GRAPHICS_OPM_PROTECTED_OUTPUT_DOES_NOT_HAVE_COPP_SEMANTICS","features":[308]},{"name":"STATUS_GRAPHICS_OPM_PROTECTED_OUTPUT_DOES_NOT_HAVE_OPM_SEMANTICS","features":[308]},{"name":"STATUS_GRAPHICS_OPM_PROTECTED_OUTPUT_NO_LONGER_EXISTS","features":[308]},{"name":"STATUS_GRAPHICS_OPM_RESOLUTION_TOO_HIGH","features":[308]},{"name":"STATUS_GRAPHICS_OPM_SIGNALING_NOT_SUPPORTED","features":[308]},{"name":"STATUS_GRAPHICS_OPM_SPANNING_MODE_ENABLED","features":[308]},{"name":"STATUS_GRAPHICS_OPM_THEATER_MODE_ENABLED","features":[308]},{"name":"STATUS_GRAPHICS_PARAMETER_ARRAY_TOO_SMALL","features":[308]},{"name":"STATUS_GRAPHICS_PARTIAL_DATA_POPULATED","features":[308]},{"name":"STATUS_GRAPHICS_PATH_ALREADY_IN_TOPOLOGY","features":[308]},{"name":"STATUS_GRAPHICS_PATH_CONTENT_GEOMETRY_TRANSFORMATION_NOT_PINNED","features":[308]},{"name":"STATUS_GRAPHICS_PATH_CONTENT_GEOMETRY_TRANSFORMATION_NOT_SUPPORTED","features":[308]},{"name":"STATUS_GRAPHICS_PATH_NOT_IN_TOPOLOGY","features":[308]},{"name":"STATUS_GRAPHICS_PINNED_MODE_MUST_REMAIN_IN_SET","features":[308]},{"name":"STATUS_GRAPHICS_POLLING_TOO_FREQUENTLY","features":[308]},{"name":"STATUS_GRAPHICS_PRESENT_BUFFER_NOT_BOUND","features":[308]},{"name":"STATUS_GRAPHICS_PRESENT_DENIED","features":[308]},{"name":"STATUS_GRAPHICS_PRESENT_INVALID_WINDOW","features":[308]},{"name":"STATUS_GRAPHICS_PRESENT_MODE_CHANGED","features":[308]},{"name":"STATUS_GRAPHICS_PRESENT_OCCLUDED","features":[308]},{"name":"STATUS_GRAPHICS_PRESENT_REDIRECTION_DISABLED","features":[308]},{"name":"STATUS_GRAPHICS_PRESENT_UNOCCLUDED","features":[308]},{"name":"STATUS_GRAPHICS_PVP_HFS_FAILED","features":[308]},{"name":"STATUS_GRAPHICS_PVP_INVALID_CERTIFICATE_LENGTH","features":[308]},{"name":"STATUS_GRAPHICS_RESOURCES_NOT_RELATED","features":[308]},{"name":"STATUS_GRAPHICS_SESSION_TYPE_CHANGE_IN_PROGRESS","features":[308]},{"name":"STATUS_GRAPHICS_SKIP_ALLOCATION_PREPARATION","features":[308]},{"name":"STATUS_GRAPHICS_SOURCE_ALREADY_IN_SET","features":[308]},{"name":"STATUS_GRAPHICS_SOURCE_ID_MUST_BE_UNIQUE","features":[308]},{"name":"STATUS_GRAPHICS_SOURCE_NOT_IN_TOPOLOGY","features":[308]},{"name":"STATUS_GRAPHICS_SPECIFIED_CHILD_ALREADY_CONNECTED","features":[308]},{"name":"STATUS_GRAPHICS_STALE_MODESET","features":[308]},{"name":"STATUS_GRAPHICS_STALE_VIDPN_TOPOLOGY","features":[308]},{"name":"STATUS_GRAPHICS_START_DEFERRED","features":[308]},{"name":"STATUS_GRAPHICS_TARGET_ALREADY_IN_SET","features":[308]},{"name":"STATUS_GRAPHICS_TARGET_ID_MUST_BE_UNIQUE","features":[308]},{"name":"STATUS_GRAPHICS_TARGET_NOT_IN_TOPOLOGY","features":[308]},{"name":"STATUS_GRAPHICS_TOO_MANY_REFERENCES","features":[308]},{"name":"STATUS_GRAPHICS_TOPOLOGY_CHANGES_NOT_ALLOWED","features":[308]},{"name":"STATUS_GRAPHICS_TRY_AGAIN_LATER","features":[308]},{"name":"STATUS_GRAPHICS_TRY_AGAIN_NOW","features":[308]},{"name":"STATUS_GRAPHICS_UAB_NOT_SUPPORTED","features":[308]},{"name":"STATUS_GRAPHICS_UNASSIGNED_MODESET_ALREADY_EXISTS","features":[308]},{"name":"STATUS_GRAPHICS_UNKNOWN_CHILD_STATUS","features":[308]},{"name":"STATUS_GRAPHICS_UNSWIZZLING_APERTURE_UNAVAILABLE","features":[308]},{"name":"STATUS_GRAPHICS_UNSWIZZLING_APERTURE_UNSUPPORTED","features":[308]},{"name":"STATUS_GRAPHICS_VAIL_STATE_CHANGED","features":[308]},{"name":"STATUS_GRAPHICS_VIDEO_PRESENT_TARGETS_LESS_THAN_SOURCES","features":[308]},{"name":"STATUS_GRAPHICS_VIDPN_MODALITY_NOT_SUPPORTED","features":[308]},{"name":"STATUS_GRAPHICS_VIDPN_SOURCE_IN_USE","features":[308]},{"name":"STATUS_GRAPHICS_VIDPN_TOPOLOGY_CURRENTLY_NOT_SUPPORTED","features":[308]},{"name":"STATUS_GRAPHICS_VIDPN_TOPOLOGY_NOT_SUPPORTED","features":[308]},{"name":"STATUS_GRAPHICS_WINDOWDC_NOT_AVAILABLE","features":[308]},{"name":"STATUS_GRAPHICS_WINDOWLESS_PRESENT_DISABLED","features":[308]},{"name":"STATUS_GRAPHICS_WRONG_ALLOCATION_DEVICE","features":[308]},{"name":"STATUS_GROUP_EXISTS","features":[308]},{"name":"STATUS_GUARD_PAGE_VIOLATION","features":[308]},{"name":"STATUS_GUIDS_EXHAUSTED","features":[308]},{"name":"STATUS_GUID_SUBSTITUTION_MADE","features":[308]},{"name":"STATUS_HANDLES_CLOSED","features":[308]},{"name":"STATUS_HANDLE_NOT_CLOSABLE","features":[308]},{"name":"STATUS_HANDLE_NO_LONGER_VALID","features":[308]},{"name":"STATUS_HANDLE_REVOKED","features":[308]},{"name":"STATUS_HARDWARE_MEMORY_ERROR","features":[308]},{"name":"STATUS_HASH_NOT_PRESENT","features":[308]},{"name":"STATUS_HASH_NOT_SUPPORTED","features":[308]},{"name":"STATUS_HAS_SYSTEM_CRITICAL_FILES","features":[308]},{"name":"STATUS_HDAUDIO_CONNECTION_LIST_NOT_SUPPORTED","features":[308]},{"name":"STATUS_HDAUDIO_EMPTY_CONNECTION_LIST","features":[308]},{"name":"STATUS_HDAUDIO_NO_LOGICAL_DEVICES_CREATED","features":[308]},{"name":"STATUS_HDAUDIO_NULL_LINKED_LIST_ENTRY","features":[308]},{"name":"STATUS_HEAP_CORRUPTION","features":[308]},{"name":"STATUS_HEURISTIC_DAMAGE_POSSIBLE","features":[308]},{"name":"STATUS_HIBERNATED","features":[308]},{"name":"STATUS_HIBERNATION_FAILURE","features":[308]},{"name":"STATUS_HIVE_UNLOADED","features":[308]},{"name":"STATUS_HMAC_NOT_SUPPORTED","features":[308]},{"name":"STATUS_HOPLIMIT_EXCEEDED","features":[308]},{"name":"STATUS_HOST_DOWN","features":[308]},{"name":"STATUS_HOST_UNREACHABLE","features":[308]},{"name":"STATUS_HUNG_DISPLAY_DRIVER_THREAD","features":[308]},{"name":"STATUS_HV_ACCESS_DENIED","features":[308]},{"name":"STATUS_HV_ACKNOWLEDGED","features":[308]},{"name":"STATUS_HV_CALL_PENDING","features":[308]},{"name":"STATUS_HV_CPUID_FEATURE_VALIDATION_ERROR","features":[308]},{"name":"STATUS_HV_CPUID_XSAVE_FEATURE_VALIDATION_ERROR","features":[308]},{"name":"STATUS_HV_DEVICE_NOT_IN_DOMAIN","features":[308]},{"name":"STATUS_HV_EVENT_BUFFER_ALREADY_FREED","features":[308]},{"name":"STATUS_HV_FEATURE_UNAVAILABLE","features":[308]},{"name":"STATUS_HV_INACTIVE","features":[308]},{"name":"STATUS_HV_INSUFFICIENT_BUFFER","features":[308]},{"name":"STATUS_HV_INSUFFICIENT_BUFFERS","features":[308]},{"name":"STATUS_HV_INSUFFICIENT_CONTIGUOUS_MEMORY","features":[308]},{"name":"STATUS_HV_INSUFFICIENT_CONTIGUOUS_MEMORY_MIRRORING","features":[308]},{"name":"STATUS_HV_INSUFFICIENT_CONTIGUOUS_ROOT_MEMORY","features":[308]},{"name":"STATUS_HV_INSUFFICIENT_CONTIGUOUS_ROOT_MEMORY_MIRRORING","features":[308]},{"name":"STATUS_HV_INSUFFICIENT_DEVICE_DOMAINS","features":[308]},{"name":"STATUS_HV_INSUFFICIENT_MEMORY","features":[308]},{"name":"STATUS_HV_INSUFFICIENT_MEMORY_MIRRORING","features":[308]},{"name":"STATUS_HV_INSUFFICIENT_ROOT_MEMORY","features":[308]},{"name":"STATUS_HV_INSUFFICIENT_ROOT_MEMORY_MIRRORING","features":[308]},{"name":"STATUS_HV_INVALID_ALIGNMENT","features":[308]},{"name":"STATUS_HV_INVALID_CONNECTION_ID","features":[308]},{"name":"STATUS_HV_INVALID_CPU_GROUP_ID","features":[308]},{"name":"STATUS_HV_INVALID_CPU_GROUP_STATE","features":[308]},{"name":"STATUS_HV_INVALID_DEVICE_ID","features":[308]},{"name":"STATUS_HV_INVALID_DEVICE_STATE","features":[308]},{"name":"STATUS_HV_INVALID_HYPERCALL_CODE","features":[308]},{"name":"STATUS_HV_INVALID_HYPERCALL_INPUT","features":[308]},{"name":"STATUS_HV_INVALID_LP_INDEX","features":[308]},{"name":"STATUS_HV_INVALID_PARAMETER","features":[308]},{"name":"STATUS_HV_INVALID_PARTITION_ID","features":[308]},{"name":"STATUS_HV_INVALID_PARTITION_STATE","features":[308]},{"name":"STATUS_HV_INVALID_PORT_ID","features":[308]},{"name":"STATUS_HV_INVALID_PROXIMITY_DOMAIN_INFO","features":[308]},{"name":"STATUS_HV_INVALID_REGISTER_VALUE","features":[308]},{"name":"STATUS_HV_INVALID_SAVE_RESTORE_STATE","features":[308]},{"name":"STATUS_HV_INVALID_SYNIC_STATE","features":[308]},{"name":"STATUS_HV_INVALID_VP_INDEX","features":[308]},{"name":"STATUS_HV_INVALID_VP_STATE","features":[308]},{"name":"STATUS_HV_INVALID_VTL_STATE","features":[308]},{"name":"STATUS_HV_MSR_ACCESS_FAILED","features":[308]},{"name":"STATUS_HV_NESTED_VM_EXIT","features":[308]},{"name":"STATUS_HV_NOT_ACKNOWLEDGED","features":[308]},{"name":"STATUS_HV_NOT_ALLOWED_WITH_NESTED_VIRT_ACTIVE","features":[308]},{"name":"STATUS_HV_NOT_PRESENT","features":[308]},{"name":"STATUS_HV_NO_DATA","features":[308]},{"name":"STATUS_HV_NO_RESOURCES","features":[308]},{"name":"STATUS_HV_NX_NOT_DETECTED","features":[308]},{"name":"STATUS_HV_OBJECT_IN_USE","features":[308]},{"name":"STATUS_HV_OPERATION_DENIED","features":[308]},{"name":"STATUS_HV_OPERATION_FAILED","features":[308]},{"name":"STATUS_HV_PAGE_REQUEST_INVALID","features":[308]},{"name":"STATUS_HV_PARTITION_TOO_DEEP","features":[308]},{"name":"STATUS_HV_PENDING_PAGE_REQUESTS","features":[308]},{"name":"STATUS_HV_PROCESSOR_STARTUP_TIMEOUT","features":[308]},{"name":"STATUS_HV_PROPERTY_VALUE_OUT_OF_RANGE","features":[308]},{"name":"STATUS_HV_SMX_ENABLED","features":[308]},{"name":"STATUS_HV_UNKNOWN_PROPERTY","features":[308]},{"name":"STATUS_ILLEGAL_CHARACTER","features":[308]},{"name":"STATUS_ILLEGAL_DLL_RELOCATION","features":[308]},{"name":"STATUS_ILLEGAL_ELEMENT_ADDRESS","features":[308]},{"name":"STATUS_ILLEGAL_FLOAT_CONTEXT","features":[308]},{"name":"STATUS_ILLEGAL_FUNCTION","features":[308]},{"name":"STATUS_ILLEGAL_INSTRUCTION","features":[308]},{"name":"STATUS_ILL_FORMED_PASSWORD","features":[308]},{"name":"STATUS_ILL_FORMED_SERVICE_ENTRY","features":[308]},{"name":"STATUS_IMAGE_ALREADY_LOADED","features":[308]},{"name":"STATUS_IMAGE_ALREADY_LOADED_AS_DLL","features":[308]},{"name":"STATUS_IMAGE_AT_DIFFERENT_BASE","features":[308]},{"name":"STATUS_IMAGE_CERT_EXPIRED","features":[308]},{"name":"STATUS_IMAGE_CERT_REVOKED","features":[308]},{"name":"STATUS_IMAGE_CHECKSUM_MISMATCH","features":[308]},{"name":"STATUS_IMAGE_LOADED_AS_PATCH_IMAGE","features":[308]},{"name":"STATUS_IMAGE_MACHINE_TYPE_MISMATCH","features":[308]},{"name":"STATUS_IMAGE_MACHINE_TYPE_MISMATCH_EXE","features":[308]},{"name":"STATUS_IMAGE_MP_UP_MISMATCH","features":[308]},{"name":"STATUS_IMAGE_NOT_AT_BASE","features":[308]},{"name":"STATUS_IMAGE_SUBSYSTEM_NOT_PRESENT","features":[308]},{"name":"STATUS_IMPLEMENTATION_LIMIT","features":[308]},{"name":"STATUS_INCOMPATIBLE_DRIVER_BLOCKED","features":[308]},{"name":"STATUS_INCOMPATIBLE_FILE_MAP","features":[308]},{"name":"STATUS_INCOMPATIBLE_WITH_GLOBAL_SHORT_NAME_REGISTRY_SETTING","features":[308]},{"name":"STATUS_INCORRECT_ACCOUNT_TYPE","features":[308]},{"name":"STATUS_INDEX_OUT_OF_BOUNDS","features":[308]},{"name":"STATUS_INDOUBT_TRANSACTIONS_EXIST","features":[308]},{"name":"STATUS_INFO_LENGTH_MISMATCH","features":[308]},{"name":"STATUS_INSTANCE_NOT_AVAILABLE","features":[308]},{"name":"STATUS_INSTRUCTION_MISALIGNMENT","features":[308]},{"name":"STATUS_INSUFFICIENT_LOGON_INFO","features":[308]},{"name":"STATUS_INSUFFICIENT_NVRAM_RESOURCES","features":[308]},{"name":"STATUS_INSUFFICIENT_POWER","features":[308]},{"name":"STATUS_INSUFFICIENT_RESOURCES","features":[308]},{"name":"STATUS_INSUFFICIENT_RESOURCE_FOR_SPECIFIED_SHARED_SECTION_SIZE","features":[308]},{"name":"STATUS_INSUFFICIENT_VIRTUAL_ADDR_RESOURCES","features":[308]},{"name":"STATUS_INSUFF_SERVER_RESOURCES","features":[308]},{"name":"STATUS_INTEGER_DIVIDE_BY_ZERO","features":[308]},{"name":"STATUS_INTEGER_OVERFLOW","features":[308]},{"name":"STATUS_INTERMIXED_KERNEL_EA_OPERATION","features":[308]},{"name":"STATUS_INTERNAL_DB_CORRUPTION","features":[308]},{"name":"STATUS_INTERNAL_DB_ERROR","features":[308]},{"name":"STATUS_INTERNAL_ERROR","features":[308]},{"name":"STATUS_INTERRUPTED","features":[308]},{"name":"STATUS_INTERRUPT_STILL_CONNECTED","features":[308]},{"name":"STATUS_INTERRUPT_VECTOR_ALREADY_CONNECTED","features":[308]},{"name":"STATUS_INVALID_ACCOUNT_NAME","features":[308]},{"name":"STATUS_INVALID_ACE_CONDITION","features":[308]},{"name":"STATUS_INVALID_ACL","features":[308]},{"name":"STATUS_INVALID_ADDRESS","features":[308]},{"name":"STATUS_INVALID_ADDRESS_COMPONENT","features":[308]},{"name":"STATUS_INVALID_ADDRESS_WILDCARD","features":[308]},{"name":"STATUS_INVALID_BLOCK_LENGTH","features":[308]},{"name":"STATUS_INVALID_BUFFER_SIZE","features":[308]},{"name":"STATUS_INVALID_CAP","features":[308]},{"name":"STATUS_INVALID_CID","features":[308]},{"name":"STATUS_INVALID_COMPUTER_NAME","features":[308]},{"name":"STATUS_INVALID_CONFIG_VALUE","features":[308]},{"name":"STATUS_INVALID_CONNECTION","features":[308]},{"name":"STATUS_INVALID_CRUNTIME_PARAMETER","features":[308]},{"name":"STATUS_INVALID_DEVICE_OBJECT_PARAMETER","features":[308]},{"name":"STATUS_INVALID_DEVICE_REQUEST","features":[308]},{"name":"STATUS_INVALID_DEVICE_STATE","features":[308]},{"name":"STATUS_INVALID_DISPOSITION","features":[308]},{"name":"STATUS_INVALID_DOMAIN_ROLE","features":[308]},{"name":"STATUS_INVALID_DOMAIN_STATE","features":[308]},{"name":"STATUS_INVALID_EA_FLAG","features":[308]},{"name":"STATUS_INVALID_EA_NAME","features":[308]},{"name":"STATUS_INVALID_EXCEPTION_HANDLER","features":[308]},{"name":"STATUS_INVALID_FIELD_IN_PARAMETER_LIST","features":[308]},{"name":"STATUS_INVALID_FILE_FOR_SECTION","features":[308]},{"name":"STATUS_INVALID_GROUP_ATTRIBUTES","features":[308]},{"name":"STATUS_INVALID_HANDLE","features":[308]},{"name":"STATUS_INVALID_HW_PROFILE","features":[308]},{"name":"STATUS_INVALID_IDN_NORMALIZATION","features":[308]},{"name":"STATUS_INVALID_ID_AUTHORITY","features":[308]},{"name":"STATUS_INVALID_IMAGE_FORMAT","features":[308]},{"name":"STATUS_INVALID_IMAGE_HASH","features":[308]},{"name":"STATUS_INVALID_IMAGE_LE_FORMAT","features":[308]},{"name":"STATUS_INVALID_IMAGE_NE_FORMAT","features":[308]},{"name":"STATUS_INVALID_IMAGE_NOT_MZ","features":[308]},{"name":"STATUS_INVALID_IMAGE_PROTECT","features":[308]},{"name":"STATUS_INVALID_IMAGE_WIN_16","features":[308]},{"name":"STATUS_INVALID_IMAGE_WIN_32","features":[308]},{"name":"STATUS_INVALID_IMAGE_WIN_64","features":[308]},{"name":"STATUS_INVALID_IMPORT_OF_NON_DLL","features":[308]},{"name":"STATUS_INVALID_INFO_CLASS","features":[308]},{"name":"STATUS_INVALID_INITIATOR_TARGET_PATH","features":[308]},{"name":"STATUS_INVALID_KERNEL_INFO_VERSION","features":[308]},{"name":"STATUS_INVALID_LABEL","features":[308]},{"name":"STATUS_INVALID_LDT_DESCRIPTOR","features":[308]},{"name":"STATUS_INVALID_LDT_OFFSET","features":[308]},{"name":"STATUS_INVALID_LDT_SIZE","features":[308]},{"name":"STATUS_INVALID_LEVEL","features":[308]},{"name":"STATUS_INVALID_LOCK_RANGE","features":[308]},{"name":"STATUS_INVALID_LOCK_SEQUENCE","features":[308]},{"name":"STATUS_INVALID_LOGON_HOURS","features":[308]},{"name":"STATUS_INVALID_LOGON_TYPE","features":[308]},{"name":"STATUS_INVALID_MEMBER","features":[308]},{"name":"STATUS_INVALID_MESSAGE","features":[308]},{"name":"STATUS_INVALID_NETWORK_RESPONSE","features":[308]},{"name":"STATUS_INVALID_OFFSET_ALIGNMENT","features":[308]},{"name":"STATUS_INVALID_OPLOCK_PROTOCOL","features":[308]},{"name":"STATUS_INVALID_OWNER","features":[308]},{"name":"STATUS_INVALID_PACKAGE_SID_LENGTH","features":[308]},{"name":"STATUS_INVALID_PAGE_PROTECTION","features":[308]},{"name":"STATUS_INVALID_PARAMETER","features":[308]},{"name":"STATUS_INVALID_PARAMETER_1","features":[308]},{"name":"STATUS_INVALID_PARAMETER_10","features":[308]},{"name":"STATUS_INVALID_PARAMETER_11","features":[308]},{"name":"STATUS_INVALID_PARAMETER_12","features":[308]},{"name":"STATUS_INVALID_PARAMETER_2","features":[308]},{"name":"STATUS_INVALID_PARAMETER_3","features":[308]},{"name":"STATUS_INVALID_PARAMETER_4","features":[308]},{"name":"STATUS_INVALID_PARAMETER_5","features":[308]},{"name":"STATUS_INVALID_PARAMETER_6","features":[308]},{"name":"STATUS_INVALID_PARAMETER_7","features":[308]},{"name":"STATUS_INVALID_PARAMETER_8","features":[308]},{"name":"STATUS_INVALID_PARAMETER_9","features":[308]},{"name":"STATUS_INVALID_PARAMETER_MIX","features":[308]},{"name":"STATUS_INVALID_PEP_INFO_VERSION","features":[308]},{"name":"STATUS_INVALID_PIPE_STATE","features":[308]},{"name":"STATUS_INVALID_PLUGPLAY_DEVICE_PATH","features":[308]},{"name":"STATUS_INVALID_PORT_ATTRIBUTES","features":[308]},{"name":"STATUS_INVALID_PORT_HANDLE","features":[308]},{"name":"STATUS_INVALID_PRIMARY_GROUP","features":[308]},{"name":"STATUS_INVALID_QUOTA_LOWER","features":[308]},{"name":"STATUS_INVALID_READ_MODE","features":[308]},{"name":"STATUS_INVALID_RUNLEVEL_SETTING","features":[308]},{"name":"STATUS_INVALID_SECURITY_DESCR","features":[308]},{"name":"STATUS_INVALID_SERVER_STATE","features":[308]},{"name":"STATUS_INVALID_SESSION","features":[308]},{"name":"STATUS_INVALID_SID","features":[308]},{"name":"STATUS_INVALID_SIGNATURE","features":[308]},{"name":"STATUS_INVALID_STATE_TRANSITION","features":[308]},{"name":"STATUS_INVALID_SUB_AUTHORITY","features":[308]},{"name":"STATUS_INVALID_SYSTEM_SERVICE","features":[308]},{"name":"STATUS_INVALID_TASK_INDEX","features":[308]},{"name":"STATUS_INVALID_TASK_NAME","features":[308]},{"name":"STATUS_INVALID_THREAD","features":[308]},{"name":"STATUS_INVALID_TOKEN","features":[308]},{"name":"STATUS_INVALID_TRANSACTION","features":[308]},{"name":"STATUS_INVALID_UNWIND_TARGET","features":[308]},{"name":"STATUS_INVALID_USER_BUFFER","features":[308]},{"name":"STATUS_INVALID_USER_PRINCIPAL_NAME","features":[308]},{"name":"STATUS_INVALID_VARIANT","features":[308]},{"name":"STATUS_INVALID_VIEW_SIZE","features":[308]},{"name":"STATUS_INVALID_VOLUME_LABEL","features":[308]},{"name":"STATUS_INVALID_WEIGHT","features":[308]},{"name":"STATUS_INVALID_WORKSTATION","features":[308]},{"name":"STATUS_IN_PAGE_ERROR","features":[308]},{"name":"STATUS_IORING_COMPLETION_QUEUE_TOO_BIG","features":[308]},{"name":"STATUS_IORING_COMPLETION_QUEUE_TOO_FULL","features":[308]},{"name":"STATUS_IORING_CORRUPT","features":[308]},{"name":"STATUS_IORING_REQUIRED_FLAG_NOT_SUPPORTED","features":[308]},{"name":"STATUS_IORING_SUBMISSION_QUEUE_FULL","features":[308]},{"name":"STATUS_IORING_SUBMISSION_QUEUE_TOO_BIG","features":[308]},{"name":"STATUS_IORING_SUBMIT_IN_PROGRESS","features":[308]},{"name":"STATUS_IORING_VERSION_NOT_SUPPORTED","features":[308]},{"name":"STATUS_IO_DEVICE_ERROR","features":[308]},{"name":"STATUS_IO_DEVICE_INVALID_DATA","features":[308]},{"name":"STATUS_IO_OPERATION_TIMEOUT","features":[308]},{"name":"STATUS_IO_PREEMPTED","features":[308]},{"name":"STATUS_IO_PRIVILEGE_FAILED","features":[308]},{"name":"STATUS_IO_REISSUE_AS_CACHED","features":[308]},{"name":"STATUS_IO_REPARSE_DATA_INVALID","features":[308]},{"name":"STATUS_IO_REPARSE_TAG_INVALID","features":[308]},{"name":"STATUS_IO_REPARSE_TAG_MISMATCH","features":[308]},{"name":"STATUS_IO_REPARSE_TAG_NOT_HANDLED","features":[308]},{"name":"STATUS_IO_TIMEOUT","features":[308]},{"name":"STATUS_IO_UNALIGNED_WRITE","features":[308]},{"name":"STATUS_IPSEC_AUTH_FIREWALL_DROP","features":[308]},{"name":"STATUS_IPSEC_BAD_SPI","features":[308]},{"name":"STATUS_IPSEC_CLEAR_TEXT_DROP","features":[308]},{"name":"STATUS_IPSEC_DOSP_BLOCK","features":[308]},{"name":"STATUS_IPSEC_DOSP_INVALID_PACKET","features":[308]},{"name":"STATUS_IPSEC_DOSP_KEYMOD_NOT_ALLOWED","features":[308]},{"name":"STATUS_IPSEC_DOSP_MAX_ENTRIES","features":[308]},{"name":"STATUS_IPSEC_DOSP_MAX_PER_IP_RATELIMIT_QUEUES","features":[308]},{"name":"STATUS_IPSEC_DOSP_RECEIVED_MULTICAST","features":[308]},{"name":"STATUS_IPSEC_DOSP_STATE_LOOKUP_FAILED","features":[308]},{"name":"STATUS_IPSEC_INTEGRITY_CHECK_FAILED","features":[308]},{"name":"STATUS_IPSEC_INVALID_PACKET","features":[308]},{"name":"STATUS_IPSEC_QUEUE_OVERFLOW","features":[308]},{"name":"STATUS_IPSEC_REPLAY_CHECK_FAILED","features":[308]},{"name":"STATUS_IPSEC_SA_LIFETIME_EXPIRED","features":[308]},{"name":"STATUS_IPSEC_THROTTLE_DROP","features":[308]},{"name":"STATUS_IPSEC_WRONG_SA","features":[308]},{"name":"STATUS_IP_ADDRESS_CONFLICT1","features":[308]},{"name":"STATUS_IP_ADDRESS_CONFLICT2","features":[308]},{"name":"STATUS_ISSUING_CA_UNTRUSTED","features":[308]},{"name":"STATUS_ISSUING_CA_UNTRUSTED_KDC","features":[308]},{"name":"STATUS_JOB_NOT_EMPTY","features":[308]},{"name":"STATUS_JOB_NO_CONTAINER","features":[308]},{"name":"STATUS_JOURNAL_DELETE_IN_PROGRESS","features":[308]},{"name":"STATUS_JOURNAL_ENTRY_DELETED","features":[308]},{"name":"STATUS_JOURNAL_NOT_ACTIVE","features":[308]},{"name":"STATUS_KDC_CERT_EXPIRED","features":[308]},{"name":"STATUS_KDC_CERT_REVOKED","features":[308]},{"name":"STATUS_KDC_INVALID_REQUEST","features":[308]},{"name":"STATUS_KDC_UNABLE_TO_REFER","features":[308]},{"name":"STATUS_KDC_UNKNOWN_ETYPE","features":[308]},{"name":"STATUS_KERNEL_APC","features":[308]},{"name":"STATUS_KERNEL_EXECUTABLE_MEMORY_WRITE","features":[308]},{"name":"STATUS_KEY_DELETED","features":[308]},{"name":"STATUS_KEY_HAS_CHILDREN","features":[308]},{"name":"STATUS_LAPS_ENCRYPTION_REQUIRES_2016_DFL","features":[308]},{"name":"STATUS_LAPS_LEGACY_SCHEMA_MISSING","features":[308]},{"name":"STATUS_LAPS_SCHEMA_MISSING","features":[308]},{"name":"STATUS_LAST_ADMIN","features":[308]},{"name":"STATUS_LICENSE_QUOTA_EXCEEDED","features":[308]},{"name":"STATUS_LICENSE_VIOLATION","features":[308]},{"name":"STATUS_LINK_FAILED","features":[308]},{"name":"STATUS_LINK_TIMEOUT","features":[308]},{"name":"STATUS_LM_CROSS_ENCRYPTION_REQUIRED","features":[308]},{"name":"STATUS_LOCAL_DISCONNECT","features":[308]},{"name":"STATUS_LOCAL_POLICY_MODIFICATION_NOT_SUPPORTED","features":[308]},{"name":"STATUS_LOCAL_USER_SESSION_KEY","features":[308]},{"name":"STATUS_LOCK_NOT_GRANTED","features":[308]},{"name":"STATUS_LOGIN_TIME_RESTRICTION","features":[308]},{"name":"STATUS_LOGIN_WKSTA_RESTRICTION","features":[308]},{"name":"STATUS_LOGON_NOT_GRANTED","features":[308]},{"name":"STATUS_LOGON_SERVER_CONFLICT","features":[308]},{"name":"STATUS_LOGON_SESSION_COLLISION","features":[308]},{"name":"STATUS_LOGON_SESSION_EXISTS","features":[308]},{"name":"STATUS_LOG_APPENDED_FLUSH_FAILED","features":[308]},{"name":"STATUS_LOG_ARCHIVE_IN_PROGRESS","features":[308]},{"name":"STATUS_LOG_ARCHIVE_NOT_IN_PROGRESS","features":[308]},{"name":"STATUS_LOG_BLOCKS_EXHAUSTED","features":[308]},{"name":"STATUS_LOG_BLOCK_INCOMPLETE","features":[308]},{"name":"STATUS_LOG_BLOCK_INVALID","features":[308]},{"name":"STATUS_LOG_BLOCK_VERSION","features":[308]},{"name":"STATUS_LOG_CANT_DELETE","features":[308]},{"name":"STATUS_LOG_CLIENT_ALREADY_REGISTERED","features":[308]},{"name":"STATUS_LOG_CLIENT_NOT_REGISTERED","features":[308]},{"name":"STATUS_LOG_CONTAINER_LIMIT_EXCEEDED","features":[308]},{"name":"STATUS_LOG_CONTAINER_OPEN_FAILED","features":[308]},{"name":"STATUS_LOG_CONTAINER_READ_FAILED","features":[308]},{"name":"STATUS_LOG_CONTAINER_STATE_INVALID","features":[308]},{"name":"STATUS_LOG_CONTAINER_WRITE_FAILED","features":[308]},{"name":"STATUS_LOG_CORRUPTION_DETECTED","features":[308]},{"name":"STATUS_LOG_DEDICATED","features":[308]},{"name":"STATUS_LOG_EPHEMERAL","features":[308]},{"name":"STATUS_LOG_FILE_FULL","features":[308]},{"name":"STATUS_LOG_FULL","features":[308]},{"name":"STATUS_LOG_FULL_HANDLER_IN_PROGRESS","features":[308]},{"name":"STATUS_LOG_GROWTH_FAILED","features":[308]},{"name":"STATUS_LOG_HARD_ERROR","features":[308]},{"name":"STATUS_LOG_INCONSISTENT_SECURITY","features":[308]},{"name":"STATUS_LOG_INVALID_RANGE","features":[308]},{"name":"STATUS_LOG_METADATA_CORRUPT","features":[308]},{"name":"STATUS_LOG_METADATA_FLUSH_FAILED","features":[308]},{"name":"STATUS_LOG_METADATA_INCONSISTENT","features":[308]},{"name":"STATUS_LOG_METADATA_INVALID","features":[308]},{"name":"STATUS_LOG_MULTIPLEXED","features":[308]},{"name":"STATUS_LOG_NOT_ENOUGH_CONTAINERS","features":[308]},{"name":"STATUS_LOG_NO_RESTART","features":[308]},{"name":"STATUS_LOG_PINNED","features":[308]},{"name":"STATUS_LOG_PINNED_ARCHIVE_TAIL","features":[308]},{"name":"STATUS_LOG_PINNED_RESERVATION","features":[308]},{"name":"STATUS_LOG_POLICY_ALREADY_INSTALLED","features":[308]},{"name":"STATUS_LOG_POLICY_CONFLICT","features":[308]},{"name":"STATUS_LOG_POLICY_INVALID","features":[308]},{"name":"STATUS_LOG_POLICY_NOT_INSTALLED","features":[308]},{"name":"STATUS_LOG_READ_CONTEXT_INVALID","features":[308]},{"name":"STATUS_LOG_READ_MODE_INVALID","features":[308]},{"name":"STATUS_LOG_RECORDS_RESERVED_INVALID","features":[308]},{"name":"STATUS_LOG_RECORD_NONEXISTENT","features":[308]},{"name":"STATUS_LOG_RESERVATION_INVALID","features":[308]},{"name":"STATUS_LOG_RESIZE_INVALID_SIZE","features":[308]},{"name":"STATUS_LOG_RESTART_INVALID","features":[308]},{"name":"STATUS_LOG_SECTOR_INVALID","features":[308]},{"name":"STATUS_LOG_SECTOR_PARITY_INVALID","features":[308]},{"name":"STATUS_LOG_SECTOR_REMAPPED","features":[308]},{"name":"STATUS_LOG_SPACE_RESERVED_INVALID","features":[308]},{"name":"STATUS_LOG_START_OF_LOG","features":[308]},{"name":"STATUS_LOG_STATE_INVALID","features":[308]},{"name":"STATUS_LOG_TAIL_INVALID","features":[308]},{"name":"STATUS_LONGJUMP","features":[308]},{"name":"STATUS_LOST_MODE_LOGON_RESTRICTION","features":[308]},{"name":"STATUS_LOST_WRITEBEHIND_DATA","features":[308]},{"name":"STATUS_LOST_WRITEBEHIND_DATA_LOCAL_DISK_ERROR","features":[308]},{"name":"STATUS_LOST_WRITEBEHIND_DATA_NETWORK_DISCONNECTED","features":[308]},{"name":"STATUS_LOST_WRITEBEHIND_DATA_NETWORK_SERVER_ERROR","features":[308]},{"name":"STATUS_LPAC_ACCESS_DENIED","features":[308]},{"name":"STATUS_LPC_HANDLE_COUNT_EXCEEDED","features":[308]},{"name":"STATUS_LPC_INVALID_CONNECTION_USAGE","features":[308]},{"name":"STATUS_LPC_RECEIVE_BUFFER_EXPECTED","features":[308]},{"name":"STATUS_LPC_REPLY_LOST","features":[308]},{"name":"STATUS_LPC_REQUESTS_NOT_ALLOWED","features":[308]},{"name":"STATUS_LUIDS_EXHAUSTED","features":[308]},{"name":"STATUS_MAGAZINE_NOT_PRESENT","features":[308]},{"name":"STATUS_MAPPED_ALIGNMENT","features":[308]},{"name":"STATUS_MAPPED_FILE_SIZE_ZERO","features":[308]},{"name":"STATUS_MARKED_TO_DISALLOW_WRITES","features":[308]},{"name":"STATUS_MARSHALL_OVERFLOW","features":[308]},{"name":"STATUS_MAX_REFERRALS_EXCEEDED","features":[308]},{"name":"STATUS_MCA_EXCEPTION","features":[308]},{"name":"STATUS_MCA_OCCURED","features":[308]},{"name":"STATUS_MEDIA_CHANGED","features":[308]},{"name":"STATUS_MEDIA_CHECK","features":[308]},{"name":"STATUS_MEDIA_WRITE_PROTECTED","features":[308]},{"name":"STATUS_MEMBERS_PRIMARY_GROUP","features":[308]},{"name":"STATUS_MEMBER_IN_ALIAS","features":[308]},{"name":"STATUS_MEMBER_IN_GROUP","features":[308]},{"name":"STATUS_MEMBER_NOT_IN_ALIAS","features":[308]},{"name":"STATUS_MEMBER_NOT_IN_GROUP","features":[308]},{"name":"STATUS_MEMORY_NOT_ALLOCATED","features":[308]},{"name":"STATUS_MESSAGE_LOST","features":[308]},{"name":"STATUS_MESSAGE_NOT_FOUND","features":[308]},{"name":"STATUS_MESSAGE_RETRIEVED","features":[308]},{"name":"STATUS_MFT_TOO_FRAGMENTED","features":[308]},{"name":"STATUS_MINIVERSION_INACCESSIBLE_FROM_SPECIFIED_TRANSACTION","features":[308]},{"name":"STATUS_MISSING_SYSTEMFILE","features":[308]},{"name":"STATUS_MONITOR_INVALID_DESCRIPTOR_CHECKSUM","features":[308]},{"name":"STATUS_MONITOR_INVALID_DETAILED_TIMING_BLOCK","features":[308]},{"name":"STATUS_MONITOR_INVALID_MANUFACTURE_DATE","features":[308]},{"name":"STATUS_MONITOR_INVALID_SERIAL_NUMBER_MONDSC_BLOCK","features":[308]},{"name":"STATUS_MONITOR_INVALID_STANDARD_TIMING_BLOCK","features":[308]},{"name":"STATUS_MONITOR_INVALID_USER_FRIENDLY_MONDSC_BLOCK","features":[308]},{"name":"STATUS_MONITOR_NO_DESCRIPTOR","features":[308]},{"name":"STATUS_MONITOR_NO_MORE_DESCRIPTOR_DATA","features":[308]},{"name":"STATUS_MONITOR_UNKNOWN_DESCRIPTOR_FORMAT","features":[308]},{"name":"STATUS_MONITOR_WMI_DATABLOCK_REGISTRATION_FAILED","features":[308]},{"name":"STATUS_MORE_ENTRIES","features":[308]},{"name":"STATUS_MORE_PROCESSING_REQUIRED","features":[308]},{"name":"STATUS_MOUNT_POINT_NOT_RESOLVED","features":[308]},{"name":"STATUS_MP_PROCESSOR_MISMATCH","features":[308]},{"name":"STATUS_MUI_FILE_NOT_FOUND","features":[308]},{"name":"STATUS_MUI_FILE_NOT_LOADED","features":[308]},{"name":"STATUS_MUI_INVALID_FILE","features":[308]},{"name":"STATUS_MUI_INVALID_LOCALE_NAME","features":[308]},{"name":"STATUS_MUI_INVALID_RC_CONFIG","features":[308]},{"name":"STATUS_MUI_INVALID_ULTIMATEFALLBACK_NAME","features":[308]},{"name":"STATUS_MULTIPLE_FAULT_VIOLATION","features":[308]},{"name":"STATUS_MUST_BE_KDC","features":[308]},{"name":"STATUS_MUTANT_LIMIT_EXCEEDED","features":[308]},{"name":"STATUS_MUTANT_NOT_OWNED","features":[308]},{"name":"STATUS_MUTUAL_AUTHENTICATION_FAILED","features":[308]},{"name":"STATUS_NAME_TOO_LONG","features":[308]},{"name":"STATUS_NDIS_ADAPTER_NOT_FOUND","features":[308]},{"name":"STATUS_NDIS_ADAPTER_NOT_READY","features":[308]},{"name":"STATUS_NDIS_ADAPTER_REMOVED","features":[308]},{"name":"STATUS_NDIS_ALREADY_MAPPED","features":[308]},{"name":"STATUS_NDIS_BAD_CHARACTERISTICS","features":[308]},{"name":"STATUS_NDIS_BAD_VERSION","features":[308]},{"name":"STATUS_NDIS_BUFFER_TOO_SHORT","features":[308]},{"name":"STATUS_NDIS_CLOSING","features":[308]},{"name":"STATUS_NDIS_DEVICE_FAILED","features":[308]},{"name":"STATUS_NDIS_DOT11_AP_BAND_CURRENTLY_NOT_AVAILABLE","features":[308]},{"name":"STATUS_NDIS_DOT11_AP_BAND_NOT_ALLOWED","features":[308]},{"name":"STATUS_NDIS_DOT11_AP_CHANNEL_CURRENTLY_NOT_AVAILABLE","features":[308]},{"name":"STATUS_NDIS_DOT11_AP_CHANNEL_NOT_ALLOWED","features":[308]},{"name":"STATUS_NDIS_DOT11_AUTO_CONFIG_ENABLED","features":[308]},{"name":"STATUS_NDIS_DOT11_MEDIA_IN_USE","features":[308]},{"name":"STATUS_NDIS_DOT11_POWER_STATE_INVALID","features":[308]},{"name":"STATUS_NDIS_ERROR_READING_FILE","features":[308]},{"name":"STATUS_NDIS_FILE_NOT_FOUND","features":[308]},{"name":"STATUS_NDIS_GROUP_ADDRESS_IN_USE","features":[308]},{"name":"STATUS_NDIS_INDICATION_REQUIRED","features":[308]},{"name":"STATUS_NDIS_INTERFACE_NOT_FOUND","features":[308]},{"name":"STATUS_NDIS_INVALID_ADDRESS","features":[308]},{"name":"STATUS_NDIS_INVALID_DATA","features":[308]},{"name":"STATUS_NDIS_INVALID_DEVICE_REQUEST","features":[308]},{"name":"STATUS_NDIS_INVALID_LENGTH","features":[308]},{"name":"STATUS_NDIS_INVALID_OID","features":[308]},{"name":"STATUS_NDIS_INVALID_PACKET","features":[308]},{"name":"STATUS_NDIS_INVALID_PORT","features":[308]},{"name":"STATUS_NDIS_INVALID_PORT_STATE","features":[308]},{"name":"STATUS_NDIS_LOW_POWER_STATE","features":[308]},{"name":"STATUS_NDIS_MEDIA_DISCONNECTED","features":[308]},{"name":"STATUS_NDIS_MULTICAST_EXISTS","features":[308]},{"name":"STATUS_NDIS_MULTICAST_FULL","features":[308]},{"name":"STATUS_NDIS_MULTICAST_NOT_FOUND","features":[308]},{"name":"STATUS_NDIS_NOT_SUPPORTED","features":[308]},{"name":"STATUS_NDIS_NO_QUEUES","features":[308]},{"name":"STATUS_NDIS_OFFLOAD_CONNECTION_REJECTED","features":[308]},{"name":"STATUS_NDIS_OFFLOAD_PATH_REJECTED","features":[308]},{"name":"STATUS_NDIS_OFFLOAD_POLICY","features":[308]},{"name":"STATUS_NDIS_OPEN_FAILED","features":[308]},{"name":"STATUS_NDIS_PAUSED","features":[308]},{"name":"STATUS_NDIS_PM_PROTOCOL_OFFLOAD_LIST_FULL","features":[308]},{"name":"STATUS_NDIS_PM_WOL_PATTERN_LIST_FULL","features":[308]},{"name":"STATUS_NDIS_REINIT_REQUIRED","features":[308]},{"name":"STATUS_NDIS_REQUEST_ABORTED","features":[308]},{"name":"STATUS_NDIS_RESET_IN_PROGRESS","features":[308]},{"name":"STATUS_NDIS_RESOURCE_CONFLICT","features":[308]},{"name":"STATUS_NDIS_UNSUPPORTED_MEDIA","features":[308]},{"name":"STATUS_NDIS_UNSUPPORTED_REVISION","features":[308]},{"name":"STATUS_ND_QUEUE_OVERFLOW","features":[308]},{"name":"STATUS_NEEDS_REGISTRATION","features":[308]},{"name":"STATUS_NEEDS_REMEDIATION","features":[308]},{"name":"STATUS_NETLOGON_NOT_STARTED","features":[308]},{"name":"STATUS_NETWORK_ACCESS_DENIED","features":[308]},{"name":"STATUS_NETWORK_ACCESS_DENIED_EDP","features":[308]},{"name":"STATUS_NETWORK_AUTHENTICATION_PROMPT_CANCELED","features":[308]},{"name":"STATUS_NETWORK_BUSY","features":[308]},{"name":"STATUS_NETWORK_CREDENTIAL_CONFLICT","features":[308]},{"name":"STATUS_NETWORK_NAME_DELETED","features":[308]},{"name":"STATUS_NETWORK_OPEN_RESTRICTION","features":[308]},{"name":"STATUS_NETWORK_SESSION_EXPIRED","features":[308]},{"name":"STATUS_NETWORK_UNREACHABLE","features":[308]},{"name":"STATUS_NET_WRITE_FAULT","features":[308]},{"name":"STATUS_NOINTERFACE","features":[308]},{"name":"STATUS_NOLOGON_INTERDOMAIN_TRUST_ACCOUNT","features":[308]},{"name":"STATUS_NOLOGON_SERVER_TRUST_ACCOUNT","features":[308]},{"name":"STATUS_NOLOGON_WORKSTATION_TRUST_ACCOUNT","features":[308]},{"name":"STATUS_NONCONTINUABLE_EXCEPTION","features":[308]},{"name":"STATUS_NONEXISTENT_EA_ENTRY","features":[308]},{"name":"STATUS_NONEXISTENT_SECTOR","features":[308]},{"name":"STATUS_NONE_MAPPED","features":[308]},{"name":"STATUS_NOTHING_TO_TERMINATE","features":[308]},{"name":"STATUS_NOTIFICATION_GUID_ALREADY_DEFINED","features":[308]},{"name":"STATUS_NOTIFY_CLEANUP","features":[308]},{"name":"STATUS_NOTIFY_ENUM_DIR","features":[308]},{"name":"STATUS_NOT_ALLOWED_ON_SYSTEM_FILE","features":[308]},{"name":"STATUS_NOT_ALL_ASSIGNED","features":[308]},{"name":"STATUS_NOT_APPCONTAINER","features":[308]},{"name":"STATUS_NOT_A_CLOUD_FILE","features":[308]},{"name":"STATUS_NOT_A_CLOUD_SYNC_ROOT","features":[308]},{"name":"STATUS_NOT_A_DAX_VOLUME","features":[308]},{"name":"STATUS_NOT_A_DEV_VOLUME","features":[308]},{"name":"STATUS_NOT_A_DIRECTORY","features":[308]},{"name":"STATUS_NOT_A_REPARSE_POINT","features":[308]},{"name":"STATUS_NOT_A_TIERED_VOLUME","features":[308]},{"name":"STATUS_NOT_CAPABLE","features":[308]},{"name":"STATUS_NOT_CLIENT_SESSION","features":[308]},{"name":"STATUS_NOT_COMMITTED","features":[308]},{"name":"STATUS_NOT_DAX_MAPPABLE","features":[308]},{"name":"STATUS_NOT_EXPORT_FORMAT","features":[308]},{"name":"STATUS_NOT_FOUND","features":[308]},{"name":"STATUS_NOT_GUI_PROCESS","features":[308]},{"name":"STATUS_NOT_IMPLEMENTED","features":[308]},{"name":"STATUS_NOT_LOCKED","features":[308]},{"name":"STATUS_NOT_LOGON_PROCESS","features":[308]},{"name":"STATUS_NOT_MAPPED_DATA","features":[308]},{"name":"STATUS_NOT_MAPPED_VIEW","features":[308]},{"name":"STATUS_NOT_READ_FROM_COPY","features":[308]},{"name":"STATUS_NOT_REDUNDANT_STORAGE","features":[308]},{"name":"STATUS_NOT_REGISTRY_FILE","features":[308]},{"name":"STATUS_NOT_SAFE_MODE_DRIVER","features":[308]},{"name":"STATUS_NOT_SAME_DEVICE","features":[308]},{"name":"STATUS_NOT_SAME_OBJECT","features":[308]},{"name":"STATUS_NOT_SERVER_SESSION","features":[308]},{"name":"STATUS_NOT_SNAPSHOT_VOLUME","features":[308]},{"name":"STATUS_NOT_SUPPORTED","features":[308]},{"name":"STATUS_NOT_SUPPORTED_IN_APPCONTAINER","features":[308]},{"name":"STATUS_NOT_SUPPORTED_ON_DAX","features":[308]},{"name":"STATUS_NOT_SUPPORTED_ON_SBS","features":[308]},{"name":"STATUS_NOT_SUPPORTED_WITH_AUDITING","features":[308]},{"name":"STATUS_NOT_SUPPORTED_WITH_BTT","features":[308]},{"name":"STATUS_NOT_SUPPORTED_WITH_BYPASSIO","features":[308]},{"name":"STATUS_NOT_SUPPORTED_WITH_CACHED_HANDLE","features":[308]},{"name":"STATUS_NOT_SUPPORTED_WITH_COMPRESSION","features":[308]},{"name":"STATUS_NOT_SUPPORTED_WITH_DEDUPLICATION","features":[308]},{"name":"STATUS_NOT_SUPPORTED_WITH_ENCRYPTION","features":[308]},{"name":"STATUS_NOT_SUPPORTED_WITH_MONITORING","features":[308]},{"name":"STATUS_NOT_SUPPORTED_WITH_REPLICATION","features":[308]},{"name":"STATUS_NOT_SUPPORTED_WITH_SNAPSHOT","features":[308]},{"name":"STATUS_NOT_SUPPORTED_WITH_VIRTUALIZATION","features":[308]},{"name":"STATUS_NOT_TINY_STREAM","features":[308]},{"name":"STATUS_NO_ACE_CONDITION","features":[308]},{"name":"STATUS_NO_APPLICABLE_APP_LICENSES_FOUND","features":[308]},{"name":"STATUS_NO_APPLICATION_PACKAGE","features":[308]},{"name":"STATUS_NO_BROWSER_SERVERS_FOUND","features":[308]},{"name":"STATUS_NO_BYPASSIO_DRIVER_SUPPORT","features":[308]},{"name":"STATUS_NO_CALLBACK_ACTIVE","features":[308]},{"name":"STATUS_NO_DATA_DETECTED","features":[308]},{"name":"STATUS_NO_EAS_ON_FILE","features":[308]},{"name":"STATUS_NO_EFS","features":[308]},{"name":"STATUS_NO_EVENT_PAIR","features":[308]},{"name":"STATUS_NO_GUID_TRANSLATION","features":[308]},{"name":"STATUS_NO_IMPERSONATION_TOKEN","features":[308]},{"name":"STATUS_NO_INHERITANCE","features":[308]},{"name":"STATUS_NO_IP_ADDRESSES","features":[308]},{"name":"STATUS_NO_KERB_KEY","features":[308]},{"name":"STATUS_NO_KEY","features":[308]},{"name":"STATUS_NO_LDT","features":[308]},{"name":"STATUS_NO_LINK_TRACKING_IN_TRANSACTION","features":[308]},{"name":"STATUS_NO_LOGON_SERVERS","features":[308]},{"name":"STATUS_NO_LOG_SPACE","features":[308]},{"name":"STATUS_NO_MATCH","features":[308]},{"name":"STATUS_NO_MEDIA","features":[308]},{"name":"STATUS_NO_MEDIA_IN_DEVICE","features":[308]},{"name":"STATUS_NO_MEMORY","features":[308]},{"name":"STATUS_NO_MORE_EAS","features":[308]},{"name":"STATUS_NO_MORE_ENTRIES","features":[308]},{"name":"STATUS_NO_MORE_FILES","features":[308]},{"name":"STATUS_NO_MORE_MATCHES","features":[308]},{"name":"STATUS_NO_PAGEFILE","features":[308]},{"name":"STATUS_NO_PA_DATA","features":[308]},{"name":"STATUS_NO_PHYSICALLY_ALIGNED_FREE_SPACE_FOUND","features":[308]},{"name":"STATUS_NO_QUOTAS_FOR_ACCOUNT","features":[308]},{"name":"STATUS_NO_RANGES_PROCESSED","features":[308]},{"name":"STATUS_NO_RECOVERY_POLICY","features":[308]},{"name":"STATUS_NO_S4U_PROT_SUPPORT","features":[308]},{"name":"STATUS_NO_SAVEPOINT_WITH_OPEN_FILES","features":[308]},{"name":"STATUS_NO_SECRETS","features":[308]},{"name":"STATUS_NO_SECURITY_CONTEXT","features":[308]},{"name":"STATUS_NO_SECURITY_ON_OBJECT","features":[308]},{"name":"STATUS_NO_SPOOL_SPACE","features":[308]},{"name":"STATUS_NO_SUCH_ALIAS","features":[308]},{"name":"STATUS_NO_SUCH_DEVICE","features":[308]},{"name":"STATUS_NO_SUCH_DOMAIN","features":[308]},{"name":"STATUS_NO_SUCH_FILE","features":[308]},{"name":"STATUS_NO_SUCH_GROUP","features":[308]},{"name":"STATUS_NO_SUCH_MEMBER","features":[308]},{"name":"STATUS_NO_SUCH_PACKAGE","features":[308]},{"name":"STATUS_NO_SUCH_PRIVILEGE","features":[308]},{"name":"STATUS_NO_TGT_REPLY","features":[308]},{"name":"STATUS_NO_TOKEN","features":[308]},{"name":"STATUS_NO_TRACKING_SERVICE","features":[308]},{"name":"STATUS_NO_TRUST_LSA_SECRET","features":[308]},{"name":"STATUS_NO_TRUST_SAM_ACCOUNT","features":[308]},{"name":"STATUS_NO_TXF_METADATA","features":[308]},{"name":"STATUS_NO_UNICODE_TRANSLATION","features":[308]},{"name":"STATUS_NO_USER_KEYS","features":[308]},{"name":"STATUS_NO_USER_SESSION_KEY","features":[308]},{"name":"STATUS_NO_WORK_DONE","features":[308]},{"name":"STATUS_NO_YIELD_PERFORMED","features":[308]},{"name":"STATUS_NTLM_BLOCKED","features":[308]},{"name":"STATUS_NT_CROSS_ENCRYPTION_REQUIRED","features":[308]},{"name":"STATUS_NULL_LM_PASSWORD","features":[308]},{"name":"STATUS_OBJECTID_EXISTS","features":[308]},{"name":"STATUS_OBJECTID_NOT_FOUND","features":[308]},{"name":"STATUS_OBJECT_IS_IMMUTABLE","features":[308]},{"name":"STATUS_OBJECT_NAME_COLLISION","features":[308]},{"name":"STATUS_OBJECT_NAME_EXISTS","features":[308]},{"name":"STATUS_OBJECT_NAME_INVALID","features":[308]},{"name":"STATUS_OBJECT_NAME_NOT_FOUND","features":[308]},{"name":"STATUS_OBJECT_NOT_EXTERNALLY_BACKED","features":[308]},{"name":"STATUS_OBJECT_NO_LONGER_EXISTS","features":[308]},{"name":"STATUS_OBJECT_PATH_INVALID","features":[308]},{"name":"STATUS_OBJECT_PATH_NOT_FOUND","features":[308]},{"name":"STATUS_OBJECT_PATH_SYNTAX_BAD","features":[308]},{"name":"STATUS_OBJECT_TYPE_MISMATCH","features":[308]},{"name":"STATUS_OFFLOAD_READ_FILE_NOT_SUPPORTED","features":[308]},{"name":"STATUS_OFFLOAD_READ_FLT_NOT_SUPPORTED","features":[308]},{"name":"STATUS_OFFLOAD_WRITE_FILE_NOT_SUPPORTED","features":[308]},{"name":"STATUS_OFFLOAD_WRITE_FLT_NOT_SUPPORTED","features":[308]},{"name":"STATUS_ONLY_IF_CONNECTED","features":[308]},{"name":"STATUS_OPEN_FAILED","features":[308]},{"name":"STATUS_OPERATION_IN_PROGRESS","features":[308]},{"name":"STATUS_OPERATION_NOT_SUPPORTED_IN_TRANSACTION","features":[308]},{"name":"STATUS_OPLOCK_BREAK_IN_PROGRESS","features":[308]},{"name":"STATUS_OPLOCK_HANDLE_CLOSED","features":[308]},{"name":"STATUS_OPLOCK_NOT_GRANTED","features":[308]},{"name":"STATUS_OPLOCK_SWITCHED_TO_NEW_HANDLE","features":[308]},{"name":"STATUS_ORDINAL_NOT_FOUND","features":[308]},{"name":"STATUS_ORPHAN_NAME_EXHAUSTED","features":[308]},{"name":"STATUS_PACKAGE_NOT_AVAILABLE","features":[308]},{"name":"STATUS_PACKAGE_UPDATING","features":[308]},{"name":"STATUS_PAGEFILE_CREATE_FAILED","features":[308]},{"name":"STATUS_PAGEFILE_NOT_SUPPORTED","features":[308]},{"name":"STATUS_PAGEFILE_QUOTA","features":[308]},{"name":"STATUS_PAGEFILE_QUOTA_EXCEEDED","features":[308]},{"name":"STATUS_PAGE_FAULT_COPY_ON_WRITE","features":[308]},{"name":"STATUS_PAGE_FAULT_DEMAND_ZERO","features":[308]},{"name":"STATUS_PAGE_FAULT_GUARD_PAGE","features":[308]},{"name":"STATUS_PAGE_FAULT_PAGING_FILE","features":[308]},{"name":"STATUS_PAGE_FAULT_RETRY","features":[308]},{"name":"STATUS_PAGE_FAULT_TRANSITION","features":[308]},{"name":"STATUS_PARAMETER_QUOTA_EXCEEDED","features":[308]},{"name":"STATUS_PARITY_ERROR","features":[308]},{"name":"STATUS_PARTIAL_COPY","features":[308]},{"name":"STATUS_PARTITION_FAILURE","features":[308]},{"name":"STATUS_PARTITION_TERMINATING","features":[308]},{"name":"STATUS_PASSWORD_CHANGE_REQUIRED","features":[308]},{"name":"STATUS_PASSWORD_RESTRICTION","features":[308]},{"name":"STATUS_PATCH_CONFLICT","features":[308]},{"name":"STATUS_PATCH_DEFERRED","features":[308]},{"name":"STATUS_PATCH_NOT_REGISTERED","features":[308]},{"name":"STATUS_PATH_NOT_COVERED","features":[308]},{"name":"STATUS_PCP_ATTESTATION_CHALLENGE_NOT_SET","features":[308]},{"name":"STATUS_PCP_AUTHENTICATION_FAILED","features":[308]},{"name":"STATUS_PCP_AUTHENTICATION_IGNORED","features":[308]},{"name":"STATUS_PCP_BUFFER_LENGTH_MISMATCH","features":[308]},{"name":"STATUS_PCP_BUFFER_TOO_SMALL","features":[308]},{"name":"STATUS_PCP_CLAIM_TYPE_NOT_SUPPORTED","features":[308]},{"name":"STATUS_PCP_DEVICE_NOT_FOUND","features":[308]},{"name":"STATUS_PCP_DEVICE_NOT_READY","features":[308]},{"name":"STATUS_PCP_ERROR_MASK","features":[308]},{"name":"STATUS_PCP_FLAG_NOT_SUPPORTED","features":[308]},{"name":"STATUS_PCP_IFX_RSA_KEY_CREATION_BLOCKED","features":[308]},{"name":"STATUS_PCP_INTERNAL_ERROR","features":[308]},{"name":"STATUS_PCP_INVALID_HANDLE","features":[308]},{"name":"STATUS_PCP_INVALID_PARAMETER","features":[308]},{"name":"STATUS_PCP_KEY_ALREADY_FINALIZED","features":[308]},{"name":"STATUS_PCP_KEY_HANDLE_INVALIDATED","features":[308]},{"name":"STATUS_PCP_KEY_NOT_AIK","features":[308]},{"name":"STATUS_PCP_KEY_NOT_AUTHENTICATED","features":[308]},{"name":"STATUS_PCP_KEY_NOT_FINALIZED","features":[308]},{"name":"STATUS_PCP_KEY_NOT_LOADED","features":[308]},{"name":"STATUS_PCP_KEY_NOT_SIGNING_KEY","features":[308]},{"name":"STATUS_PCP_KEY_USAGE_POLICY_INVALID","features":[308]},{"name":"STATUS_PCP_KEY_USAGE_POLICY_NOT_SUPPORTED","features":[308]},{"name":"STATUS_PCP_LOCKED_OUT","features":[308]},{"name":"STATUS_PCP_NOT_PCR_BOUND","features":[308]},{"name":"STATUS_PCP_NOT_SUPPORTED","features":[308]},{"name":"STATUS_PCP_NO_KEY_CERTIFICATION","features":[308]},{"name":"STATUS_PCP_POLICY_NOT_FOUND","features":[308]},{"name":"STATUS_PCP_PROFILE_NOT_FOUND","features":[308]},{"name":"STATUS_PCP_RAW_POLICY_NOT_SUPPORTED","features":[308]},{"name":"STATUS_PCP_SOFT_KEY_ERROR","features":[308]},{"name":"STATUS_PCP_TICKET_MISSING","features":[308]},{"name":"STATUS_PCP_TPM_VERSION_NOT_SUPPORTED","features":[308]},{"name":"STATUS_PCP_UNSUPPORTED_PSS_SALT","features":[308]},{"name":"STATUS_PCP_VALIDATION_FAILED","features":[308]},{"name":"STATUS_PCP_WRONG_PARENT","features":[308]},{"name":"STATUS_PENDING","features":[308]},{"name":"STATUS_PER_USER_TRUST_QUOTA_EXCEEDED","features":[308]},{"name":"STATUS_PIPE_BROKEN","features":[308]},{"name":"STATUS_PIPE_BUSY","features":[308]},{"name":"STATUS_PIPE_CLOSING","features":[308]},{"name":"STATUS_PIPE_CONNECTED","features":[308]},{"name":"STATUS_PIPE_DISCONNECTED","features":[308]},{"name":"STATUS_PIPE_EMPTY","features":[308]},{"name":"STATUS_PIPE_LISTENING","features":[308]},{"name":"STATUS_PIPE_NOT_AVAILABLE","features":[308]},{"name":"STATUS_PKINIT_CLIENT_FAILURE","features":[308]},{"name":"STATUS_PKINIT_FAILURE","features":[308]},{"name":"STATUS_PKINIT_NAME_MISMATCH","features":[308]},{"name":"STATUS_PKU2U_CERT_FAILURE","features":[308]},{"name":"STATUS_PLATFORM_MANIFEST_BINARY_ID_NOT_FOUND","features":[308]},{"name":"STATUS_PLATFORM_MANIFEST_CATALOG_NOT_AUTHORIZED","features":[308]},{"name":"STATUS_PLATFORM_MANIFEST_FILE_NOT_AUTHORIZED","features":[308]},{"name":"STATUS_PLATFORM_MANIFEST_INVALID","features":[308]},{"name":"STATUS_PLATFORM_MANIFEST_NOT_ACTIVE","features":[308]},{"name":"STATUS_PLATFORM_MANIFEST_NOT_AUTHORIZED","features":[308]},{"name":"STATUS_PLATFORM_MANIFEST_NOT_SIGNED","features":[308]},{"name":"STATUS_PLUGPLAY_NO_DEVICE","features":[308]},{"name":"STATUS_PLUGPLAY_QUERY_VETOED","features":[308]},{"name":"STATUS_PNP_BAD_MPS_TABLE","features":[308]},{"name":"STATUS_PNP_DEVICE_CONFIGURATION_PENDING","features":[308]},{"name":"STATUS_PNP_DRIVER_CONFIGURATION_INCOMPLETE","features":[308]},{"name":"STATUS_PNP_DRIVER_CONFIGURATION_NOT_FOUND","features":[308]},{"name":"STATUS_PNP_DRIVER_PACKAGE_NOT_FOUND","features":[308]},{"name":"STATUS_PNP_FUNCTION_DRIVER_REQUIRED","features":[308]},{"name":"STATUS_PNP_INVALID_ID","features":[308]},{"name":"STATUS_PNP_IRQ_TRANSLATION_FAILED","features":[308]},{"name":"STATUS_PNP_NO_COMPAT_DRIVERS","features":[308]},{"name":"STATUS_PNP_REBOOT_REQUIRED","features":[308]},{"name":"STATUS_PNP_RESTART_ENUMERATION","features":[308]},{"name":"STATUS_PNP_TRANSLATION_FAILED","features":[308]},{"name":"STATUS_POLICY_CONTROLLED_ACCOUNT","features":[308]},{"name":"STATUS_POLICY_OBJECT_NOT_FOUND","features":[308]},{"name":"STATUS_POLICY_ONLY_IN_DS","features":[308]},{"name":"STATUS_PORT_ALREADY_HAS_COMPLETION_LIST","features":[308]},{"name":"STATUS_PORT_ALREADY_SET","features":[308]},{"name":"STATUS_PORT_CLOSED","features":[308]},{"name":"STATUS_PORT_CONNECTION_REFUSED","features":[308]},{"name":"STATUS_PORT_DISCONNECTED","features":[308]},{"name":"STATUS_PORT_DO_NOT_DISTURB","features":[308]},{"name":"STATUS_PORT_MESSAGE_TOO_LONG","features":[308]},{"name":"STATUS_PORT_NOT_SET","features":[308]},{"name":"STATUS_PORT_UNREACHABLE","features":[308]},{"name":"STATUS_POSSIBLE_DEADLOCK","features":[308]},{"name":"STATUS_POWER_STATE_INVALID","features":[308]},{"name":"STATUS_PREDEFINED_HANDLE","features":[308]},{"name":"STATUS_PRENT4_MACHINE_ACCOUNT","features":[308]},{"name":"STATUS_PRIMARY_TRANSPORT_CONNECT_FAILED","features":[308]},{"name":"STATUS_PRINT_CANCELLED","features":[308]},{"name":"STATUS_PRINT_QUEUE_FULL","features":[308]},{"name":"STATUS_PRIVILEGED_INSTRUCTION","features":[308]},{"name":"STATUS_PRIVILEGE_NOT_HELD","features":[308]},{"name":"STATUS_PROACTIVE_SCAN_IN_PROGRESS","features":[308]},{"name":"STATUS_PROCEDURE_NOT_FOUND","features":[308]},{"name":"STATUS_PROCESS_CLONED","features":[308]},{"name":"STATUS_PROCESS_IN_JOB","features":[308]},{"name":"STATUS_PROCESS_IS_PROTECTED","features":[308]},{"name":"STATUS_PROCESS_IS_TERMINATING","features":[308]},{"name":"STATUS_PROCESS_NOT_IN_JOB","features":[308]},{"name":"STATUS_PROFILING_AT_LIMIT","features":[308]},{"name":"STATUS_PROFILING_NOT_STARTED","features":[308]},{"name":"STATUS_PROFILING_NOT_STOPPED","features":[308]},{"name":"STATUS_PROPSET_NOT_FOUND","features":[308]},{"name":"STATUS_PROTOCOL_NOT_SUPPORTED","features":[308]},{"name":"STATUS_PROTOCOL_UNREACHABLE","features":[308]},{"name":"STATUS_PTE_CHANGED","features":[308]},{"name":"STATUS_PURGE_FAILED","features":[308]},{"name":"STATUS_PWD_HISTORY_CONFLICT","features":[308]},{"name":"STATUS_PWD_TOO_LONG","features":[308]},{"name":"STATUS_PWD_TOO_RECENT","features":[308]},{"name":"STATUS_PWD_TOO_SHORT","features":[308]},{"name":"STATUS_QUERY_STORAGE_ERROR","features":[308]},{"name":"STATUS_QUIC_ALPN_NEG_FAILURE","features":[308]},{"name":"STATUS_QUIC_CONNECTION_IDLE","features":[308]},{"name":"STATUS_QUIC_CONNECTION_TIMEOUT","features":[308]},{"name":"STATUS_QUIC_HANDSHAKE_FAILURE","features":[308]},{"name":"STATUS_QUIC_INTERNAL_ERROR","features":[308]},{"name":"STATUS_QUIC_PROTOCOL_VIOLATION","features":[308]},{"name":"STATUS_QUIC_USER_CANCELED","features":[308]},{"name":"STATUS_QUIC_VER_NEG_FAILURE","features":[308]},{"name":"STATUS_QUOTA_ACTIVITY","features":[308]},{"name":"STATUS_QUOTA_EXCEEDED","features":[308]},{"name":"STATUS_QUOTA_LIST_INCONSISTENT","features":[308]},{"name":"STATUS_QUOTA_NOT_ENABLED","features":[308]},{"name":"STATUS_RANGE_LIST_CONFLICT","features":[308]},{"name":"STATUS_RANGE_NOT_FOUND","features":[308]},{"name":"STATUS_RANGE_NOT_LOCKED","features":[308]},{"name":"STATUS_RDBSS_CONTINUE_OPERATION","features":[308]},{"name":"STATUS_RDBSS_POST_OPERATION","features":[308]},{"name":"STATUS_RDBSS_RESTART_OPERATION","features":[308]},{"name":"STATUS_RDBSS_RETRY_LOOKUP","features":[308]},{"name":"STATUS_RDP_PROTOCOL_ERROR","features":[308]},{"name":"STATUS_RECEIVE_EXPEDITED","features":[308]},{"name":"STATUS_RECEIVE_PARTIAL","features":[308]},{"name":"STATUS_RECEIVE_PARTIAL_EXPEDITED","features":[308]},{"name":"STATUS_RECOVERABLE_BUGCHECK","features":[308]},{"name":"STATUS_RECOVERY_FAILURE","features":[308]},{"name":"STATUS_RECOVERY_NOT_NEEDED","features":[308]},{"name":"STATUS_RECURSIVE_DISPATCH","features":[308]},{"name":"STATUS_REDIRECTOR_HAS_OPEN_HANDLES","features":[308]},{"name":"STATUS_REDIRECTOR_NOT_STARTED","features":[308]},{"name":"STATUS_REDIRECTOR_PAUSED","features":[308]},{"name":"STATUS_REDIRECTOR_STARTED","features":[308]},{"name":"STATUS_REGISTRY_CORRUPT","features":[308]},{"name":"STATUS_REGISTRY_HIVE_RECOVERED","features":[308]},{"name":"STATUS_REGISTRY_IO_FAILED","features":[308]},{"name":"STATUS_REGISTRY_QUOTA_LIMIT","features":[308]},{"name":"STATUS_REGISTRY_RECOVERED","features":[308]},{"name":"STATUS_REG_NAT_CONSUMPTION","features":[308]},{"name":"STATUS_REINITIALIZATION_NEEDED","features":[308]},{"name":"STATUS_REMOTE_DISCONNECT","features":[308]},{"name":"STATUS_REMOTE_FILE_VERSION_MISMATCH","features":[308]},{"name":"STATUS_REMOTE_NOT_LISTENING","features":[308]},{"name":"STATUS_REMOTE_RESOURCES","features":[308]},{"name":"STATUS_REMOTE_SESSION_LIMIT","features":[308]},{"name":"STATUS_REMOTE_STORAGE_MEDIA_ERROR","features":[308]},{"name":"STATUS_REMOTE_STORAGE_NOT_ACTIVE","features":[308]},{"name":"STATUS_REPAIR_NEEDED","features":[308]},{"name":"STATUS_REPARSE","features":[308]},{"name":"STATUS_REPARSE_ATTRIBUTE_CONFLICT","features":[308]},{"name":"STATUS_REPARSE_GLOBAL","features":[308]},{"name":"STATUS_REPARSE_OBJECT","features":[308]},{"name":"STATUS_REPARSE_POINT_ENCOUNTERED","features":[308]},{"name":"STATUS_REPARSE_POINT_NOT_RESOLVED","features":[308]},{"name":"STATUS_REPLY_MESSAGE_MISMATCH","features":[308]},{"name":"STATUS_REQUEST_ABORTED","features":[308]},{"name":"STATUS_REQUEST_CANCELED","features":[308]},{"name":"STATUS_REQUEST_NOT_ACCEPTED","features":[308]},{"name":"STATUS_REQUEST_OUT_OF_SEQUENCE","features":[308]},{"name":"STATUS_REQUEST_PAUSED","features":[308]},{"name":"STATUS_RESIDENT_FILE_NOT_SUPPORTED","features":[308]},{"name":"STATUS_RESOURCEMANAGER_NOT_FOUND","features":[308]},{"name":"STATUS_RESOURCEMANAGER_READ_ONLY","features":[308]},{"name":"STATUS_RESOURCE_DATA_NOT_FOUND","features":[308]},{"name":"STATUS_RESOURCE_ENUM_USER_STOP","features":[308]},{"name":"STATUS_RESOURCE_IN_USE","features":[308]},{"name":"STATUS_RESOURCE_LANG_NOT_FOUND","features":[308]},{"name":"STATUS_RESOURCE_NAME_NOT_FOUND","features":[308]},{"name":"STATUS_RESOURCE_NOT_OWNED","features":[308]},{"name":"STATUS_RESOURCE_REQUIREMENTS_CHANGED","features":[308]},{"name":"STATUS_RESOURCE_TYPE_NOT_FOUND","features":[308]},{"name":"STATUS_RESTART_BOOT_APPLICATION","features":[308]},{"name":"STATUS_RESUME_HIBERNATION","features":[308]},{"name":"STATUS_RETRY","features":[308]},{"name":"STATUS_RETURN_ADDRESS_HIJACK_ATTEMPT","features":[308]},{"name":"STATUS_REVISION_MISMATCH","features":[308]},{"name":"STATUS_REVOCATION_OFFLINE_C","features":[308]},{"name":"STATUS_REVOCATION_OFFLINE_KDC","features":[308]},{"name":"STATUS_RING_NEWLY_EMPTY","features":[308]},{"name":"STATUS_RING_PREVIOUSLY_ABOVE_QUOTA","features":[308]},{"name":"STATUS_RING_PREVIOUSLY_EMPTY","features":[308]},{"name":"STATUS_RING_PREVIOUSLY_FULL","features":[308]},{"name":"STATUS_RING_SIGNAL_OPPOSITE_ENDPOINT","features":[308]},{"name":"STATUS_RKF_ACTIVE_KEY","features":[308]},{"name":"STATUS_RKF_BLOB_FULL","features":[308]},{"name":"STATUS_RKF_DUPLICATE_KEY","features":[308]},{"name":"STATUS_RKF_FILE_BLOCKED","features":[308]},{"name":"STATUS_RKF_KEY_NOT_FOUND","features":[308]},{"name":"STATUS_RKF_STORE_FULL","features":[308]},{"name":"STATUS_RM_ALREADY_STARTED","features":[308]},{"name":"STATUS_RM_CANNOT_BE_FROZEN_FOR_SNAPSHOT","features":[308]},{"name":"STATUS_RM_DISCONNECTED","features":[308]},{"name":"STATUS_RM_METADATA_CORRUPT","features":[308]},{"name":"STATUS_RM_NOT_ACTIVE","features":[308]},{"name":"STATUS_ROLLBACK_TIMER_EXPIRED","features":[308]},{"name":"STATUS_RTPM_CONTEXT_COMPLETE","features":[308]},{"name":"STATUS_RTPM_CONTEXT_CONTINUE","features":[308]},{"name":"STATUS_RTPM_INVALID_CONTEXT","features":[308]},{"name":"STATUS_RTPM_NO_RESULT","features":[308]},{"name":"STATUS_RTPM_PCR_READ_INCOMPLETE","features":[308]},{"name":"STATUS_RTPM_UNSUPPORTED_CMD","features":[308]},{"name":"STATUS_RUNLEVEL_SWITCH_AGENT_TIMEOUT","features":[308]},{"name":"STATUS_RUNLEVEL_SWITCH_IN_PROGRESS","features":[308]},{"name":"STATUS_RUNLEVEL_SWITCH_TIMEOUT","features":[308]},{"name":"STATUS_RWRAW_ENCRYPTED_FILE_NOT_ENCRYPTED","features":[308]},{"name":"STATUS_RWRAW_ENCRYPTED_INVALID_EDATAINFO_FILEOFFSET","features":[308]},{"name":"STATUS_RWRAW_ENCRYPTED_INVALID_EDATAINFO_FILERANGE","features":[308]},{"name":"STATUS_RWRAW_ENCRYPTED_INVALID_EDATAINFO_PARAMETER","features":[308]},{"name":"STATUS_RXACT_COMMITTED","features":[308]},{"name":"STATUS_RXACT_COMMIT_FAILURE","features":[308]},{"name":"STATUS_RXACT_COMMIT_NECESSARY","features":[308]},{"name":"STATUS_RXACT_INVALID_STATE","features":[308]},{"name":"STATUS_RXACT_STATE_CREATED","features":[308]},{"name":"STATUS_SAM_INIT_FAILURE","features":[308]},{"name":"STATUS_SAM_NEED_BOOTKEY_FLOPPY","features":[308]},{"name":"STATUS_SAM_NEED_BOOTKEY_PASSWORD","features":[308]},{"name":"STATUS_SCRUB_DATA_DISABLED","features":[308]},{"name":"STATUS_SECCORE_INVALID_COMMAND","features":[308]},{"name":"STATUS_SECONDARY_IC_PROVIDER_NOT_REGISTERED","features":[308]},{"name":"STATUS_SECRET_TOO_LONG","features":[308]},{"name":"STATUS_SECTION_DIRECT_MAP_ONLY","features":[308]},{"name":"STATUS_SECTION_NOT_EXTENDED","features":[308]},{"name":"STATUS_SECTION_NOT_IMAGE","features":[308]},{"name":"STATUS_SECTION_PROTECTION","features":[308]},{"name":"STATUS_SECTION_TOO_BIG","features":[308]},{"name":"STATUS_SECUREBOOT_FILE_REPLACED","features":[308]},{"name":"STATUS_SECUREBOOT_INVALID_POLICY","features":[308]},{"name":"STATUS_SECUREBOOT_NOT_BASE_POLICY","features":[308]},{"name":"STATUS_SECUREBOOT_NOT_ENABLED","features":[308]},{"name":"STATUS_SECUREBOOT_NOT_SUPPLEMENTAL_POLICY","features":[308]},{"name":"STATUS_SECUREBOOT_PLATFORM_ID_MISMATCH","features":[308]},{"name":"STATUS_SECUREBOOT_POLICY_MISSING_ANTIROLLBACKVERSION","features":[308]},{"name":"STATUS_SECUREBOOT_POLICY_NOT_AUTHORIZED","features":[308]},{"name":"STATUS_SECUREBOOT_POLICY_NOT_SIGNED","features":[308]},{"name":"STATUS_SECUREBOOT_POLICY_PUBLISHER_NOT_FOUND","features":[308]},{"name":"STATUS_SECUREBOOT_POLICY_ROLLBACK_DETECTED","features":[308]},{"name":"STATUS_SECUREBOOT_POLICY_UNKNOWN","features":[308]},{"name":"STATUS_SECUREBOOT_POLICY_UPGRADE_MISMATCH","features":[308]},{"name":"STATUS_SECUREBOOT_POLICY_VIOLATION","features":[308]},{"name":"STATUS_SECUREBOOT_REQUIRED_POLICY_FILE_MISSING","features":[308]},{"name":"STATUS_SECUREBOOT_ROLLBACK_DETECTED","features":[308]},{"name":"STATUS_SECURITY_STREAM_IS_INCONSISTENT","features":[308]},{"name":"STATUS_SEGMENT_NOTIFICATION","features":[308]},{"name":"STATUS_SEMAPHORE_LIMIT_EXCEEDED","features":[308]},{"name":"STATUS_SERIAL_COUNTER_TIMEOUT","features":[308]},{"name":"STATUS_SERIAL_MORE_WRITES","features":[308]},{"name":"STATUS_SERIAL_NO_DEVICE_INITED","features":[308]},{"name":"STATUS_SERVER_DISABLED","features":[308]},{"name":"STATUS_SERVER_HAS_OPEN_HANDLES","features":[308]},{"name":"STATUS_SERVER_NOT_DISABLED","features":[308]},{"name":"STATUS_SERVER_SHUTDOWN_IN_PROGRESS","features":[308]},{"name":"STATUS_SERVER_SID_MISMATCH","features":[308]},{"name":"STATUS_SERVER_TRANSPORT_CONFLICT","features":[308]},{"name":"STATUS_SERVER_UNAVAILABLE","features":[308]},{"name":"STATUS_SERVICES_FAILED_AUTOSTART","features":[308]},{"name":"STATUS_SERVICE_NOTIFICATION","features":[308]},{"name":"STATUS_SESSION_KEY_TOO_SHORT","features":[308]},{"name":"STATUS_SETMARK_DETECTED","features":[308]},{"name":"STATUS_SET_CONTEXT_DENIED","features":[308]},{"name":"STATUS_SEVERITY_COERROR","features":[308]},{"name":"STATUS_SEVERITY_COFAIL","features":[308]},{"name":"STATUS_SEVERITY_ERROR","features":[308]},{"name":"STATUS_SEVERITY_INFORMATIONAL","features":[308]},{"name":"STATUS_SEVERITY_SUCCESS","features":[308]},{"name":"STATUS_SEVERITY_WARNING","features":[308]},{"name":"STATUS_SHARED_IRQ_BUSY","features":[308]},{"name":"STATUS_SHARED_POLICY","features":[308]},{"name":"STATUS_SHARE_UNAVAILABLE","features":[308]},{"name":"STATUS_SHARING_PAUSED","features":[308]},{"name":"STATUS_SHARING_VIOLATION","features":[308]},{"name":"STATUS_SHORT_NAMES_NOT_ENABLED_ON_VOLUME","features":[308]},{"name":"STATUS_SHUTDOWN_IN_PROGRESS","features":[308]},{"name":"STATUS_SINGLE_STEP","features":[308]},{"name":"STATUS_SMARTCARD_CARD_BLOCKED","features":[308]},{"name":"STATUS_SMARTCARD_CARD_NOT_AUTHENTICATED","features":[308]},{"name":"STATUS_SMARTCARD_CERT_EXPIRED","features":[308]},{"name":"STATUS_SMARTCARD_CERT_REVOKED","features":[308]},{"name":"STATUS_SMARTCARD_IO_ERROR","features":[308]},{"name":"STATUS_SMARTCARD_LOGON_REQUIRED","features":[308]},{"name":"STATUS_SMARTCARD_NO_CARD","features":[308]},{"name":"STATUS_SMARTCARD_NO_CERTIFICATE","features":[308]},{"name":"STATUS_SMARTCARD_NO_KEYSET","features":[308]},{"name":"STATUS_SMARTCARD_NO_KEY_CONTAINER","features":[308]},{"name":"STATUS_SMARTCARD_SILENT_CONTEXT","features":[308]},{"name":"STATUS_SMARTCARD_SUBSYSTEM_FAILURE","features":[308]},{"name":"STATUS_SMARTCARD_WRONG_PIN","features":[308]},{"name":"STATUS_SMB1_NOT_AVAILABLE","features":[308]},{"name":"STATUS_SMB_BAD_CLUSTER_DIALECT","features":[308]},{"name":"STATUS_SMB_GUEST_LOGON_BLOCKED","features":[308]},{"name":"STATUS_SMB_NO_PREAUTH_INTEGRITY_HASH_OVERLAP","features":[308]},{"name":"STATUS_SMB_NO_SIGNING_ALGORITHM_OVERLAP","features":[308]},{"name":"STATUS_SMI_PRIMITIVE_INSTALLER_FAILED","features":[308]},{"name":"STATUS_SMR_GARBAGE_COLLECTION_REQUIRED","features":[308]},{"name":"STATUS_SOME_NOT_MAPPED","features":[308]},{"name":"STATUS_SOURCE_ELEMENT_EMPTY","features":[308]},{"name":"STATUS_SPACES_ALLOCATION_SIZE_INVALID","features":[308]},{"name":"STATUS_SPACES_CACHE_FULL","features":[308]},{"name":"STATUS_SPACES_COMPLETE","features":[308]},{"name":"STATUS_SPACES_CORRUPT_METADATA","features":[308]},{"name":"STATUS_SPACES_DRIVE_LOST_DATA","features":[308]},{"name":"STATUS_SPACES_DRIVE_NOT_READY","features":[308]},{"name":"STATUS_SPACES_DRIVE_OPERATIONAL_STATE_INVALID","features":[308]},{"name":"STATUS_SPACES_DRIVE_REDUNDANCY_INVALID","features":[308]},{"name":"STATUS_SPACES_DRIVE_SECTOR_SIZE_INVALID","features":[308]},{"name":"STATUS_SPACES_DRIVE_SPLIT","features":[308]},{"name":"STATUS_SPACES_DRT_FULL","features":[308]},{"name":"STATUS_SPACES_ENCLOSURE_AWARE_INVALID","features":[308]},{"name":"STATUS_SPACES_ENTRY_INCOMPLETE","features":[308]},{"name":"STATUS_SPACES_ENTRY_INVALID","features":[308]},{"name":"STATUS_SPACES_EXTENDED_ERROR","features":[308]},{"name":"STATUS_SPACES_FAULT_DOMAIN_TYPE_INVALID","features":[308]},{"name":"STATUS_SPACES_FLUSH_METADATA","features":[308]},{"name":"STATUS_SPACES_INCONSISTENCY","features":[308]},{"name":"STATUS_SPACES_INTERLEAVE_LENGTH_INVALID","features":[308]},{"name":"STATUS_SPACES_LOG_NOT_READY","features":[308]},{"name":"STATUS_SPACES_MAP_REQUIRED","features":[308]},{"name":"STATUS_SPACES_MARK_DIRTY","features":[308]},{"name":"STATUS_SPACES_NOT_ENOUGH_DRIVES","features":[308]},{"name":"STATUS_SPACES_NO_REDUNDANCY","features":[308]},{"name":"STATUS_SPACES_NUMBER_OF_COLUMNS_INVALID","features":[308]},{"name":"STATUS_SPACES_NUMBER_OF_DATA_COPIES_INVALID","features":[308]},{"name":"STATUS_SPACES_NUMBER_OF_GROUPS_INVALID","features":[308]},{"name":"STATUS_SPACES_PAUSE","features":[308]},{"name":"STATUS_SPACES_PD_INVALID_DATA","features":[308]},{"name":"STATUS_SPACES_PD_LENGTH_MISMATCH","features":[308]},{"name":"STATUS_SPACES_PD_NOT_FOUND","features":[308]},{"name":"STATUS_SPACES_PD_UNSUPPORTED_VERSION","features":[308]},{"name":"STATUS_SPACES_PROVISIONING_TYPE_INVALID","features":[308]},{"name":"STATUS_SPACES_REDIRECT","features":[308]},{"name":"STATUS_SPACES_REPAIRED","features":[308]},{"name":"STATUS_SPACES_REPAIR_IN_PROGRESS","features":[308]},{"name":"STATUS_SPACES_RESILIENCY_TYPE_INVALID","features":[308]},{"name":"STATUS_SPACES_UNSUPPORTED_VERSION","features":[308]},{"name":"STATUS_SPACES_UPDATE_COLUMN_STATE","features":[308]},{"name":"STATUS_SPACES_WRITE_CACHE_SIZE_INVALID","features":[308]},{"name":"STATUS_SPARSE_FILE_NOT_SUPPORTED","features":[308]},{"name":"STATUS_SPARSE_NOT_ALLOWED_IN_TRANSACTION","features":[308]},{"name":"STATUS_SPECIAL_ACCOUNT","features":[308]},{"name":"STATUS_SPECIAL_GROUP","features":[308]},{"name":"STATUS_SPECIAL_USER","features":[308]},{"name":"STATUS_STACK_BUFFER_OVERRUN","features":[308]},{"name":"STATUS_STACK_OVERFLOW","features":[308]},{"name":"STATUS_STACK_OVERFLOW_READ","features":[308]},{"name":"STATUS_STOPPED_ON_SYMLINK","features":[308]},{"name":"STATUS_STORAGE_LOST_DATA_PERSISTENCE","features":[308]},{"name":"STATUS_STORAGE_RESERVE_ALREADY_EXISTS","features":[308]},{"name":"STATUS_STORAGE_RESERVE_DOES_NOT_EXIST","features":[308]},{"name":"STATUS_STORAGE_RESERVE_ID_INVALID","features":[308]},{"name":"STATUS_STORAGE_RESERVE_NOT_EMPTY","features":[308]},{"name":"STATUS_STORAGE_STACK_ACCESS_DENIED","features":[308]},{"name":"STATUS_STORAGE_TOPOLOGY_ID_MISMATCH","features":[308]},{"name":"STATUS_STOWED_EXCEPTION","features":[308]},{"name":"STATUS_STREAM_MINIVERSION_NOT_FOUND","features":[308]},{"name":"STATUS_STREAM_MINIVERSION_NOT_VALID","features":[308]},{"name":"STATUS_STRICT_CFG_VIOLATION","features":[308]},{"name":"STATUS_STRONG_CRYPTO_NOT_SUPPORTED","features":[308]},{"name":"STATUS_SUCCESS","features":[308]},{"name":"STATUS_SUSPEND_COUNT_EXCEEDED","features":[308]},{"name":"STATUS_SVHDX_ERROR_NOT_AVAILABLE","features":[308]},{"name":"STATUS_SVHDX_ERROR_STORED","features":[308]},{"name":"STATUS_SVHDX_NO_INITIATOR","features":[308]},{"name":"STATUS_SVHDX_RESERVATION_CONFLICT","features":[308]},{"name":"STATUS_SVHDX_UNIT_ATTENTION_AVAILABLE","features":[308]},{"name":"STATUS_SVHDX_UNIT_ATTENTION_CAPACITY_DATA_CHANGED","features":[308]},{"name":"STATUS_SVHDX_UNIT_ATTENTION_OPERATING_DEFINITION_CHANGED","features":[308]},{"name":"STATUS_SVHDX_UNIT_ATTENTION_REGISTRATIONS_PREEMPTED","features":[308]},{"name":"STATUS_SVHDX_UNIT_ATTENTION_RESERVATIONS_PREEMPTED","features":[308]},{"name":"STATUS_SVHDX_UNIT_ATTENTION_RESERVATIONS_RELEASED","features":[308]},{"name":"STATUS_SVHDX_VERSION_MISMATCH","features":[308]},{"name":"STATUS_SVHDX_WRONG_FILE_TYPE","features":[308]},{"name":"STATUS_SXS_ACTIVATION_CONTEXT_DISABLED","features":[308]},{"name":"STATUS_SXS_ASSEMBLY_IS_NOT_A_DEPLOYMENT","features":[308]},{"name":"STATUS_SXS_ASSEMBLY_MISSING","features":[308]},{"name":"STATUS_SXS_ASSEMBLY_NOT_FOUND","features":[308]},{"name":"STATUS_SXS_CANT_GEN_ACTCTX","features":[308]},{"name":"STATUS_SXS_COMPONENT_STORE_CORRUPT","features":[308]},{"name":"STATUS_SXS_CORRUPTION","features":[308]},{"name":"STATUS_SXS_CORRUPT_ACTIVATION_STACK","features":[308]},{"name":"STATUS_SXS_EARLY_DEACTIVATION","features":[308]},{"name":"STATUS_SXS_FILE_HASH_MISMATCH","features":[308]},{"name":"STATUS_SXS_FILE_HASH_MISSING","features":[308]},{"name":"STATUS_SXS_FILE_NOT_PART_OF_ASSEMBLY","features":[308]},{"name":"STATUS_SXS_IDENTITIES_DIFFERENT","features":[308]},{"name":"STATUS_SXS_IDENTITY_DUPLICATE_ATTRIBUTE","features":[308]},{"name":"STATUS_SXS_IDENTITY_PARSE_ERROR","features":[308]},{"name":"STATUS_SXS_INVALID_ACTCTXDATA_FORMAT","features":[308]},{"name":"STATUS_SXS_INVALID_DEACTIVATION","features":[308]},{"name":"STATUS_SXS_INVALID_IDENTITY_ATTRIBUTE_NAME","features":[308]},{"name":"STATUS_SXS_INVALID_IDENTITY_ATTRIBUTE_VALUE","features":[308]},{"name":"STATUS_SXS_KEY_NOT_FOUND","features":[308]},{"name":"STATUS_SXS_MANIFEST_FORMAT_ERROR","features":[308]},{"name":"STATUS_SXS_MANIFEST_IDENTITY_SAME_BUT_CONTENTS_DIFFERENT","features":[308]},{"name":"STATUS_SXS_MANIFEST_PARSE_ERROR","features":[308]},{"name":"STATUS_SXS_MANIFEST_TOO_BIG","features":[308]},{"name":"STATUS_SXS_MULTIPLE_DEACTIVATION","features":[308]},{"name":"STATUS_SXS_PROCESS_DEFAULT_ALREADY_SET","features":[308]},{"name":"STATUS_SXS_PROCESS_TERMINATION_REQUESTED","features":[308]},{"name":"STATUS_SXS_RELEASE_ACTIVATION_CONTEXT","features":[308]},{"name":"STATUS_SXS_SECTION_NOT_FOUND","features":[308]},{"name":"STATUS_SXS_SETTING_NOT_REGISTERED","features":[308]},{"name":"STATUS_SXS_SYSTEM_DEFAULT_ACTIVATION_CONTEXT_EMPTY","features":[308]},{"name":"STATUS_SXS_THREAD_QUERIES_DISABLED","features":[308]},{"name":"STATUS_SXS_TRANSACTION_CLOSURE_INCOMPLETE","features":[308]},{"name":"STATUS_SXS_VERSION_CONFLICT","features":[308]},{"name":"STATUS_SXS_WRONG_SECTION_TYPE","features":[308]},{"name":"STATUS_SYMLINK_CLASS_DISABLED","features":[308]},{"name":"STATUS_SYNCHRONIZATION_REQUIRED","features":[308]},{"name":"STATUS_SYSTEM_DEVICE_NOT_FOUND","features":[308]},{"name":"STATUS_SYSTEM_HIVE_TOO_LARGE","features":[308]},{"name":"STATUS_SYSTEM_IMAGE_BAD_SIGNATURE","features":[308]},{"name":"STATUS_SYSTEM_INTEGRITY_INVALID_POLICY","features":[308]},{"name":"STATUS_SYSTEM_INTEGRITY_POLICY_NOT_SIGNED","features":[308]},{"name":"STATUS_SYSTEM_INTEGRITY_POLICY_VIOLATION","features":[308]},{"name":"STATUS_SYSTEM_INTEGRITY_REPUTATION_DANGEROUS_EXT","features":[308]},{"name":"STATUS_SYSTEM_INTEGRITY_REPUTATION_EXPLICIT_DENY_FILE","features":[308]},{"name":"STATUS_SYSTEM_INTEGRITY_REPUTATION_MALICIOUS","features":[308]},{"name":"STATUS_SYSTEM_INTEGRITY_REPUTATION_OFFLINE","features":[308]},{"name":"STATUS_SYSTEM_INTEGRITY_REPUTATION_PUA","features":[308]},{"name":"STATUS_SYSTEM_INTEGRITY_REPUTATION_UNATTAINABLE","features":[308]},{"name":"STATUS_SYSTEM_INTEGRITY_REPUTATION_UNFRIENDLY_FILE","features":[308]},{"name":"STATUS_SYSTEM_INTEGRITY_ROLLBACK_DETECTED","features":[308]},{"name":"STATUS_SYSTEM_INTEGRITY_SUPPLEMENTAL_POLICY_NOT_AUTHORIZED","features":[308]},{"name":"STATUS_SYSTEM_INTEGRITY_TOO_MANY_POLICIES","features":[308]},{"name":"STATUS_SYSTEM_NEEDS_REMEDIATION","features":[308]},{"name":"STATUS_SYSTEM_POWERSTATE_COMPLEX_TRANSITION","features":[308]},{"name":"STATUS_SYSTEM_POWERSTATE_TRANSITION","features":[308]},{"name":"STATUS_SYSTEM_PROCESS_TERMINATED","features":[308]},{"name":"STATUS_SYSTEM_SHUTDOWN","features":[308]},{"name":"STATUS_THREADPOOL_FREE_LIBRARY_ON_COMPLETION_FAILED","features":[308]},{"name":"STATUS_THREADPOOL_HANDLE_EXCEPTION","features":[308]},{"name":"STATUS_THREADPOOL_RELEASED_DURING_OPERATION","features":[308]},{"name":"STATUS_THREADPOOL_RELEASE_MUTEX_ON_COMPLETION_FAILED","features":[308]},{"name":"STATUS_THREADPOOL_RELEASE_SEMAPHORE_ON_COMPLETION_FAILED","features":[308]},{"name":"STATUS_THREADPOOL_SET_EVENT_ON_COMPLETION_FAILED","features":[308]},{"name":"STATUS_THREAD_ALREADY_IN_SESSION","features":[308]},{"name":"STATUS_THREAD_ALREADY_IN_TASK","features":[308]},{"name":"STATUS_THREAD_IS_TERMINATING","features":[308]},{"name":"STATUS_THREAD_NOT_IN_PROCESS","features":[308]},{"name":"STATUS_THREAD_NOT_IN_SESSION","features":[308]},{"name":"STATUS_THREAD_NOT_RUNNING","features":[308]},{"name":"STATUS_THREAD_WAS_SUSPENDED","features":[308]},{"name":"STATUS_TIMEOUT","features":[308]},{"name":"STATUS_TIMER_NOT_CANCELED","features":[308]},{"name":"STATUS_TIMER_RESOLUTION_NOT_SET","features":[308]},{"name":"STATUS_TIMER_RESUME_IGNORED","features":[308]},{"name":"STATUS_TIME_DIFFERENCE_AT_DC","features":[308]},{"name":"STATUS_TM_IDENTITY_MISMATCH","features":[308]},{"name":"STATUS_TM_INITIALIZATION_FAILED","features":[308]},{"name":"STATUS_TM_VOLATILE","features":[308]},{"name":"STATUS_TOKEN_ALREADY_IN_USE","features":[308]},{"name":"STATUS_TOO_LATE","features":[308]},{"name":"STATUS_TOO_MANY_ADDRESSES","features":[308]},{"name":"STATUS_TOO_MANY_COMMANDS","features":[308]},{"name":"STATUS_TOO_MANY_CONTEXT_IDS","features":[308]},{"name":"STATUS_TOO_MANY_GUIDS_REQUESTED","features":[308]},{"name":"STATUS_TOO_MANY_LINKS","features":[308]},{"name":"STATUS_TOO_MANY_LUIDS_REQUESTED","features":[308]},{"name":"STATUS_TOO_MANY_NAMES","features":[308]},{"name":"STATUS_TOO_MANY_NODES","features":[308]},{"name":"STATUS_TOO_MANY_OPENED_FILES","features":[308]},{"name":"STATUS_TOO_MANY_PAGING_FILES","features":[308]},{"name":"STATUS_TOO_MANY_PRINCIPALS","features":[308]},{"name":"STATUS_TOO_MANY_SECRETS","features":[308]},{"name":"STATUS_TOO_MANY_SEGMENT_DESCRIPTORS","features":[308]},{"name":"STATUS_TOO_MANY_SESSIONS","features":[308]},{"name":"STATUS_TOO_MANY_SIDS","features":[308]},{"name":"STATUS_TOO_MANY_THREADS","features":[308]},{"name":"STATUS_TPM_20_E_ASYMMETRIC","features":[308]},{"name":"STATUS_TPM_20_E_ATTRIBUTES","features":[308]},{"name":"STATUS_TPM_20_E_AUTHSIZE","features":[308]},{"name":"STATUS_TPM_20_E_AUTH_CONTEXT","features":[308]},{"name":"STATUS_TPM_20_E_AUTH_FAIL","features":[308]},{"name":"STATUS_TPM_20_E_AUTH_MISSING","features":[308]},{"name":"STATUS_TPM_20_E_AUTH_TYPE","features":[308]},{"name":"STATUS_TPM_20_E_AUTH_UNAVAILABLE","features":[308]},{"name":"STATUS_TPM_20_E_BAD_AUTH","features":[308]},{"name":"STATUS_TPM_20_E_BAD_CONTEXT","features":[308]},{"name":"STATUS_TPM_20_E_BINDING","features":[308]},{"name":"STATUS_TPM_20_E_COMMAND_CODE","features":[308]},{"name":"STATUS_TPM_20_E_COMMAND_SIZE","features":[308]},{"name":"STATUS_TPM_20_E_CPHASH","features":[308]},{"name":"STATUS_TPM_20_E_CURVE","features":[308]},{"name":"STATUS_TPM_20_E_DISABLED","features":[308]},{"name":"STATUS_TPM_20_E_ECC_CURVE","features":[308]},{"name":"STATUS_TPM_20_E_ECC_POINT","features":[308]},{"name":"STATUS_TPM_20_E_EXCLUSIVE","features":[308]},{"name":"STATUS_TPM_20_E_EXPIRED","features":[308]},{"name":"STATUS_TPM_20_E_FAILURE","features":[308]},{"name":"STATUS_TPM_20_E_HANDLE","features":[308]},{"name":"STATUS_TPM_20_E_HASH","features":[308]},{"name":"STATUS_TPM_20_E_HIERARCHY","features":[308]},{"name":"STATUS_TPM_20_E_HMAC","features":[308]},{"name":"STATUS_TPM_20_E_INITIALIZE","features":[308]},{"name":"STATUS_TPM_20_E_INSUFFICIENT","features":[308]},{"name":"STATUS_TPM_20_E_INTEGRITY","features":[308]},{"name":"STATUS_TPM_20_E_KDF","features":[308]},{"name":"STATUS_TPM_20_E_KEY","features":[308]},{"name":"STATUS_TPM_20_E_KEY_SIZE","features":[308]},{"name":"STATUS_TPM_20_E_MGF","features":[308]},{"name":"STATUS_TPM_20_E_MODE","features":[308]},{"name":"STATUS_TPM_20_E_NEEDS_TEST","features":[308]},{"name":"STATUS_TPM_20_E_NONCE","features":[308]},{"name":"STATUS_TPM_20_E_NO_RESULT","features":[308]},{"name":"STATUS_TPM_20_E_NV_AUTHORIZATION","features":[308]},{"name":"STATUS_TPM_20_E_NV_DEFINED","features":[308]},{"name":"STATUS_TPM_20_E_NV_LOCKED","features":[308]},{"name":"STATUS_TPM_20_E_NV_RANGE","features":[308]},{"name":"STATUS_TPM_20_E_NV_SIZE","features":[308]},{"name":"STATUS_TPM_20_E_NV_SPACE","features":[308]},{"name":"STATUS_TPM_20_E_NV_UNINITIALIZED","features":[308]},{"name":"STATUS_TPM_20_E_PARENT","features":[308]},{"name":"STATUS_TPM_20_E_PCR","features":[308]},{"name":"STATUS_TPM_20_E_PCR_CHANGED","features":[308]},{"name":"STATUS_TPM_20_E_POLICY","features":[308]},{"name":"STATUS_TPM_20_E_POLICY_CC","features":[308]},{"name":"STATUS_TPM_20_E_POLICY_FAIL","features":[308]},{"name":"STATUS_TPM_20_E_PP","features":[308]},{"name":"STATUS_TPM_20_E_PRIVATE","features":[308]},{"name":"STATUS_TPM_20_E_RANGE","features":[308]},{"name":"STATUS_TPM_20_E_REBOOT","features":[308]},{"name":"STATUS_TPM_20_E_RESERVED_BITS","features":[308]},{"name":"STATUS_TPM_20_E_SCHEME","features":[308]},{"name":"STATUS_TPM_20_E_SELECTOR","features":[308]},{"name":"STATUS_TPM_20_E_SENSITIVE","features":[308]},{"name":"STATUS_TPM_20_E_SEQUENCE","features":[308]},{"name":"STATUS_TPM_20_E_SIGNATURE","features":[308]},{"name":"STATUS_TPM_20_E_SIZE","features":[308]},{"name":"STATUS_TPM_20_E_SYMMETRIC","features":[308]},{"name":"STATUS_TPM_20_E_TAG","features":[308]},{"name":"STATUS_TPM_20_E_TICKET","features":[308]},{"name":"STATUS_TPM_20_E_TOO_MANY_CONTEXTS","features":[308]},{"name":"STATUS_TPM_20_E_TYPE","features":[308]},{"name":"STATUS_TPM_20_E_UNBALANCED","features":[308]},{"name":"STATUS_TPM_20_E_UPGRADE","features":[308]},{"name":"STATUS_TPM_20_E_VALUE","features":[308]},{"name":"STATUS_TPM_ACCESS_DENIED","features":[308]},{"name":"STATUS_TPM_AREA_LOCKED","features":[308]},{"name":"STATUS_TPM_AUDITFAILURE","features":[308]},{"name":"STATUS_TPM_AUDITFAIL_SUCCESSFUL","features":[308]},{"name":"STATUS_TPM_AUDITFAIL_UNSUCCESSFUL","features":[308]},{"name":"STATUS_TPM_AUTH2FAIL","features":[308]},{"name":"STATUS_TPM_AUTHFAIL","features":[308]},{"name":"STATUS_TPM_AUTH_CONFLICT","features":[308]},{"name":"STATUS_TPM_BADCONTEXT","features":[308]},{"name":"STATUS_TPM_BADINDEX","features":[308]},{"name":"STATUS_TPM_BADTAG","features":[308]},{"name":"STATUS_TPM_BAD_ATTRIBUTES","features":[308]},{"name":"STATUS_TPM_BAD_COUNTER","features":[308]},{"name":"STATUS_TPM_BAD_DATASIZE","features":[308]},{"name":"STATUS_TPM_BAD_DELEGATE","features":[308]},{"name":"STATUS_TPM_BAD_HANDLE","features":[308]},{"name":"STATUS_TPM_BAD_KEY_PROPERTY","features":[308]},{"name":"STATUS_TPM_BAD_LOCALITY","features":[308]},{"name":"STATUS_TPM_BAD_MIGRATION","features":[308]},{"name":"STATUS_TPM_BAD_MODE","features":[308]},{"name":"STATUS_TPM_BAD_ORDINAL","features":[308]},{"name":"STATUS_TPM_BAD_PARAMETER","features":[308]},{"name":"STATUS_TPM_BAD_PARAM_SIZE","features":[308]},{"name":"STATUS_TPM_BAD_PRESENCE","features":[308]},{"name":"STATUS_TPM_BAD_SCHEME","features":[308]},{"name":"STATUS_TPM_BAD_SIGNATURE","features":[308]},{"name":"STATUS_TPM_BAD_TYPE","features":[308]},{"name":"STATUS_TPM_BAD_VERSION","features":[308]},{"name":"STATUS_TPM_CLEAR_DISABLED","features":[308]},{"name":"STATUS_TPM_COMMAND_BLOCKED","features":[308]},{"name":"STATUS_TPM_COMMAND_CANCELED","features":[308]},{"name":"STATUS_TPM_CONTEXT_GAP","features":[308]},{"name":"STATUS_TPM_DAA_INPUT_DATA0","features":[308]},{"name":"STATUS_TPM_DAA_INPUT_DATA1","features":[308]},{"name":"STATUS_TPM_DAA_ISSUER_SETTINGS","features":[308]},{"name":"STATUS_TPM_DAA_ISSUER_VALIDITY","features":[308]},{"name":"STATUS_TPM_DAA_RESOURCES","features":[308]},{"name":"STATUS_TPM_DAA_STAGE","features":[308]},{"name":"STATUS_TPM_DAA_TPM_SETTINGS","features":[308]},{"name":"STATUS_TPM_DAA_WRONG_W","features":[308]},{"name":"STATUS_TPM_DEACTIVATED","features":[308]},{"name":"STATUS_TPM_DECRYPT_ERROR","features":[308]},{"name":"STATUS_TPM_DEFEND_LOCK_RUNNING","features":[308]},{"name":"STATUS_TPM_DELEGATE_ADMIN","features":[308]},{"name":"STATUS_TPM_DELEGATE_FAMILY","features":[308]},{"name":"STATUS_TPM_DELEGATE_LOCK","features":[308]},{"name":"STATUS_TPM_DISABLED","features":[308]},{"name":"STATUS_TPM_DISABLED_CMD","features":[308]},{"name":"STATUS_TPM_DOING_SELFTEST","features":[308]},{"name":"STATUS_TPM_DUPLICATE_VHANDLE","features":[308]},{"name":"STATUS_TPM_EMBEDDED_COMMAND_BLOCKED","features":[308]},{"name":"STATUS_TPM_EMBEDDED_COMMAND_UNSUPPORTED","features":[308]},{"name":"STATUS_TPM_ENCRYPT_ERROR","features":[308]},{"name":"STATUS_TPM_ERROR_MASK","features":[308]},{"name":"STATUS_TPM_FAIL","features":[308]},{"name":"STATUS_TPM_FAILEDSELFTEST","features":[308]},{"name":"STATUS_TPM_FAMILYCOUNT","features":[308]},{"name":"STATUS_TPM_INAPPROPRIATE_ENC","features":[308]},{"name":"STATUS_TPM_INAPPROPRIATE_SIG","features":[308]},{"name":"STATUS_TPM_INSTALL_DISABLED","features":[308]},{"name":"STATUS_TPM_INSUFFICIENT_BUFFER","features":[308]},{"name":"STATUS_TPM_INVALID_AUTHHANDLE","features":[308]},{"name":"STATUS_TPM_INVALID_FAMILY","features":[308]},{"name":"STATUS_TPM_INVALID_HANDLE","features":[308]},{"name":"STATUS_TPM_INVALID_KEYHANDLE","features":[308]},{"name":"STATUS_TPM_INVALID_KEYUSAGE","features":[308]},{"name":"STATUS_TPM_INVALID_PCR_INFO","features":[308]},{"name":"STATUS_TPM_INVALID_POSTINIT","features":[308]},{"name":"STATUS_TPM_INVALID_RESOURCE","features":[308]},{"name":"STATUS_TPM_INVALID_STRUCTURE","features":[308]},{"name":"STATUS_TPM_IOERROR","features":[308]},{"name":"STATUS_TPM_KEYNOTFOUND","features":[308]},{"name":"STATUS_TPM_KEY_NOTSUPPORTED","features":[308]},{"name":"STATUS_TPM_KEY_OWNER_CONTROL","features":[308]},{"name":"STATUS_TPM_MAXNVWRITES","features":[308]},{"name":"STATUS_TPM_MA_AUTHORITY","features":[308]},{"name":"STATUS_TPM_MA_DESTINATION","features":[308]},{"name":"STATUS_TPM_MA_SOURCE","features":[308]},{"name":"STATUS_TPM_MA_TICKET_SIGNATURE","features":[308]},{"name":"STATUS_TPM_MIGRATEFAIL","features":[308]},{"name":"STATUS_TPM_NEEDS_SELFTEST","features":[308]},{"name":"STATUS_TPM_NOCONTEXTSPACE","features":[308]},{"name":"STATUS_TPM_NOOPERATOR","features":[308]},{"name":"STATUS_TPM_NOSPACE","features":[308]},{"name":"STATUS_TPM_NOSRK","features":[308]},{"name":"STATUS_TPM_NOTFIPS","features":[308]},{"name":"STATUS_TPM_NOTLOCAL","features":[308]},{"name":"STATUS_TPM_NOTRESETABLE","features":[308]},{"name":"STATUS_TPM_NOTSEALED_BLOB","features":[308]},{"name":"STATUS_TPM_NOT_FOUND","features":[308]},{"name":"STATUS_TPM_NOT_FULLWRITE","features":[308]},{"name":"STATUS_TPM_NO_ENDORSEMENT","features":[308]},{"name":"STATUS_TPM_NO_NV_PERMISSION","features":[308]},{"name":"STATUS_TPM_NO_WRAP_TRANSPORT","features":[308]},{"name":"STATUS_TPM_OWNER_CONTROL","features":[308]},{"name":"STATUS_TPM_OWNER_SET","features":[308]},{"name":"STATUS_TPM_PERMANENTEK","features":[308]},{"name":"STATUS_TPM_PER_NOWRITE","features":[308]},{"name":"STATUS_TPM_PPI_FUNCTION_UNSUPPORTED","features":[308]},{"name":"STATUS_TPM_READ_ONLY","features":[308]},{"name":"STATUS_TPM_REQUIRES_SIGN","features":[308]},{"name":"STATUS_TPM_RESOURCEMISSING","features":[308]},{"name":"STATUS_TPM_RESOURCES","features":[308]},{"name":"STATUS_TPM_RETRY","features":[308]},{"name":"STATUS_TPM_SHA_ERROR","features":[308]},{"name":"STATUS_TPM_SHA_THREAD","features":[308]},{"name":"STATUS_TPM_SHORTRANDOM","features":[308]},{"name":"STATUS_TPM_SIZE","features":[308]},{"name":"STATUS_TPM_TOOMANYCONTEXTS","features":[308]},{"name":"STATUS_TPM_TOO_MANY_CONTEXTS","features":[308]},{"name":"STATUS_TPM_TRANSPORT_NOTEXCLUSIVE","features":[308]},{"name":"STATUS_TPM_WRITE_LOCKED","features":[308]},{"name":"STATUS_TPM_WRONGPCRVAL","features":[308]},{"name":"STATUS_TPM_WRONG_ENTITYTYPE","features":[308]},{"name":"STATUS_TPM_ZERO_EXHAUST_ENABLED","features":[308]},{"name":"STATUS_TRANSACTED_MAPPING_UNSUPPORTED_REMOTE","features":[308]},{"name":"STATUS_TRANSACTIONAL_CONFLICT","features":[308]},{"name":"STATUS_TRANSACTIONAL_OPEN_NOT_ALLOWED","features":[308]},{"name":"STATUS_TRANSACTIONMANAGER_IDENTITY_MISMATCH","features":[308]},{"name":"STATUS_TRANSACTIONMANAGER_NOT_FOUND","features":[308]},{"name":"STATUS_TRANSACTIONMANAGER_NOT_ONLINE","features":[308]},{"name":"STATUS_TRANSACTIONMANAGER_RECOVERY_NAME_COLLISION","features":[308]},{"name":"STATUS_TRANSACTIONS_NOT_FROZEN","features":[308]},{"name":"STATUS_TRANSACTIONS_UNSUPPORTED_REMOTE","features":[308]},{"name":"STATUS_TRANSACTION_ABORTED","features":[308]},{"name":"STATUS_TRANSACTION_ALREADY_ABORTED","features":[308]},{"name":"STATUS_TRANSACTION_ALREADY_COMMITTED","features":[308]},{"name":"STATUS_TRANSACTION_FREEZE_IN_PROGRESS","features":[308]},{"name":"STATUS_TRANSACTION_INTEGRITY_VIOLATED","features":[308]},{"name":"STATUS_TRANSACTION_INVALID_ID","features":[308]},{"name":"STATUS_TRANSACTION_INVALID_MARSHALL_BUFFER","features":[308]},{"name":"STATUS_TRANSACTION_INVALID_TYPE","features":[308]},{"name":"STATUS_TRANSACTION_MUST_WRITETHROUGH","features":[308]},{"name":"STATUS_TRANSACTION_NOT_ACTIVE","features":[308]},{"name":"STATUS_TRANSACTION_NOT_ENLISTED","features":[308]},{"name":"STATUS_TRANSACTION_NOT_FOUND","features":[308]},{"name":"STATUS_TRANSACTION_NOT_JOINED","features":[308]},{"name":"STATUS_TRANSACTION_NOT_REQUESTED","features":[308]},{"name":"STATUS_TRANSACTION_NOT_ROOT","features":[308]},{"name":"STATUS_TRANSACTION_NO_MATCH","features":[308]},{"name":"STATUS_TRANSACTION_NO_RELEASE","features":[308]},{"name":"STATUS_TRANSACTION_NO_SUPERIOR","features":[308]},{"name":"STATUS_TRANSACTION_OBJECT_EXPIRED","features":[308]},{"name":"STATUS_TRANSACTION_PROPAGATION_FAILED","features":[308]},{"name":"STATUS_TRANSACTION_RECORD_TOO_LONG","features":[308]},{"name":"STATUS_TRANSACTION_REQUEST_NOT_VALID","features":[308]},{"name":"STATUS_TRANSACTION_REQUIRED_PROMOTION","features":[308]},{"name":"STATUS_TRANSACTION_RESPONDED","features":[308]},{"name":"STATUS_TRANSACTION_RESPONSE_NOT_ENLISTED","features":[308]},{"name":"STATUS_TRANSACTION_SCOPE_CALLBACKS_NOT_SET","features":[308]},{"name":"STATUS_TRANSACTION_SUPERIOR_EXISTS","features":[308]},{"name":"STATUS_TRANSACTION_TIMED_OUT","features":[308]},{"name":"STATUS_TRANSLATION_COMPLETE","features":[308]},{"name":"STATUS_TRANSPORT_FULL","features":[308]},{"name":"STATUS_TRIGGERED_EXECUTABLE_MEMORY_WRITE","features":[308]},{"name":"STATUS_TRIM_READ_ZERO_NOT_SUPPORTED","features":[308]},{"name":"STATUS_TRUSTED_DOMAIN_FAILURE","features":[308]},{"name":"STATUS_TRUSTED_RELATIONSHIP_FAILURE","features":[308]},{"name":"STATUS_TRUST_FAILURE","features":[308]},{"name":"STATUS_TS_INCOMPATIBLE_SESSIONS","features":[308]},{"name":"STATUS_TS_VIDEO_SUBSYSTEM_ERROR","features":[308]},{"name":"STATUS_TXF_ATTRIBUTE_CORRUPT","features":[308]},{"name":"STATUS_TXF_DIR_NOT_EMPTY","features":[308]},{"name":"STATUS_TXF_METADATA_ALREADY_PRESENT","features":[308]},{"name":"STATUS_UNABLE_TO_DECOMMIT_VM","features":[308]},{"name":"STATUS_UNABLE_TO_DELETE_SECTION","features":[308]},{"name":"STATUS_UNABLE_TO_FREE_VM","features":[308]},{"name":"STATUS_UNABLE_TO_LOCK_MEDIA","features":[308]},{"name":"STATUS_UNABLE_TO_UNLOAD_MEDIA","features":[308]},{"name":"STATUS_UNDEFINED_CHARACTER","features":[308]},{"name":"STATUS_UNDEFINED_SCOPE","features":[308]},{"name":"STATUS_UNEXPECTED_IO_ERROR","features":[308]},{"name":"STATUS_UNEXPECTED_MM_CREATE_ERR","features":[308]},{"name":"STATUS_UNEXPECTED_MM_EXTEND_ERR","features":[308]},{"name":"STATUS_UNEXPECTED_MM_MAP_ERROR","features":[308]},{"name":"STATUS_UNEXPECTED_NETWORK_ERROR","features":[308]},{"name":"STATUS_UNFINISHED_CONTEXT_DELETED","features":[308]},{"name":"STATUS_UNHANDLED_EXCEPTION","features":[308]},{"name":"STATUS_UNKNOWN_REVISION","features":[308]},{"name":"STATUS_UNMAPPABLE_CHARACTER","features":[308]},{"name":"STATUS_UNRECOGNIZED_MEDIA","features":[308]},{"name":"STATUS_UNRECOGNIZED_VOLUME","features":[308]},{"name":"STATUS_UNSATISFIED_DEPENDENCIES","features":[308]},{"name":"STATUS_UNSUCCESSFUL","features":[308]},{"name":"STATUS_UNSUPPORTED_COMPRESSION","features":[308]},{"name":"STATUS_UNSUPPORTED_PAGING_MODE","features":[308]},{"name":"STATUS_UNSUPPORTED_PREAUTH","features":[308]},{"name":"STATUS_UNTRUSTED_MOUNT_POINT","features":[308]},{"name":"STATUS_UNWIND","features":[308]},{"name":"STATUS_UNWIND_CONSOLIDATE","features":[308]},{"name":"STATUS_USER2USER_REQUIRED","features":[308]},{"name":"STATUS_USER_APC","features":[308]},{"name":"STATUS_USER_DELETE_TRUST_QUOTA_EXCEEDED","features":[308]},{"name":"STATUS_USER_EXISTS","features":[308]},{"name":"STATUS_USER_MAPPED_FILE","features":[308]},{"name":"STATUS_USER_SESSION_DELETED","features":[308]},{"name":"STATUS_VALIDATE_CONTINUE","features":[308]},{"name":"STATUS_VALID_CATALOG_HASH","features":[308]},{"name":"STATUS_VALID_IMAGE_HASH","features":[308]},{"name":"STATUS_VALID_STRONG_CODE_HASH","features":[308]},{"name":"STATUS_VARIABLE_NOT_FOUND","features":[308]},{"name":"STATUS_VDM_DISALLOWED","features":[308]},{"name":"STATUS_VDM_HARD_ERROR","features":[308]},{"name":"STATUS_VERIFIER_STOP","features":[308]},{"name":"STATUS_VERIFY_REQUIRED","features":[308]},{"name":"STATUS_VHDSET_BACKING_STORAGE_NOT_FOUND","features":[308]},{"name":"STATUS_VHD_ALREADY_AT_OR_BELOW_MINIMUM_VIRTUAL_SIZE","features":[308]},{"name":"STATUS_VHD_BITMAP_MISMATCH","features":[308]},{"name":"STATUS_VHD_BLOCK_ALLOCATION_FAILURE","features":[308]},{"name":"STATUS_VHD_BLOCK_ALLOCATION_TABLE_CORRUPT","features":[308]},{"name":"STATUS_VHD_CHANGE_TRACKING_DISABLED","features":[308]},{"name":"STATUS_VHD_CHILD_PARENT_ID_MISMATCH","features":[308]},{"name":"STATUS_VHD_CHILD_PARENT_SIZE_MISMATCH","features":[308]},{"name":"STATUS_VHD_CHILD_PARENT_TIMESTAMP_MISMATCH","features":[308]},{"name":"STATUS_VHD_COULD_NOT_COMPUTE_MINIMUM_VIRTUAL_SIZE","features":[308]},{"name":"STATUS_VHD_DIFFERENCING_CHAIN_CYCLE_DETECTED","features":[308]},{"name":"STATUS_VHD_DIFFERENCING_CHAIN_ERROR_IN_PARENT","features":[308]},{"name":"STATUS_VHD_DRIVE_FOOTER_CHECKSUM_MISMATCH","features":[308]},{"name":"STATUS_VHD_DRIVE_FOOTER_CORRUPT","features":[308]},{"name":"STATUS_VHD_DRIVE_FOOTER_MISSING","features":[308]},{"name":"STATUS_VHD_FORMAT_UNKNOWN","features":[308]},{"name":"STATUS_VHD_FORMAT_UNSUPPORTED_VERSION","features":[308]},{"name":"STATUS_VHD_INVALID_BLOCK_SIZE","features":[308]},{"name":"STATUS_VHD_INVALID_CHANGE_TRACKING_ID","features":[308]},{"name":"STATUS_VHD_INVALID_FILE_SIZE","features":[308]},{"name":"STATUS_VHD_INVALID_SIZE","features":[308]},{"name":"STATUS_VHD_INVALID_STATE","features":[308]},{"name":"STATUS_VHD_INVALID_TYPE","features":[308]},{"name":"STATUS_VHD_METADATA_FULL","features":[308]},{"name":"STATUS_VHD_METADATA_READ_FAILURE","features":[308]},{"name":"STATUS_VHD_METADATA_WRITE_FAILURE","features":[308]},{"name":"STATUS_VHD_MISSING_CHANGE_TRACKING_INFORMATION","features":[308]},{"name":"STATUS_VHD_PARENT_VHD_ACCESS_DENIED","features":[308]},{"name":"STATUS_VHD_PARENT_VHD_NOT_FOUND","features":[308]},{"name":"STATUS_VHD_RESIZE_WOULD_TRUNCATE_DATA","features":[308]},{"name":"STATUS_VHD_SHARED","features":[308]},{"name":"STATUS_VHD_SPARSE_HEADER_CHECKSUM_MISMATCH","features":[308]},{"name":"STATUS_VHD_SPARSE_HEADER_CORRUPT","features":[308]},{"name":"STATUS_VHD_SPARSE_HEADER_UNSUPPORTED_VERSION","features":[308]},{"name":"STATUS_VHD_UNEXPECTED_ID","features":[308]},{"name":"STATUS_VIDEO_DRIVER_DEBUG_REPORT_REQUEST","features":[308]},{"name":"STATUS_VIDEO_HUNG_DISPLAY_DRIVER_THREAD","features":[308]},{"name":"STATUS_VIDEO_HUNG_DISPLAY_DRIVER_THREAD_RECOVERED","features":[308]},{"name":"STATUS_VID_CHILD_GPA_PAGE_SET_CORRUPTED","features":[308]},{"name":"STATUS_VID_DUPLICATE_HANDLER","features":[308]},{"name":"STATUS_VID_EXCEEDED_KM_CONTEXT_COUNT_LIMIT","features":[308]},{"name":"STATUS_VID_EXCEEDED_MBP_ENTRY_MAP_LIMIT","features":[308]},{"name":"STATUS_VID_HANDLER_NOT_PRESENT","features":[308]},{"name":"STATUS_VID_INSUFFICIENT_RESOURCES_HV_DEPOSIT","features":[308]},{"name":"STATUS_VID_INSUFFICIENT_RESOURCES_PHYSICAL_BUFFER","features":[308]},{"name":"STATUS_VID_INSUFFICIENT_RESOURCES_RESERVE","features":[308]},{"name":"STATUS_VID_INSUFFICIENT_RESOURCES_WITHDRAW","features":[308]},{"name":"STATUS_VID_INVALID_CHILD_GPA_PAGE_SET","features":[308]},{"name":"STATUS_VID_INVALID_GPA_RANGE_HANDLE","features":[308]},{"name":"STATUS_VID_INVALID_MEMORY_BLOCK_HANDLE","features":[308]},{"name":"STATUS_VID_INVALID_MESSAGE_QUEUE_HANDLE","features":[308]},{"name":"STATUS_VID_INVALID_NUMA_NODE_INDEX","features":[308]},{"name":"STATUS_VID_INVALID_NUMA_SETTINGS","features":[308]},{"name":"STATUS_VID_INVALID_OBJECT_NAME","features":[308]},{"name":"STATUS_VID_INVALID_PPM_HANDLE","features":[308]},{"name":"STATUS_VID_INVALID_PROCESSOR_STATE","features":[308]},{"name":"STATUS_VID_KM_INTERFACE_ALREADY_INITIALIZED","features":[308]},{"name":"STATUS_VID_MBPS_ARE_LOCKED","features":[308]},{"name":"STATUS_VID_MBP_ALREADY_LOCKED_USING_RESERVED_PAGE","features":[308]},{"name":"STATUS_VID_MBP_COUNT_EXCEEDED_LIMIT","features":[308]},{"name":"STATUS_VID_MB_PROPERTY_ALREADY_SET_RESET","features":[308]},{"name":"STATUS_VID_MB_STILL_REFERENCED","features":[308]},{"name":"STATUS_VID_MEMORY_BLOCK_LOCK_COUNT_EXCEEDED","features":[308]},{"name":"STATUS_VID_MEMORY_TYPE_NOT_SUPPORTED","features":[308]},{"name":"STATUS_VID_MESSAGE_QUEUE_ALREADY_EXISTS","features":[308]},{"name":"STATUS_VID_MESSAGE_QUEUE_CLOSED","features":[308]},{"name":"STATUS_VID_MESSAGE_QUEUE_NAME_TOO_LONG","features":[308]},{"name":"STATUS_VID_MMIO_RANGE_DESTROYED","features":[308]},{"name":"STATUS_VID_NOTIFICATION_QUEUE_ALREADY_ASSOCIATED","features":[308]},{"name":"STATUS_VID_NO_MEMORY_BLOCK_NOTIFICATION_QUEUE","features":[308]},{"name":"STATUS_VID_PAGE_RANGE_OVERFLOW","features":[308]},{"name":"STATUS_VID_PARTITION_ALREADY_EXISTS","features":[308]},{"name":"STATUS_VID_PARTITION_DOES_NOT_EXIST","features":[308]},{"name":"STATUS_VID_PARTITION_NAME_NOT_FOUND","features":[308]},{"name":"STATUS_VID_PARTITION_NAME_TOO_LONG","features":[308]},{"name":"STATUS_VID_PROCESS_ALREADY_SET","features":[308]},{"name":"STATUS_VID_QUEUE_FULL","features":[308]},{"name":"STATUS_VID_REMOTE_NODE_PARENT_GPA_PAGES_USED","features":[308]},{"name":"STATUS_VID_RESERVE_PAGE_SET_IS_BEING_USED","features":[308]},{"name":"STATUS_VID_RESERVE_PAGE_SET_TOO_SMALL","features":[308]},{"name":"STATUS_VID_SAVED_STATE_CORRUPT","features":[308]},{"name":"STATUS_VID_SAVED_STATE_INCOMPATIBLE","features":[308]},{"name":"STATUS_VID_SAVED_STATE_UNRECOGNIZED_ITEM","features":[308]},{"name":"STATUS_VID_STOP_PENDING","features":[308]},{"name":"STATUS_VID_TOO_MANY_HANDLERS","features":[308]},{"name":"STATUS_VID_VIRTUAL_PROCESSOR_LIMIT_EXCEEDED","features":[308]},{"name":"STATUS_VID_VTL_ACCESS_DENIED","features":[308]},{"name":"STATUS_VIRTDISK_DISK_ALREADY_OWNED","features":[308]},{"name":"STATUS_VIRTDISK_DISK_ONLINE_AND_WRITABLE","features":[308]},{"name":"STATUS_VIRTDISK_NOT_VIRTUAL_DISK","features":[308]},{"name":"STATUS_VIRTDISK_PROVIDER_NOT_FOUND","features":[308]},{"name":"STATUS_VIRTDISK_UNSUPPORTED_DISK_SECTOR_SIZE","features":[308]},{"name":"STATUS_VIRTUAL_CIRCUIT_CLOSED","features":[308]},{"name":"STATUS_VIRTUAL_DISK_LIMITATION","features":[308]},{"name":"STATUS_VIRUS_DELETED","features":[308]},{"name":"STATUS_VIRUS_INFECTED","features":[308]},{"name":"STATUS_VOLMGR_ALL_DISKS_FAILED","features":[308]},{"name":"STATUS_VOLMGR_BAD_BOOT_DISK","features":[308]},{"name":"STATUS_VOLMGR_DATABASE_FULL","features":[308]},{"name":"STATUS_VOLMGR_DIFFERENT_SECTOR_SIZE","features":[308]},{"name":"STATUS_VOLMGR_DISK_CONFIGURATION_CORRUPTED","features":[308]},{"name":"STATUS_VOLMGR_DISK_CONFIGURATION_NOT_IN_SYNC","features":[308]},{"name":"STATUS_VOLMGR_DISK_CONTAINS_NON_SIMPLE_VOLUME","features":[308]},{"name":"STATUS_VOLMGR_DISK_DUPLICATE","features":[308]},{"name":"STATUS_VOLMGR_DISK_DYNAMIC","features":[308]},{"name":"STATUS_VOLMGR_DISK_ID_INVALID","features":[308]},{"name":"STATUS_VOLMGR_DISK_INVALID","features":[308]},{"name":"STATUS_VOLMGR_DISK_LAST_VOTER","features":[308]},{"name":"STATUS_VOLMGR_DISK_LAYOUT_INVALID","features":[308]},{"name":"STATUS_VOLMGR_DISK_LAYOUT_NON_BASIC_BETWEEN_BASIC_PARTITIONS","features":[308]},{"name":"STATUS_VOLMGR_DISK_LAYOUT_NOT_CYLINDER_ALIGNED","features":[308]},{"name":"STATUS_VOLMGR_DISK_LAYOUT_PARTITIONS_TOO_SMALL","features":[308]},{"name":"STATUS_VOLMGR_DISK_LAYOUT_PRIMARY_BETWEEN_LOGICAL_PARTITIONS","features":[308]},{"name":"STATUS_VOLMGR_DISK_LAYOUT_TOO_MANY_PARTITIONS","features":[308]},{"name":"STATUS_VOLMGR_DISK_MISSING","features":[308]},{"name":"STATUS_VOLMGR_DISK_NOT_EMPTY","features":[308]},{"name":"STATUS_VOLMGR_DISK_NOT_ENOUGH_SPACE","features":[308]},{"name":"STATUS_VOLMGR_DISK_REVECTORING_FAILED","features":[308]},{"name":"STATUS_VOLMGR_DISK_SECTOR_SIZE_INVALID","features":[308]},{"name":"STATUS_VOLMGR_DISK_SET_NOT_CONTAINED","features":[308]},{"name":"STATUS_VOLMGR_DISK_USED_BY_MULTIPLE_MEMBERS","features":[308]},{"name":"STATUS_VOLMGR_DISK_USED_BY_MULTIPLE_PLEXES","features":[308]},{"name":"STATUS_VOLMGR_DYNAMIC_DISK_NOT_SUPPORTED","features":[308]},{"name":"STATUS_VOLMGR_EXTENT_ALREADY_USED","features":[308]},{"name":"STATUS_VOLMGR_EXTENT_NOT_CONTIGUOUS","features":[308]},{"name":"STATUS_VOLMGR_EXTENT_NOT_IN_PUBLIC_REGION","features":[308]},{"name":"STATUS_VOLMGR_EXTENT_NOT_SECTOR_ALIGNED","features":[308]},{"name":"STATUS_VOLMGR_EXTENT_OVERLAPS_EBR_PARTITION","features":[308]},{"name":"STATUS_VOLMGR_EXTENT_VOLUME_LENGTHS_DO_NOT_MATCH","features":[308]},{"name":"STATUS_VOLMGR_FAULT_TOLERANT_NOT_SUPPORTED","features":[308]},{"name":"STATUS_VOLMGR_INCOMPLETE_DISK_MIGRATION","features":[308]},{"name":"STATUS_VOLMGR_INCOMPLETE_REGENERATION","features":[308]},{"name":"STATUS_VOLMGR_INTERLEAVE_LENGTH_INVALID","features":[308]},{"name":"STATUS_VOLMGR_MAXIMUM_REGISTERED_USERS","features":[308]},{"name":"STATUS_VOLMGR_MEMBER_INDEX_DUPLICATE","features":[308]},{"name":"STATUS_VOLMGR_MEMBER_INDEX_INVALID","features":[308]},{"name":"STATUS_VOLMGR_MEMBER_IN_SYNC","features":[308]},{"name":"STATUS_VOLMGR_MEMBER_MISSING","features":[308]},{"name":"STATUS_VOLMGR_MEMBER_NOT_DETACHED","features":[308]},{"name":"STATUS_VOLMGR_MEMBER_REGENERATING","features":[308]},{"name":"STATUS_VOLMGR_MIRROR_NOT_SUPPORTED","features":[308]},{"name":"STATUS_VOLMGR_NOTIFICATION_RESET","features":[308]},{"name":"STATUS_VOLMGR_NOT_PRIMARY_PACK","features":[308]},{"name":"STATUS_VOLMGR_NO_REGISTERED_USERS","features":[308]},{"name":"STATUS_VOLMGR_NO_SUCH_USER","features":[308]},{"name":"STATUS_VOLMGR_NO_VALID_LOG_COPIES","features":[308]},{"name":"STATUS_VOLMGR_NUMBER_OF_DISKS_INVALID","features":[308]},{"name":"STATUS_VOLMGR_NUMBER_OF_DISKS_IN_MEMBER_INVALID","features":[308]},{"name":"STATUS_VOLMGR_NUMBER_OF_DISKS_IN_PLEX_INVALID","features":[308]},{"name":"STATUS_VOLMGR_NUMBER_OF_EXTENTS_INVALID","features":[308]},{"name":"STATUS_VOLMGR_NUMBER_OF_MEMBERS_INVALID","features":[308]},{"name":"STATUS_VOLMGR_NUMBER_OF_PLEXES_INVALID","features":[308]},{"name":"STATUS_VOLMGR_PACK_CONFIG_OFFLINE","features":[308]},{"name":"STATUS_VOLMGR_PACK_CONFIG_ONLINE","features":[308]},{"name":"STATUS_VOLMGR_PACK_CONFIG_UPDATE_FAILED","features":[308]},{"name":"STATUS_VOLMGR_PACK_DUPLICATE","features":[308]},{"name":"STATUS_VOLMGR_PACK_HAS_QUORUM","features":[308]},{"name":"STATUS_VOLMGR_PACK_ID_INVALID","features":[308]},{"name":"STATUS_VOLMGR_PACK_INVALID","features":[308]},{"name":"STATUS_VOLMGR_PACK_LOG_UPDATE_FAILED","features":[308]},{"name":"STATUS_VOLMGR_PACK_NAME_INVALID","features":[308]},{"name":"STATUS_VOLMGR_PACK_OFFLINE","features":[308]},{"name":"STATUS_VOLMGR_PACK_WITHOUT_QUORUM","features":[308]},{"name":"STATUS_VOLMGR_PARTITION_STYLE_INVALID","features":[308]},{"name":"STATUS_VOLMGR_PARTITION_UPDATE_FAILED","features":[308]},{"name":"STATUS_VOLMGR_PLEX_INDEX_DUPLICATE","features":[308]},{"name":"STATUS_VOLMGR_PLEX_INDEX_INVALID","features":[308]},{"name":"STATUS_VOLMGR_PLEX_IN_SYNC","features":[308]},{"name":"STATUS_VOLMGR_PLEX_LAST_ACTIVE","features":[308]},{"name":"STATUS_VOLMGR_PLEX_MISSING","features":[308]},{"name":"STATUS_VOLMGR_PLEX_NOT_RAID5","features":[308]},{"name":"STATUS_VOLMGR_PLEX_NOT_SIMPLE","features":[308]},{"name":"STATUS_VOLMGR_PLEX_NOT_SIMPLE_SPANNED","features":[308]},{"name":"STATUS_VOLMGR_PLEX_REGENERATING","features":[308]},{"name":"STATUS_VOLMGR_PLEX_TYPE_INVALID","features":[308]},{"name":"STATUS_VOLMGR_PRIMARY_PACK_PRESENT","features":[308]},{"name":"STATUS_VOLMGR_RAID5_NOT_SUPPORTED","features":[308]},{"name":"STATUS_VOLMGR_STRUCTURE_SIZE_INVALID","features":[308]},{"name":"STATUS_VOLMGR_TOO_MANY_NOTIFICATION_REQUESTS","features":[308]},{"name":"STATUS_VOLMGR_TRANSACTION_IN_PROGRESS","features":[308]},{"name":"STATUS_VOLMGR_UNEXPECTED_DISK_LAYOUT_CHANGE","features":[308]},{"name":"STATUS_VOLMGR_VOLUME_CONTAINS_MISSING_DISK","features":[308]},{"name":"STATUS_VOLMGR_VOLUME_ID_INVALID","features":[308]},{"name":"STATUS_VOLMGR_VOLUME_LENGTH_INVALID","features":[308]},{"name":"STATUS_VOLMGR_VOLUME_LENGTH_NOT_SECTOR_SIZE_MULTIPLE","features":[308]},{"name":"STATUS_VOLMGR_VOLUME_MIRRORED","features":[308]},{"name":"STATUS_VOLMGR_VOLUME_NOT_MIRRORED","features":[308]},{"name":"STATUS_VOLMGR_VOLUME_NOT_RETAINED","features":[308]},{"name":"STATUS_VOLMGR_VOLUME_OFFLINE","features":[308]},{"name":"STATUS_VOLMGR_VOLUME_RETAINED","features":[308]},{"name":"STATUS_VOLSNAP_ACTIVATION_TIMEOUT","features":[308]},{"name":"STATUS_VOLSNAP_BOOTFILE_NOT_VALID","features":[308]},{"name":"STATUS_VOLSNAP_HIBERNATE_READY","features":[308]},{"name":"STATUS_VOLSNAP_NO_BYPASSIO_WITH_SNAPSHOT","features":[308]},{"name":"STATUS_VOLSNAP_PREPARE_HIBERNATE","features":[308]},{"name":"STATUS_VOLUME_DIRTY","features":[308]},{"name":"STATUS_VOLUME_DISMOUNTED","features":[308]},{"name":"STATUS_VOLUME_MOUNTED","features":[308]},{"name":"STATUS_VOLUME_NOT_CLUSTER_ALIGNED","features":[308]},{"name":"STATUS_VOLUME_NOT_SUPPORTED","features":[308]},{"name":"STATUS_VOLUME_NOT_UPGRADED","features":[308]},{"name":"STATUS_VOLUME_UPGRADE_DISABLED","features":[308]},{"name":"STATUS_VOLUME_UPGRADE_DISABLED_TILL_OS_DOWNGRADE_EXPIRED","features":[308]},{"name":"STATUS_VOLUME_UPGRADE_NOT_NEEDED","features":[308]},{"name":"STATUS_VOLUME_UPGRADE_PENDING","features":[308]},{"name":"STATUS_VOLUME_WRITE_ACCESS_DENIED","features":[308]},{"name":"STATUS_VRF_VOLATILE_CFG_AND_IO_ENABLED","features":[308]},{"name":"STATUS_VRF_VOLATILE_NMI_REGISTERED","features":[308]},{"name":"STATUS_VRF_VOLATILE_NOT_RUNNABLE_SYSTEM","features":[308]},{"name":"STATUS_VRF_VOLATILE_NOT_STOPPABLE","features":[308]},{"name":"STATUS_VRF_VOLATILE_NOT_SUPPORTED_RULECLASS","features":[308]},{"name":"STATUS_VRF_VOLATILE_PROTECTED_DRIVER","features":[308]},{"name":"STATUS_VRF_VOLATILE_SAFE_MODE","features":[308]},{"name":"STATUS_VRF_VOLATILE_SETTINGS_CONFLICT","features":[308]},{"name":"STATUS_VSM_DMA_PROTECTION_NOT_IN_USE","features":[308]},{"name":"STATUS_VSM_NOT_INITIALIZED","features":[308]},{"name":"STATUS_WAIT_0","features":[308]},{"name":"STATUS_WAIT_1","features":[308]},{"name":"STATUS_WAIT_2","features":[308]},{"name":"STATUS_WAIT_3","features":[308]},{"name":"STATUS_WAIT_63","features":[308]},{"name":"STATUS_WAIT_FOR_OPLOCK","features":[308]},{"name":"STATUS_WAKE_SYSTEM","features":[308]},{"name":"STATUS_WAKE_SYSTEM_DEBUGGER","features":[308]},{"name":"STATUS_WAS_LOCKED","features":[308]},{"name":"STATUS_WAS_UNLOCKED","features":[308]},{"name":"STATUS_WEAK_WHFBKEY_BLOCKED","features":[308]},{"name":"STATUS_WIM_NOT_BOOTABLE","features":[308]},{"name":"STATUS_WMI_ALREADY_DISABLED","features":[308]},{"name":"STATUS_WMI_ALREADY_ENABLED","features":[308]},{"name":"STATUS_WMI_GUID_DISCONNECTED","features":[308]},{"name":"STATUS_WMI_GUID_NOT_FOUND","features":[308]},{"name":"STATUS_WMI_INSTANCE_NOT_FOUND","features":[308]},{"name":"STATUS_WMI_ITEMID_NOT_FOUND","features":[308]},{"name":"STATUS_WMI_NOT_SUPPORTED","features":[308]},{"name":"STATUS_WMI_READ_ONLY","features":[308]},{"name":"STATUS_WMI_SET_FAILURE","features":[308]},{"name":"STATUS_WMI_TRY_AGAIN","features":[308]},{"name":"STATUS_WOF_FILE_RESOURCE_TABLE_CORRUPT","features":[308]},{"name":"STATUS_WOF_WIM_HEADER_CORRUPT","features":[308]},{"name":"STATUS_WOF_WIM_RESOURCE_TABLE_CORRUPT","features":[308]},{"name":"STATUS_WORKING_SET_LIMIT_RANGE","features":[308]},{"name":"STATUS_WORKING_SET_QUOTA","features":[308]},{"name":"STATUS_WOW_ASSERTION","features":[308]},{"name":"STATUS_WRONG_COMPARTMENT","features":[308]},{"name":"STATUS_WRONG_CREDENTIAL_HANDLE","features":[308]},{"name":"STATUS_WRONG_EFS","features":[308]},{"name":"STATUS_WRONG_PASSWORD_CORE","features":[308]},{"name":"STATUS_WRONG_VOLUME","features":[308]},{"name":"STATUS_WX86_BREAKPOINT","features":[308]},{"name":"STATUS_WX86_CONTINUE","features":[308]},{"name":"STATUS_WX86_CREATEWX86TIB","features":[308]},{"name":"STATUS_WX86_EXCEPTION_CHAIN","features":[308]},{"name":"STATUS_WX86_EXCEPTION_CONTINUE","features":[308]},{"name":"STATUS_WX86_EXCEPTION_LASTCHANCE","features":[308]},{"name":"STATUS_WX86_FLOAT_STACK_CHECK","features":[308]},{"name":"STATUS_WX86_INTERNAL_ERROR","features":[308]},{"name":"STATUS_WX86_SINGLE_STEP","features":[308]},{"name":"STATUS_WX86_UNSIMULATE","features":[308]},{"name":"STATUS_XMLDSIG_ERROR","features":[308]},{"name":"STATUS_XML_ENCODING_MISMATCH","features":[308]},{"name":"STATUS_XML_PARSE_ERROR","features":[308]},{"name":"STG_E_ABNORMALAPIEXIT","features":[308]},{"name":"STG_E_ACCESSDENIED","features":[308]},{"name":"STG_E_BADBASEADDRESS","features":[308]},{"name":"STG_E_CANTSAVE","features":[308]},{"name":"STG_E_CSS_AUTHENTICATION_FAILURE","features":[308]},{"name":"STG_E_CSS_KEY_NOT_ESTABLISHED","features":[308]},{"name":"STG_E_CSS_KEY_NOT_PRESENT","features":[308]},{"name":"STG_E_CSS_REGION_MISMATCH","features":[308]},{"name":"STG_E_CSS_SCRAMBLED_SECTOR","features":[308]},{"name":"STG_E_DEVICE_UNRESPONSIVE","features":[308]},{"name":"STG_E_DISKISWRITEPROTECTED","features":[308]},{"name":"STG_E_DOCFILECORRUPT","features":[308]},{"name":"STG_E_DOCFILETOOLARGE","features":[308]},{"name":"STG_E_EXTANTMARSHALLINGS","features":[308]},{"name":"STG_E_FILEALREADYEXISTS","features":[308]},{"name":"STG_E_FILENOTFOUND","features":[308]},{"name":"STG_E_FIRMWARE_IMAGE_INVALID","features":[308]},{"name":"STG_E_FIRMWARE_SLOT_INVALID","features":[308]},{"name":"STG_E_INCOMPLETE","features":[308]},{"name":"STG_E_INSUFFICIENTMEMORY","features":[308]},{"name":"STG_E_INUSE","features":[308]},{"name":"STG_E_INVALIDFLAG","features":[308]},{"name":"STG_E_INVALIDFUNCTION","features":[308]},{"name":"STG_E_INVALIDHANDLE","features":[308]},{"name":"STG_E_INVALIDHEADER","features":[308]},{"name":"STG_E_INVALIDNAME","features":[308]},{"name":"STG_E_INVALIDPARAMETER","features":[308]},{"name":"STG_E_INVALIDPOINTER","features":[308]},{"name":"STG_E_LOCKVIOLATION","features":[308]},{"name":"STG_E_MEDIUMFULL","features":[308]},{"name":"STG_E_NOMOREFILES","features":[308]},{"name":"STG_E_NOTCURRENT","features":[308]},{"name":"STG_E_NOTFILEBASEDSTORAGE","features":[308]},{"name":"STG_E_NOTSIMPLEFORMAT","features":[308]},{"name":"STG_E_OLDDLL","features":[308]},{"name":"STG_E_OLDFORMAT","features":[308]},{"name":"STG_E_PATHNOTFOUND","features":[308]},{"name":"STG_E_PROPSETMISMATCHED","features":[308]},{"name":"STG_E_READFAULT","features":[308]},{"name":"STG_E_RESETS_EXHAUSTED","features":[308]},{"name":"STG_E_REVERTED","features":[308]},{"name":"STG_E_SEEKERROR","features":[308]},{"name":"STG_E_SHAREREQUIRED","features":[308]},{"name":"STG_E_SHAREVIOLATION","features":[308]},{"name":"STG_E_STATUS_COPY_PROTECTION_FAILURE","features":[308]},{"name":"STG_E_TERMINATED","features":[308]},{"name":"STG_E_TOOMANYOPENFILES","features":[308]},{"name":"STG_E_UNIMPLEMENTEDFUNCTION","features":[308]},{"name":"STG_E_UNKNOWN","features":[308]},{"name":"STG_E_WRITEFAULT","features":[308]},{"name":"STG_S_BLOCK","features":[308]},{"name":"STG_S_CANNOTCONSOLIDATE","features":[308]},{"name":"STG_S_CONSOLIDATIONFAILED","features":[308]},{"name":"STG_S_CONVERTED","features":[308]},{"name":"STG_S_MONITORING","features":[308]},{"name":"STG_S_MULTIPLEOPENS","features":[308]},{"name":"STG_S_POWER_CYCLE_REQUIRED","features":[308]},{"name":"STG_S_RETRYNOW","features":[308]},{"name":"STILL_ACTIVE","features":[308]},{"name":"STORE_ERROR_LICENSE_REVOKED","features":[308]},{"name":"STORE_ERROR_PENDING_COM_TRANSACTION","features":[308]},{"name":"STORE_ERROR_UNLICENSED","features":[308]},{"name":"STORE_ERROR_UNLICENSED_USER","features":[308]},{"name":"STRICT","features":[308]},{"name":"SUCCESS","features":[308]},{"name":"SYSTEMTIME","features":[308]},{"name":"S_APPLICATION_ACTIVATION_ERROR_HANDLED_BY_DIALOG","features":[308]},{"name":"S_FALSE","features":[308]},{"name":"S_OK","features":[308]},{"name":"S_STORE_LAUNCHED_FOR_REMEDIATION","features":[308]},{"name":"SetHandleInformation","features":[308]},{"name":"SetLastError","features":[308]},{"name":"SetLastErrorEx","features":[308]},{"name":"SysAddRefString","features":[308]},{"name":"SysAllocString","features":[308]},{"name":"SysAllocStringByteLen","features":[308]},{"name":"SysAllocStringLen","features":[308]},{"name":"SysFreeString","features":[308]},{"name":"SysReAllocString","features":[308]},{"name":"SysReAllocStringLen","features":[308]},{"name":"SysReleaseString","features":[308]},{"name":"SysStringByteLen","features":[308]},{"name":"SysStringLen","features":[308]},{"name":"TBSIMP_E_BUFFER_TOO_SMALL","features":[308]},{"name":"TBSIMP_E_CLEANUP_FAILED","features":[308]},{"name":"TBSIMP_E_COMMAND_CANCELED","features":[308]},{"name":"TBSIMP_E_COMMAND_FAILED","features":[308]},{"name":"TBSIMP_E_DUPLICATE_VHANDLE","features":[308]},{"name":"TBSIMP_E_HASH_BAD_KEY","features":[308]},{"name":"TBSIMP_E_HASH_TABLE_FULL","features":[308]},{"name":"TBSIMP_E_INVALID_CONTEXT_HANDLE","features":[308]},{"name":"TBSIMP_E_INVALID_CONTEXT_PARAM","features":[308]},{"name":"TBSIMP_E_INVALID_OUTPUT_POINTER","features":[308]},{"name":"TBSIMP_E_INVALID_PARAMETER","features":[308]},{"name":"TBSIMP_E_INVALID_RESOURCE","features":[308]},{"name":"TBSIMP_E_LIST_NOT_FOUND","features":[308]},{"name":"TBSIMP_E_LIST_NO_MORE_ITEMS","features":[308]},{"name":"TBSIMP_E_NOTHING_TO_UNLOAD","features":[308]},{"name":"TBSIMP_E_NOT_ENOUGH_SPACE","features":[308]},{"name":"TBSIMP_E_NOT_ENOUGH_TPM_CONTEXTS","features":[308]},{"name":"TBSIMP_E_NO_EVENT_LOG","features":[308]},{"name":"TBSIMP_E_OUT_OF_MEMORY","features":[308]},{"name":"TBSIMP_E_PPI_NOT_SUPPORTED","features":[308]},{"name":"TBSIMP_E_RESOURCE_EXPIRED","features":[308]},{"name":"TBSIMP_E_RPC_INIT_FAILED","features":[308]},{"name":"TBSIMP_E_SCHEDULER_NOT_RUNNING","features":[308]},{"name":"TBSIMP_E_TOO_MANY_RESOURCES","features":[308]},{"name":"TBSIMP_E_TOO_MANY_TBS_CONTEXTS","features":[308]},{"name":"TBSIMP_E_TPM_ERROR","features":[308]},{"name":"TBSIMP_E_TPM_INCOMPATIBLE","features":[308]},{"name":"TBSIMP_E_UNKNOWN_ORDINAL","features":[308]},{"name":"TBS_E_ACCESS_DENIED","features":[308]},{"name":"TBS_E_BAD_PARAMETER","features":[308]},{"name":"TBS_E_BUFFER_TOO_LARGE","features":[308]},{"name":"TBS_E_COMMAND_CANCELED","features":[308]},{"name":"TBS_E_INSUFFICIENT_BUFFER","features":[308]},{"name":"TBS_E_INTERNAL_ERROR","features":[308]},{"name":"TBS_E_INVALID_CONTEXT","features":[308]},{"name":"TBS_E_INVALID_CONTEXT_PARAM","features":[308]},{"name":"TBS_E_INVALID_OUTPUT_POINTER","features":[308]},{"name":"TBS_E_IOERROR","features":[308]},{"name":"TBS_E_NO_EVENT_LOG","features":[308]},{"name":"TBS_E_OWNERAUTH_NOT_FOUND","features":[308]},{"name":"TBS_E_PPI_FUNCTION_UNSUPPORTED","features":[308]},{"name":"TBS_E_PPI_NOT_SUPPORTED","features":[308]},{"name":"TBS_E_PROVISIONING_INCOMPLETE","features":[308]},{"name":"TBS_E_PROVISIONING_NOT_ALLOWED","features":[308]},{"name":"TBS_E_SERVICE_DISABLED","features":[308]},{"name":"TBS_E_SERVICE_NOT_RUNNING","features":[308]},{"name":"TBS_E_SERVICE_START_PENDING","features":[308]},{"name":"TBS_E_TOO_MANY_RESOURCES","features":[308]},{"name":"TBS_E_TOO_MANY_TBS_CONTEXTS","features":[308]},{"name":"TBS_E_TPM_NOT_FOUND","features":[308]},{"name":"TPC_E_INITIALIZE_FAIL","features":[308]},{"name":"TPC_E_INVALID_CONFIGURATION","features":[308]},{"name":"TPC_E_INVALID_DATA_FROM_RECOGNIZER","features":[308]},{"name":"TPC_E_INVALID_INPUT_RECT","features":[308]},{"name":"TPC_E_INVALID_PACKET_DESCRIPTION","features":[308]},{"name":"TPC_E_INVALID_PROPERTY","features":[308]},{"name":"TPC_E_INVALID_RIGHTS","features":[308]},{"name":"TPC_E_INVALID_STROKE","features":[308]},{"name":"TPC_E_NOT_RELEVANT","features":[308]},{"name":"TPC_E_NO_DEFAULT_TABLET","features":[308]},{"name":"TPC_E_OUT_OF_ORDER_CALL","features":[308]},{"name":"TPC_E_QUEUE_FULL","features":[308]},{"name":"TPC_E_RECOGNIZER_NOT_REGISTERED","features":[308]},{"name":"TPC_E_UNKNOWN_PROPERTY","features":[308]},{"name":"TPC_S_INTERRUPTED","features":[308]},{"name":"TPC_S_NO_DATA_TO_PROCESS","features":[308]},{"name":"TPC_S_TRUNCATED","features":[308]},{"name":"TPMAPI_E_ACCESS_DENIED","features":[308]},{"name":"TPMAPI_E_AUTHORIZATION_FAILED","features":[308]},{"name":"TPMAPI_E_AUTHORIZATION_REVOKED","features":[308]},{"name":"TPMAPI_E_AUTHORIZING_KEY_NOT_SUPPORTED","features":[308]},{"name":"TPMAPI_E_BUFFER_TOO_SMALL","features":[308]},{"name":"TPMAPI_E_EMPTY_TCG_LOG","features":[308]},{"name":"TPMAPI_E_ENCRYPTION_FAILED","features":[308]},{"name":"TPMAPI_E_ENDORSEMENT_AUTH_NOT_NULL","features":[308]},{"name":"TPMAPI_E_FIPS_RNG_CHECK_FAILED","features":[308]},{"name":"TPMAPI_E_INTERNAL_ERROR","features":[308]},{"name":"TPMAPI_E_INVALID_AUTHORIZATION_SIGNATURE","features":[308]},{"name":"TPMAPI_E_INVALID_CONTEXT_HANDLE","features":[308]},{"name":"TPMAPI_E_INVALID_CONTEXT_PARAMS","features":[308]},{"name":"TPMAPI_E_INVALID_DELEGATE_BLOB","features":[308]},{"name":"TPMAPI_E_INVALID_ENCODING","features":[308]},{"name":"TPMAPI_E_INVALID_KEY_BLOB","features":[308]},{"name":"TPMAPI_E_INVALID_KEY_PARAMS","features":[308]},{"name":"TPMAPI_E_INVALID_KEY_SIZE","features":[308]},{"name":"TPMAPI_E_INVALID_MIGRATION_AUTHORIZATION_BLOB","features":[308]},{"name":"TPMAPI_E_INVALID_OUTPUT_POINTER","features":[308]},{"name":"TPMAPI_E_INVALID_OWNER_AUTH","features":[308]},{"name":"TPMAPI_E_INVALID_PARAMETER","features":[308]},{"name":"TPMAPI_E_INVALID_PCR_DATA","features":[308]},{"name":"TPMAPI_E_INVALID_PCR_INDEX","features":[308]},{"name":"TPMAPI_E_INVALID_POLICYAUTH_BLOB_TYPE","features":[308]},{"name":"TPMAPI_E_INVALID_STATE","features":[308]},{"name":"TPMAPI_E_INVALID_TCG_LOG_ENTRY","features":[308]},{"name":"TPMAPI_E_INVALID_TPM_VERSION","features":[308]},{"name":"TPMAPI_E_MALFORMED_AUTHORIZATION_KEY","features":[308]},{"name":"TPMAPI_E_MALFORMED_AUTHORIZATION_OTHER","features":[308]},{"name":"TPMAPI_E_MALFORMED_AUTHORIZATION_POLICY","features":[308]},{"name":"TPMAPI_E_MESSAGE_TOO_LARGE","features":[308]},{"name":"TPMAPI_E_NOT_ENOUGH_DATA","features":[308]},{"name":"TPMAPI_E_NO_AUTHORIZATION_CHAIN_FOUND","features":[308]},{"name":"TPMAPI_E_NV_BITS_NOT_DEFINED","features":[308]},{"name":"TPMAPI_E_NV_BITS_NOT_READY","features":[308]},{"name":"TPMAPI_E_OUT_OF_MEMORY","features":[308]},{"name":"TPMAPI_E_OWNER_AUTH_NOT_NULL","features":[308]},{"name":"TPMAPI_E_POLICY_DENIES_OPERATION","features":[308]},{"name":"TPMAPI_E_SEALING_KEY_CHANGED","features":[308]},{"name":"TPMAPI_E_SEALING_KEY_NOT_AVAILABLE","features":[308]},{"name":"TPMAPI_E_SVN_COUNTER_NOT_AVAILABLE","features":[308]},{"name":"TPMAPI_E_TBS_COMMUNICATION_ERROR","features":[308]},{"name":"TPMAPI_E_TCG_INVALID_DIGEST_ENTRY","features":[308]},{"name":"TPMAPI_E_TCG_SEPARATOR_ABSENT","features":[308]},{"name":"TPMAPI_E_TOO_MUCH_DATA","features":[308]},{"name":"TPMAPI_E_TPM_COMMAND_ERROR","features":[308]},{"name":"TPM_20_E_ASYMMETRIC","features":[308]},{"name":"TPM_20_E_ATTRIBUTES","features":[308]},{"name":"TPM_20_E_AUTHSIZE","features":[308]},{"name":"TPM_20_E_AUTH_CONTEXT","features":[308]},{"name":"TPM_20_E_AUTH_FAIL","features":[308]},{"name":"TPM_20_E_AUTH_MISSING","features":[308]},{"name":"TPM_20_E_AUTH_TYPE","features":[308]},{"name":"TPM_20_E_AUTH_UNAVAILABLE","features":[308]},{"name":"TPM_20_E_BAD_AUTH","features":[308]},{"name":"TPM_20_E_BAD_CONTEXT","features":[308]},{"name":"TPM_20_E_BINDING","features":[308]},{"name":"TPM_20_E_CANCELED","features":[308]},{"name":"TPM_20_E_COMMAND_CODE","features":[308]},{"name":"TPM_20_E_COMMAND_SIZE","features":[308]},{"name":"TPM_20_E_CONTEXT_GAP","features":[308]},{"name":"TPM_20_E_CPHASH","features":[308]},{"name":"TPM_20_E_CURVE","features":[308]},{"name":"TPM_20_E_DISABLED","features":[308]},{"name":"TPM_20_E_ECC_CURVE","features":[308]},{"name":"TPM_20_E_ECC_POINT","features":[308]},{"name":"TPM_20_E_EXCLUSIVE","features":[308]},{"name":"TPM_20_E_EXPIRED","features":[308]},{"name":"TPM_20_E_FAILURE","features":[308]},{"name":"TPM_20_E_HANDLE","features":[308]},{"name":"TPM_20_E_HASH","features":[308]},{"name":"TPM_20_E_HIERARCHY","features":[308]},{"name":"TPM_20_E_HMAC","features":[308]},{"name":"TPM_20_E_INITIALIZE","features":[308]},{"name":"TPM_20_E_INSUFFICIENT","features":[308]},{"name":"TPM_20_E_INTEGRITY","features":[308]},{"name":"TPM_20_E_KDF","features":[308]},{"name":"TPM_20_E_KEY","features":[308]},{"name":"TPM_20_E_KEY_SIZE","features":[308]},{"name":"TPM_20_E_LOCALITY","features":[308]},{"name":"TPM_20_E_LOCKOUT","features":[308]},{"name":"TPM_20_E_MEMORY","features":[308]},{"name":"TPM_20_E_MGF","features":[308]},{"name":"TPM_20_E_MODE","features":[308]},{"name":"TPM_20_E_NEEDS_TEST","features":[308]},{"name":"TPM_20_E_NONCE","features":[308]},{"name":"TPM_20_E_NO_RESULT","features":[308]},{"name":"TPM_20_E_NV_AUTHORIZATION","features":[308]},{"name":"TPM_20_E_NV_DEFINED","features":[308]},{"name":"TPM_20_E_NV_LOCKED","features":[308]},{"name":"TPM_20_E_NV_RANGE","features":[308]},{"name":"TPM_20_E_NV_RATE","features":[308]},{"name":"TPM_20_E_NV_SIZE","features":[308]},{"name":"TPM_20_E_NV_SPACE","features":[308]},{"name":"TPM_20_E_NV_UNAVAILABLE","features":[308]},{"name":"TPM_20_E_NV_UNINITIALIZED","features":[308]},{"name":"TPM_20_E_OBJECT_HANDLES","features":[308]},{"name":"TPM_20_E_OBJECT_MEMORY","features":[308]},{"name":"TPM_20_E_PARENT","features":[308]},{"name":"TPM_20_E_PCR","features":[308]},{"name":"TPM_20_E_PCR_CHANGED","features":[308]},{"name":"TPM_20_E_POLICY","features":[308]},{"name":"TPM_20_E_POLICY_CC","features":[308]},{"name":"TPM_20_E_POLICY_FAIL","features":[308]},{"name":"TPM_20_E_PP","features":[308]},{"name":"TPM_20_E_PRIVATE","features":[308]},{"name":"TPM_20_E_RANGE","features":[308]},{"name":"TPM_20_E_REBOOT","features":[308]},{"name":"TPM_20_E_RESERVED_BITS","features":[308]},{"name":"TPM_20_E_RETRY","features":[308]},{"name":"TPM_20_E_SCHEME","features":[308]},{"name":"TPM_20_E_SELECTOR","features":[308]},{"name":"TPM_20_E_SENSITIVE","features":[308]},{"name":"TPM_20_E_SEQUENCE","features":[308]},{"name":"TPM_20_E_SESSION_HANDLES","features":[308]},{"name":"TPM_20_E_SESSION_MEMORY","features":[308]},{"name":"TPM_20_E_SIGNATURE","features":[308]},{"name":"TPM_20_E_SIZE","features":[308]},{"name":"TPM_20_E_SYMMETRIC","features":[308]},{"name":"TPM_20_E_TAG","features":[308]},{"name":"TPM_20_E_TESTING","features":[308]},{"name":"TPM_20_E_TICKET","features":[308]},{"name":"TPM_20_E_TOO_MANY_CONTEXTS","features":[308]},{"name":"TPM_20_E_TYPE","features":[308]},{"name":"TPM_20_E_UNBALANCED","features":[308]},{"name":"TPM_20_E_UPGRADE","features":[308]},{"name":"TPM_20_E_VALUE","features":[308]},{"name":"TPM_20_E_YIELDED","features":[308]},{"name":"TPM_E_AREA_LOCKED","features":[308]},{"name":"TPM_E_ATTESTATION_CHALLENGE_NOT_SET","features":[308]},{"name":"TPM_E_AUDITFAILURE","features":[308]},{"name":"TPM_E_AUDITFAIL_SUCCESSFUL","features":[308]},{"name":"TPM_E_AUDITFAIL_UNSUCCESSFUL","features":[308]},{"name":"TPM_E_AUTH2FAIL","features":[308]},{"name":"TPM_E_AUTHFAIL","features":[308]},{"name":"TPM_E_AUTH_CONFLICT","features":[308]},{"name":"TPM_E_BADCONTEXT","features":[308]},{"name":"TPM_E_BADINDEX","features":[308]},{"name":"TPM_E_BADTAG","features":[308]},{"name":"TPM_E_BAD_ATTRIBUTES","features":[308]},{"name":"TPM_E_BAD_COUNTER","features":[308]},{"name":"TPM_E_BAD_DATASIZE","features":[308]},{"name":"TPM_E_BAD_DELEGATE","features":[308]},{"name":"TPM_E_BAD_HANDLE","features":[308]},{"name":"TPM_E_BAD_KEY_PROPERTY","features":[308]},{"name":"TPM_E_BAD_LOCALITY","features":[308]},{"name":"TPM_E_BAD_MIGRATION","features":[308]},{"name":"TPM_E_BAD_MODE","features":[308]},{"name":"TPM_E_BAD_ORDINAL","features":[308]},{"name":"TPM_E_BAD_PARAMETER","features":[308]},{"name":"TPM_E_BAD_PARAM_SIZE","features":[308]},{"name":"TPM_E_BAD_PRESENCE","features":[308]},{"name":"TPM_E_BAD_SCHEME","features":[308]},{"name":"TPM_E_BAD_SIGNATURE","features":[308]},{"name":"TPM_E_BAD_TYPE","features":[308]},{"name":"TPM_E_BAD_VERSION","features":[308]},{"name":"TPM_E_BUFFER_LENGTH_MISMATCH","features":[308]},{"name":"TPM_E_CLAIM_TYPE_NOT_SUPPORTED","features":[308]},{"name":"TPM_E_CLEAR_DISABLED","features":[308]},{"name":"TPM_E_COMMAND_BLOCKED","features":[308]},{"name":"TPM_E_CONTEXT_GAP","features":[308]},{"name":"TPM_E_DAA_INPUT_DATA0","features":[308]},{"name":"TPM_E_DAA_INPUT_DATA1","features":[308]},{"name":"TPM_E_DAA_ISSUER_SETTINGS","features":[308]},{"name":"TPM_E_DAA_ISSUER_VALIDITY","features":[308]},{"name":"TPM_E_DAA_RESOURCES","features":[308]},{"name":"TPM_E_DAA_STAGE","features":[308]},{"name":"TPM_E_DAA_TPM_SETTINGS","features":[308]},{"name":"TPM_E_DAA_WRONG_W","features":[308]},{"name":"TPM_E_DEACTIVATED","features":[308]},{"name":"TPM_E_DECRYPT_ERROR","features":[308]},{"name":"TPM_E_DEFEND_LOCK_RUNNING","features":[308]},{"name":"TPM_E_DELEGATE_ADMIN","features":[308]},{"name":"TPM_E_DELEGATE_FAMILY","features":[308]},{"name":"TPM_E_DELEGATE_LOCK","features":[308]},{"name":"TPM_E_DISABLED","features":[308]},{"name":"TPM_E_DISABLED_CMD","features":[308]},{"name":"TPM_E_DOING_SELFTEST","features":[308]},{"name":"TPM_E_DUPLICATE_VHANDLE","features":[308]},{"name":"TPM_E_EMBEDDED_COMMAND_BLOCKED","features":[308]},{"name":"TPM_E_EMBEDDED_COMMAND_UNSUPPORTED","features":[308]},{"name":"TPM_E_ENCRYPT_ERROR","features":[308]},{"name":"TPM_E_ERROR_MASK","features":[308]},{"name":"TPM_E_FAIL","features":[308]},{"name":"TPM_E_FAILEDSELFTEST","features":[308]},{"name":"TPM_E_FAMILYCOUNT","features":[308]},{"name":"TPM_E_INAPPROPRIATE_ENC","features":[308]},{"name":"TPM_E_INAPPROPRIATE_SIG","features":[308]},{"name":"TPM_E_INSTALL_DISABLED","features":[308]},{"name":"TPM_E_INVALID_AUTHHANDLE","features":[308]},{"name":"TPM_E_INVALID_FAMILY","features":[308]},{"name":"TPM_E_INVALID_HANDLE","features":[308]},{"name":"TPM_E_INVALID_KEYHANDLE","features":[308]},{"name":"TPM_E_INVALID_KEYUSAGE","features":[308]},{"name":"TPM_E_INVALID_OWNER_AUTH","features":[308]},{"name":"TPM_E_INVALID_PCR_INFO","features":[308]},{"name":"TPM_E_INVALID_POSTINIT","features":[308]},{"name":"TPM_E_INVALID_RESOURCE","features":[308]},{"name":"TPM_E_INVALID_STRUCTURE","features":[308]},{"name":"TPM_E_IOERROR","features":[308]},{"name":"TPM_E_KEYNOTFOUND","features":[308]},{"name":"TPM_E_KEY_ALREADY_FINALIZED","features":[308]},{"name":"TPM_E_KEY_NOTSUPPORTED","features":[308]},{"name":"TPM_E_KEY_NOT_AUTHENTICATED","features":[308]},{"name":"TPM_E_KEY_NOT_FINALIZED","features":[308]},{"name":"TPM_E_KEY_NOT_LOADED","features":[308]},{"name":"TPM_E_KEY_NOT_SIGNING_KEY","features":[308]},{"name":"TPM_E_KEY_OWNER_CONTROL","features":[308]},{"name":"TPM_E_KEY_USAGE_POLICY_INVALID","features":[308]},{"name":"TPM_E_KEY_USAGE_POLICY_NOT_SUPPORTED","features":[308]},{"name":"TPM_E_LOCKED_OUT","features":[308]},{"name":"TPM_E_MAXNVWRITES","features":[308]},{"name":"TPM_E_MA_AUTHORITY","features":[308]},{"name":"TPM_E_MA_DESTINATION","features":[308]},{"name":"TPM_E_MA_SOURCE","features":[308]},{"name":"TPM_E_MA_TICKET_SIGNATURE","features":[308]},{"name":"TPM_E_MIGRATEFAIL","features":[308]},{"name":"TPM_E_NEEDS_SELFTEST","features":[308]},{"name":"TPM_E_NOCONTEXTSPACE","features":[308]},{"name":"TPM_E_NOOPERATOR","features":[308]},{"name":"TPM_E_NOSPACE","features":[308]},{"name":"TPM_E_NOSRK","features":[308]},{"name":"TPM_E_NOTFIPS","features":[308]},{"name":"TPM_E_NOTLOCAL","features":[308]},{"name":"TPM_E_NOTRESETABLE","features":[308]},{"name":"TPM_E_NOTSEALED_BLOB","features":[308]},{"name":"TPM_E_NOT_FULLWRITE","features":[308]},{"name":"TPM_E_NOT_PCR_BOUND","features":[308]},{"name":"TPM_E_NO_ENDORSEMENT","features":[308]},{"name":"TPM_E_NO_KEY_CERTIFICATION","features":[308]},{"name":"TPM_E_NO_NV_PERMISSION","features":[308]},{"name":"TPM_E_NO_WRAP_TRANSPORT","features":[308]},{"name":"TPM_E_OWNER_CONTROL","features":[308]},{"name":"TPM_E_OWNER_SET","features":[308]},{"name":"TPM_E_PCP_AUTHENTICATION_FAILED","features":[308]},{"name":"TPM_E_PCP_AUTHENTICATION_IGNORED","features":[308]},{"name":"TPM_E_PCP_BUFFER_TOO_SMALL","features":[308]},{"name":"TPM_E_PCP_DEVICE_NOT_READY","features":[308]},{"name":"TPM_E_PCP_ERROR_MASK","features":[308]},{"name":"TPM_E_PCP_FLAG_NOT_SUPPORTED","features":[308]},{"name":"TPM_E_PCP_IFX_RSA_KEY_CREATION_BLOCKED","features":[308]},{"name":"TPM_E_PCP_INTERNAL_ERROR","features":[308]},{"name":"TPM_E_PCP_INVALID_HANDLE","features":[308]},{"name":"TPM_E_PCP_INVALID_PARAMETER","features":[308]},{"name":"TPM_E_PCP_KEY_HANDLE_INVALIDATED","features":[308]},{"name":"TPM_E_PCP_KEY_NOT_AIK","features":[308]},{"name":"TPM_E_PCP_NOT_SUPPORTED","features":[308]},{"name":"TPM_E_PCP_PLATFORM_CLAIM_MAY_BE_OUTDATED","features":[308]},{"name":"TPM_E_PCP_PLATFORM_CLAIM_OUTDATED","features":[308]},{"name":"TPM_E_PCP_PLATFORM_CLAIM_REBOOT","features":[308]},{"name":"TPM_E_PCP_POLICY_NOT_FOUND","features":[308]},{"name":"TPM_E_PCP_PROFILE_NOT_FOUND","features":[308]},{"name":"TPM_E_PCP_RAW_POLICY_NOT_SUPPORTED","features":[308]},{"name":"TPM_E_PCP_TICKET_MISSING","features":[308]},{"name":"TPM_E_PCP_UNSUPPORTED_PSS_SALT","features":[308]},{"name":"TPM_E_PCP_VALIDATION_FAILED","features":[308]},{"name":"TPM_E_PCP_WRONG_PARENT","features":[308]},{"name":"TPM_E_PERMANENTEK","features":[308]},{"name":"TPM_E_PER_NOWRITE","features":[308]},{"name":"TPM_E_PPI_ACPI_FAILURE","features":[308]},{"name":"TPM_E_PPI_BIOS_FAILURE","features":[308]},{"name":"TPM_E_PPI_BLOCKED_IN_BIOS","features":[308]},{"name":"TPM_E_PPI_NOT_SUPPORTED","features":[308]},{"name":"TPM_E_PPI_USER_ABORT","features":[308]},{"name":"TPM_E_PROVISIONING_INCOMPLETE","features":[308]},{"name":"TPM_E_READ_ONLY","features":[308]},{"name":"TPM_E_REQUIRES_SIGN","features":[308]},{"name":"TPM_E_RESOURCEMISSING","features":[308]},{"name":"TPM_E_RESOURCES","features":[308]},{"name":"TPM_E_RETRY","features":[308]},{"name":"TPM_E_SHA_ERROR","features":[308]},{"name":"TPM_E_SHA_THREAD","features":[308]},{"name":"TPM_E_SHORTRANDOM","features":[308]},{"name":"TPM_E_SIZE","features":[308]},{"name":"TPM_E_SOFT_KEY_ERROR","features":[308]},{"name":"TPM_E_TOOMANYCONTEXTS","features":[308]},{"name":"TPM_E_TOO_MUCH_DATA","features":[308]},{"name":"TPM_E_TPM_GENERATED_EPS","features":[308]},{"name":"TPM_E_TRANSPORT_NOTEXCLUSIVE","features":[308]},{"name":"TPM_E_VERSION_NOT_SUPPORTED","features":[308]},{"name":"TPM_E_WRITE_LOCKED","features":[308]},{"name":"TPM_E_WRONGPCRVAL","features":[308]},{"name":"TPM_E_WRONG_ENTITYTYPE","features":[308]},{"name":"TPM_E_ZERO_EXHAUST_ENABLED","features":[308]},{"name":"TRUE","features":[308]},{"name":"TRUST_E_ACTION_UNKNOWN","features":[308]},{"name":"TRUST_E_BAD_DIGEST","features":[308]},{"name":"TRUST_E_BASIC_CONSTRAINTS","features":[308]},{"name":"TRUST_E_CERT_SIGNATURE","features":[308]},{"name":"TRUST_E_COUNTER_SIGNER","features":[308]},{"name":"TRUST_E_EXPLICIT_DISTRUST","features":[308]},{"name":"TRUST_E_FAIL","features":[308]},{"name":"TRUST_E_FINANCIAL_CRITERIA","features":[308]},{"name":"TRUST_E_MALFORMED_SIGNATURE","features":[308]},{"name":"TRUST_E_NOSIGNATURE","features":[308]},{"name":"TRUST_E_NO_SIGNER_CERT","features":[308]},{"name":"TRUST_E_PROVIDER_UNKNOWN","features":[308]},{"name":"TRUST_E_SUBJECT_FORM_UNKNOWN","features":[308]},{"name":"TRUST_E_SUBJECT_NOT_TRUSTED","features":[308]},{"name":"TRUST_E_SYSTEM_ERROR","features":[308]},{"name":"TRUST_E_TIME_STAMP","features":[308]},{"name":"TYPE_E_AMBIGUOUSNAME","features":[308]},{"name":"TYPE_E_BADMODULEKIND","features":[308]},{"name":"TYPE_E_BUFFERTOOSMALL","features":[308]},{"name":"TYPE_E_CANTCREATETMPFILE","features":[308]},{"name":"TYPE_E_CANTLOADLIBRARY","features":[308]},{"name":"TYPE_E_CIRCULARTYPE","features":[308]},{"name":"TYPE_E_DLLFUNCTIONNOTFOUND","features":[308]},{"name":"TYPE_E_DUPLICATEID","features":[308]},{"name":"TYPE_E_ELEMENTNOTFOUND","features":[308]},{"name":"TYPE_E_FIELDNOTFOUND","features":[308]},{"name":"TYPE_E_INCONSISTENTPROPFUNCS","features":[308]},{"name":"TYPE_E_INVALIDID","features":[308]},{"name":"TYPE_E_INVALIDSTATE","features":[308]},{"name":"TYPE_E_INVDATAREAD","features":[308]},{"name":"TYPE_E_IOERROR","features":[308]},{"name":"TYPE_E_LIBNOTREGISTERED","features":[308]},{"name":"TYPE_E_NAMECONFLICT","features":[308]},{"name":"TYPE_E_OUTOFBOUNDS","features":[308]},{"name":"TYPE_E_QUALIFIEDNAMEDISALLOWED","features":[308]},{"name":"TYPE_E_REGISTRYACCESS","features":[308]},{"name":"TYPE_E_SIZETOOBIG","features":[308]},{"name":"TYPE_E_TYPEMISMATCH","features":[308]},{"name":"TYPE_E_UNDEFINEDTYPE","features":[308]},{"name":"TYPE_E_UNKNOWNLCID","features":[308]},{"name":"TYPE_E_UNSUPFORMAT","features":[308]},{"name":"TYPE_E_WRONGTYPEKIND","features":[308]},{"name":"UCEERR_BLOCKSFULL","features":[308]},{"name":"UCEERR_CHANNELSYNCABANDONED","features":[308]},{"name":"UCEERR_CHANNELSYNCTIMEDOUT","features":[308]},{"name":"UCEERR_COMMANDTRANSPORTDENIED","features":[308]},{"name":"UCEERR_CONNECTIONIDLOOKUPFAILED","features":[308]},{"name":"UCEERR_CTXSTACKFRSTTARGETNULL","features":[308]},{"name":"UCEERR_FEEDBACK_UNSUPPORTED","features":[308]},{"name":"UCEERR_GRAPHICSSTREAMALREADYOPEN","features":[308]},{"name":"UCEERR_GRAPHICSSTREAMUNAVAILABLE","features":[308]},{"name":"UCEERR_HANDLELOOKUPFAILED","features":[308]},{"name":"UCEERR_ILLEGALHANDLE","features":[308]},{"name":"UCEERR_ILLEGALPACKET","features":[308]},{"name":"UCEERR_ILLEGALRECORDTYPE","features":[308]},{"name":"UCEERR_INVALIDPACKETHEADER","features":[308]},{"name":"UCEERR_MALFORMEDPACKET","features":[308]},{"name":"UCEERR_MEMORYFAILURE","features":[308]},{"name":"UCEERR_MISSINGBEGINCOMMAND","features":[308]},{"name":"UCEERR_MISSINGENDCOMMAND","features":[308]},{"name":"UCEERR_NO_MULTIPLE_WORKER_THREADS","features":[308]},{"name":"UCEERR_OUTOFHANDLES","features":[308]},{"name":"UCEERR_PACKETRECORDOUTOFRANGE","features":[308]},{"name":"UCEERR_PARTITION_ZOMBIED","features":[308]},{"name":"UCEERR_REMOTINGNOTSUPPORTED","features":[308]},{"name":"UCEERR_RENDERTHREADFAILURE","features":[308]},{"name":"UCEERR_TRANSPORTDISCONNECTED","features":[308]},{"name":"UCEERR_TRANSPORTOVERLOADED","features":[308]},{"name":"UCEERR_TRANSPORTUNAVAILABLE","features":[308]},{"name":"UCEERR_UNCHANGABLE_UPDATE_ATTEMPTED","features":[308]},{"name":"UCEERR_UNKNOWNPACKET","features":[308]},{"name":"UCEERR_UNSUPPORTEDTRANSPORTVERSION","features":[308]},{"name":"UI_E_AMBIGUOUS_MATCH","features":[308]},{"name":"UI_E_BOOLEAN_EXPECTED","features":[308]},{"name":"UI_E_CREATE_FAILED","features":[308]},{"name":"UI_E_DIFFERENT_OWNER","features":[308]},{"name":"UI_E_END_KEYFRAME_NOT_DETERMINED","features":[308]},{"name":"UI_E_FP_OVERFLOW","features":[308]},{"name":"UI_E_ILLEGAL_REENTRANCY","features":[308]},{"name":"UI_E_INVALID_DIMENSION","features":[308]},{"name":"UI_E_INVALID_OUTPUT","features":[308]},{"name":"UI_E_LOOPS_OVERLAP","features":[308]},{"name":"UI_E_OBJECT_SEALED","features":[308]},{"name":"UI_E_PRIMITIVE_OUT_OF_BOUNDS","features":[308]},{"name":"UI_E_SHUTDOWN_CALLED","features":[308]},{"name":"UI_E_START_KEYFRAME_AFTER_END","features":[308]},{"name":"UI_E_STORYBOARD_ACTIVE","features":[308]},{"name":"UI_E_STORYBOARD_NOT_PLAYING","features":[308]},{"name":"UI_E_TIMER_CLIENT_ALREADY_CONNECTED","features":[308]},{"name":"UI_E_TIME_BEFORE_LAST_UPDATE","features":[308]},{"name":"UI_E_TRANSITION_ALREADY_USED","features":[308]},{"name":"UI_E_TRANSITION_ECLIPSED","features":[308]},{"name":"UI_E_TRANSITION_NOT_IN_STORYBOARD","features":[308]},{"name":"UI_E_VALUE_NOT_DETERMINED","features":[308]},{"name":"UI_E_VALUE_NOT_SET","features":[308]},{"name":"UI_E_WINDOW_CLOSED","features":[308]},{"name":"UI_E_WRONG_THREAD","features":[308]},{"name":"UNICODE_STRING","features":[308]},{"name":"UTC_E_ACTION_NOT_SUPPORTED_IN_DESTINATION","features":[308]},{"name":"UTC_E_AGENT_DIAGNOSTICS_TOO_LARGE","features":[308]},{"name":"UTC_E_ALTERNATIVE_TRACE_CANNOT_PREEMPT","features":[308]},{"name":"UTC_E_AOT_NOT_RUNNING","features":[308]},{"name":"UTC_E_API_BUSY","features":[308]},{"name":"UTC_E_API_NOT_SUPPORTED","features":[308]},{"name":"UTC_E_API_RESULT_UNAVAILABLE","features":[308]},{"name":"UTC_E_BINARY_MISSING","features":[308]},{"name":"UTC_E_CANNOT_LOAD_SCENARIO_EDITOR_XML","features":[308]},{"name":"UTC_E_CERT_REV_FAILED","features":[308]},{"name":"UTC_E_CHILD_PROCESS_FAILED","features":[308]},{"name":"UTC_E_COMMAND_LINE_NOT_AUTHORIZED","features":[308]},{"name":"UTC_E_DELAY_TERMINATED","features":[308]},{"name":"UTC_E_DEVICE_TICKET_ERROR","features":[308]},{"name":"UTC_E_DIAGRULES_SCHEMAVERSION_MISMATCH","features":[308]},{"name":"UTC_E_ESCALATION_ALREADY_RUNNING","features":[308]},{"name":"UTC_E_ESCALATION_CANCELLED_AT_SHUTDOWN","features":[308]},{"name":"UTC_E_ESCALATION_DIRECTORY_ALREADY_EXISTS","features":[308]},{"name":"UTC_E_ESCALATION_NOT_AUTHORIZED","features":[308]},{"name":"UTC_E_ESCALATION_TIMED_OUT","features":[308]},{"name":"UTC_E_EVENTLOG_ENTRY_MALFORMED","features":[308]},{"name":"UTC_E_EXCLUSIVITY_NOT_AVAILABLE","features":[308]},{"name":"UTC_E_EXE_TERMINATED","features":[308]},{"name":"UTC_E_FAILED_TO_RECEIVE_AGENT_DIAGNOSTICS","features":[308]},{"name":"UTC_E_FAILED_TO_RESOLVE_CONTAINER_ID","features":[308]},{"name":"UTC_E_FAILED_TO_START_NDISCAP","features":[308]},{"name":"UTC_E_FILTER_FUNCTION_RESTRICTED","features":[308]},{"name":"UTC_E_FILTER_ILLEGAL_EVAL","features":[308]},{"name":"UTC_E_FILTER_INVALID_COMMAND","features":[308]},{"name":"UTC_E_FILTER_INVALID_FUNCTION","features":[308]},{"name":"UTC_E_FILTER_INVALID_FUNCTION_PARAMS","features":[308]},{"name":"UTC_E_FILTER_INVALID_TYPE","features":[308]},{"name":"UTC_E_FILTER_MISSING_ATTRIBUTE","features":[308]},{"name":"UTC_E_FILTER_VARIABLE_NOT_FOUND","features":[308]},{"name":"UTC_E_FILTER_VERSION_MISMATCH","features":[308]},{"name":"UTC_E_FORWARDER_ALREADY_DISABLED","features":[308]},{"name":"UTC_E_FORWARDER_ALREADY_ENABLED","features":[308]},{"name":"UTC_E_FORWARDER_PRODUCER_MISMATCH","features":[308]},{"name":"UTC_E_GETFILEINFOACTION_FILE_NOT_APPROVED","features":[308]},{"name":"UTC_E_GETFILE_EXTERNAL_PATH_NOT_APPROVED","features":[308]},{"name":"UTC_E_GETFILE_FILE_PATH_NOT_APPROVED","features":[308]},{"name":"UTC_E_INSUFFICIENT_SPACE_TO_START_TRACE","features":[308]},{"name":"UTC_E_INTENTIONAL_SCRIPT_FAILURE","features":[308]},{"name":"UTC_E_INVALID_AGGREGATION_STRUCT","features":[308]},{"name":"UTC_E_INVALID_CUSTOM_FILTER","features":[308]},{"name":"UTC_E_INVALID_FILTER","features":[308]},{"name":"UTC_E_KERNELDUMP_LIMIT_REACHED","features":[308]},{"name":"UTC_E_MISSING_AGGREGATE_EVENT_TAG","features":[308]},{"name":"UTC_E_MULTIPLE_TIME_TRIGGER_ON_SINGLE_STATE","features":[308]},{"name":"UTC_E_NO_WER_LOGGER_SUPPORTED","features":[308]},{"name":"UTC_E_PERFTRACK_ALREADY_TRACING","features":[308]},{"name":"UTC_E_REACHED_MAX_ESCALATIONS","features":[308]},{"name":"UTC_E_REESCALATED_TOO_QUICKLY","features":[308]},{"name":"UTC_E_RPC_TIMEOUT","features":[308]},{"name":"UTC_E_RPC_WAIT_FAILED","features":[308]},{"name":"UTC_E_SCENARIODEF_NOT_FOUND","features":[308]},{"name":"UTC_E_SCENARIODEF_SCHEMAVERSION_MISMATCH","features":[308]},{"name":"UTC_E_SCENARIO_HAS_NO_ACTIONS","features":[308]},{"name":"UTC_E_SCENARIO_THROTTLED","features":[308]},{"name":"UTC_E_SCRIPT_MISSING","features":[308]},{"name":"UTC_E_SCRIPT_TERMINATED","features":[308]},{"name":"UTC_E_SCRIPT_TYPE_INVALID","features":[308]},{"name":"UTC_E_SETREGKEYACTION_TYPE_NOT_APPROVED","features":[308]},{"name":"UTC_E_SETUP_NOT_AUTHORIZED","features":[308]},{"name":"UTC_E_SETUP_TIMED_OUT","features":[308]},{"name":"UTC_E_SIF_NOT_SUPPORTED","features":[308]},{"name":"UTC_E_SQM_INIT_FAILED","features":[308]},{"name":"UTC_E_THROTTLED","features":[308]},{"name":"UTC_E_TIME_TRIGGER_INVALID_TIME_RANGE","features":[308]},{"name":"UTC_E_TIME_TRIGGER_ONLY_VALID_ON_SINGLE_TRANSITION","features":[308]},{"name":"UTC_E_TIME_TRIGGER_ON_START_INVALID","features":[308]},{"name":"UTC_E_TOGGLE_TRACE_STARTED","features":[308]},{"name":"UTC_E_TRACEPROFILE_NOT_FOUND","features":[308]},{"name":"UTC_E_TRACERS_DONT_EXIST","features":[308]},{"name":"UTC_E_TRACE_BUFFER_LIMIT_EXCEEDED","features":[308]},{"name":"UTC_E_TRACE_MIN_DURATION_REQUIREMENT_NOT_MET","features":[308]},{"name":"UTC_E_TRACE_NOT_RUNNING","features":[308]},{"name":"UTC_E_TRACE_THROTTLED","features":[308]},{"name":"UTC_E_TRIGGER_MISMATCH","features":[308]},{"name":"UTC_E_TRIGGER_NOT_FOUND","features":[308]},{"name":"UTC_E_TRY_GET_SCENARIO_TIMEOUT_EXCEEDED","features":[308]},{"name":"UTC_E_TTTRACER_RETURNED_ERROR","features":[308]},{"name":"UTC_E_TTTRACER_STORAGE_FULL","features":[308]},{"name":"UTC_E_UNABLE_TO_RESOLVE_SESSION","features":[308]},{"name":"UTC_E_UNAPPROVED_SCRIPT","features":[308]},{"name":"UTC_E_WINRT_INIT_FAILED","features":[308]},{"name":"VARIANT_BOOL","features":[308]},{"name":"VARIANT_FALSE","features":[308]},{"name":"VARIANT_TRUE","features":[308]},{"name":"VIEW_E_DRAW","features":[308]},{"name":"VIEW_E_FIRST","features":[308]},{"name":"VIEW_E_LAST","features":[308]},{"name":"VIEW_S_ALREADY_FROZEN","features":[308]},{"name":"VIEW_S_FIRST","features":[308]},{"name":"VIEW_S_LAST","features":[308]},{"name":"VM_SAVED_STATE_DUMP_E_GUEST_MEMORY_NOT_FOUND","features":[308]},{"name":"VM_SAVED_STATE_DUMP_E_INVALID_VP_STATE","features":[308]},{"name":"VM_SAVED_STATE_DUMP_E_NESTED_VIRTUALIZATION_NOT_SUPPORTED","features":[308]},{"name":"VM_SAVED_STATE_DUMP_E_NO_VP_FOUND_IN_PARTITION_STATE","features":[308]},{"name":"VM_SAVED_STATE_DUMP_E_PARTITION_STATE_NOT_FOUND","features":[308]},{"name":"VM_SAVED_STATE_DUMP_E_VA_NOT_MAPPED","features":[308]},{"name":"VM_SAVED_STATE_DUMP_E_VP_VTL_NOT_ENABLED","features":[308]},{"name":"VM_SAVED_STATE_DUMP_E_WINDOWS_KERNEL_IMAGE_NOT_FOUND","features":[308]},{"name":"VOLMGR_KSR_BYPASS","features":[308]},{"name":"VOLMGR_KSR_ERROR","features":[308]},{"name":"VOLMGR_KSR_READ_ERROR","features":[308]},{"name":"WAIT_ABANDONED","features":[308]},{"name":"WAIT_ABANDONED_0","features":[308]},{"name":"WAIT_EVENT","features":[308]},{"name":"WAIT_FAILED","features":[308]},{"name":"WAIT_IO_COMPLETION","features":[308]},{"name":"WAIT_OBJECT_0","features":[308]},{"name":"WAIT_TIMEOUT","features":[308]},{"name":"WARNING_IPSEC_MM_POLICY_PRUNED","features":[308]},{"name":"WARNING_IPSEC_QM_POLICY_PRUNED","features":[308]},{"name":"WARNING_NO_MD5_MIGRATION","features":[308]},{"name":"WBREAK_E_BUFFER_TOO_SMALL","features":[308]},{"name":"WBREAK_E_END_OF_TEXT","features":[308]},{"name":"WBREAK_E_INIT_FAILED","features":[308]},{"name":"WBREAK_E_QUERY_ONLY","features":[308]},{"name":"WEB_E_INVALID_JSON_NUMBER","features":[308]},{"name":"WEB_E_INVALID_JSON_STRING","features":[308]},{"name":"WEB_E_INVALID_XML","features":[308]},{"name":"WEB_E_JSON_VALUE_NOT_FOUND","features":[308]},{"name":"WEB_E_MISSING_REQUIRED_ATTRIBUTE","features":[308]},{"name":"WEB_E_MISSING_REQUIRED_ELEMENT","features":[308]},{"name":"WEB_E_RESOURCE_TOO_LARGE","features":[308]},{"name":"WEB_E_UNEXPECTED_CONTENT","features":[308]},{"name":"WEB_E_UNSUPPORTED_FORMAT","features":[308]},{"name":"WEP_E_BUFFER_TOO_LARGE","features":[308]},{"name":"WEP_E_FIXED_DATA_NOT_SUPPORTED","features":[308]},{"name":"WEP_E_HARDWARE_NOT_COMPLIANT","features":[308]},{"name":"WEP_E_LOCK_NOT_CONFIGURED","features":[308]},{"name":"WEP_E_NOT_PROVISIONED_ON_ALL_VOLUMES","features":[308]},{"name":"WEP_E_NO_LICENSE","features":[308]},{"name":"WEP_E_OS_NOT_PROTECTED","features":[308]},{"name":"WEP_E_PROTECTION_SUSPENDED","features":[308]},{"name":"WEP_E_UNEXPECTED_FAIL","features":[308]},{"name":"WER_E_ALREADY_REPORTING","features":[308]},{"name":"WER_E_CANCELED","features":[308]},{"name":"WER_E_CRASH_FAILURE","features":[308]},{"name":"WER_E_DUMP_THROTTLED","features":[308]},{"name":"WER_E_INSUFFICIENT_CONSENT","features":[308]},{"name":"WER_E_NETWORK_FAILURE","features":[308]},{"name":"WER_E_NOT_INITIALIZED","features":[308]},{"name":"WER_E_TOO_HEAVY","features":[308]},{"name":"WER_S_ASSERT_CONTINUE","features":[308]},{"name":"WER_S_DISABLED","features":[308]},{"name":"WER_S_DISABLED_ARCHIVE","features":[308]},{"name":"WER_S_DISABLED_QUEUE","features":[308]},{"name":"WER_S_IGNORE_ALL_ASSERTS","features":[308]},{"name":"WER_S_IGNORE_ASSERT_INSTANCE","features":[308]},{"name":"WER_S_REPORT_ASYNC","features":[308]},{"name":"WER_S_REPORT_DEBUG","features":[308]},{"name":"WER_S_REPORT_QUEUED","features":[308]},{"name":"WER_S_REPORT_UPLOADED","features":[308]},{"name":"WER_S_REPORT_UPLOADED_CAB","features":[308]},{"name":"WER_S_SUSPENDED_UPLOAD","features":[308]},{"name":"WER_S_THROTTLED","features":[308]},{"name":"WHV_E_GPA_RANGE_NOT_FOUND","features":[308]},{"name":"WHV_E_INSUFFICIENT_BUFFER","features":[308]},{"name":"WHV_E_INVALID_PARTITION_CONFIG","features":[308]},{"name":"WHV_E_INVALID_VP_REGISTER_NAME","features":[308]},{"name":"WHV_E_INVALID_VP_STATE","features":[308]},{"name":"WHV_E_UNKNOWN_CAPABILITY","features":[308]},{"name":"WHV_E_UNKNOWN_PROPERTY","features":[308]},{"name":"WHV_E_UNSUPPORTED_HYPERVISOR_CONFIG","features":[308]},{"name":"WHV_E_UNSUPPORTED_PROCESSOR_CONFIG","features":[308]},{"name":"WHV_E_VP_ALREADY_EXISTS","features":[308]},{"name":"WHV_E_VP_DOES_NOT_EXIST","features":[308]},{"name":"WIN32_ERROR","features":[308]},{"name":"WINCODEC_ERR_ALREADYLOCKED","features":[308]},{"name":"WINCODEC_ERR_BADHEADER","features":[308]},{"name":"WINCODEC_ERR_BADIMAGE","features":[308]},{"name":"WINCODEC_ERR_BADMETADATAHEADER","features":[308]},{"name":"WINCODEC_ERR_BADSTREAMDATA","features":[308]},{"name":"WINCODEC_ERR_CODECNOTHUMBNAIL","features":[308]},{"name":"WINCODEC_ERR_CODECPRESENT","features":[308]},{"name":"WINCODEC_ERR_CODECTOOMANYSCANLINES","features":[308]},{"name":"WINCODEC_ERR_COMPONENTINITIALIZEFAILURE","features":[308]},{"name":"WINCODEC_ERR_COMPONENTNOTFOUND","features":[308]},{"name":"WINCODEC_ERR_DUPLICATEMETADATAPRESENT","features":[308]},{"name":"WINCODEC_ERR_FRAMEMISSING","features":[308]},{"name":"WINCODEC_ERR_IMAGESIZEOUTOFRANGE","features":[308]},{"name":"WINCODEC_ERR_INSUFFICIENTBUFFER","features":[308]},{"name":"WINCODEC_ERR_INTERNALERROR","features":[308]},{"name":"WINCODEC_ERR_INVALIDJPEGSCANINDEX","features":[308]},{"name":"WINCODEC_ERR_INVALIDPROGRESSIVELEVEL","features":[308]},{"name":"WINCODEC_ERR_INVALIDQUERYCHARACTER","features":[308]},{"name":"WINCODEC_ERR_INVALIDQUERYREQUEST","features":[308]},{"name":"WINCODEC_ERR_INVALIDREGISTRATION","features":[308]},{"name":"WINCODEC_ERR_NOTINITIALIZED","features":[308]},{"name":"WINCODEC_ERR_PALETTEUNAVAILABLE","features":[308]},{"name":"WINCODEC_ERR_PROPERTYNOTFOUND","features":[308]},{"name":"WINCODEC_ERR_PROPERTYNOTSUPPORTED","features":[308]},{"name":"WINCODEC_ERR_PROPERTYSIZE","features":[308]},{"name":"WINCODEC_ERR_PROPERTYUNEXPECTEDTYPE","features":[308]},{"name":"WINCODEC_ERR_REQUESTONLYVALIDATMETADATAROOT","features":[308]},{"name":"WINCODEC_ERR_SOURCERECTDOESNOTMATCHDIMENSIONS","features":[308]},{"name":"WINCODEC_ERR_STREAMNOTAVAILABLE","features":[308]},{"name":"WINCODEC_ERR_STREAMREAD","features":[308]},{"name":"WINCODEC_ERR_STREAMWRITE","features":[308]},{"name":"WINCODEC_ERR_TOOMUCHMETADATA","features":[308]},{"name":"WINCODEC_ERR_UNEXPECTEDMETADATATYPE","features":[308]},{"name":"WINCODEC_ERR_UNEXPECTEDSIZE","features":[308]},{"name":"WINCODEC_ERR_UNKNOWNIMAGEFORMAT","features":[308]},{"name":"WINCODEC_ERR_UNSUPPORTEDOPERATION","features":[308]},{"name":"WINCODEC_ERR_UNSUPPORTEDPIXELFORMAT","features":[308]},{"name":"WINCODEC_ERR_UNSUPPORTEDVERSION","features":[308]},{"name":"WINCODEC_ERR_VALUEOUTOFRANGE","features":[308]},{"name":"WINCODEC_ERR_WIN32ERROR","features":[308]},{"name":"WINCODEC_ERR_WRONGSTATE","features":[308]},{"name":"WININET_E_ASYNC_THREAD_FAILED","features":[308]},{"name":"WININET_E_BAD_AUTO_PROXY_SCRIPT","features":[308]},{"name":"WININET_E_BAD_OPTION_LENGTH","features":[308]},{"name":"WININET_E_BAD_REGISTRY_PARAMETER","features":[308]},{"name":"WININET_E_CANNOT_CONNECT","features":[308]},{"name":"WININET_E_CHG_POST_IS_NON_SECURE","features":[308]},{"name":"WININET_E_CLIENT_AUTH_CERT_NEEDED","features":[308]},{"name":"WININET_E_CLIENT_AUTH_NOT_SETUP","features":[308]},{"name":"WININET_E_CONNECTION_ABORTED","features":[308]},{"name":"WININET_E_CONNECTION_RESET","features":[308]},{"name":"WININET_E_COOKIE_DECLINED","features":[308]},{"name":"WININET_E_COOKIE_NEEDS_CONFIRMATION","features":[308]},{"name":"WININET_E_DECODING_FAILED","features":[308]},{"name":"WININET_E_DIALOG_PENDING","features":[308]},{"name":"WININET_E_DISCONNECTED","features":[308]},{"name":"WININET_E_DOWNLEVEL_SERVER","features":[308]},{"name":"WININET_E_EXTENDED_ERROR","features":[308]},{"name":"WININET_E_FAILED_DUETOSECURITYCHECK","features":[308]},{"name":"WININET_E_FORCE_RETRY","features":[308]},{"name":"WININET_E_HANDLE_EXISTS","features":[308]},{"name":"WININET_E_HEADER_ALREADY_EXISTS","features":[308]},{"name":"WININET_E_HEADER_NOT_FOUND","features":[308]},{"name":"WININET_E_HTTPS_HTTP_SUBMIT_REDIR","features":[308]},{"name":"WININET_E_HTTPS_TO_HTTP_ON_REDIR","features":[308]},{"name":"WININET_E_HTTP_TO_HTTPS_ON_REDIR","features":[308]},{"name":"WININET_E_INCORRECT_FORMAT","features":[308]},{"name":"WININET_E_INCORRECT_HANDLE_STATE","features":[308]},{"name":"WININET_E_INCORRECT_HANDLE_TYPE","features":[308]},{"name":"WININET_E_INCORRECT_PASSWORD","features":[308]},{"name":"WININET_E_INCORRECT_USER_NAME","features":[308]},{"name":"WININET_E_INTERNAL_ERROR","features":[308]},{"name":"WININET_E_INVALID_CA","features":[308]},{"name":"WININET_E_INVALID_HEADER","features":[308]},{"name":"WININET_E_INVALID_OPERATION","features":[308]},{"name":"WININET_E_INVALID_OPTION","features":[308]},{"name":"WININET_E_INVALID_PROXY_REQUEST","features":[308]},{"name":"WININET_E_INVALID_QUERY_REQUEST","features":[308]},{"name":"WININET_E_INVALID_SERVER_RESPONSE","features":[308]},{"name":"WININET_E_INVALID_URL","features":[308]},{"name":"WININET_E_ITEM_NOT_FOUND","features":[308]},{"name":"WININET_E_LOGIN_FAILURE","features":[308]},{"name":"WININET_E_LOGIN_FAILURE_DISPLAY_ENTITY_BODY","features":[308]},{"name":"WININET_E_MIXED_SECURITY","features":[308]},{"name":"WININET_E_NAME_NOT_RESOLVED","features":[308]},{"name":"WININET_E_NEED_UI","features":[308]},{"name":"WININET_E_NOT_INITIALIZED","features":[308]},{"name":"WININET_E_NOT_PROXY_REQUEST","features":[308]},{"name":"WININET_E_NOT_REDIRECTED","features":[308]},{"name":"WININET_E_NO_CALLBACK","features":[308]},{"name":"WININET_E_NO_CONTEXT","features":[308]},{"name":"WININET_E_NO_DIRECT_ACCESS","features":[308]},{"name":"WININET_E_NO_NEW_CONTAINERS","features":[308]},{"name":"WININET_E_OPERATION_CANCELLED","features":[308]},{"name":"WININET_E_OPTION_NOT_SETTABLE","features":[308]},{"name":"WININET_E_OUT_OF_HANDLES","features":[308]},{"name":"WININET_E_POST_IS_NON_SECURE","features":[308]},{"name":"WININET_E_PROTOCOL_NOT_FOUND","features":[308]},{"name":"WININET_E_PROXY_SERVER_UNREACHABLE","features":[308]},{"name":"WININET_E_REDIRECT_FAILED","features":[308]},{"name":"WININET_E_REDIRECT_NEEDS_CONFIRMATION","features":[308]},{"name":"WININET_E_REDIRECT_SCHEME_CHANGE","features":[308]},{"name":"WININET_E_REGISTRY_VALUE_NOT_FOUND","features":[308]},{"name":"WININET_E_REQUEST_PENDING","features":[308]},{"name":"WININET_E_RETRY_DIALOG","features":[308]},{"name":"WININET_E_SECURITY_CHANNEL_ERROR","features":[308]},{"name":"WININET_E_SEC_CERT_CN_INVALID","features":[308]},{"name":"WININET_E_SEC_CERT_DATE_INVALID","features":[308]},{"name":"WININET_E_SEC_CERT_ERRORS","features":[308]},{"name":"WININET_E_SEC_CERT_REVOKED","features":[308]},{"name":"WININET_E_SEC_CERT_REV_FAILED","features":[308]},{"name":"WININET_E_SEC_INVALID_CERT","features":[308]},{"name":"WININET_E_SERVER_UNREACHABLE","features":[308]},{"name":"WININET_E_SHUTDOWN","features":[308]},{"name":"WININET_E_TCPIP_NOT_INSTALLED","features":[308]},{"name":"WININET_E_TIMEOUT","features":[308]},{"name":"WININET_E_UNABLE_TO_CACHE_FILE","features":[308]},{"name":"WININET_E_UNABLE_TO_DOWNLOAD_SCRIPT","features":[308]},{"name":"WININET_E_UNRECOGNIZED_SCHEME","features":[308]},{"name":"WINML_ERR_INVALID_BINDING","features":[308]},{"name":"WINML_ERR_INVALID_DEVICE","features":[308]},{"name":"WINML_ERR_SIZE_MISMATCH","features":[308]},{"name":"WINML_ERR_VALUE_NOTFOUND","features":[308]},{"name":"WINVER","features":[308]},{"name":"WINVER_MAXVER","features":[308]},{"name":"WPARAM","features":[308]},{"name":"WPN_E_ACCESS_DENIED","features":[308]},{"name":"WPN_E_ALL_URL_NOT_COMPLETED","features":[308]},{"name":"WPN_E_CALLBACK_ALREADY_REGISTERED","features":[308]},{"name":"WPN_E_CHANNEL_CLOSED","features":[308]},{"name":"WPN_E_CHANNEL_REQUEST_NOT_COMPLETE","features":[308]},{"name":"WPN_E_CLOUD_AUTH_UNAVAILABLE","features":[308]},{"name":"WPN_E_CLOUD_DISABLED","features":[308]},{"name":"WPN_E_CLOUD_DISABLED_FOR_APP","features":[308]},{"name":"WPN_E_CLOUD_INCAPABLE","features":[308]},{"name":"WPN_E_CLOUD_SERVICE_UNAVAILABLE","features":[308]},{"name":"WPN_E_DEV_ID_SIZE","features":[308]},{"name":"WPN_E_DUPLICATE_CHANNEL","features":[308]},{"name":"WPN_E_DUPLICATE_REGISTRATION","features":[308]},{"name":"WPN_E_FAILED_LOCK_SCREEN_UPDATE_INTIALIZATION","features":[308]},{"name":"WPN_E_GROUP_ALPHANUMERIC","features":[308]},{"name":"WPN_E_GROUP_SIZE","features":[308]},{"name":"WPN_E_IMAGE_NOT_FOUND_IN_CACHE","features":[308]},{"name":"WPN_E_INTERNET_INCAPABLE","features":[308]},{"name":"WPN_E_INVALID_APP","features":[308]},{"name":"WPN_E_INVALID_CLOUD_IMAGE","features":[308]},{"name":"WPN_E_INVALID_HTTP_STATUS_CODE","features":[308]},{"name":"WPN_E_NOTIFICATION_DISABLED","features":[308]},{"name":"WPN_E_NOTIFICATION_HIDDEN","features":[308]},{"name":"WPN_E_NOTIFICATION_ID_MATCHED","features":[308]},{"name":"WPN_E_NOTIFICATION_INCAPABLE","features":[308]},{"name":"WPN_E_NOTIFICATION_NOT_POSTED","features":[308]},{"name":"WPN_E_NOTIFICATION_POSTED","features":[308]},{"name":"WPN_E_NOTIFICATION_SIZE","features":[308]},{"name":"WPN_E_NOTIFICATION_TYPE_DISABLED","features":[308]},{"name":"WPN_E_OUTSTANDING_CHANNEL_REQUEST","features":[308]},{"name":"WPN_E_OUT_OF_SESSION","features":[308]},{"name":"WPN_E_PLATFORM_UNAVAILABLE","features":[308]},{"name":"WPN_E_POWER_SAVE","features":[308]},{"name":"WPN_E_PUSH_NOTIFICATION_INCAPABLE","features":[308]},{"name":"WPN_E_STORAGE_LOCKED","features":[308]},{"name":"WPN_E_TAG_ALPHANUMERIC","features":[308]},{"name":"WPN_E_TAG_SIZE","features":[308]},{"name":"WPN_E_TOAST_NOTIFICATION_DROPPED","features":[308]},{"name":"WS_E_ADDRESS_IN_USE","features":[308]},{"name":"WS_E_ADDRESS_NOT_AVAILABLE","features":[308]},{"name":"WS_E_ENDPOINT_ACCESS_DENIED","features":[308]},{"name":"WS_E_ENDPOINT_ACTION_NOT_SUPPORTED","features":[308]},{"name":"WS_E_ENDPOINT_DISCONNECTED","features":[308]},{"name":"WS_E_ENDPOINT_FAILURE","features":[308]},{"name":"WS_E_ENDPOINT_FAULT_RECEIVED","features":[308]},{"name":"WS_E_ENDPOINT_NOT_AVAILABLE","features":[308]},{"name":"WS_E_ENDPOINT_NOT_FOUND","features":[308]},{"name":"WS_E_ENDPOINT_TOO_BUSY","features":[308]},{"name":"WS_E_ENDPOINT_UNREACHABLE","features":[308]},{"name":"WS_E_INVALID_ENDPOINT_URL","features":[308]},{"name":"WS_E_INVALID_FORMAT","features":[308]},{"name":"WS_E_INVALID_OPERATION","features":[308]},{"name":"WS_E_NOT_SUPPORTED","features":[308]},{"name":"WS_E_NO_TRANSLATION_AVAILABLE","features":[308]},{"name":"WS_E_NUMERIC_OVERFLOW","features":[308]},{"name":"WS_E_OBJECT_FAULTED","features":[308]},{"name":"WS_E_OPERATION_ABANDONED","features":[308]},{"name":"WS_E_OPERATION_ABORTED","features":[308]},{"name":"WS_E_OPERATION_TIMED_OUT","features":[308]},{"name":"WS_E_OTHER","features":[308]},{"name":"WS_E_PROXY_ACCESS_DENIED","features":[308]},{"name":"WS_E_PROXY_FAILURE","features":[308]},{"name":"WS_E_PROXY_REQUIRES_BASIC_AUTH","features":[308]},{"name":"WS_E_PROXY_REQUIRES_DIGEST_AUTH","features":[308]},{"name":"WS_E_PROXY_REQUIRES_NEGOTIATE_AUTH","features":[308]},{"name":"WS_E_PROXY_REQUIRES_NTLM_AUTH","features":[308]},{"name":"WS_E_QUOTA_EXCEEDED","features":[308]},{"name":"WS_E_SECURITY_SYSTEM_FAILURE","features":[308]},{"name":"WS_E_SECURITY_TOKEN_EXPIRED","features":[308]},{"name":"WS_E_SECURITY_VERIFICATION_FAILURE","features":[308]},{"name":"WS_E_SERVER_REQUIRES_BASIC_AUTH","features":[308]},{"name":"WS_E_SERVER_REQUIRES_DIGEST_AUTH","features":[308]},{"name":"WS_E_SERVER_REQUIRES_NEGOTIATE_AUTH","features":[308]},{"name":"WS_E_SERVER_REQUIRES_NTLM_AUTH","features":[308]},{"name":"WS_S_ASYNC","features":[308]},{"name":"WS_S_END","features":[308]},{"name":"XACT_E_ABORTED","features":[308]},{"name":"XACT_E_ABORTING","features":[308]},{"name":"XACT_E_ALREADYINPROGRESS","features":[308]},{"name":"XACT_E_ALREADYOTHERSINGLEPHASE","features":[308]},{"name":"XACT_E_CANTRETAIN","features":[308]},{"name":"XACT_E_CLERKEXISTS","features":[308]},{"name":"XACT_E_CLERKNOTFOUND","features":[308]},{"name":"XACT_E_COMMITFAILED","features":[308]},{"name":"XACT_E_COMMITPREVENTED","features":[308]},{"name":"XACT_E_CONNECTION_DENIED","features":[308]},{"name":"XACT_E_CONNECTION_DOWN","features":[308]},{"name":"XACT_E_DEST_TMNOTAVAILABLE","features":[308]},{"name":"XACT_E_FIRST","features":[308]},{"name":"XACT_E_HEURISTICABORT","features":[308]},{"name":"XACT_E_HEURISTICCOMMIT","features":[308]},{"name":"XACT_E_HEURISTICDAMAGE","features":[308]},{"name":"XACT_E_HEURISTICDANGER","features":[308]},{"name":"XACT_E_INDOUBT","features":[308]},{"name":"XACT_E_INVALIDCOOKIE","features":[308]},{"name":"XACT_E_INVALIDLSN","features":[308]},{"name":"XACT_E_ISOLATIONLEVEL","features":[308]},{"name":"XACT_E_LAST","features":[308]},{"name":"XACT_E_LOGFULL","features":[308]},{"name":"XACT_E_LU_TX_DISABLED","features":[308]},{"name":"XACT_E_NETWORK_TX_DISABLED","features":[308]},{"name":"XACT_E_NOASYNC","features":[308]},{"name":"XACT_E_NOENLIST","features":[308]},{"name":"XACT_E_NOIMPORTOBJECT","features":[308]},{"name":"XACT_E_NOISORETAIN","features":[308]},{"name":"XACT_E_NORESOURCE","features":[308]},{"name":"XACT_E_NOTCURRENT","features":[308]},{"name":"XACT_E_NOTIMEOUT","features":[308]},{"name":"XACT_E_NOTRANSACTION","features":[308]},{"name":"XACT_E_NOTSUPPORTED","features":[308]},{"name":"XACT_E_PARTNER_NETWORK_TX_DISABLED","features":[308]},{"name":"XACT_E_PULL_COMM_FAILURE","features":[308]},{"name":"XACT_E_PUSH_COMM_FAILURE","features":[308]},{"name":"XACT_E_RECOVERYINPROGRESS","features":[308]},{"name":"XACT_E_REENLISTTIMEOUT","features":[308]},{"name":"XACT_E_REPLAYREQUEST","features":[308]},{"name":"XACT_E_TIP_CONNECT_FAILED","features":[308]},{"name":"XACT_E_TIP_DISABLED","features":[308]},{"name":"XACT_E_TIP_PROTOCOL_ERROR","features":[308]},{"name":"XACT_E_TIP_PULL_FAILED","features":[308]},{"name":"XACT_E_TMNOTAVAILABLE","features":[308]},{"name":"XACT_E_TRANSACTIONCLOSED","features":[308]},{"name":"XACT_E_UNABLE_TO_LOAD_DTC_PROXY","features":[308]},{"name":"XACT_E_UNABLE_TO_READ_DTC_CONFIG","features":[308]},{"name":"XACT_E_UNKNOWNRMGRID","features":[308]},{"name":"XACT_E_WRONGSTATE","features":[308]},{"name":"XACT_E_WRONGUOW","features":[308]},{"name":"XACT_E_XA_TX_DISABLED","features":[308]},{"name":"XACT_E_XTIONEXISTS","features":[308]},{"name":"XACT_S_ABORTING","features":[308]},{"name":"XACT_S_ALLNORETAIN","features":[308]},{"name":"XACT_S_ASYNC","features":[308]},{"name":"XACT_S_DEFECT","features":[308]},{"name":"XACT_S_FIRST","features":[308]},{"name":"XACT_S_LAST","features":[308]},{"name":"XACT_S_LASTRESOURCEMANAGER","features":[308]},{"name":"XACT_S_LOCALLY_OK","features":[308]},{"name":"XACT_S_MADECHANGESCONTENT","features":[308]},{"name":"XACT_S_MADECHANGESINFORM","features":[308]},{"name":"XACT_S_OKINFORM","features":[308]},{"name":"XACT_S_READONLY","features":[308]},{"name":"XACT_S_SINGLEPHASE","features":[308]},{"name":"XACT_S_SOMENORETAIN","features":[308]},{"name":"XENROLL_E_CANNOT_ADD_ROOT_CERT","features":[308]},{"name":"XENROLL_E_KEYSPEC_SMIME_MISMATCH","features":[308]},{"name":"XENROLL_E_KEY_NOT_EXPORTABLE","features":[308]},{"name":"XENROLL_E_RESPONSE_KA_HASH_MISMATCH","features":[308]},{"name":"XENROLL_E_RESPONSE_KA_HASH_NOT_FOUND","features":[308]},{"name":"XENROLL_E_RESPONSE_UNEXPECTED_KA_HASH","features":[308]},{"name":"_WIN32_IE_MAXVER","features":[308]},{"name":"_WIN32_MAXVER","features":[308]},{"name":"_WIN32_WINDOWS_MAXVER","features":[308]},{"name":"_WIN32_WINNT_MAXVER","features":[308]}],"391":[{"name":"CheckGamingPrivilegeSilently","features":[308,393]},{"name":"CheckGamingPrivilegeSilentlyForUser","features":[308,393]},{"name":"CheckGamingPrivilegeWithUI","features":[393]},{"name":"CheckGamingPrivilegeWithUIForUser","features":[393]},{"name":"GAMESTATS_OPEN_CREATED","features":[393]},{"name":"GAMESTATS_OPEN_OPENED","features":[393]},{"name":"GAMESTATS_OPEN_OPENONLY","features":[393]},{"name":"GAMESTATS_OPEN_OPENORCREATE","features":[393]},{"name":"GAMESTATS_OPEN_RESULT","features":[393]},{"name":"GAMESTATS_OPEN_TYPE","features":[393]},{"name":"GAME_INSTALL_SCOPE","features":[393]},{"name":"GAMING_DEVICE_DEVICE_ID","features":[393]},{"name":"GAMING_DEVICE_DEVICE_ID_NONE","features":[393]},{"name":"GAMING_DEVICE_DEVICE_ID_XBOX_ONE","features":[393]},{"name":"GAMING_DEVICE_DEVICE_ID_XBOX_ONE_S","features":[393]},{"name":"GAMING_DEVICE_DEVICE_ID_XBOX_ONE_X","features":[393]},{"name":"GAMING_DEVICE_DEVICE_ID_XBOX_ONE_X_DEVKIT","features":[393]},{"name":"GAMING_DEVICE_DEVICE_ID_XBOX_SERIES_S","features":[393]},{"name":"GAMING_DEVICE_DEVICE_ID_XBOX_SERIES_X","features":[393]},{"name":"GAMING_DEVICE_DEVICE_ID_XBOX_SERIES_X_DEVKIT","features":[393]},{"name":"GAMING_DEVICE_MODEL_INFORMATION","features":[393]},{"name":"GAMING_DEVICE_VENDOR_ID","features":[393]},{"name":"GAMING_DEVICE_VENDOR_ID_MICROSOFT","features":[393]},{"name":"GAMING_DEVICE_VENDOR_ID_NONE","features":[393]},{"name":"GIS_ALL_USERS","features":[393]},{"name":"GIS_CURRENT_USER","features":[393]},{"name":"GIS_NOT_INSTALLED","features":[393]},{"name":"GameExplorer","features":[393]},{"name":"GameStatistics","features":[393]},{"name":"GameUICompletionRoutine","features":[393]},{"name":"GetExpandedResourceExclusiveCpuCount","features":[393]},{"name":"GetGamingDeviceModelInformation","features":[393]},{"name":"HasExpandedResources","features":[308,393]},{"name":"ID_GDF_THUMBNAIL_STR","features":[393]},{"name":"ID_GDF_XML_STR","features":[393]},{"name":"IGameExplorer","features":[393]},{"name":"IGameExplorer2","features":[393]},{"name":"IGameStatistics","features":[393]},{"name":"IGameStatisticsMgr","features":[393]},{"name":"IXblIdpAuthManager","features":[393]},{"name":"IXblIdpAuthManager2","features":[393]},{"name":"IXblIdpAuthTokenResult","features":[393]},{"name":"IXblIdpAuthTokenResult2","features":[393]},{"name":"KnownGamingPrivileges","features":[393]},{"name":"PlayerPickerUICompletionRoutine","features":[393]},{"name":"ProcessPendingGameUI","features":[308,393]},{"name":"ReleaseExclusiveCpuSets","features":[393]},{"name":"ShowChangeFriendRelationshipUI","features":[393]},{"name":"ShowChangeFriendRelationshipUIForUser","features":[393]},{"name":"ShowCustomizeUserProfileUI","features":[393]},{"name":"ShowCustomizeUserProfileUIForUser","features":[393]},{"name":"ShowFindFriendsUI","features":[393]},{"name":"ShowFindFriendsUIForUser","features":[393]},{"name":"ShowGameInfoUI","features":[393]},{"name":"ShowGameInfoUIForUser","features":[393]},{"name":"ShowGameInviteUI","features":[393]},{"name":"ShowGameInviteUIForUser","features":[393]},{"name":"ShowGameInviteUIWithContext","features":[393]},{"name":"ShowGameInviteUIWithContextForUser","features":[393]},{"name":"ShowPlayerPickerUI","features":[393]},{"name":"ShowPlayerPickerUIForUser","features":[393]},{"name":"ShowProfileCardUI","features":[393]},{"name":"ShowProfileCardUIForUser","features":[393]},{"name":"ShowTitleAchievementsUI","features":[393]},{"name":"ShowTitleAchievementsUIForUser","features":[393]},{"name":"ShowUserSettingsUI","features":[393]},{"name":"ShowUserSettingsUIForUser","features":[393]},{"name":"TryCancelPendingGameUI","features":[308,393]},{"name":"XBL_IDP_AUTH_TOKEN_STATUS","features":[393]},{"name":"XBL_IDP_AUTH_TOKEN_STATUS_LOAD_MSA_ACCOUNT_FAILED","features":[393]},{"name":"XBL_IDP_AUTH_TOKEN_STATUS_MSA_INTERRUPT","features":[393]},{"name":"XBL_IDP_AUTH_TOKEN_STATUS_NO_ACCOUNT_SET","features":[393]},{"name":"XBL_IDP_AUTH_TOKEN_STATUS_OFFLINE_NO_CONSENT","features":[393]},{"name":"XBL_IDP_AUTH_TOKEN_STATUS_OFFLINE_SUCCESS","features":[393]},{"name":"XBL_IDP_AUTH_TOKEN_STATUS_SUCCESS","features":[393]},{"name":"XBL_IDP_AUTH_TOKEN_STATUS_UNKNOWN","features":[393]},{"name":"XBL_IDP_AUTH_TOKEN_STATUS_VIEW_NOT_SET","features":[393]},{"name":"XBL_IDP_AUTH_TOKEN_STATUS_XBOX_VETO","features":[393]},{"name":"XPRIVILEGE_ADD_FRIEND","features":[393]},{"name":"XPRIVILEGE_BROADCAST","features":[393]},{"name":"XPRIVILEGE_CLOUD_GAMING_JOIN_SESSION","features":[393]},{"name":"XPRIVILEGE_CLOUD_GAMING_MANAGE_SESSION","features":[393]},{"name":"XPRIVILEGE_CLOUD_SAVED_GAMES","features":[393]},{"name":"XPRIVILEGE_COMMUNICATIONS","features":[393]},{"name":"XPRIVILEGE_COMMUNICATION_VOICE_INGAME","features":[393]},{"name":"XPRIVILEGE_COMMUNICATION_VOICE_SKYPE","features":[393]},{"name":"XPRIVILEGE_GAME_DVR","features":[393]},{"name":"XPRIVILEGE_MULTIPLAYER_PARTIES","features":[393]},{"name":"XPRIVILEGE_MULTIPLAYER_SESSIONS","features":[393]},{"name":"XPRIVILEGE_PREMIUM_CONTENT","features":[393]},{"name":"XPRIVILEGE_PREMIUM_VIDEO","features":[393]},{"name":"XPRIVILEGE_PROFILE_VIEWING","features":[393]},{"name":"XPRIVILEGE_PURCHASE_CONTENT","features":[393]},{"name":"XPRIVILEGE_SHARE_CONTENT","features":[393]},{"name":"XPRIVILEGE_SHARE_KINECT_CONTENT","features":[393]},{"name":"XPRIVILEGE_SOCIAL_NETWORK_SHARING","features":[393]},{"name":"XPRIVILEGE_SUBSCRIPTION_CONTENT","features":[393]},{"name":"XPRIVILEGE_USER_CREATED_CONTENT","features":[393]},{"name":"XPRIVILEGE_VIDEO_COMMUNICATIONS","features":[393]},{"name":"XPRIVILEGE_VIEW_FRIENDS_LIST","features":[393]},{"name":"XblIdpAuthManager","features":[393]},{"name":"XblIdpAuthTokenResult","features":[393]}],"392":[{"name":"ALL_SERVICES","features":[394]},{"name":"ALL_SERVICE_TYPES","features":[394]},{"name":"AdjustCalendarDate","features":[308,394]},{"name":"C1_ALPHA","features":[394]},{"name":"C1_BLANK","features":[394]},{"name":"C1_CNTRL","features":[394]},{"name":"C1_DEFINED","features":[394]},{"name":"C1_DIGIT","features":[394]},{"name":"C1_LOWER","features":[394]},{"name":"C1_PUNCT","features":[394]},{"name":"C1_SPACE","features":[394]},{"name":"C1_UPPER","features":[394]},{"name":"C1_XDIGIT","features":[394]},{"name":"C2_ARABICNUMBER","features":[394]},{"name":"C2_BLOCKSEPARATOR","features":[394]},{"name":"C2_COMMONSEPARATOR","features":[394]},{"name":"C2_EUROPENUMBER","features":[394]},{"name":"C2_EUROPESEPARATOR","features":[394]},{"name":"C2_EUROPETERMINATOR","features":[394]},{"name":"C2_LEFTTORIGHT","features":[394]},{"name":"C2_NOTAPPLICABLE","features":[394]},{"name":"C2_OTHERNEUTRAL","features":[394]},{"name":"C2_RIGHTTOLEFT","features":[394]},{"name":"C2_SEGMENTSEPARATOR","features":[394]},{"name":"C2_WHITESPACE","features":[394]},{"name":"C3_ALPHA","features":[394]},{"name":"C3_DIACRITIC","features":[394]},{"name":"C3_FULLWIDTH","features":[394]},{"name":"C3_HALFWIDTH","features":[394]},{"name":"C3_HIGHSURROGATE","features":[394]},{"name":"C3_HIRAGANA","features":[394]},{"name":"C3_IDEOGRAPH","features":[394]},{"name":"C3_KASHIDA","features":[394]},{"name":"C3_KATAKANA","features":[394]},{"name":"C3_LEXICAL","features":[394]},{"name":"C3_LOWSURROGATE","features":[394]},{"name":"C3_NONSPACING","features":[394]},{"name":"C3_NOTAPPLICABLE","features":[394]},{"name":"C3_SYMBOL","features":[394]},{"name":"C3_VOWELMARK","features":[394]},{"name":"CALDATETIME","features":[394]},{"name":"CALDATETIME_DATEUNIT","features":[394]},{"name":"CALINFO_ENUMPROCA","features":[308,394]},{"name":"CALINFO_ENUMPROCEXA","features":[308,394]},{"name":"CALINFO_ENUMPROCEXEX","features":[308,394]},{"name":"CALINFO_ENUMPROCEXW","features":[308,394]},{"name":"CALINFO_ENUMPROCW","features":[308,394]},{"name":"CAL_GREGORIAN","features":[394]},{"name":"CAL_GREGORIAN_ARABIC","features":[394]},{"name":"CAL_GREGORIAN_ME_FRENCH","features":[394]},{"name":"CAL_GREGORIAN_US","features":[394]},{"name":"CAL_GREGORIAN_XLIT_ENGLISH","features":[394]},{"name":"CAL_GREGORIAN_XLIT_FRENCH","features":[394]},{"name":"CAL_HEBREW","features":[394]},{"name":"CAL_HIJRI","features":[394]},{"name":"CAL_ICALINTVALUE","features":[394]},{"name":"CAL_ITWODIGITYEARMAX","features":[394]},{"name":"CAL_IYEAROFFSETRANGE","features":[394]},{"name":"CAL_JAPAN","features":[394]},{"name":"CAL_KOREA","features":[394]},{"name":"CAL_NOUSEROVERRIDE","features":[394]},{"name":"CAL_PERSIAN","features":[394]},{"name":"CAL_RETURN_GENITIVE_NAMES","features":[394]},{"name":"CAL_RETURN_NUMBER","features":[394]},{"name":"CAL_SABBREVDAYNAME1","features":[394]},{"name":"CAL_SABBREVDAYNAME2","features":[394]},{"name":"CAL_SABBREVDAYNAME3","features":[394]},{"name":"CAL_SABBREVDAYNAME4","features":[394]},{"name":"CAL_SABBREVDAYNAME5","features":[394]},{"name":"CAL_SABBREVDAYNAME6","features":[394]},{"name":"CAL_SABBREVDAYNAME7","features":[394]},{"name":"CAL_SABBREVERASTRING","features":[394]},{"name":"CAL_SABBREVMONTHNAME1","features":[394]},{"name":"CAL_SABBREVMONTHNAME10","features":[394]},{"name":"CAL_SABBREVMONTHNAME11","features":[394]},{"name":"CAL_SABBREVMONTHNAME12","features":[394]},{"name":"CAL_SABBREVMONTHNAME13","features":[394]},{"name":"CAL_SABBREVMONTHNAME2","features":[394]},{"name":"CAL_SABBREVMONTHNAME3","features":[394]},{"name":"CAL_SABBREVMONTHNAME4","features":[394]},{"name":"CAL_SABBREVMONTHNAME5","features":[394]},{"name":"CAL_SABBREVMONTHNAME6","features":[394]},{"name":"CAL_SABBREVMONTHNAME7","features":[394]},{"name":"CAL_SABBREVMONTHNAME8","features":[394]},{"name":"CAL_SABBREVMONTHNAME9","features":[394]},{"name":"CAL_SCALNAME","features":[394]},{"name":"CAL_SDAYNAME1","features":[394]},{"name":"CAL_SDAYNAME2","features":[394]},{"name":"CAL_SDAYNAME3","features":[394]},{"name":"CAL_SDAYNAME4","features":[394]},{"name":"CAL_SDAYNAME5","features":[394]},{"name":"CAL_SDAYNAME6","features":[394]},{"name":"CAL_SDAYNAME7","features":[394]},{"name":"CAL_SENGLISHABBREVERANAME","features":[394]},{"name":"CAL_SENGLISHERANAME","features":[394]},{"name":"CAL_SERASTRING","features":[394]},{"name":"CAL_SJAPANESEERAFIRSTYEAR","features":[394]},{"name":"CAL_SLONGDATE","features":[394]},{"name":"CAL_SMONTHDAY","features":[394]},{"name":"CAL_SMONTHNAME1","features":[394]},{"name":"CAL_SMONTHNAME10","features":[394]},{"name":"CAL_SMONTHNAME11","features":[394]},{"name":"CAL_SMONTHNAME12","features":[394]},{"name":"CAL_SMONTHNAME13","features":[394]},{"name":"CAL_SMONTHNAME2","features":[394]},{"name":"CAL_SMONTHNAME3","features":[394]},{"name":"CAL_SMONTHNAME4","features":[394]},{"name":"CAL_SMONTHNAME5","features":[394]},{"name":"CAL_SMONTHNAME6","features":[394]},{"name":"CAL_SMONTHNAME7","features":[394]},{"name":"CAL_SMONTHNAME8","features":[394]},{"name":"CAL_SMONTHNAME9","features":[394]},{"name":"CAL_SRELATIVELONGDATE","features":[394]},{"name":"CAL_SSHORTDATE","features":[394]},{"name":"CAL_SSHORTESTDAYNAME1","features":[394]},{"name":"CAL_SSHORTESTDAYNAME2","features":[394]},{"name":"CAL_SSHORTESTDAYNAME3","features":[394]},{"name":"CAL_SSHORTESTDAYNAME4","features":[394]},{"name":"CAL_SSHORTESTDAYNAME5","features":[394]},{"name":"CAL_SSHORTESTDAYNAME6","features":[394]},{"name":"CAL_SSHORTESTDAYNAME7","features":[394]},{"name":"CAL_SYEARMONTH","features":[394]},{"name":"CAL_TAIWAN","features":[394]},{"name":"CAL_THAI","features":[394]},{"name":"CAL_UMALQURA","features":[394]},{"name":"CAL_USE_CP_ACP","features":[394]},{"name":"CANITER_SKIP_ZEROES","features":[394]},{"name":"CHARSETINFO","features":[394]},{"name":"CMLangConvertCharset","features":[394]},{"name":"CMLangString","features":[394]},{"name":"CMultiLanguage","features":[394]},{"name":"CODEPAGE_ENUMPROCA","features":[308,394]},{"name":"CODEPAGE_ENUMPROCW","features":[308,394]},{"name":"COMPARESTRING_RESULT","features":[394]},{"name":"COMPARE_STRING","features":[394]},{"name":"COMPARE_STRING_FLAGS","features":[394]},{"name":"CORRECTIVE_ACTION","features":[394]},{"name":"CORRECTIVE_ACTION_DELETE","features":[394]},{"name":"CORRECTIVE_ACTION_GET_SUGGESTIONS","features":[394]},{"name":"CORRECTIVE_ACTION_NONE","features":[394]},{"name":"CORRECTIVE_ACTION_REPLACE","features":[394]},{"name":"CPINFO","features":[394]},{"name":"CPINFOEXA","features":[394]},{"name":"CPINFOEXW","features":[394]},{"name":"CPIOD_FORCE_PROMPT","features":[394]},{"name":"CPIOD_PEEK","features":[394]},{"name":"CP_ACP","features":[394]},{"name":"CP_INSTALLED","features":[394]},{"name":"CP_MACCP","features":[394]},{"name":"CP_OEMCP","features":[394]},{"name":"CP_SUPPORTED","features":[394]},{"name":"CP_SYMBOL","features":[394]},{"name":"CP_THREAD_ACP","features":[394]},{"name":"CP_UTF7","features":[394]},{"name":"CP_UTF8","features":[394]},{"name":"CSTR_EQUAL","features":[394]},{"name":"CSTR_GREATER_THAN","features":[394]},{"name":"CSTR_LESS_THAN","features":[394]},{"name":"CTRY_ALBANIA","features":[394]},{"name":"CTRY_ALGERIA","features":[394]},{"name":"CTRY_ARGENTINA","features":[394]},{"name":"CTRY_ARMENIA","features":[394]},{"name":"CTRY_AUSTRALIA","features":[394]},{"name":"CTRY_AUSTRIA","features":[394]},{"name":"CTRY_AZERBAIJAN","features":[394]},{"name":"CTRY_BAHRAIN","features":[394]},{"name":"CTRY_BELARUS","features":[394]},{"name":"CTRY_BELGIUM","features":[394]},{"name":"CTRY_BELIZE","features":[394]},{"name":"CTRY_BOLIVIA","features":[394]},{"name":"CTRY_BRAZIL","features":[394]},{"name":"CTRY_BRUNEI_DARUSSALAM","features":[394]},{"name":"CTRY_BULGARIA","features":[394]},{"name":"CTRY_CANADA","features":[394]},{"name":"CTRY_CARIBBEAN","features":[394]},{"name":"CTRY_CHILE","features":[394]},{"name":"CTRY_COLOMBIA","features":[394]},{"name":"CTRY_COSTA_RICA","features":[394]},{"name":"CTRY_CROATIA","features":[394]},{"name":"CTRY_CZECH","features":[394]},{"name":"CTRY_DEFAULT","features":[394]},{"name":"CTRY_DENMARK","features":[394]},{"name":"CTRY_DOMINICAN_REPUBLIC","features":[394]},{"name":"CTRY_ECUADOR","features":[394]},{"name":"CTRY_EGYPT","features":[394]},{"name":"CTRY_EL_SALVADOR","features":[394]},{"name":"CTRY_ESTONIA","features":[394]},{"name":"CTRY_FAEROE_ISLANDS","features":[394]},{"name":"CTRY_FINLAND","features":[394]},{"name":"CTRY_FRANCE","features":[394]},{"name":"CTRY_GEORGIA","features":[394]},{"name":"CTRY_GERMANY","features":[394]},{"name":"CTRY_GREECE","features":[394]},{"name":"CTRY_GUATEMALA","features":[394]},{"name":"CTRY_HONDURAS","features":[394]},{"name":"CTRY_HONG_KONG","features":[394]},{"name":"CTRY_HUNGARY","features":[394]},{"name":"CTRY_ICELAND","features":[394]},{"name":"CTRY_INDIA","features":[394]},{"name":"CTRY_INDONESIA","features":[394]},{"name":"CTRY_IRAN","features":[394]},{"name":"CTRY_IRAQ","features":[394]},{"name":"CTRY_IRELAND","features":[394]},{"name":"CTRY_ISRAEL","features":[394]},{"name":"CTRY_ITALY","features":[394]},{"name":"CTRY_JAMAICA","features":[394]},{"name":"CTRY_JAPAN","features":[394]},{"name":"CTRY_JORDAN","features":[394]},{"name":"CTRY_KAZAKSTAN","features":[394]},{"name":"CTRY_KENYA","features":[394]},{"name":"CTRY_KUWAIT","features":[394]},{"name":"CTRY_KYRGYZSTAN","features":[394]},{"name":"CTRY_LATVIA","features":[394]},{"name":"CTRY_LEBANON","features":[394]},{"name":"CTRY_LIBYA","features":[394]},{"name":"CTRY_LIECHTENSTEIN","features":[394]},{"name":"CTRY_LITHUANIA","features":[394]},{"name":"CTRY_LUXEMBOURG","features":[394]},{"name":"CTRY_MACAU","features":[394]},{"name":"CTRY_MACEDONIA","features":[394]},{"name":"CTRY_MALAYSIA","features":[394]},{"name":"CTRY_MALDIVES","features":[394]},{"name":"CTRY_MEXICO","features":[394]},{"name":"CTRY_MONACO","features":[394]},{"name":"CTRY_MONGOLIA","features":[394]},{"name":"CTRY_MOROCCO","features":[394]},{"name":"CTRY_NETHERLANDS","features":[394]},{"name":"CTRY_NEW_ZEALAND","features":[394]},{"name":"CTRY_NICARAGUA","features":[394]},{"name":"CTRY_NORWAY","features":[394]},{"name":"CTRY_OMAN","features":[394]},{"name":"CTRY_PAKISTAN","features":[394]},{"name":"CTRY_PANAMA","features":[394]},{"name":"CTRY_PARAGUAY","features":[394]},{"name":"CTRY_PERU","features":[394]},{"name":"CTRY_PHILIPPINES","features":[394]},{"name":"CTRY_POLAND","features":[394]},{"name":"CTRY_PORTUGAL","features":[394]},{"name":"CTRY_PRCHINA","features":[394]},{"name":"CTRY_PUERTO_RICO","features":[394]},{"name":"CTRY_QATAR","features":[394]},{"name":"CTRY_ROMANIA","features":[394]},{"name":"CTRY_RUSSIA","features":[394]},{"name":"CTRY_SAUDI_ARABIA","features":[394]},{"name":"CTRY_SERBIA","features":[394]},{"name":"CTRY_SINGAPORE","features":[394]},{"name":"CTRY_SLOVAK","features":[394]},{"name":"CTRY_SLOVENIA","features":[394]},{"name":"CTRY_SOUTH_AFRICA","features":[394]},{"name":"CTRY_SOUTH_KOREA","features":[394]},{"name":"CTRY_SPAIN","features":[394]},{"name":"CTRY_SWEDEN","features":[394]},{"name":"CTRY_SWITZERLAND","features":[394]},{"name":"CTRY_SYRIA","features":[394]},{"name":"CTRY_TAIWAN","features":[394]},{"name":"CTRY_TATARSTAN","features":[394]},{"name":"CTRY_THAILAND","features":[394]},{"name":"CTRY_TRINIDAD_Y_TOBAGO","features":[394]},{"name":"CTRY_TUNISIA","features":[394]},{"name":"CTRY_TURKEY","features":[394]},{"name":"CTRY_UAE","features":[394]},{"name":"CTRY_UKRAINE","features":[394]},{"name":"CTRY_UNITED_KINGDOM","features":[394]},{"name":"CTRY_UNITED_STATES","features":[394]},{"name":"CTRY_URUGUAY","features":[394]},{"name":"CTRY_UZBEKISTAN","features":[394]},{"name":"CTRY_VENEZUELA","features":[394]},{"name":"CTRY_VIET_NAM","features":[394]},{"name":"CTRY_YEMEN","features":[394]},{"name":"CTRY_ZIMBABWE","features":[394]},{"name":"CT_CTYPE1","features":[394]},{"name":"CT_CTYPE2","features":[394]},{"name":"CT_CTYPE3","features":[394]},{"name":"CURRENCYFMTA","features":[394]},{"name":"CURRENCYFMTW","features":[394]},{"name":"CompareStringA","features":[394]},{"name":"CompareStringEx","features":[308,394]},{"name":"CompareStringOrdinal","features":[308,394]},{"name":"CompareStringW","features":[394]},{"name":"ConvertCalDateTimeToSystemTime","features":[308,394]},{"name":"ConvertDefaultLocale","features":[394]},{"name":"ConvertSystemTimeToCalDateTime","features":[308,394]},{"name":"DATEFMT_ENUMPROCA","features":[308,394]},{"name":"DATEFMT_ENUMPROCEXA","features":[308,394]},{"name":"DATEFMT_ENUMPROCEXEX","features":[308,394]},{"name":"DATEFMT_ENUMPROCEXW","features":[308,394]},{"name":"DATEFMT_ENUMPROCW","features":[308,394]},{"name":"DATE_AUTOLAYOUT","features":[394]},{"name":"DATE_LONGDATE","features":[394]},{"name":"DATE_LTRREADING","features":[394]},{"name":"DATE_MONTHDAY","features":[394]},{"name":"DATE_RTLREADING","features":[394]},{"name":"DATE_SHORTDATE","features":[394]},{"name":"DATE_USE_ALT_CALENDAR","features":[394]},{"name":"DATE_YEARMONTH","features":[394]},{"name":"DayUnit","features":[394]},{"name":"DetectEncodingInfo","features":[394]},{"name":"ELS_GUID_LANGUAGE_DETECTION","features":[394]},{"name":"ELS_GUID_SCRIPT_DETECTION","features":[394]},{"name":"ELS_GUID_TRANSLITERATION_BENGALI_TO_LATIN","features":[394]},{"name":"ELS_GUID_TRANSLITERATION_CYRILLIC_TO_LATIN","features":[394]},{"name":"ELS_GUID_TRANSLITERATION_DEVANAGARI_TO_LATIN","features":[394]},{"name":"ELS_GUID_TRANSLITERATION_HANGUL_DECOMPOSITION","features":[394]},{"name":"ELS_GUID_TRANSLITERATION_HANS_TO_HANT","features":[394]},{"name":"ELS_GUID_TRANSLITERATION_HANT_TO_HANS","features":[394]},{"name":"ELS_GUID_TRANSLITERATION_MALAYALAM_TO_LATIN","features":[394]},{"name":"ENUMTEXTMETRICA","features":[394,319]},{"name":"ENUMTEXTMETRICW","features":[394,319]},{"name":"ENUM_ALL_CALENDARS","features":[394]},{"name":"ENUM_DATE_FORMATS_FLAGS","features":[394]},{"name":"ENUM_SYSTEM_CODE_PAGES_FLAGS","features":[394]},{"name":"ENUM_SYSTEM_LANGUAGE_GROUPS_FLAGS","features":[394]},{"name":"EnumCalendarInfoA","features":[308,394]},{"name":"EnumCalendarInfoExA","features":[308,394]},{"name":"EnumCalendarInfoExEx","features":[308,394]},{"name":"EnumCalendarInfoExW","features":[308,394]},{"name":"EnumCalendarInfoW","features":[308,394]},{"name":"EnumDateFormatsA","features":[308,394]},{"name":"EnumDateFormatsExA","features":[308,394]},{"name":"EnumDateFormatsExEx","features":[308,394]},{"name":"EnumDateFormatsExW","features":[308,394]},{"name":"EnumDateFormatsW","features":[308,394]},{"name":"EnumLanguageGroupLocalesA","features":[308,394]},{"name":"EnumLanguageGroupLocalesW","features":[308,394]},{"name":"EnumSystemCodePagesA","features":[308,394]},{"name":"EnumSystemCodePagesW","features":[308,394]},{"name":"EnumSystemGeoID","features":[308,394]},{"name":"EnumSystemGeoNames","features":[308,394]},{"name":"EnumSystemLanguageGroupsA","features":[308,394]},{"name":"EnumSystemLanguageGroupsW","features":[308,394]},{"name":"EnumSystemLocalesA","features":[308,394]},{"name":"EnumSystemLocalesEx","features":[308,394]},{"name":"EnumSystemLocalesW","features":[308,394]},{"name":"EnumTimeFormatsA","features":[308,394]},{"name":"EnumTimeFormatsEx","features":[308,394]},{"name":"EnumTimeFormatsW","features":[308,394]},{"name":"EnumUILanguagesA","features":[308,394]},{"name":"EnumUILanguagesW","features":[308,394]},{"name":"EraUnit","features":[394]},{"name":"FILEMUIINFO","features":[394]},{"name":"FIND_ENDSWITH","features":[394]},{"name":"FIND_FROMEND","features":[394]},{"name":"FIND_FROMSTART","features":[394]},{"name":"FIND_STARTSWITH","features":[394]},{"name":"FOLD_STRING_MAP_FLAGS","features":[394]},{"name":"FONTSIGNATURE","features":[394]},{"name":"FindNLSString","features":[394]},{"name":"FindNLSStringEx","features":[308,394]},{"name":"FindStringOrdinal","features":[308,394]},{"name":"FoldStringA","features":[394]},{"name":"FoldStringW","features":[394]},{"name":"GEOCLASS_ALL","features":[394]},{"name":"GEOCLASS_NATION","features":[394]},{"name":"GEOCLASS_REGION","features":[394]},{"name":"GEOID_NOT_AVAILABLE","features":[394]},{"name":"GEO_CURRENCYCODE","features":[394]},{"name":"GEO_CURRENCYSYMBOL","features":[394]},{"name":"GEO_DIALINGCODE","features":[394]},{"name":"GEO_ENUMNAMEPROC","features":[308,394]},{"name":"GEO_ENUMPROC","features":[308,394]},{"name":"GEO_FRIENDLYNAME","features":[394]},{"name":"GEO_ID","features":[394]},{"name":"GEO_ISO2","features":[394]},{"name":"GEO_ISO3","features":[394]},{"name":"GEO_ISO_UN_NUMBER","features":[394]},{"name":"GEO_LATITUDE","features":[394]},{"name":"GEO_LCID","features":[394]},{"name":"GEO_LONGITUDE","features":[394]},{"name":"GEO_NAME","features":[394]},{"name":"GEO_NATION","features":[394]},{"name":"GEO_OFFICIALLANGUAGES","features":[394]},{"name":"GEO_OFFICIALNAME","features":[394]},{"name":"GEO_PARENT","features":[394]},{"name":"GEO_RFC1766","features":[394]},{"name":"GEO_TIMEZONES","features":[394]},{"name":"GOFFSET","features":[394]},{"name":"GSS_ALLOW_INHERITED_COMMON","features":[394]},{"name":"GetACP","features":[394]},{"name":"GetCPInfo","features":[308,394]},{"name":"GetCPInfoExA","features":[308,394]},{"name":"GetCPInfoExW","features":[308,394]},{"name":"GetCalendarDateFormatEx","features":[308,394]},{"name":"GetCalendarInfoA","features":[394]},{"name":"GetCalendarInfoEx","features":[394]},{"name":"GetCalendarInfoW","features":[394]},{"name":"GetCalendarSupportedDateRange","features":[308,394]},{"name":"GetCurrencyFormatA","features":[394]},{"name":"GetCurrencyFormatEx","features":[394]},{"name":"GetCurrencyFormatW","features":[394]},{"name":"GetDateFormatA","features":[308,394]},{"name":"GetDateFormatEx","features":[308,394]},{"name":"GetDateFormatW","features":[308,394]},{"name":"GetDistanceOfClosestLanguageInList","features":[394]},{"name":"GetDurationFormat","features":[308,394]},{"name":"GetDurationFormatEx","features":[308,394]},{"name":"GetFileMUIInfo","features":[308,394]},{"name":"GetFileMUIPath","features":[308,394]},{"name":"GetGeoInfoA","features":[394]},{"name":"GetGeoInfoEx","features":[394]},{"name":"GetGeoInfoW","features":[394]},{"name":"GetLocaleInfoA","features":[394]},{"name":"GetLocaleInfoEx","features":[394]},{"name":"GetLocaleInfoW","features":[394]},{"name":"GetNLSVersion","features":[308,394]},{"name":"GetNLSVersionEx","features":[308,394]},{"name":"GetNumberFormatA","features":[394]},{"name":"GetNumberFormatEx","features":[394]},{"name":"GetNumberFormatW","features":[394]},{"name":"GetOEMCP","features":[394]},{"name":"GetProcessPreferredUILanguages","features":[308,394]},{"name":"GetStringScripts","features":[394]},{"name":"GetStringTypeA","features":[308,394]},{"name":"GetStringTypeExA","features":[308,394]},{"name":"GetStringTypeExW","features":[308,394]},{"name":"GetStringTypeW","features":[308,394]},{"name":"GetSystemDefaultLCID","features":[394]},{"name":"GetSystemDefaultLangID","features":[394]},{"name":"GetSystemDefaultLocaleName","features":[394]},{"name":"GetSystemDefaultUILanguage","features":[394]},{"name":"GetSystemPreferredUILanguages","features":[308,394]},{"name":"GetTextCharset","features":[394,319]},{"name":"GetTextCharsetInfo","features":[394,319]},{"name":"GetThreadLocale","features":[394]},{"name":"GetThreadPreferredUILanguages","features":[308,394]},{"name":"GetThreadUILanguage","features":[394]},{"name":"GetTimeFormatA","features":[308,394]},{"name":"GetTimeFormatEx","features":[308,394]},{"name":"GetTimeFormatW","features":[308,394]},{"name":"GetUILanguageInfo","features":[308,394]},{"name":"GetUserDefaultGeoName","features":[394]},{"name":"GetUserDefaultLCID","features":[394]},{"name":"GetUserDefaultLangID","features":[394]},{"name":"GetUserDefaultLocaleName","features":[394]},{"name":"GetUserDefaultUILanguage","features":[394]},{"name":"GetUserGeoID","features":[394]},{"name":"GetUserPreferredUILanguages","features":[308,394]},{"name":"HIGHLEVEL_SERVICE_TYPES","features":[394]},{"name":"HIGH_SURROGATE_END","features":[394]},{"name":"HIGH_SURROGATE_START","features":[394]},{"name":"HIMC","features":[394]},{"name":"HIMCC","features":[394]},{"name":"HSAVEDUILANGUAGES","features":[394]},{"name":"HourUnit","features":[394]},{"name":"IComprehensiveSpellCheckProvider","features":[394]},{"name":"IDN_ALLOW_UNASSIGNED","features":[394]},{"name":"IDN_EMAIL_ADDRESS","features":[394]},{"name":"IDN_RAW_PUNYCODE","features":[394]},{"name":"IDN_USE_STD3_ASCII_RULES","features":[394]},{"name":"IEnumCodePage","features":[394]},{"name":"IEnumRfc1766","features":[394]},{"name":"IEnumScript","features":[394]},{"name":"IEnumSpellingError","features":[394]},{"name":"IMLangCodePages","features":[394]},{"name":"IMLangConvertCharset","features":[394]},{"name":"IMLangFontLink","features":[394]},{"name":"IMLangFontLink2","features":[394]},{"name":"IMLangLineBreakConsole","features":[394]},{"name":"IMLangString","features":[394]},{"name":"IMLangStringAStr","features":[394]},{"name":"IMLangStringBufA","features":[394]},{"name":"IMLangStringBufW","features":[394]},{"name":"IMLangStringWStr","features":[394]},{"name":"IMultiLanguage","features":[394]},{"name":"IMultiLanguage2","features":[394]},{"name":"IMultiLanguage3","features":[394]},{"name":"IOptionDescription","features":[394]},{"name":"IS_TEXT_UNICODE_ASCII16","features":[394]},{"name":"IS_TEXT_UNICODE_CONTROLS","features":[394]},{"name":"IS_TEXT_UNICODE_ILLEGAL_CHARS","features":[394]},{"name":"IS_TEXT_UNICODE_NOT_ASCII_MASK","features":[394]},{"name":"IS_TEXT_UNICODE_NOT_UNICODE_MASK","features":[394]},{"name":"IS_TEXT_UNICODE_NULL_BYTES","features":[394]},{"name":"IS_TEXT_UNICODE_ODD_LENGTH","features":[394]},{"name":"IS_TEXT_UNICODE_RESULT","features":[394]},{"name":"IS_TEXT_UNICODE_REVERSE_ASCII16","features":[394]},{"name":"IS_TEXT_UNICODE_REVERSE_CONTROLS","features":[394]},{"name":"IS_TEXT_UNICODE_REVERSE_MASK","features":[394]},{"name":"IS_TEXT_UNICODE_REVERSE_SIGNATURE","features":[394]},{"name":"IS_TEXT_UNICODE_REVERSE_STATISTICS","features":[394]},{"name":"IS_TEXT_UNICODE_SIGNATURE","features":[394]},{"name":"IS_TEXT_UNICODE_STATISTICS","features":[394]},{"name":"IS_TEXT_UNICODE_UNICODE_MASK","features":[394]},{"name":"IS_VALID_LOCALE_FLAGS","features":[394]},{"name":"ISpellCheckProvider","features":[394]},{"name":"ISpellCheckProviderFactory","features":[394]},{"name":"ISpellChecker","features":[394]},{"name":"ISpellChecker2","features":[394]},{"name":"ISpellCheckerChangedEventHandler","features":[394]},{"name":"ISpellCheckerFactory","features":[394]},{"name":"ISpellingError","features":[394]},{"name":"IUserDictionariesRegistrar","features":[394]},{"name":"IdnToAscii","features":[394]},{"name":"IdnToNameprepUnicode","features":[394]},{"name":"IdnToUnicode","features":[394]},{"name":"IsCalendarLeapYear","features":[308,394]},{"name":"IsDBCSLeadByte","features":[308,394]},{"name":"IsDBCSLeadByteEx","features":[308,394]},{"name":"IsNLSDefinedString","features":[308,394]},{"name":"IsNormalizedString","features":[308,394]},{"name":"IsTextUnicode","features":[308,394]},{"name":"IsValidCodePage","features":[308,394]},{"name":"IsValidLanguageGroup","features":[308,394]},{"name":"IsValidLocale","features":[308,394]},{"name":"IsValidLocaleName","features":[308,394]},{"name":"IsValidNLSVersion","features":[394]},{"name":"IsWellFormedTag","features":[394]},{"name":"LANGGROUPLOCALE_ENUMPROCA","features":[308,394]},{"name":"LANGGROUPLOCALE_ENUMPROCW","features":[308,394]},{"name":"LANGUAGEGROUP_ENUMPROCA","features":[308,394]},{"name":"LANGUAGEGROUP_ENUMPROCW","features":[308,394]},{"name":"LCIDToLocaleName","features":[394]},{"name":"LCID_ALTERNATE_SORTS","features":[394]},{"name":"LCID_INSTALLED","features":[394]},{"name":"LCID_SUPPORTED","features":[394]},{"name":"LCMAP_BYTEREV","features":[394]},{"name":"LCMAP_FULLWIDTH","features":[394]},{"name":"LCMAP_HALFWIDTH","features":[394]},{"name":"LCMAP_HASH","features":[394]},{"name":"LCMAP_HIRAGANA","features":[394]},{"name":"LCMAP_KATAKANA","features":[394]},{"name":"LCMAP_LINGUISTIC_CASING","features":[394]},{"name":"LCMAP_LOWERCASE","features":[394]},{"name":"LCMAP_SIMPLIFIED_CHINESE","features":[394]},{"name":"LCMAP_SORTHANDLE","features":[394]},{"name":"LCMAP_SORTKEY","features":[394]},{"name":"LCMAP_TITLECASE","features":[394]},{"name":"LCMAP_TRADITIONAL_CHINESE","features":[394]},{"name":"LCMAP_UPPERCASE","features":[394]},{"name":"LCMapStringA","features":[394]},{"name":"LCMapStringEx","features":[308,394]},{"name":"LCMapStringW","features":[394]},{"name":"LGRPID_ARABIC","features":[394]},{"name":"LGRPID_ARMENIAN","features":[394]},{"name":"LGRPID_BALTIC","features":[394]},{"name":"LGRPID_CENTRAL_EUROPE","features":[394]},{"name":"LGRPID_CYRILLIC","features":[394]},{"name":"LGRPID_GEORGIAN","features":[394]},{"name":"LGRPID_GREEK","features":[394]},{"name":"LGRPID_HEBREW","features":[394]},{"name":"LGRPID_INDIC","features":[394]},{"name":"LGRPID_INSTALLED","features":[394]},{"name":"LGRPID_JAPANESE","features":[394]},{"name":"LGRPID_KOREAN","features":[394]},{"name":"LGRPID_SIMPLIFIED_CHINESE","features":[394]},{"name":"LGRPID_SUPPORTED","features":[394]},{"name":"LGRPID_THAI","features":[394]},{"name":"LGRPID_TRADITIONAL_CHINESE","features":[394]},{"name":"LGRPID_TURKIC","features":[394]},{"name":"LGRPID_TURKISH","features":[394]},{"name":"LGRPID_VIETNAMESE","features":[394]},{"name":"LGRPID_WESTERN_EUROPE","features":[394]},{"name":"LINGUISTIC_IGNORECASE","features":[394]},{"name":"LINGUISTIC_IGNOREDIACRITIC","features":[394]},{"name":"LOCALESIGNATURE","features":[394]},{"name":"LOCALE_ALL","features":[394]},{"name":"LOCALE_ALLOW_NEUTRAL_NAMES","features":[394]},{"name":"LOCALE_ALTERNATE_SORTS","features":[394]},{"name":"LOCALE_ENUMPROCA","features":[308,394]},{"name":"LOCALE_ENUMPROCEX","features":[308,394]},{"name":"LOCALE_ENUMPROCW","features":[308,394]},{"name":"LOCALE_FONTSIGNATURE","features":[394]},{"name":"LOCALE_ICALENDARTYPE","features":[394]},{"name":"LOCALE_ICENTURY","features":[394]},{"name":"LOCALE_ICONSTRUCTEDLOCALE","features":[394]},{"name":"LOCALE_ICOUNTRY","features":[394]},{"name":"LOCALE_ICURRDIGITS","features":[394]},{"name":"LOCALE_ICURRENCY","features":[394]},{"name":"LOCALE_IDATE","features":[394]},{"name":"LOCALE_IDAYLZERO","features":[394]},{"name":"LOCALE_IDEFAULTANSICODEPAGE","features":[394]},{"name":"LOCALE_IDEFAULTCODEPAGE","features":[394]},{"name":"LOCALE_IDEFAULTCOUNTRY","features":[394]},{"name":"LOCALE_IDEFAULTEBCDICCODEPAGE","features":[394]},{"name":"LOCALE_IDEFAULTLANGUAGE","features":[394]},{"name":"LOCALE_IDEFAULTMACCODEPAGE","features":[394]},{"name":"LOCALE_IDIALINGCODE","features":[394]},{"name":"LOCALE_IDIGITS","features":[394]},{"name":"LOCALE_IDIGITSUBSTITUTION","features":[394]},{"name":"LOCALE_IFIRSTDAYOFWEEK","features":[394]},{"name":"LOCALE_IFIRSTWEEKOFYEAR","features":[394]},{"name":"LOCALE_IGEOID","features":[394]},{"name":"LOCALE_IINTLCURRDIGITS","features":[394]},{"name":"LOCALE_ILANGUAGE","features":[394]},{"name":"LOCALE_ILDATE","features":[394]},{"name":"LOCALE_ILZERO","features":[394]},{"name":"LOCALE_IMEASURE","features":[394]},{"name":"LOCALE_IMONLZERO","features":[394]},{"name":"LOCALE_INEGATIVEPERCENT","features":[394]},{"name":"LOCALE_INEGCURR","features":[394]},{"name":"LOCALE_INEGNUMBER","features":[394]},{"name":"LOCALE_INEGSEPBYSPACE","features":[394]},{"name":"LOCALE_INEGSIGNPOSN","features":[394]},{"name":"LOCALE_INEGSYMPRECEDES","features":[394]},{"name":"LOCALE_INEUTRAL","features":[394]},{"name":"LOCALE_IOPTIONALCALENDAR","features":[394]},{"name":"LOCALE_IPAPERSIZE","features":[394]},{"name":"LOCALE_IPOSITIVEPERCENT","features":[394]},{"name":"LOCALE_IPOSSEPBYSPACE","features":[394]},{"name":"LOCALE_IPOSSIGNPOSN","features":[394]},{"name":"LOCALE_IPOSSYMPRECEDES","features":[394]},{"name":"LOCALE_IREADINGLAYOUT","features":[394]},{"name":"LOCALE_ITIME","features":[394]},{"name":"LOCALE_ITIMEMARKPOSN","features":[394]},{"name":"LOCALE_ITLZERO","features":[394]},{"name":"LOCALE_IUSEUTF8LEGACYACP","features":[394]},{"name":"LOCALE_IUSEUTF8LEGACYOEMCP","features":[394]},{"name":"LOCALE_NAME_INVARIANT","features":[394]},{"name":"LOCALE_NAME_SYSTEM_DEFAULT","features":[394]},{"name":"LOCALE_NEUTRALDATA","features":[394]},{"name":"LOCALE_NOUSEROVERRIDE","features":[394]},{"name":"LOCALE_REPLACEMENT","features":[394]},{"name":"LOCALE_RETURN_GENITIVE_NAMES","features":[394]},{"name":"LOCALE_RETURN_NUMBER","features":[394]},{"name":"LOCALE_S1159","features":[394]},{"name":"LOCALE_S2359","features":[394]},{"name":"LOCALE_SABBREVCTRYNAME","features":[394]},{"name":"LOCALE_SABBREVDAYNAME1","features":[394]},{"name":"LOCALE_SABBREVDAYNAME2","features":[394]},{"name":"LOCALE_SABBREVDAYNAME3","features":[394]},{"name":"LOCALE_SABBREVDAYNAME4","features":[394]},{"name":"LOCALE_SABBREVDAYNAME5","features":[394]},{"name":"LOCALE_SABBREVDAYNAME6","features":[394]},{"name":"LOCALE_SABBREVDAYNAME7","features":[394]},{"name":"LOCALE_SABBREVLANGNAME","features":[394]},{"name":"LOCALE_SABBREVMONTHNAME1","features":[394]},{"name":"LOCALE_SABBREVMONTHNAME10","features":[394]},{"name":"LOCALE_SABBREVMONTHNAME11","features":[394]},{"name":"LOCALE_SABBREVMONTHNAME12","features":[394]},{"name":"LOCALE_SABBREVMONTHNAME13","features":[394]},{"name":"LOCALE_SABBREVMONTHNAME2","features":[394]},{"name":"LOCALE_SABBREVMONTHNAME3","features":[394]},{"name":"LOCALE_SABBREVMONTHNAME4","features":[394]},{"name":"LOCALE_SABBREVMONTHNAME5","features":[394]},{"name":"LOCALE_SABBREVMONTHNAME6","features":[394]},{"name":"LOCALE_SABBREVMONTHNAME7","features":[394]},{"name":"LOCALE_SABBREVMONTHNAME8","features":[394]},{"name":"LOCALE_SABBREVMONTHNAME9","features":[394]},{"name":"LOCALE_SAM","features":[394]},{"name":"LOCALE_SCONSOLEFALLBACKNAME","features":[394]},{"name":"LOCALE_SCOUNTRY","features":[394]},{"name":"LOCALE_SCURRENCY","features":[394]},{"name":"LOCALE_SDATE","features":[394]},{"name":"LOCALE_SDAYNAME1","features":[394]},{"name":"LOCALE_SDAYNAME2","features":[394]},{"name":"LOCALE_SDAYNAME3","features":[394]},{"name":"LOCALE_SDAYNAME4","features":[394]},{"name":"LOCALE_SDAYNAME5","features":[394]},{"name":"LOCALE_SDAYNAME6","features":[394]},{"name":"LOCALE_SDAYNAME7","features":[394]},{"name":"LOCALE_SDECIMAL","features":[394]},{"name":"LOCALE_SDURATION","features":[394]},{"name":"LOCALE_SENGCOUNTRY","features":[394]},{"name":"LOCALE_SENGCURRNAME","features":[394]},{"name":"LOCALE_SENGLANGUAGE","features":[394]},{"name":"LOCALE_SENGLISHCOUNTRYNAME","features":[394]},{"name":"LOCALE_SENGLISHDISPLAYNAME","features":[394]},{"name":"LOCALE_SENGLISHLANGUAGENAME","features":[394]},{"name":"LOCALE_SGROUPING","features":[394]},{"name":"LOCALE_SINTLSYMBOL","features":[394]},{"name":"LOCALE_SISO3166CTRYNAME","features":[394]},{"name":"LOCALE_SISO3166CTRYNAME2","features":[394]},{"name":"LOCALE_SISO639LANGNAME","features":[394]},{"name":"LOCALE_SISO639LANGNAME2","features":[394]},{"name":"LOCALE_SKEYBOARDSTOINSTALL","features":[394]},{"name":"LOCALE_SLANGDISPLAYNAME","features":[394]},{"name":"LOCALE_SLANGUAGE","features":[394]},{"name":"LOCALE_SLIST","features":[394]},{"name":"LOCALE_SLOCALIZEDCOUNTRYNAME","features":[394]},{"name":"LOCALE_SLOCALIZEDDISPLAYNAME","features":[394]},{"name":"LOCALE_SLOCALIZEDLANGUAGENAME","features":[394]},{"name":"LOCALE_SLONGDATE","features":[394]},{"name":"LOCALE_SMONDECIMALSEP","features":[394]},{"name":"LOCALE_SMONGROUPING","features":[394]},{"name":"LOCALE_SMONTHDAY","features":[394]},{"name":"LOCALE_SMONTHNAME1","features":[394]},{"name":"LOCALE_SMONTHNAME10","features":[394]},{"name":"LOCALE_SMONTHNAME11","features":[394]},{"name":"LOCALE_SMONTHNAME12","features":[394]},{"name":"LOCALE_SMONTHNAME13","features":[394]},{"name":"LOCALE_SMONTHNAME2","features":[394]},{"name":"LOCALE_SMONTHNAME3","features":[394]},{"name":"LOCALE_SMONTHNAME4","features":[394]},{"name":"LOCALE_SMONTHNAME5","features":[394]},{"name":"LOCALE_SMONTHNAME6","features":[394]},{"name":"LOCALE_SMONTHNAME7","features":[394]},{"name":"LOCALE_SMONTHNAME8","features":[394]},{"name":"LOCALE_SMONTHNAME9","features":[394]},{"name":"LOCALE_SMONTHOUSANDSEP","features":[394]},{"name":"LOCALE_SNAME","features":[394]},{"name":"LOCALE_SNAN","features":[394]},{"name":"LOCALE_SNATIVECOUNTRYNAME","features":[394]},{"name":"LOCALE_SNATIVECTRYNAME","features":[394]},{"name":"LOCALE_SNATIVECURRNAME","features":[394]},{"name":"LOCALE_SNATIVEDIGITS","features":[394]},{"name":"LOCALE_SNATIVEDISPLAYNAME","features":[394]},{"name":"LOCALE_SNATIVELANGNAME","features":[394]},{"name":"LOCALE_SNATIVELANGUAGENAME","features":[394]},{"name":"LOCALE_SNEGATIVESIGN","features":[394]},{"name":"LOCALE_SNEGINFINITY","features":[394]},{"name":"LOCALE_SOPENTYPELANGUAGETAG","features":[394]},{"name":"LOCALE_SPARENT","features":[394]},{"name":"LOCALE_SPECIFICDATA","features":[394]},{"name":"LOCALE_SPERCENT","features":[394]},{"name":"LOCALE_SPERMILLE","features":[394]},{"name":"LOCALE_SPM","features":[394]},{"name":"LOCALE_SPOSINFINITY","features":[394]},{"name":"LOCALE_SPOSITIVESIGN","features":[394]},{"name":"LOCALE_SRELATIVELONGDATE","features":[394]},{"name":"LOCALE_SSCRIPTS","features":[394]},{"name":"LOCALE_SSHORTDATE","features":[394]},{"name":"LOCALE_SSHORTESTAM","features":[394]},{"name":"LOCALE_SSHORTESTDAYNAME1","features":[394]},{"name":"LOCALE_SSHORTESTDAYNAME2","features":[394]},{"name":"LOCALE_SSHORTESTDAYNAME3","features":[394]},{"name":"LOCALE_SSHORTESTDAYNAME4","features":[394]},{"name":"LOCALE_SSHORTESTDAYNAME5","features":[394]},{"name":"LOCALE_SSHORTESTDAYNAME6","features":[394]},{"name":"LOCALE_SSHORTESTDAYNAME7","features":[394]},{"name":"LOCALE_SSHORTESTPM","features":[394]},{"name":"LOCALE_SSHORTTIME","features":[394]},{"name":"LOCALE_SSORTLOCALE","features":[394]},{"name":"LOCALE_SSORTNAME","features":[394]},{"name":"LOCALE_STHOUSAND","features":[394]},{"name":"LOCALE_STIME","features":[394]},{"name":"LOCALE_STIMEFORMAT","features":[394]},{"name":"LOCALE_SUPPLEMENTAL","features":[394]},{"name":"LOCALE_SYEARMONTH","features":[394]},{"name":"LOCALE_USE_CP_ACP","features":[394]},{"name":"LOCALE_WINDOWS","features":[394]},{"name":"LOWLEVEL_SERVICE_TYPES","features":[394]},{"name":"LOW_SURROGATE_END","features":[394]},{"name":"LOW_SURROGATE_START","features":[394]},{"name":"LocaleNameToLCID","features":[394]},{"name":"MAPPING_DATA_RANGE","features":[394]},{"name":"MAPPING_ENUM_OPTIONS","features":[394]},{"name":"MAPPING_OPTIONS","features":[394]},{"name":"MAPPING_PROPERTY_BAG","features":[394]},{"name":"MAPPING_SERVICE_INFO","features":[394]},{"name":"MAP_COMPOSITE","features":[394]},{"name":"MAP_EXPAND_LIGATURES","features":[394]},{"name":"MAP_FOLDCZONE","features":[394]},{"name":"MAP_FOLDDIGITS","features":[394]},{"name":"MAP_PRECOMPOSED","features":[394]},{"name":"MAX_DEFAULTCHAR","features":[394]},{"name":"MAX_LEADBYTES","features":[394]},{"name":"MAX_LOCALE_NAME","features":[394]},{"name":"MAX_MIMECP_NAME","features":[394]},{"name":"MAX_MIMECSET_NAME","features":[394]},{"name":"MAX_MIMEFACE_NAME","features":[394]},{"name":"MAX_RFC1766_NAME","features":[394]},{"name":"MAX_SCRIPT_NAME","features":[394]},{"name":"MB_COMPOSITE","features":[394]},{"name":"MB_ERR_INVALID_CHARS","features":[394]},{"name":"MB_PRECOMPOSED","features":[394]},{"name":"MB_USEGLYPHCHARS","features":[394]},{"name":"MIMECONTF","features":[394]},{"name":"MIMECONTF_BROWSER","features":[394]},{"name":"MIMECONTF_EXPORT","features":[394]},{"name":"MIMECONTF_IMPORT","features":[394]},{"name":"MIMECONTF_MAILNEWS","features":[394]},{"name":"MIMECONTF_MIME_IE4","features":[394]},{"name":"MIMECONTF_MIME_LATEST","features":[394]},{"name":"MIMECONTF_MIME_REGISTRY","features":[394]},{"name":"MIMECONTF_MINIMAL","features":[394]},{"name":"MIMECONTF_PRIVCONVERTER","features":[394]},{"name":"MIMECONTF_SAVABLE_BROWSER","features":[394]},{"name":"MIMECONTF_SAVABLE_MAILNEWS","features":[394]},{"name":"MIMECONTF_VALID","features":[394]},{"name":"MIMECONTF_VALID_NLS","features":[394]},{"name":"MIMECPINFO","features":[394]},{"name":"MIMECSETINFO","features":[394]},{"name":"MIN_SPELLING_NTDDI","features":[394]},{"name":"MLCONVCHAR","features":[394]},{"name":"MLCONVCHARF_AUTODETECT","features":[394]},{"name":"MLCONVCHARF_DETECTJPN","features":[394]},{"name":"MLCONVCHARF_ENTITIZE","features":[394]},{"name":"MLCONVCHARF_NAME_ENTITIZE","features":[394]},{"name":"MLCONVCHARF_NCR_ENTITIZE","features":[394]},{"name":"MLCONVCHARF_NOBESTFITCHARS","features":[394]},{"name":"MLCONVCHARF_USEDEFCHAR","features":[394]},{"name":"MLCP","features":[394]},{"name":"MLDETECTCP","features":[394]},{"name":"MLDETECTCP_7BIT","features":[394]},{"name":"MLDETECTCP_8BIT","features":[394]},{"name":"MLDETECTCP_DBCS","features":[394]},{"name":"MLDETECTCP_HTML","features":[394]},{"name":"MLDETECTCP_NONE","features":[394]},{"name":"MLDETECTCP_NUMBER","features":[394]},{"name":"MLDETECTF_BROWSER","features":[394]},{"name":"MLDETECTF_EURO_UTF8","features":[394]},{"name":"MLDETECTF_FILTER_SPECIALCHAR","features":[394]},{"name":"MLDETECTF_MAILNEWS","features":[394]},{"name":"MLDETECTF_PREFERRED_ONLY","features":[394]},{"name":"MLDETECTF_PRESERVE_ORDER","features":[394]},{"name":"MLDETECTF_VALID","features":[394]},{"name":"MLDETECTF_VALID_NLS","features":[394]},{"name":"MLSTR_FLAGS","features":[394]},{"name":"MLSTR_READ","features":[394]},{"name":"MLSTR_WRITE","features":[394]},{"name":"MUI_COMPLEX_SCRIPT_FILTER","features":[394]},{"name":"MUI_CONSOLE_FILTER","features":[394]},{"name":"MUI_FILEINFO_VERSION","features":[394]},{"name":"MUI_FILETYPE_LANGUAGE_NEUTRAL_MAIN","features":[394]},{"name":"MUI_FILETYPE_LANGUAGE_NEUTRAL_MUI","features":[394]},{"name":"MUI_FILETYPE_NOT_LANGUAGE_NEUTRAL","features":[394]},{"name":"MUI_FORMAT_INF_COMPAT","features":[394]},{"name":"MUI_FORMAT_REG_COMPAT","features":[394]},{"name":"MUI_FULL_LANGUAGE","features":[394]},{"name":"MUI_IMMUTABLE_LOOKUP","features":[394]},{"name":"MUI_LANGUAGE_EXACT","features":[394]},{"name":"MUI_LANGUAGE_ID","features":[394]},{"name":"MUI_LANGUAGE_INSTALLED","features":[394]},{"name":"MUI_LANGUAGE_LICENSED","features":[394]},{"name":"MUI_LANGUAGE_NAME","features":[394]},{"name":"MUI_LANG_NEUTRAL_PE_FILE","features":[394]},{"name":"MUI_LIP_LANGUAGE","features":[394]},{"name":"MUI_MACHINE_LANGUAGE_SETTINGS","features":[394]},{"name":"MUI_MERGE_SYSTEM_FALLBACK","features":[394]},{"name":"MUI_MERGE_USER_FALLBACK","features":[394]},{"name":"MUI_NON_LANG_NEUTRAL_FILE","features":[394]},{"name":"MUI_PARTIAL_LANGUAGE","features":[394]},{"name":"MUI_QUERY_CHECKSUM","features":[394]},{"name":"MUI_QUERY_LANGUAGE_NAME","features":[394]},{"name":"MUI_QUERY_RESOURCE_TYPES","features":[394]},{"name":"MUI_QUERY_TYPE","features":[394]},{"name":"MUI_RESET_FILTERS","features":[394]},{"name":"MUI_SKIP_STRING_CACHE","features":[394]},{"name":"MUI_THREAD_LANGUAGES","features":[394]},{"name":"MUI_USER_PREFERRED_UI_LANGUAGES","features":[394]},{"name":"MUI_USE_INSTALLED_LANGUAGES","features":[394]},{"name":"MUI_USE_SEARCH_ALL_LANGUAGES","features":[394]},{"name":"MUI_VERIFY_FILE_EXISTS","features":[394]},{"name":"MULTI_BYTE_TO_WIDE_CHAR_FLAGS","features":[394]},{"name":"MappingDoAction","features":[394]},{"name":"MappingFreePropertyBag","features":[394]},{"name":"MappingFreeServices","features":[394]},{"name":"MappingGetServices","features":[394]},{"name":"MappingRecognizeText","features":[394]},{"name":"MinuteUnit","features":[394]},{"name":"MonthUnit","features":[394]},{"name":"MultiByteToWideChar","features":[394]},{"name":"NEWTEXTMETRICEXA","features":[394,319]},{"name":"NEWTEXTMETRICEXW","features":[394,319]},{"name":"NLSVERSIONINFO","features":[394]},{"name":"NLSVERSIONINFOEX","features":[394]},{"name":"NLS_CP_CPINFO","features":[394]},{"name":"NLS_CP_MBTOWC","features":[394]},{"name":"NLS_CP_WCTOMB","features":[394]},{"name":"NORM_FORM","features":[394]},{"name":"NORM_IGNORECASE","features":[394]},{"name":"NORM_IGNOREKANATYPE","features":[394]},{"name":"NORM_IGNORENONSPACE","features":[394]},{"name":"NORM_IGNORESYMBOLS","features":[394]},{"name":"NORM_IGNOREWIDTH","features":[394]},{"name":"NORM_LINGUISTIC_CASING","features":[394]},{"name":"NUMBERFMTA","features":[394]},{"name":"NUMBERFMTW","features":[394]},{"name":"NUMSYS_NAME_CAPACITY","features":[394]},{"name":"NormalizationC","features":[394]},{"name":"NormalizationD","features":[394]},{"name":"NormalizationKC","features":[394]},{"name":"NormalizationKD","features":[394]},{"name":"NormalizationOther","features":[394]},{"name":"NormalizeString","features":[394]},{"name":"NotifyUILanguageChange","features":[308,394]},{"name":"OFFLINE_SERVICES","features":[394]},{"name":"ONLINE_SERVICES","features":[394]},{"name":"OPENTYPE_FEATURE_RECORD","features":[394]},{"name":"PFN_MAPPINGCALLBACKPROC","features":[394]},{"name":"RFC1766INFO","features":[394]},{"name":"ResolveLocaleName","features":[394]},{"name":"RestoreThreadPreferredUILanguages","features":[394]},{"name":"SCRIPTCONTF","features":[394]},{"name":"SCRIPTCONTF_FIXED_FONT","features":[394]},{"name":"SCRIPTCONTF_PROPORTIONAL_FONT","features":[394]},{"name":"SCRIPTCONTF_SCRIPT_HIDE","features":[394]},{"name":"SCRIPTCONTF_SCRIPT_SYSTEM","features":[394]},{"name":"SCRIPTCONTF_SCRIPT_USER","features":[394]},{"name":"SCRIPTFONTCONTF","features":[394]},{"name":"SCRIPTFONTINFO","features":[394]},{"name":"SCRIPTINFO","features":[394]},{"name":"SCRIPT_ANALYSIS","features":[394]},{"name":"SCRIPT_CHARPROP","features":[394]},{"name":"SCRIPT_CONTROL","features":[394]},{"name":"SCRIPT_DIGITSUBSTITUTE","features":[394]},{"name":"SCRIPT_DIGITSUBSTITUTE_CONTEXT","features":[394]},{"name":"SCRIPT_DIGITSUBSTITUTE_NATIONAL","features":[394]},{"name":"SCRIPT_DIGITSUBSTITUTE_NONE","features":[394]},{"name":"SCRIPT_DIGITSUBSTITUTE_TRADITIONAL","features":[394]},{"name":"SCRIPT_FONTPROPERTIES","features":[394]},{"name":"SCRIPT_GLYPHPROP","features":[394]},{"name":"SCRIPT_IS_COMPLEX_FLAGS","features":[394]},{"name":"SCRIPT_ITEM","features":[394]},{"name":"SCRIPT_JUSTIFY","features":[394]},{"name":"SCRIPT_JUSTIFY_ARABIC_ALEF","features":[394]},{"name":"SCRIPT_JUSTIFY_ARABIC_BA","features":[394]},{"name":"SCRIPT_JUSTIFY_ARABIC_BARA","features":[394]},{"name":"SCRIPT_JUSTIFY_ARABIC_BLANK","features":[394]},{"name":"SCRIPT_JUSTIFY_ARABIC_HA","features":[394]},{"name":"SCRIPT_JUSTIFY_ARABIC_KASHIDA","features":[394]},{"name":"SCRIPT_JUSTIFY_ARABIC_NORMAL","features":[394]},{"name":"SCRIPT_JUSTIFY_ARABIC_RA","features":[394]},{"name":"SCRIPT_JUSTIFY_ARABIC_SEEN","features":[394]},{"name":"SCRIPT_JUSTIFY_ARABIC_SEEN_M","features":[394]},{"name":"SCRIPT_JUSTIFY_BLANK","features":[394]},{"name":"SCRIPT_JUSTIFY_CHARACTER","features":[394]},{"name":"SCRIPT_JUSTIFY_NONE","features":[394]},{"name":"SCRIPT_JUSTIFY_RESERVED1","features":[394]},{"name":"SCRIPT_JUSTIFY_RESERVED2","features":[394]},{"name":"SCRIPT_JUSTIFY_RESERVED3","features":[394]},{"name":"SCRIPT_LOGATTR","features":[394]},{"name":"SCRIPT_PROPERTIES","features":[394]},{"name":"SCRIPT_STATE","features":[394]},{"name":"SCRIPT_TABDEF","features":[394]},{"name":"SCRIPT_TAG_UNKNOWN","features":[394]},{"name":"SCRIPT_UNDEFINED","features":[394]},{"name":"SCRIPT_VISATTR","features":[394]},{"name":"SGCM_RTL","features":[394]},{"name":"SIC_ASCIIDIGIT","features":[394]},{"name":"SIC_COMPLEX","features":[394]},{"name":"SIC_NEUTRAL","features":[394]},{"name":"SORTING_PARADIGM_ICU","features":[394]},{"name":"SORTING_PARADIGM_NLS","features":[394]},{"name":"SORT_DIGITSASNUMBERS","features":[394]},{"name":"SORT_STRINGSORT","features":[394]},{"name":"SSA_BREAK","features":[394]},{"name":"SSA_CLIP","features":[394]},{"name":"SSA_DONTGLYPH","features":[394]},{"name":"SSA_DZWG","features":[394]},{"name":"SSA_FALLBACK","features":[394]},{"name":"SSA_FIT","features":[394]},{"name":"SSA_FULLMEASURE","features":[394]},{"name":"SSA_GCP","features":[394]},{"name":"SSA_GLYPHS","features":[394]},{"name":"SSA_HIDEHOTKEY","features":[394]},{"name":"SSA_HOTKEY","features":[394]},{"name":"SSA_HOTKEYONLY","features":[394]},{"name":"SSA_LAYOUTRTL","features":[394]},{"name":"SSA_LINK","features":[394]},{"name":"SSA_LPKANSIFALLBACK","features":[394]},{"name":"SSA_METAFILE","features":[394]},{"name":"SSA_NOKASHIDA","features":[394]},{"name":"SSA_PASSWORD","features":[394]},{"name":"SSA_PIDX","features":[394]},{"name":"SSA_RTL","features":[394]},{"name":"SSA_TAB","features":[394]},{"name":"SYSGEOCLASS","features":[394]},{"name":"SYSGEOTYPE","features":[394]},{"name":"SYSNLS_FUNCTION","features":[394]},{"name":"ScriptApplyDigitSubstitution","features":[394]},{"name":"ScriptApplyLogicalWidth","features":[394,319]},{"name":"ScriptBreak","features":[394]},{"name":"ScriptCPtoX","features":[308,394]},{"name":"ScriptCacheGetHeight","features":[394,319]},{"name":"ScriptFreeCache","features":[394]},{"name":"ScriptGetCMap","features":[394,319]},{"name":"ScriptGetFontAlternateGlyphs","features":[394,319]},{"name":"ScriptGetFontFeatureTags","features":[394,319]},{"name":"ScriptGetFontLanguageTags","features":[394,319]},{"name":"ScriptGetFontProperties","features":[394,319]},{"name":"ScriptGetFontScriptTags","features":[394,319]},{"name":"ScriptGetGlyphABCWidth","features":[394,319]},{"name":"ScriptGetLogicalWidths","features":[394]},{"name":"ScriptGetProperties","features":[394]},{"name":"ScriptIsComplex","features":[394]},{"name":"ScriptItemize","features":[394]},{"name":"ScriptItemizeOpenType","features":[394]},{"name":"ScriptJustify","features":[394]},{"name":"ScriptLayout","features":[394]},{"name":"ScriptPlace","features":[394,319]},{"name":"ScriptPlaceOpenType","features":[394,319]},{"name":"ScriptPositionSingleGlyph","features":[394,319]},{"name":"ScriptRecordDigitSubstitution","features":[394]},{"name":"ScriptShape","features":[394,319]},{"name":"ScriptShapeOpenType","features":[394,319]},{"name":"ScriptStringAnalyse","features":[394,319]},{"name":"ScriptStringCPtoX","features":[308,394]},{"name":"ScriptStringFree","features":[394]},{"name":"ScriptStringGetLogicalWidths","features":[394]},{"name":"ScriptStringGetOrder","features":[394]},{"name":"ScriptStringOut","features":[308,394,319]},{"name":"ScriptStringValidate","features":[394]},{"name":"ScriptStringXtoCP","features":[394]},{"name":"ScriptString_pLogAttr","features":[394]},{"name":"ScriptString_pSize","features":[308,394]},{"name":"ScriptString_pcOutChars","features":[394]},{"name":"ScriptSubstituteSingleGlyph","features":[394,319]},{"name":"ScriptTextOut","features":[308,394,319]},{"name":"ScriptXtoCP","features":[394]},{"name":"SecondUnit","features":[394]},{"name":"SetCalendarInfoA","features":[308,394]},{"name":"SetCalendarInfoW","features":[308,394]},{"name":"SetLocaleInfoA","features":[308,394]},{"name":"SetLocaleInfoW","features":[308,394]},{"name":"SetProcessPreferredUILanguages","features":[308,394]},{"name":"SetThreadLocale","features":[308,394]},{"name":"SetThreadPreferredUILanguages","features":[308,394]},{"name":"SetThreadPreferredUILanguages2","features":[308,394]},{"name":"SetThreadUILanguage","features":[394]},{"name":"SetUserGeoID","features":[308,394]},{"name":"SetUserGeoName","features":[308,394]},{"name":"SpellCheckerFactory","features":[394]},{"name":"TCI_SRCCHARSET","features":[394]},{"name":"TCI_SRCCODEPAGE","features":[394]},{"name":"TCI_SRCFONTSIG","features":[394]},{"name":"TCI_SRCLOCALE","features":[394]},{"name":"TEXTRANGE_PROPERTIES","features":[394]},{"name":"TIMEFMT_ENUMPROCA","features":[308,394]},{"name":"TIMEFMT_ENUMPROCEX","features":[308,394]},{"name":"TIMEFMT_ENUMPROCW","features":[308,394]},{"name":"TIME_FORCE24HOURFORMAT","features":[394]},{"name":"TIME_FORMAT_FLAGS","features":[394]},{"name":"TIME_NOMINUTESORSECONDS","features":[394]},{"name":"TIME_NOSECONDS","features":[394]},{"name":"TIME_NOTIMEMARKER","features":[394]},{"name":"TRANSLATE_CHARSET_INFO_FLAGS","features":[394]},{"name":"TickUnit","features":[394]},{"name":"TranslateCharsetInfo","features":[308,394]},{"name":"U16_MAX_LENGTH","features":[394]},{"name":"U8_LEAD3_T1_BITS","features":[394]},{"name":"U8_LEAD4_T1_BITS","features":[394]},{"name":"U8_MAX_LENGTH","features":[394]},{"name":"UAcceptResult","features":[394]},{"name":"UAlphabeticIndexLabelType","features":[394]},{"name":"UBIDI_DEFAULT_LTR","features":[394]},{"name":"UBIDI_DEFAULT_RTL","features":[394]},{"name":"UBIDI_DO_MIRRORING","features":[394]},{"name":"UBIDI_INSERT_LRM_FOR_NUMERIC","features":[394]},{"name":"UBIDI_KEEP_BASE_COMBINING","features":[394]},{"name":"UBIDI_LEVEL_OVERRIDE","features":[394]},{"name":"UBIDI_LOGICAL","features":[394]},{"name":"UBIDI_LTR","features":[394]},{"name":"UBIDI_MAP_NOWHERE","features":[394]},{"name":"UBIDI_MAX_EXPLICIT_LEVEL","features":[394]},{"name":"UBIDI_MIRRORING_OFF","features":[394]},{"name":"UBIDI_MIRRORING_ON","features":[394]},{"name":"UBIDI_MIXED","features":[394]},{"name":"UBIDI_NEUTRAL","features":[394]},{"name":"UBIDI_OPTION_DEFAULT","features":[394]},{"name":"UBIDI_OPTION_INSERT_MARKS","features":[394]},{"name":"UBIDI_OPTION_REMOVE_CONTROLS","features":[394]},{"name":"UBIDI_OPTION_STREAMING","features":[394]},{"name":"UBIDI_OUTPUT_REVERSE","features":[394]},{"name":"UBIDI_REMOVE_BIDI_CONTROLS","features":[394]},{"name":"UBIDI_REORDER_DEFAULT","features":[394]},{"name":"UBIDI_REORDER_GROUP_NUMBERS_WITH_R","features":[394]},{"name":"UBIDI_REORDER_INVERSE_FOR_NUMBERS_SPECIAL","features":[394]},{"name":"UBIDI_REORDER_INVERSE_LIKE_DIRECT","features":[394]},{"name":"UBIDI_REORDER_INVERSE_NUMBERS_AS_L","features":[394]},{"name":"UBIDI_REORDER_NUMBERS_SPECIAL","features":[394]},{"name":"UBIDI_REORDER_RUNS_ONLY","features":[394]},{"name":"UBIDI_RTL","features":[394]},{"name":"UBIDI_VISUAL","features":[394]},{"name":"UBLOCK_ADLAM","features":[394]},{"name":"UBLOCK_AEGEAN_NUMBERS","features":[394]},{"name":"UBLOCK_AHOM","features":[394]},{"name":"UBLOCK_ALCHEMICAL_SYMBOLS","features":[394]},{"name":"UBLOCK_ALPHABETIC_PRESENTATION_FORMS","features":[394]},{"name":"UBLOCK_ANATOLIAN_HIEROGLYPHS","features":[394]},{"name":"UBLOCK_ANCIENT_GREEK_MUSICAL_NOTATION","features":[394]},{"name":"UBLOCK_ANCIENT_GREEK_NUMBERS","features":[394]},{"name":"UBLOCK_ANCIENT_SYMBOLS","features":[394]},{"name":"UBLOCK_ARABIC","features":[394]},{"name":"UBLOCK_ARABIC_EXTENDED_A","features":[394]},{"name":"UBLOCK_ARABIC_MATHEMATICAL_ALPHABETIC_SYMBOLS","features":[394]},{"name":"UBLOCK_ARABIC_PRESENTATION_FORMS_A","features":[394]},{"name":"UBLOCK_ARABIC_PRESENTATION_FORMS_B","features":[394]},{"name":"UBLOCK_ARABIC_SUPPLEMENT","features":[394]},{"name":"UBLOCK_ARMENIAN","features":[394]},{"name":"UBLOCK_ARROWS","features":[394]},{"name":"UBLOCK_AVESTAN","features":[394]},{"name":"UBLOCK_BALINESE","features":[394]},{"name":"UBLOCK_BAMUM","features":[394]},{"name":"UBLOCK_BAMUM_SUPPLEMENT","features":[394]},{"name":"UBLOCK_BASIC_LATIN","features":[394]},{"name":"UBLOCK_BASSA_VAH","features":[394]},{"name":"UBLOCK_BATAK","features":[394]},{"name":"UBLOCK_BENGALI","features":[394]},{"name":"UBLOCK_BHAIKSUKI","features":[394]},{"name":"UBLOCK_BLOCK_ELEMENTS","features":[394]},{"name":"UBLOCK_BOPOMOFO","features":[394]},{"name":"UBLOCK_BOPOMOFO_EXTENDED","features":[394]},{"name":"UBLOCK_BOX_DRAWING","features":[394]},{"name":"UBLOCK_BRAHMI","features":[394]},{"name":"UBLOCK_BRAILLE_PATTERNS","features":[394]},{"name":"UBLOCK_BUGINESE","features":[394]},{"name":"UBLOCK_BUHID","features":[394]},{"name":"UBLOCK_BYZANTINE_MUSICAL_SYMBOLS","features":[394]},{"name":"UBLOCK_CARIAN","features":[394]},{"name":"UBLOCK_CAUCASIAN_ALBANIAN","features":[394]},{"name":"UBLOCK_CHAKMA","features":[394]},{"name":"UBLOCK_CHAM","features":[394]},{"name":"UBLOCK_CHEROKEE","features":[394]},{"name":"UBLOCK_CHEROKEE_SUPPLEMENT","features":[394]},{"name":"UBLOCK_CHESS_SYMBOLS","features":[394]},{"name":"UBLOCK_CHORASMIAN","features":[394]},{"name":"UBLOCK_CJK_COMPATIBILITY","features":[394]},{"name":"UBLOCK_CJK_COMPATIBILITY_FORMS","features":[394]},{"name":"UBLOCK_CJK_COMPATIBILITY_IDEOGRAPHS","features":[394]},{"name":"UBLOCK_CJK_COMPATIBILITY_IDEOGRAPHS_SUPPLEMENT","features":[394]},{"name":"UBLOCK_CJK_RADICALS_SUPPLEMENT","features":[394]},{"name":"UBLOCK_CJK_STROKES","features":[394]},{"name":"UBLOCK_CJK_SYMBOLS_AND_PUNCTUATION","features":[394]},{"name":"UBLOCK_CJK_UNIFIED_IDEOGRAPHS","features":[394]},{"name":"UBLOCK_CJK_UNIFIED_IDEOGRAPHS_EXTENSION_A","features":[394]},{"name":"UBLOCK_CJK_UNIFIED_IDEOGRAPHS_EXTENSION_B","features":[394]},{"name":"UBLOCK_CJK_UNIFIED_IDEOGRAPHS_EXTENSION_C","features":[394]},{"name":"UBLOCK_CJK_UNIFIED_IDEOGRAPHS_EXTENSION_D","features":[394]},{"name":"UBLOCK_CJK_UNIFIED_IDEOGRAPHS_EXTENSION_E","features":[394]},{"name":"UBLOCK_CJK_UNIFIED_IDEOGRAPHS_EXTENSION_F","features":[394]},{"name":"UBLOCK_CJK_UNIFIED_IDEOGRAPHS_EXTENSION_G","features":[394]},{"name":"UBLOCK_COMBINING_DIACRITICAL_MARKS","features":[394]},{"name":"UBLOCK_COMBINING_DIACRITICAL_MARKS_EXTENDED","features":[394]},{"name":"UBLOCK_COMBINING_DIACRITICAL_MARKS_SUPPLEMENT","features":[394]},{"name":"UBLOCK_COMBINING_HALF_MARKS","features":[394]},{"name":"UBLOCK_COMBINING_MARKS_FOR_SYMBOLS","features":[394]},{"name":"UBLOCK_COMMON_INDIC_NUMBER_FORMS","features":[394]},{"name":"UBLOCK_CONTROL_PICTURES","features":[394]},{"name":"UBLOCK_COPTIC","features":[394]},{"name":"UBLOCK_COPTIC_EPACT_NUMBERS","features":[394]},{"name":"UBLOCK_COUNTING_ROD_NUMERALS","features":[394]},{"name":"UBLOCK_CUNEIFORM","features":[394]},{"name":"UBLOCK_CUNEIFORM_NUMBERS_AND_PUNCTUATION","features":[394]},{"name":"UBLOCK_CURRENCY_SYMBOLS","features":[394]},{"name":"UBLOCK_CYPRIOT_SYLLABARY","features":[394]},{"name":"UBLOCK_CYRILLIC","features":[394]},{"name":"UBLOCK_CYRILLIC_EXTENDED_A","features":[394]},{"name":"UBLOCK_CYRILLIC_EXTENDED_B","features":[394]},{"name":"UBLOCK_CYRILLIC_EXTENDED_C","features":[394]},{"name":"UBLOCK_CYRILLIC_SUPPLEMENT","features":[394]},{"name":"UBLOCK_CYRILLIC_SUPPLEMENTARY","features":[394]},{"name":"UBLOCK_DESERET","features":[394]},{"name":"UBLOCK_DEVANAGARI","features":[394]},{"name":"UBLOCK_DEVANAGARI_EXTENDED","features":[394]},{"name":"UBLOCK_DINGBATS","features":[394]},{"name":"UBLOCK_DIVES_AKURU","features":[394]},{"name":"UBLOCK_DOGRA","features":[394]},{"name":"UBLOCK_DOMINO_TILES","features":[394]},{"name":"UBLOCK_DUPLOYAN","features":[394]},{"name":"UBLOCK_EARLY_DYNASTIC_CUNEIFORM","features":[394]},{"name":"UBLOCK_EGYPTIAN_HIEROGLYPHS","features":[394]},{"name":"UBLOCK_EGYPTIAN_HIEROGLYPH_FORMAT_CONTROLS","features":[394]},{"name":"UBLOCK_ELBASAN","features":[394]},{"name":"UBLOCK_ELYMAIC","features":[394]},{"name":"UBLOCK_EMOTICONS","features":[394]},{"name":"UBLOCK_ENCLOSED_ALPHANUMERICS","features":[394]},{"name":"UBLOCK_ENCLOSED_ALPHANUMERIC_SUPPLEMENT","features":[394]},{"name":"UBLOCK_ENCLOSED_CJK_LETTERS_AND_MONTHS","features":[394]},{"name":"UBLOCK_ENCLOSED_IDEOGRAPHIC_SUPPLEMENT","features":[394]},{"name":"UBLOCK_ETHIOPIC","features":[394]},{"name":"UBLOCK_ETHIOPIC_EXTENDED","features":[394]},{"name":"UBLOCK_ETHIOPIC_EXTENDED_A","features":[394]},{"name":"UBLOCK_ETHIOPIC_SUPPLEMENT","features":[394]},{"name":"UBLOCK_GENERAL_PUNCTUATION","features":[394]},{"name":"UBLOCK_GEOMETRIC_SHAPES","features":[394]},{"name":"UBLOCK_GEOMETRIC_SHAPES_EXTENDED","features":[394]},{"name":"UBLOCK_GEORGIAN","features":[394]},{"name":"UBLOCK_GEORGIAN_EXTENDED","features":[394]},{"name":"UBLOCK_GEORGIAN_SUPPLEMENT","features":[394]},{"name":"UBLOCK_GLAGOLITIC","features":[394]},{"name":"UBLOCK_GLAGOLITIC_SUPPLEMENT","features":[394]},{"name":"UBLOCK_GOTHIC","features":[394]},{"name":"UBLOCK_GRANTHA","features":[394]},{"name":"UBLOCK_GREEK","features":[394]},{"name":"UBLOCK_GREEK_EXTENDED","features":[394]},{"name":"UBLOCK_GUJARATI","features":[394]},{"name":"UBLOCK_GUNJALA_GONDI","features":[394]},{"name":"UBLOCK_GURMUKHI","features":[394]},{"name":"UBLOCK_HALFWIDTH_AND_FULLWIDTH_FORMS","features":[394]},{"name":"UBLOCK_HANGUL_COMPATIBILITY_JAMO","features":[394]},{"name":"UBLOCK_HANGUL_JAMO","features":[394]},{"name":"UBLOCK_HANGUL_JAMO_EXTENDED_A","features":[394]},{"name":"UBLOCK_HANGUL_JAMO_EXTENDED_B","features":[394]},{"name":"UBLOCK_HANGUL_SYLLABLES","features":[394]},{"name":"UBLOCK_HANIFI_ROHINGYA","features":[394]},{"name":"UBLOCK_HANUNOO","features":[394]},{"name":"UBLOCK_HATRAN","features":[394]},{"name":"UBLOCK_HEBREW","features":[394]},{"name":"UBLOCK_HIGH_PRIVATE_USE_SURROGATES","features":[394]},{"name":"UBLOCK_HIGH_SURROGATES","features":[394]},{"name":"UBLOCK_HIRAGANA","features":[394]},{"name":"UBLOCK_IDEOGRAPHIC_DESCRIPTION_CHARACTERS","features":[394]},{"name":"UBLOCK_IDEOGRAPHIC_SYMBOLS_AND_PUNCTUATION","features":[394]},{"name":"UBLOCK_IMPERIAL_ARAMAIC","features":[394]},{"name":"UBLOCK_INDIC_SIYAQ_NUMBERS","features":[394]},{"name":"UBLOCK_INSCRIPTIONAL_PAHLAVI","features":[394]},{"name":"UBLOCK_INSCRIPTIONAL_PARTHIAN","features":[394]},{"name":"UBLOCK_INVALID_CODE","features":[394]},{"name":"UBLOCK_IPA_EXTENSIONS","features":[394]},{"name":"UBLOCK_JAVANESE","features":[394]},{"name":"UBLOCK_KAITHI","features":[394]},{"name":"UBLOCK_KANA_EXTENDED_A","features":[394]},{"name":"UBLOCK_KANA_SUPPLEMENT","features":[394]},{"name":"UBLOCK_KANBUN","features":[394]},{"name":"UBLOCK_KANGXI_RADICALS","features":[394]},{"name":"UBLOCK_KANNADA","features":[394]},{"name":"UBLOCK_KATAKANA","features":[394]},{"name":"UBLOCK_KATAKANA_PHONETIC_EXTENSIONS","features":[394]},{"name":"UBLOCK_KAYAH_LI","features":[394]},{"name":"UBLOCK_KHAROSHTHI","features":[394]},{"name":"UBLOCK_KHITAN_SMALL_SCRIPT","features":[394]},{"name":"UBLOCK_KHMER","features":[394]},{"name":"UBLOCK_KHMER_SYMBOLS","features":[394]},{"name":"UBLOCK_KHOJKI","features":[394]},{"name":"UBLOCK_KHUDAWADI","features":[394]},{"name":"UBLOCK_LAO","features":[394]},{"name":"UBLOCK_LATIN_1_SUPPLEMENT","features":[394]},{"name":"UBLOCK_LATIN_EXTENDED_A","features":[394]},{"name":"UBLOCK_LATIN_EXTENDED_ADDITIONAL","features":[394]},{"name":"UBLOCK_LATIN_EXTENDED_B","features":[394]},{"name":"UBLOCK_LATIN_EXTENDED_C","features":[394]},{"name":"UBLOCK_LATIN_EXTENDED_D","features":[394]},{"name":"UBLOCK_LATIN_EXTENDED_E","features":[394]},{"name":"UBLOCK_LEPCHA","features":[394]},{"name":"UBLOCK_LETTERLIKE_SYMBOLS","features":[394]},{"name":"UBLOCK_LIMBU","features":[394]},{"name":"UBLOCK_LINEAR_A","features":[394]},{"name":"UBLOCK_LINEAR_B_IDEOGRAMS","features":[394]},{"name":"UBLOCK_LINEAR_B_SYLLABARY","features":[394]},{"name":"UBLOCK_LISU","features":[394]},{"name":"UBLOCK_LISU_SUPPLEMENT","features":[394]},{"name":"UBLOCK_LOW_SURROGATES","features":[394]},{"name":"UBLOCK_LYCIAN","features":[394]},{"name":"UBLOCK_LYDIAN","features":[394]},{"name":"UBLOCK_MAHAJANI","features":[394]},{"name":"UBLOCK_MAHJONG_TILES","features":[394]},{"name":"UBLOCK_MAKASAR","features":[394]},{"name":"UBLOCK_MALAYALAM","features":[394]},{"name":"UBLOCK_MANDAIC","features":[394]},{"name":"UBLOCK_MANICHAEAN","features":[394]},{"name":"UBLOCK_MARCHEN","features":[394]},{"name":"UBLOCK_MASARAM_GONDI","features":[394]},{"name":"UBLOCK_MATHEMATICAL_ALPHANUMERIC_SYMBOLS","features":[394]},{"name":"UBLOCK_MATHEMATICAL_OPERATORS","features":[394]},{"name":"UBLOCK_MAYAN_NUMERALS","features":[394]},{"name":"UBLOCK_MEDEFAIDRIN","features":[394]},{"name":"UBLOCK_MEETEI_MAYEK","features":[394]},{"name":"UBLOCK_MEETEI_MAYEK_EXTENSIONS","features":[394]},{"name":"UBLOCK_MENDE_KIKAKUI","features":[394]},{"name":"UBLOCK_MEROITIC_CURSIVE","features":[394]},{"name":"UBLOCK_MEROITIC_HIEROGLYPHS","features":[394]},{"name":"UBLOCK_MIAO","features":[394]},{"name":"UBLOCK_MISCELLANEOUS_MATHEMATICAL_SYMBOLS_A","features":[394]},{"name":"UBLOCK_MISCELLANEOUS_MATHEMATICAL_SYMBOLS_B","features":[394]},{"name":"UBLOCK_MISCELLANEOUS_SYMBOLS","features":[394]},{"name":"UBLOCK_MISCELLANEOUS_SYMBOLS_AND_ARROWS","features":[394]},{"name":"UBLOCK_MISCELLANEOUS_SYMBOLS_AND_PICTOGRAPHS","features":[394]},{"name":"UBLOCK_MISCELLANEOUS_TECHNICAL","features":[394]},{"name":"UBLOCK_MODI","features":[394]},{"name":"UBLOCK_MODIFIER_TONE_LETTERS","features":[394]},{"name":"UBLOCK_MONGOLIAN","features":[394]},{"name":"UBLOCK_MONGOLIAN_SUPPLEMENT","features":[394]},{"name":"UBLOCK_MRO","features":[394]},{"name":"UBLOCK_MULTANI","features":[394]},{"name":"UBLOCK_MUSICAL_SYMBOLS","features":[394]},{"name":"UBLOCK_MYANMAR","features":[394]},{"name":"UBLOCK_MYANMAR_EXTENDED_A","features":[394]},{"name":"UBLOCK_MYANMAR_EXTENDED_B","features":[394]},{"name":"UBLOCK_NABATAEAN","features":[394]},{"name":"UBLOCK_NANDINAGARI","features":[394]},{"name":"UBLOCK_NEWA","features":[394]},{"name":"UBLOCK_NEW_TAI_LUE","features":[394]},{"name":"UBLOCK_NKO","features":[394]},{"name":"UBLOCK_NO_BLOCK","features":[394]},{"name":"UBLOCK_NUMBER_FORMS","features":[394]},{"name":"UBLOCK_NUSHU","features":[394]},{"name":"UBLOCK_NYIAKENG_PUACHUE_HMONG","features":[394]},{"name":"UBLOCK_OGHAM","features":[394]},{"name":"UBLOCK_OLD_HUNGARIAN","features":[394]},{"name":"UBLOCK_OLD_ITALIC","features":[394]},{"name":"UBLOCK_OLD_NORTH_ARABIAN","features":[394]},{"name":"UBLOCK_OLD_PERMIC","features":[394]},{"name":"UBLOCK_OLD_PERSIAN","features":[394]},{"name":"UBLOCK_OLD_SOGDIAN","features":[394]},{"name":"UBLOCK_OLD_SOUTH_ARABIAN","features":[394]},{"name":"UBLOCK_OLD_TURKIC","features":[394]},{"name":"UBLOCK_OL_CHIKI","features":[394]},{"name":"UBLOCK_OPTICAL_CHARACTER_RECOGNITION","features":[394]},{"name":"UBLOCK_ORIYA","features":[394]},{"name":"UBLOCK_ORNAMENTAL_DINGBATS","features":[394]},{"name":"UBLOCK_OSAGE","features":[394]},{"name":"UBLOCK_OSMANYA","features":[394]},{"name":"UBLOCK_OTTOMAN_SIYAQ_NUMBERS","features":[394]},{"name":"UBLOCK_PAHAWH_HMONG","features":[394]},{"name":"UBLOCK_PALMYRENE","features":[394]},{"name":"UBLOCK_PAU_CIN_HAU","features":[394]},{"name":"UBLOCK_PHAGS_PA","features":[394]},{"name":"UBLOCK_PHAISTOS_DISC","features":[394]},{"name":"UBLOCK_PHOENICIAN","features":[394]},{"name":"UBLOCK_PHONETIC_EXTENSIONS","features":[394]},{"name":"UBLOCK_PHONETIC_EXTENSIONS_SUPPLEMENT","features":[394]},{"name":"UBLOCK_PLAYING_CARDS","features":[394]},{"name":"UBLOCK_PRIVATE_USE","features":[394]},{"name":"UBLOCK_PRIVATE_USE_AREA","features":[394]},{"name":"UBLOCK_PSALTER_PAHLAVI","features":[394]},{"name":"UBLOCK_REJANG","features":[394]},{"name":"UBLOCK_RUMI_NUMERAL_SYMBOLS","features":[394]},{"name":"UBLOCK_RUNIC","features":[394]},{"name":"UBLOCK_SAMARITAN","features":[394]},{"name":"UBLOCK_SAURASHTRA","features":[394]},{"name":"UBLOCK_SHARADA","features":[394]},{"name":"UBLOCK_SHAVIAN","features":[394]},{"name":"UBLOCK_SHORTHAND_FORMAT_CONTROLS","features":[394]},{"name":"UBLOCK_SIDDHAM","features":[394]},{"name":"UBLOCK_SINHALA","features":[394]},{"name":"UBLOCK_SINHALA_ARCHAIC_NUMBERS","features":[394]},{"name":"UBLOCK_SMALL_FORM_VARIANTS","features":[394]},{"name":"UBLOCK_SMALL_KANA_EXTENSION","features":[394]},{"name":"UBLOCK_SOGDIAN","features":[394]},{"name":"UBLOCK_SORA_SOMPENG","features":[394]},{"name":"UBLOCK_SOYOMBO","features":[394]},{"name":"UBLOCK_SPACING_MODIFIER_LETTERS","features":[394]},{"name":"UBLOCK_SPECIALS","features":[394]},{"name":"UBLOCK_SUNDANESE","features":[394]},{"name":"UBLOCK_SUNDANESE_SUPPLEMENT","features":[394]},{"name":"UBLOCK_SUPERSCRIPTS_AND_SUBSCRIPTS","features":[394]},{"name":"UBLOCK_SUPPLEMENTAL_ARROWS_A","features":[394]},{"name":"UBLOCK_SUPPLEMENTAL_ARROWS_B","features":[394]},{"name":"UBLOCK_SUPPLEMENTAL_ARROWS_C","features":[394]},{"name":"UBLOCK_SUPPLEMENTAL_MATHEMATICAL_OPERATORS","features":[394]},{"name":"UBLOCK_SUPPLEMENTAL_PUNCTUATION","features":[394]},{"name":"UBLOCK_SUPPLEMENTAL_SYMBOLS_AND_PICTOGRAPHS","features":[394]},{"name":"UBLOCK_SUPPLEMENTARY_PRIVATE_USE_AREA_A","features":[394]},{"name":"UBLOCK_SUPPLEMENTARY_PRIVATE_USE_AREA_B","features":[394]},{"name":"UBLOCK_SUTTON_SIGNWRITING","features":[394]},{"name":"UBLOCK_SYLOTI_NAGRI","features":[394]},{"name":"UBLOCK_SYMBOLS_AND_PICTOGRAPHS_EXTENDED_A","features":[394]},{"name":"UBLOCK_SYMBOLS_FOR_LEGACY_COMPUTING","features":[394]},{"name":"UBLOCK_SYRIAC","features":[394]},{"name":"UBLOCK_SYRIAC_SUPPLEMENT","features":[394]},{"name":"UBLOCK_TAGALOG","features":[394]},{"name":"UBLOCK_TAGBANWA","features":[394]},{"name":"UBLOCK_TAGS","features":[394]},{"name":"UBLOCK_TAI_LE","features":[394]},{"name":"UBLOCK_TAI_THAM","features":[394]},{"name":"UBLOCK_TAI_VIET","features":[394]},{"name":"UBLOCK_TAI_XUAN_JING_SYMBOLS","features":[394]},{"name":"UBLOCK_TAKRI","features":[394]},{"name":"UBLOCK_TAMIL","features":[394]},{"name":"UBLOCK_TAMIL_SUPPLEMENT","features":[394]},{"name":"UBLOCK_TANGUT","features":[394]},{"name":"UBLOCK_TANGUT_COMPONENTS","features":[394]},{"name":"UBLOCK_TANGUT_SUPPLEMENT","features":[394]},{"name":"UBLOCK_TELUGU","features":[394]},{"name":"UBLOCK_THAANA","features":[394]},{"name":"UBLOCK_THAI","features":[394]},{"name":"UBLOCK_TIBETAN","features":[394]},{"name":"UBLOCK_TIFINAGH","features":[394]},{"name":"UBLOCK_TIRHUTA","features":[394]},{"name":"UBLOCK_TRANSPORT_AND_MAP_SYMBOLS","features":[394]},{"name":"UBLOCK_UGARITIC","features":[394]},{"name":"UBLOCK_UNIFIED_CANADIAN_ABORIGINAL_SYLLABICS","features":[394]},{"name":"UBLOCK_UNIFIED_CANADIAN_ABORIGINAL_SYLLABICS_EXTENDED","features":[394]},{"name":"UBLOCK_VAI","features":[394]},{"name":"UBLOCK_VARIATION_SELECTORS","features":[394]},{"name":"UBLOCK_VARIATION_SELECTORS_SUPPLEMENT","features":[394]},{"name":"UBLOCK_VEDIC_EXTENSIONS","features":[394]},{"name":"UBLOCK_VERTICAL_FORMS","features":[394]},{"name":"UBLOCK_WANCHO","features":[394]},{"name":"UBLOCK_WARANG_CITI","features":[394]},{"name":"UBLOCK_YEZIDI","features":[394]},{"name":"UBLOCK_YIJING_HEXAGRAM_SYMBOLS","features":[394]},{"name":"UBLOCK_YI_RADICALS","features":[394]},{"name":"UBLOCK_YI_SYLLABLES","features":[394]},{"name":"UBLOCK_ZANABAZAR_SQUARE","features":[394]},{"name":"UBRK_CHARACTER","features":[394]},{"name":"UBRK_LINE","features":[394]},{"name":"UBRK_LINE_HARD","features":[394]},{"name":"UBRK_LINE_HARD_LIMIT","features":[394]},{"name":"UBRK_LINE_SOFT","features":[394]},{"name":"UBRK_LINE_SOFT_LIMIT","features":[394]},{"name":"UBRK_SENTENCE","features":[394]},{"name":"UBRK_SENTENCE_SEP","features":[394]},{"name":"UBRK_SENTENCE_SEP_LIMIT","features":[394]},{"name":"UBRK_SENTENCE_TERM","features":[394]},{"name":"UBRK_SENTENCE_TERM_LIMIT","features":[394]},{"name":"UBRK_WORD","features":[394]},{"name":"UBRK_WORD_IDEO","features":[394]},{"name":"UBRK_WORD_IDEO_LIMIT","features":[394]},{"name":"UBRK_WORD_KANA","features":[394]},{"name":"UBRK_WORD_KANA_LIMIT","features":[394]},{"name":"UBRK_WORD_LETTER","features":[394]},{"name":"UBRK_WORD_LETTER_LIMIT","features":[394]},{"name":"UBRK_WORD_NONE","features":[394]},{"name":"UBRK_WORD_NONE_LIMIT","features":[394]},{"name":"UBRK_WORD_NUMBER","features":[394]},{"name":"UBRK_WORD_NUMBER_LIMIT","features":[394]},{"name":"UBiDi","features":[394]},{"name":"UBiDiClassCallback","features":[394]},{"name":"UBiDiDirection","features":[394]},{"name":"UBiDiMirroring","features":[394]},{"name":"UBiDiOrder","features":[394]},{"name":"UBiDiReorderingMode","features":[394]},{"name":"UBiDiReorderingOption","features":[394]},{"name":"UBiDiTransform","features":[394]},{"name":"UBidiPairedBracketType","features":[394]},{"name":"UBlockCode","features":[394]},{"name":"UBreakIterator","features":[394]},{"name":"UBreakIteratorType","features":[394]},{"name":"UCAL_ACTUAL_MAXIMUM","features":[394]},{"name":"UCAL_ACTUAL_MINIMUM","features":[394]},{"name":"UCAL_AM","features":[394]},{"name":"UCAL_AM_PM","features":[394]},{"name":"UCAL_APRIL","features":[394]},{"name":"UCAL_AUGUST","features":[394]},{"name":"UCAL_DATE","features":[394]},{"name":"UCAL_DAY_OF_MONTH","features":[394]},{"name":"UCAL_DAY_OF_WEEK","features":[394]},{"name":"UCAL_DAY_OF_WEEK_IN_MONTH","features":[394]},{"name":"UCAL_DAY_OF_YEAR","features":[394]},{"name":"UCAL_DECEMBER","features":[394]},{"name":"UCAL_DEFAULT","features":[394]},{"name":"UCAL_DOW_LOCAL","features":[394]},{"name":"UCAL_DST","features":[394]},{"name":"UCAL_DST_OFFSET","features":[394]},{"name":"UCAL_ERA","features":[394]},{"name":"UCAL_EXTENDED_YEAR","features":[394]},{"name":"UCAL_FEBRUARY","features":[394]},{"name":"UCAL_FIELD_COUNT","features":[394]},{"name":"UCAL_FIRST_DAY_OF_WEEK","features":[394]},{"name":"UCAL_FRIDAY","features":[394]},{"name":"UCAL_GREATEST_MINIMUM","features":[394]},{"name":"UCAL_GREGORIAN","features":[394]},{"name":"UCAL_HOUR","features":[394]},{"name":"UCAL_HOUR_OF_DAY","features":[394]},{"name":"UCAL_IS_LEAP_MONTH","features":[394]},{"name":"UCAL_JANUARY","features":[394]},{"name":"UCAL_JULIAN_DAY","features":[394]},{"name":"UCAL_JULY","features":[394]},{"name":"UCAL_JUNE","features":[394]},{"name":"UCAL_LEAST_MAXIMUM","features":[394]},{"name":"UCAL_LENIENT","features":[394]},{"name":"UCAL_MARCH","features":[394]},{"name":"UCAL_MAXIMUM","features":[394]},{"name":"UCAL_MAY","features":[394]},{"name":"UCAL_MILLISECOND","features":[394]},{"name":"UCAL_MILLISECONDS_IN_DAY","features":[394]},{"name":"UCAL_MINIMAL_DAYS_IN_FIRST_WEEK","features":[394]},{"name":"UCAL_MINIMUM","features":[394]},{"name":"UCAL_MINUTE","features":[394]},{"name":"UCAL_MONDAY","features":[394]},{"name":"UCAL_MONTH","features":[394]},{"name":"UCAL_NOVEMBER","features":[394]},{"name":"UCAL_OCTOBER","features":[394]},{"name":"UCAL_PM","features":[394]},{"name":"UCAL_REPEATED_WALL_TIME","features":[394]},{"name":"UCAL_SATURDAY","features":[394]},{"name":"UCAL_SECOND","features":[394]},{"name":"UCAL_SEPTEMBER","features":[394]},{"name":"UCAL_SHORT_DST","features":[394]},{"name":"UCAL_SHORT_STANDARD","features":[394]},{"name":"UCAL_SKIPPED_WALL_TIME","features":[394]},{"name":"UCAL_STANDARD","features":[394]},{"name":"UCAL_SUNDAY","features":[394]},{"name":"UCAL_THURSDAY","features":[394]},{"name":"UCAL_TRADITIONAL","features":[394]},{"name":"UCAL_TUESDAY","features":[394]},{"name":"UCAL_TZ_TRANSITION_NEXT","features":[394]},{"name":"UCAL_TZ_TRANSITION_NEXT_INCLUSIVE","features":[394]},{"name":"UCAL_TZ_TRANSITION_PREVIOUS","features":[394]},{"name":"UCAL_TZ_TRANSITION_PREVIOUS_INCLUSIVE","features":[394]},{"name":"UCAL_UNDECIMBER","features":[394]},{"name":"UCAL_UNKNOWN_ZONE_ID","features":[394]},{"name":"UCAL_WALLTIME_FIRST","features":[394]},{"name":"UCAL_WALLTIME_LAST","features":[394]},{"name":"UCAL_WALLTIME_NEXT_VALID","features":[394]},{"name":"UCAL_WEDNESDAY","features":[394]},{"name":"UCAL_WEEKDAY","features":[394]},{"name":"UCAL_WEEKEND","features":[394]},{"name":"UCAL_WEEKEND_CEASE","features":[394]},{"name":"UCAL_WEEKEND_ONSET","features":[394]},{"name":"UCAL_WEEK_OF_MONTH","features":[394]},{"name":"UCAL_WEEK_OF_YEAR","features":[394]},{"name":"UCAL_YEAR","features":[394]},{"name":"UCAL_YEAR_WOY","features":[394]},{"name":"UCAL_ZONE_OFFSET","features":[394]},{"name":"UCAL_ZONE_TYPE_ANY","features":[394]},{"name":"UCAL_ZONE_TYPE_CANONICAL","features":[394]},{"name":"UCAL_ZONE_TYPE_CANONICAL_LOCATION","features":[394]},{"name":"UCHAR_AGE","features":[394]},{"name":"UCHAR_ALPHABETIC","features":[394]},{"name":"UCHAR_ASCII_HEX_DIGIT","features":[394]},{"name":"UCHAR_BIDI_CLASS","features":[394]},{"name":"UCHAR_BIDI_CONTROL","features":[394]},{"name":"UCHAR_BIDI_MIRRORED","features":[394]},{"name":"UCHAR_BIDI_MIRRORING_GLYPH","features":[394]},{"name":"UCHAR_BIDI_PAIRED_BRACKET","features":[394]},{"name":"UCHAR_BIDI_PAIRED_BRACKET_TYPE","features":[394]},{"name":"UCHAR_BINARY_START","features":[394]},{"name":"UCHAR_BLOCK","features":[394]},{"name":"UCHAR_CANONICAL_COMBINING_CLASS","features":[394]},{"name":"UCHAR_CASED","features":[394]},{"name":"UCHAR_CASE_FOLDING","features":[394]},{"name":"UCHAR_CASE_IGNORABLE","features":[394]},{"name":"UCHAR_CASE_SENSITIVE","features":[394]},{"name":"UCHAR_CHANGES_WHEN_CASEFOLDED","features":[394]},{"name":"UCHAR_CHANGES_WHEN_CASEMAPPED","features":[394]},{"name":"UCHAR_CHANGES_WHEN_LOWERCASED","features":[394]},{"name":"UCHAR_CHANGES_WHEN_NFKC_CASEFOLDED","features":[394]},{"name":"UCHAR_CHANGES_WHEN_TITLECASED","features":[394]},{"name":"UCHAR_CHANGES_WHEN_UPPERCASED","features":[394]},{"name":"UCHAR_DASH","features":[394]},{"name":"UCHAR_DECOMPOSITION_TYPE","features":[394]},{"name":"UCHAR_DEFAULT_IGNORABLE_CODE_POINT","features":[394]},{"name":"UCHAR_DEPRECATED","features":[394]},{"name":"UCHAR_DIACRITIC","features":[394]},{"name":"UCHAR_DOUBLE_START","features":[394]},{"name":"UCHAR_EAST_ASIAN_WIDTH","features":[394]},{"name":"UCHAR_EMOJI","features":[394]},{"name":"UCHAR_EMOJI_COMPONENT","features":[394]},{"name":"UCHAR_EMOJI_MODIFIER","features":[394]},{"name":"UCHAR_EMOJI_MODIFIER_BASE","features":[394]},{"name":"UCHAR_EMOJI_PRESENTATION","features":[394]},{"name":"UCHAR_EXTENDED_PICTOGRAPHIC","features":[394]},{"name":"UCHAR_EXTENDER","features":[394]},{"name":"UCHAR_FULL_COMPOSITION_EXCLUSION","features":[394]},{"name":"UCHAR_GENERAL_CATEGORY","features":[394]},{"name":"UCHAR_GENERAL_CATEGORY_MASK","features":[394]},{"name":"UCHAR_GRAPHEME_BASE","features":[394]},{"name":"UCHAR_GRAPHEME_CLUSTER_BREAK","features":[394]},{"name":"UCHAR_GRAPHEME_EXTEND","features":[394]},{"name":"UCHAR_GRAPHEME_LINK","features":[394]},{"name":"UCHAR_HANGUL_SYLLABLE_TYPE","features":[394]},{"name":"UCHAR_HEX_DIGIT","features":[394]},{"name":"UCHAR_HYPHEN","features":[394]},{"name":"UCHAR_IDEOGRAPHIC","features":[394]},{"name":"UCHAR_IDS_BINARY_OPERATOR","features":[394]},{"name":"UCHAR_IDS_TRINARY_OPERATOR","features":[394]},{"name":"UCHAR_ID_CONTINUE","features":[394]},{"name":"UCHAR_ID_START","features":[394]},{"name":"UCHAR_INDIC_POSITIONAL_CATEGORY","features":[394]},{"name":"UCHAR_INDIC_SYLLABIC_CATEGORY","features":[394]},{"name":"UCHAR_INT_START","features":[394]},{"name":"UCHAR_INVALID_CODE","features":[394]},{"name":"UCHAR_JOINING_GROUP","features":[394]},{"name":"UCHAR_JOINING_TYPE","features":[394]},{"name":"UCHAR_JOIN_CONTROL","features":[394]},{"name":"UCHAR_LEAD_CANONICAL_COMBINING_CLASS","features":[394]},{"name":"UCHAR_LINE_BREAK","features":[394]},{"name":"UCHAR_LOGICAL_ORDER_EXCEPTION","features":[394]},{"name":"UCHAR_LOWERCASE","features":[394]},{"name":"UCHAR_LOWERCASE_MAPPING","features":[394]},{"name":"UCHAR_MASK_START","features":[394]},{"name":"UCHAR_MATH","features":[394]},{"name":"UCHAR_MAX_VALUE","features":[394]},{"name":"UCHAR_MIN_VALUE","features":[394]},{"name":"UCHAR_NAME","features":[394]},{"name":"UCHAR_NFC_INERT","features":[394]},{"name":"UCHAR_NFC_QUICK_CHECK","features":[394]},{"name":"UCHAR_NFD_INERT","features":[394]},{"name":"UCHAR_NFD_QUICK_CHECK","features":[394]},{"name":"UCHAR_NFKC_INERT","features":[394]},{"name":"UCHAR_NFKC_QUICK_CHECK","features":[394]},{"name":"UCHAR_NFKD_INERT","features":[394]},{"name":"UCHAR_NFKD_QUICK_CHECK","features":[394]},{"name":"UCHAR_NONCHARACTER_CODE_POINT","features":[394]},{"name":"UCHAR_NUMERIC_TYPE","features":[394]},{"name":"UCHAR_NUMERIC_VALUE","features":[394]},{"name":"UCHAR_OTHER_PROPERTY_START","features":[394]},{"name":"UCHAR_PATTERN_SYNTAX","features":[394]},{"name":"UCHAR_PATTERN_WHITE_SPACE","features":[394]},{"name":"UCHAR_POSIX_ALNUM","features":[394]},{"name":"UCHAR_POSIX_BLANK","features":[394]},{"name":"UCHAR_POSIX_GRAPH","features":[394]},{"name":"UCHAR_POSIX_PRINT","features":[394]},{"name":"UCHAR_POSIX_XDIGIT","features":[394]},{"name":"UCHAR_PREPENDED_CONCATENATION_MARK","features":[394]},{"name":"UCHAR_QUOTATION_MARK","features":[394]},{"name":"UCHAR_RADICAL","features":[394]},{"name":"UCHAR_REGIONAL_INDICATOR","features":[394]},{"name":"UCHAR_SCRIPT","features":[394]},{"name":"UCHAR_SCRIPT_EXTENSIONS","features":[394]},{"name":"UCHAR_SEGMENT_STARTER","features":[394]},{"name":"UCHAR_SENTENCE_BREAK","features":[394]},{"name":"UCHAR_SIMPLE_CASE_FOLDING","features":[394]},{"name":"UCHAR_SIMPLE_LOWERCASE_MAPPING","features":[394]},{"name":"UCHAR_SIMPLE_TITLECASE_MAPPING","features":[394]},{"name":"UCHAR_SIMPLE_UPPERCASE_MAPPING","features":[394]},{"name":"UCHAR_SOFT_DOTTED","features":[394]},{"name":"UCHAR_STRING_START","features":[394]},{"name":"UCHAR_S_TERM","features":[394]},{"name":"UCHAR_TERMINAL_PUNCTUATION","features":[394]},{"name":"UCHAR_TITLECASE_MAPPING","features":[394]},{"name":"UCHAR_TRAIL_CANONICAL_COMBINING_CLASS","features":[394]},{"name":"UCHAR_UNIFIED_IDEOGRAPH","features":[394]},{"name":"UCHAR_UPPERCASE","features":[394]},{"name":"UCHAR_UPPERCASE_MAPPING","features":[394]},{"name":"UCHAR_VARIATION_SELECTOR","features":[394]},{"name":"UCHAR_VERTICAL_ORIENTATION","features":[394]},{"name":"UCHAR_WHITE_SPACE","features":[394]},{"name":"UCHAR_WORD_BREAK","features":[394]},{"name":"UCHAR_XID_CONTINUE","features":[394]},{"name":"UCHAR_XID_START","features":[394]},{"name":"UCLN_NO_AUTO_CLEANUP","features":[394]},{"name":"UCNV_BOCU1","features":[394]},{"name":"UCNV_CESU8","features":[394]},{"name":"UCNV_CLONE","features":[394]},{"name":"UCNV_CLOSE","features":[394]},{"name":"UCNV_COMPOUND_TEXT","features":[394]},{"name":"UCNV_DBCS","features":[394]},{"name":"UCNV_EBCDIC_STATEFUL","features":[394]},{"name":"UCNV_ESCAPE_C","features":[394]},{"name":"UCNV_ESCAPE_CSS2","features":[394]},{"name":"UCNV_ESCAPE_JAVA","features":[394]},{"name":"UCNV_ESCAPE_UNICODE","features":[394]},{"name":"UCNV_ESCAPE_XML_DEC","features":[394]},{"name":"UCNV_ESCAPE_XML_HEX","features":[394]},{"name":"UCNV_FROM_U_CALLBACK_ESCAPE","features":[394]},{"name":"UCNV_FROM_U_CALLBACK_SKIP","features":[394]},{"name":"UCNV_FROM_U_CALLBACK_STOP","features":[394]},{"name":"UCNV_FROM_U_CALLBACK_SUBSTITUTE","features":[394]},{"name":"UCNV_HZ","features":[394]},{"name":"UCNV_IBM","features":[394]},{"name":"UCNV_ILLEGAL","features":[394]},{"name":"UCNV_IMAP_MAILBOX","features":[394]},{"name":"UCNV_IRREGULAR","features":[394]},{"name":"UCNV_ISCII","features":[394]},{"name":"UCNV_ISO_2022","features":[394]},{"name":"UCNV_LATIN_1","features":[394]},{"name":"UCNV_LMBCS_1","features":[394]},{"name":"UCNV_LMBCS_11","features":[394]},{"name":"UCNV_LMBCS_16","features":[394]},{"name":"UCNV_LMBCS_17","features":[394]},{"name":"UCNV_LMBCS_18","features":[394]},{"name":"UCNV_LMBCS_19","features":[394]},{"name":"UCNV_LMBCS_2","features":[394]},{"name":"UCNV_LMBCS_3","features":[394]},{"name":"UCNV_LMBCS_4","features":[394]},{"name":"UCNV_LMBCS_5","features":[394]},{"name":"UCNV_LMBCS_6","features":[394]},{"name":"UCNV_LMBCS_8","features":[394]},{"name":"UCNV_LMBCS_LAST","features":[394]},{"name":"UCNV_LOCALE_OPTION_STRING","features":[394]},{"name":"UCNV_MAX_CONVERTER_NAME_LENGTH","features":[394]},{"name":"UCNV_MBCS","features":[394]},{"name":"UCNV_NUMBER_OF_SUPPORTED_CONVERTER_TYPES","features":[394]},{"name":"UCNV_OPTION_SEP_STRING","features":[394]},{"name":"UCNV_RESET","features":[394]},{"name":"UCNV_ROUNDTRIP_AND_FALLBACK_SET","features":[394]},{"name":"UCNV_ROUNDTRIP_SET","features":[394]},{"name":"UCNV_SBCS","features":[394]},{"name":"UCNV_SCSU","features":[394]},{"name":"UCNV_SI","features":[394]},{"name":"UCNV_SKIP_STOP_ON_ILLEGAL","features":[394]},{"name":"UCNV_SO","features":[394]},{"name":"UCNV_SUB_STOP_ON_ILLEGAL","features":[394]},{"name":"UCNV_SWAP_LFNL_OPTION_STRING","features":[394]},{"name":"UCNV_TO_U_CALLBACK_ESCAPE","features":[394]},{"name":"UCNV_TO_U_CALLBACK_SKIP","features":[394]},{"name":"UCNV_TO_U_CALLBACK_STOP","features":[394]},{"name":"UCNV_TO_U_CALLBACK_SUBSTITUTE","features":[394]},{"name":"UCNV_UNASSIGNED","features":[394]},{"name":"UCNV_UNKNOWN","features":[394]},{"name":"UCNV_UNSUPPORTED_CONVERTER","features":[394]},{"name":"UCNV_US_ASCII","features":[394]},{"name":"UCNV_UTF16","features":[394]},{"name":"UCNV_UTF16_BigEndian","features":[394]},{"name":"UCNV_UTF16_LittleEndian","features":[394]},{"name":"UCNV_UTF32","features":[394]},{"name":"UCNV_UTF32_BigEndian","features":[394]},{"name":"UCNV_UTF32_LittleEndian","features":[394]},{"name":"UCNV_UTF7","features":[394]},{"name":"UCNV_UTF8","features":[394]},{"name":"UCNV_VALUE_SEP_STRING","features":[394]},{"name":"UCNV_VERSION_OPTION_STRING","features":[394]},{"name":"UCOL_ALTERNATE_HANDLING","features":[394]},{"name":"UCOL_ATTRIBUTE_COUNT","features":[394]},{"name":"UCOL_BOUND_LOWER","features":[394]},{"name":"UCOL_BOUND_UPPER","features":[394]},{"name":"UCOL_BOUND_UPPER_LONG","features":[394]},{"name":"UCOL_CASE_FIRST","features":[394]},{"name":"UCOL_CASE_LEVEL","features":[394]},{"name":"UCOL_CE_STRENGTH_LIMIT","features":[394]},{"name":"UCOL_DECOMPOSITION_MODE","features":[394]},{"name":"UCOL_DEFAULT","features":[394]},{"name":"UCOL_DEFAULT_STRENGTH","features":[394]},{"name":"UCOL_EQUAL","features":[394]},{"name":"UCOL_FRENCH_COLLATION","features":[394]},{"name":"UCOL_FULL_RULES","features":[394]},{"name":"UCOL_GREATER","features":[394]},{"name":"UCOL_IDENTICAL","features":[394]},{"name":"UCOL_LESS","features":[394]},{"name":"UCOL_LOWER_FIRST","features":[394]},{"name":"UCOL_NON_IGNORABLE","features":[394]},{"name":"UCOL_NORMALIZATION_MODE","features":[394]},{"name":"UCOL_NUMERIC_COLLATION","features":[394]},{"name":"UCOL_OFF","features":[394]},{"name":"UCOL_ON","features":[394]},{"name":"UCOL_PRIMARY","features":[394]},{"name":"UCOL_QUATERNARY","features":[394]},{"name":"UCOL_REORDER_CODE_CURRENCY","features":[394]},{"name":"UCOL_REORDER_CODE_DEFAULT","features":[394]},{"name":"UCOL_REORDER_CODE_DIGIT","features":[394]},{"name":"UCOL_REORDER_CODE_FIRST","features":[394]},{"name":"UCOL_REORDER_CODE_NONE","features":[394]},{"name":"UCOL_REORDER_CODE_OTHERS","features":[394]},{"name":"UCOL_REORDER_CODE_PUNCTUATION","features":[394]},{"name":"UCOL_REORDER_CODE_SPACE","features":[394]},{"name":"UCOL_REORDER_CODE_SYMBOL","features":[394]},{"name":"UCOL_SECONDARY","features":[394]},{"name":"UCOL_SHIFTED","features":[394]},{"name":"UCOL_STRENGTH","features":[394]},{"name":"UCOL_STRENGTH_LIMIT","features":[394]},{"name":"UCOL_TAILORING_ONLY","features":[394]},{"name":"UCOL_TERTIARY","features":[394]},{"name":"UCOL_UPPER_FIRST","features":[394]},{"name":"UCONFIG_ENABLE_PLUGINS","features":[394]},{"name":"UCONFIG_FORMAT_FASTPATHS_49","features":[394]},{"name":"UCONFIG_HAVE_PARSEALLINPUT","features":[394]},{"name":"UCONFIG_NO_BREAK_ITERATION","features":[394]},{"name":"UCONFIG_NO_COLLATION","features":[394]},{"name":"UCONFIG_NO_CONVERSION","features":[394]},{"name":"UCONFIG_NO_FILE_IO","features":[394]},{"name":"UCONFIG_NO_FILTERED_BREAK_ITERATION","features":[394]},{"name":"UCONFIG_NO_FORMATTING","features":[394]},{"name":"UCONFIG_NO_IDNA","features":[394]},{"name":"UCONFIG_NO_LEGACY_CONVERSION","features":[394]},{"name":"UCONFIG_NO_NORMALIZATION","features":[394]},{"name":"UCONFIG_NO_REGULAR_EXPRESSIONS","features":[394]},{"name":"UCONFIG_NO_SERVICE","features":[394]},{"name":"UCONFIG_NO_TRANSLITERATION","features":[394]},{"name":"UCONFIG_ONLY_COLLATION","features":[394]},{"name":"UCONFIG_ONLY_HTML_CONVERSION","features":[394]},{"name":"UCPMAP_RANGE_FIXED_ALL_SURROGATES","features":[394]},{"name":"UCPMAP_RANGE_FIXED_LEAD_SURROGATES","features":[394]},{"name":"UCPMAP_RANGE_NORMAL","features":[394]},{"name":"UCPMap","features":[394]},{"name":"UCPMapRangeOption","features":[394]},{"name":"UCPMapValueFilter","features":[394]},{"name":"UCPTRIE_ERROR_VALUE_NEG_DATA_OFFSET","features":[394]},{"name":"UCPTRIE_FAST_DATA_BLOCK_LENGTH","features":[394]},{"name":"UCPTRIE_FAST_DATA_MASK","features":[394]},{"name":"UCPTRIE_FAST_SHIFT","features":[394]},{"name":"UCPTRIE_HIGH_VALUE_NEG_DATA_OFFSET","features":[394]},{"name":"UCPTRIE_SMALL_MAX","features":[394]},{"name":"UCPTRIE_TYPE_ANY","features":[394]},{"name":"UCPTRIE_TYPE_FAST","features":[394]},{"name":"UCPTRIE_TYPE_SMALL","features":[394]},{"name":"UCPTRIE_VALUE_BITS_16","features":[394]},{"name":"UCPTRIE_VALUE_BITS_32","features":[394]},{"name":"UCPTRIE_VALUE_BITS_8","features":[394]},{"name":"UCPTRIE_VALUE_BITS_ANY","features":[394]},{"name":"UCPTrie","features":[394]},{"name":"UCPTrieData","features":[394]},{"name":"UCPTrieType","features":[394]},{"name":"UCPTrieValueWidth","features":[394]},{"name":"UCURR_ALL","features":[394]},{"name":"UCURR_COMMON","features":[394]},{"name":"UCURR_DEPRECATED","features":[394]},{"name":"UCURR_LONG_NAME","features":[394]},{"name":"UCURR_NARROW_SYMBOL_NAME","features":[394]},{"name":"UCURR_NON_DEPRECATED","features":[394]},{"name":"UCURR_SYMBOL_NAME","features":[394]},{"name":"UCURR_UNCOMMON","features":[394]},{"name":"UCURR_USAGE_CASH","features":[394]},{"name":"UCURR_USAGE_STANDARD","features":[394]},{"name":"UCalendarAMPMs","features":[394]},{"name":"UCalendarAttribute","features":[394]},{"name":"UCalendarDateFields","features":[394]},{"name":"UCalendarDaysOfWeek","features":[394]},{"name":"UCalendarDisplayNameType","features":[394]},{"name":"UCalendarLimitType","features":[394]},{"name":"UCalendarMonths","features":[394]},{"name":"UCalendarType","features":[394]},{"name":"UCalendarWallTimeOption","features":[394]},{"name":"UCalendarWeekdayType","features":[394]},{"name":"UCaseMap","features":[394]},{"name":"UCharCategory","features":[394]},{"name":"UCharDirection","features":[394]},{"name":"UCharEnumTypeRange","features":[394]},{"name":"UCharIterator","features":[394]},{"name":"UCharIteratorCurrent","features":[394]},{"name":"UCharIteratorGetIndex","features":[394]},{"name":"UCharIteratorGetState","features":[394]},{"name":"UCharIteratorHasNext","features":[394]},{"name":"UCharIteratorHasPrevious","features":[394]},{"name":"UCharIteratorMove","features":[394]},{"name":"UCharIteratorNext","features":[394]},{"name":"UCharIteratorOrigin","features":[394]},{"name":"UCharIteratorPrevious","features":[394]},{"name":"UCharIteratorReserved","features":[394]},{"name":"UCharIteratorSetState","features":[394]},{"name":"UCharNameChoice","features":[394]},{"name":"UCharsetDetector","features":[394]},{"name":"UCharsetMatch","features":[394]},{"name":"UColAttribute","features":[394]},{"name":"UColAttributeValue","features":[394]},{"name":"UColBoundMode","features":[394]},{"name":"UColReorderCode","features":[394]},{"name":"UColRuleOption","features":[394]},{"name":"UCollationElements","features":[394]},{"name":"UCollationResult","features":[394]},{"name":"UCollator","features":[394]},{"name":"UConstrainedFieldPosition","features":[394]},{"name":"UConverter","features":[394]},{"name":"UConverterCallbackReason","features":[394]},{"name":"UConverterFromUCallback","features":[394]},{"name":"UConverterFromUnicodeArgs","features":[394]},{"name":"UConverterPlatform","features":[394]},{"name":"UConverterSelector","features":[394]},{"name":"UConverterToUCallback","features":[394]},{"name":"UConverterToUnicodeArgs","features":[394]},{"name":"UConverterType","features":[394]},{"name":"UConverterUnicodeSet","features":[394]},{"name":"UCurrCurrencyType","features":[394]},{"name":"UCurrNameStyle","features":[394]},{"name":"UCurrencySpacing","features":[394]},{"name":"UCurrencyUsage","features":[394]},{"name":"UDATPG_ABBREVIATED","features":[394]},{"name":"UDATPG_BASE_CONFLICT","features":[394]},{"name":"UDATPG_CONFLICT","features":[394]},{"name":"UDATPG_DAYPERIOD_FIELD","features":[394]},{"name":"UDATPG_DAY_FIELD","features":[394]},{"name":"UDATPG_DAY_OF_WEEK_IN_MONTH_FIELD","features":[394]},{"name":"UDATPG_DAY_OF_YEAR_FIELD","features":[394]},{"name":"UDATPG_ERA_FIELD","features":[394]},{"name":"UDATPG_FIELD_COUNT","features":[394]},{"name":"UDATPG_FRACTIONAL_SECOND_FIELD","features":[394]},{"name":"UDATPG_HOUR_FIELD","features":[394]},{"name":"UDATPG_MATCH_ALL_FIELDS_LENGTH","features":[394]},{"name":"UDATPG_MATCH_HOUR_FIELD_LENGTH","features":[394]},{"name":"UDATPG_MATCH_NO_OPTIONS","features":[394]},{"name":"UDATPG_MINUTE_FIELD","features":[394]},{"name":"UDATPG_MONTH_FIELD","features":[394]},{"name":"UDATPG_NARROW","features":[394]},{"name":"UDATPG_NO_CONFLICT","features":[394]},{"name":"UDATPG_QUARTER_FIELD","features":[394]},{"name":"UDATPG_SECOND_FIELD","features":[394]},{"name":"UDATPG_WEEKDAY_FIELD","features":[394]},{"name":"UDATPG_WEEK_OF_MONTH_FIELD","features":[394]},{"name":"UDATPG_WEEK_OF_YEAR_FIELD","features":[394]},{"name":"UDATPG_WIDE","features":[394]},{"name":"UDATPG_YEAR_FIELD","features":[394]},{"name":"UDATPG_ZONE_FIELD","features":[394]},{"name":"UDAT_ABBR_GENERIC_TZ","features":[394]},{"name":"UDAT_ABBR_MONTH","features":[394]},{"name":"UDAT_ABBR_MONTH_DAY","features":[394]},{"name":"UDAT_ABBR_MONTH_WEEKDAY_DAY","features":[394]},{"name":"UDAT_ABBR_QUARTER","features":[394]},{"name":"UDAT_ABBR_SPECIFIC_TZ","features":[394]},{"name":"UDAT_ABBR_UTC_TZ","features":[394]},{"name":"UDAT_ABBR_WEEKDAY","features":[394]},{"name":"UDAT_ABSOLUTE_DAY","features":[394]},{"name":"UDAT_ABSOLUTE_FRIDAY","features":[394]},{"name":"UDAT_ABSOLUTE_MONDAY","features":[394]},{"name":"UDAT_ABSOLUTE_MONTH","features":[394]},{"name":"UDAT_ABSOLUTE_NOW","features":[394]},{"name":"UDAT_ABSOLUTE_SATURDAY","features":[394]},{"name":"UDAT_ABSOLUTE_SUNDAY","features":[394]},{"name":"UDAT_ABSOLUTE_THURSDAY","features":[394]},{"name":"UDAT_ABSOLUTE_TUESDAY","features":[394]},{"name":"UDAT_ABSOLUTE_UNIT_COUNT","features":[394]},{"name":"UDAT_ABSOLUTE_WEDNESDAY","features":[394]},{"name":"UDAT_ABSOLUTE_WEEK","features":[394]},{"name":"UDAT_ABSOLUTE_YEAR","features":[394]},{"name":"UDAT_AM_PMS","features":[394]},{"name":"UDAT_AM_PM_FIELD","features":[394]},{"name":"UDAT_AM_PM_MIDNIGHT_NOON_FIELD","features":[394]},{"name":"UDAT_BOOLEAN_ATTRIBUTE_COUNT","features":[394]},{"name":"UDAT_CYCLIC_YEARS_ABBREVIATED","features":[394]},{"name":"UDAT_CYCLIC_YEARS_NARROW","features":[394]},{"name":"UDAT_CYCLIC_YEARS_WIDE","features":[394]},{"name":"UDAT_DATE_FIELD","features":[394]},{"name":"UDAT_DAY","features":[394]},{"name":"UDAT_DAY_OF_WEEK_FIELD","features":[394]},{"name":"UDAT_DAY_OF_WEEK_IN_MONTH_FIELD","features":[394]},{"name":"UDAT_DAY_OF_YEAR_FIELD","features":[394]},{"name":"UDAT_DEFAULT","features":[394]},{"name":"UDAT_DIRECTION_COUNT","features":[394]},{"name":"UDAT_DIRECTION_LAST","features":[394]},{"name":"UDAT_DIRECTION_LAST_2","features":[394]},{"name":"UDAT_DIRECTION_NEXT","features":[394]},{"name":"UDAT_DIRECTION_NEXT_2","features":[394]},{"name":"UDAT_DIRECTION_PLAIN","features":[394]},{"name":"UDAT_DIRECTION_THIS","features":[394]},{"name":"UDAT_DOW_LOCAL_FIELD","features":[394]},{"name":"UDAT_ERAS","features":[394]},{"name":"UDAT_ERA_FIELD","features":[394]},{"name":"UDAT_ERA_NAMES","features":[394]},{"name":"UDAT_EXTENDED_YEAR_FIELD","features":[394]},{"name":"UDAT_FLEXIBLE_DAY_PERIOD_FIELD","features":[394]},{"name":"UDAT_FRACTIONAL_SECOND_FIELD","features":[394]},{"name":"UDAT_FULL","features":[394]},{"name":"UDAT_FULL_RELATIVE","features":[394]},{"name":"UDAT_GENERIC_TZ","features":[394]},{"name":"UDAT_HOUR","features":[394]},{"name":"UDAT_HOUR0_FIELD","features":[394]},{"name":"UDAT_HOUR1_FIELD","features":[394]},{"name":"UDAT_HOUR24","features":[394]},{"name":"UDAT_HOUR24_MINUTE","features":[394]},{"name":"UDAT_HOUR24_MINUTE_SECOND","features":[394]},{"name":"UDAT_HOUR_MINUTE","features":[394]},{"name":"UDAT_HOUR_MINUTE_SECOND","features":[394]},{"name":"UDAT_HOUR_OF_DAY0_FIELD","features":[394]},{"name":"UDAT_HOUR_OF_DAY1_FIELD","features":[394]},{"name":"UDAT_JULIAN_DAY_FIELD","features":[394]},{"name":"UDAT_LOCALIZED_CHARS","features":[394]},{"name":"UDAT_LOCATION_TZ","features":[394]},{"name":"UDAT_LONG","features":[394]},{"name":"UDAT_LONG_RELATIVE","features":[394]},{"name":"UDAT_MEDIUM","features":[394]},{"name":"UDAT_MEDIUM_RELATIVE","features":[394]},{"name":"UDAT_MILLISECONDS_IN_DAY_FIELD","features":[394]},{"name":"UDAT_MINUTE","features":[394]},{"name":"UDAT_MINUTE_FIELD","features":[394]},{"name":"UDAT_MINUTE_SECOND","features":[394]},{"name":"UDAT_MONTH","features":[394]},{"name":"UDAT_MONTHS","features":[394]},{"name":"UDAT_MONTH_DAY","features":[394]},{"name":"UDAT_MONTH_FIELD","features":[394]},{"name":"UDAT_MONTH_WEEKDAY_DAY","features":[394]},{"name":"UDAT_NARROW_MONTHS","features":[394]},{"name":"UDAT_NARROW_WEEKDAYS","features":[394]},{"name":"UDAT_NONE","features":[394]},{"name":"UDAT_NUM_MONTH","features":[394]},{"name":"UDAT_NUM_MONTH_DAY","features":[394]},{"name":"UDAT_NUM_MONTH_WEEKDAY_DAY","features":[394]},{"name":"UDAT_PARSE_ALLOW_NUMERIC","features":[394]},{"name":"UDAT_PARSE_ALLOW_WHITESPACE","features":[394]},{"name":"UDAT_PARSE_MULTIPLE_PATTERNS_FOR_MATCH","features":[394]},{"name":"UDAT_PARSE_PARTIAL_LITERAL_MATCH","features":[394]},{"name":"UDAT_PATTERN","features":[394]},{"name":"UDAT_QUARTER","features":[394]},{"name":"UDAT_QUARTERS","features":[394]},{"name":"UDAT_QUARTER_FIELD","features":[394]},{"name":"UDAT_RELATIVE","features":[394]},{"name":"UDAT_RELATIVE_DAYS","features":[394]},{"name":"UDAT_RELATIVE_HOURS","features":[394]},{"name":"UDAT_RELATIVE_MINUTES","features":[394]},{"name":"UDAT_RELATIVE_MONTHS","features":[394]},{"name":"UDAT_RELATIVE_SECONDS","features":[394]},{"name":"UDAT_RELATIVE_UNIT_COUNT","features":[394]},{"name":"UDAT_RELATIVE_WEEKS","features":[394]},{"name":"UDAT_RELATIVE_YEARS","features":[394]},{"name":"UDAT_REL_LITERAL_FIELD","features":[394]},{"name":"UDAT_REL_NUMERIC_FIELD","features":[394]},{"name":"UDAT_REL_UNIT_DAY","features":[394]},{"name":"UDAT_REL_UNIT_FRIDAY","features":[394]},{"name":"UDAT_REL_UNIT_HOUR","features":[394]},{"name":"UDAT_REL_UNIT_MINUTE","features":[394]},{"name":"UDAT_REL_UNIT_MONDAY","features":[394]},{"name":"UDAT_REL_UNIT_MONTH","features":[394]},{"name":"UDAT_REL_UNIT_QUARTER","features":[394]},{"name":"UDAT_REL_UNIT_SATURDAY","features":[394]},{"name":"UDAT_REL_UNIT_SECOND","features":[394]},{"name":"UDAT_REL_UNIT_SUNDAY","features":[394]},{"name":"UDAT_REL_UNIT_THURSDAY","features":[394]},{"name":"UDAT_REL_UNIT_TUESDAY","features":[394]},{"name":"UDAT_REL_UNIT_WEDNESDAY","features":[394]},{"name":"UDAT_REL_UNIT_WEEK","features":[394]},{"name":"UDAT_REL_UNIT_YEAR","features":[394]},{"name":"UDAT_SECOND","features":[394]},{"name":"UDAT_SECOND_FIELD","features":[394]},{"name":"UDAT_SHORT","features":[394]},{"name":"UDAT_SHORTER_WEEKDAYS","features":[394]},{"name":"UDAT_SHORT_MONTHS","features":[394]},{"name":"UDAT_SHORT_QUARTERS","features":[394]},{"name":"UDAT_SHORT_RELATIVE","features":[394]},{"name":"UDAT_SHORT_WEEKDAYS","features":[394]},{"name":"UDAT_SPECIFIC_TZ","features":[394]},{"name":"UDAT_STANDALONE_DAY_FIELD","features":[394]},{"name":"UDAT_STANDALONE_MONTHS","features":[394]},{"name":"UDAT_STANDALONE_MONTH_FIELD","features":[394]},{"name":"UDAT_STANDALONE_NARROW_MONTHS","features":[394]},{"name":"UDAT_STANDALONE_NARROW_WEEKDAYS","features":[394]},{"name":"UDAT_STANDALONE_QUARTERS","features":[394]},{"name":"UDAT_STANDALONE_QUARTER_FIELD","features":[394]},{"name":"UDAT_STANDALONE_SHORTER_WEEKDAYS","features":[394]},{"name":"UDAT_STANDALONE_SHORT_MONTHS","features":[394]},{"name":"UDAT_STANDALONE_SHORT_QUARTERS","features":[394]},{"name":"UDAT_STANDALONE_SHORT_WEEKDAYS","features":[394]},{"name":"UDAT_STANDALONE_WEEKDAYS","features":[394]},{"name":"UDAT_STYLE_LONG","features":[394]},{"name":"UDAT_STYLE_NARROW","features":[394]},{"name":"UDAT_STYLE_SHORT","features":[394]},{"name":"UDAT_TIMEZONE_FIELD","features":[394]},{"name":"UDAT_TIMEZONE_GENERIC_FIELD","features":[394]},{"name":"UDAT_TIMEZONE_ISO_FIELD","features":[394]},{"name":"UDAT_TIMEZONE_ISO_LOCAL_FIELD","features":[394]},{"name":"UDAT_TIMEZONE_LOCALIZED_GMT_OFFSET_FIELD","features":[394]},{"name":"UDAT_TIMEZONE_RFC_FIELD","features":[394]},{"name":"UDAT_TIMEZONE_SPECIAL_FIELD","features":[394]},{"name":"UDAT_WEEKDAY","features":[394]},{"name":"UDAT_WEEKDAYS","features":[394]},{"name":"UDAT_WEEK_OF_MONTH_FIELD","features":[394]},{"name":"UDAT_WEEK_OF_YEAR_FIELD","features":[394]},{"name":"UDAT_YEAR","features":[394]},{"name":"UDAT_YEAR_ABBR_MONTH","features":[394]},{"name":"UDAT_YEAR_ABBR_MONTH_DAY","features":[394]},{"name":"UDAT_YEAR_ABBR_MONTH_WEEKDAY_DAY","features":[394]},{"name":"UDAT_YEAR_ABBR_QUARTER","features":[394]},{"name":"UDAT_YEAR_FIELD","features":[394]},{"name":"UDAT_YEAR_MONTH","features":[394]},{"name":"UDAT_YEAR_MONTH_DAY","features":[394]},{"name":"UDAT_YEAR_MONTH_WEEKDAY_DAY","features":[394]},{"name":"UDAT_YEAR_NAME_FIELD","features":[394]},{"name":"UDAT_YEAR_NUM_MONTH","features":[394]},{"name":"UDAT_YEAR_NUM_MONTH_DAY","features":[394]},{"name":"UDAT_YEAR_NUM_MONTH_WEEKDAY_DAY","features":[394]},{"name":"UDAT_YEAR_QUARTER","features":[394]},{"name":"UDAT_YEAR_WOY_FIELD","features":[394]},{"name":"UDAT_ZODIAC_NAMES_ABBREVIATED","features":[394]},{"name":"UDAT_ZODIAC_NAMES_NARROW","features":[394]},{"name":"UDAT_ZODIAC_NAMES_WIDE","features":[394]},{"name":"UDISPCTX_CAPITALIZATION_FOR_BEGINNING_OF_SENTENCE","features":[394]},{"name":"UDISPCTX_CAPITALIZATION_FOR_MIDDLE_OF_SENTENCE","features":[394]},{"name":"UDISPCTX_CAPITALIZATION_FOR_STANDALONE","features":[394]},{"name":"UDISPCTX_CAPITALIZATION_FOR_UI_LIST_OR_MENU","features":[394]},{"name":"UDISPCTX_CAPITALIZATION_NONE","features":[394]},{"name":"UDISPCTX_DIALECT_NAMES","features":[394]},{"name":"UDISPCTX_LENGTH_FULL","features":[394]},{"name":"UDISPCTX_LENGTH_SHORT","features":[394]},{"name":"UDISPCTX_NO_SUBSTITUTE","features":[394]},{"name":"UDISPCTX_STANDARD_NAMES","features":[394]},{"name":"UDISPCTX_SUBSTITUTE","features":[394]},{"name":"UDISPCTX_TYPE_CAPITALIZATION","features":[394]},{"name":"UDISPCTX_TYPE_DIALECT_HANDLING","features":[394]},{"name":"UDISPCTX_TYPE_DISPLAY_LENGTH","features":[394]},{"name":"UDISPCTX_TYPE_SUBSTITUTE_HANDLING","features":[394]},{"name":"UDTS_DB2_TIME","features":[394]},{"name":"UDTS_DOTNET_DATE_TIME","features":[394]},{"name":"UDTS_EXCEL_TIME","features":[394]},{"name":"UDTS_ICU4C_TIME","features":[394]},{"name":"UDTS_JAVA_TIME","features":[394]},{"name":"UDTS_MAC_OLD_TIME","features":[394]},{"name":"UDTS_MAC_TIME","features":[394]},{"name":"UDTS_UNIX_MICROSECONDS_TIME","features":[394]},{"name":"UDTS_UNIX_TIME","features":[394]},{"name":"UDTS_WINDOWS_FILE_TIME","features":[394]},{"name":"UDateAbsoluteUnit","features":[394]},{"name":"UDateDirection","features":[394]},{"name":"UDateFormatBooleanAttribute","features":[394]},{"name":"UDateFormatField","features":[394]},{"name":"UDateFormatStyle","features":[394]},{"name":"UDateFormatSymbolType","features":[394]},{"name":"UDateFormatSymbols","features":[394]},{"name":"UDateIntervalFormat","features":[394]},{"name":"UDateRelativeDateTimeFormatterStyle","features":[394]},{"name":"UDateRelativeUnit","features":[394]},{"name":"UDateTimePGDisplayWidth","features":[394]},{"name":"UDateTimePatternConflict","features":[394]},{"name":"UDateTimePatternField","features":[394]},{"name":"UDateTimePatternMatchOptions","features":[394]},{"name":"UDateTimeScale","features":[394]},{"name":"UDecompositionType","features":[394]},{"name":"UDialectHandling","features":[394]},{"name":"UDisplayContext","features":[394]},{"name":"UDisplayContextType","features":[394]},{"name":"UEastAsianWidth","features":[394]},{"name":"UEnumCharNamesFn","features":[394]},{"name":"UEnumeration","features":[394]},{"name":"UErrorCode","features":[394]},{"name":"UFIELD_CATEGORY_DATE","features":[394]},{"name":"UFIELD_CATEGORY_DATE_INTERVAL","features":[394]},{"name":"UFIELD_CATEGORY_DATE_INTERVAL_SPAN","features":[394]},{"name":"UFIELD_CATEGORY_LIST","features":[394]},{"name":"UFIELD_CATEGORY_LIST_SPAN","features":[394]},{"name":"UFIELD_CATEGORY_NUMBER","features":[394]},{"name":"UFIELD_CATEGORY_RELATIVE_DATETIME","features":[394]},{"name":"UFIELD_CATEGORY_UNDEFINED","features":[394]},{"name":"UFMT_ARRAY","features":[394]},{"name":"UFMT_DATE","features":[394]},{"name":"UFMT_DOUBLE","features":[394]},{"name":"UFMT_INT64","features":[394]},{"name":"UFMT_LONG","features":[394]},{"name":"UFMT_OBJECT","features":[394]},{"name":"UFMT_STRING","features":[394]},{"name":"UFieldCategory","features":[394]},{"name":"UFieldPosition","features":[394]},{"name":"UFieldPositionIterator","features":[394]},{"name":"UFormattableType","features":[394]},{"name":"UFormattedDateInterval","features":[394]},{"name":"UFormattedList","features":[394]},{"name":"UFormattedNumber","features":[394]},{"name":"UFormattedNumberRange","features":[394]},{"name":"UFormattedRelativeDateTime","features":[394]},{"name":"UFormattedValue","features":[394]},{"name":"UGENDER_FEMALE","features":[394]},{"name":"UGENDER_MALE","features":[394]},{"name":"UGENDER_OTHER","features":[394]},{"name":"UGender","features":[394]},{"name":"UGenderInfo","features":[394]},{"name":"UGraphemeClusterBreak","features":[394]},{"name":"UHangulSyllableType","features":[394]},{"name":"UHashtable","features":[394]},{"name":"UIDNA","features":[394]},{"name":"UIDNAInfo","features":[394]},{"name":"UIDNA_CHECK_BIDI","features":[394]},{"name":"UIDNA_CHECK_CONTEXTJ","features":[394]},{"name":"UIDNA_CHECK_CONTEXTO","features":[394]},{"name":"UIDNA_DEFAULT","features":[394]},{"name":"UIDNA_ERROR_BIDI","features":[394]},{"name":"UIDNA_ERROR_CONTEXTJ","features":[394]},{"name":"UIDNA_ERROR_CONTEXTO_DIGITS","features":[394]},{"name":"UIDNA_ERROR_CONTEXTO_PUNCTUATION","features":[394]},{"name":"UIDNA_ERROR_DISALLOWED","features":[394]},{"name":"UIDNA_ERROR_DOMAIN_NAME_TOO_LONG","features":[394]},{"name":"UIDNA_ERROR_EMPTY_LABEL","features":[394]},{"name":"UIDNA_ERROR_HYPHEN_3_4","features":[394]},{"name":"UIDNA_ERROR_INVALID_ACE_LABEL","features":[394]},{"name":"UIDNA_ERROR_LABEL_HAS_DOT","features":[394]},{"name":"UIDNA_ERROR_LABEL_TOO_LONG","features":[394]},{"name":"UIDNA_ERROR_LEADING_COMBINING_MARK","features":[394]},{"name":"UIDNA_ERROR_LEADING_HYPHEN","features":[394]},{"name":"UIDNA_ERROR_PUNYCODE","features":[394]},{"name":"UIDNA_ERROR_TRAILING_HYPHEN","features":[394]},{"name":"UIDNA_NONTRANSITIONAL_TO_ASCII","features":[394]},{"name":"UIDNA_NONTRANSITIONAL_TO_UNICODE","features":[394]},{"name":"UIDNA_USE_STD3_RULES","features":[394]},{"name":"UILANGUAGE_ENUMPROCA","features":[308,394]},{"name":"UILANGUAGE_ENUMPROCW","features":[308,394]},{"name":"UITER_CURRENT","features":[394]},{"name":"UITER_LENGTH","features":[394]},{"name":"UITER_LIMIT","features":[394]},{"name":"UITER_START","features":[394]},{"name":"UITER_UNKNOWN_INDEX","features":[394]},{"name":"UITER_ZERO","features":[394]},{"name":"UIndicPositionalCategory","features":[394]},{"name":"UIndicSyllabicCategory","features":[394]},{"name":"UJoiningGroup","features":[394]},{"name":"UJoiningType","features":[394]},{"name":"ULDN_DIALECT_NAMES","features":[394]},{"name":"ULDN_STANDARD_NAMES","features":[394]},{"name":"ULISTFMT_ELEMENT_FIELD","features":[394]},{"name":"ULISTFMT_LITERAL_FIELD","features":[394]},{"name":"ULISTFMT_TYPE_AND","features":[394]},{"name":"ULISTFMT_TYPE_OR","features":[394]},{"name":"ULISTFMT_TYPE_UNITS","features":[394]},{"name":"ULISTFMT_WIDTH_NARROW","features":[394]},{"name":"ULISTFMT_WIDTH_SHORT","features":[394]},{"name":"ULISTFMT_WIDTH_WIDE","features":[394]},{"name":"ULOCDATA_ALT_QUOTATION_END","features":[394]},{"name":"ULOCDATA_ALT_QUOTATION_START","features":[394]},{"name":"ULOCDATA_ES_AUXILIARY","features":[394]},{"name":"ULOCDATA_ES_INDEX","features":[394]},{"name":"ULOCDATA_ES_PUNCTUATION","features":[394]},{"name":"ULOCDATA_ES_STANDARD","features":[394]},{"name":"ULOCDATA_QUOTATION_END","features":[394]},{"name":"ULOCDATA_QUOTATION_START","features":[394]},{"name":"ULOC_ACCEPT_FAILED","features":[394]},{"name":"ULOC_ACCEPT_FALLBACK","features":[394]},{"name":"ULOC_ACCEPT_VALID","features":[394]},{"name":"ULOC_ACTUAL_LOCALE","features":[394]},{"name":"ULOC_AVAILABLE_DEFAULT","features":[394]},{"name":"ULOC_AVAILABLE_ONLY_LEGACY_ALIASES","features":[394]},{"name":"ULOC_AVAILABLE_WITH_LEGACY_ALIASES","features":[394]},{"name":"ULOC_CANADA","features":[394]},{"name":"ULOC_CANADA_FRENCH","features":[394]},{"name":"ULOC_CHINA","features":[394]},{"name":"ULOC_CHINESE","features":[394]},{"name":"ULOC_COUNTRY_CAPACITY","features":[394]},{"name":"ULOC_ENGLISH","features":[394]},{"name":"ULOC_FRANCE","features":[394]},{"name":"ULOC_FRENCH","features":[394]},{"name":"ULOC_FULLNAME_CAPACITY","features":[394]},{"name":"ULOC_GERMAN","features":[394]},{"name":"ULOC_GERMANY","features":[394]},{"name":"ULOC_ITALIAN","features":[394]},{"name":"ULOC_ITALY","features":[394]},{"name":"ULOC_JAPAN","features":[394]},{"name":"ULOC_JAPANESE","features":[394]},{"name":"ULOC_KEYWORDS_CAPACITY","features":[394]},{"name":"ULOC_KEYWORD_AND_VALUES_CAPACITY","features":[394]},{"name":"ULOC_KEYWORD_ASSIGN_UNICODE","features":[394]},{"name":"ULOC_KEYWORD_ITEM_SEPARATOR_UNICODE","features":[394]},{"name":"ULOC_KEYWORD_SEPARATOR_UNICODE","features":[394]},{"name":"ULOC_KOREA","features":[394]},{"name":"ULOC_KOREAN","features":[394]},{"name":"ULOC_LANG_CAPACITY","features":[394]},{"name":"ULOC_LAYOUT_BTT","features":[394]},{"name":"ULOC_LAYOUT_LTR","features":[394]},{"name":"ULOC_LAYOUT_RTL","features":[394]},{"name":"ULOC_LAYOUT_TTB","features":[394]},{"name":"ULOC_LAYOUT_UNKNOWN","features":[394]},{"name":"ULOC_PRC","features":[394]},{"name":"ULOC_SCRIPT_CAPACITY","features":[394]},{"name":"ULOC_SIMPLIFIED_CHINESE","features":[394]},{"name":"ULOC_TAIWAN","features":[394]},{"name":"ULOC_TRADITIONAL_CHINESE","features":[394]},{"name":"ULOC_UK","features":[394]},{"name":"ULOC_US","features":[394]},{"name":"ULOC_VALID_LOCALE","features":[394]},{"name":"ULayoutType","features":[394]},{"name":"ULineBreak","features":[394]},{"name":"ULineBreakTag","features":[394]},{"name":"UListFormatter","features":[394]},{"name":"UListFormatterField","features":[394]},{"name":"UListFormatterType","features":[394]},{"name":"UListFormatterWidth","features":[394]},{"name":"ULocAvailableType","features":[394]},{"name":"ULocDataLocaleType","features":[394]},{"name":"ULocaleData","features":[394]},{"name":"ULocaleDataDelimiterType","features":[394]},{"name":"ULocaleDataExemplarSetType","features":[394]},{"name":"ULocaleDisplayNames","features":[394]},{"name":"UMEASFMT_WIDTH_COUNT","features":[394]},{"name":"UMEASFMT_WIDTH_NARROW","features":[394]},{"name":"UMEASFMT_WIDTH_NUMERIC","features":[394]},{"name":"UMEASFMT_WIDTH_SHORT","features":[394]},{"name":"UMEASFMT_WIDTH_WIDE","features":[394]},{"name":"UMSGPAT_APOS_DOUBLE_OPTIONAL","features":[394]},{"name":"UMSGPAT_APOS_DOUBLE_REQUIRED","features":[394]},{"name":"UMSGPAT_ARG_NAME_NOT_NUMBER","features":[394]},{"name":"UMSGPAT_ARG_NAME_NOT_VALID","features":[394]},{"name":"UMSGPAT_ARG_TYPE_CHOICE","features":[394]},{"name":"UMSGPAT_ARG_TYPE_NONE","features":[394]},{"name":"UMSGPAT_ARG_TYPE_PLURAL","features":[394]},{"name":"UMSGPAT_ARG_TYPE_SELECT","features":[394]},{"name":"UMSGPAT_ARG_TYPE_SELECTORDINAL","features":[394]},{"name":"UMSGPAT_ARG_TYPE_SIMPLE","features":[394]},{"name":"UMSGPAT_PART_TYPE_ARG_DOUBLE","features":[394]},{"name":"UMSGPAT_PART_TYPE_ARG_INT","features":[394]},{"name":"UMSGPAT_PART_TYPE_ARG_LIMIT","features":[394]},{"name":"UMSGPAT_PART_TYPE_ARG_NAME","features":[394]},{"name":"UMSGPAT_PART_TYPE_ARG_NUMBER","features":[394]},{"name":"UMSGPAT_PART_TYPE_ARG_SELECTOR","features":[394]},{"name":"UMSGPAT_PART_TYPE_ARG_START","features":[394]},{"name":"UMSGPAT_PART_TYPE_ARG_STYLE","features":[394]},{"name":"UMSGPAT_PART_TYPE_ARG_TYPE","features":[394]},{"name":"UMSGPAT_PART_TYPE_INSERT_CHAR","features":[394]},{"name":"UMSGPAT_PART_TYPE_MSG_LIMIT","features":[394]},{"name":"UMSGPAT_PART_TYPE_MSG_START","features":[394]},{"name":"UMSGPAT_PART_TYPE_REPLACE_NUMBER","features":[394]},{"name":"UMSGPAT_PART_TYPE_SKIP_SYNTAX","features":[394]},{"name":"UMS_SI","features":[394]},{"name":"UMS_UK","features":[394]},{"name":"UMS_US","features":[394]},{"name":"UMeasureFormatWidth","features":[394]},{"name":"UMeasurementSystem","features":[394]},{"name":"UMemAllocFn","features":[394]},{"name":"UMemFreeFn","features":[394]},{"name":"UMemReallocFn","features":[394]},{"name":"UMessagePatternApostropheMode","features":[394]},{"name":"UMessagePatternArgType","features":[394]},{"name":"UMessagePatternPartType","features":[394]},{"name":"UMutableCPTrie","features":[394]},{"name":"UNESCAPE_CHAR_AT","features":[394]},{"name":"UNICODERANGE","features":[394]},{"name":"UNISCRIBE_OPENTYPE","features":[394]},{"name":"UNORM2_COMPOSE","features":[394]},{"name":"UNORM2_COMPOSE_CONTIGUOUS","features":[394]},{"name":"UNORM2_DECOMPOSE","features":[394]},{"name":"UNORM2_FCD","features":[394]},{"name":"UNORM_DEFAULT","features":[394]},{"name":"UNORM_FCD","features":[394]},{"name":"UNORM_INPUT_IS_FCD","features":[394]},{"name":"UNORM_MAYBE","features":[394]},{"name":"UNORM_MODE_COUNT","features":[394]},{"name":"UNORM_NFC","features":[394]},{"name":"UNORM_NFD","features":[394]},{"name":"UNORM_NFKC","features":[394]},{"name":"UNORM_NFKD","features":[394]},{"name":"UNORM_NO","features":[394]},{"name":"UNORM_NONE","features":[394]},{"name":"UNORM_YES","features":[394]},{"name":"UNUM_CASH_CURRENCY","features":[394]},{"name":"UNUM_COMPACT_FIELD","features":[394]},{"name":"UNUM_CURRENCY","features":[394]},{"name":"UNUM_CURRENCY_ACCOUNTING","features":[394]},{"name":"UNUM_CURRENCY_CODE","features":[394]},{"name":"UNUM_CURRENCY_FIELD","features":[394]},{"name":"UNUM_CURRENCY_INSERT","features":[394]},{"name":"UNUM_CURRENCY_ISO","features":[394]},{"name":"UNUM_CURRENCY_MATCH","features":[394]},{"name":"UNUM_CURRENCY_PLURAL","features":[394]},{"name":"UNUM_CURRENCY_SPACING_COUNT","features":[394]},{"name":"UNUM_CURRENCY_STANDARD","features":[394]},{"name":"UNUM_CURRENCY_SURROUNDING_MATCH","features":[394]},{"name":"UNUM_CURRENCY_SYMBOL","features":[394]},{"name":"UNUM_CURRENCY_USAGE","features":[394]},{"name":"UNUM_DECIMAL","features":[394]},{"name":"UNUM_DECIMAL_ALWAYS_SHOWN","features":[394]},{"name":"UNUM_DECIMAL_COMPACT_LONG","features":[394]},{"name":"UNUM_DECIMAL_COMPACT_SHORT","features":[394]},{"name":"UNUM_DECIMAL_SEPARATOR_ALWAYS","features":[394]},{"name":"UNUM_DECIMAL_SEPARATOR_AUTO","features":[394]},{"name":"UNUM_DECIMAL_SEPARATOR_COUNT","features":[394]},{"name":"UNUM_DECIMAL_SEPARATOR_FIELD","features":[394]},{"name":"UNUM_DECIMAL_SEPARATOR_SYMBOL","features":[394]},{"name":"UNUM_DEFAULT","features":[394]},{"name":"UNUM_DEFAULT_RULESET","features":[394]},{"name":"UNUM_DIGIT_SYMBOL","features":[394]},{"name":"UNUM_DURATION","features":[394]},{"name":"UNUM_EIGHT_DIGIT_SYMBOL","features":[394]},{"name":"UNUM_EXPONENTIAL_SYMBOL","features":[394]},{"name":"UNUM_EXPONENT_FIELD","features":[394]},{"name":"UNUM_EXPONENT_MULTIPLICATION_SYMBOL","features":[394]},{"name":"UNUM_EXPONENT_SIGN_FIELD","features":[394]},{"name":"UNUM_EXPONENT_SYMBOL_FIELD","features":[394]},{"name":"UNUM_FIVE_DIGIT_SYMBOL","features":[394]},{"name":"UNUM_FORMAT_ATTRIBUTE_VALUE_HIDDEN","features":[394]},{"name":"UNUM_FORMAT_FAIL_IF_MORE_THAN_MAX_DIGITS","features":[394]},{"name":"UNUM_FORMAT_WIDTH","features":[394]},{"name":"UNUM_FOUR_DIGIT_SYMBOL","features":[394]},{"name":"UNUM_FRACTION_DIGITS","features":[394]},{"name":"UNUM_FRACTION_FIELD","features":[394]},{"name":"UNUM_GROUPING_AUTO","features":[394]},{"name":"UNUM_GROUPING_MIN2","features":[394]},{"name":"UNUM_GROUPING_OFF","features":[394]},{"name":"UNUM_GROUPING_ON_ALIGNED","features":[394]},{"name":"UNUM_GROUPING_SEPARATOR_FIELD","features":[394]},{"name":"UNUM_GROUPING_SEPARATOR_SYMBOL","features":[394]},{"name":"UNUM_GROUPING_SIZE","features":[394]},{"name":"UNUM_GROUPING_THOUSANDS","features":[394]},{"name":"UNUM_GROUPING_USED","features":[394]},{"name":"UNUM_IDENTITY_FALLBACK_APPROXIMATELY","features":[394]},{"name":"UNUM_IDENTITY_FALLBACK_APPROXIMATELY_OR_SINGLE_VALUE","features":[394]},{"name":"UNUM_IDENTITY_FALLBACK_RANGE","features":[394]},{"name":"UNUM_IDENTITY_FALLBACK_SINGLE_VALUE","features":[394]},{"name":"UNUM_IDENTITY_RESULT_EQUAL_AFTER_ROUNDING","features":[394]},{"name":"UNUM_IDENTITY_RESULT_EQUAL_BEFORE_ROUNDING","features":[394]},{"name":"UNUM_IDENTITY_RESULT_NOT_EQUAL","features":[394]},{"name":"UNUM_IGNORE","features":[394]},{"name":"UNUM_INFINITY_SYMBOL","features":[394]},{"name":"UNUM_INTEGER_DIGITS","features":[394]},{"name":"UNUM_INTEGER_FIELD","features":[394]},{"name":"UNUM_INTL_CURRENCY_SYMBOL","features":[394]},{"name":"UNUM_LENIENT_PARSE","features":[394]},{"name":"UNUM_LONG","features":[394]},{"name":"UNUM_MAX_FRACTION_DIGITS","features":[394]},{"name":"UNUM_MAX_INTEGER_DIGITS","features":[394]},{"name":"UNUM_MAX_SIGNIFICANT_DIGITS","features":[394]},{"name":"UNUM_MEASURE_UNIT_FIELD","features":[394]},{"name":"UNUM_MINIMUM_GROUPING_DIGITS","features":[394]},{"name":"UNUM_MINUS_SIGN_SYMBOL","features":[394]},{"name":"UNUM_MIN_FRACTION_DIGITS","features":[394]},{"name":"UNUM_MIN_INTEGER_DIGITS","features":[394]},{"name":"UNUM_MIN_SIGNIFICANT_DIGITS","features":[394]},{"name":"UNUM_MONETARY_GROUPING_SEPARATOR_SYMBOL","features":[394]},{"name":"UNUM_MONETARY_SEPARATOR_SYMBOL","features":[394]},{"name":"UNUM_MULTIPLIER","features":[394]},{"name":"UNUM_NAN_SYMBOL","features":[394]},{"name":"UNUM_NEGATIVE_PREFIX","features":[394]},{"name":"UNUM_NEGATIVE_SUFFIX","features":[394]},{"name":"UNUM_NINE_DIGIT_SYMBOL","features":[394]},{"name":"UNUM_NUMBERING_SYSTEM","features":[394]},{"name":"UNUM_ONE_DIGIT_SYMBOL","features":[394]},{"name":"UNUM_ORDINAL","features":[394]},{"name":"UNUM_PADDING_CHARACTER","features":[394]},{"name":"UNUM_PADDING_POSITION","features":[394]},{"name":"UNUM_PAD_AFTER_PREFIX","features":[394]},{"name":"UNUM_PAD_AFTER_SUFFIX","features":[394]},{"name":"UNUM_PAD_BEFORE_PREFIX","features":[394]},{"name":"UNUM_PAD_BEFORE_SUFFIX","features":[394]},{"name":"UNUM_PAD_ESCAPE_SYMBOL","features":[394]},{"name":"UNUM_PARSE_ALL_INPUT","features":[394]},{"name":"UNUM_PARSE_CASE_SENSITIVE","features":[394]},{"name":"UNUM_PARSE_DECIMAL_MARK_REQUIRED","features":[394]},{"name":"UNUM_PARSE_INT_ONLY","features":[394]},{"name":"UNUM_PARSE_NO_EXPONENT","features":[394]},{"name":"UNUM_PATTERN_DECIMAL","features":[394]},{"name":"UNUM_PATTERN_RULEBASED","features":[394]},{"name":"UNUM_PATTERN_SEPARATOR_SYMBOL","features":[394]},{"name":"UNUM_PERCENT","features":[394]},{"name":"UNUM_PERCENT_FIELD","features":[394]},{"name":"UNUM_PERCENT_SYMBOL","features":[394]},{"name":"UNUM_PERMILL_FIELD","features":[394]},{"name":"UNUM_PERMILL_SYMBOL","features":[394]},{"name":"UNUM_PLUS_SIGN_SYMBOL","features":[394]},{"name":"UNUM_POSITIVE_PREFIX","features":[394]},{"name":"UNUM_POSITIVE_SUFFIX","features":[394]},{"name":"UNUM_PUBLIC_RULESETS","features":[394]},{"name":"UNUM_RANGE_COLLAPSE_ALL","features":[394]},{"name":"UNUM_RANGE_COLLAPSE_AUTO","features":[394]},{"name":"UNUM_RANGE_COLLAPSE_NONE","features":[394]},{"name":"UNUM_RANGE_COLLAPSE_UNIT","features":[394]},{"name":"UNUM_ROUNDING_INCREMENT","features":[394]},{"name":"UNUM_ROUNDING_MODE","features":[394]},{"name":"UNUM_ROUND_CEILING","features":[394]},{"name":"UNUM_ROUND_DOWN","features":[394]},{"name":"UNUM_ROUND_FLOOR","features":[394]},{"name":"UNUM_ROUND_HALFDOWN","features":[394]},{"name":"UNUM_ROUND_HALFEVEN","features":[394]},{"name":"UNUM_ROUND_HALFUP","features":[394]},{"name":"UNUM_ROUND_UNNECESSARY","features":[394]},{"name":"UNUM_ROUND_UP","features":[394]},{"name":"UNUM_SCALE","features":[394]},{"name":"UNUM_SCIENTIFIC","features":[394]},{"name":"UNUM_SECONDARY_GROUPING_SIZE","features":[394]},{"name":"UNUM_SEVEN_DIGIT_SYMBOL","features":[394]},{"name":"UNUM_SHORT","features":[394]},{"name":"UNUM_SIGNIFICANT_DIGITS_USED","features":[394]},{"name":"UNUM_SIGNIFICANT_DIGIT_SYMBOL","features":[394]},{"name":"UNUM_SIGN_ACCOUNTING","features":[394]},{"name":"UNUM_SIGN_ACCOUNTING_ALWAYS","features":[394]},{"name":"UNUM_SIGN_ACCOUNTING_EXCEPT_ZERO","features":[394]},{"name":"UNUM_SIGN_ALWAYS","features":[394]},{"name":"UNUM_SIGN_ALWAYS_SHOWN","features":[394]},{"name":"UNUM_SIGN_AUTO","features":[394]},{"name":"UNUM_SIGN_COUNT","features":[394]},{"name":"UNUM_SIGN_EXCEPT_ZERO","features":[394]},{"name":"UNUM_SIGN_FIELD","features":[394]},{"name":"UNUM_SIGN_NEVER","features":[394]},{"name":"UNUM_SIX_DIGIT_SYMBOL","features":[394]},{"name":"UNUM_SPELLOUT","features":[394]},{"name":"UNUM_THREE_DIGIT_SYMBOL","features":[394]},{"name":"UNUM_TWO_DIGIT_SYMBOL","features":[394]},{"name":"UNUM_UNIT_WIDTH_COUNT","features":[394]},{"name":"UNUM_UNIT_WIDTH_FULL_NAME","features":[394]},{"name":"UNUM_UNIT_WIDTH_HIDDEN","features":[394]},{"name":"UNUM_UNIT_WIDTH_ISO_CODE","features":[394]},{"name":"UNUM_UNIT_WIDTH_NARROW","features":[394]},{"name":"UNUM_UNIT_WIDTH_SHORT","features":[394]},{"name":"UNUM_ZERO_DIGIT_SYMBOL","features":[394]},{"name":"UNormalization2Mode","features":[394]},{"name":"UNormalizationCheckResult","features":[394]},{"name":"UNormalizationMode","features":[394]},{"name":"UNormalizer2","features":[394]},{"name":"UNumberCompactStyle","features":[394]},{"name":"UNumberDecimalSeparatorDisplay","features":[394]},{"name":"UNumberFormatAttribute","features":[394]},{"name":"UNumberFormatAttributeValue","features":[394]},{"name":"UNumberFormatFields","features":[394]},{"name":"UNumberFormatPadPosition","features":[394]},{"name":"UNumberFormatRoundingMode","features":[394]},{"name":"UNumberFormatStyle","features":[394]},{"name":"UNumberFormatSymbol","features":[394]},{"name":"UNumberFormatTextAttribute","features":[394]},{"name":"UNumberFormatter","features":[394]},{"name":"UNumberGroupingStrategy","features":[394]},{"name":"UNumberRangeCollapse","features":[394]},{"name":"UNumberRangeIdentityFallback","features":[394]},{"name":"UNumberRangeIdentityResult","features":[394]},{"name":"UNumberSignDisplay","features":[394]},{"name":"UNumberUnitWidth","features":[394]},{"name":"UNumberingSystem","features":[394]},{"name":"UNumericType","features":[394]},{"name":"UPLURAL_TYPE_CARDINAL","features":[394]},{"name":"UPLURAL_TYPE_ORDINAL","features":[394]},{"name":"UParseError","features":[394]},{"name":"UPluralRules","features":[394]},{"name":"UPluralType","features":[394]},{"name":"UProperty","features":[394]},{"name":"UPropertyNameChoice","features":[394]},{"name":"UREGEX_CASE_INSENSITIVE","features":[394]},{"name":"UREGEX_COMMENTS","features":[394]},{"name":"UREGEX_DOTALL","features":[394]},{"name":"UREGEX_ERROR_ON_UNKNOWN_ESCAPES","features":[394]},{"name":"UREGEX_LITERAL","features":[394]},{"name":"UREGEX_MULTILINE","features":[394]},{"name":"UREGEX_UNIX_LINES","features":[394]},{"name":"UREGEX_UWORD","features":[394]},{"name":"URES_ALIAS","features":[394]},{"name":"URES_ARRAY","features":[394]},{"name":"URES_BINARY","features":[394]},{"name":"URES_INT","features":[394]},{"name":"URES_INT_VECTOR","features":[394]},{"name":"URES_NONE","features":[394]},{"name":"URES_STRING","features":[394]},{"name":"URES_TABLE","features":[394]},{"name":"URGN_CONTINENT","features":[394]},{"name":"URGN_DEPRECATED","features":[394]},{"name":"URGN_GROUPING","features":[394]},{"name":"URGN_SUBCONTINENT","features":[394]},{"name":"URGN_TERRITORY","features":[394]},{"name":"URGN_UNKNOWN","features":[394]},{"name":"URGN_WORLD","features":[394]},{"name":"URegexFindProgressCallback","features":[394]},{"name":"URegexMatchCallback","features":[394]},{"name":"URegexpFlag","features":[394]},{"name":"URegion","features":[394]},{"name":"URegionType","features":[394]},{"name":"URegularExpression","features":[394]},{"name":"URelativeDateTimeFormatter","features":[394]},{"name":"URelativeDateTimeFormatterField","features":[394]},{"name":"URelativeDateTimeUnit","features":[394]},{"name":"UReplaceableCallbacks","features":[394]},{"name":"UResType","features":[394]},{"name":"UResourceBundle","features":[394]},{"name":"URestrictionLevel","features":[394]},{"name":"USCRIPT_ADLAM","features":[394]},{"name":"USCRIPT_AFAKA","features":[394]},{"name":"USCRIPT_AHOM","features":[394]},{"name":"USCRIPT_ANATOLIAN_HIEROGLYPHS","features":[394]},{"name":"USCRIPT_ARABIC","features":[394]},{"name":"USCRIPT_ARMENIAN","features":[394]},{"name":"USCRIPT_AVESTAN","features":[394]},{"name":"USCRIPT_BALINESE","features":[394]},{"name":"USCRIPT_BAMUM","features":[394]},{"name":"USCRIPT_BASSA_VAH","features":[394]},{"name":"USCRIPT_BATAK","features":[394]},{"name":"USCRIPT_BENGALI","features":[394]},{"name":"USCRIPT_BHAIKSUKI","features":[394]},{"name":"USCRIPT_BLISSYMBOLS","features":[394]},{"name":"USCRIPT_BOOK_PAHLAVI","features":[394]},{"name":"USCRIPT_BOPOMOFO","features":[394]},{"name":"USCRIPT_BRAHMI","features":[394]},{"name":"USCRIPT_BRAILLE","features":[394]},{"name":"USCRIPT_BUGINESE","features":[394]},{"name":"USCRIPT_BUHID","features":[394]},{"name":"USCRIPT_CANADIAN_ABORIGINAL","features":[394]},{"name":"USCRIPT_CARIAN","features":[394]},{"name":"USCRIPT_CAUCASIAN_ALBANIAN","features":[394]},{"name":"USCRIPT_CHAKMA","features":[394]},{"name":"USCRIPT_CHAM","features":[394]},{"name":"USCRIPT_CHEROKEE","features":[394]},{"name":"USCRIPT_CHORASMIAN","features":[394]},{"name":"USCRIPT_CIRTH","features":[394]},{"name":"USCRIPT_COMMON","features":[394]},{"name":"USCRIPT_COPTIC","features":[394]},{"name":"USCRIPT_CUNEIFORM","features":[394]},{"name":"USCRIPT_CYPRIOT","features":[394]},{"name":"USCRIPT_CYRILLIC","features":[394]},{"name":"USCRIPT_DEMOTIC_EGYPTIAN","features":[394]},{"name":"USCRIPT_DESERET","features":[394]},{"name":"USCRIPT_DEVANAGARI","features":[394]},{"name":"USCRIPT_DIVES_AKURU","features":[394]},{"name":"USCRIPT_DOGRA","features":[394]},{"name":"USCRIPT_DUPLOYAN","features":[394]},{"name":"USCRIPT_EASTERN_SYRIAC","features":[394]},{"name":"USCRIPT_EGYPTIAN_HIEROGLYPHS","features":[394]},{"name":"USCRIPT_ELBASAN","features":[394]},{"name":"USCRIPT_ELYMAIC","features":[394]},{"name":"USCRIPT_ESTRANGELO_SYRIAC","features":[394]},{"name":"USCRIPT_ETHIOPIC","features":[394]},{"name":"USCRIPT_GEORGIAN","features":[394]},{"name":"USCRIPT_GLAGOLITIC","features":[394]},{"name":"USCRIPT_GOTHIC","features":[394]},{"name":"USCRIPT_GRANTHA","features":[394]},{"name":"USCRIPT_GREEK","features":[394]},{"name":"USCRIPT_GUJARATI","features":[394]},{"name":"USCRIPT_GUNJALA_GONDI","features":[394]},{"name":"USCRIPT_GURMUKHI","features":[394]},{"name":"USCRIPT_HAN","features":[394]},{"name":"USCRIPT_HANGUL","features":[394]},{"name":"USCRIPT_HANIFI_ROHINGYA","features":[394]},{"name":"USCRIPT_HANUNOO","features":[394]},{"name":"USCRIPT_HAN_WITH_BOPOMOFO","features":[394]},{"name":"USCRIPT_HARAPPAN_INDUS","features":[394]},{"name":"USCRIPT_HATRAN","features":[394]},{"name":"USCRIPT_HEBREW","features":[394]},{"name":"USCRIPT_HIERATIC_EGYPTIAN","features":[394]},{"name":"USCRIPT_HIRAGANA","features":[394]},{"name":"USCRIPT_IMPERIAL_ARAMAIC","features":[394]},{"name":"USCRIPT_INHERITED","features":[394]},{"name":"USCRIPT_INSCRIPTIONAL_PAHLAVI","features":[394]},{"name":"USCRIPT_INSCRIPTIONAL_PARTHIAN","features":[394]},{"name":"USCRIPT_INVALID_CODE","features":[394]},{"name":"USCRIPT_JAMO","features":[394]},{"name":"USCRIPT_JAPANESE","features":[394]},{"name":"USCRIPT_JAVANESE","features":[394]},{"name":"USCRIPT_JURCHEN","features":[394]},{"name":"USCRIPT_KAITHI","features":[394]},{"name":"USCRIPT_KANNADA","features":[394]},{"name":"USCRIPT_KATAKANA","features":[394]},{"name":"USCRIPT_KATAKANA_OR_HIRAGANA","features":[394]},{"name":"USCRIPT_KAYAH_LI","features":[394]},{"name":"USCRIPT_KHAROSHTHI","features":[394]},{"name":"USCRIPT_KHITAN_SMALL_SCRIPT","features":[394]},{"name":"USCRIPT_KHMER","features":[394]},{"name":"USCRIPT_KHOJKI","features":[394]},{"name":"USCRIPT_KHUDAWADI","features":[394]},{"name":"USCRIPT_KHUTSURI","features":[394]},{"name":"USCRIPT_KOREAN","features":[394]},{"name":"USCRIPT_KPELLE","features":[394]},{"name":"USCRIPT_LANNA","features":[394]},{"name":"USCRIPT_LAO","features":[394]},{"name":"USCRIPT_LATIN","features":[394]},{"name":"USCRIPT_LATIN_FRAKTUR","features":[394]},{"name":"USCRIPT_LATIN_GAELIC","features":[394]},{"name":"USCRIPT_LEPCHA","features":[394]},{"name":"USCRIPT_LIMBU","features":[394]},{"name":"USCRIPT_LINEAR_A","features":[394]},{"name":"USCRIPT_LINEAR_B","features":[394]},{"name":"USCRIPT_LISU","features":[394]},{"name":"USCRIPT_LOMA","features":[394]},{"name":"USCRIPT_LYCIAN","features":[394]},{"name":"USCRIPT_LYDIAN","features":[394]},{"name":"USCRIPT_MAHAJANI","features":[394]},{"name":"USCRIPT_MAKASAR","features":[394]},{"name":"USCRIPT_MALAYALAM","features":[394]},{"name":"USCRIPT_MANDAEAN","features":[394]},{"name":"USCRIPT_MANDAIC","features":[394]},{"name":"USCRIPT_MANICHAEAN","features":[394]},{"name":"USCRIPT_MARCHEN","features":[394]},{"name":"USCRIPT_MASARAM_GONDI","features":[394]},{"name":"USCRIPT_MATHEMATICAL_NOTATION","features":[394]},{"name":"USCRIPT_MAYAN_HIEROGLYPHS","features":[394]},{"name":"USCRIPT_MEDEFAIDRIN","features":[394]},{"name":"USCRIPT_MEITEI_MAYEK","features":[394]},{"name":"USCRIPT_MENDE","features":[394]},{"name":"USCRIPT_MEROITIC","features":[394]},{"name":"USCRIPT_MEROITIC_CURSIVE","features":[394]},{"name":"USCRIPT_MEROITIC_HIEROGLYPHS","features":[394]},{"name":"USCRIPT_MIAO","features":[394]},{"name":"USCRIPT_MODI","features":[394]},{"name":"USCRIPT_MONGOLIAN","features":[394]},{"name":"USCRIPT_MOON","features":[394]},{"name":"USCRIPT_MRO","features":[394]},{"name":"USCRIPT_MULTANI","features":[394]},{"name":"USCRIPT_MYANMAR","features":[394]},{"name":"USCRIPT_NABATAEAN","features":[394]},{"name":"USCRIPT_NAKHI_GEBA","features":[394]},{"name":"USCRIPT_NANDINAGARI","features":[394]},{"name":"USCRIPT_NEWA","features":[394]},{"name":"USCRIPT_NEW_TAI_LUE","features":[394]},{"name":"USCRIPT_NKO","features":[394]},{"name":"USCRIPT_NUSHU","features":[394]},{"name":"USCRIPT_NYIAKENG_PUACHUE_HMONG","features":[394]},{"name":"USCRIPT_OGHAM","features":[394]},{"name":"USCRIPT_OLD_CHURCH_SLAVONIC_CYRILLIC","features":[394]},{"name":"USCRIPT_OLD_HUNGARIAN","features":[394]},{"name":"USCRIPT_OLD_ITALIC","features":[394]},{"name":"USCRIPT_OLD_NORTH_ARABIAN","features":[394]},{"name":"USCRIPT_OLD_PERMIC","features":[394]},{"name":"USCRIPT_OLD_PERSIAN","features":[394]},{"name":"USCRIPT_OLD_SOGDIAN","features":[394]},{"name":"USCRIPT_OLD_SOUTH_ARABIAN","features":[394]},{"name":"USCRIPT_OL_CHIKI","features":[394]},{"name":"USCRIPT_ORIYA","features":[394]},{"name":"USCRIPT_ORKHON","features":[394]},{"name":"USCRIPT_OSAGE","features":[394]},{"name":"USCRIPT_OSMANYA","features":[394]},{"name":"USCRIPT_PAHAWH_HMONG","features":[394]},{"name":"USCRIPT_PALMYRENE","features":[394]},{"name":"USCRIPT_PAU_CIN_HAU","features":[394]},{"name":"USCRIPT_PHAGS_PA","features":[394]},{"name":"USCRIPT_PHOENICIAN","features":[394]},{"name":"USCRIPT_PHONETIC_POLLARD","features":[394]},{"name":"USCRIPT_PSALTER_PAHLAVI","features":[394]},{"name":"USCRIPT_REJANG","features":[394]},{"name":"USCRIPT_RONGORONGO","features":[394]},{"name":"USCRIPT_RUNIC","features":[394]},{"name":"USCRIPT_SAMARITAN","features":[394]},{"name":"USCRIPT_SARATI","features":[394]},{"name":"USCRIPT_SAURASHTRA","features":[394]},{"name":"USCRIPT_SHARADA","features":[394]},{"name":"USCRIPT_SHAVIAN","features":[394]},{"name":"USCRIPT_SIDDHAM","features":[394]},{"name":"USCRIPT_SIGN_WRITING","features":[394]},{"name":"USCRIPT_SIMPLIFIED_HAN","features":[394]},{"name":"USCRIPT_SINDHI","features":[394]},{"name":"USCRIPT_SINHALA","features":[394]},{"name":"USCRIPT_SOGDIAN","features":[394]},{"name":"USCRIPT_SORA_SOMPENG","features":[394]},{"name":"USCRIPT_SOYOMBO","features":[394]},{"name":"USCRIPT_SUNDANESE","features":[394]},{"name":"USCRIPT_SYLOTI_NAGRI","features":[394]},{"name":"USCRIPT_SYMBOLS","features":[394]},{"name":"USCRIPT_SYMBOLS_EMOJI","features":[394]},{"name":"USCRIPT_SYRIAC","features":[394]},{"name":"USCRIPT_TAGALOG","features":[394]},{"name":"USCRIPT_TAGBANWA","features":[394]},{"name":"USCRIPT_TAI_LE","features":[394]},{"name":"USCRIPT_TAI_VIET","features":[394]},{"name":"USCRIPT_TAKRI","features":[394]},{"name":"USCRIPT_TAMIL","features":[394]},{"name":"USCRIPT_TANGUT","features":[394]},{"name":"USCRIPT_TELUGU","features":[394]},{"name":"USCRIPT_TENGWAR","features":[394]},{"name":"USCRIPT_THAANA","features":[394]},{"name":"USCRIPT_THAI","features":[394]},{"name":"USCRIPT_TIBETAN","features":[394]},{"name":"USCRIPT_TIFINAGH","features":[394]},{"name":"USCRIPT_TIRHUTA","features":[394]},{"name":"USCRIPT_TRADITIONAL_HAN","features":[394]},{"name":"USCRIPT_UCAS","features":[394]},{"name":"USCRIPT_UGARITIC","features":[394]},{"name":"USCRIPT_UNKNOWN","features":[394]},{"name":"USCRIPT_UNWRITTEN_LANGUAGES","features":[394]},{"name":"USCRIPT_USAGE_ASPIRATIONAL","features":[394]},{"name":"USCRIPT_USAGE_EXCLUDED","features":[394]},{"name":"USCRIPT_USAGE_LIMITED_USE","features":[394]},{"name":"USCRIPT_USAGE_NOT_ENCODED","features":[394]},{"name":"USCRIPT_USAGE_RECOMMENDED","features":[394]},{"name":"USCRIPT_USAGE_UNKNOWN","features":[394]},{"name":"USCRIPT_VAI","features":[394]},{"name":"USCRIPT_VISIBLE_SPEECH","features":[394]},{"name":"USCRIPT_WANCHO","features":[394]},{"name":"USCRIPT_WARANG_CITI","features":[394]},{"name":"USCRIPT_WESTERN_SYRIAC","features":[394]},{"name":"USCRIPT_WOLEAI","features":[394]},{"name":"USCRIPT_YEZIDI","features":[394]},{"name":"USCRIPT_YI","features":[394]},{"name":"USCRIPT_ZANABAZAR_SQUARE","features":[394]},{"name":"USEARCH_ANY_BASE_WEIGHT_IS_WILDCARD","features":[394]},{"name":"USEARCH_DEFAULT","features":[394]},{"name":"USEARCH_DONE","features":[394]},{"name":"USEARCH_ELEMENT_COMPARISON","features":[394]},{"name":"USEARCH_OFF","features":[394]},{"name":"USEARCH_ON","features":[394]},{"name":"USEARCH_OVERLAP","features":[394]},{"name":"USEARCH_PATTERN_BASE_WEIGHT_IS_WILDCARD","features":[394]},{"name":"USEARCH_STANDARD_ELEMENT_COMPARISON","features":[394]},{"name":"USET_ADD_CASE_MAPPINGS","features":[394]},{"name":"USET_CASE_INSENSITIVE","features":[394]},{"name":"USET_IGNORE_SPACE","features":[394]},{"name":"USET_SERIALIZED_STATIC_ARRAY_CAPACITY","features":[394]},{"name":"USET_SPAN_CONTAINED","features":[394]},{"name":"USET_SPAN_NOT_CONTAINED","features":[394]},{"name":"USET_SPAN_SIMPLE","features":[394]},{"name":"USPOOF_ALL_CHECKS","features":[394]},{"name":"USPOOF_ASCII","features":[394]},{"name":"USPOOF_AUX_INFO","features":[394]},{"name":"USPOOF_CHAR_LIMIT","features":[394]},{"name":"USPOOF_CONFUSABLE","features":[394]},{"name":"USPOOF_HIDDEN_OVERLAY","features":[394]},{"name":"USPOOF_HIGHLY_RESTRICTIVE","features":[394]},{"name":"USPOOF_INVISIBLE","features":[394]},{"name":"USPOOF_MINIMALLY_RESTRICTIVE","features":[394]},{"name":"USPOOF_MIXED_NUMBERS","features":[394]},{"name":"USPOOF_MIXED_SCRIPT_CONFUSABLE","features":[394]},{"name":"USPOOF_MODERATELY_RESTRICTIVE","features":[394]},{"name":"USPOOF_RESTRICTION_LEVEL","features":[394]},{"name":"USPOOF_RESTRICTION_LEVEL_MASK","features":[394]},{"name":"USPOOF_SINGLE_SCRIPT_CONFUSABLE","features":[394]},{"name":"USPOOF_SINGLE_SCRIPT_RESTRICTIVE","features":[394]},{"name":"USPOOF_UNRESTRICTIVE","features":[394]},{"name":"USPOOF_WHOLE_SCRIPT_CONFUSABLE","features":[394]},{"name":"USPREP_ALLOW_UNASSIGNED","features":[394]},{"name":"USPREP_DEFAULT","features":[394]},{"name":"USPREP_RFC3491_NAMEPREP","features":[394]},{"name":"USPREP_RFC3530_NFS4_CIS_PREP","features":[394]},{"name":"USPREP_RFC3530_NFS4_CS_PREP","features":[394]},{"name":"USPREP_RFC3530_NFS4_CS_PREP_CI","features":[394]},{"name":"USPREP_RFC3530_NFS4_MIXED_PREP_PREFIX","features":[394]},{"name":"USPREP_RFC3530_NFS4_MIXED_PREP_SUFFIX","features":[394]},{"name":"USPREP_RFC3722_ISCSI","features":[394]},{"name":"USPREP_RFC3920_NODEPREP","features":[394]},{"name":"USPREP_RFC3920_RESOURCEPREP","features":[394]},{"name":"USPREP_RFC4011_MIB","features":[394]},{"name":"USPREP_RFC4013_SASLPREP","features":[394]},{"name":"USPREP_RFC4505_TRACE","features":[394]},{"name":"USPREP_RFC4518_LDAP","features":[394]},{"name":"USPREP_RFC4518_LDAP_CI","features":[394]},{"name":"USP_E_SCRIPT_NOT_IN_FONT","features":[394]},{"name":"USTRINGTRIE_BUILD_FAST","features":[394]},{"name":"USTRINGTRIE_BUILD_SMALL","features":[394]},{"name":"USTRINGTRIE_FINAL_VALUE","features":[394]},{"name":"USTRINGTRIE_INTERMEDIATE_VALUE","features":[394]},{"name":"USTRINGTRIE_NO_MATCH","features":[394]},{"name":"USTRINGTRIE_NO_VALUE","features":[394]},{"name":"UScriptCode","features":[394]},{"name":"UScriptUsage","features":[394]},{"name":"USearch","features":[394]},{"name":"USearchAttribute","features":[394]},{"name":"USearchAttributeValue","features":[394]},{"name":"USentenceBreak","features":[394]},{"name":"USentenceBreakTag","features":[394]},{"name":"USerializedSet","features":[394]},{"name":"USet","features":[394]},{"name":"USetSpanCondition","features":[394]},{"name":"USpoofCheckResult","features":[394]},{"name":"USpoofChecker","features":[394]},{"name":"USpoofChecks","features":[394]},{"name":"UStringCaseMapper","features":[394]},{"name":"UStringPrepProfile","features":[394]},{"name":"UStringPrepProfileType","features":[394]},{"name":"UStringSearch","features":[394]},{"name":"UStringTrieBuildOption","features":[394]},{"name":"UStringTrieResult","features":[394]},{"name":"USystemTimeZoneType","features":[394]},{"name":"UTEXT_MAGIC","features":[394]},{"name":"UTEXT_PROVIDER_HAS_META_DATA","features":[394]},{"name":"UTEXT_PROVIDER_LENGTH_IS_EXPENSIVE","features":[394]},{"name":"UTEXT_PROVIDER_OWNS_TEXT","features":[394]},{"name":"UTEXT_PROVIDER_STABLE_CHUNKS","features":[394]},{"name":"UTEXT_PROVIDER_WRITABLE","features":[394]},{"name":"UTF16_MAX_CHAR_LENGTH","features":[394]},{"name":"UTF32_MAX_CHAR_LENGTH","features":[394]},{"name":"UTF8_ERROR_VALUE_1","features":[394]},{"name":"UTF8_ERROR_VALUE_2","features":[394]},{"name":"UTF8_MAX_CHAR_LENGTH","features":[394]},{"name":"UTF_ERROR_VALUE","features":[394]},{"name":"UTF_MAX_CHAR_LENGTH","features":[394]},{"name":"UTF_SIZE","features":[394]},{"name":"UTRACE_COLLATION_START","features":[394]},{"name":"UTRACE_CONVERSION_START","features":[394]},{"name":"UTRACE_ERROR","features":[394]},{"name":"UTRACE_FUNCTION_START","features":[394]},{"name":"UTRACE_INFO","features":[394]},{"name":"UTRACE_OFF","features":[394]},{"name":"UTRACE_OPEN_CLOSE","features":[394]},{"name":"UTRACE_UCNV_CLONE","features":[394]},{"name":"UTRACE_UCNV_CLOSE","features":[394]},{"name":"UTRACE_UCNV_FLUSH_CACHE","features":[394]},{"name":"UTRACE_UCNV_LOAD","features":[394]},{"name":"UTRACE_UCNV_OPEN","features":[394]},{"name":"UTRACE_UCNV_OPEN_ALGORITHMIC","features":[394]},{"name":"UTRACE_UCNV_OPEN_PACKAGE","features":[394]},{"name":"UTRACE_UCNV_UNLOAD","features":[394]},{"name":"UTRACE_UCOL_CLOSE","features":[394]},{"name":"UTRACE_UCOL_GETLOCALE","features":[394]},{"name":"UTRACE_UCOL_GET_SORTKEY","features":[394]},{"name":"UTRACE_UCOL_NEXTSORTKEYPART","features":[394]},{"name":"UTRACE_UCOL_OPEN","features":[394]},{"name":"UTRACE_UCOL_OPEN_FROM_SHORT_STRING","features":[394]},{"name":"UTRACE_UCOL_STRCOLL","features":[394]},{"name":"UTRACE_UCOL_STRCOLLITER","features":[394]},{"name":"UTRACE_UCOL_STRCOLLUTF8","features":[394]},{"name":"UTRACE_UDATA_BUNDLE","features":[394]},{"name":"UTRACE_UDATA_DATA_FILE","features":[394]},{"name":"UTRACE_UDATA_RESOURCE","features":[394]},{"name":"UTRACE_UDATA_RES_FILE","features":[394]},{"name":"UTRACE_UDATA_START","features":[394]},{"name":"UTRACE_U_CLEANUP","features":[394]},{"name":"UTRACE_U_INIT","features":[394]},{"name":"UTRACE_VERBOSE","features":[394]},{"name":"UTRACE_WARNING","features":[394]},{"name":"UTRANS_FORWARD","features":[394]},{"name":"UTRANS_REVERSE","features":[394]},{"name":"UTSV_EPOCH_OFFSET_VALUE","features":[394]},{"name":"UTSV_FROM_MAX_VALUE","features":[394]},{"name":"UTSV_FROM_MIN_VALUE","features":[394]},{"name":"UTSV_TO_MAX_VALUE","features":[394]},{"name":"UTSV_TO_MIN_VALUE","features":[394]},{"name":"UTSV_UNITS_VALUE","features":[394]},{"name":"UTZFMT_PARSE_OPTION_ALL_STYLES","features":[394]},{"name":"UTZFMT_PARSE_OPTION_NONE","features":[394]},{"name":"UTZFMT_PARSE_OPTION_TZ_DATABASE_ABBREVIATIONS","features":[394]},{"name":"UTZFMT_PAT_COUNT","features":[394]},{"name":"UTZFMT_PAT_NEGATIVE_H","features":[394]},{"name":"UTZFMT_PAT_NEGATIVE_HM","features":[394]},{"name":"UTZFMT_PAT_NEGATIVE_HMS","features":[394]},{"name":"UTZFMT_PAT_POSITIVE_H","features":[394]},{"name":"UTZFMT_PAT_POSITIVE_HM","features":[394]},{"name":"UTZFMT_PAT_POSITIVE_HMS","features":[394]},{"name":"UTZFMT_STYLE_EXEMPLAR_LOCATION","features":[394]},{"name":"UTZFMT_STYLE_GENERIC_LOCATION","features":[394]},{"name":"UTZFMT_STYLE_GENERIC_LONG","features":[394]},{"name":"UTZFMT_STYLE_GENERIC_SHORT","features":[394]},{"name":"UTZFMT_STYLE_ISO_BASIC_FIXED","features":[394]},{"name":"UTZFMT_STYLE_ISO_BASIC_FULL","features":[394]},{"name":"UTZFMT_STYLE_ISO_BASIC_LOCAL_FIXED","features":[394]},{"name":"UTZFMT_STYLE_ISO_BASIC_LOCAL_FULL","features":[394]},{"name":"UTZFMT_STYLE_ISO_BASIC_LOCAL_SHORT","features":[394]},{"name":"UTZFMT_STYLE_ISO_BASIC_SHORT","features":[394]},{"name":"UTZFMT_STYLE_ISO_EXTENDED_FIXED","features":[394]},{"name":"UTZFMT_STYLE_ISO_EXTENDED_FULL","features":[394]},{"name":"UTZFMT_STYLE_ISO_EXTENDED_LOCAL_FIXED","features":[394]},{"name":"UTZFMT_STYLE_ISO_EXTENDED_LOCAL_FULL","features":[394]},{"name":"UTZFMT_STYLE_LOCALIZED_GMT","features":[394]},{"name":"UTZFMT_STYLE_LOCALIZED_GMT_SHORT","features":[394]},{"name":"UTZFMT_STYLE_SPECIFIC_LONG","features":[394]},{"name":"UTZFMT_STYLE_SPECIFIC_SHORT","features":[394]},{"name":"UTZFMT_STYLE_ZONE_ID","features":[394]},{"name":"UTZFMT_STYLE_ZONE_ID_SHORT","features":[394]},{"name":"UTZFMT_TIME_TYPE_DAYLIGHT","features":[394]},{"name":"UTZFMT_TIME_TYPE_STANDARD","features":[394]},{"name":"UTZFMT_TIME_TYPE_UNKNOWN","features":[394]},{"name":"UTZNM_EXEMPLAR_LOCATION","features":[394]},{"name":"UTZNM_LONG_DAYLIGHT","features":[394]},{"name":"UTZNM_LONG_GENERIC","features":[394]},{"name":"UTZNM_LONG_STANDARD","features":[394]},{"name":"UTZNM_SHORT_DAYLIGHT","features":[394]},{"name":"UTZNM_SHORT_GENERIC","features":[394]},{"name":"UTZNM_SHORT_STANDARD","features":[394]},{"name":"UTZNM_UNKNOWN","features":[394]},{"name":"UText","features":[394]},{"name":"UTextAccess","features":[394]},{"name":"UTextClone","features":[394]},{"name":"UTextClose","features":[394]},{"name":"UTextCopy","features":[394]},{"name":"UTextExtract","features":[394]},{"name":"UTextFuncs","features":[394]},{"name":"UTextMapNativeIndexToUTF16","features":[394]},{"name":"UTextMapOffsetToNative","features":[394]},{"name":"UTextNativeLength","features":[394]},{"name":"UTextReplace","features":[394]},{"name":"UTimeScaleValue","features":[394]},{"name":"UTimeZoneFormatGMTOffsetPatternType","features":[394]},{"name":"UTimeZoneFormatParseOption","features":[394]},{"name":"UTimeZoneFormatStyle","features":[394]},{"name":"UTimeZoneFormatTimeType","features":[394]},{"name":"UTimeZoneNameType","features":[394]},{"name":"UTimeZoneTransitionType","features":[394]},{"name":"UTraceData","features":[394]},{"name":"UTraceEntry","features":[394]},{"name":"UTraceExit","features":[394]},{"name":"UTraceFunctionNumber","features":[394]},{"name":"UTraceLevel","features":[394]},{"name":"UTransDirection","features":[394]},{"name":"UTransPosition","features":[394]},{"name":"UVerticalOrientation","features":[394]},{"name":"UWordBreak","features":[394]},{"name":"UWordBreakValues","features":[394]},{"name":"U_ALPHAINDEX_INFLOW","features":[394]},{"name":"U_ALPHAINDEX_NORMAL","features":[394]},{"name":"U_ALPHAINDEX_OVERFLOW","features":[394]},{"name":"U_ALPHAINDEX_UNDERFLOW","features":[394]},{"name":"U_AMBIGUOUS_ALIAS_WARNING","features":[394]},{"name":"U_ARABIC_NUMBER","features":[394]},{"name":"U_ARGUMENT_TYPE_MISMATCH","features":[394]},{"name":"U_ASCII_FAMILY","features":[394]},{"name":"U_BAD_VARIABLE_DEFINITION","features":[394]},{"name":"U_BLOCK_SEPARATOR","features":[394]},{"name":"U_BOUNDARY_NEUTRAL","features":[394]},{"name":"U_BPT_CLOSE","features":[394]},{"name":"U_BPT_NONE","features":[394]},{"name":"U_BPT_OPEN","features":[394]},{"name":"U_BRK_ASSIGN_ERROR","features":[394]},{"name":"U_BRK_ERROR_START","features":[394]},{"name":"U_BRK_HEX_DIGITS_EXPECTED","features":[394]},{"name":"U_BRK_INIT_ERROR","features":[394]},{"name":"U_BRK_INTERNAL_ERROR","features":[394]},{"name":"U_BRK_MALFORMED_RULE_TAG","features":[394]},{"name":"U_BRK_MISMATCHED_PAREN","features":[394]},{"name":"U_BRK_NEW_LINE_IN_QUOTED_STRING","features":[394]},{"name":"U_BRK_RULE_EMPTY_SET","features":[394]},{"name":"U_BRK_RULE_SYNTAX","features":[394]},{"name":"U_BRK_SEMICOLON_EXPECTED","features":[394]},{"name":"U_BRK_UNCLOSED_SET","features":[394]},{"name":"U_BRK_UNDEFINED_VARIABLE","features":[394]},{"name":"U_BRK_UNRECOGNIZED_OPTION","features":[394]},{"name":"U_BRK_VARIABLE_REDFINITION","features":[394]},{"name":"U_BUFFER_OVERFLOW_ERROR","features":[394]},{"name":"U_CE_NOT_FOUND_ERROR","features":[394]},{"name":"U_CHAR16_IS_TYPEDEF","features":[394]},{"name":"U_CHARSET_FAMILY","features":[394]},{"name":"U_CHARSET_IS_UTF8","features":[394]},{"name":"U_CHAR_CATEGORY_COUNT","features":[394]},{"name":"U_CHAR_NAME_ALIAS","features":[394]},{"name":"U_CHECK_DYLOAD","features":[394]},{"name":"U_COLLATOR_VERSION_MISMATCH","features":[394]},{"name":"U_COMBINED_IMPLEMENTATION","features":[394]},{"name":"U_COMBINING_SPACING_MARK","features":[394]},{"name":"U_COMMON_NUMBER_SEPARATOR","features":[394]},{"name":"U_COMPARE_CODE_POINT_ORDER","features":[394]},{"name":"U_COMPARE_IGNORE_CASE","features":[394]},{"name":"U_CONNECTOR_PUNCTUATION","features":[394]},{"name":"U_CONTROL_CHAR","features":[394]},{"name":"U_COPYRIGHT_STRING_LENGTH","features":[394]},{"name":"U_CPLUSPLUS_VERSION","features":[394]},{"name":"U_CURRENCY_SYMBOL","features":[394]},{"name":"U_DASH_PUNCTUATION","features":[394]},{"name":"U_DEBUG","features":[394]},{"name":"U_DECIMAL_DIGIT_NUMBER","features":[394]},{"name":"U_DECIMAL_NUMBER_SYNTAX_ERROR","features":[394]},{"name":"U_DEFAULT_KEYWORD_MISSING","features":[394]},{"name":"U_DEFAULT_SHOW_DRAFT","features":[394]},{"name":"U_DEFINE_FALSE_AND_TRUE","features":[394]},{"name":"U_DIFFERENT_UCA_VERSION","features":[394]},{"name":"U_DIR_NON_SPACING_MARK","features":[394]},{"name":"U_DISABLE_RENAMING","features":[394]},{"name":"U_DT_CANONICAL","features":[394]},{"name":"U_DT_CIRCLE","features":[394]},{"name":"U_DT_COMPAT","features":[394]},{"name":"U_DT_FINAL","features":[394]},{"name":"U_DT_FONT","features":[394]},{"name":"U_DT_FRACTION","features":[394]},{"name":"U_DT_INITIAL","features":[394]},{"name":"U_DT_ISOLATED","features":[394]},{"name":"U_DT_MEDIAL","features":[394]},{"name":"U_DT_NARROW","features":[394]},{"name":"U_DT_NOBREAK","features":[394]},{"name":"U_DT_NONE","features":[394]},{"name":"U_DT_SMALL","features":[394]},{"name":"U_DT_SQUARE","features":[394]},{"name":"U_DT_SUB","features":[394]},{"name":"U_DT_SUPER","features":[394]},{"name":"U_DT_VERTICAL","features":[394]},{"name":"U_DT_WIDE","features":[394]},{"name":"U_DUPLICATE_KEYWORD","features":[394]},{"name":"U_EA_AMBIGUOUS","features":[394]},{"name":"U_EA_FULLWIDTH","features":[394]},{"name":"U_EA_HALFWIDTH","features":[394]},{"name":"U_EA_NARROW","features":[394]},{"name":"U_EA_NEUTRAL","features":[394]},{"name":"U_EA_WIDE","features":[394]},{"name":"U_EBCDIC_FAMILY","features":[394]},{"name":"U_EDITS_NO_RESET","features":[394]},{"name":"U_ENABLE_DYLOAD","features":[394]},{"name":"U_ENABLE_TRACING","features":[394]},{"name":"U_ENCLOSING_MARK","features":[394]},{"name":"U_END_PUNCTUATION","features":[394]},{"name":"U_ENUM_OUT_OF_SYNC_ERROR","features":[394]},{"name":"U_ERROR_WARNING_START","features":[394]},{"name":"U_EUROPEAN_NUMBER","features":[394]},{"name":"U_EUROPEAN_NUMBER_SEPARATOR","features":[394]},{"name":"U_EUROPEAN_NUMBER_TERMINATOR","features":[394]},{"name":"U_EXTENDED_CHAR_NAME","features":[394]},{"name":"U_FILE_ACCESS_ERROR","features":[394]},{"name":"U_FINAL_PUNCTUATION","features":[394]},{"name":"U_FIRST_STRONG_ISOLATE","features":[394]},{"name":"U_FMT_PARSE_ERROR_START","features":[394]},{"name":"U_FOLD_CASE_DEFAULT","features":[394]},{"name":"U_FOLD_CASE_EXCLUDE_SPECIAL_I","features":[394]},{"name":"U_FORMAT_CHAR","features":[394]},{"name":"U_FORMAT_INEXACT_ERROR","features":[394]},{"name":"U_GCB_CONTROL","features":[394]},{"name":"U_GCB_CR","features":[394]},{"name":"U_GCB_EXTEND","features":[394]},{"name":"U_GCB_E_BASE","features":[394]},{"name":"U_GCB_E_BASE_GAZ","features":[394]},{"name":"U_GCB_E_MODIFIER","features":[394]},{"name":"U_GCB_GLUE_AFTER_ZWJ","features":[394]},{"name":"U_GCB_L","features":[394]},{"name":"U_GCB_LF","features":[394]},{"name":"U_GCB_LV","features":[394]},{"name":"U_GCB_LVT","features":[394]},{"name":"U_GCB_OTHER","features":[394]},{"name":"U_GCB_PREPEND","features":[394]},{"name":"U_GCB_REGIONAL_INDICATOR","features":[394]},{"name":"U_GCB_SPACING_MARK","features":[394]},{"name":"U_GCB_T","features":[394]},{"name":"U_GCB_V","features":[394]},{"name":"U_GCB_ZWJ","features":[394]},{"name":"U_GCC_MAJOR_MINOR","features":[394]},{"name":"U_GENERAL_OTHER_TYPES","features":[394]},{"name":"U_HAVE_CHAR16_T","features":[394]},{"name":"U_HAVE_DEBUG_LOCATION_NEW","features":[394]},{"name":"U_HAVE_INTTYPES_H","features":[394]},{"name":"U_HAVE_LIB_SUFFIX","features":[394]},{"name":"U_HAVE_PLACEMENT_NEW","features":[394]},{"name":"U_HAVE_RBNF","features":[394]},{"name":"U_HAVE_RVALUE_REFERENCES","features":[394]},{"name":"U_HAVE_STDINT_H","features":[394]},{"name":"U_HAVE_STD_STRING","features":[394]},{"name":"U_HAVE_WCHAR_H","features":[394]},{"name":"U_HAVE_WCSCPY","features":[394]},{"name":"U_HIDE_DEPRECATED_API","features":[394]},{"name":"U_HIDE_DRAFT_API","features":[394]},{"name":"U_HIDE_INTERNAL_API","features":[394]},{"name":"U_HIDE_OBSOLETE_API","features":[394]},{"name":"U_HIDE_OBSOLETE_UTF_OLD_H","features":[394]},{"name":"U_HST_LEADING_JAMO","features":[394]},{"name":"U_HST_LVT_SYLLABLE","features":[394]},{"name":"U_HST_LV_SYLLABLE","features":[394]},{"name":"U_HST_NOT_APPLICABLE","features":[394]},{"name":"U_HST_TRAILING_JAMO","features":[394]},{"name":"U_HST_VOWEL_JAMO","features":[394]},{"name":"U_ICUDATA_TYPE_LETTER","features":[394]},{"name":"U_ICU_DATA_KEY","features":[394]},{"name":"U_ICU_VERSION_BUNDLE","features":[394]},{"name":"U_IDNA_ACE_PREFIX_ERROR","features":[394]},{"name":"U_IDNA_CHECK_BIDI_ERROR","features":[394]},{"name":"U_IDNA_DOMAIN_NAME_TOO_LONG_ERROR","features":[394]},{"name":"U_IDNA_ERROR_START","features":[394]},{"name":"U_IDNA_LABEL_TOO_LONG_ERROR","features":[394]},{"name":"U_IDNA_PROHIBITED_ERROR","features":[394]},{"name":"U_IDNA_STD3_ASCII_RULES_ERROR","features":[394]},{"name":"U_IDNA_UNASSIGNED_ERROR","features":[394]},{"name":"U_IDNA_VERIFICATION_ERROR","features":[394]},{"name":"U_IDNA_ZERO_LENGTH_LABEL_ERROR","features":[394]},{"name":"U_ILLEGAL_ARGUMENT_ERROR","features":[394]},{"name":"U_ILLEGAL_CHARACTER","features":[394]},{"name":"U_ILLEGAL_CHAR_FOUND","features":[394]},{"name":"U_ILLEGAL_CHAR_IN_SEGMENT","features":[394]},{"name":"U_ILLEGAL_ESCAPE_SEQUENCE","features":[394]},{"name":"U_ILLEGAL_PAD_POSITION","features":[394]},{"name":"U_INDEX_OUTOFBOUNDS_ERROR","features":[394]},{"name":"U_INITIAL_PUNCTUATION","features":[394]},{"name":"U_INPC_BOTTOM","features":[394]},{"name":"U_INPC_BOTTOM_AND_LEFT","features":[394]},{"name":"U_INPC_BOTTOM_AND_RIGHT","features":[394]},{"name":"U_INPC_LEFT","features":[394]},{"name":"U_INPC_LEFT_AND_RIGHT","features":[394]},{"name":"U_INPC_NA","features":[394]},{"name":"U_INPC_OVERSTRUCK","features":[394]},{"name":"U_INPC_RIGHT","features":[394]},{"name":"U_INPC_TOP","features":[394]},{"name":"U_INPC_TOP_AND_BOTTOM","features":[394]},{"name":"U_INPC_TOP_AND_BOTTOM_AND_LEFT","features":[394]},{"name":"U_INPC_TOP_AND_BOTTOM_AND_RIGHT","features":[394]},{"name":"U_INPC_TOP_AND_LEFT","features":[394]},{"name":"U_INPC_TOP_AND_LEFT_AND_RIGHT","features":[394]},{"name":"U_INPC_TOP_AND_RIGHT","features":[394]},{"name":"U_INPC_VISUAL_ORDER_LEFT","features":[394]},{"name":"U_INSC_AVAGRAHA","features":[394]},{"name":"U_INSC_BINDU","features":[394]},{"name":"U_INSC_BRAHMI_JOINING_NUMBER","features":[394]},{"name":"U_INSC_CANTILLATION_MARK","features":[394]},{"name":"U_INSC_CONSONANT","features":[394]},{"name":"U_INSC_CONSONANT_DEAD","features":[394]},{"name":"U_INSC_CONSONANT_FINAL","features":[394]},{"name":"U_INSC_CONSONANT_HEAD_LETTER","features":[394]},{"name":"U_INSC_CONSONANT_INITIAL_POSTFIXED","features":[394]},{"name":"U_INSC_CONSONANT_KILLER","features":[394]},{"name":"U_INSC_CONSONANT_MEDIAL","features":[394]},{"name":"U_INSC_CONSONANT_PLACEHOLDER","features":[394]},{"name":"U_INSC_CONSONANT_PRECEDING_REPHA","features":[394]},{"name":"U_INSC_CONSONANT_PREFIXED","features":[394]},{"name":"U_INSC_CONSONANT_SUBJOINED","features":[394]},{"name":"U_INSC_CONSONANT_SUCCEEDING_REPHA","features":[394]},{"name":"U_INSC_CONSONANT_WITH_STACKER","features":[394]},{"name":"U_INSC_GEMINATION_MARK","features":[394]},{"name":"U_INSC_INVISIBLE_STACKER","features":[394]},{"name":"U_INSC_JOINER","features":[394]},{"name":"U_INSC_MODIFYING_LETTER","features":[394]},{"name":"U_INSC_NON_JOINER","features":[394]},{"name":"U_INSC_NUKTA","features":[394]},{"name":"U_INSC_NUMBER","features":[394]},{"name":"U_INSC_NUMBER_JOINER","features":[394]},{"name":"U_INSC_OTHER","features":[394]},{"name":"U_INSC_PURE_KILLER","features":[394]},{"name":"U_INSC_REGISTER_SHIFTER","features":[394]},{"name":"U_INSC_SYLLABLE_MODIFIER","features":[394]},{"name":"U_INSC_TONE_LETTER","features":[394]},{"name":"U_INSC_TONE_MARK","features":[394]},{"name":"U_INSC_VIRAMA","features":[394]},{"name":"U_INSC_VISARGA","features":[394]},{"name":"U_INSC_VOWEL","features":[394]},{"name":"U_INSC_VOWEL_DEPENDENT","features":[394]},{"name":"U_INSC_VOWEL_INDEPENDENT","features":[394]},{"name":"U_INTERNAL_PROGRAM_ERROR","features":[394]},{"name":"U_INTERNAL_TRANSLITERATOR_ERROR","features":[394]},{"name":"U_INVALID_CHAR_FOUND","features":[394]},{"name":"U_INVALID_FORMAT_ERROR","features":[394]},{"name":"U_INVALID_FUNCTION","features":[394]},{"name":"U_INVALID_ID","features":[394]},{"name":"U_INVALID_PROPERTY_PATTERN","features":[394]},{"name":"U_INVALID_RBT_SYNTAX","features":[394]},{"name":"U_INVALID_STATE_ERROR","features":[394]},{"name":"U_INVALID_TABLE_FILE","features":[394]},{"name":"U_INVALID_TABLE_FORMAT","features":[394]},{"name":"U_INVARIANT_CONVERSION_ERROR","features":[394]},{"name":"U_IOSTREAM_SOURCE","features":[394]},{"name":"U_IS_BIG_ENDIAN","features":[394]},{"name":"U_JG_AFRICAN_FEH","features":[394]},{"name":"U_JG_AFRICAN_NOON","features":[394]},{"name":"U_JG_AFRICAN_QAF","features":[394]},{"name":"U_JG_AIN","features":[394]},{"name":"U_JG_ALAPH","features":[394]},{"name":"U_JG_ALEF","features":[394]},{"name":"U_JG_BEH","features":[394]},{"name":"U_JG_BETH","features":[394]},{"name":"U_JG_BURUSHASKI_YEH_BARREE","features":[394]},{"name":"U_JG_DAL","features":[394]},{"name":"U_JG_DALATH_RISH","features":[394]},{"name":"U_JG_E","features":[394]},{"name":"U_JG_FARSI_YEH","features":[394]},{"name":"U_JG_FE","features":[394]},{"name":"U_JG_FEH","features":[394]},{"name":"U_JG_FINAL_SEMKATH","features":[394]},{"name":"U_JG_GAF","features":[394]},{"name":"U_JG_GAMAL","features":[394]},{"name":"U_JG_HAH","features":[394]},{"name":"U_JG_HAMZA_ON_HEH_GOAL","features":[394]},{"name":"U_JG_HANIFI_ROHINGYA_KINNA_YA","features":[394]},{"name":"U_JG_HANIFI_ROHINGYA_PA","features":[394]},{"name":"U_JG_HE","features":[394]},{"name":"U_JG_HEH","features":[394]},{"name":"U_JG_HEH_GOAL","features":[394]},{"name":"U_JG_HETH","features":[394]},{"name":"U_JG_KAF","features":[394]},{"name":"U_JG_KAPH","features":[394]},{"name":"U_JG_KHAPH","features":[394]},{"name":"U_JG_KNOTTED_HEH","features":[394]},{"name":"U_JG_LAM","features":[394]},{"name":"U_JG_LAMADH","features":[394]},{"name":"U_JG_MALAYALAM_BHA","features":[394]},{"name":"U_JG_MALAYALAM_JA","features":[394]},{"name":"U_JG_MALAYALAM_LLA","features":[394]},{"name":"U_JG_MALAYALAM_LLLA","features":[394]},{"name":"U_JG_MALAYALAM_NGA","features":[394]},{"name":"U_JG_MALAYALAM_NNA","features":[394]},{"name":"U_JG_MALAYALAM_NNNA","features":[394]},{"name":"U_JG_MALAYALAM_NYA","features":[394]},{"name":"U_JG_MALAYALAM_RA","features":[394]},{"name":"U_JG_MALAYALAM_SSA","features":[394]},{"name":"U_JG_MALAYALAM_TTA","features":[394]},{"name":"U_JG_MANICHAEAN_ALEPH","features":[394]},{"name":"U_JG_MANICHAEAN_AYIN","features":[394]},{"name":"U_JG_MANICHAEAN_BETH","features":[394]},{"name":"U_JG_MANICHAEAN_DALETH","features":[394]},{"name":"U_JG_MANICHAEAN_DHAMEDH","features":[394]},{"name":"U_JG_MANICHAEAN_FIVE","features":[394]},{"name":"U_JG_MANICHAEAN_GIMEL","features":[394]},{"name":"U_JG_MANICHAEAN_HETH","features":[394]},{"name":"U_JG_MANICHAEAN_HUNDRED","features":[394]},{"name":"U_JG_MANICHAEAN_KAPH","features":[394]},{"name":"U_JG_MANICHAEAN_LAMEDH","features":[394]},{"name":"U_JG_MANICHAEAN_MEM","features":[394]},{"name":"U_JG_MANICHAEAN_NUN","features":[394]},{"name":"U_JG_MANICHAEAN_ONE","features":[394]},{"name":"U_JG_MANICHAEAN_PE","features":[394]},{"name":"U_JG_MANICHAEAN_QOPH","features":[394]},{"name":"U_JG_MANICHAEAN_RESH","features":[394]},{"name":"U_JG_MANICHAEAN_SADHE","features":[394]},{"name":"U_JG_MANICHAEAN_SAMEKH","features":[394]},{"name":"U_JG_MANICHAEAN_TAW","features":[394]},{"name":"U_JG_MANICHAEAN_TEN","features":[394]},{"name":"U_JG_MANICHAEAN_TETH","features":[394]},{"name":"U_JG_MANICHAEAN_THAMEDH","features":[394]},{"name":"U_JG_MANICHAEAN_TWENTY","features":[394]},{"name":"U_JG_MANICHAEAN_WAW","features":[394]},{"name":"U_JG_MANICHAEAN_YODH","features":[394]},{"name":"U_JG_MANICHAEAN_ZAYIN","features":[394]},{"name":"U_JG_MEEM","features":[394]},{"name":"U_JG_MIM","features":[394]},{"name":"U_JG_NOON","features":[394]},{"name":"U_JG_NO_JOINING_GROUP","features":[394]},{"name":"U_JG_NUN","features":[394]},{"name":"U_JG_NYA","features":[394]},{"name":"U_JG_PE","features":[394]},{"name":"U_JG_QAF","features":[394]},{"name":"U_JG_QAPH","features":[394]},{"name":"U_JG_REH","features":[394]},{"name":"U_JG_REVERSED_PE","features":[394]},{"name":"U_JG_ROHINGYA_YEH","features":[394]},{"name":"U_JG_SAD","features":[394]},{"name":"U_JG_SADHE","features":[394]},{"name":"U_JG_SEEN","features":[394]},{"name":"U_JG_SEMKATH","features":[394]},{"name":"U_JG_SHIN","features":[394]},{"name":"U_JG_STRAIGHT_WAW","features":[394]},{"name":"U_JG_SWASH_KAF","features":[394]},{"name":"U_JG_SYRIAC_WAW","features":[394]},{"name":"U_JG_TAH","features":[394]},{"name":"U_JG_TAW","features":[394]},{"name":"U_JG_TEH_MARBUTA","features":[394]},{"name":"U_JG_TEH_MARBUTA_GOAL","features":[394]},{"name":"U_JG_TETH","features":[394]},{"name":"U_JG_WAW","features":[394]},{"name":"U_JG_YEH","features":[394]},{"name":"U_JG_YEH_BARREE","features":[394]},{"name":"U_JG_YEH_WITH_TAIL","features":[394]},{"name":"U_JG_YUDH","features":[394]},{"name":"U_JG_YUDH_HE","features":[394]},{"name":"U_JG_ZAIN","features":[394]},{"name":"U_JG_ZHAIN","features":[394]},{"name":"U_JT_DUAL_JOINING","features":[394]},{"name":"U_JT_JOIN_CAUSING","features":[394]},{"name":"U_JT_LEFT_JOINING","features":[394]},{"name":"U_JT_NON_JOINING","features":[394]},{"name":"U_JT_RIGHT_JOINING","features":[394]},{"name":"U_JT_TRANSPARENT","features":[394]},{"name":"U_LB_ALPHABETIC","features":[394]},{"name":"U_LB_AMBIGUOUS","features":[394]},{"name":"U_LB_BREAK_AFTER","features":[394]},{"name":"U_LB_BREAK_BEFORE","features":[394]},{"name":"U_LB_BREAK_BOTH","features":[394]},{"name":"U_LB_BREAK_SYMBOLS","features":[394]},{"name":"U_LB_CARRIAGE_RETURN","features":[394]},{"name":"U_LB_CLOSE_PARENTHESIS","features":[394]},{"name":"U_LB_CLOSE_PUNCTUATION","features":[394]},{"name":"U_LB_COMBINING_MARK","features":[394]},{"name":"U_LB_COMPLEX_CONTEXT","features":[394]},{"name":"U_LB_CONDITIONAL_JAPANESE_STARTER","features":[394]},{"name":"U_LB_CONTINGENT_BREAK","features":[394]},{"name":"U_LB_EXCLAMATION","features":[394]},{"name":"U_LB_E_BASE","features":[394]},{"name":"U_LB_E_MODIFIER","features":[394]},{"name":"U_LB_GLUE","features":[394]},{"name":"U_LB_H2","features":[394]},{"name":"U_LB_H3","features":[394]},{"name":"U_LB_HEBREW_LETTER","features":[394]},{"name":"U_LB_HYPHEN","features":[394]},{"name":"U_LB_IDEOGRAPHIC","features":[394]},{"name":"U_LB_INFIX_NUMERIC","features":[394]},{"name":"U_LB_INSEPARABLE","features":[394]},{"name":"U_LB_INSEPERABLE","features":[394]},{"name":"U_LB_JL","features":[394]},{"name":"U_LB_JT","features":[394]},{"name":"U_LB_JV","features":[394]},{"name":"U_LB_LINE_FEED","features":[394]},{"name":"U_LB_MANDATORY_BREAK","features":[394]},{"name":"U_LB_NEXT_LINE","features":[394]},{"name":"U_LB_NONSTARTER","features":[394]},{"name":"U_LB_NUMERIC","features":[394]},{"name":"U_LB_OPEN_PUNCTUATION","features":[394]},{"name":"U_LB_POSTFIX_NUMERIC","features":[394]},{"name":"U_LB_PREFIX_NUMERIC","features":[394]},{"name":"U_LB_QUOTATION","features":[394]},{"name":"U_LB_REGIONAL_INDICATOR","features":[394]},{"name":"U_LB_SPACE","features":[394]},{"name":"U_LB_SURROGATE","features":[394]},{"name":"U_LB_UNKNOWN","features":[394]},{"name":"U_LB_WORD_JOINER","features":[394]},{"name":"U_LB_ZWJ","features":[394]},{"name":"U_LB_ZWSPACE","features":[394]},{"name":"U_LEFT_TO_RIGHT","features":[394]},{"name":"U_LEFT_TO_RIGHT_EMBEDDING","features":[394]},{"name":"U_LEFT_TO_RIGHT_ISOLATE","features":[394]},{"name":"U_LEFT_TO_RIGHT_OVERRIDE","features":[394]},{"name":"U_LETTER_NUMBER","features":[394]},{"name":"U_LIB_SUFFIX_C_NAME_STRING","features":[394]},{"name":"U_LINE_SEPARATOR","features":[394]},{"name":"U_LONG_PROPERTY_NAME","features":[394]},{"name":"U_LOWERCASE_LETTER","features":[394]},{"name":"U_MALFORMED_EXPONENTIAL_PATTERN","features":[394]},{"name":"U_MALFORMED_PRAGMA","features":[394]},{"name":"U_MALFORMED_RULE","features":[394]},{"name":"U_MALFORMED_SET","features":[394]},{"name":"U_MALFORMED_SYMBOL_REFERENCE","features":[394]},{"name":"U_MALFORMED_UNICODE_ESCAPE","features":[394]},{"name":"U_MALFORMED_VARIABLE_DEFINITION","features":[394]},{"name":"U_MALFORMED_VARIABLE_REFERENCE","features":[394]},{"name":"U_MATH_SYMBOL","features":[394]},{"name":"U_MAX_VERSION_LENGTH","features":[394]},{"name":"U_MAX_VERSION_STRING_LENGTH","features":[394]},{"name":"U_MEMORY_ALLOCATION_ERROR","features":[394]},{"name":"U_MESSAGE_PARSE_ERROR","features":[394]},{"name":"U_MILLIS_PER_DAY","features":[394]},{"name":"U_MILLIS_PER_HOUR","features":[394]},{"name":"U_MILLIS_PER_MINUTE","features":[394]},{"name":"U_MILLIS_PER_SECOND","features":[394]},{"name":"U_MISMATCHED_SEGMENT_DELIMITERS","features":[394]},{"name":"U_MISPLACED_ANCHOR_START","features":[394]},{"name":"U_MISPLACED_COMPOUND_FILTER","features":[394]},{"name":"U_MISPLACED_CURSOR_OFFSET","features":[394]},{"name":"U_MISPLACED_QUANTIFIER","features":[394]},{"name":"U_MISSING_OPERATOR","features":[394]},{"name":"U_MISSING_RESOURCE_ERROR","features":[394]},{"name":"U_MISSING_SEGMENT_CLOSE","features":[394]},{"name":"U_MODIFIER_LETTER","features":[394]},{"name":"U_MODIFIER_SYMBOL","features":[394]},{"name":"U_MULTIPLE_ANTE_CONTEXTS","features":[394]},{"name":"U_MULTIPLE_COMPOUND_FILTERS","features":[394]},{"name":"U_MULTIPLE_CURSORS","features":[394]},{"name":"U_MULTIPLE_DECIMAL_SEPARATORS","features":[394]},{"name":"U_MULTIPLE_DECIMAL_SEPERATORS","features":[394]},{"name":"U_MULTIPLE_EXPONENTIAL_SYMBOLS","features":[394]},{"name":"U_MULTIPLE_PAD_SPECIFIERS","features":[394]},{"name":"U_MULTIPLE_PERCENT_SYMBOLS","features":[394]},{"name":"U_MULTIPLE_PERMILL_SYMBOLS","features":[394]},{"name":"U_MULTIPLE_POST_CONTEXTS","features":[394]},{"name":"U_NON_SPACING_MARK","features":[394]},{"name":"U_NO_DEFAULT_INCLUDE_UTF_HEADERS","features":[394]},{"name":"U_NO_SPACE_AVAILABLE","features":[394]},{"name":"U_NO_WRITE_PERMISSION","features":[394]},{"name":"U_NT_DECIMAL","features":[394]},{"name":"U_NT_DIGIT","features":[394]},{"name":"U_NT_NONE","features":[394]},{"name":"U_NT_NUMERIC","features":[394]},{"name":"U_NUMBER_ARG_OUTOFBOUNDS_ERROR","features":[394]},{"name":"U_NUMBER_SKELETON_SYNTAX_ERROR","features":[394]},{"name":"U_OMIT_UNCHANGED_TEXT","features":[394]},{"name":"U_OTHER_LETTER","features":[394]},{"name":"U_OTHER_NEUTRAL","features":[394]},{"name":"U_OTHER_NUMBER","features":[394]},{"name":"U_OTHER_PUNCTUATION","features":[394]},{"name":"U_OTHER_SYMBOL","features":[394]},{"name":"U_OVERRIDE_CXX_ALLOCATION","features":[394]},{"name":"U_PARAGRAPH_SEPARATOR","features":[394]},{"name":"U_PARSE_CONTEXT_LEN","features":[394]},{"name":"U_PARSE_ERROR","features":[394]},{"name":"U_PARSE_ERROR_START","features":[394]},{"name":"U_PATTERN_SYNTAX_ERROR","features":[394]},{"name":"U_PF_AIX","features":[394]},{"name":"U_PF_ANDROID","features":[394]},{"name":"U_PF_BROWSER_NATIVE_CLIENT","features":[394]},{"name":"U_PF_BSD","features":[394]},{"name":"U_PF_CYGWIN","features":[394]},{"name":"U_PF_DARWIN","features":[394]},{"name":"U_PF_EMSCRIPTEN","features":[394]},{"name":"U_PF_FUCHSIA","features":[394]},{"name":"U_PF_HPUX","features":[394]},{"name":"U_PF_IPHONE","features":[394]},{"name":"U_PF_IRIX","features":[394]},{"name":"U_PF_LINUX","features":[394]},{"name":"U_PF_MINGW","features":[394]},{"name":"U_PF_OS390","features":[394]},{"name":"U_PF_OS400","features":[394]},{"name":"U_PF_QNX","features":[394]},{"name":"U_PF_SOLARIS","features":[394]},{"name":"U_PF_UNKNOWN","features":[394]},{"name":"U_PF_WINDOWS","features":[394]},{"name":"U_PLATFORM","features":[394]},{"name":"U_PLATFORM_HAS_WIN32_API","features":[394]},{"name":"U_PLATFORM_HAS_WINUWP_API","features":[394]},{"name":"U_PLATFORM_IMPLEMENTS_POSIX","features":[394]},{"name":"U_PLATFORM_IS_DARWIN_BASED","features":[394]},{"name":"U_PLATFORM_IS_LINUX_BASED","features":[394]},{"name":"U_PLATFORM_USES_ONLY_WIN32_API","features":[394]},{"name":"U_PLUGIN_CHANGED_LEVEL_WARNING","features":[394]},{"name":"U_PLUGIN_DIDNT_SET_LEVEL","features":[394]},{"name":"U_PLUGIN_ERROR_START","features":[394]},{"name":"U_PLUGIN_TOO_HIGH","features":[394]},{"name":"U_POP_DIRECTIONAL_FORMAT","features":[394]},{"name":"U_POP_DIRECTIONAL_ISOLATE","features":[394]},{"name":"U_PRIMARY_TOO_LONG_ERROR","features":[394]},{"name":"U_PRIVATE_USE_CHAR","features":[394]},{"name":"U_REGEX_BAD_ESCAPE_SEQUENCE","features":[394]},{"name":"U_REGEX_BAD_INTERVAL","features":[394]},{"name":"U_REGEX_ERROR_START","features":[394]},{"name":"U_REGEX_INTERNAL_ERROR","features":[394]},{"name":"U_REGEX_INVALID_BACK_REF","features":[394]},{"name":"U_REGEX_INVALID_CAPTURE_GROUP_NAME","features":[394]},{"name":"U_REGEX_INVALID_FLAG","features":[394]},{"name":"U_REGEX_INVALID_RANGE","features":[394]},{"name":"U_REGEX_INVALID_STATE","features":[394]},{"name":"U_REGEX_LOOK_BEHIND_LIMIT","features":[394]},{"name":"U_REGEX_MAX_LT_MIN","features":[394]},{"name":"U_REGEX_MISMATCHED_PAREN","features":[394]},{"name":"U_REGEX_MISSING_CLOSE_BRACKET","features":[394]},{"name":"U_REGEX_NUMBER_TOO_BIG","features":[394]},{"name":"U_REGEX_PATTERN_TOO_BIG","features":[394]},{"name":"U_REGEX_PROPERTY_SYNTAX","features":[394]},{"name":"U_REGEX_RULE_SYNTAX","features":[394]},{"name":"U_REGEX_SET_CONTAINS_STRING","features":[394]},{"name":"U_REGEX_STACK_OVERFLOW","features":[394]},{"name":"U_REGEX_STOPPED_BY_CALLER","features":[394]},{"name":"U_REGEX_TIME_OUT","features":[394]},{"name":"U_REGEX_UNIMPLEMENTED","features":[394]},{"name":"U_RESOURCE_TYPE_MISMATCH","features":[394]},{"name":"U_RIGHT_TO_LEFT","features":[394]},{"name":"U_RIGHT_TO_LEFT_ARABIC","features":[394]},{"name":"U_RIGHT_TO_LEFT_EMBEDDING","features":[394]},{"name":"U_RIGHT_TO_LEFT_ISOLATE","features":[394]},{"name":"U_RIGHT_TO_LEFT_OVERRIDE","features":[394]},{"name":"U_RULE_MASK_ERROR","features":[394]},{"name":"U_SAFECLONE_ALLOCATED_WARNING","features":[394]},{"name":"U_SB_ATERM","features":[394]},{"name":"U_SB_CLOSE","features":[394]},{"name":"U_SB_CR","features":[394]},{"name":"U_SB_EXTEND","features":[394]},{"name":"U_SB_FORMAT","features":[394]},{"name":"U_SB_LF","features":[394]},{"name":"U_SB_LOWER","features":[394]},{"name":"U_SB_NUMERIC","features":[394]},{"name":"U_SB_OLETTER","features":[394]},{"name":"U_SB_OTHER","features":[394]},{"name":"U_SB_SCONTINUE","features":[394]},{"name":"U_SB_SEP","features":[394]},{"name":"U_SB_SP","features":[394]},{"name":"U_SB_STERM","features":[394]},{"name":"U_SB_UPPER","features":[394]},{"name":"U_SEGMENT_SEPARATOR","features":[394]},{"name":"U_SENTINEL","features":[394]},{"name":"U_SHAPE_AGGREGATE_TASHKEEL","features":[394]},{"name":"U_SHAPE_AGGREGATE_TASHKEEL_MASK","features":[394]},{"name":"U_SHAPE_AGGREGATE_TASHKEEL_NOOP","features":[394]},{"name":"U_SHAPE_DIGITS_ALEN2AN_INIT_AL","features":[394]},{"name":"U_SHAPE_DIGITS_ALEN2AN_INIT_LR","features":[394]},{"name":"U_SHAPE_DIGITS_AN2EN","features":[394]},{"name":"U_SHAPE_DIGITS_EN2AN","features":[394]},{"name":"U_SHAPE_DIGITS_MASK","features":[394]},{"name":"U_SHAPE_DIGITS_NOOP","features":[394]},{"name":"U_SHAPE_DIGITS_RESERVED","features":[394]},{"name":"U_SHAPE_DIGIT_TYPE_AN","features":[394]},{"name":"U_SHAPE_DIGIT_TYPE_AN_EXTENDED","features":[394]},{"name":"U_SHAPE_DIGIT_TYPE_MASK","features":[394]},{"name":"U_SHAPE_DIGIT_TYPE_RESERVED","features":[394]},{"name":"U_SHAPE_LAMALEF_AUTO","features":[394]},{"name":"U_SHAPE_LAMALEF_BEGIN","features":[394]},{"name":"U_SHAPE_LAMALEF_END","features":[394]},{"name":"U_SHAPE_LAMALEF_MASK","features":[394]},{"name":"U_SHAPE_LAMALEF_NEAR","features":[394]},{"name":"U_SHAPE_LAMALEF_RESIZE","features":[394]},{"name":"U_SHAPE_LENGTH_FIXED_SPACES_AT_BEGINNING","features":[394]},{"name":"U_SHAPE_LENGTH_FIXED_SPACES_AT_END","features":[394]},{"name":"U_SHAPE_LENGTH_FIXED_SPACES_NEAR","features":[394]},{"name":"U_SHAPE_LENGTH_GROW_SHRINK","features":[394]},{"name":"U_SHAPE_LENGTH_MASK","features":[394]},{"name":"U_SHAPE_LETTERS_MASK","features":[394]},{"name":"U_SHAPE_LETTERS_NOOP","features":[394]},{"name":"U_SHAPE_LETTERS_SHAPE","features":[394]},{"name":"U_SHAPE_LETTERS_SHAPE_TASHKEEL_ISOLATED","features":[394]},{"name":"U_SHAPE_LETTERS_UNSHAPE","features":[394]},{"name":"U_SHAPE_PRESERVE_PRESENTATION","features":[394]},{"name":"U_SHAPE_PRESERVE_PRESENTATION_MASK","features":[394]},{"name":"U_SHAPE_PRESERVE_PRESENTATION_NOOP","features":[394]},{"name":"U_SHAPE_SEEN_MASK","features":[394]},{"name":"U_SHAPE_SEEN_TWOCELL_NEAR","features":[394]},{"name":"U_SHAPE_SPACES_RELATIVE_TO_TEXT_BEGIN_END","features":[394]},{"name":"U_SHAPE_SPACES_RELATIVE_TO_TEXT_MASK","features":[394]},{"name":"U_SHAPE_TAIL_NEW_UNICODE","features":[394]},{"name":"U_SHAPE_TAIL_TYPE_MASK","features":[394]},{"name":"U_SHAPE_TASHKEEL_BEGIN","features":[394]},{"name":"U_SHAPE_TASHKEEL_END","features":[394]},{"name":"U_SHAPE_TASHKEEL_MASK","features":[394]},{"name":"U_SHAPE_TASHKEEL_REPLACE_BY_TATWEEL","features":[394]},{"name":"U_SHAPE_TASHKEEL_RESIZE","features":[394]},{"name":"U_SHAPE_TEXT_DIRECTION_LOGICAL","features":[394]},{"name":"U_SHAPE_TEXT_DIRECTION_MASK","features":[394]},{"name":"U_SHAPE_TEXT_DIRECTION_VISUAL_LTR","features":[394]},{"name":"U_SHAPE_TEXT_DIRECTION_VISUAL_RTL","features":[394]},{"name":"U_SHAPE_YEHHAMZA_MASK","features":[394]},{"name":"U_SHAPE_YEHHAMZA_TWOCELL_NEAR","features":[394]},{"name":"U_SHORT_PROPERTY_NAME","features":[394]},{"name":"U_SHOW_CPLUSPLUS_API","features":[394]},{"name":"U_SIZEOF_UCHAR","features":[394]},{"name":"U_SIZEOF_WCHAR_T","features":[394]},{"name":"U_SORT_KEY_TOO_SHORT_WARNING","features":[394]},{"name":"U_SPACE_SEPARATOR","features":[394]},{"name":"U_START_PUNCTUATION","features":[394]},{"name":"U_STATE_OLD_WARNING","features":[394]},{"name":"U_STATE_TOO_OLD_ERROR","features":[394]},{"name":"U_STRINGPREP_CHECK_BIDI_ERROR","features":[394]},{"name":"U_STRINGPREP_PROHIBITED_ERROR","features":[394]},{"name":"U_STRINGPREP_UNASSIGNED_ERROR","features":[394]},{"name":"U_STRING_NOT_TERMINATED_WARNING","features":[394]},{"name":"U_SURROGATE","features":[394]},{"name":"U_TITLECASE_ADJUST_TO_CASED","features":[394]},{"name":"U_TITLECASE_LETTER","features":[394]},{"name":"U_TITLECASE_NO_BREAK_ADJUSTMENT","features":[394]},{"name":"U_TITLECASE_NO_LOWERCASE","features":[394]},{"name":"U_TITLECASE_SENTENCES","features":[394]},{"name":"U_TITLECASE_WHOLE_STRING","features":[394]},{"name":"U_TOO_MANY_ALIASES_ERROR","features":[394]},{"name":"U_TRAILING_BACKSLASH","features":[394]},{"name":"U_TRUNCATED_CHAR_FOUND","features":[394]},{"name":"U_UNASSIGNED","features":[394]},{"name":"U_UNCLOSED_SEGMENT","features":[394]},{"name":"U_UNDEFINED_KEYWORD","features":[394]},{"name":"U_UNDEFINED_SEGMENT_REFERENCE","features":[394]},{"name":"U_UNDEFINED_VARIABLE","features":[394]},{"name":"U_UNEXPECTED_TOKEN","features":[394]},{"name":"U_UNICODE_CHAR_NAME","features":[394]},{"name":"U_UNICODE_VERSION","features":[394]},{"name":"U_UNMATCHED_BRACES","features":[394]},{"name":"U_UNQUOTED_SPECIAL","features":[394]},{"name":"U_UNSUPPORTED_ATTRIBUTE","features":[394]},{"name":"U_UNSUPPORTED_ERROR","features":[394]},{"name":"U_UNSUPPORTED_ESCAPE_SEQUENCE","features":[394]},{"name":"U_UNSUPPORTED_PROPERTY","features":[394]},{"name":"U_UNTERMINATED_QUOTE","features":[394]},{"name":"U_UPPERCASE_LETTER","features":[394]},{"name":"U_USELESS_COLLATOR_ERROR","features":[394]},{"name":"U_USING_DEFAULT_WARNING","features":[394]},{"name":"U_USING_FALLBACK_WARNING","features":[394]},{"name":"U_USING_ICU_NAMESPACE","features":[394]},{"name":"U_VARIABLE_RANGE_EXHAUSTED","features":[394]},{"name":"U_VARIABLE_RANGE_OVERLAP","features":[394]},{"name":"U_VO_ROTATED","features":[394]},{"name":"U_VO_TRANSFORMED_ROTATED","features":[394]},{"name":"U_VO_TRANSFORMED_UPRIGHT","features":[394]},{"name":"U_VO_UPRIGHT","features":[394]},{"name":"U_WB_ALETTER","features":[394]},{"name":"U_WB_CR","features":[394]},{"name":"U_WB_DOUBLE_QUOTE","features":[394]},{"name":"U_WB_EXTEND","features":[394]},{"name":"U_WB_EXTENDNUMLET","features":[394]},{"name":"U_WB_E_BASE","features":[394]},{"name":"U_WB_E_BASE_GAZ","features":[394]},{"name":"U_WB_E_MODIFIER","features":[394]},{"name":"U_WB_FORMAT","features":[394]},{"name":"U_WB_GLUE_AFTER_ZWJ","features":[394]},{"name":"U_WB_HEBREW_LETTER","features":[394]},{"name":"U_WB_KATAKANA","features":[394]},{"name":"U_WB_LF","features":[394]},{"name":"U_WB_MIDLETTER","features":[394]},{"name":"U_WB_MIDNUM","features":[394]},{"name":"U_WB_MIDNUMLET","features":[394]},{"name":"U_WB_NEWLINE","features":[394]},{"name":"U_WB_NUMERIC","features":[394]},{"name":"U_WB_OTHER","features":[394]},{"name":"U_WB_REGIONAL_INDICATOR","features":[394]},{"name":"U_WB_SINGLE_QUOTE","features":[394]},{"name":"U_WB_WSEGSPACE","features":[394]},{"name":"U_WB_ZWJ","features":[394]},{"name":"U_WHITE_SPACE_NEUTRAL","features":[394]},{"name":"U_ZERO_ERROR","features":[394]},{"name":"UpdateCalendarDayOfWeek","features":[308,394]},{"name":"VS_ALLOW_LATIN","features":[394]},{"name":"VerifyScripts","features":[308,394]},{"name":"WC_COMPOSITECHECK","features":[394]},{"name":"WC_DEFAULTCHAR","features":[394]},{"name":"WC_DISCARDNS","features":[394]},{"name":"WC_ERR_INVALID_CHARS","features":[394]},{"name":"WC_NO_BEST_FIT_CHARS","features":[394]},{"name":"WC_SEPCHARS","features":[394]},{"name":"WORDLIST_TYPE","features":[394]},{"name":"WORDLIST_TYPE_ADD","features":[394]},{"name":"WORDLIST_TYPE_AUTOCORRECT","features":[394]},{"name":"WORDLIST_TYPE_EXCLUDE","features":[394]},{"name":"WORDLIST_TYPE_IGNORE","features":[394]},{"name":"WeekUnit","features":[394]},{"name":"WideCharToMultiByte","features":[308,394]},{"name":"YearUnit","features":[394]},{"name":"lstrcatA","features":[394]},{"name":"lstrcatW","features":[394]},{"name":"lstrcmpA","features":[394]},{"name":"lstrcmpW","features":[394]},{"name":"lstrcmpiA","features":[394]},{"name":"lstrcmpiW","features":[394]},{"name":"lstrcpyA","features":[394]},{"name":"lstrcpyW","features":[394]},{"name":"lstrcpynA","features":[394]},{"name":"lstrcpynW","features":[394]},{"name":"lstrlenA","features":[394]},{"name":"lstrlenW","features":[394]},{"name":"sidArabic","features":[394]},{"name":"sidArmenian","features":[394]},{"name":"sidAsciiLatin","features":[394]},{"name":"sidAsciiSym","features":[394]},{"name":"sidBengali","features":[394]},{"name":"sidBopomofo","features":[394]},{"name":"sidBraille","features":[394]},{"name":"sidBurmese","features":[394]},{"name":"sidCanSyllabic","features":[394]},{"name":"sidCherokee","features":[394]},{"name":"sidCyrillic","features":[394]},{"name":"sidDefault","features":[394]},{"name":"sidDevanagari","features":[394]},{"name":"sidEthiopic","features":[394]},{"name":"sidFEFirst","features":[394]},{"name":"sidFELast","features":[394]},{"name":"sidGeorgian","features":[394]},{"name":"sidGreek","features":[394]},{"name":"sidGujarati","features":[394]},{"name":"sidGurmukhi","features":[394]},{"name":"sidHan","features":[394]},{"name":"sidHangul","features":[394]},{"name":"sidHebrew","features":[394]},{"name":"sidKana","features":[394]},{"name":"sidKannada","features":[394]},{"name":"sidKhmer","features":[394]},{"name":"sidLao","features":[394]},{"name":"sidLatin","features":[394]},{"name":"sidLim","features":[394]},{"name":"sidMalayalam","features":[394]},{"name":"sidMerge","features":[394]},{"name":"sidMongolian","features":[394]},{"name":"sidOgham","features":[394]},{"name":"sidOriya","features":[394]},{"name":"sidRunic","features":[394]},{"name":"sidSinhala","features":[394]},{"name":"sidSyriac","features":[394]},{"name":"sidTamil","features":[394]},{"name":"sidTelugu","features":[394]},{"name":"sidThaana","features":[394]},{"name":"sidThai","features":[394]},{"name":"sidTibetan","features":[394]},{"name":"sidUserDefined","features":[394]},{"name":"sidYi","features":[394]},{"name":"u_UCharsToChars","features":[394]},{"name":"u_austrcpy","features":[394]},{"name":"u_austrncpy","features":[394]},{"name":"u_catclose","features":[394]},{"name":"u_catgets","features":[394]},{"name":"u_catopen","features":[394]},{"name":"u_charAge","features":[394]},{"name":"u_charDigitValue","features":[394]},{"name":"u_charDirection","features":[394]},{"name":"u_charFromName","features":[394]},{"name":"u_charMirror","features":[394]},{"name":"u_charName","features":[394]},{"name":"u_charType","features":[394]},{"name":"u_charsToUChars","features":[394]},{"name":"u_cleanup","features":[394]},{"name":"u_countChar32","features":[394]},{"name":"u_digit","features":[394]},{"name":"u_enumCharNames","features":[394]},{"name":"u_enumCharTypes","features":[394]},{"name":"u_errorName","features":[394]},{"name":"u_foldCase","features":[394]},{"name":"u_forDigit","features":[394]},{"name":"u_formatMessage","features":[394]},{"name":"u_formatMessageWithError","features":[394]},{"name":"u_getBidiPairedBracket","features":[394]},{"name":"u_getBinaryPropertySet","features":[394]},{"name":"u_getCombiningClass","features":[394]},{"name":"u_getDataVersion","features":[394]},{"name":"u_getFC_NFKC_Closure","features":[394]},{"name":"u_getIntPropertyMap","features":[394]},{"name":"u_getIntPropertyMaxValue","features":[394]},{"name":"u_getIntPropertyMinValue","features":[394]},{"name":"u_getIntPropertyValue","features":[394]},{"name":"u_getNumericValue","features":[394]},{"name":"u_getPropertyEnum","features":[394]},{"name":"u_getPropertyName","features":[394]},{"name":"u_getPropertyValueEnum","features":[394]},{"name":"u_getPropertyValueName","features":[394]},{"name":"u_getUnicodeVersion","features":[394]},{"name":"u_getVersion","features":[394]},{"name":"u_hasBinaryProperty","features":[394]},{"name":"u_init","features":[394]},{"name":"u_isIDIgnorable","features":[394]},{"name":"u_isIDPart","features":[394]},{"name":"u_isIDStart","features":[394]},{"name":"u_isISOControl","features":[394]},{"name":"u_isJavaIDPart","features":[394]},{"name":"u_isJavaIDStart","features":[394]},{"name":"u_isJavaSpaceChar","features":[394]},{"name":"u_isMirrored","features":[394]},{"name":"u_isUAlphabetic","features":[394]},{"name":"u_isULowercase","features":[394]},{"name":"u_isUUppercase","features":[394]},{"name":"u_isUWhiteSpace","features":[394]},{"name":"u_isWhitespace","features":[394]},{"name":"u_isalnum","features":[394]},{"name":"u_isalpha","features":[394]},{"name":"u_isbase","features":[394]},{"name":"u_isblank","features":[394]},{"name":"u_iscntrl","features":[394]},{"name":"u_isdefined","features":[394]},{"name":"u_isdigit","features":[394]},{"name":"u_isgraph","features":[394]},{"name":"u_islower","features":[394]},{"name":"u_isprint","features":[394]},{"name":"u_ispunct","features":[394]},{"name":"u_isspace","features":[394]},{"name":"u_istitle","features":[394]},{"name":"u_isupper","features":[394]},{"name":"u_isxdigit","features":[394]},{"name":"u_memcasecmp","features":[394]},{"name":"u_memchr","features":[394]},{"name":"u_memchr32","features":[394]},{"name":"u_memcmp","features":[394]},{"name":"u_memcmpCodePointOrder","features":[394]},{"name":"u_memcpy","features":[394]},{"name":"u_memmove","features":[394]},{"name":"u_memrchr","features":[394]},{"name":"u_memrchr32","features":[394]},{"name":"u_memset","features":[394]},{"name":"u_parseMessage","features":[394]},{"name":"u_parseMessageWithError","features":[394]},{"name":"u_setMemoryFunctions","features":[394]},{"name":"u_shapeArabic","features":[394]},{"name":"u_strCaseCompare","features":[394]},{"name":"u_strCompare","features":[394]},{"name":"u_strCompareIter","features":[394]},{"name":"u_strFindFirst","features":[394]},{"name":"u_strFindLast","features":[394]},{"name":"u_strFoldCase","features":[394]},{"name":"u_strFromJavaModifiedUTF8WithSub","features":[394]},{"name":"u_strFromUTF32","features":[394]},{"name":"u_strFromUTF32WithSub","features":[394]},{"name":"u_strFromUTF8","features":[394]},{"name":"u_strFromUTF8Lenient","features":[394]},{"name":"u_strFromUTF8WithSub","features":[394]},{"name":"u_strFromWCS","features":[394]},{"name":"u_strHasMoreChar32Than","features":[394]},{"name":"u_strToJavaModifiedUTF8","features":[394]},{"name":"u_strToLower","features":[394]},{"name":"u_strToTitle","features":[394]},{"name":"u_strToUTF32","features":[394]},{"name":"u_strToUTF32WithSub","features":[394]},{"name":"u_strToUTF8","features":[394]},{"name":"u_strToUTF8WithSub","features":[394]},{"name":"u_strToUpper","features":[394]},{"name":"u_strToWCS","features":[394]},{"name":"u_strcasecmp","features":[394]},{"name":"u_strcat","features":[394]},{"name":"u_strchr","features":[394]},{"name":"u_strchr32","features":[394]},{"name":"u_strcmp","features":[394]},{"name":"u_strcmpCodePointOrder","features":[394]},{"name":"u_strcpy","features":[394]},{"name":"u_strcspn","features":[394]},{"name":"u_strlen","features":[394]},{"name":"u_strncasecmp","features":[394]},{"name":"u_strncat","features":[394]},{"name":"u_strncmp","features":[394]},{"name":"u_strncmpCodePointOrder","features":[394]},{"name":"u_strncpy","features":[394]},{"name":"u_strpbrk","features":[394]},{"name":"u_strrchr","features":[394]},{"name":"u_strrchr32","features":[394]},{"name":"u_strrstr","features":[394]},{"name":"u_strspn","features":[394]},{"name":"u_strstr","features":[394]},{"name":"u_strtok_r","features":[394]},{"name":"u_tolower","features":[394]},{"name":"u_totitle","features":[394]},{"name":"u_toupper","features":[394]},{"name":"u_uastrcpy","features":[394]},{"name":"u_uastrncpy","features":[394]},{"name":"u_unescape","features":[394]},{"name":"u_unescapeAt","features":[394]},{"name":"u_versionFromString","features":[394]},{"name":"u_versionFromUString","features":[394]},{"name":"u_versionToString","features":[394]},{"name":"u_vformatMessage","features":[394]},{"name":"u_vformatMessageWithError","features":[394]},{"name":"u_vparseMessage","features":[394]},{"name":"u_vparseMessageWithError","features":[394]},{"name":"ubidi_close","features":[394]},{"name":"ubidi_countParagraphs","features":[394]},{"name":"ubidi_countRuns","features":[394]},{"name":"ubidi_getBaseDirection","features":[394]},{"name":"ubidi_getClassCallback","features":[394]},{"name":"ubidi_getCustomizedClass","features":[394]},{"name":"ubidi_getDirection","features":[394]},{"name":"ubidi_getLength","features":[394]},{"name":"ubidi_getLevelAt","features":[394]},{"name":"ubidi_getLevels","features":[394]},{"name":"ubidi_getLogicalIndex","features":[394]},{"name":"ubidi_getLogicalMap","features":[394]},{"name":"ubidi_getLogicalRun","features":[394]},{"name":"ubidi_getParaLevel","features":[394]},{"name":"ubidi_getParagraph","features":[394]},{"name":"ubidi_getParagraphByIndex","features":[394]},{"name":"ubidi_getProcessedLength","features":[394]},{"name":"ubidi_getReorderingMode","features":[394]},{"name":"ubidi_getReorderingOptions","features":[394]},{"name":"ubidi_getResultLength","features":[394]},{"name":"ubidi_getText","features":[394]},{"name":"ubidi_getVisualIndex","features":[394]},{"name":"ubidi_getVisualMap","features":[394]},{"name":"ubidi_getVisualRun","features":[394]},{"name":"ubidi_invertMap","features":[394]},{"name":"ubidi_isInverse","features":[394]},{"name":"ubidi_isOrderParagraphsLTR","features":[394]},{"name":"ubidi_open","features":[394]},{"name":"ubidi_openSized","features":[394]},{"name":"ubidi_orderParagraphsLTR","features":[394]},{"name":"ubidi_reorderLogical","features":[394]},{"name":"ubidi_reorderVisual","features":[394]},{"name":"ubidi_setClassCallback","features":[394]},{"name":"ubidi_setContext","features":[394]},{"name":"ubidi_setInverse","features":[394]},{"name":"ubidi_setLine","features":[394]},{"name":"ubidi_setPara","features":[394]},{"name":"ubidi_setReorderingMode","features":[394]},{"name":"ubidi_setReorderingOptions","features":[394]},{"name":"ubidi_writeReordered","features":[394]},{"name":"ubidi_writeReverse","features":[394]},{"name":"ubiditransform_close","features":[394]},{"name":"ubiditransform_open","features":[394]},{"name":"ubiditransform_transform","features":[394]},{"name":"ublock_getCode","features":[394]},{"name":"ubrk_close","features":[394]},{"name":"ubrk_countAvailable","features":[394]},{"name":"ubrk_current","features":[394]},{"name":"ubrk_first","features":[394]},{"name":"ubrk_following","features":[394]},{"name":"ubrk_getAvailable","features":[394]},{"name":"ubrk_getBinaryRules","features":[394]},{"name":"ubrk_getLocaleByType","features":[394]},{"name":"ubrk_getRuleStatus","features":[394]},{"name":"ubrk_getRuleStatusVec","features":[394]},{"name":"ubrk_isBoundary","features":[394]},{"name":"ubrk_last","features":[394]},{"name":"ubrk_next","features":[394]},{"name":"ubrk_open","features":[394]},{"name":"ubrk_openBinaryRules","features":[394]},{"name":"ubrk_openRules","features":[394]},{"name":"ubrk_preceding","features":[394]},{"name":"ubrk_previous","features":[394]},{"name":"ubrk_refreshUText","features":[394]},{"name":"ubrk_safeClone","features":[394]},{"name":"ubrk_setText","features":[394]},{"name":"ubrk_setUText","features":[394]},{"name":"ucal_add","features":[394]},{"name":"ucal_clear","features":[394]},{"name":"ucal_clearField","features":[394]},{"name":"ucal_clone","features":[394]},{"name":"ucal_close","features":[394]},{"name":"ucal_countAvailable","features":[394]},{"name":"ucal_equivalentTo","features":[394]},{"name":"ucal_get","features":[394]},{"name":"ucal_getAttribute","features":[394]},{"name":"ucal_getAvailable","features":[394]},{"name":"ucal_getCanonicalTimeZoneID","features":[394]},{"name":"ucal_getDSTSavings","features":[394]},{"name":"ucal_getDayOfWeekType","features":[394]},{"name":"ucal_getDefaultTimeZone","features":[394]},{"name":"ucal_getFieldDifference","features":[394]},{"name":"ucal_getGregorianChange","features":[394]},{"name":"ucal_getHostTimeZone","features":[394]},{"name":"ucal_getKeywordValuesForLocale","features":[394]},{"name":"ucal_getLimit","features":[394]},{"name":"ucal_getLocaleByType","features":[394]},{"name":"ucal_getMillis","features":[394]},{"name":"ucal_getNow","features":[394]},{"name":"ucal_getTZDataVersion","features":[394]},{"name":"ucal_getTimeZoneDisplayName","features":[394]},{"name":"ucal_getTimeZoneID","features":[394]},{"name":"ucal_getTimeZoneIDForWindowsID","features":[394]},{"name":"ucal_getTimeZoneTransitionDate","features":[394]},{"name":"ucal_getType","features":[394]},{"name":"ucal_getWeekendTransition","features":[394]},{"name":"ucal_getWindowsTimeZoneID","features":[394]},{"name":"ucal_inDaylightTime","features":[394]},{"name":"ucal_isSet","features":[394]},{"name":"ucal_isWeekend","features":[394]},{"name":"ucal_open","features":[394]},{"name":"ucal_openCountryTimeZones","features":[394]},{"name":"ucal_openTimeZoneIDEnumeration","features":[394]},{"name":"ucal_openTimeZones","features":[394]},{"name":"ucal_roll","features":[394]},{"name":"ucal_set","features":[394]},{"name":"ucal_setAttribute","features":[394]},{"name":"ucal_setDate","features":[394]},{"name":"ucal_setDateTime","features":[394]},{"name":"ucal_setDefaultTimeZone","features":[394]},{"name":"ucal_setGregorianChange","features":[394]},{"name":"ucal_setMillis","features":[394]},{"name":"ucal_setTimeZone","features":[394]},{"name":"ucasemap_close","features":[394]},{"name":"ucasemap_getBreakIterator","features":[394]},{"name":"ucasemap_getLocale","features":[394]},{"name":"ucasemap_getOptions","features":[394]},{"name":"ucasemap_open","features":[394]},{"name":"ucasemap_setBreakIterator","features":[394]},{"name":"ucasemap_setLocale","features":[394]},{"name":"ucasemap_setOptions","features":[394]},{"name":"ucasemap_toTitle","features":[394]},{"name":"ucasemap_utf8FoldCase","features":[394]},{"name":"ucasemap_utf8ToLower","features":[394]},{"name":"ucasemap_utf8ToTitle","features":[394]},{"name":"ucasemap_utf8ToUpper","features":[394]},{"name":"ucfpos_close","features":[394]},{"name":"ucfpos_constrainCategory","features":[394]},{"name":"ucfpos_constrainField","features":[394]},{"name":"ucfpos_getCategory","features":[394]},{"name":"ucfpos_getField","features":[394]},{"name":"ucfpos_getIndexes","features":[394]},{"name":"ucfpos_getInt64IterationContext","features":[394]},{"name":"ucfpos_matchesField","features":[394]},{"name":"ucfpos_open","features":[394]},{"name":"ucfpos_reset","features":[394]},{"name":"ucfpos_setInt64IterationContext","features":[394]},{"name":"ucfpos_setState","features":[394]},{"name":"ucnv_cbFromUWriteBytes","features":[394]},{"name":"ucnv_cbFromUWriteSub","features":[394]},{"name":"ucnv_cbFromUWriteUChars","features":[394]},{"name":"ucnv_cbToUWriteSub","features":[394]},{"name":"ucnv_cbToUWriteUChars","features":[394]},{"name":"ucnv_close","features":[394]},{"name":"ucnv_compareNames","features":[394]},{"name":"ucnv_convert","features":[394]},{"name":"ucnv_convertEx","features":[394]},{"name":"ucnv_countAliases","features":[394]},{"name":"ucnv_countAvailable","features":[394]},{"name":"ucnv_countStandards","features":[394]},{"name":"ucnv_detectUnicodeSignature","features":[394]},{"name":"ucnv_fixFileSeparator","features":[394]},{"name":"ucnv_flushCache","features":[394]},{"name":"ucnv_fromAlgorithmic","features":[394]},{"name":"ucnv_fromUChars","features":[394]},{"name":"ucnv_fromUCountPending","features":[394]},{"name":"ucnv_fromUnicode","features":[394]},{"name":"ucnv_getAlias","features":[394]},{"name":"ucnv_getAliases","features":[394]},{"name":"ucnv_getAvailableName","features":[394]},{"name":"ucnv_getCCSID","features":[394]},{"name":"ucnv_getCanonicalName","features":[394]},{"name":"ucnv_getDefaultName","features":[394]},{"name":"ucnv_getDisplayName","features":[394]},{"name":"ucnv_getFromUCallBack","features":[394]},{"name":"ucnv_getInvalidChars","features":[394]},{"name":"ucnv_getInvalidUChars","features":[394]},{"name":"ucnv_getMaxCharSize","features":[394]},{"name":"ucnv_getMinCharSize","features":[394]},{"name":"ucnv_getName","features":[394]},{"name":"ucnv_getNextUChar","features":[394]},{"name":"ucnv_getPlatform","features":[394]},{"name":"ucnv_getStandard","features":[394]},{"name":"ucnv_getStandardName","features":[394]},{"name":"ucnv_getStarters","features":[394]},{"name":"ucnv_getSubstChars","features":[394]},{"name":"ucnv_getToUCallBack","features":[394]},{"name":"ucnv_getType","features":[394]},{"name":"ucnv_getUnicodeSet","features":[394]},{"name":"ucnv_isAmbiguous","features":[394]},{"name":"ucnv_isFixedWidth","features":[394]},{"name":"ucnv_open","features":[394]},{"name":"ucnv_openAllNames","features":[394]},{"name":"ucnv_openCCSID","features":[394]},{"name":"ucnv_openPackage","features":[394]},{"name":"ucnv_openStandardNames","features":[394]},{"name":"ucnv_openU","features":[394]},{"name":"ucnv_reset","features":[394]},{"name":"ucnv_resetFromUnicode","features":[394]},{"name":"ucnv_resetToUnicode","features":[394]},{"name":"ucnv_safeClone","features":[394]},{"name":"ucnv_setDefaultName","features":[394]},{"name":"ucnv_setFallback","features":[394]},{"name":"ucnv_setFromUCallBack","features":[394]},{"name":"ucnv_setSubstChars","features":[394]},{"name":"ucnv_setSubstString","features":[394]},{"name":"ucnv_setToUCallBack","features":[394]},{"name":"ucnv_toAlgorithmic","features":[394]},{"name":"ucnv_toUChars","features":[394]},{"name":"ucnv_toUCountPending","features":[394]},{"name":"ucnv_toUnicode","features":[394]},{"name":"ucnv_usesFallback","features":[394]},{"name":"ucnvsel_close","features":[394]},{"name":"ucnvsel_open","features":[394]},{"name":"ucnvsel_openFromSerialized","features":[394]},{"name":"ucnvsel_selectForString","features":[394]},{"name":"ucnvsel_selectForUTF8","features":[394]},{"name":"ucnvsel_serialize","features":[394]},{"name":"ucol_cloneBinary","features":[394]},{"name":"ucol_close","features":[394]},{"name":"ucol_closeElements","features":[394]},{"name":"ucol_countAvailable","features":[394]},{"name":"ucol_equal","features":[394]},{"name":"ucol_getAttribute","features":[394]},{"name":"ucol_getAvailable","features":[394]},{"name":"ucol_getBound","features":[394]},{"name":"ucol_getContractionsAndExpansions","features":[394]},{"name":"ucol_getDisplayName","features":[394]},{"name":"ucol_getEquivalentReorderCodes","features":[394]},{"name":"ucol_getFunctionalEquivalent","features":[394]},{"name":"ucol_getKeywordValues","features":[394]},{"name":"ucol_getKeywordValuesForLocale","features":[394]},{"name":"ucol_getKeywords","features":[394]},{"name":"ucol_getLocaleByType","features":[394]},{"name":"ucol_getMaxExpansion","features":[394]},{"name":"ucol_getMaxVariable","features":[394]},{"name":"ucol_getOffset","features":[394]},{"name":"ucol_getReorderCodes","features":[394]},{"name":"ucol_getRules","features":[394]},{"name":"ucol_getRulesEx","features":[394]},{"name":"ucol_getSortKey","features":[394]},{"name":"ucol_getStrength","features":[394]},{"name":"ucol_getTailoredSet","features":[394]},{"name":"ucol_getUCAVersion","features":[394]},{"name":"ucol_getVariableTop","features":[394]},{"name":"ucol_getVersion","features":[394]},{"name":"ucol_greater","features":[394]},{"name":"ucol_greaterOrEqual","features":[394]},{"name":"ucol_keyHashCode","features":[394]},{"name":"ucol_mergeSortkeys","features":[394]},{"name":"ucol_next","features":[394]},{"name":"ucol_nextSortKeyPart","features":[394]},{"name":"ucol_open","features":[394]},{"name":"ucol_openAvailableLocales","features":[394]},{"name":"ucol_openBinary","features":[394]},{"name":"ucol_openElements","features":[394]},{"name":"ucol_openRules","features":[394]},{"name":"ucol_previous","features":[394]},{"name":"ucol_primaryOrder","features":[394]},{"name":"ucol_reset","features":[394]},{"name":"ucol_safeClone","features":[394]},{"name":"ucol_secondaryOrder","features":[394]},{"name":"ucol_setAttribute","features":[394]},{"name":"ucol_setMaxVariable","features":[394]},{"name":"ucol_setOffset","features":[394]},{"name":"ucol_setReorderCodes","features":[394]},{"name":"ucol_setStrength","features":[394]},{"name":"ucol_setText","features":[394]},{"name":"ucol_strcoll","features":[394]},{"name":"ucol_strcollIter","features":[394]},{"name":"ucol_strcollUTF8","features":[394]},{"name":"ucol_tertiaryOrder","features":[394]},{"name":"ucpmap_get","features":[394]},{"name":"ucpmap_getRange","features":[394]},{"name":"ucptrie_close","features":[394]},{"name":"ucptrie_get","features":[394]},{"name":"ucptrie_getRange","features":[394]},{"name":"ucptrie_getType","features":[394]},{"name":"ucptrie_getValueWidth","features":[394]},{"name":"ucptrie_internalSmallIndex","features":[394]},{"name":"ucptrie_internalSmallU8Index","features":[394]},{"name":"ucptrie_internalU8PrevIndex","features":[394]},{"name":"ucptrie_openFromBinary","features":[394]},{"name":"ucptrie_toBinary","features":[394]},{"name":"ucsdet_close","features":[394]},{"name":"ucsdet_detect","features":[394]},{"name":"ucsdet_detectAll","features":[394]},{"name":"ucsdet_enableInputFilter","features":[394]},{"name":"ucsdet_getAllDetectableCharsets","features":[394]},{"name":"ucsdet_getConfidence","features":[394]},{"name":"ucsdet_getLanguage","features":[394]},{"name":"ucsdet_getName","features":[394]},{"name":"ucsdet_getUChars","features":[394]},{"name":"ucsdet_isInputFilterEnabled","features":[394]},{"name":"ucsdet_open","features":[394]},{"name":"ucsdet_setDeclaredEncoding","features":[394]},{"name":"ucsdet_setText","features":[394]},{"name":"ucurr_countCurrencies","features":[394]},{"name":"ucurr_forLocale","features":[394]},{"name":"ucurr_forLocaleAndDate","features":[394]},{"name":"ucurr_getDefaultFractionDigits","features":[394]},{"name":"ucurr_getDefaultFractionDigitsForUsage","features":[394]},{"name":"ucurr_getKeywordValuesForLocale","features":[394]},{"name":"ucurr_getName","features":[394]},{"name":"ucurr_getNumericCode","features":[394]},{"name":"ucurr_getPluralName","features":[394]},{"name":"ucurr_getRoundingIncrement","features":[394]},{"name":"ucurr_getRoundingIncrementForUsage","features":[394]},{"name":"ucurr_isAvailable","features":[394]},{"name":"ucurr_openISOCurrencies","features":[394]},{"name":"ucurr_register","features":[394]},{"name":"ucurr_unregister","features":[394]},{"name":"udat_adoptNumberFormat","features":[394]},{"name":"udat_adoptNumberFormatForFields","features":[394]},{"name":"udat_applyPattern","features":[394]},{"name":"udat_clone","features":[394]},{"name":"udat_close","features":[394]},{"name":"udat_countAvailable","features":[394]},{"name":"udat_countSymbols","features":[394]},{"name":"udat_format","features":[394]},{"name":"udat_formatCalendar","features":[394]},{"name":"udat_formatCalendarForFields","features":[394]},{"name":"udat_formatForFields","features":[394]},{"name":"udat_get2DigitYearStart","features":[394]},{"name":"udat_getAvailable","features":[394]},{"name":"udat_getBooleanAttribute","features":[394]},{"name":"udat_getCalendar","features":[394]},{"name":"udat_getContext","features":[394]},{"name":"udat_getLocaleByType","features":[394]},{"name":"udat_getNumberFormat","features":[394]},{"name":"udat_getNumberFormatForField","features":[394]},{"name":"udat_getSymbols","features":[394]},{"name":"udat_isLenient","features":[394]},{"name":"udat_open","features":[394]},{"name":"udat_parse","features":[394]},{"name":"udat_parseCalendar","features":[394]},{"name":"udat_set2DigitYearStart","features":[394]},{"name":"udat_setBooleanAttribute","features":[394]},{"name":"udat_setCalendar","features":[394]},{"name":"udat_setContext","features":[394]},{"name":"udat_setLenient","features":[394]},{"name":"udat_setNumberFormat","features":[394]},{"name":"udat_setSymbols","features":[394]},{"name":"udat_toCalendarDateField","features":[394]},{"name":"udat_toPattern","features":[394]},{"name":"udatpg_addPattern","features":[394]},{"name":"udatpg_clone","features":[394]},{"name":"udatpg_close","features":[394]},{"name":"udatpg_getAppendItemFormat","features":[394]},{"name":"udatpg_getAppendItemName","features":[394]},{"name":"udatpg_getBaseSkeleton","features":[394]},{"name":"udatpg_getBestPattern","features":[394]},{"name":"udatpg_getBestPatternWithOptions","features":[394]},{"name":"udatpg_getDateTimeFormat","features":[394]},{"name":"udatpg_getDecimal","features":[394]},{"name":"udatpg_getFieldDisplayName","features":[394]},{"name":"udatpg_getPatternForSkeleton","features":[394]},{"name":"udatpg_getSkeleton","features":[394]},{"name":"udatpg_open","features":[394]},{"name":"udatpg_openBaseSkeletons","features":[394]},{"name":"udatpg_openEmpty","features":[394]},{"name":"udatpg_openSkeletons","features":[394]},{"name":"udatpg_replaceFieldTypes","features":[394]},{"name":"udatpg_replaceFieldTypesWithOptions","features":[394]},{"name":"udatpg_setAppendItemFormat","features":[394]},{"name":"udatpg_setAppendItemName","features":[394]},{"name":"udatpg_setDateTimeFormat","features":[394]},{"name":"udatpg_setDecimal","features":[394]},{"name":"udtitvfmt_close","features":[394]},{"name":"udtitvfmt_closeResult","features":[394]},{"name":"udtitvfmt_format","features":[394]},{"name":"udtitvfmt_open","features":[394]},{"name":"udtitvfmt_openResult","features":[394]},{"name":"udtitvfmt_resultAsValue","features":[394]},{"name":"uenum_close","features":[394]},{"name":"uenum_count","features":[394]},{"name":"uenum_next","features":[394]},{"name":"uenum_openCharStringsEnumeration","features":[394]},{"name":"uenum_openUCharStringsEnumeration","features":[394]},{"name":"uenum_reset","features":[394]},{"name":"uenum_unext","features":[394]},{"name":"ufieldpositer_close","features":[394]},{"name":"ufieldpositer_next","features":[394]},{"name":"ufieldpositer_open","features":[394]},{"name":"ufmt_close","features":[394]},{"name":"ufmt_getArrayItemByIndex","features":[394]},{"name":"ufmt_getArrayLength","features":[394]},{"name":"ufmt_getDate","features":[394]},{"name":"ufmt_getDecNumChars","features":[394]},{"name":"ufmt_getDouble","features":[394]},{"name":"ufmt_getInt64","features":[394]},{"name":"ufmt_getLong","features":[394]},{"name":"ufmt_getObject","features":[394]},{"name":"ufmt_getType","features":[394]},{"name":"ufmt_getUChars","features":[394]},{"name":"ufmt_isNumeric","features":[394]},{"name":"ufmt_open","features":[394]},{"name":"ufmtval_getString","features":[394]},{"name":"ufmtval_nextPosition","features":[394]},{"name":"ugender_getInstance","features":[394]},{"name":"ugender_getListGender","features":[394]},{"name":"uidna_close","features":[394]},{"name":"uidna_labelToASCII","features":[394]},{"name":"uidna_labelToASCII_UTF8","features":[394]},{"name":"uidna_labelToUnicode","features":[394]},{"name":"uidna_labelToUnicodeUTF8","features":[394]},{"name":"uidna_nameToASCII","features":[394]},{"name":"uidna_nameToASCII_UTF8","features":[394]},{"name":"uidna_nameToUnicode","features":[394]},{"name":"uidna_nameToUnicodeUTF8","features":[394]},{"name":"uidna_openUTS46","features":[394]},{"name":"uiter_current32","features":[394]},{"name":"uiter_getState","features":[394]},{"name":"uiter_next32","features":[394]},{"name":"uiter_previous32","features":[394]},{"name":"uiter_setState","features":[394]},{"name":"uiter_setString","features":[394]},{"name":"uiter_setUTF16BE","features":[394]},{"name":"uiter_setUTF8","features":[394]},{"name":"uldn_close","features":[394]},{"name":"uldn_getContext","features":[394]},{"name":"uldn_getDialectHandling","features":[394]},{"name":"uldn_getLocale","features":[394]},{"name":"uldn_keyDisplayName","features":[394]},{"name":"uldn_keyValueDisplayName","features":[394]},{"name":"uldn_languageDisplayName","features":[394]},{"name":"uldn_localeDisplayName","features":[394]},{"name":"uldn_open","features":[394]},{"name":"uldn_openForContext","features":[394]},{"name":"uldn_regionDisplayName","features":[394]},{"name":"uldn_scriptCodeDisplayName","features":[394]},{"name":"uldn_scriptDisplayName","features":[394]},{"name":"uldn_variantDisplayName","features":[394]},{"name":"ulistfmt_close","features":[394]},{"name":"ulistfmt_closeResult","features":[394]},{"name":"ulistfmt_format","features":[394]},{"name":"ulistfmt_formatStringsToResult","features":[394]},{"name":"ulistfmt_open","features":[394]},{"name":"ulistfmt_openForType","features":[394]},{"name":"ulistfmt_openResult","features":[394]},{"name":"ulistfmt_resultAsValue","features":[394]},{"name":"uloc_acceptLanguage","features":[394]},{"name":"uloc_acceptLanguageFromHTTP","features":[394]},{"name":"uloc_addLikelySubtags","features":[394]},{"name":"uloc_canonicalize","features":[394]},{"name":"uloc_countAvailable","features":[394]},{"name":"uloc_forLanguageTag","features":[394]},{"name":"uloc_getAvailable","features":[394]},{"name":"uloc_getBaseName","features":[394]},{"name":"uloc_getCharacterOrientation","features":[394]},{"name":"uloc_getCountry","features":[394]},{"name":"uloc_getDefault","features":[394]},{"name":"uloc_getDisplayCountry","features":[394]},{"name":"uloc_getDisplayKeyword","features":[394]},{"name":"uloc_getDisplayKeywordValue","features":[394]},{"name":"uloc_getDisplayLanguage","features":[394]},{"name":"uloc_getDisplayName","features":[394]},{"name":"uloc_getDisplayScript","features":[394]},{"name":"uloc_getDisplayVariant","features":[394]},{"name":"uloc_getISO3Country","features":[394]},{"name":"uloc_getISO3Language","features":[394]},{"name":"uloc_getISOCountries","features":[394]},{"name":"uloc_getISOLanguages","features":[394]},{"name":"uloc_getKeywordValue","features":[394]},{"name":"uloc_getLCID","features":[394]},{"name":"uloc_getLanguage","features":[394]},{"name":"uloc_getLineOrientation","features":[394]},{"name":"uloc_getLocaleForLCID","features":[394]},{"name":"uloc_getName","features":[394]},{"name":"uloc_getParent","features":[394]},{"name":"uloc_getScript","features":[394]},{"name":"uloc_getVariant","features":[394]},{"name":"uloc_isRightToLeft","features":[394]},{"name":"uloc_minimizeSubtags","features":[394]},{"name":"uloc_openAvailableByType","features":[394]},{"name":"uloc_openKeywords","features":[394]},{"name":"uloc_setDefault","features":[394]},{"name":"uloc_setKeywordValue","features":[394]},{"name":"uloc_toLanguageTag","features":[394]},{"name":"uloc_toLegacyKey","features":[394]},{"name":"uloc_toLegacyType","features":[394]},{"name":"uloc_toUnicodeLocaleKey","features":[394]},{"name":"uloc_toUnicodeLocaleType","features":[394]},{"name":"ulocdata_close","features":[394]},{"name":"ulocdata_getCLDRVersion","features":[394]},{"name":"ulocdata_getDelimiter","features":[394]},{"name":"ulocdata_getExemplarSet","features":[394]},{"name":"ulocdata_getLocaleDisplayPattern","features":[394]},{"name":"ulocdata_getLocaleSeparator","features":[394]},{"name":"ulocdata_getMeasurementSystem","features":[394]},{"name":"ulocdata_getNoSubstitute","features":[394]},{"name":"ulocdata_getPaperSize","features":[394]},{"name":"ulocdata_open","features":[394]},{"name":"ulocdata_setNoSubstitute","features":[394]},{"name":"umsg_applyPattern","features":[394]},{"name":"umsg_autoQuoteApostrophe","features":[394]},{"name":"umsg_clone","features":[394]},{"name":"umsg_close","features":[394]},{"name":"umsg_format","features":[394]},{"name":"umsg_getLocale","features":[394]},{"name":"umsg_open","features":[394]},{"name":"umsg_parse","features":[394]},{"name":"umsg_setLocale","features":[394]},{"name":"umsg_toPattern","features":[394]},{"name":"umsg_vformat","features":[394]},{"name":"umsg_vparse","features":[394]},{"name":"umutablecptrie_buildImmutable","features":[394]},{"name":"umutablecptrie_clone","features":[394]},{"name":"umutablecptrie_close","features":[394]},{"name":"umutablecptrie_fromUCPMap","features":[394]},{"name":"umutablecptrie_fromUCPTrie","features":[394]},{"name":"umutablecptrie_get","features":[394]},{"name":"umutablecptrie_getRange","features":[394]},{"name":"umutablecptrie_open","features":[394]},{"name":"umutablecptrie_set","features":[394]},{"name":"umutablecptrie_setRange","features":[394]},{"name":"unorm2_append","features":[394]},{"name":"unorm2_close","features":[394]},{"name":"unorm2_composePair","features":[394]},{"name":"unorm2_getCombiningClass","features":[394]},{"name":"unorm2_getDecomposition","features":[394]},{"name":"unorm2_getInstance","features":[394]},{"name":"unorm2_getNFCInstance","features":[394]},{"name":"unorm2_getNFDInstance","features":[394]},{"name":"unorm2_getNFKCCasefoldInstance","features":[394]},{"name":"unorm2_getNFKCInstance","features":[394]},{"name":"unorm2_getNFKDInstance","features":[394]},{"name":"unorm2_getRawDecomposition","features":[394]},{"name":"unorm2_hasBoundaryAfter","features":[394]},{"name":"unorm2_hasBoundaryBefore","features":[394]},{"name":"unorm2_isInert","features":[394]},{"name":"unorm2_isNormalized","features":[394]},{"name":"unorm2_normalize","features":[394]},{"name":"unorm2_normalizeSecondAndAppend","features":[394]},{"name":"unorm2_openFiltered","features":[394]},{"name":"unorm2_quickCheck","features":[394]},{"name":"unorm2_spanQuickCheckYes","features":[394]},{"name":"unorm_compare","features":[394]},{"name":"unum_applyPattern","features":[394]},{"name":"unum_clone","features":[394]},{"name":"unum_close","features":[394]},{"name":"unum_countAvailable","features":[394]},{"name":"unum_format","features":[394]},{"name":"unum_formatDecimal","features":[394]},{"name":"unum_formatDouble","features":[394]},{"name":"unum_formatDoubleCurrency","features":[394]},{"name":"unum_formatDoubleForFields","features":[394]},{"name":"unum_formatInt64","features":[394]},{"name":"unum_formatUFormattable","features":[394]},{"name":"unum_getAttribute","features":[394]},{"name":"unum_getAvailable","features":[394]},{"name":"unum_getContext","features":[394]},{"name":"unum_getDoubleAttribute","features":[394]},{"name":"unum_getLocaleByType","features":[394]},{"name":"unum_getSymbol","features":[394]},{"name":"unum_getTextAttribute","features":[394]},{"name":"unum_open","features":[394]},{"name":"unum_parse","features":[394]},{"name":"unum_parseDecimal","features":[394]},{"name":"unum_parseDouble","features":[394]},{"name":"unum_parseDoubleCurrency","features":[394]},{"name":"unum_parseInt64","features":[394]},{"name":"unum_parseToUFormattable","features":[394]},{"name":"unum_setAttribute","features":[394]},{"name":"unum_setContext","features":[394]},{"name":"unum_setDoubleAttribute","features":[394]},{"name":"unum_setSymbol","features":[394]},{"name":"unum_setTextAttribute","features":[394]},{"name":"unum_toPattern","features":[394]},{"name":"unumf_close","features":[394]},{"name":"unumf_closeResult","features":[394]},{"name":"unumf_formatDecimal","features":[394]},{"name":"unumf_formatDouble","features":[394]},{"name":"unumf_formatInt","features":[394]},{"name":"unumf_openForSkeletonAndLocale","features":[394]},{"name":"unumf_openForSkeletonAndLocaleWithError","features":[394]},{"name":"unumf_openResult","features":[394]},{"name":"unumf_resultAsValue","features":[394]},{"name":"unumf_resultGetAllFieldPositions","features":[394]},{"name":"unumf_resultNextFieldPosition","features":[394]},{"name":"unumf_resultToString","features":[394]},{"name":"unumsys_close","features":[394]},{"name":"unumsys_getDescription","features":[394]},{"name":"unumsys_getName","features":[394]},{"name":"unumsys_getRadix","features":[394]},{"name":"unumsys_isAlgorithmic","features":[394]},{"name":"unumsys_open","features":[394]},{"name":"unumsys_openAvailableNames","features":[394]},{"name":"unumsys_openByName","features":[394]},{"name":"uplrules_close","features":[394]},{"name":"uplrules_getKeywords","features":[394]},{"name":"uplrules_open","features":[394]},{"name":"uplrules_openForType","features":[394]},{"name":"uplrules_select","features":[394]},{"name":"uplrules_selectFormatted","features":[394]},{"name":"uregex_appendReplacement","features":[394]},{"name":"uregex_appendReplacementUText","features":[394]},{"name":"uregex_appendTail","features":[394]},{"name":"uregex_appendTailUText","features":[394]},{"name":"uregex_clone","features":[394]},{"name":"uregex_close","features":[394]},{"name":"uregex_end","features":[394]},{"name":"uregex_end64","features":[394]},{"name":"uregex_find","features":[394]},{"name":"uregex_find64","features":[394]},{"name":"uregex_findNext","features":[394]},{"name":"uregex_flags","features":[394]},{"name":"uregex_getFindProgressCallback","features":[394]},{"name":"uregex_getMatchCallback","features":[394]},{"name":"uregex_getStackLimit","features":[394]},{"name":"uregex_getText","features":[394]},{"name":"uregex_getTimeLimit","features":[394]},{"name":"uregex_getUText","features":[394]},{"name":"uregex_group","features":[394]},{"name":"uregex_groupCount","features":[394]},{"name":"uregex_groupNumberFromCName","features":[394]},{"name":"uregex_groupNumberFromName","features":[394]},{"name":"uregex_groupUText","features":[394]},{"name":"uregex_hasAnchoringBounds","features":[394]},{"name":"uregex_hasTransparentBounds","features":[394]},{"name":"uregex_hitEnd","features":[394]},{"name":"uregex_lookingAt","features":[394]},{"name":"uregex_lookingAt64","features":[394]},{"name":"uregex_matches","features":[394]},{"name":"uregex_matches64","features":[394]},{"name":"uregex_open","features":[394]},{"name":"uregex_openC","features":[394]},{"name":"uregex_openUText","features":[394]},{"name":"uregex_pattern","features":[394]},{"name":"uregex_patternUText","features":[394]},{"name":"uregex_refreshUText","features":[394]},{"name":"uregex_regionEnd","features":[394]},{"name":"uregex_regionEnd64","features":[394]},{"name":"uregex_regionStart","features":[394]},{"name":"uregex_regionStart64","features":[394]},{"name":"uregex_replaceAll","features":[394]},{"name":"uregex_replaceAllUText","features":[394]},{"name":"uregex_replaceFirst","features":[394]},{"name":"uregex_replaceFirstUText","features":[394]},{"name":"uregex_requireEnd","features":[394]},{"name":"uregex_reset","features":[394]},{"name":"uregex_reset64","features":[394]},{"name":"uregex_setFindProgressCallback","features":[394]},{"name":"uregex_setMatchCallback","features":[394]},{"name":"uregex_setRegion","features":[394]},{"name":"uregex_setRegion64","features":[394]},{"name":"uregex_setRegionAndStart","features":[394]},{"name":"uregex_setStackLimit","features":[394]},{"name":"uregex_setText","features":[394]},{"name":"uregex_setTimeLimit","features":[394]},{"name":"uregex_setUText","features":[394]},{"name":"uregex_split","features":[394]},{"name":"uregex_splitUText","features":[394]},{"name":"uregex_start","features":[394]},{"name":"uregex_start64","features":[394]},{"name":"uregex_useAnchoringBounds","features":[394]},{"name":"uregex_useTransparentBounds","features":[394]},{"name":"uregion_areEqual","features":[394]},{"name":"uregion_contains","features":[394]},{"name":"uregion_getAvailable","features":[394]},{"name":"uregion_getContainedRegions","features":[394]},{"name":"uregion_getContainedRegionsOfType","features":[394]},{"name":"uregion_getContainingRegion","features":[394]},{"name":"uregion_getContainingRegionOfType","features":[394]},{"name":"uregion_getNumericCode","features":[394]},{"name":"uregion_getPreferredValues","features":[394]},{"name":"uregion_getRegionCode","features":[394]},{"name":"uregion_getRegionFromCode","features":[394]},{"name":"uregion_getRegionFromNumericCode","features":[394]},{"name":"uregion_getType","features":[394]},{"name":"ureldatefmt_close","features":[394]},{"name":"ureldatefmt_closeResult","features":[394]},{"name":"ureldatefmt_combineDateAndTime","features":[394]},{"name":"ureldatefmt_format","features":[394]},{"name":"ureldatefmt_formatNumeric","features":[394]},{"name":"ureldatefmt_formatNumericToResult","features":[394]},{"name":"ureldatefmt_formatToResult","features":[394]},{"name":"ureldatefmt_open","features":[394]},{"name":"ureldatefmt_openResult","features":[394]},{"name":"ureldatefmt_resultAsValue","features":[394]},{"name":"ures_close","features":[394]},{"name":"ures_getBinary","features":[394]},{"name":"ures_getByIndex","features":[394]},{"name":"ures_getByKey","features":[394]},{"name":"ures_getInt","features":[394]},{"name":"ures_getIntVector","features":[394]},{"name":"ures_getKey","features":[394]},{"name":"ures_getLocaleByType","features":[394]},{"name":"ures_getNextResource","features":[394]},{"name":"ures_getNextString","features":[394]},{"name":"ures_getSize","features":[394]},{"name":"ures_getString","features":[394]},{"name":"ures_getStringByIndex","features":[394]},{"name":"ures_getStringByKey","features":[394]},{"name":"ures_getType","features":[394]},{"name":"ures_getUInt","features":[394]},{"name":"ures_getUTF8String","features":[394]},{"name":"ures_getUTF8StringByIndex","features":[394]},{"name":"ures_getUTF8StringByKey","features":[394]},{"name":"ures_getVersion","features":[394]},{"name":"ures_hasNext","features":[394]},{"name":"ures_open","features":[394]},{"name":"ures_openAvailableLocales","features":[394]},{"name":"ures_openDirect","features":[394]},{"name":"ures_openU","features":[394]},{"name":"ures_resetIterator","features":[394]},{"name":"uscript_breaksBetweenLetters","features":[394]},{"name":"uscript_getCode","features":[394]},{"name":"uscript_getName","features":[394]},{"name":"uscript_getSampleString","features":[394]},{"name":"uscript_getScript","features":[394]},{"name":"uscript_getScriptExtensions","features":[394]},{"name":"uscript_getShortName","features":[394]},{"name":"uscript_getUsage","features":[394]},{"name":"uscript_hasScript","features":[394]},{"name":"uscript_isCased","features":[394]},{"name":"uscript_isRightToLeft","features":[394]},{"name":"usearch_close","features":[394]},{"name":"usearch_first","features":[394]},{"name":"usearch_following","features":[394]},{"name":"usearch_getAttribute","features":[394]},{"name":"usearch_getBreakIterator","features":[394]},{"name":"usearch_getCollator","features":[394]},{"name":"usearch_getMatchedLength","features":[394]},{"name":"usearch_getMatchedStart","features":[394]},{"name":"usearch_getMatchedText","features":[394]},{"name":"usearch_getOffset","features":[394]},{"name":"usearch_getPattern","features":[394]},{"name":"usearch_getText","features":[394]},{"name":"usearch_last","features":[394]},{"name":"usearch_next","features":[394]},{"name":"usearch_open","features":[394]},{"name":"usearch_openFromCollator","features":[394]},{"name":"usearch_preceding","features":[394]},{"name":"usearch_previous","features":[394]},{"name":"usearch_reset","features":[394]},{"name":"usearch_setAttribute","features":[394]},{"name":"usearch_setBreakIterator","features":[394]},{"name":"usearch_setCollator","features":[394]},{"name":"usearch_setOffset","features":[394]},{"name":"usearch_setPattern","features":[394]},{"name":"usearch_setText","features":[394]},{"name":"uset_add","features":[394]},{"name":"uset_addAll","features":[394]},{"name":"uset_addAllCodePoints","features":[394]},{"name":"uset_addRange","features":[394]},{"name":"uset_addString","features":[394]},{"name":"uset_applyIntPropertyValue","features":[394]},{"name":"uset_applyPattern","features":[394]},{"name":"uset_applyPropertyAlias","features":[394]},{"name":"uset_charAt","features":[394]},{"name":"uset_clear","features":[394]},{"name":"uset_clone","features":[394]},{"name":"uset_cloneAsThawed","features":[394]},{"name":"uset_close","features":[394]},{"name":"uset_closeOver","features":[394]},{"name":"uset_compact","features":[394]},{"name":"uset_complement","features":[394]},{"name":"uset_complementAll","features":[394]},{"name":"uset_contains","features":[394]},{"name":"uset_containsAll","features":[394]},{"name":"uset_containsAllCodePoints","features":[394]},{"name":"uset_containsNone","features":[394]},{"name":"uset_containsRange","features":[394]},{"name":"uset_containsSome","features":[394]},{"name":"uset_containsString","features":[394]},{"name":"uset_equals","features":[394]},{"name":"uset_freeze","features":[394]},{"name":"uset_getItem","features":[394]},{"name":"uset_getItemCount","features":[394]},{"name":"uset_getSerializedRange","features":[394]},{"name":"uset_getSerializedRangeCount","features":[394]},{"name":"uset_getSerializedSet","features":[394]},{"name":"uset_indexOf","features":[394]},{"name":"uset_isEmpty","features":[394]},{"name":"uset_isFrozen","features":[394]},{"name":"uset_open","features":[394]},{"name":"uset_openEmpty","features":[394]},{"name":"uset_openPattern","features":[394]},{"name":"uset_openPatternOptions","features":[394]},{"name":"uset_remove","features":[394]},{"name":"uset_removeAll","features":[394]},{"name":"uset_removeAllStrings","features":[394]},{"name":"uset_removeRange","features":[394]},{"name":"uset_removeString","features":[394]},{"name":"uset_resemblesPattern","features":[394]},{"name":"uset_retain","features":[394]},{"name":"uset_retainAll","features":[394]},{"name":"uset_serialize","features":[394]},{"name":"uset_serializedContains","features":[394]},{"name":"uset_set","features":[394]},{"name":"uset_setSerializedToOne","features":[394]},{"name":"uset_size","features":[394]},{"name":"uset_span","features":[394]},{"name":"uset_spanBack","features":[394]},{"name":"uset_spanBackUTF8","features":[394]},{"name":"uset_spanUTF8","features":[394]},{"name":"uset_toPattern","features":[394]},{"name":"uspoof_areConfusable","features":[394]},{"name":"uspoof_areConfusableUTF8","features":[394]},{"name":"uspoof_check","features":[394]},{"name":"uspoof_check2","features":[394]},{"name":"uspoof_check2UTF8","features":[394]},{"name":"uspoof_checkUTF8","features":[394]},{"name":"uspoof_clone","features":[394]},{"name":"uspoof_close","features":[394]},{"name":"uspoof_closeCheckResult","features":[394]},{"name":"uspoof_getAllowedChars","features":[394]},{"name":"uspoof_getAllowedLocales","features":[394]},{"name":"uspoof_getCheckResultChecks","features":[394]},{"name":"uspoof_getCheckResultNumerics","features":[394]},{"name":"uspoof_getCheckResultRestrictionLevel","features":[394]},{"name":"uspoof_getChecks","features":[394]},{"name":"uspoof_getInclusionSet","features":[394]},{"name":"uspoof_getRecommendedSet","features":[394]},{"name":"uspoof_getRestrictionLevel","features":[394]},{"name":"uspoof_getSkeleton","features":[394]},{"name":"uspoof_getSkeletonUTF8","features":[394]},{"name":"uspoof_open","features":[394]},{"name":"uspoof_openCheckResult","features":[394]},{"name":"uspoof_openFromSerialized","features":[394]},{"name":"uspoof_openFromSource","features":[394]},{"name":"uspoof_serialize","features":[394]},{"name":"uspoof_setAllowedChars","features":[394]},{"name":"uspoof_setAllowedLocales","features":[394]},{"name":"uspoof_setChecks","features":[394]},{"name":"uspoof_setRestrictionLevel","features":[394]},{"name":"usprep_close","features":[394]},{"name":"usprep_open","features":[394]},{"name":"usprep_openByType","features":[394]},{"name":"usprep_prepare","features":[394]},{"name":"utext_char32At","features":[394]},{"name":"utext_clone","features":[394]},{"name":"utext_close","features":[394]},{"name":"utext_copy","features":[394]},{"name":"utext_current32","features":[394]},{"name":"utext_equals","features":[394]},{"name":"utext_extract","features":[394]},{"name":"utext_freeze","features":[394]},{"name":"utext_getNativeIndex","features":[394]},{"name":"utext_getPreviousNativeIndex","features":[394]},{"name":"utext_hasMetaData","features":[394]},{"name":"utext_isLengthExpensive","features":[394]},{"name":"utext_isWritable","features":[394]},{"name":"utext_moveIndex32","features":[394]},{"name":"utext_nativeLength","features":[394]},{"name":"utext_next32","features":[394]},{"name":"utext_next32From","features":[394]},{"name":"utext_openUChars","features":[394]},{"name":"utext_openUTF8","features":[394]},{"name":"utext_previous32","features":[394]},{"name":"utext_previous32From","features":[394]},{"name":"utext_replace","features":[394]},{"name":"utext_setNativeIndex","features":[394]},{"name":"utext_setup","features":[394]},{"name":"utf8_appendCharSafeBody","features":[394]},{"name":"utf8_back1SafeBody","features":[394]},{"name":"utf8_nextCharSafeBody","features":[394]},{"name":"utf8_prevCharSafeBody","features":[394]},{"name":"utmscale_fromInt64","features":[394]},{"name":"utmscale_getTimeScaleValue","features":[394]},{"name":"utmscale_toInt64","features":[394]},{"name":"utrace_format","features":[394]},{"name":"utrace_functionName","features":[394]},{"name":"utrace_getFunctions","features":[394]},{"name":"utrace_getLevel","features":[394]},{"name":"utrace_setFunctions","features":[394]},{"name":"utrace_setLevel","features":[394]},{"name":"utrace_vformat","features":[394]},{"name":"utrans_clone","features":[394]},{"name":"utrans_close","features":[394]},{"name":"utrans_countAvailableIDs","features":[394]},{"name":"utrans_getSourceSet","features":[394]},{"name":"utrans_getUnicodeID","features":[394]},{"name":"utrans_openIDs","features":[394]},{"name":"utrans_openInverse","features":[394]},{"name":"utrans_openU","features":[394]},{"name":"utrans_register","features":[394]},{"name":"utrans_setFilter","features":[394]},{"name":"utrans_toRules","features":[394]},{"name":"utrans_trans","features":[394]},{"name":"utrans_transIncremental","features":[394]},{"name":"utrans_transIncrementalUChars","features":[394]},{"name":"utrans_transUChars","features":[394]},{"name":"utrans_unregisterID","features":[394]}],"393":[{"name":"CompositionFrameDisplayInstance","features":[308,395,396]},{"name":"CompositionFrameInstanceKind","features":[395]},{"name":"CompositionFrameInstanceKind_ComposedOnScreen","features":[395]},{"name":"CompositionFrameInstanceKind_ComposedToIntermediate","features":[395]},{"name":"CompositionFrameInstanceKind_ScanoutOnScreen","features":[395]},{"name":"CreatePresentationFactory","features":[395]},{"name":"ICompositionFramePresentStatistics","features":[395]},{"name":"IIndependentFlipFramePresentStatistics","features":[395]},{"name":"IPresentStatistics","features":[395]},{"name":"IPresentStatusPresentStatistics","features":[395]},{"name":"IPresentationBuffer","features":[395]},{"name":"IPresentationContent","features":[395]},{"name":"IPresentationFactory","features":[395]},{"name":"IPresentationManager","features":[395]},{"name":"IPresentationSurface","features":[395]},{"name":"PresentStatisticsKind","features":[395]},{"name":"PresentStatisticsKind_CompositionFrame","features":[395]},{"name":"PresentStatisticsKind_IndependentFlipFrame","features":[395]},{"name":"PresentStatisticsKind_PresentStatus","features":[395]},{"name":"PresentStatus","features":[395]},{"name":"PresentStatus_Canceled","features":[395]},{"name":"PresentStatus_Queued","features":[395]},{"name":"PresentStatus_Skipped","features":[395]},{"name":"PresentationTransform","features":[395]},{"name":"SystemInterruptTime","features":[395]}],"394":[{"name":"AcgCompatible","features":[397]},{"name":"AdapterBudgetChange","features":[397]},{"name":"AdapterHardwareContentProtectionTeardown","features":[397]},{"name":"AdapterListStale","features":[397]},{"name":"AdapterMemoryBudget","features":[397]},{"name":"AdapterNoLongerValid","features":[397]},{"name":"ComputePreemptionGranularity","features":[397]},{"name":"DXCORE_ADAPTER_ATTRIBUTE_D3D11_GRAPHICS","features":[397]},{"name":"DXCORE_ADAPTER_ATTRIBUTE_D3D12_CORE_COMPUTE","features":[397]},{"name":"DXCORE_ADAPTER_ATTRIBUTE_D3D12_GRAPHICS","features":[397]},{"name":"DXCoreAdapterMemoryBudget","features":[397]},{"name":"DXCoreAdapterMemoryBudgetNodeSegmentGroup","features":[397]},{"name":"DXCoreAdapterPreference","features":[397]},{"name":"DXCoreAdapterProperty","features":[397]},{"name":"DXCoreAdapterState","features":[397]},{"name":"DXCoreCreateAdapterFactory","features":[397]},{"name":"DXCoreHardwareID","features":[397]},{"name":"DXCoreHardwareIDParts","features":[397]},{"name":"DXCoreNotificationType","features":[397]},{"name":"DXCoreSegmentGroup","features":[397]},{"name":"DedicatedAdapterMemory","features":[397]},{"name":"DedicatedSystemMemory","features":[397]},{"name":"DriverDescription","features":[397]},{"name":"DriverVersion","features":[397]},{"name":"GraphicsPreemptionGranularity","features":[397]},{"name":"Hardware","features":[397]},{"name":"HardwareID","features":[397]},{"name":"HardwareIDParts","features":[397]},{"name":"HighPerformance","features":[397]},{"name":"IDXCoreAdapter","features":[397]},{"name":"IDXCoreAdapterFactory","features":[397]},{"name":"IDXCoreAdapterList","features":[397]},{"name":"InstanceLuid","features":[397]},{"name":"IsDetachable","features":[397]},{"name":"IsDriverUpdateInProgress","features":[397]},{"name":"IsHardware","features":[397]},{"name":"IsIntegrated","features":[397]},{"name":"KmdModelVersion","features":[397]},{"name":"Local","features":[397]},{"name":"MinimumPower","features":[397]},{"name":"NonLocal","features":[397]},{"name":"PFN_DXCORE_NOTIFICATION_CALLBACK","features":[397]},{"name":"SharedSystemMemory","features":[397]},{"name":"_FACDXCORE","features":[397]}],"395":[{"name":"CLSID_D2D12DAffineTransform","features":[398]},{"name":"CLSID_D2D13DPerspectiveTransform","features":[398]},{"name":"CLSID_D2D13DTransform","features":[398]},{"name":"CLSID_D2D1AlphaMask","features":[398]},{"name":"CLSID_D2D1ArithmeticComposite","features":[398]},{"name":"CLSID_D2D1Atlas","features":[398]},{"name":"CLSID_D2D1BitmapSource","features":[398]},{"name":"CLSID_D2D1Blend","features":[398]},{"name":"CLSID_D2D1Border","features":[398]},{"name":"CLSID_D2D1Brightness","features":[398]},{"name":"CLSID_D2D1ChromaKey","features":[398]},{"name":"CLSID_D2D1ColorManagement","features":[398]},{"name":"CLSID_D2D1ColorMatrix","features":[398]},{"name":"CLSID_D2D1Composite","features":[398]},{"name":"CLSID_D2D1Contrast","features":[398]},{"name":"CLSID_D2D1ConvolveMatrix","features":[398]},{"name":"CLSID_D2D1Crop","features":[398]},{"name":"CLSID_D2D1CrossFade","features":[398]},{"name":"CLSID_D2D1DirectionalBlur","features":[398]},{"name":"CLSID_D2D1DiscreteTransfer","features":[398]},{"name":"CLSID_D2D1DisplacementMap","features":[398]},{"name":"CLSID_D2D1DistantDiffuse","features":[398]},{"name":"CLSID_D2D1DistantSpecular","features":[398]},{"name":"CLSID_D2D1DpiCompensation","features":[398]},{"name":"CLSID_D2D1EdgeDetection","features":[398]},{"name":"CLSID_D2D1Emboss","features":[398]},{"name":"CLSID_D2D1Exposure","features":[398]},{"name":"CLSID_D2D1Flood","features":[398]},{"name":"CLSID_D2D1GammaTransfer","features":[398]},{"name":"CLSID_D2D1GaussianBlur","features":[398]},{"name":"CLSID_D2D1Grayscale","features":[398]},{"name":"CLSID_D2D1HdrToneMap","features":[398]},{"name":"CLSID_D2D1HighlightsShadows","features":[398]},{"name":"CLSID_D2D1Histogram","features":[398]},{"name":"CLSID_D2D1HueRotation","features":[398]},{"name":"CLSID_D2D1HueToRgb","features":[398]},{"name":"CLSID_D2D1Invert","features":[398]},{"name":"CLSID_D2D1LinearTransfer","features":[398]},{"name":"CLSID_D2D1LookupTable3D","features":[398]},{"name":"CLSID_D2D1LuminanceToAlpha","features":[398]},{"name":"CLSID_D2D1Morphology","features":[398]},{"name":"CLSID_D2D1Opacity","features":[398]},{"name":"CLSID_D2D1OpacityMetadata","features":[398]},{"name":"CLSID_D2D1PointDiffuse","features":[398]},{"name":"CLSID_D2D1PointSpecular","features":[398]},{"name":"CLSID_D2D1Posterize","features":[398]},{"name":"CLSID_D2D1Premultiply","features":[398]},{"name":"CLSID_D2D1RgbToHue","features":[398]},{"name":"CLSID_D2D1Saturation","features":[398]},{"name":"CLSID_D2D1Scale","features":[398]},{"name":"CLSID_D2D1Sepia","features":[398]},{"name":"CLSID_D2D1Shadow","features":[398]},{"name":"CLSID_D2D1Sharpen","features":[398]},{"name":"CLSID_D2D1SpotDiffuse","features":[398]},{"name":"CLSID_D2D1SpotSpecular","features":[398]},{"name":"CLSID_D2D1Straighten","features":[398]},{"name":"CLSID_D2D1TableTransfer","features":[398]},{"name":"CLSID_D2D1TemperatureTint","features":[398]},{"name":"CLSID_D2D1Tile","features":[398]},{"name":"CLSID_D2D1Tint","features":[398]},{"name":"CLSID_D2D1Turbulence","features":[398]},{"name":"CLSID_D2D1UnPremultiply","features":[398]},{"name":"CLSID_D2D1Vignette","features":[398]},{"name":"CLSID_D2D1WhiteLevelAdjustment","features":[398]},{"name":"CLSID_D2D1YCbCr","features":[398]},{"name":"D2D1ComputeMaximumScaleFactor","features":[73,398]},{"name":"D2D1ConvertColorSpace","features":[399]},{"name":"D2D1CreateDevice","features":[398,400]},{"name":"D2D1CreateDeviceContext","features":[398,400]},{"name":"D2D1CreateFactory","features":[398]},{"name":"D2D1GetGradientMeshInteriorPointsFromCoonsPatch","features":[399]},{"name":"D2D1InvertMatrix","features":[73,308,398]},{"name":"D2D1IsMatrixInvertible","features":[73,308,398]},{"name":"D2D1MakeRotateMatrix","features":[73,399]},{"name":"D2D1MakeSkewMatrix","features":[73,399]},{"name":"D2D1SinCos","features":[398]},{"name":"D2D1Tan","features":[398]},{"name":"D2D1Vec3Length","features":[398]},{"name":"D2D1_2DAFFINETRANSFORM_PROP","features":[398]},{"name":"D2D1_2DAFFINETRANSFORM_PROP_BORDER_MODE","features":[398]},{"name":"D2D1_2DAFFINETRANSFORM_PROP_INTERPOLATION_MODE","features":[398]},{"name":"D2D1_2DAFFINETRANSFORM_PROP_SHARPNESS","features":[398]},{"name":"D2D1_2DAFFINETRANSFORM_PROP_TRANSFORM_MATRIX","features":[398]},{"name":"D2D1_3DPERSPECTIVETRANSFORM_INTERPOLATION_MODE","features":[398]},{"name":"D2D1_3DPERSPECTIVETRANSFORM_INTERPOLATION_MODE_ANISOTROPIC","features":[398]},{"name":"D2D1_3DPERSPECTIVETRANSFORM_INTERPOLATION_MODE_CUBIC","features":[398]},{"name":"D2D1_3DPERSPECTIVETRANSFORM_INTERPOLATION_MODE_LINEAR","features":[398]},{"name":"D2D1_3DPERSPECTIVETRANSFORM_INTERPOLATION_MODE_MULTI_SAMPLE_LINEAR","features":[398]},{"name":"D2D1_3DPERSPECTIVETRANSFORM_INTERPOLATION_MODE_NEAREST_NEIGHBOR","features":[398]},{"name":"D2D1_3DPERSPECTIVETRANSFORM_PROP","features":[398]},{"name":"D2D1_3DPERSPECTIVETRANSFORM_PROP_BORDER_MODE","features":[398]},{"name":"D2D1_3DPERSPECTIVETRANSFORM_PROP_DEPTH","features":[398]},{"name":"D2D1_3DPERSPECTIVETRANSFORM_PROP_GLOBAL_OFFSET","features":[398]},{"name":"D2D1_3DPERSPECTIVETRANSFORM_PROP_INTERPOLATION_MODE","features":[398]},{"name":"D2D1_3DPERSPECTIVETRANSFORM_PROP_LOCAL_OFFSET","features":[398]},{"name":"D2D1_3DPERSPECTIVETRANSFORM_PROP_PERSPECTIVE_ORIGIN","features":[398]},{"name":"D2D1_3DPERSPECTIVETRANSFORM_PROP_ROTATION","features":[398]},{"name":"D2D1_3DPERSPECTIVETRANSFORM_PROP_ROTATION_ORIGIN","features":[398]},{"name":"D2D1_3DTRANSFORM_INTERPOLATION_MODE","features":[398]},{"name":"D2D1_3DTRANSFORM_INTERPOLATION_MODE_ANISOTROPIC","features":[398]},{"name":"D2D1_3DTRANSFORM_INTERPOLATION_MODE_CUBIC","features":[398]},{"name":"D2D1_3DTRANSFORM_INTERPOLATION_MODE_LINEAR","features":[398]},{"name":"D2D1_3DTRANSFORM_INTERPOLATION_MODE_MULTI_SAMPLE_LINEAR","features":[398]},{"name":"D2D1_3DTRANSFORM_INTERPOLATION_MODE_NEAREST_NEIGHBOR","features":[398]},{"name":"D2D1_3DTRANSFORM_PROP","features":[398]},{"name":"D2D1_3DTRANSFORM_PROP_BORDER_MODE","features":[398]},{"name":"D2D1_3DTRANSFORM_PROP_INTERPOLATION_MODE","features":[398]},{"name":"D2D1_3DTRANSFORM_PROP_TRANSFORM_MATRIX","features":[398]},{"name":"D2D1_ANTIALIAS_MODE","features":[398]},{"name":"D2D1_ANTIALIAS_MODE_ALIASED","features":[398]},{"name":"D2D1_ANTIALIAS_MODE_PER_PRIMITIVE","features":[398]},{"name":"D2D1_APPEND_ALIGNED_ELEMENT","features":[398]},{"name":"D2D1_ARC_SEGMENT","features":[399]},{"name":"D2D1_ARC_SIZE","features":[398]},{"name":"D2D1_ARC_SIZE_LARGE","features":[398]},{"name":"D2D1_ARC_SIZE_SMALL","features":[398]},{"name":"D2D1_ARITHMETICCOMPOSITE_PROP","features":[398]},{"name":"D2D1_ARITHMETICCOMPOSITE_PROP_CLAMP_OUTPUT","features":[398]},{"name":"D2D1_ARITHMETICCOMPOSITE_PROP_COEFFICIENTS","features":[398]},{"name":"D2D1_ATLAS_PROP","features":[398]},{"name":"D2D1_ATLAS_PROP_INPUT_PADDING_RECT","features":[398]},{"name":"D2D1_ATLAS_PROP_INPUT_RECT","features":[398]},{"name":"D2D1_BITMAPSOURCE_ALPHA_MODE","features":[398]},{"name":"D2D1_BITMAPSOURCE_ALPHA_MODE_PREMULTIPLIED","features":[398]},{"name":"D2D1_BITMAPSOURCE_ALPHA_MODE_STRAIGHT","features":[398]},{"name":"D2D1_BITMAPSOURCE_INTERPOLATION_MODE","features":[398]},{"name":"D2D1_BITMAPSOURCE_INTERPOLATION_MODE_CUBIC","features":[398]},{"name":"D2D1_BITMAPSOURCE_INTERPOLATION_MODE_FANT","features":[398]},{"name":"D2D1_BITMAPSOURCE_INTERPOLATION_MODE_LINEAR","features":[398]},{"name":"D2D1_BITMAPSOURCE_INTERPOLATION_MODE_MIPMAP_LINEAR","features":[398]},{"name":"D2D1_BITMAPSOURCE_INTERPOLATION_MODE_NEAREST_NEIGHBOR","features":[398]},{"name":"D2D1_BITMAPSOURCE_ORIENTATION","features":[398]},{"name":"D2D1_BITMAPSOURCE_ORIENTATION_DEFAULT","features":[398]},{"name":"D2D1_BITMAPSOURCE_ORIENTATION_FLIP_HORIZONTAL","features":[398]},{"name":"D2D1_BITMAPSOURCE_ORIENTATION_ROTATE_CLOCKWISE180","features":[398]},{"name":"D2D1_BITMAPSOURCE_ORIENTATION_ROTATE_CLOCKWISE180_FLIP_HORIZONTAL","features":[398]},{"name":"D2D1_BITMAPSOURCE_ORIENTATION_ROTATE_CLOCKWISE270","features":[398]},{"name":"D2D1_BITMAPSOURCE_ORIENTATION_ROTATE_CLOCKWISE270_FLIP_HORIZONTAL","features":[398]},{"name":"D2D1_BITMAPSOURCE_ORIENTATION_ROTATE_CLOCKWISE90","features":[398]},{"name":"D2D1_BITMAPSOURCE_ORIENTATION_ROTATE_CLOCKWISE90_FLIP_HORIZONTAL","features":[398]},{"name":"D2D1_BITMAPSOURCE_PROP","features":[398]},{"name":"D2D1_BITMAPSOURCE_PROP_ALPHA_MODE","features":[398]},{"name":"D2D1_BITMAPSOURCE_PROP_ENABLE_DPI_CORRECTION","features":[398]},{"name":"D2D1_BITMAPSOURCE_PROP_INTERPOLATION_MODE","features":[398]},{"name":"D2D1_BITMAPSOURCE_PROP_ORIENTATION","features":[398]},{"name":"D2D1_BITMAPSOURCE_PROP_SCALE","features":[398]},{"name":"D2D1_BITMAPSOURCE_PROP_WIC_BITMAP_SOURCE","features":[398]},{"name":"D2D1_BITMAP_BRUSH_PROPERTIES","features":[398]},{"name":"D2D1_BITMAP_BRUSH_PROPERTIES1","features":[398]},{"name":"D2D1_BITMAP_INTERPOLATION_MODE","features":[398]},{"name":"D2D1_BITMAP_INTERPOLATION_MODE_LINEAR","features":[398]},{"name":"D2D1_BITMAP_INTERPOLATION_MODE_NEAREST_NEIGHBOR","features":[398]},{"name":"D2D1_BITMAP_OPTIONS","features":[398]},{"name":"D2D1_BITMAP_OPTIONS_CANNOT_DRAW","features":[398]},{"name":"D2D1_BITMAP_OPTIONS_CPU_READ","features":[398]},{"name":"D2D1_BITMAP_OPTIONS_GDI_COMPATIBLE","features":[398]},{"name":"D2D1_BITMAP_OPTIONS_NONE","features":[398]},{"name":"D2D1_BITMAP_OPTIONS_TARGET","features":[398]},{"name":"D2D1_BITMAP_PROPERTIES","features":[399,396]},{"name":"D2D1_BITMAP_PROPERTIES1","features":[399,396]},{"name":"D2D1_BLEND","features":[398]},{"name":"D2D1_BLEND_BLEND_FACTOR","features":[398]},{"name":"D2D1_BLEND_DESCRIPTION","features":[398]},{"name":"D2D1_BLEND_DEST_ALPHA","features":[398]},{"name":"D2D1_BLEND_DEST_COLOR","features":[398]},{"name":"D2D1_BLEND_INV_BLEND_FACTOR","features":[398]},{"name":"D2D1_BLEND_INV_DEST_ALPHA","features":[398]},{"name":"D2D1_BLEND_INV_DEST_COLOR","features":[398]},{"name":"D2D1_BLEND_INV_SRC_ALPHA","features":[398]},{"name":"D2D1_BLEND_INV_SRC_COLOR","features":[398]},{"name":"D2D1_BLEND_ONE","features":[398]},{"name":"D2D1_BLEND_OPERATION","features":[398]},{"name":"D2D1_BLEND_OPERATION_ADD","features":[398]},{"name":"D2D1_BLEND_OPERATION_MAX","features":[398]},{"name":"D2D1_BLEND_OPERATION_MIN","features":[398]},{"name":"D2D1_BLEND_OPERATION_REV_SUBTRACT","features":[398]},{"name":"D2D1_BLEND_OPERATION_SUBTRACT","features":[398]},{"name":"D2D1_BLEND_PROP","features":[398]},{"name":"D2D1_BLEND_PROP_MODE","features":[398]},{"name":"D2D1_BLEND_SRC_ALPHA","features":[398]},{"name":"D2D1_BLEND_SRC_ALPHA_SAT","features":[398]},{"name":"D2D1_BLEND_SRC_COLOR","features":[398]},{"name":"D2D1_BLEND_ZERO","features":[398]},{"name":"D2D1_BORDER_EDGE_MODE","features":[398]},{"name":"D2D1_BORDER_EDGE_MODE_CLAMP","features":[398]},{"name":"D2D1_BORDER_EDGE_MODE_MIRROR","features":[398]},{"name":"D2D1_BORDER_EDGE_MODE_WRAP","features":[398]},{"name":"D2D1_BORDER_PROP","features":[398]},{"name":"D2D1_BORDER_PROP_EDGE_MODE_X","features":[398]},{"name":"D2D1_BORDER_PROP_EDGE_MODE_Y","features":[398]},{"name":"D2D1_BRIGHTNESS_PROP","features":[398]},{"name":"D2D1_BRIGHTNESS_PROP_BLACK_POINT","features":[398]},{"name":"D2D1_BRIGHTNESS_PROP_WHITE_POINT","features":[398]},{"name":"D2D1_BRUSH_PROPERTIES","features":[73,398]},{"name":"D2D1_BUFFER_PRECISION","features":[398]},{"name":"D2D1_BUFFER_PRECISION_16BPC_FLOAT","features":[398]},{"name":"D2D1_BUFFER_PRECISION_16BPC_UNORM","features":[398]},{"name":"D2D1_BUFFER_PRECISION_32BPC_FLOAT","features":[398]},{"name":"D2D1_BUFFER_PRECISION_8BPC_UNORM","features":[398]},{"name":"D2D1_BUFFER_PRECISION_8BPC_UNORM_SRGB","features":[398]},{"name":"D2D1_BUFFER_PRECISION_UNKNOWN","features":[398]},{"name":"D2D1_CAP_STYLE","features":[398]},{"name":"D2D1_CAP_STYLE_FLAT","features":[398]},{"name":"D2D1_CAP_STYLE_ROUND","features":[398]},{"name":"D2D1_CAP_STYLE_SQUARE","features":[398]},{"name":"D2D1_CAP_STYLE_TRIANGLE","features":[398]},{"name":"D2D1_CHANGE_TYPE","features":[398]},{"name":"D2D1_CHANGE_TYPE_CONTEXT","features":[398]},{"name":"D2D1_CHANGE_TYPE_GRAPH","features":[398]},{"name":"D2D1_CHANGE_TYPE_NONE","features":[398]},{"name":"D2D1_CHANGE_TYPE_PROPERTIES","features":[398]},{"name":"D2D1_CHANNEL_DEPTH","features":[398]},{"name":"D2D1_CHANNEL_DEPTH_1","features":[398]},{"name":"D2D1_CHANNEL_DEPTH_4","features":[398]},{"name":"D2D1_CHANNEL_DEPTH_DEFAULT","features":[398]},{"name":"D2D1_CHANNEL_SELECTOR","features":[398]},{"name":"D2D1_CHANNEL_SELECTOR_A","features":[398]},{"name":"D2D1_CHANNEL_SELECTOR_B","features":[398]},{"name":"D2D1_CHANNEL_SELECTOR_G","features":[398]},{"name":"D2D1_CHANNEL_SELECTOR_R","features":[398]},{"name":"D2D1_CHROMAKEY_PROP","features":[398]},{"name":"D2D1_CHROMAKEY_PROP_COLOR","features":[398]},{"name":"D2D1_CHROMAKEY_PROP_FEATHER","features":[398]},{"name":"D2D1_CHROMAKEY_PROP_INVERT_ALPHA","features":[398]},{"name":"D2D1_CHROMAKEY_PROP_TOLERANCE","features":[398]},{"name":"D2D1_COLORMANAGEMENT_ALPHA_MODE","features":[398]},{"name":"D2D1_COLORMANAGEMENT_ALPHA_MODE_PREMULTIPLIED","features":[398]},{"name":"D2D1_COLORMANAGEMENT_ALPHA_MODE_STRAIGHT","features":[398]},{"name":"D2D1_COLORMANAGEMENT_PROP","features":[398]},{"name":"D2D1_COLORMANAGEMENT_PROP_ALPHA_MODE","features":[398]},{"name":"D2D1_COLORMANAGEMENT_PROP_DESTINATION_COLOR_CONTEXT","features":[398]},{"name":"D2D1_COLORMANAGEMENT_PROP_DESTINATION_RENDERING_INTENT","features":[398]},{"name":"D2D1_COLORMANAGEMENT_PROP_QUALITY","features":[398]},{"name":"D2D1_COLORMANAGEMENT_PROP_SOURCE_COLOR_CONTEXT","features":[398]},{"name":"D2D1_COLORMANAGEMENT_PROP_SOURCE_RENDERING_INTENT","features":[398]},{"name":"D2D1_COLORMANAGEMENT_QUALITY","features":[398]},{"name":"D2D1_COLORMANAGEMENT_QUALITY_BEST","features":[398]},{"name":"D2D1_COLORMANAGEMENT_QUALITY_NORMAL","features":[398]},{"name":"D2D1_COLORMANAGEMENT_QUALITY_PROOF","features":[398]},{"name":"D2D1_COLORMANAGEMENT_RENDERING_INTENT","features":[398]},{"name":"D2D1_COLORMANAGEMENT_RENDERING_INTENT_ABSOLUTE_COLORIMETRIC","features":[398]},{"name":"D2D1_COLORMANAGEMENT_RENDERING_INTENT_PERCEPTUAL","features":[398]},{"name":"D2D1_COLORMANAGEMENT_RENDERING_INTENT_RELATIVE_COLORIMETRIC","features":[398]},{"name":"D2D1_COLORMANAGEMENT_RENDERING_INTENT_SATURATION","features":[398]},{"name":"D2D1_COLORMATRIX_PROP","features":[398]},{"name":"D2D1_COLORMATRIX_PROP_ALPHA_MODE","features":[398]},{"name":"D2D1_COLORMATRIX_PROP_CLAMP_OUTPUT","features":[398]},{"name":"D2D1_COLORMATRIX_PROP_COLOR_MATRIX","features":[398]},{"name":"D2D1_COLOR_BITMAP_GLYPH_SNAP_OPTION","features":[398]},{"name":"D2D1_COLOR_BITMAP_GLYPH_SNAP_OPTION_DEFAULT","features":[398]},{"name":"D2D1_COLOR_BITMAP_GLYPH_SNAP_OPTION_DISABLE","features":[398]},{"name":"D2D1_COLOR_CONTEXT_TYPE","features":[398]},{"name":"D2D1_COLOR_CONTEXT_TYPE_DXGI","features":[398]},{"name":"D2D1_COLOR_CONTEXT_TYPE_ICC","features":[398]},{"name":"D2D1_COLOR_CONTEXT_TYPE_SIMPLE","features":[398]},{"name":"D2D1_COLOR_INTERPOLATION_MODE","features":[398]},{"name":"D2D1_COLOR_INTERPOLATION_MODE_PREMULTIPLIED","features":[398]},{"name":"D2D1_COLOR_INTERPOLATION_MODE_STRAIGHT","features":[398]},{"name":"D2D1_COLOR_SPACE","features":[398]},{"name":"D2D1_COLOR_SPACE_CUSTOM","features":[398]},{"name":"D2D1_COLOR_SPACE_SCRGB","features":[398]},{"name":"D2D1_COLOR_SPACE_SRGB","features":[398]},{"name":"D2D1_COMBINE_MODE","features":[398]},{"name":"D2D1_COMBINE_MODE_EXCLUDE","features":[398]},{"name":"D2D1_COMBINE_MODE_INTERSECT","features":[398]},{"name":"D2D1_COMBINE_MODE_UNION","features":[398]},{"name":"D2D1_COMBINE_MODE_XOR","features":[398]},{"name":"D2D1_COMPATIBLE_RENDER_TARGET_OPTIONS","features":[398]},{"name":"D2D1_COMPATIBLE_RENDER_TARGET_OPTIONS_GDI_COMPATIBLE","features":[398]},{"name":"D2D1_COMPATIBLE_RENDER_TARGET_OPTIONS_NONE","features":[398]},{"name":"D2D1_COMPOSITE_PROP","features":[398]},{"name":"D2D1_COMPOSITE_PROP_MODE","features":[398]},{"name":"D2D1_CONTRAST_PROP","features":[398]},{"name":"D2D1_CONTRAST_PROP_CLAMP_INPUT","features":[398]},{"name":"D2D1_CONTRAST_PROP_CONTRAST","features":[398]},{"name":"D2D1_CONVOLVEMATRIX_PROP","features":[398]},{"name":"D2D1_CONVOLVEMATRIX_PROP_BIAS","features":[398]},{"name":"D2D1_CONVOLVEMATRIX_PROP_BORDER_MODE","features":[398]},{"name":"D2D1_CONVOLVEMATRIX_PROP_CLAMP_OUTPUT","features":[398]},{"name":"D2D1_CONVOLVEMATRIX_PROP_DIVISOR","features":[398]},{"name":"D2D1_CONVOLVEMATRIX_PROP_KERNEL_MATRIX","features":[398]},{"name":"D2D1_CONVOLVEMATRIX_PROP_KERNEL_OFFSET","features":[398]},{"name":"D2D1_CONVOLVEMATRIX_PROP_KERNEL_SIZE_X","features":[398]},{"name":"D2D1_CONVOLVEMATRIX_PROP_KERNEL_SIZE_Y","features":[398]},{"name":"D2D1_CONVOLVEMATRIX_PROP_KERNEL_UNIT_LENGTH","features":[398]},{"name":"D2D1_CONVOLVEMATRIX_PROP_PRESERVE_ALPHA","features":[398]},{"name":"D2D1_CONVOLVEMATRIX_PROP_SCALE_MODE","features":[398]},{"name":"D2D1_CONVOLVEMATRIX_SCALE_MODE","features":[398]},{"name":"D2D1_CONVOLVEMATRIX_SCALE_MODE_ANISOTROPIC","features":[398]},{"name":"D2D1_CONVOLVEMATRIX_SCALE_MODE_CUBIC","features":[398]},{"name":"D2D1_CONVOLVEMATRIX_SCALE_MODE_HIGH_QUALITY_CUBIC","features":[398]},{"name":"D2D1_CONVOLVEMATRIX_SCALE_MODE_LINEAR","features":[398]},{"name":"D2D1_CONVOLVEMATRIX_SCALE_MODE_MULTI_SAMPLE_LINEAR","features":[398]},{"name":"D2D1_CONVOLVEMATRIX_SCALE_MODE_NEAREST_NEIGHBOR","features":[398]},{"name":"D2D1_CREATION_PROPERTIES","features":[398]},{"name":"D2D1_CROP_PROP","features":[398]},{"name":"D2D1_CROP_PROP_BORDER_MODE","features":[398]},{"name":"D2D1_CROP_PROP_RECT","features":[398]},{"name":"D2D1_CROSSFADE_PROP","features":[398]},{"name":"D2D1_CROSSFADE_PROP_WEIGHT","features":[398]},{"name":"D2D1_CUSTOM_VERTEX_BUFFER_PROPERTIES","features":[398,396]},{"name":"D2D1_DASH_STYLE","features":[398]},{"name":"D2D1_DASH_STYLE_CUSTOM","features":[398]},{"name":"D2D1_DASH_STYLE_DASH","features":[398]},{"name":"D2D1_DASH_STYLE_DASH_DOT","features":[398]},{"name":"D2D1_DASH_STYLE_DASH_DOT_DOT","features":[398]},{"name":"D2D1_DASH_STYLE_DOT","features":[398]},{"name":"D2D1_DASH_STYLE_SOLID","features":[398]},{"name":"D2D1_DC_INITIALIZE_MODE","features":[398]},{"name":"D2D1_DC_INITIALIZE_MODE_CLEAR","features":[398]},{"name":"D2D1_DC_INITIALIZE_MODE_COPY","features":[398]},{"name":"D2D1_DEBUG_LEVEL","features":[398]},{"name":"D2D1_DEBUG_LEVEL_ERROR","features":[398]},{"name":"D2D1_DEBUG_LEVEL_INFORMATION","features":[398]},{"name":"D2D1_DEBUG_LEVEL_NONE","features":[398]},{"name":"D2D1_DEBUG_LEVEL_WARNING","features":[398]},{"name":"D2D1_DEFAULT_FLATTENING_TOLERANCE","features":[398]},{"name":"D2D1_DEVICE_CONTEXT_OPTIONS","features":[398]},{"name":"D2D1_DEVICE_CONTEXT_OPTIONS_ENABLE_MULTITHREADED_OPTIMIZATIONS","features":[398]},{"name":"D2D1_DEVICE_CONTEXT_OPTIONS_NONE","features":[398]},{"name":"D2D1_DIRECTIONALBLUR_OPTIMIZATION","features":[398]},{"name":"D2D1_DIRECTIONALBLUR_OPTIMIZATION_BALANCED","features":[398]},{"name":"D2D1_DIRECTIONALBLUR_OPTIMIZATION_QUALITY","features":[398]},{"name":"D2D1_DIRECTIONALBLUR_OPTIMIZATION_SPEED","features":[398]},{"name":"D2D1_DIRECTIONALBLUR_PROP","features":[398]},{"name":"D2D1_DIRECTIONALBLUR_PROP_ANGLE","features":[398]},{"name":"D2D1_DIRECTIONALBLUR_PROP_BORDER_MODE","features":[398]},{"name":"D2D1_DIRECTIONALBLUR_PROP_OPTIMIZATION","features":[398]},{"name":"D2D1_DIRECTIONALBLUR_PROP_STANDARD_DEVIATION","features":[398]},{"name":"D2D1_DISCRETETRANSFER_PROP","features":[398]},{"name":"D2D1_DISCRETETRANSFER_PROP_ALPHA_DISABLE","features":[398]},{"name":"D2D1_DISCRETETRANSFER_PROP_ALPHA_TABLE","features":[398]},{"name":"D2D1_DISCRETETRANSFER_PROP_BLUE_DISABLE","features":[398]},{"name":"D2D1_DISCRETETRANSFER_PROP_BLUE_TABLE","features":[398]},{"name":"D2D1_DISCRETETRANSFER_PROP_CLAMP_OUTPUT","features":[398]},{"name":"D2D1_DISCRETETRANSFER_PROP_GREEN_DISABLE","features":[398]},{"name":"D2D1_DISCRETETRANSFER_PROP_GREEN_TABLE","features":[398]},{"name":"D2D1_DISCRETETRANSFER_PROP_RED_DISABLE","features":[398]},{"name":"D2D1_DISCRETETRANSFER_PROP_RED_TABLE","features":[398]},{"name":"D2D1_DISPLACEMENTMAP_PROP","features":[398]},{"name":"D2D1_DISPLACEMENTMAP_PROP_SCALE","features":[398]},{"name":"D2D1_DISPLACEMENTMAP_PROP_X_CHANNEL_SELECT","features":[398]},{"name":"D2D1_DISPLACEMENTMAP_PROP_Y_CHANNEL_SELECT","features":[398]},{"name":"D2D1_DISTANTDIFFUSE_PROP","features":[398]},{"name":"D2D1_DISTANTDIFFUSE_PROP_AZIMUTH","features":[398]},{"name":"D2D1_DISTANTDIFFUSE_PROP_COLOR","features":[398]},{"name":"D2D1_DISTANTDIFFUSE_PROP_DIFFUSE_CONSTANT","features":[398]},{"name":"D2D1_DISTANTDIFFUSE_PROP_ELEVATION","features":[398]},{"name":"D2D1_DISTANTDIFFUSE_PROP_KERNEL_UNIT_LENGTH","features":[398]},{"name":"D2D1_DISTANTDIFFUSE_PROP_SCALE_MODE","features":[398]},{"name":"D2D1_DISTANTDIFFUSE_PROP_SURFACE_SCALE","features":[398]},{"name":"D2D1_DISTANTDIFFUSE_SCALE_MODE","features":[398]},{"name":"D2D1_DISTANTDIFFUSE_SCALE_MODE_ANISOTROPIC","features":[398]},{"name":"D2D1_DISTANTDIFFUSE_SCALE_MODE_CUBIC","features":[398]},{"name":"D2D1_DISTANTDIFFUSE_SCALE_MODE_HIGH_QUALITY_CUBIC","features":[398]},{"name":"D2D1_DISTANTDIFFUSE_SCALE_MODE_LINEAR","features":[398]},{"name":"D2D1_DISTANTDIFFUSE_SCALE_MODE_MULTI_SAMPLE_LINEAR","features":[398]},{"name":"D2D1_DISTANTDIFFUSE_SCALE_MODE_NEAREST_NEIGHBOR","features":[398]},{"name":"D2D1_DISTANTSPECULAR_PROP","features":[398]},{"name":"D2D1_DISTANTSPECULAR_PROP_AZIMUTH","features":[398]},{"name":"D2D1_DISTANTSPECULAR_PROP_COLOR","features":[398]},{"name":"D2D1_DISTANTSPECULAR_PROP_ELEVATION","features":[398]},{"name":"D2D1_DISTANTSPECULAR_PROP_KERNEL_UNIT_LENGTH","features":[398]},{"name":"D2D1_DISTANTSPECULAR_PROP_SCALE_MODE","features":[398]},{"name":"D2D1_DISTANTSPECULAR_PROP_SPECULAR_CONSTANT","features":[398]},{"name":"D2D1_DISTANTSPECULAR_PROP_SPECULAR_EXPONENT","features":[398]},{"name":"D2D1_DISTANTSPECULAR_PROP_SURFACE_SCALE","features":[398]},{"name":"D2D1_DISTANTSPECULAR_SCALE_MODE","features":[398]},{"name":"D2D1_DISTANTSPECULAR_SCALE_MODE_ANISOTROPIC","features":[398]},{"name":"D2D1_DISTANTSPECULAR_SCALE_MODE_CUBIC","features":[398]},{"name":"D2D1_DISTANTSPECULAR_SCALE_MODE_HIGH_QUALITY_CUBIC","features":[398]},{"name":"D2D1_DISTANTSPECULAR_SCALE_MODE_LINEAR","features":[398]},{"name":"D2D1_DISTANTSPECULAR_SCALE_MODE_MULTI_SAMPLE_LINEAR","features":[398]},{"name":"D2D1_DISTANTSPECULAR_SCALE_MODE_NEAREST_NEIGHBOR","features":[398]},{"name":"D2D1_DPICOMPENSATION_INTERPOLATION_MODE","features":[398]},{"name":"D2D1_DPICOMPENSATION_INTERPOLATION_MODE_ANISOTROPIC","features":[398]},{"name":"D2D1_DPICOMPENSATION_INTERPOLATION_MODE_CUBIC","features":[398]},{"name":"D2D1_DPICOMPENSATION_INTERPOLATION_MODE_HIGH_QUALITY_CUBIC","features":[398]},{"name":"D2D1_DPICOMPENSATION_INTERPOLATION_MODE_LINEAR","features":[398]},{"name":"D2D1_DPICOMPENSATION_INTERPOLATION_MODE_MULTI_SAMPLE_LINEAR","features":[398]},{"name":"D2D1_DPICOMPENSATION_INTERPOLATION_MODE_NEAREST_NEIGHBOR","features":[398]},{"name":"D2D1_DPICOMPENSATION_PROP","features":[398]},{"name":"D2D1_DPICOMPENSATION_PROP_BORDER_MODE","features":[398]},{"name":"D2D1_DPICOMPENSATION_PROP_INPUT_DPI","features":[398]},{"name":"D2D1_DPICOMPENSATION_PROP_INTERPOLATION_MODE","features":[398]},{"name":"D2D1_DRAWING_STATE_DESCRIPTION","features":[73,398]},{"name":"D2D1_DRAWING_STATE_DESCRIPTION1","features":[73,398]},{"name":"D2D1_DRAW_TEXT_OPTIONS","features":[398]},{"name":"D2D1_DRAW_TEXT_OPTIONS_CLIP","features":[398]},{"name":"D2D1_DRAW_TEXT_OPTIONS_DISABLE_COLOR_BITMAP_SNAPPING","features":[398]},{"name":"D2D1_DRAW_TEXT_OPTIONS_ENABLE_COLOR_FONT","features":[398]},{"name":"D2D1_DRAW_TEXT_OPTIONS_NONE","features":[398]},{"name":"D2D1_DRAW_TEXT_OPTIONS_NO_SNAP","features":[398]},{"name":"D2D1_EDGEDETECTION_MODE","features":[398]},{"name":"D2D1_EDGEDETECTION_MODE_PREWITT","features":[398]},{"name":"D2D1_EDGEDETECTION_MODE_SOBEL","features":[398]},{"name":"D2D1_EDGEDETECTION_PROP","features":[398]},{"name":"D2D1_EDGEDETECTION_PROP_ALPHA_MODE","features":[398]},{"name":"D2D1_EDGEDETECTION_PROP_BLUR_RADIUS","features":[398]},{"name":"D2D1_EDGEDETECTION_PROP_MODE","features":[398]},{"name":"D2D1_EDGEDETECTION_PROP_OVERLAY_EDGES","features":[398]},{"name":"D2D1_EDGEDETECTION_PROP_STRENGTH","features":[398]},{"name":"D2D1_EFFECT_INPUT_DESCRIPTION","features":[399]},{"name":"D2D1_ELLIPSE","features":[399]},{"name":"D2D1_EMBOSS_PROP","features":[398]},{"name":"D2D1_EMBOSS_PROP_DIRECTION","features":[398]},{"name":"D2D1_EMBOSS_PROP_HEIGHT","features":[398]},{"name":"D2D1_EXPOSURE_PROP","features":[398]},{"name":"D2D1_EXPOSURE_PROP_EXPOSURE_VALUE","features":[398]},{"name":"D2D1_EXTEND_MODE","features":[398]},{"name":"D2D1_EXTEND_MODE_CLAMP","features":[398]},{"name":"D2D1_EXTEND_MODE_MIRROR","features":[398]},{"name":"D2D1_EXTEND_MODE_WRAP","features":[398]},{"name":"D2D1_FACTORY_OPTIONS","features":[398]},{"name":"D2D1_FACTORY_TYPE","features":[398]},{"name":"D2D1_FACTORY_TYPE_MULTI_THREADED","features":[398]},{"name":"D2D1_FACTORY_TYPE_SINGLE_THREADED","features":[398]},{"name":"D2D1_FEATURE","features":[398]},{"name":"D2D1_FEATURE_D3D10_X_HARDWARE_OPTIONS","features":[398]},{"name":"D2D1_FEATURE_DATA_D3D10_X_HARDWARE_OPTIONS","features":[308,398]},{"name":"D2D1_FEATURE_DATA_DOUBLES","features":[308,398]},{"name":"D2D1_FEATURE_DOUBLES","features":[398]},{"name":"D2D1_FEATURE_LEVEL","features":[398]},{"name":"D2D1_FEATURE_LEVEL_10","features":[398]},{"name":"D2D1_FEATURE_LEVEL_9","features":[398]},{"name":"D2D1_FEATURE_LEVEL_DEFAULT","features":[398]},{"name":"D2D1_FILTER","features":[398]},{"name":"D2D1_FILTER_ANISOTROPIC","features":[398]},{"name":"D2D1_FILTER_MIN_LINEAR_MAG_MIP_POINT","features":[398]},{"name":"D2D1_FILTER_MIN_LINEAR_MAG_POINT_MIP_LINEAR","features":[398]},{"name":"D2D1_FILTER_MIN_MAG_LINEAR_MIP_POINT","features":[398]},{"name":"D2D1_FILTER_MIN_MAG_MIP_LINEAR","features":[398]},{"name":"D2D1_FILTER_MIN_MAG_MIP_POINT","features":[398]},{"name":"D2D1_FILTER_MIN_MAG_POINT_MIP_LINEAR","features":[398]},{"name":"D2D1_FILTER_MIN_POINT_MAG_LINEAR_MIP_POINT","features":[398]},{"name":"D2D1_FILTER_MIN_POINT_MAG_MIP_LINEAR","features":[398]},{"name":"D2D1_FLOOD_PROP","features":[398]},{"name":"D2D1_FLOOD_PROP_COLOR","features":[398]},{"name":"D2D1_GAMMA","features":[398]},{"name":"D2D1_GAMMA1","features":[398]},{"name":"D2D1_GAMMA1_G10","features":[398]},{"name":"D2D1_GAMMA1_G2084","features":[398]},{"name":"D2D1_GAMMA1_G22","features":[398]},{"name":"D2D1_GAMMATRANSFER_PROP","features":[398]},{"name":"D2D1_GAMMATRANSFER_PROP_ALPHA_AMPLITUDE","features":[398]},{"name":"D2D1_GAMMATRANSFER_PROP_ALPHA_DISABLE","features":[398]},{"name":"D2D1_GAMMATRANSFER_PROP_ALPHA_EXPONENT","features":[398]},{"name":"D2D1_GAMMATRANSFER_PROP_ALPHA_OFFSET","features":[398]},{"name":"D2D1_GAMMATRANSFER_PROP_BLUE_AMPLITUDE","features":[398]},{"name":"D2D1_GAMMATRANSFER_PROP_BLUE_DISABLE","features":[398]},{"name":"D2D1_GAMMATRANSFER_PROP_BLUE_EXPONENT","features":[398]},{"name":"D2D1_GAMMATRANSFER_PROP_BLUE_OFFSET","features":[398]},{"name":"D2D1_GAMMATRANSFER_PROP_CLAMP_OUTPUT","features":[398]},{"name":"D2D1_GAMMATRANSFER_PROP_GREEN_AMPLITUDE","features":[398]},{"name":"D2D1_GAMMATRANSFER_PROP_GREEN_DISABLE","features":[398]},{"name":"D2D1_GAMMATRANSFER_PROP_GREEN_EXPONENT","features":[398]},{"name":"D2D1_GAMMATRANSFER_PROP_GREEN_OFFSET","features":[398]},{"name":"D2D1_GAMMATRANSFER_PROP_RED_AMPLITUDE","features":[398]},{"name":"D2D1_GAMMATRANSFER_PROP_RED_DISABLE","features":[398]},{"name":"D2D1_GAMMATRANSFER_PROP_RED_EXPONENT","features":[398]},{"name":"D2D1_GAMMATRANSFER_PROP_RED_OFFSET","features":[398]},{"name":"D2D1_GAMMA_1_0","features":[398]},{"name":"D2D1_GAMMA_2_2","features":[398]},{"name":"D2D1_GAUSSIANBLUR_OPTIMIZATION","features":[398]},{"name":"D2D1_GAUSSIANBLUR_OPTIMIZATION_BALANCED","features":[398]},{"name":"D2D1_GAUSSIANBLUR_OPTIMIZATION_QUALITY","features":[398]},{"name":"D2D1_GAUSSIANBLUR_OPTIMIZATION_SPEED","features":[398]},{"name":"D2D1_GAUSSIANBLUR_PROP","features":[398]},{"name":"D2D1_GAUSSIANBLUR_PROP_BORDER_MODE","features":[398]},{"name":"D2D1_GAUSSIANBLUR_PROP_OPTIMIZATION","features":[398]},{"name":"D2D1_GAUSSIANBLUR_PROP_STANDARD_DEVIATION","features":[398]},{"name":"D2D1_GEOMETRY_RELATION","features":[398]},{"name":"D2D1_GEOMETRY_RELATION_CONTAINS","features":[398]},{"name":"D2D1_GEOMETRY_RELATION_DISJOINT","features":[398]},{"name":"D2D1_GEOMETRY_RELATION_IS_CONTAINED","features":[398]},{"name":"D2D1_GEOMETRY_RELATION_OVERLAP","features":[398]},{"name":"D2D1_GEOMETRY_RELATION_UNKNOWN","features":[398]},{"name":"D2D1_GEOMETRY_SIMPLIFICATION_OPTION","features":[398]},{"name":"D2D1_GEOMETRY_SIMPLIFICATION_OPTION_CUBICS_AND_LINES","features":[398]},{"name":"D2D1_GEOMETRY_SIMPLIFICATION_OPTION_LINES","features":[398]},{"name":"D2D1_GRADIENT_MESH_PATCH","features":[399]},{"name":"D2D1_HDRTONEMAP_DISPLAY_MODE","features":[398]},{"name":"D2D1_HDRTONEMAP_DISPLAY_MODE_HDR","features":[398]},{"name":"D2D1_HDRTONEMAP_DISPLAY_MODE_SDR","features":[398]},{"name":"D2D1_HDRTONEMAP_PROP","features":[398]},{"name":"D2D1_HDRTONEMAP_PROP_DISPLAY_MODE","features":[398]},{"name":"D2D1_HDRTONEMAP_PROP_INPUT_MAX_LUMINANCE","features":[398]},{"name":"D2D1_HDRTONEMAP_PROP_OUTPUT_MAX_LUMINANCE","features":[398]},{"name":"D2D1_HIGHLIGHTSANDSHADOWS_INPUT_GAMMA","features":[398]},{"name":"D2D1_HIGHLIGHTSANDSHADOWS_INPUT_GAMMA_LINEAR","features":[398]},{"name":"D2D1_HIGHLIGHTSANDSHADOWS_INPUT_GAMMA_SRGB","features":[398]},{"name":"D2D1_HIGHLIGHTSANDSHADOWS_PROP","features":[398]},{"name":"D2D1_HIGHLIGHTSANDSHADOWS_PROP_CLARITY","features":[398]},{"name":"D2D1_HIGHLIGHTSANDSHADOWS_PROP_HIGHLIGHTS","features":[398]},{"name":"D2D1_HIGHLIGHTSANDSHADOWS_PROP_INPUT_GAMMA","features":[398]},{"name":"D2D1_HIGHLIGHTSANDSHADOWS_PROP_MASK_BLUR_RADIUS","features":[398]},{"name":"D2D1_HIGHLIGHTSANDSHADOWS_PROP_SHADOWS","features":[398]},{"name":"D2D1_HISTOGRAM_PROP","features":[398]},{"name":"D2D1_HISTOGRAM_PROP_CHANNEL_SELECT","features":[398]},{"name":"D2D1_HISTOGRAM_PROP_HISTOGRAM_OUTPUT","features":[398]},{"name":"D2D1_HISTOGRAM_PROP_NUM_BINS","features":[398]},{"name":"D2D1_HUEROTATION_PROP","features":[398]},{"name":"D2D1_HUEROTATION_PROP_ANGLE","features":[398]},{"name":"D2D1_HUETORGB_INPUT_COLOR_SPACE","features":[398]},{"name":"D2D1_HUETORGB_INPUT_COLOR_SPACE_HUE_SATURATION_LIGHTNESS","features":[398]},{"name":"D2D1_HUETORGB_INPUT_COLOR_SPACE_HUE_SATURATION_VALUE","features":[398]},{"name":"D2D1_HUETORGB_PROP","features":[398]},{"name":"D2D1_HUETORGB_PROP_INPUT_COLOR_SPACE","features":[398]},{"name":"D2D1_HWND_RENDER_TARGET_PROPERTIES","features":[308,399]},{"name":"D2D1_IMAGE_BRUSH_PROPERTIES","features":[399]},{"name":"D2D1_IMAGE_SOURCE_FROM_DXGI_OPTIONS","features":[398]},{"name":"D2D1_IMAGE_SOURCE_FROM_DXGI_OPTIONS_LOW_QUALITY_PRIMARY_CONVERSION","features":[398]},{"name":"D2D1_IMAGE_SOURCE_FROM_DXGI_OPTIONS_NONE","features":[398]},{"name":"D2D1_IMAGE_SOURCE_LOADING_OPTIONS","features":[398]},{"name":"D2D1_IMAGE_SOURCE_LOADING_OPTIONS_CACHE_ON_DEMAND","features":[398]},{"name":"D2D1_IMAGE_SOURCE_LOADING_OPTIONS_NONE","features":[398]},{"name":"D2D1_IMAGE_SOURCE_LOADING_OPTIONS_RELEASE_SOURCE","features":[398]},{"name":"D2D1_INK_BEZIER_SEGMENT","features":[398]},{"name":"D2D1_INK_NIB_SHAPE","features":[398]},{"name":"D2D1_INK_NIB_SHAPE_ROUND","features":[398]},{"name":"D2D1_INK_NIB_SHAPE_SQUARE","features":[398]},{"name":"D2D1_INK_POINT","features":[398]},{"name":"D2D1_INK_STYLE_PROPERTIES","features":[73,398]},{"name":"D2D1_INPUT_DESCRIPTION","features":[398]},{"name":"D2D1_INPUT_ELEMENT_DESC","features":[398,396]},{"name":"D2D1_INTERPOLATION_MODE","features":[398]},{"name":"D2D1_INTERPOLATION_MODE_ANISOTROPIC","features":[398]},{"name":"D2D1_INTERPOLATION_MODE_CUBIC","features":[398]},{"name":"D2D1_INTERPOLATION_MODE_DEFINITION","features":[398]},{"name":"D2D1_INTERPOLATION_MODE_DEFINITION_ANISOTROPIC","features":[398]},{"name":"D2D1_INTERPOLATION_MODE_DEFINITION_CUBIC","features":[398]},{"name":"D2D1_INTERPOLATION_MODE_DEFINITION_FANT","features":[398]},{"name":"D2D1_INTERPOLATION_MODE_DEFINITION_HIGH_QUALITY_CUBIC","features":[398]},{"name":"D2D1_INTERPOLATION_MODE_DEFINITION_LINEAR","features":[398]},{"name":"D2D1_INTERPOLATION_MODE_DEFINITION_MIPMAP_LINEAR","features":[398]},{"name":"D2D1_INTERPOLATION_MODE_DEFINITION_MULTI_SAMPLE_LINEAR","features":[398]},{"name":"D2D1_INTERPOLATION_MODE_DEFINITION_NEAREST_NEIGHBOR","features":[398]},{"name":"D2D1_INTERPOLATION_MODE_HIGH_QUALITY_CUBIC","features":[398]},{"name":"D2D1_INTERPOLATION_MODE_LINEAR","features":[398]},{"name":"D2D1_INTERPOLATION_MODE_MULTI_SAMPLE_LINEAR","features":[398]},{"name":"D2D1_INTERPOLATION_MODE_NEAREST_NEIGHBOR","features":[398]},{"name":"D2D1_LAYER_OPTIONS","features":[398]},{"name":"D2D1_LAYER_OPTIONS1","features":[398]},{"name":"D2D1_LAYER_OPTIONS1_IGNORE_ALPHA","features":[398]},{"name":"D2D1_LAYER_OPTIONS1_INITIALIZE_FROM_BACKGROUND","features":[398]},{"name":"D2D1_LAYER_OPTIONS1_NONE","features":[398]},{"name":"D2D1_LAYER_OPTIONS_INITIALIZE_FOR_CLEARTYPE","features":[398]},{"name":"D2D1_LAYER_OPTIONS_NONE","features":[398]},{"name":"D2D1_LAYER_PARAMETERS","features":[73,399]},{"name":"D2D1_LAYER_PARAMETERS1","features":[73,399]},{"name":"D2D1_LINEARTRANSFER_PROP","features":[398]},{"name":"D2D1_LINEARTRANSFER_PROP_ALPHA_DISABLE","features":[398]},{"name":"D2D1_LINEARTRANSFER_PROP_ALPHA_SLOPE","features":[398]},{"name":"D2D1_LINEARTRANSFER_PROP_ALPHA_Y_INTERCEPT","features":[398]},{"name":"D2D1_LINEARTRANSFER_PROP_BLUE_DISABLE","features":[398]},{"name":"D2D1_LINEARTRANSFER_PROP_BLUE_SLOPE","features":[398]},{"name":"D2D1_LINEARTRANSFER_PROP_BLUE_Y_INTERCEPT","features":[398]},{"name":"D2D1_LINEARTRANSFER_PROP_CLAMP_OUTPUT","features":[398]},{"name":"D2D1_LINEARTRANSFER_PROP_GREEN_DISABLE","features":[398]},{"name":"D2D1_LINEARTRANSFER_PROP_GREEN_SLOPE","features":[398]},{"name":"D2D1_LINEARTRANSFER_PROP_GREEN_Y_INTERCEPT","features":[398]},{"name":"D2D1_LINEARTRANSFER_PROP_RED_DISABLE","features":[398]},{"name":"D2D1_LINEARTRANSFER_PROP_RED_SLOPE","features":[398]},{"name":"D2D1_LINEARTRANSFER_PROP_RED_Y_INTERCEPT","features":[398]},{"name":"D2D1_LINEAR_GRADIENT_BRUSH_PROPERTIES","features":[399]},{"name":"D2D1_LINE_JOIN","features":[398]},{"name":"D2D1_LINE_JOIN_BEVEL","features":[398]},{"name":"D2D1_LINE_JOIN_MITER","features":[398]},{"name":"D2D1_LINE_JOIN_MITER_OR_BEVEL","features":[398]},{"name":"D2D1_LINE_JOIN_ROUND","features":[398]},{"name":"D2D1_LOOKUPTABLE3D_PROP","features":[398]},{"name":"D2D1_LOOKUPTABLE3D_PROP_ALPHA_MODE","features":[398]},{"name":"D2D1_LOOKUPTABLE3D_PROP_LUT","features":[398]},{"name":"D2D1_MAPPED_RECT","features":[398]},{"name":"D2D1_MAP_OPTIONS","features":[398]},{"name":"D2D1_MAP_OPTIONS_DISCARD","features":[398]},{"name":"D2D1_MAP_OPTIONS_NONE","features":[398]},{"name":"D2D1_MAP_OPTIONS_READ","features":[398]},{"name":"D2D1_MAP_OPTIONS_WRITE","features":[398]},{"name":"D2D1_MORPHOLOGY_MODE","features":[398]},{"name":"D2D1_MORPHOLOGY_MODE_DILATE","features":[398]},{"name":"D2D1_MORPHOLOGY_MODE_ERODE","features":[398]},{"name":"D2D1_MORPHOLOGY_PROP","features":[398]},{"name":"D2D1_MORPHOLOGY_PROP_HEIGHT","features":[398]},{"name":"D2D1_MORPHOLOGY_PROP_MODE","features":[398]},{"name":"D2D1_MORPHOLOGY_PROP_WIDTH","features":[398]},{"name":"D2D1_OPACITYMETADATA_PROP","features":[398]},{"name":"D2D1_OPACITYMETADATA_PROP_INPUT_OPAQUE_RECT","features":[398]},{"name":"D2D1_OPACITY_MASK_CONTENT","features":[398]},{"name":"D2D1_OPACITY_MASK_CONTENT_GRAPHICS","features":[398]},{"name":"D2D1_OPACITY_MASK_CONTENT_TEXT_GDI_COMPATIBLE","features":[398]},{"name":"D2D1_OPACITY_MASK_CONTENT_TEXT_NATURAL","features":[398]},{"name":"D2D1_OPACITY_PROP","features":[398]},{"name":"D2D1_OPACITY_PROP_OPACITY","features":[398]},{"name":"D2D1_ORIENTATION","features":[398]},{"name":"D2D1_ORIENTATION_DEFAULT","features":[398]},{"name":"D2D1_ORIENTATION_FLIP_HORIZONTAL","features":[398]},{"name":"D2D1_ORIENTATION_ROTATE_CLOCKWISE180","features":[398]},{"name":"D2D1_ORIENTATION_ROTATE_CLOCKWISE180_FLIP_HORIZONTAL","features":[398]},{"name":"D2D1_ORIENTATION_ROTATE_CLOCKWISE270","features":[398]},{"name":"D2D1_ORIENTATION_ROTATE_CLOCKWISE270_FLIP_HORIZONTAL","features":[398]},{"name":"D2D1_ORIENTATION_ROTATE_CLOCKWISE90","features":[398]},{"name":"D2D1_ORIENTATION_ROTATE_CLOCKWISE90_FLIP_HORIZONTAL","features":[398]},{"name":"D2D1_PATCH_EDGE_MODE","features":[398]},{"name":"D2D1_PATCH_EDGE_MODE_ALIASED","features":[398]},{"name":"D2D1_PATCH_EDGE_MODE_ALIASED_INFLATED","features":[398]},{"name":"D2D1_PATCH_EDGE_MODE_ANTIALIASED","features":[398]},{"name":"D2D1_PIXEL_OPTIONS","features":[398]},{"name":"D2D1_PIXEL_OPTIONS_NONE","features":[398]},{"name":"D2D1_PIXEL_OPTIONS_TRIVIAL_SAMPLING","features":[398]},{"name":"D2D1_POINTDIFFUSE_PROP","features":[398]},{"name":"D2D1_POINTDIFFUSE_PROP_COLOR","features":[398]},{"name":"D2D1_POINTDIFFUSE_PROP_DIFFUSE_CONSTANT","features":[398]},{"name":"D2D1_POINTDIFFUSE_PROP_KERNEL_UNIT_LENGTH","features":[398]},{"name":"D2D1_POINTDIFFUSE_PROP_LIGHT_POSITION","features":[398]},{"name":"D2D1_POINTDIFFUSE_PROP_SCALE_MODE","features":[398]},{"name":"D2D1_POINTDIFFUSE_PROP_SURFACE_SCALE","features":[398]},{"name":"D2D1_POINTDIFFUSE_SCALE_MODE","features":[398]},{"name":"D2D1_POINTDIFFUSE_SCALE_MODE_ANISOTROPIC","features":[398]},{"name":"D2D1_POINTDIFFUSE_SCALE_MODE_CUBIC","features":[398]},{"name":"D2D1_POINTDIFFUSE_SCALE_MODE_HIGH_QUALITY_CUBIC","features":[398]},{"name":"D2D1_POINTDIFFUSE_SCALE_MODE_LINEAR","features":[398]},{"name":"D2D1_POINTDIFFUSE_SCALE_MODE_MULTI_SAMPLE_LINEAR","features":[398]},{"name":"D2D1_POINTDIFFUSE_SCALE_MODE_NEAREST_NEIGHBOR","features":[398]},{"name":"D2D1_POINTSPECULAR_PROP","features":[398]},{"name":"D2D1_POINTSPECULAR_PROP_COLOR","features":[398]},{"name":"D2D1_POINTSPECULAR_PROP_KERNEL_UNIT_LENGTH","features":[398]},{"name":"D2D1_POINTSPECULAR_PROP_LIGHT_POSITION","features":[398]},{"name":"D2D1_POINTSPECULAR_PROP_SCALE_MODE","features":[398]},{"name":"D2D1_POINTSPECULAR_PROP_SPECULAR_CONSTANT","features":[398]},{"name":"D2D1_POINTSPECULAR_PROP_SPECULAR_EXPONENT","features":[398]},{"name":"D2D1_POINTSPECULAR_PROP_SURFACE_SCALE","features":[398]},{"name":"D2D1_POINTSPECULAR_SCALE_MODE","features":[398]},{"name":"D2D1_POINTSPECULAR_SCALE_MODE_ANISOTROPIC","features":[398]},{"name":"D2D1_POINTSPECULAR_SCALE_MODE_CUBIC","features":[398]},{"name":"D2D1_POINTSPECULAR_SCALE_MODE_HIGH_QUALITY_CUBIC","features":[398]},{"name":"D2D1_POINTSPECULAR_SCALE_MODE_LINEAR","features":[398]},{"name":"D2D1_POINTSPECULAR_SCALE_MODE_MULTI_SAMPLE_LINEAR","features":[398]},{"name":"D2D1_POINTSPECULAR_SCALE_MODE_NEAREST_NEIGHBOR","features":[398]},{"name":"D2D1_POINT_DESCRIPTION","features":[399]},{"name":"D2D1_POSTERIZE_PROP","features":[398]},{"name":"D2D1_POSTERIZE_PROP_BLUE_VALUE_COUNT","features":[398]},{"name":"D2D1_POSTERIZE_PROP_GREEN_VALUE_COUNT","features":[398]},{"name":"D2D1_POSTERIZE_PROP_RED_VALUE_COUNT","features":[398]},{"name":"D2D1_PRESENT_OPTIONS","features":[398]},{"name":"D2D1_PRESENT_OPTIONS_IMMEDIATELY","features":[398]},{"name":"D2D1_PRESENT_OPTIONS_NONE","features":[398]},{"name":"D2D1_PRESENT_OPTIONS_RETAIN_CONTENTS","features":[398]},{"name":"D2D1_PRIMITIVE_BLEND","features":[398]},{"name":"D2D1_PRIMITIVE_BLEND_ADD","features":[398]},{"name":"D2D1_PRIMITIVE_BLEND_COPY","features":[398]},{"name":"D2D1_PRIMITIVE_BLEND_MAX","features":[398]},{"name":"D2D1_PRIMITIVE_BLEND_MIN","features":[398]},{"name":"D2D1_PRIMITIVE_BLEND_SOURCE_OVER","features":[398]},{"name":"D2D1_PRINT_CONTROL_PROPERTIES","features":[398]},{"name":"D2D1_PRINT_FONT_SUBSET_MODE","features":[398]},{"name":"D2D1_PRINT_FONT_SUBSET_MODE_DEFAULT","features":[398]},{"name":"D2D1_PRINT_FONT_SUBSET_MODE_EACHPAGE","features":[398]},{"name":"D2D1_PRINT_FONT_SUBSET_MODE_NONE","features":[398]},{"name":"D2D1_PROPERTY","features":[398]},{"name":"D2D1_PROPERTY_AUTHOR","features":[398]},{"name":"D2D1_PROPERTY_BINDING","features":[398]},{"name":"D2D1_PROPERTY_CACHED","features":[398]},{"name":"D2D1_PROPERTY_CATEGORY","features":[398]},{"name":"D2D1_PROPERTY_CLSID","features":[398]},{"name":"D2D1_PROPERTY_DESCRIPTION","features":[398]},{"name":"D2D1_PROPERTY_DISPLAYNAME","features":[398]},{"name":"D2D1_PROPERTY_INPUTS","features":[398]},{"name":"D2D1_PROPERTY_MAX_INPUTS","features":[398]},{"name":"D2D1_PROPERTY_MIN_INPUTS","features":[398]},{"name":"D2D1_PROPERTY_PRECISION","features":[398]},{"name":"D2D1_PROPERTY_TYPE","features":[398]},{"name":"D2D1_PROPERTY_TYPE_ARRAY","features":[398]},{"name":"D2D1_PROPERTY_TYPE_BLOB","features":[398]},{"name":"D2D1_PROPERTY_TYPE_BOOL","features":[398]},{"name":"D2D1_PROPERTY_TYPE_CLSID","features":[398]},{"name":"D2D1_PROPERTY_TYPE_COLOR_CONTEXT","features":[398]},{"name":"D2D1_PROPERTY_TYPE_ENUM","features":[398]},{"name":"D2D1_PROPERTY_TYPE_FLOAT","features":[398]},{"name":"D2D1_PROPERTY_TYPE_INT32","features":[398]},{"name":"D2D1_PROPERTY_TYPE_IUNKNOWN","features":[398]},{"name":"D2D1_PROPERTY_TYPE_MATRIX_3X2","features":[398]},{"name":"D2D1_PROPERTY_TYPE_MATRIX_4X3","features":[398]},{"name":"D2D1_PROPERTY_TYPE_MATRIX_4X4","features":[398]},{"name":"D2D1_PROPERTY_TYPE_MATRIX_5X4","features":[398]},{"name":"D2D1_PROPERTY_TYPE_STRING","features":[398]},{"name":"D2D1_PROPERTY_TYPE_UINT32","features":[398]},{"name":"D2D1_PROPERTY_TYPE_UNKNOWN","features":[398]},{"name":"D2D1_PROPERTY_TYPE_VECTOR2","features":[398]},{"name":"D2D1_PROPERTY_TYPE_VECTOR3","features":[398]},{"name":"D2D1_PROPERTY_TYPE_VECTOR4","features":[398]},{"name":"D2D1_QUADRATIC_BEZIER_SEGMENT","features":[399]},{"name":"D2D1_RADIAL_GRADIENT_BRUSH_PROPERTIES","features":[399]},{"name":"D2D1_RENDERING_CONTROLS","features":[399]},{"name":"D2D1_RENDERING_PRIORITY","features":[398]},{"name":"D2D1_RENDERING_PRIORITY_LOW","features":[398]},{"name":"D2D1_RENDERING_PRIORITY_NORMAL","features":[398]},{"name":"D2D1_RENDER_TARGET_PROPERTIES","features":[399,396]},{"name":"D2D1_RENDER_TARGET_TYPE","features":[398]},{"name":"D2D1_RENDER_TARGET_TYPE_DEFAULT","features":[398]},{"name":"D2D1_RENDER_TARGET_TYPE_HARDWARE","features":[398]},{"name":"D2D1_RENDER_TARGET_TYPE_SOFTWARE","features":[398]},{"name":"D2D1_RENDER_TARGET_USAGE","features":[398]},{"name":"D2D1_RENDER_TARGET_USAGE_FORCE_BITMAP_REMOTING","features":[398]},{"name":"D2D1_RENDER_TARGET_USAGE_GDI_COMPATIBLE","features":[398]},{"name":"D2D1_RENDER_TARGET_USAGE_NONE","features":[398]},{"name":"D2D1_RESOURCE_TEXTURE_PROPERTIES","features":[398]},{"name":"D2D1_RGBTOHUE_OUTPUT_COLOR_SPACE","features":[398]},{"name":"D2D1_RGBTOHUE_OUTPUT_COLOR_SPACE_HUE_SATURATION_LIGHTNESS","features":[398]},{"name":"D2D1_RGBTOHUE_OUTPUT_COLOR_SPACE_HUE_SATURATION_VALUE","features":[398]},{"name":"D2D1_RGBTOHUE_PROP","features":[398]},{"name":"D2D1_RGBTOHUE_PROP_OUTPUT_COLOR_SPACE","features":[398]},{"name":"D2D1_ROUNDED_RECT","features":[399]},{"name":"D2D1_SATURATION_PROP","features":[398]},{"name":"D2D1_SATURATION_PROP_SATURATION","features":[398]},{"name":"D2D1_SCALE_INTERPOLATION_MODE","features":[398]},{"name":"D2D1_SCALE_INTERPOLATION_MODE_ANISOTROPIC","features":[398]},{"name":"D2D1_SCALE_INTERPOLATION_MODE_CUBIC","features":[398]},{"name":"D2D1_SCALE_INTERPOLATION_MODE_HIGH_QUALITY_CUBIC","features":[398]},{"name":"D2D1_SCALE_INTERPOLATION_MODE_LINEAR","features":[398]},{"name":"D2D1_SCALE_INTERPOLATION_MODE_MULTI_SAMPLE_LINEAR","features":[398]},{"name":"D2D1_SCALE_INTERPOLATION_MODE_NEAREST_NEIGHBOR","features":[398]},{"name":"D2D1_SCALE_PROP","features":[398]},{"name":"D2D1_SCALE_PROP_BORDER_MODE","features":[398]},{"name":"D2D1_SCALE_PROP_CENTER_POINT","features":[398]},{"name":"D2D1_SCALE_PROP_INTERPOLATION_MODE","features":[398]},{"name":"D2D1_SCALE_PROP_SCALE","features":[398]},{"name":"D2D1_SCALE_PROP_SHARPNESS","features":[398]},{"name":"D2D1_SCENE_REFERRED_SDR_WHITE_LEVEL","features":[398]},{"name":"D2D1_SEPIA_PROP","features":[398]},{"name":"D2D1_SEPIA_PROP_ALPHA_MODE","features":[398]},{"name":"D2D1_SEPIA_PROP_INTENSITY","features":[398]},{"name":"D2D1_SHADOW_OPTIMIZATION","features":[398]},{"name":"D2D1_SHADOW_OPTIMIZATION_BALANCED","features":[398]},{"name":"D2D1_SHADOW_OPTIMIZATION_QUALITY","features":[398]},{"name":"D2D1_SHADOW_OPTIMIZATION_SPEED","features":[398]},{"name":"D2D1_SHADOW_PROP","features":[398]},{"name":"D2D1_SHADOW_PROP_BLUR_STANDARD_DEVIATION","features":[398]},{"name":"D2D1_SHADOW_PROP_COLOR","features":[398]},{"name":"D2D1_SHADOW_PROP_OPTIMIZATION","features":[398]},{"name":"D2D1_SHARPEN_PROP","features":[398]},{"name":"D2D1_SHARPEN_PROP_SHARPNESS","features":[398]},{"name":"D2D1_SHARPEN_PROP_THRESHOLD","features":[398]},{"name":"D2D1_SIMPLE_COLOR_PROFILE","features":[399]},{"name":"D2D1_SPOTDIFFUSE_PROP","features":[398]},{"name":"D2D1_SPOTDIFFUSE_PROP_COLOR","features":[398]},{"name":"D2D1_SPOTDIFFUSE_PROP_DIFFUSE_CONSTANT","features":[398]},{"name":"D2D1_SPOTDIFFUSE_PROP_FOCUS","features":[398]},{"name":"D2D1_SPOTDIFFUSE_PROP_KERNEL_UNIT_LENGTH","features":[398]},{"name":"D2D1_SPOTDIFFUSE_PROP_LIGHT_POSITION","features":[398]},{"name":"D2D1_SPOTDIFFUSE_PROP_LIMITING_CONE_ANGLE","features":[398]},{"name":"D2D1_SPOTDIFFUSE_PROP_POINTS_AT","features":[398]},{"name":"D2D1_SPOTDIFFUSE_PROP_SCALE_MODE","features":[398]},{"name":"D2D1_SPOTDIFFUSE_PROP_SURFACE_SCALE","features":[398]},{"name":"D2D1_SPOTDIFFUSE_SCALE_MODE","features":[398]},{"name":"D2D1_SPOTDIFFUSE_SCALE_MODE_ANISOTROPIC","features":[398]},{"name":"D2D1_SPOTDIFFUSE_SCALE_MODE_CUBIC","features":[398]},{"name":"D2D1_SPOTDIFFUSE_SCALE_MODE_HIGH_QUALITY_CUBIC","features":[398]},{"name":"D2D1_SPOTDIFFUSE_SCALE_MODE_LINEAR","features":[398]},{"name":"D2D1_SPOTDIFFUSE_SCALE_MODE_MULTI_SAMPLE_LINEAR","features":[398]},{"name":"D2D1_SPOTDIFFUSE_SCALE_MODE_NEAREST_NEIGHBOR","features":[398]},{"name":"D2D1_SPOTSPECULAR_PROP","features":[398]},{"name":"D2D1_SPOTSPECULAR_PROP_COLOR","features":[398]},{"name":"D2D1_SPOTSPECULAR_PROP_FOCUS","features":[398]},{"name":"D2D1_SPOTSPECULAR_PROP_KERNEL_UNIT_LENGTH","features":[398]},{"name":"D2D1_SPOTSPECULAR_PROP_LIGHT_POSITION","features":[398]},{"name":"D2D1_SPOTSPECULAR_PROP_LIMITING_CONE_ANGLE","features":[398]},{"name":"D2D1_SPOTSPECULAR_PROP_POINTS_AT","features":[398]},{"name":"D2D1_SPOTSPECULAR_PROP_SCALE_MODE","features":[398]},{"name":"D2D1_SPOTSPECULAR_PROP_SPECULAR_CONSTANT","features":[398]},{"name":"D2D1_SPOTSPECULAR_PROP_SPECULAR_EXPONENT","features":[398]},{"name":"D2D1_SPOTSPECULAR_PROP_SURFACE_SCALE","features":[398]},{"name":"D2D1_SPOTSPECULAR_SCALE_MODE","features":[398]},{"name":"D2D1_SPOTSPECULAR_SCALE_MODE_ANISOTROPIC","features":[398]},{"name":"D2D1_SPOTSPECULAR_SCALE_MODE_CUBIC","features":[398]},{"name":"D2D1_SPOTSPECULAR_SCALE_MODE_HIGH_QUALITY_CUBIC","features":[398]},{"name":"D2D1_SPOTSPECULAR_SCALE_MODE_LINEAR","features":[398]},{"name":"D2D1_SPOTSPECULAR_SCALE_MODE_MULTI_SAMPLE_LINEAR","features":[398]},{"name":"D2D1_SPOTSPECULAR_SCALE_MODE_NEAREST_NEIGHBOR","features":[398]},{"name":"D2D1_SPRITE_OPTIONS","features":[398]},{"name":"D2D1_SPRITE_OPTIONS_CLAMP_TO_SOURCE_RECTANGLE","features":[398]},{"name":"D2D1_SPRITE_OPTIONS_NONE","features":[398]},{"name":"D2D1_STRAIGHTEN_PROP","features":[398]},{"name":"D2D1_STRAIGHTEN_PROP_ANGLE","features":[398]},{"name":"D2D1_STRAIGHTEN_PROP_MAINTAIN_SIZE","features":[398]},{"name":"D2D1_STRAIGHTEN_PROP_SCALE_MODE","features":[398]},{"name":"D2D1_STRAIGHTEN_SCALE_MODE","features":[398]},{"name":"D2D1_STRAIGHTEN_SCALE_MODE_ANISOTROPIC","features":[398]},{"name":"D2D1_STRAIGHTEN_SCALE_MODE_CUBIC","features":[398]},{"name":"D2D1_STRAIGHTEN_SCALE_MODE_LINEAR","features":[398]},{"name":"D2D1_STRAIGHTEN_SCALE_MODE_MULTI_SAMPLE_LINEAR","features":[398]},{"name":"D2D1_STRAIGHTEN_SCALE_MODE_NEAREST_NEIGHBOR","features":[398]},{"name":"D2D1_STROKE_STYLE_PROPERTIES","features":[398]},{"name":"D2D1_STROKE_STYLE_PROPERTIES1","features":[398]},{"name":"D2D1_STROKE_TRANSFORM_TYPE","features":[398]},{"name":"D2D1_STROKE_TRANSFORM_TYPE_FIXED","features":[398]},{"name":"D2D1_STROKE_TRANSFORM_TYPE_HAIRLINE","features":[398]},{"name":"D2D1_STROKE_TRANSFORM_TYPE_NORMAL","features":[398]},{"name":"D2D1_SUBPROPERTY","features":[398]},{"name":"D2D1_SUBPROPERTY_DEFAULT","features":[398]},{"name":"D2D1_SUBPROPERTY_DISPLAYNAME","features":[398]},{"name":"D2D1_SUBPROPERTY_FIELDS","features":[398]},{"name":"D2D1_SUBPROPERTY_INDEX","features":[398]},{"name":"D2D1_SUBPROPERTY_ISREADONLY","features":[398]},{"name":"D2D1_SUBPROPERTY_MAX","features":[398]},{"name":"D2D1_SUBPROPERTY_MIN","features":[398]},{"name":"D2D1_SVG_ASPECT_ALIGN","features":[398]},{"name":"D2D1_SVG_ASPECT_ALIGN_NONE","features":[398]},{"name":"D2D1_SVG_ASPECT_ALIGN_X_MAX_Y_MAX","features":[398]},{"name":"D2D1_SVG_ASPECT_ALIGN_X_MAX_Y_MID","features":[398]},{"name":"D2D1_SVG_ASPECT_ALIGN_X_MAX_Y_MIN","features":[398]},{"name":"D2D1_SVG_ASPECT_ALIGN_X_MID_Y_MAX","features":[398]},{"name":"D2D1_SVG_ASPECT_ALIGN_X_MID_Y_MID","features":[398]},{"name":"D2D1_SVG_ASPECT_ALIGN_X_MID_Y_MIN","features":[398]},{"name":"D2D1_SVG_ASPECT_ALIGN_X_MIN_Y_MAX","features":[398]},{"name":"D2D1_SVG_ASPECT_ALIGN_X_MIN_Y_MID","features":[398]},{"name":"D2D1_SVG_ASPECT_ALIGN_X_MIN_Y_MIN","features":[398]},{"name":"D2D1_SVG_ASPECT_SCALING","features":[398]},{"name":"D2D1_SVG_ASPECT_SCALING_MEET","features":[398]},{"name":"D2D1_SVG_ASPECT_SCALING_SLICE","features":[398]},{"name":"D2D1_SVG_ATTRIBUTE_POD_TYPE","features":[398]},{"name":"D2D1_SVG_ATTRIBUTE_POD_TYPE_COLOR","features":[398]},{"name":"D2D1_SVG_ATTRIBUTE_POD_TYPE_DISPLAY","features":[398]},{"name":"D2D1_SVG_ATTRIBUTE_POD_TYPE_EXTEND_MODE","features":[398]},{"name":"D2D1_SVG_ATTRIBUTE_POD_TYPE_FILL_MODE","features":[398]},{"name":"D2D1_SVG_ATTRIBUTE_POD_TYPE_FLOAT","features":[398]},{"name":"D2D1_SVG_ATTRIBUTE_POD_TYPE_LENGTH","features":[398]},{"name":"D2D1_SVG_ATTRIBUTE_POD_TYPE_LINE_CAP","features":[398]},{"name":"D2D1_SVG_ATTRIBUTE_POD_TYPE_LINE_JOIN","features":[398]},{"name":"D2D1_SVG_ATTRIBUTE_POD_TYPE_MATRIX","features":[398]},{"name":"D2D1_SVG_ATTRIBUTE_POD_TYPE_OVERFLOW","features":[398]},{"name":"D2D1_SVG_ATTRIBUTE_POD_TYPE_PRESERVE_ASPECT_RATIO","features":[398]},{"name":"D2D1_SVG_ATTRIBUTE_POD_TYPE_UNIT_TYPE","features":[398]},{"name":"D2D1_SVG_ATTRIBUTE_POD_TYPE_VIEWBOX","features":[398]},{"name":"D2D1_SVG_ATTRIBUTE_POD_TYPE_VISIBILITY","features":[398]},{"name":"D2D1_SVG_ATTRIBUTE_STRING_TYPE","features":[398]},{"name":"D2D1_SVG_ATTRIBUTE_STRING_TYPE_ID","features":[398]},{"name":"D2D1_SVG_ATTRIBUTE_STRING_TYPE_SVG","features":[398]},{"name":"D2D1_SVG_DISPLAY","features":[398]},{"name":"D2D1_SVG_DISPLAY_INLINE","features":[398]},{"name":"D2D1_SVG_DISPLAY_NONE","features":[398]},{"name":"D2D1_SVG_LENGTH","features":[398]},{"name":"D2D1_SVG_LENGTH_UNITS","features":[398]},{"name":"D2D1_SVG_LENGTH_UNITS_NUMBER","features":[398]},{"name":"D2D1_SVG_LENGTH_UNITS_PERCENTAGE","features":[398]},{"name":"D2D1_SVG_LINE_CAP","features":[398]},{"name":"D2D1_SVG_LINE_CAP_BUTT","features":[398]},{"name":"D2D1_SVG_LINE_CAP_ROUND","features":[398]},{"name":"D2D1_SVG_LINE_CAP_SQUARE","features":[398]},{"name":"D2D1_SVG_LINE_JOIN","features":[398]},{"name":"D2D1_SVG_LINE_JOIN_BEVEL","features":[398]},{"name":"D2D1_SVG_LINE_JOIN_MITER","features":[398]},{"name":"D2D1_SVG_LINE_JOIN_ROUND","features":[398]},{"name":"D2D1_SVG_OVERFLOW","features":[398]},{"name":"D2D1_SVG_OVERFLOW_HIDDEN","features":[398]},{"name":"D2D1_SVG_OVERFLOW_VISIBLE","features":[398]},{"name":"D2D1_SVG_PAINT_TYPE","features":[398]},{"name":"D2D1_SVG_PAINT_TYPE_COLOR","features":[398]},{"name":"D2D1_SVG_PAINT_TYPE_CURRENT_COLOR","features":[398]},{"name":"D2D1_SVG_PAINT_TYPE_NONE","features":[398]},{"name":"D2D1_SVG_PAINT_TYPE_URI","features":[398]},{"name":"D2D1_SVG_PAINT_TYPE_URI_COLOR","features":[398]},{"name":"D2D1_SVG_PAINT_TYPE_URI_CURRENT_COLOR","features":[398]},{"name":"D2D1_SVG_PAINT_TYPE_URI_NONE","features":[398]},{"name":"D2D1_SVG_PATH_COMMAND","features":[398]},{"name":"D2D1_SVG_PATH_COMMAND_ARC_ABSOLUTE","features":[398]},{"name":"D2D1_SVG_PATH_COMMAND_ARC_RELATIVE","features":[398]},{"name":"D2D1_SVG_PATH_COMMAND_CLOSE_PATH","features":[398]},{"name":"D2D1_SVG_PATH_COMMAND_CUBIC_ABSOLUTE","features":[398]},{"name":"D2D1_SVG_PATH_COMMAND_CUBIC_RELATIVE","features":[398]},{"name":"D2D1_SVG_PATH_COMMAND_CUBIC_SMOOTH_ABSOLUTE","features":[398]},{"name":"D2D1_SVG_PATH_COMMAND_CUBIC_SMOOTH_RELATIVE","features":[398]},{"name":"D2D1_SVG_PATH_COMMAND_HORIZONTAL_ABSOLUTE","features":[398]},{"name":"D2D1_SVG_PATH_COMMAND_HORIZONTAL_RELATIVE","features":[398]},{"name":"D2D1_SVG_PATH_COMMAND_LINE_ABSOLUTE","features":[398]},{"name":"D2D1_SVG_PATH_COMMAND_LINE_RELATIVE","features":[398]},{"name":"D2D1_SVG_PATH_COMMAND_MOVE_ABSOLUTE","features":[398]},{"name":"D2D1_SVG_PATH_COMMAND_MOVE_RELATIVE","features":[398]},{"name":"D2D1_SVG_PATH_COMMAND_QUADRADIC_ABSOLUTE","features":[398]},{"name":"D2D1_SVG_PATH_COMMAND_QUADRADIC_RELATIVE","features":[398]},{"name":"D2D1_SVG_PATH_COMMAND_QUADRADIC_SMOOTH_ABSOLUTE","features":[398]},{"name":"D2D1_SVG_PATH_COMMAND_QUADRADIC_SMOOTH_RELATIVE","features":[398]},{"name":"D2D1_SVG_PATH_COMMAND_VERTICAL_ABSOLUTE","features":[398]},{"name":"D2D1_SVG_PATH_COMMAND_VERTICAL_RELATIVE","features":[398]},{"name":"D2D1_SVG_PRESERVE_ASPECT_RATIO","features":[308,398]},{"name":"D2D1_SVG_UNIT_TYPE","features":[398]},{"name":"D2D1_SVG_UNIT_TYPE_OBJECT_BOUNDING_BOX","features":[398]},{"name":"D2D1_SVG_UNIT_TYPE_USER_SPACE_ON_USE","features":[398]},{"name":"D2D1_SVG_VIEWBOX","features":[398]},{"name":"D2D1_SVG_VISIBILITY","features":[398]},{"name":"D2D1_SVG_VISIBILITY_HIDDEN","features":[398]},{"name":"D2D1_SVG_VISIBILITY_VISIBLE","features":[398]},{"name":"D2D1_SWEEP_DIRECTION","features":[398]},{"name":"D2D1_SWEEP_DIRECTION_CLOCKWISE","features":[398]},{"name":"D2D1_SWEEP_DIRECTION_COUNTER_CLOCKWISE","features":[398]},{"name":"D2D1_TABLETRANSFER_PROP","features":[398]},{"name":"D2D1_TABLETRANSFER_PROP_ALPHA_DISABLE","features":[398]},{"name":"D2D1_TABLETRANSFER_PROP_ALPHA_TABLE","features":[398]},{"name":"D2D1_TABLETRANSFER_PROP_BLUE_DISABLE","features":[398]},{"name":"D2D1_TABLETRANSFER_PROP_BLUE_TABLE","features":[398]},{"name":"D2D1_TABLETRANSFER_PROP_CLAMP_OUTPUT","features":[398]},{"name":"D2D1_TABLETRANSFER_PROP_GREEN_DISABLE","features":[398]},{"name":"D2D1_TABLETRANSFER_PROP_GREEN_TABLE","features":[398]},{"name":"D2D1_TABLETRANSFER_PROP_RED_DISABLE","features":[398]},{"name":"D2D1_TABLETRANSFER_PROP_RED_TABLE","features":[398]},{"name":"D2D1_TEMPERATUREANDTINT_PROP","features":[398]},{"name":"D2D1_TEMPERATUREANDTINT_PROP_TEMPERATURE","features":[398]},{"name":"D2D1_TEMPERATUREANDTINT_PROP_TINT","features":[398]},{"name":"D2D1_TEXT_ANTIALIAS_MODE","features":[398]},{"name":"D2D1_TEXT_ANTIALIAS_MODE_ALIASED","features":[398]},{"name":"D2D1_TEXT_ANTIALIAS_MODE_CLEARTYPE","features":[398]},{"name":"D2D1_TEXT_ANTIALIAS_MODE_DEFAULT","features":[398]},{"name":"D2D1_TEXT_ANTIALIAS_MODE_GRAYSCALE","features":[398]},{"name":"D2D1_THREADING_MODE","features":[398]},{"name":"D2D1_THREADING_MODE_MULTI_THREADED","features":[398]},{"name":"D2D1_THREADING_MODE_SINGLE_THREADED","features":[398]},{"name":"D2D1_TILE_PROP","features":[398]},{"name":"D2D1_TILE_PROP_RECT","features":[398]},{"name":"D2D1_TINT_PROP","features":[398]},{"name":"D2D1_TINT_PROP_CLAMP_OUTPUT","features":[398]},{"name":"D2D1_TINT_PROP_COLOR","features":[398]},{"name":"D2D1_TRANSFORMED_IMAGE_SOURCE_OPTIONS","features":[398]},{"name":"D2D1_TRANSFORMED_IMAGE_SOURCE_OPTIONS_DISABLE_DPI_SCALE","features":[398]},{"name":"D2D1_TRANSFORMED_IMAGE_SOURCE_OPTIONS_NONE","features":[398]},{"name":"D2D1_TRANSFORMED_IMAGE_SOURCE_PROPERTIES","features":[398]},{"name":"D2D1_TRIANGLE","features":[399]},{"name":"D2D1_TURBULENCE_PROP","features":[398]},{"name":"D2D1_TURBULENCE_PROP_BASE_FREQUENCY","features":[398]},{"name":"D2D1_TURBULENCE_PROP_NOISE","features":[398]},{"name":"D2D1_TURBULENCE_PROP_NUM_OCTAVES","features":[398]},{"name":"D2D1_TURBULENCE_PROP_OFFSET","features":[398]},{"name":"D2D1_TURBULENCE_PROP_SEED","features":[398]},{"name":"D2D1_TURBULENCE_PROP_SIZE","features":[398]},{"name":"D2D1_TURBULENCE_PROP_STITCHABLE","features":[398]},{"name":"D2D1_UNIT_MODE","features":[398]},{"name":"D2D1_UNIT_MODE_DIPS","features":[398]},{"name":"D2D1_UNIT_MODE_PIXELS","features":[398]},{"name":"D2D1_VERTEX_BUFFER_PROPERTIES","features":[398]},{"name":"D2D1_VERTEX_OPTIONS","features":[398]},{"name":"D2D1_VERTEX_OPTIONS_ASSUME_NO_OVERLAP","features":[398]},{"name":"D2D1_VERTEX_OPTIONS_DO_NOT_CLEAR","features":[398]},{"name":"D2D1_VERTEX_OPTIONS_NONE","features":[398]},{"name":"D2D1_VERTEX_OPTIONS_USE_DEPTH_BUFFER","features":[398]},{"name":"D2D1_VERTEX_RANGE","features":[398]},{"name":"D2D1_VERTEX_USAGE","features":[398]},{"name":"D2D1_VERTEX_USAGE_DYNAMIC","features":[398]},{"name":"D2D1_VERTEX_USAGE_STATIC","features":[398]},{"name":"D2D1_VIGNETTE_PROP","features":[398]},{"name":"D2D1_VIGNETTE_PROP_COLOR","features":[398]},{"name":"D2D1_VIGNETTE_PROP_STRENGTH","features":[398]},{"name":"D2D1_VIGNETTE_PROP_TRANSITION_SIZE","features":[398]},{"name":"D2D1_WHITELEVELADJUSTMENT_PROP","features":[398]},{"name":"D2D1_WHITELEVELADJUSTMENT_PROP_INPUT_WHITE_LEVEL","features":[398]},{"name":"D2D1_WHITELEVELADJUSTMENT_PROP_OUTPUT_WHITE_LEVEL","features":[398]},{"name":"D2D1_WINDOW_STATE","features":[398]},{"name":"D2D1_WINDOW_STATE_NONE","features":[398]},{"name":"D2D1_WINDOW_STATE_OCCLUDED","features":[398]},{"name":"D2D1_YCBCR_CHROMA_SUBSAMPLING","features":[398]},{"name":"D2D1_YCBCR_CHROMA_SUBSAMPLING_420","features":[398]},{"name":"D2D1_YCBCR_CHROMA_SUBSAMPLING_422","features":[398]},{"name":"D2D1_YCBCR_CHROMA_SUBSAMPLING_440","features":[398]},{"name":"D2D1_YCBCR_CHROMA_SUBSAMPLING_444","features":[398]},{"name":"D2D1_YCBCR_CHROMA_SUBSAMPLING_AUTO","features":[398]},{"name":"D2D1_YCBCR_INTERPOLATION_MODE","features":[398]},{"name":"D2D1_YCBCR_INTERPOLATION_MODE_ANISOTROPIC","features":[398]},{"name":"D2D1_YCBCR_INTERPOLATION_MODE_CUBIC","features":[398]},{"name":"D2D1_YCBCR_INTERPOLATION_MODE_HIGH_QUALITY_CUBIC","features":[398]},{"name":"D2D1_YCBCR_INTERPOLATION_MODE_LINEAR","features":[398]},{"name":"D2D1_YCBCR_INTERPOLATION_MODE_MULTI_SAMPLE_LINEAR","features":[398]},{"name":"D2D1_YCBCR_INTERPOLATION_MODE_NEAREST_NEIGHBOR","features":[398]},{"name":"D2D1_YCBCR_PROP","features":[398]},{"name":"D2D1_YCBCR_PROP_CHROMA_SUBSAMPLING","features":[398]},{"name":"D2D1_YCBCR_PROP_INTERPOLATION_MODE","features":[398]},{"name":"D2D1_YCBCR_PROP_TRANSFORM_MATRIX","features":[398]},{"name":"DWRITE_PAINT_FEATURE_LEVEL","features":[398]},{"name":"FACILITY_D2D","features":[398]},{"name":"ID2D1AnalysisTransform","features":[398]},{"name":"ID2D1Bitmap","features":[398]},{"name":"ID2D1Bitmap1","features":[398]},{"name":"ID2D1BitmapBrush","features":[398]},{"name":"ID2D1BitmapBrush1","features":[398]},{"name":"ID2D1BitmapRenderTarget","features":[398]},{"name":"ID2D1BlendTransform","features":[398]},{"name":"ID2D1BorderTransform","features":[398]},{"name":"ID2D1BoundsAdjustmentTransform","features":[398]},{"name":"ID2D1Brush","features":[398]},{"name":"ID2D1ColorContext","features":[398]},{"name":"ID2D1ColorContext1","features":[398]},{"name":"ID2D1CommandList","features":[398]},{"name":"ID2D1CommandSink","features":[398]},{"name":"ID2D1CommandSink1","features":[398]},{"name":"ID2D1CommandSink2","features":[398]},{"name":"ID2D1CommandSink3","features":[398]},{"name":"ID2D1CommandSink4","features":[398]},{"name":"ID2D1CommandSink5","features":[398]},{"name":"ID2D1ComputeInfo","features":[398]},{"name":"ID2D1ComputeTransform","features":[398]},{"name":"ID2D1ConcreteTransform","features":[398]},{"name":"ID2D1DCRenderTarget","features":[398]},{"name":"ID2D1Device","features":[398]},{"name":"ID2D1Device1","features":[398]},{"name":"ID2D1Device2","features":[398]},{"name":"ID2D1Device3","features":[398]},{"name":"ID2D1Device4","features":[398]},{"name":"ID2D1Device5","features":[398]},{"name":"ID2D1Device6","features":[398]},{"name":"ID2D1Device7","features":[398]},{"name":"ID2D1DeviceContext","features":[398]},{"name":"ID2D1DeviceContext1","features":[398]},{"name":"ID2D1DeviceContext2","features":[398]},{"name":"ID2D1DeviceContext3","features":[398]},{"name":"ID2D1DeviceContext4","features":[398]},{"name":"ID2D1DeviceContext5","features":[398]},{"name":"ID2D1DeviceContext6","features":[398]},{"name":"ID2D1DeviceContext7","features":[398]},{"name":"ID2D1DrawInfo","features":[398]},{"name":"ID2D1DrawTransform","features":[398]},{"name":"ID2D1DrawingStateBlock","features":[398]},{"name":"ID2D1DrawingStateBlock1","features":[398]},{"name":"ID2D1Effect","features":[398]},{"name":"ID2D1EffectContext","features":[398]},{"name":"ID2D1EffectContext1","features":[398]},{"name":"ID2D1EffectContext2","features":[398]},{"name":"ID2D1EffectImpl","features":[398]},{"name":"ID2D1EllipseGeometry","features":[398]},{"name":"ID2D1Factory","features":[398]},{"name":"ID2D1Factory1","features":[398]},{"name":"ID2D1Factory2","features":[398]},{"name":"ID2D1Factory3","features":[398]},{"name":"ID2D1Factory4","features":[398]},{"name":"ID2D1Factory5","features":[398]},{"name":"ID2D1Factory6","features":[398]},{"name":"ID2D1Factory7","features":[398]},{"name":"ID2D1Factory8","features":[398]},{"name":"ID2D1GdiInteropRenderTarget","features":[398]},{"name":"ID2D1GdiMetafile","features":[398]},{"name":"ID2D1GdiMetafile1","features":[398]},{"name":"ID2D1GdiMetafileSink","features":[398]},{"name":"ID2D1GdiMetafileSink1","features":[398]},{"name":"ID2D1Geometry","features":[398]},{"name":"ID2D1GeometryGroup","features":[398]},{"name":"ID2D1GeometryRealization","features":[398]},{"name":"ID2D1GeometrySink","features":[399]},{"name":"ID2D1GradientMesh","features":[398]},{"name":"ID2D1GradientStopCollection","features":[398]},{"name":"ID2D1GradientStopCollection1","features":[398]},{"name":"ID2D1HwndRenderTarget","features":[398]},{"name":"ID2D1Image","features":[398]},{"name":"ID2D1ImageBrush","features":[398]},{"name":"ID2D1ImageSource","features":[398]},{"name":"ID2D1ImageSourceFromWic","features":[398]},{"name":"ID2D1Ink","features":[398]},{"name":"ID2D1InkStyle","features":[398]},{"name":"ID2D1Layer","features":[398]},{"name":"ID2D1LinearGradientBrush","features":[398]},{"name":"ID2D1LookupTable3D","features":[398]},{"name":"ID2D1Mesh","features":[398]},{"name":"ID2D1Multithread","features":[398]},{"name":"ID2D1OffsetTransform","features":[398]},{"name":"ID2D1PathGeometry","features":[398]},{"name":"ID2D1PathGeometry1","features":[398]},{"name":"ID2D1PrintControl","features":[398]},{"name":"ID2D1Properties","features":[398]},{"name":"ID2D1RadialGradientBrush","features":[398]},{"name":"ID2D1RectangleGeometry","features":[398]},{"name":"ID2D1RenderInfo","features":[398]},{"name":"ID2D1RenderTarget","features":[398]},{"name":"ID2D1Resource","features":[398]},{"name":"ID2D1ResourceTexture","features":[398]},{"name":"ID2D1RoundedRectangleGeometry","features":[398]},{"name":"ID2D1SolidColorBrush","features":[398]},{"name":"ID2D1SourceTransform","features":[398]},{"name":"ID2D1SpriteBatch","features":[398]},{"name":"ID2D1StrokeStyle","features":[398]},{"name":"ID2D1StrokeStyle1","features":[398]},{"name":"ID2D1SvgAttribute","features":[398]},{"name":"ID2D1SvgDocument","features":[398]},{"name":"ID2D1SvgElement","features":[398]},{"name":"ID2D1SvgGlyphStyle","features":[398]},{"name":"ID2D1SvgPaint","features":[398]},{"name":"ID2D1SvgPathData","features":[398]},{"name":"ID2D1SvgPointCollection","features":[398]},{"name":"ID2D1SvgStrokeDashArray","features":[398]},{"name":"ID2D1TessellationSink","features":[398]},{"name":"ID2D1Transform","features":[398]},{"name":"ID2D1TransformGraph","features":[398]},{"name":"ID2D1TransformNode","features":[398]},{"name":"ID2D1TransformedGeometry","features":[398]},{"name":"ID2D1TransformedImageSource","features":[398]},{"name":"ID2D1VertexBuffer","features":[398]},{"name":"PD2D1_EFFECT_FACTORY","features":[398]},{"name":"PD2D1_PROPERTY_GET_FUNCTION","features":[398]},{"name":"PD2D1_PROPERTY_SET_FUNCTION","features":[398]}],"396":[{"name":"D2D1_2DAFFINETRANSFORM_INTERPOLATION_MODE","features":[399]},{"name":"D2D1_2DAFFINETRANSFORM_INTERPOLATION_MODE_ANISOTROPIC","features":[399]},{"name":"D2D1_2DAFFINETRANSFORM_INTERPOLATION_MODE_CUBIC","features":[399]},{"name":"D2D1_2DAFFINETRANSFORM_INTERPOLATION_MODE_HIGH_QUALITY_CUBIC","features":[399]},{"name":"D2D1_2DAFFINETRANSFORM_INTERPOLATION_MODE_LINEAR","features":[399]},{"name":"D2D1_2DAFFINETRANSFORM_INTERPOLATION_MODE_MULTI_SAMPLE_LINEAR","features":[399]},{"name":"D2D1_2DAFFINETRANSFORM_INTERPOLATION_MODE_NEAREST_NEIGHBOR","features":[399]},{"name":"D2D1_ALPHA_MODE","features":[399]},{"name":"D2D1_ALPHA_MODE_IGNORE","features":[399]},{"name":"D2D1_ALPHA_MODE_PREMULTIPLIED","features":[399]},{"name":"D2D1_ALPHA_MODE_STRAIGHT","features":[399]},{"name":"D2D1_ALPHA_MODE_UNKNOWN","features":[399]},{"name":"D2D1_BEZIER_SEGMENT","features":[399]},{"name":"D2D1_BLEND_MODE","features":[399]},{"name":"D2D1_BLEND_MODE_COLOR","features":[399]},{"name":"D2D1_BLEND_MODE_COLOR_BURN","features":[399]},{"name":"D2D1_BLEND_MODE_COLOR_DODGE","features":[399]},{"name":"D2D1_BLEND_MODE_DARKEN","features":[399]},{"name":"D2D1_BLEND_MODE_DARKER_COLOR","features":[399]},{"name":"D2D1_BLEND_MODE_DIFFERENCE","features":[399]},{"name":"D2D1_BLEND_MODE_DISSOLVE","features":[399]},{"name":"D2D1_BLEND_MODE_DIVISION","features":[399]},{"name":"D2D1_BLEND_MODE_EXCLUSION","features":[399]},{"name":"D2D1_BLEND_MODE_HARD_LIGHT","features":[399]},{"name":"D2D1_BLEND_MODE_HARD_MIX","features":[399]},{"name":"D2D1_BLEND_MODE_HUE","features":[399]},{"name":"D2D1_BLEND_MODE_LIGHTEN","features":[399]},{"name":"D2D1_BLEND_MODE_LIGHTER_COLOR","features":[399]},{"name":"D2D1_BLEND_MODE_LINEAR_BURN","features":[399]},{"name":"D2D1_BLEND_MODE_LINEAR_DODGE","features":[399]},{"name":"D2D1_BLEND_MODE_LINEAR_LIGHT","features":[399]},{"name":"D2D1_BLEND_MODE_LUMINOSITY","features":[399]},{"name":"D2D1_BLEND_MODE_MULTIPLY","features":[399]},{"name":"D2D1_BLEND_MODE_OVERLAY","features":[399]},{"name":"D2D1_BLEND_MODE_PIN_LIGHT","features":[399]},{"name":"D2D1_BLEND_MODE_SATURATION","features":[399]},{"name":"D2D1_BLEND_MODE_SCREEN","features":[399]},{"name":"D2D1_BLEND_MODE_SOFT_LIGHT","features":[399]},{"name":"D2D1_BLEND_MODE_SUBTRACT","features":[399]},{"name":"D2D1_BLEND_MODE_VIVID_LIGHT","features":[399]},{"name":"D2D1_BORDER_MODE","features":[399]},{"name":"D2D1_BORDER_MODE_HARD","features":[399]},{"name":"D2D1_BORDER_MODE_SOFT","features":[399]},{"name":"D2D1_COLORMATRIX_ALPHA_MODE","features":[399]},{"name":"D2D1_COLORMATRIX_ALPHA_MODE_PREMULTIPLIED","features":[399]},{"name":"D2D1_COLORMATRIX_ALPHA_MODE_STRAIGHT","features":[399]},{"name":"D2D1_COLOR_F","features":[399]},{"name":"D2D1_COMPOSITE_MODE","features":[399]},{"name":"D2D1_COMPOSITE_MODE_BOUNDED_SOURCE_COPY","features":[399]},{"name":"D2D1_COMPOSITE_MODE_DESTINATION_ATOP","features":[399]},{"name":"D2D1_COMPOSITE_MODE_DESTINATION_IN","features":[399]},{"name":"D2D1_COMPOSITE_MODE_DESTINATION_OUT","features":[399]},{"name":"D2D1_COMPOSITE_MODE_DESTINATION_OVER","features":[399]},{"name":"D2D1_COMPOSITE_MODE_MASK_INVERT","features":[399]},{"name":"D2D1_COMPOSITE_MODE_PLUS","features":[399]},{"name":"D2D1_COMPOSITE_MODE_SOURCE_ATOP","features":[399]},{"name":"D2D1_COMPOSITE_MODE_SOURCE_COPY","features":[399]},{"name":"D2D1_COMPOSITE_MODE_SOURCE_IN","features":[399]},{"name":"D2D1_COMPOSITE_MODE_SOURCE_OUT","features":[399]},{"name":"D2D1_COMPOSITE_MODE_SOURCE_OVER","features":[399]},{"name":"D2D1_COMPOSITE_MODE_XOR","features":[399]},{"name":"D2D1_FIGURE_BEGIN","features":[399]},{"name":"D2D1_FIGURE_BEGIN_FILLED","features":[399]},{"name":"D2D1_FIGURE_BEGIN_HOLLOW","features":[399]},{"name":"D2D1_FIGURE_END","features":[399]},{"name":"D2D1_FIGURE_END_CLOSED","features":[399]},{"name":"D2D1_FIGURE_END_OPEN","features":[399]},{"name":"D2D1_FILL_MODE","features":[399]},{"name":"D2D1_FILL_MODE_ALTERNATE","features":[399]},{"name":"D2D1_FILL_MODE_WINDING","features":[399]},{"name":"D2D1_GRADIENT_STOP","features":[399]},{"name":"D2D1_PATH_SEGMENT","features":[399]},{"name":"D2D1_PATH_SEGMENT_FORCE_ROUND_LINE_JOIN","features":[399]},{"name":"D2D1_PATH_SEGMENT_FORCE_UNSTROKED","features":[399]},{"name":"D2D1_PATH_SEGMENT_NONE","features":[399]},{"name":"D2D1_PIXEL_FORMAT","features":[399,396]},{"name":"D2D1_TURBULENCE_NOISE","features":[399]},{"name":"D2D1_TURBULENCE_NOISE_FRACTAL_SUM","features":[399]},{"name":"D2D1_TURBULENCE_NOISE_TURBULENCE","features":[399]},{"name":"D2D_COLOR_F","features":[399]},{"name":"D2D_MATRIX_3X2_F","features":[399]},{"name":"D2D_MATRIX_4X3_F","features":[399]},{"name":"D2D_MATRIX_4X4_F","features":[399]},{"name":"D2D_MATRIX_5X4_F","features":[399]},{"name":"D2D_POINT_2F","features":[399]},{"name":"D2D_POINT_2U","features":[399]},{"name":"D2D_RECT_F","features":[399]},{"name":"D2D_RECT_U","features":[399]},{"name":"D2D_SIZE_F","features":[399]},{"name":"D2D_SIZE_U","features":[399]},{"name":"D2D_VECTOR_2F","features":[399]},{"name":"D2D_VECTOR_3F","features":[399]},{"name":"D2D_VECTOR_4F","features":[399]},{"name":"ID2D1SimplifiedGeometrySink","features":[399]}],"397":[{"name":"D3D10_1_SRV_DIMENSION_BUFFER","features":[401]},{"name":"D3D10_1_SRV_DIMENSION_TEXTURE1D","features":[401]},{"name":"D3D10_1_SRV_DIMENSION_TEXTURE1DARRAY","features":[401]},{"name":"D3D10_1_SRV_DIMENSION_TEXTURE2D","features":[401]},{"name":"D3D10_1_SRV_DIMENSION_TEXTURE2DARRAY","features":[401]},{"name":"D3D10_1_SRV_DIMENSION_TEXTURE2DMS","features":[401]},{"name":"D3D10_1_SRV_DIMENSION_TEXTURE2DMSARRAY","features":[401]},{"name":"D3D10_1_SRV_DIMENSION_TEXTURE3D","features":[401]},{"name":"D3D10_1_SRV_DIMENSION_TEXTURECUBE","features":[401]},{"name":"D3D10_1_SRV_DIMENSION_TEXTURECUBEARRAY","features":[401]},{"name":"D3D10_1_SRV_DIMENSION_UNKNOWN","features":[401]},{"name":"D3D10_CBF_USERPACKED","features":[401]},{"name":"D3D10_CT_CBUFFER","features":[401]},{"name":"D3D10_CT_TBUFFER","features":[401]},{"name":"D3D10_INCLUDE_LOCAL","features":[401]},{"name":"D3D10_INCLUDE_SYSTEM","features":[401]},{"name":"D3D10_NAME_CLIP_DISTANCE","features":[401]},{"name":"D3D10_NAME_COVERAGE","features":[401]},{"name":"D3D10_NAME_CULL_DISTANCE","features":[401]},{"name":"D3D10_NAME_DEPTH","features":[401]},{"name":"D3D10_NAME_INSTANCE_ID","features":[401]},{"name":"D3D10_NAME_IS_FRONT_FACE","features":[401]},{"name":"D3D10_NAME_POSITION","features":[401]},{"name":"D3D10_NAME_PRIMITIVE_ID","features":[401]},{"name":"D3D10_NAME_RENDER_TARGET_ARRAY_INDEX","features":[401]},{"name":"D3D10_NAME_SAMPLE_INDEX","features":[401]},{"name":"D3D10_NAME_TARGET","features":[401]},{"name":"D3D10_NAME_UNDEFINED","features":[401]},{"name":"D3D10_NAME_VERTEX_ID","features":[401]},{"name":"D3D10_NAME_VIEWPORT_ARRAY_INDEX","features":[401]},{"name":"D3D10_PRIMITIVE_LINE","features":[401]},{"name":"D3D10_PRIMITIVE_LINE_ADJ","features":[401]},{"name":"D3D10_PRIMITIVE_POINT","features":[401]},{"name":"D3D10_PRIMITIVE_TOPOLOGY_LINELIST","features":[401]},{"name":"D3D10_PRIMITIVE_TOPOLOGY_LINELIST_ADJ","features":[401]},{"name":"D3D10_PRIMITIVE_TOPOLOGY_LINESTRIP","features":[401]},{"name":"D3D10_PRIMITIVE_TOPOLOGY_LINESTRIP_ADJ","features":[401]},{"name":"D3D10_PRIMITIVE_TOPOLOGY_POINTLIST","features":[401]},{"name":"D3D10_PRIMITIVE_TOPOLOGY_TRIANGLELIST","features":[401]},{"name":"D3D10_PRIMITIVE_TOPOLOGY_TRIANGLELIST_ADJ","features":[401]},{"name":"D3D10_PRIMITIVE_TOPOLOGY_TRIANGLESTRIP","features":[401]},{"name":"D3D10_PRIMITIVE_TOPOLOGY_TRIANGLESTRIP_ADJ","features":[401]},{"name":"D3D10_PRIMITIVE_TOPOLOGY_UNDEFINED","features":[401]},{"name":"D3D10_PRIMITIVE_TRIANGLE","features":[401]},{"name":"D3D10_PRIMITIVE_TRIANGLE_ADJ","features":[401]},{"name":"D3D10_PRIMITIVE_UNDEFINED","features":[401]},{"name":"D3D10_REGISTER_COMPONENT_FLOAT32","features":[401]},{"name":"D3D10_REGISTER_COMPONENT_SINT32","features":[401]},{"name":"D3D10_REGISTER_COMPONENT_UINT32","features":[401]},{"name":"D3D10_REGISTER_COMPONENT_UNKNOWN","features":[401]},{"name":"D3D10_RETURN_TYPE_FLOAT","features":[401]},{"name":"D3D10_RETURN_TYPE_MIXED","features":[401]},{"name":"D3D10_RETURN_TYPE_SINT","features":[401]},{"name":"D3D10_RETURN_TYPE_SNORM","features":[401]},{"name":"D3D10_RETURN_TYPE_UINT","features":[401]},{"name":"D3D10_RETURN_TYPE_UNORM","features":[401]},{"name":"D3D10_SIF_COMPARISON_SAMPLER","features":[401]},{"name":"D3D10_SIF_TEXTURE_COMPONENTS","features":[401]},{"name":"D3D10_SIF_TEXTURE_COMPONENT_0","features":[401]},{"name":"D3D10_SIF_TEXTURE_COMPONENT_1","features":[401]},{"name":"D3D10_SIF_USERPACKED","features":[401]},{"name":"D3D10_SIT_CBUFFER","features":[401]},{"name":"D3D10_SIT_SAMPLER","features":[401]},{"name":"D3D10_SIT_TBUFFER","features":[401]},{"name":"D3D10_SIT_TEXTURE","features":[401]},{"name":"D3D10_SRV_DIMENSION_BUFFER","features":[401]},{"name":"D3D10_SRV_DIMENSION_TEXTURE1D","features":[401]},{"name":"D3D10_SRV_DIMENSION_TEXTURE1DARRAY","features":[401]},{"name":"D3D10_SRV_DIMENSION_TEXTURE2D","features":[401]},{"name":"D3D10_SRV_DIMENSION_TEXTURE2DARRAY","features":[401]},{"name":"D3D10_SRV_DIMENSION_TEXTURE2DMS","features":[401]},{"name":"D3D10_SRV_DIMENSION_TEXTURE2DMSARRAY","features":[401]},{"name":"D3D10_SRV_DIMENSION_TEXTURE3D","features":[401]},{"name":"D3D10_SRV_DIMENSION_TEXTURECUBE","features":[401]},{"name":"D3D10_SRV_DIMENSION_UNKNOWN","features":[401]},{"name":"D3D10_SVC_MATRIX_COLUMNS","features":[401]},{"name":"D3D10_SVC_MATRIX_ROWS","features":[401]},{"name":"D3D10_SVC_OBJECT","features":[401]},{"name":"D3D10_SVC_SCALAR","features":[401]},{"name":"D3D10_SVC_STRUCT","features":[401]},{"name":"D3D10_SVC_VECTOR","features":[401]},{"name":"D3D10_SVF_USED","features":[401]},{"name":"D3D10_SVF_USERPACKED","features":[401]},{"name":"D3D10_SVT_BLEND","features":[401]},{"name":"D3D10_SVT_BOOL","features":[401]},{"name":"D3D10_SVT_BUFFER","features":[401]},{"name":"D3D10_SVT_CBUFFER","features":[401]},{"name":"D3D10_SVT_DEPTHSTENCIL","features":[401]},{"name":"D3D10_SVT_DEPTHSTENCILVIEW","features":[401]},{"name":"D3D10_SVT_FLOAT","features":[401]},{"name":"D3D10_SVT_GEOMETRYSHADER","features":[401]},{"name":"D3D10_SVT_INT","features":[401]},{"name":"D3D10_SVT_PIXELFRAGMENT","features":[401]},{"name":"D3D10_SVT_PIXELSHADER","features":[401]},{"name":"D3D10_SVT_RASTERIZER","features":[401]},{"name":"D3D10_SVT_RENDERTARGETVIEW","features":[401]},{"name":"D3D10_SVT_SAMPLER","features":[401]},{"name":"D3D10_SVT_SAMPLER1D","features":[401]},{"name":"D3D10_SVT_SAMPLER2D","features":[401]},{"name":"D3D10_SVT_SAMPLER3D","features":[401]},{"name":"D3D10_SVT_SAMPLERCUBE","features":[401]},{"name":"D3D10_SVT_STRING","features":[401]},{"name":"D3D10_SVT_TBUFFER","features":[401]},{"name":"D3D10_SVT_TEXTURE","features":[401]},{"name":"D3D10_SVT_TEXTURE1D","features":[401]},{"name":"D3D10_SVT_TEXTURE1DARRAY","features":[401]},{"name":"D3D10_SVT_TEXTURE2D","features":[401]},{"name":"D3D10_SVT_TEXTURE2DARRAY","features":[401]},{"name":"D3D10_SVT_TEXTURE2DMS","features":[401]},{"name":"D3D10_SVT_TEXTURE2DMSARRAY","features":[401]},{"name":"D3D10_SVT_TEXTURE3D","features":[401]},{"name":"D3D10_SVT_TEXTURECUBE","features":[401]},{"name":"D3D10_SVT_TEXTURECUBEARRAY","features":[401]},{"name":"D3D10_SVT_UINT","features":[401]},{"name":"D3D10_SVT_UINT8","features":[401]},{"name":"D3D10_SVT_VERTEXFRAGMENT","features":[401]},{"name":"D3D10_SVT_VERTEXSHADER","features":[401]},{"name":"D3D10_SVT_VOID","features":[401]},{"name":"D3D11_CT_CBUFFER","features":[401]},{"name":"D3D11_CT_INTERFACE_POINTERS","features":[401]},{"name":"D3D11_CT_RESOURCE_BIND_INFO","features":[401]},{"name":"D3D11_CT_TBUFFER","features":[401]},{"name":"D3D11_NAME_DEPTH_GREATER_EQUAL","features":[401]},{"name":"D3D11_NAME_DEPTH_LESS_EQUAL","features":[401]},{"name":"D3D11_NAME_FINAL_LINE_DENSITY_TESSFACTOR","features":[401]},{"name":"D3D11_NAME_FINAL_LINE_DETAIL_TESSFACTOR","features":[401]},{"name":"D3D11_NAME_FINAL_QUAD_EDGE_TESSFACTOR","features":[401]},{"name":"D3D11_NAME_FINAL_QUAD_INSIDE_TESSFACTOR","features":[401]},{"name":"D3D11_NAME_FINAL_TRI_EDGE_TESSFACTOR","features":[401]},{"name":"D3D11_NAME_FINAL_TRI_INSIDE_TESSFACTOR","features":[401]},{"name":"D3D11_NAME_INNER_COVERAGE","features":[401]},{"name":"D3D11_NAME_STENCIL_REF","features":[401]},{"name":"D3D11_PRIMITIVE_10_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_11_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_12_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_13_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_14_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_15_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_16_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_17_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_18_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_19_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_1_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_20_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_21_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_22_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_23_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_24_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_25_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_26_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_27_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_28_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_29_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_2_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_30_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_31_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_32_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_3_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_4_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_5_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_6_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_7_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_8_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_9_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D11_PRIMITIVE_LINE","features":[401]},{"name":"D3D11_PRIMITIVE_LINE_ADJ","features":[401]},{"name":"D3D11_PRIMITIVE_POINT","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_10_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_11_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_12_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_13_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_14_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_15_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_16_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_17_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_18_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_19_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_1_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_20_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_21_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_22_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_23_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_24_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_25_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_26_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_27_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_28_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_29_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_2_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_30_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_31_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_32_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_3_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_4_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_5_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_6_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_7_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_8_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_9_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_LINELIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_LINELIST_ADJ","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_LINESTRIP","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_LINESTRIP_ADJ","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_POINTLIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_TRIANGLELIST","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_TRIANGLELIST_ADJ","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_TRIANGLESTRIP","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_TRIANGLESTRIP_ADJ","features":[401]},{"name":"D3D11_PRIMITIVE_TOPOLOGY_UNDEFINED","features":[401]},{"name":"D3D11_PRIMITIVE_TRIANGLE","features":[401]},{"name":"D3D11_PRIMITIVE_TRIANGLE_ADJ","features":[401]},{"name":"D3D11_PRIMITIVE_UNDEFINED","features":[401]},{"name":"D3D11_RETURN_TYPE_CONTINUED","features":[401]},{"name":"D3D11_RETURN_TYPE_DOUBLE","features":[401]},{"name":"D3D11_RETURN_TYPE_FLOAT","features":[401]},{"name":"D3D11_RETURN_TYPE_MIXED","features":[401]},{"name":"D3D11_RETURN_TYPE_SINT","features":[401]},{"name":"D3D11_RETURN_TYPE_SNORM","features":[401]},{"name":"D3D11_RETURN_TYPE_UINT","features":[401]},{"name":"D3D11_RETURN_TYPE_UNORM","features":[401]},{"name":"D3D11_SIT_BYTEADDRESS","features":[401]},{"name":"D3D11_SIT_STRUCTURED","features":[401]},{"name":"D3D11_SIT_UAV_APPEND_STRUCTURED","features":[401]},{"name":"D3D11_SIT_UAV_CONSUME_STRUCTURED","features":[401]},{"name":"D3D11_SIT_UAV_RWBYTEADDRESS","features":[401]},{"name":"D3D11_SIT_UAV_RWSTRUCTURED","features":[401]},{"name":"D3D11_SIT_UAV_RWSTRUCTURED_WITH_COUNTER","features":[401]},{"name":"D3D11_SIT_UAV_RWTYPED","features":[401]},{"name":"D3D11_SRV_DIMENSION_BUFFER","features":[401]},{"name":"D3D11_SRV_DIMENSION_BUFFEREX","features":[401]},{"name":"D3D11_SRV_DIMENSION_TEXTURE1D","features":[401]},{"name":"D3D11_SRV_DIMENSION_TEXTURE1DARRAY","features":[401]},{"name":"D3D11_SRV_DIMENSION_TEXTURE2D","features":[401]},{"name":"D3D11_SRV_DIMENSION_TEXTURE2DARRAY","features":[401]},{"name":"D3D11_SRV_DIMENSION_TEXTURE2DMS","features":[401]},{"name":"D3D11_SRV_DIMENSION_TEXTURE2DMSARRAY","features":[401]},{"name":"D3D11_SRV_DIMENSION_TEXTURE3D","features":[401]},{"name":"D3D11_SRV_DIMENSION_TEXTURECUBE","features":[401]},{"name":"D3D11_SRV_DIMENSION_TEXTURECUBEARRAY","features":[401]},{"name":"D3D11_SRV_DIMENSION_UNKNOWN","features":[401]},{"name":"D3D11_SVC_INTERFACE_CLASS","features":[401]},{"name":"D3D11_SVC_INTERFACE_POINTER","features":[401]},{"name":"D3D11_SVF_INTERFACE_PARAMETER","features":[401]},{"name":"D3D11_SVF_INTERFACE_POINTER","features":[401]},{"name":"D3D11_SVT_APPEND_STRUCTURED_BUFFER","features":[401]},{"name":"D3D11_SVT_BYTEADDRESS_BUFFER","features":[401]},{"name":"D3D11_SVT_COMPUTESHADER","features":[401]},{"name":"D3D11_SVT_CONSUME_STRUCTURED_BUFFER","features":[401]},{"name":"D3D11_SVT_DOMAINSHADER","features":[401]},{"name":"D3D11_SVT_DOUBLE","features":[401]},{"name":"D3D11_SVT_HULLSHADER","features":[401]},{"name":"D3D11_SVT_INTERFACE_POINTER","features":[401]},{"name":"D3D11_SVT_RWBUFFER","features":[401]},{"name":"D3D11_SVT_RWBYTEADDRESS_BUFFER","features":[401]},{"name":"D3D11_SVT_RWSTRUCTURED_BUFFER","features":[401]},{"name":"D3D11_SVT_RWTEXTURE1D","features":[401]},{"name":"D3D11_SVT_RWTEXTURE1DARRAY","features":[401]},{"name":"D3D11_SVT_RWTEXTURE2D","features":[401]},{"name":"D3D11_SVT_RWTEXTURE2DARRAY","features":[401]},{"name":"D3D11_SVT_RWTEXTURE3D","features":[401]},{"name":"D3D11_SVT_STRUCTURED_BUFFER","features":[401]},{"name":"D3D11_TESSELLATOR_DOMAIN_ISOLINE","features":[401]},{"name":"D3D11_TESSELLATOR_DOMAIN_QUAD","features":[401]},{"name":"D3D11_TESSELLATOR_DOMAIN_TRI","features":[401]},{"name":"D3D11_TESSELLATOR_DOMAIN_UNDEFINED","features":[401]},{"name":"D3D11_TESSELLATOR_OUTPUT_LINE","features":[401]},{"name":"D3D11_TESSELLATOR_OUTPUT_POINT","features":[401]},{"name":"D3D11_TESSELLATOR_OUTPUT_TRIANGLE_CCW","features":[401]},{"name":"D3D11_TESSELLATOR_OUTPUT_TRIANGLE_CW","features":[401]},{"name":"D3D11_TESSELLATOR_OUTPUT_UNDEFINED","features":[401]},{"name":"D3D11_TESSELLATOR_PARTITIONING_FRACTIONAL_EVEN","features":[401]},{"name":"D3D11_TESSELLATOR_PARTITIONING_FRACTIONAL_ODD","features":[401]},{"name":"D3D11_TESSELLATOR_PARTITIONING_INTEGER","features":[401]},{"name":"D3D11_TESSELLATOR_PARTITIONING_POW2","features":[401]},{"name":"D3D11_TESSELLATOR_PARTITIONING_UNDEFINED","features":[401]},{"name":"D3D12_NAME_BARYCENTRICS","features":[401]},{"name":"D3D12_NAME_CULLPRIMITIVE","features":[401]},{"name":"D3D12_NAME_SHADINGRATE","features":[401]},{"name":"D3DFCI_BIASED_FIXED_2_8","features":[401]},{"name":"D3DFCI_FLOAT","features":[401]},{"name":"D3DFCI_SINT","features":[401]},{"name":"D3DFCI_SNORM","features":[401]},{"name":"D3DFCI_TYPELESS","features":[401]},{"name":"D3DFCI_UINT","features":[401]},{"name":"D3DFCI_UNORM","features":[401]},{"name":"D3DFCI_UNORM_SRGB","features":[401]},{"name":"D3DFCN_A","features":[401]},{"name":"D3DFCN_B","features":[401]},{"name":"D3DFCN_D","features":[401]},{"name":"D3DFCN_G","features":[401]},{"name":"D3DFCN_R","features":[401]},{"name":"D3DFCN_S","features":[401]},{"name":"D3DFCN_X","features":[401]},{"name":"D3DFL_CUSTOM","features":[401]},{"name":"D3DFL_STANDARD","features":[401]},{"name":"D3DFTL_FULL_TYPE","features":[401]},{"name":"D3DFTL_NO_TYPE","features":[401]},{"name":"D3DFTL_PARTIAL_TYPE","features":[401]},{"name":"D3DMATRIX","features":[401]},{"name":"D3DVECTOR","features":[401]},{"name":"D3D_CBF_USERPACKED","features":[401]},{"name":"D3D_CBUFFER_TYPE","features":[401]},{"name":"D3D_COMPONENT_MASK_W","features":[401]},{"name":"D3D_COMPONENT_MASK_X","features":[401]},{"name":"D3D_COMPONENT_MASK_Y","features":[401]},{"name":"D3D_COMPONENT_MASK_Z","features":[401]},{"name":"D3D_CT_CBUFFER","features":[401]},{"name":"D3D_CT_INTERFACE_POINTERS","features":[401]},{"name":"D3D_CT_RESOURCE_BIND_INFO","features":[401]},{"name":"D3D_CT_TBUFFER","features":[401]},{"name":"D3D_DRIVER_TYPE","features":[401]},{"name":"D3D_DRIVER_TYPE_HARDWARE","features":[401]},{"name":"D3D_DRIVER_TYPE_NULL","features":[401]},{"name":"D3D_DRIVER_TYPE_REFERENCE","features":[401]},{"name":"D3D_DRIVER_TYPE_SOFTWARE","features":[401]},{"name":"D3D_DRIVER_TYPE_UNKNOWN","features":[401]},{"name":"D3D_DRIVER_TYPE_WARP","features":[401]},{"name":"D3D_FEATURE_LEVEL","features":[401]},{"name":"D3D_FEATURE_LEVEL_10_0","features":[401]},{"name":"D3D_FEATURE_LEVEL_10_1","features":[401]},{"name":"D3D_FEATURE_LEVEL_11_0","features":[401]},{"name":"D3D_FEATURE_LEVEL_11_1","features":[401]},{"name":"D3D_FEATURE_LEVEL_12_0","features":[401]},{"name":"D3D_FEATURE_LEVEL_12_1","features":[401]},{"name":"D3D_FEATURE_LEVEL_12_2","features":[401]},{"name":"D3D_FEATURE_LEVEL_1_0_CORE","features":[401]},{"name":"D3D_FEATURE_LEVEL_1_0_GENERIC","features":[401]},{"name":"D3D_FEATURE_LEVEL_9_1","features":[401]},{"name":"D3D_FEATURE_LEVEL_9_2","features":[401]},{"name":"D3D_FEATURE_LEVEL_9_3","features":[401]},{"name":"D3D_FL9_1_DEFAULT_MAX_ANISOTROPY","features":[401]},{"name":"D3D_FL9_1_IA_PRIMITIVE_MAX_COUNT","features":[401]},{"name":"D3D_FL9_1_MAX_TEXTURE_REPEAT","features":[401]},{"name":"D3D_FL9_1_REQ_TEXTURE1D_U_DIMENSION","features":[401]},{"name":"D3D_FL9_1_REQ_TEXTURE2D_U_OR_V_DIMENSION","features":[401]},{"name":"D3D_FL9_1_REQ_TEXTURE3D_U_V_OR_W_DIMENSION","features":[401]},{"name":"D3D_FL9_1_REQ_TEXTURECUBE_DIMENSION","features":[401]},{"name":"D3D_FL9_1_SIMULTANEOUS_RENDER_TARGET_COUNT","features":[401]},{"name":"D3D_FL9_2_IA_PRIMITIVE_MAX_COUNT","features":[401]},{"name":"D3D_FL9_2_MAX_TEXTURE_REPEAT","features":[401]},{"name":"D3D_FL9_3_MAX_TEXTURE_REPEAT","features":[401]},{"name":"D3D_FL9_3_REQ_TEXTURE1D_U_DIMENSION","features":[401]},{"name":"D3D_FL9_3_REQ_TEXTURE2D_U_OR_V_DIMENSION","features":[401]},{"name":"D3D_FL9_3_REQ_TEXTURECUBE_DIMENSION","features":[401]},{"name":"D3D_FL9_3_SIMULTANEOUS_RENDER_TARGET_COUNT","features":[401]},{"name":"D3D_FORMAT_COMPONENT_INTERPRETATION","features":[401]},{"name":"D3D_FORMAT_COMPONENT_NAME","features":[401]},{"name":"D3D_FORMAT_LAYOUT","features":[401]},{"name":"D3D_FORMAT_TYPE_LEVEL","features":[401]},{"name":"D3D_INCLUDE_LOCAL","features":[401]},{"name":"D3D_INCLUDE_SYSTEM","features":[401]},{"name":"D3D_INCLUDE_TYPE","features":[401]},{"name":"D3D_INTERPOLATION_CONSTANT","features":[401]},{"name":"D3D_INTERPOLATION_LINEAR","features":[401]},{"name":"D3D_INTERPOLATION_LINEAR_CENTROID","features":[401]},{"name":"D3D_INTERPOLATION_LINEAR_NOPERSPECTIVE","features":[401]},{"name":"D3D_INTERPOLATION_LINEAR_NOPERSPECTIVE_CENTROID","features":[401]},{"name":"D3D_INTERPOLATION_LINEAR_NOPERSPECTIVE_SAMPLE","features":[401]},{"name":"D3D_INTERPOLATION_LINEAR_SAMPLE","features":[401]},{"name":"D3D_INTERPOLATION_MODE","features":[401]},{"name":"D3D_INTERPOLATION_UNDEFINED","features":[401]},{"name":"D3D_MIN_PRECISION","features":[401]},{"name":"D3D_MIN_PRECISION_ANY_10","features":[401]},{"name":"D3D_MIN_PRECISION_ANY_16","features":[401]},{"name":"D3D_MIN_PRECISION_DEFAULT","features":[401]},{"name":"D3D_MIN_PRECISION_FLOAT_16","features":[401]},{"name":"D3D_MIN_PRECISION_FLOAT_2_8","features":[401]},{"name":"D3D_MIN_PRECISION_RESERVED","features":[401]},{"name":"D3D_MIN_PRECISION_SINT_16","features":[401]},{"name":"D3D_MIN_PRECISION_UINT_16","features":[401]},{"name":"D3D_NAME","features":[401]},{"name":"D3D_NAME_BARYCENTRICS","features":[401]},{"name":"D3D_NAME_CLIP_DISTANCE","features":[401]},{"name":"D3D_NAME_COVERAGE","features":[401]},{"name":"D3D_NAME_CULLPRIMITIVE","features":[401]},{"name":"D3D_NAME_CULL_DISTANCE","features":[401]},{"name":"D3D_NAME_DEPTH","features":[401]},{"name":"D3D_NAME_DEPTH_GREATER_EQUAL","features":[401]},{"name":"D3D_NAME_DEPTH_LESS_EQUAL","features":[401]},{"name":"D3D_NAME_FINAL_LINE_DENSITY_TESSFACTOR","features":[401]},{"name":"D3D_NAME_FINAL_LINE_DETAIL_TESSFACTOR","features":[401]},{"name":"D3D_NAME_FINAL_QUAD_EDGE_TESSFACTOR","features":[401]},{"name":"D3D_NAME_FINAL_QUAD_INSIDE_TESSFACTOR","features":[401]},{"name":"D3D_NAME_FINAL_TRI_EDGE_TESSFACTOR","features":[401]},{"name":"D3D_NAME_FINAL_TRI_INSIDE_TESSFACTOR","features":[401]},{"name":"D3D_NAME_INNER_COVERAGE","features":[401]},{"name":"D3D_NAME_INSTANCE_ID","features":[401]},{"name":"D3D_NAME_IS_FRONT_FACE","features":[401]},{"name":"D3D_NAME_POSITION","features":[401]},{"name":"D3D_NAME_PRIMITIVE_ID","features":[401]},{"name":"D3D_NAME_RENDER_TARGET_ARRAY_INDEX","features":[401]},{"name":"D3D_NAME_SAMPLE_INDEX","features":[401]},{"name":"D3D_NAME_SHADINGRATE","features":[401]},{"name":"D3D_NAME_STENCIL_REF","features":[401]},{"name":"D3D_NAME_TARGET","features":[401]},{"name":"D3D_NAME_UNDEFINED","features":[401]},{"name":"D3D_NAME_VERTEX_ID","features":[401]},{"name":"D3D_NAME_VIEWPORT_ARRAY_INDEX","features":[401]},{"name":"D3D_PARAMETER_FLAGS","features":[401]},{"name":"D3D_PF_IN","features":[401]},{"name":"D3D_PF_NONE","features":[401]},{"name":"D3D_PF_OUT","features":[401]},{"name":"D3D_PRIMITIVE","features":[401]},{"name":"D3D_PRIMITIVE_10_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_11_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_12_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_13_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_14_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_15_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_16_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_17_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_18_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_19_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_1_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_20_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_21_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_22_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_23_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_24_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_25_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_26_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_27_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_28_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_29_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_2_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_30_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_31_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_32_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_3_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_4_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_5_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_6_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_7_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_8_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_9_CONTROL_POINT_PATCH","features":[401]},{"name":"D3D_PRIMITIVE_LINE","features":[401]},{"name":"D3D_PRIMITIVE_LINE_ADJ","features":[401]},{"name":"D3D_PRIMITIVE_POINT","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_10_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_11_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_12_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_13_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_14_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_15_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_16_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_17_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_18_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_19_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_1_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_20_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_21_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_22_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_23_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_24_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_25_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_26_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_27_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_28_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_29_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_2_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_30_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_31_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_32_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_3_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_4_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_5_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_6_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_7_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_8_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_9_CONTROL_POINT_PATCHLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_LINELIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_LINELIST_ADJ","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_LINESTRIP","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_LINESTRIP_ADJ","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_POINTLIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_TRIANGLEFAN","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_TRIANGLELIST","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_TRIANGLELIST_ADJ","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_TRIANGLESTRIP","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_TRIANGLESTRIP_ADJ","features":[401]},{"name":"D3D_PRIMITIVE_TOPOLOGY_UNDEFINED","features":[401]},{"name":"D3D_PRIMITIVE_TRIANGLE","features":[401]},{"name":"D3D_PRIMITIVE_TRIANGLE_ADJ","features":[401]},{"name":"D3D_PRIMITIVE_UNDEFINED","features":[401]},{"name":"D3D_REGISTER_COMPONENT_FLOAT32","features":[401]},{"name":"D3D_REGISTER_COMPONENT_SINT32","features":[401]},{"name":"D3D_REGISTER_COMPONENT_TYPE","features":[401]},{"name":"D3D_REGISTER_COMPONENT_UINT32","features":[401]},{"name":"D3D_REGISTER_COMPONENT_UNKNOWN","features":[401]},{"name":"D3D_RESOURCE_RETURN_TYPE","features":[401]},{"name":"D3D_RETURN_TYPE_CONTINUED","features":[401]},{"name":"D3D_RETURN_TYPE_DOUBLE","features":[401]},{"name":"D3D_RETURN_TYPE_FLOAT","features":[401]},{"name":"D3D_RETURN_TYPE_MIXED","features":[401]},{"name":"D3D_RETURN_TYPE_SINT","features":[401]},{"name":"D3D_RETURN_TYPE_SNORM","features":[401]},{"name":"D3D_RETURN_TYPE_UINT","features":[401]},{"name":"D3D_RETURN_TYPE_UNORM","features":[401]},{"name":"D3D_SHADER_CBUFFER_FLAGS","features":[401]},{"name":"D3D_SHADER_FEATURE_11_1_DOUBLE_EXTENSIONS","features":[401]},{"name":"D3D_SHADER_FEATURE_11_1_SHADER_EXTENSIONS","features":[401]},{"name":"D3D_SHADER_FEATURE_64_UAVS","features":[401]},{"name":"D3D_SHADER_FEATURE_ATOMIC_INT64_ON_DESCRIPTOR_HEAP_RESOURCE","features":[401]},{"name":"D3D_SHADER_FEATURE_ATOMIC_INT64_ON_GROUP_SHARED","features":[401]},{"name":"D3D_SHADER_FEATURE_ATOMIC_INT64_ON_TYPED_RESOURCE","features":[401]},{"name":"D3D_SHADER_FEATURE_BARYCENTRICS","features":[401]},{"name":"D3D_SHADER_FEATURE_COMPUTE_SHADERS_PLUS_RAW_AND_STRUCTURED_BUFFERS_VIA_SHADER_4_X","features":[401]},{"name":"D3D_SHADER_FEATURE_DERIVATIVES_IN_MESH_AND_AMPLIFICATION_SHADERS","features":[401]},{"name":"D3D_SHADER_FEATURE_DOUBLES","features":[401]},{"name":"D3D_SHADER_FEATURE_INNER_COVERAGE","features":[401]},{"name":"D3D_SHADER_FEATURE_INT64_OPS","features":[401]},{"name":"D3D_SHADER_FEATURE_LEVEL_9_COMPARISON_FILTERING","features":[401]},{"name":"D3D_SHADER_FEATURE_MINIMUM_PRECISION","features":[401]},{"name":"D3D_SHADER_FEATURE_NATIVE_16BIT_OPS","features":[401]},{"name":"D3D_SHADER_FEATURE_RAYTRACING_TIER_1_1","features":[401]},{"name":"D3D_SHADER_FEATURE_RESOURCE_DESCRIPTOR_HEAP_INDEXING","features":[401]},{"name":"D3D_SHADER_FEATURE_ROVS","features":[401]},{"name":"D3D_SHADER_FEATURE_SAMPLER_DESCRIPTOR_HEAP_INDEXING","features":[401]},{"name":"D3D_SHADER_FEATURE_SAMPLER_FEEDBACK","features":[401]},{"name":"D3D_SHADER_FEATURE_SHADING_RATE","features":[401]},{"name":"D3D_SHADER_FEATURE_STENCIL_REF","features":[401]},{"name":"D3D_SHADER_FEATURE_TILED_RESOURCES","features":[401]},{"name":"D3D_SHADER_FEATURE_TYPED_UAV_LOAD_ADDITIONAL_FORMATS","features":[401]},{"name":"D3D_SHADER_FEATURE_UAVS_AT_EVERY_STAGE","features":[401]},{"name":"D3D_SHADER_FEATURE_VIEWPORT_AND_RT_ARRAY_INDEX_FROM_ANY_SHADER_FEEDING_RASTERIZER","features":[401]},{"name":"D3D_SHADER_FEATURE_VIEW_ID","features":[401]},{"name":"D3D_SHADER_FEATURE_WAVE_MMA","features":[401]},{"name":"D3D_SHADER_FEATURE_WAVE_OPS","features":[401]},{"name":"D3D_SHADER_INPUT_FLAGS","features":[401]},{"name":"D3D_SHADER_INPUT_TYPE","features":[401]},{"name":"D3D_SHADER_MACRO","features":[401]},{"name":"D3D_SHADER_VARIABLE_CLASS","features":[401]},{"name":"D3D_SHADER_VARIABLE_FLAGS","features":[401]},{"name":"D3D_SHADER_VARIABLE_TYPE","features":[401]},{"name":"D3D_SIF_COMPARISON_SAMPLER","features":[401]},{"name":"D3D_SIF_TEXTURE_COMPONENTS","features":[401]},{"name":"D3D_SIF_TEXTURE_COMPONENT_0","features":[401]},{"name":"D3D_SIF_TEXTURE_COMPONENT_1","features":[401]},{"name":"D3D_SIF_UNUSED","features":[401]},{"name":"D3D_SIF_USERPACKED","features":[401]},{"name":"D3D_SIT_BYTEADDRESS","features":[401]},{"name":"D3D_SIT_CBUFFER","features":[401]},{"name":"D3D_SIT_RTACCELERATIONSTRUCTURE","features":[401]},{"name":"D3D_SIT_SAMPLER","features":[401]},{"name":"D3D_SIT_STRUCTURED","features":[401]},{"name":"D3D_SIT_TBUFFER","features":[401]},{"name":"D3D_SIT_TEXTURE","features":[401]},{"name":"D3D_SIT_UAV_APPEND_STRUCTURED","features":[401]},{"name":"D3D_SIT_UAV_CONSUME_STRUCTURED","features":[401]},{"name":"D3D_SIT_UAV_FEEDBACKTEXTURE","features":[401]},{"name":"D3D_SIT_UAV_RWBYTEADDRESS","features":[401]},{"name":"D3D_SIT_UAV_RWSTRUCTURED","features":[401]},{"name":"D3D_SIT_UAV_RWSTRUCTURED_WITH_COUNTER","features":[401]},{"name":"D3D_SIT_UAV_RWTYPED","features":[401]},{"name":"D3D_SRV_DIMENSION","features":[401]},{"name":"D3D_SRV_DIMENSION_BUFFER","features":[401]},{"name":"D3D_SRV_DIMENSION_BUFFEREX","features":[401]},{"name":"D3D_SRV_DIMENSION_TEXTURE1D","features":[401]},{"name":"D3D_SRV_DIMENSION_TEXTURE1DARRAY","features":[401]},{"name":"D3D_SRV_DIMENSION_TEXTURE2D","features":[401]},{"name":"D3D_SRV_DIMENSION_TEXTURE2DARRAY","features":[401]},{"name":"D3D_SRV_DIMENSION_TEXTURE2DMS","features":[401]},{"name":"D3D_SRV_DIMENSION_TEXTURE2DMSARRAY","features":[401]},{"name":"D3D_SRV_DIMENSION_TEXTURE3D","features":[401]},{"name":"D3D_SRV_DIMENSION_TEXTURECUBE","features":[401]},{"name":"D3D_SRV_DIMENSION_TEXTURECUBEARRAY","features":[401]},{"name":"D3D_SRV_DIMENSION_UNKNOWN","features":[401]},{"name":"D3D_SVC_INTERFACE_CLASS","features":[401]},{"name":"D3D_SVC_INTERFACE_POINTER","features":[401]},{"name":"D3D_SVC_MATRIX_COLUMNS","features":[401]},{"name":"D3D_SVC_MATRIX_ROWS","features":[401]},{"name":"D3D_SVC_OBJECT","features":[401]},{"name":"D3D_SVC_SCALAR","features":[401]},{"name":"D3D_SVC_STRUCT","features":[401]},{"name":"D3D_SVC_VECTOR","features":[401]},{"name":"D3D_SVF_INTERFACE_PARAMETER","features":[401]},{"name":"D3D_SVF_INTERFACE_POINTER","features":[401]},{"name":"D3D_SVF_USED","features":[401]},{"name":"D3D_SVF_USERPACKED","features":[401]},{"name":"D3D_SVT_APPEND_STRUCTURED_BUFFER","features":[401]},{"name":"D3D_SVT_BLEND","features":[401]},{"name":"D3D_SVT_BOOL","features":[401]},{"name":"D3D_SVT_BUFFER","features":[401]},{"name":"D3D_SVT_BYTEADDRESS_BUFFER","features":[401]},{"name":"D3D_SVT_CBUFFER","features":[401]},{"name":"D3D_SVT_COMPUTESHADER","features":[401]},{"name":"D3D_SVT_CONSUME_STRUCTURED_BUFFER","features":[401]},{"name":"D3D_SVT_DEPTHSTENCIL","features":[401]},{"name":"D3D_SVT_DEPTHSTENCILVIEW","features":[401]},{"name":"D3D_SVT_DOMAINSHADER","features":[401]},{"name":"D3D_SVT_DOUBLE","features":[401]},{"name":"D3D_SVT_FLOAT","features":[401]},{"name":"D3D_SVT_FLOAT16","features":[401]},{"name":"D3D_SVT_GEOMETRYSHADER","features":[401]},{"name":"D3D_SVT_HULLSHADER","features":[401]},{"name":"D3D_SVT_INT","features":[401]},{"name":"D3D_SVT_INT16","features":[401]},{"name":"D3D_SVT_INT64","features":[401]},{"name":"D3D_SVT_INTERFACE_POINTER","features":[401]},{"name":"D3D_SVT_MIN10FLOAT","features":[401]},{"name":"D3D_SVT_MIN12INT","features":[401]},{"name":"D3D_SVT_MIN16FLOAT","features":[401]},{"name":"D3D_SVT_MIN16INT","features":[401]},{"name":"D3D_SVT_MIN16UINT","features":[401]},{"name":"D3D_SVT_MIN8FLOAT","features":[401]},{"name":"D3D_SVT_PIXELFRAGMENT","features":[401]},{"name":"D3D_SVT_PIXELSHADER","features":[401]},{"name":"D3D_SVT_RASTERIZER","features":[401]},{"name":"D3D_SVT_RENDERTARGETVIEW","features":[401]},{"name":"D3D_SVT_RWBUFFER","features":[401]},{"name":"D3D_SVT_RWBYTEADDRESS_BUFFER","features":[401]},{"name":"D3D_SVT_RWSTRUCTURED_BUFFER","features":[401]},{"name":"D3D_SVT_RWTEXTURE1D","features":[401]},{"name":"D3D_SVT_RWTEXTURE1DARRAY","features":[401]},{"name":"D3D_SVT_RWTEXTURE2D","features":[401]},{"name":"D3D_SVT_RWTEXTURE2DARRAY","features":[401]},{"name":"D3D_SVT_RWTEXTURE3D","features":[401]},{"name":"D3D_SVT_SAMPLER","features":[401]},{"name":"D3D_SVT_SAMPLER1D","features":[401]},{"name":"D3D_SVT_SAMPLER2D","features":[401]},{"name":"D3D_SVT_SAMPLER3D","features":[401]},{"name":"D3D_SVT_SAMPLERCUBE","features":[401]},{"name":"D3D_SVT_STRING","features":[401]},{"name":"D3D_SVT_STRUCTURED_BUFFER","features":[401]},{"name":"D3D_SVT_TBUFFER","features":[401]},{"name":"D3D_SVT_TEXTURE","features":[401]},{"name":"D3D_SVT_TEXTURE1D","features":[401]},{"name":"D3D_SVT_TEXTURE1DARRAY","features":[401]},{"name":"D3D_SVT_TEXTURE2D","features":[401]},{"name":"D3D_SVT_TEXTURE2DARRAY","features":[401]},{"name":"D3D_SVT_TEXTURE2DMS","features":[401]},{"name":"D3D_SVT_TEXTURE2DMSARRAY","features":[401]},{"name":"D3D_SVT_TEXTURE3D","features":[401]},{"name":"D3D_SVT_TEXTURECUBE","features":[401]},{"name":"D3D_SVT_TEXTURECUBEARRAY","features":[401]},{"name":"D3D_SVT_UINT","features":[401]},{"name":"D3D_SVT_UINT16","features":[401]},{"name":"D3D_SVT_UINT64","features":[401]},{"name":"D3D_SVT_UINT8","features":[401]},{"name":"D3D_SVT_VERTEXFRAGMENT","features":[401]},{"name":"D3D_SVT_VERTEXSHADER","features":[401]},{"name":"D3D_SVT_VOID","features":[401]},{"name":"D3D_TESSELLATOR_DOMAIN","features":[401]},{"name":"D3D_TESSELLATOR_DOMAIN_ISOLINE","features":[401]},{"name":"D3D_TESSELLATOR_DOMAIN_QUAD","features":[401]},{"name":"D3D_TESSELLATOR_DOMAIN_TRI","features":[401]},{"name":"D3D_TESSELLATOR_DOMAIN_UNDEFINED","features":[401]},{"name":"D3D_TESSELLATOR_OUTPUT_LINE","features":[401]},{"name":"D3D_TESSELLATOR_OUTPUT_POINT","features":[401]},{"name":"D3D_TESSELLATOR_OUTPUT_PRIMITIVE","features":[401]},{"name":"D3D_TESSELLATOR_OUTPUT_TRIANGLE_CCW","features":[401]},{"name":"D3D_TESSELLATOR_OUTPUT_TRIANGLE_CW","features":[401]},{"name":"D3D_TESSELLATOR_OUTPUT_UNDEFINED","features":[401]},{"name":"D3D_TESSELLATOR_PARTITIONING","features":[401]},{"name":"D3D_TESSELLATOR_PARTITIONING_FRACTIONAL_EVEN","features":[401]},{"name":"D3D_TESSELLATOR_PARTITIONING_FRACTIONAL_ODD","features":[401]},{"name":"D3D_TESSELLATOR_PARTITIONING_INTEGER","features":[401]},{"name":"D3D_TESSELLATOR_PARTITIONING_POW2","features":[401]},{"name":"D3D_TESSELLATOR_PARTITIONING_UNDEFINED","features":[401]},{"name":"D3D_TEXTURE_LAYOUT_64KB_STANDARD_SWIZZLE","features":[401]},{"name":"D3D_TEXTURE_LAYOUT_ROW_MAJOR","features":[401]},{"name":"ID3DBlob","features":[401]},{"name":"ID3DDestructionNotifier","features":[401]},{"name":"ID3DInclude","features":[401]},{"name":"PFN_DESTRUCTION_CALLBACK","features":[401]},{"name":"WKPDID_CommentStringW","features":[401]},{"name":"WKPDID_D3D12UniqueObjectId","features":[401]},{"name":"WKPDID_D3DDebugObjectName","features":[401]},{"name":"WKPDID_D3DDebugObjectNameW","features":[401]}],"398":[{"name":"CLSID_DxcAssembler","features":[402]},{"name":"CLSID_DxcCompiler","features":[402]},{"name":"CLSID_DxcCompilerArgs","features":[402]},{"name":"CLSID_DxcContainerBuilder","features":[402]},{"name":"CLSID_DxcContainerReflection","features":[402]},{"name":"CLSID_DxcDiaDataSource","features":[402]},{"name":"CLSID_DxcLibrary","features":[402]},{"name":"CLSID_DxcLinker","features":[402]},{"name":"CLSID_DxcOptimizer","features":[402]},{"name":"CLSID_DxcPdbUtils","features":[402]},{"name":"CLSID_DxcUtils","features":[402]},{"name":"CLSID_DxcValidator","features":[402]},{"name":"DXC_ARG_ALL_RESOURCES_BOUND","features":[402]},{"name":"DXC_ARG_AVOID_FLOW_CONTROL","features":[402]},{"name":"DXC_ARG_DEBUG","features":[402]},{"name":"DXC_ARG_DEBUG_NAME_FOR_BINARY","features":[402]},{"name":"DXC_ARG_DEBUG_NAME_FOR_SOURCE","features":[402]},{"name":"DXC_ARG_ENABLE_BACKWARDS_COMPATIBILITY","features":[402]},{"name":"DXC_ARG_ENABLE_STRICTNESS","features":[402]},{"name":"DXC_ARG_IEEE_STRICTNESS","features":[402]},{"name":"DXC_ARG_OPTIMIZATION_LEVEL0","features":[402]},{"name":"DXC_ARG_OPTIMIZATION_LEVEL1","features":[402]},{"name":"DXC_ARG_OPTIMIZATION_LEVEL2","features":[402]},{"name":"DXC_ARG_OPTIMIZATION_LEVEL3","features":[402]},{"name":"DXC_ARG_PACK_MATRIX_COLUMN_MAJOR","features":[402]},{"name":"DXC_ARG_PACK_MATRIX_ROW_MAJOR","features":[402]},{"name":"DXC_ARG_PREFER_FLOW_CONTROL","features":[402]},{"name":"DXC_ARG_RESOURCES_MAY_ALIAS","features":[402]},{"name":"DXC_ARG_SKIP_OPTIMIZATIONS","features":[402]},{"name":"DXC_ARG_SKIP_VALIDATION","features":[402]},{"name":"DXC_ARG_WARNINGS_ARE_ERRORS","features":[402]},{"name":"DXC_CP","features":[402]},{"name":"DXC_CP_ACP","features":[402]},{"name":"DXC_CP_UTF16","features":[402]},{"name":"DXC_CP_UTF8","features":[402]},{"name":"DXC_EXTRA_OUTPUT_NAME_STDERR","features":[402]},{"name":"DXC_EXTRA_OUTPUT_NAME_STDOUT","features":[402]},{"name":"DXC_HASHFLAG_INCLUDES_SOURCE","features":[402]},{"name":"DXC_OUT_DISASSEMBLY","features":[402]},{"name":"DXC_OUT_ERRORS","features":[402]},{"name":"DXC_OUT_EXTRA_OUTPUTS","features":[402]},{"name":"DXC_OUT_HLSL","features":[402]},{"name":"DXC_OUT_KIND","features":[402]},{"name":"DXC_OUT_NONE","features":[402]},{"name":"DXC_OUT_OBJECT","features":[402]},{"name":"DXC_OUT_PDB","features":[402]},{"name":"DXC_OUT_REFLECTION","features":[402]},{"name":"DXC_OUT_ROOT_SIGNATURE","features":[402]},{"name":"DXC_OUT_SHADER_HASH","features":[402]},{"name":"DXC_OUT_TEXT","features":[402]},{"name":"DxcArgPair","features":[402]},{"name":"DxcBuffer","features":[402]},{"name":"DxcCreateInstance","features":[402]},{"name":"DxcCreateInstance2","features":[402,359]},{"name":"DxcCreateInstance2Proc","features":[402,359]},{"name":"DxcCreateInstanceProc","features":[402]},{"name":"DxcDefine","features":[402]},{"name":"DxcShaderHash","features":[402]},{"name":"DxcValidatorFlags_Default","features":[402]},{"name":"DxcValidatorFlags_InPlaceEdit","features":[402]},{"name":"DxcValidatorFlags_ModuleOnly","features":[402]},{"name":"DxcValidatorFlags_RootSignatureOnly","features":[402]},{"name":"DxcValidatorFlags_ValidMask","features":[402]},{"name":"DxcVersionInfoFlags_Debug","features":[402]},{"name":"DxcVersionInfoFlags_Internal","features":[402]},{"name":"DxcVersionInfoFlags_None","features":[402]},{"name":"IDxcAssembler","features":[402]},{"name":"IDxcBlob","features":[402]},{"name":"IDxcBlobEncoding","features":[402]},{"name":"IDxcBlobUtf16","features":[402]},{"name":"IDxcBlobUtf8","features":[402]},{"name":"IDxcCompiler","features":[402]},{"name":"IDxcCompiler2","features":[402]},{"name":"IDxcCompiler3","features":[402]},{"name":"IDxcCompilerArgs","features":[402]},{"name":"IDxcContainerBuilder","features":[402]},{"name":"IDxcContainerReflection","features":[402]},{"name":"IDxcExtraOutputs","features":[402]},{"name":"IDxcIncludeHandler","features":[402]},{"name":"IDxcLibrary","features":[402]},{"name":"IDxcLinker","features":[402]},{"name":"IDxcOperationResult","features":[402]},{"name":"IDxcOptimizer","features":[402]},{"name":"IDxcOptimizerPass","features":[402]},{"name":"IDxcPdbUtils","features":[402]},{"name":"IDxcResult","features":[402]},{"name":"IDxcUtils","features":[402]},{"name":"IDxcValidator","features":[402]},{"name":"IDxcValidator2","features":[402]},{"name":"IDxcVersionInfo","features":[402]},{"name":"IDxcVersionInfo2","features":[402]},{"name":"IDxcVersionInfo3","features":[402]}],"399":[{"name":"D3DCOMPILER_DLL_A","features":[403]},{"name":"D3DCOMPILER_DLL_W","features":[403]},{"name":"D3DCOMPILER_STRIP_DEBUG_INFO","features":[403]},{"name":"D3DCOMPILER_STRIP_FLAGS","features":[403]},{"name":"D3DCOMPILER_STRIP_PRIVATE_DATA","features":[403]},{"name":"D3DCOMPILER_STRIP_REFLECTION_DATA","features":[403]},{"name":"D3DCOMPILER_STRIP_ROOT_SIGNATURE","features":[403]},{"name":"D3DCOMPILER_STRIP_TEST_BLOBS","features":[403]},{"name":"D3DCOMPILE_ALL_RESOURCES_BOUND","features":[403]},{"name":"D3DCOMPILE_AVOID_FLOW_CONTROL","features":[403]},{"name":"D3DCOMPILE_DEBUG","features":[403]},{"name":"D3DCOMPILE_DEBUG_NAME_FOR_BINARY","features":[403]},{"name":"D3DCOMPILE_DEBUG_NAME_FOR_SOURCE","features":[403]},{"name":"D3DCOMPILE_EFFECT_ALLOW_SLOW_OPS","features":[403]},{"name":"D3DCOMPILE_EFFECT_CHILD_EFFECT","features":[403]},{"name":"D3DCOMPILE_ENABLE_BACKWARDS_COMPATIBILITY","features":[403]},{"name":"D3DCOMPILE_ENABLE_STRICTNESS","features":[403]},{"name":"D3DCOMPILE_ENABLE_UNBOUNDED_DESCRIPTOR_TABLES","features":[403]},{"name":"D3DCOMPILE_FLAGS2_FORCE_ROOT_SIGNATURE_1_0","features":[403]},{"name":"D3DCOMPILE_FLAGS2_FORCE_ROOT_SIGNATURE_1_1","features":[403]},{"name":"D3DCOMPILE_FLAGS2_FORCE_ROOT_SIGNATURE_LATEST","features":[403]},{"name":"D3DCOMPILE_FORCE_PS_SOFTWARE_NO_OPT","features":[403]},{"name":"D3DCOMPILE_FORCE_VS_SOFTWARE_NO_OPT","features":[403]},{"name":"D3DCOMPILE_IEEE_STRICTNESS","features":[403]},{"name":"D3DCOMPILE_NO_PRESHADER","features":[403]},{"name":"D3DCOMPILE_OPTIMIZATION_LEVEL0","features":[403]},{"name":"D3DCOMPILE_OPTIMIZATION_LEVEL1","features":[403]},{"name":"D3DCOMPILE_OPTIMIZATION_LEVEL3","features":[403]},{"name":"D3DCOMPILE_PACK_MATRIX_COLUMN_MAJOR","features":[403]},{"name":"D3DCOMPILE_PACK_MATRIX_ROW_MAJOR","features":[403]},{"name":"D3DCOMPILE_PARTIAL_PRECISION","features":[403]},{"name":"D3DCOMPILE_PREFER_FLOW_CONTROL","features":[403]},{"name":"D3DCOMPILE_RESERVED16","features":[403]},{"name":"D3DCOMPILE_RESERVED17","features":[403]},{"name":"D3DCOMPILE_RESOURCES_MAY_ALIAS","features":[403]},{"name":"D3DCOMPILE_SECDATA_MERGE_UAV_SLOTS","features":[403]},{"name":"D3DCOMPILE_SECDATA_PRESERVE_TEMPLATE_SLOTS","features":[403]},{"name":"D3DCOMPILE_SECDATA_REQUIRE_TEMPLATE_MATCH","features":[403]},{"name":"D3DCOMPILE_SKIP_OPTIMIZATION","features":[403]},{"name":"D3DCOMPILE_SKIP_VALIDATION","features":[403]},{"name":"D3DCOMPILE_WARNINGS_ARE_ERRORS","features":[403]},{"name":"D3DCompile","features":[403]},{"name":"D3DCompile2","features":[403]},{"name":"D3DCompileFromFile","features":[403]},{"name":"D3DCompressShaders","features":[403]},{"name":"D3DCreateBlob","features":[403]},{"name":"D3DCreateFunctionLinkingGraph","features":[403,404]},{"name":"D3DCreateLinker","features":[403,404]},{"name":"D3DDecompressShaders","features":[403]},{"name":"D3DDisassemble","features":[403]},{"name":"D3DDisassemble10Effect","features":[403,405]},{"name":"D3DDisassembleRegion","features":[403]},{"name":"D3DGetBlobPart","features":[403]},{"name":"D3DGetDebugInfo","features":[403]},{"name":"D3DGetInputAndOutputSignatureBlob","features":[403]},{"name":"D3DGetInputSignatureBlob","features":[403]},{"name":"D3DGetOutputSignatureBlob","features":[403]},{"name":"D3DGetTraceInstructionOffsets","features":[403]},{"name":"D3DLoadModule","features":[403,404]},{"name":"D3DPreprocess","features":[403]},{"name":"D3DReadFileToBlob","features":[403]},{"name":"D3DReflect","features":[403]},{"name":"D3DReflectLibrary","features":[403]},{"name":"D3DSetBlobPart","features":[403]},{"name":"D3DStripShader","features":[403]},{"name":"D3DWriteBlobToFile","features":[308,403]},{"name":"D3D_BLOB_ALL_SIGNATURE_BLOB","features":[403]},{"name":"D3D_BLOB_DEBUG_INFO","features":[403]},{"name":"D3D_BLOB_DEBUG_NAME","features":[403]},{"name":"D3D_BLOB_INPUT_AND_OUTPUT_SIGNATURE_BLOB","features":[403]},{"name":"D3D_BLOB_INPUT_SIGNATURE_BLOB","features":[403]},{"name":"D3D_BLOB_LEGACY_SHADER","features":[403]},{"name":"D3D_BLOB_OUTPUT_SIGNATURE_BLOB","features":[403]},{"name":"D3D_BLOB_PART","features":[403]},{"name":"D3D_BLOB_PATCH_CONSTANT_SIGNATURE_BLOB","features":[403]},{"name":"D3D_BLOB_PDB","features":[403]},{"name":"D3D_BLOB_PRIVATE_DATA","features":[403]},{"name":"D3D_BLOB_ROOT_SIGNATURE","features":[403]},{"name":"D3D_BLOB_TEST_ALTERNATE_SHADER","features":[403]},{"name":"D3D_BLOB_TEST_COMPILE_DETAILS","features":[403]},{"name":"D3D_BLOB_TEST_COMPILE_PERF","features":[403]},{"name":"D3D_BLOB_TEST_COMPILE_REPORT","features":[403]},{"name":"D3D_BLOB_XNA_PREPASS_SHADER","features":[403]},{"name":"D3D_BLOB_XNA_SHADER","features":[403]},{"name":"D3D_COMPILER_VERSION","features":[403]},{"name":"D3D_COMPRESS_SHADER_KEEP_ALL_PARTS","features":[403]},{"name":"D3D_DISASM_DISABLE_DEBUG_INFO","features":[403]},{"name":"D3D_DISASM_ENABLE_COLOR_CODE","features":[403]},{"name":"D3D_DISASM_ENABLE_DEFAULT_VALUE_PRINTS","features":[403]},{"name":"D3D_DISASM_ENABLE_INSTRUCTION_CYCLE","features":[403]},{"name":"D3D_DISASM_ENABLE_INSTRUCTION_NUMBERING","features":[403]},{"name":"D3D_DISASM_ENABLE_INSTRUCTION_OFFSET","features":[403]},{"name":"D3D_DISASM_INSTRUCTION_ONLY","features":[403]},{"name":"D3D_DISASM_PRINT_HEX_LITERALS","features":[403]},{"name":"D3D_GET_INST_OFFSETS_INCLUDE_NON_EXECUTABLE","features":[403]},{"name":"D3D_SHADER_DATA","features":[403]},{"name":"pD3DCompile","features":[403]},{"name":"pD3DDisassemble","features":[403]},{"name":"pD3DPreprocess","features":[403]}],"400":[{"name":"D3D10CompileEffectFromMemory","features":[401,405]},{"name":"D3D10CompileShader","features":[401,405]},{"name":"D3D10CreateBlob","features":[401,405]},{"name":"D3D10CreateDevice","features":[308,405,400]},{"name":"D3D10CreateDevice1","features":[308,405,400]},{"name":"D3D10CreateDeviceAndSwapChain","features":[308,405,396]},{"name":"D3D10CreateDeviceAndSwapChain1","features":[308,405,396]},{"name":"D3D10CreateEffectFromMemory","features":[405]},{"name":"D3D10CreateEffectPoolFromMemory","features":[405]},{"name":"D3D10CreateStateBlock","features":[405]},{"name":"D3D10DisassembleEffect","features":[308,401,405]},{"name":"D3D10DisassembleShader","features":[308,401,405]},{"name":"D3D10GetGeometryShaderProfile","features":[405]},{"name":"D3D10GetInputAndOutputSignatureBlob","features":[401,405]},{"name":"D3D10GetInputSignatureBlob","features":[401,405]},{"name":"D3D10GetOutputSignatureBlob","features":[401,405]},{"name":"D3D10GetPixelShaderProfile","features":[405]},{"name":"D3D10GetShaderDebugInfo","features":[401,405]},{"name":"D3D10GetVertexShaderProfile","features":[405]},{"name":"D3D10PreprocessShader","features":[401,405]},{"name":"D3D10ReflectShader","features":[405]},{"name":"D3D10StateBlockMaskDifference","features":[405]},{"name":"D3D10StateBlockMaskDisableAll","features":[405]},{"name":"D3D10StateBlockMaskDisableCapture","features":[405]},{"name":"D3D10StateBlockMaskEnableAll","features":[405]},{"name":"D3D10StateBlockMaskEnableCapture","features":[405]},{"name":"D3D10StateBlockMaskGetSetting","features":[308,405]},{"name":"D3D10StateBlockMaskIntersect","features":[405]},{"name":"D3D10StateBlockMaskUnion","features":[405]},{"name":"D3D10_16BIT_INDEX_STRIP_CUT_VALUE","features":[405]},{"name":"D3D10_1_DEFAULT_SAMPLE_MASK","features":[405]},{"name":"D3D10_1_FLOAT16_FUSED_TOLERANCE_IN_ULP","features":[405]},{"name":"D3D10_1_FLOAT32_TO_INTEGER_TOLERANCE_IN_ULP","features":[405]},{"name":"D3D10_1_GS_INPUT_REGISTER_COUNT","features":[405]},{"name":"D3D10_1_IA_VERTEX_INPUT_RESOURCE_SLOT_COUNT","features":[405]},{"name":"D3D10_1_IA_VERTEX_INPUT_STRUCTURE_ELEMENTS_COMPONENTS","features":[405]},{"name":"D3D10_1_IA_VERTEX_INPUT_STRUCTURE_ELEMENT_COUNT","features":[405]},{"name":"D3D10_1_PS_OUTPUT_MASK_REGISTER_COMPONENTS","features":[405]},{"name":"D3D10_1_PS_OUTPUT_MASK_REGISTER_COMPONENT_BIT_COUNT","features":[405]},{"name":"D3D10_1_PS_OUTPUT_MASK_REGISTER_COUNT","features":[405]},{"name":"D3D10_1_SHADER_MAJOR_VERSION","features":[405]},{"name":"D3D10_1_SHADER_MINOR_VERSION","features":[405]},{"name":"D3D10_1_SO_BUFFER_MAX_STRIDE_IN_BYTES","features":[405]},{"name":"D3D10_1_SO_BUFFER_MAX_WRITE_WINDOW_IN_BYTES","features":[405]},{"name":"D3D10_1_SO_BUFFER_SLOT_COUNT","features":[405]},{"name":"D3D10_1_SO_MULTIPLE_BUFFER_ELEMENTS_PER_BUFFER","features":[405]},{"name":"D3D10_1_SO_SINGLE_BUFFER_COMPONENT_LIMIT","features":[405]},{"name":"D3D10_1_STANDARD_VERTEX_ELEMENT_COUNT","features":[405]},{"name":"D3D10_1_SUBPIXEL_FRACTIONAL_BIT_COUNT","features":[405]},{"name":"D3D10_1_VS_INPUT_REGISTER_COUNT","features":[405]},{"name":"D3D10_1_VS_OUTPUT_REGISTER_COUNT","features":[405]},{"name":"D3D10_32BIT_INDEX_STRIP_CUT_VALUE","features":[405]},{"name":"D3D10_8BIT_INDEX_STRIP_CUT_VALUE","features":[405]},{"name":"D3D10_ALL_RESOURCES_BOUND","features":[405]},{"name":"D3D10_ANISOTROPIC_FILTERING_BIT","features":[405]},{"name":"D3D10_APPEND_ALIGNED_ELEMENT","features":[405]},{"name":"D3D10_APPNAME_STRING","features":[405]},{"name":"D3D10_APPSIZE_STRING","features":[405]},{"name":"D3D10_ARRAY_AXIS_ADDRESS_RANGE_BIT_COUNT","features":[405]},{"name":"D3D10_ASYNC_GETDATA_DONOTFLUSH","features":[405]},{"name":"D3D10_ASYNC_GETDATA_FLAG","features":[405]},{"name":"D3D10_BIND_CONSTANT_BUFFER","features":[405]},{"name":"D3D10_BIND_DEPTH_STENCIL","features":[405]},{"name":"D3D10_BIND_FLAG","features":[405]},{"name":"D3D10_BIND_INDEX_BUFFER","features":[405]},{"name":"D3D10_BIND_RENDER_TARGET","features":[405]},{"name":"D3D10_BIND_SHADER_RESOURCE","features":[405]},{"name":"D3D10_BIND_STREAM_OUTPUT","features":[405]},{"name":"D3D10_BIND_VERTEX_BUFFER","features":[405]},{"name":"D3D10_BLEND","features":[405]},{"name":"D3D10_BLEND_BLEND_FACTOR","features":[405]},{"name":"D3D10_BLEND_DESC","features":[308,405]},{"name":"D3D10_BLEND_DESC1","features":[308,405]},{"name":"D3D10_BLEND_DEST_ALPHA","features":[405]},{"name":"D3D10_BLEND_DEST_COLOR","features":[405]},{"name":"D3D10_BLEND_INV_BLEND_FACTOR","features":[405]},{"name":"D3D10_BLEND_INV_DEST_ALPHA","features":[405]},{"name":"D3D10_BLEND_INV_DEST_COLOR","features":[405]},{"name":"D3D10_BLEND_INV_SRC1_ALPHA","features":[405]},{"name":"D3D10_BLEND_INV_SRC1_COLOR","features":[405]},{"name":"D3D10_BLEND_INV_SRC_ALPHA","features":[405]},{"name":"D3D10_BLEND_INV_SRC_COLOR","features":[405]},{"name":"D3D10_BLEND_ONE","features":[405]},{"name":"D3D10_BLEND_OP","features":[405]},{"name":"D3D10_BLEND_OP_ADD","features":[405]},{"name":"D3D10_BLEND_OP_MAX","features":[405]},{"name":"D3D10_BLEND_OP_MIN","features":[405]},{"name":"D3D10_BLEND_OP_REV_SUBTRACT","features":[405]},{"name":"D3D10_BLEND_OP_SUBTRACT","features":[405]},{"name":"D3D10_BLEND_SRC1_ALPHA","features":[405]},{"name":"D3D10_BLEND_SRC1_COLOR","features":[405]},{"name":"D3D10_BLEND_SRC_ALPHA","features":[405]},{"name":"D3D10_BLEND_SRC_ALPHA_SAT","features":[405]},{"name":"D3D10_BLEND_SRC_COLOR","features":[405]},{"name":"D3D10_BLEND_ZERO","features":[405]},{"name":"D3D10_BOX","features":[405]},{"name":"D3D10_BREAKON_CATEGORY","features":[405]},{"name":"D3D10_BREAKON_ID_DECIMAL","features":[405]},{"name":"D3D10_BREAKON_ID_STRING","features":[405]},{"name":"D3D10_BREAKON_SEVERITY","features":[405]},{"name":"D3D10_BUFFER_DESC","features":[405]},{"name":"D3D10_BUFFER_RTV","features":[405]},{"name":"D3D10_BUFFER_SRV","features":[405]},{"name":"D3D10_CENTER_MULTISAMPLE_PATTERN","features":[405]},{"name":"D3D10_CLEAR_DEPTH","features":[405]},{"name":"D3D10_CLEAR_FLAG","features":[405]},{"name":"D3D10_CLEAR_STENCIL","features":[405]},{"name":"D3D10_CLIP_OR_CULL_DISTANCE_COUNT","features":[405]},{"name":"D3D10_CLIP_OR_CULL_DISTANCE_ELEMENT_COUNT","features":[405]},{"name":"D3D10_COLOR_WRITE_ENABLE","features":[405]},{"name":"D3D10_COLOR_WRITE_ENABLE_ALL","features":[405]},{"name":"D3D10_COLOR_WRITE_ENABLE_ALPHA","features":[405]},{"name":"D3D10_COLOR_WRITE_ENABLE_BLUE","features":[405]},{"name":"D3D10_COLOR_WRITE_ENABLE_GREEN","features":[405]},{"name":"D3D10_COLOR_WRITE_ENABLE_RED","features":[405]},{"name":"D3D10_COMMONSHADER_CONSTANT_BUFFER_API_SLOT_COUNT","features":[405]},{"name":"D3D10_COMMONSHADER_CONSTANT_BUFFER_COMPONENTS","features":[405]},{"name":"D3D10_COMMONSHADER_CONSTANT_BUFFER_COMPONENT_BIT_COUNT","features":[405]},{"name":"D3D10_COMMONSHADER_CONSTANT_BUFFER_HW_SLOT_COUNT","features":[405]},{"name":"D3D10_COMMONSHADER_CONSTANT_BUFFER_REGISTER_COMPONENTS","features":[405]},{"name":"D3D10_COMMONSHADER_CONSTANT_BUFFER_REGISTER_COUNT","features":[405]},{"name":"D3D10_COMMONSHADER_CONSTANT_BUFFER_REGISTER_READS_PER_INST","features":[405]},{"name":"D3D10_COMMONSHADER_CONSTANT_BUFFER_REGISTER_READ_PORTS","features":[405]},{"name":"D3D10_COMMONSHADER_FLOWCONTROL_NESTING_LIMIT","features":[405]},{"name":"D3D10_COMMONSHADER_IMMEDIATE_CONSTANT_BUFFER_REGISTER_COMPONENTS","features":[405]},{"name":"D3D10_COMMONSHADER_IMMEDIATE_CONSTANT_BUFFER_REGISTER_COUNT","features":[405]},{"name":"D3D10_COMMONSHADER_IMMEDIATE_CONSTANT_BUFFER_REGISTER_READS_PER_INST","features":[405]},{"name":"D3D10_COMMONSHADER_IMMEDIATE_CONSTANT_BUFFER_REGISTER_READ_PORTS","features":[405]},{"name":"D3D10_COMMONSHADER_IMMEDIATE_VALUE_COMPONENT_BIT_COUNT","features":[405]},{"name":"D3D10_COMMONSHADER_INPUT_RESOURCE_REGISTER_COMPONENTS","features":[405]},{"name":"D3D10_COMMONSHADER_INPUT_RESOURCE_REGISTER_COUNT","features":[405]},{"name":"D3D10_COMMONSHADER_INPUT_RESOURCE_REGISTER_READS_PER_INST","features":[405]},{"name":"D3D10_COMMONSHADER_INPUT_RESOURCE_REGISTER_READ_PORTS","features":[405]},{"name":"D3D10_COMMONSHADER_INPUT_RESOURCE_SLOT_COUNT","features":[405]},{"name":"D3D10_COMMONSHADER_SAMPLER_REGISTER_COMPONENTS","features":[405]},{"name":"D3D10_COMMONSHADER_SAMPLER_REGISTER_COUNT","features":[405]},{"name":"D3D10_COMMONSHADER_SAMPLER_REGISTER_READS_PER_INST","features":[405]},{"name":"D3D10_COMMONSHADER_SAMPLER_REGISTER_READ_PORTS","features":[405]},{"name":"D3D10_COMMONSHADER_SAMPLER_SLOT_COUNT","features":[405]},{"name":"D3D10_COMMONSHADER_SUBROUTINE_NESTING_LIMIT","features":[405]},{"name":"D3D10_COMMONSHADER_TEMP_REGISTER_COMPONENTS","features":[405]},{"name":"D3D10_COMMONSHADER_TEMP_REGISTER_COMPONENT_BIT_COUNT","features":[405]},{"name":"D3D10_COMMONSHADER_TEMP_REGISTER_COUNT","features":[405]},{"name":"D3D10_COMMONSHADER_TEMP_REGISTER_READS_PER_INST","features":[405]},{"name":"D3D10_COMMONSHADER_TEMP_REGISTER_READ_PORTS","features":[405]},{"name":"D3D10_COMMONSHADER_TEXCOORD_RANGE_REDUCTION_MAX","features":[405]},{"name":"D3D10_COMMONSHADER_TEXCOORD_RANGE_REDUCTION_MIN","features":[405]},{"name":"D3D10_COMMONSHADER_TEXEL_OFFSET_MAX_NEGATIVE","features":[405]},{"name":"D3D10_COMMONSHADER_TEXEL_OFFSET_MAX_POSITIVE","features":[405]},{"name":"D3D10_COMPARISON_ALWAYS","features":[405]},{"name":"D3D10_COMPARISON_EQUAL","features":[405]},{"name":"D3D10_COMPARISON_FILTERING_BIT","features":[405]},{"name":"D3D10_COMPARISON_FUNC","features":[405]},{"name":"D3D10_COMPARISON_GREATER","features":[405]},{"name":"D3D10_COMPARISON_GREATER_EQUAL","features":[405]},{"name":"D3D10_COMPARISON_LESS","features":[405]},{"name":"D3D10_COMPARISON_LESS_EQUAL","features":[405]},{"name":"D3D10_COMPARISON_NEVER","features":[405]},{"name":"D3D10_COMPARISON_NOT_EQUAL","features":[405]},{"name":"D3D10_COUNTER","features":[405]},{"name":"D3D10_COUNTER_DESC","features":[405]},{"name":"D3D10_COUNTER_DEVICE_DEPENDENT_0","features":[405]},{"name":"D3D10_COUNTER_FILLRATE_THROUGHPUT_UTILIZATION","features":[405]},{"name":"D3D10_COUNTER_GEOMETRY_PROCESSING","features":[405]},{"name":"D3D10_COUNTER_GPU_IDLE","features":[405]},{"name":"D3D10_COUNTER_GS_COMPUTATION_LIMITED","features":[405]},{"name":"D3D10_COUNTER_GS_MEMORY_LIMITED","features":[405]},{"name":"D3D10_COUNTER_HOST_ADAPTER_BANDWIDTH_UTILIZATION","features":[405]},{"name":"D3D10_COUNTER_INFO","features":[405]},{"name":"D3D10_COUNTER_LOCAL_VIDMEM_BANDWIDTH_UTILIZATION","features":[405]},{"name":"D3D10_COUNTER_OTHER_GPU_PROCESSING","features":[405]},{"name":"D3D10_COUNTER_PIXEL_PROCESSING","features":[405]},{"name":"D3D10_COUNTER_POST_TRANSFORM_CACHE_HIT_RATE","features":[405]},{"name":"D3D10_COUNTER_PS_COMPUTATION_LIMITED","features":[405]},{"name":"D3D10_COUNTER_PS_MEMORY_LIMITED","features":[405]},{"name":"D3D10_COUNTER_TEXTURE_CACHE_HIT_RATE","features":[405]},{"name":"D3D10_COUNTER_TRIANGLE_SETUP_THROUGHPUT_UTILIZATION","features":[405]},{"name":"D3D10_COUNTER_TYPE","features":[405]},{"name":"D3D10_COUNTER_TYPE_FLOAT32","features":[405]},{"name":"D3D10_COUNTER_TYPE_UINT16","features":[405]},{"name":"D3D10_COUNTER_TYPE_UINT32","features":[405]},{"name":"D3D10_COUNTER_TYPE_UINT64","features":[405]},{"name":"D3D10_COUNTER_VERTEX_PROCESSING","features":[405]},{"name":"D3D10_COUNTER_VERTEX_THROUGHPUT_UTILIZATION","features":[405]},{"name":"D3D10_COUNTER_VS_COMPUTATION_LIMITED","features":[405]},{"name":"D3D10_COUNTER_VS_MEMORY_LIMITED","features":[405]},{"name":"D3D10_CPU_ACCESS_FLAG","features":[405]},{"name":"D3D10_CPU_ACCESS_READ","features":[405]},{"name":"D3D10_CPU_ACCESS_WRITE","features":[405]},{"name":"D3D10_CREATE_DEVICE_ALLOW_NULL_FROM_MAP","features":[405]},{"name":"D3D10_CREATE_DEVICE_BGRA_SUPPORT","features":[405]},{"name":"D3D10_CREATE_DEVICE_DEBUG","features":[405]},{"name":"D3D10_CREATE_DEVICE_DEBUGGABLE","features":[405]},{"name":"D3D10_CREATE_DEVICE_FLAG","features":[405]},{"name":"D3D10_CREATE_DEVICE_PREVENT_ALTERING_LAYER_SETTINGS_FROM_REGISTRY","features":[405]},{"name":"D3D10_CREATE_DEVICE_PREVENT_INTERNAL_THREADING_OPTIMIZATIONS","features":[405]},{"name":"D3D10_CREATE_DEVICE_SINGLETHREADED","features":[405]},{"name":"D3D10_CREATE_DEVICE_STRICT_VALIDATION","features":[405]},{"name":"D3D10_CREATE_DEVICE_SWITCH_TO_REF","features":[405]},{"name":"D3D10_CULL_BACK","features":[405]},{"name":"D3D10_CULL_FRONT","features":[405]},{"name":"D3D10_CULL_MODE","features":[405]},{"name":"D3D10_CULL_NONE","features":[405]},{"name":"D3D10_DEBUG_FEATURE_FINISH_PER_RENDER_OP","features":[405]},{"name":"D3D10_DEBUG_FEATURE_FLUSH_PER_RENDER_OP","features":[405]},{"name":"D3D10_DEBUG_FEATURE_PRESENT_PER_RENDER_OP","features":[405]},{"name":"D3D10_DEFAULT_BLEND_FACTOR_ALPHA","features":[405]},{"name":"D3D10_DEFAULT_BLEND_FACTOR_BLUE","features":[405]},{"name":"D3D10_DEFAULT_BLEND_FACTOR_GREEN","features":[405]},{"name":"D3D10_DEFAULT_BLEND_FACTOR_RED","features":[405]},{"name":"D3D10_DEFAULT_BORDER_COLOR_COMPONENT","features":[405]},{"name":"D3D10_DEFAULT_DEPTH_BIAS","features":[405]},{"name":"D3D10_DEFAULT_DEPTH_BIAS_CLAMP","features":[405]},{"name":"D3D10_DEFAULT_MAX_ANISOTROPY","features":[405]},{"name":"D3D10_DEFAULT_MIP_LOD_BIAS","features":[405]},{"name":"D3D10_DEFAULT_RENDER_TARGET_ARRAY_INDEX","features":[405]},{"name":"D3D10_DEFAULT_SAMPLE_MASK","features":[405]},{"name":"D3D10_DEFAULT_SCISSOR_ENDX","features":[405]},{"name":"D3D10_DEFAULT_SCISSOR_ENDY","features":[405]},{"name":"D3D10_DEFAULT_SCISSOR_STARTX","features":[405]},{"name":"D3D10_DEFAULT_SCISSOR_STARTY","features":[405]},{"name":"D3D10_DEFAULT_SLOPE_SCALED_DEPTH_BIAS","features":[405]},{"name":"D3D10_DEFAULT_STENCIL_READ_MASK","features":[405]},{"name":"D3D10_DEFAULT_STENCIL_REFERENCE","features":[405]},{"name":"D3D10_DEFAULT_STENCIL_WRITE_MASK","features":[405]},{"name":"D3D10_DEFAULT_VIEWPORT_AND_SCISSORRECT_INDEX","features":[405]},{"name":"D3D10_DEFAULT_VIEWPORT_HEIGHT","features":[405]},{"name":"D3D10_DEFAULT_VIEWPORT_MAX_DEPTH","features":[405]},{"name":"D3D10_DEFAULT_VIEWPORT_MIN_DEPTH","features":[405]},{"name":"D3D10_DEFAULT_VIEWPORT_TOPLEFTX","features":[405]},{"name":"D3D10_DEFAULT_VIEWPORT_TOPLEFTY","features":[405]},{"name":"D3D10_DEFAULT_VIEWPORT_WIDTH","features":[405]},{"name":"D3D10_DEPTH_STENCILOP_DESC","features":[405]},{"name":"D3D10_DEPTH_STENCIL_DESC","features":[308,405]},{"name":"D3D10_DEPTH_STENCIL_VIEW_DESC","features":[405,396]},{"name":"D3D10_DEPTH_WRITE_MASK","features":[405]},{"name":"D3D10_DEPTH_WRITE_MASK_ALL","features":[405]},{"name":"D3D10_DEPTH_WRITE_MASK_ZERO","features":[405]},{"name":"D3D10_DEVICE_STATE_TYPES","features":[405]},{"name":"D3D10_DRIVER_TYPE","features":[405]},{"name":"D3D10_DRIVER_TYPE_HARDWARE","features":[405]},{"name":"D3D10_DRIVER_TYPE_NULL","features":[405]},{"name":"D3D10_DRIVER_TYPE_REFERENCE","features":[405]},{"name":"D3D10_DRIVER_TYPE_SOFTWARE","features":[405]},{"name":"D3D10_DRIVER_TYPE_WARP","features":[405]},{"name":"D3D10_DST_GS","features":[405]},{"name":"D3D10_DST_GS_CONSTANT_BUFFERS","features":[405]},{"name":"D3D10_DST_GS_SAMPLERS","features":[405]},{"name":"D3D10_DST_GS_SHADER_RESOURCES","features":[405]},{"name":"D3D10_DST_IA_INDEX_BUFFER","features":[405]},{"name":"D3D10_DST_IA_INPUT_LAYOUT","features":[405]},{"name":"D3D10_DST_IA_PRIMITIVE_TOPOLOGY","features":[405]},{"name":"D3D10_DST_IA_VERTEX_BUFFERS","features":[405]},{"name":"D3D10_DST_OM_BLEND_STATE","features":[405]},{"name":"D3D10_DST_OM_DEPTH_STENCIL_STATE","features":[405]},{"name":"D3D10_DST_OM_RENDER_TARGETS","features":[405]},{"name":"D3D10_DST_PREDICATION","features":[405]},{"name":"D3D10_DST_PS","features":[405]},{"name":"D3D10_DST_PS_CONSTANT_BUFFERS","features":[405]},{"name":"D3D10_DST_PS_SAMPLERS","features":[405]},{"name":"D3D10_DST_PS_SHADER_RESOURCES","features":[405]},{"name":"D3D10_DST_RS_RASTERIZER_STATE","features":[405]},{"name":"D3D10_DST_RS_SCISSOR_RECTS","features":[405]},{"name":"D3D10_DST_RS_VIEWPORTS","features":[405]},{"name":"D3D10_DST_SO_BUFFERS","features":[405]},{"name":"D3D10_DST_VS","features":[405]},{"name":"D3D10_DST_VS_CONSTANT_BUFFERS","features":[405]},{"name":"D3D10_DST_VS_SAMPLERS","features":[405]},{"name":"D3D10_DST_VS_SHADER_RESOURCES","features":[405]},{"name":"D3D10_DSV_DIMENSION","features":[405]},{"name":"D3D10_DSV_DIMENSION_TEXTURE1D","features":[405]},{"name":"D3D10_DSV_DIMENSION_TEXTURE1DARRAY","features":[405]},{"name":"D3D10_DSV_DIMENSION_TEXTURE2D","features":[405]},{"name":"D3D10_DSV_DIMENSION_TEXTURE2DARRAY","features":[405]},{"name":"D3D10_DSV_DIMENSION_TEXTURE2DMS","features":[405]},{"name":"D3D10_DSV_DIMENSION_TEXTURE2DMSARRAY","features":[405]},{"name":"D3D10_DSV_DIMENSION_UNKNOWN","features":[405]},{"name":"D3D10_EFFECT_COMPILE_ALLOW_SLOW_OPS","features":[405]},{"name":"D3D10_EFFECT_COMPILE_CHILD_EFFECT","features":[405]},{"name":"D3D10_EFFECT_DESC","features":[308,405]},{"name":"D3D10_EFFECT_SHADER_DESC","features":[308,405]},{"name":"D3D10_EFFECT_SINGLE_THREADED","features":[405]},{"name":"D3D10_EFFECT_TYPE_DESC","features":[401,405]},{"name":"D3D10_EFFECT_VARIABLE_ANNOTATION","features":[405]},{"name":"D3D10_EFFECT_VARIABLE_DESC","features":[405]},{"name":"D3D10_EFFECT_VARIABLE_EXPLICIT_BIND_POINT","features":[405]},{"name":"D3D10_EFFECT_VARIABLE_POOLED","features":[405]},{"name":"D3D10_ENABLE_BREAK_ON_MESSAGE","features":[405]},{"name":"D3D10_ENABLE_UNBOUNDED_DESCRIPTOR_TABLES","features":[405]},{"name":"D3D10_FEATURE_LEVEL1","features":[405]},{"name":"D3D10_FEATURE_LEVEL_10_0","features":[405]},{"name":"D3D10_FEATURE_LEVEL_10_1","features":[405]},{"name":"D3D10_FEATURE_LEVEL_9_1","features":[405]},{"name":"D3D10_FEATURE_LEVEL_9_2","features":[405]},{"name":"D3D10_FEATURE_LEVEL_9_3","features":[405]},{"name":"D3D10_FILL_MODE","features":[405]},{"name":"D3D10_FILL_SOLID","features":[405]},{"name":"D3D10_FILL_WIREFRAME","features":[405]},{"name":"D3D10_FILTER","features":[405]},{"name":"D3D10_FILTER_ANISOTROPIC","features":[405]},{"name":"D3D10_FILTER_COMPARISON_ANISOTROPIC","features":[405]},{"name":"D3D10_FILTER_COMPARISON_MIN_LINEAR_MAG_MIP_POINT","features":[405]},{"name":"D3D10_FILTER_COMPARISON_MIN_LINEAR_MAG_POINT_MIP_LINEAR","features":[405]},{"name":"D3D10_FILTER_COMPARISON_MIN_MAG_LINEAR_MIP_POINT","features":[405]},{"name":"D3D10_FILTER_COMPARISON_MIN_MAG_MIP_LINEAR","features":[405]},{"name":"D3D10_FILTER_COMPARISON_MIN_MAG_MIP_POINT","features":[405]},{"name":"D3D10_FILTER_COMPARISON_MIN_MAG_POINT_MIP_LINEAR","features":[405]},{"name":"D3D10_FILTER_COMPARISON_MIN_POINT_MAG_LINEAR_MIP_POINT","features":[405]},{"name":"D3D10_FILTER_COMPARISON_MIN_POINT_MAG_MIP_LINEAR","features":[405]},{"name":"D3D10_FILTER_MIN_LINEAR_MAG_MIP_POINT","features":[405]},{"name":"D3D10_FILTER_MIN_LINEAR_MAG_POINT_MIP_LINEAR","features":[405]},{"name":"D3D10_FILTER_MIN_MAG_LINEAR_MIP_POINT","features":[405]},{"name":"D3D10_FILTER_MIN_MAG_MIP_LINEAR","features":[405]},{"name":"D3D10_FILTER_MIN_MAG_MIP_POINT","features":[405]},{"name":"D3D10_FILTER_MIN_MAG_POINT_MIP_LINEAR","features":[405]},{"name":"D3D10_FILTER_MIN_POINT_MAG_LINEAR_MIP_POINT","features":[405]},{"name":"D3D10_FILTER_MIN_POINT_MAG_MIP_LINEAR","features":[405]},{"name":"D3D10_FILTER_TEXT_1BIT","features":[405]},{"name":"D3D10_FILTER_TYPE","features":[405]},{"name":"D3D10_FILTER_TYPE_LINEAR","features":[405]},{"name":"D3D10_FILTER_TYPE_MASK","features":[405]},{"name":"D3D10_FILTER_TYPE_POINT","features":[405]},{"name":"D3D10_FLOAT16_FUSED_TOLERANCE_IN_ULP","features":[405]},{"name":"D3D10_FLOAT32_MAX","features":[405]},{"name":"D3D10_FLOAT32_TO_INTEGER_TOLERANCE_IN_ULP","features":[405]},{"name":"D3D10_FLOAT_TO_SRGB_EXPONENT_DENOMINATOR","features":[405]},{"name":"D3D10_FLOAT_TO_SRGB_EXPONENT_NUMERATOR","features":[405]},{"name":"D3D10_FLOAT_TO_SRGB_OFFSET","features":[405]},{"name":"D3D10_FLOAT_TO_SRGB_SCALE_1","features":[405]},{"name":"D3D10_FLOAT_TO_SRGB_SCALE_2","features":[405]},{"name":"D3D10_FLOAT_TO_SRGB_THRESHOLD","features":[405]},{"name":"D3D10_FORMAT_SUPPORT","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_BACK_BUFFER_CAST","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_BLENDABLE","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_BUFFER","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_CAST_WITHIN_BIT_LAYOUT","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_CPU_LOCKABLE","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_DEPTH_STENCIL","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_DISPLAY","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_IA_INDEX_BUFFER","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_IA_VERTEX_BUFFER","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_MIP","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_MIP_AUTOGEN","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_MULTISAMPLE_LOAD","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_MULTISAMPLE_RENDERTARGET","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_MULTISAMPLE_RESOLVE","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_RENDER_TARGET","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_SHADER_GATHER","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_SHADER_LOAD","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_SHADER_SAMPLE","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_SHADER_SAMPLE_COMPARISON","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_SHADER_SAMPLE_MONO_TEXT","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_SO_BUFFER","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_TEXTURE1D","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_TEXTURE2D","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_TEXTURE3D","features":[405]},{"name":"D3D10_FORMAT_SUPPORT_TEXTURECUBE","features":[405]},{"name":"D3D10_FTOI_INSTRUCTION_MAX_INPUT","features":[405]},{"name":"D3D10_FTOI_INSTRUCTION_MIN_INPUT","features":[405]},{"name":"D3D10_FTOU_INSTRUCTION_MAX_INPUT","features":[405]},{"name":"D3D10_FTOU_INSTRUCTION_MIN_INPUT","features":[405]},{"name":"D3D10_GS_INPUT_PRIM_CONST_REGISTER_COMPONENTS","features":[405]},{"name":"D3D10_GS_INPUT_PRIM_CONST_REGISTER_COMPONENT_BIT_COUNT","features":[405]},{"name":"D3D10_GS_INPUT_PRIM_CONST_REGISTER_COUNT","features":[405]},{"name":"D3D10_GS_INPUT_PRIM_CONST_REGISTER_READS_PER_INST","features":[405]},{"name":"D3D10_GS_INPUT_PRIM_CONST_REGISTER_READ_PORTS","features":[405]},{"name":"D3D10_GS_INPUT_REGISTER_COMPONENTS","features":[405]},{"name":"D3D10_GS_INPUT_REGISTER_COMPONENT_BIT_COUNT","features":[405]},{"name":"D3D10_GS_INPUT_REGISTER_COUNT","features":[405]},{"name":"D3D10_GS_INPUT_REGISTER_READS_PER_INST","features":[405]},{"name":"D3D10_GS_INPUT_REGISTER_READ_PORTS","features":[405]},{"name":"D3D10_GS_INPUT_REGISTER_VERTICES","features":[405]},{"name":"D3D10_GS_OUTPUT_ELEMENTS","features":[405]},{"name":"D3D10_GS_OUTPUT_REGISTER_COMPONENTS","features":[405]},{"name":"D3D10_GS_OUTPUT_REGISTER_COMPONENT_BIT_COUNT","features":[405]},{"name":"D3D10_GS_OUTPUT_REGISTER_COUNT","features":[405]},{"name":"D3D10_IA_DEFAULT_INDEX_BUFFER_OFFSET_IN_BYTES","features":[405]},{"name":"D3D10_IA_DEFAULT_PRIMITIVE_TOPOLOGY","features":[405]},{"name":"D3D10_IA_DEFAULT_VERTEX_BUFFER_OFFSET_IN_BYTES","features":[405]},{"name":"D3D10_IA_INDEX_INPUT_RESOURCE_SLOT_COUNT","features":[405]},{"name":"D3D10_IA_INSTANCE_ID_BIT_COUNT","features":[405]},{"name":"D3D10_IA_INTEGER_ARITHMETIC_BIT_COUNT","features":[405]},{"name":"D3D10_IA_PRIMITIVE_ID_BIT_COUNT","features":[405]},{"name":"D3D10_IA_VERTEX_ID_BIT_COUNT","features":[405]},{"name":"D3D10_IA_VERTEX_INPUT_RESOURCE_SLOT_COUNT","features":[405]},{"name":"D3D10_IA_VERTEX_INPUT_STRUCTURE_ELEMENTS_COMPONENTS","features":[405]},{"name":"D3D10_IA_VERTEX_INPUT_STRUCTURE_ELEMENT_COUNT","features":[405]},{"name":"D3D10_INFOQUEUE_STORAGE_FILTER_OVERRIDE","features":[405]},{"name":"D3D10_INFO_QUEUE_DEFAULT_MESSAGE_COUNT_LIMIT","features":[405]},{"name":"D3D10_INFO_QUEUE_FILTER","features":[405]},{"name":"D3D10_INFO_QUEUE_FILTER_DESC","features":[405]},{"name":"D3D10_INPUT_CLASSIFICATION","features":[405]},{"name":"D3D10_INPUT_ELEMENT_DESC","features":[405,396]},{"name":"D3D10_INPUT_PER_INSTANCE_DATA","features":[405]},{"name":"D3D10_INPUT_PER_VERTEX_DATA","features":[405]},{"name":"D3D10_INTEGER_DIVIDE_BY_ZERO_QUOTIENT","features":[405]},{"name":"D3D10_INTEGER_DIVIDE_BY_ZERO_REMAINDER","features":[405]},{"name":"D3D10_LINEAR_GAMMA","features":[405]},{"name":"D3D10_MAG_FILTER_SHIFT","features":[405]},{"name":"D3D10_MAP","features":[405]},{"name":"D3D10_MAPPED_TEXTURE2D","features":[405]},{"name":"D3D10_MAPPED_TEXTURE3D","features":[405]},{"name":"D3D10_MAP_FLAG","features":[405]},{"name":"D3D10_MAP_FLAG_DO_NOT_WAIT","features":[405]},{"name":"D3D10_MAP_READ","features":[405]},{"name":"D3D10_MAP_READ_WRITE","features":[405]},{"name":"D3D10_MAP_WRITE","features":[405]},{"name":"D3D10_MAP_WRITE_DISCARD","features":[405]},{"name":"D3D10_MAP_WRITE_NO_OVERWRITE","features":[405]},{"name":"D3D10_MAX_BORDER_COLOR_COMPONENT","features":[405]},{"name":"D3D10_MAX_DEPTH","features":[405]},{"name":"D3D10_MAX_MAXANISOTROPY","features":[405]},{"name":"D3D10_MAX_MULTISAMPLE_SAMPLE_COUNT","features":[405]},{"name":"D3D10_MAX_POSITION_VALUE","features":[405]},{"name":"D3D10_MAX_TEXTURE_DIMENSION_2_TO_EXP","features":[405]},{"name":"D3D10_MESSAGE","features":[405]},{"name":"D3D10_MESSAGE_CATEGORY","features":[405]},{"name":"D3D10_MESSAGE_CATEGORY_APPLICATION_DEFINED","features":[405]},{"name":"D3D10_MESSAGE_CATEGORY_CLEANUP","features":[405]},{"name":"D3D10_MESSAGE_CATEGORY_COMPILATION","features":[405]},{"name":"D3D10_MESSAGE_CATEGORY_EXECUTION","features":[405]},{"name":"D3D10_MESSAGE_CATEGORY_INITIALIZATION","features":[405]},{"name":"D3D10_MESSAGE_CATEGORY_MISCELLANEOUS","features":[405]},{"name":"D3D10_MESSAGE_CATEGORY_RESOURCE_MANIPULATION","features":[405]},{"name":"D3D10_MESSAGE_CATEGORY_SHADER","features":[405]},{"name":"D3D10_MESSAGE_CATEGORY_STATE_CREATION","features":[405]},{"name":"D3D10_MESSAGE_CATEGORY_STATE_GETTING","features":[405]},{"name":"D3D10_MESSAGE_CATEGORY_STATE_SETTING","features":[405]},{"name":"D3D10_MESSAGE_ID","features":[405]},{"name":"D3D10_MESSAGE_ID_BLENDSTATE_GETDESC_LEGACY","features":[405]},{"name":"D3D10_MESSAGE_ID_BUFFER_MAP_ALREADYMAPPED","features":[405]},{"name":"D3D10_MESSAGE_ID_BUFFER_MAP_DEVICEREMOVED_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_BUFFER_MAP_INVALIDFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_BUFFER_MAP_INVALIDMAPTYPE","features":[405]},{"name":"D3D10_MESSAGE_ID_BUFFER_UNMAP_NOTMAPPED","features":[405]},{"name":"D3D10_MESSAGE_ID_CHECKCOUNTER_OUTOFRANGE_COUNTER","features":[405]},{"name":"D3D10_MESSAGE_ID_CHECKCOUNTER_UNSUPPORTED_WELLKNOWN_COUNTER","features":[405]},{"name":"D3D10_MESSAGE_ID_CHECKFORMATSUPPORT_FORMAT_DEPRECATED","features":[405]},{"name":"D3D10_MESSAGE_ID_CHECKMULTISAMPLEQUALITYLEVELS_FORMAT_DEPRECATED","features":[405]},{"name":"D3D10_MESSAGE_ID_CLEARDEPTHSTENCILVIEW_DENORMFLUSH","features":[405]},{"name":"D3D10_MESSAGE_ID_CLEARDEPTHSTENCILVIEW_INVALID","features":[405]},{"name":"D3D10_MESSAGE_ID_CLEARRENDERTARGETVIEW_DENORMFLUSH","features":[405]},{"name":"D3D10_MESSAGE_ID_COPYRESOURCE_INVALIDDESTINATIONSTATE","features":[405]},{"name":"D3D10_MESSAGE_ID_COPYRESOURCE_INVALIDSOURCE","features":[405]},{"name":"D3D10_MESSAGE_ID_COPYRESOURCE_INVALIDSOURCESTATE","features":[405]},{"name":"D3D10_MESSAGE_ID_COPYRESOURCE_NO_3D_MISMATCHED_UPDATES","features":[405]},{"name":"D3D10_MESSAGE_ID_COPYRESOURCE_NO_TEXTURE_3D_READBACK","features":[405]},{"name":"D3D10_MESSAGE_ID_COPYRESOURCE_NO_TEXTURE_ONLY_READBACK","features":[405]},{"name":"D3D10_MESSAGE_ID_COPYRESOURCE_ONLY_TEXTURE_2D_WITHIN_GPU_MEMORY","features":[405]},{"name":"D3D10_MESSAGE_ID_COPYSUBRESOURCEREGION_INVALIDDESTINATIONSTATE","features":[405]},{"name":"D3D10_MESSAGE_ID_COPYSUBRESOURCEREGION_INVALIDDESTINATIONSUBRESOURCE","features":[405]},{"name":"D3D10_MESSAGE_ID_COPYSUBRESOURCEREGION_INVALIDSOURCE","features":[405]},{"name":"D3D10_MESSAGE_ID_COPYSUBRESOURCEREGION_INVALIDSOURCEBOX","features":[405]},{"name":"D3D10_MESSAGE_ID_COPYSUBRESOURCEREGION_INVALIDSOURCESTATE","features":[405]},{"name":"D3D10_MESSAGE_ID_COPYSUBRESOURCEREGION_INVALIDSOURCESUBRESOURCE","features":[405]},{"name":"D3D10_MESSAGE_ID_CORRUPTED_MULTITHREADING","features":[405]},{"name":"D3D10_MESSAGE_ID_CORRUPTED_PARAMETER1","features":[405]},{"name":"D3D10_MESSAGE_ID_CORRUPTED_PARAMETER10","features":[405]},{"name":"D3D10_MESSAGE_ID_CORRUPTED_PARAMETER11","features":[405]},{"name":"D3D10_MESSAGE_ID_CORRUPTED_PARAMETER12","features":[405]},{"name":"D3D10_MESSAGE_ID_CORRUPTED_PARAMETER13","features":[405]},{"name":"D3D10_MESSAGE_ID_CORRUPTED_PARAMETER14","features":[405]},{"name":"D3D10_MESSAGE_ID_CORRUPTED_PARAMETER15","features":[405]},{"name":"D3D10_MESSAGE_ID_CORRUPTED_PARAMETER2","features":[405]},{"name":"D3D10_MESSAGE_ID_CORRUPTED_PARAMETER3","features":[405]},{"name":"D3D10_MESSAGE_ID_CORRUPTED_PARAMETER4","features":[405]},{"name":"D3D10_MESSAGE_ID_CORRUPTED_PARAMETER5","features":[405]},{"name":"D3D10_MESSAGE_ID_CORRUPTED_PARAMETER6","features":[405]},{"name":"D3D10_MESSAGE_ID_CORRUPTED_PARAMETER7","features":[405]},{"name":"D3D10_MESSAGE_ID_CORRUPTED_PARAMETER8","features":[405]},{"name":"D3D10_MESSAGE_ID_CORRUPTED_PARAMETER9","features":[405]},{"name":"D3D10_MESSAGE_ID_CORRUPTED_THIS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBLENDSTATE_INVALIDBLENDOP","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBLENDSTATE_INVALIDBLENDOPALPHA","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBLENDSTATE_INVALIDDESTBLEND","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBLENDSTATE_INVALIDDESTBLENDALPHA","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBLENDSTATE_INVALIDRENDERTARGETWRITEMASK","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBLENDSTATE_INVALIDSRCBLEND","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBLENDSTATE_INVALIDSRCBLENDALPHA","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBLENDSTATE_NO_ALPHA_TO_COVERAGE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBLENDSTATE_NO_INDEPENDENT_BLEND_ENABLE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBLENDSTATE_NO_INDEPENDENT_WRITE_MASKS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBLENDSTATE_NO_MRT_BLEND","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBLENDSTATE_NO_SEPARATE_ALPHA_BLEND","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBLENDSTATE_NULLDESC","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBLENDSTATE_OPERATION_NOT_SUPPORTED","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBLENDSTATE_TOOMANYOBJECTS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBUFFER_INVALIDARG_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBUFFER_INVALIDBINDFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBUFFER_INVALIDCONSTANTBUFFERBINDINGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBUFFER_INVALIDCPUACCESSFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBUFFER_INVALIDDIMENSIONS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBUFFER_INVALIDINITIALDATA","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBUFFER_INVALIDMIPLEVELS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBUFFER_INVALIDMISCFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBUFFER_INVALIDSAMPLES","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBUFFER_LARGEALLOCATION","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBUFFER_NULLDESC","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBUFFER_OUTOFMEMORY_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBUFFER_UNRECOGNIZEDBINDFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBUFFER_UNRECOGNIZEDCPUACCESSFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBUFFER_UNRECOGNIZEDFORMAT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBUFFER_UNRECOGNIZEDMISCFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEBUFFER_UNRECOGNIZEDUSAGE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATECOUNTER_NONEXCLUSIVE_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATECOUNTER_NULLDESC","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATECOUNTER_OUTOFMEMORY_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATECOUNTER_OUTOFRANGE_COUNTER","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATECOUNTER_SIMULTANEOUS_ACTIVE_COUNTERS_EXHAUSTED","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATECOUNTER_UNSUPPORTED_WELLKNOWN_COUNTER","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDBACKFACESTENCILFAILOP","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDBACKFACESTENCILFUNC","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDBACKFACESTENCILPASSOP","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDBACKFACESTENCILZFAILOP","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDDEPTHFUNC","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDDEPTHWRITEMASK","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDFRONTFACESTENCILFAILOP","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDFRONTFACESTENCILFUNC","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDFRONTFACESTENCILPASSOP","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDFRONTFACESTENCILZFAILOP","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_NULLDESC","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_STENCIL_NO_TWO_SIDED","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_TOOMANYOBJECTS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEDEPTHSTENCILVIEW_INVALIDARG_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEDEPTHSTENCILVIEW_INVALIDDESC","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEDEPTHSTENCILVIEW_INVALIDDIMENSIONS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEDEPTHSTENCILVIEW_INVALIDFORMAT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEDEPTHSTENCILVIEW_INVALIDRESOURCE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEDEPTHSTENCILVIEW_OUTOFMEMORY_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEDEPTHSTENCILVIEW_TOOMANYOBJECTS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEDEPTHSTENCILVIEW_UNRECOGNIZEDFORMAT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_CANTHAVEONLYGAPS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_DECLTOOCOMPLEX","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_EXPECTEDDECL","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDCOMPONENTCOUNT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDGAPDEFINITION","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDNUMENTRIES","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDOUTPUTSLOT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDOUTPUTSTREAMSTRIDE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDSHADERBYTECODE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDSHADERTYPE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDSTARTCOMPONENTANDCOMPONENTCOUNT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_MASKMISMATCH","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_MISSINGOUTPUTSIGNATURE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_MISSINGSEMANTIC","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_ONLYONEELEMENTPERSLOT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_OUTOFMEMORY","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_OUTPUTSLOT0EXPECTED","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_OUTPUTSTREAMSTRIDEUNUSED","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_REPEATEDOUTPUT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_TRAILING_DIGIT_IN_SEMANTIC","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_UNEXPECTEDDECL","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADER_INVALIDSHADERBYTECODE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADER_INVALIDSHADERTYPE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEGEOMETRYSHADER_OUTOFMEMORY","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEINPUTLAYOUT_DUPLICATESEMANTIC","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEINPUTLAYOUT_EMPTY_LAYOUT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEINPUTLAYOUT_INCOMPATIBLEFORMAT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEINPUTLAYOUT_INVALIDALIGNMENT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEINPUTLAYOUT_INVALIDFORMAT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEINPUTLAYOUT_INVALIDINPUTSLOTCLASS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEINPUTLAYOUT_INVALIDSLOT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEINPUTLAYOUT_INVALIDSLOTCLASSCHANGE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEINPUTLAYOUT_INVALIDSTEPRATECHANGE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEINPUTLAYOUT_MISSINGELEMENT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEINPUTLAYOUT_NULLDESC","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEINPUTLAYOUT_NULLSEMANTIC","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEINPUTLAYOUT_OUTOFMEMORY","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEINPUTLAYOUT_STEPRATESLOTCLASSMISMATCH","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEINPUTLAYOUT_TOOMANYELEMENTS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEINPUTLAYOUT_TRAILING_DIGIT_IN_SEMANTIC","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEINPUTLAYOUT_TYPE_MISMATCH","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEINPUTLAYOUT_UNPARSEABLEINPUTSIGNATURE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEINPUTLAYOUT_UNSUPPORTED_FORMAT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEPIXELSHADER_INVALIDSHADERBYTECODE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEPIXELSHADER_INVALIDSHADERTYPE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEPIXELSHADER_OUTOFMEMORY","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEPREDICATE_OUTOFMEMORY_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEQUERYORPREDICATE_INVALIDMISCFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEQUERYORPREDICATE_INVALIDQUERY","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEQUERYORPREDICATE_NULLDESC","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEQUERYORPREDICATE_UNEXPECTEDMISCFLAG","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEQUERY_OUTOFMEMORY_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERASTERIZERSTATE_DepthBiasClamp_NOT_SUPPORTED","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERASTERIZERSTATE_DepthClipEnable_MUST_BE_TRUE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERASTERIZERSTATE_INVALIDCULLMODE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERASTERIZERSTATE_INVALIDDEPTHBIASCLAMP","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERASTERIZERSTATE_INVALIDFILLMODE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERASTERIZERSTATE_INVALIDSLOPESCALEDDEPTHBIAS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERASTERIZERSTATE_NULLDESC","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERASTERIZERSTATE_TOOMANYOBJECTS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERENDERTARGETVIEW_INVALIDARG_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERENDERTARGETVIEW_INVALIDDESC","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERENDERTARGETVIEW_INVALIDDIMENSIONS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERENDERTARGETVIEW_INVALIDFORMAT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERENDERTARGETVIEW_INVALIDRESOURCE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERENDERTARGETVIEW_OUTOFMEMORY_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERENDERTARGETVIEW_TOOMANYOBJECTS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERENDERTARGETVIEW_UNRECOGNIZEDFORMAT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERENDERTARGETVIEW_UNSUPPORTEDFORMAT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERESOURCE_DIMENSION_EXCEEDS_FEATURE_LEVEL_DEFINITION","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERESOURCE_DIMENSION_OUT_OF_RANGE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERESOURCE_DXGI_FORMAT_R8G8B8A8_CANNOT_BE_SHARED","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERESOURCE_MSAA_PRECLUDES_SHADER_RESOURCE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERESOURCE_NON_POW_2_MIPMAP","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERESOURCE_NOT_BINDABLE_AS_RENDER_TARGET","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERESOURCE_NOT_BINDABLE_AS_SHADER_RESOURCE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERESOURCE_NO_ARRAYS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERESOURCE_NO_AUTOGEN_FOR_VOLUMES","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERESOURCE_NO_DWORD_INDEX_BUFFER","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERESOURCE_NO_STREAM_OUT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERESOURCE_NO_TEXTURE_1D","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERESOURCE_NO_VB_AND_IB_BIND","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERESOURCE_ONLY_SINGLE_MIP_LEVEL_DEPTH_STENCIL_SUPPORTED","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERESOURCE_ONLY_VB_IB_FOR_BUFFERS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATERESOURCE_PRESENTATION_PRECLUDES_SHADER_RESOURCE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESAMPLERSTATE_BORDER_NOT_SUPPORTED","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESAMPLERSTATE_BORDER_OUT_OF_RANGE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESAMPLERSTATE_EXCESSIVE_ANISOTROPY","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESAMPLERSTATE_INVALIDADDRESSU","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESAMPLERSTATE_INVALIDADDRESSV","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESAMPLERSTATE_INVALIDADDRESSW","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESAMPLERSTATE_INVALIDCOMPARISONFUNC","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESAMPLERSTATE_INVALIDFILTER","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESAMPLERSTATE_INVALIDMAXANISOTROPY","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESAMPLERSTATE_INVALIDMAXLOD","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESAMPLERSTATE_INVALIDMINLOD","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESAMPLERSTATE_INVALIDMIPLODBIAS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESAMPLERSTATE_MAXLOD_MUST_BE_FLT_MAX","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESAMPLERSTATE_MINLOD_MUST_NOT_BE_FRACTIONAL","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESAMPLERSTATE_NO_COMPARISON_SUPPORT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESAMPLERSTATE_NO_MIRRORONCE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESAMPLERSTATE_NULLDESC","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESAMPLERSTATE_TOOMANYOBJECTS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESHADERRESOURCEVIEW_CUBES_MUST_HAVE_6_SIDES","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESHADERRESOURCEVIEW_FIRSTARRAYSLICE_MUST_BE_ZERO","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESHADERRESOURCEVIEW_INVALIDARG_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESHADERRESOURCEVIEW_INVALIDDESC","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESHADERRESOURCEVIEW_INVALIDDIMENSIONS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESHADERRESOURCEVIEW_INVALIDFORMAT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESHADERRESOURCEVIEW_INVALIDRESOURCE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESHADERRESOURCEVIEW_MUST_USE_LOWEST_LOD","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESHADERRESOURCEVIEW_OUTOFMEMORY_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESHADERRESOURCEVIEW_TOOMANYOBJECTS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATESHADERRESOURCEVIEW_UNRECOGNIZEDFORMAT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE1D_INVALIDARG_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE1D_INVALIDBINDFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE1D_INVALIDCPUACCESSFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE1D_INVALIDDIMENSIONS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE1D_INVALIDINITIALDATA","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE1D_INVALIDMIPLEVELS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE1D_INVALIDMISCFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE1D_INVALIDSAMPLES","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE1D_LARGEALLOCATION","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE1D_NULLDESC","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE1D_OUTOFMEMORY_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE1D_UNRECOGNIZEDBINDFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE1D_UNRECOGNIZEDCPUACCESSFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE1D_UNRECOGNIZEDFORMAT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE1D_UNRECOGNIZEDMISCFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE1D_UNRECOGNIZEDUSAGE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE1D_UNSUPPORTEDFORMAT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE2D_INVALIDARG_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE2D_INVALIDBINDFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE2D_INVALIDCPUACCESSFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE2D_INVALIDDIMENSIONS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE2D_INVALIDINITIALDATA","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE2D_INVALIDMIPLEVELS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE2D_INVALIDMISCFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE2D_INVALIDSAMPLES","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE2D_LARGEALLOCATION","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE2D_NULLDESC","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE2D_OUTOFMEMORY_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE2D_UNRECOGNIZEDBINDFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE2D_UNRECOGNIZEDCPUACCESSFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE2D_UNRECOGNIZEDFORMAT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE2D_UNRECOGNIZEDMISCFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE2D_UNRECOGNIZEDUSAGE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE2D_UNSUPPORTEDFORMAT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE3D_INVALIDARG_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE3D_INVALIDBINDFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE3D_INVALIDCPUACCESSFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE3D_INVALIDDIMENSIONS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE3D_INVALIDINITIALDATA","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE3D_INVALIDMIPLEVELS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE3D_INVALIDMISCFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE3D_INVALIDSAMPLES","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE3D_LARGEALLOCATION","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE3D_NULLDESC","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE3D_OUTOFMEMORY_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE3D_UNRECOGNIZEDBINDFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE3D_UNRECOGNIZEDCPUACCESSFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE3D_UNRECOGNIZEDFORMAT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE3D_UNRECOGNIZEDMISCFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE3D_UNRECOGNIZEDUSAGE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATETEXTURE3D_UNSUPPORTEDFORMAT","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEVERTEXSHADER_INVALIDSHADERBYTECODE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEVERTEXSHADER_INVALIDSHADERTYPE","features":[405]},{"name":"D3D10_MESSAGE_ID_CREATEVERTEXSHADER_OUTOFMEMORY","features":[405]},{"name":"D3D10_MESSAGE_ID_D3D10L9_MESSAGES_END","features":[405]},{"name":"D3D10_MESSAGE_ID_D3D10L9_MESSAGES_START","features":[405]},{"name":"D3D10_MESSAGE_ID_D3D10_MESSAGES_END","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAWINDEXEDINSTANCED_INDEXPOS_OVERFLOW","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAWINDEXEDINSTANCED_INSTANCEPOS_OVERFLOW","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAWINDEXED_INDEXPOS_OVERFLOW","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAWINSTANCED_INSTANCEPOS_OVERFLOW","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAWINSTANCED_VERTEXPOS_OVERFLOW","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_BOUND_RESOURCE_MAPPED","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_CONSTANT_BUFFER_NOT_SET","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_CONSTANT_BUFFER_TOO_SMALL","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_GS_INPUT_PRIMITIVE_MISMATCH","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_INDEX_BUFFER_FORMAT_INVALID","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_INDEX_BUFFER_NOT_SET","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_INDEX_BUFFER_TOO_SMALL","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_INDEX_OFFSET_UNALIGNED","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_INPUTLAYOUT_NOT_SET","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_INVALID_PRIMITIVETOPOLOGY","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_INVALID_USE_OF_CENTER_MULTISAMPLE_PATTERN","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_OM_DUAL_SOURCE_BLENDING_CAN_ONLY_HAVE_RENDER_TARGET_0","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_OM_RENDER_TARGET_DOES_NOT_SUPPORT_BLENDING","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_OUTPUT_STREAM_NOT_SET","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_OUTPUT_STREAM_OFFSET_UNALIGNED","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_POSITION_NOT_PRESENT","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_PS_OUTPUT_TYPE_MISMATCH","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_RESOURCE_FORMAT_GATHER_UNSUPPORTED","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_RESOURCE_FORMAT_LD_UNSUPPORTED","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_RESOURCE_FORMAT_SAMPLE_C_UNSUPPORTED","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_RESOURCE_FORMAT_SAMPLE_UNSUPPORTED","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_RESOURCE_MULTISAMPLE_UNSUPPORTED","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_RESOURCE_RETURN_TYPE_MISMATCH","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_RESOURCE_SAMPLE_COUNT_MISMATCH","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_SAMPLER_MISMATCH","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_SAMPLER_NOT_SET","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_SHADERRESOURCEVIEW_NOT_SET","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_SO_STRIDE_LARGER_THAN_BUFFER","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_SO_TARGETS_BOUND_WITHOUT_SOURCE","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_VERTEXPOS_OVERFLOW","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_VERTEX_BUFFER_NOT_SET","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_VERTEX_BUFFER_STRIDE_TOO_SMALL","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_VERTEX_BUFFER_TOO_SMALL","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_VERTEX_OFFSET_UNALIGNED","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_VERTEX_SHADER_NOT_SET","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_VERTEX_STRIDE_UNALIGNED","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_VIEWPORT_NOT_SET","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_DRAW_VIEW_DIMENSION_MISMATCH","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_GENERATEMIPS_RESOURCE_INVALID","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_GSGETCONSTANTBUFFERS_BUFFERS_EMPTY","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_GSGETSAMPLERS_SAMPLERS_EMPTY","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_GSGETSHADERRESOURCES_VIEWS_EMPTY","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_GSSETCONSTANTBUFFERS_BUFFERS_EMPTY","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_GSSETCONSTANTBUFFERS_HAZARD","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_GSSETSAMPLERS_SAMPLERS_EMPTY","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_GSSETSHADERRESOURCES_HAZARD","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_GSSETSHADERRESOURCES_VIEWS_EMPTY","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_IAGETVERTEXBUFFERS_BUFFERS_EMPTY","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_IASETINDEXBUFFER_FORMAT_INVALID","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_IASETINDEXBUFFER_HAZARD","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_IASETINDEXBUFFER_OFFSET_TOO_LARGE","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_IASETINDEXBUFFER_OFFSET_UNALIGNED","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_IASETPRIMITIVETOPOLOGY_ADJACENCY_UNSUPPORTED","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_IASETPRIMITIVETOPOLOGY_TOPOLOGY_UNDEFINED","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_IASETPRIMITIVETOPOLOGY_TOPOLOGY_UNRECOGNIZED","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_IASETVERTEXBUFFERS_BUFFERS_EMPTY","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_IASETVERTEXBUFFERS_HAZARD","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_IASETVERTEXBUFFERS_INVALIDRANGE","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_IASETVERTEXBUFFERS_OFFSET_TOO_LARGE","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_IASETVERTEXBUFFERS_STRIDE_TOO_LARGE","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_OMSETRENDERTARGETS_HAZARD","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_OPEN_SHARED_RESOURCE_BADINTERFACE_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_OPEN_SHARED_RESOURCE_INVALIDARG_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_OPEN_SHARED_RESOURCE_OUTOFMEMORY_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_PSGETCONSTANTBUFFERS_BUFFERS_EMPTY","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_PSGETSAMPLERS_SAMPLERS_EMPTY","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_PSGETSHADERRESOURCES_VIEWS_EMPTY","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_PSSETCONSTANTBUFFERS_BUFFERS_EMPTY","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_PSSETCONSTANTBUFFERS_HAZARD","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_PSSETSAMPLERS_SAMPLERS_EMPTY","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_PSSETSHADERRESOURCES_HAZARD","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_PSSETSHADERRESOURCES_VIEWS_EMPTY","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_REMOVAL_PROCESS_AT_FAULT","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_REMOVAL_PROCESS_NOT_AT_FAULT","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_REMOVAL_PROCESS_POSSIBLY_AT_FAULT","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_RESOLVESUBRESOURCE_DESTINATION_INVALID","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_RESOLVESUBRESOURCE_DESTINATION_SUBRESOURCE_INVALID","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_RESOLVESUBRESOURCE_FORMAT_INVALID","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_RESOLVESUBRESOURCE_SOURCE_INVALID","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_RESOLVESUBRESOURCE_SOURCE_SUBRESOURCE_INVALID","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_RSGETSCISSORRECTS_RECTS_EMPTY","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_RSGETVIEWPORTS_VIEWPORTS_EMPTY","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_RSSETSCISSORRECTS_INVALIDSCISSOR","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_RSSETSCISSORRECTS_NEGATIVESCISSOR","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_RSSETSCISSORRECTS_TOO_MANY_SCISSORS","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_RSSETVIEWPORTS_DENORMFLUSH","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_RSSETVIEWPORTS_INVALIDVIEWPORT","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_RSSETVIEWPORTS_TOO_MANY_VIEWPORTS","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_SETTEXTFILTERSIZE_INVALIDDIMENSIONS","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_SHADER_LINKAGE_COMPONENTTYPE","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_SHADER_LINKAGE_NEVERWRITTEN_ALWAYSREADS","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_SHADER_LINKAGE_REGISTERINDEX","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_SHADER_LINKAGE_REGISTERMASK","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_SHADER_LINKAGE_SEMANTICNAME_NOT_FOUND","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_SHADER_LINKAGE_SYSTEMVALUE","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_SOGETTARGETS_BUFFERS_EMPTY","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_SOSETTARGETS_HAZARD","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_SOSETTARGETS_OFFSET_UNALIGNED","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_VSGETCONSTANTBUFFERS_BUFFERS_EMPTY","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_VSGETSAMPLERS_SAMPLERS_EMPTY","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_VSGETSHADERRESOURCES_VIEWS_EMPTY","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_VSSETCONSTANTBUFFERS_BUFFERS_EMPTY","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_VSSETCONSTANTBUFFERS_HAZARD","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_VSSETSAMPLERS_SAMPLERS_EMPTY","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_VSSETSHADERRESOURCES_HAZARD","features":[405]},{"name":"D3D10_MESSAGE_ID_DEVICE_VSSETSHADERRESOURCES_VIEWS_EMPTY","features":[405]},{"name":"D3D10_MESSAGE_ID_DRAWINDEXEDINSTANCED_NOT_SUPPORTED_BELOW_9_3","features":[405]},{"name":"D3D10_MESSAGE_ID_DRAWINDEXED_POINTLIST_UNSUPPORTED","features":[405]},{"name":"D3D10_MESSAGE_ID_DRAWINDEXED_STARTINDEXLOCATION_MUST_BE_POSITIVE","features":[405]},{"name":"D3D10_MESSAGE_ID_DRAWINSTANCED_NOT_SUPPORTED","features":[405]},{"name":"D3D10_MESSAGE_ID_GEOMETRY_SHADER_NOT_SUPPORTED","features":[405]},{"name":"D3D10_MESSAGE_ID_GETPRIVATEDATA_MOREDATA","features":[405]},{"name":"D3D10_MESSAGE_ID_GSSETCONSTANTBUFFERS_INVALIDBUFFER","features":[405]},{"name":"D3D10_MESSAGE_ID_GSSETCONSTANTBUFFERS_UNBINDDELETINGOBJECT","features":[405]},{"name":"D3D10_MESSAGE_ID_GSSETSAMPLERS_UNBINDDELETINGOBJECT","features":[405]},{"name":"D3D10_MESSAGE_ID_GSSETSHADERRESOURCES_UNBINDDELETINGOBJECT","features":[405]},{"name":"D3D10_MESSAGE_ID_GSSETSHADER_UNBINDDELETINGOBJECT","features":[405]},{"name":"D3D10_MESSAGE_ID_IASETINDEXBUFFER_INVALIDBUFFER","features":[405]},{"name":"D3D10_MESSAGE_ID_IASETINDEXBUFFER_UNBINDDELETINGOBJECT","features":[405]},{"name":"D3D10_MESSAGE_ID_IASETINPUTLAYOUT_UNBINDDELETINGOBJECT","features":[405]},{"name":"D3D10_MESSAGE_ID_IASETVERTEXBUFFERS_BAD_BUFFER_INDEX","features":[405]},{"name":"D3D10_MESSAGE_ID_IASETVERTEXBUFFERS_INVALIDBUFFER","features":[405]},{"name":"D3D10_MESSAGE_ID_IASETVERTEXBUFFERS_UNBINDDELETINGOBJECT","features":[405]},{"name":"D3D10_MESSAGE_ID_LIVE_BLENDSTATE","features":[405]},{"name":"D3D10_MESSAGE_ID_LIVE_BUFFER","features":[405]},{"name":"D3D10_MESSAGE_ID_LIVE_COUNTER","features":[405]},{"name":"D3D10_MESSAGE_ID_LIVE_DEPTHSTENCILSTATE","features":[405]},{"name":"D3D10_MESSAGE_ID_LIVE_DEPTHSTENCILVIEW","features":[405]},{"name":"D3D10_MESSAGE_ID_LIVE_DEVICE","features":[405]},{"name":"D3D10_MESSAGE_ID_LIVE_GEOMETRYSHADER","features":[405]},{"name":"D3D10_MESSAGE_ID_LIVE_INPUTLAYOUT","features":[405]},{"name":"D3D10_MESSAGE_ID_LIVE_OBJECT_SUMMARY","features":[405]},{"name":"D3D10_MESSAGE_ID_LIVE_PIXELSHADER","features":[405]},{"name":"D3D10_MESSAGE_ID_LIVE_PREDICATE","features":[405]},{"name":"D3D10_MESSAGE_ID_LIVE_QUERY","features":[405]},{"name":"D3D10_MESSAGE_ID_LIVE_RASTERIZERSTATE","features":[405]},{"name":"D3D10_MESSAGE_ID_LIVE_RENDERTARGETVIEW","features":[405]},{"name":"D3D10_MESSAGE_ID_LIVE_SAMPLER","features":[405]},{"name":"D3D10_MESSAGE_ID_LIVE_SHADERRESOURCEVIEW","features":[405]},{"name":"D3D10_MESSAGE_ID_LIVE_SWAPCHAIN","features":[405]},{"name":"D3D10_MESSAGE_ID_LIVE_TEXTURE1D","features":[405]},{"name":"D3D10_MESSAGE_ID_LIVE_TEXTURE2D","features":[405]},{"name":"D3D10_MESSAGE_ID_LIVE_TEXTURE3D","features":[405]},{"name":"D3D10_MESSAGE_ID_LIVE_VERTEXSHADER","features":[405]},{"name":"D3D10_MESSAGE_ID_MESSAGE_REPORTING_OUTOFMEMORY","features":[405]},{"name":"D3D10_MESSAGE_ID_OMSETBLENDSTATE_UNBINDDELETINGOBJECT","features":[405]},{"name":"D3D10_MESSAGE_ID_OMSETDEPTHSTENCILSTATE_UNBINDDELETINGOBJECT","features":[405]},{"name":"D3D10_MESSAGE_ID_OMSETRENDERTARGETS_INVALIDVIEW","features":[405]},{"name":"D3D10_MESSAGE_ID_OMSETRENDERTARGETS_NO_DIFFERING_BIT_DEPTHS","features":[405]},{"name":"D3D10_MESSAGE_ID_OMSETRENDERTARGETS_NO_SRGB_MRT","features":[405]},{"name":"D3D10_MESSAGE_ID_OMSETRENDERTARGETS_TOO_MANY_RENDER_TARGETS","features":[405]},{"name":"D3D10_MESSAGE_ID_OMSETRENDERTARGETS_UNBINDDELETINGOBJECT","features":[405]},{"name":"D3D10_MESSAGE_ID_PREDICATE_BEGIN_DURING_PREDICATION","features":[405]},{"name":"D3D10_MESSAGE_ID_PREDICATE_END_DURING_PREDICATION","features":[405]},{"name":"D3D10_MESSAGE_ID_PSSETCONSTANTBUFFERS_INVALIDBUFFER","features":[405]},{"name":"D3D10_MESSAGE_ID_PSSETCONSTANTBUFFERS_UNBINDDELETINGOBJECT","features":[405]},{"name":"D3D10_MESSAGE_ID_PSSETSAMPLERS_TOO_MANY_SAMPLERS","features":[405]},{"name":"D3D10_MESSAGE_ID_PSSETSAMPLERS_UNBINDDELETINGOBJECT","features":[405]},{"name":"D3D10_MESSAGE_ID_PSSETSHADERRESOURCES_UNBINDDELETINGOBJECT","features":[405]},{"name":"D3D10_MESSAGE_ID_PSSETSHADER_UNBINDDELETINGOBJECT","features":[405]},{"name":"D3D10_MESSAGE_ID_QUERY_BEGIN_ABANDONING_PREVIOUS_RESULTS","features":[405]},{"name":"D3D10_MESSAGE_ID_QUERY_BEGIN_DUPLICATE","features":[405]},{"name":"D3D10_MESSAGE_ID_QUERY_BEGIN_UNSUPPORTED","features":[405]},{"name":"D3D10_MESSAGE_ID_QUERY_END_ABANDONING_PREVIOUS_RESULTS","features":[405]},{"name":"D3D10_MESSAGE_ID_QUERY_END_WITHOUT_BEGIN","features":[405]},{"name":"D3D10_MESSAGE_ID_QUERY_GETDATA_INVALID_CALL","features":[405]},{"name":"D3D10_MESSAGE_ID_QUERY_GETDATA_INVALID_DATASIZE","features":[405]},{"name":"D3D10_MESSAGE_ID_QUERY_GETDATA_INVALID_FLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_REF_ACCESSING_INDEXABLE_TEMP_OUT_OF_RANGE","features":[405]},{"name":"D3D10_MESSAGE_ID_REF_HARDWARE_EXCEPTION","features":[405]},{"name":"D3D10_MESSAGE_ID_REF_INFO","features":[405]},{"name":"D3D10_MESSAGE_ID_REF_KMDRIVER_EXCEPTION","features":[405]},{"name":"D3D10_MESSAGE_ID_REF_OUT_OF_MEMORY","features":[405]},{"name":"D3D10_MESSAGE_ID_REF_PROBLEM_PARSING_SHADER","features":[405]},{"name":"D3D10_MESSAGE_ID_REF_SIMULATING_INFINITELY_FAST_HARDWARE","features":[405]},{"name":"D3D10_MESSAGE_ID_REF_THREADING_MODE","features":[405]},{"name":"D3D10_MESSAGE_ID_REF_UMDRIVER_EXCEPTION","features":[405]},{"name":"D3D10_MESSAGE_ID_RSSETSTATE_UNBINDDELETINGOBJECT","features":[405]},{"name":"D3D10_MESSAGE_ID_SETBLENDSTATE_SAMPLE_MASK_CANNOT_BE_ZERO","features":[405]},{"name":"D3D10_MESSAGE_ID_SETEXCEPTIONMODE_DEVICEREMOVED_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_SETEXCEPTIONMODE_INVALIDARG_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_SETEXCEPTIONMODE_UNRECOGNIZEDFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_SETPREDICATION_INVALID_PREDICATE_STATE","features":[405]},{"name":"D3D10_MESSAGE_ID_SETPREDICATION_UNBINDDELETINGOBJECT","features":[405]},{"name":"D3D10_MESSAGE_ID_SETPRIVATEDATA_CHANGINGPARAMS","features":[405]},{"name":"D3D10_MESSAGE_ID_SETPRIVATEDATA_INVALIDFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_SETPRIVATEDATA_INVALIDFREEDATA","features":[405]},{"name":"D3D10_MESSAGE_ID_SETPRIVATEDATA_INVALIDIUNKNOWN","features":[405]},{"name":"D3D10_MESSAGE_ID_SETPRIVATEDATA_OUTOFMEMORY","features":[405]},{"name":"D3D10_MESSAGE_ID_SHADERRESOURCEVIEW_GETDESC_LEGACY","features":[405]},{"name":"D3D10_MESSAGE_ID_SLOT_ZERO_MUST_BE_D3D10_INPUT_PER_VERTEX_DATA","features":[405]},{"name":"D3D10_MESSAGE_ID_SOSETTARGETS_INVALIDBUFFER","features":[405]},{"name":"D3D10_MESSAGE_ID_SOSETTARGETS_UNBINDDELETINGOBJECT","features":[405]},{"name":"D3D10_MESSAGE_ID_STREAM_OUT_NOT_SUPPORTED","features":[405]},{"name":"D3D10_MESSAGE_ID_STRING_FROM_APPLICATION","features":[405]},{"name":"D3D10_MESSAGE_ID_TEXTURE1D_MAP_ALREADYMAPPED","features":[405]},{"name":"D3D10_MESSAGE_ID_TEXTURE1D_MAP_DEVICEREMOVED_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_TEXTURE1D_MAP_INVALIDFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_TEXTURE1D_MAP_INVALIDMAPTYPE","features":[405]},{"name":"D3D10_MESSAGE_ID_TEXTURE1D_MAP_INVALIDSUBRESOURCE","features":[405]},{"name":"D3D10_MESSAGE_ID_TEXTURE1D_UNMAP_INVALIDSUBRESOURCE","features":[405]},{"name":"D3D10_MESSAGE_ID_TEXTURE1D_UNMAP_NOTMAPPED","features":[405]},{"name":"D3D10_MESSAGE_ID_TEXTURE2D_MAP_ALREADYMAPPED","features":[405]},{"name":"D3D10_MESSAGE_ID_TEXTURE2D_MAP_DEVICEREMOVED_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_TEXTURE2D_MAP_INVALIDFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_TEXTURE2D_MAP_INVALIDMAPTYPE","features":[405]},{"name":"D3D10_MESSAGE_ID_TEXTURE2D_MAP_INVALIDSUBRESOURCE","features":[405]},{"name":"D3D10_MESSAGE_ID_TEXTURE2D_UNMAP_INVALIDSUBRESOURCE","features":[405]},{"name":"D3D10_MESSAGE_ID_TEXTURE2D_UNMAP_NOTMAPPED","features":[405]},{"name":"D3D10_MESSAGE_ID_TEXTURE3D_MAP_ALREADYMAPPED","features":[405]},{"name":"D3D10_MESSAGE_ID_TEXTURE3D_MAP_DEVICEREMOVED_RETURN","features":[405]},{"name":"D3D10_MESSAGE_ID_TEXTURE3D_MAP_INVALIDFLAGS","features":[405]},{"name":"D3D10_MESSAGE_ID_TEXTURE3D_MAP_INVALIDMAPTYPE","features":[405]},{"name":"D3D10_MESSAGE_ID_TEXTURE3D_MAP_INVALIDSUBRESOURCE","features":[405]},{"name":"D3D10_MESSAGE_ID_TEXTURE3D_UNMAP_INVALIDSUBRESOURCE","features":[405]},{"name":"D3D10_MESSAGE_ID_TEXTURE3D_UNMAP_NOTMAPPED","features":[405]},{"name":"D3D10_MESSAGE_ID_TEXT_FILTER_NOT_SUPPORTED","features":[405]},{"name":"D3D10_MESSAGE_ID_UNKNOWN","features":[405]},{"name":"D3D10_MESSAGE_ID_UPDATESUBRESOURCE_INVALIDDESTINATIONBOX","features":[405]},{"name":"D3D10_MESSAGE_ID_UPDATESUBRESOURCE_INVALIDDESTINATIONSTATE","features":[405]},{"name":"D3D10_MESSAGE_ID_UPDATESUBRESOURCE_INVALIDDESTINATIONSUBRESOURCE","features":[405]},{"name":"D3D10_MESSAGE_ID_VSSETCONSTANTBUFFERS_INVALIDBUFFER","features":[405]},{"name":"D3D10_MESSAGE_ID_VSSETCONSTANTBUFFERS_UNBINDDELETINGOBJECT","features":[405]},{"name":"D3D10_MESSAGE_ID_VSSETSAMPLERS_NOT_SUPPORTED","features":[405]},{"name":"D3D10_MESSAGE_ID_VSSETSAMPLERS_TOO_MANY_SAMPLERS","features":[405]},{"name":"D3D10_MESSAGE_ID_VSSETSAMPLERS_UNBINDDELETINGOBJECT","features":[405]},{"name":"D3D10_MESSAGE_ID_VSSETSHADERRESOURCES_UNBINDDELETINGOBJECT","features":[405]},{"name":"D3D10_MESSAGE_ID_VSSETSHADER_UNBINDDELETINGOBJECT","features":[405]},{"name":"D3D10_MESSAGE_ID_VSSHADERRESOURCES_NOT_SUPPORTED","features":[405]},{"name":"D3D10_MESSAGE_SEVERITY","features":[405]},{"name":"D3D10_MESSAGE_SEVERITY_CORRUPTION","features":[405]},{"name":"D3D10_MESSAGE_SEVERITY_ERROR","features":[405]},{"name":"D3D10_MESSAGE_SEVERITY_INFO","features":[405]},{"name":"D3D10_MESSAGE_SEVERITY_MESSAGE","features":[405]},{"name":"D3D10_MESSAGE_SEVERITY_WARNING","features":[405]},{"name":"D3D10_MIN_BORDER_COLOR_COMPONENT","features":[405]},{"name":"D3D10_MIN_DEPTH","features":[405]},{"name":"D3D10_MIN_FILTER_SHIFT","features":[405]},{"name":"D3D10_MIN_MAXANISOTROPY","features":[405]},{"name":"D3D10_MIP_FILTER_SHIFT","features":[405]},{"name":"D3D10_MIP_LOD_BIAS_MAX","features":[405]},{"name":"D3D10_MIP_LOD_BIAS_MIN","features":[405]},{"name":"D3D10_MIP_LOD_FRACTIONAL_BIT_COUNT","features":[405]},{"name":"D3D10_MIP_LOD_RANGE_BIT_COUNT","features":[405]},{"name":"D3D10_MULTISAMPLE_ANTIALIAS_LINE_WIDTH","features":[405]},{"name":"D3D10_MUTE_CATEGORY","features":[405]},{"name":"D3D10_MUTE_DEBUG_OUTPUT","features":[405]},{"name":"D3D10_MUTE_ID_DECIMAL","features":[405]},{"name":"D3D10_MUTE_ID_STRING","features":[405]},{"name":"D3D10_MUTE_SEVERITY","features":[405]},{"name":"D3D10_NONSAMPLE_FETCH_OUT_OF_RANGE_ACCESS_RESULT","features":[405]},{"name":"D3D10_PASS_DESC","features":[405]},{"name":"D3D10_PASS_SHADER_DESC","features":[405]},{"name":"D3D10_PIXEL_ADDRESS_RANGE_BIT_COUNT","features":[405]},{"name":"D3D10_PRE_SCISSOR_PIXEL_ADDRESS_RANGE_BIT_COUNT","features":[405]},{"name":"D3D10_PS_FRONTFACING_DEFAULT_VALUE","features":[405]},{"name":"D3D10_PS_FRONTFACING_FALSE_VALUE","features":[405]},{"name":"D3D10_PS_FRONTFACING_TRUE_VALUE","features":[405]},{"name":"D3D10_PS_INPUT_REGISTER_COMPONENTS","features":[405]},{"name":"D3D10_PS_INPUT_REGISTER_COMPONENT_BIT_COUNT","features":[405]},{"name":"D3D10_PS_INPUT_REGISTER_COUNT","features":[405]},{"name":"D3D10_PS_INPUT_REGISTER_READS_PER_INST","features":[405]},{"name":"D3D10_PS_INPUT_REGISTER_READ_PORTS","features":[405]},{"name":"D3D10_PS_LEGACY_PIXEL_CENTER_FRACTIONAL_COMPONENT","features":[405]},{"name":"D3D10_PS_OUTPUT_DEPTH_REGISTER_COMPONENTS","features":[405]},{"name":"D3D10_PS_OUTPUT_DEPTH_REGISTER_COMPONENT_BIT_COUNT","features":[405]},{"name":"D3D10_PS_OUTPUT_DEPTH_REGISTER_COUNT","features":[405]},{"name":"D3D10_PS_OUTPUT_REGISTER_COMPONENTS","features":[405]},{"name":"D3D10_PS_OUTPUT_REGISTER_COMPONENT_BIT_COUNT","features":[405]},{"name":"D3D10_PS_OUTPUT_REGISTER_COUNT","features":[405]},{"name":"D3D10_PS_PIXEL_CENTER_FRACTIONAL_COMPONENT","features":[405]},{"name":"D3D10_QUERY","features":[405]},{"name":"D3D10_QUERY_DATA_PIPELINE_STATISTICS","features":[405]},{"name":"D3D10_QUERY_DATA_SO_STATISTICS","features":[405]},{"name":"D3D10_QUERY_DATA_TIMESTAMP_DISJOINT","features":[308,405]},{"name":"D3D10_QUERY_DESC","features":[405]},{"name":"D3D10_QUERY_EVENT","features":[405]},{"name":"D3D10_QUERY_MISC_FLAG","features":[405]},{"name":"D3D10_QUERY_MISC_PREDICATEHINT","features":[405]},{"name":"D3D10_QUERY_OCCLUSION","features":[405]},{"name":"D3D10_QUERY_OCCLUSION_PREDICATE","features":[405]},{"name":"D3D10_QUERY_PIPELINE_STATISTICS","features":[405]},{"name":"D3D10_QUERY_SO_OVERFLOW_PREDICATE","features":[405]},{"name":"D3D10_QUERY_SO_STATISTICS","features":[405]},{"name":"D3D10_QUERY_TIMESTAMP","features":[405]},{"name":"D3D10_QUERY_TIMESTAMP_DISJOINT","features":[405]},{"name":"D3D10_RAISE_FLAG","features":[405]},{"name":"D3D10_RAISE_FLAG_DRIVER_INTERNAL_ERROR","features":[405]},{"name":"D3D10_RASTERIZER_DESC","features":[308,405]},{"name":"D3D10_REGKEY_PATH","features":[405]},{"name":"D3D10_RENDER_TARGET_BLEND_DESC1","features":[308,405]},{"name":"D3D10_RENDER_TARGET_VIEW_DESC","features":[405,396]},{"name":"D3D10_REQ_BLEND_OBJECT_COUNT_PER_CONTEXT","features":[405]},{"name":"D3D10_REQ_BUFFER_RESOURCE_TEXEL_COUNT_2_TO_EXP","features":[405]},{"name":"D3D10_REQ_CONSTANT_BUFFER_ELEMENT_COUNT","features":[405]},{"name":"D3D10_REQ_DEPTH_STENCIL_OBJECT_COUNT_PER_CONTEXT","features":[405]},{"name":"D3D10_REQ_DRAWINDEXED_INDEX_COUNT_2_TO_EXP","features":[405]},{"name":"D3D10_REQ_DRAW_VERTEX_COUNT_2_TO_EXP","features":[405]},{"name":"D3D10_REQ_FILTERING_HW_ADDRESSABLE_RESOURCE_DIMENSION","features":[405]},{"name":"D3D10_REQ_GS_INVOCATION_32BIT_OUTPUT_COMPONENT_LIMIT","features":[405]},{"name":"D3D10_REQ_IMMEDIATE_CONSTANT_BUFFER_ELEMENT_COUNT","features":[405]},{"name":"D3D10_REQ_MAXANISOTROPY","features":[405]},{"name":"D3D10_REQ_MIP_LEVELS","features":[405]},{"name":"D3D10_REQ_MULTI_ELEMENT_STRUCTURE_SIZE_IN_BYTES","features":[405]},{"name":"D3D10_REQ_RASTERIZER_OBJECT_COUNT_PER_CONTEXT","features":[405]},{"name":"D3D10_REQ_RENDER_TO_BUFFER_WINDOW_WIDTH","features":[405]},{"name":"D3D10_REQ_RESOURCE_SIZE_IN_MEGABYTES","features":[405]},{"name":"D3D10_REQ_RESOURCE_VIEW_COUNT_PER_CONTEXT_2_TO_EXP","features":[405]},{"name":"D3D10_REQ_SAMPLER_OBJECT_COUNT_PER_CONTEXT","features":[405]},{"name":"D3D10_REQ_TEXTURE1D_ARRAY_AXIS_DIMENSION","features":[405]},{"name":"D3D10_REQ_TEXTURE1D_U_DIMENSION","features":[405]},{"name":"D3D10_REQ_TEXTURE2D_ARRAY_AXIS_DIMENSION","features":[405]},{"name":"D3D10_REQ_TEXTURE2D_U_OR_V_DIMENSION","features":[405]},{"name":"D3D10_REQ_TEXTURE3D_U_V_OR_W_DIMENSION","features":[405]},{"name":"D3D10_REQ_TEXTURECUBE_DIMENSION","features":[405]},{"name":"D3D10_RESINFO_INSTRUCTION_MISSING_COMPONENT_RETVAL","features":[405]},{"name":"D3D10_RESOURCE_DIMENSION","features":[405]},{"name":"D3D10_RESOURCE_DIMENSION_BUFFER","features":[405]},{"name":"D3D10_RESOURCE_DIMENSION_TEXTURE1D","features":[405]},{"name":"D3D10_RESOURCE_DIMENSION_TEXTURE2D","features":[405]},{"name":"D3D10_RESOURCE_DIMENSION_TEXTURE3D","features":[405]},{"name":"D3D10_RESOURCE_DIMENSION_UNKNOWN","features":[405]},{"name":"D3D10_RESOURCE_MISC_FLAG","features":[405]},{"name":"D3D10_RESOURCE_MISC_GDI_COMPATIBLE","features":[405]},{"name":"D3D10_RESOURCE_MISC_GENERATE_MIPS","features":[405]},{"name":"D3D10_RESOURCE_MISC_SHARED","features":[405]},{"name":"D3D10_RESOURCE_MISC_SHARED_KEYEDMUTEX","features":[405]},{"name":"D3D10_RESOURCE_MISC_TEXTURECUBE","features":[405]},{"name":"D3D10_RTV_DIMENSION","features":[405]},{"name":"D3D10_RTV_DIMENSION_BUFFER","features":[405]},{"name":"D3D10_RTV_DIMENSION_TEXTURE1D","features":[405]},{"name":"D3D10_RTV_DIMENSION_TEXTURE1DARRAY","features":[405]},{"name":"D3D10_RTV_DIMENSION_TEXTURE2D","features":[405]},{"name":"D3D10_RTV_DIMENSION_TEXTURE2DARRAY","features":[405]},{"name":"D3D10_RTV_DIMENSION_TEXTURE2DMS","features":[405]},{"name":"D3D10_RTV_DIMENSION_TEXTURE2DMSARRAY","features":[405]},{"name":"D3D10_RTV_DIMENSION_TEXTURE3D","features":[405]},{"name":"D3D10_RTV_DIMENSION_UNKNOWN","features":[405]},{"name":"D3D10_SAMPLER_DESC","features":[405]},{"name":"D3D10_SDK_LAYERS_VERSION","features":[405]},{"name":"D3D10_SDK_VERSION","features":[405]},{"name":"D3D10_SHADER_AVOID_FLOW_CONTROL","features":[405]},{"name":"D3D10_SHADER_BUFFER_DESC","features":[401,405]},{"name":"D3D10_SHADER_DEBUG","features":[405]},{"name":"D3D10_SHADER_DEBUG_FILE_INFO","features":[405]},{"name":"D3D10_SHADER_DEBUG_INFO","features":[405]},{"name":"D3D10_SHADER_DEBUG_INPUT_INFO","features":[405]},{"name":"D3D10_SHADER_DEBUG_INST_INFO","features":[308,405]},{"name":"D3D10_SHADER_DEBUG_NAME_FOR_BINARY","features":[405]},{"name":"D3D10_SHADER_DEBUG_NAME_FOR_SOURCE","features":[405]},{"name":"D3D10_SHADER_DEBUG_OUTPUTREG_INFO","features":[308,405]},{"name":"D3D10_SHADER_DEBUG_OUTPUTVAR","features":[308,405]},{"name":"D3D10_SHADER_DEBUG_REGTYPE","features":[405]},{"name":"D3D10_SHADER_DEBUG_REG_CBUFFER","features":[405]},{"name":"D3D10_SHADER_DEBUG_REG_IMMEDIATECBUFFER","features":[405]},{"name":"D3D10_SHADER_DEBUG_REG_INPUT","features":[405]},{"name":"D3D10_SHADER_DEBUG_REG_LITERAL","features":[405]},{"name":"D3D10_SHADER_DEBUG_REG_OUTPUT","features":[405]},{"name":"D3D10_SHADER_DEBUG_REG_SAMPLER","features":[405]},{"name":"D3D10_SHADER_DEBUG_REG_TBUFFER","features":[405]},{"name":"D3D10_SHADER_DEBUG_REG_TEMP","features":[405]},{"name":"D3D10_SHADER_DEBUG_REG_TEMPARRAY","features":[405]},{"name":"D3D10_SHADER_DEBUG_REG_TEXTURE","features":[405]},{"name":"D3D10_SHADER_DEBUG_REG_UNUSED","features":[405]},{"name":"D3D10_SHADER_DEBUG_SCOPETYPE","features":[405]},{"name":"D3D10_SHADER_DEBUG_SCOPEVAR_INFO","features":[401,405]},{"name":"D3D10_SHADER_DEBUG_SCOPE_ANNOTATION","features":[405]},{"name":"D3D10_SHADER_DEBUG_SCOPE_BLOCK","features":[405]},{"name":"D3D10_SHADER_DEBUG_SCOPE_FORLOOP","features":[405]},{"name":"D3D10_SHADER_DEBUG_SCOPE_FUNC_PARAMS","features":[405]},{"name":"D3D10_SHADER_DEBUG_SCOPE_GLOBAL","features":[405]},{"name":"D3D10_SHADER_DEBUG_SCOPE_INFO","features":[405]},{"name":"D3D10_SHADER_DEBUG_SCOPE_NAMESPACE","features":[405]},{"name":"D3D10_SHADER_DEBUG_SCOPE_STATEBLOCK","features":[405]},{"name":"D3D10_SHADER_DEBUG_SCOPE_STRUCT","features":[405]},{"name":"D3D10_SHADER_DEBUG_TOKEN_INFO","features":[405]},{"name":"D3D10_SHADER_DEBUG_VARTYPE","features":[405]},{"name":"D3D10_SHADER_DEBUG_VAR_FUNCTION","features":[405]},{"name":"D3D10_SHADER_DEBUG_VAR_INFO","features":[401,405]},{"name":"D3D10_SHADER_DEBUG_VAR_VARIABLE","features":[405]},{"name":"D3D10_SHADER_DESC","features":[401,405]},{"name":"D3D10_SHADER_ENABLE_BACKWARDS_COMPATIBILITY","features":[405]},{"name":"D3D10_SHADER_ENABLE_STRICTNESS","features":[405]},{"name":"D3D10_SHADER_FLAGS2_FORCE_ROOT_SIGNATURE_1_0","features":[405]},{"name":"D3D10_SHADER_FLAGS2_FORCE_ROOT_SIGNATURE_1_1","features":[405]},{"name":"D3D10_SHADER_FLAGS2_FORCE_ROOT_SIGNATURE_LATEST","features":[405]},{"name":"D3D10_SHADER_FORCE_PS_SOFTWARE_NO_OPT","features":[405]},{"name":"D3D10_SHADER_FORCE_VS_SOFTWARE_NO_OPT","features":[405]},{"name":"D3D10_SHADER_IEEE_STRICTNESS","features":[405]},{"name":"D3D10_SHADER_INPUT_BIND_DESC","features":[401,405]},{"name":"D3D10_SHADER_MAJOR_VERSION","features":[405]},{"name":"D3D10_SHADER_MINOR_VERSION","features":[405]},{"name":"D3D10_SHADER_NO_PRESHADER","features":[405]},{"name":"D3D10_SHADER_OPTIMIZATION_LEVEL0","features":[405]},{"name":"D3D10_SHADER_OPTIMIZATION_LEVEL1","features":[405]},{"name":"D3D10_SHADER_OPTIMIZATION_LEVEL3","features":[405]},{"name":"D3D10_SHADER_PACK_MATRIX_COLUMN_MAJOR","features":[405]},{"name":"D3D10_SHADER_PACK_MATRIX_ROW_MAJOR","features":[405]},{"name":"D3D10_SHADER_PARTIAL_PRECISION","features":[405]},{"name":"D3D10_SHADER_PREFER_FLOW_CONTROL","features":[405]},{"name":"D3D10_SHADER_RESOURCES_MAY_ALIAS","features":[405]},{"name":"D3D10_SHADER_RESOURCE_VIEW_DESC","features":[401,405,396]},{"name":"D3D10_SHADER_RESOURCE_VIEW_DESC1","features":[401,405,396]},{"name":"D3D10_SHADER_SKIP_OPTIMIZATION","features":[405]},{"name":"D3D10_SHADER_SKIP_VALIDATION","features":[405]},{"name":"D3D10_SHADER_TYPE_DESC","features":[401,405]},{"name":"D3D10_SHADER_VARIABLE_DESC","features":[405]},{"name":"D3D10_SHADER_WARNINGS_ARE_ERRORS","features":[405]},{"name":"D3D10_SHIFT_INSTRUCTION_PAD_VALUE","features":[405]},{"name":"D3D10_SHIFT_INSTRUCTION_SHIFT_VALUE_BIT_COUNT","features":[405]},{"name":"D3D10_SIGNATURE_PARAMETER_DESC","features":[401,405]},{"name":"D3D10_SIMULTANEOUS_RENDER_TARGET_COUNT","features":[405]},{"name":"D3D10_SO_BUFFER_MAX_STRIDE_IN_BYTES","features":[405]},{"name":"D3D10_SO_BUFFER_MAX_WRITE_WINDOW_IN_BYTES","features":[405]},{"name":"D3D10_SO_BUFFER_SLOT_COUNT","features":[405]},{"name":"D3D10_SO_DDI_REGISTER_INDEX_DENOTING_GAP","features":[405]},{"name":"D3D10_SO_DECLARATION_ENTRY","features":[405]},{"name":"D3D10_SO_MULTIPLE_BUFFER_ELEMENTS_PER_BUFFER","features":[405]},{"name":"D3D10_SO_SINGLE_BUFFER_COMPONENT_LIMIT","features":[405]},{"name":"D3D10_SRGB_GAMMA","features":[405]},{"name":"D3D10_SRGB_TO_FLOAT_DENOMINATOR_1","features":[405]},{"name":"D3D10_SRGB_TO_FLOAT_DENOMINATOR_2","features":[405]},{"name":"D3D10_SRGB_TO_FLOAT_EXPONENT","features":[405]},{"name":"D3D10_SRGB_TO_FLOAT_OFFSET","features":[405]},{"name":"D3D10_SRGB_TO_FLOAT_THRESHOLD","features":[405]},{"name":"D3D10_SRGB_TO_FLOAT_TOLERANCE_IN_ULP","features":[405]},{"name":"D3D10_STANDARD_COMPONENT_BIT_COUNT","features":[405]},{"name":"D3D10_STANDARD_COMPONENT_BIT_COUNT_DOUBLED","features":[405]},{"name":"D3D10_STANDARD_MAXIMUM_ELEMENT_ALIGNMENT_BYTE_MULTIPLE","features":[405]},{"name":"D3D10_STANDARD_MULTISAMPLE_PATTERN","features":[405]},{"name":"D3D10_STANDARD_MULTISAMPLE_QUALITY_LEVELS","features":[405]},{"name":"D3D10_STANDARD_PIXEL_COMPONENT_COUNT","features":[405]},{"name":"D3D10_STANDARD_PIXEL_ELEMENT_COUNT","features":[405]},{"name":"D3D10_STANDARD_VECTOR_SIZE","features":[405]},{"name":"D3D10_STANDARD_VERTEX_ELEMENT_COUNT","features":[405]},{"name":"D3D10_STANDARD_VERTEX_TOTAL_COMPONENT_COUNT","features":[405]},{"name":"D3D10_STATE_BLOCK_MASK","features":[405]},{"name":"D3D10_STENCIL_OP","features":[405]},{"name":"D3D10_STENCIL_OP_DECR","features":[405]},{"name":"D3D10_STENCIL_OP_DECR_SAT","features":[405]},{"name":"D3D10_STENCIL_OP_INCR","features":[405]},{"name":"D3D10_STENCIL_OP_INCR_SAT","features":[405]},{"name":"D3D10_STENCIL_OP_INVERT","features":[405]},{"name":"D3D10_STENCIL_OP_KEEP","features":[405]},{"name":"D3D10_STENCIL_OP_REPLACE","features":[405]},{"name":"D3D10_STENCIL_OP_ZERO","features":[405]},{"name":"D3D10_SUBPIXEL_FRACTIONAL_BIT_COUNT","features":[405]},{"name":"D3D10_SUBRESOURCE_DATA","features":[405]},{"name":"D3D10_SUBTEXEL_FRACTIONAL_BIT_COUNT","features":[405]},{"name":"D3D10_TECHNIQUE_DESC","features":[405]},{"name":"D3D10_TEX1D_ARRAY_DSV","features":[405]},{"name":"D3D10_TEX1D_ARRAY_RTV","features":[405]},{"name":"D3D10_TEX1D_ARRAY_SRV","features":[405]},{"name":"D3D10_TEX1D_DSV","features":[405]},{"name":"D3D10_TEX1D_RTV","features":[405]},{"name":"D3D10_TEX1D_SRV","features":[405]},{"name":"D3D10_TEX2DMS_ARRAY_DSV","features":[405]},{"name":"D3D10_TEX2DMS_ARRAY_RTV","features":[405]},{"name":"D3D10_TEX2DMS_ARRAY_SRV","features":[405]},{"name":"D3D10_TEX2DMS_DSV","features":[405]},{"name":"D3D10_TEX2DMS_RTV","features":[405]},{"name":"D3D10_TEX2DMS_SRV","features":[405]},{"name":"D3D10_TEX2D_ARRAY_DSV","features":[405]},{"name":"D3D10_TEX2D_ARRAY_RTV","features":[405]},{"name":"D3D10_TEX2D_ARRAY_SRV","features":[405]},{"name":"D3D10_TEX2D_DSV","features":[405]},{"name":"D3D10_TEX2D_RTV","features":[405]},{"name":"D3D10_TEX2D_SRV","features":[405]},{"name":"D3D10_TEX3D_RTV","features":[405]},{"name":"D3D10_TEX3D_SRV","features":[405]},{"name":"D3D10_TEXCUBE_ARRAY_SRV1","features":[405]},{"name":"D3D10_TEXCUBE_SRV","features":[405]},{"name":"D3D10_TEXEL_ADDRESS_RANGE_BIT_COUNT","features":[405]},{"name":"D3D10_TEXTURE1D_DESC","features":[405,396]},{"name":"D3D10_TEXTURE2D_DESC","features":[405,396]},{"name":"D3D10_TEXTURE3D_DESC","features":[405,396]},{"name":"D3D10_TEXTURECUBE_FACE","features":[405]},{"name":"D3D10_TEXTURECUBE_FACE_NEGATIVE_X","features":[405]},{"name":"D3D10_TEXTURECUBE_FACE_NEGATIVE_Y","features":[405]},{"name":"D3D10_TEXTURECUBE_FACE_NEGATIVE_Z","features":[405]},{"name":"D3D10_TEXTURECUBE_FACE_POSITIVE_X","features":[405]},{"name":"D3D10_TEXTURECUBE_FACE_POSITIVE_Y","features":[405]},{"name":"D3D10_TEXTURECUBE_FACE_POSITIVE_Z","features":[405]},{"name":"D3D10_TEXTURE_ADDRESS_BORDER","features":[405]},{"name":"D3D10_TEXTURE_ADDRESS_CLAMP","features":[405]},{"name":"D3D10_TEXTURE_ADDRESS_MIRROR","features":[405]},{"name":"D3D10_TEXTURE_ADDRESS_MIRROR_ONCE","features":[405]},{"name":"D3D10_TEXTURE_ADDRESS_MODE","features":[405]},{"name":"D3D10_TEXTURE_ADDRESS_WRAP","features":[405]},{"name":"D3D10_TEXT_1BIT_BIT","features":[405]},{"name":"D3D10_UNBOUND_MEMORY_ACCESS_RESULT","features":[405]},{"name":"D3D10_UNMUTE_SEVERITY_INFO","features":[405]},{"name":"D3D10_USAGE","features":[405]},{"name":"D3D10_USAGE_DEFAULT","features":[405]},{"name":"D3D10_USAGE_DYNAMIC","features":[405]},{"name":"D3D10_USAGE_IMMUTABLE","features":[405]},{"name":"D3D10_USAGE_STAGING","features":[405]},{"name":"D3D10_VIEWPORT","features":[405]},{"name":"D3D10_VIEWPORT_AND_SCISSORRECT_MAX_INDEX","features":[405]},{"name":"D3D10_VIEWPORT_AND_SCISSORRECT_OBJECT_COUNT_PER_PIPELINE","features":[405]},{"name":"D3D10_VIEWPORT_BOUNDS_MAX","features":[405]},{"name":"D3D10_VIEWPORT_BOUNDS_MIN","features":[405]},{"name":"D3D10_VS_INPUT_REGISTER_COMPONENTS","features":[405]},{"name":"D3D10_VS_INPUT_REGISTER_COMPONENT_BIT_COUNT","features":[405]},{"name":"D3D10_VS_INPUT_REGISTER_COUNT","features":[405]},{"name":"D3D10_VS_INPUT_REGISTER_READS_PER_INST","features":[405]},{"name":"D3D10_VS_INPUT_REGISTER_READ_PORTS","features":[405]},{"name":"D3D10_VS_OUTPUT_REGISTER_COMPONENTS","features":[405]},{"name":"D3D10_VS_OUTPUT_REGISTER_COMPONENT_BIT_COUNT","features":[405]},{"name":"D3D10_VS_OUTPUT_REGISTER_COUNT","features":[405]},{"name":"D3D10_WHQL_CONTEXT_COUNT_FOR_RESOURCE_LIMIT","features":[405]},{"name":"D3D10_WHQL_DRAWINDEXED_INDEX_COUNT_2_TO_EXP","features":[405]},{"name":"D3D10_WHQL_DRAW_VERTEX_COUNT_2_TO_EXP","features":[405]},{"name":"D3D11_SHADER_DEBUG_REG_INTERFACE_POINTERS","features":[405]},{"name":"D3D11_SHADER_DEBUG_REG_UAV","features":[405]},{"name":"D3D_MAJOR_VERSION","features":[405]},{"name":"D3D_MINOR_VERSION","features":[405]},{"name":"D3D_SPEC_DATE_DAY","features":[405]},{"name":"D3D_SPEC_DATE_MONTH","features":[405]},{"name":"D3D_SPEC_DATE_YEAR","features":[405]},{"name":"D3D_SPEC_VERSION","features":[405]},{"name":"DXGI_DEBUG_D3D10","features":[405]},{"name":"GUID_DeviceType","features":[405]},{"name":"ID3D10Asynchronous","features":[405]},{"name":"ID3D10BlendState","features":[405]},{"name":"ID3D10BlendState1","features":[405]},{"name":"ID3D10Buffer","features":[405]},{"name":"ID3D10Counter","features":[405]},{"name":"ID3D10Debug","features":[405]},{"name":"ID3D10DepthStencilState","features":[405]},{"name":"ID3D10DepthStencilView","features":[405]},{"name":"ID3D10Device","features":[405]},{"name":"ID3D10Device1","features":[405]},{"name":"ID3D10DeviceChild","features":[405]},{"name":"ID3D10Effect","features":[405]},{"name":"ID3D10EffectBlendVariable","features":[405]},{"name":"ID3D10EffectConstantBuffer","features":[405]},{"name":"ID3D10EffectDepthStencilVariable","features":[405]},{"name":"ID3D10EffectDepthStencilViewVariable","features":[405]},{"name":"ID3D10EffectMatrixVariable","features":[405]},{"name":"ID3D10EffectPass","features":[405]},{"name":"ID3D10EffectPool","features":[405]},{"name":"ID3D10EffectRasterizerVariable","features":[405]},{"name":"ID3D10EffectRenderTargetViewVariable","features":[405]},{"name":"ID3D10EffectSamplerVariable","features":[405]},{"name":"ID3D10EffectScalarVariable","features":[405]},{"name":"ID3D10EffectShaderResourceVariable","features":[405]},{"name":"ID3D10EffectShaderVariable","features":[405]},{"name":"ID3D10EffectStringVariable","features":[405]},{"name":"ID3D10EffectTechnique","features":[405]},{"name":"ID3D10EffectType","features":[405]},{"name":"ID3D10EffectVariable","features":[405]},{"name":"ID3D10EffectVectorVariable","features":[405]},{"name":"ID3D10GeometryShader","features":[405]},{"name":"ID3D10InfoQueue","features":[405]},{"name":"ID3D10InputLayout","features":[405]},{"name":"ID3D10Multithread","features":[405]},{"name":"ID3D10PixelShader","features":[405]},{"name":"ID3D10Predicate","features":[405]},{"name":"ID3D10Query","features":[405]},{"name":"ID3D10RasterizerState","features":[405]},{"name":"ID3D10RenderTargetView","features":[405]},{"name":"ID3D10Resource","features":[405]},{"name":"ID3D10SamplerState","features":[405]},{"name":"ID3D10ShaderReflection","features":[405]},{"name":"ID3D10ShaderReflection1","features":[405]},{"name":"ID3D10ShaderReflectionConstantBuffer","features":[405]},{"name":"ID3D10ShaderReflectionType","features":[405]},{"name":"ID3D10ShaderReflectionVariable","features":[405]},{"name":"ID3D10ShaderResourceView","features":[405]},{"name":"ID3D10ShaderResourceView1","features":[405]},{"name":"ID3D10StateBlock","features":[405]},{"name":"ID3D10SwitchToRef","features":[405]},{"name":"ID3D10Texture1D","features":[405]},{"name":"ID3D10Texture2D","features":[405]},{"name":"ID3D10Texture3D","features":[405]},{"name":"ID3D10VertexShader","features":[405]},{"name":"ID3D10View","features":[405]},{"name":"PFN_D3D10_CREATE_DEVICE1","features":[308,405,400]},{"name":"PFN_D3D10_CREATE_DEVICE_AND_SWAP_CHAIN1","features":[308,405,396]},{"name":"_FACD3D10","features":[405]}],"401":[{"name":"D3D11CreateDevice","features":[308,401,404,400]},{"name":"D3D11CreateDeviceAndSwapChain","features":[308,401,404,396]},{"name":"D3D11_16BIT_INDEX_STRIP_CUT_VALUE","features":[404]},{"name":"D3D11_1_CREATE_DEVICE_CONTEXT_STATE_FLAG","features":[404]},{"name":"D3D11_1_CREATE_DEVICE_CONTEXT_STATE_SINGLETHREADED","features":[404]},{"name":"D3D11_1_UAV_SLOT_COUNT","features":[404]},{"name":"D3D11_2_TILED_RESOURCE_TILE_SIZE_IN_BYTES","features":[404]},{"name":"D3D11_32BIT_INDEX_STRIP_CUT_VALUE","features":[404]},{"name":"D3D11_4_VIDEO_DECODER_HISTOGRAM_OFFSET_ALIGNMENT","features":[404]},{"name":"D3D11_4_VIDEO_DECODER_MAX_HISTOGRAM_COMPONENTS","features":[404]},{"name":"D3D11_8BIT_INDEX_STRIP_CUT_VALUE","features":[404]},{"name":"D3D11_AES_CTR_IV","features":[404]},{"name":"D3D11_ANISOTROPIC_FILTERING_BIT","features":[404]},{"name":"D3D11_APPEND_ALIGNED_ELEMENT","features":[404]},{"name":"D3D11_APPNAME_STRING","features":[404]},{"name":"D3D11_APPSIZE_STRING","features":[404]},{"name":"D3D11_ARRAY_AXIS_ADDRESS_RANGE_BIT_COUNT","features":[404]},{"name":"D3D11_ASYNC_GETDATA_DONOTFLUSH","features":[404]},{"name":"D3D11_ASYNC_GETDATA_FLAG","features":[404]},{"name":"D3D11_AUTHENTICATED_CHANNEL_D3D11","features":[404]},{"name":"D3D11_AUTHENTICATED_CHANNEL_DRIVER_HARDWARE","features":[404]},{"name":"D3D11_AUTHENTICATED_CHANNEL_DRIVER_SOFTWARE","features":[404]},{"name":"D3D11_AUTHENTICATED_CHANNEL_TYPE","features":[404]},{"name":"D3D11_AUTHENTICATED_CONFIGURE_ACCESSIBLE_ENCRYPTION_INPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_CONFIGURE_CRYPTO_SESSION","features":[404]},{"name":"D3D11_AUTHENTICATED_CONFIGURE_CRYPTO_SESSION_INPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_CONFIGURE_ENCRYPTION_WHEN_ACCESSIBLE","features":[404]},{"name":"D3D11_AUTHENTICATED_CONFIGURE_INITIALIZE","features":[404]},{"name":"D3D11_AUTHENTICATED_CONFIGURE_INITIALIZE_INPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_CONFIGURE_INPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_CONFIGURE_OUTPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_CONFIGURE_PROTECTION","features":[404]},{"name":"D3D11_AUTHENTICATED_CONFIGURE_PROTECTION_INPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_CONFIGURE_SHARED_RESOURCE","features":[404]},{"name":"D3D11_AUTHENTICATED_CONFIGURE_SHARED_RESOURCE_INPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_PROCESS_IDENTIFIER_TYPE","features":[404]},{"name":"D3D11_AUTHENTICATED_PROTECTION_FLAGS","features":[404]},{"name":"D3D11_AUTHENTICATED_QUERY_ACCESSIBILITY_ATTRIBUTES","features":[404]},{"name":"D3D11_AUTHENTICATED_QUERY_ACCESSIBILITY_ENCRYPTION_GUID_COUNT_OUTPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_QUERY_ACCESSIBILITY_ENCRYPTION_GUID_INPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_QUERY_ACCESSIBILITY_ENCRYPTION_GUID_OUTPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_QUERY_ACCESSIBILITY_OUTPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_QUERY_CHANNEL_TYPE","features":[404]},{"name":"D3D11_AUTHENTICATED_QUERY_CHANNEL_TYPE_OUTPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_QUERY_CRYPTO_SESSION","features":[404]},{"name":"D3D11_AUTHENTICATED_QUERY_CRYPTO_SESSION_INPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_QUERY_CRYPTO_SESSION_OUTPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_QUERY_CURRENT_ACCESSIBILITY_ENCRYPTION_OUTPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_QUERY_CURRENT_ENCRYPTION_WHEN_ACCESSIBLE","features":[404]},{"name":"D3D11_AUTHENTICATED_QUERY_DEVICE_HANDLE","features":[404]},{"name":"D3D11_AUTHENTICATED_QUERY_DEVICE_HANDLE_OUTPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_QUERY_ENCRYPTION_WHEN_ACCESSIBLE_GUID","features":[404]},{"name":"D3D11_AUTHENTICATED_QUERY_ENCRYPTION_WHEN_ACCESSIBLE_GUID_COUNT","features":[404]},{"name":"D3D11_AUTHENTICATED_QUERY_INPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_QUERY_OUTPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_QUERY_OUTPUT_ID","features":[404]},{"name":"D3D11_AUTHENTICATED_QUERY_OUTPUT_ID_COUNT","features":[404]},{"name":"D3D11_AUTHENTICATED_QUERY_OUTPUT_ID_COUNT_INPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_QUERY_OUTPUT_ID_COUNT_OUTPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_QUERY_OUTPUT_ID_INPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_QUERY_OUTPUT_ID_OUTPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_QUERY_PROTECTION","features":[404]},{"name":"D3D11_AUTHENTICATED_QUERY_PROTECTION_OUTPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_QUERY_RESTRICTED_SHARED_RESOURCE_PROCESS","features":[404]},{"name":"D3D11_AUTHENTICATED_QUERY_RESTRICTED_SHARED_RESOURCE_PROCESS_COUNT","features":[404]},{"name":"D3D11_AUTHENTICATED_QUERY_RESTRICTED_SHARED_RESOURCE_PROCESS_COUNT_OUTPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_QUERY_RESTRICTED_SHARED_RESOURCE_PROCESS_INPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_QUERY_RESTRICTED_SHARED_RESOURCE_PROCESS_OUTPUT","features":[308,404]},{"name":"D3D11_AUTHENTICATED_QUERY_UNRESTRICTED_PROTECTED_SHARED_RESOURCE_COUNT","features":[404]},{"name":"D3D11_AUTHENTICATED_QUERY_UNRESTRICTED_PROTECTED_SHARED_RESOURCE_COUNT_OUTPUT","features":[308,404]},{"name":"D3D11_BIND_CONSTANT_BUFFER","features":[404]},{"name":"D3D11_BIND_DECODER","features":[404]},{"name":"D3D11_BIND_DEPTH_STENCIL","features":[404]},{"name":"D3D11_BIND_FLAG","features":[404]},{"name":"D3D11_BIND_INDEX_BUFFER","features":[404]},{"name":"D3D11_BIND_RENDER_TARGET","features":[404]},{"name":"D3D11_BIND_SHADER_RESOURCE","features":[404]},{"name":"D3D11_BIND_STREAM_OUTPUT","features":[404]},{"name":"D3D11_BIND_UNORDERED_ACCESS","features":[404]},{"name":"D3D11_BIND_VERTEX_BUFFER","features":[404]},{"name":"D3D11_BIND_VIDEO_ENCODER","features":[404]},{"name":"D3D11_BLEND","features":[404]},{"name":"D3D11_BLEND_BLEND_FACTOR","features":[404]},{"name":"D3D11_BLEND_DESC","features":[308,404]},{"name":"D3D11_BLEND_DESC1","features":[308,404]},{"name":"D3D11_BLEND_DEST_ALPHA","features":[404]},{"name":"D3D11_BLEND_DEST_COLOR","features":[404]},{"name":"D3D11_BLEND_INV_BLEND_FACTOR","features":[404]},{"name":"D3D11_BLEND_INV_DEST_ALPHA","features":[404]},{"name":"D3D11_BLEND_INV_DEST_COLOR","features":[404]},{"name":"D3D11_BLEND_INV_SRC1_ALPHA","features":[404]},{"name":"D3D11_BLEND_INV_SRC1_COLOR","features":[404]},{"name":"D3D11_BLEND_INV_SRC_ALPHA","features":[404]},{"name":"D3D11_BLEND_INV_SRC_COLOR","features":[404]},{"name":"D3D11_BLEND_ONE","features":[404]},{"name":"D3D11_BLEND_OP","features":[404]},{"name":"D3D11_BLEND_OP_ADD","features":[404]},{"name":"D3D11_BLEND_OP_MAX","features":[404]},{"name":"D3D11_BLEND_OP_MIN","features":[404]},{"name":"D3D11_BLEND_OP_REV_SUBTRACT","features":[404]},{"name":"D3D11_BLEND_OP_SUBTRACT","features":[404]},{"name":"D3D11_BLEND_SRC1_ALPHA","features":[404]},{"name":"D3D11_BLEND_SRC1_COLOR","features":[404]},{"name":"D3D11_BLEND_SRC_ALPHA","features":[404]},{"name":"D3D11_BLEND_SRC_ALPHA_SAT","features":[404]},{"name":"D3D11_BLEND_SRC_COLOR","features":[404]},{"name":"D3D11_BLEND_ZERO","features":[404]},{"name":"D3D11_BOX","features":[404]},{"name":"D3D11_BREAKON_CATEGORY","features":[404]},{"name":"D3D11_BREAKON_ID_DECIMAL","features":[404]},{"name":"D3D11_BREAKON_ID_STRING","features":[404]},{"name":"D3D11_BREAKON_SEVERITY","features":[404]},{"name":"D3D11_BUFFEREX_SRV","features":[404]},{"name":"D3D11_BUFFEREX_SRV_FLAG","features":[404]},{"name":"D3D11_BUFFEREX_SRV_FLAG_RAW","features":[404]},{"name":"D3D11_BUFFER_DESC","features":[404]},{"name":"D3D11_BUFFER_RTV","features":[404]},{"name":"D3D11_BUFFER_SRV","features":[404]},{"name":"D3D11_BUFFER_UAV","features":[404]},{"name":"D3D11_BUFFER_UAV_FLAG","features":[404]},{"name":"D3D11_BUFFER_UAV_FLAG_APPEND","features":[404]},{"name":"D3D11_BUFFER_UAV_FLAG_COUNTER","features":[404]},{"name":"D3D11_BUFFER_UAV_FLAG_RAW","features":[404]},{"name":"D3D11_BUS_IMPL_MODIFIER_DAUGHTER_BOARD_CONNECTOR","features":[404]},{"name":"D3D11_BUS_IMPL_MODIFIER_DAUGHTER_BOARD_CONNECTOR_INSIDE_OF_NUAE","features":[404]},{"name":"D3D11_BUS_IMPL_MODIFIER_INSIDE_OF_CHIPSET","features":[404]},{"name":"D3D11_BUS_IMPL_MODIFIER_NON_STANDARD","features":[404]},{"name":"D3D11_BUS_IMPL_MODIFIER_TRACKS_ON_MOTHER_BOARD_TO_CHIP","features":[404]},{"name":"D3D11_BUS_IMPL_MODIFIER_TRACKS_ON_MOTHER_BOARD_TO_SOCKET","features":[404]},{"name":"D3D11_BUS_TYPE","features":[404]},{"name":"D3D11_BUS_TYPE_AGP","features":[404]},{"name":"D3D11_BUS_TYPE_OTHER","features":[404]},{"name":"D3D11_BUS_TYPE_PCI","features":[404]},{"name":"D3D11_BUS_TYPE_PCIEXPRESS","features":[404]},{"name":"D3D11_BUS_TYPE_PCIX","features":[404]},{"name":"D3D11_CENTER_MULTISAMPLE_PATTERN","features":[404]},{"name":"D3D11_CHECK_MULTISAMPLE_QUALITY_LEVELS_FLAG","features":[404]},{"name":"D3D11_CHECK_MULTISAMPLE_QUALITY_LEVELS_TILED_RESOURCE","features":[404]},{"name":"D3D11_CLASS_INSTANCE_DESC","features":[308,404]},{"name":"D3D11_CLEAR_DEPTH","features":[404]},{"name":"D3D11_CLEAR_FLAG","features":[404]},{"name":"D3D11_CLEAR_STENCIL","features":[404]},{"name":"D3D11_CLIP_OR_CULL_DISTANCE_COUNT","features":[404]},{"name":"D3D11_CLIP_OR_CULL_DISTANCE_ELEMENT_COUNT","features":[404]},{"name":"D3D11_COLOR_WRITE_ENABLE","features":[404]},{"name":"D3D11_COLOR_WRITE_ENABLE_ALL","features":[404]},{"name":"D3D11_COLOR_WRITE_ENABLE_ALPHA","features":[404]},{"name":"D3D11_COLOR_WRITE_ENABLE_BLUE","features":[404]},{"name":"D3D11_COLOR_WRITE_ENABLE_GREEN","features":[404]},{"name":"D3D11_COLOR_WRITE_ENABLE_RED","features":[404]},{"name":"D3D11_COMMONSHADER_CONSTANT_BUFFER_API_SLOT_COUNT","features":[404]},{"name":"D3D11_COMMONSHADER_CONSTANT_BUFFER_COMPONENTS","features":[404]},{"name":"D3D11_COMMONSHADER_CONSTANT_BUFFER_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_COMMONSHADER_CONSTANT_BUFFER_HW_SLOT_COUNT","features":[404]},{"name":"D3D11_COMMONSHADER_CONSTANT_BUFFER_PARTIAL_UPDATE_EXTENTS_BYTE_ALIGNMENT","features":[404]},{"name":"D3D11_COMMONSHADER_CONSTANT_BUFFER_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_COMMONSHADER_CONSTANT_BUFFER_REGISTER_COUNT","features":[404]},{"name":"D3D11_COMMONSHADER_CONSTANT_BUFFER_REGISTER_READS_PER_INST","features":[404]},{"name":"D3D11_COMMONSHADER_CONSTANT_BUFFER_REGISTER_READ_PORTS","features":[404]},{"name":"D3D11_COMMONSHADER_FLOWCONTROL_NESTING_LIMIT","features":[404]},{"name":"D3D11_COMMONSHADER_IMMEDIATE_CONSTANT_BUFFER_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_COMMONSHADER_IMMEDIATE_CONSTANT_BUFFER_REGISTER_COUNT","features":[404]},{"name":"D3D11_COMMONSHADER_IMMEDIATE_CONSTANT_BUFFER_REGISTER_READS_PER_INST","features":[404]},{"name":"D3D11_COMMONSHADER_IMMEDIATE_CONSTANT_BUFFER_REGISTER_READ_PORTS","features":[404]},{"name":"D3D11_COMMONSHADER_IMMEDIATE_VALUE_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_COMMONSHADER_INPUT_RESOURCE_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_COMMONSHADER_INPUT_RESOURCE_REGISTER_COUNT","features":[404]},{"name":"D3D11_COMMONSHADER_INPUT_RESOURCE_REGISTER_READS_PER_INST","features":[404]},{"name":"D3D11_COMMONSHADER_INPUT_RESOURCE_REGISTER_READ_PORTS","features":[404]},{"name":"D3D11_COMMONSHADER_INPUT_RESOURCE_SLOT_COUNT","features":[404]},{"name":"D3D11_COMMONSHADER_SAMPLER_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_COMMONSHADER_SAMPLER_REGISTER_COUNT","features":[404]},{"name":"D3D11_COMMONSHADER_SAMPLER_REGISTER_READS_PER_INST","features":[404]},{"name":"D3D11_COMMONSHADER_SAMPLER_REGISTER_READ_PORTS","features":[404]},{"name":"D3D11_COMMONSHADER_SAMPLER_SLOT_COUNT","features":[404]},{"name":"D3D11_COMMONSHADER_SUBROUTINE_NESTING_LIMIT","features":[404]},{"name":"D3D11_COMMONSHADER_TEMP_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_COMMONSHADER_TEMP_REGISTER_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_COMMONSHADER_TEMP_REGISTER_COUNT","features":[404]},{"name":"D3D11_COMMONSHADER_TEMP_REGISTER_READS_PER_INST","features":[404]},{"name":"D3D11_COMMONSHADER_TEMP_REGISTER_READ_PORTS","features":[404]},{"name":"D3D11_COMMONSHADER_TEXCOORD_RANGE_REDUCTION_MAX","features":[404]},{"name":"D3D11_COMMONSHADER_TEXCOORD_RANGE_REDUCTION_MIN","features":[404]},{"name":"D3D11_COMMONSHADER_TEXEL_OFFSET_MAX_NEGATIVE","features":[404]},{"name":"D3D11_COMMONSHADER_TEXEL_OFFSET_MAX_POSITIVE","features":[404]},{"name":"D3D11_COMPARISON_ALWAYS","features":[404]},{"name":"D3D11_COMPARISON_EQUAL","features":[404]},{"name":"D3D11_COMPARISON_FILTERING_BIT","features":[404]},{"name":"D3D11_COMPARISON_FUNC","features":[404]},{"name":"D3D11_COMPARISON_GREATER","features":[404]},{"name":"D3D11_COMPARISON_GREATER_EQUAL","features":[404]},{"name":"D3D11_COMPARISON_LESS","features":[404]},{"name":"D3D11_COMPARISON_LESS_EQUAL","features":[404]},{"name":"D3D11_COMPARISON_NEVER","features":[404]},{"name":"D3D11_COMPARISON_NOT_EQUAL","features":[404]},{"name":"D3D11_COMPUTE_SHADER","features":[404]},{"name":"D3D11_COMPUTE_SHADER_TRACE_DESC","features":[404]},{"name":"D3D11_CONSERVATIVE_RASTERIZATION_MODE","features":[404]},{"name":"D3D11_CONSERVATIVE_RASTERIZATION_MODE_OFF","features":[404]},{"name":"D3D11_CONSERVATIVE_RASTERIZATION_MODE_ON","features":[404]},{"name":"D3D11_CONSERVATIVE_RASTERIZATION_NOT_SUPPORTED","features":[404]},{"name":"D3D11_CONSERVATIVE_RASTERIZATION_TIER","features":[404]},{"name":"D3D11_CONSERVATIVE_RASTERIZATION_TIER_1","features":[404]},{"name":"D3D11_CONSERVATIVE_RASTERIZATION_TIER_2","features":[404]},{"name":"D3D11_CONSERVATIVE_RASTERIZATION_TIER_3","features":[404]},{"name":"D3D11_CONTENT_PROTECTION_CAPS","features":[404]},{"name":"D3D11_CONTENT_PROTECTION_CAPS_CONTENT_KEY","features":[404]},{"name":"D3D11_CONTENT_PROTECTION_CAPS_DECRYPTION_BLT","features":[404]},{"name":"D3D11_CONTENT_PROTECTION_CAPS_ENCRYPTED_READ_BACK","features":[404]},{"name":"D3D11_CONTENT_PROTECTION_CAPS_ENCRYPTED_READ_BACK_KEY","features":[404]},{"name":"D3D11_CONTENT_PROTECTION_CAPS_ENCRYPT_SLICEDATA_ONLY","features":[404]},{"name":"D3D11_CONTENT_PROTECTION_CAPS_FRESHEN_SESSION_KEY","features":[404]},{"name":"D3D11_CONTENT_PROTECTION_CAPS_HARDWARE","features":[404]},{"name":"D3D11_CONTENT_PROTECTION_CAPS_HARDWARE_DRM_COMMUNICATION","features":[404]},{"name":"D3D11_CONTENT_PROTECTION_CAPS_HARDWARE_DRM_COMMUNICATION_MULTI_THREADED","features":[404]},{"name":"D3D11_CONTENT_PROTECTION_CAPS_HARDWARE_PROTECTED_MEMORY_PAGEABLE","features":[404]},{"name":"D3D11_CONTENT_PROTECTION_CAPS_HARDWARE_PROTECT_UNCOMPRESSED","features":[404]},{"name":"D3D11_CONTENT_PROTECTION_CAPS_HARDWARE_TEARDOWN","features":[404]},{"name":"D3D11_CONTENT_PROTECTION_CAPS_PARTIAL_DECRYPTION","features":[404]},{"name":"D3D11_CONTENT_PROTECTION_CAPS_PROTECTION_ALWAYS_ON","features":[404]},{"name":"D3D11_CONTENT_PROTECTION_CAPS_SEQUENTIAL_CTR_IV","features":[404]},{"name":"D3D11_CONTENT_PROTECTION_CAPS_SOFTWARE","features":[404]},{"name":"D3D11_CONTEXT_TYPE","features":[404]},{"name":"D3D11_CONTEXT_TYPE_3D","features":[404]},{"name":"D3D11_CONTEXT_TYPE_ALL","features":[404]},{"name":"D3D11_CONTEXT_TYPE_COMPUTE","features":[404]},{"name":"D3D11_CONTEXT_TYPE_COPY","features":[404]},{"name":"D3D11_CONTEXT_TYPE_VIDEO","features":[404]},{"name":"D3D11_COPY_DISCARD","features":[404]},{"name":"D3D11_COPY_FLAGS","features":[404]},{"name":"D3D11_COPY_NO_OVERWRITE","features":[404]},{"name":"D3D11_COUNTER","features":[404]},{"name":"D3D11_COUNTER_DESC","features":[404]},{"name":"D3D11_COUNTER_DEVICE_DEPENDENT_0","features":[404]},{"name":"D3D11_COUNTER_INFO","features":[404]},{"name":"D3D11_COUNTER_TYPE","features":[404]},{"name":"D3D11_COUNTER_TYPE_FLOAT32","features":[404]},{"name":"D3D11_COUNTER_TYPE_UINT16","features":[404]},{"name":"D3D11_COUNTER_TYPE_UINT32","features":[404]},{"name":"D3D11_COUNTER_TYPE_UINT64","features":[404]},{"name":"D3D11_CPU_ACCESS_FLAG","features":[404]},{"name":"D3D11_CPU_ACCESS_READ","features":[404]},{"name":"D3D11_CPU_ACCESS_WRITE","features":[404]},{"name":"D3D11_CREATE_DEVICE_BGRA_SUPPORT","features":[404]},{"name":"D3D11_CREATE_DEVICE_DEBUG","features":[404]},{"name":"D3D11_CREATE_DEVICE_DEBUGGABLE","features":[404]},{"name":"D3D11_CREATE_DEVICE_DISABLE_GPU_TIMEOUT","features":[404]},{"name":"D3D11_CREATE_DEVICE_FLAG","features":[404]},{"name":"D3D11_CREATE_DEVICE_PREVENT_ALTERING_LAYER_SETTINGS_FROM_REGISTRY","features":[404]},{"name":"D3D11_CREATE_DEVICE_PREVENT_INTERNAL_THREADING_OPTIMIZATIONS","features":[404]},{"name":"D3D11_CREATE_DEVICE_SINGLETHREADED","features":[404]},{"name":"D3D11_CREATE_DEVICE_SWITCH_TO_REF","features":[404]},{"name":"D3D11_CREATE_DEVICE_VIDEO_SUPPORT","features":[404]},{"name":"D3D11_CRYPTO_SESSION_KEY_EXCHANGE_FLAGS","features":[404]},{"name":"D3D11_CRYPTO_SESSION_KEY_EXCHANGE_FLAG_NONE","features":[404]},{"name":"D3D11_CRYPTO_SESSION_STATUS","features":[404]},{"name":"D3D11_CRYPTO_SESSION_STATUS_KEY_AND_CONTENT_LOST","features":[404]},{"name":"D3D11_CRYPTO_SESSION_STATUS_KEY_LOST","features":[404]},{"name":"D3D11_CRYPTO_SESSION_STATUS_OK","features":[404]},{"name":"D3D11_CRYPTO_TYPE_AES128_CTR","features":[404]},{"name":"D3D11_CS_4_X_BUCKET00_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[404]},{"name":"D3D11_CS_4_X_BUCKET00_MAX_NUM_THREADS_PER_GROUP","features":[404]},{"name":"D3D11_CS_4_X_BUCKET01_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[404]},{"name":"D3D11_CS_4_X_BUCKET01_MAX_NUM_THREADS_PER_GROUP","features":[404]},{"name":"D3D11_CS_4_X_BUCKET02_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[404]},{"name":"D3D11_CS_4_X_BUCKET02_MAX_NUM_THREADS_PER_GROUP","features":[404]},{"name":"D3D11_CS_4_X_BUCKET03_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[404]},{"name":"D3D11_CS_4_X_BUCKET03_MAX_NUM_THREADS_PER_GROUP","features":[404]},{"name":"D3D11_CS_4_X_BUCKET04_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[404]},{"name":"D3D11_CS_4_X_BUCKET04_MAX_NUM_THREADS_PER_GROUP","features":[404]},{"name":"D3D11_CS_4_X_BUCKET05_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[404]},{"name":"D3D11_CS_4_X_BUCKET05_MAX_NUM_THREADS_PER_GROUP","features":[404]},{"name":"D3D11_CS_4_X_BUCKET06_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[404]},{"name":"D3D11_CS_4_X_BUCKET06_MAX_NUM_THREADS_PER_GROUP","features":[404]},{"name":"D3D11_CS_4_X_BUCKET07_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[404]},{"name":"D3D11_CS_4_X_BUCKET07_MAX_NUM_THREADS_PER_GROUP","features":[404]},{"name":"D3D11_CS_4_X_BUCKET08_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[404]},{"name":"D3D11_CS_4_X_BUCKET08_MAX_NUM_THREADS_PER_GROUP","features":[404]},{"name":"D3D11_CS_4_X_BUCKET09_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[404]},{"name":"D3D11_CS_4_X_BUCKET09_MAX_NUM_THREADS_PER_GROUP","features":[404]},{"name":"D3D11_CS_4_X_BUCKET10_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[404]},{"name":"D3D11_CS_4_X_BUCKET10_MAX_NUM_THREADS_PER_GROUP","features":[404]},{"name":"D3D11_CS_4_X_BUCKET11_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[404]},{"name":"D3D11_CS_4_X_BUCKET11_MAX_NUM_THREADS_PER_GROUP","features":[404]},{"name":"D3D11_CS_4_X_BUCKET12_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[404]},{"name":"D3D11_CS_4_X_BUCKET12_MAX_NUM_THREADS_PER_GROUP","features":[404]},{"name":"D3D11_CS_4_X_BUCKET13_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[404]},{"name":"D3D11_CS_4_X_BUCKET13_MAX_NUM_THREADS_PER_GROUP","features":[404]},{"name":"D3D11_CS_4_X_BUCKET14_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[404]},{"name":"D3D11_CS_4_X_BUCKET14_MAX_NUM_THREADS_PER_GROUP","features":[404]},{"name":"D3D11_CS_4_X_BUCKET15_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[404]},{"name":"D3D11_CS_4_X_BUCKET15_MAX_NUM_THREADS_PER_GROUP","features":[404]},{"name":"D3D11_CS_4_X_DISPATCH_MAX_THREAD_GROUPS_IN_Z_DIMENSION","features":[404]},{"name":"D3D11_CS_4_X_RAW_UAV_BYTE_ALIGNMENT","features":[404]},{"name":"D3D11_CS_4_X_THREAD_GROUP_MAX_THREADS_PER_GROUP","features":[404]},{"name":"D3D11_CS_4_X_THREAD_GROUP_MAX_X","features":[404]},{"name":"D3D11_CS_4_X_THREAD_GROUP_MAX_Y","features":[404]},{"name":"D3D11_CS_4_X_UAV_REGISTER_COUNT","features":[404]},{"name":"D3D11_CS_DISPATCH_MAX_THREAD_GROUPS_PER_DIMENSION","features":[404]},{"name":"D3D11_CS_TGSM_REGISTER_COUNT","features":[404]},{"name":"D3D11_CS_TGSM_REGISTER_READS_PER_INST","features":[404]},{"name":"D3D11_CS_TGSM_RESOURCE_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_CS_TGSM_RESOURCE_REGISTER_READ_PORTS","features":[404]},{"name":"D3D11_CS_THREADGROUPID_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_CS_THREADGROUPID_REGISTER_COUNT","features":[404]},{"name":"D3D11_CS_THREADIDINGROUPFLATTENED_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_CS_THREADIDINGROUPFLATTENED_REGISTER_COUNT","features":[404]},{"name":"D3D11_CS_THREADIDINGROUP_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_CS_THREADIDINGROUP_REGISTER_COUNT","features":[404]},{"name":"D3D11_CS_THREADID_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_CS_THREADID_REGISTER_COUNT","features":[404]},{"name":"D3D11_CS_THREAD_GROUP_MAX_THREADS_PER_GROUP","features":[404]},{"name":"D3D11_CS_THREAD_GROUP_MAX_X","features":[404]},{"name":"D3D11_CS_THREAD_GROUP_MAX_Y","features":[404]},{"name":"D3D11_CS_THREAD_GROUP_MAX_Z","features":[404]},{"name":"D3D11_CS_THREAD_GROUP_MIN_X","features":[404]},{"name":"D3D11_CS_THREAD_GROUP_MIN_Y","features":[404]},{"name":"D3D11_CS_THREAD_GROUP_MIN_Z","features":[404]},{"name":"D3D11_CS_THREAD_LOCAL_TEMP_REGISTER_POOL","features":[404]},{"name":"D3D11_CULL_BACK","features":[404]},{"name":"D3D11_CULL_FRONT","features":[404]},{"name":"D3D11_CULL_MODE","features":[404]},{"name":"D3D11_CULL_NONE","features":[404]},{"name":"D3D11_DEBUG_FEATURE_ALWAYS_DISCARD_OFFERED_RESOURCE","features":[404]},{"name":"D3D11_DEBUG_FEATURE_AVOID_BEHAVIOR_CHANGING_DEBUG_AIDS","features":[404]},{"name":"D3D11_DEBUG_FEATURE_DISABLE_TILED_RESOURCE_MAPPING_TRACKING_AND_VALIDATION","features":[404]},{"name":"D3D11_DEBUG_FEATURE_FINISH_PER_RENDER_OP","features":[404]},{"name":"D3D11_DEBUG_FEATURE_FLUSH_PER_RENDER_OP","features":[404]},{"name":"D3D11_DEBUG_FEATURE_NEVER_DISCARD_OFFERED_RESOURCE","features":[404]},{"name":"D3D11_DEBUG_FEATURE_PRESENT_PER_RENDER_OP","features":[404]},{"name":"D3D11_DECODER_BITSTREAM_ENCRYPTION_TYPE_CBCS","features":[404]},{"name":"D3D11_DECODER_BITSTREAM_ENCRYPTION_TYPE_CENC","features":[404]},{"name":"D3D11_DECODER_ENCRYPTION_HW_CENC","features":[404]},{"name":"D3D11_DECODER_PROFILE_AV1_VLD_12BIT_PROFILE2","features":[404]},{"name":"D3D11_DECODER_PROFILE_AV1_VLD_12BIT_PROFILE2_420","features":[404]},{"name":"D3D11_DECODER_PROFILE_AV1_VLD_PROFILE0","features":[404]},{"name":"D3D11_DECODER_PROFILE_AV1_VLD_PROFILE1","features":[404]},{"name":"D3D11_DECODER_PROFILE_AV1_VLD_PROFILE2","features":[404]},{"name":"D3D11_DECODER_PROFILE_H264_IDCT_FGT","features":[404]},{"name":"D3D11_DECODER_PROFILE_H264_IDCT_NOFGT","features":[404]},{"name":"D3D11_DECODER_PROFILE_H264_MOCOMP_FGT","features":[404]},{"name":"D3D11_DECODER_PROFILE_H264_MOCOMP_NOFGT","features":[404]},{"name":"D3D11_DECODER_PROFILE_H264_VLD_FGT","features":[404]},{"name":"D3D11_DECODER_PROFILE_H264_VLD_MULTIVIEW_NOFGT","features":[404]},{"name":"D3D11_DECODER_PROFILE_H264_VLD_NOFGT","features":[404]},{"name":"D3D11_DECODER_PROFILE_H264_VLD_STEREO_NOFGT","features":[404]},{"name":"D3D11_DECODER_PROFILE_H264_VLD_STEREO_PROGRESSIVE_NOFGT","features":[404]},{"name":"D3D11_DECODER_PROFILE_H264_VLD_WITHFMOASO_NOFGT","features":[404]},{"name":"D3D11_DECODER_PROFILE_HEVC_VLD_MAIN","features":[404]},{"name":"D3D11_DECODER_PROFILE_HEVC_VLD_MAIN10","features":[404]},{"name":"D3D11_DECODER_PROFILE_MPEG1_VLD","features":[404]},{"name":"D3D11_DECODER_PROFILE_MPEG2_IDCT","features":[404]},{"name":"D3D11_DECODER_PROFILE_MPEG2_MOCOMP","features":[404]},{"name":"D3D11_DECODER_PROFILE_MPEG2_VLD","features":[404]},{"name":"D3D11_DECODER_PROFILE_MPEG2and1_VLD","features":[404]},{"name":"D3D11_DECODER_PROFILE_MPEG4PT2_VLD_ADVSIMPLE_GMC","features":[404]},{"name":"D3D11_DECODER_PROFILE_MPEG4PT2_VLD_ADVSIMPLE_NOGMC","features":[404]},{"name":"D3D11_DECODER_PROFILE_MPEG4PT2_VLD_SIMPLE","features":[404]},{"name":"D3D11_DECODER_PROFILE_VC1_D2010","features":[404]},{"name":"D3D11_DECODER_PROFILE_VC1_IDCT","features":[404]},{"name":"D3D11_DECODER_PROFILE_VC1_MOCOMP","features":[404]},{"name":"D3D11_DECODER_PROFILE_VC1_POSTPROC","features":[404]},{"name":"D3D11_DECODER_PROFILE_VC1_VLD","features":[404]},{"name":"D3D11_DECODER_PROFILE_VP8_VLD","features":[404]},{"name":"D3D11_DECODER_PROFILE_VP9_VLD_10BIT_PROFILE2","features":[404]},{"name":"D3D11_DECODER_PROFILE_VP9_VLD_PROFILE0","features":[404]},{"name":"D3D11_DECODER_PROFILE_WMV8_MOCOMP","features":[404]},{"name":"D3D11_DECODER_PROFILE_WMV8_POSTPROC","features":[404]},{"name":"D3D11_DECODER_PROFILE_WMV9_IDCT","features":[404]},{"name":"D3D11_DECODER_PROFILE_WMV9_MOCOMP","features":[404]},{"name":"D3D11_DECODER_PROFILE_WMV9_POSTPROC","features":[404]},{"name":"D3D11_DEFAULT_BLEND_FACTOR_ALPHA","features":[404]},{"name":"D3D11_DEFAULT_BLEND_FACTOR_BLUE","features":[404]},{"name":"D3D11_DEFAULT_BLEND_FACTOR_GREEN","features":[404]},{"name":"D3D11_DEFAULT_BLEND_FACTOR_RED","features":[404]},{"name":"D3D11_DEFAULT_BORDER_COLOR_COMPONENT","features":[404]},{"name":"D3D11_DEFAULT_DEPTH_BIAS","features":[404]},{"name":"D3D11_DEFAULT_DEPTH_BIAS_CLAMP","features":[404]},{"name":"D3D11_DEFAULT_MAX_ANISOTROPY","features":[404]},{"name":"D3D11_DEFAULT_MIP_LOD_BIAS","features":[404]},{"name":"D3D11_DEFAULT_RENDER_TARGET_ARRAY_INDEX","features":[404]},{"name":"D3D11_DEFAULT_SAMPLE_MASK","features":[404]},{"name":"D3D11_DEFAULT_SCISSOR_ENDX","features":[404]},{"name":"D3D11_DEFAULT_SCISSOR_ENDY","features":[404]},{"name":"D3D11_DEFAULT_SCISSOR_STARTX","features":[404]},{"name":"D3D11_DEFAULT_SCISSOR_STARTY","features":[404]},{"name":"D3D11_DEFAULT_SLOPE_SCALED_DEPTH_BIAS","features":[404]},{"name":"D3D11_DEFAULT_STENCIL_READ_MASK","features":[404]},{"name":"D3D11_DEFAULT_STENCIL_REFERENCE","features":[404]},{"name":"D3D11_DEFAULT_STENCIL_WRITE_MASK","features":[404]},{"name":"D3D11_DEFAULT_VIEWPORT_AND_SCISSORRECT_INDEX","features":[404]},{"name":"D3D11_DEFAULT_VIEWPORT_HEIGHT","features":[404]},{"name":"D3D11_DEFAULT_VIEWPORT_MAX_DEPTH","features":[404]},{"name":"D3D11_DEFAULT_VIEWPORT_MIN_DEPTH","features":[404]},{"name":"D3D11_DEFAULT_VIEWPORT_TOPLEFTX","features":[404]},{"name":"D3D11_DEFAULT_VIEWPORT_TOPLEFTY","features":[404]},{"name":"D3D11_DEFAULT_VIEWPORT_WIDTH","features":[404]},{"name":"D3D11_DEPTH_STENCILOP_DESC","features":[404]},{"name":"D3D11_DEPTH_STENCIL_DESC","features":[308,404]},{"name":"D3D11_DEPTH_STENCIL_VIEW_DESC","features":[404,396]},{"name":"D3D11_DEPTH_WRITE_MASK","features":[404]},{"name":"D3D11_DEPTH_WRITE_MASK_ALL","features":[404]},{"name":"D3D11_DEPTH_WRITE_MASK_ZERO","features":[404]},{"name":"D3D11_DEVICE_CONTEXT_DEFERRED","features":[404]},{"name":"D3D11_DEVICE_CONTEXT_IMMEDIATE","features":[404]},{"name":"D3D11_DEVICE_CONTEXT_TYPE","features":[404]},{"name":"D3D11_DOMAIN_SHADER","features":[404]},{"name":"D3D11_DOMAIN_SHADER_TRACE_DESC","features":[404]},{"name":"D3D11_DRAW_INDEXED_INSTANCED_INDIRECT_ARGS","features":[404]},{"name":"D3D11_DRAW_INSTANCED_INDIRECT_ARGS","features":[404]},{"name":"D3D11_DSV_DIMENSION","features":[404]},{"name":"D3D11_DSV_DIMENSION_TEXTURE1D","features":[404]},{"name":"D3D11_DSV_DIMENSION_TEXTURE1DARRAY","features":[404]},{"name":"D3D11_DSV_DIMENSION_TEXTURE2D","features":[404]},{"name":"D3D11_DSV_DIMENSION_TEXTURE2DARRAY","features":[404]},{"name":"D3D11_DSV_DIMENSION_TEXTURE2DMS","features":[404]},{"name":"D3D11_DSV_DIMENSION_TEXTURE2DMSARRAY","features":[404]},{"name":"D3D11_DSV_DIMENSION_UNKNOWN","features":[404]},{"name":"D3D11_DSV_FLAG","features":[404]},{"name":"D3D11_DSV_READ_ONLY_DEPTH","features":[404]},{"name":"D3D11_DSV_READ_ONLY_STENCIL","features":[404]},{"name":"D3D11_DS_INPUT_CONTROL_POINTS_MAX_TOTAL_SCALARS","features":[404]},{"name":"D3D11_DS_INPUT_CONTROL_POINT_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_DS_INPUT_CONTROL_POINT_REGISTER_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_DS_INPUT_CONTROL_POINT_REGISTER_COUNT","features":[404]},{"name":"D3D11_DS_INPUT_CONTROL_POINT_REGISTER_READS_PER_INST","features":[404]},{"name":"D3D11_DS_INPUT_CONTROL_POINT_REGISTER_READ_PORTS","features":[404]},{"name":"D3D11_DS_INPUT_DOMAIN_POINT_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_DS_INPUT_DOMAIN_POINT_REGISTER_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_DS_INPUT_DOMAIN_POINT_REGISTER_COUNT","features":[404]},{"name":"D3D11_DS_INPUT_DOMAIN_POINT_REGISTER_READS_PER_INST","features":[404]},{"name":"D3D11_DS_INPUT_DOMAIN_POINT_REGISTER_READ_PORTS","features":[404]},{"name":"D3D11_DS_INPUT_PATCH_CONSTANT_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_DS_INPUT_PATCH_CONSTANT_REGISTER_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_DS_INPUT_PATCH_CONSTANT_REGISTER_COUNT","features":[404]},{"name":"D3D11_DS_INPUT_PATCH_CONSTANT_REGISTER_READS_PER_INST","features":[404]},{"name":"D3D11_DS_INPUT_PATCH_CONSTANT_REGISTER_READ_PORTS","features":[404]},{"name":"D3D11_DS_INPUT_PRIMITIVE_ID_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_DS_INPUT_PRIMITIVE_ID_REGISTER_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_DS_INPUT_PRIMITIVE_ID_REGISTER_COUNT","features":[404]},{"name":"D3D11_DS_INPUT_PRIMITIVE_ID_REGISTER_READS_PER_INST","features":[404]},{"name":"D3D11_DS_INPUT_PRIMITIVE_ID_REGISTER_READ_PORTS","features":[404]},{"name":"D3D11_DS_OUTPUT_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_DS_OUTPUT_REGISTER_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_DS_OUTPUT_REGISTER_COUNT","features":[404]},{"name":"D3D11_ENABLE_BREAK_ON_MESSAGE","features":[404]},{"name":"D3D11_ENCRYPTED_BLOCK_INFO","features":[404]},{"name":"D3D11_FEATURE","features":[404]},{"name":"D3D11_FEATURE_ARCHITECTURE_INFO","features":[404]},{"name":"D3D11_FEATURE_D3D10_X_HARDWARE_OPTIONS","features":[404]},{"name":"D3D11_FEATURE_D3D11_OPTIONS","features":[404]},{"name":"D3D11_FEATURE_D3D11_OPTIONS1","features":[404]},{"name":"D3D11_FEATURE_D3D11_OPTIONS2","features":[404]},{"name":"D3D11_FEATURE_D3D11_OPTIONS3","features":[404]},{"name":"D3D11_FEATURE_D3D11_OPTIONS4","features":[404]},{"name":"D3D11_FEATURE_D3D11_OPTIONS5","features":[404]},{"name":"D3D11_FEATURE_D3D9_OPTIONS","features":[404]},{"name":"D3D11_FEATURE_D3D9_OPTIONS1","features":[404]},{"name":"D3D11_FEATURE_D3D9_SHADOW_SUPPORT","features":[404]},{"name":"D3D11_FEATURE_D3D9_SIMPLE_INSTANCING_SUPPORT","features":[404]},{"name":"D3D11_FEATURE_DATA_ARCHITECTURE_INFO","features":[308,404]},{"name":"D3D11_FEATURE_DATA_D3D10_X_HARDWARE_OPTIONS","features":[308,404]},{"name":"D3D11_FEATURE_DATA_D3D11_OPTIONS","features":[308,404]},{"name":"D3D11_FEATURE_DATA_D3D11_OPTIONS1","features":[308,404]},{"name":"D3D11_FEATURE_DATA_D3D11_OPTIONS2","features":[308,404]},{"name":"D3D11_FEATURE_DATA_D3D11_OPTIONS3","features":[308,404]},{"name":"D3D11_FEATURE_DATA_D3D11_OPTIONS4","features":[308,404]},{"name":"D3D11_FEATURE_DATA_D3D11_OPTIONS5","features":[404]},{"name":"D3D11_FEATURE_DATA_D3D9_OPTIONS","features":[308,404]},{"name":"D3D11_FEATURE_DATA_D3D9_OPTIONS1","features":[308,404]},{"name":"D3D11_FEATURE_DATA_D3D9_SHADOW_SUPPORT","features":[308,404]},{"name":"D3D11_FEATURE_DATA_D3D9_SIMPLE_INSTANCING_SUPPORT","features":[308,404]},{"name":"D3D11_FEATURE_DATA_DISPLAYABLE","features":[308,404]},{"name":"D3D11_FEATURE_DATA_DOUBLES","features":[308,404]},{"name":"D3D11_FEATURE_DATA_FORMAT_SUPPORT","features":[404,396]},{"name":"D3D11_FEATURE_DATA_FORMAT_SUPPORT2","features":[404,396]},{"name":"D3D11_FEATURE_DATA_GPU_VIRTUAL_ADDRESS_SUPPORT","features":[404]},{"name":"D3D11_FEATURE_DATA_MARKER_SUPPORT","features":[308,404]},{"name":"D3D11_FEATURE_DATA_SHADER_CACHE","features":[404]},{"name":"D3D11_FEATURE_DATA_SHADER_MIN_PRECISION_SUPPORT","features":[404]},{"name":"D3D11_FEATURE_DATA_THREADING","features":[308,404]},{"name":"D3D11_FEATURE_DATA_VIDEO_DECODER_HISTOGRAM","features":[404,396]},{"name":"D3D11_FEATURE_DISPLAYABLE","features":[404]},{"name":"D3D11_FEATURE_DOUBLES","features":[404]},{"name":"D3D11_FEATURE_FORMAT_SUPPORT","features":[404]},{"name":"D3D11_FEATURE_FORMAT_SUPPORT2","features":[404]},{"name":"D3D11_FEATURE_GPU_VIRTUAL_ADDRESS_SUPPORT","features":[404]},{"name":"D3D11_FEATURE_MARKER_SUPPORT","features":[404]},{"name":"D3D11_FEATURE_SHADER_CACHE","features":[404]},{"name":"D3D11_FEATURE_SHADER_MIN_PRECISION_SUPPORT","features":[404]},{"name":"D3D11_FEATURE_THREADING","features":[404]},{"name":"D3D11_FEATURE_VIDEO","features":[404]},{"name":"D3D11_FEATURE_VIDEO_DECODER_HISTOGRAM","features":[404]},{"name":"D3D11_FENCE_FLAG","features":[404]},{"name":"D3D11_FENCE_FLAG_NONE","features":[404]},{"name":"D3D11_FENCE_FLAG_NON_MONITORED","features":[404]},{"name":"D3D11_FENCE_FLAG_SHARED","features":[404]},{"name":"D3D11_FENCE_FLAG_SHARED_CROSS_ADAPTER","features":[404]},{"name":"D3D11_FILL_MODE","features":[404]},{"name":"D3D11_FILL_SOLID","features":[404]},{"name":"D3D11_FILL_WIREFRAME","features":[404]},{"name":"D3D11_FILTER","features":[404]},{"name":"D3D11_FILTER_ANISOTROPIC","features":[404]},{"name":"D3D11_FILTER_COMPARISON_ANISOTROPIC","features":[404]},{"name":"D3D11_FILTER_COMPARISON_MIN_LINEAR_MAG_MIP_POINT","features":[404]},{"name":"D3D11_FILTER_COMPARISON_MIN_LINEAR_MAG_POINT_MIP_LINEAR","features":[404]},{"name":"D3D11_FILTER_COMPARISON_MIN_MAG_LINEAR_MIP_POINT","features":[404]},{"name":"D3D11_FILTER_COMPARISON_MIN_MAG_MIP_LINEAR","features":[404]},{"name":"D3D11_FILTER_COMPARISON_MIN_MAG_MIP_POINT","features":[404]},{"name":"D3D11_FILTER_COMPARISON_MIN_MAG_POINT_MIP_LINEAR","features":[404]},{"name":"D3D11_FILTER_COMPARISON_MIN_POINT_MAG_LINEAR_MIP_POINT","features":[404]},{"name":"D3D11_FILTER_COMPARISON_MIN_POINT_MAG_MIP_LINEAR","features":[404]},{"name":"D3D11_FILTER_MAXIMUM_ANISOTROPIC","features":[404]},{"name":"D3D11_FILTER_MAXIMUM_MIN_LINEAR_MAG_MIP_POINT","features":[404]},{"name":"D3D11_FILTER_MAXIMUM_MIN_LINEAR_MAG_POINT_MIP_LINEAR","features":[404]},{"name":"D3D11_FILTER_MAXIMUM_MIN_MAG_LINEAR_MIP_POINT","features":[404]},{"name":"D3D11_FILTER_MAXIMUM_MIN_MAG_MIP_LINEAR","features":[404]},{"name":"D3D11_FILTER_MAXIMUM_MIN_MAG_MIP_POINT","features":[404]},{"name":"D3D11_FILTER_MAXIMUM_MIN_MAG_POINT_MIP_LINEAR","features":[404]},{"name":"D3D11_FILTER_MAXIMUM_MIN_POINT_MAG_LINEAR_MIP_POINT","features":[404]},{"name":"D3D11_FILTER_MAXIMUM_MIN_POINT_MAG_MIP_LINEAR","features":[404]},{"name":"D3D11_FILTER_MINIMUM_ANISOTROPIC","features":[404]},{"name":"D3D11_FILTER_MINIMUM_MIN_LINEAR_MAG_MIP_POINT","features":[404]},{"name":"D3D11_FILTER_MINIMUM_MIN_LINEAR_MAG_POINT_MIP_LINEAR","features":[404]},{"name":"D3D11_FILTER_MINIMUM_MIN_MAG_LINEAR_MIP_POINT","features":[404]},{"name":"D3D11_FILTER_MINIMUM_MIN_MAG_MIP_LINEAR","features":[404]},{"name":"D3D11_FILTER_MINIMUM_MIN_MAG_MIP_POINT","features":[404]},{"name":"D3D11_FILTER_MINIMUM_MIN_MAG_POINT_MIP_LINEAR","features":[404]},{"name":"D3D11_FILTER_MINIMUM_MIN_POINT_MAG_LINEAR_MIP_POINT","features":[404]},{"name":"D3D11_FILTER_MINIMUM_MIN_POINT_MAG_MIP_LINEAR","features":[404]},{"name":"D3D11_FILTER_MIN_LINEAR_MAG_MIP_POINT","features":[404]},{"name":"D3D11_FILTER_MIN_LINEAR_MAG_POINT_MIP_LINEAR","features":[404]},{"name":"D3D11_FILTER_MIN_MAG_LINEAR_MIP_POINT","features":[404]},{"name":"D3D11_FILTER_MIN_MAG_MIP_LINEAR","features":[404]},{"name":"D3D11_FILTER_MIN_MAG_MIP_POINT","features":[404]},{"name":"D3D11_FILTER_MIN_MAG_POINT_MIP_LINEAR","features":[404]},{"name":"D3D11_FILTER_MIN_POINT_MAG_LINEAR_MIP_POINT","features":[404]},{"name":"D3D11_FILTER_MIN_POINT_MAG_MIP_LINEAR","features":[404]},{"name":"D3D11_FILTER_REDUCTION_TYPE","features":[404]},{"name":"D3D11_FILTER_REDUCTION_TYPE_COMPARISON","features":[404]},{"name":"D3D11_FILTER_REDUCTION_TYPE_MASK","features":[404]},{"name":"D3D11_FILTER_REDUCTION_TYPE_MAXIMUM","features":[404]},{"name":"D3D11_FILTER_REDUCTION_TYPE_MINIMUM","features":[404]},{"name":"D3D11_FILTER_REDUCTION_TYPE_SHIFT","features":[404]},{"name":"D3D11_FILTER_REDUCTION_TYPE_STANDARD","features":[404]},{"name":"D3D11_FILTER_TYPE","features":[404]},{"name":"D3D11_FILTER_TYPE_LINEAR","features":[404]},{"name":"D3D11_FILTER_TYPE_MASK","features":[404]},{"name":"D3D11_FILTER_TYPE_POINT","features":[404]},{"name":"D3D11_FLOAT16_FUSED_TOLERANCE_IN_ULP","features":[404]},{"name":"D3D11_FLOAT32_MAX","features":[404]},{"name":"D3D11_FLOAT32_TO_INTEGER_TOLERANCE_IN_ULP","features":[404]},{"name":"D3D11_FLOAT_TO_SRGB_EXPONENT_DENOMINATOR","features":[404]},{"name":"D3D11_FLOAT_TO_SRGB_EXPONENT_NUMERATOR","features":[404]},{"name":"D3D11_FLOAT_TO_SRGB_OFFSET","features":[404]},{"name":"D3D11_FLOAT_TO_SRGB_SCALE_1","features":[404]},{"name":"D3D11_FLOAT_TO_SRGB_SCALE_2","features":[404]},{"name":"D3D11_FLOAT_TO_SRGB_THRESHOLD","features":[404]},{"name":"D3D11_FORCE_DEBUGGABLE","features":[404]},{"name":"D3D11_FORCE_SHADER_SKIP_OPTIMIZATION","features":[404]},{"name":"D3D11_FORMAT_SUPPORT","features":[404]},{"name":"D3D11_FORMAT_SUPPORT2","features":[404]},{"name":"D3D11_FORMAT_SUPPORT2_DISPLAYABLE","features":[404]},{"name":"D3D11_FORMAT_SUPPORT2_MULTIPLANE_OVERLAY","features":[404]},{"name":"D3D11_FORMAT_SUPPORT2_OUTPUT_MERGER_LOGIC_OP","features":[404]},{"name":"D3D11_FORMAT_SUPPORT2_SHAREABLE","features":[404]},{"name":"D3D11_FORMAT_SUPPORT2_TILED","features":[404]},{"name":"D3D11_FORMAT_SUPPORT2_UAV_ATOMIC_ADD","features":[404]},{"name":"D3D11_FORMAT_SUPPORT2_UAV_ATOMIC_BITWISE_OPS","features":[404]},{"name":"D3D11_FORMAT_SUPPORT2_UAV_ATOMIC_COMPARE_STORE_OR_COMPARE_EXCHANGE","features":[404]},{"name":"D3D11_FORMAT_SUPPORT2_UAV_ATOMIC_EXCHANGE","features":[404]},{"name":"D3D11_FORMAT_SUPPORT2_UAV_ATOMIC_SIGNED_MIN_OR_MAX","features":[404]},{"name":"D3D11_FORMAT_SUPPORT2_UAV_ATOMIC_UNSIGNED_MIN_OR_MAX","features":[404]},{"name":"D3D11_FORMAT_SUPPORT2_UAV_TYPED_LOAD","features":[404]},{"name":"D3D11_FORMAT_SUPPORT2_UAV_TYPED_STORE","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_BACK_BUFFER_CAST","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_BLENDABLE","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_BUFFER","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_CAST_WITHIN_BIT_LAYOUT","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_CPU_LOCKABLE","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_DECODER_OUTPUT","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_DEPTH_STENCIL","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_DISPLAY","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_IA_INDEX_BUFFER","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_IA_VERTEX_BUFFER","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_MIP","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_MIP_AUTOGEN","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_MULTISAMPLE_LOAD","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_MULTISAMPLE_RENDERTARGET","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_MULTISAMPLE_RESOLVE","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_RENDER_TARGET","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_SHADER_GATHER","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_SHADER_GATHER_COMPARISON","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_SHADER_LOAD","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_SHADER_SAMPLE","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_SHADER_SAMPLE_COMPARISON","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_SHADER_SAMPLE_MONO_TEXT","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_SO_BUFFER","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_TEXTURE1D","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_TEXTURE2D","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_TEXTURE3D","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_TEXTURECUBE","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_TYPED_UNORDERED_ACCESS_VIEW","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_VIDEO_ENCODER","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_VIDEO_PROCESSOR_INPUT","features":[404]},{"name":"D3D11_FORMAT_SUPPORT_VIDEO_PROCESSOR_OUTPUT","features":[404]},{"name":"D3D11_FTOI_INSTRUCTION_MAX_INPUT","features":[404]},{"name":"D3D11_FTOI_INSTRUCTION_MIN_INPUT","features":[404]},{"name":"D3D11_FTOU_INSTRUCTION_MAX_INPUT","features":[404]},{"name":"D3D11_FTOU_INSTRUCTION_MIN_INPUT","features":[404]},{"name":"D3D11_FUNCTION_DESC","features":[308,401,404]},{"name":"D3D11_GEOMETRY_SHADER","features":[404]},{"name":"D3D11_GEOMETRY_SHADER_TRACE_DESC","features":[404]},{"name":"D3D11_GS_INPUT_INSTANCE_ID_READS_PER_INST","features":[404]},{"name":"D3D11_GS_INPUT_INSTANCE_ID_READ_PORTS","features":[404]},{"name":"D3D11_GS_INPUT_INSTANCE_ID_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_GS_INPUT_INSTANCE_ID_REGISTER_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_GS_INPUT_INSTANCE_ID_REGISTER_COUNT","features":[404]},{"name":"D3D11_GS_INPUT_PRIM_CONST_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_GS_INPUT_PRIM_CONST_REGISTER_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_GS_INPUT_PRIM_CONST_REGISTER_COUNT","features":[404]},{"name":"D3D11_GS_INPUT_PRIM_CONST_REGISTER_READS_PER_INST","features":[404]},{"name":"D3D11_GS_INPUT_PRIM_CONST_REGISTER_READ_PORTS","features":[404]},{"name":"D3D11_GS_INPUT_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_GS_INPUT_REGISTER_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_GS_INPUT_REGISTER_COUNT","features":[404]},{"name":"D3D11_GS_INPUT_REGISTER_READS_PER_INST","features":[404]},{"name":"D3D11_GS_INPUT_REGISTER_READ_PORTS","features":[404]},{"name":"D3D11_GS_INPUT_REGISTER_VERTICES","features":[404]},{"name":"D3D11_GS_MAX_INSTANCE_COUNT","features":[404]},{"name":"D3D11_GS_MAX_OUTPUT_VERTEX_COUNT_ACROSS_INSTANCES","features":[404]},{"name":"D3D11_GS_OUTPUT_ELEMENTS","features":[404]},{"name":"D3D11_GS_OUTPUT_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_GS_OUTPUT_REGISTER_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_GS_OUTPUT_REGISTER_COUNT","features":[404]},{"name":"D3D11_HS_CONTROL_POINT_PHASE_INPUT_REGISTER_COUNT","features":[404]},{"name":"D3D11_HS_CONTROL_POINT_PHASE_OUTPUT_REGISTER_COUNT","features":[404]},{"name":"D3D11_HS_CONTROL_POINT_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_HS_CONTROL_POINT_REGISTER_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_HS_CONTROL_POINT_REGISTER_READS_PER_INST","features":[404]},{"name":"D3D11_HS_CONTROL_POINT_REGISTER_READ_PORTS","features":[404]},{"name":"D3D11_HS_FORK_PHASE_INSTANCE_COUNT_UPPER_BOUND","features":[404]},{"name":"D3D11_HS_INPUT_FORK_INSTANCE_ID_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_HS_INPUT_FORK_INSTANCE_ID_REGISTER_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_HS_INPUT_FORK_INSTANCE_ID_REGISTER_COUNT","features":[404]},{"name":"D3D11_HS_INPUT_FORK_INSTANCE_ID_REGISTER_READS_PER_INST","features":[404]},{"name":"D3D11_HS_INPUT_FORK_INSTANCE_ID_REGISTER_READ_PORTS","features":[404]},{"name":"D3D11_HS_INPUT_JOIN_INSTANCE_ID_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_HS_INPUT_JOIN_INSTANCE_ID_REGISTER_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_HS_INPUT_JOIN_INSTANCE_ID_REGISTER_COUNT","features":[404]},{"name":"D3D11_HS_INPUT_JOIN_INSTANCE_ID_REGISTER_READS_PER_INST","features":[404]},{"name":"D3D11_HS_INPUT_JOIN_INSTANCE_ID_REGISTER_READ_PORTS","features":[404]},{"name":"D3D11_HS_INPUT_PRIMITIVE_ID_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_HS_INPUT_PRIMITIVE_ID_REGISTER_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_HS_INPUT_PRIMITIVE_ID_REGISTER_COUNT","features":[404]},{"name":"D3D11_HS_INPUT_PRIMITIVE_ID_REGISTER_READS_PER_INST","features":[404]},{"name":"D3D11_HS_INPUT_PRIMITIVE_ID_REGISTER_READ_PORTS","features":[404]},{"name":"D3D11_HS_JOIN_PHASE_INSTANCE_COUNT_UPPER_BOUND","features":[404]},{"name":"D3D11_HS_MAXTESSFACTOR_LOWER_BOUND","features":[404]},{"name":"D3D11_HS_MAXTESSFACTOR_UPPER_BOUND","features":[404]},{"name":"D3D11_HS_OUTPUT_CONTROL_POINTS_MAX_TOTAL_SCALARS","features":[404]},{"name":"D3D11_HS_OUTPUT_CONTROL_POINT_ID_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_HS_OUTPUT_CONTROL_POINT_ID_REGISTER_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_HS_OUTPUT_CONTROL_POINT_ID_REGISTER_COUNT","features":[404]},{"name":"D3D11_HS_OUTPUT_CONTROL_POINT_ID_REGISTER_READS_PER_INST","features":[404]},{"name":"D3D11_HS_OUTPUT_CONTROL_POINT_ID_REGISTER_READ_PORTS","features":[404]},{"name":"D3D11_HS_OUTPUT_PATCH_CONSTANT_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_HS_OUTPUT_PATCH_CONSTANT_REGISTER_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_HS_OUTPUT_PATCH_CONSTANT_REGISTER_COUNT","features":[404]},{"name":"D3D11_HS_OUTPUT_PATCH_CONSTANT_REGISTER_READS_PER_INST","features":[404]},{"name":"D3D11_HS_OUTPUT_PATCH_CONSTANT_REGISTER_READ_PORTS","features":[404]},{"name":"D3D11_HS_OUTPUT_PATCH_CONSTANT_REGISTER_SCALAR_COMPONENTS","features":[404]},{"name":"D3D11_HULL_SHADER","features":[404]},{"name":"D3D11_HULL_SHADER_TRACE_DESC","features":[404]},{"name":"D3D11_IA_DEFAULT_INDEX_BUFFER_OFFSET_IN_BYTES","features":[404]},{"name":"D3D11_IA_DEFAULT_PRIMITIVE_TOPOLOGY","features":[404]},{"name":"D3D11_IA_DEFAULT_VERTEX_BUFFER_OFFSET_IN_BYTES","features":[404]},{"name":"D3D11_IA_INDEX_INPUT_RESOURCE_SLOT_COUNT","features":[404]},{"name":"D3D11_IA_INSTANCE_ID_BIT_COUNT","features":[404]},{"name":"D3D11_IA_INTEGER_ARITHMETIC_BIT_COUNT","features":[404]},{"name":"D3D11_IA_PATCH_MAX_CONTROL_POINT_COUNT","features":[404]},{"name":"D3D11_IA_PRIMITIVE_ID_BIT_COUNT","features":[404]},{"name":"D3D11_IA_VERTEX_ID_BIT_COUNT","features":[404]},{"name":"D3D11_IA_VERTEX_INPUT_RESOURCE_SLOT_COUNT","features":[404]},{"name":"D3D11_IA_VERTEX_INPUT_STRUCTURE_ELEMENTS_COMPONENTS","features":[404]},{"name":"D3D11_IA_VERTEX_INPUT_STRUCTURE_ELEMENT_COUNT","features":[404]},{"name":"D3D11_INFOQUEUE_STORAGE_FILTER_OVERRIDE","features":[404]},{"name":"D3D11_INFO_QUEUE_DEFAULT_MESSAGE_COUNT_LIMIT","features":[404]},{"name":"D3D11_INFO_QUEUE_FILTER","features":[404]},{"name":"D3D11_INFO_QUEUE_FILTER_DESC","features":[404]},{"name":"D3D11_INPUT_CLASSIFICATION","features":[404]},{"name":"D3D11_INPUT_ELEMENT_DESC","features":[404,396]},{"name":"D3D11_INPUT_PER_INSTANCE_DATA","features":[404]},{"name":"D3D11_INPUT_PER_VERTEX_DATA","features":[404]},{"name":"D3D11_INTEGER_DIVIDE_BY_ZERO_QUOTIENT","features":[404]},{"name":"D3D11_INTEGER_DIVIDE_BY_ZERO_REMAINDER","features":[404]},{"name":"D3D11_KEEP_RENDER_TARGETS_AND_DEPTH_STENCIL","features":[404]},{"name":"D3D11_KEEP_UNORDERED_ACCESS_VIEWS","features":[404]},{"name":"D3D11_KEY_EXCHANGE_HW_PROTECTION","features":[404]},{"name":"D3D11_KEY_EXCHANGE_HW_PROTECTION_DATA","features":[404]},{"name":"D3D11_KEY_EXCHANGE_HW_PROTECTION_INPUT_DATA","features":[404]},{"name":"D3D11_KEY_EXCHANGE_HW_PROTECTION_OUTPUT_DATA","features":[404]},{"name":"D3D11_KEY_EXCHANGE_RSAES_OAEP","features":[404]},{"name":"D3D11_LIBRARY_DESC","features":[404]},{"name":"D3D11_LINEAR_GAMMA","features":[404]},{"name":"D3D11_LOGIC_OP","features":[404]},{"name":"D3D11_LOGIC_OP_AND","features":[404]},{"name":"D3D11_LOGIC_OP_AND_INVERTED","features":[404]},{"name":"D3D11_LOGIC_OP_AND_REVERSE","features":[404]},{"name":"D3D11_LOGIC_OP_CLEAR","features":[404]},{"name":"D3D11_LOGIC_OP_COPY","features":[404]},{"name":"D3D11_LOGIC_OP_COPY_INVERTED","features":[404]},{"name":"D3D11_LOGIC_OP_EQUIV","features":[404]},{"name":"D3D11_LOGIC_OP_INVERT","features":[404]},{"name":"D3D11_LOGIC_OP_NAND","features":[404]},{"name":"D3D11_LOGIC_OP_NOOP","features":[404]},{"name":"D3D11_LOGIC_OP_NOR","features":[404]},{"name":"D3D11_LOGIC_OP_OR","features":[404]},{"name":"D3D11_LOGIC_OP_OR_INVERTED","features":[404]},{"name":"D3D11_LOGIC_OP_OR_REVERSE","features":[404]},{"name":"D3D11_LOGIC_OP_SET","features":[404]},{"name":"D3D11_LOGIC_OP_XOR","features":[404]},{"name":"D3D11_MAG_FILTER_SHIFT","features":[404]},{"name":"D3D11_MAJOR_VERSION","features":[404]},{"name":"D3D11_MAP","features":[404]},{"name":"D3D11_MAPPED_SUBRESOURCE","features":[404]},{"name":"D3D11_MAP_FLAG","features":[404]},{"name":"D3D11_MAP_FLAG_DO_NOT_WAIT","features":[404]},{"name":"D3D11_MAP_READ","features":[404]},{"name":"D3D11_MAP_READ_WRITE","features":[404]},{"name":"D3D11_MAP_WRITE","features":[404]},{"name":"D3D11_MAP_WRITE_DISCARD","features":[404]},{"name":"D3D11_MAP_WRITE_NO_OVERWRITE","features":[404]},{"name":"D3D11_MAX_BORDER_COLOR_COMPONENT","features":[404]},{"name":"D3D11_MAX_DEPTH","features":[404]},{"name":"D3D11_MAX_MAXANISOTROPY","features":[404]},{"name":"D3D11_MAX_MULTISAMPLE_SAMPLE_COUNT","features":[404]},{"name":"D3D11_MAX_POSITION_VALUE","features":[404]},{"name":"D3D11_MAX_TEXTURE_DIMENSION_2_TO_EXP","features":[404]},{"name":"D3D11_MESSAGE","features":[404]},{"name":"D3D11_MESSAGE_CATEGORY","features":[404]},{"name":"D3D11_MESSAGE_CATEGORY_APPLICATION_DEFINED","features":[404]},{"name":"D3D11_MESSAGE_CATEGORY_CLEANUP","features":[404]},{"name":"D3D11_MESSAGE_CATEGORY_COMPILATION","features":[404]},{"name":"D3D11_MESSAGE_CATEGORY_EXECUTION","features":[404]},{"name":"D3D11_MESSAGE_CATEGORY_INITIALIZATION","features":[404]},{"name":"D3D11_MESSAGE_CATEGORY_MISCELLANEOUS","features":[404]},{"name":"D3D11_MESSAGE_CATEGORY_RESOURCE_MANIPULATION","features":[404]},{"name":"D3D11_MESSAGE_CATEGORY_SHADER","features":[404]},{"name":"D3D11_MESSAGE_CATEGORY_STATE_CREATION","features":[404]},{"name":"D3D11_MESSAGE_CATEGORY_STATE_GETTING","features":[404]},{"name":"D3D11_MESSAGE_CATEGORY_STATE_SETTING","features":[404]},{"name":"D3D11_MESSAGE_ID","features":[404]},{"name":"D3D11_MESSAGE_ID_ACQUIREHANDLEFORCAPTURE_INVALIDARRAY","features":[404]},{"name":"D3D11_MESSAGE_ID_ACQUIREHANDLEFORCAPTURE_INVALIDBIND","features":[404]},{"name":"D3D11_MESSAGE_ID_ACQUIREHANDLEFORCAPTURE_INVALIDTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_ACQUIREHANDLEFORCAPTURE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_BLENDSTATE_GETDESC_LEGACY","features":[404]},{"name":"D3D11_MESSAGE_ID_BUFFER_MAP_ALREADYMAPPED","features":[404]},{"name":"D3D11_MESSAGE_ID_BUFFER_MAP_DEVICEREMOVED_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_BUFFER_MAP_INVALIDFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_BUFFER_MAP_INVALIDMAPTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_BUFFER_UNMAP_NOTMAPPED","features":[404]},{"name":"D3D11_MESSAGE_ID_CANNOT_ADD_TRACKED_WORKLOAD","features":[404]},{"name":"D3D11_MESSAGE_ID_CHECKCOUNTER_OUTOFRANGE_COUNTER","features":[404]},{"name":"D3D11_MESSAGE_ID_CHECKCOUNTER_UNSUPPORTED_WELLKNOWN_COUNTER","features":[404]},{"name":"D3D11_MESSAGE_ID_CHECKCRYPTOKEYEXCHANGE_INVALIDINDEX","features":[404]},{"name":"D3D11_MESSAGE_ID_CHECKCRYPTOKEYEXCHANGE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_CHECKCRYPTOSESSIONSTATUS_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_CHECKFEATURESUPPORT_FORMAT_DEPRECATED","features":[404]},{"name":"D3D11_MESSAGE_ID_CHECKFORMATSUPPORT_FORMAT_DEPRECATED","features":[404]},{"name":"D3D11_MESSAGE_ID_CHECKFORMATSUPPORT_FORMAT_NOT_SUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_CHECKMULTISAMPLEQUALITYLEVELS_FORMAT_DEPRECATED","features":[404]},{"name":"D3D11_MESSAGE_ID_CHECKMULTISAMPLEQUALITYLEVELS_INVALIDFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CHECKVIDEODECODERDOWNSAMPLING_INVALIDCOLORSPACE","features":[404]},{"name":"D3D11_MESSAGE_ID_CHECKVIDEODECODERDOWNSAMPLING_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_CHECKVIDEODECODERDOWNSAMPLING_ZEROWIDTHHEIGHT","features":[404]},{"name":"D3D11_MESSAGE_ID_CHECKVIDEODECODERFORMAT_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_CHECKVIDEODECODERFORMAT_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CHECKVIDEOPROCESSORFORMATCONVERSION_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_CHECKVIDEOPROCESSORFORMAT_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_CLEARDEPTHSTENCILVIEW_DENORMFLUSH","features":[404]},{"name":"D3D11_MESSAGE_ID_CLEARDEPTHSTENCILVIEW_DEPTH_READONLY","features":[404]},{"name":"D3D11_MESSAGE_ID_CLEARDEPTHSTENCILVIEW_INVALID","features":[404]},{"name":"D3D11_MESSAGE_ID_CLEARDEPTHSTENCILVIEW_STENCIL_READONLY","features":[404]},{"name":"D3D11_MESSAGE_ID_CLEARRENDERTARGETVIEW_DENORMFLUSH","features":[404]},{"name":"D3D11_MESSAGE_ID_CLEARUNORDEREDACCESSVIEWFLOAT_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_CLEARUNORDEREDACCESSVIEWFLOAT_INVALIDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CLEARUNORDEREDACCESSVIEWUINT_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_CLEARUNORDEREDACCESSVIEW_DENORMFLUSH","features":[404]},{"name":"D3D11_MESSAGE_ID_CONFIGUREAUTHENTICATEDCHANNEL_INVALIDPROCESSIDTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_CONFIGUREAUTHENTICATEDCHANNEL_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_CONFIGUREAUTHENTICATEDCHANNEL_UNSUPPORTEDCONFIGURE","features":[404]},{"name":"D3D11_MESSAGE_ID_CONFIGUREAUTHENTICATEDCHANNEL_WRONGCHANNEL","features":[404]},{"name":"D3D11_MESSAGE_ID_CONFIGUREAUTHENTICATEDCHANNEL_WRONGSIZE","features":[404]},{"name":"D3D11_MESSAGE_ID_COPYRESOURCE_INVALIDDESTINATIONSTATE","features":[404]},{"name":"D3D11_MESSAGE_ID_COPYRESOURCE_INVALIDSOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_COPYRESOURCE_INVALIDSOURCESTATE","features":[404]},{"name":"D3D11_MESSAGE_ID_COPYRESOURCE_NO_3D_MISMATCHED_UPDATES","features":[404]},{"name":"D3D11_MESSAGE_ID_COPYRESOURCE_NO_TEXTURE_3D_READBACK","features":[404]},{"name":"D3D11_MESSAGE_ID_COPYRESOURCE_NO_TEXTURE_ONLY_READBACK","features":[404]},{"name":"D3D11_MESSAGE_ID_COPYRESOURCE_ONLY_TEXTURE_2D_WITHIN_GPU_MEMORY","features":[404]},{"name":"D3D11_MESSAGE_ID_COPYSTRUCTURECOUNT_INVALIDDESTINATIONSTATE","features":[404]},{"name":"D3D11_MESSAGE_ID_COPYSTRUCTURECOUNT_INVALIDOFFSET","features":[404]},{"name":"D3D11_MESSAGE_ID_COPYSTRUCTURECOUNT_INVALIDSOURCESTATE","features":[404]},{"name":"D3D11_MESSAGE_ID_COPYSTRUCTURECOUNT_LARGEOFFSET","features":[404]},{"name":"D3D11_MESSAGE_ID_COPYSUBRESOURCEREGION1_INVALIDCOPYFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_COPYSUBRESOURCEREGION_EMPTYSOURCEBOX","features":[404]},{"name":"D3D11_MESSAGE_ID_COPYSUBRESOURCEREGION_INVALIDDESTINATIONSTATE","features":[404]},{"name":"D3D11_MESSAGE_ID_COPYSUBRESOURCEREGION_INVALIDDESTINATIONSUBRESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_COPYSUBRESOURCEREGION_INVALIDSOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_COPYSUBRESOURCEREGION_INVALIDSOURCEBOX","features":[404]},{"name":"D3D11_MESSAGE_ID_COPYSUBRESOURCEREGION_INVALIDSOURCESTATE","features":[404]},{"name":"D3D11_MESSAGE_ID_COPYSUBRESOURCEREGION_INVALIDSOURCESUBRESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_COPYTILEMAPPINGS_INVALID_PARAMETER","features":[404]},{"name":"D3D11_MESSAGE_ID_COPYTILES_INVALID_PARAMETER","features":[404]},{"name":"D3D11_MESSAGE_ID_CORRUPTED_MULTITHREADING","features":[404]},{"name":"D3D11_MESSAGE_ID_CORRUPTED_PARAMETER1","features":[404]},{"name":"D3D11_MESSAGE_ID_CORRUPTED_PARAMETER10","features":[404]},{"name":"D3D11_MESSAGE_ID_CORRUPTED_PARAMETER11","features":[404]},{"name":"D3D11_MESSAGE_ID_CORRUPTED_PARAMETER12","features":[404]},{"name":"D3D11_MESSAGE_ID_CORRUPTED_PARAMETER13","features":[404]},{"name":"D3D11_MESSAGE_ID_CORRUPTED_PARAMETER14","features":[404]},{"name":"D3D11_MESSAGE_ID_CORRUPTED_PARAMETER15","features":[404]},{"name":"D3D11_MESSAGE_ID_CORRUPTED_PARAMETER2","features":[404]},{"name":"D3D11_MESSAGE_ID_CORRUPTED_PARAMETER3","features":[404]},{"name":"D3D11_MESSAGE_ID_CORRUPTED_PARAMETER4","features":[404]},{"name":"D3D11_MESSAGE_ID_CORRUPTED_PARAMETER5","features":[404]},{"name":"D3D11_MESSAGE_ID_CORRUPTED_PARAMETER6","features":[404]},{"name":"D3D11_MESSAGE_ID_CORRUPTED_PARAMETER7","features":[404]},{"name":"D3D11_MESSAGE_ID_CORRUPTED_PARAMETER8","features":[404]},{"name":"D3D11_MESSAGE_ID_CORRUPTED_PARAMETER9","features":[404]},{"name":"D3D11_MESSAGE_ID_CORRUPTED_THIS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEAUTHENTICATEDCHANNEL_INVALIDTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEAUTHENTICATEDCHANNEL_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEAUTHENTICATEDCHANNEL_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEAUTHENTICATEDCHANNEL_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBLENDSTATE_INVALIDBLENDOP","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBLENDSTATE_INVALIDBLENDOPALPHA","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBLENDSTATE_INVALIDDESTBLEND","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBLENDSTATE_INVALIDDESTBLENDALPHA","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBLENDSTATE_INVALIDLOGICOPS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBLENDSTATE_INVALIDRENDERTARGETWRITEMASK","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBLENDSTATE_INVALIDSRCBLEND","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBLENDSTATE_INVALIDSRCBLENDALPHA","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBLENDSTATE_NO_ALPHA_TO_COVERAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBLENDSTATE_NO_INDEPENDENT_BLEND_ENABLE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBLENDSTATE_NO_INDEPENDENT_WRITE_MASKS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBLENDSTATE_NO_MRT_BLEND","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBLENDSTATE_NO_SEPARATE_ALPHA_BLEND","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBLENDSTATE_NULLDESC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBLENDSTATE_OPERATION_NOT_SUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBLENDSTATE_TOOMANYOBJECTS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBUFFER_INVALIDARG_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBUFFER_INVALIDBINDFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBUFFER_INVALIDCONSTANTBUFFERBINDINGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBUFFER_INVALIDCPUACCESSFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBUFFER_INVALIDDIMENSIONS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBUFFER_INVALIDINITIALDATA","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBUFFER_INVALIDMIPLEVELS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBUFFER_INVALIDMISCFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBUFFER_INVALIDSAMPLES","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBUFFER_INVALIDSTRUCTURESTRIDE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBUFFER_INVALIDUSAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBUFFER_LARGEALLOCATION","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBUFFER_NULLDESC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBUFFER_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBUFFER_UNRECOGNIZEDBINDFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBUFFER_UNRECOGNIZEDCPUACCESSFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBUFFER_UNRECOGNIZEDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBUFFER_UNRECOGNIZEDMISCFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEBUFFER_UNRECOGNIZEDUSAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATECOMPUTESHADER_INVALIDCALL","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATECOMPUTESHADER_INVALIDCLASSLINKAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATECOMPUTESHADER_INVALIDSHADERBYTECODE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATECOMPUTESHADER_INVALIDSHADERTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATECOMPUTESHADER_OUTOFMEMORY","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATECOUNTER_NONEXCLUSIVE_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATECOUNTER_NULLDESC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATECOUNTER_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATECOUNTER_OUTOFRANGE_COUNTER","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATECOUNTER_SIMULTANEOUS_ACTIVE_COUNTERS_EXHAUSTED","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATECOUNTER_UNSUPPORTED_WELLKNOWN_COUNTER","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATECRYPTOSESSION_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATECRYPTOSESSION_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEFERREDCONTEXT_INVALIDARG_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEFERREDCONTEXT_INVALID_CALL_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEFERREDCONTEXT_INVALID_COMMANDLISTFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEFERREDCONTEXT_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEFERREDCONTEXT_SINGLETHREADED","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDBACKFACESTENCILFAILOP","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDBACKFACESTENCILFUNC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDBACKFACESTENCILPASSOP","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDBACKFACESTENCILZFAILOP","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDDEPTHFUNC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDDEPTHWRITEMASK","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDFRONTFACESTENCILFAILOP","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDFRONTFACESTENCILFUNC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDFRONTFACESTENCILPASSOP","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDFRONTFACESTENCILZFAILOP","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_NULLDESC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_STENCIL_NO_TWO_SIDED","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_TOOMANYOBJECTS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEPTHSTENCILVIEW_INVALIDARG_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEPTHSTENCILVIEW_INVALIDDESC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEPTHSTENCILVIEW_INVALIDDIMENSIONS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEPTHSTENCILVIEW_INVALIDFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEPTHSTENCILVIEW_INVALIDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEPTHSTENCILVIEW_INVALIDRESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEPTHSTENCILVIEW_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEPTHSTENCILVIEW_TOOMANYOBJECTS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEPTHSTENCILVIEW_UNRECOGNIZEDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEVICECONTEXTSTATE_FEATURELEVELS_NOT_SUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEVICECONTEXTSTATE_INVALIDFEATURELEVEL","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEVICECONTEXTSTATE_INVALIDFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEVICECONTEXTSTATE_INVALIDREFIID","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEVICE_INVALIDARGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDEVICE_WARNING","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDOMAINSHADER_INVALIDCALL","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDOMAINSHADER_INVALIDCLASSLINKAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDOMAINSHADER_INVALIDSHADERBYTECODE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDOMAINSHADER_INVALIDSHADERTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEDOMAINSHADER_OUTOFMEMORY","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEFENCE_INVALIDFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_CANTHAVEONLYGAPS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_DECLTOOCOMPLEX","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_EXPECTEDDECL","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDCLASSLINKAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDCOMPONENTCOUNT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDGAPDEFINITION","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDNUMENTRIES","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDNUMSTREAMS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDNUMSTRIDES","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDOUTPUTSLOT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDOUTPUTSTREAMSTRIDE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDSHADERBYTECODE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDSHADERTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDSTARTCOMPONENTANDCOMPONENTCOUNT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDSTREAMTORASTERIZER","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_MASKMISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_MISSINGOUTPUTSIGNATURE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_MISSINGSEMANTIC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_ONLYONEELEMENTPERSLOT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_OUTOFMEMORY","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_OUTPUTSLOT0EXPECTED","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_OUTPUTSTREAMSTRIDEUNUSED","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_REPEATEDOUTPUT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_TRAILING_DIGIT_IN_SEMANTIC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_UNEXPECTEDDECL","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_UNEXPECTEDENTRIES","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_UNEXPECTEDSTREAMS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_UNEXPECTEDSTRIDES","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADER_INVALIDCLASSLINKAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADER_INVALIDSHADERBYTECODE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADER_INVALIDSHADERTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEGEOMETRYSHADER_OUTOFMEMORY","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEHULLSHADER_INVALIDCALL","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEHULLSHADER_INVALIDCLASSLINKAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEHULLSHADER_INVALIDSHADERBYTECODE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEHULLSHADER_INVALIDSHADERTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEHULLSHADER_OUTOFMEMORY","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEINPUTLAYOUT_DUPLICATESEMANTIC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEINPUTLAYOUT_EMPTY_LAYOUT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEINPUTLAYOUT_INCOMPATIBLEFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEINPUTLAYOUT_INVALIDALIGNMENT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEINPUTLAYOUT_INVALIDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEINPUTLAYOUT_INVALIDINPUTSLOTCLASS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEINPUTLAYOUT_INVALIDSLOT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEINPUTLAYOUT_INVALIDSLOTCLASSCHANGE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEINPUTLAYOUT_INVALIDSTEPRATECHANGE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEINPUTLAYOUT_LEVEL9_INSTANCING_NOT_SUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEINPUTLAYOUT_LEVEL9_STEPRATE_NOT_1","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEINPUTLAYOUT_MISSINGELEMENT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEINPUTLAYOUT_NULLDESC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEINPUTLAYOUT_NULLSEMANTIC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEINPUTLAYOUT_OUTOFMEMORY","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEINPUTLAYOUT_STEPRATESLOTCLASSMISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEINPUTLAYOUT_TOOMANYELEMENTS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEINPUTLAYOUT_TRAILING_DIGIT_IN_SEMANTIC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEINPUTLAYOUT_TYPE_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEINPUTLAYOUT_UNPARSEABLEINPUTSIGNATURE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEINPUTLAYOUT_UNSUPPORTED_FORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEPIXELSHADER_INVALIDCLASSLINKAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEPIXELSHADER_INVALIDSHADERBYTECODE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEPIXELSHADER_INVALIDSHADERTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEPIXELSHADER_OUTOFMEMORY","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEPREDICATE_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEQUERYORPREDICATE_DECODENOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEQUERYORPREDICATE_ENCODENOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEQUERYORPREDICATE_INVALIDCONTEXTTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEQUERYORPREDICATE_INVALIDMISCFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEQUERYORPREDICATE_INVALIDQUERY","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEQUERYORPREDICATE_NULLDESC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEQUERYORPREDICATE_UNEXPECTEDMISCFLAG","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEQUERYORPREDICATE_UNSUPPORTEDCONTEXTTTYPEFORQUERY","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEQUERY_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERASTERIZERSTATE_DepthBiasClamp_NOT_SUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERASTERIZERSTATE_DepthClipEnable_MUST_BE_TRUE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERASTERIZERSTATE_INVALIDCULLMODE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERASTERIZERSTATE_INVALIDDEPTHBIASCLAMP","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERASTERIZERSTATE_INVALIDFILLMODE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERASTERIZERSTATE_INVALIDFORCEDSAMPLECOUNT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERASTERIZERSTATE_INVALIDSLOPESCALEDDEPTHBIAS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERASTERIZERSTATE_INVALID_CONSERVATIVERASTERMODE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERASTERIZERSTATE_NULLDESC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERASTERIZERSTATE_TOOMANYOBJECTS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERENDERTARGETVIEW_AMBIGUOUSVIDEOPLANEINDEX","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERENDERTARGETVIEW_INVALIDARG_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERENDERTARGETVIEW_INVALIDDARRAYWITHDECODER","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERENDERTARGETVIEW_INVALIDDESC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERENDERTARGETVIEW_INVALIDDIMENSIONS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERENDERTARGETVIEW_INVALIDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERENDERTARGETVIEW_INVALIDPLANEINDEX","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERENDERTARGETVIEW_INVALIDRESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERENDERTARGETVIEW_INVALIDVIDEOPLANEINDEX","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERENDERTARGETVIEW_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERENDERTARGETVIEW_TOOMANYOBJECTS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERENDERTARGETVIEW_UNRECOGNIZEDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERENDERTARGETVIEW_UNSUPPORTEDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERESOURCE_DIMENSION_EXCEEDS_FEATURE_LEVEL_DEFINITION","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERESOURCE_DIMENSION_OUT_OF_RANGE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERESOURCE_DXGI_FORMAT_R8G8B8A8_CANNOT_BE_SHARED","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERESOURCE_MSAA_PRECLUDES_SHADER_RESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERESOURCE_NON_POW_2_MIPMAP","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERESOURCE_NOT_BINDABLE_AS_RENDER_TARGET","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERESOURCE_NOT_BINDABLE_AS_SHADER_RESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERESOURCE_NO_ARRAYS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERESOURCE_NO_AUTOGEN_FOR_VOLUMES","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERESOURCE_NO_DWORD_INDEX_BUFFER","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERESOURCE_NO_STREAM_OUT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERESOURCE_NO_TEXTURE_1D","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERESOURCE_NO_VB_AND_IB_BIND","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERESOURCE_ONLY_SINGLE_MIP_LEVEL_DEPTH_STENCIL_SUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERESOURCE_ONLY_VB_IB_FOR_BUFFERS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATERESOURCE_PRESENTATION_PRECLUDES_SHADER_RESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESAMPLERSTATE_BORDER_NOT_SUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESAMPLERSTATE_BORDER_OUT_OF_RANGE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESAMPLERSTATE_EXCESSIVE_ANISOTROPY","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESAMPLERSTATE_INVALIDADDRESSU","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESAMPLERSTATE_INVALIDADDRESSV","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESAMPLERSTATE_INVALIDADDRESSW","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESAMPLERSTATE_INVALIDCOMPARISONFUNC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESAMPLERSTATE_INVALIDFILTER","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESAMPLERSTATE_INVALIDMAXANISOTROPY","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESAMPLERSTATE_INVALIDMAXLOD","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESAMPLERSTATE_INVALIDMINLOD","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESAMPLERSTATE_INVALIDMIPLODBIAS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESAMPLERSTATE_MAXLOD_MUST_BE_FLT_MAX","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESAMPLERSTATE_MINLOD_MUST_NOT_BE_FRACTIONAL","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESAMPLERSTATE_NO_COMPARISON_SUPPORT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESAMPLERSTATE_NO_MIRRORONCE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESAMPLERSTATE_NULLDESC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESAMPLERSTATE_TOOMANYOBJECTS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESHADERRESESOURCEVIEW_TOOMANYOBJECTS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESHADERRESOURCEVIEW_AMBIGUOUSVIDEOPLANEINDEX","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESHADERRESOURCEVIEW_CUBES_MUST_HAVE_6_SIDES","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESHADERRESOURCEVIEW_FIRSTARRAYSLICE_MUST_BE_ZERO","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESHADERRESOURCEVIEW_INVALIDARG_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESHADERRESOURCEVIEW_INVALIDDARRAYWITHDECODER","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESHADERRESOURCEVIEW_INVALIDDESC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESHADERRESOURCEVIEW_INVALIDDIMENSIONS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESHADERRESOURCEVIEW_INVALIDFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESHADERRESOURCEVIEW_INVALIDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESHADERRESOURCEVIEW_INVALIDPLANEINDEX","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESHADERRESOURCEVIEW_INVALIDRESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESHADERRESOURCEVIEW_INVALIDVIDEOPLANEINDEX","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESHADERRESOURCEVIEW_MUST_USE_LOWEST_LOD","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESHADERRESOURCEVIEW_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESHADERRESOURCEVIEW_TOOMANYOBJECTS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATESHADERRESOURCEVIEW_UNRECOGNIZEDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE1D_INVALIDARG_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE1D_INVALIDBINDFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE1D_INVALIDCPUACCESSFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE1D_INVALIDDIMENSIONS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE1D_INVALIDINITIALDATA","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE1D_INVALIDMIPLEVELS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE1D_INVALIDMISCFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE1D_INVALIDSAMPLES","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE1D_INVALIDUSAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE1D_LARGEALLOCATION","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE1D_NULLDESC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE1D_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE1D_UNRECOGNIZEDBINDFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE1D_UNRECOGNIZEDCPUACCESSFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE1D_UNRECOGNIZEDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE1D_UNRECOGNIZEDMISCFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE1D_UNRECOGNIZEDUSAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE1D_UNSUPPORTEDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE2D_INVALIDARG_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE2D_INVALIDBINDFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE2D_INVALIDCPUACCESSFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE2D_INVALIDDIMENSIONS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE2D_INVALIDINITIALDATA","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE2D_INVALIDMIPLEVELS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE2D_INVALIDMISCFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE2D_INVALIDSAMPLES","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE2D_INVALIDUSAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE2D_LARGEALLOCATION","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE2D_NULLDESC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE2D_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE2D_UNRECOGNIZEDBINDFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE2D_UNRECOGNIZEDCPUACCESSFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE2D_UNRECOGNIZEDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE2D_UNRECOGNIZEDMISCFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE2D_UNRECOGNIZEDUSAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE2D_UNSUPPORTEDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE3D_INVALIDARG_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE3D_INVALIDBINDFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE3D_INVALIDCPUACCESSFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE3D_INVALIDDIMENSIONS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE3D_INVALIDINITIALDATA","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE3D_INVALIDMIPLEVELS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE3D_INVALIDMISCFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE3D_INVALIDSAMPLES","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE3D_LARGEALLOCATION","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE3D_NULLDESC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE3D_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE3D_UNRECOGNIZEDBINDFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE3D_UNRECOGNIZEDCPUACCESSFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE3D_UNRECOGNIZEDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE3D_UNRECOGNIZEDMISCFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE3D_UNRECOGNIZEDUSAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATETEXTURE3D_UNSUPPORTEDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEUNORDEREDACCESSVIEW_AMBIGUOUSVIDEOPLANEINDEX","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEUNORDEREDACCESSVIEW_INVALIDARG_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEUNORDEREDACCESSVIEW_INVALIDDARRAYWITHDECODER","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEUNORDEREDACCESSVIEW_INVALIDDESC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEUNORDEREDACCESSVIEW_INVALIDDIMENSIONS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEUNORDEREDACCESSVIEW_INVALIDFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEUNORDEREDACCESSVIEW_INVALIDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEUNORDEREDACCESSVIEW_INVALIDPLANEINDEX","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEUNORDEREDACCESSVIEW_INVALIDRESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEUNORDEREDACCESSVIEW_INVALIDVIDEOPLANEINDEX","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEUNORDEREDACCESSVIEW_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEUNORDEREDACCESSVIEW_TOOMANYOBJECTS","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEUNORDEREDACCESSVIEW_UNRECOGNIZEDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVERTEXSHADER_INVALIDCLASSLINKAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVERTEXSHADER_INVALIDSHADERBYTECODE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVERTEXSHADER_INVALIDSHADERTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVERTEXSHADER_OUTOFMEMORY","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEODECODEROUTPUTVIEW_INVALIDARRAY","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEODECODEROUTPUTVIEW_INVALIDARRAYSIZE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEODECODEROUTPUTVIEW_INVALIDBIND","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEODECODEROUTPUTVIEW_INVALIDDIMENSION","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEODECODEROUTPUTVIEW_INVALIDMIP","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEODECODEROUTPUTVIEW_INVALIDTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEODECODEROUTPUTVIEW_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEODECODEROUTPUTVIEW_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEODECODEROUTPUTVIEW_UNSUPPORTEDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEODECODEROUTPUTVIEW_UNSUPPORTEMIP","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEODECODER_DRIVER_INVALIDBUFFERSIZE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEODECODER_DRIVER_INVALIDBUFFERUSAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEODECODER_INVALIDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEODECODER_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEODECODER_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEODECODER_ZEROWIDTHHEIGHT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSORENUMERATOR_INVALIDFRAMEFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSORENUMERATOR_INVALIDINPUTFRAMERATE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSORENUMERATOR_INVALIDOUTPUTFRAMERATE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSORENUMERATOR_INVALIDUSAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSORENUMERATOR_INVALIDWIDTHHEIGHT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSORENUMERATOR_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSORENUMERATOR_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSORINPUTVIEW_INVALIDARRAY","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSORINPUTVIEW_INVALIDARRAYSIZE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSORINPUTVIEW_INVALIDBIND","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSORINPUTVIEW_INVALIDDIMENSION","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSORINPUTVIEW_INVALIDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSORINPUTVIEW_INVALIDFOURCC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSORINPUTVIEW_INVALIDMIP","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSORINPUTVIEW_INVALIDMISC","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSORINPUTVIEW_INVALIDMSAA","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSORINPUTVIEW_INVALIDTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSORINPUTVIEW_INVALIDUSAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSORINPUTVIEW_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSORINPUTVIEW_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSORINPUTVIEW_UNSUPPORTEDMIP","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSOROUTPUTVIEW_INVALIDARRAY","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSOROUTPUTVIEW_INVALIDBIND","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSOROUTPUTVIEW_INVALIDDIMENSION","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSOROUTPUTVIEW_INVALIDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSOROUTPUTVIEW_INVALIDMIP","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSOROUTPUTVIEW_INVALIDMSAA","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSOROUTPUTVIEW_INVALIDTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSOROUTPUTVIEW_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSOROUTPUTVIEW_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSOROUTPUTVIEW_UNSUPPORTEDARRAY","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSOROUTPUTVIEW_UNSUPPORTEDMIP","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSOR_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATEVIDEOPROCESSOR_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_AUTHENTICATEDCHANNEL","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_BLENDSTATE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_BUFFER","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_CLASSINSTANCE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_CLASSLINKAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_COMMANDLIST","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_COMPUTESHADER","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_CONTEXT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_COUNTER","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_CRYPTOSESSION","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_DECODEROUTPUTVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_DEPTHSTENCILSTATE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_DEPTHSTENCILVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_DEVICECONTEXTSTATE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_DOMAINSHADER","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_FENCE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_GEOMETRYSHADER","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_HULLSHADER","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_INPUTLAYOUT","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_PIXELSHADER","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_PREDICATE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_PROCESSORINPUTVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_PROCESSOROUTPUTVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_QUERY","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_RASTERIZERSTATE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_RENDERTARGETVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_SAMPLER","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_SHADERRESOURCEVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_SYNCHRONIZEDCHANNEL","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_TEXTURE1D","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_TEXTURE2D","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_TEXTURE3D","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_TRACKEDWORKLOAD","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_TRACKED_WORKLOAD_INVALID_DEADLINE_TYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_TRACKED_WORKLOAD_INVALID_ENGINE_TYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_TRACKED_WORKLOAD_INVALID_MAX_INSTANCES","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_TRACKED_WORKLOAD_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_UNORDEREDACCESSVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_VERTEXSHADER","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_VIDEODECODER","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_VIDEOPROCESSOR","features":[404]},{"name":"D3D11_MESSAGE_ID_CREATE_VIDEOPROCESSORENUM","features":[404]},{"name":"D3D11_MESSAGE_ID_CSSETCONSTANTBUFFERS_INVALIDBUFFER","features":[404]},{"name":"D3D11_MESSAGE_ID_CSSETCONSTANTBUFFERS_INVALIDBUFFEROFFSETORCOUNT","features":[404]},{"name":"D3D11_MESSAGE_ID_CSSETCONSTANTBUFFERS_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_CSSETSAMPLERS_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_CSSETSHADERRESOURCES_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_CSSETSHADER_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_CSSETUNORDEREDACCESSVIEWS_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_D3D10L9_MESSAGES_END","features":[404]},{"name":"D3D11_MESSAGE_ID_D3D10L9_MESSAGES_START","features":[404]},{"name":"D3D11_MESSAGE_ID_D3D10_MESSAGES_END","features":[404]},{"name":"D3D11_MESSAGE_ID_D3D11_1_MESSAGES_END","features":[404]},{"name":"D3D11_MESSAGE_ID_D3D11_1_MESSAGES_START","features":[404]},{"name":"D3D11_MESSAGE_ID_D3D11_2_MESSAGES_END","features":[404]},{"name":"D3D11_MESSAGE_ID_D3D11_2_MESSAGES_START","features":[404]},{"name":"D3D11_MESSAGE_ID_D3D11_3_MESSAGES_END","features":[404]},{"name":"D3D11_MESSAGE_ID_D3D11_3_MESSAGES_START","features":[404]},{"name":"D3D11_MESSAGE_ID_D3D11_5_MESSAGES_END","features":[404]},{"name":"D3D11_MESSAGE_ID_D3D11_5_MESSAGES_START","features":[404]},{"name":"D3D11_MESSAGE_ID_D3D11_MESSAGES_END","features":[404]},{"name":"D3D11_MESSAGE_ID_D3D11_MESSAGES_START","features":[404]},{"name":"D3D11_MESSAGE_ID_DECODERBEGINFRAME_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_DECODERBEGINFRAME_INVALID_HISTOGRAM_BUFFER_MISC_FLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_DECODERBEGINFRAME_INVALID_HISTOGRAM_BUFFER_OFFSET","features":[404]},{"name":"D3D11_MESSAGE_ID_DECODERBEGINFRAME_INVALID_HISTOGRAM_BUFFER_SIZE","features":[404]},{"name":"D3D11_MESSAGE_ID_DECODERBEGINFRAME_INVALID_HISTOGRAM_BUFFER_USAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_DECODERBEGINFRAME_INVALID_HISTOGRAM_COMPONENT","features":[404]},{"name":"D3D11_MESSAGE_ID_DECODERBEGINFRAME_INVALID_HISTOGRAM_COMPONENT_COUNT","features":[404]},{"name":"D3D11_MESSAGE_ID_DECODERBEGINFRAME_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_DECODERENDFRAME_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_DECODEREXTENSION_INVALIDRESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_DECODEREXTENSION_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_DECRYPTIONBLT_DST_MAPPED","features":[404]},{"name":"D3D11_MESSAGE_ID_DECRYPTIONBLT_DST_MULTISAMPLED","features":[404]},{"name":"D3D11_MESSAGE_ID_DECRYPTIONBLT_DST_NOT_RENDER_TARGET","features":[404]},{"name":"D3D11_MESSAGE_ID_DECRYPTIONBLT_DST_OFFERED","features":[404]},{"name":"D3D11_MESSAGE_ID_DECRYPTIONBLT_DST_WRONGDEVICE","features":[404]},{"name":"D3D11_MESSAGE_ID_DECRYPTIONBLT_FORMAT_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_DECRYPTIONBLT_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_DECRYPTIONBLT_SIZE_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_DECRYPTIONBLT_SRC_CONTENT_UNDEFINED","features":[404]},{"name":"D3D11_MESSAGE_ID_DECRYPTIONBLT_SRC_MAPPED","features":[404]},{"name":"D3D11_MESSAGE_ID_DECRYPTIONBLT_SRC_NOT_STAGING","features":[404]},{"name":"D3D11_MESSAGE_ID_DECRYPTIONBLT_SRC_OFFERED","features":[404]},{"name":"D3D11_MESSAGE_ID_DECRYPTIONBLT_SRC_WRONGDEVICE","features":[404]},{"name":"D3D11_MESSAGE_ID_DECRYPTIONBLT_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEFERRED_CONTEXT_REMOVAL_PROCESS_AT_FAULT","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_AUTHENTICATEDCHANNEL","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_BLENDSTATE","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_BUFFER","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_CLASSINSTANCE","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_CLASSLINKAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_COMMANDLIST","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_COMPUTESHADER","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_CONTEXT","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_COUNTER","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_CRYPTOSESSION","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_DECODEROUTPUTVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_DEPTHSTENCILSTATE","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_DEPTHSTENCILVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_DEVICECONTEXTSTATE","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_DOMAINSHADER","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_FENCE","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_GEOMETRYSHADER","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_HULLSHADER","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_INPUTLAYOUT","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_PIXELSHADER","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_PREDICATE","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_PROCESSORINPUTVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_PROCESSOROUTPUTVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_QUERY","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_RASTERIZERSTATE","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_RENDERTARGETVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_SAMPLER","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_SHADERRESOURCEVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_SYNCHRONIZEDCHANNEL","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_TEXTURE1D","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_TEXTURE2D","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_TEXTURE3D","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_TRACKEDWORKLOAD","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_UNORDEREDACCESSVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_VERTEXSHADER","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_VIDEODECODER","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_VIDEOPROCESSOR","features":[404]},{"name":"D3D11_MESSAGE_ID_DESTROY_VIDEOPROCESSORENUM","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CHECKFEATURESUPPORT_INVALIDARG_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CHECKFEATURESUPPORT_MISMATCHED_DATA_SIZE","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CHECKFEATURESUPPORT_UNRECOGNIZED_FEATURE","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CLEARVIEW_EMPTYRECT","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CLEARVIEW_INVALIDRECT","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CLEARVIEW_INVALIDSOURCERECT","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CLEARVIEW_INVALIDVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CLEARVIEW_NOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATECOMPUTESHADER_DOUBLEEXTENSIONSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATECOMPUTESHADER_DOUBLEFLOATOPSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATECOMPUTESHADER_SHADEREXTENSIONSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATECOMPUTESHADER_UAVSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEDOMAINSHADER_DOUBLEEXTENSIONSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEDOMAINSHADER_DOUBLEFLOATOPSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEDOMAINSHADER_SHADEREXTENSIONSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEDOMAINSHADER_UAVSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_DOUBLEEXTENSIONSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_DOUBLEFLOATOPSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_SHADEREXTENSIONSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_UAVSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEGEOMETRYSHADER_DOUBLEEXTENSIONSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEGEOMETRYSHADER_DOUBLEFLOATOPSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEGEOMETRYSHADER_SHADEREXTENSIONSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEGEOMETRYSHADER_UAVSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEHULLSHADER_DOUBLEEXTENSIONSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEHULLSHADER_DOUBLEFLOATOPSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEHULLSHADER_SHADEREXTENSIONSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEHULLSHADER_UAVSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEPIXELSHADER_DOUBLEEXTENSIONSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEPIXELSHADER_DOUBLEFLOATOPSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEPIXELSHADER_SHADEREXTENSIONSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEPIXELSHADER_UAVSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATESHADER_CLASSLINKAGE_FULL","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEVERTEXSHADER_DOUBLEEXTENSIONSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEVERTEXSHADER_DOUBLEFLOATOPSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEVERTEXSHADER_SHADEREXTENSIONSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CREATEVERTEXSHADER_UAVSNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CSGETCONSTANTBUFFERS_BUFFERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CSGETSAMPLERS_SAMPLERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CSGETSHADERRESOURCES_VIEWS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CSGETUNORDEREDACCESSS_VIEWS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CSSETCONSTANTBUFFERS_BUFFERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CSSETCONSTANTBUFFERS_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CSSETSAMPLERS_SAMPLERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CSSETSHADERRESOURCES_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CSSETSHADERRESOURCES_VIEWS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CSSETUNORDEREDACCESSS_VIEWS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CSSETUNORDEREDACCESSVIEWS_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CSSETUNORDEREDACCESSVIEWS_INVALIDOFFSET","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CSSETUNORDEREDACCESSVIEWS_INVALIDVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_CSSETUNORDEREDACCESSVIEWS_TOOMANYVIEWS","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DISCARDVIEW_INVALIDVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DISPATCHINDIRECT_INVALID_ARG_BUFFER","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DISPATCHINDIRECT_OFFSET_OVERFLOW","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DISPATCHINDIRECT_OFFSET_UNALIGNED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DISPATCHINDIRECT_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DISPATCH_BOUND_RESOURCE_MAPPED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DISPATCH_THREADGROUPCOUNT_OVERFLOW","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DISPATCH_THREADGROUPCOUNT_ZERO","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DISPATCH_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAWINDEXEDINSTANCED_INDEXPOS_OVERFLOW","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAWINDEXEDINSTANCED_INSTANCEPOS_OVERFLOW","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAWINDEXED_INDEXPOS_OVERFLOW","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAWINDIRECT_INVALID_ARG_BUFFER","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAWINDIRECT_OFFSET_OVERFLOW","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAWINDIRECT_OFFSET_UNALIGNED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAWINSTANCED_INSTANCEPOS_OVERFLOW","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAWINSTANCED_VERTEXPOS_OVERFLOW","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_BOUND_RESOURCE_MAPPED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_CONSTANT_BUFFER_NOT_SET","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_CONSTANT_BUFFER_TOO_SMALL","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_DEPTHSTENCILVIEW_NOT_SET","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_GS_INPUT_PRIMITIVE_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_HS_DS_CONTROL_POINT_COUNT_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_HS_DS_SIGNATURE_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_HS_DS_TESSELLATOR_DOMAIN_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_HS_XOR_DS_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_HULL_SHADER_INPUT_TOPOLOGY_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_INDEX_BUFFER_FORMAT_INVALID","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_INDEX_BUFFER_NOT_SET","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_INDEX_BUFFER_TOO_SMALL","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_INDEX_OFFSET_UNALIGNED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_INPUTLAYOUT_NOT_SET","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_INVALID_PRIMITIVETOPOLOGY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_INVALID_SYSTEMVALUE","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_INVALID_USE_OF_CENTER_MULTISAMPLE_PATTERN","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_INVALID_USE_OF_FORCED_SAMPLE_COUNT","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_OM_DUAL_SOURCE_BLENDING_CAN_ONLY_HAVE_RENDER_TARGET_0","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_OM_RENDER_TARGET_DOES_NOT_SUPPORT_BLENDING","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_OM_RENDER_TARGET_DOES_NOT_SUPPORT_LOGIC_OPS","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_OUTPUT_STREAM_NOT_SET","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_OUTPUT_STREAM_OFFSET_UNALIGNED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_PIXEL_SHADER_WITHOUT_RTV_OR_DSV","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_POSITION_NOT_PRESENT","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_PS_OUTPUT_TYPE_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_RASTERIZING_CONTROL_POINTS","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_RENDERTARGETVIEW_NOT_SET","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_RENDERTARGETVIEW_NOT_SET_DUE_TO_FLIP_PRESENT","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_RESOURCE_FORMAT_GATHER_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_RESOURCE_FORMAT_LD_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_RESOURCE_FORMAT_SAMPLE_C_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_RESOURCE_FORMAT_SAMPLE_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_RESOURCE_MULTISAMPLE_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_RESOURCE_RETURN_TYPE_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_RESOURCE_SAMPLE_COUNT_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_SAMPLER_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_SAMPLER_NOT_SET","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_SAMPLE_MASK_IGNORED_ON_FL9","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_SHADERRESOURCEVIEW_NOT_SET","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_SO_STRIDE_LARGER_THAN_BUFFER","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_SO_TARGETS_BOUND_WITHOUT_SOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_UNORDEREDACCESSVIEW_RENDERTARGETVIEW_OVERLAP","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_VERTEXPOS_OVERFLOW","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_VERTEX_BUFFER_NOT_SET","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_VERTEX_BUFFER_STRIDE_TOO_SMALL","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_VERTEX_BUFFER_TOO_SMALL","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_VERTEX_OFFSET_UNALIGNED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_VERTEX_SHADER_NOT_SET","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_VERTEX_STRIDE_UNALIGNED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_VIEWPORT_NOT_SET","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DRAW_VIEW_DIMENSION_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DSGETCONSTANTBUFFERS_BUFFERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DSGETSAMPLERS_SAMPLERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DSGETSHADERRESOURCES_VIEWS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DSSETCONSTANTBUFFERS_BUFFERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DSSETCONSTANTBUFFERS_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DSSETSAMPLERS_SAMPLERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DSSETSHADERRESOURCES_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_DSSETSHADERRESOURCES_VIEWS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_GENERATEMIPS_RESOURCE_INVALID","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_GETRESOURCEMINLOD_INVALIDCONTEXT","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_GETRESOURCEMINLOD_INVALIDRESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_GSGETCONSTANTBUFFERS_BUFFERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_GSGETSAMPLERS_SAMPLERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_GSGETSHADERRESOURCES_VIEWS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_GSSETCONSTANTBUFFERS_BUFFERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_GSSETCONSTANTBUFFERS_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_GSSETSAMPLERS_SAMPLERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_GSSETSHADERRESOURCES_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_GSSETSHADERRESOURCES_VIEWS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_HSGETCONSTANTBUFFERS_BUFFERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_HSGETSAMPLERS_SAMPLERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_HSGETSHADERRESOURCES_VIEWS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_HSSETCONSTANTBUFFERS_BUFFERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_HSSETCONSTANTBUFFERS_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_HSSETSAMPLERS_SAMPLERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_HSSETSHADERRESOURCES_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_HSSETSHADERRESOURCES_VIEWS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_IAGETVERTEXBUFFERS_BUFFERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_IASETINDEXBUFFER_FORMAT_INVALID","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_IASETINDEXBUFFER_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_IASETINDEXBUFFER_OFFSET_TOO_LARGE","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_IASETINDEXBUFFER_OFFSET_UNALIGNED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_IASETPRIMITIVETOPOLOGY_ADJACENCY_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_IASETPRIMITIVETOPOLOGY_TOPOLOGY_UNDEFINED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_IASETPRIMITIVETOPOLOGY_TOPOLOGY_UNRECOGNIZED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_IASETPRIMITIVETOPOLOGY_TOPOLOGY_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_IASETVERTEXBUFFERS_BUFFERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_IASETVERTEXBUFFERS_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_IASETVERTEXBUFFERS_INVALIDRANGE","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_IASETVERTEXBUFFERS_OFFSET_TOO_LARGE","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_IASETVERTEXBUFFERS_STRIDE_TOO_LARGE","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_LOCKEDOUT_INTERFACE","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_OMSETRENDERTARGETSANDUNORDEREDACCESSVIEWS_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_OMSETRENDERTARGETSANDUNORDEREDACCESSVIEWS_INVALIDOFFSET","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_OMSETRENDERTARGETSANDUNORDEREDACCESSVIEWS_NO_OP","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_OMSETRENDERTARGETSANDUNORDEREDACCESSVIEWS_NUMUAVS_INVALIDRANGE","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_OMSETRENDERTARGETSANDUNORDEREDACCESSVIEWS_OVERLAPPING_OLD_SLOTS","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_OMSETRENDERTARGETSANDUNORDEREDACCESSVIEWS_TOOMANYVIEWS","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_OMSETRENDERTARGETS_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_OPEN_SHARED_RESOURCE1_ACCESS_DENIED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_OPEN_SHARED_RESOURCE1_NOT_SUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_OPEN_SHARED_RESOURCE_BADINTERFACE_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_OPEN_SHARED_RESOURCE_BY_NAME_NOT_SUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_OPEN_SHARED_RESOURCE_INVALIDARG_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_OPEN_SHARED_RESOURCE_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_PSGETCONSTANTBUFFERS_BUFFERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_PSGETSAMPLERS_SAMPLERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_PSGETSHADERRESOURCES_VIEWS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_PSSETCONSTANTBUFFERS_BUFFERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_PSSETCONSTANTBUFFERS_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_PSSETSAMPLERS_SAMPLERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_PSSETSHADERRESOURCES_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_PSSETSHADERRESOURCES_VIEWS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_REMOVAL_PROCESS_AT_FAULT","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_REMOVAL_PROCESS_NOT_AT_FAULT","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_REMOVAL_PROCESS_POSSIBLY_AT_FAULT","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_RESOLVESUBRESOURCE_DESTINATION_INVALID","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_RESOLVESUBRESOURCE_DESTINATION_SUBRESOURCE_INVALID","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_RESOLVESUBRESOURCE_FORMAT_INVALID","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_RESOLVESUBRESOURCE_SOURCE_INVALID","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_RESOLVESUBRESOURCE_SOURCE_SUBRESOURCE_INVALID","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_RSGETSCISSORRECTS_RECTS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_RSGETVIEWPORTS_VIEWPORTS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_RSSETSCISSORRECTS_INVALIDSCISSOR","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_RSSETSCISSORRECTS_NEGATIVESCISSOR","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_RSSETSCISSORRECTS_TOO_MANY_SCISSORS","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_RSSETVIEWPORTS_DENORMFLUSH","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_RSSETVIEWPORTS_INVALIDVIEWPORT","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_RSSETVIEWPORTS_TOO_MANY_VIEWPORTS","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SETHARDWAREPROTECTION_INVALIDCONTEXT","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SETRESOURCEMINLOD_INVALIDCONTEXT","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SETRESOURCEMINLOD_INVALIDMINLOD","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SETRESOURCEMINLOD_INVALIDRESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SETSHADER_INSTANCE_DATA_BINDINGS","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SETSHADER_INTERFACES_FEATURELEVEL","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SETSHADER_INTERFACE_COUNT_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SETSHADER_INVALID_INSTANCE","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SETSHADER_INVALID_INSTANCE_DATA","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SETSHADER_INVALID_INSTANCE_INDEX","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SETSHADER_INVALID_INSTANCE_TYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SETSHADER_UNBOUND_INSTANCE_DATA","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SETTEXTFILTERSIZE_INVALIDDIMENSIONS","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SHADERRESOURCEVIEW_BUFFER_TYPE_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SHADERRESOURCEVIEW_RAW_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SHADERRESOURCEVIEW_STRUCTURE_STRIDE_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SHADER_LINKAGE_COMPONENTTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SHADER_LINKAGE_MINPRECISION","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SHADER_LINKAGE_NEVERWRITTEN_ALWAYSREADS","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SHADER_LINKAGE_REGISTERINDEX","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SHADER_LINKAGE_REGISTERMASK","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SHADER_LINKAGE_SEMANTICNAME_NOT_FOUND","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SHADER_LINKAGE_SYSTEMVALUE","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SOGETTARGETS_BUFFERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SOSETTARGETS_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_SOSETTARGETS_OFFSET_UNALIGNED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_UNORDEREDACCESSVIEW_APPEND_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_UNORDEREDACCESSVIEW_ATOMICS_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_UNORDEREDACCESSVIEW_ATOMIC_ADD_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_UNORDEREDACCESSVIEW_ATOMIC_BITWISE_OPS_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_UNORDEREDACCESSVIEW_ATOMIC_CMPSTORE_CMPEXCHANGE_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_UNORDEREDACCESSVIEW_ATOMIC_EXCHANGE_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_UNORDEREDACCESSVIEW_ATOMIC_SIGNED_MINMAX_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_UNORDEREDACCESSVIEW_ATOMIC_UNSIGNED_MINMAX_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_UNORDEREDACCESSVIEW_BUFFER_TYPE_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_UNORDEREDACCESSVIEW_COUNTER_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_UNORDEREDACCESSVIEW_DIMENSION_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_UNORDEREDACCESSVIEW_FORMAT_LD_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_UNORDEREDACCESSVIEW_FORMAT_STORE_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_UNORDEREDACCESSVIEW_NOT_SET","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_UNORDEREDACCESSVIEW_NOT_SET_DUE_TO_FLIP_PRESENT","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_UNORDEREDACCESSVIEW_RAW_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_UNORDEREDACCESSVIEW_RETURN_TYPE_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_UNORDEREDACCESSVIEW_STRUCTURE_STRIDE_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_VSGETCONSTANTBUFFERS_BUFFERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_VSGETSAMPLERS_SAMPLERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_VSGETSHADERRESOURCES_VIEWS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_VSSETCONSTANTBUFFERS_BUFFERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_VSSETCONSTANTBUFFERS_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_VSSETSAMPLERS_SAMPLERS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_VSSETSHADERRESOURCES_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_DEVICE_VSSETSHADERRESOURCES_VIEWS_EMPTY","features":[404]},{"name":"D3D11_MESSAGE_ID_DIRTY_TILE_MAPPING_ACCESS","features":[404]},{"name":"D3D11_MESSAGE_ID_DRAWINDEXEDINSTANCED_NOT_SUPPORTED_BELOW_9_3","features":[404]},{"name":"D3D11_MESSAGE_ID_DRAWINDEXED_POINTLIST_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DRAWINDEXED_STARTINDEXLOCATION_MUST_BE_POSITIVE","features":[404]},{"name":"D3D11_MESSAGE_ID_DRAWINSTANCED_NOT_SUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_DSSETCONSTANTBUFFERS_INVALIDBUFFER","features":[404]},{"name":"D3D11_MESSAGE_ID_DSSETCONSTANTBUFFERS_INVALIDBUFFEROFFSETORCOUNT","features":[404]},{"name":"D3D11_MESSAGE_ID_DSSETCONSTANTBUFFERS_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_DSSETSAMPLERS_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_DSSETSHADERRESOURCES_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_DSSETSHADER_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_DUPLICATE_TILE_MAPPINGS_IN_COVERED_AREA","features":[404]},{"name":"D3D11_MESSAGE_ID_ENCRYPTIONBLT_DST_MAPPED","features":[404]},{"name":"D3D11_MESSAGE_ID_ENCRYPTIONBLT_DST_NOT_STAGING","features":[404]},{"name":"D3D11_MESSAGE_ID_ENCRYPTIONBLT_DST_OFFERED","features":[404]},{"name":"D3D11_MESSAGE_ID_ENCRYPTIONBLT_DST_WRONGDEVICE","features":[404]},{"name":"D3D11_MESSAGE_ID_ENCRYPTIONBLT_FORMAT_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_ENCRYPTIONBLT_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_ENCRYPTIONBLT_SIZE_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_ENCRYPTIONBLT_SRC_CONTENT_UNDEFINED","features":[404]},{"name":"D3D11_MESSAGE_ID_ENCRYPTIONBLT_SRC_MAPPED","features":[404]},{"name":"D3D11_MESSAGE_ID_ENCRYPTIONBLT_SRC_MULTISAMPLED","features":[404]},{"name":"D3D11_MESSAGE_ID_ENCRYPTIONBLT_SRC_OFFERED","features":[404]},{"name":"D3D11_MESSAGE_ID_ENCRYPTIONBLT_SRC_WRONGDEVICE","features":[404]},{"name":"D3D11_MESSAGE_ID_ENCRYPTIONBLT_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_END_TRACKED_WORKLOAD_INVALID_ARG","features":[404]},{"name":"D3D11_MESSAGE_ID_ENQUEUESETEVENT_ACCESSDENIED_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_ENQUEUESETEVENT_INVALIDARG_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_ENQUEUESETEVENT_NOT_SUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_ENQUEUESETEVENT_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_FINISHDISPLAYLIST_INVALID_CALL_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_FINISHDISPLAYLIST_ONIMMEDIATECONTEXT","features":[404]},{"name":"D3D11_MESSAGE_ID_FINISHDISPLAYLIST_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_FINISHSESSIONKEYREFRESH_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_FLUSH1_INVALIDCONTEXTTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_GEOMETRY_SHADER_NOT_SUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_GETAUTHENTICATEDCHANNELCERTIFICATESIZE_INVALIDCHANNEL","features":[404]},{"name":"D3D11_MESSAGE_ID_GETAUTHENTICATEDCHANNELCERTIFICATESIZE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_GETAUTHENTICATEDCHANNELCERTIFICATE_INVALIDCHANNEL","features":[404]},{"name":"D3D11_MESSAGE_ID_GETAUTHENTICATEDCHANNELCERTIFICATE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_GETAUTHENTICATEDCHANNELCERTIFICATE_WRONGSIZE","features":[404]},{"name":"D3D11_MESSAGE_ID_GETCONTENTPROTECTIONCAPS_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_GETCRYPTOSESSIONCERTIFICATESIZE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_GETCRYPTOSESSIONCERTIFICATE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_GETCRYPTOSESSIONCERTIFICATE_WRONGSIZE","features":[404]},{"name":"D3D11_MESSAGE_ID_GETCRYPTOSESSIONHANDLE_OUTOFMEMORY","features":[404]},{"name":"D3D11_MESSAGE_ID_GETCRYPTOSESSIONHANDLE_WRONGSIZE","features":[404]},{"name":"D3D11_MESSAGE_ID_GETCRYPTOSESSIONPRIVATEDATASIZE_INVALID_KEY_EXCHANGE_TYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_GETCRYPTOSESSIONPRIVATEDATASIZE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_GETCRYPTOTYPE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_GETDATAFORNEWHARDWAREKEY_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_GETDC_INACCESSIBLE","features":[404]},{"name":"D3D11_MESSAGE_ID_GETDECODERBUFFER_INVALIDBUFFER","features":[404]},{"name":"D3D11_MESSAGE_ID_GETDECODERBUFFER_INVALIDTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_GETDECODERBUFFER_LOCKED","features":[404]},{"name":"D3D11_MESSAGE_ID_GETDECODERBUFFER_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_GETDECODERCREATIONPARAMS_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_GETDECODERDRIVERHANDLE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_GETDECODERPROFILE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_GETENCRYPTIONBLTKEY_INVALIDSIZE","features":[404]},{"name":"D3D11_MESSAGE_ID_GETENCRYPTIONBLTKEY_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_GETPRIVATEDATA_MOREDATA","features":[404]},{"name":"D3D11_MESSAGE_ID_GETRESOURCETILING_NONTILED_RESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_GETVIDEODECODERCAPS_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_GETVIDEODECODERCAPS_ZEROWIDTHHEIGHT","features":[404]},{"name":"D3D11_MESSAGE_ID_GETVIDEODECODERCONFIGCOUNT_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_GETVIDEODECODERCONFIGCOUNT_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_GETVIDEODECODERCONFIG_INVALIDINDEX","features":[404]},{"name":"D3D11_MESSAGE_ID_GETVIDEODECODERCONFIG_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_GETVIDEODECODERCONFIG_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_GETVIDEODECODERPROFILECOUNT_OUTOFMEMORY","features":[404]},{"name":"D3D11_MESSAGE_ID_GETVIDEODECODERPROFILE_INVALIDINDEX","features":[404]},{"name":"D3D11_MESSAGE_ID_GETVIDEODECODERPROFILE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_GETVIDEODECODERPROFILE_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_GETVIDEOPROCESSORCAPS_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_GETVIDEOPROCESSORCONTENTDESC_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_GETVIDEOPROCESSORCUSTOMRATE_INVALIDINDEX","features":[404]},{"name":"D3D11_MESSAGE_ID_GETVIDEOPROCESSORCUSTOMRATE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_GETVIDEOPROCESSORFILTERRANGE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_GETVIDEOPROCESSORFILTERRANGE_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_GETVIDEOPROCESSORRATECONVERSIONCAPS_INVALIDINDEX","features":[404]},{"name":"D3D11_MESSAGE_ID_GETVIDEOPROCESSORRATECONVERSIONCAPS_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_GSSETCONSTANTBUFFERS_INVALIDBUFFER","features":[404]},{"name":"D3D11_MESSAGE_ID_GSSETCONSTANTBUFFERS_INVALIDBUFFEROFFSETORCOUNT","features":[404]},{"name":"D3D11_MESSAGE_ID_GSSETCONSTANTBUFFERS_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_GSSETSAMPLERS_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_GSSETSHADERRESOURCES_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_GSSETSHADER_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_HSSETCONSTANTBUFFERS_INVALIDBUFFER","features":[404]},{"name":"D3D11_MESSAGE_ID_HSSETCONSTANTBUFFERS_INVALIDBUFFEROFFSETORCOUNT","features":[404]},{"name":"D3D11_MESSAGE_ID_HSSETCONSTANTBUFFERS_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_HSSETSAMPLERS_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_HSSETSHADERRESOURCES_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_HSSETSHADER_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_IASETINDEXBUFFER_INVALIDBUFFER","features":[404]},{"name":"D3D11_MESSAGE_ID_IASETINDEXBUFFER_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_IASETINPUTLAYOUT_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_IASETVERTEXBUFFERS_BAD_BUFFER_INDEX","features":[404]},{"name":"D3D11_MESSAGE_ID_IASETVERTEXBUFFERS_INVALIDBUFFER","features":[404]},{"name":"D3D11_MESSAGE_ID_IASETVERTEXBUFFERS_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_INCOMPLETE_TRACKED_WORKLOAD_PAIR","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_1DESTUNSUPPORTEDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_3DESTUNSUPPORTEDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_BACKBUFFERNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_CHROMASIZEMISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_DESTBOXESINTERSECT","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_DESTBOXNOT2D","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_DESTBOXNOTSUB","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_DESTINATIONNOT2D","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_DIMENSIONSTOOLARGE","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_EMPTYDESTBOX","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_FORMATUNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_FRACTIONALDOWNSCALETOLARGE","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_GUARDRECTSUNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_INVALIDCOMPONENTS","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_INVALIDCOPYFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_INVALIDMIPLEVEL","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_INVALIDNUMDESTINATIONS","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_INVALIDSCANDATAOFFSET","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_INVALIDSOURCESIZE","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_INVALIDSUBRESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_LUMACHROMASIZEMISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_NONPOW2SCALEUNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_NOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_OUTPUTDIMENSIONSTOOLARGE","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_SCALEUNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_SUBBOXUNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_TILEDRESOURCESUNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_UNSUPPORTEDDSTTEXTUREUSAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_UNSUPPORTEDSRCBUFFERMISCFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_UNSUPPORTEDSRCBUFFERUSAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_UNSUPPRTEDCOPYFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_XSUBSAMPLEMISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_XSUBSAMPLEODD","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_YSUBSAMPLEMISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGDECODE_YSUBSAMPLEODD","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGENCODE_BACKBUFFERNOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGENCODE_DIMENSIONSTOOLARGE","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGENCODE_FORMATUNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGENCODE_GUARDRECTSUNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGENCODE_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGENCODE_INVALIDCOMPONENTS","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGENCODE_INVALIDMIPLEVEL","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGENCODE_INVALIDSCANDATAOFFSET","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGENCODE_INVALIDSUBRESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGENCODE_NOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGENCODE_SOURCENOT2D","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGENCODE_TILEDRESOURCESUNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGENCODE_UNSUPPORTEDDSTBUFFERMISCFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGENCODE_UNSUPPORTEDDSTBUFFERUSAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGENCODE_UNSUPPORTEDSRCTEXTUREUSAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGENCODE_XSUBSAMPLEMISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_JPEGENCODE_YSUBSAMPLEMISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_AUTHENTICATEDCHANNEL","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_BLENDSTATE","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_BLENDSTATE_WIN7","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_BUFFER","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_BUFFER_WIN7","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_CLASSINSTANCE","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_CLASSLINKAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_COMMANDLIST","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_COMPUTESHADER","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_CONTEXT","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_COUNTER","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_CRYPTOSESSION","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_DECODEROUTPUTVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_DEPTHSTENCILSTATE","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_DEPTHSTENCILSTATE_WIN7","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_DEPTHSTENCILVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_DEPTHSTENCILVIEW_WIN7","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_DEVICE","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_DEVICECONTEXTSTATE","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_DEVICE_WIN7","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_DOMAINSHADER","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_FENCE","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_GEOMETRYSHADER","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_GEOMETRYSHADER_WIN7","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_HULLSHADER","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_INPUTLAYOUT","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_INPUTLAYOUT_WIN7","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_OBJECT_SUMMARY","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_OBJECT_SUMMARY_WIN7","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_PIXELSHADER","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_PIXELSHADER_WIN7","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_PREDICATE","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_PREDICATE_WIN7","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_PROCESSORINPUTVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_PROCESSOROUTPUTVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_QUERY","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_QUERY_WIN7","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_RASTERIZERSTATE","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_RASTERIZERSTATE_WIN7","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_RENDERTARGETVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_RENDERTARGETVIEW_WIN7","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_SAMPLER","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_SAMPLER_WIN7","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_SHADERRESOURCEVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_SHADERRESOURCEVIEW_WIN7","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_SWAPCHAIN","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_SYNCHRONIZEDCHANNEL","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_TEXTURE1D","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_TEXTURE1D_WIN7","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_TEXTURE2D","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_TEXTURE2D_WIN7","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_TEXTURE3D","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_TEXTURE3D_WIN7","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_TRACKEDWORKLOAD","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_UNORDEREDACCESSVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_VERTEXSHADER","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_VERTEXSHADER_WIN7","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_VIDEODECODER","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_VIDEOPROCESSOR","features":[404]},{"name":"D3D11_MESSAGE_ID_LIVE_VIDEOPROCESSORENUM","features":[404]},{"name":"D3D11_MESSAGE_ID_MESSAGE_REPORTING_OUTOFMEMORY","features":[404]},{"name":"D3D11_MESSAGE_ID_MULTIPLE_TRACKED_WORKLOADS","features":[404]},{"name":"D3D11_MESSAGE_ID_MULTIPLE_TRACKED_WORKLOAD_PAIRS","features":[404]},{"name":"D3D11_MESSAGE_ID_NEED_TO_CALL_TILEDRESOURCEBARRIER","features":[404]},{"name":"D3D11_MESSAGE_ID_NEGOTIATEAUTHENTICATEDCHANNELKEYEXCHANGE_INVALIDCHANNEL","features":[404]},{"name":"D3D11_MESSAGE_ID_NEGOTIATEAUTHENTICATEDCHANNELKEYEXCHANGE_INVALIDSIZE","features":[404]},{"name":"D3D11_MESSAGE_ID_NEGOTIATEAUTHENTICATEDCHANNELKEYEXCHANGE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_NEGOTIATECRPYTOSESSIONKEYEXCHANGE_INVALIDSIZE","features":[404]},{"name":"D3D11_MESSAGE_ID_NEGOTIATECRPYTOSESSIONKEYEXCHANGE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_NEGOTIATECRYPTOSESSIONKEYEXCHANGEMT_INVALIDKEYEXCHANGETYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_NEGOTIATECRYPTOSESSIONKEYEXCHANGEMT_NOT_SUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_NO_TRACKED_WORKLOAD_SLOT_AVAILABLE","features":[404]},{"name":"D3D11_MESSAGE_ID_NULL_TILE_MAPPING_ACCESS_ERROR","features":[404]},{"name":"D3D11_MESSAGE_ID_NULL_TILE_MAPPING_ACCESS_WARNING","features":[404]},{"name":"D3D11_MESSAGE_ID_OFFERRELEASE_NOT_SUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_OFFERRESOURCES_INACCESSIBLE","features":[404]},{"name":"D3D11_MESSAGE_ID_OFFERRESOURCES_INVALIDPRIORITY","features":[404]},{"name":"D3D11_MESSAGE_ID_OFFERRESOURCES_INVALIDRESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_OMSETBLENDSTATE_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_OMSETDEPTHSTENCILSTATE_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_OMSETDEPTHSTENCIL_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_OMSETRENDERTARGETS_INVALIDVIEW","features":[404]},{"name":"D3D11_MESSAGE_ID_OMSETRENDERTARGETS_NO_DIFFERING_BIT_DEPTHS","features":[404]},{"name":"D3D11_MESSAGE_ID_OMSETRENDERTARGETS_NO_SRGB_MRT","features":[404]},{"name":"D3D11_MESSAGE_ID_OMSETRENDERTARGETS_TOO_MANY_RENDER_TARGETS","features":[404]},{"name":"D3D11_MESSAGE_ID_OMSETRENDERTARGETS_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_OUT_OF_ORDER_TRACKED_WORKLOAD_PAIR","features":[404]},{"name":"D3D11_MESSAGE_ID_PREDICATE_BEGIN_DURING_PREDICATION","features":[404]},{"name":"D3D11_MESSAGE_ID_PREDICATE_END_DURING_PREDICATION","features":[404]},{"name":"D3D11_MESSAGE_ID_PSSETCONSTANTBUFFERS_INVALIDBUFFER","features":[404]},{"name":"D3D11_MESSAGE_ID_PSSETCONSTANTBUFFERS_INVALIDBUFFEROFFSETORCOUNT","features":[404]},{"name":"D3D11_MESSAGE_ID_PSSETCONSTANTBUFFERS_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_PSSETSAMPLERS_TOO_MANY_SAMPLERS","features":[404]},{"name":"D3D11_MESSAGE_ID_PSSETSAMPLERS_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_PSSETSHADERRESOURCES_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_PSSETSHADER_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_PSSETUNORDEREDACCESSVIEWS_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_QUERYAUTHENTICATEDCHANNEL_INVALIDPROCESSINDEX","features":[404]},{"name":"D3D11_MESSAGE_ID_QUERYAUTHENTICATEDCHANNEL_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_QUERYAUTHENTICATEDCHANNEL_UNSUPPORTEDQUERY","features":[404]},{"name":"D3D11_MESSAGE_ID_QUERYAUTHENTICATEDCHANNEL_WRONGCHANNEL","features":[404]},{"name":"D3D11_MESSAGE_ID_QUERYAUTHENTICATEDCHANNEL_WRONGSIZE","features":[404]},{"name":"D3D11_MESSAGE_ID_QUERY_BEGIN_ABANDONING_PREVIOUS_RESULTS","features":[404]},{"name":"D3D11_MESSAGE_ID_QUERY_BEGIN_DUPLICATE","features":[404]},{"name":"D3D11_MESSAGE_ID_QUERY_BEGIN_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_QUERY_END_ABANDONING_PREVIOUS_RESULTS","features":[404]},{"name":"D3D11_MESSAGE_ID_QUERY_END_WITHOUT_BEGIN","features":[404]},{"name":"D3D11_MESSAGE_ID_QUERY_GETDATA_INVALID_CALL","features":[404]},{"name":"D3D11_MESSAGE_ID_QUERY_GETDATA_INVALID_DATASIZE","features":[404]},{"name":"D3D11_MESSAGE_ID_QUERY_GETDATA_INVALID_FLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_RECOMMENDVIDEODECODERDOWNSAMPLING_INVALIDCOLORSPACE","features":[404]},{"name":"D3D11_MESSAGE_ID_RECOMMENDVIDEODECODERDOWNSAMPLING_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_RECOMMENDVIDEODECODERDOWNSAMPLING_ZEROWIDTHHEIGHT","features":[404]},{"name":"D3D11_MESSAGE_ID_REF_ACCESSING_INDEXABLE_TEMP_OUT_OF_RANGE","features":[404]},{"name":"D3D11_MESSAGE_ID_REF_HARDWARE_EXCEPTION","features":[404]},{"name":"D3D11_MESSAGE_ID_REF_INFO","features":[404]},{"name":"D3D11_MESSAGE_ID_REF_KMDRIVER_EXCEPTION","features":[404]},{"name":"D3D11_MESSAGE_ID_REF_OUT_OF_MEMORY","features":[404]},{"name":"D3D11_MESSAGE_ID_REF_PROBLEM_PARSING_SHADER","features":[404]},{"name":"D3D11_MESSAGE_ID_REF_SIMULATING_INFINITELY_FAST_HARDWARE","features":[404]},{"name":"D3D11_MESSAGE_ID_REF_THREADING_MODE","features":[404]},{"name":"D3D11_MESSAGE_ID_REF_UMDRIVER_EXCEPTION","features":[404]},{"name":"D3D11_MESSAGE_ID_REF_WARNING","features":[404]},{"name":"D3D11_MESSAGE_ID_REF_WARNING_ATOMIC_INCONSISTENT","features":[404]},{"name":"D3D11_MESSAGE_ID_REF_WARNING_RAW_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_REF_WARNING_READING_UNINITIALIZED_RESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_REF_WARNING_WAR_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_REF_WARNING_WAW_HAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_RELEASEDECODERBUFFER_INVALIDTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_RELEASEDECODERBUFFER_NOTLOCKED","features":[404]},{"name":"D3D11_MESSAGE_ID_RELEASEDECODERBUFFER_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_RESIZETILEPOOL_INVALID_PARAMETER","features":[404]},{"name":"D3D11_MESSAGE_ID_RESIZETILEPOOL_SHRINK_WITH_MAPPINGS_STILL_DEFINED_PAST_END","features":[404]},{"name":"D3D11_MESSAGE_ID_RESOURCE_MAP_ALREADYMAPPED","features":[404]},{"name":"D3D11_MESSAGE_ID_RESOURCE_MAP_DEVICEREMOVED_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_RESOURCE_MAP_INVALIDFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_RESOURCE_MAP_INVALIDMAPTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_RESOURCE_MAP_INVALIDSUBRESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_RESOURCE_MAP_OUTOFMEMORY_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_RESOURCE_MAP_WITHOUT_INITIAL_DISCARD","features":[404]},{"name":"D3D11_MESSAGE_ID_RESOURCE_UNMAP_INVALIDSUBRESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_RESOURCE_UNMAP_NOTMAPPED","features":[404]},{"name":"D3D11_MESSAGE_ID_RSSETSTATE_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_SETBLENDSTATE_SAMPLE_MASK_CANNOT_BE_ZERO","features":[404]},{"name":"D3D11_MESSAGE_ID_SETEXCEPTIONMODE_DEVICEREMOVED_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_SETEXCEPTIONMODE_INVALIDARG_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_SETEXCEPTIONMODE_UNRECOGNIZEDFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_SETPREDICATION_INVALID_PREDICATE_STATE","features":[404]},{"name":"D3D11_MESSAGE_ID_SETPREDICATION_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_SETPRIVATEDATA_CHANGINGPARAMS","features":[404]},{"name":"D3D11_MESSAGE_ID_SETPRIVATEDATA_INVALIDFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_SETPRIVATEDATA_INVALIDFREEDATA","features":[404]},{"name":"D3D11_MESSAGE_ID_SETPRIVATEDATA_INVALIDIUNKNOWN","features":[404]},{"name":"D3D11_MESSAGE_ID_SETPRIVATEDATA_OUTOFMEMORY","features":[404]},{"name":"D3D11_MESSAGE_ID_SHADERRESOURCEVIEW_GETDESC_LEGACY","features":[404]},{"name":"D3D11_MESSAGE_ID_SHADER_ABORT","features":[404]},{"name":"D3D11_MESSAGE_ID_SHADER_ERROR","features":[404]},{"name":"D3D11_MESSAGE_ID_SHADER_MESSAGE","features":[404]},{"name":"D3D11_MESSAGE_ID_SLOT_ZERO_MUST_BE_D3D10_INPUT_PER_VERTEX_DATA","features":[404]},{"name":"D3D11_MESSAGE_ID_SOSETTARGETS_INVALIDBUFFER","features":[404]},{"name":"D3D11_MESSAGE_ID_SOSETTARGETS_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_STARTSESSIONKEYREFRESH_INVALIDSIZE","features":[404]},{"name":"D3D11_MESSAGE_ID_STARTSESSIONKEYREFRESH_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_STREAM_OUT_NOT_SUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_STRING_FROM_APPLICATION","features":[404]},{"name":"D3D11_MESSAGE_ID_SUBMITDECODERBUFFERS_INVALIDTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_SUBMITDECODERBUFFERS_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_SWAPDEVICECONTEXTSTATE_NOTSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_TEXTURE1D_MAP_ALREADYMAPPED","features":[404]},{"name":"D3D11_MESSAGE_ID_TEXTURE1D_MAP_DEVICEREMOVED_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_TEXTURE1D_MAP_INVALIDFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_TEXTURE1D_MAP_INVALIDMAPTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_TEXTURE1D_MAP_INVALIDSUBRESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_TEXTURE1D_UNMAP_INVALIDSUBRESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_TEXTURE1D_UNMAP_NOTMAPPED","features":[404]},{"name":"D3D11_MESSAGE_ID_TEXTURE2D_MAP_ALREADYMAPPED","features":[404]},{"name":"D3D11_MESSAGE_ID_TEXTURE2D_MAP_DEVICEREMOVED_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_TEXTURE2D_MAP_INVALIDFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_TEXTURE2D_MAP_INVALIDMAPTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_TEXTURE2D_MAP_INVALIDSUBRESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_TEXTURE2D_UNMAP_INVALIDSUBRESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_TEXTURE2D_UNMAP_NOTMAPPED","features":[404]},{"name":"D3D11_MESSAGE_ID_TEXTURE3D_MAP_ALREADYMAPPED","features":[404]},{"name":"D3D11_MESSAGE_ID_TEXTURE3D_MAP_DEVICEREMOVED_RETURN","features":[404]},{"name":"D3D11_MESSAGE_ID_TEXTURE3D_MAP_INVALIDFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_TEXTURE3D_MAP_INVALIDMAPTYPE","features":[404]},{"name":"D3D11_MESSAGE_ID_TEXTURE3D_MAP_INVALIDSUBRESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_TEXTURE3D_UNMAP_INVALIDSUBRESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_TEXTURE3D_UNMAP_NOTMAPPED","features":[404]},{"name":"D3D11_MESSAGE_ID_TEXT_FILTER_NOT_SUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_TILEDRESOURCEBARRIER_INVALID_PARAMETER","features":[404]},{"name":"D3D11_MESSAGE_ID_TILED_RESOURCE_TIER_1_BUFFER_TEXTURE_MISMATCH","features":[404]},{"name":"D3D11_MESSAGE_ID_TILE_MAPPINGS_IN_COVERED_AREA_DUPLICATED_OUTSIDE","features":[404]},{"name":"D3D11_MESSAGE_ID_TILE_MAPPINGS_SHARED_BETWEEN_INCOMPATIBLE_RESOURCES","features":[404]},{"name":"D3D11_MESSAGE_ID_TILE_MAPPINGS_SHARED_BETWEEN_INPUT_AND_OUTPUT","features":[404]},{"name":"D3D11_MESSAGE_ID_TRACKED_WORKLOAD_DISJOINT_FAILURE","features":[404]},{"name":"D3D11_MESSAGE_ID_TRACKED_WORKLOAD_ENGINE_TYPE_NOT_FOUND","features":[404]},{"name":"D3D11_MESSAGE_ID_TRACKED_WORKLOAD_NOT_SUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_UNKNOWN","features":[404]},{"name":"D3D11_MESSAGE_ID_UPDATESUBRESOURCE1_INVALIDCOPYFLAGS","features":[404]},{"name":"D3D11_MESSAGE_ID_UPDATESUBRESOURCE_EMPTYDESTBOX","features":[404]},{"name":"D3D11_MESSAGE_ID_UPDATESUBRESOURCE_INVALIDDESTINATIONBOX","features":[404]},{"name":"D3D11_MESSAGE_ID_UPDATESUBRESOURCE_INVALIDDESTINATIONSTATE","features":[404]},{"name":"D3D11_MESSAGE_ID_UPDATESUBRESOURCE_INVALIDDESTINATIONSUBRESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_UPDATESUBRESOURCE_PREFERUPDATESUBRESOURCE1","features":[404]},{"name":"D3D11_MESSAGE_ID_UPDATETILEMAPPINGS_INVALID_PARAMETER","features":[404]},{"name":"D3D11_MESSAGE_ID_UPDATETILES_INVALID_PARAMETER","features":[404]},{"name":"D3D11_MESSAGE_ID_USE_OF_ZERO_REFCOUNT_OBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEODECODERENABLEDOWNSAMPLING_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEODECODERENABLEDOWNSAMPLING_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEODECODERUPDATEDOWNSAMPLING_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEODECODERUPDATEDOWNSAMPLING_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORBLT_INPUTHAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORBLT_INVALIDARRAY","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORBLT_INVALIDARRAYSIZE","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORBLT_INVALIDDESTRECT","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORBLT_INVALIDFUTUREFRAMES","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORBLT_INVALIDINPUTRESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORBLT_INVALIDOUTPUT","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORBLT_INVALIDPASTFRAMES","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORBLT_INVALIDRIGHTRESOURCE","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORBLT_INVALIDSOURCERECT","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORBLT_INVALIDSTREAMCOUNT","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORBLT_NOSTEREOSTREAMS","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORBLT_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORBLT_OUTPUTHAZARD","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORBLT_RIGHTEXPECTED","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORBLT_RIGHTNOTEXPECTED","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORBLT_STEREONOTENABLED","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORBLT_TARGETRECT","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETBEHAVIORHINTS_INVALIDDESTRECT","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETBEHAVIORHINTS_INVALIDSOURCERECT","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETBEHAVIORHINTS_INVALIDSTREAMCOUNT","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETBEHAVIORHINTS_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETBEHAVIORHINTS_TARGETRECT","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETOUTPUTALPHAFILLMODE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETOUTPUTBACKGROUNDCOLOR_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETOUTPUTCOLORSPACE1_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETOUTPUTCOLORSPACE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETOUTPUTCONSTRICTION_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETOUTPUTEXTENSION_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETOUTPUTHDRMETADATA_INVALIDSIZE","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETOUTPUTHDRMETADATA_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETOUTPUTSHADERUSAGE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETOUTPUTSTEREOMODE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETOUTPUTTARGETRECT_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMALPHA_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMALPHA_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMAUTOPROCESSINGMODE_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMAUTOPROCESSINGMODE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMCOLORSPACE1_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMCOLORSPACE1_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMCOLORSPACE_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMCOLORSPACE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMDESTRECT_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMDESTRECT_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMEXTENSION_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMEXTENSION_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMFILTER_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMFILTER_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMFRAMEFORMAT_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMFRAMEFORMAT_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMHDRMETADATA_INVALIDSIZE","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMHDRMETADATA_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMHDRMETADATA_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMLUMAKEY_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMLUMAKEY_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMMIRROR_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMMIRROR_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMOUTPUTRATE_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMOUTPUTRATE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMPALETTE_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMPALETTE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMPIXELASPECTRATIO_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMPIXELASPECTRATIO_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMROTATION_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMROTATION_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMSOURCERECT_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMSOURCERECT_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMSTEREOFORMAT_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORGETSTREAMSTEREOFORMAT_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETOUTPUTALPHAFILLMODE_INVALIDFILLMODE","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETOUTPUTALPHAFILLMODE_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETOUTPUTALPHAFILLMODE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETOUTPUTALPHAFILLMODE_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETOUTPUTBACKGROUNDCOLOR_INVALIDALPHA","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETOUTPUTBACKGROUNDCOLOR_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETOUTPUTCOLORSPACE1_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETOUTPUTCOLORSPACE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETOUTPUTCONSTRICTION_INVALIDSIZE","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETOUTPUTCONSTRICTION_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETOUTPUTCONSTRICTION_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETOUTPUTEXTENSION_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETOUTPUTHDRMETADATA_INVALIDSIZE","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETOUTPUTHDRMETADATA_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETOUTPUTSHADERUSAGE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETOUTPUTSTEREOMODE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETOUTPUTSTEREOMODE_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETOUTPUTTARGETRECT_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMALPHA_INVALIDALPHA","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMALPHA_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMALPHA_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMALPHA_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMAUTOPROCESSINGMODE_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMAUTOPROCESSINGMODE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMCOLORSPACE1_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMCOLORSPACE1_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMCOLORSPACE_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMCOLORSPACE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMDESTRECT_INVALIDRECT","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMDESTRECT_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMDESTRECT_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMEXTENSION_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMEXTENSION_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMFILTER_INVALIDFILTER","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMFILTER_INVALIDLEVEL","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMFILTER_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMFILTER_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMFILTER_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMFRAMEFORMAT_INVALIDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMFRAMEFORMAT_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMFRAMEFORMAT_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMHDRMETADATA_INVALIDSIZE","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMHDRMETADATA_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMHDRMETADATA_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMLUMAKEY_INVALIDRANGE","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMLUMAKEY_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMLUMAKEY_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMLUMAKEY_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMMIRROR_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMMIRROR_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMMIRROR_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMOUTPUTRATE_INVALIDFLAG","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMOUTPUTRATE_INVALIDRATE","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMOUTPUTRATE_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMOUTPUTRATE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMPALETTE_INVALIDALPHA","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMPALETTE_INVALIDCOUNT","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMPALETTE_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMPALETTE_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMPIXELASPECTRATIO_INVALIDRATIO","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMPIXELASPECTRATIO_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMPIXELASPECTRATIO_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMPIXELASPECTRATIO_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMROTATION_INVALID","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMROTATION_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMROTATION_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMROTATION_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMSOURCERECT_INVALIDRECT","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMSOURCERECT_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMSOURCERECT_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMSTEREOFORMAT_FLIPUNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMSTEREOFORMAT_FORMATUNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMSTEREOFORMAT_INVALIDFORMAT","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMSTEREOFORMAT_INVALIDSTREAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMSTEREOFORMAT_MONOOFFSETUNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMSTEREOFORMAT_NULLPARAM","features":[404]},{"name":"D3D11_MESSAGE_ID_VIDEOPROCESSORSETSTREAMSTEREOFORMAT_UNSUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_VSSETCONSTANTBUFFERS_INVALIDBUFFER","features":[404]},{"name":"D3D11_MESSAGE_ID_VSSETCONSTANTBUFFERS_INVALIDBUFFEROFFSETORCOUNT","features":[404]},{"name":"D3D11_MESSAGE_ID_VSSETCONSTANTBUFFERS_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_VSSETSAMPLERS_NOT_SUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_ID_VSSETSAMPLERS_TOO_MANY_SAMPLERS","features":[404]},{"name":"D3D11_MESSAGE_ID_VSSETSAMPLERS_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_VSSETSHADERRESOURCES_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_VSSETSHADER_UNBINDDELETINGOBJECT","features":[404]},{"name":"D3D11_MESSAGE_ID_VSSHADERRESOURCES_NOT_SUPPORTED","features":[404]},{"name":"D3D11_MESSAGE_SEVERITY","features":[404]},{"name":"D3D11_MESSAGE_SEVERITY_CORRUPTION","features":[404]},{"name":"D3D11_MESSAGE_SEVERITY_ERROR","features":[404]},{"name":"D3D11_MESSAGE_SEVERITY_INFO","features":[404]},{"name":"D3D11_MESSAGE_SEVERITY_MESSAGE","features":[404]},{"name":"D3D11_MESSAGE_SEVERITY_WARNING","features":[404]},{"name":"D3D11_MINOR_VERSION","features":[404]},{"name":"D3D11_MIN_BORDER_COLOR_COMPONENT","features":[404]},{"name":"D3D11_MIN_DEPTH","features":[404]},{"name":"D3D11_MIN_FILTER_SHIFT","features":[404]},{"name":"D3D11_MIN_MAXANISOTROPY","features":[404]},{"name":"D3D11_MIP_FILTER_SHIFT","features":[404]},{"name":"D3D11_MIP_LOD_BIAS_MAX","features":[404]},{"name":"D3D11_MIP_LOD_BIAS_MIN","features":[404]},{"name":"D3D11_MIP_LOD_FRACTIONAL_BIT_COUNT","features":[404]},{"name":"D3D11_MIP_LOD_RANGE_BIT_COUNT","features":[404]},{"name":"D3D11_MULTISAMPLE_ANTIALIAS_LINE_WIDTH","features":[404]},{"name":"D3D11_MUTE_CATEGORY","features":[404]},{"name":"D3D11_MUTE_DEBUG_OUTPUT","features":[404]},{"name":"D3D11_MUTE_ID_DECIMAL","features":[404]},{"name":"D3D11_MUTE_ID_STRING","features":[404]},{"name":"D3D11_MUTE_SEVERITY","features":[404]},{"name":"D3D11_NONSAMPLE_FETCH_OUT_OF_RANGE_ACCESS_RESULT","features":[404]},{"name":"D3D11_OMAC","features":[404]},{"name":"D3D11_PACKED_MIP_DESC","features":[404]},{"name":"D3D11_PACKED_TILE","features":[404]},{"name":"D3D11_PARAMETER_DESC","features":[401,404]},{"name":"D3D11_PIXEL_ADDRESS_RANGE_BIT_COUNT","features":[404]},{"name":"D3D11_PIXEL_SHADER","features":[404]},{"name":"D3D11_PIXEL_SHADER_TRACE_DESC","features":[404]},{"name":"D3D11_PRE_SCISSOR_PIXEL_ADDRESS_RANGE_BIT_COUNT","features":[404]},{"name":"D3D11_PROCESSIDTYPE_DWM","features":[404]},{"name":"D3D11_PROCESSIDTYPE_HANDLE","features":[404]},{"name":"D3D11_PROCESSIDTYPE_UNKNOWN","features":[404]},{"name":"D3D11_PS_CS_UAV_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_PS_CS_UAV_REGISTER_COUNT","features":[404]},{"name":"D3D11_PS_CS_UAV_REGISTER_READS_PER_INST","features":[404]},{"name":"D3D11_PS_CS_UAV_REGISTER_READ_PORTS","features":[404]},{"name":"D3D11_PS_FRONTFACING_DEFAULT_VALUE","features":[404]},{"name":"D3D11_PS_FRONTFACING_FALSE_VALUE","features":[404]},{"name":"D3D11_PS_FRONTFACING_TRUE_VALUE","features":[404]},{"name":"D3D11_PS_INPUT_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_PS_INPUT_REGISTER_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_PS_INPUT_REGISTER_COUNT","features":[404]},{"name":"D3D11_PS_INPUT_REGISTER_READS_PER_INST","features":[404]},{"name":"D3D11_PS_INPUT_REGISTER_READ_PORTS","features":[404]},{"name":"D3D11_PS_LEGACY_PIXEL_CENTER_FRACTIONAL_COMPONENT","features":[404]},{"name":"D3D11_PS_OUTPUT_DEPTH_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_PS_OUTPUT_DEPTH_REGISTER_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_PS_OUTPUT_DEPTH_REGISTER_COUNT","features":[404]},{"name":"D3D11_PS_OUTPUT_MASK_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_PS_OUTPUT_MASK_REGISTER_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_PS_OUTPUT_MASK_REGISTER_COUNT","features":[404]},{"name":"D3D11_PS_OUTPUT_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_PS_OUTPUT_REGISTER_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_PS_OUTPUT_REGISTER_COUNT","features":[404]},{"name":"D3D11_PS_PIXEL_CENTER_FRACTIONAL_COMPONENT","features":[404]},{"name":"D3D11_QUERY","features":[404]},{"name":"D3D11_QUERY_DATA_PIPELINE_STATISTICS","features":[404]},{"name":"D3D11_QUERY_DATA_SO_STATISTICS","features":[404]},{"name":"D3D11_QUERY_DATA_TIMESTAMP_DISJOINT","features":[308,404]},{"name":"D3D11_QUERY_DESC","features":[404]},{"name":"D3D11_QUERY_DESC1","features":[404]},{"name":"D3D11_QUERY_EVENT","features":[404]},{"name":"D3D11_QUERY_MISC_FLAG","features":[404]},{"name":"D3D11_QUERY_MISC_PREDICATEHINT","features":[404]},{"name":"D3D11_QUERY_OCCLUSION","features":[404]},{"name":"D3D11_QUERY_OCCLUSION_PREDICATE","features":[404]},{"name":"D3D11_QUERY_PIPELINE_STATISTICS","features":[404]},{"name":"D3D11_QUERY_SO_OVERFLOW_PREDICATE","features":[404]},{"name":"D3D11_QUERY_SO_OVERFLOW_PREDICATE_STREAM0","features":[404]},{"name":"D3D11_QUERY_SO_OVERFLOW_PREDICATE_STREAM1","features":[404]},{"name":"D3D11_QUERY_SO_OVERFLOW_PREDICATE_STREAM2","features":[404]},{"name":"D3D11_QUERY_SO_OVERFLOW_PREDICATE_STREAM3","features":[404]},{"name":"D3D11_QUERY_SO_STATISTICS","features":[404]},{"name":"D3D11_QUERY_SO_STATISTICS_STREAM0","features":[404]},{"name":"D3D11_QUERY_SO_STATISTICS_STREAM1","features":[404]},{"name":"D3D11_QUERY_SO_STATISTICS_STREAM2","features":[404]},{"name":"D3D11_QUERY_SO_STATISTICS_STREAM3","features":[404]},{"name":"D3D11_QUERY_TIMESTAMP","features":[404]},{"name":"D3D11_QUERY_TIMESTAMP_DISJOINT","features":[404]},{"name":"D3D11_RAISE_FLAG","features":[404]},{"name":"D3D11_RAISE_FLAG_DRIVER_INTERNAL_ERROR","features":[404]},{"name":"D3D11_RASTERIZER_DESC","features":[308,404]},{"name":"D3D11_RASTERIZER_DESC1","features":[308,404]},{"name":"D3D11_RASTERIZER_DESC2","features":[308,404]},{"name":"D3D11_RAW_UAV_SRV_BYTE_ALIGNMENT","features":[404]},{"name":"D3D11_REGKEY_PATH","features":[404]},{"name":"D3D11_RENDER_TARGET_BLEND_DESC","features":[308,404]},{"name":"D3D11_RENDER_TARGET_BLEND_DESC1","features":[308,404]},{"name":"D3D11_RENDER_TARGET_VIEW_DESC","features":[404,396]},{"name":"D3D11_RENDER_TARGET_VIEW_DESC1","features":[404,396]},{"name":"D3D11_REQ_BLEND_OBJECT_COUNT_PER_DEVICE","features":[404]},{"name":"D3D11_REQ_BUFFER_RESOURCE_TEXEL_COUNT_2_TO_EXP","features":[404]},{"name":"D3D11_REQ_CONSTANT_BUFFER_ELEMENT_COUNT","features":[404]},{"name":"D3D11_REQ_DEPTH_STENCIL_OBJECT_COUNT_PER_DEVICE","features":[404]},{"name":"D3D11_REQ_DRAWINDEXED_INDEX_COUNT_2_TO_EXP","features":[404]},{"name":"D3D11_REQ_DRAW_VERTEX_COUNT_2_TO_EXP","features":[404]},{"name":"D3D11_REQ_FILTERING_HW_ADDRESSABLE_RESOURCE_DIMENSION","features":[404]},{"name":"D3D11_REQ_GS_INVOCATION_32BIT_OUTPUT_COMPONENT_LIMIT","features":[404]},{"name":"D3D11_REQ_IMMEDIATE_CONSTANT_BUFFER_ELEMENT_COUNT","features":[404]},{"name":"D3D11_REQ_MAXANISOTROPY","features":[404]},{"name":"D3D11_REQ_MIP_LEVELS","features":[404]},{"name":"D3D11_REQ_MULTI_ELEMENT_STRUCTURE_SIZE_IN_BYTES","features":[404]},{"name":"D3D11_REQ_RASTERIZER_OBJECT_COUNT_PER_DEVICE","features":[404]},{"name":"D3D11_REQ_RENDER_TO_BUFFER_WINDOW_WIDTH","features":[404]},{"name":"D3D11_REQ_RESOURCE_SIZE_IN_MEGABYTES_EXPRESSION_A_TERM","features":[404]},{"name":"D3D11_REQ_RESOURCE_SIZE_IN_MEGABYTES_EXPRESSION_B_TERM","features":[404]},{"name":"D3D11_REQ_RESOURCE_SIZE_IN_MEGABYTES_EXPRESSION_C_TERM","features":[404]},{"name":"D3D11_REQ_RESOURCE_VIEW_COUNT_PER_DEVICE_2_TO_EXP","features":[404]},{"name":"D3D11_REQ_SAMPLER_OBJECT_COUNT_PER_DEVICE","features":[404]},{"name":"D3D11_REQ_TEXTURE1D_ARRAY_AXIS_DIMENSION","features":[404]},{"name":"D3D11_REQ_TEXTURE1D_U_DIMENSION","features":[404]},{"name":"D3D11_REQ_TEXTURE2D_ARRAY_AXIS_DIMENSION","features":[404]},{"name":"D3D11_REQ_TEXTURE2D_U_OR_V_DIMENSION","features":[404]},{"name":"D3D11_REQ_TEXTURE3D_U_V_OR_W_DIMENSION","features":[404]},{"name":"D3D11_REQ_TEXTURECUBE_DIMENSION","features":[404]},{"name":"D3D11_RESINFO_INSTRUCTION_MISSING_COMPONENT_RETVAL","features":[404]},{"name":"D3D11_RESOURCE_DIMENSION","features":[404]},{"name":"D3D11_RESOURCE_DIMENSION_BUFFER","features":[404]},{"name":"D3D11_RESOURCE_DIMENSION_TEXTURE1D","features":[404]},{"name":"D3D11_RESOURCE_DIMENSION_TEXTURE2D","features":[404]},{"name":"D3D11_RESOURCE_DIMENSION_TEXTURE3D","features":[404]},{"name":"D3D11_RESOURCE_DIMENSION_UNKNOWN","features":[404]},{"name":"D3D11_RESOURCE_MISC_BUFFER_ALLOW_RAW_VIEWS","features":[404]},{"name":"D3D11_RESOURCE_MISC_BUFFER_STRUCTURED","features":[404]},{"name":"D3D11_RESOURCE_MISC_DRAWINDIRECT_ARGS","features":[404]},{"name":"D3D11_RESOURCE_MISC_FLAG","features":[404]},{"name":"D3D11_RESOURCE_MISC_GDI_COMPATIBLE","features":[404]},{"name":"D3D11_RESOURCE_MISC_GENERATE_MIPS","features":[404]},{"name":"D3D11_RESOURCE_MISC_GUARDED","features":[404]},{"name":"D3D11_RESOURCE_MISC_HW_PROTECTED","features":[404]},{"name":"D3D11_RESOURCE_MISC_RESOURCE_CLAMP","features":[404]},{"name":"D3D11_RESOURCE_MISC_RESTRICTED_CONTENT","features":[404]},{"name":"D3D11_RESOURCE_MISC_RESTRICT_SHARED_RESOURCE","features":[404]},{"name":"D3D11_RESOURCE_MISC_RESTRICT_SHARED_RESOURCE_DRIVER","features":[404]},{"name":"D3D11_RESOURCE_MISC_SHARED","features":[404]},{"name":"D3D11_RESOURCE_MISC_SHARED_DISPLAYABLE","features":[404]},{"name":"D3D11_RESOURCE_MISC_SHARED_EXCLUSIVE_WRITER","features":[404]},{"name":"D3D11_RESOURCE_MISC_SHARED_KEYEDMUTEX","features":[404]},{"name":"D3D11_RESOURCE_MISC_SHARED_NTHANDLE","features":[404]},{"name":"D3D11_RESOURCE_MISC_TEXTURECUBE","features":[404]},{"name":"D3D11_RESOURCE_MISC_TILED","features":[404]},{"name":"D3D11_RESOURCE_MISC_TILE_POOL","features":[404]},{"name":"D3D11_RLDO_DETAIL","features":[404]},{"name":"D3D11_RLDO_FLAGS","features":[404]},{"name":"D3D11_RLDO_IGNORE_INTERNAL","features":[404]},{"name":"D3D11_RLDO_SUMMARY","features":[404]},{"name":"D3D11_RTV_DIMENSION","features":[404]},{"name":"D3D11_RTV_DIMENSION_BUFFER","features":[404]},{"name":"D3D11_RTV_DIMENSION_TEXTURE1D","features":[404]},{"name":"D3D11_RTV_DIMENSION_TEXTURE1DARRAY","features":[404]},{"name":"D3D11_RTV_DIMENSION_TEXTURE2D","features":[404]},{"name":"D3D11_RTV_DIMENSION_TEXTURE2DARRAY","features":[404]},{"name":"D3D11_RTV_DIMENSION_TEXTURE2DMS","features":[404]},{"name":"D3D11_RTV_DIMENSION_TEXTURE2DMSARRAY","features":[404]},{"name":"D3D11_RTV_DIMENSION_TEXTURE3D","features":[404]},{"name":"D3D11_RTV_DIMENSION_UNKNOWN","features":[404]},{"name":"D3D11_SAMPLER_DESC","features":[404]},{"name":"D3D11_SDK_LAYERS_VERSION","features":[404]},{"name":"D3D11_SDK_VERSION","features":[404]},{"name":"D3D11_SHADER_BUFFER_DESC","features":[401,404]},{"name":"D3D11_SHADER_CACHE_SUPPORT_AUTOMATIC_DISK_CACHE","features":[404]},{"name":"D3D11_SHADER_CACHE_SUPPORT_AUTOMATIC_INPROC_CACHE","features":[404]},{"name":"D3D11_SHADER_CACHE_SUPPORT_FLAGS","features":[404]},{"name":"D3D11_SHADER_CACHE_SUPPORT_NONE","features":[404]},{"name":"D3D11_SHADER_DESC","features":[401,404]},{"name":"D3D11_SHADER_INPUT_BIND_DESC","features":[401,404]},{"name":"D3D11_SHADER_MAJOR_VERSION","features":[404]},{"name":"D3D11_SHADER_MAX_INSTANCES","features":[404]},{"name":"D3D11_SHADER_MAX_INTERFACES","features":[404]},{"name":"D3D11_SHADER_MAX_INTERFACE_CALL_SITES","features":[404]},{"name":"D3D11_SHADER_MAX_TYPES","features":[404]},{"name":"D3D11_SHADER_MINOR_VERSION","features":[404]},{"name":"D3D11_SHADER_MIN_PRECISION_10_BIT","features":[404]},{"name":"D3D11_SHADER_MIN_PRECISION_16_BIT","features":[404]},{"name":"D3D11_SHADER_MIN_PRECISION_SUPPORT","features":[404]},{"name":"D3D11_SHADER_RESOURCE_VIEW_DESC","features":[401,404,396]},{"name":"D3D11_SHADER_RESOURCE_VIEW_DESC1","features":[401,404,396]},{"name":"D3D11_SHADER_TRACE_DESC","features":[404]},{"name":"D3D11_SHADER_TRACE_FLAG_RECORD_REGISTER_READS","features":[404]},{"name":"D3D11_SHADER_TRACE_FLAG_RECORD_REGISTER_WRITES","features":[404]},{"name":"D3D11_SHADER_TRACKING_OPTIONS","features":[404]},{"name":"D3D11_SHADER_TRACKING_OPTION_ALLOW_SAME","features":[404]},{"name":"D3D11_SHADER_TRACKING_OPTION_ALL_HAZARDS","features":[404]},{"name":"D3D11_SHADER_TRACKING_OPTION_ALL_HAZARDS_ALLOWING_SAME","features":[404]},{"name":"D3D11_SHADER_TRACKING_OPTION_ALL_OPTIONS","features":[404]},{"name":"D3D11_SHADER_TRACKING_OPTION_IGNORE","features":[404]},{"name":"D3D11_SHADER_TRACKING_OPTION_TRACK_ATOMIC_CONSISTENCY","features":[404]},{"name":"D3D11_SHADER_TRACKING_OPTION_TRACK_ATOMIC_CONSISTENCY_ACROSS_THREADGROUPS","features":[404]},{"name":"D3D11_SHADER_TRACKING_OPTION_TRACK_RAW","features":[404]},{"name":"D3D11_SHADER_TRACKING_OPTION_TRACK_RAW_ACROSS_THREADGROUPS","features":[404]},{"name":"D3D11_SHADER_TRACKING_OPTION_TRACK_UNINITIALIZED","features":[404]},{"name":"D3D11_SHADER_TRACKING_OPTION_TRACK_WAR","features":[404]},{"name":"D3D11_SHADER_TRACKING_OPTION_TRACK_WAR_ACROSS_THREADGROUPS","features":[404]},{"name":"D3D11_SHADER_TRACKING_OPTION_TRACK_WAW","features":[404]},{"name":"D3D11_SHADER_TRACKING_OPTION_TRACK_WAW_ACROSS_THREADGROUPS","features":[404]},{"name":"D3D11_SHADER_TRACKING_OPTION_UAV_SPECIFIC_FLAGS","features":[404]},{"name":"D3D11_SHADER_TRACKING_RESOURCE_TYPE","features":[404]},{"name":"D3D11_SHADER_TRACKING_RESOURCE_TYPE_ALL","features":[404]},{"name":"D3D11_SHADER_TRACKING_RESOURCE_TYPE_ALL_DEVICEMEMORY","features":[404]},{"name":"D3D11_SHADER_TRACKING_RESOURCE_TYPE_ALL_SHARED_MEMORY","features":[404]},{"name":"D3D11_SHADER_TRACKING_RESOURCE_TYPE_GROUPSHARED_MEMORY","features":[404]},{"name":"D3D11_SHADER_TRACKING_RESOURCE_TYPE_GROUPSHARED_NON_UAV","features":[404]},{"name":"D3D11_SHADER_TRACKING_RESOURCE_TYPE_NONE","features":[404]},{"name":"D3D11_SHADER_TRACKING_RESOURCE_TYPE_NON_UAV_DEVICEMEMORY","features":[404]},{"name":"D3D11_SHADER_TRACKING_RESOURCE_TYPE_UAV_DEVICEMEMORY","features":[404]},{"name":"D3D11_SHADER_TYPE","features":[404]},{"name":"D3D11_SHADER_TYPE_DESC","features":[401,404]},{"name":"D3D11_SHADER_VARIABLE_DESC","features":[404]},{"name":"D3D11_SHADER_VERSION_TYPE","features":[404]},{"name":"D3D11_SHARED_RESOURCE_TIER","features":[404]},{"name":"D3D11_SHARED_RESOURCE_TIER_0","features":[404]},{"name":"D3D11_SHARED_RESOURCE_TIER_1","features":[404]},{"name":"D3D11_SHARED_RESOURCE_TIER_2","features":[404]},{"name":"D3D11_SHARED_RESOURCE_TIER_3","features":[404]},{"name":"D3D11_SHIFT_INSTRUCTION_PAD_VALUE","features":[404]},{"name":"D3D11_SHIFT_INSTRUCTION_SHIFT_VALUE_BIT_COUNT","features":[404]},{"name":"D3D11_SHVER_COMPUTE_SHADER","features":[404]},{"name":"D3D11_SHVER_DOMAIN_SHADER","features":[404]},{"name":"D3D11_SHVER_GEOMETRY_SHADER","features":[404]},{"name":"D3D11_SHVER_HULL_SHADER","features":[404]},{"name":"D3D11_SHVER_PIXEL_SHADER","features":[404]},{"name":"D3D11_SHVER_RESERVED0","features":[404]},{"name":"D3D11_SHVER_VERTEX_SHADER","features":[404]},{"name":"D3D11_SIGNATURE_PARAMETER_DESC","features":[401,404]},{"name":"D3D11_SIMULTANEOUS_RENDER_TARGET_COUNT","features":[404]},{"name":"D3D11_SO_BUFFER_MAX_STRIDE_IN_BYTES","features":[404]},{"name":"D3D11_SO_BUFFER_MAX_WRITE_WINDOW_IN_BYTES","features":[404]},{"name":"D3D11_SO_BUFFER_SLOT_COUNT","features":[404]},{"name":"D3D11_SO_DDI_REGISTER_INDEX_DENOTING_GAP","features":[404]},{"name":"D3D11_SO_DECLARATION_ENTRY","features":[404]},{"name":"D3D11_SO_NO_RASTERIZED_STREAM","features":[404]},{"name":"D3D11_SO_OUTPUT_COMPONENT_COUNT","features":[404]},{"name":"D3D11_SO_STREAM_COUNT","features":[404]},{"name":"D3D11_SPEC_DATE_DAY","features":[404]},{"name":"D3D11_SPEC_DATE_MONTH","features":[404]},{"name":"D3D11_SPEC_DATE_YEAR","features":[404]},{"name":"D3D11_SPEC_VERSION","features":[404]},{"name":"D3D11_SRGB_GAMMA","features":[404]},{"name":"D3D11_SRGB_TO_FLOAT_DENOMINATOR_1","features":[404]},{"name":"D3D11_SRGB_TO_FLOAT_DENOMINATOR_2","features":[404]},{"name":"D3D11_SRGB_TO_FLOAT_EXPONENT","features":[404]},{"name":"D3D11_SRGB_TO_FLOAT_OFFSET","features":[404]},{"name":"D3D11_SRGB_TO_FLOAT_THRESHOLD","features":[404]},{"name":"D3D11_SRGB_TO_FLOAT_TOLERANCE_IN_ULP","features":[404]},{"name":"D3D11_STANDARD_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_STANDARD_COMPONENT_BIT_COUNT_DOUBLED","features":[404]},{"name":"D3D11_STANDARD_MAXIMUM_ELEMENT_ALIGNMENT_BYTE_MULTIPLE","features":[404]},{"name":"D3D11_STANDARD_MULTISAMPLE_PATTERN","features":[404]},{"name":"D3D11_STANDARD_MULTISAMPLE_QUALITY_LEVELS","features":[404]},{"name":"D3D11_STANDARD_PIXEL_COMPONENT_COUNT","features":[404]},{"name":"D3D11_STANDARD_PIXEL_ELEMENT_COUNT","features":[404]},{"name":"D3D11_STANDARD_VECTOR_SIZE","features":[404]},{"name":"D3D11_STANDARD_VERTEX_ELEMENT_COUNT","features":[404]},{"name":"D3D11_STANDARD_VERTEX_TOTAL_COMPONENT_COUNT","features":[404]},{"name":"D3D11_STENCIL_OP","features":[404]},{"name":"D3D11_STENCIL_OP_DECR","features":[404]},{"name":"D3D11_STENCIL_OP_DECR_SAT","features":[404]},{"name":"D3D11_STENCIL_OP_INCR","features":[404]},{"name":"D3D11_STENCIL_OP_INCR_SAT","features":[404]},{"name":"D3D11_STENCIL_OP_INVERT","features":[404]},{"name":"D3D11_STENCIL_OP_KEEP","features":[404]},{"name":"D3D11_STENCIL_OP_REPLACE","features":[404]},{"name":"D3D11_STENCIL_OP_ZERO","features":[404]},{"name":"D3D11_SUBPIXEL_FRACTIONAL_BIT_COUNT","features":[404]},{"name":"D3D11_SUBRESOURCE_DATA","features":[404]},{"name":"D3D11_SUBRESOURCE_TILING","features":[404]},{"name":"D3D11_SUBTEXEL_FRACTIONAL_BIT_COUNT","features":[404]},{"name":"D3D11_TESSELLATOR_MAX_EVEN_TESSELLATION_FACTOR","features":[404]},{"name":"D3D11_TESSELLATOR_MAX_ISOLINE_DENSITY_TESSELLATION_FACTOR","features":[404]},{"name":"D3D11_TESSELLATOR_MAX_ODD_TESSELLATION_FACTOR","features":[404]},{"name":"D3D11_TESSELLATOR_MAX_TESSELLATION_FACTOR","features":[404]},{"name":"D3D11_TESSELLATOR_MIN_EVEN_TESSELLATION_FACTOR","features":[404]},{"name":"D3D11_TESSELLATOR_MIN_ISOLINE_DENSITY_TESSELLATION_FACTOR","features":[404]},{"name":"D3D11_TESSELLATOR_MIN_ODD_TESSELLATION_FACTOR","features":[404]},{"name":"D3D11_TEX1D_ARRAY_DSV","features":[404]},{"name":"D3D11_TEX1D_ARRAY_RTV","features":[404]},{"name":"D3D11_TEX1D_ARRAY_SRV","features":[404]},{"name":"D3D11_TEX1D_ARRAY_UAV","features":[404]},{"name":"D3D11_TEX1D_DSV","features":[404]},{"name":"D3D11_TEX1D_RTV","features":[404]},{"name":"D3D11_TEX1D_SRV","features":[404]},{"name":"D3D11_TEX1D_UAV","features":[404]},{"name":"D3D11_TEX2DMS_ARRAY_DSV","features":[404]},{"name":"D3D11_TEX2DMS_ARRAY_RTV","features":[404]},{"name":"D3D11_TEX2DMS_ARRAY_SRV","features":[404]},{"name":"D3D11_TEX2DMS_DSV","features":[404]},{"name":"D3D11_TEX2DMS_RTV","features":[404]},{"name":"D3D11_TEX2DMS_SRV","features":[404]},{"name":"D3D11_TEX2D_ARRAY_DSV","features":[404]},{"name":"D3D11_TEX2D_ARRAY_RTV","features":[404]},{"name":"D3D11_TEX2D_ARRAY_RTV1","features":[404]},{"name":"D3D11_TEX2D_ARRAY_SRV","features":[404]},{"name":"D3D11_TEX2D_ARRAY_SRV1","features":[404]},{"name":"D3D11_TEX2D_ARRAY_UAV","features":[404]},{"name":"D3D11_TEX2D_ARRAY_UAV1","features":[404]},{"name":"D3D11_TEX2D_ARRAY_VPOV","features":[404]},{"name":"D3D11_TEX2D_DSV","features":[404]},{"name":"D3D11_TEX2D_RTV","features":[404]},{"name":"D3D11_TEX2D_RTV1","features":[404]},{"name":"D3D11_TEX2D_SRV","features":[404]},{"name":"D3D11_TEX2D_SRV1","features":[404]},{"name":"D3D11_TEX2D_UAV","features":[404]},{"name":"D3D11_TEX2D_UAV1","features":[404]},{"name":"D3D11_TEX2D_VDOV","features":[404]},{"name":"D3D11_TEX2D_VPIV","features":[404]},{"name":"D3D11_TEX2D_VPOV","features":[404]},{"name":"D3D11_TEX3D_RTV","features":[404]},{"name":"D3D11_TEX3D_SRV","features":[404]},{"name":"D3D11_TEX3D_UAV","features":[404]},{"name":"D3D11_TEXCUBE_ARRAY_SRV","features":[404]},{"name":"D3D11_TEXCUBE_SRV","features":[404]},{"name":"D3D11_TEXEL_ADDRESS_RANGE_BIT_COUNT","features":[404]},{"name":"D3D11_TEXTURE1D_DESC","features":[404,396]},{"name":"D3D11_TEXTURE2D_DESC","features":[404,396]},{"name":"D3D11_TEXTURE2D_DESC1","features":[404,396]},{"name":"D3D11_TEXTURE3D_DESC","features":[404,396]},{"name":"D3D11_TEXTURE3D_DESC1","features":[404,396]},{"name":"D3D11_TEXTURECUBE_FACE","features":[404]},{"name":"D3D11_TEXTURECUBE_FACE_NEGATIVE_X","features":[404]},{"name":"D3D11_TEXTURECUBE_FACE_NEGATIVE_Y","features":[404]},{"name":"D3D11_TEXTURECUBE_FACE_NEGATIVE_Z","features":[404]},{"name":"D3D11_TEXTURECUBE_FACE_POSITIVE_X","features":[404]},{"name":"D3D11_TEXTURECUBE_FACE_POSITIVE_Y","features":[404]},{"name":"D3D11_TEXTURECUBE_FACE_POSITIVE_Z","features":[404]},{"name":"D3D11_TEXTURE_ADDRESS_BORDER","features":[404]},{"name":"D3D11_TEXTURE_ADDRESS_CLAMP","features":[404]},{"name":"D3D11_TEXTURE_ADDRESS_MIRROR","features":[404]},{"name":"D3D11_TEXTURE_ADDRESS_MIRROR_ONCE","features":[404]},{"name":"D3D11_TEXTURE_ADDRESS_MODE","features":[404]},{"name":"D3D11_TEXTURE_ADDRESS_WRAP","features":[404]},{"name":"D3D11_TEXTURE_LAYOUT","features":[404]},{"name":"D3D11_TEXTURE_LAYOUT_64K_STANDARD_SWIZZLE","features":[404]},{"name":"D3D11_TEXTURE_LAYOUT_ROW_MAJOR","features":[404]},{"name":"D3D11_TEXTURE_LAYOUT_UNDEFINED","features":[404]},{"name":"D3D11_TILED_RESOURCES_NOT_SUPPORTED","features":[404]},{"name":"D3D11_TILED_RESOURCES_TIER","features":[404]},{"name":"D3D11_TILED_RESOURCES_TIER_1","features":[404]},{"name":"D3D11_TILED_RESOURCES_TIER_2","features":[404]},{"name":"D3D11_TILED_RESOURCES_TIER_3","features":[404]},{"name":"D3D11_TILED_RESOURCE_COORDINATE","features":[404]},{"name":"D3D11_TILE_COPY_FLAG","features":[404]},{"name":"D3D11_TILE_COPY_LINEAR_BUFFER_TO_SWIZZLED_TILED_RESOURCE","features":[404]},{"name":"D3D11_TILE_COPY_NO_OVERWRITE","features":[404]},{"name":"D3D11_TILE_COPY_SWIZZLED_TILED_RESOURCE_TO_LINEAR_BUFFER","features":[404]},{"name":"D3D11_TILE_MAPPING_FLAG","features":[404]},{"name":"D3D11_TILE_MAPPING_NO_OVERWRITE","features":[404]},{"name":"D3D11_TILE_RANGE_FLAG","features":[404]},{"name":"D3D11_TILE_RANGE_NULL","features":[404]},{"name":"D3D11_TILE_RANGE_REUSE_SINGLE_TILE","features":[404]},{"name":"D3D11_TILE_RANGE_SKIP","features":[404]},{"name":"D3D11_TILE_REGION_SIZE","features":[308,404]},{"name":"D3D11_TILE_SHAPE","features":[404]},{"name":"D3D11_TRACE_COMPONENT_W","features":[404]},{"name":"D3D11_TRACE_COMPONENT_X","features":[404]},{"name":"D3D11_TRACE_COMPONENT_Y","features":[404]},{"name":"D3D11_TRACE_COMPONENT_Z","features":[404]},{"name":"D3D11_TRACE_CONSTANT_BUFFER","features":[404]},{"name":"D3D11_TRACE_GS_INPUT_PRIMITIVE","features":[404]},{"name":"D3D11_TRACE_GS_INPUT_PRIMITIVE_LINE","features":[404]},{"name":"D3D11_TRACE_GS_INPUT_PRIMITIVE_LINE_ADJ","features":[404]},{"name":"D3D11_TRACE_GS_INPUT_PRIMITIVE_POINT","features":[404]},{"name":"D3D11_TRACE_GS_INPUT_PRIMITIVE_TRIANGLE","features":[404]},{"name":"D3D11_TRACE_GS_INPUT_PRIMITIVE_TRIANGLE_ADJ","features":[404]},{"name":"D3D11_TRACE_GS_INPUT_PRIMITIVE_UNDEFINED","features":[404]},{"name":"D3D11_TRACE_IMMEDIATE32","features":[404]},{"name":"D3D11_TRACE_IMMEDIATE64","features":[404]},{"name":"D3D11_TRACE_IMMEDIATE_CONSTANT_BUFFER","features":[404]},{"name":"D3D11_TRACE_INDEXABLE_TEMP_REGISTER","features":[404]},{"name":"D3D11_TRACE_INPUT_CONTROL_POINT_REGISTER","features":[404]},{"name":"D3D11_TRACE_INPUT_COVERAGE_MASK_REGISTER","features":[404]},{"name":"D3D11_TRACE_INPUT_CYCLE_COUNTER_REGISTER","features":[404]},{"name":"D3D11_TRACE_INPUT_DOMAIN_POINT_REGISTER","features":[404]},{"name":"D3D11_TRACE_INPUT_FORK_INSTANCE_ID_REGISTER","features":[404]},{"name":"D3D11_TRACE_INPUT_GS_INSTANCE_ID_REGISTER","features":[404]},{"name":"D3D11_TRACE_INPUT_JOIN_INSTANCE_ID_REGISTER","features":[404]},{"name":"D3D11_TRACE_INPUT_PATCH_CONSTANT_REGISTER","features":[404]},{"name":"D3D11_TRACE_INPUT_PRIMITIVE_ID_REGISTER","features":[404]},{"name":"D3D11_TRACE_INPUT_REGISTER","features":[404]},{"name":"D3D11_TRACE_INPUT_THREAD_GROUP_ID_REGISTER","features":[404]},{"name":"D3D11_TRACE_INPUT_THREAD_ID_IN_GROUP_FLATTENED_REGISTER","features":[404]},{"name":"D3D11_TRACE_INPUT_THREAD_ID_IN_GROUP_REGISTER","features":[404]},{"name":"D3D11_TRACE_INPUT_THREAD_ID_REGISTER","features":[404]},{"name":"D3D11_TRACE_INTERFACE_POINTER","features":[404]},{"name":"D3D11_TRACE_MISC_GS_CUT","features":[404]},{"name":"D3D11_TRACE_MISC_GS_CUT_STREAM","features":[404]},{"name":"D3D11_TRACE_MISC_GS_EMIT","features":[404]},{"name":"D3D11_TRACE_MISC_GS_EMIT_STREAM","features":[404]},{"name":"D3D11_TRACE_MISC_HALT","features":[404]},{"name":"D3D11_TRACE_MISC_MESSAGE","features":[404]},{"name":"D3D11_TRACE_MISC_PS_DISCARD","features":[404]},{"name":"D3D11_TRACE_OUTPUT_CONTROL_POINT_ID_REGISTER","features":[404]},{"name":"D3D11_TRACE_OUTPUT_CONTROL_POINT_REGISTER","features":[404]},{"name":"D3D11_TRACE_OUTPUT_COVERAGE_MASK","features":[404]},{"name":"D3D11_TRACE_OUTPUT_DEPTH_GREATER_EQUAL_REGISTER","features":[404]},{"name":"D3D11_TRACE_OUTPUT_DEPTH_LESS_EQUAL_REGISTER","features":[404]},{"name":"D3D11_TRACE_OUTPUT_DEPTH_REGISTER","features":[404]},{"name":"D3D11_TRACE_OUTPUT_NULL_REGISTER","features":[404]},{"name":"D3D11_TRACE_OUTPUT_REGISTER","features":[404]},{"name":"D3D11_TRACE_RASTERIZER","features":[404]},{"name":"D3D11_TRACE_REGISTER","features":[404]},{"name":"D3D11_TRACE_REGISTER_FLAGS_RELATIVE_INDEXING","features":[404]},{"name":"D3D11_TRACE_REGISTER_TYPE","features":[404]},{"name":"D3D11_TRACE_RESOURCE","features":[404]},{"name":"D3D11_TRACE_SAMPLER","features":[404]},{"name":"D3D11_TRACE_STATS","features":[308,404]},{"name":"D3D11_TRACE_STEP","features":[308,404]},{"name":"D3D11_TRACE_STREAM","features":[404]},{"name":"D3D11_TRACE_TEMP_REGISTER","features":[404]},{"name":"D3D11_TRACE_THIS_POINTER","features":[404]},{"name":"D3D11_TRACE_THREAD_GROUP_SHARED_MEMORY","features":[404]},{"name":"D3D11_TRACE_UNORDERED_ACCESS_VIEW","features":[404]},{"name":"D3D11_TRACE_VALUE","features":[404]},{"name":"D3D11_UAV_DIMENSION","features":[404]},{"name":"D3D11_UAV_DIMENSION_BUFFER","features":[404]},{"name":"D3D11_UAV_DIMENSION_TEXTURE1D","features":[404]},{"name":"D3D11_UAV_DIMENSION_TEXTURE1DARRAY","features":[404]},{"name":"D3D11_UAV_DIMENSION_TEXTURE2D","features":[404]},{"name":"D3D11_UAV_DIMENSION_TEXTURE2DARRAY","features":[404]},{"name":"D3D11_UAV_DIMENSION_TEXTURE3D","features":[404]},{"name":"D3D11_UAV_DIMENSION_UNKNOWN","features":[404]},{"name":"D3D11_UNBOUND_MEMORY_ACCESS_RESULT","features":[404]},{"name":"D3D11_UNMUTE_SEVERITY_INFO","features":[404]},{"name":"D3D11_UNORDERED_ACCESS_VIEW_DESC","features":[404,396]},{"name":"D3D11_UNORDERED_ACCESS_VIEW_DESC1","features":[404,396]},{"name":"D3D11_USAGE","features":[404]},{"name":"D3D11_USAGE_DEFAULT","features":[404]},{"name":"D3D11_USAGE_DYNAMIC","features":[404]},{"name":"D3D11_USAGE_IMMUTABLE","features":[404]},{"name":"D3D11_USAGE_STAGING","features":[404]},{"name":"D3D11_VDOV_DIMENSION","features":[404]},{"name":"D3D11_VDOV_DIMENSION_TEXTURE2D","features":[404]},{"name":"D3D11_VDOV_DIMENSION_UNKNOWN","features":[404]},{"name":"D3D11_VERTEX_SHADER","features":[404]},{"name":"D3D11_VERTEX_SHADER_TRACE_DESC","features":[404]},{"name":"D3D11_VIDEO_COLOR","features":[404]},{"name":"D3D11_VIDEO_COLOR_RGBA","features":[404]},{"name":"D3D11_VIDEO_COLOR_YCbCrA","features":[404]},{"name":"D3D11_VIDEO_CONTENT_PROTECTION_CAPS","features":[404]},{"name":"D3D11_VIDEO_DECODER_BEGIN_FRAME_CRYPTO_SESSION","features":[404]},{"name":"D3D11_VIDEO_DECODER_BUFFER_BITSTREAM","features":[404]},{"name":"D3D11_VIDEO_DECODER_BUFFER_DEBLOCKING_CONTROL","features":[404]},{"name":"D3D11_VIDEO_DECODER_BUFFER_DESC","features":[308,404]},{"name":"D3D11_VIDEO_DECODER_BUFFER_DESC1","features":[404]},{"name":"D3D11_VIDEO_DECODER_BUFFER_DESC2","features":[404]},{"name":"D3D11_VIDEO_DECODER_BUFFER_FILM_GRAIN","features":[404]},{"name":"D3D11_VIDEO_DECODER_BUFFER_INVERSE_QUANTIZATION_MATRIX","features":[404]},{"name":"D3D11_VIDEO_DECODER_BUFFER_MACROBLOCK_CONTROL","features":[404]},{"name":"D3D11_VIDEO_DECODER_BUFFER_MOTION_VECTOR","features":[404]},{"name":"D3D11_VIDEO_DECODER_BUFFER_PICTURE_PARAMETERS","features":[404]},{"name":"D3D11_VIDEO_DECODER_BUFFER_RESIDUAL_DIFFERENCE","features":[404]},{"name":"D3D11_VIDEO_DECODER_BUFFER_SLICE_CONTROL","features":[404]},{"name":"D3D11_VIDEO_DECODER_BUFFER_TYPE","features":[404]},{"name":"D3D11_VIDEO_DECODER_CAPS","features":[404]},{"name":"D3D11_VIDEO_DECODER_CAPS_DOWNSAMPLE","features":[404]},{"name":"D3D11_VIDEO_DECODER_CAPS_DOWNSAMPLE_DYNAMIC","features":[404]},{"name":"D3D11_VIDEO_DECODER_CAPS_DOWNSAMPLE_REQUIRED","features":[404]},{"name":"D3D11_VIDEO_DECODER_CAPS_NON_REAL_TIME","features":[404]},{"name":"D3D11_VIDEO_DECODER_CAPS_UNSUPPORTED","features":[404]},{"name":"D3D11_VIDEO_DECODER_CONFIG","features":[404]},{"name":"D3D11_VIDEO_DECODER_DESC","features":[404,396]},{"name":"D3D11_VIDEO_DECODER_EXTENSION","features":[404]},{"name":"D3D11_VIDEO_DECODER_HISTOGRAM_COMPONENT","features":[404]},{"name":"D3D11_VIDEO_DECODER_HISTOGRAM_COMPONENT_A","features":[404]},{"name":"D3D11_VIDEO_DECODER_HISTOGRAM_COMPONENT_B","features":[404]},{"name":"D3D11_VIDEO_DECODER_HISTOGRAM_COMPONENT_FLAGS","features":[404]},{"name":"D3D11_VIDEO_DECODER_HISTOGRAM_COMPONENT_FLAG_A","features":[404]},{"name":"D3D11_VIDEO_DECODER_HISTOGRAM_COMPONENT_FLAG_B","features":[404]},{"name":"D3D11_VIDEO_DECODER_HISTOGRAM_COMPONENT_FLAG_G","features":[404]},{"name":"D3D11_VIDEO_DECODER_HISTOGRAM_COMPONENT_FLAG_NONE","features":[404]},{"name":"D3D11_VIDEO_DECODER_HISTOGRAM_COMPONENT_FLAG_R","features":[404]},{"name":"D3D11_VIDEO_DECODER_HISTOGRAM_COMPONENT_FLAG_U","features":[404]},{"name":"D3D11_VIDEO_DECODER_HISTOGRAM_COMPONENT_FLAG_V","features":[404]},{"name":"D3D11_VIDEO_DECODER_HISTOGRAM_COMPONENT_FLAG_Y","features":[404]},{"name":"D3D11_VIDEO_DECODER_HISTOGRAM_COMPONENT_G","features":[404]},{"name":"D3D11_VIDEO_DECODER_HISTOGRAM_COMPONENT_R","features":[404]},{"name":"D3D11_VIDEO_DECODER_HISTOGRAM_COMPONENT_U","features":[404]},{"name":"D3D11_VIDEO_DECODER_HISTOGRAM_COMPONENT_V","features":[404]},{"name":"D3D11_VIDEO_DECODER_HISTOGRAM_COMPONENT_Y","features":[404]},{"name":"D3D11_VIDEO_DECODER_OUTPUT_VIEW_DESC","features":[404]},{"name":"D3D11_VIDEO_DECODER_SUB_SAMPLE_MAPPING_BLOCK","features":[404]},{"name":"D3D11_VIDEO_FRAME_FORMAT","features":[404]},{"name":"D3D11_VIDEO_FRAME_FORMAT_INTERLACED_BOTTOM_FIELD_FIRST","features":[404]},{"name":"D3D11_VIDEO_FRAME_FORMAT_INTERLACED_TOP_FIELD_FIRST","features":[404]},{"name":"D3D11_VIDEO_FRAME_FORMAT_PROGRESSIVE","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_ALPHA_FILL_MODE","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_ALPHA_FILL_MODE_BACKGROUND","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_ALPHA_FILL_MODE_DESTINATION","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_ALPHA_FILL_MODE_OPAQUE","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_ALPHA_FILL_MODE_SOURCE_STREAM","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_AUTO_STREAM_CAPS","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_AUTO_STREAM_CAPS_ANAMORPHIC_SCALING","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_AUTO_STREAM_CAPS_COLOR_CORRECTION","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_AUTO_STREAM_CAPS_DENOISE","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_AUTO_STREAM_CAPS_DERINGING","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_AUTO_STREAM_CAPS_EDGE_ENHANCEMENT","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_AUTO_STREAM_CAPS_FLESH_TONE_MAPPING","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_AUTO_STREAM_CAPS_IMAGE_STABILIZATION","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_AUTO_STREAM_CAPS_SUPER_RESOLUTION","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_BEHAVIOR_HINTS","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_BEHAVIOR_HINT_MULTIPLANE_OVERLAY_COLOR_SPACE_CONVERSION","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_BEHAVIOR_HINT_MULTIPLANE_OVERLAY_RESIZE","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_BEHAVIOR_HINT_MULTIPLANE_OVERLAY_ROTATION","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_BEHAVIOR_HINT_TRIPLE_BUFFER_OUTPUT","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_CAPS","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_COLOR_SPACE","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_CONTENT_DESC","features":[404,396]},{"name":"D3D11_VIDEO_PROCESSOR_CUSTOM_RATE","features":[308,404,396]},{"name":"D3D11_VIDEO_PROCESSOR_DEVICE_CAPS","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_DEVICE_CAPS_LINEAR_SPACE","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_DEVICE_CAPS_NOMINAL_RANGE","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_DEVICE_CAPS_RGB_RANGE_CONVERSION","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_DEVICE_CAPS_YCbCr_MATRIX_CONVERSION","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_DEVICE_CAPS_xvYCC","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FEATURE_CAPS","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FEATURE_CAPS_ALPHA_FILL","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FEATURE_CAPS_ALPHA_PALETTE","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FEATURE_CAPS_ALPHA_STREAM","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FEATURE_CAPS_CONSTRICTION","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FEATURE_CAPS_LEGACY","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FEATURE_CAPS_LUMA_KEY","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FEATURE_CAPS_METADATA_HDR10","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FEATURE_CAPS_MIRROR","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FEATURE_CAPS_PIXEL_ASPECT_RATIO","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FEATURE_CAPS_ROTATION","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FEATURE_CAPS_SHADER_USAGE","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FEATURE_CAPS_STEREO","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FILTER","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FILTER_ANAMORPHIC_SCALING","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FILTER_BRIGHTNESS","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FILTER_CAPS","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FILTER_CAPS_ANAMORPHIC_SCALING","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FILTER_CAPS_BRIGHTNESS","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FILTER_CAPS_CONTRAST","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FILTER_CAPS_EDGE_ENHANCEMENT","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FILTER_CAPS_HUE","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FILTER_CAPS_NOISE_REDUCTION","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FILTER_CAPS_SATURATION","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FILTER_CAPS_STEREO_ADJUSTMENT","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FILTER_CONTRAST","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FILTER_EDGE_ENHANCEMENT","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FILTER_HUE","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FILTER_NOISE_REDUCTION","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FILTER_RANGE","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FILTER_SATURATION","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FILTER_STEREO_ADJUSTMENT","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FORMAT_CAPS","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FORMAT_CAPS_PALETTE_INTERLACED","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FORMAT_CAPS_RGB_INTERLACED","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FORMAT_CAPS_RGB_LUMA_KEY","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FORMAT_CAPS_RGB_PROCAMP","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FORMAT_SUPPORT","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FORMAT_SUPPORT_INPUT","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_FORMAT_SUPPORT_OUTPUT","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_INPUT_VIEW_DESC","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_ITELECINE_CAPS","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_ITELECINE_CAPS_22","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_ITELECINE_CAPS_222222222223","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_ITELECINE_CAPS_2224","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_ITELECINE_CAPS_2332","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_ITELECINE_CAPS_32","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_ITELECINE_CAPS_32322","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_ITELECINE_CAPS_55","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_ITELECINE_CAPS_64","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_ITELECINE_CAPS_87","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_ITELECINE_CAPS_OTHER","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_NOMINAL_RANGE","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_NOMINAL_RANGE_0_255","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_NOMINAL_RANGE_16_235","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_NOMINAL_RANGE_UNDEFINED","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_OUTPUT_RATE","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_OUTPUT_RATE_CUSTOM","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_OUTPUT_RATE_HALF","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_OUTPUT_RATE_NORMAL","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_OUTPUT_VIEW_DESC","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_PROCESSOR_CAPS","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_PROCESSOR_CAPS_DEINTERLACE_ADAPTIVE","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_PROCESSOR_CAPS_DEINTERLACE_BLEND","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_PROCESSOR_CAPS_DEINTERLACE_BOB","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_PROCESSOR_CAPS_DEINTERLACE_MOTION_COMPENSATION","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_PROCESSOR_CAPS_FRAME_RATE_CONVERSION","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_PROCESSOR_CAPS_INVERSE_TELECINE","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_RATE_CONVERSION_CAPS","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_ROTATION","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_ROTATION_180","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_ROTATION_270","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_ROTATION_90","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_ROTATION_IDENTITY","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_STEREO_CAPS","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_STEREO_CAPS_CHECKERBOARD","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_STEREO_CAPS_COLUMN_INTERLEAVED","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_STEREO_CAPS_FLIP_MODE","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_STEREO_CAPS_MONO_OFFSET","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_STEREO_CAPS_ROW_INTERLEAVED","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_STEREO_FLIP_FRAME0","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_STEREO_FLIP_FRAME1","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_STEREO_FLIP_MODE","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_STEREO_FLIP_NONE","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_STEREO_FORMAT","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_STEREO_FORMAT_CHECKERBOARD","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_STEREO_FORMAT_COLUMN_INTERLEAVED","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_STEREO_FORMAT_HORIZONTAL","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_STEREO_FORMAT_MONO","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_STEREO_FORMAT_MONO_OFFSET","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_STEREO_FORMAT_ROW_INTERLEAVED","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_STEREO_FORMAT_SEPARATE","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_STEREO_FORMAT_VERTICAL","features":[404]},{"name":"D3D11_VIDEO_PROCESSOR_STREAM","features":[308,404]},{"name":"D3D11_VIDEO_PROCESSOR_STREAM_BEHAVIOR_HINT","features":[308,404,396]},{"name":"D3D11_VIDEO_SAMPLE_DESC","features":[404,396]},{"name":"D3D11_VIDEO_USAGE","features":[404]},{"name":"D3D11_VIDEO_USAGE_OPTIMAL_QUALITY","features":[404]},{"name":"D3D11_VIDEO_USAGE_OPTIMAL_SPEED","features":[404]},{"name":"D3D11_VIDEO_USAGE_PLAYBACK_NORMAL","features":[404]},{"name":"D3D11_VIEWPORT","features":[404]},{"name":"D3D11_VIEWPORT_AND_SCISSORRECT_MAX_INDEX","features":[404]},{"name":"D3D11_VIEWPORT_AND_SCISSORRECT_OBJECT_COUNT_PER_PIPELINE","features":[404]},{"name":"D3D11_VIEWPORT_BOUNDS_MAX","features":[404]},{"name":"D3D11_VIEWPORT_BOUNDS_MIN","features":[404]},{"name":"D3D11_VPIV_DIMENSION","features":[404]},{"name":"D3D11_VPIV_DIMENSION_TEXTURE2D","features":[404]},{"name":"D3D11_VPIV_DIMENSION_UNKNOWN","features":[404]},{"name":"D3D11_VPOV_DIMENSION","features":[404]},{"name":"D3D11_VPOV_DIMENSION_TEXTURE2D","features":[404]},{"name":"D3D11_VPOV_DIMENSION_TEXTURE2DARRAY","features":[404]},{"name":"D3D11_VPOV_DIMENSION_UNKNOWN","features":[404]},{"name":"D3D11_VS_INPUT_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_VS_INPUT_REGISTER_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_VS_INPUT_REGISTER_COUNT","features":[404]},{"name":"D3D11_VS_INPUT_REGISTER_READS_PER_INST","features":[404]},{"name":"D3D11_VS_INPUT_REGISTER_READ_PORTS","features":[404]},{"name":"D3D11_VS_OUTPUT_REGISTER_COMPONENTS","features":[404]},{"name":"D3D11_VS_OUTPUT_REGISTER_COMPONENT_BIT_COUNT","features":[404]},{"name":"D3D11_VS_OUTPUT_REGISTER_COUNT","features":[404]},{"name":"D3D11_WHQL_CONTEXT_COUNT_FOR_RESOURCE_LIMIT","features":[404]},{"name":"D3D11_WHQL_DRAWINDEXED_INDEX_COUNT_2_TO_EXP","features":[404]},{"name":"D3D11_WHQL_DRAW_VERTEX_COUNT_2_TO_EXP","features":[404]},{"name":"D3DCSX_DLL","features":[404]},{"name":"D3DCSX_DLL_A","features":[404]},{"name":"D3DCSX_DLL_W","features":[404]},{"name":"D3DDisassemble11Trace","features":[401,404]},{"name":"D3DX11CreateFFT","features":[404]},{"name":"D3DX11CreateFFT1DComplex","features":[404]},{"name":"D3DX11CreateFFT1DReal","features":[404]},{"name":"D3DX11CreateFFT2DComplex","features":[404]},{"name":"D3DX11CreateFFT2DReal","features":[404]},{"name":"D3DX11CreateFFT3DComplex","features":[404]},{"name":"D3DX11CreateFFT3DReal","features":[404]},{"name":"D3DX11CreateScan","features":[404]},{"name":"D3DX11CreateSegmentedScan","features":[404]},{"name":"D3DX11_FFT_BUFFER_INFO","features":[404]},{"name":"D3DX11_FFT_CREATE_FLAG","features":[404]},{"name":"D3DX11_FFT_CREATE_FLAG_NO_PRECOMPUTE_BUFFERS","features":[404]},{"name":"D3DX11_FFT_DATA_TYPE","features":[404]},{"name":"D3DX11_FFT_DATA_TYPE_COMPLEX","features":[404]},{"name":"D3DX11_FFT_DATA_TYPE_REAL","features":[404]},{"name":"D3DX11_FFT_DESC","features":[404]},{"name":"D3DX11_FFT_DIM_MASK","features":[404]},{"name":"D3DX11_FFT_DIM_MASK_1D","features":[404]},{"name":"D3DX11_FFT_DIM_MASK_2D","features":[404]},{"name":"D3DX11_FFT_DIM_MASK_3D","features":[404]},{"name":"D3DX11_FFT_MAX_DIMENSIONS","features":[404]},{"name":"D3DX11_FFT_MAX_PRECOMPUTE_BUFFERS","features":[404]},{"name":"D3DX11_FFT_MAX_TEMP_BUFFERS","features":[404]},{"name":"D3DX11_SCAN_DATA_TYPE","features":[404]},{"name":"D3DX11_SCAN_DATA_TYPE_FLOAT","features":[404]},{"name":"D3DX11_SCAN_DATA_TYPE_INT","features":[404]},{"name":"D3DX11_SCAN_DATA_TYPE_UINT","features":[404]},{"name":"D3DX11_SCAN_DIRECTION","features":[404]},{"name":"D3DX11_SCAN_DIRECTION_BACKWARD","features":[404]},{"name":"D3DX11_SCAN_DIRECTION_FORWARD","features":[404]},{"name":"D3DX11_SCAN_OPCODE","features":[404]},{"name":"D3DX11_SCAN_OPCODE_ADD","features":[404]},{"name":"D3DX11_SCAN_OPCODE_AND","features":[404]},{"name":"D3DX11_SCAN_OPCODE_MAX","features":[404]},{"name":"D3DX11_SCAN_OPCODE_MIN","features":[404]},{"name":"D3DX11_SCAN_OPCODE_MUL","features":[404]},{"name":"D3DX11_SCAN_OPCODE_OR","features":[404]},{"name":"D3DX11_SCAN_OPCODE_XOR","features":[404]},{"name":"D3D_RETURN_PARAMETER_INDEX","features":[404]},{"name":"D3D_SHADER_REQUIRES_11_1_DOUBLE_EXTENSIONS","features":[404]},{"name":"D3D_SHADER_REQUIRES_11_1_SHADER_EXTENSIONS","features":[404]},{"name":"D3D_SHADER_REQUIRES_64_UAVS","features":[404]},{"name":"D3D_SHADER_REQUIRES_DOUBLES","features":[404]},{"name":"D3D_SHADER_REQUIRES_EARLY_DEPTH_STENCIL","features":[404]},{"name":"D3D_SHADER_REQUIRES_LEVEL_9_COMPARISON_FILTERING","features":[404]},{"name":"D3D_SHADER_REQUIRES_MINIMUM_PRECISION","features":[404]},{"name":"D3D_SHADER_REQUIRES_TILED_RESOURCES","features":[404]},{"name":"D3D_SHADER_REQUIRES_UAVS_AT_EVERY_STAGE","features":[404]},{"name":"DXGI_DEBUG_D3D11","features":[404]},{"name":"ID3D11Asynchronous","features":[404]},{"name":"ID3D11AuthenticatedChannel","features":[404]},{"name":"ID3D11BlendState","features":[404]},{"name":"ID3D11BlendState1","features":[404]},{"name":"ID3D11Buffer","features":[404]},{"name":"ID3D11ClassInstance","features":[404]},{"name":"ID3D11ClassLinkage","features":[404]},{"name":"ID3D11CommandList","features":[404]},{"name":"ID3D11ComputeShader","features":[404]},{"name":"ID3D11Counter","features":[404]},{"name":"ID3D11CryptoSession","features":[404]},{"name":"ID3D11Debug","features":[404]},{"name":"ID3D11DepthStencilState","features":[404]},{"name":"ID3D11DepthStencilView","features":[404]},{"name":"ID3D11Device","features":[404]},{"name":"ID3D11Device1","features":[404]},{"name":"ID3D11Device2","features":[404]},{"name":"ID3D11Device3","features":[404]},{"name":"ID3D11Device4","features":[404]},{"name":"ID3D11Device5","features":[404]},{"name":"ID3D11DeviceChild","features":[404]},{"name":"ID3D11DeviceContext","features":[404]},{"name":"ID3D11DeviceContext1","features":[404]},{"name":"ID3D11DeviceContext2","features":[404]},{"name":"ID3D11DeviceContext3","features":[404]},{"name":"ID3D11DeviceContext4","features":[404]},{"name":"ID3D11DomainShader","features":[404]},{"name":"ID3D11Fence","features":[404]},{"name":"ID3D11FunctionLinkingGraph","features":[404]},{"name":"ID3D11FunctionParameterReflection","features":[404]},{"name":"ID3D11FunctionReflection","features":[404]},{"name":"ID3D11GeometryShader","features":[404]},{"name":"ID3D11HullShader","features":[404]},{"name":"ID3D11InfoQueue","features":[404]},{"name":"ID3D11InputLayout","features":[404]},{"name":"ID3D11LibraryReflection","features":[404]},{"name":"ID3D11Linker","features":[404]},{"name":"ID3D11LinkingNode","features":[404]},{"name":"ID3D11Module","features":[404]},{"name":"ID3D11ModuleInstance","features":[404]},{"name":"ID3D11Multithread","features":[404]},{"name":"ID3D11PixelShader","features":[404]},{"name":"ID3D11Predicate","features":[404]},{"name":"ID3D11Query","features":[404]},{"name":"ID3D11Query1","features":[404]},{"name":"ID3D11RasterizerState","features":[404]},{"name":"ID3D11RasterizerState1","features":[404]},{"name":"ID3D11RasterizerState2","features":[404]},{"name":"ID3D11RefDefaultTrackingOptions","features":[404]},{"name":"ID3D11RefTrackingOptions","features":[404]},{"name":"ID3D11RenderTargetView","features":[404]},{"name":"ID3D11RenderTargetView1","features":[404]},{"name":"ID3D11Resource","features":[404]},{"name":"ID3D11SamplerState","features":[404]},{"name":"ID3D11ShaderReflection","features":[404]},{"name":"ID3D11ShaderReflectionConstantBuffer","features":[404]},{"name":"ID3D11ShaderReflectionType","features":[404]},{"name":"ID3D11ShaderReflectionVariable","features":[404]},{"name":"ID3D11ShaderResourceView","features":[404]},{"name":"ID3D11ShaderResourceView1","features":[404]},{"name":"ID3D11ShaderTrace","features":[404]},{"name":"ID3D11ShaderTraceFactory","features":[404]},{"name":"ID3D11SwitchToRef","features":[404]},{"name":"ID3D11Texture1D","features":[404]},{"name":"ID3D11Texture2D","features":[404]},{"name":"ID3D11Texture2D1","features":[404]},{"name":"ID3D11Texture3D","features":[404]},{"name":"ID3D11Texture3D1","features":[404]},{"name":"ID3D11TracingDevice","features":[404]},{"name":"ID3D11UnorderedAccessView","features":[404]},{"name":"ID3D11UnorderedAccessView1","features":[404]},{"name":"ID3D11VertexShader","features":[404]},{"name":"ID3D11VideoContext","features":[404]},{"name":"ID3D11VideoContext1","features":[404]},{"name":"ID3D11VideoContext2","features":[404]},{"name":"ID3D11VideoContext3","features":[404]},{"name":"ID3D11VideoDecoder","features":[404]},{"name":"ID3D11VideoDecoderOutputView","features":[404]},{"name":"ID3D11VideoDevice","features":[404]},{"name":"ID3D11VideoDevice1","features":[404]},{"name":"ID3D11VideoDevice2","features":[404]},{"name":"ID3D11VideoProcessor","features":[404]},{"name":"ID3D11VideoProcessorEnumerator","features":[404]},{"name":"ID3D11VideoProcessorEnumerator1","features":[404]},{"name":"ID3D11VideoProcessorInputView","features":[404]},{"name":"ID3D11VideoProcessorOutputView","features":[404]},{"name":"ID3D11View","features":[404]},{"name":"ID3DDeviceContextState","features":[404]},{"name":"ID3DUserDefinedAnnotation","features":[404]},{"name":"ID3DX11FFT","features":[404]},{"name":"ID3DX11Scan","features":[404]},{"name":"ID3DX11SegmentedScan","features":[404]},{"name":"PFN_D3D11_CREATE_DEVICE","features":[308,401,404,400]},{"name":"PFN_D3D11_CREATE_DEVICE_AND_SWAP_CHAIN","features":[308,401,404,396]},{"name":"_FACD3D11","features":[404]}],"402":[{"name":"D3D11On12CreateDevice","features":[401,404,406]},{"name":"D3D11_RESOURCE_FLAGS","features":[406]},{"name":"ID3D11On12Device","features":[406]},{"name":"ID3D11On12Device1","features":[406]},{"name":"ID3D11On12Device2","features":[406]},{"name":"PFN_D3D11ON12_CREATE_DEVICE","features":[401,404,406]}],"403":[{"name":"CLSID_D3D12Debug","features":[355]},{"name":"CLSID_D3D12DeviceFactory","features":[355]},{"name":"CLSID_D3D12DeviceRemovedExtendedData","features":[355]},{"name":"CLSID_D3D12SDKConfiguration","features":[355]},{"name":"CLSID_D3D12Tools","features":[355]},{"name":"D3D12CreateDevice","features":[401,355]},{"name":"D3D12CreateRootSignatureDeserializer","features":[355]},{"name":"D3D12CreateVersionedRootSignatureDeserializer","features":[355]},{"name":"D3D12EnableExperimentalFeatures","features":[355]},{"name":"D3D12ExperimentalShaderModels","features":[355]},{"name":"D3D12GetDebugInterface","features":[355]},{"name":"D3D12GetInterface","features":[355]},{"name":"D3D12MessageFunc","features":[355]},{"name":"D3D12SerializeRootSignature","features":[401,355]},{"name":"D3D12SerializeVersionedRootSignature","features":[401,355]},{"name":"D3D12TiledResourceTier4","features":[355]},{"name":"D3D12_16BIT_INDEX_STRIP_CUT_VALUE","features":[355]},{"name":"D3D12_32BIT_INDEX_STRIP_CUT_VALUE","features":[355]},{"name":"D3D12_8BIT_INDEX_STRIP_CUT_VALUE","features":[355]},{"name":"D3D12_ANISOTROPIC_FILTERING_BIT","features":[355]},{"name":"D3D12_APPEND_ALIGNED_ELEMENT","features":[355]},{"name":"D3D12_ARRAY_AXIS_ADDRESS_RANGE_BIT_COUNT","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_NODE","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_NODE1","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_ATOMICCOPYBUFFERUINT","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_ATOMICCOPYBUFFERUINT64","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_BARRIER","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_BEGINEVENT","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_BEGINSUBMISSION","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_BEGIN_COMMAND_LIST","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_BUILDRAYTRACINGACCELERATIONSTRUCTURE","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_CLEARDEPTHSTENCILVIEW","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_CLEARRENDERTARGETVIEW","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_CLEARUNORDEREDACCESSVIEW","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_COPYBUFFERREGION","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_COPYRAYTRACINGACCELERATIONSTRUCTURE","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_COPYRESOURCE","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_COPYTEXTUREREGION","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_COPYTILES","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_DECODEFRAME","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_DECODEFRAME1","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_DECODEFRAME2","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_DISPATCH","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_DISPATCHMESH","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_DISPATCHRAYS","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_DRAWINDEXEDINSTANCED","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_DRAWINSTANCED","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_EMITRAYTRACINGACCELERATIONSTRUCTUREPOSTBUILDINFO","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_ENCODEFRAME","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_ENDEVENT","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_ENDSUBMISSION","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_ESTIMATEMOTION","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_EXECUTEBUNDLE","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_EXECUTEEXTENSIONCOMMAND","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_EXECUTEINDIRECT","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_EXECUTEMETACOMMAND","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_INITIALIZEEXTENSIONCOMMAND","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_INITIALIZEMETACOMMAND","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_PRESENT","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_PROCESSFRAMES","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_PROCESSFRAMES1","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_RESOLVEENCODEROUTPUTMETADATA","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_RESOLVEMOTIONVECTORHEAP","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_RESOLVEQUERYDATA","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_RESOLVESUBRESOURCE","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_RESOLVESUBRESOURCEREGION","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_RESOURCEBARRIER","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_SETMARKER","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_SETPIPELINESTATE1","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_SETPROTECTEDRESOURCESESSION","features":[355]},{"name":"D3D12_AUTO_BREADCRUMB_OP_WRITEBUFFERIMMEDIATE","features":[355]},{"name":"D3D12_AXIS_SHADING_RATE","features":[355]},{"name":"D3D12_AXIS_SHADING_RATE_1X","features":[355]},{"name":"D3D12_AXIS_SHADING_RATE_2X","features":[355]},{"name":"D3D12_AXIS_SHADING_RATE_4X","features":[355]},{"name":"D3D12_BACKGROUND_PROCESSING_MODE","features":[355]},{"name":"D3D12_BACKGROUND_PROCESSING_MODE_ALLOWED","features":[355]},{"name":"D3D12_BACKGROUND_PROCESSING_MODE_ALLOW_INTRUSIVE_MEASUREMENTS","features":[355]},{"name":"D3D12_BACKGROUND_PROCESSING_MODE_DISABLE_BACKGROUND_WORK","features":[355]},{"name":"D3D12_BACKGROUND_PROCESSING_MODE_DISABLE_PROFILING_BY_SYSTEM","features":[355]},{"name":"D3D12_BARRIER_ACCESS","features":[355]},{"name":"D3D12_BARRIER_ACCESS_COMMON","features":[355]},{"name":"D3D12_BARRIER_ACCESS_CONSTANT_BUFFER","features":[355]},{"name":"D3D12_BARRIER_ACCESS_COPY_DEST","features":[355]},{"name":"D3D12_BARRIER_ACCESS_COPY_SOURCE","features":[355]},{"name":"D3D12_BARRIER_ACCESS_DEPTH_STENCIL_READ","features":[355]},{"name":"D3D12_BARRIER_ACCESS_DEPTH_STENCIL_WRITE","features":[355]},{"name":"D3D12_BARRIER_ACCESS_INDEX_BUFFER","features":[355]},{"name":"D3D12_BARRIER_ACCESS_INDIRECT_ARGUMENT","features":[355]},{"name":"D3D12_BARRIER_ACCESS_NO_ACCESS","features":[355]},{"name":"D3D12_BARRIER_ACCESS_PREDICATION","features":[355]},{"name":"D3D12_BARRIER_ACCESS_RAYTRACING_ACCELERATION_STRUCTURE_READ","features":[355]},{"name":"D3D12_BARRIER_ACCESS_RAYTRACING_ACCELERATION_STRUCTURE_WRITE","features":[355]},{"name":"D3D12_BARRIER_ACCESS_RENDER_TARGET","features":[355]},{"name":"D3D12_BARRIER_ACCESS_RESOLVE_DEST","features":[355]},{"name":"D3D12_BARRIER_ACCESS_RESOLVE_SOURCE","features":[355]},{"name":"D3D12_BARRIER_ACCESS_SHADER_RESOURCE","features":[355]},{"name":"D3D12_BARRIER_ACCESS_SHADING_RATE_SOURCE","features":[355]},{"name":"D3D12_BARRIER_ACCESS_STREAM_OUTPUT","features":[355]},{"name":"D3D12_BARRIER_ACCESS_UNORDERED_ACCESS","features":[355]},{"name":"D3D12_BARRIER_ACCESS_VERTEX_BUFFER","features":[355]},{"name":"D3D12_BARRIER_ACCESS_VIDEO_DECODE_READ","features":[355]},{"name":"D3D12_BARRIER_ACCESS_VIDEO_DECODE_WRITE","features":[355]},{"name":"D3D12_BARRIER_ACCESS_VIDEO_ENCODE_READ","features":[355]},{"name":"D3D12_BARRIER_ACCESS_VIDEO_ENCODE_WRITE","features":[355]},{"name":"D3D12_BARRIER_ACCESS_VIDEO_PROCESS_READ","features":[355]},{"name":"D3D12_BARRIER_ACCESS_VIDEO_PROCESS_WRITE","features":[355]},{"name":"D3D12_BARRIER_GROUP","features":[355]},{"name":"D3D12_BARRIER_LAYOUT","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_COMMON","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_COMPUTE_QUEUE_COMMON","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_COMPUTE_QUEUE_COPY_DEST","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_COMPUTE_QUEUE_COPY_SOURCE","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_COMPUTE_QUEUE_GENERIC_READ","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_COMPUTE_QUEUE_SHADER_RESOURCE","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_COMPUTE_QUEUE_UNORDERED_ACCESS","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_COPY_DEST","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_COPY_SOURCE","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_DEPTH_STENCIL_READ","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_DEPTH_STENCIL_WRITE","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_DIRECT_QUEUE_COMMON","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_DIRECT_QUEUE_COPY_DEST","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_DIRECT_QUEUE_COPY_SOURCE","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_DIRECT_QUEUE_GENERIC_READ","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_DIRECT_QUEUE_SHADER_RESOURCE","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_DIRECT_QUEUE_UNORDERED_ACCESS","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_GENERIC_READ","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_PRESENT","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_RENDER_TARGET","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_RESOLVE_DEST","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_RESOLVE_SOURCE","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_SHADER_RESOURCE","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_SHADING_RATE_SOURCE","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_UNDEFINED","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_UNORDERED_ACCESS","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_VIDEO_DECODE_READ","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_VIDEO_DECODE_WRITE","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_VIDEO_ENCODE_READ","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_VIDEO_ENCODE_WRITE","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_VIDEO_PROCESS_READ","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_VIDEO_PROCESS_WRITE","features":[355]},{"name":"D3D12_BARRIER_LAYOUT_VIDEO_QUEUE_COMMON","features":[355]},{"name":"D3D12_BARRIER_SUBRESOURCE_RANGE","features":[355]},{"name":"D3D12_BARRIER_SYNC","features":[355]},{"name":"D3D12_BARRIER_SYNC_ALL","features":[355]},{"name":"D3D12_BARRIER_SYNC_ALL_SHADING","features":[355]},{"name":"D3D12_BARRIER_SYNC_BUILD_RAYTRACING_ACCELERATION_STRUCTURE","features":[355]},{"name":"D3D12_BARRIER_SYNC_CLEAR_UNORDERED_ACCESS_VIEW","features":[355]},{"name":"D3D12_BARRIER_SYNC_COMPUTE_SHADING","features":[355]},{"name":"D3D12_BARRIER_SYNC_COPY","features":[355]},{"name":"D3D12_BARRIER_SYNC_COPY_RAYTRACING_ACCELERATION_STRUCTURE","features":[355]},{"name":"D3D12_BARRIER_SYNC_DEPTH_STENCIL","features":[355]},{"name":"D3D12_BARRIER_SYNC_DRAW","features":[355]},{"name":"D3D12_BARRIER_SYNC_EMIT_RAYTRACING_ACCELERATION_STRUCTURE_POSTBUILD_INFO","features":[355]},{"name":"D3D12_BARRIER_SYNC_EXECUTE_INDIRECT","features":[355]},{"name":"D3D12_BARRIER_SYNC_INDEX_INPUT","features":[355]},{"name":"D3D12_BARRIER_SYNC_NONE","features":[355]},{"name":"D3D12_BARRIER_SYNC_NON_PIXEL_SHADING","features":[355]},{"name":"D3D12_BARRIER_SYNC_PIXEL_SHADING","features":[355]},{"name":"D3D12_BARRIER_SYNC_PREDICATION","features":[355]},{"name":"D3D12_BARRIER_SYNC_RAYTRACING","features":[355]},{"name":"D3D12_BARRIER_SYNC_RENDER_TARGET","features":[355]},{"name":"D3D12_BARRIER_SYNC_RESOLVE","features":[355]},{"name":"D3D12_BARRIER_SYNC_SPLIT","features":[355]},{"name":"D3D12_BARRIER_SYNC_VERTEX_SHADING","features":[355]},{"name":"D3D12_BARRIER_SYNC_VIDEO_DECODE","features":[355]},{"name":"D3D12_BARRIER_SYNC_VIDEO_ENCODE","features":[355]},{"name":"D3D12_BARRIER_SYNC_VIDEO_PROCESS","features":[355]},{"name":"D3D12_BARRIER_TYPE","features":[355]},{"name":"D3D12_BARRIER_TYPE_BUFFER","features":[355]},{"name":"D3D12_BARRIER_TYPE_GLOBAL","features":[355]},{"name":"D3D12_BARRIER_TYPE_TEXTURE","features":[355]},{"name":"D3D12_BLEND","features":[355]},{"name":"D3D12_BLEND_ALPHA_FACTOR","features":[355]},{"name":"D3D12_BLEND_BLEND_FACTOR","features":[355]},{"name":"D3D12_BLEND_DESC","features":[308,355]},{"name":"D3D12_BLEND_DEST_ALPHA","features":[355]},{"name":"D3D12_BLEND_DEST_COLOR","features":[355]},{"name":"D3D12_BLEND_INV_ALPHA_FACTOR","features":[355]},{"name":"D3D12_BLEND_INV_BLEND_FACTOR","features":[355]},{"name":"D3D12_BLEND_INV_DEST_ALPHA","features":[355]},{"name":"D3D12_BLEND_INV_DEST_COLOR","features":[355]},{"name":"D3D12_BLEND_INV_SRC1_ALPHA","features":[355]},{"name":"D3D12_BLEND_INV_SRC1_COLOR","features":[355]},{"name":"D3D12_BLEND_INV_SRC_ALPHA","features":[355]},{"name":"D3D12_BLEND_INV_SRC_COLOR","features":[355]},{"name":"D3D12_BLEND_ONE","features":[355]},{"name":"D3D12_BLEND_OP","features":[355]},{"name":"D3D12_BLEND_OP_ADD","features":[355]},{"name":"D3D12_BLEND_OP_MAX","features":[355]},{"name":"D3D12_BLEND_OP_MIN","features":[355]},{"name":"D3D12_BLEND_OP_REV_SUBTRACT","features":[355]},{"name":"D3D12_BLEND_OP_SUBTRACT","features":[355]},{"name":"D3D12_BLEND_SRC1_ALPHA","features":[355]},{"name":"D3D12_BLEND_SRC1_COLOR","features":[355]},{"name":"D3D12_BLEND_SRC_ALPHA","features":[355]},{"name":"D3D12_BLEND_SRC_ALPHA_SAT","features":[355]},{"name":"D3D12_BLEND_SRC_COLOR","features":[355]},{"name":"D3D12_BLEND_ZERO","features":[355]},{"name":"D3D12_BOX","features":[355]},{"name":"D3D12_BUFFER_BARRIER","features":[355]},{"name":"D3D12_BUFFER_RTV","features":[355]},{"name":"D3D12_BUFFER_SRV","features":[355]},{"name":"D3D12_BUFFER_SRV_FLAGS","features":[355]},{"name":"D3D12_BUFFER_SRV_FLAG_NONE","features":[355]},{"name":"D3D12_BUFFER_SRV_FLAG_RAW","features":[355]},{"name":"D3D12_BUFFER_UAV","features":[355]},{"name":"D3D12_BUFFER_UAV_FLAGS","features":[355]},{"name":"D3D12_BUFFER_UAV_FLAG_NONE","features":[355]},{"name":"D3D12_BUFFER_UAV_FLAG_RAW","features":[355]},{"name":"D3D12_BUILD_RAYTRACING_ACCELERATION_STRUCTURE_DESC","features":[355,396]},{"name":"D3D12_BUILD_RAYTRACING_ACCELERATION_STRUCTURE_INPUTS","features":[355,396]},{"name":"D3D12_BUILD_RAYTRACING_ACCELERATION_STRUCTURE_TOOLS_VISUALIZATION_HEADER","features":[355]},{"name":"D3D12_CACHED_PIPELINE_STATE","features":[355]},{"name":"D3D12_CLEAR_FLAGS","features":[355]},{"name":"D3D12_CLEAR_FLAG_DEPTH","features":[355]},{"name":"D3D12_CLEAR_FLAG_STENCIL","features":[355]},{"name":"D3D12_CLEAR_VALUE","features":[355,396]},{"name":"D3D12_CLIP_OR_CULL_DISTANCE_COUNT","features":[355]},{"name":"D3D12_CLIP_OR_CULL_DISTANCE_ELEMENT_COUNT","features":[355]},{"name":"D3D12_COLOR_WRITE_ENABLE","features":[355]},{"name":"D3D12_COLOR_WRITE_ENABLE_ALL","features":[355]},{"name":"D3D12_COLOR_WRITE_ENABLE_ALPHA","features":[355]},{"name":"D3D12_COLOR_WRITE_ENABLE_BLUE","features":[355]},{"name":"D3D12_COLOR_WRITE_ENABLE_GREEN","features":[355]},{"name":"D3D12_COLOR_WRITE_ENABLE_RED","features":[355]},{"name":"D3D12_COMMAND_LIST_FLAGS","features":[355]},{"name":"D3D12_COMMAND_LIST_FLAG_NONE","features":[355]},{"name":"D3D12_COMMAND_LIST_SUPPORT_FLAGS","features":[355]},{"name":"D3D12_COMMAND_LIST_SUPPORT_FLAG_BUNDLE","features":[355]},{"name":"D3D12_COMMAND_LIST_SUPPORT_FLAG_COMPUTE","features":[355]},{"name":"D3D12_COMMAND_LIST_SUPPORT_FLAG_COPY","features":[355]},{"name":"D3D12_COMMAND_LIST_SUPPORT_FLAG_DIRECT","features":[355]},{"name":"D3D12_COMMAND_LIST_SUPPORT_FLAG_NONE","features":[355]},{"name":"D3D12_COMMAND_LIST_SUPPORT_FLAG_VIDEO_DECODE","features":[355]},{"name":"D3D12_COMMAND_LIST_SUPPORT_FLAG_VIDEO_ENCODE","features":[355]},{"name":"D3D12_COMMAND_LIST_SUPPORT_FLAG_VIDEO_PROCESS","features":[355]},{"name":"D3D12_COMMAND_LIST_TYPE","features":[355]},{"name":"D3D12_COMMAND_LIST_TYPE_BUNDLE","features":[355]},{"name":"D3D12_COMMAND_LIST_TYPE_COMPUTE","features":[355]},{"name":"D3D12_COMMAND_LIST_TYPE_COPY","features":[355]},{"name":"D3D12_COMMAND_LIST_TYPE_DIRECT","features":[355]},{"name":"D3D12_COMMAND_LIST_TYPE_NONE","features":[355]},{"name":"D3D12_COMMAND_LIST_TYPE_VIDEO_DECODE","features":[355]},{"name":"D3D12_COMMAND_LIST_TYPE_VIDEO_ENCODE","features":[355]},{"name":"D3D12_COMMAND_LIST_TYPE_VIDEO_PROCESS","features":[355]},{"name":"D3D12_COMMAND_POOL_FLAGS","features":[355]},{"name":"D3D12_COMMAND_POOL_FLAG_NONE","features":[355]},{"name":"D3D12_COMMAND_QUEUE_DESC","features":[355]},{"name":"D3D12_COMMAND_QUEUE_FLAGS","features":[355]},{"name":"D3D12_COMMAND_QUEUE_FLAG_DISABLE_GPU_TIMEOUT","features":[355]},{"name":"D3D12_COMMAND_QUEUE_FLAG_NONE","features":[355]},{"name":"D3D12_COMMAND_QUEUE_PRIORITY","features":[355]},{"name":"D3D12_COMMAND_QUEUE_PRIORITY_GLOBAL_REALTIME","features":[355]},{"name":"D3D12_COMMAND_QUEUE_PRIORITY_HIGH","features":[355]},{"name":"D3D12_COMMAND_QUEUE_PRIORITY_NORMAL","features":[355]},{"name":"D3D12_COMMAND_RECORDER_FLAGS","features":[355]},{"name":"D3D12_COMMAND_RECORDER_FLAG_NONE","features":[355]},{"name":"D3D12_COMMAND_SIGNATURE_DESC","features":[355]},{"name":"D3D12_COMMONSHADER_CONSTANT_BUFFER_API_SLOT_COUNT","features":[355]},{"name":"D3D12_COMMONSHADER_CONSTANT_BUFFER_COMPONENTS","features":[355]},{"name":"D3D12_COMMONSHADER_CONSTANT_BUFFER_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_COMMONSHADER_CONSTANT_BUFFER_HW_SLOT_COUNT","features":[355]},{"name":"D3D12_COMMONSHADER_CONSTANT_BUFFER_PARTIAL_UPDATE_EXTENTS_BYTE_ALIGNMENT","features":[355]},{"name":"D3D12_COMMONSHADER_CONSTANT_BUFFER_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_COMMONSHADER_CONSTANT_BUFFER_REGISTER_COUNT","features":[355]},{"name":"D3D12_COMMONSHADER_CONSTANT_BUFFER_REGISTER_READS_PER_INST","features":[355]},{"name":"D3D12_COMMONSHADER_CONSTANT_BUFFER_REGISTER_READ_PORTS","features":[355]},{"name":"D3D12_COMMONSHADER_FLOWCONTROL_NESTING_LIMIT","features":[355]},{"name":"D3D12_COMMONSHADER_IMMEDIATE_CONSTANT_BUFFER_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_COMMONSHADER_IMMEDIATE_CONSTANT_BUFFER_REGISTER_COUNT","features":[355]},{"name":"D3D12_COMMONSHADER_IMMEDIATE_CONSTANT_BUFFER_REGISTER_READS_PER_INST","features":[355]},{"name":"D3D12_COMMONSHADER_IMMEDIATE_CONSTANT_BUFFER_REGISTER_READ_PORTS","features":[355]},{"name":"D3D12_COMMONSHADER_IMMEDIATE_VALUE_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_COMMONSHADER_INPUT_RESOURCE_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_COMMONSHADER_INPUT_RESOURCE_REGISTER_COUNT","features":[355]},{"name":"D3D12_COMMONSHADER_INPUT_RESOURCE_REGISTER_READS_PER_INST","features":[355]},{"name":"D3D12_COMMONSHADER_INPUT_RESOURCE_REGISTER_READ_PORTS","features":[355]},{"name":"D3D12_COMMONSHADER_INPUT_RESOURCE_SLOT_COUNT","features":[355]},{"name":"D3D12_COMMONSHADER_SAMPLER_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_COMMONSHADER_SAMPLER_REGISTER_COUNT","features":[355]},{"name":"D3D12_COMMONSHADER_SAMPLER_REGISTER_READS_PER_INST","features":[355]},{"name":"D3D12_COMMONSHADER_SAMPLER_REGISTER_READ_PORTS","features":[355]},{"name":"D3D12_COMMONSHADER_SAMPLER_SLOT_COUNT","features":[355]},{"name":"D3D12_COMMONSHADER_SUBROUTINE_NESTING_LIMIT","features":[355]},{"name":"D3D12_COMMONSHADER_TEMP_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_COMMONSHADER_TEMP_REGISTER_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_COMMONSHADER_TEMP_REGISTER_COUNT","features":[355]},{"name":"D3D12_COMMONSHADER_TEMP_REGISTER_READS_PER_INST","features":[355]},{"name":"D3D12_COMMONSHADER_TEMP_REGISTER_READ_PORTS","features":[355]},{"name":"D3D12_COMMONSHADER_TEXCOORD_RANGE_REDUCTION_MAX","features":[355]},{"name":"D3D12_COMMONSHADER_TEXCOORD_RANGE_REDUCTION_MIN","features":[355]},{"name":"D3D12_COMMONSHADER_TEXEL_OFFSET_MAX_NEGATIVE","features":[355]},{"name":"D3D12_COMMONSHADER_TEXEL_OFFSET_MAX_POSITIVE","features":[355]},{"name":"D3D12_COMPARISON_FUNC","features":[355]},{"name":"D3D12_COMPARISON_FUNC_ALWAYS","features":[355]},{"name":"D3D12_COMPARISON_FUNC_EQUAL","features":[355]},{"name":"D3D12_COMPARISON_FUNC_GREATER","features":[355]},{"name":"D3D12_COMPARISON_FUNC_GREATER_EQUAL","features":[355]},{"name":"D3D12_COMPARISON_FUNC_LESS","features":[355]},{"name":"D3D12_COMPARISON_FUNC_LESS_EQUAL","features":[355]},{"name":"D3D12_COMPARISON_FUNC_NEVER","features":[355]},{"name":"D3D12_COMPARISON_FUNC_NONE","features":[355]},{"name":"D3D12_COMPARISON_FUNC_NOT_EQUAL","features":[355]},{"name":"D3D12_COMPUTE_PIPELINE_STATE_DESC","features":[355]},{"name":"D3D12_CONSERVATIVE_RASTERIZATION_MODE","features":[355]},{"name":"D3D12_CONSERVATIVE_RASTERIZATION_MODE_OFF","features":[355]},{"name":"D3D12_CONSERVATIVE_RASTERIZATION_MODE_ON","features":[355]},{"name":"D3D12_CONSERVATIVE_RASTERIZATION_TIER","features":[355]},{"name":"D3D12_CONSERVATIVE_RASTERIZATION_TIER_1","features":[355]},{"name":"D3D12_CONSERVATIVE_RASTERIZATION_TIER_2","features":[355]},{"name":"D3D12_CONSERVATIVE_RASTERIZATION_TIER_3","features":[355]},{"name":"D3D12_CONSERVATIVE_RASTERIZATION_TIER_NOT_SUPPORTED","features":[355]},{"name":"D3D12_CONSTANT_BUFFER_DATA_PLACEMENT_ALIGNMENT","features":[355]},{"name":"D3D12_CONSTANT_BUFFER_VIEW_DESC","features":[355]},{"name":"D3D12_CPU_DESCRIPTOR_HANDLE","features":[355]},{"name":"D3D12_CPU_PAGE_PROPERTY","features":[355]},{"name":"D3D12_CPU_PAGE_PROPERTY_NOT_AVAILABLE","features":[355]},{"name":"D3D12_CPU_PAGE_PROPERTY_UNKNOWN","features":[355]},{"name":"D3D12_CPU_PAGE_PROPERTY_WRITE_BACK","features":[355]},{"name":"D3D12_CPU_PAGE_PROPERTY_WRITE_COMBINE","features":[355]},{"name":"D3D12_CROSS_NODE_SHARING_TIER","features":[355]},{"name":"D3D12_CROSS_NODE_SHARING_TIER_1","features":[355]},{"name":"D3D12_CROSS_NODE_SHARING_TIER_1_EMULATED","features":[355]},{"name":"D3D12_CROSS_NODE_SHARING_TIER_2","features":[355]},{"name":"D3D12_CROSS_NODE_SHARING_TIER_3","features":[355]},{"name":"D3D12_CROSS_NODE_SHARING_TIER_NOT_SUPPORTED","features":[355]},{"name":"D3D12_CS_4_X_BUCKET00_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[355]},{"name":"D3D12_CS_4_X_BUCKET00_MAX_NUM_THREADS_PER_GROUP","features":[355]},{"name":"D3D12_CS_4_X_BUCKET01_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[355]},{"name":"D3D12_CS_4_X_BUCKET01_MAX_NUM_THREADS_PER_GROUP","features":[355]},{"name":"D3D12_CS_4_X_BUCKET02_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[355]},{"name":"D3D12_CS_4_X_BUCKET02_MAX_NUM_THREADS_PER_GROUP","features":[355]},{"name":"D3D12_CS_4_X_BUCKET03_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[355]},{"name":"D3D12_CS_4_X_BUCKET03_MAX_NUM_THREADS_PER_GROUP","features":[355]},{"name":"D3D12_CS_4_X_BUCKET04_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[355]},{"name":"D3D12_CS_4_X_BUCKET04_MAX_NUM_THREADS_PER_GROUP","features":[355]},{"name":"D3D12_CS_4_X_BUCKET05_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[355]},{"name":"D3D12_CS_4_X_BUCKET05_MAX_NUM_THREADS_PER_GROUP","features":[355]},{"name":"D3D12_CS_4_X_BUCKET06_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[355]},{"name":"D3D12_CS_4_X_BUCKET06_MAX_NUM_THREADS_PER_GROUP","features":[355]},{"name":"D3D12_CS_4_X_BUCKET07_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[355]},{"name":"D3D12_CS_4_X_BUCKET07_MAX_NUM_THREADS_PER_GROUP","features":[355]},{"name":"D3D12_CS_4_X_BUCKET08_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[355]},{"name":"D3D12_CS_4_X_BUCKET08_MAX_NUM_THREADS_PER_GROUP","features":[355]},{"name":"D3D12_CS_4_X_BUCKET09_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[355]},{"name":"D3D12_CS_4_X_BUCKET09_MAX_NUM_THREADS_PER_GROUP","features":[355]},{"name":"D3D12_CS_4_X_BUCKET10_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[355]},{"name":"D3D12_CS_4_X_BUCKET10_MAX_NUM_THREADS_PER_GROUP","features":[355]},{"name":"D3D12_CS_4_X_BUCKET11_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[355]},{"name":"D3D12_CS_4_X_BUCKET11_MAX_NUM_THREADS_PER_GROUP","features":[355]},{"name":"D3D12_CS_4_X_BUCKET12_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[355]},{"name":"D3D12_CS_4_X_BUCKET12_MAX_NUM_THREADS_PER_GROUP","features":[355]},{"name":"D3D12_CS_4_X_BUCKET13_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[355]},{"name":"D3D12_CS_4_X_BUCKET13_MAX_NUM_THREADS_PER_GROUP","features":[355]},{"name":"D3D12_CS_4_X_BUCKET14_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[355]},{"name":"D3D12_CS_4_X_BUCKET14_MAX_NUM_THREADS_PER_GROUP","features":[355]},{"name":"D3D12_CS_4_X_BUCKET15_MAX_BYTES_TGSM_WRITABLE_PER_THREAD","features":[355]},{"name":"D3D12_CS_4_X_BUCKET15_MAX_NUM_THREADS_PER_GROUP","features":[355]},{"name":"D3D12_CS_4_X_DISPATCH_MAX_THREAD_GROUPS_IN_Z_DIMENSION","features":[355]},{"name":"D3D12_CS_4_X_RAW_UAV_BYTE_ALIGNMENT","features":[355]},{"name":"D3D12_CS_4_X_THREAD_GROUP_MAX_THREADS_PER_GROUP","features":[355]},{"name":"D3D12_CS_4_X_THREAD_GROUP_MAX_X","features":[355]},{"name":"D3D12_CS_4_X_THREAD_GROUP_MAX_Y","features":[355]},{"name":"D3D12_CS_4_X_UAV_REGISTER_COUNT","features":[355]},{"name":"D3D12_CS_DISPATCH_MAX_THREAD_GROUPS_PER_DIMENSION","features":[355]},{"name":"D3D12_CS_TGSM_REGISTER_COUNT","features":[355]},{"name":"D3D12_CS_TGSM_REGISTER_READS_PER_INST","features":[355]},{"name":"D3D12_CS_TGSM_RESOURCE_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_CS_TGSM_RESOURCE_REGISTER_READ_PORTS","features":[355]},{"name":"D3D12_CS_THREADGROUPID_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_CS_THREADGROUPID_REGISTER_COUNT","features":[355]},{"name":"D3D12_CS_THREADIDINGROUPFLATTENED_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_CS_THREADIDINGROUPFLATTENED_REGISTER_COUNT","features":[355]},{"name":"D3D12_CS_THREADIDINGROUP_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_CS_THREADIDINGROUP_REGISTER_COUNT","features":[355]},{"name":"D3D12_CS_THREADID_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_CS_THREADID_REGISTER_COUNT","features":[355]},{"name":"D3D12_CS_THREAD_GROUP_MAX_THREADS_PER_GROUP","features":[355]},{"name":"D3D12_CS_THREAD_GROUP_MAX_X","features":[355]},{"name":"D3D12_CS_THREAD_GROUP_MAX_Y","features":[355]},{"name":"D3D12_CS_THREAD_GROUP_MAX_Z","features":[355]},{"name":"D3D12_CS_THREAD_GROUP_MIN_X","features":[355]},{"name":"D3D12_CS_THREAD_GROUP_MIN_Y","features":[355]},{"name":"D3D12_CS_THREAD_GROUP_MIN_Z","features":[355]},{"name":"D3D12_CS_THREAD_LOCAL_TEMP_REGISTER_POOL","features":[355]},{"name":"D3D12_CULL_MODE","features":[355]},{"name":"D3D12_CULL_MODE_BACK","features":[355]},{"name":"D3D12_CULL_MODE_FRONT","features":[355]},{"name":"D3D12_CULL_MODE_NONE","features":[355]},{"name":"D3D12_DEBUG_COMMAND_LIST_GPU_BASED_VALIDATION_SETTINGS","features":[355]},{"name":"D3D12_DEBUG_COMMAND_LIST_PARAMETER_GPU_BASED_VALIDATION_SETTINGS","features":[355]},{"name":"D3D12_DEBUG_COMMAND_LIST_PARAMETER_TYPE","features":[355]},{"name":"D3D12_DEBUG_DEVICE_GPU_BASED_VALIDATION_SETTINGS","features":[355]},{"name":"D3D12_DEBUG_DEVICE_GPU_SLOWDOWN_PERFORMANCE_FACTOR","features":[355]},{"name":"D3D12_DEBUG_DEVICE_PARAMETER_FEATURE_FLAGS","features":[355]},{"name":"D3D12_DEBUG_DEVICE_PARAMETER_GPU_BASED_VALIDATION_SETTINGS","features":[355]},{"name":"D3D12_DEBUG_DEVICE_PARAMETER_GPU_SLOWDOWN_PERFORMANCE_FACTOR","features":[355]},{"name":"D3D12_DEBUG_DEVICE_PARAMETER_TYPE","features":[355]},{"name":"D3D12_DEBUG_FEATURE","features":[355]},{"name":"D3D12_DEBUG_FEATURE_ALLOW_BEHAVIOR_CHANGING_DEBUG_AIDS","features":[355]},{"name":"D3D12_DEBUG_FEATURE_CONSERVATIVE_RESOURCE_STATE_TRACKING","features":[355]},{"name":"D3D12_DEBUG_FEATURE_DISABLE_VIRTUALIZED_BUNDLES_VALIDATION","features":[355]},{"name":"D3D12_DEBUG_FEATURE_EMULATE_WINDOWS7","features":[355]},{"name":"D3D12_DEBUG_FEATURE_NONE","features":[355]},{"name":"D3D12_DEFAULT_BLEND_FACTOR_ALPHA","features":[355]},{"name":"D3D12_DEFAULT_BLEND_FACTOR_BLUE","features":[355]},{"name":"D3D12_DEFAULT_BLEND_FACTOR_GREEN","features":[355]},{"name":"D3D12_DEFAULT_BLEND_FACTOR_RED","features":[355]},{"name":"D3D12_DEFAULT_BORDER_COLOR_COMPONENT","features":[355]},{"name":"D3D12_DEFAULT_DEPTH_BIAS","features":[355]},{"name":"D3D12_DEFAULT_DEPTH_BIAS_CLAMP","features":[355]},{"name":"D3D12_DEFAULT_MAX_ANISOTROPY","features":[355]},{"name":"D3D12_DEFAULT_MIP_LOD_BIAS","features":[355]},{"name":"D3D12_DEFAULT_MSAA_RESOURCE_PLACEMENT_ALIGNMENT","features":[355]},{"name":"D3D12_DEFAULT_RENDER_TARGET_ARRAY_INDEX","features":[355]},{"name":"D3D12_DEFAULT_RESOURCE_PLACEMENT_ALIGNMENT","features":[355]},{"name":"D3D12_DEFAULT_SAMPLE_MASK","features":[355]},{"name":"D3D12_DEFAULT_SCISSOR_ENDX","features":[355]},{"name":"D3D12_DEFAULT_SCISSOR_ENDY","features":[355]},{"name":"D3D12_DEFAULT_SCISSOR_STARTX","features":[355]},{"name":"D3D12_DEFAULT_SCISSOR_STARTY","features":[355]},{"name":"D3D12_DEFAULT_SHADER_4_COMPONENT_MAPPING","features":[355]},{"name":"D3D12_DEFAULT_SLOPE_SCALED_DEPTH_BIAS","features":[355]},{"name":"D3D12_DEFAULT_STENCIL_READ_MASK","features":[355]},{"name":"D3D12_DEFAULT_STENCIL_REFERENCE","features":[355]},{"name":"D3D12_DEFAULT_STENCIL_WRITE_MASK","features":[355]},{"name":"D3D12_DEFAULT_VIEWPORT_AND_SCISSORRECT_INDEX","features":[355]},{"name":"D3D12_DEFAULT_VIEWPORT_HEIGHT","features":[355]},{"name":"D3D12_DEFAULT_VIEWPORT_MAX_DEPTH","features":[355]},{"name":"D3D12_DEFAULT_VIEWPORT_MIN_DEPTH","features":[355]},{"name":"D3D12_DEFAULT_VIEWPORT_TOPLEFTX","features":[355]},{"name":"D3D12_DEFAULT_VIEWPORT_TOPLEFTY","features":[355]},{"name":"D3D12_DEFAULT_VIEWPORT_WIDTH","features":[355]},{"name":"D3D12_DEPTH_STENCILOP_DESC","features":[355]},{"name":"D3D12_DEPTH_STENCILOP_DESC1","features":[355]},{"name":"D3D12_DEPTH_STENCIL_DESC","features":[308,355]},{"name":"D3D12_DEPTH_STENCIL_DESC1","features":[308,355]},{"name":"D3D12_DEPTH_STENCIL_DESC2","features":[308,355]},{"name":"D3D12_DEPTH_STENCIL_VALUE","features":[355]},{"name":"D3D12_DEPTH_STENCIL_VIEW_DESC","features":[355,396]},{"name":"D3D12_DEPTH_WRITE_MASK","features":[355]},{"name":"D3D12_DEPTH_WRITE_MASK_ALL","features":[355]},{"name":"D3D12_DEPTH_WRITE_MASK_ZERO","features":[355]},{"name":"D3D12_DESCRIPTOR_HEAP_DESC","features":[355]},{"name":"D3D12_DESCRIPTOR_HEAP_FLAGS","features":[355]},{"name":"D3D12_DESCRIPTOR_HEAP_FLAG_NONE","features":[355]},{"name":"D3D12_DESCRIPTOR_HEAP_FLAG_SHADER_VISIBLE","features":[355]},{"name":"D3D12_DESCRIPTOR_HEAP_TYPE","features":[355]},{"name":"D3D12_DESCRIPTOR_HEAP_TYPE_CBV_SRV_UAV","features":[355]},{"name":"D3D12_DESCRIPTOR_HEAP_TYPE_DSV","features":[355]},{"name":"D3D12_DESCRIPTOR_HEAP_TYPE_NUM_TYPES","features":[355]},{"name":"D3D12_DESCRIPTOR_HEAP_TYPE_RTV","features":[355]},{"name":"D3D12_DESCRIPTOR_HEAP_TYPE_SAMPLER","features":[355]},{"name":"D3D12_DESCRIPTOR_RANGE","features":[355]},{"name":"D3D12_DESCRIPTOR_RANGE1","features":[355]},{"name":"D3D12_DESCRIPTOR_RANGE_FLAGS","features":[355]},{"name":"D3D12_DESCRIPTOR_RANGE_FLAG_DATA_STATIC","features":[355]},{"name":"D3D12_DESCRIPTOR_RANGE_FLAG_DATA_STATIC_WHILE_SET_AT_EXECUTE","features":[355]},{"name":"D3D12_DESCRIPTOR_RANGE_FLAG_DATA_VOLATILE","features":[355]},{"name":"D3D12_DESCRIPTOR_RANGE_FLAG_DESCRIPTORS_STATIC_KEEPING_BUFFER_BOUNDS_CHECKS","features":[355]},{"name":"D3D12_DESCRIPTOR_RANGE_FLAG_DESCRIPTORS_VOLATILE","features":[355]},{"name":"D3D12_DESCRIPTOR_RANGE_FLAG_NONE","features":[355]},{"name":"D3D12_DESCRIPTOR_RANGE_OFFSET_APPEND","features":[355]},{"name":"D3D12_DESCRIPTOR_RANGE_TYPE","features":[355]},{"name":"D3D12_DESCRIPTOR_RANGE_TYPE_CBV","features":[355]},{"name":"D3D12_DESCRIPTOR_RANGE_TYPE_SAMPLER","features":[355]},{"name":"D3D12_DESCRIPTOR_RANGE_TYPE_SRV","features":[355]},{"name":"D3D12_DESCRIPTOR_RANGE_TYPE_UAV","features":[355]},{"name":"D3D12_DEVICE_CONFIGURATION_DESC","features":[355]},{"name":"D3D12_DEVICE_FACTORY_FLAGS","features":[355]},{"name":"D3D12_DEVICE_FACTORY_FLAG_ALLOW_RETURNING_EXISTING_DEVICE","features":[355]},{"name":"D3D12_DEVICE_FACTORY_FLAG_ALLOW_RETURNING_INCOMPATIBLE_EXISTING_DEVICE","features":[355]},{"name":"D3D12_DEVICE_FACTORY_FLAG_DISALLOW_STORING_NEW_DEVICE_AS_SINGLETON","features":[355]},{"name":"D3D12_DEVICE_FACTORY_FLAG_NONE","features":[355]},{"name":"D3D12_DEVICE_FLAGS","features":[355]},{"name":"D3D12_DEVICE_FLAG_AUTO_DEBUG_NAME_ENABLED","features":[355]},{"name":"D3D12_DEVICE_FLAG_DEBUG_LAYER_ENABLED","features":[355]},{"name":"D3D12_DEVICE_FLAG_DRED_AUTO_BREADCRUMBS_ENABLED","features":[355]},{"name":"D3D12_DEVICE_FLAG_DRED_BREADCRUMB_CONTEXT_ENABLED","features":[355]},{"name":"D3D12_DEVICE_FLAG_DRED_PAGE_FAULT_REPORTING_ENABLED","features":[355]},{"name":"D3D12_DEVICE_FLAG_DRED_USE_MARKERS_ONLY_BREADCRUMBS","features":[355]},{"name":"D3D12_DEVICE_FLAG_DRED_WATSON_REPORTING_ENABLED","features":[355]},{"name":"D3D12_DEVICE_FLAG_FORCE_LEGACY_STATE_VALIDATION","features":[355]},{"name":"D3D12_DEVICE_FLAG_GPU_BASED_VALIDATION_ENABLED","features":[355]},{"name":"D3D12_DEVICE_FLAG_NONE","features":[355]},{"name":"D3D12_DEVICE_FLAG_SHADER_INSTRUMENTATION_ENABLED","features":[355]},{"name":"D3D12_DEVICE_FLAG_SYNCHRONIZED_COMMAND_QUEUE_VALIDATION_DISABLED","features":[355]},{"name":"D3D12_DEVICE_REMOVED_EXTENDED_DATA","features":[355]},{"name":"D3D12_DEVICE_REMOVED_EXTENDED_DATA1","features":[355]},{"name":"D3D12_DEVICE_REMOVED_EXTENDED_DATA2","features":[355]},{"name":"D3D12_DEVICE_REMOVED_EXTENDED_DATA3","features":[355]},{"name":"D3D12_DISCARD_REGION","features":[308,355]},{"name":"D3D12_DISPATCH_ARGUMENTS","features":[355]},{"name":"D3D12_DISPATCH_MESH_ARGUMENTS","features":[355]},{"name":"D3D12_DISPATCH_RAYS_DESC","features":[355]},{"name":"D3D12_DRAW_ARGUMENTS","features":[355]},{"name":"D3D12_DRAW_INDEXED_ARGUMENTS","features":[355]},{"name":"D3D12_DRED_ALLOCATION_NODE","features":[355]},{"name":"D3D12_DRED_ALLOCATION_NODE1","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_COMMAND_ALLOCATOR","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_COMMAND_LIST","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_COMMAND_POOL","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_COMMAND_QUEUE","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_COMMAND_RECORDER","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_COMMAND_SIGNATURE","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_CRYPTOSESSION","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_CRYPTOSESSIONPOLICY","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_DESCRIPTOR_HEAP","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_FENCE","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_HEAP","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_INVALID","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_METACOMMAND","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_PASS","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_PIPELINE_LIBRARY","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_PIPELINE_STATE","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_PROTECTEDRESOURCESESSION","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_QUERY_HEAP","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_RESOURCE","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_SCHEDULINGGROUP","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_STATE_OBJECT","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_VIDEO_DECODER","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_VIDEO_DECODER_HEAP","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_VIDEO_ENCODER","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_VIDEO_ENCODER_HEAP","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_VIDEO_EXTENSION_COMMAND","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_VIDEO_MOTION_ESTIMATOR","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_VIDEO_MOTION_VECTOR_HEAP","features":[355]},{"name":"D3D12_DRED_ALLOCATION_TYPE_VIDEO_PROCESSOR","features":[355]},{"name":"D3D12_DRED_AUTO_BREADCRUMBS_OUTPUT","features":[355]},{"name":"D3D12_DRED_AUTO_BREADCRUMBS_OUTPUT1","features":[355]},{"name":"D3D12_DRED_BREADCRUMB_CONTEXT","features":[355]},{"name":"D3D12_DRED_DEVICE_STATE","features":[355]},{"name":"D3D12_DRED_DEVICE_STATE_FAULT","features":[355]},{"name":"D3D12_DRED_DEVICE_STATE_HUNG","features":[355]},{"name":"D3D12_DRED_DEVICE_STATE_PAGEFAULT","features":[355]},{"name":"D3D12_DRED_DEVICE_STATE_UNKNOWN","features":[355]},{"name":"D3D12_DRED_ENABLEMENT","features":[355]},{"name":"D3D12_DRED_ENABLEMENT_FORCED_OFF","features":[355]},{"name":"D3D12_DRED_ENABLEMENT_FORCED_ON","features":[355]},{"name":"D3D12_DRED_ENABLEMENT_SYSTEM_CONTROLLED","features":[355]},{"name":"D3D12_DRED_FLAGS","features":[355]},{"name":"D3D12_DRED_FLAG_DISABLE_AUTOBREADCRUMBS","features":[355]},{"name":"D3D12_DRED_FLAG_FORCE_ENABLE","features":[355]},{"name":"D3D12_DRED_FLAG_NONE","features":[355]},{"name":"D3D12_DRED_PAGE_FAULT_FLAGS","features":[355]},{"name":"D3D12_DRED_PAGE_FAULT_FLAGS_NONE","features":[355]},{"name":"D3D12_DRED_PAGE_FAULT_OUTPUT","features":[355]},{"name":"D3D12_DRED_PAGE_FAULT_OUTPUT1","features":[355]},{"name":"D3D12_DRED_PAGE_FAULT_OUTPUT2","features":[355]},{"name":"D3D12_DRED_VERSION","features":[355]},{"name":"D3D12_DRED_VERSION_1_0","features":[355]},{"name":"D3D12_DRED_VERSION_1_1","features":[355]},{"name":"D3D12_DRED_VERSION_1_2","features":[355]},{"name":"D3D12_DRED_VERSION_1_3","features":[355]},{"name":"D3D12_DRIVER_MATCHING_IDENTIFIER_COMPATIBLE_WITH_DEVICE","features":[355]},{"name":"D3D12_DRIVER_MATCHING_IDENTIFIER_INCOMPATIBLE_TYPE","features":[355]},{"name":"D3D12_DRIVER_MATCHING_IDENTIFIER_INCOMPATIBLE_VERSION","features":[355]},{"name":"D3D12_DRIVER_MATCHING_IDENTIFIER_STATUS","features":[355]},{"name":"D3D12_DRIVER_MATCHING_IDENTIFIER_UNRECOGNIZED","features":[355]},{"name":"D3D12_DRIVER_MATCHING_IDENTIFIER_UNSUPPORTED_TYPE","features":[355]},{"name":"D3D12_DRIVER_RESERVED_REGISTER_SPACE_VALUES_END","features":[355]},{"name":"D3D12_DRIVER_RESERVED_REGISTER_SPACE_VALUES_START","features":[355]},{"name":"D3D12_DSV_DIMENSION","features":[355]},{"name":"D3D12_DSV_DIMENSION_TEXTURE1D","features":[355]},{"name":"D3D12_DSV_DIMENSION_TEXTURE1DARRAY","features":[355]},{"name":"D3D12_DSV_DIMENSION_TEXTURE2D","features":[355]},{"name":"D3D12_DSV_DIMENSION_TEXTURE2DARRAY","features":[355]},{"name":"D3D12_DSV_DIMENSION_TEXTURE2DMS","features":[355]},{"name":"D3D12_DSV_DIMENSION_TEXTURE2DMSARRAY","features":[355]},{"name":"D3D12_DSV_DIMENSION_UNKNOWN","features":[355]},{"name":"D3D12_DSV_FLAGS","features":[355]},{"name":"D3D12_DSV_FLAG_NONE","features":[355]},{"name":"D3D12_DSV_FLAG_READ_ONLY_DEPTH","features":[355]},{"name":"D3D12_DSV_FLAG_READ_ONLY_STENCIL","features":[355]},{"name":"D3D12_DS_INPUT_CONTROL_POINTS_MAX_TOTAL_SCALARS","features":[355]},{"name":"D3D12_DS_INPUT_CONTROL_POINT_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_DS_INPUT_CONTROL_POINT_REGISTER_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_DS_INPUT_CONTROL_POINT_REGISTER_COUNT","features":[355]},{"name":"D3D12_DS_INPUT_CONTROL_POINT_REGISTER_READS_PER_INST","features":[355]},{"name":"D3D12_DS_INPUT_CONTROL_POINT_REGISTER_READ_PORTS","features":[355]},{"name":"D3D12_DS_INPUT_DOMAIN_POINT_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_DS_INPUT_DOMAIN_POINT_REGISTER_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_DS_INPUT_DOMAIN_POINT_REGISTER_COUNT","features":[355]},{"name":"D3D12_DS_INPUT_DOMAIN_POINT_REGISTER_READS_PER_INST","features":[355]},{"name":"D3D12_DS_INPUT_DOMAIN_POINT_REGISTER_READ_PORTS","features":[355]},{"name":"D3D12_DS_INPUT_PATCH_CONSTANT_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_DS_INPUT_PATCH_CONSTANT_REGISTER_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_DS_INPUT_PATCH_CONSTANT_REGISTER_COUNT","features":[355]},{"name":"D3D12_DS_INPUT_PATCH_CONSTANT_REGISTER_READS_PER_INST","features":[355]},{"name":"D3D12_DS_INPUT_PATCH_CONSTANT_REGISTER_READ_PORTS","features":[355]},{"name":"D3D12_DS_INPUT_PRIMITIVE_ID_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_DS_INPUT_PRIMITIVE_ID_REGISTER_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_DS_INPUT_PRIMITIVE_ID_REGISTER_COUNT","features":[355]},{"name":"D3D12_DS_INPUT_PRIMITIVE_ID_REGISTER_READS_PER_INST","features":[355]},{"name":"D3D12_DS_INPUT_PRIMITIVE_ID_REGISTER_READ_PORTS","features":[355]},{"name":"D3D12_DS_OUTPUT_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_DS_OUTPUT_REGISTER_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_DS_OUTPUT_REGISTER_COUNT","features":[355]},{"name":"D3D12_DXIL_LIBRARY_DESC","features":[355]},{"name":"D3D12_DXIL_SUBOBJECT_TO_EXPORTS_ASSOCIATION","features":[355]},{"name":"D3D12_ELEMENTS_LAYOUT","features":[355]},{"name":"D3D12_ELEMENTS_LAYOUT_ARRAY","features":[355]},{"name":"D3D12_ELEMENTS_LAYOUT_ARRAY_OF_POINTERS","features":[355]},{"name":"D3D12_EXISTING_COLLECTION_DESC","features":[355]},{"name":"D3D12_EXPORT_DESC","features":[355]},{"name":"D3D12_EXPORT_FLAGS","features":[355]},{"name":"D3D12_EXPORT_FLAG_NONE","features":[355]},{"name":"D3D12_FEATURE","features":[355]},{"name":"D3D12_FEATURE_ARCHITECTURE","features":[355]},{"name":"D3D12_FEATURE_ARCHITECTURE1","features":[355]},{"name":"D3D12_FEATURE_COMMAND_QUEUE_PRIORITY","features":[355]},{"name":"D3D12_FEATURE_CROSS_NODE","features":[355]},{"name":"D3D12_FEATURE_D3D12_OPTIONS","features":[355]},{"name":"D3D12_FEATURE_D3D12_OPTIONS1","features":[355]},{"name":"D3D12_FEATURE_D3D12_OPTIONS10","features":[355]},{"name":"D3D12_FEATURE_D3D12_OPTIONS11","features":[355]},{"name":"D3D12_FEATURE_D3D12_OPTIONS12","features":[355]},{"name":"D3D12_FEATURE_D3D12_OPTIONS13","features":[355]},{"name":"D3D12_FEATURE_D3D12_OPTIONS14","features":[355]},{"name":"D3D12_FEATURE_D3D12_OPTIONS15","features":[355]},{"name":"D3D12_FEATURE_D3D12_OPTIONS16","features":[355]},{"name":"D3D12_FEATURE_D3D12_OPTIONS17","features":[355]},{"name":"D3D12_FEATURE_D3D12_OPTIONS18","features":[355]},{"name":"D3D12_FEATURE_D3D12_OPTIONS19","features":[355]},{"name":"D3D12_FEATURE_D3D12_OPTIONS2","features":[355]},{"name":"D3D12_FEATURE_D3D12_OPTIONS20","features":[355]},{"name":"D3D12_FEATURE_D3D12_OPTIONS3","features":[355]},{"name":"D3D12_FEATURE_D3D12_OPTIONS4","features":[355]},{"name":"D3D12_FEATURE_D3D12_OPTIONS5","features":[355]},{"name":"D3D12_FEATURE_D3D12_OPTIONS6","features":[355]},{"name":"D3D12_FEATURE_D3D12_OPTIONS7","features":[355]},{"name":"D3D12_FEATURE_D3D12_OPTIONS8","features":[355]},{"name":"D3D12_FEATURE_D3D12_OPTIONS9","features":[355]},{"name":"D3D12_FEATURE_DATA_ARCHITECTURE","features":[308,355]},{"name":"D3D12_FEATURE_DATA_ARCHITECTURE1","features":[308,355]},{"name":"D3D12_FEATURE_DATA_COMMAND_QUEUE_PRIORITY","features":[308,355]},{"name":"D3D12_FEATURE_DATA_CROSS_NODE","features":[308,355]},{"name":"D3D12_FEATURE_DATA_D3D12_OPTIONS","features":[308,355]},{"name":"D3D12_FEATURE_DATA_D3D12_OPTIONS1","features":[308,355]},{"name":"D3D12_FEATURE_DATA_D3D12_OPTIONS10","features":[308,355]},{"name":"D3D12_FEATURE_DATA_D3D12_OPTIONS11","features":[308,355]},{"name":"D3D12_FEATURE_DATA_D3D12_OPTIONS12","features":[308,355]},{"name":"D3D12_FEATURE_DATA_D3D12_OPTIONS13","features":[308,355]},{"name":"D3D12_FEATURE_DATA_D3D12_OPTIONS14","features":[308,355]},{"name":"D3D12_FEATURE_DATA_D3D12_OPTIONS15","features":[308,355]},{"name":"D3D12_FEATURE_DATA_D3D12_OPTIONS16","features":[308,355]},{"name":"D3D12_FEATURE_DATA_D3D12_OPTIONS17","features":[308,355]},{"name":"D3D12_FEATURE_DATA_D3D12_OPTIONS18","features":[308,355]},{"name":"D3D12_FEATURE_DATA_D3D12_OPTIONS19","features":[308,355]},{"name":"D3D12_FEATURE_DATA_D3D12_OPTIONS2","features":[308,355]},{"name":"D3D12_FEATURE_DATA_D3D12_OPTIONS20","features":[308,355]},{"name":"D3D12_FEATURE_DATA_D3D12_OPTIONS3","features":[308,355]},{"name":"D3D12_FEATURE_DATA_D3D12_OPTIONS4","features":[308,355]},{"name":"D3D12_FEATURE_DATA_D3D12_OPTIONS5","features":[308,355]},{"name":"D3D12_FEATURE_DATA_D3D12_OPTIONS6","features":[308,355]},{"name":"D3D12_FEATURE_DATA_D3D12_OPTIONS7","features":[355]},{"name":"D3D12_FEATURE_DATA_D3D12_OPTIONS8","features":[308,355]},{"name":"D3D12_FEATURE_DATA_D3D12_OPTIONS9","features":[308,355]},{"name":"D3D12_FEATURE_DATA_DISPLAYABLE","features":[308,355]},{"name":"D3D12_FEATURE_DATA_EXISTING_HEAPS","features":[308,355]},{"name":"D3D12_FEATURE_DATA_FEATURE_LEVELS","features":[401,355]},{"name":"D3D12_FEATURE_DATA_FORMAT_INFO","features":[355,396]},{"name":"D3D12_FEATURE_DATA_FORMAT_SUPPORT","features":[355,396]},{"name":"D3D12_FEATURE_DATA_GPU_VIRTUAL_ADDRESS_SUPPORT","features":[355]},{"name":"D3D12_FEATURE_DATA_HARDWARE_COPY","features":[308,355]},{"name":"D3D12_FEATURE_DATA_MULTISAMPLE_QUALITY_LEVELS","features":[355,396]},{"name":"D3D12_FEATURE_DATA_PLACED_RESOURCE_SUPPORT_INFO","features":[308,355,396]},{"name":"D3D12_FEATURE_DATA_PREDICATION","features":[308,355]},{"name":"D3D12_FEATURE_DATA_PROTECTED_RESOURCE_SESSION_SUPPORT","features":[355]},{"name":"D3D12_FEATURE_DATA_PROTECTED_RESOURCE_SESSION_TYPES","features":[355]},{"name":"D3D12_FEATURE_DATA_PROTECTED_RESOURCE_SESSION_TYPE_COUNT","features":[355]},{"name":"D3D12_FEATURE_DATA_QUERY_META_COMMAND","features":[355]},{"name":"D3D12_FEATURE_DATA_ROOT_SIGNATURE","features":[355]},{"name":"D3D12_FEATURE_DATA_SERIALIZATION","features":[355]},{"name":"D3D12_FEATURE_DATA_SHADER_CACHE","features":[355]},{"name":"D3D12_FEATURE_DATA_SHADER_MODEL","features":[355]},{"name":"D3D12_FEATURE_DISPLAYABLE","features":[355]},{"name":"D3D12_FEATURE_EXISTING_HEAPS","features":[355]},{"name":"D3D12_FEATURE_FEATURE_LEVELS","features":[355]},{"name":"D3D12_FEATURE_FORMAT_INFO","features":[355]},{"name":"D3D12_FEATURE_FORMAT_SUPPORT","features":[355]},{"name":"D3D12_FEATURE_GPU_VIRTUAL_ADDRESS_SUPPORT","features":[355]},{"name":"D3D12_FEATURE_HARDWARE_COPY","features":[355]},{"name":"D3D12_FEATURE_MULTISAMPLE_QUALITY_LEVELS","features":[355]},{"name":"D3D12_FEATURE_PLACED_RESOURCE_SUPPORT_INFO","features":[355]},{"name":"D3D12_FEATURE_PREDICATION","features":[355]},{"name":"D3D12_FEATURE_PROTECTED_RESOURCE_SESSION_SUPPORT","features":[355]},{"name":"D3D12_FEATURE_PROTECTED_RESOURCE_SESSION_TYPES","features":[355]},{"name":"D3D12_FEATURE_PROTECTED_RESOURCE_SESSION_TYPE_COUNT","features":[355]},{"name":"D3D12_FEATURE_QUERY_META_COMMAND","features":[355]},{"name":"D3D12_FEATURE_ROOT_SIGNATURE","features":[355]},{"name":"D3D12_FEATURE_SERIALIZATION","features":[355]},{"name":"D3D12_FEATURE_SHADER_CACHE","features":[355]},{"name":"D3D12_FEATURE_SHADER_MODEL","features":[355]},{"name":"D3D12_FENCE_FLAGS","features":[355]},{"name":"D3D12_FENCE_FLAG_NONE","features":[355]},{"name":"D3D12_FENCE_FLAG_NON_MONITORED","features":[355]},{"name":"D3D12_FENCE_FLAG_SHARED","features":[355]},{"name":"D3D12_FENCE_FLAG_SHARED_CROSS_ADAPTER","features":[355]},{"name":"D3D12_FILL_MODE","features":[355]},{"name":"D3D12_FILL_MODE_SOLID","features":[355]},{"name":"D3D12_FILL_MODE_WIREFRAME","features":[355]},{"name":"D3D12_FILTER","features":[355]},{"name":"D3D12_FILTER_ANISOTROPIC","features":[355]},{"name":"D3D12_FILTER_COMPARISON_ANISOTROPIC","features":[355]},{"name":"D3D12_FILTER_COMPARISON_MIN_LINEAR_MAG_MIP_POINT","features":[355]},{"name":"D3D12_FILTER_COMPARISON_MIN_LINEAR_MAG_POINT_MIP_LINEAR","features":[355]},{"name":"D3D12_FILTER_COMPARISON_MIN_MAG_ANISOTROPIC_MIP_POINT","features":[355]},{"name":"D3D12_FILTER_COMPARISON_MIN_MAG_LINEAR_MIP_POINT","features":[355]},{"name":"D3D12_FILTER_COMPARISON_MIN_MAG_MIP_LINEAR","features":[355]},{"name":"D3D12_FILTER_COMPARISON_MIN_MAG_MIP_POINT","features":[355]},{"name":"D3D12_FILTER_COMPARISON_MIN_MAG_POINT_MIP_LINEAR","features":[355]},{"name":"D3D12_FILTER_COMPARISON_MIN_POINT_MAG_LINEAR_MIP_POINT","features":[355]},{"name":"D3D12_FILTER_COMPARISON_MIN_POINT_MAG_MIP_LINEAR","features":[355]},{"name":"D3D12_FILTER_MAXIMUM_ANISOTROPIC","features":[355]},{"name":"D3D12_FILTER_MAXIMUM_MIN_LINEAR_MAG_MIP_POINT","features":[355]},{"name":"D3D12_FILTER_MAXIMUM_MIN_LINEAR_MAG_POINT_MIP_LINEAR","features":[355]},{"name":"D3D12_FILTER_MAXIMUM_MIN_MAG_ANISOTROPIC_MIP_POINT","features":[355]},{"name":"D3D12_FILTER_MAXIMUM_MIN_MAG_LINEAR_MIP_POINT","features":[355]},{"name":"D3D12_FILTER_MAXIMUM_MIN_MAG_MIP_LINEAR","features":[355]},{"name":"D3D12_FILTER_MAXIMUM_MIN_MAG_MIP_POINT","features":[355]},{"name":"D3D12_FILTER_MAXIMUM_MIN_MAG_POINT_MIP_LINEAR","features":[355]},{"name":"D3D12_FILTER_MAXIMUM_MIN_POINT_MAG_LINEAR_MIP_POINT","features":[355]},{"name":"D3D12_FILTER_MAXIMUM_MIN_POINT_MAG_MIP_LINEAR","features":[355]},{"name":"D3D12_FILTER_MINIMUM_ANISOTROPIC","features":[355]},{"name":"D3D12_FILTER_MINIMUM_MIN_LINEAR_MAG_MIP_POINT","features":[355]},{"name":"D3D12_FILTER_MINIMUM_MIN_LINEAR_MAG_POINT_MIP_LINEAR","features":[355]},{"name":"D3D12_FILTER_MINIMUM_MIN_MAG_ANISOTROPIC_MIP_POINT","features":[355]},{"name":"D3D12_FILTER_MINIMUM_MIN_MAG_LINEAR_MIP_POINT","features":[355]},{"name":"D3D12_FILTER_MINIMUM_MIN_MAG_MIP_LINEAR","features":[355]},{"name":"D3D12_FILTER_MINIMUM_MIN_MAG_MIP_POINT","features":[355]},{"name":"D3D12_FILTER_MINIMUM_MIN_MAG_POINT_MIP_LINEAR","features":[355]},{"name":"D3D12_FILTER_MINIMUM_MIN_POINT_MAG_LINEAR_MIP_POINT","features":[355]},{"name":"D3D12_FILTER_MINIMUM_MIN_POINT_MAG_MIP_LINEAR","features":[355]},{"name":"D3D12_FILTER_MIN_LINEAR_MAG_MIP_POINT","features":[355]},{"name":"D3D12_FILTER_MIN_LINEAR_MAG_POINT_MIP_LINEAR","features":[355]},{"name":"D3D12_FILTER_MIN_MAG_ANISOTROPIC_MIP_POINT","features":[355]},{"name":"D3D12_FILTER_MIN_MAG_LINEAR_MIP_POINT","features":[355]},{"name":"D3D12_FILTER_MIN_MAG_MIP_LINEAR","features":[355]},{"name":"D3D12_FILTER_MIN_MAG_MIP_POINT","features":[355]},{"name":"D3D12_FILTER_MIN_MAG_POINT_MIP_LINEAR","features":[355]},{"name":"D3D12_FILTER_MIN_POINT_MAG_LINEAR_MIP_POINT","features":[355]},{"name":"D3D12_FILTER_MIN_POINT_MAG_MIP_LINEAR","features":[355]},{"name":"D3D12_FILTER_REDUCTION_TYPE","features":[355]},{"name":"D3D12_FILTER_REDUCTION_TYPE_COMPARISON","features":[355]},{"name":"D3D12_FILTER_REDUCTION_TYPE_MASK","features":[355]},{"name":"D3D12_FILTER_REDUCTION_TYPE_MAXIMUM","features":[355]},{"name":"D3D12_FILTER_REDUCTION_TYPE_MINIMUM","features":[355]},{"name":"D3D12_FILTER_REDUCTION_TYPE_SHIFT","features":[355]},{"name":"D3D12_FILTER_REDUCTION_TYPE_STANDARD","features":[355]},{"name":"D3D12_FILTER_TYPE","features":[355]},{"name":"D3D12_FILTER_TYPE_LINEAR","features":[355]},{"name":"D3D12_FILTER_TYPE_MASK","features":[355]},{"name":"D3D12_FILTER_TYPE_POINT","features":[355]},{"name":"D3D12_FLOAT16_FUSED_TOLERANCE_IN_ULP","features":[355]},{"name":"D3D12_FLOAT32_MAX","features":[355]},{"name":"D3D12_FLOAT32_TO_INTEGER_TOLERANCE_IN_ULP","features":[355]},{"name":"D3D12_FLOAT_TO_SRGB_EXPONENT_DENOMINATOR","features":[355]},{"name":"D3D12_FLOAT_TO_SRGB_EXPONENT_NUMERATOR","features":[355]},{"name":"D3D12_FLOAT_TO_SRGB_OFFSET","features":[355]},{"name":"D3D12_FLOAT_TO_SRGB_SCALE_1","features":[355]},{"name":"D3D12_FLOAT_TO_SRGB_SCALE_2","features":[355]},{"name":"D3D12_FLOAT_TO_SRGB_THRESHOLD","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_BACK_BUFFER_CAST","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_BLENDABLE","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_BUFFER","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_CAST_WITHIN_BIT_LAYOUT","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_DECODER_OUTPUT","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_DEPTH_STENCIL","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_DISPLAY","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_IA_INDEX_BUFFER","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_IA_VERTEX_BUFFER","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_MIP","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_MULTISAMPLE_LOAD","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_MULTISAMPLE_RENDERTARGET","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_MULTISAMPLE_RESOLVE","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_NONE","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_RENDER_TARGET","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_SHADER_GATHER","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_SHADER_GATHER_COMPARISON","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_SHADER_LOAD","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_SHADER_SAMPLE","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_SHADER_SAMPLE_COMPARISON","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_SHADER_SAMPLE_MONO_TEXT","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_SO_BUFFER","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_TEXTURE1D","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_TEXTURE2D","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_TEXTURE3D","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_TEXTURECUBE","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_TYPED_UNORDERED_ACCESS_VIEW","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_VIDEO_ENCODER","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_VIDEO_PROCESSOR_INPUT","features":[355]},{"name":"D3D12_FORMAT_SUPPORT1_VIDEO_PROCESSOR_OUTPUT","features":[355]},{"name":"D3D12_FORMAT_SUPPORT2","features":[355]},{"name":"D3D12_FORMAT_SUPPORT2_MULTIPLANE_OVERLAY","features":[355]},{"name":"D3D12_FORMAT_SUPPORT2_NONE","features":[355]},{"name":"D3D12_FORMAT_SUPPORT2_OUTPUT_MERGER_LOGIC_OP","features":[355]},{"name":"D3D12_FORMAT_SUPPORT2_SAMPLER_FEEDBACK","features":[355]},{"name":"D3D12_FORMAT_SUPPORT2_TILED","features":[355]},{"name":"D3D12_FORMAT_SUPPORT2_UAV_ATOMIC_ADD","features":[355]},{"name":"D3D12_FORMAT_SUPPORT2_UAV_ATOMIC_BITWISE_OPS","features":[355]},{"name":"D3D12_FORMAT_SUPPORT2_UAV_ATOMIC_COMPARE_STORE_OR_COMPARE_EXCHANGE","features":[355]},{"name":"D3D12_FORMAT_SUPPORT2_UAV_ATOMIC_EXCHANGE","features":[355]},{"name":"D3D12_FORMAT_SUPPORT2_UAV_ATOMIC_SIGNED_MIN_OR_MAX","features":[355]},{"name":"D3D12_FORMAT_SUPPORT2_UAV_ATOMIC_UNSIGNED_MIN_OR_MAX","features":[355]},{"name":"D3D12_FORMAT_SUPPORT2_UAV_TYPED_LOAD","features":[355]},{"name":"D3D12_FORMAT_SUPPORT2_UAV_TYPED_STORE","features":[355]},{"name":"D3D12_FTOI_INSTRUCTION_MAX_INPUT","features":[355]},{"name":"D3D12_FTOI_INSTRUCTION_MIN_INPUT","features":[355]},{"name":"D3D12_FTOU_INSTRUCTION_MAX_INPUT","features":[355]},{"name":"D3D12_FTOU_INSTRUCTION_MIN_INPUT","features":[355]},{"name":"D3D12_FUNCTION_DESC","features":[308,401,355]},{"name":"D3D12_GLOBAL_BARRIER","features":[355]},{"name":"D3D12_GLOBAL_ROOT_SIGNATURE","features":[355]},{"name":"D3D12_GPU_BASED_VALIDATION_FLAGS","features":[355]},{"name":"D3D12_GPU_BASED_VALIDATION_FLAGS_DISABLE_STATE_TRACKING","features":[355]},{"name":"D3D12_GPU_BASED_VALIDATION_FLAGS_NONE","features":[355]},{"name":"D3D12_GPU_BASED_VALIDATION_PIPELINE_STATE_CREATE_FLAGS","features":[355]},{"name":"D3D12_GPU_BASED_VALIDATION_PIPELINE_STATE_CREATE_FLAGS_VALID_MASK","features":[355]},{"name":"D3D12_GPU_BASED_VALIDATION_PIPELINE_STATE_CREATE_FLAG_FRONT_LOAD_CREATE_GUARDED_VALIDATION_SHADERS","features":[355]},{"name":"D3D12_GPU_BASED_VALIDATION_PIPELINE_STATE_CREATE_FLAG_FRONT_LOAD_CREATE_TRACKING_ONLY_SHADERS","features":[355]},{"name":"D3D12_GPU_BASED_VALIDATION_PIPELINE_STATE_CREATE_FLAG_FRONT_LOAD_CREATE_UNGUARDED_VALIDATION_SHADERS","features":[355]},{"name":"D3D12_GPU_BASED_VALIDATION_PIPELINE_STATE_CREATE_FLAG_NONE","features":[355]},{"name":"D3D12_GPU_BASED_VALIDATION_SHADER_PATCH_MODE","features":[355]},{"name":"D3D12_GPU_BASED_VALIDATION_SHADER_PATCH_MODE_GUARDED_VALIDATION","features":[355]},{"name":"D3D12_GPU_BASED_VALIDATION_SHADER_PATCH_MODE_NONE","features":[355]},{"name":"D3D12_GPU_BASED_VALIDATION_SHADER_PATCH_MODE_STATE_TRACKING_ONLY","features":[355]},{"name":"D3D12_GPU_BASED_VALIDATION_SHADER_PATCH_MODE_UNGUARDED_VALIDATION","features":[355]},{"name":"D3D12_GPU_DESCRIPTOR_HANDLE","features":[355]},{"name":"D3D12_GPU_VIRTUAL_ADDRESS_AND_STRIDE","features":[355]},{"name":"D3D12_GPU_VIRTUAL_ADDRESS_RANGE","features":[355]},{"name":"D3D12_GPU_VIRTUAL_ADDRESS_RANGE_AND_STRIDE","features":[355]},{"name":"D3D12_GRAPHICS_PIPELINE_STATE_DESC","features":[308,355,396]},{"name":"D3D12_GRAPHICS_STATES","features":[355]},{"name":"D3D12_GRAPHICS_STATE_COMPUTE_ROOT_SIGNATURE","features":[355]},{"name":"D3D12_GRAPHICS_STATE_DESCRIPTOR_HEAP","features":[355]},{"name":"D3D12_GRAPHICS_STATE_GRAPHICS_ROOT_SIGNATURE","features":[355]},{"name":"D3D12_GRAPHICS_STATE_IA_INDEX_BUFFER","features":[355]},{"name":"D3D12_GRAPHICS_STATE_IA_PRIMITIVE_TOPOLOGY","features":[355]},{"name":"D3D12_GRAPHICS_STATE_IA_VERTEX_BUFFERS","features":[355]},{"name":"D3D12_GRAPHICS_STATE_NONE","features":[355]},{"name":"D3D12_GRAPHICS_STATE_OM_BLEND_FACTOR","features":[355]},{"name":"D3D12_GRAPHICS_STATE_OM_DEPTH_BOUNDS","features":[355]},{"name":"D3D12_GRAPHICS_STATE_OM_RENDER_TARGETS","features":[355]},{"name":"D3D12_GRAPHICS_STATE_OM_STENCIL_REF","features":[355]},{"name":"D3D12_GRAPHICS_STATE_PIPELINE_STATE","features":[355]},{"name":"D3D12_GRAPHICS_STATE_PREDICATION","features":[355]},{"name":"D3D12_GRAPHICS_STATE_RS_SCISSOR_RECTS","features":[355]},{"name":"D3D12_GRAPHICS_STATE_RS_VIEWPORTS","features":[355]},{"name":"D3D12_GRAPHICS_STATE_SAMPLE_POSITIONS","features":[355]},{"name":"D3D12_GRAPHICS_STATE_SO_TARGETS","features":[355]},{"name":"D3D12_GRAPHICS_STATE_VIEW_INSTANCE_MASK","features":[355]},{"name":"D3D12_GS_INPUT_INSTANCE_ID_READS_PER_INST","features":[355]},{"name":"D3D12_GS_INPUT_INSTANCE_ID_READ_PORTS","features":[355]},{"name":"D3D12_GS_INPUT_INSTANCE_ID_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_GS_INPUT_INSTANCE_ID_REGISTER_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_GS_INPUT_INSTANCE_ID_REGISTER_COUNT","features":[355]},{"name":"D3D12_GS_INPUT_PRIM_CONST_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_GS_INPUT_PRIM_CONST_REGISTER_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_GS_INPUT_PRIM_CONST_REGISTER_COUNT","features":[355]},{"name":"D3D12_GS_INPUT_PRIM_CONST_REGISTER_READS_PER_INST","features":[355]},{"name":"D3D12_GS_INPUT_PRIM_CONST_REGISTER_READ_PORTS","features":[355]},{"name":"D3D12_GS_INPUT_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_GS_INPUT_REGISTER_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_GS_INPUT_REGISTER_COUNT","features":[355]},{"name":"D3D12_GS_INPUT_REGISTER_READS_PER_INST","features":[355]},{"name":"D3D12_GS_INPUT_REGISTER_READ_PORTS","features":[355]},{"name":"D3D12_GS_INPUT_REGISTER_VERTICES","features":[355]},{"name":"D3D12_GS_MAX_INSTANCE_COUNT","features":[355]},{"name":"D3D12_GS_MAX_OUTPUT_VERTEX_COUNT_ACROSS_INSTANCES","features":[355]},{"name":"D3D12_GS_OUTPUT_ELEMENTS","features":[355]},{"name":"D3D12_GS_OUTPUT_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_GS_OUTPUT_REGISTER_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_GS_OUTPUT_REGISTER_COUNT","features":[355]},{"name":"D3D12_HEAP_DESC","features":[355]},{"name":"D3D12_HEAP_FLAGS","features":[355]},{"name":"D3D12_HEAP_FLAG_ALLOW_ALL_BUFFERS_AND_TEXTURES","features":[355]},{"name":"D3D12_HEAP_FLAG_ALLOW_DISPLAY","features":[355]},{"name":"D3D12_HEAP_FLAG_ALLOW_ONLY_BUFFERS","features":[355]},{"name":"D3D12_HEAP_FLAG_ALLOW_ONLY_NON_RT_DS_TEXTURES","features":[355]},{"name":"D3D12_HEAP_FLAG_ALLOW_ONLY_RT_DS_TEXTURES","features":[355]},{"name":"D3D12_HEAP_FLAG_ALLOW_SHADER_ATOMICS","features":[355]},{"name":"D3D12_HEAP_FLAG_ALLOW_WRITE_WATCH","features":[355]},{"name":"D3D12_HEAP_FLAG_CREATE_NOT_RESIDENT","features":[355]},{"name":"D3D12_HEAP_FLAG_CREATE_NOT_ZEROED","features":[355]},{"name":"D3D12_HEAP_FLAG_DENY_BUFFERS","features":[355]},{"name":"D3D12_HEAP_FLAG_DENY_NON_RT_DS_TEXTURES","features":[355]},{"name":"D3D12_HEAP_FLAG_DENY_RT_DS_TEXTURES","features":[355]},{"name":"D3D12_HEAP_FLAG_HARDWARE_PROTECTED","features":[355]},{"name":"D3D12_HEAP_FLAG_NONE","features":[355]},{"name":"D3D12_HEAP_FLAG_SHARED","features":[355]},{"name":"D3D12_HEAP_FLAG_SHARED_CROSS_ADAPTER","features":[355]},{"name":"D3D12_HEAP_FLAG_TOOLS_USE_MANUAL_WRITE_TRACKING","features":[355]},{"name":"D3D12_HEAP_PROPERTIES","features":[355]},{"name":"D3D12_HEAP_SERIALIZATION_TIER","features":[355]},{"name":"D3D12_HEAP_SERIALIZATION_TIER_0","features":[355]},{"name":"D3D12_HEAP_SERIALIZATION_TIER_10","features":[355]},{"name":"D3D12_HEAP_TYPE","features":[355]},{"name":"D3D12_HEAP_TYPE_CUSTOM","features":[355]},{"name":"D3D12_HEAP_TYPE_DEFAULT","features":[355]},{"name":"D3D12_HEAP_TYPE_GPU_UPLOAD","features":[355]},{"name":"D3D12_HEAP_TYPE_READBACK","features":[355]},{"name":"D3D12_HEAP_TYPE_UPLOAD","features":[355]},{"name":"D3D12_HIT_GROUP_DESC","features":[355]},{"name":"D3D12_HIT_GROUP_TYPE","features":[355]},{"name":"D3D12_HIT_GROUP_TYPE_PROCEDURAL_PRIMITIVE","features":[355]},{"name":"D3D12_HIT_GROUP_TYPE_TRIANGLES","features":[355]},{"name":"D3D12_HIT_KIND","features":[355]},{"name":"D3D12_HIT_KIND_TRIANGLE_BACK_FACE","features":[355]},{"name":"D3D12_HIT_KIND_TRIANGLE_FRONT_FACE","features":[355]},{"name":"D3D12_HS_CONTROL_POINT_PHASE_INPUT_REGISTER_COUNT","features":[355]},{"name":"D3D12_HS_CONTROL_POINT_PHASE_OUTPUT_REGISTER_COUNT","features":[355]},{"name":"D3D12_HS_CONTROL_POINT_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_HS_CONTROL_POINT_REGISTER_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_HS_CONTROL_POINT_REGISTER_READS_PER_INST","features":[355]},{"name":"D3D12_HS_CONTROL_POINT_REGISTER_READ_PORTS","features":[355]},{"name":"D3D12_HS_FORK_PHASE_INSTANCE_COUNT_UPPER_BOUND","features":[355]},{"name":"D3D12_HS_INPUT_FORK_INSTANCE_ID_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_HS_INPUT_FORK_INSTANCE_ID_REGISTER_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_HS_INPUT_FORK_INSTANCE_ID_REGISTER_COUNT","features":[355]},{"name":"D3D12_HS_INPUT_FORK_INSTANCE_ID_REGISTER_READS_PER_INST","features":[355]},{"name":"D3D12_HS_INPUT_FORK_INSTANCE_ID_REGISTER_READ_PORTS","features":[355]},{"name":"D3D12_HS_INPUT_JOIN_INSTANCE_ID_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_HS_INPUT_JOIN_INSTANCE_ID_REGISTER_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_HS_INPUT_JOIN_INSTANCE_ID_REGISTER_COUNT","features":[355]},{"name":"D3D12_HS_INPUT_JOIN_INSTANCE_ID_REGISTER_READS_PER_INST","features":[355]},{"name":"D3D12_HS_INPUT_JOIN_INSTANCE_ID_REGISTER_READ_PORTS","features":[355]},{"name":"D3D12_HS_INPUT_PRIMITIVE_ID_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_HS_INPUT_PRIMITIVE_ID_REGISTER_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_HS_INPUT_PRIMITIVE_ID_REGISTER_COUNT","features":[355]},{"name":"D3D12_HS_INPUT_PRIMITIVE_ID_REGISTER_READS_PER_INST","features":[355]},{"name":"D3D12_HS_INPUT_PRIMITIVE_ID_REGISTER_READ_PORTS","features":[355]},{"name":"D3D12_HS_JOIN_PHASE_INSTANCE_COUNT_UPPER_BOUND","features":[355]},{"name":"D3D12_HS_MAXTESSFACTOR_LOWER_BOUND","features":[355]},{"name":"D3D12_HS_MAXTESSFACTOR_UPPER_BOUND","features":[355]},{"name":"D3D12_HS_OUTPUT_CONTROL_POINTS_MAX_TOTAL_SCALARS","features":[355]},{"name":"D3D12_HS_OUTPUT_CONTROL_POINT_ID_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_HS_OUTPUT_CONTROL_POINT_ID_REGISTER_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_HS_OUTPUT_CONTROL_POINT_ID_REGISTER_COUNT","features":[355]},{"name":"D3D12_HS_OUTPUT_CONTROL_POINT_ID_REGISTER_READS_PER_INST","features":[355]},{"name":"D3D12_HS_OUTPUT_CONTROL_POINT_ID_REGISTER_READ_PORTS","features":[355]},{"name":"D3D12_HS_OUTPUT_PATCH_CONSTANT_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_HS_OUTPUT_PATCH_CONSTANT_REGISTER_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_HS_OUTPUT_PATCH_CONSTANT_REGISTER_COUNT","features":[355]},{"name":"D3D12_HS_OUTPUT_PATCH_CONSTANT_REGISTER_READS_PER_INST","features":[355]},{"name":"D3D12_HS_OUTPUT_PATCH_CONSTANT_REGISTER_READ_PORTS","features":[355]},{"name":"D3D12_HS_OUTPUT_PATCH_CONSTANT_REGISTER_SCALAR_COMPONENTS","features":[355]},{"name":"D3D12_IA_DEFAULT_INDEX_BUFFER_OFFSET_IN_BYTES","features":[355]},{"name":"D3D12_IA_DEFAULT_PRIMITIVE_TOPOLOGY","features":[355]},{"name":"D3D12_IA_DEFAULT_VERTEX_BUFFER_OFFSET_IN_BYTES","features":[355]},{"name":"D3D12_IA_INDEX_INPUT_RESOURCE_SLOT_COUNT","features":[355]},{"name":"D3D12_IA_INSTANCE_ID_BIT_COUNT","features":[355]},{"name":"D3D12_IA_INTEGER_ARITHMETIC_BIT_COUNT","features":[355]},{"name":"D3D12_IA_PATCH_MAX_CONTROL_POINT_COUNT","features":[355]},{"name":"D3D12_IA_PRIMITIVE_ID_BIT_COUNT","features":[355]},{"name":"D3D12_IA_VERTEX_ID_BIT_COUNT","features":[355]},{"name":"D3D12_IA_VERTEX_INPUT_RESOURCE_SLOT_COUNT","features":[355]},{"name":"D3D12_IA_VERTEX_INPUT_STRUCTURE_ELEMENTS_COMPONENTS","features":[355]},{"name":"D3D12_IA_VERTEX_INPUT_STRUCTURE_ELEMENT_COUNT","features":[355]},{"name":"D3D12_INDEX_BUFFER_STRIP_CUT_VALUE","features":[355]},{"name":"D3D12_INDEX_BUFFER_STRIP_CUT_VALUE_0xFFFF","features":[355]},{"name":"D3D12_INDEX_BUFFER_STRIP_CUT_VALUE_0xFFFFFFFF","features":[355]},{"name":"D3D12_INDEX_BUFFER_STRIP_CUT_VALUE_DISABLED","features":[355]},{"name":"D3D12_INDEX_BUFFER_VIEW","features":[355,396]},{"name":"D3D12_INDIRECT_ARGUMENT_DESC","features":[355]},{"name":"D3D12_INDIRECT_ARGUMENT_TYPE","features":[355]},{"name":"D3D12_INDIRECT_ARGUMENT_TYPE_CONSTANT","features":[355]},{"name":"D3D12_INDIRECT_ARGUMENT_TYPE_CONSTANT_BUFFER_VIEW","features":[355]},{"name":"D3D12_INDIRECT_ARGUMENT_TYPE_DISPATCH","features":[355]},{"name":"D3D12_INDIRECT_ARGUMENT_TYPE_DISPATCH_MESH","features":[355]},{"name":"D3D12_INDIRECT_ARGUMENT_TYPE_DISPATCH_RAYS","features":[355]},{"name":"D3D12_INDIRECT_ARGUMENT_TYPE_DRAW","features":[355]},{"name":"D3D12_INDIRECT_ARGUMENT_TYPE_DRAW_INDEXED","features":[355]},{"name":"D3D12_INDIRECT_ARGUMENT_TYPE_INDEX_BUFFER_VIEW","features":[355]},{"name":"D3D12_INDIRECT_ARGUMENT_TYPE_SHADER_RESOURCE_VIEW","features":[355]},{"name":"D3D12_INDIRECT_ARGUMENT_TYPE_UNORDERED_ACCESS_VIEW","features":[355]},{"name":"D3D12_INDIRECT_ARGUMENT_TYPE_VERTEX_BUFFER_VIEW","features":[355]},{"name":"D3D12_INFO_QUEUE_DEFAULT_MESSAGE_COUNT_LIMIT","features":[355]},{"name":"D3D12_INFO_QUEUE_FILTER","features":[355]},{"name":"D3D12_INFO_QUEUE_FILTER_DESC","features":[355]},{"name":"D3D12_INPUT_CLASSIFICATION","features":[355]},{"name":"D3D12_INPUT_CLASSIFICATION_PER_INSTANCE_DATA","features":[355]},{"name":"D3D12_INPUT_CLASSIFICATION_PER_VERTEX_DATA","features":[355]},{"name":"D3D12_INPUT_ELEMENT_DESC","features":[355,396]},{"name":"D3D12_INPUT_LAYOUT_DESC","features":[355,396]},{"name":"D3D12_INTEGER_DIVIDE_BY_ZERO_QUOTIENT","features":[355]},{"name":"D3D12_INTEGER_DIVIDE_BY_ZERO_REMAINDER","features":[355]},{"name":"D3D12_KEEP_RENDER_TARGETS_AND_DEPTH_STENCIL","features":[355]},{"name":"D3D12_KEEP_UNORDERED_ACCESS_VIEWS","features":[355]},{"name":"D3D12_LIBRARY_DESC","features":[355]},{"name":"D3D12_LIFETIME_STATE","features":[355]},{"name":"D3D12_LIFETIME_STATE_IN_USE","features":[355]},{"name":"D3D12_LIFETIME_STATE_NOT_IN_USE","features":[355]},{"name":"D3D12_LINEAR_GAMMA","features":[355]},{"name":"D3D12_LINE_RASTERIZATION_MODE","features":[355]},{"name":"D3D12_LINE_RASTERIZATION_MODE_ALIASED","features":[355]},{"name":"D3D12_LINE_RASTERIZATION_MODE_ALPHA_ANTIALIASED","features":[355]},{"name":"D3D12_LINE_RASTERIZATION_MODE_QUADRILATERAL_NARROW","features":[355]},{"name":"D3D12_LINE_RASTERIZATION_MODE_QUADRILATERAL_WIDE","features":[355]},{"name":"D3D12_LOCAL_ROOT_SIGNATURE","features":[355]},{"name":"D3D12_LOGIC_OP","features":[355]},{"name":"D3D12_LOGIC_OP_AND","features":[355]},{"name":"D3D12_LOGIC_OP_AND_INVERTED","features":[355]},{"name":"D3D12_LOGIC_OP_AND_REVERSE","features":[355]},{"name":"D3D12_LOGIC_OP_CLEAR","features":[355]},{"name":"D3D12_LOGIC_OP_COPY","features":[355]},{"name":"D3D12_LOGIC_OP_COPY_INVERTED","features":[355]},{"name":"D3D12_LOGIC_OP_EQUIV","features":[355]},{"name":"D3D12_LOGIC_OP_INVERT","features":[355]},{"name":"D3D12_LOGIC_OP_NAND","features":[355]},{"name":"D3D12_LOGIC_OP_NOOP","features":[355]},{"name":"D3D12_LOGIC_OP_NOR","features":[355]},{"name":"D3D12_LOGIC_OP_OR","features":[355]},{"name":"D3D12_LOGIC_OP_OR_INVERTED","features":[355]},{"name":"D3D12_LOGIC_OP_OR_REVERSE","features":[355]},{"name":"D3D12_LOGIC_OP_SET","features":[355]},{"name":"D3D12_LOGIC_OP_XOR","features":[355]},{"name":"D3D12_MAG_FILTER_SHIFT","features":[355]},{"name":"D3D12_MAJOR_VERSION","features":[355]},{"name":"D3D12_MAX_BORDER_COLOR_COMPONENT","features":[355]},{"name":"D3D12_MAX_DEPTH","features":[355]},{"name":"D3D12_MAX_LIVE_STATIC_SAMPLERS","features":[355]},{"name":"D3D12_MAX_MAXANISOTROPY","features":[355]},{"name":"D3D12_MAX_MULTISAMPLE_SAMPLE_COUNT","features":[355]},{"name":"D3D12_MAX_POSITION_VALUE","features":[355]},{"name":"D3D12_MAX_ROOT_COST","features":[355]},{"name":"D3D12_MAX_SHADER_VISIBLE_DESCRIPTOR_HEAP_SIZE_TIER_1","features":[355]},{"name":"D3D12_MAX_SHADER_VISIBLE_DESCRIPTOR_HEAP_SIZE_TIER_2","features":[355]},{"name":"D3D12_MAX_SHADER_VISIBLE_SAMPLER_HEAP_SIZE","features":[355]},{"name":"D3D12_MAX_TEXTURE_DIMENSION_2_TO_EXP","features":[355]},{"name":"D3D12_MAX_VIEW_INSTANCE_COUNT","features":[355]},{"name":"D3D12_MEASUREMENTS_ACTION","features":[355]},{"name":"D3D12_MEASUREMENTS_ACTION_COMMIT_RESULTS","features":[355]},{"name":"D3D12_MEASUREMENTS_ACTION_COMMIT_RESULTS_HIGH_PRIORITY","features":[355]},{"name":"D3D12_MEASUREMENTS_ACTION_DISCARD_PREVIOUS","features":[355]},{"name":"D3D12_MEASUREMENTS_ACTION_KEEP_ALL","features":[355]},{"name":"D3D12_MEMCPY_DEST","features":[355]},{"name":"D3D12_MEMORY_POOL","features":[355]},{"name":"D3D12_MEMORY_POOL_L0","features":[355]},{"name":"D3D12_MEMORY_POOL_L1","features":[355]},{"name":"D3D12_MEMORY_POOL_UNKNOWN","features":[355]},{"name":"D3D12_MESH_SHADER_TIER","features":[355]},{"name":"D3D12_MESH_SHADER_TIER_1","features":[355]},{"name":"D3D12_MESH_SHADER_TIER_NOT_SUPPORTED","features":[355]},{"name":"D3D12_MESSAGE","features":[355]},{"name":"D3D12_MESSAGE_CALLBACK_FLAGS","features":[355]},{"name":"D3D12_MESSAGE_CALLBACK_FLAG_NONE","features":[355]},{"name":"D3D12_MESSAGE_CALLBACK_IGNORE_FILTERS","features":[355]},{"name":"D3D12_MESSAGE_CATEGORY","features":[355]},{"name":"D3D12_MESSAGE_CATEGORY_APPLICATION_DEFINED","features":[355]},{"name":"D3D12_MESSAGE_CATEGORY_CLEANUP","features":[355]},{"name":"D3D12_MESSAGE_CATEGORY_COMPILATION","features":[355]},{"name":"D3D12_MESSAGE_CATEGORY_EXECUTION","features":[355]},{"name":"D3D12_MESSAGE_CATEGORY_INITIALIZATION","features":[355]},{"name":"D3D12_MESSAGE_CATEGORY_MISCELLANEOUS","features":[355]},{"name":"D3D12_MESSAGE_CATEGORY_RESOURCE_MANIPULATION","features":[355]},{"name":"D3D12_MESSAGE_CATEGORY_SHADER","features":[355]},{"name":"D3D12_MESSAGE_CATEGORY_STATE_CREATION","features":[355]},{"name":"D3D12_MESSAGE_CATEGORY_STATE_GETTING","features":[355]},{"name":"D3D12_MESSAGE_CATEGORY_STATE_SETTING","features":[355]},{"name":"D3D12_MESSAGE_ID","features":[355]},{"name":"D3D12_MESSAGE_ID_ADD_TO_STATE_OBJECT_ERROR","features":[355]},{"name":"D3D12_MESSAGE_ID_ALPHA_BLEND_FACTOR_NOT_SUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_ATOMICCOPYBUFFER_DEPENDENT_RANGE_OUT_OF_BOUNDS","features":[355]},{"name":"D3D12_MESSAGE_ID_ATOMICCOPYBUFFER_DEPENDENT_SUBRESOURCE_OUT_OF_BOUNDS","features":[355]},{"name":"D3D12_MESSAGE_ID_ATOMICCOPYBUFFER_DST_RANGE_OUT_OF_BOUNDS","features":[355]},{"name":"D3D12_MESSAGE_ID_ATOMICCOPYBUFFER_INVALID_ARCHITECTURE","features":[355]},{"name":"D3D12_MESSAGE_ID_ATOMICCOPYBUFFER_INVALID_DEPENDENT_RESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_ATOMICCOPYBUFFER_INVALID_DEPENDENT_SUBRESOURCE_RANGE","features":[355]},{"name":"D3D12_MESSAGE_ID_ATOMICCOPYBUFFER_INVALID_DST_RESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_ATOMICCOPYBUFFER_INVALID_DST_RESOURCE_DIMENSION","features":[355]},{"name":"D3D12_MESSAGE_ID_ATOMICCOPYBUFFER_INVALID_OFFSET_ALIGNMENT","features":[355]},{"name":"D3D12_MESSAGE_ID_ATOMICCOPYBUFFER_INVALID_SRC_RESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_ATOMICCOPYBUFFER_INVALID_SRC_RESOURCE_DIMENSION","features":[355]},{"name":"D3D12_MESSAGE_ID_ATOMICCOPYBUFFER_NULL_DEPENDENT_RESOURCES","features":[355]},{"name":"D3D12_MESSAGE_ID_ATOMICCOPYBUFFER_NULL_DEPENDENT_SUBRESOURCE_RANGES","features":[355]},{"name":"D3D12_MESSAGE_ID_ATOMICCOPYBUFFER_NULL_DST","features":[355]},{"name":"D3D12_MESSAGE_ID_ATOMICCOPYBUFFER_NULL_SRC","features":[355]},{"name":"D3D12_MESSAGE_ID_ATOMICCOPYBUFFER_SRC_RANGE_OUT_OF_BOUNDS","features":[355]},{"name":"D3D12_MESSAGE_ID_ATOMICCOPYBUFFER_ZERO_DEPENDENCIES","features":[355]},{"name":"D3D12_MESSAGE_ID_BARRIER_INTEROP_INVALID_LAYOUT","features":[355]},{"name":"D3D12_MESSAGE_ID_BARRIER_INTEROP_INVALID_STATE","features":[355]},{"name":"D3D12_MESSAGE_ID_BEGIN_END_EVENT_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_BEGIN_END_QUERY_INVALID_PARAMETERS","features":[355]},{"name":"D3D12_MESSAGE_ID_BEGIN_EVENT","features":[355]},{"name":"D3D12_MESSAGE_ID_BUFFER_BARRIER_SUBREGION_OUT_OF_BOUNDS","features":[355]},{"name":"D3D12_MESSAGE_ID_BUILD_RAYTRACING_ACCELERATION_STRUCTURE_INVALID","features":[355]},{"name":"D3D12_MESSAGE_ID_BUNDLE_PIPELINE_STATE_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CANNOT_ADD_TRACKED_WORKLOAD","features":[355]},{"name":"D3D12_MESSAGE_ID_CANNOT_CHANGE_COMMAND_RECORDER_TARGET_WHILE_RECORDING","features":[355]},{"name":"D3D12_MESSAGE_ID_CANNOT_CREATE_GRAPHICS_AND_VIDEO_COMMAND_RECORDER","features":[355]},{"name":"D3D12_MESSAGE_ID_CANNOT_EXECUTE_EMPTY_COMMAND_LIST","features":[355]},{"name":"D3D12_MESSAGE_ID_CANNOT_RESET_COMMAND_POOL_WITH_OPEN_COMMAND_LISTS","features":[355]},{"name":"D3D12_MESSAGE_ID_CANNOT_USE_COMMAND_RECORDER_WITHOUT_CURRENT_TARGET","features":[355]},{"name":"D3D12_MESSAGE_ID_CHECK_DRIVER_MATCHING_IDENTIFIER_DRIVER_REPORTED_ISSUE","features":[355]},{"name":"D3D12_MESSAGE_ID_CHECK_DRIVER_MATCHING_IDENTIFIER_INVALID","features":[355]},{"name":"D3D12_MESSAGE_ID_CLEARDEPTHSTENCILVIEW_INVALID","features":[355]},{"name":"D3D12_MESSAGE_ID_CLEARDEPTHSTENCILVIEW_MISMATCHINGCLEARVALUE","features":[355]},{"name":"D3D12_MESSAGE_ID_CLEARRENDERTARGETVIEW_MISMATCHINGCLEARVALUE","features":[355]},{"name":"D3D12_MESSAGE_ID_CLEARUNORDEREDACCESSVIEW_INCOMPATIBLE_WITH_STRUCTURED_BUFFERS","features":[355]},{"name":"D3D12_MESSAGE_ID_CLEARUNORDEREDACCESSVIEW_INVALID_RESOURCE_PTR","features":[355]},{"name":"D3D12_MESSAGE_ID_CLEAR_UNORDERED_ACCESS_VIEW_INVALID_DESCRIPTOR_HANDLE","features":[355]},{"name":"D3D12_MESSAGE_ID_CLOSE_COMMAND_LIST_OPEN_QUERY","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_ALLOCATOR_CANNOT_RESET","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_ALLOCATOR_CONTENTION","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_ALLOCATOR_RESET","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_ALLOCATOR_RESET_BUNDLE","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_ALLOCATOR_SYNC","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_ALLOCATOR_USAGE_WITH_CREATECOMMANDLIST1_COMMAND_LIST","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_CLOSED","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_DESCRIPTOR_TABLE_NOT_SET","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_DISPATCH_ROOT_SIGNATURE_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_DISPATCH_ROOT_SIGNATURE_NOT_SET","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_DRAW_ELEMENT_OFFSET_UNALIGNED","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_DRAW_INDEX_BUFFER_FORMAT_INVALID","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_DRAW_INDEX_BUFFER_NOT_SET","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_DRAW_INDEX_BUFFER_TOO_SMALL","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_DRAW_INDEX_OFFSET_UNALIGNED","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_DRAW_INVALID_PRIMITIVETOPOLOGY","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_DRAW_RENDER_TARGET_DELETED","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_DRAW_ROOT_SIGNATURE_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_DRAW_ROOT_SIGNATURE_NOT_SET","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_DRAW_VERTEX_BUFFER_NOT_SET","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_DRAW_VERTEX_BUFFER_STRIDE_TOO_SMALL","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_DRAW_VERTEX_BUFFER_TOO_SMALL","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_DRAW_VERTEX_STRIDE_UNALIGNED","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_MULTIPLE_SWAPCHAIN_BUFFER_REFERENCES","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_OPEN","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_OUTOFMEMORY","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_PIPELINE_STATE_NOT_SET","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_ROOT_CONSTANT_BUFFER_VIEW_NOT_SET","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_ROOT_SHADER_RESOURCE_VIEW_NOT_SET","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_ROOT_UNORDERED_ACCESS_VIEW_NOT_SET","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_SETRENDERTARGETS_INVALIDNUMRENDERTARGETS","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_STATIC_DESCRIPTOR_RESOURCE_DIMENSION_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_STATIC_DESCRIPTOR_SAMPLER_MODE_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_SYNC","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_LIST_TOO_MANY_SWAPCHAIN_REFERENCES","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_POOL_SYNC","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_QUEUE_TOO_MANY_SWAPCHAIN_REFERENCES","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_RECORDER_CONTENTION","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_RECORDER_SUPPORT_FLAGS_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_COMMAND_RECORDER_USAGE_WITH_CREATECOMMANDLIST_COMMAND_LIST","features":[355]},{"name":"D3D12_MESSAGE_ID_COMPUTE_ONLY_DEVICE_OPERATION_UNSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYBUFFERREGION_DSTRANGEOUTOFBOUNDS","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYBUFFERREGION_INVALIDCOPYFLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYBUFFERREGION_INVALIDDSTRESOURCEDIMENSION","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYBUFFERREGION_INVALIDSRCRESOURCEDIMENSION","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYBUFFERREGION_INVALID_DST_RESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYBUFFERREGION_INVALID_SRC_RESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYBUFFERREGION_NULLDST","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYBUFFERREGION_NULLSRC","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYBUFFERREGION_SRCRANGEOUTOFBOUNDS","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYRESOURCE_INVALIDDSTRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYRESOURCE_INVALIDSRCRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYRESOURCE_MISMATCH_DECODE_REFERENCE_ONLY_FLAG","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYRESOURCE_MISMATCH_ENCODE_REFERENCE_ONLY_FLAG","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYRESOURCE_NULLDST","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYRESOURCE_NULLSRC","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_DSTREGIONOUTOFBOUNDS","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_EMPTYBOX","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_FORMATMISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_INVALIDCOPYFLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_INVALIDDSTCOORDINATES","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_INVALIDDSTDIMENSIONS","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_INVALIDDSTDSPLACEDFOOTPRINTFORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_INVALIDDSTFORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_INVALIDDSTOFFSET","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_INVALIDDSTPLACEMENT","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_INVALIDDSTRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_INVALIDDSTRESOURCEDIMENSION","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_INVALIDDSTROWPITCH","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_INVALIDDSTSUBRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_INVALIDSRCBOX","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_INVALIDSRCDIMENSIONS","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_INVALIDSRCDSPLACEDFOOTPRINTFORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_INVALIDSRCFORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_INVALIDSRCOFFSET","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_INVALIDSRCPLACEMENT","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_INVALIDSRCRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_INVALIDSRCRESOURCEDIMENSION","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_INVALIDSRCROWPITCH","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_INVALIDSRCSUBRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_MISMATCH_DECODE_REFERENCE_ONLY_FLAG","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_MISMATCH_ENCODE_REFERENCE_ONLY_FLAG","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_NULLDST","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_NULLSRC","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_SRCREGIONOUTOFBOUNDS","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_UNRECOGNIZEDDSTFORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_UNRECOGNIZEDDSTTYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_UNRECOGNIZEDSRCFORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTEXTUREREGION_UNRECOGNIZEDSRCTYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_COPYTILEMAPPINGS_INVALID_PARAMETER","features":[355]},{"name":"D3D12_MESSAGE_ID_COPY_DESCRIPTORS_INVALID_RANGES","features":[355]},{"name":"D3D12_MESSAGE_ID_COPY_DESCRIPTORS_WRITE_ONLY_DESCRIPTOR","features":[355]},{"name":"D3D12_MESSAGE_ID_COPY_INVALIDLAYOUT","features":[355]},{"name":"D3D12_MESSAGE_ID_COPY_ON_SAME_SUBRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_COPY_RAYTRACING_ACCELERATION_STRUCTURE_INVALID","features":[355]},{"name":"D3D12_MESSAGE_ID_CORRUPTED_MULTITHREADING","features":[355]},{"name":"D3D12_MESSAGE_ID_CORRUPTED_PARAMETER1","features":[355]},{"name":"D3D12_MESSAGE_ID_CORRUPTED_PARAMETER10","features":[355]},{"name":"D3D12_MESSAGE_ID_CORRUPTED_PARAMETER11","features":[355]},{"name":"D3D12_MESSAGE_ID_CORRUPTED_PARAMETER12","features":[355]},{"name":"D3D12_MESSAGE_ID_CORRUPTED_PARAMETER13","features":[355]},{"name":"D3D12_MESSAGE_ID_CORRUPTED_PARAMETER14","features":[355]},{"name":"D3D12_MESSAGE_ID_CORRUPTED_PARAMETER15","features":[355]},{"name":"D3D12_MESSAGE_ID_CORRUPTED_PARAMETER2","features":[355]},{"name":"D3D12_MESSAGE_ID_CORRUPTED_PARAMETER3","features":[355]},{"name":"D3D12_MESSAGE_ID_CORRUPTED_PARAMETER4","features":[355]},{"name":"D3D12_MESSAGE_ID_CORRUPTED_PARAMETER5","features":[355]},{"name":"D3D12_MESSAGE_ID_CORRUPTED_PARAMETER6","features":[355]},{"name":"D3D12_MESSAGE_ID_CORRUPTED_PARAMETER7","features":[355]},{"name":"D3D12_MESSAGE_ID_CORRUPTED_PARAMETER8","features":[355]},{"name":"D3D12_MESSAGE_ID_CORRUPTED_PARAMETER9","features":[355]},{"name":"D3D12_MESSAGE_ID_CORRUPTED_THIS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEAMPLIFICATIONSHADER_INVALIDSHADERBYTECODE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEAMPLIFICATIONSHADER_OUTOFMEMORY","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEBLENDSTATE_BLENDOPALPHA_WARNING","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEBLENDSTATE_BLENDOP_WARNING","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEBLENDSTATE_INVALIDBLENDOP","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEBLENDSTATE_INVALIDBLENDOPALPHA","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEBLENDSTATE_INVALIDDESTBLEND","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEBLENDSTATE_INVALIDDESTBLENDALPHA","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEBLENDSTATE_INVALIDLOGICOPS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEBLENDSTATE_INVALIDRENDERTARGETWRITEMASK","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEBLENDSTATE_INVALIDSRCBLEND","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEBLENDSTATE_INVALIDSRCBLENDALPHA","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATECOMMANDLIST_NULL_COMMANDALLOCATOR","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATECOMMANDSIGNATURE_INVALID","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATECOMPUTEPIPELINESTATE_CS_ROOT_SIGNATURE_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATECOMPUTEPIPELINESTATE_INVALID_SHADER","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATECOMPUTEPIPELINESTATE_MISSING_ROOT_SIGNATURE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATECOMPUTESHADER_INVALIDCLASSLINKAGE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATECOMPUTESHADER_INVALIDSHADERBYTECODE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATECOMPUTESHADER_OUTOFMEMORY","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_DEPTHBOUNDSTEST_UNSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INDEPENDENT_MASKS_UNSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDBACKFACESTENCILFAILOP","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDBACKFACESTENCILFUNC","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDBACKFACESTENCILPASSOP","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDBACKFACESTENCILZFAILOP","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDDEPTHFUNC","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDDEPTHWRITEMASK","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDFRONTFACESTENCILFAILOP","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDFRONTFACESTENCILFUNC","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDFRONTFACESTENCILPASSOP","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDEPTHSTENCILSTATE_INVALIDFRONTFACESTENCILZFAILOP","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDEPTHSTENCILVIEW_INVALIDDESC","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDEPTHSTENCILVIEW_INVALIDDIMENSIONS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDEPTHSTENCILVIEW_INVALIDFLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDEPTHSTENCILVIEW_INVALIDFORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDEPTHSTENCILVIEW_INVALIDRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDEPTHSTENCILVIEW_UNRECOGNIZEDFORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDEVICE_DEBUG_LAYER_STARTUP_OPTIONS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDEVICE_INVALIDARGS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDEVICE_WARNING","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDOMAINSHADER_INVALIDCLASSLINKAGE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDOMAINSHADER_INVALIDSHADERBYTECODE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDOMAINSHADER_INVALIDSHADERTYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEDOMAINSHADER_OUTOFMEMORY","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_CANTHAVEONLYGAPS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_DECLTOOCOMPLEX","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDCOMPONENTCOUNT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDGAPDEFINITION","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDNUMENTRIES","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDNUMSTRIDES","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDOUTPUTSLOT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDOUTPUTSTREAMSTRIDE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDSHADERBYTECODE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDSHADERTYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDSTARTCOMPONENTANDCOMPONENTCOUNT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDSTREAM","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_INVALIDSTREAMTORASTERIZER","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_MASKMISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_MISSINGOUTPUTSIGNATURE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_MISSINGSEMANTIC","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_ONLYONEELEMENTPERSLOT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_OUTOFMEMORY","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_OUTPUTSLOT0EXPECTED","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_OUTPUTSTREAMSTRIDEUNUSED","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_REPEATEDOUTPUT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_TRAILING_DIGIT_IN_SEMANTIC","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_UNEXPECTEDENTRIES","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_UNEXPECTEDSTRIDES","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADER_INVALIDCLASSLINKAGE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADER_INVALIDSHADERBYTECODE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADER_INVALIDSHADERTYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGEOMETRYSHADER_OUTOFMEMORY","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_ALL_RENDER_TARGETS_HAVE_UNKNOWN_FORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_AS_NOT_MS_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_AS_ROOT_SIGNATURE_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_DEPTHSTENCILVIEW_NOT_SET","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_DS_ROOT_SIGNATURE_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_GS_INPUT_PRIMITIVE_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_GS_ROOT_SIGNATURE_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_HS_DS_CONTROL_POINT_COUNT_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_HS_DS_TESSELLATOR_DOMAIN_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_HS_ROOT_SIGNATURE_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_HS_XOR_DS_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_HULL_SHADER_INPUT_TOPOLOGY_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_INPUTLAYOUT_NOT_SET","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_INPUTLAYOUT_SHADER_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_INVALID_INDEX_BUFFER_PROPERTIES","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_INVALID_PRIMITIVETOPOLOGY","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_INVALID_RENDER_TARGET_COUNT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_INVALID_SAMPLE_DESC","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_INVALID_SYSTEMVALUE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_INVALID_USE_OF_CENTER_MULTISAMPLE_PATTERN","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_INVALID_USE_OF_FORCED_SAMPLE_COUNT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_METADATA_ERROR","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_MISSING_ROOT_SIGNATURE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_MISSING_ROOT_SIGNATURE_FLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_MS_NOT_PS_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_MS_PSO_DESC_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_MS_ROOT_SIGNATURE_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_OM_DUAL_SOURCE_BLENDING_CAN_ONLY_HAVE_RENDER_TARGET_0","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_OM_RENDER_TARGET_DOES_NOT_SUPPORT_BLENDING","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_OM_RENDER_TARGET_DOES_NOT_SUPPORT_LOGIC_OPS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_POSITION_NOT_PRESENT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_PS_OUTPUT_RT_OUTPUT_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_PS_OUTPUT_TYPE_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_PS_ROOT_SIGNATURE_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_RENDERTARGETVIEW_NOT_SET","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_RENDER_TARGET_WRONG_WRITE_MASK","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_RTV_FORMAT_NOT_UNKNOWN","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_RUNTIME_INTERNAL_ERROR","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_SHADER_LINKAGE_COMPONENTTYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_SHADER_LINKAGE_HS_DS_SIGNATURE_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_SHADER_LINKAGE_MINPRECISION","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_SHADER_LINKAGE_NEVERWRITTEN_ALWAYSREADS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_SHADER_LINKAGE_REGISTERINDEX","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_SHADER_LINKAGE_REGISTERMASK","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_SHADER_LINKAGE_SEMANTICNAME_NOT_FOUND","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_SHADER_LINKAGE_SYSTEMVALUE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_SHADER_MODEL_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_VERTEX_SHADER_NOT_SET","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_VIEW_INSTANCING_VERTEX_SIZE_EXCEEDED","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEGRAPHICSPIPELINESTATE_VS_ROOT_SIGNATURE_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEHEAP_INVALIDALIGNMENT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEHEAP_INVALIDARG_RETURN","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEHEAP_INVALIDHEAPTYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEHEAP_INVALIDMISCFLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEHEAP_INVALIDPROPERTIES","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEHEAP_INVALIDSIZE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEHEAP_NULLDESC","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEHEAP_OUTOFMEMORY_RETURN","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEHEAP_UNRECOGNIZEDCPUPAGEPROPERTIES","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEHEAP_UNRECOGNIZEDHEAPTYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEHEAP_UNRECOGNIZEDMEMORYPOOL","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEHEAP_UNRECOGNIZEDMISCFLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEHULLSHADER_INVALIDCLASSLINKAGE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEHULLSHADER_INVALIDSHADERBYTECODE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEHULLSHADER_INVALIDSHADERTYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEHULLSHADER_OUTOFMEMORY","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEINPUTLAYOUT_DUPLICATESEMANTIC","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEINPUTLAYOUT_EMPTY_LAYOUT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEINPUTLAYOUT_INCOMPATIBLEFORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEINPUTLAYOUT_INVALIDALIGNMENT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEINPUTLAYOUT_INVALIDFORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEINPUTLAYOUT_INVALIDINPUTSLOTCLASS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEINPUTLAYOUT_INVALIDSLOT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEINPUTLAYOUT_INVALIDSLOTCLASSCHANGE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEINPUTLAYOUT_INVALIDSTEPRATECHANGE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEINPUTLAYOUT_MISSINGELEMENT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEINPUTLAYOUT_NULLSEMANTIC","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEINPUTLAYOUT_OUTOFMEMORY","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEINPUTLAYOUT_STEPRATESLOTCLASSMISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEINPUTLAYOUT_TOOMANYELEMENTS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEINPUTLAYOUT_TRAILING_DIGIT_IN_SEMANTIC","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEINPUTLAYOUT_TYPE_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEINPUTLAYOUT_UNPARSEABLEINPUTSIGNATURE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEMESHSHADERWITHSTREAMOUTPUT_INVALIDSHADERTYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEMESHSHADER_GROUPSHAREDEXCEEDSMAXSIZE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEMESHSHADER_INVALIDSHADERBYTECODE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEMESHSHADER_MISMATCHEDASMSPAYLOADSIZE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEMESHSHADER_OUTOFMEMORY","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEMESHSHADER_OUTPUTEXCEEDSMAXSIZE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEMESHSHADER_TOPOLOGY_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPIPELINELIBRARY_ADAPTERVERSIONMISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPIPELINELIBRARY_DRIVERVERSIONMISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPIPELINELIBRARY_INVALIDLIBRARYBLOB","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPIPELINELIBRARY_UNSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPIPELINESTATE_CACHEDBLOBADAPTERMISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPIPELINESTATE_CACHEDBLOBDESCMISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPIPELINESTATE_CACHEDBLOBDRIVERVERSIONMISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPIPELINESTATE_CACHEDBLOBIGNORED","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPIPELINESTATE_CANNOT_DEDUCE_TYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPIPELINESTATE_DUPLICATE_SUBOBJECT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPIPELINESTATE_INVALIDCACHEDBLOB","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPIPELINESTATE_INVALID_FLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPIPELINESTATE_INVALID_STREAM","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPIPELINESTATE_MS_INCOMPLETE_TYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPIPELINESTATE_UNKNOWN_SUBOBJECT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPIPELINESTATE_ZERO_SIZE_STREAM","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPIXELSHADER_INVALIDCLASSLINKAGE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPIXELSHADER_INVALIDSHADERBYTECODE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPIXELSHADER_INVALIDSHADERTYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPIXELSHADER_OUTOFMEMORY","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPLACEDRESOURCEONBUFFER_INVALID_BUFFER_DIMENSION","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPLACEDRESOURCEONBUFFER_INVALID_BUFFER_FLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPLACEDRESOURCEONBUFFER_INVALID_BUFFER_OFFSET","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPLACEDRESOURCEONBUFFER_INVALID_RESOURCE_DIMENSION","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPLACEDRESOURCEONBUFFER_INVALID_RESOURCE_FLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPLACEDRESOURCEONBUFFER_NULL_BUFFER","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPLACEDRESOURCEONBUFFER_NULL_RESOURCE_DESC","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPLACEDRESOURCEONBUFFER_OUTOFMEMORY_RETURN","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEPLACEDRESOURCEONBUFFER_UNSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEQUERY_HEAP_COPY_QUEUE_TIMESTAMPS_NOT_SUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEQUERY_HEAP_INVALID_PARAMETERS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEQUERY_HEAP_VIDEO_DECODE_STATISTICS_NOT_SUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERASTERIZERSTATE_INVALIDCULLMODE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERASTERIZERSTATE_INVALIDDEPTHBIASCLAMP","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERASTERIZERSTATE_INVALIDFILLMODE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERASTERIZERSTATE_INVALIDFORCEDSAMPLECOUNT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERASTERIZERSTATE_INVALIDSLOPESCALEDDEPTHBIAS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERASTERIZERSTATE_INVALID_CONSERVATIVERASTERMODE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERASTERIZERSTATE_INVALID_LINERASTERIZATIONMODE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERASTERIZERSTATE_NON_WHOLE_DYNAMIC_DEPTH_BIAS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERENDERTARGETVIEW_INVALIDDESC","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERENDERTARGETVIEW_INVALIDDIMENSIONS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERENDERTARGETVIEW_INVALIDFORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERENDERTARGETVIEW_INVALIDPLANESLICE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERENDERTARGETVIEW_INVALIDRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERENDERTARGETVIEW_INVALIDVIDEOPLANESLICE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERENDERTARGETVIEW_UNRECOGNIZEDFORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERENDERTARGETVIEW_UNSUPPORTEDFORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCEANDHEAP_INVALIDARG_RETURN","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCEANDHEAP_INVALIDHEAPMISCFLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCEANDHEAP_INVALIDHEAPPROPERTIES","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCEANDHEAP_INVALIDHEAPTYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCEANDHEAP_INVALID_PARAMETERS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCEANDHEAP_NULLHEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCEANDHEAP_NULLHEAPPROPERTIES","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCEANDHEAP_NULLRESOURCEPROPERTIES","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCEANDHEAP_OUTOFMEMORY_RETURN","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCEANDHEAP_UNRECOGNIZEDCPUPAGEPROPERTIES","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCEANDHEAP_UNRECOGNIZEDHEAPMISCFLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCEANDHEAP_UNRECOGNIZEDHEAPTYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCEANDHEAP_UNRECOGNIZEDMEMORYPOOL","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCE_CLEARVALUEDENORMFLUSH","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCE_INVALIDALIGNMENT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCE_INVALIDALIGNMENT_SMALLRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCE_INVALIDARG_RETURN","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCE_INVALIDCLEARVALUE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCE_INVALIDCLEARVALUEFORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCE_INVALIDDESC","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCE_INVALIDDIMENSIONALITY","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCE_INVALIDDIMENSIONS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCE_INVALIDFORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCE_INVALIDLAYOUT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCE_INVALIDMIPLEVELS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCE_INVALIDMISCFLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCE_INVALIDSAMPLEDESC","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCE_OUTOFMEMORY_RETURN","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCE_STATE_IGNORED","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCE_UNRECOGNIZEDCLEARVALUEFORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCE_UNRECOGNIZEDDIMENSIONALITY","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCE_UNRECOGNIZEDFORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATERESOURCE_UNRECOGNIZEDLAYOUT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATESHADERCACHESESSION_ALREADYOPEN","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATESHADERCACHESESSION_DISABLED","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATESHADERCACHESESSION_INVALIDARGS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATESHADERRESOURCEVIEW_INVALIDDESC","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATESHADERRESOURCEVIEW_INVALIDDIMENSIONS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATESHADERRESOURCEVIEW_INVALIDFORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATESHADERRESOURCEVIEW_INVALIDPLANESLICE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATESHADERRESOURCEVIEW_INVALIDRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATESHADERRESOURCEVIEW_INVALIDVIDEOPLANESLICE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATESHADERRESOURCEVIEW_UNRECOGNIZEDFORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATESHADER_INVALIDBYTECODE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATESHAREDHEAP_INVALIDFLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATESHAREDRESOURCE_INVALIDFLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATESHAREDRESOURCE_INVALIDFORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEUNORDEREDACCESSVIEW_INVALIDDESC","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEUNORDEREDACCESSVIEW_INVALIDDIMENSIONS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEUNORDEREDACCESSVIEW_INVALIDFLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEUNORDEREDACCESSVIEW_INVALIDFORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEUNORDEREDACCESSVIEW_INVALIDPLANESLICE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEUNORDEREDACCESSVIEW_INVALIDRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEUNORDEREDACCESSVIEW_INVALIDVIDEOPLANESLICE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEUNORDEREDACCESSVIEW_UNRECOGNIZEDFORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEVERTEXSHADER_INVALIDCLASSLINKAGE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEVERTEXSHADER_INVALIDSHADERBYTECODE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEVERTEXSHADER_INVALIDSHADERTYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATEVERTEXSHADER_OUTOFMEMORY","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_COMMANDALLOCATOR","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_COMMANDLIST12","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_COMMANDPOOL","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_COMMANDQUEUE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_COMMANDRECORDER","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_COMMANDSIGNATURE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_COMMAND_ALLOCATOR_VIDEO_NOT_SUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_COMMAND_LIST_INVALID_COMMAND_LIST_TYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_COMMAND_LIST_INVALID_COMMAND_LIST_TYPE_FOR_FEATURE_LEVEL","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_COMMAND_LIST_VIDEO_NOT_SUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_COMMAND_POOL_INVALID_FLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_COMMAND_QUEUE_INSUFFICIENT_HARDWARE_SUPPORT_FOR_GLOBAL_REALTIME","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_COMMAND_QUEUE_INSUFFICIENT_PRIVILEGE_FOR_GLOBAL_REALTIME","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_COMMAND_RECORDER_INVALID_FLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_COMMAND_RECORDER_INVALID_SUPPORT_FLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_COMMAND_RECORDER_MORE_RECORDERS_THAN_LOGICAL_PROCESSORS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_COMMAND_RECORDER_VIDEO_NOT_SUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_CONSTANT_BUFFER_VIEW_INVALID_DESC","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_CONSTANT_BUFFER_VIEW_INVALID_RESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_CRYPTO_SESSION","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_CRYPTO_SESSION_POLICY","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_DESCRIPTORHEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_DESCRIPTOR_HEAP_INVALID_DESC","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_DESCRIPTOR_HEAP_LARGE_NUM_DESCRIPTORS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_FENCE_INVALID_FLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_HEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_LIBRARY","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_LIFETIMETRACKER","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_META_COMMAND","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_MONITOREDFENCE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_PIPELINELIBRARY","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_PIPELINESTATE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_PROTECTED_RESOURCE_SESSION","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_PROTECTED_RESOURCE_SESSION_INVALID_ARGUMENT","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_QUERYHEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_QUEUE_INVALID_FLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_QUEUE_INVALID_PRIORITY","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_QUEUE_INVALID_TYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_QUEUE_VIDEO_NOT_SUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_RESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_ROOTSIGNATURE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_ROOT_SIGNATURE_BLOB_NOT_FOUND","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_ROOT_SIGNATURE_DESERIALIZE_FAILED","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_ROOT_SIGNATURE_INVALID_CONFIGURATION","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_ROOT_SIGNATURE_NOT_SUPPORTED_ON_DEVICE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_ROOT_SIGNATURE_NOT_UNIQUE_IN_DXIL_LIBRARY","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_ROOT_SIGNATURE_UNBOUNDED_STATIC_DESCRIPTORS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_SAMPLER_COMPARISON_FUNC_IGNORED","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_SAMPLER_INVALID","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_SHADERCACHESESSION","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_STATE_OBJECT_ERROR","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_TRACKEDWORKLOAD","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_UNORDEREDACCESS_VIEW_INVALID_COUNTER_USAGE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEODECODECOMMANDLIST","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEODECODECOMMANDQUEUE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEODECODER","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEODECODERHEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEODECODESTREAM","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEOENCODECOMMANDLIST","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEOENCODECOMMANDQUEUE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEOENCODER","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEOENCODERHEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEOEXTENSIONCOMMAND","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEOMOTIONESTIMATOR","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEOMOTIONVECTORHEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEOPROCESSCOMMANDLIST","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEOPROCESSCOMMANDQUEUE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEOPROCESSOR","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEOPROCESSSTREAM","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEO_DECODER_UNSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEO_DECODE_HEAP_CAPS_FAILURE","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEO_DECODE_HEAP_CAPS_UNSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEO_ENCODER_HEAP_INVALID_PARAMETERS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEO_ENCODER_HEAP_UNSUPPORTED_PARAMETERS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEO_ENCODER_INVALID_PARAMETERS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEO_ENCODER_UNSUPPORTED_PARAMETERS","features":[355]},{"name":"D3D12_MESSAGE_ID_CREATE_VIDEO_PROCESSOR_CAPS_FAILURE","features":[355]},{"name":"D3D12_MESSAGE_ID_D3D12_MESSAGES_END","features":[355]},{"name":"D3D12_MESSAGE_ID_DATA_STATIC_DESCRIPTOR_INVALID_DATA_CHANGE","features":[355]},{"name":"D3D12_MESSAGE_ID_DATA_STATIC_WHILE_SET_AT_EXECUTE_DESCRIPTOR_INVALID_DATA_CHANGE","features":[355]},{"name":"D3D12_MESSAGE_ID_DECODE_FRAME_INVALID_PARAMETERS","features":[355]},{"name":"D3D12_MESSAGE_ID_DEPRECATED_API","features":[355]},{"name":"D3D12_MESSAGE_ID_DEPTH_STENCIL_FORMAT_MISMATCH_PIPELINE_STATE","features":[355]},{"name":"D3D12_MESSAGE_ID_DEPTH_STENCIL_SAMPLE_DESC_MISMATCH_PIPELINE_STATE","features":[355]},{"name":"D3D12_MESSAGE_ID_DESCRIPTOR_HANDLE_WITH_INVALID_RESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_DESCRIPTOR_HEAP_NOT_SHADER_VISIBLE","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROYOWNEDOBJECT_OBJECTNOTOWNED","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_COMMANDALLOCATOR","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_COMMANDLIST12","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_COMMANDPOOL","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_COMMANDQUEUE","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_COMMANDRECORDER","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_COMMANDSIGNATURE","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_CRYPTO_SESSION","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_CRYPTO_SESSION_POLICY","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_DESCRIPTORHEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_HEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_LIBRARY","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_LIFETIMETRACKER","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_META_COMMAND","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_MONITOREDFENCE","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_PIPELINELIBRARY","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_PIPELINESTATE","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_PROTECTED_RESOURCE_SESSION","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_QUERYHEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_RESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_ROOTSIGNATURE","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_SHADERCACHESESSION","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_TRACKEDWORKLOAD","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_VIDEODECODECOMMANDLIST","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_VIDEODECODECOMMANDQUEUE","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_VIDEODECODER","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_VIDEODECODERHEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_VIDEODECODESTREAM","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_VIDEOENCODECOMMANDLIST","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_VIDEOENCODECOMMANDQUEUE","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_VIDEOENCODER","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_VIDEOENCODERHEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_VIDEOEXTENSIONCOMMAND","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_VIDEOMOTIONESTIMATOR","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_VIDEOMOTIONVECTORHEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_VIDEOPROCESSCOMMANDLIST","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_VIDEOPROCESSCOMMANDQUEUE","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_VIDEOPROCESSOR","features":[355]},{"name":"D3D12_MESSAGE_ID_DESTROY_VIDEOPROCESSSTREAM","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CHECKFEATURESUPPORT_MISMATCHED_DATA_SIZE","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CLEARVIEW_EMPTYRECT","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CLEARVIEW_INVALIDSOURCERECT","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CREATECOMPUTESHADER_DOUBLEEXTENSIONSNOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CREATECOMPUTESHADER_DOUBLEFLOATOPSNOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CREATECOMPUTESHADER_UAVSNOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CREATEDOMAINSHADER_DOUBLEEXTENSIONSNOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CREATEDOMAINSHADER_DOUBLEFLOATOPSNOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CREATEDOMAINSHADER_UAVSNOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_DOUBLEEXTENSIONSNOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_DOUBLEFLOATOPSNOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CREATEGEOMETRYSHADERWITHSTREAMOUTPUT_UAVSNOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CREATEGEOMETRYSHADER_DOUBLEEXTENSIONSNOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CREATEGEOMETRYSHADER_DOUBLEFLOATOPSNOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CREATEGEOMETRYSHADER_UAVSNOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CREATEHULLSHADER_DOUBLEEXTENSIONSNOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CREATEHULLSHADER_DOUBLEFLOATOPSNOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CREATEHULLSHADER_UAVSNOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CREATEPIXELSHADER_DOUBLEEXTENSIONSNOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CREATEPIXELSHADER_DOUBLEFLOATOPSNOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CREATEPIXELSHADER_UAVSNOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CREATEVERTEXSHADER_DOUBLEEXTENSIONSNOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CREATEVERTEXSHADER_DOUBLEFLOATOPSNOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CREATEVERTEXSHADER_UAVSNOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_CREATE_SHARED_HANDLE_INVALIDARG","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_OPEN_SHARED_HANDLE_ACCESS_DENIED","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_REMOVAL_PROCESS_AT_FAULT","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_REMOVAL_PROCESS_NOT_AT_FAULT","features":[355]},{"name":"D3D12_MESSAGE_ID_DEVICE_REMOVAL_PROCESS_POSSIBLY_AT_FAULT","features":[355]},{"name":"D3D12_MESSAGE_ID_DISCARD_INVALID_SUBRESOURCE_RANGE","features":[355]},{"name":"D3D12_MESSAGE_ID_DISCARD_NO_RECTS_FOR_NON_TEXTURE2D","features":[355]},{"name":"D3D12_MESSAGE_ID_DISCARD_ONE_SUBRESOURCE_FOR_MIPS_WITH_RECTS","features":[355]},{"name":"D3D12_MESSAGE_ID_DISPATCH_RAYS_INVALID","features":[355]},{"name":"D3D12_MESSAGE_ID_DRAW_EMPTY_SCISSOR_RECTANGLE","features":[355]},{"name":"D3D12_MESSAGE_ID_DRAW_POTENTIALLY_OUTSIDE_OF_VALID_RENDER_AREA","features":[355]},{"name":"D3D12_MESSAGE_ID_DYNAMIC_DEPTH_BIAS_FLAG_MISSING","features":[355]},{"name":"D3D12_MESSAGE_ID_DYNAMIC_DEPTH_BIAS_NOT_SUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_DYNAMIC_DEPTH_BIAS_NO_PIPELINE","features":[355]},{"name":"D3D12_MESSAGE_ID_DYNAMIC_INDEX_BUFFER_STRIP_CUT_FLAG_MISSING","features":[355]},{"name":"D3D12_MESSAGE_ID_DYNAMIC_INDEX_BUFFER_STRIP_CUT_NOT_SUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_DYNAMIC_INDEX_BUFFER_STRIP_CUT_NO_PIPELINE","features":[355]},{"name":"D3D12_MESSAGE_ID_EMIT_RAYTRACING_ACCELERATION_STRUCTURE_POSTBUILD_INFO_INVALID","features":[355]},{"name":"D3D12_MESSAGE_ID_EMPTY_DISPATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_EMPTY_ROOT_DESCRIPTOR_TABLE","features":[355]},{"name":"D3D12_MESSAGE_ID_ENCODE_FRAME_INVALID_PARAMETERS","features":[355]},{"name":"D3D12_MESSAGE_ID_ENCODE_FRAME_UNSUPPORTED_PARAMETERS","features":[355]},{"name":"D3D12_MESSAGE_ID_END_EVENT","features":[355]},{"name":"D3D12_MESSAGE_ID_ENHANCED_BARRIERS_NOT_SUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_ENQUEUE_MAKE_RESIDENT_INVALID_FLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_ESTIMATE_MOTION_INVALID_ARGUMENT","features":[355]},{"name":"D3D12_MESSAGE_ID_EVICT_NULLOBJECTARRAY","features":[355]},{"name":"D3D12_MESSAGE_ID_EVICT_UNDERFLOW","features":[355]},{"name":"D3D12_MESSAGE_ID_EXECUTECOMMANDLISTS_BUNDLENOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_EXECUTECOMMANDLISTS_COMMANDLISTMISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_EXECUTECOMMANDLISTS_FAILEDCOMMANDLIST","features":[355]},{"name":"D3D12_MESSAGE_ID_EXECUTECOMMANDLISTS_GPU_WRITTEN_READBACK_RESOURCE_MAPPED","features":[355]},{"name":"D3D12_MESSAGE_ID_EXECUTECOMMANDLISTS_OPENCOMMANDLIST","features":[355]},{"name":"D3D12_MESSAGE_ID_EXECUTECOMMANDLISTS_WRONGSWAPCHAINBUFFERREFERENCE","features":[355]},{"name":"D3D12_MESSAGE_ID_EXECUTE_BUNDLE_DESCRIPTOR_HEAP_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_EXECUTE_BUNDLE_OPEN_BUNDLE","features":[355]},{"name":"D3D12_MESSAGE_ID_EXECUTE_BUNDLE_STATIC_DESCRIPTOR_DATA_STATIC_NOT_SET","features":[355]},{"name":"D3D12_MESSAGE_ID_EXECUTE_BUNDLE_TYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_EXECUTE_INDIRECT_INVALID_PARAMETERS","features":[355]},{"name":"D3D12_MESSAGE_ID_EXECUTE_INDIRECT_ZERO_COMMAND_COUNT","features":[355]},{"name":"D3D12_MESSAGE_ID_FENCE_INVALIDOPERATION","features":[355]},{"name":"D3D12_MESSAGE_ID_GENERIC_DEVICE_OPERATION_UNSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_GEOMETRY_SHADER_OUTPUTTING_BOTH_VIEWPORT_ARRAY_INDEX_AND_SHADING_RATE_NOT_SUPPORTED_ON_DEVICE","features":[355]},{"name":"D3D12_MESSAGE_ID_GETCOPYABLEFOOTPRINTS_INVALIDBASEOFFSET","features":[355]},{"name":"D3D12_MESSAGE_ID_GETCOPYABLEFOOTPRINTS_INVALIDSUBRESOURCERANGE","features":[355]},{"name":"D3D12_MESSAGE_ID_GETCOPYABLEFOOTPRINTS_UNSUPPORTED_BUFFER_WIDTH","features":[355]},{"name":"D3D12_MESSAGE_ID_GETCOPYABLELAYOUT_INVALIDBASEOFFSET","features":[355]},{"name":"D3D12_MESSAGE_ID_GETCOPYABLELAYOUT_INVALIDSUBRESOURCERANGE","features":[355]},{"name":"D3D12_MESSAGE_ID_GETCUSTOMHEAPPROPERTIES_INVALIDHEAPTYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_GETCUSTOMHEAPPROPERTIES_UNRECOGNIZEDHEAPTYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_GETGPUVIRTUALADDRESS_INVALID_HEAP_TYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_GETGPUVIRTUALADDRESS_INVALID_RESOURCE_DIMENSION","features":[355]},{"name":"D3D12_MESSAGE_ID_GETHEAPPROPERTIES_INVALIDRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_GETPRIVATEDATA_MOREDATA","features":[355]},{"name":"D3D12_MESSAGE_ID_GETRESOURCEALLOCATIONINFO_INVALIDRDESCS","features":[355]},{"name":"D3D12_MESSAGE_ID_GET_PIPELINE_STACK_SIZE_ERROR","features":[355]},{"name":"D3D12_MESSAGE_ID_GET_PROGRAM_IDENTIFIER_ERROR","features":[355]},{"name":"D3D12_MESSAGE_ID_GET_RAYTRACING_ACCELERATION_STRUCTURE_PREBUILD_INFO_INVALID","features":[355]},{"name":"D3D12_MESSAGE_ID_GET_SHADER_IDENTIFIER_ERROR","features":[355]},{"name":"D3D12_MESSAGE_ID_GET_SHADER_IDENTIFIER_SIZE_INVALID","features":[355]},{"name":"D3D12_MESSAGE_ID_GET_SHADER_STACK_SIZE_ERROR","features":[355]},{"name":"D3D12_MESSAGE_ID_GET_WORK_GRAPH_PROPERTIES_ERROR","features":[355]},{"name":"D3D12_MESSAGE_ID_GPU_BASED_VALIDATION_DESCRIPTOR_HEAP_INDEX_OUT_OF_BOUNDS","features":[355]},{"name":"D3D12_MESSAGE_ID_GPU_BASED_VALIDATION_DESCRIPTOR_TABLE_REGISTER_INDEX_OUT_OF_BOUNDS","features":[355]},{"name":"D3D12_MESSAGE_ID_GPU_BASED_VALIDATION_DESCRIPTOR_TYPE_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_GPU_BASED_VALIDATION_DESCRIPTOR_UNINITIALIZED","features":[355]},{"name":"D3D12_MESSAGE_ID_GPU_BASED_VALIDATION_INCOMPATIBLE_RESOURCE_STATE","features":[355]},{"name":"D3D12_MESSAGE_ID_GPU_BASED_VALIDATION_INCOMPATIBLE_TEXTURE_LAYOUT","features":[355]},{"name":"D3D12_MESSAGE_ID_GPU_BASED_VALIDATION_INVALID_RESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_GPU_BASED_VALIDATION_RESOURCE_ACCESS_OUT_OF_BOUNDS","features":[355]},{"name":"D3D12_MESSAGE_ID_GPU_BASED_VALIDATION_RESOURCE_STATE_IMPRECISE","features":[355]},{"name":"D3D12_MESSAGE_ID_GPU_BASED_VALIDATION_ROOT_ARGUMENT_UNINITIALIZED","features":[355]},{"name":"D3D12_MESSAGE_ID_GPU_BASED_VALIDATION_ROOT_DESCRIPTOR_ACCESS_OUT_OF_BOUNDS","features":[355]},{"name":"D3D12_MESSAGE_ID_GPU_BASED_VALIDATION_SAMPLER_MODE_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_GPU_BASED_VALIDATION_SRV_RESOURCE_DIMENSION_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_GPU_BASED_VALIDATION_UAV_RESOURCE_DIMENSION_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_GPU_BASED_VALIDATION_UNSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_GRAPHICS_PIPELINE_STATE_DESC_ZERO_SAMPLE_MASK","features":[355]},{"name":"D3D12_MESSAGE_ID_HEAP_ADDRESS_RANGE_HAS_NO_RESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_HEAP_ADDRESS_RANGE_INTERSECTS_MULTIPLE_BUFFERS","features":[355]},{"name":"D3D12_MESSAGE_ID_INCOMPATIBLE_BARRIER_ACCESS","features":[355]},{"name":"D3D12_MESSAGE_ID_INCOMPATIBLE_BARRIER_LAYOUT","features":[355]},{"name":"D3D12_MESSAGE_ID_INCOMPATIBLE_BARRIER_RESOURCE_DIMENSION","features":[355]},{"name":"D3D12_MESSAGE_ID_INCOMPATIBLE_BARRIER_SYNC","features":[355]},{"name":"D3D12_MESSAGE_ID_INCOMPATIBLE_BARRIER_TYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_INCOMPATIBLE_BARRIER_VALUES","features":[355]},{"name":"D3D12_MESSAGE_ID_INCOMPLETE_TRACKED_WORKLOAD_PAIR","features":[355]},{"name":"D3D12_MESSAGE_ID_INDEPENDENT_STENCIL_REF_NOT_SUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_INVALID_BUNDLE_API","features":[355]},{"name":"D3D12_MESSAGE_ID_INVALID_CAST_TARGET","features":[355]},{"name":"D3D12_MESSAGE_ID_INVALID_DESCRIPTOR_HANDLE","features":[355]},{"name":"D3D12_MESSAGE_ID_INVALID_NODE_INDEX","features":[355]},{"name":"D3D12_MESSAGE_ID_INVALID_SUBRESOURCE_STATE","features":[355]},{"name":"D3D12_MESSAGE_ID_INVALID_USE_OF_NON_RESIDENT_RESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_INVALID_VIDEO_EXTENSION_COMMAND_ID","features":[355]},{"name":"D3D12_MESSAGE_ID_KEYEDMUTEX_INVALIDKEY","features":[355]},{"name":"D3D12_MESSAGE_ID_KEYEDMUTEX_INVALIDOBJECT","features":[355]},{"name":"D3D12_MESSAGE_ID_KEYEDMUTEX_WRONGSTATE","features":[355]},{"name":"D3D12_MESSAGE_ID_LEGACY_BARRIER_VALIDATION_FORCED_ON","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_COMMANDALLOCATOR","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_COMMANDLIST12","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_COMMANDPOOL","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_COMMANDQUEUE","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_COMMANDRECORDER","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_COMMANDSIGNATURE","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_CRYPTO_SESSION","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_CRYPTO_SESSION_POLICY","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_DESCRIPTORHEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_DEVICE","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_HEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_LIBRARY","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_LIFETIMETRACKER","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_META_COMMAND","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_MONITOREDFENCE","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_OBJECT_SUMMARY","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_PIPELINELIBRARY","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_PIPELINESTATE","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_PROTECTED_RESOURCE_SESSION","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_QUERYHEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_RESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_ROOTSIGNATURE","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_SHADERCACHESESSION","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_SWAPCHAIN","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_TRACKEDWORKLOAD","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_VIDEODECODECOMMANDLIST","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_VIDEODECODECOMMANDQUEUE","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_VIDEODECODER","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_VIDEODECODERHEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_VIDEODECODESTREAM","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_VIDEOENCODECOMMANDLIST","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_VIDEOENCODECOMMANDQUEUE","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_VIDEOENCODER","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_VIDEOENCODERHEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_VIDEOEXTENSIONCOMMAND","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_VIDEOMOTIONESTIMATOR","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_VIDEOMOTIONVECTORHEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_VIDEOPROCESSCOMMANDLIST","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_VIDEOPROCESSCOMMANDQUEUE","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_VIDEOPROCESSOR","features":[355]},{"name":"D3D12_MESSAGE_ID_LIVE_VIDEOPROCESSSTREAM","features":[355]},{"name":"D3D12_MESSAGE_ID_LOADPIPELINE_INVALIDDESC","features":[355]},{"name":"D3D12_MESSAGE_ID_LOADPIPELINE_NAMENOTFOUND","features":[355]},{"name":"D3D12_MESSAGE_ID_MAKERESIDENT_NULLOBJECTARRAY","features":[355]},{"name":"D3D12_MESSAGE_ID_MAP_INVALIDARG_RETURN","features":[355]},{"name":"D3D12_MESSAGE_ID_MAP_INVALIDDATAPOINTER","features":[355]},{"name":"D3D12_MESSAGE_ID_MAP_INVALIDHEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_MAP_INVALIDRANGE","features":[355]},{"name":"D3D12_MESSAGE_ID_MAP_INVALIDRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_MAP_INVALIDSUBRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_MAP_INVALID_NULLRANGE","features":[355]},{"name":"D3D12_MESSAGE_ID_MAP_OUTOFMEMORY_RETURN","features":[355]},{"name":"D3D12_MESSAGE_ID_MESH_SHADER_OUTPUTTING_BOTH_VIEWPORT_ARRAY_INDEX_AND_SHADING_RATE_NOT_SUPPORTED_ON_DEVICE","features":[355]},{"name":"D3D12_MESSAGE_ID_MESSAGE_REPORTING_OUTOFMEMORY","features":[355]},{"name":"D3D12_MESSAGE_ID_META_COMMAND_FAILED_ENUMERATION","features":[355]},{"name":"D3D12_MESSAGE_ID_META_COMMAND_ID_INVALID","features":[355]},{"name":"D3D12_MESSAGE_ID_META_COMMAND_INVALID_GPU_VIRTUAL_ADDRESS","features":[355]},{"name":"D3D12_MESSAGE_ID_META_COMMAND_PARAMETER_SIZE_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_META_COMMAND_UNSUPPORTED_PARAMS","features":[355]},{"name":"D3D12_MESSAGE_ID_MULTIPLE_TRACKED_WORKLOADS","features":[355]},{"name":"D3D12_MESSAGE_ID_MULTIPLE_TRACKED_WORKLOAD_PAIRS","features":[355]},{"name":"D3D12_MESSAGE_ID_NODE_MASK_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_NONNORMALIZED_COORDINATE_SAMPLING_NOT_SUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_NONZERO_SAMPLER_FEEDBACK_MIP_REGION_WITH_INCOMPATIBLE_FORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_NON_OPTIMAL_BARRIER_ONLY_EXECUTE_COMMAND_LISTS","features":[355]},{"name":"D3D12_MESSAGE_ID_NON_RETAIL_SHADER_MODEL_WONT_VALIDATE","features":[355]},{"name":"D3D12_MESSAGE_ID_NO_COMPUTE_API_SUPPORT","features":[355]},{"name":"D3D12_MESSAGE_ID_NO_GRAPHICS_API_SUPPORT","features":[355]},{"name":"D3D12_MESSAGE_ID_NO_VIDEO_API_SUPPORT","features":[355]},{"name":"D3D12_MESSAGE_ID_OBJECT_ACCESSED_WHILE_STILL_IN_USE","features":[355]},{"name":"D3D12_MESSAGE_ID_OBJECT_DELETED_WHILE_STILL_IN_USE","features":[355]},{"name":"D3D12_MESSAGE_ID_OBJECT_EVICTED_WHILE_STILL_IN_USE","features":[355]},{"name":"D3D12_MESSAGE_ID_OPENEXISTINGHEAP_INVALIDADDRESS","features":[355]},{"name":"D3D12_MESSAGE_ID_OPENEXISTINGHEAP_INVALIDARG_RETURN","features":[355]},{"name":"D3D12_MESSAGE_ID_OPENEXISTINGHEAP_INVALIDHANDLE","features":[355]},{"name":"D3D12_MESSAGE_ID_OPENEXISTINGHEAP_OUTOFMEMORY_RETURN","features":[355]},{"name":"D3D12_MESSAGE_ID_OPENEXISTINGHEAP_UNSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_OUT_OF_BOUNDS_BARRIER_SUBRESOURCE_RANGE","features":[355]},{"name":"D3D12_MESSAGE_ID_OUT_OF_ORDER_TRACKED_WORKLOAD_PAIR","features":[355]},{"name":"D3D12_MESSAGE_ID_OVERSIZED_DISPATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_PIPELINELIBRARY_SERIALIZE_NOTENOUGHMEMORY","features":[355]},{"name":"D3D12_MESSAGE_ID_PIPELINE_STATE_TYPE_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_PIX_EVENT_UNDERFLOW","features":[355]},{"name":"D3D12_MESSAGE_ID_POSSIBLE_INVALID_USE_OF_NON_RESIDENT_RESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_POSSIBLY_INVALID_SUBRESOURCE_STATE","features":[355]},{"name":"D3D12_MESSAGE_ID_PRIMITIVE_TOPOLOGY_MISMATCH_PIPELINE_STATE","features":[355]},{"name":"D3D12_MESSAGE_ID_PRIMITIVE_TOPOLOGY_TRIANGLE_FANS_NOT_SUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_PROBABLE_PIX_EVENT_LEAK","features":[355]},{"name":"D3D12_MESSAGE_ID_PROCESS_FRAME_INVALID_PARAMETERS","features":[355]},{"name":"D3D12_MESSAGE_ID_PROGRAMMABLE_MSAA_UNSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_PROTECTED_RESOURCE_SESSION_UNSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_READFROMSUBRESOURCE_EMPTYBOX","features":[355]},{"name":"D3D12_MESSAGE_ID_READFROMSUBRESOURCE_INVALIDBOX","features":[355]},{"name":"D3D12_MESSAGE_ID_READFROMSUBRESOURCE_INVALIDHEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_READFROMSUBRESOURCE_INVALIDRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_READFROMSUBRESOURCE_INVALIDSUBRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_RECREATEAT_INSUFFICIENT_SUPPORT","features":[355]},{"name":"D3D12_MESSAGE_ID_RECREATEAT_INVALID_TARGET","features":[355]},{"name":"D3D12_MESSAGE_ID_REFLECTSHAREDPROPERTIES_INVALIDOBJECT","features":[355]},{"name":"D3D12_MESSAGE_ID_REFLECTSHAREDPROPERTIES_INVALIDSIZE","features":[355]},{"name":"D3D12_MESSAGE_ID_REFLECTSHAREDPROPERTIES_UNRECOGNIZEDPROPERTIES","features":[355]},{"name":"D3D12_MESSAGE_ID_RENDER_PASS_CANNOT_CLOSE_COMMAND_LIST","features":[355]},{"name":"D3D12_MESSAGE_ID_RENDER_PASS_CANNOT_END_WITHOUT_BEGIN","features":[355]},{"name":"D3D12_MESSAGE_ID_RENDER_PASS_CANNOT_NEST_RENDER_PASSES","features":[355]},{"name":"D3D12_MESSAGE_ID_RENDER_PASS_COMMANDLIST_INVALID_END_STATE","features":[355]},{"name":"D3D12_MESSAGE_ID_RENDER_PASS_COMMANDLIST_INVALID_START_STATE","features":[355]},{"name":"D3D12_MESSAGE_ID_RENDER_PASS_DISALLOWED_API_CALLED","features":[355]},{"name":"D3D12_MESSAGE_ID_RENDER_PASS_ERROR","features":[355]},{"name":"D3D12_MESSAGE_ID_RENDER_PASS_GPU_WORK_WHILE_SUSPENDED","features":[355]},{"name":"D3D12_MESSAGE_ID_RENDER_PASS_INVALID_RESOURCE_BARRIER","features":[355]},{"name":"D3D12_MESSAGE_ID_RENDER_PASS_LOCAL_DEPTH_STENCIL_ERROR","features":[355]},{"name":"D3D12_MESSAGE_ID_RENDER_PASS_LOCAL_PRESERVE_RENDER_PARAMETERS_ERROR","features":[355]},{"name":"D3D12_MESSAGE_ID_RENDER_PASS_MISMATCHING_ACCESS","features":[355]},{"name":"D3D12_MESSAGE_ID_RENDER_PASS_MISMATCHING_LOCAL_PRESERVE_PARAMETERS","features":[355]},{"name":"D3D12_MESSAGE_ID_RENDER_PASS_MISMATCHING_NO_ACCESS","features":[355]},{"name":"D3D12_MESSAGE_ID_RENDER_PASS_MISMATCHING_SUSPEND_RESUME","features":[355]},{"name":"D3D12_MESSAGE_ID_RENDER_PASS_NO_PRIOR_SUSPEND_WITHIN_EXECUTECOMMANDLISTS","features":[355]},{"name":"D3D12_MESSAGE_ID_RENDER_PASS_NO_SUBSEQUENT_RESUME_WITHIN_EXECUTECOMMANDLISTS","features":[355]},{"name":"D3D12_MESSAGE_ID_RENDER_PASS_UNSUPPORTED_RESOLVE","features":[355]},{"name":"D3D12_MESSAGE_ID_RENDER_TARGET_FORMAT_MISMATCH_PIPELINE_STATE","features":[355]},{"name":"D3D12_MESSAGE_ID_RENDER_TARGET_SAMPLE_DESC_MISMATCH_PIPELINE_STATE","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOLVESUBRESOURCEREGION_INVALID_RECT","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOLVESUBRESOURCE_INVALIDDSTRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOLVESUBRESOURCE_INVALIDSRCRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOLVESUBRESOURCE_INVALID_FORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOLVESUBRESOURCE_INVALID_SAMPLE_COUNT","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOLVESUBRESOURCE_INVALID_SUBRESOURCE_INDEX","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOLVESUBRESOURCE_NULLDST","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOLVESUBRESOURCE_NULLSRC","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOLVESUBRESOURCE_RESOURCE_FLAGS_NOT_SUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOLVESUBRESOURCE_RESOURCE_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOLVESUBRESOURCE_SAMPLER_FEEDBACK_INVALID_MIP_LEVEL_COUNT","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOLVESUBRESOURCE_SAMPLER_FEEDBACK_TRANSCODE_ARRAY_SIZE_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOLVESUBRESOURCE_SAMPLER_FEEDBACK_TRANSCODE_INVALID_FORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOLVE_ENCODER_OUTPUT_METADATA_INVALID_PARAMETERS","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOLVE_ENCODER_OUTPUT_METADATA_UNSUPPORTED_PARAMETERS","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOLVE_MOTION_VECTOR_HEAP_INVALID_ARGUMENT","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOLVE_QUERY_DATA_INVALID_PARAMETERS","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOLVE_QUERY_INVALID_QUERY_STATE","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_BEFORE_AFTER_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_DUPLICATE_SUBRESOURCE_TRANSITIONS","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_INVALID_COMBINATION","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_INVALID_COMBINED_FLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_INVALID_COMMAND_LIST_TYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_INVALID_FLAG","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_INVALID_FLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_INVALID_FLAGS_FOR_FORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_INVALID_HEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_INVALID_RESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_INVALID_SPLIT_BARRIER","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_INVALID_SUBRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_INVALID_TYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_MATCHING_STATES","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_MISMATCHING_BEGIN_END","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_MISMATCHING_COMMAND_LIST_TYPE","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_MISMATCHING_MISC_FLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_MISSING_BIND_FLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_NULL_POINTER","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_POSSIBLE_BEFORE_AFTER_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_RESERVED_BITS","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_SAMPLE_COUNT","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_UNMATCHED_BEGIN","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_UNMATCHED_END","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_BARRIER_ZERO_BARRIERS","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_FORMAT_REQUIRES_SAMPLER_FEEDBACK_CAPABILITY","features":[355]},{"name":"D3D12_MESSAGE_ID_RESOURCE_UNMAP_NOTMAPPED","features":[355]},{"name":"D3D12_MESSAGE_ID_RSSETSHADINGRATEIMAGE_REQUIRES_TIER_2","features":[355]},{"name":"D3D12_MESSAGE_ID_RSSETSHADINGRATE_REQUIRES_TIER_1","features":[355]},{"name":"D3D12_MESSAGE_ID_RSSETSHADING_RATE_INVALID_COMBINER","features":[355]},{"name":"D3D12_MESSAGE_ID_RSSETSHADING_RATE_INVALID_SHADING_RATE","features":[355]},{"name":"D3D12_MESSAGE_ID_RSSETSHADING_RATE_SHADING_RATE_NOT_PERMITTED_BY_CAP","features":[355]},{"name":"D3D12_MESSAGE_ID_SAMPLEPOSITIONS_MISMATCH_DEFERRED","features":[355]},{"name":"D3D12_MESSAGE_ID_SAMPLEPOSITIONS_MISMATCH_RECORDTIME_ASSUMEDFROMCLEAR","features":[355]},{"name":"D3D12_MESSAGE_ID_SAMPLEPOSITIONS_MISMATCH_RECORDTIME_ASSUMEDFROMFIRSTUSE","features":[355]},{"name":"D3D12_MESSAGE_ID_SAMPLER_FEEDBACK_CREATE_UAV_MISMATCHING_TARGETED_RESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_SAMPLER_FEEDBACK_CREATE_UAV_NULL_ARGUMENTS","features":[355]},{"name":"D3D12_MESSAGE_ID_SAMPLER_FEEDBACK_CREATE_UAV_REQUIRES_FEEDBACK_MAP_FORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_SAMPLER_FEEDBACK_MAP_INVALID_DIMENSION","features":[355]},{"name":"D3D12_MESSAGE_ID_SAMPLER_FEEDBACK_MAP_INVALID_LAYOUT","features":[355]},{"name":"D3D12_MESSAGE_ID_SAMPLER_FEEDBACK_MAP_INVALID_MIP_REGION","features":[355]},{"name":"D3D12_MESSAGE_ID_SAMPLER_FEEDBACK_MAP_INVALID_SAMPLE_COUNT","features":[355]},{"name":"D3D12_MESSAGE_ID_SAMPLER_FEEDBACK_MAP_INVALID_SAMPLE_QUALITY","features":[355]},{"name":"D3D12_MESSAGE_ID_SAMPLER_FEEDBACK_MAP_REQUIRES_UNORDERED_ACCESS_FLAG","features":[355]},{"name":"D3D12_MESSAGE_ID_SAMPLER_FEEDBACK_UAV_REQUIRES_SAMPLER_FEEDBACK_CAPABILITY","features":[355]},{"name":"D3D12_MESSAGE_ID_SETDEPTHBOUNDS_INVALIDARGS","features":[355]},{"name":"D3D12_MESSAGE_ID_SETEVENTONMULTIPLEFENCECOMPLETION_INVALIDFLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_SETPRIVATEDATA_CHANGINGPARAMS","features":[355]},{"name":"D3D12_MESSAGE_ID_SETPRIVATEDATA_INVALIDFREEDATA","features":[355]},{"name":"D3D12_MESSAGE_ID_SETPRIVATEDATA_NO_ACCESS","features":[355]},{"name":"D3D12_MESSAGE_ID_SETPRIVATEDATA_OUTOFMEMORY","features":[355]},{"name":"D3D12_MESSAGE_ID_SETRESIDENCYPRIORITY_INVALID_PAGEABLE","features":[355]},{"name":"D3D12_MESSAGE_ID_SETRESIDENCYPRIORITY_INVALID_PRIORITY","features":[355]},{"name":"D3D12_MESSAGE_ID_SETSAMPLEPOSITIONS_INVALIDARGS","features":[355]},{"name":"D3D12_MESSAGE_ID_SETTING_SHADING_RATE_FROM_MS_REQUIRES_CAPABILITY","features":[355]},{"name":"D3D12_MESSAGE_ID_SETVIEWINSTANCEMASK_INVALIDARGS","features":[355]},{"name":"D3D12_MESSAGE_ID_SET_BACKGROUND_PROCESSING_MODE_INVALID_ARGUMENT","features":[355]},{"name":"D3D12_MESSAGE_ID_SET_DESCRIPTOR_HEAP_INVALID","features":[355]},{"name":"D3D12_MESSAGE_ID_SET_DESCRIPTOR_TABLE_INVALID","features":[355]},{"name":"D3D12_MESSAGE_ID_SET_INDEX_BUFFER_INVALID","features":[355]},{"name":"D3D12_MESSAGE_ID_SET_INDEX_BUFFER_INVALID_DESC","features":[355]},{"name":"D3D12_MESSAGE_ID_SET_PIPELINE_STACK_SIZE_ERROR","features":[355]},{"name":"D3D12_MESSAGE_ID_SET_PREDICATION_INVALID_PARAMETERS","features":[355]},{"name":"D3D12_MESSAGE_ID_SET_PROGRAM_ERROR","features":[355]},{"name":"D3D12_MESSAGE_ID_SET_RENDER_TARGETS_INVALID","features":[355]},{"name":"D3D12_MESSAGE_ID_SET_ROOT_CONSTANT_BUFFER_VIEW_INVALID","features":[355]},{"name":"D3D12_MESSAGE_ID_SET_ROOT_CONSTANT_INVALID","features":[355]},{"name":"D3D12_MESSAGE_ID_SET_ROOT_SHADER_RESOURCE_VIEW_INVALID","features":[355]},{"name":"D3D12_MESSAGE_ID_SET_ROOT_UNORDERED_ACCESS_VIEW_INVALID","features":[355]},{"name":"D3D12_MESSAGE_ID_SET_SCISSOR_RECTS_INVALID_RECT","features":[355]},{"name":"D3D12_MESSAGE_ID_SET_STREAM_OUTPUT_BUFFERS_INVALID","features":[355]},{"name":"D3D12_MESSAGE_ID_SET_STREAM_OUTPUT_BUFFERS_INVALID_DESC","features":[355]},{"name":"D3D12_MESSAGE_ID_SET_VERTEX_BUFFERS_INVALID","features":[355]},{"name":"D3D12_MESSAGE_ID_SET_VERTEX_BUFFERS_INVALID_DESC","features":[355]},{"name":"D3D12_MESSAGE_ID_SHADERCACHECONTROL_DEVELOPERMODE","features":[355]},{"name":"D3D12_MESSAGE_ID_SHADERCACHECONTROL_IGNOREDFLAG","features":[355]},{"name":"D3D12_MESSAGE_ID_SHADERCACHECONTROL_INVALIDFLAGS","features":[355]},{"name":"D3D12_MESSAGE_ID_SHADERCACHECONTROL_SHADERCACHECLEAR_NOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_SHADERCACHECONTROL_STATEALREADYSET","features":[355]},{"name":"D3D12_MESSAGE_ID_SHADERCACHESESSION_CORRUPT","features":[355]},{"name":"D3D12_MESSAGE_ID_SHADERCACHESESSION_DISABLED","features":[355]},{"name":"D3D12_MESSAGE_ID_SHADERCACHESESSION_FINDVALUE_NOTFOUND","features":[355]},{"name":"D3D12_MESSAGE_ID_SHADERCACHESESSION_SHADERCACHEDELETE_NOTSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_SHADERCACHESESSION_STOREVALUE_ALREADYPRESENT","features":[355]},{"name":"D3D12_MESSAGE_ID_SHADERCACHESESSION_STOREVALUE_CACHEFULL","features":[355]},{"name":"D3D12_MESSAGE_ID_SHADERCACHESESSION_STOREVALUE_HASHCOLLISION","features":[355]},{"name":"D3D12_MESSAGE_ID_SHADING_RATE_IMAGE_INCORRECT_ARRAY_SIZE","features":[355]},{"name":"D3D12_MESSAGE_ID_SHADING_RATE_IMAGE_INCORRECT_FORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_SHADING_RATE_IMAGE_INCORRECT_MIP_LEVEL","features":[355]},{"name":"D3D12_MESSAGE_ID_SHADING_RATE_IMAGE_INCORRECT_SAMPLE_COUNT","features":[355]},{"name":"D3D12_MESSAGE_ID_SHADING_RATE_IMAGE_INCORRECT_SAMPLE_QUALITY","features":[355]},{"name":"D3D12_MESSAGE_ID_SHADING_RATE_SOURCE_REQUIRES_DIMENSION_TEXTURE2D","features":[355]},{"name":"D3D12_MESSAGE_ID_STATIC_DESCRIPTOR_INVALID_DESCRIPTOR_CHANGE","features":[355]},{"name":"D3D12_MESSAGE_ID_STOREPIPELINE_DUPLICATENAME","features":[355]},{"name":"D3D12_MESSAGE_ID_STOREPIPELINE_NONAME","features":[355]},{"name":"D3D12_MESSAGE_ID_STRING_FROM_APPLICATION","features":[355]},{"name":"D3D12_MESSAGE_ID_TEXTURE_BARRIER_SUBRESOURCES_OUT_OF_BOUNDS","features":[355]},{"name":"D3D12_MESSAGE_ID_TIMESTAMPS_NOT_SUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_TOO_MANY_NODES_SPECIFIED","features":[355]},{"name":"D3D12_MESSAGE_ID_TRACKED_WORKLOAD_COMMAND_QUEUE_MISMATCH","features":[355]},{"name":"D3D12_MESSAGE_ID_TRACKED_WORKLOAD_NOT_SUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_UNINITIALIZED_META_COMMAND","features":[355]},{"name":"D3D12_MESSAGE_ID_UNKNOWN","features":[355]},{"name":"D3D12_MESSAGE_ID_UNMAP_INVALIDHEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_UNMAP_INVALIDRANGE","features":[355]},{"name":"D3D12_MESSAGE_ID_UNMAP_INVALIDRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_UNMAP_INVALIDSUBRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_UNMAP_INVALID_NULLRANGE","features":[355]},{"name":"D3D12_MESSAGE_ID_UNMAP_RANGE_NOT_EMPTY","features":[355]},{"name":"D3D12_MESSAGE_ID_UNSUPPORTED_BARRIER_LAYOUT","features":[355]},{"name":"D3D12_MESSAGE_ID_UNUSED_CROSS_EXECUTE_SPLIT_BARRIER","features":[355]},{"name":"D3D12_MESSAGE_ID_UPDATETILEMAPPINGS_INVALID_PARAMETER","features":[355]},{"name":"D3D12_MESSAGE_ID_UPDATETILEMAPPINGS_POSSIBLY_MISMATCHING_PROPERTIES","features":[355]},{"name":"D3D12_MESSAGE_ID_USE_OF_ZERO_REFCOUNT_OBJECT","features":[355]},{"name":"D3D12_MESSAGE_ID_VARIABLE_SHADING_RATE_NOT_ALLOWED_WITH_TIR","features":[355]},{"name":"D3D12_MESSAGE_ID_VERTEX_SHADER_OUTPUTTING_BOTH_VIEWPORT_ARRAY_INDEX_AND_SHADING_RATE_NOT_SUPPORTED_ON_DEVICE","features":[355]},{"name":"D3D12_MESSAGE_ID_VIDEO_CREATE_MOTION_ESTIMATOR_INVALID_ARGUMENT","features":[355]},{"name":"D3D12_MESSAGE_ID_VIDEO_CREATE_MOTION_VECTOR_HEAP_INVALID_ARGUMENT","features":[355]},{"name":"D3D12_MESSAGE_ID_VIDEO_DECODE_FRAME_INVALID_ARGUMENT","features":[355]},{"name":"D3D12_MESSAGE_ID_VIDEO_DECODE_SUPPORT_INVALID_INPUT","features":[355]},{"name":"D3D12_MESSAGE_ID_VIDEO_DECODE_SUPPORT_UNSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_VIDEO_EXTENSION_COMMAND_INVALID_ARGUMENT","features":[355]},{"name":"D3D12_MESSAGE_ID_VIDEO_PROCESS_FRAMES_INVALID_ARGUMENT","features":[355]},{"name":"D3D12_MESSAGE_ID_VIDEO_PROCESS_SUPPORT_INVALID_INPUT","features":[355]},{"name":"D3D12_MESSAGE_ID_VIDEO_PROCESS_SUPPORT_UNSUPPORTED_FORMAT","features":[355]},{"name":"D3D12_MESSAGE_ID_VIEW_INSTANCING_INVALIDARGS","features":[355]},{"name":"D3D12_MESSAGE_ID_VIEW_INSTANCING_UNSUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_VRS_SUM_COMBINER_REQUIRES_CAPABILITY","features":[355]},{"name":"D3D12_MESSAGE_ID_WINDOWS7_FENCE_OUTOFORDER_SIGNAL","features":[355]},{"name":"D3D12_MESSAGE_ID_WINDOWS7_FENCE_OUTOFORDER_WAIT","features":[355]},{"name":"D3D12_MESSAGE_ID_WRITEBUFFERIMMEDIATE_INVALID_ALIGNMENT","features":[355]},{"name":"D3D12_MESSAGE_ID_WRITEBUFFERIMMEDIATE_INVALID_DEST","features":[355]},{"name":"D3D12_MESSAGE_ID_WRITEBUFFERIMMEDIATE_INVALID_MODE","features":[355]},{"name":"D3D12_MESSAGE_ID_WRITEBUFFERIMMEDIATE_NOT_SUPPORTED","features":[355]},{"name":"D3D12_MESSAGE_ID_WRITETOSUBRESOURCE_EMPTYBOX","features":[355]},{"name":"D3D12_MESSAGE_ID_WRITETOSUBRESOURCE_INVALIDBOX","features":[355]},{"name":"D3D12_MESSAGE_ID_WRITETOSUBRESOURCE_INVALIDHEAP","features":[355]},{"name":"D3D12_MESSAGE_ID_WRITETOSUBRESOURCE_INVALIDRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_WRITETOSUBRESOURCE_INVALIDSUBRESOURCE","features":[355]},{"name":"D3D12_MESSAGE_ID_WRITE_COMBINE_PERFORMANCE_WARNING","features":[355]},{"name":"D3D12_MESSAGE_ID_WRONG_COMMAND_ALLOCATOR_TYPE","features":[355]},{"name":"D3D12_MESSAGE_SEVERITY","features":[355]},{"name":"D3D12_MESSAGE_SEVERITY_CORRUPTION","features":[355]},{"name":"D3D12_MESSAGE_SEVERITY_ERROR","features":[355]},{"name":"D3D12_MESSAGE_SEVERITY_INFO","features":[355]},{"name":"D3D12_MESSAGE_SEVERITY_MESSAGE","features":[355]},{"name":"D3D12_MESSAGE_SEVERITY_WARNING","features":[355]},{"name":"D3D12_META_COMMAND_DESC","features":[355]},{"name":"D3D12_META_COMMAND_PARAMETER_DESC","features":[355]},{"name":"D3D12_META_COMMAND_PARAMETER_FLAGS","features":[355]},{"name":"D3D12_META_COMMAND_PARAMETER_FLAG_INPUT","features":[355]},{"name":"D3D12_META_COMMAND_PARAMETER_FLAG_OUTPUT","features":[355]},{"name":"D3D12_META_COMMAND_PARAMETER_STAGE","features":[355]},{"name":"D3D12_META_COMMAND_PARAMETER_STAGE_CREATION","features":[355]},{"name":"D3D12_META_COMMAND_PARAMETER_STAGE_EXECUTION","features":[355]},{"name":"D3D12_META_COMMAND_PARAMETER_STAGE_INITIALIZATION","features":[355]},{"name":"D3D12_META_COMMAND_PARAMETER_TYPE","features":[355]},{"name":"D3D12_META_COMMAND_PARAMETER_TYPE_CPU_DESCRIPTOR_HANDLE_HEAP_TYPE_CBV_SRV_UAV","features":[355]},{"name":"D3D12_META_COMMAND_PARAMETER_TYPE_FLOAT","features":[355]},{"name":"D3D12_META_COMMAND_PARAMETER_TYPE_GPU_DESCRIPTOR_HANDLE_HEAP_TYPE_CBV_SRV_UAV","features":[355]},{"name":"D3D12_META_COMMAND_PARAMETER_TYPE_GPU_VIRTUAL_ADDRESS","features":[355]},{"name":"D3D12_META_COMMAND_PARAMETER_TYPE_UINT64","features":[355]},{"name":"D3D12_MINOR_VERSION","features":[355]},{"name":"D3D12_MIN_BORDER_COLOR_COMPONENT","features":[355]},{"name":"D3D12_MIN_DEPTH","features":[355]},{"name":"D3D12_MIN_FILTER_SHIFT","features":[355]},{"name":"D3D12_MIN_MAXANISOTROPY","features":[355]},{"name":"D3D12_MIP_FILTER_SHIFT","features":[355]},{"name":"D3D12_MIP_LOD_BIAS_MAX","features":[355]},{"name":"D3D12_MIP_LOD_BIAS_MIN","features":[355]},{"name":"D3D12_MIP_LOD_FRACTIONAL_BIT_COUNT","features":[355]},{"name":"D3D12_MIP_LOD_RANGE_BIT_COUNT","features":[355]},{"name":"D3D12_MIP_REGION","features":[355]},{"name":"D3D12_MULTIPLE_FENCE_WAIT_FLAGS","features":[355]},{"name":"D3D12_MULTIPLE_FENCE_WAIT_FLAG_ALL","features":[355]},{"name":"D3D12_MULTIPLE_FENCE_WAIT_FLAG_ANY","features":[355]},{"name":"D3D12_MULTIPLE_FENCE_WAIT_FLAG_NONE","features":[355]},{"name":"D3D12_MULTISAMPLE_ANTIALIAS_LINE_WIDTH","features":[355]},{"name":"D3D12_MULTISAMPLE_QUALITY_LEVELS_FLAG_NONE","features":[355]},{"name":"D3D12_MULTISAMPLE_QUALITY_LEVELS_FLAG_TILED_RESOURCE","features":[355]},{"name":"D3D12_MULTISAMPLE_QUALITY_LEVEL_FLAGS","features":[355]},{"name":"D3D12_NODE_MASK","features":[355]},{"name":"D3D12_NONSAMPLE_FETCH_OUT_OF_RANGE_ACCESS_RESULT","features":[355]},{"name":"D3D12_OS_RESERVED_REGISTER_SPACE_VALUES_END","features":[355]},{"name":"D3D12_OS_RESERVED_REGISTER_SPACE_VALUES_START","features":[355]},{"name":"D3D12_PACKED_MIP_INFO","features":[355]},{"name":"D3D12_PACKED_TILE","features":[355]},{"name":"D3D12_PARAMETER_DESC","features":[401,355]},{"name":"D3D12_PIPELINE_STATE_FLAGS","features":[355]},{"name":"D3D12_PIPELINE_STATE_FLAG_DYNAMIC_DEPTH_BIAS","features":[355]},{"name":"D3D12_PIPELINE_STATE_FLAG_DYNAMIC_INDEX_BUFFER_STRIP_CUT","features":[355]},{"name":"D3D12_PIPELINE_STATE_FLAG_NONE","features":[355]},{"name":"D3D12_PIPELINE_STATE_FLAG_TOOL_DEBUG","features":[355]},{"name":"D3D12_PIPELINE_STATE_STREAM_DESC","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_AS","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_BLEND","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_CACHED_PSO","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_CS","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_DEPTH_STENCIL","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_DEPTH_STENCIL1","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_DEPTH_STENCIL2","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_DEPTH_STENCIL_FORMAT","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_DS","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_FLAGS","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_GS","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_HS","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_IB_STRIP_CUT_VALUE","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_INPUT_LAYOUT","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_MAX_VALID","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_MS","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_NODE_MASK","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_PRIMITIVE_TOPOLOGY","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_PS","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_RASTERIZER","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_RASTERIZER1","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_RASTERIZER2","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_RENDER_TARGET_FORMATS","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_ROOT_SIGNATURE","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_SAMPLE_DESC","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_SAMPLE_MASK","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_STREAM_OUTPUT","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_VIEW_INSTANCING","features":[355]},{"name":"D3D12_PIPELINE_STATE_SUBOBJECT_TYPE_VS","features":[355]},{"name":"D3D12_PIXEL_ADDRESS_RANGE_BIT_COUNT","features":[355]},{"name":"D3D12_PLACED_SUBRESOURCE_FOOTPRINT","features":[355,396]},{"name":"D3D12_PREDICATION_OP","features":[355]},{"name":"D3D12_PREDICATION_OP_EQUAL_ZERO","features":[355]},{"name":"D3D12_PREDICATION_OP_NOT_EQUAL_ZERO","features":[355]},{"name":"D3D12_PREVIEW_SDK_VERSION","features":[355]},{"name":"D3D12_PRE_SCISSOR_PIXEL_ADDRESS_RANGE_BIT_COUNT","features":[355]},{"name":"D3D12_PRIMITIVE_TOPOLOGY_TYPE","features":[355]},{"name":"D3D12_PRIMITIVE_TOPOLOGY_TYPE_LINE","features":[355]},{"name":"D3D12_PRIMITIVE_TOPOLOGY_TYPE_PATCH","features":[355]},{"name":"D3D12_PRIMITIVE_TOPOLOGY_TYPE_POINT","features":[355]},{"name":"D3D12_PRIMITIVE_TOPOLOGY_TYPE_TRIANGLE","features":[355]},{"name":"D3D12_PRIMITIVE_TOPOLOGY_TYPE_UNDEFINED","features":[355]},{"name":"D3D12_PROGRAMMABLE_SAMPLE_POSITIONS_TIER","features":[355]},{"name":"D3D12_PROGRAMMABLE_SAMPLE_POSITIONS_TIER_1","features":[355]},{"name":"D3D12_PROGRAMMABLE_SAMPLE_POSITIONS_TIER_2","features":[355]},{"name":"D3D12_PROGRAMMABLE_SAMPLE_POSITIONS_TIER_NOT_SUPPORTED","features":[355]},{"name":"D3D12_PROTECTED_RESOURCES_SESSION_HARDWARE_PROTECTED","features":[355]},{"name":"D3D12_PROTECTED_RESOURCE_SESSION_DESC","features":[355]},{"name":"D3D12_PROTECTED_RESOURCE_SESSION_DESC1","features":[355]},{"name":"D3D12_PROTECTED_RESOURCE_SESSION_FLAGS","features":[355]},{"name":"D3D12_PROTECTED_RESOURCE_SESSION_FLAG_NONE","features":[355]},{"name":"D3D12_PROTECTED_RESOURCE_SESSION_SUPPORT_FLAGS","features":[355]},{"name":"D3D12_PROTECTED_RESOURCE_SESSION_SUPPORT_FLAG_NONE","features":[355]},{"name":"D3D12_PROTECTED_RESOURCE_SESSION_SUPPORT_FLAG_SUPPORTED","features":[355]},{"name":"D3D12_PROTECTED_SESSION_STATUS","features":[355]},{"name":"D3D12_PROTECTED_SESSION_STATUS_INVALID","features":[355]},{"name":"D3D12_PROTECTED_SESSION_STATUS_OK","features":[355]},{"name":"D3D12_PS_CS_UAV_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_PS_CS_UAV_REGISTER_COUNT","features":[355]},{"name":"D3D12_PS_CS_UAV_REGISTER_READS_PER_INST","features":[355]},{"name":"D3D12_PS_CS_UAV_REGISTER_READ_PORTS","features":[355]},{"name":"D3D12_PS_FRONTFACING_DEFAULT_VALUE","features":[355]},{"name":"D3D12_PS_FRONTFACING_FALSE_VALUE","features":[355]},{"name":"D3D12_PS_FRONTFACING_TRUE_VALUE","features":[355]},{"name":"D3D12_PS_INPUT_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_PS_INPUT_REGISTER_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_PS_INPUT_REGISTER_COUNT","features":[355]},{"name":"D3D12_PS_INPUT_REGISTER_READS_PER_INST","features":[355]},{"name":"D3D12_PS_INPUT_REGISTER_READ_PORTS","features":[355]},{"name":"D3D12_PS_LEGACY_PIXEL_CENTER_FRACTIONAL_COMPONENT","features":[355]},{"name":"D3D12_PS_OUTPUT_DEPTH_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_PS_OUTPUT_DEPTH_REGISTER_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_PS_OUTPUT_DEPTH_REGISTER_COUNT","features":[355]},{"name":"D3D12_PS_OUTPUT_MASK_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_PS_OUTPUT_MASK_REGISTER_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_PS_OUTPUT_MASK_REGISTER_COUNT","features":[355]},{"name":"D3D12_PS_OUTPUT_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_PS_OUTPUT_REGISTER_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_PS_OUTPUT_REGISTER_COUNT","features":[355]},{"name":"D3D12_PS_PIXEL_CENTER_FRACTIONAL_COMPONENT","features":[355]},{"name":"D3D12_QUERY_DATA_PIPELINE_STATISTICS","features":[355]},{"name":"D3D12_QUERY_DATA_PIPELINE_STATISTICS1","features":[355]},{"name":"D3D12_QUERY_DATA_SO_STATISTICS","features":[355]},{"name":"D3D12_QUERY_HEAP_DESC","features":[355]},{"name":"D3D12_QUERY_HEAP_TYPE","features":[355]},{"name":"D3D12_QUERY_HEAP_TYPE_COPY_QUEUE_TIMESTAMP","features":[355]},{"name":"D3D12_QUERY_HEAP_TYPE_OCCLUSION","features":[355]},{"name":"D3D12_QUERY_HEAP_TYPE_PIPELINE_STATISTICS","features":[355]},{"name":"D3D12_QUERY_HEAP_TYPE_PIPELINE_STATISTICS1","features":[355]},{"name":"D3D12_QUERY_HEAP_TYPE_SO_STATISTICS","features":[355]},{"name":"D3D12_QUERY_HEAP_TYPE_TIMESTAMP","features":[355]},{"name":"D3D12_QUERY_HEAP_TYPE_VIDEO_DECODE_STATISTICS","features":[355]},{"name":"D3D12_QUERY_TYPE","features":[355]},{"name":"D3D12_QUERY_TYPE_BINARY_OCCLUSION","features":[355]},{"name":"D3D12_QUERY_TYPE_OCCLUSION","features":[355]},{"name":"D3D12_QUERY_TYPE_PIPELINE_STATISTICS","features":[355]},{"name":"D3D12_QUERY_TYPE_PIPELINE_STATISTICS1","features":[355]},{"name":"D3D12_QUERY_TYPE_SO_STATISTICS_STREAM0","features":[355]},{"name":"D3D12_QUERY_TYPE_SO_STATISTICS_STREAM1","features":[355]},{"name":"D3D12_QUERY_TYPE_SO_STATISTICS_STREAM2","features":[355]},{"name":"D3D12_QUERY_TYPE_SO_STATISTICS_STREAM3","features":[355]},{"name":"D3D12_QUERY_TYPE_TIMESTAMP","features":[355]},{"name":"D3D12_QUERY_TYPE_VIDEO_DECODE_STATISTICS","features":[355]},{"name":"D3D12_RANGE","features":[355]},{"name":"D3D12_RANGE_UINT64","features":[355]},{"name":"D3D12_RASTERIZER_DESC","features":[308,355]},{"name":"D3D12_RASTERIZER_DESC1","features":[308,355]},{"name":"D3D12_RASTERIZER_DESC2","features":[308,355]},{"name":"D3D12_RAW_UAV_SRV_BYTE_ALIGNMENT","features":[355]},{"name":"D3D12_RAYTRACING_AABB","features":[355]},{"name":"D3D12_RAYTRACING_AABB_BYTE_ALIGNMENT","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_BUILD_FLAGS","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_BUILD_FLAG_ALLOW_COMPACTION","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_BUILD_FLAG_ALLOW_UPDATE","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_BUILD_FLAG_MINIMIZE_MEMORY","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_BUILD_FLAG_NONE","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_BUILD_FLAG_PERFORM_UPDATE","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_BUILD_FLAG_PREFER_FAST_BUILD","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_BUILD_FLAG_PREFER_FAST_TRACE","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_BYTE_ALIGNMENT","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_COPY_MODE","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_COPY_MODE_CLONE","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_COPY_MODE_COMPACT","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_COPY_MODE_DESERIALIZE","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_COPY_MODE_SERIALIZE","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_COPY_MODE_VISUALIZATION_DECODE_FOR_TOOLS","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_POSTBUILD_INFO_COMPACTED_SIZE","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_POSTBUILD_INFO_COMPACTED_SIZE_DESC","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_POSTBUILD_INFO_CURRENT_SIZE","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_POSTBUILD_INFO_CURRENT_SIZE_DESC","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_POSTBUILD_INFO_DESC","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_POSTBUILD_INFO_SERIALIZATION","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_POSTBUILD_INFO_SERIALIZATION_DESC","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_POSTBUILD_INFO_TOOLS_VISUALIZATION","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_POSTBUILD_INFO_TOOLS_VISUALIZATION_DESC","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_POSTBUILD_INFO_TYPE","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_PREBUILD_INFO","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_SRV","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_TYPE","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_TYPE_BOTTOM_LEVEL","features":[355]},{"name":"D3D12_RAYTRACING_ACCELERATION_STRUCTURE_TYPE_TOP_LEVEL","features":[355]},{"name":"D3D12_RAYTRACING_GEOMETRY_AABBS_DESC","features":[355]},{"name":"D3D12_RAYTRACING_GEOMETRY_DESC","features":[355,396]},{"name":"D3D12_RAYTRACING_GEOMETRY_FLAGS","features":[355]},{"name":"D3D12_RAYTRACING_GEOMETRY_FLAG_NONE","features":[355]},{"name":"D3D12_RAYTRACING_GEOMETRY_FLAG_NO_DUPLICATE_ANYHIT_INVOCATION","features":[355]},{"name":"D3D12_RAYTRACING_GEOMETRY_FLAG_OPAQUE","features":[355]},{"name":"D3D12_RAYTRACING_GEOMETRY_TRIANGLES_DESC","features":[355,396]},{"name":"D3D12_RAYTRACING_GEOMETRY_TYPE","features":[355]},{"name":"D3D12_RAYTRACING_GEOMETRY_TYPE_PROCEDURAL_PRIMITIVE_AABBS","features":[355]},{"name":"D3D12_RAYTRACING_GEOMETRY_TYPE_TRIANGLES","features":[355]},{"name":"D3D12_RAYTRACING_INSTANCE_DESC","features":[355]},{"name":"D3D12_RAYTRACING_INSTANCE_DESCS_BYTE_ALIGNMENT","features":[355]},{"name":"D3D12_RAYTRACING_INSTANCE_FLAGS","features":[355]},{"name":"D3D12_RAYTRACING_INSTANCE_FLAG_FORCE_NON_OPAQUE","features":[355]},{"name":"D3D12_RAYTRACING_INSTANCE_FLAG_FORCE_OPAQUE","features":[355]},{"name":"D3D12_RAYTRACING_INSTANCE_FLAG_NONE","features":[355]},{"name":"D3D12_RAYTRACING_INSTANCE_FLAG_TRIANGLE_CULL_DISABLE","features":[355]},{"name":"D3D12_RAYTRACING_INSTANCE_FLAG_TRIANGLE_FRONT_COUNTERCLOCKWISE","features":[355]},{"name":"D3D12_RAYTRACING_MAX_ATTRIBUTE_SIZE_IN_BYTES","features":[355]},{"name":"D3D12_RAYTRACING_MAX_DECLARABLE_TRACE_RECURSION_DEPTH","features":[355]},{"name":"D3D12_RAYTRACING_MAX_GEOMETRIES_PER_BOTTOM_LEVEL_ACCELERATION_STRUCTURE","features":[355]},{"name":"D3D12_RAYTRACING_MAX_INSTANCES_PER_TOP_LEVEL_ACCELERATION_STRUCTURE","features":[355]},{"name":"D3D12_RAYTRACING_MAX_PRIMITIVES_PER_BOTTOM_LEVEL_ACCELERATION_STRUCTURE","features":[355]},{"name":"D3D12_RAYTRACING_MAX_RAY_GENERATION_SHADER_THREADS","features":[355]},{"name":"D3D12_RAYTRACING_MAX_SHADER_RECORD_STRIDE","features":[355]},{"name":"D3D12_RAYTRACING_PIPELINE_CONFIG","features":[355]},{"name":"D3D12_RAYTRACING_PIPELINE_CONFIG1","features":[355]},{"name":"D3D12_RAYTRACING_PIPELINE_FLAGS","features":[355]},{"name":"D3D12_RAYTRACING_PIPELINE_FLAG_NONE","features":[355]},{"name":"D3D12_RAYTRACING_PIPELINE_FLAG_SKIP_PROCEDURAL_PRIMITIVES","features":[355]},{"name":"D3D12_RAYTRACING_PIPELINE_FLAG_SKIP_TRIANGLES","features":[355]},{"name":"D3D12_RAYTRACING_SHADER_CONFIG","features":[355]},{"name":"D3D12_RAYTRACING_SHADER_RECORD_BYTE_ALIGNMENT","features":[355]},{"name":"D3D12_RAYTRACING_SHADER_TABLE_BYTE_ALIGNMENT","features":[355]},{"name":"D3D12_RAYTRACING_TIER","features":[355]},{"name":"D3D12_RAYTRACING_TIER_1_0","features":[355]},{"name":"D3D12_RAYTRACING_TIER_1_1","features":[355]},{"name":"D3D12_RAYTRACING_TIER_NOT_SUPPORTED","features":[355]},{"name":"D3D12_RAYTRACING_TRANSFORM3X4_BYTE_ALIGNMENT","features":[355]},{"name":"D3D12_RAY_FLAGS","features":[355]},{"name":"D3D12_RAY_FLAG_ACCEPT_FIRST_HIT_AND_END_SEARCH","features":[355]},{"name":"D3D12_RAY_FLAG_CULL_BACK_FACING_TRIANGLES","features":[355]},{"name":"D3D12_RAY_FLAG_CULL_FRONT_FACING_TRIANGLES","features":[355]},{"name":"D3D12_RAY_FLAG_CULL_NON_OPAQUE","features":[355]},{"name":"D3D12_RAY_FLAG_CULL_OPAQUE","features":[355]},{"name":"D3D12_RAY_FLAG_FORCE_NON_OPAQUE","features":[355]},{"name":"D3D12_RAY_FLAG_FORCE_OPAQUE","features":[355]},{"name":"D3D12_RAY_FLAG_NONE","features":[355]},{"name":"D3D12_RAY_FLAG_SKIP_CLOSEST_HIT_SHADER","features":[355]},{"name":"D3D12_RAY_FLAG_SKIP_PROCEDURAL_PRIMITIVES","features":[355]},{"name":"D3D12_RAY_FLAG_SKIP_TRIANGLES","features":[355]},{"name":"D3D12_RECREATE_AT_TIER","features":[355]},{"name":"D3D12_RECREATE_AT_TIER_1","features":[355]},{"name":"D3D12_RECREATE_AT_TIER_NOT_SUPPORTED","features":[355]},{"name":"D3D12_RENDER_PASS_BEGINNING_ACCESS","features":[355,396]},{"name":"D3D12_RENDER_PASS_BEGINNING_ACCESS_CLEAR_PARAMETERS","features":[355,396]},{"name":"D3D12_RENDER_PASS_BEGINNING_ACCESS_PRESERVE_LOCAL_PARAMETERS","features":[355]},{"name":"D3D12_RENDER_PASS_BEGINNING_ACCESS_TYPE","features":[355]},{"name":"D3D12_RENDER_PASS_BEGINNING_ACCESS_TYPE_CLEAR","features":[355]},{"name":"D3D12_RENDER_PASS_BEGINNING_ACCESS_TYPE_DISCARD","features":[355]},{"name":"D3D12_RENDER_PASS_BEGINNING_ACCESS_TYPE_NO_ACCESS","features":[355]},{"name":"D3D12_RENDER_PASS_BEGINNING_ACCESS_TYPE_PRESERVE","features":[355]},{"name":"D3D12_RENDER_PASS_BEGINNING_ACCESS_TYPE_PRESERVE_LOCAL_RENDER","features":[355]},{"name":"D3D12_RENDER_PASS_BEGINNING_ACCESS_TYPE_PRESERVE_LOCAL_SRV","features":[355]},{"name":"D3D12_RENDER_PASS_BEGINNING_ACCESS_TYPE_PRESERVE_LOCAL_UAV","features":[355]},{"name":"D3D12_RENDER_PASS_DEPTH_STENCIL_DESC","features":[308,355,396]},{"name":"D3D12_RENDER_PASS_ENDING_ACCESS","features":[308,355,396]},{"name":"D3D12_RENDER_PASS_ENDING_ACCESS_PRESERVE_LOCAL_PARAMETERS","features":[355]},{"name":"D3D12_RENDER_PASS_ENDING_ACCESS_RESOLVE_PARAMETERS","features":[308,355,396]},{"name":"D3D12_RENDER_PASS_ENDING_ACCESS_RESOLVE_SUBRESOURCE_PARAMETERS","features":[308,355]},{"name":"D3D12_RENDER_PASS_ENDING_ACCESS_TYPE","features":[355]},{"name":"D3D12_RENDER_PASS_ENDING_ACCESS_TYPE_DISCARD","features":[355]},{"name":"D3D12_RENDER_PASS_ENDING_ACCESS_TYPE_NO_ACCESS","features":[355]},{"name":"D3D12_RENDER_PASS_ENDING_ACCESS_TYPE_PRESERVE","features":[355]},{"name":"D3D12_RENDER_PASS_ENDING_ACCESS_TYPE_PRESERVE_LOCAL_RENDER","features":[355]},{"name":"D3D12_RENDER_PASS_ENDING_ACCESS_TYPE_PRESERVE_LOCAL_SRV","features":[355]},{"name":"D3D12_RENDER_PASS_ENDING_ACCESS_TYPE_PRESERVE_LOCAL_UAV","features":[355]},{"name":"D3D12_RENDER_PASS_ENDING_ACCESS_TYPE_RESOLVE","features":[355]},{"name":"D3D12_RENDER_PASS_FLAGS","features":[355]},{"name":"D3D12_RENDER_PASS_FLAG_ALLOW_UAV_WRITES","features":[355]},{"name":"D3D12_RENDER_PASS_FLAG_BIND_READ_ONLY_DEPTH","features":[355]},{"name":"D3D12_RENDER_PASS_FLAG_BIND_READ_ONLY_STENCIL","features":[355]},{"name":"D3D12_RENDER_PASS_FLAG_NONE","features":[355]},{"name":"D3D12_RENDER_PASS_FLAG_RESUMING_PASS","features":[355]},{"name":"D3D12_RENDER_PASS_FLAG_SUSPENDING_PASS","features":[355]},{"name":"D3D12_RENDER_PASS_RENDER_TARGET_DESC","features":[308,355,396]},{"name":"D3D12_RENDER_PASS_TIER","features":[355]},{"name":"D3D12_RENDER_PASS_TIER_0","features":[355]},{"name":"D3D12_RENDER_PASS_TIER_1","features":[355]},{"name":"D3D12_RENDER_PASS_TIER_2","features":[355]},{"name":"D3D12_RENDER_TARGET_BLEND_DESC","features":[308,355]},{"name":"D3D12_RENDER_TARGET_VIEW_DESC","features":[355,396]},{"name":"D3D12_REQ_BLEND_OBJECT_COUNT_PER_DEVICE","features":[355]},{"name":"D3D12_REQ_BUFFER_RESOURCE_TEXEL_COUNT_2_TO_EXP","features":[355]},{"name":"D3D12_REQ_CONSTANT_BUFFER_ELEMENT_COUNT","features":[355]},{"name":"D3D12_REQ_DEPTH_STENCIL_OBJECT_COUNT_PER_DEVICE","features":[355]},{"name":"D3D12_REQ_DRAWINDEXED_INDEX_COUNT_2_TO_EXP","features":[355]},{"name":"D3D12_REQ_DRAW_VERTEX_COUNT_2_TO_EXP","features":[355]},{"name":"D3D12_REQ_FILTERING_HW_ADDRESSABLE_RESOURCE_DIMENSION","features":[355]},{"name":"D3D12_REQ_GS_INVOCATION_32BIT_OUTPUT_COMPONENT_LIMIT","features":[355]},{"name":"D3D12_REQ_IMMEDIATE_CONSTANT_BUFFER_ELEMENT_COUNT","features":[355]},{"name":"D3D12_REQ_MAXANISOTROPY","features":[355]},{"name":"D3D12_REQ_MIP_LEVELS","features":[355]},{"name":"D3D12_REQ_MULTI_ELEMENT_STRUCTURE_SIZE_IN_BYTES","features":[355]},{"name":"D3D12_REQ_RASTERIZER_OBJECT_COUNT_PER_DEVICE","features":[355]},{"name":"D3D12_REQ_RENDER_TO_BUFFER_WINDOW_WIDTH","features":[355]},{"name":"D3D12_REQ_RESOURCE_SIZE_IN_MEGABYTES_EXPRESSION_A_TERM","features":[355]},{"name":"D3D12_REQ_RESOURCE_SIZE_IN_MEGABYTES_EXPRESSION_B_TERM","features":[355]},{"name":"D3D12_REQ_RESOURCE_SIZE_IN_MEGABYTES_EXPRESSION_C_TERM","features":[355]},{"name":"D3D12_REQ_RESOURCE_VIEW_COUNT_PER_DEVICE_2_TO_EXP","features":[355]},{"name":"D3D12_REQ_SAMPLER_OBJECT_COUNT_PER_DEVICE","features":[355]},{"name":"D3D12_REQ_SUBRESOURCES","features":[355]},{"name":"D3D12_REQ_TEXTURE1D_ARRAY_AXIS_DIMENSION","features":[355]},{"name":"D3D12_REQ_TEXTURE1D_U_DIMENSION","features":[355]},{"name":"D3D12_REQ_TEXTURE2D_ARRAY_AXIS_DIMENSION","features":[355]},{"name":"D3D12_REQ_TEXTURE2D_U_OR_V_DIMENSION","features":[355]},{"name":"D3D12_REQ_TEXTURE3D_U_V_OR_W_DIMENSION","features":[355]},{"name":"D3D12_REQ_TEXTURECUBE_DIMENSION","features":[355]},{"name":"D3D12_RESIDENCY_FLAGS","features":[355]},{"name":"D3D12_RESIDENCY_FLAG_DENY_OVERBUDGET","features":[355]},{"name":"D3D12_RESIDENCY_FLAG_NONE","features":[355]},{"name":"D3D12_RESIDENCY_PRIORITY","features":[355]},{"name":"D3D12_RESIDENCY_PRIORITY_HIGH","features":[355]},{"name":"D3D12_RESIDENCY_PRIORITY_LOW","features":[355]},{"name":"D3D12_RESIDENCY_PRIORITY_MAXIMUM","features":[355]},{"name":"D3D12_RESIDENCY_PRIORITY_MINIMUM","features":[355]},{"name":"D3D12_RESIDENCY_PRIORITY_NORMAL","features":[355]},{"name":"D3D12_RESINFO_INSTRUCTION_MISSING_COMPONENT_RETVAL","features":[355]},{"name":"D3D12_RESOLVE_MODE","features":[355]},{"name":"D3D12_RESOLVE_MODE_AVERAGE","features":[355]},{"name":"D3D12_RESOLVE_MODE_DECODE_SAMPLER_FEEDBACK","features":[355]},{"name":"D3D12_RESOLVE_MODE_DECOMPRESS","features":[355]},{"name":"D3D12_RESOLVE_MODE_ENCODE_SAMPLER_FEEDBACK","features":[355]},{"name":"D3D12_RESOLVE_MODE_MAX","features":[355]},{"name":"D3D12_RESOLVE_MODE_MIN","features":[355]},{"name":"D3D12_RESOURCE_ALIASING_BARRIER","features":[355]},{"name":"D3D12_RESOURCE_ALLOCATION_INFO","features":[355]},{"name":"D3D12_RESOURCE_ALLOCATION_INFO1","features":[355]},{"name":"D3D12_RESOURCE_BARRIER","features":[355]},{"name":"D3D12_RESOURCE_BARRIER_ALL_SUBRESOURCES","features":[355]},{"name":"D3D12_RESOURCE_BARRIER_FLAGS","features":[355]},{"name":"D3D12_RESOURCE_BARRIER_FLAG_BEGIN_ONLY","features":[355]},{"name":"D3D12_RESOURCE_BARRIER_FLAG_END_ONLY","features":[355]},{"name":"D3D12_RESOURCE_BARRIER_FLAG_NONE","features":[355]},{"name":"D3D12_RESOURCE_BARRIER_TYPE","features":[355]},{"name":"D3D12_RESOURCE_BARRIER_TYPE_ALIASING","features":[355]},{"name":"D3D12_RESOURCE_BARRIER_TYPE_TRANSITION","features":[355]},{"name":"D3D12_RESOURCE_BARRIER_TYPE_UAV","features":[355]},{"name":"D3D12_RESOURCE_BINDING_TIER","features":[355]},{"name":"D3D12_RESOURCE_BINDING_TIER_1","features":[355]},{"name":"D3D12_RESOURCE_BINDING_TIER_2","features":[355]},{"name":"D3D12_RESOURCE_BINDING_TIER_3","features":[355]},{"name":"D3D12_RESOURCE_DESC","features":[355,396]},{"name":"D3D12_RESOURCE_DESC1","features":[355,396]},{"name":"D3D12_RESOURCE_DIMENSION","features":[355]},{"name":"D3D12_RESOURCE_DIMENSION_BUFFER","features":[355]},{"name":"D3D12_RESOURCE_DIMENSION_TEXTURE1D","features":[355]},{"name":"D3D12_RESOURCE_DIMENSION_TEXTURE2D","features":[355]},{"name":"D3D12_RESOURCE_DIMENSION_TEXTURE3D","features":[355]},{"name":"D3D12_RESOURCE_DIMENSION_UNKNOWN","features":[355]},{"name":"D3D12_RESOURCE_FLAGS","features":[355]},{"name":"D3D12_RESOURCE_FLAG_ALLOW_CROSS_ADAPTER","features":[355]},{"name":"D3D12_RESOURCE_FLAG_ALLOW_DEPTH_STENCIL","features":[355]},{"name":"D3D12_RESOURCE_FLAG_ALLOW_RENDER_TARGET","features":[355]},{"name":"D3D12_RESOURCE_FLAG_ALLOW_SIMULTANEOUS_ACCESS","features":[355]},{"name":"D3D12_RESOURCE_FLAG_ALLOW_UNORDERED_ACCESS","features":[355]},{"name":"D3D12_RESOURCE_FLAG_DENY_SHADER_RESOURCE","features":[355]},{"name":"D3D12_RESOURCE_FLAG_NONE","features":[355]},{"name":"D3D12_RESOURCE_FLAG_RAYTRACING_ACCELERATION_STRUCTURE","features":[355]},{"name":"D3D12_RESOURCE_FLAG_VIDEO_DECODE_REFERENCE_ONLY","features":[355]},{"name":"D3D12_RESOURCE_FLAG_VIDEO_ENCODE_REFERENCE_ONLY","features":[355]},{"name":"D3D12_RESOURCE_HEAP_TIER","features":[355]},{"name":"D3D12_RESOURCE_HEAP_TIER_1","features":[355]},{"name":"D3D12_RESOURCE_HEAP_TIER_2","features":[355]},{"name":"D3D12_RESOURCE_STATES","features":[355]},{"name":"D3D12_RESOURCE_STATE_ALL_SHADER_RESOURCE","features":[355]},{"name":"D3D12_RESOURCE_STATE_COMMON","features":[355]},{"name":"D3D12_RESOURCE_STATE_COPY_DEST","features":[355]},{"name":"D3D12_RESOURCE_STATE_COPY_SOURCE","features":[355]},{"name":"D3D12_RESOURCE_STATE_DEPTH_READ","features":[355]},{"name":"D3D12_RESOURCE_STATE_DEPTH_WRITE","features":[355]},{"name":"D3D12_RESOURCE_STATE_GENERIC_READ","features":[355]},{"name":"D3D12_RESOURCE_STATE_INDEX_BUFFER","features":[355]},{"name":"D3D12_RESOURCE_STATE_INDIRECT_ARGUMENT","features":[355]},{"name":"D3D12_RESOURCE_STATE_NON_PIXEL_SHADER_RESOURCE","features":[355]},{"name":"D3D12_RESOURCE_STATE_PIXEL_SHADER_RESOURCE","features":[355]},{"name":"D3D12_RESOURCE_STATE_PREDICATION","features":[355]},{"name":"D3D12_RESOURCE_STATE_PRESENT","features":[355]},{"name":"D3D12_RESOURCE_STATE_RAYTRACING_ACCELERATION_STRUCTURE","features":[355]},{"name":"D3D12_RESOURCE_STATE_RENDER_TARGET","features":[355]},{"name":"D3D12_RESOURCE_STATE_RESERVED_INTERNAL_100000","features":[355]},{"name":"D3D12_RESOURCE_STATE_RESERVED_INTERNAL_4000","features":[355]},{"name":"D3D12_RESOURCE_STATE_RESERVED_INTERNAL_40000000","features":[355]},{"name":"D3D12_RESOURCE_STATE_RESERVED_INTERNAL_8000","features":[355]},{"name":"D3D12_RESOURCE_STATE_RESERVED_INTERNAL_80000000","features":[355]},{"name":"D3D12_RESOURCE_STATE_RESOLVE_DEST","features":[355]},{"name":"D3D12_RESOURCE_STATE_RESOLVE_SOURCE","features":[355]},{"name":"D3D12_RESOURCE_STATE_SHADING_RATE_SOURCE","features":[355]},{"name":"D3D12_RESOURCE_STATE_STREAM_OUT","features":[355]},{"name":"D3D12_RESOURCE_STATE_UNORDERED_ACCESS","features":[355]},{"name":"D3D12_RESOURCE_STATE_VERTEX_AND_CONSTANT_BUFFER","features":[355]},{"name":"D3D12_RESOURCE_STATE_VIDEO_DECODE_READ","features":[355]},{"name":"D3D12_RESOURCE_STATE_VIDEO_DECODE_WRITE","features":[355]},{"name":"D3D12_RESOURCE_STATE_VIDEO_ENCODE_READ","features":[355]},{"name":"D3D12_RESOURCE_STATE_VIDEO_ENCODE_WRITE","features":[355]},{"name":"D3D12_RESOURCE_STATE_VIDEO_PROCESS_READ","features":[355]},{"name":"D3D12_RESOURCE_STATE_VIDEO_PROCESS_WRITE","features":[355]},{"name":"D3D12_RESOURCE_TRANSITION_BARRIER","features":[355]},{"name":"D3D12_RESOURCE_UAV_BARRIER","features":[355]},{"name":"D3D12_RLDO_DETAIL","features":[355]},{"name":"D3D12_RLDO_FLAGS","features":[355]},{"name":"D3D12_RLDO_IGNORE_INTERNAL","features":[355]},{"name":"D3D12_RLDO_NONE","features":[355]},{"name":"D3D12_RLDO_SUMMARY","features":[355]},{"name":"D3D12_ROOT_CONSTANTS","features":[355]},{"name":"D3D12_ROOT_DESCRIPTOR","features":[355]},{"name":"D3D12_ROOT_DESCRIPTOR1","features":[355]},{"name":"D3D12_ROOT_DESCRIPTOR_FLAGS","features":[355]},{"name":"D3D12_ROOT_DESCRIPTOR_FLAG_DATA_STATIC","features":[355]},{"name":"D3D12_ROOT_DESCRIPTOR_FLAG_DATA_STATIC_WHILE_SET_AT_EXECUTE","features":[355]},{"name":"D3D12_ROOT_DESCRIPTOR_FLAG_DATA_VOLATILE","features":[355]},{"name":"D3D12_ROOT_DESCRIPTOR_FLAG_NONE","features":[355]},{"name":"D3D12_ROOT_DESCRIPTOR_TABLE","features":[355]},{"name":"D3D12_ROOT_DESCRIPTOR_TABLE1","features":[355]},{"name":"D3D12_ROOT_PARAMETER","features":[355]},{"name":"D3D12_ROOT_PARAMETER1","features":[355]},{"name":"D3D12_ROOT_PARAMETER_TYPE","features":[355]},{"name":"D3D12_ROOT_PARAMETER_TYPE_32BIT_CONSTANTS","features":[355]},{"name":"D3D12_ROOT_PARAMETER_TYPE_CBV","features":[355]},{"name":"D3D12_ROOT_PARAMETER_TYPE_DESCRIPTOR_TABLE","features":[355]},{"name":"D3D12_ROOT_PARAMETER_TYPE_SRV","features":[355]},{"name":"D3D12_ROOT_PARAMETER_TYPE_UAV","features":[355]},{"name":"D3D12_ROOT_SIGNATURE_DESC","features":[355]},{"name":"D3D12_ROOT_SIGNATURE_DESC1","features":[355]},{"name":"D3D12_ROOT_SIGNATURE_DESC2","features":[355]},{"name":"D3D12_ROOT_SIGNATURE_FLAGS","features":[355]},{"name":"D3D12_ROOT_SIGNATURE_FLAG_ALLOW_INPUT_ASSEMBLER_INPUT_LAYOUT","features":[355]},{"name":"D3D12_ROOT_SIGNATURE_FLAG_ALLOW_STREAM_OUTPUT","features":[355]},{"name":"D3D12_ROOT_SIGNATURE_FLAG_CBV_SRV_UAV_HEAP_DIRECTLY_INDEXED","features":[355]},{"name":"D3D12_ROOT_SIGNATURE_FLAG_DENY_AMPLIFICATION_SHADER_ROOT_ACCESS","features":[355]},{"name":"D3D12_ROOT_SIGNATURE_FLAG_DENY_DOMAIN_SHADER_ROOT_ACCESS","features":[355]},{"name":"D3D12_ROOT_SIGNATURE_FLAG_DENY_GEOMETRY_SHADER_ROOT_ACCESS","features":[355]},{"name":"D3D12_ROOT_SIGNATURE_FLAG_DENY_HULL_SHADER_ROOT_ACCESS","features":[355]},{"name":"D3D12_ROOT_SIGNATURE_FLAG_DENY_MESH_SHADER_ROOT_ACCESS","features":[355]},{"name":"D3D12_ROOT_SIGNATURE_FLAG_DENY_PIXEL_SHADER_ROOT_ACCESS","features":[355]},{"name":"D3D12_ROOT_SIGNATURE_FLAG_DENY_VERTEX_SHADER_ROOT_ACCESS","features":[355]},{"name":"D3D12_ROOT_SIGNATURE_FLAG_LOCAL_ROOT_SIGNATURE","features":[355]},{"name":"D3D12_ROOT_SIGNATURE_FLAG_NONE","features":[355]},{"name":"D3D12_ROOT_SIGNATURE_FLAG_SAMPLER_HEAP_DIRECTLY_INDEXED","features":[355]},{"name":"D3D12_RS_SET_SHADING_RATE_COMBINER_COUNT","features":[355]},{"name":"D3D12_RTV_DIMENSION","features":[355]},{"name":"D3D12_RTV_DIMENSION_BUFFER","features":[355]},{"name":"D3D12_RTV_DIMENSION_TEXTURE1D","features":[355]},{"name":"D3D12_RTV_DIMENSION_TEXTURE1DARRAY","features":[355]},{"name":"D3D12_RTV_DIMENSION_TEXTURE2D","features":[355]},{"name":"D3D12_RTV_DIMENSION_TEXTURE2DARRAY","features":[355]},{"name":"D3D12_RTV_DIMENSION_TEXTURE2DMS","features":[355]},{"name":"D3D12_RTV_DIMENSION_TEXTURE2DMSARRAY","features":[355]},{"name":"D3D12_RTV_DIMENSION_TEXTURE3D","features":[355]},{"name":"D3D12_RTV_DIMENSION_UNKNOWN","features":[355]},{"name":"D3D12_RT_FORMAT_ARRAY","features":[355,396]},{"name":"D3D12_SAMPLER_DESC","features":[355]},{"name":"D3D12_SAMPLER_DESC2","features":[355]},{"name":"D3D12_SAMPLER_FEEDBACK_TIER","features":[355]},{"name":"D3D12_SAMPLER_FEEDBACK_TIER_0_9","features":[355]},{"name":"D3D12_SAMPLER_FEEDBACK_TIER_1_0","features":[355]},{"name":"D3D12_SAMPLER_FEEDBACK_TIER_NOT_SUPPORTED","features":[355]},{"name":"D3D12_SAMPLER_FLAGS","features":[355]},{"name":"D3D12_SAMPLER_FLAG_NONE","features":[355]},{"name":"D3D12_SAMPLER_FLAG_NON_NORMALIZED_COORDINATES","features":[355]},{"name":"D3D12_SAMPLER_FLAG_UINT_BORDER_COLOR","features":[355]},{"name":"D3D12_SAMPLE_POSITION","features":[355]},{"name":"D3D12_SDK_VERSION","features":[355]},{"name":"D3D12_SERIALIZED_DATA_DRIVER_MATCHING_IDENTIFIER","features":[355]},{"name":"D3D12_SERIALIZED_DATA_RAYTRACING_ACCELERATION_STRUCTURE","features":[355]},{"name":"D3D12_SERIALIZED_DATA_TYPE","features":[355]},{"name":"D3D12_SERIALIZED_RAYTRACING_ACCELERATION_STRUCTURE_HEADER","features":[355]},{"name":"D3D12_SHADER_BUFFER_DESC","features":[401,355]},{"name":"D3D12_SHADER_BYTECODE","features":[355]},{"name":"D3D12_SHADER_CACHE_CONTROL_FLAGS","features":[355]},{"name":"D3D12_SHADER_CACHE_CONTROL_FLAG_CLEAR","features":[355]},{"name":"D3D12_SHADER_CACHE_CONTROL_FLAG_DISABLE","features":[355]},{"name":"D3D12_SHADER_CACHE_CONTROL_FLAG_ENABLE","features":[355]},{"name":"D3D12_SHADER_CACHE_FLAGS","features":[355]},{"name":"D3D12_SHADER_CACHE_FLAG_DRIVER_VERSIONED","features":[355]},{"name":"D3D12_SHADER_CACHE_FLAG_NONE","features":[355]},{"name":"D3D12_SHADER_CACHE_FLAG_USE_WORKING_DIR","features":[355]},{"name":"D3D12_SHADER_CACHE_KIND_FLAGS","features":[355]},{"name":"D3D12_SHADER_CACHE_KIND_FLAG_APPLICATION_MANAGED","features":[355]},{"name":"D3D12_SHADER_CACHE_KIND_FLAG_IMPLICIT_D3D_CACHE_FOR_DRIVER","features":[355]},{"name":"D3D12_SHADER_CACHE_KIND_FLAG_IMPLICIT_D3D_CONVERSIONS","features":[355]},{"name":"D3D12_SHADER_CACHE_KIND_FLAG_IMPLICIT_DRIVER_MANAGED","features":[355]},{"name":"D3D12_SHADER_CACHE_MODE","features":[355]},{"name":"D3D12_SHADER_CACHE_MODE_DISK","features":[355]},{"name":"D3D12_SHADER_CACHE_MODE_MEMORY","features":[355]},{"name":"D3D12_SHADER_CACHE_SESSION_DESC","features":[355]},{"name":"D3D12_SHADER_CACHE_SUPPORT_AUTOMATIC_DISK_CACHE","features":[355]},{"name":"D3D12_SHADER_CACHE_SUPPORT_AUTOMATIC_INPROC_CACHE","features":[355]},{"name":"D3D12_SHADER_CACHE_SUPPORT_DRIVER_MANAGED_CACHE","features":[355]},{"name":"D3D12_SHADER_CACHE_SUPPORT_FLAGS","features":[355]},{"name":"D3D12_SHADER_CACHE_SUPPORT_LIBRARY","features":[355]},{"name":"D3D12_SHADER_CACHE_SUPPORT_NONE","features":[355]},{"name":"D3D12_SHADER_CACHE_SUPPORT_SHADER_CONTROL_CLEAR","features":[355]},{"name":"D3D12_SHADER_CACHE_SUPPORT_SHADER_SESSION_DELETE","features":[355]},{"name":"D3D12_SHADER_CACHE_SUPPORT_SINGLE_PSO","features":[355]},{"name":"D3D12_SHADER_COMPONENT_MAPPING","features":[355]},{"name":"D3D12_SHADER_COMPONENT_MAPPING_ALWAYS_SET_BIT_AVOIDING_ZEROMEM_MISTAKES","features":[355]},{"name":"D3D12_SHADER_COMPONENT_MAPPING_FORCE_VALUE_0","features":[355]},{"name":"D3D12_SHADER_COMPONENT_MAPPING_FORCE_VALUE_1","features":[355]},{"name":"D3D12_SHADER_COMPONENT_MAPPING_FROM_MEMORY_COMPONENT_0","features":[355]},{"name":"D3D12_SHADER_COMPONENT_MAPPING_FROM_MEMORY_COMPONENT_1","features":[355]},{"name":"D3D12_SHADER_COMPONENT_MAPPING_FROM_MEMORY_COMPONENT_2","features":[355]},{"name":"D3D12_SHADER_COMPONENT_MAPPING_FROM_MEMORY_COMPONENT_3","features":[355]},{"name":"D3D12_SHADER_COMPONENT_MAPPING_MASK","features":[355]},{"name":"D3D12_SHADER_COMPONENT_MAPPING_SHIFT","features":[355]},{"name":"D3D12_SHADER_DESC","features":[401,355]},{"name":"D3D12_SHADER_IDENTIFIER_SIZE_IN_BYTES","features":[355]},{"name":"D3D12_SHADER_INPUT_BIND_DESC","features":[401,355]},{"name":"D3D12_SHADER_MAJOR_VERSION","features":[355]},{"name":"D3D12_SHADER_MAX_INSTANCES","features":[355]},{"name":"D3D12_SHADER_MAX_INTERFACES","features":[355]},{"name":"D3D12_SHADER_MAX_INTERFACE_CALL_SITES","features":[355]},{"name":"D3D12_SHADER_MAX_TYPES","features":[355]},{"name":"D3D12_SHADER_MINOR_VERSION","features":[355]},{"name":"D3D12_SHADER_MIN_PRECISION_SUPPORT","features":[355]},{"name":"D3D12_SHADER_MIN_PRECISION_SUPPORT_10_BIT","features":[355]},{"name":"D3D12_SHADER_MIN_PRECISION_SUPPORT_16_BIT","features":[355]},{"name":"D3D12_SHADER_MIN_PRECISION_SUPPORT_NONE","features":[355]},{"name":"D3D12_SHADER_RESOURCE_VIEW_DESC","features":[355,396]},{"name":"D3D12_SHADER_TYPE_DESC","features":[401,355]},{"name":"D3D12_SHADER_VARIABLE_DESC","features":[355]},{"name":"D3D12_SHADER_VERSION_TYPE","features":[355]},{"name":"D3D12_SHADER_VISIBILITY","features":[355]},{"name":"D3D12_SHADER_VISIBILITY_ALL","features":[355]},{"name":"D3D12_SHADER_VISIBILITY_AMPLIFICATION","features":[355]},{"name":"D3D12_SHADER_VISIBILITY_DOMAIN","features":[355]},{"name":"D3D12_SHADER_VISIBILITY_GEOMETRY","features":[355]},{"name":"D3D12_SHADER_VISIBILITY_HULL","features":[355]},{"name":"D3D12_SHADER_VISIBILITY_MESH","features":[355]},{"name":"D3D12_SHADER_VISIBILITY_PIXEL","features":[355]},{"name":"D3D12_SHADER_VISIBILITY_VERTEX","features":[355]},{"name":"D3D12_SHADING_RATE","features":[355]},{"name":"D3D12_SHADING_RATE_1X1","features":[355]},{"name":"D3D12_SHADING_RATE_1X2","features":[355]},{"name":"D3D12_SHADING_RATE_2X1","features":[355]},{"name":"D3D12_SHADING_RATE_2X2","features":[355]},{"name":"D3D12_SHADING_RATE_2X4","features":[355]},{"name":"D3D12_SHADING_RATE_4X2","features":[355]},{"name":"D3D12_SHADING_RATE_4X4","features":[355]},{"name":"D3D12_SHADING_RATE_COMBINER","features":[355]},{"name":"D3D12_SHADING_RATE_COMBINER_MAX","features":[355]},{"name":"D3D12_SHADING_RATE_COMBINER_MIN","features":[355]},{"name":"D3D12_SHADING_RATE_COMBINER_OVERRIDE","features":[355]},{"name":"D3D12_SHADING_RATE_COMBINER_PASSTHROUGH","features":[355]},{"name":"D3D12_SHADING_RATE_COMBINER_SUM","features":[355]},{"name":"D3D12_SHADING_RATE_VALID_MASK","features":[355]},{"name":"D3D12_SHADING_RATE_X_AXIS_SHIFT","features":[355]},{"name":"D3D12_SHARED_RESOURCE_COMPATIBILITY_TIER","features":[355]},{"name":"D3D12_SHARED_RESOURCE_COMPATIBILITY_TIER_0","features":[355]},{"name":"D3D12_SHARED_RESOURCE_COMPATIBILITY_TIER_1","features":[355]},{"name":"D3D12_SHARED_RESOURCE_COMPATIBILITY_TIER_2","features":[355]},{"name":"D3D12_SHIFT_INSTRUCTION_PAD_VALUE","features":[355]},{"name":"D3D12_SHIFT_INSTRUCTION_SHIFT_VALUE_BIT_COUNT","features":[355]},{"name":"D3D12_SHVER_AMPLIFICATION_SHADER","features":[355]},{"name":"D3D12_SHVER_ANY_HIT_SHADER","features":[355]},{"name":"D3D12_SHVER_CALLABLE_SHADER","features":[355]},{"name":"D3D12_SHVER_CLOSEST_HIT_SHADER","features":[355]},{"name":"D3D12_SHVER_COMPUTE_SHADER","features":[355]},{"name":"D3D12_SHVER_DOMAIN_SHADER","features":[355]},{"name":"D3D12_SHVER_GEOMETRY_SHADER","features":[355]},{"name":"D3D12_SHVER_HULL_SHADER","features":[355]},{"name":"D3D12_SHVER_INTERSECTION_SHADER","features":[355]},{"name":"D3D12_SHVER_LIBRARY","features":[355]},{"name":"D3D12_SHVER_MESH_SHADER","features":[355]},{"name":"D3D12_SHVER_MISS_SHADER","features":[355]},{"name":"D3D12_SHVER_PIXEL_SHADER","features":[355]},{"name":"D3D12_SHVER_RAY_GENERATION_SHADER","features":[355]},{"name":"D3D12_SHVER_RESERVED0","features":[355]},{"name":"D3D12_SHVER_VERTEX_SHADER","features":[355]},{"name":"D3D12_SIGNATURE_PARAMETER_DESC","features":[401,355]},{"name":"D3D12_SIMULTANEOUS_RENDER_TARGET_COUNT","features":[355]},{"name":"D3D12_SMALL_MSAA_RESOURCE_PLACEMENT_ALIGNMENT","features":[355]},{"name":"D3D12_SMALL_RESOURCE_PLACEMENT_ALIGNMENT","features":[355]},{"name":"D3D12_SO_BUFFER_MAX_STRIDE_IN_BYTES","features":[355]},{"name":"D3D12_SO_BUFFER_MAX_WRITE_WINDOW_IN_BYTES","features":[355]},{"name":"D3D12_SO_BUFFER_SLOT_COUNT","features":[355]},{"name":"D3D12_SO_DDI_REGISTER_INDEX_DENOTING_GAP","features":[355]},{"name":"D3D12_SO_DECLARATION_ENTRY","features":[355]},{"name":"D3D12_SO_NO_RASTERIZED_STREAM","features":[355]},{"name":"D3D12_SO_OUTPUT_COMPONENT_COUNT","features":[355]},{"name":"D3D12_SO_STREAM_COUNT","features":[355]},{"name":"D3D12_SPEC_DATE_DAY","features":[355]},{"name":"D3D12_SPEC_DATE_MONTH","features":[355]},{"name":"D3D12_SPEC_DATE_YEAR","features":[355]},{"name":"D3D12_SPEC_VERSION","features":[355]},{"name":"D3D12_SRGB_GAMMA","features":[355]},{"name":"D3D12_SRGB_TO_FLOAT_DENOMINATOR_1","features":[355]},{"name":"D3D12_SRGB_TO_FLOAT_DENOMINATOR_2","features":[355]},{"name":"D3D12_SRGB_TO_FLOAT_EXPONENT","features":[355]},{"name":"D3D12_SRGB_TO_FLOAT_OFFSET","features":[355]},{"name":"D3D12_SRGB_TO_FLOAT_THRESHOLD","features":[355]},{"name":"D3D12_SRGB_TO_FLOAT_TOLERANCE_IN_ULP","features":[355]},{"name":"D3D12_SRV_DIMENSION","features":[355]},{"name":"D3D12_SRV_DIMENSION_BUFFER","features":[355]},{"name":"D3D12_SRV_DIMENSION_RAYTRACING_ACCELERATION_STRUCTURE","features":[355]},{"name":"D3D12_SRV_DIMENSION_TEXTURE1D","features":[355]},{"name":"D3D12_SRV_DIMENSION_TEXTURE1DARRAY","features":[355]},{"name":"D3D12_SRV_DIMENSION_TEXTURE2D","features":[355]},{"name":"D3D12_SRV_DIMENSION_TEXTURE2DARRAY","features":[355]},{"name":"D3D12_SRV_DIMENSION_TEXTURE2DMS","features":[355]},{"name":"D3D12_SRV_DIMENSION_TEXTURE2DMSARRAY","features":[355]},{"name":"D3D12_SRV_DIMENSION_TEXTURE3D","features":[355]},{"name":"D3D12_SRV_DIMENSION_TEXTURECUBE","features":[355]},{"name":"D3D12_SRV_DIMENSION_TEXTURECUBEARRAY","features":[355]},{"name":"D3D12_SRV_DIMENSION_UNKNOWN","features":[355]},{"name":"D3D12_STANDARD_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_STANDARD_COMPONENT_BIT_COUNT_DOUBLED","features":[355]},{"name":"D3D12_STANDARD_MAXIMUM_ELEMENT_ALIGNMENT_BYTE_MULTIPLE","features":[355]},{"name":"D3D12_STANDARD_PIXEL_COMPONENT_COUNT","features":[355]},{"name":"D3D12_STANDARD_PIXEL_ELEMENT_COUNT","features":[355]},{"name":"D3D12_STANDARD_VECTOR_SIZE","features":[355]},{"name":"D3D12_STANDARD_VERTEX_ELEMENT_COUNT","features":[355]},{"name":"D3D12_STANDARD_VERTEX_TOTAL_COMPONENT_COUNT","features":[355]},{"name":"D3D12_STATE_OBJECT_CONFIG","features":[355]},{"name":"D3D12_STATE_OBJECT_DESC","features":[355]},{"name":"D3D12_STATE_OBJECT_FLAGS","features":[355]},{"name":"D3D12_STATE_OBJECT_FLAG_ALLOW_EXTERNAL_DEPENDENCIES_ON_LOCAL_DEFINITIONS","features":[355]},{"name":"D3D12_STATE_OBJECT_FLAG_ALLOW_LOCAL_DEPENDENCIES_ON_EXTERNAL_DEFINITIONS","features":[355]},{"name":"D3D12_STATE_OBJECT_FLAG_ALLOW_STATE_OBJECT_ADDITIONS","features":[355]},{"name":"D3D12_STATE_OBJECT_FLAG_NONE","features":[355]},{"name":"D3D12_STATE_OBJECT_TYPE","features":[355]},{"name":"D3D12_STATE_OBJECT_TYPE_COLLECTION","features":[355]},{"name":"D3D12_STATE_OBJECT_TYPE_RAYTRACING_PIPELINE","features":[355]},{"name":"D3D12_STATE_SUBOBJECT","features":[355]},{"name":"D3D12_STATE_SUBOBJECT_TYPE","features":[355]},{"name":"D3D12_STATE_SUBOBJECT_TYPE_DXIL_LIBRARY","features":[355]},{"name":"D3D12_STATE_SUBOBJECT_TYPE_DXIL_SUBOBJECT_TO_EXPORTS_ASSOCIATION","features":[355]},{"name":"D3D12_STATE_SUBOBJECT_TYPE_EXISTING_COLLECTION","features":[355]},{"name":"D3D12_STATE_SUBOBJECT_TYPE_GLOBAL_ROOT_SIGNATURE","features":[355]},{"name":"D3D12_STATE_SUBOBJECT_TYPE_HIT_GROUP","features":[355]},{"name":"D3D12_STATE_SUBOBJECT_TYPE_LOCAL_ROOT_SIGNATURE","features":[355]},{"name":"D3D12_STATE_SUBOBJECT_TYPE_MAX_VALID","features":[355]},{"name":"D3D12_STATE_SUBOBJECT_TYPE_NODE_MASK","features":[355]},{"name":"D3D12_STATE_SUBOBJECT_TYPE_RAYTRACING_PIPELINE_CONFIG","features":[355]},{"name":"D3D12_STATE_SUBOBJECT_TYPE_RAYTRACING_PIPELINE_CONFIG1","features":[355]},{"name":"D3D12_STATE_SUBOBJECT_TYPE_RAYTRACING_SHADER_CONFIG","features":[355]},{"name":"D3D12_STATE_SUBOBJECT_TYPE_STATE_OBJECT_CONFIG","features":[355]},{"name":"D3D12_STATE_SUBOBJECT_TYPE_SUBOBJECT_TO_EXPORTS_ASSOCIATION","features":[355]},{"name":"D3D12_STATIC_BORDER_COLOR","features":[355]},{"name":"D3D12_STATIC_BORDER_COLOR_OPAQUE_BLACK","features":[355]},{"name":"D3D12_STATIC_BORDER_COLOR_OPAQUE_BLACK_UINT","features":[355]},{"name":"D3D12_STATIC_BORDER_COLOR_OPAQUE_WHITE","features":[355]},{"name":"D3D12_STATIC_BORDER_COLOR_OPAQUE_WHITE_UINT","features":[355]},{"name":"D3D12_STATIC_BORDER_COLOR_TRANSPARENT_BLACK","features":[355]},{"name":"D3D12_STATIC_SAMPLER_DESC","features":[355]},{"name":"D3D12_STATIC_SAMPLER_DESC1","features":[355]},{"name":"D3D12_STENCIL_OP","features":[355]},{"name":"D3D12_STENCIL_OP_DECR","features":[355]},{"name":"D3D12_STENCIL_OP_DECR_SAT","features":[355]},{"name":"D3D12_STENCIL_OP_INCR","features":[355]},{"name":"D3D12_STENCIL_OP_INCR_SAT","features":[355]},{"name":"D3D12_STENCIL_OP_INVERT","features":[355]},{"name":"D3D12_STENCIL_OP_KEEP","features":[355]},{"name":"D3D12_STENCIL_OP_REPLACE","features":[355]},{"name":"D3D12_STENCIL_OP_ZERO","features":[355]},{"name":"D3D12_STREAM_OUTPUT_BUFFER_VIEW","features":[355]},{"name":"D3D12_STREAM_OUTPUT_DESC","features":[355]},{"name":"D3D12_SUBOBJECT_TO_EXPORTS_ASSOCIATION","features":[355]},{"name":"D3D12_SUBPIXEL_FRACTIONAL_BIT_COUNT","features":[355]},{"name":"D3D12_SUBRESOURCE_DATA","features":[355]},{"name":"D3D12_SUBRESOURCE_FOOTPRINT","features":[355,396]},{"name":"D3D12_SUBRESOURCE_INFO","features":[355]},{"name":"D3D12_SUBRESOURCE_RANGE_UINT64","features":[355]},{"name":"D3D12_SUBRESOURCE_TILING","features":[355]},{"name":"D3D12_SUBTEXEL_FRACTIONAL_BIT_COUNT","features":[355]},{"name":"D3D12_SYSTEM_RESERVED_REGISTER_SPACE_VALUES_END","features":[355]},{"name":"D3D12_SYSTEM_RESERVED_REGISTER_SPACE_VALUES_START","features":[355]},{"name":"D3D12_TESSELLATOR_MAX_EVEN_TESSELLATION_FACTOR","features":[355]},{"name":"D3D12_TESSELLATOR_MAX_ISOLINE_DENSITY_TESSELLATION_FACTOR","features":[355]},{"name":"D3D12_TESSELLATOR_MAX_ODD_TESSELLATION_FACTOR","features":[355]},{"name":"D3D12_TESSELLATOR_MAX_TESSELLATION_FACTOR","features":[355]},{"name":"D3D12_TESSELLATOR_MIN_EVEN_TESSELLATION_FACTOR","features":[355]},{"name":"D3D12_TESSELLATOR_MIN_ISOLINE_DENSITY_TESSELLATION_FACTOR","features":[355]},{"name":"D3D12_TESSELLATOR_MIN_ODD_TESSELLATION_FACTOR","features":[355]},{"name":"D3D12_TEX1D_ARRAY_DSV","features":[355]},{"name":"D3D12_TEX1D_ARRAY_RTV","features":[355]},{"name":"D3D12_TEX1D_ARRAY_SRV","features":[355]},{"name":"D3D12_TEX1D_ARRAY_UAV","features":[355]},{"name":"D3D12_TEX1D_DSV","features":[355]},{"name":"D3D12_TEX1D_RTV","features":[355]},{"name":"D3D12_TEX1D_SRV","features":[355]},{"name":"D3D12_TEX1D_UAV","features":[355]},{"name":"D3D12_TEX2DMS_ARRAY_DSV","features":[355]},{"name":"D3D12_TEX2DMS_ARRAY_RTV","features":[355]},{"name":"D3D12_TEX2DMS_ARRAY_SRV","features":[355]},{"name":"D3D12_TEX2DMS_ARRAY_UAV","features":[355]},{"name":"D3D12_TEX2DMS_DSV","features":[355]},{"name":"D3D12_TEX2DMS_RTV","features":[355]},{"name":"D3D12_TEX2DMS_SRV","features":[355]},{"name":"D3D12_TEX2DMS_UAV","features":[355]},{"name":"D3D12_TEX2D_ARRAY_DSV","features":[355]},{"name":"D3D12_TEX2D_ARRAY_RTV","features":[355]},{"name":"D3D12_TEX2D_ARRAY_SRV","features":[355]},{"name":"D3D12_TEX2D_ARRAY_UAV","features":[355]},{"name":"D3D12_TEX2D_DSV","features":[355]},{"name":"D3D12_TEX2D_RTV","features":[355]},{"name":"D3D12_TEX2D_SRV","features":[355]},{"name":"D3D12_TEX2D_UAV","features":[355]},{"name":"D3D12_TEX3D_RTV","features":[355]},{"name":"D3D12_TEX3D_SRV","features":[355]},{"name":"D3D12_TEX3D_UAV","features":[355]},{"name":"D3D12_TEXCUBE_ARRAY_SRV","features":[355]},{"name":"D3D12_TEXCUBE_SRV","features":[355]},{"name":"D3D12_TEXEL_ADDRESS_RANGE_BIT_COUNT","features":[355]},{"name":"D3D12_TEXTURE_ADDRESS_MODE","features":[355]},{"name":"D3D12_TEXTURE_ADDRESS_MODE_BORDER","features":[355]},{"name":"D3D12_TEXTURE_ADDRESS_MODE_CLAMP","features":[355]},{"name":"D3D12_TEXTURE_ADDRESS_MODE_MIRROR","features":[355]},{"name":"D3D12_TEXTURE_ADDRESS_MODE_MIRROR_ONCE","features":[355]},{"name":"D3D12_TEXTURE_ADDRESS_MODE_WRAP","features":[355]},{"name":"D3D12_TEXTURE_BARRIER","features":[355]},{"name":"D3D12_TEXTURE_BARRIER_FLAGS","features":[355]},{"name":"D3D12_TEXTURE_BARRIER_FLAG_DISCARD","features":[355]},{"name":"D3D12_TEXTURE_BARRIER_FLAG_NONE","features":[355]},{"name":"D3D12_TEXTURE_COPY_LOCATION","features":[355,396]},{"name":"D3D12_TEXTURE_COPY_TYPE","features":[355]},{"name":"D3D12_TEXTURE_COPY_TYPE_PLACED_FOOTPRINT","features":[355]},{"name":"D3D12_TEXTURE_COPY_TYPE_SUBRESOURCE_INDEX","features":[355]},{"name":"D3D12_TEXTURE_DATA_PITCH_ALIGNMENT","features":[355]},{"name":"D3D12_TEXTURE_DATA_PLACEMENT_ALIGNMENT","features":[355]},{"name":"D3D12_TEXTURE_LAYOUT","features":[355]},{"name":"D3D12_TEXTURE_LAYOUT_64KB_STANDARD_SWIZZLE","features":[355]},{"name":"D3D12_TEXTURE_LAYOUT_64KB_UNDEFINED_SWIZZLE","features":[355]},{"name":"D3D12_TEXTURE_LAYOUT_ROW_MAJOR","features":[355]},{"name":"D3D12_TEXTURE_LAYOUT_UNKNOWN","features":[355]},{"name":"D3D12_TILED_RESOURCES_TIER","features":[355]},{"name":"D3D12_TILED_RESOURCES_TIER_1","features":[355]},{"name":"D3D12_TILED_RESOURCES_TIER_2","features":[355]},{"name":"D3D12_TILED_RESOURCES_TIER_3","features":[355]},{"name":"D3D12_TILED_RESOURCES_TIER_4","features":[355]},{"name":"D3D12_TILED_RESOURCES_TIER_NOT_SUPPORTED","features":[355]},{"name":"D3D12_TILED_RESOURCE_COORDINATE","features":[355]},{"name":"D3D12_TILED_RESOURCE_TILE_SIZE_IN_BYTES","features":[355]},{"name":"D3D12_TILE_COPY_FLAGS","features":[355]},{"name":"D3D12_TILE_COPY_FLAG_LINEAR_BUFFER_TO_SWIZZLED_TILED_RESOURCE","features":[355]},{"name":"D3D12_TILE_COPY_FLAG_NONE","features":[355]},{"name":"D3D12_TILE_COPY_FLAG_NO_HAZARD","features":[355]},{"name":"D3D12_TILE_COPY_FLAG_SWIZZLED_TILED_RESOURCE_TO_LINEAR_BUFFER","features":[355]},{"name":"D3D12_TILE_MAPPING_FLAGS","features":[355]},{"name":"D3D12_TILE_MAPPING_FLAG_NONE","features":[355]},{"name":"D3D12_TILE_MAPPING_FLAG_NO_HAZARD","features":[355]},{"name":"D3D12_TILE_RANGE_FLAGS","features":[355]},{"name":"D3D12_TILE_RANGE_FLAG_NONE","features":[355]},{"name":"D3D12_TILE_RANGE_FLAG_NULL","features":[355]},{"name":"D3D12_TILE_RANGE_FLAG_REUSE_SINGLE_TILE","features":[355]},{"name":"D3D12_TILE_RANGE_FLAG_SKIP","features":[355]},{"name":"D3D12_TILE_REGION_SIZE","features":[308,355]},{"name":"D3D12_TILE_SHAPE","features":[355]},{"name":"D3D12_TRACKED_WORKLOAD_MAX_INSTANCES","features":[355]},{"name":"D3D12_TRI_STATE","features":[355]},{"name":"D3D12_TRI_STATE_FALSE","features":[355]},{"name":"D3D12_TRI_STATE_TRUE","features":[355]},{"name":"D3D12_TRI_STATE_UNKNOWN","features":[355]},{"name":"D3D12_UAV_COUNTER_PLACEMENT_ALIGNMENT","features":[355]},{"name":"D3D12_UAV_DIMENSION","features":[355]},{"name":"D3D12_UAV_DIMENSION_BUFFER","features":[355]},{"name":"D3D12_UAV_DIMENSION_TEXTURE1D","features":[355]},{"name":"D3D12_UAV_DIMENSION_TEXTURE1DARRAY","features":[355]},{"name":"D3D12_UAV_DIMENSION_TEXTURE2D","features":[355]},{"name":"D3D12_UAV_DIMENSION_TEXTURE2DARRAY","features":[355]},{"name":"D3D12_UAV_DIMENSION_TEXTURE2DMS","features":[355]},{"name":"D3D12_UAV_DIMENSION_TEXTURE2DMSARRAY","features":[355]},{"name":"D3D12_UAV_DIMENSION_TEXTURE3D","features":[355]},{"name":"D3D12_UAV_DIMENSION_UNKNOWN","features":[355]},{"name":"D3D12_UAV_SLOT_COUNT","features":[355]},{"name":"D3D12_UNBOUND_MEMORY_ACCESS_RESULT","features":[355]},{"name":"D3D12_UNORDERED_ACCESS_VIEW_DESC","features":[355,396]},{"name":"D3D12_VARIABLE_SHADING_RATE_TIER","features":[355]},{"name":"D3D12_VARIABLE_SHADING_RATE_TIER_1","features":[355]},{"name":"D3D12_VARIABLE_SHADING_RATE_TIER_2","features":[355]},{"name":"D3D12_VARIABLE_SHADING_RATE_TIER_NOT_SUPPORTED","features":[355]},{"name":"D3D12_VERSIONED_DEVICE_REMOVED_EXTENDED_DATA","features":[355]},{"name":"D3D12_VERSIONED_ROOT_SIGNATURE_DESC","features":[355]},{"name":"D3D12_VERTEX_BUFFER_VIEW","features":[355]},{"name":"D3D12_VIDEO_DECODE_MAX_ARGUMENTS","features":[355]},{"name":"D3D12_VIDEO_DECODE_MAX_HISTOGRAM_COMPONENTS","features":[355]},{"name":"D3D12_VIDEO_DECODE_MIN_BITSTREAM_OFFSET_ALIGNMENT","features":[355]},{"name":"D3D12_VIDEO_DECODE_MIN_HISTOGRAM_OFFSET_ALIGNMENT","features":[355]},{"name":"D3D12_VIDEO_DECODE_STATUS_MACROBLOCKS_AFFECTED_UNKNOWN","features":[355]},{"name":"D3D12_VIDEO_ENCODER_AV1_INVALID_DPB_RESOURCE_INDEX","features":[355]},{"name":"D3D12_VIDEO_ENCODER_AV1_MAX_TILE_COLS","features":[355]},{"name":"D3D12_VIDEO_ENCODER_AV1_MAX_TILE_ROWS","features":[355]},{"name":"D3D12_VIDEO_ENCODER_AV1_SUPERRES_DENOM_MIN","features":[355]},{"name":"D3D12_VIDEO_ENCODER_AV1_SUPERRES_NUM","features":[355]},{"name":"D3D12_VIDEO_PROCESS_MAX_FILTERS","features":[355]},{"name":"D3D12_VIDEO_PROCESS_STEREO_VIEWS","features":[355]},{"name":"D3D12_VIEWPORT","features":[355]},{"name":"D3D12_VIEWPORT_AND_SCISSORRECT_MAX_INDEX","features":[355]},{"name":"D3D12_VIEWPORT_AND_SCISSORRECT_OBJECT_COUNT_PER_PIPELINE","features":[355]},{"name":"D3D12_VIEWPORT_BOUNDS_MAX","features":[355]},{"name":"D3D12_VIEWPORT_BOUNDS_MIN","features":[355]},{"name":"D3D12_VIEW_INSTANCE_LOCATION","features":[355]},{"name":"D3D12_VIEW_INSTANCING_DESC","features":[355]},{"name":"D3D12_VIEW_INSTANCING_FLAGS","features":[355]},{"name":"D3D12_VIEW_INSTANCING_FLAG_ENABLE_VIEW_INSTANCE_MASKING","features":[355]},{"name":"D3D12_VIEW_INSTANCING_FLAG_NONE","features":[355]},{"name":"D3D12_VIEW_INSTANCING_TIER","features":[355]},{"name":"D3D12_VIEW_INSTANCING_TIER_1","features":[355]},{"name":"D3D12_VIEW_INSTANCING_TIER_2","features":[355]},{"name":"D3D12_VIEW_INSTANCING_TIER_3","features":[355]},{"name":"D3D12_VIEW_INSTANCING_TIER_NOT_SUPPORTED","features":[355]},{"name":"D3D12_VS_INPUT_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_VS_INPUT_REGISTER_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_VS_INPUT_REGISTER_COUNT","features":[355]},{"name":"D3D12_VS_INPUT_REGISTER_READS_PER_INST","features":[355]},{"name":"D3D12_VS_INPUT_REGISTER_READ_PORTS","features":[355]},{"name":"D3D12_VS_OUTPUT_REGISTER_COMPONENTS","features":[355]},{"name":"D3D12_VS_OUTPUT_REGISTER_COMPONENT_BIT_COUNT","features":[355]},{"name":"D3D12_VS_OUTPUT_REGISTER_COUNT","features":[355]},{"name":"D3D12_WAVE_MMA_TIER","features":[355]},{"name":"D3D12_WAVE_MMA_TIER_1_0","features":[355]},{"name":"D3D12_WAVE_MMA_TIER_NOT_SUPPORTED","features":[355]},{"name":"D3D12_WHQL_CONTEXT_COUNT_FOR_RESOURCE_LIMIT","features":[355]},{"name":"D3D12_WHQL_DRAWINDEXED_INDEX_COUNT_2_TO_EXP","features":[355]},{"name":"D3D12_WHQL_DRAW_VERTEX_COUNT_2_TO_EXP","features":[355]},{"name":"D3D12_WRITEBUFFERIMMEDIATE_MODE","features":[355]},{"name":"D3D12_WRITEBUFFERIMMEDIATE_MODE_DEFAULT","features":[355]},{"name":"D3D12_WRITEBUFFERIMMEDIATE_MODE_MARKER_IN","features":[355]},{"name":"D3D12_WRITEBUFFERIMMEDIATE_MODE_MARKER_OUT","features":[355]},{"name":"D3D12_WRITEBUFFERIMMEDIATE_PARAMETER","features":[355]},{"name":"D3D_HIGHEST_SHADER_MODEL","features":[355]},{"name":"D3D_ROOT_SIGNATURE_VERSION","features":[355]},{"name":"D3D_ROOT_SIGNATURE_VERSION_1","features":[355]},{"name":"D3D_ROOT_SIGNATURE_VERSION_1_0","features":[355]},{"name":"D3D_ROOT_SIGNATURE_VERSION_1_1","features":[355]},{"name":"D3D_ROOT_SIGNATURE_VERSION_1_2","features":[355]},{"name":"D3D_SHADER_FEATURE_ADVANCED_TEXTURE_OPS","features":[355]},{"name":"D3D_SHADER_FEATURE_WRITEABLE_MSAA_TEXTURES","features":[355]},{"name":"D3D_SHADER_MODEL","features":[355]},{"name":"D3D_SHADER_MODEL_5_1","features":[355]},{"name":"D3D_SHADER_MODEL_6_0","features":[355]},{"name":"D3D_SHADER_MODEL_6_1","features":[355]},{"name":"D3D_SHADER_MODEL_6_2","features":[355]},{"name":"D3D_SHADER_MODEL_6_3","features":[355]},{"name":"D3D_SHADER_MODEL_6_4","features":[355]},{"name":"D3D_SHADER_MODEL_6_5","features":[355]},{"name":"D3D_SHADER_MODEL_6_6","features":[355]},{"name":"D3D_SHADER_MODEL_6_7","features":[355]},{"name":"D3D_SHADER_MODEL_6_8","features":[355]},{"name":"D3D_SHADER_REQUIRES_ATOMIC_INT64_ON_DESCRIPTOR_HEAP_RESOURCE","features":[355]},{"name":"D3D_SHADER_REQUIRES_ATOMIC_INT64_ON_GROUP_SHARED","features":[355]},{"name":"D3D_SHADER_REQUIRES_ATOMIC_INT64_ON_TYPED_RESOURCE","features":[355]},{"name":"D3D_SHADER_REQUIRES_BARYCENTRICS","features":[355]},{"name":"D3D_SHADER_REQUIRES_DERIVATIVES_IN_MESH_AND_AMPLIFICATION_SHADERS","features":[355]},{"name":"D3D_SHADER_REQUIRES_INNER_COVERAGE","features":[355]},{"name":"D3D_SHADER_REQUIRES_INT64_OPS","features":[355]},{"name":"D3D_SHADER_REQUIRES_NATIVE_16BIT_OPS","features":[355]},{"name":"D3D_SHADER_REQUIRES_RAYTRACING_TIER_1_1","features":[355]},{"name":"D3D_SHADER_REQUIRES_RESOURCE_DESCRIPTOR_HEAP_INDEXING","features":[355]},{"name":"D3D_SHADER_REQUIRES_ROVS","features":[355]},{"name":"D3D_SHADER_REQUIRES_SAMPLER_DESCRIPTOR_HEAP_INDEXING","features":[355]},{"name":"D3D_SHADER_REQUIRES_SAMPLER_FEEDBACK","features":[355]},{"name":"D3D_SHADER_REQUIRES_SHADING_RATE","features":[355]},{"name":"D3D_SHADER_REQUIRES_STENCIL_REF","features":[355]},{"name":"D3D_SHADER_REQUIRES_TYPED_UAV_LOAD_ADDITIONAL_FORMATS","features":[355]},{"name":"D3D_SHADER_REQUIRES_VIEWPORT_AND_RT_ARRAY_INDEX_FROM_ANY_SHADER_FEEDING_RASTERIZER","features":[355]},{"name":"D3D_SHADER_REQUIRES_VIEW_ID","features":[355]},{"name":"D3D_SHADER_REQUIRES_WAVE_MMA","features":[355]},{"name":"D3D_SHADER_REQUIRES_WAVE_OPS","features":[355]},{"name":"DXGI_DEBUG_D3D12","features":[355]},{"name":"ID3D12CommandAllocator","features":[355]},{"name":"ID3D12CommandList","features":[355]},{"name":"ID3D12CommandQueue","features":[355]},{"name":"ID3D12CommandSignature","features":[355]},{"name":"ID3D12Debug","features":[355]},{"name":"ID3D12Debug1","features":[355]},{"name":"ID3D12Debug2","features":[355]},{"name":"ID3D12Debug3","features":[355]},{"name":"ID3D12Debug4","features":[355]},{"name":"ID3D12Debug5","features":[355]},{"name":"ID3D12Debug6","features":[355]},{"name":"ID3D12DebugCommandList","features":[355]},{"name":"ID3D12DebugCommandList1","features":[355]},{"name":"ID3D12DebugCommandList2","features":[355]},{"name":"ID3D12DebugCommandList3","features":[355]},{"name":"ID3D12DebugCommandQueue","features":[355]},{"name":"ID3D12DebugCommandQueue1","features":[355]},{"name":"ID3D12DebugDevice","features":[355]},{"name":"ID3D12DebugDevice1","features":[355]},{"name":"ID3D12DebugDevice2","features":[355]},{"name":"ID3D12DescriptorHeap","features":[355]},{"name":"ID3D12Device","features":[355]},{"name":"ID3D12Device1","features":[355]},{"name":"ID3D12Device10","features":[355]},{"name":"ID3D12Device11","features":[355]},{"name":"ID3D12Device12","features":[355]},{"name":"ID3D12Device13","features":[355]},{"name":"ID3D12Device2","features":[355]},{"name":"ID3D12Device3","features":[355]},{"name":"ID3D12Device4","features":[355]},{"name":"ID3D12Device5","features":[355]},{"name":"ID3D12Device6","features":[355]},{"name":"ID3D12Device7","features":[355]},{"name":"ID3D12Device8","features":[355]},{"name":"ID3D12Device9","features":[355]},{"name":"ID3D12DeviceChild","features":[355]},{"name":"ID3D12DeviceConfiguration","features":[355]},{"name":"ID3D12DeviceFactory","features":[355]},{"name":"ID3D12DeviceRemovedExtendedData","features":[355]},{"name":"ID3D12DeviceRemovedExtendedData1","features":[355]},{"name":"ID3D12DeviceRemovedExtendedData2","features":[355]},{"name":"ID3D12DeviceRemovedExtendedDataSettings","features":[355]},{"name":"ID3D12DeviceRemovedExtendedDataSettings1","features":[355]},{"name":"ID3D12DeviceRemovedExtendedDataSettings2","features":[355]},{"name":"ID3D12Fence","features":[355]},{"name":"ID3D12Fence1","features":[355]},{"name":"ID3D12FunctionParameterReflection","features":[355]},{"name":"ID3D12FunctionReflection","features":[355]},{"name":"ID3D12GraphicsCommandList","features":[355]},{"name":"ID3D12GraphicsCommandList1","features":[355]},{"name":"ID3D12GraphicsCommandList2","features":[355]},{"name":"ID3D12GraphicsCommandList3","features":[355]},{"name":"ID3D12GraphicsCommandList4","features":[355]},{"name":"ID3D12GraphicsCommandList5","features":[355]},{"name":"ID3D12GraphicsCommandList6","features":[355]},{"name":"ID3D12GraphicsCommandList7","features":[355]},{"name":"ID3D12GraphicsCommandList8","features":[355]},{"name":"ID3D12GraphicsCommandList9","features":[355]},{"name":"ID3D12Heap","features":[355]},{"name":"ID3D12Heap1","features":[355]},{"name":"ID3D12InfoQueue","features":[355]},{"name":"ID3D12InfoQueue1","features":[355]},{"name":"ID3D12LibraryReflection","features":[355]},{"name":"ID3D12LifetimeOwner","features":[355]},{"name":"ID3D12LifetimeTracker","features":[355]},{"name":"ID3D12ManualWriteTrackingResource","features":[355]},{"name":"ID3D12MetaCommand","features":[355]},{"name":"ID3D12Object","features":[355]},{"name":"ID3D12Pageable","features":[355]},{"name":"ID3D12PipelineLibrary","features":[355]},{"name":"ID3D12PipelineLibrary1","features":[355]},{"name":"ID3D12PipelineState","features":[355]},{"name":"ID3D12ProtectedResourceSession","features":[355]},{"name":"ID3D12ProtectedResourceSession1","features":[355]},{"name":"ID3D12ProtectedSession","features":[355]},{"name":"ID3D12QueryHeap","features":[355]},{"name":"ID3D12Resource","features":[355]},{"name":"ID3D12Resource1","features":[355]},{"name":"ID3D12Resource2","features":[355]},{"name":"ID3D12RootSignature","features":[355]},{"name":"ID3D12RootSignatureDeserializer","features":[355]},{"name":"ID3D12SDKConfiguration","features":[355]},{"name":"ID3D12SDKConfiguration1","features":[355]},{"name":"ID3D12ShaderCacheSession","features":[355]},{"name":"ID3D12ShaderReflection","features":[355]},{"name":"ID3D12ShaderReflectionConstantBuffer","features":[355]},{"name":"ID3D12ShaderReflectionType","features":[355]},{"name":"ID3D12ShaderReflectionVariable","features":[355]},{"name":"ID3D12SharingContract","features":[355]},{"name":"ID3D12StateObject","features":[355]},{"name":"ID3D12StateObjectProperties","features":[355]},{"name":"ID3D12SwapChainAssistant","features":[355]},{"name":"ID3D12Tools","features":[355]},{"name":"ID3D12VersionedRootSignatureDeserializer","features":[355]},{"name":"ID3D12VirtualizationGuestDevice","features":[355]},{"name":"LUID_DEFINED","features":[355]},{"name":"NUM_D3D12_GPU_BASED_VALIDATION_SHADER_PATCH_MODES","features":[355]},{"name":"PFN_D3D12_CREATE_DEVICE","features":[401,355]},{"name":"PFN_D3D12_CREATE_ROOT_SIGNATURE_DESERIALIZER","features":[355]},{"name":"PFN_D3D12_CREATE_VERSIONED_ROOT_SIGNATURE_DESERIALIZER","features":[355]},{"name":"PFN_D3D12_GET_DEBUG_INTERFACE","features":[355]},{"name":"PFN_D3D12_GET_INTERFACE","features":[355]},{"name":"PFN_D3D12_SERIALIZE_ROOT_SIGNATURE","features":[401,355]},{"name":"PFN_D3D12_SERIALIZE_VERSIONED_ROOT_SIGNATURE","features":[401,355]},{"name":"WKPDID_D3DAutoDebugObjectNameW","features":[355]}],"404":[{"name":"D3D9_RESOURCE_PRIORITY_HIGH","features":[317]},{"name":"D3D9_RESOURCE_PRIORITY_LOW","features":[317]},{"name":"D3D9_RESOURCE_PRIORITY_MAXIMUM","features":[317]},{"name":"D3D9_RESOURCE_PRIORITY_MINIMUM","features":[317]},{"name":"D3D9_RESOURCE_PRIORITY_NORMAL","features":[317]},{"name":"D3D9b_SDK_VERSION","features":[317]},{"name":"D3DADAPTER_DEFAULT","features":[317]},{"name":"D3DADAPTER_IDENTIFIER9","features":[317]},{"name":"D3DADAPTER_IDENTIFIER9","features":[317]},{"name":"D3DAES_CTR_IV","features":[317]},{"name":"D3DAES_CTR_IV","features":[317]},{"name":"D3DANTIALIASMODE","features":[317]},{"name":"D3DANTIALIAS_NONE","features":[317]},{"name":"D3DANTIALIAS_SORTDEPENDENT","features":[317]},{"name":"D3DANTIALIAS_SORTINDEPENDENT","features":[317]},{"name":"D3DAUTHENTICATEDCHANNELTYPE","features":[317]},{"name":"D3DAUTHENTICATEDCHANNEL_CONFIGURECRYPTOSESSION","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_CONFIGUREINITIALIZE","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_CONFIGUREPROTECTION","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_CONFIGURESHAREDRESOURCE","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_CONFIGUREUNCOMPRESSEDENCRYPTION","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_CONFIGURE_INPUT","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_CONFIGURE_OUTPUT","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_D3D9","features":[317]},{"name":"D3DAUTHENTICATEDCHANNEL_DRIVER_HARDWARE","features":[317]},{"name":"D3DAUTHENTICATEDCHANNEL_DRIVER_SOFTWARE","features":[317]},{"name":"D3DAUTHENTICATEDCHANNEL_PROCESSIDENTIFIERTYPE","features":[317]},{"name":"D3DAUTHENTICATEDCHANNEL_PROTECTION_FLAGS","features":[317]},{"name":"D3DAUTHENTICATEDCHANNEL_QUERYCHANNELTYPE_OUTPUT","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_QUERYCRYPTOSESSION_INPUT","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_QUERYCRYPTOSESSION_OUTPUT","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_QUERYDEVICEHANDLE_OUTPUT","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_QUERYEVICTIONENCRYPTIONGUIDCOUNT_OUTPUT","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_QUERYEVICTIONENCRYPTIONGUID_INPUT","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_QUERYEVICTIONENCRYPTIONGUID_OUTPUT","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_QUERYINFOBUSTYPE_OUTPUT","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_QUERYOUTPUTIDCOUNT_INPUT","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_QUERYOUTPUTIDCOUNT_OUTPUT","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_QUERYOUTPUTID_INPUT","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_QUERYOUTPUTID_OUTPUT","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_QUERYOUTPUTID_OUTPUT","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_QUERYPROTECTION_OUTPUT","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_QUERYRESTRICTEDSHAREDRESOURCEPROCESSCOUNT_OUTPUT","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_QUERYRESTRICTEDSHAREDRESOURCEPROCESS_INPUT","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_QUERYRESTRICTEDSHAREDRESOURCEPROCESS_OUTPUT","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_QUERYUNCOMPRESSEDENCRYPTIONLEVEL_OUTPUT","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_QUERYUNRESTRICTEDPROTECTEDSHAREDRESOURCECOUNT_OUTPUT","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_QUERY_INPUT","features":[308,317]},{"name":"D3DAUTHENTICATEDCHANNEL_QUERY_OUTPUT","features":[308,317]},{"name":"D3DAUTHENTICATEDCONFIGURE_CRYPTOSESSION","features":[317]},{"name":"D3DAUTHENTICATEDCONFIGURE_ENCRYPTIONWHENACCESSIBLE","features":[317]},{"name":"D3DAUTHENTICATEDCONFIGURE_INITIALIZE","features":[317]},{"name":"D3DAUTHENTICATEDCONFIGURE_PROTECTION","features":[317]},{"name":"D3DAUTHENTICATEDCONFIGURE_SHAREDRESOURCE","features":[317]},{"name":"D3DAUTHENTICATEDQUERY_ACCESSIBILITYATTRIBUTES","features":[317]},{"name":"D3DAUTHENTICATEDQUERY_CHANNELTYPE","features":[317]},{"name":"D3DAUTHENTICATEDQUERY_CRYPTOSESSION","features":[317]},{"name":"D3DAUTHENTICATEDQUERY_CURRENTENCRYPTIONWHENACCESSIBLE","features":[317]},{"name":"D3DAUTHENTICATEDQUERY_DEVICEHANDLE","features":[317]},{"name":"D3DAUTHENTICATEDQUERY_ENCRYPTIONWHENACCESSIBLEGUID","features":[317]},{"name":"D3DAUTHENTICATEDQUERY_ENCRYPTIONWHENACCESSIBLEGUIDCOUNT","features":[317]},{"name":"D3DAUTHENTICATEDQUERY_OUTPUTID","features":[317]},{"name":"D3DAUTHENTICATEDQUERY_OUTPUTIDCOUNT","features":[317]},{"name":"D3DAUTHENTICATEDQUERY_PROTECTION","features":[317]},{"name":"D3DAUTHENTICATEDQUERY_RESTRICTEDSHAREDRESOURCEPROCESS","features":[317]},{"name":"D3DAUTHENTICATEDQUERY_RESTRICTEDSHAREDRESOURCEPROCESSCOUNT","features":[317]},{"name":"D3DAUTHENTICATEDQUERY_UNRESTRICTEDPROTECTEDSHAREDRESOURCECOUNT","features":[317]},{"name":"D3DBACKBUFFER_TYPE","features":[317]},{"name":"D3DBACKBUFFER_TYPE_LEFT","features":[317]},{"name":"D3DBACKBUFFER_TYPE_MONO","features":[317]},{"name":"D3DBACKBUFFER_TYPE_RIGHT","features":[317]},{"name":"D3DBASISTYPE","features":[317]},{"name":"D3DBASIS_BEZIER","features":[317]},{"name":"D3DBASIS_BSPLINE","features":[317]},{"name":"D3DBASIS_CATMULL_ROM","features":[317]},{"name":"D3DBLEND","features":[317]},{"name":"D3DBLENDOP","features":[317]},{"name":"D3DBLENDOP_ADD","features":[317]},{"name":"D3DBLENDOP_MAX","features":[317]},{"name":"D3DBLENDOP_MIN","features":[317]},{"name":"D3DBLENDOP_REVSUBTRACT","features":[317]},{"name":"D3DBLENDOP_SUBTRACT","features":[317]},{"name":"D3DBLEND_BLENDFACTOR","features":[317]},{"name":"D3DBLEND_BOTHINVSRCALPHA","features":[317]},{"name":"D3DBLEND_BOTHSRCALPHA","features":[317]},{"name":"D3DBLEND_DESTALPHA","features":[317]},{"name":"D3DBLEND_DESTCOLOR","features":[317]},{"name":"D3DBLEND_INVBLENDFACTOR","features":[317]},{"name":"D3DBLEND_INVDESTALPHA","features":[317]},{"name":"D3DBLEND_INVDESTCOLOR","features":[317]},{"name":"D3DBLEND_INVSRCALPHA","features":[317]},{"name":"D3DBLEND_INVSRCCOLOR","features":[317]},{"name":"D3DBLEND_INVSRCCOLOR2","features":[317]},{"name":"D3DBLEND_ONE","features":[317]},{"name":"D3DBLEND_SRCALPHA","features":[317]},{"name":"D3DBLEND_SRCALPHASAT","features":[317]},{"name":"D3DBLEND_SRCCOLOR","features":[317]},{"name":"D3DBLEND_SRCCOLOR2","features":[317]},{"name":"D3DBLEND_ZERO","features":[317]},{"name":"D3DBOX","features":[317]},{"name":"D3DBRANCH","features":[308,317]},{"name":"D3DBUSIMPL_MODIFIER_DAUGHTER_BOARD_CONNECTOR","features":[317]},{"name":"D3DBUSIMPL_MODIFIER_DAUGHTER_BOARD_CONNECTOR_INSIDE_OF_NUAE","features":[317]},{"name":"D3DBUSIMPL_MODIFIER_INSIDE_OF_CHIPSET","features":[317]},{"name":"D3DBUSIMPL_MODIFIER_NON_STANDARD","features":[317]},{"name":"D3DBUSIMPL_MODIFIER_TRACKS_ON_MOTHER_BOARD_TO_CHIP","features":[317]},{"name":"D3DBUSIMPL_MODIFIER_TRACKS_ON_MOTHER_BOARD_TO_SOCKET","features":[317]},{"name":"D3DBUSTYPE","features":[317]},{"name":"D3DBUSTYPE_AGP","features":[317]},{"name":"D3DBUSTYPE_OTHER","features":[317]},{"name":"D3DBUSTYPE_PCI","features":[317]},{"name":"D3DBUSTYPE_PCIEXPRESS","features":[317]},{"name":"D3DBUSTYPE_PCIX","features":[317]},{"name":"D3DCAPS2_CANAUTOGENMIPMAP","features":[317]},{"name":"D3DCAPS2_CANCALIBRATEGAMMA","features":[317]},{"name":"D3DCAPS2_CANMANAGERESOURCE","features":[317]},{"name":"D3DCAPS2_CANSHARERESOURCE","features":[317]},{"name":"D3DCAPS2_DYNAMICTEXTURES","features":[317]},{"name":"D3DCAPS2_FULLSCREENGAMMA","features":[317]},{"name":"D3DCAPS2_RESERVED","features":[317]},{"name":"D3DCAPS3_ALPHA_FULLSCREEN_FLIP_OR_DISCARD","features":[317]},{"name":"D3DCAPS3_COPY_TO_SYSTEMMEM","features":[317]},{"name":"D3DCAPS3_COPY_TO_VIDMEM","features":[317]},{"name":"D3DCAPS3_DXVAHD","features":[317]},{"name":"D3DCAPS3_DXVAHD_LIMITED","features":[317]},{"name":"D3DCAPS3_LINEAR_TO_SRGB_PRESENTATION","features":[317]},{"name":"D3DCAPS3_RESERVED","features":[317]},{"name":"D3DCAPS9","features":[317]},{"name":"D3DCAPS_OVERLAY","features":[317]},{"name":"D3DCAPS_READ_SCANLINE","features":[317]},{"name":"D3DCLEAR_STENCIL","features":[317]},{"name":"D3DCLEAR_TARGET","features":[317]},{"name":"D3DCLEAR_ZBUFFER","features":[317]},{"name":"D3DCLIPPLANE0","features":[317]},{"name":"D3DCLIPPLANE1","features":[317]},{"name":"D3DCLIPPLANE2","features":[317]},{"name":"D3DCLIPPLANE3","features":[317]},{"name":"D3DCLIPPLANE4","features":[317]},{"name":"D3DCLIPPLANE5","features":[317]},{"name":"D3DCLIPSTATUS","features":[317]},{"name":"D3DCLIPSTATUS9","features":[317]},{"name":"D3DCLIPSTATUS_EXTENTS2","features":[317]},{"name":"D3DCLIPSTATUS_EXTENTS3","features":[317]},{"name":"D3DCLIPSTATUS_STATUS","features":[317]},{"name":"D3DCLIP_BACK","features":[317]},{"name":"D3DCLIP_BOTTOM","features":[317]},{"name":"D3DCLIP_FRONT","features":[317]},{"name":"D3DCLIP_GEN0","features":[317]},{"name":"D3DCLIP_GEN1","features":[317]},{"name":"D3DCLIP_GEN2","features":[317]},{"name":"D3DCLIP_GEN3","features":[317]},{"name":"D3DCLIP_GEN4","features":[317]},{"name":"D3DCLIP_GEN5","features":[317]},{"name":"D3DCLIP_LEFT","features":[317]},{"name":"D3DCLIP_RIGHT","features":[317]},{"name":"D3DCLIP_TOP","features":[317]},{"name":"D3DCMPFUNC","features":[317]},{"name":"D3DCMP_ALWAYS","features":[317]},{"name":"D3DCMP_EQUAL","features":[317]},{"name":"D3DCMP_GREATER","features":[317]},{"name":"D3DCMP_GREATEREQUAL","features":[317]},{"name":"D3DCMP_LESS","features":[317]},{"name":"D3DCMP_LESSEQUAL","features":[317]},{"name":"D3DCMP_NEVER","features":[317]},{"name":"D3DCMP_NOTEQUAL","features":[317]},{"name":"D3DCOLORVALUE","features":[317]},{"name":"D3DCOLOR_MONO","features":[317]},{"name":"D3DCOLOR_RGB","features":[317]},{"name":"D3DCOMPOSERECTDESC","features":[317]},{"name":"D3DCOMPOSERECTDESTINATION","features":[317]},{"name":"D3DCOMPOSERECTSOP","features":[317]},{"name":"D3DCOMPOSERECTS_AND","features":[317]},{"name":"D3DCOMPOSERECTS_COPY","features":[317]},{"name":"D3DCOMPOSERECTS_MAXNUMRECTS","features":[317]},{"name":"D3DCOMPOSERECTS_NEG","features":[317]},{"name":"D3DCOMPOSERECTS_OR","features":[317]},{"name":"D3DCONVOLUTIONMONO_MAXHEIGHT","features":[317]},{"name":"D3DCONVOLUTIONMONO_MAXWIDTH","features":[317]},{"name":"D3DCPCAPS_CONTENTKEY","features":[317]},{"name":"D3DCPCAPS_ENCRYPTEDREADBACK","features":[317]},{"name":"D3DCPCAPS_ENCRYPTEDREADBACKKEY","features":[317]},{"name":"D3DCPCAPS_ENCRYPTSLICEDATAONLY","features":[317]},{"name":"D3DCPCAPS_FRESHENSESSIONKEY","features":[317]},{"name":"D3DCPCAPS_HARDWARE","features":[317]},{"name":"D3DCPCAPS_PARTIALDECRYPTION","features":[317]},{"name":"D3DCPCAPS_PROTECTIONALWAYSON","features":[317]},{"name":"D3DCPCAPS_SEQUENTIAL_CTR_IV","features":[317]},{"name":"D3DCPCAPS_SOFTWARE","features":[317]},{"name":"D3DCREATE_ADAPTERGROUP_DEVICE","features":[317]},{"name":"D3DCREATE_DISABLE_DRIVER_MANAGEMENT","features":[317]},{"name":"D3DCREATE_DISABLE_DRIVER_MANAGEMENT_EX","features":[317]},{"name":"D3DCREATE_DISABLE_PRINTSCREEN","features":[317]},{"name":"D3DCREATE_DISABLE_PSGP_THREADING","features":[317]},{"name":"D3DCREATE_ENABLE_PRESENTSTATS","features":[317]},{"name":"D3DCREATE_FPU_PRESERVE","features":[317]},{"name":"D3DCREATE_HARDWARE_VERTEXPROCESSING","features":[317]},{"name":"D3DCREATE_MIXED_VERTEXPROCESSING","features":[317]},{"name":"D3DCREATE_MULTITHREADED","features":[317]},{"name":"D3DCREATE_NOWINDOWCHANGES","features":[317]},{"name":"D3DCREATE_PUREDEVICE","features":[317]},{"name":"D3DCREATE_SCREENSAVER","features":[317]},{"name":"D3DCREATE_SOFTWARE_VERTEXPROCESSING","features":[317]},{"name":"D3DCRYPTOTYPE_AES128_CTR","features":[317]},{"name":"D3DCRYPTOTYPE_PROPRIETARY","features":[317]},{"name":"D3DCS_BACK","features":[317]},{"name":"D3DCS_BOTTOM","features":[317]},{"name":"D3DCS_FRONT","features":[317]},{"name":"D3DCS_LEFT","features":[317]},{"name":"D3DCS_PLANE0","features":[317]},{"name":"D3DCS_PLANE1","features":[317]},{"name":"D3DCS_PLANE2","features":[317]},{"name":"D3DCS_PLANE3","features":[317]},{"name":"D3DCS_PLANE4","features":[317]},{"name":"D3DCS_PLANE5","features":[317]},{"name":"D3DCS_RIGHT","features":[317]},{"name":"D3DCS_TOP","features":[317]},{"name":"D3DCUBEMAP_FACES","features":[317]},{"name":"D3DCUBEMAP_FACE_NEGATIVE_X","features":[317]},{"name":"D3DCUBEMAP_FACE_NEGATIVE_Y","features":[317]},{"name":"D3DCUBEMAP_FACE_NEGATIVE_Z","features":[317]},{"name":"D3DCUBEMAP_FACE_POSITIVE_X","features":[317]},{"name":"D3DCUBEMAP_FACE_POSITIVE_Y","features":[317]},{"name":"D3DCUBEMAP_FACE_POSITIVE_Z","features":[317]},{"name":"D3DCULL","features":[317]},{"name":"D3DCULL_CCW","features":[317]},{"name":"D3DCULL_CW","features":[317]},{"name":"D3DCULL_NONE","features":[317]},{"name":"D3DCURSORCAPS_COLOR","features":[317]},{"name":"D3DCURSORCAPS_LOWRES","features":[317]},{"name":"D3DCURSOR_IMMEDIATE_UPDATE","features":[317]},{"name":"D3DDD_BCLIPPING","features":[317]},{"name":"D3DDD_COLORMODEL","features":[317]},{"name":"D3DDD_DEVCAPS","features":[317]},{"name":"D3DDD_DEVICERENDERBITDEPTH","features":[317]},{"name":"D3DDD_DEVICEZBUFFERBITDEPTH","features":[317]},{"name":"D3DDD_LIGHTINGCAPS","features":[317]},{"name":"D3DDD_LINECAPS","features":[317]},{"name":"D3DDD_MAXBUFFERSIZE","features":[317]},{"name":"D3DDD_MAXVERTEXCOUNT","features":[317]},{"name":"D3DDD_TRANSFORMCAPS","features":[317]},{"name":"D3DDD_TRICAPS","features":[317]},{"name":"D3DDEBCAPS_SYSTEMMEMORY","features":[317]},{"name":"D3DDEBCAPS_VIDEOMEMORY","features":[317]},{"name":"D3DDEBUGMONITORTOKENS","features":[317]},{"name":"D3DDEB_BUFSIZE","features":[317]},{"name":"D3DDEB_CAPS","features":[317]},{"name":"D3DDEB_LPDATA","features":[317]},{"name":"D3DDECLMETHOD","features":[317]},{"name":"D3DDECLMETHOD_CROSSUV","features":[317]},{"name":"D3DDECLMETHOD_DEFAULT","features":[317]},{"name":"D3DDECLMETHOD_LOOKUP","features":[317]},{"name":"D3DDECLMETHOD_LOOKUPPRESAMPLED","features":[317]},{"name":"D3DDECLMETHOD_PARTIALU","features":[317]},{"name":"D3DDECLMETHOD_PARTIALV","features":[317]},{"name":"D3DDECLMETHOD_UV","features":[317]},{"name":"D3DDECLTYPE","features":[317]},{"name":"D3DDECLTYPE_D3DCOLOR","features":[317]},{"name":"D3DDECLTYPE_DEC3N","features":[317]},{"name":"D3DDECLTYPE_FLOAT1","features":[317]},{"name":"D3DDECLTYPE_FLOAT16_2","features":[317]},{"name":"D3DDECLTYPE_FLOAT16_4","features":[317]},{"name":"D3DDECLTYPE_FLOAT2","features":[317]},{"name":"D3DDECLTYPE_FLOAT3","features":[317]},{"name":"D3DDECLTYPE_FLOAT4","features":[317]},{"name":"D3DDECLTYPE_SHORT2","features":[317]},{"name":"D3DDECLTYPE_SHORT2N","features":[317]},{"name":"D3DDECLTYPE_SHORT4","features":[317]},{"name":"D3DDECLTYPE_SHORT4N","features":[317]},{"name":"D3DDECLTYPE_UBYTE4","features":[317]},{"name":"D3DDECLTYPE_UBYTE4N","features":[317]},{"name":"D3DDECLTYPE_UDEC3","features":[317]},{"name":"D3DDECLTYPE_UNUSED","features":[317]},{"name":"D3DDECLTYPE_USHORT2N","features":[317]},{"name":"D3DDECLTYPE_USHORT4N","features":[317]},{"name":"D3DDECLUSAGE","features":[317]},{"name":"D3DDECLUSAGE_BINORMAL","features":[317]},{"name":"D3DDECLUSAGE_BLENDINDICES","features":[317]},{"name":"D3DDECLUSAGE_BLENDWEIGHT","features":[317]},{"name":"D3DDECLUSAGE_COLOR","features":[317]},{"name":"D3DDECLUSAGE_DEPTH","features":[317]},{"name":"D3DDECLUSAGE_FOG","features":[317]},{"name":"D3DDECLUSAGE_NORMAL","features":[317]},{"name":"D3DDECLUSAGE_POSITION","features":[317]},{"name":"D3DDECLUSAGE_POSITIONT","features":[317]},{"name":"D3DDECLUSAGE_PSIZE","features":[317]},{"name":"D3DDECLUSAGE_SAMPLE","features":[317]},{"name":"D3DDECLUSAGE_TANGENT","features":[317]},{"name":"D3DDECLUSAGE_TESSFACTOR","features":[317]},{"name":"D3DDECLUSAGE_TEXCOORD","features":[317]},{"name":"D3DDEGREETYPE","features":[317]},{"name":"D3DDEGREE_CUBIC","features":[317]},{"name":"D3DDEGREE_LINEAR","features":[317]},{"name":"D3DDEGREE_QUADRATIC","features":[317]},{"name":"D3DDEGREE_QUINTIC","features":[317]},{"name":"D3DDEVCAPS2_ADAPTIVETESSNPATCH","features":[317]},{"name":"D3DDEVCAPS2_ADAPTIVETESSRTPATCH","features":[317]},{"name":"D3DDEVCAPS2_CAN_STRETCHRECT_FROM_TEXTURES","features":[317]},{"name":"D3DDEVCAPS2_DMAPNPATCH","features":[317]},{"name":"D3DDEVCAPS2_PRESAMPLEDDMAPNPATCH","features":[317]},{"name":"D3DDEVCAPS2_STREAMOFFSET","features":[317]},{"name":"D3DDEVCAPS2_VERTEXELEMENTSCANSHARESTREAMOFFSET","features":[317]},{"name":"D3DDEVCAPS_CANBLTSYSTONONLOCAL","features":[317]},{"name":"D3DDEVCAPS_CANRENDERAFTERFLIP","features":[317]},{"name":"D3DDEVCAPS_DRAWPRIMITIVES2","features":[317]},{"name":"D3DDEVCAPS_DRAWPRIMITIVES2EX","features":[317]},{"name":"D3DDEVCAPS_DRAWPRIMTLVERTEX","features":[317]},{"name":"D3DDEVCAPS_EXECUTESYSTEMMEMORY","features":[317]},{"name":"D3DDEVCAPS_EXECUTEVIDEOMEMORY","features":[317]},{"name":"D3DDEVCAPS_FLOATTLVERTEX","features":[317]},{"name":"D3DDEVCAPS_HWRASTERIZATION","features":[317]},{"name":"D3DDEVCAPS_HWTRANSFORMANDLIGHT","features":[317]},{"name":"D3DDEVCAPS_NPATCHES","features":[317]},{"name":"D3DDEVCAPS_PUREDEVICE","features":[317]},{"name":"D3DDEVCAPS_QUINTICRTPATCHES","features":[317]},{"name":"D3DDEVCAPS_RTPATCHES","features":[317]},{"name":"D3DDEVCAPS_RTPATCHHANDLEZERO","features":[317]},{"name":"D3DDEVCAPS_SEPARATETEXTUREMEMORIES","features":[317]},{"name":"D3DDEVCAPS_SORTDECREASINGZ","features":[317]},{"name":"D3DDEVCAPS_SORTEXACT","features":[317]},{"name":"D3DDEVCAPS_SORTINCREASINGZ","features":[317]},{"name":"D3DDEVCAPS_TEXTURENONLOCALVIDMEM","features":[317]},{"name":"D3DDEVCAPS_TEXTURESYSTEMMEMORY","features":[317]},{"name":"D3DDEVCAPS_TEXTUREVIDEOMEMORY","features":[317]},{"name":"D3DDEVCAPS_TLVERTEXSYSTEMMEMORY","features":[317]},{"name":"D3DDEVCAPS_TLVERTEXVIDEOMEMORY","features":[317]},{"name":"D3DDEVICEDESC","features":[308,317]},{"name":"D3DDEVICEDESC7","features":[317]},{"name":"D3DDEVICE_CREATION_PARAMETERS","features":[308,317]},{"name":"D3DDEVINFOID_D3DTEXTUREMANAGER","features":[317]},{"name":"D3DDEVINFOID_TEXTUREMANAGER","features":[317]},{"name":"D3DDEVINFOID_TEXTURING","features":[317]},{"name":"D3DDEVINFO_D3D9BANDWIDTHTIMINGS","features":[317]},{"name":"D3DDEVINFO_D3D9CACHEUTILIZATION","features":[317]},{"name":"D3DDEVINFO_D3D9INTERFACETIMINGS","features":[317]},{"name":"D3DDEVINFO_D3D9PIPELINETIMINGS","features":[317]},{"name":"D3DDEVINFO_D3D9STAGETIMINGS","features":[317]},{"name":"D3DDEVINFO_D3DVERTEXSTATS","features":[317]},{"name":"D3DDEVINFO_RESOURCEMANAGER","features":[308,317]},{"name":"D3DDEVINFO_VCACHE","features":[317]},{"name":"D3DDEVTYPE","features":[317]},{"name":"D3DDEVTYPE_HAL","features":[317]},{"name":"D3DDEVTYPE_NULLREF","features":[317]},{"name":"D3DDEVTYPE_REF","features":[317]},{"name":"D3DDEVTYPE_SW","features":[317]},{"name":"D3DDISPLAYMODE","features":[317]},{"name":"D3DDISPLAYMODEEX","features":[317]},{"name":"D3DDISPLAYMODEFILTER","features":[317]},{"name":"D3DDISPLAYROTATION","features":[317]},{"name":"D3DDISPLAYROTATION_180","features":[317]},{"name":"D3DDISPLAYROTATION_270","features":[317]},{"name":"D3DDISPLAYROTATION_90","features":[317]},{"name":"D3DDISPLAYROTATION_IDENTITY","features":[317]},{"name":"D3DDMAPSAMPLER","features":[317]},{"name":"D3DDMT_DISABLE","features":[317]},{"name":"D3DDMT_ENABLE","features":[317]},{"name":"D3DDP_MAXTEXCOORD","features":[317]},{"name":"D3DDP_PTRSTRIDE","features":[317]},{"name":"D3DDRAWPRIMITIVESTRIDEDDATA","features":[317]},{"name":"D3DDTCAPS_DEC3N","features":[317]},{"name":"D3DDTCAPS_FLOAT16_2","features":[317]},{"name":"D3DDTCAPS_FLOAT16_4","features":[317]},{"name":"D3DDTCAPS_SHORT2N","features":[317]},{"name":"D3DDTCAPS_SHORT4N","features":[317]},{"name":"D3DDTCAPS_UBYTE4","features":[317]},{"name":"D3DDTCAPS_UBYTE4N","features":[317]},{"name":"D3DDTCAPS_UDEC3","features":[317]},{"name":"D3DDTCAPS_USHORT2N","features":[317]},{"name":"D3DDTCAPS_USHORT4N","features":[317]},{"name":"D3DENCRYPTED_BLOCK_INFO","features":[317]},{"name":"D3DENUM_NO_DRIVERVERSION","features":[317]},{"name":"D3DENUM_WHQL_LEVEL","features":[317]},{"name":"D3DEXECUTEBUFFERDESC","features":[317]},{"name":"D3DEXECUTEDATA","features":[317]},{"name":"D3DEXECUTE_CLIPPED","features":[317]},{"name":"D3DEXECUTE_UNCLIPPED","features":[317]},{"name":"D3DFDS_ALPHACMPCAPS","features":[317]},{"name":"D3DFDS_COLORMODEL","features":[317]},{"name":"D3DFDS_DSTBLENDCAPS","features":[317]},{"name":"D3DFDS_GUID","features":[317]},{"name":"D3DFDS_HARDWARE","features":[317]},{"name":"D3DFDS_LINES","features":[317]},{"name":"D3DFDS_MISCCAPS","features":[317]},{"name":"D3DFDS_RASTERCAPS","features":[317]},{"name":"D3DFDS_SHADECAPS","features":[317]},{"name":"D3DFDS_SRCBLENDCAPS","features":[317]},{"name":"D3DFDS_TEXTUREADDRESSCAPS","features":[317]},{"name":"D3DFDS_TEXTUREBLENDCAPS","features":[317]},{"name":"D3DFDS_TEXTURECAPS","features":[317]},{"name":"D3DFDS_TEXTUREFILTERCAPS","features":[317]},{"name":"D3DFDS_TRIANGLES","features":[317]},{"name":"D3DFDS_ZCMPCAPS","features":[317]},{"name":"D3DFILLMODE","features":[317]},{"name":"D3DFILL_POINT","features":[317]},{"name":"D3DFILL_SOLID","features":[317]},{"name":"D3DFILL_WIREFRAME","features":[317]},{"name":"D3DFILTER_LINEAR","features":[317]},{"name":"D3DFILTER_LINEARMIPLINEAR","features":[317]},{"name":"D3DFILTER_LINEARMIPNEAREST","features":[317]},{"name":"D3DFILTER_MIPLINEAR","features":[317]},{"name":"D3DFILTER_MIPNEAREST","features":[317]},{"name":"D3DFILTER_NEAREST","features":[317]},{"name":"D3DFINDDEVICERESULT","features":[308,317]},{"name":"D3DFINDDEVICESEARCH","features":[308,317]},{"name":"D3DFMT_A1","features":[317]},{"name":"D3DFMT_A16B16G16R16","features":[317]},{"name":"D3DFMT_A16B16G16R16F","features":[317]},{"name":"D3DFMT_A1R5G5B5","features":[317]},{"name":"D3DFMT_A1_SURFACE_MAXHEIGHT","features":[317]},{"name":"D3DFMT_A1_SURFACE_MAXWIDTH","features":[317]},{"name":"D3DFMT_A2B10G10R10","features":[317]},{"name":"D3DFMT_A2B10G10R10_XR_BIAS","features":[317]},{"name":"D3DFMT_A2R10G10B10","features":[317]},{"name":"D3DFMT_A2W10V10U10","features":[317]},{"name":"D3DFMT_A32B32G32R32F","features":[317]},{"name":"D3DFMT_A4L4","features":[317]},{"name":"D3DFMT_A4R4G4B4","features":[317]},{"name":"D3DFMT_A8","features":[317]},{"name":"D3DFMT_A8B8G8R8","features":[317]},{"name":"D3DFMT_A8L8","features":[317]},{"name":"D3DFMT_A8P8","features":[317]},{"name":"D3DFMT_A8R3G3B2","features":[317]},{"name":"D3DFMT_A8R8G8B8","features":[317]},{"name":"D3DFMT_BINARYBUFFER","features":[317]},{"name":"D3DFMT_CxV8U8","features":[317]},{"name":"D3DFMT_D15S1","features":[317]},{"name":"D3DFMT_D16","features":[317]},{"name":"D3DFMT_D16_LOCKABLE","features":[317]},{"name":"D3DFMT_D24FS8","features":[317]},{"name":"D3DFMT_D24S8","features":[317]},{"name":"D3DFMT_D24X4S4","features":[317]},{"name":"D3DFMT_D24X8","features":[317]},{"name":"D3DFMT_D32","features":[317]},{"name":"D3DFMT_D32F_LOCKABLE","features":[317]},{"name":"D3DFMT_D32_LOCKABLE","features":[317]},{"name":"D3DFMT_DXT1","features":[317]},{"name":"D3DFMT_DXT2","features":[317]},{"name":"D3DFMT_DXT3","features":[317]},{"name":"D3DFMT_DXT4","features":[317]},{"name":"D3DFMT_DXT5","features":[317]},{"name":"D3DFMT_G16R16","features":[317]},{"name":"D3DFMT_G16R16F","features":[317]},{"name":"D3DFMT_G32R32F","features":[317]},{"name":"D3DFMT_G8R8_G8B8","features":[317]},{"name":"D3DFMT_INDEX16","features":[317]},{"name":"D3DFMT_INDEX32","features":[317]},{"name":"D3DFMT_L16","features":[317]},{"name":"D3DFMT_L6V5U5","features":[317]},{"name":"D3DFMT_L8","features":[317]},{"name":"D3DFMT_MULTI2_ARGB8","features":[317]},{"name":"D3DFMT_P8","features":[317]},{"name":"D3DFMT_Q16W16V16U16","features":[317]},{"name":"D3DFMT_Q8W8V8U8","features":[317]},{"name":"D3DFMT_R16F","features":[317]},{"name":"D3DFMT_R32F","features":[317]},{"name":"D3DFMT_R3G3B2","features":[317]},{"name":"D3DFMT_R5G6B5","features":[317]},{"name":"D3DFMT_R8G8B8","features":[317]},{"name":"D3DFMT_R8G8_B8G8","features":[317]},{"name":"D3DFMT_S8_LOCKABLE","features":[317]},{"name":"D3DFMT_UNKNOWN","features":[317]},{"name":"D3DFMT_UYVY","features":[317]},{"name":"D3DFMT_V16U16","features":[317]},{"name":"D3DFMT_V8U8","features":[317]},{"name":"D3DFMT_VERTEXDATA","features":[317]},{"name":"D3DFMT_X1R5G5B5","features":[317]},{"name":"D3DFMT_X4R4G4B4","features":[317]},{"name":"D3DFMT_X8B8G8R8","features":[317]},{"name":"D3DFMT_X8L8V8U8","features":[317]},{"name":"D3DFMT_X8R8G8B8","features":[317]},{"name":"D3DFMT_YUY2","features":[317]},{"name":"D3DFOGMODE","features":[317]},{"name":"D3DFOG_EXP","features":[317]},{"name":"D3DFOG_EXP2","features":[317]},{"name":"D3DFOG_LINEAR","features":[317]},{"name":"D3DFOG_NONE","features":[317]},{"name":"D3DFORMAT","features":[317]},{"name":"D3DFVFCAPS_DONOTSTRIPELEMENTS","features":[317]},{"name":"D3DFVFCAPS_PSIZE","features":[317]},{"name":"D3DFVFCAPS_TEXCOORDCOUNTMASK","features":[317]},{"name":"D3DFVF_DIFFUSE","features":[317]},{"name":"D3DFVF_LASTBETA_D3DCOLOR","features":[317]},{"name":"D3DFVF_LASTBETA_UBYTE4","features":[317]},{"name":"D3DFVF_NORMAL","features":[317]},{"name":"D3DFVF_POSITION_MASK","features":[317]},{"name":"D3DFVF_PSIZE","features":[317]},{"name":"D3DFVF_RESERVED0","features":[317]},{"name":"D3DFVF_RESERVED1","features":[317]},{"name":"D3DFVF_RESERVED2","features":[317]},{"name":"D3DFVF_SPECULAR","features":[317]},{"name":"D3DFVF_TEX0","features":[317]},{"name":"D3DFVF_TEX1","features":[317]},{"name":"D3DFVF_TEX2","features":[317]},{"name":"D3DFVF_TEX3","features":[317]},{"name":"D3DFVF_TEX4","features":[317]},{"name":"D3DFVF_TEX5","features":[317]},{"name":"D3DFVF_TEX6","features":[317]},{"name":"D3DFVF_TEX7","features":[317]},{"name":"D3DFVF_TEX8","features":[317]},{"name":"D3DFVF_TEXCOUNT_MASK","features":[317]},{"name":"D3DFVF_TEXCOUNT_SHIFT","features":[317]},{"name":"D3DFVF_TEXTUREFORMAT1","features":[317]},{"name":"D3DFVF_TEXTUREFORMAT2","features":[317]},{"name":"D3DFVF_TEXTUREFORMAT3","features":[317]},{"name":"D3DFVF_TEXTUREFORMAT4","features":[317]},{"name":"D3DFVF_XYZ","features":[317]},{"name":"D3DFVF_XYZB1","features":[317]},{"name":"D3DFVF_XYZB2","features":[317]},{"name":"D3DFVF_XYZB3","features":[317]},{"name":"D3DFVF_XYZB4","features":[317]},{"name":"D3DFVF_XYZB5","features":[317]},{"name":"D3DFVF_XYZRHW","features":[317]},{"name":"D3DFVF_XYZW","features":[317]},{"name":"D3DGAMMARAMP","features":[317]},{"name":"D3DGETDATA_FLUSH","features":[317]},{"name":"D3DHVERTEX","features":[317]},{"name":"D3DINDEXBUFFER_DESC","features":[317]},{"name":"D3DINSTRUCTION","features":[317]},{"name":"D3DISSUE_BEGIN","features":[317]},{"name":"D3DISSUE_END","features":[317]},{"name":"D3DKEYEXCHANGE_DXVA","features":[317]},{"name":"D3DKEYEXCHANGE_RSAES_OAEP","features":[317]},{"name":"D3DLIGHT","features":[401,317]},{"name":"D3DLIGHT2","features":[401,317]},{"name":"D3DLIGHT7","features":[401,317]},{"name":"D3DLIGHT9","features":[401,317]},{"name":"D3DLIGHTCAPS_DIRECTIONAL","features":[317]},{"name":"D3DLIGHTCAPS_GLSPOT","features":[317]},{"name":"D3DLIGHTCAPS_PARALLELPOINT","features":[317]},{"name":"D3DLIGHTCAPS_POINT","features":[317]},{"name":"D3DLIGHTCAPS_SPOT","features":[317]},{"name":"D3DLIGHTDATA","features":[401,317]},{"name":"D3DLIGHTINGCAPS","features":[317]},{"name":"D3DLIGHTINGELEMENT","features":[401,317]},{"name":"D3DLIGHTINGMODEL_MONO","features":[317]},{"name":"D3DLIGHTINGMODEL_RGB","features":[317]},{"name":"D3DLIGHTSTATETYPE","features":[317]},{"name":"D3DLIGHTSTATE_AMBIENT","features":[317]},{"name":"D3DLIGHTSTATE_COLORMODEL","features":[317]},{"name":"D3DLIGHTSTATE_COLORVERTEX","features":[317]},{"name":"D3DLIGHTSTATE_FOGDENSITY","features":[317]},{"name":"D3DLIGHTSTATE_FOGEND","features":[317]},{"name":"D3DLIGHTSTATE_FOGMODE","features":[317]},{"name":"D3DLIGHTSTATE_FOGSTART","features":[317]},{"name":"D3DLIGHTSTATE_MATERIAL","features":[317]},{"name":"D3DLIGHTTYPE","features":[317]},{"name":"D3DLIGHT_ACTIVE","features":[317]},{"name":"D3DLIGHT_DIRECTIONAL","features":[317]},{"name":"D3DLIGHT_NO_SPECULAR","features":[317]},{"name":"D3DLIGHT_POINT","features":[317]},{"name":"D3DLIGHT_SPOT","features":[317]},{"name":"D3DLINE","features":[317]},{"name":"D3DLINECAPS_ALPHACMP","features":[317]},{"name":"D3DLINECAPS_ANTIALIAS","features":[317]},{"name":"D3DLINECAPS_BLEND","features":[317]},{"name":"D3DLINECAPS_FOG","features":[317]},{"name":"D3DLINECAPS_TEXTURE","features":[317]},{"name":"D3DLINECAPS_ZTEST","features":[317]},{"name":"D3DLOCKED_BOX","features":[317]},{"name":"D3DLOCKED_RECT","features":[317]},{"name":"D3DLOCK_DISCARD","features":[317]},{"name":"D3DLOCK_DONOTWAIT","features":[317]},{"name":"D3DLOCK_NOOVERWRITE","features":[317]},{"name":"D3DLOCK_NOSYSLOCK","features":[317]},{"name":"D3DLOCK_NO_DIRTY_UPDATE","features":[317]},{"name":"D3DLOCK_READONLY","features":[317]},{"name":"D3DLVERTEX","features":[317]},{"name":"D3DMATERIAL","features":[317]},{"name":"D3DMATERIAL7","features":[317]},{"name":"D3DMATERIAL9","features":[317]},{"name":"D3DMATERIALCOLORSOURCE","features":[317]},{"name":"D3DMATRIXLOAD","features":[317]},{"name":"D3DMATRIXMULTIPLY","features":[317]},{"name":"D3DMAX30SHADERINSTRUCTIONS","features":[317]},{"name":"D3DMAXUSERCLIPPLANES","features":[317]},{"name":"D3DMCS_COLOR1","features":[317]},{"name":"D3DMCS_COLOR2","features":[317]},{"name":"D3DMCS_MATERIAL","features":[317]},{"name":"D3DMEMORYPRESSURE","features":[317]},{"name":"D3DMEMORYPRESSURE","features":[317]},{"name":"D3DMIN30SHADERINSTRUCTIONS","features":[317]},{"name":"D3DMP_16","features":[317]},{"name":"D3DMP_2_8","features":[317]},{"name":"D3DMP_DEFAULT","features":[317]},{"name":"D3DMULTISAMPLE_10_SAMPLES","features":[317]},{"name":"D3DMULTISAMPLE_11_SAMPLES","features":[317]},{"name":"D3DMULTISAMPLE_12_SAMPLES","features":[317]},{"name":"D3DMULTISAMPLE_13_SAMPLES","features":[317]},{"name":"D3DMULTISAMPLE_14_SAMPLES","features":[317]},{"name":"D3DMULTISAMPLE_15_SAMPLES","features":[317]},{"name":"D3DMULTISAMPLE_16_SAMPLES","features":[317]},{"name":"D3DMULTISAMPLE_2_SAMPLES","features":[317]},{"name":"D3DMULTISAMPLE_3_SAMPLES","features":[317]},{"name":"D3DMULTISAMPLE_4_SAMPLES","features":[317]},{"name":"D3DMULTISAMPLE_5_SAMPLES","features":[317]},{"name":"D3DMULTISAMPLE_6_SAMPLES","features":[317]},{"name":"D3DMULTISAMPLE_7_SAMPLES","features":[317]},{"name":"D3DMULTISAMPLE_8_SAMPLES","features":[317]},{"name":"D3DMULTISAMPLE_9_SAMPLES","features":[317]},{"name":"D3DMULTISAMPLE_NONE","features":[317]},{"name":"D3DMULTISAMPLE_NONMASKABLE","features":[317]},{"name":"D3DMULTISAMPLE_TYPE","features":[317]},{"name":"D3DOPCODE","features":[317]},{"name":"D3DOP_BRANCHFORWARD","features":[317]},{"name":"D3DOP_EXIT","features":[317]},{"name":"D3DOP_LINE","features":[317]},{"name":"D3DOP_MATRIXLOAD","features":[317]},{"name":"D3DOP_MATRIXMULTIPLY","features":[317]},{"name":"D3DOP_POINT","features":[317]},{"name":"D3DOP_PROCESSVERTICES","features":[317]},{"name":"D3DOP_SETSTATUS","features":[317]},{"name":"D3DOP_SPAN","features":[317]},{"name":"D3DOP_STATELIGHT","features":[317]},{"name":"D3DOP_STATERENDER","features":[317]},{"name":"D3DOP_STATETRANSFORM","features":[317]},{"name":"D3DOP_TEXTURELOAD","features":[317]},{"name":"D3DOP_TRIANGLE","features":[317]},{"name":"D3DOVERLAYCAPS_FULLRANGERGB","features":[317]},{"name":"D3DOVERLAYCAPS_LIMITEDRANGERGB","features":[317]},{"name":"D3DOVERLAYCAPS_STRETCHX","features":[317]},{"name":"D3DOVERLAYCAPS_STRETCHY","features":[317]},{"name":"D3DOVERLAYCAPS_YCbCr_BT601","features":[317]},{"name":"D3DOVERLAYCAPS_YCbCr_BT601_xvYCC","features":[317]},{"name":"D3DOVERLAYCAPS_YCbCr_BT709","features":[317]},{"name":"D3DOVERLAYCAPS_YCbCr_BT709_xvYCC","features":[317]},{"name":"D3DPAL_FREE","features":[317]},{"name":"D3DPAL_READONLY","features":[317]},{"name":"D3DPAL_RESERVED","features":[317]},{"name":"D3DPATCHEDGESTYLE","features":[317]},{"name":"D3DPATCHEDGE_CONTINUOUS","features":[317]},{"name":"D3DPATCHEDGE_DISCRETE","features":[317]},{"name":"D3DPBLENDCAPS_BLENDFACTOR","features":[317]},{"name":"D3DPBLENDCAPS_BOTHINVSRCALPHA","features":[317]},{"name":"D3DPBLENDCAPS_BOTHSRCALPHA","features":[317]},{"name":"D3DPBLENDCAPS_DESTALPHA","features":[317]},{"name":"D3DPBLENDCAPS_DESTCOLOR","features":[317]},{"name":"D3DPBLENDCAPS_INVDESTALPHA","features":[317]},{"name":"D3DPBLENDCAPS_INVDESTCOLOR","features":[317]},{"name":"D3DPBLENDCAPS_INVSRCALPHA","features":[317]},{"name":"D3DPBLENDCAPS_INVSRCCOLOR","features":[317]},{"name":"D3DPBLENDCAPS_INVSRCCOLOR2","features":[317]},{"name":"D3DPBLENDCAPS_ONE","features":[317]},{"name":"D3DPBLENDCAPS_SRCALPHA","features":[317]},{"name":"D3DPBLENDCAPS_SRCALPHASAT","features":[317]},{"name":"D3DPBLENDCAPS_SRCCOLOR","features":[317]},{"name":"D3DPBLENDCAPS_SRCCOLOR2","features":[317]},{"name":"D3DPBLENDCAPS_ZERO","features":[317]},{"name":"D3DPCMPCAPS_ALWAYS","features":[317]},{"name":"D3DPCMPCAPS_EQUAL","features":[317]},{"name":"D3DPCMPCAPS_GREATER","features":[317]},{"name":"D3DPCMPCAPS_GREATEREQUAL","features":[317]},{"name":"D3DPCMPCAPS_LESS","features":[317]},{"name":"D3DPCMPCAPS_LESSEQUAL","features":[317]},{"name":"D3DPCMPCAPS_NEVER","features":[317]},{"name":"D3DPCMPCAPS_NOTEQUAL","features":[317]},{"name":"D3DPERF_BeginEvent","features":[317]},{"name":"D3DPERF_EndEvent","features":[317]},{"name":"D3DPERF_GetStatus","features":[317]},{"name":"D3DPERF_QueryRepeatFrame","features":[308,317]},{"name":"D3DPERF_SetMarker","features":[317]},{"name":"D3DPERF_SetOptions","features":[317]},{"name":"D3DPERF_SetRegion","features":[317]},{"name":"D3DPICKRECORD","features":[317]},{"name":"D3DPMISCCAPS_BLENDOP","features":[317]},{"name":"D3DPMISCCAPS_CLIPPLANESCALEDPOINTS","features":[317]},{"name":"D3DPMISCCAPS_CLIPTLVERTS","features":[317]},{"name":"D3DPMISCCAPS_COLORWRITEENABLE","features":[317]},{"name":"D3DPMISCCAPS_CONFORMANT","features":[317]},{"name":"D3DPMISCCAPS_CULLCCW","features":[317]},{"name":"D3DPMISCCAPS_CULLCW","features":[317]},{"name":"D3DPMISCCAPS_CULLNONE","features":[317]},{"name":"D3DPMISCCAPS_FOGANDSPECULARALPHA","features":[317]},{"name":"D3DPMISCCAPS_FOGVERTEXCLAMPED","features":[317]},{"name":"D3DPMISCCAPS_INDEPENDENTWRITEMASKS","features":[317]},{"name":"D3DPMISCCAPS_LINEPATTERNREP","features":[317]},{"name":"D3DPMISCCAPS_MASKPLANES","features":[317]},{"name":"D3DPMISCCAPS_MASKZ","features":[317]},{"name":"D3DPMISCCAPS_MRTINDEPENDENTBITDEPTHS","features":[317]},{"name":"D3DPMISCCAPS_MRTPOSTPIXELSHADERBLENDING","features":[317]},{"name":"D3DPMISCCAPS_NULLREFERENCE","features":[317]},{"name":"D3DPMISCCAPS_PERSTAGECONSTANT","features":[317]},{"name":"D3DPMISCCAPS_POSTBLENDSRGBCONVERT","features":[317]},{"name":"D3DPMISCCAPS_SEPARATEALPHABLEND","features":[317]},{"name":"D3DPMISCCAPS_TSSARGTEMP","features":[317]},{"name":"D3DPOINT","features":[317]},{"name":"D3DPOOL","features":[317]},{"name":"D3DPOOL_DEFAULT","features":[317]},{"name":"D3DPOOL_MANAGED","features":[317]},{"name":"D3DPOOL_SCRATCH","features":[317]},{"name":"D3DPOOL_SYSTEMMEM","features":[317]},{"name":"D3DPRASTERCAPS_ANISOTROPY","features":[317]},{"name":"D3DPRASTERCAPS_ANTIALIASEDGES","features":[317]},{"name":"D3DPRASTERCAPS_ANTIALIASSORTDEPENDENT","features":[317]},{"name":"D3DPRASTERCAPS_ANTIALIASSORTINDEPENDENT","features":[317]},{"name":"D3DPRASTERCAPS_COLORPERSPECTIVE","features":[317]},{"name":"D3DPRASTERCAPS_DEPTHBIAS","features":[317]},{"name":"D3DPRASTERCAPS_DITHER","features":[317]},{"name":"D3DPRASTERCAPS_FOGRANGE","features":[317]},{"name":"D3DPRASTERCAPS_FOGTABLE","features":[317]},{"name":"D3DPRASTERCAPS_FOGVERTEX","features":[317]},{"name":"D3DPRASTERCAPS_MIPMAPLODBIAS","features":[317]},{"name":"D3DPRASTERCAPS_MULTISAMPLE_TOGGLE","features":[317]},{"name":"D3DPRASTERCAPS_PAT","features":[317]},{"name":"D3DPRASTERCAPS_ROP2","features":[317]},{"name":"D3DPRASTERCAPS_SCISSORTEST","features":[317]},{"name":"D3DPRASTERCAPS_SLOPESCALEDEPTHBIAS","features":[317]},{"name":"D3DPRASTERCAPS_STIPPLE","features":[317]},{"name":"D3DPRASTERCAPS_SUBPIXEL","features":[317]},{"name":"D3DPRASTERCAPS_SUBPIXELX","features":[317]},{"name":"D3DPRASTERCAPS_TRANSLUCENTSORTINDEPENDENT","features":[317]},{"name":"D3DPRASTERCAPS_WBUFFER","features":[317]},{"name":"D3DPRASTERCAPS_WFOG","features":[317]},{"name":"D3DPRASTERCAPS_XOR","features":[317]},{"name":"D3DPRASTERCAPS_ZBIAS","features":[317]},{"name":"D3DPRASTERCAPS_ZBUFFERLESSHSR","features":[317]},{"name":"D3DPRASTERCAPS_ZFOG","features":[317]},{"name":"D3DPRASTERCAPS_ZTEST","features":[317]},{"name":"D3DPRESENTFLAG_DEVICECLIP","features":[317]},{"name":"D3DPRESENTFLAG_DISCARD_DEPTHSTENCIL","features":[317]},{"name":"D3DPRESENTFLAG_LOCKABLE_BACKBUFFER","features":[317]},{"name":"D3DPRESENTFLAG_NOAUTOROTATE","features":[317]},{"name":"D3DPRESENTFLAG_OVERLAY_LIMITEDRGB","features":[317]},{"name":"D3DPRESENTFLAG_OVERLAY_YCbCr_BT709","features":[317]},{"name":"D3DPRESENTFLAG_OVERLAY_YCbCr_xvYCC","features":[317]},{"name":"D3DPRESENTFLAG_RESTRICTED_CONTENT","features":[317]},{"name":"D3DPRESENTFLAG_RESTRICT_SHARED_RESOURCE_DRIVER","features":[317]},{"name":"D3DPRESENTFLAG_UNPRUNEDMODE","features":[317]},{"name":"D3DPRESENTFLAG_VIDEO","features":[317]},{"name":"D3DPRESENTSTATS","features":[317]},{"name":"D3DPRESENTSTATS","features":[317]},{"name":"D3DPRESENT_BACK_BUFFERS_MAX","features":[317]},{"name":"D3DPRESENT_BACK_BUFFERS_MAX_EX","features":[317]},{"name":"D3DPRESENT_DONOTFLIP","features":[317]},{"name":"D3DPRESENT_DONOTWAIT","features":[317]},{"name":"D3DPRESENT_FLIPRESTART","features":[317]},{"name":"D3DPRESENT_FORCEIMMEDIATE","features":[317]},{"name":"D3DPRESENT_HIDEOVERLAY","features":[317]},{"name":"D3DPRESENT_INTERVAL_DEFAULT","features":[317]},{"name":"D3DPRESENT_INTERVAL_FOUR","features":[317]},{"name":"D3DPRESENT_INTERVAL_IMMEDIATE","features":[317]},{"name":"D3DPRESENT_INTERVAL_ONE","features":[317]},{"name":"D3DPRESENT_INTERVAL_THREE","features":[317]},{"name":"D3DPRESENT_INTERVAL_TWO","features":[317]},{"name":"D3DPRESENT_LINEAR_CONTENT","features":[317]},{"name":"D3DPRESENT_PARAMETERS","features":[308,317]},{"name":"D3DPRESENT_RATE_DEFAULT","features":[317]},{"name":"D3DPRESENT_UPDATECOLORKEY","features":[317]},{"name":"D3DPRESENT_UPDATEOVERLAYONLY","features":[317]},{"name":"D3DPRESENT_VIDEO_RESTRICT_TO_MONITOR","features":[317]},{"name":"D3DPRIMCAPS","features":[317]},{"name":"D3DPRIMITIVETYPE","features":[317]},{"name":"D3DPROCESSVERTICES","features":[317]},{"name":"D3DPROCESSVERTICES_COPY","features":[317]},{"name":"D3DPROCESSVERTICES_NOCOLOR","features":[317]},{"name":"D3DPROCESSVERTICES_OPMASK","features":[317]},{"name":"D3DPROCESSVERTICES_TRANSFORM","features":[317]},{"name":"D3DPROCESSVERTICES_TRANSFORMLIGHT","features":[317]},{"name":"D3DPROCESSVERTICES_UPDATEEXTENTS","features":[317]},{"name":"D3DPS20CAPS_ARBITRARYSWIZZLE","features":[317]},{"name":"D3DPS20CAPS_GRADIENTINSTRUCTIONS","features":[317]},{"name":"D3DPS20CAPS_NODEPENDENTREADLIMIT","features":[317]},{"name":"D3DPS20CAPS_NOTEXINSTRUCTIONLIMIT","features":[317]},{"name":"D3DPS20CAPS_PREDICATION","features":[317]},{"name":"D3DPS20_MAX_DYNAMICFLOWCONTROLDEPTH","features":[317]},{"name":"D3DPS20_MAX_NUMINSTRUCTIONSLOTS","features":[317]},{"name":"D3DPS20_MAX_NUMTEMPS","features":[317]},{"name":"D3DPS20_MAX_STATICFLOWCONTROLDEPTH","features":[317]},{"name":"D3DPS20_MIN_DYNAMICFLOWCONTROLDEPTH","features":[317]},{"name":"D3DPS20_MIN_NUMINSTRUCTIONSLOTS","features":[317]},{"name":"D3DPS20_MIN_NUMTEMPS","features":[317]},{"name":"D3DPS20_MIN_STATICFLOWCONTROLDEPTH","features":[317]},{"name":"D3DPSHADECAPS_ALPHAFLATBLEND","features":[317]},{"name":"D3DPSHADECAPS_ALPHAFLATSTIPPLED","features":[317]},{"name":"D3DPSHADECAPS_ALPHAGOURAUDBLEND","features":[317]},{"name":"D3DPSHADECAPS_ALPHAGOURAUDSTIPPLED","features":[317]},{"name":"D3DPSHADECAPS_ALPHAPHONGBLEND","features":[317]},{"name":"D3DPSHADECAPS_ALPHAPHONGSTIPPLED","features":[317]},{"name":"D3DPSHADECAPS_COLORFLATMONO","features":[317]},{"name":"D3DPSHADECAPS_COLORFLATRGB","features":[317]},{"name":"D3DPSHADECAPS_COLORGOURAUDMONO","features":[317]},{"name":"D3DPSHADECAPS_COLORGOURAUDRGB","features":[317]},{"name":"D3DPSHADECAPS_COLORPHONGMONO","features":[317]},{"name":"D3DPSHADECAPS_COLORPHONGRGB","features":[317]},{"name":"D3DPSHADECAPS_FOGFLAT","features":[317]},{"name":"D3DPSHADECAPS_FOGGOURAUD","features":[317]},{"name":"D3DPSHADECAPS_FOGPHONG","features":[317]},{"name":"D3DPSHADECAPS_SPECULARFLATMONO","features":[317]},{"name":"D3DPSHADECAPS_SPECULARFLATRGB","features":[317]},{"name":"D3DPSHADECAPS_SPECULARGOURAUDMONO","features":[317]},{"name":"D3DPSHADECAPS_SPECULARGOURAUDRGB","features":[317]},{"name":"D3DPSHADECAPS_SPECULARPHONGMONO","features":[317]},{"name":"D3DPSHADECAPS_SPECULARPHONGRGB","features":[317]},{"name":"D3DPSHADERCAPS2_0","features":[317]},{"name":"D3DPTADDRESSCAPS_BORDER","features":[317]},{"name":"D3DPTADDRESSCAPS_CLAMP","features":[317]},{"name":"D3DPTADDRESSCAPS_INDEPENDENTUV","features":[317]},{"name":"D3DPTADDRESSCAPS_MIRROR","features":[317]},{"name":"D3DPTADDRESSCAPS_MIRRORONCE","features":[317]},{"name":"D3DPTADDRESSCAPS_WRAP","features":[317]},{"name":"D3DPTBLENDCAPS_ADD","features":[317]},{"name":"D3DPTBLENDCAPS_COPY","features":[317]},{"name":"D3DPTBLENDCAPS_DECAL","features":[317]},{"name":"D3DPTBLENDCAPS_DECALALPHA","features":[317]},{"name":"D3DPTBLENDCAPS_DECALMASK","features":[317]},{"name":"D3DPTBLENDCAPS_MODULATE","features":[317]},{"name":"D3DPTBLENDCAPS_MODULATEALPHA","features":[317]},{"name":"D3DPTBLENDCAPS_MODULATEMASK","features":[317]},{"name":"D3DPTEXTURECAPS_ALPHA","features":[317]},{"name":"D3DPTEXTURECAPS_ALPHAPALETTE","features":[317]},{"name":"D3DPTEXTURECAPS_BORDER","features":[317]},{"name":"D3DPTEXTURECAPS_COLORKEYBLEND","features":[317]},{"name":"D3DPTEXTURECAPS_CUBEMAP","features":[317]},{"name":"D3DPTEXTURECAPS_CUBEMAP_POW2","features":[317]},{"name":"D3DPTEXTURECAPS_MIPCUBEMAP","features":[317]},{"name":"D3DPTEXTURECAPS_MIPMAP","features":[317]},{"name":"D3DPTEXTURECAPS_MIPVOLUMEMAP","features":[317]},{"name":"D3DPTEXTURECAPS_NONPOW2CONDITIONAL","features":[317]},{"name":"D3DPTEXTURECAPS_NOPROJECTEDBUMPENV","features":[317]},{"name":"D3DPTEXTURECAPS_PERSPECTIVE","features":[317]},{"name":"D3DPTEXTURECAPS_POW2","features":[317]},{"name":"D3DPTEXTURECAPS_PROJECTED","features":[317]},{"name":"D3DPTEXTURECAPS_SQUAREONLY","features":[317]},{"name":"D3DPTEXTURECAPS_TEXREPEATNOTSCALEDBYSIZE","features":[317]},{"name":"D3DPTEXTURECAPS_TRANSPARENCY","features":[317]},{"name":"D3DPTEXTURECAPS_VOLUMEMAP","features":[317]},{"name":"D3DPTEXTURECAPS_VOLUMEMAP_POW2","features":[317]},{"name":"D3DPTFILTERCAPS_CONVOLUTIONMONO","features":[317]},{"name":"D3DPTFILTERCAPS_LINEAR","features":[317]},{"name":"D3DPTFILTERCAPS_LINEARMIPLINEAR","features":[317]},{"name":"D3DPTFILTERCAPS_LINEARMIPNEAREST","features":[317]},{"name":"D3DPTFILTERCAPS_MAGFAFLATCUBIC","features":[317]},{"name":"D3DPTFILTERCAPS_MAGFANISOTROPIC","features":[317]},{"name":"D3DPTFILTERCAPS_MAGFGAUSSIANCUBIC","features":[317]},{"name":"D3DPTFILTERCAPS_MAGFGAUSSIANQUAD","features":[317]},{"name":"D3DPTFILTERCAPS_MAGFLINEAR","features":[317]},{"name":"D3DPTFILTERCAPS_MAGFPOINT","features":[317]},{"name":"D3DPTFILTERCAPS_MAGFPYRAMIDALQUAD","features":[317]},{"name":"D3DPTFILTERCAPS_MINFANISOTROPIC","features":[317]},{"name":"D3DPTFILTERCAPS_MINFGAUSSIANQUAD","features":[317]},{"name":"D3DPTFILTERCAPS_MINFLINEAR","features":[317]},{"name":"D3DPTFILTERCAPS_MINFPOINT","features":[317]},{"name":"D3DPTFILTERCAPS_MINFPYRAMIDALQUAD","features":[317]},{"name":"D3DPTFILTERCAPS_MIPFLINEAR","features":[317]},{"name":"D3DPTFILTERCAPS_MIPFPOINT","features":[317]},{"name":"D3DPTFILTERCAPS_MIPLINEAR","features":[317]},{"name":"D3DPTFILTERCAPS_MIPNEAREST","features":[317]},{"name":"D3DPTFILTERCAPS_NEAREST","features":[317]},{"name":"D3DPT_LINELIST","features":[317]},{"name":"D3DPT_LINESTRIP","features":[317]},{"name":"D3DPT_POINTLIST","features":[317]},{"name":"D3DPT_TRIANGLEFAN","features":[317]},{"name":"D3DPT_TRIANGLELIST","features":[317]},{"name":"D3DPT_TRIANGLESTRIP","features":[317]},{"name":"D3DPV_DONOTCOPYDATA","features":[317]},{"name":"D3DQUERYTYPE","features":[317]},{"name":"D3DQUERYTYPE_BANDWIDTHTIMINGS","features":[317]},{"name":"D3DQUERYTYPE_CACHEUTILIZATION","features":[317]},{"name":"D3DQUERYTYPE_EVENT","features":[317]},{"name":"D3DQUERYTYPE_INTERFACETIMINGS","features":[317]},{"name":"D3DQUERYTYPE_MEMORYPRESSURE","features":[317]},{"name":"D3DQUERYTYPE_OCCLUSION","features":[317]},{"name":"D3DQUERYTYPE_PIPELINETIMINGS","features":[317]},{"name":"D3DQUERYTYPE_PIXELTIMINGS","features":[317]},{"name":"D3DQUERYTYPE_RESOURCEMANAGER","features":[317]},{"name":"D3DQUERYTYPE_TIMESTAMP","features":[317]},{"name":"D3DQUERYTYPE_TIMESTAMPDISJOINT","features":[317]},{"name":"D3DQUERYTYPE_TIMESTAMPFREQ","features":[317]},{"name":"D3DQUERYTYPE_VCACHE","features":[317]},{"name":"D3DQUERYTYPE_VERTEXSTATS","features":[317]},{"name":"D3DQUERYTYPE_VERTEXTIMINGS","features":[317]},{"name":"D3DRANGE","features":[317]},{"name":"D3DRASTER_STATUS","features":[308,317]},{"name":"D3DRECT","features":[317]},{"name":"D3DRECTPATCH_INFO","features":[317]},{"name":"D3DRENDERSTATETYPE","features":[317]},{"name":"D3DRENDERSTATE_WRAPBIAS","features":[317]},{"name":"D3DRESOURCESTATS","features":[308,317]},{"name":"D3DRESOURCETYPE","features":[317]},{"name":"D3DRS_ADAPTIVETESS_W","features":[317]},{"name":"D3DRS_ADAPTIVETESS_X","features":[317]},{"name":"D3DRS_ADAPTIVETESS_Y","features":[317]},{"name":"D3DRS_ADAPTIVETESS_Z","features":[317]},{"name":"D3DRS_ALPHABLENDENABLE","features":[317]},{"name":"D3DRS_ALPHAFUNC","features":[317]},{"name":"D3DRS_ALPHAREF","features":[317]},{"name":"D3DRS_ALPHATESTENABLE","features":[317]},{"name":"D3DRS_AMBIENT","features":[317]},{"name":"D3DRS_AMBIENTMATERIALSOURCE","features":[317]},{"name":"D3DRS_ANTIALIASEDLINEENABLE","features":[317]},{"name":"D3DRS_BLENDFACTOR","features":[317]},{"name":"D3DRS_BLENDOP","features":[317]},{"name":"D3DRS_BLENDOPALPHA","features":[317]},{"name":"D3DRS_CCW_STENCILFAIL","features":[317]},{"name":"D3DRS_CCW_STENCILFUNC","features":[317]},{"name":"D3DRS_CCW_STENCILPASS","features":[317]},{"name":"D3DRS_CCW_STENCILZFAIL","features":[317]},{"name":"D3DRS_CLIPPING","features":[317]},{"name":"D3DRS_CLIPPLANEENABLE","features":[317]},{"name":"D3DRS_COLORVERTEX","features":[317]},{"name":"D3DRS_COLORWRITEENABLE","features":[317]},{"name":"D3DRS_COLORWRITEENABLE1","features":[317]},{"name":"D3DRS_COLORWRITEENABLE2","features":[317]},{"name":"D3DRS_COLORWRITEENABLE3","features":[317]},{"name":"D3DRS_CULLMODE","features":[317]},{"name":"D3DRS_DEBUGMONITORTOKEN","features":[317]},{"name":"D3DRS_DEPTHBIAS","features":[317]},{"name":"D3DRS_DESTBLEND","features":[317]},{"name":"D3DRS_DESTBLENDALPHA","features":[317]},{"name":"D3DRS_DIFFUSEMATERIALSOURCE","features":[317]},{"name":"D3DRS_DITHERENABLE","features":[317]},{"name":"D3DRS_EMISSIVEMATERIALSOURCE","features":[317]},{"name":"D3DRS_ENABLEADAPTIVETESSELLATION","features":[317]},{"name":"D3DRS_FILLMODE","features":[317]},{"name":"D3DRS_FOGCOLOR","features":[317]},{"name":"D3DRS_FOGDENSITY","features":[317]},{"name":"D3DRS_FOGENABLE","features":[317]},{"name":"D3DRS_FOGEND","features":[317]},{"name":"D3DRS_FOGSTART","features":[317]},{"name":"D3DRS_FOGTABLEMODE","features":[317]},{"name":"D3DRS_FOGVERTEXMODE","features":[317]},{"name":"D3DRS_INDEXEDVERTEXBLENDENABLE","features":[317]},{"name":"D3DRS_LASTPIXEL","features":[317]},{"name":"D3DRS_LIGHTING","features":[317]},{"name":"D3DRS_LOCALVIEWER","features":[317]},{"name":"D3DRS_MAXTESSELLATIONLEVEL","features":[317]},{"name":"D3DRS_MINTESSELLATIONLEVEL","features":[317]},{"name":"D3DRS_MULTISAMPLEANTIALIAS","features":[317]},{"name":"D3DRS_MULTISAMPLEMASK","features":[317]},{"name":"D3DRS_NORMALDEGREE","features":[317]},{"name":"D3DRS_NORMALIZENORMALS","features":[317]},{"name":"D3DRS_PATCHEDGESTYLE","features":[317]},{"name":"D3DRS_POINTSCALEENABLE","features":[317]},{"name":"D3DRS_POINTSCALE_A","features":[317]},{"name":"D3DRS_POINTSCALE_B","features":[317]},{"name":"D3DRS_POINTSCALE_C","features":[317]},{"name":"D3DRS_POINTSIZE","features":[317]},{"name":"D3DRS_POINTSIZE_MAX","features":[317]},{"name":"D3DRS_POINTSIZE_MIN","features":[317]},{"name":"D3DRS_POINTSPRITEENABLE","features":[317]},{"name":"D3DRS_POSITIONDEGREE","features":[317]},{"name":"D3DRS_RANGEFOGENABLE","features":[317]},{"name":"D3DRS_SCISSORTESTENABLE","features":[317]},{"name":"D3DRS_SEPARATEALPHABLENDENABLE","features":[317]},{"name":"D3DRS_SHADEMODE","features":[317]},{"name":"D3DRS_SLOPESCALEDEPTHBIAS","features":[317]},{"name":"D3DRS_SPECULARENABLE","features":[317]},{"name":"D3DRS_SPECULARMATERIALSOURCE","features":[317]},{"name":"D3DRS_SRCBLEND","features":[317]},{"name":"D3DRS_SRCBLENDALPHA","features":[317]},{"name":"D3DRS_SRGBWRITEENABLE","features":[317]},{"name":"D3DRS_STENCILENABLE","features":[317]},{"name":"D3DRS_STENCILFAIL","features":[317]},{"name":"D3DRS_STENCILFUNC","features":[317]},{"name":"D3DRS_STENCILMASK","features":[317]},{"name":"D3DRS_STENCILPASS","features":[317]},{"name":"D3DRS_STENCILREF","features":[317]},{"name":"D3DRS_STENCILWRITEMASK","features":[317]},{"name":"D3DRS_STENCILZFAIL","features":[317]},{"name":"D3DRS_TEXTUREFACTOR","features":[317]},{"name":"D3DRS_TWEENFACTOR","features":[317]},{"name":"D3DRS_TWOSIDEDSTENCILMODE","features":[317]},{"name":"D3DRS_VERTEXBLEND","features":[317]},{"name":"D3DRS_WRAP0","features":[317]},{"name":"D3DRS_WRAP1","features":[317]},{"name":"D3DRS_WRAP10","features":[317]},{"name":"D3DRS_WRAP11","features":[317]},{"name":"D3DRS_WRAP12","features":[317]},{"name":"D3DRS_WRAP13","features":[317]},{"name":"D3DRS_WRAP14","features":[317]},{"name":"D3DRS_WRAP15","features":[317]},{"name":"D3DRS_WRAP2","features":[317]},{"name":"D3DRS_WRAP3","features":[317]},{"name":"D3DRS_WRAP4","features":[317]},{"name":"D3DRS_WRAP5","features":[317]},{"name":"D3DRS_WRAP6","features":[317]},{"name":"D3DRS_WRAP7","features":[317]},{"name":"D3DRS_WRAP8","features":[317]},{"name":"D3DRS_WRAP9","features":[317]},{"name":"D3DRS_ZENABLE","features":[317]},{"name":"D3DRS_ZFUNC","features":[317]},{"name":"D3DRS_ZWRITEENABLE","features":[317]},{"name":"D3DRTYPECOUNT","features":[317]},{"name":"D3DRTYPE_CUBETEXTURE","features":[317]},{"name":"D3DRTYPE_INDEXBUFFER","features":[317]},{"name":"D3DRTYPE_SURFACE","features":[317]},{"name":"D3DRTYPE_TEXTURE","features":[317]},{"name":"D3DRTYPE_VERTEXBUFFER","features":[317]},{"name":"D3DRTYPE_VOLUME","features":[317]},{"name":"D3DRTYPE_VOLUMETEXTURE","features":[317]},{"name":"D3DSAMPLERSTATETYPE","features":[317]},{"name":"D3DSAMPLER_TEXTURE_TYPE","features":[317]},{"name":"D3DSAMP_ADDRESSU","features":[317]},{"name":"D3DSAMP_ADDRESSV","features":[317]},{"name":"D3DSAMP_ADDRESSW","features":[317]},{"name":"D3DSAMP_BORDERCOLOR","features":[317]},{"name":"D3DSAMP_DMAPOFFSET","features":[317]},{"name":"D3DSAMP_ELEMENTINDEX","features":[317]},{"name":"D3DSAMP_MAGFILTER","features":[317]},{"name":"D3DSAMP_MAXANISOTROPY","features":[317]},{"name":"D3DSAMP_MAXMIPLEVEL","features":[317]},{"name":"D3DSAMP_MINFILTER","features":[317]},{"name":"D3DSAMP_MIPFILTER","features":[317]},{"name":"D3DSAMP_MIPMAPLODBIAS","features":[317]},{"name":"D3DSAMP_SRGBTEXTURE","features":[317]},{"name":"D3DSBT_ALL","features":[317]},{"name":"D3DSBT_PIXELSTATE","features":[317]},{"name":"D3DSBT_VERTEXSTATE","features":[317]},{"name":"D3DSCANLINEORDERING","features":[317]},{"name":"D3DSCANLINEORDERING_INTERLACED","features":[317]},{"name":"D3DSCANLINEORDERING_PROGRESSIVE","features":[317]},{"name":"D3DSCANLINEORDERING_UNKNOWN","features":[317]},{"name":"D3DSETSTATUS_EXTENTS","features":[317]},{"name":"D3DSETSTATUS_STATUS","features":[317]},{"name":"D3DSGR_CALIBRATE","features":[317]},{"name":"D3DSGR_NO_CALIBRATION","features":[317]},{"name":"D3DSHADEMODE","features":[317]},{"name":"D3DSHADER_ADDRESSMODE_SHIFT","features":[317]},{"name":"D3DSHADER_ADDRESSMODE_TYPE","features":[317]},{"name":"D3DSHADER_ADDRMODE_ABSOLUTE","features":[317]},{"name":"D3DSHADER_ADDRMODE_RELATIVE","features":[317]},{"name":"D3DSHADER_COMPARISON","features":[317]},{"name":"D3DSHADER_COMPARISON_SHIFT","features":[317]},{"name":"D3DSHADER_INSTRUCTION_OPCODE_TYPE","features":[317]},{"name":"D3DSHADER_MIN_PRECISION","features":[317]},{"name":"D3DSHADER_MISCTYPE_OFFSETS","features":[317]},{"name":"D3DSHADER_PARAM_REGISTER_TYPE","features":[317]},{"name":"D3DSHADER_PARAM_SRCMOD_TYPE","features":[317]},{"name":"D3DSHADE_FLAT","features":[317]},{"name":"D3DSHADE_GOURAUD","features":[317]},{"name":"D3DSHADE_PHONG","features":[317]},{"name":"D3DSIO_ABS","features":[317]},{"name":"D3DSIO_ADD","features":[317]},{"name":"D3DSIO_BEM","features":[317]},{"name":"D3DSIO_BREAK","features":[317]},{"name":"D3DSIO_BREAKC","features":[317]},{"name":"D3DSIO_BREAKP","features":[317]},{"name":"D3DSIO_CALL","features":[317]},{"name":"D3DSIO_CALLNZ","features":[317]},{"name":"D3DSIO_CMP","features":[317]},{"name":"D3DSIO_CND","features":[317]},{"name":"D3DSIO_COMMENT","features":[317]},{"name":"D3DSIO_CRS","features":[317]},{"name":"D3DSIO_DCL","features":[317]},{"name":"D3DSIO_DEF","features":[317]},{"name":"D3DSIO_DEFB","features":[317]},{"name":"D3DSIO_DEFI","features":[317]},{"name":"D3DSIO_DP2ADD","features":[317]},{"name":"D3DSIO_DP3","features":[317]},{"name":"D3DSIO_DP4","features":[317]},{"name":"D3DSIO_DST","features":[317]},{"name":"D3DSIO_DSX","features":[317]},{"name":"D3DSIO_DSY","features":[317]},{"name":"D3DSIO_ELSE","features":[317]},{"name":"D3DSIO_END","features":[317]},{"name":"D3DSIO_ENDIF","features":[317]},{"name":"D3DSIO_ENDLOOP","features":[317]},{"name":"D3DSIO_ENDREP","features":[317]},{"name":"D3DSIO_EXP","features":[317]},{"name":"D3DSIO_EXPP","features":[317]},{"name":"D3DSIO_FRC","features":[317]},{"name":"D3DSIO_IF","features":[317]},{"name":"D3DSIO_IFC","features":[317]},{"name":"D3DSIO_LABEL","features":[317]},{"name":"D3DSIO_LIT","features":[317]},{"name":"D3DSIO_LOG","features":[317]},{"name":"D3DSIO_LOGP","features":[317]},{"name":"D3DSIO_LOOP","features":[317]},{"name":"D3DSIO_LRP","features":[317]},{"name":"D3DSIO_M3x2","features":[317]},{"name":"D3DSIO_M3x3","features":[317]},{"name":"D3DSIO_M3x4","features":[317]},{"name":"D3DSIO_M4x3","features":[317]},{"name":"D3DSIO_M4x4","features":[317]},{"name":"D3DSIO_MAD","features":[317]},{"name":"D3DSIO_MAX","features":[317]},{"name":"D3DSIO_MIN","features":[317]},{"name":"D3DSIO_MOV","features":[317]},{"name":"D3DSIO_MOVA","features":[317]},{"name":"D3DSIO_MUL","features":[317]},{"name":"D3DSIO_NOP","features":[317]},{"name":"D3DSIO_NRM","features":[317]},{"name":"D3DSIO_PHASE","features":[317]},{"name":"D3DSIO_POW","features":[317]},{"name":"D3DSIO_RCP","features":[317]},{"name":"D3DSIO_REP","features":[317]},{"name":"D3DSIO_RESERVED0","features":[317]},{"name":"D3DSIO_RET","features":[317]},{"name":"D3DSIO_RSQ","features":[317]},{"name":"D3DSIO_SETP","features":[317]},{"name":"D3DSIO_SGE","features":[317]},{"name":"D3DSIO_SGN","features":[317]},{"name":"D3DSIO_SINCOS","features":[317]},{"name":"D3DSIO_SLT","features":[317]},{"name":"D3DSIO_SUB","features":[317]},{"name":"D3DSIO_TEX","features":[317]},{"name":"D3DSIO_TEXBEM","features":[317]},{"name":"D3DSIO_TEXBEML","features":[317]},{"name":"D3DSIO_TEXCOORD","features":[317]},{"name":"D3DSIO_TEXDEPTH","features":[317]},{"name":"D3DSIO_TEXDP3","features":[317]},{"name":"D3DSIO_TEXDP3TEX","features":[317]},{"name":"D3DSIO_TEXKILL","features":[317]},{"name":"D3DSIO_TEXLDD","features":[317]},{"name":"D3DSIO_TEXLDL","features":[317]},{"name":"D3DSIO_TEXM3x2DEPTH","features":[317]},{"name":"D3DSIO_TEXM3x2PAD","features":[317]},{"name":"D3DSIO_TEXM3x2TEX","features":[317]},{"name":"D3DSIO_TEXM3x3","features":[317]},{"name":"D3DSIO_TEXM3x3PAD","features":[317]},{"name":"D3DSIO_TEXM3x3SPEC","features":[317]},{"name":"D3DSIO_TEXM3x3TEX","features":[317]},{"name":"D3DSIO_TEXM3x3VSPEC","features":[317]},{"name":"D3DSIO_TEXREG2AR","features":[317]},{"name":"D3DSIO_TEXREG2GB","features":[317]},{"name":"D3DSIO_TEXREG2RGB","features":[317]},{"name":"D3DSI_COISSUE","features":[317]},{"name":"D3DSI_COMMENTSIZE_MASK","features":[317]},{"name":"D3DSI_COMMENTSIZE_SHIFT","features":[317]},{"name":"D3DSI_INSTLENGTH_MASK","features":[317]},{"name":"D3DSI_INSTLENGTH_SHIFT","features":[317]},{"name":"D3DSI_OPCODE_MASK","features":[317]},{"name":"D3DSMO_FACE","features":[317]},{"name":"D3DSMO_POSITION","features":[317]},{"name":"D3DSPAN","features":[317]},{"name":"D3DSPC_EQ","features":[317]},{"name":"D3DSPC_GE","features":[317]},{"name":"D3DSPC_GT","features":[317]},{"name":"D3DSPC_LE","features":[317]},{"name":"D3DSPC_LT","features":[317]},{"name":"D3DSPC_NE","features":[317]},{"name":"D3DSPC_RESERVED0","features":[317]},{"name":"D3DSPC_RESERVED1","features":[317]},{"name":"D3DSPD_IUNKNOWN","features":[317]},{"name":"D3DSPR_ADDR","features":[317]},{"name":"D3DSPR_ATTROUT","features":[317]},{"name":"D3DSPR_COLOROUT","features":[317]},{"name":"D3DSPR_CONST","features":[317]},{"name":"D3DSPR_CONST2","features":[317]},{"name":"D3DSPR_CONST3","features":[317]},{"name":"D3DSPR_CONST4","features":[317]},{"name":"D3DSPR_CONSTBOOL","features":[317]},{"name":"D3DSPR_CONSTINT","features":[317]},{"name":"D3DSPR_DEPTHOUT","features":[317]},{"name":"D3DSPR_INPUT","features":[317]},{"name":"D3DSPR_LABEL","features":[317]},{"name":"D3DSPR_LOOP","features":[317]},{"name":"D3DSPR_MISCTYPE","features":[317]},{"name":"D3DSPR_OUTPUT","features":[317]},{"name":"D3DSPR_PREDICATE","features":[317]},{"name":"D3DSPR_RASTOUT","features":[317]},{"name":"D3DSPR_SAMPLER","features":[317]},{"name":"D3DSPR_TEMP","features":[317]},{"name":"D3DSPR_TEMPFLOAT16","features":[317]},{"name":"D3DSPR_TEXCRDOUT","features":[317]},{"name":"D3DSPR_TEXTURE","features":[317]},{"name":"D3DSPSM_ABS","features":[317]},{"name":"D3DSPSM_ABSNEG","features":[317]},{"name":"D3DSPSM_BIAS","features":[317]},{"name":"D3DSPSM_BIASNEG","features":[317]},{"name":"D3DSPSM_COMP","features":[317]},{"name":"D3DSPSM_DW","features":[317]},{"name":"D3DSPSM_DZ","features":[317]},{"name":"D3DSPSM_NEG","features":[317]},{"name":"D3DSPSM_NONE","features":[317]},{"name":"D3DSPSM_NOT","features":[317]},{"name":"D3DSPSM_SIGN","features":[317]},{"name":"D3DSPSM_SIGNNEG","features":[317]},{"name":"D3DSPSM_X2","features":[317]},{"name":"D3DSPSM_X2NEG","features":[317]},{"name":"D3DSP_DCL_USAGEINDEX_MASK","features":[317]},{"name":"D3DSP_DCL_USAGEINDEX_SHIFT","features":[317]},{"name":"D3DSP_DCL_USAGE_MASK","features":[317]},{"name":"D3DSP_DCL_USAGE_SHIFT","features":[317]},{"name":"D3DSP_DSTMOD_MASK","features":[317]},{"name":"D3DSP_DSTMOD_SHIFT","features":[317]},{"name":"D3DSP_DSTSHIFT_MASK","features":[317]},{"name":"D3DSP_DSTSHIFT_SHIFT","features":[317]},{"name":"D3DSP_MIN_PRECISION_MASK","features":[317]},{"name":"D3DSP_MIN_PRECISION_SHIFT","features":[317]},{"name":"D3DSP_OPCODESPECIFICCONTROL_MASK","features":[317]},{"name":"D3DSP_OPCODESPECIFICCONTROL_SHIFT","features":[317]},{"name":"D3DSP_REGNUM_MASK","features":[317]},{"name":"D3DSP_REGTYPE_MASK","features":[317]},{"name":"D3DSP_REGTYPE_MASK2","features":[317]},{"name":"D3DSP_REGTYPE_SHIFT","features":[317]},{"name":"D3DSP_REGTYPE_SHIFT2","features":[317]},{"name":"D3DSP_SRCMOD_MASK","features":[317]},{"name":"D3DSP_SRCMOD_SHIFT","features":[317]},{"name":"D3DSP_SWIZZLE_MASK","features":[317]},{"name":"D3DSP_SWIZZLE_SHIFT","features":[317]},{"name":"D3DSP_TEXTURETYPE_MASK","features":[317]},{"name":"D3DSP_TEXTURETYPE_SHIFT","features":[317]},{"name":"D3DSP_WRITEMASK_0","features":[317]},{"name":"D3DSP_WRITEMASK_1","features":[317]},{"name":"D3DSP_WRITEMASK_2","features":[317]},{"name":"D3DSP_WRITEMASK_3","features":[317]},{"name":"D3DSP_WRITEMASK_ALL","features":[317]},{"name":"D3DSRO_FOG","features":[317]},{"name":"D3DSRO_POINT_SIZE","features":[317]},{"name":"D3DSRO_POSITION","features":[317]},{"name":"D3DSTATE","features":[317]},{"name":"D3DSTATEBLOCKTYPE","features":[317]},{"name":"D3DSTATE_OVERRIDE_BIAS","features":[317]},{"name":"D3DSTATS","features":[317]},{"name":"D3DSTATUS","features":[317]},{"name":"D3DSTATUS_CLIPINTERSECTIONBACK","features":[317]},{"name":"D3DSTATUS_CLIPINTERSECTIONBOTTOM","features":[317]},{"name":"D3DSTATUS_CLIPINTERSECTIONFRONT","features":[317]},{"name":"D3DSTATUS_CLIPINTERSECTIONGEN0","features":[317]},{"name":"D3DSTATUS_CLIPINTERSECTIONGEN1","features":[317]},{"name":"D3DSTATUS_CLIPINTERSECTIONGEN2","features":[317]},{"name":"D3DSTATUS_CLIPINTERSECTIONGEN3","features":[317]},{"name":"D3DSTATUS_CLIPINTERSECTIONGEN4","features":[317]},{"name":"D3DSTATUS_CLIPINTERSECTIONGEN5","features":[317]},{"name":"D3DSTATUS_CLIPINTERSECTIONLEFT","features":[317]},{"name":"D3DSTATUS_CLIPINTERSECTIONRIGHT","features":[317]},{"name":"D3DSTATUS_CLIPINTERSECTIONTOP","features":[317]},{"name":"D3DSTATUS_CLIPUNIONBACK","features":[317]},{"name":"D3DSTATUS_CLIPUNIONBOTTOM","features":[317]},{"name":"D3DSTATUS_CLIPUNIONFRONT","features":[317]},{"name":"D3DSTATUS_CLIPUNIONGEN0","features":[317]},{"name":"D3DSTATUS_CLIPUNIONGEN1","features":[317]},{"name":"D3DSTATUS_CLIPUNIONGEN2","features":[317]},{"name":"D3DSTATUS_CLIPUNIONGEN3","features":[317]},{"name":"D3DSTATUS_CLIPUNIONGEN4","features":[317]},{"name":"D3DSTATUS_CLIPUNIONGEN5","features":[317]},{"name":"D3DSTATUS_CLIPUNIONLEFT","features":[317]},{"name":"D3DSTATUS_CLIPUNIONRIGHT","features":[317]},{"name":"D3DSTATUS_CLIPUNIONTOP","features":[317]},{"name":"D3DSTATUS_ZNOTVISIBLE","features":[317]},{"name":"D3DSTENCILCAPS_DECR","features":[317]},{"name":"D3DSTENCILCAPS_DECRSAT","features":[317]},{"name":"D3DSTENCILCAPS_INCR","features":[317]},{"name":"D3DSTENCILCAPS_INCRSAT","features":[317]},{"name":"D3DSTENCILCAPS_INVERT","features":[317]},{"name":"D3DSTENCILCAPS_KEEP","features":[317]},{"name":"D3DSTENCILCAPS_REPLACE","features":[317]},{"name":"D3DSTENCILCAPS_TWOSIDED","features":[317]},{"name":"D3DSTENCILCAPS_ZERO","features":[317]},{"name":"D3DSTENCILOP","features":[317]},{"name":"D3DSTENCILOP_DECR","features":[317]},{"name":"D3DSTENCILOP_DECRSAT","features":[317]},{"name":"D3DSTENCILOP_INCR","features":[317]},{"name":"D3DSTENCILOP_INCRSAT","features":[317]},{"name":"D3DSTENCILOP_INVERT","features":[317]},{"name":"D3DSTENCILOP_KEEP","features":[317]},{"name":"D3DSTENCILOP_REPLACE","features":[317]},{"name":"D3DSTENCILOP_ZERO","features":[317]},{"name":"D3DSTREAMSOURCE_INDEXEDDATA","features":[317]},{"name":"D3DSTREAMSOURCE_INSTANCEDATA","features":[317]},{"name":"D3DSTT_2D","features":[317]},{"name":"D3DSTT_CUBE","features":[317]},{"name":"D3DSTT_UNKNOWN","features":[317]},{"name":"D3DSTT_VOLUME","features":[317]},{"name":"D3DSURFACE_DESC","features":[317]},{"name":"D3DSWAPEFFECT","features":[317]},{"name":"D3DSWAPEFFECT_COPY","features":[317]},{"name":"D3DSWAPEFFECT_DISCARD","features":[317]},{"name":"D3DSWAPEFFECT_FLIP","features":[317]},{"name":"D3DSWAPEFFECT_FLIPEX","features":[317]},{"name":"D3DSWAPEFFECT_OVERLAY","features":[317]},{"name":"D3DTADDRESS_BORDER","features":[317]},{"name":"D3DTADDRESS_CLAMP","features":[317]},{"name":"D3DTADDRESS_MIRROR","features":[317]},{"name":"D3DTADDRESS_MIRRORONCE","features":[317]},{"name":"D3DTADDRESS_WRAP","features":[317]},{"name":"D3DTA_ALPHAREPLICATE","features":[317]},{"name":"D3DTA_COMPLEMENT","features":[317]},{"name":"D3DTA_CONSTANT","features":[317]},{"name":"D3DTA_CURRENT","features":[317]},{"name":"D3DTA_DIFFUSE","features":[317]},{"name":"D3DTA_SELECTMASK","features":[317]},{"name":"D3DTA_SPECULAR","features":[317]},{"name":"D3DTA_TEMP","features":[317]},{"name":"D3DTA_TEXTURE","features":[317]},{"name":"D3DTA_TFACTOR","features":[317]},{"name":"D3DTBLEND_ADD","features":[317]},{"name":"D3DTBLEND_COPY","features":[317]},{"name":"D3DTBLEND_DECAL","features":[317]},{"name":"D3DTBLEND_DECALALPHA","features":[317]},{"name":"D3DTBLEND_DECALMASK","features":[317]},{"name":"D3DTBLEND_MODULATE","features":[317]},{"name":"D3DTBLEND_MODULATEALPHA","features":[317]},{"name":"D3DTBLEND_MODULATEMASK","features":[317]},{"name":"D3DTEXF_ANISOTROPIC","features":[317]},{"name":"D3DTEXF_CONVOLUTIONMONO","features":[317]},{"name":"D3DTEXF_GAUSSIANQUAD","features":[317]},{"name":"D3DTEXF_LINEAR","features":[317]},{"name":"D3DTEXF_NONE","features":[317]},{"name":"D3DTEXF_POINT","features":[317]},{"name":"D3DTEXF_PYRAMIDALQUAD","features":[317]},{"name":"D3DTEXOPCAPS_ADD","features":[317]},{"name":"D3DTEXOPCAPS_ADDSIGNED","features":[317]},{"name":"D3DTEXOPCAPS_ADDSIGNED2X","features":[317]},{"name":"D3DTEXOPCAPS_ADDSMOOTH","features":[317]},{"name":"D3DTEXOPCAPS_BLENDCURRENTALPHA","features":[317]},{"name":"D3DTEXOPCAPS_BLENDDIFFUSEALPHA","features":[317]},{"name":"D3DTEXOPCAPS_BLENDFACTORALPHA","features":[317]},{"name":"D3DTEXOPCAPS_BLENDTEXTUREALPHA","features":[317]},{"name":"D3DTEXOPCAPS_BLENDTEXTUREALPHAPM","features":[317]},{"name":"D3DTEXOPCAPS_BUMPENVMAP","features":[317]},{"name":"D3DTEXOPCAPS_BUMPENVMAPLUMINANCE","features":[317]},{"name":"D3DTEXOPCAPS_DISABLE","features":[317]},{"name":"D3DTEXOPCAPS_DOTPRODUCT3","features":[317]},{"name":"D3DTEXOPCAPS_LERP","features":[317]},{"name":"D3DTEXOPCAPS_MODULATE","features":[317]},{"name":"D3DTEXOPCAPS_MODULATE2X","features":[317]},{"name":"D3DTEXOPCAPS_MODULATE4X","features":[317]},{"name":"D3DTEXOPCAPS_MODULATEALPHA_ADDCOLOR","features":[317]},{"name":"D3DTEXOPCAPS_MODULATECOLOR_ADDALPHA","features":[317]},{"name":"D3DTEXOPCAPS_MODULATEINVALPHA_ADDCOLOR","features":[317]},{"name":"D3DTEXOPCAPS_MODULATEINVCOLOR_ADDALPHA","features":[317]},{"name":"D3DTEXOPCAPS_MULTIPLYADD","features":[317]},{"name":"D3DTEXOPCAPS_PREMODULATE","features":[317]},{"name":"D3DTEXOPCAPS_SELECTARG1","features":[317]},{"name":"D3DTEXOPCAPS_SELECTARG2","features":[317]},{"name":"D3DTEXOPCAPS_SUBTRACT","features":[317]},{"name":"D3DTEXTUREADDRESS","features":[317]},{"name":"D3DTEXTUREBLEND","features":[317]},{"name":"D3DTEXTUREFILTER","features":[317]},{"name":"D3DTEXTUREFILTERTYPE","features":[317]},{"name":"D3DTEXTURELOAD","features":[317]},{"name":"D3DTEXTUREMAGFILTER","features":[317]},{"name":"D3DTEXTUREMINFILTER","features":[317]},{"name":"D3DTEXTUREMIPFILTER","features":[317]},{"name":"D3DTEXTUREOP","features":[317]},{"name":"D3DTEXTURESTAGESTATETYPE","features":[317]},{"name":"D3DTEXTURETRANSFORMFLAGS","features":[317]},{"name":"D3DTFG_ANISOTROPIC","features":[317]},{"name":"D3DTFG_FLATCUBIC","features":[317]},{"name":"D3DTFG_GAUSSIANCUBIC","features":[317]},{"name":"D3DTFG_LINEAR","features":[317]},{"name":"D3DTFG_POINT","features":[317]},{"name":"D3DTFN_ANISOTROPIC","features":[317]},{"name":"D3DTFN_LINEAR","features":[317]},{"name":"D3DTFN_POINT","features":[317]},{"name":"D3DTFP_LINEAR","features":[317]},{"name":"D3DTFP_NONE","features":[317]},{"name":"D3DTFP_POINT","features":[317]},{"name":"D3DTLVERTEX","features":[317]},{"name":"D3DTOP_ADD","features":[317]},{"name":"D3DTOP_ADDSIGNED","features":[317]},{"name":"D3DTOP_ADDSIGNED2X","features":[317]},{"name":"D3DTOP_ADDSMOOTH","features":[317]},{"name":"D3DTOP_BLENDCURRENTALPHA","features":[317]},{"name":"D3DTOP_BLENDDIFFUSEALPHA","features":[317]},{"name":"D3DTOP_BLENDFACTORALPHA","features":[317]},{"name":"D3DTOP_BLENDTEXTUREALPHA","features":[317]},{"name":"D3DTOP_BLENDTEXTUREALPHAPM","features":[317]},{"name":"D3DTOP_BUMPENVMAP","features":[317]},{"name":"D3DTOP_BUMPENVMAPLUMINANCE","features":[317]},{"name":"D3DTOP_DISABLE","features":[317]},{"name":"D3DTOP_DOTPRODUCT3","features":[317]},{"name":"D3DTOP_LERP","features":[317]},{"name":"D3DTOP_MODULATE","features":[317]},{"name":"D3DTOP_MODULATE2X","features":[317]},{"name":"D3DTOP_MODULATE4X","features":[317]},{"name":"D3DTOP_MODULATEALPHA_ADDCOLOR","features":[317]},{"name":"D3DTOP_MODULATECOLOR_ADDALPHA","features":[317]},{"name":"D3DTOP_MODULATEINVALPHA_ADDCOLOR","features":[317]},{"name":"D3DTOP_MODULATEINVCOLOR_ADDALPHA","features":[317]},{"name":"D3DTOP_MULTIPLYADD","features":[317]},{"name":"D3DTOP_PREMODULATE","features":[317]},{"name":"D3DTOP_SELECTARG1","features":[317]},{"name":"D3DTOP_SELECTARG2","features":[317]},{"name":"D3DTOP_SUBTRACT","features":[317]},{"name":"D3DTRANSFORMCAPS","features":[317]},{"name":"D3DTRANSFORMCAPS_CLIP","features":[317]},{"name":"D3DTRANSFORMDATA","features":[317]},{"name":"D3DTRANSFORMSTATETYPE","features":[317]},{"name":"D3DTRANSFORM_CLIPPED","features":[317]},{"name":"D3DTRANSFORM_UNCLIPPED","features":[317]},{"name":"D3DTRIANGLE","features":[317]},{"name":"D3DTRIFLAG_EDGEENABLE1","features":[317]},{"name":"D3DTRIFLAG_EDGEENABLE2","features":[317]},{"name":"D3DTRIFLAG_EDGEENABLE3","features":[317]},{"name":"D3DTRIFLAG_EVEN","features":[317]},{"name":"D3DTRIFLAG_ODD","features":[317]},{"name":"D3DTRIFLAG_START","features":[317]},{"name":"D3DTRIPATCH_INFO","features":[317]},{"name":"D3DTSS_ALPHAARG0","features":[317]},{"name":"D3DTSS_ALPHAARG1","features":[317]},{"name":"D3DTSS_ALPHAARG2","features":[317]},{"name":"D3DTSS_ALPHAOP","features":[317]},{"name":"D3DTSS_BUMPENVLOFFSET","features":[317]},{"name":"D3DTSS_BUMPENVLSCALE","features":[317]},{"name":"D3DTSS_BUMPENVMAT00","features":[317]},{"name":"D3DTSS_BUMPENVMAT01","features":[317]},{"name":"D3DTSS_BUMPENVMAT10","features":[317]},{"name":"D3DTSS_BUMPENVMAT11","features":[317]},{"name":"D3DTSS_COLORARG0","features":[317]},{"name":"D3DTSS_COLORARG1","features":[317]},{"name":"D3DTSS_COLORARG2","features":[317]},{"name":"D3DTSS_COLOROP","features":[317]},{"name":"D3DTSS_CONSTANT","features":[317]},{"name":"D3DTSS_RESULTARG","features":[317]},{"name":"D3DTSS_TCI_CAMERASPACENORMAL","features":[317]},{"name":"D3DTSS_TCI_CAMERASPACEPOSITION","features":[317]},{"name":"D3DTSS_TCI_CAMERASPACEREFLECTIONVECTOR","features":[317]},{"name":"D3DTSS_TCI_PASSTHRU","features":[317]},{"name":"D3DTSS_TCI_SPHEREMAP","features":[317]},{"name":"D3DTSS_TEXCOORDINDEX","features":[317]},{"name":"D3DTSS_TEXTURETRANSFORMFLAGS","features":[317]},{"name":"D3DTS_PROJECTION","features":[317]},{"name":"D3DTS_TEXTURE0","features":[317]},{"name":"D3DTS_TEXTURE1","features":[317]},{"name":"D3DTS_TEXTURE2","features":[317]},{"name":"D3DTS_TEXTURE3","features":[317]},{"name":"D3DTS_TEXTURE4","features":[317]},{"name":"D3DTS_TEXTURE5","features":[317]},{"name":"D3DTS_TEXTURE6","features":[317]},{"name":"D3DTS_TEXTURE7","features":[317]},{"name":"D3DTS_VIEW","features":[317]},{"name":"D3DTTFF_COUNT1","features":[317]},{"name":"D3DTTFF_COUNT2","features":[317]},{"name":"D3DTTFF_COUNT3","features":[317]},{"name":"D3DTTFF_COUNT4","features":[317]},{"name":"D3DTTFF_DISABLE","features":[317]},{"name":"D3DTTFF_PROJECTED","features":[317]},{"name":"D3DUSAGE_AUTOGENMIPMAP","features":[317]},{"name":"D3DUSAGE_DEPTHSTENCIL","features":[317]},{"name":"D3DUSAGE_DMAP","features":[317]},{"name":"D3DUSAGE_DONOTCLIP","features":[317]},{"name":"D3DUSAGE_DYNAMIC","features":[317]},{"name":"D3DUSAGE_NONSECURE","features":[317]},{"name":"D3DUSAGE_NPATCHES","features":[317]},{"name":"D3DUSAGE_POINTS","features":[317]},{"name":"D3DUSAGE_QUERY_FILTER","features":[317]},{"name":"D3DUSAGE_QUERY_LEGACYBUMPMAP","features":[317]},{"name":"D3DUSAGE_QUERY_POSTPIXELSHADER_BLENDING","features":[317]},{"name":"D3DUSAGE_QUERY_SRGBREAD","features":[317]},{"name":"D3DUSAGE_QUERY_SRGBWRITE","features":[317]},{"name":"D3DUSAGE_QUERY_VERTEXTEXTURE","features":[317]},{"name":"D3DUSAGE_QUERY_WRAPANDMIP","features":[317]},{"name":"D3DUSAGE_RENDERTARGET","features":[317]},{"name":"D3DUSAGE_RESTRICTED_CONTENT","features":[317]},{"name":"D3DUSAGE_RESTRICT_SHARED_RESOURCE","features":[317]},{"name":"D3DUSAGE_RESTRICT_SHARED_RESOURCE_DRIVER","features":[317]},{"name":"D3DUSAGE_RTPATCHES","features":[317]},{"name":"D3DUSAGE_SOFTWAREPROCESSING","features":[317]},{"name":"D3DUSAGE_TEXTAPI","features":[317]},{"name":"D3DUSAGE_WRITEONLY","features":[317]},{"name":"D3DVBCAPS_DONOTCLIP","features":[317]},{"name":"D3DVBCAPS_OPTIMIZED","features":[317]},{"name":"D3DVBCAPS_SYSTEMMEMORY","features":[317]},{"name":"D3DVBCAPS_WRITEONLY","features":[317]},{"name":"D3DVBF_0WEIGHTS","features":[317]},{"name":"D3DVBF_1WEIGHTS","features":[317]},{"name":"D3DVBF_2WEIGHTS","features":[317]},{"name":"D3DVBF_3WEIGHTS","features":[317]},{"name":"D3DVBF_DISABLE","features":[317]},{"name":"D3DVBF_TWEENING","features":[317]},{"name":"D3DVERTEX","features":[317]},{"name":"D3DVERTEXBLENDFLAGS","features":[317]},{"name":"D3DVERTEXBUFFERDESC","features":[317]},{"name":"D3DVERTEXBUFFER_DESC","features":[317]},{"name":"D3DVERTEXELEMENT9","features":[317]},{"name":"D3DVERTEXTEXTURESAMPLER0","features":[317]},{"name":"D3DVERTEXTEXTURESAMPLER1","features":[317]},{"name":"D3DVERTEXTEXTURESAMPLER2","features":[317]},{"name":"D3DVERTEXTEXTURESAMPLER3","features":[317]},{"name":"D3DVERTEXTYPE","features":[317]},{"name":"D3DVIEWPORT","features":[317]},{"name":"D3DVIEWPORT2","features":[317]},{"name":"D3DVIEWPORT7","features":[317]},{"name":"D3DVIEWPORT9","features":[317]},{"name":"D3DVIS_INSIDE_BOTTOM","features":[317]},{"name":"D3DVIS_INSIDE_FAR","features":[317]},{"name":"D3DVIS_INSIDE_FRUSTUM","features":[317]},{"name":"D3DVIS_INSIDE_LEFT","features":[317]},{"name":"D3DVIS_INSIDE_NEAR","features":[317]},{"name":"D3DVIS_INSIDE_RIGHT","features":[317]},{"name":"D3DVIS_INSIDE_TOP","features":[317]},{"name":"D3DVIS_INTERSECT_BOTTOM","features":[317]},{"name":"D3DVIS_INTERSECT_FAR","features":[317]},{"name":"D3DVIS_INTERSECT_FRUSTUM","features":[317]},{"name":"D3DVIS_INTERSECT_LEFT","features":[317]},{"name":"D3DVIS_INTERSECT_NEAR","features":[317]},{"name":"D3DVIS_INTERSECT_RIGHT","features":[317]},{"name":"D3DVIS_INTERSECT_TOP","features":[317]},{"name":"D3DVIS_MASK_BOTTOM","features":[317]},{"name":"D3DVIS_MASK_FAR","features":[317]},{"name":"D3DVIS_MASK_FRUSTUM","features":[317]},{"name":"D3DVIS_MASK_LEFT","features":[317]},{"name":"D3DVIS_MASK_NEAR","features":[317]},{"name":"D3DVIS_MASK_RIGHT","features":[317]},{"name":"D3DVIS_MASK_TOP","features":[317]},{"name":"D3DVIS_OUTSIDE_BOTTOM","features":[317]},{"name":"D3DVIS_OUTSIDE_FAR","features":[317]},{"name":"D3DVIS_OUTSIDE_FRUSTUM","features":[317]},{"name":"D3DVIS_OUTSIDE_LEFT","features":[317]},{"name":"D3DVIS_OUTSIDE_NEAR","features":[317]},{"name":"D3DVIS_OUTSIDE_RIGHT","features":[317]},{"name":"D3DVIS_OUTSIDE_TOP","features":[317]},{"name":"D3DVOLUME_DESC","features":[317]},{"name":"D3DVOP_CLIP","features":[317]},{"name":"D3DVOP_EXTENTS","features":[317]},{"name":"D3DVOP_LIGHT","features":[317]},{"name":"D3DVOP_TRANSFORM","features":[317]},{"name":"D3DVS20CAPS_PREDICATION","features":[317]},{"name":"D3DVS20_MAX_DYNAMICFLOWCONTROLDEPTH","features":[317]},{"name":"D3DVS20_MAX_NUMTEMPS","features":[317]},{"name":"D3DVS20_MAX_STATICFLOWCONTROLDEPTH","features":[317]},{"name":"D3DVS20_MIN_DYNAMICFLOWCONTROLDEPTH","features":[317]},{"name":"D3DVS20_MIN_NUMTEMPS","features":[317]},{"name":"D3DVS20_MIN_STATICFLOWCONTROLDEPTH","features":[317]},{"name":"D3DVSHADERCAPS2_0","features":[317]},{"name":"D3DVS_ADDRESSMODE_SHIFT","features":[317]},{"name":"D3DVS_ADDRESSMODE_TYPE","features":[317]},{"name":"D3DVS_ADDRMODE_ABSOLUTE","features":[317]},{"name":"D3DVS_ADDRMODE_RELATIVE","features":[317]},{"name":"D3DVS_RASTOUT_OFFSETS","features":[317]},{"name":"D3DVS_SWIZZLE_MASK","features":[317]},{"name":"D3DVS_SWIZZLE_SHIFT","features":[317]},{"name":"D3DVTXPCAPS_DIRECTIONALLIGHTS","features":[317]},{"name":"D3DVTXPCAPS_LOCALVIEWER","features":[317]},{"name":"D3DVTXPCAPS_MATERIALSOURCE7","features":[317]},{"name":"D3DVTXPCAPS_NO_TEXGEN_NONLOCALVIEWER","features":[317]},{"name":"D3DVTXPCAPS_POSITIONALLIGHTS","features":[317]},{"name":"D3DVTXPCAPS_TEXGEN","features":[317]},{"name":"D3DVTXPCAPS_TEXGEN_SPHEREMAP","features":[317]},{"name":"D3DVTXPCAPS_TWEENING","features":[317]},{"name":"D3DVTXPCAPS_VERTEXFOG","features":[317]},{"name":"D3DVT_LVERTEX","features":[317]},{"name":"D3DVT_TLVERTEX","features":[317]},{"name":"D3DVT_VERTEX","features":[317]},{"name":"D3DWRAPCOORD_0","features":[317]},{"name":"D3DWRAPCOORD_1","features":[317]},{"name":"D3DWRAPCOORD_2","features":[317]},{"name":"D3DWRAPCOORD_3","features":[317]},{"name":"D3DWRAP_U","features":[317]},{"name":"D3DWRAP_V","features":[317]},{"name":"D3DWRAP_W","features":[317]},{"name":"D3DZBUFFERTYPE","features":[317]},{"name":"D3DZB_FALSE","features":[317]},{"name":"D3DZB_TRUE","features":[317]},{"name":"D3DZB_USEW","features":[317]},{"name":"D3D_MAX_SIMULTANEOUS_RENDERTARGETS","features":[317]},{"name":"D3D_OMAC","features":[317]},{"name":"D3D_OMAC_SIZE","features":[317]},{"name":"D3D_SDK_VERSION","features":[317]},{"name":"DIRECT3D_VERSION","features":[317]},{"name":"Direct3DCreate9","features":[317]},{"name":"Direct3DCreate9Ex","features":[317]},{"name":"IDirect3D9","features":[317]},{"name":"IDirect3D9Ex","features":[317]},{"name":"IDirect3DBaseTexture9","features":[317]},{"name":"IDirect3DCubeTexture9","features":[317]},{"name":"IDirect3DDevice9","features":[317]},{"name":"IDirect3DDevice9Ex","features":[317]},{"name":"IDirect3DIndexBuffer9","features":[317]},{"name":"IDirect3DPixelShader9","features":[317]},{"name":"IDirect3DQuery9","features":[317]},{"name":"IDirect3DResource9","features":[317]},{"name":"IDirect3DStateBlock9","features":[317]},{"name":"IDirect3DSurface9","features":[317]},{"name":"IDirect3DSwapChain9","features":[317]},{"name":"IDirect3DSwapChain9Ex","features":[317]},{"name":"IDirect3DTexture9","features":[317]},{"name":"IDirect3DVertexBuffer9","features":[317]},{"name":"IDirect3DVertexDeclaration9","features":[317]},{"name":"IDirect3DVertexShader9","features":[317]},{"name":"IDirect3DVolume9","features":[317]},{"name":"IDirect3DVolumeTexture9","features":[317]},{"name":"LPD3DENUMDEVICESCALLBACK","features":[308,317]},{"name":"LPD3DENUMDEVICESCALLBACK7","features":[317]},{"name":"LPD3DENUMPIXELFORMATSCALLBACK","features":[317,318]},{"name":"LPD3DENUMTEXTUREFORMATSCALLBACK","features":[317,318]},{"name":"LPD3DVALIDATECALLBACK","features":[317]},{"name":"MAXD3DDECLLENGTH","features":[317]},{"name":"MAXD3DDECLUSAGEINDEX","features":[317]},{"name":"MAX_DEVICE_IDENTIFIER_STRING","features":[317]},{"name":"PROCESSIDTYPE_DWM","features":[317]},{"name":"PROCESSIDTYPE_HANDLE","features":[317]},{"name":"PROCESSIDTYPE_UNKNOWN","features":[317]},{"name":"_FACD3D","features":[317]}],"405":[{"name":"D3D9ON12_ARGS","features":[308,407]},{"name":"Direct3DCreate9On12","features":[308,317,407]},{"name":"Direct3DCreate9On12Ex","features":[308,317,407]},{"name":"IDirect3DDevice9On12","features":[407]},{"name":"MAX_D3D9ON12_QUEUES","features":[407]},{"name":"PFN_Direct3DCreate9On12","features":[308,317,407]},{"name":"PFN_Direct3DCreate9On12Ex","features":[308,317,407]}],"406":[{"name":"COMPOSITIONOBJECT_READ","features":[408]},{"name":"COMPOSITIONOBJECT_WRITE","features":[408]},{"name":"COMPOSITION_FRAME_ID_COMPLETED","features":[408]},{"name":"COMPOSITION_FRAME_ID_CONFIRMED","features":[408]},{"name":"COMPOSITION_FRAME_ID_CREATED","features":[408]},{"name":"COMPOSITION_FRAME_ID_TYPE","features":[408]},{"name":"COMPOSITION_FRAME_STATS","features":[408]},{"name":"COMPOSITION_STATS","features":[408]},{"name":"COMPOSITION_STATS_MAX_TARGETS","features":[408]},{"name":"COMPOSITION_TARGET_ID","features":[308,408]},{"name":"COMPOSITION_TARGET_STATS","features":[408]},{"name":"DCOMPOSITION_BACKFACE_VISIBILITY","features":[408]},{"name":"DCOMPOSITION_BACKFACE_VISIBILITY_HIDDEN","features":[408]},{"name":"DCOMPOSITION_BACKFACE_VISIBILITY_INHERIT","features":[408]},{"name":"DCOMPOSITION_BACKFACE_VISIBILITY_VISIBLE","features":[408]},{"name":"DCOMPOSITION_BITMAP_INTERPOLATION_MODE","features":[408]},{"name":"DCOMPOSITION_BITMAP_INTERPOLATION_MODE_INHERIT","features":[408]},{"name":"DCOMPOSITION_BITMAP_INTERPOLATION_MODE_LINEAR","features":[408]},{"name":"DCOMPOSITION_BITMAP_INTERPOLATION_MODE_NEAREST_NEIGHBOR","features":[408]},{"name":"DCOMPOSITION_BORDER_MODE","features":[408]},{"name":"DCOMPOSITION_BORDER_MODE_HARD","features":[408]},{"name":"DCOMPOSITION_BORDER_MODE_INHERIT","features":[408]},{"name":"DCOMPOSITION_BORDER_MODE_SOFT","features":[408]},{"name":"DCOMPOSITION_COMPOSITE_MODE","features":[408]},{"name":"DCOMPOSITION_COMPOSITE_MODE_DESTINATION_INVERT","features":[408]},{"name":"DCOMPOSITION_COMPOSITE_MODE_INHERIT","features":[408]},{"name":"DCOMPOSITION_COMPOSITE_MODE_MIN_BLEND","features":[408]},{"name":"DCOMPOSITION_COMPOSITE_MODE_SOURCE_OVER","features":[408]},{"name":"DCOMPOSITION_DEPTH_MODE","features":[408]},{"name":"DCOMPOSITION_DEPTH_MODE_INHERIT","features":[408]},{"name":"DCOMPOSITION_DEPTH_MODE_SORTED","features":[408]},{"name":"DCOMPOSITION_DEPTH_MODE_SPATIAL","features":[408]},{"name":"DCOMPOSITION_DEPTH_MODE_TREE","features":[408]},{"name":"DCOMPOSITION_FRAME_STATISTICS","features":[408,396]},{"name":"DCOMPOSITION_MAX_WAITFORCOMPOSITORCLOCK_OBJECTS","features":[408]},{"name":"DCOMPOSITION_OPACITY_MODE","features":[408]},{"name":"DCOMPOSITION_OPACITY_MODE_INHERIT","features":[408]},{"name":"DCOMPOSITION_OPACITY_MODE_LAYER","features":[408]},{"name":"DCOMPOSITION_OPACITY_MODE_MULTIPLY","features":[408]},{"name":"DCompositionAttachMouseDragToHwnd","features":[308,408]},{"name":"DCompositionAttachMouseWheelToHwnd","features":[308,408]},{"name":"DCompositionBoostCompositorClock","features":[308,408]},{"name":"DCompositionCreateDevice","features":[408,400]},{"name":"DCompositionCreateDevice2","features":[408]},{"name":"DCompositionCreateDevice3","features":[408]},{"name":"DCompositionCreateSurfaceHandle","features":[308,408,311]},{"name":"DCompositionGetFrameId","features":[408]},{"name":"DCompositionGetStatistics","features":[308,408]},{"name":"DCompositionGetTargetStatistics","features":[308,408]},{"name":"DCompositionInkTrailPoint","features":[408]},{"name":"DCompositionWaitForCompositorClock","features":[308,408]},{"name":"IDCompositionAffineTransform2DEffect","features":[408]},{"name":"IDCompositionAnimation","features":[408]},{"name":"IDCompositionArithmeticCompositeEffect","features":[408]},{"name":"IDCompositionBlendEffect","features":[408]},{"name":"IDCompositionBrightnessEffect","features":[408]},{"name":"IDCompositionClip","features":[408]},{"name":"IDCompositionColorMatrixEffect","features":[408]},{"name":"IDCompositionCompositeEffect","features":[408]},{"name":"IDCompositionDelegatedInkTrail","features":[408]},{"name":"IDCompositionDesktopDevice","features":[408]},{"name":"IDCompositionDevice","features":[408]},{"name":"IDCompositionDevice2","features":[408]},{"name":"IDCompositionDevice3","features":[408]},{"name":"IDCompositionDevice4","features":[408]},{"name":"IDCompositionDeviceDebug","features":[408]},{"name":"IDCompositionEffect","features":[408]},{"name":"IDCompositionEffectGroup","features":[408]},{"name":"IDCompositionFilterEffect","features":[408]},{"name":"IDCompositionGaussianBlurEffect","features":[408]},{"name":"IDCompositionHueRotationEffect","features":[408]},{"name":"IDCompositionInkTrailDevice","features":[408]},{"name":"IDCompositionLinearTransferEffect","features":[408]},{"name":"IDCompositionMatrixTransform","features":[408]},{"name":"IDCompositionMatrixTransform3D","features":[408]},{"name":"IDCompositionRectangleClip","features":[408]},{"name":"IDCompositionRotateTransform","features":[408]},{"name":"IDCompositionRotateTransform3D","features":[408]},{"name":"IDCompositionSaturationEffect","features":[408]},{"name":"IDCompositionScaleTransform","features":[408]},{"name":"IDCompositionScaleTransform3D","features":[408]},{"name":"IDCompositionShadowEffect","features":[408]},{"name":"IDCompositionSkewTransform","features":[408]},{"name":"IDCompositionSurface","features":[408]},{"name":"IDCompositionSurfaceFactory","features":[408]},{"name":"IDCompositionTableTransferEffect","features":[408]},{"name":"IDCompositionTarget","features":[408]},{"name":"IDCompositionTexture","features":[408]},{"name":"IDCompositionTransform","features":[408]},{"name":"IDCompositionTransform3D","features":[408]},{"name":"IDCompositionTranslateTransform","features":[408]},{"name":"IDCompositionTranslateTransform3D","features":[408]},{"name":"IDCompositionTurbulenceEffect","features":[408]},{"name":"IDCompositionVirtualSurface","features":[408]},{"name":"IDCompositionVisual","features":[408]},{"name":"IDCompositionVisual2","features":[408]},{"name":"IDCompositionVisual3","features":[408]},{"name":"IDCompositionVisualDebug","features":[408]}],"407":[{"name":"ACCESSRECTLIST","features":[308,318,319]},{"name":"ACCESSRECT_BROKEN","features":[318]},{"name":"ACCESSRECT_NOTHOLDINGWIN16LOCK","features":[318]},{"name":"ACCESSRECT_VRAMSTYLE","features":[318]},{"name":"ATTACHLIST","features":[308,318,319]},{"name":"CCHDEVICENAME","features":[318]},{"name":"CLSID_DirectDraw","features":[318]},{"name":"CLSID_DirectDraw7","features":[318]},{"name":"CLSID_DirectDrawClipper","features":[318]},{"name":"D3DFMT_INTERNAL_D15S1","features":[318]},{"name":"D3DFMT_INTERNAL_D24S8","features":[318]},{"name":"D3DFMT_INTERNAL_D24X8","features":[318]},{"name":"D3DFMT_INTERNAL_D32","features":[318]},{"name":"D3DFMT_INTERNAL_S1D15","features":[318]},{"name":"D3DFMT_INTERNAL_S8D24","features":[318]},{"name":"D3DFMT_INTERNAL_X8D24","features":[318]},{"name":"D3DFORMAT_MEMBEROFGROUP_ARGB","features":[318]},{"name":"D3DFORMAT_OP_3DACCELERATION","features":[318]},{"name":"D3DFORMAT_OP_AUTOGENMIPMAP","features":[318]},{"name":"D3DFORMAT_OP_BUMPMAP","features":[318]},{"name":"D3DFORMAT_OP_CONVERT_TO_ARGB","features":[318]},{"name":"D3DFORMAT_OP_CUBETEXTURE","features":[318]},{"name":"D3DFORMAT_OP_DISPLAYMODE","features":[318]},{"name":"D3DFORMAT_OP_DMAP","features":[318]},{"name":"D3DFORMAT_OP_NOALPHABLEND","features":[318]},{"name":"D3DFORMAT_OP_NOFILTER","features":[318]},{"name":"D3DFORMAT_OP_NOTEXCOORDWRAPNORMIP","features":[318]},{"name":"D3DFORMAT_OP_OFFSCREENPLAIN","features":[318]},{"name":"D3DFORMAT_OP_OFFSCREEN_RENDERTARGET","features":[318]},{"name":"D3DFORMAT_OP_PIXELSIZE","features":[318]},{"name":"D3DFORMAT_OP_SAME_FORMAT_RENDERTARGET","features":[318]},{"name":"D3DFORMAT_OP_SAME_FORMAT_UP_TO_ALPHA_RENDERTARGET","features":[318]},{"name":"D3DFORMAT_OP_SRGBREAD","features":[318]},{"name":"D3DFORMAT_OP_SRGBWRITE","features":[318]},{"name":"D3DFORMAT_OP_TEXTURE","features":[318]},{"name":"D3DFORMAT_OP_VERTEXTEXTURE","features":[318]},{"name":"D3DFORMAT_OP_VOLUMETEXTURE","features":[318]},{"name":"D3DFORMAT_OP_ZSTENCIL","features":[318]},{"name":"D3DFORMAT_OP_ZSTENCIL_WITH_ARBITRARY_COLOR_DEPTH","features":[318]},{"name":"DBLNODE","features":[308,318,319]},{"name":"DCICOMMAND","features":[318]},{"name":"DD32BITDRIVERDATA","features":[318]},{"name":"DDABLT_SRCOVERDEST","features":[318]},{"name":"DDAL_IMPLICIT","features":[318]},{"name":"DDARGB","features":[318]},{"name":"DDBD_1","features":[318]},{"name":"DDBD_16","features":[318]},{"name":"DDBD_2","features":[318]},{"name":"DDBD_24","features":[318]},{"name":"DDBD_32","features":[318]},{"name":"DDBD_4","features":[318]},{"name":"DDBD_8","features":[318]},{"name":"DDBLTBATCH","features":[308,318]},{"name":"DDBLTFAST_DESTCOLORKEY","features":[318]},{"name":"DDBLTFAST_DONOTWAIT","features":[318]},{"name":"DDBLTFAST_NOCOLORKEY","features":[318]},{"name":"DDBLTFAST_SRCCOLORKEY","features":[318]},{"name":"DDBLTFAST_WAIT","features":[318]},{"name":"DDBLTFX","features":[318]},{"name":"DDBLTFX_ARITHSTRETCHY","features":[318]},{"name":"DDBLTFX_MIRRORLEFTRIGHT","features":[318]},{"name":"DDBLTFX_MIRRORUPDOWN","features":[318]},{"name":"DDBLTFX_NOTEARING","features":[318]},{"name":"DDBLTFX_ROTATE180","features":[318]},{"name":"DDBLTFX_ROTATE270","features":[318]},{"name":"DDBLTFX_ROTATE90","features":[318]},{"name":"DDBLTFX_ZBUFFERBASEDEST","features":[318]},{"name":"DDBLTFX_ZBUFFERRANGE","features":[318]},{"name":"DDBLT_AFLAGS","features":[318]},{"name":"DDBLT_ALPHADEST","features":[318]},{"name":"DDBLT_ALPHADESTCONSTOVERRIDE","features":[318]},{"name":"DDBLT_ALPHADESTNEG","features":[318]},{"name":"DDBLT_ALPHADESTSURFACEOVERRIDE","features":[318]},{"name":"DDBLT_ALPHAEDGEBLEND","features":[318]},{"name":"DDBLT_ALPHASRC","features":[318]},{"name":"DDBLT_ALPHASRCCONSTOVERRIDE","features":[318]},{"name":"DDBLT_ALPHASRCNEG","features":[318]},{"name":"DDBLT_ALPHASRCSURFACEOVERRIDE","features":[318]},{"name":"DDBLT_ASYNC","features":[318]},{"name":"DDBLT_COLORFILL","features":[318]},{"name":"DDBLT_DDFX","features":[318]},{"name":"DDBLT_DDROPS","features":[318]},{"name":"DDBLT_DEPTHFILL","features":[318]},{"name":"DDBLT_DONOTWAIT","features":[318]},{"name":"DDBLT_EXTENDED_FLAGS","features":[318]},{"name":"DDBLT_EXTENDED_LINEAR_CONTENT","features":[318]},{"name":"DDBLT_KEYDEST","features":[318]},{"name":"DDBLT_KEYDESTOVERRIDE","features":[318]},{"name":"DDBLT_KEYSRC","features":[318]},{"name":"DDBLT_KEYSRCOVERRIDE","features":[318]},{"name":"DDBLT_LAST_PRESENTATION","features":[318]},{"name":"DDBLT_PRESENTATION","features":[318]},{"name":"DDBLT_ROP","features":[318]},{"name":"DDBLT_ROTATIONANGLE","features":[318]},{"name":"DDBLT_WAIT","features":[318]},{"name":"DDBLT_ZBUFFER","features":[318]},{"name":"DDBLT_ZBUFFERDESTCONSTOVERRIDE","features":[318]},{"name":"DDBLT_ZBUFFERDESTOVERRIDE","features":[318]},{"name":"DDBLT_ZBUFFERSRCCONSTOVERRIDE","features":[318]},{"name":"DDBLT_ZBUFFERSRCOVERRIDE","features":[318]},{"name":"DDBOBNEXTFIELDINFO","features":[318]},{"name":"DDCAPS2_AUTOFLIPOVERLAY","features":[318]},{"name":"DDCAPS2_CANAUTOGENMIPMAP","features":[318]},{"name":"DDCAPS2_CANBOBHARDWARE","features":[318]},{"name":"DDCAPS2_CANBOBINTERLEAVED","features":[318]},{"name":"DDCAPS2_CANBOBNONINTERLEAVED","features":[318]},{"name":"DDCAPS2_CANCALIBRATEGAMMA","features":[318]},{"name":"DDCAPS2_CANDROPZ16BIT","features":[318]},{"name":"DDCAPS2_CANFLIPODDEVEN","features":[318]},{"name":"DDCAPS2_CANMANAGERESOURCE","features":[318]},{"name":"DDCAPS2_CANMANAGETEXTURE","features":[318]},{"name":"DDCAPS2_CANRENDERWINDOWED","features":[318]},{"name":"DDCAPS2_CANSHARERESOURCE","features":[318]},{"name":"DDCAPS2_CERTIFIED","features":[318]},{"name":"DDCAPS2_COLORCONTROLOVERLAY","features":[318]},{"name":"DDCAPS2_COLORCONTROLPRIMARY","features":[318]},{"name":"DDCAPS2_COPYFOURCC","features":[318]},{"name":"DDCAPS2_DYNAMICTEXTURES","features":[318]},{"name":"DDCAPS2_FLIPINTERVAL","features":[318]},{"name":"DDCAPS2_FLIPNOVSYNC","features":[318]},{"name":"DDCAPS2_NO2DDURING3DSCENE","features":[318]},{"name":"DDCAPS2_NONLOCALVIDMEM","features":[318]},{"name":"DDCAPS2_NONLOCALVIDMEMCAPS","features":[318]},{"name":"DDCAPS2_NOPAGELOCKREQUIRED","features":[318]},{"name":"DDCAPS2_PRIMARYGAMMA","features":[318]},{"name":"DDCAPS2_RESERVED1","features":[318]},{"name":"DDCAPS2_STEREO","features":[318]},{"name":"DDCAPS2_SYSTONONLOCAL_AS_SYSTOLOCAL","features":[318]},{"name":"DDCAPS2_TEXMANINNONLOCALVIDMEM","features":[318]},{"name":"DDCAPS2_VIDEOPORT","features":[318]},{"name":"DDCAPS2_WIDESURFACES","features":[318]},{"name":"DDCAPS_3D","features":[318]},{"name":"DDCAPS_ALIGNBOUNDARYDEST","features":[318]},{"name":"DDCAPS_ALIGNBOUNDARYSRC","features":[318]},{"name":"DDCAPS_ALIGNSIZEDEST","features":[318]},{"name":"DDCAPS_ALIGNSIZESRC","features":[318]},{"name":"DDCAPS_ALIGNSTRIDE","features":[318]},{"name":"DDCAPS_ALPHA","features":[318]},{"name":"DDCAPS_BANKSWITCHED","features":[318]},{"name":"DDCAPS_BLT","features":[318]},{"name":"DDCAPS_BLTCOLORFILL","features":[318]},{"name":"DDCAPS_BLTDEPTHFILL","features":[318]},{"name":"DDCAPS_BLTFOURCC","features":[318]},{"name":"DDCAPS_BLTQUEUE","features":[318]},{"name":"DDCAPS_BLTSTRETCH","features":[318]},{"name":"DDCAPS_CANBLTSYSMEM","features":[318]},{"name":"DDCAPS_CANCLIP","features":[318]},{"name":"DDCAPS_CANCLIPSTRETCHED","features":[318]},{"name":"DDCAPS_COLORKEY","features":[318]},{"name":"DDCAPS_COLORKEYHWASSIST","features":[318]},{"name":"DDCAPS_DX1","features":[318]},{"name":"DDCAPS_DX3","features":[318]},{"name":"DDCAPS_DX5","features":[318]},{"name":"DDCAPS_DX6","features":[318]},{"name":"DDCAPS_DX7","features":[318]},{"name":"DDCAPS_GDI","features":[318]},{"name":"DDCAPS_NOHARDWARE","features":[318]},{"name":"DDCAPS_OVERLAY","features":[318]},{"name":"DDCAPS_OVERLAYCANTCLIP","features":[318]},{"name":"DDCAPS_OVERLAYFOURCC","features":[318]},{"name":"DDCAPS_OVERLAYSTRETCH","features":[318]},{"name":"DDCAPS_PALETTE","features":[318]},{"name":"DDCAPS_PALETTEVSYNC","features":[318]},{"name":"DDCAPS_READSCANLINE","features":[318]},{"name":"DDCAPS_RESERVED1","features":[318]},{"name":"DDCAPS_VBI","features":[318]},{"name":"DDCAPS_ZBLTS","features":[318]},{"name":"DDCAPS_ZOVERLAYS","features":[318]},{"name":"DDCKEYCAPS_DESTBLT","features":[318]},{"name":"DDCKEYCAPS_DESTBLTCLRSPACE","features":[318]},{"name":"DDCKEYCAPS_DESTBLTCLRSPACEYUV","features":[318]},{"name":"DDCKEYCAPS_DESTBLTYUV","features":[318]},{"name":"DDCKEYCAPS_DESTOVERLAY","features":[318]},{"name":"DDCKEYCAPS_DESTOVERLAYCLRSPACE","features":[318]},{"name":"DDCKEYCAPS_DESTOVERLAYCLRSPACEYUV","features":[318]},{"name":"DDCKEYCAPS_DESTOVERLAYONEACTIVE","features":[318]},{"name":"DDCKEYCAPS_DESTOVERLAYYUV","features":[318]},{"name":"DDCKEYCAPS_NOCOSTOVERLAY","features":[318]},{"name":"DDCKEYCAPS_SRCBLT","features":[318]},{"name":"DDCKEYCAPS_SRCBLTCLRSPACE","features":[318]},{"name":"DDCKEYCAPS_SRCBLTCLRSPACEYUV","features":[318]},{"name":"DDCKEYCAPS_SRCBLTYUV","features":[318]},{"name":"DDCKEYCAPS_SRCOVERLAY","features":[318]},{"name":"DDCKEYCAPS_SRCOVERLAYCLRSPACE","features":[318]},{"name":"DDCKEYCAPS_SRCOVERLAYCLRSPACEYUV","features":[318]},{"name":"DDCKEYCAPS_SRCOVERLAYONEACTIVE","features":[318]},{"name":"DDCKEYCAPS_SRCOVERLAYYUV","features":[318]},{"name":"DDCKEY_COLORSPACE","features":[318]},{"name":"DDCKEY_DESTBLT","features":[318]},{"name":"DDCKEY_DESTOVERLAY","features":[318]},{"name":"DDCKEY_SRCBLT","features":[318]},{"name":"DDCKEY_SRCOVERLAY","features":[318]},{"name":"DDCOLORCONTROL","features":[318]},{"name":"DDCOLORKEY","features":[318]},{"name":"DDCOLOR_BRIGHTNESS","features":[318]},{"name":"DDCOLOR_COLORENABLE","features":[318]},{"name":"DDCOLOR_CONTRAST","features":[318]},{"name":"DDCOLOR_GAMMA","features":[318]},{"name":"DDCOLOR_HUE","features":[318]},{"name":"DDCOLOR_SATURATION","features":[318]},{"name":"DDCOLOR_SHARPNESS","features":[318]},{"name":"DDCOMPBUFFERINFO","features":[318]},{"name":"DDCORECAPS","features":[318]},{"name":"DDCREATEDRIVEROBJECT","features":[318]},{"name":"DDCREATE_EMULATIONONLY","features":[318]},{"name":"DDCREATE_HARDWAREONLY","features":[318]},{"name":"DDDEVICEIDENTIFIER","features":[318]},{"name":"DDDEVICEIDENTIFIER2","features":[318]},{"name":"DDEDM_REFRESHRATES","features":[318]},{"name":"DDEDM_STANDARDVGAMODES","features":[318]},{"name":"DDEM_MODEFAILED","features":[318]},{"name":"DDEM_MODEPASSED","features":[318]},{"name":"DDENABLEIRQINFO","features":[318]},{"name":"DDENUMOVERLAYZ_BACKTOFRONT","features":[318]},{"name":"DDENUMOVERLAYZ_FRONTTOBACK","features":[318]},{"name":"DDENUMRET_CANCEL","features":[318]},{"name":"DDENUMRET_OK","features":[318]},{"name":"DDENUMSURFACES_ALL","features":[318]},{"name":"DDENUMSURFACES_CANBECREATED","features":[318]},{"name":"DDENUMSURFACES_DOESEXIST","features":[318]},{"name":"DDENUMSURFACES_MATCH","features":[318]},{"name":"DDENUMSURFACES_NOMATCH","features":[318]},{"name":"DDENUM_ATTACHEDSECONDARYDEVICES","features":[318]},{"name":"DDENUM_DETACHEDSECONDARYDEVICES","features":[318]},{"name":"DDENUM_NONDISPLAYDEVICES","features":[318]},{"name":"DDERR_NOTINITIALIZED","features":[318]},{"name":"DDFLIPOVERLAYINFO","features":[318]},{"name":"DDFLIPVIDEOPORTINFO","features":[318]},{"name":"DDFLIP_DONOTWAIT","features":[318]},{"name":"DDFLIP_EVEN","features":[318]},{"name":"DDFLIP_INTERVAL2","features":[318]},{"name":"DDFLIP_INTERVAL3","features":[318]},{"name":"DDFLIP_INTERVAL4","features":[318]},{"name":"DDFLIP_NOVSYNC","features":[318]},{"name":"DDFLIP_ODD","features":[318]},{"name":"DDFLIP_STEREO","features":[318]},{"name":"DDFLIP_WAIT","features":[318]},{"name":"DDFXALPHACAPS_BLTALPHAEDGEBLEND","features":[318]},{"name":"DDFXALPHACAPS_BLTALPHAPIXELS","features":[318]},{"name":"DDFXALPHACAPS_BLTALPHAPIXELSNEG","features":[318]},{"name":"DDFXALPHACAPS_BLTALPHASURFACES","features":[318]},{"name":"DDFXALPHACAPS_BLTALPHASURFACESNEG","features":[318]},{"name":"DDFXALPHACAPS_OVERLAYALPHAEDGEBLEND","features":[318]},{"name":"DDFXALPHACAPS_OVERLAYALPHAPIXELS","features":[318]},{"name":"DDFXALPHACAPS_OVERLAYALPHAPIXELSNEG","features":[318]},{"name":"DDFXALPHACAPS_OVERLAYALPHASURFACES","features":[318]},{"name":"DDFXALPHACAPS_OVERLAYALPHASURFACESNEG","features":[318]},{"name":"DDFXCAPS_BLTALPHA","features":[318]},{"name":"DDFXCAPS_BLTARITHSTRETCHY","features":[318]},{"name":"DDFXCAPS_BLTARITHSTRETCHYN","features":[318]},{"name":"DDFXCAPS_BLTFILTER","features":[318]},{"name":"DDFXCAPS_BLTMIRRORLEFTRIGHT","features":[318]},{"name":"DDFXCAPS_BLTMIRRORUPDOWN","features":[318]},{"name":"DDFXCAPS_BLTROTATION","features":[318]},{"name":"DDFXCAPS_BLTROTATION90","features":[318]},{"name":"DDFXCAPS_BLTSHRINKX","features":[318]},{"name":"DDFXCAPS_BLTSHRINKXN","features":[318]},{"name":"DDFXCAPS_BLTSHRINKY","features":[318]},{"name":"DDFXCAPS_BLTSHRINKYN","features":[318]},{"name":"DDFXCAPS_BLTSTRETCHX","features":[318]},{"name":"DDFXCAPS_BLTSTRETCHXN","features":[318]},{"name":"DDFXCAPS_BLTSTRETCHY","features":[318]},{"name":"DDFXCAPS_BLTSTRETCHYN","features":[318]},{"name":"DDFXCAPS_OVERLAYALPHA","features":[318]},{"name":"DDFXCAPS_OVERLAYARITHSTRETCHY","features":[318]},{"name":"DDFXCAPS_OVERLAYARITHSTRETCHYN","features":[318]},{"name":"DDFXCAPS_OVERLAYDEINTERLACE","features":[318]},{"name":"DDFXCAPS_OVERLAYFILTER","features":[318]},{"name":"DDFXCAPS_OVERLAYMIRRORLEFTRIGHT","features":[318]},{"name":"DDFXCAPS_OVERLAYMIRRORUPDOWN","features":[318]},{"name":"DDFXCAPS_OVERLAYSHRINKX","features":[318]},{"name":"DDFXCAPS_OVERLAYSHRINKXN","features":[318]},{"name":"DDFXCAPS_OVERLAYSHRINKY","features":[318]},{"name":"DDFXCAPS_OVERLAYSHRINKYN","features":[318]},{"name":"DDFXCAPS_OVERLAYSTRETCHX","features":[318]},{"name":"DDFXCAPS_OVERLAYSTRETCHXN","features":[318]},{"name":"DDFXCAPS_OVERLAYSTRETCHY","features":[318]},{"name":"DDFXCAPS_OVERLAYSTRETCHYN","features":[318]},{"name":"DDGAMMARAMP","features":[318]},{"name":"DDGBS_CANBLT","features":[318]},{"name":"DDGBS_ISBLTDONE","features":[318]},{"name":"DDGDI_GETHOSTIDENTIFIER","features":[318]},{"name":"DDGET32BITDRIVERNAME","features":[318]},{"name":"DDGETCURRENTAUTOFLIPININFO","features":[318]},{"name":"DDGETCURRENTAUTOFLIPOUTINFO","features":[318]},{"name":"DDGETIRQINFO","features":[318]},{"name":"DDGETPOLARITYININFO","features":[318]},{"name":"DDGETPOLARITYOUTINFO","features":[318]},{"name":"DDGETPREVIOUSAUTOFLIPININFO","features":[318]},{"name":"DDGETPREVIOUSAUTOFLIPOUTINFO","features":[318]},{"name":"DDGETTRANSFERSTATUSOUTINFO","features":[318]},{"name":"DDGFS_CANFLIP","features":[318]},{"name":"DDGFS_ISFLIPDONE","features":[318]},{"name":"DDHALDDRAWFNS","features":[308,318,319]},{"name":"DDHALINFO","features":[308,318,319]},{"name":"DDHALINFO_GETDRIVERINFO2","features":[318]},{"name":"DDHALINFO_GETDRIVERINFOSET","features":[318]},{"name":"DDHALINFO_ISPRIMARYDISPLAY","features":[318]},{"name":"DDHALINFO_MODEXILLEGAL","features":[318]},{"name":"DDHALMODEINFO","features":[318]},{"name":"DDHAL_ADDATTACHEDSURFACEDATA","features":[308,318,319]},{"name":"DDHAL_APP_DLLNAME","features":[318]},{"name":"DDHAL_BEGINMOCOMPFRAMEDATA","features":[308,318,319]},{"name":"DDHAL_BLTDATA","features":[308,318,319]},{"name":"DDHAL_CALLBACKS","features":[308,318,319]},{"name":"DDHAL_CANCREATESURFACEDATA","features":[308,318,319]},{"name":"DDHAL_CANCREATEVPORTDATA","features":[308,318,319]},{"name":"DDHAL_CB32_CANCREATESURFACE","features":[318]},{"name":"DDHAL_CB32_CREATEPALETTE","features":[318]},{"name":"DDHAL_CB32_CREATESURFACE","features":[318]},{"name":"DDHAL_CB32_DESTROYDRIVER","features":[318]},{"name":"DDHAL_CB32_FLIPTOGDISURFACE","features":[318]},{"name":"DDHAL_CB32_GETSCANLINE","features":[318]},{"name":"DDHAL_CB32_MAPMEMORY","features":[318]},{"name":"DDHAL_CB32_SETCOLORKEY","features":[318]},{"name":"DDHAL_CB32_SETEXCLUSIVEMODE","features":[318]},{"name":"DDHAL_CB32_SETMODE","features":[318]},{"name":"DDHAL_CB32_WAITFORVERTICALBLANK","features":[318]},{"name":"DDHAL_COLORCONTROLDATA","features":[308,318,319]},{"name":"DDHAL_COLOR_COLORCONTROL","features":[318]},{"name":"DDHAL_CREATEMOCOMPDATA","features":[308,318,319]},{"name":"DDHAL_CREATEPALETTEDATA","features":[308,318,319]},{"name":"DDHAL_CREATESURFACEDATA","features":[308,318,319]},{"name":"DDHAL_CREATESURFACEEXDATA","features":[308,318,319]},{"name":"DDHAL_CREATESURFACEEX_SWAPHANDLES","features":[318]},{"name":"DDHAL_CREATEVPORTDATA","features":[308,318,319]},{"name":"DDHAL_D3DBUFCB32_CANCREATED3DBUF","features":[318]},{"name":"DDHAL_D3DBUFCB32_CREATED3DBUF","features":[318]},{"name":"DDHAL_D3DBUFCB32_DESTROYD3DBUF","features":[318]},{"name":"DDHAL_D3DBUFCB32_LOCKD3DBUF","features":[318]},{"name":"DDHAL_D3DBUFCB32_UNLOCKD3DBUF","features":[318]},{"name":"DDHAL_DDCALLBACKS","features":[308,318,319]},{"name":"DDHAL_DDCOLORCONTROLCALLBACKS","features":[308,318,319]},{"name":"DDHAL_DDEXEBUFCALLBACKS","features":[308,318,319]},{"name":"DDHAL_DDKERNELCALLBACKS","features":[308,318,319]},{"name":"DDHAL_DDMISCELLANEOUS2CALLBACKS","features":[308,318,319]},{"name":"DDHAL_DDMISCELLANEOUSCALLBACKS","features":[308,318,319]},{"name":"DDHAL_DDMOTIONCOMPCALLBACKS","features":[308,318,319]},{"name":"DDHAL_DDPALETTECALLBACKS","features":[308,318,319]},{"name":"DDHAL_DDSURFACECALLBACKS","features":[308,318,319]},{"name":"DDHAL_DDVIDEOPORTCALLBACKS","features":[308,318,319]},{"name":"DDHAL_DESTROYDDLOCALDATA","features":[308,318,319]},{"name":"DDHAL_DESTROYDRIVERDATA","features":[308,318,319]},{"name":"DDHAL_DESTROYMOCOMPDATA","features":[308,318,319]},{"name":"DDHAL_DESTROYPALETTEDATA","features":[308,318,319]},{"name":"DDHAL_DESTROYSURFACEDATA","features":[308,318,319]},{"name":"DDHAL_DESTROYVPORTDATA","features":[308,318,319]},{"name":"DDHAL_DRIVER_DLLNAME","features":[318]},{"name":"DDHAL_DRIVER_HANDLED","features":[318]},{"name":"DDHAL_DRIVER_NOCKEYHW","features":[318]},{"name":"DDHAL_DRIVER_NOTHANDLED","features":[318]},{"name":"DDHAL_DRVSETCOLORKEYDATA","features":[308,318,319]},{"name":"DDHAL_ENDMOCOMPFRAMEDATA","features":[308,318,319]},{"name":"DDHAL_EXEBUFCB32_CANCREATEEXEBUF","features":[318]},{"name":"DDHAL_EXEBUFCB32_CREATEEXEBUF","features":[318]},{"name":"DDHAL_EXEBUFCB32_DESTROYEXEBUF","features":[318]},{"name":"DDHAL_EXEBUFCB32_LOCKEXEBUF","features":[318]},{"name":"DDHAL_EXEBUFCB32_UNLOCKEXEBUF","features":[318]},{"name":"DDHAL_FLIPDATA","features":[308,318,319]},{"name":"DDHAL_FLIPTOGDISURFACEDATA","features":[308,318,319]},{"name":"DDHAL_FLIPVPORTDATA","features":[308,318,319]},{"name":"DDHAL_GETAVAILDRIVERMEMORYDATA","features":[308,318,319]},{"name":"DDHAL_GETBLTSTATUSDATA","features":[308,318,319]},{"name":"DDHAL_GETDRIVERINFODATA","features":[318]},{"name":"DDHAL_GETDRIVERSTATEDATA","features":[318]},{"name":"DDHAL_GETFLIPSTATUSDATA","features":[308,318,319]},{"name":"DDHAL_GETHEAPALIGNMENTDATA","features":[318]},{"name":"DDHAL_GETINTERNALMOCOMPDATA","features":[308,318,319]},{"name":"DDHAL_GETMOCOMPCOMPBUFFDATA","features":[308,318,319]},{"name":"DDHAL_GETMOCOMPFORMATSDATA","features":[308,318,319]},{"name":"DDHAL_GETMOCOMPGUIDSDATA","features":[308,318,319]},{"name":"DDHAL_GETSCANLINEDATA","features":[308,318,319]},{"name":"DDHAL_GETVPORTBANDWIDTHDATA","features":[308,318,319]},{"name":"DDHAL_GETVPORTCONNECTDATA","features":[308,318,319]},{"name":"DDHAL_GETVPORTFIELDDATA","features":[308,318,319]},{"name":"DDHAL_GETVPORTFLIPSTATUSDATA","features":[308,318,319]},{"name":"DDHAL_GETVPORTINPUTFORMATDATA","features":[308,318,319]},{"name":"DDHAL_GETVPORTLINEDATA","features":[308,318,319]},{"name":"DDHAL_GETVPORTOUTPUTFORMATDATA","features":[308,318,319]},{"name":"DDHAL_GETVPORTSIGNALDATA","features":[308,318,319]},{"name":"DDHAL_KERNEL_SYNCSURFACEDATA","features":[318]},{"name":"DDHAL_KERNEL_SYNCVIDEOPORTDATA","features":[318]},{"name":"DDHAL_LOCKDATA","features":[308,318,319]},{"name":"DDHAL_MISC2CB32_ALPHABLT","features":[318]},{"name":"DDHAL_MISC2CB32_CREATESURFACEEX","features":[318]},{"name":"DDHAL_MISC2CB32_DESTROYDDLOCAL","features":[318]},{"name":"DDHAL_MISC2CB32_GETDRIVERSTATE","features":[318]},{"name":"DDHAL_MISCCB32_GETAVAILDRIVERMEMORY","features":[318]},{"name":"DDHAL_MISCCB32_GETHEAPALIGNMENT","features":[318]},{"name":"DDHAL_MISCCB32_GETSYSMEMBLTSTATUS","features":[318]},{"name":"DDHAL_MISCCB32_UPDATENONLOCALHEAP","features":[318]},{"name":"DDHAL_MOCOMP32_BEGINFRAME","features":[318]},{"name":"DDHAL_MOCOMP32_CREATE","features":[318]},{"name":"DDHAL_MOCOMP32_DESTROY","features":[318]},{"name":"DDHAL_MOCOMP32_ENDFRAME","features":[318]},{"name":"DDHAL_MOCOMP32_GETCOMPBUFFINFO","features":[318]},{"name":"DDHAL_MOCOMP32_GETFORMATS","features":[318]},{"name":"DDHAL_MOCOMP32_GETGUIDS","features":[318]},{"name":"DDHAL_MOCOMP32_GETINTERNALINFO","features":[318]},{"name":"DDHAL_MOCOMP32_QUERYSTATUS","features":[318]},{"name":"DDHAL_MOCOMP32_RENDER","features":[318]},{"name":"DDHAL_NTCB32_FLIPTOGDISURFACE","features":[318]},{"name":"DDHAL_NTCB32_FREEDRIVERMEMORY","features":[318]},{"name":"DDHAL_NTCB32_SETEXCLUSIVEMODE","features":[318]},{"name":"DDHAL_PALCB32_DESTROYPALETTE","features":[318]},{"name":"DDHAL_PALCB32_SETENTRIES","features":[318]},{"name":"DDHAL_PLEASEALLOC_BLOCKSIZE","features":[318]},{"name":"DDHAL_PLEASEALLOC_LINEARSIZE","features":[318]},{"name":"DDHAL_PLEASEALLOC_USERMEM","features":[318]},{"name":"DDHAL_PRIVATECAP_ATOMICSURFACECREATION","features":[318]},{"name":"DDHAL_PRIVATECAP_NOTIFYPRIMARYCREATION","features":[318]},{"name":"DDHAL_PRIVATECAP_RESERVED1","features":[318]},{"name":"DDHAL_QUERYMOCOMPSTATUSDATA","features":[308,318,319]},{"name":"DDHAL_RENDERMOCOMPDATA","features":[308,318,319]},{"name":"DDHAL_SETCLIPLISTDATA","features":[308,318,319]},{"name":"DDHAL_SETCOLORKEYDATA","features":[308,318,319]},{"name":"DDHAL_SETENTRIESDATA","features":[308,318,319]},{"name":"DDHAL_SETEXCLUSIVEMODEDATA","features":[308,318,319]},{"name":"DDHAL_SETMODEDATA","features":[308,318,319]},{"name":"DDHAL_SETOVERLAYPOSITIONDATA","features":[308,318,319]},{"name":"DDHAL_SETPALETTEDATA","features":[308,318,319]},{"name":"DDHAL_SURFCB32_ADDATTACHEDSURFACE","features":[318]},{"name":"DDHAL_SURFCB32_BLT","features":[318]},{"name":"DDHAL_SURFCB32_DESTROYSURFACE","features":[318]},{"name":"DDHAL_SURFCB32_FLIP","features":[318]},{"name":"DDHAL_SURFCB32_GETBLTSTATUS","features":[318]},{"name":"DDHAL_SURFCB32_GETFLIPSTATUS","features":[318]},{"name":"DDHAL_SURFCB32_LOCK","features":[318]},{"name":"DDHAL_SURFCB32_RESERVED4","features":[318]},{"name":"DDHAL_SURFCB32_SETCLIPLIST","features":[318]},{"name":"DDHAL_SURFCB32_SETCOLORKEY","features":[318]},{"name":"DDHAL_SURFCB32_SETOVERLAYPOSITION","features":[318]},{"name":"DDHAL_SURFCB32_SETPALETTE","features":[318]},{"name":"DDHAL_SURFCB32_UNLOCK","features":[318]},{"name":"DDHAL_SURFCB32_UPDATEOVERLAY","features":[318]},{"name":"DDHAL_SYNCSURFACEDATA","features":[308,318,319]},{"name":"DDHAL_SYNCVIDEOPORTDATA","features":[308,318,319]},{"name":"DDHAL_UNLOCKDATA","features":[308,318,319]},{"name":"DDHAL_UPDATENONLOCALHEAPDATA","features":[308,318,319]},{"name":"DDHAL_UPDATEOVERLAYDATA","features":[308,318,319]},{"name":"DDHAL_UPDATEVPORTDATA","features":[308,318,319]},{"name":"DDHAL_VPORT32_CANCREATEVIDEOPORT","features":[318]},{"name":"DDHAL_VPORT32_COLORCONTROL","features":[318]},{"name":"DDHAL_VPORT32_CREATEVIDEOPORT","features":[318]},{"name":"DDHAL_VPORT32_DESTROY","features":[318]},{"name":"DDHAL_VPORT32_FLIP","features":[318]},{"name":"DDHAL_VPORT32_GETAUTOFLIPSURF","features":[318]},{"name":"DDHAL_VPORT32_GETBANDWIDTH","features":[318]},{"name":"DDHAL_VPORT32_GETCONNECT","features":[318]},{"name":"DDHAL_VPORT32_GETFIELD","features":[318]},{"name":"DDHAL_VPORT32_GETFLIPSTATUS","features":[318]},{"name":"DDHAL_VPORT32_GETINPUTFORMATS","features":[318]},{"name":"DDHAL_VPORT32_GETLINE","features":[318]},{"name":"DDHAL_VPORT32_GETOUTPUTFORMATS","features":[318]},{"name":"DDHAL_VPORT32_GETSIGNALSTATUS","features":[318]},{"name":"DDHAL_VPORT32_UPDATE","features":[318]},{"name":"DDHAL_VPORT32_WAITFORSYNC","features":[318]},{"name":"DDHAL_VPORTCOLORDATA","features":[308,318,319]},{"name":"DDHAL_WAITFORVERTICALBLANKDATA","features":[308,318,319]},{"name":"DDHAL_WAITFORVPORTSYNCDATA","features":[308,318,319]},{"name":"DDIRQ_BUSMASTER","features":[318]},{"name":"DDIRQ_DISPLAY_VSYNC","features":[318]},{"name":"DDIRQ_RESERVED1","features":[318]},{"name":"DDIRQ_VPORT0_LINE","features":[318]},{"name":"DDIRQ_VPORT0_VSYNC","features":[318]},{"name":"DDIRQ_VPORT1_LINE","features":[318]},{"name":"DDIRQ_VPORT1_VSYNC","features":[318]},{"name":"DDIRQ_VPORT2_LINE","features":[318]},{"name":"DDIRQ_VPORT2_VSYNC","features":[318]},{"name":"DDIRQ_VPORT3_LINE","features":[318]},{"name":"DDIRQ_VPORT3_VSYNC","features":[318]},{"name":"DDIRQ_VPORT4_LINE","features":[318]},{"name":"DDIRQ_VPORT4_VSYNC","features":[318]},{"name":"DDIRQ_VPORT5_LINE","features":[318]},{"name":"DDIRQ_VPORT5_VSYNC","features":[318]},{"name":"DDIRQ_VPORT6_LINE","features":[318]},{"name":"DDIRQ_VPORT6_VSYNC","features":[318]},{"name":"DDIRQ_VPORT7_LINE","features":[318]},{"name":"DDIRQ_VPORT7_VSYNC","features":[318]},{"name":"DDIRQ_VPORT8_LINE","features":[318]},{"name":"DDIRQ_VPORT8_VSYNC","features":[318]},{"name":"DDIRQ_VPORT9_LINE","features":[318]},{"name":"DDIRQ_VPORT9_VSYNC","features":[318]},{"name":"DDKERNELCAPS","features":[318]},{"name":"DDKERNELCAPS_AUTOFLIP","features":[318]},{"name":"DDKERNELCAPS_CAPTURE_INVERTED","features":[318]},{"name":"DDKERNELCAPS_CAPTURE_NONLOCALVIDMEM","features":[318]},{"name":"DDKERNELCAPS_CAPTURE_SYSMEM","features":[318]},{"name":"DDKERNELCAPS_FIELDPOLARITY","features":[318]},{"name":"DDKERNELCAPS_FLIPOVERLAY","features":[318]},{"name":"DDKERNELCAPS_FLIPVIDEOPORT","features":[318]},{"name":"DDKERNELCAPS_LOCK","features":[318]},{"name":"DDKERNELCAPS_SETSTATE","features":[318]},{"name":"DDKERNELCAPS_SKIPFIELDS","features":[318]},{"name":"DDLOCKININFO","features":[318]},{"name":"DDLOCKOUTINFO","features":[318]},{"name":"DDLOCK_DISCARDCONTENTS","features":[318]},{"name":"DDLOCK_DONOTWAIT","features":[318]},{"name":"DDLOCK_EVENT","features":[318]},{"name":"DDLOCK_HASVOLUMETEXTUREBOXRECT","features":[318]},{"name":"DDLOCK_NODIRTYUPDATE","features":[318]},{"name":"DDLOCK_NOOVERWRITE","features":[318]},{"name":"DDLOCK_NOSYSLOCK","features":[318]},{"name":"DDLOCK_OKTOSWAP","features":[318]},{"name":"DDLOCK_READONLY","features":[318]},{"name":"DDLOCK_SURFACEMEMORYPTR","features":[318]},{"name":"DDLOCK_WAIT","features":[318]},{"name":"DDLOCK_WRITEONLY","features":[318]},{"name":"DDMCBUFFERINFO","features":[308,318,319]},{"name":"DDMCCOMPBUFFERINFO","features":[318]},{"name":"DDMCQUERY_READ","features":[318]},{"name":"DDMDL","features":[318]},{"name":"DDMOCOMPBUFFERINFO","features":[308,318]},{"name":"DDMODEINFO_MAXREFRESH","features":[318]},{"name":"DDMODEINFO_MODEX","features":[318]},{"name":"DDMODEINFO_PALETTIZED","features":[318]},{"name":"DDMODEINFO_STANDARDVGA","features":[318]},{"name":"DDMODEINFO_STEREO","features":[318]},{"name":"DDMODEINFO_UNSUPPORTED","features":[318]},{"name":"DDMONITORINFO","features":[318]},{"name":"DDMORESURFACECAPS","features":[318]},{"name":"DDNEWCALLBACKFNS","features":[318]},{"name":"DDNONLOCALVIDMEMCAPS","features":[318]},{"name":"DDNTCORECAPS","features":[318]},{"name":"DDOPTSURFACEDESC","features":[318]},{"name":"DDOSCAPS","features":[318]},{"name":"DDOSDCAPS_MONOLITHICMIPMAP","features":[318]},{"name":"DDOSDCAPS_OPTCOMPRESSED","features":[318]},{"name":"DDOSDCAPS_OPTREORDERED","features":[318]},{"name":"DDOSDCAPS_VALIDOSCAPS","features":[318]},{"name":"DDOSDCAPS_VALIDSCAPS","features":[318]},{"name":"DDOSD_ALL","features":[318]},{"name":"DDOSD_COMPRESSION_RATIO","features":[318]},{"name":"DDOSD_GUID","features":[318]},{"name":"DDOSD_OSCAPS","features":[318]},{"name":"DDOSD_SCAPS","features":[318]},{"name":"DDOVERFX_ARITHSTRETCHY","features":[318]},{"name":"DDOVERFX_DEINTERLACE","features":[318]},{"name":"DDOVERFX_MIRRORLEFTRIGHT","features":[318]},{"name":"DDOVERFX_MIRRORUPDOWN","features":[318]},{"name":"DDOVERLAYFX","features":[318]},{"name":"DDOVERZ_INSERTINBACKOF","features":[318]},{"name":"DDOVERZ_INSERTINFRONTOF","features":[318]},{"name":"DDOVERZ_MOVEBACKWARD","features":[318]},{"name":"DDOVERZ_MOVEFORWARD","features":[318]},{"name":"DDOVERZ_SENDTOBACK","features":[318]},{"name":"DDOVERZ_SENDTOFRONT","features":[318]},{"name":"DDOVER_ADDDIRTYRECT","features":[318]},{"name":"DDOVER_ALPHADEST","features":[318]},{"name":"DDOVER_ALPHADESTCONSTOVERRIDE","features":[318]},{"name":"DDOVER_ALPHADESTNEG","features":[318]},{"name":"DDOVER_ALPHADESTSURFACEOVERRIDE","features":[318]},{"name":"DDOVER_ALPHAEDGEBLEND","features":[318]},{"name":"DDOVER_ALPHASRC","features":[318]},{"name":"DDOVER_ALPHASRCCONSTOVERRIDE","features":[318]},{"name":"DDOVER_ALPHASRCNEG","features":[318]},{"name":"DDOVER_ALPHASRCSURFACEOVERRIDE","features":[318]},{"name":"DDOVER_ARGBSCALEFACTORS","features":[318]},{"name":"DDOVER_AUTOFLIP","features":[318]},{"name":"DDOVER_BOB","features":[318]},{"name":"DDOVER_BOBHARDWARE","features":[318]},{"name":"DDOVER_DDFX","features":[318]},{"name":"DDOVER_DEGRADEARGBSCALING","features":[318]},{"name":"DDOVER_HIDE","features":[318]},{"name":"DDOVER_INTERLEAVED","features":[318]},{"name":"DDOVER_KEYDEST","features":[318]},{"name":"DDOVER_KEYDESTOVERRIDE","features":[318]},{"name":"DDOVER_KEYSRC","features":[318]},{"name":"DDOVER_KEYSRCOVERRIDE","features":[318]},{"name":"DDOVER_OVERRIDEBOBWEAVE","features":[318]},{"name":"DDOVER_REFRESHALL","features":[318]},{"name":"DDOVER_REFRESHDIRTYRECTS","features":[318]},{"name":"DDOVER_SHOW","features":[318]},{"name":"DDPCAPS_1BIT","features":[318]},{"name":"DDPCAPS_2BIT","features":[318]},{"name":"DDPCAPS_4BIT","features":[318]},{"name":"DDPCAPS_8BIT","features":[318]},{"name":"DDPCAPS_8BITENTRIES","features":[318]},{"name":"DDPCAPS_ALLOW256","features":[318]},{"name":"DDPCAPS_ALPHA","features":[318]},{"name":"DDPCAPS_INITIALIZE","features":[318]},{"name":"DDPCAPS_PRIMARYSURFACE","features":[318]},{"name":"DDPCAPS_PRIMARYSURFACELEFT","features":[318]},{"name":"DDPCAPS_VSYNC","features":[318]},{"name":"DDPF_ALPHA","features":[318]},{"name":"DDPF_ALPHAPIXELS","features":[318]},{"name":"DDPF_ALPHAPREMULT","features":[318]},{"name":"DDPF_BUMPDUDV","features":[318]},{"name":"DDPF_BUMPLUMINANCE","features":[318]},{"name":"DDPF_COMPRESSED","features":[318]},{"name":"DDPF_D3DFORMAT","features":[318]},{"name":"DDPF_FOURCC","features":[318]},{"name":"DDPF_LUMINANCE","features":[318]},{"name":"DDPF_NOVEL_TEXTURE_FORMAT","features":[318]},{"name":"DDPF_PALETTEINDEXED1","features":[318]},{"name":"DDPF_PALETTEINDEXED2","features":[318]},{"name":"DDPF_PALETTEINDEXED4","features":[318]},{"name":"DDPF_PALETTEINDEXED8","features":[318]},{"name":"DDPF_PALETTEINDEXEDTO8","features":[318]},{"name":"DDPF_RGB","features":[318]},{"name":"DDPF_RGBTOYUV","features":[318]},{"name":"DDPF_STENCILBUFFER","features":[318]},{"name":"DDPF_YUV","features":[318]},{"name":"DDPF_ZBUFFER","features":[318]},{"name":"DDPF_ZPIXELS","features":[318]},{"name":"DDPIXELFORMAT","features":[318]},{"name":"DDRAWICLIP_INMASTERSPRITELIST","features":[318]},{"name":"DDRAWICLIP_ISINITIALIZED","features":[318]},{"name":"DDRAWICLIP_WATCHWINDOW","features":[318]},{"name":"DDRAWILCL_ACTIVENO","features":[318]},{"name":"DDRAWILCL_ACTIVEYES","features":[318]},{"name":"DDRAWILCL_ALLOWMODEX","features":[318]},{"name":"DDRAWILCL_ATTEMPTEDD3DCONTEXT","features":[318]},{"name":"DDRAWILCL_CREATEDWINDOW","features":[318]},{"name":"DDRAWILCL_CURSORCLIPPED","features":[318]},{"name":"DDRAWILCL_DIRECTDRAW7","features":[318]},{"name":"DDRAWILCL_DIRECTDRAW8","features":[318]},{"name":"DDRAWILCL_DIRTYDC","features":[318]},{"name":"DDRAWILCL_DISABLEINACTIVATE","features":[318]},{"name":"DDRAWILCL_DX8DRIVER","features":[318]},{"name":"DDRAWILCL_EXPLICITMONITOR","features":[318]},{"name":"DDRAWILCL_FPUPRESERVE","features":[318]},{"name":"DDRAWILCL_FPUSETUP","features":[318]},{"name":"DDRAWILCL_HASEXCLUSIVEMODE","features":[318]},{"name":"DDRAWILCL_HOOKEDHWND","features":[318]},{"name":"DDRAWILCL_ISFULLSCREEN","features":[318]},{"name":"DDRAWILCL_MODEHASBEENCHANGED","features":[318]},{"name":"DDRAWILCL_MULTITHREADED","features":[318]},{"name":"DDRAWILCL_POWEREDDOWN","features":[318]},{"name":"DDRAWILCL_SETCOOPCALLED","features":[318]},{"name":"DDRAWILCL_V1SCLBEHAVIOUR","features":[318]},{"name":"DDRAWIPAL_16","features":[318]},{"name":"DDRAWIPAL_2","features":[318]},{"name":"DDRAWIPAL_256","features":[318]},{"name":"DDRAWIPAL_4","features":[318]},{"name":"DDRAWIPAL_ALLOW256","features":[318]},{"name":"DDRAWIPAL_ALPHA","features":[318]},{"name":"DDRAWIPAL_DIRTY","features":[318]},{"name":"DDRAWIPAL_EXCLUSIVE","features":[318]},{"name":"DDRAWIPAL_GDI","features":[318]},{"name":"DDRAWIPAL_INHEL","features":[318]},{"name":"DDRAWIPAL_STORED_16","features":[318]},{"name":"DDRAWIPAL_STORED_24","features":[318]},{"name":"DDRAWIPAL_STORED_8","features":[318]},{"name":"DDRAWIPAL_STORED_8INDEX","features":[318]},{"name":"DDRAWISURFGBL_DDHELDONTFREE","features":[318]},{"name":"DDRAWISURFGBL_DX8SURFACE","features":[318]},{"name":"DDRAWISURFGBL_FASTLOCKHELD","features":[318]},{"name":"DDRAWISURFGBL_HARDWAREOPDEST","features":[318]},{"name":"DDRAWISURFGBL_HARDWAREOPSOURCE","features":[318]},{"name":"DDRAWISURFGBL_IMPLICITHANDLE","features":[318]},{"name":"DDRAWISURFGBL_ISCLIENTMEM","features":[318]},{"name":"DDRAWISURFGBL_ISGDISURFACE","features":[318]},{"name":"DDRAWISURFGBL_LATEALLOCATELINEAR","features":[318]},{"name":"DDRAWISURFGBL_LOCKBROKEN","features":[318]},{"name":"DDRAWISURFGBL_LOCKNOTHOLDINGWIN16LOCK","features":[318]},{"name":"DDRAWISURFGBL_LOCKVRAMSTYLE","features":[318]},{"name":"DDRAWISURFGBL_MEMFREE","features":[318]},{"name":"DDRAWISURFGBL_NOTIFYWHENUNLOCKED","features":[318]},{"name":"DDRAWISURFGBL_READONLYLOCKHELD","features":[318]},{"name":"DDRAWISURFGBL_RESERVED0","features":[318]},{"name":"DDRAWISURFGBL_SOFTWAREAUTOFLIP","features":[318]},{"name":"DDRAWISURFGBL_SYSMEMEXECUTEBUFFER","features":[318]},{"name":"DDRAWISURFGBL_SYSMEMREQUESTED","features":[318]},{"name":"DDRAWISURFGBL_VPORTDATA","features":[318]},{"name":"DDRAWISURFGBL_VPORTINTERLEAVED","features":[318]},{"name":"DDRAWISURF_ATTACHED","features":[318]},{"name":"DDRAWISURF_ATTACHED_FROM","features":[318]},{"name":"DDRAWISURF_BACKBUFFER","features":[318]},{"name":"DDRAWISURF_DATAISALIASED","features":[318]},{"name":"DDRAWISURF_DCIBUSY","features":[318]},{"name":"DDRAWISURF_DCILOCK","features":[318]},{"name":"DDRAWISURF_DRIVERMANAGED","features":[318]},{"name":"DDRAWISURF_FRONTBUFFER","features":[318]},{"name":"DDRAWISURF_GETDCNULL","features":[318]},{"name":"DDRAWISURF_HASCKEYDESTBLT","features":[318]},{"name":"DDRAWISURF_HASCKEYDESTOVERLAY","features":[318]},{"name":"DDRAWISURF_HASCKEYSRCBLT","features":[318]},{"name":"DDRAWISURF_HASCKEYSRCOVERLAY","features":[318]},{"name":"DDRAWISURF_HASDC","features":[318]},{"name":"DDRAWISURF_HASOVERLAYDATA","features":[318]},{"name":"DDRAWISURF_HASPIXELFORMAT","features":[318]},{"name":"DDRAWISURF_HELCB","features":[318]},{"name":"DDRAWISURF_HW_CKEYDESTBLT","features":[318]},{"name":"DDRAWISURF_HW_CKEYDESTOVERLAY","features":[318]},{"name":"DDRAWISURF_HW_CKEYSRCBLT","features":[318]},{"name":"DDRAWISURF_HW_CKEYSRCOVERLAY","features":[318]},{"name":"DDRAWISURF_IMPLICITCREATE","features":[318]},{"name":"DDRAWISURF_IMPLICITROOT","features":[318]},{"name":"DDRAWISURF_INMASTERSPRITELIST","features":[318]},{"name":"DDRAWISURF_INVALID","features":[318]},{"name":"DDRAWISURF_ISFREE","features":[318]},{"name":"DDRAWISURF_LOCKEXCLUDEDCURSOR","features":[318]},{"name":"DDRAWISURF_PARTOFPRIMARYCHAIN","features":[318]},{"name":"DDRAWISURF_SETGAMMA","features":[318]},{"name":"DDRAWISURF_STEREOSURFACELEFT","features":[318]},{"name":"DDRAWISURF_SW_CKEYDESTBLT","features":[318]},{"name":"DDRAWISURF_SW_CKEYDESTOVERLAY","features":[318]},{"name":"DDRAWISURF_SW_CKEYSRCBLT","features":[318]},{"name":"DDRAWISURF_SW_CKEYSRCOVERLAY","features":[318]},{"name":"DDRAWIVPORT_COLORKEYANDINTERP","features":[318]},{"name":"DDRAWIVPORT_NOKERNELHANDLES","features":[318]},{"name":"DDRAWIVPORT_ON","features":[318]},{"name":"DDRAWIVPORT_SOFTWARE_AUTOFLIP","features":[318]},{"name":"DDRAWIVPORT_SOFTWARE_BOB","features":[318]},{"name":"DDRAWIVPORT_VBION","features":[318]},{"name":"DDRAWIVPORT_VIDEOON","features":[318]},{"name":"DDRAWI_ATTACHEDTODESKTOP","features":[318]},{"name":"DDRAWI_BADPDEV","features":[318]},{"name":"DDRAWI_CHANGINGMODE","features":[318]},{"name":"DDRAWI_DDMOTIONCOMP_INT","features":[308,318,319]},{"name":"DDRAWI_DDMOTIONCOMP_LCL","features":[308,318,319]},{"name":"DDRAWI_DDRAWCLIPPER_GBL","features":[308,318,319]},{"name":"DDRAWI_DDRAWCLIPPER_INT","features":[308,318,319]},{"name":"DDRAWI_DDRAWCLIPPER_LCL","features":[308,318,319]},{"name":"DDRAWI_DDRAWDATANOTFETCHED","features":[318]},{"name":"DDRAWI_DDRAWPALETTE_GBL","features":[308,318,319]},{"name":"DDRAWI_DDRAWPALETTE_INT","features":[308,318,319]},{"name":"DDRAWI_DDRAWPALETTE_LCL","features":[308,318,319]},{"name":"DDRAWI_DDRAWSURFACE_GBL","features":[308,318,319]},{"name":"DDRAWI_DDRAWSURFACE_GBL_MORE","features":[318]},{"name":"DDRAWI_DDRAWSURFACE_INT","features":[308,318,319]},{"name":"DDRAWI_DDRAWSURFACE_LCL","features":[308,318,319]},{"name":"DDRAWI_DDRAWSURFACE_MORE","features":[308,318,319]},{"name":"DDRAWI_DDVIDEOPORT_INT","features":[308,318,319]},{"name":"DDRAWI_DDVIDEOPORT_LCL","features":[308,318,319]},{"name":"DDRAWI_DIRECTDRAW_GBL","features":[308,318,319]},{"name":"DDRAWI_DIRECTDRAW_INT","features":[308,318,319]},{"name":"DDRAWI_DIRECTDRAW_LCL","features":[308,318,319]},{"name":"DDRAWI_DISPLAYDRV","features":[318]},{"name":"DDRAWI_DRIVERINFO2","features":[318]},{"name":"DDRAWI_EMULATIONINITIALIZED","features":[318]},{"name":"DDRAWI_EXTENDEDALIGNMENT","features":[318]},{"name":"DDRAWI_FLIPPEDTOGDI","features":[318]},{"name":"DDRAWI_FULLSCREEN","features":[318]},{"name":"DDRAWI_GDIDRV","features":[318]},{"name":"DDRAWI_GETCOLOR","features":[318]},{"name":"DDRAWI_HASCKEYDESTOVERLAY","features":[318]},{"name":"DDRAWI_HASCKEYSRCOVERLAY","features":[318]},{"name":"DDRAWI_HASGDIPALETTE","features":[318]},{"name":"DDRAWI_HASGDIPALETTE_EXCLUSIVE","features":[318]},{"name":"DDRAWI_MODECHANGED","features":[318]},{"name":"DDRAWI_MODEX","features":[318]},{"name":"DDRAWI_MODEXILLEGAL","features":[318]},{"name":"DDRAWI_NEEDSWIN16FORVRAMLOCK","features":[318]},{"name":"DDRAWI_NOEMULATION","features":[318]},{"name":"DDRAWI_NOHARDWARE","features":[318]},{"name":"DDRAWI_PALETTEINIT","features":[318]},{"name":"DDRAWI_PDEVICEVRAMBITCLEARED","features":[318]},{"name":"DDRAWI_SECONDARYDRIVERLOADED","features":[318]},{"name":"DDRAWI_SETCOLOR","features":[318]},{"name":"DDRAWI_STANDARDVGA","features":[318]},{"name":"DDRAWI_TESTINGMODES","features":[318]},{"name":"DDRAWI_UMODELOADED","features":[318]},{"name":"DDRAWI_VIRTUALDESKTOP","features":[318]},{"name":"DDRAWI_VPORTGETCOLOR","features":[318]},{"name":"DDRAWI_VPORTSETCOLOR","features":[318]},{"name":"DDRAWI_VPORTSTART","features":[318]},{"name":"DDRAWI_VPORTSTOP","features":[318]},{"name":"DDRAWI_VPORTUPDATE","features":[318]},{"name":"DDRAWI_xxxxxxxxx1","features":[318]},{"name":"DDRAWI_xxxxxxxxx2","features":[318]},{"name":"DDRGBA","features":[318]},{"name":"DDSCAPS","features":[318]},{"name":"DDSCAPS2","features":[318]},{"name":"DDSCAPS2_ADDITIONALPRIMARY","features":[318]},{"name":"DDSCAPS2_COMMANDBUFFER","features":[318]},{"name":"DDSCAPS2_CUBEMAP","features":[318]},{"name":"DDSCAPS2_CUBEMAP_NEGATIVEX","features":[318]},{"name":"DDSCAPS2_CUBEMAP_NEGATIVEY","features":[318]},{"name":"DDSCAPS2_CUBEMAP_NEGATIVEZ","features":[318]},{"name":"DDSCAPS2_CUBEMAP_POSITIVEX","features":[318]},{"name":"DDSCAPS2_CUBEMAP_POSITIVEY","features":[318]},{"name":"DDSCAPS2_CUBEMAP_POSITIVEZ","features":[318]},{"name":"DDSCAPS2_D3DTEXTUREMANAGE","features":[318]},{"name":"DDSCAPS2_DISCARDBACKBUFFER","features":[318]},{"name":"DDSCAPS2_DONOTPERSIST","features":[318]},{"name":"DDSCAPS2_ENABLEALPHACHANNEL","features":[318]},{"name":"DDSCAPS2_EXTENDEDFORMATPRIMARY","features":[318]},{"name":"DDSCAPS2_HARDWAREDEINTERLACE","features":[318]},{"name":"DDSCAPS2_HINTANTIALIASING","features":[318]},{"name":"DDSCAPS2_HINTDYNAMIC","features":[318]},{"name":"DDSCAPS2_HINTSTATIC","features":[318]},{"name":"DDSCAPS2_INDEXBUFFER","features":[318]},{"name":"DDSCAPS2_MIPMAPSUBLEVEL","features":[318]},{"name":"DDSCAPS2_NOTUSERLOCKABLE","features":[318]},{"name":"DDSCAPS2_NPATCHES","features":[318]},{"name":"DDSCAPS2_OPAQUE","features":[318]},{"name":"DDSCAPS2_POINTS","features":[318]},{"name":"DDSCAPS2_RESERVED1","features":[318]},{"name":"DDSCAPS2_RESERVED2","features":[318]},{"name":"DDSCAPS2_RESERVED3","features":[318]},{"name":"DDSCAPS2_RESERVED4","features":[318]},{"name":"DDSCAPS2_RTPATCHES","features":[318]},{"name":"DDSCAPS2_STEREOSURFACELEFT","features":[318]},{"name":"DDSCAPS2_TEXTUREMANAGE","features":[318]},{"name":"DDSCAPS2_VERTEXBUFFER","features":[318]},{"name":"DDSCAPS2_VOLUME","features":[318]},{"name":"DDSCAPS3_AUTOGENMIPMAP","features":[318]},{"name":"DDSCAPS3_CREATESHAREDRESOURCE","features":[318]},{"name":"DDSCAPS3_DMAP","features":[318]},{"name":"DDSCAPS3_LIGHTWEIGHTMIPMAP","features":[318]},{"name":"DDSCAPS3_MULTISAMPLE_MASK","features":[318]},{"name":"DDSCAPS3_MULTISAMPLE_QUALITY_MASK","features":[318]},{"name":"DDSCAPS3_MULTISAMPLE_QUALITY_SHIFT","features":[318]},{"name":"DDSCAPS3_OPENSHAREDRESOURCE","features":[318]},{"name":"DDSCAPS3_READONLYRESOURCE","features":[318]},{"name":"DDSCAPS3_RESERVED1","features":[318]},{"name":"DDSCAPS3_RESERVED2","features":[318]},{"name":"DDSCAPS3_VIDEO","features":[318]},{"name":"DDSCAPSEX","features":[318]},{"name":"DDSCAPS_3DDEVICE","features":[318]},{"name":"DDSCAPS_ALLOCONLOAD","features":[318]},{"name":"DDSCAPS_ALPHA","features":[318]},{"name":"DDSCAPS_BACKBUFFER","features":[318]},{"name":"DDSCAPS_COMMANDBUFFER","features":[318]},{"name":"DDSCAPS_COMPLEX","features":[318]},{"name":"DDSCAPS_EXECUTEBUFFER","features":[318]},{"name":"DDSCAPS_FLIP","features":[318]},{"name":"DDSCAPS_FRONTBUFFER","features":[318]},{"name":"DDSCAPS_HWCODEC","features":[318]},{"name":"DDSCAPS_LIVEVIDEO","features":[318]},{"name":"DDSCAPS_LOCALVIDMEM","features":[318]},{"name":"DDSCAPS_MIPMAP","features":[318]},{"name":"DDSCAPS_MODEX","features":[318]},{"name":"DDSCAPS_NONLOCALVIDMEM","features":[318]},{"name":"DDSCAPS_OFFSCREENPLAIN","features":[318]},{"name":"DDSCAPS_OPTIMIZED","features":[318]},{"name":"DDSCAPS_OVERLAY","features":[318]},{"name":"DDSCAPS_OWNDC","features":[318]},{"name":"DDSCAPS_PALETTE","features":[318]},{"name":"DDSCAPS_PRIMARYSURFACE","features":[318]},{"name":"DDSCAPS_PRIMARYSURFACELEFT","features":[318]},{"name":"DDSCAPS_RESERVED1","features":[318]},{"name":"DDSCAPS_RESERVED2","features":[318]},{"name":"DDSCAPS_RESERVED3","features":[318]},{"name":"DDSCAPS_STANDARDVGAMODE","features":[318]},{"name":"DDSCAPS_SYSTEMMEMORY","features":[318]},{"name":"DDSCAPS_TEXTURE","features":[318]},{"name":"DDSCAPS_VIDEOMEMORY","features":[318]},{"name":"DDSCAPS_VIDEOPORT","features":[318]},{"name":"DDSCAPS_VISIBLE","features":[318]},{"name":"DDSCAPS_WRITEONLY","features":[318]},{"name":"DDSCAPS_ZBUFFER","features":[318]},{"name":"DDSCL_ALLOWMODEX","features":[318]},{"name":"DDSCL_ALLOWREBOOT","features":[318]},{"name":"DDSCL_CREATEDEVICEWINDOW","features":[318]},{"name":"DDSCL_EXCLUSIVE","features":[318]},{"name":"DDSCL_FPUPRESERVE","features":[318]},{"name":"DDSCL_FPUSETUP","features":[318]},{"name":"DDSCL_FULLSCREEN","features":[318]},{"name":"DDSCL_MULTITHREADED","features":[318]},{"name":"DDSCL_NORMAL","features":[318]},{"name":"DDSCL_NOWINDOWCHANGES","features":[318]},{"name":"DDSCL_SETDEVICEWINDOW","features":[318]},{"name":"DDSCL_SETFOCUSWINDOW","features":[318]},{"name":"DDSDM_STANDARDVGAMODE","features":[318]},{"name":"DDSD_ALL","features":[318]},{"name":"DDSD_ALPHABITDEPTH","features":[318]},{"name":"DDSD_BACKBUFFERCOUNT","features":[318]},{"name":"DDSD_CAPS","features":[318]},{"name":"DDSD_CKDESTBLT","features":[318]},{"name":"DDSD_CKDESTOVERLAY","features":[318]},{"name":"DDSD_CKSRCBLT","features":[318]},{"name":"DDSD_CKSRCOVERLAY","features":[318]},{"name":"DDSD_DEPTH","features":[318]},{"name":"DDSD_FVF","features":[318]},{"name":"DDSD_HEIGHT","features":[318]},{"name":"DDSD_LINEARSIZE","features":[318]},{"name":"DDSD_LPSURFACE","features":[318]},{"name":"DDSD_MIPMAPCOUNT","features":[318]},{"name":"DDSD_PITCH","features":[318]},{"name":"DDSD_PIXELFORMAT","features":[318]},{"name":"DDSD_REFRESHRATE","features":[318]},{"name":"DDSD_SRCVBHANDLE","features":[318]},{"name":"DDSD_TEXTURESTAGE","features":[318]},{"name":"DDSD_WIDTH","features":[318]},{"name":"DDSD_ZBUFFERBITDEPTH","features":[318]},{"name":"DDSETSTATEININFO","features":[318]},{"name":"DDSETSTATEOUTINFO","features":[308,318]},{"name":"DDSETSURFACEDESC_PRESERVEDC","features":[318]},{"name":"DDSETSURFACEDESC_RECREATEDC","features":[318]},{"name":"DDSGR_CALIBRATE","features":[318]},{"name":"DDSKIPNEXTFIELDINFO","features":[318]},{"name":"DDSKIP_ENABLENEXT","features":[318]},{"name":"DDSKIP_SKIPNEXT","features":[318]},{"name":"DDSMT_ISTESTREQUIRED","features":[318]},{"name":"DDSPD_IUNKNOWNPOINTER","features":[318]},{"name":"DDSPD_VOLATILE","features":[318]},{"name":"DDSTEREOMODE","features":[308,318]},{"name":"DDSURFACEDATA","features":[318]},{"name":"DDSURFACEDESC","features":[318]},{"name":"DDSURFACEDESC2","features":[318]},{"name":"DDSVCAPS_RESERVED1","features":[318]},{"name":"DDSVCAPS_RESERVED2","features":[318]},{"name":"DDSVCAPS_RESERVED3","features":[318]},{"name":"DDSVCAPS_RESERVED4","features":[318]},{"name":"DDSVCAPS_STEREOSEQUENTIAL","features":[318]},{"name":"DDTRANSFERININFO","features":[318]},{"name":"DDTRANSFEROUTINFO","features":[318]},{"name":"DDTRANSFER_CANCEL","features":[318]},{"name":"DDTRANSFER_HALFLINES","features":[318]},{"name":"DDTRANSFER_INVERT","features":[318]},{"name":"DDTRANSFER_NONLOCALVIDMEM","features":[318]},{"name":"DDTRANSFER_SYSTEMMEMORY","features":[318]},{"name":"DDUNSUPPORTEDMODE","features":[318]},{"name":"DDVERSIONDATA","features":[318]},{"name":"DDVERSIONINFO","features":[318]},{"name":"DDVIDEOPORTBANDWIDTH","features":[318]},{"name":"DDVIDEOPORTCAPS","features":[318]},{"name":"DDVIDEOPORTCONNECT","features":[318]},{"name":"DDVIDEOPORTDATA","features":[318]},{"name":"DDVIDEOPORTDESC","features":[318]},{"name":"DDVIDEOPORTINFO","features":[308,318]},{"name":"DDVIDEOPORTNOTIFY","features":[318]},{"name":"DDVIDEOPORTSTATUS","features":[308,318]},{"name":"DDVPBCAPS_DESTINATION","features":[318]},{"name":"DDVPBCAPS_SOURCE","features":[318]},{"name":"DDVPB_OVERLAY","features":[318]},{"name":"DDVPB_TYPE","features":[318]},{"name":"DDVPB_VIDEOPORT","features":[318]},{"name":"DDVPCAPS_AUTOFLIP","features":[318]},{"name":"DDVPCAPS_COLORCONTROL","features":[318]},{"name":"DDVPCAPS_HARDWAREDEINTERLACE","features":[318]},{"name":"DDVPCAPS_INTERLACED","features":[318]},{"name":"DDVPCAPS_NONINTERLACED","features":[318]},{"name":"DDVPCAPS_OVERSAMPLEDVBI","features":[318]},{"name":"DDVPCAPS_READBACKFIELD","features":[318]},{"name":"DDVPCAPS_READBACKLINE","features":[318]},{"name":"DDVPCAPS_SHAREABLE","features":[318]},{"name":"DDVPCAPS_SKIPEVENFIELDS","features":[318]},{"name":"DDVPCAPS_SKIPODDFIELDS","features":[318]},{"name":"DDVPCAPS_SYNCMASTER","features":[318]},{"name":"DDVPCAPS_SYSTEMMEMORY","features":[318]},{"name":"DDVPCAPS_VBIANDVIDEOINDEPENDENT","features":[318]},{"name":"DDVPCAPS_VBISURFACE","features":[318]},{"name":"DDVPCONNECT_DISCARDSVREFDATA","features":[318]},{"name":"DDVPCONNECT_DOUBLECLOCK","features":[318]},{"name":"DDVPCONNECT_HALFLINE","features":[318]},{"name":"DDVPCONNECT_INTERLACED","features":[318]},{"name":"DDVPCONNECT_INVERTPOLARITY","features":[318]},{"name":"DDVPCONNECT_SHAREEVEN","features":[318]},{"name":"DDVPCONNECT_SHAREODD","features":[318]},{"name":"DDVPCONNECT_VACT","features":[318]},{"name":"DDVPCREATE_VBIONLY","features":[318]},{"name":"DDVPCREATE_VIDEOONLY","features":[318]},{"name":"DDVPD_ALIGN","features":[318]},{"name":"DDVPD_AUTOFLIP","features":[318]},{"name":"DDVPD_CAPS","features":[318]},{"name":"DDVPD_FILTERQUALITY","features":[318]},{"name":"DDVPD_FX","features":[318]},{"name":"DDVPD_HEIGHT","features":[318]},{"name":"DDVPD_ID","features":[318]},{"name":"DDVPD_PREFERREDAUTOFLIP","features":[318]},{"name":"DDVPD_WIDTH","features":[318]},{"name":"DDVPFLIP_VBI","features":[318]},{"name":"DDVPFLIP_VIDEO","features":[318]},{"name":"DDVPFORMAT_VBI","features":[318]},{"name":"DDVPFORMAT_VIDEO","features":[318]},{"name":"DDVPFX_CROPTOPDATA","features":[318]},{"name":"DDVPFX_CROPX","features":[318]},{"name":"DDVPFX_CROPY","features":[318]},{"name":"DDVPFX_IGNOREVBIXCROP","features":[318]},{"name":"DDVPFX_INTERLEAVE","features":[318]},{"name":"DDVPFX_MIRRORLEFTRIGHT","features":[318]},{"name":"DDVPFX_MIRRORUPDOWN","features":[318]},{"name":"DDVPFX_PRESHRINKX","features":[318]},{"name":"DDVPFX_PRESHRINKXB","features":[318]},{"name":"DDVPFX_PRESHRINKXS","features":[318]},{"name":"DDVPFX_PRESHRINKY","features":[318]},{"name":"DDVPFX_PRESHRINKYB","features":[318]},{"name":"DDVPFX_PRESHRINKYS","features":[318]},{"name":"DDVPFX_PRESTRETCHX","features":[318]},{"name":"DDVPFX_PRESTRETCHXN","features":[318]},{"name":"DDVPFX_PRESTRETCHY","features":[318]},{"name":"DDVPFX_PRESTRETCHYN","features":[318]},{"name":"DDVPFX_VBICONVERT","features":[318]},{"name":"DDVPFX_VBINOINTERLEAVE","features":[318]},{"name":"DDVPFX_VBINOSCALE","features":[318]},{"name":"DDVPSQ_NOSIGNAL","features":[318]},{"name":"DDVPSQ_SIGNALOK","features":[318]},{"name":"DDVPSTATUS_VBIONLY","features":[318]},{"name":"DDVPSTATUS_VIDEOONLY","features":[318]},{"name":"DDVPTARGET_VBI","features":[318]},{"name":"DDVPTARGET_VIDEO","features":[318]},{"name":"DDVPTYPE_BROOKTREE","features":[318]},{"name":"DDVPTYPE_CCIR656","features":[318]},{"name":"DDVPTYPE_E_HREFH_VREFH","features":[318]},{"name":"DDVPTYPE_E_HREFH_VREFL","features":[318]},{"name":"DDVPTYPE_E_HREFL_VREFH","features":[318]},{"name":"DDVPTYPE_E_HREFL_VREFL","features":[318]},{"name":"DDVPTYPE_PHILIPS","features":[318]},{"name":"DDVPWAIT_BEGIN","features":[318]},{"name":"DDVPWAIT_END","features":[318]},{"name":"DDVPWAIT_LINE","features":[318]},{"name":"DDVP_AUTOFLIP","features":[318]},{"name":"DDVP_CONVERT","features":[318]},{"name":"DDVP_CROP","features":[318]},{"name":"DDVP_HARDWAREDEINTERLACE","features":[318]},{"name":"DDVP_IGNOREVBIXCROP","features":[318]},{"name":"DDVP_INTERLEAVE","features":[318]},{"name":"DDVP_MIRRORLEFTRIGHT","features":[318]},{"name":"DDVP_MIRRORUPDOWN","features":[318]},{"name":"DDVP_OVERRIDEBOBWEAVE","features":[318]},{"name":"DDVP_PRESCALE","features":[318]},{"name":"DDVP_SKIPEVENFIELDS","features":[318]},{"name":"DDVP_SKIPODDFIELDS","features":[318]},{"name":"DDVP_SYNCMASTER","features":[318]},{"name":"DDVP_VBICONVERT","features":[318]},{"name":"DDVP_VBINOINTERLEAVE","features":[318]},{"name":"DDVP_VBINOSCALE","features":[318]},{"name":"DDWAITVB_BLOCKBEGIN","features":[318]},{"name":"DDWAITVB_BLOCKBEGINEVENT","features":[318]},{"name":"DDWAITVB_BLOCKEND","features":[318]},{"name":"DDWAITVB_I_TESTVB","features":[318]},{"name":"DD_ADDATTACHEDSURFACEDATA","features":[308,318]},{"name":"DD_ATTACHLIST","features":[308,318]},{"name":"DD_BEGINMOCOMPFRAMEDATA","features":[308,318]},{"name":"DD_BLTDATA","features":[308,318]},{"name":"DD_CALLBACKS","features":[308,318,319]},{"name":"DD_CANCREATESURFACEDATA","features":[318]},{"name":"DD_CANCREATEVPORTDATA","features":[318]},{"name":"DD_CLIPPER_GLOBAL","features":[318]},{"name":"DD_CLIPPER_LOCAL","features":[318]},{"name":"DD_COLORCONTROLCALLBACKS","features":[308,318]},{"name":"DD_COLORCONTROLDATA","features":[308,318]},{"name":"DD_CREATEMOCOMPDATA","features":[318]},{"name":"DD_CREATEPALETTEDATA","features":[308,318,319]},{"name":"DD_CREATESURFACEDATA","features":[308,318]},{"name":"DD_CREATESURFACEEXDATA","features":[308,318]},{"name":"DD_CREATEVPORTDATA","features":[308,318]},{"name":"DD_D3DBUFCALLBACKS","features":[308,318]},{"name":"DD_DESTROYDDLOCALDATA","features":[318]},{"name":"DD_DESTROYMOCOMPDATA","features":[318]},{"name":"DD_DESTROYPALETTEDATA","features":[318]},{"name":"DD_DESTROYSURFACEDATA","features":[308,318]},{"name":"DD_DESTROYVPORTDATA","features":[308,318]},{"name":"DD_DIRECTDRAW_GLOBAL","features":[318]},{"name":"DD_DIRECTDRAW_LOCAL","features":[318]},{"name":"DD_DRVSETCOLORKEYDATA","features":[308,318]},{"name":"DD_ENDMOCOMPFRAMEDATA","features":[318]},{"name":"DD_FLIPDATA","features":[308,318]},{"name":"DD_FLIPTOGDISURFACEDATA","features":[318]},{"name":"DD_FLIPVPORTDATA","features":[308,318]},{"name":"DD_FREEDRIVERMEMORYDATA","features":[308,318]},{"name":"DD_GETAVAILDRIVERMEMORYDATA","features":[318]},{"name":"DD_GETBLTSTATUSDATA","features":[308,318]},{"name":"DD_GETDRIVERINFODATA","features":[318]},{"name":"DD_GETDRIVERSTATEDATA","features":[318]},{"name":"DD_GETFLIPSTATUSDATA","features":[308,318]},{"name":"DD_GETHEAPALIGNMENTDATA","features":[318]},{"name":"DD_GETINTERNALMOCOMPDATA","features":[318]},{"name":"DD_GETMOCOMPCOMPBUFFDATA","features":[318]},{"name":"DD_GETMOCOMPFORMATSDATA","features":[318]},{"name":"DD_GETMOCOMPGUIDSDATA","features":[318]},{"name":"DD_GETSCANLINEDATA","features":[318]},{"name":"DD_GETVPORTBANDWIDTHDATA","features":[308,318]},{"name":"DD_GETVPORTCONNECTDATA","features":[318]},{"name":"DD_GETVPORTFIELDDATA","features":[308,318]},{"name":"DD_GETVPORTFLIPSTATUSDATA","features":[318]},{"name":"DD_GETVPORTINPUTFORMATDATA","features":[308,318]},{"name":"DD_GETVPORTLINEDATA","features":[308,318]},{"name":"DD_GETVPORTOUTPUTFORMATDATA","features":[308,318]},{"name":"DD_GETVPORTSIGNALDATA","features":[308,318]},{"name":"DD_HALINFO","features":[308,318]},{"name":"DD_HALINFO_V4","features":[318]},{"name":"DD_HAL_VERSION","features":[318]},{"name":"DD_KERNELCALLBACKS","features":[308,318]},{"name":"DD_LOCKDATA","features":[308,318]},{"name":"DD_MAPMEMORYDATA","features":[308,318]},{"name":"DD_MISCELLANEOUS2CALLBACKS","features":[308,318]},{"name":"DD_MISCELLANEOUSCALLBACKS","features":[318]},{"name":"DD_MORECAPS","features":[318]},{"name":"DD_MORESURFACECAPS","features":[318]},{"name":"DD_MOTIONCOMPCALLBACKS","features":[308,318]},{"name":"DD_MOTIONCOMP_LOCAL","features":[318]},{"name":"DD_NONLOCALVIDMEMCAPS","features":[318]},{"name":"DD_NTCALLBACKS","features":[308,318]},{"name":"DD_NTPRIVATEDRIVERCAPS","features":[318]},{"name":"DD_PALETTECALLBACKS","features":[318,319]},{"name":"DD_PALETTE_GLOBAL","features":[318]},{"name":"DD_PALETTE_LOCAL","features":[318]},{"name":"DD_QUERYMOCOMPSTATUSDATA","features":[308,318]},{"name":"DD_RENDERMOCOMPDATA","features":[308,318]},{"name":"DD_RUNTIME_VERSION","features":[318]},{"name":"DD_SETCLIPLISTDATA","features":[308,318]},{"name":"DD_SETCOLORKEYDATA","features":[308,318]},{"name":"DD_SETENTRIESDATA","features":[318,319]},{"name":"DD_SETEXCLUSIVEMODEDATA","features":[318]},{"name":"DD_SETOVERLAYPOSITIONDATA","features":[308,318]},{"name":"DD_SETPALETTEDATA","features":[308,318]},{"name":"DD_STEREOMODE","features":[308,318]},{"name":"DD_SURFACECALLBACKS","features":[308,318]},{"name":"DD_SURFACE_GLOBAL","features":[308,318]},{"name":"DD_SURFACE_INT","features":[308,318]},{"name":"DD_SURFACE_LOCAL","features":[308,318]},{"name":"DD_SURFACE_MORE","features":[308,318]},{"name":"DD_SYNCSURFACEDATA","features":[308,318]},{"name":"DD_SYNCVIDEOPORTDATA","features":[308,318]},{"name":"DD_UNLOCKDATA","features":[308,318]},{"name":"DD_UPDATENONLOCALHEAPDATA","features":[318]},{"name":"DD_UPDATEOVERLAYDATA","features":[308,318]},{"name":"DD_UPDATEVPORTDATA","features":[308,318]},{"name":"DD_VERSION","features":[318]},{"name":"DD_VIDEOPORTCALLBACKS","features":[308,318]},{"name":"DD_VIDEOPORT_LOCAL","features":[308,318]},{"name":"DD_VPORTCOLORDATA","features":[308,318]},{"name":"DD_WAITFORVERTICALBLANKDATA","features":[318]},{"name":"DD_WAITFORVPORTSYNCDATA","features":[308,318]},{"name":"DELETED_LASTONE","features":[318]},{"name":"DELETED_NOTFOUND","features":[318]},{"name":"DELETED_OK","features":[318]},{"name":"DIRECTDRAW_VERSION","features":[318]},{"name":"DXAPI_HALVERSION","features":[318]},{"name":"DXAPI_INTERFACE","features":[308,318]},{"name":"DXERR_GENERIC","features":[318]},{"name":"DXERR_OUTOFCAPS","features":[318]},{"name":"DXERR_UNSUPPORTED","features":[318]},{"name":"DX_IRQDATA","features":[318]},{"name":"DX_OK","features":[318]},{"name":"DirectDrawCreate","features":[318]},{"name":"DirectDrawCreateClipper","features":[318]},{"name":"DirectDrawCreateEx","features":[318]},{"name":"DirectDrawEnumerateA","features":[308,318]},{"name":"DirectDrawEnumerateExA","features":[308,318,319]},{"name":"DirectDrawEnumerateExW","features":[308,318,319]},{"name":"DirectDrawEnumerateW","features":[308,318]},{"name":"GUID_ColorControlCallbacks","features":[318]},{"name":"GUID_D3DCallbacks","features":[318]},{"name":"GUID_D3DCallbacks2","features":[318]},{"name":"GUID_D3DCallbacks3","features":[318]},{"name":"GUID_D3DCaps","features":[318]},{"name":"GUID_D3DExtendedCaps","features":[318]},{"name":"GUID_D3DParseUnknownCommandCallback","features":[318]},{"name":"GUID_DDMoreCaps","features":[318]},{"name":"GUID_DDMoreSurfaceCaps","features":[318]},{"name":"GUID_DDStereoMode","features":[318]},{"name":"GUID_DxApi","features":[318]},{"name":"GUID_GetHeapAlignment","features":[318]},{"name":"GUID_KernelCallbacks","features":[318]},{"name":"GUID_KernelCaps","features":[318]},{"name":"GUID_Miscellaneous2Callbacks","features":[318]},{"name":"GUID_MiscellaneousCallbacks","features":[318]},{"name":"GUID_MotionCompCallbacks","features":[318]},{"name":"GUID_NTCallbacks","features":[318]},{"name":"GUID_NTPrivateDriverCaps","features":[318]},{"name":"GUID_NonLocalVidMemCaps","features":[318]},{"name":"GUID_OptSurfaceKmodeInfo","features":[318]},{"name":"GUID_OptSurfaceUmodeInfo","features":[318]},{"name":"GUID_UpdateNonLocalHeap","features":[318]},{"name":"GUID_UserModeDriverInfo","features":[318]},{"name":"GUID_UserModeDriverPassword","features":[318]},{"name":"GUID_VPE2Callbacks","features":[318]},{"name":"GUID_VideoPortCallbacks","features":[318]},{"name":"GUID_VideoPortCaps","features":[318]},{"name":"GUID_ZPixelFormats","features":[318]},{"name":"HEAPALIAS","features":[318]},{"name":"HEAPALIASINFO","features":[318]},{"name":"HEAPALIASINFO_MAPPEDDUMMY","features":[318]},{"name":"HEAPALIASINFO_MAPPEDREAL","features":[318]},{"name":"HEAPALIGNMENT","features":[318]},{"name":"IDDVideoPortContainer","features":[318]},{"name":"IDirectDraw","features":[318]},{"name":"IDirectDraw2","features":[318]},{"name":"IDirectDraw4","features":[318]},{"name":"IDirectDraw7","features":[318]},{"name":"IDirectDrawClipper","features":[318]},{"name":"IDirectDrawColorControl","features":[318]},{"name":"IDirectDrawGammaControl","features":[318]},{"name":"IDirectDrawKernel","features":[318]},{"name":"IDirectDrawPalette","features":[318]},{"name":"IDirectDrawSurface","features":[318]},{"name":"IDirectDrawSurface2","features":[318]},{"name":"IDirectDrawSurface3","features":[318]},{"name":"IDirectDrawSurface4","features":[318]},{"name":"IDirectDrawSurface7","features":[318]},{"name":"IDirectDrawSurfaceKernel","features":[318]},{"name":"IDirectDrawVideoPort","features":[318]},{"name":"IDirectDrawVideoPortNotify","features":[318]},{"name":"IRQINFO_HANDLED","features":[318]},{"name":"IRQINFO_NOTHANDLED","features":[318]},{"name":"IUNKNOWN_LIST","features":[318]},{"name":"LPCLIPPERCALLBACK","features":[308,318]},{"name":"LPDD32BITDRIVERINIT","features":[318]},{"name":"LPDDENUMCALLBACKA","features":[308,318]},{"name":"LPDDENUMCALLBACKEXA","features":[308,318,319]},{"name":"LPDDENUMCALLBACKEXW","features":[308,318,319]},{"name":"LPDDENUMCALLBACKW","features":[308,318]},{"name":"LPDDENUMMODESCALLBACK","features":[318]},{"name":"LPDDENUMMODESCALLBACK2","features":[318]},{"name":"LPDDENUMSURFACESCALLBACK","features":[318]},{"name":"LPDDENUMSURFACESCALLBACK2","features":[318]},{"name":"LPDDENUMSURFACESCALLBACK7","features":[318]},{"name":"LPDDENUMVIDEOCALLBACK","features":[318]},{"name":"LPDDFXROP","features":[318]},{"name":"LPDDGAMMACALIBRATORPROC","features":[318]},{"name":"LPDDHALCOLORCB_COLORCONTROL","features":[308,318,319]},{"name":"LPDDHALEXEBUFCB_CANCREATEEXEBUF","features":[308,318,319]},{"name":"LPDDHALEXEBUFCB_CREATEEXEBUF","features":[308,318,319]},{"name":"LPDDHALEXEBUFCB_DESTROYEXEBUF","features":[308,318,319]},{"name":"LPDDHALEXEBUFCB_LOCKEXEBUF","features":[308,318,319]},{"name":"LPDDHALEXEBUFCB_UNLOCKEXEBUF","features":[308,318,319]},{"name":"LPDDHALKERNELCB_SYNCSURFACE","features":[308,318,319]},{"name":"LPDDHALKERNELCB_SYNCVIDEOPORT","features":[308,318,319]},{"name":"LPDDHALMOCOMPCB_BEGINFRAME","features":[308,318,319]},{"name":"LPDDHALMOCOMPCB_CREATE","features":[308,318,319]},{"name":"LPDDHALMOCOMPCB_DESTROY","features":[308,318,319]},{"name":"LPDDHALMOCOMPCB_ENDFRAME","features":[308,318,319]},{"name":"LPDDHALMOCOMPCB_GETCOMPBUFFINFO","features":[308,318,319]},{"name":"LPDDHALMOCOMPCB_GETFORMATS","features":[308,318,319]},{"name":"LPDDHALMOCOMPCB_GETGUIDS","features":[308,318,319]},{"name":"LPDDHALMOCOMPCB_GETINTERNALINFO","features":[308,318,319]},{"name":"LPDDHALMOCOMPCB_QUERYSTATUS","features":[308,318,319]},{"name":"LPDDHALMOCOMPCB_RENDER","features":[308,318,319]},{"name":"LPDDHALPALCB_DESTROYPALETTE","features":[308,318,319]},{"name":"LPDDHALPALCB_SETENTRIES","features":[308,318,319]},{"name":"LPDDHALSURFCB_ADDATTACHEDSURFACE","features":[308,318,319]},{"name":"LPDDHALSURFCB_BLT","features":[308,318,319]},{"name":"LPDDHALSURFCB_DESTROYSURFACE","features":[308,318,319]},{"name":"LPDDHALSURFCB_FLIP","features":[308,318,319]},{"name":"LPDDHALSURFCB_GETBLTSTATUS","features":[308,318,319]},{"name":"LPDDHALSURFCB_GETFLIPSTATUS","features":[308,318,319]},{"name":"LPDDHALSURFCB_LOCK","features":[308,318,319]},{"name":"LPDDHALSURFCB_SETCLIPLIST","features":[308,318,319]},{"name":"LPDDHALSURFCB_SETCOLORKEY","features":[308,318,319]},{"name":"LPDDHALSURFCB_SETOVERLAYPOSITION","features":[308,318,319]},{"name":"LPDDHALSURFCB_SETPALETTE","features":[308,318,319]},{"name":"LPDDHALSURFCB_UNLOCK","features":[308,318,319]},{"name":"LPDDHALSURFCB_UPDATEOVERLAY","features":[308,318,319]},{"name":"LPDDHALVPORTCB_CANCREATEVIDEOPORT","features":[308,318,319]},{"name":"LPDDHALVPORTCB_COLORCONTROL","features":[308,318,319]},{"name":"LPDDHALVPORTCB_CREATEVIDEOPORT","features":[308,318,319]},{"name":"LPDDHALVPORTCB_DESTROYVPORT","features":[308,318,319]},{"name":"LPDDHALVPORTCB_FLIP","features":[308,318,319]},{"name":"LPDDHALVPORTCB_GETBANDWIDTH","features":[308,318,319]},{"name":"LPDDHALVPORTCB_GETFIELD","features":[308,318,319]},{"name":"LPDDHALVPORTCB_GETFLIPSTATUS","features":[308,318,319]},{"name":"LPDDHALVPORTCB_GETINPUTFORMATS","features":[308,318,319]},{"name":"LPDDHALVPORTCB_GETLINE","features":[308,318,319]},{"name":"LPDDHALVPORTCB_GETOUTPUTFORMATS","features":[308,318,319]},{"name":"LPDDHALVPORTCB_GETSIGNALSTATUS","features":[308,318,319]},{"name":"LPDDHALVPORTCB_GETVPORTCONNECT","features":[308,318,319]},{"name":"LPDDHALVPORTCB_UPDATE","features":[308,318,319]},{"name":"LPDDHALVPORTCB_WAITFORSYNC","features":[308,318,319]},{"name":"LPDDHAL_CANCREATESURFACE","features":[308,318,319]},{"name":"LPDDHAL_CREATEPALETTE","features":[308,318,319]},{"name":"LPDDHAL_CREATESURFACE","features":[308,318,319]},{"name":"LPDDHAL_CREATESURFACEEX","features":[308,318,319]},{"name":"LPDDHAL_DESTROYDDLOCAL","features":[308,318,319]},{"name":"LPDDHAL_DESTROYDRIVER","features":[308,318,319]},{"name":"LPDDHAL_FLIPTOGDISURFACE","features":[308,318,319]},{"name":"LPDDHAL_GETAVAILDRIVERMEMORY","features":[308,318,319]},{"name":"LPDDHAL_GETDRIVERINFO","features":[318]},{"name":"LPDDHAL_GETDRIVERSTATE","features":[318]},{"name":"LPDDHAL_GETHEAPALIGNMENT","features":[318]},{"name":"LPDDHAL_GETSCANLINE","features":[308,318,319]},{"name":"LPDDHAL_SETCOLORKEY","features":[308,318,319]},{"name":"LPDDHAL_SETEXCLUSIVEMODE","features":[308,318,319]},{"name":"LPDDHAL_SETINFO","features":[308,318,319]},{"name":"LPDDHAL_SETMODE","features":[308,318,319]},{"name":"LPDDHAL_UPDATENONLOCALHEAP","features":[308,318,319]},{"name":"LPDDHAL_VIDMEMALLOC","features":[308,318,319]},{"name":"LPDDHAL_VIDMEMFREE","features":[308,318,319]},{"name":"LPDDHAL_WAITFORVERTICALBLANK","features":[308,318,319]},{"name":"LPDDHEL_INIT","features":[308,318,319]},{"name":"LPDIRECTDRAWENUMERATEEXA","features":[308,318,319]},{"name":"LPDIRECTDRAWENUMERATEEXW","features":[308,318,319]},{"name":"MAX_AUTOFLIP_BUFFERS","features":[318]},{"name":"MAX_DDDEVICEID_STRING","features":[318]},{"name":"MAX_DRIVER_NAME","features":[318]},{"name":"MAX_PALETTE_SIZE","features":[318]},{"name":"MDL_64_BIT_VA","features":[318]},{"name":"MDL_ALLOCATED_FIXED_SIZE","features":[318]},{"name":"MDL_ALLOCATED_MUST_SUCCEED","features":[318]},{"name":"MDL_IO_PAGE_READ","features":[318]},{"name":"MDL_IO_SPACE","features":[318]},{"name":"MDL_LOCK_HELD","features":[318]},{"name":"MDL_MAPPED_TO_SYSTEM_VA","features":[318]},{"name":"MDL_MAPPING_CAN_FAIL","features":[318]},{"name":"MDL_NETWORK_HEADER","features":[318]},{"name":"MDL_PAGES_LOCKED","features":[318]},{"name":"MDL_PARENT_MAPPED_SYSTEM_VA","features":[318]},{"name":"MDL_PARTIAL","features":[318]},{"name":"MDL_PARTIAL_HAS_BEEN_MAPPED","features":[318]},{"name":"MDL_SCATTER_GATHER_VA","features":[318]},{"name":"MDL_SOURCE_IS_NONPAGED_POOL","features":[318]},{"name":"MDL_WRITE_OPERATION","features":[318]},{"name":"OBJECT_ISROOT","features":[318]},{"name":"PDD_ALPHABLT","features":[308,318]},{"name":"PDD_CANCREATESURFACE","features":[318]},{"name":"PDD_COLORCB_COLORCONTROL","features":[308,318]},{"name":"PDD_CREATEPALETTE","features":[308,318,319]},{"name":"PDD_CREATESURFACE","features":[308,318]},{"name":"PDD_CREATESURFACEEX","features":[308,318]},{"name":"PDD_DESTROYDDLOCAL","features":[318]},{"name":"PDD_DESTROYDRIVER","features":[318]},{"name":"PDD_DESTROYDRIVERDATA","features":[318]},{"name":"PDD_FLIPTOGDISURFACE","features":[318]},{"name":"PDD_FREEDRIVERMEMORY","features":[308,318]},{"name":"PDD_GETAVAILDRIVERMEMORY","features":[318]},{"name":"PDD_GETDRIVERINFO","features":[318]},{"name":"PDD_GETDRIVERSTATE","features":[318]},{"name":"PDD_GETSCANLINE","features":[318]},{"name":"PDD_GETVPORTAUTOFLIPSURFACEDATA","features":[318]},{"name":"PDD_KERNELCB_SYNCSURFACE","features":[308,318]},{"name":"PDD_KERNELCB_SYNCVIDEOPORT","features":[308,318]},{"name":"PDD_MAPMEMORY","features":[308,318]},{"name":"PDD_MOCOMPCB_BEGINFRAME","features":[308,318]},{"name":"PDD_MOCOMPCB_CREATE","features":[318]},{"name":"PDD_MOCOMPCB_DESTROY","features":[318]},{"name":"PDD_MOCOMPCB_ENDFRAME","features":[318]},{"name":"PDD_MOCOMPCB_GETCOMPBUFFINFO","features":[318]},{"name":"PDD_MOCOMPCB_GETFORMATS","features":[318]},{"name":"PDD_MOCOMPCB_GETGUIDS","features":[318]},{"name":"PDD_MOCOMPCB_GETINTERNALINFO","features":[318]},{"name":"PDD_MOCOMPCB_QUERYSTATUS","features":[308,318]},{"name":"PDD_MOCOMPCB_RENDER","features":[308,318]},{"name":"PDD_PALCB_DESTROYPALETTE","features":[318]},{"name":"PDD_PALCB_SETENTRIES","features":[318,319]},{"name":"PDD_SETCOLORKEY","features":[308,318]},{"name":"PDD_SETEXCLUSIVEMODE","features":[318]},{"name":"PDD_SETMODE","features":[318]},{"name":"PDD_SETMODEDATA","features":[318]},{"name":"PDD_SURFCB_ADDATTACHEDSURFACE","features":[308,318]},{"name":"PDD_SURFCB_BLT","features":[308,318]},{"name":"PDD_SURFCB_DESTROYSURFACE","features":[308,318]},{"name":"PDD_SURFCB_FLIP","features":[308,318]},{"name":"PDD_SURFCB_GETBLTSTATUS","features":[308,318]},{"name":"PDD_SURFCB_GETFLIPSTATUS","features":[308,318]},{"name":"PDD_SURFCB_LOCK","features":[308,318]},{"name":"PDD_SURFCB_SETCLIPLIST","features":[308,318]},{"name":"PDD_SURFCB_SETCOLORKEY","features":[308,318]},{"name":"PDD_SURFCB_SETOVERLAYPOSITION","features":[308,318]},{"name":"PDD_SURFCB_SETPALETTE","features":[308,318]},{"name":"PDD_SURFCB_UNLOCK","features":[308,318]},{"name":"PDD_SURFCB_UPDATEOVERLAY","features":[308,318]},{"name":"PDD_VPORTCB_CANCREATEVIDEOPORT","features":[318]},{"name":"PDD_VPORTCB_COLORCONTROL","features":[308,318]},{"name":"PDD_VPORTCB_CREATEVIDEOPORT","features":[308,318]},{"name":"PDD_VPORTCB_DESTROYVPORT","features":[308,318]},{"name":"PDD_VPORTCB_FLIP","features":[308,318]},{"name":"PDD_VPORTCB_GETAUTOFLIPSURF","features":[318]},{"name":"PDD_VPORTCB_GETBANDWIDTH","features":[308,318]},{"name":"PDD_VPORTCB_GETFIELD","features":[308,318]},{"name":"PDD_VPORTCB_GETFLIPSTATUS","features":[318]},{"name":"PDD_VPORTCB_GETINPUTFORMATS","features":[308,318]},{"name":"PDD_VPORTCB_GETLINE","features":[308,318]},{"name":"PDD_VPORTCB_GETOUTPUTFORMATS","features":[308,318]},{"name":"PDD_VPORTCB_GETSIGNALSTATUS","features":[308,318]},{"name":"PDD_VPORTCB_GETVPORTCONNECT","features":[318]},{"name":"PDD_VPORTCB_UPDATE","features":[308,318]},{"name":"PDD_VPORTCB_WAITFORSYNC","features":[308,318]},{"name":"PDD_WAITFORVERTICALBLANK","features":[318]},{"name":"PDX_BOBNEXTFIELD","features":[318]},{"name":"PDX_ENABLEIRQ","features":[318]},{"name":"PDX_FLIPOVERLAY","features":[318]},{"name":"PDX_FLIPVIDEOPORT","features":[318]},{"name":"PDX_GETCURRENTAUTOFLIP","features":[318]},{"name":"PDX_GETIRQINFO","features":[318]},{"name":"PDX_GETPOLARITY","features":[318]},{"name":"PDX_GETPREVIOUSAUTOFLIP","features":[318]},{"name":"PDX_GETTRANSFERSTATUS","features":[318]},{"name":"PDX_IRQCALLBACK","features":[318]},{"name":"PDX_LOCK","features":[318]},{"name":"PDX_SETSTATE","features":[308,318]},{"name":"PDX_SKIPNEXTFIELD","features":[318]},{"name":"PDX_TRANSFER","features":[318]},{"name":"PFINDEX_UNINITIALIZED","features":[318]},{"name":"PROCESS_LIST","features":[318]},{"name":"REGSTR_KEY_DDHW_DESCRIPTION","features":[318]},{"name":"REGSTR_KEY_DDHW_DRIVERNAME","features":[318]},{"name":"REGSTR_PATH_DDHW","features":[318]},{"name":"ROP_HAS_PATTERN","features":[318]},{"name":"ROP_HAS_SOURCE","features":[318]},{"name":"SURFACEALIGNMENT","features":[318]},{"name":"SURFACEALIGN_DISCARDABLE","features":[318]},{"name":"VIDEOMEMORY","features":[308,318]},{"name":"VIDEOMEMORYINFO","features":[318]},{"name":"VIDMEM","features":[308,318]},{"name":"VIDMEMINFO","features":[308,318]},{"name":"VIDMEM_HEAPDISABLED","features":[318]},{"name":"VIDMEM_ISHEAP","features":[318]},{"name":"VIDMEM_ISLINEAR","features":[318]},{"name":"VIDMEM_ISNONLOCAL","features":[318]},{"name":"VIDMEM_ISRECTANGULAR","features":[318]},{"name":"VIDMEM_ISWC","features":[318]},{"name":"VMEMHEAP","features":[308,318]},{"name":"VMEMHEAP_ALIGNMENT","features":[318]},{"name":"VMEMHEAP_LINEAR","features":[318]},{"name":"VMEMHEAP_RECTANGULAR","features":[318]},{"name":"VMEML","features":[308,318]},{"name":"VMEMR","features":[308,318]},{"name":"_FACDD","features":[318]}],"408":[{"name":"CLSID_AutoScrollBehavior","features":[409]},{"name":"CLSID_DeferContactService","features":[409]},{"name":"CLSID_DragDropConfigurationBehavior","features":[409]},{"name":"CLSID_HorizontalIndicatorContent","features":[409]},{"name":"CLSID_VerticalIndicatorContent","features":[409]},{"name":"CLSID_VirtualViewportContent","features":[409]},{"name":"DCompManipulationCompositor","features":[409]},{"name":"DIRECTMANIPULATION_AUTOSCROLL_CONFIGURATION","features":[409]},{"name":"DIRECTMANIPULATION_AUTOSCROLL_CONFIGURATION_FORWARD","features":[409]},{"name":"DIRECTMANIPULATION_AUTOSCROLL_CONFIGURATION_REVERSE","features":[409]},{"name":"DIRECTMANIPULATION_AUTOSCROLL_CONFIGURATION_STOP","features":[409]},{"name":"DIRECTMANIPULATION_BUILDING","features":[409]},{"name":"DIRECTMANIPULATION_CONFIGURATION","features":[409]},{"name":"DIRECTMANIPULATION_CONFIGURATION_INTERACTION","features":[409]},{"name":"DIRECTMANIPULATION_CONFIGURATION_NONE","features":[409]},{"name":"DIRECTMANIPULATION_CONFIGURATION_RAILS_X","features":[409]},{"name":"DIRECTMANIPULATION_CONFIGURATION_RAILS_Y","features":[409]},{"name":"DIRECTMANIPULATION_CONFIGURATION_SCALING","features":[409]},{"name":"DIRECTMANIPULATION_CONFIGURATION_SCALING_INERTIA","features":[409]},{"name":"DIRECTMANIPULATION_CONFIGURATION_TRANSLATION_INERTIA","features":[409]},{"name":"DIRECTMANIPULATION_CONFIGURATION_TRANSLATION_X","features":[409]},{"name":"DIRECTMANIPULATION_CONFIGURATION_TRANSLATION_Y","features":[409]},{"name":"DIRECTMANIPULATION_COORDINATE_BOUNDARY","features":[409]},{"name":"DIRECTMANIPULATION_COORDINATE_MIRRORED","features":[409]},{"name":"DIRECTMANIPULATION_COORDINATE_ORIGIN","features":[409]},{"name":"DIRECTMANIPULATION_DISABLED","features":[409]},{"name":"DIRECTMANIPULATION_DRAG_DROP_CANCELLED","features":[409]},{"name":"DIRECTMANIPULATION_DRAG_DROP_COMMITTED","features":[409]},{"name":"DIRECTMANIPULATION_DRAG_DROP_CONFIGURATION","features":[409]},{"name":"DIRECTMANIPULATION_DRAG_DROP_CONFIGURATION_HOLD_DRAG","features":[409]},{"name":"DIRECTMANIPULATION_DRAG_DROP_CONFIGURATION_HORIZONTAL","features":[409]},{"name":"DIRECTMANIPULATION_DRAG_DROP_CONFIGURATION_SELECT_DRAG","features":[409]},{"name":"DIRECTMANIPULATION_DRAG_DROP_CONFIGURATION_SELECT_ONLY","features":[409]},{"name":"DIRECTMANIPULATION_DRAG_DROP_CONFIGURATION_VERTICAL","features":[409]},{"name":"DIRECTMANIPULATION_DRAG_DROP_DRAGGING","features":[409]},{"name":"DIRECTMANIPULATION_DRAG_DROP_PRESELECT","features":[409]},{"name":"DIRECTMANIPULATION_DRAG_DROP_READY","features":[409]},{"name":"DIRECTMANIPULATION_DRAG_DROP_SELECTING","features":[409]},{"name":"DIRECTMANIPULATION_DRAG_DROP_STATUS","features":[409]},{"name":"DIRECTMANIPULATION_ENABLED","features":[409]},{"name":"DIRECTMANIPULATION_GESTURE_CONFIGURATION","features":[409]},{"name":"DIRECTMANIPULATION_GESTURE_CROSS_SLIDE_HORIZONTAL","features":[409]},{"name":"DIRECTMANIPULATION_GESTURE_CROSS_SLIDE_VERTICAL","features":[409]},{"name":"DIRECTMANIPULATION_GESTURE_DEFAULT","features":[409]},{"name":"DIRECTMANIPULATION_GESTURE_NONE","features":[409]},{"name":"DIRECTMANIPULATION_GESTURE_PINCH_ZOOM","features":[409]},{"name":"DIRECTMANIPULATION_HITTEST_TYPE","features":[409]},{"name":"DIRECTMANIPULATION_HITTEST_TYPE_ASYNCHRONOUS","features":[409]},{"name":"DIRECTMANIPULATION_HITTEST_TYPE_AUTO_SYNCHRONOUS","features":[409]},{"name":"DIRECTMANIPULATION_HITTEST_TYPE_SYNCHRONOUS","features":[409]},{"name":"DIRECTMANIPULATION_HORIZONTALALIGNMENT","features":[409]},{"name":"DIRECTMANIPULATION_HORIZONTALALIGNMENT_CENTER","features":[409]},{"name":"DIRECTMANIPULATION_HORIZONTALALIGNMENT_LEFT","features":[409]},{"name":"DIRECTMANIPULATION_HORIZONTALALIGNMENT_NONE","features":[409]},{"name":"DIRECTMANIPULATION_HORIZONTALALIGNMENT_RIGHT","features":[409]},{"name":"DIRECTMANIPULATION_HORIZONTALALIGNMENT_UNLOCKCENTER","features":[409]},{"name":"DIRECTMANIPULATION_INERTIA","features":[409]},{"name":"DIRECTMANIPULATION_INPUT_MODE","features":[409]},{"name":"DIRECTMANIPULATION_INPUT_MODE_AUTOMATIC","features":[409]},{"name":"DIRECTMANIPULATION_INPUT_MODE_MANUAL","features":[409]},{"name":"DIRECTMANIPULATION_INTERACTION_BEGIN","features":[409]},{"name":"DIRECTMANIPULATION_INTERACTION_END","features":[409]},{"name":"DIRECTMANIPULATION_INTERACTION_TYPE","features":[409]},{"name":"DIRECTMANIPULATION_INTERACTION_TYPE_GESTURE_CROSS_SLIDE","features":[409]},{"name":"DIRECTMANIPULATION_INTERACTION_TYPE_GESTURE_HOLD","features":[409]},{"name":"DIRECTMANIPULATION_INTERACTION_TYPE_GESTURE_PINCH_ZOOM","features":[409]},{"name":"DIRECTMANIPULATION_INTERACTION_TYPE_GESTURE_TAP","features":[409]},{"name":"DIRECTMANIPULATION_INTERACTION_TYPE_MANIPULATION","features":[409]},{"name":"DIRECTMANIPULATION_KEYBOARDFOCUS","features":[409]},{"name":"DIRECTMANIPULATION_MOTION_ALL","features":[409]},{"name":"DIRECTMANIPULATION_MOTION_CENTERX","features":[409]},{"name":"DIRECTMANIPULATION_MOTION_CENTERY","features":[409]},{"name":"DIRECTMANIPULATION_MOTION_NONE","features":[409]},{"name":"DIRECTMANIPULATION_MOTION_TRANSLATEX","features":[409]},{"name":"DIRECTMANIPULATION_MOTION_TRANSLATEY","features":[409]},{"name":"DIRECTMANIPULATION_MOTION_TYPES","features":[409]},{"name":"DIRECTMANIPULATION_MOTION_ZOOM","features":[409]},{"name":"DIRECTMANIPULATION_MOUSEFOCUS","features":[409]},{"name":"DIRECTMANIPULATION_READY","features":[409]},{"name":"DIRECTMANIPULATION_RUNNING","features":[409]},{"name":"DIRECTMANIPULATION_SNAPPOINT_COORDINATE","features":[409]},{"name":"DIRECTMANIPULATION_SNAPPOINT_MANDATORY","features":[409]},{"name":"DIRECTMANIPULATION_SNAPPOINT_MANDATORY_SINGLE","features":[409]},{"name":"DIRECTMANIPULATION_SNAPPOINT_OPTIONAL","features":[409]},{"name":"DIRECTMANIPULATION_SNAPPOINT_OPTIONAL_SINGLE","features":[409]},{"name":"DIRECTMANIPULATION_SNAPPOINT_TYPE","features":[409]},{"name":"DIRECTMANIPULATION_STATUS","features":[409]},{"name":"DIRECTMANIPULATION_SUSPENDED","features":[409]},{"name":"DIRECTMANIPULATION_VERTICALALIGNMENT","features":[409]},{"name":"DIRECTMANIPULATION_VERTICALALIGNMENT_BOTTOM","features":[409]},{"name":"DIRECTMANIPULATION_VERTICALALIGNMENT_CENTER","features":[409]},{"name":"DIRECTMANIPULATION_VERTICALALIGNMENT_NONE","features":[409]},{"name":"DIRECTMANIPULATION_VERTICALALIGNMENT_TOP","features":[409]},{"name":"DIRECTMANIPULATION_VERTICALALIGNMENT_UNLOCKCENTER","features":[409]},{"name":"DIRECTMANIPULATION_VIEWPORT_OPTIONS","features":[409]},{"name":"DIRECTMANIPULATION_VIEWPORT_OPTIONS_AUTODISABLE","features":[409]},{"name":"DIRECTMANIPULATION_VIEWPORT_OPTIONS_DEFAULT","features":[409]},{"name":"DIRECTMANIPULATION_VIEWPORT_OPTIONS_DISABLEPIXELSNAPPING","features":[409]},{"name":"DIRECTMANIPULATION_VIEWPORT_OPTIONS_EXPLICITHITTEST","features":[409]},{"name":"DIRECTMANIPULATION_VIEWPORT_OPTIONS_INPUT","features":[409]},{"name":"DIRECTMANIPULATION_VIEWPORT_OPTIONS_MANUALUPDATE","features":[409]},{"name":"DirectManipulationManager","features":[409]},{"name":"DirectManipulationPrimaryContent","features":[409]},{"name":"DirectManipulationSharedManager","features":[409]},{"name":"DirectManipulationUpdateManager","features":[409]},{"name":"DirectManipulationViewport","features":[409]},{"name":"IDirectManipulationAutoScrollBehavior","features":[409]},{"name":"IDirectManipulationCompositor","features":[409]},{"name":"IDirectManipulationCompositor2","features":[409]},{"name":"IDirectManipulationContent","features":[409]},{"name":"IDirectManipulationDeferContactService","features":[409]},{"name":"IDirectManipulationDragDropBehavior","features":[409]},{"name":"IDirectManipulationDragDropEventHandler","features":[409]},{"name":"IDirectManipulationFrameInfoProvider","features":[409]},{"name":"IDirectManipulationInteractionEventHandler","features":[409]},{"name":"IDirectManipulationManager","features":[409]},{"name":"IDirectManipulationManager2","features":[409]},{"name":"IDirectManipulationManager3","features":[409]},{"name":"IDirectManipulationPrimaryContent","features":[409]},{"name":"IDirectManipulationUpdateHandler","features":[409]},{"name":"IDirectManipulationUpdateManager","features":[409]},{"name":"IDirectManipulationViewport","features":[409]},{"name":"IDirectManipulationViewport2","features":[409]},{"name":"IDirectManipulationViewportEventHandler","features":[409]}],"409":[{"name":"DWRITE_ALPHA_MAX","features":[410]},{"name":"DWRITE_AUTOMATIC_FONT_AXES","features":[410]},{"name":"DWRITE_AUTOMATIC_FONT_AXES_NONE","features":[410]},{"name":"DWRITE_AUTOMATIC_FONT_AXES_OPTICAL_SIZE","features":[410]},{"name":"DWRITE_BASELINE","features":[410]},{"name":"DWRITE_BASELINE_CENTRAL","features":[410]},{"name":"DWRITE_BASELINE_DEFAULT","features":[410]},{"name":"DWRITE_BASELINE_HANGING","features":[410]},{"name":"DWRITE_BASELINE_IDEOGRAPHIC_BOTTOM","features":[410]},{"name":"DWRITE_BASELINE_IDEOGRAPHIC_TOP","features":[410]},{"name":"DWRITE_BASELINE_MATH","features":[410]},{"name":"DWRITE_BASELINE_MAXIMUM","features":[410]},{"name":"DWRITE_BASELINE_MINIMUM","features":[410]},{"name":"DWRITE_BASELINE_ROMAN","features":[410]},{"name":"DWRITE_BITMAP_DATA_BGRA32","features":[410]},{"name":"DWRITE_BREAK_CONDITION","features":[410]},{"name":"DWRITE_BREAK_CONDITION_CAN_BREAK","features":[410]},{"name":"DWRITE_BREAK_CONDITION_MAY_NOT_BREAK","features":[410]},{"name":"DWRITE_BREAK_CONDITION_MUST_BREAK","features":[410]},{"name":"DWRITE_BREAK_CONDITION_NEUTRAL","features":[410]},{"name":"DWRITE_CARET_METRICS","features":[410]},{"name":"DWRITE_CLUSTER_METRICS","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_CLEAR","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_COLOR_BURN","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_COLOR_DODGE","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_DARKEN","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_DEST","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_DEST_ATOP","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_DEST_IN","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_DEST_OUT","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_DEST_OVER","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_DIFFERENCE","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_EXCLUSION","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_HARD_LIGHT","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_HSL_COLOR","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_HSL_HUE","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_HSL_LUMINOSITY","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_HSL_SATURATION","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_LIGHTEN","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_MODE","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_MULTIPLY","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_OVERLAY","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_PLUS","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_SCREEN","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_SOFT_LIGHT","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_SRC","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_SRC_ATOP","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_SRC_IN","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_SRC_OUT","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_SRC_OVER","features":[410]},{"name":"DWRITE_COLOR_COMPOSITE_XOR","features":[410]},{"name":"DWRITE_COLOR_F","features":[410]},{"name":"DWRITE_COLOR_GLYPH_RUN","features":[308,410]},{"name":"DWRITE_COLOR_GLYPH_RUN1","features":[308,410]},{"name":"DWRITE_CONTAINER_TYPE","features":[410]},{"name":"DWRITE_CONTAINER_TYPE_UNKNOWN","features":[410]},{"name":"DWRITE_CONTAINER_TYPE_WOFF","features":[410]},{"name":"DWRITE_CONTAINER_TYPE_WOFF2","features":[410]},{"name":"DWRITE_ERR_BASE","features":[410]},{"name":"DWRITE_E_DOWNLOADCANCELLED","features":[410]},{"name":"DWRITE_E_DOWNLOADFAILED","features":[410]},{"name":"DWRITE_E_REMOTEFONT","features":[410]},{"name":"DWRITE_E_TOOMANYDOWNLOADS","features":[410]},{"name":"DWRITE_FACTORY_TYPE","features":[410]},{"name":"DWRITE_FACTORY_TYPE_ISOLATED","features":[410]},{"name":"DWRITE_FACTORY_TYPE_SHARED","features":[410]},{"name":"DWRITE_FILE_FRAGMENT","features":[410]},{"name":"DWRITE_FLOW_DIRECTION","features":[410]},{"name":"DWRITE_FLOW_DIRECTION_BOTTOM_TO_TOP","features":[410]},{"name":"DWRITE_FLOW_DIRECTION_LEFT_TO_RIGHT","features":[410]},{"name":"DWRITE_FLOW_DIRECTION_RIGHT_TO_LEFT","features":[410]},{"name":"DWRITE_FLOW_DIRECTION_TOP_TO_BOTTOM","features":[410]},{"name":"DWRITE_FONT_AXIS_ATTRIBUTES","features":[410]},{"name":"DWRITE_FONT_AXIS_ATTRIBUTES_HIDDEN","features":[410]},{"name":"DWRITE_FONT_AXIS_ATTRIBUTES_NONE","features":[410]},{"name":"DWRITE_FONT_AXIS_ATTRIBUTES_VARIABLE","features":[410]},{"name":"DWRITE_FONT_AXIS_RANGE","features":[410]},{"name":"DWRITE_FONT_AXIS_TAG","features":[410]},{"name":"DWRITE_FONT_AXIS_TAG_ITALIC","features":[410]},{"name":"DWRITE_FONT_AXIS_TAG_OPTICAL_SIZE","features":[410]},{"name":"DWRITE_FONT_AXIS_TAG_SLANT","features":[410]},{"name":"DWRITE_FONT_AXIS_TAG_WEIGHT","features":[410]},{"name":"DWRITE_FONT_AXIS_TAG_WIDTH","features":[410]},{"name":"DWRITE_FONT_AXIS_VALUE","features":[410]},{"name":"DWRITE_FONT_FACE_TYPE","features":[410]},{"name":"DWRITE_FONT_FACE_TYPE_BITMAP","features":[410]},{"name":"DWRITE_FONT_FACE_TYPE_CFF","features":[410]},{"name":"DWRITE_FONT_FACE_TYPE_OPENTYPE_COLLECTION","features":[410]},{"name":"DWRITE_FONT_FACE_TYPE_RAW_CFF","features":[410]},{"name":"DWRITE_FONT_FACE_TYPE_TRUETYPE","features":[410]},{"name":"DWRITE_FONT_FACE_TYPE_TRUETYPE_COLLECTION","features":[410]},{"name":"DWRITE_FONT_FACE_TYPE_TYPE1","features":[410]},{"name":"DWRITE_FONT_FACE_TYPE_UNKNOWN","features":[410]},{"name":"DWRITE_FONT_FACE_TYPE_VECTOR","features":[410]},{"name":"DWRITE_FONT_FAMILY_MODEL","features":[410]},{"name":"DWRITE_FONT_FAMILY_MODEL_TYPOGRAPHIC","features":[410]},{"name":"DWRITE_FONT_FAMILY_MODEL_WEIGHT_STRETCH_STYLE","features":[410]},{"name":"DWRITE_FONT_FEATURE","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_ALTERNATE_ANNOTATION_FORMS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_ALTERNATE_HALF_WIDTH","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_ALTERNATIVE_FRACTIONS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_CAPITAL_SPACING","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_CASE_SENSITIVE_FORMS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_CONTEXTUAL_ALTERNATES","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_CONTEXTUAL_LIGATURES","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_CONTEXTUAL_SWASH","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_CURSIVE_POSITIONING","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_DEFAULT","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_DISCRETIONARY_LIGATURES","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_EXPERT_FORMS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_FRACTIONS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_FULL_WIDTH","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_GLYPH_COMPOSITION_DECOMPOSITION","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_HALANT_FORMS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_HALF_FORMS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_HALF_WIDTH","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_HISTORICAL_FORMS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_HISTORICAL_LIGATURES","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_HOJO_KANJI_FORMS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_HORIZONTAL_KANA_ALTERNATES","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_JIS04_FORMS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_JIS78_FORMS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_JIS83_FORMS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_JIS90_FORMS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_KERNING","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_LINING_FIGURES","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_LOCALIZED_FORMS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_MARK_POSITIONING","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_MARK_TO_MARK_POSITIONING","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_MATHEMATICAL_GREEK","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_NLC_KANJI_FORMS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_OLD_STYLE_FIGURES","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_ORDINALS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_PETITE_CAPITALS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_PETITE_CAPITALS_FROM_CAPITALS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_PROPORTIONAL_ALTERNATE_WIDTH","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_PROPORTIONAL_FIGURES","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_PROPORTIONAL_WIDTHS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_QUARTER_WIDTHS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_REQUIRED_LIGATURES","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_RUBY_NOTATION_FORMS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_SCIENTIFIC_INFERIORS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_SIMPLIFIED_FORMS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_SLASHED_ZERO","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_SMALL_CAPITALS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_SMALL_CAPITALS_FROM_CAPITALS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_STANDARD_LIGATURES","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_STYLISTIC_ALTERNATES","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_STYLISTIC_SET_1","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_STYLISTIC_SET_10","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_STYLISTIC_SET_11","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_STYLISTIC_SET_12","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_STYLISTIC_SET_13","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_STYLISTIC_SET_14","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_STYLISTIC_SET_15","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_STYLISTIC_SET_16","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_STYLISTIC_SET_17","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_STYLISTIC_SET_18","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_STYLISTIC_SET_19","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_STYLISTIC_SET_2","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_STYLISTIC_SET_20","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_STYLISTIC_SET_3","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_STYLISTIC_SET_4","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_STYLISTIC_SET_5","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_STYLISTIC_SET_6","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_STYLISTIC_SET_7","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_STYLISTIC_SET_8","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_STYLISTIC_SET_9","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_SUBSCRIPT","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_SUPERSCRIPT","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_SWASH","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_TABULAR_FIGURES","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_THIRD_WIDTHS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_TITLING","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_TRADITIONAL_FORMS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_TRADITIONAL_NAME_FORMS","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_UNICASE","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_VERTICAL_ALTERNATES_AND_ROTATION","features":[410]},{"name":"DWRITE_FONT_FEATURE_TAG_VERTICAL_WRITING","features":[410]},{"name":"DWRITE_FONT_FILE_TYPE","features":[410]},{"name":"DWRITE_FONT_FILE_TYPE_BITMAP","features":[410]},{"name":"DWRITE_FONT_FILE_TYPE_CFF","features":[410]},{"name":"DWRITE_FONT_FILE_TYPE_OPENTYPE_COLLECTION","features":[410]},{"name":"DWRITE_FONT_FILE_TYPE_TRUETYPE","features":[410]},{"name":"DWRITE_FONT_FILE_TYPE_TRUETYPE_COLLECTION","features":[410]},{"name":"DWRITE_FONT_FILE_TYPE_TYPE1_PFB","features":[410]},{"name":"DWRITE_FONT_FILE_TYPE_TYPE1_PFM","features":[410]},{"name":"DWRITE_FONT_FILE_TYPE_UNKNOWN","features":[410]},{"name":"DWRITE_FONT_FILE_TYPE_VECTOR","features":[410]},{"name":"DWRITE_FONT_LINE_GAP_USAGE","features":[410]},{"name":"DWRITE_FONT_LINE_GAP_USAGE_DEFAULT","features":[410]},{"name":"DWRITE_FONT_LINE_GAP_USAGE_DISABLED","features":[410]},{"name":"DWRITE_FONT_LINE_GAP_USAGE_ENABLED","features":[410]},{"name":"DWRITE_FONT_METRICS","features":[410]},{"name":"DWRITE_FONT_METRICS1","features":[308,410]},{"name":"DWRITE_FONT_PROPERTY","features":[410]},{"name":"DWRITE_FONT_PROPERTY_ID","features":[410]},{"name":"DWRITE_FONT_PROPERTY_ID_DESIGN_SCRIPT_LANGUAGE_TAG","features":[410]},{"name":"DWRITE_FONT_PROPERTY_ID_FACE_NAME","features":[410]},{"name":"DWRITE_FONT_PROPERTY_ID_FAMILY_NAME","features":[410]},{"name":"DWRITE_FONT_PROPERTY_ID_FULL_NAME","features":[410]},{"name":"DWRITE_FONT_PROPERTY_ID_NONE","features":[410]},{"name":"DWRITE_FONT_PROPERTY_ID_POSTSCRIPT_NAME","features":[410]},{"name":"DWRITE_FONT_PROPERTY_ID_PREFERRED_FAMILY_NAME","features":[410]},{"name":"DWRITE_FONT_PROPERTY_ID_SEMANTIC_TAG","features":[410]},{"name":"DWRITE_FONT_PROPERTY_ID_STRETCH","features":[410]},{"name":"DWRITE_FONT_PROPERTY_ID_STYLE","features":[410]},{"name":"DWRITE_FONT_PROPERTY_ID_SUPPORTED_SCRIPT_LANGUAGE_TAG","features":[410]},{"name":"DWRITE_FONT_PROPERTY_ID_TOTAL","features":[410]},{"name":"DWRITE_FONT_PROPERTY_ID_TOTAL_RS3","features":[410]},{"name":"DWRITE_FONT_PROPERTY_ID_TYPOGRAPHIC_FACE_NAME","features":[410]},{"name":"DWRITE_FONT_PROPERTY_ID_TYPOGRAPHIC_FAMILY_NAME","features":[410]},{"name":"DWRITE_FONT_PROPERTY_ID_WEIGHT","features":[410]},{"name":"DWRITE_FONT_PROPERTY_ID_WEIGHT_STRETCH_STYLE_FACE_NAME","features":[410]},{"name":"DWRITE_FONT_PROPERTY_ID_WEIGHT_STRETCH_STYLE_FAMILY_NAME","features":[410]},{"name":"DWRITE_FONT_PROPERTY_ID_WIN32_FAMILY_NAME","features":[410]},{"name":"DWRITE_FONT_SIMULATIONS","features":[410]},{"name":"DWRITE_FONT_SIMULATIONS_BOLD","features":[410]},{"name":"DWRITE_FONT_SIMULATIONS_NONE","features":[410]},{"name":"DWRITE_FONT_SIMULATIONS_OBLIQUE","features":[410]},{"name":"DWRITE_FONT_SOURCE_TYPE","features":[410]},{"name":"DWRITE_FONT_SOURCE_TYPE_APPX_PACKAGE","features":[410]},{"name":"DWRITE_FONT_SOURCE_TYPE_PER_MACHINE","features":[410]},{"name":"DWRITE_FONT_SOURCE_TYPE_PER_USER","features":[410]},{"name":"DWRITE_FONT_SOURCE_TYPE_REMOTE_FONT_PROVIDER","features":[410]},{"name":"DWRITE_FONT_SOURCE_TYPE_UNKNOWN","features":[410]},{"name":"DWRITE_FONT_STRETCH","features":[410]},{"name":"DWRITE_FONT_STRETCH_CONDENSED","features":[410]},{"name":"DWRITE_FONT_STRETCH_EXPANDED","features":[410]},{"name":"DWRITE_FONT_STRETCH_EXTRA_CONDENSED","features":[410]},{"name":"DWRITE_FONT_STRETCH_EXTRA_EXPANDED","features":[410]},{"name":"DWRITE_FONT_STRETCH_MEDIUM","features":[410]},{"name":"DWRITE_FONT_STRETCH_NORMAL","features":[410]},{"name":"DWRITE_FONT_STRETCH_SEMI_CONDENSED","features":[410]},{"name":"DWRITE_FONT_STRETCH_SEMI_EXPANDED","features":[410]},{"name":"DWRITE_FONT_STRETCH_ULTRA_CONDENSED","features":[410]},{"name":"DWRITE_FONT_STRETCH_ULTRA_EXPANDED","features":[410]},{"name":"DWRITE_FONT_STRETCH_UNDEFINED","features":[410]},{"name":"DWRITE_FONT_STYLE","features":[410]},{"name":"DWRITE_FONT_STYLE_ITALIC","features":[410]},{"name":"DWRITE_FONT_STYLE_NORMAL","features":[410]},{"name":"DWRITE_FONT_STYLE_OBLIQUE","features":[410]},{"name":"DWRITE_FONT_WEIGHT","features":[410]},{"name":"DWRITE_FONT_WEIGHT_BLACK","features":[410]},{"name":"DWRITE_FONT_WEIGHT_BOLD","features":[410]},{"name":"DWRITE_FONT_WEIGHT_DEMI_BOLD","features":[410]},{"name":"DWRITE_FONT_WEIGHT_EXTRA_BLACK","features":[410]},{"name":"DWRITE_FONT_WEIGHT_EXTRA_BOLD","features":[410]},{"name":"DWRITE_FONT_WEIGHT_EXTRA_LIGHT","features":[410]},{"name":"DWRITE_FONT_WEIGHT_HEAVY","features":[410]},{"name":"DWRITE_FONT_WEIGHT_LIGHT","features":[410]},{"name":"DWRITE_FONT_WEIGHT_MEDIUM","features":[410]},{"name":"DWRITE_FONT_WEIGHT_NORMAL","features":[410]},{"name":"DWRITE_FONT_WEIGHT_REGULAR","features":[410]},{"name":"DWRITE_FONT_WEIGHT_SEMI_BOLD","features":[410]},{"name":"DWRITE_FONT_WEIGHT_SEMI_LIGHT","features":[410]},{"name":"DWRITE_FONT_WEIGHT_THIN","features":[410]},{"name":"DWRITE_FONT_WEIGHT_ULTRA_BLACK","features":[410]},{"name":"DWRITE_FONT_WEIGHT_ULTRA_BOLD","features":[410]},{"name":"DWRITE_FONT_WEIGHT_ULTRA_LIGHT","features":[410]},{"name":"DWRITE_GLYPH_IMAGE_DATA","features":[308,399,410]},{"name":"DWRITE_GLYPH_IMAGE_FORMATS","features":[410]},{"name":"DWRITE_GLYPH_IMAGE_FORMATS_CFF","features":[410]},{"name":"DWRITE_GLYPH_IMAGE_FORMATS_COLR","features":[410]},{"name":"DWRITE_GLYPH_IMAGE_FORMATS_COLR_PAINT_TREE","features":[410]},{"name":"DWRITE_GLYPH_IMAGE_FORMATS_JPEG","features":[410]},{"name":"DWRITE_GLYPH_IMAGE_FORMATS_NONE","features":[410]},{"name":"DWRITE_GLYPH_IMAGE_FORMATS_PNG","features":[410]},{"name":"DWRITE_GLYPH_IMAGE_FORMATS_PREMULTIPLIED_B8G8R8A8","features":[410]},{"name":"DWRITE_GLYPH_IMAGE_FORMATS_SVG","features":[410]},{"name":"DWRITE_GLYPH_IMAGE_FORMATS_TIFF","features":[410]},{"name":"DWRITE_GLYPH_IMAGE_FORMATS_TRUETYPE","features":[410]},{"name":"DWRITE_GLYPH_METRICS","features":[410]},{"name":"DWRITE_GLYPH_OFFSET","features":[410]},{"name":"DWRITE_GLYPH_ORIENTATION_ANGLE","features":[410]},{"name":"DWRITE_GLYPH_ORIENTATION_ANGLE_0_DEGREES","features":[410]},{"name":"DWRITE_GLYPH_ORIENTATION_ANGLE_180_DEGREES","features":[410]},{"name":"DWRITE_GLYPH_ORIENTATION_ANGLE_270_DEGREES","features":[410]},{"name":"DWRITE_GLYPH_ORIENTATION_ANGLE_90_DEGREES","features":[410]},{"name":"DWRITE_GLYPH_RUN","features":[308,410]},{"name":"DWRITE_GLYPH_RUN_DESCRIPTION","features":[410]},{"name":"DWRITE_GRID_FIT_MODE","features":[410]},{"name":"DWRITE_GRID_FIT_MODE_DEFAULT","features":[410]},{"name":"DWRITE_GRID_FIT_MODE_DISABLED","features":[410]},{"name":"DWRITE_GRID_FIT_MODE_ENABLED","features":[410]},{"name":"DWRITE_HIT_TEST_METRICS","features":[308,410]},{"name":"DWRITE_INFORMATIONAL_STRING_COPYRIGHT_NOTICE","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_DESCRIPTION","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_DESIGNER","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_DESIGNER_URL","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_DESIGN_SCRIPT_LANGUAGE_TAG","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_FONT_VENDOR_URL","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_FULL_NAME","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_ID","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_LICENSE_DESCRIPTION","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_LICENSE_INFO_URL","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_MANUFACTURER","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_NONE","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_POSTSCRIPT_CID_NAME","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_POSTSCRIPT_NAME","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_PREFERRED_FAMILY_NAMES","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_PREFERRED_SUBFAMILY_NAMES","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_SAMPLE_TEXT","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_SUPPORTED_SCRIPT_LANGUAGE_TAG","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_TRADEMARK","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_TYPOGRAPHIC_FAMILY_NAMES","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_TYPOGRAPHIC_SUBFAMILY_NAMES","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_VERSION_STRINGS","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_WEIGHT_STRETCH_STYLE_FAMILY_NAME","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_WIN32_FAMILY_NAMES","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_WIN32_SUBFAMILY_NAMES","features":[410]},{"name":"DWRITE_INFORMATIONAL_STRING_WWS_FAMILY_NAME","features":[410]},{"name":"DWRITE_INLINE_OBJECT_METRICS","features":[308,410]},{"name":"DWRITE_JUSTIFICATION_OPPORTUNITY","features":[410]},{"name":"DWRITE_LINE_BREAKPOINT","features":[410]},{"name":"DWRITE_LINE_METRICS","features":[308,410]},{"name":"DWRITE_LINE_METRICS1","features":[308,410]},{"name":"DWRITE_LINE_SPACING","features":[410]},{"name":"DWRITE_LINE_SPACING_METHOD","features":[410]},{"name":"DWRITE_LINE_SPACING_METHOD_DEFAULT","features":[410]},{"name":"DWRITE_LINE_SPACING_METHOD_PROPORTIONAL","features":[410]},{"name":"DWRITE_LINE_SPACING_METHOD_UNIFORM","features":[410]},{"name":"DWRITE_LOCALITY","features":[410]},{"name":"DWRITE_LOCALITY_LOCAL","features":[410]},{"name":"DWRITE_LOCALITY_PARTIAL","features":[410]},{"name":"DWRITE_LOCALITY_REMOTE","features":[410]},{"name":"DWRITE_MATRIX","features":[410]},{"name":"DWRITE_MEASURING_MODE","features":[410]},{"name":"DWRITE_MEASURING_MODE_GDI_CLASSIC","features":[410]},{"name":"DWRITE_MEASURING_MODE_GDI_NATURAL","features":[410]},{"name":"DWRITE_MEASURING_MODE_NATURAL","features":[410]},{"name":"DWRITE_NO_PALETTE_INDEX","features":[410]},{"name":"DWRITE_NUMBER_SUBSTITUTION_METHOD","features":[410]},{"name":"DWRITE_NUMBER_SUBSTITUTION_METHOD_CONTEXTUAL","features":[410]},{"name":"DWRITE_NUMBER_SUBSTITUTION_METHOD_FROM_CULTURE","features":[410]},{"name":"DWRITE_NUMBER_SUBSTITUTION_METHOD_NATIONAL","features":[410]},{"name":"DWRITE_NUMBER_SUBSTITUTION_METHOD_NONE","features":[410]},{"name":"DWRITE_NUMBER_SUBSTITUTION_METHOD_TRADITIONAL","features":[410]},{"name":"DWRITE_OPTICAL_ALIGNMENT","features":[410]},{"name":"DWRITE_OPTICAL_ALIGNMENT_NONE","features":[410]},{"name":"DWRITE_OPTICAL_ALIGNMENT_NO_SIDE_BEARINGS","features":[410]},{"name":"DWRITE_OUTLINE_THRESHOLD","features":[410]},{"name":"DWRITE_OUTLINE_THRESHOLD_ALIASED","features":[410]},{"name":"DWRITE_OUTLINE_THRESHOLD_ANTIALIASED","features":[410]},{"name":"DWRITE_OVERHANG_METRICS","features":[410]},{"name":"DWRITE_PAINT_ATTRIBUTES","features":[410]},{"name":"DWRITE_PAINT_ATTRIBUTES_NONE","features":[410]},{"name":"DWRITE_PAINT_ATTRIBUTES_USES_PALETTE","features":[410]},{"name":"DWRITE_PAINT_ATTRIBUTES_USES_TEXT_COLOR","features":[410]},{"name":"DWRITE_PAINT_COLOR","features":[410]},{"name":"DWRITE_PAINT_ELEMENT","features":[399,410]},{"name":"DWRITE_PAINT_FEATURE_LEVEL","features":[410]},{"name":"DWRITE_PAINT_FEATURE_LEVEL_COLR_V0","features":[410]},{"name":"DWRITE_PAINT_FEATURE_LEVEL_COLR_V1","features":[410]},{"name":"DWRITE_PAINT_FEATURE_LEVEL_NONE","features":[410]},{"name":"DWRITE_PAINT_TYPE","features":[410]},{"name":"DWRITE_PAINT_TYPE_COLOR_GLYPH","features":[410]},{"name":"DWRITE_PAINT_TYPE_COMPOSITE","features":[410]},{"name":"DWRITE_PAINT_TYPE_GLYPH","features":[410]},{"name":"DWRITE_PAINT_TYPE_LAYERS","features":[410]},{"name":"DWRITE_PAINT_TYPE_LINEAR_GRADIENT","features":[410]},{"name":"DWRITE_PAINT_TYPE_NONE","features":[410]},{"name":"DWRITE_PAINT_TYPE_RADIAL_GRADIENT","features":[410]},{"name":"DWRITE_PAINT_TYPE_SOLID","features":[410]},{"name":"DWRITE_PAINT_TYPE_SOLID_GLYPH","features":[410]},{"name":"DWRITE_PAINT_TYPE_SWEEP_GRADIENT","features":[410]},{"name":"DWRITE_PAINT_TYPE_TRANSFORM","features":[410]},{"name":"DWRITE_PANOSE","features":[410]},{"name":"DWRITE_PANOSE_ARM_STYLE","features":[410]},{"name":"DWRITE_PANOSE_ARM_STYLE_ANY","features":[410]},{"name":"DWRITE_PANOSE_ARM_STYLE_BENT_ARMS_DOUBLE_SERIF","features":[410]},{"name":"DWRITE_PANOSE_ARM_STYLE_BENT_ARMS_HORZ","features":[410]},{"name":"DWRITE_PANOSE_ARM_STYLE_BENT_ARMS_SINGLE_SERIF","features":[410]},{"name":"DWRITE_PANOSE_ARM_STYLE_BENT_ARMS_VERT","features":[410]},{"name":"DWRITE_PANOSE_ARM_STYLE_BENT_ARMS_WEDGE","features":[410]},{"name":"DWRITE_PANOSE_ARM_STYLE_NONSTRAIGHT_ARMS_DOUBLE_SERIF","features":[410]},{"name":"DWRITE_PANOSE_ARM_STYLE_NONSTRAIGHT_ARMS_HORIZONTAL","features":[410]},{"name":"DWRITE_PANOSE_ARM_STYLE_NONSTRAIGHT_ARMS_SINGLE_SERIF","features":[410]},{"name":"DWRITE_PANOSE_ARM_STYLE_NONSTRAIGHT_ARMS_VERTICAL","features":[410]},{"name":"DWRITE_PANOSE_ARM_STYLE_NONSTRAIGHT_ARMS_WEDGE","features":[410]},{"name":"DWRITE_PANOSE_ARM_STYLE_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_ARM_STYLE_STRAIGHT_ARMS_DOUBLE_SERIF","features":[410]},{"name":"DWRITE_PANOSE_ARM_STYLE_STRAIGHT_ARMS_HORIZONTAL","features":[410]},{"name":"DWRITE_PANOSE_ARM_STYLE_STRAIGHT_ARMS_HORZ","features":[410]},{"name":"DWRITE_PANOSE_ARM_STYLE_STRAIGHT_ARMS_SINGLE_SERIF","features":[410]},{"name":"DWRITE_PANOSE_ARM_STYLE_STRAIGHT_ARMS_VERT","features":[410]},{"name":"DWRITE_PANOSE_ARM_STYLE_STRAIGHT_ARMS_VERTICAL","features":[410]},{"name":"DWRITE_PANOSE_ARM_STYLE_STRAIGHT_ARMS_WEDGE","features":[410]},{"name":"DWRITE_PANOSE_ASPECT","features":[410]},{"name":"DWRITE_PANOSE_ASPECT_ANY","features":[410]},{"name":"DWRITE_PANOSE_ASPECT_CONDENSED","features":[410]},{"name":"DWRITE_PANOSE_ASPECT_EXTENDED","features":[410]},{"name":"DWRITE_PANOSE_ASPECT_MONOSPACED","features":[410]},{"name":"DWRITE_PANOSE_ASPECT_NORMAL","features":[410]},{"name":"DWRITE_PANOSE_ASPECT_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_ASPECT_RATIO","features":[410]},{"name":"DWRITE_PANOSE_ASPECT_RATIO_ANY","features":[410]},{"name":"DWRITE_PANOSE_ASPECT_RATIO_CONDENSED","features":[410]},{"name":"DWRITE_PANOSE_ASPECT_RATIO_EXPANDED","features":[410]},{"name":"DWRITE_PANOSE_ASPECT_RATIO_NORMAL","features":[410]},{"name":"DWRITE_PANOSE_ASPECT_RATIO_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_ASPECT_RATIO_VERY_CONDENSED","features":[410]},{"name":"DWRITE_PANOSE_ASPECT_RATIO_VERY_EXPANDED","features":[410]},{"name":"DWRITE_PANOSE_ASPECT_SUPER_CONDENSED","features":[410]},{"name":"DWRITE_PANOSE_ASPECT_SUPER_EXTENDED","features":[410]},{"name":"DWRITE_PANOSE_ASPECT_VERY_CONDENSED","features":[410]},{"name":"DWRITE_PANOSE_ASPECT_VERY_EXTENDED","features":[410]},{"name":"DWRITE_PANOSE_CHARACTER_RANGES","features":[410]},{"name":"DWRITE_PANOSE_CHARACTER_RANGES_ANY","features":[410]},{"name":"DWRITE_PANOSE_CHARACTER_RANGES_EXTENDED_COLLECTION","features":[410]},{"name":"DWRITE_PANOSE_CHARACTER_RANGES_LITERALS","features":[410]},{"name":"DWRITE_PANOSE_CHARACTER_RANGES_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_CHARACTER_RANGES_NO_LOWER_CASE","features":[410]},{"name":"DWRITE_PANOSE_CHARACTER_RANGES_SMALL_CAPS","features":[410]},{"name":"DWRITE_PANOSE_CONTRAST","features":[410]},{"name":"DWRITE_PANOSE_CONTRAST_ANY","features":[410]},{"name":"DWRITE_PANOSE_CONTRAST_BROKEN","features":[410]},{"name":"DWRITE_PANOSE_CONTRAST_HIGH","features":[410]},{"name":"DWRITE_PANOSE_CONTRAST_HORIZONTAL_HIGH","features":[410]},{"name":"DWRITE_PANOSE_CONTRAST_HORIZONTAL_LOW","features":[410]},{"name":"DWRITE_PANOSE_CONTRAST_HORIZONTAL_MEDIUM","features":[410]},{"name":"DWRITE_PANOSE_CONTRAST_LOW","features":[410]},{"name":"DWRITE_PANOSE_CONTRAST_MEDIUM","features":[410]},{"name":"DWRITE_PANOSE_CONTRAST_MEDIUM_HIGH","features":[410]},{"name":"DWRITE_PANOSE_CONTRAST_MEDIUM_LOW","features":[410]},{"name":"DWRITE_PANOSE_CONTRAST_NONE","features":[410]},{"name":"DWRITE_PANOSE_CONTRAST_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_CONTRAST_VERY_HIGH","features":[410]},{"name":"DWRITE_PANOSE_CONTRAST_VERY_LOW","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_CLASS","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_CLASS_ANY","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_CLASS_CARTOON","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_CLASS_COLLAGE","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_CLASS_DERIVATIVE","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_CLASS_INITIALS","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_CLASS_MONTAGE","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_CLASS_NONSTANDARD_ASPECT","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_CLASS_NONSTANDARD_ELEMENTS","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_CLASS_NONSTANDARD_TOPOLOGY","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_CLASS_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_CLASS_ORNAMENTED","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_CLASS_PICTURE_STEMS","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_CLASS_TEXT_AND_BACKGROUND","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_TOPOLOGY","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_TOPOLOGY_ANY","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_TOPOLOGY_ART_DECO","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_TOPOLOGY_BLACKLETTER","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_TOPOLOGY_CURSIVE","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_TOPOLOGY_DIVERSE_ARMS","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_TOPOLOGY_DIVERSE_FORMS","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_TOPOLOGY_HORSESHOE_E_AND_A","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_TOPOLOGY_IMPLIED_TOPOLOGY","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_TOPOLOGY_LOMBARDIC_FORMS","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_TOPOLOGY_MULTIPLE_SEGMENT","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_TOPOLOGY_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_TOPOLOGY_SQUARE","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_TOPOLOGY_STANDARD","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_TOPOLOGY_SWASH_VARIANCE","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_TOPOLOGY_UNEVEN_WEIGHTING","features":[410]},{"name":"DWRITE_PANOSE_DECORATIVE_TOPOLOGY_UPPER_CASE_IN_LOWER_CASE","features":[410]},{"name":"DWRITE_PANOSE_FAMILY","features":[410]},{"name":"DWRITE_PANOSE_FAMILY_ANY","features":[410]},{"name":"DWRITE_PANOSE_FAMILY_DECORATIVE","features":[410]},{"name":"DWRITE_PANOSE_FAMILY_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_FAMILY_PICTORIAL","features":[410]},{"name":"DWRITE_PANOSE_FAMILY_SCRIPT","features":[410]},{"name":"DWRITE_PANOSE_FAMILY_SYMBOL","features":[410]},{"name":"DWRITE_PANOSE_FAMILY_TEXT_DISPLAY","features":[410]},{"name":"DWRITE_PANOSE_FILL","features":[410]},{"name":"DWRITE_PANOSE_FILL_ANY","features":[410]},{"name":"DWRITE_PANOSE_FILL_COMPLEX_FILL","features":[410]},{"name":"DWRITE_PANOSE_FILL_DRAWN_DISTRESSED","features":[410]},{"name":"DWRITE_PANOSE_FILL_NO_FILL","features":[410]},{"name":"DWRITE_PANOSE_FILL_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_FILL_PATTERNED_FILL","features":[410]},{"name":"DWRITE_PANOSE_FILL_SHAPED_FILL","features":[410]},{"name":"DWRITE_PANOSE_FILL_STANDARD_SOLID_FILL","features":[410]},{"name":"DWRITE_PANOSE_FINIALS","features":[410]},{"name":"DWRITE_PANOSE_FINIALS_ANY","features":[410]},{"name":"DWRITE_PANOSE_FINIALS_NONE_CLOSED_LOOPS","features":[410]},{"name":"DWRITE_PANOSE_FINIALS_NONE_NO_LOOPS","features":[410]},{"name":"DWRITE_PANOSE_FINIALS_NONE_OPEN_LOOPS","features":[410]},{"name":"DWRITE_PANOSE_FINIALS_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_FINIALS_ROUND_CLOSED_LOOPS","features":[410]},{"name":"DWRITE_PANOSE_FINIALS_ROUND_NO_LOOPS","features":[410]},{"name":"DWRITE_PANOSE_FINIALS_ROUND_OPEN_LOOPS","features":[410]},{"name":"DWRITE_PANOSE_FINIALS_SHARP_CLOSED_LOOPS","features":[410]},{"name":"DWRITE_PANOSE_FINIALS_SHARP_NO_LOOPS","features":[410]},{"name":"DWRITE_PANOSE_FINIALS_SHARP_OPEN_LOOPS","features":[410]},{"name":"DWRITE_PANOSE_FINIALS_TAPERED_CLOSED_LOOPS","features":[410]},{"name":"DWRITE_PANOSE_FINIALS_TAPERED_NO_LOOPS","features":[410]},{"name":"DWRITE_PANOSE_FINIALS_TAPERED_OPEN_LOOPS","features":[410]},{"name":"DWRITE_PANOSE_LETTERFORM","features":[410]},{"name":"DWRITE_PANOSE_LETTERFORM_ANY","features":[410]},{"name":"DWRITE_PANOSE_LETTERFORM_NORMAL_BOXED","features":[410]},{"name":"DWRITE_PANOSE_LETTERFORM_NORMAL_CONTACT","features":[410]},{"name":"DWRITE_PANOSE_LETTERFORM_NORMAL_FLATTENED","features":[410]},{"name":"DWRITE_PANOSE_LETTERFORM_NORMAL_OFF_CENTER","features":[410]},{"name":"DWRITE_PANOSE_LETTERFORM_NORMAL_ROUNDED","features":[410]},{"name":"DWRITE_PANOSE_LETTERFORM_NORMAL_SQUARE","features":[410]},{"name":"DWRITE_PANOSE_LETTERFORM_NORMAL_WEIGHTED","features":[410]},{"name":"DWRITE_PANOSE_LETTERFORM_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_LETTERFORM_OBLIQUE_BOXED","features":[410]},{"name":"DWRITE_PANOSE_LETTERFORM_OBLIQUE_CONTACT","features":[410]},{"name":"DWRITE_PANOSE_LETTERFORM_OBLIQUE_FLATTENED","features":[410]},{"name":"DWRITE_PANOSE_LETTERFORM_OBLIQUE_OFF_CENTER","features":[410]},{"name":"DWRITE_PANOSE_LETTERFORM_OBLIQUE_ROUNDED","features":[410]},{"name":"DWRITE_PANOSE_LETTERFORM_OBLIQUE_SQUARE","features":[410]},{"name":"DWRITE_PANOSE_LETTERFORM_OBLIQUE_WEIGHTED","features":[410]},{"name":"DWRITE_PANOSE_LINING","features":[410]},{"name":"DWRITE_PANOSE_LINING_ANY","features":[410]},{"name":"DWRITE_PANOSE_LINING_BACKDROP","features":[410]},{"name":"DWRITE_PANOSE_LINING_ENGRAVED","features":[410]},{"name":"DWRITE_PANOSE_LINING_INLINE","features":[410]},{"name":"DWRITE_PANOSE_LINING_NONE","features":[410]},{"name":"DWRITE_PANOSE_LINING_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_LINING_OUTLINE","features":[410]},{"name":"DWRITE_PANOSE_LINING_RELIEF","features":[410]},{"name":"DWRITE_PANOSE_LINING_SHADOW","features":[410]},{"name":"DWRITE_PANOSE_MIDLINE","features":[410]},{"name":"DWRITE_PANOSE_MIDLINE_ANY","features":[410]},{"name":"DWRITE_PANOSE_MIDLINE_CONSTANT_POINTED","features":[410]},{"name":"DWRITE_PANOSE_MIDLINE_CONSTANT_SERIFED","features":[410]},{"name":"DWRITE_PANOSE_MIDLINE_CONSTANT_TRIMMED","features":[410]},{"name":"DWRITE_PANOSE_MIDLINE_HIGH_POINTED","features":[410]},{"name":"DWRITE_PANOSE_MIDLINE_HIGH_SERIFED","features":[410]},{"name":"DWRITE_PANOSE_MIDLINE_HIGH_TRIMMED","features":[410]},{"name":"DWRITE_PANOSE_MIDLINE_LOW_POINTED","features":[410]},{"name":"DWRITE_PANOSE_MIDLINE_LOW_SERIFED","features":[410]},{"name":"DWRITE_PANOSE_MIDLINE_LOW_TRIMMED","features":[410]},{"name":"DWRITE_PANOSE_MIDLINE_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_MIDLINE_STANDARD_POINTED","features":[410]},{"name":"DWRITE_PANOSE_MIDLINE_STANDARD_SERIFED","features":[410]},{"name":"DWRITE_PANOSE_MIDLINE_STANDARD_TRIMMED","features":[410]},{"name":"DWRITE_PANOSE_PROPORTION","features":[410]},{"name":"DWRITE_PANOSE_PROPORTION_ANY","features":[410]},{"name":"DWRITE_PANOSE_PROPORTION_CONDENSED","features":[410]},{"name":"DWRITE_PANOSE_PROPORTION_EVEN_WIDTH","features":[410]},{"name":"DWRITE_PANOSE_PROPORTION_EXPANDED","features":[410]},{"name":"DWRITE_PANOSE_PROPORTION_MODERN","features":[410]},{"name":"DWRITE_PANOSE_PROPORTION_MONOSPACED","features":[410]},{"name":"DWRITE_PANOSE_PROPORTION_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_PROPORTION_OLD_STYLE","features":[410]},{"name":"DWRITE_PANOSE_PROPORTION_VERY_CONDENSED","features":[410]},{"name":"DWRITE_PANOSE_PROPORTION_VERY_EXPANDED","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_FORM","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_FORM_ANY","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_FORM_EXAGGERATED_EXTREME_WRAPPING","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_FORM_EXAGGERATED_MORE_WRAPPING","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_FORM_EXAGGERATED_NO_WRAPPING","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_FORM_EXAGGERATED_SOME_WRAPPING","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_FORM_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_FORM_OBLIQUE_EXTREME_WRAPPING","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_FORM_OBLIQUE_MORE_WRAPPING","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_FORM_OBLIQUE_NO_WRAPPING","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_FORM_OBLIQUE_SOME_WRAPPING","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_FORM_UPRIGHT_EXTREME_WRAPPING","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_FORM_UPRIGHT_MORE_WRAPPING","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_FORM_UPRIGHT_NO_WRAPPING","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_FORM_UPRIGHT_SOME_WRAPPING","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_TOPOLOGY","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_TOPOLOGY_ANY","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_TOPOLOGY_BLACKLETTER_CONNECTED","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_TOPOLOGY_BLACKLETTER_DISCONNECTED","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_TOPOLOGY_BLACKLETTER_TRAILING","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_TOPOLOGY_CURSIVE_CONNECTED","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_TOPOLOGY_CURSIVE_DISCONNECTED","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_TOPOLOGY_CURSIVE_TRAILING","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_TOPOLOGY_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_TOPOLOGY_ROMAN_CONNECTED","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_TOPOLOGY_ROMAN_DISCONNECTED","features":[410]},{"name":"DWRITE_PANOSE_SCRIPT_TOPOLOGY_ROMAN_TRAILING","features":[410]},{"name":"DWRITE_PANOSE_SERIF_STYLE","features":[410]},{"name":"DWRITE_PANOSE_SERIF_STYLE_ANY","features":[410]},{"name":"DWRITE_PANOSE_SERIF_STYLE_BONE","features":[410]},{"name":"DWRITE_PANOSE_SERIF_STYLE_COVE","features":[410]},{"name":"DWRITE_PANOSE_SERIF_STYLE_EXAGGERATED","features":[410]},{"name":"DWRITE_PANOSE_SERIF_STYLE_FLARED","features":[410]},{"name":"DWRITE_PANOSE_SERIF_STYLE_NORMAL_SANS","features":[410]},{"name":"DWRITE_PANOSE_SERIF_STYLE_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_SERIF_STYLE_OBTUSE_COVE","features":[410]},{"name":"DWRITE_PANOSE_SERIF_STYLE_OBTUSE_SANS","features":[410]},{"name":"DWRITE_PANOSE_SERIF_STYLE_OBTUSE_SQUARE_COVE","features":[410]},{"name":"DWRITE_PANOSE_SERIF_STYLE_OVAL","features":[410]},{"name":"DWRITE_PANOSE_SERIF_STYLE_PERPENDICULAR_SANS","features":[410]},{"name":"DWRITE_PANOSE_SERIF_STYLE_PERP_SANS","features":[410]},{"name":"DWRITE_PANOSE_SERIF_STYLE_ROUNDED","features":[410]},{"name":"DWRITE_PANOSE_SERIF_STYLE_SCRIPT","features":[410]},{"name":"DWRITE_PANOSE_SERIF_STYLE_SQUARE","features":[410]},{"name":"DWRITE_PANOSE_SERIF_STYLE_SQUARE_COVE","features":[410]},{"name":"DWRITE_PANOSE_SERIF_STYLE_THIN","features":[410]},{"name":"DWRITE_PANOSE_SERIF_STYLE_TRIANGLE","features":[410]},{"name":"DWRITE_PANOSE_SPACING","features":[410]},{"name":"DWRITE_PANOSE_SPACING_ANY","features":[410]},{"name":"DWRITE_PANOSE_SPACING_MONOSPACED","features":[410]},{"name":"DWRITE_PANOSE_SPACING_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_SPACING_PROPORTIONAL_SPACED","features":[410]},{"name":"DWRITE_PANOSE_STROKE_VARIATION","features":[410]},{"name":"DWRITE_PANOSE_STROKE_VARIATION_ANY","features":[410]},{"name":"DWRITE_PANOSE_STROKE_VARIATION_GRADUAL_DIAGONAL","features":[410]},{"name":"DWRITE_PANOSE_STROKE_VARIATION_GRADUAL_HORIZONTAL","features":[410]},{"name":"DWRITE_PANOSE_STROKE_VARIATION_GRADUAL_TRANSITIONAL","features":[410]},{"name":"DWRITE_PANOSE_STROKE_VARIATION_GRADUAL_VERTICAL","features":[410]},{"name":"DWRITE_PANOSE_STROKE_VARIATION_INSTANT_HORIZONTAL","features":[410]},{"name":"DWRITE_PANOSE_STROKE_VARIATION_INSTANT_VERTICAL","features":[410]},{"name":"DWRITE_PANOSE_STROKE_VARIATION_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_STROKE_VARIATION_NO_VARIATION","features":[410]},{"name":"DWRITE_PANOSE_STROKE_VARIATION_RAPID_HORIZONTAL","features":[410]},{"name":"DWRITE_PANOSE_STROKE_VARIATION_RAPID_VERTICAL","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_ASPECT_RATIO","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_ASPECT_RATIO_ANY","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_ASPECT_RATIO_EXCEPTIONALLY_WIDE","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_ASPECT_RATIO_NARROW","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_ASPECT_RATIO_NORMAL","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_ASPECT_RATIO_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_ASPECT_RATIO_NO_WIDTH","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_ASPECT_RATIO_SUPER_WIDE","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_ASPECT_RATIO_VERY_NARROW","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_ASPECT_RATIO_VERY_WIDE","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_ASPECT_RATIO_WIDE","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_KIND","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_KIND_ANY","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_KIND_BOARDERS","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_KIND_EXPERT","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_KIND_ICONS","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_KIND_INDUSTRY_SPECIFIC","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_KIND_LOGOS","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_KIND_MONTAGES","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_KIND_MUSIC","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_KIND_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_KIND_PATTERNS","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_KIND_PICTURES","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_KIND_SCIENTIFIC","features":[410]},{"name":"DWRITE_PANOSE_SYMBOL_KIND_SHAPES","features":[410]},{"name":"DWRITE_PANOSE_TOOL_KIND","features":[410]},{"name":"DWRITE_PANOSE_TOOL_KIND_ANY","features":[410]},{"name":"DWRITE_PANOSE_TOOL_KIND_BALL","features":[410]},{"name":"DWRITE_PANOSE_TOOL_KIND_BRUSH","features":[410]},{"name":"DWRITE_PANOSE_TOOL_KIND_ENGRAVED","features":[410]},{"name":"DWRITE_PANOSE_TOOL_KIND_FELT_PEN_BRUSH_TIP","features":[410]},{"name":"DWRITE_PANOSE_TOOL_KIND_FLAT_NIB","features":[410]},{"name":"DWRITE_PANOSE_TOOL_KIND_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_TOOL_KIND_PRESSURE_POINT","features":[410]},{"name":"DWRITE_PANOSE_TOOL_KIND_ROUGH","features":[410]},{"name":"DWRITE_PANOSE_TOOL_KIND_WILD_BRUSH","features":[410]},{"name":"DWRITE_PANOSE_WEIGHT","features":[410]},{"name":"DWRITE_PANOSE_WEIGHT_ANY","features":[410]},{"name":"DWRITE_PANOSE_WEIGHT_BLACK","features":[410]},{"name":"DWRITE_PANOSE_WEIGHT_BOLD","features":[410]},{"name":"DWRITE_PANOSE_WEIGHT_BOOK","features":[410]},{"name":"DWRITE_PANOSE_WEIGHT_DEMI","features":[410]},{"name":"DWRITE_PANOSE_WEIGHT_EXTRA_BLACK","features":[410]},{"name":"DWRITE_PANOSE_WEIGHT_HEAVY","features":[410]},{"name":"DWRITE_PANOSE_WEIGHT_LIGHT","features":[410]},{"name":"DWRITE_PANOSE_WEIGHT_MEDIUM","features":[410]},{"name":"DWRITE_PANOSE_WEIGHT_NORD","features":[410]},{"name":"DWRITE_PANOSE_WEIGHT_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_WEIGHT_THIN","features":[410]},{"name":"DWRITE_PANOSE_WEIGHT_VERY_LIGHT","features":[410]},{"name":"DWRITE_PANOSE_XASCENT","features":[410]},{"name":"DWRITE_PANOSE_XASCENT_ANY","features":[410]},{"name":"DWRITE_PANOSE_XASCENT_HIGH","features":[410]},{"name":"DWRITE_PANOSE_XASCENT_LOW","features":[410]},{"name":"DWRITE_PANOSE_XASCENT_MEDIUM","features":[410]},{"name":"DWRITE_PANOSE_XASCENT_NO_FIT","features":[410]},{"name":"DWRITE_PANOSE_XASCENT_VERY_HIGH","features":[410]},{"name":"DWRITE_PANOSE_XASCENT_VERY_LOW","features":[410]},{"name":"DWRITE_PANOSE_XHEIGHT","features":[410]},{"name":"DWRITE_PANOSE_XHEIGHT_ANY","features":[410]},{"name":"DWRITE_PANOSE_XHEIGHT_CONSTANT_LARGE","features":[410]},{"name":"DWRITE_PANOSE_XHEIGHT_CONSTANT_SMALL","features":[410]},{"name":"DWRITE_PANOSE_XHEIGHT_CONSTANT_STANDARD","features":[410]},{"name":"DWRITE_PANOSE_XHEIGHT_CONSTANT_STD","features":[410]},{"name":"DWRITE_PANOSE_XHEIGHT_DUCKING_LARGE","features":[410]},{"name":"DWRITE_PANOSE_XHEIGHT_DUCKING_SMALL","features":[410]},{"name":"DWRITE_PANOSE_XHEIGHT_DUCKING_STANDARD","features":[410]},{"name":"DWRITE_PANOSE_XHEIGHT_DUCKING_STD","features":[410]},{"name":"DWRITE_PANOSE_XHEIGHT_NO_FIT","features":[410]},{"name":"DWRITE_PARAGRAPH_ALIGNMENT","features":[410]},{"name":"DWRITE_PARAGRAPH_ALIGNMENT_CENTER","features":[410]},{"name":"DWRITE_PARAGRAPH_ALIGNMENT_FAR","features":[410]},{"name":"DWRITE_PARAGRAPH_ALIGNMENT_NEAR","features":[410]},{"name":"DWRITE_PIXEL_GEOMETRY","features":[410]},{"name":"DWRITE_PIXEL_GEOMETRY_BGR","features":[410]},{"name":"DWRITE_PIXEL_GEOMETRY_FLAT","features":[410]},{"name":"DWRITE_PIXEL_GEOMETRY_RGB","features":[410]},{"name":"DWRITE_READING_DIRECTION","features":[410]},{"name":"DWRITE_READING_DIRECTION_BOTTOM_TO_TOP","features":[410]},{"name":"DWRITE_READING_DIRECTION_LEFT_TO_RIGHT","features":[410]},{"name":"DWRITE_READING_DIRECTION_RIGHT_TO_LEFT","features":[410]},{"name":"DWRITE_READING_DIRECTION_TOP_TO_BOTTOM","features":[410]},{"name":"DWRITE_RENDERING_MODE","features":[410]},{"name":"DWRITE_RENDERING_MODE1","features":[410]},{"name":"DWRITE_RENDERING_MODE1_ALIASED","features":[410]},{"name":"DWRITE_RENDERING_MODE1_DEFAULT","features":[410]},{"name":"DWRITE_RENDERING_MODE1_GDI_CLASSIC","features":[410]},{"name":"DWRITE_RENDERING_MODE1_GDI_NATURAL","features":[410]},{"name":"DWRITE_RENDERING_MODE1_NATURAL","features":[410]},{"name":"DWRITE_RENDERING_MODE1_NATURAL_SYMMETRIC","features":[410]},{"name":"DWRITE_RENDERING_MODE1_NATURAL_SYMMETRIC_DOWNSAMPLED","features":[410]},{"name":"DWRITE_RENDERING_MODE1_OUTLINE","features":[410]},{"name":"DWRITE_RENDERING_MODE_ALIASED","features":[410]},{"name":"DWRITE_RENDERING_MODE_CLEARTYPE_GDI_CLASSIC","features":[410]},{"name":"DWRITE_RENDERING_MODE_CLEARTYPE_GDI_NATURAL","features":[410]},{"name":"DWRITE_RENDERING_MODE_CLEARTYPE_NATURAL","features":[410]},{"name":"DWRITE_RENDERING_MODE_CLEARTYPE_NATURAL_SYMMETRIC","features":[410]},{"name":"DWRITE_RENDERING_MODE_DEFAULT","features":[410]},{"name":"DWRITE_RENDERING_MODE_GDI_CLASSIC","features":[410]},{"name":"DWRITE_RENDERING_MODE_GDI_NATURAL","features":[410]},{"name":"DWRITE_RENDERING_MODE_NATURAL","features":[410]},{"name":"DWRITE_RENDERING_MODE_NATURAL_SYMMETRIC","features":[410]},{"name":"DWRITE_RENDERING_MODE_OUTLINE","features":[410]},{"name":"DWRITE_SCRIPT_ANALYSIS","features":[410]},{"name":"DWRITE_SCRIPT_PROPERTIES","features":[410]},{"name":"DWRITE_SCRIPT_SHAPES","features":[410]},{"name":"DWRITE_SCRIPT_SHAPES_DEFAULT","features":[410]},{"name":"DWRITE_SCRIPT_SHAPES_NO_VISUAL","features":[410]},{"name":"DWRITE_SHAPING_GLYPH_PROPERTIES","features":[410]},{"name":"DWRITE_SHAPING_TEXT_PROPERTIES","features":[410]},{"name":"DWRITE_STANDARD_FONT_AXIS_COUNT","features":[410]},{"name":"DWRITE_STRIKETHROUGH","features":[410]},{"name":"DWRITE_TEXTURE_ALIASED_1x1","features":[410]},{"name":"DWRITE_TEXTURE_CLEARTYPE_3x1","features":[410]},{"name":"DWRITE_TEXTURE_TYPE","features":[410]},{"name":"DWRITE_TEXT_ALIGNMENT","features":[410]},{"name":"DWRITE_TEXT_ALIGNMENT_CENTER","features":[410]},{"name":"DWRITE_TEXT_ALIGNMENT_JUSTIFIED","features":[410]},{"name":"DWRITE_TEXT_ALIGNMENT_LEADING","features":[410]},{"name":"DWRITE_TEXT_ALIGNMENT_TRAILING","features":[410]},{"name":"DWRITE_TEXT_ANTIALIAS_MODE","features":[410]},{"name":"DWRITE_TEXT_ANTIALIAS_MODE_CLEARTYPE","features":[410]},{"name":"DWRITE_TEXT_ANTIALIAS_MODE_GRAYSCALE","features":[410]},{"name":"DWRITE_TEXT_METRICS","features":[410]},{"name":"DWRITE_TEXT_METRICS1","features":[410]},{"name":"DWRITE_TEXT_RANGE","features":[410]},{"name":"DWRITE_TRIMMING","features":[410]},{"name":"DWRITE_TRIMMING_GRANULARITY","features":[410]},{"name":"DWRITE_TRIMMING_GRANULARITY_CHARACTER","features":[410]},{"name":"DWRITE_TRIMMING_GRANULARITY_NONE","features":[410]},{"name":"DWRITE_TRIMMING_GRANULARITY_WORD","features":[410]},{"name":"DWRITE_TYPOGRAPHIC_FEATURES","features":[410]},{"name":"DWRITE_UNDERLINE","features":[410]},{"name":"DWRITE_UNICODE_RANGE","features":[410]},{"name":"DWRITE_VERTICAL_GLYPH_ORIENTATION","features":[410]},{"name":"DWRITE_VERTICAL_GLYPH_ORIENTATION_DEFAULT","features":[410]},{"name":"DWRITE_VERTICAL_GLYPH_ORIENTATION_STACKED","features":[410]},{"name":"DWRITE_WORD_WRAPPING","features":[410]},{"name":"DWRITE_WORD_WRAPPING_CHARACTER","features":[410]},{"name":"DWRITE_WORD_WRAPPING_EMERGENCY_BREAK","features":[410]},{"name":"DWRITE_WORD_WRAPPING_NO_WRAP","features":[410]},{"name":"DWRITE_WORD_WRAPPING_WHOLE_WORD","features":[410]},{"name":"DWRITE_WORD_WRAPPING_WRAP","features":[410]},{"name":"DWriteCreateFactory","features":[410]},{"name":"FACILITY_DWRITE","features":[410]},{"name":"IDWriteAsyncResult","features":[410]},{"name":"IDWriteBitmapRenderTarget","features":[410]},{"name":"IDWriteBitmapRenderTarget1","features":[410]},{"name":"IDWriteBitmapRenderTarget2","features":[410]},{"name":"IDWriteBitmapRenderTarget3","features":[410]},{"name":"IDWriteColorGlyphRunEnumerator","features":[410]},{"name":"IDWriteColorGlyphRunEnumerator1","features":[410]},{"name":"IDWriteFactory","features":[410]},{"name":"IDWriteFactory1","features":[410]},{"name":"IDWriteFactory2","features":[410]},{"name":"IDWriteFactory3","features":[410]},{"name":"IDWriteFactory4","features":[410]},{"name":"IDWriteFactory5","features":[410]},{"name":"IDWriteFactory6","features":[410]},{"name":"IDWriteFactory7","features":[410]},{"name":"IDWriteFactory8","features":[410]},{"name":"IDWriteFont","features":[410]},{"name":"IDWriteFont1","features":[410]},{"name":"IDWriteFont2","features":[410]},{"name":"IDWriteFont3","features":[410]},{"name":"IDWriteFontCollection","features":[410]},{"name":"IDWriteFontCollection1","features":[410]},{"name":"IDWriteFontCollection2","features":[410]},{"name":"IDWriteFontCollection3","features":[410]},{"name":"IDWriteFontCollectionLoader","features":[410]},{"name":"IDWriteFontDownloadListener","features":[410]},{"name":"IDWriteFontDownloadQueue","features":[410]},{"name":"IDWriteFontFace","features":[410]},{"name":"IDWriteFontFace1","features":[410]},{"name":"IDWriteFontFace2","features":[410]},{"name":"IDWriteFontFace3","features":[410]},{"name":"IDWriteFontFace4","features":[410]},{"name":"IDWriteFontFace5","features":[410]},{"name":"IDWriteFontFace6","features":[410]},{"name":"IDWriteFontFace7","features":[410]},{"name":"IDWriteFontFaceReference","features":[410]},{"name":"IDWriteFontFaceReference1","features":[410]},{"name":"IDWriteFontFallback","features":[410]},{"name":"IDWriteFontFallback1","features":[410]},{"name":"IDWriteFontFallbackBuilder","features":[410]},{"name":"IDWriteFontFamily","features":[410]},{"name":"IDWriteFontFamily1","features":[410]},{"name":"IDWriteFontFamily2","features":[410]},{"name":"IDWriteFontFile","features":[410]},{"name":"IDWriteFontFileEnumerator","features":[410]},{"name":"IDWriteFontFileLoader","features":[410]},{"name":"IDWriteFontFileStream","features":[410]},{"name":"IDWriteFontList","features":[410]},{"name":"IDWriteFontList1","features":[410]},{"name":"IDWriteFontList2","features":[410]},{"name":"IDWriteFontResource","features":[410]},{"name":"IDWriteFontSet","features":[410]},{"name":"IDWriteFontSet1","features":[410]},{"name":"IDWriteFontSet2","features":[410]},{"name":"IDWriteFontSet3","features":[410]},{"name":"IDWriteFontSet4","features":[410]},{"name":"IDWriteFontSetBuilder","features":[410]},{"name":"IDWriteFontSetBuilder1","features":[410]},{"name":"IDWriteFontSetBuilder2","features":[410]},{"name":"IDWriteGdiInterop","features":[410]},{"name":"IDWriteGdiInterop1","features":[410]},{"name":"IDWriteGlyphRunAnalysis","features":[410]},{"name":"IDWriteInMemoryFontFileLoader","features":[410]},{"name":"IDWriteInlineObject","features":[410]},{"name":"IDWriteLocalFontFileLoader","features":[410]},{"name":"IDWriteLocalizedStrings","features":[410]},{"name":"IDWriteNumberSubstitution","features":[410]},{"name":"IDWritePaintReader","features":[410]},{"name":"IDWritePixelSnapping","features":[410]},{"name":"IDWriteRemoteFontFileLoader","features":[410]},{"name":"IDWriteRemoteFontFileStream","features":[410]},{"name":"IDWriteRenderingParams","features":[410]},{"name":"IDWriteRenderingParams1","features":[410]},{"name":"IDWriteRenderingParams2","features":[410]},{"name":"IDWriteRenderingParams3","features":[410]},{"name":"IDWriteStringList","features":[410]},{"name":"IDWriteTextAnalysisSink","features":[410]},{"name":"IDWriteTextAnalysisSink1","features":[410]},{"name":"IDWriteTextAnalysisSource","features":[410]},{"name":"IDWriteTextAnalysisSource1","features":[410]},{"name":"IDWriteTextAnalyzer","features":[410]},{"name":"IDWriteTextAnalyzer1","features":[410]},{"name":"IDWriteTextAnalyzer2","features":[410]},{"name":"IDWriteTextFormat","features":[410]},{"name":"IDWriteTextFormat1","features":[410]},{"name":"IDWriteTextFormat2","features":[410]},{"name":"IDWriteTextFormat3","features":[410]},{"name":"IDWriteTextLayout","features":[410]},{"name":"IDWriteTextLayout1","features":[410]},{"name":"IDWriteTextLayout2","features":[410]},{"name":"IDWriteTextLayout3","features":[410]},{"name":"IDWriteTextLayout4","features":[410]},{"name":"IDWriteTextRenderer","features":[410]},{"name":"IDWriteTextRenderer1","features":[410]},{"name":"IDWriteTypography","features":[410]}],"410":[{"name":"DWMFLIP3DWINDOWPOLICY","features":[411]},{"name":"DWMFLIP3D_DEFAULT","features":[411]},{"name":"DWMFLIP3D_EXCLUDEABOVE","features":[411]},{"name":"DWMFLIP3D_EXCLUDEBELOW","features":[411]},{"name":"DWMFLIP3D_LAST","features":[411]},{"name":"DWMNCRENDERINGPOLICY","features":[411]},{"name":"DWMNCRP_DISABLED","features":[411]},{"name":"DWMNCRP_ENABLED","features":[411]},{"name":"DWMNCRP_LAST","features":[411]},{"name":"DWMNCRP_USEWINDOWSTYLE","features":[411]},{"name":"DWMSBT_AUTO","features":[411]},{"name":"DWMSBT_MAINWINDOW","features":[411]},{"name":"DWMSBT_NONE","features":[411]},{"name":"DWMSBT_TABBEDWINDOW","features":[411]},{"name":"DWMSBT_TRANSIENTWINDOW","features":[411]},{"name":"DWMSC_ALL","features":[411]},{"name":"DWMSC_DOWN","features":[411]},{"name":"DWMSC_DRAG","features":[411]},{"name":"DWMSC_HOLD","features":[411]},{"name":"DWMSC_NONE","features":[411]},{"name":"DWMSC_PENBARREL","features":[411]},{"name":"DWMSC_UP","features":[411]},{"name":"DWMTRANSITION_OWNEDWINDOW_NULL","features":[411]},{"name":"DWMTRANSITION_OWNEDWINDOW_REPOSITION","features":[411]},{"name":"DWMTRANSITION_OWNEDWINDOW_TARGET","features":[411]},{"name":"DWMTWR_APP_COMPAT","features":[411]},{"name":"DWMTWR_GROUP_POLICY","features":[411]},{"name":"DWMTWR_IMPLEMENTED_BY_SYSTEM","features":[411]},{"name":"DWMTWR_NONE","features":[411]},{"name":"DWMTWR_TABBING_ENABLED","features":[411]},{"name":"DWMTWR_USER_POLICY","features":[411]},{"name":"DWMTWR_WINDOW_DWM_ATTRIBUTES","features":[411]},{"name":"DWMTWR_WINDOW_MARGINS","features":[411]},{"name":"DWMTWR_WINDOW_REGION","features":[411]},{"name":"DWMTWR_WINDOW_RELATIONSHIP","features":[411]},{"name":"DWMTWR_WINDOW_STYLES","features":[411]},{"name":"DWMWA_ALLOW_NCPAINT","features":[411]},{"name":"DWMWA_BORDER_COLOR","features":[411]},{"name":"DWMWA_CAPTION_BUTTON_BOUNDS","features":[411]},{"name":"DWMWA_CAPTION_COLOR","features":[411]},{"name":"DWMWA_CLOAK","features":[411]},{"name":"DWMWA_CLOAKED","features":[411]},{"name":"DWMWA_COLOR_DEFAULT","features":[411]},{"name":"DWMWA_COLOR_NONE","features":[411]},{"name":"DWMWA_DISALLOW_PEEK","features":[411]},{"name":"DWMWA_EXCLUDED_FROM_PEEK","features":[411]},{"name":"DWMWA_EXTENDED_FRAME_BOUNDS","features":[411]},{"name":"DWMWA_FLIP3D_POLICY","features":[411]},{"name":"DWMWA_FORCE_ICONIC_REPRESENTATION","features":[411]},{"name":"DWMWA_FREEZE_REPRESENTATION","features":[411]},{"name":"DWMWA_HAS_ICONIC_BITMAP","features":[411]},{"name":"DWMWA_LAST","features":[411]},{"name":"DWMWA_NCRENDERING_ENABLED","features":[411]},{"name":"DWMWA_NCRENDERING_POLICY","features":[411]},{"name":"DWMWA_NONCLIENT_RTL_LAYOUT","features":[411]},{"name":"DWMWA_PASSIVE_UPDATE_MODE","features":[411]},{"name":"DWMWA_SYSTEMBACKDROP_TYPE","features":[411]},{"name":"DWMWA_TEXT_COLOR","features":[411]},{"name":"DWMWA_TRANSITIONS_FORCEDISABLED","features":[411]},{"name":"DWMWA_USE_HOSTBACKDROPBRUSH","features":[411]},{"name":"DWMWA_USE_IMMERSIVE_DARK_MODE","features":[411]},{"name":"DWMWA_VISIBLE_FRAME_BORDER_THICKNESS","features":[411]},{"name":"DWMWA_WINDOW_CORNER_PREFERENCE","features":[411]},{"name":"DWMWCP_DEFAULT","features":[411]},{"name":"DWMWCP_DONOTROUND","features":[411]},{"name":"DWMWCP_ROUND","features":[411]},{"name":"DWMWCP_ROUNDSMALL","features":[411]},{"name":"DWMWINDOWATTRIBUTE","features":[411]},{"name":"DWM_BB_BLURREGION","features":[411]},{"name":"DWM_BB_ENABLE","features":[411]},{"name":"DWM_BB_TRANSITIONONMAXIMIZED","features":[411]},{"name":"DWM_BLURBEHIND","features":[308,411,319]},{"name":"DWM_CLOAKED_APP","features":[411]},{"name":"DWM_CLOAKED_INHERITED","features":[411]},{"name":"DWM_CLOAKED_SHELL","features":[411]},{"name":"DWM_EC_DISABLECOMPOSITION","features":[411]},{"name":"DWM_EC_ENABLECOMPOSITION","features":[411]},{"name":"DWM_FRAME_DURATION_DEFAULT","features":[411]},{"name":"DWM_PRESENT_PARAMETERS","features":[308,411]},{"name":"DWM_SHOWCONTACT","features":[411]},{"name":"DWM_SIT_DISPLAYFRAME","features":[411]},{"name":"DWM_SOURCE_FRAME_SAMPLING","features":[411]},{"name":"DWM_SOURCE_FRAME_SAMPLING_COVERAGE","features":[411]},{"name":"DWM_SOURCE_FRAME_SAMPLING_LAST","features":[411]},{"name":"DWM_SOURCE_FRAME_SAMPLING_POINT","features":[411]},{"name":"DWM_SYSTEMBACKDROP_TYPE","features":[411]},{"name":"DWM_TAB_WINDOW_REQUIREMENTS","features":[411]},{"name":"DWM_THUMBNAIL_PROPERTIES","features":[308,411]},{"name":"DWM_TIMING_INFO","features":[411]},{"name":"DWM_TNP_OPACITY","features":[411]},{"name":"DWM_TNP_RECTDESTINATION","features":[411]},{"name":"DWM_TNP_RECTSOURCE","features":[411]},{"name":"DWM_TNP_SOURCECLIENTAREAONLY","features":[411]},{"name":"DWM_TNP_VISIBLE","features":[411]},{"name":"DWM_WINDOW_CORNER_PREFERENCE","features":[411]},{"name":"DwmAttachMilContent","features":[308,411]},{"name":"DwmDefWindowProc","features":[308,411]},{"name":"DwmDetachMilContent","features":[308,411]},{"name":"DwmEnableBlurBehindWindow","features":[308,411,319]},{"name":"DwmEnableComposition","features":[411]},{"name":"DwmEnableMMCSS","features":[308,411]},{"name":"DwmExtendFrameIntoClientArea","features":[308,411,358]},{"name":"DwmFlush","features":[411]},{"name":"DwmGetColorizationColor","features":[308,411]},{"name":"DwmGetCompositionTimingInfo","features":[308,411]},{"name":"DwmGetGraphicsStreamClient","features":[411]},{"name":"DwmGetGraphicsStreamTransformHint","features":[411]},{"name":"DwmGetTransportAttributes","features":[308,411]},{"name":"DwmGetUnmetTabRequirements","features":[308,411]},{"name":"DwmGetWindowAttribute","features":[308,411]},{"name":"DwmInvalidateIconicBitmaps","features":[308,411]},{"name":"DwmIsCompositionEnabled","features":[308,411]},{"name":"DwmModifyPreviousDxFrameDuration","features":[308,411]},{"name":"DwmQueryThumbnailSourceSize","features":[308,411]},{"name":"DwmRegisterThumbnail","features":[308,411]},{"name":"DwmRenderGesture","features":[308,411]},{"name":"DwmSetDxFrameDuration","features":[308,411]},{"name":"DwmSetIconicLivePreviewBitmap","features":[308,411,319]},{"name":"DwmSetIconicThumbnail","features":[308,411,319]},{"name":"DwmSetPresentParameters","features":[308,411]},{"name":"DwmSetWindowAttribute","features":[308,411]},{"name":"DwmShowContact","features":[411]},{"name":"DwmTetherContact","features":[308,411]},{"name":"DwmTransitionOwnedWindow","features":[308,411]},{"name":"DwmUnregisterThumbnail","features":[411]},{"name":"DwmUpdateThumbnailProperties","features":[308,411]},{"name":"GESTURE_TYPE","features":[411]},{"name":"GT_PEN_DOUBLETAP","features":[411]},{"name":"GT_PEN_PRESSANDHOLD","features":[411]},{"name":"GT_PEN_PRESSANDHOLDABORT","features":[411]},{"name":"GT_PEN_RIGHTTAP","features":[411]},{"name":"GT_PEN_TAP","features":[411]},{"name":"GT_TOUCH_DOUBLETAP","features":[411]},{"name":"GT_TOUCH_PRESSANDHOLD","features":[411]},{"name":"GT_TOUCH_PRESSANDHOLDABORT","features":[411]},{"name":"GT_TOUCH_PRESSANDTAP","features":[411]},{"name":"GT_TOUCH_RIGHTTAP","features":[411]},{"name":"GT_TOUCH_TAP","features":[411]},{"name":"MilMatrix3x2D","features":[411]},{"name":"UNSIGNED_RATIO","features":[411]},{"name":"c_DwmMaxAdapters","features":[411]},{"name":"c_DwmMaxMonitors","features":[411]},{"name":"c_DwmMaxQueuedBuffers","features":[411]}],"411":[{"name":"CreateDXGIFactory","features":[400]},{"name":"CreateDXGIFactory1","features":[400]},{"name":"CreateDXGIFactory2","features":[400]},{"name":"DXGIDeclareAdapterRemovalSupport","features":[400]},{"name":"DXGIDisableVBlankVirtualization","features":[400]},{"name":"DXGIGetDebugInterface1","features":[400]},{"name":"DXGI_ADAPTER_DESC","features":[308,400]},{"name":"DXGI_ADAPTER_DESC1","features":[308,400]},{"name":"DXGI_ADAPTER_DESC2","features":[308,400]},{"name":"DXGI_ADAPTER_DESC3","features":[308,400]},{"name":"DXGI_ADAPTER_FLAG","features":[400]},{"name":"DXGI_ADAPTER_FLAG3","features":[400]},{"name":"DXGI_ADAPTER_FLAG3_ACG_COMPATIBLE","features":[400]},{"name":"DXGI_ADAPTER_FLAG3_KEYED_MUTEX_CONFORMANCE","features":[400]},{"name":"DXGI_ADAPTER_FLAG3_NONE","features":[400]},{"name":"DXGI_ADAPTER_FLAG3_REMOTE","features":[400]},{"name":"DXGI_ADAPTER_FLAG3_SOFTWARE","features":[400]},{"name":"DXGI_ADAPTER_FLAG3_SUPPORT_MONITORED_FENCES","features":[400]},{"name":"DXGI_ADAPTER_FLAG3_SUPPORT_NON_MONITORED_FENCES","features":[400]},{"name":"DXGI_ADAPTER_FLAG_NONE","features":[400]},{"name":"DXGI_ADAPTER_FLAG_REMOTE","features":[400]},{"name":"DXGI_ADAPTER_FLAG_SOFTWARE","features":[400]},{"name":"DXGI_COMPUTE_PREEMPTION_DISPATCH_BOUNDARY","features":[400]},{"name":"DXGI_COMPUTE_PREEMPTION_DMA_BUFFER_BOUNDARY","features":[400]},{"name":"DXGI_COMPUTE_PREEMPTION_GRANULARITY","features":[400]},{"name":"DXGI_COMPUTE_PREEMPTION_INSTRUCTION_BOUNDARY","features":[400]},{"name":"DXGI_COMPUTE_PREEMPTION_THREAD_BOUNDARY","features":[400]},{"name":"DXGI_COMPUTE_PREEMPTION_THREAD_GROUP_BOUNDARY","features":[400]},{"name":"DXGI_CREATE_FACTORY_DEBUG","features":[400]},{"name":"DXGI_DEBUG_ALL","features":[400]},{"name":"DXGI_DEBUG_APP","features":[400]},{"name":"DXGI_DEBUG_BINARY_VERSION","features":[400]},{"name":"DXGI_DEBUG_DX","features":[400]},{"name":"DXGI_DEBUG_DXGI","features":[400]},{"name":"DXGI_DEBUG_RLO_ALL","features":[400]},{"name":"DXGI_DEBUG_RLO_DETAIL","features":[400]},{"name":"DXGI_DEBUG_RLO_FLAGS","features":[400]},{"name":"DXGI_DEBUG_RLO_IGNORE_INTERNAL","features":[400]},{"name":"DXGI_DEBUG_RLO_SUMMARY","features":[400]},{"name":"DXGI_DECODE_SWAP_CHAIN_DESC","features":[400]},{"name":"DXGI_DISPLAY_COLOR_SPACE","features":[400]},{"name":"DXGI_ENUM_MODES_DISABLED_STEREO","features":[400]},{"name":"DXGI_ENUM_MODES_INTERLACED","features":[400]},{"name":"DXGI_ENUM_MODES_SCALING","features":[400]},{"name":"DXGI_ENUM_MODES_STEREO","features":[400]},{"name":"DXGI_ERROR_ACCESS_DENIED","features":[400]},{"name":"DXGI_ERROR_ACCESS_LOST","features":[400]},{"name":"DXGI_ERROR_ALREADY_EXISTS","features":[400]},{"name":"DXGI_ERROR_CACHE_CORRUPT","features":[400]},{"name":"DXGI_ERROR_CACHE_FULL","features":[400]},{"name":"DXGI_ERROR_CACHE_HASH_COLLISION","features":[400]},{"name":"DXGI_ERROR_CANNOT_PROTECT_CONTENT","features":[400]},{"name":"DXGI_ERROR_DEVICE_HUNG","features":[400]},{"name":"DXGI_ERROR_DEVICE_REMOVED","features":[400]},{"name":"DXGI_ERROR_DEVICE_RESET","features":[400]},{"name":"DXGI_ERROR_DRIVER_INTERNAL_ERROR","features":[400]},{"name":"DXGI_ERROR_DYNAMIC_CODE_POLICY_VIOLATION","features":[400]},{"name":"DXGI_ERROR_FRAME_STATISTICS_DISJOINT","features":[400]},{"name":"DXGI_ERROR_GRAPHICS_VIDPN_SOURCE_IN_USE","features":[400]},{"name":"DXGI_ERROR_HW_PROTECTION_OUTOFMEMORY","features":[400]},{"name":"DXGI_ERROR_INVALID_CALL","features":[400]},{"name":"DXGI_ERROR_MODE_CHANGE_IN_PROGRESS","features":[400]},{"name":"DXGI_ERROR_MORE_DATA","features":[400]},{"name":"DXGI_ERROR_MPO_UNPINNED","features":[400]},{"name":"DXGI_ERROR_NAME_ALREADY_EXISTS","features":[400]},{"name":"DXGI_ERROR_NONEXCLUSIVE","features":[400]},{"name":"DXGI_ERROR_NON_COMPOSITED_UI","features":[400]},{"name":"DXGI_ERROR_NOT_CURRENT","features":[400]},{"name":"DXGI_ERROR_NOT_CURRENTLY_AVAILABLE","features":[400]},{"name":"DXGI_ERROR_NOT_FOUND","features":[400]},{"name":"DXGI_ERROR_REMOTE_CLIENT_DISCONNECTED","features":[400]},{"name":"DXGI_ERROR_REMOTE_OUTOFMEMORY","features":[400]},{"name":"DXGI_ERROR_RESTRICT_TO_OUTPUT_STALE","features":[400]},{"name":"DXGI_ERROR_SDK_COMPONENT_MISSING","features":[400]},{"name":"DXGI_ERROR_SESSION_DISCONNECTED","features":[400]},{"name":"DXGI_ERROR_UNSUPPORTED","features":[400]},{"name":"DXGI_ERROR_WAIT_TIMEOUT","features":[400]},{"name":"DXGI_ERROR_WAS_STILL_DRAWING","features":[400]},{"name":"DXGI_FEATURE","features":[400]},{"name":"DXGI_FEATURE_PRESENT_ALLOW_TEARING","features":[400]},{"name":"DXGI_FRAME_PRESENTATION_MODE","features":[400]},{"name":"DXGI_FRAME_PRESENTATION_MODE_COMPOSED","features":[400]},{"name":"DXGI_FRAME_PRESENTATION_MODE_COMPOSITION_FAILURE","features":[400]},{"name":"DXGI_FRAME_PRESENTATION_MODE_NONE","features":[400]},{"name":"DXGI_FRAME_PRESENTATION_MODE_OVERLAY","features":[400]},{"name":"DXGI_FRAME_STATISTICS","features":[400]},{"name":"DXGI_FRAME_STATISTICS_MEDIA","features":[400]},{"name":"DXGI_GPU_PREFERENCE","features":[400]},{"name":"DXGI_GPU_PREFERENCE_HIGH_PERFORMANCE","features":[400]},{"name":"DXGI_GPU_PREFERENCE_MINIMUM_POWER","features":[400]},{"name":"DXGI_GPU_PREFERENCE_UNSPECIFIED","features":[400]},{"name":"DXGI_GRAPHICS_PREEMPTION_DMA_BUFFER_BOUNDARY","features":[400]},{"name":"DXGI_GRAPHICS_PREEMPTION_GRANULARITY","features":[400]},{"name":"DXGI_GRAPHICS_PREEMPTION_INSTRUCTION_BOUNDARY","features":[400]},{"name":"DXGI_GRAPHICS_PREEMPTION_PIXEL_BOUNDARY","features":[400]},{"name":"DXGI_GRAPHICS_PREEMPTION_PRIMITIVE_BOUNDARY","features":[400]},{"name":"DXGI_GRAPHICS_PREEMPTION_TRIANGLE_BOUNDARY","features":[400]},{"name":"DXGI_HARDWARE_COMPOSITION_SUPPORT_FLAGS","features":[400]},{"name":"DXGI_HARDWARE_COMPOSITION_SUPPORT_FLAG_CURSOR_STRETCHED","features":[400]},{"name":"DXGI_HARDWARE_COMPOSITION_SUPPORT_FLAG_FULLSCREEN","features":[400]},{"name":"DXGI_HARDWARE_COMPOSITION_SUPPORT_FLAG_WINDOWED","features":[400]},{"name":"DXGI_HDR_METADATA_HDR10","features":[400]},{"name":"DXGI_HDR_METADATA_HDR10PLUS","features":[400]},{"name":"DXGI_HDR_METADATA_TYPE","features":[400]},{"name":"DXGI_HDR_METADATA_TYPE_HDR10","features":[400]},{"name":"DXGI_HDR_METADATA_TYPE_HDR10PLUS","features":[400]},{"name":"DXGI_HDR_METADATA_TYPE_NONE","features":[400]},{"name":"DXGI_INFO_QUEUE_DEFAULT_MESSAGE_COUNT_LIMIT","features":[400]},{"name":"DXGI_INFO_QUEUE_FILTER","features":[400]},{"name":"DXGI_INFO_QUEUE_FILTER_DESC","features":[400]},{"name":"DXGI_INFO_QUEUE_MESSAGE","features":[400]},{"name":"DXGI_INFO_QUEUE_MESSAGE_CATEGORY","features":[400]},{"name":"DXGI_INFO_QUEUE_MESSAGE_CATEGORY_CLEANUP","features":[400]},{"name":"DXGI_INFO_QUEUE_MESSAGE_CATEGORY_COMPILATION","features":[400]},{"name":"DXGI_INFO_QUEUE_MESSAGE_CATEGORY_EXECUTION","features":[400]},{"name":"DXGI_INFO_QUEUE_MESSAGE_CATEGORY_INITIALIZATION","features":[400]},{"name":"DXGI_INFO_QUEUE_MESSAGE_CATEGORY_MISCELLANEOUS","features":[400]},{"name":"DXGI_INFO_QUEUE_MESSAGE_CATEGORY_RESOURCE_MANIPULATION","features":[400]},{"name":"DXGI_INFO_QUEUE_MESSAGE_CATEGORY_SHADER","features":[400]},{"name":"DXGI_INFO_QUEUE_MESSAGE_CATEGORY_STATE_CREATION","features":[400]},{"name":"DXGI_INFO_QUEUE_MESSAGE_CATEGORY_STATE_GETTING","features":[400]},{"name":"DXGI_INFO_QUEUE_MESSAGE_CATEGORY_STATE_SETTING","features":[400]},{"name":"DXGI_INFO_QUEUE_MESSAGE_CATEGORY_UNKNOWN","features":[400]},{"name":"DXGI_INFO_QUEUE_MESSAGE_ID_STRING_FROM_APPLICATION","features":[400]},{"name":"DXGI_INFO_QUEUE_MESSAGE_SEVERITY","features":[400]},{"name":"DXGI_INFO_QUEUE_MESSAGE_SEVERITY_CORRUPTION","features":[400]},{"name":"DXGI_INFO_QUEUE_MESSAGE_SEVERITY_ERROR","features":[400]},{"name":"DXGI_INFO_QUEUE_MESSAGE_SEVERITY_INFO","features":[400]},{"name":"DXGI_INFO_QUEUE_MESSAGE_SEVERITY_MESSAGE","features":[400]},{"name":"DXGI_INFO_QUEUE_MESSAGE_SEVERITY_WARNING","features":[400]},{"name":"DXGI_MAPPED_RECT","features":[400]},{"name":"DXGI_MAP_DISCARD","features":[400]},{"name":"DXGI_MAP_READ","features":[400]},{"name":"DXGI_MAP_WRITE","features":[400]},{"name":"DXGI_MATRIX_3X2_F","features":[400]},{"name":"DXGI_MAX_SWAP_CHAIN_BUFFERS","features":[400]},{"name":"DXGI_MEMORY_SEGMENT_GROUP","features":[400]},{"name":"DXGI_MEMORY_SEGMENT_GROUP_LOCAL","features":[400]},{"name":"DXGI_MEMORY_SEGMENT_GROUP_NON_LOCAL","features":[400]},{"name":"DXGI_MODE_DESC1","features":[308,396]},{"name":"DXGI_MSG_DXGIGetDebugInterface1_InvalidFlags","features":[400]},{"name":"DXGI_MSG_DXGIGetDebugInterface1_NULL_ppDebug","features":[400]},{"name":"DXGI_MSG_IDXGIAdapter_EnumOutputs2_InvalidEnumOutputs2Flag","features":[400]},{"name":"DXGI_MSG_IDXGIAdapter_EnumOutputs_UnavailableInSession0","features":[400]},{"name":"DXGI_MSG_IDXGIDecodeSwapChain_GetDestSize_InvalidPointer","features":[400]},{"name":"DXGI_MSG_IDXGIDecodeSwapChain_GetSourceRect_InvalidPointer","features":[400]},{"name":"DXGI_MSG_IDXGIDecodeSwapChain_GetTargetRect_InvalidPointer","features":[400]},{"name":"DXGI_MSG_IDXGIDecodeSwapChain_SetColorSpace_InvalidFlags","features":[400]},{"name":"DXGI_MSG_IDXGIDecodeSwapChain_SetDestSize_InvalidSize","features":[400]},{"name":"DXGI_MSG_IDXGIDecodeSwapChain_SetSourceRect_InvalidRect","features":[400]},{"name":"DXGI_MSG_IDXGIDecodeSwapChain_SetTargetRect_InvalidRect","features":[400]},{"name":"DXGI_MSG_IDXGIDevice_CreateSurface_InvalidParametersWithpSharedResource","features":[400]},{"name":"DXGI_MSG_IDXGIDisplayControl_IsStereoEnabled_UnsupportedOS","features":[400]},{"name":"DXGI_MSG_IDXGIFactory2_CreateSwapChainForCompositionSurface_InvalidHandle","features":[400]},{"name":"DXGI_MSG_IDXGIFactory2_CreateSwapChainForCoreWindow_ForegroundUnsupportedOnAdapter","features":[400]},{"name":"DXGI_MSG_IDXGIFactory2_CreateSwapChainForCoreWindow_InvalidAlphaMode","features":[400]},{"name":"DXGI_MSG_IDXGIFactory2_CreateSwapChainForCoreWindow_InvalidScaling","features":[400]},{"name":"DXGI_MSG_IDXGIFactory2_CreateSwapChainForCoreWindow_UnsupportedOnWindows7","features":[400]},{"name":"DXGI_MSG_IDXGIFactory2_CreateSwapChainForCoreWindow_pWindowIsInvalid","features":[400]},{"name":"DXGI_MSG_IDXGIFactory2_CreateSwapChainForCoreWindow_pWindowIsNULL","features":[400]},{"name":"DXGI_MSG_IDXGIFactory2_RegisterOcclusionStatusEvent_UnsupportedOS","features":[400]},{"name":"DXGI_MSG_IDXGIFactory2_RegisterOcclusionStatusWindow_UnsupportedOS","features":[400]},{"name":"DXGI_MSG_IDXGIFactory2_UnregisterStatus_CookieNotFound","features":[400]},{"name":"DXGI_MSG_IDXGIFactory7_UnregisterAdaptersChangedEvent_CookieNotFound","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CheckFeatureSupport_InvalidFeature","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CheckFeatureSupport_InvalidSize","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSoftwareAdapter_ModuleIsNULL","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSoftwareAdapter_ppAdapterInterfaceIsNULL","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChainForComposition_InvalidAlphaMode","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChainForComposition_InvalidScaling","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChainForComposition_OnlyFlipSequentialSupported","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChainForComposition_UnsupportedOnAdapter","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChainForComposition_UnsupportedOnWindows7","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChainForComposition_WidthOrHeightIsZero","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChainForCoreWindow_InvalidSwapEffect","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChainForHwnd_InvalidScaling","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChainOrRegisterOcclusionStatus_BlitModelUsedWhileRegisteredForOcclusionStatusEvents","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_10BitFormatNotSupported","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_AllowTearingFlagIsFlipModelOnly","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_AlphaIsFlipModelOnly","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_AlphaIsWindowlessOnly","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_AlphaUnrecognized","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_BufferCountOOBForFlipSequential","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_DisplayOnlyFullscreenUnsupported","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_DisplayOnlyOnLegacy","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_DisplayOnlyUnsupported","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_FSUnsupportedForModernApps","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_FailedToGoFSButNonPreRotated","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_FlipSequentialNotSupportedOnD3D10","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_FlipSwapEffectRequired","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_ForegroundIsCoreWindowOnly","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_HwProtectUnsupported","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_InvalidDevice","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_InvalidFlags","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_InvalidFormatForFlipSequential","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_InvalidHwProtect","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_InvalidQueue","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_LegacyBltModelSwapEffect","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_MultiSamplingNotSupportedForFlipSequential","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_MultipleSwapchainRefToSurface_DeferredDtr","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_NonPreRotatedAndGDICompatibleFlags","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_NonPreRotatedFlagAndWindowed","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_NullDeviceInterface","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_RestrictOutputNotSupportedOnAdapter","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_RestrictToOutputAdapterMismatch","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_ScalingNoneIsFlipModelOnly","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_ScalingNoneRequiresWindows8OrNewer","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_ScalingUnrecognized","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_ShaderInputUnsupported_YUV","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_UnavailableInSession0","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_UnknownSwapEffect","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_UnsupportedBufferUsageFlags","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_WaitableSwapChainsAreFlipModelOnly","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_WaitableSwapChainsAreNotFullscreen","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_pDescIsNULL","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_pDeviceHasMismatchedDXGIFactory","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_pRestrictToOutputFromOtherIDXGIFactory","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_CreateSwapChain_ppSwapChainIsNULL","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_Creation_CalledFromDllMain","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_EnumAdapters_ppAdapterInterfaceIsNULL","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_GetSharedResourceAdapterLuid_InvalidLUID","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_GetSharedResourceAdapterLuid_InvalidResource","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_GetSharedResourceAdapterLuid_UnsupportedOS","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_GetWindowAssociation_UnavailableInSession0","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_GetWindowAssociation_phWndIsNULL","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_MakeWindowAssociation_InvalidFlags","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_MakeWindowAssociation_ModernApp","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_MakeWindowAssociation_NoOpBehavior","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_MakeWindowAssociation_UnavailableInSession0","features":[400]},{"name":"DXGI_MSG_IDXGIFactory_Release_CalledFromDllMain","features":[400]},{"name":"DXGI_MSG_IDXGIObject_GetPrivateData_puiDataSizeIsNULL","features":[400]},{"name":"DXGI_MSG_IDXGIOutput1_DuplicateOutput_UnsupportedOS","features":[400]},{"name":"DXGI_MSG_IDXGIOutput1_GetDisplaySurfaceData1_2DOnly","features":[400]},{"name":"DXGI_MSG_IDXGIOutput1_GetDisplaySurfaceData1_MappedOrOfferedResource","features":[400]},{"name":"DXGI_MSG_IDXGIOutput1_GetDisplaySurfaceData1_NeedCPUAccessWrite","features":[400]},{"name":"DXGI_MSG_IDXGIOutput1_GetDisplaySurfaceData1_NoShared","features":[400]},{"name":"DXGI_MSG_IDXGIOutput1_GetDisplaySurfaceData1_OnlyMipLevels1","features":[400]},{"name":"DXGI_MSG_IDXGIOutput1_GetDisplaySurfaceData1_StagingOnly","features":[400]},{"name":"DXGI_MSG_IDXGIOutput3_CheckOverlaySupport_IDXGIDeviceNotSupportedBypConcernedDevice","features":[400]},{"name":"DXGI_MSG_IDXGIOutput3_CheckOverlaySupport_NullPointers","features":[400]},{"name":"DXGI_MSG_IDXGIOutput4_CheckOverlayColorSpaceSupport_IDXGIDeviceNotSupportedBypConcernedDevice","features":[400]},{"name":"DXGI_MSG_IDXGIOutput4_CheckOverlayColorSpaceSupport_NullPointers","features":[400]},{"name":"DXGI_MSG_IDXGIOutput6_CheckHardwareCompositionSupport_NullPointer","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_DuplicateOutput1_PerMonitorDpiRequired","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_DuplicateOutput_PerMonitorDpiShimApplied","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_FindClosestMatchingMode_IDXGIDeviceNotSupportedBypConcernedDevice","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_FindClosestMatchingMode_InvalidDisplayModeFormatAndDeviceCombination","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_FindClosestMatchingMode_InvalidDisplayModeScaling","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_FindClosestMatchingMode_InvalidDisplayModeScanlineOrdering","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_FindClosestMatchingMode_ModeHasInvalidWidthOrHeight","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_FindClosestMatchingMode_ModeHasRefreshRateDenominatorZero","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_FindClosestMatchingMode_RemoteDeviceNotSupported","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_FindClosestMatchingMode_RemoteOutputNotSupported","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_FindClosestMatchingMode_UnknownFormatIsInvalidForConfiguration","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_FindClosestMatchingMode_pModeToMatchOrpClosestMatchIsNULL","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_GetCammaControlCapabilities_NoOwnerDevice","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_GetDisplayModeList_RemoteDeviceNotSupported","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_GetDisplayModeList_RemoteOutputNotSupported","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_GetDisplayModeList_pNumModesIsNULL","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_GetDisplaySurfaceData_ArraySizeMismatch","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_GetDisplaySurfaceData_InvalidTargetSurfaceFormat","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_GetDisplaySurfaceData_MapOfDestinationFailed","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_GetDisplaySurfaceData_NoOwnerDevice","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_GetDisplaySurfaceData_pDestinationIsNULL","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_GetFrameStatistics_NoOwnerDevice","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_GetFrameStatistics_pStatsIsNULL","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_GetGammaControl_NoGammaControls","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_GetGammaControl_NoOwnerDevice","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_SetDisplaySurface_IDXGIResourceNotSupportedBypPrimary","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_SetDisplaySurface_ModernApp","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_SetDisplaySurface_NoOwnerDevice","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_SetDisplaySurface_pPrimaryIsInvalid","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_SetGammaControl_NoOwnerDevice","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_SetOrGetGammaControl_pArrayIsNULL","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_TakeOwnership_FailedToAcquireFullscreenMutex","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_TakeOwnership_ModernApp","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_TakeOwnership_RemoteDeviceNotSupported","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_TakeOwnership_RemoteOutputNotSupported","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_TakeOwnership_Unsupported","features":[400]},{"name":"DXGI_MSG_IDXGIOutput_TakeOwnership_pDeviceIsNULL","features":[400]},{"name":"DXGI_MSG_IDXGIResource1_CreateSharedHandle_UnsupportedOS","features":[400]},{"name":"DXGI_MSG_IDXGIResource1_CreateSubresourceSurface_InvalidIndex","features":[400]},{"name":"DXGI_MSG_IDXGISurface1_GetDC_GDICompatibleFlagNotSet","features":[400]},{"name":"DXGI_MSG_IDXGISurface1_GetDC_ModernApp","features":[400]},{"name":"DXGI_MSG_IDXGISurface1_GetDC_SurfaceNotTexture2D","features":[400]},{"name":"DXGI_MSG_IDXGISurface1_GetDC_UnreleasedHDC","features":[400]},{"name":"DXGI_MSG_IDXGISurface1_GetDC_pHdcIsNULL","features":[400]},{"name":"DXGI_MSG_IDXGISurface1_ReleaseDC_GetDCNotCalled","features":[400]},{"name":"DXGI_MSG_IDXGISurface1_ReleaseDC_InvalidRectangleDimensions","features":[400]},{"name":"DXGI_MSG_IDXGISurface_Map_DiscardAndReadFlagSet","features":[400]},{"name":"DXGI_MSG_IDXGISurface_Map_DiscardButNotWriteFlagSet","features":[400]},{"name":"DXGI_MSG_IDXGISurface_Map_DiscardFlagSetButCPUAccessIsNotDynamic","features":[400]},{"name":"DXGI_MSG_IDXGISurface_Map_FlagsSetToZero","features":[400]},{"name":"DXGI_MSG_IDXGISurface_Map_InvalidSurface","features":[400]},{"name":"DXGI_MSG_IDXGISurface_Map_NoCPUAccess","features":[400]},{"name":"DXGI_MSG_IDXGISurface_Map_NoCPUAccess2","features":[400]},{"name":"DXGI_MSG_IDXGISurface_Map_ReadFlagSetButCPUAccessIsDynamic","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain1_GetRotation_FlipSequentialRequired","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain1_GetRotation_UnsupportedOS","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain1_SetBackgroundColor_OutOfRange","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain1_SetRotation_FlipSequentialRequired","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain1_SetRotation_InvalidRotation","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain1_SetRotation_UnsupportedOS","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain3_CheckColorSpaceSupport_NullPointers","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain3_ResizeBuffers1_InvalidQueue","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain3_SetColorSpace1_InvalidColorSpace","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain3_SetHDRMetaData_InvalidPointer","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain3_SetHDRMetaData_InvalidSize","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain3_SetHDRMetaData_InvalidType","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain4_SetHDRMetaData_MetadataUnchanged","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_CreateSwapChain_InvalidHwProtectGdiFlag","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_CreationOrResizeBuffers_BufferHeightInferred","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_CreationOrResizeBuffers_BufferWidthInferred","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_CreationOrResizeBuffers_InvalidOutputWindow","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_CreationOrResizeBuffers_NoScanoutFlagChanged","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_CreationOrSetFullscreenState_FSUnsupportedForFlipDiscard","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_CreationOrSetFullscreenState_StereoDisabled","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Creation_InvalidOutputWindow","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Creation_InvalidWindowStyle","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Creation_MaxBufferCountExceeded","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Creation_NoOutputWindow","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Creation_TooFewBuffers","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Destruction_OtherMethodsCalled","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_GetBuffer_NoAllocatedBuffers","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_GetBuffer_iBufferMustBeZero","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_GetBuffer_iBufferOOB","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_GetBuffer_ppSurfaceIsNULL","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_GetCompositionSurface_WrongType","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_GetContainingOutput_SwapchainAdapterDoesNotControlOutput","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_GetContainingOutput_ppOutputIsNULL","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_GetCoreWindow_WrongType","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_GetDesc_pDescIsNULL","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_GetFrameLatencyWaitableObject_OnlyWaitable","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_GetFrameStatistics_UnsupportedStatistics","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_GetFrameStatistics_pStatsIsNULL","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_GetFullscreenDesc_NonHwnd","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_GetHwnd_WrongType","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_GetLastPresentCount_pLastPresentCountIsNULL","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_GetMatrixTransform_MatrixPointerCannotBeNull","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_GetMatrixTransform_RequiresCompositionSwapChain","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_GetMatrixTransform_YUV","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_GetMaximumFrameLatency_OnlyWaitable","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_GetMaximumFrameLatency_pMaxLatencyIsNULL","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_GetSourceSize_Decode","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_GetSourceSize_NullPointers","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_GetSourceSize_YUV","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_PresentBuffer_YUV","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_11On12_Released_Resource","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_AllowTearingRequiresCreationFlag","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_AllowTearingRequiresPresentIntervalZero","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_BlitModelUsedWhileRegisteredForOcclusionStatusEvents","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_Decode","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_DirtyRectOutOfBackbufferBounds","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_DoNotSequenceFlagSetButPreviousBufferIsUndefined","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_EmptyDirtyRect","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_EmptyScrollRect","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_FlipModelChainMustResizeOrCreateOnFSTransition","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_FullscreenAllowTearingIsInvalid","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_FullscreenPartialPresentIsInvalid","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_GetDXGIAdapterFailed","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_InvalidNonPreRotatedFlag","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_InvalidPresentTestOrDoNotSequenceFlag","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_NoAllocatedBuffers","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_NonOptimalFSConfiguration","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_OtherFlagsCausingInvalidPresentTestFlag","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_PartialPresentationBeforeStandardPresentation","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_PartialPresentationWithMSAABuffers","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_PartialPresentationWithSwapEffectDiscard","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_PartialPresentation_YUV","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_ProtectedContentInWindowedModeWithDWMOffOrInvalidDisplayAffinity","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_ProtectedContentInWindowedModeWithoutFSOrOverlay","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_ProtectedContentInWindowedModeWithoutFlipSequential","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_ProtectedContentWithRDPDriver","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_ProtectedWindowlessPresentationRequiresDisplayOnly","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_RestartIsFullscreenOnly","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_RestrictOutputFlagWithStaleSwapChain","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_RestrictToOutputFlagSetButInvalidpRestrictToOutput","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_RestrictToOutputFlagdWithFullscreen","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_ScrollInfoWithNoDirtyRectsSpecified","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_ScrollRectOutOfBackbufferBounds","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_ScrollRectOutOfBackbufferBoundsWithOffset","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_SyncIntervalOOB","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_TemporaryMonoAndPreferRight","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_TemporaryMonoOrPreferRightWithDoNotSequence","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_TemporaryMonoOrPreferRightWithoutStereo","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_TemporaryMonoUnsupported","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_UnreleasedHDC","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Present_UnsupportedFlags","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_Release_SwapChainIsFullscreen","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeBuffers1_D3D12Only","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeBuffers1_FlipModel","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeBuffers1_NodeMaskAndQueueRequired","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeBuffers_Alignment_YUV","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeBuffers_BufferCountOOB","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeBuffers_BufferCountOOBForFlipSequential","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeBuffers_CannotAddOrRemoveAllowTearingFlag","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeBuffers_CannotAddOrRemoveFlag_YUV","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeBuffers_CannotAddOrRemoveForegroundFlag","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeBuffers_CannotAddOrRemoveWaitableFlag","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeBuffers_Decode","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeBuffers_DisplayOnlyFullscreenUnsupported","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeBuffers_DisplayOnlyOnLegacy","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeBuffers_DisplayOnlyUnsupported","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeBuffers_HwProtectUnsupported","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeBuffers_InvalidFormatForFlipSequential","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeBuffers_InvalidHwProtect","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeBuffers_InvalidHwProtectGdiFlag","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeBuffers_InvalidNonPreRotatedFlag","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeBuffers_InvalidSwapChainFlag","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeBuffers_NonPreRotatedAndGDICompatibleFlags","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeBuffers_UnreleasedReferences","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeBuffers_WidthOrHeightIsZero","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeTarget_InvalidWithCompositionSwapChain","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeTarget_ModernApp","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeTarget_RefreshRateDivideByZero","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_ResizeTarget_pNewTargetParametersIsNULL","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_SetFullscreenState_CoreWindow","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_SetFullscreenState_DisplayOnlyUnsupported","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_SetFullscreenState_FSTransitionWithCompositionSwapChain","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_SetFullscreenState_FSUnsupportedForModernApps","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_SetFullscreenState_FullscreenInvalidForChildWindows","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_SetFullscreenState_InvalidTarget","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_SetFullscreenState_OutputNotOwnedBySwapChainDevice","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_SetFullscreenState_PerMonitorDpiShimApplied","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_SetFullscreenState_RemoteNotSupported","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_SetFullscreenState_Waitable","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_SetMatrixTransform_MatrixMustBeFinite","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_SetMatrixTransform_MatrixMustBeTranslateAndOrScale","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_SetMatrixTransform_MatrixPointerCannotBeNull","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_SetMatrixTransform_RequiresCompositionSwapChain","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_SetMatrixTransform_YUV","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_SetMaximumFrameLatency_MaxLatencyIsOutOfBounds","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_SetMaximumFrameLatency_OnlyWaitable","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_SetSourceSize_Decode","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_SetSourceSize_FlipModel","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_SetSourceSize_WidthHeight","features":[400]},{"name":"DXGI_MSG_IDXGISwapChain_SetSourceSize_YUV","features":[400]},{"name":"DXGI_MSG_IDXGISwapchain_Present_FullscreenRotation","features":[400]},{"name":"DXGI_MSG_IDXGISwapchain_Present_ScrollUnsupported","features":[400]},{"name":"DXGI_MSG_Phone_IDXGIFactory_CreateSwapChain_DISCARD_BufferCount","features":[400]},{"name":"DXGI_MSG_Phone_IDXGIFactory_CreateSwapChain_FLIP_Modern_CoreWindow_Only","features":[400]},{"name":"DXGI_MSG_Phone_IDXGIFactory_CreateSwapChain_FLIP_SEQUENTIAL_BufferCount","features":[400]},{"name":"DXGI_MSG_Phone_IDXGIFactory_CreateSwapChain_FailedRegisterWithCompositor","features":[400]},{"name":"DXGI_MSG_Phone_IDXGIFactory_CreateSwapChain_MSAA_NotSupported","features":[400]},{"name":"DXGI_MSG_Phone_IDXGIFactory_CreateSwapChain_NotForegroundWindow","features":[400]},{"name":"DXGI_MSG_Phone_IDXGIFactory_CreateSwapChain_NotForegroundWindow_AtRendering","features":[400]},{"name":"DXGI_MSG_Phone_IDXGIFactory_CreateSwapChain_ScalingAspectRatioStretch_Supported_ModernApp","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_GetBackgroundColor_FlipSequentialRequired","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_GetFrameStatistics_NotAvailable_ModernApp","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_Present1_RequiresOverlays","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_Present_InvalidBlend","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_Present_InvalidDestinationRect","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_Present_InvalidFlag","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_Present_InvalidIndexForOverlay","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_Present_InvalidIndexForPrimary","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_Present_InvalidInterval","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_Present_InvalidLayerFlag","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_Present_InvalidLayerIndex","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_Present_InvalidMultiPlaneOverlayResource","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_Present_InvalidResource","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_Present_InvalidRotation","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_Present_InvalidSourceRect","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_Present_InvalidSubResourceIndex","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_Present_MultipleLayerIndex","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_Present_MultipleResource","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_Present_NotSharedResource","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_Present_ReplaceInterval0With1","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_ResizeBuffers_NotAvailable","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_ResizeTarget_NotAvailable","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_SetBackgroundColor_FlipSequentialRequired","features":[400]},{"name":"DXGI_MSG_Phone_IDXGISwapChain_SetFullscreenState_NotAvailable","features":[400]},{"name":"DXGI_MULTIPLANE_OVERLAY_YCbCr_FLAGS","features":[400]},{"name":"DXGI_MULTIPLANE_OVERLAY_YCbCr_FLAG_BT709","features":[400]},{"name":"DXGI_MULTIPLANE_OVERLAY_YCbCr_FLAG_NOMINAL_RANGE","features":[400]},{"name":"DXGI_MULTIPLANE_OVERLAY_YCbCr_FLAG_xvYCC","features":[400]},{"name":"DXGI_MWA_NO_ALT_ENTER","features":[400]},{"name":"DXGI_MWA_NO_PRINT_SCREEN","features":[400]},{"name":"DXGI_MWA_NO_WINDOW_CHANGES","features":[400]},{"name":"DXGI_MWA_VALID","features":[400]},{"name":"DXGI_Message_Id","features":[400]},{"name":"DXGI_OFFER_RESOURCE_FLAGS","features":[400]},{"name":"DXGI_OFFER_RESOURCE_FLAG_ALLOW_DECOMMIT","features":[400]},{"name":"DXGI_OFFER_RESOURCE_PRIORITY","features":[400]},{"name":"DXGI_OFFER_RESOURCE_PRIORITY_HIGH","features":[400]},{"name":"DXGI_OFFER_RESOURCE_PRIORITY_LOW","features":[400]},{"name":"DXGI_OFFER_RESOURCE_PRIORITY_NORMAL","features":[400]},{"name":"DXGI_OUTDUPL_COMPOSITED_UI_CAPTURE_ONLY","features":[400]},{"name":"DXGI_OUTDUPL_DESC","features":[308,396]},{"name":"DXGI_OUTDUPL_FLAG","features":[400]},{"name":"DXGI_OUTDUPL_FRAME_INFO","features":[308,400]},{"name":"DXGI_OUTDUPL_MOVE_RECT","features":[308,400]},{"name":"DXGI_OUTDUPL_POINTER_POSITION","features":[308,400]},{"name":"DXGI_OUTDUPL_POINTER_SHAPE_INFO","features":[308,400]},{"name":"DXGI_OUTDUPL_POINTER_SHAPE_TYPE","features":[400]},{"name":"DXGI_OUTDUPL_POINTER_SHAPE_TYPE_COLOR","features":[400]},{"name":"DXGI_OUTDUPL_POINTER_SHAPE_TYPE_MASKED_COLOR","features":[400]},{"name":"DXGI_OUTDUPL_POINTER_SHAPE_TYPE_MONOCHROME","features":[400]},{"name":"DXGI_OUTPUT_DESC","features":[308,396,319]},{"name":"DXGI_OUTPUT_DESC1","features":[308,396,319]},{"name":"DXGI_OVERLAY_COLOR_SPACE_SUPPORT_FLAG","features":[400]},{"name":"DXGI_OVERLAY_COLOR_SPACE_SUPPORT_FLAG_PRESENT","features":[400]},{"name":"DXGI_OVERLAY_SUPPORT_FLAG","features":[400]},{"name":"DXGI_OVERLAY_SUPPORT_FLAG_DIRECT","features":[400]},{"name":"DXGI_OVERLAY_SUPPORT_FLAG_SCALING","features":[400]},{"name":"DXGI_PRESENT_ALLOW_TEARING","features":[400]},{"name":"DXGI_PRESENT_DO_NOT_SEQUENCE","features":[400]},{"name":"DXGI_PRESENT_DO_NOT_WAIT","features":[400]},{"name":"DXGI_PRESENT_PARAMETERS","features":[308,400]},{"name":"DXGI_PRESENT_RESTART","features":[400]},{"name":"DXGI_PRESENT_RESTRICT_TO_OUTPUT","features":[400]},{"name":"DXGI_PRESENT_STEREO_PREFER_RIGHT","features":[400]},{"name":"DXGI_PRESENT_STEREO_TEMPORARY_MONO","features":[400]},{"name":"DXGI_PRESENT_TEST","features":[400]},{"name":"DXGI_PRESENT_USE_DURATION","features":[400]},{"name":"DXGI_QUERY_VIDEO_MEMORY_INFO","features":[400]},{"name":"DXGI_RECLAIM_RESOURCE_RESULTS","features":[400]},{"name":"DXGI_RECLAIM_RESOURCE_RESULT_DISCARDED","features":[400]},{"name":"DXGI_RECLAIM_RESOURCE_RESULT_NOT_COMMITTED","features":[400]},{"name":"DXGI_RECLAIM_RESOURCE_RESULT_OK","features":[400]},{"name":"DXGI_RESIDENCY","features":[400]},{"name":"DXGI_RESIDENCY_EVICTED_TO_DISK","features":[400]},{"name":"DXGI_RESIDENCY_FULLY_RESIDENT","features":[400]},{"name":"DXGI_RESIDENCY_RESIDENT_IN_SHARED_MEMORY","features":[400]},{"name":"DXGI_RESOURCE_PRIORITY_HIGH","features":[400]},{"name":"DXGI_RESOURCE_PRIORITY_LOW","features":[400]},{"name":"DXGI_RESOURCE_PRIORITY_MAXIMUM","features":[400]},{"name":"DXGI_RESOURCE_PRIORITY_MINIMUM","features":[400]},{"name":"DXGI_RESOURCE_PRIORITY_NORMAL","features":[400]},{"name":"DXGI_RGBA","features":[400]},{"name":"DXGI_SCALING","features":[400]},{"name":"DXGI_SCALING_ASPECT_RATIO_STRETCH","features":[400]},{"name":"DXGI_SCALING_NONE","features":[400]},{"name":"DXGI_SCALING_STRETCH","features":[400]},{"name":"DXGI_SHARED_RESOURCE","features":[308,400]},{"name":"DXGI_SHARED_RESOURCE_READ","features":[400]},{"name":"DXGI_SHARED_RESOURCE_WRITE","features":[400]},{"name":"DXGI_SURFACE_DESC","features":[396]},{"name":"DXGI_SWAP_CHAIN_COLOR_SPACE_SUPPORT_FLAG","features":[400]},{"name":"DXGI_SWAP_CHAIN_COLOR_SPACE_SUPPORT_FLAG_OVERLAY_PRESENT","features":[400]},{"name":"DXGI_SWAP_CHAIN_COLOR_SPACE_SUPPORT_FLAG_PRESENT","features":[400]},{"name":"DXGI_SWAP_CHAIN_DESC","features":[308,396]},{"name":"DXGI_SWAP_CHAIN_DESC1","features":[308,396]},{"name":"DXGI_SWAP_CHAIN_FLAG","features":[400]},{"name":"DXGI_SWAP_CHAIN_FLAG_ALLOW_MODE_SWITCH","features":[400]},{"name":"DXGI_SWAP_CHAIN_FLAG_ALLOW_TEARING","features":[400]},{"name":"DXGI_SWAP_CHAIN_FLAG_DISPLAY_ONLY","features":[400]},{"name":"DXGI_SWAP_CHAIN_FLAG_FOREGROUND_LAYER","features":[400]},{"name":"DXGI_SWAP_CHAIN_FLAG_FRAME_LATENCY_WAITABLE_OBJECT","features":[400]},{"name":"DXGI_SWAP_CHAIN_FLAG_FULLSCREEN_VIDEO","features":[400]},{"name":"DXGI_SWAP_CHAIN_FLAG_GDI_COMPATIBLE","features":[400]},{"name":"DXGI_SWAP_CHAIN_FLAG_HW_PROTECTED","features":[400]},{"name":"DXGI_SWAP_CHAIN_FLAG_NONPREROTATED","features":[400]},{"name":"DXGI_SWAP_CHAIN_FLAG_RESTRICTED_CONTENT","features":[400]},{"name":"DXGI_SWAP_CHAIN_FLAG_RESTRICTED_TO_ALL_HOLOGRAPHIC_DISPLAYS","features":[400]},{"name":"DXGI_SWAP_CHAIN_FLAG_RESTRICT_SHARED_RESOURCE_DRIVER","features":[400]},{"name":"DXGI_SWAP_CHAIN_FLAG_YUV_VIDEO","features":[400]},{"name":"DXGI_SWAP_CHAIN_FULLSCREEN_DESC","features":[308,396]},{"name":"DXGI_SWAP_EFFECT","features":[400]},{"name":"DXGI_SWAP_EFFECT_DISCARD","features":[400]},{"name":"DXGI_SWAP_EFFECT_FLIP_DISCARD","features":[400]},{"name":"DXGI_SWAP_EFFECT_FLIP_SEQUENTIAL","features":[400]},{"name":"DXGI_SWAP_EFFECT_SEQUENTIAL","features":[400]},{"name":"DXGI_USAGE","features":[400]},{"name":"DXGI_USAGE_BACK_BUFFER","features":[400]},{"name":"DXGI_USAGE_DISCARD_ON_PRESENT","features":[400]},{"name":"DXGI_USAGE_READ_ONLY","features":[400]},{"name":"DXGI_USAGE_RENDER_TARGET_OUTPUT","features":[400]},{"name":"DXGI_USAGE_SHADER_INPUT","features":[400]},{"name":"DXGI_USAGE_SHARED","features":[400]},{"name":"DXGI_USAGE_UNORDERED_ACCESS","features":[400]},{"name":"IDXGIAdapter","features":[400]},{"name":"IDXGIAdapter1","features":[400]},{"name":"IDXGIAdapter2","features":[400]},{"name":"IDXGIAdapter3","features":[400]},{"name":"IDXGIAdapter4","features":[400]},{"name":"IDXGIDebug","features":[400]},{"name":"IDXGIDebug1","features":[400]},{"name":"IDXGIDecodeSwapChain","features":[400]},{"name":"IDXGIDevice","features":[400]},{"name":"IDXGIDevice1","features":[400]},{"name":"IDXGIDevice2","features":[400]},{"name":"IDXGIDevice3","features":[400]},{"name":"IDXGIDevice4","features":[400]},{"name":"IDXGIDeviceSubObject","features":[400]},{"name":"IDXGIDisplayControl","features":[400]},{"name":"IDXGIFactory","features":[400]},{"name":"IDXGIFactory1","features":[400]},{"name":"IDXGIFactory2","features":[400]},{"name":"IDXGIFactory3","features":[400]},{"name":"IDXGIFactory4","features":[400]},{"name":"IDXGIFactory5","features":[400]},{"name":"IDXGIFactory6","features":[400]},{"name":"IDXGIFactory7","features":[400]},{"name":"IDXGIFactoryMedia","features":[400]},{"name":"IDXGIInfoQueue","features":[400]},{"name":"IDXGIKeyedMutex","features":[400]},{"name":"IDXGIObject","features":[400]},{"name":"IDXGIOutput","features":[400]},{"name":"IDXGIOutput1","features":[400]},{"name":"IDXGIOutput2","features":[400]},{"name":"IDXGIOutput3","features":[400]},{"name":"IDXGIOutput4","features":[400]},{"name":"IDXGIOutput5","features":[400]},{"name":"IDXGIOutput6","features":[400]},{"name":"IDXGIOutputDuplication","features":[400]},{"name":"IDXGIResource","features":[400]},{"name":"IDXGIResource1","features":[400]},{"name":"IDXGISurface","features":[400]},{"name":"IDXGISurface1","features":[400]},{"name":"IDXGISurface2","features":[400]},{"name":"IDXGISwapChain","features":[400]},{"name":"IDXGISwapChain1","features":[400]},{"name":"IDXGISwapChain2","features":[400]},{"name":"IDXGISwapChain3","features":[400]},{"name":"IDXGISwapChain4","features":[400]},{"name":"IDXGISwapChainMedia","features":[400]},{"name":"IDXGraphicsAnalysis","features":[400]}],"412":[{"name":"DXGI_ALPHA_MODE","features":[396]},{"name":"DXGI_ALPHA_MODE_IGNORE","features":[396]},{"name":"DXGI_ALPHA_MODE_PREMULTIPLIED","features":[396]},{"name":"DXGI_ALPHA_MODE_STRAIGHT","features":[396]},{"name":"DXGI_ALPHA_MODE_UNSPECIFIED","features":[396]},{"name":"DXGI_CENTER_MULTISAMPLE_QUALITY_PATTERN","features":[396]},{"name":"DXGI_COLOR_SPACE_CUSTOM","features":[396]},{"name":"DXGI_COLOR_SPACE_RESERVED","features":[396]},{"name":"DXGI_COLOR_SPACE_RGB_FULL_G10_NONE_P709","features":[396]},{"name":"DXGI_COLOR_SPACE_RGB_FULL_G2084_NONE_P2020","features":[396]},{"name":"DXGI_COLOR_SPACE_RGB_FULL_G22_NONE_P2020","features":[396]},{"name":"DXGI_COLOR_SPACE_RGB_FULL_G22_NONE_P709","features":[396]},{"name":"DXGI_COLOR_SPACE_RGB_STUDIO_G2084_NONE_P2020","features":[396]},{"name":"DXGI_COLOR_SPACE_RGB_STUDIO_G22_NONE_P2020","features":[396]},{"name":"DXGI_COLOR_SPACE_RGB_STUDIO_G22_NONE_P709","features":[396]},{"name":"DXGI_COLOR_SPACE_RGB_STUDIO_G24_NONE_P2020","features":[396]},{"name":"DXGI_COLOR_SPACE_RGB_STUDIO_G24_NONE_P709","features":[396]},{"name":"DXGI_COLOR_SPACE_TYPE","features":[396]},{"name":"DXGI_COLOR_SPACE_YCBCR_FULL_G22_LEFT_P2020","features":[396]},{"name":"DXGI_COLOR_SPACE_YCBCR_FULL_G22_LEFT_P601","features":[396]},{"name":"DXGI_COLOR_SPACE_YCBCR_FULL_G22_LEFT_P709","features":[396]},{"name":"DXGI_COLOR_SPACE_YCBCR_FULL_G22_NONE_P709_X601","features":[396]},{"name":"DXGI_COLOR_SPACE_YCBCR_FULL_GHLG_TOPLEFT_P2020","features":[396]},{"name":"DXGI_COLOR_SPACE_YCBCR_STUDIO_G2084_LEFT_P2020","features":[396]},{"name":"DXGI_COLOR_SPACE_YCBCR_STUDIO_G2084_TOPLEFT_P2020","features":[396]},{"name":"DXGI_COLOR_SPACE_YCBCR_STUDIO_G22_LEFT_P2020","features":[396]},{"name":"DXGI_COLOR_SPACE_YCBCR_STUDIO_G22_LEFT_P601","features":[396]},{"name":"DXGI_COLOR_SPACE_YCBCR_STUDIO_G22_LEFT_P709","features":[396]},{"name":"DXGI_COLOR_SPACE_YCBCR_STUDIO_G22_TOPLEFT_P2020","features":[396]},{"name":"DXGI_COLOR_SPACE_YCBCR_STUDIO_G24_LEFT_P2020","features":[396]},{"name":"DXGI_COLOR_SPACE_YCBCR_STUDIO_G24_LEFT_P709","features":[396]},{"name":"DXGI_COLOR_SPACE_YCBCR_STUDIO_G24_TOPLEFT_P2020","features":[396]},{"name":"DXGI_COLOR_SPACE_YCBCR_STUDIO_GHLG_TOPLEFT_P2020","features":[396]},{"name":"DXGI_CPU_ACCESS_DYNAMIC","features":[396]},{"name":"DXGI_CPU_ACCESS_FIELD","features":[396]},{"name":"DXGI_CPU_ACCESS_NONE","features":[396]},{"name":"DXGI_CPU_ACCESS_READ_WRITE","features":[396]},{"name":"DXGI_CPU_ACCESS_SCRATCH","features":[396]},{"name":"DXGI_FORMAT","features":[396]},{"name":"DXGI_FORMAT_420_OPAQUE","features":[396]},{"name":"DXGI_FORMAT_A4B4G4R4_UNORM","features":[396]},{"name":"DXGI_FORMAT_A8P8","features":[396]},{"name":"DXGI_FORMAT_A8_UNORM","features":[396]},{"name":"DXGI_FORMAT_AI44","features":[396]},{"name":"DXGI_FORMAT_AYUV","features":[396]},{"name":"DXGI_FORMAT_B4G4R4A4_UNORM","features":[396]},{"name":"DXGI_FORMAT_B5G5R5A1_UNORM","features":[396]},{"name":"DXGI_FORMAT_B5G6R5_UNORM","features":[396]},{"name":"DXGI_FORMAT_B8G8R8A8_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_B8G8R8A8_UNORM","features":[396]},{"name":"DXGI_FORMAT_B8G8R8A8_UNORM_SRGB","features":[396]},{"name":"DXGI_FORMAT_B8G8R8X8_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_B8G8R8X8_UNORM","features":[396]},{"name":"DXGI_FORMAT_B8G8R8X8_UNORM_SRGB","features":[396]},{"name":"DXGI_FORMAT_BC1_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_BC1_UNORM","features":[396]},{"name":"DXGI_FORMAT_BC1_UNORM_SRGB","features":[396]},{"name":"DXGI_FORMAT_BC2_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_BC2_UNORM","features":[396]},{"name":"DXGI_FORMAT_BC2_UNORM_SRGB","features":[396]},{"name":"DXGI_FORMAT_BC3_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_BC3_UNORM","features":[396]},{"name":"DXGI_FORMAT_BC3_UNORM_SRGB","features":[396]},{"name":"DXGI_FORMAT_BC4_SNORM","features":[396]},{"name":"DXGI_FORMAT_BC4_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_BC4_UNORM","features":[396]},{"name":"DXGI_FORMAT_BC5_SNORM","features":[396]},{"name":"DXGI_FORMAT_BC5_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_BC5_UNORM","features":[396]},{"name":"DXGI_FORMAT_BC6H_SF16","features":[396]},{"name":"DXGI_FORMAT_BC6H_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_BC6H_UF16","features":[396]},{"name":"DXGI_FORMAT_BC7_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_BC7_UNORM","features":[396]},{"name":"DXGI_FORMAT_BC7_UNORM_SRGB","features":[396]},{"name":"DXGI_FORMAT_D16_UNORM","features":[396]},{"name":"DXGI_FORMAT_D24_UNORM_S8_UINT","features":[396]},{"name":"DXGI_FORMAT_D32_FLOAT","features":[396]},{"name":"DXGI_FORMAT_D32_FLOAT_S8X24_UINT","features":[396]},{"name":"DXGI_FORMAT_DEFINED","features":[396]},{"name":"DXGI_FORMAT_G8R8_G8B8_UNORM","features":[396]},{"name":"DXGI_FORMAT_IA44","features":[396]},{"name":"DXGI_FORMAT_NV11","features":[396]},{"name":"DXGI_FORMAT_NV12","features":[396]},{"name":"DXGI_FORMAT_P010","features":[396]},{"name":"DXGI_FORMAT_P016","features":[396]},{"name":"DXGI_FORMAT_P208","features":[396]},{"name":"DXGI_FORMAT_P8","features":[396]},{"name":"DXGI_FORMAT_R10G10B10A2_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_R10G10B10A2_UINT","features":[396]},{"name":"DXGI_FORMAT_R10G10B10A2_UNORM","features":[396]},{"name":"DXGI_FORMAT_R10G10B10_XR_BIAS_A2_UNORM","features":[396]},{"name":"DXGI_FORMAT_R11G11B10_FLOAT","features":[396]},{"name":"DXGI_FORMAT_R16G16B16A16_FLOAT","features":[396]},{"name":"DXGI_FORMAT_R16G16B16A16_SINT","features":[396]},{"name":"DXGI_FORMAT_R16G16B16A16_SNORM","features":[396]},{"name":"DXGI_FORMAT_R16G16B16A16_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_R16G16B16A16_UINT","features":[396]},{"name":"DXGI_FORMAT_R16G16B16A16_UNORM","features":[396]},{"name":"DXGI_FORMAT_R16G16_FLOAT","features":[396]},{"name":"DXGI_FORMAT_R16G16_SINT","features":[396]},{"name":"DXGI_FORMAT_R16G16_SNORM","features":[396]},{"name":"DXGI_FORMAT_R16G16_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_R16G16_UINT","features":[396]},{"name":"DXGI_FORMAT_R16G16_UNORM","features":[396]},{"name":"DXGI_FORMAT_R16_FLOAT","features":[396]},{"name":"DXGI_FORMAT_R16_SINT","features":[396]},{"name":"DXGI_FORMAT_R16_SNORM","features":[396]},{"name":"DXGI_FORMAT_R16_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_R16_UINT","features":[396]},{"name":"DXGI_FORMAT_R16_UNORM","features":[396]},{"name":"DXGI_FORMAT_R1_UNORM","features":[396]},{"name":"DXGI_FORMAT_R24G8_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_R24_UNORM_X8_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_R32G32B32A32_FLOAT","features":[396]},{"name":"DXGI_FORMAT_R32G32B32A32_SINT","features":[396]},{"name":"DXGI_FORMAT_R32G32B32A32_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_R32G32B32A32_UINT","features":[396]},{"name":"DXGI_FORMAT_R32G32B32_FLOAT","features":[396]},{"name":"DXGI_FORMAT_R32G32B32_SINT","features":[396]},{"name":"DXGI_FORMAT_R32G32B32_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_R32G32B32_UINT","features":[396]},{"name":"DXGI_FORMAT_R32G32_FLOAT","features":[396]},{"name":"DXGI_FORMAT_R32G32_SINT","features":[396]},{"name":"DXGI_FORMAT_R32G32_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_R32G32_UINT","features":[396]},{"name":"DXGI_FORMAT_R32G8X24_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_R32_FLOAT","features":[396]},{"name":"DXGI_FORMAT_R32_FLOAT_X8X24_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_R32_SINT","features":[396]},{"name":"DXGI_FORMAT_R32_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_R32_UINT","features":[396]},{"name":"DXGI_FORMAT_R8G8B8A8_SINT","features":[396]},{"name":"DXGI_FORMAT_R8G8B8A8_SNORM","features":[396]},{"name":"DXGI_FORMAT_R8G8B8A8_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_R8G8B8A8_UINT","features":[396]},{"name":"DXGI_FORMAT_R8G8B8A8_UNORM","features":[396]},{"name":"DXGI_FORMAT_R8G8B8A8_UNORM_SRGB","features":[396]},{"name":"DXGI_FORMAT_R8G8_B8G8_UNORM","features":[396]},{"name":"DXGI_FORMAT_R8G8_SINT","features":[396]},{"name":"DXGI_FORMAT_R8G8_SNORM","features":[396]},{"name":"DXGI_FORMAT_R8G8_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_R8G8_UINT","features":[396]},{"name":"DXGI_FORMAT_R8G8_UNORM","features":[396]},{"name":"DXGI_FORMAT_R8_SINT","features":[396]},{"name":"DXGI_FORMAT_R8_SNORM","features":[396]},{"name":"DXGI_FORMAT_R8_TYPELESS","features":[396]},{"name":"DXGI_FORMAT_R8_UINT","features":[396]},{"name":"DXGI_FORMAT_R8_UNORM","features":[396]},{"name":"DXGI_FORMAT_R9G9B9E5_SHAREDEXP","features":[396]},{"name":"DXGI_FORMAT_SAMPLER_FEEDBACK_MIN_MIP_OPAQUE","features":[396]},{"name":"DXGI_FORMAT_SAMPLER_FEEDBACK_MIP_REGION_USED_OPAQUE","features":[396]},{"name":"DXGI_FORMAT_UNKNOWN","features":[396]},{"name":"DXGI_FORMAT_V208","features":[396]},{"name":"DXGI_FORMAT_V408","features":[396]},{"name":"DXGI_FORMAT_X24_TYPELESS_G8_UINT","features":[396]},{"name":"DXGI_FORMAT_X32_TYPELESS_G8X24_UINT","features":[396]},{"name":"DXGI_FORMAT_Y210","features":[396]},{"name":"DXGI_FORMAT_Y216","features":[396]},{"name":"DXGI_FORMAT_Y410","features":[396]},{"name":"DXGI_FORMAT_Y416","features":[396]},{"name":"DXGI_FORMAT_YUY2","features":[396]},{"name":"DXGI_GAMMA_CONTROL","features":[396]},{"name":"DXGI_GAMMA_CONTROL_CAPABILITIES","features":[308,396]},{"name":"DXGI_JPEG_AC_HUFFMAN_TABLE","features":[396]},{"name":"DXGI_JPEG_DC_HUFFMAN_TABLE","features":[396]},{"name":"DXGI_JPEG_QUANTIZATION_TABLE","features":[396]},{"name":"DXGI_MODE_DESC","features":[396]},{"name":"DXGI_MODE_ROTATION","features":[396]},{"name":"DXGI_MODE_ROTATION_IDENTITY","features":[396]},{"name":"DXGI_MODE_ROTATION_ROTATE180","features":[396]},{"name":"DXGI_MODE_ROTATION_ROTATE270","features":[396]},{"name":"DXGI_MODE_ROTATION_ROTATE90","features":[396]},{"name":"DXGI_MODE_ROTATION_UNSPECIFIED","features":[396]},{"name":"DXGI_MODE_SCALING","features":[396]},{"name":"DXGI_MODE_SCALING_CENTERED","features":[396]},{"name":"DXGI_MODE_SCALING_STRETCHED","features":[396]},{"name":"DXGI_MODE_SCALING_UNSPECIFIED","features":[396]},{"name":"DXGI_MODE_SCANLINE_ORDER","features":[396]},{"name":"DXGI_MODE_SCANLINE_ORDER_LOWER_FIELD_FIRST","features":[396]},{"name":"DXGI_MODE_SCANLINE_ORDER_PROGRESSIVE","features":[396]},{"name":"DXGI_MODE_SCANLINE_ORDER_UNSPECIFIED","features":[396]},{"name":"DXGI_MODE_SCANLINE_ORDER_UPPER_FIELD_FIRST","features":[396]},{"name":"DXGI_RATIONAL","features":[396]},{"name":"DXGI_RGB","features":[396]},{"name":"DXGI_SAMPLE_DESC","features":[396]},{"name":"DXGI_STANDARD_MULTISAMPLE_QUALITY_PATTERN","features":[396]},{"name":"_FACDXGI","features":[396]}],"413":[{"name":"ABC","features":[319]},{"name":"ABCFLOAT","features":[319]},{"name":"ABORTDOC","features":[319]},{"name":"ABORTPATH","features":[319]},{"name":"ABSOLUTE","features":[319]},{"name":"AC_SRC_ALPHA","features":[319]},{"name":"AC_SRC_OVER","features":[319]},{"name":"AD_CLOCKWISE","features":[319]},{"name":"AD_COUNTERCLOCKWISE","features":[319]},{"name":"ALTERNATE","features":[319]},{"name":"ANSI_CHARSET","features":[319]},{"name":"ANSI_FIXED_FONT","features":[319]},{"name":"ANSI_VAR_FONT","features":[319]},{"name":"ANTIALIASED_QUALITY","features":[319]},{"name":"ARABIC_CHARSET","features":[319]},{"name":"ARC_DIRECTION","features":[319]},{"name":"ASPECTX","features":[319]},{"name":"ASPECTXY","features":[319]},{"name":"ASPECTY","features":[319]},{"name":"ASPECT_FILTERING","features":[319]},{"name":"AXESLISTA","features":[319]},{"name":"AXESLISTW","features":[319]},{"name":"AXISINFOA","features":[319]},{"name":"AXISINFOW","features":[319]},{"name":"AbortPath","features":[308,319]},{"name":"AddFontMemResourceEx","features":[308,319]},{"name":"AddFontResourceA","features":[319]},{"name":"AddFontResourceExA","features":[319]},{"name":"AddFontResourceExW","features":[319]},{"name":"AddFontResourceW","features":[319]},{"name":"AlphaBlend","features":[308,319]},{"name":"AngleArc","features":[308,319]},{"name":"AnimatePalette","features":[308,319]},{"name":"Arc","features":[308,319]},{"name":"ArcTo","features":[308,319]},{"name":"BACKGROUND_MODE","features":[319]},{"name":"BALTIC_CHARSET","features":[319]},{"name":"BANDINFO","features":[319]},{"name":"BDR_INNER","features":[319]},{"name":"BDR_OUTER","features":[319]},{"name":"BDR_RAISED","features":[319]},{"name":"BDR_RAISEDINNER","features":[319]},{"name":"BDR_RAISEDOUTER","features":[319]},{"name":"BDR_SUNKEN","features":[319]},{"name":"BDR_SUNKENINNER","features":[319]},{"name":"BDR_SUNKENOUTER","features":[319]},{"name":"BEGIN_PATH","features":[319]},{"name":"BF_ADJUST","features":[319]},{"name":"BF_BOTTOM","features":[319]},{"name":"BF_BOTTOMLEFT","features":[319]},{"name":"BF_BOTTOMRIGHT","features":[319]},{"name":"BF_DIAGONAL","features":[319]},{"name":"BF_DIAGONAL_ENDBOTTOMLEFT","features":[319]},{"name":"BF_DIAGONAL_ENDBOTTOMRIGHT","features":[319]},{"name":"BF_DIAGONAL_ENDTOPLEFT","features":[319]},{"name":"BF_DIAGONAL_ENDTOPRIGHT","features":[319]},{"name":"BF_FLAT","features":[319]},{"name":"BF_LEFT","features":[319]},{"name":"BF_MIDDLE","features":[319]},{"name":"BF_MONO","features":[319]},{"name":"BF_RECT","features":[319]},{"name":"BF_RIGHT","features":[319]},{"name":"BF_SOFT","features":[319]},{"name":"BF_TOP","features":[319]},{"name":"BF_TOPLEFT","features":[319]},{"name":"BF_TOPRIGHT","features":[319]},{"name":"BITMAP","features":[319]},{"name":"BITMAPCOREHEADER","features":[319]},{"name":"BITMAPCOREINFO","features":[319]},{"name":"BITMAPFILEHEADER","features":[319]},{"name":"BITMAPINFO","features":[319]},{"name":"BITMAPINFOHEADER","features":[319]},{"name":"BITMAPV4HEADER","features":[319]},{"name":"BITMAPV5HEADER","features":[319]},{"name":"BITSPIXEL","features":[319]},{"name":"BI_BITFIELDS","features":[319]},{"name":"BI_COMPRESSION","features":[319]},{"name":"BI_JPEG","features":[319]},{"name":"BI_PNG","features":[319]},{"name":"BI_RGB","features":[319]},{"name":"BI_RLE4","features":[319]},{"name":"BI_RLE8","features":[319]},{"name":"BKMODE_LAST","features":[319]},{"name":"BLACKNESS","features":[319]},{"name":"BLACKONWHITE","features":[319]},{"name":"BLACK_BRUSH","features":[319]},{"name":"BLACK_PEN","features":[319]},{"name":"BLENDFUNCTION","features":[319]},{"name":"BLTALIGNMENT","features":[319]},{"name":"BRUSH_STYLE","features":[319]},{"name":"BS_DIBPATTERN","features":[319]},{"name":"BS_DIBPATTERN8X8","features":[319]},{"name":"BS_DIBPATTERNPT","features":[319]},{"name":"BS_HATCHED","features":[319]},{"name":"BS_HOLLOW","features":[319]},{"name":"BS_INDEXED","features":[319]},{"name":"BS_MONOPATTERN","features":[319]},{"name":"BS_NULL","features":[319]},{"name":"BS_PATTERN","features":[319]},{"name":"BS_PATTERN8X8","features":[319]},{"name":"BS_SOLID","features":[319]},{"name":"BeginPaint","features":[308,319]},{"name":"BeginPath","features":[308,319]},{"name":"BitBlt","features":[308,319]},{"name":"CAPTUREBLT","features":[319]},{"name":"CA_LOG_FILTER","features":[319]},{"name":"CA_NEGATIVE","features":[319]},{"name":"CBM_INIT","features":[319]},{"name":"CCHFORMNAME","features":[319]},{"name":"CC_CHORD","features":[319]},{"name":"CC_CIRCLES","features":[319]},{"name":"CC_ELLIPSES","features":[319]},{"name":"CC_INTERIORS","features":[319]},{"name":"CC_NONE","features":[319]},{"name":"CC_PIE","features":[319]},{"name":"CC_ROUNDRECT","features":[319]},{"name":"CC_STYLED","features":[319]},{"name":"CC_WIDE","features":[319]},{"name":"CC_WIDESTYLED","features":[319]},{"name":"CDS_DISABLE_UNSAFE_MODES","features":[319]},{"name":"CDS_ENABLE_UNSAFE_MODES","features":[319]},{"name":"CDS_FULLSCREEN","features":[319]},{"name":"CDS_GLOBAL","features":[319]},{"name":"CDS_NORESET","features":[319]},{"name":"CDS_RESET","features":[319]},{"name":"CDS_RESET_EX","features":[319]},{"name":"CDS_SET_PRIMARY","features":[319]},{"name":"CDS_TEST","features":[319]},{"name":"CDS_TYPE","features":[319]},{"name":"CDS_UPDATEREGISTRY","features":[319]},{"name":"CDS_VIDEOPARAMETERS","features":[319]},{"name":"CFP_ALLOCPROC","features":[319]},{"name":"CFP_FREEPROC","features":[319]},{"name":"CFP_REALLOCPROC","features":[319]},{"name":"CHARSET_DEFAULT","features":[319]},{"name":"CHARSET_GLYPHIDX","features":[319]},{"name":"CHARSET_SYMBOL","features":[319]},{"name":"CHARSET_UNICODE","features":[319]},{"name":"CHECKJPEGFORMAT","features":[319]},{"name":"CHECKPNGFORMAT","features":[319]},{"name":"CHINESEBIG5_CHARSET","features":[319]},{"name":"CIEXYZ","features":[319]},{"name":"CIEXYZTRIPLE","features":[319]},{"name":"CLEARTYPE_NATURAL_QUALITY","features":[319]},{"name":"CLEARTYPE_QUALITY","features":[319]},{"name":"CLIPCAPS","features":[319]},{"name":"CLIP_CHARACTER_PRECIS","features":[319]},{"name":"CLIP_DEFAULT_PRECIS","features":[319]},{"name":"CLIP_DFA_DISABLE","features":[319]},{"name":"CLIP_DFA_OVERRIDE","features":[319]},{"name":"CLIP_EMBEDDED","features":[319]},{"name":"CLIP_LH_ANGLES","features":[319]},{"name":"CLIP_MASK","features":[319]},{"name":"CLIP_STROKE_PRECIS","features":[319]},{"name":"CLIP_TO_PATH","features":[319]},{"name":"CLIP_TT_ALWAYS","features":[319]},{"name":"CLOSECHANNEL","features":[319]},{"name":"CLR_INVALID","features":[319]},{"name":"CM_CMYK_COLOR","features":[319]},{"name":"CM_DEVICE_ICM","features":[319]},{"name":"CM_GAMMA_RAMP","features":[319]},{"name":"CM_IN_GAMUT","features":[319]},{"name":"CM_NONE","features":[319]},{"name":"CM_OUT_OF_GAMUT","features":[319]},{"name":"COLORADJUSTMENT","features":[319]},{"name":"COLORMATCHTOTARGET_EMBEDED","features":[319]},{"name":"COLORMGMTCAPS","features":[319]},{"name":"COLORONCOLOR","features":[319]},{"name":"COLORRES","features":[319]},{"name":"COLOR_3DDKSHADOW","features":[319]},{"name":"COLOR_3DFACE","features":[319]},{"name":"COLOR_3DHIGHLIGHT","features":[319]},{"name":"COLOR_3DHILIGHT","features":[319]},{"name":"COLOR_3DLIGHT","features":[319]},{"name":"COLOR_3DSHADOW","features":[319]},{"name":"COLOR_ACTIVEBORDER","features":[319]},{"name":"COLOR_ACTIVECAPTION","features":[319]},{"name":"COLOR_APPWORKSPACE","features":[319]},{"name":"COLOR_BACKGROUND","features":[319]},{"name":"COLOR_BTNFACE","features":[319]},{"name":"COLOR_BTNHIGHLIGHT","features":[319]},{"name":"COLOR_BTNHILIGHT","features":[319]},{"name":"COLOR_BTNSHADOW","features":[319]},{"name":"COLOR_BTNTEXT","features":[319]},{"name":"COLOR_CAPTIONTEXT","features":[319]},{"name":"COLOR_DESKTOP","features":[319]},{"name":"COLOR_GRADIENTACTIVECAPTION","features":[319]},{"name":"COLOR_GRADIENTINACTIVECAPTION","features":[319]},{"name":"COLOR_GRAYTEXT","features":[319]},{"name":"COLOR_HIGHLIGHT","features":[319]},{"name":"COLOR_HIGHLIGHTTEXT","features":[319]},{"name":"COLOR_HOTLIGHT","features":[319]},{"name":"COLOR_INACTIVEBORDER","features":[319]},{"name":"COLOR_INACTIVECAPTION","features":[319]},{"name":"COLOR_INACTIVECAPTIONTEXT","features":[319]},{"name":"COLOR_INFOBK","features":[319]},{"name":"COLOR_INFOTEXT","features":[319]},{"name":"COLOR_MENU","features":[319]},{"name":"COLOR_MENUBAR","features":[319]},{"name":"COLOR_MENUHILIGHT","features":[319]},{"name":"COLOR_MENUTEXT","features":[319]},{"name":"COLOR_SCROLLBAR","features":[319]},{"name":"COLOR_WINDOW","features":[319]},{"name":"COLOR_WINDOWFRAME","features":[319]},{"name":"COLOR_WINDOWTEXT","features":[319]},{"name":"COMPLEXREGION","features":[319]},{"name":"CP_NONE","features":[319]},{"name":"CP_RECTANGLE","features":[319]},{"name":"CP_REGION","features":[319]},{"name":"CREATECOLORSPACE_EMBEDED","features":[319]},{"name":"CREATE_FONT_PACKAGE_SUBSET_ENCODING","features":[319]},{"name":"CREATE_FONT_PACKAGE_SUBSET_PLATFORM","features":[319]},{"name":"CREATE_POLYGON_RGN_MODE","features":[319]},{"name":"CURVECAPS","features":[319]},{"name":"CancelDC","features":[308,319]},{"name":"ChangeDisplaySettingsA","features":[308,319]},{"name":"ChangeDisplaySettingsExA","features":[308,319]},{"name":"ChangeDisplaySettingsExW","features":[308,319]},{"name":"ChangeDisplaySettingsW","features":[308,319]},{"name":"Chord","features":[308,319]},{"name":"ClientToScreen","features":[308,319]},{"name":"CloseEnhMetaFile","features":[319]},{"name":"CloseFigure","features":[308,319]},{"name":"CloseMetaFile","features":[319]},{"name":"CombineRgn","features":[319]},{"name":"CombineTransform","features":[308,319]},{"name":"CopyEnhMetaFileA","features":[319]},{"name":"CopyEnhMetaFileW","features":[319]},{"name":"CopyMetaFileA","features":[319]},{"name":"CopyMetaFileW","features":[319]},{"name":"CopyRect","features":[308,319]},{"name":"CreateBitmap","features":[319]},{"name":"CreateBitmapIndirect","features":[319]},{"name":"CreateBrushIndirect","features":[308,319]},{"name":"CreateCompatibleBitmap","features":[319]},{"name":"CreateCompatibleDC","features":[319]},{"name":"CreateDCA","features":[308,319]},{"name":"CreateDCW","features":[308,319]},{"name":"CreateDIBPatternBrush","features":[308,319]},{"name":"CreateDIBPatternBrushPt","features":[319]},{"name":"CreateDIBSection","features":[308,319]},{"name":"CreateDIBitmap","features":[319]},{"name":"CreateDiscardableBitmap","features":[319]},{"name":"CreateEllipticRgn","features":[319]},{"name":"CreateEllipticRgnIndirect","features":[308,319]},{"name":"CreateEnhMetaFileA","features":[308,319]},{"name":"CreateEnhMetaFileW","features":[308,319]},{"name":"CreateFontA","features":[319]},{"name":"CreateFontIndirectA","features":[319]},{"name":"CreateFontIndirectExA","features":[319]},{"name":"CreateFontIndirectExW","features":[319]},{"name":"CreateFontIndirectW","features":[319]},{"name":"CreateFontPackage","features":[319]},{"name":"CreateFontW","features":[319]},{"name":"CreateHalftonePalette","features":[319]},{"name":"CreateHatchBrush","features":[308,319]},{"name":"CreateICA","features":[308,319]},{"name":"CreateICW","features":[308,319]},{"name":"CreateMetaFileA","features":[319]},{"name":"CreateMetaFileW","features":[319]},{"name":"CreatePalette","features":[319]},{"name":"CreatePatternBrush","features":[319]},{"name":"CreatePen","features":[308,319]},{"name":"CreatePenIndirect","features":[308,319]},{"name":"CreatePolyPolygonRgn","features":[308,319]},{"name":"CreatePolygonRgn","features":[308,319]},{"name":"CreateRectRgn","features":[319]},{"name":"CreateRectRgnIndirect","features":[308,319]},{"name":"CreateRoundRectRgn","features":[319]},{"name":"CreateScalableFontResourceA","features":[308,319]},{"name":"CreateScalableFontResourceW","features":[308,319]},{"name":"CreateSolidBrush","features":[308,319]},{"name":"DCBA_FACEDOWNCENTER","features":[319]},{"name":"DCBA_FACEDOWNLEFT","features":[319]},{"name":"DCBA_FACEDOWNNONE","features":[319]},{"name":"DCBA_FACEDOWNRIGHT","features":[319]},{"name":"DCBA_FACEUPCENTER","features":[319]},{"name":"DCBA_FACEUPLEFT","features":[319]},{"name":"DCBA_FACEUPNONE","features":[319]},{"name":"DCBA_FACEUPRIGHT","features":[319]},{"name":"DCB_ACCUMULATE","features":[319]},{"name":"DCB_DISABLE","features":[319]},{"name":"DCB_ENABLE","features":[319]},{"name":"DCB_RESET","features":[319]},{"name":"DCTT_BITMAP","features":[319]},{"name":"DCTT_DOWNLOAD","features":[319]},{"name":"DCTT_DOWNLOAD_OUTLINE","features":[319]},{"name":"DCTT_SUBDEV","features":[319]},{"name":"DCX_CACHE","features":[319]},{"name":"DCX_CLIPCHILDREN","features":[319]},{"name":"DCX_CLIPSIBLINGS","features":[319]},{"name":"DCX_EXCLUDERGN","features":[319]},{"name":"DCX_INTERSECTRGN","features":[319]},{"name":"DCX_INTERSECTUPDATE","features":[319]},{"name":"DCX_LOCKWINDOWUPDATE","features":[319]},{"name":"DCX_NORESETATTRS","features":[319]},{"name":"DCX_PARENTCLIP","features":[319]},{"name":"DCX_VALIDATE","features":[319]},{"name":"DCX_WINDOW","features":[319]},{"name":"DC_ACTIVE","features":[319]},{"name":"DC_BINADJUST","features":[319]},{"name":"DC_BRUSH","features":[319]},{"name":"DC_BUTTONS","features":[319]},{"name":"DC_DATATYPE_PRODUCED","features":[319]},{"name":"DC_EMF_COMPLIANT","features":[319]},{"name":"DC_GRADIENT","features":[319]},{"name":"DC_ICON","features":[319]},{"name":"DC_INBUTTON","features":[319]},{"name":"DC_LAYOUT","features":[319]},{"name":"DC_MANUFACTURER","features":[319]},{"name":"DC_MODEL","features":[319]},{"name":"DC_PEN","features":[319]},{"name":"DC_SMALLCAP","features":[319]},{"name":"DC_TEXT","features":[319]},{"name":"DEFAULT_CHARSET","features":[319]},{"name":"DEFAULT_GUI_FONT","features":[319]},{"name":"DEFAULT_PALETTE","features":[319]},{"name":"DEFAULT_PITCH","features":[319]},{"name":"DEFAULT_QUALITY","features":[319]},{"name":"DESIGNVECTOR","features":[319]},{"name":"DESKTOPHORZRES","features":[319]},{"name":"DESKTOPVERTRES","features":[319]},{"name":"DEVICEDATA","features":[319]},{"name":"DEVICE_DEFAULT_FONT","features":[319]},{"name":"DEVICE_FONTTYPE","features":[319]},{"name":"DEVMODEA","features":[308,319]},{"name":"DEVMODEW","features":[308,319]},{"name":"DEVMODE_COLLATE","features":[319]},{"name":"DEVMODE_COLOR","features":[319]},{"name":"DEVMODE_DISPLAY_FIXED_OUTPUT","features":[319]},{"name":"DEVMODE_DISPLAY_ORIENTATION","features":[319]},{"name":"DEVMODE_DUPLEX","features":[319]},{"name":"DEVMODE_FIELD_FLAGS","features":[319]},{"name":"DEVMODE_TRUETYPE_OPTION","features":[319]},{"name":"DFCS_ADJUSTRECT","features":[319]},{"name":"DFCS_BUTTON3STATE","features":[319]},{"name":"DFCS_BUTTONCHECK","features":[319]},{"name":"DFCS_BUTTONPUSH","features":[319]},{"name":"DFCS_BUTTONRADIO","features":[319]},{"name":"DFCS_BUTTONRADIOIMAGE","features":[319]},{"name":"DFCS_BUTTONRADIOMASK","features":[319]},{"name":"DFCS_CAPTIONCLOSE","features":[319]},{"name":"DFCS_CAPTIONHELP","features":[319]},{"name":"DFCS_CAPTIONMAX","features":[319]},{"name":"DFCS_CAPTIONMIN","features":[319]},{"name":"DFCS_CAPTIONRESTORE","features":[319]},{"name":"DFCS_CHECKED","features":[319]},{"name":"DFCS_FLAT","features":[319]},{"name":"DFCS_HOT","features":[319]},{"name":"DFCS_INACTIVE","features":[319]},{"name":"DFCS_MENUARROW","features":[319]},{"name":"DFCS_MENUARROWRIGHT","features":[319]},{"name":"DFCS_MENUBULLET","features":[319]},{"name":"DFCS_MENUCHECK","features":[319]},{"name":"DFCS_MONO","features":[319]},{"name":"DFCS_PUSHED","features":[319]},{"name":"DFCS_SCROLLCOMBOBOX","features":[319]},{"name":"DFCS_SCROLLDOWN","features":[319]},{"name":"DFCS_SCROLLLEFT","features":[319]},{"name":"DFCS_SCROLLRIGHT","features":[319]},{"name":"DFCS_SCROLLSIZEGRIP","features":[319]},{"name":"DFCS_SCROLLSIZEGRIPRIGHT","features":[319]},{"name":"DFCS_SCROLLUP","features":[319]},{"name":"DFCS_STATE","features":[319]},{"name":"DFCS_TRANSPARENT","features":[319]},{"name":"DFC_BUTTON","features":[319]},{"name":"DFC_CAPTION","features":[319]},{"name":"DFC_MENU","features":[319]},{"name":"DFC_POPUPMENU","features":[319]},{"name":"DFC_SCROLL","features":[319]},{"name":"DFC_TYPE","features":[319]},{"name":"DIBSECTION","features":[308,319]},{"name":"DIB_PAL_COLORS","features":[319]},{"name":"DIB_RGB_COLORS","features":[319]},{"name":"DIB_USAGE","features":[319]},{"name":"DISPLAYCONFIG_COLOR_ENCODING","features":[319]},{"name":"DISPLAYCONFIG_COLOR_ENCODING_INTENSITY","features":[319]},{"name":"DISPLAYCONFIG_COLOR_ENCODING_RGB","features":[319]},{"name":"DISPLAYCONFIG_COLOR_ENCODING_YCBCR420","features":[319]},{"name":"DISPLAYCONFIG_COLOR_ENCODING_YCBCR422","features":[319]},{"name":"DISPLAYCONFIG_COLOR_ENCODING_YCBCR444","features":[319]},{"name":"DISPLAYCONFIG_MAXPATH","features":[319]},{"name":"DISPLAYCONFIG_PATH_ACTIVE","features":[319]},{"name":"DISPLAYCONFIG_PATH_CLONE_GROUP_INVALID","features":[319]},{"name":"DISPLAYCONFIG_PATH_DESKTOP_IMAGE_IDX_INVALID","features":[319]},{"name":"DISPLAYCONFIG_PATH_MODE_IDX_INVALID","features":[319]},{"name":"DISPLAYCONFIG_PATH_PREFERRED_UNSCALED","features":[319]},{"name":"DISPLAYCONFIG_PATH_SOURCE_MODE_IDX_INVALID","features":[319]},{"name":"DISPLAYCONFIG_PATH_SUPPORT_VIRTUAL_MODE","features":[319]},{"name":"DISPLAYCONFIG_PATH_TARGET_MODE_IDX_INVALID","features":[319]},{"name":"DISPLAYCONFIG_PATH_VALID_FLAGS","features":[319]},{"name":"DISPLAYCONFIG_SOURCE_IN_USE","features":[319]},{"name":"DISPLAYCONFIG_TARGET_FORCED_AVAILABILITY_BOOT","features":[319]},{"name":"DISPLAYCONFIG_TARGET_FORCED_AVAILABILITY_PATH","features":[319]},{"name":"DISPLAYCONFIG_TARGET_FORCED_AVAILABILITY_SYSTEM","features":[319]},{"name":"DISPLAYCONFIG_TARGET_FORCIBLE","features":[319]},{"name":"DISPLAYCONFIG_TARGET_IN_USE","features":[319]},{"name":"DISPLAYCONFIG_TARGET_IS_HMD","features":[319]},{"name":"DISPLAY_DEVICEA","features":[319]},{"name":"DISPLAY_DEVICEW","features":[319]},{"name":"DISPLAY_DEVICE_ACC_DRIVER","features":[319]},{"name":"DISPLAY_DEVICE_ACTIVE","features":[319]},{"name":"DISPLAY_DEVICE_ATTACHED","features":[319]},{"name":"DISPLAY_DEVICE_ATTACHED_TO_DESKTOP","features":[319]},{"name":"DISPLAY_DEVICE_DISCONNECT","features":[319]},{"name":"DISPLAY_DEVICE_MIRRORING_DRIVER","features":[319]},{"name":"DISPLAY_DEVICE_MODESPRUNED","features":[319]},{"name":"DISPLAY_DEVICE_MULTI_DRIVER","features":[319]},{"name":"DISPLAY_DEVICE_PRIMARY_DEVICE","features":[319]},{"name":"DISPLAY_DEVICE_RDPUDD","features":[319]},{"name":"DISPLAY_DEVICE_REMOTE","features":[319]},{"name":"DISPLAY_DEVICE_REMOVABLE","features":[319]},{"name":"DISPLAY_DEVICE_TS_COMPATIBLE","features":[319]},{"name":"DISPLAY_DEVICE_UNSAFE_MODES_ON","features":[319]},{"name":"DISPLAY_DEVICE_VGA_COMPATIBLE","features":[319]},{"name":"DISP_CHANGE","features":[319]},{"name":"DISP_CHANGE_BADDUALVIEW","features":[319]},{"name":"DISP_CHANGE_BADFLAGS","features":[319]},{"name":"DISP_CHANGE_BADMODE","features":[319]},{"name":"DISP_CHANGE_BADPARAM","features":[319]},{"name":"DISP_CHANGE_FAILED","features":[319]},{"name":"DISP_CHANGE_NOTUPDATED","features":[319]},{"name":"DISP_CHANGE_RESTART","features":[319]},{"name":"DISP_CHANGE_SUCCESSFUL","features":[319]},{"name":"DI_APPBANDING","features":[319]},{"name":"DI_ROPS_READ_DESTINATION","features":[319]},{"name":"DKGRAY_BRUSH","features":[319]},{"name":"DMBIN_AUTO","features":[319]},{"name":"DMBIN_CASSETTE","features":[319]},{"name":"DMBIN_ENVELOPE","features":[319]},{"name":"DMBIN_ENVMANUAL","features":[319]},{"name":"DMBIN_FORMSOURCE","features":[319]},{"name":"DMBIN_LARGECAPACITY","features":[319]},{"name":"DMBIN_LARGEFMT","features":[319]},{"name":"DMBIN_LAST","features":[319]},{"name":"DMBIN_LOWER","features":[319]},{"name":"DMBIN_MANUAL","features":[319]},{"name":"DMBIN_MIDDLE","features":[319]},{"name":"DMBIN_ONLYONE","features":[319]},{"name":"DMBIN_SMALLFMT","features":[319]},{"name":"DMBIN_TRACTOR","features":[319]},{"name":"DMBIN_UPPER","features":[319]},{"name":"DMBIN_USER","features":[319]},{"name":"DMCOLLATE_FALSE","features":[319]},{"name":"DMCOLLATE_TRUE","features":[319]},{"name":"DMCOLOR_COLOR","features":[319]},{"name":"DMCOLOR_MONOCHROME","features":[319]},{"name":"DMDFO_CENTER","features":[319]},{"name":"DMDFO_DEFAULT","features":[319]},{"name":"DMDFO_STRETCH","features":[319]},{"name":"DMDISPLAYFLAGS_TEXTMODE","features":[319]},{"name":"DMDITHER_COARSE","features":[319]},{"name":"DMDITHER_ERRORDIFFUSION","features":[319]},{"name":"DMDITHER_FINE","features":[319]},{"name":"DMDITHER_GRAYSCALE","features":[319]},{"name":"DMDITHER_LINEART","features":[319]},{"name":"DMDITHER_NONE","features":[319]},{"name":"DMDITHER_RESERVED6","features":[319]},{"name":"DMDITHER_RESERVED7","features":[319]},{"name":"DMDITHER_RESERVED8","features":[319]},{"name":"DMDITHER_RESERVED9","features":[319]},{"name":"DMDITHER_USER","features":[319]},{"name":"DMDO_180","features":[319]},{"name":"DMDO_270","features":[319]},{"name":"DMDO_90","features":[319]},{"name":"DMDO_DEFAULT","features":[319]},{"name":"DMDUP_HORIZONTAL","features":[319]},{"name":"DMDUP_SIMPLEX","features":[319]},{"name":"DMDUP_VERTICAL","features":[319]},{"name":"DMICMMETHOD_DEVICE","features":[319]},{"name":"DMICMMETHOD_DRIVER","features":[319]},{"name":"DMICMMETHOD_NONE","features":[319]},{"name":"DMICMMETHOD_SYSTEM","features":[319]},{"name":"DMICMMETHOD_USER","features":[319]},{"name":"DMICM_ABS_COLORIMETRIC","features":[319]},{"name":"DMICM_COLORIMETRIC","features":[319]},{"name":"DMICM_CONTRAST","features":[319]},{"name":"DMICM_SATURATE","features":[319]},{"name":"DMICM_USER","features":[319]},{"name":"DMMEDIA_GLOSSY","features":[319]},{"name":"DMMEDIA_STANDARD","features":[319]},{"name":"DMMEDIA_TRANSPARENCY","features":[319]},{"name":"DMMEDIA_USER","features":[319]},{"name":"DMNUP_ONEUP","features":[319]},{"name":"DMNUP_SYSTEM","features":[319]},{"name":"DMORIENT_LANDSCAPE","features":[319]},{"name":"DMORIENT_PORTRAIT","features":[319]},{"name":"DMPAPER_10X11","features":[319]},{"name":"DMPAPER_10X14","features":[319]},{"name":"DMPAPER_11X17","features":[319]},{"name":"DMPAPER_12X11","features":[319]},{"name":"DMPAPER_15X11","features":[319]},{"name":"DMPAPER_9X11","features":[319]},{"name":"DMPAPER_A2","features":[319]},{"name":"DMPAPER_A3","features":[319]},{"name":"DMPAPER_A3_EXTRA","features":[319]},{"name":"DMPAPER_A3_EXTRA_TRANSVERSE","features":[319]},{"name":"DMPAPER_A3_ROTATED","features":[319]},{"name":"DMPAPER_A3_TRANSVERSE","features":[319]},{"name":"DMPAPER_A4","features":[319]},{"name":"DMPAPER_A4SMALL","features":[319]},{"name":"DMPAPER_A4_EXTRA","features":[319]},{"name":"DMPAPER_A4_PLUS","features":[319]},{"name":"DMPAPER_A4_ROTATED","features":[319]},{"name":"DMPAPER_A4_TRANSVERSE","features":[319]},{"name":"DMPAPER_A5","features":[319]},{"name":"DMPAPER_A5_EXTRA","features":[319]},{"name":"DMPAPER_A5_ROTATED","features":[319]},{"name":"DMPAPER_A5_TRANSVERSE","features":[319]},{"name":"DMPAPER_A6","features":[319]},{"name":"DMPAPER_A6_ROTATED","features":[319]},{"name":"DMPAPER_A_PLUS","features":[319]},{"name":"DMPAPER_B4","features":[319]},{"name":"DMPAPER_B4_JIS_ROTATED","features":[319]},{"name":"DMPAPER_B5","features":[319]},{"name":"DMPAPER_B5_EXTRA","features":[319]},{"name":"DMPAPER_B5_JIS_ROTATED","features":[319]},{"name":"DMPAPER_B5_TRANSVERSE","features":[319]},{"name":"DMPAPER_B6_JIS","features":[319]},{"name":"DMPAPER_B6_JIS_ROTATED","features":[319]},{"name":"DMPAPER_B_PLUS","features":[319]},{"name":"DMPAPER_CSHEET","features":[319]},{"name":"DMPAPER_DBL_JAPANESE_POSTCARD","features":[319]},{"name":"DMPAPER_DBL_JAPANESE_POSTCARD_ROTATED","features":[319]},{"name":"DMPAPER_DSHEET","features":[319]},{"name":"DMPAPER_ENV_10","features":[319]},{"name":"DMPAPER_ENV_11","features":[319]},{"name":"DMPAPER_ENV_12","features":[319]},{"name":"DMPAPER_ENV_14","features":[319]},{"name":"DMPAPER_ENV_9","features":[319]},{"name":"DMPAPER_ENV_B4","features":[319]},{"name":"DMPAPER_ENV_B5","features":[319]},{"name":"DMPAPER_ENV_B6","features":[319]},{"name":"DMPAPER_ENV_C3","features":[319]},{"name":"DMPAPER_ENV_C4","features":[319]},{"name":"DMPAPER_ENV_C5","features":[319]},{"name":"DMPAPER_ENV_C6","features":[319]},{"name":"DMPAPER_ENV_C65","features":[319]},{"name":"DMPAPER_ENV_DL","features":[319]},{"name":"DMPAPER_ENV_INVITE","features":[319]},{"name":"DMPAPER_ENV_ITALY","features":[319]},{"name":"DMPAPER_ENV_MONARCH","features":[319]},{"name":"DMPAPER_ENV_PERSONAL","features":[319]},{"name":"DMPAPER_ESHEET","features":[319]},{"name":"DMPAPER_EXECUTIVE","features":[319]},{"name":"DMPAPER_FANFOLD_LGL_GERMAN","features":[319]},{"name":"DMPAPER_FANFOLD_STD_GERMAN","features":[319]},{"name":"DMPAPER_FANFOLD_US","features":[319]},{"name":"DMPAPER_FOLIO","features":[319]},{"name":"DMPAPER_ISO_B4","features":[319]},{"name":"DMPAPER_JAPANESE_POSTCARD","features":[319]},{"name":"DMPAPER_JAPANESE_POSTCARD_ROTATED","features":[319]},{"name":"DMPAPER_JENV_CHOU3","features":[319]},{"name":"DMPAPER_JENV_CHOU3_ROTATED","features":[319]},{"name":"DMPAPER_JENV_CHOU4","features":[319]},{"name":"DMPAPER_JENV_CHOU4_ROTATED","features":[319]},{"name":"DMPAPER_JENV_KAKU2","features":[319]},{"name":"DMPAPER_JENV_KAKU2_ROTATED","features":[319]},{"name":"DMPAPER_JENV_KAKU3","features":[319]},{"name":"DMPAPER_JENV_KAKU3_ROTATED","features":[319]},{"name":"DMPAPER_JENV_YOU4","features":[319]},{"name":"DMPAPER_JENV_YOU4_ROTATED","features":[319]},{"name":"DMPAPER_LAST","features":[319]},{"name":"DMPAPER_LEDGER","features":[319]},{"name":"DMPAPER_LEGAL","features":[319]},{"name":"DMPAPER_LEGAL_EXTRA","features":[319]},{"name":"DMPAPER_LETTER","features":[319]},{"name":"DMPAPER_LETTERSMALL","features":[319]},{"name":"DMPAPER_LETTER_EXTRA","features":[319]},{"name":"DMPAPER_LETTER_EXTRA_TRANSVERSE","features":[319]},{"name":"DMPAPER_LETTER_PLUS","features":[319]},{"name":"DMPAPER_LETTER_ROTATED","features":[319]},{"name":"DMPAPER_LETTER_TRANSVERSE","features":[319]},{"name":"DMPAPER_NOTE","features":[319]},{"name":"DMPAPER_P16K","features":[319]},{"name":"DMPAPER_P16K_ROTATED","features":[319]},{"name":"DMPAPER_P32K","features":[319]},{"name":"DMPAPER_P32KBIG","features":[319]},{"name":"DMPAPER_P32KBIG_ROTATED","features":[319]},{"name":"DMPAPER_P32K_ROTATED","features":[319]},{"name":"DMPAPER_PENV_1","features":[319]},{"name":"DMPAPER_PENV_10","features":[319]},{"name":"DMPAPER_PENV_10_ROTATED","features":[319]},{"name":"DMPAPER_PENV_1_ROTATED","features":[319]},{"name":"DMPAPER_PENV_2","features":[319]},{"name":"DMPAPER_PENV_2_ROTATED","features":[319]},{"name":"DMPAPER_PENV_3","features":[319]},{"name":"DMPAPER_PENV_3_ROTATED","features":[319]},{"name":"DMPAPER_PENV_4","features":[319]},{"name":"DMPAPER_PENV_4_ROTATED","features":[319]},{"name":"DMPAPER_PENV_5","features":[319]},{"name":"DMPAPER_PENV_5_ROTATED","features":[319]},{"name":"DMPAPER_PENV_6","features":[319]},{"name":"DMPAPER_PENV_6_ROTATED","features":[319]},{"name":"DMPAPER_PENV_7","features":[319]},{"name":"DMPAPER_PENV_7_ROTATED","features":[319]},{"name":"DMPAPER_PENV_8","features":[319]},{"name":"DMPAPER_PENV_8_ROTATED","features":[319]},{"name":"DMPAPER_PENV_9","features":[319]},{"name":"DMPAPER_PENV_9_ROTATED","features":[319]},{"name":"DMPAPER_QUARTO","features":[319]},{"name":"DMPAPER_RESERVED_48","features":[319]},{"name":"DMPAPER_RESERVED_49","features":[319]},{"name":"DMPAPER_STATEMENT","features":[319]},{"name":"DMPAPER_TABLOID","features":[319]},{"name":"DMPAPER_TABLOID_EXTRA","features":[319]},{"name":"DMPAPER_USER","features":[319]},{"name":"DMRES_DRAFT","features":[319]},{"name":"DMRES_HIGH","features":[319]},{"name":"DMRES_LOW","features":[319]},{"name":"DMRES_MEDIUM","features":[319]},{"name":"DMTT_BITMAP","features":[319]},{"name":"DMTT_DOWNLOAD","features":[319]},{"name":"DMTT_DOWNLOAD_OUTLINE","features":[319]},{"name":"DMTT_SUBDEV","features":[319]},{"name":"DM_BITSPERPEL","features":[319]},{"name":"DM_COLLATE","features":[319]},{"name":"DM_COLOR","features":[319]},{"name":"DM_COPIES","features":[319]},{"name":"DM_COPY","features":[319]},{"name":"DM_DEFAULTSOURCE","features":[319]},{"name":"DM_DISPLAYFIXEDOUTPUT","features":[319]},{"name":"DM_DISPLAYFLAGS","features":[319]},{"name":"DM_DISPLAYFREQUENCY","features":[319]},{"name":"DM_DISPLAYORIENTATION","features":[319]},{"name":"DM_DITHERTYPE","features":[319]},{"name":"DM_DUPLEX","features":[319]},{"name":"DM_FORMNAME","features":[319]},{"name":"DM_ICMINTENT","features":[319]},{"name":"DM_ICMMETHOD","features":[319]},{"name":"DM_INTERLACED","features":[319]},{"name":"DM_IN_BUFFER","features":[319]},{"name":"DM_IN_PROMPT","features":[319]},{"name":"DM_LOGPIXELS","features":[319]},{"name":"DM_MEDIATYPE","features":[319]},{"name":"DM_MODIFY","features":[319]},{"name":"DM_NUP","features":[319]},{"name":"DM_ORIENTATION","features":[319]},{"name":"DM_OUT_BUFFER","features":[319]},{"name":"DM_OUT_DEFAULT","features":[319]},{"name":"DM_PANNINGHEIGHT","features":[319]},{"name":"DM_PANNINGWIDTH","features":[319]},{"name":"DM_PAPERLENGTH","features":[319]},{"name":"DM_PAPERSIZE","features":[319]},{"name":"DM_PAPERWIDTH","features":[319]},{"name":"DM_PELSHEIGHT","features":[319]},{"name":"DM_PELSWIDTH","features":[319]},{"name":"DM_POSITION","features":[319]},{"name":"DM_PRINTQUALITY","features":[319]},{"name":"DM_PROMPT","features":[319]},{"name":"DM_SCALE","features":[319]},{"name":"DM_SPECVERSION","features":[319]},{"name":"DM_TTOPTION","features":[319]},{"name":"DM_UPDATE","features":[319]},{"name":"DM_YRESOLUTION","features":[319]},{"name":"DOWNLOADFACE","features":[319]},{"name":"DOWNLOADHEADER","features":[319]},{"name":"DPtoLP","features":[308,319]},{"name":"DRAFTMODE","features":[319]},{"name":"DRAFT_QUALITY","features":[319]},{"name":"DRAWEDGE_FLAGS","features":[319]},{"name":"DRAWPATTERNRECT","features":[319]},{"name":"DRAWSTATEPROC","features":[308,319]},{"name":"DRAWSTATE_FLAGS","features":[319]},{"name":"DRAWTEXTPARAMS","features":[319]},{"name":"DRAW_CAPTION_FLAGS","features":[319]},{"name":"DRAW_EDGE_FLAGS","features":[319]},{"name":"DRAW_TEXT_FORMAT","features":[319]},{"name":"DRIVERVERSION","features":[319]},{"name":"DSS_DISABLED","features":[319]},{"name":"DSS_HIDEPREFIX","features":[319]},{"name":"DSS_MONO","features":[319]},{"name":"DSS_NORMAL","features":[319]},{"name":"DSS_PREFIXONLY","features":[319]},{"name":"DSS_RIGHT","features":[319]},{"name":"DSS_UNION","features":[319]},{"name":"DSTINVERT","features":[319]},{"name":"DST_BITMAP","features":[319]},{"name":"DST_COMPLEX","features":[319]},{"name":"DST_ICON","features":[319]},{"name":"DST_PREFIXTEXT","features":[319]},{"name":"DST_TEXT","features":[319]},{"name":"DT_BOTTOM","features":[319]},{"name":"DT_CALCRECT","features":[319]},{"name":"DT_CENTER","features":[319]},{"name":"DT_CHARSTREAM","features":[319]},{"name":"DT_DISPFILE","features":[319]},{"name":"DT_EDITCONTROL","features":[319]},{"name":"DT_END_ELLIPSIS","features":[319]},{"name":"DT_EXPANDTABS","features":[319]},{"name":"DT_EXTERNALLEADING","features":[319]},{"name":"DT_HIDEPREFIX","features":[319]},{"name":"DT_INTERNAL","features":[319]},{"name":"DT_LEFT","features":[319]},{"name":"DT_METAFILE","features":[319]},{"name":"DT_MODIFYSTRING","features":[319]},{"name":"DT_NOCLIP","features":[319]},{"name":"DT_NOFULLWIDTHCHARBREAK","features":[319]},{"name":"DT_NOPREFIX","features":[319]},{"name":"DT_PATH_ELLIPSIS","features":[319]},{"name":"DT_PLOTTER","features":[319]},{"name":"DT_PREFIXONLY","features":[319]},{"name":"DT_RASCAMERA","features":[319]},{"name":"DT_RASDISPLAY","features":[319]},{"name":"DT_RASPRINTER","features":[319]},{"name":"DT_RIGHT","features":[319]},{"name":"DT_RTLREADING","features":[319]},{"name":"DT_SINGLELINE","features":[319]},{"name":"DT_TABSTOP","features":[319]},{"name":"DT_TOP","features":[319]},{"name":"DT_VCENTER","features":[319]},{"name":"DT_WORDBREAK","features":[319]},{"name":"DT_WORD_ELLIPSIS","features":[319]},{"name":"DeleteDC","features":[308,319]},{"name":"DeleteEnhMetaFile","features":[308,319]},{"name":"DeleteMetaFile","features":[308,319]},{"name":"DeleteObject","features":[308,319]},{"name":"DrawAnimatedRects","features":[308,319]},{"name":"DrawCaption","features":[308,319]},{"name":"DrawEdge","features":[308,319]},{"name":"DrawEscape","features":[319]},{"name":"DrawFocusRect","features":[308,319]},{"name":"DrawFrameControl","features":[308,319]},{"name":"DrawStateA","features":[308,319]},{"name":"DrawStateW","features":[308,319]},{"name":"DrawTextA","features":[308,319]},{"name":"DrawTextExA","features":[308,319]},{"name":"DrawTextExW","features":[308,319]},{"name":"DrawTextW","features":[308,319]},{"name":"EASTEUROPE_CHARSET","features":[319]},{"name":"EDGE_BUMP","features":[319]},{"name":"EDGE_ETCHED","features":[319]},{"name":"EDGE_RAISED","features":[319]},{"name":"EDGE_SUNKEN","features":[319]},{"name":"EDS_RAWMODE","features":[319]},{"name":"EDS_ROTATEDMODE","features":[319]},{"name":"ELF_CULTURE_LATIN","features":[319]},{"name":"ELF_VENDOR_SIZE","features":[319]},{"name":"ELF_VERSION","features":[319]},{"name":"EMBEDDED_FONT_PRIV_STATUS","features":[319]},{"name":"EMBED_EDITABLE","features":[319]},{"name":"EMBED_FONT_CHARSET","features":[319]},{"name":"EMBED_INSTALLABLE","features":[319]},{"name":"EMBED_NOEMBEDDING","features":[319]},{"name":"EMBED_PREVIEWPRINT","features":[319]},{"name":"EMR","features":[319]},{"name":"EMRALPHABLEND","features":[308,319]},{"name":"EMRANGLEARC","features":[308,319]},{"name":"EMRARC","features":[308,319]},{"name":"EMRBITBLT","features":[308,319]},{"name":"EMRCOLORCORRECTPALETTE","features":[319]},{"name":"EMRCOLORMATCHTOTARGET","features":[319]},{"name":"EMRCREATEBRUSHINDIRECT","features":[308,319]},{"name":"EMRCREATEDIBPATTERNBRUSHPT","features":[319]},{"name":"EMRCREATEMONOBRUSH","features":[319]},{"name":"EMRCREATEPALETTE","features":[319]},{"name":"EMRCREATEPEN","features":[308,319]},{"name":"EMRELLIPSE","features":[308,319]},{"name":"EMREOF","features":[319]},{"name":"EMREXCLUDECLIPRECT","features":[308,319]},{"name":"EMREXTCREATEFONTINDIRECTW","features":[319]},{"name":"EMREXTCREATEPEN","features":[308,319]},{"name":"EMREXTESCAPE","features":[319]},{"name":"EMREXTFLOODFILL","features":[308,319]},{"name":"EMREXTSELECTCLIPRGN","features":[319]},{"name":"EMREXTTEXTOUTA","features":[308,319]},{"name":"EMRFILLPATH","features":[308,319]},{"name":"EMRFILLRGN","features":[308,319]},{"name":"EMRFORMAT","features":[319]},{"name":"EMRFRAMERGN","features":[308,319]},{"name":"EMRGDICOMMENT","features":[319]},{"name":"EMRGLSBOUNDEDRECORD","features":[308,319]},{"name":"EMRGLSRECORD","features":[319]},{"name":"EMRGRADIENTFILL","features":[308,319]},{"name":"EMRINVERTRGN","features":[308,319]},{"name":"EMRLINETO","features":[308,319]},{"name":"EMRMASKBLT","features":[308,319]},{"name":"EMRMODIFYWORLDTRANSFORM","features":[319]},{"name":"EMRNAMEDESCAPE","features":[319]},{"name":"EMROFFSETCLIPRGN","features":[308,319]},{"name":"EMRPLGBLT","features":[308,319]},{"name":"EMRPOLYDRAW","features":[308,319]},{"name":"EMRPOLYDRAW16","features":[308,319]},{"name":"EMRPOLYLINE","features":[308,319]},{"name":"EMRPOLYLINE16","features":[308,319]},{"name":"EMRPOLYPOLYLINE","features":[308,319]},{"name":"EMRPOLYPOLYLINE16","features":[308,319]},{"name":"EMRPOLYTEXTOUTA","features":[308,319]},{"name":"EMRRESIZEPALETTE","features":[319]},{"name":"EMRRESTOREDC","features":[319]},{"name":"EMRROUNDRECT","features":[308,319]},{"name":"EMRSCALEVIEWPORTEXTEX","features":[319]},{"name":"EMRSELECTCLIPPATH","features":[319]},{"name":"EMRSELECTOBJECT","features":[319]},{"name":"EMRSELECTPALETTE","features":[319]},{"name":"EMRSETARCDIRECTION","features":[319]},{"name":"EMRSETCOLORADJUSTMENT","features":[319]},{"name":"EMRSETCOLORSPACE","features":[319]},{"name":"EMRSETDIBITSTODEVICE","features":[308,319]},{"name":"EMRSETICMPROFILE","features":[319]},{"name":"EMRSETMAPPERFLAGS","features":[319]},{"name":"EMRSETMITERLIMIT","features":[319]},{"name":"EMRSETPALETTEENTRIES","features":[319]},{"name":"EMRSETPIXELV","features":[308,319]},{"name":"EMRSETTEXTCOLOR","features":[308,319]},{"name":"EMRSETVIEWPORTEXTEX","features":[308,319]},{"name":"EMRSETVIEWPORTORGEX","features":[308,319]},{"name":"EMRSETWORLDTRANSFORM","features":[319]},{"name":"EMRSTRETCHBLT","features":[308,319]},{"name":"EMRSTRETCHDIBITS","features":[308,319]},{"name":"EMRTEXT","features":[308,319]},{"name":"EMRTRANSPARENTBLT","features":[308,319]},{"name":"EMR_ABORTPATH","features":[319]},{"name":"EMR_ALPHABLEND","features":[319]},{"name":"EMR_ANGLEARC","features":[319]},{"name":"EMR_ARC","features":[319]},{"name":"EMR_ARCTO","features":[319]},{"name":"EMR_BEGINPATH","features":[319]},{"name":"EMR_BITBLT","features":[319]},{"name":"EMR_CHORD","features":[319]},{"name":"EMR_CLOSEFIGURE","features":[319]},{"name":"EMR_COLORCORRECTPALETTE","features":[319]},{"name":"EMR_COLORMATCHTOTARGETW","features":[319]},{"name":"EMR_CREATEBRUSHINDIRECT","features":[319]},{"name":"EMR_CREATECOLORSPACE","features":[319]},{"name":"EMR_CREATECOLORSPACEW","features":[319]},{"name":"EMR_CREATEDIBPATTERNBRUSHPT","features":[319]},{"name":"EMR_CREATEMONOBRUSH","features":[319]},{"name":"EMR_CREATEPALETTE","features":[319]},{"name":"EMR_CREATEPEN","features":[319]},{"name":"EMR_DELETECOLORSPACE","features":[319]},{"name":"EMR_DELETEOBJECT","features":[319]},{"name":"EMR_ELLIPSE","features":[319]},{"name":"EMR_ENDPATH","features":[319]},{"name":"EMR_EOF","features":[319]},{"name":"EMR_EXCLUDECLIPRECT","features":[319]},{"name":"EMR_EXTCREATEFONTINDIRECTW","features":[319]},{"name":"EMR_EXTCREATEPEN","features":[319]},{"name":"EMR_EXTFLOODFILL","features":[319]},{"name":"EMR_EXTSELECTCLIPRGN","features":[319]},{"name":"EMR_EXTTEXTOUTA","features":[319]},{"name":"EMR_EXTTEXTOUTW","features":[319]},{"name":"EMR_FILLPATH","features":[319]},{"name":"EMR_FILLRGN","features":[319]},{"name":"EMR_FLATTENPATH","features":[319]},{"name":"EMR_FRAMERGN","features":[319]},{"name":"EMR_GDICOMMENT","features":[319]},{"name":"EMR_GLSBOUNDEDRECORD","features":[319]},{"name":"EMR_GLSRECORD","features":[319]},{"name":"EMR_GRADIENTFILL","features":[319]},{"name":"EMR_HEADER","features":[319]},{"name":"EMR_INTERSECTCLIPRECT","features":[319]},{"name":"EMR_INVERTRGN","features":[319]},{"name":"EMR_LINETO","features":[319]},{"name":"EMR_MASKBLT","features":[319]},{"name":"EMR_MAX","features":[319]},{"name":"EMR_MIN","features":[319]},{"name":"EMR_MODIFYWORLDTRANSFORM","features":[319]},{"name":"EMR_MOVETOEX","features":[319]},{"name":"EMR_OFFSETCLIPRGN","features":[319]},{"name":"EMR_PAINTRGN","features":[319]},{"name":"EMR_PIE","features":[319]},{"name":"EMR_PIXELFORMAT","features":[319]},{"name":"EMR_PLGBLT","features":[319]},{"name":"EMR_POLYBEZIER","features":[319]},{"name":"EMR_POLYBEZIER16","features":[319]},{"name":"EMR_POLYBEZIERTO","features":[319]},{"name":"EMR_POLYBEZIERTO16","features":[319]},{"name":"EMR_POLYDRAW","features":[319]},{"name":"EMR_POLYDRAW16","features":[319]},{"name":"EMR_POLYGON","features":[319]},{"name":"EMR_POLYGON16","features":[319]},{"name":"EMR_POLYLINE","features":[319]},{"name":"EMR_POLYLINE16","features":[319]},{"name":"EMR_POLYLINETO","features":[319]},{"name":"EMR_POLYLINETO16","features":[319]},{"name":"EMR_POLYPOLYGON","features":[319]},{"name":"EMR_POLYPOLYGON16","features":[319]},{"name":"EMR_POLYPOLYLINE","features":[319]},{"name":"EMR_POLYPOLYLINE16","features":[319]},{"name":"EMR_POLYTEXTOUTA","features":[319]},{"name":"EMR_POLYTEXTOUTW","features":[319]},{"name":"EMR_REALIZEPALETTE","features":[319]},{"name":"EMR_RECTANGLE","features":[319]},{"name":"EMR_RESERVED_105","features":[319]},{"name":"EMR_RESERVED_106","features":[319]},{"name":"EMR_RESERVED_107","features":[319]},{"name":"EMR_RESERVED_108","features":[319]},{"name":"EMR_RESERVED_109","features":[319]},{"name":"EMR_RESERVED_110","features":[319]},{"name":"EMR_RESERVED_117","features":[319]},{"name":"EMR_RESERVED_119","features":[319]},{"name":"EMR_RESERVED_120","features":[319]},{"name":"EMR_RESIZEPALETTE","features":[319]},{"name":"EMR_RESTOREDC","features":[319]},{"name":"EMR_ROUNDRECT","features":[319]},{"name":"EMR_SAVEDC","features":[319]},{"name":"EMR_SCALEVIEWPORTEXTEX","features":[319]},{"name":"EMR_SCALEWINDOWEXTEX","features":[319]},{"name":"EMR_SELECTCLIPPATH","features":[319]},{"name":"EMR_SELECTOBJECT","features":[319]},{"name":"EMR_SELECTPALETTE","features":[319]},{"name":"EMR_SETARCDIRECTION","features":[319]},{"name":"EMR_SETBKCOLOR","features":[319]},{"name":"EMR_SETBKMODE","features":[319]},{"name":"EMR_SETBRUSHORGEX","features":[319]},{"name":"EMR_SETCOLORADJUSTMENT","features":[319]},{"name":"EMR_SETCOLORSPACE","features":[319]},{"name":"EMR_SETDIBITSTODEVICE","features":[319]},{"name":"EMR_SETICMMODE","features":[319]},{"name":"EMR_SETICMPROFILEA","features":[319]},{"name":"EMR_SETICMPROFILEW","features":[319]},{"name":"EMR_SETLAYOUT","features":[319]},{"name":"EMR_SETMAPMODE","features":[319]},{"name":"EMR_SETMAPPERFLAGS","features":[319]},{"name":"EMR_SETMETARGN","features":[319]},{"name":"EMR_SETMITERLIMIT","features":[319]},{"name":"EMR_SETPALETTEENTRIES","features":[319]},{"name":"EMR_SETPIXELV","features":[319]},{"name":"EMR_SETPOLYFILLMODE","features":[319]},{"name":"EMR_SETROP2","features":[319]},{"name":"EMR_SETSTRETCHBLTMODE","features":[319]},{"name":"EMR_SETTEXTALIGN","features":[319]},{"name":"EMR_SETTEXTCOLOR","features":[319]},{"name":"EMR_SETVIEWPORTEXTEX","features":[319]},{"name":"EMR_SETVIEWPORTORGEX","features":[319]},{"name":"EMR_SETWINDOWEXTEX","features":[319]},{"name":"EMR_SETWINDOWORGEX","features":[319]},{"name":"EMR_SETWORLDTRANSFORM","features":[319]},{"name":"EMR_STRETCHBLT","features":[319]},{"name":"EMR_STRETCHDIBITS","features":[319]},{"name":"EMR_STROKEANDFILLPATH","features":[319]},{"name":"EMR_STROKEPATH","features":[319]},{"name":"EMR_TRANSPARENTBLT","features":[319]},{"name":"EMR_WIDENPATH","features":[319]},{"name":"ENABLEDUPLEX","features":[319]},{"name":"ENABLEPAIRKERNING","features":[319]},{"name":"ENABLERELATIVEWIDTHS","features":[319]},{"name":"ENCAPSULATED_POSTSCRIPT","features":[319]},{"name":"ENDDOC","features":[319]},{"name":"END_PATH","features":[319]},{"name":"ENHANCED_METAFILE_RECORD_TYPE","features":[319]},{"name":"ENHMETAHEADER","features":[308,319]},{"name":"ENHMETARECORD","features":[319]},{"name":"ENHMETA_SIGNATURE","features":[319]},{"name":"ENHMETA_STOCK_OBJECT","features":[319]},{"name":"ENHMFENUMPROC","features":[308,319]},{"name":"ENUMLOGFONTA","features":[319]},{"name":"ENUMLOGFONTEXA","features":[319]},{"name":"ENUMLOGFONTEXDVA","features":[319]},{"name":"ENUMLOGFONTEXDVW","features":[319]},{"name":"ENUMLOGFONTEXW","features":[319]},{"name":"ENUMLOGFONTW","features":[319]},{"name":"ENUMPAPERBINS","features":[319]},{"name":"ENUMPAPERMETRICS","features":[319]},{"name":"ENUM_CURRENT_SETTINGS","features":[319]},{"name":"ENUM_DISPLAY_SETTINGS_FLAGS","features":[319]},{"name":"ENUM_DISPLAY_SETTINGS_MODE","features":[319]},{"name":"ENUM_REGISTRY_SETTINGS","features":[319]},{"name":"EPSPRINTING","features":[319]},{"name":"EPS_SIGNATURE","features":[319]},{"name":"ERROR","features":[319]},{"name":"ERR_FORMAT","features":[319]},{"name":"ERR_GENERIC","features":[319]},{"name":"ERR_INVALID_BASE","features":[319]},{"name":"ERR_INVALID_CMAP","features":[319]},{"name":"ERR_INVALID_DELTA_FORMAT","features":[319]},{"name":"ERR_INVALID_EBLC","features":[319]},{"name":"ERR_INVALID_GDEF","features":[319]},{"name":"ERR_INVALID_GLYF","features":[319]},{"name":"ERR_INVALID_GPOS","features":[319]},{"name":"ERR_INVALID_GSUB","features":[319]},{"name":"ERR_INVALID_HDMX","features":[319]},{"name":"ERR_INVALID_HEAD","features":[319]},{"name":"ERR_INVALID_HHEA","features":[319]},{"name":"ERR_INVALID_HHEA_OR_VHEA","features":[319]},{"name":"ERR_INVALID_HMTX","features":[319]},{"name":"ERR_INVALID_HMTX_OR_VMTX","features":[319]},{"name":"ERR_INVALID_JSTF","features":[319]},{"name":"ERR_INVALID_LOCA","features":[319]},{"name":"ERR_INVALID_LTSH","features":[319]},{"name":"ERR_INVALID_MAXP","features":[319]},{"name":"ERR_INVALID_MERGE_CHECKSUMS","features":[319]},{"name":"ERR_INVALID_MERGE_FORMATS","features":[319]},{"name":"ERR_INVALID_MERGE_NUMGLYPHS","features":[319]},{"name":"ERR_INVALID_NAME","features":[319]},{"name":"ERR_INVALID_OS2","features":[319]},{"name":"ERR_INVALID_POST","features":[319]},{"name":"ERR_INVALID_TTC_INDEX","features":[319]},{"name":"ERR_INVALID_TTO","features":[319]},{"name":"ERR_INVALID_VDMX","features":[319]},{"name":"ERR_INVALID_VHEA","features":[319]},{"name":"ERR_INVALID_VMTX","features":[319]},{"name":"ERR_MEM","features":[319]},{"name":"ERR_MISSING_CMAP","features":[319]},{"name":"ERR_MISSING_EBDT","features":[319]},{"name":"ERR_MISSING_GLYF","features":[319]},{"name":"ERR_MISSING_HEAD","features":[319]},{"name":"ERR_MISSING_HHEA","features":[319]},{"name":"ERR_MISSING_HHEA_OR_VHEA","features":[319]},{"name":"ERR_MISSING_HMTX","features":[319]},{"name":"ERR_MISSING_HMTX_OR_VMTX","features":[319]},{"name":"ERR_MISSING_LOCA","features":[319]},{"name":"ERR_MISSING_MAXP","features":[319]},{"name":"ERR_MISSING_NAME","features":[319]},{"name":"ERR_MISSING_OS2","features":[319]},{"name":"ERR_MISSING_POST","features":[319]},{"name":"ERR_MISSING_VHEA","features":[319]},{"name":"ERR_MISSING_VMTX","features":[319]},{"name":"ERR_NOT_TTC","features":[319]},{"name":"ERR_NO_GLYPHS","features":[319]},{"name":"ERR_PARAMETER0","features":[319]},{"name":"ERR_PARAMETER1","features":[319]},{"name":"ERR_PARAMETER10","features":[319]},{"name":"ERR_PARAMETER11","features":[319]},{"name":"ERR_PARAMETER12","features":[319]},{"name":"ERR_PARAMETER13","features":[319]},{"name":"ERR_PARAMETER14","features":[319]},{"name":"ERR_PARAMETER15","features":[319]},{"name":"ERR_PARAMETER16","features":[319]},{"name":"ERR_PARAMETER2","features":[319]},{"name":"ERR_PARAMETER3","features":[319]},{"name":"ERR_PARAMETER4","features":[319]},{"name":"ERR_PARAMETER5","features":[319]},{"name":"ERR_PARAMETER6","features":[319]},{"name":"ERR_PARAMETER7","features":[319]},{"name":"ERR_PARAMETER8","features":[319]},{"name":"ERR_PARAMETER9","features":[319]},{"name":"ERR_READCONTROL","features":[319]},{"name":"ERR_READOUTOFBOUNDS","features":[319]},{"name":"ERR_VERSION","features":[319]},{"name":"ERR_WOULD_GROW","features":[319]},{"name":"ERR_WRITECONTROL","features":[319]},{"name":"ERR_WRITEOUTOFBOUNDS","features":[319]},{"name":"ETO_CLIPPED","features":[319]},{"name":"ETO_GLYPH_INDEX","features":[319]},{"name":"ETO_IGNORELANGUAGE","features":[319]},{"name":"ETO_NUMERICSLATIN","features":[319]},{"name":"ETO_NUMERICSLOCAL","features":[319]},{"name":"ETO_OPAQUE","features":[319]},{"name":"ETO_OPTIONS","features":[319]},{"name":"ETO_PDY","features":[319]},{"name":"ETO_REVERSE_INDEX_MAP","features":[319]},{"name":"ETO_RTLREADING","features":[319]},{"name":"EXTLOGFONTA","features":[319]},{"name":"EXTLOGFONTW","features":[319]},{"name":"EXTLOGPEN","features":[308,319]},{"name":"EXTLOGPEN32","features":[308,319]},{"name":"EXTTEXTOUT","features":[319]},{"name":"EXT_DEVICE_CAPS","features":[319]},{"name":"EXT_FLOOD_FILL_TYPE","features":[319]},{"name":"E_ADDFONTFAILED","features":[319]},{"name":"E_API_NOTIMPL","features":[319]},{"name":"E_CHARCODECOUNTINVALID","features":[319]},{"name":"E_CHARCODESETINVALID","features":[319]},{"name":"E_CHARSETINVALID","features":[319]},{"name":"E_COULDNTCREATETEMPFILE","features":[319]},{"name":"E_DEVICETRUETYPEFONT","features":[319]},{"name":"E_ERRORACCESSINGEXCLUDELIST","features":[319]},{"name":"E_ERRORACCESSINGFACENAME","features":[319]},{"name":"E_ERRORACCESSINGFONTDATA","features":[319]},{"name":"E_ERRORCOMPRESSINGFONTDATA","features":[319]},{"name":"E_ERRORCONVERTINGCHARS","features":[319]},{"name":"E_ERRORCREATINGFONTFILE","features":[319]},{"name":"E_ERRORDECOMPRESSINGFONTDATA","features":[319]},{"name":"E_ERROREXPANDINGFONTDATA","features":[319]},{"name":"E_ERRORGETTINGDC","features":[319]},{"name":"E_ERRORREADINGFONTDATA","features":[319]},{"name":"E_ERRORUNICODECONVERSION","features":[319]},{"name":"E_EXCEPTION","features":[319]},{"name":"E_EXCEPTIONINCOMPRESSION","features":[319]},{"name":"E_EXCEPTIONINDECOMPRESSION","features":[319]},{"name":"E_FACENAMEINVALID","features":[319]},{"name":"E_FILE_NOT_FOUND","features":[319]},{"name":"E_FLAGSINVALID","features":[319]},{"name":"E_FONTALREADYEXISTS","features":[319]},{"name":"E_FONTDATAINVALID","features":[319]},{"name":"E_FONTFAMILYNAMENOTINFULL","features":[319]},{"name":"E_FONTFILECREATEFAILED","features":[319]},{"name":"E_FONTFILENOTFOUND","features":[319]},{"name":"E_FONTINSTALLFAILED","features":[319]},{"name":"E_FONTNAMEALREADYEXISTS","features":[319]},{"name":"E_FONTNOTEMBEDDABLE","features":[319]},{"name":"E_FONTREFERENCEINVALID","features":[319]},{"name":"E_FONTVARIATIONSIMULATED","features":[319]},{"name":"E_HDCINVALID","features":[319]},{"name":"E_INPUTPARAMINVALID","features":[319]},{"name":"E_NAMECHANGEFAILED","features":[319]},{"name":"E_NOFREEMEMORY","features":[319]},{"name":"E_NONE","features":[319]},{"name":"E_NOOS2","features":[319]},{"name":"E_NOTATRUETYPEFONT","features":[319]},{"name":"E_PBENABLEDINVALID","features":[319]},{"name":"E_PERMISSIONSINVALID","features":[319]},{"name":"E_PRIVSINVALID","features":[319]},{"name":"E_PRIVSTATUSINVALID","features":[319]},{"name":"E_READFROMSTREAMFAILED","features":[319]},{"name":"E_RESERVEDPARAMNOTNULL","features":[319]},{"name":"E_RESOURCEFILECREATEFAILED","features":[319]},{"name":"E_SAVETOSTREAMFAILED","features":[319]},{"name":"E_STATUSINVALID","features":[319]},{"name":"E_STREAMINVALID","features":[319]},{"name":"E_SUBSETTINGEXCEPTION","features":[319]},{"name":"E_SUBSETTINGFAILED","features":[319]},{"name":"E_SUBSTRING_TEST_FAIL","features":[319]},{"name":"E_T2NOFREEMEMORY","features":[319]},{"name":"E_TTC_INDEX_OUT_OF_RANGE","features":[319]},{"name":"E_WINDOWSAPI","features":[319]},{"name":"Ellipse","features":[308,319]},{"name":"EndPaint","features":[308,319]},{"name":"EndPath","features":[308,319]},{"name":"EnumDisplayDevicesA","features":[308,319]},{"name":"EnumDisplayDevicesW","features":[308,319]},{"name":"EnumDisplayMonitors","features":[308,319]},{"name":"EnumDisplaySettingsA","features":[308,319]},{"name":"EnumDisplaySettingsExA","features":[308,319]},{"name":"EnumDisplaySettingsExW","features":[308,319]},{"name":"EnumDisplaySettingsW","features":[308,319]},{"name":"EnumEnhMetaFile","features":[308,319]},{"name":"EnumFontFamiliesA","features":[308,319]},{"name":"EnumFontFamiliesExA","features":[308,319]},{"name":"EnumFontFamiliesExW","features":[308,319]},{"name":"EnumFontFamiliesW","features":[308,319]},{"name":"EnumFontsA","features":[308,319]},{"name":"EnumFontsW","features":[308,319]},{"name":"EnumMetaFile","features":[308,319]},{"name":"EnumObjects","features":[308,319]},{"name":"EqualRect","features":[308,319]},{"name":"EqualRgn","features":[308,319]},{"name":"ExcludeClipRect","features":[319]},{"name":"ExcludeUpdateRgn","features":[308,319]},{"name":"ExtCreatePen","features":[308,319]},{"name":"ExtCreateRegion","features":[308,319]},{"name":"ExtFloodFill","features":[308,319]},{"name":"ExtSelectClipRgn","features":[319]},{"name":"ExtTextOutA","features":[308,319]},{"name":"ExtTextOutW","features":[308,319]},{"name":"FEATURESETTING_CUSTPAPER","features":[319]},{"name":"FEATURESETTING_MIRROR","features":[319]},{"name":"FEATURESETTING_NEGATIVE","features":[319]},{"name":"FEATURESETTING_NUP","features":[319]},{"name":"FEATURESETTING_OUTPUT","features":[319]},{"name":"FEATURESETTING_PRIVATE_BEGIN","features":[319]},{"name":"FEATURESETTING_PRIVATE_END","features":[319]},{"name":"FEATURESETTING_PROTOCOL","features":[319]},{"name":"FEATURESETTING_PSLEVEL","features":[319]},{"name":"FF_DECORATIVE","features":[319]},{"name":"FF_DONTCARE","features":[319]},{"name":"FF_MODERN","features":[319]},{"name":"FF_ROMAN","features":[319]},{"name":"FF_SCRIPT","features":[319]},{"name":"FF_SWISS","features":[319]},{"name":"FIXED","features":[319]},{"name":"FIXED_PITCH","features":[319]},{"name":"FLI_GLYPHS","features":[319]},{"name":"FLI_MASK","features":[319]},{"name":"FLOODFILLBORDER","features":[319]},{"name":"FLOODFILLSURFACE","features":[319]},{"name":"FLUSHOUTPUT","features":[319]},{"name":"FONTENUMPROCA","features":[308,319]},{"name":"FONTENUMPROCW","features":[308,319]},{"name":"FONTMAPPER_MAX","features":[319]},{"name":"FONT_CHARSET","features":[319]},{"name":"FONT_CLIP_PRECISION","features":[319]},{"name":"FONT_FAMILY","features":[319]},{"name":"FONT_LICENSE_PRIVS","features":[319]},{"name":"FONT_OUTPUT_PRECISION","features":[319]},{"name":"FONT_PITCH","features":[319]},{"name":"FONT_QUALITY","features":[319]},{"name":"FONT_RESOURCE_CHARACTERISTICS","features":[319]},{"name":"FONT_WEIGHT","features":[319]},{"name":"FR_NOT_ENUM","features":[319]},{"name":"FR_PRIVATE","features":[319]},{"name":"FS_ARABIC","features":[319]},{"name":"FS_BALTIC","features":[319]},{"name":"FS_CHINESESIMP","features":[319]},{"name":"FS_CHINESETRAD","features":[319]},{"name":"FS_CYRILLIC","features":[319]},{"name":"FS_GREEK","features":[319]},{"name":"FS_HEBREW","features":[319]},{"name":"FS_JISJAPAN","features":[319]},{"name":"FS_JOHAB","features":[319]},{"name":"FS_LATIN1","features":[319]},{"name":"FS_LATIN2","features":[319]},{"name":"FS_SYMBOL","features":[319]},{"name":"FS_THAI","features":[319]},{"name":"FS_TURKISH","features":[319]},{"name":"FS_VIETNAMESE","features":[319]},{"name":"FS_WANSUNG","features":[319]},{"name":"FW_BLACK","features":[319]},{"name":"FW_BOLD","features":[319]},{"name":"FW_DEMIBOLD","features":[319]},{"name":"FW_DONTCARE","features":[319]},{"name":"FW_EXTRABOLD","features":[319]},{"name":"FW_EXTRALIGHT","features":[319]},{"name":"FW_HEAVY","features":[319]},{"name":"FW_LIGHT","features":[319]},{"name":"FW_MEDIUM","features":[319]},{"name":"FW_NORMAL","features":[319]},{"name":"FW_REGULAR","features":[319]},{"name":"FW_SEMIBOLD","features":[319]},{"name":"FW_THIN","features":[319]},{"name":"FW_ULTRABOLD","features":[319]},{"name":"FW_ULTRALIGHT","features":[319]},{"name":"FillPath","features":[308,319]},{"name":"FillRect","features":[308,319]},{"name":"FillRgn","features":[308,319]},{"name":"FixBrushOrgEx","features":[308,319]},{"name":"FlattenPath","features":[308,319]},{"name":"FloodFill","features":[308,319]},{"name":"FrameRect","features":[308,319]},{"name":"FrameRgn","features":[308,319]},{"name":"GB2312_CHARSET","features":[319]},{"name":"GCPCLASS_ARABIC","features":[319]},{"name":"GCPCLASS_HEBREW","features":[319]},{"name":"GCPCLASS_LATIN","features":[319]},{"name":"GCPCLASS_LATINNUMBER","features":[319]},{"name":"GCPCLASS_LATINNUMERICSEPARATOR","features":[319]},{"name":"GCPCLASS_LATINNUMERICTERMINATOR","features":[319]},{"name":"GCPCLASS_LOCALNUMBER","features":[319]},{"name":"GCPCLASS_NEUTRAL","features":[319]},{"name":"GCPCLASS_NUMERICSEPARATOR","features":[319]},{"name":"GCPCLASS_POSTBOUNDLTR","features":[319]},{"name":"GCPCLASS_POSTBOUNDRTL","features":[319]},{"name":"GCPCLASS_PREBOUNDLTR","features":[319]},{"name":"GCPCLASS_PREBOUNDRTL","features":[319]},{"name":"GCPGLYPH_LINKAFTER","features":[319]},{"name":"GCPGLYPH_LINKBEFORE","features":[319]},{"name":"GCP_CLASSIN","features":[319]},{"name":"GCP_DBCS","features":[319]},{"name":"GCP_DIACRITIC","features":[319]},{"name":"GCP_DISPLAYZWG","features":[319]},{"name":"GCP_ERROR","features":[319]},{"name":"GCP_GLYPHSHAPE","features":[319]},{"name":"GCP_JUSTIFY","features":[319]},{"name":"GCP_JUSTIFYIN","features":[319]},{"name":"GCP_KASHIDA","features":[319]},{"name":"GCP_LIGATE","features":[319]},{"name":"GCP_MAXEXTENT","features":[319]},{"name":"GCP_NEUTRALOVERRIDE","features":[319]},{"name":"GCP_NUMERICOVERRIDE","features":[319]},{"name":"GCP_NUMERICSLATIN","features":[319]},{"name":"GCP_NUMERICSLOCAL","features":[319]},{"name":"GCP_REORDER","features":[319]},{"name":"GCP_RESULTSA","features":[319]},{"name":"GCP_RESULTSW","features":[319]},{"name":"GCP_SYMSWAPOFF","features":[319]},{"name":"GCP_USEKERNING","features":[319]},{"name":"GDICOMMENT_BEGINGROUP","features":[319]},{"name":"GDICOMMENT_ENDGROUP","features":[319]},{"name":"GDICOMMENT_IDENTIFIER","features":[319]},{"name":"GDICOMMENT_MULTIFORMATS","features":[319]},{"name":"GDICOMMENT_UNICODE_END","features":[319]},{"name":"GDICOMMENT_UNICODE_STRING","features":[319]},{"name":"GDICOMMENT_WINDOWS_METAFILE","features":[319]},{"name":"GDIPLUS_TS_QUERYVER","features":[319]},{"name":"GDIPLUS_TS_RECORD","features":[319]},{"name":"GDIREGISTERDDRAWPACKETVERSION","features":[319]},{"name":"GDI_ERROR","features":[319]},{"name":"GDI_REGION_TYPE","features":[319]},{"name":"GETCOLORTABLE","features":[319]},{"name":"GETDEVICEUNITS","features":[319]},{"name":"GETEXTENDEDTEXTMETRICS","features":[319]},{"name":"GETEXTENTTABLE","features":[319]},{"name":"GETFACENAME","features":[319]},{"name":"GETPAIRKERNTABLE","features":[319]},{"name":"GETPENWIDTH","features":[319]},{"name":"GETPHYSPAGESIZE","features":[319]},{"name":"GETPRINTINGOFFSET","features":[319]},{"name":"GETSCALINGFACTOR","features":[319]},{"name":"GETSETPAPERBINS","features":[319]},{"name":"GETSETPAPERMETRICS","features":[319]},{"name":"GETSETPRINTORIENT","features":[319]},{"name":"GETSETSCREENPARAMS","features":[319]},{"name":"GETTECHNOLGY","features":[319]},{"name":"GETTECHNOLOGY","features":[319]},{"name":"GETTRACKKERNTABLE","features":[319]},{"name":"GETVECTORBRUSHSIZE","features":[319]},{"name":"GETVECTORPENSIZE","features":[319]},{"name":"GET_CHARACTER_PLACEMENT_FLAGS","features":[319]},{"name":"GET_DCX_FLAGS","features":[319]},{"name":"GET_DEVICE_CAPS_INDEX","features":[319]},{"name":"GET_GLYPH_OUTLINE_FORMAT","features":[319]},{"name":"GET_PS_FEATURESETTING","features":[319]},{"name":"GET_STOCK_OBJECT_FLAGS","features":[319]},{"name":"GGI_MARK_NONEXISTING_GLYPHS","features":[319]},{"name":"GGO_BEZIER","features":[319]},{"name":"GGO_BITMAP","features":[319]},{"name":"GGO_GLYPH_INDEX","features":[319]},{"name":"GGO_GRAY2_BITMAP","features":[319]},{"name":"GGO_GRAY4_BITMAP","features":[319]},{"name":"GGO_GRAY8_BITMAP","features":[319]},{"name":"GGO_METRICS","features":[319]},{"name":"GGO_NATIVE","features":[319]},{"name":"GGO_UNHINTED","features":[319]},{"name":"GLYPHMETRICS","features":[308,319]},{"name":"GLYPHSET","features":[319]},{"name":"GM_ADVANCED","features":[319]},{"name":"GM_COMPATIBLE","features":[319]},{"name":"GM_LAST","features":[319]},{"name":"GOBJENUMPROC","features":[308,319]},{"name":"GRADIENT_FILL","features":[319]},{"name":"GRADIENT_FILL_OP_FLAG","features":[319]},{"name":"GRADIENT_FILL_RECT_H","features":[319]},{"name":"GRADIENT_FILL_RECT_V","features":[319]},{"name":"GRADIENT_FILL_TRIANGLE","features":[319]},{"name":"GRADIENT_RECT","features":[319]},{"name":"GRADIENT_TRIANGLE","features":[319]},{"name":"GRAPHICS_MODE","features":[319]},{"name":"GRAYSTRINGPROC","features":[308,319]},{"name":"GRAY_BRUSH","features":[319]},{"name":"GREEK_CHARSET","features":[319]},{"name":"GS_8BIT_INDICES","features":[319]},{"name":"GdiAlphaBlend","features":[308,319]},{"name":"GdiComment","features":[308,319]},{"name":"GdiFlush","features":[308,319]},{"name":"GdiGetBatchLimit","features":[319]},{"name":"GdiGradientFill","features":[308,319]},{"name":"GdiSetBatchLimit","features":[319]},{"name":"GdiTransparentBlt","features":[308,319]},{"name":"GetArcDirection","features":[319]},{"name":"GetAspectRatioFilterEx","features":[308,319]},{"name":"GetBitmapBits","features":[319]},{"name":"GetBitmapDimensionEx","features":[308,319]},{"name":"GetBkColor","features":[308,319]},{"name":"GetBkMode","features":[319]},{"name":"GetBoundsRect","features":[308,319]},{"name":"GetBrushOrgEx","features":[308,319]},{"name":"GetCharABCWidthsA","features":[308,319]},{"name":"GetCharABCWidthsFloatA","features":[308,319]},{"name":"GetCharABCWidthsFloatW","features":[308,319]},{"name":"GetCharABCWidthsI","features":[308,319]},{"name":"GetCharABCWidthsW","features":[308,319]},{"name":"GetCharWidth32A","features":[308,319]},{"name":"GetCharWidth32W","features":[308,319]},{"name":"GetCharWidthA","features":[308,319]},{"name":"GetCharWidthFloatA","features":[308,319]},{"name":"GetCharWidthFloatW","features":[308,319]},{"name":"GetCharWidthI","features":[308,319]},{"name":"GetCharWidthW","features":[308,319]},{"name":"GetCharacterPlacementA","features":[319]},{"name":"GetCharacterPlacementW","features":[319]},{"name":"GetClipBox","features":[308,319]},{"name":"GetClipRgn","features":[319]},{"name":"GetColorAdjustment","features":[308,319]},{"name":"GetCurrentObject","features":[319]},{"name":"GetCurrentPositionEx","features":[308,319]},{"name":"GetDC","features":[308,319]},{"name":"GetDCBrushColor","features":[308,319]},{"name":"GetDCEx","features":[308,319]},{"name":"GetDCOrgEx","features":[308,319]},{"name":"GetDCPenColor","features":[308,319]},{"name":"GetDIBColorTable","features":[319]},{"name":"GetDIBits","features":[319]},{"name":"GetDeviceCaps","features":[319]},{"name":"GetEnhMetaFileA","features":[319]},{"name":"GetEnhMetaFileBits","features":[319]},{"name":"GetEnhMetaFileDescriptionA","features":[319]},{"name":"GetEnhMetaFileDescriptionW","features":[319]},{"name":"GetEnhMetaFileHeader","features":[308,319]},{"name":"GetEnhMetaFilePaletteEntries","features":[319]},{"name":"GetEnhMetaFileW","features":[319]},{"name":"GetFontData","features":[319]},{"name":"GetFontLanguageInfo","features":[319]},{"name":"GetFontUnicodeRanges","features":[319]},{"name":"GetGlyphIndicesA","features":[319]},{"name":"GetGlyphIndicesW","features":[319]},{"name":"GetGlyphOutlineA","features":[308,319]},{"name":"GetGlyphOutlineW","features":[308,319]},{"name":"GetGraphicsMode","features":[319]},{"name":"GetKerningPairsA","features":[319]},{"name":"GetKerningPairsW","features":[319]},{"name":"GetLayout","features":[319]},{"name":"GetMapMode","features":[319]},{"name":"GetMetaFileA","features":[319]},{"name":"GetMetaFileBitsEx","features":[319]},{"name":"GetMetaFileW","features":[319]},{"name":"GetMetaRgn","features":[319]},{"name":"GetMiterLimit","features":[308,319]},{"name":"GetMonitorInfoA","features":[308,319]},{"name":"GetMonitorInfoW","features":[308,319]},{"name":"GetNearestColor","features":[308,319]},{"name":"GetNearestPaletteIndex","features":[308,319]},{"name":"GetObjectA","features":[319]},{"name":"GetObjectType","features":[319]},{"name":"GetObjectW","features":[319]},{"name":"GetOutlineTextMetricsA","features":[308,319]},{"name":"GetOutlineTextMetricsW","features":[308,319]},{"name":"GetPaletteEntries","features":[319]},{"name":"GetPath","features":[308,319]},{"name":"GetPixel","features":[308,319]},{"name":"GetPolyFillMode","features":[319]},{"name":"GetROP2","features":[319]},{"name":"GetRandomRgn","features":[319]},{"name":"GetRasterizerCaps","features":[308,319]},{"name":"GetRegionData","features":[308,319]},{"name":"GetRgnBox","features":[308,319]},{"name":"GetStockObject","features":[319]},{"name":"GetStretchBltMode","features":[319]},{"name":"GetSysColor","features":[319]},{"name":"GetSysColorBrush","features":[319]},{"name":"GetSystemPaletteEntries","features":[319]},{"name":"GetSystemPaletteUse","features":[319]},{"name":"GetTabbedTextExtentA","features":[319]},{"name":"GetTabbedTextExtentW","features":[319]},{"name":"GetTextAlign","features":[319]},{"name":"GetTextCharacterExtra","features":[319]},{"name":"GetTextColor","features":[308,319]},{"name":"GetTextExtentExPointA","features":[308,319]},{"name":"GetTextExtentExPointI","features":[308,319]},{"name":"GetTextExtentExPointW","features":[308,319]},{"name":"GetTextExtentPoint32A","features":[308,319]},{"name":"GetTextExtentPoint32W","features":[308,319]},{"name":"GetTextExtentPointA","features":[308,319]},{"name":"GetTextExtentPointI","features":[308,319]},{"name":"GetTextExtentPointW","features":[308,319]},{"name":"GetTextFaceA","features":[319]},{"name":"GetTextFaceW","features":[319]},{"name":"GetTextMetricsA","features":[308,319]},{"name":"GetTextMetricsW","features":[308,319]},{"name":"GetUpdateRect","features":[308,319]},{"name":"GetUpdateRgn","features":[308,319]},{"name":"GetViewportExtEx","features":[308,319]},{"name":"GetViewportOrgEx","features":[308,319]},{"name":"GetWinMetaFileBits","features":[319]},{"name":"GetWindowDC","features":[308,319]},{"name":"GetWindowExtEx","features":[308,319]},{"name":"GetWindowOrgEx","features":[308,319]},{"name":"GetWindowRgn","features":[308,319]},{"name":"GetWindowRgnBox","features":[308,319]},{"name":"GetWorldTransform","features":[308,319]},{"name":"GradientFill","features":[308,319]},{"name":"GrayStringA","features":[308,319]},{"name":"GrayStringW","features":[308,319]},{"name":"HALFTONE","features":[319]},{"name":"HANDLETABLE","features":[319]},{"name":"HANGEUL_CHARSET","features":[319]},{"name":"HANGUL_CHARSET","features":[319]},{"name":"HATCH_BRUSH_STYLE","features":[319]},{"name":"HBITMAP","features":[319]},{"name":"HBRUSH","features":[319]},{"name":"HDC","features":[319]},{"name":"HDC_MAP_MODE","features":[319]},{"name":"HEBREW_CHARSET","features":[319]},{"name":"HENHMETAFILE","features":[319]},{"name":"HFONT","features":[319]},{"name":"HGDIOBJ","features":[319]},{"name":"HMETAFILE","features":[319]},{"name":"HMONITOR","features":[319]},{"name":"HOLLOW_BRUSH","features":[319]},{"name":"HORZRES","features":[319]},{"name":"HORZSIZE","features":[319]},{"name":"HPALETTE","features":[319]},{"name":"HPEN","features":[319]},{"name":"HRGN","features":[319]},{"name":"HS_API_MAX","features":[319]},{"name":"HS_BDIAGONAL","features":[319]},{"name":"HS_CROSS","features":[319]},{"name":"HS_DIAGCROSS","features":[319]},{"name":"HS_FDIAGONAL","features":[319]},{"name":"HS_HORIZONTAL","features":[319]},{"name":"HS_VERTICAL","features":[319]},{"name":"ILLUMINANT_A","features":[319]},{"name":"ILLUMINANT_B","features":[319]},{"name":"ILLUMINANT_C","features":[319]},{"name":"ILLUMINANT_D50","features":[319]},{"name":"ILLUMINANT_D55","features":[319]},{"name":"ILLUMINANT_D65","features":[319]},{"name":"ILLUMINANT_D75","features":[319]},{"name":"ILLUMINANT_DAYLIGHT","features":[319]},{"name":"ILLUMINANT_DEVICE_DEFAULT","features":[319]},{"name":"ILLUMINANT_F2","features":[319]},{"name":"ILLUMINANT_FLUORESCENT","features":[319]},{"name":"ILLUMINANT_MAX_INDEX","features":[319]},{"name":"ILLUMINANT_NTSC","features":[319]},{"name":"ILLUMINANT_TUNGSTEN","features":[319]},{"name":"InflateRect","features":[308,319]},{"name":"IntersectClipRect","features":[319]},{"name":"IntersectRect","features":[308,319]},{"name":"InvalidateRect","features":[308,319]},{"name":"InvalidateRgn","features":[308,319]},{"name":"InvertRect","features":[308,319]},{"name":"InvertRgn","features":[308,319]},{"name":"IsRectEmpty","features":[308,319]},{"name":"JOHAB_CHARSET","features":[319]},{"name":"KERNINGPAIR","features":[319]},{"name":"LAYOUT_BITMAPORIENTATIONPRESERVED","features":[319]},{"name":"LAYOUT_BTT","features":[319]},{"name":"LAYOUT_RTL","features":[319]},{"name":"LAYOUT_VBH","features":[319]},{"name":"LCS_GM_ABS_COLORIMETRIC","features":[319]},{"name":"LCS_GM_BUSINESS","features":[319]},{"name":"LCS_GM_GRAPHICS","features":[319]},{"name":"LCS_GM_IMAGES","features":[319]},{"name":"LC_INTERIORS","features":[319]},{"name":"LC_MARKER","features":[319]},{"name":"LC_NONE","features":[319]},{"name":"LC_POLYLINE","features":[319]},{"name":"LC_POLYMARKER","features":[319]},{"name":"LC_STYLED","features":[319]},{"name":"LC_WIDE","features":[319]},{"name":"LC_WIDESTYLED","features":[319]},{"name":"LF_FACESIZE","features":[319]},{"name":"LF_FULLFACESIZE","features":[319]},{"name":"LICENSE_DEFAULT","features":[319]},{"name":"LICENSE_EDITABLE","features":[319]},{"name":"LICENSE_INSTALLABLE","features":[319]},{"name":"LICENSE_NOEMBEDDING","features":[319]},{"name":"LICENSE_PREVIEWPRINT","features":[319]},{"name":"LINECAPS","features":[319]},{"name":"LINEDDAPROC","features":[308,319]},{"name":"LOGBRUSH","features":[308,319]},{"name":"LOGBRUSH32","features":[308,319]},{"name":"LOGFONTA","features":[319]},{"name":"LOGFONTW","features":[319]},{"name":"LOGPALETTE","features":[319]},{"name":"LOGPEN","features":[308,319]},{"name":"LOGPIXELSX","features":[319]},{"name":"LOGPIXELSY","features":[319]},{"name":"LPD_DOUBLEBUFFER","features":[319]},{"name":"LPD_SHARE_ACCUM","features":[319]},{"name":"LPD_SHARE_DEPTH","features":[319]},{"name":"LPD_SHARE_STENCIL","features":[319]},{"name":"LPD_STEREO","features":[319]},{"name":"LPD_SUPPORT_GDI","features":[319]},{"name":"LPD_SUPPORT_OPENGL","features":[319]},{"name":"LPD_SWAP_COPY","features":[319]},{"name":"LPD_SWAP_EXCHANGE","features":[319]},{"name":"LPD_TRANSPARENT","features":[319]},{"name":"LPD_TYPE_COLORINDEX","features":[319]},{"name":"LPD_TYPE_RGBA","features":[319]},{"name":"LPFNDEVCAPS","features":[308,319]},{"name":"LPFNDEVMODE","features":[308,319]},{"name":"LPtoDP","features":[308,319]},{"name":"LTGRAY_BRUSH","features":[319]},{"name":"LineDDA","features":[308,319]},{"name":"LineTo","features":[308,319]},{"name":"LoadBitmapA","features":[308,319]},{"name":"LoadBitmapW","features":[308,319]},{"name":"LockWindowUpdate","features":[308,319]},{"name":"MAC_CHARSET","features":[319]},{"name":"MAT2","features":[319]},{"name":"MAXSTRETCHBLTMODE","features":[319]},{"name":"MERGECOPY","features":[319]},{"name":"MERGEPAINT","features":[319]},{"name":"METAFILE_DRIVER","features":[319]},{"name":"METAHEADER","features":[319]},{"name":"METARECORD","features":[319]},{"name":"META_ANIMATEPALETTE","features":[319]},{"name":"META_ARC","features":[319]},{"name":"META_BITBLT","features":[319]},{"name":"META_CHORD","features":[319]},{"name":"META_CREATEBRUSHINDIRECT","features":[319]},{"name":"META_CREATEFONTINDIRECT","features":[319]},{"name":"META_CREATEPALETTE","features":[319]},{"name":"META_CREATEPATTERNBRUSH","features":[319]},{"name":"META_CREATEPENINDIRECT","features":[319]},{"name":"META_CREATEREGION","features":[319]},{"name":"META_DELETEOBJECT","features":[319]},{"name":"META_DIBBITBLT","features":[319]},{"name":"META_DIBCREATEPATTERNBRUSH","features":[319]},{"name":"META_DIBSTRETCHBLT","features":[319]},{"name":"META_ELLIPSE","features":[319]},{"name":"META_ESCAPE","features":[319]},{"name":"META_EXCLUDECLIPRECT","features":[319]},{"name":"META_EXTFLOODFILL","features":[319]},{"name":"META_EXTTEXTOUT","features":[319]},{"name":"META_FILLREGION","features":[319]},{"name":"META_FLOODFILL","features":[319]},{"name":"META_FRAMEREGION","features":[319]},{"name":"META_INTERSECTCLIPRECT","features":[319]},{"name":"META_INVERTREGION","features":[319]},{"name":"META_LINETO","features":[319]},{"name":"META_MOVETO","features":[319]},{"name":"META_OFFSETCLIPRGN","features":[319]},{"name":"META_OFFSETVIEWPORTORG","features":[319]},{"name":"META_OFFSETWINDOWORG","features":[319]},{"name":"META_PAINTREGION","features":[319]},{"name":"META_PATBLT","features":[319]},{"name":"META_PIE","features":[319]},{"name":"META_POLYGON","features":[319]},{"name":"META_POLYLINE","features":[319]},{"name":"META_POLYPOLYGON","features":[319]},{"name":"META_REALIZEPALETTE","features":[319]},{"name":"META_RECTANGLE","features":[319]},{"name":"META_RESIZEPALETTE","features":[319]},{"name":"META_RESTOREDC","features":[319]},{"name":"META_ROUNDRECT","features":[319]},{"name":"META_SAVEDC","features":[319]},{"name":"META_SCALEVIEWPORTEXT","features":[319]},{"name":"META_SCALEWINDOWEXT","features":[319]},{"name":"META_SELECTCLIPREGION","features":[319]},{"name":"META_SELECTOBJECT","features":[319]},{"name":"META_SELECTPALETTE","features":[319]},{"name":"META_SETBKCOLOR","features":[319]},{"name":"META_SETBKMODE","features":[319]},{"name":"META_SETDIBTODEV","features":[319]},{"name":"META_SETLAYOUT","features":[319]},{"name":"META_SETMAPMODE","features":[319]},{"name":"META_SETMAPPERFLAGS","features":[319]},{"name":"META_SETPALENTRIES","features":[319]},{"name":"META_SETPIXEL","features":[319]},{"name":"META_SETPOLYFILLMODE","features":[319]},{"name":"META_SETRELABS","features":[319]},{"name":"META_SETROP2","features":[319]},{"name":"META_SETSTRETCHBLTMODE","features":[319]},{"name":"META_SETTEXTALIGN","features":[319]},{"name":"META_SETTEXTCHAREXTRA","features":[319]},{"name":"META_SETTEXTCOLOR","features":[319]},{"name":"META_SETTEXTJUSTIFICATION","features":[319]},{"name":"META_SETVIEWPORTEXT","features":[319]},{"name":"META_SETVIEWPORTORG","features":[319]},{"name":"META_SETWINDOWEXT","features":[319]},{"name":"META_SETWINDOWORG","features":[319]},{"name":"META_STRETCHBLT","features":[319]},{"name":"META_STRETCHDIB","features":[319]},{"name":"META_TEXTOUT","features":[319]},{"name":"MFCOMMENT","features":[319]},{"name":"MFENUMPROC","features":[308,319]},{"name":"MILCORE_TS_QUERYVER_RESULT_FALSE","features":[319]},{"name":"MILCORE_TS_QUERYVER_RESULT_TRUE","features":[319]},{"name":"MM_ANISOTROPIC","features":[319]},{"name":"MM_HIENGLISH","features":[319]},{"name":"MM_HIMETRIC","features":[319]},{"name":"MM_ISOTROPIC","features":[319]},{"name":"MM_LOENGLISH","features":[319]},{"name":"MM_LOMETRIC","features":[319]},{"name":"MM_MAX_AXES_NAMELEN","features":[319]},{"name":"MM_MAX_NUMAXES","features":[319]},{"name":"MM_TEXT","features":[319]},{"name":"MM_TWIPS","features":[319]},{"name":"MODIFY_WORLD_TRANSFORM_MODE","features":[319]},{"name":"MONITORENUMPROC","features":[308,319]},{"name":"MONITORINFO","features":[308,319]},{"name":"MONITORINFOEXA","features":[308,319]},{"name":"MONITORINFOEXW","features":[308,319]},{"name":"MONITOR_DEFAULTTONEAREST","features":[319]},{"name":"MONITOR_DEFAULTTONULL","features":[319]},{"name":"MONITOR_DEFAULTTOPRIMARY","features":[319]},{"name":"MONITOR_FROM_FLAGS","features":[319]},{"name":"MONO_FONT","features":[319]},{"name":"MOUSETRAILS","features":[319]},{"name":"MWT_IDENTITY","features":[319]},{"name":"MWT_LEFTMULTIPLY","features":[319]},{"name":"MWT_RIGHTMULTIPLY","features":[319]},{"name":"MapWindowPoints","features":[308,319]},{"name":"MaskBlt","features":[308,319]},{"name":"MergeFontPackage","features":[319]},{"name":"ModifyWorldTransform","features":[308,319]},{"name":"MonitorFromPoint","features":[308,319]},{"name":"MonitorFromRect","features":[308,319]},{"name":"MonitorFromWindow","features":[308,319]},{"name":"MoveToEx","features":[308,319]},{"name":"NEWFRAME","features":[319]},{"name":"NEWTEXTMETRICA","features":[319]},{"name":"NEWTEXTMETRICW","features":[319]},{"name":"NEWTRANSPARENT","features":[319]},{"name":"NEXTBAND","features":[319]},{"name":"NOMIRRORBITMAP","features":[319]},{"name":"NONANTIALIASED_QUALITY","features":[319]},{"name":"NOTSRCCOPY","features":[319]},{"name":"NOTSRCERASE","features":[319]},{"name":"NTM_BOLD","features":[319]},{"name":"NTM_DSIG","features":[319]},{"name":"NTM_ITALIC","features":[319]},{"name":"NTM_MULTIPLEMASTER","features":[319]},{"name":"NTM_NONNEGATIVE_AC","features":[319]},{"name":"NTM_PS_OPENTYPE","features":[319]},{"name":"NTM_REGULAR","features":[319]},{"name":"NTM_TT_OPENTYPE","features":[319]},{"name":"NTM_TYPE1","features":[319]},{"name":"NULLREGION","features":[319]},{"name":"NULL_BRUSH","features":[319]},{"name":"NULL_PEN","features":[319]},{"name":"NUMBRUSHES","features":[319]},{"name":"NUMCOLORS","features":[319]},{"name":"NUMFONTS","features":[319]},{"name":"NUMMARKERS","features":[319]},{"name":"NUMPENS","features":[319]},{"name":"NUMRESERVED","features":[319]},{"name":"OBJ_BITMAP","features":[319]},{"name":"OBJ_BRUSH","features":[319]},{"name":"OBJ_COLORSPACE","features":[319]},{"name":"OBJ_DC","features":[319]},{"name":"OBJ_ENHMETADC","features":[319]},{"name":"OBJ_ENHMETAFILE","features":[319]},{"name":"OBJ_EXTPEN","features":[319]},{"name":"OBJ_FONT","features":[319]},{"name":"OBJ_MEMDC","features":[319]},{"name":"OBJ_METADC","features":[319]},{"name":"OBJ_METAFILE","features":[319]},{"name":"OBJ_PAL","features":[319]},{"name":"OBJ_PEN","features":[319]},{"name":"OBJ_REGION","features":[319]},{"name":"OBJ_TYPE","features":[319]},{"name":"OEM_CHARSET","features":[319]},{"name":"OEM_FIXED_FONT","features":[319]},{"name":"OPAQUE","features":[319]},{"name":"OPENCHANNEL","features":[319]},{"name":"OUTLINETEXTMETRICA","features":[308,319]},{"name":"OUTLINETEXTMETRICW","features":[308,319]},{"name":"OUT_CHARACTER_PRECIS","features":[319]},{"name":"OUT_DEFAULT_PRECIS","features":[319]},{"name":"OUT_DEVICE_PRECIS","features":[319]},{"name":"OUT_OUTLINE_PRECIS","features":[319]},{"name":"OUT_PS_ONLY_PRECIS","features":[319]},{"name":"OUT_RASTER_PRECIS","features":[319]},{"name":"OUT_SCREEN_OUTLINE_PRECIS","features":[319]},{"name":"OUT_STRING_PRECIS","features":[319]},{"name":"OUT_STROKE_PRECIS","features":[319]},{"name":"OUT_TT_ONLY_PRECIS","features":[319]},{"name":"OUT_TT_PRECIS","features":[319]},{"name":"OffsetClipRgn","features":[319]},{"name":"OffsetRect","features":[308,319]},{"name":"OffsetRgn","features":[319]},{"name":"OffsetViewportOrgEx","features":[308,319]},{"name":"OffsetWindowOrgEx","features":[308,319]},{"name":"PAINTSTRUCT","features":[308,319]},{"name":"PALETTEENTRY","features":[319]},{"name":"PANOSE","features":[319]},{"name":"PANOSE_COUNT","features":[319]},{"name":"PAN_ANY","features":[319]},{"name":"PAN_ARMSTYLE_INDEX","features":[319]},{"name":"PAN_ARM_ANY","features":[319]},{"name":"PAN_ARM_NO_FIT","features":[319]},{"name":"PAN_ARM_STYLE","features":[319]},{"name":"PAN_BENT_ARMS_DOUBLE_SERIF","features":[319]},{"name":"PAN_BENT_ARMS_HORZ","features":[319]},{"name":"PAN_BENT_ARMS_SINGLE_SERIF","features":[319]},{"name":"PAN_BENT_ARMS_VERT","features":[319]},{"name":"PAN_BENT_ARMS_WEDGE","features":[319]},{"name":"PAN_CONTRAST","features":[319]},{"name":"PAN_CONTRAST_ANY","features":[319]},{"name":"PAN_CONTRAST_HIGH","features":[319]},{"name":"PAN_CONTRAST_INDEX","features":[319]},{"name":"PAN_CONTRAST_LOW","features":[319]},{"name":"PAN_CONTRAST_MEDIUM","features":[319]},{"name":"PAN_CONTRAST_MEDIUM_HIGH","features":[319]},{"name":"PAN_CONTRAST_MEDIUM_LOW","features":[319]},{"name":"PAN_CONTRAST_NONE","features":[319]},{"name":"PAN_CONTRAST_NO_FIT","features":[319]},{"name":"PAN_CONTRAST_VERY_HIGH","features":[319]},{"name":"PAN_CONTRAST_VERY_LOW","features":[319]},{"name":"PAN_CULTURE_LATIN","features":[319]},{"name":"PAN_FAMILYTYPE_INDEX","features":[319]},{"name":"PAN_FAMILY_ANY","features":[319]},{"name":"PAN_FAMILY_DECORATIVE","features":[319]},{"name":"PAN_FAMILY_NO_FIT","features":[319]},{"name":"PAN_FAMILY_PICTORIAL","features":[319]},{"name":"PAN_FAMILY_SCRIPT","features":[319]},{"name":"PAN_FAMILY_TEXT_DISPLAY","features":[319]},{"name":"PAN_FAMILY_TYPE","features":[319]},{"name":"PAN_LETTERFORM_INDEX","features":[319]},{"name":"PAN_LETT_FORM","features":[319]},{"name":"PAN_LETT_FORM_ANY","features":[319]},{"name":"PAN_LETT_FORM_NO_FIT","features":[319]},{"name":"PAN_LETT_NORMAL_BOXED","features":[319]},{"name":"PAN_LETT_NORMAL_CONTACT","features":[319]},{"name":"PAN_LETT_NORMAL_FLATTENED","features":[319]},{"name":"PAN_LETT_NORMAL_OFF_CENTER","features":[319]},{"name":"PAN_LETT_NORMAL_ROUNDED","features":[319]},{"name":"PAN_LETT_NORMAL_SQUARE","features":[319]},{"name":"PAN_LETT_NORMAL_WEIGHTED","features":[319]},{"name":"PAN_LETT_OBLIQUE_BOXED","features":[319]},{"name":"PAN_LETT_OBLIQUE_CONTACT","features":[319]},{"name":"PAN_LETT_OBLIQUE_FLATTENED","features":[319]},{"name":"PAN_LETT_OBLIQUE_OFF_CENTER","features":[319]},{"name":"PAN_LETT_OBLIQUE_ROUNDED","features":[319]},{"name":"PAN_LETT_OBLIQUE_SQUARE","features":[319]},{"name":"PAN_LETT_OBLIQUE_WEIGHTED","features":[319]},{"name":"PAN_MIDLINE","features":[319]},{"name":"PAN_MIDLINE_ANY","features":[319]},{"name":"PAN_MIDLINE_CONSTANT_POINTED","features":[319]},{"name":"PAN_MIDLINE_CONSTANT_SERIFED","features":[319]},{"name":"PAN_MIDLINE_CONSTANT_TRIMMED","features":[319]},{"name":"PAN_MIDLINE_HIGH_POINTED","features":[319]},{"name":"PAN_MIDLINE_HIGH_SERIFED","features":[319]},{"name":"PAN_MIDLINE_HIGH_TRIMMED","features":[319]},{"name":"PAN_MIDLINE_INDEX","features":[319]},{"name":"PAN_MIDLINE_LOW_POINTED","features":[319]},{"name":"PAN_MIDLINE_LOW_SERIFED","features":[319]},{"name":"PAN_MIDLINE_LOW_TRIMMED","features":[319]},{"name":"PAN_MIDLINE_NO_FIT","features":[319]},{"name":"PAN_MIDLINE_STANDARD_POINTED","features":[319]},{"name":"PAN_MIDLINE_STANDARD_SERIFED","features":[319]},{"name":"PAN_MIDLINE_STANDARD_TRIMMED","features":[319]},{"name":"PAN_NO_FIT","features":[319]},{"name":"PAN_PROPORTION","features":[319]},{"name":"PAN_PROPORTION_INDEX","features":[319]},{"name":"PAN_PROP_ANY","features":[319]},{"name":"PAN_PROP_CONDENSED","features":[319]},{"name":"PAN_PROP_EVEN_WIDTH","features":[319]},{"name":"PAN_PROP_EXPANDED","features":[319]},{"name":"PAN_PROP_MODERN","features":[319]},{"name":"PAN_PROP_MONOSPACED","features":[319]},{"name":"PAN_PROP_NO_FIT","features":[319]},{"name":"PAN_PROP_OLD_STYLE","features":[319]},{"name":"PAN_PROP_VERY_CONDENSED","features":[319]},{"name":"PAN_PROP_VERY_EXPANDED","features":[319]},{"name":"PAN_SERIFSTYLE_INDEX","features":[319]},{"name":"PAN_SERIF_ANY","features":[319]},{"name":"PAN_SERIF_BONE","features":[319]},{"name":"PAN_SERIF_COVE","features":[319]},{"name":"PAN_SERIF_EXAGGERATED","features":[319]},{"name":"PAN_SERIF_FLARED","features":[319]},{"name":"PAN_SERIF_NORMAL_SANS","features":[319]},{"name":"PAN_SERIF_NO_FIT","features":[319]},{"name":"PAN_SERIF_OBTUSE_COVE","features":[319]},{"name":"PAN_SERIF_OBTUSE_SANS","features":[319]},{"name":"PAN_SERIF_OBTUSE_SQUARE_COVE","features":[319]},{"name":"PAN_SERIF_PERP_SANS","features":[319]},{"name":"PAN_SERIF_ROUNDED","features":[319]},{"name":"PAN_SERIF_SQUARE","features":[319]},{"name":"PAN_SERIF_SQUARE_COVE","features":[319]},{"name":"PAN_SERIF_STYLE","features":[319]},{"name":"PAN_SERIF_THIN","features":[319]},{"name":"PAN_SERIF_TRIANGLE","features":[319]},{"name":"PAN_STRAIGHT_ARMS_DOUBLE_SERIF","features":[319]},{"name":"PAN_STRAIGHT_ARMS_HORZ","features":[319]},{"name":"PAN_STRAIGHT_ARMS_SINGLE_SERIF","features":[319]},{"name":"PAN_STRAIGHT_ARMS_VERT","features":[319]},{"name":"PAN_STRAIGHT_ARMS_WEDGE","features":[319]},{"name":"PAN_STROKEVARIATION_INDEX","features":[319]},{"name":"PAN_STROKE_ANY","features":[319]},{"name":"PAN_STROKE_GRADUAL_DIAG","features":[319]},{"name":"PAN_STROKE_GRADUAL_HORZ","features":[319]},{"name":"PAN_STROKE_GRADUAL_TRAN","features":[319]},{"name":"PAN_STROKE_GRADUAL_VERT","features":[319]},{"name":"PAN_STROKE_INSTANT_VERT","features":[319]},{"name":"PAN_STROKE_NO_FIT","features":[319]},{"name":"PAN_STROKE_RAPID_HORZ","features":[319]},{"name":"PAN_STROKE_RAPID_VERT","features":[319]},{"name":"PAN_STROKE_VARIATION","features":[319]},{"name":"PAN_WEIGHT","features":[319]},{"name":"PAN_WEIGHT_ANY","features":[319]},{"name":"PAN_WEIGHT_BLACK","features":[319]},{"name":"PAN_WEIGHT_BOLD","features":[319]},{"name":"PAN_WEIGHT_BOOK","features":[319]},{"name":"PAN_WEIGHT_DEMI","features":[319]},{"name":"PAN_WEIGHT_HEAVY","features":[319]},{"name":"PAN_WEIGHT_INDEX","features":[319]},{"name":"PAN_WEIGHT_LIGHT","features":[319]},{"name":"PAN_WEIGHT_MEDIUM","features":[319]},{"name":"PAN_WEIGHT_NORD","features":[319]},{"name":"PAN_WEIGHT_NO_FIT","features":[319]},{"name":"PAN_WEIGHT_THIN","features":[319]},{"name":"PAN_WEIGHT_VERY_LIGHT","features":[319]},{"name":"PAN_XHEIGHT","features":[319]},{"name":"PAN_XHEIGHT_ANY","features":[319]},{"name":"PAN_XHEIGHT_CONSTANT_LARGE","features":[319]},{"name":"PAN_XHEIGHT_CONSTANT_SMALL","features":[319]},{"name":"PAN_XHEIGHT_CONSTANT_STD","features":[319]},{"name":"PAN_XHEIGHT_DUCKING_LARGE","features":[319]},{"name":"PAN_XHEIGHT_DUCKING_SMALL","features":[319]},{"name":"PAN_XHEIGHT_DUCKING_STD","features":[319]},{"name":"PAN_XHEIGHT_INDEX","features":[319]},{"name":"PAN_XHEIGHT_NO_FIT","features":[319]},{"name":"PASSTHROUGH","features":[319]},{"name":"PATCOPY","features":[319]},{"name":"PATINVERT","features":[319]},{"name":"PATPAINT","features":[319]},{"name":"PC_EXPLICIT","features":[319]},{"name":"PC_INTERIORS","features":[319]},{"name":"PC_NOCOLLAPSE","features":[319]},{"name":"PC_NONE","features":[319]},{"name":"PC_PATHS","features":[319]},{"name":"PC_POLYGON","features":[319]},{"name":"PC_POLYPOLYGON","features":[319]},{"name":"PC_RECTANGLE","features":[319]},{"name":"PC_RESERVED","features":[319]},{"name":"PC_SCANLINE","features":[319]},{"name":"PC_STYLED","features":[319]},{"name":"PC_TRAPEZOID","features":[319]},{"name":"PC_WIDE","features":[319]},{"name":"PC_WIDESTYLED","features":[319]},{"name":"PC_WINDPOLYGON","features":[319]},{"name":"PDEVICESIZE","features":[319]},{"name":"PELARRAY","features":[319]},{"name":"PEN_STYLE","features":[319]},{"name":"PHYSICALHEIGHT","features":[319]},{"name":"PHYSICALOFFSETX","features":[319]},{"name":"PHYSICALOFFSETY","features":[319]},{"name":"PHYSICALWIDTH","features":[319]},{"name":"PLANES","features":[319]},{"name":"POINTFX","features":[319]},{"name":"POLYFILL_LAST","features":[319]},{"name":"POLYGONALCAPS","features":[319]},{"name":"POLYTEXTA","features":[308,319]},{"name":"POLYTEXTW","features":[308,319]},{"name":"POSTSCRIPT_DATA","features":[319]},{"name":"POSTSCRIPT_IDENTIFY","features":[319]},{"name":"POSTSCRIPT_IGNORE","features":[319]},{"name":"POSTSCRIPT_INJECTION","features":[319]},{"name":"POSTSCRIPT_PASSTHROUGH","features":[319]},{"name":"PRINTRATEUNIT_CPS","features":[319]},{"name":"PRINTRATEUNIT_IPM","features":[319]},{"name":"PRINTRATEUNIT_LPM","features":[319]},{"name":"PRINTRATEUNIT_PPM","features":[319]},{"name":"PROOF_QUALITY","features":[319]},{"name":"PR_JOBSTATUS","features":[319]},{"name":"PSIDENT_GDICENTRIC","features":[319]},{"name":"PSIDENT_PSCENTRIC","features":[319]},{"name":"PSINJECT_DLFONT","features":[319]},{"name":"PSPROTOCOL_ASCII","features":[319]},{"name":"PSPROTOCOL_BCP","features":[319]},{"name":"PSPROTOCOL_BINARY","features":[319]},{"name":"PSPROTOCOL_TBCP","features":[319]},{"name":"PS_ALTERNATE","features":[319]},{"name":"PS_COSMETIC","features":[319]},{"name":"PS_DASH","features":[319]},{"name":"PS_DASHDOT","features":[319]},{"name":"PS_DASHDOTDOT","features":[319]},{"name":"PS_DOT","features":[319]},{"name":"PS_ENDCAP_FLAT","features":[319]},{"name":"PS_ENDCAP_MASK","features":[319]},{"name":"PS_ENDCAP_ROUND","features":[319]},{"name":"PS_ENDCAP_SQUARE","features":[319]},{"name":"PS_GEOMETRIC","features":[319]},{"name":"PS_INSIDEFRAME","features":[319]},{"name":"PS_JOIN_BEVEL","features":[319]},{"name":"PS_JOIN_MASK","features":[319]},{"name":"PS_JOIN_MITER","features":[319]},{"name":"PS_JOIN_ROUND","features":[319]},{"name":"PS_NULL","features":[319]},{"name":"PS_SOLID","features":[319]},{"name":"PS_STYLE_MASK","features":[319]},{"name":"PS_TYPE_MASK","features":[319]},{"name":"PS_USERSTYLE","features":[319]},{"name":"PT_BEZIERTO","features":[319]},{"name":"PT_CLOSEFIGURE","features":[319]},{"name":"PT_LINETO","features":[319]},{"name":"PT_MOVETO","features":[319]},{"name":"PaintDesktop","features":[308,319]},{"name":"PaintRgn","features":[308,319]},{"name":"PatBlt","features":[308,319]},{"name":"PathToRegion","features":[319]},{"name":"Pie","features":[308,319]},{"name":"PlayEnhMetaFile","features":[308,319]},{"name":"PlayEnhMetaFileRecord","features":[308,319]},{"name":"PlayMetaFile","features":[308,319]},{"name":"PlayMetaFileRecord","features":[308,319]},{"name":"PlgBlt","features":[308,319]},{"name":"PolyBezier","features":[308,319]},{"name":"PolyBezierTo","features":[308,319]},{"name":"PolyDraw","features":[308,319]},{"name":"PolyPolygon","features":[308,319]},{"name":"PolyPolyline","features":[308,319]},{"name":"PolyTextOutA","features":[308,319]},{"name":"PolyTextOutW","features":[308,319]},{"name":"Polygon","features":[308,319]},{"name":"Polyline","features":[308,319]},{"name":"PolylineTo","features":[308,319]},{"name":"PtInRect","features":[308,319]},{"name":"PtInRegion","features":[308,319]},{"name":"PtVisible","features":[308,319]},{"name":"QDI_DIBTOSCREEN","features":[319]},{"name":"QDI_GETDIBITS","features":[319]},{"name":"QDI_SETDIBITS","features":[319]},{"name":"QDI_STRETCHDIB","features":[319]},{"name":"QUERYDIBSUPPORT","features":[319]},{"name":"QUERYESCSUPPORT","features":[319]},{"name":"QUERYROPSUPPORT","features":[319]},{"name":"R2_BLACK","features":[319]},{"name":"R2_COPYPEN","features":[319]},{"name":"R2_LAST","features":[319]},{"name":"R2_MASKNOTPEN","features":[319]},{"name":"R2_MASKPEN","features":[319]},{"name":"R2_MASKPENNOT","features":[319]},{"name":"R2_MERGENOTPEN","features":[319]},{"name":"R2_MERGEPEN","features":[319]},{"name":"R2_MERGEPENNOT","features":[319]},{"name":"R2_MODE","features":[319]},{"name":"R2_NOP","features":[319]},{"name":"R2_NOT","features":[319]},{"name":"R2_NOTCOPYPEN","features":[319]},{"name":"R2_NOTMASKPEN","features":[319]},{"name":"R2_NOTMERGEPEN","features":[319]},{"name":"R2_NOTXORPEN","features":[319]},{"name":"R2_WHITE","features":[319]},{"name":"R2_XORPEN","features":[319]},{"name":"RASTERCAPS","features":[319]},{"name":"RASTERIZER_STATUS","features":[319]},{"name":"RASTER_FONTTYPE","features":[319]},{"name":"RC_BANDING","features":[319]},{"name":"RC_BIGFONT","features":[319]},{"name":"RC_BITBLT","features":[319]},{"name":"RC_BITMAP64","features":[319]},{"name":"RC_DEVBITS","features":[319]},{"name":"RC_DIBTODEV","features":[319]},{"name":"RC_DI_BITMAP","features":[319]},{"name":"RC_FLOODFILL","features":[319]},{"name":"RC_GDI20_OUTPUT","features":[319]},{"name":"RC_GDI20_STATE","features":[319]},{"name":"RC_OP_DX_OUTPUT","features":[319]},{"name":"RC_PALETTE","features":[319]},{"name":"RC_SAVEBITMAP","features":[319]},{"name":"RC_SCALING","features":[319]},{"name":"RC_STRETCHBLT","features":[319]},{"name":"RC_STRETCHDIB","features":[319]},{"name":"RDH_RECTANGLES","features":[319]},{"name":"RDW_ALLCHILDREN","features":[319]},{"name":"RDW_ERASE","features":[319]},{"name":"RDW_ERASENOW","features":[319]},{"name":"RDW_FRAME","features":[319]},{"name":"RDW_INTERNALPAINT","features":[319]},{"name":"RDW_INVALIDATE","features":[319]},{"name":"RDW_NOCHILDREN","features":[319]},{"name":"RDW_NOERASE","features":[319]},{"name":"RDW_NOFRAME","features":[319]},{"name":"RDW_NOINTERNALPAINT","features":[319]},{"name":"RDW_UPDATENOW","features":[319]},{"name":"RDW_VALIDATE","features":[319]},{"name":"READEMBEDPROC","features":[319]},{"name":"REDRAW_WINDOW_FLAGS","features":[319]},{"name":"RELATIVE","features":[319]},{"name":"RESTORE_CTM","features":[319]},{"name":"RGBQUAD","features":[319]},{"name":"RGBTRIPLE","features":[319]},{"name":"RGNDATA","features":[308,319]},{"name":"RGNDATAHEADER","features":[308,319]},{"name":"RGN_AND","features":[319]},{"name":"RGN_COMBINE_MODE","features":[319]},{"name":"RGN_COPY","features":[319]},{"name":"RGN_DIFF","features":[319]},{"name":"RGN_ERROR","features":[319]},{"name":"RGN_MAX","features":[319]},{"name":"RGN_MIN","features":[319]},{"name":"RGN_OR","features":[319]},{"name":"RGN_XOR","features":[319]},{"name":"ROP_CODE","features":[319]},{"name":"RUSSIAN_CHARSET","features":[319]},{"name":"RealizePalette","features":[319]},{"name":"RectInRegion","features":[308,319]},{"name":"RectVisible","features":[308,319]},{"name":"Rectangle","features":[308,319]},{"name":"RedrawWindow","features":[308,319]},{"name":"ReleaseDC","features":[308,319]},{"name":"RemoveFontMemResourceEx","features":[308,319]},{"name":"RemoveFontResourceA","features":[308,319]},{"name":"RemoveFontResourceExA","features":[308,319]},{"name":"RemoveFontResourceExW","features":[308,319]},{"name":"RemoveFontResourceW","features":[308,319]},{"name":"ResetDCA","features":[308,319]},{"name":"ResetDCW","features":[308,319]},{"name":"ResizePalette","features":[308,319]},{"name":"RestoreDC","features":[308,319]},{"name":"RoundRect","features":[308,319]},{"name":"SAVE_CTM","features":[319]},{"name":"SB_CONST_ALPHA","features":[319]},{"name":"SB_GRAD_RECT","features":[319]},{"name":"SB_GRAD_TRI","features":[319]},{"name":"SB_NONE","features":[319]},{"name":"SB_PIXEL_ALPHA","features":[319]},{"name":"SB_PREMULT_ALPHA","features":[319]},{"name":"SCALINGFACTORX","features":[319]},{"name":"SCALINGFACTORY","features":[319]},{"name":"SC_SCREENSAVE","features":[319]},{"name":"SELECTDIB","features":[319]},{"name":"SELECTPAPERSOURCE","features":[319]},{"name":"SETABORTPROC","features":[319]},{"name":"SETALLJUSTVALUES","features":[319]},{"name":"SETCHARSET","features":[319]},{"name":"SETCOLORTABLE","features":[319]},{"name":"SETCOPYCOUNT","features":[319]},{"name":"SETDIBSCALING","features":[319]},{"name":"SETICMPROFILE_EMBEDED","features":[319]},{"name":"SETKERNTRACK","features":[319]},{"name":"SETLINECAP","features":[319]},{"name":"SETLINEJOIN","features":[319]},{"name":"SETMITERLIMIT","features":[319]},{"name":"SET_ARC_DIRECTION","features":[319]},{"name":"SET_BACKGROUND_COLOR","features":[319]},{"name":"SET_BOUNDS","features":[319]},{"name":"SET_BOUNDS_RECT_FLAGS","features":[319]},{"name":"SET_CLIP_BOX","features":[319]},{"name":"SET_MIRROR_MODE","features":[319]},{"name":"SET_POLY_MODE","features":[319]},{"name":"SET_SCREEN_ANGLE","features":[319]},{"name":"SET_SPREAD","features":[319]},{"name":"SHADEBLENDCAPS","features":[319]},{"name":"SHIFTJIS_CHARSET","features":[319]},{"name":"SIMPLEREGION","features":[319]},{"name":"SIZEPALETTE","features":[319]},{"name":"SPCLPASSTHROUGH2","features":[319]},{"name":"SP_APPABORT","features":[319]},{"name":"SP_ERROR","features":[319]},{"name":"SP_NOTREPORTED","features":[319]},{"name":"SP_OUTOFDISK","features":[319]},{"name":"SP_OUTOFMEMORY","features":[319]},{"name":"SP_USERABORT","features":[319]},{"name":"SRCAND","features":[319]},{"name":"SRCCOPY","features":[319]},{"name":"SRCERASE","features":[319]},{"name":"SRCINVERT","features":[319]},{"name":"SRCPAINT","features":[319]},{"name":"STARTDOC","features":[319]},{"name":"STOCK_LAST","features":[319]},{"name":"STRETCHBLT","features":[319]},{"name":"STRETCH_ANDSCANS","features":[319]},{"name":"STRETCH_BLT_MODE","features":[319]},{"name":"STRETCH_DELETESCANS","features":[319]},{"name":"STRETCH_HALFTONE","features":[319]},{"name":"STRETCH_ORSCANS","features":[319]},{"name":"SYMBOL_CHARSET","features":[319]},{"name":"SYSPAL_ERROR","features":[319]},{"name":"SYSPAL_NOSTATIC","features":[319]},{"name":"SYSPAL_NOSTATIC256","features":[319]},{"name":"SYSPAL_STATIC","features":[319]},{"name":"SYSRGN","features":[319]},{"name":"SYSTEM_FIXED_FONT","features":[319]},{"name":"SYSTEM_FONT","features":[319]},{"name":"SYSTEM_PALETTE_USE","features":[319]},{"name":"SYS_COLOR_INDEX","features":[319]},{"name":"SaveDC","features":[319]},{"name":"ScaleViewportExtEx","features":[308,319]},{"name":"ScaleWindowExtEx","features":[308,319]},{"name":"ScreenToClient","features":[308,319]},{"name":"SelectClipPath","features":[308,319]},{"name":"SelectClipRgn","features":[319]},{"name":"SelectObject","features":[319]},{"name":"SelectPalette","features":[308,319]},{"name":"SetArcDirection","features":[319]},{"name":"SetBitmapBits","features":[319]},{"name":"SetBitmapDimensionEx","features":[308,319]},{"name":"SetBkColor","features":[308,319]},{"name":"SetBkMode","features":[319]},{"name":"SetBoundsRect","features":[308,319]},{"name":"SetBrushOrgEx","features":[308,319]},{"name":"SetColorAdjustment","features":[308,319]},{"name":"SetDCBrushColor","features":[308,319]},{"name":"SetDCPenColor","features":[308,319]},{"name":"SetDIBColorTable","features":[319]},{"name":"SetDIBits","features":[319]},{"name":"SetDIBitsToDevice","features":[319]},{"name":"SetEnhMetaFileBits","features":[319]},{"name":"SetGraphicsMode","features":[319]},{"name":"SetLayout","features":[319]},{"name":"SetMapMode","features":[319]},{"name":"SetMapperFlags","features":[319]},{"name":"SetMetaFileBitsEx","features":[319]},{"name":"SetMetaRgn","features":[319]},{"name":"SetMiterLimit","features":[308,319]},{"name":"SetPaletteEntries","features":[319]},{"name":"SetPixel","features":[308,319]},{"name":"SetPixelV","features":[308,319]},{"name":"SetPolyFillMode","features":[319]},{"name":"SetROP2","features":[319]},{"name":"SetRect","features":[308,319]},{"name":"SetRectEmpty","features":[308,319]},{"name":"SetRectRgn","features":[308,319]},{"name":"SetStretchBltMode","features":[319]},{"name":"SetSysColors","features":[308,319]},{"name":"SetSystemPaletteUse","features":[319]},{"name":"SetTextAlign","features":[319]},{"name":"SetTextCharacterExtra","features":[319]},{"name":"SetTextColor","features":[308,319]},{"name":"SetTextJustification","features":[308,319]},{"name":"SetViewportExtEx","features":[308,319]},{"name":"SetViewportOrgEx","features":[308,319]},{"name":"SetWindowExtEx","features":[308,319]},{"name":"SetWindowOrgEx","features":[308,319]},{"name":"SetWindowRgn","features":[308,319]},{"name":"SetWorldTransform","features":[308,319]},{"name":"StretchBlt","features":[308,319]},{"name":"StretchDIBits","features":[319]},{"name":"StrokeAndFillPath","features":[308,319]},{"name":"StrokePath","features":[308,319]},{"name":"SubtractRect","features":[308,319]},{"name":"TA_BASELINE","features":[319]},{"name":"TA_BOTTOM","features":[319]},{"name":"TA_CENTER","features":[319]},{"name":"TA_LEFT","features":[319]},{"name":"TA_MASK","features":[319]},{"name":"TA_NOUPDATECP","features":[319]},{"name":"TA_RIGHT","features":[319]},{"name":"TA_RTLREADING","features":[319]},{"name":"TA_TOP","features":[319]},{"name":"TA_UPDATECP","features":[319]},{"name":"TC_CP_STROKE","features":[319]},{"name":"TC_CR_90","features":[319]},{"name":"TC_CR_ANY","features":[319]},{"name":"TC_EA_DOUBLE","features":[319]},{"name":"TC_IA_ABLE","features":[319]},{"name":"TC_OP_CHARACTER","features":[319]},{"name":"TC_OP_STROKE","features":[319]},{"name":"TC_RA_ABLE","features":[319]},{"name":"TC_RESERVED","features":[319]},{"name":"TC_SA_CONTIN","features":[319]},{"name":"TC_SA_DOUBLE","features":[319]},{"name":"TC_SA_INTEGER","features":[319]},{"name":"TC_SCROLLBLT","features":[319]},{"name":"TC_SF_X_YINDEP","features":[319]},{"name":"TC_SO_ABLE","features":[319]},{"name":"TC_UA_ABLE","features":[319]},{"name":"TC_VA_ABLE","features":[319]},{"name":"TECHNOLOGY","features":[319]},{"name":"TEXTCAPS","features":[319]},{"name":"TEXTMETRICA","features":[319]},{"name":"TEXTMETRICW","features":[319]},{"name":"TEXT_ALIGN_OPTIONS","features":[319]},{"name":"THAI_CHARSET","features":[319]},{"name":"TMPF_DEVICE","features":[319]},{"name":"TMPF_FIXED_PITCH","features":[319]},{"name":"TMPF_FLAGS","features":[319]},{"name":"TMPF_TRUETYPE","features":[319]},{"name":"TMPF_VECTOR","features":[319]},{"name":"TRANSFORM_CTM","features":[319]},{"name":"TRANSPARENT","features":[319]},{"name":"TRIVERTEX","features":[319]},{"name":"TRUETYPE_FONTTYPE","features":[319]},{"name":"TTCharToUnicode","features":[319]},{"name":"TTDELETE_DONTREMOVEFONT","features":[319]},{"name":"TTDeleteEmbeddedFont","features":[308,319]},{"name":"TTEMBEDINFO","features":[319]},{"name":"TTEMBED_EMBEDEUDC","features":[319]},{"name":"TTEMBED_EUDCEMBEDDED","features":[319]},{"name":"TTEMBED_FAILIFVARIATIONSIMULATED","features":[319]},{"name":"TTEMBED_FLAGS","features":[319]},{"name":"TTEMBED_RAW","features":[319]},{"name":"TTEMBED_SUBSET","features":[319]},{"name":"TTEMBED_SUBSETCANCEL","features":[319]},{"name":"TTEMBED_TTCOMPRESSED","features":[319]},{"name":"TTEMBED_VARIATIONSIMULATED","features":[319]},{"name":"TTEMBED_WEBOBJECT","features":[319]},{"name":"TTEMBED_XORENCRYPTDATA","features":[319]},{"name":"TTEmbedFont","features":[319]},{"name":"TTEmbedFontEx","features":[319]},{"name":"TTEmbedFontFromFileA","features":[319]},{"name":"TTEnableEmbeddingForFacename","features":[308,319]},{"name":"TTFCFP_APPLE_PLATFORMID","features":[319]},{"name":"TTFCFP_DELTA","features":[319]},{"name":"TTFCFP_DONT_CARE","features":[319]},{"name":"TTFCFP_FLAGS_COMPRESS","features":[319]},{"name":"TTFCFP_FLAGS_GLYPHLIST","features":[319]},{"name":"TTFCFP_FLAGS_SUBSET","features":[319]},{"name":"TTFCFP_FLAGS_TTC","features":[319]},{"name":"TTFCFP_ISO_PLATFORMID","features":[319]},{"name":"TTFCFP_LANG_KEEP_ALL","features":[319]},{"name":"TTFCFP_MS_PLATFORMID","features":[319]},{"name":"TTFCFP_STD_MAC_CHAR_SET","features":[319]},{"name":"TTFCFP_SUBSET","features":[319]},{"name":"TTFCFP_SUBSET1","features":[319]},{"name":"TTFCFP_SYMBOL_CHAR_SET","features":[319]},{"name":"TTFCFP_UNICODE_CHAR_SET","features":[319]},{"name":"TTFCFP_UNICODE_PLATFORMID","features":[319]},{"name":"TTFMFP_DELTA","features":[319]},{"name":"TTFMFP_SUBSET","features":[319]},{"name":"TTFMFP_SUBSET1","features":[319]},{"name":"TTGetEmbeddedFontInfo","features":[319]},{"name":"TTGetEmbeddingType","features":[319]},{"name":"TTGetNewFontName","features":[308,319]},{"name":"TTIsEmbeddingEnabled","features":[308,319]},{"name":"TTIsEmbeddingEnabledForFacename","features":[308,319]},{"name":"TTLOADINFO","features":[319]},{"name":"TTLOAD_EMBEDDED_FONT_STATUS","features":[319]},{"name":"TTLOAD_EUDC_OVERWRITE","features":[319]},{"name":"TTLOAD_EUDC_SET","features":[319]},{"name":"TTLOAD_FONT_IN_SYSSTARTUP","features":[319]},{"name":"TTLOAD_FONT_SUBSETTED","features":[319]},{"name":"TTLOAD_PRIVATE","features":[319]},{"name":"TTLoadEmbeddedFont","features":[308,319]},{"name":"TTPOLYCURVE","features":[319]},{"name":"TTPOLYGONHEADER","features":[319]},{"name":"TTRunValidationTests","features":[319]},{"name":"TTRunValidationTestsEx","features":[319]},{"name":"TTVALIDATIONTESTSPARAMS","features":[319]},{"name":"TTVALIDATIONTESTSPARAMSEX","features":[319]},{"name":"TT_AVAILABLE","features":[319]},{"name":"TT_ENABLED","features":[319]},{"name":"TT_POLYGON_TYPE","features":[319]},{"name":"TT_PRIM_CSPLINE","features":[319]},{"name":"TT_PRIM_LINE","features":[319]},{"name":"TT_PRIM_QSPLINE","features":[319]},{"name":"TURKISH_CHARSET","features":[319]},{"name":"TabbedTextOutA","features":[319]},{"name":"TabbedTextOutW","features":[319]},{"name":"TextOutA","features":[308,319]},{"name":"TextOutW","features":[308,319]},{"name":"TransparentBlt","features":[308,319]},{"name":"UnionRect","features":[308,319]},{"name":"UnrealizeObject","features":[308,319]},{"name":"UpdateColors","features":[308,319]},{"name":"UpdateWindow","features":[308,319]},{"name":"VARIABLE_PITCH","features":[319]},{"name":"VERTRES","features":[319]},{"name":"VERTSIZE","features":[319]},{"name":"VIETNAMESE_CHARSET","features":[319]},{"name":"VREFRESH","features":[319]},{"name":"VTA_BASELINE","features":[319]},{"name":"VTA_BOTTOM","features":[319]},{"name":"VTA_CENTER","features":[319]},{"name":"VTA_LEFT","features":[319]},{"name":"VTA_RIGHT","features":[319]},{"name":"VTA_TOP","features":[319]},{"name":"ValidateRect","features":[308,319]},{"name":"ValidateRgn","features":[308,319]},{"name":"WCRANGE","features":[319]},{"name":"WGLSWAP","features":[319]},{"name":"WGL_FONT_LINES","features":[319]},{"name":"WGL_FONT_POLYGONS","features":[319]},{"name":"WGL_SWAPMULTIPLE_MAX","features":[319]},{"name":"WGL_SWAP_MAIN_PLANE","features":[319]},{"name":"WGL_SWAP_OVERLAY1","features":[319]},{"name":"WGL_SWAP_OVERLAY10","features":[319]},{"name":"WGL_SWAP_OVERLAY11","features":[319]},{"name":"WGL_SWAP_OVERLAY12","features":[319]},{"name":"WGL_SWAP_OVERLAY13","features":[319]},{"name":"WGL_SWAP_OVERLAY14","features":[319]},{"name":"WGL_SWAP_OVERLAY15","features":[319]},{"name":"WGL_SWAP_OVERLAY2","features":[319]},{"name":"WGL_SWAP_OVERLAY3","features":[319]},{"name":"WGL_SWAP_OVERLAY4","features":[319]},{"name":"WGL_SWAP_OVERLAY5","features":[319]},{"name":"WGL_SWAP_OVERLAY6","features":[319]},{"name":"WGL_SWAP_OVERLAY7","features":[319]},{"name":"WGL_SWAP_OVERLAY8","features":[319]},{"name":"WGL_SWAP_OVERLAY9","features":[319]},{"name":"WGL_SWAP_UNDERLAY1","features":[319]},{"name":"WGL_SWAP_UNDERLAY10","features":[319]},{"name":"WGL_SWAP_UNDERLAY11","features":[319]},{"name":"WGL_SWAP_UNDERLAY12","features":[319]},{"name":"WGL_SWAP_UNDERLAY13","features":[319]},{"name":"WGL_SWAP_UNDERLAY14","features":[319]},{"name":"WGL_SWAP_UNDERLAY15","features":[319]},{"name":"WGL_SWAP_UNDERLAY2","features":[319]},{"name":"WGL_SWAP_UNDERLAY3","features":[319]},{"name":"WGL_SWAP_UNDERLAY4","features":[319]},{"name":"WGL_SWAP_UNDERLAY5","features":[319]},{"name":"WGL_SWAP_UNDERLAY6","features":[319]},{"name":"WGL_SWAP_UNDERLAY7","features":[319]},{"name":"WGL_SWAP_UNDERLAY8","features":[319]},{"name":"WGL_SWAP_UNDERLAY9","features":[319]},{"name":"WHITENESS","features":[319]},{"name":"WHITEONBLACK","features":[319]},{"name":"WHITE_BRUSH","features":[319]},{"name":"WHITE_PEN","features":[319]},{"name":"WINDING","features":[319]},{"name":"WRITEEMBEDPROC","features":[319]},{"name":"WidenPath","features":[308,319]},{"name":"WindowFromDC","features":[308,319]},{"name":"XFORM","features":[319]},{"name":"wglSwapMultipleBuffers","features":[319]}],"414":[{"name":"ALPHA_SHIFT","features":[412]},{"name":"Aborted","features":[412]},{"name":"AccessDenied","features":[412]},{"name":"AdjustBlackSaturation","features":[412]},{"name":"AdjustContrast","features":[412]},{"name":"AdjustDensity","features":[412]},{"name":"AdjustExposure","features":[412]},{"name":"AdjustHighlight","features":[412]},{"name":"AdjustMidtone","features":[412]},{"name":"AdjustShadow","features":[412]},{"name":"AdjustWhiteSaturation","features":[412]},{"name":"BLUE_SHIFT","features":[412]},{"name":"Bitmap","features":[412]},{"name":"BitmapData","features":[412]},{"name":"Blur","features":[308,412]},{"name":"BlurEffectGuid","features":[412]},{"name":"BlurParams","features":[308,412]},{"name":"BrightnessContrast","features":[308,412]},{"name":"BrightnessContrastEffectGuid","features":[412]},{"name":"BrightnessContrastParams","features":[412]},{"name":"BrushType","features":[412]},{"name":"BrushTypeHatchFill","features":[412]},{"name":"BrushTypeLinearGradient","features":[412]},{"name":"BrushTypePathGradient","features":[412]},{"name":"BrushTypeSolidColor","features":[412]},{"name":"BrushTypeTextureFill","features":[412]},{"name":"CGpEffect","features":[412]},{"name":"CachedBitmap","features":[412]},{"name":"CharacterRange","features":[412]},{"name":"CodecIImageBytes","features":[412]},{"name":"Color","features":[412]},{"name":"ColorAdjustType","features":[412]},{"name":"ColorAdjustTypeAny","features":[412]},{"name":"ColorAdjustTypeBitmap","features":[412]},{"name":"ColorAdjustTypeBrush","features":[412]},{"name":"ColorAdjustTypeCount","features":[412]},{"name":"ColorAdjustTypeDefault","features":[412]},{"name":"ColorAdjustTypePen","features":[412]},{"name":"ColorAdjustTypeText","features":[412]},{"name":"ColorBalance","features":[308,412]},{"name":"ColorBalanceEffectGuid","features":[412]},{"name":"ColorBalanceParams","features":[412]},{"name":"ColorChannelFlags","features":[412]},{"name":"ColorChannelFlagsC","features":[412]},{"name":"ColorChannelFlagsK","features":[412]},{"name":"ColorChannelFlagsLast","features":[412]},{"name":"ColorChannelFlagsM","features":[412]},{"name":"ColorChannelFlagsY","features":[412]},{"name":"ColorCurve","features":[308,412]},{"name":"ColorCurveEffectGuid","features":[412]},{"name":"ColorCurveParams","features":[412]},{"name":"ColorLUT","features":[308,412]},{"name":"ColorLUTEffectGuid","features":[412]},{"name":"ColorLUTParams","features":[412]},{"name":"ColorMap","features":[412]},{"name":"ColorMatrix","features":[412]},{"name":"ColorMatrixEffect","features":[308,412]},{"name":"ColorMatrixEffectGuid","features":[412]},{"name":"ColorMatrixFlags","features":[412]},{"name":"ColorMatrixFlagsAltGray","features":[412]},{"name":"ColorMatrixFlagsDefault","features":[412]},{"name":"ColorMatrixFlagsSkipGrays","features":[412]},{"name":"ColorMode","features":[412]},{"name":"ColorModeARGB32","features":[412]},{"name":"ColorModeARGB64","features":[412]},{"name":"ColorPalette","features":[412]},{"name":"CombineMode","features":[412]},{"name":"CombineModeComplement","features":[412]},{"name":"CombineModeExclude","features":[412]},{"name":"CombineModeIntersect","features":[412]},{"name":"CombineModeReplace","features":[412]},{"name":"CombineModeUnion","features":[412]},{"name":"CombineModeXor","features":[412]},{"name":"CompositingMode","features":[412]},{"name":"CompositingModeSourceCopy","features":[412]},{"name":"CompositingModeSourceOver","features":[412]},{"name":"CompositingQuality","features":[412]},{"name":"CompositingQualityAssumeLinear","features":[412]},{"name":"CompositingQualityDefault","features":[412]},{"name":"CompositingQualityGammaCorrected","features":[412]},{"name":"CompositingQualityHighQuality","features":[412]},{"name":"CompositingQualityHighSpeed","features":[412]},{"name":"CompositingQualityInvalid","features":[412]},{"name":"ConvertToEmfPlusFlags","features":[412]},{"name":"ConvertToEmfPlusFlagsDefault","features":[412]},{"name":"ConvertToEmfPlusFlagsInvalidRecord","features":[412]},{"name":"ConvertToEmfPlusFlagsRopUsed","features":[412]},{"name":"ConvertToEmfPlusFlagsText","features":[412]},{"name":"CoordinateSpace","features":[412]},{"name":"CoordinateSpaceDevice","features":[412]},{"name":"CoordinateSpacePage","features":[412]},{"name":"CoordinateSpaceWorld","features":[412]},{"name":"CurveAdjustments","features":[412]},{"name":"CurveChannel","features":[412]},{"name":"CurveChannelAll","features":[412]},{"name":"CurveChannelBlue","features":[412]},{"name":"CurveChannelGreen","features":[412]},{"name":"CurveChannelRed","features":[412]},{"name":"CustomLineCap","features":[412]},{"name":"CustomLineCapType","features":[412]},{"name":"CustomLineCapTypeAdjustableArrow","features":[412]},{"name":"CustomLineCapTypeDefault","features":[412]},{"name":"DashCap","features":[412]},{"name":"DashCapFlat","features":[412]},{"name":"DashCapRound","features":[412]},{"name":"DashCapTriangle","features":[412]},{"name":"DashStyle","features":[412]},{"name":"DashStyleCustom","features":[412]},{"name":"DashStyleDash","features":[412]},{"name":"DashStyleDashDot","features":[412]},{"name":"DashStyleDashDotDot","features":[412]},{"name":"DashStyleDot","features":[412]},{"name":"DashStyleSolid","features":[412]},{"name":"DebugEventLevel","features":[412]},{"name":"DebugEventLevelFatal","features":[412]},{"name":"DebugEventLevelWarning","features":[412]},{"name":"DebugEventProc","features":[412]},{"name":"DitherType","features":[412]},{"name":"DitherTypeDualSpiral4x4","features":[412]},{"name":"DitherTypeDualSpiral8x8","features":[412]},{"name":"DitherTypeErrorDiffusion","features":[412]},{"name":"DitherTypeMax","features":[412]},{"name":"DitherTypeNone","features":[412]},{"name":"DitherTypeOrdered16x16","features":[412]},{"name":"DitherTypeOrdered4x4","features":[412]},{"name":"DitherTypeOrdered8x8","features":[412]},{"name":"DitherTypeSolid","features":[412]},{"name":"DitherTypeSpiral4x4","features":[412]},{"name":"DitherTypeSpiral8x8","features":[412]},{"name":"DrawImageAbort","features":[308,412]},{"name":"DriverStringOptions","features":[412]},{"name":"DriverStringOptionsCmapLookup","features":[412]},{"name":"DriverStringOptionsLimitSubpixel","features":[412]},{"name":"DriverStringOptionsRealizedAdvance","features":[412]},{"name":"DriverStringOptionsVertical","features":[412]},{"name":"ENHMETAHEADER3","features":[308,412]},{"name":"Effect","features":[308,412]},{"name":"EmfPlusRecordTotal","features":[412]},{"name":"EmfPlusRecordType","features":[412]},{"name":"EmfPlusRecordTypeBeginContainer","features":[412]},{"name":"EmfPlusRecordTypeBeginContainerNoParams","features":[412]},{"name":"EmfPlusRecordTypeClear","features":[412]},{"name":"EmfPlusRecordTypeComment","features":[412]},{"name":"EmfPlusRecordTypeDrawArc","features":[412]},{"name":"EmfPlusRecordTypeDrawBeziers","features":[412]},{"name":"EmfPlusRecordTypeDrawClosedCurve","features":[412]},{"name":"EmfPlusRecordTypeDrawCurve","features":[412]},{"name":"EmfPlusRecordTypeDrawDriverString","features":[412]},{"name":"EmfPlusRecordTypeDrawEllipse","features":[412]},{"name":"EmfPlusRecordTypeDrawImage","features":[412]},{"name":"EmfPlusRecordTypeDrawImagePoints","features":[412]},{"name":"EmfPlusRecordTypeDrawLines","features":[412]},{"name":"EmfPlusRecordTypeDrawPath","features":[412]},{"name":"EmfPlusRecordTypeDrawPie","features":[412]},{"name":"EmfPlusRecordTypeDrawRects","features":[412]},{"name":"EmfPlusRecordTypeDrawString","features":[412]},{"name":"EmfPlusRecordTypeEndContainer","features":[412]},{"name":"EmfPlusRecordTypeEndOfFile","features":[412]},{"name":"EmfPlusRecordTypeFillClosedCurve","features":[412]},{"name":"EmfPlusRecordTypeFillEllipse","features":[412]},{"name":"EmfPlusRecordTypeFillPath","features":[412]},{"name":"EmfPlusRecordTypeFillPie","features":[412]},{"name":"EmfPlusRecordTypeFillPolygon","features":[412]},{"name":"EmfPlusRecordTypeFillRects","features":[412]},{"name":"EmfPlusRecordTypeFillRegion","features":[412]},{"name":"EmfPlusRecordTypeGetDC","features":[412]},{"name":"EmfPlusRecordTypeHeader","features":[412]},{"name":"EmfPlusRecordTypeInvalid","features":[412]},{"name":"EmfPlusRecordTypeMax","features":[412]},{"name":"EmfPlusRecordTypeMin","features":[412]},{"name":"EmfPlusRecordTypeMultiFormatEnd","features":[412]},{"name":"EmfPlusRecordTypeMultiFormatSection","features":[412]},{"name":"EmfPlusRecordTypeMultiFormatStart","features":[412]},{"name":"EmfPlusRecordTypeMultiplyWorldTransform","features":[412]},{"name":"EmfPlusRecordTypeObject","features":[412]},{"name":"EmfPlusRecordTypeOffsetClip","features":[412]},{"name":"EmfPlusRecordTypeResetClip","features":[412]},{"name":"EmfPlusRecordTypeResetWorldTransform","features":[412]},{"name":"EmfPlusRecordTypeRestore","features":[412]},{"name":"EmfPlusRecordTypeRotateWorldTransform","features":[412]},{"name":"EmfPlusRecordTypeSave","features":[412]},{"name":"EmfPlusRecordTypeScaleWorldTransform","features":[412]},{"name":"EmfPlusRecordTypeSerializableObject","features":[412]},{"name":"EmfPlusRecordTypeSetAntiAliasMode","features":[412]},{"name":"EmfPlusRecordTypeSetClipPath","features":[412]},{"name":"EmfPlusRecordTypeSetClipRect","features":[412]},{"name":"EmfPlusRecordTypeSetClipRegion","features":[412]},{"name":"EmfPlusRecordTypeSetCompositingMode","features":[412]},{"name":"EmfPlusRecordTypeSetCompositingQuality","features":[412]},{"name":"EmfPlusRecordTypeSetInterpolationMode","features":[412]},{"name":"EmfPlusRecordTypeSetPageTransform","features":[412]},{"name":"EmfPlusRecordTypeSetPixelOffsetMode","features":[412]},{"name":"EmfPlusRecordTypeSetRenderingOrigin","features":[412]},{"name":"EmfPlusRecordTypeSetTSClip","features":[412]},{"name":"EmfPlusRecordTypeSetTSGraphics","features":[412]},{"name":"EmfPlusRecordTypeSetTextContrast","features":[412]},{"name":"EmfPlusRecordTypeSetTextRenderingHint","features":[412]},{"name":"EmfPlusRecordTypeSetWorldTransform","features":[412]},{"name":"EmfPlusRecordTypeStrokeFillPath","features":[412]},{"name":"EmfPlusRecordTypeTranslateWorldTransform","features":[412]},{"name":"EmfRecordTypeAbortPath","features":[412]},{"name":"EmfRecordTypeAlphaBlend","features":[412]},{"name":"EmfRecordTypeAngleArc","features":[412]},{"name":"EmfRecordTypeArc","features":[412]},{"name":"EmfRecordTypeArcTo","features":[412]},{"name":"EmfRecordTypeBeginPath","features":[412]},{"name":"EmfRecordTypeBitBlt","features":[412]},{"name":"EmfRecordTypeChord","features":[412]},{"name":"EmfRecordTypeCloseFigure","features":[412]},{"name":"EmfRecordTypeColorCorrectPalette","features":[412]},{"name":"EmfRecordTypeColorMatchToTargetW","features":[412]},{"name":"EmfRecordTypeCreateBrushIndirect","features":[412]},{"name":"EmfRecordTypeCreateColorSpace","features":[412]},{"name":"EmfRecordTypeCreateColorSpaceW","features":[412]},{"name":"EmfRecordTypeCreateDIBPatternBrushPt","features":[412]},{"name":"EmfRecordTypeCreateMonoBrush","features":[412]},{"name":"EmfRecordTypeCreatePalette","features":[412]},{"name":"EmfRecordTypeCreatePen","features":[412]},{"name":"EmfRecordTypeDeleteColorSpace","features":[412]},{"name":"EmfRecordTypeDeleteObject","features":[412]},{"name":"EmfRecordTypeDrawEscape","features":[412]},{"name":"EmfRecordTypeEOF","features":[412]},{"name":"EmfRecordTypeEllipse","features":[412]},{"name":"EmfRecordTypeEndPath","features":[412]},{"name":"EmfRecordTypeExcludeClipRect","features":[412]},{"name":"EmfRecordTypeExtCreateFontIndirect","features":[412]},{"name":"EmfRecordTypeExtCreatePen","features":[412]},{"name":"EmfRecordTypeExtEscape","features":[412]},{"name":"EmfRecordTypeExtFloodFill","features":[412]},{"name":"EmfRecordTypeExtSelectClipRgn","features":[412]},{"name":"EmfRecordTypeExtTextOutA","features":[412]},{"name":"EmfRecordTypeExtTextOutW","features":[412]},{"name":"EmfRecordTypeFillPath","features":[412]},{"name":"EmfRecordTypeFillRgn","features":[412]},{"name":"EmfRecordTypeFlattenPath","features":[412]},{"name":"EmfRecordTypeForceUFIMapping","features":[412]},{"name":"EmfRecordTypeFrameRgn","features":[412]},{"name":"EmfRecordTypeGLSBoundedRecord","features":[412]},{"name":"EmfRecordTypeGLSRecord","features":[412]},{"name":"EmfRecordTypeGdiComment","features":[412]},{"name":"EmfRecordTypeGradientFill","features":[412]},{"name":"EmfRecordTypeHeader","features":[412]},{"name":"EmfRecordTypeIntersectClipRect","features":[412]},{"name":"EmfRecordTypeInvertRgn","features":[412]},{"name":"EmfRecordTypeLineTo","features":[412]},{"name":"EmfRecordTypeMaskBlt","features":[412]},{"name":"EmfRecordTypeMax","features":[412]},{"name":"EmfRecordTypeMin","features":[412]},{"name":"EmfRecordTypeModifyWorldTransform","features":[412]},{"name":"EmfRecordTypeMoveToEx","features":[412]},{"name":"EmfRecordTypeNamedEscape","features":[412]},{"name":"EmfRecordTypeOffsetClipRgn","features":[412]},{"name":"EmfRecordTypePaintRgn","features":[412]},{"name":"EmfRecordTypePie","features":[412]},{"name":"EmfRecordTypePixelFormat","features":[412]},{"name":"EmfRecordTypePlgBlt","features":[412]},{"name":"EmfRecordTypePolyBezier","features":[412]},{"name":"EmfRecordTypePolyBezier16","features":[412]},{"name":"EmfRecordTypePolyBezierTo","features":[412]},{"name":"EmfRecordTypePolyBezierTo16","features":[412]},{"name":"EmfRecordTypePolyDraw","features":[412]},{"name":"EmfRecordTypePolyDraw16","features":[412]},{"name":"EmfRecordTypePolyLineTo","features":[412]},{"name":"EmfRecordTypePolyPolygon","features":[412]},{"name":"EmfRecordTypePolyPolygon16","features":[412]},{"name":"EmfRecordTypePolyPolyline","features":[412]},{"name":"EmfRecordTypePolyPolyline16","features":[412]},{"name":"EmfRecordTypePolyTextOutA","features":[412]},{"name":"EmfRecordTypePolyTextOutW","features":[412]},{"name":"EmfRecordTypePolygon","features":[412]},{"name":"EmfRecordTypePolygon16","features":[412]},{"name":"EmfRecordTypePolyline","features":[412]},{"name":"EmfRecordTypePolyline16","features":[412]},{"name":"EmfRecordTypePolylineTo16","features":[412]},{"name":"EmfRecordTypeRealizePalette","features":[412]},{"name":"EmfRecordTypeRectangle","features":[412]},{"name":"EmfRecordTypeReserved_069","features":[412]},{"name":"EmfRecordTypeReserved_117","features":[412]},{"name":"EmfRecordTypeResizePalette","features":[412]},{"name":"EmfRecordTypeRestoreDC","features":[412]},{"name":"EmfRecordTypeRoundRect","features":[412]},{"name":"EmfRecordTypeSaveDC","features":[412]},{"name":"EmfRecordTypeScaleViewportExtEx","features":[412]},{"name":"EmfRecordTypeScaleWindowExtEx","features":[412]},{"name":"EmfRecordTypeSelectClipPath","features":[412]},{"name":"EmfRecordTypeSelectObject","features":[412]},{"name":"EmfRecordTypeSelectPalette","features":[412]},{"name":"EmfRecordTypeSetArcDirection","features":[412]},{"name":"EmfRecordTypeSetBkColor","features":[412]},{"name":"EmfRecordTypeSetBkMode","features":[412]},{"name":"EmfRecordTypeSetBrushOrgEx","features":[412]},{"name":"EmfRecordTypeSetColorAdjustment","features":[412]},{"name":"EmfRecordTypeSetColorSpace","features":[412]},{"name":"EmfRecordTypeSetDIBitsToDevice","features":[412]},{"name":"EmfRecordTypeSetICMMode","features":[412]},{"name":"EmfRecordTypeSetICMProfileA","features":[412]},{"name":"EmfRecordTypeSetICMProfileW","features":[412]},{"name":"EmfRecordTypeSetLayout","features":[412]},{"name":"EmfRecordTypeSetLinkedUFIs","features":[412]},{"name":"EmfRecordTypeSetMapMode","features":[412]},{"name":"EmfRecordTypeSetMapperFlags","features":[412]},{"name":"EmfRecordTypeSetMetaRgn","features":[412]},{"name":"EmfRecordTypeSetMiterLimit","features":[412]},{"name":"EmfRecordTypeSetPaletteEntries","features":[412]},{"name":"EmfRecordTypeSetPixelV","features":[412]},{"name":"EmfRecordTypeSetPolyFillMode","features":[412]},{"name":"EmfRecordTypeSetROP2","features":[412]},{"name":"EmfRecordTypeSetStretchBltMode","features":[412]},{"name":"EmfRecordTypeSetTextAlign","features":[412]},{"name":"EmfRecordTypeSetTextColor","features":[412]},{"name":"EmfRecordTypeSetTextJustification","features":[412]},{"name":"EmfRecordTypeSetViewportExtEx","features":[412]},{"name":"EmfRecordTypeSetViewportOrgEx","features":[412]},{"name":"EmfRecordTypeSetWindowExtEx","features":[412]},{"name":"EmfRecordTypeSetWindowOrgEx","features":[412]},{"name":"EmfRecordTypeSetWorldTransform","features":[412]},{"name":"EmfRecordTypeSmallTextOut","features":[412]},{"name":"EmfRecordTypeStartDoc","features":[412]},{"name":"EmfRecordTypeStretchBlt","features":[412]},{"name":"EmfRecordTypeStretchDIBits","features":[412]},{"name":"EmfRecordTypeStrokeAndFillPath","features":[412]},{"name":"EmfRecordTypeStrokePath","features":[412]},{"name":"EmfRecordTypeTransparentBlt","features":[412]},{"name":"EmfRecordTypeWidenPath","features":[412]},{"name":"EmfToWmfBitsFlags","features":[412]},{"name":"EmfToWmfBitsFlagsDefault","features":[412]},{"name":"EmfToWmfBitsFlagsEmbedEmf","features":[412]},{"name":"EmfToWmfBitsFlagsIncludePlaceable","features":[412]},{"name":"EmfToWmfBitsFlagsNoXORClip","features":[412]},{"name":"EmfType","features":[412]},{"name":"EmfTypeEmfOnly","features":[412]},{"name":"EmfTypeEmfPlusDual","features":[412]},{"name":"EmfTypeEmfPlusOnly","features":[412]},{"name":"EncoderChrominanceTable","features":[412]},{"name":"EncoderColorDepth","features":[412]},{"name":"EncoderColorSpace","features":[412]},{"name":"EncoderCompression","features":[412]},{"name":"EncoderImageItems","features":[412]},{"name":"EncoderLuminanceTable","features":[412]},{"name":"EncoderParameter","features":[412]},{"name":"EncoderParameterValueType","features":[412]},{"name":"EncoderParameterValueTypeASCII","features":[412]},{"name":"EncoderParameterValueTypeByte","features":[412]},{"name":"EncoderParameterValueTypeLong","features":[412]},{"name":"EncoderParameterValueTypeLongRange","features":[412]},{"name":"EncoderParameterValueTypePointer","features":[412]},{"name":"EncoderParameterValueTypeRational","features":[412]},{"name":"EncoderParameterValueTypeRationalRange","features":[412]},{"name":"EncoderParameterValueTypeShort","features":[412]},{"name":"EncoderParameterValueTypeUndefined","features":[412]},{"name":"EncoderParameters","features":[412]},{"name":"EncoderQuality","features":[412]},{"name":"EncoderRenderMethod","features":[412]},{"name":"EncoderSaveAsCMYK","features":[412]},{"name":"EncoderSaveFlag","features":[412]},{"name":"EncoderScanMethod","features":[412]},{"name":"EncoderTransformation","features":[412]},{"name":"EncoderValue","features":[412]},{"name":"EncoderValueColorTypeCMYK","features":[412]},{"name":"EncoderValueColorTypeGray","features":[412]},{"name":"EncoderValueColorTypeRGB","features":[412]},{"name":"EncoderValueColorTypeYCCK","features":[412]},{"name":"EncoderValueCompressionCCITT3","features":[412]},{"name":"EncoderValueCompressionCCITT4","features":[412]},{"name":"EncoderValueCompressionLZW","features":[412]},{"name":"EncoderValueCompressionNone","features":[412]},{"name":"EncoderValueCompressionRle","features":[412]},{"name":"EncoderValueFlush","features":[412]},{"name":"EncoderValueFrameDimensionPage","features":[412]},{"name":"EncoderValueFrameDimensionResolution","features":[412]},{"name":"EncoderValueFrameDimensionTime","features":[412]},{"name":"EncoderValueLastFrame","features":[412]},{"name":"EncoderValueMultiFrame","features":[412]},{"name":"EncoderValueRenderNonProgressive","features":[412]},{"name":"EncoderValueRenderProgressive","features":[412]},{"name":"EncoderValueScanMethodInterlaced","features":[412]},{"name":"EncoderValueScanMethodNonInterlaced","features":[412]},{"name":"EncoderValueTransformFlipHorizontal","features":[412]},{"name":"EncoderValueTransformFlipVertical","features":[412]},{"name":"EncoderValueTransformRotate180","features":[412]},{"name":"EncoderValueTransformRotate270","features":[412]},{"name":"EncoderValueTransformRotate90","features":[412]},{"name":"EncoderValueVersionGif87","features":[412]},{"name":"EncoderValueVersionGif89","features":[412]},{"name":"EncoderVersion","features":[412]},{"name":"EnumerateMetafileProc","features":[308,412]},{"name":"FileNotFound","features":[412]},{"name":"FillMode","features":[412]},{"name":"FillModeAlternate","features":[412]},{"name":"FillModeWinding","features":[412]},{"name":"FlatnessDefault","features":[412]},{"name":"FlushIntention","features":[412]},{"name":"FlushIntentionFlush","features":[412]},{"name":"FlushIntentionSync","features":[412]},{"name":"Font","features":[412]},{"name":"FontCollection","features":[412]},{"name":"FontFamily","features":[412]},{"name":"FontFamilyNotFound","features":[412]},{"name":"FontStyle","features":[412]},{"name":"FontStyleBold","features":[412]},{"name":"FontStyleBoldItalic","features":[412]},{"name":"FontStyleItalic","features":[412]},{"name":"FontStyleNotFound","features":[412]},{"name":"FontStyleRegular","features":[412]},{"name":"FontStyleStrikeout","features":[412]},{"name":"FontStyleUnderline","features":[412]},{"name":"FormatIDImageInformation","features":[412]},{"name":"FormatIDJpegAppHeaders","features":[412]},{"name":"FrameDimensionPage","features":[412]},{"name":"FrameDimensionResolution","features":[412]},{"name":"FrameDimensionTime","features":[412]},{"name":"GDIP_EMFPLUSFLAGS_DISPLAY","features":[412]},{"name":"GDIP_EMFPLUS_RECORD_BASE","features":[412]},{"name":"GDIP_WMF_RECORD_BASE","features":[412]},{"name":"GREEN_SHIFT","features":[412]},{"name":"GdipAddPathArc","features":[412]},{"name":"GdipAddPathArcI","features":[412]},{"name":"GdipAddPathBezier","features":[412]},{"name":"GdipAddPathBezierI","features":[412]},{"name":"GdipAddPathBeziers","features":[412]},{"name":"GdipAddPathBeziersI","features":[412]},{"name":"GdipAddPathClosedCurve","features":[412]},{"name":"GdipAddPathClosedCurve2","features":[412]},{"name":"GdipAddPathClosedCurve2I","features":[412]},{"name":"GdipAddPathClosedCurveI","features":[412]},{"name":"GdipAddPathCurve","features":[412]},{"name":"GdipAddPathCurve2","features":[412]},{"name":"GdipAddPathCurve2I","features":[412]},{"name":"GdipAddPathCurve3","features":[412]},{"name":"GdipAddPathCurve3I","features":[412]},{"name":"GdipAddPathCurveI","features":[412]},{"name":"GdipAddPathEllipse","features":[412]},{"name":"GdipAddPathEllipseI","features":[412]},{"name":"GdipAddPathLine","features":[412]},{"name":"GdipAddPathLine2","features":[412]},{"name":"GdipAddPathLine2I","features":[412]},{"name":"GdipAddPathLineI","features":[412]},{"name":"GdipAddPathPath","features":[308,412]},{"name":"GdipAddPathPie","features":[412]},{"name":"GdipAddPathPieI","features":[412]},{"name":"GdipAddPathPolygon","features":[412]},{"name":"GdipAddPathPolygonI","features":[412]},{"name":"GdipAddPathRectangle","features":[412]},{"name":"GdipAddPathRectangleI","features":[412]},{"name":"GdipAddPathRectangles","features":[412]},{"name":"GdipAddPathRectanglesI","features":[412]},{"name":"GdipAddPathString","features":[412]},{"name":"GdipAddPathStringI","features":[412]},{"name":"GdipAlloc","features":[412]},{"name":"GdipBeginContainer","features":[412]},{"name":"GdipBeginContainer2","features":[412]},{"name":"GdipBeginContainerI","features":[412]},{"name":"GdipBitmapApplyEffect","features":[308,412]},{"name":"GdipBitmapConvertFormat","features":[412]},{"name":"GdipBitmapCreateApplyEffect","features":[308,412]},{"name":"GdipBitmapGetHistogram","features":[412]},{"name":"GdipBitmapGetHistogramSize","features":[412]},{"name":"GdipBitmapGetPixel","features":[412]},{"name":"GdipBitmapLockBits","features":[412]},{"name":"GdipBitmapSetPixel","features":[412]},{"name":"GdipBitmapSetResolution","features":[412]},{"name":"GdipBitmapUnlockBits","features":[412]},{"name":"GdipClearPathMarkers","features":[412]},{"name":"GdipCloneBitmapArea","features":[412]},{"name":"GdipCloneBitmapAreaI","features":[412]},{"name":"GdipCloneBrush","features":[412]},{"name":"GdipCloneCustomLineCap","features":[412]},{"name":"GdipCloneFont","features":[412]},{"name":"GdipCloneFontFamily","features":[412]},{"name":"GdipCloneImage","features":[412]},{"name":"GdipCloneImageAttributes","features":[412]},{"name":"GdipCloneMatrix","features":[412]},{"name":"GdipClonePath","features":[412]},{"name":"GdipClonePen","features":[412]},{"name":"GdipCloneRegion","features":[412]},{"name":"GdipCloneStringFormat","features":[412]},{"name":"GdipClosePathFigure","features":[412]},{"name":"GdipClosePathFigures","features":[412]},{"name":"GdipCombineRegionPath","features":[412]},{"name":"GdipCombineRegionRect","features":[412]},{"name":"GdipCombineRegionRectI","features":[412]},{"name":"GdipCombineRegionRegion","features":[412]},{"name":"GdipComment","features":[412]},{"name":"GdipConvertToEmfPlus","features":[412]},{"name":"GdipConvertToEmfPlusToFile","features":[412]},{"name":"GdipConvertToEmfPlusToStream","features":[412,359]},{"name":"GdipCreateAdjustableArrowCap","features":[308,412]},{"name":"GdipCreateBitmapFromDirectDrawSurface","features":[318,412]},{"name":"GdipCreateBitmapFromFile","features":[412]},{"name":"GdipCreateBitmapFromFileICM","features":[412]},{"name":"GdipCreateBitmapFromGdiDib","features":[319,412]},{"name":"GdipCreateBitmapFromGraphics","features":[412]},{"name":"GdipCreateBitmapFromHBITMAP","features":[319,412]},{"name":"GdipCreateBitmapFromHICON","features":[412,370]},{"name":"GdipCreateBitmapFromResource","features":[308,412]},{"name":"GdipCreateBitmapFromScan0","features":[412]},{"name":"GdipCreateBitmapFromStream","features":[412,359]},{"name":"GdipCreateBitmapFromStreamICM","features":[412,359]},{"name":"GdipCreateCachedBitmap","features":[412]},{"name":"GdipCreateCustomLineCap","features":[412]},{"name":"GdipCreateEffect","features":[412]},{"name":"GdipCreateFont","features":[412]},{"name":"GdipCreateFontFamilyFromName","features":[412]},{"name":"GdipCreateFontFromDC","features":[319,412]},{"name":"GdipCreateFontFromLogfontA","features":[319,412]},{"name":"GdipCreateFontFromLogfontW","features":[319,412]},{"name":"GdipCreateFromHDC","features":[319,412]},{"name":"GdipCreateFromHDC2","features":[308,319,412]},{"name":"GdipCreateFromHWND","features":[308,412]},{"name":"GdipCreateFromHWNDICM","features":[308,412]},{"name":"GdipCreateHBITMAPFromBitmap","features":[319,412]},{"name":"GdipCreateHICONFromBitmap","features":[412,370]},{"name":"GdipCreateHalftonePalette","features":[319,412]},{"name":"GdipCreateHatchBrush","features":[412]},{"name":"GdipCreateImageAttributes","features":[412]},{"name":"GdipCreateLineBrush","features":[412]},{"name":"GdipCreateLineBrushFromRect","features":[412]},{"name":"GdipCreateLineBrushFromRectI","features":[412]},{"name":"GdipCreateLineBrushFromRectWithAngle","features":[308,412]},{"name":"GdipCreateLineBrushFromRectWithAngleI","features":[308,412]},{"name":"GdipCreateLineBrushI","features":[412]},{"name":"GdipCreateMatrix","features":[412]},{"name":"GdipCreateMatrix2","features":[412]},{"name":"GdipCreateMatrix3","features":[412]},{"name":"GdipCreateMatrix3I","features":[412]},{"name":"GdipCreateMetafileFromEmf","features":[308,319,412]},{"name":"GdipCreateMetafileFromFile","features":[412]},{"name":"GdipCreateMetafileFromStream","features":[412,359]},{"name":"GdipCreateMetafileFromWmf","features":[308,319,412]},{"name":"GdipCreateMetafileFromWmfFile","features":[412]},{"name":"GdipCreatePath","features":[412]},{"name":"GdipCreatePath2","features":[412]},{"name":"GdipCreatePath2I","features":[412]},{"name":"GdipCreatePathGradient","features":[412]},{"name":"GdipCreatePathGradientFromPath","features":[412]},{"name":"GdipCreatePathGradientI","features":[412]},{"name":"GdipCreatePathIter","features":[412]},{"name":"GdipCreatePen1","features":[412]},{"name":"GdipCreatePen2","features":[412]},{"name":"GdipCreateRegion","features":[412]},{"name":"GdipCreateRegionHrgn","features":[319,412]},{"name":"GdipCreateRegionPath","features":[412]},{"name":"GdipCreateRegionRect","features":[412]},{"name":"GdipCreateRegionRectI","features":[412]},{"name":"GdipCreateRegionRgnData","features":[412]},{"name":"GdipCreateSolidFill","features":[412]},{"name":"GdipCreateStreamOnFile","features":[412,359]},{"name":"GdipCreateStringFormat","features":[412]},{"name":"GdipCreateTexture","features":[412]},{"name":"GdipCreateTexture2","features":[412]},{"name":"GdipCreateTexture2I","features":[412]},{"name":"GdipCreateTextureIA","features":[412]},{"name":"GdipCreateTextureIAI","features":[412]},{"name":"GdipDeleteBrush","features":[412]},{"name":"GdipDeleteCachedBitmap","features":[412]},{"name":"GdipDeleteCustomLineCap","features":[412]},{"name":"GdipDeleteEffect","features":[412]},{"name":"GdipDeleteFont","features":[412]},{"name":"GdipDeleteFontFamily","features":[412]},{"name":"GdipDeleteGraphics","features":[412]},{"name":"GdipDeleteMatrix","features":[412]},{"name":"GdipDeletePath","features":[412]},{"name":"GdipDeletePathIter","features":[412]},{"name":"GdipDeletePen","features":[412]},{"name":"GdipDeletePrivateFontCollection","features":[412]},{"name":"GdipDeleteRegion","features":[412]},{"name":"GdipDeleteStringFormat","features":[412]},{"name":"GdipDisposeImage","features":[412]},{"name":"GdipDisposeImageAttributes","features":[412]},{"name":"GdipDrawArc","features":[412]},{"name":"GdipDrawArcI","features":[412]},{"name":"GdipDrawBezier","features":[412]},{"name":"GdipDrawBezierI","features":[412]},{"name":"GdipDrawBeziers","features":[412]},{"name":"GdipDrawBeziersI","features":[412]},{"name":"GdipDrawCachedBitmap","features":[412]},{"name":"GdipDrawClosedCurve","features":[412]},{"name":"GdipDrawClosedCurve2","features":[412]},{"name":"GdipDrawClosedCurve2I","features":[412]},{"name":"GdipDrawClosedCurveI","features":[412]},{"name":"GdipDrawCurve","features":[412]},{"name":"GdipDrawCurve2","features":[412]},{"name":"GdipDrawCurve2I","features":[412]},{"name":"GdipDrawCurve3","features":[412]},{"name":"GdipDrawCurve3I","features":[412]},{"name":"GdipDrawCurveI","features":[412]},{"name":"GdipDrawDriverString","features":[412]},{"name":"GdipDrawEllipse","features":[412]},{"name":"GdipDrawEllipseI","features":[412]},{"name":"GdipDrawImage","features":[412]},{"name":"GdipDrawImageFX","features":[412]},{"name":"GdipDrawImageI","features":[412]},{"name":"GdipDrawImagePointRect","features":[412]},{"name":"GdipDrawImagePointRectI","features":[412]},{"name":"GdipDrawImagePoints","features":[412]},{"name":"GdipDrawImagePointsI","features":[412]},{"name":"GdipDrawImagePointsRect","features":[412]},{"name":"GdipDrawImagePointsRectI","features":[412]},{"name":"GdipDrawImageRect","features":[412]},{"name":"GdipDrawImageRectI","features":[412]},{"name":"GdipDrawImageRectRect","features":[412]},{"name":"GdipDrawImageRectRectI","features":[412]},{"name":"GdipDrawLine","features":[412]},{"name":"GdipDrawLineI","features":[412]},{"name":"GdipDrawLines","features":[412]},{"name":"GdipDrawLinesI","features":[412]},{"name":"GdipDrawPath","features":[412]},{"name":"GdipDrawPie","features":[412]},{"name":"GdipDrawPieI","features":[412]},{"name":"GdipDrawPolygon","features":[412]},{"name":"GdipDrawPolygonI","features":[412]},{"name":"GdipDrawRectangle","features":[412]},{"name":"GdipDrawRectangleI","features":[412]},{"name":"GdipDrawRectangles","features":[412]},{"name":"GdipDrawRectanglesI","features":[412]},{"name":"GdipDrawString","features":[412]},{"name":"GdipEmfToWmfBits","features":[319,412]},{"name":"GdipEndContainer","features":[412]},{"name":"GdipEnumerateMetafileDestPoint","features":[412]},{"name":"GdipEnumerateMetafileDestPointI","features":[412]},{"name":"GdipEnumerateMetafileDestPoints","features":[412]},{"name":"GdipEnumerateMetafileDestPointsI","features":[412]},{"name":"GdipEnumerateMetafileDestRect","features":[412]},{"name":"GdipEnumerateMetafileDestRectI","features":[412]},{"name":"GdipEnumerateMetafileSrcRectDestPoint","features":[412]},{"name":"GdipEnumerateMetafileSrcRectDestPointI","features":[412]},{"name":"GdipEnumerateMetafileSrcRectDestPoints","features":[412]},{"name":"GdipEnumerateMetafileSrcRectDestPointsI","features":[412]},{"name":"GdipEnumerateMetafileSrcRectDestRect","features":[412]},{"name":"GdipEnumerateMetafileSrcRectDestRectI","features":[412]},{"name":"GdipFillClosedCurve","features":[412]},{"name":"GdipFillClosedCurve2","features":[412]},{"name":"GdipFillClosedCurve2I","features":[412]},{"name":"GdipFillClosedCurveI","features":[412]},{"name":"GdipFillEllipse","features":[412]},{"name":"GdipFillEllipseI","features":[412]},{"name":"GdipFillPath","features":[412]},{"name":"GdipFillPie","features":[412]},{"name":"GdipFillPieI","features":[412]},{"name":"GdipFillPolygon","features":[412]},{"name":"GdipFillPolygon2","features":[412]},{"name":"GdipFillPolygon2I","features":[412]},{"name":"GdipFillPolygonI","features":[412]},{"name":"GdipFillRectangle","features":[412]},{"name":"GdipFillRectangleI","features":[412]},{"name":"GdipFillRectangles","features":[412]},{"name":"GdipFillRectanglesI","features":[412]},{"name":"GdipFillRegion","features":[412]},{"name":"GdipFindFirstImageItem","features":[412]},{"name":"GdipFindNextImageItem","features":[412]},{"name":"GdipFlattenPath","features":[412]},{"name":"GdipFlush","features":[412]},{"name":"GdipFree","features":[412]},{"name":"GdipGetAdjustableArrowCapFillState","features":[308,412]},{"name":"GdipGetAdjustableArrowCapHeight","features":[412]},{"name":"GdipGetAdjustableArrowCapMiddleInset","features":[412]},{"name":"GdipGetAdjustableArrowCapWidth","features":[412]},{"name":"GdipGetAllPropertyItems","features":[412]},{"name":"GdipGetBrushType","features":[412]},{"name":"GdipGetCellAscent","features":[412]},{"name":"GdipGetCellDescent","features":[412]},{"name":"GdipGetClip","features":[412]},{"name":"GdipGetClipBounds","features":[412]},{"name":"GdipGetClipBoundsI","features":[412]},{"name":"GdipGetCompositingMode","features":[412]},{"name":"GdipGetCompositingQuality","features":[412]},{"name":"GdipGetCustomLineCapBaseCap","features":[412]},{"name":"GdipGetCustomLineCapBaseInset","features":[412]},{"name":"GdipGetCustomLineCapStrokeCaps","features":[412]},{"name":"GdipGetCustomLineCapStrokeJoin","features":[412]},{"name":"GdipGetCustomLineCapType","features":[412]},{"name":"GdipGetCustomLineCapWidthScale","features":[412]},{"name":"GdipGetDC","features":[319,412]},{"name":"GdipGetDpiX","features":[412]},{"name":"GdipGetDpiY","features":[412]},{"name":"GdipGetEffectParameterSize","features":[412]},{"name":"GdipGetEffectParameters","features":[412]},{"name":"GdipGetEmHeight","features":[412]},{"name":"GdipGetEncoderParameterList","features":[412]},{"name":"GdipGetEncoderParameterListSize","features":[412]},{"name":"GdipGetFamily","features":[412]},{"name":"GdipGetFamilyName","features":[412]},{"name":"GdipGetFontCollectionFamilyCount","features":[412]},{"name":"GdipGetFontCollectionFamilyList","features":[412]},{"name":"GdipGetFontHeight","features":[412]},{"name":"GdipGetFontHeightGivenDPI","features":[412]},{"name":"GdipGetFontSize","features":[412]},{"name":"GdipGetFontStyle","features":[412]},{"name":"GdipGetFontUnit","features":[412]},{"name":"GdipGetGenericFontFamilyMonospace","features":[412]},{"name":"GdipGetGenericFontFamilySansSerif","features":[412]},{"name":"GdipGetGenericFontFamilySerif","features":[412]},{"name":"GdipGetHatchBackgroundColor","features":[412]},{"name":"GdipGetHatchForegroundColor","features":[412]},{"name":"GdipGetHatchStyle","features":[412]},{"name":"GdipGetHemfFromMetafile","features":[319,412]},{"name":"GdipGetImageAttributesAdjustedPalette","features":[412]},{"name":"GdipGetImageBounds","features":[412]},{"name":"GdipGetImageDecoders","features":[412]},{"name":"GdipGetImageDecodersSize","features":[412]},{"name":"GdipGetImageDimension","features":[412]},{"name":"GdipGetImageEncoders","features":[412]},{"name":"GdipGetImageEncodersSize","features":[412]},{"name":"GdipGetImageFlags","features":[412]},{"name":"GdipGetImageGraphicsContext","features":[412]},{"name":"GdipGetImageHeight","features":[412]},{"name":"GdipGetImageHorizontalResolution","features":[412]},{"name":"GdipGetImageItemData","features":[412]},{"name":"GdipGetImagePalette","features":[412]},{"name":"GdipGetImagePaletteSize","features":[412]},{"name":"GdipGetImagePixelFormat","features":[412]},{"name":"GdipGetImageRawFormat","features":[412]},{"name":"GdipGetImageThumbnail","features":[412]},{"name":"GdipGetImageType","features":[412]},{"name":"GdipGetImageVerticalResolution","features":[412]},{"name":"GdipGetImageWidth","features":[412]},{"name":"GdipGetInterpolationMode","features":[412]},{"name":"GdipGetLineBlend","features":[412]},{"name":"GdipGetLineBlendCount","features":[412]},{"name":"GdipGetLineColors","features":[412]},{"name":"GdipGetLineGammaCorrection","features":[308,412]},{"name":"GdipGetLinePresetBlend","features":[412]},{"name":"GdipGetLinePresetBlendCount","features":[412]},{"name":"GdipGetLineRect","features":[412]},{"name":"GdipGetLineRectI","features":[412]},{"name":"GdipGetLineSpacing","features":[412]},{"name":"GdipGetLineTransform","features":[412]},{"name":"GdipGetLineWrapMode","features":[412]},{"name":"GdipGetLogFontA","features":[319,412]},{"name":"GdipGetLogFontW","features":[319,412]},{"name":"GdipGetMatrixElements","features":[412]},{"name":"GdipGetMetafileDownLevelRasterizationLimit","features":[412]},{"name":"GdipGetMetafileHeaderFromEmf","features":[308,319,412]},{"name":"GdipGetMetafileHeaderFromFile","features":[308,319,412]},{"name":"GdipGetMetafileHeaderFromMetafile","features":[308,319,412]},{"name":"GdipGetMetafileHeaderFromStream","features":[308,319,412,359]},{"name":"GdipGetMetafileHeaderFromWmf","features":[308,319,412]},{"name":"GdipGetNearestColor","features":[412]},{"name":"GdipGetPageScale","features":[412]},{"name":"GdipGetPageUnit","features":[412]},{"name":"GdipGetPathData","features":[412]},{"name":"GdipGetPathFillMode","features":[412]},{"name":"GdipGetPathGradientBlend","features":[412]},{"name":"GdipGetPathGradientBlendCount","features":[412]},{"name":"GdipGetPathGradientCenterColor","features":[412]},{"name":"GdipGetPathGradientCenterPoint","features":[412]},{"name":"GdipGetPathGradientCenterPointI","features":[412]},{"name":"GdipGetPathGradientFocusScales","features":[412]},{"name":"GdipGetPathGradientGammaCorrection","features":[308,412]},{"name":"GdipGetPathGradientPath","features":[412]},{"name":"GdipGetPathGradientPointCount","features":[412]},{"name":"GdipGetPathGradientPresetBlend","features":[412]},{"name":"GdipGetPathGradientPresetBlendCount","features":[412]},{"name":"GdipGetPathGradientRect","features":[412]},{"name":"GdipGetPathGradientRectI","features":[412]},{"name":"GdipGetPathGradientSurroundColorCount","features":[412]},{"name":"GdipGetPathGradientSurroundColorsWithCount","features":[412]},{"name":"GdipGetPathGradientTransform","features":[412]},{"name":"GdipGetPathGradientWrapMode","features":[412]},{"name":"GdipGetPathLastPoint","features":[412]},{"name":"GdipGetPathPoints","features":[412]},{"name":"GdipGetPathPointsI","features":[412]},{"name":"GdipGetPathTypes","features":[412]},{"name":"GdipGetPathWorldBounds","features":[412]},{"name":"GdipGetPathWorldBoundsI","features":[412]},{"name":"GdipGetPenBrushFill","features":[412]},{"name":"GdipGetPenColor","features":[412]},{"name":"GdipGetPenCompoundArray","features":[412]},{"name":"GdipGetPenCompoundCount","features":[412]},{"name":"GdipGetPenCustomEndCap","features":[412]},{"name":"GdipGetPenCustomStartCap","features":[412]},{"name":"GdipGetPenDashArray","features":[412]},{"name":"GdipGetPenDashCap197819","features":[412]},{"name":"GdipGetPenDashCount","features":[412]},{"name":"GdipGetPenDashOffset","features":[412]},{"name":"GdipGetPenDashStyle","features":[412]},{"name":"GdipGetPenEndCap","features":[412]},{"name":"GdipGetPenFillType","features":[412]},{"name":"GdipGetPenLineJoin","features":[412]},{"name":"GdipGetPenMiterLimit","features":[412]},{"name":"GdipGetPenMode","features":[412]},{"name":"GdipGetPenStartCap","features":[412]},{"name":"GdipGetPenTransform","features":[412]},{"name":"GdipGetPenUnit","features":[412]},{"name":"GdipGetPenWidth","features":[412]},{"name":"GdipGetPixelOffsetMode","features":[412]},{"name":"GdipGetPointCount","features":[412]},{"name":"GdipGetPropertyCount","features":[412]},{"name":"GdipGetPropertyIdList","features":[412]},{"name":"GdipGetPropertyItem","features":[412]},{"name":"GdipGetPropertyItemSize","features":[412]},{"name":"GdipGetPropertySize","features":[412]},{"name":"GdipGetRegionBounds","features":[412]},{"name":"GdipGetRegionBoundsI","features":[412]},{"name":"GdipGetRegionData","features":[412]},{"name":"GdipGetRegionDataSize","features":[412]},{"name":"GdipGetRegionHRgn","features":[319,412]},{"name":"GdipGetRegionScans","features":[412]},{"name":"GdipGetRegionScansCount","features":[412]},{"name":"GdipGetRegionScansI","features":[412]},{"name":"GdipGetRenderingOrigin","features":[412]},{"name":"GdipGetSmoothingMode","features":[412]},{"name":"GdipGetSolidFillColor","features":[412]},{"name":"GdipGetStringFormatAlign","features":[412]},{"name":"GdipGetStringFormatDigitSubstitution","features":[412]},{"name":"GdipGetStringFormatFlags","features":[412]},{"name":"GdipGetStringFormatHotkeyPrefix","features":[412]},{"name":"GdipGetStringFormatLineAlign","features":[412]},{"name":"GdipGetStringFormatMeasurableCharacterRangeCount","features":[412]},{"name":"GdipGetStringFormatTabStopCount","features":[412]},{"name":"GdipGetStringFormatTabStops","features":[412]},{"name":"GdipGetStringFormatTrimming","features":[412]},{"name":"GdipGetTextContrast","features":[412]},{"name":"GdipGetTextRenderingHint","features":[412]},{"name":"GdipGetTextureImage","features":[412]},{"name":"GdipGetTextureTransform","features":[412]},{"name":"GdipGetTextureWrapMode","features":[412]},{"name":"GdipGetVisibleClipBounds","features":[412]},{"name":"GdipGetVisibleClipBoundsI","features":[412]},{"name":"GdipGetWorldTransform","features":[412]},{"name":"GdipGraphicsClear","features":[412]},{"name":"GdipGraphicsSetAbort","features":[412]},{"name":"GdipImageForceValidation","features":[412]},{"name":"GdipImageGetFrameCount","features":[412]},{"name":"GdipImageGetFrameDimensionsCount","features":[412]},{"name":"GdipImageGetFrameDimensionsList","features":[412]},{"name":"GdipImageRotateFlip","features":[412]},{"name":"GdipImageSelectActiveFrame","features":[412]},{"name":"GdipImageSetAbort","features":[412]},{"name":"GdipInitializePalette","features":[308,412]},{"name":"GdipInvertMatrix","features":[412]},{"name":"GdipIsClipEmpty","features":[308,412]},{"name":"GdipIsEmptyRegion","features":[308,412]},{"name":"GdipIsEqualRegion","features":[308,412]},{"name":"GdipIsInfiniteRegion","features":[308,412]},{"name":"GdipIsMatrixEqual","features":[308,412]},{"name":"GdipIsMatrixIdentity","features":[308,412]},{"name":"GdipIsMatrixInvertible","features":[308,412]},{"name":"GdipIsOutlineVisiblePathPoint","features":[308,412]},{"name":"GdipIsOutlineVisiblePathPointI","features":[308,412]},{"name":"GdipIsStyleAvailable","features":[308,412]},{"name":"GdipIsVisibleClipEmpty","features":[308,412]},{"name":"GdipIsVisiblePathPoint","features":[308,412]},{"name":"GdipIsVisiblePathPointI","features":[308,412]},{"name":"GdipIsVisiblePoint","features":[308,412]},{"name":"GdipIsVisiblePointI","features":[308,412]},{"name":"GdipIsVisibleRect","features":[308,412]},{"name":"GdipIsVisibleRectI","features":[308,412]},{"name":"GdipIsVisibleRegionPoint","features":[308,412]},{"name":"GdipIsVisibleRegionPointI","features":[308,412]},{"name":"GdipIsVisibleRegionRect","features":[308,412]},{"name":"GdipIsVisibleRegionRectI","features":[308,412]},{"name":"GdipLoadImageFromFile","features":[412]},{"name":"GdipLoadImageFromFileICM","features":[412]},{"name":"GdipLoadImageFromStream","features":[412,359]},{"name":"GdipLoadImageFromStreamICM","features":[412,359]},{"name":"GdipMeasureCharacterRanges","features":[412]},{"name":"GdipMeasureDriverString","features":[412]},{"name":"GdipMeasureString","features":[412]},{"name":"GdipMultiplyLineTransform","features":[412]},{"name":"GdipMultiplyMatrix","features":[412]},{"name":"GdipMultiplyPathGradientTransform","features":[412]},{"name":"GdipMultiplyPenTransform","features":[412]},{"name":"GdipMultiplyTextureTransform","features":[412]},{"name":"GdipMultiplyWorldTransform","features":[412]},{"name":"GdipNewInstalledFontCollection","features":[412]},{"name":"GdipNewPrivateFontCollection","features":[412]},{"name":"GdipPathIterCopyData","features":[412]},{"name":"GdipPathIterEnumerate","features":[412]},{"name":"GdipPathIterGetCount","features":[412]},{"name":"GdipPathIterGetSubpathCount","features":[412]},{"name":"GdipPathIterHasCurve","features":[308,412]},{"name":"GdipPathIterIsValid","features":[308,412]},{"name":"GdipPathIterNextMarker","features":[412]},{"name":"GdipPathIterNextMarkerPath","features":[412]},{"name":"GdipPathIterNextPathType","features":[412]},{"name":"GdipPathIterNextSubpath","features":[308,412]},{"name":"GdipPathIterNextSubpathPath","features":[308,412]},{"name":"GdipPathIterRewind","features":[412]},{"name":"GdipPlayMetafileRecord","features":[412]},{"name":"GdipPrivateAddFontFile","features":[412]},{"name":"GdipPrivateAddMemoryFont","features":[412]},{"name":"GdipRecordMetafile","features":[319,412]},{"name":"GdipRecordMetafileFileName","features":[319,412]},{"name":"GdipRecordMetafileFileNameI","features":[319,412]},{"name":"GdipRecordMetafileI","features":[319,412]},{"name":"GdipRecordMetafileStream","features":[319,412,359]},{"name":"GdipRecordMetafileStreamI","features":[319,412,359]},{"name":"GdipReleaseDC","features":[319,412]},{"name":"GdipRemovePropertyItem","features":[412]},{"name":"GdipResetClip","features":[412]},{"name":"GdipResetImageAttributes","features":[412]},{"name":"GdipResetLineTransform","features":[412]},{"name":"GdipResetPageTransform","features":[412]},{"name":"GdipResetPath","features":[412]},{"name":"GdipResetPathGradientTransform","features":[412]},{"name":"GdipResetPenTransform","features":[412]},{"name":"GdipResetTextureTransform","features":[412]},{"name":"GdipResetWorldTransform","features":[412]},{"name":"GdipRestoreGraphics","features":[412]},{"name":"GdipReversePath","features":[412]},{"name":"GdipRotateLineTransform","features":[412]},{"name":"GdipRotateMatrix","features":[412]},{"name":"GdipRotatePathGradientTransform","features":[412]},{"name":"GdipRotatePenTransform","features":[412]},{"name":"GdipRotateTextureTransform","features":[412]},{"name":"GdipRotateWorldTransform","features":[412]},{"name":"GdipSaveAdd","features":[412]},{"name":"GdipSaveAddImage","features":[412]},{"name":"GdipSaveGraphics","features":[412]},{"name":"GdipSaveImageToFile","features":[412]},{"name":"GdipSaveImageToStream","features":[412,359]},{"name":"GdipScaleLineTransform","features":[412]},{"name":"GdipScaleMatrix","features":[412]},{"name":"GdipScalePathGradientTransform","features":[412]},{"name":"GdipScalePenTransform","features":[412]},{"name":"GdipScaleTextureTransform","features":[412]},{"name":"GdipScaleWorldTransform","features":[412]},{"name":"GdipSetAdjustableArrowCapFillState","features":[308,412]},{"name":"GdipSetAdjustableArrowCapHeight","features":[412]},{"name":"GdipSetAdjustableArrowCapMiddleInset","features":[412]},{"name":"GdipSetAdjustableArrowCapWidth","features":[412]},{"name":"GdipSetClipGraphics","features":[412]},{"name":"GdipSetClipHrgn","features":[319,412]},{"name":"GdipSetClipPath","features":[412]},{"name":"GdipSetClipRect","features":[412]},{"name":"GdipSetClipRectI","features":[412]},{"name":"GdipSetClipRegion","features":[412]},{"name":"GdipSetCompositingMode","features":[412]},{"name":"GdipSetCompositingQuality","features":[412]},{"name":"GdipSetCustomLineCapBaseCap","features":[412]},{"name":"GdipSetCustomLineCapBaseInset","features":[412]},{"name":"GdipSetCustomLineCapStrokeCaps","features":[412]},{"name":"GdipSetCustomLineCapStrokeJoin","features":[412]},{"name":"GdipSetCustomLineCapWidthScale","features":[412]},{"name":"GdipSetEffectParameters","features":[412]},{"name":"GdipSetEmpty","features":[412]},{"name":"GdipSetImageAttributesCachedBackground","features":[308,412]},{"name":"GdipSetImageAttributesColorKeys","features":[308,412]},{"name":"GdipSetImageAttributesColorMatrix","features":[308,412]},{"name":"GdipSetImageAttributesGamma","features":[308,412]},{"name":"GdipSetImageAttributesNoOp","features":[308,412]},{"name":"GdipSetImageAttributesOutputChannel","features":[308,412]},{"name":"GdipSetImageAttributesOutputChannelColorProfile","features":[308,412]},{"name":"GdipSetImageAttributesRemapTable","features":[308,412]},{"name":"GdipSetImageAttributesThreshold","features":[308,412]},{"name":"GdipSetImageAttributesToIdentity","features":[412]},{"name":"GdipSetImageAttributesWrapMode","features":[308,412]},{"name":"GdipSetImagePalette","features":[412]},{"name":"GdipSetInfinite","features":[412]},{"name":"GdipSetInterpolationMode","features":[412]},{"name":"GdipSetLineBlend","features":[412]},{"name":"GdipSetLineColors","features":[412]},{"name":"GdipSetLineGammaCorrection","features":[308,412]},{"name":"GdipSetLineLinearBlend","features":[412]},{"name":"GdipSetLinePresetBlend","features":[412]},{"name":"GdipSetLineSigmaBlend","features":[412]},{"name":"GdipSetLineTransform","features":[412]},{"name":"GdipSetLineWrapMode","features":[412]},{"name":"GdipSetMatrixElements","features":[412]},{"name":"GdipSetMetafileDownLevelRasterizationLimit","features":[412]},{"name":"GdipSetPageScale","features":[412]},{"name":"GdipSetPageUnit","features":[412]},{"name":"GdipSetPathFillMode","features":[412]},{"name":"GdipSetPathGradientBlend","features":[412]},{"name":"GdipSetPathGradientCenterColor","features":[412]},{"name":"GdipSetPathGradientCenterPoint","features":[412]},{"name":"GdipSetPathGradientCenterPointI","features":[412]},{"name":"GdipSetPathGradientFocusScales","features":[412]},{"name":"GdipSetPathGradientGammaCorrection","features":[308,412]},{"name":"GdipSetPathGradientLinearBlend","features":[412]},{"name":"GdipSetPathGradientPath","features":[412]},{"name":"GdipSetPathGradientPresetBlend","features":[412]},{"name":"GdipSetPathGradientSigmaBlend","features":[412]},{"name":"GdipSetPathGradientSurroundColorsWithCount","features":[412]},{"name":"GdipSetPathGradientTransform","features":[412]},{"name":"GdipSetPathGradientWrapMode","features":[412]},{"name":"GdipSetPathMarker","features":[412]},{"name":"GdipSetPenBrushFill","features":[412]},{"name":"GdipSetPenColor","features":[412]},{"name":"GdipSetPenCompoundArray","features":[412]},{"name":"GdipSetPenCustomEndCap","features":[412]},{"name":"GdipSetPenCustomStartCap","features":[412]},{"name":"GdipSetPenDashArray","features":[412]},{"name":"GdipSetPenDashCap197819","features":[412]},{"name":"GdipSetPenDashOffset","features":[412]},{"name":"GdipSetPenDashStyle","features":[412]},{"name":"GdipSetPenEndCap","features":[412]},{"name":"GdipSetPenLineCap197819","features":[412]},{"name":"GdipSetPenLineJoin","features":[412]},{"name":"GdipSetPenMiterLimit","features":[412]},{"name":"GdipSetPenMode","features":[412]},{"name":"GdipSetPenStartCap","features":[412]},{"name":"GdipSetPenTransform","features":[412]},{"name":"GdipSetPenUnit","features":[412]},{"name":"GdipSetPenWidth","features":[412]},{"name":"GdipSetPixelOffsetMode","features":[412]},{"name":"GdipSetPropertyItem","features":[412]},{"name":"GdipSetRenderingOrigin","features":[412]},{"name":"GdipSetSmoothingMode","features":[412]},{"name":"GdipSetSolidFillColor","features":[412]},{"name":"GdipSetStringFormatAlign","features":[412]},{"name":"GdipSetStringFormatDigitSubstitution","features":[412]},{"name":"GdipSetStringFormatFlags","features":[412]},{"name":"GdipSetStringFormatHotkeyPrefix","features":[412]},{"name":"GdipSetStringFormatLineAlign","features":[412]},{"name":"GdipSetStringFormatMeasurableCharacterRanges","features":[412]},{"name":"GdipSetStringFormatTabStops","features":[412]},{"name":"GdipSetStringFormatTrimming","features":[412]},{"name":"GdipSetTextContrast","features":[412]},{"name":"GdipSetTextRenderingHint","features":[412]},{"name":"GdipSetTextureTransform","features":[412]},{"name":"GdipSetTextureWrapMode","features":[412]},{"name":"GdipSetWorldTransform","features":[412]},{"name":"GdipShearMatrix","features":[412]},{"name":"GdipStartPathFigure","features":[412]},{"name":"GdipStringFormatGetGenericDefault","features":[412]},{"name":"GdipStringFormatGetGenericTypographic","features":[412]},{"name":"GdipTestControl","features":[412]},{"name":"GdipTransformMatrixPoints","features":[412]},{"name":"GdipTransformMatrixPointsI","features":[412]},{"name":"GdipTransformPath","features":[412]},{"name":"GdipTransformPoints","features":[412]},{"name":"GdipTransformPointsI","features":[412]},{"name":"GdipTransformRegion","features":[412]},{"name":"GdipTranslateClip","features":[412]},{"name":"GdipTranslateClipI","features":[412]},{"name":"GdipTranslateLineTransform","features":[412]},{"name":"GdipTranslateMatrix","features":[412]},{"name":"GdipTranslatePathGradientTransform","features":[412]},{"name":"GdipTranslatePenTransform","features":[412]},{"name":"GdipTranslateRegion","features":[412]},{"name":"GdipTranslateRegionI","features":[412]},{"name":"GdipTranslateTextureTransform","features":[412]},{"name":"GdipTranslateWorldTransform","features":[412]},{"name":"GdipVectorTransformMatrixPoints","features":[412]},{"name":"GdipVectorTransformMatrixPointsI","features":[412]},{"name":"GdipWarpPath","features":[412]},{"name":"GdipWidenPath","features":[412]},{"name":"GdipWindingModeOutline","features":[412]},{"name":"GdiplusAbort","features":[412]},{"name":"GdiplusNotInitialized","features":[412]},{"name":"GdiplusNotificationHook","features":[412]},{"name":"GdiplusNotificationUnhook","features":[412]},{"name":"GdiplusShutdown","features":[412]},{"name":"GdiplusStartup","features":[308,412]},{"name":"GdiplusStartupDefault","features":[412]},{"name":"GdiplusStartupInput","features":[308,412]},{"name":"GdiplusStartupInputEx","features":[308,412]},{"name":"GdiplusStartupNoSetRound","features":[412]},{"name":"GdiplusStartupOutput","features":[412]},{"name":"GdiplusStartupParams","features":[412]},{"name":"GdiplusStartupSetPSValue","features":[412]},{"name":"GdiplusStartupTransparencyMask","features":[412]},{"name":"GenericError","features":[412]},{"name":"GenericFontFamily","features":[412]},{"name":"GenericFontFamilyMonospace","features":[412]},{"name":"GenericFontFamilySansSerif","features":[412]},{"name":"GenericFontFamilySerif","features":[412]},{"name":"GetThumbnailImageAbort","features":[308,412]},{"name":"GpAdjustableArrowCap","features":[412]},{"name":"GpBitmap","features":[412]},{"name":"GpBrush","features":[412]},{"name":"GpCachedBitmap","features":[412]},{"name":"GpCustomLineCap","features":[412]},{"name":"GpFont","features":[412]},{"name":"GpFontCollection","features":[412]},{"name":"GpFontFamily","features":[412]},{"name":"GpGraphics","features":[412]},{"name":"GpHatch","features":[412]},{"name":"GpImage","features":[412]},{"name":"GpImageAttributes","features":[412]},{"name":"GpInstalledFontCollection","features":[412]},{"name":"GpLineGradient","features":[412]},{"name":"GpMetafile","features":[412]},{"name":"GpPath","features":[412]},{"name":"GpPathGradient","features":[412]},{"name":"GpPathIterator","features":[412]},{"name":"GpPen","features":[412]},{"name":"GpPrivateFontCollection","features":[412]},{"name":"GpRegion","features":[412]},{"name":"GpSolidFill","features":[412]},{"name":"GpStringFormat","features":[412]},{"name":"GpTestControlEnum","features":[412]},{"name":"GpTexture","features":[412]},{"name":"HatchStyle","features":[412]},{"name":"HatchStyle05Percent","features":[412]},{"name":"HatchStyle10Percent","features":[412]},{"name":"HatchStyle20Percent","features":[412]},{"name":"HatchStyle25Percent","features":[412]},{"name":"HatchStyle30Percent","features":[412]},{"name":"HatchStyle40Percent","features":[412]},{"name":"HatchStyle50Percent","features":[412]},{"name":"HatchStyle60Percent","features":[412]},{"name":"HatchStyle70Percent","features":[412]},{"name":"HatchStyle75Percent","features":[412]},{"name":"HatchStyle80Percent","features":[412]},{"name":"HatchStyle90Percent","features":[412]},{"name":"HatchStyleBackwardDiagonal","features":[412]},{"name":"HatchStyleCross","features":[412]},{"name":"HatchStyleDarkDownwardDiagonal","features":[412]},{"name":"HatchStyleDarkHorizontal","features":[412]},{"name":"HatchStyleDarkUpwardDiagonal","features":[412]},{"name":"HatchStyleDarkVertical","features":[412]},{"name":"HatchStyleDashedDownwardDiagonal","features":[412]},{"name":"HatchStyleDashedHorizontal","features":[412]},{"name":"HatchStyleDashedUpwardDiagonal","features":[412]},{"name":"HatchStyleDashedVertical","features":[412]},{"name":"HatchStyleDiagonalBrick","features":[412]},{"name":"HatchStyleDiagonalCross","features":[412]},{"name":"HatchStyleDivot","features":[412]},{"name":"HatchStyleDottedDiamond","features":[412]},{"name":"HatchStyleDottedGrid","features":[412]},{"name":"HatchStyleForwardDiagonal","features":[412]},{"name":"HatchStyleHorizontal","features":[412]},{"name":"HatchStyleHorizontalBrick","features":[412]},{"name":"HatchStyleLargeCheckerBoard","features":[412]},{"name":"HatchStyleLargeConfetti","features":[412]},{"name":"HatchStyleLargeGrid","features":[412]},{"name":"HatchStyleLightDownwardDiagonal","features":[412]},{"name":"HatchStyleLightHorizontal","features":[412]},{"name":"HatchStyleLightUpwardDiagonal","features":[412]},{"name":"HatchStyleLightVertical","features":[412]},{"name":"HatchStyleMax","features":[412]},{"name":"HatchStyleMin","features":[412]},{"name":"HatchStyleNarrowHorizontal","features":[412]},{"name":"HatchStyleNarrowVertical","features":[412]},{"name":"HatchStyleOutlinedDiamond","features":[412]},{"name":"HatchStylePlaid","features":[412]},{"name":"HatchStyleShingle","features":[412]},{"name":"HatchStyleSmallCheckerBoard","features":[412]},{"name":"HatchStyleSmallConfetti","features":[412]},{"name":"HatchStyleSmallGrid","features":[412]},{"name":"HatchStyleSolidDiamond","features":[412]},{"name":"HatchStyleSphere","features":[412]},{"name":"HatchStyleTotal","features":[412]},{"name":"HatchStyleTrellis","features":[412]},{"name":"HatchStyleVertical","features":[412]},{"name":"HatchStyleWave","features":[412]},{"name":"HatchStyleWeave","features":[412]},{"name":"HatchStyleWideDownwardDiagonal","features":[412]},{"name":"HatchStyleWideUpwardDiagonal","features":[412]},{"name":"HatchStyleZigZag","features":[412]},{"name":"HistogramFormat","features":[412]},{"name":"HistogramFormatA","features":[412]},{"name":"HistogramFormatARGB","features":[412]},{"name":"HistogramFormatB","features":[412]},{"name":"HistogramFormatG","features":[412]},{"name":"HistogramFormatGray","features":[412]},{"name":"HistogramFormatPARGB","features":[412]},{"name":"HistogramFormatR","features":[412]},{"name":"HistogramFormatRGB","features":[412]},{"name":"HotkeyPrefix","features":[412]},{"name":"HotkeyPrefixHide","features":[412]},{"name":"HotkeyPrefixNone","features":[412]},{"name":"HotkeyPrefixShow","features":[412]},{"name":"HueSaturationLightness","features":[308,412]},{"name":"HueSaturationLightnessEffectGuid","features":[412]},{"name":"HueSaturationLightnessParams","features":[412]},{"name":"IImageBytes","features":[412]},{"name":"Image","features":[412]},{"name":"ImageAbort","features":[308,412]},{"name":"ImageCodecFlags","features":[412]},{"name":"ImageCodecFlagsBlockingDecode","features":[412]},{"name":"ImageCodecFlagsBuiltin","features":[412]},{"name":"ImageCodecFlagsDecoder","features":[412]},{"name":"ImageCodecFlagsEncoder","features":[412]},{"name":"ImageCodecFlagsSeekableEncode","features":[412]},{"name":"ImageCodecFlagsSupportBitmap","features":[412]},{"name":"ImageCodecFlagsSupportVector","features":[412]},{"name":"ImageCodecFlagsSystem","features":[412]},{"name":"ImageCodecFlagsUser","features":[412]},{"name":"ImageCodecInfo","features":[412]},{"name":"ImageFlags","features":[412]},{"name":"ImageFlagsCaching","features":[412]},{"name":"ImageFlagsColorSpaceCMYK","features":[412]},{"name":"ImageFlagsColorSpaceGRAY","features":[412]},{"name":"ImageFlagsColorSpaceRGB","features":[412]},{"name":"ImageFlagsColorSpaceYCBCR","features":[412]},{"name":"ImageFlagsColorSpaceYCCK","features":[412]},{"name":"ImageFlagsHasAlpha","features":[412]},{"name":"ImageFlagsHasRealDPI","features":[412]},{"name":"ImageFlagsHasRealPixelSize","features":[412]},{"name":"ImageFlagsHasTranslucent","features":[412]},{"name":"ImageFlagsNone","features":[412]},{"name":"ImageFlagsPartiallyScalable","features":[412]},{"name":"ImageFlagsReadOnly","features":[412]},{"name":"ImageFlagsScalable","features":[412]},{"name":"ImageFormatBMP","features":[412]},{"name":"ImageFormatEMF","features":[412]},{"name":"ImageFormatEXIF","features":[412]},{"name":"ImageFormatGIF","features":[412]},{"name":"ImageFormatHEIF","features":[412]},{"name":"ImageFormatIcon","features":[412]},{"name":"ImageFormatJPEG","features":[412]},{"name":"ImageFormatMemoryBMP","features":[412]},{"name":"ImageFormatPNG","features":[412]},{"name":"ImageFormatTIFF","features":[412]},{"name":"ImageFormatUndefined","features":[412]},{"name":"ImageFormatWEBP","features":[412]},{"name":"ImageFormatWMF","features":[412]},{"name":"ImageItemData","features":[412]},{"name":"ImageLockMode","features":[412]},{"name":"ImageLockModeRead","features":[412]},{"name":"ImageLockModeUserInputBuf","features":[412]},{"name":"ImageLockModeWrite","features":[412]},{"name":"ImageType","features":[412]},{"name":"ImageTypeBitmap","features":[412]},{"name":"ImageTypeMetafile","features":[412]},{"name":"ImageTypeUnknown","features":[412]},{"name":"InstalledFontCollection","features":[412]},{"name":"InsufficientBuffer","features":[412]},{"name":"InterpolationMode","features":[412]},{"name":"InterpolationModeBicubic","features":[412]},{"name":"InterpolationModeBilinear","features":[412]},{"name":"InterpolationModeDefault","features":[412]},{"name":"InterpolationModeHighQuality","features":[412]},{"name":"InterpolationModeHighQualityBicubic","features":[412]},{"name":"InterpolationModeHighQualityBilinear","features":[412]},{"name":"InterpolationModeInvalid","features":[412]},{"name":"InterpolationModeLowQuality","features":[412]},{"name":"InterpolationModeNearestNeighbor","features":[412]},{"name":"InvalidParameter","features":[412]},{"name":"ItemDataPosition","features":[412]},{"name":"ItemDataPositionAfterBits","features":[412]},{"name":"ItemDataPositionAfterHeader","features":[412]},{"name":"ItemDataPositionAfterPalette","features":[412]},{"name":"Levels","features":[308,412]},{"name":"LevelsEffectGuid","features":[412]},{"name":"LevelsParams","features":[412]},{"name":"LineCap","features":[412]},{"name":"LineCapAnchorMask","features":[412]},{"name":"LineCapArrowAnchor","features":[412]},{"name":"LineCapCustom","features":[412]},{"name":"LineCapDiamondAnchor","features":[412]},{"name":"LineCapFlat","features":[412]},{"name":"LineCapNoAnchor","features":[412]},{"name":"LineCapRound","features":[412]},{"name":"LineCapRoundAnchor","features":[412]},{"name":"LineCapSquare","features":[412]},{"name":"LineCapSquareAnchor","features":[412]},{"name":"LineCapTriangle","features":[412]},{"name":"LineJoin","features":[412]},{"name":"LineJoinBevel","features":[412]},{"name":"LineJoinMiter","features":[412]},{"name":"LineJoinMiterClipped","features":[412]},{"name":"LineJoinRound","features":[412]},{"name":"LinearGradientMode","features":[412]},{"name":"LinearGradientModeBackwardDiagonal","features":[412]},{"name":"LinearGradientModeForwardDiagonal","features":[412]},{"name":"LinearGradientModeHorizontal","features":[412]},{"name":"LinearGradientModeVertical","features":[412]},{"name":"Matrix","features":[412]},{"name":"MatrixOrder","features":[412]},{"name":"MatrixOrderAppend","features":[412]},{"name":"MatrixOrderPrepend","features":[412]},{"name":"Metafile","features":[412]},{"name":"MetafileFrameUnit","features":[412]},{"name":"MetafileFrameUnitDocument","features":[412]},{"name":"MetafileFrameUnitGdi","features":[412]},{"name":"MetafileFrameUnitInch","features":[412]},{"name":"MetafileFrameUnitMillimeter","features":[412]},{"name":"MetafileFrameUnitPixel","features":[412]},{"name":"MetafileFrameUnitPoint","features":[412]},{"name":"MetafileHeader","features":[308,319,412]},{"name":"MetafileType","features":[412]},{"name":"MetafileTypeEmf","features":[412]},{"name":"MetafileTypeEmfPlusDual","features":[412]},{"name":"MetafileTypeEmfPlusOnly","features":[412]},{"name":"MetafileTypeInvalid","features":[412]},{"name":"MetafileTypeWmf","features":[412]},{"name":"MetafileTypeWmfPlaceable","features":[412]},{"name":"NotImplemented","features":[412]},{"name":"NotTrueTypeFont","features":[412]},{"name":"NotificationHookProc","features":[412]},{"name":"NotificationUnhookProc","features":[412]},{"name":"ObjectBusy","features":[412]},{"name":"ObjectType","features":[412]},{"name":"ObjectTypeBrush","features":[412]},{"name":"ObjectTypeCustomLineCap","features":[412]},{"name":"ObjectTypeFont","features":[412]},{"name":"ObjectTypeGraphics","features":[412]},{"name":"ObjectTypeImage","features":[412]},{"name":"ObjectTypeImageAttributes","features":[412]},{"name":"ObjectTypeInvalid","features":[412]},{"name":"ObjectTypeMax","features":[412]},{"name":"ObjectTypeMin","features":[412]},{"name":"ObjectTypePath","features":[412]},{"name":"ObjectTypePen","features":[412]},{"name":"ObjectTypeRegion","features":[412]},{"name":"ObjectTypeStringFormat","features":[412]},{"name":"Ok","features":[412]},{"name":"OutOfMemory","features":[412]},{"name":"PWMFRect16","features":[412]},{"name":"PaletteFlags","features":[412]},{"name":"PaletteFlagsGrayScale","features":[412]},{"name":"PaletteFlagsHalftone","features":[412]},{"name":"PaletteFlagsHasAlpha","features":[412]},{"name":"PaletteType","features":[412]},{"name":"PaletteTypeCustom","features":[412]},{"name":"PaletteTypeFixedBW","features":[412]},{"name":"PaletteTypeFixedHalftone125","features":[412]},{"name":"PaletteTypeFixedHalftone216","features":[412]},{"name":"PaletteTypeFixedHalftone252","features":[412]},{"name":"PaletteTypeFixedHalftone256","features":[412]},{"name":"PaletteTypeFixedHalftone27","features":[412]},{"name":"PaletteTypeFixedHalftone64","features":[412]},{"name":"PaletteTypeFixedHalftone8","features":[412]},{"name":"PaletteTypeOptimal","features":[412]},{"name":"PathData","features":[412]},{"name":"PathPointType","features":[412]},{"name":"PathPointTypeBezier","features":[412]},{"name":"PathPointTypeBezier3","features":[412]},{"name":"PathPointTypeCloseSubpath","features":[412]},{"name":"PathPointTypeDashMode","features":[412]},{"name":"PathPointTypeLine","features":[412]},{"name":"PathPointTypePathMarker","features":[412]},{"name":"PathPointTypePathTypeMask","features":[412]},{"name":"PathPointTypeStart","features":[412]},{"name":"PenAlignment","features":[412]},{"name":"PenAlignmentCenter","features":[412]},{"name":"PenAlignmentInset","features":[412]},{"name":"PenType","features":[412]},{"name":"PenTypeHatchFill","features":[412]},{"name":"PenTypeLinearGradient","features":[412]},{"name":"PenTypePathGradient","features":[412]},{"name":"PenTypeSolidColor","features":[412]},{"name":"PenTypeTextureFill","features":[412]},{"name":"PenTypeUnknown","features":[412]},{"name":"PixelFormatAlpha","features":[412]},{"name":"PixelFormatCanonical","features":[412]},{"name":"PixelFormatDontCare","features":[412]},{"name":"PixelFormatExtended","features":[412]},{"name":"PixelFormatGDI","features":[412]},{"name":"PixelFormatIndexed","features":[412]},{"name":"PixelFormatMax","features":[412]},{"name":"PixelFormatPAlpha","features":[412]},{"name":"PixelFormatUndefined","features":[412]},{"name":"PixelOffsetMode","features":[412]},{"name":"PixelOffsetModeDefault","features":[412]},{"name":"PixelOffsetModeHalf","features":[412]},{"name":"PixelOffsetModeHighQuality","features":[412]},{"name":"PixelOffsetModeHighSpeed","features":[412]},{"name":"PixelOffsetModeInvalid","features":[412]},{"name":"PixelOffsetModeNone","features":[412]},{"name":"Point","features":[412]},{"name":"PointF","features":[412]},{"name":"PrivateFontCollection","features":[412]},{"name":"ProfileNotFound","features":[412]},{"name":"PropertyItem","features":[412]},{"name":"PropertyNotFound","features":[412]},{"name":"PropertyNotSupported","features":[412]},{"name":"PropertyTagArtist","features":[412]},{"name":"PropertyTagBitsPerSample","features":[412]},{"name":"PropertyTagCellHeight","features":[412]},{"name":"PropertyTagCellWidth","features":[412]},{"name":"PropertyTagChrominanceTable","features":[412]},{"name":"PropertyTagColorMap","features":[412]},{"name":"PropertyTagColorTransferFunction","features":[412]},{"name":"PropertyTagCompression","features":[412]},{"name":"PropertyTagCopyright","features":[412]},{"name":"PropertyTagDateTime","features":[412]},{"name":"PropertyTagDocumentName","features":[412]},{"name":"PropertyTagDotRange","features":[412]},{"name":"PropertyTagEquipMake","features":[412]},{"name":"PropertyTagEquipModel","features":[412]},{"name":"PropertyTagExifAperture","features":[412]},{"name":"PropertyTagExifBrightness","features":[412]},{"name":"PropertyTagExifCfaPattern","features":[412]},{"name":"PropertyTagExifColorSpace","features":[412]},{"name":"PropertyTagExifCompBPP","features":[412]},{"name":"PropertyTagExifCompConfig","features":[412]},{"name":"PropertyTagExifContrast","features":[412]},{"name":"PropertyTagExifCustomRendered","features":[412]},{"name":"PropertyTagExifDTDigSS","features":[412]},{"name":"PropertyTagExifDTDigitized","features":[412]},{"name":"PropertyTagExifDTOrig","features":[412]},{"name":"PropertyTagExifDTOrigSS","features":[412]},{"name":"PropertyTagExifDTSubsec","features":[412]},{"name":"PropertyTagExifDeviceSettingDesc","features":[412]},{"name":"PropertyTagExifDigitalZoomRatio","features":[412]},{"name":"PropertyTagExifExposureBias","features":[412]},{"name":"PropertyTagExifExposureIndex","features":[412]},{"name":"PropertyTagExifExposureMode","features":[412]},{"name":"PropertyTagExifExposureProg","features":[412]},{"name":"PropertyTagExifExposureTime","features":[412]},{"name":"PropertyTagExifFNumber","features":[412]},{"name":"PropertyTagExifFPXVer","features":[412]},{"name":"PropertyTagExifFileSource","features":[412]},{"name":"PropertyTagExifFlash","features":[412]},{"name":"PropertyTagExifFlashEnergy","features":[412]},{"name":"PropertyTagExifFocalLength","features":[412]},{"name":"PropertyTagExifFocalLengthIn35mmFilm","features":[412]},{"name":"PropertyTagExifFocalResUnit","features":[412]},{"name":"PropertyTagExifFocalXRes","features":[412]},{"name":"PropertyTagExifFocalYRes","features":[412]},{"name":"PropertyTagExifGainControl","features":[412]},{"name":"PropertyTagExifIFD","features":[412]},{"name":"PropertyTagExifISOSpeed","features":[412]},{"name":"PropertyTagExifInterop","features":[412]},{"name":"PropertyTagExifLightSource","features":[412]},{"name":"PropertyTagExifMakerNote","features":[412]},{"name":"PropertyTagExifMaxAperture","features":[412]},{"name":"PropertyTagExifMeteringMode","features":[412]},{"name":"PropertyTagExifOECF","features":[412]},{"name":"PropertyTagExifPixXDim","features":[412]},{"name":"PropertyTagExifPixYDim","features":[412]},{"name":"PropertyTagExifRelatedWav","features":[412]},{"name":"PropertyTagExifSaturation","features":[412]},{"name":"PropertyTagExifSceneCaptureType","features":[412]},{"name":"PropertyTagExifSceneType","features":[412]},{"name":"PropertyTagExifSensingMethod","features":[412]},{"name":"PropertyTagExifSharpness","features":[412]},{"name":"PropertyTagExifShutterSpeed","features":[412]},{"name":"PropertyTagExifSpatialFR","features":[412]},{"name":"PropertyTagExifSpectralSense","features":[412]},{"name":"PropertyTagExifSubjectArea","features":[412]},{"name":"PropertyTagExifSubjectDist","features":[412]},{"name":"PropertyTagExifSubjectDistanceRange","features":[412]},{"name":"PropertyTagExifSubjectLoc","features":[412]},{"name":"PropertyTagExifUniqueImageID","features":[412]},{"name":"PropertyTagExifUserComment","features":[412]},{"name":"PropertyTagExifVer","features":[412]},{"name":"PropertyTagExifWhiteBalance","features":[412]},{"name":"PropertyTagExtraSamples","features":[412]},{"name":"PropertyTagFillOrder","features":[412]},{"name":"PropertyTagFrameDelay","features":[412]},{"name":"PropertyTagFreeByteCounts","features":[412]},{"name":"PropertyTagFreeOffset","features":[412]},{"name":"PropertyTagGamma","features":[412]},{"name":"PropertyTagGlobalPalette","features":[412]},{"name":"PropertyTagGpsAltitude","features":[412]},{"name":"PropertyTagGpsAltitudeRef","features":[412]},{"name":"PropertyTagGpsAreaInformation","features":[412]},{"name":"PropertyTagGpsDate","features":[412]},{"name":"PropertyTagGpsDestBear","features":[412]},{"name":"PropertyTagGpsDestBearRef","features":[412]},{"name":"PropertyTagGpsDestDist","features":[412]},{"name":"PropertyTagGpsDestDistRef","features":[412]},{"name":"PropertyTagGpsDestLat","features":[412]},{"name":"PropertyTagGpsDestLatRef","features":[412]},{"name":"PropertyTagGpsDestLong","features":[412]},{"name":"PropertyTagGpsDestLongRef","features":[412]},{"name":"PropertyTagGpsDifferential","features":[412]},{"name":"PropertyTagGpsGpsDop","features":[412]},{"name":"PropertyTagGpsGpsMeasureMode","features":[412]},{"name":"PropertyTagGpsGpsSatellites","features":[412]},{"name":"PropertyTagGpsGpsStatus","features":[412]},{"name":"PropertyTagGpsGpsTime","features":[412]},{"name":"PropertyTagGpsIFD","features":[412]},{"name":"PropertyTagGpsImgDir","features":[412]},{"name":"PropertyTagGpsImgDirRef","features":[412]},{"name":"PropertyTagGpsLatitude","features":[412]},{"name":"PropertyTagGpsLatitudeRef","features":[412]},{"name":"PropertyTagGpsLongitude","features":[412]},{"name":"PropertyTagGpsLongitudeRef","features":[412]},{"name":"PropertyTagGpsMapDatum","features":[412]},{"name":"PropertyTagGpsProcessingMethod","features":[412]},{"name":"PropertyTagGpsSpeed","features":[412]},{"name":"PropertyTagGpsSpeedRef","features":[412]},{"name":"PropertyTagGpsTrack","features":[412]},{"name":"PropertyTagGpsTrackRef","features":[412]},{"name":"PropertyTagGpsVer","features":[412]},{"name":"PropertyTagGrayResponseCurve","features":[412]},{"name":"PropertyTagGrayResponseUnit","features":[412]},{"name":"PropertyTagGridSize","features":[412]},{"name":"PropertyTagHalftoneDegree","features":[412]},{"name":"PropertyTagHalftoneHints","features":[412]},{"name":"PropertyTagHalftoneLPI","features":[412]},{"name":"PropertyTagHalftoneLPIUnit","features":[412]},{"name":"PropertyTagHalftoneMisc","features":[412]},{"name":"PropertyTagHalftoneScreen","features":[412]},{"name":"PropertyTagHalftoneShape","features":[412]},{"name":"PropertyTagHostComputer","features":[412]},{"name":"PropertyTagICCProfile","features":[412]},{"name":"PropertyTagICCProfileDescriptor","features":[412]},{"name":"PropertyTagImageDescription","features":[412]},{"name":"PropertyTagImageHeight","features":[412]},{"name":"PropertyTagImageTitle","features":[412]},{"name":"PropertyTagImageWidth","features":[412]},{"name":"PropertyTagIndexBackground","features":[412]},{"name":"PropertyTagIndexTransparent","features":[412]},{"name":"PropertyTagInkNames","features":[412]},{"name":"PropertyTagInkSet","features":[412]},{"name":"PropertyTagJPEGACTables","features":[412]},{"name":"PropertyTagJPEGDCTables","features":[412]},{"name":"PropertyTagJPEGInterFormat","features":[412]},{"name":"PropertyTagJPEGInterLength","features":[412]},{"name":"PropertyTagJPEGLosslessPredictors","features":[412]},{"name":"PropertyTagJPEGPointTransforms","features":[412]},{"name":"PropertyTagJPEGProc","features":[412]},{"name":"PropertyTagJPEGQTables","features":[412]},{"name":"PropertyTagJPEGQuality","features":[412]},{"name":"PropertyTagJPEGRestartInterval","features":[412]},{"name":"PropertyTagLoopCount","features":[412]},{"name":"PropertyTagLuminanceTable","features":[412]},{"name":"PropertyTagMaxSampleValue","features":[412]},{"name":"PropertyTagMinSampleValue","features":[412]},{"name":"PropertyTagNewSubfileType","features":[412]},{"name":"PropertyTagNumberOfInks","features":[412]},{"name":"PropertyTagOrientation","features":[412]},{"name":"PropertyTagPageName","features":[412]},{"name":"PropertyTagPageNumber","features":[412]},{"name":"PropertyTagPaletteHistogram","features":[412]},{"name":"PropertyTagPhotometricInterp","features":[412]},{"name":"PropertyTagPixelPerUnitX","features":[412]},{"name":"PropertyTagPixelPerUnitY","features":[412]},{"name":"PropertyTagPixelUnit","features":[412]},{"name":"PropertyTagPlanarConfig","features":[412]},{"name":"PropertyTagPredictor","features":[412]},{"name":"PropertyTagPrimaryChromaticities","features":[412]},{"name":"PropertyTagPrintFlags","features":[412]},{"name":"PropertyTagPrintFlagsBleedWidth","features":[412]},{"name":"PropertyTagPrintFlagsBleedWidthScale","features":[412]},{"name":"PropertyTagPrintFlagsCrop","features":[412]},{"name":"PropertyTagPrintFlagsVersion","features":[412]},{"name":"PropertyTagREFBlackWhite","features":[412]},{"name":"PropertyTagResolutionUnit","features":[412]},{"name":"PropertyTagResolutionXLengthUnit","features":[412]},{"name":"PropertyTagResolutionXUnit","features":[412]},{"name":"PropertyTagResolutionYLengthUnit","features":[412]},{"name":"PropertyTagResolutionYUnit","features":[412]},{"name":"PropertyTagRowsPerStrip","features":[412]},{"name":"PropertyTagSMaxSampleValue","features":[412]},{"name":"PropertyTagSMinSampleValue","features":[412]},{"name":"PropertyTagSRGBRenderingIntent","features":[412]},{"name":"PropertyTagSampleFormat","features":[412]},{"name":"PropertyTagSamplesPerPixel","features":[412]},{"name":"PropertyTagSoftwareUsed","features":[412]},{"name":"PropertyTagStripBytesCount","features":[412]},{"name":"PropertyTagStripOffsets","features":[412]},{"name":"PropertyTagSubfileType","features":[412]},{"name":"PropertyTagT4Option","features":[412]},{"name":"PropertyTagT6Option","features":[412]},{"name":"PropertyTagTargetPrinter","features":[412]},{"name":"PropertyTagThreshHolding","features":[412]},{"name":"PropertyTagThumbnailArtist","features":[412]},{"name":"PropertyTagThumbnailBitsPerSample","features":[412]},{"name":"PropertyTagThumbnailColorDepth","features":[412]},{"name":"PropertyTagThumbnailCompressedSize","features":[412]},{"name":"PropertyTagThumbnailCompression","features":[412]},{"name":"PropertyTagThumbnailCopyRight","features":[412]},{"name":"PropertyTagThumbnailData","features":[412]},{"name":"PropertyTagThumbnailDateTime","features":[412]},{"name":"PropertyTagThumbnailEquipMake","features":[412]},{"name":"PropertyTagThumbnailEquipModel","features":[412]},{"name":"PropertyTagThumbnailFormat","features":[412]},{"name":"PropertyTagThumbnailHeight","features":[412]},{"name":"PropertyTagThumbnailImageDescription","features":[412]},{"name":"PropertyTagThumbnailImageHeight","features":[412]},{"name":"PropertyTagThumbnailImageWidth","features":[412]},{"name":"PropertyTagThumbnailOrientation","features":[412]},{"name":"PropertyTagThumbnailPhotometricInterp","features":[412]},{"name":"PropertyTagThumbnailPlanarConfig","features":[412]},{"name":"PropertyTagThumbnailPlanes","features":[412]},{"name":"PropertyTagThumbnailPrimaryChromaticities","features":[412]},{"name":"PropertyTagThumbnailRawBytes","features":[412]},{"name":"PropertyTagThumbnailRefBlackWhite","features":[412]},{"name":"PropertyTagThumbnailResolutionUnit","features":[412]},{"name":"PropertyTagThumbnailResolutionX","features":[412]},{"name":"PropertyTagThumbnailResolutionY","features":[412]},{"name":"PropertyTagThumbnailRowsPerStrip","features":[412]},{"name":"PropertyTagThumbnailSamplesPerPixel","features":[412]},{"name":"PropertyTagThumbnailSize","features":[412]},{"name":"PropertyTagThumbnailSoftwareUsed","features":[412]},{"name":"PropertyTagThumbnailStripBytesCount","features":[412]},{"name":"PropertyTagThumbnailStripOffsets","features":[412]},{"name":"PropertyTagThumbnailTransferFunction","features":[412]},{"name":"PropertyTagThumbnailWhitePoint","features":[412]},{"name":"PropertyTagThumbnailWidth","features":[412]},{"name":"PropertyTagThumbnailYCbCrCoefficients","features":[412]},{"name":"PropertyTagThumbnailYCbCrPositioning","features":[412]},{"name":"PropertyTagThumbnailYCbCrSubsampling","features":[412]},{"name":"PropertyTagTileByteCounts","features":[412]},{"name":"PropertyTagTileLength","features":[412]},{"name":"PropertyTagTileOffset","features":[412]},{"name":"PropertyTagTileWidth","features":[412]},{"name":"PropertyTagTransferFuncition","features":[412]},{"name":"PropertyTagTransferRange","features":[412]},{"name":"PropertyTagTypeASCII","features":[412]},{"name":"PropertyTagTypeByte","features":[412]},{"name":"PropertyTagTypeLong","features":[412]},{"name":"PropertyTagTypeRational","features":[412]},{"name":"PropertyTagTypeSLONG","features":[412]},{"name":"PropertyTagTypeSRational","features":[412]},{"name":"PropertyTagTypeShort","features":[412]},{"name":"PropertyTagTypeUndefined","features":[412]},{"name":"PropertyTagWhitePoint","features":[412]},{"name":"PropertyTagXPosition","features":[412]},{"name":"PropertyTagXResolution","features":[412]},{"name":"PropertyTagYCbCrCoefficients","features":[412]},{"name":"PropertyTagYCbCrPositioning","features":[412]},{"name":"PropertyTagYCbCrSubsampling","features":[412]},{"name":"PropertyTagYPosition","features":[412]},{"name":"PropertyTagYResolution","features":[412]},{"name":"QualityMode","features":[412]},{"name":"QualityModeDefault","features":[412]},{"name":"QualityModeHigh","features":[412]},{"name":"QualityModeInvalid","features":[412]},{"name":"QualityModeLow","features":[412]},{"name":"RED_SHIFT","features":[412]},{"name":"Rect","features":[412]},{"name":"RectF","features":[412]},{"name":"RedEyeCorrection","features":[308,412]},{"name":"RedEyeCorrectionEffectGuid","features":[412]},{"name":"RedEyeCorrectionParams","features":[308,412]},{"name":"Region","features":[412]},{"name":"Rotate180FlipNone","features":[412]},{"name":"Rotate180FlipX","features":[412]},{"name":"Rotate180FlipXY","features":[412]},{"name":"Rotate180FlipY","features":[412]},{"name":"Rotate270FlipNone","features":[412]},{"name":"Rotate270FlipX","features":[412]},{"name":"Rotate270FlipXY","features":[412]},{"name":"Rotate270FlipY","features":[412]},{"name":"Rotate90FlipNone","features":[412]},{"name":"Rotate90FlipX","features":[412]},{"name":"Rotate90FlipXY","features":[412]},{"name":"Rotate90FlipY","features":[412]},{"name":"RotateFlipType","features":[412]},{"name":"RotateNoneFlipNone","features":[412]},{"name":"RotateNoneFlipX","features":[412]},{"name":"RotateNoneFlipXY","features":[412]},{"name":"RotateNoneFlipY","features":[412]},{"name":"Sharpen","features":[308,412]},{"name":"SharpenEffectGuid","features":[412]},{"name":"SharpenParams","features":[412]},{"name":"Size","features":[412]},{"name":"SizeF","features":[412]},{"name":"SmoothingMode","features":[412]},{"name":"SmoothingModeAntiAlias","features":[412]},{"name":"SmoothingModeAntiAlias8x4","features":[412]},{"name":"SmoothingModeAntiAlias8x8","features":[412]},{"name":"SmoothingModeDefault","features":[412]},{"name":"SmoothingModeHighQuality","features":[412]},{"name":"SmoothingModeHighSpeed","features":[412]},{"name":"SmoothingModeInvalid","features":[412]},{"name":"SmoothingModeNone","features":[412]},{"name":"Status","features":[412]},{"name":"StringAlignment","features":[412]},{"name":"StringAlignmentCenter","features":[412]},{"name":"StringAlignmentFar","features":[412]},{"name":"StringAlignmentNear","features":[412]},{"name":"StringDigitSubstitute","features":[412]},{"name":"StringDigitSubstituteNational","features":[412]},{"name":"StringDigitSubstituteNone","features":[412]},{"name":"StringDigitSubstituteTraditional","features":[412]},{"name":"StringDigitSubstituteUser","features":[412]},{"name":"StringFormatFlags","features":[412]},{"name":"StringFormatFlagsBypassGDI","features":[412]},{"name":"StringFormatFlagsDirectionRightToLeft","features":[412]},{"name":"StringFormatFlagsDirectionVertical","features":[412]},{"name":"StringFormatFlagsDisplayFormatControl","features":[412]},{"name":"StringFormatFlagsLineLimit","features":[412]},{"name":"StringFormatFlagsMeasureTrailingSpaces","features":[412]},{"name":"StringFormatFlagsNoClip","features":[412]},{"name":"StringFormatFlagsNoFitBlackBox","features":[412]},{"name":"StringFormatFlagsNoFontFallback","features":[412]},{"name":"StringFormatFlagsNoWrap","features":[412]},{"name":"StringTrimming","features":[412]},{"name":"StringTrimmingCharacter","features":[412]},{"name":"StringTrimmingEllipsisCharacter","features":[412]},{"name":"StringTrimmingEllipsisPath","features":[412]},{"name":"StringTrimmingEllipsisWord","features":[412]},{"name":"StringTrimmingNone","features":[412]},{"name":"StringTrimmingWord","features":[412]},{"name":"TestControlForceBilinear","features":[412]},{"name":"TestControlGetBuildNumber","features":[412]},{"name":"TestControlNoICM","features":[412]},{"name":"TextRenderingHint","features":[412]},{"name":"TextRenderingHintAntiAlias","features":[412]},{"name":"TextRenderingHintAntiAliasGridFit","features":[412]},{"name":"TextRenderingHintClearTypeGridFit","features":[412]},{"name":"TextRenderingHintSingleBitPerPixel","features":[412]},{"name":"TextRenderingHintSingleBitPerPixelGridFit","features":[412]},{"name":"TextRenderingHintSystemDefault","features":[412]},{"name":"Tint","features":[308,412]},{"name":"TintEffectGuid","features":[412]},{"name":"TintParams","features":[412]},{"name":"Unit","features":[412]},{"name":"UnitDisplay","features":[412]},{"name":"UnitDocument","features":[412]},{"name":"UnitInch","features":[412]},{"name":"UnitMillimeter","features":[412]},{"name":"UnitPixel","features":[412]},{"name":"UnitPoint","features":[412]},{"name":"UnitWorld","features":[412]},{"name":"UnknownImageFormat","features":[412]},{"name":"UnsupportedGdiplusVersion","features":[412]},{"name":"ValueOverflow","features":[412]},{"name":"WarpMode","features":[412]},{"name":"WarpModeBilinear","features":[412]},{"name":"WarpModePerspective","features":[412]},{"name":"Win32Error","features":[412]},{"name":"WmfPlaceableFileHeader","features":[412]},{"name":"WmfRecordTypeAbortDoc","features":[412]},{"name":"WmfRecordTypeAnimatePalette","features":[412]},{"name":"WmfRecordTypeArc","features":[412]},{"name":"WmfRecordTypeBitBlt","features":[412]},{"name":"WmfRecordTypeChord","features":[412]},{"name":"WmfRecordTypeCreateBitmap","features":[412]},{"name":"WmfRecordTypeCreateBitmapIndirect","features":[412]},{"name":"WmfRecordTypeCreateBrush","features":[412]},{"name":"WmfRecordTypeCreateBrushIndirect","features":[412]},{"name":"WmfRecordTypeCreateFontIndirect","features":[412]},{"name":"WmfRecordTypeCreatePalette","features":[412]},{"name":"WmfRecordTypeCreatePatternBrush","features":[412]},{"name":"WmfRecordTypeCreatePenIndirect","features":[412]},{"name":"WmfRecordTypeCreateRegion","features":[412]},{"name":"WmfRecordTypeDIBBitBlt","features":[412]},{"name":"WmfRecordTypeDIBCreatePatternBrush","features":[412]},{"name":"WmfRecordTypeDIBStretchBlt","features":[412]},{"name":"WmfRecordTypeDeleteObject","features":[412]},{"name":"WmfRecordTypeDrawText","features":[412]},{"name":"WmfRecordTypeEllipse","features":[412]},{"name":"WmfRecordTypeEndDoc","features":[412]},{"name":"WmfRecordTypeEndPage","features":[412]},{"name":"WmfRecordTypeEscape","features":[412]},{"name":"WmfRecordTypeExcludeClipRect","features":[412]},{"name":"WmfRecordTypeExtFloodFill","features":[412]},{"name":"WmfRecordTypeExtTextOut","features":[412]},{"name":"WmfRecordTypeFillRegion","features":[412]},{"name":"WmfRecordTypeFloodFill","features":[412]},{"name":"WmfRecordTypeFrameRegion","features":[412]},{"name":"WmfRecordTypeIntersectClipRect","features":[412]},{"name":"WmfRecordTypeInvertRegion","features":[412]},{"name":"WmfRecordTypeLineTo","features":[412]},{"name":"WmfRecordTypeMoveTo","features":[412]},{"name":"WmfRecordTypeOffsetClipRgn","features":[412]},{"name":"WmfRecordTypeOffsetViewportOrg","features":[412]},{"name":"WmfRecordTypeOffsetWindowOrg","features":[412]},{"name":"WmfRecordTypePaintRegion","features":[412]},{"name":"WmfRecordTypePatBlt","features":[412]},{"name":"WmfRecordTypePie","features":[412]},{"name":"WmfRecordTypePolyPolygon","features":[412]},{"name":"WmfRecordTypePolygon","features":[412]},{"name":"WmfRecordTypePolyline","features":[412]},{"name":"WmfRecordTypeRealizePalette","features":[412]},{"name":"WmfRecordTypeRectangle","features":[412]},{"name":"WmfRecordTypeResetDC","features":[412]},{"name":"WmfRecordTypeResizePalette","features":[412]},{"name":"WmfRecordTypeRestoreDC","features":[412]},{"name":"WmfRecordTypeRoundRect","features":[412]},{"name":"WmfRecordTypeSaveDC","features":[412]},{"name":"WmfRecordTypeScaleViewportExt","features":[412]},{"name":"WmfRecordTypeScaleWindowExt","features":[412]},{"name":"WmfRecordTypeSelectClipRegion","features":[412]},{"name":"WmfRecordTypeSelectObject","features":[412]},{"name":"WmfRecordTypeSelectPalette","features":[412]},{"name":"WmfRecordTypeSetBkColor","features":[412]},{"name":"WmfRecordTypeSetBkMode","features":[412]},{"name":"WmfRecordTypeSetDIBToDev","features":[412]},{"name":"WmfRecordTypeSetLayout","features":[412]},{"name":"WmfRecordTypeSetMapMode","features":[412]},{"name":"WmfRecordTypeSetMapperFlags","features":[412]},{"name":"WmfRecordTypeSetPalEntries","features":[412]},{"name":"WmfRecordTypeSetPixel","features":[412]},{"name":"WmfRecordTypeSetPolyFillMode","features":[412]},{"name":"WmfRecordTypeSetROP2","features":[412]},{"name":"WmfRecordTypeSetRelAbs","features":[412]},{"name":"WmfRecordTypeSetStretchBltMode","features":[412]},{"name":"WmfRecordTypeSetTextAlign","features":[412]},{"name":"WmfRecordTypeSetTextCharExtra","features":[412]},{"name":"WmfRecordTypeSetTextColor","features":[412]},{"name":"WmfRecordTypeSetTextJustification","features":[412]},{"name":"WmfRecordTypeSetViewportExt","features":[412]},{"name":"WmfRecordTypeSetViewportOrg","features":[412]},{"name":"WmfRecordTypeSetWindowExt","features":[412]},{"name":"WmfRecordTypeSetWindowOrg","features":[412]},{"name":"WmfRecordTypeStartDoc","features":[412]},{"name":"WmfRecordTypeStartPage","features":[412]},{"name":"WmfRecordTypeStretchBlt","features":[412]},{"name":"WmfRecordTypeStretchDIB","features":[412]},{"name":"WmfRecordTypeTextOut","features":[412]},{"name":"WrapMode","features":[412]},{"name":"WrapModeClamp","features":[412]},{"name":"WrapModeTile","features":[412]},{"name":"WrapModeTileFlipX","features":[412]},{"name":"WrapModeTileFlipXY","features":[412]},{"name":"WrapModeTileFlipY","features":[412]},{"name":"WrongState","features":[412]}],"415":[{"name":"D3DCOMPILE_OPTIMIZATION_LEVEL2","features":[413]},{"name":"D3D_COMPILE_STANDARD_FILE_INCLUDE","features":[413]}],"416":[{"name":"CATID_WICBitmapDecoders","features":[414]},{"name":"CATID_WICBitmapEncoders","features":[414]},{"name":"CATID_WICFormatConverters","features":[414]},{"name":"CATID_WICMetadataReader","features":[414]},{"name":"CATID_WICMetadataWriter","features":[414]},{"name":"CATID_WICPixelFormats","features":[414]},{"name":"CLSID_WIC8BIMIPTCDigestMetadataReader","features":[414]},{"name":"CLSID_WIC8BIMIPTCDigestMetadataWriter","features":[414]},{"name":"CLSID_WIC8BIMIPTCMetadataReader","features":[414]},{"name":"CLSID_WIC8BIMIPTCMetadataWriter","features":[414]},{"name":"CLSID_WIC8BIMResolutionInfoMetadataReader","features":[414]},{"name":"CLSID_WIC8BIMResolutionInfoMetadataWriter","features":[414]},{"name":"CLSID_WICAPEMetadataReader","features":[414]},{"name":"CLSID_WICAPEMetadataWriter","features":[414]},{"name":"CLSID_WICAdngDecoder","features":[414]},{"name":"CLSID_WICApp0MetadataReader","features":[414]},{"name":"CLSID_WICApp0MetadataWriter","features":[414]},{"name":"CLSID_WICApp13MetadataReader","features":[414]},{"name":"CLSID_WICApp13MetadataWriter","features":[414]},{"name":"CLSID_WICApp1MetadataReader","features":[414]},{"name":"CLSID_WICApp1MetadataWriter","features":[414]},{"name":"CLSID_WICBmpDecoder","features":[414]},{"name":"CLSID_WICBmpEncoder","features":[414]},{"name":"CLSID_WICDdsDecoder","features":[414]},{"name":"CLSID_WICDdsEncoder","features":[414]},{"name":"CLSID_WICDdsMetadataReader","features":[414]},{"name":"CLSID_WICDdsMetadataWriter","features":[414]},{"name":"CLSID_WICDefaultFormatConverter","features":[414]},{"name":"CLSID_WICExifMetadataReader","features":[414]},{"name":"CLSID_WICExifMetadataWriter","features":[414]},{"name":"CLSID_WICFormatConverterHighColor","features":[414]},{"name":"CLSID_WICFormatConverterNChannel","features":[414]},{"name":"CLSID_WICFormatConverterWMPhoto","features":[414]},{"name":"CLSID_WICGCEMetadataReader","features":[414]},{"name":"CLSID_WICGCEMetadataWriter","features":[414]},{"name":"CLSID_WICGifCommentMetadataReader","features":[414]},{"name":"CLSID_WICGifCommentMetadataWriter","features":[414]},{"name":"CLSID_WICGifDecoder","features":[414]},{"name":"CLSID_WICGifEncoder","features":[414]},{"name":"CLSID_WICGpsMetadataReader","features":[414]},{"name":"CLSID_WICGpsMetadataWriter","features":[414]},{"name":"CLSID_WICHeifDecoder","features":[414]},{"name":"CLSID_WICHeifEncoder","features":[414]},{"name":"CLSID_WICHeifHDRMetadataReader","features":[414]},{"name":"CLSID_WICHeifMetadataReader","features":[414]},{"name":"CLSID_WICHeifMetadataWriter","features":[414]},{"name":"CLSID_WICIMDMetadataReader","features":[414]},{"name":"CLSID_WICIMDMetadataWriter","features":[414]},{"name":"CLSID_WICIPTCMetadataReader","features":[414]},{"name":"CLSID_WICIPTCMetadataWriter","features":[414]},{"name":"CLSID_WICIRBMetadataReader","features":[414]},{"name":"CLSID_WICIRBMetadataWriter","features":[414]},{"name":"CLSID_WICIcoDecoder","features":[414]},{"name":"CLSID_WICIfdMetadataReader","features":[414]},{"name":"CLSID_WICIfdMetadataWriter","features":[414]},{"name":"CLSID_WICImagingCategories","features":[414]},{"name":"CLSID_WICImagingFactory","features":[414]},{"name":"CLSID_WICImagingFactory1","features":[414]},{"name":"CLSID_WICImagingFactory2","features":[414]},{"name":"CLSID_WICInteropMetadataReader","features":[414]},{"name":"CLSID_WICInteropMetadataWriter","features":[414]},{"name":"CLSID_WICJpegChrominanceMetadataReader","features":[414]},{"name":"CLSID_WICJpegChrominanceMetadataWriter","features":[414]},{"name":"CLSID_WICJpegCommentMetadataReader","features":[414]},{"name":"CLSID_WICJpegCommentMetadataWriter","features":[414]},{"name":"CLSID_WICJpegDecoder","features":[414]},{"name":"CLSID_WICJpegEncoder","features":[414]},{"name":"CLSID_WICJpegLuminanceMetadataReader","features":[414]},{"name":"CLSID_WICJpegLuminanceMetadataWriter","features":[414]},{"name":"CLSID_WICJpegQualcommPhoneEncoder","features":[414]},{"name":"CLSID_WICLSDMetadataReader","features":[414]},{"name":"CLSID_WICLSDMetadataWriter","features":[414]},{"name":"CLSID_WICPlanarFormatConverter","features":[414]},{"name":"CLSID_WICPngBkgdMetadataReader","features":[414]},{"name":"CLSID_WICPngBkgdMetadataWriter","features":[414]},{"name":"CLSID_WICPngChrmMetadataReader","features":[414]},{"name":"CLSID_WICPngChrmMetadataWriter","features":[414]},{"name":"CLSID_WICPngDecoder","features":[414]},{"name":"CLSID_WICPngDecoder1","features":[414]},{"name":"CLSID_WICPngDecoder2","features":[414]},{"name":"CLSID_WICPngEncoder","features":[414]},{"name":"CLSID_WICPngGamaMetadataReader","features":[414]},{"name":"CLSID_WICPngGamaMetadataWriter","features":[414]},{"name":"CLSID_WICPngHistMetadataReader","features":[414]},{"name":"CLSID_WICPngHistMetadataWriter","features":[414]},{"name":"CLSID_WICPngIccpMetadataReader","features":[414]},{"name":"CLSID_WICPngIccpMetadataWriter","features":[414]},{"name":"CLSID_WICPngItxtMetadataReader","features":[414]},{"name":"CLSID_WICPngItxtMetadataWriter","features":[414]},{"name":"CLSID_WICPngSrgbMetadataReader","features":[414]},{"name":"CLSID_WICPngSrgbMetadataWriter","features":[414]},{"name":"CLSID_WICPngTextMetadataReader","features":[414]},{"name":"CLSID_WICPngTextMetadataWriter","features":[414]},{"name":"CLSID_WICPngTimeMetadataReader","features":[414]},{"name":"CLSID_WICPngTimeMetadataWriter","features":[414]},{"name":"CLSID_WICRAWDecoder","features":[414]},{"name":"CLSID_WICSubIfdMetadataReader","features":[414]},{"name":"CLSID_WICSubIfdMetadataWriter","features":[414]},{"name":"CLSID_WICThumbnailMetadataReader","features":[414]},{"name":"CLSID_WICThumbnailMetadataWriter","features":[414]},{"name":"CLSID_WICTiffDecoder","features":[414]},{"name":"CLSID_WICTiffEncoder","features":[414]},{"name":"CLSID_WICUnknownMetadataReader","features":[414]},{"name":"CLSID_WICUnknownMetadataWriter","features":[414]},{"name":"CLSID_WICWebpAnimMetadataReader","features":[414]},{"name":"CLSID_WICWebpAnmfMetadataReader","features":[414]},{"name":"CLSID_WICWebpDecoder","features":[414]},{"name":"CLSID_WICWmpDecoder","features":[414]},{"name":"CLSID_WICWmpEncoder","features":[414]},{"name":"CLSID_WICXMPAltMetadataReader","features":[414]},{"name":"CLSID_WICXMPAltMetadataWriter","features":[414]},{"name":"CLSID_WICXMPBagMetadataReader","features":[414]},{"name":"CLSID_WICXMPBagMetadataWriter","features":[414]},{"name":"CLSID_WICXMPMetadataReader","features":[414]},{"name":"CLSID_WICXMPMetadataWriter","features":[414]},{"name":"CLSID_WICXMPSeqMetadataReader","features":[414]},{"name":"CLSID_WICXMPSeqMetadataWriter","features":[414]},{"name":"CLSID_WICXMPStructMetadataReader","features":[414]},{"name":"CLSID_WICXMPStructMetadataWriter","features":[414]},{"name":"FACILITY_WINCODEC_ERR","features":[414]},{"name":"GUID_ContainerFormatAdng","features":[414]},{"name":"GUID_ContainerFormatBmp","features":[414]},{"name":"GUID_ContainerFormatDds","features":[414]},{"name":"GUID_ContainerFormatGif","features":[414]},{"name":"GUID_ContainerFormatHeif","features":[414]},{"name":"GUID_ContainerFormatIco","features":[414]},{"name":"GUID_ContainerFormatJpeg","features":[414]},{"name":"GUID_ContainerFormatPng","features":[414]},{"name":"GUID_ContainerFormatRaw","features":[414]},{"name":"GUID_ContainerFormatTiff","features":[414]},{"name":"GUID_ContainerFormatWebp","features":[414]},{"name":"GUID_ContainerFormatWmp","features":[414]},{"name":"GUID_MetadataFormat8BIMIPTC","features":[414]},{"name":"GUID_MetadataFormat8BIMIPTCDigest","features":[414]},{"name":"GUID_MetadataFormat8BIMResolutionInfo","features":[414]},{"name":"GUID_MetadataFormatAPE","features":[414]},{"name":"GUID_MetadataFormatApp0","features":[414]},{"name":"GUID_MetadataFormatApp1","features":[414]},{"name":"GUID_MetadataFormatApp13","features":[414]},{"name":"GUID_MetadataFormatChunkbKGD","features":[414]},{"name":"GUID_MetadataFormatChunkcHRM","features":[414]},{"name":"GUID_MetadataFormatChunkgAMA","features":[414]},{"name":"GUID_MetadataFormatChunkhIST","features":[414]},{"name":"GUID_MetadataFormatChunkiCCP","features":[414]},{"name":"GUID_MetadataFormatChunkiTXt","features":[414]},{"name":"GUID_MetadataFormatChunksRGB","features":[414]},{"name":"GUID_MetadataFormatChunktEXt","features":[414]},{"name":"GUID_MetadataFormatChunktIME","features":[414]},{"name":"GUID_MetadataFormatDds","features":[414]},{"name":"GUID_MetadataFormatExif","features":[414]},{"name":"GUID_MetadataFormatGCE","features":[414]},{"name":"GUID_MetadataFormatGifComment","features":[414]},{"name":"GUID_MetadataFormatGps","features":[414]},{"name":"GUID_MetadataFormatHeif","features":[414]},{"name":"GUID_MetadataFormatHeifHDR","features":[414]},{"name":"GUID_MetadataFormatIMD","features":[414]},{"name":"GUID_MetadataFormatIPTC","features":[414]},{"name":"GUID_MetadataFormatIRB","features":[414]},{"name":"GUID_MetadataFormatIfd","features":[414]},{"name":"GUID_MetadataFormatInterop","features":[414]},{"name":"GUID_MetadataFormatJpegChrominance","features":[414]},{"name":"GUID_MetadataFormatJpegComment","features":[414]},{"name":"GUID_MetadataFormatJpegLuminance","features":[414]},{"name":"GUID_MetadataFormatLSD","features":[414]},{"name":"GUID_MetadataFormatSubIfd","features":[414]},{"name":"GUID_MetadataFormatThumbnail","features":[414]},{"name":"GUID_MetadataFormatUnknown","features":[414]},{"name":"GUID_MetadataFormatWebpANIM","features":[414]},{"name":"GUID_MetadataFormatWebpANMF","features":[414]},{"name":"GUID_MetadataFormatXMP","features":[414]},{"name":"GUID_MetadataFormatXMPAlt","features":[414]},{"name":"GUID_MetadataFormatXMPBag","features":[414]},{"name":"GUID_MetadataFormatXMPSeq","features":[414]},{"name":"GUID_MetadataFormatXMPStruct","features":[414]},{"name":"GUID_VendorMicrosoft","features":[414]},{"name":"GUID_VendorMicrosoftBuiltIn","features":[414]},{"name":"GUID_WICPixelFormat112bpp6ChannelsAlpha","features":[414]},{"name":"GUID_WICPixelFormat112bpp7Channels","features":[414]},{"name":"GUID_WICPixelFormat128bpp7ChannelsAlpha","features":[414]},{"name":"GUID_WICPixelFormat128bpp8Channels","features":[414]},{"name":"GUID_WICPixelFormat128bppPRGBAFloat","features":[414]},{"name":"GUID_WICPixelFormat128bppRGBAFixedPoint","features":[414]},{"name":"GUID_WICPixelFormat128bppRGBAFloat","features":[414]},{"name":"GUID_WICPixelFormat128bppRGBFixedPoint","features":[414]},{"name":"GUID_WICPixelFormat128bppRGBFloat","features":[414]},{"name":"GUID_WICPixelFormat144bpp8ChannelsAlpha","features":[414]},{"name":"GUID_WICPixelFormat16bppBGR555","features":[414]},{"name":"GUID_WICPixelFormat16bppBGR565","features":[414]},{"name":"GUID_WICPixelFormat16bppBGRA5551","features":[414]},{"name":"GUID_WICPixelFormat16bppCbCr","features":[414]},{"name":"GUID_WICPixelFormat16bppCbQuantizedDctCoefficients","features":[414]},{"name":"GUID_WICPixelFormat16bppCrQuantizedDctCoefficients","features":[414]},{"name":"GUID_WICPixelFormat16bppGray","features":[414]},{"name":"GUID_WICPixelFormat16bppGrayFixedPoint","features":[414]},{"name":"GUID_WICPixelFormat16bppGrayHalf","features":[414]},{"name":"GUID_WICPixelFormat16bppYQuantizedDctCoefficients","features":[414]},{"name":"GUID_WICPixelFormat1bppIndexed","features":[414]},{"name":"GUID_WICPixelFormat24bpp3Channels","features":[414]},{"name":"GUID_WICPixelFormat24bppBGR","features":[414]},{"name":"GUID_WICPixelFormat24bppRGB","features":[414]},{"name":"GUID_WICPixelFormat2bppGray","features":[414]},{"name":"GUID_WICPixelFormat2bppIndexed","features":[414]},{"name":"GUID_WICPixelFormat32bpp3ChannelsAlpha","features":[414]},{"name":"GUID_WICPixelFormat32bpp4Channels","features":[414]},{"name":"GUID_WICPixelFormat32bppBGR","features":[414]},{"name":"GUID_WICPixelFormat32bppBGR101010","features":[414]},{"name":"GUID_WICPixelFormat32bppBGRA","features":[414]},{"name":"GUID_WICPixelFormat32bppCMYK","features":[414]},{"name":"GUID_WICPixelFormat32bppGrayFixedPoint","features":[414]},{"name":"GUID_WICPixelFormat32bppGrayFloat","features":[414]},{"name":"GUID_WICPixelFormat32bppPBGRA","features":[414]},{"name":"GUID_WICPixelFormat32bppPRGBA","features":[414]},{"name":"GUID_WICPixelFormat32bppR10G10B10A2","features":[414]},{"name":"GUID_WICPixelFormat32bppR10G10B10A2HDR10","features":[414]},{"name":"GUID_WICPixelFormat32bppRGB","features":[414]},{"name":"GUID_WICPixelFormat32bppRGBA","features":[414]},{"name":"GUID_WICPixelFormat32bppRGBA1010102","features":[414]},{"name":"GUID_WICPixelFormat32bppRGBA1010102XR","features":[414]},{"name":"GUID_WICPixelFormat32bppRGBE","features":[414]},{"name":"GUID_WICPixelFormat40bpp4ChannelsAlpha","features":[414]},{"name":"GUID_WICPixelFormat40bpp5Channels","features":[414]},{"name":"GUID_WICPixelFormat40bppCMYKAlpha","features":[414]},{"name":"GUID_WICPixelFormat48bpp3Channels","features":[414]},{"name":"GUID_WICPixelFormat48bpp5ChannelsAlpha","features":[414]},{"name":"GUID_WICPixelFormat48bpp6Channels","features":[414]},{"name":"GUID_WICPixelFormat48bppBGR","features":[414]},{"name":"GUID_WICPixelFormat48bppBGRFixedPoint","features":[414]},{"name":"GUID_WICPixelFormat48bppRGB","features":[414]},{"name":"GUID_WICPixelFormat48bppRGBFixedPoint","features":[414]},{"name":"GUID_WICPixelFormat48bppRGBHalf","features":[414]},{"name":"GUID_WICPixelFormat4bppGray","features":[414]},{"name":"GUID_WICPixelFormat4bppIndexed","features":[414]},{"name":"GUID_WICPixelFormat56bpp6ChannelsAlpha","features":[414]},{"name":"GUID_WICPixelFormat56bpp7Channels","features":[414]},{"name":"GUID_WICPixelFormat64bpp3ChannelsAlpha","features":[414]},{"name":"GUID_WICPixelFormat64bpp4Channels","features":[414]},{"name":"GUID_WICPixelFormat64bpp7ChannelsAlpha","features":[414]},{"name":"GUID_WICPixelFormat64bpp8Channels","features":[414]},{"name":"GUID_WICPixelFormat64bppBGRA","features":[414]},{"name":"GUID_WICPixelFormat64bppBGRAFixedPoint","features":[414]},{"name":"GUID_WICPixelFormat64bppCMYK","features":[414]},{"name":"GUID_WICPixelFormat64bppPBGRA","features":[414]},{"name":"GUID_WICPixelFormat64bppPRGBA","features":[414]},{"name":"GUID_WICPixelFormat64bppPRGBAHalf","features":[414]},{"name":"GUID_WICPixelFormat64bppRGB","features":[414]},{"name":"GUID_WICPixelFormat64bppRGBA","features":[414]},{"name":"GUID_WICPixelFormat64bppRGBAFixedPoint","features":[414]},{"name":"GUID_WICPixelFormat64bppRGBAHalf","features":[414]},{"name":"GUID_WICPixelFormat64bppRGBFixedPoint","features":[414]},{"name":"GUID_WICPixelFormat64bppRGBHalf","features":[414]},{"name":"GUID_WICPixelFormat72bpp8ChannelsAlpha","features":[414]},{"name":"GUID_WICPixelFormat80bpp4ChannelsAlpha","features":[414]},{"name":"GUID_WICPixelFormat80bpp5Channels","features":[414]},{"name":"GUID_WICPixelFormat80bppCMYKAlpha","features":[414]},{"name":"GUID_WICPixelFormat8bppAlpha","features":[414]},{"name":"GUID_WICPixelFormat8bppCb","features":[414]},{"name":"GUID_WICPixelFormat8bppCr","features":[414]},{"name":"GUID_WICPixelFormat8bppGray","features":[414]},{"name":"GUID_WICPixelFormat8bppIndexed","features":[414]},{"name":"GUID_WICPixelFormat8bppY","features":[414]},{"name":"GUID_WICPixelFormat96bpp5ChannelsAlpha","features":[414]},{"name":"GUID_WICPixelFormat96bpp6Channels","features":[414]},{"name":"GUID_WICPixelFormat96bppRGBFixedPoint","features":[414]},{"name":"GUID_WICPixelFormat96bppRGBFloat","features":[414]},{"name":"GUID_WICPixelFormatBlackWhite","features":[414]},{"name":"GUID_WICPixelFormatDontCare","features":[414]},{"name":"IWICBitmap","features":[414]},{"name":"IWICBitmapClipper","features":[414]},{"name":"IWICBitmapCodecInfo","features":[414]},{"name":"IWICBitmapCodecProgressNotification","features":[414]},{"name":"IWICBitmapDecoder","features":[414]},{"name":"IWICBitmapDecoderInfo","features":[414]},{"name":"IWICBitmapEncoder","features":[414]},{"name":"IWICBitmapEncoderInfo","features":[414]},{"name":"IWICBitmapFlipRotator","features":[414]},{"name":"IWICBitmapFrameDecode","features":[414]},{"name":"IWICBitmapFrameEncode","features":[414]},{"name":"IWICBitmapLock","features":[414]},{"name":"IWICBitmapScaler","features":[414]},{"name":"IWICBitmapSource","features":[414]},{"name":"IWICBitmapSourceTransform","features":[414]},{"name":"IWICColorContext","features":[414]},{"name":"IWICColorTransform","features":[414]},{"name":"IWICComponentFactory","features":[414]},{"name":"IWICComponentInfo","features":[414]},{"name":"IWICDdsDecoder","features":[414]},{"name":"IWICDdsEncoder","features":[414]},{"name":"IWICDdsFrameDecode","features":[414]},{"name":"IWICDevelopRaw","features":[414]},{"name":"IWICDevelopRawNotificationCallback","features":[414]},{"name":"IWICEnumMetadataItem","features":[414]},{"name":"IWICFastMetadataEncoder","features":[414]},{"name":"IWICFormatConverter","features":[414]},{"name":"IWICFormatConverterInfo","features":[414]},{"name":"IWICImagingFactory","features":[414]},{"name":"IWICJpegFrameDecode","features":[414]},{"name":"IWICJpegFrameEncode","features":[414]},{"name":"IWICMetadataBlockReader","features":[414]},{"name":"IWICMetadataBlockWriter","features":[414]},{"name":"IWICMetadataHandlerInfo","features":[414]},{"name":"IWICMetadataQueryReader","features":[414]},{"name":"IWICMetadataQueryWriter","features":[414]},{"name":"IWICMetadataReader","features":[414]},{"name":"IWICMetadataReaderInfo","features":[414]},{"name":"IWICMetadataWriter","features":[414]},{"name":"IWICMetadataWriterInfo","features":[414]},{"name":"IWICPalette","features":[414]},{"name":"IWICPersistStream","features":[414,359]},{"name":"IWICPixelFormatInfo","features":[414]},{"name":"IWICPixelFormatInfo2","features":[414]},{"name":"IWICPlanarBitmapFrameEncode","features":[414]},{"name":"IWICPlanarBitmapSourceTransform","features":[414]},{"name":"IWICPlanarFormatConverter","features":[414]},{"name":"IWICProgressCallback","features":[414]},{"name":"IWICProgressiveLevelControl","features":[414]},{"name":"IWICStream","features":[414,359]},{"name":"IWICStreamProvider","features":[414]},{"name":"PFNProgressNotification","features":[414]},{"name":"WIC8BIMIptcDigestIptcDigest","features":[414]},{"name":"WIC8BIMIptcDigestPString","features":[414]},{"name":"WIC8BIMIptcDigestProperties","features":[414]},{"name":"WIC8BIMIptcEmbeddedIPTC","features":[414]},{"name":"WIC8BIMIptcPString","features":[414]},{"name":"WIC8BIMIptcProperties","features":[414]},{"name":"WIC8BIMResolutionInfoHResolution","features":[414]},{"name":"WIC8BIMResolutionInfoHResolutionUnit","features":[414]},{"name":"WIC8BIMResolutionInfoHeightUnit","features":[414]},{"name":"WIC8BIMResolutionInfoPString","features":[414]},{"name":"WIC8BIMResolutionInfoProperties","features":[414]},{"name":"WIC8BIMResolutionInfoVResolution","features":[414]},{"name":"WIC8BIMResolutionInfoVResolutionUnit","features":[414]},{"name":"WIC8BIMResolutionInfoWidthUnit","features":[414]},{"name":"WICAllComponents","features":[414]},{"name":"WICAsShotParameterSet","features":[414]},{"name":"WICAutoAdjustedParameterSet","features":[414]},{"name":"WICBitmapAlphaChannelOption","features":[414]},{"name":"WICBitmapCacheOnDemand","features":[414]},{"name":"WICBitmapCacheOnLoad","features":[414]},{"name":"WICBitmapCreateCacheOption","features":[414]},{"name":"WICBitmapDecoderCapabilities","features":[414]},{"name":"WICBitmapDecoderCapabilityCanDecodeAllImages","features":[414]},{"name":"WICBitmapDecoderCapabilityCanDecodeSomeImages","features":[414]},{"name":"WICBitmapDecoderCapabilityCanDecodeThumbnail","features":[414]},{"name":"WICBitmapDecoderCapabilityCanEnumerateMetadata","features":[414]},{"name":"WICBitmapDecoderCapabilitySameEncoder","features":[414]},{"name":"WICBitmapDitherType","features":[414]},{"name":"WICBitmapDitherTypeDualSpiral4x4","features":[414]},{"name":"WICBitmapDitherTypeDualSpiral8x8","features":[414]},{"name":"WICBitmapDitherTypeErrorDiffusion","features":[414]},{"name":"WICBitmapDitherTypeNone","features":[414]},{"name":"WICBitmapDitherTypeOrdered16x16","features":[414]},{"name":"WICBitmapDitherTypeOrdered4x4","features":[414]},{"name":"WICBitmapDitherTypeOrdered8x8","features":[414]},{"name":"WICBitmapDitherTypeSolid","features":[414]},{"name":"WICBitmapDitherTypeSpiral4x4","features":[414]},{"name":"WICBitmapDitherTypeSpiral8x8","features":[414]},{"name":"WICBitmapEncoderCacheInMemory","features":[414]},{"name":"WICBitmapEncoderCacheOption","features":[414]},{"name":"WICBitmapEncoderCacheTempFile","features":[414]},{"name":"WICBitmapEncoderNoCache","features":[414]},{"name":"WICBitmapIgnoreAlpha","features":[414]},{"name":"WICBitmapInterpolationMode","features":[414]},{"name":"WICBitmapInterpolationModeCubic","features":[414]},{"name":"WICBitmapInterpolationModeFant","features":[414]},{"name":"WICBitmapInterpolationModeHighQualityCubic","features":[414]},{"name":"WICBitmapInterpolationModeLinear","features":[414]},{"name":"WICBitmapInterpolationModeNearestNeighbor","features":[414]},{"name":"WICBitmapLockFlags","features":[414]},{"name":"WICBitmapLockRead","features":[414]},{"name":"WICBitmapLockWrite","features":[414]},{"name":"WICBitmapNoCache","features":[414]},{"name":"WICBitmapPaletteType","features":[414]},{"name":"WICBitmapPaletteTypeCustom","features":[414]},{"name":"WICBitmapPaletteTypeFixedBW","features":[414]},{"name":"WICBitmapPaletteTypeFixedGray16","features":[414]},{"name":"WICBitmapPaletteTypeFixedGray256","features":[414]},{"name":"WICBitmapPaletteTypeFixedGray4","features":[414]},{"name":"WICBitmapPaletteTypeFixedHalftone125","features":[414]},{"name":"WICBitmapPaletteTypeFixedHalftone216","features":[414]},{"name":"WICBitmapPaletteTypeFixedHalftone252","features":[414]},{"name":"WICBitmapPaletteTypeFixedHalftone256","features":[414]},{"name":"WICBitmapPaletteTypeFixedHalftone27","features":[414]},{"name":"WICBitmapPaletteTypeFixedHalftone64","features":[414]},{"name":"WICBitmapPaletteTypeFixedHalftone8","features":[414]},{"name":"WICBitmapPaletteTypeFixedWebPalette","features":[414]},{"name":"WICBitmapPaletteTypeMedianCut","features":[414]},{"name":"WICBitmapPattern","features":[308,414]},{"name":"WICBitmapPlane","features":[414]},{"name":"WICBitmapPlaneDescription","features":[414]},{"name":"WICBitmapTransformFlipHorizontal","features":[414]},{"name":"WICBitmapTransformFlipVertical","features":[414]},{"name":"WICBitmapTransformOptions","features":[414]},{"name":"WICBitmapTransformRotate0","features":[414]},{"name":"WICBitmapTransformRotate180","features":[414]},{"name":"WICBitmapTransformRotate270","features":[414]},{"name":"WICBitmapTransformRotate90","features":[414]},{"name":"WICBitmapUseAlpha","features":[414]},{"name":"WICBitmapUsePremultipliedAlpha","features":[414]},{"name":"WICColorContextExifColorSpace","features":[414]},{"name":"WICColorContextProfile","features":[414]},{"name":"WICColorContextType","features":[414]},{"name":"WICColorContextUninitialized","features":[414]},{"name":"WICComponentDisabled","features":[414]},{"name":"WICComponentEnumerateBuiltInOnly","features":[414]},{"name":"WICComponentEnumerateDefault","features":[414]},{"name":"WICComponentEnumerateDisabled","features":[414]},{"name":"WICComponentEnumerateOptions","features":[414]},{"name":"WICComponentEnumerateRefresh","features":[414]},{"name":"WICComponentEnumerateUnsigned","features":[414]},{"name":"WICComponentSafe","features":[414]},{"name":"WICComponentSigned","features":[414]},{"name":"WICComponentSigning","features":[414]},{"name":"WICComponentType","features":[414]},{"name":"WICComponentUnsigned","features":[414]},{"name":"WICConvertBitmapSource","features":[414]},{"name":"WICCreateBitmapFromSection","features":[308,414]},{"name":"WICCreateBitmapFromSectionEx","features":[308,414]},{"name":"WICDdsAlphaMode","features":[414]},{"name":"WICDdsAlphaModeCustom","features":[414]},{"name":"WICDdsAlphaModeOpaque","features":[414]},{"name":"WICDdsAlphaModePremultiplied","features":[414]},{"name":"WICDdsAlphaModeStraight","features":[414]},{"name":"WICDdsAlphaModeUnknown","features":[414]},{"name":"WICDdsDimension","features":[414]},{"name":"WICDdsFormatInfo","features":[396,414]},{"name":"WICDdsParameters","features":[396,414]},{"name":"WICDdsTexture1D","features":[414]},{"name":"WICDdsTexture2D","features":[414]},{"name":"WICDdsTexture3D","features":[414]},{"name":"WICDdsTextureCube","features":[414]},{"name":"WICDecodeMetadataCacheOnDemand","features":[414]},{"name":"WICDecodeMetadataCacheOnLoad","features":[414]},{"name":"WICDecodeOptions","features":[414]},{"name":"WICDecoder","features":[414]},{"name":"WICEncoder","features":[414]},{"name":"WICGetMetadataContentSize","features":[414]},{"name":"WICGifApplicationExtensionApplication","features":[414]},{"name":"WICGifApplicationExtensionData","features":[414]},{"name":"WICGifApplicationExtensionProperties","features":[414]},{"name":"WICGifCommentExtensionProperties","features":[414]},{"name":"WICGifCommentExtensionText","features":[414]},{"name":"WICGifGraphicControlExtensionDelay","features":[414]},{"name":"WICGifGraphicControlExtensionDisposal","features":[414]},{"name":"WICGifGraphicControlExtensionProperties","features":[414]},{"name":"WICGifGraphicControlExtensionTransparencyFlag","features":[414]},{"name":"WICGifGraphicControlExtensionTransparentColorIndex","features":[414]},{"name":"WICGifGraphicControlExtensionUserInputFlag","features":[414]},{"name":"WICGifImageDescriptorHeight","features":[414]},{"name":"WICGifImageDescriptorInterlaceFlag","features":[414]},{"name":"WICGifImageDescriptorLeft","features":[414]},{"name":"WICGifImageDescriptorLocalColorTableFlag","features":[414]},{"name":"WICGifImageDescriptorLocalColorTableSize","features":[414]},{"name":"WICGifImageDescriptorProperties","features":[414]},{"name":"WICGifImageDescriptorSortFlag","features":[414]},{"name":"WICGifImageDescriptorTop","features":[414]},{"name":"WICGifImageDescriptorWidth","features":[414]},{"name":"WICGifLogicalScreenDescriptorBackgroundColorIndex","features":[414]},{"name":"WICGifLogicalScreenDescriptorColorResolution","features":[414]},{"name":"WICGifLogicalScreenDescriptorGlobalColorTableFlag","features":[414]},{"name":"WICGifLogicalScreenDescriptorGlobalColorTableSize","features":[414]},{"name":"WICGifLogicalScreenDescriptorHeight","features":[414]},{"name":"WICGifLogicalScreenDescriptorPixelAspectRatio","features":[414]},{"name":"WICGifLogicalScreenDescriptorProperties","features":[414]},{"name":"WICGifLogicalScreenDescriptorSortFlag","features":[414]},{"name":"WICGifLogicalScreenDescriptorWidth","features":[414]},{"name":"WICGifLogicalScreenSignature","features":[414]},{"name":"WICHeifHdrCustomVideoPrimaries","features":[414]},{"name":"WICHeifHdrMaximumFrameAverageLuminanceLevel","features":[414]},{"name":"WICHeifHdrMaximumLuminanceLevel","features":[414]},{"name":"WICHeifHdrMaximumMasteringDisplayLuminanceLevel","features":[414]},{"name":"WICHeifHdrMinimumMasteringDisplayLuminanceLevel","features":[414]},{"name":"WICHeifHdrProperties","features":[414]},{"name":"WICHeifOrientation","features":[414]},{"name":"WICHeifProperties","features":[414]},{"name":"WICImageParameters","features":[399,396,414]},{"name":"WICJpegChrominanceProperties","features":[414]},{"name":"WICJpegChrominanceTable","features":[414]},{"name":"WICJpegCommentProperties","features":[414]},{"name":"WICJpegCommentText","features":[414]},{"name":"WICJpegFrameHeader","features":[414]},{"name":"WICJpegIndexingOptions","features":[414]},{"name":"WICJpegIndexingOptionsGenerateOnDemand","features":[414]},{"name":"WICJpegIndexingOptionsGenerateOnLoad","features":[414]},{"name":"WICJpegLuminanceProperties","features":[414]},{"name":"WICJpegLuminanceTable","features":[414]},{"name":"WICJpegScanHeader","features":[414]},{"name":"WICJpegScanType","features":[414]},{"name":"WICJpegScanTypeInterleaved","features":[414]},{"name":"WICJpegScanTypePlanarComponents","features":[414]},{"name":"WICJpegScanTypeProgressive","features":[414]},{"name":"WICJpegTransferMatrix","features":[414]},{"name":"WICJpegTransferMatrixBT601","features":[414]},{"name":"WICJpegTransferMatrixIdentity","features":[414]},{"name":"WICJpegYCrCbSubsampling420","features":[414]},{"name":"WICJpegYCrCbSubsampling422","features":[414]},{"name":"WICJpegYCrCbSubsampling440","features":[414]},{"name":"WICJpegYCrCbSubsampling444","features":[414]},{"name":"WICJpegYCrCbSubsamplingDefault","features":[414]},{"name":"WICJpegYCrCbSubsamplingOption","features":[414]},{"name":"WICMapGuidToShortName","features":[414]},{"name":"WICMapSchemaToName","features":[414]},{"name":"WICMapShortNameToGuid","features":[414]},{"name":"WICMatchMetadataContent","features":[414,359]},{"name":"WICMetadataCreationAllowUnknown","features":[414]},{"name":"WICMetadataCreationDefault","features":[414]},{"name":"WICMetadataCreationFailUnknown","features":[414]},{"name":"WICMetadataCreationMask","features":[414]},{"name":"WICMetadataCreationOptions","features":[414]},{"name":"WICMetadataHeader","features":[414]},{"name":"WICMetadataPattern","features":[414]},{"name":"WICMetadataReader","features":[414]},{"name":"WICMetadataWriter","features":[414]},{"name":"WICNamedWhitePoint","features":[414]},{"name":"WICPersistOptionBigEndian","features":[414]},{"name":"WICPersistOptionDefault","features":[414]},{"name":"WICPersistOptionLittleEndian","features":[414]},{"name":"WICPersistOptionMask","features":[414]},{"name":"WICPersistOptionNoCacheStream","features":[414]},{"name":"WICPersistOptionPreferUTF8","features":[414]},{"name":"WICPersistOptionStrictFormat","features":[414]},{"name":"WICPersistOptions","features":[414]},{"name":"WICPixelFormat","features":[414]},{"name":"WICPixelFormatConverter","features":[414]},{"name":"WICPixelFormatNumericRepresentation","features":[414]},{"name":"WICPixelFormatNumericRepresentationFixed","features":[414]},{"name":"WICPixelFormatNumericRepresentationFloat","features":[414]},{"name":"WICPixelFormatNumericRepresentationIndexed","features":[414]},{"name":"WICPixelFormatNumericRepresentationSignedInteger","features":[414]},{"name":"WICPixelFormatNumericRepresentationUnsignedInteger","features":[414]},{"name":"WICPixelFormatNumericRepresentationUnspecified","features":[414]},{"name":"WICPlanarOptions","features":[414]},{"name":"WICPlanarOptionsDefault","features":[414]},{"name":"WICPlanarOptionsPreserveSubsampling","features":[414]},{"name":"WICPngBkgdBackgroundColor","features":[414]},{"name":"WICPngBkgdProperties","features":[414]},{"name":"WICPngChrmBlueX","features":[414]},{"name":"WICPngChrmBlueY","features":[414]},{"name":"WICPngChrmGreenX","features":[414]},{"name":"WICPngChrmGreenY","features":[414]},{"name":"WICPngChrmProperties","features":[414]},{"name":"WICPngChrmRedX","features":[414]},{"name":"WICPngChrmRedY","features":[414]},{"name":"WICPngChrmWhitePointX","features":[414]},{"name":"WICPngChrmWhitePointY","features":[414]},{"name":"WICPngFilterAdaptive","features":[414]},{"name":"WICPngFilterAverage","features":[414]},{"name":"WICPngFilterNone","features":[414]},{"name":"WICPngFilterOption","features":[414]},{"name":"WICPngFilterPaeth","features":[414]},{"name":"WICPngFilterSub","features":[414]},{"name":"WICPngFilterUnspecified","features":[414]},{"name":"WICPngFilterUp","features":[414]},{"name":"WICPngGamaGamma","features":[414]},{"name":"WICPngGamaProperties","features":[414]},{"name":"WICPngHistFrequencies","features":[414]},{"name":"WICPngHistProperties","features":[414]},{"name":"WICPngIccpProfileData","features":[414]},{"name":"WICPngIccpProfileName","features":[414]},{"name":"WICPngIccpProperties","features":[414]},{"name":"WICPngItxtCompressionFlag","features":[414]},{"name":"WICPngItxtKeyword","features":[414]},{"name":"WICPngItxtLanguageTag","features":[414]},{"name":"WICPngItxtProperties","features":[414]},{"name":"WICPngItxtText","features":[414]},{"name":"WICPngItxtTranslatedKeyword","features":[414]},{"name":"WICPngSrgbProperties","features":[414]},{"name":"WICPngSrgbRenderingIntent","features":[414]},{"name":"WICPngTimeDay","features":[414]},{"name":"WICPngTimeHour","features":[414]},{"name":"WICPngTimeMinute","features":[414]},{"name":"WICPngTimeMonth","features":[414]},{"name":"WICPngTimeProperties","features":[414]},{"name":"WICPngTimeSecond","features":[414]},{"name":"WICPngTimeYear","features":[414]},{"name":"WICProgressNotification","features":[414]},{"name":"WICProgressNotificationAll","features":[414]},{"name":"WICProgressNotificationBegin","features":[414]},{"name":"WICProgressNotificationEnd","features":[414]},{"name":"WICProgressNotificationFrequent","features":[414]},{"name":"WICProgressOperation","features":[414]},{"name":"WICProgressOperationAll","features":[414]},{"name":"WICProgressOperationCopyPixels","features":[414]},{"name":"WICProgressOperationWritePixels","features":[414]},{"name":"WICRawCapabilities","features":[414]},{"name":"WICRawCapabilitiesInfo","features":[414]},{"name":"WICRawCapabilityFullySupported","features":[414]},{"name":"WICRawCapabilityGetSupported","features":[414]},{"name":"WICRawCapabilityNotSupported","features":[414]},{"name":"WICRawChangeNotification_Contrast","features":[414]},{"name":"WICRawChangeNotification_DestinationColorContext","features":[414]},{"name":"WICRawChangeNotification_ExposureCompensation","features":[414]},{"name":"WICRawChangeNotification_Gamma","features":[414]},{"name":"WICRawChangeNotification_KelvinWhitePoint","features":[414]},{"name":"WICRawChangeNotification_NamedWhitePoint","features":[414]},{"name":"WICRawChangeNotification_NoiseReduction","features":[414]},{"name":"WICRawChangeNotification_RGBWhitePoint","features":[414]},{"name":"WICRawChangeNotification_RenderMode","features":[414]},{"name":"WICRawChangeNotification_Rotation","features":[414]},{"name":"WICRawChangeNotification_Saturation","features":[414]},{"name":"WICRawChangeNotification_Sharpness","features":[414]},{"name":"WICRawChangeNotification_Tint","features":[414]},{"name":"WICRawChangeNotification_ToneCurve","features":[414]},{"name":"WICRawParameterSet","features":[414]},{"name":"WICRawRenderMode","features":[414]},{"name":"WICRawRenderModeBestQuality","features":[414]},{"name":"WICRawRenderModeDraft","features":[414]},{"name":"WICRawRenderModeNormal","features":[414]},{"name":"WICRawRotationCapabilities","features":[414]},{"name":"WICRawRotationCapabilityFullySupported","features":[414]},{"name":"WICRawRotationCapabilityGetSupported","features":[414]},{"name":"WICRawRotationCapabilityNinetyDegreesSupported","features":[414]},{"name":"WICRawRotationCapabilityNotSupported","features":[414]},{"name":"WICRawToneCurve","features":[414]},{"name":"WICRawToneCurvePoint","features":[414]},{"name":"WICRect","features":[414]},{"name":"WICSectionAccessLevel","features":[414]},{"name":"WICSectionAccessLevelRead","features":[414]},{"name":"WICSectionAccessLevelReadWrite","features":[414]},{"name":"WICSerializeMetadataContent","features":[414,359]},{"name":"WICTiffCompressionCCITT3","features":[414]},{"name":"WICTiffCompressionCCITT4","features":[414]},{"name":"WICTiffCompressionDontCare","features":[414]},{"name":"WICTiffCompressionLZW","features":[414]},{"name":"WICTiffCompressionLZWHDifferencing","features":[414]},{"name":"WICTiffCompressionNone","features":[414]},{"name":"WICTiffCompressionOption","features":[414]},{"name":"WICTiffCompressionRLE","features":[414]},{"name":"WICTiffCompressionZIP","features":[414]},{"name":"WICUserAdjustedParameterSet","features":[414]},{"name":"WICWebpAnimLoopCount","features":[414]},{"name":"WICWebpAnimProperties","features":[414]},{"name":"WICWebpAnmfFrameDuration","features":[414]},{"name":"WICWebpAnmfProperties","features":[414]},{"name":"WICWhitePointAsShot","features":[414]},{"name":"WICWhitePointAutoWhiteBalance","features":[414]},{"name":"WICWhitePointCloudy","features":[414]},{"name":"WICWhitePointCustom","features":[414]},{"name":"WICWhitePointDaylight","features":[414]},{"name":"WICWhitePointDefault","features":[414]},{"name":"WICWhitePointFlash","features":[414]},{"name":"WICWhitePointFluorescent","features":[414]},{"name":"WICWhitePointShade","features":[414]},{"name":"WICWhitePointTungsten","features":[414]},{"name":"WICWhitePointUnderwater","features":[414]},{"name":"WIC_JPEG_HUFFMAN_BASELINE_ONE","features":[414]},{"name":"WIC_JPEG_HUFFMAN_BASELINE_THREE","features":[414]},{"name":"WIC_JPEG_MAX_COMPONENT_COUNT","features":[414]},{"name":"WIC_JPEG_MAX_TABLE_INDEX","features":[414]},{"name":"WIC_JPEG_QUANTIZATION_BASELINE_ONE","features":[414]},{"name":"WIC_JPEG_QUANTIZATION_BASELINE_THREE","features":[414]},{"name":"WIC_JPEG_SAMPLE_FACTORS_ONE","features":[414]},{"name":"WIC_JPEG_SAMPLE_FACTORS_THREE_420","features":[414]},{"name":"WIC_JPEG_SAMPLE_FACTORS_THREE_422","features":[414]},{"name":"WIC_JPEG_SAMPLE_FACTORS_THREE_440","features":[414]},{"name":"WIC_JPEG_SAMPLE_FACTORS_THREE_444","features":[414]},{"name":"WINCODEC_ERR_ABORTED","features":[414]},{"name":"WINCODEC_ERR_ACCESSDENIED","features":[414]},{"name":"WINCODEC_ERR_BASE","features":[414]},{"name":"WINCODEC_ERR_GENERIC_ERROR","features":[414]},{"name":"WINCODEC_ERR_INVALIDPARAMETER","features":[414]},{"name":"WINCODEC_ERR_NOTIMPLEMENTED","features":[414]},{"name":"WINCODEC_ERR_OUTOFMEMORY","features":[414]},{"name":"WINCODEC_SDK_VERSION","features":[414]},{"name":"WINCODEC_SDK_VERSION1","features":[414]},{"name":"WINCODEC_SDK_VERSION2","features":[414]}],"417":[{"name":"IWICImageEncoder","features":[415]},{"name":"IWICImagingFactory2","features":[415]}],"418":[{"name":"ChoosePixelFormat","features":[319,374]},{"name":"DescribePixelFormat","features":[319,374]},{"name":"EMRPIXELFORMAT","features":[319,374]},{"name":"GLU_AUTO_LOAD_MATRIX","features":[374]},{"name":"GLU_BEGIN","features":[374]},{"name":"GLU_CCW","features":[374]},{"name":"GLU_CULLING","features":[374]},{"name":"GLU_CW","features":[374]},{"name":"GLU_DISPLAY_MODE","features":[374]},{"name":"GLU_DOMAIN_DISTANCE","features":[374]},{"name":"GLU_EDGE_FLAG","features":[374]},{"name":"GLU_END","features":[374]},{"name":"GLU_ERROR","features":[374]},{"name":"GLU_EXTENSIONS","features":[374]},{"name":"GLU_EXTERIOR","features":[374]},{"name":"GLU_FALSE","features":[374]},{"name":"GLU_FILL","features":[374]},{"name":"GLU_FLAT","features":[374]},{"name":"GLU_INCOMPATIBLE_GL_VERSION","features":[374]},{"name":"GLU_INSIDE","features":[374]},{"name":"GLU_INTERIOR","features":[374]},{"name":"GLU_INVALID_ENUM","features":[374]},{"name":"GLU_INVALID_VALUE","features":[374]},{"name":"GLU_LINE","features":[374]},{"name":"GLU_MAP1_TRIM_2","features":[374]},{"name":"GLU_MAP1_TRIM_3","features":[374]},{"name":"GLU_NONE","features":[374]},{"name":"GLU_NURBS_ERROR1","features":[374]},{"name":"GLU_NURBS_ERROR10","features":[374]},{"name":"GLU_NURBS_ERROR11","features":[374]},{"name":"GLU_NURBS_ERROR12","features":[374]},{"name":"GLU_NURBS_ERROR13","features":[374]},{"name":"GLU_NURBS_ERROR14","features":[374]},{"name":"GLU_NURBS_ERROR15","features":[374]},{"name":"GLU_NURBS_ERROR16","features":[374]},{"name":"GLU_NURBS_ERROR17","features":[374]},{"name":"GLU_NURBS_ERROR18","features":[374]},{"name":"GLU_NURBS_ERROR19","features":[374]},{"name":"GLU_NURBS_ERROR2","features":[374]},{"name":"GLU_NURBS_ERROR20","features":[374]},{"name":"GLU_NURBS_ERROR21","features":[374]},{"name":"GLU_NURBS_ERROR22","features":[374]},{"name":"GLU_NURBS_ERROR23","features":[374]},{"name":"GLU_NURBS_ERROR24","features":[374]},{"name":"GLU_NURBS_ERROR25","features":[374]},{"name":"GLU_NURBS_ERROR26","features":[374]},{"name":"GLU_NURBS_ERROR27","features":[374]},{"name":"GLU_NURBS_ERROR28","features":[374]},{"name":"GLU_NURBS_ERROR29","features":[374]},{"name":"GLU_NURBS_ERROR3","features":[374]},{"name":"GLU_NURBS_ERROR30","features":[374]},{"name":"GLU_NURBS_ERROR31","features":[374]},{"name":"GLU_NURBS_ERROR32","features":[374]},{"name":"GLU_NURBS_ERROR33","features":[374]},{"name":"GLU_NURBS_ERROR34","features":[374]},{"name":"GLU_NURBS_ERROR35","features":[374]},{"name":"GLU_NURBS_ERROR36","features":[374]},{"name":"GLU_NURBS_ERROR37","features":[374]},{"name":"GLU_NURBS_ERROR4","features":[374]},{"name":"GLU_NURBS_ERROR5","features":[374]},{"name":"GLU_NURBS_ERROR6","features":[374]},{"name":"GLU_NURBS_ERROR7","features":[374]},{"name":"GLU_NURBS_ERROR8","features":[374]},{"name":"GLU_NURBS_ERROR9","features":[374]},{"name":"GLU_OUTLINE_PATCH","features":[374]},{"name":"GLU_OUTLINE_POLYGON","features":[374]},{"name":"GLU_OUTSIDE","features":[374]},{"name":"GLU_OUT_OF_MEMORY","features":[374]},{"name":"GLU_PARAMETRIC_ERROR","features":[374]},{"name":"GLU_PARAMETRIC_TOLERANCE","features":[374]},{"name":"GLU_PATH_LENGTH","features":[374]},{"name":"GLU_POINT","features":[374]},{"name":"GLU_SAMPLING_METHOD","features":[374]},{"name":"GLU_SAMPLING_TOLERANCE","features":[374]},{"name":"GLU_SILHOUETTE","features":[374]},{"name":"GLU_SMOOTH","features":[374]},{"name":"GLU_TESS_BEGIN","features":[374]},{"name":"GLU_TESS_BEGIN_DATA","features":[374]},{"name":"GLU_TESS_BOUNDARY_ONLY","features":[374]},{"name":"GLU_TESS_COMBINE","features":[374]},{"name":"GLU_TESS_COMBINE_DATA","features":[374]},{"name":"GLU_TESS_COORD_TOO_LARGE","features":[374]},{"name":"GLU_TESS_EDGE_FLAG","features":[374]},{"name":"GLU_TESS_EDGE_FLAG_DATA","features":[374]},{"name":"GLU_TESS_END","features":[374]},{"name":"GLU_TESS_END_DATA","features":[374]},{"name":"GLU_TESS_ERROR","features":[374]},{"name":"GLU_TESS_ERROR1","features":[374]},{"name":"GLU_TESS_ERROR2","features":[374]},{"name":"GLU_TESS_ERROR3","features":[374]},{"name":"GLU_TESS_ERROR4","features":[374]},{"name":"GLU_TESS_ERROR5","features":[374]},{"name":"GLU_TESS_ERROR6","features":[374]},{"name":"GLU_TESS_ERROR7","features":[374]},{"name":"GLU_TESS_ERROR8","features":[374]},{"name":"GLU_TESS_ERROR_DATA","features":[374]},{"name":"GLU_TESS_MISSING_BEGIN_CONTOUR","features":[374]},{"name":"GLU_TESS_MISSING_BEGIN_POLYGON","features":[374]},{"name":"GLU_TESS_MISSING_END_CONTOUR","features":[374]},{"name":"GLU_TESS_MISSING_END_POLYGON","features":[374]},{"name":"GLU_TESS_NEED_COMBINE_CALLBACK","features":[374]},{"name":"GLU_TESS_TOLERANCE","features":[374]},{"name":"GLU_TESS_VERTEX","features":[374]},{"name":"GLU_TESS_VERTEX_DATA","features":[374]},{"name":"GLU_TESS_WINDING_ABS_GEQ_TWO","features":[374]},{"name":"GLU_TESS_WINDING_NEGATIVE","features":[374]},{"name":"GLU_TESS_WINDING_NONZERO","features":[374]},{"name":"GLU_TESS_WINDING_ODD","features":[374]},{"name":"GLU_TESS_WINDING_POSITIVE","features":[374]},{"name":"GLU_TESS_WINDING_RULE","features":[374]},{"name":"GLU_TRUE","features":[374]},{"name":"GLU_UNKNOWN","features":[374]},{"name":"GLU_U_STEP","features":[374]},{"name":"GLU_VERSION","features":[374]},{"name":"GLU_VERSION_1_1","features":[374]},{"name":"GLU_VERSION_1_2","features":[374]},{"name":"GLU_VERTEX","features":[374]},{"name":"GLU_V_STEP","features":[374]},{"name":"GLUnurbs","features":[374]},{"name":"GLUnurbsErrorProc","features":[374]},{"name":"GLUquadric","features":[374]},{"name":"GLUquadricErrorProc","features":[374]},{"name":"GLUtessBeginDataProc","features":[374]},{"name":"GLUtessBeginProc","features":[374]},{"name":"GLUtessCombineDataProc","features":[374]},{"name":"GLUtessCombineProc","features":[374]},{"name":"GLUtessEdgeFlagDataProc","features":[374]},{"name":"GLUtessEdgeFlagProc","features":[374]},{"name":"GLUtessEndDataProc","features":[374]},{"name":"GLUtessEndProc","features":[374]},{"name":"GLUtessErrorDataProc","features":[374]},{"name":"GLUtessErrorProc","features":[374]},{"name":"GLUtessVertexDataProc","features":[374]},{"name":"GLUtessVertexProc","features":[374]},{"name":"GLUtesselator","features":[374]},{"name":"GLYPHMETRICSFLOAT","features":[374]},{"name":"GL_2D","features":[374]},{"name":"GL_2_BYTES","features":[374]},{"name":"GL_3D","features":[374]},{"name":"GL_3D_COLOR","features":[374]},{"name":"GL_3D_COLOR_TEXTURE","features":[374]},{"name":"GL_3_BYTES","features":[374]},{"name":"GL_4D_COLOR_TEXTURE","features":[374]},{"name":"GL_4_BYTES","features":[374]},{"name":"GL_ACCUM","features":[374]},{"name":"GL_ACCUM_ALPHA_BITS","features":[374]},{"name":"GL_ACCUM_BLUE_BITS","features":[374]},{"name":"GL_ACCUM_BUFFER_BIT","features":[374]},{"name":"GL_ACCUM_CLEAR_VALUE","features":[374]},{"name":"GL_ACCUM_GREEN_BITS","features":[374]},{"name":"GL_ACCUM_RED_BITS","features":[374]},{"name":"GL_ADD","features":[374]},{"name":"GL_ALL_ATTRIB_BITS","features":[374]},{"name":"GL_ALPHA","features":[374]},{"name":"GL_ALPHA12","features":[374]},{"name":"GL_ALPHA16","features":[374]},{"name":"GL_ALPHA4","features":[374]},{"name":"GL_ALPHA8","features":[374]},{"name":"GL_ALPHA_BIAS","features":[374]},{"name":"GL_ALPHA_BITS","features":[374]},{"name":"GL_ALPHA_SCALE","features":[374]},{"name":"GL_ALPHA_TEST","features":[374]},{"name":"GL_ALPHA_TEST_FUNC","features":[374]},{"name":"GL_ALPHA_TEST_REF","features":[374]},{"name":"GL_ALWAYS","features":[374]},{"name":"GL_AMBIENT","features":[374]},{"name":"GL_AMBIENT_AND_DIFFUSE","features":[374]},{"name":"GL_AND","features":[374]},{"name":"GL_AND_INVERTED","features":[374]},{"name":"GL_AND_REVERSE","features":[374]},{"name":"GL_ATTRIB_STACK_DEPTH","features":[374]},{"name":"GL_AUTO_NORMAL","features":[374]},{"name":"GL_AUX0","features":[374]},{"name":"GL_AUX1","features":[374]},{"name":"GL_AUX2","features":[374]},{"name":"GL_AUX3","features":[374]},{"name":"GL_AUX_BUFFERS","features":[374]},{"name":"GL_BACK","features":[374]},{"name":"GL_BACK_LEFT","features":[374]},{"name":"GL_BACK_RIGHT","features":[374]},{"name":"GL_BGRA_EXT","features":[374]},{"name":"GL_BGR_EXT","features":[374]},{"name":"GL_BITMAP","features":[374]},{"name":"GL_BITMAP_TOKEN","features":[374]},{"name":"GL_BLEND","features":[374]},{"name":"GL_BLEND_DST","features":[374]},{"name":"GL_BLEND_SRC","features":[374]},{"name":"GL_BLUE","features":[374]},{"name":"GL_BLUE_BIAS","features":[374]},{"name":"GL_BLUE_BITS","features":[374]},{"name":"GL_BLUE_SCALE","features":[374]},{"name":"GL_BYTE","features":[374]},{"name":"GL_C3F_V3F","features":[374]},{"name":"GL_C4F_N3F_V3F","features":[374]},{"name":"GL_C4UB_V2F","features":[374]},{"name":"GL_C4UB_V3F","features":[374]},{"name":"GL_CCW","features":[374]},{"name":"GL_CLAMP","features":[374]},{"name":"GL_CLEAR","features":[374]},{"name":"GL_CLIENT_ALL_ATTRIB_BITS","features":[374]},{"name":"GL_CLIENT_ATTRIB_STACK_DEPTH","features":[374]},{"name":"GL_CLIENT_PIXEL_STORE_BIT","features":[374]},{"name":"GL_CLIENT_VERTEX_ARRAY_BIT","features":[374]},{"name":"GL_CLIP_PLANE0","features":[374]},{"name":"GL_CLIP_PLANE1","features":[374]},{"name":"GL_CLIP_PLANE2","features":[374]},{"name":"GL_CLIP_PLANE3","features":[374]},{"name":"GL_CLIP_PLANE4","features":[374]},{"name":"GL_CLIP_PLANE5","features":[374]},{"name":"GL_COEFF","features":[374]},{"name":"GL_COLOR","features":[374]},{"name":"GL_COLOR_ARRAY","features":[374]},{"name":"GL_COLOR_ARRAY_COUNT_EXT","features":[374]},{"name":"GL_COLOR_ARRAY_EXT","features":[374]},{"name":"GL_COLOR_ARRAY_POINTER","features":[374]},{"name":"GL_COLOR_ARRAY_POINTER_EXT","features":[374]},{"name":"GL_COLOR_ARRAY_SIZE","features":[374]},{"name":"GL_COLOR_ARRAY_SIZE_EXT","features":[374]},{"name":"GL_COLOR_ARRAY_STRIDE","features":[374]},{"name":"GL_COLOR_ARRAY_STRIDE_EXT","features":[374]},{"name":"GL_COLOR_ARRAY_TYPE","features":[374]},{"name":"GL_COLOR_ARRAY_TYPE_EXT","features":[374]},{"name":"GL_COLOR_BUFFER_BIT","features":[374]},{"name":"GL_COLOR_CLEAR_VALUE","features":[374]},{"name":"GL_COLOR_INDEX","features":[374]},{"name":"GL_COLOR_INDEX12_EXT","features":[374]},{"name":"GL_COLOR_INDEX16_EXT","features":[374]},{"name":"GL_COLOR_INDEX1_EXT","features":[374]},{"name":"GL_COLOR_INDEX2_EXT","features":[374]},{"name":"GL_COLOR_INDEX4_EXT","features":[374]},{"name":"GL_COLOR_INDEX8_EXT","features":[374]},{"name":"GL_COLOR_INDEXES","features":[374]},{"name":"GL_COLOR_LOGIC_OP","features":[374]},{"name":"GL_COLOR_MATERIAL","features":[374]},{"name":"GL_COLOR_MATERIAL_FACE","features":[374]},{"name":"GL_COLOR_MATERIAL_PARAMETER","features":[374]},{"name":"GL_COLOR_TABLE_ALPHA_SIZE_EXT","features":[374]},{"name":"GL_COLOR_TABLE_BLUE_SIZE_EXT","features":[374]},{"name":"GL_COLOR_TABLE_FORMAT_EXT","features":[374]},{"name":"GL_COLOR_TABLE_GREEN_SIZE_EXT","features":[374]},{"name":"GL_COLOR_TABLE_INTENSITY_SIZE_EXT","features":[374]},{"name":"GL_COLOR_TABLE_LUMINANCE_SIZE_EXT","features":[374]},{"name":"GL_COLOR_TABLE_RED_SIZE_EXT","features":[374]},{"name":"GL_COLOR_TABLE_WIDTH_EXT","features":[374]},{"name":"GL_COLOR_WRITEMASK","features":[374]},{"name":"GL_COMPILE","features":[374]},{"name":"GL_COMPILE_AND_EXECUTE","features":[374]},{"name":"GL_CONSTANT_ATTENUATION","features":[374]},{"name":"GL_COPY","features":[374]},{"name":"GL_COPY_INVERTED","features":[374]},{"name":"GL_COPY_PIXEL_TOKEN","features":[374]},{"name":"GL_CULL_FACE","features":[374]},{"name":"GL_CULL_FACE_MODE","features":[374]},{"name":"GL_CURRENT_BIT","features":[374]},{"name":"GL_CURRENT_COLOR","features":[374]},{"name":"GL_CURRENT_INDEX","features":[374]},{"name":"GL_CURRENT_NORMAL","features":[374]},{"name":"GL_CURRENT_RASTER_COLOR","features":[374]},{"name":"GL_CURRENT_RASTER_DISTANCE","features":[374]},{"name":"GL_CURRENT_RASTER_INDEX","features":[374]},{"name":"GL_CURRENT_RASTER_POSITION","features":[374]},{"name":"GL_CURRENT_RASTER_POSITION_VALID","features":[374]},{"name":"GL_CURRENT_RASTER_TEXTURE_COORDS","features":[374]},{"name":"GL_CURRENT_TEXTURE_COORDS","features":[374]},{"name":"GL_CW","features":[374]},{"name":"GL_DECAL","features":[374]},{"name":"GL_DECR","features":[374]},{"name":"GL_DEPTH","features":[374]},{"name":"GL_DEPTH_BIAS","features":[374]},{"name":"GL_DEPTH_BITS","features":[374]},{"name":"GL_DEPTH_BUFFER_BIT","features":[374]},{"name":"GL_DEPTH_CLEAR_VALUE","features":[374]},{"name":"GL_DEPTH_COMPONENT","features":[374]},{"name":"GL_DEPTH_FUNC","features":[374]},{"name":"GL_DEPTH_RANGE","features":[374]},{"name":"GL_DEPTH_SCALE","features":[374]},{"name":"GL_DEPTH_TEST","features":[374]},{"name":"GL_DEPTH_WRITEMASK","features":[374]},{"name":"GL_DIFFUSE","features":[374]},{"name":"GL_DITHER","features":[374]},{"name":"GL_DOMAIN","features":[374]},{"name":"GL_DONT_CARE","features":[374]},{"name":"GL_DOUBLE","features":[374]},{"name":"GL_DOUBLEBUFFER","features":[374]},{"name":"GL_DOUBLE_EXT","features":[374]},{"name":"GL_DRAW_BUFFER","features":[374]},{"name":"GL_DRAW_PIXEL_TOKEN","features":[374]},{"name":"GL_DST_ALPHA","features":[374]},{"name":"GL_DST_COLOR","features":[374]},{"name":"GL_EDGE_FLAG","features":[374]},{"name":"GL_EDGE_FLAG_ARRAY","features":[374]},{"name":"GL_EDGE_FLAG_ARRAY_COUNT_EXT","features":[374]},{"name":"GL_EDGE_FLAG_ARRAY_EXT","features":[374]},{"name":"GL_EDGE_FLAG_ARRAY_POINTER","features":[374]},{"name":"GL_EDGE_FLAG_ARRAY_POINTER_EXT","features":[374]},{"name":"GL_EDGE_FLAG_ARRAY_STRIDE","features":[374]},{"name":"GL_EDGE_FLAG_ARRAY_STRIDE_EXT","features":[374]},{"name":"GL_EMISSION","features":[374]},{"name":"GL_ENABLE_BIT","features":[374]},{"name":"GL_EQUAL","features":[374]},{"name":"GL_EQUIV","features":[374]},{"name":"GL_EVAL_BIT","features":[374]},{"name":"GL_EXP","features":[374]},{"name":"GL_EXP2","features":[374]},{"name":"GL_EXTENSIONS","features":[374]},{"name":"GL_EXT_bgra","features":[374]},{"name":"GL_EXT_paletted_texture","features":[374]},{"name":"GL_EXT_vertex_array","features":[374]},{"name":"GL_EYE_LINEAR","features":[374]},{"name":"GL_EYE_PLANE","features":[374]},{"name":"GL_FALSE","features":[374]},{"name":"GL_FASTEST","features":[374]},{"name":"GL_FEEDBACK","features":[374]},{"name":"GL_FEEDBACK_BUFFER_POINTER","features":[374]},{"name":"GL_FEEDBACK_BUFFER_SIZE","features":[374]},{"name":"GL_FEEDBACK_BUFFER_TYPE","features":[374]},{"name":"GL_FILL","features":[374]},{"name":"GL_FLAT","features":[374]},{"name":"GL_FLOAT","features":[374]},{"name":"GL_FOG","features":[374]},{"name":"GL_FOG_BIT","features":[374]},{"name":"GL_FOG_COLOR","features":[374]},{"name":"GL_FOG_DENSITY","features":[374]},{"name":"GL_FOG_END","features":[374]},{"name":"GL_FOG_HINT","features":[374]},{"name":"GL_FOG_INDEX","features":[374]},{"name":"GL_FOG_MODE","features":[374]},{"name":"GL_FOG_SPECULAR_TEXTURE_WIN","features":[374]},{"name":"GL_FOG_START","features":[374]},{"name":"GL_FRONT","features":[374]},{"name":"GL_FRONT_AND_BACK","features":[374]},{"name":"GL_FRONT_FACE","features":[374]},{"name":"GL_FRONT_LEFT","features":[374]},{"name":"GL_FRONT_RIGHT","features":[374]},{"name":"GL_GEQUAL","features":[374]},{"name":"GL_GREATER","features":[374]},{"name":"GL_GREEN","features":[374]},{"name":"GL_GREEN_BIAS","features":[374]},{"name":"GL_GREEN_BITS","features":[374]},{"name":"GL_GREEN_SCALE","features":[374]},{"name":"GL_HINT_BIT","features":[374]},{"name":"GL_INCR","features":[374]},{"name":"GL_INDEX_ARRAY","features":[374]},{"name":"GL_INDEX_ARRAY_COUNT_EXT","features":[374]},{"name":"GL_INDEX_ARRAY_EXT","features":[374]},{"name":"GL_INDEX_ARRAY_POINTER","features":[374]},{"name":"GL_INDEX_ARRAY_POINTER_EXT","features":[374]},{"name":"GL_INDEX_ARRAY_STRIDE","features":[374]},{"name":"GL_INDEX_ARRAY_STRIDE_EXT","features":[374]},{"name":"GL_INDEX_ARRAY_TYPE","features":[374]},{"name":"GL_INDEX_ARRAY_TYPE_EXT","features":[374]},{"name":"GL_INDEX_BITS","features":[374]},{"name":"GL_INDEX_CLEAR_VALUE","features":[374]},{"name":"GL_INDEX_LOGIC_OP","features":[374]},{"name":"GL_INDEX_MODE","features":[374]},{"name":"GL_INDEX_OFFSET","features":[374]},{"name":"GL_INDEX_SHIFT","features":[374]},{"name":"GL_INDEX_WRITEMASK","features":[374]},{"name":"GL_INT","features":[374]},{"name":"GL_INTENSITY","features":[374]},{"name":"GL_INTENSITY12","features":[374]},{"name":"GL_INTENSITY16","features":[374]},{"name":"GL_INTENSITY4","features":[374]},{"name":"GL_INTENSITY8","features":[374]},{"name":"GL_INVALID_ENUM","features":[374]},{"name":"GL_INVALID_OPERATION","features":[374]},{"name":"GL_INVALID_VALUE","features":[374]},{"name":"GL_INVERT","features":[374]},{"name":"GL_KEEP","features":[374]},{"name":"GL_LEFT","features":[374]},{"name":"GL_LEQUAL","features":[374]},{"name":"GL_LESS","features":[374]},{"name":"GL_LIGHT0","features":[374]},{"name":"GL_LIGHT1","features":[374]},{"name":"GL_LIGHT2","features":[374]},{"name":"GL_LIGHT3","features":[374]},{"name":"GL_LIGHT4","features":[374]},{"name":"GL_LIGHT5","features":[374]},{"name":"GL_LIGHT6","features":[374]},{"name":"GL_LIGHT7","features":[374]},{"name":"GL_LIGHTING","features":[374]},{"name":"GL_LIGHTING_BIT","features":[374]},{"name":"GL_LIGHT_MODEL_AMBIENT","features":[374]},{"name":"GL_LIGHT_MODEL_LOCAL_VIEWER","features":[374]},{"name":"GL_LIGHT_MODEL_TWO_SIDE","features":[374]},{"name":"GL_LINE","features":[374]},{"name":"GL_LINEAR","features":[374]},{"name":"GL_LINEAR_ATTENUATION","features":[374]},{"name":"GL_LINEAR_MIPMAP_LINEAR","features":[374]},{"name":"GL_LINEAR_MIPMAP_NEAREST","features":[374]},{"name":"GL_LINES","features":[374]},{"name":"GL_LINE_BIT","features":[374]},{"name":"GL_LINE_LOOP","features":[374]},{"name":"GL_LINE_RESET_TOKEN","features":[374]},{"name":"GL_LINE_SMOOTH","features":[374]},{"name":"GL_LINE_SMOOTH_HINT","features":[374]},{"name":"GL_LINE_STIPPLE","features":[374]},{"name":"GL_LINE_STIPPLE_PATTERN","features":[374]},{"name":"GL_LINE_STIPPLE_REPEAT","features":[374]},{"name":"GL_LINE_STRIP","features":[374]},{"name":"GL_LINE_TOKEN","features":[374]},{"name":"GL_LINE_WIDTH","features":[374]},{"name":"GL_LINE_WIDTH_GRANULARITY","features":[374]},{"name":"GL_LINE_WIDTH_RANGE","features":[374]},{"name":"GL_LIST_BASE","features":[374]},{"name":"GL_LIST_BIT","features":[374]},{"name":"GL_LIST_INDEX","features":[374]},{"name":"GL_LIST_MODE","features":[374]},{"name":"GL_LOAD","features":[374]},{"name":"GL_LOGIC_OP","features":[374]},{"name":"GL_LOGIC_OP_MODE","features":[374]},{"name":"GL_LUMINANCE","features":[374]},{"name":"GL_LUMINANCE12","features":[374]},{"name":"GL_LUMINANCE12_ALPHA12","features":[374]},{"name":"GL_LUMINANCE12_ALPHA4","features":[374]},{"name":"GL_LUMINANCE16","features":[374]},{"name":"GL_LUMINANCE16_ALPHA16","features":[374]},{"name":"GL_LUMINANCE4","features":[374]},{"name":"GL_LUMINANCE4_ALPHA4","features":[374]},{"name":"GL_LUMINANCE6_ALPHA2","features":[374]},{"name":"GL_LUMINANCE8","features":[374]},{"name":"GL_LUMINANCE8_ALPHA8","features":[374]},{"name":"GL_LUMINANCE_ALPHA","features":[374]},{"name":"GL_MAP1_COLOR_4","features":[374]},{"name":"GL_MAP1_GRID_DOMAIN","features":[374]},{"name":"GL_MAP1_GRID_SEGMENTS","features":[374]},{"name":"GL_MAP1_INDEX","features":[374]},{"name":"GL_MAP1_NORMAL","features":[374]},{"name":"GL_MAP1_TEXTURE_COORD_1","features":[374]},{"name":"GL_MAP1_TEXTURE_COORD_2","features":[374]},{"name":"GL_MAP1_TEXTURE_COORD_3","features":[374]},{"name":"GL_MAP1_TEXTURE_COORD_4","features":[374]},{"name":"GL_MAP1_VERTEX_3","features":[374]},{"name":"GL_MAP1_VERTEX_4","features":[374]},{"name":"GL_MAP2_COLOR_4","features":[374]},{"name":"GL_MAP2_GRID_DOMAIN","features":[374]},{"name":"GL_MAP2_GRID_SEGMENTS","features":[374]},{"name":"GL_MAP2_INDEX","features":[374]},{"name":"GL_MAP2_NORMAL","features":[374]},{"name":"GL_MAP2_TEXTURE_COORD_1","features":[374]},{"name":"GL_MAP2_TEXTURE_COORD_2","features":[374]},{"name":"GL_MAP2_TEXTURE_COORD_3","features":[374]},{"name":"GL_MAP2_TEXTURE_COORD_4","features":[374]},{"name":"GL_MAP2_VERTEX_3","features":[374]},{"name":"GL_MAP2_VERTEX_4","features":[374]},{"name":"GL_MAP_COLOR","features":[374]},{"name":"GL_MAP_STENCIL","features":[374]},{"name":"GL_MATRIX_MODE","features":[374]},{"name":"GL_MAX_ATTRIB_STACK_DEPTH","features":[374]},{"name":"GL_MAX_CLIENT_ATTRIB_STACK_DEPTH","features":[374]},{"name":"GL_MAX_CLIP_PLANES","features":[374]},{"name":"GL_MAX_ELEMENTS_INDICES_WIN","features":[374]},{"name":"GL_MAX_ELEMENTS_VERTICES_WIN","features":[374]},{"name":"GL_MAX_EVAL_ORDER","features":[374]},{"name":"GL_MAX_LIGHTS","features":[374]},{"name":"GL_MAX_LIST_NESTING","features":[374]},{"name":"GL_MAX_MODELVIEW_STACK_DEPTH","features":[374]},{"name":"GL_MAX_NAME_STACK_DEPTH","features":[374]},{"name":"GL_MAX_PIXEL_MAP_TABLE","features":[374]},{"name":"GL_MAX_PROJECTION_STACK_DEPTH","features":[374]},{"name":"GL_MAX_TEXTURE_SIZE","features":[374]},{"name":"GL_MAX_TEXTURE_STACK_DEPTH","features":[374]},{"name":"GL_MAX_VIEWPORT_DIMS","features":[374]},{"name":"GL_MODELVIEW","features":[374]},{"name":"GL_MODELVIEW_MATRIX","features":[374]},{"name":"GL_MODELVIEW_STACK_DEPTH","features":[374]},{"name":"GL_MODULATE","features":[374]},{"name":"GL_MULT","features":[374]},{"name":"GL_N3F_V3F","features":[374]},{"name":"GL_NAME_STACK_DEPTH","features":[374]},{"name":"GL_NAND","features":[374]},{"name":"GL_NEAREST","features":[374]},{"name":"GL_NEAREST_MIPMAP_LINEAR","features":[374]},{"name":"GL_NEAREST_MIPMAP_NEAREST","features":[374]},{"name":"GL_NEVER","features":[374]},{"name":"GL_NICEST","features":[374]},{"name":"GL_NONE","features":[374]},{"name":"GL_NOOP","features":[374]},{"name":"GL_NOR","features":[374]},{"name":"GL_NORMALIZE","features":[374]},{"name":"GL_NORMAL_ARRAY","features":[374]},{"name":"GL_NORMAL_ARRAY_COUNT_EXT","features":[374]},{"name":"GL_NORMAL_ARRAY_EXT","features":[374]},{"name":"GL_NORMAL_ARRAY_POINTER","features":[374]},{"name":"GL_NORMAL_ARRAY_POINTER_EXT","features":[374]},{"name":"GL_NORMAL_ARRAY_STRIDE","features":[374]},{"name":"GL_NORMAL_ARRAY_STRIDE_EXT","features":[374]},{"name":"GL_NORMAL_ARRAY_TYPE","features":[374]},{"name":"GL_NORMAL_ARRAY_TYPE_EXT","features":[374]},{"name":"GL_NOTEQUAL","features":[374]},{"name":"GL_NO_ERROR","features":[374]},{"name":"GL_OBJECT_LINEAR","features":[374]},{"name":"GL_OBJECT_PLANE","features":[374]},{"name":"GL_ONE","features":[374]},{"name":"GL_ONE_MINUS_DST_ALPHA","features":[374]},{"name":"GL_ONE_MINUS_DST_COLOR","features":[374]},{"name":"GL_ONE_MINUS_SRC_ALPHA","features":[374]},{"name":"GL_ONE_MINUS_SRC_COLOR","features":[374]},{"name":"GL_OR","features":[374]},{"name":"GL_ORDER","features":[374]},{"name":"GL_OR_INVERTED","features":[374]},{"name":"GL_OR_REVERSE","features":[374]},{"name":"GL_OUT_OF_MEMORY","features":[374]},{"name":"GL_PACK_ALIGNMENT","features":[374]},{"name":"GL_PACK_LSB_FIRST","features":[374]},{"name":"GL_PACK_ROW_LENGTH","features":[374]},{"name":"GL_PACK_SKIP_PIXELS","features":[374]},{"name":"GL_PACK_SKIP_ROWS","features":[374]},{"name":"GL_PACK_SWAP_BYTES","features":[374]},{"name":"GL_PASS_THROUGH_TOKEN","features":[374]},{"name":"GL_PERSPECTIVE_CORRECTION_HINT","features":[374]},{"name":"GL_PHONG_HINT_WIN","features":[374]},{"name":"GL_PHONG_WIN","features":[374]},{"name":"GL_PIXEL_MAP_A_TO_A","features":[374]},{"name":"GL_PIXEL_MAP_A_TO_A_SIZE","features":[374]},{"name":"GL_PIXEL_MAP_B_TO_B","features":[374]},{"name":"GL_PIXEL_MAP_B_TO_B_SIZE","features":[374]},{"name":"GL_PIXEL_MAP_G_TO_G","features":[374]},{"name":"GL_PIXEL_MAP_G_TO_G_SIZE","features":[374]},{"name":"GL_PIXEL_MAP_I_TO_A","features":[374]},{"name":"GL_PIXEL_MAP_I_TO_A_SIZE","features":[374]},{"name":"GL_PIXEL_MAP_I_TO_B","features":[374]},{"name":"GL_PIXEL_MAP_I_TO_B_SIZE","features":[374]},{"name":"GL_PIXEL_MAP_I_TO_G","features":[374]},{"name":"GL_PIXEL_MAP_I_TO_G_SIZE","features":[374]},{"name":"GL_PIXEL_MAP_I_TO_I","features":[374]},{"name":"GL_PIXEL_MAP_I_TO_I_SIZE","features":[374]},{"name":"GL_PIXEL_MAP_I_TO_R","features":[374]},{"name":"GL_PIXEL_MAP_I_TO_R_SIZE","features":[374]},{"name":"GL_PIXEL_MAP_R_TO_R","features":[374]},{"name":"GL_PIXEL_MAP_R_TO_R_SIZE","features":[374]},{"name":"GL_PIXEL_MAP_S_TO_S","features":[374]},{"name":"GL_PIXEL_MAP_S_TO_S_SIZE","features":[374]},{"name":"GL_PIXEL_MODE_BIT","features":[374]},{"name":"GL_POINT","features":[374]},{"name":"GL_POINTS","features":[374]},{"name":"GL_POINT_BIT","features":[374]},{"name":"GL_POINT_SIZE","features":[374]},{"name":"GL_POINT_SIZE_GRANULARITY","features":[374]},{"name":"GL_POINT_SIZE_RANGE","features":[374]},{"name":"GL_POINT_SMOOTH","features":[374]},{"name":"GL_POINT_SMOOTH_HINT","features":[374]},{"name":"GL_POINT_TOKEN","features":[374]},{"name":"GL_POLYGON","features":[374]},{"name":"GL_POLYGON_BIT","features":[374]},{"name":"GL_POLYGON_MODE","features":[374]},{"name":"GL_POLYGON_OFFSET_FACTOR","features":[374]},{"name":"GL_POLYGON_OFFSET_FILL","features":[374]},{"name":"GL_POLYGON_OFFSET_LINE","features":[374]},{"name":"GL_POLYGON_OFFSET_POINT","features":[374]},{"name":"GL_POLYGON_OFFSET_UNITS","features":[374]},{"name":"GL_POLYGON_SMOOTH","features":[374]},{"name":"GL_POLYGON_SMOOTH_HINT","features":[374]},{"name":"GL_POLYGON_STIPPLE","features":[374]},{"name":"GL_POLYGON_STIPPLE_BIT","features":[374]},{"name":"GL_POLYGON_TOKEN","features":[374]},{"name":"GL_POSITION","features":[374]},{"name":"GL_PROJECTION","features":[374]},{"name":"GL_PROJECTION_MATRIX","features":[374]},{"name":"GL_PROJECTION_STACK_DEPTH","features":[374]},{"name":"GL_PROXY_TEXTURE_1D","features":[374]},{"name":"GL_PROXY_TEXTURE_2D","features":[374]},{"name":"GL_Q","features":[374]},{"name":"GL_QUADRATIC_ATTENUATION","features":[374]},{"name":"GL_QUADS","features":[374]},{"name":"GL_QUAD_STRIP","features":[374]},{"name":"GL_R","features":[374]},{"name":"GL_R3_G3_B2","features":[374]},{"name":"GL_READ_BUFFER","features":[374]},{"name":"GL_RED","features":[374]},{"name":"GL_RED_BIAS","features":[374]},{"name":"GL_RED_BITS","features":[374]},{"name":"GL_RED_SCALE","features":[374]},{"name":"GL_RENDER","features":[374]},{"name":"GL_RENDERER","features":[374]},{"name":"GL_RENDER_MODE","features":[374]},{"name":"GL_REPEAT","features":[374]},{"name":"GL_REPLACE","features":[374]},{"name":"GL_RETURN","features":[374]},{"name":"GL_RGB","features":[374]},{"name":"GL_RGB10","features":[374]},{"name":"GL_RGB10_A2","features":[374]},{"name":"GL_RGB12","features":[374]},{"name":"GL_RGB16","features":[374]},{"name":"GL_RGB4","features":[374]},{"name":"GL_RGB5","features":[374]},{"name":"GL_RGB5_A1","features":[374]},{"name":"GL_RGB8","features":[374]},{"name":"GL_RGBA","features":[374]},{"name":"GL_RGBA12","features":[374]},{"name":"GL_RGBA16","features":[374]},{"name":"GL_RGBA2","features":[374]},{"name":"GL_RGBA4","features":[374]},{"name":"GL_RGBA8","features":[374]},{"name":"GL_RGBA_MODE","features":[374]},{"name":"GL_RIGHT","features":[374]},{"name":"GL_S","features":[374]},{"name":"GL_SCISSOR_BIT","features":[374]},{"name":"GL_SCISSOR_BOX","features":[374]},{"name":"GL_SCISSOR_TEST","features":[374]},{"name":"GL_SELECT","features":[374]},{"name":"GL_SELECTION_BUFFER_POINTER","features":[374]},{"name":"GL_SELECTION_BUFFER_SIZE","features":[374]},{"name":"GL_SET","features":[374]},{"name":"GL_SHADE_MODEL","features":[374]},{"name":"GL_SHININESS","features":[374]},{"name":"GL_SHORT","features":[374]},{"name":"GL_SMOOTH","features":[374]},{"name":"GL_SPECULAR","features":[374]},{"name":"GL_SPHERE_MAP","features":[374]},{"name":"GL_SPOT_CUTOFF","features":[374]},{"name":"GL_SPOT_DIRECTION","features":[374]},{"name":"GL_SPOT_EXPONENT","features":[374]},{"name":"GL_SRC_ALPHA","features":[374]},{"name":"GL_SRC_ALPHA_SATURATE","features":[374]},{"name":"GL_SRC_COLOR","features":[374]},{"name":"GL_STACK_OVERFLOW","features":[374]},{"name":"GL_STACK_UNDERFLOW","features":[374]},{"name":"GL_STENCIL","features":[374]},{"name":"GL_STENCIL_BITS","features":[374]},{"name":"GL_STENCIL_BUFFER_BIT","features":[374]},{"name":"GL_STENCIL_CLEAR_VALUE","features":[374]},{"name":"GL_STENCIL_FAIL","features":[374]},{"name":"GL_STENCIL_FUNC","features":[374]},{"name":"GL_STENCIL_INDEX","features":[374]},{"name":"GL_STENCIL_PASS_DEPTH_FAIL","features":[374]},{"name":"GL_STENCIL_PASS_DEPTH_PASS","features":[374]},{"name":"GL_STENCIL_REF","features":[374]},{"name":"GL_STENCIL_TEST","features":[374]},{"name":"GL_STENCIL_VALUE_MASK","features":[374]},{"name":"GL_STENCIL_WRITEMASK","features":[374]},{"name":"GL_STEREO","features":[374]},{"name":"GL_SUBPIXEL_BITS","features":[374]},{"name":"GL_T","features":[374]},{"name":"GL_T2F_C3F_V3F","features":[374]},{"name":"GL_T2F_C4F_N3F_V3F","features":[374]},{"name":"GL_T2F_C4UB_V3F","features":[374]},{"name":"GL_T2F_N3F_V3F","features":[374]},{"name":"GL_T2F_V3F","features":[374]},{"name":"GL_T4F_C4F_N3F_V4F","features":[374]},{"name":"GL_T4F_V4F","features":[374]},{"name":"GL_TEXTURE","features":[374]},{"name":"GL_TEXTURE_1D","features":[374]},{"name":"GL_TEXTURE_2D","features":[374]},{"name":"GL_TEXTURE_ALPHA_SIZE","features":[374]},{"name":"GL_TEXTURE_BINDING_1D","features":[374]},{"name":"GL_TEXTURE_BINDING_2D","features":[374]},{"name":"GL_TEXTURE_BIT","features":[374]},{"name":"GL_TEXTURE_BLUE_SIZE","features":[374]},{"name":"GL_TEXTURE_BORDER","features":[374]},{"name":"GL_TEXTURE_BORDER_COLOR","features":[374]},{"name":"GL_TEXTURE_COMPONENTS","features":[374]},{"name":"GL_TEXTURE_COORD_ARRAY","features":[374]},{"name":"GL_TEXTURE_COORD_ARRAY_COUNT_EXT","features":[374]},{"name":"GL_TEXTURE_COORD_ARRAY_EXT","features":[374]},{"name":"GL_TEXTURE_COORD_ARRAY_POINTER","features":[374]},{"name":"GL_TEXTURE_COORD_ARRAY_POINTER_EXT","features":[374]},{"name":"GL_TEXTURE_COORD_ARRAY_SIZE","features":[374]},{"name":"GL_TEXTURE_COORD_ARRAY_SIZE_EXT","features":[374]},{"name":"GL_TEXTURE_COORD_ARRAY_STRIDE","features":[374]},{"name":"GL_TEXTURE_COORD_ARRAY_STRIDE_EXT","features":[374]},{"name":"GL_TEXTURE_COORD_ARRAY_TYPE","features":[374]},{"name":"GL_TEXTURE_COORD_ARRAY_TYPE_EXT","features":[374]},{"name":"GL_TEXTURE_ENV","features":[374]},{"name":"GL_TEXTURE_ENV_COLOR","features":[374]},{"name":"GL_TEXTURE_ENV_MODE","features":[374]},{"name":"GL_TEXTURE_GEN_MODE","features":[374]},{"name":"GL_TEXTURE_GEN_Q","features":[374]},{"name":"GL_TEXTURE_GEN_R","features":[374]},{"name":"GL_TEXTURE_GEN_S","features":[374]},{"name":"GL_TEXTURE_GEN_T","features":[374]},{"name":"GL_TEXTURE_GREEN_SIZE","features":[374]},{"name":"GL_TEXTURE_HEIGHT","features":[374]},{"name":"GL_TEXTURE_INTENSITY_SIZE","features":[374]},{"name":"GL_TEXTURE_INTERNAL_FORMAT","features":[374]},{"name":"GL_TEXTURE_LUMINANCE_SIZE","features":[374]},{"name":"GL_TEXTURE_MAG_FILTER","features":[374]},{"name":"GL_TEXTURE_MATRIX","features":[374]},{"name":"GL_TEXTURE_MIN_FILTER","features":[374]},{"name":"GL_TEXTURE_PRIORITY","features":[374]},{"name":"GL_TEXTURE_RED_SIZE","features":[374]},{"name":"GL_TEXTURE_RESIDENT","features":[374]},{"name":"GL_TEXTURE_STACK_DEPTH","features":[374]},{"name":"GL_TEXTURE_WIDTH","features":[374]},{"name":"GL_TEXTURE_WRAP_S","features":[374]},{"name":"GL_TEXTURE_WRAP_T","features":[374]},{"name":"GL_TRANSFORM_BIT","features":[374]},{"name":"GL_TRIANGLES","features":[374]},{"name":"GL_TRIANGLE_FAN","features":[374]},{"name":"GL_TRIANGLE_STRIP","features":[374]},{"name":"GL_TRUE","features":[374]},{"name":"GL_UNPACK_ALIGNMENT","features":[374]},{"name":"GL_UNPACK_LSB_FIRST","features":[374]},{"name":"GL_UNPACK_ROW_LENGTH","features":[374]},{"name":"GL_UNPACK_SKIP_PIXELS","features":[374]},{"name":"GL_UNPACK_SKIP_ROWS","features":[374]},{"name":"GL_UNPACK_SWAP_BYTES","features":[374]},{"name":"GL_UNSIGNED_BYTE","features":[374]},{"name":"GL_UNSIGNED_INT","features":[374]},{"name":"GL_UNSIGNED_SHORT","features":[374]},{"name":"GL_V2F","features":[374]},{"name":"GL_V3F","features":[374]},{"name":"GL_VENDOR","features":[374]},{"name":"GL_VERSION","features":[374]},{"name":"GL_VERSION_1_1","features":[374]},{"name":"GL_VERTEX_ARRAY","features":[374]},{"name":"GL_VERTEX_ARRAY_COUNT_EXT","features":[374]},{"name":"GL_VERTEX_ARRAY_EXT","features":[374]},{"name":"GL_VERTEX_ARRAY_POINTER","features":[374]},{"name":"GL_VERTEX_ARRAY_POINTER_EXT","features":[374]},{"name":"GL_VERTEX_ARRAY_SIZE","features":[374]},{"name":"GL_VERTEX_ARRAY_SIZE_EXT","features":[374]},{"name":"GL_VERTEX_ARRAY_STRIDE","features":[374]},{"name":"GL_VERTEX_ARRAY_STRIDE_EXT","features":[374]},{"name":"GL_VERTEX_ARRAY_TYPE","features":[374]},{"name":"GL_VERTEX_ARRAY_TYPE_EXT","features":[374]},{"name":"GL_VIEWPORT","features":[374]},{"name":"GL_VIEWPORT_BIT","features":[374]},{"name":"GL_WIN_draw_range_elements","features":[374]},{"name":"GL_WIN_swap_hint","features":[374]},{"name":"GL_XOR","features":[374]},{"name":"GL_ZERO","features":[374]},{"name":"GL_ZOOM_X","features":[374]},{"name":"GL_ZOOM_Y","features":[374]},{"name":"GetEnhMetaFilePixelFormat","features":[319,374]},{"name":"GetPixelFormat","features":[319,374]},{"name":"HGLRC","features":[374]},{"name":"LAYERPLANEDESCRIPTOR","features":[308,374]},{"name":"PFD_DEPTH_DONTCARE","features":[374]},{"name":"PFD_DIRECT3D_ACCELERATED","features":[374]},{"name":"PFD_DOUBLEBUFFER","features":[374]},{"name":"PFD_DOUBLEBUFFER_DONTCARE","features":[374]},{"name":"PFD_DRAW_TO_BITMAP","features":[374]},{"name":"PFD_DRAW_TO_WINDOW","features":[374]},{"name":"PFD_FLAGS","features":[374]},{"name":"PFD_GENERIC_ACCELERATED","features":[374]},{"name":"PFD_GENERIC_FORMAT","features":[374]},{"name":"PFD_LAYER_TYPE","features":[374]},{"name":"PFD_MAIN_PLANE","features":[374]},{"name":"PFD_NEED_PALETTE","features":[374]},{"name":"PFD_NEED_SYSTEM_PALETTE","features":[374]},{"name":"PFD_OVERLAY_PLANE","features":[374]},{"name":"PFD_PIXEL_TYPE","features":[374]},{"name":"PFD_STEREO","features":[374]},{"name":"PFD_STEREO_DONTCARE","features":[374]},{"name":"PFD_SUPPORT_COMPOSITION","features":[374]},{"name":"PFD_SUPPORT_DIRECTDRAW","features":[374]},{"name":"PFD_SUPPORT_GDI","features":[374]},{"name":"PFD_SUPPORT_OPENGL","features":[374]},{"name":"PFD_SWAP_COPY","features":[374]},{"name":"PFD_SWAP_EXCHANGE","features":[374]},{"name":"PFD_SWAP_LAYER_BUFFERS","features":[374]},{"name":"PFD_TYPE_COLORINDEX","features":[374]},{"name":"PFD_TYPE_RGBA","features":[374]},{"name":"PFD_UNDERLAY_PLANE","features":[374]},{"name":"PFNGLADDSWAPHINTRECTWINPROC","features":[374]},{"name":"PFNGLARRAYELEMENTARRAYEXTPROC","features":[374]},{"name":"PFNGLARRAYELEMENTEXTPROC","features":[374]},{"name":"PFNGLCOLORPOINTEREXTPROC","features":[374]},{"name":"PFNGLCOLORSUBTABLEEXTPROC","features":[374]},{"name":"PFNGLCOLORTABLEEXTPROC","features":[374]},{"name":"PFNGLDRAWARRAYSEXTPROC","features":[374]},{"name":"PFNGLDRAWRANGEELEMENTSWINPROC","features":[374]},{"name":"PFNGLEDGEFLAGPOINTEREXTPROC","features":[374]},{"name":"PFNGLGETCOLORTABLEEXTPROC","features":[374]},{"name":"PFNGLGETCOLORTABLEPARAMETERFVEXTPROC","features":[374]},{"name":"PFNGLGETCOLORTABLEPARAMETERIVEXTPROC","features":[374]},{"name":"PFNGLGETPOINTERVEXTPROC","features":[374]},{"name":"PFNGLINDEXPOINTEREXTPROC","features":[374]},{"name":"PFNGLNORMALPOINTEREXTPROC","features":[374]},{"name":"PFNGLTEXCOORDPOINTEREXTPROC","features":[374]},{"name":"PFNGLVERTEXPOINTEREXTPROC","features":[374]},{"name":"PIXELFORMATDESCRIPTOR","features":[374]},{"name":"POINTFLOAT","features":[374]},{"name":"SetPixelFormat","features":[308,319,374]},{"name":"SwapBuffers","features":[308,319,374]},{"name":"glAccum","features":[374]},{"name":"glAlphaFunc","features":[374]},{"name":"glAreTexturesResident","features":[374]},{"name":"glArrayElement","features":[374]},{"name":"glBegin","features":[374]},{"name":"glBindTexture","features":[374]},{"name":"glBitmap","features":[374]},{"name":"glBlendFunc","features":[374]},{"name":"glCallList","features":[374]},{"name":"glCallLists","features":[374]},{"name":"glClear","features":[374]},{"name":"glClearAccum","features":[374]},{"name":"glClearColor","features":[374]},{"name":"glClearDepth","features":[374]},{"name":"glClearIndex","features":[374]},{"name":"glClearStencil","features":[374]},{"name":"glClipPlane","features":[374]},{"name":"glColor3b","features":[374]},{"name":"glColor3bv","features":[374]},{"name":"glColor3d","features":[374]},{"name":"glColor3dv","features":[374]},{"name":"glColor3f","features":[374]},{"name":"glColor3fv","features":[374]},{"name":"glColor3i","features":[374]},{"name":"glColor3iv","features":[374]},{"name":"glColor3s","features":[374]},{"name":"glColor3sv","features":[374]},{"name":"glColor3ub","features":[374]},{"name":"glColor3ubv","features":[374]},{"name":"glColor3ui","features":[374]},{"name":"glColor3uiv","features":[374]},{"name":"glColor3us","features":[374]},{"name":"glColor3usv","features":[374]},{"name":"glColor4b","features":[374]},{"name":"glColor4bv","features":[374]},{"name":"glColor4d","features":[374]},{"name":"glColor4dv","features":[374]},{"name":"glColor4f","features":[374]},{"name":"glColor4fv","features":[374]},{"name":"glColor4i","features":[374]},{"name":"glColor4iv","features":[374]},{"name":"glColor4s","features":[374]},{"name":"glColor4sv","features":[374]},{"name":"glColor4ub","features":[374]},{"name":"glColor4ubv","features":[374]},{"name":"glColor4ui","features":[374]},{"name":"glColor4uiv","features":[374]},{"name":"glColor4us","features":[374]},{"name":"glColor4usv","features":[374]},{"name":"glColorMask","features":[374]},{"name":"glColorMaterial","features":[374]},{"name":"glColorPointer","features":[374]},{"name":"glCopyPixels","features":[374]},{"name":"glCopyTexImage1D","features":[374]},{"name":"glCopyTexImage2D","features":[374]},{"name":"glCopyTexSubImage1D","features":[374]},{"name":"glCopyTexSubImage2D","features":[374]},{"name":"glCullFace","features":[374]},{"name":"glDeleteLists","features":[374]},{"name":"glDeleteTextures","features":[374]},{"name":"glDepthFunc","features":[374]},{"name":"glDepthMask","features":[374]},{"name":"glDepthRange","features":[374]},{"name":"glDisable","features":[374]},{"name":"glDisableClientState","features":[374]},{"name":"glDrawArrays","features":[374]},{"name":"glDrawBuffer","features":[374]},{"name":"glDrawElements","features":[374]},{"name":"glDrawPixels","features":[374]},{"name":"glEdgeFlag","features":[374]},{"name":"glEdgeFlagPointer","features":[374]},{"name":"glEdgeFlagv","features":[374]},{"name":"glEnable","features":[374]},{"name":"glEnableClientState","features":[374]},{"name":"glEnd","features":[374]},{"name":"glEndList","features":[374]},{"name":"glEvalCoord1d","features":[374]},{"name":"glEvalCoord1dv","features":[374]},{"name":"glEvalCoord1f","features":[374]},{"name":"glEvalCoord1fv","features":[374]},{"name":"glEvalCoord2d","features":[374]},{"name":"glEvalCoord2dv","features":[374]},{"name":"glEvalCoord2f","features":[374]},{"name":"glEvalCoord2fv","features":[374]},{"name":"glEvalMesh1","features":[374]},{"name":"glEvalMesh2","features":[374]},{"name":"glEvalPoint1","features":[374]},{"name":"glEvalPoint2","features":[374]},{"name":"glFeedbackBuffer","features":[374]},{"name":"glFinish","features":[374]},{"name":"glFlush","features":[374]},{"name":"glFogf","features":[374]},{"name":"glFogfv","features":[374]},{"name":"glFogi","features":[374]},{"name":"glFogiv","features":[374]},{"name":"glFrontFace","features":[374]},{"name":"glFrustum","features":[374]},{"name":"glGenLists","features":[374]},{"name":"glGenTextures","features":[374]},{"name":"glGetBooleanv","features":[374]},{"name":"glGetClipPlane","features":[374]},{"name":"glGetDoublev","features":[374]},{"name":"glGetError","features":[374]},{"name":"glGetFloatv","features":[374]},{"name":"glGetIntegerv","features":[374]},{"name":"glGetLightfv","features":[374]},{"name":"glGetLightiv","features":[374]},{"name":"glGetMapdv","features":[374]},{"name":"glGetMapfv","features":[374]},{"name":"glGetMapiv","features":[374]},{"name":"glGetMaterialfv","features":[374]},{"name":"glGetMaterialiv","features":[374]},{"name":"glGetPixelMapfv","features":[374]},{"name":"glGetPixelMapuiv","features":[374]},{"name":"glGetPixelMapusv","features":[374]},{"name":"glGetPointerv","features":[374]},{"name":"glGetPolygonStipple","features":[374]},{"name":"glGetString","features":[374]},{"name":"glGetTexEnvfv","features":[374]},{"name":"glGetTexEnviv","features":[374]},{"name":"glGetTexGendv","features":[374]},{"name":"glGetTexGenfv","features":[374]},{"name":"glGetTexGeniv","features":[374]},{"name":"glGetTexImage","features":[374]},{"name":"glGetTexLevelParameterfv","features":[374]},{"name":"glGetTexLevelParameteriv","features":[374]},{"name":"glGetTexParameterfv","features":[374]},{"name":"glGetTexParameteriv","features":[374]},{"name":"glHint","features":[374]},{"name":"glIndexMask","features":[374]},{"name":"glIndexPointer","features":[374]},{"name":"glIndexd","features":[374]},{"name":"glIndexdv","features":[374]},{"name":"glIndexf","features":[374]},{"name":"glIndexfv","features":[374]},{"name":"glIndexi","features":[374]},{"name":"glIndexiv","features":[374]},{"name":"glIndexs","features":[374]},{"name":"glIndexsv","features":[374]},{"name":"glIndexub","features":[374]},{"name":"glIndexubv","features":[374]},{"name":"glInitNames","features":[374]},{"name":"glInterleavedArrays","features":[374]},{"name":"glIsEnabled","features":[374]},{"name":"glIsList","features":[374]},{"name":"glIsTexture","features":[374]},{"name":"glLightModelf","features":[374]},{"name":"glLightModelfv","features":[374]},{"name":"glLightModeli","features":[374]},{"name":"glLightModeliv","features":[374]},{"name":"glLightf","features":[374]},{"name":"glLightfv","features":[374]},{"name":"glLighti","features":[374]},{"name":"glLightiv","features":[374]},{"name":"glLineStipple","features":[374]},{"name":"glLineWidth","features":[374]},{"name":"glListBase","features":[374]},{"name":"glLoadIdentity","features":[374]},{"name":"glLoadMatrixd","features":[374]},{"name":"glLoadMatrixf","features":[374]},{"name":"glLoadName","features":[374]},{"name":"glLogicOp","features":[374]},{"name":"glMap1d","features":[374]},{"name":"glMap1f","features":[374]},{"name":"glMap2d","features":[374]},{"name":"glMap2f","features":[374]},{"name":"glMapGrid1d","features":[374]},{"name":"glMapGrid1f","features":[374]},{"name":"glMapGrid2d","features":[374]},{"name":"glMapGrid2f","features":[374]},{"name":"glMaterialf","features":[374]},{"name":"glMaterialfv","features":[374]},{"name":"glMateriali","features":[374]},{"name":"glMaterialiv","features":[374]},{"name":"glMatrixMode","features":[374]},{"name":"glMultMatrixd","features":[374]},{"name":"glMultMatrixf","features":[374]},{"name":"glNewList","features":[374]},{"name":"glNormal3b","features":[374]},{"name":"glNormal3bv","features":[374]},{"name":"glNormal3d","features":[374]},{"name":"glNormal3dv","features":[374]},{"name":"glNormal3f","features":[374]},{"name":"glNormal3fv","features":[374]},{"name":"glNormal3i","features":[374]},{"name":"glNormal3iv","features":[374]},{"name":"glNormal3s","features":[374]},{"name":"glNormal3sv","features":[374]},{"name":"glNormalPointer","features":[374]},{"name":"glOrtho","features":[374]},{"name":"glPassThrough","features":[374]},{"name":"glPixelMapfv","features":[374]},{"name":"glPixelMapuiv","features":[374]},{"name":"glPixelMapusv","features":[374]},{"name":"glPixelStoref","features":[374]},{"name":"glPixelStorei","features":[374]},{"name":"glPixelTransferf","features":[374]},{"name":"glPixelTransferi","features":[374]},{"name":"glPixelZoom","features":[374]},{"name":"glPointSize","features":[374]},{"name":"glPolygonMode","features":[374]},{"name":"glPolygonOffset","features":[374]},{"name":"glPolygonStipple","features":[374]},{"name":"glPopAttrib","features":[374]},{"name":"glPopClientAttrib","features":[374]},{"name":"glPopMatrix","features":[374]},{"name":"glPopName","features":[374]},{"name":"glPrioritizeTextures","features":[374]},{"name":"glPushAttrib","features":[374]},{"name":"glPushClientAttrib","features":[374]},{"name":"glPushMatrix","features":[374]},{"name":"glPushName","features":[374]},{"name":"glRasterPos2d","features":[374]},{"name":"glRasterPos2dv","features":[374]},{"name":"glRasterPos2f","features":[374]},{"name":"glRasterPos2fv","features":[374]},{"name":"glRasterPos2i","features":[374]},{"name":"glRasterPos2iv","features":[374]},{"name":"glRasterPos2s","features":[374]},{"name":"glRasterPos2sv","features":[374]},{"name":"glRasterPos3d","features":[374]},{"name":"glRasterPos3dv","features":[374]},{"name":"glRasterPos3f","features":[374]},{"name":"glRasterPos3fv","features":[374]},{"name":"glRasterPos3i","features":[374]},{"name":"glRasterPos3iv","features":[374]},{"name":"glRasterPos3s","features":[374]},{"name":"glRasterPos3sv","features":[374]},{"name":"glRasterPos4d","features":[374]},{"name":"glRasterPos4dv","features":[374]},{"name":"glRasterPos4f","features":[374]},{"name":"glRasterPos4fv","features":[374]},{"name":"glRasterPos4i","features":[374]},{"name":"glRasterPos4iv","features":[374]},{"name":"glRasterPos4s","features":[374]},{"name":"glRasterPos4sv","features":[374]},{"name":"glReadBuffer","features":[374]},{"name":"glReadPixels","features":[374]},{"name":"glRectd","features":[374]},{"name":"glRectdv","features":[374]},{"name":"glRectf","features":[374]},{"name":"glRectfv","features":[374]},{"name":"glRecti","features":[374]},{"name":"glRectiv","features":[374]},{"name":"glRects","features":[374]},{"name":"glRectsv","features":[374]},{"name":"glRenderMode","features":[374]},{"name":"glRotated","features":[374]},{"name":"glRotatef","features":[374]},{"name":"glScaled","features":[374]},{"name":"glScalef","features":[374]},{"name":"glScissor","features":[374]},{"name":"glSelectBuffer","features":[374]},{"name":"glShadeModel","features":[374]},{"name":"glStencilFunc","features":[374]},{"name":"glStencilMask","features":[374]},{"name":"glStencilOp","features":[374]},{"name":"glTexCoord1d","features":[374]},{"name":"glTexCoord1dv","features":[374]},{"name":"glTexCoord1f","features":[374]},{"name":"glTexCoord1fv","features":[374]},{"name":"glTexCoord1i","features":[374]},{"name":"glTexCoord1iv","features":[374]},{"name":"glTexCoord1s","features":[374]},{"name":"glTexCoord1sv","features":[374]},{"name":"glTexCoord2d","features":[374]},{"name":"glTexCoord2dv","features":[374]},{"name":"glTexCoord2f","features":[374]},{"name":"glTexCoord2fv","features":[374]},{"name":"glTexCoord2i","features":[374]},{"name":"glTexCoord2iv","features":[374]},{"name":"glTexCoord2s","features":[374]},{"name":"glTexCoord2sv","features":[374]},{"name":"glTexCoord3d","features":[374]},{"name":"glTexCoord3dv","features":[374]},{"name":"glTexCoord3f","features":[374]},{"name":"glTexCoord3fv","features":[374]},{"name":"glTexCoord3i","features":[374]},{"name":"glTexCoord3iv","features":[374]},{"name":"glTexCoord3s","features":[374]},{"name":"glTexCoord3sv","features":[374]},{"name":"glTexCoord4d","features":[374]},{"name":"glTexCoord4dv","features":[374]},{"name":"glTexCoord4f","features":[374]},{"name":"glTexCoord4fv","features":[374]},{"name":"glTexCoord4i","features":[374]},{"name":"glTexCoord4iv","features":[374]},{"name":"glTexCoord4s","features":[374]},{"name":"glTexCoord4sv","features":[374]},{"name":"glTexCoordPointer","features":[374]},{"name":"glTexEnvf","features":[374]},{"name":"glTexEnvfv","features":[374]},{"name":"glTexEnvi","features":[374]},{"name":"glTexEnviv","features":[374]},{"name":"glTexGend","features":[374]},{"name":"glTexGendv","features":[374]},{"name":"glTexGenf","features":[374]},{"name":"glTexGenfv","features":[374]},{"name":"glTexGeni","features":[374]},{"name":"glTexGeniv","features":[374]},{"name":"glTexImage1D","features":[374]},{"name":"glTexImage2D","features":[374]},{"name":"glTexParameterf","features":[374]},{"name":"glTexParameterfv","features":[374]},{"name":"glTexParameteri","features":[374]},{"name":"glTexParameteriv","features":[374]},{"name":"glTexSubImage1D","features":[374]},{"name":"glTexSubImage2D","features":[374]},{"name":"glTranslated","features":[374]},{"name":"glTranslatef","features":[374]},{"name":"glVertex2d","features":[374]},{"name":"glVertex2dv","features":[374]},{"name":"glVertex2f","features":[374]},{"name":"glVertex2fv","features":[374]},{"name":"glVertex2i","features":[374]},{"name":"glVertex2iv","features":[374]},{"name":"glVertex2s","features":[374]},{"name":"glVertex2sv","features":[374]},{"name":"glVertex3d","features":[374]},{"name":"glVertex3dv","features":[374]},{"name":"glVertex3f","features":[374]},{"name":"glVertex3fv","features":[374]},{"name":"glVertex3i","features":[374]},{"name":"glVertex3iv","features":[374]},{"name":"glVertex3s","features":[374]},{"name":"glVertex3sv","features":[374]},{"name":"glVertex4d","features":[374]},{"name":"glVertex4dv","features":[374]},{"name":"glVertex4f","features":[374]},{"name":"glVertex4fv","features":[374]},{"name":"glVertex4i","features":[374]},{"name":"glVertex4iv","features":[374]},{"name":"glVertex4s","features":[374]},{"name":"glVertex4sv","features":[374]},{"name":"glVertexPointer","features":[374]},{"name":"glViewport","features":[374]},{"name":"gluBeginCurve","features":[374]},{"name":"gluBeginPolygon","features":[374]},{"name":"gluBeginSurface","features":[374]},{"name":"gluBeginTrim","features":[374]},{"name":"gluBuild1DMipmaps","features":[374]},{"name":"gluBuild2DMipmaps","features":[374]},{"name":"gluCylinder","features":[374]},{"name":"gluDeleteNurbsRenderer","features":[374]},{"name":"gluDeleteQuadric","features":[374]},{"name":"gluDeleteTess","features":[374]},{"name":"gluDisk","features":[374]},{"name":"gluEndCurve","features":[374]},{"name":"gluEndPolygon","features":[374]},{"name":"gluEndSurface","features":[374]},{"name":"gluEndTrim","features":[374]},{"name":"gluErrorString","features":[374]},{"name":"gluErrorUnicodeStringEXT","features":[374]},{"name":"gluGetNurbsProperty","features":[374]},{"name":"gluGetString","features":[374]},{"name":"gluGetTessProperty","features":[374]},{"name":"gluLoadSamplingMatrices","features":[374]},{"name":"gluLookAt","features":[374]},{"name":"gluNewNurbsRenderer","features":[374]},{"name":"gluNewQuadric","features":[374]},{"name":"gluNewTess","features":[374]},{"name":"gluNextContour","features":[374]},{"name":"gluNurbsCallback","features":[374]},{"name":"gluNurbsCurve","features":[374]},{"name":"gluNurbsProperty","features":[374]},{"name":"gluNurbsSurface","features":[374]},{"name":"gluOrtho2D","features":[374]},{"name":"gluPartialDisk","features":[374]},{"name":"gluPerspective","features":[374]},{"name":"gluPickMatrix","features":[374]},{"name":"gluProject","features":[374]},{"name":"gluPwlCurve","features":[374]},{"name":"gluQuadricCallback","features":[374]},{"name":"gluQuadricDrawStyle","features":[374]},{"name":"gluQuadricNormals","features":[374]},{"name":"gluQuadricOrientation","features":[374]},{"name":"gluQuadricTexture","features":[374]},{"name":"gluScaleImage","features":[374]},{"name":"gluSphere","features":[374]},{"name":"gluTessBeginContour","features":[374]},{"name":"gluTessBeginPolygon","features":[374]},{"name":"gluTessCallback","features":[374]},{"name":"gluTessEndContour","features":[374]},{"name":"gluTessEndPolygon","features":[374]},{"name":"gluTessNormal","features":[374]},{"name":"gluTessProperty","features":[374]},{"name":"gluTessVertex","features":[374]},{"name":"gluUnProject","features":[374]},{"name":"wglCopyContext","features":[308,374]},{"name":"wglCreateContext","features":[319,374]},{"name":"wglCreateLayerContext","features":[319,374]},{"name":"wglDeleteContext","features":[308,374]},{"name":"wglDescribeLayerPlane","features":[308,319,374]},{"name":"wglGetCurrentContext","features":[374]},{"name":"wglGetCurrentDC","features":[319,374]},{"name":"wglGetLayerPaletteEntries","features":[308,319,374]},{"name":"wglGetProcAddress","features":[308,374]},{"name":"wglMakeCurrent","features":[308,319,374]},{"name":"wglRealizeLayerPalette","features":[308,319,374]},{"name":"wglSetLayerPaletteEntries","features":[308,319,374]},{"name":"wglShareLists","features":[308,374]},{"name":"wglSwapLayerBuffers","features":[308,319,374]},{"name":"wglUseFontBitmapsA","features":[308,319,374]},{"name":"wglUseFontBitmapsW","features":[308,319,374]},{"name":"wglUseFontOutlinesA","features":[308,319,374]},{"name":"wglUseFontOutlinesW","features":[308,319,374]}],"419":[{"name":"ADDJOB_INFO_1A","features":[416]},{"name":"ADDJOB_INFO_1W","features":[416]},{"name":"ALREADY_REGISTERED","features":[416]},{"name":"ALREADY_UNREGISTERED","features":[416]},{"name":"APD_COPY_ALL_FILES","features":[416]},{"name":"APD_COPY_FROM_DIRECTORY","features":[416]},{"name":"APD_COPY_NEW_FILES","features":[416]},{"name":"APD_STRICT_DOWNGRADE","features":[416]},{"name":"APD_STRICT_UPGRADE","features":[416]},{"name":"APPLYCPSUI_NO_NEWDEF","features":[416]},{"name":"APPLYCPSUI_OK_CANCEL_BUTTON","features":[416]},{"name":"ASYNC_CALL_ALREADY_PARKED","features":[416]},{"name":"ASYNC_CALL_IN_PROGRESS","features":[416]},{"name":"ASYNC_NOTIFICATION_FAILURE","features":[416]},{"name":"ATTRIBUTE_INFO_1","features":[416]},{"name":"ATTRIBUTE_INFO_2","features":[416]},{"name":"ATTRIBUTE_INFO_3","features":[416]},{"name":"ATTRIBUTE_INFO_4","features":[416]},{"name":"AbortPrinter","features":[308,416]},{"name":"AddFormA","features":[308,416]},{"name":"AddFormW","features":[308,416]},{"name":"AddJobA","features":[308,416]},{"name":"AddJobW","features":[308,416]},{"name":"AddMonitorA","features":[308,416]},{"name":"AddMonitorW","features":[308,416]},{"name":"AddPortA","features":[308,416]},{"name":"AddPortW","features":[308,416]},{"name":"AddPrintDeviceObject","features":[308,416]},{"name":"AddPrintProcessorA","features":[308,416]},{"name":"AddPrintProcessorW","features":[308,416]},{"name":"AddPrintProvidorA","features":[308,416]},{"name":"AddPrintProvidorW","features":[308,416]},{"name":"AddPrinterA","features":[308,416]},{"name":"AddPrinterConnection2A","features":[308,416]},{"name":"AddPrinterConnection2W","features":[308,416]},{"name":"AddPrinterConnectionA","features":[308,416]},{"name":"AddPrinterConnectionW","features":[308,416]},{"name":"AddPrinterDriverA","features":[308,416]},{"name":"AddPrinterDriverExA","features":[308,416]},{"name":"AddPrinterDriverExW","features":[308,416]},{"name":"AddPrinterDriverW","features":[308,416]},{"name":"AddPrinterW","features":[308,416]},{"name":"AdvancedDocumentPropertiesA","features":[308,319,416]},{"name":"AdvancedDocumentPropertiesW","features":[308,319,416]},{"name":"AppendPrinterNotifyInfoData","features":[308,416]},{"name":"BIDI_ACCESS_ADMINISTRATOR","features":[416]},{"name":"BIDI_ACCESS_USER","features":[416]},{"name":"BIDI_ACTION_ENUM_SCHEMA","features":[416]},{"name":"BIDI_ACTION_GET","features":[416]},{"name":"BIDI_ACTION_GET_ALL","features":[416]},{"name":"BIDI_ACTION_GET_WITH_ARGUMENT","features":[416]},{"name":"BIDI_ACTION_SET","features":[416]},{"name":"BIDI_BLOB","features":[416]},{"name":"BIDI_BOOL","features":[416]},{"name":"BIDI_DATA","features":[308,416]},{"name":"BIDI_ENUM","features":[416]},{"name":"BIDI_FLOAT","features":[416]},{"name":"BIDI_INT","features":[416]},{"name":"BIDI_NULL","features":[416]},{"name":"BIDI_REQUEST_CONTAINER","features":[308,416]},{"name":"BIDI_REQUEST_DATA","features":[308,416]},{"name":"BIDI_RESPONSE_CONTAINER","features":[308,416]},{"name":"BIDI_RESPONSE_DATA","features":[308,416]},{"name":"BIDI_STRING","features":[416]},{"name":"BIDI_TEXT","features":[416]},{"name":"BIDI_TYPE","features":[416]},{"name":"BINARY_CONTAINER","features":[416]},{"name":"BOOKLET_EDGE_LEFT","features":[416]},{"name":"BOOKLET_EDGE_RIGHT","features":[416]},{"name":"BOOKLET_PRINT","features":[416]},{"name":"BORDER_PRINT","features":[416]},{"name":"BidiRequest","features":[416]},{"name":"BidiRequestContainer","features":[416]},{"name":"BidiSpl","features":[416]},{"name":"BranchOfficeJobData","features":[416]},{"name":"BranchOfficeJobDataContainer","features":[416]},{"name":"BranchOfficeJobDataError","features":[416]},{"name":"BranchOfficeJobDataPipelineFailed","features":[416]},{"name":"BranchOfficeJobDataPrinted","features":[416]},{"name":"BranchOfficeJobDataRendered","features":[416]},{"name":"BranchOfficeLogOfflineFileFull","features":[416]},{"name":"CC_BIG5","features":[416]},{"name":"CC_CP437","features":[416]},{"name":"CC_CP850","features":[416]},{"name":"CC_CP863","features":[416]},{"name":"CC_DEFAULT","features":[416]},{"name":"CC_GB2312","features":[416]},{"name":"CC_ISC","features":[416]},{"name":"CC_JIS","features":[416]},{"name":"CC_JIS_ANK","features":[416]},{"name":"CC_NOPRECNV","features":[416]},{"name":"CC_NS86","features":[416]},{"name":"CC_SJIS","features":[416]},{"name":"CC_TCA","features":[416]},{"name":"CC_WANSUNG","features":[416]},{"name":"CDM_CONVERT","features":[416]},{"name":"CDM_CONVERT351","features":[416]},{"name":"CDM_DRIVER_DEFAULT","features":[416]},{"name":"CHANNEL_ACQUIRED","features":[416]},{"name":"CHANNEL_ALREADY_CLOSED","features":[416]},{"name":"CHANNEL_ALREADY_OPENED","features":[416]},{"name":"CHANNEL_CLOSED_BY_ANOTHER_LISTENER","features":[416]},{"name":"CHANNEL_CLOSED_BY_SAME_LISTENER","features":[416]},{"name":"CHANNEL_CLOSED_BY_SERVER","features":[416]},{"name":"CHANNEL_NOT_OPENED","features":[416]},{"name":"CHANNEL_RELEASED_BY_LISTENER","features":[416]},{"name":"CHANNEL_WAITING_FOR_CLIENT_NOTIFICATION","features":[416]},{"name":"CHKBOXS_FALSE_PDATA","features":[416]},{"name":"CHKBOXS_FALSE_TRUE","features":[416]},{"name":"CHKBOXS_NONE_PDATA","features":[416]},{"name":"CHKBOXS_NO_PDATA","features":[416]},{"name":"CHKBOXS_NO_YES","features":[416]},{"name":"CHKBOXS_OFF_ON","features":[416]},{"name":"CHKBOXS_OFF_PDATA","features":[416]},{"name":"CLSID_OEMPTPROVIDER","features":[416]},{"name":"CLSID_OEMRENDER","features":[416]},{"name":"CLSID_OEMUI","features":[416]},{"name":"CLSID_OEMUIMXDC","features":[416]},{"name":"CLSID_PTPROVIDER","features":[416]},{"name":"CLSID_XPSRASTERIZER_FACTORY","features":[416]},{"name":"COLOR_OPTIMIZATION","features":[416]},{"name":"COMPROPSHEETUI","features":[308,416,370]},{"name":"CONFIG_INFO_DATA_1","features":[416]},{"name":"COPYFILE_EVENT_ADD_PRINTER_CONNECTION","features":[416]},{"name":"COPYFILE_EVENT_DELETE_PRINTER","features":[416]},{"name":"COPYFILE_EVENT_DELETE_PRINTER_CONNECTION","features":[416]},{"name":"COPYFILE_EVENT_FILES_CHANGED","features":[416]},{"name":"COPYFILE_EVENT_SET_PRINTER_DATAEX","features":[416]},{"name":"COPYFILE_FLAG_CLIENT_SPOOLER","features":[416]},{"name":"COPYFILE_FLAG_SERVER_SPOOLER","features":[416]},{"name":"CORE_PRINTER_DRIVERA","features":[308,416]},{"name":"CORE_PRINTER_DRIVERW","features":[308,416]},{"name":"CPSFUNC_ADD_HPROPSHEETPAGE","features":[416]},{"name":"CPSFUNC_ADD_PCOMPROPSHEETUI","features":[416]},{"name":"CPSFUNC_ADD_PCOMPROPSHEETUIA","features":[416]},{"name":"CPSFUNC_ADD_PCOMPROPSHEETUIW","features":[416]},{"name":"CPSFUNC_ADD_PFNPROPSHEETUI","features":[416]},{"name":"CPSFUNC_ADD_PFNPROPSHEETUIA","features":[416]},{"name":"CPSFUNC_ADD_PFNPROPSHEETUIW","features":[416]},{"name":"CPSFUNC_ADD_PROPSHEETPAGE","features":[416]},{"name":"CPSFUNC_ADD_PROPSHEETPAGEA","features":[416]},{"name":"CPSFUNC_ADD_PROPSHEETPAGEW","features":[416]},{"name":"CPSFUNC_DELETE_HCOMPROPSHEET","features":[416]},{"name":"CPSFUNC_DO_APPLY_CPSUI","features":[416]},{"name":"CPSFUNC_GET_HPSUIPAGES","features":[416]},{"name":"CPSFUNC_GET_PAGECOUNT","features":[416]},{"name":"CPSFUNC_GET_PFNPROPSHEETUI_ICON","features":[416]},{"name":"CPSFUNC_IGNORE_CPSUI_PSN_APPLY","features":[416]},{"name":"CPSFUNC_INSERT_PSUIPAGE","features":[416]},{"name":"CPSFUNC_INSERT_PSUIPAGEA","features":[416]},{"name":"CPSFUNC_INSERT_PSUIPAGEW","features":[416]},{"name":"CPSFUNC_LOAD_CPSUI_ICON","features":[416]},{"name":"CPSFUNC_LOAD_CPSUI_STRING","features":[416]},{"name":"CPSFUNC_LOAD_CPSUI_STRINGA","features":[416]},{"name":"CPSFUNC_LOAD_CPSUI_STRINGW","features":[416]},{"name":"CPSFUNC_QUERY_DATABLOCK","features":[416]},{"name":"CPSFUNC_SET_DATABLOCK","features":[416]},{"name":"CPSFUNC_SET_DMPUB_HIDEBITS","features":[416]},{"name":"CPSFUNC_SET_FUSION_CONTEXT","features":[416]},{"name":"CPSFUNC_SET_HSTARTPAGE","features":[416]},{"name":"CPSFUNC_SET_PSUIPAGE_ICON","features":[416]},{"name":"CPSFUNC_SET_PSUIPAGE_TITLE","features":[416]},{"name":"CPSFUNC_SET_PSUIPAGE_TITLEA","features":[416]},{"name":"CPSFUNC_SET_PSUIPAGE_TITLEW","features":[416]},{"name":"CPSFUNC_SET_RESULT","features":[416]},{"name":"CPSUICBPARAM","features":[308,416,370]},{"name":"CPSUICB_ACTION_ITEMS_APPLIED","features":[416]},{"name":"CPSUICB_ACTION_NONE","features":[416]},{"name":"CPSUICB_ACTION_NO_APPLY_EXIT","features":[416]},{"name":"CPSUICB_ACTION_OPTIF_CHANGED","features":[416]},{"name":"CPSUICB_ACTION_REINIT_ITEMS","features":[416]},{"name":"CPSUICB_REASON_ABOUT","features":[416]},{"name":"CPSUICB_REASON_APPLYNOW","features":[416]},{"name":"CPSUICB_REASON_DLGPROC","features":[416]},{"name":"CPSUICB_REASON_ECB_CHANGED","features":[416]},{"name":"CPSUICB_REASON_EXTPUSH","features":[416]},{"name":"CPSUICB_REASON_ITEMS_REVERTED","features":[416]},{"name":"CPSUICB_REASON_KILLACTIVE","features":[416]},{"name":"CPSUICB_REASON_OPTITEM_SETFOCUS","features":[416]},{"name":"CPSUICB_REASON_PUSHBUTTON","features":[416]},{"name":"CPSUICB_REASON_SEL_CHANGED","features":[416]},{"name":"CPSUICB_REASON_SETACTIVE","features":[416]},{"name":"CPSUICB_REASON_UNDO_CHANGES","features":[416]},{"name":"CPSUIDATABLOCK","features":[416]},{"name":"CPSUIF_ABOUT_CALLBACK","features":[416]},{"name":"CPSUIF_ICONID_AS_HICON","features":[416]},{"name":"CPSUIF_UPDATE_PERMISSION","features":[416]},{"name":"CPSUI_CANCEL","features":[416]},{"name":"CPSUI_OK","features":[416]},{"name":"CPSUI_REBOOTSYSTEM","features":[416]},{"name":"CPSUI_RESTARTWINDOWS","features":[416]},{"name":"CUSTOMPARAM_HEIGHT","features":[416]},{"name":"CUSTOMPARAM_HEIGHTOFFSET","features":[416]},{"name":"CUSTOMPARAM_MAX","features":[416]},{"name":"CUSTOMPARAM_ORIENTATION","features":[416]},{"name":"CUSTOMPARAM_WIDTH","features":[416]},{"name":"CUSTOMPARAM_WIDTHOFFSET","features":[416]},{"name":"CUSTOMSIZEPARAM","features":[416]},{"name":"CallRouterFindFirstPrinterChangeNotification","features":[308,416]},{"name":"ClosePrinter","features":[308,416]},{"name":"CloseSpoolFileHandle","features":[308,416]},{"name":"CommitSpoolData","features":[308,416]},{"name":"CommonPropertySheetUIA","features":[308,416]},{"name":"CommonPropertySheetUIW","features":[308,416]},{"name":"Compression_Fast","features":[416]},{"name":"Compression_Normal","features":[416]},{"name":"Compression_NotCompressed","features":[416]},{"name":"Compression_Small","features":[416]},{"name":"ConfigurePortA","features":[308,416]},{"name":"ConfigurePortW","features":[308,416]},{"name":"ConnectToPrinterDlg","features":[308,416]},{"name":"CorePrinterDriverInstalledA","features":[308,416]},{"name":"CorePrinterDriverInstalledW","features":[308,416]},{"name":"CreatePrintAsyncNotifyChannel","features":[416]},{"name":"CreatePrinterIC","features":[308,319,416]},{"name":"DATATYPES_INFO_1A","features":[416]},{"name":"DATATYPES_INFO_1W","features":[416]},{"name":"DATA_HEADER","features":[416]},{"name":"DEF_PRIORITY","features":[416]},{"name":"DELETE_PORT_DATA_1","features":[416]},{"name":"DEVICEPROPERTYHEADER","features":[308,416]},{"name":"DEVQUERYPRINT_INFO","features":[308,319,416]},{"name":"DF_BKSP_OK","features":[416]},{"name":"DF_NOITALIC","features":[416]},{"name":"DF_NOUNDER","features":[416]},{"name":"DF_NO_BOLD","features":[416]},{"name":"DF_NO_DOUBLE_UNDERLINE","features":[416]},{"name":"DF_NO_STRIKETHRU","features":[416]},{"name":"DF_TYPE_CAPSL","features":[416]},{"name":"DF_TYPE_HPINTELLIFONT","features":[416]},{"name":"DF_TYPE_OEM1","features":[416]},{"name":"DF_TYPE_OEM2","features":[416]},{"name":"DF_TYPE_PST1","features":[416]},{"name":"DF_TYPE_TRUETYPE","features":[416]},{"name":"DF_XM_CR","features":[416]},{"name":"DISPID_PRINTEREXTENSION_CONTEXT","features":[416]},{"name":"DISPID_PRINTEREXTENSION_CONTEXTCOLLECTION","features":[416]},{"name":"DISPID_PRINTEREXTENSION_CONTEXTCOLLECTION_COUNT","features":[416]},{"name":"DISPID_PRINTEREXTENSION_CONTEXTCOLLECTION_GETAT","features":[416]},{"name":"DISPID_PRINTEREXTENSION_CONTEXT_DRIVERPROPERTIES","features":[416]},{"name":"DISPID_PRINTEREXTENSION_CONTEXT_PRINTERQUEUE","features":[416]},{"name":"DISPID_PRINTEREXTENSION_CONTEXT_PRINTSCHEMATICKET","features":[416]},{"name":"DISPID_PRINTEREXTENSION_CONTEXT_USERPROPERTIES","features":[416]},{"name":"DISPID_PRINTEREXTENSION_EVENT","features":[416]},{"name":"DISPID_PRINTEREXTENSION_EVENTARGS","features":[416]},{"name":"DISPID_PRINTEREXTENSION_EVENTARGS_BIDINOTIFICATION","features":[416]},{"name":"DISPID_PRINTEREXTENSION_EVENTARGS_DETAILEDREASONID","features":[416]},{"name":"DISPID_PRINTEREXTENSION_EVENTARGS_REASONID","features":[416]},{"name":"DISPID_PRINTEREXTENSION_EVENTARGS_REQUEST","features":[416]},{"name":"DISPID_PRINTEREXTENSION_EVENTARGS_SOURCEAPPLICATION","features":[416]},{"name":"DISPID_PRINTEREXTENSION_EVENTARGS_WINDOWMODAL","features":[416]},{"name":"DISPID_PRINTEREXTENSION_EVENTARGS_WINDOWPARENT","features":[416]},{"name":"DISPID_PRINTEREXTENSION_EVENT_ONDRIVEREVENT","features":[416]},{"name":"DISPID_PRINTEREXTENSION_EVENT_ONPRINTERQUEUESENUMERATED","features":[416]},{"name":"DISPID_PRINTEREXTENSION_REQUEST","features":[416]},{"name":"DISPID_PRINTEREXTENSION_REQUEST_CANCEL","features":[416]},{"name":"DISPID_PRINTEREXTENSION_REQUEST_COMPLETE","features":[416]},{"name":"DISPID_PRINTERPROPERTYBAG","features":[416]},{"name":"DISPID_PRINTERPROPERTYBAG_GETBOOL","features":[416]},{"name":"DISPID_PRINTERPROPERTYBAG_GETBYTES","features":[416]},{"name":"DISPID_PRINTERPROPERTYBAG_GETINT32","features":[416]},{"name":"DISPID_PRINTERPROPERTYBAG_GETREADSTREAM","features":[416]},{"name":"DISPID_PRINTERPROPERTYBAG_GETSTRING","features":[416]},{"name":"DISPID_PRINTERPROPERTYBAG_GETWRITESTREAM","features":[416]},{"name":"DISPID_PRINTERPROPERTYBAG_SETBOOL","features":[416]},{"name":"DISPID_PRINTERPROPERTYBAG_SETBYTES","features":[416]},{"name":"DISPID_PRINTERPROPERTYBAG_SETINT32","features":[416]},{"name":"DISPID_PRINTERPROPERTYBAG_SETSTRING","features":[416]},{"name":"DISPID_PRINTERQUEUE","features":[416]},{"name":"DISPID_PRINTERQUEUEEVENT","features":[416]},{"name":"DISPID_PRINTERQUEUEEVENT_ONBIDIRESPONSERECEIVED","features":[416]},{"name":"DISPID_PRINTERQUEUEVIEW","features":[416]},{"name":"DISPID_PRINTERQUEUEVIEW_EVENT","features":[416]},{"name":"DISPID_PRINTERQUEUEVIEW_EVENT_ONCHANGED","features":[416]},{"name":"DISPID_PRINTERQUEUEVIEW_SETVIEWRANGE","features":[416]},{"name":"DISPID_PRINTERQUEUE_GETPRINTERQUEUEVIEW","features":[416]},{"name":"DISPID_PRINTERQUEUE_GETPROPERTIES","features":[416]},{"name":"DISPID_PRINTERQUEUE_HANDLE","features":[416]},{"name":"DISPID_PRINTERQUEUE_NAME","features":[416]},{"name":"DISPID_PRINTERQUEUE_SENDBIDIQUERY","features":[416]},{"name":"DISPID_PRINTERQUEUE_SENDBIDISETREQUESTASYNC","features":[416]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG","features":[416]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG_GETBOOL","features":[416]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG_GETBYTES","features":[416]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG_GETINT32","features":[416]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG_GETREADSTREAM","features":[416]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG_GETSTREAMASXML","features":[416]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG_GETSTRING","features":[416]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG_GETWRITESTREAM","features":[416]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG_SETBOOL","features":[416]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG_SETBYTES","features":[416]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG_SETINT32","features":[416]},{"name":"DISPID_PRINTERSCRIPTABLEPROPERTYBAG_SETSTRING","features":[416]},{"name":"DISPID_PRINTERSCRIPTABLESEQUENTIALSTREAM","features":[416]},{"name":"DISPID_PRINTERSCRIPTABLESEQUENTIALSTREAM_READ","features":[416]},{"name":"DISPID_PRINTERSCRIPTABLESEQUENTIALSTREAM_WRITE","features":[416]},{"name":"DISPID_PRINTERSCRIPTABLESTREAM","features":[416]},{"name":"DISPID_PRINTERSCRIPTABLESTREAM_COMMIT","features":[416]},{"name":"DISPID_PRINTERSCRIPTABLESTREAM_SEEK","features":[416]},{"name":"DISPID_PRINTERSCRIPTABLESTREAM_SETSIZE","features":[416]},{"name":"DISPID_PRINTERSCRIPTCONTEXT","features":[416]},{"name":"DISPID_PRINTERSCRIPTCONTEXT_DRIVERPROPERTIES","features":[416]},{"name":"DISPID_PRINTERSCRIPTCONTEXT_QUEUEPROPERTIES","features":[416]},{"name":"DISPID_PRINTERSCRIPTCONTEXT_USERPROPERTIES","features":[416]},{"name":"DISPID_PRINTJOBCOLLECTION","features":[416]},{"name":"DISPID_PRINTJOBCOLLECTION_COUNT","features":[416]},{"name":"DISPID_PRINTJOBCOLLECTION_GETAT","features":[416]},{"name":"DISPID_PRINTSCHEMA_ASYNCOPERATION","features":[416]},{"name":"DISPID_PRINTSCHEMA_ASYNCOPERATIONEVENT","features":[416]},{"name":"DISPID_PRINTSCHEMA_ASYNCOPERATIONEVENT_COMPLETED","features":[416]},{"name":"DISPID_PRINTSCHEMA_ASYNCOPERATION_CANCEL","features":[416]},{"name":"DISPID_PRINTSCHEMA_ASYNCOPERATION_START","features":[416]},{"name":"DISPID_PRINTSCHEMA_CAPABILITIES","features":[416]},{"name":"DISPID_PRINTSCHEMA_CAPABILITIES_GETFEATURE","features":[416]},{"name":"DISPID_PRINTSCHEMA_CAPABILITIES_GETFEATURE_KEYNAME","features":[416]},{"name":"DISPID_PRINTSCHEMA_CAPABILITIES_GETOPTIONS","features":[416]},{"name":"DISPID_PRINTSCHEMA_CAPABILITIES_GETPARAMETERDEFINITION","features":[416]},{"name":"DISPID_PRINTSCHEMA_CAPABILITIES_GETSELECTEDOPTION","features":[416]},{"name":"DISPID_PRINTSCHEMA_CAPABILITIES_JOBCOPIESMAXVALUE","features":[416]},{"name":"DISPID_PRINTSCHEMA_CAPABILITIES_JOBCOPIESMINVALUE","features":[416]},{"name":"DISPID_PRINTSCHEMA_CAPABILITIES_PAGEIMAGEABLESIZE","features":[416]},{"name":"DISPID_PRINTSCHEMA_DISPLAYABLEELEMENT","features":[416]},{"name":"DISPID_PRINTSCHEMA_DISPLAYABLEELEMENT_DISPLAYNAME","features":[416]},{"name":"DISPID_PRINTSCHEMA_ELEMENT","features":[416]},{"name":"DISPID_PRINTSCHEMA_ELEMENT_NAME","features":[416]},{"name":"DISPID_PRINTSCHEMA_ELEMENT_NAMESPACEURI","features":[416]},{"name":"DISPID_PRINTSCHEMA_ELEMENT_XMLNODE","features":[416]},{"name":"DISPID_PRINTSCHEMA_FEATURE","features":[416]},{"name":"DISPID_PRINTSCHEMA_FEATURE_DISPLAYUI","features":[416]},{"name":"DISPID_PRINTSCHEMA_FEATURE_GETOPTION","features":[416]},{"name":"DISPID_PRINTSCHEMA_FEATURE_SELECTEDOPTION","features":[416]},{"name":"DISPID_PRINTSCHEMA_FEATURE_SELECTIONTYPE","features":[416]},{"name":"DISPID_PRINTSCHEMA_NUPOPTION","features":[416]},{"name":"DISPID_PRINTSCHEMA_NUPOPTION_PAGESPERSHEET","features":[416]},{"name":"DISPID_PRINTSCHEMA_OPTION","features":[416]},{"name":"DISPID_PRINTSCHEMA_OPTIONCOLLECTION","features":[416]},{"name":"DISPID_PRINTSCHEMA_OPTIONCOLLECTION_COUNT","features":[416]},{"name":"DISPID_PRINTSCHEMA_OPTIONCOLLECTION_GETAT","features":[416]},{"name":"DISPID_PRINTSCHEMA_OPTION_CONSTRAINED","features":[416]},{"name":"DISPID_PRINTSCHEMA_OPTION_GETPROPERTYVALUE","features":[416]},{"name":"DISPID_PRINTSCHEMA_OPTION_SELECTED","features":[416]},{"name":"DISPID_PRINTSCHEMA_PAGEIMAGEABLESIZE","features":[416]},{"name":"DISPID_PRINTSCHEMA_PAGEIMAGEABLESIZE_EXTENT_HEIGHT","features":[416]},{"name":"DISPID_PRINTSCHEMA_PAGEIMAGEABLESIZE_EXTENT_WIDTH","features":[416]},{"name":"DISPID_PRINTSCHEMA_PAGEIMAGEABLESIZE_IMAGEABLE_HEIGHT","features":[416]},{"name":"DISPID_PRINTSCHEMA_PAGEIMAGEABLESIZE_IMAGEABLE_WIDTH","features":[416]},{"name":"DISPID_PRINTSCHEMA_PAGEIMAGEABLESIZE_ORIGIN_HEIGHT","features":[416]},{"name":"DISPID_PRINTSCHEMA_PAGEIMAGEABLESIZE_ORIGIN_WIDTH","features":[416]},{"name":"DISPID_PRINTSCHEMA_PAGEMEDIASIZEOPTION","features":[416]},{"name":"DISPID_PRINTSCHEMA_PAGEMEDIASIZEOPTION_HEIGHT","features":[416]},{"name":"DISPID_PRINTSCHEMA_PAGEMEDIASIZEOPTION_WIDTH","features":[416]},{"name":"DISPID_PRINTSCHEMA_PARAMETERDEFINITION","features":[416]},{"name":"DISPID_PRINTSCHEMA_PARAMETERDEFINITION_DATATYPE","features":[416]},{"name":"DISPID_PRINTSCHEMA_PARAMETERDEFINITION_RANGEMAX","features":[416]},{"name":"DISPID_PRINTSCHEMA_PARAMETERDEFINITION_RANGEMIN","features":[416]},{"name":"DISPID_PRINTSCHEMA_PARAMETERDEFINITION_UNITTYPE","features":[416]},{"name":"DISPID_PRINTSCHEMA_PARAMETERDEFINITION_USERINPUTREQUIRED","features":[416]},{"name":"DISPID_PRINTSCHEMA_PARAMETERINITIALIZER","features":[416]},{"name":"DISPID_PRINTSCHEMA_PARAMETERINITIALIZER_VALUE","features":[416]},{"name":"DISPID_PRINTSCHEMA_TICKET","features":[416]},{"name":"DISPID_PRINTSCHEMA_TICKET_COMMITASYNC","features":[416]},{"name":"DISPID_PRINTSCHEMA_TICKET_GETCAPABILITIES","features":[416]},{"name":"DISPID_PRINTSCHEMA_TICKET_GETFEATURE","features":[416]},{"name":"DISPID_PRINTSCHEMA_TICKET_GETFEATURE_KEYNAME","features":[416]},{"name":"DISPID_PRINTSCHEMA_TICKET_GETPARAMETERINITIALIZER","features":[416]},{"name":"DISPID_PRINTSCHEMA_TICKET_JOBCOPIESALLDOCUMENTS","features":[416]},{"name":"DISPID_PRINTSCHEMA_TICKET_NOTIFYXMLCHANGED","features":[416]},{"name":"DISPID_PRINTSCHEMA_TICKET_VALIDATEASYNC","features":[416]},{"name":"DI_CHANNEL","features":[416]},{"name":"DI_MEMORYMAP_WRITE","features":[416]},{"name":"DI_READ_SPOOL_JOB","features":[416]},{"name":"DLGPAGE","features":[308,416,370]},{"name":"DMPUB_BOOKLET_EDGE","features":[416]},{"name":"DMPUB_COLOR","features":[416]},{"name":"DMPUB_COPIES_COLLATE","features":[416]},{"name":"DMPUB_DEFSOURCE","features":[416]},{"name":"DMPUB_DITHERTYPE","features":[416]},{"name":"DMPUB_DUPLEX","features":[416]},{"name":"DMPUB_FIRST","features":[416]},{"name":"DMPUB_FORMNAME","features":[416]},{"name":"DMPUB_ICMINTENT","features":[416]},{"name":"DMPUB_ICMMETHOD","features":[416]},{"name":"DMPUB_LAST","features":[416]},{"name":"DMPUB_MANUAL_DUPLEX","features":[416]},{"name":"DMPUB_MEDIATYPE","features":[416]},{"name":"DMPUB_NONE","features":[416]},{"name":"DMPUB_NUP","features":[416]},{"name":"DMPUB_NUP_DIRECTION","features":[416]},{"name":"DMPUB_OEM_GRAPHIC_ITEM","features":[416]},{"name":"DMPUB_OEM_PAPER_ITEM","features":[416]},{"name":"DMPUB_OEM_ROOT_ITEM","features":[416]},{"name":"DMPUB_ORIENTATION","features":[416]},{"name":"DMPUB_OUTPUTBIN","features":[416]},{"name":"DMPUB_PAGEORDER","features":[416]},{"name":"DMPUB_PRINTQUALITY","features":[416]},{"name":"DMPUB_QUALITY","features":[416]},{"name":"DMPUB_SCALE","features":[416]},{"name":"DMPUB_STAPLE","features":[416]},{"name":"DMPUB_TTOPTION","features":[416]},{"name":"DMPUB_USER","features":[416]},{"name":"DM_ADVANCED","features":[416]},{"name":"DM_INVALIDATE_DRIVER_CACHE","features":[416]},{"name":"DM_NOPERMISSION","features":[416]},{"name":"DM_PROMPT_NON_MODAL","features":[416]},{"name":"DM_RESERVED","features":[416]},{"name":"DM_USER_DEFAULT","features":[416]},{"name":"DOCEVENT_CREATEDCPRE","features":[308,319,416]},{"name":"DOCEVENT_ESCAPE","features":[416]},{"name":"DOCEVENT_FILTER","features":[416]},{"name":"DOCUMENTEVENT_ABORTDOC","features":[416]},{"name":"DOCUMENTEVENT_CREATEDCPOST","features":[416]},{"name":"DOCUMENTEVENT_CREATEDCPRE","features":[416]},{"name":"DOCUMENTEVENT_DELETEDC","features":[416]},{"name":"DOCUMENTEVENT_ENDDOC","features":[416]},{"name":"DOCUMENTEVENT_ENDDOCPOST","features":[416]},{"name":"DOCUMENTEVENT_ENDDOCPRE","features":[416]},{"name":"DOCUMENTEVENT_ENDPAGE","features":[416]},{"name":"DOCUMENTEVENT_ESCAPE","features":[416]},{"name":"DOCUMENTEVENT_FAILURE","features":[416]},{"name":"DOCUMENTEVENT_FIRST","features":[416]},{"name":"DOCUMENTEVENT_LAST","features":[416]},{"name":"DOCUMENTEVENT_QUERYFILTER","features":[416]},{"name":"DOCUMENTEVENT_RESETDCPOST","features":[416]},{"name":"DOCUMENTEVENT_RESETDCPRE","features":[416]},{"name":"DOCUMENTEVENT_SPOOLED","features":[416]},{"name":"DOCUMENTEVENT_STARTDOC","features":[416]},{"name":"DOCUMENTEVENT_STARTDOCPOST","features":[416]},{"name":"DOCUMENTEVENT_STARTDOCPRE","features":[416]},{"name":"DOCUMENTEVENT_STARTPAGE","features":[416]},{"name":"DOCUMENTEVENT_SUCCESS","features":[416]},{"name":"DOCUMENTEVENT_UNSUPPORTED","features":[416]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDDOCUMENTPOST","features":[416]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDDOCUMENTPRE","features":[416]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDDOCUMENTPRINTTICKETPOST","features":[416]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDDOCUMENTPRINTTICKETPRE","features":[416]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDDOCUMENTSEQUENCEPOST","features":[416]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDDOCUMENTSEQUENCEPRE","features":[416]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDDOCUMENTSEQUENCEPRINTTICKETPOST","features":[416]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDDOCUMENTSEQUENCEPRINTTICKETPRE","features":[416]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDPAGEEPRE","features":[416]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDPAGEPOST","features":[416]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDPAGEPRINTTICKETPOST","features":[416]},{"name":"DOCUMENTEVENT_XPS_ADDFIXEDPAGEPRINTTICKETPRE","features":[416]},{"name":"DOCUMENTEVENT_XPS_CANCELJOB","features":[416]},{"name":"DOCUMENTPROPERTYHEADER","features":[308,319,416]},{"name":"DOC_INFO_1A","features":[416]},{"name":"DOC_INFO_1W","features":[416]},{"name":"DOC_INFO_2A","features":[416]},{"name":"DOC_INFO_2W","features":[416]},{"name":"DOC_INFO_3A","features":[416]},{"name":"DOC_INFO_3W","features":[416]},{"name":"DOC_INFO_INTERNAL","features":[308,416]},{"name":"DOC_INFO_INTERNAL_LEVEL","features":[416]},{"name":"DPD_DELETE_ALL_FILES","features":[416]},{"name":"DPD_DELETE_SPECIFIC_VERSION","features":[416]},{"name":"DPD_DELETE_UNUSED_FILES","features":[416]},{"name":"DPF_ICONID_AS_HICON","features":[416]},{"name":"DPF_USE_HDLGTEMPLATE","features":[416]},{"name":"DPS_NOPERMISSION","features":[416]},{"name":"DP_STD_DOCPROPPAGE1","features":[416]},{"name":"DP_STD_DOCPROPPAGE2","features":[416]},{"name":"DP_STD_RESERVED_START","features":[416]},{"name":"DP_STD_TREEVIEWPAGE","features":[416]},{"name":"DRIVER_EVENT_DELETE","features":[416]},{"name":"DRIVER_EVENT_INITIALIZE","features":[416]},{"name":"DRIVER_INFO_1A","features":[416]},{"name":"DRIVER_INFO_1W","features":[416]},{"name":"DRIVER_INFO_2A","features":[416]},{"name":"DRIVER_INFO_2W","features":[416]},{"name":"DRIVER_INFO_3A","features":[416]},{"name":"DRIVER_INFO_3W","features":[416]},{"name":"DRIVER_INFO_4A","features":[416]},{"name":"DRIVER_INFO_4W","features":[416]},{"name":"DRIVER_INFO_5A","features":[416]},{"name":"DRIVER_INFO_5W","features":[416]},{"name":"DRIVER_INFO_6A","features":[308,416]},{"name":"DRIVER_INFO_6W","features":[308,416]},{"name":"DRIVER_INFO_8A","features":[308,416]},{"name":"DRIVER_INFO_8W","features":[308,416]},{"name":"DRIVER_KERNELMODE","features":[416]},{"name":"DRIVER_UPGRADE_INFO_1","features":[416]},{"name":"DRIVER_UPGRADE_INFO_2","features":[416]},{"name":"DRIVER_USERMODE","features":[416]},{"name":"DSPRINT_PENDING","features":[416]},{"name":"DSPRINT_PUBLISH","features":[416]},{"name":"DSPRINT_REPUBLISH","features":[416]},{"name":"DSPRINT_UNPUBLISH","features":[416]},{"name":"DSPRINT_UPDATE","features":[416]},{"name":"DeleteFormA","features":[308,416]},{"name":"DeleteFormW","features":[308,416]},{"name":"DeleteJobNamedProperty","features":[308,416]},{"name":"DeleteMonitorA","features":[308,416]},{"name":"DeleteMonitorW","features":[308,416]},{"name":"DeletePortA","features":[308,416]},{"name":"DeletePortW","features":[308,416]},{"name":"DeletePrintProcessorA","features":[308,416]},{"name":"DeletePrintProcessorW","features":[308,416]},{"name":"DeletePrintProvidorA","features":[308,416]},{"name":"DeletePrintProvidorW","features":[308,416]},{"name":"DeletePrinter","features":[308,416]},{"name":"DeletePrinterConnectionA","features":[308,416]},{"name":"DeletePrinterConnectionW","features":[308,416]},{"name":"DeletePrinterDataA","features":[308,416]},{"name":"DeletePrinterDataExA","features":[308,416]},{"name":"DeletePrinterDataExW","features":[308,416]},{"name":"DeletePrinterDataW","features":[308,416]},{"name":"DeletePrinterDriverA","features":[308,416]},{"name":"DeletePrinterDriverExA","features":[308,416]},{"name":"DeletePrinterDriverExW","features":[308,416]},{"name":"DeletePrinterDriverPackageA","features":[416]},{"name":"DeletePrinterDriverPackageW","features":[416]},{"name":"DeletePrinterDriverW","features":[308,416]},{"name":"DeletePrinterIC","features":[308,416]},{"name":"DeletePrinterKeyA","features":[308,416]},{"name":"DeletePrinterKeyW","features":[308,416]},{"name":"DevQueryPrint","features":[308,319,416]},{"name":"DevQueryPrintEx","features":[308,319,416]},{"name":"DocumentPropertiesA","features":[308,319,416]},{"name":"DocumentPropertiesW","features":[308,319,416]},{"name":"EATTRIBUTE_DATATYPE","features":[416]},{"name":"EBranchOfficeJobEventType","features":[416]},{"name":"ECBF_CHECKNAME_AT_FRONT","features":[416]},{"name":"ECBF_CHECKNAME_ONLY","features":[416]},{"name":"ECBF_CHECKNAME_ONLY_ENABLED","features":[416]},{"name":"ECBF_ICONID_AS_HICON","features":[416]},{"name":"ECBF_MASK","features":[416]},{"name":"ECBF_OVERLAY_ECBICON_IF_CHECKED","features":[416]},{"name":"ECBF_OVERLAY_NO_ICON","features":[416]},{"name":"ECBF_OVERLAY_STOP_ICON","features":[416]},{"name":"ECBF_OVERLAY_WARNING_ICON","features":[416]},{"name":"EMFPLAYPROC","features":[308,319,416]},{"name":"EMF_PP_COLOR_OPTIMIZATION","features":[416]},{"name":"EPF_ICONID_AS_HICON","features":[416]},{"name":"EPF_INCL_SETUP_TITLE","features":[416]},{"name":"EPF_MASK","features":[416]},{"name":"EPF_NO_DOT_DOT_DOT","features":[416]},{"name":"EPF_OVERLAY_NO_ICON","features":[416]},{"name":"EPF_OVERLAY_STOP_ICON","features":[416]},{"name":"EPF_OVERLAY_WARNING_ICON","features":[416]},{"name":"EPF_PUSH_TYPE_DLGPROC","features":[416]},{"name":"EPF_USE_HDLGTEMPLATE","features":[416]},{"name":"EPrintPropertyType","features":[416]},{"name":"EPrintXPSJobOperation","features":[416]},{"name":"EPrintXPSJobProgress","features":[416]},{"name":"ERROR_BIDI_DEVICE_CONFIG_UNCHANGED","features":[416]},{"name":"ERROR_BIDI_DEVICE_OFFLINE","features":[416]},{"name":"ERROR_BIDI_ERROR_BASE","features":[416]},{"name":"ERROR_BIDI_GET_ARGUMENT_NOT_SUPPORTED","features":[416]},{"name":"ERROR_BIDI_GET_MISSING_ARGUMENT","features":[416]},{"name":"ERROR_BIDI_GET_REQUIRES_ARGUMENT","features":[416]},{"name":"ERROR_BIDI_NO_BIDI_SCHEMA_EXTENSIONS","features":[416]},{"name":"ERROR_BIDI_NO_LOCALIZED_RESOURCES","features":[416]},{"name":"ERROR_BIDI_SCHEMA_NOT_SUPPORTED","features":[416]},{"name":"ERROR_BIDI_SCHEMA_READ_ONLY","features":[416]},{"name":"ERROR_BIDI_SCHEMA_WRITE_ONLY","features":[416]},{"name":"ERROR_BIDI_SERVER_OFFLINE","features":[416]},{"name":"ERROR_BIDI_SET_DIFFERENT_TYPE","features":[416]},{"name":"ERROR_BIDI_SET_INVALID_SCHEMAPATH","features":[416]},{"name":"ERROR_BIDI_SET_MULTIPLE_SCHEMAPATH","features":[416]},{"name":"ERROR_BIDI_SET_UNKNOWN_FAILURE","features":[416]},{"name":"ERROR_BIDI_STATUS_OK","features":[416]},{"name":"ERROR_BIDI_STATUS_WARNING","features":[416]},{"name":"ERROR_BIDI_UNSUPPORTED_CLIENT_LANGUAGE","features":[416]},{"name":"ERROR_BIDI_UNSUPPORTED_RESOURCE_FORMAT","features":[416]},{"name":"ERR_CPSUI_ALLOCMEM_FAILED","features":[416]},{"name":"ERR_CPSUI_CREATEPROPPAGE_FAILED","features":[416]},{"name":"ERR_CPSUI_CREATE_IMAGELIST_FAILED","features":[416]},{"name":"ERR_CPSUI_CREATE_TRACKBAR_FAILED","features":[416]},{"name":"ERR_CPSUI_CREATE_UDARROW_FAILED","features":[416]},{"name":"ERR_CPSUI_DMCOPIES_USE_EXTPUSH","features":[416]},{"name":"ERR_CPSUI_FUNCTION_NOT_IMPLEMENTED","features":[416]},{"name":"ERR_CPSUI_GETLASTERROR","features":[416]},{"name":"ERR_CPSUI_INTERNAL_ERROR","features":[416]},{"name":"ERR_CPSUI_INVALID_DLGPAGEIDX","features":[416]},{"name":"ERR_CPSUI_INVALID_DLGPAGE_CBSIZE","features":[416]},{"name":"ERR_CPSUI_INVALID_DMPUBID","features":[416]},{"name":"ERR_CPSUI_INVALID_DMPUB_TVOT","features":[416]},{"name":"ERR_CPSUI_INVALID_ECB_CBSIZE","features":[416]},{"name":"ERR_CPSUI_INVALID_EDITBOX_BUF_SIZE","features":[416]},{"name":"ERR_CPSUI_INVALID_EDITBOX_PSEL","features":[416]},{"name":"ERR_CPSUI_INVALID_EXTPUSH_CBSIZE","features":[416]},{"name":"ERR_CPSUI_INVALID_LBCB_TYPE","features":[416]},{"name":"ERR_CPSUI_INVALID_LPARAM","features":[416]},{"name":"ERR_CPSUI_INVALID_OPTITEM_CBSIZE","features":[416]},{"name":"ERR_CPSUI_INVALID_OPTPARAM_CBSIZE","features":[416]},{"name":"ERR_CPSUI_INVALID_OPTTYPE_CBSIZE","features":[416]},{"name":"ERR_CPSUI_INVALID_OPTTYPE_COUNT","features":[416]},{"name":"ERR_CPSUI_INVALID_PDATA","features":[416]},{"name":"ERR_CPSUI_INVALID_PDLGPAGE","features":[416]},{"name":"ERR_CPSUI_INVALID_PUSHBUTTON_TYPE","features":[416]},{"name":"ERR_CPSUI_INVALID_TVOT_TYPE","features":[416]},{"name":"ERR_CPSUI_MORE_THAN_ONE_STDPAGE","features":[416]},{"name":"ERR_CPSUI_MORE_THAN_ONE_TVPAGE","features":[416]},{"name":"ERR_CPSUI_NO_EXTPUSH_DLGTEMPLATEID","features":[416]},{"name":"ERR_CPSUI_NO_PROPSHEETPAGE","features":[416]},{"name":"ERR_CPSUI_NULL_CALLERNAME","features":[416]},{"name":"ERR_CPSUI_NULL_ECB_PCHECKEDNAME","features":[416]},{"name":"ERR_CPSUI_NULL_ECB_PTITLE","features":[416]},{"name":"ERR_CPSUI_NULL_EXTPUSH_CALLBACK","features":[416]},{"name":"ERR_CPSUI_NULL_EXTPUSH_DLGPROC","features":[416]},{"name":"ERR_CPSUI_NULL_HINST","features":[416]},{"name":"ERR_CPSUI_NULL_OPTITEMNAME","features":[416]},{"name":"ERR_CPSUI_NULL_POPTITEM","features":[416]},{"name":"ERR_CPSUI_NULL_POPTPARAM","features":[416]},{"name":"ERR_CPSUI_SUBITEM_DIFF_DLGPAGEIDX","features":[416]},{"name":"ERR_CPSUI_SUBITEM_DIFF_OPTIF_HIDE","features":[416]},{"name":"ERR_CPSUI_TOO_MANY_DLGPAGES","features":[416]},{"name":"ERR_CPSUI_TOO_MANY_PROPSHEETPAGES","features":[416]},{"name":"ERR_CPSUI_ZERO_OPTITEM","features":[416]},{"name":"EXTCHKBOX","features":[416]},{"name":"EXTPUSH","features":[308,416,370]},{"name":"EXTTEXTMETRIC","features":[416]},{"name":"EXpsCompressionOptions","features":[416]},{"name":"EXpsFontOptions","features":[416]},{"name":"EXpsFontRestriction","features":[416]},{"name":"EXpsJobConsumption","features":[416]},{"name":"E_VERSION_NOT_SUPPORTED","features":[416]},{"name":"EndDocPrinter","features":[308,416]},{"name":"EndPagePrinter","features":[308,416]},{"name":"EnumFormsA","features":[308,416]},{"name":"EnumFormsW","features":[308,416]},{"name":"EnumJobNamedProperties","features":[308,416]},{"name":"EnumJobsA","features":[308,416]},{"name":"EnumJobsW","features":[308,416]},{"name":"EnumMonitorsA","features":[308,416]},{"name":"EnumMonitorsW","features":[308,416]},{"name":"EnumPortsA","features":[308,416]},{"name":"EnumPortsW","features":[308,416]},{"name":"EnumPrintProcessorDatatypesA","features":[308,416]},{"name":"EnumPrintProcessorDatatypesW","features":[308,416]},{"name":"EnumPrintProcessorsA","features":[308,416]},{"name":"EnumPrintProcessorsW","features":[308,416]},{"name":"EnumPrinterDataA","features":[308,416]},{"name":"EnumPrinterDataExA","features":[308,416]},{"name":"EnumPrinterDataExW","features":[308,416]},{"name":"EnumPrinterDataW","features":[308,416]},{"name":"EnumPrinterDriversA","features":[308,416]},{"name":"EnumPrinterDriversW","features":[308,416]},{"name":"EnumPrinterKeyA","features":[308,416]},{"name":"EnumPrinterKeyW","features":[308,416]},{"name":"EnumPrintersA","features":[308,416]},{"name":"EnumPrintersW","features":[308,416]},{"name":"ExtDeviceMode","features":[308,319,416]},{"name":"FG_CANCHANGE","features":[416]},{"name":"FILL_WITH_DEFAULTS","features":[416]},{"name":"FMTID_PrinterPropertyBag","features":[416]},{"name":"FNT_INFO_CURRENTFONTID","features":[416]},{"name":"FNT_INFO_FONTBOLD","features":[416]},{"name":"FNT_INFO_FONTHEIGHT","features":[416]},{"name":"FNT_INFO_FONTITALIC","features":[416]},{"name":"FNT_INFO_FONTMAXWIDTH","features":[416]},{"name":"FNT_INFO_FONTSTRIKETHRU","features":[416]},{"name":"FNT_INFO_FONTUNDERLINE","features":[416]},{"name":"FNT_INFO_FONTWIDTH","features":[416]},{"name":"FNT_INFO_GRAYPERCENTAGE","features":[416]},{"name":"FNT_INFO_MAX","features":[416]},{"name":"FNT_INFO_NEXTFONTID","features":[416]},{"name":"FNT_INFO_NEXTGLYPH","features":[416]},{"name":"FNT_INFO_PRINTDIRINCCDEGREES","features":[416]},{"name":"FNT_INFO_TEXTXRES","features":[416]},{"name":"FNT_INFO_TEXTYRES","features":[416]},{"name":"FONT_DIR_SORTED","features":[416]},{"name":"FONT_FL_DEVICEFONT","features":[416]},{"name":"FONT_FL_GLYPHSET_GTT","features":[416]},{"name":"FONT_FL_GLYPHSET_RLE","features":[416]},{"name":"FONT_FL_IFI","features":[416]},{"name":"FONT_FL_PERMANENT_SF","features":[416]},{"name":"FONT_FL_RESERVED","features":[416]},{"name":"FONT_FL_SOFTFONT","features":[416]},{"name":"FONT_FL_UFM","features":[416]},{"name":"FORM_BUILTIN","features":[416]},{"name":"FORM_INFO_1A","features":[308,416]},{"name":"FORM_INFO_1W","features":[308,416]},{"name":"FORM_INFO_2A","features":[308,416]},{"name":"FORM_INFO_2W","features":[308,416]},{"name":"FORM_PRINTER","features":[416]},{"name":"FORM_USER","features":[416]},{"name":"FinalPageCount","features":[416]},{"name":"FindClosePrinterChangeNotification","features":[308,416]},{"name":"FindFirstPrinterChangeNotification","features":[308,416]},{"name":"FindNextPrinterChangeNotification","features":[308,416]},{"name":"FlushPrinter","features":[308,416]},{"name":"Font_Normal","features":[416]},{"name":"Font_Obfusticate","features":[416]},{"name":"FreePrintNamedPropertyArray","features":[416]},{"name":"FreePrintPropertyValue","features":[416]},{"name":"FreePrinterNotifyInfo","features":[308,416]},{"name":"GLYPHRUN","features":[416]},{"name":"GPD_OEMCUSTOMDATA","features":[416]},{"name":"GUID_DEVINTERFACE_IPPUSB_PRINT","features":[416]},{"name":"GUID_DEVINTERFACE_USBPRINT","features":[416]},{"name":"GdiDeleteSpoolFileHandle","features":[308,416]},{"name":"GdiEndDocEMF","features":[308,416]},{"name":"GdiEndPageEMF","features":[308,416]},{"name":"GdiGetDC","features":[308,319,416]},{"name":"GdiGetDevmodeForPage","features":[308,319,416]},{"name":"GdiGetPageCount","features":[308,416]},{"name":"GdiGetPageHandle","features":[308,416]},{"name":"GdiGetSpoolFileHandle","features":[308,319,416]},{"name":"GdiPlayPageEMF","features":[308,416]},{"name":"GdiResetDCEMF","features":[308,319,416]},{"name":"GdiStartDocEMF","features":[308,416,417]},{"name":"GdiStartPageEMF","features":[308,416]},{"name":"GenerateCopyFilePaths","features":[416]},{"name":"GetCPSUIUserData","features":[308,416]},{"name":"GetCorePrinterDriversA","features":[308,416]},{"name":"GetCorePrinterDriversW","features":[308,416]},{"name":"GetDefaultPrinterA","features":[308,416]},{"name":"GetDefaultPrinterW","features":[308,416]},{"name":"GetFormA","features":[308,416]},{"name":"GetFormW","features":[308,416]},{"name":"GetJobA","features":[308,416]},{"name":"GetJobAttributes","features":[308,319,416]},{"name":"GetJobAttributesEx","features":[308,319,416]},{"name":"GetJobNamedPropertyValue","features":[308,416]},{"name":"GetJobW","features":[308,416]},{"name":"GetPrintExecutionData","features":[308,416]},{"name":"GetPrintOutputInfo","features":[308,416]},{"name":"GetPrintProcessorDirectoryA","features":[308,416]},{"name":"GetPrintProcessorDirectoryW","features":[308,416]},{"name":"GetPrinterA","features":[308,416]},{"name":"GetPrinterDataA","features":[308,416]},{"name":"GetPrinterDataExA","features":[308,416]},{"name":"GetPrinterDataExW","features":[308,416]},{"name":"GetPrinterDataW","features":[308,416]},{"name":"GetPrinterDriver2A","features":[308,416]},{"name":"GetPrinterDriver2W","features":[308,416]},{"name":"GetPrinterDriverA","features":[308,416]},{"name":"GetPrinterDriverDirectoryA","features":[308,416]},{"name":"GetPrinterDriverDirectoryW","features":[308,416]},{"name":"GetPrinterDriverPackagePathA","features":[416]},{"name":"GetPrinterDriverPackagePathW","features":[416]},{"name":"GetPrinterDriverW","features":[308,416]},{"name":"GetPrinterW","features":[308,416]},{"name":"GetSpoolFileHandle","features":[308,416]},{"name":"IAsyncGetSendNotificationCookie","features":[416]},{"name":"IAsyncGetSrvReferralCookie","features":[416]},{"name":"IBidiAsyncNotifyChannel","features":[416]},{"name":"IBidiRequest","features":[416]},{"name":"IBidiRequestContainer","features":[416]},{"name":"IBidiSpl","features":[416]},{"name":"IBidiSpl2","features":[416]},{"name":"IDI_CPSUI_ADVANCE","features":[416]},{"name":"IDI_CPSUI_AUTOSEL","features":[416]},{"name":"IDI_CPSUI_COLLATE","features":[416]},{"name":"IDI_CPSUI_COLOR","features":[416]},{"name":"IDI_CPSUI_COPY","features":[416]},{"name":"IDI_CPSUI_DEVICE","features":[416]},{"name":"IDI_CPSUI_DEVICE2","features":[416]},{"name":"IDI_CPSUI_DEVICE_FEATURE","features":[416]},{"name":"IDI_CPSUI_DITHER_COARSE","features":[416]},{"name":"IDI_CPSUI_DITHER_FINE","features":[416]},{"name":"IDI_CPSUI_DITHER_LINEART","features":[416]},{"name":"IDI_CPSUI_DITHER_NONE","features":[416]},{"name":"IDI_CPSUI_DOCUMENT","features":[416]},{"name":"IDI_CPSUI_DUPLEX_HORZ","features":[416]},{"name":"IDI_CPSUI_DUPLEX_HORZ_L","features":[416]},{"name":"IDI_CPSUI_DUPLEX_NONE","features":[416]},{"name":"IDI_CPSUI_DUPLEX_NONE_L","features":[416]},{"name":"IDI_CPSUI_DUPLEX_VERT","features":[416]},{"name":"IDI_CPSUI_DUPLEX_VERT_L","features":[416]},{"name":"IDI_CPSUI_EMPTY","features":[416]},{"name":"IDI_CPSUI_ENVELOPE","features":[416]},{"name":"IDI_CPSUI_ENVELOPE_FEED","features":[416]},{"name":"IDI_CPSUI_ERROR","features":[416]},{"name":"IDI_CPSUI_FALSE","features":[416]},{"name":"IDI_CPSUI_FAX","features":[416]},{"name":"IDI_CPSUI_FONTCART","features":[416]},{"name":"IDI_CPSUI_FONTCARTHDR","features":[416]},{"name":"IDI_CPSUI_FONTCART_SLOT","features":[416]},{"name":"IDI_CPSUI_FONTSUB","features":[416]},{"name":"IDI_CPSUI_FORMTRAYASSIGN","features":[416]},{"name":"IDI_CPSUI_GENERIC_ITEM","features":[416]},{"name":"IDI_CPSUI_GENERIC_OPTION","features":[416]},{"name":"IDI_CPSUI_GRAPHIC","features":[416]},{"name":"IDI_CPSUI_HALFTONE_SETUP","features":[416]},{"name":"IDI_CPSUI_HTCLRADJ","features":[416]},{"name":"IDI_CPSUI_HT_DEVICE","features":[416]},{"name":"IDI_CPSUI_HT_HOST","features":[416]},{"name":"IDI_CPSUI_ICM_INTENT","features":[416]},{"name":"IDI_CPSUI_ICM_METHOD","features":[416]},{"name":"IDI_CPSUI_ICM_OPTION","features":[416]},{"name":"IDI_CPSUI_ICONID_FIRST","features":[416]},{"name":"IDI_CPSUI_ICONID_LAST","features":[416]},{"name":"IDI_CPSUI_INSTALLABLE_OPTION","features":[416]},{"name":"IDI_CPSUI_LANDSCAPE","features":[416]},{"name":"IDI_CPSUI_LAYOUT_BMP_ARROWL","features":[416]},{"name":"IDI_CPSUI_LAYOUT_BMP_ARROWLR","features":[416]},{"name":"IDI_CPSUI_LAYOUT_BMP_ARROWS","features":[416]},{"name":"IDI_CPSUI_LAYOUT_BMP_BOOKLETL","features":[416]},{"name":"IDI_CPSUI_LAYOUT_BMP_BOOKLETL_NB","features":[416]},{"name":"IDI_CPSUI_LAYOUT_BMP_BOOKLETP","features":[416]},{"name":"IDI_CPSUI_LAYOUT_BMP_BOOKLETP_NB","features":[416]},{"name":"IDI_CPSUI_LAYOUT_BMP_PORTRAIT","features":[416]},{"name":"IDI_CPSUI_LAYOUT_BMP_ROT_PORT","features":[416]},{"name":"IDI_CPSUI_LF_PEN_PLOTTER","features":[416]},{"name":"IDI_CPSUI_LF_RASTER_PLOTTER","features":[416]},{"name":"IDI_CPSUI_MANUAL_FEED","features":[416]},{"name":"IDI_CPSUI_MEM","features":[416]},{"name":"IDI_CPSUI_MONO","features":[416]},{"name":"IDI_CPSUI_NO","features":[416]},{"name":"IDI_CPSUI_NOTINSTALLED","features":[416]},{"name":"IDI_CPSUI_NUP_BORDER","features":[416]},{"name":"IDI_CPSUI_OFF","features":[416]},{"name":"IDI_CPSUI_ON","features":[416]},{"name":"IDI_CPSUI_OPTION","features":[416]},{"name":"IDI_CPSUI_OPTION2","features":[416]},{"name":"IDI_CPSUI_OUTBIN","features":[416]},{"name":"IDI_CPSUI_OUTPUT","features":[416]},{"name":"IDI_CPSUI_PAGE_PROTECT","features":[416]},{"name":"IDI_CPSUI_PAPER_OUTPUT","features":[416]},{"name":"IDI_CPSUI_PAPER_TRAY","features":[416]},{"name":"IDI_CPSUI_PAPER_TRAY2","features":[416]},{"name":"IDI_CPSUI_PAPER_TRAY3","features":[416]},{"name":"IDI_CPSUI_PEN_CARROUSEL","features":[416]},{"name":"IDI_CPSUI_PLOTTER_PEN","features":[416]},{"name":"IDI_CPSUI_PORTRAIT","features":[416]},{"name":"IDI_CPSUI_POSTSCRIPT","features":[416]},{"name":"IDI_CPSUI_PRINTER","features":[416]},{"name":"IDI_CPSUI_PRINTER2","features":[416]},{"name":"IDI_CPSUI_PRINTER3","features":[416]},{"name":"IDI_CPSUI_PRINTER4","features":[416]},{"name":"IDI_CPSUI_PRINTER_FEATURE","features":[416]},{"name":"IDI_CPSUI_PRINTER_FOLDER","features":[416]},{"name":"IDI_CPSUI_QUESTION","features":[416]},{"name":"IDI_CPSUI_RES_DRAFT","features":[416]},{"name":"IDI_CPSUI_RES_HIGH","features":[416]},{"name":"IDI_CPSUI_RES_LOW","features":[416]},{"name":"IDI_CPSUI_RES_MEDIUM","features":[416]},{"name":"IDI_CPSUI_RES_PRESENTATION","features":[416]},{"name":"IDI_CPSUI_ROLL_PAPER","features":[416]},{"name":"IDI_CPSUI_ROT_LAND","features":[416]},{"name":"IDI_CPSUI_ROT_PORT","features":[416]},{"name":"IDI_CPSUI_RUN_DIALOG","features":[416]},{"name":"IDI_CPSUI_SCALING","features":[416]},{"name":"IDI_CPSUI_SEL_NONE","features":[416]},{"name":"IDI_CPSUI_SF_PEN_PLOTTER","features":[416]},{"name":"IDI_CPSUI_SF_RASTER_PLOTTER","features":[416]},{"name":"IDI_CPSUI_STAPLER_OFF","features":[416]},{"name":"IDI_CPSUI_STAPLER_ON","features":[416]},{"name":"IDI_CPSUI_STD_FORM","features":[416]},{"name":"IDI_CPSUI_STOP","features":[416]},{"name":"IDI_CPSUI_STOP_WARNING_OVERLAY","features":[416]},{"name":"IDI_CPSUI_TELEPHONE","features":[416]},{"name":"IDI_CPSUI_TRANSPARENT","features":[416]},{"name":"IDI_CPSUI_TRUE","features":[416]},{"name":"IDI_CPSUI_TT_DOWNLOADSOFT","features":[416]},{"name":"IDI_CPSUI_TT_DOWNLOADVECT","features":[416]},{"name":"IDI_CPSUI_TT_PRINTASGRAPHIC","features":[416]},{"name":"IDI_CPSUI_TT_SUBDEV","features":[416]},{"name":"IDI_CPSUI_WARNING","features":[416]},{"name":"IDI_CPSUI_WARNING_OVERLAY","features":[416]},{"name":"IDI_CPSUI_WATERMARK","features":[416]},{"name":"IDI_CPSUI_YES","features":[416]},{"name":"IDS_CPSUI_ABOUT","features":[416]},{"name":"IDS_CPSUI_ADVANCED","features":[416]},{"name":"IDS_CPSUI_ADVANCEDOCUMENT","features":[416]},{"name":"IDS_CPSUI_ALL","features":[416]},{"name":"IDS_CPSUI_AUTOSELECT","features":[416]},{"name":"IDS_CPSUI_BACKTOFRONT","features":[416]},{"name":"IDS_CPSUI_BOND","features":[416]},{"name":"IDS_CPSUI_BOOKLET","features":[416]},{"name":"IDS_CPSUI_BOOKLET_EDGE","features":[416]},{"name":"IDS_CPSUI_BOOKLET_EDGE_LEFT","features":[416]},{"name":"IDS_CPSUI_BOOKLET_EDGE_RIGHT","features":[416]},{"name":"IDS_CPSUI_CASSETTE_TRAY","features":[416]},{"name":"IDS_CPSUI_CHANGE","features":[416]},{"name":"IDS_CPSUI_CHANGED","features":[416]},{"name":"IDS_CPSUI_CHANGES","features":[416]},{"name":"IDS_CPSUI_COARSE","features":[416]},{"name":"IDS_CPSUI_COLLATE","features":[416]},{"name":"IDS_CPSUI_COLLATED","features":[416]},{"name":"IDS_CPSUI_COLON_SEP","features":[416]},{"name":"IDS_CPSUI_COLOR","features":[416]},{"name":"IDS_CPSUI_COLOR_APPERANCE","features":[416]},{"name":"IDS_CPSUI_COPIES","features":[416]},{"name":"IDS_CPSUI_COPY","features":[416]},{"name":"IDS_CPSUI_DEFAULT","features":[416]},{"name":"IDS_CPSUI_DEFAULTDOCUMENT","features":[416]},{"name":"IDS_CPSUI_DEFAULT_TRAY","features":[416]},{"name":"IDS_CPSUI_DEVICE","features":[416]},{"name":"IDS_CPSUI_DEVICEOPTIONS","features":[416]},{"name":"IDS_CPSUI_DEVICE_SETTINGS","features":[416]},{"name":"IDS_CPSUI_DITHERING","features":[416]},{"name":"IDS_CPSUI_DOCUMENT","features":[416]},{"name":"IDS_CPSUI_DOWN_THEN_LEFT","features":[416]},{"name":"IDS_CPSUI_DOWN_THEN_RIGHT","features":[416]},{"name":"IDS_CPSUI_DRAFT","features":[416]},{"name":"IDS_CPSUI_DUPLEX","features":[416]},{"name":"IDS_CPSUI_ENVELOPE_TRAY","features":[416]},{"name":"IDS_CPSUI_ENVMANUAL_TRAY","features":[416]},{"name":"IDS_CPSUI_ERRDIFFUSE","features":[416]},{"name":"IDS_CPSUI_ERROR","features":[416]},{"name":"IDS_CPSUI_EXIST","features":[416]},{"name":"IDS_CPSUI_FALSE","features":[416]},{"name":"IDS_CPSUI_FAST","features":[416]},{"name":"IDS_CPSUI_FAX","features":[416]},{"name":"IDS_CPSUI_FINE","features":[416]},{"name":"IDS_CPSUI_FORMNAME","features":[416]},{"name":"IDS_CPSUI_FORMSOURCE","features":[416]},{"name":"IDS_CPSUI_FORMTRAYASSIGN","features":[416]},{"name":"IDS_CPSUI_FRONTTOBACK","features":[416]},{"name":"IDS_CPSUI_GLOSSY","features":[416]},{"name":"IDS_CPSUI_GRAPHIC","features":[416]},{"name":"IDS_CPSUI_GRAYSCALE","features":[416]},{"name":"IDS_CPSUI_HALFTONE","features":[416]},{"name":"IDS_CPSUI_HALFTONE_SETUP","features":[416]},{"name":"IDS_CPSUI_HIGH","features":[416]},{"name":"IDS_CPSUI_HORIZONTAL","features":[416]},{"name":"IDS_CPSUI_HTCLRADJ","features":[416]},{"name":"IDS_CPSUI_ICM","features":[416]},{"name":"IDS_CPSUI_ICMINTENT","features":[416]},{"name":"IDS_CPSUI_ICMMETHOD","features":[416]},{"name":"IDS_CPSUI_ICM_BLACKWHITE","features":[416]},{"name":"IDS_CPSUI_ICM_COLORMETRIC","features":[416]},{"name":"IDS_CPSUI_ICM_CONTRAST","features":[416]},{"name":"IDS_CPSUI_ICM_NO","features":[416]},{"name":"IDS_CPSUI_ICM_SATURATION","features":[416]},{"name":"IDS_CPSUI_ICM_YES","features":[416]},{"name":"IDS_CPSUI_INSTFONTCART","features":[416]},{"name":"IDS_CPSUI_LANDSCAPE","features":[416]},{"name":"IDS_CPSUI_LARGECAP_TRAY","features":[416]},{"name":"IDS_CPSUI_LARGEFMT_TRAY","features":[416]},{"name":"IDS_CPSUI_LBCB_NOSEL","features":[416]},{"name":"IDS_CPSUI_LEFT_ANGLE","features":[416]},{"name":"IDS_CPSUI_LEFT_SLOT","features":[416]},{"name":"IDS_CPSUI_LEFT_THEN_DOWN","features":[416]},{"name":"IDS_CPSUI_LINEART","features":[416]},{"name":"IDS_CPSUI_LONG_SIDE","features":[416]},{"name":"IDS_CPSUI_LOW","features":[416]},{"name":"IDS_CPSUI_LOWER_TRAY","features":[416]},{"name":"IDS_CPSUI_MAILBOX","features":[416]},{"name":"IDS_CPSUI_MAKE","features":[416]},{"name":"IDS_CPSUI_MANUALFEED","features":[416]},{"name":"IDS_CPSUI_MANUAL_DUPLEX","features":[416]},{"name":"IDS_CPSUI_MANUAL_DUPLEX_OFF","features":[416]},{"name":"IDS_CPSUI_MANUAL_DUPLEX_ON","features":[416]},{"name":"IDS_CPSUI_MANUAL_TRAY","features":[416]},{"name":"IDS_CPSUI_MEDIA","features":[416]},{"name":"IDS_CPSUI_MEDIUM","features":[416]},{"name":"IDS_CPSUI_MIDDLE_TRAY","features":[416]},{"name":"IDS_CPSUI_MONOCHROME","features":[416]},{"name":"IDS_CPSUI_MORE","features":[416]},{"name":"IDS_CPSUI_NO","features":[416]},{"name":"IDS_CPSUI_NONE","features":[416]},{"name":"IDS_CPSUI_NOT","features":[416]},{"name":"IDS_CPSUI_NOTINSTALLED","features":[416]},{"name":"IDS_CPSUI_NO_NAME","features":[416]},{"name":"IDS_CPSUI_NUM_OF_COPIES","features":[416]},{"name":"IDS_CPSUI_NUP","features":[416]},{"name":"IDS_CPSUI_NUP_BORDER","features":[416]},{"name":"IDS_CPSUI_NUP_BORDERED","features":[416]},{"name":"IDS_CPSUI_NUP_DIRECTION","features":[416]},{"name":"IDS_CPSUI_NUP_FOURUP","features":[416]},{"name":"IDS_CPSUI_NUP_NINEUP","features":[416]},{"name":"IDS_CPSUI_NUP_NORMAL","features":[416]},{"name":"IDS_CPSUI_NUP_SIXTEENUP","features":[416]},{"name":"IDS_CPSUI_NUP_SIXUP","features":[416]},{"name":"IDS_CPSUI_NUP_TWOUP","features":[416]},{"name":"IDS_CPSUI_OF","features":[416]},{"name":"IDS_CPSUI_OFF","features":[416]},{"name":"IDS_CPSUI_ON","features":[416]},{"name":"IDS_CPSUI_ONLYONE","features":[416]},{"name":"IDS_CPSUI_OPTION","features":[416]},{"name":"IDS_CPSUI_OPTIONS","features":[416]},{"name":"IDS_CPSUI_ORIENTATION","features":[416]},{"name":"IDS_CPSUI_OUTBINASSIGN","features":[416]},{"name":"IDS_CPSUI_OUTPUTBIN","features":[416]},{"name":"IDS_CPSUI_PAGEORDER","features":[416]},{"name":"IDS_CPSUI_PAGEPROTECT","features":[416]},{"name":"IDS_CPSUI_PAPER_OUTPUT","features":[416]},{"name":"IDS_CPSUI_PERCENT","features":[416]},{"name":"IDS_CPSUI_PLOT","features":[416]},{"name":"IDS_CPSUI_PORTRAIT","features":[416]},{"name":"IDS_CPSUI_POSTER","features":[416]},{"name":"IDS_CPSUI_POSTER_2x2","features":[416]},{"name":"IDS_CPSUI_POSTER_3x3","features":[416]},{"name":"IDS_CPSUI_POSTER_4x4","features":[416]},{"name":"IDS_CPSUI_PRESENTATION","features":[416]},{"name":"IDS_CPSUI_PRINT","features":[416]},{"name":"IDS_CPSUI_PRINTER","features":[416]},{"name":"IDS_CPSUI_PRINTERMEM_KB","features":[416]},{"name":"IDS_CPSUI_PRINTERMEM_MB","features":[416]},{"name":"IDS_CPSUI_PRINTFLDSETTING","features":[416]},{"name":"IDS_CPSUI_PRINTQUALITY","features":[416]},{"name":"IDS_CPSUI_PROPERTIES","features":[416]},{"name":"IDS_CPSUI_QUALITY_BEST","features":[416]},{"name":"IDS_CPSUI_QUALITY_BETTER","features":[416]},{"name":"IDS_CPSUI_QUALITY_CUSTOM","features":[416]},{"name":"IDS_CPSUI_QUALITY_DRAFT","features":[416]},{"name":"IDS_CPSUI_QUALITY_SETTINGS","features":[416]},{"name":"IDS_CPSUI_RANGE_FROM","features":[416]},{"name":"IDS_CPSUI_REGULAR","features":[416]},{"name":"IDS_CPSUI_RESET","features":[416]},{"name":"IDS_CPSUI_RESOLUTION","features":[416]},{"name":"IDS_CPSUI_REVERT","features":[416]},{"name":"IDS_CPSUI_RIGHT_ANGLE","features":[416]},{"name":"IDS_CPSUI_RIGHT_SLOT","features":[416]},{"name":"IDS_CPSUI_RIGHT_THEN_DOWN","features":[416]},{"name":"IDS_CPSUI_ROTATED","features":[416]},{"name":"IDS_CPSUI_ROT_LAND","features":[416]},{"name":"IDS_CPSUI_ROT_PORT","features":[416]},{"name":"IDS_CPSUI_SCALING","features":[416]},{"name":"IDS_CPSUI_SETTING","features":[416]},{"name":"IDS_CPSUI_SETTINGS","features":[416]},{"name":"IDS_CPSUI_SETUP","features":[416]},{"name":"IDS_CPSUI_SHORT_SIDE","features":[416]},{"name":"IDS_CPSUI_SIDE1","features":[416]},{"name":"IDS_CPSUI_SIDE2","features":[416]},{"name":"IDS_CPSUI_SIMPLEX","features":[416]},{"name":"IDS_CPSUI_SLASH_SEP","features":[416]},{"name":"IDS_CPSUI_SLOT1","features":[416]},{"name":"IDS_CPSUI_SLOT2","features":[416]},{"name":"IDS_CPSUI_SLOT3","features":[416]},{"name":"IDS_CPSUI_SLOT4","features":[416]},{"name":"IDS_CPSUI_SLOW","features":[416]},{"name":"IDS_CPSUI_SMALLFMT_TRAY","features":[416]},{"name":"IDS_CPSUI_SOURCE","features":[416]},{"name":"IDS_CPSUI_STACKER","features":[416]},{"name":"IDS_CPSUI_STANDARD","features":[416]},{"name":"IDS_CPSUI_STAPLE","features":[416]},{"name":"IDS_CPSUI_STAPLER","features":[416]},{"name":"IDS_CPSUI_STAPLER_OFF","features":[416]},{"name":"IDS_CPSUI_STAPLER_ON","features":[416]},{"name":"IDS_CPSUI_STDDOCPROPTAB","features":[416]},{"name":"IDS_CPSUI_STDDOCPROPTAB1","features":[416]},{"name":"IDS_CPSUI_STDDOCPROPTAB2","features":[416]},{"name":"IDS_CPSUI_STDDOCPROPTVTAB","features":[416]},{"name":"IDS_CPSUI_STRID_FIRST","features":[416]},{"name":"IDS_CPSUI_STRID_LAST","features":[416]},{"name":"IDS_CPSUI_TO","features":[416]},{"name":"IDS_CPSUI_TOTAL","features":[416]},{"name":"IDS_CPSUI_TRACTOR_TRAY","features":[416]},{"name":"IDS_CPSUI_TRANSPARENCY","features":[416]},{"name":"IDS_CPSUI_TRUE","features":[416]},{"name":"IDS_CPSUI_TTOPTION","features":[416]},{"name":"IDS_CPSUI_TT_DOWNLOADSOFT","features":[416]},{"name":"IDS_CPSUI_TT_DOWNLOADVECT","features":[416]},{"name":"IDS_CPSUI_TT_PRINTASGRAPHIC","features":[416]},{"name":"IDS_CPSUI_TT_SUBDEV","features":[416]},{"name":"IDS_CPSUI_UPPER_TRAY","features":[416]},{"name":"IDS_CPSUI_USE_DEVICE_HT","features":[416]},{"name":"IDS_CPSUI_USE_HOST_HT","features":[416]},{"name":"IDS_CPSUI_USE_PRINTER_HT","features":[416]},{"name":"IDS_CPSUI_VERSION","features":[416]},{"name":"IDS_CPSUI_VERTICAL","features":[416]},{"name":"IDS_CPSUI_WARNING","features":[416]},{"name":"IDS_CPSUI_WATERMARK","features":[416]},{"name":"IDS_CPSUI_YES","features":[416]},{"name":"IFixedDocument","features":[416]},{"name":"IFixedDocumentSequence","features":[416]},{"name":"IFixedPage","features":[416]},{"name":"IImgCreateErrorInfo","features":[416,418]},{"name":"IImgErrorInfo","features":[416,359]},{"name":"IInterFilterCommunicator","features":[416]},{"name":"INSERTPSUIPAGE_INFO","features":[416]},{"name":"INSPSUIPAGE_MODE_AFTER","features":[416]},{"name":"INSPSUIPAGE_MODE_BEFORE","features":[416]},{"name":"INSPSUIPAGE_MODE_FIRST_CHILD","features":[416]},{"name":"INSPSUIPAGE_MODE_INDEX","features":[416]},{"name":"INSPSUIPAGE_MODE_LAST_CHILD","features":[416]},{"name":"INTERNAL_NOTIFICATION_QUEUE_IS_FULL","features":[416]},{"name":"INVALID_NOTIFICATION_TYPE","features":[416]},{"name":"INVOC","features":[416]},{"name":"IOCTL_USBPRINT_ADD_CHILD_DEVICE","features":[416]},{"name":"IOCTL_USBPRINT_ADD_MSIPP_COMPAT_ID","features":[416]},{"name":"IOCTL_USBPRINT_CYCLE_PORT","features":[416]},{"name":"IOCTL_USBPRINT_GET_1284_ID","features":[416]},{"name":"IOCTL_USBPRINT_GET_INTERFACE_TYPE","features":[416]},{"name":"IOCTL_USBPRINT_GET_LPT_STATUS","features":[416]},{"name":"IOCTL_USBPRINT_GET_PROTOCOL","features":[416]},{"name":"IOCTL_USBPRINT_SET_DEVICE_ID","features":[416]},{"name":"IOCTL_USBPRINT_SET_PORT_NUMBER","features":[416]},{"name":"IOCTL_USBPRINT_SET_PROTOCOL","features":[416]},{"name":"IOCTL_USBPRINT_SOFT_RESET","features":[416]},{"name":"IOCTL_USBPRINT_VENDOR_GET_COMMAND","features":[416]},{"name":"IOCTL_USBPRINT_VENDOR_SET_COMMAND","features":[416]},{"name":"IPDFP_COPY_ALL_FILES","features":[416]},{"name":"IPartBase","features":[416]},{"name":"IPartColorProfile","features":[416]},{"name":"IPartDiscardControl","features":[416]},{"name":"IPartFont","features":[416]},{"name":"IPartFont2","features":[416]},{"name":"IPartImage","features":[416]},{"name":"IPartPrintTicket","features":[416]},{"name":"IPartResourceDictionary","features":[416]},{"name":"IPartThumbnail","features":[416]},{"name":"IPrintAsyncCookie","features":[416]},{"name":"IPrintAsyncNewChannelCookie","features":[416]},{"name":"IPrintAsyncNotify","features":[416]},{"name":"IPrintAsyncNotifyCallback","features":[416]},{"name":"IPrintAsyncNotifyChannel","features":[416]},{"name":"IPrintAsyncNotifyDataObject","features":[416]},{"name":"IPrintAsyncNotifyRegistration","features":[416]},{"name":"IPrintAsyncNotifyServerReferral","features":[416]},{"name":"IPrintBidiAsyncNotifyRegistration","features":[416]},{"name":"IPrintClassObjectFactory","features":[416]},{"name":"IPrintCoreHelper","features":[416]},{"name":"IPrintCoreHelperPS","features":[416]},{"name":"IPrintCoreHelperUni","features":[416]},{"name":"IPrintCoreHelperUni2","features":[416]},{"name":"IPrintCoreUI2","features":[416]},{"name":"IPrintJob","features":[416]},{"name":"IPrintJobCollection","features":[416,359]},{"name":"IPrintOemCommon","features":[416]},{"name":"IPrintOemDriverUI","features":[416]},{"name":"IPrintOemUI","features":[416]},{"name":"IPrintOemUI2","features":[416]},{"name":"IPrintOemUIMXDC","features":[416]},{"name":"IPrintPipelineFilter","features":[416]},{"name":"IPrintPipelineManagerControl","features":[416]},{"name":"IPrintPipelineProgressReport","features":[416]},{"name":"IPrintPipelinePropertyBag","features":[416]},{"name":"IPrintPreviewDxgiPackageTarget","features":[416]},{"name":"IPrintReadStream","features":[416]},{"name":"IPrintReadStreamFactory","features":[416]},{"name":"IPrintSchemaAsyncOperation","features":[416,359]},{"name":"IPrintSchemaAsyncOperationEvent","features":[416,359]},{"name":"IPrintSchemaCapabilities","features":[416,359]},{"name":"IPrintSchemaCapabilities2","features":[416,359]},{"name":"IPrintSchemaDisplayableElement","features":[416,359]},{"name":"IPrintSchemaElement","features":[416,359]},{"name":"IPrintSchemaFeature","features":[416,359]},{"name":"IPrintSchemaNUpOption","features":[416,359]},{"name":"IPrintSchemaOption","features":[416,359]},{"name":"IPrintSchemaOptionCollection","features":[416,359]},{"name":"IPrintSchemaPageImageableSize","features":[416,359]},{"name":"IPrintSchemaPageMediaSizeOption","features":[416,359]},{"name":"IPrintSchemaParameterDefinition","features":[416,359]},{"name":"IPrintSchemaParameterInitializer","features":[416,359]},{"name":"IPrintSchemaTicket","features":[416,359]},{"name":"IPrintSchemaTicket2","features":[416,359]},{"name":"IPrintTicketProvider","features":[416]},{"name":"IPrintTicketProvider2","features":[416]},{"name":"IPrintUnidiAsyncNotifyRegistration","features":[416]},{"name":"IPrintWriteStream","features":[416]},{"name":"IPrintWriteStreamFlush","features":[416]},{"name":"IPrinterBidiSetRequestCallback","features":[416]},{"name":"IPrinterExtensionAsyncOperation","features":[416]},{"name":"IPrinterExtensionContext","features":[416,359]},{"name":"IPrinterExtensionContextCollection","features":[416,359]},{"name":"IPrinterExtensionEvent","features":[416,359]},{"name":"IPrinterExtensionEventArgs","features":[416,359]},{"name":"IPrinterExtensionManager","features":[416]},{"name":"IPrinterExtensionRequest","features":[416,359]},{"name":"IPrinterPropertyBag","features":[416,359]},{"name":"IPrinterQueue","features":[416,359]},{"name":"IPrinterQueue2","features":[416,359]},{"name":"IPrinterQueueEvent","features":[416,359]},{"name":"IPrinterQueueView","features":[416,359]},{"name":"IPrinterQueueViewEvent","features":[416,359]},{"name":"IPrinterScriptContext","features":[416,359]},{"name":"IPrinterScriptablePropertyBag","features":[416,359]},{"name":"IPrinterScriptablePropertyBag2","features":[416,359]},{"name":"IPrinterScriptableSequentialStream","features":[416,359]},{"name":"IPrinterScriptableStream","features":[416,359]},{"name":"IXpsDocument","features":[416]},{"name":"IXpsDocumentConsumer","features":[416]},{"name":"IXpsDocumentProvider","features":[416]},{"name":"IXpsPartIterator","features":[416]},{"name":"IXpsRasterizationFactory","features":[416]},{"name":"IXpsRasterizationFactory1","features":[416]},{"name":"IXpsRasterizationFactory2","features":[416]},{"name":"IXpsRasterizer","features":[416]},{"name":"IXpsRasterizerNotificationCallback","features":[416]},{"name":"ImgErrorInfo","features":[416]},{"name":"ImpersonatePrinterClient","features":[308,416]},{"name":"InstallPrinterDriverFromPackageA","features":[416]},{"name":"InstallPrinterDriverFromPackageW","features":[416]},{"name":"IntermediatePageCount","features":[416]},{"name":"IsValidDevmodeA","features":[308,319,416]},{"name":"IsValidDevmodeW","features":[308,319,416]},{"name":"JOB_ACCESS_ADMINISTER","features":[416]},{"name":"JOB_ACCESS_READ","features":[416]},{"name":"JOB_CONTROL_CANCEL","features":[416]},{"name":"JOB_CONTROL_DELETE","features":[416]},{"name":"JOB_CONTROL_LAST_PAGE_EJECTED","features":[416]},{"name":"JOB_CONTROL_PAUSE","features":[416]},{"name":"JOB_CONTROL_RELEASE","features":[416]},{"name":"JOB_CONTROL_RESTART","features":[416]},{"name":"JOB_CONTROL_RESUME","features":[416]},{"name":"JOB_CONTROL_RETAIN","features":[416]},{"name":"JOB_CONTROL_SEND_TOAST","features":[416]},{"name":"JOB_CONTROL_SENT_TO_PRINTER","features":[416]},{"name":"JOB_INFO_1A","features":[308,416]},{"name":"JOB_INFO_1W","features":[308,416]},{"name":"JOB_INFO_2A","features":[308,319,416,311]},{"name":"JOB_INFO_2W","features":[308,319,416,311]},{"name":"JOB_INFO_3","features":[416]},{"name":"JOB_INFO_4A","features":[308,319,416,311]},{"name":"JOB_INFO_4W","features":[308,319,416,311]},{"name":"JOB_NOTIFY_FIELD_BYTES_PRINTED","features":[416]},{"name":"JOB_NOTIFY_FIELD_DATATYPE","features":[416]},{"name":"JOB_NOTIFY_FIELD_DEVMODE","features":[416]},{"name":"JOB_NOTIFY_FIELD_DOCUMENT","features":[416]},{"name":"JOB_NOTIFY_FIELD_DRIVER_NAME","features":[416]},{"name":"JOB_NOTIFY_FIELD_MACHINE_NAME","features":[416]},{"name":"JOB_NOTIFY_FIELD_NOTIFY_NAME","features":[416]},{"name":"JOB_NOTIFY_FIELD_PAGES_PRINTED","features":[416]},{"name":"JOB_NOTIFY_FIELD_PARAMETERS","features":[416]},{"name":"JOB_NOTIFY_FIELD_PORT_NAME","features":[416]},{"name":"JOB_NOTIFY_FIELD_POSITION","features":[416]},{"name":"JOB_NOTIFY_FIELD_PRINTER_NAME","features":[416]},{"name":"JOB_NOTIFY_FIELD_PRINT_PROCESSOR","features":[416]},{"name":"JOB_NOTIFY_FIELD_PRIORITY","features":[416]},{"name":"JOB_NOTIFY_FIELD_REMOTE_JOB_ID","features":[416]},{"name":"JOB_NOTIFY_FIELD_SECURITY_DESCRIPTOR","features":[416]},{"name":"JOB_NOTIFY_FIELD_START_TIME","features":[416]},{"name":"JOB_NOTIFY_FIELD_STATUS","features":[416]},{"name":"JOB_NOTIFY_FIELD_STATUS_STRING","features":[416]},{"name":"JOB_NOTIFY_FIELD_SUBMITTED","features":[416]},{"name":"JOB_NOTIFY_FIELD_TIME","features":[416]},{"name":"JOB_NOTIFY_FIELD_TOTAL_BYTES","features":[416]},{"name":"JOB_NOTIFY_FIELD_TOTAL_PAGES","features":[416]},{"name":"JOB_NOTIFY_FIELD_UNTIL_TIME","features":[416]},{"name":"JOB_NOTIFY_FIELD_USER_NAME","features":[416]},{"name":"JOB_NOTIFY_TYPE","features":[416]},{"name":"JOB_POSITION_UNSPECIFIED","features":[416]},{"name":"JOB_STATUS_BLOCKED_DEVQ","features":[416]},{"name":"JOB_STATUS_COMPLETE","features":[416]},{"name":"JOB_STATUS_DELETED","features":[416]},{"name":"JOB_STATUS_DELETING","features":[416]},{"name":"JOB_STATUS_ERROR","features":[416]},{"name":"JOB_STATUS_OFFLINE","features":[416]},{"name":"JOB_STATUS_PAPEROUT","features":[416]},{"name":"JOB_STATUS_PAUSED","features":[416]},{"name":"JOB_STATUS_PRINTED","features":[416]},{"name":"JOB_STATUS_PRINTING","features":[416]},{"name":"JOB_STATUS_RENDERING_LOCALLY","features":[416]},{"name":"JOB_STATUS_RESTART","features":[416]},{"name":"JOB_STATUS_RETAINED","features":[416]},{"name":"JOB_STATUS_SPOOLING","features":[416]},{"name":"JOB_STATUS_USER_INTERVENTION","features":[416]},{"name":"KERNDATA","features":[372,416]},{"name":"LOCAL_ONLY_REGISTRATION","features":[416]},{"name":"LPR","features":[416]},{"name":"MAPTABLE","features":[416]},{"name":"MAX_ADDRESS_STR_LEN","features":[416]},{"name":"MAX_CHANNEL_COUNT_EXCEEDED","features":[416]},{"name":"MAX_CPSFUNC_INDEX","features":[416]},{"name":"MAX_DEVICEDESCRIPTION_STR_LEN","features":[416]},{"name":"MAX_DLGPAGE_COUNT","features":[416]},{"name":"MAX_FORM_KEYWORD_LENGTH","features":[416]},{"name":"MAX_IPADDR_STR_LEN","features":[416]},{"name":"MAX_NETWORKNAME2_LEN","features":[416]},{"name":"MAX_NETWORKNAME_LEN","features":[416]},{"name":"MAX_NOTIFICATION_SIZE_EXCEEDED","features":[416]},{"name":"MAX_PORTNAME_LEN","features":[416]},{"name":"MAX_PRIORITY","features":[416]},{"name":"MAX_PROPSHEETUI_REASON_INDEX","features":[416]},{"name":"MAX_PSUIPAGEINSERT_INDEX","features":[416]},{"name":"MAX_QUEUENAME_LEN","features":[416]},{"name":"MAX_REGISTRATION_COUNT_EXCEEDED","features":[416]},{"name":"MAX_RES_STR_CHARS","features":[416]},{"name":"MAX_SNMP_COMMUNITY_STR_LEN","features":[416]},{"name":"MESSAGEBOX_PARAMS","features":[308,416]},{"name":"MIN_PRIORITY","features":[416]},{"name":"MONITOR","features":[366,308,416,315]},{"name":"MONITOR2","features":[366,308,416,315]},{"name":"MONITOREX","features":[366,308,416,315]},{"name":"MONITORINIT","features":[308,416,369]},{"name":"MONITORREG","features":[416]},{"name":"MONITORUI","features":[416]},{"name":"MONITOR_INFO_1A","features":[416]},{"name":"MONITOR_INFO_1W","features":[416]},{"name":"MONITOR_INFO_2A","features":[416]},{"name":"MONITOR_INFO_2W","features":[416]},{"name":"MS_PRINT_JOB_OUTPUT_FILE","features":[416]},{"name":"MTYPE_ADD","features":[416]},{"name":"MTYPE_COMPOSE","features":[416]},{"name":"MTYPE_DIRECT","features":[416]},{"name":"MTYPE_DISABLE","features":[416]},{"name":"MTYPE_DOUBLE","features":[416]},{"name":"MTYPE_DOUBLEBYTECHAR_MASK","features":[416]},{"name":"MTYPE_FORMAT_MASK","features":[416]},{"name":"MTYPE_PAIRED","features":[416]},{"name":"MTYPE_PREDEFIN_MASK","features":[416]},{"name":"MTYPE_REPLACE","features":[416]},{"name":"MTYPE_SINGLE","features":[416]},{"name":"MV_GRAPHICS","features":[416]},{"name":"MV_PHYSICAL","features":[416]},{"name":"MV_RELATIVE","features":[416]},{"name":"MV_SENDXMOVECMD","features":[416]},{"name":"MV_SENDYMOVECMD","features":[416]},{"name":"MV_UPDATE","features":[416]},{"name":"MXDCOP_GET_FILENAME","features":[416]},{"name":"MXDCOP_PRINTTICKET_FIXED_DOC","features":[416]},{"name":"MXDCOP_PRINTTICKET_FIXED_DOC_SEQ","features":[416]},{"name":"MXDCOP_PRINTTICKET_FIXED_PAGE","features":[416]},{"name":"MXDCOP_SET_S0PAGE","features":[416]},{"name":"MXDCOP_SET_S0PAGE_RESOURCE","features":[416]},{"name":"MXDCOP_SET_XPSPASSTHRU_MODE","features":[416]},{"name":"MXDC_ESCAPE","features":[416]},{"name":"MXDC_ESCAPE_HEADER_T","features":[416]},{"name":"MXDC_GET_FILENAME_DATA_T","features":[416]},{"name":"MXDC_IMAGETYPE_JPEGHIGH_COMPRESSION","features":[416]},{"name":"MXDC_IMAGETYPE_JPEGLOW_COMPRESSION","features":[416]},{"name":"MXDC_IMAGETYPE_JPEGMEDIUM_COMPRESSION","features":[416]},{"name":"MXDC_IMAGETYPE_PNG","features":[416]},{"name":"MXDC_IMAGE_TYPE_ENUMS","features":[416]},{"name":"MXDC_LANDSCAPE_ROTATE_COUNTERCLOCKWISE_270_DEGREES","features":[416]},{"name":"MXDC_LANDSCAPE_ROTATE_COUNTERCLOCKWISE_90_DEGREES","features":[416]},{"name":"MXDC_LANDSCAPE_ROTATE_NONE","features":[416]},{"name":"MXDC_LANDSCAPE_ROTATION_ENUMS","features":[416]},{"name":"MXDC_PRINTTICKET_DATA_T","features":[416]},{"name":"MXDC_PRINTTICKET_ESCAPE_T","features":[416]},{"name":"MXDC_RESOURCE_DICTIONARY","features":[416]},{"name":"MXDC_RESOURCE_ICC_PROFILE","features":[416]},{"name":"MXDC_RESOURCE_JPEG","features":[416]},{"name":"MXDC_RESOURCE_JPEG_THUMBNAIL","features":[416]},{"name":"MXDC_RESOURCE_MAX","features":[416]},{"name":"MXDC_RESOURCE_PNG","features":[416]},{"name":"MXDC_RESOURCE_PNG_THUMBNAIL","features":[416]},{"name":"MXDC_RESOURCE_TIFF","features":[416]},{"name":"MXDC_RESOURCE_TTF","features":[416]},{"name":"MXDC_RESOURCE_WDP","features":[416]},{"name":"MXDC_S0PAGE_DATA_T","features":[416]},{"name":"MXDC_S0PAGE_PASSTHROUGH_ESCAPE_T","features":[416]},{"name":"MXDC_S0PAGE_RESOURCE_ESCAPE_T","features":[416]},{"name":"MXDC_S0_PAGE_ENUMS","features":[416]},{"name":"MXDC_XPS_S0PAGE_RESOURCE_T","features":[416]},{"name":"NORMAL_PRINT","features":[416]},{"name":"NOTIFICATION_CALLBACK_COMMANDS","features":[416]},{"name":"NOTIFICATION_COMMAND_CONTEXT_ACQUIRE","features":[416]},{"name":"NOTIFICATION_COMMAND_CONTEXT_RELEASE","features":[416]},{"name":"NOTIFICATION_COMMAND_NOTIFY","features":[416]},{"name":"NOTIFICATION_CONFIG_1","features":[308,416]},{"name":"NOTIFICATION_CONFIG_ASYNC_CHANNEL","features":[416]},{"name":"NOTIFICATION_CONFIG_CREATE_EVENT","features":[416]},{"name":"NOTIFICATION_CONFIG_EVENT_TRIGGER","features":[416]},{"name":"NOTIFICATION_CONFIG_FLAGS","features":[416]},{"name":"NOTIFICATION_CONFIG_REGISTER_CALLBACK","features":[416]},{"name":"NOTIFICATION_RELEASE","features":[416]},{"name":"NOT_REGISTERED","features":[416]},{"name":"NO_BORDER_PRINT","features":[416]},{"name":"NO_COLOR_OPTIMIZATION","features":[416]},{"name":"NO_LISTENERS","features":[416]},{"name":"NO_PRIORITY","features":[416]},{"name":"OEMCUIPCALLBACK","features":[308,319,416,370]},{"name":"OEMCUIPPARAM","features":[308,319,416,370]},{"name":"OEMCUIP_DOCPROP","features":[416]},{"name":"OEMCUIP_PRNPROP","features":[416]},{"name":"OEMDMPARAM","features":[308,319,416]},{"name":"OEMDM_CONVERT","features":[416]},{"name":"OEMDM_DEFAULT","features":[416]},{"name":"OEMDM_MERGE","features":[416]},{"name":"OEMDM_SIZE","features":[416]},{"name":"OEMFONTINSTPARAM","features":[308,416]},{"name":"OEMGDS_FREEMEM","features":[416]},{"name":"OEMGDS_JOBTIMEOUT","features":[416]},{"name":"OEMGDS_MAX","features":[416]},{"name":"OEMGDS_MAXBITMAP","features":[416]},{"name":"OEMGDS_MINOUTLINE","features":[416]},{"name":"OEMGDS_MIN_DOCSTICKY","features":[416]},{"name":"OEMGDS_MIN_PRINTERSTICKY","features":[416]},{"name":"OEMGDS_PRINTFLAGS","features":[416]},{"name":"OEMGDS_PROTOCOL","features":[416]},{"name":"OEMGDS_PSDM_CUSTOMSIZE","features":[416]},{"name":"OEMGDS_PSDM_DIALECT","features":[416]},{"name":"OEMGDS_PSDM_FLAGS","features":[416]},{"name":"OEMGDS_PSDM_NUP","features":[416]},{"name":"OEMGDS_PSDM_PSLEVEL","features":[416]},{"name":"OEMGDS_PSDM_TTDLFMT","features":[416]},{"name":"OEMGDS_UNIDM_FLAGS","features":[416]},{"name":"OEMGDS_UNIDM_GPDVER","features":[416]},{"name":"OEMGDS_WAITTIMEOUT","features":[416]},{"name":"OEMGI_GETINTERFACEVERSION","features":[416]},{"name":"OEMGI_GETPUBLISHERINFO","features":[416]},{"name":"OEMGI_GETREQUESTEDHELPERINTERFACES","features":[416]},{"name":"OEMGI_GETSIGNATURE","features":[416]},{"name":"OEMGI_GETVERSION","features":[416]},{"name":"OEMPUBLISH_DEFAULT","features":[416]},{"name":"OEMPUBLISH_IPRINTCOREHELPER","features":[416]},{"name":"OEMTTY_INFO_CODEPAGE","features":[416]},{"name":"OEMTTY_INFO_MARGINS","features":[416]},{"name":"OEMTTY_INFO_NUM_UFMS","features":[416]},{"name":"OEMTTY_INFO_UFM_IDS","features":[416]},{"name":"OEMUIOBJ","features":[308,416]},{"name":"OEMUIPROCS","features":[308,416]},{"name":"OEMUIPSPARAM","features":[308,319,416]},{"name":"OEM_DMEXTRAHEADER","features":[416]},{"name":"OEM_MODE_PUBLISHER","features":[416]},{"name":"OIEXT","features":[308,416]},{"name":"OIEXTF_ANSI_STRING","features":[416]},{"name":"OPTCF_HIDE","features":[416]},{"name":"OPTCF_MASK","features":[416]},{"name":"OPTCOMBO","features":[308,416]},{"name":"OPTIF_CALLBACK","features":[416]},{"name":"OPTIF_CHANGED","features":[416]},{"name":"OPTIF_CHANGEONCE","features":[416]},{"name":"OPTIF_COLLAPSE","features":[416]},{"name":"OPTIF_DISABLED","features":[416]},{"name":"OPTIF_ECB_CHECKED","features":[416]},{"name":"OPTIF_EXT_DISABLED","features":[416]},{"name":"OPTIF_EXT_HIDE","features":[416]},{"name":"OPTIF_EXT_IS_EXTPUSH","features":[416]},{"name":"OPTIF_HAS_POIEXT","features":[416]},{"name":"OPTIF_HIDE","features":[416]},{"name":"OPTIF_INITIAL_TVITEM","features":[416]},{"name":"OPTIF_MASK","features":[416]},{"name":"OPTIF_NO_GROUPBOX_NAME","features":[416]},{"name":"OPTIF_OVERLAY_NO_ICON","features":[416]},{"name":"OPTIF_OVERLAY_STOP_ICON","features":[416]},{"name":"OPTIF_OVERLAY_WARNING_ICON","features":[416]},{"name":"OPTIF_SEL_AS_HICON","features":[416]},{"name":"OPTITEM","features":[308,416,370]},{"name":"OPTPARAM","features":[308,416]},{"name":"OPTPF_DISABLED","features":[416]},{"name":"OPTPF_HIDE","features":[416]},{"name":"OPTPF_ICONID_AS_HICON","features":[416]},{"name":"OPTPF_MASK","features":[416]},{"name":"OPTPF_OVERLAY_NO_ICON","features":[416]},{"name":"OPTPF_OVERLAY_STOP_ICON","features":[416]},{"name":"OPTPF_OVERLAY_WARNING_ICON","features":[416]},{"name":"OPTPF_USE_HDLGTEMPLATE","features":[416]},{"name":"OPTTF_MASK","features":[416]},{"name":"OPTTF_NOSPACE_BEFORE_POSTFIX","features":[416]},{"name":"OPTTF_TYPE_DISABLED","features":[416]},{"name":"OPTTYPE","features":[308,416]},{"name":"OTS_LBCB_INCL_ITEM_NONE","features":[416]},{"name":"OTS_LBCB_NO_ICON16_IN_ITEM","features":[416]},{"name":"OTS_LBCB_PROPPAGE_CBUSELB","features":[416]},{"name":"OTS_LBCB_PROPPAGE_LBUSECB","features":[416]},{"name":"OTS_LBCB_SORT","features":[416]},{"name":"OTS_MASK","features":[416]},{"name":"OTS_PUSH_ENABLE_ALWAYS","features":[416]},{"name":"OTS_PUSH_INCL_SETUP_TITLE","features":[416]},{"name":"OTS_PUSH_NO_DOT_DOT_DOT","features":[416]},{"name":"OpenPrinter2A","features":[308,319,416]},{"name":"OpenPrinter2W","features":[308,319,416]},{"name":"OpenPrinterA","features":[308,319,416]},{"name":"OpenPrinterW","features":[308,319,416]},{"name":"PDEV_ADJUST_PAPER_MARGIN_TYPE","features":[416]},{"name":"PDEV_HOSTFONT_ENABLED_TYPE","features":[416]},{"name":"PDEV_USE_TRUE_COLOR_TYPE","features":[416]},{"name":"PFNCOMPROPSHEET","features":[308,416]},{"name":"PFNPROPSHEETUI","features":[308,416]},{"name":"PFN_DrvGetDriverSetting","features":[308,416]},{"name":"PFN_DrvUpdateUISetting","features":[308,416]},{"name":"PFN_DrvUpgradeRegistrySetting","features":[308,416]},{"name":"PFN_PRINTING_ADDPORT","features":[308,416]},{"name":"PFN_PRINTING_ADDPORT2","features":[308,416]},{"name":"PFN_PRINTING_ADDPORTEX","features":[308,416]},{"name":"PFN_PRINTING_ADDPORTEX2","features":[308,416]},{"name":"PFN_PRINTING_CLOSEPORT","features":[308,416]},{"name":"PFN_PRINTING_CLOSEPORT2","features":[308,416]},{"name":"PFN_PRINTING_CONFIGUREPORT","features":[308,416]},{"name":"PFN_PRINTING_CONFIGUREPORT2","features":[308,416]},{"name":"PFN_PRINTING_DELETEPORT","features":[308,416]},{"name":"PFN_PRINTING_DELETEPORT2","features":[308,416]},{"name":"PFN_PRINTING_ENDDOCPORT","features":[308,416]},{"name":"PFN_PRINTING_ENDDOCPORT2","features":[308,416]},{"name":"PFN_PRINTING_ENUMPORTS","features":[308,416]},{"name":"PFN_PRINTING_ENUMPORTS2","features":[308,416]},{"name":"PFN_PRINTING_GETPRINTERDATAFROMPORT","features":[308,416]},{"name":"PFN_PRINTING_GETPRINTERDATAFROMPORT2","features":[308,416]},{"name":"PFN_PRINTING_NOTIFYUNUSEDPORTS2","features":[308,416]},{"name":"PFN_PRINTING_NOTIFYUSEDPORTS2","features":[308,416]},{"name":"PFN_PRINTING_OPENPORT","features":[308,416]},{"name":"PFN_PRINTING_OPENPORT2","features":[308,416]},{"name":"PFN_PRINTING_OPENPORTEX","features":[366,308,416,315]},{"name":"PFN_PRINTING_OPENPORTEX2","features":[366,308,416,315]},{"name":"PFN_PRINTING_POWEREVENT2","features":[308,416,315]},{"name":"PFN_PRINTING_READPORT","features":[308,416]},{"name":"PFN_PRINTING_READPORT2","features":[308,416]},{"name":"PFN_PRINTING_SENDRECVBIDIDATAFROMPORT2","features":[308,416]},{"name":"PFN_PRINTING_SETPORTTIMEOUTS","features":[366,308,416]},{"name":"PFN_PRINTING_SETPORTTIMEOUTS2","features":[366,308,416]},{"name":"PFN_PRINTING_SHUTDOWN2","features":[308,416]},{"name":"PFN_PRINTING_STARTDOCPORT","features":[308,416]},{"name":"PFN_PRINTING_STARTDOCPORT2","features":[308,416]},{"name":"PFN_PRINTING_WRITEPORT","features":[308,416]},{"name":"PFN_PRINTING_WRITEPORT2","features":[308,416]},{"name":"PFN_PRINTING_XCVCLOSEPORT","features":[308,416]},{"name":"PFN_PRINTING_XCVCLOSEPORT2","features":[308,416]},{"name":"PFN_PRINTING_XCVDATAPORT","features":[308,416]},{"name":"PFN_PRINTING_XCVDATAPORT2","features":[308,416]},{"name":"PFN_PRINTING_XCVOPENPORT","features":[308,416]},{"name":"PFN_PRINTING_XCVOPENPORT2","features":[308,416]},{"name":"PORT_DATA_1","features":[416]},{"name":"PORT_DATA_2","features":[416]},{"name":"PORT_DATA_LIST_1","features":[416]},{"name":"PORT_INFO_1A","features":[416]},{"name":"PORT_INFO_1W","features":[416]},{"name":"PORT_INFO_2A","features":[416]},{"name":"PORT_INFO_2W","features":[416]},{"name":"PORT_INFO_3A","features":[416]},{"name":"PORT_INFO_3W","features":[416]},{"name":"PORT_STATUS_DOOR_OPEN","features":[416]},{"name":"PORT_STATUS_NO_TONER","features":[416]},{"name":"PORT_STATUS_OFFLINE","features":[416]},{"name":"PORT_STATUS_OUTPUT_BIN_FULL","features":[416]},{"name":"PORT_STATUS_OUT_OF_MEMORY","features":[416]},{"name":"PORT_STATUS_PAPER_JAM","features":[416]},{"name":"PORT_STATUS_PAPER_OUT","features":[416]},{"name":"PORT_STATUS_PAPER_PROBLEM","features":[416]},{"name":"PORT_STATUS_POWER_SAVE","features":[416]},{"name":"PORT_STATUS_TONER_LOW","features":[416]},{"name":"PORT_STATUS_TYPE_ERROR","features":[416]},{"name":"PORT_STATUS_TYPE_INFO","features":[416]},{"name":"PORT_STATUS_TYPE_WARNING","features":[416]},{"name":"PORT_STATUS_USER_INTERVENTION","features":[416]},{"name":"PORT_STATUS_WARMING_UP","features":[416]},{"name":"PORT_TYPE_NET_ATTACHED","features":[416]},{"name":"PORT_TYPE_READ","features":[416]},{"name":"PORT_TYPE_REDIRECTED","features":[416]},{"name":"PORT_TYPE_WRITE","features":[416]},{"name":"PPCAPS_BOOKLET_EDGE","features":[416]},{"name":"PPCAPS_BORDER_PRINT","features":[416]},{"name":"PPCAPS_REVERSE_PAGES_FOR_REVERSE_DUPLEX","features":[416]},{"name":"PPCAPS_RIGHT_THEN_DOWN","features":[416]},{"name":"PPCAPS_SQUARE_SCALING","features":[416]},{"name":"PRINTER_ACCESS_ADMINISTER","features":[416]},{"name":"PRINTER_ACCESS_MANAGE_LIMITED","features":[416]},{"name":"PRINTER_ACCESS_RIGHTS","features":[416]},{"name":"PRINTER_ACCESS_USE","features":[416]},{"name":"PRINTER_ALL_ACCESS","features":[416]},{"name":"PRINTER_ATTRIBUTE_DEFAULT","features":[416]},{"name":"PRINTER_ATTRIBUTE_DIRECT","features":[416]},{"name":"PRINTER_ATTRIBUTE_DO_COMPLETE_FIRST","features":[416]},{"name":"PRINTER_ATTRIBUTE_ENABLE_BIDI","features":[416]},{"name":"PRINTER_ATTRIBUTE_ENABLE_DEVQ","features":[416]},{"name":"PRINTER_ATTRIBUTE_ENTERPRISE_CLOUD","features":[416]},{"name":"PRINTER_ATTRIBUTE_FAX","features":[416]},{"name":"PRINTER_ATTRIBUTE_FRIENDLY_NAME","features":[416]},{"name":"PRINTER_ATTRIBUTE_HIDDEN","features":[416]},{"name":"PRINTER_ATTRIBUTE_KEEPPRINTEDJOBS","features":[416]},{"name":"PRINTER_ATTRIBUTE_LOCAL","features":[416]},{"name":"PRINTER_ATTRIBUTE_MACHINE","features":[416]},{"name":"PRINTER_ATTRIBUTE_NETWORK","features":[416]},{"name":"PRINTER_ATTRIBUTE_PER_USER","features":[416]},{"name":"PRINTER_ATTRIBUTE_PUBLISHED","features":[416]},{"name":"PRINTER_ATTRIBUTE_PUSHED_MACHINE","features":[416]},{"name":"PRINTER_ATTRIBUTE_PUSHED_USER","features":[416]},{"name":"PRINTER_ATTRIBUTE_QUEUED","features":[416]},{"name":"PRINTER_ATTRIBUTE_RAW_ONLY","features":[416]},{"name":"PRINTER_ATTRIBUTE_SHARED","features":[416]},{"name":"PRINTER_ATTRIBUTE_TS","features":[416]},{"name":"PRINTER_ATTRIBUTE_TS_GENERIC_DRIVER","features":[416]},{"name":"PRINTER_ATTRIBUTE_WORK_OFFLINE","features":[416]},{"name":"PRINTER_CHANGE_ADD_FORM","features":[416]},{"name":"PRINTER_CHANGE_ADD_JOB","features":[416]},{"name":"PRINTER_CHANGE_ADD_PORT","features":[416]},{"name":"PRINTER_CHANGE_ADD_PRINTER","features":[416]},{"name":"PRINTER_CHANGE_ADD_PRINTER_DRIVER","features":[416]},{"name":"PRINTER_CHANGE_ADD_PRINT_PROCESSOR","features":[416]},{"name":"PRINTER_CHANGE_ALL","features":[416]},{"name":"PRINTER_CHANGE_CONFIGURE_PORT","features":[416]},{"name":"PRINTER_CHANGE_DELETE_FORM","features":[416]},{"name":"PRINTER_CHANGE_DELETE_JOB","features":[416]},{"name":"PRINTER_CHANGE_DELETE_PORT","features":[416]},{"name":"PRINTER_CHANGE_DELETE_PRINTER","features":[416]},{"name":"PRINTER_CHANGE_DELETE_PRINTER_DRIVER","features":[416]},{"name":"PRINTER_CHANGE_DELETE_PRINT_PROCESSOR","features":[416]},{"name":"PRINTER_CHANGE_FAILED_CONNECTION_PRINTER","features":[416]},{"name":"PRINTER_CHANGE_FORM","features":[416]},{"name":"PRINTER_CHANGE_JOB","features":[416]},{"name":"PRINTER_CHANGE_PORT","features":[416]},{"name":"PRINTER_CHANGE_PRINTER","features":[416]},{"name":"PRINTER_CHANGE_PRINTER_DRIVER","features":[416]},{"name":"PRINTER_CHANGE_PRINT_PROCESSOR","features":[416]},{"name":"PRINTER_CHANGE_SERVER","features":[416]},{"name":"PRINTER_CHANGE_SET_FORM","features":[416]},{"name":"PRINTER_CHANGE_SET_JOB","features":[416]},{"name":"PRINTER_CHANGE_SET_PRINTER","features":[416]},{"name":"PRINTER_CHANGE_SET_PRINTER_DRIVER","features":[416]},{"name":"PRINTER_CHANGE_TIMEOUT","features":[416]},{"name":"PRINTER_CHANGE_WRITE_JOB","features":[416]},{"name":"PRINTER_CONNECTION_INFO_1A","features":[416]},{"name":"PRINTER_CONNECTION_INFO_1W","features":[416]},{"name":"PRINTER_CONNECTION_MISMATCH","features":[416]},{"name":"PRINTER_CONNECTION_NO_UI","features":[416]},{"name":"PRINTER_CONTROL_PAUSE","features":[416]},{"name":"PRINTER_CONTROL_PURGE","features":[416]},{"name":"PRINTER_CONTROL_RESUME","features":[416]},{"name":"PRINTER_CONTROL_SET_STATUS","features":[416]},{"name":"PRINTER_DEFAULTSA","features":[308,319,416]},{"name":"PRINTER_DEFAULTSW","features":[308,319,416]},{"name":"PRINTER_DELETE","features":[416]},{"name":"PRINTER_DRIVER_CATEGORY_3D","features":[416]},{"name":"PRINTER_DRIVER_CATEGORY_CLOUD","features":[416]},{"name":"PRINTER_DRIVER_CATEGORY_FAX","features":[416]},{"name":"PRINTER_DRIVER_CATEGORY_FILE","features":[416]},{"name":"PRINTER_DRIVER_CATEGORY_SERVICE","features":[416]},{"name":"PRINTER_DRIVER_CATEGORY_VIRTUAL","features":[416]},{"name":"PRINTER_DRIVER_CLASS","features":[416]},{"name":"PRINTER_DRIVER_DERIVED","features":[416]},{"name":"PRINTER_DRIVER_NOT_SHAREABLE","features":[416]},{"name":"PRINTER_DRIVER_PACKAGE_AWARE","features":[416]},{"name":"PRINTER_DRIVER_SANDBOX_DISABLED","features":[416]},{"name":"PRINTER_DRIVER_SANDBOX_ENABLED","features":[416]},{"name":"PRINTER_DRIVER_SOFT_RESET_REQUIRED","features":[416]},{"name":"PRINTER_DRIVER_XPS","features":[416]},{"name":"PRINTER_ENUM_CATEGORY_3D","features":[416]},{"name":"PRINTER_ENUM_CATEGORY_ALL","features":[416]},{"name":"PRINTER_ENUM_CONNECTIONS","features":[416]},{"name":"PRINTER_ENUM_CONTAINER","features":[416]},{"name":"PRINTER_ENUM_DEFAULT","features":[416]},{"name":"PRINTER_ENUM_EXPAND","features":[416]},{"name":"PRINTER_ENUM_FAVORITE","features":[416]},{"name":"PRINTER_ENUM_HIDE","features":[416]},{"name":"PRINTER_ENUM_ICON1","features":[416]},{"name":"PRINTER_ENUM_ICON2","features":[416]},{"name":"PRINTER_ENUM_ICON3","features":[416]},{"name":"PRINTER_ENUM_ICON4","features":[416]},{"name":"PRINTER_ENUM_ICON5","features":[416]},{"name":"PRINTER_ENUM_ICON6","features":[416]},{"name":"PRINTER_ENUM_ICON7","features":[416]},{"name":"PRINTER_ENUM_ICON8","features":[416]},{"name":"PRINTER_ENUM_ICONMASK","features":[416]},{"name":"PRINTER_ENUM_LOCAL","features":[416]},{"name":"PRINTER_ENUM_NAME","features":[416]},{"name":"PRINTER_ENUM_NETWORK","features":[416]},{"name":"PRINTER_ENUM_REMOTE","features":[416]},{"name":"PRINTER_ENUM_SHARED","features":[416]},{"name":"PRINTER_ENUM_VALUESA","features":[416]},{"name":"PRINTER_ENUM_VALUESW","features":[416]},{"name":"PRINTER_ERROR_INFORMATION","features":[416]},{"name":"PRINTER_ERROR_JAM","features":[416]},{"name":"PRINTER_ERROR_OUTOFPAPER","features":[416]},{"name":"PRINTER_ERROR_OUTOFTONER","features":[416]},{"name":"PRINTER_ERROR_SEVERE","features":[416]},{"name":"PRINTER_ERROR_WARNING","features":[416]},{"name":"PRINTER_EVENT_ADD_CONNECTION","features":[416]},{"name":"PRINTER_EVENT_ADD_CONNECTION_NO_UI","features":[416]},{"name":"PRINTER_EVENT_ATTRIBUTES_CHANGED","features":[416]},{"name":"PRINTER_EVENT_ATTRIBUTES_INFO","features":[416]},{"name":"PRINTER_EVENT_CACHE_DELETE","features":[416]},{"name":"PRINTER_EVENT_CACHE_REFRESH","features":[416]},{"name":"PRINTER_EVENT_CONFIGURATION_CHANGE","features":[416]},{"name":"PRINTER_EVENT_CONFIGURATION_UPDATE","features":[416]},{"name":"PRINTER_EVENT_DELETE","features":[416]},{"name":"PRINTER_EVENT_DELETE_CONNECTION","features":[416]},{"name":"PRINTER_EVENT_DELETE_CONNECTION_NO_UI","features":[416]},{"name":"PRINTER_EVENT_FLAG_NO_UI","features":[416]},{"name":"PRINTER_EVENT_INITIALIZE","features":[416]},{"name":"PRINTER_EXECUTE","features":[416]},{"name":"PRINTER_EXTENSION_DETAILEDREASON_PRINTER_STATUS","features":[416]},{"name":"PRINTER_EXTENSION_REASON_DRIVER_EVENT","features":[416]},{"name":"PRINTER_EXTENSION_REASON_PRINT_PREFERENCES","features":[416]},{"name":"PRINTER_INFO_1A","features":[416]},{"name":"PRINTER_INFO_1W","features":[416]},{"name":"PRINTER_INFO_2A","features":[308,319,416,311]},{"name":"PRINTER_INFO_2W","features":[308,319,416,311]},{"name":"PRINTER_INFO_3","features":[416,311]},{"name":"PRINTER_INFO_4A","features":[416]},{"name":"PRINTER_INFO_4W","features":[416]},{"name":"PRINTER_INFO_5A","features":[416]},{"name":"PRINTER_INFO_5W","features":[416]},{"name":"PRINTER_INFO_6","features":[416]},{"name":"PRINTER_INFO_7A","features":[416]},{"name":"PRINTER_INFO_7W","features":[416]},{"name":"PRINTER_INFO_8A","features":[308,319,416]},{"name":"PRINTER_INFO_8W","features":[308,319,416]},{"name":"PRINTER_INFO_9A","features":[308,319,416]},{"name":"PRINTER_INFO_9W","features":[308,319,416]},{"name":"PRINTER_NOTIFY_CATEGORY_3D","features":[416]},{"name":"PRINTER_NOTIFY_CATEGORY_ALL","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_ATTRIBUTES","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_AVERAGE_PPM","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_BRANCH_OFFICE_PRINTING","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_BYTES_PRINTED","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_CJOBS","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_COMMENT","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_DATATYPE","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_DEFAULT_PRIORITY","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_DEVMODE","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_DRIVER_NAME","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_FRIENDLY_NAME","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_LOCATION","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_OBJECT_GUID","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_PAGES_PRINTED","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_PARAMETERS","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_PORT_NAME","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_PRINTER_NAME","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_PRINT_PROCESSOR","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_PRIORITY","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_SECURITY_DESCRIPTOR","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_SEPFILE","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_SERVER_NAME","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_SHARE_NAME","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_START_TIME","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_STATUS","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_STATUS_STRING","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_TOTAL_BYTES","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_TOTAL_PAGES","features":[416]},{"name":"PRINTER_NOTIFY_FIELD_UNTIL_TIME","features":[416]},{"name":"PRINTER_NOTIFY_INFO","features":[416]},{"name":"PRINTER_NOTIFY_INFO_DATA","features":[416]},{"name":"PRINTER_NOTIFY_INFO_DATA_COMPACT","features":[416]},{"name":"PRINTER_NOTIFY_INFO_DISCARDED","features":[416]},{"name":"PRINTER_NOTIFY_INIT","features":[416]},{"name":"PRINTER_NOTIFY_OPTIONS","features":[416]},{"name":"PRINTER_NOTIFY_OPTIONS_REFRESH","features":[416]},{"name":"PRINTER_NOTIFY_OPTIONS_TYPE","features":[416]},{"name":"PRINTER_NOTIFY_STATUS_ENDPOINT","features":[416]},{"name":"PRINTER_NOTIFY_STATUS_INFO","features":[416]},{"name":"PRINTER_NOTIFY_STATUS_POLL","features":[416]},{"name":"PRINTER_NOTIFY_TYPE","features":[416]},{"name":"PRINTER_OEMINTF_VERSION","features":[416]},{"name":"PRINTER_OPTIONSA","features":[416]},{"name":"PRINTER_OPTIONSW","features":[416]},{"name":"PRINTER_OPTION_CACHE","features":[416]},{"name":"PRINTER_OPTION_CLIENT_CHANGE","features":[416]},{"name":"PRINTER_OPTION_FLAGS","features":[416]},{"name":"PRINTER_OPTION_NO_CACHE","features":[416]},{"name":"PRINTER_OPTION_NO_CLIENT_DATA","features":[416]},{"name":"PRINTER_READ","features":[416]},{"name":"PRINTER_READ_CONTROL","features":[416]},{"name":"PRINTER_STANDARD_RIGHTS_EXECUTE","features":[416]},{"name":"PRINTER_STANDARD_RIGHTS_READ","features":[416]},{"name":"PRINTER_STANDARD_RIGHTS_REQUIRED","features":[416]},{"name":"PRINTER_STANDARD_RIGHTS_WRITE","features":[416]},{"name":"PRINTER_STATUS_BUSY","features":[416]},{"name":"PRINTER_STATUS_DOOR_OPEN","features":[416]},{"name":"PRINTER_STATUS_DRIVER_UPDATE_NEEDED","features":[416]},{"name":"PRINTER_STATUS_ERROR","features":[416]},{"name":"PRINTER_STATUS_INITIALIZING","features":[416]},{"name":"PRINTER_STATUS_IO_ACTIVE","features":[416]},{"name":"PRINTER_STATUS_MANUAL_FEED","features":[416]},{"name":"PRINTER_STATUS_NOT_AVAILABLE","features":[416]},{"name":"PRINTER_STATUS_NO_TONER","features":[416]},{"name":"PRINTER_STATUS_OFFLINE","features":[416]},{"name":"PRINTER_STATUS_OUTPUT_BIN_FULL","features":[416]},{"name":"PRINTER_STATUS_OUT_OF_MEMORY","features":[416]},{"name":"PRINTER_STATUS_PAGE_PUNT","features":[416]},{"name":"PRINTER_STATUS_PAPER_JAM","features":[416]},{"name":"PRINTER_STATUS_PAPER_OUT","features":[416]},{"name":"PRINTER_STATUS_PAPER_PROBLEM","features":[416]},{"name":"PRINTER_STATUS_PAUSED","features":[416]},{"name":"PRINTER_STATUS_PENDING_DELETION","features":[416]},{"name":"PRINTER_STATUS_POWER_SAVE","features":[416]},{"name":"PRINTER_STATUS_PRINTING","features":[416]},{"name":"PRINTER_STATUS_PROCESSING","features":[416]},{"name":"PRINTER_STATUS_SERVER_OFFLINE","features":[416]},{"name":"PRINTER_STATUS_SERVER_UNKNOWN","features":[416]},{"name":"PRINTER_STATUS_TONER_LOW","features":[416]},{"name":"PRINTER_STATUS_USER_INTERVENTION","features":[416]},{"name":"PRINTER_STATUS_WAITING","features":[416]},{"name":"PRINTER_STATUS_WARMING_UP","features":[416]},{"name":"PRINTER_SYNCHRONIZE","features":[416]},{"name":"PRINTER_WRITE","features":[416]},{"name":"PRINTER_WRITE_DAC","features":[416]},{"name":"PRINTER_WRITE_OWNER","features":[416]},{"name":"PRINTIFI32","features":[308,319,416]},{"name":"PRINTPROCESSOROPENDATA","features":[308,319,416]},{"name":"PRINTPROCESSOR_CAPS_1","features":[416]},{"name":"PRINTPROCESSOR_CAPS_2","features":[416]},{"name":"PRINTPROCESSOR_INFO_1A","features":[416]},{"name":"PRINTPROCESSOR_INFO_1W","features":[416]},{"name":"PRINTPROVIDOR","features":[416]},{"name":"PRINT_APP_BIDI_NOTIFY_CHANNEL","features":[416]},{"name":"PRINT_EXECUTION_CONTEXT","features":[416]},{"name":"PRINT_EXECUTION_CONTEXT_APPLICATION","features":[416]},{"name":"PRINT_EXECUTION_CONTEXT_FILTER_PIPELINE","features":[416]},{"name":"PRINT_EXECUTION_CONTEXT_SPOOLER_ISOLATION_HOST","features":[416]},{"name":"PRINT_EXECUTION_CONTEXT_SPOOLER_SERVICE","features":[416]},{"name":"PRINT_EXECUTION_CONTEXT_WOW64","features":[416]},{"name":"PRINT_EXECUTION_DATA","features":[416]},{"name":"PRINT_FEATURE_OPTION","features":[416]},{"name":"PRINT_PORT_MONITOR_NOTIFY_CHANNEL","features":[416]},{"name":"PROPSHEETUI_GETICON_INFO","features":[416,370]},{"name":"PROPSHEETUI_INFO","features":[308,416]},{"name":"PROPSHEETUI_INFO_HEADER","features":[308,416,370]},{"name":"PROPSHEETUI_INFO_VERSION","features":[416]},{"name":"PROPSHEETUI_REASON_BEFORE_INIT","features":[416]},{"name":"PROPSHEETUI_REASON_DESTROY","features":[416]},{"name":"PROPSHEETUI_REASON_GET_ICON","features":[416]},{"name":"PROPSHEETUI_REASON_GET_INFO_HEADER","features":[416]},{"name":"PROPSHEETUI_REASON_INIT","features":[416]},{"name":"PROPSHEETUI_REASON_SET_RESULT","features":[416]},{"name":"PROTOCOL_LPR_TYPE","features":[416]},{"name":"PROTOCOL_RAWTCP_TYPE","features":[416]},{"name":"PROTOCOL_UNKNOWN_TYPE","features":[416]},{"name":"PROVIDOR_INFO_1A","features":[416]},{"name":"PROVIDOR_INFO_1W","features":[416]},{"name":"PROVIDOR_INFO_2A","features":[416]},{"name":"PROVIDOR_INFO_2W","features":[416]},{"name":"PSCRIPT5_PRIVATE_DEVMODE","features":[416]},{"name":"PSPINFO","features":[308,416]},{"name":"PSUIHDRF_DEFTITLE","features":[416]},{"name":"PSUIHDRF_EXACT_PTITLE","features":[416]},{"name":"PSUIHDRF_NOAPPLYNOW","features":[416]},{"name":"PSUIHDRF_OBSOLETE","features":[416]},{"name":"PSUIHDRF_PROPTITLE","features":[416]},{"name":"PSUIHDRF_USEHICON","features":[416]},{"name":"PSUIINFO_UNICODE","features":[416]},{"name":"PSUIPAGEINSERT_DLL","features":[416]},{"name":"PSUIPAGEINSERT_GROUP_PARENT","features":[416]},{"name":"PSUIPAGEINSERT_HPROPSHEETPAGE","features":[416]},{"name":"PSUIPAGEINSERT_PCOMPROPSHEETUI","features":[416]},{"name":"PSUIPAGEINSERT_PFNPROPSHEETUI","features":[416]},{"name":"PSUIPAGEINSERT_PROPSHEETPAGE","features":[416]},{"name":"PTSHIM_DEFAULT","features":[416]},{"name":"PTSHIM_NOSNAPSHOT","features":[416]},{"name":"PUBLISHERINFO","features":[416]},{"name":"PUSHBUTTON_TYPE_CALLBACK","features":[416]},{"name":"PUSHBUTTON_TYPE_DLGPROC","features":[416]},{"name":"PUSHBUTTON_TYPE_HTCLRADJ","features":[416]},{"name":"PUSHBUTTON_TYPE_HTSETUP","features":[416]},{"name":"PageCountType","features":[416]},{"name":"PartialReplyPrinterChangeNotification","features":[308,416]},{"name":"PlayGdiScriptOnPrinterIC","features":[308,416]},{"name":"PrintAsyncNotifyConversationStyle","features":[416]},{"name":"PrintAsyncNotifyError","features":[416]},{"name":"PrintAsyncNotifyUserFilter","features":[416]},{"name":"PrintJobStatus","features":[416]},{"name":"PrintJobStatus_BlockedDeviceQueue","features":[416]},{"name":"PrintJobStatus_Complete","features":[416]},{"name":"PrintJobStatus_Deleted","features":[416]},{"name":"PrintJobStatus_Deleting","features":[416]},{"name":"PrintJobStatus_Error","features":[416]},{"name":"PrintJobStatus_Offline","features":[416]},{"name":"PrintJobStatus_PaperOut","features":[416]},{"name":"PrintJobStatus_Paused","features":[416]},{"name":"PrintJobStatus_Printed","features":[416]},{"name":"PrintJobStatus_Printing","features":[416]},{"name":"PrintJobStatus_Restarted","features":[416]},{"name":"PrintJobStatus_Retained","features":[416]},{"name":"PrintJobStatus_Spooling","features":[416]},{"name":"PrintJobStatus_UserIntervention","features":[416]},{"name":"PrintNamedProperty","features":[416]},{"name":"PrintPropertiesCollection","features":[416]},{"name":"PrintPropertyValue","features":[416]},{"name":"PrintSchemaAsyncOperation","features":[416]},{"name":"PrintSchemaConstrainedSetting","features":[416]},{"name":"PrintSchemaConstrainedSetting_Admin","features":[416]},{"name":"PrintSchemaConstrainedSetting_Device","features":[416]},{"name":"PrintSchemaConstrainedSetting_None","features":[416]},{"name":"PrintSchemaConstrainedSetting_PrintTicket","features":[416]},{"name":"PrintSchemaParameterDataType","features":[416]},{"name":"PrintSchemaParameterDataType_Integer","features":[416]},{"name":"PrintSchemaParameterDataType_NumericString","features":[416]},{"name":"PrintSchemaParameterDataType_String","features":[416]},{"name":"PrintSchemaSelectionType","features":[416]},{"name":"PrintSchemaSelectionType_PickMany","features":[416]},{"name":"PrintSchemaSelectionType_PickOne","features":[416]},{"name":"PrinterExtensionManager","features":[416]},{"name":"PrinterMessageBoxA","features":[308,416]},{"name":"PrinterMessageBoxW","features":[308,416]},{"name":"PrinterProperties","features":[308,416]},{"name":"PrinterQueue","features":[416]},{"name":"PrinterQueueView","features":[416]},{"name":"ProvidorFindClosePrinterChangeNotification","features":[308,416]},{"name":"ProvidorFindFirstPrinterChangeNotification","features":[308,416]},{"name":"QCP_DEVICEPROFILE","features":[416]},{"name":"QCP_PROFILEDISK","features":[416]},{"name":"QCP_PROFILEMEMORY","features":[416]},{"name":"QCP_SOURCEPROFILE","features":[416]},{"name":"RAWTCP","features":[416]},{"name":"REMOTE_ONLY_REGISTRATION","features":[416]},{"name":"REVERSE_PAGES_FOR_REVERSE_DUPLEX","features":[416]},{"name":"REVERSE_PRINT","features":[416]},{"name":"RIGHT_THEN_DOWN","features":[416]},{"name":"ROUTER_NOTIFY_CALLBACK","features":[308,416]},{"name":"ROUTER_STOP_ROUTING","features":[416]},{"name":"ROUTER_SUCCESS","features":[416]},{"name":"ROUTER_UNKNOWN","features":[416]},{"name":"ReadPrinter","features":[308,416]},{"name":"RegisterForPrintAsyncNotifications","features":[308,416]},{"name":"RemovePrintDeviceObject","features":[308,416]},{"name":"ReplyPrinterChangeNotification","features":[308,416]},{"name":"ReplyPrinterChangeNotificationEx","features":[308,416]},{"name":"ReportJobProcessingProgress","features":[308,416]},{"name":"ResetPrinterA","features":[308,319,416]},{"name":"ResetPrinterW","features":[308,319,416]},{"name":"RevertToPrinterSelf","features":[308,416]},{"name":"RouterAllocBidiMem","features":[416]},{"name":"RouterAllocBidiResponseContainer","features":[308,416]},{"name":"RouterAllocPrinterNotifyInfo","features":[416]},{"name":"RouterFreeBidiMem","features":[416]},{"name":"RouterFreeBidiResponseContainer","features":[308,416]},{"name":"RouterFreePrinterNotifyInfo","features":[308,416]},{"name":"SERVER_ACCESS_ADMINISTER","features":[416]},{"name":"SERVER_ACCESS_ENUMERATE","features":[416]},{"name":"SERVER_ALL_ACCESS","features":[416]},{"name":"SERVER_EXECUTE","features":[416]},{"name":"SERVER_NOTIFY_FIELD_PRINT_DRIVER_ISOLATION_GROUP","features":[416]},{"name":"SERVER_NOTIFY_TYPE","features":[416]},{"name":"SERVER_READ","features":[416]},{"name":"SERVER_WRITE","features":[416]},{"name":"SETOPTIONS_FLAG_KEEP_CONFLICT","features":[416]},{"name":"SETOPTIONS_FLAG_RESOLVE_CONFLICT","features":[416]},{"name":"SETOPTIONS_RESULT_CONFLICT_REMAINED","features":[416]},{"name":"SETOPTIONS_RESULT_CONFLICT_RESOLVED","features":[416]},{"name":"SETOPTIONS_RESULT_NO_CONFLICT","features":[416]},{"name":"SETRESULT_INFO","features":[308,416]},{"name":"SHIMOPTS","features":[416]},{"name":"SHOWUIPARAMS","features":[308,416]},{"name":"SIMULATE_CAPS_1","features":[416]},{"name":"SPLCLIENT_INFO_1","features":[416]},{"name":"SPLCLIENT_INFO_2_W2K","features":[416]},{"name":"SPLCLIENT_INFO_2_WINXP","features":[416]},{"name":"SPLCLIENT_INFO_2_WINXP","features":[416]},{"name":"SPLCLIENT_INFO_3_VISTA","features":[416]},{"name":"SPLCLIENT_INFO_INTERNAL","features":[416]},{"name":"SPLCLIENT_INFO_INTERNAL_LEVEL","features":[416]},{"name":"SPLDS_ASSET_NUMBER","features":[416]},{"name":"SPLDS_BYTES_PER_MINUTE","features":[416]},{"name":"SPLDS_DESCRIPTION","features":[416]},{"name":"SPLDS_DRIVER_KEY","features":[416]},{"name":"SPLDS_DRIVER_NAME","features":[416]},{"name":"SPLDS_DRIVER_VERSION","features":[416]},{"name":"SPLDS_FLAGS","features":[416]},{"name":"SPLDS_LOCATION","features":[416]},{"name":"SPLDS_PORT_NAME","features":[416]},{"name":"SPLDS_PRINTER_CLASS","features":[416]},{"name":"SPLDS_PRINTER_LOCATIONS","features":[416]},{"name":"SPLDS_PRINTER_MODEL","features":[416]},{"name":"SPLDS_PRINTER_NAME","features":[416]},{"name":"SPLDS_PRINTER_NAME_ALIASES","features":[416]},{"name":"SPLDS_PRINT_ATTRIBUTES","features":[416]},{"name":"SPLDS_PRINT_BIN_NAMES","features":[416]},{"name":"SPLDS_PRINT_COLLATE","features":[416]},{"name":"SPLDS_PRINT_COLOR","features":[416]},{"name":"SPLDS_PRINT_DUPLEX_SUPPORTED","features":[416]},{"name":"SPLDS_PRINT_END_TIME","features":[416]},{"name":"SPLDS_PRINT_KEEP_PRINTED_JOBS","features":[416]},{"name":"SPLDS_PRINT_LANGUAGE","features":[416]},{"name":"SPLDS_PRINT_MAC_ADDRESS","features":[416]},{"name":"SPLDS_PRINT_MAX_RESOLUTION_SUPPORTED","features":[416]},{"name":"SPLDS_PRINT_MAX_X_EXTENT","features":[416]},{"name":"SPLDS_PRINT_MAX_Y_EXTENT","features":[416]},{"name":"SPLDS_PRINT_MEDIA_READY","features":[416]},{"name":"SPLDS_PRINT_MEDIA_SUPPORTED","features":[416]},{"name":"SPLDS_PRINT_MEMORY","features":[416]},{"name":"SPLDS_PRINT_MIN_X_EXTENT","features":[416]},{"name":"SPLDS_PRINT_MIN_Y_EXTENT","features":[416]},{"name":"SPLDS_PRINT_NETWORK_ADDRESS","features":[416]},{"name":"SPLDS_PRINT_NOTIFY","features":[416]},{"name":"SPLDS_PRINT_NUMBER_UP","features":[416]},{"name":"SPLDS_PRINT_ORIENTATIONS_SUPPORTED","features":[416]},{"name":"SPLDS_PRINT_OWNER","features":[416]},{"name":"SPLDS_PRINT_PAGES_PER_MINUTE","features":[416]},{"name":"SPLDS_PRINT_RATE","features":[416]},{"name":"SPLDS_PRINT_RATE_UNIT","features":[416]},{"name":"SPLDS_PRINT_SEPARATOR_FILE","features":[416]},{"name":"SPLDS_PRINT_SHARE_NAME","features":[416]},{"name":"SPLDS_PRINT_SPOOLING","features":[416]},{"name":"SPLDS_PRINT_STAPLING_SUPPORTED","features":[416]},{"name":"SPLDS_PRINT_START_TIME","features":[416]},{"name":"SPLDS_PRINT_STATUS","features":[416]},{"name":"SPLDS_PRIORITY","features":[416]},{"name":"SPLDS_SERVER_NAME","features":[416]},{"name":"SPLDS_SHORT_SERVER_NAME","features":[416]},{"name":"SPLDS_SPOOLER_KEY","features":[416]},{"name":"SPLDS_UNC_NAME","features":[416]},{"name":"SPLDS_URL","features":[416]},{"name":"SPLDS_USER_KEY","features":[416]},{"name":"SPLDS_VERSION_NUMBER","features":[416]},{"name":"SPLPRINTER_USER_MODE_PRINTER_DRIVER","features":[416]},{"name":"SPLREG_ALLOW_USER_MANAGEFORMS","features":[416]},{"name":"SPLREG_ARCHITECTURE","features":[416]},{"name":"SPLREG_BEEP_ENABLED","features":[416]},{"name":"SPLREG_DEFAULT_SPOOL_DIRECTORY","features":[416]},{"name":"SPLREG_DNS_MACHINE_NAME","features":[416]},{"name":"SPLREG_DS_PRESENT","features":[416]},{"name":"SPLREG_DS_PRESENT_FOR_USER","features":[416]},{"name":"SPLREG_EVENT_LOG","features":[416]},{"name":"SPLREG_MAJOR_VERSION","features":[416]},{"name":"SPLREG_MINOR_VERSION","features":[416]},{"name":"SPLREG_NET_POPUP","features":[416]},{"name":"SPLREG_NET_POPUP_TO_COMPUTER","features":[416]},{"name":"SPLREG_OS_VERSION","features":[416]},{"name":"SPLREG_OS_VERSIONEX","features":[416]},{"name":"SPLREG_PORT_THREAD_PRIORITY","features":[416]},{"name":"SPLREG_PORT_THREAD_PRIORITY_DEFAULT","features":[416]},{"name":"SPLREG_PRINT_DRIVER_ISOLATION_EXECUTION_POLICY","features":[416]},{"name":"SPLREG_PRINT_DRIVER_ISOLATION_GROUPS","features":[416]},{"name":"SPLREG_PRINT_DRIVER_ISOLATION_IDLE_TIMEOUT","features":[416]},{"name":"SPLREG_PRINT_DRIVER_ISOLATION_MAX_OBJECTS_BEFORE_RECYCLE","features":[416]},{"name":"SPLREG_PRINT_DRIVER_ISOLATION_OVERRIDE_POLICY","features":[416]},{"name":"SPLREG_PRINT_DRIVER_ISOLATION_TIME_BEFORE_RECYCLE","features":[416]},{"name":"SPLREG_PRINT_QUEUE_V4_DRIVER_DIRECTORY","features":[416]},{"name":"SPLREG_REMOTE_FAX","features":[416]},{"name":"SPLREG_RESTART_JOB_ON_POOL_ENABLED","features":[416]},{"name":"SPLREG_RESTART_JOB_ON_POOL_ERROR","features":[416]},{"name":"SPLREG_RETRY_POPUP","features":[416]},{"name":"SPLREG_SCHEDULER_THREAD_PRIORITY","features":[416]},{"name":"SPLREG_SCHEDULER_THREAD_PRIORITY_DEFAULT","features":[416]},{"name":"SPLREG_WEBSHAREMGMT","features":[416]},{"name":"SPOOL_FILE_PERSISTENT","features":[416]},{"name":"SPOOL_FILE_TEMPORARY","features":[416]},{"name":"SR_OWNER","features":[416]},{"name":"SR_OWNER_PARENT","features":[416]},{"name":"SSP_STDPAGE1","features":[416]},{"name":"SSP_STDPAGE2","features":[416]},{"name":"SSP_TVPAGE","features":[416]},{"name":"STRING_LANGPAIR","features":[416]},{"name":"STRING_MUIDLL","features":[416]},{"name":"STRING_NONE","features":[416]},{"name":"S_CONFLICT_RESOLVED","features":[416]},{"name":"S_DEVCAP_OUTPUT_FULL_REPLACEMENT","features":[416]},{"name":"S_NO_CONFLICT","features":[416]},{"name":"ScheduleJob","features":[308,416]},{"name":"SetCPSUIUserData","features":[308,416]},{"name":"SetDefaultPrinterA","features":[308,416]},{"name":"SetDefaultPrinterW","features":[308,416]},{"name":"SetFormA","features":[308,416]},{"name":"SetFormW","features":[308,416]},{"name":"SetJobA","features":[308,416]},{"name":"SetJobNamedProperty","features":[308,416]},{"name":"SetJobW","features":[308,416]},{"name":"SetPortA","features":[308,416]},{"name":"SetPortW","features":[308,416]},{"name":"SetPrinterA","features":[308,416]},{"name":"SetPrinterDataA","features":[308,416]},{"name":"SetPrinterDataExA","features":[308,416]},{"name":"SetPrinterDataExW","features":[308,416]},{"name":"SetPrinterDataW","features":[308,416]},{"name":"SetPrinterW","features":[308,416]},{"name":"SplIsSessionZero","features":[308,416]},{"name":"SplPromptUIInUsersSession","features":[308,416]},{"name":"SpoolerCopyFileEvent","features":[308,416]},{"name":"SpoolerFindClosePrinterChangeNotification","features":[308,416]},{"name":"SpoolerFindFirstPrinterChangeNotification","features":[308,416]},{"name":"SpoolerFindNextPrinterChangeNotification","features":[308,416]},{"name":"SpoolerFreePrinterNotifyInfo","features":[416]},{"name":"SpoolerRefreshPrinterChangeNotification","features":[308,416]},{"name":"StartDocPrinterA","features":[308,416]},{"name":"StartDocPrinterW","features":[308,416]},{"name":"StartPagePrinter","features":[308,416]},{"name":"TRANSDATA","features":[416]},{"name":"TTDOWNLOAD_BITMAP","features":[416]},{"name":"TTDOWNLOAD_DONTCARE","features":[416]},{"name":"TTDOWNLOAD_GRAPHICS","features":[416]},{"name":"TTDOWNLOAD_TTOUTLINE","features":[416]},{"name":"TVOT_2STATES","features":[416]},{"name":"TVOT_3STATES","features":[416]},{"name":"TVOT_CHKBOX","features":[416]},{"name":"TVOT_COMBOBOX","features":[416]},{"name":"TVOT_EDITBOX","features":[416]},{"name":"TVOT_LISTBOX","features":[416]},{"name":"TVOT_NSTATES_EX","features":[416]},{"name":"TVOT_PUSHBUTTON","features":[416]},{"name":"TVOT_SCROLLBAR","features":[416]},{"name":"TVOT_TRACKBAR","features":[416]},{"name":"TVOT_UDARROW","features":[416]},{"name":"TYPE_GLYPHHANDLE","features":[416]},{"name":"TYPE_GLYPHID","features":[416]},{"name":"TYPE_TRANSDATA","features":[416]},{"name":"TYPE_UNICODE","features":[416]},{"name":"UFF_FILEHEADER","features":[416]},{"name":"UFF_FONTDIRECTORY","features":[416]},{"name":"UFF_VERSION_NUMBER","features":[416]},{"name":"UFM_CART","features":[416]},{"name":"UFM_SCALABLE","features":[416]},{"name":"UFM_SOFT","features":[416]},{"name":"UFOFLAG_TTDOWNLOAD_BITMAP","features":[416]},{"name":"UFOFLAG_TTDOWNLOAD_TTOUTLINE","features":[416]},{"name":"UFOFLAG_TTFONT","features":[416]},{"name":"UFOFLAG_TTOUTLINE_BOLD_SIM","features":[416]},{"name":"UFOFLAG_TTOUTLINE_ITALIC_SIM","features":[416]},{"name":"UFOFLAG_TTOUTLINE_VERTICAL","features":[416]},{"name":"UFOFLAG_TTSUBSTITUTED","features":[416]},{"name":"UFO_GETINFO_FONTOBJ","features":[416]},{"name":"UFO_GETINFO_GLYPHBITMAP","features":[416]},{"name":"UFO_GETINFO_GLYPHSTRING","features":[416]},{"name":"UFO_GETINFO_GLYPHWIDTH","features":[416]},{"name":"UFO_GETINFO_MEMORY","features":[416]},{"name":"UFO_GETINFO_STDVARIABLE","features":[416]},{"name":"UI_TYPE","features":[416]},{"name":"UNIDRVINFO","features":[416]},{"name":"UNIDRV_PRIVATE_DEVMODE","features":[416]},{"name":"UNIFM_HDR","features":[416]},{"name":"UNIFM_VERSION_1_0","features":[416]},{"name":"UNIRECTIONAL_NOTIFICATION_LOST","features":[416]},{"name":"UNI_CODEPAGEINFO","features":[416]},{"name":"UNI_GLYPHSETDATA","features":[416]},{"name":"UNI_GLYPHSETDATA_VERSION_1_0","features":[416]},{"name":"UNKNOWN_PROTOCOL","features":[416]},{"name":"UPDP_CHECK_DRIVERSTORE","features":[416]},{"name":"UPDP_SILENT_UPLOAD","features":[416]},{"name":"UPDP_UPLOAD_ALWAYS","features":[416]},{"name":"USBPRINT_IOCTL_INDEX","features":[416]},{"name":"USB_PRINTER_INTERFACE_CLASSIC","features":[416]},{"name":"USB_PRINTER_INTERFACE_DUAL","features":[416]},{"name":"USB_PRINTER_INTERFACE_IPP","features":[416]},{"name":"USERDATA","features":[416]},{"name":"UnRegisterForPrintAsyncNotifications","features":[308,416]},{"name":"UpdatePrintDeviceObject","features":[308,416]},{"name":"UploadPrinterDriverPackageA","features":[308,416]},{"name":"UploadPrinterDriverPackageW","features":[308,416]},{"name":"WIDTHRUN","features":[416]},{"name":"WIDTHTABLE","features":[416]},{"name":"WM_FI_FILENAME","features":[416]},{"name":"WaitForPrinterChange","features":[308,416]},{"name":"WritePrinter","features":[308,416]},{"name":"XPSRAS_BACKGROUND_COLOR","features":[416]},{"name":"XPSRAS_BACKGROUND_COLOR_OPAQUE","features":[416]},{"name":"XPSRAS_BACKGROUND_COLOR_TRANSPARENT","features":[416]},{"name":"XPSRAS_PIXEL_FORMAT","features":[416]},{"name":"XPSRAS_PIXEL_FORMAT_128BPP_PRGBA_FLOAT_SCRGB","features":[416]},{"name":"XPSRAS_PIXEL_FORMAT_32BPP_PBGRA_UINT_SRGB","features":[416]},{"name":"XPSRAS_PIXEL_FORMAT_64BPP_PRGBA_HALF_SCRGB","features":[416]},{"name":"XPSRAS_RENDERING_MODE","features":[416]},{"name":"XPSRAS_RENDERING_MODE_ALIASED","features":[416]},{"name":"XPSRAS_RENDERING_MODE_ANTIALIASED","features":[416]},{"name":"XPS_FP_DRIVER_PROPERTY_BAG","features":[416]},{"name":"XPS_FP_JOB_ID","features":[416]},{"name":"XPS_FP_JOB_LEVEL_PRINTTICKET","features":[416]},{"name":"XPS_FP_MERGED_DATAFILE_PATH","features":[416]},{"name":"XPS_FP_MS_CONTENT_TYPE","features":[416]},{"name":"XPS_FP_MS_CONTENT_TYPE_OPENXPS","features":[416]},{"name":"XPS_FP_MS_CONTENT_TYPE_XPS","features":[416]},{"name":"XPS_FP_OUTPUT_FILE","features":[416]},{"name":"XPS_FP_PRINTDEVICECAPABILITIES","features":[416]},{"name":"XPS_FP_PRINTER_HANDLE","features":[416]},{"name":"XPS_FP_PRINTER_NAME","features":[416]},{"name":"XPS_FP_PRINT_CLASS_FACTORY","features":[416]},{"name":"XPS_FP_PROGRESS_REPORT","features":[416]},{"name":"XPS_FP_QUEUE_PROPERTY_BAG","features":[416]},{"name":"XPS_FP_RESOURCE_DLL_PATHS","features":[416]},{"name":"XPS_FP_USER_PRINT_TICKET","features":[416]},{"name":"XPS_FP_USER_TOKEN","features":[416]},{"name":"XcvDataW","features":[308,416]},{"name":"XpsJob_DocumentSequenceAdded","features":[416]},{"name":"XpsJob_FixedDocumentAdded","features":[416]},{"name":"XpsJob_FixedPageAdded","features":[416]},{"name":"Xps_Restricted_Font_Editable","features":[416]},{"name":"Xps_Restricted_Font_Installable","features":[416]},{"name":"Xps_Restricted_Font_NoEmbedding","features":[416]},{"name":"Xps_Restricted_Font_PreviewPrint","features":[416]},{"name":"_CPSUICALLBACK","features":[308,416,370]},{"name":"_SPLCLIENT_INFO_2_V3","features":[416]},{"name":"kADT_ASCII","features":[416]},{"name":"kADT_BINARY","features":[416]},{"name":"kADT_BOOL","features":[416]},{"name":"kADT_CUSTOMSIZEPARAMS","features":[416]},{"name":"kADT_DWORD","features":[416]},{"name":"kADT_INT","features":[416]},{"name":"kADT_LONG","features":[416]},{"name":"kADT_RECT","features":[416]},{"name":"kADT_SIZE","features":[416]},{"name":"kADT_UNICODE","features":[416]},{"name":"kADT_UNKNOWN","features":[416]},{"name":"kAddingDocumentSequence","features":[416]},{"name":"kAddingFixedDocument","features":[416]},{"name":"kAddingFixedPage","features":[416]},{"name":"kAllUsers","features":[416]},{"name":"kBiDirectional","features":[416]},{"name":"kDocumentSequenceAdded","features":[416]},{"name":"kFixedDocumentAdded","features":[416]},{"name":"kFixedPageAdded","features":[416]},{"name":"kFontAdded","features":[416]},{"name":"kImageAdded","features":[416]},{"name":"kInvalidJobState","features":[416]},{"name":"kJobConsumption","features":[416]},{"name":"kJobProduction","features":[416]},{"name":"kLogJobError","features":[416]},{"name":"kLogJobPipelineError","features":[416]},{"name":"kLogJobPrinted","features":[416]},{"name":"kLogJobRendered","features":[416]},{"name":"kLogOfflineFileFull","features":[416]},{"name":"kMessageBox","features":[416]},{"name":"kPerUser","features":[416]},{"name":"kPropertyTypeBuffer","features":[416]},{"name":"kPropertyTypeByte","features":[416]},{"name":"kPropertyTypeDevMode","features":[416]},{"name":"kPropertyTypeInt32","features":[416]},{"name":"kPropertyTypeInt64","features":[416]},{"name":"kPropertyTypeNotificationOptions","features":[416]},{"name":"kPropertyTypeNotificationReply","features":[416]},{"name":"kPropertyTypeSD","features":[416]},{"name":"kPropertyTypeString","features":[416]},{"name":"kPropertyTypeTime","features":[416]},{"name":"kResourceAdded","features":[416]},{"name":"kUniDirectional","features":[416]},{"name":"kXpsDocumentCommitted","features":[416]}],"420":[{"name":"EDefaultDevmodeType","features":[419]},{"name":"EPrintTicketScope","features":[419]},{"name":"E_DELTA_PRINTTICKET_FORMAT","features":[419]},{"name":"E_PRINTCAPABILITIES_FORMAT","features":[419]},{"name":"E_PRINTDEVICECAPABILITIES_FORMAT","features":[419]},{"name":"E_PRINTTICKET_FORMAT","features":[419]},{"name":"PRINTTICKET_ISTREAM_APIS","features":[419]},{"name":"PTCloseProvider","features":[419,417]},{"name":"PTConvertDevModeToPrintTicket","features":[308,319,419,417,359]},{"name":"PTConvertPrintTicketToDevMode","features":[308,319,419,417,359]},{"name":"PTGetPrintCapabilities","features":[419,417,359]},{"name":"PTGetPrintDeviceCapabilities","features":[419,417,359]},{"name":"PTGetPrintDeviceResources","features":[419,417,359]},{"name":"PTMergeAndValidatePrintTicket","features":[419,417,359]},{"name":"PTOpenProvider","features":[419,417]},{"name":"PTOpenProviderEx","features":[419,417]},{"name":"PTQuerySchemaVersionSupport","features":[419]},{"name":"PTReleaseMemory","features":[419]},{"name":"S_PT_CONFLICT_RESOLVED","features":[419]},{"name":"S_PT_NO_CONFLICT","features":[419]},{"name":"kPTDocumentScope","features":[419]},{"name":"kPTJobScope","features":[419]},{"name":"kPTPageScope","features":[419]},{"name":"kPrinterDefaultDevmode","features":[419]},{"name":"kUserDefaultDevmode","features":[419]}],"421":[{"name":"ApplyLocalManagementSyncML","features":[420]},{"name":"DEVICEREGISTRATIONTYPE_MAM","features":[420]},{"name":"DEVICEREGISTRATIONTYPE_MDM_DEVICEWIDE_WITH_AAD","features":[420]},{"name":"DEVICEREGISTRATIONTYPE_MDM_ONLY","features":[420]},{"name":"DEVICEREGISTRATIONTYPE_MDM_USERSPECIFIC_WITH_AAD","features":[420]},{"name":"DEVICE_ENROLLER_FACILITY_CODE","features":[420]},{"name":"DeviceRegistrationBasicInfo","features":[420]},{"name":"DiscoverManagementService","features":[420]},{"name":"DiscoverManagementServiceEx","features":[420]},{"name":"GetDeviceManagementConfigInfo","features":[420]},{"name":"GetDeviceRegistrationInfo","features":[420]},{"name":"GetManagementAppHyperlink","features":[420]},{"name":"IsDeviceRegisteredWithManagement","features":[308,420]},{"name":"IsManagementRegistrationAllowed","features":[308,420]},{"name":"IsMdmUxWithoutAadAllowed","features":[308,420]},{"name":"MANAGEMENT_REGISTRATION_INFO","features":[308,420]},{"name":"MANAGEMENT_SERVICE_INFO","features":[420]},{"name":"MDM_REGISTRATION_FACILITY_CODE","features":[420]},{"name":"MENROLL_E_CERTAUTH_FAILED_TO_FIND_CERT","features":[420]},{"name":"MENROLL_E_CERTPOLICY_PRIVATEKEYCREATION_FAILED","features":[420]},{"name":"MENROLL_E_CONNECTIVITY","features":[420]},{"name":"MENROLL_E_CUSTOMSERVERERROR","features":[420]},{"name":"MENROLL_E_DEVICECAPREACHED","features":[420]},{"name":"MENROLL_E_DEVICENOTSUPPORTED","features":[420]},{"name":"MENROLL_E_DEVICE_ALREADY_ENROLLED","features":[420]},{"name":"MENROLL_E_DEVICE_AUTHENTICATION_ERROR","features":[420]},{"name":"MENROLL_E_DEVICE_AUTHORIZATION_ERROR","features":[420]},{"name":"MENROLL_E_DEVICE_CERTIFCATEREQUEST_ERROR","features":[420]},{"name":"MENROLL_E_DEVICE_CERTIFICATEREQUEST_ERROR","features":[420]},{"name":"MENROLL_E_DEVICE_CONFIGMGRSERVER_ERROR","features":[420]},{"name":"MENROLL_E_DEVICE_INTERNALSERVICE_ERROR","features":[420]},{"name":"MENROLL_E_DEVICE_INVALIDSECURITY_ERROR","features":[420]},{"name":"MENROLL_E_DEVICE_MANAGEMENT_BLOCKED","features":[420]},{"name":"MENROLL_E_DEVICE_MESSAGE_FORMAT_ERROR","features":[420]},{"name":"MENROLL_E_DEVICE_NOT_ENROLLED","features":[420]},{"name":"MENROLL_E_DEVICE_UNKNOWN_ERROR","features":[420]},{"name":"MENROLL_E_DISCOVERY_SEC_CERT_DATE_INVALID","features":[420]},{"name":"MENROLL_E_EMPTY_MESSAGE","features":[420]},{"name":"MENROLL_E_ENROLLMENTDATAINVALID","features":[420]},{"name":"MENROLL_E_ENROLLMENT_IN_PROGRESS","features":[420]},{"name":"MENROLL_E_INMAINTENANCE","features":[420]},{"name":"MENROLL_E_INSECUREREDIRECT","features":[420]},{"name":"MENROLL_E_INVALIDSSLCERT","features":[420]},{"name":"MENROLL_E_MDM_NOT_CONFIGURED","features":[420]},{"name":"MENROLL_E_NOTELIGIBLETORENEW","features":[420]},{"name":"MENROLL_E_NOTSUPPORTED","features":[420]},{"name":"MENROLL_E_NOT_SUPPORTED","features":[420]},{"name":"MENROLL_E_PASSWORD_NEEDED","features":[420]},{"name":"MENROLL_E_PLATFORM_LICENSE_ERROR","features":[420]},{"name":"MENROLL_E_PLATFORM_UNKNOWN_ERROR","features":[420]},{"name":"MENROLL_E_PLATFORM_WRONG_STATE","features":[420]},{"name":"MENROLL_E_PROV_CSP_APPMGMT","features":[420]},{"name":"MENROLL_E_PROV_CSP_CERTSTORE","features":[420]},{"name":"MENROLL_E_PROV_CSP_DMCLIENT","features":[420]},{"name":"MENROLL_E_PROV_CSP_MISC","features":[420]},{"name":"MENROLL_E_PROV_CSP_PFW","features":[420]},{"name":"MENROLL_E_PROV_CSP_W7","features":[420]},{"name":"MENROLL_E_PROV_SSLCERTNOTFOUND","features":[420]},{"name":"MENROLL_E_PROV_UNKNOWN","features":[420]},{"name":"MENROLL_E_USERLICENSE","features":[420]},{"name":"MENROLL_E_USER_CANCELED","features":[420]},{"name":"MENROLL_E_USER_CANCELLED","features":[420]},{"name":"MENROLL_E_USER_LICENSE","features":[420]},{"name":"MENROLL_E_WAB_ERROR","features":[420]},{"name":"MREGISTER_E_DEVICE_ALREADY_REGISTERED","features":[420]},{"name":"MREGISTER_E_DEVICE_AUTHENTICATION_ERROR","features":[420]},{"name":"MREGISTER_E_DEVICE_AUTHORIZATION_ERROR","features":[420]},{"name":"MREGISTER_E_DEVICE_CERTIFCATEREQUEST_ERROR","features":[420]},{"name":"MREGISTER_E_DEVICE_CONFIGMGRSERVER_ERROR","features":[420]},{"name":"MREGISTER_E_DEVICE_INTERNALSERVICE_ERROR","features":[420]},{"name":"MREGISTER_E_DEVICE_INVALIDSECURITY_ERROR","features":[420]},{"name":"MREGISTER_E_DEVICE_MESSAGE_FORMAT_ERROR","features":[420]},{"name":"MREGISTER_E_DEVICE_NOT_AD_REGISTERED_ERROR","features":[420]},{"name":"MREGISTER_E_DEVICE_NOT_REGISTERED","features":[420]},{"name":"MREGISTER_E_DEVICE_UNKNOWN_ERROR","features":[420]},{"name":"MREGISTER_E_DISCOVERY_FAILED","features":[420]},{"name":"MREGISTER_E_DISCOVERY_REDIRECTED","features":[420]},{"name":"MREGISTER_E_REGISTRATION_IN_PROGRESS","features":[420]},{"name":"MaxDeviceInfoClass","features":[420]},{"name":"REGISTRATION_INFORMATION_CLASS","features":[420]},{"name":"RegisterDeviceWithLocalManagement","features":[308,420]},{"name":"RegisterDeviceWithManagement","features":[420]},{"name":"RegisterDeviceWithManagementUsingAADCredentials","features":[308,420]},{"name":"RegisterDeviceWithManagementUsingAADDeviceCredentials","features":[420]},{"name":"RegisterDeviceWithManagementUsingAADDeviceCredentials2","features":[420]},{"name":"SetDeviceManagementConfigInfo","features":[420]},{"name":"SetManagedExternally","features":[308,420]},{"name":"UnregisterDeviceWithLocalManagement","features":[420]},{"name":"UnregisterDeviceWithManagement","features":[420]}],"422":[{"name":"ED_DEVCAP_ATN_READ","features":[421]},{"name":"ED_DEVCAP_RTC_READ","features":[421]},{"name":"ED_DEVCAP_TIMECODE_READ","features":[421]},{"name":"HTASK","features":[421]},{"name":"IReferenceClock","features":[421]},{"name":"IReferenceClock2","features":[421]},{"name":"IReferenceClockTimerControl","features":[421]},{"name":"JOYERR_BASE","features":[421]},{"name":"LPDRVCALLBACK","features":[422]},{"name":"LPTIMECALLBACK","features":[421]},{"name":"MAXERRORLENGTH","features":[421]},{"name":"MAXPNAMELEN","features":[421]},{"name":"MCIERR_BASE","features":[421]},{"name":"MCI_CD_OFFSET","features":[421]},{"name":"MCI_SEQ_OFFSET","features":[421]},{"name":"MCI_STRING_OFFSET","features":[421]},{"name":"MCI_VD_OFFSET","features":[421]},{"name":"MCI_WAVE_OFFSET","features":[421]},{"name":"MIDIERR_BASE","features":[421]},{"name":"MIXERR_BASE","features":[421]},{"name":"MMSYSERR_ALLOCATED","features":[421]},{"name":"MMSYSERR_BADDB","features":[421]},{"name":"MMSYSERR_BADDEVICEID","features":[421]},{"name":"MMSYSERR_BADERRNUM","features":[421]},{"name":"MMSYSERR_BASE","features":[421]},{"name":"MMSYSERR_DELETEERROR","features":[421]},{"name":"MMSYSERR_ERROR","features":[421]},{"name":"MMSYSERR_HANDLEBUSY","features":[421]},{"name":"MMSYSERR_INVALFLAG","features":[421]},{"name":"MMSYSERR_INVALHANDLE","features":[421]},{"name":"MMSYSERR_INVALIDALIAS","features":[421]},{"name":"MMSYSERR_INVALPARAM","features":[421]},{"name":"MMSYSERR_KEYNOTFOUND","features":[421]},{"name":"MMSYSERR_LASTERROR","features":[421]},{"name":"MMSYSERR_MOREDATA","features":[421]},{"name":"MMSYSERR_NODRIVER","features":[421]},{"name":"MMSYSERR_NODRIVERCB","features":[421]},{"name":"MMSYSERR_NOERROR","features":[421]},{"name":"MMSYSERR_NOMEM","features":[421]},{"name":"MMSYSERR_NOTENABLED","features":[421]},{"name":"MMSYSERR_NOTSUPPORTED","features":[421]},{"name":"MMSYSERR_READERROR","features":[421]},{"name":"MMSYSERR_VALNOTFOUND","features":[421]},{"name":"MMSYSERR_WRITEERROR","features":[421]},{"name":"MMTIME","features":[421]},{"name":"MM_ADLIB","features":[421]},{"name":"MM_DRVM_CLOSE","features":[421]},{"name":"MM_DRVM_DATA","features":[421]},{"name":"MM_DRVM_ERROR","features":[421]},{"name":"MM_DRVM_OPEN","features":[421]},{"name":"MM_JOY1BUTTONDOWN","features":[421]},{"name":"MM_JOY1BUTTONUP","features":[421]},{"name":"MM_JOY1MOVE","features":[421]},{"name":"MM_JOY1ZMOVE","features":[421]},{"name":"MM_JOY2BUTTONDOWN","features":[421]},{"name":"MM_JOY2BUTTONUP","features":[421]},{"name":"MM_JOY2MOVE","features":[421]},{"name":"MM_JOY2ZMOVE","features":[421]},{"name":"MM_MCINOTIFY","features":[421]},{"name":"MM_MCISIGNAL","features":[421]},{"name":"MM_MICROSOFT","features":[421]},{"name":"MM_MIDI_MAPPER","features":[421]},{"name":"MM_MIM_CLOSE","features":[421]},{"name":"MM_MIM_DATA","features":[421]},{"name":"MM_MIM_ERROR","features":[421]},{"name":"MM_MIM_LONGDATA","features":[421]},{"name":"MM_MIM_LONGERROR","features":[421]},{"name":"MM_MIM_MOREDATA","features":[421]},{"name":"MM_MIM_OPEN","features":[421]},{"name":"MM_MIXM_CONTROL_CHANGE","features":[421]},{"name":"MM_MIXM_LINE_CHANGE","features":[421]},{"name":"MM_MOM_CLOSE","features":[421]},{"name":"MM_MOM_DONE","features":[421]},{"name":"MM_MOM_OPEN","features":[421]},{"name":"MM_MOM_POSITIONCB","features":[421]},{"name":"MM_MPU401_MIDIIN","features":[421]},{"name":"MM_MPU401_MIDIOUT","features":[421]},{"name":"MM_PC_JOYSTICK","features":[421]},{"name":"MM_SNDBLST_MIDIIN","features":[421]},{"name":"MM_SNDBLST_MIDIOUT","features":[421]},{"name":"MM_SNDBLST_SYNTH","features":[421]},{"name":"MM_SNDBLST_WAVEIN","features":[421]},{"name":"MM_SNDBLST_WAVEOUT","features":[421]},{"name":"MM_STREAM_CLOSE","features":[421]},{"name":"MM_STREAM_DONE","features":[421]},{"name":"MM_STREAM_ERROR","features":[421]},{"name":"MM_STREAM_OPEN","features":[421]},{"name":"MM_WAVE_MAPPER","features":[421]},{"name":"MM_WIM_CLOSE","features":[421]},{"name":"MM_WIM_DATA","features":[421]},{"name":"MM_WIM_OPEN","features":[421]},{"name":"MM_WOM_CLOSE","features":[421]},{"name":"MM_WOM_DONE","features":[421]},{"name":"MM_WOM_OPEN","features":[421]},{"name":"TIMECAPS","features":[421]},{"name":"TIMECODE","features":[421]},{"name":"TIMECODE_SAMPLE","features":[421]},{"name":"TIMECODE_SAMPLE_FLAGS","features":[421]},{"name":"TIMERR_BASE","features":[421]},{"name":"TIMERR_NOCANDO","features":[421]},{"name":"TIMERR_NOERROR","features":[421]},{"name":"TIMERR_STRUCT","features":[421]},{"name":"TIME_BYTES","features":[421]},{"name":"TIME_CALLBACK_EVENT_PULSE","features":[421]},{"name":"TIME_CALLBACK_EVENT_SET","features":[421]},{"name":"TIME_CALLBACK_FUNCTION","features":[421]},{"name":"TIME_KILL_SYNCHRONOUS","features":[421]},{"name":"TIME_MIDI","features":[421]},{"name":"TIME_MS","features":[421]},{"name":"TIME_ONESHOT","features":[421]},{"name":"TIME_PERIODIC","features":[421]},{"name":"TIME_SAMPLES","features":[421]},{"name":"TIME_SMPTE","features":[421]},{"name":"TIME_TICKS","features":[421]},{"name":"WAVERR_BASE","features":[421]},{"name":"timeBeginPeriod","features":[421]},{"name":"timeEndPeriod","features":[421]},{"name":"timeGetDevCaps","features":[421]},{"name":"timeGetSystemTime","features":[421]},{"name":"timeGetTime","features":[421]},{"name":"timeKillEvent","features":[421]},{"name":"timeSetEvent","features":[421]}],"423":[{"name":"ACMDM_DRIVER_ABOUT","features":[423]},{"name":"ACMDM_DRIVER_DETAILS","features":[423]},{"name":"ACMDM_DRIVER_NOTIFY","features":[423]},{"name":"ACMDM_FILTERTAG_DETAILS","features":[423]},{"name":"ACMDM_FILTER_DETAILS","features":[423]},{"name":"ACMDM_FORMATTAG_DETAILS","features":[423]},{"name":"ACMDM_FORMAT_DETAILS","features":[423]},{"name":"ACMDM_FORMAT_SUGGEST","features":[423]},{"name":"ACMDM_HARDWARE_WAVE_CAPS_INPUT","features":[423]},{"name":"ACMDM_HARDWARE_WAVE_CAPS_OUTPUT","features":[423]},{"name":"ACMDM_RESERVED_HIGH","features":[423]},{"name":"ACMDM_RESERVED_LOW","features":[423]},{"name":"ACMDM_STREAM_CLOSE","features":[423]},{"name":"ACMDM_STREAM_CONVERT","features":[423]},{"name":"ACMDM_STREAM_OPEN","features":[423]},{"name":"ACMDM_STREAM_PREPARE","features":[423]},{"name":"ACMDM_STREAM_RESET","features":[423]},{"name":"ACMDM_STREAM_SIZE","features":[423]},{"name":"ACMDM_STREAM_UNPREPARE","features":[423]},{"name":"ACMDM_STREAM_UPDATE","features":[423]},{"name":"ACMDM_USER","features":[423]},{"name":"ACMDRIVERDETAILSA","features":[423,370]},{"name":"ACMDRIVERDETAILSW","features":[423,370]},{"name":"ACMDRIVERDETAILS_COPYRIGHT_CHARS","features":[423]},{"name":"ACMDRIVERDETAILS_FEATURES_CHARS","features":[423]},{"name":"ACMDRIVERDETAILS_LICENSING_CHARS","features":[423]},{"name":"ACMDRIVERDETAILS_LONGNAME_CHARS","features":[423]},{"name":"ACMDRIVERDETAILS_SHORTNAME_CHARS","features":[423]},{"name":"ACMDRIVERDETAILS_SUPPORTF_ASYNC","features":[423]},{"name":"ACMDRIVERDETAILS_SUPPORTF_CODEC","features":[423]},{"name":"ACMDRIVERDETAILS_SUPPORTF_CONVERTER","features":[423]},{"name":"ACMDRIVERDETAILS_SUPPORTF_DISABLED","features":[423]},{"name":"ACMDRIVERDETAILS_SUPPORTF_FILTER","features":[423]},{"name":"ACMDRIVERDETAILS_SUPPORTF_HARDWARE","features":[423]},{"name":"ACMDRIVERDETAILS_SUPPORTF_LOCAL","features":[423]},{"name":"ACMDRIVERENUMCB","features":[308,423]},{"name":"ACMDRVFORMATSUGGEST","features":[423]},{"name":"ACMDRVOPENDESCA","features":[423]},{"name":"ACMDRVOPENDESCW","features":[423]},{"name":"ACMDRVSTREAMHEADER","features":[423]},{"name":"ACMDRVSTREAMINSTANCE","features":[423]},{"name":"ACMDRVSTREAMSIZE","features":[423]},{"name":"ACMERR_BASE","features":[423]},{"name":"ACMERR_BUSY","features":[423]},{"name":"ACMERR_CANCELED","features":[423]},{"name":"ACMERR_NOTPOSSIBLE","features":[423]},{"name":"ACMERR_UNPREPARED","features":[423]},{"name":"ACMFILTERCHOOSEA","features":[308,423]},{"name":"ACMFILTERCHOOSEHOOKPROCA","features":[308,423]},{"name":"ACMFILTERCHOOSEHOOKPROCW","features":[308,423]},{"name":"ACMFILTERCHOOSEW","features":[308,423]},{"name":"ACMFILTERCHOOSE_STYLEF_CONTEXTHELP","features":[423]},{"name":"ACMFILTERCHOOSE_STYLEF_ENABLEHOOK","features":[423]},{"name":"ACMFILTERCHOOSE_STYLEF_ENABLETEMPLATE","features":[423]},{"name":"ACMFILTERCHOOSE_STYLEF_ENABLETEMPLATEHANDLE","features":[423]},{"name":"ACMFILTERCHOOSE_STYLEF_INITTOFILTERSTRUCT","features":[423]},{"name":"ACMFILTERCHOOSE_STYLEF_SHOWHELP","features":[423]},{"name":"ACMFILTERDETAILSA","features":[423]},{"name":"ACMFILTERDETAILSW","features":[423]},{"name":"ACMFILTERDETAILS_FILTER_CHARS","features":[423]},{"name":"ACMFILTERENUMCBA","features":[308,423]},{"name":"ACMFILTERENUMCBW","features":[308,423]},{"name":"ACMFILTERTAGDETAILSA","features":[423]},{"name":"ACMFILTERTAGDETAILSW","features":[423]},{"name":"ACMFILTERTAGDETAILS_FILTERTAG_CHARS","features":[423]},{"name":"ACMFILTERTAGENUMCBA","features":[308,423]},{"name":"ACMFILTERTAGENUMCBW","features":[308,423]},{"name":"ACMFORMATCHOOSEA","features":[308,423]},{"name":"ACMFORMATCHOOSEHOOKPROCA","features":[308,423]},{"name":"ACMFORMATCHOOSEHOOKPROCW","features":[308,423]},{"name":"ACMFORMATCHOOSEW","features":[308,423]},{"name":"ACMFORMATCHOOSE_STYLEF_CONTEXTHELP","features":[423]},{"name":"ACMFORMATCHOOSE_STYLEF_ENABLEHOOK","features":[423]},{"name":"ACMFORMATCHOOSE_STYLEF_ENABLETEMPLATE","features":[423]},{"name":"ACMFORMATCHOOSE_STYLEF_ENABLETEMPLATEHANDLE","features":[423]},{"name":"ACMFORMATCHOOSE_STYLEF_INITTOWFXSTRUCT","features":[423]},{"name":"ACMFORMATCHOOSE_STYLEF_SHOWHELP","features":[423]},{"name":"ACMFORMATDETAILSA","features":[423]},{"name":"ACMFORMATDETAILS_FORMAT_CHARS","features":[423]},{"name":"ACMFORMATENUMCBA","features":[308,423]},{"name":"ACMFORMATENUMCBW","features":[308,423]},{"name":"ACMFORMATTAGDETAILSA","features":[423]},{"name":"ACMFORMATTAGDETAILSW","features":[423]},{"name":"ACMFORMATTAGDETAILS_FORMATTAG_CHARS","features":[423]},{"name":"ACMFORMATTAGENUMCBA","features":[308,423]},{"name":"ACMFORMATTAGENUMCBW","features":[308,423]},{"name":"ACMHELPMSGCONTEXTHELP","features":[423]},{"name":"ACMHELPMSGCONTEXTHELPA","features":[423]},{"name":"ACMHELPMSGCONTEXTHELPW","features":[423]},{"name":"ACMHELPMSGCONTEXTMENU","features":[423]},{"name":"ACMHELPMSGCONTEXTMENUA","features":[423]},{"name":"ACMHELPMSGCONTEXTMENUW","features":[423]},{"name":"ACMHELPMSGSTRING","features":[423]},{"name":"ACMHELPMSGSTRINGA","features":[423]},{"name":"ACMHELPMSGSTRINGW","features":[423]},{"name":"ACMSTREAMHEADER","features":[423]},{"name":"ACMSTREAMHEADER","features":[423]},{"name":"ACMSTREAMHEADER_STATUSF_DONE","features":[423]},{"name":"ACMSTREAMHEADER_STATUSF_INQUEUE","features":[423]},{"name":"ACMSTREAMHEADER_STATUSF_PREPARED","features":[423]},{"name":"ACM_DRIVERADDF_FUNCTION","features":[423]},{"name":"ACM_DRIVERADDF_GLOBAL","features":[423]},{"name":"ACM_DRIVERADDF_LOCAL","features":[423]},{"name":"ACM_DRIVERADDF_NAME","features":[423]},{"name":"ACM_DRIVERADDF_NOTIFYHWND","features":[423]},{"name":"ACM_DRIVERADDF_TYPEMASK","features":[423]},{"name":"ACM_DRIVERENUMF_DISABLED","features":[423]},{"name":"ACM_DRIVERENUMF_NOLOCAL","features":[423]},{"name":"ACM_DRIVERPRIORITYF_ABLEMASK","features":[423]},{"name":"ACM_DRIVERPRIORITYF_BEGIN","features":[423]},{"name":"ACM_DRIVERPRIORITYF_DEFERMASK","features":[423]},{"name":"ACM_DRIVERPRIORITYF_DISABLE","features":[423]},{"name":"ACM_DRIVERPRIORITYF_ENABLE","features":[423]},{"name":"ACM_DRIVERPRIORITYF_END","features":[423]},{"name":"ACM_FILTERDETAILSF_FILTER","features":[423]},{"name":"ACM_FILTERDETAILSF_INDEX","features":[423]},{"name":"ACM_FILTERDETAILSF_QUERYMASK","features":[423]},{"name":"ACM_FILTERENUMF_DWFILTERTAG","features":[423]},{"name":"ACM_FILTERTAGDETAILSF_FILTERTAG","features":[423]},{"name":"ACM_FILTERTAGDETAILSF_INDEX","features":[423]},{"name":"ACM_FILTERTAGDETAILSF_LARGESTSIZE","features":[423]},{"name":"ACM_FILTERTAGDETAILSF_QUERYMASK","features":[423]},{"name":"ACM_FORMATDETAILSF_FORMAT","features":[423]},{"name":"ACM_FORMATDETAILSF_INDEX","features":[423]},{"name":"ACM_FORMATDETAILSF_QUERYMASK","features":[423]},{"name":"ACM_FORMATENUMF_CONVERT","features":[423]},{"name":"ACM_FORMATENUMF_HARDWARE","features":[423]},{"name":"ACM_FORMATENUMF_INPUT","features":[423]},{"name":"ACM_FORMATENUMF_NCHANNELS","features":[423]},{"name":"ACM_FORMATENUMF_NSAMPLESPERSEC","features":[423]},{"name":"ACM_FORMATENUMF_OUTPUT","features":[423]},{"name":"ACM_FORMATENUMF_SUGGEST","features":[423]},{"name":"ACM_FORMATENUMF_WBITSPERSAMPLE","features":[423]},{"name":"ACM_FORMATENUMF_WFORMATTAG","features":[423]},{"name":"ACM_FORMATSUGGESTF_NCHANNELS","features":[423]},{"name":"ACM_FORMATSUGGESTF_NSAMPLESPERSEC","features":[423]},{"name":"ACM_FORMATSUGGESTF_TYPEMASK","features":[423]},{"name":"ACM_FORMATSUGGESTF_WBITSPERSAMPLE","features":[423]},{"name":"ACM_FORMATSUGGESTF_WFORMATTAG","features":[423]},{"name":"ACM_FORMATTAGDETAILSF_FORMATTAG","features":[423]},{"name":"ACM_FORMATTAGDETAILSF_INDEX","features":[423]},{"name":"ACM_FORMATTAGDETAILSF_LARGESTSIZE","features":[423]},{"name":"ACM_FORMATTAGDETAILSF_QUERYMASK","features":[423]},{"name":"ACM_METRIC_COUNT_CODECS","features":[423]},{"name":"ACM_METRIC_COUNT_CONVERTERS","features":[423]},{"name":"ACM_METRIC_COUNT_DISABLED","features":[423]},{"name":"ACM_METRIC_COUNT_DRIVERS","features":[423]},{"name":"ACM_METRIC_COUNT_FILTERS","features":[423]},{"name":"ACM_METRIC_COUNT_HARDWARE","features":[423]},{"name":"ACM_METRIC_COUNT_LOCAL_CODECS","features":[423]},{"name":"ACM_METRIC_COUNT_LOCAL_CONVERTERS","features":[423]},{"name":"ACM_METRIC_COUNT_LOCAL_DISABLED","features":[423]},{"name":"ACM_METRIC_COUNT_LOCAL_DRIVERS","features":[423]},{"name":"ACM_METRIC_COUNT_LOCAL_FILTERS","features":[423]},{"name":"ACM_METRIC_DRIVER_PRIORITY","features":[423]},{"name":"ACM_METRIC_DRIVER_SUPPORT","features":[423]},{"name":"ACM_METRIC_HARDWARE_WAVE_INPUT","features":[423]},{"name":"ACM_METRIC_HARDWARE_WAVE_OUTPUT","features":[423]},{"name":"ACM_METRIC_MAX_SIZE_FILTER","features":[423]},{"name":"ACM_METRIC_MAX_SIZE_FORMAT","features":[423]},{"name":"ACM_STREAMCONVERTF_BLOCKALIGN","features":[423]},{"name":"ACM_STREAMCONVERTF_END","features":[423]},{"name":"ACM_STREAMCONVERTF_START","features":[423]},{"name":"ACM_STREAMOPENF_ASYNC","features":[423]},{"name":"ACM_STREAMOPENF_NONREALTIME","features":[423]},{"name":"ACM_STREAMOPENF_QUERY","features":[423]},{"name":"ACM_STREAMSIZEF_DESTINATION","features":[423]},{"name":"ACM_STREAMSIZEF_QUERYMASK","features":[423]},{"name":"ACM_STREAMSIZEF_SOURCE","features":[423]},{"name":"AMBISONICS_CHANNEL_ORDERING","features":[423]},{"name":"AMBISONICS_CHANNEL_ORDERING_ACN","features":[423]},{"name":"AMBISONICS_NORMALIZATION","features":[423]},{"name":"AMBISONICS_NORMALIZATION_N3D","features":[423]},{"name":"AMBISONICS_NORMALIZATION_SN3D","features":[423]},{"name":"AMBISONICS_PARAMS","features":[423]},{"name":"AMBISONICS_PARAM_VERSION_1","features":[423]},{"name":"AMBISONICS_TYPE","features":[423]},{"name":"AMBISONICS_TYPE_FULL3D","features":[423]},{"name":"AUDCLNT_BUFFERFLAGS_DATA_DISCONTINUITY","features":[423]},{"name":"AUDCLNT_BUFFERFLAGS_SILENT","features":[423]},{"name":"AUDCLNT_BUFFERFLAGS_TIMESTAMP_ERROR","features":[423]},{"name":"AUDCLNT_E_ALREADY_INITIALIZED","features":[423]},{"name":"AUDCLNT_E_BUFDURATION_PERIOD_NOT_EQUAL","features":[423]},{"name":"AUDCLNT_E_BUFFER_ERROR","features":[423]},{"name":"AUDCLNT_E_BUFFER_OPERATION_PENDING","features":[423]},{"name":"AUDCLNT_E_BUFFER_SIZE_ERROR","features":[423]},{"name":"AUDCLNT_E_BUFFER_SIZE_NOT_ALIGNED","features":[423]},{"name":"AUDCLNT_E_BUFFER_TOO_LARGE","features":[423]},{"name":"AUDCLNT_E_CPUUSAGE_EXCEEDED","features":[423]},{"name":"AUDCLNT_E_DEVICE_INVALIDATED","features":[423]},{"name":"AUDCLNT_E_DEVICE_IN_USE","features":[423]},{"name":"AUDCLNT_E_EFFECT_NOT_AVAILABLE","features":[423]},{"name":"AUDCLNT_E_EFFECT_STATE_READ_ONLY","features":[423]},{"name":"AUDCLNT_E_ENDPOINT_CREATE_FAILED","features":[423]},{"name":"AUDCLNT_E_ENDPOINT_OFFLOAD_NOT_CAPABLE","features":[423]},{"name":"AUDCLNT_E_ENGINE_FORMAT_LOCKED","features":[423]},{"name":"AUDCLNT_E_ENGINE_PERIODICITY_LOCKED","features":[423]},{"name":"AUDCLNT_E_EVENTHANDLE_NOT_EXPECTED","features":[423]},{"name":"AUDCLNT_E_EVENTHANDLE_NOT_SET","features":[423]},{"name":"AUDCLNT_E_EXCLUSIVE_MODE_NOT_ALLOWED","features":[423]},{"name":"AUDCLNT_E_EXCLUSIVE_MODE_ONLY","features":[423]},{"name":"AUDCLNT_E_HEADTRACKING_ENABLED","features":[423]},{"name":"AUDCLNT_E_HEADTRACKING_UNSUPPORTED","features":[423]},{"name":"AUDCLNT_E_INCORRECT_BUFFER_SIZE","features":[423]},{"name":"AUDCLNT_E_INVALID_DEVICE_PERIOD","features":[423]},{"name":"AUDCLNT_E_INVALID_SIZE","features":[423]},{"name":"AUDCLNT_E_INVALID_STREAM_FLAG","features":[423]},{"name":"AUDCLNT_E_NONOFFLOAD_MODE_ONLY","features":[423]},{"name":"AUDCLNT_E_NOT_INITIALIZED","features":[423]},{"name":"AUDCLNT_E_NOT_STOPPED","features":[423]},{"name":"AUDCLNT_E_OFFLOAD_MODE_ONLY","features":[423]},{"name":"AUDCLNT_E_OUT_OF_OFFLOAD_RESOURCES","features":[423]},{"name":"AUDCLNT_E_OUT_OF_ORDER","features":[423]},{"name":"AUDCLNT_E_RAW_MODE_UNSUPPORTED","features":[423]},{"name":"AUDCLNT_E_RESOURCES_INVALIDATED","features":[423]},{"name":"AUDCLNT_E_SERVICE_NOT_RUNNING","features":[423]},{"name":"AUDCLNT_E_THREAD_NOT_REGISTERED","features":[423]},{"name":"AUDCLNT_E_UNSUPPORTED_FORMAT","features":[423]},{"name":"AUDCLNT_E_WRONG_ENDPOINT_TYPE","features":[423]},{"name":"AUDCLNT_SESSIONFLAGS_DISPLAY_HIDE","features":[423]},{"name":"AUDCLNT_SESSIONFLAGS_DISPLAY_HIDEWHENEXPIRED","features":[423]},{"name":"AUDCLNT_SESSIONFLAGS_EXPIREWHENUNOWNED","features":[423]},{"name":"AUDCLNT_SHAREMODE","features":[423]},{"name":"AUDCLNT_SHAREMODE_EXCLUSIVE","features":[423]},{"name":"AUDCLNT_SHAREMODE_SHARED","features":[423]},{"name":"AUDCLNT_STREAMFLAGS_AUTOCONVERTPCM","features":[423]},{"name":"AUDCLNT_STREAMFLAGS_CROSSPROCESS","features":[423]},{"name":"AUDCLNT_STREAMFLAGS_EVENTCALLBACK","features":[423]},{"name":"AUDCLNT_STREAMFLAGS_LOOPBACK","features":[423]},{"name":"AUDCLNT_STREAMFLAGS_NOPERSIST","features":[423]},{"name":"AUDCLNT_STREAMFLAGS_RATEADJUST","features":[423]},{"name":"AUDCLNT_STREAMFLAGS_SRC_DEFAULT_QUALITY","features":[423]},{"name":"AUDCLNT_STREAMOPTIONS","features":[423]},{"name":"AUDCLNT_STREAMOPTIONS_AMBISONICS","features":[423]},{"name":"AUDCLNT_STREAMOPTIONS_MATCH_FORMAT","features":[423]},{"name":"AUDCLNT_STREAMOPTIONS_NONE","features":[423]},{"name":"AUDCLNT_STREAMOPTIONS_RAW","features":[423]},{"name":"AUDCLNT_S_BUFFER_EMPTY","features":[423]},{"name":"AUDCLNT_S_POSITION_STALLED","features":[423]},{"name":"AUDCLNT_S_THREAD_ALREADY_REGISTERED","features":[423]},{"name":"AUDIOCLIENT_ACTIVATION_PARAMS","features":[423]},{"name":"AUDIOCLIENT_ACTIVATION_TYPE","features":[423]},{"name":"AUDIOCLIENT_ACTIVATION_TYPE_DEFAULT","features":[423]},{"name":"AUDIOCLIENT_ACTIVATION_TYPE_PROCESS_LOOPBACK","features":[423]},{"name":"AUDIOCLIENT_PROCESS_LOOPBACK_PARAMS","features":[423]},{"name":"AUDIOCLOCK_CHARACTERISTIC_FIXED_FREQ","features":[423]},{"name":"AUDIO_DUCKING_OPTIONS","features":[423]},{"name":"AUDIO_DUCKING_OPTIONS_DEFAULT","features":[423]},{"name":"AUDIO_DUCKING_OPTIONS_DO_NOT_DUCK_OTHER_STREAMS","features":[423]},{"name":"AUDIO_EFFECT","features":[308,423]},{"name":"AUDIO_EFFECT_STATE","features":[423]},{"name":"AUDIO_EFFECT_STATE_OFF","features":[423]},{"name":"AUDIO_EFFECT_STATE_ON","features":[423]},{"name":"AUDIO_STREAM_CATEGORY","features":[423]},{"name":"AUDIO_SYSTEMEFFECTS_PROPERTYSTORE_TYPE","features":[423]},{"name":"AUDIO_SYSTEMEFFECTS_PROPERTYSTORE_TYPE_DEFAULT","features":[423]},{"name":"AUDIO_SYSTEMEFFECTS_PROPERTYSTORE_TYPE_ENUM_COUNT","features":[423]},{"name":"AUDIO_SYSTEMEFFECTS_PROPERTYSTORE_TYPE_USER","features":[423]},{"name":"AUDIO_SYSTEMEFFECTS_PROPERTYSTORE_TYPE_VOLATILE","features":[423]},{"name":"AUDIO_VOLUME_NOTIFICATION_DATA","features":[308,423]},{"name":"AUXCAPS2A","features":[423]},{"name":"AUXCAPS2W","features":[423]},{"name":"AUXCAPSA","features":[423]},{"name":"AUXCAPSW","features":[423]},{"name":"AUXCAPS_AUXIN","features":[423]},{"name":"AUXCAPS_CDAUDIO","features":[423]},{"name":"AUXCAPS_LRVOLUME","features":[423]},{"name":"AUXCAPS_VOLUME","features":[423]},{"name":"ActivateAudioInterfaceAsync","features":[423]},{"name":"AudioCategory_Alerts","features":[423]},{"name":"AudioCategory_Communications","features":[423]},{"name":"AudioCategory_FarFieldSpeech","features":[423]},{"name":"AudioCategory_ForegroundOnlyMedia","features":[423]},{"name":"AudioCategory_GameChat","features":[423]},{"name":"AudioCategory_GameEffects","features":[423]},{"name":"AudioCategory_GameMedia","features":[423]},{"name":"AudioCategory_Media","features":[423]},{"name":"AudioCategory_Movie","features":[423]},{"name":"AudioCategory_Other","features":[423]},{"name":"AudioCategory_SoundEffects","features":[423]},{"name":"AudioCategory_Speech","features":[423]},{"name":"AudioCategory_UniformSpeech","features":[423]},{"name":"AudioCategory_VoiceTyping","features":[423]},{"name":"AudioClient3ActivationParams","features":[423]},{"name":"AudioClientProperties","features":[308,423]},{"name":"AudioExtensionParams","features":[308,423]},{"name":"AudioObjectType","features":[423]},{"name":"AudioObjectType_BackCenter","features":[423]},{"name":"AudioObjectType_BackLeft","features":[423]},{"name":"AudioObjectType_BackRight","features":[423]},{"name":"AudioObjectType_BottomBackLeft","features":[423]},{"name":"AudioObjectType_BottomBackRight","features":[423]},{"name":"AudioObjectType_BottomFrontLeft","features":[423]},{"name":"AudioObjectType_BottomFrontRight","features":[423]},{"name":"AudioObjectType_Dynamic","features":[423]},{"name":"AudioObjectType_FrontCenter","features":[423]},{"name":"AudioObjectType_FrontLeft","features":[423]},{"name":"AudioObjectType_FrontRight","features":[423]},{"name":"AudioObjectType_LowFrequency","features":[423]},{"name":"AudioObjectType_None","features":[423]},{"name":"AudioObjectType_SideLeft","features":[423]},{"name":"AudioObjectType_SideRight","features":[423]},{"name":"AudioObjectType_TopBackLeft","features":[423]},{"name":"AudioObjectType_TopBackRight","features":[423]},{"name":"AudioObjectType_TopFrontLeft","features":[423]},{"name":"AudioObjectType_TopFrontRight","features":[423]},{"name":"AudioSessionDisconnectReason","features":[423]},{"name":"AudioSessionState","features":[423]},{"name":"AudioSessionStateActive","features":[423]},{"name":"AudioSessionStateExpired","features":[423]},{"name":"AudioSessionStateInactive","features":[423]},{"name":"AudioStateMonitorSoundLevel","features":[423]},{"name":"CALLBACK_EVENT","features":[423]},{"name":"CALLBACK_FUNCTION","features":[423]},{"name":"CALLBACK_NULL","features":[423]},{"name":"CALLBACK_TASK","features":[423]},{"name":"CALLBACK_THREAD","features":[423]},{"name":"CALLBACK_TYPEMASK","features":[423]},{"name":"CALLBACK_WINDOW","features":[423]},{"name":"CoRegisterMessageFilter","features":[423]},{"name":"Connector","features":[423]},{"name":"ConnectorType","features":[423]},{"name":"CreateCaptureAudioStateMonitor","features":[423]},{"name":"CreateCaptureAudioStateMonitorForCategory","features":[423]},{"name":"CreateCaptureAudioStateMonitorForCategoryAndDeviceId","features":[423]},{"name":"CreateCaptureAudioStateMonitorForCategoryAndDeviceRole","features":[423]},{"name":"CreateRenderAudioStateMonitor","features":[423]},{"name":"CreateRenderAudioStateMonitorForCategory","features":[423]},{"name":"CreateRenderAudioStateMonitorForCategoryAndDeviceId","features":[423]},{"name":"CreateRenderAudioStateMonitorForCategoryAndDeviceRole","features":[423]},{"name":"DEVICE_STATE","features":[423]},{"name":"DEVICE_STATEMASK_ALL","features":[423]},{"name":"DEVICE_STATE_ACTIVE","features":[423]},{"name":"DEVICE_STATE_DISABLED","features":[423]},{"name":"DEVICE_STATE_NOTPRESENT","features":[423]},{"name":"DEVICE_STATE_UNPLUGGED","features":[423]},{"name":"DEVINTERFACE_AUDIO_CAPTURE","features":[423]},{"name":"DEVINTERFACE_AUDIO_RENDER","features":[423]},{"name":"DEVINTERFACE_MIDI_INPUT","features":[423]},{"name":"DEVINTERFACE_MIDI_OUTPUT","features":[423]},{"name":"DIRECTX_AUDIO_ACTIVATION_PARAMS","features":[423]},{"name":"DRVM_MAPPER","features":[423]},{"name":"DRVM_MAPPER_STATUS","features":[423]},{"name":"DRV_MAPPER_PREFERRED_INPUT_GET","features":[423]},{"name":"DRV_MAPPER_PREFERRED_OUTPUT_GET","features":[423]},{"name":"DataFlow","features":[423]},{"name":"DeviceTopology","features":[423]},{"name":"DigitalAudioDisplayDevice","features":[423]},{"name":"DisconnectReasonDeviceRemoval","features":[423]},{"name":"DisconnectReasonExclusiveModeOverride","features":[423]},{"name":"DisconnectReasonFormatChanged","features":[423]},{"name":"DisconnectReasonServerShutdown","features":[423]},{"name":"DisconnectReasonSessionDisconnected","features":[423]},{"name":"DisconnectReasonSessionLogoff","features":[423]},{"name":"ECHOWAVEFILTER","features":[423]},{"name":"EDataFlow","features":[423]},{"name":"EDataFlow_enum_count","features":[423]},{"name":"ENDPOINT_FORMAT_RESET_MIX_ONLY","features":[423]},{"name":"ENDPOINT_HARDWARE_SUPPORT_METER","features":[423]},{"name":"ENDPOINT_HARDWARE_SUPPORT_MUTE","features":[423]},{"name":"ENDPOINT_HARDWARE_SUPPORT_VOLUME","features":[423]},{"name":"ENDPOINT_SYSFX_DISABLED","features":[423]},{"name":"ENDPOINT_SYSFX_ENABLED","features":[423]},{"name":"ERole","features":[423]},{"name":"ERole_enum_count","features":[423]},{"name":"EVENTCONTEXT_VOLUMESLIDER","features":[423]},{"name":"EndpointFormFactor","features":[423]},{"name":"EndpointFormFactor_enum_count","features":[423]},{"name":"FILTERCHOOSE_CUSTOM_VERIFY","features":[423]},{"name":"FILTERCHOOSE_FILTERTAG_VERIFY","features":[423]},{"name":"FILTERCHOOSE_FILTER_VERIFY","features":[423]},{"name":"FILTERCHOOSE_MESSAGE","features":[423]},{"name":"FORMATCHOOSE_CUSTOM_VERIFY","features":[423]},{"name":"FORMATCHOOSE_FORMATTAG_VERIFY","features":[423]},{"name":"FORMATCHOOSE_FORMAT_VERIFY","features":[423]},{"name":"FORMATCHOOSE_MESSAGE","features":[423]},{"name":"Full","features":[423]},{"name":"HACMDRIVER","features":[423]},{"name":"HACMDRIVERID","features":[423]},{"name":"HACMOBJ","features":[423]},{"name":"HACMSTREAM","features":[423]},{"name":"HMIDI","features":[423]},{"name":"HMIDIIN","features":[423]},{"name":"HMIDIOUT","features":[423]},{"name":"HMIDISTRM","features":[423]},{"name":"HMIXER","features":[423]},{"name":"HMIXEROBJ","features":[423]},{"name":"HWAVE","features":[423]},{"name":"HWAVEIN","features":[423]},{"name":"HWAVEOUT","features":[423]},{"name":"Handset","features":[423]},{"name":"Headphones","features":[423]},{"name":"Headset","features":[423]},{"name":"IAcousticEchoCancellationControl","features":[423]},{"name":"IActivateAudioInterfaceAsyncOperation","features":[423]},{"name":"IActivateAudioInterfaceCompletionHandler","features":[423]},{"name":"IAudioAmbisonicsControl","features":[423]},{"name":"IAudioAutoGainControl","features":[423]},{"name":"IAudioBass","features":[423]},{"name":"IAudioCaptureClient","features":[423]},{"name":"IAudioChannelConfig","features":[423]},{"name":"IAudioClient","features":[423]},{"name":"IAudioClient2","features":[423]},{"name":"IAudioClient3","features":[423]},{"name":"IAudioClientDuckingControl","features":[423]},{"name":"IAudioClock","features":[423]},{"name":"IAudioClock2","features":[423]},{"name":"IAudioClockAdjustment","features":[423]},{"name":"IAudioEffectsChangedNotificationClient","features":[423]},{"name":"IAudioEffectsManager","features":[423]},{"name":"IAudioFormatEnumerator","features":[423]},{"name":"IAudioInputSelector","features":[423]},{"name":"IAudioLoudness","features":[423]},{"name":"IAudioMidrange","features":[423]},{"name":"IAudioMute","features":[423]},{"name":"IAudioOutputSelector","features":[423]},{"name":"IAudioPeakMeter","features":[423]},{"name":"IAudioRenderClient","features":[423]},{"name":"IAudioSessionControl","features":[423]},{"name":"IAudioSessionControl2","features":[423]},{"name":"IAudioSessionEnumerator","features":[423]},{"name":"IAudioSessionEvents","features":[423]},{"name":"IAudioSessionManager","features":[423]},{"name":"IAudioSessionManager2","features":[423]},{"name":"IAudioSessionNotification","features":[423]},{"name":"IAudioStateMonitor","features":[423]},{"name":"IAudioStreamVolume","features":[423]},{"name":"IAudioSystemEffectsPropertyChangeNotificationClient","features":[423]},{"name":"IAudioSystemEffectsPropertyStore","features":[423]},{"name":"IAudioTreble","features":[423]},{"name":"IAudioViewManagerService","features":[423]},{"name":"IAudioVolumeDuckNotification","features":[423]},{"name":"IAudioVolumeLevel","features":[423]},{"name":"IChannelAudioVolume","features":[423]},{"name":"IConnector","features":[423]},{"name":"IControlChangeNotify","features":[423]},{"name":"IControlInterface","features":[423]},{"name":"IDeviceSpecificProperty","features":[423]},{"name":"IDeviceTopology","features":[423]},{"name":"IMMDevice","features":[423]},{"name":"IMMDeviceActivator","features":[423]},{"name":"IMMDeviceCollection","features":[423]},{"name":"IMMDeviceEnumerator","features":[423]},{"name":"IMMEndpoint","features":[423]},{"name":"IMMNotificationClient","features":[423]},{"name":"IMessageFilter","features":[423]},{"name":"IPart","features":[423]},{"name":"IPartsList","features":[423]},{"name":"IPerChannelDbLevel","features":[423]},{"name":"ISimpleAudioVolume","features":[423]},{"name":"ISpatialAudioClient","features":[423]},{"name":"ISpatialAudioClient2","features":[423]},{"name":"ISpatialAudioMetadataClient","features":[423]},{"name":"ISpatialAudioMetadataCopier","features":[423]},{"name":"ISpatialAudioMetadataItems","features":[423]},{"name":"ISpatialAudioMetadataItemsBuffer","features":[423]},{"name":"ISpatialAudioMetadataReader","features":[423]},{"name":"ISpatialAudioMetadataWriter","features":[423]},{"name":"ISpatialAudioObject","features":[423]},{"name":"ISpatialAudioObjectBase","features":[423]},{"name":"ISpatialAudioObjectForHrtf","features":[423]},{"name":"ISpatialAudioObjectForMetadataCommands","features":[423]},{"name":"ISpatialAudioObjectForMetadataItems","features":[423]},{"name":"ISpatialAudioObjectRenderStream","features":[423]},{"name":"ISpatialAudioObjectRenderStreamBase","features":[423]},{"name":"ISpatialAudioObjectRenderStreamForHrtf","features":[423]},{"name":"ISpatialAudioObjectRenderStreamForMetadata","features":[423]},{"name":"ISpatialAudioObjectRenderStreamNotify","features":[423]},{"name":"ISubunit","features":[423]},{"name":"In","features":[423]},{"name":"LPACMDRIVERPROC","features":[308,423]},{"name":"LPMIDICALLBACK","features":[423,422]},{"name":"LPWAVECALLBACK","features":[423,422]},{"name":"LineLevel","features":[423]},{"name":"Low","features":[423]},{"name":"MEVT_COMMENT","features":[423]},{"name":"MEVT_F_CALLBACK","features":[423]},{"name":"MEVT_F_LONG","features":[423]},{"name":"MEVT_F_SHORT","features":[423]},{"name":"MEVT_LONGMSG","features":[423]},{"name":"MEVT_NOP","features":[423]},{"name":"MEVT_SHORTMSG","features":[423]},{"name":"MEVT_TEMPO","features":[423]},{"name":"MEVT_VERSION","features":[423]},{"name":"MHDR_DONE","features":[423]},{"name":"MHDR_INQUEUE","features":[423]},{"name":"MHDR_ISSTRM","features":[423]},{"name":"MHDR_PREPARED","features":[423]},{"name":"MIDICAPS_CACHE","features":[423]},{"name":"MIDICAPS_LRVOLUME","features":[423]},{"name":"MIDICAPS_STREAM","features":[423]},{"name":"MIDICAPS_VOLUME","features":[423]},{"name":"MIDIERR_BADOPENMODE","features":[423]},{"name":"MIDIERR_DONT_CONTINUE","features":[423]},{"name":"MIDIERR_INVALIDSETUP","features":[423]},{"name":"MIDIERR_LASTERROR","features":[423]},{"name":"MIDIERR_NODEVICE","features":[423]},{"name":"MIDIERR_NOMAP","features":[423]},{"name":"MIDIERR_NOTREADY","features":[423]},{"name":"MIDIERR_STILLPLAYING","features":[423]},{"name":"MIDIERR_UNPREPARED","features":[423]},{"name":"MIDIEVENT","features":[423]},{"name":"MIDIHDR","features":[423]},{"name":"MIDIINCAPS2A","features":[423]},{"name":"MIDIINCAPS2W","features":[423]},{"name":"MIDIINCAPSA","features":[423]},{"name":"MIDIINCAPSW","features":[423]},{"name":"MIDIOUTCAPS2A","features":[423]},{"name":"MIDIOUTCAPS2W","features":[423]},{"name":"MIDIOUTCAPSA","features":[423]},{"name":"MIDIOUTCAPSW","features":[423]},{"name":"MIDIPATCHSIZE","features":[423]},{"name":"MIDIPROPTEMPO","features":[423]},{"name":"MIDIPROPTIMEDIV","features":[423]},{"name":"MIDIPROP_GET","features":[423]},{"name":"MIDIPROP_SET","features":[423]},{"name":"MIDIPROP_TEMPO","features":[423]},{"name":"MIDIPROP_TIMEDIV","features":[423]},{"name":"MIDISTRMBUFFVER","features":[423]},{"name":"MIDISTRM_ERROR","features":[423]},{"name":"MIDI_CACHE_ALL","features":[423]},{"name":"MIDI_CACHE_BESTFIT","features":[423]},{"name":"MIDI_CACHE_QUERY","features":[423]},{"name":"MIDI_IO_STATUS","features":[423]},{"name":"MIDI_UNCACHE","features":[423]},{"name":"MIDI_WAVE_OPEN_TYPE","features":[423]},{"name":"MIXERCAPS2A","features":[423]},{"name":"MIXERCAPS2W","features":[423]},{"name":"MIXERCAPSA","features":[423]},{"name":"MIXERCAPSW","features":[423]},{"name":"MIXERCONTROLA","features":[423]},{"name":"MIXERCONTROLDETAILS","features":[308,423]},{"name":"MIXERCONTROLDETAILS_BOOLEAN","features":[423]},{"name":"MIXERCONTROLDETAILS_LISTTEXTA","features":[423]},{"name":"MIXERCONTROLDETAILS_LISTTEXTW","features":[423]},{"name":"MIXERCONTROLDETAILS_SIGNED","features":[423]},{"name":"MIXERCONTROLDETAILS_UNSIGNED","features":[423]},{"name":"MIXERCONTROLW","features":[423]},{"name":"MIXERCONTROL_CONTROLF_DISABLED","features":[423]},{"name":"MIXERCONTROL_CONTROLF_MULTIPLE","features":[423]},{"name":"MIXERCONTROL_CONTROLF_UNIFORM","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_BASS","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_BASS_BOOST","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_BOOLEAN","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_BOOLEANMETER","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_BUTTON","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_CUSTOM","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_DECIBELS","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_EQUALIZER","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_FADER","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_LOUDNESS","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_MICROTIME","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_MILLITIME","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_MIXER","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_MONO","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_MULTIPLESELECT","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_MUTE","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_MUX","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_ONOFF","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_PAN","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_PEAKMETER","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_PERCENT","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_QSOUNDPAN","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_SIGNED","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_SIGNEDMETER","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_SINGLESELECT","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_SLIDER","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_STEREOENH","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_TREBLE","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_UNSIGNED","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_UNSIGNEDMETER","features":[423]},{"name":"MIXERCONTROL_CONTROLTYPE_VOLUME","features":[423]},{"name":"MIXERCONTROL_CT_CLASS_CUSTOM","features":[423]},{"name":"MIXERCONTROL_CT_CLASS_FADER","features":[423]},{"name":"MIXERCONTROL_CT_CLASS_LIST","features":[423]},{"name":"MIXERCONTROL_CT_CLASS_MASK","features":[423]},{"name":"MIXERCONTROL_CT_CLASS_METER","features":[423]},{"name":"MIXERCONTROL_CT_CLASS_NUMBER","features":[423]},{"name":"MIXERCONTROL_CT_CLASS_SLIDER","features":[423]},{"name":"MIXERCONTROL_CT_CLASS_SWITCH","features":[423]},{"name":"MIXERCONTROL_CT_CLASS_TIME","features":[423]},{"name":"MIXERCONTROL_CT_SC_LIST_MULTIPLE","features":[423]},{"name":"MIXERCONTROL_CT_SC_LIST_SINGLE","features":[423]},{"name":"MIXERCONTROL_CT_SC_METER_POLLED","features":[423]},{"name":"MIXERCONTROL_CT_SC_SWITCH_BOOLEAN","features":[423]},{"name":"MIXERCONTROL_CT_SC_SWITCH_BUTTON","features":[423]},{"name":"MIXERCONTROL_CT_SC_TIME_MICROSECS","features":[423]},{"name":"MIXERCONTROL_CT_SC_TIME_MILLISECS","features":[423]},{"name":"MIXERCONTROL_CT_SUBCLASS_MASK","features":[423]},{"name":"MIXERCONTROL_CT_UNITS_BOOLEAN","features":[423]},{"name":"MIXERCONTROL_CT_UNITS_CUSTOM","features":[423]},{"name":"MIXERCONTROL_CT_UNITS_DECIBELS","features":[423]},{"name":"MIXERCONTROL_CT_UNITS_MASK","features":[423]},{"name":"MIXERCONTROL_CT_UNITS_PERCENT","features":[423]},{"name":"MIXERCONTROL_CT_UNITS_SIGNED","features":[423]},{"name":"MIXERCONTROL_CT_UNITS_UNSIGNED","features":[423]},{"name":"MIXERLINEA","features":[423]},{"name":"MIXERLINECONTROLSA","features":[423]},{"name":"MIXERLINECONTROLSW","features":[423]},{"name":"MIXERLINEW","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_DST_DIGITAL","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_DST_FIRST","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_DST_HEADPHONES","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_DST_LAST","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_DST_LINE","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_DST_MONITOR","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_DST_SPEAKERS","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_DST_TELEPHONE","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_DST_UNDEFINED","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_DST_VOICEIN","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_DST_WAVEIN","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_ANALOG","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_AUXILIARY","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_COMPACTDISC","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_DIGITAL","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_FIRST","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_LAST","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_LINE","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_MICROPHONE","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_PCSPEAKER","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_SYNTHESIZER","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_TELEPHONE","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_UNDEFINED","features":[423]},{"name":"MIXERLINE_COMPONENTTYPE_SRC_WAVEOUT","features":[423]},{"name":"MIXERLINE_LINEF_ACTIVE","features":[423]},{"name":"MIXERLINE_LINEF_DISCONNECTED","features":[423]},{"name":"MIXERLINE_LINEF_SOURCE","features":[423]},{"name":"MIXERLINE_TARGETTYPE_AUX","features":[423]},{"name":"MIXERLINE_TARGETTYPE_MIDIIN","features":[423]},{"name":"MIXERLINE_TARGETTYPE_MIDIOUT","features":[423]},{"name":"MIXERLINE_TARGETTYPE_UNDEFINED","features":[423]},{"name":"MIXERLINE_TARGETTYPE_WAVEIN","features":[423]},{"name":"MIXERLINE_TARGETTYPE_WAVEOUT","features":[423]},{"name":"MIXERR_INVALCONTROL","features":[423]},{"name":"MIXERR_INVALLINE","features":[423]},{"name":"MIXERR_INVALVALUE","features":[423]},{"name":"MIXERR_LASTERROR","features":[423]},{"name":"MIXER_GETCONTROLDETAILSF_LISTTEXT","features":[423]},{"name":"MIXER_GETCONTROLDETAILSF_QUERYMASK","features":[423]},{"name":"MIXER_GETCONTROLDETAILSF_VALUE","features":[423]},{"name":"MIXER_GETLINECONTROLSF_ALL","features":[423]},{"name":"MIXER_GETLINECONTROLSF_ONEBYID","features":[423]},{"name":"MIXER_GETLINECONTROLSF_ONEBYTYPE","features":[423]},{"name":"MIXER_GETLINECONTROLSF_QUERYMASK","features":[423]},{"name":"MIXER_GETLINEINFOF_COMPONENTTYPE","features":[423]},{"name":"MIXER_GETLINEINFOF_DESTINATION","features":[423]},{"name":"MIXER_GETLINEINFOF_LINEID","features":[423]},{"name":"MIXER_GETLINEINFOF_QUERYMASK","features":[423]},{"name":"MIXER_GETLINEINFOF_SOURCE","features":[423]},{"name":"MIXER_GETLINEINFOF_TARGETTYPE","features":[423]},{"name":"MIXER_LONG_NAME_CHARS","features":[423]},{"name":"MIXER_OBJECTF_AUX","features":[423]},{"name":"MIXER_OBJECTF_HANDLE","features":[423]},{"name":"MIXER_OBJECTF_MIDIIN","features":[423]},{"name":"MIXER_OBJECTF_MIDIOUT","features":[423]},{"name":"MIXER_OBJECTF_MIXER","features":[423]},{"name":"MIXER_OBJECTF_WAVEIN","features":[423]},{"name":"MIXER_OBJECTF_WAVEOUT","features":[423]},{"name":"MIXER_SETCONTROLDETAILSF_CUSTOM","features":[423]},{"name":"MIXER_SETCONTROLDETAILSF_QUERYMASK","features":[423]},{"name":"MIXER_SETCONTROLDETAILSF_VALUE","features":[423]},{"name":"MIXER_SHORT_NAME_CHARS","features":[423]},{"name":"MMDeviceEnumerator","features":[423]},{"name":"MM_ACM_FILTERCHOOSE","features":[423]},{"name":"MM_ACM_FORMATCHOOSE","features":[423]},{"name":"MOD_FMSYNTH","features":[423]},{"name":"MOD_MAPPER","features":[423]},{"name":"MOD_MIDIPORT","features":[423]},{"name":"MOD_SQSYNTH","features":[423]},{"name":"MOD_SWSYNTH","features":[423]},{"name":"MOD_SYNTH","features":[423]},{"name":"MOD_WAVETABLE","features":[423]},{"name":"Microphone","features":[423]},{"name":"Muted","features":[423]},{"name":"Out","features":[423]},{"name":"PAudioStateMonitorCallback","features":[423]},{"name":"PCMWAVEFORMAT","features":[423]},{"name":"PKEY_AudioEndpointLogo_IconEffects","features":[423,379]},{"name":"PKEY_AudioEndpointLogo_IconPath","features":[423,379]},{"name":"PKEY_AudioEndpointSettings_LaunchContract","features":[423,379]},{"name":"PKEY_AudioEndpointSettings_MenuText","features":[423,379]},{"name":"PKEY_AudioEndpoint_Association","features":[423,379]},{"name":"PKEY_AudioEndpoint_ControlPanelPageProvider","features":[423,379]},{"name":"PKEY_AudioEndpoint_Default_VolumeInDb","features":[423,379]},{"name":"PKEY_AudioEndpoint_Disable_SysFx","features":[423,379]},{"name":"PKEY_AudioEndpoint_FormFactor","features":[423,379]},{"name":"PKEY_AudioEndpoint_FullRangeSpeakers","features":[423,379]},{"name":"PKEY_AudioEndpoint_GUID","features":[423,379]},{"name":"PKEY_AudioEndpoint_JackSubType","features":[423,379]},{"name":"PKEY_AudioEndpoint_PhysicalSpeakers","features":[423,379]},{"name":"PKEY_AudioEndpoint_Supports_EventDriven_Mode","features":[423,379]},{"name":"PKEY_AudioEngine_DeviceFormat","features":[423,379]},{"name":"PKEY_AudioEngine_OEMFormat","features":[423,379]},{"name":"PROCESS_LOOPBACK_MODE","features":[423]},{"name":"PROCESS_LOOPBACK_MODE_EXCLUDE_TARGET_PROCESS_TREE","features":[423]},{"name":"PROCESS_LOOPBACK_MODE_INCLUDE_TARGET_PROCESS_TREE","features":[423]},{"name":"PartType","features":[423]},{"name":"PlaySoundA","features":[308,423]},{"name":"PlaySoundW","features":[308,423]},{"name":"RemoteNetworkDevice","features":[423]},{"name":"SND_ALIAS","features":[423]},{"name":"SND_ALIAS_ID","features":[423]},{"name":"SND_ALIAS_START","features":[423]},{"name":"SND_APPLICATION","features":[423]},{"name":"SND_ASYNC","features":[423]},{"name":"SND_FILENAME","features":[423]},{"name":"SND_FLAGS","features":[423]},{"name":"SND_LOOP","features":[423]},{"name":"SND_MEMORY","features":[423]},{"name":"SND_NODEFAULT","features":[423]},{"name":"SND_NOSTOP","features":[423]},{"name":"SND_NOWAIT","features":[423]},{"name":"SND_PURGE","features":[423]},{"name":"SND_RESOURCE","features":[423]},{"name":"SND_RING","features":[423]},{"name":"SND_SENTRY","features":[423]},{"name":"SND_SYNC","features":[423]},{"name":"SND_SYSTEM","features":[423]},{"name":"SPATIAL_AUDIO_POSITION","features":[423]},{"name":"SPATIAL_AUDIO_STANDARD_COMMANDS_START","features":[423]},{"name":"SPATIAL_AUDIO_STREAM_OPTIONS","features":[423]},{"name":"SPATIAL_AUDIO_STREAM_OPTIONS_NONE","features":[423]},{"name":"SPATIAL_AUDIO_STREAM_OPTIONS_OFFLOAD","features":[423]},{"name":"SPDIF","features":[423]},{"name":"SPTLAUDCLNT_E_DESTROYED","features":[423]},{"name":"SPTLAUDCLNT_E_ERRORS_IN_OBJECT_CALLS","features":[423]},{"name":"SPTLAUDCLNT_E_INTERNAL","features":[423]},{"name":"SPTLAUDCLNT_E_INVALID_LICENSE","features":[423]},{"name":"SPTLAUDCLNT_E_METADATA_FORMAT_NOT_SUPPORTED","features":[423]},{"name":"SPTLAUDCLNT_E_NO_MORE_OBJECTS","features":[423]},{"name":"SPTLAUDCLNT_E_OBJECT_ALREADY_ACTIVE","features":[423]},{"name":"SPTLAUDCLNT_E_OUT_OF_ORDER","features":[423]},{"name":"SPTLAUDCLNT_E_PROPERTY_NOT_SUPPORTED","features":[423]},{"name":"SPTLAUDCLNT_E_RESOURCES_INVALIDATED","features":[423]},{"name":"SPTLAUDCLNT_E_STATIC_OBJECT_NOT_AVAILABLE","features":[423]},{"name":"SPTLAUDCLNT_E_STREAM_NOT_AVAILABLE","features":[423]},{"name":"SPTLAUDCLNT_E_STREAM_NOT_STOPPED","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_ATTACH_FAILED_INTERNAL_BUFFER","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_BUFFER_ALREADY_ATTACHED","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_BUFFER_NOT_ATTACHED","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_BUFFER_STILL_ATTACHED","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_COMMAND_ALREADY_WRITTEN","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_COMMAND_NOT_FOUND","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_DETACH_FAILED_INTERNAL_BUFFER","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_FORMAT_MISMATCH","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_FRAMECOUNT_OUT_OF_RANGE","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_FRAMEOFFSET_OUT_OF_RANGE","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_INVALID_ARGS","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_ITEMS_ALREADY_OPEN","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_ITEMS_LOCKED_FOR_WRITING","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_ITEM_COPY_OVERFLOW","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_ITEM_MUST_HAVE_COMMANDS","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_MEMORY_BOUNDS","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_METADATA_FORMAT_NOT_FOUND","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_NO_BUFFER_ATTACHED","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_NO_ITEMOFFSET_WRITTEN","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_NO_ITEMS_FOUND","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_NO_ITEMS_OPEN","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_NO_ITEMS_WRITTEN","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_NO_MORE_COMMANDS","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_NO_MORE_ITEMS","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_OBJECT_NOT_INITIALIZED","features":[423]},{"name":"SPTLAUD_MD_CLNT_E_VALUE_BUFFER_INCORRECT_SIZE","features":[423]},{"name":"SpatialAudioClientActivationParams","features":[423]},{"name":"SpatialAudioHrtfActivationParams","features":[308,423]},{"name":"SpatialAudioHrtfActivationParams2","features":[308,423]},{"name":"SpatialAudioHrtfDirectivity","features":[423]},{"name":"SpatialAudioHrtfDirectivityCardioid","features":[423]},{"name":"SpatialAudioHrtfDirectivityCone","features":[423]},{"name":"SpatialAudioHrtfDirectivityType","features":[423]},{"name":"SpatialAudioHrtfDirectivityUnion","features":[423]},{"name":"SpatialAudioHrtfDirectivity_Cardioid","features":[423]},{"name":"SpatialAudioHrtfDirectivity_Cone","features":[423]},{"name":"SpatialAudioHrtfDirectivity_OmniDirectional","features":[423]},{"name":"SpatialAudioHrtfDistanceDecay","features":[423]},{"name":"SpatialAudioHrtfDistanceDecayType","features":[423]},{"name":"SpatialAudioHrtfDistanceDecay_CustomDecay","features":[423]},{"name":"SpatialAudioHrtfDistanceDecay_NaturalDecay","features":[423]},{"name":"SpatialAudioHrtfEnvironmentType","features":[423]},{"name":"SpatialAudioHrtfEnvironment_Average","features":[423]},{"name":"SpatialAudioHrtfEnvironment_Large","features":[423]},{"name":"SpatialAudioHrtfEnvironment_Medium","features":[423]},{"name":"SpatialAudioHrtfEnvironment_Outdoors","features":[423]},{"name":"SpatialAudioHrtfEnvironment_Small","features":[423]},{"name":"SpatialAudioMetadataCopyMode","features":[423]},{"name":"SpatialAudioMetadataCopy_Append","features":[423]},{"name":"SpatialAudioMetadataCopy_AppendMergeWithFirst","features":[423]},{"name":"SpatialAudioMetadataCopy_AppendMergeWithLast","features":[423]},{"name":"SpatialAudioMetadataCopy_Overwrite","features":[423]},{"name":"SpatialAudioMetadataItemsInfo","features":[423]},{"name":"SpatialAudioMetadataWriterOverflowMode","features":[423]},{"name":"SpatialAudioMetadataWriterOverflow_Fail","features":[423]},{"name":"SpatialAudioMetadataWriterOverflow_MergeWithLast","features":[423]},{"name":"SpatialAudioMetadataWriterOverflow_MergeWithNew","features":[423]},{"name":"SpatialAudioObjectRenderStreamActivationParams","features":[308,423]},{"name":"SpatialAudioObjectRenderStreamActivationParams2","features":[308,423]},{"name":"SpatialAudioObjectRenderStreamForMetadataActivationParams","features":[308,423]},{"name":"SpatialAudioObjectRenderStreamForMetadataActivationParams2","features":[308,423]},{"name":"Speakers","features":[423]},{"name":"Subunit","features":[423]},{"name":"UnknownDigitalPassthrough","features":[423]},{"name":"UnknownFormFactor","features":[423]},{"name":"VIRTUAL_AUDIO_DEVICE_PROCESS_LOOPBACK","features":[423]},{"name":"VOLUMEWAVEFILTER","features":[423]},{"name":"WAVECAPS_LRVOLUME","features":[423]},{"name":"WAVECAPS_PITCH","features":[423]},{"name":"WAVECAPS_PLAYBACKRATE","features":[423]},{"name":"WAVECAPS_SAMPLEACCURATE","features":[423]},{"name":"WAVECAPS_SYNC","features":[423]},{"name":"WAVECAPS_VOLUME","features":[423]},{"name":"WAVEFILTER","features":[423]},{"name":"WAVEFORMAT","features":[423]},{"name":"WAVEFORMATEX","features":[423]},{"name":"WAVEFORMATEXTENSIBLE","features":[423]},{"name":"WAVEHDR","features":[423]},{"name":"WAVEINCAPS2A","features":[423]},{"name":"WAVEINCAPS2W","features":[423]},{"name":"WAVEINCAPSA","features":[423]},{"name":"WAVEINCAPSW","features":[423]},{"name":"WAVEIN_MAPPER_STATUS_DEVICE","features":[423]},{"name":"WAVEIN_MAPPER_STATUS_FORMAT","features":[423]},{"name":"WAVEIN_MAPPER_STATUS_MAPPED","features":[423]},{"name":"WAVEOUTCAPS2A","features":[423]},{"name":"WAVEOUTCAPS2W","features":[423]},{"name":"WAVEOUTCAPSA","features":[423]},{"name":"WAVEOUTCAPSW","features":[423]},{"name":"WAVEOUT_MAPPER_STATUS_DEVICE","features":[423]},{"name":"WAVEOUT_MAPPER_STATUS_FORMAT","features":[423]},{"name":"WAVEOUT_MAPPER_STATUS_MAPPED","features":[423]},{"name":"WAVERR_BADFORMAT","features":[423]},{"name":"WAVERR_LASTERROR","features":[423]},{"name":"WAVERR_STILLPLAYING","features":[423]},{"name":"WAVERR_SYNC","features":[423]},{"name":"WAVERR_UNPREPARED","features":[423]},{"name":"WAVE_ALLOWSYNC","features":[423]},{"name":"WAVE_FORMAT_1M08","features":[423]},{"name":"WAVE_FORMAT_1M16","features":[423]},{"name":"WAVE_FORMAT_1S08","features":[423]},{"name":"WAVE_FORMAT_1S16","features":[423]},{"name":"WAVE_FORMAT_2M08","features":[423]},{"name":"WAVE_FORMAT_2M16","features":[423]},{"name":"WAVE_FORMAT_2S08","features":[423]},{"name":"WAVE_FORMAT_2S16","features":[423]},{"name":"WAVE_FORMAT_44M08","features":[423]},{"name":"WAVE_FORMAT_44M16","features":[423]},{"name":"WAVE_FORMAT_44S08","features":[423]},{"name":"WAVE_FORMAT_44S16","features":[423]},{"name":"WAVE_FORMAT_48M08","features":[423]},{"name":"WAVE_FORMAT_48M16","features":[423]},{"name":"WAVE_FORMAT_48S08","features":[423]},{"name":"WAVE_FORMAT_48S16","features":[423]},{"name":"WAVE_FORMAT_4M08","features":[423]},{"name":"WAVE_FORMAT_4M16","features":[423]},{"name":"WAVE_FORMAT_4S08","features":[423]},{"name":"WAVE_FORMAT_4S16","features":[423]},{"name":"WAVE_FORMAT_96M08","features":[423]},{"name":"WAVE_FORMAT_96M16","features":[423]},{"name":"WAVE_FORMAT_96S08","features":[423]},{"name":"WAVE_FORMAT_96S16","features":[423]},{"name":"WAVE_FORMAT_DIRECT","features":[423]},{"name":"WAVE_FORMAT_DIRECT_QUERY","features":[423]},{"name":"WAVE_FORMAT_PCM","features":[423]},{"name":"WAVE_FORMAT_QUERY","features":[423]},{"name":"WAVE_INVALIDFORMAT","features":[423]},{"name":"WAVE_MAPPED","features":[423]},{"name":"WAVE_MAPPED_DEFAULT_COMMUNICATION_DEVICE","features":[423]},{"name":"WAVE_MAPPER","features":[423]},{"name":"WHDR_BEGINLOOP","features":[423]},{"name":"WHDR_DONE","features":[423]},{"name":"WHDR_ENDLOOP","features":[423]},{"name":"WHDR_INQUEUE","features":[423]},{"name":"WHDR_PREPARED","features":[423]},{"name":"WIDM_MAPPER_STATUS","features":[423]},{"name":"WODM_MAPPER_STATUS","features":[423]},{"name":"_AUDCLNT_BUFFERFLAGS","features":[423]},{"name":"acmDriverAddA","features":[308,423]},{"name":"acmDriverAddW","features":[308,423]},{"name":"acmDriverClose","features":[423]},{"name":"acmDriverDetailsA","features":[423,370]},{"name":"acmDriverDetailsW","features":[423,370]},{"name":"acmDriverEnum","features":[308,423]},{"name":"acmDriverID","features":[423]},{"name":"acmDriverMessage","features":[308,423]},{"name":"acmDriverOpen","features":[423]},{"name":"acmDriverPriority","features":[423]},{"name":"acmDriverRemove","features":[423]},{"name":"acmFilterChooseA","features":[308,423]},{"name":"acmFilterChooseW","features":[308,423]},{"name":"acmFilterDetailsA","features":[423]},{"name":"acmFilterDetailsW","features":[423]},{"name":"acmFilterEnumA","features":[308,423]},{"name":"acmFilterEnumW","features":[308,423]},{"name":"acmFilterTagDetailsA","features":[423]},{"name":"acmFilterTagDetailsW","features":[423]},{"name":"acmFilterTagEnumA","features":[308,423]},{"name":"acmFilterTagEnumW","features":[308,423]},{"name":"acmFormatChooseA","features":[308,423]},{"name":"acmFormatChooseW","features":[308,423]},{"name":"acmFormatDetailsA","features":[423]},{"name":"acmFormatDetailsW","features":[423]},{"name":"acmFormatEnumA","features":[308,423]},{"name":"acmFormatEnumW","features":[308,423]},{"name":"acmFormatSuggest","features":[423]},{"name":"acmFormatTagDetailsA","features":[423]},{"name":"acmFormatTagDetailsW","features":[423]},{"name":"acmFormatTagEnumA","features":[308,423]},{"name":"acmFormatTagEnumW","features":[308,423]},{"name":"acmGetVersion","features":[423]},{"name":"acmMetrics","features":[423]},{"name":"acmStreamClose","features":[423]},{"name":"acmStreamConvert","features":[423]},{"name":"acmStreamMessage","features":[308,423]},{"name":"acmStreamOpen","features":[423]},{"name":"acmStreamPrepareHeader","features":[423]},{"name":"acmStreamReset","features":[423]},{"name":"acmStreamSize","features":[423]},{"name":"acmStreamUnprepareHeader","features":[423]},{"name":"auxGetDevCapsA","features":[423]},{"name":"auxGetDevCapsW","features":[423]},{"name":"auxGetNumDevs","features":[423]},{"name":"auxGetVolume","features":[423]},{"name":"auxOutMessage","features":[423]},{"name":"auxSetVolume","features":[423]},{"name":"eAll","features":[423]},{"name":"eCapture","features":[423]},{"name":"eCommunications","features":[423]},{"name":"eConsole","features":[423]},{"name":"eMultimedia","features":[423]},{"name":"eRender","features":[423]},{"name":"midiConnect","features":[423]},{"name":"midiDisconnect","features":[423]},{"name":"midiInAddBuffer","features":[423]},{"name":"midiInClose","features":[423]},{"name":"midiInGetDevCapsA","features":[423]},{"name":"midiInGetDevCapsW","features":[423]},{"name":"midiInGetErrorTextA","features":[423]},{"name":"midiInGetErrorTextW","features":[423]},{"name":"midiInGetID","features":[423]},{"name":"midiInGetNumDevs","features":[423]},{"name":"midiInMessage","features":[423]},{"name":"midiInOpen","features":[423]},{"name":"midiInPrepareHeader","features":[423]},{"name":"midiInReset","features":[423]},{"name":"midiInStart","features":[423]},{"name":"midiInStop","features":[423]},{"name":"midiInUnprepareHeader","features":[423]},{"name":"midiOutCacheDrumPatches","features":[423]},{"name":"midiOutCachePatches","features":[423]},{"name":"midiOutClose","features":[423]},{"name":"midiOutGetDevCapsA","features":[423]},{"name":"midiOutGetDevCapsW","features":[423]},{"name":"midiOutGetErrorTextA","features":[423]},{"name":"midiOutGetErrorTextW","features":[423]},{"name":"midiOutGetID","features":[423]},{"name":"midiOutGetNumDevs","features":[423]},{"name":"midiOutGetVolume","features":[423]},{"name":"midiOutLongMsg","features":[423]},{"name":"midiOutMessage","features":[423]},{"name":"midiOutOpen","features":[423]},{"name":"midiOutPrepareHeader","features":[423]},{"name":"midiOutReset","features":[423]},{"name":"midiOutSetVolume","features":[423]},{"name":"midiOutShortMsg","features":[423]},{"name":"midiOutUnprepareHeader","features":[423]},{"name":"midiStreamClose","features":[423]},{"name":"midiStreamOpen","features":[423]},{"name":"midiStreamOut","features":[423]},{"name":"midiStreamPause","features":[423]},{"name":"midiStreamPosition","features":[423]},{"name":"midiStreamProperty","features":[423]},{"name":"midiStreamRestart","features":[423]},{"name":"midiStreamStop","features":[423]},{"name":"mixerClose","features":[423]},{"name":"mixerGetControlDetailsA","features":[308,423]},{"name":"mixerGetControlDetailsW","features":[308,423]},{"name":"mixerGetDevCapsA","features":[423]},{"name":"mixerGetDevCapsW","features":[423]},{"name":"mixerGetID","features":[423]},{"name":"mixerGetLineControlsA","features":[423]},{"name":"mixerGetLineControlsW","features":[423]},{"name":"mixerGetLineInfoA","features":[423]},{"name":"mixerGetLineInfoW","features":[423]},{"name":"mixerGetNumDevs","features":[423]},{"name":"mixerMessage","features":[423]},{"name":"mixerOpen","features":[423]},{"name":"mixerSetControlDetails","features":[308,423]},{"name":"sndPlaySoundA","features":[308,423]},{"name":"sndPlaySoundW","features":[308,423]},{"name":"tACMFORMATDETAILSW","features":[423]},{"name":"waveInAddBuffer","features":[423]},{"name":"waveInClose","features":[423]},{"name":"waveInGetDevCapsA","features":[423]},{"name":"waveInGetDevCapsW","features":[423]},{"name":"waveInGetErrorTextA","features":[423]},{"name":"waveInGetErrorTextW","features":[423]},{"name":"waveInGetID","features":[423]},{"name":"waveInGetNumDevs","features":[423]},{"name":"waveInGetPosition","features":[423]},{"name":"waveInMessage","features":[423]},{"name":"waveInOpen","features":[423]},{"name":"waveInPrepareHeader","features":[423]},{"name":"waveInReset","features":[423]},{"name":"waveInStart","features":[423]},{"name":"waveInStop","features":[423]},{"name":"waveInUnprepareHeader","features":[423]},{"name":"waveOutBreakLoop","features":[423]},{"name":"waveOutClose","features":[423]},{"name":"waveOutGetDevCapsA","features":[423]},{"name":"waveOutGetDevCapsW","features":[423]},{"name":"waveOutGetErrorTextA","features":[423]},{"name":"waveOutGetErrorTextW","features":[423]},{"name":"waveOutGetID","features":[423]},{"name":"waveOutGetNumDevs","features":[423]},{"name":"waveOutGetPitch","features":[423]},{"name":"waveOutGetPlaybackRate","features":[423]},{"name":"waveOutGetPosition","features":[423]},{"name":"waveOutGetVolume","features":[423]},{"name":"waveOutMessage","features":[423]},{"name":"waveOutOpen","features":[423]},{"name":"waveOutPause","features":[423]},{"name":"waveOutPrepareHeader","features":[423]},{"name":"waveOutReset","features":[423]},{"name":"waveOutRestart","features":[423]},{"name":"waveOutSetPitch","features":[423]},{"name":"waveOutSetPlaybackRate","features":[423]},{"name":"waveOutSetVolume","features":[423]},{"name":"waveOutUnprepareHeader","features":[423]},{"name":"waveOutWrite","features":[423]}],"424":[{"name":"APOERR_ALREADY_INITIALIZED","features":[424]},{"name":"APOERR_ALREADY_UNLOCKED","features":[424]},{"name":"APOERR_APO_LOCKED","features":[424]},{"name":"APOERR_BUFFERS_OVERLAP","features":[424]},{"name":"APOERR_FORMAT_NOT_SUPPORTED","features":[424]},{"name":"APOERR_INVALID_APO_CLSID","features":[424]},{"name":"APOERR_INVALID_COEFFCOUNT","features":[424]},{"name":"APOERR_INVALID_COEFFICIENT","features":[424]},{"name":"APOERR_INVALID_CONNECTION_FORMAT","features":[424]},{"name":"APOERR_INVALID_CURVE_PARAM","features":[424]},{"name":"APOERR_INVALID_INPUTID","features":[424]},{"name":"APOERR_INVALID_OUTPUT_MAXFRAMECOUNT","features":[424]},{"name":"APOERR_NOT_INITIALIZED","features":[424]},{"name":"APOERR_NUM_CONNECTIONS_INVALID","features":[424]},{"name":"APOInitBaseStruct","features":[424]},{"name":"APOInitSystemEffects","features":[424,379]},{"name":"APOInitSystemEffects2","features":[308,424,379]},{"name":"APOInitSystemEffects3","features":[308,424,359,379]},{"name":"APO_BUFFER_FLAGS","features":[424]},{"name":"APO_CONNECTION_BUFFER_TYPE","features":[424]},{"name":"APO_CONNECTION_BUFFER_TYPE_ALLOCATED","features":[424]},{"name":"APO_CONNECTION_BUFFER_TYPE_DEPENDANT","features":[424]},{"name":"APO_CONNECTION_BUFFER_TYPE_EXTERNAL","features":[424]},{"name":"APO_CONNECTION_DESCRIPTOR","features":[424]},{"name":"APO_CONNECTION_PROPERTY","features":[424]},{"name":"APO_CONNECTION_PROPERTY_V2","features":[424]},{"name":"APO_FLAG","features":[424]},{"name":"APO_FLAG_BITSPERSAMPLE_MUST_MATCH","features":[424]},{"name":"APO_FLAG_DEFAULT","features":[424]},{"name":"APO_FLAG_FRAMESPERSECOND_MUST_MATCH","features":[424]},{"name":"APO_FLAG_INPLACE","features":[424]},{"name":"APO_FLAG_MIXER","features":[424]},{"name":"APO_FLAG_NONE","features":[424]},{"name":"APO_FLAG_SAMPLESPERFRAME_MUST_MATCH","features":[424]},{"name":"APO_LOG_LEVEL","features":[424]},{"name":"APO_LOG_LEVEL_ALWAYS","features":[424]},{"name":"APO_LOG_LEVEL_CRITICAL","features":[424]},{"name":"APO_LOG_LEVEL_ERROR","features":[424]},{"name":"APO_LOG_LEVEL_INFO","features":[424]},{"name":"APO_LOG_LEVEL_VERBOSE","features":[424]},{"name":"APO_LOG_LEVEL_WARNING","features":[424]},{"name":"APO_NOTIFICATION","features":[308,424,379]},{"name":"APO_NOTIFICATION_DESCRIPTOR","features":[424]},{"name":"APO_NOTIFICATION_TYPE","features":[424]},{"name":"APO_NOTIFICATION_TYPE_DEVICE_ORIENTATION","features":[424]},{"name":"APO_NOTIFICATION_TYPE_ENDPOINT_PROPERTY_CHANGE","features":[424]},{"name":"APO_NOTIFICATION_TYPE_ENDPOINT_VOLUME","features":[424]},{"name":"APO_NOTIFICATION_TYPE_ENDPOINT_VOLUME2","features":[424]},{"name":"APO_NOTIFICATION_TYPE_MICROPHONE_BOOST","features":[424]},{"name":"APO_NOTIFICATION_TYPE_NONE","features":[424]},{"name":"APO_NOTIFICATION_TYPE_SYSTEM_EFFECTS_PROPERTY_CHANGE","features":[424]},{"name":"APO_REG_PROPERTIES","features":[424]},{"name":"AUDIOMEDIATYPE_EQUAL_FORMAT_DATA","features":[424]},{"name":"AUDIOMEDIATYPE_EQUAL_FORMAT_TYPES","features":[424]},{"name":"AUDIOMEDIATYPE_EQUAL_FORMAT_USER_DATA","features":[424]},{"name":"AUDIO_ENDPOINT_PROPERTY_CHANGE_APO_NOTIFICATION_DESCRIPTOR","features":[424]},{"name":"AUDIO_ENDPOINT_PROPERTY_CHANGE_NOTIFICATION","features":[424,379]},{"name":"AUDIO_ENDPOINT_VOLUME_APO_NOTIFICATION_DESCRIPTOR","features":[424]},{"name":"AUDIO_ENDPOINT_VOLUME_CHANGE_NOTIFICATION","features":[308,424]},{"name":"AUDIO_ENDPOINT_VOLUME_CHANGE_NOTIFICATION2","features":[308,424]},{"name":"AUDIO_FLOW_PULL","features":[424]},{"name":"AUDIO_FLOW_PUSH","features":[424]},{"name":"AUDIO_FLOW_TYPE","features":[424]},{"name":"AUDIO_MAX_CHANNELS","features":[424]},{"name":"AUDIO_MAX_FRAMERATE","features":[424]},{"name":"AUDIO_MICROPHONE_BOOST_APO_NOTIFICATION_DESCRIPTOR","features":[424]},{"name":"AUDIO_MICROPHONE_BOOST_NOTIFICATION","features":[308,424]},{"name":"AUDIO_MIN_CHANNELS","features":[424]},{"name":"AUDIO_MIN_FRAMERATE","features":[424]},{"name":"AUDIO_SYSTEMEFFECT","features":[308,424]},{"name":"AUDIO_SYSTEMEFFECTS_PROPERTY_CHANGE_APO_NOTIFICATION_DESCRIPTOR","features":[424]},{"name":"AUDIO_SYSTEMEFFECTS_PROPERTY_CHANGE_NOTIFICATION","features":[424,379]},{"name":"AUDIO_SYSTEMEFFECT_STATE","features":[424]},{"name":"AUDIO_SYSTEMEFFECT_STATE_OFF","features":[424]},{"name":"AUDIO_SYSTEMEFFECT_STATE_ON","features":[424]},{"name":"AUDIO_VOLUME_NOTIFICATION_DATA2","features":[308,424]},{"name":"AudioFXExtensionParams","features":[308,424,379]},{"name":"BUFFER_INVALID","features":[424]},{"name":"BUFFER_SILENT","features":[424]},{"name":"BUFFER_VALID","features":[424]},{"name":"DEVICE_NOT_ROTATED","features":[424]},{"name":"DEVICE_ORIENTATION_TYPE","features":[424]},{"name":"DEVICE_ROTATED_180_DEGREES_CLOCKWISE","features":[424]},{"name":"DEVICE_ROTATED_270_DEGREES_CLOCKWISE","features":[424]},{"name":"DEVICE_ROTATED_90_DEGREES_CLOCKWISE","features":[424]},{"name":"EAudioConstriction","features":[424]},{"name":"FNAPONOTIFICATIONCALLBACK","features":[424]},{"name":"IApoAcousticEchoCancellation","features":[424]},{"name":"IApoAuxiliaryInputConfiguration","features":[424]},{"name":"IApoAuxiliaryInputRT","features":[424]},{"name":"IAudioDeviceModulesClient","features":[424]},{"name":"IAudioMediaType","features":[424]},{"name":"IAudioProcessingObject","features":[424]},{"name":"IAudioProcessingObjectConfiguration","features":[424]},{"name":"IAudioProcessingObjectLoggingService","features":[424]},{"name":"IAudioProcessingObjectNotifications","features":[424]},{"name":"IAudioProcessingObjectNotifications2","features":[424]},{"name":"IAudioProcessingObjectRT","features":[424]},{"name":"IAudioProcessingObjectRTQueueService","features":[424]},{"name":"IAudioProcessingObjectVBR","features":[424]},{"name":"IAudioSystemEffects","features":[424]},{"name":"IAudioSystemEffects2","features":[424]},{"name":"IAudioSystemEffects3","features":[424]},{"name":"IAudioSystemEffectsCustomFormats","features":[424]},{"name":"PKEY_APO_SWFallback_ProcessingModes","features":[424,379]},{"name":"PKEY_CompositeFX_EndpointEffectClsid","features":[424,379]},{"name":"PKEY_CompositeFX_KeywordDetector_EndpointEffectClsid","features":[424,379]},{"name":"PKEY_CompositeFX_KeywordDetector_ModeEffectClsid","features":[424,379]},{"name":"PKEY_CompositeFX_KeywordDetector_StreamEffectClsid","features":[424,379]},{"name":"PKEY_CompositeFX_ModeEffectClsid","features":[424,379]},{"name":"PKEY_CompositeFX_Offload_ModeEffectClsid","features":[424,379]},{"name":"PKEY_CompositeFX_Offload_StreamEffectClsid","features":[424,379]},{"name":"PKEY_CompositeFX_StreamEffectClsid","features":[424,379]},{"name":"PKEY_EFX_KeywordDetector_ProcessingModes_Supported_For_Streaming","features":[424,379]},{"name":"PKEY_EFX_ProcessingModes_Supported_For_Streaming","features":[424,379]},{"name":"PKEY_FX_ApplyToBluetooth","features":[424,379]},{"name":"PKEY_FX_ApplyToCapture","features":[424,379]},{"name":"PKEY_FX_ApplyToRender","features":[424,379]},{"name":"PKEY_FX_ApplyToUsb","features":[424,379]},{"name":"PKEY_FX_Association","features":[424,379]},{"name":"PKEY_FX_Author","features":[424,379]},{"name":"PKEY_FX_EffectPackSchema_Version","features":[424,379]},{"name":"PKEY_FX_EffectPack_Schema_V1","features":[424]},{"name":"PKEY_FX_EndpointEffectClsid","features":[424,379]},{"name":"PKEY_FX_Enumerator","features":[424,379]},{"name":"PKEY_FX_FriendlyName","features":[424,379]},{"name":"PKEY_FX_KeywordDetector_EndpointEffectClsid","features":[424,379]},{"name":"PKEY_FX_KeywordDetector_ModeEffectClsid","features":[424,379]},{"name":"PKEY_FX_KeywordDetector_StreamEffectClsid","features":[424,379]},{"name":"PKEY_FX_ModeEffectClsid","features":[424,379]},{"name":"PKEY_FX_ObjectId","features":[424,379]},{"name":"PKEY_FX_Offload_ModeEffectClsid","features":[424,379]},{"name":"PKEY_FX_Offload_StreamEffectClsid","features":[424,379]},{"name":"PKEY_FX_PostMixEffectClsid","features":[424,379]},{"name":"PKEY_FX_PreMixEffectClsid","features":[424,379]},{"name":"PKEY_FX_State","features":[424,379]},{"name":"PKEY_FX_StreamEffectClsid","features":[424,379]},{"name":"PKEY_FX_SupportAppLauncher","features":[424,379]},{"name":"PKEY_FX_SupportedFormats","features":[424,379]},{"name":"PKEY_FX_UserInterfaceClsid","features":[424,379]},{"name":"PKEY_FX_VersionMajor","features":[424,379]},{"name":"PKEY_FX_VersionMinor","features":[424,379]},{"name":"PKEY_MFX_KeywordDetector_ProcessingModes_Supported_For_Streaming","features":[424,379]},{"name":"PKEY_MFX_Offload_ProcessingModes_Supported_For_Streaming","features":[424,379]},{"name":"PKEY_MFX_ProcessingModes_Supported_For_Streaming","features":[424,379]},{"name":"PKEY_SFX_KeywordDetector_ProcessingModes_Supported_For_Streaming","features":[424,379]},{"name":"PKEY_SFX_Offload_ProcessingModes_Supported_For_Streaming","features":[424,379]},{"name":"PKEY_SFX_ProcessingModes_Supported_For_Streaming","features":[424,379]},{"name":"SID_AudioProcessingObjectLoggingService","features":[424]},{"name":"SID_AudioProcessingObjectRTQueue","features":[424]},{"name":"UNCOMPRESSEDAUDIOFORMAT","features":[424]},{"name":"eAudioConstriction14_14","features":[424]},{"name":"eAudioConstriction44_16","features":[424]},{"name":"eAudioConstriction48_16","features":[424]},{"name":"eAudioConstrictionMute","features":[424]},{"name":"eAudioConstrictionOff","features":[424]}],"425":[{"name":"CLSID_DirectMusic","features":[425]},{"name":"CLSID_DirectMusicCollection","features":[425]},{"name":"CLSID_DirectMusicSynth","features":[425]},{"name":"CLSID_DirectMusicSynthSink","features":[425]},{"name":"CLSID_DirectSoundPrivate","features":[425]},{"name":"CONNECTION","features":[425]},{"name":"CONNECTIONLIST","features":[425]},{"name":"CONN_DST_ATTENUATION","features":[425]},{"name":"CONN_DST_CENTER","features":[425]},{"name":"CONN_DST_CHORUS","features":[425]},{"name":"CONN_DST_EG1_ATTACKTIME","features":[425]},{"name":"CONN_DST_EG1_DECAYTIME","features":[425]},{"name":"CONN_DST_EG1_DELAYTIME","features":[425]},{"name":"CONN_DST_EG1_HOLDTIME","features":[425]},{"name":"CONN_DST_EG1_RELEASETIME","features":[425]},{"name":"CONN_DST_EG1_SHUTDOWNTIME","features":[425]},{"name":"CONN_DST_EG1_SUSTAINLEVEL","features":[425]},{"name":"CONN_DST_EG2_ATTACKTIME","features":[425]},{"name":"CONN_DST_EG2_DECAYTIME","features":[425]},{"name":"CONN_DST_EG2_DELAYTIME","features":[425]},{"name":"CONN_DST_EG2_HOLDTIME","features":[425]},{"name":"CONN_DST_EG2_RELEASETIME","features":[425]},{"name":"CONN_DST_EG2_SUSTAINLEVEL","features":[425]},{"name":"CONN_DST_FILTER_CUTOFF","features":[425]},{"name":"CONN_DST_FILTER_Q","features":[425]},{"name":"CONN_DST_GAIN","features":[425]},{"name":"CONN_DST_KEYNUMBER","features":[425]},{"name":"CONN_DST_LEFT","features":[425]},{"name":"CONN_DST_LEFTREAR","features":[425]},{"name":"CONN_DST_LFE_CHANNEL","features":[425]},{"name":"CONN_DST_LFO_FREQUENCY","features":[425]},{"name":"CONN_DST_LFO_STARTDELAY","features":[425]},{"name":"CONN_DST_NONE","features":[425]},{"name":"CONN_DST_PAN","features":[425]},{"name":"CONN_DST_PITCH","features":[425]},{"name":"CONN_DST_REVERB","features":[425]},{"name":"CONN_DST_RIGHT","features":[425]},{"name":"CONN_DST_RIGHTREAR","features":[425]},{"name":"CONN_DST_VIB_FREQUENCY","features":[425]},{"name":"CONN_DST_VIB_STARTDELAY","features":[425]},{"name":"CONN_SRC_CC1","features":[425]},{"name":"CONN_SRC_CC10","features":[425]},{"name":"CONN_SRC_CC11","features":[425]},{"name":"CONN_SRC_CC7","features":[425]},{"name":"CONN_SRC_CC91","features":[425]},{"name":"CONN_SRC_CC93","features":[425]},{"name":"CONN_SRC_CHANNELPRESSURE","features":[425]},{"name":"CONN_SRC_EG1","features":[425]},{"name":"CONN_SRC_EG2","features":[425]},{"name":"CONN_SRC_KEYNUMBER","features":[425]},{"name":"CONN_SRC_KEYONVELOCITY","features":[425]},{"name":"CONN_SRC_LFO","features":[425]},{"name":"CONN_SRC_MONOPRESSURE","features":[425]},{"name":"CONN_SRC_NONE","features":[425]},{"name":"CONN_SRC_PITCHWHEEL","features":[425]},{"name":"CONN_SRC_POLYPRESSURE","features":[425]},{"name":"CONN_SRC_VIBRATO","features":[425]},{"name":"CONN_TRN_CONCAVE","features":[425]},{"name":"CONN_TRN_CONVEX","features":[425]},{"name":"CONN_TRN_NONE","features":[425]},{"name":"CONN_TRN_SWITCH","features":[425]},{"name":"DAUD_CHAN10_VOICE_PRIORITY_OFFSET","features":[425]},{"name":"DAUD_CHAN11_VOICE_PRIORITY_OFFSET","features":[425]},{"name":"DAUD_CHAN12_VOICE_PRIORITY_OFFSET","features":[425]},{"name":"DAUD_CHAN13_VOICE_PRIORITY_OFFSET","features":[425]},{"name":"DAUD_CHAN14_VOICE_PRIORITY_OFFSET","features":[425]},{"name":"DAUD_CHAN15_VOICE_PRIORITY_OFFSET","features":[425]},{"name":"DAUD_CHAN16_VOICE_PRIORITY_OFFSET","features":[425]},{"name":"DAUD_CHAN1_VOICE_PRIORITY_OFFSET","features":[425]},{"name":"DAUD_CHAN2_VOICE_PRIORITY_OFFSET","features":[425]},{"name":"DAUD_CHAN3_VOICE_PRIORITY_OFFSET","features":[425]},{"name":"DAUD_CHAN4_VOICE_PRIORITY_OFFSET","features":[425]},{"name":"DAUD_CHAN5_VOICE_PRIORITY_OFFSET","features":[425]},{"name":"DAUD_CHAN6_VOICE_PRIORITY_OFFSET","features":[425]},{"name":"DAUD_CHAN7_VOICE_PRIORITY_OFFSET","features":[425]},{"name":"DAUD_CHAN8_VOICE_PRIORITY_OFFSET","features":[425]},{"name":"DAUD_CHAN9_VOICE_PRIORITY_OFFSET","features":[425]},{"name":"DAUD_CRITICAL_VOICE_PRIORITY","features":[425]},{"name":"DAUD_HIGH_VOICE_PRIORITY","features":[425]},{"name":"DAUD_LOW_VOICE_PRIORITY","features":[425]},{"name":"DAUD_PERSIST_VOICE_PRIORITY","features":[425]},{"name":"DAUD_STANDARD_VOICE_PRIORITY","features":[425]},{"name":"DIRECTSOUNDDEVICE_DATAFLOW","features":[425]},{"name":"DIRECTSOUNDDEVICE_DATAFLOW_CAPTURE","features":[425]},{"name":"DIRECTSOUNDDEVICE_DATAFLOW_RENDER","features":[425]},{"name":"DIRECTSOUNDDEVICE_TYPE","features":[425]},{"name":"DIRECTSOUNDDEVICE_TYPE_EMULATED","features":[425]},{"name":"DIRECTSOUNDDEVICE_TYPE_VXD","features":[425]},{"name":"DIRECTSOUNDDEVICE_TYPE_WDM","features":[425]},{"name":"DLSHEADER","features":[425]},{"name":"DLSID","features":[425]},{"name":"DLSID_GMInHardware","features":[425]},{"name":"DLSID_GSInHardware","features":[425]},{"name":"DLSID_ManufacturersID","features":[425]},{"name":"DLSID_ProductID","features":[425]},{"name":"DLSID_SampleMemorySize","features":[425]},{"name":"DLSID_SamplePlaybackRate","features":[425]},{"name":"DLSID_SupportsDLS1","features":[425]},{"name":"DLSID_SupportsDLS2","features":[425]},{"name":"DLSID_XGInHardware","features":[425]},{"name":"DLSVERSION","features":[425]},{"name":"DLS_CDL_ADD","features":[425]},{"name":"DLS_CDL_AND","features":[425]},{"name":"DLS_CDL_CONST","features":[425]},{"name":"DLS_CDL_DIVIDE","features":[425]},{"name":"DLS_CDL_EQ","features":[425]},{"name":"DLS_CDL_GE","features":[425]},{"name":"DLS_CDL_GT","features":[425]},{"name":"DLS_CDL_LE","features":[425]},{"name":"DLS_CDL_LOGICAL_AND","features":[425]},{"name":"DLS_CDL_LOGICAL_OR","features":[425]},{"name":"DLS_CDL_LT","features":[425]},{"name":"DLS_CDL_MULTIPLY","features":[425]},{"name":"DLS_CDL_NOT","features":[425]},{"name":"DLS_CDL_OR","features":[425]},{"name":"DLS_CDL_QUERY","features":[425]},{"name":"DLS_CDL_QUERYSUPPORTED","features":[425]},{"name":"DLS_CDL_SUBTRACT","features":[425]},{"name":"DLS_CDL_XOR","features":[425]},{"name":"DMUS_ARTICPARAMS","features":[425]},{"name":"DMUS_ARTICULATION","features":[425]},{"name":"DMUS_ARTICULATION2","features":[425]},{"name":"DMUS_BUFFERDESC","features":[425]},{"name":"DMUS_CLOCKF_GLOBAL","features":[425]},{"name":"DMUS_CLOCKINFO7","features":[425]},{"name":"DMUS_CLOCKINFO8","features":[425]},{"name":"DMUS_CLOCKTYPE","features":[425]},{"name":"DMUS_CLOCK_SYSTEM","features":[425]},{"name":"DMUS_CLOCK_WAVE","features":[425]},{"name":"DMUS_COPYRIGHT","features":[425]},{"name":"DMUS_DEFAULT_SIZE_OFFSETTABLE","features":[425]},{"name":"DMUS_DOWNLOADINFO","features":[425]},{"name":"DMUS_DOWNLOADINFO_INSTRUMENT","features":[425]},{"name":"DMUS_DOWNLOADINFO_INSTRUMENT2","features":[425]},{"name":"DMUS_DOWNLOADINFO_ONESHOTWAVE","features":[425]},{"name":"DMUS_DOWNLOADINFO_STREAMINGWAVE","features":[425]},{"name":"DMUS_DOWNLOADINFO_WAVE","features":[425]},{"name":"DMUS_DOWNLOADINFO_WAVEARTICULATION","features":[425]},{"name":"DMUS_EFFECT_CHORUS","features":[425]},{"name":"DMUS_EFFECT_DELAY","features":[425]},{"name":"DMUS_EFFECT_NONE","features":[425]},{"name":"DMUS_EFFECT_REVERB","features":[425]},{"name":"DMUS_EVENTHEADER","features":[425]},{"name":"DMUS_EVENT_STRUCTURED","features":[425]},{"name":"DMUS_EXTENSIONCHUNK","features":[425]},{"name":"DMUS_INSTRUMENT","features":[425]},{"name":"DMUS_INSTRUMENT_GM_INSTRUMENT","features":[425]},{"name":"DMUS_LFOPARAMS","features":[425]},{"name":"DMUS_MAX_DESCRIPTION","features":[425]},{"name":"DMUS_MAX_DRIVER","features":[425]},{"name":"DMUS_MIN_DATA_SIZE","features":[425]},{"name":"DMUS_MSCPARAMS","features":[425]},{"name":"DMUS_NOTERANGE","features":[425]},{"name":"DMUS_OFFSETTABLE","features":[425]},{"name":"DMUS_PC_AUDIOPATH","features":[425]},{"name":"DMUS_PC_DIRECTSOUND","features":[425]},{"name":"DMUS_PC_DLS","features":[425]},{"name":"DMUS_PC_DLS2","features":[425]},{"name":"DMUS_PC_EXTERNAL","features":[425]},{"name":"DMUS_PC_GMINHARDWARE","features":[425]},{"name":"DMUS_PC_GSINHARDWARE","features":[425]},{"name":"DMUS_PC_INPUTCLASS","features":[425]},{"name":"DMUS_PC_MEMORYSIZEFIXED","features":[425]},{"name":"DMUS_PC_OUTPUTCLASS","features":[425]},{"name":"DMUS_PC_SHAREABLE","features":[425]},{"name":"DMUS_PC_SOFTWARESYNTH","features":[425]},{"name":"DMUS_PC_SYSTEMMEMORY","features":[425]},{"name":"DMUS_PC_WAVE","features":[425]},{"name":"DMUS_PC_XGINHARDWARE","features":[425]},{"name":"DMUS_PEGPARAMS","features":[425]},{"name":"DMUS_PORTCAPS","features":[425]},{"name":"DMUS_PORTPARAMS7","features":[308,425]},{"name":"DMUS_PORTPARAMS8","features":[308,425]},{"name":"DMUS_PORTPARAMS_AUDIOCHANNELS","features":[425]},{"name":"DMUS_PORTPARAMS_CHANNELGROUPS","features":[425]},{"name":"DMUS_PORTPARAMS_EFFECTS","features":[425]},{"name":"DMUS_PORTPARAMS_FEATURES","features":[425]},{"name":"DMUS_PORTPARAMS_SAMPLERATE","features":[425]},{"name":"DMUS_PORTPARAMS_SHARE","features":[425]},{"name":"DMUS_PORTPARAMS_VOICES","features":[425]},{"name":"DMUS_PORT_FEATURE_AUDIOPATH","features":[425]},{"name":"DMUS_PORT_FEATURE_STREAMING","features":[425]},{"name":"DMUS_PORT_KERNEL_MODE","features":[425]},{"name":"DMUS_PORT_USER_MODE_SYNTH","features":[425]},{"name":"DMUS_PORT_WINMM_DRIVER","features":[425]},{"name":"DMUS_REGION","features":[425]},{"name":"DMUS_SYNTHSTATS","features":[425]},{"name":"DMUS_SYNTHSTATS8","features":[425]},{"name":"DMUS_SYNTHSTATS_CPU_PER_VOICE","features":[425]},{"name":"DMUS_SYNTHSTATS_FREE_MEMORY","features":[425]},{"name":"DMUS_SYNTHSTATS_LOST_NOTES","features":[425]},{"name":"DMUS_SYNTHSTATS_PEAK_VOLUME","features":[425]},{"name":"DMUS_SYNTHSTATS_SYSTEMMEMORY","features":[425]},{"name":"DMUS_SYNTHSTATS_TOTAL_CPU","features":[425]},{"name":"DMUS_SYNTHSTATS_VOICES","features":[425]},{"name":"DMUS_VEGPARAMS","features":[425]},{"name":"DMUS_VOICE_STATE","features":[308,425]},{"name":"DMUS_VOLUME_MAX","features":[425]},{"name":"DMUS_VOLUME_MIN","features":[425]},{"name":"DMUS_WAVE","features":[425]},{"name":"DMUS_WAVEARTDL","features":[425]},{"name":"DMUS_WAVEDATA","features":[425]},{"name":"DMUS_WAVEDL","features":[425]},{"name":"DMUS_WAVES_REVERB_PARAMS","features":[425]},{"name":"DSBUSID_BACK_CENTER","features":[425]},{"name":"DSBUSID_BACK_LEFT","features":[425]},{"name":"DSBUSID_BACK_RIGHT","features":[425]},{"name":"DSBUSID_CHORUS_SEND","features":[425]},{"name":"DSBUSID_DYNAMIC_0","features":[425]},{"name":"DSBUSID_FIRST_SPKR_LOC","features":[425]},{"name":"DSBUSID_FRONT_CENTER","features":[425]},{"name":"DSBUSID_FRONT_LEFT","features":[425]},{"name":"DSBUSID_FRONT_LEFT_OF_CENTER","features":[425]},{"name":"DSBUSID_FRONT_RIGHT","features":[425]},{"name":"DSBUSID_FRONT_RIGHT_OF_CENTER","features":[425]},{"name":"DSBUSID_LAST_SPKR_LOC","features":[425]},{"name":"DSBUSID_LEFT","features":[425]},{"name":"DSBUSID_LOW_FREQUENCY","features":[425]},{"name":"DSBUSID_NULL","features":[425]},{"name":"DSBUSID_REVERB_SEND","features":[425]},{"name":"DSBUSID_RIGHT","features":[425]},{"name":"DSBUSID_SIDE_LEFT","features":[425]},{"name":"DSBUSID_SIDE_RIGHT","features":[425]},{"name":"DSBUSID_TOP_BACK_CENTER","features":[425]},{"name":"DSBUSID_TOP_BACK_LEFT","features":[425]},{"name":"DSBUSID_TOP_BACK_RIGHT","features":[425]},{"name":"DSBUSID_TOP_CENTER","features":[425]},{"name":"DSBUSID_TOP_FRONT_CENTER","features":[425]},{"name":"DSBUSID_TOP_FRONT_LEFT","features":[425]},{"name":"DSBUSID_TOP_FRONT_RIGHT","features":[425]},{"name":"DSPROPERTY_DIRECTSOUNDDEVICE","features":[425]},{"name":"DSPROPERTY_DIRECTSOUNDDEVICE_DESCRIPTION_1","features":[425]},{"name":"DSPROPERTY_DIRECTSOUNDDEVICE_DESCRIPTION_1_DATA","features":[425]},{"name":"DSPROPERTY_DIRECTSOUNDDEVICE_DESCRIPTION_A","features":[425]},{"name":"DSPROPERTY_DIRECTSOUNDDEVICE_DESCRIPTION_A_DATA","features":[425]},{"name":"DSPROPERTY_DIRECTSOUNDDEVICE_DESCRIPTION_W","features":[425]},{"name":"DSPROPERTY_DIRECTSOUNDDEVICE_DESCRIPTION_W_DATA","features":[425]},{"name":"DSPROPERTY_DIRECTSOUNDDEVICE_ENUMERATE_1","features":[425]},{"name":"DSPROPERTY_DIRECTSOUNDDEVICE_ENUMERATE_1_DATA","features":[308,425]},{"name":"DSPROPERTY_DIRECTSOUNDDEVICE_ENUMERATE_A","features":[425]},{"name":"DSPROPERTY_DIRECTSOUNDDEVICE_ENUMERATE_A_DATA","features":[308,425]},{"name":"DSPROPERTY_DIRECTSOUNDDEVICE_ENUMERATE_W","features":[425]},{"name":"DSPROPERTY_DIRECTSOUNDDEVICE_ENUMERATE_W_DATA","features":[308,425]},{"name":"DSPROPERTY_DIRECTSOUNDDEVICE_WAVEDEVICEMAPPING_A","features":[425]},{"name":"DSPROPERTY_DIRECTSOUNDDEVICE_WAVEDEVICEMAPPING_A_DATA","features":[425]},{"name":"DSPROPERTY_DIRECTSOUNDDEVICE_WAVEDEVICEMAPPING_W","features":[425]},{"name":"DSPROPERTY_DIRECTSOUNDDEVICE_WAVEDEVICEMAPPING_W_DATA","features":[425]},{"name":"DSPROPSETID_DirectSoundDevice","features":[425]},{"name":"DVAudInfo","features":[425]},{"name":"DV_AUDIOMODE","features":[425]},{"name":"DV_AUDIOQU","features":[425]},{"name":"DV_AUDIOSMP","features":[425]},{"name":"DV_CAP_AUD12Bits","features":[425]},{"name":"DV_CAP_AUD16Bits","features":[425]},{"name":"DV_DVSD_NTSC_FRAMESIZE","features":[425]},{"name":"DV_DVSD_PAL_FRAMESIZE","features":[425]},{"name":"DV_HD","features":[425]},{"name":"DV_NTSC","features":[425]},{"name":"DV_NTSCPAL","features":[425]},{"name":"DV_PAL","features":[425]},{"name":"DV_SD","features":[425]},{"name":"DV_SL","features":[425]},{"name":"DV_SMCHN","features":[425]},{"name":"DV_STYPE","features":[425]},{"name":"F_INSTRUMENT_DRUMS","features":[425]},{"name":"F_RGN_OPTION_SELFNONEXCLUSIVE","features":[425]},{"name":"F_WAVELINK_MULTICHANNEL","features":[425]},{"name":"F_WAVELINK_PHASE_MASTER","features":[425]},{"name":"F_WSMP_NO_COMPRESSION","features":[425]},{"name":"F_WSMP_NO_TRUNCATION","features":[425]},{"name":"GUID_DMUS_PROP_DLS1","features":[425]},{"name":"GUID_DMUS_PROP_DLS2","features":[425]},{"name":"GUID_DMUS_PROP_Effects","features":[425]},{"name":"GUID_DMUS_PROP_GM_Hardware","features":[425]},{"name":"GUID_DMUS_PROP_GS_Capable","features":[425]},{"name":"GUID_DMUS_PROP_GS_Hardware","features":[425]},{"name":"GUID_DMUS_PROP_INSTRUMENT2","features":[425]},{"name":"GUID_DMUS_PROP_LegacyCaps","features":[425]},{"name":"GUID_DMUS_PROP_MemorySize","features":[425]},{"name":"GUID_DMUS_PROP_SampleMemorySize","features":[425]},{"name":"GUID_DMUS_PROP_SamplePlaybackRate","features":[425]},{"name":"GUID_DMUS_PROP_SetSynthSink","features":[425]},{"name":"GUID_DMUS_PROP_SinkUsesDSound","features":[425]},{"name":"GUID_DMUS_PROP_SynthSink_DSOUND","features":[425]},{"name":"GUID_DMUS_PROP_SynthSink_WAVE","features":[425]},{"name":"GUID_DMUS_PROP_Volume","features":[425]},{"name":"GUID_DMUS_PROP_WavesReverb","features":[425]},{"name":"GUID_DMUS_PROP_WriteLatency","features":[425]},{"name":"GUID_DMUS_PROP_WritePeriod","features":[425]},{"name":"GUID_DMUS_PROP_XG_Capable","features":[425]},{"name":"GUID_DMUS_PROP_XG_Hardware","features":[425]},{"name":"IDirectMusic","features":[425]},{"name":"IDirectMusic8","features":[425]},{"name":"IDirectMusicBuffer","features":[425]},{"name":"IDirectMusicCollection","features":[425]},{"name":"IDirectMusicDownload","features":[425]},{"name":"IDirectMusicDownloadedInstrument","features":[425]},{"name":"IDirectMusicInstrument","features":[425]},{"name":"IDirectMusicPort","features":[425]},{"name":"IDirectMusicPortDownload","features":[425]},{"name":"IDirectMusicSynth","features":[425]},{"name":"IDirectMusicSynth8","features":[425]},{"name":"IDirectMusicSynthSink","features":[425]},{"name":"IDirectMusicThru","features":[425]},{"name":"INSTHEADER","features":[425]},{"name":"LPFNDIRECTSOUNDDEVICEENUMERATECALLBACK1","features":[308,425]},{"name":"LPFNDIRECTSOUNDDEVICEENUMERATECALLBACKA","features":[308,425]},{"name":"LPFNDIRECTSOUNDDEVICEENUMERATECALLBACKW","features":[308,425]},{"name":"MDEVICECAPSEX","features":[425]},{"name":"MIDILOCALE","features":[425]},{"name":"MIDIOPENDESC","features":[425,422]},{"name":"POOLCUE","features":[425]},{"name":"POOLTABLE","features":[425]},{"name":"POOL_CUE_NULL","features":[425]},{"name":"REFRESH_F_LASTBUFFER","features":[425]},{"name":"REGSTR_PATH_SOFTWARESYNTHS","features":[425]},{"name":"RGNHEADER","features":[425]},{"name":"RGNRANGE","features":[425]},{"name":"SIZE_DVINFO","features":[425]},{"name":"WAVELINK","features":[425]},{"name":"WAVELINK_CHANNEL_LEFT","features":[425]},{"name":"WAVELINK_CHANNEL_RIGHT","features":[425]},{"name":"WLOOP","features":[425]},{"name":"WLOOP_TYPE_FORWARD","features":[425]},{"name":"WLOOP_TYPE_RELEASE","features":[425]},{"name":"WSMPL","features":[425]}],"426":[{"name":"CLSID_DirectSound","features":[426]},{"name":"CLSID_DirectSound8","features":[426]},{"name":"CLSID_DirectSoundCapture","features":[426]},{"name":"CLSID_DirectSoundCapture8","features":[426]},{"name":"CLSID_DirectSoundFullDuplex","features":[426]},{"name":"DIRECTSOUND_VERSION","features":[426]},{"name":"DS3DALG_HRTF_FULL","features":[426]},{"name":"DS3DALG_HRTF_LIGHT","features":[426]},{"name":"DS3DALG_NO_VIRTUALIZATION","features":[426]},{"name":"DS3DBUFFER","features":[401,426]},{"name":"DS3DLISTENER","features":[401,426]},{"name":"DS3DMODE_DISABLE","features":[426]},{"name":"DS3DMODE_HEADRELATIVE","features":[426]},{"name":"DS3DMODE_NORMAL","features":[426]},{"name":"DS3D_DEFAULTCONEANGLE","features":[426]},{"name":"DS3D_DEFAULTCONEOUTSIDEVOLUME","features":[426]},{"name":"DS3D_DEFAULTDISTANCEFACTOR","features":[426]},{"name":"DS3D_DEFAULTDOPPLERFACTOR","features":[426]},{"name":"DS3D_DEFAULTMAXDISTANCE","features":[426]},{"name":"DS3D_DEFAULTMINDISTANCE","features":[426]},{"name":"DS3D_DEFAULTROLLOFFFACTOR","features":[426]},{"name":"DS3D_DEFERRED","features":[426]},{"name":"DS3D_IMMEDIATE","features":[426]},{"name":"DS3D_MAXCONEANGLE","features":[426]},{"name":"DS3D_MAXDOPPLERFACTOR","features":[426]},{"name":"DS3D_MAXROLLOFFFACTOR","features":[426]},{"name":"DS3D_MINCONEANGLE","features":[426]},{"name":"DS3D_MINDOPPLERFACTOR","features":[426]},{"name":"DS3D_MINROLLOFFFACTOR","features":[426]},{"name":"DSBCAPS","features":[426]},{"name":"DSBCAPS_CTRL3D","features":[426]},{"name":"DSBCAPS_CTRLFREQUENCY","features":[426]},{"name":"DSBCAPS_CTRLFX","features":[426]},{"name":"DSBCAPS_CTRLPAN","features":[426]},{"name":"DSBCAPS_CTRLPOSITIONNOTIFY","features":[426]},{"name":"DSBCAPS_CTRLVOLUME","features":[426]},{"name":"DSBCAPS_GETCURRENTPOSITION2","features":[426]},{"name":"DSBCAPS_GLOBALFOCUS","features":[426]},{"name":"DSBCAPS_LOCDEFER","features":[426]},{"name":"DSBCAPS_LOCHARDWARE","features":[426]},{"name":"DSBCAPS_LOCSOFTWARE","features":[426]},{"name":"DSBCAPS_MUTE3DATMAXDISTANCE","features":[426]},{"name":"DSBCAPS_PRIMARYBUFFER","features":[426]},{"name":"DSBCAPS_STATIC","features":[426]},{"name":"DSBCAPS_STICKYFOCUS","features":[426]},{"name":"DSBCAPS_TRUEPLAYPOSITION","features":[426]},{"name":"DSBFREQUENCY_MAX","features":[426]},{"name":"DSBFREQUENCY_MIN","features":[426]},{"name":"DSBFREQUENCY_ORIGINAL","features":[426]},{"name":"DSBLOCK_ENTIREBUFFER","features":[426]},{"name":"DSBLOCK_FROMWRITECURSOR","features":[426]},{"name":"DSBNOTIFICATIONS_MAX","features":[426]},{"name":"DSBPAN_CENTER","features":[426]},{"name":"DSBPAN_LEFT","features":[426]},{"name":"DSBPAN_RIGHT","features":[426]},{"name":"DSBPLAY_LOCHARDWARE","features":[426]},{"name":"DSBPLAY_LOCSOFTWARE","features":[426]},{"name":"DSBPLAY_LOOPING","features":[426]},{"name":"DSBPLAY_TERMINATEBY_DISTANCE","features":[426]},{"name":"DSBPLAY_TERMINATEBY_PRIORITY","features":[426]},{"name":"DSBPLAY_TERMINATEBY_TIME","features":[426]},{"name":"DSBPN_OFFSETSTOP","features":[426]},{"name":"DSBPOSITIONNOTIFY","features":[308,426]},{"name":"DSBSIZE_FX_MIN","features":[426]},{"name":"DSBSIZE_MAX","features":[426]},{"name":"DSBSIZE_MIN","features":[426]},{"name":"DSBSTATUS_BUFFERLOST","features":[426]},{"name":"DSBSTATUS_LOCHARDWARE","features":[426]},{"name":"DSBSTATUS_LOCSOFTWARE","features":[426]},{"name":"DSBSTATUS_LOOPING","features":[426]},{"name":"DSBSTATUS_PLAYING","features":[426]},{"name":"DSBSTATUS_TERMINATED","features":[426]},{"name":"DSBUFFERDESC","features":[426]},{"name":"DSBUFFERDESC1","features":[426]},{"name":"DSBVOLUME_MAX","features":[426]},{"name":"DSBVOLUME_MIN","features":[426]},{"name":"DSCAPS","features":[426]},{"name":"DSCAPS_CERTIFIED","features":[426]},{"name":"DSCAPS_CONTINUOUSRATE","features":[426]},{"name":"DSCAPS_EMULDRIVER","features":[426]},{"name":"DSCAPS_PRIMARY16BIT","features":[426]},{"name":"DSCAPS_PRIMARY8BIT","features":[426]},{"name":"DSCAPS_PRIMARYMONO","features":[426]},{"name":"DSCAPS_PRIMARYSTEREO","features":[426]},{"name":"DSCAPS_SECONDARY16BIT","features":[426]},{"name":"DSCAPS_SECONDARY8BIT","features":[426]},{"name":"DSCAPS_SECONDARYMONO","features":[426]},{"name":"DSCAPS_SECONDARYSTEREO","features":[426]},{"name":"DSCBCAPS","features":[426]},{"name":"DSCBCAPS_CTRLFX","features":[426]},{"name":"DSCBCAPS_WAVEMAPPED","features":[426]},{"name":"DSCBLOCK_ENTIREBUFFER","features":[426]},{"name":"DSCBSTART_LOOPING","features":[426]},{"name":"DSCBSTATUS_CAPTURING","features":[426]},{"name":"DSCBSTATUS_LOOPING","features":[426]},{"name":"DSCBUFFERDESC","features":[426]},{"name":"DSCBUFFERDESC1","features":[426]},{"name":"DSCCAPS","features":[426]},{"name":"DSCCAPS_CERTIFIED","features":[426]},{"name":"DSCCAPS_EMULDRIVER","features":[426]},{"name":"DSCCAPS_MULTIPLECAPTURE","features":[426]},{"name":"DSCEFFECTDESC","features":[426]},{"name":"DSCFXAec","features":[308,426]},{"name":"DSCFXNoiseSuppress","features":[308,426]},{"name":"DSCFXR_LOCHARDWARE","features":[426]},{"name":"DSCFXR_LOCSOFTWARE","features":[426]},{"name":"DSCFX_AEC_MODE_FULL_DUPLEX","features":[426]},{"name":"DSCFX_AEC_MODE_HALF_DUPLEX","features":[426]},{"name":"DSCFX_AEC_MODE_PASS_THROUGH","features":[426]},{"name":"DSCFX_AEC_STATUS_CURRENTLY_CONVERGED","features":[426]},{"name":"DSCFX_AEC_STATUS_HISTORY_CONTINUOUSLY_CONVERGED","features":[426]},{"name":"DSCFX_AEC_STATUS_HISTORY_PREVIOUSLY_DIVERGED","features":[426]},{"name":"DSCFX_AEC_STATUS_HISTORY_UNINITIALIZED","features":[426]},{"name":"DSCFX_LOCHARDWARE","features":[426]},{"name":"DSCFX_LOCSOFTWARE","features":[426]},{"name":"DSDEVID_DefaultCapture","features":[426]},{"name":"DSDEVID_DefaultPlayback","features":[426]},{"name":"DSDEVID_DefaultVoiceCapture","features":[426]},{"name":"DSDEVID_DefaultVoicePlayback","features":[426]},{"name":"DSEFFECTDESC","features":[426]},{"name":"DSFXCHORUS_DELAY_MAX","features":[426]},{"name":"DSFXCHORUS_DELAY_MIN","features":[426]},{"name":"DSFXCHORUS_DEPTH_MAX","features":[426]},{"name":"DSFXCHORUS_DEPTH_MIN","features":[426]},{"name":"DSFXCHORUS_FEEDBACK_MAX","features":[426]},{"name":"DSFXCHORUS_FEEDBACK_MIN","features":[426]},{"name":"DSFXCHORUS_FREQUENCY_MAX","features":[426]},{"name":"DSFXCHORUS_FREQUENCY_MIN","features":[426]},{"name":"DSFXCHORUS_PHASE_180","features":[426]},{"name":"DSFXCHORUS_PHASE_90","features":[426]},{"name":"DSFXCHORUS_PHASE_MAX","features":[426]},{"name":"DSFXCHORUS_PHASE_MIN","features":[426]},{"name":"DSFXCHORUS_PHASE_NEG_180","features":[426]},{"name":"DSFXCHORUS_PHASE_NEG_90","features":[426]},{"name":"DSFXCHORUS_PHASE_ZERO","features":[426]},{"name":"DSFXCHORUS_WAVE_SIN","features":[426]},{"name":"DSFXCHORUS_WAVE_TRIANGLE","features":[426]},{"name":"DSFXCHORUS_WETDRYMIX_MAX","features":[426]},{"name":"DSFXCHORUS_WETDRYMIX_MIN","features":[426]},{"name":"DSFXCOMPRESSOR_ATTACK_MAX","features":[426]},{"name":"DSFXCOMPRESSOR_ATTACK_MIN","features":[426]},{"name":"DSFXCOMPRESSOR_GAIN_MAX","features":[426]},{"name":"DSFXCOMPRESSOR_GAIN_MIN","features":[426]},{"name":"DSFXCOMPRESSOR_PREDELAY_MAX","features":[426]},{"name":"DSFXCOMPRESSOR_PREDELAY_MIN","features":[426]},{"name":"DSFXCOMPRESSOR_RATIO_MAX","features":[426]},{"name":"DSFXCOMPRESSOR_RATIO_MIN","features":[426]},{"name":"DSFXCOMPRESSOR_RELEASE_MAX","features":[426]},{"name":"DSFXCOMPRESSOR_RELEASE_MIN","features":[426]},{"name":"DSFXCOMPRESSOR_THRESHOLD_MAX","features":[426]},{"name":"DSFXCOMPRESSOR_THRESHOLD_MIN","features":[426]},{"name":"DSFXChorus","features":[426]},{"name":"DSFXCompressor","features":[426]},{"name":"DSFXDISTORTION_EDGE_MAX","features":[426]},{"name":"DSFXDISTORTION_EDGE_MIN","features":[426]},{"name":"DSFXDISTORTION_GAIN_MAX","features":[426]},{"name":"DSFXDISTORTION_GAIN_MIN","features":[426]},{"name":"DSFXDISTORTION_POSTEQBANDWIDTH_MAX","features":[426]},{"name":"DSFXDISTORTION_POSTEQBANDWIDTH_MIN","features":[426]},{"name":"DSFXDISTORTION_POSTEQCENTERFREQUENCY_MAX","features":[426]},{"name":"DSFXDISTORTION_POSTEQCENTERFREQUENCY_MIN","features":[426]},{"name":"DSFXDISTORTION_PRELOWPASSCUTOFF_MAX","features":[426]},{"name":"DSFXDISTORTION_PRELOWPASSCUTOFF_MIN","features":[426]},{"name":"DSFXDistortion","features":[426]},{"name":"DSFXECHO_FEEDBACK_MAX","features":[426]},{"name":"DSFXECHO_FEEDBACK_MIN","features":[426]},{"name":"DSFXECHO_LEFTDELAY_MAX","features":[426]},{"name":"DSFXECHO_LEFTDELAY_MIN","features":[426]},{"name":"DSFXECHO_PANDELAY_MAX","features":[426]},{"name":"DSFXECHO_PANDELAY_MIN","features":[426]},{"name":"DSFXECHO_RIGHTDELAY_MAX","features":[426]},{"name":"DSFXECHO_RIGHTDELAY_MIN","features":[426]},{"name":"DSFXECHO_WETDRYMIX_MAX","features":[426]},{"name":"DSFXECHO_WETDRYMIX_MIN","features":[426]},{"name":"DSFXEcho","features":[426]},{"name":"DSFXFLANGER_DELAY_MAX","features":[426]},{"name":"DSFXFLANGER_DELAY_MIN","features":[426]},{"name":"DSFXFLANGER_DEPTH_MAX","features":[426]},{"name":"DSFXFLANGER_DEPTH_MIN","features":[426]},{"name":"DSFXFLANGER_FEEDBACK_MAX","features":[426]},{"name":"DSFXFLANGER_FEEDBACK_MIN","features":[426]},{"name":"DSFXFLANGER_FREQUENCY_MAX","features":[426]},{"name":"DSFXFLANGER_FREQUENCY_MIN","features":[426]},{"name":"DSFXFLANGER_PHASE_180","features":[426]},{"name":"DSFXFLANGER_PHASE_90","features":[426]},{"name":"DSFXFLANGER_PHASE_MAX","features":[426]},{"name":"DSFXFLANGER_PHASE_MIN","features":[426]},{"name":"DSFXFLANGER_PHASE_NEG_180","features":[426]},{"name":"DSFXFLANGER_PHASE_NEG_90","features":[426]},{"name":"DSFXFLANGER_PHASE_ZERO","features":[426]},{"name":"DSFXFLANGER_WAVE_SIN","features":[426]},{"name":"DSFXFLANGER_WAVE_TRIANGLE","features":[426]},{"name":"DSFXFLANGER_WETDRYMIX_MAX","features":[426]},{"name":"DSFXFLANGER_WETDRYMIX_MIN","features":[426]},{"name":"DSFXFlanger","features":[426]},{"name":"DSFXGARGLE_RATEHZ_MAX","features":[426]},{"name":"DSFXGARGLE_RATEHZ_MIN","features":[426]},{"name":"DSFXGARGLE_WAVE_SQUARE","features":[426]},{"name":"DSFXGARGLE_WAVE_TRIANGLE","features":[426]},{"name":"DSFXGargle","features":[426]},{"name":"DSFXI3DL2Reverb","features":[426]},{"name":"DSFXPARAMEQ_BANDWIDTH_MAX","features":[426]},{"name":"DSFXPARAMEQ_BANDWIDTH_MIN","features":[426]},{"name":"DSFXPARAMEQ_CENTER_MAX","features":[426]},{"name":"DSFXPARAMEQ_CENTER_MIN","features":[426]},{"name":"DSFXPARAMEQ_GAIN_MAX","features":[426]},{"name":"DSFXPARAMEQ_GAIN_MIN","features":[426]},{"name":"DSFXParamEq","features":[426]},{"name":"DSFXR_FAILED","features":[426]},{"name":"DSFXR_LOCHARDWARE","features":[426]},{"name":"DSFXR_LOCSOFTWARE","features":[426]},{"name":"DSFXR_PRESENT","features":[426]},{"name":"DSFXR_SENDLOOP","features":[426]},{"name":"DSFXR_UNALLOCATED","features":[426]},{"name":"DSFXR_UNKNOWN","features":[426]},{"name":"DSFXWavesReverb","features":[426]},{"name":"DSFX_I3DL2REVERB_DECAYHFRATIO_DEFAULT","features":[426]},{"name":"DSFX_I3DL2REVERB_DECAYHFRATIO_MAX","features":[426]},{"name":"DSFX_I3DL2REVERB_DECAYHFRATIO_MIN","features":[426]},{"name":"DSFX_I3DL2REVERB_DECAYTIME_DEFAULT","features":[426]},{"name":"DSFX_I3DL2REVERB_DECAYTIME_MAX","features":[426]},{"name":"DSFX_I3DL2REVERB_DECAYTIME_MIN","features":[426]},{"name":"DSFX_I3DL2REVERB_DENSITY_DEFAULT","features":[426]},{"name":"DSFX_I3DL2REVERB_DENSITY_MAX","features":[426]},{"name":"DSFX_I3DL2REVERB_DENSITY_MIN","features":[426]},{"name":"DSFX_I3DL2REVERB_DIFFUSION_DEFAULT","features":[426]},{"name":"DSFX_I3DL2REVERB_DIFFUSION_MAX","features":[426]},{"name":"DSFX_I3DL2REVERB_DIFFUSION_MIN","features":[426]},{"name":"DSFX_I3DL2REVERB_HFREFERENCE_DEFAULT","features":[426]},{"name":"DSFX_I3DL2REVERB_HFREFERENCE_MAX","features":[426]},{"name":"DSFX_I3DL2REVERB_HFREFERENCE_MIN","features":[426]},{"name":"DSFX_I3DL2REVERB_QUALITY_DEFAULT","features":[426]},{"name":"DSFX_I3DL2REVERB_QUALITY_MAX","features":[426]},{"name":"DSFX_I3DL2REVERB_QUALITY_MIN","features":[426]},{"name":"DSFX_I3DL2REVERB_REFLECTIONSDELAY_DEFAULT","features":[426]},{"name":"DSFX_I3DL2REVERB_REFLECTIONSDELAY_MAX","features":[426]},{"name":"DSFX_I3DL2REVERB_REFLECTIONSDELAY_MIN","features":[426]},{"name":"DSFX_I3DL2REVERB_REFLECTIONS_DEFAULT","features":[426]},{"name":"DSFX_I3DL2REVERB_REFLECTIONS_MAX","features":[426]},{"name":"DSFX_I3DL2REVERB_REFLECTIONS_MIN","features":[426]},{"name":"DSFX_I3DL2REVERB_REVERBDELAY_DEFAULT","features":[426]},{"name":"DSFX_I3DL2REVERB_REVERBDELAY_MAX","features":[426]},{"name":"DSFX_I3DL2REVERB_REVERBDELAY_MIN","features":[426]},{"name":"DSFX_I3DL2REVERB_REVERB_DEFAULT","features":[426]},{"name":"DSFX_I3DL2REVERB_REVERB_MAX","features":[426]},{"name":"DSFX_I3DL2REVERB_REVERB_MIN","features":[426]},{"name":"DSFX_I3DL2REVERB_ROOMHF_DEFAULT","features":[426]},{"name":"DSFX_I3DL2REVERB_ROOMHF_MAX","features":[426]},{"name":"DSFX_I3DL2REVERB_ROOMHF_MIN","features":[426]},{"name":"DSFX_I3DL2REVERB_ROOMROLLOFFFACTOR_DEFAULT","features":[426]},{"name":"DSFX_I3DL2REVERB_ROOMROLLOFFFACTOR_MAX","features":[426]},{"name":"DSFX_I3DL2REVERB_ROOMROLLOFFFACTOR_MIN","features":[426]},{"name":"DSFX_I3DL2REVERB_ROOM_DEFAULT","features":[426]},{"name":"DSFX_I3DL2REVERB_ROOM_MAX","features":[426]},{"name":"DSFX_I3DL2REVERB_ROOM_MIN","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_ALLEY","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_ARENA","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_AUDITORIUM","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_BATHROOM","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_CARPETEDHALLWAY","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_CAVE","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_CITY","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_CONCERTHALL","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_DEFAULT","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_FOREST","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_GENERIC","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_HALLWAY","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_HANGAR","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_LARGEHALL","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_LARGEROOM","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_LIVINGROOM","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_MEDIUMHALL","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_MEDIUMROOM","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_MOUNTAINS","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_PADDEDCELL","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_PARKINGLOT","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_PLAIN","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_PLATE","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_QUARRY","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_ROOM","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_SEWERPIPE","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_SMALLROOM","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_STONECORRIDOR","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_STONEROOM","features":[426]},{"name":"DSFX_I3DL2_ENVIRONMENT_PRESET_UNDERWATER","features":[426]},{"name":"DSFX_I3DL2_MATERIAL_PRESET_BRICKWALL","features":[426]},{"name":"DSFX_I3DL2_MATERIAL_PRESET_CURTAIN","features":[426]},{"name":"DSFX_I3DL2_MATERIAL_PRESET_DOUBLEWINDOW","features":[426]},{"name":"DSFX_I3DL2_MATERIAL_PRESET_SINGLEWINDOW","features":[426]},{"name":"DSFX_I3DL2_MATERIAL_PRESET_STONEWALL","features":[426]},{"name":"DSFX_I3DL2_MATERIAL_PRESET_THICKDOOR","features":[426]},{"name":"DSFX_I3DL2_MATERIAL_PRESET_THINDOOR","features":[426]},{"name":"DSFX_I3DL2_MATERIAL_PRESET_WOODWALL","features":[426]},{"name":"DSFX_LOCHARDWARE","features":[426]},{"name":"DSFX_LOCSOFTWARE","features":[426]},{"name":"DSFX_WAVESREVERB_HIGHFREQRTRATIO_DEFAULT","features":[426]},{"name":"DSFX_WAVESREVERB_HIGHFREQRTRATIO_MAX","features":[426]},{"name":"DSFX_WAVESREVERB_HIGHFREQRTRATIO_MIN","features":[426]},{"name":"DSFX_WAVESREVERB_INGAIN_DEFAULT","features":[426]},{"name":"DSFX_WAVESREVERB_INGAIN_MAX","features":[426]},{"name":"DSFX_WAVESREVERB_INGAIN_MIN","features":[426]},{"name":"DSFX_WAVESREVERB_REVERBMIX_DEFAULT","features":[426]},{"name":"DSFX_WAVESREVERB_REVERBMIX_MAX","features":[426]},{"name":"DSFX_WAVESREVERB_REVERBMIX_MIN","features":[426]},{"name":"DSFX_WAVESREVERB_REVERBTIME_DEFAULT","features":[426]},{"name":"DSFX_WAVESREVERB_REVERBTIME_MAX","features":[426]},{"name":"DSFX_WAVESREVERB_REVERBTIME_MIN","features":[426]},{"name":"DSSCL_EXCLUSIVE","features":[426]},{"name":"DSSCL_NORMAL","features":[426]},{"name":"DSSCL_PRIORITY","features":[426]},{"name":"DSSCL_WRITEPRIMARY","features":[426]},{"name":"DSSPEAKER_5POINT1","features":[426]},{"name":"DSSPEAKER_5POINT1_BACK","features":[426]},{"name":"DSSPEAKER_5POINT1_SURROUND","features":[426]},{"name":"DSSPEAKER_7POINT1","features":[426]},{"name":"DSSPEAKER_7POINT1_SURROUND","features":[426]},{"name":"DSSPEAKER_7POINT1_WIDE","features":[426]},{"name":"DSSPEAKER_DIRECTOUT","features":[426]},{"name":"DSSPEAKER_GEOMETRY_MAX","features":[426]},{"name":"DSSPEAKER_GEOMETRY_MIN","features":[426]},{"name":"DSSPEAKER_GEOMETRY_NARROW","features":[426]},{"name":"DSSPEAKER_GEOMETRY_WIDE","features":[426]},{"name":"DSSPEAKER_HEADPHONE","features":[426]},{"name":"DSSPEAKER_MONO","features":[426]},{"name":"DSSPEAKER_QUAD","features":[426]},{"name":"DSSPEAKER_STEREO","features":[426]},{"name":"DSSPEAKER_SURROUND","features":[426]},{"name":"DS_CERTIFIED","features":[426]},{"name":"DS_NO_VIRTUALIZATION","features":[426]},{"name":"DS_UNCERTIFIED","features":[426]},{"name":"DirectSoundCaptureCreate","features":[426]},{"name":"DirectSoundCaptureCreate8","features":[426]},{"name":"DirectSoundCaptureEnumerateA","features":[308,426]},{"name":"DirectSoundCaptureEnumerateW","features":[308,426]},{"name":"DirectSoundCreate","features":[426]},{"name":"DirectSoundCreate8","features":[426]},{"name":"DirectSoundEnumerateA","features":[308,426]},{"name":"DirectSoundEnumerateW","features":[308,426]},{"name":"DirectSoundFullDuplexCreate","features":[308,426]},{"name":"GUID_All_Objects","features":[426]},{"name":"GUID_DSCFX_CLASS_AEC","features":[426]},{"name":"GUID_DSCFX_CLASS_NS","features":[426]},{"name":"GUID_DSCFX_MS_AEC","features":[426]},{"name":"GUID_DSCFX_MS_NS","features":[426]},{"name":"GUID_DSCFX_SYSTEM_AEC","features":[426]},{"name":"GUID_DSCFX_SYSTEM_NS","features":[426]},{"name":"GUID_DSFX_STANDARD_CHORUS","features":[426]},{"name":"GUID_DSFX_STANDARD_COMPRESSOR","features":[426]},{"name":"GUID_DSFX_STANDARD_DISTORTION","features":[426]},{"name":"GUID_DSFX_STANDARD_ECHO","features":[426]},{"name":"GUID_DSFX_STANDARD_FLANGER","features":[426]},{"name":"GUID_DSFX_STANDARD_GARGLE","features":[426]},{"name":"GUID_DSFX_STANDARD_I3DL2REVERB","features":[426]},{"name":"GUID_DSFX_STANDARD_PARAMEQ","features":[426]},{"name":"GUID_DSFX_WAVES_REVERB","features":[426]},{"name":"GetDeviceID","features":[426]},{"name":"IDirectSound","features":[426]},{"name":"IDirectSound3DBuffer","features":[426]},{"name":"IDirectSound3DListener","features":[426]},{"name":"IDirectSound8","features":[426]},{"name":"IDirectSoundBuffer","features":[426]},{"name":"IDirectSoundBuffer8","features":[426]},{"name":"IDirectSoundCapture","features":[426]},{"name":"IDirectSoundCaptureBuffer","features":[426]},{"name":"IDirectSoundCaptureBuffer8","features":[426]},{"name":"IDirectSoundCaptureFXAec","features":[426]},{"name":"IDirectSoundCaptureFXNoiseSuppress","features":[426]},{"name":"IDirectSoundFXChorus","features":[426]},{"name":"IDirectSoundFXCompressor","features":[426]},{"name":"IDirectSoundFXDistortion","features":[426]},{"name":"IDirectSoundFXEcho","features":[426]},{"name":"IDirectSoundFXFlanger","features":[426]},{"name":"IDirectSoundFXGargle","features":[426]},{"name":"IDirectSoundFXI3DL2Reverb","features":[426]},{"name":"IDirectSoundFXParamEq","features":[426]},{"name":"IDirectSoundFXWavesReverb","features":[426]},{"name":"IDirectSoundFullDuplex","features":[426]},{"name":"IDirectSoundNotify","features":[426]},{"name":"KSPROPERTY_SUPPORT_GET","features":[426]},{"name":"KSPROPERTY_SUPPORT_SET","features":[426]},{"name":"LPDSENUMCALLBACKA","features":[308,426]},{"name":"LPDSENUMCALLBACKW","features":[308,426]},{"name":"_FACDS","features":[426]}],"427":[{"name":"AUDIO_ENDPOINT_SHARED_CREATE_PARAMS","features":[427]},{"name":"DEVINTERFACE_AUDIOENDPOINTPLUGIN","features":[427]},{"name":"DEVPKEY_AudioEndpointPlugin2_FactoryCLSID","features":[427,379]},{"name":"DEVPKEY_AudioEndpointPlugin_DataFlow","features":[427,379]},{"name":"DEVPKEY_AudioEndpointPlugin_FactoryCLSID","features":[427,379]},{"name":"DEVPKEY_AudioEndpointPlugin_PnPInterface","features":[427,379]},{"name":"EndpointConnectorType","features":[427]},{"name":"IAudioEndpointFormatControl","features":[427]},{"name":"IAudioEndpointLastBufferControl","features":[427]},{"name":"IAudioEndpointOffloadStreamMeter","features":[427]},{"name":"IAudioEndpointOffloadStreamMute","features":[427]},{"name":"IAudioEndpointOffloadStreamVolume","features":[427]},{"name":"IAudioEndpointVolume","features":[427]},{"name":"IAudioEndpointVolumeCallback","features":[427]},{"name":"IAudioEndpointVolumeEx","features":[427]},{"name":"IAudioLfxControl","features":[427]},{"name":"IAudioMeterInformation","features":[427]},{"name":"IHardwareAudioEngineBase","features":[427]},{"name":"eConnectorCount","features":[427]},{"name":"eHostProcessConnector","features":[427]},{"name":"eKeywordDetectorConnector","features":[427]},{"name":"eLoopbackConnector","features":[427]},{"name":"eOffloadConnector","features":[427]}],"428":[{"name":"AudioReverb","features":[428]},{"name":"AudioVolumeMeter","features":[428]},{"name":"BandPassFilter","features":[428]},{"name":"Cardioid","features":[428]},{"name":"Cone","features":[428]},{"name":"CreateAudioReverb","features":[428]},{"name":"CreateAudioVolumeMeter","features":[428]},{"name":"CreateFX","features":[428]},{"name":"CreateHrtfApo","features":[428]},{"name":"CustomDecay","features":[428]},{"name":"FACILITY_XAPO","features":[428]},{"name":"FACILITY_XAUDIO2","features":[428]},{"name":"FXECHO_DEFAULT_DELAY","features":[428]},{"name":"FXECHO_DEFAULT_FEEDBACK","features":[428]},{"name":"FXECHO_DEFAULT_WETDRYMIX","features":[428]},{"name":"FXECHO_INITDATA","features":[428]},{"name":"FXECHO_MAX_DELAY","features":[428]},{"name":"FXECHO_MAX_FEEDBACK","features":[428]},{"name":"FXECHO_MAX_WETDRYMIX","features":[428]},{"name":"FXECHO_MIN_DELAY","features":[428]},{"name":"FXECHO_MIN_FEEDBACK","features":[428]},{"name":"FXECHO_MIN_WETDRYMIX","features":[428]},{"name":"FXECHO_PARAMETERS","features":[428]},{"name":"FXEQ","features":[428]},{"name":"FXEQ_DEFAULT_BANDWIDTH","features":[428]},{"name":"FXEQ_DEFAULT_FREQUENCY_CENTER_0","features":[428]},{"name":"FXEQ_DEFAULT_FREQUENCY_CENTER_1","features":[428]},{"name":"FXEQ_DEFAULT_FREQUENCY_CENTER_2","features":[428]},{"name":"FXEQ_DEFAULT_FREQUENCY_CENTER_3","features":[428]},{"name":"FXEQ_DEFAULT_GAIN","features":[428]},{"name":"FXEQ_MAX_BANDWIDTH","features":[428]},{"name":"FXEQ_MAX_FRAMERATE","features":[428]},{"name":"FXEQ_MAX_FREQUENCY_CENTER","features":[428]},{"name":"FXEQ_MAX_GAIN","features":[428]},{"name":"FXEQ_MIN_BANDWIDTH","features":[428]},{"name":"FXEQ_MIN_FRAMERATE","features":[428]},{"name":"FXEQ_MIN_FREQUENCY_CENTER","features":[428]},{"name":"FXEQ_MIN_GAIN","features":[428]},{"name":"FXEQ_PARAMETERS","features":[428]},{"name":"FXEcho","features":[428]},{"name":"FXLOUDNESS_DEFAULT_MOMENTARY_MS","features":[428]},{"name":"FXLOUDNESS_DEFAULT_SHORTTERM_MS","features":[428]},{"name":"FXMASTERINGLIMITER_DEFAULT_LOUDNESS","features":[428]},{"name":"FXMASTERINGLIMITER_DEFAULT_RELEASE","features":[428]},{"name":"FXMASTERINGLIMITER_MAX_LOUDNESS","features":[428]},{"name":"FXMASTERINGLIMITER_MAX_RELEASE","features":[428]},{"name":"FXMASTERINGLIMITER_MIN_LOUDNESS","features":[428]},{"name":"FXMASTERINGLIMITER_MIN_RELEASE","features":[428]},{"name":"FXMASTERINGLIMITER_PARAMETERS","features":[428]},{"name":"FXMasteringLimiter","features":[428]},{"name":"FXREVERB_DEFAULT_DIFFUSION","features":[428]},{"name":"FXREVERB_DEFAULT_ROOMSIZE","features":[428]},{"name":"FXREVERB_MAX_DIFFUSION","features":[428]},{"name":"FXREVERB_MAX_ROOMSIZE","features":[428]},{"name":"FXREVERB_MIN_DIFFUSION","features":[428]},{"name":"FXREVERB_MIN_ROOMSIZE","features":[428]},{"name":"FXREVERB_PARAMETERS","features":[428]},{"name":"FXReverb","features":[428]},{"name":"HRTF_DEFAULT_UNITY_GAIN_DISTANCE","features":[428]},{"name":"HRTF_MAX_GAIN_LIMIT","features":[428]},{"name":"HRTF_MIN_GAIN_LIMIT","features":[428]},{"name":"HRTF_MIN_UNITY_GAIN_DISTANCE","features":[428]},{"name":"HighPassFilter","features":[428]},{"name":"HighPassOnePoleFilter","features":[428]},{"name":"HrtfApoInit","features":[428]},{"name":"HrtfDirectivity","features":[428]},{"name":"HrtfDirectivityCardioid","features":[428]},{"name":"HrtfDirectivityCone","features":[428]},{"name":"HrtfDirectivityType","features":[428]},{"name":"HrtfDistanceDecay","features":[428]},{"name":"HrtfDistanceDecayType","features":[428]},{"name":"HrtfEnvironment","features":[428]},{"name":"HrtfOrientation","features":[428]},{"name":"HrtfPosition","features":[428]},{"name":"IXAPO","features":[428]},{"name":"IXAPOHrtfParameters","features":[428]},{"name":"IXAPOParameters","features":[428]},{"name":"IXAudio2","features":[428]},{"name":"IXAudio2EngineCallback","features":[428]},{"name":"IXAudio2Extension","features":[428]},{"name":"IXAudio2MasteringVoice","features":[428]},{"name":"IXAudio2SourceVoice","features":[428]},{"name":"IXAudio2SubmixVoice","features":[428]},{"name":"IXAudio2Voice","features":[428]},{"name":"IXAudio2VoiceCallback","features":[428]},{"name":"Large","features":[428]},{"name":"LowPassFilter","features":[428]},{"name":"LowPassOnePoleFilter","features":[428]},{"name":"Medium","features":[428]},{"name":"NaturalDecay","features":[428]},{"name":"NotchFilter","features":[428]},{"name":"OmniDirectional","features":[428]},{"name":"Outdoors","features":[428]},{"name":"Processor1","features":[428]},{"name":"Processor10","features":[428]},{"name":"Processor11","features":[428]},{"name":"Processor12","features":[428]},{"name":"Processor13","features":[428]},{"name":"Processor14","features":[428]},{"name":"Processor15","features":[428]},{"name":"Processor16","features":[428]},{"name":"Processor17","features":[428]},{"name":"Processor18","features":[428]},{"name":"Processor19","features":[428]},{"name":"Processor2","features":[428]},{"name":"Processor20","features":[428]},{"name":"Processor21","features":[428]},{"name":"Processor22","features":[428]},{"name":"Processor23","features":[428]},{"name":"Processor24","features":[428]},{"name":"Processor25","features":[428]},{"name":"Processor26","features":[428]},{"name":"Processor27","features":[428]},{"name":"Processor28","features":[428]},{"name":"Processor29","features":[428]},{"name":"Processor3","features":[428]},{"name":"Processor30","features":[428]},{"name":"Processor31","features":[428]},{"name":"Processor32","features":[428]},{"name":"Processor4","features":[428]},{"name":"Processor5","features":[428]},{"name":"Processor6","features":[428]},{"name":"Processor7","features":[428]},{"name":"Processor8","features":[428]},{"name":"Processor9","features":[428]},{"name":"SPEAKER_MONO","features":[428]},{"name":"Small","features":[428]},{"name":"X3DAUDIO_2PI","features":[428]},{"name":"X3DAUDIO_CALCULATE_DELAY","features":[428]},{"name":"X3DAUDIO_CALCULATE_DOPPLER","features":[428]},{"name":"X3DAUDIO_CALCULATE_EMITTER_ANGLE","features":[428]},{"name":"X3DAUDIO_CALCULATE_LPF_DIRECT","features":[428]},{"name":"X3DAUDIO_CALCULATE_LPF_REVERB","features":[428]},{"name":"X3DAUDIO_CALCULATE_MATRIX","features":[428]},{"name":"X3DAUDIO_CALCULATE_REDIRECT_TO_LFE","features":[428]},{"name":"X3DAUDIO_CALCULATE_REVERB","features":[428]},{"name":"X3DAUDIO_CALCULATE_ZEROCENTER","features":[428]},{"name":"X3DAUDIO_HANDLE_BYTESIZE","features":[428]},{"name":"X3DAUDIO_PI","features":[428]},{"name":"X3DAUDIO_SPEED_OF_SOUND","features":[428]},{"name":"XAPO_BUFFER_FLAGS","features":[428]},{"name":"XAPO_BUFFER_SILENT","features":[428]},{"name":"XAPO_BUFFER_VALID","features":[428]},{"name":"XAPO_E_FORMAT_UNSUPPORTED","features":[428]},{"name":"XAPO_FLAG_BITSPERSAMPLE_MUST_MATCH","features":[428]},{"name":"XAPO_FLAG_BUFFERCOUNT_MUST_MATCH","features":[428]},{"name":"XAPO_FLAG_CHANNELS_MUST_MATCH","features":[428]},{"name":"XAPO_FLAG_FRAMERATE_MUST_MATCH","features":[428]},{"name":"XAPO_FLAG_INPLACE_REQUIRED","features":[428]},{"name":"XAPO_FLAG_INPLACE_SUPPORTED","features":[428]},{"name":"XAPO_LOCKFORPROCESS_PARAMETERS","features":[428]},{"name":"XAPO_MAX_CHANNELS","features":[428]},{"name":"XAPO_MAX_FRAMERATE","features":[428]},{"name":"XAPO_MIN_CHANNELS","features":[428]},{"name":"XAPO_MIN_FRAMERATE","features":[428]},{"name":"XAPO_PROCESS_BUFFER_PARAMETERS","features":[428]},{"name":"XAPO_REGISTRATION_PROPERTIES","features":[428]},{"name":"XAPO_REGISTRATION_STRING_LENGTH","features":[428]},{"name":"XAUDIO2D_DLL","features":[428]},{"name":"XAUDIO2D_DLL_A","features":[428]},{"name":"XAUDIO2D_DLL_W","features":[428]},{"name":"XAUDIO2FX_REVERB_DEFAULT_7POINT1_REAR_DELAY","features":[428]},{"name":"XAUDIO2FX_REVERB_DEFAULT_7POINT1_SIDE_DELAY","features":[428]},{"name":"XAUDIO2FX_REVERB_DEFAULT_DECAY_TIME","features":[428]},{"name":"XAUDIO2FX_REVERB_DEFAULT_DENSITY","features":[428]},{"name":"XAUDIO2FX_REVERB_DEFAULT_DISABLE_LATE_FIELD","features":[428]},{"name":"XAUDIO2FX_REVERB_DEFAULT_EARLY_DIFFUSION","features":[428]},{"name":"XAUDIO2FX_REVERB_DEFAULT_HIGH_EQ_CUTOFF","features":[428]},{"name":"XAUDIO2FX_REVERB_DEFAULT_HIGH_EQ_GAIN","features":[428]},{"name":"XAUDIO2FX_REVERB_DEFAULT_LATE_DIFFUSION","features":[428]},{"name":"XAUDIO2FX_REVERB_DEFAULT_LOW_EQ_CUTOFF","features":[428]},{"name":"XAUDIO2FX_REVERB_DEFAULT_LOW_EQ_GAIN","features":[428]},{"name":"XAUDIO2FX_REVERB_DEFAULT_POSITION","features":[428]},{"name":"XAUDIO2FX_REVERB_DEFAULT_POSITION_MATRIX","features":[428]},{"name":"XAUDIO2FX_REVERB_DEFAULT_REAR_DELAY","features":[428]},{"name":"XAUDIO2FX_REVERB_DEFAULT_REFLECTIONS_DELAY","features":[428]},{"name":"XAUDIO2FX_REVERB_DEFAULT_REFLECTIONS_GAIN","features":[428]},{"name":"XAUDIO2FX_REVERB_DEFAULT_REVERB_DELAY","features":[428]},{"name":"XAUDIO2FX_REVERB_DEFAULT_REVERB_GAIN","features":[428]},{"name":"XAUDIO2FX_REVERB_DEFAULT_ROOM_FILTER_FREQ","features":[428]},{"name":"XAUDIO2FX_REVERB_DEFAULT_ROOM_FILTER_HF","features":[428]},{"name":"XAUDIO2FX_REVERB_DEFAULT_ROOM_FILTER_MAIN","features":[428]},{"name":"XAUDIO2FX_REVERB_DEFAULT_ROOM_SIZE","features":[428]},{"name":"XAUDIO2FX_REVERB_DEFAULT_WET_DRY_MIX","features":[428]},{"name":"XAUDIO2FX_REVERB_I3DL2_PARAMETERS","features":[428]},{"name":"XAUDIO2FX_REVERB_MAX_7POINT1_REAR_DELAY","features":[428]},{"name":"XAUDIO2FX_REVERB_MAX_7POINT1_SIDE_DELAY","features":[428]},{"name":"XAUDIO2FX_REVERB_MAX_DENSITY","features":[428]},{"name":"XAUDIO2FX_REVERB_MAX_DIFFUSION","features":[428]},{"name":"XAUDIO2FX_REVERB_MAX_FRAMERATE","features":[428]},{"name":"XAUDIO2FX_REVERB_MAX_HIGH_EQ_CUTOFF","features":[428]},{"name":"XAUDIO2FX_REVERB_MAX_HIGH_EQ_GAIN","features":[428]},{"name":"XAUDIO2FX_REVERB_MAX_LOW_EQ_CUTOFF","features":[428]},{"name":"XAUDIO2FX_REVERB_MAX_LOW_EQ_GAIN","features":[428]},{"name":"XAUDIO2FX_REVERB_MAX_POSITION","features":[428]},{"name":"XAUDIO2FX_REVERB_MAX_REAR_DELAY","features":[428]},{"name":"XAUDIO2FX_REVERB_MAX_REFLECTIONS_DELAY","features":[428]},{"name":"XAUDIO2FX_REVERB_MAX_REFLECTIONS_GAIN","features":[428]},{"name":"XAUDIO2FX_REVERB_MAX_REVERB_DELAY","features":[428]},{"name":"XAUDIO2FX_REVERB_MAX_REVERB_GAIN","features":[428]},{"name":"XAUDIO2FX_REVERB_MAX_ROOM_FILTER_FREQ","features":[428]},{"name":"XAUDIO2FX_REVERB_MAX_ROOM_FILTER_HF","features":[428]},{"name":"XAUDIO2FX_REVERB_MAX_ROOM_FILTER_MAIN","features":[428]},{"name":"XAUDIO2FX_REVERB_MAX_ROOM_SIZE","features":[428]},{"name":"XAUDIO2FX_REVERB_MAX_WET_DRY_MIX","features":[428]},{"name":"XAUDIO2FX_REVERB_MIN_7POINT1_REAR_DELAY","features":[428]},{"name":"XAUDIO2FX_REVERB_MIN_7POINT1_SIDE_DELAY","features":[428]},{"name":"XAUDIO2FX_REVERB_MIN_DECAY_TIME","features":[428]},{"name":"XAUDIO2FX_REVERB_MIN_DENSITY","features":[428]},{"name":"XAUDIO2FX_REVERB_MIN_DIFFUSION","features":[428]},{"name":"XAUDIO2FX_REVERB_MIN_FRAMERATE","features":[428]},{"name":"XAUDIO2FX_REVERB_MIN_HIGH_EQ_CUTOFF","features":[428]},{"name":"XAUDIO2FX_REVERB_MIN_HIGH_EQ_GAIN","features":[428]},{"name":"XAUDIO2FX_REVERB_MIN_LOW_EQ_CUTOFF","features":[428]},{"name":"XAUDIO2FX_REVERB_MIN_LOW_EQ_GAIN","features":[428]},{"name":"XAUDIO2FX_REVERB_MIN_POSITION","features":[428]},{"name":"XAUDIO2FX_REVERB_MIN_REAR_DELAY","features":[428]},{"name":"XAUDIO2FX_REVERB_MIN_REFLECTIONS_DELAY","features":[428]},{"name":"XAUDIO2FX_REVERB_MIN_REFLECTIONS_GAIN","features":[428]},{"name":"XAUDIO2FX_REVERB_MIN_REVERB_DELAY","features":[428]},{"name":"XAUDIO2FX_REVERB_MIN_REVERB_GAIN","features":[428]},{"name":"XAUDIO2FX_REVERB_MIN_ROOM_FILTER_FREQ","features":[428]},{"name":"XAUDIO2FX_REVERB_MIN_ROOM_FILTER_HF","features":[428]},{"name":"XAUDIO2FX_REVERB_MIN_ROOM_FILTER_MAIN","features":[428]},{"name":"XAUDIO2FX_REVERB_MIN_ROOM_SIZE","features":[428]},{"name":"XAUDIO2FX_REVERB_MIN_WET_DRY_MIX","features":[428]},{"name":"XAUDIO2FX_REVERB_PARAMETERS","features":[308,428]},{"name":"XAUDIO2FX_VOLUMEMETER_LEVELS","features":[428]},{"name":"XAUDIO2_1024_QUANTUM","features":[428]},{"name":"XAUDIO2_ANY_PROCESSOR","features":[428]},{"name":"XAUDIO2_BUFFER","features":[428]},{"name":"XAUDIO2_BUFFER_WMA","features":[428]},{"name":"XAUDIO2_COMMIT_ALL","features":[428]},{"name":"XAUDIO2_COMMIT_NOW","features":[428]},{"name":"XAUDIO2_DEBUG_CONFIGURATION","features":[308,428]},{"name":"XAUDIO2_DEBUG_ENGINE","features":[428]},{"name":"XAUDIO2_DEFAULT_CHANNELS","features":[428]},{"name":"XAUDIO2_DEFAULT_FILTER_FREQUENCY","features":[428]},{"name":"XAUDIO2_DEFAULT_FILTER_ONEOVERQ","features":[428]},{"name":"XAUDIO2_DEFAULT_FREQ_RATIO","features":[428]},{"name":"XAUDIO2_DEFAULT_PROCESSOR","features":[428]},{"name":"XAUDIO2_DEFAULT_SAMPLERATE","features":[428]},{"name":"XAUDIO2_DLL","features":[428]},{"name":"XAUDIO2_DLL_A","features":[428]},{"name":"XAUDIO2_DLL_W","features":[428]},{"name":"XAUDIO2_EFFECT_CHAIN","features":[308,428]},{"name":"XAUDIO2_EFFECT_DESCRIPTOR","features":[308,428]},{"name":"XAUDIO2_END_OF_STREAM","features":[428]},{"name":"XAUDIO2_E_DEVICE_INVALIDATED","features":[428]},{"name":"XAUDIO2_E_INVALID_CALL","features":[428]},{"name":"XAUDIO2_E_XAPO_CREATION_FAILED","features":[428]},{"name":"XAUDIO2_E_XMA_DECODER_ERROR","features":[428]},{"name":"XAUDIO2_FILTER_PARAMETERS","features":[428]},{"name":"XAUDIO2_FILTER_TYPE","features":[428]},{"name":"XAUDIO2_LOG_API_CALLS","features":[428]},{"name":"XAUDIO2_LOG_DETAIL","features":[428]},{"name":"XAUDIO2_LOG_ERRORS","features":[428]},{"name":"XAUDIO2_LOG_FUNC_CALLS","features":[428]},{"name":"XAUDIO2_LOG_INFO","features":[428]},{"name":"XAUDIO2_LOG_LOCKS","features":[428]},{"name":"XAUDIO2_LOG_MEMORY","features":[428]},{"name":"XAUDIO2_LOG_STREAMING","features":[428]},{"name":"XAUDIO2_LOG_TIMING","features":[428]},{"name":"XAUDIO2_LOG_WARNINGS","features":[428]},{"name":"XAUDIO2_LOOP_INFINITE","features":[428]},{"name":"XAUDIO2_MAX_AUDIO_CHANNELS","features":[428]},{"name":"XAUDIO2_MAX_BUFFERS_SYSTEM","features":[428]},{"name":"XAUDIO2_MAX_BUFFER_BYTES","features":[428]},{"name":"XAUDIO2_MAX_FILTER_FREQUENCY","features":[428]},{"name":"XAUDIO2_MAX_FILTER_ONEOVERQ","features":[428]},{"name":"XAUDIO2_MAX_FREQ_RATIO","features":[428]},{"name":"XAUDIO2_MAX_INSTANCES","features":[428]},{"name":"XAUDIO2_MAX_LOOP_COUNT","features":[428]},{"name":"XAUDIO2_MAX_QUEUED_BUFFERS","features":[428]},{"name":"XAUDIO2_MAX_RATIO_TIMES_RATE_XMA_MONO","features":[428]},{"name":"XAUDIO2_MAX_RATIO_TIMES_RATE_XMA_MULTICHANNEL","features":[428]},{"name":"XAUDIO2_MAX_SAMPLE_RATE","features":[428]},{"name":"XAUDIO2_MAX_VOLUME_LEVEL","features":[428]},{"name":"XAUDIO2_MIN_SAMPLE_RATE","features":[428]},{"name":"XAUDIO2_NO_LOOP_REGION","features":[428]},{"name":"XAUDIO2_NO_VIRTUAL_AUDIO_CLIENT","features":[428]},{"name":"XAUDIO2_PERFORMANCE_DATA","features":[428]},{"name":"XAUDIO2_PLAY_TAILS","features":[428]},{"name":"XAUDIO2_QUANTUM_DENOMINATOR","features":[428]},{"name":"XAUDIO2_QUANTUM_NUMERATOR","features":[428]},{"name":"XAUDIO2_SEND_DESCRIPTOR","features":[428]},{"name":"XAUDIO2_SEND_USEFILTER","features":[428]},{"name":"XAUDIO2_STOP_ENGINE_WHEN_IDLE","features":[428]},{"name":"XAUDIO2_USE_DEFAULT_PROCESSOR","features":[428]},{"name":"XAUDIO2_VOICE_DETAILS","features":[428]},{"name":"XAUDIO2_VOICE_NOPITCH","features":[428]},{"name":"XAUDIO2_VOICE_NOSAMPLESPLAYED","features":[428]},{"name":"XAUDIO2_VOICE_NOSRC","features":[428]},{"name":"XAUDIO2_VOICE_SENDS","features":[428]},{"name":"XAUDIO2_VOICE_STATE","features":[428]},{"name":"XAUDIO2_VOICE_USEFILTER","features":[428]},{"name":"XAudio2CreateWithVersionInfo","features":[428]}],"429":[{"name":"ALLOW_OUTOFBAND_NOTIFICATION","features":[429]},{"name":"DO_NOT_VIRTUALIZE_STORAGES_AS_DEVICES","features":[429]},{"name":"ENUM_MODE_METADATA_VIEWS","features":[429]},{"name":"ENUM_MODE_RAW","features":[429]},{"name":"ENUM_MODE_USE_DEVICE_PREF","features":[429]},{"name":"EVENT_WMDM_CONTENT_TRANSFER","features":[429]},{"name":"IComponentAuthenticate","features":[429]},{"name":"IMDSPDevice","features":[429]},{"name":"IMDSPDevice2","features":[429]},{"name":"IMDSPDevice3","features":[429]},{"name":"IMDSPDeviceControl","features":[429]},{"name":"IMDSPDirectTransfer","features":[429]},{"name":"IMDSPEnumDevice","features":[429]},{"name":"IMDSPEnumStorage","features":[429]},{"name":"IMDSPObject","features":[429]},{"name":"IMDSPObject2","features":[429]},{"name":"IMDSPObjectInfo","features":[429]},{"name":"IMDSPRevoked","features":[429]},{"name":"IMDSPStorage","features":[429]},{"name":"IMDSPStorage2","features":[429]},{"name":"IMDSPStorage3","features":[429]},{"name":"IMDSPStorage4","features":[429]},{"name":"IMDSPStorageGlobals","features":[429]},{"name":"IMDServiceProvider","features":[429]},{"name":"IMDServiceProvider2","features":[429]},{"name":"IMDServiceProvider3","features":[429]},{"name":"IOCTL_MTP_CUSTOM_COMMAND","features":[429]},{"name":"ISCPSecureAuthenticate","features":[429]},{"name":"ISCPSecureAuthenticate2","features":[429]},{"name":"ISCPSecureExchange","features":[429]},{"name":"ISCPSecureExchange2","features":[429]},{"name":"ISCPSecureExchange3","features":[429]},{"name":"ISCPSecureQuery","features":[429]},{"name":"ISCPSecureQuery2","features":[429]},{"name":"ISCPSecureQuery3","features":[429]},{"name":"ISCPSession","features":[429]},{"name":"IWMDMDevice","features":[429]},{"name":"IWMDMDevice2","features":[429]},{"name":"IWMDMDevice3","features":[429]},{"name":"IWMDMDeviceControl","features":[429]},{"name":"IWMDMDeviceSession","features":[429]},{"name":"IWMDMEnumDevice","features":[429]},{"name":"IWMDMEnumStorage","features":[429]},{"name":"IWMDMLogger","features":[429]},{"name":"IWMDMMetaData","features":[429]},{"name":"IWMDMNotification","features":[429]},{"name":"IWMDMObjectInfo","features":[429]},{"name":"IWMDMOperation","features":[429]},{"name":"IWMDMOperation2","features":[429]},{"name":"IWMDMOperation3","features":[429]},{"name":"IWMDMProgress","features":[429]},{"name":"IWMDMProgress2","features":[429]},{"name":"IWMDMProgress3","features":[429]},{"name":"IWMDMRevoked","features":[429]},{"name":"IWMDMStorage","features":[429]},{"name":"IWMDMStorage2","features":[429]},{"name":"IWMDMStorage3","features":[429]},{"name":"IWMDMStorage4","features":[429]},{"name":"IWMDMStorageControl","features":[429]},{"name":"IWMDMStorageControl2","features":[429]},{"name":"IWMDMStorageControl3","features":[429]},{"name":"IWMDMStorageGlobals","features":[429]},{"name":"IWMDeviceManager","features":[429]},{"name":"IWMDeviceManager2","features":[429]},{"name":"IWMDeviceManager3","features":[429]},{"name":"MACINFO","features":[308,429]},{"name":"MDSP_READ","features":[429]},{"name":"MDSP_SEEK_BOF","features":[429]},{"name":"MDSP_SEEK_CUR","features":[429]},{"name":"MDSP_SEEK_EOF","features":[429]},{"name":"MDSP_WRITE","features":[429]},{"name":"MTP_COMMAND_DATA_IN","features":[429]},{"name":"MTP_COMMAND_DATA_OUT","features":[429]},{"name":"MTP_COMMAND_MAX_PARAMS","features":[429]},{"name":"MTP_NEXTPHASE_NO_DATA","features":[429]},{"name":"MTP_NEXTPHASE_READ_DATA","features":[429]},{"name":"MTP_NEXTPHASE_WRITE_DATA","features":[429]},{"name":"MTP_RESPONSE_MAX_PARAMS","features":[429]},{"name":"MTP_RESPONSE_OK","features":[429]},{"name":"MediaDevMgr","features":[429]},{"name":"MediaDevMgrClassFactory","features":[429]},{"name":"OPAQUECOMMAND","features":[429]},{"name":"RSA_KEY_LEN","features":[429]},{"name":"SAC_CERT_V1","features":[429]},{"name":"SAC_CERT_X509","features":[429]},{"name":"SAC_MAC_LEN","features":[429]},{"name":"SAC_PROTOCOL_V1","features":[429]},{"name":"SAC_PROTOCOL_WMDM","features":[429]},{"name":"SAC_SESSION_KEYLEN","features":[429]},{"name":"SCP_EVENTID_ACQSECURECLOCK","features":[429]},{"name":"SCP_EVENTID_DRMINFO","features":[429]},{"name":"SCP_EVENTID_NEEDTOINDIV","features":[429]},{"name":"SCP_PARAMID_DRMVERSION","features":[429]},{"name":"WMDMDATETIME","features":[429]},{"name":"WMDMDetermineMaxPropStringLen","features":[429]},{"name":"WMDMDevice","features":[429]},{"name":"WMDMDeviceEnum","features":[429]},{"name":"WMDMID","features":[429]},{"name":"WMDMID_LENGTH","features":[429]},{"name":"WMDMLogger","features":[429]},{"name":"WMDMMessage","features":[429]},{"name":"WMDMMetadataView","features":[429]},{"name":"WMDMRIGHTS","features":[429]},{"name":"WMDMStorage","features":[429]},{"name":"WMDMStorageEnum","features":[429]},{"name":"WMDMStorageGlobal","features":[429]},{"name":"WMDM_APP_REVOKED","features":[429]},{"name":"WMDM_CONTENT_FILE","features":[429]},{"name":"WMDM_CONTENT_FOLDER","features":[429]},{"name":"WMDM_CONTENT_OPERATIONINTERFACE","features":[429]},{"name":"WMDM_DEVICECAP_CANPAUSE","features":[429]},{"name":"WMDM_DEVICECAP_CANPLAY","features":[429]},{"name":"WMDM_DEVICECAP_CANRECORD","features":[429]},{"name":"WMDM_DEVICECAP_CANRESUME","features":[429]},{"name":"WMDM_DEVICECAP_CANSEEK","features":[429]},{"name":"WMDM_DEVICECAP_CANSTOP","features":[429]},{"name":"WMDM_DEVICECAP_CANSTREAMPLAY","features":[429]},{"name":"WMDM_DEVICECAP_CANSTREAMRECORD","features":[429]},{"name":"WMDM_DEVICECAP_HASSECURECLOCK","features":[429]},{"name":"WMDM_DEVICE_PROTOCOL_MSC","features":[429]},{"name":"WMDM_DEVICE_PROTOCOL_MTP","features":[429]},{"name":"WMDM_DEVICE_PROTOCOL_RAPI","features":[429]},{"name":"WMDM_DEVICE_TYPE_DECODE","features":[429]},{"name":"WMDM_DEVICE_TYPE_ENCODE","features":[429]},{"name":"WMDM_DEVICE_TYPE_FILELISTRESYNC","features":[429]},{"name":"WMDM_DEVICE_TYPE_NONREENTRANT","features":[429]},{"name":"WMDM_DEVICE_TYPE_NONSDMI","features":[429]},{"name":"WMDM_DEVICE_TYPE_PLAYBACK","features":[429]},{"name":"WMDM_DEVICE_TYPE_RECORD","features":[429]},{"name":"WMDM_DEVICE_TYPE_SDMI","features":[429]},{"name":"WMDM_DEVICE_TYPE_STORAGE","features":[429]},{"name":"WMDM_DEVICE_TYPE_VIEW_PREF_METADATAVIEW","features":[429]},{"name":"WMDM_DEVICE_TYPE_VIRTUAL","features":[429]},{"name":"WMDM_ENUM_PROP_VALID_VALUES_ANY","features":[429]},{"name":"WMDM_ENUM_PROP_VALID_VALUES_ENUM","features":[429]},{"name":"WMDM_ENUM_PROP_VALID_VALUES_FORM","features":[429]},{"name":"WMDM_ENUM_PROP_VALID_VALUES_RANGE","features":[429]},{"name":"WMDM_E_BUFFERTOOSMALL","features":[429]},{"name":"WMDM_E_BUSY","features":[429]},{"name":"WMDM_E_CALL_OUT_OF_SEQUENCE","features":[429]},{"name":"WMDM_E_CANTOPEN_PMSN_SERVICE_PIPE","features":[429]},{"name":"WMDM_E_INCORRECT_APPSEC","features":[429]},{"name":"WMDM_E_INCORRECT_RIGHTS","features":[429]},{"name":"WMDM_E_INTERFACEDEAD","features":[429]},{"name":"WMDM_E_INVALIDTYPE","features":[429]},{"name":"WMDM_E_LICENSE_EXPIRED","features":[429]},{"name":"WMDM_E_LICENSE_NOTEXIST","features":[429]},{"name":"WMDM_E_MAC_CHECK_FAILED","features":[429]},{"name":"WMDM_E_MOREDATA","features":[429]},{"name":"WMDM_E_NORIGHTS","features":[429]},{"name":"WMDM_E_NOTCERTIFIED","features":[429]},{"name":"WMDM_E_NOTSUPPORTED","features":[429]},{"name":"WMDM_E_PROCESSFAILED","features":[429]},{"name":"WMDM_E_REVOKED","features":[429]},{"name":"WMDM_E_SDMI_NOMORECOPIES","features":[429]},{"name":"WMDM_E_SDMI_TRIGGER","features":[429]},{"name":"WMDM_E_TOO_MANY_SESSIONS","features":[429]},{"name":"WMDM_E_USER_CANCELLED","features":[429]},{"name":"WMDM_FILE_ATTR_AUDIO","features":[429]},{"name":"WMDM_FILE_ATTR_AUDIOBOOK","features":[429]},{"name":"WMDM_FILE_ATTR_CANDELETE","features":[429]},{"name":"WMDM_FILE_ATTR_CANMOVE","features":[429]},{"name":"WMDM_FILE_ATTR_CANPLAY","features":[429]},{"name":"WMDM_FILE_ATTR_CANREAD","features":[429]},{"name":"WMDM_FILE_ATTR_CANRENAME","features":[429]},{"name":"WMDM_FILE_ATTR_DATA","features":[429]},{"name":"WMDM_FILE_ATTR_FILE","features":[429]},{"name":"WMDM_FILE_ATTR_FOLDER","features":[429]},{"name":"WMDM_FILE_ATTR_HIDDEN","features":[429]},{"name":"WMDM_FILE_ATTR_LINK","features":[429]},{"name":"WMDM_FILE_ATTR_MUSIC","features":[429]},{"name":"WMDM_FILE_ATTR_READONLY","features":[429]},{"name":"WMDM_FILE_ATTR_SYSTEM","features":[429]},{"name":"WMDM_FILE_ATTR_VIDEO","features":[429]},{"name":"WMDM_FILE_CREATE_OVERWRITE","features":[429]},{"name":"WMDM_FIND_SCOPE","features":[429]},{"name":"WMDM_FIND_SCOPE_GLOBAL","features":[429]},{"name":"WMDM_FIND_SCOPE_IMMEDIATE_CHILDREN","features":[429]},{"name":"WMDM_FORMATCODE","features":[429]},{"name":"WMDM_FORMATCODE_3G2","features":[429]},{"name":"WMDM_FORMATCODE_3G2A","features":[429]},{"name":"WMDM_FORMATCODE_3GP","features":[429]},{"name":"WMDM_FORMATCODE_3GPA","features":[429]},{"name":"WMDM_FORMATCODE_AAC","features":[429]},{"name":"WMDM_FORMATCODE_ABSTRACTAUDIOALBUM","features":[429]},{"name":"WMDM_FORMATCODE_ABSTRACTAUDIOVIDEOPLAYLIST","features":[429]},{"name":"WMDM_FORMATCODE_ABSTRACTCALENDARITEM","features":[429]},{"name":"WMDM_FORMATCODE_ABSTRACTCHAPTEREDPRODUCTION","features":[429]},{"name":"WMDM_FORMATCODE_ABSTRACTCONTACT","features":[429]},{"name":"WMDM_FORMATCODE_ABSTRACTCONTACTGROUP","features":[429]},{"name":"WMDM_FORMATCODE_ABSTRACTDOCUMENT","features":[429]},{"name":"WMDM_FORMATCODE_ABSTRACTIMAGEALBUM","features":[429]},{"name":"WMDM_FORMATCODE_ABSTRACTMESSAGE","features":[429]},{"name":"WMDM_FORMATCODE_ABSTRACTMESSAGEFOLDER","features":[429]},{"name":"WMDM_FORMATCODE_ABSTRACTMULTIMEDIAALBUM","features":[429]},{"name":"WMDM_FORMATCODE_ABSTRACTVIDEOALBUM","features":[429]},{"name":"WMDM_FORMATCODE_AIFF","features":[429]},{"name":"WMDM_FORMATCODE_ALLIMAGES","features":[429]},{"name":"WMDM_FORMATCODE_AMR","features":[429]},{"name":"WMDM_FORMATCODE_ASF","features":[429]},{"name":"WMDM_FORMATCODE_ASSOCIATION","features":[429]},{"name":"WMDM_FORMATCODE_ASXPLAYLIST","features":[429]},{"name":"WMDM_FORMATCODE_ATSCTS","features":[429]},{"name":"WMDM_FORMATCODE_AUDIBLE","features":[429]},{"name":"WMDM_FORMATCODE_AVCHD","features":[429]},{"name":"WMDM_FORMATCODE_AVI","features":[429]},{"name":"WMDM_FORMATCODE_DPOF","features":[429]},{"name":"WMDM_FORMATCODE_DVBTS","features":[429]},{"name":"WMDM_FORMATCODE_EXECUTABLE","features":[429]},{"name":"WMDM_FORMATCODE_FLAC","features":[429]},{"name":"WMDM_FORMATCODE_HTML","features":[429]},{"name":"WMDM_FORMATCODE_IMAGE_BMP","features":[429]},{"name":"WMDM_FORMATCODE_IMAGE_CIFF","features":[429]},{"name":"WMDM_FORMATCODE_IMAGE_EXIF","features":[429]},{"name":"WMDM_FORMATCODE_IMAGE_FLASHPIX","features":[429]},{"name":"WMDM_FORMATCODE_IMAGE_GIF","features":[429]},{"name":"WMDM_FORMATCODE_IMAGE_JFIF","features":[429]},{"name":"WMDM_FORMATCODE_IMAGE_JP2","features":[429]},{"name":"WMDM_FORMATCODE_IMAGE_JPX","features":[429]},{"name":"WMDM_FORMATCODE_IMAGE_PCD","features":[429]},{"name":"WMDM_FORMATCODE_IMAGE_PICT","features":[429]},{"name":"WMDM_FORMATCODE_IMAGE_PNG","features":[429]},{"name":"WMDM_FORMATCODE_IMAGE_RESERVED_FIRST","features":[429]},{"name":"WMDM_FORMATCODE_IMAGE_RESERVED_LAST","features":[429]},{"name":"WMDM_FORMATCODE_IMAGE_TIFF","features":[429]},{"name":"WMDM_FORMATCODE_IMAGE_TIFFEP","features":[429]},{"name":"WMDM_FORMATCODE_IMAGE_TIFFIT","features":[429]},{"name":"WMDM_FORMATCODE_IMAGE_UNDEFINED","features":[429]},{"name":"WMDM_FORMATCODE_JPEGXR","features":[429]},{"name":"WMDM_FORMATCODE_M3UPLAYLIST","features":[429]},{"name":"WMDM_FORMATCODE_M4A","features":[429]},{"name":"WMDM_FORMATCODE_MEDIA_CAST","features":[429]},{"name":"WMDM_FORMATCODE_MHTCOMPILEDHTMLDOCUMENT","features":[429]},{"name":"WMDM_FORMATCODE_MICROSOFTEXCELSPREADSHEET","features":[429]},{"name":"WMDM_FORMATCODE_MICROSOFTPOWERPOINTDOCUMENT","features":[429]},{"name":"WMDM_FORMATCODE_MICROSOFTWORDDOCUMENT","features":[429]},{"name":"WMDM_FORMATCODE_MK3D","features":[429]},{"name":"WMDM_FORMATCODE_MKA","features":[429]},{"name":"WMDM_FORMATCODE_MKV","features":[429]},{"name":"WMDM_FORMATCODE_MP2","features":[429]},{"name":"WMDM_FORMATCODE_MP3","features":[429]},{"name":"WMDM_FORMATCODE_MP4","features":[429]},{"name":"WMDM_FORMATCODE_MPEG","features":[429]},{"name":"WMDM_FORMATCODE_MPLPLAYLIST","features":[429]},{"name":"WMDM_FORMATCODE_NOTUSED","features":[429]},{"name":"WMDM_FORMATCODE_OGG","features":[429]},{"name":"WMDM_FORMATCODE_PLSPLAYLIST","features":[429]},{"name":"WMDM_FORMATCODE_QCELP","features":[429]},{"name":"WMDM_FORMATCODE_RESERVED_FIRST","features":[429]},{"name":"WMDM_FORMATCODE_RESERVED_LAST","features":[429]},{"name":"WMDM_FORMATCODE_SCRIPT","features":[429]},{"name":"WMDM_FORMATCODE_SECTION","features":[429]},{"name":"WMDM_FORMATCODE_TEXT","features":[429]},{"name":"WMDM_FORMATCODE_UNDEFINED","features":[429]},{"name":"WMDM_FORMATCODE_UNDEFINEDAUDIO","features":[429]},{"name":"WMDM_FORMATCODE_UNDEFINEDCALENDARITEM","features":[429]},{"name":"WMDM_FORMATCODE_UNDEFINEDCOLLECTION","features":[429]},{"name":"WMDM_FORMATCODE_UNDEFINEDCONTACT","features":[429]},{"name":"WMDM_FORMATCODE_UNDEFINEDDOCUMENT","features":[429]},{"name":"WMDM_FORMATCODE_UNDEFINEDFIRMWARE","features":[429]},{"name":"WMDM_FORMATCODE_UNDEFINEDMESSAGE","features":[429]},{"name":"WMDM_FORMATCODE_UNDEFINEDVIDEO","features":[429]},{"name":"WMDM_FORMATCODE_UNDEFINEDWINDOWSEXECUTABLE","features":[429]},{"name":"WMDM_FORMATCODE_VCALENDAR1","features":[429]},{"name":"WMDM_FORMATCODE_VCALENDAR2","features":[429]},{"name":"WMDM_FORMATCODE_VCARD2","features":[429]},{"name":"WMDM_FORMATCODE_VCARD3","features":[429]},{"name":"WMDM_FORMATCODE_WAVE","features":[429]},{"name":"WMDM_FORMATCODE_WBMP","features":[429]},{"name":"WMDM_FORMATCODE_WINDOWSIMAGEFORMAT","features":[429]},{"name":"WMDM_FORMATCODE_WMA","features":[429]},{"name":"WMDM_FORMATCODE_WMV","features":[429]},{"name":"WMDM_FORMATCODE_WPLPLAYLIST","features":[429]},{"name":"WMDM_FORMATCODE_XMLDOCUMENT","features":[429]},{"name":"WMDM_FORMAT_CAPABILITY","features":[429]},{"name":"WMDM_GET_FORMAT_SUPPORT_AUDIO","features":[429]},{"name":"WMDM_GET_FORMAT_SUPPORT_FILE","features":[429]},{"name":"WMDM_GET_FORMAT_SUPPORT_VIDEO","features":[429]},{"name":"WMDM_LOG_NOTIMESTAMP","features":[429]},{"name":"WMDM_LOG_SEV_ERROR","features":[429]},{"name":"WMDM_LOG_SEV_INFO","features":[429]},{"name":"WMDM_LOG_SEV_WARN","features":[429]},{"name":"WMDM_MAC_LENGTH","features":[429]},{"name":"WMDM_MODE_BLOCK","features":[429]},{"name":"WMDM_MODE_PROGRESS","features":[429]},{"name":"WMDM_MODE_QUERY","features":[429]},{"name":"WMDM_MODE_RECURSIVE","features":[429]},{"name":"WMDM_MODE_THREAD","features":[429]},{"name":"WMDM_MODE_TRANSFER_PROTECTED","features":[429]},{"name":"WMDM_MODE_TRANSFER_UNPROTECTED","features":[429]},{"name":"WMDM_MSG_DEVICE_ARRIVAL","features":[429]},{"name":"WMDM_MSG_DEVICE_REMOVAL","features":[429]},{"name":"WMDM_MSG_MEDIA_ARRIVAL","features":[429]},{"name":"WMDM_MSG_MEDIA_REMOVAL","features":[429]},{"name":"WMDM_POWER_CAP_BATTERY","features":[429]},{"name":"WMDM_POWER_CAP_EXTERNAL","features":[429]},{"name":"WMDM_POWER_IS_BATTERY","features":[429]},{"name":"WMDM_POWER_IS_EXTERNAL","features":[429]},{"name":"WMDM_POWER_PERCENT_AVAILABLE","features":[429]},{"name":"WMDM_PROP_CONFIG","features":[429]},{"name":"WMDM_PROP_DESC","features":[429]},{"name":"WMDM_PROP_VALUES_ENUM","features":[429]},{"name":"WMDM_PROP_VALUES_RANGE","features":[429]},{"name":"WMDM_RIGHTS_COPY_TO_CD","features":[429]},{"name":"WMDM_RIGHTS_COPY_TO_NON_SDMI_DEVICE","features":[429]},{"name":"WMDM_RIGHTS_COPY_TO_SDMI_DEVICE","features":[429]},{"name":"WMDM_RIGHTS_EXPIRATIONDATE","features":[429]},{"name":"WMDM_RIGHTS_FREESERIALIDS","features":[429]},{"name":"WMDM_RIGHTS_GROUPID","features":[429]},{"name":"WMDM_RIGHTS_NAMEDSERIALIDS","features":[429]},{"name":"WMDM_RIGHTS_PLAYBACKCOUNT","features":[429]},{"name":"WMDM_RIGHTS_PLAY_ON_PC","features":[429]},{"name":"WMDM_SCP_DECIDE_DATA","features":[429]},{"name":"WMDM_SCP_DRMINFO_NOT_DRMPROTECTED","features":[429]},{"name":"WMDM_SCP_DRMINFO_V1HEADER","features":[429]},{"name":"WMDM_SCP_DRMINFO_V2HEADER","features":[429]},{"name":"WMDM_SCP_EXAMINE_DATA","features":[429]},{"name":"WMDM_SCP_EXAMINE_EXTENSION","features":[429]},{"name":"WMDM_SCP_NO_MORE_CHANGES","features":[429]},{"name":"WMDM_SCP_PROTECTED_OUTPUT","features":[429]},{"name":"WMDM_SCP_REVOKED","features":[429]},{"name":"WMDM_SCP_RIGHTS_DATA","features":[429]},{"name":"WMDM_SCP_TRANSFER_OBJECTDATA","features":[429]},{"name":"WMDM_SCP_UNPROTECTED_OUTPUT","features":[429]},{"name":"WMDM_SEEK_BEGIN","features":[429]},{"name":"WMDM_SEEK_CURRENT","features":[429]},{"name":"WMDM_SEEK_END","features":[429]},{"name":"WMDM_SEEK_REMOTECONTROL","features":[429]},{"name":"WMDM_SEEK_STREAMINGAUDIO","features":[429]},{"name":"WMDM_SERVICE_PROVIDER_VENDOR_MICROSOFT","features":[429]},{"name":"WMDM_SESSION_CUSTOM","features":[429]},{"name":"WMDM_SESSION_DELETE","features":[429]},{"name":"WMDM_SESSION_NONE","features":[429]},{"name":"WMDM_SESSION_TRANSFER_FROM_DEVICE","features":[429]},{"name":"WMDM_SESSION_TRANSFER_TO_DEVICE","features":[429]},{"name":"WMDM_SESSION_TYPE","features":[429]},{"name":"WMDM_SP_REVOKED","features":[429]},{"name":"WMDM_STATUS_BUSY","features":[429]},{"name":"WMDM_STATUS_DEVICECONTROL_PAUSED","features":[429]},{"name":"WMDM_STATUS_DEVICECONTROL_PLAYING","features":[429]},{"name":"WMDM_STATUS_DEVICECONTROL_RECORDING","features":[429]},{"name":"WMDM_STATUS_DEVICECONTROL_REMOTE","features":[429]},{"name":"WMDM_STATUS_DEVICECONTROL_STREAM","features":[429]},{"name":"WMDM_STATUS_DEVICE_NOTPRESENT","features":[429]},{"name":"WMDM_STATUS_READY","features":[429]},{"name":"WMDM_STATUS_STORAGECONTROL_APPENDING","features":[429]},{"name":"WMDM_STATUS_STORAGECONTROL_DELETING","features":[429]},{"name":"WMDM_STATUS_STORAGECONTROL_INSERTING","features":[429]},{"name":"WMDM_STATUS_STORAGECONTROL_MOVING","features":[429]},{"name":"WMDM_STATUS_STORAGECONTROL_READING","features":[429]},{"name":"WMDM_STATUS_STORAGE_BROKEN","features":[429]},{"name":"WMDM_STATUS_STORAGE_INITIALIZING","features":[429]},{"name":"WMDM_STATUS_STORAGE_NOTPRESENT","features":[429]},{"name":"WMDM_STATUS_STORAGE_NOTSUPPORTED","features":[429]},{"name":"WMDM_STATUS_STORAGE_UNFORMATTED","features":[429]},{"name":"WMDM_STORAGECAP_FILELIMITEXISTS","features":[429]},{"name":"WMDM_STORAGECAP_FILESINFOLDERS","features":[429]},{"name":"WMDM_STORAGECAP_FILESINROOT","features":[429]},{"name":"WMDM_STORAGECAP_FOLDERLIMITEXISTS","features":[429]},{"name":"WMDM_STORAGECAP_FOLDERSINFOLDERS","features":[429]},{"name":"WMDM_STORAGECAP_FOLDERSINROOT","features":[429]},{"name":"WMDM_STORAGECAP_NOT_INITIALIZABLE","features":[429]},{"name":"WMDM_STORAGECONTROL_INSERTAFTER","features":[429]},{"name":"WMDM_STORAGECONTROL_INSERTBEFORE","features":[429]},{"name":"WMDM_STORAGECONTROL_INSERTINTO","features":[429]},{"name":"WMDM_STORAGE_ATTR_CANEDITMETADATA","features":[429]},{"name":"WMDM_STORAGE_ATTR_FILESYSTEM","features":[429]},{"name":"WMDM_STORAGE_ATTR_FOLDERS","features":[429]},{"name":"WMDM_STORAGE_ATTR_HAS_FILES","features":[429]},{"name":"WMDM_STORAGE_ATTR_HAS_FOLDERS","features":[429]},{"name":"WMDM_STORAGE_ATTR_NONREMOVABLE","features":[429]},{"name":"WMDM_STORAGE_ATTR_REMOVABLE","features":[429]},{"name":"WMDM_STORAGE_ATTR_VIRTUAL","features":[429]},{"name":"WMDM_STORAGE_CONTAINS_DEFAULT","features":[429]},{"name":"WMDM_STORAGE_ENUM_MODE","features":[429]},{"name":"WMDM_STORAGE_IS_DEFAULT","features":[429]},{"name":"WMDM_S_NOT_ALL_PROPERTIES_APPLIED","features":[429]},{"name":"WMDM_S_NOT_ALL_PROPERTIES_RETRIEVED","features":[429]},{"name":"WMDM_TAG_DATATYPE","features":[429]},{"name":"WMDM_TYPE_BINARY","features":[429]},{"name":"WMDM_TYPE_BOOL","features":[429]},{"name":"WMDM_TYPE_DATE","features":[429]},{"name":"WMDM_TYPE_DWORD","features":[429]},{"name":"WMDM_TYPE_GUID","features":[429]},{"name":"WMDM_TYPE_QWORD","features":[429]},{"name":"WMDM_TYPE_STRING","features":[429]},{"name":"WMDM_TYPE_WORD","features":[429]},{"name":"WMDM_WMDM_REVOKED","features":[429]},{"name":"WMFILECAPABILITIES","features":[429]},{"name":"g_wszAudioWAVECodec","features":[429]},{"name":"g_wszVideoFourCCCodec","features":[429]},{"name":"g_wszWMDMAlbumArt","features":[429]},{"name":"g_wszWMDMAlbumArtist","features":[429]},{"name":"g_wszWMDMAlbumCoverData","features":[429]},{"name":"g_wszWMDMAlbumCoverDuration","features":[429]},{"name":"g_wszWMDMAlbumCoverFormat","features":[429]},{"name":"g_wszWMDMAlbumCoverHeight","features":[429]},{"name":"g_wszWMDMAlbumCoverSize","features":[429]},{"name":"g_wszWMDMAlbumCoverWidth","features":[429]},{"name":"g_wszWMDMAlbumTitle","features":[429]},{"name":"g_wszWMDMAudioBitDepth","features":[429]},{"name":"g_wszWMDMAuthor","features":[429]},{"name":"g_wszWMDMAuthorDate","features":[429]},{"name":"g_wszWMDMBitRateType","features":[429]},{"name":"g_wszWMDMBitrate","features":[429]},{"name":"g_wszWMDMBlockAlignment","features":[429]},{"name":"g_wszWMDMBufferSize","features":[429]},{"name":"g_wszWMDMBuyNow","features":[429]},{"name":"g_wszWMDMByteBookmark","features":[429]},{"name":"g_wszWMDMCategory","features":[429]},{"name":"g_wszWMDMCodec","features":[429]},{"name":"g_wszWMDMCollectionID","features":[429]},{"name":"g_wszWMDMComposer","features":[429]},{"name":"g_wszWMDMDRMId","features":[429]},{"name":"g_wszWMDMDataLength","features":[429]},{"name":"g_wszWMDMDataOffset","features":[429]},{"name":"g_wszWMDMDataUnits","features":[429]},{"name":"g_wszWMDMDescription","features":[429]},{"name":"g_wszWMDMDestinationURL","features":[429]},{"name":"g_wszWMDMDeviceFirmwareVersion","features":[429]},{"name":"g_wszWMDMDeviceFriendlyName","features":[429]},{"name":"g_wszWMDMDeviceModelName","features":[429]},{"name":"g_wszWMDMDevicePlayCount","features":[429]},{"name":"g_wszWMDMDeviceProtocol","features":[429]},{"name":"g_wszWMDMDeviceRevocationInfo","features":[429]},{"name":"g_wszWMDMDeviceServiceProviderVendor","features":[429]},{"name":"g_wszWMDMDeviceVendorExtension","features":[429]},{"name":"g_wszWMDMDuration","features":[429]},{"name":"g_wszWMDMEditor","features":[429]},{"name":"g_wszWMDMEncodingProfile","features":[429]},{"name":"g_wszWMDMFileAttributes","features":[429]},{"name":"g_wszWMDMFileCreationDate","features":[429]},{"name":"g_wszWMDMFileName","features":[429]},{"name":"g_wszWMDMFileSize","features":[429]},{"name":"g_wszWMDMFormatCode","features":[429]},{"name":"g_wszWMDMFormatsSupported","features":[429]},{"name":"g_wszWMDMFormatsSupportedAreOrdered","features":[429]},{"name":"g_wszWMDMFrameRate","features":[429]},{"name":"g_wszWMDMGenre","features":[429]},{"name":"g_wszWMDMHeight","features":[429]},{"name":"g_wszWMDMIsProtected","features":[429]},{"name":"g_wszWMDMIsRepeat","features":[429]},{"name":"g_wszWMDMKeyFrameDistance","features":[429]},{"name":"g_wszWMDMLastModifiedDate","features":[429]},{"name":"g_wszWMDMMediaClassSecondaryID","features":[429]},{"name":"g_wszWMDMMediaCredits","features":[429]},{"name":"g_wszWMDMMediaGuid","features":[429]},{"name":"g_wszWMDMMediaOriginalBroadcastDateTime","features":[429]},{"name":"g_wszWMDMMediaOriginalChannel","features":[429]},{"name":"g_wszWMDMMediaStationName","features":[429]},{"name":"g_wszWMDMMetaGenre","features":[429]},{"name":"g_wszWMDMNonConsumable","features":[429]},{"name":"g_wszWMDMNumChannels","features":[429]},{"name":"g_wszWMDMObjectBookmark","features":[429]},{"name":"g_wszWMDMOwner","features":[429]},{"name":"g_wszWMDMParentalRating","features":[429]},{"name":"g_wszWMDMPersistentUniqueID","features":[429]},{"name":"g_wszWMDMPlayCount","features":[429]},{"name":"g_wszWMDMProviderCopyright","features":[429]},{"name":"g_wszWMDMQualitySetting","features":[429]},{"name":"g_wszWMDMSampleRate","features":[429]},{"name":"g_wszWMDMScanType","features":[429]},{"name":"g_wszWMDMSourceURL","features":[429]},{"name":"g_wszWMDMSubTitle","features":[429]},{"name":"g_wszWMDMSubTitleDescription","features":[429]},{"name":"g_wszWMDMSupportedDeviceProperties","features":[429]},{"name":"g_wszWMDMSyncID","features":[429]},{"name":"g_wszWMDMSyncRelationshipID","features":[429]},{"name":"g_wszWMDMSyncTime","features":[429]},{"name":"g_wszWMDMTimeBookmark","features":[429]},{"name":"g_wszWMDMTimeToLive","features":[429]},{"name":"g_wszWMDMTitle","features":[429]},{"name":"g_wszWMDMTotalBitrate","features":[429]},{"name":"g_wszWMDMTrack","features":[429]},{"name":"g_wszWMDMTrackMood","features":[429]},{"name":"g_wszWMDMUserEffectiveRating","features":[429]},{"name":"g_wszWMDMUserLastPlayTime","features":[429]},{"name":"g_wszWMDMUserRating","features":[429]},{"name":"g_wszWMDMUserRatingOnDevice","features":[429]},{"name":"g_wszWMDMVideoBitrate","features":[429]},{"name":"g_wszWMDMWebmaster","features":[429]},{"name":"g_wszWMDMWidth","features":[429]},{"name":"g_wszWMDMYear","features":[429]},{"name":"g_wszWMDMediaClassPrimaryID","features":[429]},{"name":"g_wszWPDPassthroughPropertyValues","features":[429]}],"430":[{"name":"ADVISE_CLIPPING","features":[430]},{"name":"ADVISE_COLORKEY","features":[430]},{"name":"ADVISE_DISPLAY_CHANGE","features":[430]},{"name":"ADVISE_NONE","features":[430]},{"name":"ADVISE_PALETTE","features":[430]},{"name":"ADVISE_POSITION","features":[430]},{"name":"ADVISE_TYPE","features":[430]},{"name":"ALLOCATOR_PROPERTIES","features":[430]},{"name":"AMAP_3D_TARGET","features":[430]},{"name":"AMAP_ALLOW_SYSMEM","features":[430]},{"name":"AMAP_DIRECTED_FLIP","features":[430]},{"name":"AMAP_DXVA_TARGET","features":[430]},{"name":"AMAP_FORCE_SYSMEM","features":[430]},{"name":"AMAP_PIXELFORMAT_VALID","features":[430]},{"name":"AMCONTROL_COLORINFO_PRESENT","features":[430]},{"name":"AMCONTROL_PAD_TO_16x9","features":[430]},{"name":"AMCONTROL_PAD_TO_4x3","features":[430]},{"name":"AMCONTROL_USED","features":[430]},{"name":"AMCOPPCommand","features":[430]},{"name":"AMCOPPSignature","features":[430]},{"name":"AMCOPPStatusInput","features":[430]},{"name":"AMCOPPStatusOutput","features":[430]},{"name":"AMCOPYPROTECT_RestrictDuplication","features":[430]},{"name":"AMDDS_ALL","features":[430]},{"name":"AMDDS_DCIPS","features":[430]},{"name":"AMDDS_DEFAULT","features":[430]},{"name":"AMDDS_NONE","features":[430]},{"name":"AMDDS_PS","features":[430]},{"name":"AMDDS_RGBFLP","features":[430]},{"name":"AMDDS_RGBOFF","features":[430]},{"name":"AMDDS_RGBOVR","features":[430]},{"name":"AMDDS_YUVFLP","features":[430]},{"name":"AMDDS_YUVOFF","features":[430]},{"name":"AMDDS_YUVOVR","features":[430]},{"name":"AMExtendedSeekingCapabilities","features":[430]},{"name":"AMF_AUTOMATICGAIN","features":[430]},{"name":"AMGETERRORTEXTPROCA","features":[308,430]},{"name":"AMGETERRORTEXTPROCW","features":[308,430]},{"name":"AMGetErrorTextA","features":[430]},{"name":"AMGetErrorTextW","features":[430]},{"name":"AMINTERLACE_1FieldPerSample","features":[430]},{"name":"AMINTERLACE_DisplayModeBobOnly","features":[430]},{"name":"AMINTERLACE_DisplayModeBobOrWeave","features":[430]},{"name":"AMINTERLACE_DisplayModeMask","features":[430]},{"name":"AMINTERLACE_DisplayModeWeaveOnly","features":[430]},{"name":"AMINTERLACE_Field1First","features":[430]},{"name":"AMINTERLACE_FieldPatBothIrregular","features":[430]},{"name":"AMINTERLACE_FieldPatBothRegular","features":[430]},{"name":"AMINTERLACE_FieldPatField1Only","features":[430]},{"name":"AMINTERLACE_FieldPatField2Only","features":[430]},{"name":"AMINTERLACE_FieldPatternMask","features":[430]},{"name":"AMINTERLACE_IsInterlaced","features":[430]},{"name":"AMINTERLACE_UNUSED","features":[430]},{"name":"AMMSF_ADDDEFAULTRENDERER","features":[430]},{"name":"AMMSF_CREATEPEER","features":[430]},{"name":"AMMSF_MMS_INIT_FLAGS","features":[430]},{"name":"AMMSF_MS_FLAGS","features":[430]},{"name":"AMMSF_NOCLOCK","features":[430]},{"name":"AMMSF_NOGRAPHTHREAD","features":[430]},{"name":"AMMSF_NORENDER","features":[430]},{"name":"AMMSF_NOSTALL","features":[430]},{"name":"AMMSF_RENDERALLSTREAMS","features":[430]},{"name":"AMMSF_RENDERTOEXISTING","features":[430]},{"name":"AMMSF_RENDERTYPEMASK","features":[430]},{"name":"AMMSF_RENDER_FLAGS","features":[430]},{"name":"AMMSF_RUN","features":[430]},{"name":"AMMSF_STOPIFNOSAMPLES","features":[430]},{"name":"AMOVERFX_DEINTERLACE","features":[430]},{"name":"AMOVERFX_MIRRORLEFTRIGHT","features":[430]},{"name":"AMOVERFX_MIRRORUPDOWN","features":[430]},{"name":"AMOVERFX_NOFX","features":[430]},{"name":"AMOVERLAYFX","features":[430]},{"name":"AMPLAYLISTEVENT_BREAK","features":[430]},{"name":"AMPLAYLISTEVENT_MASK","features":[430]},{"name":"AMPLAYLISTEVENT_NEXT","features":[430]},{"name":"AMPLAYLISTEVENT_REFRESH","features":[430]},{"name":"AMPLAYLISTEVENT_RESUME","features":[430]},{"name":"AMPLAYLISTITEM_CANBIND","features":[430]},{"name":"AMPLAYLISTITEM_CANSKIP","features":[430]},{"name":"AMPLAYLIST_FORCEBANNER","features":[430]},{"name":"AMPLAYLIST_STARTINSCANMODE","features":[430]},{"name":"AMPROPERTY_PIN","features":[430]},{"name":"AMPROPERTY_PIN_CATEGORY","features":[430]},{"name":"AMPROPERTY_PIN_MEDIUM","features":[430]},{"name":"AMPlayListEventFlags","features":[430]},{"name":"AMPlayListFlags","features":[430]},{"name":"AMPlayListItemFlags","features":[430]},{"name":"AMRESCTL_RESERVEFLAGS_RESERVE","features":[430]},{"name":"AMRESCTL_RESERVEFLAGS_UNRESERVE","features":[430]},{"name":"AMSTREAMSELECTENABLE_ENABLE","features":[430]},{"name":"AMSTREAMSELECTENABLE_ENABLEALL","features":[430]},{"name":"AMSTREAMSELECTINFO_ENABLED","features":[430]},{"name":"AMSTREAMSELECTINFO_EXCLUSIVE","features":[430]},{"name":"AMTUNER_EVENT_CHANGED","features":[430]},{"name":"AMTUNER_HASNOSIGNALSTRENGTH","features":[430]},{"name":"AMTUNER_MODE_AM_RADIO","features":[430]},{"name":"AMTUNER_MODE_DEFAULT","features":[430]},{"name":"AMTUNER_MODE_DSS","features":[430]},{"name":"AMTUNER_MODE_FM_RADIO","features":[430]},{"name":"AMTUNER_MODE_TV","features":[430]},{"name":"AMTUNER_NOSIGNAL","features":[430]},{"name":"AMTUNER_SIGNALPRESENT","features":[430]},{"name":"AMTUNER_SUBCHAN_DEFAULT","features":[430]},{"name":"AMTUNER_SUBCHAN_NO_TUNE","features":[430]},{"name":"AMTVAUDIO_EVENT_CHANGED","features":[430]},{"name":"AMTVAUDIO_MODE_LANG_A","features":[430]},{"name":"AMTVAUDIO_MODE_LANG_B","features":[430]},{"name":"AMTVAUDIO_MODE_LANG_C","features":[430]},{"name":"AMTVAUDIO_MODE_MONO","features":[430]},{"name":"AMTVAUDIO_MODE_STEREO","features":[430]},{"name":"AMTVAUDIO_PRESET_LANG_A","features":[430]},{"name":"AMTVAUDIO_PRESET_LANG_B","features":[430]},{"name":"AMTVAUDIO_PRESET_LANG_C","features":[430]},{"name":"AMTVAUDIO_PRESET_STEREO","features":[430]},{"name":"AMTVAudioEventType","features":[430]},{"name":"AMTunerEventType","features":[430]},{"name":"AMTunerModeType","features":[430]},{"name":"AMTunerSignalStrength","features":[430]},{"name":"AMTunerSubChannel","features":[430]},{"name":"AMVABUFFERINFO","features":[430]},{"name":"AMVABeginFrameInfo","features":[430]},{"name":"AMVACompBufferInfo","features":[318,430]},{"name":"AMVAEndFrameInfo","features":[430]},{"name":"AMVAInternalMemInfo","features":[430]},{"name":"AMVAUncompBufferInfo","features":[318,430]},{"name":"AMVAUncompDataInfo","features":[318,430]},{"name":"AMVA_QUERYRENDERSTATUSF_READ","features":[430]},{"name":"AMVA_TYPEINDEX_OUTPUTFRAME","features":[430]},{"name":"AMVPDATAINFO","features":[308,430]},{"name":"AMVPDIMINFO","features":[308,430]},{"name":"AMVPSIZE","features":[430]},{"name":"AMVP_BEST_BANDWIDTH","features":[430]},{"name":"AMVP_DO_NOT_CARE","features":[430]},{"name":"AMVP_INPUT_SAME_AS_OUTPUT","features":[430]},{"name":"AMVP_MODE","features":[430]},{"name":"AMVP_MODE_BOBINTERLEAVED","features":[430]},{"name":"AMVP_MODE_BOBNONINTERLEAVED","features":[430]},{"name":"AMVP_MODE_SKIPEVEN","features":[430]},{"name":"AMVP_MODE_SKIPODD","features":[430]},{"name":"AMVP_MODE_WEAVE","features":[430]},{"name":"AMVP_SELECT_FORMAT_BY","features":[430]},{"name":"AM_AC3_ALTERNATE_AUDIO","features":[308,430]},{"name":"AM_AC3_ALTERNATE_AUDIO_1","features":[430]},{"name":"AM_AC3_ALTERNATE_AUDIO_2","features":[430]},{"name":"AM_AC3_ALTERNATE_AUDIO_BOTH","features":[430]},{"name":"AM_AC3_BIT_STREAM_MODE","features":[430]},{"name":"AM_AC3_DIALOGUE_LEVEL","features":[430]},{"name":"AM_AC3_DOWNMIX","features":[308,430]},{"name":"AM_AC3_ERROR_CONCEALMENT","features":[308,430]},{"name":"AM_AC3_ROOM_TYPE","features":[308,430]},{"name":"AM_AC3_SERVICE_COMMENTARY","features":[430]},{"name":"AM_AC3_SERVICE_DIALOG_ONLY","features":[430]},{"name":"AM_AC3_SERVICE_EMERGENCY_FLASH","features":[430]},{"name":"AM_AC3_SERVICE_HEARING_IMPAIRED","features":[430]},{"name":"AM_AC3_SERVICE_MAIN_AUDIO","features":[430]},{"name":"AM_AC3_SERVICE_NO_DIALOG","features":[430]},{"name":"AM_AC3_SERVICE_VISUALLY_IMPAIRED","features":[430]},{"name":"AM_AC3_SERVICE_VOICE_OVER","features":[430]},{"name":"AM_ARMODE_CROP","features":[430]},{"name":"AM_ARMODE_LETTER_BOX","features":[430]},{"name":"AM_ARMODE_STRETCHED","features":[430]},{"name":"AM_ARMODE_STRETCHED_AS_PRIMARY","features":[430]},{"name":"AM_ASPECT_RATIO_MODE","features":[430]},{"name":"AM_AUDREND_STAT_PARAM_BREAK_COUNT","features":[430]},{"name":"AM_AUDREND_STAT_PARAM_BUFFERFULLNESS","features":[430]},{"name":"AM_AUDREND_STAT_PARAM_DISCONTINUITIES","features":[430]},{"name":"AM_AUDREND_STAT_PARAM_JITTER","features":[430]},{"name":"AM_AUDREND_STAT_PARAM_LAST_BUFFER_DUR","features":[430]},{"name":"AM_AUDREND_STAT_PARAM_SILENCE_DUR","features":[430]},{"name":"AM_AUDREND_STAT_PARAM_SLAVE_ACCUMERROR","features":[430]},{"name":"AM_AUDREND_STAT_PARAM_SLAVE_DROPWRITE_DUR","features":[430]},{"name":"AM_AUDREND_STAT_PARAM_SLAVE_HIGHLOWERROR","features":[430]},{"name":"AM_AUDREND_STAT_PARAM_SLAVE_LASTHIGHLOWERROR","features":[430]},{"name":"AM_AUDREND_STAT_PARAM_SLAVE_MODE","features":[430]},{"name":"AM_AUDREND_STAT_PARAM_SLAVE_RATE","features":[430]},{"name":"AM_COLCON","features":[430]},{"name":"AM_CONTENTPROPERTY_AUTHOR","features":[430]},{"name":"AM_CONTENTPROPERTY_COPYRIGHT","features":[430]},{"name":"AM_CONTENTPROPERTY_DESCRIPTION","features":[430]},{"name":"AM_CONTENTPROPERTY_TITLE","features":[430]},{"name":"AM_COPY_MACROVISION","features":[430]},{"name":"AM_COPY_MACROVISION_LEVEL","features":[430]},{"name":"AM_DIGITAL_CP","features":[430]},{"name":"AM_DIGITAL_CP_DVD_COMPLIANT","features":[430]},{"name":"AM_DIGITAL_CP_OFF","features":[430]},{"name":"AM_DIGITAL_CP_ON","features":[430]},{"name":"AM_DVDCOPYSTATE","features":[430]},{"name":"AM_DVDCOPYSTATE_AUTHENTICATION_NOT_REQUIRED","features":[430]},{"name":"AM_DVDCOPYSTATE_AUTHENTICATION_REQUIRED","features":[430]},{"name":"AM_DVDCOPYSTATE_DONE","features":[430]},{"name":"AM_DVDCOPYSTATE_INITIALIZE","features":[430]},{"name":"AM_DVDCOPYSTATE_INITIALIZE_TITLE","features":[430]},{"name":"AM_DVDCOPY_BUSKEY","features":[430]},{"name":"AM_DVDCOPY_CHLGKEY","features":[430]},{"name":"AM_DVDCOPY_DISCKEY","features":[430]},{"name":"AM_DVDCOPY_SET_COPY_STATE","features":[430]},{"name":"AM_DVDCOPY_TITLEKEY","features":[430]},{"name":"AM_DVD_ADAPT_GRAPH","features":[430]},{"name":"AM_DVD_CGMS_COPY_ONCE","features":[430]},{"name":"AM_DVD_CGMS_COPY_PERMITTED","features":[430]},{"name":"AM_DVD_CGMS_COPY_PROTECT_MASK","features":[430]},{"name":"AM_DVD_CGMS_NO_COPY","features":[430]},{"name":"AM_DVD_CGMS_RESERVED_MASK","features":[430]},{"name":"AM_DVD_COPYRIGHTED","features":[430]},{"name":"AM_DVD_COPYRIGHT_MASK","features":[430]},{"name":"AM_DVD_ChangeRate","features":[430]},{"name":"AM_DVD_DO_NOT_CLEAR","features":[430]},{"name":"AM_DVD_EVR_ONLY","features":[430]},{"name":"AM_DVD_EVR_QOS","features":[430]},{"name":"AM_DVD_GRAPH_FLAGS","features":[430]},{"name":"AM_DVD_HWDEC_ONLY","features":[430]},{"name":"AM_DVD_HWDEC_PREFER","features":[430]},{"name":"AM_DVD_MASK","features":[430]},{"name":"AM_DVD_NOT_COPYRIGHTED","features":[430]},{"name":"AM_DVD_NOVPE","features":[430]},{"name":"AM_DVD_RENDERSTATUS","features":[308,430]},{"name":"AM_DVD_SECTOR_NOT_PROTECTED","features":[430]},{"name":"AM_DVD_SECTOR_PROTECTED","features":[430]},{"name":"AM_DVD_SECTOR_PROTECT_MASK","features":[430]},{"name":"AM_DVD_STREAM_AUDIO","features":[430]},{"name":"AM_DVD_STREAM_FLAGS","features":[430]},{"name":"AM_DVD_STREAM_SUBPIC","features":[430]},{"name":"AM_DVD_STREAM_VIDEO","features":[430]},{"name":"AM_DVD_SWDEC_ONLY","features":[430]},{"name":"AM_DVD_SWDEC_PREFER","features":[430]},{"name":"AM_DVD_VMR9_ONLY","features":[430]},{"name":"AM_DVD_YUV","features":[430]},{"name":"AM_DvdKaraokeData","features":[430]},{"name":"AM_EXSEEK_BUFFERING","features":[430]},{"name":"AM_EXSEEK_CANSCAN","features":[430]},{"name":"AM_EXSEEK_CANSEEK","features":[430]},{"name":"AM_EXSEEK_MARKERSEEK","features":[430]},{"name":"AM_EXSEEK_NOSTANDARDREPAINT","features":[430]},{"name":"AM_EXSEEK_SCANWITHOUTCLOCK","features":[430]},{"name":"AM_EXSEEK_SENDS_VIDEOFRAMEREADY","features":[430]},{"name":"AM_ExactRateChange","features":[430]},{"name":"AM_FILESINK_FLAGS","features":[430]},{"name":"AM_FILE_OVERWRITE","features":[430]},{"name":"AM_FILTER_FLAGS","features":[430]},{"name":"AM_FILTER_FLAGS_REMOVABLE","features":[430]},{"name":"AM_FILTER_MISC_FLAGS_IS_RENDERER","features":[430]},{"name":"AM_FILTER_MISC_FLAGS_IS_SOURCE","features":[430]},{"name":"AM_FRAMESTEP_STEP","features":[430]},{"name":"AM_GBF_NODDSURFACELOCK","features":[430]},{"name":"AM_GBF_NOTASYNCPOINT","features":[430]},{"name":"AM_GBF_NOWAIT","features":[430]},{"name":"AM_GBF_PREVFRAMESKIPPED","features":[430]},{"name":"AM_GETDECODERCAP_QUERY_EVR_SUPPORT","features":[430]},{"name":"AM_GETDECODERCAP_QUERY_VMR9_SUPPORT","features":[430]},{"name":"AM_GETDECODERCAP_QUERY_VMR_SUPPORT","features":[430]},{"name":"AM_GRAPH_CONFIG_RECONNECT_CACHE_REMOVED_FILTERS","features":[430]},{"name":"AM_GRAPH_CONFIG_RECONNECT_DIRECTCONNECT","features":[430]},{"name":"AM_GRAPH_CONFIG_RECONNECT_FLAGS","features":[430]},{"name":"AM_GRAPH_CONFIG_RECONNECT_USE_ONLY_CACHED_FILTERS","features":[430]},{"name":"AM_INTERFACESETID_Standard","features":[430]},{"name":"AM_INTF_SEARCH_FILTER","features":[430]},{"name":"AM_INTF_SEARCH_INPUT_PIN","features":[430]},{"name":"AM_INTF_SEARCH_OUTPUT_PIN","features":[430]},{"name":"AM_KSCATEGORY_AUDIO","features":[430]},{"name":"AM_KSCATEGORY_CAPTURE","features":[430]},{"name":"AM_KSCATEGORY_CROSSBAR","features":[430]},{"name":"AM_KSCATEGORY_DATACOMPRESSOR","features":[430]},{"name":"AM_KSCATEGORY_RENDER","features":[430]},{"name":"AM_KSCATEGORY_SPLITTER","features":[430]},{"name":"AM_KSCATEGORY_TVAUDIO","features":[430]},{"name":"AM_KSCATEGORY_TVTUNER","features":[430]},{"name":"AM_KSCATEGORY_VBICODEC","features":[430]},{"name":"AM_KSCATEGORY_VBICODEC_MI","features":[430]},{"name":"AM_KSCATEGORY_VIDEO","features":[430]},{"name":"AM_KSPROPSETID_AC3","features":[430]},{"name":"AM_KSPROPSETID_CopyProt","features":[430]},{"name":"AM_KSPROPSETID_DVD_RateChange","features":[430]},{"name":"AM_KSPROPSETID_DvdKaraoke","features":[430]},{"name":"AM_KSPROPSETID_DvdSubPic","features":[430]},{"name":"AM_KSPROPSETID_FrameStep","features":[430]},{"name":"AM_KSPROPSETID_MPEG4_MediaType_Attributes","features":[430]},{"name":"AM_KSPROPSETID_TSRateChange","features":[430]},{"name":"AM_L21_CCLEVEL_TC2","features":[430]},{"name":"AM_L21_CCSERVICE_Caption1","features":[430]},{"name":"AM_L21_CCSERVICE_Caption2","features":[430]},{"name":"AM_L21_CCSERVICE_DefChannel","features":[430]},{"name":"AM_L21_CCSERVICE_Invalid","features":[430]},{"name":"AM_L21_CCSERVICE_None","features":[430]},{"name":"AM_L21_CCSERVICE_Text1","features":[430]},{"name":"AM_L21_CCSERVICE_Text2","features":[430]},{"name":"AM_L21_CCSERVICE_XDS","features":[430]},{"name":"AM_L21_CCSTATE_Off","features":[430]},{"name":"AM_L21_CCSTATE_On","features":[430]},{"name":"AM_L21_CCSTYLE_None","features":[430]},{"name":"AM_L21_CCSTYLE_PaintOn","features":[430]},{"name":"AM_L21_CCSTYLE_PopOn","features":[430]},{"name":"AM_L21_CCSTYLE_RollUp","features":[430]},{"name":"AM_L21_DRAWBGMODE_Opaque","features":[430]},{"name":"AM_L21_DRAWBGMODE_Transparent","features":[430]},{"name":"AM_LINE21_CCLEVEL","features":[430]},{"name":"AM_LINE21_CCSERVICE","features":[430]},{"name":"AM_LINE21_CCSTATE","features":[430]},{"name":"AM_LINE21_CCSTYLE","features":[430]},{"name":"AM_LINE21_DRAWBGMODE","features":[430]},{"name":"AM_LOADSTATUS_CLOSED","features":[430]},{"name":"AM_LOADSTATUS_CONNECTING","features":[430]},{"name":"AM_LOADSTATUS_LOADINGDESCR","features":[430]},{"name":"AM_LOADSTATUS_LOADINGMCAST","features":[430]},{"name":"AM_LOADSTATUS_LOCATING","features":[430]},{"name":"AM_LOADSTATUS_OPEN","features":[430]},{"name":"AM_LOADSTATUS_OPENING","features":[430]},{"name":"AM_MACROVISION_DISABLED","features":[430]},{"name":"AM_MACROVISION_LEVEL1","features":[430]},{"name":"AM_MACROVISION_LEVEL2","features":[430]},{"name":"AM_MACROVISION_LEVEL3","features":[430]},{"name":"AM_MEDIAEVENT_FLAGS","features":[430]},{"name":"AM_MEDIAEVENT_NONOTIFY","features":[430]},{"name":"AM_MPEG2Level","features":[430]},{"name":"AM_MPEG2Level_High","features":[430]},{"name":"AM_MPEG2Level_High1440","features":[430]},{"name":"AM_MPEG2Level_Low","features":[430]},{"name":"AM_MPEG2Level_Main","features":[430]},{"name":"AM_MPEG2Profile","features":[430]},{"name":"AM_MPEG2Profile_High","features":[430]},{"name":"AM_MPEG2Profile_Main","features":[430]},{"name":"AM_MPEG2Profile_SNRScalable","features":[430]},{"name":"AM_MPEG2Profile_Simple","features":[430]},{"name":"AM_MPEG2Profile_SpatiallyScalable","features":[430]},{"name":"AM_MPEGSTREAMTYPE","features":[308,430,431]},{"name":"AM_MPEGSYSTEMTYPE","features":[308,430,431]},{"name":"AM_MPEG_AUDIO_DUAL_LEFT","features":[430]},{"name":"AM_MPEG_AUDIO_DUAL_MERGE","features":[430]},{"name":"AM_MPEG_AUDIO_DUAL_RIGHT","features":[430]},{"name":"AM_OVERLAY_NOTIFY_DEST_CHANGE","features":[430]},{"name":"AM_OVERLAY_NOTIFY_SOURCE_CHANGE","features":[430]},{"name":"AM_OVERLAY_NOTIFY_VISIBLE_CHANGE","features":[430]},{"name":"AM_PIN_FLOW_CONTROL_BLOCK","features":[430]},{"name":"AM_PROPERTY_AC3","features":[430]},{"name":"AM_PROPERTY_AC3_ALTERNATE_AUDIO","features":[430]},{"name":"AM_PROPERTY_AC3_BIT_STREAM_MODE","features":[430]},{"name":"AM_PROPERTY_AC3_DIALOGUE_LEVEL","features":[430]},{"name":"AM_PROPERTY_AC3_DOWNMIX","features":[430]},{"name":"AM_PROPERTY_AC3_ERROR_CONCEALMENT","features":[430]},{"name":"AM_PROPERTY_AC3_LANGUAGE_CODE","features":[430]},{"name":"AM_PROPERTY_AC3_ROOM_TYPE","features":[430]},{"name":"AM_PROPERTY_COPY_ANALOG_COMPONENT","features":[430]},{"name":"AM_PROPERTY_COPY_DIGITAL_CP","features":[430]},{"name":"AM_PROPERTY_COPY_DVD_SRM","features":[430]},{"name":"AM_PROPERTY_COPY_MACROVISION","features":[430]},{"name":"AM_PROPERTY_DVDCOPYPROT","features":[430]},{"name":"AM_PROPERTY_DVDCOPY_CHLG_KEY","features":[430]},{"name":"AM_PROPERTY_DVDCOPY_DEC_KEY2","features":[430]},{"name":"AM_PROPERTY_DVDCOPY_DISC_KEY","features":[430]},{"name":"AM_PROPERTY_DVDCOPY_DVD_KEY1","features":[430]},{"name":"AM_PROPERTY_DVDCOPY_REGION","features":[430]},{"name":"AM_PROPERTY_DVDCOPY_SET_COPY_STATE","features":[430]},{"name":"AM_PROPERTY_DVDCOPY_SUPPORTS_NEW_KEYCOUNT","features":[430]},{"name":"AM_PROPERTY_DVDCOPY_TITLE_KEY","features":[430]},{"name":"AM_PROPERTY_DVDKARAOKE","features":[430]},{"name":"AM_PROPERTY_DVDKARAOKE_DATA","features":[430]},{"name":"AM_PROPERTY_DVDKARAOKE_ENABLE","features":[430]},{"name":"AM_PROPERTY_DVDSUBPIC","features":[430]},{"name":"AM_PROPERTY_DVDSUBPIC_COMPOSIT_ON","features":[430]},{"name":"AM_PROPERTY_DVDSUBPIC_HLI","features":[430]},{"name":"AM_PROPERTY_DVDSUBPIC_PALETTE","features":[430]},{"name":"AM_PROPERTY_DVD_RATE_CHANGE","features":[430]},{"name":"AM_PROPERTY_FRAMESTEP","features":[430]},{"name":"AM_PROPERTY_FRAMESTEP_CANCEL","features":[430]},{"name":"AM_PROPERTY_FRAMESTEP_CANSTEP","features":[430]},{"name":"AM_PROPERTY_FRAMESTEP_CANSTEPMULTIPLE","features":[430]},{"name":"AM_PROPERTY_FRAMESTEP_STEP","features":[430]},{"name":"AM_PROPERTY_SPHLI","features":[430]},{"name":"AM_PROPERTY_SPPAL","features":[430]},{"name":"AM_PROPERTY_TS_RATE_CHANGE","features":[430]},{"name":"AM_PUSHSOURCECAPS_INTERNAL_RM","features":[430]},{"name":"AM_PUSHSOURCECAPS_NOT_LIVE","features":[430]},{"name":"AM_PUSHSOURCECAPS_PRIVATE_CLOCK","features":[430]},{"name":"AM_PUSHSOURCEREQS_USE_CLOCK_CHAIN","features":[430]},{"name":"AM_PUSHSOURCEREQS_USE_STREAM_CLOCK","features":[430]},{"name":"AM_QUERY_DECODER_ATSC_HD_SUPPORT","features":[430]},{"name":"AM_QUERY_DECODER_ATSC_SD_SUPPORT","features":[430]},{"name":"AM_QUERY_DECODER_DVD_SUPPORT","features":[430]},{"name":"AM_QUERY_DECODER_DXVA_1_SUPPORT","features":[430]},{"name":"AM_QUERY_DECODER_VMR_SUPPORT","features":[430]},{"name":"AM_QueryRate","features":[430]},{"name":"AM_RATE_ChangeRate","features":[430]},{"name":"AM_RATE_CorrectTS","features":[430]},{"name":"AM_RATE_DecoderPosition","features":[430]},{"name":"AM_RATE_DecoderVersion","features":[430]},{"name":"AM_RATE_ExactRateChange","features":[430]},{"name":"AM_RATE_FullDataRateMax","features":[430]},{"name":"AM_RATE_MaxFullDataRate","features":[430]},{"name":"AM_RATE_QueryFullFrameRate","features":[430]},{"name":"AM_RATE_QueryLastRateSegPTS","features":[430]},{"name":"AM_RATE_QueryMapping","features":[430]},{"name":"AM_RATE_ResetOnTimeDisc","features":[430]},{"name":"AM_RATE_ReverseDecode","features":[430]},{"name":"AM_RATE_ReverseMaxFullDataRate","features":[430]},{"name":"AM_RATE_SimpleRateChange","features":[430]},{"name":"AM_RATE_Step","features":[430]},{"name":"AM_RATE_UseRateVersion","features":[430]},{"name":"AM_RENDEREX_RENDERTOEXISTINGRENDERERS","features":[430]},{"name":"AM_ReverseBlockEnd","features":[430]},{"name":"AM_ReverseBlockStart","features":[430]},{"name":"AM_SAMPLE2_PROPERTIES","features":[308,430,431]},{"name":"AM_SAMPLE_DATADISCONTINUITY","features":[430]},{"name":"AM_SAMPLE_ENDOFSTREAM","features":[430]},{"name":"AM_SAMPLE_FLUSH_ON_PAUSE","features":[430]},{"name":"AM_SAMPLE_PREROLL","features":[430]},{"name":"AM_SAMPLE_PROPERTY_FLAGS","features":[430]},{"name":"AM_SAMPLE_SPLICEPOINT","features":[430]},{"name":"AM_SAMPLE_STOPVALID","features":[430]},{"name":"AM_SAMPLE_TIMEDISCONTINUITY","features":[430]},{"name":"AM_SAMPLE_TIMEVALID","features":[430]},{"name":"AM_SAMPLE_TYPECHANGED","features":[430]},{"name":"AM_SEEKING_AbsolutePositioning","features":[430]},{"name":"AM_SEEKING_CanDoSegments","features":[430]},{"name":"AM_SEEKING_CanGetCurrentPos","features":[430]},{"name":"AM_SEEKING_CanGetDuration","features":[430]},{"name":"AM_SEEKING_CanGetStopPos","features":[430]},{"name":"AM_SEEKING_CanPlayBackwards","features":[430]},{"name":"AM_SEEKING_CanSeekAbsolute","features":[430]},{"name":"AM_SEEKING_CanSeekBackwards","features":[430]},{"name":"AM_SEEKING_CanSeekForwards","features":[430]},{"name":"AM_SEEKING_IncrementalPositioning","features":[430]},{"name":"AM_SEEKING_NoFlush","features":[430]},{"name":"AM_SEEKING_NoPositioning","features":[430]},{"name":"AM_SEEKING_PositioningBitsMask","features":[430]},{"name":"AM_SEEKING_RelativePositioning","features":[430]},{"name":"AM_SEEKING_ReturnTime","features":[430]},{"name":"AM_SEEKING_SEEKING_CAPABILITIES","features":[430]},{"name":"AM_SEEKING_SEEKING_FLAGS","features":[430]},{"name":"AM_SEEKING_SeekToKeyFrame","features":[430]},{"name":"AM_SEEKING_Segment","features":[430]},{"name":"AM_SEEKING_Source","features":[430]},{"name":"AM_STREAM_CONTROL","features":[430]},{"name":"AM_STREAM_INFO","features":[430]},{"name":"AM_STREAM_INFO_DISCARDING","features":[430]},{"name":"AM_STREAM_INFO_FLAGS","features":[430]},{"name":"AM_STREAM_INFO_START_DEFINED","features":[430]},{"name":"AM_STREAM_INFO_STOP_DEFINED","features":[430]},{"name":"AM_STREAM_INFO_STOP_SEND_EXTRA","features":[430]},{"name":"AM_STREAM_MEDIA","features":[430]},{"name":"AM_SimpleRateChange","features":[430]},{"name":"AM_UseNewCSSKey","features":[430]},{"name":"AM_VIDEO_FLAG_B_SAMPLE","features":[430]},{"name":"AM_VIDEO_FLAG_FIELD1","features":[430]},{"name":"AM_VIDEO_FLAG_FIELD1FIRST","features":[430]},{"name":"AM_VIDEO_FLAG_FIELD2","features":[430]},{"name":"AM_VIDEO_FLAG_FIELD_MASK","features":[430]},{"name":"AM_VIDEO_FLAG_INTERLEAVED_FRAME","features":[430]},{"name":"AM_VIDEO_FLAG_IPB_MASK","features":[430]},{"name":"AM_VIDEO_FLAG_I_SAMPLE","features":[430]},{"name":"AM_VIDEO_FLAG_P_SAMPLE","features":[430]},{"name":"AM_VIDEO_FLAG_REPEAT_FIELD","features":[430]},{"name":"AM_VIDEO_FLAG_WEAVE","features":[430]},{"name":"AM_WST_DRAWBGMODE","features":[430]},{"name":"AM_WST_DRAWBGMODE_Opaque","features":[430]},{"name":"AM_WST_DRAWBGMODE_Transparent","features":[430]},{"name":"AM_WST_LEVEL","features":[430]},{"name":"AM_WST_LEVEL_1_5","features":[430]},{"name":"AM_WST_PAGE","features":[430]},{"name":"AM_WST_SERVICE","features":[430]},{"name":"AM_WST_SERVICE_IDS","features":[430]},{"name":"AM_WST_SERVICE_Invalid","features":[430]},{"name":"AM_WST_SERVICE_None","features":[430]},{"name":"AM_WST_SERVICE_Text","features":[430]},{"name":"AM_WST_STATE","features":[430]},{"name":"AM_WST_STATE_Off","features":[430]},{"name":"AM_WST_STATE_On","features":[430]},{"name":"AM_WST_STYLE","features":[430]},{"name":"AM_WST_STYLE_Invers","features":[430]},{"name":"AM_WST_STYLE_None","features":[430]},{"name":"ANALOGVIDEOINFO","features":[308,430]},{"name":"ANNEX_A_DSM_CC","features":[430]},{"name":"ATSCCT_AC3","features":[430]},{"name":"ATSCComponentTypeFlags","features":[430]},{"name":"AUDIO_STREAM_CONFIG_CAPS","features":[430]},{"name":"AVIEXTHEADER","features":[430]},{"name":"AVIFIELDINDEX","features":[430]},{"name":"AVIF_COPYRIGHTED","features":[430]},{"name":"AVIF_HASINDEX","features":[430]},{"name":"AVIF_ISINTERLEAVED","features":[430]},{"name":"AVIF_MUSTUSEINDEX","features":[430]},{"name":"AVIF_TRUSTCKTYPE","features":[430]},{"name":"AVIF_WASCAPTUREFILE","features":[430]},{"name":"AVIIF_COMPRESSOR","features":[430]},{"name":"AVIIF_COMPUSE","features":[430]},{"name":"AVIIF_FIRSTPART","features":[430]},{"name":"AVIIF_KEYFRAME","features":[430]},{"name":"AVIIF_LASTPART","features":[430]},{"name":"AVIIF_LIST","features":[430]},{"name":"AVIIF_NOTIME","features":[430]},{"name":"AVIIF_NO_TIME","features":[430]},{"name":"AVIINDEXENTRY","features":[430]},{"name":"AVIMAINHEADER","features":[430]},{"name":"AVIMETAINDEX","features":[430]},{"name":"AVIOLDINDEX","features":[430]},{"name":"AVIPALCHANGE","features":[319,430]},{"name":"AVISF_DISABLED","features":[430]},{"name":"AVISF_VIDEO_PALCHANGES","features":[430]},{"name":"AVISTDINDEX","features":[430]},{"name":"AVISTDINDEX_DELTAFRAME","features":[430]},{"name":"AVISTDINDEX_ENTRY","features":[430]},{"name":"AVISTREAMHEADER","features":[430]},{"name":"AVISUPERINDEX","features":[430]},{"name":"AVIStreamHeader","features":[308,430]},{"name":"AVITCDLINDEX","features":[430]},{"name":"AVITCDLINDEX_ENTRY","features":[430]},{"name":"AVITIMECODEINDEX","features":[430]},{"name":"AVITIMEDINDEX","features":[430]},{"name":"AVITIMEDINDEX_ENTRY","features":[430]},{"name":"AVI_HEADERSIZE","features":[430]},{"name":"AVI_INDEX_IS_DATA","features":[430]},{"name":"AVI_INDEX_OF_CHUNKS","features":[430]},{"name":"AVI_INDEX_OF_INDEXES","features":[430]},{"name":"AVI_INDEX_OF_SUB_2FIELD","features":[430]},{"name":"AVI_INDEX_OF_TIMED_CHUNKS","features":[430]},{"name":"AVI_INDEX_SUB_2FIELD","features":[430]},{"name":"AVI_INDEX_SUB_DEFAULT","features":[430]},{"name":"AnalogVideoMask_MCE_NTSC","features":[430]},{"name":"AnalogVideoMask_MCE_PAL","features":[430]},{"name":"AnalogVideoMask_MCE_SECAM","features":[430]},{"name":"AnalogVideoStandard","features":[430]},{"name":"AnalogVideo_NTSC_433","features":[430]},{"name":"AnalogVideo_NTSC_M","features":[430]},{"name":"AnalogVideo_NTSC_M_J","features":[430]},{"name":"AnalogVideo_NTSC_Mask","features":[430]},{"name":"AnalogVideo_None","features":[430]},{"name":"AnalogVideo_PAL_60","features":[430]},{"name":"AnalogVideo_PAL_B","features":[430]},{"name":"AnalogVideo_PAL_D","features":[430]},{"name":"AnalogVideo_PAL_G","features":[430]},{"name":"AnalogVideo_PAL_H","features":[430]},{"name":"AnalogVideo_PAL_I","features":[430]},{"name":"AnalogVideo_PAL_M","features":[430]},{"name":"AnalogVideo_PAL_Mask","features":[430]},{"name":"AnalogVideo_PAL_N","features":[430]},{"name":"AnalogVideo_PAL_N_COMBO","features":[430]},{"name":"AnalogVideo_SECAM_B","features":[430]},{"name":"AnalogVideo_SECAM_D","features":[430]},{"name":"AnalogVideo_SECAM_G","features":[430]},{"name":"AnalogVideo_SECAM_H","features":[430]},{"name":"AnalogVideo_SECAM_K","features":[430]},{"name":"AnalogVideo_SECAM_K1","features":[430]},{"name":"AnalogVideo_SECAM_L","features":[430]},{"name":"AnalogVideo_SECAM_L1","features":[430]},{"name":"AnalogVideo_SECAM_Mask","features":[430]},{"name":"ApplicationTypeType","features":[430]},{"name":"Associated","features":[430]},{"name":"AssociationUnknown","features":[430]},{"name":"BDACOMP_EXCLUDE_TS_FROM_TR","features":[430]},{"name":"BDACOMP_INCLUDE_COMPONENTS_IN_TR","features":[430]},{"name":"BDACOMP_INCLUDE_LOCATOR_IN_TR","features":[430]},{"name":"BDACOMP_NOT_DEFINED","features":[430]},{"name":"BDANODE_DESCRIPTOR","features":[430]},{"name":"BDA_BCC_RATE_1_2","features":[430]},{"name":"BDA_BCC_RATE_1_3","features":[430]},{"name":"BDA_BCC_RATE_1_4","features":[430]},{"name":"BDA_BCC_RATE_2_3","features":[430]},{"name":"BDA_BCC_RATE_2_5","features":[430]},{"name":"BDA_BCC_RATE_3_4","features":[430]},{"name":"BDA_BCC_RATE_3_5","features":[430]},{"name":"BDA_BCC_RATE_4_5","features":[430]},{"name":"BDA_BCC_RATE_5_11","features":[430]},{"name":"BDA_BCC_RATE_5_6","features":[430]},{"name":"BDA_BCC_RATE_6_7","features":[430]},{"name":"BDA_BCC_RATE_7_8","features":[430]},{"name":"BDA_BCC_RATE_8_9","features":[430]},{"name":"BDA_BCC_RATE_9_10","features":[430]},{"name":"BDA_BCC_RATE_MAX","features":[430]},{"name":"BDA_BCC_RATE_NOT_DEFINED","features":[430]},{"name":"BDA_BCC_RATE_NOT_SET","features":[430]},{"name":"BDA_BUFFER","features":[430]},{"name":"BDA_CAS_CHECK_ENTITLEMENTTOKEN","features":[430]},{"name":"BDA_CAS_CLOSEMMIDATA","features":[430]},{"name":"BDA_CAS_CLOSE_MMIDIALOG","features":[430]},{"name":"BDA_CAS_OPENMMIDATA","features":[430]},{"name":"BDA_CAS_REQUESTTUNERDATA","features":[430]},{"name":"BDA_CA_MODULE_UI","features":[430]},{"name":"BDA_CHANGES_COMPLETE","features":[430]},{"name":"BDA_CHANGES_PENDING","features":[430]},{"name":"BDA_CHANGE_STATE","features":[430]},{"name":"BDA_CHAN_BANDWITH_NOT_DEFINED","features":[430]},{"name":"BDA_CHAN_BANDWITH_NOT_SET","features":[430]},{"name":"BDA_CONDITIONALACCESS_MMICLOSEREASON","features":[430]},{"name":"BDA_CONDITIONALACCESS_REQUESTTYPE","features":[430]},{"name":"BDA_CONDITIONALACCESS_SESSION_RESULT","features":[430]},{"name":"BDA_Channel","features":[430]},{"name":"BDA_Channel_Bandwidth","features":[430]},{"name":"BDA_Comp_Flags","features":[430]},{"name":"BDA_DISCOVERY_COMPLETE","features":[430]},{"name":"BDA_DISCOVERY_REQUIRED","features":[430]},{"name":"BDA_DISCOVERY_STATE","features":[430]},{"name":"BDA_DISCOVERY_UNSPECIFIED","features":[430]},{"name":"BDA_DISEQC_RESPONSE","features":[430]},{"name":"BDA_DISEQC_SEND","features":[430]},{"name":"BDA_DRM_DRMSTATUS","features":[430]},{"name":"BDA_DVBT2_L1_SIGNALLING_DATA","features":[430]},{"name":"BDA_DrmPairingError","features":[430]},{"name":"BDA_DrmPairing_Aborted","features":[430]},{"name":"BDA_DrmPairing_DrmInitFailed","features":[430]},{"name":"BDA_DrmPairing_DrmNotPaired","features":[430]},{"name":"BDA_DrmPairing_DrmRePairSoon","features":[430]},{"name":"BDA_DrmPairing_HardwareFailure","features":[430]},{"name":"BDA_DrmPairing_NeedIndiv","features":[430]},{"name":"BDA_DrmPairing_NeedRevocationData","features":[430]},{"name":"BDA_DrmPairing_NeedSDKUpdate","features":[430]},{"name":"BDA_DrmPairing_Other","features":[430]},{"name":"BDA_DrmPairing_Succeeded","features":[430]},{"name":"BDA_ETHERNET_ADDRESS","features":[430]},{"name":"BDA_ETHERNET_ADDRESS_LIST","features":[430]},{"name":"BDA_EVENT_ACCESS_DENIED","features":[430]},{"name":"BDA_EVENT_ACCESS_GRANTED","features":[430]},{"name":"BDA_EVENT_CHANNEL_ACQUIRED","features":[430]},{"name":"BDA_EVENT_CHANNEL_ACTIVATED","features":[430]},{"name":"BDA_EVENT_CHANNEL_DEACTIVATED","features":[430]},{"name":"BDA_EVENT_CHANNEL_LOST","features":[430]},{"name":"BDA_EVENT_CHANNEL_SOURCE_CHANGED","features":[430]},{"name":"BDA_EVENT_DATA_START","features":[430]},{"name":"BDA_EVENT_DATA_STOP","features":[430]},{"name":"BDA_EVENT_ID","features":[430]},{"name":"BDA_EVENT_OFFER_EXTENDED","features":[430]},{"name":"BDA_EVENT_PURCHASE_COMPLETED","features":[430]},{"name":"BDA_EVENT_SIGNAL_LOCK","features":[430]},{"name":"BDA_EVENT_SIGNAL_LOSS","features":[430]},{"name":"BDA_EVENT_SMART_CARD_INSERTED","features":[430]},{"name":"BDA_EVENT_SMART_CARD_REMOVED","features":[430]},{"name":"BDA_EVENT_SUBCHANNEL_ACQUIRED","features":[430]},{"name":"BDA_EVENT_SUBCHANNEL_ACTIVATED","features":[430]},{"name":"BDA_EVENT_SUBCHANNEL_DEACTIVATED","features":[430]},{"name":"BDA_EVENT_SUBCHANNEL_LOST","features":[430]},{"name":"BDA_EVENT_SUBCHANNEL_SOURCE_CHANGED","features":[430]},{"name":"BDA_E_ACCESS_DENIED","features":[430]},{"name":"BDA_E_BUFFER_TOO_SMALL","features":[430]},{"name":"BDA_E_DISABLED","features":[430]},{"name":"BDA_E_FAILURE","features":[430]},{"name":"BDA_E_INVALID_CAPTURE_TOKEN","features":[430]},{"name":"BDA_E_INVALID_ENTITLEMENT_TOKEN","features":[430]},{"name":"BDA_E_INVALID_HANDLE","features":[430]},{"name":"BDA_E_INVALID_LANGUAGE","features":[430]},{"name":"BDA_E_INVALID_PURCHASE_TOKEN","features":[430]},{"name":"BDA_E_INVALID_SCHEMA","features":[430]},{"name":"BDA_E_INVALID_TUNE_REQUEST","features":[430]},{"name":"BDA_E_INVALID_TYPE","features":[430]},{"name":"BDA_E_IPNETWORK_ADDRESS_NOT_FOUND","features":[430]},{"name":"BDA_E_IPNETWORK_ERROR","features":[430]},{"name":"BDA_E_IPNETWORK_TIMEOUT","features":[430]},{"name":"BDA_E_IPNETWORK_UNAVAILABLE","features":[430]},{"name":"BDA_E_NOT_FOUND","features":[430]},{"name":"BDA_E_NOT_IMPLEMENTED","features":[430]},{"name":"BDA_E_NO_HANDLER","features":[430]},{"name":"BDA_E_NO_MORE_DATA","features":[430]},{"name":"BDA_E_NO_MORE_EVENTS","features":[430]},{"name":"BDA_E_NO_SUCH_COMMAND","features":[430]},{"name":"BDA_E_OUT_OF_BOUNDS","features":[430]},{"name":"BDA_E_OUT_OF_MEMORY","features":[430]},{"name":"BDA_E_OUT_OF_RESOURCES","features":[430]},{"name":"BDA_E_READ_ONLY","features":[430]},{"name":"BDA_E_TIMEOUT_ELAPSED","features":[430]},{"name":"BDA_E_TUNER_CONFLICT","features":[430]},{"name":"BDA_E_TUNER_INITIALIZING","features":[430]},{"name":"BDA_E_TUNER_REQUIRED","features":[430]},{"name":"BDA_E_TUNE_FAILED_SDV01","features":[430]},{"name":"BDA_E_TUNE_FAILED_SDV02","features":[430]},{"name":"BDA_E_TUNE_FAILED_SDV03","features":[430]},{"name":"BDA_E_TUNE_FAILED_SDV04","features":[430]},{"name":"BDA_E_TUNE_FAILED_SDV05","features":[430]},{"name":"BDA_E_TUNE_FAILED_SDV06","features":[430]},{"name":"BDA_E_TUNE_FAILED_SDV07","features":[430]},{"name":"BDA_E_TUNE_FAILED_SDV08","features":[430]},{"name":"BDA_E_TUNE_FAILED_SDVFF","features":[430]},{"name":"BDA_E_WMDRM_INVALID_CERTIFICATE","features":[430]},{"name":"BDA_E_WMDRM_INVALID_DATE","features":[430]},{"name":"BDA_E_WMDRM_INVALID_PROXIMITY","features":[430]},{"name":"BDA_E_WMDRM_INVALID_SIGNATURE","features":[430]},{"name":"BDA_E_WMDRM_INVALID_VERSION","features":[430]},{"name":"BDA_E_WMDRM_KEY_ID_NOT_FOUND","features":[430]},{"name":"BDA_E_WOULD_DISRUPT_STREAMING","features":[430]},{"name":"BDA_FEC_BCH","features":[430]},{"name":"BDA_FEC_LDPC","features":[430]},{"name":"BDA_FEC_MAX","features":[430]},{"name":"BDA_FEC_METHOD_NOT_DEFINED","features":[430]},{"name":"BDA_FEC_METHOD_NOT_SET","features":[430]},{"name":"BDA_FEC_RS_147_130","features":[430]},{"name":"BDA_FEC_RS_204_188","features":[430]},{"name":"BDA_FEC_VITERBI","features":[430]},{"name":"BDA_FILTERED_MULTICAST","features":[430]},{"name":"BDA_FREQUENCY_MULTIPLIER_NOT_DEFINED","features":[430]},{"name":"BDA_FREQUENCY_MULTIPLIER_NOT_SET","features":[430]},{"name":"BDA_FREQUENCY_NOT_DEFINED","features":[430]},{"name":"BDA_FREQUENCY_NOT_SET","features":[430]},{"name":"BDA_Frequency","features":[430]},{"name":"BDA_Frequency_Multiplier","features":[430]},{"name":"BDA_GDDS_DATA","features":[430]},{"name":"BDA_GDDS_DATATYPE","features":[430]},{"name":"BDA_GUARD_19_128","features":[430]},{"name":"BDA_GUARD_19_256","features":[430]},{"name":"BDA_GUARD_1_128","features":[430]},{"name":"BDA_GUARD_1_16","features":[430]},{"name":"BDA_GUARD_1_32","features":[430]},{"name":"BDA_GUARD_1_4","features":[430]},{"name":"BDA_GUARD_1_8","features":[430]},{"name":"BDA_GUARD_MAX","features":[430]},{"name":"BDA_GUARD_NOT_DEFINED","features":[430]},{"name":"BDA_GUARD_NOT_SET","features":[430]},{"name":"BDA_HALPHA_1","features":[430]},{"name":"BDA_HALPHA_2","features":[430]},{"name":"BDA_HALPHA_4","features":[430]},{"name":"BDA_HALPHA_MAX","features":[430]},{"name":"BDA_HALPHA_NOT_DEFINED","features":[430]},{"name":"BDA_HALPHA_NOT_SET","features":[430]},{"name":"BDA_IPv4_ADDRESS","features":[430]},{"name":"BDA_IPv4_ADDRESS_LIST","features":[430]},{"name":"BDA_IPv6_ADDRESS","features":[430]},{"name":"BDA_IPv6_ADDRESS_LIST","features":[430]},{"name":"BDA_ISDBCAS_EMG_REQ","features":[430]},{"name":"BDA_ISDBCAS_REQUESTHEADER","features":[430]},{"name":"BDA_ISDBCAS_RESPONSEDATA","features":[430]},{"name":"BDA_LNB_SOURCE_A","features":[430]},{"name":"BDA_LNB_SOURCE_B","features":[430]},{"name":"BDA_LNB_SOURCE_C","features":[430]},{"name":"BDA_LNB_SOURCE_D","features":[430]},{"name":"BDA_LNB_SOURCE_MAX","features":[430]},{"name":"BDA_LNB_SOURCE_NOT_DEFINED","features":[430]},{"name":"BDA_LNB_SOURCE_NOT_SET","features":[430]},{"name":"BDA_MOD_1024QAM","features":[430]},{"name":"BDA_MOD_112QAM","features":[430]},{"name":"BDA_MOD_128QAM","features":[430]},{"name":"BDA_MOD_160QAM","features":[430]},{"name":"BDA_MOD_16APSK","features":[430]},{"name":"BDA_MOD_16QAM","features":[430]},{"name":"BDA_MOD_16VSB","features":[430]},{"name":"BDA_MOD_192QAM","features":[430]},{"name":"BDA_MOD_224QAM","features":[430]},{"name":"BDA_MOD_256QAM","features":[430]},{"name":"BDA_MOD_320QAM","features":[430]},{"name":"BDA_MOD_32APSK","features":[430]},{"name":"BDA_MOD_32QAM","features":[430]},{"name":"BDA_MOD_384QAM","features":[430]},{"name":"BDA_MOD_448QAM","features":[430]},{"name":"BDA_MOD_512QAM","features":[430]},{"name":"BDA_MOD_640QAM","features":[430]},{"name":"BDA_MOD_64QAM","features":[430]},{"name":"BDA_MOD_768QAM","features":[430]},{"name":"BDA_MOD_80QAM","features":[430]},{"name":"BDA_MOD_896QAM","features":[430]},{"name":"BDA_MOD_8PSK","features":[430]},{"name":"BDA_MOD_8VSB","features":[430]},{"name":"BDA_MOD_96QAM","features":[430]},{"name":"BDA_MOD_ANALOG_AMPLITUDE","features":[430]},{"name":"BDA_MOD_ANALOG_FREQUENCY","features":[430]},{"name":"BDA_MOD_BPSK","features":[430]},{"name":"BDA_MOD_DIRECTV","features":[430]},{"name":"BDA_MOD_ISDB_S_TMCC","features":[430]},{"name":"BDA_MOD_ISDB_T_TMCC","features":[430]},{"name":"BDA_MOD_MAX","features":[430]},{"name":"BDA_MOD_NBC_8PSK","features":[430]},{"name":"BDA_MOD_NBC_QPSK","features":[430]},{"name":"BDA_MOD_NOT_DEFINED","features":[430]},{"name":"BDA_MOD_NOT_SET","features":[430]},{"name":"BDA_MOD_OQPSK","features":[430]},{"name":"BDA_MOD_QPSK","features":[430]},{"name":"BDA_MOD_RF","features":[430]},{"name":"BDA_MULTICAST_MODE","features":[430]},{"name":"BDA_MUX_PIDLISTITEM","features":[430]},{"name":"BDA_NO_MULTICAST","features":[430]},{"name":"BDA_PID_MAP","features":[430]},{"name":"BDA_PID_UNMAP","features":[430]},{"name":"BDA_PILOT_MAX","features":[430]},{"name":"BDA_PILOT_NOT_DEFINED","features":[430]},{"name":"BDA_PILOT_NOT_SET","features":[430]},{"name":"BDA_PILOT_OFF","features":[430]},{"name":"BDA_PILOT_ON","features":[430]},{"name":"BDA_PLP_ID_NOT_SET","features":[430]},{"name":"BDA_POLARISATION_CIRCULAR_L","features":[430]},{"name":"BDA_POLARISATION_CIRCULAR_R","features":[430]},{"name":"BDA_POLARISATION_LINEAR_H","features":[430]},{"name":"BDA_POLARISATION_LINEAR_V","features":[430]},{"name":"BDA_POLARISATION_MAX","features":[430]},{"name":"BDA_POLARISATION_NOT_DEFINED","features":[430]},{"name":"BDA_POLARISATION_NOT_SET","features":[430]},{"name":"BDA_PROGRAM_PID_LIST","features":[430]},{"name":"BDA_PROMISCUOUS_MULTICAST","features":[430]},{"name":"BDA_RANGE_NOT_DEFINED","features":[430]},{"name":"BDA_RANGE_NOT_SET","features":[430]},{"name":"BDA_RATING_PINRESET","features":[430]},{"name":"BDA_ROLL_OFF_20","features":[430]},{"name":"BDA_ROLL_OFF_25","features":[430]},{"name":"BDA_ROLL_OFF_35","features":[430]},{"name":"BDA_ROLL_OFF_MAX","features":[430]},{"name":"BDA_ROLL_OFF_NOT_DEFINED","features":[430]},{"name":"BDA_ROLL_OFF_NOT_SET","features":[430]},{"name":"BDA_Range","features":[430]},{"name":"BDA_SCAN_CAPABILTIES","features":[430]},{"name":"BDA_SCAN_MOD_1024QAM","features":[430]},{"name":"BDA_SCAN_MOD_112QAM","features":[430]},{"name":"BDA_SCAN_MOD_128QAM","features":[430]},{"name":"BDA_SCAN_MOD_160QAM","features":[430]},{"name":"BDA_SCAN_MOD_16APSK","features":[430]},{"name":"BDA_SCAN_MOD_16QAM","features":[430]},{"name":"BDA_SCAN_MOD_16VSB","features":[430]},{"name":"BDA_SCAN_MOD_192QAM","features":[430]},{"name":"BDA_SCAN_MOD_224QAM","features":[430]},{"name":"BDA_SCAN_MOD_256QAM","features":[430]},{"name":"BDA_SCAN_MOD_320QAM","features":[430]},{"name":"BDA_SCAN_MOD_32APSK","features":[430]},{"name":"BDA_SCAN_MOD_32QAM","features":[430]},{"name":"BDA_SCAN_MOD_384QAM","features":[430]},{"name":"BDA_SCAN_MOD_448QAM","features":[430]},{"name":"BDA_SCAN_MOD_512QAM","features":[430]},{"name":"BDA_SCAN_MOD_640QAM","features":[430]},{"name":"BDA_SCAN_MOD_64QAM","features":[430]},{"name":"BDA_SCAN_MOD_768QAM","features":[430]},{"name":"BDA_SCAN_MOD_80QAM","features":[430]},{"name":"BDA_SCAN_MOD_896QAM","features":[430]},{"name":"BDA_SCAN_MOD_8PSK","features":[430]},{"name":"BDA_SCAN_MOD_8VSB","features":[430]},{"name":"BDA_SCAN_MOD_96QAM","features":[430]},{"name":"BDA_SCAN_MOD_AM_RADIO","features":[430]},{"name":"BDA_SCAN_MOD_BPSK","features":[430]},{"name":"BDA_SCAN_MOD_FM_RADIO","features":[430]},{"name":"BDA_SCAN_MOD_OQPSK","features":[430]},{"name":"BDA_SCAN_MOD_QPSK","features":[430]},{"name":"BDA_SCAN_MOD_RF","features":[430]},{"name":"BDA_SCAN_START","features":[430]},{"name":"BDA_SCAN_STATE","features":[430]},{"name":"BDA_SIGNAL_ACTIVE","features":[430]},{"name":"BDA_SIGNAL_INACTIVE","features":[430]},{"name":"BDA_SIGNAL_STATE","features":[430]},{"name":"BDA_SIGNAL_TIMEOUTS","features":[430]},{"name":"BDA_SIGNAL_UNAVAILABLE","features":[430]},{"name":"BDA_SPECTRAL_INVERSION_AUTOMATIC","features":[430]},{"name":"BDA_SPECTRAL_INVERSION_INVERTED","features":[430]},{"name":"BDA_SPECTRAL_INVERSION_MAX","features":[430]},{"name":"BDA_SPECTRAL_INVERSION_NORMAL","features":[430]},{"name":"BDA_SPECTRAL_INVERSION_NOT_DEFINED","features":[430]},{"name":"BDA_SPECTRAL_INVERSION_NOT_SET","features":[430]},{"name":"BDA_STRING","features":[430]},{"name":"BDA_TABLE_SECTION","features":[430]},{"name":"BDA_TEMPLATE_CONNECTION","features":[430]},{"name":"BDA_TEMPLATE_PIN_JOINT","features":[430]},{"name":"BDA_TS_SELECTORINFO","features":[430]},{"name":"BDA_TS_SELECTORINFO_ISDBS_EXT","features":[430]},{"name":"BDA_TUNER_DIAGNOSTICS","features":[430]},{"name":"BDA_TUNER_TUNERSTATE","features":[430]},{"name":"BDA_UNDEFINED_CHANNEL","features":[430]},{"name":"BDA_UNITIALIZED_MPEG2STREAMTYPE","features":[430]},{"name":"BDA_USERACTIVITY_INTERVAL","features":[430]},{"name":"BDA_WMDRMTUNER_PIDPROTECTION","features":[430]},{"name":"BDA_WMDRMTUNER_PURCHASEENTITLEMENT","features":[430]},{"name":"BDA_WMDRM_KEYINFOLIST","features":[430]},{"name":"BDA_WMDRM_RENEWLICENSE","features":[430]},{"name":"BDA_WMDRM_STATUS","features":[430]},{"name":"BDA_XMIT_MODE_16K","features":[430]},{"name":"BDA_XMIT_MODE_1K","features":[430]},{"name":"BDA_XMIT_MODE_2K","features":[430]},{"name":"BDA_XMIT_MODE_2K_INTERLEAVED","features":[430]},{"name":"BDA_XMIT_MODE_32K","features":[430]},{"name":"BDA_XMIT_MODE_4K","features":[430]},{"name":"BDA_XMIT_MODE_4K_INTERLEAVED","features":[430]},{"name":"BDA_XMIT_MODE_8K","features":[430]},{"name":"BDA_XMIT_MODE_MAX","features":[430]},{"name":"BDA_XMIT_MODE_NOT_DEFINED","features":[430]},{"name":"BDA_XMIT_MODE_NOT_SET","features":[430]},{"name":"BinaryConvolutionCodeRate","features":[430]},{"name":"CATEGORY_COUNT","features":[430]},{"name":"CDEF_BYPASS_CLASS_MANAGER","features":[430]},{"name":"CDEF_CLASS_DEFAULT","features":[430]},{"name":"CDEF_DEVMON_CMGR_DEVICE","features":[430]},{"name":"CDEF_DEVMON_DMO","features":[430]},{"name":"CDEF_DEVMON_FILTER","features":[430]},{"name":"CDEF_DEVMON_PNP_DEVICE","features":[430]},{"name":"CDEF_DEVMON_SELECTIVE_MASK","features":[430]},{"name":"CDEF_MERIT_ABOVE_DO_NOT_USE","features":[430]},{"name":"CFSTR_VFW_FILTERLIST","features":[430]},{"name":"CHARS_IN_GUID","features":[430]},{"name":"CK_INDEX","features":[430]},{"name":"CK_NOCOLORKEY","features":[430]},{"name":"CK_RGB","features":[430]},{"name":"CLSID_AMAudioData","features":[430]},{"name":"CLSID_AMAudioStream","features":[430]},{"name":"CLSID_AMDirectDrawStream","features":[430]},{"name":"CLSID_AMMediaTypeStream","features":[430]},{"name":"CLSID_AMMultiMediaStream","features":[430]},{"name":"CLSID_DMOFilterCategory","features":[430]},{"name":"CLSID_DMOWrapperFilter","features":[430]},{"name":"CLSID_PBDA_AUX_DATA_TYPE","features":[430]},{"name":"CLSID_PBDA_Encoder_DATA_TYPE","features":[430]},{"name":"CLSID_PBDA_FDC_DATA_TYPE","features":[430]},{"name":"CLSID_PBDA_GDDS_DATA_TYPE","features":[430]},{"name":"COLORKEY","features":[308,430]},{"name":"COLORKEY_TYPE","features":[430]},{"name":"COMPLETION_STATUS_FLAGS","features":[430]},{"name":"COMPSTAT_ABORT","features":[430]},{"name":"COMPSTAT_NOUPDATEOK","features":[430]},{"name":"COMPSTAT_WAIT","features":[430]},{"name":"CONDITIONALACCESS_ABORTED","features":[430]},{"name":"CONDITIONALACCESS_ACCESS_NOT_POSSIBLE","features":[430]},{"name":"CONDITIONALACCESS_ACCESS_POSSIBLE","features":[430]},{"name":"CONDITIONALACCESS_ACCESS_POSSIBLE_NO_STREAMING_DISRUPTION","features":[430]},{"name":"CONDITIONALACCESS_ACCESS_UNSPECIFIED","features":[430]},{"name":"CONDITIONALACCESS_CLOSED_ITSELF","features":[430]},{"name":"CONDITIONALACCESS_DIALOG_FOCUS_CHANGE","features":[430]},{"name":"CONDITIONALACCESS_DIALOG_TIMEOUT","features":[430]},{"name":"CONDITIONALACCESS_DIALOG_USER_DISMISSED","features":[430]},{"name":"CONDITIONALACCESS_DIALOG_USER_NOT_AVAILABLE","features":[430]},{"name":"CONDITIONALACCESS_ENDED_NOCHANGE","features":[430]},{"name":"CONDITIONALACCESS_SUCCESSFULL","features":[430]},{"name":"CONDITIONALACCESS_TUNER_REQUESTED_CLOSE","features":[430]},{"name":"CONDITIONALACCESS_UNSPECIFIED","features":[430]},{"name":"COPP_ACP_ForceDWORD","features":[430]},{"name":"COPP_ACP_Level0","features":[430]},{"name":"COPP_ACP_Level1","features":[430]},{"name":"COPP_ACP_Level2","features":[430]},{"name":"COPP_ACP_Level3","features":[430]},{"name":"COPP_ACP_LevelMax","features":[430]},{"name":"COPP_ACP_LevelMin","features":[430]},{"name":"COPP_ACP_Protection_Level","features":[430]},{"name":"COPP_AspectRatio_EN300294_Box14by9Center","features":[430]},{"name":"COPP_AspectRatio_EN300294_Box14by9Top","features":[430]},{"name":"COPP_AspectRatio_EN300294_Box16by9Center","features":[430]},{"name":"COPP_AspectRatio_EN300294_Box16by9Top","features":[430]},{"name":"COPP_AspectRatio_EN300294_BoxGT16by9Center","features":[430]},{"name":"COPP_AspectRatio_EN300294_FullFormat16by9Anamorphic","features":[430]},{"name":"COPP_AspectRatio_EN300294_FullFormat4by3","features":[430]},{"name":"COPP_AspectRatio_EN300294_FullFormat4by3ProtectedCenter","features":[430]},{"name":"COPP_AspectRatio_ForceDWORD","features":[430]},{"name":"COPP_BusType","features":[430]},{"name":"COPP_BusType_AGP","features":[430]},{"name":"COPP_BusType_ForceDWORD","features":[430]},{"name":"COPP_BusType_Integrated","features":[430]},{"name":"COPP_BusType_PCI","features":[430]},{"name":"COPP_BusType_PCIExpress","features":[430]},{"name":"COPP_BusType_PCIX","features":[430]},{"name":"COPP_BusType_Unknown","features":[430]},{"name":"COPP_CGMSA_CopyFreely","features":[430]},{"name":"COPP_CGMSA_CopyNever","features":[430]},{"name":"COPP_CGMSA_CopyNoMore","features":[430]},{"name":"COPP_CGMSA_CopyOneGeneration","features":[430]},{"name":"COPP_CGMSA_Disabled","features":[430]},{"name":"COPP_CGMSA_ForceDWORD","features":[430]},{"name":"COPP_CGMSA_LevelMax","features":[430]},{"name":"COPP_CGMSA_LevelMin","features":[430]},{"name":"COPP_CGMSA_Protection_Level","features":[430]},{"name":"COPP_CGMSA_RedistributionControlRequired","features":[430]},{"name":"COPP_ConnectorType","features":[430]},{"name":"COPP_ConnectorType_ComponentVideo","features":[430]},{"name":"COPP_ConnectorType_CompositeVideo","features":[430]},{"name":"COPP_ConnectorType_DVI","features":[430]},{"name":"COPP_ConnectorType_D_JPN","features":[430]},{"name":"COPP_ConnectorType_ForceDWORD","features":[430]},{"name":"COPP_ConnectorType_HDMI","features":[430]},{"name":"COPP_ConnectorType_Internal","features":[430]},{"name":"COPP_ConnectorType_LVDS","features":[430]},{"name":"COPP_ConnectorType_SVideo","features":[430]},{"name":"COPP_ConnectorType_TMDS","features":[430]},{"name":"COPP_ConnectorType_Unknown","features":[430]},{"name":"COPP_ConnectorType_VGA","features":[430]},{"name":"COPP_DefaultProtectionLevel","features":[430]},{"name":"COPP_HDCPFlagsReserved","features":[430]},{"name":"COPP_HDCPRepeater","features":[430]},{"name":"COPP_HDCP_ForceDWORD","features":[430]},{"name":"COPP_HDCP_Level0","features":[430]},{"name":"COPP_HDCP_Level1","features":[430]},{"name":"COPP_HDCP_LevelMax","features":[430]},{"name":"COPP_HDCP_LevelMin","features":[430]},{"name":"COPP_HDCP_Protection_Level","features":[430]},{"name":"COPP_ImageAspectRatio_EN300294","features":[430]},{"name":"COPP_ImageAspectRatio_EN300294_Mask","features":[430]},{"name":"COPP_LinkLost","features":[430]},{"name":"COPP_NoProtectionLevelAvailable","features":[430]},{"name":"COPP_ProtectionStandard_ARIBTRB15_1125i","features":[430]},{"name":"COPP_ProtectionStandard_ARIBTRB15_525i","features":[430]},{"name":"COPP_ProtectionStandard_ARIBTRB15_525p","features":[430]},{"name":"COPP_ProtectionStandard_ARIBTRB15_750p","features":[430]},{"name":"COPP_ProtectionStandard_CEA805A_TypeA_1125i","features":[430]},{"name":"COPP_ProtectionStandard_CEA805A_TypeA_525p","features":[430]},{"name":"COPP_ProtectionStandard_CEA805A_TypeA_750p","features":[430]},{"name":"COPP_ProtectionStandard_CEA805A_TypeB_1125i","features":[430]},{"name":"COPP_ProtectionStandard_CEA805A_TypeB_525p","features":[430]},{"name":"COPP_ProtectionStandard_CEA805A_TypeB_750p","features":[430]},{"name":"COPP_ProtectionStandard_EIA608B_525","features":[430]},{"name":"COPP_ProtectionStandard_EN300294_625i","features":[430]},{"name":"COPP_ProtectionStandard_IEC61880_2_525i","features":[430]},{"name":"COPP_ProtectionStandard_IEC61880_525i","features":[430]},{"name":"COPP_ProtectionStandard_IEC62375_625p","features":[430]},{"name":"COPP_ProtectionStandard_Mask","features":[430]},{"name":"COPP_ProtectionStandard_None","features":[430]},{"name":"COPP_ProtectionStandard_Reserved","features":[430]},{"name":"COPP_ProtectionStandard_Unknown","features":[430]},{"name":"COPP_RenegotiationRequired","features":[430]},{"name":"COPP_StatusFlags","features":[430]},{"name":"COPP_StatusFlagsReserved","features":[430]},{"name":"COPP_StatusHDCPFlags","features":[430]},{"name":"COPP_StatusNormal","features":[430]},{"name":"COPP_TVProtectionStandard","features":[430]},{"name":"CameraControlFlags","features":[430]},{"name":"CameraControlProperty","features":[430]},{"name":"CameraControl_Exposure","features":[430]},{"name":"CameraControl_Flags_Auto","features":[430]},{"name":"CameraControl_Flags_Manual","features":[430]},{"name":"CameraControl_Focus","features":[430]},{"name":"CameraControl_Iris","features":[430]},{"name":"CameraControl_Pan","features":[430]},{"name":"CameraControl_Roll","features":[430]},{"name":"CameraControl_Tilt","features":[430]},{"name":"CameraControl_Zoom","features":[430]},{"name":"CardDataChanged","features":[430]},{"name":"CardError","features":[430]},{"name":"CardFirmwareUpgrade","features":[430]},{"name":"CardInserted","features":[430]},{"name":"CardRemoved","features":[430]},{"name":"CategoryAudio","features":[430]},{"name":"CategoryCaptions","features":[430]},{"name":"CategoryData","features":[430]},{"name":"CategoryNotSet","features":[430]},{"name":"CategoryOther","features":[430]},{"name":"CategorySubtitles","features":[430]},{"name":"CategorySuperimpose","features":[430]},{"name":"CategoryText","features":[430]},{"name":"CategoryVideo","features":[430]},{"name":"ComponentCategory","features":[430]},{"name":"ComponentStatus","features":[430]},{"name":"CompressionCaps","features":[430]},{"name":"CompressionCaps_CanBFrame","features":[430]},{"name":"CompressionCaps_CanCrunch","features":[430]},{"name":"CompressionCaps_CanKeyFrame","features":[430]},{"name":"CompressionCaps_CanQuality","features":[430]},{"name":"CompressionCaps_CanWindow","features":[430]},{"name":"ConstantBitRate","features":[430]},{"name":"DDSFF_FLAGS","features":[430]},{"name":"DDSFF_PROGRESSIVERENDER","features":[430]},{"name":"DECIMATION_DEFAULT","features":[430]},{"name":"DECIMATION_LEGACY","features":[430]},{"name":"DECIMATION_USAGE","features":[430]},{"name":"DECIMATION_USE_DECODER_ONLY","features":[430]},{"name":"DECIMATION_USE_OVERLAY_ONLY","features":[430]},{"name":"DECIMATION_USE_VIDEOPORT_ONLY","features":[430]},{"name":"DECODER_CAP_NOTSUPPORTED","features":[430]},{"name":"DECODER_CAP_SUPPORTED","features":[430]},{"name":"DISPLAY_16x9","features":[430]},{"name":"DISPLAY_4x3_LETTERBOX_PREFERRED","features":[430]},{"name":"DISPLAY_4x3_PANSCAN_PREFERRED","features":[430]},{"name":"DISPLAY_CONTENT_DEFAULT","features":[430]},{"name":"DOLBY_AC3_AUDIO","features":[430]},{"name":"DOLBY_DIGITAL_PLUS_AUDIO_ATSC","features":[430]},{"name":"DVBSystemType","features":[430]},{"name":"DVB_Cable","features":[430]},{"name":"DVB_Satellite","features":[430]},{"name":"DVB_Terrestrial","features":[430]},{"name":"DVDECODERRESOLUTION_180x120","features":[430]},{"name":"DVDECODERRESOLUTION_360x240","features":[430]},{"name":"DVDECODERRESOLUTION_720x480","features":[430]},{"name":"DVDECODERRESOLUTION_88x60","features":[430]},{"name":"DVD_ATR","features":[430]},{"name":"DVD_AUDIO_APPMODE","features":[430]},{"name":"DVD_AUDIO_CAPS_AC3","features":[430]},{"name":"DVD_AUDIO_CAPS_DTS","features":[430]},{"name":"DVD_AUDIO_CAPS_LPCM","features":[430]},{"name":"DVD_AUDIO_CAPS_MPEG2","features":[430]},{"name":"DVD_AUDIO_CAPS_SDDS","features":[430]},{"name":"DVD_AUDIO_FORMAT","features":[430]},{"name":"DVD_AUDIO_LANG_EXT","features":[430]},{"name":"DVD_AUD_EXT_Captions","features":[430]},{"name":"DVD_AUD_EXT_DirectorComments1","features":[430]},{"name":"DVD_AUD_EXT_DirectorComments2","features":[430]},{"name":"DVD_AUD_EXT_NotSpecified","features":[430]},{"name":"DVD_AUD_EXT_VisuallyImpaired","features":[430]},{"name":"DVD_AppMode_Karaoke","features":[430]},{"name":"DVD_AppMode_Not_Specified","features":[430]},{"name":"DVD_AppMode_Other","features":[430]},{"name":"DVD_Assignment_LR","features":[430]},{"name":"DVD_Assignment_LR1","features":[430]},{"name":"DVD_Assignment_LR12","features":[430]},{"name":"DVD_Assignment_LRM","features":[430]},{"name":"DVD_Assignment_LRM1","features":[430]},{"name":"DVD_Assignment_LRM12","features":[430]},{"name":"DVD_Assignment_reserved0","features":[430]},{"name":"DVD_Assignment_reserved1","features":[430]},{"name":"DVD_AudioAttributes","features":[308,430]},{"name":"DVD_AudioDuringFFwdRew","features":[430]},{"name":"DVD_AudioFormat_AC3","features":[430]},{"name":"DVD_AudioFormat_DTS","features":[430]},{"name":"DVD_AudioFormat_LPCM","features":[430]},{"name":"DVD_AudioFormat_MPEG1","features":[430]},{"name":"DVD_AudioFormat_MPEG1_DRC","features":[430]},{"name":"DVD_AudioFormat_MPEG2","features":[430]},{"name":"DVD_AudioFormat_MPEG2_DRC","features":[430]},{"name":"DVD_AudioFormat_Other","features":[430]},{"name":"DVD_AudioFormat_SDDS","features":[430]},{"name":"DVD_AudioMode_Karaoke","features":[430]},{"name":"DVD_AudioMode_None","features":[430]},{"name":"DVD_AudioMode_Other","features":[430]},{"name":"DVD_AudioMode_Surround","features":[430]},{"name":"DVD_CMD_FLAGS","features":[430]},{"name":"DVD_CMD_FLAG_Block","features":[430]},{"name":"DVD_CMD_FLAG_EndAfterRendered","features":[430]},{"name":"DVD_CMD_FLAG_Flush","features":[430]},{"name":"DVD_CMD_FLAG_None","features":[430]},{"name":"DVD_CMD_FLAG_SendEvents","features":[430]},{"name":"DVD_CMD_FLAG_StartWhenRendered","features":[430]},{"name":"DVD_CacheSizeInMB","features":[430]},{"name":"DVD_Channel_Audio","features":[430]},{"name":"DVD_CharSet_ISO646","features":[430]},{"name":"DVD_CharSet_ISO8859_1","features":[430]},{"name":"DVD_CharSet_JIS_Roman_Kanji","features":[430]},{"name":"DVD_CharSet_ShiftJIS_Kanji_Roman_Katakana","features":[430]},{"name":"DVD_CharSet_Unicode","features":[430]},{"name":"DVD_DECODER_CAPS","features":[430]},{"name":"DVD_DEFAULT_AUDIO_STREAM","features":[430]},{"name":"DVD_DIR_BACKWARD","features":[430]},{"name":"DVD_DIR_FORWARD","features":[430]},{"name":"DVD_DISC_SIDE","features":[430]},{"name":"DVD_DOMAIN","features":[430]},{"name":"DVD_DOMAIN_FirstPlay","features":[430]},{"name":"DVD_DOMAIN_Stop","features":[430]},{"name":"DVD_DOMAIN_Title","features":[430]},{"name":"DVD_DOMAIN_VideoManagerMenu","features":[430]},{"name":"DVD_DOMAIN_VideoTitleSetMenu","features":[430]},{"name":"DVD_DisableStillThrottle","features":[430]},{"name":"DVD_ERROR","features":[430]},{"name":"DVD_ERROR_CopyProtectFail","features":[430]},{"name":"DVD_ERROR_CopyProtectOutputFail","features":[430]},{"name":"DVD_ERROR_CopyProtectOutputNotSupported","features":[430]},{"name":"DVD_ERROR_IncompatibleDiscAndDecoderRegions","features":[430]},{"name":"DVD_ERROR_IncompatibleSystemAndDecoderRegions","features":[430]},{"name":"DVD_ERROR_InvalidDVD1_0Disc","features":[430]},{"name":"DVD_ERROR_InvalidDiscRegion","features":[430]},{"name":"DVD_ERROR_LowParentalLevel","features":[430]},{"name":"DVD_ERROR_MacrovisionFail","features":[430]},{"name":"DVD_ERROR_Unexpected","features":[430]},{"name":"DVD_EnableCC","features":[430]},{"name":"DVD_EnableESOutput","features":[430]},{"name":"DVD_EnableExtendedCopyProtectErrors","features":[430]},{"name":"DVD_EnableLoggingEvents","features":[430]},{"name":"DVD_EnableNonblockingAPIs","features":[430]},{"name":"DVD_EnablePortableBookmarks","features":[430]},{"name":"DVD_EnableStreaming","features":[430]},{"name":"DVD_EnableTitleLength","features":[430]},{"name":"DVD_FPS_25","features":[430]},{"name":"DVD_FPS_30NonDrop","features":[430]},{"name":"DVD_FRAMERATE","features":[430]},{"name":"DVD_General_Comments","features":[430]},{"name":"DVD_General_Name","features":[430]},{"name":"DVD_HMSF_TIMECODE","features":[430]},{"name":"DVD_HMSF_TimeCodeEvents","features":[430]},{"name":"DVD_IncreaseOutputControl","features":[430]},{"name":"DVD_KARAOKE_ASSIGNMENT","features":[430]},{"name":"DVD_KARAOKE_CONTENTS","features":[430]},{"name":"DVD_KARAOKE_DOWNMIX","features":[430]},{"name":"DVD_KaraokeAttributes","features":[308,430]},{"name":"DVD_Karaoke_GuideMelody1","features":[430]},{"name":"DVD_Karaoke_GuideMelody2","features":[430]},{"name":"DVD_Karaoke_GuideMelodyA","features":[430]},{"name":"DVD_Karaoke_GuideMelodyB","features":[430]},{"name":"DVD_Karaoke_GuideVocal1","features":[430]},{"name":"DVD_Karaoke_GuideVocal2","features":[430]},{"name":"DVD_Karaoke_SoundEffectA","features":[430]},{"name":"DVD_Karaoke_SoundEffectB","features":[430]},{"name":"DVD_MENU_Angle","features":[430]},{"name":"DVD_MENU_Audio","features":[430]},{"name":"DVD_MENU_Chapter","features":[430]},{"name":"DVD_MENU_ID","features":[430]},{"name":"DVD_MENU_Root","features":[430]},{"name":"DVD_MENU_Subpicture","features":[430]},{"name":"DVD_MENU_Title","features":[430]},{"name":"DVD_MUA_Coeff","features":[430]},{"name":"DVD_MUA_MixingInfo","features":[308,430]},{"name":"DVD_MaxReadBurstInKB","features":[430]},{"name":"DVD_MenuAttributes","features":[308,430]},{"name":"DVD_Mix_0to0","features":[430]},{"name":"DVD_Mix_0to1","features":[430]},{"name":"DVD_Mix_1to0","features":[430]},{"name":"DVD_Mix_1to1","features":[430]},{"name":"DVD_Mix_2to0","features":[430]},{"name":"DVD_Mix_2to1","features":[430]},{"name":"DVD_Mix_3to0","features":[430]},{"name":"DVD_Mix_3to1","features":[430]},{"name":"DVD_Mix_4to0","features":[430]},{"name":"DVD_Mix_4to1","features":[430]},{"name":"DVD_Mix_Lto0","features":[430]},{"name":"DVD_Mix_Lto1","features":[430]},{"name":"DVD_Mix_Rto0","features":[430]},{"name":"DVD_Mix_Rto1","features":[430]},{"name":"DVD_MultichannelAudioAttributes","features":[308,430]},{"name":"DVD_NavCmdType","features":[430]},{"name":"DVD_NavCmdType_Button","features":[430]},{"name":"DVD_NavCmdType_Cell","features":[430]},{"name":"DVD_NavCmdType_Post","features":[430]},{"name":"DVD_NavCmdType_Pre","features":[430]},{"name":"DVD_NotifyParentalLevelChange","features":[430]},{"name":"DVD_NotifyPositionChange","features":[430]},{"name":"DVD_OPTION_FLAG","features":[430]},{"name":"DVD_Other_Cut","features":[430]},{"name":"DVD_Other_Scene","features":[430]},{"name":"DVD_Other_Take","features":[430]},{"name":"DVD_PARENTAL_LEVEL","features":[430]},{"name":"DVD_PARENTAL_LEVEL_1","features":[430]},{"name":"DVD_PARENTAL_LEVEL_2","features":[430]},{"name":"DVD_PARENTAL_LEVEL_3","features":[430]},{"name":"DVD_PARENTAL_LEVEL_4","features":[430]},{"name":"DVD_PARENTAL_LEVEL_5","features":[430]},{"name":"DVD_PARENTAL_LEVEL_6","features":[430]},{"name":"DVD_PARENTAL_LEVEL_7","features":[430]},{"name":"DVD_PARENTAL_LEVEL_8","features":[430]},{"name":"DVD_PB_STOPPED","features":[430]},{"name":"DVD_PB_STOPPED_CopyProtectFailure","features":[430]},{"name":"DVD_PB_STOPPED_CopyProtectOutputFailure","features":[430]},{"name":"DVD_PB_STOPPED_CopyProtectOutputNotSupported","features":[430]},{"name":"DVD_PB_STOPPED_DiscEjected","features":[430]},{"name":"DVD_PB_STOPPED_DiscReadError","features":[430]},{"name":"DVD_PB_STOPPED_IllegalNavCommand","features":[430]},{"name":"DVD_PB_STOPPED_MacrovisionFailure","features":[430]},{"name":"DVD_PB_STOPPED_NoBranch","features":[430]},{"name":"DVD_PB_STOPPED_NoFirstPlayDomain","features":[430]},{"name":"DVD_PB_STOPPED_Other","features":[430]},{"name":"DVD_PB_STOPPED_ParentalFailure","features":[430]},{"name":"DVD_PB_STOPPED_PlayChapterAutoStop","features":[430]},{"name":"DVD_PB_STOPPED_PlayPeriodAutoStop","features":[430]},{"name":"DVD_PB_STOPPED_RegionFailure","features":[430]},{"name":"DVD_PB_STOPPED_Reset","features":[430]},{"name":"DVD_PB_STOPPED_StopCommand","features":[430]},{"name":"DVD_PLAYBACK_LOCATION","features":[430]},{"name":"DVD_PLAYBACK_LOCATION2","features":[430]},{"name":"DVD_PLAY_DIRECTION","features":[430]},{"name":"DVD_PREFERRED_DISPLAY_MODE","features":[430]},{"name":"DVD_REGION","features":[430]},{"name":"DVD_RELATIVE_BUTTON","features":[430]},{"name":"DVD_ReadBurstPeriodInMS","features":[430]},{"name":"DVD_Relative_Left","features":[430]},{"name":"DVD_Relative_Lower","features":[430]},{"name":"DVD_Relative_Right","features":[430]},{"name":"DVD_Relative_Upper","features":[430]},{"name":"DVD_ResetOnStop","features":[430]},{"name":"DVD_RestartDisc","features":[430]},{"name":"DVD_SIDE_A","features":[430]},{"name":"DVD_SIDE_B","features":[430]},{"name":"DVD_SPCoding_Extended","features":[430]},{"name":"DVD_SPCoding_Other","features":[430]},{"name":"DVD_SPCoding_RunLength","features":[430]},{"name":"DVD_SPType_Language","features":[430]},{"name":"DVD_SPType_NotSpecified","features":[430]},{"name":"DVD_SPType_Other","features":[430]},{"name":"DVD_SP_EXT_CC_Big","features":[430]},{"name":"DVD_SP_EXT_CC_Children","features":[430]},{"name":"DVD_SP_EXT_CC_Normal","features":[430]},{"name":"DVD_SP_EXT_Caption_Big","features":[430]},{"name":"DVD_SP_EXT_Caption_Children","features":[430]},{"name":"DVD_SP_EXT_Caption_Normal","features":[430]},{"name":"DVD_SP_EXT_DirectorComments_Big","features":[430]},{"name":"DVD_SP_EXT_DirectorComments_Children","features":[430]},{"name":"DVD_SP_EXT_DirectorComments_Normal","features":[430]},{"name":"DVD_SP_EXT_Forced","features":[430]},{"name":"DVD_SP_EXT_NotSpecified","features":[430]},{"name":"DVD_STREAM_DATA_CURRENT","features":[430]},{"name":"DVD_STREAM_DATA_VMGM","features":[430]},{"name":"DVD_STREAM_DATA_VTSM","features":[430]},{"name":"DVD_SUBPICTURE_CODING","features":[430]},{"name":"DVD_SUBPICTURE_LANG_EXT","features":[430]},{"name":"DVD_SUBPICTURE_TYPE","features":[430]},{"name":"DVD_Stream_Angle","features":[430]},{"name":"DVD_Stream_Audio","features":[430]},{"name":"DVD_Stream_Subpicture","features":[430]},{"name":"DVD_Struct_Cell","features":[430]},{"name":"DVD_Struct_ParentalID","features":[430]},{"name":"DVD_Struct_PartOfTitle","features":[430]},{"name":"DVD_Struct_Title","features":[430]},{"name":"DVD_Struct_Volume","features":[430]},{"name":"DVD_SubpictureAttributes","features":[430]},{"name":"DVD_TC_FLAG_25fps","features":[430]},{"name":"DVD_TC_FLAG_30fps","features":[430]},{"name":"DVD_TC_FLAG_DropFrame","features":[430]},{"name":"DVD_TC_FLAG_Interpolated","features":[430]},{"name":"DVD_TIMECODE","features":[430]},{"name":"DVD_TIMECODE_FLAGS","features":[430]},{"name":"DVD_TITLE_APPMODE","features":[430]},{"name":"DVD_TITLE_MENU","features":[430]},{"name":"DVD_TextCharSet","features":[430]},{"name":"DVD_TextStringType","features":[430]},{"name":"DVD_TitleAttributes","features":[308,430]},{"name":"DVD_Title_Album","features":[430]},{"name":"DVD_Title_Movie","features":[430]},{"name":"DVD_Title_Orig_Album","features":[430]},{"name":"DVD_Title_Orig_Movie","features":[430]},{"name":"DVD_Title_Orig_Other","features":[430]},{"name":"DVD_Title_Orig_Series","features":[430]},{"name":"DVD_Title_Orig_Song","features":[430]},{"name":"DVD_Title_Orig_Video","features":[430]},{"name":"DVD_Title_Other","features":[430]},{"name":"DVD_Title_Series","features":[430]},{"name":"DVD_Title_Song","features":[430]},{"name":"DVD_Title_Sub_Album","features":[430]},{"name":"DVD_Title_Sub_Movie","features":[430]},{"name":"DVD_Title_Sub_Other","features":[430]},{"name":"DVD_Title_Sub_Series","features":[430]},{"name":"DVD_Title_Sub_Song","features":[430]},{"name":"DVD_Title_Sub_Video","features":[430]},{"name":"DVD_Title_Video","features":[430]},{"name":"DVD_VIDEO_COMPRESSION","features":[430]},{"name":"DVD_VideoAttributes","features":[308,430]},{"name":"DVD_VideoCompression_MPEG1","features":[430]},{"name":"DVD_VideoCompression_MPEG2","features":[430]},{"name":"DVD_VideoCompression_Other","features":[430]},{"name":"DVD_WARNING","features":[430]},{"name":"DVD_WARNING_FormatNotSupported","features":[430]},{"name":"DVD_WARNING_IllegalNavCommand","features":[430]},{"name":"DVD_WARNING_InvalidDVD1_0Disc","features":[430]},{"name":"DVD_WARNING_Open","features":[430]},{"name":"DVD_WARNING_Read","features":[430]},{"name":"DVD_WARNING_Seek","features":[430]},{"name":"DVENCODERFORMAT_DVHD","features":[430]},{"name":"DVENCODERFORMAT_DVSD","features":[430]},{"name":"DVENCODERFORMAT_DVSL","features":[430]},{"name":"DVENCODERRESOLUTION_180x120","features":[430]},{"name":"DVENCODERRESOLUTION_360x240","features":[430]},{"name":"DVENCODERRESOLUTION_720x480","features":[430]},{"name":"DVENCODERRESOLUTION_88x60","features":[430]},{"name":"DVENCODERVIDEOFORMAT_NTSC","features":[430]},{"name":"DVENCODERVIDEOFORMAT_PAL","features":[430]},{"name":"DVINFO","features":[430]},{"name":"DVRESOLUTION_DC","features":[430]},{"name":"DVRESOLUTION_FULL","features":[430]},{"name":"DVRESOLUTION_HALF","features":[430]},{"name":"DVRESOLUTION_QUARTER","features":[430]},{"name":"DWORD_ALLPARAMS","features":[430]},{"name":"DXVA2SW_CALLBACKS","features":[308,317,430,431]},{"name":"DXVA2TraceVideoProcessBltData","features":[308,430,337]},{"name":"DXVA2Trace_Control","features":[430]},{"name":"DXVA2Trace_DecodeDevBeginFrame","features":[430]},{"name":"DXVA2Trace_DecodeDevBeginFrameData","features":[308,430,337]},{"name":"DXVA2Trace_DecodeDevCreated","features":[430]},{"name":"DXVA2Trace_DecodeDevCreatedData","features":[308,430,337]},{"name":"DXVA2Trace_DecodeDevDestroyed","features":[430]},{"name":"DXVA2Trace_DecodeDevEndFrame","features":[430]},{"name":"DXVA2Trace_DecodeDevExecute","features":[430]},{"name":"DXVA2Trace_DecodeDevGetBuffer","features":[430]},{"name":"DXVA2Trace_DecodeDevGetBufferData","features":[308,430,337]},{"name":"DXVA2Trace_DecodeDeviceData","features":[308,430,337]},{"name":"DXVA2Trace_VideoProcessBlt","features":[430]},{"name":"DXVA2Trace_VideoProcessDevCreated","features":[430]},{"name":"DXVA2Trace_VideoProcessDevCreatedData","features":[308,430,337]},{"name":"DXVA2Trace_VideoProcessDevDestroyed","features":[430]},{"name":"DXVA2Trace_VideoProcessDeviceData","features":[308,430,337]},{"name":"DXVA2_DestinationFlagMask","features":[430]},{"name":"DXVA2_DestinationFlag_Alpha_Changed","features":[430]},{"name":"DXVA2_DestinationFlag_Background_Changed","features":[430]},{"name":"DXVA2_DestinationFlag_ColorData_Changed","features":[430]},{"name":"DXVA2_DestinationFlag_RFF","features":[430]},{"name":"DXVA2_DestinationFlag_RFF_TFF_Present","features":[430]},{"name":"DXVA2_DestinationFlag_TFF","features":[430]},{"name":"DXVA2_DestinationFlag_TargetRect_Changed","features":[430]},{"name":"DXVA2_DestinationFlags","features":[430]},{"name":"DXVA2_SampleFlag_ColorData_Changed","features":[430]},{"name":"DXVA2_SampleFlag_DstRect_Changed","features":[430]},{"name":"DXVA2_SampleFlag_Palette_Changed","features":[430]},{"name":"DXVA2_SampleFlag_PlanarAlpha_Changed","features":[430]},{"name":"DXVA2_SampleFlag_RFF","features":[430]},{"name":"DXVA2_SampleFlag_RFF_TFF_Present","features":[430]},{"name":"DXVA2_SampleFlag_SrcRect_Changed","features":[430]},{"name":"DXVA2_SampleFlag_TFF","features":[430]},{"name":"DXVA2_SampleFlags","features":[430]},{"name":"DXVA2_SampleFlagsMask","features":[430]},{"name":"DXVA2_VIDEOPROCESSBLT","features":[308,430,431]},{"name":"DXVA2_VIDEOSAMPLE","features":[308,430,431]},{"name":"DXVA_ALPHA_BLEND_COMBINATION_BUFFER","features":[430]},{"name":"DXVA_ALPHA_BLEND_COMBINATION_FUNCTION","features":[430]},{"name":"DXVA_ALPHA_BLEND_DATA_LOAD_FUNCTION","features":[430]},{"name":"DXVA_AYUV_BUFFER","features":[430]},{"name":"DXVA_BIDIRECTIONAL_AVERAGING_H263_TRUNC","features":[430]},{"name":"DXVA_BIDIRECTIONAL_AVERAGING_MPEG2_ROUND","features":[430]},{"name":"DXVA_BITSTREAM_CONCEALMENT_METHOD_BACKWARD","features":[430]},{"name":"DXVA_BITSTREAM_CONCEALMENT_METHOD_FORWARD","features":[430]},{"name":"DXVA_BITSTREAM_CONCEALMENT_METHOD_INTRA","features":[430]},{"name":"DXVA_BITSTREAM_CONCEALMENT_METHOD_UNSPECIFIED","features":[430]},{"name":"DXVA_BITSTREAM_CONCEALMENT_NEED_LIKELY","features":[430]},{"name":"DXVA_BITSTREAM_CONCEALMENT_NEED_MILD","features":[430]},{"name":"DXVA_BITSTREAM_CONCEALMENT_NEED_SEVERE","features":[430]},{"name":"DXVA_BITSTREAM_CONCEALMENT_NEED_UNLIKELY","features":[430]},{"name":"DXVA_BITSTREAM_DATA_BUFFER","features":[430]},{"name":"DXVA_CHROMA_FORMAT_420","features":[430]},{"name":"DXVA_CHROMA_FORMAT_422","features":[430]},{"name":"DXVA_CHROMA_FORMAT_444","features":[430]},{"name":"DXVA_COMPBUFFER_TYPE_THAT_IS_NOT_USED","features":[430]},{"name":"DXVA_CONFIG_BLEND_TYPE_BACK_HARDWARE","features":[430]},{"name":"DXVA_CONFIG_BLEND_TYPE_FRONT_BUFFER","features":[430]},{"name":"DXVA_CONFIG_DATA_TYPE_AI44","features":[430]},{"name":"DXVA_CONFIG_DATA_TYPE_AYUV","features":[430]},{"name":"DXVA_CONFIG_DATA_TYPE_DPXD","features":[430]},{"name":"DXVA_CONFIG_DATA_TYPE_IA44","features":[430]},{"name":"DXVA_COPPCommandFnCode","features":[430]},{"name":"DXVA_COPPDevice","features":[430]},{"name":"DXVA_COPPGetCertificateLengthFnCode","features":[430]},{"name":"DXVA_COPPKeyExchangeFnCode","features":[430]},{"name":"DXVA_COPPQueryBusData","features":[430]},{"name":"DXVA_COPPQueryConnectorType","features":[430]},{"name":"DXVA_COPPQueryDisplayData","features":[430]},{"name":"DXVA_COPPQueryGlobalProtectionLevel","features":[430]},{"name":"DXVA_COPPQueryHDCPKeyData","features":[430]},{"name":"DXVA_COPPQueryLocalProtectionLevel","features":[430]},{"name":"DXVA_COPPQueryProtectionType","features":[430]},{"name":"DXVA_COPPQuerySignaling","features":[430]},{"name":"DXVA_COPPQueryStatusFnCode","features":[430]},{"name":"DXVA_COPPSequenceStartFnCode","features":[430]},{"name":"DXVA_COPPSetProtectionLevel","features":[430]},{"name":"DXVA_COPPSetProtectionLevelCmdData","features":[430]},{"name":"DXVA_COPPSetSignaling","features":[430]},{"name":"DXVA_COPPSetSignalingCmdData","features":[430]},{"name":"DXVA_COPPStatusData","features":[430]},{"name":"DXVA_COPPStatusDisplayData","features":[430]},{"name":"DXVA_COPPStatusHDCPKeyData","features":[430]},{"name":"DXVA_COPPStatusSignalingCmdData","features":[430]},{"name":"DXVA_DCCMD_SURFACE_BUFFER","features":[430]},{"name":"DXVA_DEBLOCKING_CONTROL_BUFFER","features":[430]},{"name":"DXVA_DEBLOCKING_FILTER_FUNCTION","features":[430]},{"name":"DXVA_DPXD_SURFACE_BUFFER","features":[430]},{"name":"DXVA_DeinterlaceBltExFnCode","features":[430]},{"name":"DXVA_DeinterlaceBltFnCode","features":[430]},{"name":"DXVA_DeinterlaceBobDevice","features":[430]},{"name":"DXVA_DeinterlaceContainerDevice","features":[430]},{"name":"DXVA_DeinterlaceQueryAvailableModesFnCode","features":[430]},{"name":"DXVA_DeinterlaceQueryModeCapsFnCode","features":[430]},{"name":"DXVA_ENCRYPTPROTOCOLFUNCFLAG_ACCEL","features":[430]},{"name":"DXVA_ENCRYPTPROTOCOLFUNCFLAG_HOST","features":[430]},{"name":"DXVA_EXECUTE_RETURN_DATA_ERROR_MINOR","features":[430]},{"name":"DXVA_EXECUTE_RETURN_DATA_ERROR_SEVERE","features":[430]},{"name":"DXVA_EXECUTE_RETURN_DATA_ERROR_SIGNIF","features":[430]},{"name":"DXVA_EXECUTE_RETURN_OK","features":[430]},{"name":"DXVA_EXECUTE_RETURN_OTHER_ERROR_SEVERE","features":[430]},{"name":"DXVA_ExtColorData_ShiftBase","features":[430]},{"name":"DXVA_FILM_GRAIN_BUFFER","features":[430]},{"name":"DXVA_FILM_GRAIN_SYNTHESIS_FUNCTION","features":[430]},{"name":"DXVA_HIGHLIGHT_BUFFER","features":[430]},{"name":"DXVA_IA44_SURFACE_BUFFER","features":[430]},{"name":"DXVA_INVERSE_QUANTIZATION_MATRIX_BUFFER","features":[430]},{"name":"DXVA_MACROBLOCK_CONTROL_BUFFER","features":[430]},{"name":"DXVA_MOTION_VECTOR_BUFFER","features":[430]},{"name":"DXVA_MV_PRECISION_AND_CHROMA_RELATION_H261","features":[430]},{"name":"DXVA_MV_PRECISION_AND_CHROMA_RELATION_H263","features":[430]},{"name":"DXVA_MV_PRECISION_AND_CHROMA_RELATION_MPEG2","features":[430]},{"name":"DXVA_ModeAV1_VLD_12bit_Profile2","features":[430]},{"name":"DXVA_ModeAV1_VLD_12bit_Profile2_420","features":[430]},{"name":"DXVA_ModeAV1_VLD_Profile0","features":[430]},{"name":"DXVA_ModeAV1_VLD_Profile1","features":[430]},{"name":"DXVA_ModeAV1_VLD_Profile2","features":[430]},{"name":"DXVA_ModeH261_A","features":[430]},{"name":"DXVA_ModeH261_B","features":[430]},{"name":"DXVA_ModeH263_A","features":[430]},{"name":"DXVA_ModeH263_B","features":[430]},{"name":"DXVA_ModeH263_C","features":[430]},{"name":"DXVA_ModeH263_D","features":[430]},{"name":"DXVA_ModeH263_E","features":[430]},{"name":"DXVA_ModeH263_F","features":[430]},{"name":"DXVA_ModeH264_A","features":[430]},{"name":"DXVA_ModeH264_B","features":[430]},{"name":"DXVA_ModeH264_C","features":[430]},{"name":"DXVA_ModeH264_D","features":[430]},{"name":"DXVA_ModeH264_E","features":[430]},{"name":"DXVA_ModeH264_F","features":[430]},{"name":"DXVA_ModeH264_VLD_Multiview_NoFGT","features":[430]},{"name":"DXVA_ModeH264_VLD_Stereo_NoFGT","features":[430]},{"name":"DXVA_ModeH264_VLD_Stereo_Progressive_NoFGT","features":[430]},{"name":"DXVA_ModeH264_VLD_WithFMOASO_NoFGT","features":[430]},{"name":"DXVA_ModeHEVC_VLD_Main","features":[430]},{"name":"DXVA_ModeHEVC_VLD_Main10","features":[430]},{"name":"DXVA_ModeMPEG1_A","features":[430]},{"name":"DXVA_ModeMPEG1_VLD","features":[430]},{"name":"DXVA_ModeMPEG2_A","features":[430]},{"name":"DXVA_ModeMPEG2_B","features":[430]},{"name":"DXVA_ModeMPEG2_C","features":[430]},{"name":"DXVA_ModeMPEG2_D","features":[430]},{"name":"DXVA_ModeMPEG2and1_VLD","features":[430]},{"name":"DXVA_ModeMPEG4pt2_VLD_AdvSimple_GMC","features":[430]},{"name":"DXVA_ModeMPEG4pt2_VLD_AdvSimple_NoGMC","features":[430]},{"name":"DXVA_ModeMPEG4pt2_VLD_Simple","features":[430]},{"name":"DXVA_ModeNone","features":[430]},{"name":"DXVA_ModeVC1_A","features":[430]},{"name":"DXVA_ModeVC1_B","features":[430]},{"name":"DXVA_ModeVC1_C","features":[430]},{"name":"DXVA_ModeVC1_D","features":[430]},{"name":"DXVA_ModeVC1_D2010","features":[430]},{"name":"DXVA_ModeVP8_VLD","features":[430]},{"name":"DXVA_ModeVP9_VLD_10bit_Profile2","features":[430]},{"name":"DXVA_ModeVP9_VLD_Profile0","features":[430]},{"name":"DXVA_ModeWMV8_A","features":[430]},{"name":"DXVA_ModeWMV8_B","features":[430]},{"name":"DXVA_ModeWMV9_A","features":[430]},{"name":"DXVA_ModeWMV9_B","features":[430]},{"name":"DXVA_ModeWMV9_C","features":[430]},{"name":"DXVA_NUM_TYPES_COMP_BUFFERS","features":[430]},{"name":"DXVA_NoEncrypt","features":[430]},{"name":"DXVA_NumMV_OBMC_off_BinPBwith4MV_off","features":[430]},{"name":"DXVA_NumMV_OBMC_off_BinPBwith4MV_on","features":[430]},{"name":"DXVA_NumMV_OBMC_on__BinPB_off","features":[430]},{"name":"DXVA_NumMV_OBMC_on__BinPB_on","features":[430]},{"name":"DXVA_PICTURE_DECODE_BUFFER","features":[430]},{"name":"DXVA_PICTURE_DECODING_FUNCTION","features":[430]},{"name":"DXVA_PICTURE_RESAMPLE_BUFFER","features":[430]},{"name":"DXVA_PICTURE_RESAMPLE_FUNCTION","features":[430]},{"name":"DXVA_PICTURE_STRUCTURE_BOTTOM_FIELD","features":[430]},{"name":"DXVA_PICTURE_STRUCTURE_FRAME","features":[430]},{"name":"DXVA_PICTURE_STRUCTURE_TOP_FIELD","features":[430]},{"name":"DXVA_ProcAmpControlBltFnCode","features":[430]},{"name":"DXVA_ProcAmpControlDevice","features":[430]},{"name":"DXVA_ProcAmpControlQueryCapsFnCode","features":[430]},{"name":"DXVA_ProcAmpControlQueryRangeFnCode","features":[430]},{"name":"DXVA_QUERYORREPLYFUNCFLAG_ACCEL_LOCK_FALSE_PLUS","features":[430]},{"name":"DXVA_QUERYORREPLYFUNCFLAG_ACCEL_LOCK_OK_COPY","features":[430]},{"name":"DXVA_QUERYORREPLYFUNCFLAG_ACCEL_PROBE_FALSE_PLUS","features":[430]},{"name":"DXVA_QUERYORREPLYFUNCFLAG_ACCEL_PROBE_OK_COPY","features":[430]},{"name":"DXVA_QUERYORREPLYFUNCFLAG_ACCEL_PROBE_OK_PLUS","features":[430]},{"name":"DXVA_QUERYORREPLYFUNCFLAG_DECODER_LOCK_QUERY","features":[430]},{"name":"DXVA_QUERYORREPLYFUNCFLAG_DECODER_PROBE_QUERY","features":[430]},{"name":"DXVA_READ_BACK_BUFFER","features":[430]},{"name":"DXVA_RESIDUAL_DIFFERENCE_BUFFER","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H261_A","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H261_B","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H263_A","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H263_B","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H263_C","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H263_D","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H263_E","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H263_F","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H264_A","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H264_B","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H264_C","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H264_D","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H264_E","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H264_F","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H264_IDCT_FGT","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H264_IDCT_NOFGT","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H264_MOCOMP_FGT","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H264_MOCOMP_NOFGT","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H264_VLD_FGT","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H264_VLD_MULTIVIEW_NOFGT","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H264_VLD_NOFGT","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H264_VLD_STEREO_NOFGT","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H264_VLD_STEREO_PROGRESSIVE_NOFGT","features":[430]},{"name":"DXVA_RESTRICTED_MODE_H264_VLD_WITHFMOASO_NOFGT","features":[430]},{"name":"DXVA_RESTRICTED_MODE_MPEG1_A","features":[430]},{"name":"DXVA_RESTRICTED_MODE_MPEG1_VLD","features":[430]},{"name":"DXVA_RESTRICTED_MODE_MPEG2_A","features":[430]},{"name":"DXVA_RESTRICTED_MODE_MPEG2_B","features":[430]},{"name":"DXVA_RESTRICTED_MODE_MPEG2_C","features":[430]},{"name":"DXVA_RESTRICTED_MODE_MPEG2_D","features":[430]},{"name":"DXVA_RESTRICTED_MODE_MPEG2and1_VLD","features":[430]},{"name":"DXVA_RESTRICTED_MODE_MPEG4PT2_VLD_ADV_SIMPLE_GMC","features":[430]},{"name":"DXVA_RESTRICTED_MODE_MPEG4PT2_VLD_ADV_SIMPLE_NOGMC","features":[430]},{"name":"DXVA_RESTRICTED_MODE_MPEG4PT2_VLD_SIMPLE","features":[430]},{"name":"DXVA_RESTRICTED_MODE_UNRESTRICTED","features":[430]},{"name":"DXVA_RESTRICTED_MODE_VC1_A","features":[430]},{"name":"DXVA_RESTRICTED_MODE_VC1_B","features":[430]},{"name":"DXVA_RESTRICTED_MODE_VC1_C","features":[430]},{"name":"DXVA_RESTRICTED_MODE_VC1_D","features":[430]},{"name":"DXVA_RESTRICTED_MODE_VC1_D2010","features":[430]},{"name":"DXVA_RESTRICTED_MODE_VC1_IDCT","features":[430]},{"name":"DXVA_RESTRICTED_MODE_VC1_MOCOMP","features":[430]},{"name":"DXVA_RESTRICTED_MODE_VC1_POSTPROC","features":[430]},{"name":"DXVA_RESTRICTED_MODE_VC1_VLD","features":[430]},{"name":"DXVA_RESTRICTED_MODE_WMV8_A","features":[430]},{"name":"DXVA_RESTRICTED_MODE_WMV8_B","features":[430]},{"name":"DXVA_RESTRICTED_MODE_WMV8_MOCOMP","features":[430]},{"name":"DXVA_RESTRICTED_MODE_WMV8_POSTPROC","features":[430]},{"name":"DXVA_RESTRICTED_MODE_WMV9_A","features":[430]},{"name":"DXVA_RESTRICTED_MODE_WMV9_B","features":[430]},{"name":"DXVA_RESTRICTED_MODE_WMV9_C","features":[430]},{"name":"DXVA_RESTRICTED_MODE_WMV9_IDCT","features":[430]},{"name":"DXVA_RESTRICTED_MODE_WMV9_MOCOMP","features":[430]},{"name":"DXVA_RESTRICTED_MODE_WMV9_POSTPROC","features":[430]},{"name":"DXVA_SCAN_METHOD_ALTERNATE_HORIZONTAL","features":[430]},{"name":"DXVA_SCAN_METHOD_ALTERNATE_VERTICAL","features":[430]},{"name":"DXVA_SCAN_METHOD_ARBITRARY","features":[430]},{"name":"DXVA_SCAN_METHOD_ZIG_ZAG","features":[430]},{"name":"DXVA_SLICE_CONTROL_BUFFER","features":[430]},{"name":"DXVA_STATUS_REPORTING_FUNCTION","features":[430]},{"name":"DXVA_USUAL_BLOCK_HEIGHT","features":[430]},{"name":"DXVA_USUAL_BLOCK_WIDTH","features":[430]},{"name":"DeinterlacePref9_BOB","features":[430]},{"name":"DeinterlacePref9_Mask","features":[430]},{"name":"DeinterlacePref9_NextBest","features":[430]},{"name":"DeinterlacePref9_Weave","features":[430]},{"name":"DeinterlacePref_BOB","features":[430]},{"name":"DeinterlacePref_Mask","features":[430]},{"name":"DeinterlacePref_NextBest","features":[430]},{"name":"DeinterlacePref_Weave","features":[430]},{"name":"DeinterlaceTech9_BOBLineReplicate","features":[430]},{"name":"DeinterlaceTech9_BOBVerticalStretch","features":[430]},{"name":"DeinterlaceTech9_EdgeFiltering","features":[430]},{"name":"DeinterlaceTech9_FieldAdaptive","features":[430]},{"name":"DeinterlaceTech9_MedianFiltering","features":[430]},{"name":"DeinterlaceTech9_MotionVectorSteered","features":[430]},{"name":"DeinterlaceTech9_PixelAdaptive","features":[430]},{"name":"DeinterlaceTech9_Unknown","features":[430]},{"name":"DeinterlaceTech_BOBLineReplicate","features":[430]},{"name":"DeinterlaceTech_BOBVerticalStretch","features":[430]},{"name":"DeinterlaceTech_EdgeFiltering","features":[430]},{"name":"DeinterlaceTech_FieldAdaptive","features":[430]},{"name":"DeinterlaceTech_MedianFiltering","features":[430]},{"name":"DeinterlaceTech_MotionVectorSteered","features":[430]},{"name":"DeinterlaceTech_PixelAdaptive","features":[430]},{"name":"DeinterlaceTech_Unknown","features":[430]},{"name":"DeviceClosed","features":[430]},{"name":"Disabled","features":[430]},{"name":"EALocationCodeType","features":[430]},{"name":"EC_ACTIVATE","features":[430]},{"name":"EC_BANDWIDTHCHANGE","features":[430]},{"name":"EC_BUFFERING_DATA","features":[430]},{"name":"EC_BUILT","features":[430]},{"name":"EC_CLOCK_CHANGED","features":[430]},{"name":"EC_CLOCK_UNSET","features":[430]},{"name":"EC_CODECAPI_EVENT","features":[430]},{"name":"EC_COMPLETE","features":[430]},{"name":"EC_CONTENTPROPERTY_CHANGED","features":[430]},{"name":"EC_DEVICE_LOST","features":[430]},{"name":"EC_DISPLAY_CHANGED","features":[430]},{"name":"EC_DVDBASE","features":[430]},{"name":"EC_DVD_ANGLES_AVAILABLE","features":[430]},{"name":"EC_DVD_ANGLE_CHANGE","features":[430]},{"name":"EC_DVD_AUDIO_STREAM_CHANGE","features":[430]},{"name":"EC_DVD_BUTTON_AUTO_ACTIVATED","features":[430]},{"name":"EC_DVD_BUTTON_CHANGE","features":[430]},{"name":"EC_DVD_BeginNavigationCommands","features":[430]},{"name":"EC_DVD_CHAPTER_AUTOSTOP","features":[430]},{"name":"EC_DVD_CHAPTER_START","features":[430]},{"name":"EC_DVD_CMD_END","features":[430]},{"name":"EC_DVD_CMD_START","features":[430]},{"name":"EC_DVD_CURRENT_HMSF_TIME","features":[430]},{"name":"EC_DVD_CURRENT_TIME","features":[430]},{"name":"EC_DVD_DISC_EJECTED","features":[430]},{"name":"EC_DVD_DISC_INSERTED","features":[430]},{"name":"EC_DVD_DOMAIN_CHANGE","features":[430]},{"name":"EC_DVD_ERROR","features":[430]},{"name":"EC_DVD_GPRM_Change","features":[430]},{"name":"EC_DVD_KARAOKE_MODE","features":[430]},{"name":"EC_DVD_NO_FP_PGC","features":[430]},{"name":"EC_DVD_NavigationCommand","features":[430]},{"name":"EC_DVD_PARENTAL_LEVEL_CHANGE","features":[430]},{"name":"EC_DVD_PLAYBACK_RATE_CHANGE","features":[430]},{"name":"EC_DVD_PLAYBACK_STOPPED","features":[430]},{"name":"EC_DVD_PLAYPERIOD_AUTOSTOP","features":[430]},{"name":"EC_DVD_PROGRAM_CELL_CHANGE","features":[430]},{"name":"EC_DVD_PROGRAM_CHAIN_CHANGE","features":[430]},{"name":"EC_DVD_SPRM_Change","features":[430]},{"name":"EC_DVD_STILL_OFF","features":[430]},{"name":"EC_DVD_STILL_ON","features":[430]},{"name":"EC_DVD_SUBPICTURE_STREAM_CHANGE","features":[430]},{"name":"EC_DVD_TITLE_CHANGE","features":[430]},{"name":"EC_DVD_TITLE_SET_CHANGE","features":[430]},{"name":"EC_DVD_VALID_UOPS_CHANGE","features":[430]},{"name":"EC_DVD_VOBU_Offset","features":[430]},{"name":"EC_DVD_VOBU_Timestamp","features":[430]},{"name":"EC_DVD_WARNING","features":[430]},{"name":"EC_END_OF_SEGMENT","features":[430]},{"name":"EC_EOS_SOON","features":[430]},{"name":"EC_ERRORABORT","features":[430]},{"name":"EC_ERRORABORTEX","features":[430]},{"name":"EC_ERROR_STILLPLAYING","features":[430]},{"name":"EC_EXTDEVICE_MODE_CHANGE","features":[430]},{"name":"EC_FILE_CLOSED","features":[430]},{"name":"EC_FULLSCREEN_LOST","features":[430]},{"name":"EC_GRAPH_CHANGED","features":[430]},{"name":"EC_LENGTH_CHANGED","features":[430]},{"name":"EC_LOADSTATUS","features":[430]},{"name":"EC_MARKER_HIT","features":[430]},{"name":"EC_NEED_RESTART","features":[430]},{"name":"EC_NEW_PIN","features":[430]},{"name":"EC_NOTIFY_WINDOW","features":[430]},{"name":"EC_OLE_EVENT","features":[430]},{"name":"EC_OPENING_FILE","features":[430]},{"name":"EC_PALETTE_CHANGED","features":[430]},{"name":"EC_PAUSED","features":[430]},{"name":"EC_PLEASE_REOPEN","features":[430]},{"name":"EC_PREPROCESS_COMPLETE","features":[430]},{"name":"EC_PROCESSING_LATENCY","features":[430]},{"name":"EC_QUALITY_CHANGE","features":[430]},{"name":"EC_RENDER_FINISHED","features":[430]},{"name":"EC_REPAINT","features":[430]},{"name":"EC_SAMPLE_LATENCY","features":[430]},{"name":"EC_SAMPLE_NEEDED","features":[430]},{"name":"EC_SCRUB_TIME","features":[430]},{"name":"EC_SEGMENT_STARTED","features":[430]},{"name":"EC_SHUTTING_DOWN","features":[430]},{"name":"EC_SKIP_FRAMES","features":[430]},{"name":"EC_SNDDEV_IN_ERROR","features":[430]},{"name":"EC_SNDDEV_OUT_ERROR","features":[430]},{"name":"EC_SND_DEVICE_ERROR_BASE","features":[430]},{"name":"EC_STARVATION","features":[430]},{"name":"EC_STATE_CHANGE","features":[430]},{"name":"EC_STATUS","features":[430]},{"name":"EC_STEP_COMPLETE","features":[430]},{"name":"EC_STREAM_CONTROL_STARTED","features":[430]},{"name":"EC_STREAM_CONTROL_STOPPED","features":[430]},{"name":"EC_STREAM_ERROR_STILLPLAYING","features":[430]},{"name":"EC_STREAM_ERROR_STOPPED","features":[430]},{"name":"EC_SYSTEMBASE","features":[430]},{"name":"EC_TIME","features":[430]},{"name":"EC_TIMECODE_AVAILABLE","features":[430]},{"name":"EC_UNBUILT","features":[430]},{"name":"EC_USER","features":[430]},{"name":"EC_USERABORT","features":[430]},{"name":"EC_VIDEOFRAMEREADY","features":[430]},{"name":"EC_VIDEO_SIZE_CHANGED","features":[430]},{"name":"EC_VMR_RECONNECTION_FAILED","features":[430]},{"name":"EC_VMR_RENDERDEVICE_SET","features":[430]},{"name":"EC_VMR_SURFACE_FLIPPED","features":[430]},{"name":"EC_WINDOW_DESTROYED","features":[430]},{"name":"EC_WMT_EVENT","features":[430]},{"name":"EC_WMT_EVENT_BASE","features":[430]},{"name":"EC_WMT_INDEX_EVENT","features":[430]},{"name":"E_PROP_ID_UNSUPPORTED","features":[430]},{"name":"E_PROP_SET_UNSUPPORTED","features":[430]},{"name":"Entitled","features":[430]},{"name":"EntitlementType","features":[430]},{"name":"ErrorClosed","features":[430]},{"name":"FECMethod","features":[430]},{"name":"FILTER_INFO","features":[430]},{"name":"FILTER_STATE","features":[430]},{"name":"FORMAT_DVD_LPCMAudio","features":[430]},{"name":"FORMAT_DolbyAC3","features":[430]},{"name":"FORMAT_Image","features":[430]},{"name":"FORMAT_JPEGImage","features":[430]},{"name":"FORMAT_MPEG2Audio","features":[430]},{"name":"FORMAT_MPEG2Video","features":[430]},{"name":"FORMAT_MPEG2_VIDEO","features":[430]},{"name":"FORMAT_UVCH264Video","features":[430]},{"name":"Famine","features":[430]},{"name":"FilgraphManager","features":[430]},{"name":"Flood","features":[430]},{"name":"GUID_TIME_MUSIC","features":[430]},{"name":"GUID_TIME_REFERENCE","features":[430]},{"name":"GUID_TIME_SAMPLES","features":[430]},{"name":"GuardInterval","features":[430]},{"name":"HEAACWAVEFORMAT","features":[423,430]},{"name":"HEAACWAVEINFO","features":[423,430]},{"name":"HEVC_TEMPORAL_VIDEO_SUBSET","features":[430]},{"name":"HEVC_VIDEO_OR_TEMPORAL_VIDEO","features":[430]},{"name":"HierarchyAlpha","features":[430]},{"name":"IAMAnalogVideoDecoder","features":[430]},{"name":"IAMAnalogVideoEncoder","features":[430]},{"name":"IAMAsyncReaderTimestampScaling","features":[430]},{"name":"IAMAudioInputMixer","features":[430]},{"name":"IAMAudioRendererStats","features":[430]},{"name":"IAMBufferNegotiation","features":[430]},{"name":"IAMCameraControl","features":[430]},{"name":"IAMCertifiedOutputProtection","features":[430]},{"name":"IAMChannelInfo","features":[430,359]},{"name":"IAMClockAdjust","features":[430]},{"name":"IAMClockSlave","features":[430]},{"name":"IAMCollection","features":[430,359]},{"name":"IAMCopyCaptureFileProgress","features":[430]},{"name":"IAMCrossbar","features":[430]},{"name":"IAMDecoderCaps","features":[430]},{"name":"IAMDevMemoryAllocator","features":[430]},{"name":"IAMDevMemoryControl","features":[430]},{"name":"IAMDeviceRemoval","features":[430]},{"name":"IAMDirectSound","features":[430]},{"name":"IAMDroppedFrames","features":[430]},{"name":"IAMExtDevice","features":[430]},{"name":"IAMExtTransport","features":[430]},{"name":"IAMExtendedErrorInfo","features":[430,359]},{"name":"IAMExtendedSeeking","features":[430,359]},{"name":"IAMFilterGraphCallback","features":[430]},{"name":"IAMFilterMiscFlags","features":[430]},{"name":"IAMGraphBuilderCallback","features":[430]},{"name":"IAMGraphStreams","features":[430]},{"name":"IAMLatency","features":[430]},{"name":"IAMLine21Decoder","features":[430]},{"name":"IAMMediaContent","features":[430,359]},{"name":"IAMMediaContent2","features":[430,359]},{"name":"IAMMediaStream","features":[430]},{"name":"IAMMediaTypeSample","features":[430]},{"name":"IAMMediaTypeStream","features":[430]},{"name":"IAMMultiMediaStream","features":[430]},{"name":"IAMNetShowConfig","features":[430,359]},{"name":"IAMNetShowExProps","features":[430,359]},{"name":"IAMNetShowPreroll","features":[430,359]},{"name":"IAMNetworkStatus","features":[430,359]},{"name":"IAMOpenProgress","features":[430]},{"name":"IAMOverlayFX","features":[430]},{"name":"IAMParse","features":[430]},{"name":"IAMPhysicalPinInfo","features":[430]},{"name":"IAMPlayList","features":[430]},{"name":"IAMPlayListItem","features":[430]},{"name":"IAMPluginControl","features":[430]},{"name":"IAMPushSource","features":[430]},{"name":"IAMRebuild","features":[430]},{"name":"IAMResourceControl","features":[430]},{"name":"IAMStats","features":[430,359]},{"name":"IAMStreamConfig","features":[430]},{"name":"IAMStreamControl","features":[430]},{"name":"IAMStreamSelect","features":[430]},{"name":"IAMTVAudio","features":[430]},{"name":"IAMTVAudioNotification","features":[430]},{"name":"IAMTVTuner","features":[430]},{"name":"IAMTimecodeDisplay","features":[430]},{"name":"IAMTimecodeGenerator","features":[430]},{"name":"IAMTimecodeReader","features":[430]},{"name":"IAMTuner","features":[430]},{"name":"IAMTunerNotification","features":[430]},{"name":"IAMVfwCaptureDialogs","features":[430]},{"name":"IAMVfwCompressDialogs","features":[430]},{"name":"IAMVideoAccelerator","features":[430]},{"name":"IAMVideoAcceleratorNotify","features":[430]},{"name":"IAMVideoCompression","features":[430]},{"name":"IAMVideoControl","features":[430]},{"name":"IAMVideoDecimationProperties","features":[430]},{"name":"IAMVideoProcAmp","features":[430]},{"name":"IAMWMBufferPass","features":[430]},{"name":"IAMWMBufferPassCallback","features":[430]},{"name":"IAMWstDecoder","features":[430]},{"name":"IAMovieSetup","features":[430]},{"name":"IAsyncReader","features":[430]},{"name":"IAudioData","features":[430]},{"name":"IAudioMediaStream","features":[430]},{"name":"IAudioStreamSample","features":[430]},{"name":"IBDA_AUX","features":[430]},{"name":"IBDA_AutoDemodulate","features":[430]},{"name":"IBDA_AutoDemodulateEx","features":[430]},{"name":"IBDA_ConditionalAccess","features":[430]},{"name":"IBDA_ConditionalAccessEx","features":[430]},{"name":"IBDA_DRIDRMService","features":[430]},{"name":"IBDA_DRIWMDRMSession","features":[430]},{"name":"IBDA_DRM","features":[430]},{"name":"IBDA_DRMService","features":[430]},{"name":"IBDA_DeviceControl","features":[430]},{"name":"IBDA_DiagnosticProperties","features":[430,432]},{"name":"IBDA_DigitalDemodulator","features":[430]},{"name":"IBDA_DigitalDemodulator2","features":[430]},{"name":"IBDA_DigitalDemodulator3","features":[430]},{"name":"IBDA_DiseqCommand","features":[430]},{"name":"IBDA_EasMessage","features":[430]},{"name":"IBDA_Encoder","features":[430]},{"name":"IBDA_EthernetFilter","features":[430]},{"name":"IBDA_EventingService","features":[430]},{"name":"IBDA_FDC","features":[430]},{"name":"IBDA_FrequencyFilter","features":[430]},{"name":"IBDA_GuideDataDeliveryService","features":[430]},{"name":"IBDA_IPSinkControl","features":[430]},{"name":"IBDA_IPSinkInfo","features":[430]},{"name":"IBDA_IPV4Filter","features":[430]},{"name":"IBDA_IPV6Filter","features":[430]},{"name":"IBDA_ISDBConditionalAccess","features":[430]},{"name":"IBDA_LNBInfo","features":[430]},{"name":"IBDA_MUX","features":[430]},{"name":"IBDA_NameValueService","features":[430]},{"name":"IBDA_NetworkProvider","features":[430]},{"name":"IBDA_NullTransform","features":[430]},{"name":"IBDA_PinControl","features":[430]},{"name":"IBDA_SignalProperties","features":[430]},{"name":"IBDA_SignalStatistics","features":[430]},{"name":"IBDA_Topology","features":[430]},{"name":"IBDA_TransportStreamInfo","features":[430]},{"name":"IBDA_TransportStreamSelector","features":[430]},{"name":"IBDA_UserActivityService","features":[430]},{"name":"IBDA_VoidTransform","features":[430]},{"name":"IBDA_WMDRMSession","features":[430]},{"name":"IBDA_WMDRMTuner","features":[430]},{"name":"IBPCSatelliteTuner","features":[430]},{"name":"IBaseFilter","features":[430,359]},{"name":"IBaseVideoMixer","features":[430]},{"name":"IBasicAudio","features":[430,359]},{"name":"IBasicVideo","features":[430,359]},{"name":"IBasicVideo2","features":[430,359]},{"name":"IBroadcastEvent","features":[430]},{"name":"IBroadcastEventEx","features":[430]},{"name":"IBufferingTime","features":[430]},{"name":"ICCSubStreamFiltering","features":[430]},{"name":"ICameraControl","features":[430]},{"name":"ICaptureGraphBuilder","features":[430]},{"name":"ICaptureGraphBuilder2","features":[430]},{"name":"IConfigAsfWriter","features":[430]},{"name":"IConfigAsfWriter2","features":[430]},{"name":"IConfigAviMux","features":[430]},{"name":"IConfigInterleaving","features":[430]},{"name":"ICreateDevEnum","features":[430]},{"name":"IDDrawExclModeVideo","features":[430]},{"name":"IDDrawExclModeVideoCallback","features":[430]},{"name":"IDMOWrapperFilter","features":[430]},{"name":"IDShowPlugin","features":[430]},{"name":"IDVEnc","features":[430]},{"name":"IDVRGB219","features":[430]},{"name":"IDVSplitter","features":[430]},{"name":"IDecimateVideoImage","features":[430]},{"name":"IDeferredCommand","features":[430]},{"name":"IDirectDrawMediaSample","features":[430]},{"name":"IDirectDrawMediaSampleAllocator","features":[430]},{"name":"IDirectDrawMediaStream","features":[430]},{"name":"IDirectDrawStreamSample","features":[430]},{"name":"IDirectDrawVideo","features":[430]},{"name":"IDistributorNotify","features":[430]},{"name":"IDrawVideoImage","features":[430]},{"name":"IDvdCmd","features":[430]},{"name":"IDvdControl","features":[430]},{"name":"IDvdControl2","features":[430]},{"name":"IDvdGraphBuilder","features":[430]},{"name":"IDvdInfo","features":[430]},{"name":"IDvdInfo2","features":[430]},{"name":"IDvdState","features":[430]},{"name":"IESEvent","features":[430]},{"name":"IESEvents","features":[430]},{"name":"IEncoderAPI","features":[430]},{"name":"IEnumFilters","features":[430]},{"name":"IEnumMediaTypes","features":[430]},{"name":"IEnumPIDMap","features":[430]},{"name":"IEnumPins","features":[430]},{"name":"IEnumRegFilters","features":[430]},{"name":"IEnumStreamIdMap","features":[430]},{"name":"IFILTERMAPPER_MERIT","features":[430]},{"name":"IFileSinkFilter","features":[430]},{"name":"IFileSinkFilter2","features":[430]},{"name":"IFileSourceFilter","features":[430]},{"name":"IFilterChain","features":[430]},{"name":"IFilterGraph","features":[430]},{"name":"IFilterGraph2","features":[430]},{"name":"IFilterGraph3","features":[430]},{"name":"IFilterInfo","features":[430,359]},{"name":"IFilterMapper","features":[430]},{"name":"IFilterMapper2","features":[430]},{"name":"IFilterMapper3","features":[430]},{"name":"IFrequencyMap","features":[430]},{"name":"IFullScreenVideo","features":[430]},{"name":"IFullScreenVideoEx","features":[430]},{"name":"IGetCapabilitiesKey","features":[430]},{"name":"IGraphBuilder","features":[430]},{"name":"IGraphConfig","features":[430]},{"name":"IGraphConfigCallback","features":[430]},{"name":"IGraphVersion","features":[430]},{"name":"IIPDVDec","features":[430]},{"name":"IMPEG2PIDMap","features":[430]},{"name":"IMPEG2StreamIdMap","features":[430]},{"name":"IMediaControl","features":[430,359]},{"name":"IMediaEvent","features":[430,359]},{"name":"IMediaEventEx","features":[430,359]},{"name":"IMediaEventSink","features":[430]},{"name":"IMediaFilter","features":[430,359]},{"name":"IMediaParamInfo","features":[430]},{"name":"IMediaParams","features":[430]},{"name":"IMediaPosition","features":[430,359]},{"name":"IMediaPropertyBag","features":[430,432]},{"name":"IMediaSample","features":[430]},{"name":"IMediaSample2","features":[430]},{"name":"IMediaSample2Config","features":[430]},{"name":"IMediaSeeking","features":[430]},{"name":"IMediaStream","features":[430]},{"name":"IMediaStreamFilter","features":[430,359]},{"name":"IMediaTypeInfo","features":[430,359]},{"name":"IMemAllocator","features":[430]},{"name":"IMemAllocatorCallbackTemp","features":[430]},{"name":"IMemAllocatorNotifyCallbackTemp","features":[430]},{"name":"IMemInputPin","features":[430]},{"name":"IMemoryData","features":[430]},{"name":"IMixerOCX","features":[430]},{"name":"IMixerOCXNotify","features":[430]},{"name":"IMixerPinConfig","features":[430]},{"name":"IMixerPinConfig2","features":[430]},{"name":"IMpeg2Demultiplexer","features":[430]},{"name":"IMpegAudioDecoder","features":[430]},{"name":"IMultiMediaStream","features":[430]},{"name":"INTERLEAVE_CAPTURE","features":[430]},{"name":"INTERLEAVE_FULL","features":[430]},{"name":"INTERLEAVE_NONE","features":[430]},{"name":"INTERLEAVE_NONE_BUFFERED","features":[430]},{"name":"IOverlay","features":[430]},{"name":"IOverlayNotify","features":[430]},{"name":"IOverlayNotify2","features":[430]},{"name":"IPersistMediaPropertyBag","features":[430,359]},{"name":"IPin","features":[430]},{"name":"IPinConnection","features":[430]},{"name":"IPinFlowControl","features":[430]},{"name":"IPinInfo","features":[430,359]},{"name":"IQualProp","features":[430]},{"name":"IQualityControl","features":[430]},{"name":"IQueueCommand","features":[430]},{"name":"IRPM_STREAMM","features":[430]},{"name":"IRegFilterInfo","features":[430,359]},{"name":"IRegisterServiceProvider","features":[430]},{"name":"IResourceConsumer","features":[430]},{"name":"IResourceManager","features":[430]},{"name":"ISDBCAS_REQUEST_ID","features":[430]},{"name":"ISDBCAS_REQUEST_ID_EMD","features":[430]},{"name":"ISDBCAS_REQUEST_ID_EMG","features":[430]},{"name":"ISDB_Satellite","features":[430]},{"name":"ISDB_Terrestrial","features":[430]},{"name":"ISO_IEC_11172_2_VIDEO","features":[430]},{"name":"ISO_IEC_11172_3_AUDIO","features":[430]},{"name":"ISO_IEC_13522_MHEG","features":[430]},{"name":"ISO_IEC_13818_1_AUXILIARY","features":[430]},{"name":"ISO_IEC_13818_1_PES","features":[430]},{"name":"ISO_IEC_13818_1_PRIVATE_SECTION","features":[430]},{"name":"ISO_IEC_13818_1_RESERVED","features":[430]},{"name":"ISO_IEC_13818_2_VIDEO","features":[430]},{"name":"ISO_IEC_13818_3_AUDIO","features":[430]},{"name":"ISO_IEC_13818_6_DOWNLOAD","features":[430]},{"name":"ISO_IEC_13818_6_TYPE_A","features":[430]},{"name":"ISO_IEC_13818_6_TYPE_B","features":[430]},{"name":"ISO_IEC_13818_6_TYPE_C","features":[430]},{"name":"ISO_IEC_13818_6_TYPE_D","features":[430]},{"name":"ISO_IEC_13818_7_AUDIO","features":[430]},{"name":"ISO_IEC_14496_1_IN_PES","features":[430]},{"name":"ISO_IEC_14496_1_IN_SECTION","features":[430]},{"name":"ISO_IEC_14496_2_VISUAL","features":[430]},{"name":"ISO_IEC_14496_3_AUDIO","features":[430]},{"name":"ISO_IEC_USER_PRIVATE","features":[430]},{"name":"ISeekingPassThru","features":[430]},{"name":"ISelector","features":[430]},{"name":"ISpecifyParticularPages","features":[430]},{"name":"IStreamBuilder","features":[430]},{"name":"IStreamSample","features":[430]},{"name":"ITU_T_H264","features":[430]},{"name":"ITU_T_REC_H_222_1","features":[430]},{"name":"IVMRAspectRatioControl","features":[430]},{"name":"IVMRAspectRatioControl9","features":[430]},{"name":"IVMRDeinterlaceControl","features":[430]},{"name":"IVMRDeinterlaceControl9","features":[430]},{"name":"IVMRFilterConfig","features":[430]},{"name":"IVMRFilterConfig9","features":[430]},{"name":"IVMRImageCompositor","features":[430]},{"name":"IVMRImageCompositor9","features":[430]},{"name":"IVMRImagePresenter","features":[430]},{"name":"IVMRImagePresenter9","features":[430]},{"name":"IVMRImagePresenterConfig","features":[430]},{"name":"IVMRImagePresenterConfig9","features":[430]},{"name":"IVMRImagePresenterExclModeConfig","features":[430]},{"name":"IVMRMixerBitmap","features":[430]},{"name":"IVMRMixerBitmap9","features":[430]},{"name":"IVMRMixerControl","features":[430]},{"name":"IVMRMixerControl9","features":[430]},{"name":"IVMRMonitorConfig","features":[430]},{"name":"IVMRMonitorConfig9","features":[430]},{"name":"IVMRSurface","features":[430]},{"name":"IVMRSurface9","features":[430]},{"name":"IVMRSurfaceAllocator","features":[430]},{"name":"IVMRSurfaceAllocator9","features":[430]},{"name":"IVMRSurfaceAllocatorEx9","features":[430]},{"name":"IVMRSurfaceAllocatorNotify","features":[430]},{"name":"IVMRSurfaceAllocatorNotify9","features":[430]},{"name":"IVMRVideoStreamControl","features":[430]},{"name":"IVMRVideoStreamControl9","features":[430]},{"name":"IVMRWindowlessControl","features":[430]},{"name":"IVMRWindowlessControl9","features":[430]},{"name":"IVPBaseConfig","features":[430]},{"name":"IVPBaseNotify","features":[430]},{"name":"IVPConfig","features":[430]},{"name":"IVPManager","features":[430]},{"name":"IVPNotify","features":[430]},{"name":"IVPNotify2","features":[430]},{"name":"IVPVBIConfig","features":[430]},{"name":"IVPVBINotify","features":[430]},{"name":"IVideoEncoder","features":[430]},{"name":"IVideoFrameStep","features":[430]},{"name":"IVideoProcAmp","features":[430]},{"name":"IVideoWindow","features":[430,359]},{"name":"IWMCodecAMVideoAccelerator","features":[430]},{"name":"IWMCodecVideoAccelerator","features":[430]},{"name":"InterleavingMode","features":[430]},{"name":"KSPROPERTY_IPSINK","features":[430]},{"name":"KSPROPERTY_IPSINK_ADAPTER_ADDRESS","features":[430]},{"name":"KSPROPERTY_IPSINK_ADAPTER_DESCRIPTION","features":[430]},{"name":"KSPROPERTY_IPSINK_MULTICASTLIST","features":[430]},{"name":"KS_BDA_FRAME_INFO","features":[430]},{"name":"LIBID_QuartzNetTypeLib","features":[430]},{"name":"LIBID_QuartzTypeLib","features":[430]},{"name":"LNB_Source","features":[430]},{"name":"LocationCodeSchemeType","features":[430]},{"name":"MAX_DEINTERLACE_DEVICE_GUIDS","features":[430]},{"name":"MAX_DEINTERLACE_SURFACES","features":[430]},{"name":"MAX_ERROR_TEXT_LEN","features":[430]},{"name":"MAX_FILTER_NAME","features":[430]},{"name":"MAX_NUMBER_OF_STREAMS","features":[430]},{"name":"MAX_PIN_NAME","features":[430]},{"name":"MAX_SIZE_MPEG1_SEQUENCE_INFO","features":[430]},{"name":"MEDIASUBTYPE_ATSC_SI","features":[430]},{"name":"MEDIASUBTYPE_DOLBY_AC3","features":[430]},{"name":"MEDIASUBTYPE_DTS","features":[430]},{"name":"MEDIASUBTYPE_DVB_SI","features":[430]},{"name":"MEDIASUBTYPE_DVD_LPCM_AUDIO","features":[430]},{"name":"MEDIASUBTYPE_DVD_NAVIGATION_DSI","features":[430]},{"name":"MEDIASUBTYPE_DVD_NAVIGATION_PCI","features":[430]},{"name":"MEDIASUBTYPE_DVD_NAVIGATION_PROVIDER","features":[430]},{"name":"MEDIASUBTYPE_DVD_SUBPICTURE","features":[430]},{"name":"MEDIASUBTYPE_ISDB_SI","features":[430]},{"name":"MEDIASUBTYPE_MPEG2DATA","features":[430]},{"name":"MEDIASUBTYPE_MPEG2_AUDIO","features":[430]},{"name":"MEDIASUBTYPE_MPEG2_PBDA_TRANSPORT_PROCESSED","features":[430]},{"name":"MEDIASUBTYPE_MPEG2_PBDA_TRANSPORT_RAW","features":[430]},{"name":"MEDIASUBTYPE_MPEG2_PROGRAM","features":[430]},{"name":"MEDIASUBTYPE_MPEG2_TRANSPORT","features":[430]},{"name":"MEDIASUBTYPE_MPEG2_TRANSPORT_STRIDE","features":[430]},{"name":"MEDIASUBTYPE_MPEG2_UDCR_TRANSPORT","features":[430]},{"name":"MEDIASUBTYPE_MPEG2_VERSIONED_TABLES","features":[430]},{"name":"MEDIASUBTYPE_MPEG2_VIDEO","features":[430]},{"name":"MEDIASUBTYPE_MPEG2_WMDRM_TRANSPORT","features":[430]},{"name":"MEDIASUBTYPE_SDDS","features":[430]},{"name":"MEDIASUBTYPE_TIF_SI","features":[430]},{"name":"MEDIATYPE_CONTROL","features":[430]},{"name":"MEDIATYPE_DVD_ENCRYPTED_PACK","features":[430]},{"name":"MEDIATYPE_DVD_NAVIGATION","features":[430]},{"name":"MEDIATYPE_MPEG2_PACK","features":[430]},{"name":"MEDIATYPE_MPEG2_PES","features":[430]},{"name":"MEDIATYPE_MPEG2_SECTIONS","features":[430]},{"name":"MEDIA_ELEMENTARY_STREAM","features":[430]},{"name":"MEDIA_MPEG2_PSI","features":[430]},{"name":"MEDIA_SAMPLE_CONTENT","features":[430]},{"name":"MEDIA_TRANSPORT_PACKET","features":[430]},{"name":"MEDIA_TRANSPORT_PAYLOAD","features":[430]},{"name":"MERIT_DO_NOT_USE","features":[430]},{"name":"MERIT_HW_COMPRESSOR","features":[430]},{"name":"MERIT_NORMAL","features":[430]},{"name":"MERIT_PREFERRED","features":[430]},{"name":"MERIT_SW_COMPRESSOR","features":[430]},{"name":"MERIT_UNLIKELY","features":[430]},{"name":"METADATA_IN_DATA_CAROUSEL","features":[430]},{"name":"METADATA_IN_DOWNLOAD_PROTOCOL","features":[430]},{"name":"METADATA_IN_OBJECT_CAROUSEL","features":[430]},{"name":"METADATA_IN_PES","features":[430]},{"name":"METADATA_IN_SECTION","features":[430]},{"name":"MIN_DIMENSION","features":[430]},{"name":"MMSSF_ASYNCHRONOUS","features":[430]},{"name":"MMSSF_GET_INFORMATION_FLAGS","features":[430]},{"name":"MMSSF_HASCLOCK","features":[430]},{"name":"MMSSF_SUPPORTSEEK","features":[430]},{"name":"MPBOOL_FALSE","features":[430]},{"name":"MPBOOL_TRUE","features":[430]},{"name":"MPEG1WAVEFORMAT","features":[423,430]},{"name":"MPEG2StreamType","features":[430]},{"name":"MPEG2_BASE","features":[430]},{"name":"MPEG2_E_ALREADY_INITIALIZED","features":[430]},{"name":"MPEG2_E_BUFFER_TOO_SMALL","features":[430]},{"name":"MPEG2_E_DATA_SOURCE_FAILED","features":[430]},{"name":"MPEG2_E_DII_NOT_FOUND","features":[430]},{"name":"MPEG2_E_DSHOW_PIN_NOT_FOUND","features":[430]},{"name":"MPEG2_E_DSI_NOT_FOUND","features":[430]},{"name":"MPEG2_E_FILE_OFFSET_TOO_BIG","features":[430]},{"name":"MPEG2_E_INCORRECT_DESCRIPTOR_TAG","features":[430]},{"name":"MPEG2_E_INVALID_CAROUSEL_ID","features":[430]},{"name":"MPEG2_E_INVALID_SG_OBJECT_KIND","features":[430]},{"name":"MPEG2_E_INVALID_UDP_PORT","features":[430]},{"name":"MPEG2_E_MALFORMED_DSMCC_MESSAGE","features":[430]},{"name":"MPEG2_E_MALFORMED_TABLE","features":[430]},{"name":"MPEG2_E_MISSING_SECTIONS","features":[430]},{"name":"MPEG2_E_NEXT_TABLE_OPS_NOT_AVAILABLE","features":[430]},{"name":"MPEG2_E_NOT_PRESENT","features":[430]},{"name":"MPEG2_E_OBJECT_KIND_NOT_A_DIRECTORY","features":[430]},{"name":"MPEG2_E_OBJECT_KIND_NOT_A_FILE","features":[430]},{"name":"MPEG2_E_OBJECT_NOT_FOUND","features":[430]},{"name":"MPEG2_E_OUT_OF_BOUNDS","features":[430]},{"name":"MPEG2_E_REGISTRY_ACCESS_FAILED","features":[430]},{"name":"MPEG2_E_SECTION_NOT_FOUND","features":[430]},{"name":"MPEG2_E_SERVER_UNAVAILABLE","features":[430]},{"name":"MPEG2_E_SERVICE_ID_NOT_FOUND","features":[430]},{"name":"MPEG2_E_SERVICE_PMT_NOT_FOUND","features":[430]},{"name":"MPEG2_E_STREAM_STOPPED","features":[430]},{"name":"MPEG2_E_TOO_MANY_SECTIONS","features":[430]},{"name":"MPEG2_E_TX_STREAM_UNAVAILABLE","features":[430]},{"name":"MPEG2_E_UNDEFINED","features":[430]},{"name":"MPEG2_E_UNINITIALIZED","features":[430]},{"name":"MPEG2_PROGRAM_DIRECTORY_PES_PACKET","features":[430]},{"name":"MPEG2_PROGRAM_ELEMENTARY_STREAM","features":[430]},{"name":"MPEG2_PROGRAM_PACK_HEADER","features":[430]},{"name":"MPEG2_PROGRAM_PES_STREAM","features":[430]},{"name":"MPEG2_PROGRAM_STREAM_MAP","features":[430]},{"name":"MPEG2_PROGRAM_SYSTEM_HEADER","features":[430]},{"name":"MPEG2_S_MORE_DATA_AVAILABLE","features":[430]},{"name":"MPEG2_S_MPE_INFO_FOUND","features":[430]},{"name":"MPEG2_S_MPE_INFO_NOT_FOUND","features":[430]},{"name":"MPEG2_S_NEW_MODULE_VERSION","features":[430]},{"name":"MPEG2_S_NO_MORE_DATA_AVAILABLE","features":[430]},{"name":"MPEG2_S_SG_INFO_FOUND","features":[430]},{"name":"MPEG2_S_SG_INFO_NOT_FOUND","features":[430]},{"name":"MPEG2_TRANSPORT_STRIDE","features":[430]},{"name":"MPEGLAYER3WAVEFORMAT","features":[423,430]},{"name":"MPEGLAYER3WAVEFORMAT_FLAGS","features":[430]},{"name":"MPEGLAYER3_FLAG_PADDING_ISO","features":[430]},{"name":"MPEGLAYER3_FLAG_PADDING_OFF","features":[430]},{"name":"MPEGLAYER3_FLAG_PADDING_ON","features":[430]},{"name":"MPF_ENVLP_BEGIN_CURRENTVAL","features":[430]},{"name":"MPF_ENVLP_BEGIN_NEUTRALVAL","features":[430]},{"name":"MPF_ENVLP_STANDARD","features":[430]},{"name":"MPF_PUNCHIN_NOW","features":[430]},{"name":"MPF_PUNCHIN_REFTIME","features":[430]},{"name":"MPF_PUNCHIN_STOPPED","features":[430]},{"name":"MPT_BOOL","features":[430]},{"name":"MPT_ENUM","features":[430]},{"name":"MPT_FLOAT","features":[430]},{"name":"MPT_INT","features":[430]},{"name":"MPT_MAX","features":[430]},{"name":"MP_CURVE_INVSQUARE","features":[430]},{"name":"MP_CURVE_JUMP","features":[430]},{"name":"MP_CURVE_LINEAR","features":[430]},{"name":"MP_CURVE_SINE","features":[430]},{"name":"MP_CURVE_SQUARE","features":[430]},{"name":"MP_CURVE_TYPE","features":[430]},{"name":"MP_ENVELOPE_SEGMENT","features":[430]},{"name":"MP_PARAMINFO","features":[430]},{"name":"MP_TYPE","features":[430]},{"name":"MSDRI_S_MMI_PENDING","features":[430]},{"name":"MSDRI_S_PENDING","features":[430]},{"name":"MSPID_PrimaryAudio","features":[430]},{"name":"MSPID_PrimaryVideo","features":[430]},{"name":"MSTapeDeviceGUID","features":[430]},{"name":"MUX_PID_TYPE","features":[430]},{"name":"MainAVIHeader","features":[430]},{"name":"MixerPref9_ARAdjustXorY","features":[430]},{"name":"MixerPref9_AnisotropicFiltering","features":[430]},{"name":"MixerPref9_BiLinearFiltering","features":[430]},{"name":"MixerPref9_DecimateMask","features":[430]},{"name":"MixerPref9_DecimateOutput","features":[430]},{"name":"MixerPref9_DynamicDecimateBy2","features":[430]},{"name":"MixerPref9_DynamicMask","features":[430]},{"name":"MixerPref9_DynamicReserved","features":[430]},{"name":"MixerPref9_DynamicSwitchToBOB","features":[430]},{"name":"MixerPref9_FilteringMask","features":[430]},{"name":"MixerPref9_FilteringReserved","features":[430]},{"name":"MixerPref9_GaussianQuadFiltering","features":[430]},{"name":"MixerPref9_NoDecimation","features":[430]},{"name":"MixerPref9_NonSquareMixing","features":[430]},{"name":"MixerPref9_PointFiltering","features":[430]},{"name":"MixerPref9_PyramidalQuadFiltering","features":[430]},{"name":"MixerPref9_RenderTargetMask","features":[430]},{"name":"MixerPref9_RenderTargetRGB","features":[430]},{"name":"MixerPref9_RenderTargetReserved","features":[430]},{"name":"MixerPref9_RenderTargetYUV","features":[430]},{"name":"MixerPref_ARAdjustXorY","features":[430]},{"name":"MixerPref_BiLinearFiltering","features":[430]},{"name":"MixerPref_DecimateMask","features":[430]},{"name":"MixerPref_DecimateOutput","features":[430]},{"name":"MixerPref_DecimationReserved","features":[430]},{"name":"MixerPref_DynamicDecimateBy2","features":[430]},{"name":"MixerPref_DynamicMask","features":[430]},{"name":"MixerPref_DynamicReserved","features":[430]},{"name":"MixerPref_DynamicSwitchToBOB","features":[430]},{"name":"MixerPref_FilteringMask","features":[430]},{"name":"MixerPref_NoDecimation","features":[430]},{"name":"MixerPref_PointFiltering","features":[430]},{"name":"MixerPref_RenderTargetMask","features":[430]},{"name":"MixerPref_RenderTargetRGB","features":[430]},{"name":"MixerPref_RenderTargetReserved","features":[430]},{"name":"MixerPref_RenderTargetYUV","features":[430]},{"name":"MixerPref_RenderTargetYUV420","features":[430]},{"name":"MixerPref_RenderTargetYUV422","features":[430]},{"name":"MixerPref_RenderTargetYUV444","features":[430]},{"name":"ModulationType","features":[430]},{"name":"NORMALIZEDRECT","features":[430]},{"name":"NotAssociated","features":[430]},{"name":"NotEntitled","features":[430]},{"name":"NotReady","features":[430]},{"name":"OAFALSE","features":[430]},{"name":"OATRUE","features":[430]},{"name":"OA_BOOL","features":[430]},{"name":"OUTPUT_STATE","features":[430]},{"name":"PBDA_AUX_CONNECTOR_TYPE_Composite","features":[430]},{"name":"PBDA_AUX_CONNECTOR_TYPE_SVideo","features":[430]},{"name":"PBDA_Encoder_Audio_AlgorithmType_AC3","features":[430]},{"name":"PBDA_Encoder_Audio_AlgorithmType_MPEG1LayerII","features":[430]},{"name":"PBDA_Encoder_BitrateMode_Average","features":[430]},{"name":"PBDA_Encoder_BitrateMode_Constant","features":[430]},{"name":"PBDA_Encoder_BitrateMode_Variable","features":[430]},{"name":"PBDA_Encoder_Video_AVC","features":[430]},{"name":"PBDA_Encoder_Video_H264","features":[430]},{"name":"PBDA_Encoder_Video_MPEG2PartII","features":[430]},{"name":"PBDA_Encoder_Video_MPEG4Part10","features":[430]},{"name":"PDXVA2SW_CREATEVIDEOPROCESSDEVICE","features":[308,317,430,431]},{"name":"PDXVA2SW_DESTROYVIDEOPROCESSDEVICE","features":[308,430]},{"name":"PDXVA2SW_GETFILTERPROPERTYRANGE","features":[317,430,431]},{"name":"PDXVA2SW_GETPROCAMPRANGE","features":[317,430,431]},{"name":"PDXVA2SW_GETVIDEOPROCESSORCAPS","features":[317,430,431]},{"name":"PDXVA2SW_GETVIDEOPROCESSORRENDERTARGETCOUNT","features":[317,430,431]},{"name":"PDXVA2SW_GETVIDEOPROCESSORRENDERTARGETS","features":[317,430,431]},{"name":"PDXVA2SW_GETVIDEOPROCESSORSUBSTREAMFORMATCOUNT","features":[317,430,431]},{"name":"PDXVA2SW_GETVIDEOPROCESSORSUBSTREAMFORMATS","features":[317,430,431]},{"name":"PDXVA2SW_VIDEOPROCESSBEGINFRAME","features":[308,430]},{"name":"PDXVA2SW_VIDEOPROCESSBLT","features":[308,430,431]},{"name":"PDXVA2SW_VIDEOPROCESSENDFRAME","features":[308,430]},{"name":"PDXVA2SW_VIDEOPROCESSSETRENDERTARGET","features":[308,317,430]},{"name":"PID_ELEMENTARY_STREAM","features":[430]},{"name":"PID_MAP","features":[430]},{"name":"PID_MPEG2_SECTION_PSI_SI","features":[430]},{"name":"PID_OTHER","features":[430]},{"name":"PINDIR_INPUT","features":[430]},{"name":"PINDIR_OUTPUT","features":[430]},{"name":"PIN_DIRECTION","features":[430]},{"name":"PIN_INFO","features":[430,359]},{"name":"PhysConn_Audio_1394","features":[430]},{"name":"PhysConn_Audio_AESDigital","features":[430]},{"name":"PhysConn_Audio_AUX","features":[430]},{"name":"PhysConn_Audio_AudioDecoder","features":[430]},{"name":"PhysConn_Audio_Line","features":[430]},{"name":"PhysConn_Audio_Mic","features":[430]},{"name":"PhysConn_Audio_SCSI","features":[430]},{"name":"PhysConn_Audio_SPDIFDigital","features":[430]},{"name":"PhysConn_Audio_Tuner","features":[430]},{"name":"PhysConn_Audio_USB","features":[430]},{"name":"PhysConn_Video_1394","features":[430]},{"name":"PhysConn_Video_AUX","features":[430]},{"name":"PhysConn_Video_Black","features":[430]},{"name":"PhysConn_Video_Composite","features":[430]},{"name":"PhysConn_Video_ParallelDigital","features":[430]},{"name":"PhysConn_Video_RGB","features":[430]},{"name":"PhysConn_Video_SCART","features":[430]},{"name":"PhysConn_Video_SCSI","features":[430]},{"name":"PhysConn_Video_SVideo","features":[430]},{"name":"PhysConn_Video_SerialDigital","features":[430]},{"name":"PhysConn_Video_Tuner","features":[430]},{"name":"PhysConn_Video_USB","features":[430]},{"name":"PhysConn_Video_VideoDecoder","features":[430]},{"name":"PhysConn_Video_VideoEncoder","features":[430]},{"name":"PhysConn_Video_YRYBY","features":[430]},{"name":"PhysicalConnectorType","features":[430]},{"name":"Pilot","features":[430]},{"name":"Polarisation","features":[430]},{"name":"ProcAmpControl9_Brightness","features":[430]},{"name":"ProcAmpControl9_Contrast","features":[430]},{"name":"ProcAmpControl9_Hue","features":[430]},{"name":"ProcAmpControl9_Mask","features":[430]},{"name":"ProcAmpControl9_Saturation","features":[430]},{"name":"Quality","features":[430]},{"name":"QualityMessageType","features":[430]},{"name":"REGFILTER","features":[430]},{"name":"REGFILTER2","features":[308,430]},{"name":"REGFILTERPINS","features":[308,430]},{"name":"REGFILTERPINS2","features":[430]},{"name":"REGPINMEDIUM","features":[430]},{"name":"REGPINTYPES","features":[430]},{"name":"REG_PINFLAG","features":[430]},{"name":"REG_PINFLAG_B_MANY","features":[430]},{"name":"REG_PINFLAG_B_OUTPUT","features":[430]},{"name":"REG_PINFLAG_B_RENDERER","features":[430]},{"name":"REG_PINFLAG_B_ZERO","features":[430]},{"name":"REMFILTERF_LEAVECONNECTED","features":[430]},{"name":"RIFFCHUNK","features":[430]},{"name":"RIFFLIST","features":[430]},{"name":"ReadData","features":[430]},{"name":"RenderData","features":[430]},{"name":"RenderPrefs9_DoNotRenderBorder","features":[430]},{"name":"RenderPrefs9_Mask","features":[430]},{"name":"RenderPrefs_AllowOffscreen","features":[430]},{"name":"RenderPrefs_AllowOverlays","features":[430]},{"name":"RenderPrefs_DoNotRenderColorKeyAndBorder","features":[430]},{"name":"RenderPrefs_ForceOffscreen","features":[430]},{"name":"RenderPrefs_ForceOverlays","features":[430]},{"name":"RenderPrefs_Mask","features":[430]},{"name":"RenderPrefs_PreferAGPMemWhenMixing","features":[430]},{"name":"RenderPrefs_Reserved","features":[430]},{"name":"RenderPrefs_RestrictToInitialMonitor","features":[430]},{"name":"Reserved1","features":[430]},{"name":"RollOff","features":[430]},{"name":"SCTE28_ConditionalAccess","features":[430]},{"name":"SCTE28_CopyProtection","features":[430]},{"name":"SCTE28_Diagnostic","features":[430]},{"name":"SCTE28_IPService","features":[430]},{"name":"SCTE28_NetworkInterface_SCTE55_1","features":[430]},{"name":"SCTE28_NetworkInterface_SCTE55_2","features":[430]},{"name":"SCTE28_POD_Host_Binding_Information","features":[430]},{"name":"SCTE28_Reserved","features":[430]},{"name":"SCTE28_Undesignated","features":[430]},{"name":"SCTE_18","features":[430]},{"name":"SNDDEV_ERR","features":[430]},{"name":"SNDDEV_ERROR_AddBuffer","features":[430]},{"name":"SNDDEV_ERROR_Close","features":[430]},{"name":"SNDDEV_ERROR_GetCaps","features":[430]},{"name":"SNDDEV_ERROR_GetPosition","features":[430]},{"name":"SNDDEV_ERROR_Open","features":[430]},{"name":"SNDDEV_ERROR_Pause","features":[430]},{"name":"SNDDEV_ERROR_PrepareHeader","features":[430]},{"name":"SNDDEV_ERROR_Query","features":[430]},{"name":"SNDDEV_ERROR_Reset","features":[430]},{"name":"SNDDEV_ERROR_Restart","features":[430]},{"name":"SNDDEV_ERROR_Start","features":[430]},{"name":"SNDDEV_ERROR_Stop","features":[430]},{"name":"SNDDEV_ERROR_UnprepareHeader","features":[430]},{"name":"SNDDEV_ERROR_Write","features":[430]},{"name":"SPECIFYPAGES_STATISTICS","features":[430]},{"name":"SSUPDATE_ASYNC","features":[430]},{"name":"SSUPDATE_CONTINUOUS","features":[430]},{"name":"SSUPDATE_TYPE","features":[430]},{"name":"STDINDEXSIZE","features":[430]},{"name":"STREAMIF_CONSTANTS","features":[430]},{"name":"STREAMSTATE_RUN","features":[430]},{"name":"STREAMSTATE_STOP","features":[430]},{"name":"STREAMTYPE_READ","features":[430]},{"name":"STREAMTYPE_TRANSFORM","features":[430]},{"name":"STREAMTYPE_WRITE","features":[430]},{"name":"STREAM_ID_MAP","features":[430]},{"name":"STREAM_STATE","features":[430]},{"name":"STREAM_TYPE","features":[430]},{"name":"SUBSTREAM_FILTER_VAL_NONE","features":[430]},{"name":"ScanModulationTypes","features":[430]},{"name":"ScanModulationTypesMask_DVBC","features":[430]},{"name":"ScanModulationTypesMask_MCE_All_TV","features":[430]},{"name":"ScanModulationTypesMask_MCE_AnalogTv","features":[430]},{"name":"ScanModulationTypesMask_MCE_DigitalCable","features":[430]},{"name":"ScanModulationTypesMask_MCE_TerrestrialATSC","features":[430]},{"name":"SmartCardApplication","features":[430]},{"name":"SmartCardAssociationType","features":[430]},{"name":"SmartCardStatusType","features":[430]},{"name":"SpectralInversion","features":[430]},{"name":"State_Paused","features":[430]},{"name":"State_Running","features":[430]},{"name":"State_Stopped","features":[430]},{"name":"StatusActive","features":[430]},{"name":"StatusInactive","features":[430]},{"name":"StatusUnavailable","features":[430]},{"name":"SystemClosed","features":[430]},{"name":"TIMECODEDATA","features":[430]},{"name":"TIMECODE_RATE_30DROP","features":[430]},{"name":"TIMECODE_SMPTE_BINARY_GROUP","features":[430]},{"name":"TIMECODE_SMPTE_COLOR_FRAME","features":[430]},{"name":"TRUECOLORINFO","features":[319,430]},{"name":"TVAudioMode","features":[430]},{"name":"TechnicalFailure","features":[430]},{"name":"TransmissionMode","features":[430]},{"name":"TunerInputAntenna","features":[430]},{"name":"TunerInputCable","features":[430]},{"name":"TunerInputType","features":[430]},{"name":"UICloseReasonType","features":[430]},{"name":"UOP_FLAG_Pause_On","features":[430]},{"name":"UOP_FLAG_PlayNext_Chapter","features":[430]},{"name":"UOP_FLAG_PlayPrev_Or_Replay_Chapter","features":[430]},{"name":"UOP_FLAG_Play_Backwards","features":[430]},{"name":"UOP_FLAG_Play_Chapter","features":[430]},{"name":"UOP_FLAG_Play_Chapter_Or_AtTime","features":[430]},{"name":"UOP_FLAG_Play_Forwards","features":[430]},{"name":"UOP_FLAG_Play_Title","features":[430]},{"name":"UOP_FLAG_Play_Title_Or_AtTime","features":[430]},{"name":"UOP_FLAG_Resume","features":[430]},{"name":"UOP_FLAG_ReturnFromSubMenu","features":[430]},{"name":"UOP_FLAG_Select_Angle","features":[430]},{"name":"UOP_FLAG_Select_Audio_Stream","features":[430]},{"name":"UOP_FLAG_Select_Karaoke_Audio_Presentation_Mode","features":[430]},{"name":"UOP_FLAG_Select_Or_Activate_Button","features":[430]},{"name":"UOP_FLAG_Select_SubPic_Stream","features":[430]},{"name":"UOP_FLAG_Select_Video_Mode_Preference","features":[430]},{"name":"UOP_FLAG_ShowMenu_Angle","features":[430]},{"name":"UOP_FLAG_ShowMenu_Audio","features":[430]},{"name":"UOP_FLAG_ShowMenu_Chapter","features":[430]},{"name":"UOP_FLAG_ShowMenu_Root","features":[430]},{"name":"UOP_FLAG_ShowMenu_SubPic","features":[430]},{"name":"UOP_FLAG_ShowMenu_Title","features":[430]},{"name":"UOP_FLAG_Still_Off","features":[430]},{"name":"UOP_FLAG_Stop","features":[430]},{"name":"USER_PRIVATE","features":[430]},{"name":"UserClosed","features":[430]},{"name":"VALID_UOP_FLAG","features":[430]},{"name":"VFW_E_ADVISE_ALREADY_SET","features":[430]},{"name":"VFW_E_ALREADY_CANCELLED","features":[430]},{"name":"VFW_E_ALREADY_COMMITTED","features":[430]},{"name":"VFW_E_ALREADY_CONNECTED","features":[430]},{"name":"VFW_E_BADALIGN","features":[430]},{"name":"VFW_E_BAD_KEY","features":[430]},{"name":"VFW_E_BAD_VIDEOCD","features":[430]},{"name":"VFW_E_BUFFERS_OUTSTANDING","features":[430]},{"name":"VFW_E_BUFFER_NOTSET","features":[430]},{"name":"VFW_E_BUFFER_OVERFLOW","features":[430]},{"name":"VFW_E_BUFFER_UNDERFLOW","features":[430]},{"name":"VFW_E_CANNOT_CONNECT","features":[430]},{"name":"VFW_E_CANNOT_LOAD_SOURCE_FILTER","features":[430]},{"name":"VFW_E_CANNOT_RENDER","features":[430]},{"name":"VFW_E_CERTIFICATION_FAILURE","features":[430]},{"name":"VFW_E_CHANGING_FORMAT","features":[430]},{"name":"VFW_E_CIRCULAR_GRAPH","features":[430]},{"name":"VFW_E_CODECAPI_ENUMERATED","features":[430]},{"name":"VFW_E_CODECAPI_LINEAR_RANGE","features":[430]},{"name":"VFW_E_CODECAPI_NO_CURRENT_VALUE","features":[430]},{"name":"VFW_E_CODECAPI_NO_DEFAULT","features":[430]},{"name":"VFW_E_COLOR_KEY_SET","features":[430]},{"name":"VFW_E_COPYPROT_FAILED","features":[430]},{"name":"VFW_E_CORRUPT_GRAPH_FILE","features":[430]},{"name":"VFW_E_DDRAW_CAPS_NOT_SUITABLE","features":[430]},{"name":"VFW_E_DDRAW_VERSION_NOT_SUITABLE","features":[430]},{"name":"VFW_E_DUPLICATE_NAME","features":[430]},{"name":"VFW_E_DVD_CHAPTER_DOES_NOT_EXIST","features":[430]},{"name":"VFW_E_DVD_CMD_CANCELLED","features":[430]},{"name":"VFW_E_DVD_DECNOTENOUGH","features":[430]},{"name":"VFW_E_DVD_GRAPHNOTREADY","features":[430]},{"name":"VFW_E_DVD_INCOMPATIBLE_REGION","features":[430]},{"name":"VFW_E_DVD_INVALIDDOMAIN","features":[430]},{"name":"VFW_E_DVD_INVALID_DISC","features":[430]},{"name":"VFW_E_DVD_LOW_PARENTAL_LEVEL","features":[430]},{"name":"VFW_E_DVD_MENU_DOES_NOT_EXIST","features":[430]},{"name":"VFW_E_DVD_NONBLOCKING","features":[430]},{"name":"VFW_E_DVD_NON_EVR_RENDERER_IN_FILTER_GRAPH","features":[430]},{"name":"VFW_E_DVD_NOT_IN_KARAOKE_MODE","features":[430]},{"name":"VFW_E_DVD_NO_ATTRIBUTES","features":[430]},{"name":"VFW_E_DVD_NO_BUTTON","features":[430]},{"name":"VFW_E_DVD_NO_GOUP_PGC","features":[430]},{"name":"VFW_E_DVD_NO_RESUME_INFORMATION","features":[430]},{"name":"VFW_E_DVD_OPERATION_INHIBITED","features":[430]},{"name":"VFW_E_DVD_RENDERFAIL","features":[430]},{"name":"VFW_E_DVD_RESOLUTION_ERROR","features":[430]},{"name":"VFW_E_DVD_STATE_CORRUPT","features":[430]},{"name":"VFW_E_DVD_STATE_WRONG_DISC","features":[430]},{"name":"VFW_E_DVD_STATE_WRONG_VERSION","features":[430]},{"name":"VFW_E_DVD_STREAM_DISABLED","features":[430]},{"name":"VFW_E_DVD_TITLE_UNKNOWN","features":[430]},{"name":"VFW_E_DVD_TOO_MANY_RENDERERS_IN_FILTER_GRAPH","features":[430]},{"name":"VFW_E_DVD_VMR9_INCOMPATIBLEDEC","features":[430]},{"name":"VFW_E_DVD_WRONG_SPEED","features":[430]},{"name":"VFW_E_ENUM_OUT_OF_RANGE","features":[430]},{"name":"VFW_E_ENUM_OUT_OF_SYNC","features":[430]},{"name":"VFW_E_FILE_TOO_SHORT","features":[430]},{"name":"VFW_E_FILTER_ACTIVE","features":[430]},{"name":"VFW_E_FRAME_STEP_UNSUPPORTED","features":[430]},{"name":"VFW_E_INVALIDMEDIATYPE","features":[430]},{"name":"VFW_E_INVALIDSUBTYPE","features":[430]},{"name":"VFW_E_INVALID_CLSID","features":[430]},{"name":"VFW_E_INVALID_DIRECTION","features":[430]},{"name":"VFW_E_INVALID_FILE_FORMAT","features":[430]},{"name":"VFW_E_INVALID_FILE_VERSION","features":[430]},{"name":"VFW_E_INVALID_MEDIA_TYPE","features":[430]},{"name":"VFW_E_INVALID_RECT","features":[430]},{"name":"VFW_E_IN_FULLSCREEN_MODE","features":[430]},{"name":"VFW_E_MEDIA_TIME_NOT_SET","features":[430]},{"name":"VFW_E_MONO_AUDIO_HW","features":[430]},{"name":"VFW_E_MPEG_NOT_CONSTRAINED","features":[430]},{"name":"VFW_E_NEED_OWNER","features":[430]},{"name":"VFW_E_NOT_ALLOWED_TO_SAVE","features":[430]},{"name":"VFW_E_NOT_COMMITTED","features":[430]},{"name":"VFW_E_NOT_CONNECTED","features":[430]},{"name":"VFW_E_NOT_FOUND","features":[430]},{"name":"VFW_E_NOT_IN_GRAPH","features":[430]},{"name":"VFW_E_NOT_OVERLAY_CONNECTION","features":[430]},{"name":"VFW_E_NOT_PAUSED","features":[430]},{"name":"VFW_E_NOT_RUNNING","features":[430]},{"name":"VFW_E_NOT_SAMPLE_CONNECTION","features":[430]},{"name":"VFW_E_NOT_STOPPED","features":[430]},{"name":"VFW_E_NO_ACCEPTABLE_TYPES","features":[430]},{"name":"VFW_E_NO_ADVISE_SET","features":[430]},{"name":"VFW_E_NO_ALLOCATOR","features":[430]},{"name":"VFW_E_NO_AUDIO_HARDWARE","features":[430]},{"name":"VFW_E_NO_CAPTURE_HARDWARE","features":[430]},{"name":"VFW_E_NO_CLOCK","features":[430]},{"name":"VFW_E_NO_COLOR_KEY_FOUND","features":[430]},{"name":"VFW_E_NO_COLOR_KEY_SET","features":[430]},{"name":"VFW_E_NO_COPP_HW","features":[430]},{"name":"VFW_E_NO_DECOMPRESSOR","features":[430]},{"name":"VFW_E_NO_DISPLAY_PALETTE","features":[430]},{"name":"VFW_E_NO_FULLSCREEN","features":[430]},{"name":"VFW_E_NO_INTERFACE","features":[430]},{"name":"VFW_E_NO_MODEX_AVAILABLE","features":[430]},{"name":"VFW_E_NO_PALETTE_AVAILABLE","features":[430]},{"name":"VFW_E_NO_SINK","features":[430]},{"name":"VFW_E_NO_TIME_FORMAT","features":[430]},{"name":"VFW_E_NO_TIME_FORMAT_SET","features":[430]},{"name":"VFW_E_NO_TRANSPORT","features":[430]},{"name":"VFW_E_NO_TYPES","features":[430]},{"name":"VFW_E_NO_VP_HARDWARE","features":[430]},{"name":"VFW_E_OUT_OF_VIDEO_MEMORY","features":[430]},{"name":"VFW_E_PALETTE_SET","features":[430]},{"name":"VFW_E_PIN_ALREADY_BLOCKED","features":[430]},{"name":"VFW_E_PIN_ALREADY_BLOCKED_ON_THIS_THREAD","features":[430]},{"name":"VFW_E_PROCESSOR_NOT_SUITABLE","features":[430]},{"name":"VFW_E_READ_ONLY","features":[430]},{"name":"VFW_E_RPZA","features":[430]},{"name":"VFW_E_RUNTIME_ERROR","features":[430]},{"name":"VFW_E_SAMPLE_REJECTED","features":[430]},{"name":"VFW_E_SAMPLE_REJECTED_EOS","features":[430]},{"name":"VFW_E_SAMPLE_TIME_NOT_SET","features":[430]},{"name":"VFW_E_SIZENOTSET","features":[430]},{"name":"VFW_E_START_TIME_AFTER_END","features":[430]},{"name":"VFW_E_STATE_CHANGED","features":[430]},{"name":"VFW_E_TIMEOUT","features":[430]},{"name":"VFW_E_TIME_ALREADY_PASSED","features":[430]},{"name":"VFW_E_TIME_EXPIRED","features":[430]},{"name":"VFW_E_TOO_MANY_COLORS","features":[430]},{"name":"VFW_E_TYPE_NOT_ACCEPTED","features":[430]},{"name":"VFW_E_UNKNOWN_FILE_TYPE","features":[430]},{"name":"VFW_E_UNSUPPORTED_AUDIO","features":[430]},{"name":"VFW_E_UNSUPPORTED_STREAM","features":[430]},{"name":"VFW_E_UNSUPPORTED_VIDEO","features":[430]},{"name":"VFW_E_VMR_NOT_IN_MIXER_MODE","features":[430]},{"name":"VFW_E_VMR_NO_AP_SUPPLIED","features":[430]},{"name":"VFW_E_VMR_NO_DEINTERLACE_HW","features":[430]},{"name":"VFW_E_VMR_NO_PROCAMP_HW","features":[430]},{"name":"VFW_E_VP_NEGOTIATION_FAILED","features":[430]},{"name":"VFW_E_WRONG_STATE","features":[430]},{"name":"VFW_FILTERLIST","features":[430]},{"name":"VFW_FIRST_CODE","features":[430]},{"name":"VFW_S_AUDIO_NOT_RENDERED","features":[430]},{"name":"VFW_S_CANT_CUE","features":[430]},{"name":"VFW_S_CONNECTIONS_DEFERRED","features":[430]},{"name":"VFW_S_DUPLICATE_NAME","features":[430]},{"name":"VFW_S_DVD_CHANNEL_CONTENTS_NOT_AVAILABLE","features":[430]},{"name":"VFW_S_DVD_NON_ONE_SEQUENTIAL","features":[430]},{"name":"VFW_S_DVD_NOT_ACCURATE","features":[430]},{"name":"VFW_S_DVD_RENDER_STATUS","features":[430]},{"name":"VFW_S_ESTIMATED","features":[430]},{"name":"VFW_S_MEDIA_TYPE_IGNORED","features":[430]},{"name":"VFW_S_NOPREVIEWPIN","features":[430]},{"name":"VFW_S_NO_MORE_ITEMS","features":[430]},{"name":"VFW_S_NO_STOP_TIME","features":[430]},{"name":"VFW_S_PARTIAL_RENDER","features":[430]},{"name":"VFW_S_RESERVED","features":[430]},{"name":"VFW_S_RESOURCE_NOT_NEEDED","features":[430]},{"name":"VFW_S_RPZA","features":[430]},{"name":"VFW_S_SOME_DATA_IGNORED","features":[430]},{"name":"VFW_S_STATE_INTERMEDIATE","features":[430]},{"name":"VFW_S_STREAM_OFF","features":[430]},{"name":"VFW_S_VIDEO_NOT_RENDERED","features":[430]},{"name":"VIDEOENCODER_BITRATE_MODE","features":[430]},{"name":"VIDEOINFO","features":[308,319,430]},{"name":"VIDEO_STREAM_CONFIG_CAPS","features":[308,430]},{"name":"VMR9ARMode_LetterBox","features":[430]},{"name":"VMR9ARMode_None","features":[430]},{"name":"VMR9AllocFlag_3DRenderTarget","features":[430]},{"name":"VMR9AllocFlag_DXVATarget","features":[430]},{"name":"VMR9AllocFlag_OffscreenSurface","features":[430]},{"name":"VMR9AllocFlag_RGBDynamicSwitch","features":[430]},{"name":"VMR9AllocFlag_TextureSurface","features":[430]},{"name":"VMR9AllocFlag_UsageMask","features":[430]},{"name":"VMR9AllocFlag_UsageReserved","features":[430]},{"name":"VMR9AllocationInfo","features":[308,317,430]},{"name":"VMR9AlphaBitmap","features":[308,317,319,430]},{"name":"VMR9AlphaBitmapFlags","features":[430]},{"name":"VMR9AlphaBitmap_Disable","features":[430]},{"name":"VMR9AlphaBitmap_EntireDDS","features":[430]},{"name":"VMR9AlphaBitmap_FilterMode","features":[430]},{"name":"VMR9AlphaBitmap_SrcColorKey","features":[430]},{"name":"VMR9AlphaBitmap_SrcRect","features":[430]},{"name":"VMR9AlphaBitmap_hDC","features":[430]},{"name":"VMR9AspectRatioMode","features":[430]},{"name":"VMR9DeinterlaceCaps","features":[430]},{"name":"VMR9DeinterlacePrefs","features":[430]},{"name":"VMR9DeinterlaceTech","features":[430]},{"name":"VMR9Frequency","features":[430]},{"name":"VMR9MixerPrefs","features":[430]},{"name":"VMR9Mode","features":[430]},{"name":"VMR9Mode_Mask","features":[430]},{"name":"VMR9Mode_Renderless","features":[430]},{"name":"VMR9Mode_Windowed","features":[430]},{"name":"VMR9Mode_Windowless","features":[430]},{"name":"VMR9MonitorInfo","features":[308,319,430]},{"name":"VMR9NormalizedRect","features":[430]},{"name":"VMR9PresentationFlags","features":[430]},{"name":"VMR9PresentationInfo","features":[308,317,430]},{"name":"VMR9ProcAmpControl","features":[430]},{"name":"VMR9ProcAmpControlFlags","features":[430]},{"name":"VMR9ProcAmpControlRange","features":[430]},{"name":"VMR9RenderPrefs","features":[430]},{"name":"VMR9Sample_Discontinuity","features":[430]},{"name":"VMR9Sample_Preroll","features":[430]},{"name":"VMR9Sample_SrcDstRectsValid","features":[430]},{"name":"VMR9Sample_SyncPoint","features":[430]},{"name":"VMR9Sample_TimeValid","features":[430]},{"name":"VMR9SurfaceAllocationFlags","features":[430]},{"name":"VMR9VideoDesc","features":[430]},{"name":"VMR9VideoStreamInfo","features":[317,430]},{"name":"VMR9_SampleFieldInterleavedEvenFirst","features":[430]},{"name":"VMR9_SampleFieldInterleavedOddFirst","features":[430]},{"name":"VMR9_SampleFieldSingleEven","features":[430]},{"name":"VMR9_SampleFieldSingleOdd","features":[430]},{"name":"VMR9_SampleFormat","features":[430]},{"name":"VMR9_SampleProgressiveFrame","features":[430]},{"name":"VMR9_SampleReserved","features":[430]},{"name":"VMRALLOCATIONINFO","features":[308,318,319,430]},{"name":"VMRALPHABITMAP","features":[308,318,319,430]},{"name":"VMRBITMAP_DISABLE","features":[430]},{"name":"VMRBITMAP_ENTIREDDS","features":[430]},{"name":"VMRBITMAP_HDC","features":[430]},{"name":"VMRBITMAP_SRCCOLORKEY","features":[430]},{"name":"VMRBITMAP_SRCRECT","features":[430]},{"name":"VMRDeinterlaceCaps","features":[430]},{"name":"VMRDeinterlacePrefs","features":[430]},{"name":"VMRDeinterlaceTech","features":[430]},{"name":"VMRFrequency","features":[430]},{"name":"VMRGUID","features":[430]},{"name":"VMRMONITORINFO","features":[308,319,430]},{"name":"VMRMixerPrefs","features":[430]},{"name":"VMRMode","features":[430]},{"name":"VMRMode_Mask","features":[430]},{"name":"VMRMode_Renderless","features":[430]},{"name":"VMRMode_Windowed","features":[430]},{"name":"VMRMode_Windowless","features":[430]},{"name":"VMRPRESENTATIONINFO","features":[308,318,430]},{"name":"VMRPresentationFlags","features":[430]},{"name":"VMRRenderPrefs","features":[430]},{"name":"VMRSample_Discontinuity","features":[430]},{"name":"VMRSample_Preroll","features":[430]},{"name":"VMRSample_SrcDstRectsValid","features":[430]},{"name":"VMRSample_SyncPoint","features":[430]},{"name":"VMRSample_TimeValid","features":[430]},{"name":"VMRSurfaceAllocationFlags","features":[430]},{"name":"VMRVIDEOSTREAMINFO","features":[318,430]},{"name":"VMRVideoDesc","features":[308,430]},{"name":"VMR_ARMODE_LETTER_BOX","features":[430]},{"name":"VMR_ARMODE_NONE","features":[430]},{"name":"VMR_ASPECT_RATIO_MODE","features":[430]},{"name":"VMR_NOTSUPPORTED","features":[430]},{"name":"VMR_RENDER_DEVICE_OVERLAY","features":[430]},{"name":"VMR_RENDER_DEVICE_SYSMEM","features":[430]},{"name":"VMR_RENDER_DEVICE_VIDMEM","features":[430]},{"name":"VMR_SUPPORTED","features":[430]},{"name":"VariableBitRateAverage","features":[430]},{"name":"VariableBitRatePeak","features":[430]},{"name":"VfwCaptureDialog_Display","features":[430]},{"name":"VfwCaptureDialog_Format","features":[430]},{"name":"VfwCaptureDialog_Source","features":[430]},{"name":"VfwCaptureDialogs","features":[430]},{"name":"VfwCompressDialog_About","features":[430]},{"name":"VfwCompressDialog_Config","features":[430]},{"name":"VfwCompressDialog_QueryAbout","features":[430]},{"name":"VfwCompressDialog_QueryConfig","features":[430]},{"name":"VfwCompressDialogs","features":[430]},{"name":"VideoControlFlag_ExternalTriggerEnable","features":[430]},{"name":"VideoControlFlag_FlipHorizontal","features":[430]},{"name":"VideoControlFlag_FlipVertical","features":[430]},{"name":"VideoControlFlag_Trigger","features":[430]},{"name":"VideoControlFlags","features":[430]},{"name":"VideoCopyProtectionMacrovisionBasic","features":[430]},{"name":"VideoCopyProtectionMacrovisionCBI","features":[430]},{"name":"VideoCopyProtectionType","features":[430]},{"name":"VideoProcAmpFlags","features":[430]},{"name":"VideoProcAmpProperty","features":[430]},{"name":"VideoProcAmp_BacklightCompensation","features":[430]},{"name":"VideoProcAmp_Brightness","features":[430]},{"name":"VideoProcAmp_ColorEnable","features":[430]},{"name":"VideoProcAmp_Contrast","features":[430]},{"name":"VideoProcAmp_Flags_Auto","features":[430]},{"name":"VideoProcAmp_Flags_Manual","features":[430]},{"name":"VideoProcAmp_Gain","features":[430]},{"name":"VideoProcAmp_Gamma","features":[430]},{"name":"VideoProcAmp_Hue","features":[430]},{"name":"VideoProcAmp_Saturation","features":[430]},{"name":"VideoProcAmp_Sharpness","features":[430]},{"name":"VideoProcAmp_WhiteBalance","features":[430]},{"name":"_AMRESCTL_RESERVEFLAGS","features":[430]},{"name":"_AMSTREAMSELECTENABLEFLAGS","features":[430]},{"name":"_AMSTREAMSELECTINFOFLAGS","features":[430]},{"name":"_AM_AUDIO_RENDERER_STAT_PARAM","features":[430]},{"name":"_AM_FILTER_MISC_FLAGS","features":[430]},{"name":"_AM_INTF_SEARCH_FLAGS","features":[430]},{"name":"_AM_OVERLAY_NOTIFY_FLAGS","features":[430]},{"name":"_AM_PIN_FLOW_CONTROL_BLOCK_FLAGS","features":[430]},{"name":"_AM_PUSHSOURCE_FLAGS","features":[430]},{"name":"_AM_RENSDEREXFLAGS","features":[430]},{"name":"_DVDECODERRESOLUTION","features":[430]},{"name":"_DVENCODERFORMAT","features":[430]},{"name":"_DVENCODERRESOLUTION","features":[430]},{"name":"_DVENCODERVIDEOFORMAT","features":[430]},{"name":"_DVRESOLUTION","features":[430]},{"name":"_REM_FILTER_FLAGS","features":[430]},{"name":"g_wszExcludeScriptStreamDeliverySynchronization","features":[430]},{"name":"iBLUE","features":[430]},{"name":"iEGA_COLORS","features":[430]},{"name":"iGREEN","features":[430]},{"name":"iMASK_COLORS","features":[430]},{"name":"iMAXBITS","features":[430]},{"name":"iPALETTE","features":[430]},{"name":"iPALETTE_COLORS","features":[430]},{"name":"iRED","features":[430]},{"name":"iTRUECOLOR","features":[430]}],"431":[{"name":"ANALOG_AUXIN_NETWORK_TYPE","features":[433]},{"name":"ANALOG_FM_NETWORK_TYPE","features":[433]},{"name":"ANALOG_TV_NETWORK_TYPE","features":[433]},{"name":"ATSCChannelTuneRequest","features":[433]},{"name":"ATSCComponentType","features":[433]},{"name":"ATSCLocator","features":[433]},{"name":"ATSCTuningSpace","features":[433]},{"name":"ATSC_EIT_TID","features":[433]},{"name":"ATSC_ETM_LOCATION_IN_PTC_FOR_EVENT","features":[433]},{"name":"ATSC_ETM_LOCATION_IN_PTC_FOR_PSIP","features":[433]},{"name":"ATSC_ETM_LOCATION_NOT_PRESENT","features":[433]},{"name":"ATSC_ETM_LOCATION_RESERVED","features":[433]},{"name":"ATSC_ETT_TID","features":[433]},{"name":"ATSC_FILTER_OPTIONS","features":[308,433]},{"name":"ATSC_MGT_PID","features":[433]},{"name":"ATSC_MGT_TID","features":[433]},{"name":"ATSC_PIT_TID","features":[433]},{"name":"ATSC_RRT_PID","features":[433]},{"name":"ATSC_RRT_TID","features":[433]},{"name":"ATSC_STT_PID","features":[433]},{"name":"ATSC_STT_TID","features":[433]},{"name":"ATSC_TERRESTRIAL_TV_NETWORK_TYPE","features":[433]},{"name":"ATSC_VCT_CABL_TID","features":[433]},{"name":"ATSC_VCT_PID","features":[433]},{"name":"ATSC_VCT_TERR_TID","features":[433]},{"name":"AgeBased","features":[433]},{"name":"AnalogAudioComponentType","features":[433]},{"name":"AnalogLocator","features":[433]},{"name":"AnalogRadioTuningSpace","features":[433]},{"name":"AnalogTVTuningSpace","features":[433]},{"name":"AudioType_Commentary","features":[433]},{"name":"AudioType_Dialogue","features":[433]},{"name":"AudioType_Emergency","features":[433]},{"name":"AudioType_Hearing_Impaired","features":[433]},{"name":"AudioType_Music_And_Effects","features":[433]},{"name":"AudioType_Reserved","features":[433]},{"name":"AudioType_Standard","features":[433]},{"name":"AudioType_Visually_Impaired","features":[433]},{"name":"AudioType_Voiceover","features":[433]},{"name":"AuxInTuningSpace","features":[433]},{"name":"BDANETWORKTYPE_ATSC","features":[433]},{"name":"BDA_DEBUG_DATA","features":[433]},{"name":"BDA_DEBUG_DATA_AVAILABLE","features":[433]},{"name":"BDA_DEBUG_DATA_TYPE_STRING","features":[433]},{"name":"BDA_DigitalSignalStandard","features":[433]},{"name":"BDA_EVENT_DATA","features":[433]},{"name":"BDA_LockType","features":[433]},{"name":"BDA_SignalType","features":[433]},{"name":"BDA_TRANSPORT_INFO","features":[433]},{"name":"BSKYB_TERRESTRIAL_TV_NETWORK_TYPE","features":[433]},{"name":"BadSampleInfo","features":[433]},{"name":"Bda_DigitalStandard_ATSC","features":[433]},{"name":"Bda_DigitalStandard_DVB_C","features":[433]},{"name":"Bda_DigitalStandard_DVB_S","features":[433]},{"name":"Bda_DigitalStandard_DVB_T","features":[433]},{"name":"Bda_DigitalStandard_ISDB_C","features":[433]},{"name":"Bda_DigitalStandard_ISDB_S","features":[433]},{"name":"Bda_DigitalStandard_ISDB_T","features":[433]},{"name":"Bda_DigitalStandard_None","features":[433]},{"name":"Bda_LockType_Complete","features":[433]},{"name":"Bda_LockType_DecoderDemod","features":[433]},{"name":"Bda_LockType_None","features":[433]},{"name":"Bda_LockType_PLL","features":[433]},{"name":"Bda_SignalType_Analog","features":[433]},{"name":"Bda_SignalType_Digital","features":[433]},{"name":"Bda_SignalType_Unknown","features":[433]},{"name":"BfAttrNone","features":[433]},{"name":"BfEnTvRat_Attributes_CAE_TV","features":[433]},{"name":"BfEnTvRat_Attributes_CAF_TV","features":[433]},{"name":"BfEnTvRat_Attributes_MPAA","features":[433]},{"name":"BfEnTvRat_Attributes_US_TV","features":[433]},{"name":"BfEnTvRat_GenericAttributes","features":[433]},{"name":"BfIsAttr_1","features":[433]},{"name":"BfIsAttr_2","features":[433]},{"name":"BfIsAttr_3","features":[433]},{"name":"BfIsAttr_4","features":[433]},{"name":"BfIsAttr_5","features":[433]},{"name":"BfIsAttr_6","features":[433]},{"name":"BfIsAttr_7","features":[433]},{"name":"BfIsBlocked","features":[433]},{"name":"BfValidAttrSubmask","features":[433]},{"name":"BroadcastEventService","features":[433]},{"name":"CAE_IsBlocked","features":[433]},{"name":"CAE_TV_14","features":[433]},{"name":"CAE_TV_18","features":[433]},{"name":"CAE_TV_C","features":[433]},{"name":"CAE_TV_C8","features":[433]},{"name":"CAE_TV_Exempt","features":[433]},{"name":"CAE_TV_G","features":[433]},{"name":"CAE_TV_PG","features":[433]},{"name":"CAE_TV_Reserved","features":[433]},{"name":"CAE_ValidAttrSubmask","features":[433]},{"name":"CAF_IsBlocked","features":[433]},{"name":"CAF_TV_13","features":[433]},{"name":"CAF_TV_16","features":[433]},{"name":"CAF_TV_18","features":[433]},{"name":"CAF_TV_8","features":[433]},{"name":"CAF_TV_Exempt","features":[433]},{"name":"CAF_TV_G","features":[433]},{"name":"CAF_TV_Reserved","features":[433]},{"name":"CAF_TV_Reserved6","features":[433]},{"name":"CAF_ValidAttrSubmask","features":[433]},{"name":"CAPTURE_STREAMTIME","features":[433]},{"name":"CLSID_CPCAFiltersCategory","features":[433]},{"name":"CLSID_DTFilterEncProperties","features":[433]},{"name":"CLSID_DTFilterTagProperties","features":[433]},{"name":"CLSID_ETFilterEncProperties","features":[433]},{"name":"CLSID_ETFilterTagProperties","features":[433]},{"name":"CLSID_Mpeg2TableFilter","features":[433]},{"name":"CLSID_PTFilter","features":[433]},{"name":"CLSID_XDSCodecProperties","features":[433]},{"name":"CLSID_XDSCodecTagProperties","features":[433]},{"name":"COMPONENT_TAG_CAPTION_MAX","features":[433]},{"name":"COMPONENT_TAG_CAPTION_MIN","features":[433]},{"name":"COMPONENT_TAG_SUPERIMPOSE_MAX","features":[433]},{"name":"COMPONENT_TAG_SUPERIMPOSE_MIN","features":[433]},{"name":"CONTENT","features":[433]},{"name":"COPPEventBlockReason","features":[433]},{"name":"COPP_Activate","features":[433]},{"name":"COPP_AeroGlassOff","features":[433]},{"name":"COPP_BadCertificate","features":[433]},{"name":"COPP_BadDriver","features":[433]},{"name":"COPP_DigitalAudioUnprotected","features":[433]},{"name":"COPP_ForbiddenVideo","features":[433]},{"name":"COPP_InvalidBusProtection","features":[433]},{"name":"COPP_NoCardHDCPSupport","features":[433]},{"name":"COPP_NoMonitorHDCPSupport","features":[433]},{"name":"COPP_RogueApp","features":[433]},{"name":"COPP_Unknown","features":[433]},{"name":"CPEVENT_BITSHIFT_COPP","features":[433]},{"name":"CPEVENT_BITSHIFT_DOWNRES","features":[433]},{"name":"CPEVENT_BITSHIFT_LICENSE","features":[433]},{"name":"CPEVENT_BITSHIFT_NO_PLAYREADY","features":[433]},{"name":"CPEVENT_BITSHIFT_PENDING_CERTIFICATE","features":[433]},{"name":"CPEVENT_BITSHIFT_RATINGS","features":[433]},{"name":"CPEVENT_BITSHIFT_ROLLBACK","features":[433]},{"name":"CPEVENT_BITSHIFT_SAC","features":[433]},{"name":"CPEVENT_BITSHIFT_STUBLIB","features":[433]},{"name":"CPEVENT_BITSHIFT_UNTRUSTEDGRAPH","features":[433]},{"name":"CPEVENT_COPP","features":[433]},{"name":"CPEVENT_DOWNRES","features":[433]},{"name":"CPEVENT_LICENSE","features":[433]},{"name":"CPEVENT_NONE","features":[433]},{"name":"CPEVENT_PROTECTWINDOWED","features":[433]},{"name":"CPEVENT_RATINGS","features":[433]},{"name":"CPEVENT_ROLLBACK","features":[433]},{"name":"CPEVENT_SAC","features":[433]},{"name":"CPEVENT_STUBLIB","features":[433]},{"name":"CPEVENT_UNTRUSTEDGRAPH","features":[433]},{"name":"CPEventBitShift","features":[433]},{"name":"CPEvents","features":[433]},{"name":"CPRecordingStatus","features":[433]},{"name":"CRID_LOCATION","features":[433]},{"name":"CRID_LOCATION_DVB_RESERVED1","features":[433]},{"name":"CRID_LOCATION_DVB_RESERVED2","features":[433]},{"name":"CRID_LOCATION_IN_CIT","features":[433]},{"name":"CRID_LOCATION_IN_DESCRIPTOR","features":[433]},{"name":"CROSSBAR_DEFAULT_FLAGS","features":[433]},{"name":"CXDSData","features":[433]},{"name":"Canadian_English","features":[433]},{"name":"Canadian_French","features":[433]},{"name":"ChannelChangeInfo","features":[433]},{"name":"ChannelChangeSpanningEvent_End","features":[433]},{"name":"ChannelChangeSpanningEvent_Start","features":[433]},{"name":"ChannelChangeSpanningEvent_State","features":[433]},{"name":"ChannelIDTuneRequest","features":[433]},{"name":"ChannelIDTuningSpace","features":[433]},{"name":"ChannelInfo","features":[433]},{"name":"ChannelTuneRequest","features":[433]},{"name":"ChannelType","features":[433]},{"name":"ChannelTypeAudio","features":[433]},{"name":"ChannelTypeCaptions","features":[433]},{"name":"ChannelTypeData","features":[433]},{"name":"ChannelTypeInfo","features":[433]},{"name":"ChannelTypeNone","features":[433]},{"name":"ChannelTypeOther","features":[433]},{"name":"ChannelTypeSubtitles","features":[433]},{"name":"ChannelTypeSuperimpose","features":[433]},{"name":"ChannelTypeText","features":[433]},{"name":"ChannelTypeVideo","features":[433]},{"name":"Component","features":[433]},{"name":"ComponentType","features":[433]},{"name":"ComponentTypes","features":[433]},{"name":"Components","features":[433]},{"name":"CreatePropBagOnRegKey","features":[433]},{"name":"DEF_MODE_PROFILE","features":[433]},{"name":"DEF_MODE_STREAMS","features":[433]},{"name":"DESC_LINKAGE_CA_REPLACEMENT","features":[433]},{"name":"DESC_LINKAGE_COMPLETE_NET_BOUQUET_SI","features":[433]},{"name":"DESC_LINKAGE_DATA","features":[433]},{"name":"DESC_LINKAGE_EPG","features":[433]},{"name":"DESC_LINKAGE_INFORMATION","features":[433]},{"name":"DESC_LINKAGE_REPLACEMENT","features":[433]},{"name":"DESC_LINKAGE_RESERVED0","features":[433]},{"name":"DESC_LINKAGE_RESERVED1","features":[433]},{"name":"DESC_LINKAGE_RESERVED2","features":[433]},{"name":"DESC_LINKAGE_TYPE","features":[433]},{"name":"DESC_LINKAGE_USER","features":[433]},{"name":"DIGITAL_CABLE_NETWORK_TYPE","features":[433]},{"name":"DIRECT_TV_SATELLITE_TV_NETWORK_TYPE","features":[433]},{"name":"DISPID_CHTUNER_ACTR_MINOR_CHANNEL","features":[433]},{"name":"DISPID_CHTUNER_ATVAC_CHANNEL","features":[433]},{"name":"DISPID_CHTUNER_ATVDC_CONTENT","features":[433]},{"name":"DISPID_CHTUNER_ATVDC_SYSTEM","features":[433]},{"name":"DISPID_CHTUNER_CIDTR_CHANNELID","features":[433]},{"name":"DISPID_CHTUNER_CTR_CHANNEL","features":[433]},{"name":"DISPID_CHTUNER_DCTR_MAJOR_CHANNEL","features":[433]},{"name":"DISPID_CHTUNER_DCTR_SRCID","features":[433]},{"name":"DISPID_DVBTUNER_DVBC_ATTRIBUTESVALID","features":[433]},{"name":"DISPID_DVBTUNER_DVBC_COMPONENTTYPE","features":[433]},{"name":"DISPID_DVBTUNER_DVBC_PID","features":[433]},{"name":"DISPID_DVBTUNER_DVBC_TAG","features":[433]},{"name":"DISPID_DVBTUNER_ONID","features":[433]},{"name":"DISPID_DVBTUNER_SID","features":[433]},{"name":"DISPID_DVBTUNER_TSID","features":[433]},{"name":"DISPID_MP2TUNERFACTORY_CREATETUNEREQUEST","features":[433]},{"name":"DISPID_MP2TUNER_PROGNO","features":[433]},{"name":"DISPID_MP2TUNER_TSID","features":[433]},{"name":"DISPID_TUNER","features":[433]},{"name":"DISPID_TUNER_ATSCCT_FLAGS","features":[433]},{"name":"DISPID_TUNER_CT_CATEGORY","features":[433]},{"name":"DISPID_TUNER_CT_CLONE","features":[433]},{"name":"DISPID_TUNER_CT_MEDIAFORMATTYPE","features":[433]},{"name":"DISPID_TUNER_CT_MEDIAMAJORTYPE","features":[433]},{"name":"DISPID_TUNER_CT_MEDIASUBTYPE","features":[433]},{"name":"DISPID_TUNER_CT_MEDIATYPE","features":[433]},{"name":"DISPID_TUNER_CT__MEDIAFORMATTYPE","features":[433]},{"name":"DISPID_TUNER_CT__MEDIAMAJORTYPE","features":[433]},{"name":"DISPID_TUNER_CT__MEDIASUBTYPE","features":[433]},{"name":"DISPID_TUNER_C_ANALOG_AUDIO","features":[433]},{"name":"DISPID_TUNER_C_CLONE","features":[433]},{"name":"DISPID_TUNER_C_DESCRIPTION","features":[433]},{"name":"DISPID_TUNER_C_LANGID","features":[433]},{"name":"DISPID_TUNER_C_MP2_PCRPID","features":[433]},{"name":"DISPID_TUNER_C_MP2_PID","features":[433]},{"name":"DISPID_TUNER_C_MP2_PROGNO","features":[433]},{"name":"DISPID_TUNER_C_STATUS","features":[433]},{"name":"DISPID_TUNER_C_TYPE","features":[433]},{"name":"DISPID_TUNER_LCT_LANGID","features":[433]},{"name":"DISPID_TUNER_L_ANALOG_STANDARD","features":[433]},{"name":"DISPID_TUNER_L_ATSC_MP2_PROGNO","features":[433]},{"name":"DISPID_TUNER_L_ATSC_PHYS_CHANNEL","features":[433]},{"name":"DISPID_TUNER_L_ATSC_TSID","features":[433]},{"name":"DISPID_TUNER_L_CARRFREQ","features":[433]},{"name":"DISPID_TUNER_L_CLONE","features":[433]},{"name":"DISPID_TUNER_L_DTV_O_MAJOR_CHANNEL","features":[433]},{"name":"DISPID_TUNER_L_DVBS2_DISEQ_LNB_SOURCE","features":[433]},{"name":"DISPID_TUNER_L_DVBS2_PILOT","features":[433]},{"name":"DISPID_TUNER_L_DVBS2_ROLLOFF","features":[433]},{"name":"DISPID_TUNER_L_DVBS_AZIMUTH","features":[433]},{"name":"DISPID_TUNER_L_DVBS_ELEVATION","features":[433]},{"name":"DISPID_TUNER_L_DVBS_ORBITAL","features":[433]},{"name":"DISPID_TUNER_L_DVBS_POLARISATION","features":[433]},{"name":"DISPID_TUNER_L_DVBS_WEST","features":[433]},{"name":"DISPID_TUNER_L_DVBT2_PHYSICALLAYERPIPEID","features":[433]},{"name":"DISPID_TUNER_L_DVBT_BANDWIDTH","features":[433]},{"name":"DISPID_TUNER_L_DVBT_GUARDINTERVAL","features":[433]},{"name":"DISPID_TUNER_L_DVBT_HALPHA","features":[433]},{"name":"DISPID_TUNER_L_DVBT_INUSE","features":[433]},{"name":"DISPID_TUNER_L_DVBT_LPINNERFECMETHOD","features":[433]},{"name":"DISPID_TUNER_L_DVBT_LPINNERFECRATE","features":[433]},{"name":"DISPID_TUNER_L_DVBT_TRANSMISSIONMODE","features":[433]},{"name":"DISPID_TUNER_L_INNERFECMETHOD","features":[433]},{"name":"DISPID_TUNER_L_INNERFECRATE","features":[433]},{"name":"DISPID_TUNER_L_MOD","features":[433]},{"name":"DISPID_TUNER_L_OUTERFECMETHOD","features":[433]},{"name":"DISPID_TUNER_L_OUTERFECRATE","features":[433]},{"name":"DISPID_TUNER_L_SYMRATE","features":[433]},{"name":"DISPID_TUNER_MP2CT_TYPE","features":[433]},{"name":"DISPID_TUNER_TR_CLONE","features":[433]},{"name":"DISPID_TUNER_TR_COMPONENTS","features":[433]},{"name":"DISPID_TUNER_TR_LOCATOR","features":[433]},{"name":"DISPID_TUNER_TR_TUNINGSPACE","features":[433]},{"name":"DISPID_TUNER_TS_AR_COUNTRYCODE","features":[433]},{"name":"DISPID_TUNER_TS_AR_MAXFREQUENCY","features":[433]},{"name":"DISPID_TUNER_TS_AR_MINFREQUENCY","features":[433]},{"name":"DISPID_TUNER_TS_AR_STEP","features":[433]},{"name":"DISPID_TUNER_TS_ATSC_MAXMINORCHANNEL","features":[433]},{"name":"DISPID_TUNER_TS_ATSC_MAXPHYSCHANNEL","features":[433]},{"name":"DISPID_TUNER_TS_ATSC_MINMINORCHANNEL","features":[433]},{"name":"DISPID_TUNER_TS_ATSC_MINPHYSCHANNEL","features":[433]},{"name":"DISPID_TUNER_TS_ATV_COUNTRYCODE","features":[433]},{"name":"DISPID_TUNER_TS_ATV_INPUTTYPE","features":[433]},{"name":"DISPID_TUNER_TS_ATV_MAXCHANNEL","features":[433]},{"name":"DISPID_TUNER_TS_ATV_MINCHANNEL","features":[433]},{"name":"DISPID_TUNER_TS_AUX_COUNTRYCODE","features":[433]},{"name":"DISPID_TUNER_TS_CLONE","features":[433]},{"name":"DISPID_TUNER_TS_CLSID","features":[433]},{"name":"DISPID_TUNER_TS_CREATETUNEREQUEST","features":[433]},{"name":"DISPID_TUNER_TS_DC_MAXMAJORCHANNEL","features":[433]},{"name":"DISPID_TUNER_TS_DC_MAXSOURCEID","features":[433]},{"name":"DISPID_TUNER_TS_DC_MINMAJORCHANNEL","features":[433]},{"name":"DISPID_TUNER_TS_DC_MINSOURCEID","features":[433]},{"name":"DISPID_TUNER_TS_DEFAULTPREFERREDCOMPONENTTYPES","features":[433]},{"name":"DISPID_TUNER_TS_DEFLOCATOR","features":[433]},{"name":"DISPID_TUNER_TS_DVB2_NETWORK_ID","features":[433]},{"name":"DISPID_TUNER_TS_DVBS2_HI_OSC_FREQ_OVERRIDE","features":[433]},{"name":"DISPID_TUNER_TS_DVBS2_LNB_SWITCH_FREQ_OVERRIDE","features":[433]},{"name":"DISPID_TUNER_TS_DVBS2_LOW_OSC_FREQ_OVERRIDE","features":[433]},{"name":"DISPID_TUNER_TS_DVBS2_SPECTRAL_INVERSION_OVERRIDE","features":[433]},{"name":"DISPID_TUNER_TS_DVBS_HI_OSC_FREQ","features":[433]},{"name":"DISPID_TUNER_TS_DVBS_INPUT_RANGE","features":[433]},{"name":"DISPID_TUNER_TS_DVBS_LNB_SWITCH_FREQ","features":[433]},{"name":"DISPID_TUNER_TS_DVBS_LOW_OSC_FREQ","features":[433]},{"name":"DISPID_TUNER_TS_DVBS_SPECTRAL_INVERSION","features":[433]},{"name":"DISPID_TUNER_TS_DVB_SYSTEMTYPE","features":[433]},{"name":"DISPID_TUNER_TS_ENUMCATEGORYGUIDS","features":[433]},{"name":"DISPID_TUNER_TS_ENUMDEVICEMONIKERS","features":[433]},{"name":"DISPID_TUNER_TS_FREQMAP","features":[433]},{"name":"DISPID_TUNER_TS_FRIENDLYNAME","features":[433]},{"name":"DISPID_TUNER_TS_NETWORKTYPE","features":[433]},{"name":"DISPID_TUNER_TS_UNIQUENAME","features":[433]},{"name":"DISPID_TUNER_TS__NETWORKTYPE","features":[433]},{"name":"DOWNRES_Always","features":[433]},{"name":"DOWNRES_InWindowOnly","features":[433]},{"name":"DOWNRES_Undefined","features":[433]},{"name":"DSATTRIB_BadSampleInfo","features":[433]},{"name":"DSATTRIB_WMDRMProtectionInfo","features":[433]},{"name":"DSHOW_STREAM_DESC","features":[308,433]},{"name":"DSMCC_ELEMENT","features":[433]},{"name":"DSMCC_FILTER_OPTIONS","features":[308,433]},{"name":"DSMCC_SECTION","features":[433]},{"name":"DTFilter","features":[433]},{"name":"DTV_CardStatus_Error","features":[433]},{"name":"DTV_CardStatus_FirmwareDownload","features":[433]},{"name":"DTV_CardStatus_Inserted","features":[433]},{"name":"DTV_CardStatus_Removed","features":[433]},{"name":"DTV_Entitlement_CanDecrypt","features":[433]},{"name":"DTV_Entitlement_NotEntitled","features":[433]},{"name":"DTV_Entitlement_TechnicalFailure","features":[433]},{"name":"DTV_MMIMessage_Close","features":[433]},{"name":"DTV_MMIMessage_Open","features":[433]},{"name":"DVBCLocator","features":[433]},{"name":"DVBSLocator","features":[433]},{"name":"DVBSTuningSpace","features":[433]},{"name":"DVBS_SCAN_TABLE_MAX_SIZE","features":[433]},{"name":"DVBScramblingControlSpanningEvent","features":[308,433]},{"name":"DVBTLocator","features":[433]},{"name":"DVBTLocator2","features":[433]},{"name":"DVBTuneRequest","features":[433]},{"name":"DVBTuningSpace","features":[433]},{"name":"DVB_BAT_PID","features":[433]},{"name":"DVB_BAT_TID","features":[433]},{"name":"DVB_CABLE_TV_NETWORK_TYPE","features":[433]},{"name":"DVB_DIT_PID","features":[433]},{"name":"DVB_DIT_TID","features":[433]},{"name":"DVB_EIT_ACTUAL_TID","features":[433]},{"name":"DVB_EIT_FILTER_OPTIONS","features":[308,433]},{"name":"DVB_EIT_OTHER_TID","features":[433]},{"name":"DVB_EIT_PID","features":[433]},{"name":"DVB_NIT_ACTUAL_TID","features":[433]},{"name":"DVB_NIT_OTHER_TID","features":[433]},{"name":"DVB_NIT_PID","features":[433]},{"name":"DVB_RST_PID","features":[433]},{"name":"DVB_RST_TID","features":[433]},{"name":"DVB_SATELLITE_TV_NETWORK_TYPE","features":[433]},{"name":"DVB_SDT_ACTUAL_TID","features":[433]},{"name":"DVB_SDT_OTHER_TID","features":[433]},{"name":"DVB_SDT_PID","features":[433]},{"name":"DVB_SIT_PID","features":[433]},{"name":"DVB_SIT_TID","features":[433]},{"name":"DVB_STRCONV_MODE","features":[433]},{"name":"DVB_ST_PID_16","features":[433]},{"name":"DVB_ST_PID_17","features":[433]},{"name":"DVB_ST_PID_18","features":[433]},{"name":"DVB_ST_PID_19","features":[433]},{"name":"DVB_ST_PID_20","features":[433]},{"name":"DVB_ST_TID","features":[433]},{"name":"DVB_TDT_PID","features":[433]},{"name":"DVB_TDT_TID","features":[433]},{"name":"DVB_TERRESTRIAL_TV_NETWORK_TYPE","features":[433]},{"name":"DVB_TOT_PID","features":[433]},{"name":"DVB_TOT_TID","features":[433]},{"name":"DVDFilterState","features":[433]},{"name":"DVDMenuIDConstants","features":[433]},{"name":"DVDSPExt","features":[433]},{"name":"DVDTextStringType","features":[433]},{"name":"DVR_STREAM_DESC","features":[308,433,431]},{"name":"DigitalCableLocator","features":[433]},{"name":"DigitalCableTuneRequest","features":[433]},{"name":"DigitalCableTuningSpace","features":[433]},{"name":"DigitalLocator","features":[433]},{"name":"DisplaySizeList","features":[433]},{"name":"DownResEventParam","features":[433]},{"name":"DualMonoInfo","features":[433]},{"name":"DvbParentalRatingDescriptor","features":[433]},{"name":"DvbParentalRatingParam","features":[433]},{"name":"ECHOSTAR_SATELLITE_TV_NETWORK_TYPE","features":[433]},{"name":"ENCDEC_CPEVENT","features":[433]},{"name":"ENCDEC_RECORDING_STATUS","features":[433]},{"name":"ESEventFactory","features":[433]},{"name":"ESEventService","features":[433]},{"name":"ETFilter","features":[433]},{"name":"EVENTID_ARIBcontentSpanningEvent","features":[433]},{"name":"EVENTID_AudioDescriptorSpanningEvent","features":[433]},{"name":"EVENTID_AudioTypeSpanningEvent","features":[433]},{"name":"EVENTID_BDAConditionalAccessTAG","features":[433]},{"name":"EVENTID_BDAEventingServicePendingEvent","features":[433]},{"name":"EVENTID_BDA_CASBroadcastMMI","features":[433]},{"name":"EVENTID_BDA_CASCloseMMI","features":[433]},{"name":"EVENTID_BDA_CASOpenMMI","features":[433]},{"name":"EVENTID_BDA_CASReleaseTuner","features":[433]},{"name":"EVENTID_BDA_CASRequestTuner","features":[433]},{"name":"EVENTID_BDA_DiseqCResponseAvailable","features":[433]},{"name":"EVENTID_BDA_EncoderSignalLock","features":[433]},{"name":"EVENTID_BDA_FdcStatus","features":[433]},{"name":"EVENTID_BDA_FdcTableSection","features":[433]},{"name":"EVENTID_BDA_GPNVValueUpdate","features":[433]},{"name":"EVENTID_BDA_GuideDataAvailable","features":[433]},{"name":"EVENTID_BDA_GuideDataError","features":[433]},{"name":"EVENTID_BDA_GuideServiceInformationUpdated","features":[433]},{"name":"EVENTID_BDA_IsdbCASResponse","features":[433]},{"name":"EVENTID_BDA_LbigsCloseConnectionHandle","features":[433]},{"name":"EVENTID_BDA_LbigsOpenConnection","features":[433]},{"name":"EVENTID_BDA_LbigsSendData","features":[433]},{"name":"EVENTID_BDA_RatingPinReset","features":[433]},{"name":"EVENTID_BDA_TransprtStreamSelectorInfo","features":[433]},{"name":"EVENTID_BDA_TunerNoSignal","features":[433]},{"name":"EVENTID_BDA_TunerSignalLock","features":[433]},{"name":"EVENTID_BDA_UpdateDrmStatus","features":[433]},{"name":"EVENTID_BDA_UpdateScanState","features":[433]},{"name":"EVENTID_CADenialCountChanged","features":[433]},{"name":"EVENTID_CASFailureSpanningEvent","features":[433]},{"name":"EVENTID_CSDescriptorSpanningEvent","features":[433]},{"name":"EVENTID_CandidatePostTuneData","features":[433]},{"name":"EVENTID_CardStatusChanged","features":[433]},{"name":"EVENTID_ChannelChangeSpanningEvent","features":[433]},{"name":"EVENTID_ChannelInfoSpanningEvent","features":[433]},{"name":"EVENTID_ChannelTypeSpanningEvent","features":[433]},{"name":"EVENTID_CtxADescriptorSpanningEvent","features":[433]},{"name":"EVENTID_DFNWithNoActualAVData","features":[433]},{"name":"EVENTID_DRMParingStatusChanged","features":[433]},{"name":"EVENTID_DRMParingStepComplete","features":[433]},{"name":"EVENTID_DTFilterCOPPBlock","features":[433]},{"name":"EVENTID_DTFilterCOPPUnblock","features":[433]},{"name":"EVENTID_DTFilterDataFormatFailure","features":[433]},{"name":"EVENTID_DTFilterDataFormatOK","features":[433]},{"name":"EVENTID_DTFilterRatingChange","features":[433]},{"name":"EVENTID_DTFilterRatingsBlock","features":[433]},{"name":"EVENTID_DTFilterRatingsUnblock","features":[433]},{"name":"EVENTID_DTFilterXDSPacket","features":[433]},{"name":"EVENTID_DVBScramblingControlSpanningEvent","features":[433]},{"name":"EVENTID_DemultiplexerFilterDiscontinuity","features":[433]},{"name":"EVENTID_DualMonoSpanningEvent","features":[433]},{"name":"EVENTID_DvbParentalRatingDescriptor","features":[433]},{"name":"EVENTID_EASMessageReceived","features":[433]},{"name":"EVENTID_ETDTFilterLicenseFailure","features":[433]},{"name":"EVENTID_ETDTFilterLicenseOK","features":[433]},{"name":"EVENTID_ETFilterCopyNever","features":[433]},{"name":"EVENTID_ETFilterCopyOnce","features":[433]},{"name":"EVENTID_ETFilterEncryptionOff","features":[433]},{"name":"EVENTID_ETFilterEncryptionOn","features":[433]},{"name":"EVENTID_EmmMessageSpanningEvent","features":[433]},{"name":"EVENTID_EncDecFilterError","features":[433]},{"name":"EVENTID_EncDecFilterEvent","features":[433]},{"name":"EVENTID_EntitlementChanged","features":[433]},{"name":"EVENTID_FormatNotSupportedEvent","features":[433]},{"name":"EVENTID_LanguageSpanningEvent","features":[433]},{"name":"EVENTID_MMIMessage","features":[433]},{"name":"EVENTID_NewSignalAcquired","features":[433]},{"name":"EVENTID_PBDAParentalControlEvent","features":[433]},{"name":"EVENTID_PIDListSpanningEvent","features":[433]},{"name":"EVENTID_PSITable","features":[433]},{"name":"EVENTID_RRTSpanningEvent","features":[433]},{"name":"EVENTID_SBE2RecControlStarted","features":[433]},{"name":"EVENTID_SBE2RecControlStopped","features":[433]},{"name":"EVENTID_STBChannelNumber","features":[433]},{"name":"EVENTID_ServiceTerminated","features":[433]},{"name":"EVENTID_SignalAndServiceStatusSpanningEvent","features":[433]},{"name":"EVENTID_SignalStatusChanged","features":[433]},{"name":"EVENTID_StreamIDSpanningEvent","features":[433]},{"name":"EVENTID_StreamTypeSpanningEvent","features":[433]},{"name":"EVENTID_SubtitleSpanningEvent","features":[433]},{"name":"EVENTID_TeletextSpanningEvent","features":[433]},{"name":"EVENTID_TuneFailureEvent","features":[433]},{"name":"EVENTID_TuneFailureSpanningEvent","features":[433]},{"name":"EVENTID_TuningChanged","features":[433]},{"name":"EVENTID_TuningChanging","features":[433]},{"name":"EVENTID_XDSCodecDuplicateXDSRating","features":[433]},{"name":"EVENTID_XDSCodecNewXDSPacket","features":[433]},{"name":"EVENTID_XDSCodecNewXDSRating","features":[433]},{"name":"EVENTTYPE_CASDescrambleFailureEvent","features":[433]},{"name":"EnTag_Mode","features":[433]},{"name":"EnTag_Once","features":[433]},{"name":"EnTag_Remove","features":[433]},{"name":"EnTag_Repeat","features":[433]},{"name":"EnTvRat_CAE_TV","features":[433]},{"name":"EnTvRat_CAF_TV","features":[433]},{"name":"EnTvRat_GenericLevel","features":[433]},{"name":"EnTvRat_MPAA","features":[433]},{"name":"EnTvRat_System","features":[433]},{"name":"EnTvRat_US_TV","features":[433]},{"name":"EncDecEvents","features":[433]},{"name":"EvalRat","features":[433]},{"name":"FORMATNOTSUPPORTED_CLEAR","features":[433]},{"name":"FORMATNOTSUPPORTED_NOTSUPPORTED","features":[433]},{"name":"FORMATTYPE_CPFilters_Processed","features":[433]},{"name":"FORMATTYPE_ETDTFilter_Tagged","features":[433]},{"name":"FormatNotSupportedEvents","features":[433]},{"name":"FrameMode","features":[433]},{"name":"IATSCChannelTuneRequest","features":[433,359]},{"name":"IATSCComponentType","features":[433,359]},{"name":"IATSCLocator","features":[433,359]},{"name":"IATSCLocator2","features":[433,359]},{"name":"IATSCTuningSpace","features":[433,359]},{"name":"IATSC_EIT","features":[433]},{"name":"IATSC_ETT","features":[433]},{"name":"IATSC_MGT","features":[433]},{"name":"IATSC_STT","features":[433]},{"name":"IATSC_VCT","features":[433]},{"name":"IAnalogAudioComponentType","features":[433,359]},{"name":"IAnalogLocator","features":[433,359]},{"name":"IAnalogRadioTuningSpace","features":[433,359]},{"name":"IAnalogRadioTuningSpace2","features":[433,359]},{"name":"IAnalogTVTuningSpace","features":[433,359]},{"name":"IAtscContentAdvisoryDescriptor","features":[433]},{"name":"IAtscPsipParser","features":[433]},{"name":"IAttributeGet","features":[433]},{"name":"IAttributeSet","features":[433]},{"name":"IAuxInTuningSpace","features":[433,359]},{"name":"IAuxInTuningSpace2","features":[433,359]},{"name":"IBDAComparable","features":[433]},{"name":"IBDACreateTuneRequestEx","features":[433]},{"name":"IBDA_TIF_REGISTRATION","features":[433]},{"name":"ICAT","features":[433]},{"name":"ICaptionServiceDescriptor","features":[433]},{"name":"IChannelIDTuneRequest","features":[433,359]},{"name":"IChannelTuneRequest","features":[433,359]},{"name":"IComponent","features":[433,359]},{"name":"IComponentType","features":[433,359]},{"name":"IComponentTypes","features":[433,359]},{"name":"IComponents","features":[433,359]},{"name":"IComponentsOld","features":[433,359]},{"name":"ICreatePropBagOnRegKey","features":[433]},{"name":"IDTFilter","features":[433]},{"name":"IDTFilter2","features":[433]},{"name":"IDTFilter3","features":[433]},{"name":"IDTFilterConfig","features":[433]},{"name":"IDTFilterEvents","features":[433,359]},{"name":"IDTFilterLicenseRenewal","features":[433]},{"name":"IDVBCLocator","features":[433,359]},{"name":"IDVBSLocator","features":[433,359]},{"name":"IDVBSLocator2","features":[433,359]},{"name":"IDVBSTuningSpace","features":[433,359]},{"name":"IDVBTLocator","features":[433,359]},{"name":"IDVBTLocator2","features":[433,359]},{"name":"IDVBTuneRequest","features":[433,359]},{"name":"IDVBTuningSpace","features":[433,359]},{"name":"IDVBTuningSpace2","features":[433,359]},{"name":"IDVB_BAT","features":[433]},{"name":"IDVB_DIT","features":[433]},{"name":"IDVB_EIT","features":[433]},{"name":"IDVB_EIT2","features":[433]},{"name":"IDVB_NIT","features":[433]},{"name":"IDVB_RST","features":[433]},{"name":"IDVB_SDT","features":[433]},{"name":"IDVB_SIT","features":[433]},{"name":"IDVB_ST","features":[433]},{"name":"IDVB_TDT","features":[433]},{"name":"IDVB_TOT","features":[433]},{"name":"IDigitalCableLocator","features":[433,359]},{"name":"IDigitalCableTuneRequest","features":[433,359]},{"name":"IDigitalCableTuningSpace","features":[433,359]},{"name":"IDigitalLocator","features":[433,359]},{"name":"IDvbCableDeliverySystemDescriptor","features":[433]},{"name":"IDvbComponentDescriptor","features":[433]},{"name":"IDvbContentDescriptor","features":[433]},{"name":"IDvbContentIdentifierDescriptor","features":[433]},{"name":"IDvbDataBroadcastDescriptor","features":[433]},{"name":"IDvbDataBroadcastIDDescriptor","features":[433]},{"name":"IDvbDefaultAuthorityDescriptor","features":[433]},{"name":"IDvbExtendedEventDescriptor","features":[433]},{"name":"IDvbFrequencyListDescriptor","features":[433]},{"name":"IDvbHDSimulcastLogicalChannelDescriptor","features":[433]},{"name":"IDvbLinkageDescriptor","features":[433]},{"name":"IDvbLogicalChannel2Descriptor","features":[433]},{"name":"IDvbLogicalChannelDescriptor","features":[433]},{"name":"IDvbLogicalChannelDescriptor2","features":[433]},{"name":"IDvbMultilingualServiceNameDescriptor","features":[433]},{"name":"IDvbNetworkNameDescriptor","features":[433]},{"name":"IDvbParentalRatingDescriptor","features":[433]},{"name":"IDvbPrivateDataSpecifierDescriptor","features":[433]},{"name":"IDvbSatelliteDeliverySystemDescriptor","features":[433]},{"name":"IDvbServiceAttributeDescriptor","features":[433]},{"name":"IDvbServiceDescriptor","features":[433]},{"name":"IDvbServiceDescriptor2","features":[433]},{"name":"IDvbServiceListDescriptor","features":[433]},{"name":"IDvbShortEventDescriptor","features":[433]},{"name":"IDvbSiParser","features":[433]},{"name":"IDvbSiParser2","features":[433]},{"name":"IDvbSubtitlingDescriptor","features":[433]},{"name":"IDvbTeletextDescriptor","features":[433]},{"name":"IDvbTerrestrial2DeliverySystemDescriptor","features":[433]},{"name":"IDvbTerrestrialDeliverySystemDescriptor","features":[433]},{"name":"IESCloseMmiEvent","features":[433]},{"name":"IESEventFactory","features":[433]},{"name":"IESEventService","features":[433]},{"name":"IESEventServiceConfiguration","features":[433]},{"name":"IESFileExpiryDateEvent","features":[433]},{"name":"IESIsdbCasResponseEvent","features":[433]},{"name":"IESLicenseRenewalResultEvent","features":[433]},{"name":"IESOpenMmiEvent","features":[433]},{"name":"IESRequestTunerEvent","features":[433]},{"name":"IESValueUpdatedEvent","features":[433]},{"name":"IETFilter","features":[433]},{"name":"IETFilterConfig","features":[433]},{"name":"IETFilterEvents","features":[433,359]},{"name":"IEnumComponentTypes","features":[433]},{"name":"IEnumComponents","features":[433]},{"name":"IEnumGuideDataProperties","features":[433]},{"name":"IEnumMSVidGraphSegment","features":[433]},{"name":"IEnumStreamBufferRecordingAttrib","features":[433]},{"name":"IEnumTuneRequests","features":[433]},{"name":"IEnumTuningSpaces","features":[433]},{"name":"IEvalRat","features":[433,359]},{"name":"IGenericDescriptor","features":[433]},{"name":"IGenericDescriptor2","features":[433]},{"name":"IGpnvsCommonBase","features":[433]},{"name":"IGuideData","features":[433]},{"name":"IGuideDataEvent","features":[433]},{"name":"IGuideDataLoader","features":[433]},{"name":"IGuideDataProperty","features":[433]},{"name":"IISDBSLocator","features":[433,359]},{"name":"IISDB_BIT","features":[433]},{"name":"IISDB_CDT","features":[433]},{"name":"IISDB_EMM","features":[433]},{"name":"IISDB_LDT","features":[433]},{"name":"IISDB_NBIT","features":[433]},{"name":"IISDB_SDT","features":[433]},{"name":"IISDB_SDTT","features":[433]},{"name":"IIsdbAudioComponentDescriptor","features":[433]},{"name":"IIsdbCAContractInformationDescriptor","features":[433]},{"name":"IIsdbCADescriptor","features":[433]},{"name":"IIsdbCAServiceDescriptor","features":[433]},{"name":"IIsdbComponentGroupDescriptor","features":[433]},{"name":"IIsdbDataContentDescriptor","features":[433]},{"name":"IIsdbDigitalCopyControlDescriptor","features":[433]},{"name":"IIsdbDownloadContentDescriptor","features":[433]},{"name":"IIsdbEmergencyInformationDescriptor","features":[433]},{"name":"IIsdbEventGroupDescriptor","features":[433]},{"name":"IIsdbHierarchicalTransmissionDescriptor","features":[433]},{"name":"IIsdbLogoTransmissionDescriptor","features":[433]},{"name":"IIsdbSIParameterDescriptor","features":[433]},{"name":"IIsdbSeriesDescriptor","features":[433]},{"name":"IIsdbSiParser2","features":[433]},{"name":"IIsdbTSInformationDescriptor","features":[433]},{"name":"IIsdbTerrestrialDeliverySystemDescriptor","features":[433]},{"name":"ILanguageComponentType","features":[433,359]},{"name":"ILocator","features":[433,359]},{"name":"IMPEG2Component","features":[433,359]},{"name":"IMPEG2ComponentType","features":[433,359]},{"name":"IMPEG2TuneRequest","features":[433,359]},{"name":"IMPEG2TuneRequestFactory","features":[433,359]},{"name":"IMPEG2TuneRequestSupport","features":[433]},{"name":"IMPEG2_TIF_CONTROL","features":[433]},{"name":"IMSEventBinder","features":[433,359]},{"name":"IMSVidAnalogTuner","features":[433,359]},{"name":"IMSVidAnalogTuner2","features":[433,359]},{"name":"IMSVidAnalogTunerEvent","features":[433,359]},{"name":"IMSVidAudioRenderer","features":[433,359]},{"name":"IMSVidAudioRendererDevices","features":[433,359]},{"name":"IMSVidAudioRendererEvent","features":[433,359]},{"name":"IMSVidAudioRendererEvent2","features":[433,359]},{"name":"IMSVidClosedCaptioning","features":[433,359]},{"name":"IMSVidClosedCaptioning2","features":[433,359]},{"name":"IMSVidClosedCaptioning3","features":[433,359]},{"name":"IMSVidCompositionSegment","features":[433,359]},{"name":"IMSVidCtl","features":[433,359]},{"name":"IMSVidDataServices","features":[433,359]},{"name":"IMSVidDataServicesEvent","features":[433,359]},{"name":"IMSVidDevice","features":[433,359]},{"name":"IMSVidDevice2","features":[433]},{"name":"IMSVidDeviceEvent","features":[433,359]},{"name":"IMSVidEVR","features":[433,359]},{"name":"IMSVidEVREvent","features":[433,359]},{"name":"IMSVidEncoder","features":[433,359]},{"name":"IMSVidFeature","features":[433,359]},{"name":"IMSVidFeatureEvent","features":[433,359]},{"name":"IMSVidFeatures","features":[433,359]},{"name":"IMSVidFilePlayback","features":[433,359]},{"name":"IMSVidFilePlayback2","features":[433,359]},{"name":"IMSVidFilePlaybackEvent","features":[433,359]},{"name":"IMSVidGenericSink","features":[433,359]},{"name":"IMSVidGenericSink2","features":[433,359]},{"name":"IMSVidGraphSegment","features":[433,359]},{"name":"IMSVidGraphSegmentContainer","features":[433]},{"name":"IMSVidGraphSegmentUserInput","features":[433]},{"name":"IMSVidInputDevice","features":[433,359]},{"name":"IMSVidInputDeviceEvent","features":[433,359]},{"name":"IMSVidInputDevices","features":[433,359]},{"name":"IMSVidOutputDevice","features":[433,359]},{"name":"IMSVidOutputDeviceEvent","features":[433,359]},{"name":"IMSVidOutputDevices","features":[433,359]},{"name":"IMSVidPlayback","features":[433,359]},{"name":"IMSVidPlaybackEvent","features":[433,359]},{"name":"IMSVidRect","features":[433,359]},{"name":"IMSVidStreamBufferRecordingControl","features":[433,359]},{"name":"IMSVidStreamBufferSink","features":[433,359]},{"name":"IMSVidStreamBufferSink2","features":[433,359]},{"name":"IMSVidStreamBufferSink3","features":[433,359]},{"name":"IMSVidStreamBufferSinkEvent","features":[433,359]},{"name":"IMSVidStreamBufferSinkEvent2","features":[433,359]},{"name":"IMSVidStreamBufferSinkEvent3","features":[433,359]},{"name":"IMSVidStreamBufferSinkEvent4","features":[433,359]},{"name":"IMSVidStreamBufferSource","features":[433,359]},{"name":"IMSVidStreamBufferSource2","features":[433,359]},{"name":"IMSVidStreamBufferSourceEvent","features":[433,359]},{"name":"IMSVidStreamBufferSourceEvent2","features":[433,359]},{"name":"IMSVidStreamBufferSourceEvent3","features":[433,359]},{"name":"IMSVidStreamBufferV2SourceEvent","features":[433,359]},{"name":"IMSVidTuner","features":[433,359]},{"name":"IMSVidTunerEvent","features":[433,359]},{"name":"IMSVidVMR9","features":[433,359]},{"name":"IMSVidVRGraphSegment","features":[433,359]},{"name":"IMSVidVideoInputDevice","features":[433,359]},{"name":"IMSVidVideoRenderer","features":[433,359]},{"name":"IMSVidVideoRenderer2","features":[433,359]},{"name":"IMSVidVideoRendererDevices","features":[433,359]},{"name":"IMSVidVideoRendererEvent","features":[433,359]},{"name":"IMSVidVideoRendererEvent2","features":[433,359]},{"name":"IMSVidWebDVD","features":[433,359]},{"name":"IMSVidWebDVD2","features":[433,359]},{"name":"IMSVidWebDVDAdm","features":[433,359]},{"name":"IMSVidWebDVDEvent","features":[433,359]},{"name":"IMSVidXDS","features":[433,359]},{"name":"IMSVidXDSEvent","features":[433,359]},{"name":"IMceBurnerControl","features":[433]},{"name":"IMpeg2Data","features":[433]},{"name":"IMpeg2Stream","features":[433]},{"name":"IMpeg2TableFilter","features":[433]},{"name":"IPAT","features":[433]},{"name":"IPBDAAttributesDescriptor","features":[433]},{"name":"IPBDAEntitlementDescriptor","features":[433]},{"name":"IPBDASiParser","features":[433]},{"name":"IPBDA_EIT","features":[433]},{"name":"IPBDA_Services","features":[433]},{"name":"IPMT","features":[433]},{"name":"IPSITables","features":[433]},{"name":"IPTFilterLicenseRenewal","features":[433]},{"name":"IPersistTuneXml","features":[433,359]},{"name":"IPersistTuneXmlUtility","features":[433]},{"name":"IPersistTuneXmlUtility2","features":[433]},{"name":"IRegisterTuner","features":[433]},{"name":"ISBE2Crossbar","features":[433]},{"name":"ISBE2EnumStream","features":[433]},{"name":"ISBE2FileScan","features":[433]},{"name":"ISBE2GlobalEvent","features":[433]},{"name":"ISBE2GlobalEvent2","features":[433]},{"name":"ISBE2MediaTypeProfile","features":[433]},{"name":"ISBE2SpanningEvent","features":[433]},{"name":"ISBE2StreamMap","features":[433]},{"name":"ISCTE_EAS","features":[433]},{"name":"ISDBSLocator","features":[433]},{"name":"ISDB_BIT_PID","features":[433]},{"name":"ISDB_BIT_TID","features":[433]},{"name":"ISDB_CABLE_TV_NETWORK_TYPE","features":[433]},{"name":"ISDB_CDT_PID","features":[433]},{"name":"ISDB_CDT_TID","features":[433]},{"name":"ISDB_EMM_TID","features":[433]},{"name":"ISDB_LDT_PID","features":[433]},{"name":"ISDB_LDT_TID","features":[433]},{"name":"ISDB_NBIT_MSG_TID","features":[433]},{"name":"ISDB_NBIT_PID","features":[433]},{"name":"ISDB_NBIT_REF_TID","features":[433]},{"name":"ISDB_SATELLITE_TV_NETWORK_TYPE","features":[433]},{"name":"ISDB_SDTT_ALT_PID","features":[433]},{"name":"ISDB_SDTT_PID","features":[433]},{"name":"ISDB_SDTT_TID","features":[433]},{"name":"ISDB_ST_TID","features":[433]},{"name":"ISDB_S_NETWORK_TYPE","features":[433]},{"name":"ISDB_TERRESTRIAL_TV_NETWORK_TYPE","features":[433]},{"name":"ISDB_T_NETWORK_TYPE","features":[433]},{"name":"ISIInbandEPG","features":[433]},{"name":"ISIInbandEPGEvent","features":[433]},{"name":"IScanningTuner","features":[433]},{"name":"IScanningTunerEx","features":[433]},{"name":"ISectionList","features":[433]},{"name":"IServiceLocationDescriptor","features":[433]},{"name":"IStreamBufferConfigure","features":[433]},{"name":"IStreamBufferConfigure2","features":[433]},{"name":"IStreamBufferConfigure3","features":[433]},{"name":"IStreamBufferDataCounters","features":[433]},{"name":"IStreamBufferInitialize","features":[433]},{"name":"IStreamBufferMediaSeeking","features":[433]},{"name":"IStreamBufferMediaSeeking2","features":[433]},{"name":"IStreamBufferRecComp","features":[433]},{"name":"IStreamBufferRecordControl","features":[433]},{"name":"IStreamBufferRecordingAttribute","features":[433]},{"name":"IStreamBufferSink","features":[433]},{"name":"IStreamBufferSink2","features":[433]},{"name":"IStreamBufferSink3","features":[433]},{"name":"IStreamBufferSource","features":[433]},{"name":"ITSDT","features":[433]},{"name":"ITuneRequest","features":[433,359]},{"name":"ITuneRequestInfo","features":[433]},{"name":"ITuneRequestInfoEx","features":[433]},{"name":"ITuner","features":[433]},{"name":"ITunerCap","features":[433]},{"name":"ITunerCapEx","features":[433]},{"name":"ITuningSpace","features":[433,359]},{"name":"ITuningSpaceContainer","features":[433,359]},{"name":"ITuningSpaces","features":[433,359]},{"name":"IXDSCodec","features":[433]},{"name":"IXDSCodecConfig","features":[433]},{"name":"IXDSCodecEvents","features":[433,359]},{"name":"IXDSToRat","features":[433,359]},{"name":"KSCATEGORY_BDA_IP_SINK","features":[433]},{"name":"KSCATEGORY_BDA_NETWORK_EPG","features":[433]},{"name":"KSCATEGORY_BDA_NETWORK_PROVIDER","features":[433]},{"name":"KSCATEGORY_BDA_NETWORK_TUNER","features":[433]},{"name":"KSCATEGORY_BDA_RECEIVER_COMPONENT","features":[433]},{"name":"KSCATEGORY_BDA_TRANSPORT_INFORMATION","features":[433]},{"name":"KSDATAFORMAT_SPECIFIER_BDA_IP","features":[433]},{"name":"KSDATAFORMAT_SPECIFIER_BDA_TRANSPORT","features":[433]},{"name":"KSDATAFORMAT_SUBTYPE_ATSC_SI","features":[433]},{"name":"KSDATAFORMAT_SUBTYPE_BDA_IP","features":[433]},{"name":"KSDATAFORMAT_SUBTYPE_BDA_IP_CONTROL","features":[433]},{"name":"KSDATAFORMAT_SUBTYPE_BDA_MPEG2_TRANSPORT","features":[433]},{"name":"KSDATAFORMAT_SUBTYPE_BDA_OPENCABLE_OOB_PSIP","features":[433]},{"name":"KSDATAFORMAT_SUBTYPE_BDA_OPENCABLE_PSIP","features":[433]},{"name":"KSDATAFORMAT_SUBTYPE_DVB_SI","features":[433]},{"name":"KSDATAFORMAT_SUBTYPE_ISDB_SI","features":[433]},{"name":"KSDATAFORMAT_SUBTYPE_PBDA_TRANSPORT_RAW","features":[433]},{"name":"KSDATAFORMAT_TYPE_BDA_ANTENNA","features":[433]},{"name":"KSDATAFORMAT_TYPE_BDA_IF_SIGNAL","features":[433]},{"name":"KSDATAFORMAT_TYPE_BDA_IP","features":[433]},{"name":"KSDATAFORMAT_TYPE_BDA_IP_CONTROL","features":[433]},{"name":"KSDATAFORMAT_TYPE_MPE","features":[433]},{"name":"KSDATAFORMAT_TYPE_MPEG2_SECTIONS","features":[433]},{"name":"KSEVENTDATA_BDA_RF_TUNER_SCAN_S","features":[308,433,434]},{"name":"KSEVENTSETID_BdaCAEvent","features":[433]},{"name":"KSEVENTSETID_BdaDiseqCEvent","features":[433]},{"name":"KSEVENTSETID_BdaEvent","features":[433]},{"name":"KSEVENTSETID_BdaPinEvent","features":[433]},{"name":"KSEVENTSETID_BdaTunerEvent","features":[433]},{"name":"KSEVENT_BDA_CA_MODULE_STATUS_CHANGED","features":[433]},{"name":"KSEVENT_BDA_CA_MODULE_UI_REQUESTED","features":[433]},{"name":"KSEVENT_BDA_CA_SMART_CARD_STATUS_CHANGED","features":[433]},{"name":"KSEVENT_BDA_DISEQC_DATA_RECEIVED","features":[433]},{"name":"KSEVENT_BDA_EVENT_PENDINGEVENT","features":[433]},{"name":"KSEVENT_BDA_EVENT_TYPE","features":[433]},{"name":"KSEVENT_BDA_PIN_CONNECTED","features":[433]},{"name":"KSEVENT_BDA_PIN_DISCONNECTED","features":[433]},{"name":"KSEVENT_BDA_PROGRAM_FLOW_STATUS_CHANGED","features":[433]},{"name":"KSEVENT_BDA_TUNER","features":[433]},{"name":"KSEVENT_BDA_TUNER_SCAN","features":[433]},{"name":"KSMETHODSETID_BdaChangeSync","features":[433]},{"name":"KSMETHODSETID_BdaConditionalAccessService","features":[433]},{"name":"KSMETHODSETID_BdaDebug","features":[433]},{"name":"KSMETHODSETID_BdaDeviceConfiguration","features":[433]},{"name":"KSMETHODSETID_BdaDrmService","features":[433]},{"name":"KSMETHODSETID_BdaEventing","features":[433]},{"name":"KSMETHODSETID_BdaGuideDataDeliveryService","features":[433]},{"name":"KSMETHODSETID_BdaIsdbConditionalAccess","features":[433]},{"name":"KSMETHODSETID_BdaMux","features":[433]},{"name":"KSMETHODSETID_BdaNameValue","features":[433]},{"name":"KSMETHODSETID_BdaNameValueA","features":[433]},{"name":"KSMETHODSETID_BdaScanning","features":[433]},{"name":"KSMETHODSETID_BdaTSSelector","features":[433]},{"name":"KSMETHODSETID_BdaTuner","features":[433]},{"name":"KSMETHODSETID_BdaUserActivity","features":[433]},{"name":"KSMETHODSETID_BdaWmdrmSession","features":[433]},{"name":"KSMETHODSETID_BdaWmdrmTuner","features":[433]},{"name":"KSMETHOD_BDA_CAS_CHECKENTITLEMENTTOKEN","features":[433]},{"name":"KSMETHOD_BDA_CAS_CLOSEMMIDIALOG","features":[433]},{"name":"KSMETHOD_BDA_CAS_OPENBROADCASTMMI","features":[433]},{"name":"KSMETHOD_BDA_CAS_SERVICE","features":[433]},{"name":"KSMETHOD_BDA_CAS_SETCAPTURETOKEN","features":[433]},{"name":"KSMETHOD_BDA_CHANGE_SYNC","features":[433]},{"name":"KSMETHOD_BDA_CHECK_CHANGES","features":[433]},{"name":"KSMETHOD_BDA_COMMIT_CHANGES","features":[433]},{"name":"KSMETHOD_BDA_CREATE_PIN_FACTORY","features":[433]},{"name":"KSMETHOD_BDA_CREATE_TOPOLOGY","features":[433]},{"name":"KSMETHOD_BDA_DEBUG_DATA","features":[433]},{"name":"KSMETHOD_BDA_DEBUG_LEVEL","features":[433]},{"name":"KSMETHOD_BDA_DEBUG_SERVICE","features":[433]},{"name":"KSMETHOD_BDA_DELETE_PIN_FACTORY","features":[433]},{"name":"KSMETHOD_BDA_DEVICE_CONFIGURATION","features":[433]},{"name":"KSMETHOD_BDA_DRM","features":[433]},{"name":"KSMETHOD_BDA_DRM_CURRENT","features":[433]},{"name":"KSMETHOD_BDA_DRM_DRMSTATUS","features":[433]},{"name":"KSMETHOD_BDA_EVENTING_SERVICE","features":[433]},{"name":"KSMETHOD_BDA_EVENT_COMPLETE","features":[433]},{"name":"KSMETHOD_BDA_EVENT_DATA","features":[433]},{"name":"KSMETHOD_BDA_GDDS_DATA","features":[433]},{"name":"KSMETHOD_BDA_GDDS_DATATYPE","features":[433]},{"name":"KSMETHOD_BDA_GDDS_DATAUPDATE","features":[433]},{"name":"KSMETHOD_BDA_GDDS_GETSERVICES","features":[433]},{"name":"KSMETHOD_BDA_GDDS_SERVICE","features":[433]},{"name":"KSMETHOD_BDA_GDDS_SERVICEFROMTUNEXML","features":[433]},{"name":"KSMETHOD_BDA_GDDS_TUNEXMLFROMIDX","features":[433]},{"name":"KSMETHOD_BDA_GET_CHANGE_STATE","features":[433]},{"name":"KSMETHOD_BDA_GPNV_GETVALUE","features":[433]},{"name":"KSMETHOD_BDA_GPNV_GETVALUEUPDATENAME","features":[433]},{"name":"KSMETHOD_BDA_GPNV_NAMEFROMINDEX","features":[433]},{"name":"KSMETHOD_BDA_GPNV_SERVICE","features":[433]},{"name":"KSMETHOD_BDA_GPNV_SETVALUE","features":[433]},{"name":"KSMETHOD_BDA_ISDBCAS_RESPONSEDATA","features":[433]},{"name":"KSMETHOD_BDA_ISDBCAS_SETREQUEST","features":[433]},{"name":"KSMETHOD_BDA_ISDB_CAS","features":[433]},{"name":"KSMETHOD_BDA_MUX_GETPIDLIST","features":[433]},{"name":"KSMETHOD_BDA_MUX_SERVICE","features":[433]},{"name":"KSMETHOD_BDA_MUX_SETPIDLIST","features":[433]},{"name":"KSMETHOD_BDA_SCANNING_STATE","features":[433]},{"name":"KSMETHOD_BDA_SCAN_CAPABILTIES","features":[433]},{"name":"KSMETHOD_BDA_SCAN_FILTER","features":[433]},{"name":"KSMETHOD_BDA_SCAN_RESUME","features":[433]},{"name":"KSMETHOD_BDA_SCAN_SERVICE","features":[433]},{"name":"KSMETHOD_BDA_SCAN_START","features":[433]},{"name":"KSMETHOD_BDA_SCAN_STOP","features":[433]},{"name":"KSMETHOD_BDA_START_CHANGES","features":[433]},{"name":"KSMETHOD_BDA_TS_SELECTOR","features":[433]},{"name":"KSMETHOD_BDA_TS_SELECTOR_GETTSINFORMATION","features":[433]},{"name":"KSMETHOD_BDA_TS_SELECTOR_SETTSID","features":[433]},{"name":"KSMETHOD_BDA_TUNER_GETTUNERSTATE","features":[433]},{"name":"KSMETHOD_BDA_TUNER_SERVICE","features":[433]},{"name":"KSMETHOD_BDA_TUNER_SETTUNER","features":[433]},{"name":"KSMETHOD_BDA_TUNER_SIGNALNOISERATIO","features":[433]},{"name":"KSMETHOD_BDA_USERACTIVITY_DETECTED","features":[433]},{"name":"KSMETHOD_BDA_USERACTIVITY_INTERVAL","features":[433]},{"name":"KSMETHOD_BDA_USERACTIVITY_SERVICE","features":[433]},{"name":"KSMETHOD_BDA_USERACTIVITY_USEREASON","features":[433]},{"name":"KSMETHOD_BDA_WMDRM","features":[433]},{"name":"KSMETHOD_BDA_WMDRMTUNER_CANCELCAPTURETOKEN","features":[433]},{"name":"KSMETHOD_BDA_WMDRMTUNER_GETPIDPROTECTION","features":[433]},{"name":"KSMETHOD_BDA_WMDRMTUNER_PURCHASE_ENTITLEMENT","features":[433]},{"name":"KSMETHOD_BDA_WMDRMTUNER_SETPIDPROTECTION","features":[433]},{"name":"KSMETHOD_BDA_WMDRMTUNER_SETSYNCVALUE","features":[433]},{"name":"KSMETHOD_BDA_WMDRMTUNER_STARTCODEPROFILE","features":[433]},{"name":"KSMETHOD_BDA_WMDRM_CRL","features":[433]},{"name":"KSMETHOD_BDA_WMDRM_KEYINFO","features":[433]},{"name":"KSMETHOD_BDA_WMDRM_LICENSE","features":[433]},{"name":"KSMETHOD_BDA_WMDRM_MESSAGE","features":[433]},{"name":"KSMETHOD_BDA_WMDRM_REISSUELICENSE","features":[433]},{"name":"KSMETHOD_BDA_WMDRM_RENEWLICENSE","features":[433]},{"name":"KSMETHOD_BDA_WMDRM_REVINFO","features":[433]},{"name":"KSMETHOD_BDA_WMDRM_STATUS","features":[433]},{"name":"KSMETHOD_BDA_WMDRM_TUNER","features":[433]},{"name":"KSM_BDA_BUFFER","features":[433,434]},{"name":"KSM_BDA_CAS_CAPTURETOKEN","features":[433,434]},{"name":"KSM_BDA_CAS_CLOSEMMIDIALOG","features":[433,434]},{"name":"KSM_BDA_CAS_ENTITLEMENTTOKEN","features":[433,434]},{"name":"KSM_BDA_CAS_OPENBROADCASTMMI","features":[433,434]},{"name":"KSM_BDA_DEBUG_LEVEL","features":[433,434]},{"name":"KSM_BDA_DRM_SETDRM","features":[433,434]},{"name":"KSM_BDA_EVENT_COMPLETE","features":[433,434]},{"name":"KSM_BDA_GDDS_SERVICEFROMTUNEXML","features":[433,434]},{"name":"KSM_BDA_GDDS_TUNEXMLFROMIDX","features":[433,434]},{"name":"KSM_BDA_GPNV_GETVALUE","features":[433,434]},{"name":"KSM_BDA_GPNV_NAMEINDEX","features":[433,434]},{"name":"KSM_BDA_GPNV_SETVALUE","features":[433,434]},{"name":"KSM_BDA_ISDBCAS_REQUEST","features":[433,434]},{"name":"KSM_BDA_PIN","features":[433,434]},{"name":"KSM_BDA_PIN_PAIR","features":[433,434]},{"name":"KSM_BDA_SCAN_CAPABILTIES","features":[433,434]},{"name":"KSM_BDA_SCAN_FILTER","features":[433,434]},{"name":"KSM_BDA_SCAN_START","features":[433,434]},{"name":"KSM_BDA_TS_SELECTOR_SETTSID","features":[433,434]},{"name":"KSM_BDA_TUNER_TUNEREQUEST","features":[433,434]},{"name":"KSM_BDA_USERACTIVITY_USEREASON","features":[433,434]},{"name":"KSM_BDA_WMDRMTUNER_GETPIDPROTECTION","features":[433,434]},{"name":"KSM_BDA_WMDRMTUNER_PURCHASEENTITLEMENT","features":[433,434]},{"name":"KSM_BDA_WMDRMTUNER_SETPIDPROTECTION","features":[433,434]},{"name":"KSM_BDA_WMDRMTUNER_SYNCVALUE","features":[433,434]},{"name":"KSM_BDA_WMDRM_LICENSE","features":[433,434]},{"name":"KSM_BDA_WMDRM_RENEWLICENSE","features":[433,434]},{"name":"KSNODE_BDA_8PSK_DEMODULATOR","features":[433]},{"name":"KSNODE_BDA_8VSB_DEMODULATOR","features":[433]},{"name":"KSNODE_BDA_ANALOG_DEMODULATOR","features":[433]},{"name":"KSNODE_BDA_COFDM_DEMODULATOR","features":[433]},{"name":"KSNODE_BDA_COMMON_CA_POD","features":[433]},{"name":"KSNODE_BDA_DRI_DRM","features":[433]},{"name":"KSNODE_BDA_IP_SINK","features":[433]},{"name":"KSNODE_BDA_ISDB_S_DEMODULATOR","features":[433]},{"name":"KSNODE_BDA_ISDB_T_DEMODULATOR","features":[433]},{"name":"KSNODE_BDA_OPENCABLE_POD","features":[433]},{"name":"KSNODE_BDA_PBDA_CAS","features":[433]},{"name":"KSNODE_BDA_PBDA_DRM","features":[433]},{"name":"KSNODE_BDA_PBDA_ISDBCAS","features":[433]},{"name":"KSNODE_BDA_PBDA_MUX","features":[433]},{"name":"KSNODE_BDA_PBDA_TUNER","features":[433]},{"name":"KSNODE_BDA_PID_FILTER","features":[433]},{"name":"KSNODE_BDA_QAM_DEMODULATOR","features":[433]},{"name":"KSNODE_BDA_QPSK_DEMODULATOR","features":[433]},{"name":"KSNODE_BDA_RF_TUNER","features":[433]},{"name":"KSNODE_BDA_TS_SELECTOR","features":[433]},{"name":"KSNODE_BDA_VIDEO_ENCODER","features":[433]},{"name":"KSPROPERTY_BDA_AUTODEMODULATE","features":[433]},{"name":"KSPROPERTY_BDA_AUTODEMODULATE_START","features":[433]},{"name":"KSPROPERTY_BDA_AUTODEMODULATE_STOP","features":[433]},{"name":"KSPROPERTY_BDA_CA","features":[433]},{"name":"KSPROPERTY_BDA_CA_EVENT","features":[433]},{"name":"KSPROPERTY_BDA_CA_MODULE_STATUS","features":[433]},{"name":"KSPROPERTY_BDA_CA_MODULE_UI","features":[433]},{"name":"KSPROPERTY_BDA_CA_REMOVE_PROGRAM","features":[433]},{"name":"KSPROPERTY_BDA_CA_SET_PROGRAM_PIDS","features":[433]},{"name":"KSPROPERTY_BDA_CA_SMART_CARD_STATUS","features":[433]},{"name":"KSPROPERTY_BDA_CONTROLLING_PIN_ID","features":[433]},{"name":"KSPROPERTY_BDA_DIGITAL_DEMODULATOR","features":[433]},{"name":"KSPROPERTY_BDA_DISEQC_COMMAND","features":[433]},{"name":"KSPROPERTY_BDA_DISEQC_ENABLE","features":[433]},{"name":"KSPROPERTY_BDA_DISEQC_EVENT","features":[433]},{"name":"KSPROPERTY_BDA_DISEQC_LNB_SOURCE","features":[433]},{"name":"KSPROPERTY_BDA_DISEQC_REPEATS","features":[433]},{"name":"KSPROPERTY_BDA_DISEQC_RESPONSE","features":[433]},{"name":"KSPROPERTY_BDA_DISEQC_SEND","features":[433]},{"name":"KSPROPERTY_BDA_DISEQC_USETONEBURST","features":[433]},{"name":"KSPROPERTY_BDA_ECM_MAP_STATUS","features":[433]},{"name":"KSPROPERTY_BDA_ETHERNET_FILTER","features":[433]},{"name":"KSPROPERTY_BDA_ETHERNET_FILTER_MULTICAST_LIST","features":[433]},{"name":"KSPROPERTY_BDA_ETHERNET_FILTER_MULTICAST_LIST_SIZE","features":[433]},{"name":"KSPROPERTY_BDA_ETHERNET_FILTER_MULTICAST_MODE","features":[433]},{"name":"KSPROPERTY_BDA_FREQUENCY_FILTER","features":[433]},{"name":"KSPROPERTY_BDA_GUARD_INTERVAL","features":[433]},{"name":"KSPROPERTY_BDA_INNER_FEC_RATE","features":[433]},{"name":"KSPROPERTY_BDA_INNER_FEC_TYPE","features":[433]},{"name":"KSPROPERTY_BDA_IPv4_FILTER","features":[433]},{"name":"KSPROPERTY_BDA_IPv4_FILTER_MULTICAST_LIST","features":[433]},{"name":"KSPROPERTY_BDA_IPv4_FILTER_MULTICAST_LIST_SIZE","features":[433]},{"name":"KSPROPERTY_BDA_IPv4_FILTER_MULTICAST_MODE","features":[433]},{"name":"KSPROPERTY_BDA_IPv6_FILTER","features":[433]},{"name":"KSPROPERTY_BDA_IPv6_FILTER_MULTICAST_LIST","features":[433]},{"name":"KSPROPERTY_BDA_IPv6_FILTER_MULTICAST_LIST_SIZE","features":[433]},{"name":"KSPROPERTY_BDA_IPv6_FILTER_MULTICAST_MODE","features":[433]},{"name":"KSPROPERTY_BDA_LNB_INFO","features":[433]},{"name":"KSPROPERTY_BDA_LNB_LOF_HIGH_BAND","features":[433]},{"name":"KSPROPERTY_BDA_LNB_LOF_LOW_BAND","features":[433]},{"name":"KSPROPERTY_BDA_LNB_SWITCH_FREQUENCY","features":[433]},{"name":"KSPROPERTY_BDA_MODULATION_TYPE","features":[433]},{"name":"KSPROPERTY_BDA_NODE_DESCRIPTORS","features":[433]},{"name":"KSPROPERTY_BDA_NODE_EVENTS","features":[433]},{"name":"KSPROPERTY_BDA_NODE_METHODS","features":[433]},{"name":"KSPROPERTY_BDA_NODE_PROPERTIES","features":[433]},{"name":"KSPROPERTY_BDA_NODE_TYPES","features":[433]},{"name":"KSPROPERTY_BDA_NULL_TRANSFORM","features":[433]},{"name":"KSPROPERTY_BDA_NULL_TRANSFORM_START","features":[433]},{"name":"KSPROPERTY_BDA_NULL_TRANSFORM_STOP","features":[433]},{"name":"KSPROPERTY_BDA_OUTER_FEC_RATE","features":[433]},{"name":"KSPROPERTY_BDA_OUTER_FEC_TYPE","features":[433]},{"name":"KSPROPERTY_BDA_PIDFILTER","features":[433]},{"name":"KSPROPERTY_BDA_PIDFILTER_LIST_PIDS","features":[433]},{"name":"KSPROPERTY_BDA_PIDFILTER_MAP_PIDS","features":[433]},{"name":"KSPROPERTY_BDA_PIDFILTER_UNMAP_PIDS","features":[433]},{"name":"KSPROPERTY_BDA_PILOT","features":[433]},{"name":"KSPROPERTY_BDA_PIN_CONTROL","features":[433]},{"name":"KSPROPERTY_BDA_PIN_EVENT","features":[433]},{"name":"KSPROPERTY_BDA_PIN_ID","features":[433]},{"name":"KSPROPERTY_BDA_PIN_TYPE","features":[433]},{"name":"KSPROPERTY_BDA_PIN_TYPES","features":[433]},{"name":"KSPROPERTY_BDA_PLP_NUMBER","features":[433]},{"name":"KSPROPERTY_BDA_RF_TUNER_BANDWIDTH","features":[433]},{"name":"KSPROPERTY_BDA_RF_TUNER_CAPS","features":[433]},{"name":"KSPROPERTY_BDA_RF_TUNER_CAPS_S","features":[433,434]},{"name":"KSPROPERTY_BDA_RF_TUNER_FREQUENCY","features":[433]},{"name":"KSPROPERTY_BDA_RF_TUNER_FREQUENCY_MULTIPLIER","features":[433]},{"name":"KSPROPERTY_BDA_RF_TUNER_POLARITY","features":[433]},{"name":"KSPROPERTY_BDA_RF_TUNER_RANGE","features":[433]},{"name":"KSPROPERTY_BDA_RF_TUNER_SCAN_STATUS","features":[433]},{"name":"KSPROPERTY_BDA_RF_TUNER_SCAN_STATUS_S","features":[433,434]},{"name":"KSPROPERTY_BDA_RF_TUNER_STANDARD","features":[433]},{"name":"KSPROPERTY_BDA_RF_TUNER_STANDARD_MODE","features":[433]},{"name":"KSPROPERTY_BDA_RF_TUNER_STANDARD_MODE_S","features":[308,433,434]},{"name":"KSPROPERTY_BDA_RF_TUNER_STANDARD_S","features":[433,434]},{"name":"KSPROPERTY_BDA_RF_TUNER_TRANSPONDER","features":[433]},{"name":"KSPROPERTY_BDA_ROLL_OFF","features":[433]},{"name":"KSPROPERTY_BDA_SAMPLE_TIME","features":[433]},{"name":"KSPROPERTY_BDA_SIGNALTIMEOUTS","features":[433]},{"name":"KSPROPERTY_BDA_SIGNAL_LOCKED","features":[433]},{"name":"KSPROPERTY_BDA_SIGNAL_LOCK_CAPS","features":[433]},{"name":"KSPROPERTY_BDA_SIGNAL_LOCK_TYPE","features":[433]},{"name":"KSPROPERTY_BDA_SIGNAL_PRESENT","features":[433]},{"name":"KSPROPERTY_BDA_SIGNAL_QUALITY","features":[433]},{"name":"KSPROPERTY_BDA_SIGNAL_STATS","features":[433]},{"name":"KSPROPERTY_BDA_SIGNAL_STRENGTH","features":[433]},{"name":"KSPROPERTY_BDA_SPECTRAL_INVERSION","features":[433]},{"name":"KSPROPERTY_BDA_SYMBOL_RATE","features":[433]},{"name":"KSPROPERTY_BDA_TABLE_SECTION","features":[433]},{"name":"KSPROPERTY_BDA_TEMPLATE_CONNECTIONS","features":[433]},{"name":"KSPROPERTY_BDA_TOPOLOGY","features":[433]},{"name":"KSPROPERTY_BDA_TRANSMISSION_MODE","features":[433]},{"name":"KSPROPERTY_BDA_VOID_TRANSFORM","features":[433]},{"name":"KSPROPERTY_BDA_VOID_TRANSFORM_START","features":[433]},{"name":"KSPROPERTY_BDA_VOID_TRANSFORM_STOP","features":[433]},{"name":"KSPROPERTY_IDS_BDA_TABLE","features":[433]},{"name":"KSPROPSETID_BdaAutodemodulate","features":[433]},{"name":"KSPROPSETID_BdaCA","features":[433]},{"name":"KSPROPSETID_BdaDigitalDemodulator","features":[433]},{"name":"KSPROPSETID_BdaDiseqCommand","features":[433]},{"name":"KSPROPSETID_BdaEthernetFilter","features":[433]},{"name":"KSPROPSETID_BdaFrequencyFilter","features":[433]},{"name":"KSPROPSETID_BdaIPv4Filter","features":[433]},{"name":"KSPROPSETID_BdaIPv6Filter","features":[433]},{"name":"KSPROPSETID_BdaLNBInfo","features":[433]},{"name":"KSPROPSETID_BdaNullTransform","features":[433]},{"name":"KSPROPSETID_BdaPIDFilter","features":[433]},{"name":"KSPROPSETID_BdaPinControl","features":[433]},{"name":"KSPROPSETID_BdaSignalStats","features":[433]},{"name":"KSPROPSETID_BdaTableSection","features":[433]},{"name":"KSPROPSETID_BdaTopology","features":[433]},{"name":"KSPROPSETID_BdaVoidTransform","features":[433]},{"name":"KSP_BDA_NODE_PIN","features":[433,434]},{"name":"KSP_NODE_ESPID","features":[433,434]},{"name":"KS_DATARANGE_BDA_ANTENNA","features":[433,434]},{"name":"KS_DATARANGE_BDA_TRANSPORT","features":[433,434]},{"name":"LIC_BadLicense","features":[433]},{"name":"LIC_Expired","features":[433]},{"name":"LIC_ExtenderBlocked","features":[433]},{"name":"LIC_NeedActivation","features":[433]},{"name":"LIC_NeedIndiv","features":[433]},{"name":"LONG_SECTION","features":[433]},{"name":"LanguageComponentType","features":[433]},{"name":"LanguageInfo","features":[433]},{"name":"LastReservedDeviceDispid","features":[433]},{"name":"LastReservedDeviceEvent","features":[433]},{"name":"LicenseEventBlockReason","features":[433]},{"name":"Locator","features":[433]},{"name":"MAX_COUNTRY_CODE_STRING","features":[433]},{"name":"MEDIASUBTYPE_CPFilters_Processed","features":[433]},{"name":"MEDIASUBTYPE_ETDTFilter_Tagged","features":[433]},{"name":"MPAA","features":[433]},{"name":"MPAA_G","features":[433]},{"name":"MPAA_IsBlocked","features":[433]},{"name":"MPAA_NC17","features":[433]},{"name":"MPAA_NotApplicable","features":[433]},{"name":"MPAA_NotRated","features":[433]},{"name":"MPAA_PG","features":[433]},{"name":"MPAA_PG13","features":[433]},{"name":"MPAA_R","features":[433]},{"name":"MPAA_ValidAttrSubmask","features":[433]},{"name":"MPAA_X","features":[433]},{"name":"MPEG2Component","features":[433]},{"name":"MPEG2ComponentType","features":[433]},{"name":"MPEG2TuneRequest","features":[433]},{"name":"MPEG2TuneRequestFactory","features":[433]},{"name":"MPEG2_FILTER","features":[308,433]},{"name":"MPEG2_FILTER2","features":[308,433]},{"name":"MPEG2_FILTER_VERSION_1_SIZE","features":[433]},{"name":"MPEG2_FILTER_VERSION_2_SIZE","features":[433]},{"name":"MPEG_BCS_DEMUX","features":[433]},{"name":"MPEG_CAT_PID","features":[433]},{"name":"MPEG_CAT_TID","features":[433]},{"name":"MPEG_CONTEXT","features":[433]},{"name":"MPEG_CONTEXT_BCS_DEMUX","features":[433]},{"name":"MPEG_CONTEXT_TYPE","features":[433]},{"name":"MPEG_CONTEXT_WINSOCK","features":[433]},{"name":"MPEG_CURRENT_NEXT_BIT","features":[433]},{"name":"MPEG_DATE","features":[433]},{"name":"MPEG_DATE_AND_TIME","features":[433]},{"name":"MPEG_HEADER_BITS","features":[433]},{"name":"MPEG_HEADER_BITS_MIDL","features":[433]},{"name":"MPEG_HEADER_VERSION_BITS","features":[433]},{"name":"MPEG_HEADER_VERSION_BITS_MIDL","features":[433]},{"name":"MPEG_PACKET_LIST","features":[433]},{"name":"MPEG_PAT_PID","features":[433]},{"name":"MPEG_PAT_TID","features":[433]},{"name":"MPEG_PMT_TID","features":[433]},{"name":"MPEG_REQUEST_TYPE","features":[433]},{"name":"MPEG_RQST_GET_PES_STREAM","features":[433]},{"name":"MPEG_RQST_GET_SECTION","features":[433]},{"name":"MPEG_RQST_GET_SECTIONS_STREAM","features":[433]},{"name":"MPEG_RQST_GET_SECTION_ASYNC","features":[433]},{"name":"MPEG_RQST_GET_TABLE","features":[433]},{"name":"MPEG_RQST_GET_TABLE_ASYNC","features":[433]},{"name":"MPEG_RQST_GET_TS_STREAM","features":[433]},{"name":"MPEG_RQST_PACKET","features":[433]},{"name":"MPEG_RQST_START_MPE_STREAM","features":[433]},{"name":"MPEG_RQST_UNKNOWN","features":[433]},{"name":"MPEG_SECTION_IS_CURRENT","features":[433]},{"name":"MPEG_SECTION_IS_NEXT","features":[433]},{"name":"MPEG_SERVICE_REQUEST","features":[308,433]},{"name":"MPEG_SERVICE_RESPONSE","features":[433]},{"name":"MPEG_STREAM_BUFFER","features":[433]},{"name":"MPEG_STREAM_FILTER","features":[308,433]},{"name":"MPEG_TIME","features":[433]},{"name":"MPEG_TSDT_PID","features":[433]},{"name":"MPEG_TSDT_TID","features":[433]},{"name":"MPEG_WINSOCK","features":[433]},{"name":"MPE_ELEMENT","features":[433]},{"name":"MSEventBinder","features":[433]},{"name":"MSVIDCTL_ALT","features":[433]},{"name":"MSVIDCTL_CTRL","features":[433]},{"name":"MSVIDCTL_LEFT_BUTTON","features":[433]},{"name":"MSVIDCTL_MIDDLE_BUTTON","features":[433]},{"name":"MSVIDCTL_RIGHT_BUTTON","features":[433]},{"name":"MSVIDCTL_SHIFT","features":[433]},{"name":"MSVIDCTL_X_BUTTON1","features":[433]},{"name":"MSVIDCTL_X_BUTTON2","features":[433]},{"name":"MSVidAnalogCaptureToCCA","features":[433]},{"name":"MSVidAnalogCaptureToDataServices","features":[433]},{"name":"MSVidAnalogCaptureToOverlayMixer","features":[433]},{"name":"MSVidAnalogCaptureToStreamBufferSink","features":[433]},{"name":"MSVidAnalogCaptureToXDS","features":[433]},{"name":"MSVidAnalogTVToEncoder","features":[433]},{"name":"MSVidAnalogTunerDevice","features":[433]},{"name":"MSVidAudioRenderer","features":[433]},{"name":"MSVidAudioRendererDevices","features":[433]},{"name":"MSVidBDATunerDevice","features":[433]},{"name":"MSVidCCA","features":[433]},{"name":"MSVidCCAToStreamBufferSink","features":[433]},{"name":"MSVidCCService","features":[433]},{"name":"MSVidCCToAR","features":[433]},{"name":"MSVidCCToVMR","features":[433]},{"name":"MSVidClosedCaptioning","features":[433]},{"name":"MSVidClosedCaptioningSI","features":[433]},{"name":"MSVidCtl","features":[433]},{"name":"MSVidCtlButtonstate","features":[433]},{"name":"MSVidCtlStateList","features":[433]},{"name":"MSVidDataServices","features":[433]},{"name":"MSVidDataServicesToStreamBufferSink","features":[433]},{"name":"MSVidDataServicesToXDS","features":[433]},{"name":"MSVidDevice","features":[433]},{"name":"MSVidDevice2","features":[433]},{"name":"MSVidDigitalCaptureToCCA","features":[433]},{"name":"MSVidDigitalCaptureToITV","features":[433]},{"name":"MSVidDigitalCaptureToStreamBufferSink","features":[433]},{"name":"MSVidEVR","features":[433]},{"name":"MSVidEncoder","features":[433]},{"name":"MSVidEncoderToStreamBufferSink","features":[433]},{"name":"MSVidFeature","features":[433]},{"name":"MSVidFeatures","features":[433]},{"name":"MSVidFilePlaybackDevice","features":[433]},{"name":"MSVidFilePlaybackToAudioRenderer","features":[433]},{"name":"MSVidFilePlaybackToVideoRenderer","features":[433]},{"name":"MSVidGenericComposite","features":[433]},{"name":"MSVidGenericSink","features":[433]},{"name":"MSVidITVCapture","features":[433]},{"name":"MSVidITVPlayback","features":[433]},{"name":"MSVidITVToStreamBufferSink","features":[433]},{"name":"MSVidInputDevice","features":[433]},{"name":"MSVidInputDevices","features":[433]},{"name":"MSVidMPEG2DecoderToClosedCaptioning","features":[433]},{"name":"MSVidOutput","features":[433]},{"name":"MSVidOutputDevices","features":[433]},{"name":"MSVidRect","features":[433]},{"name":"MSVidSBESourceToCC","features":[433]},{"name":"MSVidSBESourceToGenericSink","features":[433]},{"name":"MSVidSBESourceToITV","features":[433]},{"name":"MSVidSEG_DEST","features":[433]},{"name":"MSVidSEG_SOURCE","features":[433]},{"name":"MSVidSEG_XFORM","features":[433]},{"name":"MSVidSegmentType","features":[433]},{"name":"MSVidSinkStreams","features":[433]},{"name":"MSVidSink_Audio","features":[433]},{"name":"MSVidSink_Other","features":[433]},{"name":"MSVidSink_Video","features":[433]},{"name":"MSVidStreamBufferRecordingControl","features":[433]},{"name":"MSVidStreamBufferSink","features":[433]},{"name":"MSVidStreamBufferSource","features":[433]},{"name":"MSVidStreamBufferSourceToVideoRenderer","features":[433]},{"name":"MSVidStreamBufferV2Source","features":[433]},{"name":"MSVidVMR9","features":[433]},{"name":"MSVidVideoInputDevice","features":[433]},{"name":"MSVidVideoPlaybackDevice","features":[433]},{"name":"MSVidVideoRenderer","features":[433]},{"name":"MSVidVideoRendererDevices","features":[433]},{"name":"MSVidWebDVD","features":[433]},{"name":"MSVidWebDVDAdm","features":[433]},{"name":"MSVidWebDVDToAudioRenderer","features":[433]},{"name":"MSVidWebDVDToVideoRenderer","features":[433]},{"name":"MSVidXDS","features":[433]},{"name":"MSViddispidList","features":[433]},{"name":"Mpeg2Data","features":[433]},{"name":"Mpeg2DataLib","features":[433]},{"name":"Mpeg2Stream","features":[433]},{"name":"Mpeg2TableSampleHdr","features":[433]},{"name":"OCUR_PAIRING_PROTOCOL_VERSION","features":[433]},{"name":"PARENTAL_CONTROL_ATTRIB_DIALOGUE","features":[433]},{"name":"PARENTAL_CONTROL_ATTRIB_FANTASY","features":[433]},{"name":"PARENTAL_CONTROL_ATTRIB_LANGUAGE","features":[433]},{"name":"PARENTAL_CONTROL_ATTRIB_SEXUAL","features":[433]},{"name":"PARENTAL_CONTROL_ATTRIB_VIOLENCE","features":[433]},{"name":"PARENTAL_CONTROL_CONTENT_RATING","features":[433]},{"name":"PARENTAL_CONTROL_TIME_RANGE","features":[433]},{"name":"PARENTAL_CONTROL_VALUE_UNDEFINED","features":[433]},{"name":"PBDA","features":[433]},{"name":"PBDAParentalControl","features":[433]},{"name":"PBDA_ALWAYS_TUNE_IN_MUX","features":[433]},{"name":"PBDA_PAIRING_PROTOCOL_VERSION","features":[433]},{"name":"PBDA_TAG_ATTRIBUTE","features":[433]},{"name":"PIC_SEQ_SAMPLE","features":[433]},{"name":"PIDListSpanningEvent","features":[433]},{"name":"PID_BITS","features":[433]},{"name":"PID_BITS_MIDL","features":[433]},{"name":"PINNAME_BDA_ANALOG_AUDIO","features":[433]},{"name":"PINNAME_BDA_ANALOG_VIDEO","features":[433]},{"name":"PINNAME_BDA_FM_RADIO","features":[433]},{"name":"PINNAME_BDA_IF_PIN","features":[433]},{"name":"PINNAME_BDA_OPENCABLE_PSIP_PIN","features":[433]},{"name":"PINNAME_BDA_TRANSPORT","features":[433]},{"name":"PINNAME_IPSINK_INPUT","features":[433]},{"name":"PINNAME_MPE","features":[433]},{"name":"PROT_COPY_BF","features":[433]},{"name":"PROT_COPY_CN_RECORDING_STOP","features":[433]},{"name":"PROT_COPY_FREE","features":[433]},{"name":"PROT_COPY_FREE_CIT","features":[433]},{"name":"PROT_COPY_FREE_SECURE","features":[433]},{"name":"PROT_COPY_INVALID","features":[433]},{"name":"PROT_COPY_NEVER","features":[433]},{"name":"PROT_COPY_NEVER_REALLY","features":[433]},{"name":"PROT_COPY_NO_MORE","features":[433]},{"name":"PROT_COPY_ONCE","features":[433]},{"name":"PersistTuneXmlUtility","features":[433]},{"name":"PositionModeList","features":[433]},{"name":"ProgramElement","features":[433]},{"name":"ProtType","features":[433]},{"name":"RATING_ATTRIBUTE","features":[433]},{"name":"RATING_INFO","features":[433]},{"name":"RATING_SYSTEM","features":[433]},{"name":"RECORDING_STARTED","features":[433]},{"name":"RECORDING_STOPPED","features":[433]},{"name":"RECORDING_TYPE","features":[433]},{"name":"RECORDING_TYPE_CONTENT","features":[433]},{"name":"RECORDING_TYPE_REFERENCE","features":[433]},{"name":"REFERENCE","features":[433]},{"name":"REQUIRED_PARENTAL_CONTROL_TIME_RANGE","features":[433]},{"name":"REVOKED_APP_STUB","features":[433]},{"name":"REVOKED_COPP","features":[433]},{"name":"REVOKED_MAX_TYPES","features":[433]},{"name":"REVOKED_SAC","features":[433]},{"name":"REVOKED_SECURE_PIPELINE","features":[433]},{"name":"RecordingType","features":[433]},{"name":"Reserved4","features":[433]},{"name":"Reserved7","features":[433]},{"name":"RevokedComponent","features":[433]},{"name":"SAMPLE_LIVE_STREAM_TIME","features":[433]},{"name":"SAMPLE_SEQ_CONTENT_B_FRAME","features":[433]},{"name":"SAMPLE_SEQ_CONTENT_I_FRAME","features":[433]},{"name":"SAMPLE_SEQ_CONTENT_NONREF_FRAME","features":[433]},{"name":"SAMPLE_SEQ_CONTENT_P_FRAME","features":[433]},{"name":"SAMPLE_SEQ_CONTENT_REF_FRAME","features":[433]},{"name":"SAMPLE_SEQ_CONTENT_STANDALONE_FRAME","features":[433]},{"name":"SAMPLE_SEQ_CONTENT_UNKNOWN","features":[433]},{"name":"SAMPLE_SEQ_FRAME_START","features":[433]},{"name":"SAMPLE_SEQ_GOP_HEADER","features":[433]},{"name":"SAMPLE_SEQ_OFFSET","features":[433]},{"name":"SAMPLE_SEQ_PICTURE_HEADER","features":[433]},{"name":"SAMPLE_SEQ_SEEK_POINT","features":[433]},{"name":"SAMPLE_SEQ_SEQUENCE_HEADER","features":[433]},{"name":"SAMPLE_SEQ_SEQUENCE_START","features":[433]},{"name":"SBE2_STREAM_DESC","features":[433]},{"name":"SBE2_STREAM_DESC_EVENT","features":[433]},{"name":"SBE2_STREAM_DESC_VERSION","features":[433]},{"name":"SBE2_V1_STREAMS_CREATION_EVENT","features":[433]},{"name":"SBE2_V2_STREAMS_CREATION_EVENT","features":[433]},{"name":"SBE_PIN_DATA","features":[433]},{"name":"SCTE_EAS_IB_PID","features":[433]},{"name":"SCTE_EAS_OOB_PID","features":[433]},{"name":"SCTE_EAS_TID","features":[433]},{"name":"SECTION","features":[433]},{"name":"SID_DRMSecureServiceChannel","features":[433]},{"name":"SID_MSVidCtl_CurrentAudioEndpoint","features":[433]},{"name":"STATE_PAUSE","features":[433]},{"name":"STATE_PLAY","features":[433]},{"name":"STATE_STOP","features":[433]},{"name":"STATE_UNBUILT","features":[433]},{"name":"STRCONV_MODE_DVB","features":[433]},{"name":"STRCONV_MODE_DVB_EMPHASIS","features":[433]},{"name":"STRCONV_MODE_DVB_WITHOUT_EMPHASIS","features":[433]},{"name":"STRCONV_MODE_ISDB","features":[433]},{"name":"STREAMBUFFER_ATTRIBUTE","features":[433]},{"name":"STREAMBUFFER_ATTR_DATATYPE","features":[433]},{"name":"STREAMBUFFER_EC_BASE","features":[433]},{"name":"STREAMBUFFER_EC_CONTENT_BECOMING_STALE","features":[433]},{"name":"STREAMBUFFER_EC_PRIMARY_AUDIO","features":[433]},{"name":"STREAMBUFFER_EC_RATE_CHANGED","features":[433]},{"name":"STREAMBUFFER_EC_RATE_CHANGING_FOR_SETPOSITIONS","features":[433]},{"name":"STREAMBUFFER_EC_READ_FAILURE","features":[433]},{"name":"STREAMBUFFER_EC_SETPOSITIONS_EVENTS_DONE","features":[433]},{"name":"STREAMBUFFER_EC_STALE_DATA_READ","features":[433]},{"name":"STREAMBUFFER_EC_STALE_FILE_DELETED","features":[433]},{"name":"STREAMBUFFER_EC_TIMEHOLE","features":[433]},{"name":"STREAMBUFFER_EC_WRITE_FAILURE","features":[433]},{"name":"STREAMBUFFER_EC_WRITE_FAILURE_CLEAR","features":[433]},{"name":"STREAMBUFFER_TYPE_BINARY","features":[433]},{"name":"STREAMBUFFER_TYPE_BOOL","features":[433]},{"name":"STREAMBUFFER_TYPE_DWORD","features":[433]},{"name":"STREAMBUFFER_TYPE_GUID","features":[433]},{"name":"STREAMBUFFER_TYPE_QWORD","features":[433]},{"name":"STREAMBUFFER_TYPE_STRING","features":[433]},{"name":"STREAMBUFFER_TYPE_WORD","features":[433]},{"name":"SectionList","features":[433]},{"name":"SegDispidList","features":[433]},{"name":"SegEventidList","features":[433]},{"name":"SignalAndServiceStatusSpanningEvent_AllAVScrambled","features":[433]},{"name":"SignalAndServiceStatusSpanningEvent_Clear","features":[433]},{"name":"SignalAndServiceStatusSpanningEvent_NoSubscription","features":[433]},{"name":"SignalAndServiceStatusSpanningEvent_NoTVSignal","features":[433]},{"name":"SignalAndServiceStatusSpanningEvent_None","features":[433]},{"name":"SignalAndServiceStatusSpanningEvent_ServiceOffAir","features":[433]},{"name":"SignalAndServiceStatusSpanningEvent_State","features":[433]},{"name":"SignalAndServiceStatusSpanningEvent_WeakTVSignal","features":[433]},{"name":"SourceSizeList","features":[433]},{"name":"SpanningEventDescriptor","features":[433]},{"name":"SpanningEventEmmMessage","features":[433]},{"name":"System5","features":[433]},{"name":"System6","features":[433]},{"name":"SystemTuningSpaces","features":[433]},{"name":"TID_EXTENSION","features":[433]},{"name":"TIFLoad","features":[433]},{"name":"TRANSPORT_PROPERTIES","features":[433]},{"name":"TenthsSecondsMode","features":[433]},{"name":"TuneRequest","features":[433]},{"name":"TunerMarshaler","features":[433]},{"name":"TuningSpace","features":[433]},{"name":"TvRat_0","features":[433]},{"name":"TvRat_1","features":[433]},{"name":"TvRat_10","features":[433]},{"name":"TvRat_11","features":[433]},{"name":"TvRat_12","features":[433]},{"name":"TvRat_13","features":[433]},{"name":"TvRat_14","features":[433]},{"name":"TvRat_15","features":[433]},{"name":"TvRat_16","features":[433]},{"name":"TvRat_17","features":[433]},{"name":"TvRat_18","features":[433]},{"name":"TvRat_19","features":[433]},{"name":"TvRat_2","features":[433]},{"name":"TvRat_20","features":[433]},{"name":"TvRat_21","features":[433]},{"name":"TvRat_3","features":[433]},{"name":"TvRat_4","features":[433]},{"name":"TvRat_5","features":[433]},{"name":"TvRat_6","features":[433]},{"name":"TvRat_7","features":[433]},{"name":"TvRat_8","features":[433]},{"name":"TvRat_9","features":[433]},{"name":"TvRat_LevelDontKnow","features":[433]},{"name":"TvRat_SystemDontKnow","features":[433]},{"name":"TvRat_Unblock","features":[433]},{"name":"TvRat_kLevels","features":[433]},{"name":"TvRat_kSystems","features":[433]},{"name":"UDCR_TAG","features":[308,433]},{"name":"US_TV","features":[433]},{"name":"US_TV_14","features":[433]},{"name":"US_TV_G","features":[433]},{"name":"US_TV_IsAdultLanguage","features":[433]},{"name":"US_TV_IsBlocked","features":[433]},{"name":"US_TV_IsSexualSituation","features":[433]},{"name":"US_TV_IsSexuallySuggestiveDialog","features":[433]},{"name":"US_TV_IsViolent","features":[433]},{"name":"US_TV_MA","features":[433]},{"name":"US_TV_None","features":[433]},{"name":"US_TV_None7","features":[433]},{"name":"US_TV_PG","features":[433]},{"name":"US_TV_ValidAttrSubmask","features":[433]},{"name":"US_TV_Y","features":[433]},{"name":"US_TV_Y7","features":[433]},{"name":"VA_COLOR_PRIMARIES","features":[433]},{"name":"VA_MATRIX_COEFFICIENTS","features":[433]},{"name":"VA_MATRIX_COEFF_FCC","features":[433]},{"name":"VA_MATRIX_COEFF_H264_RGB","features":[433]},{"name":"VA_MATRIX_COEFF_H264_YCgCo","features":[433]},{"name":"VA_MATRIX_COEFF_ITU_R_BT_470_SYSTEM_B_G","features":[433]},{"name":"VA_MATRIX_COEFF_ITU_R_BT_709","features":[433]},{"name":"VA_MATRIX_COEFF_SMPTE_170M","features":[433]},{"name":"VA_MATRIX_COEFF_SMPTE_240M","features":[433]},{"name":"VA_MATRIX_COEFF_UNSPECIFIED","features":[433]},{"name":"VA_OPTIONAL_VIDEO_PROPERTIES","features":[433]},{"name":"VA_PRIMARIES_H264_GENERIC_FILM","features":[433]},{"name":"VA_PRIMARIES_ITU_R_BT_470_SYSTEM_B_G","features":[433]},{"name":"VA_PRIMARIES_ITU_R_BT_470_SYSTEM_M","features":[433]},{"name":"VA_PRIMARIES_ITU_R_BT_709","features":[433]},{"name":"VA_PRIMARIES_SMPTE_170M","features":[433]},{"name":"VA_PRIMARIES_SMPTE_240M","features":[433]},{"name":"VA_PRIMARIES_UNSPECIFIED","features":[433]},{"name":"VA_TRANSFER_CHARACTERISTICS","features":[433]},{"name":"VA_TRANSFER_CHARACTERISTICS_H264_LOG_100_TO_1","features":[433]},{"name":"VA_TRANSFER_CHARACTERISTICS_H264_LOG_316_TO_1","features":[433]},{"name":"VA_TRANSFER_CHARACTERISTICS_ITU_R_BT_470_SYSTEM_B_G","features":[433]},{"name":"VA_TRANSFER_CHARACTERISTICS_ITU_R_BT_470_SYSTEM_M","features":[433]},{"name":"VA_TRANSFER_CHARACTERISTICS_ITU_R_BT_709","features":[433]},{"name":"VA_TRANSFER_CHARACTERISTICS_LINEAR","features":[433]},{"name":"VA_TRANSFER_CHARACTERISTICS_SMPTE_170M","features":[433]},{"name":"VA_TRANSFER_CHARACTERISTICS_SMPTE_240M","features":[433]},{"name":"VA_TRANSFER_CHARACTERISTICS_UNSPECIFIED","features":[433]},{"name":"VA_VIDEO_COMPONENT","features":[433]},{"name":"VA_VIDEO_FORMAT","features":[433]},{"name":"VA_VIDEO_MAC","features":[433]},{"name":"VA_VIDEO_NTSC","features":[433]},{"name":"VA_VIDEO_PAL","features":[433]},{"name":"VA_VIDEO_SECAM","features":[433]},{"name":"VA_VIDEO_UNSPECIFIED","features":[433]},{"name":"WMDRMProtectionInfo","features":[433]},{"name":"XDSCodec","features":[433]},{"name":"XDSToRat","features":[433]},{"name":"_IMSVidCtlEvents","features":[433,359]},{"name":"dispidAVAudioChannelConfigEvent","features":[433]},{"name":"dispidAVAudioChannelCountEvent","features":[433]},{"name":"dispidAVAudioSampleRateEvent","features":[433]},{"name":"dispidAVDDSurroundModeEvent","features":[433]},{"name":"dispidAVDecAudioDualMonoEvent","features":[433]},{"name":"dispidAVDecCommonInputFormatEvent","features":[433]},{"name":"dispidAVDecCommonMeanBitRateEvent","features":[433]},{"name":"dispidAVDecCommonOutputFormatEvent","features":[433]},{"name":"dispidAllocPresentID","features":[433]},{"name":"dispidAlloctor","features":[433]},{"name":"dispidAudioRenderer","features":[433]},{"name":"dispidAudioRenderers","features":[433]},{"name":"dispidAuxInputs","features":[433]},{"name":"dispidAvailableSourceRect","features":[433]},{"name":"dispidBookmarkOnStop","features":[433]},{"name":"dispidBuild","features":[433]},{"name":"dispidCCEnable","features":[433]},{"name":"dispidCLSID","features":[433]},{"name":"dispidCapture","features":[433]},{"name":"dispidChangePassword","features":[433]},{"name":"dispidChannelAvailable","features":[433]},{"name":"dispidClip","features":[433]},{"name":"dispidClippedSourceRect","features":[433]},{"name":"dispidColorKey","features":[433]},{"name":"dispidConfirmPassword","features":[433]},{"name":"dispidCount","features":[433]},{"name":"dispidCustomCompositorClass","features":[433]},{"name":"dispidDecompose","features":[433]},{"name":"dispidDefaultAudioLCID","features":[433]},{"name":"dispidDefaultMenuLCID","features":[433]},{"name":"dispidDefaultSubpictureLCID","features":[433]},{"name":"dispidDevAudioFrequency","features":[433]},{"name":"dispidDevAudioSubchannel","features":[433]},{"name":"dispidDevBalance","features":[433]},{"name":"dispidDevCanStep","features":[433]},{"name":"dispidDevCountryCode","features":[433]},{"name":"dispidDevFileName","features":[433]},{"name":"dispidDevImageSourceHeight","features":[433]},{"name":"dispidDevImageSourceWidth","features":[433]},{"name":"dispidDevOverScan","features":[433]},{"name":"dispidDevPause","features":[433]},{"name":"dispidDevPower","features":[433]},{"name":"dispidDevRun","features":[433]},{"name":"dispidDevSAP","features":[433]},{"name":"dispidDevStep","features":[433]},{"name":"dispidDevStop","features":[433]},{"name":"dispidDevVideoFrequency","features":[433]},{"name":"dispidDevVideoSubchannel","features":[433]},{"name":"dispidDevView","features":[433]},{"name":"dispidDevVolume","features":[433]},{"name":"dispidDevicePath","features":[433]},{"name":"dispidDisableAudio","features":[433]},{"name":"dispidDisableVideo","features":[433]},{"name":"dispidDisplayChange","features":[433]},{"name":"dispidDisplaySize","features":[433]},{"name":"dispidFeatures","features":[433]},{"name":"dispidGetParentalCountry","features":[433]},{"name":"dispidGetParentalLevel","features":[433]},{"name":"dispidInput","features":[433]},{"name":"dispidInputs","features":[433]},{"name":"dispidKSCat","features":[433]},{"name":"dispidMaintainAspectRatio","features":[433]},{"name":"dispidMaxVidRect","features":[433]},{"name":"dispidMediaPosition","features":[433]},{"name":"dispidMessageDrain","features":[433]},{"name":"dispidMinVidRect","features":[433]},{"name":"dispidMixerBitmap","features":[433]},{"name":"dispidMixerBitmapOpacity","features":[433]},{"name":"dispidMixerBitmapRect","features":[433]},{"name":"dispidModes","features":[433]},{"name":"dispidName","features":[433]},{"name":"dispidNameSetLock","features":[433]},{"name":"dispidOutput","features":[433]},{"name":"dispidOutputs","features":[433]},{"name":"dispidOwner","features":[433]},{"name":"dispidPause","features":[433]},{"name":"dispidRateEx","features":[433]},{"name":"dispidRePaint","features":[433]},{"name":"dispidRecordingAttribute","features":[433]},{"name":"dispidRequestedClipRect","features":[433]},{"name":"dispidRun","features":[433]},{"name":"dispidSBEConfigure","features":[433]},{"name":"dispidSaveParentalCountry","features":[433]},{"name":"dispidSaveParentalLevel","features":[433]},{"name":"dispidSegment","features":[433]},{"name":"dispidSelectedFeatures","features":[433]},{"name":"dispidService","features":[433]},{"name":"dispidServiceP","features":[433]},{"name":"dispidSetAllocator","features":[433]},{"name":"dispidSetMinSeek","features":[433]},{"name":"dispidSetSinkFilter","features":[433]},{"name":"dispidSetupMixerBitmap","features":[433]},{"name":"dispidSourceSize","features":[433]},{"name":"dispidStateChange","features":[433]},{"name":"dispidStatus","features":[433]},{"name":"dispidStop","features":[433]},{"name":"dispidStreamBufferContentRecording","features":[433]},{"name":"dispidStreamBufferReferenceRecording","features":[433]},{"name":"dispidStreamBufferSinkName","features":[433]},{"name":"dispidStreamBufferSourceName","features":[433]},{"name":"dispidTS","features":[433]},{"name":"dispidTVFormats","features":[433]},{"name":"dispidTeleTextFilter","features":[433]},{"name":"dispidTune","features":[433]},{"name":"dispidTuneChan","features":[433]},{"name":"dispidUnlockProfile","features":[433]},{"name":"dispidUserEvent","features":[433]},{"name":"dispidUsingOverlay","features":[433]},{"name":"dispidVideoRenderer","features":[433]},{"name":"dispidVideoRenderers","features":[433]},{"name":"dispidView","features":[433]},{"name":"dispidViewNext","features":[433]},{"name":"dispidViewable","features":[433]},{"name":"dispidVisible","features":[433]},{"name":"dispid_AcceptParentalLevelChange","features":[433]},{"name":"dispid_ActivateAtPosition","features":[433]},{"name":"dispid_ActivateButton","features":[433]},{"name":"dispid_AddFilter","features":[433]},{"name":"dispid_Allocator","features":[433]},{"name":"dispid_AnglesAvailable","features":[433]},{"name":"dispid_AudioStreamsAvailable","features":[433]},{"name":"dispid_BlockUnrated","features":[433]},{"name":"dispid_Bookmark","features":[433]},{"name":"dispid_ButtonAtPosition","features":[433]},{"name":"dispid_ButtonRect","features":[433]},{"name":"dispid_CCActive","features":[433]},{"name":"dispid_CLSID","features":[433]},{"name":"dispid_CurrentAngle","features":[433]},{"name":"dispid_CurrentAudioStream","features":[433]},{"name":"dispid_CurrentCCService","features":[433]},{"name":"dispid_CurrentChapter","features":[433]},{"name":"dispid_CurrentDiscSide","features":[433]},{"name":"dispid_CurrentDomain","features":[433]},{"name":"dispid_CurrentRatings","features":[433]},{"name":"dispid_CurrentSubpictureStream","features":[433]},{"name":"dispid_CurrentTime","features":[433]},{"name":"dispid_CurrentTitle","features":[433]},{"name":"dispid_CurrentVolume","features":[433]},{"name":"dispid_CustomCompositor","features":[433]},{"name":"dispid_CustomCompositorClass","features":[433]},{"name":"dispid_DVDAdm","features":[433]},{"name":"dispid_DVDDirectory","features":[433]},{"name":"dispid_DVDScreenInMouseCoordinates","features":[433]},{"name":"dispid_DVDTextLanguageLCID","features":[433]},{"name":"dispid_DVDTextNumberOfLanguages","features":[433]},{"name":"dispid_DVDTextNumberOfStrings","features":[433]},{"name":"dispid_DVDTextString","features":[433]},{"name":"dispid_DVDTextStringType","features":[433]},{"name":"dispid_DVDTimeCode2bstr","features":[433]},{"name":"dispid_DVDUniqueID","features":[433]},{"name":"dispid_DecimateInput","features":[433]},{"name":"dispid_DefaultAudioLanguage","features":[433]},{"name":"dispid_DefaultAudioLanguageExt","features":[433]},{"name":"dispid_DefaultMenuLanguage","features":[433]},{"name":"dispid_DefaultSubpictureLanguage","features":[433]},{"name":"dispid_DefaultSubpictureLanguageExt","features":[433]},{"name":"dispid_DeleteBookmark","features":[433]},{"name":"dispid_Eject","features":[433]},{"name":"dispid_EnableResetOnStop","features":[433]},{"name":"dispid_FramesPerSecond","features":[433]},{"name":"dispid_GPRM","features":[433]},{"name":"dispid_Inputs","features":[433]},{"name":"dispid_IsAudioStreamEnabled","features":[433]},{"name":"dispid_IsEqualDevice","features":[433]},{"name":"dispid_IsSubpictureStreamEnabled","features":[433]},{"name":"dispid_KSCat","features":[433]},{"name":"dispid_KaraokeAudioPresentationMode","features":[433]},{"name":"dispid_KaraokeChannelAssignment","features":[433]},{"name":"dispid_KaraokeChannelContent","features":[433]},{"name":"dispid_LanguageFromLCID","features":[433]},{"name":"dispid_MaxRatingsLevel","features":[433]},{"name":"dispid_MixerBitmap","features":[433]},{"name":"dispid_NotifyParentalLevelChange","features":[433]},{"name":"dispid_NumberOfChapters","features":[433]},{"name":"dispid_Outputs","features":[433]},{"name":"dispid_PlayerParentalCountry","features":[433]},{"name":"dispid_PlayerParentalLevel","features":[433]},{"name":"dispid_PreferredSubpictureStream","features":[433]},{"name":"dispid_RecordingAttribute","features":[433]},{"name":"dispid_RegionChange","features":[433]},{"name":"dispid_RestoreBookmark","features":[433]},{"name":"dispid_RestorePreferredSettings","features":[433]},{"name":"dispid_SPRM","features":[433]},{"name":"dispid_SaveBookmark","features":[433]},{"name":"dispid_SelectAndActivateButton","features":[433]},{"name":"dispid_SelectAtPosition","features":[433]},{"name":"dispid_SelectDefaultAudioLanguage","features":[433]},{"name":"dispid_SelectDefaultSubpictureLanguage","features":[433]},{"name":"dispid_SelectLeftButton","features":[433]},{"name":"dispid_SelectLowerButton","features":[433]},{"name":"dispid_SelectParentalCountry","features":[433]},{"name":"dispid_SelectParentalLevel","features":[433]},{"name":"dispid_SelectRightButton","features":[433]},{"name":"dispid_SelectUpperButton","features":[433]},{"name":"dispid_SetAllocator","features":[433]},{"name":"dispid_SinkStreams","features":[433]},{"name":"dispid_SourceFilter","features":[433]},{"name":"dispid_SubpictureLanguage","features":[433]},{"name":"dispid_SubpictureOn","features":[433]},{"name":"dispid_SubpictureStreamsAvailable","features":[433]},{"name":"dispid_SuppressEffects","features":[433]},{"name":"dispid_TitleParentalLevels","features":[433]},{"name":"dispid_TitlesAvailable","features":[433]},{"name":"dispid_TotalTitleTime","features":[433]},{"name":"dispid_UOPValid","features":[433]},{"name":"dispid_UnratedDelay","features":[433]},{"name":"dispid_VolumesAvailable","features":[433]},{"name":"dispid__SourceFilter","features":[433]},{"name":"dispid_audiocounter","features":[433]},{"name":"dispid_audioencoderint","features":[433]},{"name":"dispid_audiolanguage","features":[433]},{"name":"dispid_buttonsavailable","features":[433]},{"name":"dispid_cccounter","features":[433]},{"name":"dispid_channelchangeint","features":[433]},{"name":"dispid_currentbutton","features":[433]},{"name":"dispid_playattime","features":[433]},{"name":"dispid_playattimeintitle","features":[433]},{"name":"dispid_playbackwards","features":[433]},{"name":"dispid_playchapter","features":[433]},{"name":"dispid_playchapterintitle","features":[433]},{"name":"dispid_playchaptersautostop","features":[433]},{"name":"dispid_playforwards","features":[433]},{"name":"dispid_playnextchapter","features":[433]},{"name":"dispid_playperiodintitleautostop","features":[433]},{"name":"dispid_playprevchapter","features":[433]},{"name":"dispid_playtitle","features":[433]},{"name":"dispid_replaychapter","features":[433]},{"name":"dispid_resetFilterList","features":[433]},{"name":"dispid_resume","features":[433]},{"name":"dispid_returnfromsubmenu","features":[433]},{"name":"dispid_showmenu","features":[433]},{"name":"dispid_stilloff","features":[433]},{"name":"dispid_videocounter","features":[433]},{"name":"dispid_videoencoderint","features":[433]},{"name":"dispid_wstcounter","features":[433]},{"name":"dispidaudio_analysis","features":[433]},{"name":"dispidaudioanalysis","features":[433]},{"name":"dispidaudiocounter","features":[433]},{"name":"dispidbind","features":[433]},{"name":"dispidcccounter","features":[433]},{"name":"dispiddata_analysis","features":[433]},{"name":"dispiddataanalysis","features":[433]},{"name":"dispidgetState","features":[433]},{"name":"dispidlength","features":[433]},{"name":"dispidlicenseerrorcode","features":[433]},{"name":"dispidposition","features":[433]},{"name":"dispidpositionmode","features":[433]},{"name":"dispidrate","features":[433]},{"name":"dispidrecordingstarted","features":[433]},{"name":"dispidrecordingstopped","features":[433]},{"name":"dispidrecordingtype","features":[433]},{"name":"dispidsbesource","features":[433]},{"name":"dispidstart","features":[433]},{"name":"dispidstarttime","features":[433]},{"name":"dispidstoptime","features":[433]},{"name":"dispidunbind","features":[433]},{"name":"dispidvideo_analysis","features":[433]},{"name":"dispidvideoanalysis","features":[433]},{"name":"dispidvideocounter","features":[433]},{"name":"dispidwstcounter","features":[433]},{"name":"dslDefaultSize","features":[433]},{"name":"dslDoubleSourceSize","features":[433]},{"name":"dslFullScreen","features":[433]},{"name":"dslHalfScreen","features":[433]},{"name":"dslHalfSourceSize","features":[433]},{"name":"dslQuarterScreen","features":[433]},{"name":"dslSixteenthScreen","features":[433]},{"name":"dslSourceSize","features":[433]},{"name":"dvdChannel_Audio","features":[433]},{"name":"dvdGeneral_Comments","features":[433]},{"name":"dvdGeneral_Name","features":[433]},{"name":"dvdMenu_Angle","features":[433]},{"name":"dvdMenu_Audio","features":[433]},{"name":"dvdMenu_Chapter","features":[433]},{"name":"dvdMenu_Root","features":[433]},{"name":"dvdMenu_Subpicture","features":[433]},{"name":"dvdMenu_Title","features":[433]},{"name":"dvdOther_Cut","features":[433]},{"name":"dvdOther_Scene","features":[433]},{"name":"dvdOther_Take","features":[433]},{"name":"dvdSPExt_CC_Big","features":[433]},{"name":"dvdSPExt_CC_Children","features":[433]},{"name":"dvdSPExt_CC_Normal","features":[433]},{"name":"dvdSPExt_Caption_Big","features":[433]},{"name":"dvdSPExt_Caption_Children","features":[433]},{"name":"dvdSPExt_Caption_Normal","features":[433]},{"name":"dvdSPExt_DirectorComments_Big","features":[433]},{"name":"dvdSPExt_DirectorComments_Children","features":[433]},{"name":"dvdSPExt_DirectorComments_Normal","features":[433]},{"name":"dvdSPExt_Forced","features":[433]},{"name":"dvdSPExt_NotSpecified","features":[433]},{"name":"dvdState_Paused","features":[433]},{"name":"dvdState_Running","features":[433]},{"name":"dvdState_Stopped","features":[433]},{"name":"dvdState_Undefined","features":[433]},{"name":"dvdState_Unitialized","features":[433]},{"name":"dvdStream_Angle","features":[433]},{"name":"dvdStream_Audio","features":[433]},{"name":"dvdStream_Subpicture","features":[433]},{"name":"dvdStruct_Cell","features":[433]},{"name":"dvdStruct_ParentalID","features":[433]},{"name":"dvdStruct_PartOfTitle","features":[433]},{"name":"dvdStruct_Title","features":[433]},{"name":"dvdStruct_Volume","features":[433]},{"name":"dvdTitle_Album","features":[433]},{"name":"dvdTitle_Movie","features":[433]},{"name":"dvdTitle_Orig_Album","features":[433]},{"name":"dvdTitle_Orig_Movie","features":[433]},{"name":"dvdTitle_Orig_Other","features":[433]},{"name":"dvdTitle_Orig_Series","features":[433]},{"name":"dvdTitle_Orig_Song","features":[433]},{"name":"dvdTitle_Orig_Video","features":[433]},{"name":"dvdTitle_Other","features":[433]},{"name":"dvdTitle_Series","features":[433]},{"name":"dvdTitle_Song","features":[433]},{"name":"dvdTitle_Sub_Album","features":[433]},{"name":"dvdTitle_Sub_Movie","features":[433]},{"name":"dvdTitle_Sub_Other","features":[433]},{"name":"dvdTitle_Sub_Series","features":[433]},{"name":"dvdTitle_Sub_Song","features":[433]},{"name":"dvdTitle_Sub_Video","features":[433]},{"name":"dvdTitle_Video","features":[433]},{"name":"eventidBroadcastEvent","features":[433]},{"name":"eventidBroadcastEventEx","features":[433]},{"name":"eventidCOPPBlocked","features":[433]},{"name":"eventidCOPPUnblocked","features":[433]},{"name":"eventidChangeCurrentAngle","features":[433]},{"name":"eventidChangeCurrentAudioStream","features":[433]},{"name":"eventidChangeCurrentSubpictureStream","features":[433]},{"name":"eventidChangeKaraokePresMode","features":[433]},{"name":"eventidChangeVideoPresMode","features":[433]},{"name":"eventidContentBecomingStale","features":[433]},{"name":"eventidContentPrimarilyAudio","features":[433]},{"name":"eventidDVDNotify","features":[433]},{"name":"eventidEncryptionOff","features":[433]},{"name":"eventidEncryptionOn","features":[433]},{"name":"eventidEndOfMedia","features":[433]},{"name":"eventidLicenseChange","features":[433]},{"name":"eventidOnTuneChanged","features":[433]},{"name":"eventidOverlayUnavailable","features":[433]},{"name":"eventidPauseOn","features":[433]},{"name":"eventidPlayAtTime","features":[433]},{"name":"eventidPlayAtTimeInTitle","features":[433]},{"name":"eventidPlayBackwards","features":[433]},{"name":"eventidPlayChapter","features":[433]},{"name":"eventidPlayChapterInTitle","features":[433]},{"name":"eventidPlayForwards","features":[433]},{"name":"eventidPlayNextChapter","features":[433]},{"name":"eventidPlayPrevChapter","features":[433]},{"name":"eventidPlayTitle","features":[433]},{"name":"eventidRateChange","features":[433]},{"name":"eventidRatingsBlocked","features":[433]},{"name":"eventidRatingsChanged","features":[433]},{"name":"eventidRatingsUnlocked","features":[433]},{"name":"eventidReplayChapter","features":[433]},{"name":"eventidResume","features":[433]},{"name":"eventidReturnFromSubmenu","features":[433]},{"name":"eventidSelectOrActivateButton","features":[433]},{"name":"eventidShowMenu","features":[433]},{"name":"eventidSinkCertificateFailure","features":[433]},{"name":"eventidSinkCertificateSuccess","features":[433]},{"name":"eventidSourceCertificateFailure","features":[433]},{"name":"eventidSourceCertificateSuccess","features":[433]},{"name":"eventidStaleDataRead","features":[433]},{"name":"eventidStaleFileDeleted","features":[433]},{"name":"eventidStateChange","features":[433]},{"name":"eventidStillOff","features":[433]},{"name":"eventidStop","features":[433]},{"name":"eventidTimeHole","features":[433]},{"name":"eventidWriteFailure","features":[433]},{"name":"eventidWriteFailureClear","features":[433]},{"name":"g_wszStreamBufferRecordingAlbumArtist","features":[433]},{"name":"g_wszStreamBufferRecordingAlbumCoverURL","features":[433]},{"name":"g_wszStreamBufferRecordingAlbumTitle","features":[433]},{"name":"g_wszStreamBufferRecordingAspectRatioX","features":[433]},{"name":"g_wszStreamBufferRecordingAspectRatioY","features":[433]},{"name":"g_wszStreamBufferRecordingAuthor","features":[433]},{"name":"g_wszStreamBufferRecordingBannerImageData","features":[433]},{"name":"g_wszStreamBufferRecordingBannerImageType","features":[433]},{"name":"g_wszStreamBufferRecordingBannerImageURL","features":[433]},{"name":"g_wszStreamBufferRecordingBitrate","features":[433]},{"name":"g_wszStreamBufferRecordingBroadcast","features":[433]},{"name":"g_wszStreamBufferRecordingComposer","features":[433]},{"name":"g_wszStreamBufferRecordingCopyright","features":[433]},{"name":"g_wszStreamBufferRecordingCopyrightURL","features":[433]},{"name":"g_wszStreamBufferRecordingCurrentBitrate","features":[433]},{"name":"g_wszStreamBufferRecordingDRM_Flags","features":[433]},{"name":"g_wszStreamBufferRecordingDRM_Level","features":[433]},{"name":"g_wszStreamBufferRecordingDescription","features":[433]},{"name":"g_wszStreamBufferRecordingDuration","features":[433]},{"name":"g_wszStreamBufferRecordingFileSize","features":[433]},{"name":"g_wszStreamBufferRecordingGenre","features":[433]},{"name":"g_wszStreamBufferRecordingGenreID","features":[433]},{"name":"g_wszStreamBufferRecordingHasArbitraryDataStream","features":[433]},{"name":"g_wszStreamBufferRecordingHasAttachedImages","features":[433]},{"name":"g_wszStreamBufferRecordingHasAudio","features":[433]},{"name":"g_wszStreamBufferRecordingHasFileTransferStream","features":[433]},{"name":"g_wszStreamBufferRecordingHasImage","features":[433]},{"name":"g_wszStreamBufferRecordingHasScript","features":[433]},{"name":"g_wszStreamBufferRecordingHasVideo","features":[433]},{"name":"g_wszStreamBufferRecordingIsVBR","features":[433]},{"name":"g_wszStreamBufferRecordingLyrics","features":[433]},{"name":"g_wszStreamBufferRecordingMCDI","features":[433]},{"name":"g_wszStreamBufferRecordingNSCAddress","features":[433]},{"name":"g_wszStreamBufferRecordingNSCDescription","features":[433]},{"name":"g_wszStreamBufferRecordingNSCEmail","features":[433]},{"name":"g_wszStreamBufferRecordingNSCName","features":[433]},{"name":"g_wszStreamBufferRecordingNSCPhone","features":[433]},{"name":"g_wszStreamBufferRecordingNumberOfFrames","features":[433]},{"name":"g_wszStreamBufferRecordingOptimalBitrate","features":[433]},{"name":"g_wszStreamBufferRecordingPromotionURL","features":[433]},{"name":"g_wszStreamBufferRecordingProtected","features":[433]},{"name":"g_wszStreamBufferRecordingRating","features":[433]},{"name":"g_wszStreamBufferRecordingSeekable","features":[433]},{"name":"g_wszStreamBufferRecordingSignature_Name","features":[433]},{"name":"g_wszStreamBufferRecordingSkipBackward","features":[433]},{"name":"g_wszStreamBufferRecordingSkipForward","features":[433]},{"name":"g_wszStreamBufferRecordingStridable","features":[433]},{"name":"g_wszStreamBufferRecordingTitle","features":[433]},{"name":"g_wszStreamBufferRecordingToolName","features":[433]},{"name":"g_wszStreamBufferRecordingToolVersion","features":[433]},{"name":"g_wszStreamBufferRecordingTrack","features":[433]},{"name":"g_wszStreamBufferRecordingTrackNumber","features":[433]},{"name":"g_wszStreamBufferRecordingTrusted","features":[433]},{"name":"g_wszStreamBufferRecordingUse_DRM","features":[433]},{"name":"g_wszStreamBufferRecordingYear","features":[433]},{"name":"sslClipByClipRect","features":[433]},{"name":"sslClipByOverScan","features":[433]},{"name":"sslFullSize","features":[433]}],"432":[{"name":"CLSID_XMLGraphBuilder","features":[435]},{"name":"IXMLGraphBuilder","features":[435]}],"433":[{"name":"DMOCATEGORY_ACOUSTIC_ECHO_CANCEL","features":[436]},{"name":"DMOCATEGORY_AGC","features":[436]},{"name":"DMOCATEGORY_AUDIO_CAPTURE_EFFECT","features":[436]},{"name":"DMOCATEGORY_AUDIO_DECODER","features":[436]},{"name":"DMOCATEGORY_AUDIO_EFFECT","features":[436]},{"name":"DMOCATEGORY_AUDIO_ENCODER","features":[436]},{"name":"DMOCATEGORY_AUDIO_NOISE_SUPPRESS","features":[436]},{"name":"DMOCATEGORY_VIDEO_DECODER","features":[436]},{"name":"DMOCATEGORY_VIDEO_EFFECT","features":[436]},{"name":"DMOCATEGORY_VIDEO_ENCODER","features":[436]},{"name":"DMOEnum","features":[436]},{"name":"DMOGetName","features":[436]},{"name":"DMOGetTypes","features":[436]},{"name":"DMORegister","features":[436]},{"name":"DMOUnregister","features":[436]},{"name":"DMO_ENUMF_INCLUDE_KEYED","features":[436]},{"name":"DMO_ENUM_FLAGS","features":[436]},{"name":"DMO_E_INVALIDSTREAMINDEX","features":[436]},{"name":"DMO_E_INVALIDTYPE","features":[436]},{"name":"DMO_E_NOTACCEPTING","features":[436]},{"name":"DMO_E_NO_MORE_ITEMS","features":[436]},{"name":"DMO_E_TYPE_NOT_ACCEPTED","features":[436]},{"name":"DMO_E_TYPE_NOT_SET","features":[436]},{"name":"DMO_INPLACE_NORMAL","features":[436]},{"name":"DMO_INPLACE_ZERO","features":[436]},{"name":"DMO_INPUT_DATA_BUFFERF_DISCONTINUITY","features":[436]},{"name":"DMO_INPUT_DATA_BUFFERF_SYNCPOINT","features":[436]},{"name":"DMO_INPUT_DATA_BUFFERF_TIME","features":[436]},{"name":"DMO_INPUT_DATA_BUFFERF_TIMELENGTH","features":[436]},{"name":"DMO_INPUT_STATUSF_ACCEPT_DATA","features":[436]},{"name":"DMO_INPUT_STREAMF_FIXED_SAMPLE_SIZE","features":[436]},{"name":"DMO_INPUT_STREAMF_HOLDS_BUFFERS","features":[436]},{"name":"DMO_INPUT_STREAMF_SINGLE_SAMPLE_PER_BUFFER","features":[436]},{"name":"DMO_INPUT_STREAMF_WHOLE_SAMPLES","features":[436]},{"name":"DMO_MEDIA_TYPE","features":[308,436]},{"name":"DMO_OUTPUT_DATA_BUFFER","features":[436]},{"name":"DMO_OUTPUT_DATA_BUFFERF_DISCONTINUITY","features":[436]},{"name":"DMO_OUTPUT_DATA_BUFFERF_INCOMPLETE","features":[436]},{"name":"DMO_OUTPUT_DATA_BUFFERF_SYNCPOINT","features":[436]},{"name":"DMO_OUTPUT_DATA_BUFFERF_TIME","features":[436]},{"name":"DMO_OUTPUT_DATA_BUFFERF_TIMELENGTH","features":[436]},{"name":"DMO_OUTPUT_STREAMF_DISCARDABLE","features":[436]},{"name":"DMO_OUTPUT_STREAMF_FIXED_SAMPLE_SIZE","features":[436]},{"name":"DMO_OUTPUT_STREAMF_OPTIONAL","features":[436]},{"name":"DMO_OUTPUT_STREAMF_SINGLE_SAMPLE_PER_BUFFER","features":[436]},{"name":"DMO_OUTPUT_STREAMF_WHOLE_SAMPLES","features":[436]},{"name":"DMO_PARTIAL_MEDIATYPE","features":[436]},{"name":"DMO_PROCESS_OUTPUT_DISCARD_WHEN_NO_BUFFER","features":[436]},{"name":"DMO_QUALITY_STATUS_ENABLED","features":[436]},{"name":"DMO_REGISTERF_IS_KEYED","features":[436]},{"name":"DMO_REGISTER_FLAGS","features":[436]},{"name":"DMO_SET_TYPEF_CLEAR","features":[436]},{"name":"DMO_SET_TYPEF_TEST_ONLY","features":[436]},{"name":"DMO_VOSF_NEEDS_PREVIOUS_SAMPLE","features":[436]},{"name":"IDMOQualityControl","features":[436]},{"name":"IDMOVideoOutputOptimizations","features":[436]},{"name":"IEnumDMO","features":[436]},{"name":"IMediaBuffer","features":[436]},{"name":"IMediaObject","features":[436]},{"name":"IMediaObjectInPlace","features":[436]},{"name":"MoCopyMediaType","features":[308,436]},{"name":"MoCreateMediaType","features":[308,436]},{"name":"MoDeleteMediaType","features":[308,436]},{"name":"MoDuplicateMediaType","features":[308,436]},{"name":"MoFreeMediaType","features":[308,436]},{"name":"MoInitMediaType","features":[308,436]},{"name":"_DMO_INPLACE_PROCESS_FLAGS","features":[436]},{"name":"_DMO_INPUT_DATA_BUFFER_FLAGS","features":[436]},{"name":"_DMO_INPUT_STATUS_FLAGS","features":[436]},{"name":"_DMO_INPUT_STREAM_INFO_FLAGS","features":[436]},{"name":"_DMO_OUTPUT_DATA_BUFFER_FLAGS","features":[436]},{"name":"_DMO_OUTPUT_STREAM_INFO_FLAGS","features":[436]},{"name":"_DMO_PROCESS_OUTPUT_FLAGS","features":[436]},{"name":"_DMO_QUALITY_STATUS_FLAGS","features":[436]},{"name":"_DMO_SET_TYPE_FLAGS","features":[436]},{"name":"_DMO_VIDEO_OUTPUT_STREAM_FLAGS","features":[436]}],"434":[{"name":"AEC_MODE_FULL_DUPLEX","features":[434]},{"name":"AEC_MODE_HALF_DUPLEX","features":[434]},{"name":"AEC_MODE_PASS_THROUGH","features":[434]},{"name":"AEC_STATUS_FD_CURRENTLY_CONVERGED","features":[434]},{"name":"AEC_STATUS_FD_HISTORY_CONTINUOUSLY_CONVERGED","features":[434]},{"name":"AEC_STATUS_FD_HISTORY_PREVIOUSLY_DIVERGED","features":[434]},{"name":"AEC_STATUS_FD_HISTORY_UNINITIALIZED","features":[434]},{"name":"ALLOCATOR_PROPERTIES_EX","features":[434]},{"name":"APO_CLASS_UUID","features":[434]},{"name":"AUDIOENDPOINT_CLASS_UUID","features":[434]},{"name":"AUDIOMODULE_MAX_DATA_SIZE","features":[434]},{"name":"AUDIOMODULE_MAX_NAME_CCH_SIZE","features":[434]},{"name":"AUDIOPOSTURE_ORIENTATION","features":[434]},{"name":"AUDIOPOSTURE_ORIENTATION_NOTROTATED","features":[434]},{"name":"AUDIOPOSTURE_ORIENTATION_ROTATED180DEGREESCOUNTERCLOCKWISE","features":[434]},{"name":"AUDIOPOSTURE_ORIENTATION_ROTATED270DEGREESCOUNTERCLOCKWISE","features":[434]},{"name":"AUDIOPOSTURE_ORIENTATION_ROTATED90DEGREESCOUNTERCLOCKWISE","features":[434]},{"name":"AUDIORESOURCEMANAGEMENT_RESOURCEGROUP","features":[308,434]},{"name":"AUDIO_CURVE_TYPE","features":[434]},{"name":"AUDIO_CURVE_TYPE_NONE","features":[434]},{"name":"AUDIO_CURVE_TYPE_WINDOWS_FADE","features":[434]},{"name":"AUDIO_EFFECT_TYPE_ACOUSTIC_ECHO_CANCELLATION","features":[434]},{"name":"AUDIO_EFFECT_TYPE_AUTOMATIC_GAIN_CONTROL","features":[434]},{"name":"AUDIO_EFFECT_TYPE_BASS_BOOST","features":[434]},{"name":"AUDIO_EFFECT_TYPE_BASS_MANAGEMENT","features":[434]},{"name":"AUDIO_EFFECT_TYPE_BEAMFORMING","features":[434]},{"name":"AUDIO_EFFECT_TYPE_CONSTANT_TONE_REMOVAL","features":[434]},{"name":"AUDIO_EFFECT_TYPE_DEEP_NOISE_SUPPRESSION","features":[434]},{"name":"AUDIO_EFFECT_TYPE_DYNAMIC_RANGE_COMPRESSION","features":[434]},{"name":"AUDIO_EFFECT_TYPE_ENVIRONMENTAL_EFFECTS","features":[434]},{"name":"AUDIO_EFFECT_TYPE_EQUALIZER","features":[434]},{"name":"AUDIO_EFFECT_TYPE_FAR_FIELD_BEAMFORMING","features":[434]},{"name":"AUDIO_EFFECT_TYPE_LOUDNESS_EQUALIZER","features":[434]},{"name":"AUDIO_EFFECT_TYPE_NOISE_SUPPRESSION","features":[434]},{"name":"AUDIO_EFFECT_TYPE_ROOM_CORRECTION","features":[434]},{"name":"AUDIO_EFFECT_TYPE_SPEAKER_COMPENSATION","features":[434]},{"name":"AUDIO_EFFECT_TYPE_SPEAKER_FILL","features":[434]},{"name":"AUDIO_EFFECT_TYPE_SPEAKER_PROTECTION","features":[434]},{"name":"AUDIO_EFFECT_TYPE_VIRTUAL_HEADPHONES","features":[434]},{"name":"AUDIO_EFFECT_TYPE_VIRTUAL_SURROUND","features":[434]},{"name":"AUDIO_SIGNALPROCESSINGMODE_COMMUNICATIONS","features":[434]},{"name":"AUDIO_SIGNALPROCESSINGMODE_DEFAULT","features":[434]},{"name":"AUDIO_SIGNALPROCESSINGMODE_FAR_FIELD_SPEECH","features":[434]},{"name":"AUDIO_SIGNALPROCESSINGMODE_MEDIA","features":[434]},{"name":"AUDIO_SIGNALPROCESSINGMODE_MOVIE","features":[434]},{"name":"AUDIO_SIGNALPROCESSINGMODE_NOTIFICATION","features":[434]},{"name":"AUDIO_SIGNALPROCESSINGMODE_RAW","features":[434]},{"name":"AUDIO_SIGNALPROCESSINGMODE_SPEECH","features":[434]},{"name":"AllocatorStrategy_DontCare","features":[434]},{"name":"AllocatorStrategy_MaximizeSpeed","features":[434]},{"name":"AllocatorStrategy_MinimizeFrameSize","features":[434]},{"name":"AllocatorStrategy_MinimizeNumberOfAllocators","features":[434]},{"name":"AllocatorStrategy_MinimizeNumberOfFrames","features":[434]},{"name":"BLUETOOTHLE_MIDI_SERVICE_UUID","features":[434]},{"name":"BLUETOOTH_MIDI_DATAIO_CHARACTERISTIC","features":[434]},{"name":"BUS_INTERFACE_REFERENCE_VERSION","features":[434]},{"name":"CAPTURE_MEMORY_ALLOCATION_FLAGS","features":[434]},{"name":"CASCADE_FORM","features":[434]},{"name":"CC_BYTE_PAIR","features":[434]},{"name":"CC_HW_FIELD","features":[434]},{"name":"CC_MAX_HW_DECODE_LINES","features":[434]},{"name":"CLSID_KsIBasicAudioInterfaceHandler","features":[434]},{"name":"CLSID_Proxy","features":[434]},{"name":"CONSTRICTOR_OPTION","features":[434]},{"name":"CONSTRICTOR_OPTION_DISABLE","features":[434]},{"name":"CONSTRICTOR_OPTION_MUTE","features":[434]},{"name":"DEVCAPS","features":[434]},{"name":"DEVPKEY_KsAudio_Controller_DeviceInterface_Path","features":[341,434]},{"name":"DEVPKEY_KsAudio_PacketSize_Constraints","features":[341,434]},{"name":"DEVPKEY_KsAudio_PacketSize_Constraints2","features":[341,434]},{"name":"DIRECT_FORM","features":[434]},{"name":"DS3DVECTOR","features":[434]},{"name":"DS3D_HRTF_VERSION_1","features":[434]},{"name":"EDeviceControlUseType","features":[434]},{"name":"EPcxConnectionType","features":[434]},{"name":"EPcxGenLocation","features":[434]},{"name":"EPcxGenLocation_enum_count","features":[434]},{"name":"EPcxGeoLocation","features":[434]},{"name":"EPcxGeoLocation_enum_count","features":[434]},{"name":"EPxcPortConnection","features":[434]},{"name":"EVENTSETID_CROSSBAR","features":[434]},{"name":"EVENTSETID_TUNER","features":[434]},{"name":"EVENTSETID_VIDCAP_CAMERACONTROL_REGION_OF_INTEREST","features":[434]},{"name":"EVENTSETID_VIDEODECODER","features":[434]},{"name":"FLOAT_COEFF","features":[434]},{"name":"FRAMING_CACHE_OPS","features":[434]},{"name":"FRAMING_PROP","features":[434]},{"name":"FULL_FILTER","features":[434]},{"name":"FramingProp_Ex","features":[434]},{"name":"FramingProp_None","features":[434]},{"name":"FramingProp_Old","features":[434]},{"name":"FramingProp_Uninitialized","features":[434]},{"name":"Framing_Cache_ReadLast","features":[434]},{"name":"Framing_Cache_ReadOrig","features":[434]},{"name":"Framing_Cache_Update","features":[434]},{"name":"Framing_Cache_Write","features":[434]},{"name":"GUID_NULL","features":[434]},{"name":"IKsAggregateControl","features":[434]},{"name":"IKsAllocator","features":[434]},{"name":"IKsAllocatorEx","features":[434]},{"name":"IKsClockPropertySet","features":[434]},{"name":"IKsControl","features":[434]},{"name":"IKsDataTypeCompletion","features":[434]},{"name":"IKsDataTypeHandler","features":[434]},{"name":"IKsFormatSupport","features":[434]},{"name":"IKsInterfaceHandler","features":[434]},{"name":"IKsJackContainerId","features":[434]},{"name":"IKsJackDescription","features":[434]},{"name":"IKsJackDescription2","features":[434]},{"name":"IKsJackDescription3","features":[434]},{"name":"IKsJackSinkInformation","features":[434]},{"name":"IKsNodeControl","features":[434]},{"name":"IKsNotifyEvent","features":[434]},{"name":"IKsObject","features":[434]},{"name":"IKsPin","features":[434]},{"name":"IKsPinEx","features":[434]},{"name":"IKsPinFactory","features":[434]},{"name":"IKsPinPipe","features":[434]},{"name":"IKsPropertySet","features":[434]},{"name":"IKsQualityForwarder","features":[434]},{"name":"IKsTopology","features":[434]},{"name":"IKsTopologyInfo","features":[434]},{"name":"INTERLEAVED_AUDIO_FORMAT_INFORMATION","features":[434]},{"name":"IOCTL_KS_DISABLE_EVENT","features":[434]},{"name":"IOCTL_KS_ENABLE_EVENT","features":[434]},{"name":"IOCTL_KS_HANDSHAKE","features":[434]},{"name":"IOCTL_KS_METHOD","features":[434]},{"name":"IOCTL_KS_PROPERTY","features":[434]},{"name":"IOCTL_KS_READ_STREAM","features":[434]},{"name":"IOCTL_KS_RESET_STATE","features":[434]},{"name":"IOCTL_KS_WRITE_STREAM","features":[434]},{"name":"JACKDESC2_DYNAMIC_FORMAT_CHANGE_CAPABILITY","features":[434]},{"name":"JACKDESC2_PRESENCE_DETECT_CAPABILITY","features":[434]},{"name":"KSAC3_ALTERNATE_AUDIO","features":[308,434]},{"name":"KSAC3_ALTERNATE_AUDIO_1","features":[434]},{"name":"KSAC3_ALTERNATE_AUDIO_2","features":[434]},{"name":"KSAC3_ALTERNATE_AUDIO_BOTH","features":[434]},{"name":"KSAC3_BIT_STREAM_MODE","features":[434]},{"name":"KSAC3_DIALOGUE_LEVEL","features":[434]},{"name":"KSAC3_DOWNMIX","features":[308,434]},{"name":"KSAC3_ERROR_CONCEALMENT","features":[308,434]},{"name":"KSAC3_ROOM_TYPE","features":[308,434]},{"name":"KSAC3_SERVICE_COMMENTARY","features":[434]},{"name":"KSAC3_SERVICE_DIALOG_ONLY","features":[434]},{"name":"KSAC3_SERVICE_EMERGENCY_FLASH","features":[434]},{"name":"KSAC3_SERVICE_HEARING_IMPAIRED","features":[434]},{"name":"KSAC3_SERVICE_MAIN_AUDIO","features":[434]},{"name":"KSAC3_SERVICE_NO_DIALOG","features":[434]},{"name":"KSAC3_SERVICE_VISUALLY_IMPAIRED","features":[434]},{"name":"KSAC3_SERVICE_VOICE_OVER","features":[434]},{"name":"KSALGORITHMINSTANCE_SYSTEM_ACOUSTIC_ECHO_CANCEL","features":[434]},{"name":"KSALGORITHMINSTANCE_SYSTEM_AGC","features":[434]},{"name":"KSALGORITHMINSTANCE_SYSTEM_MICROPHONE_ARRAY_PROCESSOR","features":[434]},{"name":"KSALGORITHMINSTANCE_SYSTEM_NOISE_SUPPRESS","features":[434]},{"name":"KSALLOCATORMODE","features":[434]},{"name":"KSALLOCATOR_FLAG_2D_BUFFER_REQUIRED","features":[434]},{"name":"KSALLOCATOR_FLAG_ALLOCATOR_EXISTS","features":[434]},{"name":"KSALLOCATOR_FLAG_ATTENTION_STEPPING","features":[434]},{"name":"KSALLOCATOR_FLAG_CAN_ALLOCATE","features":[434]},{"name":"KSALLOCATOR_FLAG_CYCLE","features":[434]},{"name":"KSALLOCATOR_FLAG_DEVICE_SPECIFIC","features":[434]},{"name":"KSALLOCATOR_FLAG_ENABLE_CACHED_MDL","features":[434]},{"name":"KSALLOCATOR_FLAG_INDEPENDENT_RANGES","features":[434]},{"name":"KSALLOCATOR_FLAG_INSIST_ON_FRAMESIZE_RATIO","features":[434]},{"name":"KSALLOCATOR_FLAG_MULTIPLE_OUTPUT","features":[434]},{"name":"KSALLOCATOR_FLAG_NO_FRAME_INTEGRITY","features":[434]},{"name":"KSALLOCATOR_FLAG_PARTIAL_READ_SUPPORT","features":[434]},{"name":"KSALLOCATOR_FRAMING","features":[434]},{"name":"KSALLOCATOR_FRAMING_EX","features":[434]},{"name":"KSALLOCATOR_OPTIONF_COMPATIBLE","features":[434]},{"name":"KSALLOCATOR_OPTIONF_SYSTEM_MEMORY","features":[434]},{"name":"KSALLOCATOR_OPTIONF_VALID","features":[434]},{"name":"KSALLOCATOR_REQUIREMENTF_FRAME_INTEGRITY","features":[434]},{"name":"KSALLOCATOR_REQUIREMENTF_INPLACE_MODIFIER","features":[434]},{"name":"KSALLOCATOR_REQUIREMENTF_MUST_ALLOCATE","features":[434]},{"name":"KSALLOCATOR_REQUIREMENTF_PREFERENCES_ONLY","features":[434]},{"name":"KSALLOCATOR_REQUIREMENTF_SYSTEM_MEMORY","features":[434]},{"name":"KSALLOCATOR_REQUIREMENTF_SYSTEM_MEMORY_CUSTOM_ALLOCATION","features":[434]},{"name":"KSATTRIBUTE","features":[434]},{"name":"KSATTRIBUTEID_AUDIOSIGNALPROCESSING_MODE","features":[434]},{"name":"KSATTRIBUTE_AUDIOSIGNALPROCESSING_MODE","features":[434]},{"name":"KSATTRIBUTE_REQUIRED","features":[434]},{"name":"KSAUDDECOUTMODE_PCM_51","features":[434]},{"name":"KSAUDDECOUTMODE_SPDIFF","features":[434]},{"name":"KSAUDDECOUTMODE_STEREO_ANALOG","features":[434]},{"name":"KSAUDFNAME_3D_CENTER","features":[434]},{"name":"KSAUDFNAME_3D_DEPTH","features":[434]},{"name":"KSAUDFNAME_3D_STEREO","features":[434]},{"name":"KSAUDFNAME_ALTERNATE_MICROPHONE","features":[434]},{"name":"KSAUDFNAME_AUX","features":[434]},{"name":"KSAUDFNAME_AUX_MUTE","features":[434]},{"name":"KSAUDFNAME_AUX_VOLUME","features":[434]},{"name":"KSAUDFNAME_BASS","features":[434]},{"name":"KSAUDFNAME_CD_AUDIO","features":[434]},{"name":"KSAUDFNAME_CD_IN_VOLUME","features":[434]},{"name":"KSAUDFNAME_CD_MUTE","features":[434]},{"name":"KSAUDFNAME_CD_VOLUME","features":[434]},{"name":"KSAUDFNAME_LINE_IN","features":[434]},{"name":"KSAUDFNAME_LINE_IN_VOLUME","features":[434]},{"name":"KSAUDFNAME_LINE_MUTE","features":[434]},{"name":"KSAUDFNAME_LINE_VOLUME","features":[434]},{"name":"KSAUDFNAME_MASTER_MUTE","features":[434]},{"name":"KSAUDFNAME_MASTER_VOLUME","features":[434]},{"name":"KSAUDFNAME_MICROPHONE_BOOST","features":[434]},{"name":"KSAUDFNAME_MIC_IN_VOLUME","features":[434]},{"name":"KSAUDFNAME_MIC_MUTE","features":[434]},{"name":"KSAUDFNAME_MIC_VOLUME","features":[434]},{"name":"KSAUDFNAME_MIDI","features":[434]},{"name":"KSAUDFNAME_MIDI_IN_VOLUME","features":[434]},{"name":"KSAUDFNAME_MIDI_MUTE","features":[434]},{"name":"KSAUDFNAME_MIDI_VOLUME","features":[434]},{"name":"KSAUDFNAME_MIDRANGE","features":[434]},{"name":"KSAUDFNAME_MONO_MIX","features":[434]},{"name":"KSAUDFNAME_MONO_MIX_MUTE","features":[434]},{"name":"KSAUDFNAME_MONO_MIX_VOLUME","features":[434]},{"name":"KSAUDFNAME_MONO_OUT","features":[434]},{"name":"KSAUDFNAME_MONO_OUT_MUTE","features":[434]},{"name":"KSAUDFNAME_MONO_OUT_VOLUME","features":[434]},{"name":"KSAUDFNAME_PC_SPEAKER","features":[434]},{"name":"KSAUDFNAME_PC_SPEAKER_MUTE","features":[434]},{"name":"KSAUDFNAME_PC_SPEAKER_VOLUME","features":[434]},{"name":"KSAUDFNAME_PEAKMETER","features":[434]},{"name":"KSAUDFNAME_RECORDING_CONTROL","features":[434]},{"name":"KSAUDFNAME_RECORDING_SOURCE","features":[434]},{"name":"KSAUDFNAME_STEREO_MIX","features":[434]},{"name":"KSAUDFNAME_STEREO_MIX_MUTE","features":[434]},{"name":"KSAUDFNAME_STEREO_MIX_VOLUME","features":[434]},{"name":"KSAUDFNAME_TREBLE","features":[434]},{"name":"KSAUDFNAME_VIDEO","features":[434]},{"name":"KSAUDFNAME_VIDEO_MUTE","features":[434]},{"name":"KSAUDFNAME_VIDEO_VOLUME","features":[434]},{"name":"KSAUDFNAME_VOLUME_CONTROL","features":[434]},{"name":"KSAUDFNAME_WAVE_IN_VOLUME","features":[434]},{"name":"KSAUDFNAME_WAVE_MUTE","features":[434]},{"name":"KSAUDFNAME_WAVE_OUT_MIX","features":[434]},{"name":"KSAUDFNAME_WAVE_VOLUME","features":[434]},{"name":"KSAUDIOENGINE_BUFFER_SIZE_RANGE","features":[434]},{"name":"KSAUDIOENGINE_DESCRIPTOR","features":[434]},{"name":"KSAUDIOENGINE_DEVICECONTROLS","features":[434]},{"name":"KSAUDIOENGINE_VOLUMELEVEL","features":[434]},{"name":"KSAUDIOMODULE_DESCRIPTOR","features":[434]},{"name":"KSAUDIOMODULE_NOTIFICATION","features":[434]},{"name":"KSAUDIOMODULE_PROPERTY","features":[434]},{"name":"KSAUDIO_CHANNEL_CONFIG","features":[434]},{"name":"KSAUDIO_COPY_PROTECTION","features":[308,434]},{"name":"KSAUDIO_CPU_RESOURCES_HOST_CPU","features":[434]},{"name":"KSAUDIO_CPU_RESOURCES_NOT_HOST_CPU","features":[434]},{"name":"KSAUDIO_DYNAMIC_RANGE","features":[434]},{"name":"KSAUDIO_MICROPHONE_COORDINATES","features":[434]},{"name":"KSAUDIO_MIC_ARRAY_GEOMETRY","features":[434]},{"name":"KSAUDIO_MIXCAP_TABLE","features":[308,434]},{"name":"KSAUDIO_MIXLEVEL","features":[308,434]},{"name":"KSAUDIO_MIX_CAPS","features":[308,434]},{"name":"KSAUDIO_PACKETSIZE_CONSTRAINTS","features":[434]},{"name":"KSAUDIO_PACKETSIZE_CONSTRAINTS2","features":[434]},{"name":"KSAUDIO_PACKETSIZE_PROCESSINGMODE_CONSTRAINT","features":[434]},{"name":"KSAUDIO_POSITION","features":[434]},{"name":"KSAUDIO_POSITIONEX","features":[434]},{"name":"KSAUDIO_PRESENTATION_POSITION","features":[434]},{"name":"KSAUDIO_QUALITY_ADVANCED","features":[434]},{"name":"KSAUDIO_QUALITY_BASIC","features":[434]},{"name":"KSAUDIO_QUALITY_PC","features":[434]},{"name":"KSAUDIO_QUALITY_WORST","features":[434]},{"name":"KSAUDIO_SPEAKER_DIRECTOUT","features":[434]},{"name":"KSAUDIO_SPEAKER_GROUND_FRONT_CENTER","features":[434]},{"name":"KSAUDIO_SPEAKER_GROUND_FRONT_LEFT","features":[434]},{"name":"KSAUDIO_SPEAKER_GROUND_FRONT_RIGHT","features":[434]},{"name":"KSAUDIO_SPEAKER_GROUND_REAR_LEFT","features":[434]},{"name":"KSAUDIO_SPEAKER_GROUND_REAR_RIGHT","features":[434]},{"name":"KSAUDIO_SPEAKER_MONO","features":[434]},{"name":"KSAUDIO_SPEAKER_SUPER_WOOFER","features":[434]},{"name":"KSAUDIO_SPEAKER_TOP_MIDDLE","features":[434]},{"name":"KSAUDIO_STEREO_SPEAKER_GEOMETRY_HEADPHONE","features":[434]},{"name":"KSAUDIO_STEREO_SPEAKER_GEOMETRY_MAX","features":[434]},{"name":"KSAUDIO_STEREO_SPEAKER_GEOMETRY_MIN","features":[434]},{"name":"KSAUDIO_STEREO_SPEAKER_GEOMETRY_NARROW","features":[434]},{"name":"KSAUDIO_STEREO_SPEAKER_GEOMETRY_WIDE","features":[434]},{"name":"KSCAMERAPROFILE_BalancedVideoAndPhoto","features":[434]},{"name":"KSCAMERAPROFILE_CompressedCamera","features":[434]},{"name":"KSCAMERAPROFILE_FLAGS_FACEDETECTION","features":[434]},{"name":"KSCAMERAPROFILE_FLAGS_PHOTOHDR","features":[434]},{"name":"KSCAMERAPROFILE_FLAGS_PREVIEW_RES_MUSTMATCH","features":[434]},{"name":"KSCAMERAPROFILE_FLAGS_VARIABLEPHOTOSEQUENCE","features":[434]},{"name":"KSCAMERAPROFILE_FLAGS_VIDEOHDR","features":[434]},{"name":"KSCAMERAPROFILE_FLAGS_VIDEOSTABLIZATION","features":[434]},{"name":"KSCAMERAPROFILE_FaceAuth_Mode","features":[434]},{"name":"KSCAMERAPROFILE_HDRWithWCGPhoto","features":[434]},{"name":"KSCAMERAPROFILE_HDRWithWCGVideo","features":[434]},{"name":"KSCAMERAPROFILE_HighFrameRate","features":[434]},{"name":"KSCAMERAPROFILE_HighQualityPhoto","features":[434]},{"name":"KSCAMERAPROFILE_Legacy","features":[434]},{"name":"KSCAMERAPROFILE_PhotoSequence","features":[434]},{"name":"KSCAMERAPROFILE_VariablePhotoSequence","features":[434]},{"name":"KSCAMERAPROFILE_VideoConferencing","features":[434]},{"name":"KSCAMERAPROFILE_VideoHDR8","features":[434]},{"name":"KSCAMERAPROFILE_VideoRecording","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ADVANCEDPHOTO_AUTO","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ADVANCEDPHOTO_FNF","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ADVANCEDPHOTO_HDR","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ADVANCEDPHOTO_OFF","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ADVANCEDPHOTO_ULTRALOWLIGHT","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_BACKGROUNDSEGMENTATION_BLUR","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_BACKGROUNDSEGMENTATION_CONFIGCAPS","features":[308,434]},{"name":"KSCAMERA_EXTENDEDPROP_BACKGROUNDSEGMENTATION_MASK","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_BACKGROUNDSEGMENTATION_OFF","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_BACKGROUNDSEGMENTATION_SHALLOWFOCUS","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_CAMERAOFFSET","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_CAPS_ASYNCCONTROL","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_CAPS_CANCELLABLE","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_CAPS_MASK","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_CAPS_RESERVED","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_DIGITALWINDOW_AUTOFACEFRAMING","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_DIGITALWINDOW_CONFIGCAPS","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_DIGITALWINDOW_CONFIGCAPSHEADER","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_DIGITALWINDOW_MANUAL","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_DIGITALWINDOW_SETTING","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_EVCOMPENSATION","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_EVCOMP_FULLSTEP","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_EVCOMP_HALFSTEP","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_EVCOMP_QUARTERSTEP","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_EVCOMP_SIXTHSTEP","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_EVCOMP_THIRDSTEP","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_EYEGAZECORRECTION_OFF","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_EYEGAZECORRECTION_ON","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_EYEGAZECORRECTION_STARE","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FACEAUTH_MODE_ALTERNATIVE_FRAME_ILLUMINATION","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FACEAUTH_MODE_BACKGROUND_SUBTRACTION","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FACEAUTH_MODE_DISABLED","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FACEDETECTION_BLINK","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FACEDETECTION_OFF","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FACEDETECTION_ON","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FACEDETECTION_PHOTO","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FACEDETECTION_PREVIEW","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FACEDETECTION_SMILE","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FACEDETECTION_VIDEO","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FIELDOFVIEW","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FILTERSCOPE","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FLAG_CANCELOPERATION","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FLAG_MASK","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FLASH_ASSISTANT_AUTO","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FLASH_ASSISTANT_OFF","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FLASH_ASSISTANT_ON","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FLASH_AUTO","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FLASH_AUTO_ADJUSTABLEPOWER","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FLASH_MULTIFLASHSUPPORTED","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FLASH_OFF","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FLASH_ON","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FLASH_ON_ADJUSTABLEPOWER","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FLASH_REDEYEREDUCTION","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FLASH_SINGLEFLASH","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUSPRIORITY_OFF","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUSPRIORITY_ON","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUSSTATE","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUSSTATE_FAILED","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUSSTATE_FOCUSED","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUSSTATE_LOST","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUSSTATE_SEARCHING","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUSSTATE_UNINITIALIZED","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_CONTINUOUS","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_CONTINUOUSLOCK","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_DISTANCE_HYPERFOCAL","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_DISTANCE_INFINITY","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_DISTANCE_NEAREST","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_DRIVERFALLBACK_OFF","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_RANGE_FULLRANGE","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_RANGE_HYPERFOCAL","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_RANGE_INFINITY","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_RANGE_MACRO","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_RANGE_NORMAL","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_REGIONBASED","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_FOCUS_UNLOCK","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_HEADER","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_HISTOGRAM_OFF","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_HISTOGRAM_ON","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_IRTORCHMODE_ALTERNATING_FRAME_ILLUMINATION","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_IRTORCHMODE_ALWAYS_ON","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_IRTORCHMODE_OFF","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_100","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_12800","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_1600","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_200","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_25600","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_3200","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_400","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_50","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_6400","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_80","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_800","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_AUTO","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ISO_MANUAL","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_METADATAINFO","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_METADATA_ALIGNMENTREQUIRED","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_METADATA_MEMORYTYPE_MASK","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_METADATA_SYSTEMMEMORY","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_MetadataAlignment","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_MetadataAlignment_1024","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_MetadataAlignment_128","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_MetadataAlignment_16","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_MetadataAlignment_2048","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_MetadataAlignment_256","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_MetadataAlignment_32","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_MetadataAlignment_4096","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_MetadataAlignment_512","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_MetadataAlignment_64","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_MetadataAlignment_8192","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_OIS_AUTO","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_OIS_OFF","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_OIS_ON","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_OPTIMIZATION_DEFAULT","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_OPTIMIZATION_LATENCY","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_OPTIMIZATION_PHOTO","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_OPTIMIZATION_POWER","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_OPTIMIZATION_QUALITY","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_OPTIMIZATION_VIDEO","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOCONFIRMATION_OFF","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOCONFIRMATION_ON","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOMODE","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOMODE_NORMAL","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOMODE_SEQUENCE","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOMODE_SEQUENCE_SUB_NONE","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOMODE_SEQUENCE_SUB_VARIABLE","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOTHUMBNAIL_16X","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOTHUMBNAIL_2X","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOTHUMBNAIL_4X","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOTHUMBNAIL_8X","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_PHOTOTHUMBNAIL_DISABLE","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_PROFILE","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_RELATIVEPANELOPTIMIZATION_DYNAMIC","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_RELATIVEPANELOPTIMIZATION_OFF","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_RELATIVEPANELOPTIMIZATION_ON","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ROITYPE","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ROITYPE_FACE","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ROITYPE_UNKNOWN","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ROI_CONFIGCAPS","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ROI_CONFIGCAPSHEADER","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ROI_EXPOSURE","features":[308,434]},{"name":"KSCAMERA_EXTENDEDPROP_ROI_FOCUS","features":[308,434]},{"name":"KSCAMERA_EXTENDEDPROP_ROI_INFO","features":[308,434]},{"name":"KSCAMERA_EXTENDEDPROP_ROI_ISPCONTROL","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ROI_ISPCONTROLHEADER","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ROI_WHITEBALANCE","features":[308,434]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_AUTO","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_BACKLIT","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_BEACH","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_CANDLELIGHT","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_LANDSCAPE","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_MACRO","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_MANUAL","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_NIGHT","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_NIGHTPORTRAIT","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_PORTRAIT","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_SNOW","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_SPORT","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_SCENEMODE_SUNSET","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_SECUREMODE_DISABLED","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_SECUREMODE_ENABLED","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_VALUE","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_VFR_OFF","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_VFR_ON","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOHDR_AUTO","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOHDR_OFF","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOHDR_ON","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOPROCFLAG_AUTO","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOPROCFLAG_LOCK","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOPROCFLAG_MANUAL","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOPROCSETTING","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOSTABILIZATION_AUTO","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOSTABILIZATION_OFF","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOSTABILIZATION_ON","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOTEMPORALDENOISING_AUTO","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOTEMPORALDENOISING_OFF","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOTEMPORALDENOISING_ON","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOTORCH_OFF","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOTORCH_ON","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_VIDEOTORCH_ON_ADJUSTABLEPOWER","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_WARMSTART_MODE_DISABLED","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_WARMSTART_MODE_ENABLED","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_WBPRESET","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_WBPRESET_CANDLELIGHT","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_WBPRESET_CLOUDY","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_WBPRESET_DAYLIGHT","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_WBPRESET_FLASH","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_WBPRESET_FLUORESCENT","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_WBPRESET_TUNGSTEN","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_WHITEBALANCE_MODE","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_WHITEBALANCE_PRESET","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_WHITEBALANCE_TEMPERATURE","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ZOOM_DEFAULT","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ZOOM_DIRECT","features":[434]},{"name":"KSCAMERA_EXTENDEDPROP_ZOOM_SMOOTH","features":[434]},{"name":"KSCAMERA_MAXVIDEOFPS_FORPHOTORES","features":[434]},{"name":"KSCAMERA_METADATA_BACKGROUNDSEGMENTATIONMASK","features":[308,434]},{"name":"KSCAMERA_METADATA_CAPTURESTATS","features":[434]},{"name":"KSCAMERA_METADATA_CAPTURESTATS_FLAG_EXPOSURECOMPENSATION","features":[434]},{"name":"KSCAMERA_METADATA_CAPTURESTATS_FLAG_EXPOSURETIME","features":[434]},{"name":"KSCAMERA_METADATA_CAPTURESTATS_FLAG_FLASH","features":[434]},{"name":"KSCAMERA_METADATA_CAPTURESTATS_FLAG_FLASHPOWER","features":[434]},{"name":"KSCAMERA_METADATA_CAPTURESTATS_FLAG_FOCUSSTATE","features":[434]},{"name":"KSCAMERA_METADATA_CAPTURESTATS_FLAG_ISOSPEED","features":[434]},{"name":"KSCAMERA_METADATA_CAPTURESTATS_FLAG_LENSPOSITION","features":[434]},{"name":"KSCAMERA_METADATA_CAPTURESTATS_FLAG_SCENEMODE","features":[434]},{"name":"KSCAMERA_METADATA_CAPTURESTATS_FLAG_SENSORFRAMERATE","features":[434]},{"name":"KSCAMERA_METADATA_CAPTURESTATS_FLAG_WHITEBALANCE","features":[434]},{"name":"KSCAMERA_METADATA_CAPTURESTATS_FLAG_ZOOMFACTOR","features":[434]},{"name":"KSCAMERA_METADATA_DIGITALWINDOW","features":[434]},{"name":"KSCAMERA_METADATA_FRAMEILLUMINATION","features":[434]},{"name":"KSCAMERA_METADATA_FRAMEILLUMINATION_FLAG_ON","features":[434]},{"name":"KSCAMERA_METADATA_ITEMHEADER","features":[434]},{"name":"KSCAMERA_METADATA_PHOTOCONFIRMATION","features":[434]},{"name":"KSCAMERA_MetadataId","features":[434]},{"name":"KSCAMERA_PERFRAMESETTING_AUTO","features":[434]},{"name":"KSCAMERA_PERFRAMESETTING_CAP_HEADER","features":[434]},{"name":"KSCAMERA_PERFRAMESETTING_CAP_ITEM_HEADER","features":[434]},{"name":"KSCAMERA_PERFRAMESETTING_CUSTOM_ITEM","features":[434]},{"name":"KSCAMERA_PERFRAMESETTING_FRAME_HEADER","features":[434]},{"name":"KSCAMERA_PERFRAMESETTING_HEADER","features":[434]},{"name":"KSCAMERA_PERFRAMESETTING_ITEM_CUSTOM","features":[434]},{"name":"KSCAMERA_PERFRAMESETTING_ITEM_EXPOSURE_COMPENSATION","features":[434]},{"name":"KSCAMERA_PERFRAMESETTING_ITEM_EXPOSURE_TIME","features":[434]},{"name":"KSCAMERA_PERFRAMESETTING_ITEM_FLASH","features":[434]},{"name":"KSCAMERA_PERFRAMESETTING_ITEM_FOCUS","features":[434]},{"name":"KSCAMERA_PERFRAMESETTING_ITEM_HEADER","features":[434]},{"name":"KSCAMERA_PERFRAMESETTING_ITEM_ISO","features":[434]},{"name":"KSCAMERA_PERFRAMESETTING_ITEM_PHOTOCONFIRMATION","features":[434]},{"name":"KSCAMERA_PERFRAMESETTING_ITEM_TYPE","features":[434]},{"name":"KSCAMERA_PERFRAMESETTING_MANUAL","features":[434]},{"name":"KSCAMERA_PROFILE_CONCURRENCYINFO","features":[434]},{"name":"KSCAMERA_PROFILE_INFO","features":[434]},{"name":"KSCAMERA_PROFILE_MEDIAINFO","features":[434]},{"name":"KSCAMERA_PROFILE_PININFO","features":[434]},{"name":"KSCATEGORY_ACOUSTIC_ECHO_CANCEL","features":[434]},{"name":"KSCATEGORY_AUDIO","features":[434]},{"name":"KSCATEGORY_BRIDGE","features":[434]},{"name":"KSCATEGORY_CAPTURE","features":[434]},{"name":"KSCATEGORY_CLOCK","features":[434]},{"name":"KSCATEGORY_COMMUNICATIONSTRANSFORM","features":[434]},{"name":"KSCATEGORY_CROSSBAR","features":[434]},{"name":"KSCATEGORY_DATACOMPRESSOR","features":[434]},{"name":"KSCATEGORY_DATADECOMPRESSOR","features":[434]},{"name":"KSCATEGORY_DATATRANSFORM","features":[434]},{"name":"KSCATEGORY_ENCODER","features":[434]},{"name":"KSCATEGORY_ESCALANTE_PLATFORM_DRIVER","features":[434]},{"name":"KSCATEGORY_FILESYSTEM","features":[434]},{"name":"KSCATEGORY_INTERFACETRANSFORM","features":[434]},{"name":"KSCATEGORY_MEDIUMTRANSFORM","features":[434]},{"name":"KSCATEGORY_MICROPHONE_ARRAY_PROCESSOR","features":[434]},{"name":"KSCATEGORY_MIXER","features":[434]},{"name":"KSCATEGORY_MULTIPLEXER","features":[434]},{"name":"KSCATEGORY_NETWORK","features":[434]},{"name":"KSCATEGORY_NETWORK_CAMERA","features":[434]},{"name":"KSCATEGORY_PROXY","features":[434]},{"name":"KSCATEGORY_QUALITY","features":[434]},{"name":"KSCATEGORY_REALTIME","features":[434]},{"name":"KSCATEGORY_RENDER","features":[434]},{"name":"KSCATEGORY_SENSOR_CAMERA","features":[434]},{"name":"KSCATEGORY_SENSOR_GROUP","features":[434]},{"name":"KSCATEGORY_SPLITTER","features":[434]},{"name":"KSCATEGORY_TEXT","features":[434]},{"name":"KSCATEGORY_TOPOLOGY","features":[434]},{"name":"KSCATEGORY_TVAUDIO","features":[434]},{"name":"KSCATEGORY_TVTUNER","features":[434]},{"name":"KSCATEGORY_VBICODEC","features":[434]},{"name":"KSCATEGORY_VIDEO","features":[434]},{"name":"KSCATEGORY_VIDEO_CAMERA","features":[434]},{"name":"KSCATEGORY_VIRTUAL","features":[434]},{"name":"KSCATEGORY_VPMUX","features":[434]},{"name":"KSCATEGORY_WDMAUD_USE_PIN_NAME","features":[434]},{"name":"KSCLOCK_CREATE","features":[434]},{"name":"KSCOMPONENTID","features":[434]},{"name":"KSCOMPONENTID_USBAUDIO","features":[434]},{"name":"KSCORRELATED_TIME","features":[434]},{"name":"KSCREATE_ITEM_FREEONSTOP","features":[434]},{"name":"KSCREATE_ITEM_NOPARAMETERS","features":[434]},{"name":"KSCREATE_ITEM_SECURITYCHANGED","features":[434]},{"name":"KSCREATE_ITEM_WILDCARD","features":[434]},{"name":"KSCameraProfileSensorType_Custom","features":[434]},{"name":"KSCameraProfileSensorType_Depth","features":[434]},{"name":"KSCameraProfileSensorType_ImageSegmentation","features":[434]},{"name":"KSCameraProfileSensorType_Infrared","features":[434]},{"name":"KSCameraProfileSensorType_PoseTracking","features":[434]},{"name":"KSCameraProfileSensorType_RGB","features":[434]},{"name":"KSDATAFORMAT","features":[434]},{"name":"KSDATAFORMAT_BIT_ATTRIBUTES","features":[434]},{"name":"KSDATAFORMAT_BIT_TEMPORAL_COMPRESSION","features":[434]},{"name":"KSDATAFORMAT_SPECIFIER_AC3_AUDIO","features":[434]},{"name":"KSDATAFORMAT_SPECIFIER_ANALOGVIDEO","features":[434]},{"name":"KSDATAFORMAT_SPECIFIER_DIALECT_AC3_AUDIO","features":[434]},{"name":"KSDATAFORMAT_SPECIFIER_DIALECT_MPEG1_AUDIO","features":[434]},{"name":"KSDATAFORMAT_SPECIFIER_DIALECT_MPEG1_VIDEO","features":[434]},{"name":"KSDATAFORMAT_SPECIFIER_DIALECT_MPEG2_AUDIO","features":[434]},{"name":"KSDATAFORMAT_SPECIFIER_DIALECT_MPEG2_VIDEO","features":[434]},{"name":"KSDATAFORMAT_SPECIFIER_DSOUND","features":[434]},{"name":"KSDATAFORMAT_SPECIFIER_FILEHANDLE","features":[434]},{"name":"KSDATAFORMAT_SPECIFIER_FILENAME","features":[434]},{"name":"KSDATAFORMAT_SPECIFIER_H264_VIDEO","features":[434]},{"name":"KSDATAFORMAT_SPECIFIER_IMAGE","features":[434]},{"name":"KSDATAFORMAT_SPECIFIER_JPEG_IMAGE","features":[434]},{"name":"KSDATAFORMAT_SPECIFIER_LPCM_AUDIO","features":[434]},{"name":"KSDATAFORMAT_SPECIFIER_MPEG1_VIDEO","features":[434]},{"name":"KSDATAFORMAT_SPECIFIER_MPEG2_AUDIO","features":[434]},{"name":"KSDATAFORMAT_SPECIFIER_MPEG2_VIDEO","features":[434]},{"name":"KSDATAFORMAT_SPECIFIER_NONE","features":[434]},{"name":"KSDATAFORMAT_SPECIFIER_VBI","features":[434]},{"name":"KSDATAFORMAT_SPECIFIER_VC_ID","features":[434]},{"name":"KSDATAFORMAT_SPECIFIER_VIDEOINFO","features":[434]},{"name":"KSDATAFORMAT_SPECIFIER_VIDEOINFO2","features":[434]},{"name":"KSDATAFORMAT_SPECIFIER_WAVEFORMATEX","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_AC3_AUDIO","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_ANALOG","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_CC","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_D16","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_DSS_AUDIO","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_DSS_VIDEO","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_DTS_AUDIO","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_AAC","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_ATRAC","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_DOLBY_DIGITAL","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_DOLBY_DIGITAL_PLUS","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_DOLBY_DIGITAL_PLUS_ATMOS","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_DOLBY_MAT20","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_DOLBY_MAT21","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_DOLBY_MLP","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_DST","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_DTS","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_DTSX_E1","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_DTSX_E2","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_DTS_HD","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_MPEG1","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_MPEG2","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_MPEG3","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_ONE_BIT_AUDIO","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_IEC61937_WMA_PRO","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_IMAGE_RGB32","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_JPEG","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_L16","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_L16_CUSTOM","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_L16_IR","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_L8","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_L8_CUSTOM","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_L8_IR","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_LPCM_AUDIO","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_Line21_BytePair","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_Line21_GOPPacket","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_MIDI","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_MIDI_BUS","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_MJPG_CUSTOM","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_MJPG_DEPTH","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_MJPG_IR","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_MPEG1Packet","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_MPEG1Payload","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_MPEG1Video","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_MPEG2_AUDIO","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_MPEG2_VIDEO","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_MPEGLAYER3","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_MPEG_HEAAC","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_NABTS","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_NABTS_FEC","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_NONE","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_OVERLAY","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_PCM","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_RAW8","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_RIFF","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_RIFFMIDI","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_RIFFWAVE","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_SDDS_AUDIO","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_STANDARD_AC3_AUDIO","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_STANDARD_MPEG1_AUDIO","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_STANDARD_MPEG1_VIDEO","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_STANDARD_MPEG2_AUDIO","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_STANDARD_MPEG2_VIDEO","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_SUBPICTURE","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_TELETEXT","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_VPVBI","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_VPVideo","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_WAVEFORMATEX","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_WMAUDIO2","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_WMAUDIO3","features":[434]},{"name":"KSDATAFORMAT_SUBTYPE_WMAUDIO_LOSSLESS","features":[434]},{"name":"KSDATAFORMAT_TYPE_ANALOGAUDIO","features":[434]},{"name":"KSDATAFORMAT_TYPE_ANALOGVIDEO","features":[434]},{"name":"KSDATAFORMAT_TYPE_AUDIO","features":[434]},{"name":"KSDATAFORMAT_TYPE_AUXLine21Data","features":[434]},{"name":"KSDATAFORMAT_TYPE_DVD_ENCRYPTED_PACK","features":[434]},{"name":"KSDATAFORMAT_TYPE_IMAGE","features":[434]},{"name":"KSDATAFORMAT_TYPE_MIDI","features":[434]},{"name":"KSDATAFORMAT_TYPE_MPEG2_PES","features":[434]},{"name":"KSDATAFORMAT_TYPE_MPEG2_PROGRAM","features":[434]},{"name":"KSDATAFORMAT_TYPE_MPEG2_TRANSPORT","features":[434]},{"name":"KSDATAFORMAT_TYPE_MUSIC","features":[434]},{"name":"KSDATAFORMAT_TYPE_NABTS","features":[434]},{"name":"KSDATAFORMAT_TYPE_STANDARD_ELEMENTARY_STREAM","features":[434]},{"name":"KSDATAFORMAT_TYPE_STANDARD_PACK_HEADER","features":[434]},{"name":"KSDATAFORMAT_TYPE_STANDARD_PES_PACKET","features":[434]},{"name":"KSDATAFORMAT_TYPE_STREAM","features":[434]},{"name":"KSDATAFORMAT_TYPE_TEXT","features":[434]},{"name":"KSDATAFORMAT_TYPE_VBI","features":[434]},{"name":"KSDATAFORMAT_TYPE_VIDEO","features":[434]},{"name":"KSDATARANGE_AUDIO","features":[434]},{"name":"KSDATARANGE_BIT_ATTRIBUTES","features":[434]},{"name":"KSDATARANGE_BIT_REQUIRED_ATTRIBUTES","features":[434]},{"name":"KSDATARANGE_MUSIC","features":[434]},{"name":"KSDEGRADESETID_Standard","features":[434]},{"name":"KSDEGRADE_STANDARD","features":[434]},{"name":"KSDEGRADE_STANDARD_COMPUTATION","features":[434]},{"name":"KSDEGRADE_STANDARD_QUALITY","features":[434]},{"name":"KSDEGRADE_STANDARD_SAMPLE","features":[434]},{"name":"KSDEGRADE_STANDARD_SKIP","features":[434]},{"name":"KSDEVICE_DESCRIPTOR_VERSION","features":[434]},{"name":"KSDEVICE_DESCRIPTOR_VERSION_2","features":[434]},{"name":"KSDEVICE_FLAG_ENABLE_QUERYINTERFACE","features":[434]},{"name":"KSDEVICE_FLAG_ENABLE_REMOTE_WAKEUP","features":[434]},{"name":"KSDEVICE_FLAG_LOWPOWER_PASSTHROUGH","features":[434]},{"name":"KSDEVICE_PROFILE_INFO","features":[434]},{"name":"KSDEVICE_PROFILE_TYPE_CAMERA","features":[434]},{"name":"KSDEVICE_PROFILE_TYPE_UNKNOWN","features":[434]},{"name":"KSDEVICE_THERMAL_STATE","features":[434]},{"name":"KSDEVICE_THERMAL_STATE_HIGH","features":[434]},{"name":"KSDEVICE_THERMAL_STATE_LOW","features":[434]},{"name":"KSDISPATCH_FASTIO","features":[434]},{"name":"KSDISPLAYCHANGE","features":[434]},{"name":"KSDS3D_BUFFER_ALL","features":[434]},{"name":"KSDS3D_BUFFER_CONE_ANGLES","features":[434]},{"name":"KSDS3D_COEFF_COUNT","features":[434]},{"name":"KSDS3D_FILTER_METHOD_COUNT","features":[434]},{"name":"KSDS3D_FILTER_QUALITY_COUNT","features":[434]},{"name":"KSDS3D_HRTF_COEFF_FORMAT","features":[434]},{"name":"KSDS3D_HRTF_FILTER_FORMAT_MSG","features":[434]},{"name":"KSDS3D_HRTF_FILTER_METHOD","features":[434]},{"name":"KSDS3D_HRTF_FILTER_QUALITY","features":[434]},{"name":"KSDS3D_HRTF_FILTER_VERSION","features":[434]},{"name":"KSDS3D_HRTF_INIT_MSG","features":[434]},{"name":"KSDS3D_HRTF_PARAMS_MSG","features":[308,434]},{"name":"KSDS3D_ITD_PARAMS","features":[434]},{"name":"KSDS3D_ITD_PARAMS_MSG","features":[434]},{"name":"KSDS3D_LISTENER_ALL","features":[434]},{"name":"KSDS3D_LISTENER_ORIENTATION","features":[434]},{"name":"KSDSOUND_3D_MODE_DISABLE","features":[434]},{"name":"KSDSOUND_3D_MODE_HEADRELATIVE","features":[434]},{"name":"KSDSOUND_3D_MODE_NORMAL","features":[434]},{"name":"KSDSOUND_BUFFER_CTRL_3D","features":[434]},{"name":"KSDSOUND_BUFFER_CTRL_FREQUENCY","features":[434]},{"name":"KSDSOUND_BUFFER_CTRL_HRTF_3D","features":[434]},{"name":"KSDSOUND_BUFFER_CTRL_PAN","features":[434]},{"name":"KSDSOUND_BUFFER_CTRL_POSITIONNOTIFY","features":[434]},{"name":"KSDSOUND_BUFFER_CTRL_VOLUME","features":[434]},{"name":"KSDSOUND_BUFFER_LOCHARDWARE","features":[434]},{"name":"KSDSOUND_BUFFER_LOCSOFTWARE","features":[434]},{"name":"KSDSOUND_BUFFER_PRIMARY","features":[434]},{"name":"KSDSOUND_BUFFER_STATIC","features":[434]},{"name":"KSERROR","features":[434]},{"name":"KSEVENTDATA","features":[308,434]},{"name":"KSEVENTF_DPC","features":[434]},{"name":"KSEVENTF_EVENT_HANDLE","features":[434]},{"name":"KSEVENTF_EVENT_OBJECT","features":[434]},{"name":"KSEVENTF_KSWORKITEM","features":[434]},{"name":"KSEVENTF_SEMAPHORE_HANDLE","features":[434]},{"name":"KSEVENTF_SEMAPHORE_OBJECT","features":[434]},{"name":"KSEVENTF_WORKITEM","features":[434]},{"name":"KSEVENTSETID_AudioControlChange","features":[434]},{"name":"KSEVENTSETID_CameraAsyncControl","features":[434]},{"name":"KSEVENTSETID_CameraEvent","features":[434]},{"name":"KSEVENTSETID_Clock","features":[434]},{"name":"KSEVENTSETID_Connection","features":[434]},{"name":"KSEVENTSETID_Device","features":[434]},{"name":"KSEVENTSETID_DynamicFormatChange","features":[434]},{"name":"KSEVENTSETID_EXTDEV_Command","features":[434]},{"name":"KSEVENTSETID_ExtendedCameraControl","features":[434]},{"name":"KSEVENTSETID_LoopedStreaming","features":[434]},{"name":"KSEVENTSETID_PinCapsChange","features":[434]},{"name":"KSEVENTSETID_SoundDetector","features":[434]},{"name":"KSEVENTSETID_StreamAllocator","features":[434]},{"name":"KSEVENTSETID_Telephony","features":[434]},{"name":"KSEVENTSETID_VIDCAPTOSTI","features":[434]},{"name":"KSEVENTSETID_VIDCAP_TVAUDIO","features":[434]},{"name":"KSEVENTSETID_VPNotify","features":[434]},{"name":"KSEVENTSETID_VPVBINotify","features":[434]},{"name":"KSEVENTSETID_VolumeLimit","features":[434]},{"name":"KSEVENT_AUDIO_CONTROL_CHANGE","features":[434]},{"name":"KSEVENT_CAMERACONTROL","features":[434]},{"name":"KSEVENT_CAMERACONTROL_FOCUS","features":[434]},{"name":"KSEVENT_CAMERACONTROL_ZOOM","features":[434]},{"name":"KSEVENT_CAMERAEVENT","features":[434]},{"name":"KSEVENT_CLOCK_INTERVAL_MARK","features":[434]},{"name":"KSEVENT_CLOCK_POSITION","features":[434]},{"name":"KSEVENT_CLOCK_POSITION_MARK","features":[434]},{"name":"KSEVENT_CONNECTION","features":[434]},{"name":"KSEVENT_CONNECTION_DATADISCONTINUITY","features":[434]},{"name":"KSEVENT_CONNECTION_ENDOFSTREAM","features":[434]},{"name":"KSEVENT_CONNECTION_POSITIONUPDATE","features":[434]},{"name":"KSEVENT_CONNECTION_PRIORITY","features":[434]},{"name":"KSEVENT_CONNECTION_TIMEDISCONTINUITY","features":[434]},{"name":"KSEVENT_CONTROL_CHANGE","features":[434]},{"name":"KSEVENT_CROSSBAR","features":[434]},{"name":"KSEVENT_CROSSBAR_CHANGED","features":[434]},{"name":"KSEVENT_DEVCMD","features":[434]},{"name":"KSEVENT_DEVICE","features":[434]},{"name":"KSEVENT_DEVICE_LOST","features":[434]},{"name":"KSEVENT_DEVICE_PREEMPTED","features":[434]},{"name":"KSEVENT_DEVICE_THERMAL_HIGH","features":[434]},{"name":"KSEVENT_DEVICE_THERMAL_LOW","features":[434]},{"name":"KSEVENT_DYNAMICFORMATCHANGE","features":[434]},{"name":"KSEVENT_DYNAMIC_FORMAT_CHANGE","features":[434]},{"name":"KSEVENT_ENTRY_BUFFERED","features":[434]},{"name":"KSEVENT_ENTRY_DELETED","features":[434]},{"name":"KSEVENT_ENTRY_ONESHOT","features":[434]},{"name":"KSEVENT_EXTDEV_COMMAND_BUSRESET","features":[434]},{"name":"KSEVENT_EXTDEV_COMMAND_CONTROL_INTERIM_READY","features":[434]},{"name":"KSEVENT_EXTDEV_COMMAND_NOTIFY_INTERIM_READY","features":[434]},{"name":"KSEVENT_EXTDEV_NOTIFY_MEDIUM_CHANGE","features":[434]},{"name":"KSEVENT_EXTDEV_NOTIFY_REMOVAL","features":[434]},{"name":"KSEVENT_EXTDEV_OPERATION_MODE_UPDATE","features":[434]},{"name":"KSEVENT_EXTDEV_TIMECODE_UPDATE","features":[434]},{"name":"KSEVENT_EXTDEV_TRANSPORT_STATE_UPDATE","features":[434]},{"name":"KSEVENT_LOOPEDSTREAMING","features":[434]},{"name":"KSEVENT_LOOPEDSTREAMING_POSITION","features":[434]},{"name":"KSEVENT_PHOTO_SAMPLE_SCANNED","features":[434]},{"name":"KSEVENT_PINCAPS_CHANGENOTIFICATIONS","features":[434]},{"name":"KSEVENT_PINCAPS_FORMATCHANGE","features":[434]},{"name":"KSEVENT_PINCAPS_JACKINFOCHANGE","features":[434]},{"name":"KSEVENT_SOUNDDETECTOR","features":[434]},{"name":"KSEVENT_SOUNDDETECTOR_MATCHDETECTED","features":[434]},{"name":"KSEVENT_STREAMALLOCATOR","features":[434]},{"name":"KSEVENT_STREAMALLOCATOR_FREEFRAME","features":[434]},{"name":"KSEVENT_STREAMALLOCATOR_INTERNAL_FREEFRAME","features":[434]},{"name":"KSEVENT_TELEPHONY","features":[434]},{"name":"KSEVENT_TELEPHONY_ENDPOINTPAIRS_CHANGED","features":[434]},{"name":"KSEVENT_TIME_INTERVAL","features":[308,434]},{"name":"KSEVENT_TIME_MARK","features":[308,434]},{"name":"KSEVENT_TUNER","features":[434]},{"name":"KSEVENT_TUNER_CHANGED","features":[434]},{"name":"KSEVENT_TUNER_INITIATE_SCAN","features":[434]},{"name":"KSEVENT_TUNER_INITIATE_SCAN_S","features":[308,434]},{"name":"KSEVENT_TVAUDIO","features":[434]},{"name":"KSEVENT_TVAUDIO_CHANGED","features":[434]},{"name":"KSEVENT_TYPE_BASICSUPPORT","features":[434]},{"name":"KSEVENT_TYPE_ENABLE","features":[434]},{"name":"KSEVENT_TYPE_ENABLEBUFFERED","features":[434]},{"name":"KSEVENT_TYPE_ONESHOT","features":[434]},{"name":"KSEVENT_TYPE_QUERYBUFFER","features":[434]},{"name":"KSEVENT_TYPE_SETSUPPORT","features":[434]},{"name":"KSEVENT_TYPE_TOPOLOGY","features":[434]},{"name":"KSEVENT_VIDCAPTOSTI","features":[434]},{"name":"KSEVENT_VIDCAPTOSTI_EXT_TRIGGER","features":[434]},{"name":"KSEVENT_VIDCAP_AUTO_UPDATE","features":[434]},{"name":"KSEVENT_VIDCAP_SEARCH","features":[434]},{"name":"KSEVENT_VIDEODECODER","features":[434]},{"name":"KSEVENT_VIDEODECODER_CHANGED","features":[434]},{"name":"KSEVENT_VOLUMELIMIT","features":[434]},{"name":"KSEVENT_VOLUMELIMIT_CHANGED","features":[434]},{"name":"KSEVENT_VPNOTIFY","features":[434]},{"name":"KSEVENT_VPNOTIFY_FORMATCHANGE","features":[434]},{"name":"KSEVENT_VPVBINOTIFY","features":[434]},{"name":"KSEVENT_VPVBINOTIFY_FORMATCHANGE","features":[434]},{"name":"KSE_NODE","features":[434]},{"name":"KSE_PIN","features":[434]},{"name":"KSFILTER_FLAG_CRITICAL_PROCESSING","features":[434]},{"name":"KSFILTER_FLAG_DENY_USERMODE_ACCESS","features":[434]},{"name":"KSFILTER_FLAG_DISPATCH_LEVEL_PROCESSING","features":[434]},{"name":"KSFILTER_FLAG_HYPERCRITICAL_PROCESSING","features":[434]},{"name":"KSFILTER_FLAG_PRIORITIZE_REFERENCEGUID","features":[434]},{"name":"KSFILTER_FLAG_RECEIVE_ZERO_LENGTH_SAMPLES","features":[434]},{"name":"KSFRAMETIME","features":[434]},{"name":"KSFRAMETIME_VARIABLESIZE","features":[434]},{"name":"KSGOP_USERDATA","features":[434]},{"name":"KSIDENTIFIER","features":[434]},{"name":"KSINTERFACESETID_FileIo","features":[434]},{"name":"KSINTERFACESETID_Media","features":[434]},{"name":"KSINTERFACESETID_Standard","features":[434]},{"name":"KSINTERFACE_FILEIO","features":[434]},{"name":"KSINTERFACE_FILEIO_STREAMING","features":[434]},{"name":"KSINTERFACE_MEDIA","features":[434]},{"name":"KSINTERFACE_MEDIA_MUSIC","features":[434]},{"name":"KSINTERFACE_MEDIA_WAVE_BUFFERED","features":[434]},{"name":"KSINTERFACE_MEDIA_WAVE_QUEUED","features":[434]},{"name":"KSINTERFACE_STANDARD","features":[434]},{"name":"KSINTERFACE_STANDARD_CONTROL","features":[434]},{"name":"KSINTERFACE_STANDARD_LOOPED_STREAMING","features":[434]},{"name":"KSINTERFACE_STANDARD_STREAMING","features":[434]},{"name":"KSINTERVAL","features":[434]},{"name":"KSIOOPERATION","features":[434]},{"name":"KSJACK_DESCRIPTION","features":[308,434]},{"name":"KSJACK_DESCRIPTION2","features":[434]},{"name":"KSJACK_DESCRIPTION3","features":[434]},{"name":"KSJACK_SINK_CONNECTIONTYPE","features":[434]},{"name":"KSJACK_SINK_CONNECTIONTYPE_DISPLAYPORT","features":[434]},{"name":"KSJACK_SINK_CONNECTIONTYPE_HDMI","features":[434]},{"name":"KSJACK_SINK_INFORMATION","features":[308,434]},{"name":"KSMEDIUMSETID_MidiBus","features":[434]},{"name":"KSMEDIUMSETID_Standard","features":[434]},{"name":"KSMEDIUMSETID_VPBus","features":[434]},{"name":"KSMEDIUM_STANDARD_DEVIO","features":[434]},{"name":"KSMEDIUM_TYPE_ANYINSTANCE","features":[434]},{"name":"KSMEMORY_TYPE_DEVICE_UNKNOWN","features":[434]},{"name":"KSMEMORY_TYPE_KERNEL_NONPAGED","features":[434]},{"name":"KSMEMORY_TYPE_KERNEL_PAGED","features":[434]},{"name":"KSMEMORY_TYPE_SYSTEM","features":[434]},{"name":"KSMEMORY_TYPE_USER","features":[434]},{"name":"KSMETHODSETID_StreamAllocator","features":[434]},{"name":"KSMETHODSETID_StreamIo","features":[434]},{"name":"KSMETHODSETID_Wavetable","features":[434]},{"name":"KSMETHOD_STREAMALLOCATOR","features":[434]},{"name":"KSMETHOD_STREAMALLOCATOR_ALLOC","features":[434]},{"name":"KSMETHOD_STREAMALLOCATOR_FREE","features":[434]},{"name":"KSMETHOD_STREAMIO","features":[434]},{"name":"KSMETHOD_STREAMIO_READ","features":[434]},{"name":"KSMETHOD_STREAMIO_WRITE","features":[434]},{"name":"KSMETHOD_TYPE_BASICSUPPORT","features":[434]},{"name":"KSMETHOD_TYPE_MODIFY","features":[434]},{"name":"KSMETHOD_TYPE_NONE","features":[434]},{"name":"KSMETHOD_TYPE_READ","features":[434]},{"name":"KSMETHOD_TYPE_SEND","features":[434]},{"name":"KSMETHOD_TYPE_SETSUPPORT","features":[434]},{"name":"KSMETHOD_TYPE_SOURCE","features":[434]},{"name":"KSMETHOD_TYPE_TOPOLOGY","features":[434]},{"name":"KSMETHOD_TYPE_WRITE","features":[434]},{"name":"KSMETHOD_WAVETABLE","features":[434]},{"name":"KSMETHOD_WAVETABLE_WAVE_ALLOC","features":[434]},{"name":"KSMETHOD_WAVETABLE_WAVE_FIND","features":[434]},{"name":"KSMETHOD_WAVETABLE_WAVE_FREE","features":[434]},{"name":"KSMETHOD_WAVETABLE_WAVE_WRITE","features":[434]},{"name":"KSMETHOD_WAVE_QUEUED_BREAKLOOP","features":[434]},{"name":"KSMFT_CATEGORY_AUDIO_DECODER","features":[434]},{"name":"KSMFT_CATEGORY_AUDIO_EFFECT","features":[434]},{"name":"KSMFT_CATEGORY_AUDIO_ENCODER","features":[434]},{"name":"KSMFT_CATEGORY_DEMULTIPLEXER","features":[434]},{"name":"KSMFT_CATEGORY_MULTIPLEXER","features":[434]},{"name":"KSMFT_CATEGORY_OTHER","features":[434]},{"name":"KSMFT_CATEGORY_VIDEO_DECODER","features":[434]},{"name":"KSMFT_CATEGORY_VIDEO_EFFECT","features":[434]},{"name":"KSMFT_CATEGORY_VIDEO_ENCODER","features":[434]},{"name":"KSMFT_CATEGORY_VIDEO_PROCESSOR","features":[434]},{"name":"KSMICARRAY_MICARRAYTYPE","features":[434]},{"name":"KSMICARRAY_MICARRAYTYPE_3D","features":[434]},{"name":"KSMICARRAY_MICARRAYTYPE_LINEAR","features":[434]},{"name":"KSMICARRAY_MICARRAYTYPE_PLANAR","features":[434]},{"name":"KSMICARRAY_MICTYPE","features":[434]},{"name":"KSMICARRAY_MICTYPE_8SHAPED","features":[434]},{"name":"KSMICARRAY_MICTYPE_CARDIOID","features":[434]},{"name":"KSMICARRAY_MICTYPE_HYPERCARDIOID","features":[434]},{"name":"KSMICARRAY_MICTYPE_OMNIDIRECTIONAL","features":[434]},{"name":"KSMICARRAY_MICTYPE_SUBCARDIOID","features":[434]},{"name":"KSMICARRAY_MICTYPE_SUPERCARDIOID","features":[434]},{"name":"KSMICARRAY_MICTYPE_VENDORDEFINED","features":[434]},{"name":"KSMPEGVIDMODE_LTRBOX","features":[434]},{"name":"KSMPEGVIDMODE_PANSCAN","features":[434]},{"name":"KSMPEGVIDMODE_SCALE","features":[434]},{"name":"KSMPEGVID_RECT","features":[434]},{"name":"KSMULTIPLE_DATA_PROP","features":[434]},{"name":"KSMULTIPLE_ITEM","features":[434]},{"name":"KSMUSICFORMAT","features":[434]},{"name":"KSMUSIC_TECHNOLOGY_FMSYNTH","features":[434]},{"name":"KSMUSIC_TECHNOLOGY_PORT","features":[434]},{"name":"KSMUSIC_TECHNOLOGY_SQSYNTH","features":[434]},{"name":"KSMUSIC_TECHNOLOGY_SWSYNTH","features":[434]},{"name":"KSMUSIC_TECHNOLOGY_WAVETABLE","features":[434]},{"name":"KSM_NODE","features":[434]},{"name":"KSNAME_Allocator","features":[434]},{"name":"KSNAME_Clock","features":[434]},{"name":"KSNAME_Filter","features":[434]},{"name":"KSNAME_Pin","features":[434]},{"name":"KSNAME_TopologyNode","features":[434]},{"name":"KSNODEPIN_AEC_CAPTURE_IN","features":[434]},{"name":"KSNODEPIN_AEC_CAPTURE_OUT","features":[434]},{"name":"KSNODEPIN_AEC_RENDER_IN","features":[434]},{"name":"KSNODEPIN_AEC_RENDER_OUT","features":[434]},{"name":"KSNODEPIN_DEMUX_IN","features":[434]},{"name":"KSNODEPIN_DEMUX_OUT","features":[434]},{"name":"KSNODEPIN_STANDARD_IN","features":[434]},{"name":"KSNODEPIN_STANDARD_OUT","features":[434]},{"name":"KSNODEPIN_SUM_MUX_IN","features":[434]},{"name":"KSNODEPIN_SUM_MUX_OUT","features":[434]},{"name":"KSNODEPROPERTY","features":[434]},{"name":"KSNODEPROPERTY_AUDIO_3D_LISTENER","features":[434]},{"name":"KSNODEPROPERTY_AUDIO_3D_LISTENER","features":[434]},{"name":"KSNODEPROPERTY_AUDIO_CHANNEL","features":[434]},{"name":"KSNODEPROPERTY_AUDIO_DEV_SPECIFIC","features":[434]},{"name":"KSNODEPROPERTY_AUDIO_PROPERTY","features":[434]},{"name":"KSNODEPROPERTY_AUDIO_PROPERTY","features":[434]},{"name":"KSNODETYPE_1394_DA_STREAM","features":[434]},{"name":"KSNODETYPE_1394_DV_STREAM_SOUNDTRACK","features":[434]},{"name":"KSNODETYPE_3D_EFFECTS","features":[434]},{"name":"KSNODETYPE_ADC","features":[434]},{"name":"KSNODETYPE_AGC","features":[434]},{"name":"KSNODETYPE_ANALOG_CONNECTOR","features":[434]},{"name":"KSNODETYPE_ANALOG_TAPE","features":[434]},{"name":"KSNODETYPE_AUDIO_ENGINE","features":[434]},{"name":"KSNODETYPE_AUDIO_KEYWORDDETECTOR","features":[434]},{"name":"KSNODETYPE_AUDIO_LOOPBACK","features":[434]},{"name":"KSNODETYPE_AUDIO_MODULE","features":[434]},{"name":"KSNODETYPE_BIDIRECTIONAL_UNDEFINED","features":[434]},{"name":"KSNODETYPE_CABLE_TUNER_AUDIO","features":[434]},{"name":"KSNODETYPE_CD_PLAYER","features":[434]},{"name":"KSNODETYPE_CHORUS","features":[434]},{"name":"KSNODETYPE_COMMUNICATION_SPEAKER","features":[434]},{"name":"KSNODETYPE_DAC","features":[434]},{"name":"KSNODETYPE_DAT_IO_DIGITAL_AUDIO_TAPE","features":[434]},{"name":"KSNODETYPE_DCC_IO_DIGITAL_COMPACT_CASSETTE","features":[434]},{"name":"KSNODETYPE_DELAY","features":[434]},{"name":"KSNODETYPE_DEMUX","features":[434]},{"name":"KSNODETYPE_DESKTOP_MICROPHONE","features":[434]},{"name":"KSNODETYPE_DESKTOP_SPEAKER","features":[434]},{"name":"KSNODETYPE_DEV_SPECIFIC","features":[434]},{"name":"KSNODETYPE_DIGITAL_AUDIO_INTERFACE","features":[434]},{"name":"KSNODETYPE_DISPLAYPORT_INTERFACE","features":[434]},{"name":"KSNODETYPE_DOWN_LINE_PHONE","features":[434]},{"name":"KSNODETYPE_DRM_DESCRAMBLE","features":[434]},{"name":"KSNODETYPE_DSS_AUDIO","features":[434]},{"name":"KSNODETYPE_DVD_AUDIO","features":[434]},{"name":"KSNODETYPE_DYN_RANGE_COMPRESSOR","features":[434]},{"name":"KSNODETYPE_ECHO_CANCELING_SPEAKERPHONE","features":[434]},{"name":"KSNODETYPE_ECHO_SUPPRESSING_SPEAKERPHONE","features":[434]},{"name":"KSNODETYPE_EMBEDDED_UNDEFINED","features":[434]},{"name":"KSNODETYPE_EQUALIZATION_NOISE","features":[434]},{"name":"KSNODETYPE_EQUALIZER","features":[434]},{"name":"KSNODETYPE_EXTERNAL_UNDEFINED","features":[434]},{"name":"KSNODETYPE_FM_RX","features":[434]},{"name":"KSNODETYPE_HANDSET","features":[434]},{"name":"KSNODETYPE_HDMI_INTERFACE","features":[434]},{"name":"KSNODETYPE_HEADPHONES","features":[434]},{"name":"KSNODETYPE_HEADSET","features":[434]},{"name":"KSNODETYPE_HEAD_MOUNTED_DISPLAY_AUDIO","features":[434]},{"name":"KSNODETYPE_INPUT_UNDEFINED","features":[434]},{"name":"KSNODETYPE_LEGACY_AUDIO_CONNECTOR","features":[434]},{"name":"KSNODETYPE_LEVEL_CALIBRATION_NOISE_SOURCE","features":[434]},{"name":"KSNODETYPE_LINE_CONNECTOR","features":[434]},{"name":"KSNODETYPE_LOUDNESS","features":[434]},{"name":"KSNODETYPE_LOW_FREQUENCY_EFFECTS_SPEAKER","features":[434]},{"name":"KSNODETYPE_MICROPHONE","features":[434]},{"name":"KSNODETYPE_MICROPHONE_ARRAY","features":[434]},{"name":"KSNODETYPE_MIDI_ELEMENT","features":[434]},{"name":"KSNODETYPE_MIDI_JACK","features":[434]},{"name":"KSNODETYPE_MINIDISK","features":[434]},{"name":"KSNODETYPE_MULTITRACK_RECORDER","features":[434]},{"name":"KSNODETYPE_MUTE","features":[434]},{"name":"KSNODETYPE_MUX","features":[434]},{"name":"KSNODETYPE_NOISE_SUPPRESS","features":[434]},{"name":"KSNODETYPE_OMNI_DIRECTIONAL_MICROPHONE","features":[434]},{"name":"KSNODETYPE_OUTPUT_UNDEFINED","features":[434]},{"name":"KSNODETYPE_PARAMETRIC_EQUALIZER","features":[434]},{"name":"KSNODETYPE_PEAKMETER","features":[434]},{"name":"KSNODETYPE_PERSONAL_MICROPHONE","features":[434]},{"name":"KSNODETYPE_PHONE_LINE","features":[434]},{"name":"KSNODETYPE_PHONOGRAPH","features":[434]},{"name":"KSNODETYPE_PROCESSING_MICROPHONE_ARRAY","features":[434]},{"name":"KSNODETYPE_PROLOGIC_DECODER","features":[434]},{"name":"KSNODETYPE_PROLOGIC_ENCODER","features":[434]},{"name":"KSNODETYPE_RADIO_RECEIVER","features":[434]},{"name":"KSNODETYPE_RADIO_TRANSMITTER","features":[434]},{"name":"KSNODETYPE_REVERB","features":[434]},{"name":"KSNODETYPE_ROOM_SPEAKER","features":[434]},{"name":"KSNODETYPE_SATELLITE_RECEIVER_AUDIO","features":[434]},{"name":"KSNODETYPE_SPDIF_INTERFACE","features":[434]},{"name":"KSNODETYPE_SPEAKER","features":[434]},{"name":"KSNODETYPE_SPEAKERPHONE_NO_ECHO_REDUCTION","features":[434]},{"name":"KSNODETYPE_SPEAKERS_STATIC_JACK","features":[434]},{"name":"KSNODETYPE_SRC","features":[434]},{"name":"KSNODETYPE_STEREO_WIDE","features":[434]},{"name":"KSNODETYPE_SUM","features":[434]},{"name":"KSNODETYPE_SUPERMIX","features":[434]},{"name":"KSNODETYPE_SYNTHESIZER","features":[434]},{"name":"KSNODETYPE_TELEPHONE","features":[434]},{"name":"KSNODETYPE_TELEPHONY_BIDI","features":[434]},{"name":"KSNODETYPE_TELEPHONY_UNDEFINED","features":[434]},{"name":"KSNODETYPE_TONE","features":[434]},{"name":"KSNODETYPE_TV_TUNER_AUDIO","features":[434]},{"name":"KSNODETYPE_UPDOWN_MIX","features":[434]},{"name":"KSNODETYPE_VCR_AUDIO","features":[434]},{"name":"KSNODETYPE_VIDEO_CAMERA_TERMINAL","features":[434]},{"name":"KSNODETYPE_VIDEO_DISC_AUDIO","features":[434]},{"name":"KSNODETYPE_VIDEO_INPUT_MTT","features":[434]},{"name":"KSNODETYPE_VIDEO_INPUT_TERMINAL","features":[434]},{"name":"KSNODETYPE_VIDEO_OUTPUT_MTT","features":[434]},{"name":"KSNODETYPE_VIDEO_OUTPUT_TERMINAL","features":[434]},{"name":"KSNODETYPE_VIDEO_PROCESSING","features":[434]},{"name":"KSNODETYPE_VIDEO_SELECTOR","features":[434]},{"name":"KSNODETYPE_VIDEO_STREAMING","features":[434]},{"name":"KSNODETYPE_VOLUME","features":[434]},{"name":"KSNODE_CREATE","features":[434]},{"name":"KSNOTIFICATIONID_AudioModule","features":[434]},{"name":"KSNOTIFICATIONID_SoundDetector","features":[434]},{"name":"KSPEEKOPERATION","features":[434]},{"name":"KSPIN_CINSTANCES","features":[434]},{"name":"KSPIN_COMMUNICATION","features":[434]},{"name":"KSPIN_COMMUNICATION_BOTH","features":[434]},{"name":"KSPIN_COMMUNICATION_BRIDGE","features":[434]},{"name":"KSPIN_COMMUNICATION_NONE","features":[434]},{"name":"KSPIN_COMMUNICATION_SINK","features":[434]},{"name":"KSPIN_COMMUNICATION_SOURCE","features":[434]},{"name":"KSPIN_CONNECT","features":[308,434]},{"name":"KSPIN_DATAFLOW","features":[434]},{"name":"KSPIN_DATAFLOW_IN","features":[434]},{"name":"KSPIN_DATAFLOW_OUT","features":[434]},{"name":"KSPIN_FLAG_ASYNCHRONOUS_PROCESSING","features":[434]},{"name":"KSPIN_FLAG_CRITICAL_PROCESSING","features":[434]},{"name":"KSPIN_FLAG_DENY_USERMODE_ACCESS","features":[434]},{"name":"KSPIN_FLAG_DISPATCH_LEVEL_PROCESSING","features":[434]},{"name":"KSPIN_FLAG_DISTINCT_TRAILING_EDGE","features":[434]},{"name":"KSPIN_FLAG_DO_NOT_INITIATE_PROCESSING","features":[434]},{"name":"KSPIN_FLAG_DO_NOT_USE_STANDARD_TRANSPORT","features":[434]},{"name":"KSPIN_FLAG_ENFORCE_FIFO","features":[434]},{"name":"KSPIN_FLAG_FIXED_FORMAT","features":[434]},{"name":"KSPIN_FLAG_FRAMES_NOT_REQUIRED_FOR_PROCESSING","features":[434]},{"name":"KSPIN_FLAG_GENERATE_EOS_EVENTS","features":[434]},{"name":"KSPIN_FLAG_GENERATE_MAPPINGS","features":[434]},{"name":"KSPIN_FLAG_HYPERCRITICAL_PROCESSING","features":[434]},{"name":"KSPIN_FLAG_IMPLEMENT_CLOCK","features":[434]},{"name":"KSPIN_FLAG_INITIATE_PROCESSING_ON_EVERY_ARRIVAL","features":[434]},{"name":"KSPIN_FLAG_PROCESS_IF_ANY_IN_RUN_STATE","features":[434]},{"name":"KSPIN_FLAG_PROCESS_IN_RUN_STATE_ONLY","features":[434]},{"name":"KSPIN_FLAG_SOME_FRAMES_REQUIRED_FOR_PROCESSING","features":[434]},{"name":"KSPIN_FLAG_SPLITTER","features":[434]},{"name":"KSPIN_FLAG_USE_STANDARD_TRANSPORT","features":[434]},{"name":"KSPIN_MDL_CACHING_EVENT","features":[434]},{"name":"KSPIN_MDL_CACHING_NOTIFICATION","features":[434]},{"name":"KSPIN_MDL_CACHING_NOTIFICATION32","features":[434]},{"name":"KSPIN_MDL_CACHING_NOTIFY_ADDSAMPLE","features":[434]},{"name":"KSPIN_MDL_CACHING_NOTIFY_CLEANALL_NOWAIT","features":[434]},{"name":"KSPIN_MDL_CACHING_NOTIFY_CLEANALL_WAIT","features":[434]},{"name":"KSPIN_MDL_CACHING_NOTIFY_CLEANUP","features":[434]},{"name":"KSPIN_PHYSICALCONNECTION","features":[434]},{"name":"KSPPROPERTY_ALLOCATOR_MDLCACHING","features":[434]},{"name":"KSPRIORITY","features":[434]},{"name":"KSPRIORITY_EXCLUSIVE","features":[434]},{"name":"KSPRIORITY_HIGH","features":[434]},{"name":"KSPRIORITY_LOW","features":[434]},{"name":"KSPRIORITY_NORMAL","features":[434]},{"name":"KSPROBE_ALLOCATEMDL","features":[434]},{"name":"KSPROBE_ALLOWFORMATCHANGE","features":[434]},{"name":"KSPROBE_MODIFY","features":[434]},{"name":"KSPROBE_PROBEANDLOCK","features":[434]},{"name":"KSPROBE_STREAMREAD","features":[434]},{"name":"KSPROBE_STREAMWRITE","features":[434]},{"name":"KSPROBE_SYSTEMADDRESS","features":[434]},{"name":"KSPROPERTYSETID_ExtendedCameraControl","features":[434]},{"name":"KSPROPERTYSETID_NetworkCameraControl","features":[434]},{"name":"KSPROPERTYSETID_PerFrameSettingControl","features":[434]},{"name":"KSPROPERTY_AC3","features":[434]},{"name":"KSPROPERTY_AC3_ALTERNATE_AUDIO","features":[434]},{"name":"KSPROPERTY_AC3_BIT_STREAM_MODE","features":[434]},{"name":"KSPROPERTY_AC3_DIALOGUE_LEVEL","features":[434]},{"name":"KSPROPERTY_AC3_DOWNMIX","features":[434]},{"name":"KSPROPERTY_AC3_ERROR_CONCEALMENT","features":[434]},{"name":"KSPROPERTY_AC3_LANGUAGE_CODE","features":[434]},{"name":"KSPROPERTY_AC3_ROOM_TYPE","features":[434]},{"name":"KSPROPERTY_ALLOCATOR_CLEANUP_CACHEDMDLPAGES","features":[434]},{"name":"KSPROPERTY_ALLOCATOR_CONTROL","features":[434]},{"name":"KSPROPERTY_ALLOCATOR_CONTROL_CAPTURE_CAPS","features":[434]},{"name":"KSPROPERTY_ALLOCATOR_CONTROL_CAPTURE_CAPS_S","features":[434]},{"name":"KSPROPERTY_ALLOCATOR_CONTROL_CAPTURE_INTERLEAVE","features":[434]},{"name":"KSPROPERTY_ALLOCATOR_CONTROL_CAPTURE_INTERLEAVE_S","features":[434]},{"name":"KSPROPERTY_ALLOCATOR_CONTROL_HONOR_COUNT","features":[434]},{"name":"KSPROPERTY_ALLOCATOR_CONTROL_SURFACE_SIZE","features":[434]},{"name":"KSPROPERTY_ALLOCATOR_CONTROL_SURFACE_SIZE_S","features":[434]},{"name":"KSPROPERTY_ATN_READER","features":[434]},{"name":"KSPROPERTY_AUDDECOUT","features":[434]},{"name":"KSPROPERTY_AUDDECOUT_CUR_MODE","features":[434]},{"name":"KSPROPERTY_AUDDECOUT_MODES","features":[434]},{"name":"KSPROPERTY_AUDIO","features":[434]},{"name":"KSPROPERTY_AUDIOENGINE","features":[434]},{"name":"KSPROPERTY_AUDIOENGINE_BUFFER_SIZE_RANGE","features":[434]},{"name":"KSPROPERTY_AUDIOENGINE_DESCRIPTOR","features":[434]},{"name":"KSPROPERTY_AUDIOENGINE_DEVICECONTROLS","features":[434]},{"name":"KSPROPERTY_AUDIOENGINE_DEVICEFORMAT","features":[434]},{"name":"KSPROPERTY_AUDIOENGINE_GFXENABLE","features":[434]},{"name":"KSPROPERTY_AUDIOENGINE_LFXENABLE","features":[434]},{"name":"KSPROPERTY_AUDIOENGINE_LOOPBACK_PROTECTION","features":[434]},{"name":"KSPROPERTY_AUDIOENGINE_MIXFORMAT","features":[434]},{"name":"KSPROPERTY_AUDIOENGINE_SUPPORTEDDEVICEFORMATS","features":[434]},{"name":"KSPROPERTY_AUDIOENGINE_VOLUMELEVEL","features":[434]},{"name":"KSPROPERTY_AUDIOMODULE","features":[434]},{"name":"KSPROPERTY_AUDIOMODULE_COMMAND","features":[434]},{"name":"KSPROPERTY_AUDIOMODULE_DESCRIPTORS","features":[434]},{"name":"KSPROPERTY_AUDIOMODULE_NOTIFICATION_DEVICE_ID","features":[434]},{"name":"KSPROPERTY_AUDIOPOSTURE","features":[434]},{"name":"KSPROPERTY_AUDIOPOSTURE_ORIENTATION","features":[434]},{"name":"KSPROPERTY_AUDIORESOURCEMANAGEMENT","features":[434]},{"name":"KSPROPERTY_AUDIORESOURCEMANAGEMENT_RESOURCEGROUP","features":[434]},{"name":"KSPROPERTY_AUDIOSIGNALPROCESSING","features":[434]},{"name":"KSPROPERTY_AUDIOSIGNALPROCESSING_MODES","features":[434]},{"name":"KSPROPERTY_AUDIO_3D_INTERFACE","features":[434]},{"name":"KSPROPERTY_AUDIO_AGC","features":[434]},{"name":"KSPROPERTY_AUDIO_ALGORITHM_INSTANCE","features":[434]},{"name":"KSPROPERTY_AUDIO_BASS","features":[434]},{"name":"KSPROPERTY_AUDIO_BASS_BOOST","features":[434]},{"name":"KSPROPERTY_AUDIO_BUFFER_DURATION","features":[434]},{"name":"KSPROPERTY_AUDIO_CHANNEL_CONFIG","features":[434]},{"name":"KSPROPERTY_AUDIO_CHORUS_LEVEL","features":[434]},{"name":"KSPROPERTY_AUDIO_CHORUS_MODULATION_DEPTH","features":[434]},{"name":"KSPROPERTY_AUDIO_CHORUS_MODULATION_RATE","features":[434]},{"name":"KSPROPERTY_AUDIO_COPY_PROTECTION","features":[434]},{"name":"KSPROPERTY_AUDIO_CPU_RESOURCES","features":[434]},{"name":"KSPROPERTY_AUDIO_DELAY","features":[434]},{"name":"KSPROPERTY_AUDIO_DEMUX_DEST","features":[434]},{"name":"KSPROPERTY_AUDIO_DEV_SPECIFIC","features":[434]},{"name":"KSPROPERTY_AUDIO_DYNAMIC_RANGE","features":[434]},{"name":"KSPROPERTY_AUDIO_DYNAMIC_SAMPLING_RATE","features":[434]},{"name":"KSPROPERTY_AUDIO_EQ_BANDS","features":[434]},{"name":"KSPROPERTY_AUDIO_EQ_LEVEL","features":[434]},{"name":"KSPROPERTY_AUDIO_FILTER_STATE","features":[434]},{"name":"KSPROPERTY_AUDIO_LATENCY","features":[434]},{"name":"KSPROPERTY_AUDIO_LINEAR_BUFFER_POSITION","features":[434]},{"name":"KSPROPERTY_AUDIO_LOUDNESS","features":[434]},{"name":"KSPROPERTY_AUDIO_MANUFACTURE_GUID","features":[434]},{"name":"KSPROPERTY_AUDIO_MIC_ARRAY_GEOMETRY","features":[434]},{"name":"KSPROPERTY_AUDIO_MIC_SENSITIVITY","features":[434]},{"name":"KSPROPERTY_AUDIO_MIC_SENSITIVITY2","features":[434]},{"name":"KSPROPERTY_AUDIO_MIC_SNR","features":[434]},{"name":"KSPROPERTY_AUDIO_MID","features":[434]},{"name":"KSPROPERTY_AUDIO_MIX_LEVEL_CAPS","features":[434]},{"name":"KSPROPERTY_AUDIO_MIX_LEVEL_TABLE","features":[434]},{"name":"KSPROPERTY_AUDIO_MUTE","features":[434]},{"name":"KSPROPERTY_AUDIO_MUX_SOURCE","features":[434]},{"name":"KSPROPERTY_AUDIO_NUM_EQ_BANDS","features":[434]},{"name":"KSPROPERTY_AUDIO_PEAKMETER","features":[434]},{"name":"KSPROPERTY_AUDIO_PEAKMETER2","features":[434]},{"name":"KSPROPERTY_AUDIO_PEQ_BAND_CENTER_FREQ","features":[434]},{"name":"KSPROPERTY_AUDIO_PEQ_BAND_LEVEL","features":[434]},{"name":"KSPROPERTY_AUDIO_PEQ_BAND_Q_FACTOR","features":[434]},{"name":"KSPROPERTY_AUDIO_PEQ_MAX_BANDS","features":[434]},{"name":"KSPROPERTY_AUDIO_PEQ_NUM_BANDS","features":[434]},{"name":"KSPROPERTY_AUDIO_POSITION","features":[434]},{"name":"KSPROPERTY_AUDIO_POSITIONEX","features":[434]},{"name":"KSPROPERTY_AUDIO_PREFERRED_STATUS","features":[434]},{"name":"KSPROPERTY_AUDIO_PRESENTATION_POSITION","features":[434]},{"name":"KSPROPERTY_AUDIO_PRODUCT_GUID","features":[434]},{"name":"KSPROPERTY_AUDIO_QUALITY","features":[434]},{"name":"KSPROPERTY_AUDIO_REVERB_DELAY_FEEDBACK","features":[434]},{"name":"KSPROPERTY_AUDIO_REVERB_LEVEL","features":[434]},{"name":"KSPROPERTY_AUDIO_REVERB_TIME","features":[434]},{"name":"KSPROPERTY_AUDIO_SAMPLING_RATE","features":[434]},{"name":"KSPROPERTY_AUDIO_STEREO_ENHANCE","features":[434]},{"name":"KSPROPERTY_AUDIO_STEREO_SPEAKER_GEOMETRY","features":[434]},{"name":"KSPROPERTY_AUDIO_SURROUND_ENCODE","features":[434]},{"name":"KSPROPERTY_AUDIO_TREBLE","features":[434]},{"name":"KSPROPERTY_AUDIO_VOLUMELEVEL","features":[434]},{"name":"KSPROPERTY_AUDIO_VOLUMELIMIT_ENGAGED","features":[434]},{"name":"KSPROPERTY_AUDIO_WAVERT_CURRENT_WRITE_LASTBUFFER_POSITION","features":[434]},{"name":"KSPROPERTY_AUDIO_WAVERT_CURRENT_WRITE_POSITION","features":[434]},{"name":"KSPROPERTY_AUDIO_WIDENESS","features":[434]},{"name":"KSPROPERTY_AUDIO_WIDE_MODE","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_ADDEDENTRYGEOGRAPHIC","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_ADDEDENTRYPERSONALNAME","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_ADDEDENTRYRELATED","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_ADDEDENTRYTITLE","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_ADDEDENTRYTOPICALTERM","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_ADDEDENTRYUNIFORMTITLE","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_ADDEDFORMAVAILABLE","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_AWARDS","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_BIBLIOGRAPHYNOTE","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_CATALOGINGSOURCE","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_CITATION","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_CONTENTSNOTE","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_CREATIONCREDIT","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_GENERALNOTE","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_INDEXTERMCURRICULUM","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_INDEXTERMGENRE","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_ISBN","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_ISSN","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_LCCN","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_LEADER","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_MAINCORPORATEBODY","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_MAINMEETINGNAME","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_MAINPERSONALNAME","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_MAINUNIFORMTITLE","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_PARTICIPANT","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_PHYSICALDESCRIPTION","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_PUBLICATION","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_SERIESSTATEMENT","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_SERIESSTATEMENTPERSONALNAME","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_SERIESSTATEMENTUNIFORMTITLE","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_SUMMARY","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_SYSTEMDETAILS","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_TARGETAUDIENCE","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_TITLESTATEMENT","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_UNIFORMTITLE","features":[434]},{"name":"KSPROPERTY_BIBLIOGRAPHIC_VARYINGFORMTITLE","features":[434]},{"name":"KSPROPERTY_BOUNDS_LONG","features":[434]},{"name":"KSPROPERTY_BOUNDS_LONGLONG","features":[434]},{"name":"KSPROPERTY_BTAUDIO","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_AUTO_EXPOSURE_PRIORITY","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXPOSURE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXPOSURE_RELATIVE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_ADVANCEDPHOTO","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_BACKGROUNDSEGMENTATION","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_CAMERAANGLEOFFSET","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_DIGITALWINDOW","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_DIGITALWINDOW_CONFIGCAPS","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_END","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_END2","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_EVCOMPENSATION","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_EXPOSUREMODE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_EYEGAZECORRECTION","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_FACEAUTH_MODE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_FACEDETECTION","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_FIELDOFVIEW","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_FLASHMODE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_FOCUSMODE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_FOCUSPRIORITY","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_FOCUSSTATE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_HISTOGRAM","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_IRTORCHMODE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_ISO","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_ISO_ADVANCED","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_MAXVIDFPS_PHOTORES","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_MCC","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_METADATA","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_OIS","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_OPTIMIZATIONHINT","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_PHOTOCONFIRMATION","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_PHOTOFRAMERATE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_PHOTOMAXFRAMERATE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_PHOTOMODE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_PHOTOTHUMBNAIL","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_PHOTOTRIGGERTIME","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_PROFILE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_PROPERTY","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_RELATIVEPANELOPTIMIZATION","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_ROI_CONFIGCAPS","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_ROI_ISPCONTROL","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_SCENEMODE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_SECURE_MODE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_TORCHMODE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_VFR","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_VIDEOHDR","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_VIDEOSTABILIZATION","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_VIDEOTEMPORALDENOISING","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_WARMSTART","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_WHITEBALANCEMODE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_EXTENDED_ZOOM","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_FLAGS_ABSOLUTE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_FLAGS_ASYNCHRONOUS","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_FLAGS_AUTO","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_FLAGS_MANUAL","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_FLAGS_RELATIVE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_FLASH","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_FLASH_AUTO","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_FLASH_FLAGS_AUTO","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_FLASH_FLAGS_MANUAL","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_FLASH_OFF","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_FLASH_ON","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_FLASH_PROPERTY_ID","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_FLASH_S","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_FOCAL_LENGTH","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_FOCAL_LENGTH_S","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_FOCUS","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_FOCUS_RELATIVE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_IMAGE_PIN_CAPABILITY","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_IMAGE_PIN_CAPABILITY_EXCLUSIVE_WITH_RECORD","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_IMAGE_PIN_CAPABILITY_PROPERTY_ID","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_IMAGE_PIN_CAPABILITY_S","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_IMAGE_PIN_CAPABILITY_SEQUENCE_EXCLUSIVE_WITH_RECORD","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_IRIS","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_IRIS_RELATIVE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_NODE_FOCAL_LENGTH_S","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_NODE_S","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_NODE_S2","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_PAN","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_PANTILT","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_PANTILT_RELATIVE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_PAN_RELATIVE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_PERFRAMESETTING_CAPABILITY","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_PERFRAMESETTING_CLEAR","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_PERFRAMESETTING_PROPERTY","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_PERFRAMESETTING_SET","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_PRIVACY","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_REGION_OF_INTEREST","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_REGION_OF_INTEREST_CONFIG_EXPOSURE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_REGION_OF_INTEREST_CONFIG_FOCUS","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_REGION_OF_INTEREST_CONFIG_WB","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_REGION_OF_INTEREST_CONVERGEMODE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_REGION_OF_INTEREST_FLAGS_ASYNC","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_REGION_OF_INTEREST_FLAGS_AUTO","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_REGION_OF_INTEREST_FLAGS_MANUAL","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_REGION_OF_INTEREST_PROPERTY_ID","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_REGION_OF_INTEREST_S","features":[308,434]},{"name":"KSPROPERTY_CAMERACONTROL_ROLL","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_ROLL_RELATIVE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_S","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_S2","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_SCANMODE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_S_EX","features":[308,434]},{"name":"KSPROPERTY_CAMERACONTROL_TILT","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_TILT_RELATIVE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_VIDEOSTABILIZATION_MODE_AUTO","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_VIDEOSTABILIZATION_MODE_FLAGS_AUTO","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_VIDEOSTABILIZATION_MODE_FLAGS_MANUAL","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_VIDEOSTABILIZATION_MODE_HIGH","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_VIDEOSTABILIZATION_MODE_LOW","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_VIDEOSTABILIZATION_MODE_MEDIUM","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_VIDEOSTABILIZATION_MODE_OFF","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_VIDEOSTABILIZATION_MODE_S","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_VIDEO_STABILIZATION_MODE","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_VIDEO_STABILIZATION_MODE_PROPERTY_ID","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_ZOOM","features":[434]},{"name":"KSPROPERTY_CAMERACONTROL_ZOOM_RELATIVE","features":[434]},{"name":"KSPROPERTY_CAMERA_PHOTOTRIGGERTIME_CLEAR","features":[434]},{"name":"KSPROPERTY_CAMERA_PHOTOTRIGGERTIME_FLAGS","features":[434]},{"name":"KSPROPERTY_CAMERA_PHOTOTRIGGERTIME_SET","features":[434]},{"name":"KSPROPERTY_CLOCK","features":[434]},{"name":"KSPROPERTY_CLOCK_CORRELATEDPHYSICALTIME","features":[434]},{"name":"KSPROPERTY_CLOCK_CORRELATEDTIME","features":[434]},{"name":"KSPROPERTY_CLOCK_PHYSICALTIME","features":[434]},{"name":"KSPROPERTY_CLOCK_RESOLUTION","features":[434]},{"name":"KSPROPERTY_CLOCK_STATE","features":[434]},{"name":"KSPROPERTY_CLOCK_TIME","features":[434]},{"name":"KSPROPERTY_CONNECTION","features":[434]},{"name":"KSPROPERTY_CONNECTION_ACQUIREORDERING","features":[434]},{"name":"KSPROPERTY_CONNECTION_ALLOCATORFRAMING","features":[434]},{"name":"KSPROPERTY_CONNECTION_ALLOCATORFRAMING_EX","features":[434]},{"name":"KSPROPERTY_CONNECTION_DATAFORMAT","features":[434]},{"name":"KSPROPERTY_CONNECTION_PRIORITY","features":[434]},{"name":"KSPROPERTY_CONNECTION_PROPOSEDATAFORMAT","features":[434]},{"name":"KSPROPERTY_CONNECTION_STARTAT","features":[434]},{"name":"KSPROPERTY_CONNECTION_STATE","features":[434]},{"name":"KSPROPERTY_COPYPROT","features":[434]},{"name":"KSPROPERTY_COPY_MACROVISION","features":[434]},{"name":"KSPROPERTY_CROSSBAR_ACTIVE_S","features":[434]},{"name":"KSPROPERTY_CROSSBAR_CAN_ROUTE","features":[434]},{"name":"KSPROPERTY_CROSSBAR_CAPS","features":[434]},{"name":"KSPROPERTY_CROSSBAR_CAPS_S","features":[434]},{"name":"KSPROPERTY_CROSSBAR_INPUT_ACTIVE","features":[434]},{"name":"KSPROPERTY_CROSSBAR_PININFO","features":[434]},{"name":"KSPROPERTY_CROSSBAR_PININFO_S","features":[434]},{"name":"KSPROPERTY_CROSSBAR_ROUTE","features":[434]},{"name":"KSPROPERTY_CROSSBAR_ROUTE_S","features":[434]},{"name":"KSPROPERTY_CURRENT_CAPTURE_SURFACE","features":[434]},{"name":"KSPROPERTY_CYCLIC","features":[434]},{"name":"KSPROPERTY_CYCLIC_POSITION","features":[434]},{"name":"KSPROPERTY_DESCRIPTION","features":[434]},{"name":"KSPROPERTY_DIRECTSOUND3DBUFFER","features":[434]},{"name":"KSPROPERTY_DIRECTSOUND3DBUFFER_ALL","features":[434]},{"name":"KSPROPERTY_DIRECTSOUND3DBUFFER_CONEANGLES","features":[434]},{"name":"KSPROPERTY_DIRECTSOUND3DBUFFER_CONEORIENTATION","features":[434]},{"name":"KSPROPERTY_DIRECTSOUND3DBUFFER_CONEOUTSIDEVOLUME","features":[434]},{"name":"KSPROPERTY_DIRECTSOUND3DBUFFER_MAXDISTANCE","features":[434]},{"name":"KSPROPERTY_DIRECTSOUND3DBUFFER_MINDISTANCE","features":[434]},{"name":"KSPROPERTY_DIRECTSOUND3DBUFFER_MODE","features":[434]},{"name":"KSPROPERTY_DIRECTSOUND3DBUFFER_POSITION","features":[434]},{"name":"KSPROPERTY_DIRECTSOUND3DBUFFER_VELOCITY","features":[434]},{"name":"KSPROPERTY_DIRECTSOUND3DLISTENER","features":[434]},{"name":"KSPROPERTY_DIRECTSOUND3DLISTENER_ALL","features":[434]},{"name":"KSPROPERTY_DIRECTSOUND3DLISTENER_ALLOCATION","features":[434]},{"name":"KSPROPERTY_DIRECTSOUND3DLISTENER_BATCH","features":[434]},{"name":"KSPROPERTY_DIRECTSOUND3DLISTENER_DISTANCEFACTOR","features":[434]},{"name":"KSPROPERTY_DIRECTSOUND3DLISTENER_DOPPLERFACTOR","features":[434]},{"name":"KSPROPERTY_DIRECTSOUND3DLISTENER_ORIENTATION","features":[434]},{"name":"KSPROPERTY_DIRECTSOUND3DLISTENER_POSITION","features":[434]},{"name":"KSPROPERTY_DIRECTSOUND3DLISTENER_ROLLOFFFACTOR","features":[434]},{"name":"KSPROPERTY_DIRECTSOUND3DLISTENER_VELOCITY","features":[434]},{"name":"KSPROPERTY_DISPLAY_ADAPTER_GUID","features":[434]},{"name":"KSPROPERTY_DRMAUDIOSTREAM","features":[434]},{"name":"KSPROPERTY_DRMAUDIOSTREAM_CONTENTID","features":[434]},{"name":"KSPROPERTY_DROPPEDFRAMES_CURRENT","features":[434]},{"name":"KSPROPERTY_DROPPEDFRAMES_CURRENT_S","features":[434]},{"name":"KSPROPERTY_DVDCOPY_CHLG_KEY","features":[434]},{"name":"KSPROPERTY_DVDCOPY_DEC_KEY2","features":[434]},{"name":"KSPROPERTY_DVDCOPY_DISC_KEY","features":[434]},{"name":"KSPROPERTY_DVDCOPY_DVD_KEY1","features":[434]},{"name":"KSPROPERTY_DVDCOPY_REGION","features":[434]},{"name":"KSPROPERTY_DVDCOPY_SET_COPY_STATE","features":[434]},{"name":"KSPROPERTY_DVDCOPY_TITLE_KEY","features":[434]},{"name":"KSPROPERTY_DVDSUBPIC","features":[434]},{"name":"KSPROPERTY_DVDSUBPIC_COMPOSIT_ON","features":[434]},{"name":"KSPROPERTY_DVDSUBPIC_HLI","features":[434]},{"name":"KSPROPERTY_DVDSUBPIC_PALETTE","features":[434]},{"name":"KSPROPERTY_EXTDEVICE","features":[434]},{"name":"KSPROPERTY_EXTDEVICE_CAPABILITIES","features":[434]},{"name":"KSPROPERTY_EXTDEVICE_ID","features":[434]},{"name":"KSPROPERTY_EXTDEVICE_PORT","features":[434]},{"name":"KSPROPERTY_EXTDEVICE_POWER_STATE","features":[434]},{"name":"KSPROPERTY_EXTDEVICE_S","features":[434]},{"name":"KSPROPERTY_EXTDEVICE_VERSION","features":[434]},{"name":"KSPROPERTY_EXTENSION_UNIT","features":[434]},{"name":"KSPROPERTY_EXTENSION_UNIT_CONTROL","features":[434]},{"name":"KSPROPERTY_EXTENSION_UNIT_INFO","features":[434]},{"name":"KSPROPERTY_EXTENSION_UNIT_PASS_THROUGH","features":[434]},{"name":"KSPROPERTY_EXTXPORT","features":[434]},{"name":"KSPROPERTY_EXTXPORT_ATN_SEARCH","features":[434]},{"name":"KSPROPERTY_EXTXPORT_CAPABILITIES","features":[434]},{"name":"KSPROPERTY_EXTXPORT_INPUT_SIGNAL_MODE","features":[434]},{"name":"KSPROPERTY_EXTXPORT_LOAD_MEDIUM","features":[434]},{"name":"KSPROPERTY_EXTXPORT_MEDIUM_INFO","features":[434]},{"name":"KSPROPERTY_EXTXPORT_NODE_S","features":[308,434]},{"name":"KSPROPERTY_EXTXPORT_OUTPUT_SIGNAL_MODE","features":[434]},{"name":"KSPROPERTY_EXTXPORT_RTC_SEARCH","features":[434]},{"name":"KSPROPERTY_EXTXPORT_S","features":[308,434]},{"name":"KSPROPERTY_EXTXPORT_STATE","features":[434]},{"name":"KSPROPERTY_EXTXPORT_STATE_NOTIFY","features":[434]},{"name":"KSPROPERTY_EXTXPORT_TIMECODE_SEARCH","features":[434]},{"name":"KSPROPERTY_FMRX_ANTENNAENDPOINTID","features":[434]},{"name":"KSPROPERTY_FMRX_CONTROL","features":[434]},{"name":"KSPROPERTY_FMRX_ENDPOINTID","features":[434]},{"name":"KSPROPERTY_FMRX_STATE","features":[434]},{"name":"KSPROPERTY_FMRX_TOPOLOGY","features":[434]},{"name":"KSPROPERTY_FMRX_VOLUME","features":[434]},{"name":"KSPROPERTY_GENERAL","features":[434]},{"name":"KSPROPERTY_GENERAL_COMPONENTID","features":[434]},{"name":"KSPROPERTY_HRTF3D","features":[434]},{"name":"KSPROPERTY_HRTF3D_FILTER_FORMAT","features":[434]},{"name":"KSPROPERTY_HRTF3D_INITIALIZE","features":[434]},{"name":"KSPROPERTY_HRTF3D_PARAMS","features":[434]},{"name":"KSPROPERTY_INTERLEAVEDAUDIO","features":[434]},{"name":"KSPROPERTY_INTERLEAVEDAUDIO_FORMATINFORMATION","features":[434]},{"name":"KSPROPERTY_ITD3D","features":[434]},{"name":"KSPROPERTY_ITD3D_PARAMS","features":[434]},{"name":"KSPROPERTY_JACK","features":[434]},{"name":"KSPROPERTY_JACK_CONTAINERID","features":[434]},{"name":"KSPROPERTY_JACK_DESCRIPTION","features":[434]},{"name":"KSPROPERTY_JACK_DESCRIPTION2","features":[434]},{"name":"KSPROPERTY_JACK_DESCRIPTION3","features":[434]},{"name":"KSPROPERTY_JACK_SINK_INFO","features":[434]},{"name":"KSPROPERTY_MAP_CAPTURE_HANDLE_TO_VRAM_ADDRESS","features":[434]},{"name":"KSPROPERTY_MEDIAAVAILABLE","features":[434]},{"name":"KSPROPERTY_MEDIASEEKING","features":[434]},{"name":"KSPROPERTY_MEDIASEEKING_AVAILABLE","features":[434]},{"name":"KSPROPERTY_MEDIASEEKING_CAPABILITIES","features":[434]},{"name":"KSPROPERTY_MEDIASEEKING_CONVERTTIMEFORMAT","features":[434]},{"name":"KSPROPERTY_MEDIASEEKING_DURATION","features":[434]},{"name":"KSPROPERTY_MEDIASEEKING_FORMATS","features":[434]},{"name":"KSPROPERTY_MEDIASEEKING_POSITION","features":[434]},{"name":"KSPROPERTY_MEDIASEEKING_POSITIONS","features":[434]},{"name":"KSPROPERTY_MEDIASEEKING_PREROLL","features":[434]},{"name":"KSPROPERTY_MEDIASEEKING_STOPPOSITION","features":[434]},{"name":"KSPROPERTY_MEDIASEEKING_TIMEFORMAT","features":[434]},{"name":"KSPROPERTY_MEMBERSHEADER","features":[434]},{"name":"KSPROPERTY_MEMBER_FLAG_BASICSUPPORT_MULTICHANNEL","features":[434]},{"name":"KSPROPERTY_MEMBER_FLAG_BASICSUPPORT_UNIFORM","features":[434]},{"name":"KSPROPERTY_MEMBER_FLAG_DEFAULT","features":[434]},{"name":"KSPROPERTY_MEMBER_RANGES","features":[434]},{"name":"KSPROPERTY_MEMBER_STEPPEDRANGES","features":[434]},{"name":"KSPROPERTY_MEMBER_VALUES","features":[434]},{"name":"KSPROPERTY_MEMORY_TRANSPORT","features":[434]},{"name":"KSPROPERTY_MPEG2VID","features":[434]},{"name":"KSPROPERTY_MPEG2VID_16_9_PANSCAN","features":[434]},{"name":"KSPROPERTY_MPEG2VID_16_9_RECT","features":[434]},{"name":"KSPROPERTY_MPEG2VID_4_3_RECT","features":[434]},{"name":"KSPROPERTY_MPEG2VID_CUR_MODE","features":[434]},{"name":"KSPROPERTY_MPEG2VID_MODES","features":[434]},{"name":"KSPROPERTY_MPEG4_MEDIATYPE_ATTRIBUTES","features":[434]},{"name":"KSPROPERTY_MPEG4_MEDIATYPE_SD_BOX","features":[434]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_EVENTTOPICS_XML","features":[434]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_EVENT_INFO","features":[434]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_METADATA","features":[434]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_METADATA_INFO","features":[308,434]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_METADATA_TYPE","features":[434]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_METADATA_TYPE_EVENTSINFO","features":[434]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_NTP","features":[434]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_NTPINFO_HEADER","features":[434]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_NTPINFO_TYPE","features":[434]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_NTPINFO_TYPE_CUSTOM","features":[434]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_NTPINFO_TYPE_DISABLE","features":[434]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_NTPINFO_TYPE_HOSTNTP","features":[434]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_PROPERTY","features":[434]},{"name":"KSPROPERTY_NETWORKCAMERACONTROL_URI","features":[434]},{"name":"KSPROPERTY_ONESHOT_DISCONNECT","features":[434]},{"name":"KSPROPERTY_ONESHOT_RECONNECT","features":[434]},{"name":"KSPROPERTY_OVERLAYUPDATE","features":[434]},{"name":"KSPROPERTY_OVERLAYUPDATE_CLIPLIST","features":[434]},{"name":"KSPROPERTY_OVERLAYUPDATE_COLORKEY","features":[434]},{"name":"KSPROPERTY_OVERLAYUPDATE_COLORREF","features":[434]},{"name":"KSPROPERTY_OVERLAYUPDATE_DISPLAYCHANGE","features":[434]},{"name":"KSPROPERTY_OVERLAYUPDATE_INTERESTS","features":[434]},{"name":"KSPROPERTY_OVERLAYUPDATE_PALETTE","features":[434]},{"name":"KSPROPERTY_OVERLAYUPDATE_VIDEOPOSITION","features":[434]},{"name":"KSPROPERTY_PIN","features":[434]},{"name":"KSPROPERTY_PIN_CATEGORY","features":[434]},{"name":"KSPROPERTY_PIN_CINSTANCES","features":[434]},{"name":"KSPROPERTY_PIN_COMMUNICATION","features":[434]},{"name":"KSPROPERTY_PIN_CONSTRAINEDDATARANGES","features":[434]},{"name":"KSPROPERTY_PIN_CTYPES","features":[434]},{"name":"KSPROPERTY_PIN_DATAFLOW","features":[434]},{"name":"KSPROPERTY_PIN_DATAINTERSECTION","features":[434]},{"name":"KSPROPERTY_PIN_DATARANGES","features":[434]},{"name":"KSPROPERTY_PIN_FLAGS_ATTRIBUTE_RANGE_AWARE","features":[434]},{"name":"KSPROPERTY_PIN_FLAGS_MASK","features":[434]},{"name":"KSPROPERTY_PIN_GLOBALCINSTANCES","features":[434]},{"name":"KSPROPERTY_PIN_INTERFACES","features":[434]},{"name":"KSPROPERTY_PIN_MEDIUMS","features":[434]},{"name":"KSPROPERTY_PIN_MODEDATAFORMATS","features":[434]},{"name":"KSPROPERTY_PIN_NAME","features":[434]},{"name":"KSPROPERTY_PIN_NECESSARYINSTANCES","features":[434]},{"name":"KSPROPERTY_PIN_PHYSICALCONNECTION","features":[434]},{"name":"KSPROPERTY_PIN_PROPOSEDATAFORMAT","features":[434]},{"name":"KSPROPERTY_PIN_PROPOSEDATAFORMAT2","features":[434]},{"name":"KSPROPERTY_POSITIONS","features":[434]},{"name":"KSPROPERTY_PREFERRED_CAPTURE_SURFACE","features":[434]},{"name":"KSPROPERTY_QUALITY","features":[434]},{"name":"KSPROPERTY_QUALITY_ERROR","features":[434]},{"name":"KSPROPERTY_QUALITY_REPORT","features":[434]},{"name":"KSPROPERTY_RAW_AVC_CMD","features":[434]},{"name":"KSPROPERTY_RTAUDIO","features":[434]},{"name":"KSPROPERTY_RTAUDIO_BUFFER","features":[434]},{"name":"KSPROPERTY_RTAUDIO_BUFFER_WITH_NOTIFICATION","features":[434]},{"name":"KSPROPERTY_RTAUDIO_CLOCKREGISTER","features":[434]},{"name":"KSPROPERTY_RTAUDIO_GETPOSITIONFUNCTION","features":[434]},{"name":"KSPROPERTY_RTAUDIO_GETREADPACKET","features":[434]},{"name":"KSPROPERTY_RTAUDIO_HWLATENCY","features":[434]},{"name":"KSPROPERTY_RTAUDIO_PACKETCOUNT","features":[434]},{"name":"KSPROPERTY_RTAUDIO_PACKETVREGISTER","features":[434]},{"name":"KSPROPERTY_RTAUDIO_POSITIONREGISTER","features":[434]},{"name":"KSPROPERTY_RTAUDIO_PRESENTATION_POSITION","features":[434]},{"name":"KSPROPERTY_RTAUDIO_QUERY_NOTIFICATION_SUPPORT","features":[434]},{"name":"KSPROPERTY_RTAUDIO_REGISTER_NOTIFICATION_EVENT","features":[434]},{"name":"KSPROPERTY_RTAUDIO_SETWRITEPACKET","features":[434]},{"name":"KSPROPERTY_RTAUDIO_UNREGISTER_NOTIFICATION_EVENT","features":[434]},{"name":"KSPROPERTY_RTC_READER","features":[434]},{"name":"KSPROPERTY_SELECTOR_NODE_S","features":[434]},{"name":"KSPROPERTY_SELECTOR_NUM_SOURCES","features":[434]},{"name":"KSPROPERTY_SELECTOR_S","features":[434]},{"name":"KSPROPERTY_SELECTOR_SOURCE_NODE_ID","features":[434]},{"name":"KSPROPERTY_SERIAL","features":[434]},{"name":"KSPROPERTY_SERIALHDR","features":[434]},{"name":"KSPROPERTY_SOUNDDETECTOR","features":[434]},{"name":"KSPROPERTY_SOUNDDETECTOR_ARMED","features":[434]},{"name":"KSPROPERTY_SOUNDDETECTOR_MATCHRESULT","features":[434]},{"name":"KSPROPERTY_SOUNDDETECTOR_PATTERNS","features":[434]},{"name":"KSPROPERTY_SOUNDDETECTOR_RESET","features":[434]},{"name":"KSPROPERTY_SOUNDDETECTOR_STREAMINGSUPPORT","features":[434]},{"name":"KSPROPERTY_SOUNDDETECTOR_SUPPORTEDPATTERNS","features":[434]},{"name":"KSPROPERTY_SPHLI","features":[434]},{"name":"KSPROPERTY_SPPAL","features":[434]},{"name":"KSPROPERTY_STEPPING_LONG","features":[434]},{"name":"KSPROPERTY_STEPPING_LONGLONG","features":[434]},{"name":"KSPROPERTY_STREAM","features":[434]},{"name":"KSPROPERTY_STREAMINTERFACE","features":[434]},{"name":"KSPROPERTY_STREAMINTERFACE_HEADERSIZE","features":[434]},{"name":"KSPROPERTY_STREAM_ALLOCATOR","features":[434]},{"name":"KSPROPERTY_STREAM_DEGRADATION","features":[434]},{"name":"KSPROPERTY_STREAM_FRAMETIME","features":[434]},{"name":"KSPROPERTY_STREAM_MASTERCLOCK","features":[434]},{"name":"KSPROPERTY_STREAM_PIPE_ID","features":[434]},{"name":"KSPROPERTY_STREAM_PRESENTATIONEXTENT","features":[434]},{"name":"KSPROPERTY_STREAM_PRESENTATIONTIME","features":[434]},{"name":"KSPROPERTY_STREAM_QUALITY","features":[434]},{"name":"KSPROPERTY_STREAM_RATE","features":[434]},{"name":"KSPROPERTY_STREAM_RATECAPABILITY","features":[434]},{"name":"KSPROPERTY_STREAM_TIMEFORMAT","features":[434]},{"name":"KSPROPERTY_TELEPHONY_CALLCONTROL","features":[434]},{"name":"KSPROPERTY_TELEPHONY_CALLHOLD","features":[434]},{"name":"KSPROPERTY_TELEPHONY_CALLINFO","features":[434]},{"name":"KSPROPERTY_TELEPHONY_CONTROL","features":[434]},{"name":"KSPROPERTY_TELEPHONY_ENDPOINTIDPAIR","features":[434]},{"name":"KSPROPERTY_TELEPHONY_MUTE_TX","features":[434]},{"name":"KSPROPERTY_TELEPHONY_PROVIDERCHANGE","features":[434]},{"name":"KSPROPERTY_TELEPHONY_PROVIDERID","features":[434]},{"name":"KSPROPERTY_TELEPHONY_TOPOLOGY","features":[434]},{"name":"KSPROPERTY_TELEPHONY_VOLUME","features":[434]},{"name":"KSPROPERTY_TIMECODE","features":[434]},{"name":"KSPROPERTY_TIMECODE_NODE_S","features":[434]},{"name":"KSPROPERTY_TIMECODE_READER","features":[434]},{"name":"KSPROPERTY_TIMECODE_S","features":[434]},{"name":"KSPROPERTY_TOPOLOGY","features":[434]},{"name":"KSPROPERTY_TOPOLOGYNODE","features":[434]},{"name":"KSPROPERTY_TOPOLOGYNODE_ENABLE","features":[434]},{"name":"KSPROPERTY_TOPOLOGYNODE_RESET","features":[434]},{"name":"KSPROPERTY_TOPOLOGY_CATEGORIES","features":[434]},{"name":"KSPROPERTY_TOPOLOGY_CONNECTIONS","features":[434]},{"name":"KSPROPERTY_TOPOLOGY_NAME","features":[434]},{"name":"KSPROPERTY_TOPOLOGY_NODES","features":[434]},{"name":"KSPROPERTY_TUNER","features":[434]},{"name":"KSPROPERTY_TUNER_CAPS","features":[434]},{"name":"KSPROPERTY_TUNER_CAPS_S","features":[434]},{"name":"KSPROPERTY_TUNER_FREQUENCY","features":[434]},{"name":"KSPROPERTY_TUNER_FREQUENCY_S","features":[434]},{"name":"KSPROPERTY_TUNER_IF_MEDIUM","features":[434]},{"name":"KSPROPERTY_TUNER_IF_MEDIUM_S","features":[434]},{"name":"KSPROPERTY_TUNER_INPUT","features":[434]},{"name":"KSPROPERTY_TUNER_INPUT_S","features":[434]},{"name":"KSPROPERTY_TUNER_MODE","features":[434]},{"name":"KSPROPERTY_TUNER_MODES","features":[434]},{"name":"KSPROPERTY_TUNER_MODE_AM_RADIO","features":[434]},{"name":"KSPROPERTY_TUNER_MODE_ATSC","features":[434]},{"name":"KSPROPERTY_TUNER_MODE_CAPS","features":[434]},{"name":"KSPROPERTY_TUNER_MODE_CAPS_S","features":[434]},{"name":"KSPROPERTY_TUNER_MODE_DSS","features":[434]},{"name":"KSPROPERTY_TUNER_MODE_FM_RADIO","features":[434]},{"name":"KSPROPERTY_TUNER_MODE_S","features":[434]},{"name":"KSPROPERTY_TUNER_MODE_TV","features":[434]},{"name":"KSPROPERTY_TUNER_NETWORKTYPE_SCAN_CAPS","features":[434]},{"name":"KSPROPERTY_TUNER_NETWORKTYPE_SCAN_CAPS_S","features":[434]},{"name":"KSPROPERTY_TUNER_SCAN_CAPS","features":[434]},{"name":"KSPROPERTY_TUNER_SCAN_CAPS_S","features":[308,434]},{"name":"KSPROPERTY_TUNER_SCAN_STATUS","features":[434]},{"name":"KSPROPERTY_TUNER_SCAN_STATUS_S","features":[434]},{"name":"KSPROPERTY_TUNER_STANDARD","features":[434]},{"name":"KSPROPERTY_TUNER_STANDARD_MODE","features":[434]},{"name":"KSPROPERTY_TUNER_STANDARD_MODE_S","features":[308,434]},{"name":"KSPROPERTY_TUNER_STANDARD_S","features":[434]},{"name":"KSPROPERTY_TUNER_STATUS","features":[434]},{"name":"KSPROPERTY_TUNER_STATUS_S","features":[434]},{"name":"KSPROPERTY_TVAUDIO_CAPS","features":[434]},{"name":"KSPROPERTY_TVAUDIO_CAPS_S","features":[434]},{"name":"KSPROPERTY_TVAUDIO_CURRENTLY_AVAILABLE_MODES","features":[434]},{"name":"KSPROPERTY_TVAUDIO_MODE","features":[434]},{"name":"KSPROPERTY_TVAUDIO_S","features":[434]},{"name":"KSPROPERTY_TYPE_BASICSUPPORT","features":[434]},{"name":"KSPROPERTY_TYPE_COPYPAYLOAD","features":[434]},{"name":"KSPROPERTY_TYPE_DEFAULTVALUES","features":[434]},{"name":"KSPROPERTY_TYPE_FSFILTERSCOPE","features":[434]},{"name":"KSPROPERTY_TYPE_GET","features":[434]},{"name":"KSPROPERTY_TYPE_GETPAYLOADSIZE","features":[434]},{"name":"KSPROPERTY_TYPE_HIGHPRIORITY","features":[434]},{"name":"KSPROPERTY_TYPE_RELATIONS","features":[434]},{"name":"KSPROPERTY_TYPE_SERIALIZERAW","features":[434]},{"name":"KSPROPERTY_TYPE_SERIALIZESET","features":[434]},{"name":"KSPROPERTY_TYPE_SERIALIZESIZE","features":[434]},{"name":"KSPROPERTY_TYPE_SET","features":[434]},{"name":"KSPROPERTY_TYPE_SETSUPPORT","features":[434]},{"name":"KSPROPERTY_TYPE_TOPOLOGY","features":[434]},{"name":"KSPROPERTY_TYPE_UNSERIALIZERAW","features":[434]},{"name":"KSPROPERTY_TYPE_UNSERIALIZESET","features":[434]},{"name":"KSPROPERTY_VBICAP","features":[434]},{"name":"KSPROPERTY_VBICAP_PROPERTIES_PROTECTION","features":[434]},{"name":"KSPROPERTY_VBICODECFILTERING","features":[434]},{"name":"KSPROPERTY_VBICODECFILTERING_CC_SUBSTREAMS_S","features":[434]},{"name":"KSPROPERTY_VBICODECFILTERING_NABTS_SUBSTREAMS_S","features":[434]},{"name":"KSPROPERTY_VBICODECFILTERING_SCANLINES_DISCOVERED_BIT_ARRAY","features":[434]},{"name":"KSPROPERTY_VBICODECFILTERING_SCANLINES_REQUESTED_BIT_ARRAY","features":[434]},{"name":"KSPROPERTY_VBICODECFILTERING_SCANLINES_S","features":[434]},{"name":"KSPROPERTY_VBICODECFILTERING_STATISTICS","features":[434]},{"name":"KSPROPERTY_VBICODECFILTERING_STATISTICS_CC_PIN_S","features":[434]},{"name":"KSPROPERTY_VBICODECFILTERING_STATISTICS_CC_S","features":[434]},{"name":"KSPROPERTY_VBICODECFILTERING_STATISTICS_COMMON_PIN_S","features":[434]},{"name":"KSPROPERTY_VBICODECFILTERING_STATISTICS_COMMON_S","features":[434]},{"name":"KSPROPERTY_VBICODECFILTERING_STATISTICS_NABTS_PIN_S","features":[434]},{"name":"KSPROPERTY_VBICODECFILTERING_STATISTICS_NABTS_S","features":[434]},{"name":"KSPROPERTY_VBICODECFILTERING_SUBSTREAMS_DISCOVERED_BIT_ARRAY","features":[434]},{"name":"KSPROPERTY_VBICODECFILTERING_SUBSTREAMS_REQUESTED_BIT_ARRAY","features":[434]},{"name":"KSPROPERTY_VIDCAP_CAMERACONTROL","features":[434]},{"name":"KSPROPERTY_VIDCAP_CROSSBAR","features":[434]},{"name":"KSPROPERTY_VIDCAP_DROPPEDFRAMES","features":[434]},{"name":"KSPROPERTY_VIDCAP_SELECTOR","features":[434]},{"name":"KSPROPERTY_VIDCAP_TVAUDIO","features":[434]},{"name":"KSPROPERTY_VIDCAP_VIDEOCOMPRESSION","features":[434]},{"name":"KSPROPERTY_VIDCAP_VIDEOCONTROL","features":[434]},{"name":"KSPROPERTY_VIDCAP_VIDEODECODER","features":[434]},{"name":"KSPROPERTY_VIDCAP_VIDEOENCODER","features":[434]},{"name":"KSPROPERTY_VIDCAP_VIDEOPROCAMP","features":[434]},{"name":"KSPROPERTY_VIDEOCOMPRESSION_GETINFO","features":[434]},{"name":"KSPROPERTY_VIDEOCOMPRESSION_GETINFO_S","features":[434]},{"name":"KSPROPERTY_VIDEOCOMPRESSION_KEYFRAME_RATE","features":[434]},{"name":"KSPROPERTY_VIDEOCOMPRESSION_OVERRIDE_FRAME_SIZE","features":[434]},{"name":"KSPROPERTY_VIDEOCOMPRESSION_OVERRIDE_KEYFRAME","features":[434]},{"name":"KSPROPERTY_VIDEOCOMPRESSION_PFRAMES_PER_KEYFRAME","features":[434]},{"name":"KSPROPERTY_VIDEOCOMPRESSION_QUALITY","features":[434]},{"name":"KSPROPERTY_VIDEOCOMPRESSION_S","features":[434]},{"name":"KSPROPERTY_VIDEOCOMPRESSION_S1","features":[434]},{"name":"KSPROPERTY_VIDEOCOMPRESSION_WINDOWSIZE","features":[434]},{"name":"KSPROPERTY_VIDEOCONTROL_ACTUAL_FRAME_RATE","features":[434]},{"name":"KSPROPERTY_VIDEOCONTROL_ACTUAL_FRAME_RATE_S","features":[308,434]},{"name":"KSPROPERTY_VIDEOCONTROL_CAPS","features":[434]},{"name":"KSPROPERTY_VIDEOCONTROL_CAPS_S","features":[434]},{"name":"KSPROPERTY_VIDEOCONTROL_FRAME_RATES","features":[434]},{"name":"KSPROPERTY_VIDEOCONTROL_FRAME_RATES_S","features":[308,434]},{"name":"KSPROPERTY_VIDEOCONTROL_MODE","features":[434]},{"name":"KSPROPERTY_VIDEOCONTROL_MODE_S","features":[434]},{"name":"KSPROPERTY_VIDEODECODER_CAPS","features":[434]},{"name":"KSPROPERTY_VIDEODECODER_CAPS_S","features":[434]},{"name":"KSPROPERTY_VIDEODECODER_OUTPUT_ENABLE","features":[434]},{"name":"KSPROPERTY_VIDEODECODER_S","features":[434]},{"name":"KSPROPERTY_VIDEODECODER_STANDARD","features":[434]},{"name":"KSPROPERTY_VIDEODECODER_STATUS","features":[434]},{"name":"KSPROPERTY_VIDEODECODER_STATUS2","features":[434]},{"name":"KSPROPERTY_VIDEODECODER_STATUS2_S","features":[434]},{"name":"KSPROPERTY_VIDEODECODER_STATUS_S","features":[434]},{"name":"KSPROPERTY_VIDEODECODER_VCR_TIMING","features":[434]},{"name":"KSPROPERTY_VIDEOENCODER_CAPS","features":[434]},{"name":"KSPROPERTY_VIDEOENCODER_CC_ENABLE","features":[434]},{"name":"KSPROPERTY_VIDEOENCODER_COPYPROTECTION","features":[434]},{"name":"KSPROPERTY_VIDEOENCODER_S","features":[434]},{"name":"KSPROPERTY_VIDEOENCODER_STANDARD","features":[434]},{"name":"KSPROPERTY_VIDEOPROCAMP_BACKLIGHT_COMPENSATION","features":[434]},{"name":"KSPROPERTY_VIDEOPROCAMP_BRIGHTNESS","features":[434]},{"name":"KSPROPERTY_VIDEOPROCAMP_COLORENABLE","features":[434]},{"name":"KSPROPERTY_VIDEOPROCAMP_CONTRAST","features":[434]},{"name":"KSPROPERTY_VIDEOPROCAMP_DIGITAL_MULTIPLIER","features":[434]},{"name":"KSPROPERTY_VIDEOPROCAMP_DIGITAL_MULTIPLIER_LIMIT","features":[434]},{"name":"KSPROPERTY_VIDEOPROCAMP_FLAGS_AUTO","features":[434]},{"name":"KSPROPERTY_VIDEOPROCAMP_FLAGS_MANUAL","features":[434]},{"name":"KSPROPERTY_VIDEOPROCAMP_GAIN","features":[434]},{"name":"KSPROPERTY_VIDEOPROCAMP_GAMMA","features":[434]},{"name":"KSPROPERTY_VIDEOPROCAMP_HUE","features":[434]},{"name":"KSPROPERTY_VIDEOPROCAMP_NODE_S","features":[434]},{"name":"KSPROPERTY_VIDEOPROCAMP_NODE_S2","features":[434]},{"name":"KSPROPERTY_VIDEOPROCAMP_POWERLINE_FREQUENCY","features":[434]},{"name":"KSPROPERTY_VIDEOPROCAMP_S","features":[434]},{"name":"KSPROPERTY_VIDEOPROCAMP_S2","features":[434]},{"name":"KSPROPERTY_VIDEOPROCAMP_SATURATION","features":[434]},{"name":"KSPROPERTY_VIDEOPROCAMP_SHARPNESS","features":[434]},{"name":"KSPROPERTY_VIDEOPROCAMP_WHITEBALANCE","features":[434]},{"name":"KSPROPERTY_VIDEOPROCAMP_WHITEBALANCE_COMPONENT","features":[434]},{"name":"KSPROPERTY_VIDMEM_TRANSPORT","features":[434]},{"name":"KSPROPERTY_VPCONFIG","features":[434]},{"name":"KSPROPERTY_VPCONFIG_DDRAWHANDLE","features":[434]},{"name":"KSPROPERTY_VPCONFIG_DDRAWSURFACEHANDLE","features":[434]},{"name":"KSPROPERTY_VPCONFIG_DECIMATIONCAPABILITY","features":[434]},{"name":"KSPROPERTY_VPCONFIG_GETCONNECTINFO","features":[434]},{"name":"KSPROPERTY_VPCONFIG_GETVIDEOFORMAT","features":[434]},{"name":"KSPROPERTY_VPCONFIG_INFORMVPINPUT","features":[434]},{"name":"KSPROPERTY_VPCONFIG_INVERTPOLARITY","features":[434]},{"name":"KSPROPERTY_VPCONFIG_MAXPIXELRATE","features":[434]},{"name":"KSPROPERTY_VPCONFIG_NUMCONNECTINFO","features":[434]},{"name":"KSPROPERTY_VPCONFIG_NUMVIDEOFORMAT","features":[434]},{"name":"KSPROPERTY_VPCONFIG_SCALEFACTOR","features":[434]},{"name":"KSPROPERTY_VPCONFIG_SETCONNECTINFO","features":[434]},{"name":"KSPROPERTY_VPCONFIG_SETVIDEOFORMAT","features":[434]},{"name":"KSPROPERTY_VPCONFIG_SURFACEPARAMS","features":[434]},{"name":"KSPROPERTY_VPCONFIG_VIDEOPORTID","features":[434]},{"name":"KSPROPERTY_VPCONFIG_VPDATAINFO","features":[434]},{"name":"KSPROPERTY_WAVE","features":[434]},{"name":"KSPROPERTY_WAVE_BUFFER","features":[434]},{"name":"KSPROPERTY_WAVE_COMPATIBLE_CAPABILITIES","features":[434]},{"name":"KSPROPERTY_WAVE_FREQUENCY","features":[434]},{"name":"KSPROPERTY_WAVE_INPUT_CAPABILITIES","features":[434]},{"name":"KSPROPERTY_WAVE_OUTPUT_CAPABILITIES","features":[434]},{"name":"KSPROPERTY_WAVE_PAN","features":[434]},{"name":"KSPROPERTY_WAVE_QUEUED_POSITION","features":[434]},{"name":"KSPROPERTY_WAVE_VOLUME","features":[434]},{"name":"KSPROPSETID_AC3","features":[434]},{"name":"KSPROPSETID_Audio","features":[434]},{"name":"KSPROPSETID_AudioBufferDuration","features":[434]},{"name":"KSPROPSETID_AudioDecoderOut","features":[434]},{"name":"KSPROPSETID_AudioEngine","features":[434]},{"name":"KSPROPSETID_AudioModule","features":[434]},{"name":"KSPROPSETID_AudioPosture","features":[434]},{"name":"KSPROPSETID_AudioResourceManagement","features":[434]},{"name":"KSPROPSETID_AudioSignalProcessing","features":[434]},{"name":"KSPROPSETID_Bibliographic","features":[434]},{"name":"KSPROPSETID_BtAudio","features":[434]},{"name":"KSPROPSETID_Clock","features":[434]},{"name":"KSPROPSETID_Connection","features":[434]},{"name":"KSPROPSETID_CopyProt","features":[434]},{"name":"KSPROPSETID_Cyclic","features":[434]},{"name":"KSPROPSETID_DirectSound3DBuffer","features":[434]},{"name":"KSPROPSETID_DirectSound3DListener","features":[434]},{"name":"KSPROPSETID_DrmAudioStream","features":[434]},{"name":"KSPROPSETID_DvdSubPic","features":[434]},{"name":"KSPROPSETID_FMRXControl","features":[434]},{"name":"KSPROPSETID_FMRXTopology","features":[434]},{"name":"KSPROPSETID_General","features":[434]},{"name":"KSPROPSETID_Hrtf3d","features":[434]},{"name":"KSPROPSETID_InterleavedAudio","features":[434]},{"name":"KSPROPSETID_Itd3d","features":[434]},{"name":"KSPROPSETID_Jack","features":[434]},{"name":"KSPROPSETID_MPEG4_MediaType_Attributes","features":[434]},{"name":"KSPROPSETID_MediaSeeking","features":[434]},{"name":"KSPROPSETID_MemoryTransport","features":[434]},{"name":"KSPROPSETID_Mpeg2Vid","features":[434]},{"name":"KSPROPSETID_OverlayUpdate","features":[434]},{"name":"KSPROPSETID_Pin","features":[434]},{"name":"KSPROPSETID_PinMDLCacheClearProp","features":[434]},{"name":"KSPROPSETID_Quality","features":[434]},{"name":"KSPROPSETID_RtAudio","features":[434]},{"name":"KSPROPSETID_SoundDetector","features":[434]},{"name":"KSPROPSETID_SoundDetector2","features":[434]},{"name":"KSPROPSETID_Stream","features":[434]},{"name":"KSPROPSETID_StreamAllocator","features":[434]},{"name":"KSPROPSETID_StreamInterface","features":[434]},{"name":"KSPROPSETID_TSRateChange","features":[434]},{"name":"KSPROPSETID_TelephonyControl","features":[434]},{"name":"KSPROPSETID_TelephonyTopology","features":[434]},{"name":"KSPROPSETID_Topology","features":[434]},{"name":"KSPROPSETID_TopologyNode","features":[434]},{"name":"KSPROPSETID_VBICAP_PROPERTIES","features":[434]},{"name":"KSPROPSETID_VBICodecFiltering","features":[434]},{"name":"KSPROPSETID_VPConfig","features":[434]},{"name":"KSPROPSETID_VPVBIConfig","features":[434]},{"name":"KSPROPSETID_VramCapture","features":[434]},{"name":"KSPROPSETID_Wave","features":[434]},{"name":"KSPROPTYPESETID_General","features":[434]},{"name":"KSP_NODE","features":[434]},{"name":"KSP_PIN","features":[434]},{"name":"KSP_TIMEFORMAT","features":[434]},{"name":"KSQUALITY","features":[434]},{"name":"KSQUALITY_MANAGER","features":[308,434]},{"name":"KSQUERYBUFFER","features":[308,434]},{"name":"KSRATE","features":[434]},{"name":"KSRATE_CAPABILITY","features":[434]},{"name":"KSRATE_NOPRESENTATIONDURATION","features":[434]},{"name":"KSRATE_NOPRESENTATIONSTART","features":[434]},{"name":"KSRELATIVEEVENT","features":[308,434]},{"name":"KSRELATIVEEVENT_FLAG_HANDLE","features":[434]},{"name":"KSRELATIVEEVENT_FLAG_POINTER","features":[434]},{"name":"KSRESET","features":[434]},{"name":"KSRESET_BEGIN","features":[434]},{"name":"KSRESET_END","features":[434]},{"name":"KSRESOLUTION","features":[434]},{"name":"KSRTAUDIO_BUFFER","features":[308,434]},{"name":"KSRTAUDIO_BUFFER32","features":[308,434]},{"name":"KSRTAUDIO_BUFFER_PROPERTY","features":[434]},{"name":"KSRTAUDIO_BUFFER_PROPERTY32","features":[434]},{"name":"KSRTAUDIO_BUFFER_PROPERTY_WITH_NOTIFICATION","features":[434]},{"name":"KSRTAUDIO_BUFFER_PROPERTY_WITH_NOTIFICATION32","features":[434]},{"name":"KSRTAUDIO_GETREADPACKET_INFO","features":[308,434]},{"name":"KSRTAUDIO_HWLATENCY","features":[434]},{"name":"KSRTAUDIO_HWREGISTER","features":[434]},{"name":"KSRTAUDIO_HWREGISTER32","features":[434]},{"name":"KSRTAUDIO_HWREGISTER_PROPERTY","features":[434]},{"name":"KSRTAUDIO_HWREGISTER_PROPERTY32","features":[434]},{"name":"KSRTAUDIO_NOTIFICATION_EVENT_PROPERTY","features":[308,434]},{"name":"KSRTAUDIO_NOTIFICATION_EVENT_PROPERTY32","features":[434]},{"name":"KSRTAUDIO_PACKETVREGISTER","features":[434]},{"name":"KSRTAUDIO_PACKETVREGISTER_PROPERTY","features":[434]},{"name":"KSRTAUDIO_SETWRITEPACKET_INFO","features":[434]},{"name":"KSSOUNDDETECTORPROPERTY","features":[434]},{"name":"KSSTATE","features":[434]},{"name":"KSSTATE_ACQUIRE","features":[434]},{"name":"KSSTATE_PAUSE","features":[434]},{"name":"KSSTATE_RUN","features":[434]},{"name":"KSSTATE_STOP","features":[434]},{"name":"KSSTREAMALLOCATOR_STATUS","features":[434]},{"name":"KSSTREAMALLOCATOR_STATUS_EX","features":[434]},{"name":"KSSTREAM_FAILUREEXCEPTION","features":[434]},{"name":"KSSTREAM_HEADER","features":[434]},{"name":"KSSTREAM_HEADER","features":[434]},{"name":"KSSTREAM_HEADER_OPTIONSF_BUFFEREDTRANSFER","features":[434]},{"name":"KSSTREAM_HEADER_OPTIONSF_DATADISCONTINUITY","features":[434]},{"name":"KSSTREAM_HEADER_OPTIONSF_DURATIONVALID","features":[434]},{"name":"KSSTREAM_HEADER_OPTIONSF_ENDOFPHOTOSEQUENCE","features":[434]},{"name":"KSSTREAM_HEADER_OPTIONSF_ENDOFSTREAM","features":[434]},{"name":"KSSTREAM_HEADER_OPTIONSF_FLUSHONPAUSE","features":[434]},{"name":"KSSTREAM_HEADER_OPTIONSF_FRAMEINFO","features":[434]},{"name":"KSSTREAM_HEADER_OPTIONSF_LOOPEDDATA","features":[434]},{"name":"KSSTREAM_HEADER_OPTIONSF_METADATA","features":[434]},{"name":"KSSTREAM_HEADER_OPTIONSF_PERSIST_SAMPLE","features":[434]},{"name":"KSSTREAM_HEADER_OPTIONSF_PREROLL","features":[434]},{"name":"KSSTREAM_HEADER_OPTIONSF_SAMPLE_PERSISTED","features":[434]},{"name":"KSSTREAM_HEADER_OPTIONSF_SECUREBUFFERTRANSFER","features":[434]},{"name":"KSSTREAM_HEADER_OPTIONSF_SPLICEPOINT","features":[434]},{"name":"KSSTREAM_HEADER_OPTIONSF_TIMEDISCONTINUITY","features":[434]},{"name":"KSSTREAM_HEADER_OPTIONSF_TIMEVALID","features":[434]},{"name":"KSSTREAM_HEADER_OPTIONSF_TYPECHANGED","features":[434]},{"name":"KSSTREAM_HEADER_OPTIONSF_VRAM_DATA_TRANSFER","features":[434]},{"name":"KSSTREAM_HEADER_TRACK_COMPLETION_NUMBERS","features":[434]},{"name":"KSSTREAM_METADATA_INFO","features":[434]},{"name":"KSSTREAM_NONPAGED_DATA","features":[434]},{"name":"KSSTREAM_PAGED_DATA","features":[434]},{"name":"KSSTREAM_READ","features":[434]},{"name":"KSSTREAM_SEGMENT","features":[308,434]},{"name":"KSSTREAM_SYNCHRONOUS","features":[434]},{"name":"KSSTREAM_UVC_METADATA","features":[434]},{"name":"KSSTREAM_UVC_METADATATYPE_TIMESTAMP","features":[434]},{"name":"KSSTREAM_UVC_SECURE_ATTRIBUTE_SIZE","features":[434]},{"name":"KSSTREAM_WRITE","features":[434]},{"name":"KSSTRING_Allocator","features":[434]},{"name":"KSSTRING_AllocatorEx","features":[434]},{"name":"KSSTRING_Clock","features":[434]},{"name":"KSSTRING_Filter","features":[434]},{"name":"KSSTRING_Pin","features":[434]},{"name":"KSSTRING_TopologyNode","features":[434]},{"name":"KSTELEPHONY_CALLCONTROL","features":[434]},{"name":"KSTELEPHONY_CALLINFO","features":[434]},{"name":"KSTELEPHONY_PROVIDERCHANGE","features":[434]},{"name":"KSTIME","features":[434]},{"name":"KSTIME_FORMAT_BYTE","features":[434]},{"name":"KSTIME_FORMAT_FIELD","features":[434]},{"name":"KSTIME_FORMAT_FRAME","features":[434]},{"name":"KSTIME_FORMAT_MEDIA_TIME","features":[434]},{"name":"KSTIME_FORMAT_SAMPLE","features":[434]},{"name":"KSTOPOLOGY","features":[434]},{"name":"KSTOPOLOGY_CONNECTION","features":[434]},{"name":"KSTOPOLOGY_ENDPOINTID","features":[434]},{"name":"KSTOPOLOGY_ENDPOINTIDPAIR","features":[434]},{"name":"KSVPMAXPIXELRATE","features":[434]},{"name":"KSVPSIZE_PROP","features":[434]},{"name":"KSVPSURFACEPARAMS","features":[434]},{"name":"KSWAVETABLE_WAVE_DESC","features":[308,434]},{"name":"KSWAVE_BUFFER","features":[434]},{"name":"KSWAVE_BUFFER_ATTRIBUTEF_LOOPING","features":[434]},{"name":"KSWAVE_BUFFER_ATTRIBUTEF_STATIC","features":[434]},{"name":"KSWAVE_COMPATCAPS","features":[434]},{"name":"KSWAVE_COMPATCAPS_INPUT","features":[434]},{"name":"KSWAVE_COMPATCAPS_OUTPUT","features":[434]},{"name":"KSWAVE_INPUT_CAPABILITIES","features":[434]},{"name":"KSWAVE_OUTPUT_CAPABILITIES","features":[434]},{"name":"KSWAVE_VOLUME","features":[434]},{"name":"KS_AMCONTROL_COLORINFO_PRESENT","features":[434]},{"name":"KS_AMCONTROL_PAD_TO_16x9","features":[434]},{"name":"KS_AMCONTROL_PAD_TO_4x3","features":[434]},{"name":"KS_AMCONTROL_USED","features":[434]},{"name":"KS_AMPixAspectRatio","features":[434]},{"name":"KS_AMVPDATAINFO","features":[308,434]},{"name":"KS_AMVPDIMINFO","features":[308,434]},{"name":"KS_AMVPSIZE","features":[434]},{"name":"KS_AMVP_BEST_BANDWIDTH","features":[434]},{"name":"KS_AMVP_DO_NOT_CARE","features":[434]},{"name":"KS_AMVP_INPUT_SAME_AS_OUTPUT","features":[434]},{"name":"KS_AMVP_MODE","features":[434]},{"name":"KS_AMVP_MODE_BOBINTERLEAVED","features":[434]},{"name":"KS_AMVP_MODE_BOBNONINTERLEAVED","features":[434]},{"name":"KS_AMVP_MODE_SKIPEVEN","features":[434]},{"name":"KS_AMVP_MODE_SKIPODD","features":[434]},{"name":"KS_AMVP_MODE_WEAVE","features":[434]},{"name":"KS_AMVP_SELECTFORMATBY","features":[434]},{"name":"KS_AM_ExactRateChange","features":[434]},{"name":"KS_AM_PROPERTY_TS_RATE_CHANGE","features":[434]},{"name":"KS_AM_RATE_ExactRateChange","features":[434]},{"name":"KS_AM_RATE_MaxFullDataRate","features":[434]},{"name":"KS_AM_RATE_SimpleRateChange","features":[434]},{"name":"KS_AM_RATE_Step","features":[434]},{"name":"KS_AM_SimpleRateChange","features":[434]},{"name":"KS_AM_UseNewCSSKey","features":[434]},{"name":"KS_ANALOGVIDEOINFO","features":[308,434]},{"name":"KS_AnalogVideoStandard","features":[434]},{"name":"KS_AnalogVideo_NTSC_433","features":[434]},{"name":"KS_AnalogVideo_NTSC_M","features":[434]},{"name":"KS_AnalogVideo_NTSC_M_J","features":[434]},{"name":"KS_AnalogVideo_NTSC_Mask","features":[434]},{"name":"KS_AnalogVideo_None","features":[434]},{"name":"KS_AnalogVideo_PAL_60","features":[434]},{"name":"KS_AnalogVideo_PAL_B","features":[434]},{"name":"KS_AnalogVideo_PAL_D","features":[434]},{"name":"KS_AnalogVideo_PAL_G","features":[434]},{"name":"KS_AnalogVideo_PAL_H","features":[434]},{"name":"KS_AnalogVideo_PAL_I","features":[434]},{"name":"KS_AnalogVideo_PAL_M","features":[434]},{"name":"KS_AnalogVideo_PAL_Mask","features":[434]},{"name":"KS_AnalogVideo_PAL_N","features":[434]},{"name":"KS_AnalogVideo_PAL_N_COMBO","features":[434]},{"name":"KS_AnalogVideo_SECAM_B","features":[434]},{"name":"KS_AnalogVideo_SECAM_D","features":[434]},{"name":"KS_AnalogVideo_SECAM_G","features":[434]},{"name":"KS_AnalogVideo_SECAM_H","features":[434]},{"name":"KS_AnalogVideo_SECAM_K","features":[434]},{"name":"KS_AnalogVideo_SECAM_K1","features":[434]},{"name":"KS_AnalogVideo_SECAM_L","features":[434]},{"name":"KS_AnalogVideo_SECAM_L1","features":[434]},{"name":"KS_AnalogVideo_SECAM_Mask","features":[434]},{"name":"KS_BITMAPINFOHEADER","features":[434]},{"name":"KS_BI_BITFIELDS","features":[434]},{"name":"KS_BI_JPEG","features":[434]},{"name":"KS_BI_RGB","features":[434]},{"name":"KS_BI_RLE4","features":[434]},{"name":"KS_BI_RLE8","features":[434]},{"name":"KS_CAMERACONTROL_ASYNC_RESET","features":[434]},{"name":"KS_CAMERACONTROL_ASYNC_START","features":[434]},{"name":"KS_CAMERACONTROL_ASYNC_STOP","features":[434]},{"name":"KS_CAPTURE_ALLOC_INVALID","features":[434]},{"name":"KS_CAPTURE_ALLOC_SECURE_BUFFER","features":[434]},{"name":"KS_CAPTURE_ALLOC_SYSTEM","features":[434]},{"name":"KS_CAPTURE_ALLOC_SYSTEM_AGP","features":[434]},{"name":"KS_CAPTURE_ALLOC_VRAM","features":[434]},{"name":"KS_CAPTURE_ALLOC_VRAM_MAPPED","features":[434]},{"name":"KS_CC_SUBSTREAM_EVEN","features":[434]},{"name":"KS_CC_SUBSTREAM_FIELD1_MASK","features":[434]},{"name":"KS_CC_SUBSTREAM_FIELD2_MASK","features":[434]},{"name":"KS_CC_SUBSTREAM_ODD","features":[434]},{"name":"KS_CC_SUBSTREAM_SERVICE_CC1","features":[434]},{"name":"KS_CC_SUBSTREAM_SERVICE_CC2","features":[434]},{"name":"KS_CC_SUBSTREAM_SERVICE_CC3","features":[434]},{"name":"KS_CC_SUBSTREAM_SERVICE_CC4","features":[434]},{"name":"KS_CC_SUBSTREAM_SERVICE_T1","features":[434]},{"name":"KS_CC_SUBSTREAM_SERVICE_T2","features":[434]},{"name":"KS_CC_SUBSTREAM_SERVICE_T3","features":[434]},{"name":"KS_CC_SUBSTREAM_SERVICE_T4","features":[434]},{"name":"KS_CC_SUBSTREAM_SERVICE_XDS","features":[434]},{"name":"KS_COLCON","features":[434]},{"name":"KS_COMPRESSION","features":[434]},{"name":"KS_COPYPROTECT_RestrictDuplication","features":[434]},{"name":"KS_COPY_MACROVISION","features":[434]},{"name":"KS_COPY_MACROVISION_LEVEL","features":[434]},{"name":"KS_CameraControlAsyncOperation","features":[434]},{"name":"KS_CompressionCaps","features":[434]},{"name":"KS_CompressionCaps_CanBFrame","features":[434]},{"name":"KS_CompressionCaps_CanCrunch","features":[434]},{"name":"KS_CompressionCaps_CanKeyFrame","features":[434]},{"name":"KS_CompressionCaps_CanQuality","features":[434]},{"name":"KS_CompressionCaps_CanWindow","features":[434]},{"name":"KS_DATAFORMAT_H264VIDEOINFO","features":[434]},{"name":"KS_DATAFORMAT_IMAGEINFO","features":[434]},{"name":"KS_DATAFORMAT_MPEGVIDEOINFO2","features":[308,434]},{"name":"KS_DATAFORMAT_VBIINFOHEADER","features":[434]},{"name":"KS_DATAFORMAT_VIDEOINFOHEADER","features":[308,434]},{"name":"KS_DATAFORMAT_VIDEOINFOHEADER2","features":[308,434]},{"name":"KS_DATAFORMAT_VIDEOINFO_PALETTE","features":[308,434]},{"name":"KS_DATARANGE_ANALOGVIDEO","features":[308,434]},{"name":"KS_DATARANGE_H264_VIDEO","features":[308,434]},{"name":"KS_DATARANGE_IMAGE","features":[308,434]},{"name":"KS_DATARANGE_MPEG1_VIDEO","features":[308,434]},{"name":"KS_DATARANGE_MPEG2_VIDEO","features":[308,434]},{"name":"KS_DATARANGE_VIDEO","features":[308,434]},{"name":"KS_DATARANGE_VIDEO2","features":[308,434]},{"name":"KS_DATARANGE_VIDEO_PALETTE","features":[308,434]},{"name":"KS_DATARANGE_VIDEO_VBI","features":[308,434]},{"name":"KS_DVDCOPYSTATE","features":[434]},{"name":"KS_DVDCOPYSTATE_AUTHENTICATION_NOT_REQUIRED","features":[434]},{"name":"KS_DVDCOPYSTATE_AUTHENTICATION_REQUIRED","features":[434]},{"name":"KS_DVDCOPYSTATE_DONE","features":[434]},{"name":"KS_DVDCOPYSTATE_INITIALIZE","features":[434]},{"name":"KS_DVDCOPYSTATE_INITIALIZE_TITLE","features":[434]},{"name":"KS_DVDCOPY_BUSKEY","features":[434]},{"name":"KS_DVDCOPY_CHLGKEY","features":[434]},{"name":"KS_DVDCOPY_DISCKEY","features":[434]},{"name":"KS_DVDCOPY_REGION","features":[434]},{"name":"KS_DVDCOPY_SET_COPY_STATE","features":[434]},{"name":"KS_DVDCOPY_TITLEKEY","features":[434]},{"name":"KS_DVD_CGMS_COPY_ONCE","features":[434]},{"name":"KS_DVD_CGMS_COPY_PERMITTED","features":[434]},{"name":"KS_DVD_CGMS_COPY_PROTECT_MASK","features":[434]},{"name":"KS_DVD_CGMS_NO_COPY","features":[434]},{"name":"KS_DVD_CGMS_RESERVED_MASK","features":[434]},{"name":"KS_DVD_COPYRIGHTED","features":[434]},{"name":"KS_DVD_COPYRIGHT_MASK","features":[434]},{"name":"KS_DVD_NOT_COPYRIGHTED","features":[434]},{"name":"KS_DVD_SECTOR_NOT_PROTECTED","features":[434]},{"name":"KS_DVD_SECTOR_PROTECTED","features":[434]},{"name":"KS_DVD_SECTOR_PROTECT_MASK","features":[434]},{"name":"KS_DVD_YCrCb","features":[434]},{"name":"KS_DVD_YUV","features":[434]},{"name":"KS_FRAME_INFO","features":[308,434]},{"name":"KS_FRAMING_ITEM","features":[434]},{"name":"KS_FRAMING_RANGE","features":[434]},{"name":"KS_FRAMING_RANGE_WEIGHTED","features":[434]},{"name":"KS_H264VIDEOINFO","features":[434]},{"name":"KS_INTERLACE_1FieldPerSample","features":[434]},{"name":"KS_INTERLACE_DisplayModeBobOnly","features":[434]},{"name":"KS_INTERLACE_DisplayModeBobOrWeave","features":[434]},{"name":"KS_INTERLACE_DisplayModeMask","features":[434]},{"name":"KS_INTERLACE_DisplayModeWeaveOnly","features":[434]},{"name":"KS_INTERLACE_Field1First","features":[434]},{"name":"KS_INTERLACE_FieldPatBothIrregular","features":[434]},{"name":"KS_INTERLACE_FieldPatBothRegular","features":[434]},{"name":"KS_INTERLACE_FieldPatField1Only","features":[434]},{"name":"KS_INTERLACE_FieldPatField2Only","features":[434]},{"name":"KS_INTERLACE_FieldPatternMask","features":[434]},{"name":"KS_INTERLACE_IsInterlaced","features":[434]},{"name":"KS_INTERLACE_UNUSED","features":[434]},{"name":"KS_LogicalMemoryType","features":[434]},{"name":"KS_MACROVISION_DISABLED","features":[434]},{"name":"KS_MACROVISION_LEVEL1","features":[434]},{"name":"KS_MACROVISION_LEVEL2","features":[434]},{"name":"KS_MACROVISION_LEVEL3","features":[434]},{"name":"KS_MAX_SIZE_MPEG1_SEQUENCE_INFO","features":[434]},{"name":"KS_MPEG1VIDEOINFO","features":[308,434]},{"name":"KS_MPEG2Level","features":[434]},{"name":"KS_MPEG2Level_High","features":[434]},{"name":"KS_MPEG2Level_High1440","features":[434]},{"name":"KS_MPEG2Level_Low","features":[434]},{"name":"KS_MPEG2Level_Main","features":[434]},{"name":"KS_MPEG2Profile","features":[434]},{"name":"KS_MPEG2Profile_High","features":[434]},{"name":"KS_MPEG2Profile_Main","features":[434]},{"name":"KS_MPEG2Profile_SNRScalable","features":[434]},{"name":"KS_MPEG2Profile_Simple","features":[434]},{"name":"KS_MPEG2Profile_SpatiallyScalable","features":[434]},{"name":"KS_MPEG2_27MhzTimebase","features":[434]},{"name":"KS_MPEG2_DSS_UserData","features":[434]},{"name":"KS_MPEG2_DVB_UserData","features":[434]},{"name":"KS_MPEG2_DVDLine21Field1","features":[434]},{"name":"KS_MPEG2_DVDLine21Field2","features":[434]},{"name":"KS_MPEG2_DoPanScan","features":[434]},{"name":"KS_MPEG2_FilmCameraMode","features":[434]},{"name":"KS_MPEG2_LetterboxAnalogOut","features":[434]},{"name":"KS_MPEG2_SourceIsLetterboxed","features":[434]},{"name":"KS_MPEG2_WidescreenAnalogOut","features":[434]},{"name":"KS_MPEGAUDIOINFO","features":[434]},{"name":"KS_MPEGAUDIOINFO_27MhzTimebase","features":[434]},{"name":"KS_MPEGVIDEOINFO2","features":[308,434]},{"name":"KS_MemoryTypeAnyHost","features":[434]},{"name":"KS_MemoryTypeDeviceHostMapped","features":[434]},{"name":"KS_MemoryTypeDeviceSpecific","features":[434]},{"name":"KS_MemoryTypeDontCare","features":[434]},{"name":"KS_MemoryTypeKernelNonPaged","features":[434]},{"name":"KS_MemoryTypeKernelPaged","features":[434]},{"name":"KS_MemoryTypeUser","features":[434]},{"name":"KS_NABTS_GROUPID_LOCAL_CABLE_SYSTEM_ADVERTISER_BASE","features":[434]},{"name":"KS_NABTS_GROUPID_LOCAL_CABLE_SYSTEM_CONTENT_BASE","features":[434]},{"name":"KS_NABTS_GROUPID_MICROSOFT_RESERVED_TEST_DATA_BASE","features":[434]},{"name":"KS_NABTS_GROUPID_NETWORK_WIDE_ADVERTISER_BASE","features":[434]},{"name":"KS_NABTS_GROUPID_NETWORK_WIDE_CONTENT_BASE","features":[434]},{"name":"KS_NABTS_GROUPID_ORIGINAL_CONTENT_ADVERTISER_BASE","features":[434]},{"name":"KS_NABTS_GROUPID_ORIGINAL_CONTENT_BASE","features":[434]},{"name":"KS_NABTS_GROUPID_PRODUCTION_COMPANY_ADVERTISER_BASE","features":[434]},{"name":"KS_NABTS_GROUPID_PRODUCTION_COMPANY_CONTENT_BASE","features":[434]},{"name":"KS_NABTS_GROUPID_SYNDICATED_SHOW_ADVERTISER_BASE","features":[434]},{"name":"KS_NABTS_GROUPID_SYNDICATED_SHOW_CONTENT_BASE","features":[434]},{"name":"KS_NABTS_GROUPID_TELEVISION_STATION_ADVERTISER_BASE","features":[434]},{"name":"KS_NABTS_GROUPID_TELEVISION_STATION_CONTENT_BASE","features":[434]},{"name":"KS_Obsolete_VideoControlFlag_ExternalTriggerEnable","features":[434]},{"name":"KS_Obsolete_VideoControlFlag_Trigger","features":[434]},{"name":"KS_PhysConn_Audio_1394","features":[434]},{"name":"KS_PhysConn_Audio_AESDigital","features":[434]},{"name":"KS_PhysConn_Audio_AUX","features":[434]},{"name":"KS_PhysConn_Audio_AudioDecoder","features":[434]},{"name":"KS_PhysConn_Audio_Line","features":[434]},{"name":"KS_PhysConn_Audio_Mic","features":[434]},{"name":"KS_PhysConn_Audio_SCSI","features":[434]},{"name":"KS_PhysConn_Audio_SPDIFDigital","features":[434]},{"name":"KS_PhysConn_Audio_Tuner","features":[434]},{"name":"KS_PhysConn_Audio_USB","features":[434]},{"name":"KS_PhysConn_Video_1394","features":[434]},{"name":"KS_PhysConn_Video_AUX","features":[434]},{"name":"KS_PhysConn_Video_Composite","features":[434]},{"name":"KS_PhysConn_Video_ParallelDigital","features":[434]},{"name":"KS_PhysConn_Video_RGB","features":[434]},{"name":"KS_PhysConn_Video_SCART","features":[434]},{"name":"KS_PhysConn_Video_SCSI","features":[434]},{"name":"KS_PhysConn_Video_SVideo","features":[434]},{"name":"KS_PhysConn_Video_SerialDigital","features":[434]},{"name":"KS_PhysConn_Video_Tuner","features":[434]},{"name":"KS_PhysConn_Video_USB","features":[434]},{"name":"KS_PhysConn_Video_VideoDecoder","features":[434]},{"name":"KS_PhysConn_Video_VideoEncoder","features":[434]},{"name":"KS_PhysConn_Video_YRYBY","features":[434]},{"name":"KS_PhysicalConnectorType","features":[434]},{"name":"KS_PixAspectRatio_NTSC16x9","features":[434]},{"name":"KS_PixAspectRatio_NTSC4x3","features":[434]},{"name":"KS_PixAspectRatio_PAL16x9","features":[434]},{"name":"KS_PixAspectRatio_PAL4x3","features":[434]},{"name":"KS_RGBQUAD","features":[434]},{"name":"KS_SECURE_CAMERA_SCENARIO_ID","features":[434]},{"name":"KS_SEEKING_AbsolutePositioning","features":[434]},{"name":"KS_SEEKING_CAPABILITIES","features":[434]},{"name":"KS_SEEKING_CanGetCurrentPos","features":[434]},{"name":"KS_SEEKING_CanGetDuration","features":[434]},{"name":"KS_SEEKING_CanGetStopPos","features":[434]},{"name":"KS_SEEKING_CanPlayBackwards","features":[434]},{"name":"KS_SEEKING_CanSeekAbsolute","features":[434]},{"name":"KS_SEEKING_CanSeekBackwards","features":[434]},{"name":"KS_SEEKING_CanSeekForwards","features":[434]},{"name":"KS_SEEKING_FLAGS","features":[434]},{"name":"KS_SEEKING_IncrementalPositioning","features":[434]},{"name":"KS_SEEKING_NoPositioning","features":[434]},{"name":"KS_SEEKING_PositioningBitsMask","features":[434]},{"name":"KS_SEEKING_RelativePositioning","features":[434]},{"name":"KS_SEEKING_ReturnTime","features":[434]},{"name":"KS_SEEKING_SeekToKeyFrame","features":[434]},{"name":"KS_StreamingHint_CompQuality","features":[434]},{"name":"KS_StreamingHint_CompWindowSize","features":[434]},{"name":"KS_StreamingHint_FrameInterval","features":[434]},{"name":"KS_StreamingHint_KeyFrameRate","features":[434]},{"name":"KS_StreamingHint_PFrameRate","features":[434]},{"name":"KS_TRUECOLORINFO","features":[434]},{"name":"KS_TUNER_STRATEGY","features":[434]},{"name":"KS_TUNER_STRATEGY_DRIVER_TUNES","features":[434]},{"name":"KS_TUNER_STRATEGY_PLL","features":[434]},{"name":"KS_TUNER_STRATEGY_SIGNAL_STRENGTH","features":[434]},{"name":"KS_TUNER_TUNING_COARSE","features":[434]},{"name":"KS_TUNER_TUNING_EXACT","features":[434]},{"name":"KS_TUNER_TUNING_FINE","features":[434]},{"name":"KS_TUNER_TUNING_FLAGS","features":[434]},{"name":"KS_TVAUDIO_MODE_LANG_A","features":[434]},{"name":"KS_TVAUDIO_MODE_LANG_B","features":[434]},{"name":"KS_TVAUDIO_MODE_LANG_C","features":[434]},{"name":"KS_TVAUDIO_MODE_MONO","features":[434]},{"name":"KS_TVAUDIO_MODE_STEREO","features":[434]},{"name":"KS_TVAUDIO_PRESET_LANG_A","features":[434]},{"name":"KS_TVAUDIO_PRESET_LANG_B","features":[434]},{"name":"KS_TVAUDIO_PRESET_LANG_C","features":[434]},{"name":"KS_TVAUDIO_PRESET_STEREO","features":[434]},{"name":"KS_TVTUNER_CHANGE_BEGIN_TUNE","features":[434]},{"name":"KS_TVTUNER_CHANGE_END_TUNE","features":[434]},{"name":"KS_TVTUNER_CHANGE_INFO","features":[434]},{"name":"KS_VBICAP_PROTECTION_MV_DETECTED","features":[434]},{"name":"KS_VBICAP_PROTECTION_MV_HARDWARE","features":[434]},{"name":"KS_VBICAP_PROTECTION_MV_PRESENT","features":[434]},{"name":"KS_VBIDATARATE_CC","features":[434]},{"name":"KS_VBIDATARATE_NABTS","features":[434]},{"name":"KS_VBIINFOHEADER","features":[434]},{"name":"KS_VBI_FLAG_FIELD1","features":[434]},{"name":"KS_VBI_FLAG_FIELD2","features":[434]},{"name":"KS_VBI_FLAG_FRAME","features":[434]},{"name":"KS_VBI_FLAG_MV_DETECTED","features":[434]},{"name":"KS_VBI_FLAG_MV_HARDWARE","features":[434]},{"name":"KS_VBI_FLAG_MV_PRESENT","features":[434]},{"name":"KS_VBI_FLAG_TVTUNER_CHANGE","features":[434]},{"name":"KS_VBI_FLAG_VBIINFOHEADER_CHANGE","features":[434]},{"name":"KS_VBI_FRAME_INFO","features":[434]},{"name":"KS_VIDEODECODER_FLAGS","features":[434]},{"name":"KS_VIDEODECODER_FLAGS_CAN_DISABLE_OUTPUT","features":[434]},{"name":"KS_VIDEODECODER_FLAGS_CAN_INDICATE_LOCKED","features":[434]},{"name":"KS_VIDEODECODER_FLAGS_CAN_USE_VCR_LOCKING","features":[434]},{"name":"KS_VIDEOINFO","features":[308,434]},{"name":"KS_VIDEOINFOHEADER","features":[308,434]},{"name":"KS_VIDEOINFOHEADER2","features":[308,434]},{"name":"KS_VIDEOSTREAM_CAPTURE","features":[434]},{"name":"KS_VIDEOSTREAM_CC","features":[434]},{"name":"KS_VIDEOSTREAM_EDS","features":[434]},{"name":"KS_VIDEOSTREAM_IS_VPE","features":[434]},{"name":"KS_VIDEOSTREAM_NABTS","features":[434]},{"name":"KS_VIDEOSTREAM_PREVIEW","features":[434]},{"name":"KS_VIDEOSTREAM_STILL","features":[434]},{"name":"KS_VIDEOSTREAM_TELETEXT","features":[434]},{"name":"KS_VIDEOSTREAM_VBI","features":[434]},{"name":"KS_VIDEO_ALLOC_VPE_AGP","features":[434]},{"name":"KS_VIDEO_ALLOC_VPE_DISPLAY","features":[434]},{"name":"KS_VIDEO_ALLOC_VPE_SYSTEM","features":[434]},{"name":"KS_VIDEO_FLAG_B_FRAME","features":[434]},{"name":"KS_VIDEO_FLAG_FIELD1","features":[434]},{"name":"KS_VIDEO_FLAG_FIELD1FIRST","features":[434]},{"name":"KS_VIDEO_FLAG_FIELD2","features":[434]},{"name":"KS_VIDEO_FLAG_FIELD_MASK","features":[434]},{"name":"KS_VIDEO_FLAG_FRAME","features":[434]},{"name":"KS_VIDEO_FLAG_IPB_MASK","features":[434]},{"name":"KS_VIDEO_FLAG_I_FRAME","features":[434]},{"name":"KS_VIDEO_FLAG_P_FRAME","features":[434]},{"name":"KS_VIDEO_FLAG_REPEAT_FIELD","features":[434]},{"name":"KS_VIDEO_FLAG_WEAVE","features":[434]},{"name":"KS_VIDEO_STREAM_CONFIG_CAPS","features":[308,434]},{"name":"KS_VideoControlFlag_ExternalTriggerEnable","features":[434]},{"name":"KS_VideoControlFlag_FlipHorizontal","features":[434]},{"name":"KS_VideoControlFlag_FlipVertical","features":[434]},{"name":"KS_VideoControlFlag_IndependentImagePin","features":[434]},{"name":"KS_VideoControlFlag_StartPhotoSequenceCapture","features":[434]},{"name":"KS_VideoControlFlag_StillCapturePreviewFrame","features":[434]},{"name":"KS_VideoControlFlag_StopPhotoSequenceCapture","features":[434]},{"name":"KS_VideoControlFlag_Trigger","features":[434]},{"name":"KS_VideoControlFlags","features":[434]},{"name":"KS_VideoStreamingHints","features":[434]},{"name":"KS_iBLUE","features":[434]},{"name":"KS_iEGA_COLORS","features":[434]},{"name":"KS_iGREEN","features":[434]},{"name":"KS_iMASK_COLORS","features":[434]},{"name":"KS_iMAXBITS","features":[434]},{"name":"KS_iPALETTE","features":[434]},{"name":"KS_iPALETTE_COLORS","features":[434]},{"name":"KS_iRED","features":[434]},{"name":"KS_iTRUECOLOR","features":[434]},{"name":"KsAllocatorMode_Kernel","features":[434]},{"name":"KsAllocatorMode_User","features":[434]},{"name":"KsCreateAllocator","features":[308,434]},{"name":"KsCreateAllocator2","features":[308,434]},{"name":"KsCreateClock","features":[308,434]},{"name":"KsCreateClock2","features":[308,434]},{"name":"KsCreatePin","features":[308,434]},{"name":"KsCreatePin2","features":[308,434]},{"name":"KsCreateTopologyNode","features":[308,434]},{"name":"KsCreateTopologyNode2","features":[308,434]},{"name":"KsGetMediaType","features":[308,434,431]},{"name":"KsGetMediaTypeCount","features":[308,434]},{"name":"KsGetMultiplePinFactoryItems","features":[308,434]},{"name":"KsIoOperation_Read","features":[434]},{"name":"KsIoOperation_Write","features":[434]},{"name":"KsOpenDefaultDevice","features":[308,434]},{"name":"KsPeekOperation_AddRef","features":[434]},{"name":"KsPeekOperation_PeekOnly","features":[434]},{"name":"KsResolveRequiredAttributes","features":[434]},{"name":"KsSynchronousDeviceControl","features":[308,434]},{"name":"LIGHT_FILTER","features":[434]},{"name":"LOOPEDSTREAMING_POSITION_EVENT_DATA","features":[308,434]},{"name":"MAX_NABTS_VBI_LINES_PER_FIELD","features":[434]},{"name":"MAX_RESOURCEGROUPID_LENGTH","features":[434]},{"name":"MAX_SINK_DESCRIPTION_NAME_LENGTH","features":[434]},{"name":"MAX_WST_VBI_LINES_PER_FIELD","features":[434]},{"name":"MEDIUM_INFO","features":[308,434]},{"name":"MF_MDL_SHARED_PAYLOAD_KEY","features":[434]},{"name":"MIN_DEV_VER_FOR_FLAGS","features":[434]},{"name":"MIN_DEV_VER_FOR_QI","features":[434]},{"name":"MetadataId_BackgroundSegmentationMask","features":[434]},{"name":"MetadataId_CameraExtrinsics","features":[434]},{"name":"MetadataId_CameraIntrinsics","features":[434]},{"name":"MetadataId_CaptureStats","features":[434]},{"name":"MetadataId_Custom_Start","features":[434]},{"name":"MetadataId_DigitalWindow","features":[434]},{"name":"MetadataId_FrameIllumination","features":[434]},{"name":"MetadataId_PhotoConfirmation","features":[434]},{"name":"MetadataId_Standard_End","features":[434]},{"name":"MetadataId_Standard_Start","features":[434]},{"name":"MetadataId_UsbVideoHeader","features":[434]},{"name":"NABTSFEC_BUFFER","features":[434]},{"name":"NABTS_BUFFER","features":[434]},{"name":"NABTS_BUFFER_LINE","features":[434]},{"name":"NABTS_BUFFER_PICTURENUMBER_SUPPORT","features":[434]},{"name":"NABTS_BYTES_PER_LINE","features":[434]},{"name":"NABTS_LINES_PER_BUNDLE","features":[434]},{"name":"NABTS_PAYLOAD_PER_LINE","features":[434]},{"name":"NANOSECONDS","features":[434]},{"name":"OPTIMAL_WEIGHT_TOTALS","features":[434]},{"name":"PINNAME_DISPLAYPORT_OUT","features":[434]},{"name":"PINNAME_HDMI_OUT","features":[434]},{"name":"PINNAME_IMAGE","features":[434]},{"name":"PINNAME_SPDIF_IN","features":[434]},{"name":"PINNAME_SPDIF_OUT","features":[434]},{"name":"PINNAME_VIDEO_ANALOGVIDEOIN","features":[434]},{"name":"PINNAME_VIDEO_CAPTURE","features":[434]},{"name":"PINNAME_VIDEO_CC","features":[434]},{"name":"PINNAME_VIDEO_CC_CAPTURE","features":[434]},{"name":"PINNAME_VIDEO_EDS","features":[434]},{"name":"PINNAME_VIDEO_NABTS","features":[434]},{"name":"PINNAME_VIDEO_NABTS_CAPTURE","features":[434]},{"name":"PINNAME_VIDEO_PREVIEW","features":[434]},{"name":"PINNAME_VIDEO_STILL","features":[434]},{"name":"PINNAME_VIDEO_TELETEXT","features":[434]},{"name":"PINNAME_VIDEO_TIMECODE","features":[434]},{"name":"PINNAME_VIDEO_VBI","features":[434]},{"name":"PINNAME_VIDEO_VIDEOPORT","features":[434]},{"name":"PINNAME_VIDEO_VIDEOPORT_VBI","features":[434]},{"name":"PIPE_ALLOCATOR_PLACE","features":[434]},{"name":"PIPE_DIMENSIONS","features":[434]},{"name":"PIPE_STATE","features":[434]},{"name":"PIPE_TERMINATION","features":[434]},{"name":"PROPSETID_ALLOCATOR_CONTROL","features":[434]},{"name":"PROPSETID_EXT_DEVICE","features":[434]},{"name":"PROPSETID_EXT_TRANSPORT","features":[434]},{"name":"PROPSETID_TIMECODE_READER","features":[434]},{"name":"PROPSETID_TUNER","features":[434]},{"name":"PROPSETID_VIDCAP_CAMERACONTROL","features":[434]},{"name":"PROPSETID_VIDCAP_CAMERACONTROL_FLASH","features":[434]},{"name":"PROPSETID_VIDCAP_CAMERACONTROL_IMAGE_PIN_CAPABILITY","features":[434]},{"name":"PROPSETID_VIDCAP_CAMERACONTROL_REGION_OF_INTEREST","features":[434]},{"name":"PROPSETID_VIDCAP_CAMERACONTROL_VIDEO_STABILIZATION","features":[434]},{"name":"PROPSETID_VIDCAP_CROSSBAR","features":[434]},{"name":"PROPSETID_VIDCAP_DROPPEDFRAMES","features":[434]},{"name":"PROPSETID_VIDCAP_SELECTOR","features":[434]},{"name":"PROPSETID_VIDCAP_TVAUDIO","features":[434]},{"name":"PROPSETID_VIDCAP_VIDEOCOMPRESSION","features":[434]},{"name":"PROPSETID_VIDCAP_VIDEOCONTROL","features":[434]},{"name":"PROPSETID_VIDCAP_VIDEODECODER","features":[434]},{"name":"PROPSETID_VIDCAP_VIDEOENCODER","features":[434]},{"name":"PROPSETID_VIDCAP_VIDEOPROCAMP","features":[434]},{"name":"PipeFactor_Align","features":[434]},{"name":"PipeFactor_Buffers","features":[434]},{"name":"PipeFactor_FixedCompression","features":[434]},{"name":"PipeFactor_Flags","features":[434]},{"name":"PipeFactor_LogicalEnd","features":[434]},{"name":"PipeFactor_MemoryTypes","features":[434]},{"name":"PipeFactor_None","features":[434]},{"name":"PipeFactor_OptimalRanges","features":[434]},{"name":"PipeFactor_PhysicalEnd","features":[434]},{"name":"PipeFactor_PhysicalRanges","features":[434]},{"name":"PipeFactor_UnknownCompression","features":[434]},{"name":"PipeFactor_UserModeDownstream","features":[434]},{"name":"PipeFactor_UserModeUpstream","features":[434]},{"name":"PipeState_CompressionUnknown","features":[434]},{"name":"PipeState_DontCare","features":[434]},{"name":"PipeState_Finalized","features":[434]},{"name":"PipeState_RangeFixed","features":[434]},{"name":"PipeState_RangeNotFixed","features":[434]},{"name":"Pipe_Allocator_FirstPin","features":[434]},{"name":"Pipe_Allocator_LastPin","features":[434]},{"name":"Pipe_Allocator_MiddlePin","features":[434]},{"name":"Pipe_Allocator_None","features":[434]},{"name":"RT_RCDATA","features":[434]},{"name":"RT_STRING","features":[434]},{"name":"SECURE_BUFFER_INFO","features":[434]},{"name":"SHORT_COEFF","features":[434]},{"name":"SOUNDDETECTOR_PATTERNHEADER","features":[434]},{"name":"SPEAKER_ALL","features":[434]},{"name":"SPEAKER_BACK_CENTER","features":[434]},{"name":"SPEAKER_BACK_LEFT","features":[434]},{"name":"SPEAKER_BACK_RIGHT","features":[434]},{"name":"SPEAKER_FRONT_CENTER","features":[434]},{"name":"SPEAKER_FRONT_LEFT","features":[434]},{"name":"SPEAKER_FRONT_LEFT_OF_CENTER","features":[434]},{"name":"SPEAKER_FRONT_RIGHT","features":[434]},{"name":"SPEAKER_FRONT_RIGHT_OF_CENTER","features":[434]},{"name":"SPEAKER_LOW_FREQUENCY","features":[434]},{"name":"SPEAKER_RESERVED","features":[434]},{"name":"SPEAKER_SIDE_LEFT","features":[434]},{"name":"SPEAKER_SIDE_RIGHT","features":[434]},{"name":"SPEAKER_TOP_BACK_CENTER","features":[434]},{"name":"SPEAKER_TOP_BACK_LEFT","features":[434]},{"name":"SPEAKER_TOP_BACK_RIGHT","features":[434]},{"name":"SPEAKER_TOP_CENTER","features":[434]},{"name":"SPEAKER_TOP_FRONT_CENTER","features":[434]},{"name":"SPEAKER_TOP_FRONT_LEFT","features":[434]},{"name":"SPEAKER_TOP_FRONT_RIGHT","features":[434]},{"name":"SYSAUDIO_FLAGS_CLEAR_PREFERRED","features":[434]},{"name":"SYSAUDIO_FLAGS_DONT_COMBINE_PINS","features":[434]},{"name":"TELEPHONY_CALLCONTROLOP","features":[434]},{"name":"TELEPHONY_CALLCONTROLOP_DISABLE","features":[434]},{"name":"TELEPHONY_CALLCONTROLOP_ENABLE","features":[434]},{"name":"TELEPHONY_CALLSTATE","features":[434]},{"name":"TELEPHONY_CALLSTATE_DISABLED","features":[434]},{"name":"TELEPHONY_CALLSTATE_ENABLED","features":[434]},{"name":"TELEPHONY_CALLSTATE_HOLD","features":[434]},{"name":"TELEPHONY_CALLSTATE_PROVIDERTRANSITION","features":[434]},{"name":"TELEPHONY_CALLTYPE","features":[434]},{"name":"TELEPHONY_CALLTYPE_CIRCUITSWITCHED","features":[434]},{"name":"TELEPHONY_CALLTYPE_PACKETSWITCHED_LTE","features":[434]},{"name":"TELEPHONY_CALLTYPE_PACKETSWITCHED_WLAN","features":[434]},{"name":"TELEPHONY_PROVIDERCHANGEOP","features":[434]},{"name":"TELEPHONY_PROVIDERCHANGEOP_BEGIN","features":[434]},{"name":"TELEPHONY_PROVIDERCHANGEOP_CANCEL","features":[434]},{"name":"TELEPHONY_PROVIDERCHANGEOP_END","features":[434]},{"name":"TRANSPORTAUDIOPARMS","features":[434]},{"name":"TRANSPORTBASICPARMS","features":[434]},{"name":"TRANSPORTSTATUS","features":[434]},{"name":"TRANSPORTVIDEOPARMS","features":[434]},{"name":"TRANSPORT_STATE","features":[434]},{"name":"TUNER_ANALOG_CAPS_S","features":[434]},{"name":"TunerLockType","features":[434]},{"name":"Tuner_LockType_Locked","features":[434]},{"name":"Tuner_LockType_None","features":[434]},{"name":"Tuner_LockType_Within_Scan_Sensing_Range","features":[434]},{"name":"VBICAP_PROPERTIES_PROTECTION_S","features":[434]},{"name":"VBICODECFILTERING_CC_SUBSTREAMS","features":[434]},{"name":"VBICODECFILTERING_NABTS_SUBSTREAMS","features":[434]},{"name":"VBICODECFILTERING_SCANLINES","features":[434]},{"name":"VBICODECFILTERING_STATISTICS_CC","features":[434]},{"name":"VBICODECFILTERING_STATISTICS_CC_PIN","features":[434]},{"name":"VBICODECFILTERING_STATISTICS_COMMON","features":[434]},{"name":"VBICODECFILTERING_STATISTICS_COMMON_PIN","features":[434]},{"name":"VBICODECFILTERING_STATISTICS_NABTS","features":[434]},{"name":"VBICODECFILTERING_STATISTICS_NABTS_PIN","features":[434]},{"name":"VBICODECFILTERING_STATISTICS_TELETEXT","features":[434]},{"name":"VBICODECFILTERING_STATISTICS_TELETEXT_PIN","features":[434]},{"name":"VRAM_SURFACE_INFO","features":[434]},{"name":"VRAM_SURFACE_INFO_PROPERTY_S","features":[434]},{"name":"WAVE_FORMAT_EXTENSIBLE","features":[434]},{"name":"WNF_KSCAMERA_STREAMSTATE_INFO","features":[434]},{"name":"WST_BUFFER","features":[434]},{"name":"WST_BUFFER_LINE","features":[434]},{"name":"WST_BYTES_PER_LINE","features":[434]},{"name":"WST_TVTUNER_CHANGE_BEGIN_TUNE","features":[434]},{"name":"WST_TVTUNER_CHANGE_END_TUNE","features":[434]},{"name":"eConnType3Point5mm","features":[434]},{"name":"eConnTypeAtapiInternal","features":[434]},{"name":"eConnTypeCombination","features":[434]},{"name":"eConnTypeMultichannelAnalogDIN","features":[434]},{"name":"eConnTypeOptical","features":[434]},{"name":"eConnTypeOtherAnalog","features":[434]},{"name":"eConnTypeOtherDigital","features":[434]},{"name":"eConnTypeQuarter","features":[434]},{"name":"eConnTypeRCA","features":[434]},{"name":"eConnTypeRJ11Modem","features":[434]},{"name":"eConnTypeUnknown","features":[434]},{"name":"eConnTypeXlrProfessional","features":[434]},{"name":"eDeviceControlUseMissing","features":[434]},{"name":"eDeviceControlUsePrimary","features":[434]},{"name":"eDeviceControlUseSecondary","features":[434]},{"name":"eGenLocInternal","features":[434]},{"name":"eGenLocOther","features":[434]},{"name":"eGenLocPrimaryBox","features":[434]},{"name":"eGenLocSeparate","features":[434]},{"name":"eGeoLocATAPI","features":[434]},{"name":"eGeoLocBottom","features":[434]},{"name":"eGeoLocDrivebay","features":[434]},{"name":"eGeoLocFront","features":[434]},{"name":"eGeoLocHDMI","features":[434]},{"name":"eGeoLocInsideMobileLid","features":[434]},{"name":"eGeoLocLeft","features":[434]},{"name":"eGeoLocNotApplicable","features":[434]},{"name":"eGeoLocOutsideMobileLid","features":[434]},{"name":"eGeoLocRear","features":[434]},{"name":"eGeoLocRearPanel","features":[434]},{"name":"eGeoLocReserved6","features":[434]},{"name":"eGeoLocRight","features":[434]},{"name":"eGeoLocRiser","features":[434]},{"name":"eGeoLocTop","features":[434]},{"name":"ePortConnBothIntegratedAndJack","features":[434]},{"name":"ePortConnIntegratedDevice","features":[434]},{"name":"ePortConnJack","features":[434]},{"name":"ePortConnUnknown","features":[434]}],"435":[{"name":"DEVICE_AUTHORIZATION_ALLOWED","features":[437]},{"name":"DEVICE_AUTHORIZATION_DENIED","features":[437]},{"name":"DEVICE_AUTHORIZATION_UNKNOWN","features":[437]},{"name":"IWindowsMediaLibrarySharingDevice","features":[437,359]},{"name":"IWindowsMediaLibrarySharingDeviceProperties","features":[437,359]},{"name":"IWindowsMediaLibrarySharingDeviceProperty","features":[437,359]},{"name":"IWindowsMediaLibrarySharingDevices","features":[437,359]},{"name":"IWindowsMediaLibrarySharingServices","features":[437,359]},{"name":"WindowsMediaLibrarySharingDeviceAuthorizationStatus","features":[437]},{"name":"WindowsMediaLibrarySharingServices","features":[437]}],"436":[{"name":"AACMFTEncoder","features":[431]},{"name":"ACCESSMODE_READ","features":[431]},{"name":"ACCESSMODE_READWRITE","features":[431]},{"name":"ACCESSMODE_WRITE","features":[431]},{"name":"ACCESSMODE_WRITE_EXCLUSIVE","features":[431]},{"name":"ADAPTIVE_ARRAY_AND_AEC","features":[431]},{"name":"ADAPTIVE_ARRAY_ONLY","features":[431]},{"name":"AEC_CAPTURE_STREAM","features":[431]},{"name":"AEC_INPUT_STREAM","features":[431]},{"name":"AEC_MAX_SYSTEM_MODES","features":[431]},{"name":"AEC_REFERENCE_STREAM","features":[431]},{"name":"AEC_SYSTEM_MODE","features":[431]},{"name":"AEC_VAD_DISABLED","features":[431]},{"name":"AEC_VAD_FOR_AGC","features":[431]},{"name":"AEC_VAD_FOR_SILENCE_SUPPRESSION","features":[431]},{"name":"AEC_VAD_MODE","features":[431]},{"name":"AEC_VAD_NORMAL","features":[431]},{"name":"ALawCodecWrapper","features":[431]},{"name":"AMMPEG2_27MhzTimebase","features":[431]},{"name":"AMMPEG2_DSS_UserData","features":[431]},{"name":"AMMPEG2_DVB_UserData","features":[431]},{"name":"AMMPEG2_DVDLine21Field1","features":[431]},{"name":"AMMPEG2_DVDLine21Field2","features":[431]},{"name":"AMMPEG2_DoPanScan","features":[431]},{"name":"AMMPEG2_FilmCameraMode","features":[431]},{"name":"AMMPEG2_LetterboxAnalogOut","features":[431]},{"name":"AMMPEG2_SourceIsLetterboxed","features":[431]},{"name":"AMMPEG2_WidescreenAnalogOut","features":[431]},{"name":"AMPROPSETID_Pin","features":[431]},{"name":"AM_MEDIA_TYPE","features":[308,431]},{"name":"AM_MEDIA_TYPE_REPRESENTATION","features":[431]},{"name":"ASF_FLAT_PICTURE","features":[431]},{"name":"ASF_FLAT_SYNCHRONISED_LYRICS","features":[431]},{"name":"ASF_INDEX_DESCRIPTOR","features":[431]},{"name":"ASF_INDEX_IDENTIFIER","features":[431]},{"name":"ASF_MUX_STATISTICS","features":[431]},{"name":"ASF_SELECTION_STATUS","features":[431]},{"name":"ASF_STATUSFLAGS","features":[431]},{"name":"ASF_STATUSFLAGS_INCOMPLETE","features":[431]},{"name":"ASF_STATUSFLAGS_NONFATAL_ERROR","features":[431]},{"name":"ASF_STATUS_ALLDATAUNITS","features":[431]},{"name":"ASF_STATUS_CLEANPOINTSONLY","features":[431]},{"name":"ASF_STATUS_NOTSELECTED","features":[431]},{"name":"AVENC_H263V_LEVELCOUNT","features":[431]},{"name":"AVENC_H264V_LEVELCOUNT","features":[431]},{"name":"AVENC_H264V_MAX_MBBITS","features":[431]},{"name":"AVEncAudioInputContent_Music","features":[431]},{"name":"AVEncAudioInputContent_Unknown","features":[431]},{"name":"AVEncAudioInputContent_Voice","features":[431]},{"name":"AecQualityMetrics_Struct","features":[431]},{"name":"CAC3DecMediaObject","features":[431]},{"name":"CAPTION_FORMAT_ATSC","features":[431]},{"name":"CAPTION_FORMAT_DIRECTV","features":[431]},{"name":"CAPTION_FORMAT_DVB","features":[431]},{"name":"CAPTION_FORMAT_ECHOSTAR","features":[431]},{"name":"CClusterDetectorDmo","features":[431]},{"name":"CColorControlDmo","features":[431]},{"name":"CColorConvertDMO","features":[431]},{"name":"CColorLegalizerDmo","features":[431]},{"name":"CDTVAudDecoderDS","features":[431]},{"name":"CDTVVidDecoderDS","features":[431]},{"name":"CDVDecoderMediaObject","features":[431]},{"name":"CDVEncoderMediaObject","features":[431]},{"name":"CDeColorConvMediaObject","features":[431]},{"name":"CFrameInterpDMO","features":[431]},{"name":"CFrameRateConvertDmo","features":[431]},{"name":"CInterlaceMediaObject","features":[431]},{"name":"CLSID_ACMWrapper","features":[431]},{"name":"CLSID_ATSCNetworkPropertyPage","features":[431]},{"name":"CLSID_ATSCNetworkProvider","features":[431]},{"name":"CLSID_AVICo","features":[431]},{"name":"CLSID_AVIDec","features":[431]},{"name":"CLSID_AVIDoc","features":[431]},{"name":"CLSID_AVIDraw","features":[431]},{"name":"CLSID_AVIMIDIRender","features":[431]},{"name":"CLSID_ActiveMovieCategories","features":[431]},{"name":"CLSID_AllocPresenter","features":[431]},{"name":"CLSID_AllocPresenterDDXclMode","features":[431]},{"name":"CLSID_AnalogVideoDecoderPropertyPage","features":[431]},{"name":"CLSID_AsyncReader","features":[431]},{"name":"CLSID_AudioCompressorCategory","features":[431]},{"name":"CLSID_AudioInputDeviceCategory","features":[431]},{"name":"CLSID_AudioInputMixerProperties","features":[431]},{"name":"CLSID_AudioProperties","features":[431]},{"name":"CLSID_AudioRecord","features":[431]},{"name":"CLSID_AudioRender","features":[431]},{"name":"CLSID_AudioRendererAdvancedProperties","features":[431]},{"name":"CLSID_AudioRendererCategory","features":[431]},{"name":"CLSID_AudioResamplerMediaObject","features":[431]},{"name":"CLSID_AviDest","features":[431]},{"name":"CLSID_AviMuxProptyPage","features":[431]},{"name":"CLSID_AviMuxProptyPage1","features":[431]},{"name":"CLSID_AviReader","features":[431]},{"name":"CLSID_AviSplitter","features":[431]},{"name":"CLSID_CAcmCoClassManager","features":[431]},{"name":"CLSID_CAsfTocParser","features":[431]},{"name":"CLSID_CAviTocParser","features":[431]},{"name":"CLSID_CCAFilter","features":[431]},{"name":"CLSID_CClusterDetectorEx","features":[431]},{"name":"CLSID_CDeviceMoniker","features":[431]},{"name":"CLSID_CFileClient","features":[431]},{"name":"CLSID_CFileIo","features":[431]},{"name":"CLSID_CIcmCoClassManager","features":[431]},{"name":"CLSID_CMidiOutClassManager","features":[431]},{"name":"CLSID_CMpegAudioCodec","features":[431]},{"name":"CLSID_CMpegVideoCodec","features":[431]},{"name":"CLSID_CQzFilterClassManager","features":[431]},{"name":"CLSID_CToc","features":[431]},{"name":"CLSID_CTocCollection","features":[431]},{"name":"CLSID_CTocEntry","features":[431]},{"name":"CLSID_CTocEntryList","features":[431]},{"name":"CLSID_CTocParser","features":[431]},{"name":"CLSID_CVidCapClassManager","features":[431]},{"name":"CLSID_CWaveOutClassManager","features":[431]},{"name":"CLSID_CWaveinClassManager","features":[431]},{"name":"CLSID_CameraConfigurationManager","features":[431]},{"name":"CLSID_CameraControlPropertyPage","features":[431]},{"name":"CLSID_CaptionsFilter","features":[431]},{"name":"CLSID_CaptureGraphBuilder","features":[431]},{"name":"CLSID_CaptureGraphBuilder2","features":[431]},{"name":"CLSID_CaptureProperties","features":[431]},{"name":"CLSID_Colour","features":[431]},{"name":"CLSID_CreateMediaExtensionObject","features":[431]},{"name":"CLSID_CrossbarFilterPropertyPage","features":[431]},{"name":"CLSID_DShowTVEFilter","features":[431]},{"name":"CLSID_DSoundRender","features":[431]},{"name":"CLSID_DVBCNetworkProvider","features":[431]},{"name":"CLSID_DVBSNetworkProvider","features":[431]},{"name":"CLSID_DVBTNetworkProvider","features":[431]},{"name":"CLSID_DVDHWDecodersCategory","features":[431]},{"name":"CLSID_DVDNavigator","features":[431]},{"name":"CLSID_DVDState","features":[431]},{"name":"CLSID_DVDecPropertiesPage","features":[431]},{"name":"CLSID_DVEncPropertiesPage","features":[431]},{"name":"CLSID_DVMux","features":[431]},{"name":"CLSID_DVMuxPropertyPage","features":[431]},{"name":"CLSID_DVSplitter","features":[431]},{"name":"CLSID_DVVideoCodec","features":[431]},{"name":"CLSID_DVVideoEnc","features":[431]},{"name":"CLSID_DeviceControlCategory","features":[431]},{"name":"CLSID_DirectDrawProperties","features":[431]},{"name":"CLSID_DirectShowPluginControl","features":[431]},{"name":"CLSID_Dither","features":[431]},{"name":"CLSID_DtvCcFilter","features":[431]},{"name":"CLSID_DvdGraphBuilder","features":[431]},{"name":"CLSID_EVRPlaybackPipelineOptimizer","features":[431]},{"name":"CLSID_EVRTearlessWindowPresenter9","features":[431]},{"name":"CLSID_EnhancedVideoRenderer","features":[431]},{"name":"CLSID_FGControl","features":[431]},{"name":"CLSID_FileSource","features":[431]},{"name":"CLSID_FileWriter","features":[431]},{"name":"CLSID_FilterGraph","features":[431]},{"name":"CLSID_FilterGraphNoThread","features":[431]},{"name":"CLSID_FilterGraphPrivateThread","features":[431]},{"name":"CLSID_FilterMapper","features":[431]},{"name":"CLSID_FilterMapper2","features":[431]},{"name":"CLSID_FrameServerNetworkCameraSource","features":[431]},{"name":"CLSID_HttpSchemePlugin","features":[431]},{"name":"CLSID_ICodecAPIProxy","features":[431]},{"name":"CLSID_IVideoEncoderCodecAPIProxy","features":[431]},{"name":"CLSID_IVideoEncoderProxy","features":[431]},{"name":"CLSID_InfTee","features":[431]},{"name":"CLSID_LegacyAmFilterCategory","features":[431]},{"name":"CLSID_Line21Decoder","features":[431]},{"name":"CLSID_Line21Decoder2","features":[431]},{"name":"CLSID_MFByteStreamProxyClassFactory","features":[431]},{"name":"CLSID_MFCaptureEngine","features":[431]},{"name":"CLSID_MFCaptureEngineClassFactory","features":[431]},{"name":"CLSID_MFImageSharingEngineClassFactory","features":[431]},{"name":"CLSID_MFMediaEngineClassFactory","features":[431]},{"name":"CLSID_MFMediaSharingEngineClassFactory","features":[431]},{"name":"CLSID_MFReadWriteClassFactory","features":[431]},{"name":"CLSID_MFSinkWriter","features":[431]},{"name":"CLSID_MFSourceReader","features":[431]},{"name":"CLSID_MFSourceResolver","features":[431]},{"name":"CLSID_MFVideoMixer9","features":[431]},{"name":"CLSID_MFVideoPresenter9","features":[431]},{"name":"CLSID_MJPGEnc","features":[431]},{"name":"CLSID_MMSPLITTER","features":[431]},{"name":"CLSID_MOVReader","features":[431]},{"name":"CLSID_MP3DecMediaObject","features":[431]},{"name":"CLSID_MPEG1Doc","features":[431]},{"name":"CLSID_MPEG1PacketPlayer","features":[431]},{"name":"CLSID_MPEG1Splitter","features":[431]},{"name":"CLSID_MPEG2ByteStreamPlugin","features":[431]},{"name":"CLSID_MPEG2DLNASink","features":[431]},{"name":"CLSID_MPEG2Demultiplexer","features":[431]},{"name":"CLSID_MPEG2Demultiplexer_NoClock","features":[431]},{"name":"CLSID_MSAACDecMFT","features":[431]},{"name":"CLSID_MSDDPlusDecMFT","features":[431]},{"name":"CLSID_MSH264DecoderMFT","features":[431]},{"name":"CLSID_MSH264EncoderMFT","features":[431]},{"name":"CLSID_MSH265DecoderMFT","features":[431]},{"name":"CLSID_MSMPEGAudDecMFT","features":[431]},{"name":"CLSID_MSMPEGDecoderMFT","features":[431]},{"name":"CLSID_MSOpusDecoder","features":[431]},{"name":"CLSID_MSVPxDecoder","features":[431]},{"name":"CLSID_MediaEncoderCategory","features":[431]},{"name":"CLSID_MediaMultiplexerCategory","features":[431]},{"name":"CLSID_MediaPropertyBag","features":[431]},{"name":"CLSID_MemoryAllocator","features":[431]},{"name":"CLSID_MidiRendererCategory","features":[431]},{"name":"CLSID_MjpegDec","features":[431]},{"name":"CLSID_ModexRenderer","features":[431]},{"name":"CLSID_Mpeg2VideoStreamAnalyzer","features":[431]},{"name":"CLSID_NetSchemePlugin","features":[431]},{"name":"CLSID_NetworkProvider","features":[431]},{"name":"CLSID_OverlayMixer","features":[431]},{"name":"CLSID_PerformanceProperties","features":[431]},{"name":"CLSID_PersistMonikerPID","features":[431]},{"name":"CLSID_PlayToSourceClassFactory","features":[431]},{"name":"CLSID_ProtoFilterGraph","features":[431]},{"name":"CLSID_QTDec","features":[431]},{"name":"CLSID_QualityProperties","features":[431]},{"name":"CLSID_QuickTimeParser","features":[431]},{"name":"CLSID_SBE2File","features":[431]},{"name":"CLSID_SBE2FileScan","features":[431]},{"name":"CLSID_SBE2MediaTypeProfile","features":[431]},{"name":"CLSID_SBE2Sink","features":[431]},{"name":"CLSID_SeekingPassThru","features":[431]},{"name":"CLSID_SmartTee","features":[431]},{"name":"CLSID_StreamBufferComposeRecording","features":[431]},{"name":"CLSID_StreamBufferConfig","features":[431]},{"name":"CLSID_StreamBufferPropertyHandler","features":[431]},{"name":"CLSID_StreamBufferRecordingAttributes","features":[431]},{"name":"CLSID_StreamBufferSink","features":[431]},{"name":"CLSID_StreamBufferSource","features":[431]},{"name":"CLSID_StreamBufferThumbnailHandler","features":[431]},{"name":"CLSID_SubtitlesFilter","features":[431]},{"name":"CLSID_SystemClock","features":[431]},{"name":"CLSID_SystemDeviceEnum","features":[431]},{"name":"CLSID_TVAudioFilterPropertyPage","features":[431]},{"name":"CLSID_TVEFilterCCProperties","features":[431]},{"name":"CLSID_TVEFilterStatsProperties","features":[431]},{"name":"CLSID_TVEFilterTuneProperties","features":[431]},{"name":"CLSID_TVTunerFilterPropertyPage","features":[431]},{"name":"CLSID_TextRender","features":[431]},{"name":"CLSID_TransmitCategory","features":[431]},{"name":"CLSID_URLReader","features":[431]},{"name":"CLSID_UrlmonSchemePlugin","features":[431]},{"name":"CLSID_VBISurfaces","features":[431]},{"name":"CLSID_VPObject","features":[431]},{"name":"CLSID_VPVBIObject","features":[431]},{"name":"CLSID_VfwCapture","features":[431]},{"name":"CLSID_VideoCompressorCategory","features":[431]},{"name":"CLSID_VideoInputDeviceCategory","features":[431]},{"name":"CLSID_VideoMixingRenderer","features":[431]},{"name":"CLSID_VideoMixingRenderer9","features":[431]},{"name":"CLSID_VideoPortManager","features":[431]},{"name":"CLSID_VideoProcAmpPropertyPage","features":[431]},{"name":"CLSID_VideoProcessorMFT","features":[431]},{"name":"CLSID_VideoRenderer","features":[431]},{"name":"CLSID_VideoRendererDefault","features":[431]},{"name":"CLSID_VideoStreamConfigPropertyPage","features":[431]},{"name":"CLSID_WMADecMediaObject","features":[431]},{"name":"CLSID_WMAsfReader","features":[431]},{"name":"CLSID_WMAsfWriter","features":[431]},{"name":"CLSID_WMDRMSystemID","features":[431]},{"name":"CLSID_WMVDecoderMFT","features":[431]},{"name":"CLSID_WSTDecoder","features":[431]},{"name":"CLSID_WstDecoderPropertyPage","features":[431]},{"name":"CMP3DecMediaObject","features":[431]},{"name":"CMPEG2AudDecoderDS","features":[431]},{"name":"CMPEG2AudioEncoderMFT","features":[431]},{"name":"CMPEG2EncoderAudioDS","features":[431]},{"name":"CMPEG2EncoderDS","features":[431]},{"name":"CMPEG2EncoderVideoDS","features":[431]},{"name":"CMPEG2VidDecoderDS","features":[431]},{"name":"CMPEG2VideoEncoderMFT","features":[431]},{"name":"CMPEGAACDecMediaObject","features":[431]},{"name":"CMSAACDecMFT","features":[431]},{"name":"CMSAC3Enc","features":[431]},{"name":"CMSALACDecMFT","features":[431]},{"name":"CMSALACEncMFT","features":[431]},{"name":"CMSDDPlusDecMFT","features":[431]},{"name":"CMSDolbyDigitalEncMFT","features":[431]},{"name":"CMSFLACDecMFT","features":[431]},{"name":"CMSFLACEncMFT","features":[431]},{"name":"CMSH263EncoderMFT","features":[431]},{"name":"CMSH264DecoderMFT","features":[431]},{"name":"CMSH264EncoderMFT","features":[431]},{"name":"CMSH264RemuxMFT","features":[431]},{"name":"CMSH265EncoderMFT","features":[431]},{"name":"CMSMPEGAudDecMFT","features":[431]},{"name":"CMSMPEGDecoderMFT","features":[431]},{"name":"CMSOpusDecMFT","features":[431]},{"name":"CMSSCDecMediaObject","features":[431]},{"name":"CMSSCEncMediaObject","features":[431]},{"name":"CMSSCEncMediaObject2","features":[431]},{"name":"CMSVPXEncoderMFT","features":[431]},{"name":"CMSVideoDSPMFT","features":[431]},{"name":"CMpeg2DecMediaObject","features":[431]},{"name":"CMpeg43DecMediaObject","features":[431]},{"name":"CMpeg4DecMediaObject","features":[431]},{"name":"CMpeg4EncMediaObject","features":[431]},{"name":"CMpeg4sDecMFT","features":[431]},{"name":"CMpeg4sDecMediaObject","features":[431]},{"name":"CMpeg4sEncMediaObject","features":[431]},{"name":"CNokiaAACCCDecMediaObject","features":[431]},{"name":"CNokiaAACDecMediaObject","features":[431]},{"name":"CODECAPI_ALLSETTINGS","features":[431]},{"name":"CODECAPI_AUDIO_ENCODER","features":[431]},{"name":"CODECAPI_AVAudioChannelConfig","features":[431]},{"name":"CODECAPI_AVAudioChannelCount","features":[431]},{"name":"CODECAPI_AVAudioSampleRate","features":[431]},{"name":"CODECAPI_AVDDSurroundMode","features":[431]},{"name":"CODECAPI_AVDSPLoudnessEqualization","features":[431]},{"name":"CODECAPI_AVDSPSpeakerFill","features":[431]},{"name":"CODECAPI_AVDecAACDownmixMode","features":[431]},{"name":"CODECAPI_AVDecAudioDualMono","features":[431]},{"name":"CODECAPI_AVDecAudioDualMonoReproMode","features":[431]},{"name":"CODECAPI_AVDecCommonInputFormat","features":[431]},{"name":"CODECAPI_AVDecCommonMeanBitRate","features":[431]},{"name":"CODECAPI_AVDecCommonMeanBitRateInterval","features":[431]},{"name":"CODECAPI_AVDecCommonOutputFormat","features":[431]},{"name":"CODECAPI_AVDecDDDynamicRangeScaleHigh","features":[431]},{"name":"CODECAPI_AVDecDDDynamicRangeScaleLow","features":[431]},{"name":"CODECAPI_AVDecDDMatrixDecodingMode","features":[431]},{"name":"CODECAPI_AVDecDDOperationalMode","features":[431]},{"name":"CODECAPI_AVDecDDStereoDownMixMode","features":[431]},{"name":"CODECAPI_AVDecDisableVideoPostProcessing","features":[431]},{"name":"CODECAPI_AVDecHEAACDynamicRangeControl","features":[431]},{"name":"CODECAPI_AVDecMmcssClass","features":[431]},{"name":"CODECAPI_AVDecNumWorkerThreads","features":[431]},{"name":"CODECAPI_AVDecSoftwareDynamicFormatChange","features":[431]},{"name":"CODECAPI_AVDecVideoAcceleration_H264","features":[431]},{"name":"CODECAPI_AVDecVideoAcceleration_MPEG2","features":[431]},{"name":"CODECAPI_AVDecVideoAcceleration_VC1","features":[431]},{"name":"CODECAPI_AVDecVideoCodecType","features":[431]},{"name":"CODECAPI_AVDecVideoDXVABusEncryption","features":[431]},{"name":"CODECAPI_AVDecVideoDXVAMode","features":[431]},{"name":"CODECAPI_AVDecVideoDropPicWithMissingRef","features":[431]},{"name":"CODECAPI_AVDecVideoFastDecodeMode","features":[431]},{"name":"CODECAPI_AVDecVideoH264ErrorConcealment","features":[431]},{"name":"CODECAPI_AVDecVideoImageSize","features":[431]},{"name":"CODECAPI_AVDecVideoInputScanType","features":[431]},{"name":"CODECAPI_AVDecVideoMPEG2ErrorConcealment","features":[431]},{"name":"CODECAPI_AVDecVideoMaxCodedHeight","features":[431]},{"name":"CODECAPI_AVDecVideoMaxCodedWidth","features":[431]},{"name":"CODECAPI_AVDecVideoPixelAspectRatio","features":[431]},{"name":"CODECAPI_AVDecVideoProcDeinterlaceCSC","features":[431]},{"name":"CODECAPI_AVDecVideoSWPowerLevel","features":[431]},{"name":"CODECAPI_AVDecVideoSoftwareDeinterlaceMode","features":[431]},{"name":"CODECAPI_AVDecVideoThumbnailGenerationMode","features":[431]},{"name":"CODECAPI_AVEnableInLoopDeblockFilter","features":[431]},{"name":"CODECAPI_AVEncAACEnableVBR","features":[431]},{"name":"CODECAPI_AVEncAdaptiveMode","features":[431]},{"name":"CODECAPI_AVEncAudioDualMono","features":[431]},{"name":"CODECAPI_AVEncAudioInputContent","features":[431]},{"name":"CODECAPI_AVEncAudioIntervalToEncode","features":[431]},{"name":"CODECAPI_AVEncAudioIntervalToSkip","features":[431]},{"name":"CODECAPI_AVEncAudioMapDestChannel0","features":[431]},{"name":"CODECAPI_AVEncAudioMapDestChannel1","features":[431]},{"name":"CODECAPI_AVEncAudioMapDestChannel10","features":[431]},{"name":"CODECAPI_AVEncAudioMapDestChannel11","features":[431]},{"name":"CODECAPI_AVEncAudioMapDestChannel12","features":[431]},{"name":"CODECAPI_AVEncAudioMapDestChannel13","features":[431]},{"name":"CODECAPI_AVEncAudioMapDestChannel14","features":[431]},{"name":"CODECAPI_AVEncAudioMapDestChannel15","features":[431]},{"name":"CODECAPI_AVEncAudioMapDestChannel2","features":[431]},{"name":"CODECAPI_AVEncAudioMapDestChannel3","features":[431]},{"name":"CODECAPI_AVEncAudioMapDestChannel4","features":[431]},{"name":"CODECAPI_AVEncAudioMapDestChannel5","features":[431]},{"name":"CODECAPI_AVEncAudioMapDestChannel6","features":[431]},{"name":"CODECAPI_AVEncAudioMapDestChannel7","features":[431]},{"name":"CODECAPI_AVEncAudioMapDestChannel8","features":[431]},{"name":"CODECAPI_AVEncAudioMapDestChannel9","features":[431]},{"name":"CODECAPI_AVEncAudioMeanBitRate","features":[431]},{"name":"CODECAPI_AVEncChromaEncodeMode","features":[431]},{"name":"CODECAPI_AVEncChromaUpdateTime","features":[431]},{"name":"CODECAPI_AVEncCodecType","features":[431]},{"name":"CODECAPI_AVEncCommonAllowFrameDrops","features":[431]},{"name":"CODECAPI_AVEncCommonBufferInLevel","features":[431]},{"name":"CODECAPI_AVEncCommonBufferOutLevel","features":[431]},{"name":"CODECAPI_AVEncCommonBufferSize","features":[431]},{"name":"CODECAPI_AVEncCommonFormatConstraint","features":[431]},{"name":"CODECAPI_AVEncCommonLowLatency","features":[431]},{"name":"CODECAPI_AVEncCommonMaxBitRate","features":[431]},{"name":"CODECAPI_AVEncCommonMeanBitRate","features":[431]},{"name":"CODECAPI_AVEncCommonMeanBitRateInterval","features":[431]},{"name":"CODECAPI_AVEncCommonMinBitRate","features":[431]},{"name":"CODECAPI_AVEncCommonMultipassMode","features":[431]},{"name":"CODECAPI_AVEncCommonPassEnd","features":[431]},{"name":"CODECAPI_AVEncCommonPassStart","features":[431]},{"name":"CODECAPI_AVEncCommonQuality","features":[431]},{"name":"CODECAPI_AVEncCommonQualityVsSpeed","features":[431]},{"name":"CODECAPI_AVEncCommonRateControlMode","features":[431]},{"name":"CODECAPI_AVEncCommonRealTime","features":[431]},{"name":"CODECAPI_AVEncCommonStreamEndHandling","features":[431]},{"name":"CODECAPI_AVEncCommonTranscodeEncodingProfile","features":[431]},{"name":"CODECAPI_AVEncDDAtoDConverterType","features":[431]},{"name":"CODECAPI_AVEncDDCentreDownMixLevel","features":[431]},{"name":"CODECAPI_AVEncDDChannelBWLowPassFilter","features":[431]},{"name":"CODECAPI_AVEncDDCopyright","features":[431]},{"name":"CODECAPI_AVEncDDDCHighPassFilter","features":[431]},{"name":"CODECAPI_AVEncDDDialogNormalization","features":[431]},{"name":"CODECAPI_AVEncDDDigitalDeemphasis","features":[431]},{"name":"CODECAPI_AVEncDDDynamicRangeCompressionControl","features":[431]},{"name":"CODECAPI_AVEncDDHeadphoneMode","features":[431]},{"name":"CODECAPI_AVEncDDLFELowPassFilter","features":[431]},{"name":"CODECAPI_AVEncDDLoRoCenterMixLvl_x10","features":[431]},{"name":"CODECAPI_AVEncDDLoRoSurroundMixLvl_x10","features":[431]},{"name":"CODECAPI_AVEncDDLtRtCenterMixLvl_x10","features":[431]},{"name":"CODECAPI_AVEncDDLtRtSurroundMixLvl_x10","features":[431]},{"name":"CODECAPI_AVEncDDOriginalBitstream","features":[431]},{"name":"CODECAPI_AVEncDDPreferredStereoDownMixMode","features":[431]},{"name":"CODECAPI_AVEncDDProductionInfoExists","features":[431]},{"name":"CODECAPI_AVEncDDProductionMixLevel","features":[431]},{"name":"CODECAPI_AVEncDDProductionRoomType","features":[431]},{"name":"CODECAPI_AVEncDDRFPreEmphasisFilter","features":[431]},{"name":"CODECAPI_AVEncDDService","features":[431]},{"name":"CODECAPI_AVEncDDSurround3dBAttenuation","features":[431]},{"name":"CODECAPI_AVEncDDSurround90DegreeePhaseShift","features":[431]},{"name":"CODECAPI_AVEncDDSurroundDownMixLevel","features":[431]},{"name":"CODECAPI_AVEncDDSurroundExMode","features":[431]},{"name":"CODECAPI_AVEncEnableVideoProcessing","features":[431]},{"name":"CODECAPI_AVEncH264CABACEnable","features":[431]},{"name":"CODECAPI_AVEncH264PPSID","features":[431]},{"name":"CODECAPI_AVEncH264SPSID","features":[431]},{"name":"CODECAPI_AVEncInputVideoSystem","features":[431]},{"name":"CODECAPI_AVEncLowPowerEncoder","features":[431]},{"name":"CODECAPI_AVEncMP12MuxDVDNavPacks","features":[431]},{"name":"CODECAPI_AVEncMP12MuxEarliestPTS","features":[431]},{"name":"CODECAPI_AVEncMP12MuxInitialSCR","features":[431]},{"name":"CODECAPI_AVEncMP12MuxLargestPacketSize","features":[431]},{"name":"CODECAPI_AVEncMP12MuxMuxRate","features":[431]},{"name":"CODECAPI_AVEncMP12MuxNumStreams","features":[431]},{"name":"CODECAPI_AVEncMP12MuxPackSize","features":[431]},{"name":"CODECAPI_AVEncMP12MuxPacketOverhead","features":[431]},{"name":"CODECAPI_AVEncMP12MuxSysAudioLock","features":[431]},{"name":"CODECAPI_AVEncMP12MuxSysCSPS","features":[431]},{"name":"CODECAPI_AVEncMP12MuxSysFixed","features":[431]},{"name":"CODECAPI_AVEncMP12MuxSysRateBound","features":[431]},{"name":"CODECAPI_AVEncMP12MuxSysSTDBufferBound","features":[431]},{"name":"CODECAPI_AVEncMP12MuxSysVideoLock","features":[431]},{"name":"CODECAPI_AVEncMP12MuxTargetPacketizer","features":[431]},{"name":"CODECAPI_AVEncMP12PktzCopyright","features":[431]},{"name":"CODECAPI_AVEncMP12PktzInitialPTS","features":[431]},{"name":"CODECAPI_AVEncMP12PktzOriginal","features":[431]},{"name":"CODECAPI_AVEncMP12PktzPacketSize","features":[431]},{"name":"CODECAPI_AVEncMP12PktzSTDBuffer","features":[431]},{"name":"CODECAPI_AVEncMP12PktzStreamID","features":[431]},{"name":"CODECAPI_AVEncMPACodingMode","features":[431]},{"name":"CODECAPI_AVEncMPACopyright","features":[431]},{"name":"CODECAPI_AVEncMPAEmphasisType","features":[431]},{"name":"CODECAPI_AVEncMPAEnableRedundancyProtection","features":[431]},{"name":"CODECAPI_AVEncMPALayer","features":[431]},{"name":"CODECAPI_AVEncMPAOriginalBitstream","features":[431]},{"name":"CODECAPI_AVEncMPAPrivateUserBit","features":[431]},{"name":"CODECAPI_AVEncMPVAddSeqEndCode","features":[431]},{"name":"CODECAPI_AVEncMPVDefaultBPictureCount","features":[431]},{"name":"CODECAPI_AVEncMPVFrameFieldMode","features":[431]},{"name":"CODECAPI_AVEncMPVGOPOpen","features":[431]},{"name":"CODECAPI_AVEncMPVGOPSInSeq","features":[431]},{"name":"CODECAPI_AVEncMPVGOPSize","features":[431]},{"name":"CODECAPI_AVEncMPVGOPSizeMax","features":[431]},{"name":"CODECAPI_AVEncMPVGOPSizeMin","features":[431]},{"name":"CODECAPI_AVEncMPVGenerateHeaderPicDispExt","features":[431]},{"name":"CODECAPI_AVEncMPVGenerateHeaderPicExt","features":[431]},{"name":"CODECAPI_AVEncMPVGenerateHeaderSeqDispExt","features":[431]},{"name":"CODECAPI_AVEncMPVGenerateHeaderSeqExt","features":[431]},{"name":"CODECAPI_AVEncMPVGenerateHeaderSeqScaleExt","features":[431]},{"name":"CODECAPI_AVEncMPVIntraDCPrecision","features":[431]},{"name":"CODECAPI_AVEncMPVIntraVLCTable","features":[431]},{"name":"CODECAPI_AVEncMPVLevel","features":[431]},{"name":"CODECAPI_AVEncMPVProfile","features":[431]},{"name":"CODECAPI_AVEncMPVQScaleType","features":[431]},{"name":"CODECAPI_AVEncMPVQuantMatrixChromaIntra","features":[431]},{"name":"CODECAPI_AVEncMPVQuantMatrixChromaNonIntra","features":[431]},{"name":"CODECAPI_AVEncMPVQuantMatrixIntra","features":[431]},{"name":"CODECAPI_AVEncMPVQuantMatrixNonIntra","features":[431]},{"name":"CODECAPI_AVEncMPVScanPattern","features":[431]},{"name":"CODECAPI_AVEncMPVSceneDetection","features":[431]},{"name":"CODECAPI_AVEncMPVUseConcealmentMotionVectors","features":[431]},{"name":"CODECAPI_AVEncMaxFrameRate","features":[431]},{"name":"CODECAPI_AVEncMuxOutputStreamType","features":[431]},{"name":"CODECAPI_AVEncNoInputCopy","features":[431]},{"name":"CODECAPI_AVEncNumWorkerThreads","features":[431]},{"name":"CODECAPI_AVEncProgressiveUpdateTime","features":[431]},{"name":"CODECAPI_AVEncSliceControlMode","features":[431]},{"name":"CODECAPI_AVEncSliceControlSize","features":[431]},{"name":"CODECAPI_AVEncSliceGenerationMode","features":[431]},{"name":"CODECAPI_AVEncStatAudioAverageBPS","features":[431]},{"name":"CODECAPI_AVEncStatAudioAveragePCMValue","features":[431]},{"name":"CODECAPI_AVEncStatAudioPeakPCMValue","features":[431]},{"name":"CODECAPI_AVEncStatAverageBPS","features":[431]},{"name":"CODECAPI_AVEncStatCommonCompletedPasses","features":[431]},{"name":"CODECAPI_AVEncStatHardwareBandwidthUtilitization","features":[431]},{"name":"CODECAPI_AVEncStatHardwareProcessorUtilitization","features":[431]},{"name":"CODECAPI_AVEncStatMPVSkippedEmptyFrames","features":[431]},{"name":"CODECAPI_AVEncStatVideoCodedFrames","features":[431]},{"name":"CODECAPI_AVEncStatVideoOutputFrameRate","features":[431]},{"name":"CODECAPI_AVEncStatVideoTotalFrames","features":[431]},{"name":"CODECAPI_AVEncStatWMVCBAvg","features":[431]},{"name":"CODECAPI_AVEncStatWMVCBMax","features":[431]},{"name":"CODECAPI_AVEncStatWMVDecoderComplexityProfile","features":[431]},{"name":"CODECAPI_AVEncTileColumns","features":[431]},{"name":"CODECAPI_AVEncTileRows","features":[431]},{"name":"CODECAPI_AVEncVideoCBRMotionTradeoff","features":[431]},{"name":"CODECAPI_AVEncVideoCTBSize","features":[431]},{"name":"CODECAPI_AVEncVideoCodedVideoAccessUnitSize","features":[431]},{"name":"CODECAPI_AVEncVideoConsecutiveFramesForLayer","features":[431]},{"name":"CODECAPI_AVEncVideoContentType","features":[431]},{"name":"CODECAPI_AVEncVideoDefaultUpperFieldDominant","features":[431]},{"name":"CODECAPI_AVEncVideoDirtyRectEnabled","features":[431]},{"name":"CODECAPI_AVEncVideoDisplayDimension","features":[431]},{"name":"CODECAPI_AVEncVideoEncodeDimension","features":[431]},{"name":"CODECAPI_AVEncVideoEncodeFrameTypeQP","features":[431]},{"name":"CODECAPI_AVEncVideoEncodeOffsetOrigin","features":[431]},{"name":"CODECAPI_AVEncVideoEncodeQP","features":[431]},{"name":"CODECAPI_AVEncVideoFieldSwap","features":[431]},{"name":"CODECAPI_AVEncVideoForceKeyFrame","features":[431]},{"name":"CODECAPI_AVEncVideoForceSourceScanType","features":[431]},{"name":"CODECAPI_AVEncVideoGradualIntraRefresh","features":[431]},{"name":"CODECAPI_AVEncVideoHeaderDropFrame","features":[431]},{"name":"CODECAPI_AVEncVideoHeaderFrames","features":[431]},{"name":"CODECAPI_AVEncVideoHeaderHours","features":[431]},{"name":"CODECAPI_AVEncVideoHeaderMinutes","features":[431]},{"name":"CODECAPI_AVEncVideoHeaderSeconds","features":[431]},{"name":"CODECAPI_AVEncVideoInputChromaResolution","features":[431]},{"name":"CODECAPI_AVEncVideoInputChromaSubsampling","features":[431]},{"name":"CODECAPI_AVEncVideoInputColorLighting","features":[431]},{"name":"CODECAPI_AVEncVideoInputColorNominalRange","features":[431]},{"name":"CODECAPI_AVEncVideoInputColorPrimaries","features":[431]},{"name":"CODECAPI_AVEncVideoInputColorTransferFunction","features":[431]},{"name":"CODECAPI_AVEncVideoInputColorTransferMatrix","features":[431]},{"name":"CODECAPI_AVEncVideoInstantTemporalUpSwitching","features":[431]},{"name":"CODECAPI_AVEncVideoIntraLayerPrediction","features":[431]},{"name":"CODECAPI_AVEncVideoInverseTelecineEnable","features":[431]},{"name":"CODECAPI_AVEncVideoInverseTelecineThreshold","features":[431]},{"name":"CODECAPI_AVEncVideoLTRBufferControl","features":[431]},{"name":"CODECAPI_AVEncVideoMarkLTRFrame","features":[431]},{"name":"CODECAPI_AVEncVideoMaxCTBSize","features":[431]},{"name":"CODECAPI_AVEncVideoMaxKeyframeDistance","features":[431]},{"name":"CODECAPI_AVEncVideoMaxNumRefFrame","features":[431]},{"name":"CODECAPI_AVEncVideoMaxNumRefFrameForLayer","features":[431]},{"name":"CODECAPI_AVEncVideoMaxQP","features":[431]},{"name":"CODECAPI_AVEncVideoMaxTemporalLayers","features":[431]},{"name":"CODECAPI_AVEncVideoMeanAbsoluteDifference","features":[431]},{"name":"CODECAPI_AVEncVideoMinQP","features":[431]},{"name":"CODECAPI_AVEncVideoNoOfFieldsToEncode","features":[431]},{"name":"CODECAPI_AVEncVideoNoOfFieldsToSkip","features":[431]},{"name":"CODECAPI_AVEncVideoNumGOPsPerIDR","features":[431]},{"name":"CODECAPI_AVEncVideoOutputChromaResolution","features":[431]},{"name":"CODECAPI_AVEncVideoOutputChromaSubsampling","features":[431]},{"name":"CODECAPI_AVEncVideoOutputColorLighting","features":[431]},{"name":"CODECAPI_AVEncVideoOutputColorNominalRange","features":[431]},{"name":"CODECAPI_AVEncVideoOutputColorPrimaries","features":[431]},{"name":"CODECAPI_AVEncVideoOutputColorTransferFunction","features":[431]},{"name":"CODECAPI_AVEncVideoOutputColorTransferMatrix","features":[431]},{"name":"CODECAPI_AVEncVideoOutputFrameRate","features":[431]},{"name":"CODECAPI_AVEncVideoOutputFrameRateConversion","features":[431]},{"name":"CODECAPI_AVEncVideoOutputScanType","features":[431]},{"name":"CODECAPI_AVEncVideoPixelAspectRatio","features":[431]},{"name":"CODECAPI_AVEncVideoROIEnabled","features":[431]},{"name":"CODECAPI_AVEncVideoRateControlParams","features":[431]},{"name":"CODECAPI_AVEncVideoSelectLayer","features":[431]},{"name":"CODECAPI_AVEncVideoSourceFilmContent","features":[431]},{"name":"CODECAPI_AVEncVideoSourceIsBW","features":[431]},{"name":"CODECAPI_AVEncVideoSupportedControls","features":[431]},{"name":"CODECAPI_AVEncVideoTemporalLayerCount","features":[431]},{"name":"CODECAPI_AVEncVideoUsage","features":[431]},{"name":"CODECAPI_AVEncVideoUseLTRFrame","features":[431]},{"name":"CODECAPI_AVEncWMVDecoderComplexity","features":[431]},{"name":"CODECAPI_AVEncWMVInterlacedEncoding","features":[431]},{"name":"CODECAPI_AVEncWMVKeyFrameBufferLevelMarker","features":[431]},{"name":"CODECAPI_AVEncWMVKeyFrameDistance","features":[431]},{"name":"CODECAPI_AVEncWMVProduceDummyFrames","features":[431]},{"name":"CODECAPI_AVLowLatencyMode","features":[431]},{"name":"CODECAPI_AVPriorityControl","features":[431]},{"name":"CODECAPI_AVRealtimeControl","features":[431]},{"name":"CODECAPI_AVScenarioInfo","features":[431]},{"name":"CODECAPI_CHANGELISTS","features":[431]},{"name":"CODECAPI_CURRENTCHANGELIST","features":[431]},{"name":"CODECAPI_GUID_AVDecAudioInputAAC","features":[431]},{"name":"CODECAPI_GUID_AVDecAudioInputDTS","features":[431]},{"name":"CODECAPI_GUID_AVDecAudioInputDolby","features":[431]},{"name":"CODECAPI_GUID_AVDecAudioInputDolbyDigitalPlus","features":[431]},{"name":"CODECAPI_GUID_AVDecAudioInputHEAAC","features":[431]},{"name":"CODECAPI_GUID_AVDecAudioInputMPEG","features":[431]},{"name":"CODECAPI_GUID_AVDecAudioInputPCM","features":[431]},{"name":"CODECAPI_GUID_AVDecAudioInputWMA","features":[431]},{"name":"CODECAPI_GUID_AVDecAudioInputWMAPro","features":[431]},{"name":"CODECAPI_GUID_AVDecAudioOutputFormat_PCM","features":[431]},{"name":"CODECAPI_GUID_AVDecAudioOutputFormat_PCM_Headphones","features":[431]},{"name":"CODECAPI_GUID_AVDecAudioOutputFormat_PCM_Stereo_Auto","features":[431]},{"name":"CODECAPI_GUID_AVDecAudioOutputFormat_PCM_Stereo_MatrixEncoded","features":[431]},{"name":"CODECAPI_GUID_AVDecAudioOutputFormat_SPDIF_Bitstream","features":[431]},{"name":"CODECAPI_GUID_AVDecAudioOutputFormat_SPDIF_PCM","features":[431]},{"name":"CODECAPI_GUID_AVEncCommonFormatATSC","features":[431]},{"name":"CODECAPI_GUID_AVEncCommonFormatDVB","features":[431]},{"name":"CODECAPI_GUID_AVEncCommonFormatDVD_DashVR","features":[431]},{"name":"CODECAPI_GUID_AVEncCommonFormatDVD_PlusVR","features":[431]},{"name":"CODECAPI_GUID_AVEncCommonFormatDVD_V","features":[431]},{"name":"CODECAPI_GUID_AVEncCommonFormatHighMAT","features":[431]},{"name":"CODECAPI_GUID_AVEncCommonFormatHighMPV","features":[431]},{"name":"CODECAPI_GUID_AVEncCommonFormatMP3","features":[431]},{"name":"CODECAPI_GUID_AVEncCommonFormatSVCD","features":[431]},{"name":"CODECAPI_GUID_AVEncCommonFormatUnSpecified","features":[431]},{"name":"CODECAPI_GUID_AVEncCommonFormatVCD","features":[431]},{"name":"CODECAPI_GUID_AVEncDTS","features":[431]},{"name":"CODECAPI_GUID_AVEncDTSHD","features":[431]},{"name":"CODECAPI_GUID_AVEncDV","features":[431]},{"name":"CODECAPI_GUID_AVEncDolbyDigitalConsumer","features":[431]},{"name":"CODECAPI_GUID_AVEncDolbyDigitalPlus","features":[431]},{"name":"CODECAPI_GUID_AVEncDolbyDigitalPro","features":[431]},{"name":"CODECAPI_GUID_AVEncH264Video","features":[431]},{"name":"CODECAPI_GUID_AVEncMLP","features":[431]},{"name":"CODECAPI_GUID_AVEncMPEG1Audio","features":[431]},{"name":"CODECAPI_GUID_AVEncMPEG1Video","features":[431]},{"name":"CODECAPI_GUID_AVEncMPEG2Audio","features":[431]},{"name":"CODECAPI_GUID_AVEncMPEG2Video","features":[431]},{"name":"CODECAPI_GUID_AVEncPCM","features":[431]},{"name":"CODECAPI_GUID_AVEncSDDS","features":[431]},{"name":"CODECAPI_GUID_AVEncWMALossless","features":[431]},{"name":"CODECAPI_GUID_AVEncWMAPro","features":[431]},{"name":"CODECAPI_GUID_AVEncWMAVoice","features":[431]},{"name":"CODECAPI_GUID_AVEncWMV","features":[431]},{"name":"CODECAPI_GUID_AVEndMPEG4Video","features":[431]},{"name":"CODECAPI_GetOPMContext","features":[431]},{"name":"CODECAPI_SETALLDEFAULTS","features":[431]},{"name":"CODECAPI_SUPPORTSEVENTS","features":[431]},{"name":"CODECAPI_SetHDCPManagerContext","features":[431]},{"name":"CODECAPI_VIDEO_ENCODER","features":[431]},{"name":"CODECAPI_VideoEncoderDisplayContentType","features":[431]},{"name":"COPP_ProtectionType_ACP","features":[431]},{"name":"COPP_ProtectionType_CGMSA","features":[431]},{"name":"COPP_ProtectionType_HDCP","features":[431]},{"name":"COPP_ProtectionType_Mask","features":[431]},{"name":"COPP_ProtectionType_None","features":[431]},{"name":"COPP_ProtectionType_Reserved","features":[431]},{"name":"COPP_ProtectionType_Unknown","features":[431]},{"name":"CPK_DS_AC3Decoder","features":[431]},{"name":"CPK_DS_MPEG2Decoder","features":[431]},{"name":"CResamplerMediaObject","features":[431]},{"name":"CResizerDMO","features":[431]},{"name":"CResizerMediaObject","features":[431]},{"name":"CShotDetectorDmo","features":[431]},{"name":"CSmpteTransformsDmo","features":[431]},{"name":"CThumbnailGeneratorDmo","features":[431]},{"name":"CTocGeneratorDmo","features":[431]},{"name":"CVodafoneAACCCDecMediaObject","features":[431]},{"name":"CVodafoneAACDecMediaObject","features":[431]},{"name":"CWMADecMediaObject","features":[431]},{"name":"CWMAEncMediaObject","features":[431]},{"name":"CWMATransMediaObject","features":[431]},{"name":"CWMAudioAEC","features":[431]},{"name":"CWMAudioCAPXGFXAPO","features":[431]},{"name":"CWMAudioCAPXLFXAPO","features":[431]},{"name":"CWMAudioGFXAPO","features":[431]},{"name":"CWMAudioLFXAPO","features":[431]},{"name":"CWMAudioSpdTxDMO","features":[431]},{"name":"CWMSPDecMediaObject","features":[431]},{"name":"CWMSPEncMediaObject","features":[431]},{"name":"CWMSPEncMediaObject2","features":[431]},{"name":"CWMTDecMediaObject","features":[431]},{"name":"CWMTEncMediaObject","features":[431]},{"name":"CWMV9EncMediaObject","features":[431]},{"name":"CWMVDecMediaObject","features":[431]},{"name":"CWMVEncMediaObject2","features":[431]},{"name":"CWMVXEncMediaObject","features":[431]},{"name":"CWVC1DecMediaObject","features":[431]},{"name":"CWVC1EncMediaObject","features":[431]},{"name":"CZuneAACCCDecMediaObject","features":[431]},{"name":"CZuneM4S2DecMediaObject","features":[431]},{"name":"CodecAPIEventData","features":[431]},{"name":"CreateNamedPropertyStore","features":[431,379]},{"name":"CreatePropertyStore","features":[431,379]},{"name":"D3D12_BITSTREAM_ENCRYPTION_TYPE","features":[431]},{"name":"D3D12_BITSTREAM_ENCRYPTION_TYPE_NONE","features":[431]},{"name":"D3D12_FEATURE_DATA_VIDEO_ARCHITECTURE","features":[308,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_DECODER_HEAP_SIZE","features":[396,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_DECODER_HEAP_SIZE1","features":[308,396,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_DECODE_CONVERSION_SUPPORT","features":[396,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_DECODE_FORMATS","features":[396,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_DECODE_FORMAT_COUNT","features":[431]},{"name":"D3D12_FEATURE_DATA_VIDEO_DECODE_HISTOGRAM","features":[396,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_DECODE_PROFILES","features":[431]},{"name":"D3D12_FEATURE_DATA_VIDEO_DECODE_PROFILE_COUNT","features":[431]},{"name":"D3D12_FEATURE_DATA_VIDEO_DECODE_PROTECTED_RESOURCES","features":[431]},{"name":"D3D12_FEATURE_DATA_VIDEO_DECODE_SUPPORT","features":[396,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_ENCODER_CODEC","features":[308,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT","features":[308,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_ENCODER_CODEC_PICTURE_CONTROL_SUPPORT","features":[308,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_ENCODER_FRAME_SUBREGION_LAYOUT_CONFIG","features":[308,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_ENCODER_FRAME_SUBREGION_LAYOUT_MODE","features":[308,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_ENCODER_HEAP_SIZE","features":[308,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_ENCODER_INPUT_FORMAT","features":[308,396,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_ENCODER_INTRA_REFRESH_MODE","features":[308,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_ENCODER_OUTPUT_RESOLUTION","features":[308,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_ENCODER_OUTPUT_RESOLUTION_RATIOS_COUNT","features":[431]},{"name":"D3D12_FEATURE_DATA_VIDEO_ENCODER_PROFILE_LEVEL","features":[308,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_ENCODER_RATE_CONTROL_MODE","features":[308,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_ENCODER_RESOLUTION_SUPPORT_LIMITS","features":[431]},{"name":"D3D12_FEATURE_DATA_VIDEO_ENCODER_RESOURCE_REQUIREMENTS","features":[308,396,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_ENCODER_SUPPORT","features":[396,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_ENCODER_SUPPORT1","features":[396,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_EXTENSION_COMMANDS","features":[355,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_EXTENSION_COMMAND_COUNT","features":[431]},{"name":"D3D12_FEATURE_DATA_VIDEO_EXTENSION_COMMAND_PARAMETERS","features":[431]},{"name":"D3D12_FEATURE_DATA_VIDEO_EXTENSION_COMMAND_PARAMETER_COUNT","features":[431]},{"name":"D3D12_FEATURE_DATA_VIDEO_EXTENSION_COMMAND_SIZE","features":[431]},{"name":"D3D12_FEATURE_DATA_VIDEO_EXTENSION_COMMAND_SUPPORT","features":[431]},{"name":"D3D12_FEATURE_DATA_VIDEO_FEATURE_AREA_SUPPORT","features":[308,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_MOTION_ESTIMATOR","features":[396,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_MOTION_ESTIMATOR_PROTECTED_RESOURCES","features":[431]},{"name":"D3D12_FEATURE_DATA_VIDEO_MOTION_ESTIMATOR_SIZE","features":[308,396,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_PROCESSOR_SIZE","features":[308,396,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_PROCESSOR_SIZE1","features":[308,396,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_PROCESS_MAX_INPUT_STREAMS","features":[431]},{"name":"D3D12_FEATURE_DATA_VIDEO_PROCESS_PROTECTED_RESOURCES","features":[431]},{"name":"D3D12_FEATURE_DATA_VIDEO_PROCESS_REFERENCE_INFO","features":[308,396,431]},{"name":"D3D12_FEATURE_DATA_VIDEO_PROCESS_SUPPORT","features":[396,431]},{"name":"D3D12_FEATURE_VIDEO","features":[431]},{"name":"D3D12_FEATURE_VIDEO_ARCHITECTURE","features":[431]},{"name":"D3D12_FEATURE_VIDEO_DECODER_HEAP_SIZE","features":[431]},{"name":"D3D12_FEATURE_VIDEO_DECODER_HEAP_SIZE1","features":[431]},{"name":"D3D12_FEATURE_VIDEO_DECODE_CONVERSION_SUPPORT","features":[431]},{"name":"D3D12_FEATURE_VIDEO_DECODE_FORMATS","features":[431]},{"name":"D3D12_FEATURE_VIDEO_DECODE_FORMAT_COUNT","features":[431]},{"name":"D3D12_FEATURE_VIDEO_DECODE_HISTOGRAM","features":[431]},{"name":"D3D12_FEATURE_VIDEO_DECODE_PROFILES","features":[431]},{"name":"D3D12_FEATURE_VIDEO_DECODE_PROFILE_COUNT","features":[431]},{"name":"D3D12_FEATURE_VIDEO_DECODE_PROTECTED_RESOURCES","features":[431]},{"name":"D3D12_FEATURE_VIDEO_DECODE_SUPPORT","features":[431]},{"name":"D3D12_FEATURE_VIDEO_ENCODER_CODEC","features":[431]},{"name":"D3D12_FEATURE_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT","features":[431]},{"name":"D3D12_FEATURE_VIDEO_ENCODER_CODEC_PICTURE_CONTROL_SUPPORT","features":[431]},{"name":"D3D12_FEATURE_VIDEO_ENCODER_FRAME_SUBREGION_LAYOUT_CONFIG","features":[431]},{"name":"D3D12_FEATURE_VIDEO_ENCODER_FRAME_SUBREGION_LAYOUT_MODE","features":[431]},{"name":"D3D12_FEATURE_VIDEO_ENCODER_HEAP_SIZE","features":[431]},{"name":"D3D12_FEATURE_VIDEO_ENCODER_INPUT_FORMAT","features":[431]},{"name":"D3D12_FEATURE_VIDEO_ENCODER_INTRA_REFRESH_MODE","features":[431]},{"name":"D3D12_FEATURE_VIDEO_ENCODER_OUTPUT_RESOLUTION","features":[431]},{"name":"D3D12_FEATURE_VIDEO_ENCODER_OUTPUT_RESOLUTION_RATIOS_COUNT","features":[431]},{"name":"D3D12_FEATURE_VIDEO_ENCODER_PROFILE_LEVEL","features":[431]},{"name":"D3D12_FEATURE_VIDEO_ENCODER_RATE_CONTROL_MODE","features":[431]},{"name":"D3D12_FEATURE_VIDEO_ENCODER_RESOURCE_REQUIREMENTS","features":[431]},{"name":"D3D12_FEATURE_VIDEO_ENCODER_SUPPORT","features":[431]},{"name":"D3D12_FEATURE_VIDEO_ENCODER_SUPPORT1","features":[431]},{"name":"D3D12_FEATURE_VIDEO_EXTENSION_COMMANDS","features":[431]},{"name":"D3D12_FEATURE_VIDEO_EXTENSION_COMMAND_COUNT","features":[431]},{"name":"D3D12_FEATURE_VIDEO_EXTENSION_COMMAND_PARAMETERS","features":[431]},{"name":"D3D12_FEATURE_VIDEO_EXTENSION_COMMAND_PARAMETER_COUNT","features":[431]},{"name":"D3D12_FEATURE_VIDEO_EXTENSION_COMMAND_SIZE","features":[431]},{"name":"D3D12_FEATURE_VIDEO_EXTENSION_COMMAND_SUPPORT","features":[431]},{"name":"D3D12_FEATURE_VIDEO_FEATURE_AREA_SUPPORT","features":[431]},{"name":"D3D12_FEATURE_VIDEO_MOTION_ESTIMATOR","features":[431]},{"name":"D3D12_FEATURE_VIDEO_MOTION_ESTIMATOR_PROTECTED_RESOURCES","features":[431]},{"name":"D3D12_FEATURE_VIDEO_MOTION_ESTIMATOR_SIZE","features":[431]},{"name":"D3D12_FEATURE_VIDEO_PROCESSOR_SIZE","features":[431]},{"name":"D3D12_FEATURE_VIDEO_PROCESSOR_SIZE1","features":[431]},{"name":"D3D12_FEATURE_VIDEO_PROCESS_MAX_INPUT_STREAMS","features":[431]},{"name":"D3D12_FEATURE_VIDEO_PROCESS_PROTECTED_RESOURCES","features":[431]},{"name":"D3D12_FEATURE_VIDEO_PROCESS_REFERENCE_INFO","features":[431]},{"name":"D3D12_FEATURE_VIDEO_PROCESS_SUPPORT","features":[431]},{"name":"D3D12_QUERY_DATA_VIDEO_DECODE_STATISTICS","features":[396,431]},{"name":"D3D12_RESOLVE_VIDEO_MOTION_VECTOR_HEAP_INPUT","features":[355,431]},{"name":"D3D12_RESOLVE_VIDEO_MOTION_VECTOR_HEAP_OUTPUT","features":[355,431]},{"name":"D3D12_RESOURCE_COORDINATE","features":[431]},{"name":"D3D12_VIDEO_DECODER_DESC","features":[431]},{"name":"D3D12_VIDEO_DECODER_HEAP_DESC","features":[396,431]},{"name":"D3D12_VIDEO_DECODE_ARGUMENT_TYPE","features":[431]},{"name":"D3D12_VIDEO_DECODE_ARGUMENT_TYPE_INVERSE_QUANTIZATION_MATRIX","features":[431]},{"name":"D3D12_VIDEO_DECODE_ARGUMENT_TYPE_MAX_VALID","features":[431]},{"name":"D3D12_VIDEO_DECODE_ARGUMENT_TYPE_PICTURE_PARAMETERS","features":[431]},{"name":"D3D12_VIDEO_DECODE_ARGUMENT_TYPE_SLICE_CONTROL","features":[431]},{"name":"D3D12_VIDEO_DECODE_COMPRESSED_BITSTREAM","features":[355,431]},{"name":"D3D12_VIDEO_DECODE_CONFIGURATION","features":[431]},{"name":"D3D12_VIDEO_DECODE_CONFIGURATION_FLAGS","features":[431]},{"name":"D3D12_VIDEO_DECODE_CONFIGURATION_FLAG_ALLOW_RESOLUTION_CHANGE_ON_NON_KEY_FRAME","features":[431]},{"name":"D3D12_VIDEO_DECODE_CONFIGURATION_FLAG_HEIGHT_ALIGNMENT_MULTIPLE_32_REQUIRED","features":[431]},{"name":"D3D12_VIDEO_DECODE_CONFIGURATION_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_DECODE_CONFIGURATION_FLAG_POST_PROCESSING_SUPPORTED","features":[431]},{"name":"D3D12_VIDEO_DECODE_CONFIGURATION_FLAG_REFERENCE_ONLY_ALLOCATIONS_REQUIRED","features":[431]},{"name":"D3D12_VIDEO_DECODE_CONVERSION_ARGUMENTS","features":[308,355,396,431]},{"name":"D3D12_VIDEO_DECODE_CONVERSION_ARGUMENTS1","features":[308,355,396,431]},{"name":"D3D12_VIDEO_DECODE_CONVERSION_SUPPORT_FLAGS","features":[431]},{"name":"D3D12_VIDEO_DECODE_CONVERSION_SUPPORT_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_DECODE_CONVERSION_SUPPORT_FLAG_SUPPORTED","features":[431]},{"name":"D3D12_VIDEO_DECODE_FRAME_ARGUMENT","features":[431]},{"name":"D3D12_VIDEO_DECODE_HISTOGRAM_COMPONENT","features":[431]},{"name":"D3D12_VIDEO_DECODE_HISTOGRAM_COMPONENT_A","features":[431]},{"name":"D3D12_VIDEO_DECODE_HISTOGRAM_COMPONENT_B","features":[431]},{"name":"D3D12_VIDEO_DECODE_HISTOGRAM_COMPONENT_FLAGS","features":[431]},{"name":"D3D12_VIDEO_DECODE_HISTOGRAM_COMPONENT_FLAG_A","features":[431]},{"name":"D3D12_VIDEO_DECODE_HISTOGRAM_COMPONENT_FLAG_B","features":[431]},{"name":"D3D12_VIDEO_DECODE_HISTOGRAM_COMPONENT_FLAG_G","features":[431]},{"name":"D3D12_VIDEO_DECODE_HISTOGRAM_COMPONENT_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_DECODE_HISTOGRAM_COMPONENT_FLAG_R","features":[431]},{"name":"D3D12_VIDEO_DECODE_HISTOGRAM_COMPONENT_FLAG_U","features":[431]},{"name":"D3D12_VIDEO_DECODE_HISTOGRAM_COMPONENT_FLAG_V","features":[431]},{"name":"D3D12_VIDEO_DECODE_HISTOGRAM_COMPONENT_FLAG_Y","features":[431]},{"name":"D3D12_VIDEO_DECODE_HISTOGRAM_COMPONENT_G","features":[431]},{"name":"D3D12_VIDEO_DECODE_HISTOGRAM_COMPONENT_R","features":[431]},{"name":"D3D12_VIDEO_DECODE_HISTOGRAM_COMPONENT_U","features":[431]},{"name":"D3D12_VIDEO_DECODE_HISTOGRAM_COMPONENT_V","features":[431]},{"name":"D3D12_VIDEO_DECODE_HISTOGRAM_COMPONENT_Y","features":[431]},{"name":"D3D12_VIDEO_DECODE_INPUT_STREAM_ARGUMENTS","features":[355,431]},{"name":"D3D12_VIDEO_DECODE_OUTPUT_HISTOGRAM","features":[355,431]},{"name":"D3D12_VIDEO_DECODE_OUTPUT_STREAM_ARGUMENTS","features":[308,355,396,431]},{"name":"D3D12_VIDEO_DECODE_OUTPUT_STREAM_ARGUMENTS1","features":[308,355,396,431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_AV1_12BIT_PROFILE2","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_AV1_12BIT_PROFILE2_420","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_AV1_PROFILE0","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_AV1_PROFILE1","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_AV1_PROFILE2","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_H264","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_H264_MULTIVIEW","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_H264_STEREO","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_H264_STEREO_PROGRESSIVE","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_HEVC_MAIN","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_HEVC_MAIN10","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_HEVC_MAIN10_422","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_HEVC_MAIN10_444","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_HEVC_MAIN10_EXT","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_HEVC_MAIN12","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_HEVC_MAIN12_422","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_HEVC_MAIN12_444","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_HEVC_MAIN16","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_HEVC_MAIN_444","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_HEVC_MONOCHROME","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_HEVC_MONOCHROME10","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_MPEG1_AND_MPEG2","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_MPEG2","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_MPEG4PT2_ADVSIMPLE_NOGMC","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_MPEG4PT2_SIMPLE","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_VC1","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_VC1_D2010","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_VP8","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_VP9","features":[431]},{"name":"D3D12_VIDEO_DECODE_PROFILE_VP9_10BIT_PROFILE2","features":[431]},{"name":"D3D12_VIDEO_DECODE_REFERENCE_FRAMES","features":[355,431]},{"name":"D3D12_VIDEO_DECODE_STATUS","features":[431]},{"name":"D3D12_VIDEO_DECODE_STATUS_CONTINUE","features":[431]},{"name":"D3D12_VIDEO_DECODE_STATUS_CONTINUE_SKIP_DISPLAY","features":[431]},{"name":"D3D12_VIDEO_DECODE_STATUS_OK","features":[431]},{"name":"D3D12_VIDEO_DECODE_STATUS_RATE_EXCEEDED","features":[431]},{"name":"D3D12_VIDEO_DECODE_STATUS_RESTART","features":[431]},{"name":"D3D12_VIDEO_DECODE_SUPPORT_FLAGS","features":[431]},{"name":"D3D12_VIDEO_DECODE_SUPPORT_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_DECODE_SUPPORT_FLAG_SUPPORTED","features":[431]},{"name":"D3D12_VIDEO_DECODE_TIER","features":[431]},{"name":"D3D12_VIDEO_DECODE_TIER_1","features":[431]},{"name":"D3D12_VIDEO_DECODE_TIER_2","features":[431]},{"name":"D3D12_VIDEO_DECODE_TIER_3","features":[431]},{"name":"D3D12_VIDEO_DECODE_TIER_NOT_SUPPORTED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_CDEF_CONFIG","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_CODEC_CONFIGURATION","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_CODEC_CONFIGURATION_SUPPORT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_COMP_PREDICTION_TYPE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_COMP_PREDICTION_TYPE_COMPOUND_REFERENCE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_COMP_PREDICTION_TYPE_SINGLE_REFERENCE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_128x128_SUPERBLOCK","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_ALLOW_HIGH_PRECISION_MV","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_AUTO_SEGMENTATION","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_CDEF_FILTERING","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_CUSTOM_SEGMENTATION","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_DELTA_LF_PARAMS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_DUAL_FILTER","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_FILTER_INTRA","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_FORCED_INTEGER_MOTION_VECTORS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_FRAME_REFERENCE_MOTION_VECTORS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_INTERINTRA_COMPOUND","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_INTRA_BLOCK_COPY","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_INTRA_EDGE_FILTER","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_JNT_COMP","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_LOOP_FILTER_DELTAS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_LOOP_RESTORATION_FILTER","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_MASKED_COMPOUND","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_MOTION_MODE_SWITCHABLE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_ORDER_HINT_TOOLS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_PALETTE_ENCODING","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_QUANTIZATION_DELTAS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_QUANTIZATION_MATRIX","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_REDUCED_TX_SET","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_SKIP_MODE_PRESENT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_SUPER_RESOLUTION","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FEATURE_FLAG_WARPED_MOTION","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FRAME_SUBREGION_LAYOUT_CONFIG_SUPPORT","features":[308,431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FRAME_SUBREGION_LAYOUT_CONFIG_VALIDATION_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FRAME_SUBREGION_LAYOUT_CONFIG_VALIDATION_FLAG_AREA","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FRAME_SUBREGION_LAYOUT_CONFIG_VALIDATION_FLAG_CODEC_CONSTRAINT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FRAME_SUBREGION_LAYOUT_CONFIG_VALIDATION_FLAG_COLS_COUNT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FRAME_SUBREGION_LAYOUT_CONFIG_VALIDATION_FLAG_HARDWARE_CONSTRAINT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FRAME_SUBREGION_LAYOUT_CONFIG_VALIDATION_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FRAME_SUBREGION_LAYOUT_CONFIG_VALIDATION_FLAG_NOT_SPECIFIED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FRAME_SUBREGION_LAYOUT_CONFIG_VALIDATION_FLAG_ROWS_COUNT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FRAME_SUBREGION_LAYOUT_CONFIG_VALIDATION_FLAG_TOTAL_TILES","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FRAME_SUBREGION_LAYOUT_CONFIG_VALIDATION_FLAG_WIDTH","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FRAME_TYPE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FRAME_TYPE_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FRAME_TYPE_FLAG_INTER_FRAME","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FRAME_TYPE_FLAG_INTRA_ONLY_FRAME","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FRAME_TYPE_FLAG_KEY_FRAME","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FRAME_TYPE_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FRAME_TYPE_FLAG_SWITCH_FRAME","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FRAME_TYPE_INTER_FRAME","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FRAME_TYPE_INTRA_ONLY_FRAME","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FRAME_TYPE_KEY_FRAME","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_FRAME_TYPE_SWITCH_FRAME","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_INTERPOLATION_FILTERS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_INTERPOLATION_FILTERS_BILINEAR","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_INTERPOLATION_FILTERS_EIGHTTAP","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_INTERPOLATION_FILTERS_EIGHTTAP_SHARP","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_INTERPOLATION_FILTERS_EIGHTTAP_SMOOTH","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_INTERPOLATION_FILTERS_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_INTERPOLATION_FILTERS_FLAG_BILINEAR","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_INTERPOLATION_FILTERS_FLAG_EIGHTTAP","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_INTERPOLATION_FILTERS_FLAG_EIGHTTAP_SHARP","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_INTERPOLATION_FILTERS_FLAG_EIGHTTAP_SMOOTH","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_INTERPOLATION_FILTERS_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_INTERPOLATION_FILTERS_FLAG_SWITCHABLE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_INTERPOLATION_FILTERS_SWITCHABLE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_2_0","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_2_1","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_2_2","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_2_3","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_3_0","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_3_1","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_3_2","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_3_3","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_4_0","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_4_1","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_4_2","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_4_3","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_5_0","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_5_1","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_5_2","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_5_3","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_6_0","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_6_1","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_6_2","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_6_3","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_7_0","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_7_1","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_7_2","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVELS_7_3","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_LEVEL_TIER_CONSTRAINTS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_PICTURE_CONTROL_CODEC_DATA","features":[308,431]},{"name":"D3D12_VIDEO_ENCODER_AV1_PICTURE_CONTROL_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_PICTURE_CONTROL_FLAG_ALLOW_HIGH_PRECISION_MV","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_PICTURE_CONTROL_FLAG_ALLOW_INTRA_BLOCK_COPY","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_PICTURE_CONTROL_FLAG_DISABLE_CDF_UPDATE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_PICTURE_CONTROL_FLAG_DISABLE_FRAME_END_UPDATE_CDF","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_PICTURE_CONTROL_FLAG_ENABLE_ERROR_RESILIENT_MODE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_PICTURE_CONTROL_FLAG_ENABLE_FRAME_SEGMENTATION_AUTO","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_PICTURE_CONTROL_FLAG_ENABLE_FRAME_SEGMENTATION_CUSTOM","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_PICTURE_CONTROL_FLAG_ENABLE_PALETTE_ENCODING","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_PICTURE_CONTROL_FLAG_ENABLE_SKIP_MODE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_PICTURE_CONTROL_FLAG_ENABLE_WARPED_MOTION","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_PICTURE_CONTROL_FLAG_FORCE_INTEGER_MOTION_VECTORS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_PICTURE_CONTROL_FLAG_FRAME_REFERENCE_MOTION_VECTORS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_PICTURE_CONTROL_FLAG_MOTION_MODE_SWITCHABLE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_PICTURE_CONTROL_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_PICTURE_CONTROL_FLAG_REDUCED_TX_SET","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_PICTURE_CONTROL_FLAG_USE_SUPER_RESOLUTION","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_PICTURE_CONTROL_SUBREGIONS_LAYOUT_DATA_TILES","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_POST_ENCODE_VALUES","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_POST_ENCODE_VALUES_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_POST_ENCODE_VALUES_FLAG_CDEF_DATA","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_POST_ENCODE_VALUES_FLAG_COMPOUND_PREDICTION_MODE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_POST_ENCODE_VALUES_FLAG_CONTEXT_UPDATE_TILE_ID","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_POST_ENCODE_VALUES_FLAG_LOOP_FILTER","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_POST_ENCODE_VALUES_FLAG_LOOP_FILTER_DELTA","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_POST_ENCODE_VALUES_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_POST_ENCODE_VALUES_FLAG_PRIMARY_REF_FRAME","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_POST_ENCODE_VALUES_FLAG_QUANTIZATION","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_POST_ENCODE_VALUES_FLAG_QUANTIZATION_DELTA","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_POST_ENCODE_VALUES_FLAG_REFERENCE_INDICES","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_PROFILE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_PROFILE_HIGH","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_PROFILE_MAIN","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_PROFILE_PROFESSIONAL","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_REFERENCE_PICTURE_DESCRIPTOR","features":[308,431]},{"name":"D3D12_VIDEO_ENCODER_AV1_REFERENCE_PICTURE_WARPED_MOTION_INFO","features":[308,431]},{"name":"D3D12_VIDEO_ENCODER_AV1_REFERENCE_WARPED_MOTION_TRANSFORMATION","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_REFERENCE_WARPED_MOTION_TRANSFORMATION_AFFINE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_REFERENCE_WARPED_MOTION_TRANSFORMATION_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_REFERENCE_WARPED_MOTION_TRANSFORMATION_FLAG_AFFINE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_REFERENCE_WARPED_MOTION_TRANSFORMATION_FLAG_IDENTITY","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_REFERENCE_WARPED_MOTION_TRANSFORMATION_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_REFERENCE_WARPED_MOTION_TRANSFORMATION_FLAG_ROTZOOM","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_REFERENCE_WARPED_MOTION_TRANSFORMATION_FLAG_TRANSLATION","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_REFERENCE_WARPED_MOTION_TRANSFORMATION_IDENTITY","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_REFERENCE_WARPED_MOTION_TRANSFORMATION_ROTZOOM","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_REFERENCE_WARPED_MOTION_TRANSFORMATION_TRANSLATION","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_RESTORATION_CONFIG","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_RESTORATION_SUPPORT_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_RESTORATION_SUPPORT_FLAG_128x128","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_RESTORATION_SUPPORT_FLAG_256x256","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_RESTORATION_SUPPORT_FLAG_32x32","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_RESTORATION_SUPPORT_FLAG_64x64","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_RESTORATION_SUPPORT_FLAG_NOT_SUPPORTED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_RESTORATION_TILESIZE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_RESTORATION_TILESIZE_128x128","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_RESTORATION_TILESIZE_256x256","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_RESTORATION_TILESIZE_32x32","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_RESTORATION_TILESIZE_64x64","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_RESTORATION_TILESIZE_DISABLED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_RESTORATION_TYPE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_RESTORATION_TYPE_DISABLED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_RESTORATION_TYPE_SGRPROJ","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_RESTORATION_TYPE_SWITCHABLE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_RESTORATION_TYPE_WIENER","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_BLOCK_SIZE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_BLOCK_SIZE_16x16","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_BLOCK_SIZE_32x32","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_BLOCK_SIZE_4x4","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_BLOCK_SIZE_64x64","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_BLOCK_SIZE_8x8","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_CONFIG","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_MAP","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_MODE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_MODE_ALT_GLOBALMV","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_MODE_ALT_LF_U","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_MODE_ALT_LF_V","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_MODE_ALT_LF_Y_H","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_MODE_ALT_LF_Y_V","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_MODE_ALT_Q","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_MODE_ALT_REF_FRAME","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_MODE_ALT_SKIP","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_MODE_DISABLED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_MODE_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_MODE_FLAG_ALT_GLOBALMV","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_MODE_FLAG_ALT_LF_U","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_MODE_FLAG_ALT_LF_V","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_MODE_FLAG_ALT_LF_Y_H","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_MODE_FLAG_ALT_LF_Y_V","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_MODE_FLAG_ALT_Q","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_MODE_FLAG_ALT_SKIP","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_MODE_FLAG_DISABLED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_MODE_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENTATION_MODE_FLAG_REF_FRAME","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEGMENT_DATA","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_SEQUENCE_STRUCTURE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_TIER","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_TIER_HIGH","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_TIER_MAIN","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_TX_MODE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_TX_MODE_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_TX_MODE_FLAG_LARGEST","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_TX_MODE_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_TX_MODE_FLAG_ONLY4x4","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_TX_MODE_FLAG_SELECT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_TX_MODE_LARGEST","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_TX_MODE_ONLY4x4","features":[431]},{"name":"D3D12_VIDEO_ENCODER_AV1_TX_MODE_SELECT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_AV1","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_AV1_LOOP_FILTER_CONFIG","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_AV1_LOOP_FILTER_DELTA_CONFIG","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_AV1_PICTURE_CONTROL_SUPPORT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_AV1_QUANTIZATION_CONFIG","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_AV1_QUANTIZATION_DELTA_CONFIG","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_DIRECT_MODES","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_DIRECT_MODES_DISABLED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_DIRECT_MODES_SPATIAL","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_DIRECT_MODES_TEMPORAL","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_FLAG_ALLOW_REQUEST_INTRA_CONSTRAINED_SLICES","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_FLAG_ENABLE_CABAC_ENCODING","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_FLAG_USE_ADAPTIVE_8x8_TRANSFORM","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_FLAG_USE_CONSTRAINED_INTRAPREDICTION","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_SLICES_DEBLOCKING_MODES","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_SLICES_DEBLOCKING_MODE_0_ALL_LUMA_CHROMA_SLICE_BLOCK_EDGES_ALWAYS_FILTERED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_SLICES_DEBLOCKING_MODE_1_DISABLE_ALL_SLICE_BLOCK_EDGES","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_SLICES_DEBLOCKING_MODE_2_DISABLE_SLICE_BOUNDARIES_BLOCKS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_SLICES_DEBLOCKING_MODE_3_USE_TWO_STAGE_DEBLOCKING","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_SLICES_DEBLOCKING_MODE_4_DISABLE_CHROMA_BLOCK_EDGES","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_SLICES_DEBLOCKING_MODE_5_DISABLE_CHROMA_BLOCK_EDGES_AND_LUMA_BOUNDARIES","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_SLICES_DEBLOCKING_MODE_6_DISABLE_CHROMA_BLOCK_EDGES_AND_USE_LUMA_TWO_STAGE_DEBLOCKING","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_SLICES_DEBLOCKING_MODE_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_SLICES_DEBLOCKING_MODE_FLAG_0_ALL_LUMA_CHROMA_SLICE_BLOCK_EDGES_ALWAYS_FILTERED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_SLICES_DEBLOCKING_MODE_FLAG_1_DISABLE_ALL_SLICE_BLOCK_EDGES","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_SLICES_DEBLOCKING_MODE_FLAG_2_DISABLE_SLICE_BOUNDARIES_BLOCKS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_SLICES_DEBLOCKING_MODE_FLAG_3_USE_TWO_STAGE_DEBLOCKING","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_SLICES_DEBLOCKING_MODE_FLAG_4_DISABLE_CHROMA_BLOCK_EDGES","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_SLICES_DEBLOCKING_MODE_FLAG_5_DISABLE_CHROMA_BLOCK_EDGES_AND_LUMA_BOUNDARIES","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_SLICES_DEBLOCKING_MODE_FLAG_6_DISABLE_CHROMA_BLOCK_EDGES_AND_USE_LUMA_TWO_STAGE_DEBLOCKING","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_H264_SLICES_DEBLOCKING_MODE_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_HEVC","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_HEVC_CUSIZE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_HEVC_CUSIZE_16x16","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_HEVC_CUSIZE_32x32","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_HEVC_CUSIZE_64x64","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_HEVC_CUSIZE_8x8","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_HEVC_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_HEVC_FLAG_ALLOW_REQUEST_INTRA_CONSTRAINED_SLICES","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_HEVC_FLAG_DISABLE_LOOP_FILTER_ACROSS_SLICES","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_HEVC_FLAG_ENABLE_LONG_TERM_REFERENCES","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_HEVC_FLAG_ENABLE_SAO_FILTER","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_HEVC_FLAG_ENABLE_TRANSFORM_SKIPPING","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_HEVC_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_HEVC_FLAG_USE_ASYMETRIC_MOTION_PARTITION","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_HEVC_FLAG_USE_CONSTRAINED_INTRAPREDICTION","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_HEVC_TUSIZE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_HEVC_TUSIZE_16x16","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_HEVC_TUSIZE_32x32","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_HEVC_TUSIZE_4x4","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_HEVC_TUSIZE_8x8","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT_H264","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT_H264_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT_H264_FLAG_ADAPTIVE_8x8_TRANSFORM_ENCODING_SUPPORT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT_H264_FLAG_BFRAME_LTR_COMBINED_SUPPORT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT_H264_FLAG_CABAC_ENCODING_SUPPORT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT_H264_FLAG_CONSTRAINED_INTRAPREDICTION_SUPPORT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT_H264_FLAG_DIRECT_SPATIAL_ENCODING_SUPPORT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT_H264_FLAG_DIRECT_TEMPORAL_ENCODING_SUPPORT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT_H264_FLAG_INTRA_SLICE_CONSTRAINED_ENCODING_SUPPORT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT_H264_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT_HEVC","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT_HEVC_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT_HEVC_FLAG_ASYMETRIC_MOTION_PARTITION_REQUIRED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT_HEVC_FLAG_ASYMETRIC_MOTION_PARTITION_SUPPORT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT_HEVC_FLAG_BFRAME_LTR_COMBINED_SUPPORT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT_HEVC_FLAG_CONSTRAINED_INTRAPREDICTION_SUPPORT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT_HEVC_FLAG_DISABLING_LOOP_FILTER_ACROSS_SLICES_SUPPORT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT_HEVC_FLAG_INTRA_SLICE_CONSTRAINED_ENCODING_SUPPORT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT_HEVC_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT_HEVC_FLAG_P_FRAMES_IMPLEMENTED_AS_LOW_DELAY_B_FRAMES","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT_HEVC_FLAG_SAO_FILTER_SUPPORT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_CONFIGURATION_SUPPORT_HEVC_FLAG_TRANSFORM_SKIP_SUPPORT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_H264","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_HEVC","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_PICTURE_CONTROL_SUPPORT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_PICTURE_CONTROL_SUPPORT_H264","features":[431]},{"name":"D3D12_VIDEO_ENCODER_CODEC_PICTURE_CONTROL_SUPPORT_HEVC","features":[431]},{"name":"D3D12_VIDEO_ENCODER_COMPRESSED_BITSTREAM","features":[355,431]},{"name":"D3D12_VIDEO_ENCODER_DESC","features":[396,431]},{"name":"D3D12_VIDEO_ENCODER_ENCODEFRAME_INPUT_ARGUMENTS","features":[308,355,396,431]},{"name":"D3D12_VIDEO_ENCODER_ENCODEFRAME_OUTPUT_ARGUMENTS","features":[355,431]},{"name":"D3D12_VIDEO_ENCODER_ENCODE_ERROR_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_ENCODE_ERROR_FLAG_CODEC_PICTURE_CONTROL_NOT_SUPPORTED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_ENCODE_ERROR_FLAG_INVALID_METADATA_BUFFER_SOURCE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_ENCODE_ERROR_FLAG_INVALID_REFERENCE_PICTURES","features":[431]},{"name":"D3D12_VIDEO_ENCODER_ENCODE_ERROR_FLAG_NO_ERROR","features":[431]},{"name":"D3D12_VIDEO_ENCODER_ENCODE_ERROR_FLAG_RECONFIGURATION_REQUEST_NOT_SUPPORTED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_ENCODE_ERROR_FLAG_SUBREGION_LAYOUT_CONFIGURATION_NOT_SUPPORTED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_ENCODE_OPERATION_METADATA_BUFFER","features":[355,431]},{"name":"D3D12_VIDEO_ENCODER_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_FRAME_SUBREGION_LAYOUT_CONFIG_SUPPORT","features":[308,431]},{"name":"D3D12_VIDEO_ENCODER_FRAME_SUBREGION_LAYOUT_MODE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_FRAME_SUBREGION_LAYOUT_MODE_BYTES_PER_SUBREGION","features":[431]},{"name":"D3D12_VIDEO_ENCODER_FRAME_SUBREGION_LAYOUT_MODE_CONFIGURABLE_GRID_PARTITION","features":[431]},{"name":"D3D12_VIDEO_ENCODER_FRAME_SUBREGION_LAYOUT_MODE_FULL_FRAME","features":[431]},{"name":"D3D12_VIDEO_ENCODER_FRAME_SUBREGION_LAYOUT_MODE_SQUARE_UNITS_PER_SUBREGION_ROW_UNALIGNED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_FRAME_SUBREGION_LAYOUT_MODE_UNIFORM_GRID_PARTITION","features":[431]},{"name":"D3D12_VIDEO_ENCODER_FRAME_SUBREGION_LAYOUT_MODE_UNIFORM_PARTITIONING_ROWS_PER_SUBREGION","features":[431]},{"name":"D3D12_VIDEO_ENCODER_FRAME_SUBREGION_LAYOUT_MODE_UNIFORM_PARTITIONING_SUBREGIONS_PER_FRAME","features":[431]},{"name":"D3D12_VIDEO_ENCODER_FRAME_SUBREGION_METADATA","features":[431]},{"name":"D3D12_VIDEO_ENCODER_FRAME_TYPE_H264","features":[431]},{"name":"D3D12_VIDEO_ENCODER_FRAME_TYPE_H264_B_FRAME","features":[431]},{"name":"D3D12_VIDEO_ENCODER_FRAME_TYPE_H264_IDR_FRAME","features":[431]},{"name":"D3D12_VIDEO_ENCODER_FRAME_TYPE_H264_I_FRAME","features":[431]},{"name":"D3D12_VIDEO_ENCODER_FRAME_TYPE_H264_P_FRAME","features":[431]},{"name":"D3D12_VIDEO_ENCODER_FRAME_TYPE_HEVC","features":[431]},{"name":"D3D12_VIDEO_ENCODER_FRAME_TYPE_HEVC_B_FRAME","features":[431]},{"name":"D3D12_VIDEO_ENCODER_FRAME_TYPE_HEVC_IDR_FRAME","features":[431]},{"name":"D3D12_VIDEO_ENCODER_FRAME_TYPE_HEVC_I_FRAME","features":[431]},{"name":"D3D12_VIDEO_ENCODER_FRAME_TYPE_HEVC_P_FRAME","features":[431]},{"name":"D3D12_VIDEO_ENCODER_HEAP_DESC","features":[431]},{"name":"D3D12_VIDEO_ENCODER_HEAP_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_HEAP_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_INTRA_REFRESH","features":[431]},{"name":"D3D12_VIDEO_ENCODER_INTRA_REFRESH_MODE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_INTRA_REFRESH_MODE_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_INTRA_REFRESH_MODE_ROW_BASED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_H264","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_H264_1","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_H264_11","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_H264_12","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_H264_13","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_H264_1b","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_H264_2","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_H264_21","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_H264_22","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_H264_3","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_H264_31","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_H264_32","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_H264_4","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_H264_41","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_H264_42","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_H264_5","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_H264_51","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_H264_52","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_H264_6","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_H264_61","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_H264_62","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_HEVC","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_HEVC_1","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_HEVC_2","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_HEVC_21","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_HEVC_3","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_HEVC_31","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_HEVC_4","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_HEVC_41","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_HEVC_5","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_HEVC_51","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_HEVC_52","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_HEVC_6","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_HEVC_61","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVELS_HEVC_62","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVEL_SETTING","features":[431]},{"name":"D3D12_VIDEO_ENCODER_LEVEL_TIER_CONSTRAINTS_HEVC","features":[431]},{"name":"D3D12_VIDEO_ENCODER_MOTION_ESTIMATION_PRECISION_MODE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_MOTION_ESTIMATION_PRECISION_MODE_EIGHTH_PIXEL","features":[431]},{"name":"D3D12_VIDEO_ENCODER_MOTION_ESTIMATION_PRECISION_MODE_FULL_PIXEL","features":[431]},{"name":"D3D12_VIDEO_ENCODER_MOTION_ESTIMATION_PRECISION_MODE_HALF_PIXEL","features":[431]},{"name":"D3D12_VIDEO_ENCODER_MOTION_ESTIMATION_PRECISION_MODE_MAXIMUM","features":[431]},{"name":"D3D12_VIDEO_ENCODER_MOTION_ESTIMATION_PRECISION_MODE_QUARTER_PIXEL","features":[431]},{"name":"D3D12_VIDEO_ENCODER_OUTPUT_METADATA","features":[431]},{"name":"D3D12_VIDEO_ENCODER_OUTPUT_METADATA_STATISTICS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_PICTURE_CONTROL_CODEC_DATA","features":[308,431]},{"name":"D3D12_VIDEO_ENCODER_PICTURE_CONTROL_CODEC_DATA_H264","features":[308,431]},{"name":"D3D12_VIDEO_ENCODER_PICTURE_CONTROL_CODEC_DATA_H264_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_PICTURE_CONTROL_CODEC_DATA_H264_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_PICTURE_CONTROL_CODEC_DATA_H264_FLAG_REQUEST_INTRA_CONSTRAINED_SLICES","features":[431]},{"name":"D3D12_VIDEO_ENCODER_PICTURE_CONTROL_CODEC_DATA_H264_REFERENCE_PICTURE_LIST_MODIFICATION_OPERATION","features":[431]},{"name":"D3D12_VIDEO_ENCODER_PICTURE_CONTROL_CODEC_DATA_H264_REFERENCE_PICTURE_MARKING_OPERATION","features":[431]},{"name":"D3D12_VIDEO_ENCODER_PICTURE_CONTROL_CODEC_DATA_HEVC","features":[308,431]},{"name":"D3D12_VIDEO_ENCODER_PICTURE_CONTROL_CODEC_DATA_HEVC_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_PICTURE_CONTROL_CODEC_DATA_HEVC_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_PICTURE_CONTROL_CODEC_DATA_HEVC_FLAG_REQUEST_INTRA_CONSTRAINED_SLICES","features":[431]},{"name":"D3D12_VIDEO_ENCODER_PICTURE_CONTROL_DESC","features":[308,355,431]},{"name":"D3D12_VIDEO_ENCODER_PICTURE_CONTROL_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_PICTURE_CONTROL_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_PICTURE_CONTROL_FLAG_USED_AS_REFERENCE_PICTURE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_PICTURE_CONTROL_SUBREGIONS_LAYOUT_DATA","features":[431]},{"name":"D3D12_VIDEO_ENCODER_PICTURE_CONTROL_SUBREGIONS_LAYOUT_DATA_SLICES","features":[431]},{"name":"D3D12_VIDEO_ENCODER_PICTURE_RESOLUTION_DESC","features":[431]},{"name":"D3D12_VIDEO_ENCODER_PICTURE_RESOLUTION_RATIO_DESC","features":[431]},{"name":"D3D12_VIDEO_ENCODER_PROFILE_DESC","features":[431]},{"name":"D3D12_VIDEO_ENCODER_PROFILE_H264","features":[431]},{"name":"D3D12_VIDEO_ENCODER_PROFILE_H264_HIGH","features":[431]},{"name":"D3D12_VIDEO_ENCODER_PROFILE_H264_HIGH_10","features":[431]},{"name":"D3D12_VIDEO_ENCODER_PROFILE_H264_MAIN","features":[431]},{"name":"D3D12_VIDEO_ENCODER_PROFILE_HEVC","features":[431]},{"name":"D3D12_VIDEO_ENCODER_PROFILE_HEVC_MAIN","features":[431]},{"name":"D3D12_VIDEO_ENCODER_PROFILE_HEVC_MAIN10","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL","features":[396,431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_ABSOLUTE_QP_MAP","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_CBR","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_CBR1","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_CONFIGURATION_PARAMS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_CQP","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_CQP1","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_FLAG_ENABLE_DELTA_QP","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_FLAG_ENABLE_EXTENSION1_SUPPORT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_FLAG_ENABLE_FRAME_ANALYSIS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_FLAG_ENABLE_INITIAL_QP","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_FLAG_ENABLE_MAX_FRAME_SIZE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_FLAG_ENABLE_QP_RANGE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_FLAG_ENABLE_QUALITY_VS_SPEED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_FLAG_ENABLE_VBV_SIZES","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_MODE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_MODE_ABSOLUTE_QP_MAP","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_MODE_CBR","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_MODE_CQP","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_MODE_QVBR","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_MODE_VBR","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_QVBR","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_QVBR1","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_VBR","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RATE_CONTROL_VBR1","features":[431]},{"name":"D3D12_VIDEO_ENCODER_RECONSTRUCTED_PICTURE","features":[355,431]},{"name":"D3D12_VIDEO_ENCODER_REFERENCE_PICTURE_DESCRIPTOR_H264","features":[308,431]},{"name":"D3D12_VIDEO_ENCODER_REFERENCE_PICTURE_DESCRIPTOR_HEVC","features":[308,431]},{"name":"D3D12_VIDEO_ENCODER_RESOLVE_METADATA_INPUT_ARGUMENTS","features":[355,396,431]},{"name":"D3D12_VIDEO_ENCODER_RESOLVE_METADATA_OUTPUT_ARGUMENTS","features":[355,431]},{"name":"D3D12_VIDEO_ENCODER_SEQUENCE_CONTROL_DESC","features":[396,431]},{"name":"D3D12_VIDEO_ENCODER_SEQUENCE_CONTROL_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SEQUENCE_CONTROL_FLAG_GOP_SEQUENCE_CHANGE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SEQUENCE_CONTROL_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SEQUENCE_CONTROL_FLAG_RATE_CONTROL_CHANGE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SEQUENCE_CONTROL_FLAG_REQUEST_INTRA_REFRESH","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SEQUENCE_CONTROL_FLAG_RESOLUTION_CHANGE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SEQUENCE_CONTROL_FLAG_SUBREGION_LAYOUT_CHANGE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SEQUENCE_GOP_STRUCTURE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SEQUENCE_GOP_STRUCTURE_H264","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SEQUENCE_GOP_STRUCTURE_HEVC","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SUPPORT_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SUPPORT_FLAG_GENERAL_SUPPORT_OK","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SUPPORT_FLAG_MOTION_ESTIMATION_PRECISION_MODE_LIMIT_AVAILABLE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SUPPORT_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SUPPORT_FLAG_RATE_CONTROL_ADJUSTABLE_QP_RANGE_AVAILABLE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SUPPORT_FLAG_RATE_CONTROL_DELTA_QP_AVAILABLE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SUPPORT_FLAG_RATE_CONTROL_EXTENSION1_SUPPORT","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SUPPORT_FLAG_RATE_CONTROL_FRAME_ANALYSIS_AVAILABLE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SUPPORT_FLAG_RATE_CONTROL_INITIAL_QP_AVAILABLE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SUPPORT_FLAG_RATE_CONTROL_MAX_FRAME_SIZE_AVAILABLE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SUPPORT_FLAG_RATE_CONTROL_QUALITY_VS_SPEED_AVAILABLE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SUPPORT_FLAG_RATE_CONTROL_RECONFIGURATION_AVAILABLE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SUPPORT_FLAG_RATE_CONTROL_VBV_SIZE_CONFIG_AVAILABLE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SUPPORT_FLAG_RECONSTRUCTED_FRAMES_REQUIRE_TEXTURE_ARRAYS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SUPPORT_FLAG_RESOLUTION_RECONFIGURATION_AVAILABLE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SUPPORT_FLAG_SEQUENCE_GOP_RECONFIGURATION_AVAILABLE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_SUPPORT_FLAG_SUBREGION_LAYOUT_RECONFIGURATION_AVAILABLE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_TIER_HEVC","features":[431]},{"name":"D3D12_VIDEO_ENCODER_TIER_HEVC_HIGH","features":[431]},{"name":"D3D12_VIDEO_ENCODER_TIER_HEVC_MAIN","features":[431]},{"name":"D3D12_VIDEO_ENCODER_VALIDATION_FLAGS","features":[431]},{"name":"D3D12_VIDEO_ENCODER_VALIDATION_FLAG_CODEC_CONFIGURATION_NOT_SUPPORTED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_VALIDATION_FLAG_CODEC_NOT_SUPPORTED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_VALIDATION_FLAG_GOP_STRUCTURE_NOT_SUPPORTED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_VALIDATION_FLAG_INPUT_FORMAT_NOT_SUPPORTED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_VALIDATION_FLAG_INTRA_REFRESH_MODE_NOT_SUPPORTED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_VALIDATION_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_ENCODER_VALIDATION_FLAG_RATE_CONTROL_CONFIGURATION_NOT_SUPPORTED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_VALIDATION_FLAG_RATE_CONTROL_MODE_NOT_SUPPORTED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_VALIDATION_FLAG_RESOLUTION_NOT_SUPPORTED_IN_LIST","features":[431]},{"name":"D3D12_VIDEO_ENCODER_VALIDATION_FLAG_SUBREGION_LAYOUT_DATA_NOT_SUPPORTED","features":[431]},{"name":"D3D12_VIDEO_ENCODER_VALIDATION_FLAG_SUBREGION_LAYOUT_MODE_NOT_SUPPORTED","features":[431]},{"name":"D3D12_VIDEO_ENCODE_REFERENCE_FRAMES","features":[355,431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_DESC","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_INFO","features":[355,431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_FLAGS","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_FLAG_READ","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_FLAG_WRITE","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_INFO","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_STAGE","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_STAGE_CAPS_INPUT","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_STAGE_CAPS_OUTPUT","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_STAGE_CREATION","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_STAGE_DEVICE_EXECUTE_INPUT","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_STAGE_DEVICE_EXECUTE_OUTPUT","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_STAGE_EXECUTION","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_STAGE_INITIALIZATION","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_TYPE","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_TYPE_DOUBLE","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_TYPE_FLOAT","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_TYPE_RESOURCE","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_TYPE_SINT16","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_TYPE_SINT32","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_TYPE_SINT64","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_TYPE_SINT8","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_TYPE_UINT16","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_TYPE_UINT32","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_TYPE_UINT64","features":[431]},{"name":"D3D12_VIDEO_EXTENSION_COMMAND_PARAMETER_TYPE_UINT8","features":[431]},{"name":"D3D12_VIDEO_FIELD_TYPE","features":[431]},{"name":"D3D12_VIDEO_FIELD_TYPE_INTERLACED_BOTTOM_FIELD_FIRST","features":[431]},{"name":"D3D12_VIDEO_FIELD_TYPE_INTERLACED_TOP_FIELD_FIRST","features":[431]},{"name":"D3D12_VIDEO_FIELD_TYPE_NONE","features":[431]},{"name":"D3D12_VIDEO_FORMAT","features":[396,431]},{"name":"D3D12_VIDEO_FRAME_CODED_INTERLACE_TYPE","features":[431]},{"name":"D3D12_VIDEO_FRAME_CODED_INTERLACE_TYPE_FIELD_BASED","features":[431]},{"name":"D3D12_VIDEO_FRAME_CODED_INTERLACE_TYPE_NONE","features":[431]},{"name":"D3D12_VIDEO_FRAME_STEREO_FORMAT","features":[431]},{"name":"D3D12_VIDEO_FRAME_STEREO_FORMAT_HORIZONTAL","features":[431]},{"name":"D3D12_VIDEO_FRAME_STEREO_FORMAT_MONO","features":[431]},{"name":"D3D12_VIDEO_FRAME_STEREO_FORMAT_NONE","features":[431]},{"name":"D3D12_VIDEO_FRAME_STEREO_FORMAT_SEPARATE","features":[431]},{"name":"D3D12_VIDEO_FRAME_STEREO_FORMAT_VERTICAL","features":[431]},{"name":"D3D12_VIDEO_MOTION_ESTIMATOR_DESC","features":[396,431]},{"name":"D3D12_VIDEO_MOTION_ESTIMATOR_INPUT","features":[355,431]},{"name":"D3D12_VIDEO_MOTION_ESTIMATOR_OUTPUT","features":[355,431]},{"name":"D3D12_VIDEO_MOTION_ESTIMATOR_SEARCH_BLOCK_SIZE","features":[431]},{"name":"D3D12_VIDEO_MOTION_ESTIMATOR_SEARCH_BLOCK_SIZE_16X16","features":[431]},{"name":"D3D12_VIDEO_MOTION_ESTIMATOR_SEARCH_BLOCK_SIZE_8X8","features":[431]},{"name":"D3D12_VIDEO_MOTION_ESTIMATOR_SEARCH_BLOCK_SIZE_FLAGS","features":[431]},{"name":"D3D12_VIDEO_MOTION_ESTIMATOR_SEARCH_BLOCK_SIZE_FLAG_16X16","features":[431]},{"name":"D3D12_VIDEO_MOTION_ESTIMATOR_SEARCH_BLOCK_SIZE_FLAG_8X8","features":[431]},{"name":"D3D12_VIDEO_MOTION_ESTIMATOR_SEARCH_BLOCK_SIZE_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_MOTION_ESTIMATOR_VECTOR_PRECISION","features":[431]},{"name":"D3D12_VIDEO_MOTION_ESTIMATOR_VECTOR_PRECISION_FLAGS","features":[431]},{"name":"D3D12_VIDEO_MOTION_ESTIMATOR_VECTOR_PRECISION_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_MOTION_ESTIMATOR_VECTOR_PRECISION_FLAG_QUARTER_PEL","features":[431]},{"name":"D3D12_VIDEO_MOTION_ESTIMATOR_VECTOR_PRECISION_QUARTER_PEL","features":[431]},{"name":"D3D12_VIDEO_MOTION_VECTOR_HEAP_DESC","features":[396,431]},{"name":"D3D12_VIDEO_PROCESS_ALPHA_BLENDING","features":[308,431]},{"name":"D3D12_VIDEO_PROCESS_ALPHA_FILL_MODE","features":[431]},{"name":"D3D12_VIDEO_PROCESS_ALPHA_FILL_MODE_BACKGROUND","features":[431]},{"name":"D3D12_VIDEO_PROCESS_ALPHA_FILL_MODE_DESTINATION","features":[431]},{"name":"D3D12_VIDEO_PROCESS_ALPHA_FILL_MODE_OPAQUE","features":[431]},{"name":"D3D12_VIDEO_PROCESS_ALPHA_FILL_MODE_SOURCE_STREAM","features":[431]},{"name":"D3D12_VIDEO_PROCESS_AUTO_PROCESSING_FLAGS","features":[431]},{"name":"D3D12_VIDEO_PROCESS_AUTO_PROCESSING_FLAG_ANAMORPHIC_SCALING","features":[431]},{"name":"D3D12_VIDEO_PROCESS_AUTO_PROCESSING_FLAG_COLOR_CORRECTION","features":[431]},{"name":"D3D12_VIDEO_PROCESS_AUTO_PROCESSING_FLAG_CUSTOM","features":[431]},{"name":"D3D12_VIDEO_PROCESS_AUTO_PROCESSING_FLAG_DENOISE","features":[431]},{"name":"D3D12_VIDEO_PROCESS_AUTO_PROCESSING_FLAG_DERINGING","features":[431]},{"name":"D3D12_VIDEO_PROCESS_AUTO_PROCESSING_FLAG_EDGE_ENHANCEMENT","features":[431]},{"name":"D3D12_VIDEO_PROCESS_AUTO_PROCESSING_FLAG_FLESH_TONE_MAPPING","features":[431]},{"name":"D3D12_VIDEO_PROCESS_AUTO_PROCESSING_FLAG_IMAGE_STABILIZATION","features":[431]},{"name":"D3D12_VIDEO_PROCESS_AUTO_PROCESSING_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_PROCESS_AUTO_PROCESSING_FLAG_SUPER_RESOLUTION","features":[431]},{"name":"D3D12_VIDEO_PROCESS_DEINTERLACE_FLAGS","features":[431]},{"name":"D3D12_VIDEO_PROCESS_DEINTERLACE_FLAG_BOB","features":[431]},{"name":"D3D12_VIDEO_PROCESS_DEINTERLACE_FLAG_CUSTOM","features":[431]},{"name":"D3D12_VIDEO_PROCESS_DEINTERLACE_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FEATURE_FLAGS","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FEATURE_FLAG_ALPHA_BLENDING","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FEATURE_FLAG_ALPHA_FILL","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FEATURE_FLAG_FLIP","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FEATURE_FLAG_LUMA_KEY","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FEATURE_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FEATURE_FLAG_PIXEL_ASPECT_RATIO","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FEATURE_FLAG_ROTATION","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FEATURE_FLAG_STEREO","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FILTER","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FILTER_ANAMORPHIC_SCALING","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FILTER_BRIGHTNESS","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FILTER_CONTRAST","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FILTER_EDGE_ENHANCEMENT","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FILTER_FLAGS","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FILTER_FLAG_ANAMORPHIC_SCALING","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FILTER_FLAG_BRIGHTNESS","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FILTER_FLAG_CONTRAST","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FILTER_FLAG_EDGE_ENHANCEMENT","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FILTER_FLAG_HUE","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FILTER_FLAG_NOISE_REDUCTION","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FILTER_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FILTER_FLAG_SATURATION","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FILTER_FLAG_STEREO_ADJUSTMENT","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FILTER_HUE","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FILTER_NOISE_REDUCTION","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FILTER_RANGE","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FILTER_SATURATION","features":[431]},{"name":"D3D12_VIDEO_PROCESS_FILTER_STEREO_ADJUSTMENT","features":[431]},{"name":"D3D12_VIDEO_PROCESS_INPUT_STREAM","features":[355,431]},{"name":"D3D12_VIDEO_PROCESS_INPUT_STREAM_ARGUMENTS","features":[308,355,431]},{"name":"D3D12_VIDEO_PROCESS_INPUT_STREAM_ARGUMENTS1","features":[308,355,431]},{"name":"D3D12_VIDEO_PROCESS_INPUT_STREAM_DESC","features":[308,396,431]},{"name":"D3D12_VIDEO_PROCESS_INPUT_STREAM_FLAGS","features":[431]},{"name":"D3D12_VIDEO_PROCESS_INPUT_STREAM_FLAG_FRAME_DISCONTINUITY","features":[431]},{"name":"D3D12_VIDEO_PROCESS_INPUT_STREAM_FLAG_FRAME_REPEAT","features":[431]},{"name":"D3D12_VIDEO_PROCESS_INPUT_STREAM_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_PROCESS_INPUT_STREAM_RATE","features":[431]},{"name":"D3D12_VIDEO_PROCESS_LUMA_KEY","features":[308,431]},{"name":"D3D12_VIDEO_PROCESS_ORIENTATION","features":[431]},{"name":"D3D12_VIDEO_PROCESS_ORIENTATION_CLOCKWISE_180","features":[431]},{"name":"D3D12_VIDEO_PROCESS_ORIENTATION_CLOCKWISE_270","features":[431]},{"name":"D3D12_VIDEO_PROCESS_ORIENTATION_CLOCKWISE_270_FLIP_HORIZONTAL","features":[431]},{"name":"D3D12_VIDEO_PROCESS_ORIENTATION_CLOCKWISE_90","features":[431]},{"name":"D3D12_VIDEO_PROCESS_ORIENTATION_CLOCKWISE_90_FLIP_HORIZONTAL","features":[431]},{"name":"D3D12_VIDEO_PROCESS_ORIENTATION_DEFAULT","features":[431]},{"name":"D3D12_VIDEO_PROCESS_ORIENTATION_FLIP_HORIZONTAL","features":[431]},{"name":"D3D12_VIDEO_PROCESS_ORIENTATION_FLIP_VERTICAL","features":[431]},{"name":"D3D12_VIDEO_PROCESS_OUTPUT_STREAM","features":[355,431]},{"name":"D3D12_VIDEO_PROCESS_OUTPUT_STREAM_ARGUMENTS","features":[308,355,431]},{"name":"D3D12_VIDEO_PROCESS_OUTPUT_STREAM_DESC","features":[308,396,431]},{"name":"D3D12_VIDEO_PROCESS_REFERENCE_SET","features":[355,431]},{"name":"D3D12_VIDEO_PROCESS_SUPPORT_FLAGS","features":[431]},{"name":"D3D12_VIDEO_PROCESS_SUPPORT_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_PROCESS_SUPPORT_FLAG_SUPPORTED","features":[431]},{"name":"D3D12_VIDEO_PROCESS_TRANSFORM","features":[308,431]},{"name":"D3D12_VIDEO_PROTECTED_RESOURCE_SUPPORT_FLAGS","features":[431]},{"name":"D3D12_VIDEO_PROTECTED_RESOURCE_SUPPORT_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_PROTECTED_RESOURCE_SUPPORT_FLAG_SUPPORTED","features":[431]},{"name":"D3D12_VIDEO_SAMPLE","features":[396,431]},{"name":"D3D12_VIDEO_SCALE_SUPPORT","features":[431]},{"name":"D3D12_VIDEO_SCALE_SUPPORT_FLAGS","features":[431]},{"name":"D3D12_VIDEO_SCALE_SUPPORT_FLAG_EVEN_DIMENSIONS_ONLY","features":[431]},{"name":"D3D12_VIDEO_SCALE_SUPPORT_FLAG_NONE","features":[431]},{"name":"D3D12_VIDEO_SCALE_SUPPORT_FLAG_POW2_ONLY","features":[431]},{"name":"D3D12_VIDEO_SIZE_RANGE","features":[431]},{"name":"D3DCONTENTPROTECTIONCAPS","features":[431]},{"name":"D3DCONTENTPROTECTIONCAPS","features":[431]},{"name":"D3DOVERLAYCAPS","features":[431]},{"name":"DEVICE_INFO","features":[431]},{"name":"DEVPKEY_DeviceInterface_IsVirtualCamera","features":[341,431]},{"name":"DEVPKEY_DeviceInterface_IsWindowsCameraEffectAvailable","features":[341,431]},{"name":"DEVPKEY_DeviceInterface_VirtualCameraAssociatedCameras","features":[341,431]},{"name":"DIRTYRECT_INFO","features":[308,431]},{"name":"DSATTRIB_CAPTURE_STREAMTIME","features":[431]},{"name":"DSATTRIB_CC_CONTAINER_INFO","features":[431]},{"name":"DSATTRIB_DSHOW_STREAM_DESC","features":[431]},{"name":"DSATTRIB_OptionalVideoAttributes","features":[431]},{"name":"DSATTRIB_PBDATAG_ATTRIBUTE","features":[431]},{"name":"DSATTRIB_PicSampleSeq","features":[431]},{"name":"DSATTRIB_SAMPLE_LIVE_STREAM_TIME","features":[431]},{"name":"DSATTRIB_TRANSPORT_PROPERTIES","features":[431]},{"name":"DSATTRIB_UDCRTag","features":[431]},{"name":"DXVA2CreateDirect3DDeviceManager9","features":[431]},{"name":"DXVA2CreateVideoService","features":[317,431]},{"name":"DXVA2_AES_CTR_IV","features":[431]},{"name":"DXVA2_AYUVSample16","features":[431]},{"name":"DXVA2_AYUVSample8","features":[431]},{"name":"DXVA2_BitStreamDateBufferType","features":[431]},{"name":"DXVA2_BufferfType","features":[431]},{"name":"DXVA2_ConfigPictureDecode","features":[431]},{"name":"DXVA2_DECODE_GET_DRIVER_HANDLE","features":[431]},{"name":"DXVA2_DECODE_SPECIFY_ENCRYPTED_BLOCKS","features":[431]},{"name":"DXVA2_DeblockingControlBufferType","features":[431]},{"name":"DXVA2_DecodeBufferDesc","features":[431]},{"name":"DXVA2_DecodeExecuteParams","features":[431]},{"name":"DXVA2_DecodeExtensionData","features":[431]},{"name":"DXVA2_DeinterlaceTech","features":[431]},{"name":"DXVA2_DeinterlaceTech_BOBLineReplicate","features":[431]},{"name":"DXVA2_DeinterlaceTech_BOBVerticalStretch","features":[431]},{"name":"DXVA2_DeinterlaceTech_BOBVerticalStretch4Tap","features":[431]},{"name":"DXVA2_DeinterlaceTech_EdgeFiltering","features":[431]},{"name":"DXVA2_DeinterlaceTech_FieldAdaptive","features":[431]},{"name":"DXVA2_DeinterlaceTech_InverseTelecine","features":[431]},{"name":"DXVA2_DeinterlaceTech_Mask","features":[431]},{"name":"DXVA2_DeinterlaceTech_MedianFiltering","features":[431]},{"name":"DXVA2_DeinterlaceTech_MotionVectorSteered","features":[431]},{"name":"DXVA2_DeinterlaceTech_PixelAdaptive","features":[431]},{"name":"DXVA2_DeinterlaceTech_Unknown","features":[431]},{"name":"DXVA2_DestData","features":[431]},{"name":"DXVA2_DestData_Mask","features":[431]},{"name":"DXVA2_DestData_RFF","features":[431]},{"name":"DXVA2_DestData_RFF_TFF_Present","features":[431]},{"name":"DXVA2_DestData_TFF","features":[431]},{"name":"DXVA2_DetailFilterChromaLevel","features":[431]},{"name":"DXVA2_DetailFilterChromaRadius","features":[431]},{"name":"DXVA2_DetailFilterChromaThreshold","features":[431]},{"name":"DXVA2_DetailFilterLumaLevel","features":[431]},{"name":"DXVA2_DetailFilterLumaRadius","features":[431]},{"name":"DXVA2_DetailFilterLumaThreshold","features":[431]},{"name":"DXVA2_DetailFilterTech","features":[431]},{"name":"DXVA2_DetailFilterTech_Edge","features":[431]},{"name":"DXVA2_DetailFilterTech_Mask","features":[431]},{"name":"DXVA2_DetailFilterTech_Sharpening","features":[431]},{"name":"DXVA2_DetailFilterTech_Unknown","features":[431]},{"name":"DXVA2_DetailFilterTech_Unsupported","features":[431]},{"name":"DXVA2_E_NEW_VIDEO_DEVICE","features":[431]},{"name":"DXVA2_E_NOT_AVAILABLE","features":[431]},{"name":"DXVA2_E_NOT_INITIALIZED","features":[431]},{"name":"DXVA2_E_VIDEO_DEVICE_LOCKED","features":[431]},{"name":"DXVA2_ExtendedFormat","features":[431]},{"name":"DXVA2_FilmGrainBuffer","features":[431]},{"name":"DXVA2_FilterType","features":[431]},{"name":"DXVA2_FilterValues","features":[431]},{"name":"DXVA2_Fixed32","features":[431]},{"name":"DXVA2_Frequency","features":[431]},{"name":"DXVA2_InverseQuantizationMatrixBufferType","features":[431]},{"name":"DXVA2_MacroBlockControlBufferType","features":[431]},{"name":"DXVA2_ModeH264_A","features":[431]},{"name":"DXVA2_ModeH264_B","features":[431]},{"name":"DXVA2_ModeH264_C","features":[431]},{"name":"DXVA2_ModeH264_D","features":[431]},{"name":"DXVA2_ModeH264_E","features":[431]},{"name":"DXVA2_ModeH264_F","features":[431]},{"name":"DXVA2_ModeH264_VLD_Multiview_NoFGT","features":[431]},{"name":"DXVA2_ModeH264_VLD_Stereo_NoFGT","features":[431]},{"name":"DXVA2_ModeH264_VLD_Stereo_Progressive_NoFGT","features":[431]},{"name":"DXVA2_ModeH264_VLD_WithFMOASO_NoFGT","features":[431]},{"name":"DXVA2_ModeHEVC_VLD_Main","features":[431]},{"name":"DXVA2_ModeHEVC_VLD_Main10","features":[431]},{"name":"DXVA2_ModeMPEG1_VLD","features":[431]},{"name":"DXVA2_ModeMPEG2_IDCT","features":[431]},{"name":"DXVA2_ModeMPEG2_MoComp","features":[431]},{"name":"DXVA2_ModeMPEG2_VLD","features":[431]},{"name":"DXVA2_ModeMPEG2and1_VLD","features":[431]},{"name":"DXVA2_ModeMPEG4pt2_VLD_AdvSimple_GMC","features":[431]},{"name":"DXVA2_ModeMPEG4pt2_VLD_AdvSimple_NoGMC","features":[431]},{"name":"DXVA2_ModeMPEG4pt2_VLD_Simple","features":[431]},{"name":"DXVA2_ModeVC1_A","features":[431]},{"name":"DXVA2_ModeVC1_B","features":[431]},{"name":"DXVA2_ModeVC1_C","features":[431]},{"name":"DXVA2_ModeVC1_D","features":[431]},{"name":"DXVA2_ModeVC1_D2010","features":[431]},{"name":"DXVA2_ModeVP8_VLD","features":[431]},{"name":"DXVA2_ModeVP9_VLD_10bit_Profile2","features":[431]},{"name":"DXVA2_ModeVP9_VLD_Profile0","features":[431]},{"name":"DXVA2_ModeWMV8_A","features":[431]},{"name":"DXVA2_ModeWMV8_B","features":[431]},{"name":"DXVA2_ModeWMV9_A","features":[431]},{"name":"DXVA2_ModeWMV9_B","features":[431]},{"name":"DXVA2_ModeWMV9_C","features":[431]},{"name":"DXVA2_MotionVectorBuffer","features":[431]},{"name":"DXVA2_NoEncrypt","features":[431]},{"name":"DXVA2_NoiseFilterChromaLevel","features":[431]},{"name":"DXVA2_NoiseFilterChromaRadius","features":[431]},{"name":"DXVA2_NoiseFilterChromaThreshold","features":[431]},{"name":"DXVA2_NoiseFilterLumaLevel","features":[431]},{"name":"DXVA2_NoiseFilterLumaRadius","features":[431]},{"name":"DXVA2_NoiseFilterLumaThreshold","features":[431]},{"name":"DXVA2_NoiseFilterTech","features":[431]},{"name":"DXVA2_NoiseFilterTech_BlockNoise","features":[431]},{"name":"DXVA2_NoiseFilterTech_Mask","features":[431]},{"name":"DXVA2_NoiseFilterTech_Median","features":[431]},{"name":"DXVA2_NoiseFilterTech_MosquitoNoise","features":[431]},{"name":"DXVA2_NoiseFilterTech_Temporal","features":[431]},{"name":"DXVA2_NoiseFilterTech_Unknown","features":[431]},{"name":"DXVA2_NoiseFilterTech_Unsupported","features":[431]},{"name":"DXVA2_NominalRange","features":[431]},{"name":"DXVA2_NominalRangeMask","features":[431]},{"name":"DXVA2_NominalRange_0_255","features":[431]},{"name":"DXVA2_NominalRange_16_235","features":[431]},{"name":"DXVA2_NominalRange_48_208","features":[431]},{"name":"DXVA2_NominalRange_Normal","features":[431]},{"name":"DXVA2_NominalRange_Unknown","features":[431]},{"name":"DXVA2_NominalRange_Wide","features":[431]},{"name":"DXVA2_PictureParametersBufferType","features":[431]},{"name":"DXVA2_ProcAmp","features":[431]},{"name":"DXVA2_ProcAmpValues","features":[431]},{"name":"DXVA2_ProcAmp_Brightness","features":[431]},{"name":"DXVA2_ProcAmp_Contrast","features":[431]},{"name":"DXVA2_ProcAmp_Hue","features":[431]},{"name":"DXVA2_ProcAmp_Mask","features":[431]},{"name":"DXVA2_ProcAmp_None","features":[431]},{"name":"DXVA2_ProcAmp_Saturation","features":[431]},{"name":"DXVA2_ResidualDifferenceBufferType","features":[431]},{"name":"DXVA2_SampleData","features":[431]},{"name":"DXVA2_SampleData_Mask","features":[431]},{"name":"DXVA2_SampleData_RFF","features":[431]},{"name":"DXVA2_SampleData_RFF_TFF_Present","features":[431]},{"name":"DXVA2_SampleData_TFF","features":[431]},{"name":"DXVA2_SampleFieldInterleavedEvenFirst","features":[431]},{"name":"DXVA2_SampleFieldInterleavedOddFirst","features":[431]},{"name":"DXVA2_SampleFieldSingleEven","features":[431]},{"name":"DXVA2_SampleFieldSingleOdd","features":[431]},{"name":"DXVA2_SampleFormat","features":[431]},{"name":"DXVA2_SampleFormatMask","features":[431]},{"name":"DXVA2_SampleProgressiveFrame","features":[431]},{"name":"DXVA2_SampleSubStream","features":[431]},{"name":"DXVA2_SampleUnknown","features":[431]},{"name":"DXVA2_SliceControlBufferType","features":[431]},{"name":"DXVA2_SurfaceType","features":[431]},{"name":"DXVA2_SurfaceType_D3DRenderTargetTexture","features":[431]},{"name":"DXVA2_SurfaceType_DecoderRenderTarget","features":[431]},{"name":"DXVA2_SurfaceType_ProcessorRenderTarget","features":[431]},{"name":"DXVA2_VPDev","features":[431]},{"name":"DXVA2_VPDev_EmulatedDXVA1","features":[431]},{"name":"DXVA2_VPDev_HardwareDevice","features":[431]},{"name":"DXVA2_VPDev_Mask","features":[431]},{"name":"DXVA2_VPDev_SoftwareDevice","features":[431]},{"name":"DXVA2_ValueRange","features":[431]},{"name":"DXVA2_VideoChromaSubSampling","features":[431]},{"name":"DXVA2_VideoChromaSubsamplingMask","features":[431]},{"name":"DXVA2_VideoChromaSubsampling_Cosited","features":[431]},{"name":"DXVA2_VideoChromaSubsampling_DV_PAL","features":[431]},{"name":"DXVA2_VideoChromaSubsampling_Horizontally_Cosited","features":[431]},{"name":"DXVA2_VideoChromaSubsampling_MPEG1","features":[431]},{"name":"DXVA2_VideoChromaSubsampling_MPEG2","features":[431]},{"name":"DXVA2_VideoChromaSubsampling_ProgressiveChroma","features":[431]},{"name":"DXVA2_VideoChromaSubsampling_Unknown","features":[431]},{"name":"DXVA2_VideoChromaSubsampling_Vertically_AlignedChromaPlanes","features":[431]},{"name":"DXVA2_VideoChromaSubsampling_Vertically_Cosited","features":[431]},{"name":"DXVA2_VideoDecoderRenderTarget","features":[431]},{"name":"DXVA2_VideoDesc","features":[317,431]},{"name":"DXVA2_VideoLighting","features":[431]},{"name":"DXVA2_VideoLightingMask","features":[431]},{"name":"DXVA2_VideoLighting_Unknown","features":[431]},{"name":"DXVA2_VideoLighting_bright","features":[431]},{"name":"DXVA2_VideoLighting_dark","features":[431]},{"name":"DXVA2_VideoLighting_dim","features":[431]},{"name":"DXVA2_VideoLighting_office","features":[431]},{"name":"DXVA2_VideoPrimaries","features":[431]},{"name":"DXVA2_VideoPrimariesMask","features":[431]},{"name":"DXVA2_VideoPrimaries_BT470_2_SysBG","features":[431]},{"name":"DXVA2_VideoPrimaries_BT470_2_SysM","features":[431]},{"name":"DXVA2_VideoPrimaries_BT709","features":[431]},{"name":"DXVA2_VideoPrimaries_EBU3213","features":[431]},{"name":"DXVA2_VideoPrimaries_SMPTE170M","features":[431]},{"name":"DXVA2_VideoPrimaries_SMPTE240M","features":[431]},{"name":"DXVA2_VideoPrimaries_SMPTE_C","features":[431]},{"name":"DXVA2_VideoPrimaries_Unknown","features":[431]},{"name":"DXVA2_VideoPrimaries_reserved","features":[431]},{"name":"DXVA2_VideoProcBobDevice","features":[431]},{"name":"DXVA2_VideoProcProgressiveDevice","features":[431]},{"name":"DXVA2_VideoProcSoftwareDevice","features":[431]},{"name":"DXVA2_VideoProcess","features":[431]},{"name":"DXVA2_VideoProcessBltParams","features":[308,431]},{"name":"DXVA2_VideoProcess_AlphaBlend","features":[431]},{"name":"DXVA2_VideoProcess_AlphaBlendExtended","features":[431]},{"name":"DXVA2_VideoProcess_Constriction","features":[431]},{"name":"DXVA2_VideoProcess_DetailFilter","features":[431]},{"name":"DXVA2_VideoProcess_GammaCompensated","features":[431]},{"name":"DXVA2_VideoProcess_LinearScaling","features":[431]},{"name":"DXVA2_VideoProcess_MaintainsOriginalFieldData","features":[431]},{"name":"DXVA2_VideoProcess_Mask","features":[431]},{"name":"DXVA2_VideoProcess_NoiseFilter","features":[431]},{"name":"DXVA2_VideoProcess_None","features":[431]},{"name":"DXVA2_VideoProcess_PlanarAlpha","features":[431]},{"name":"DXVA2_VideoProcess_StretchX","features":[431]},{"name":"DXVA2_VideoProcess_StretchY","features":[431]},{"name":"DXVA2_VideoProcess_SubRects","features":[431]},{"name":"DXVA2_VideoProcess_SubStreams","features":[431]},{"name":"DXVA2_VideoProcess_SubStreamsExtended","features":[431]},{"name":"DXVA2_VideoProcess_YUV2RGB","features":[431]},{"name":"DXVA2_VideoProcess_YUV2RGBExtended","features":[431]},{"name":"DXVA2_VideoProcessorCaps","features":[317,431]},{"name":"DXVA2_VideoProcessorRenderTarget","features":[431]},{"name":"DXVA2_VideoRenderTargetType","features":[431]},{"name":"DXVA2_VideoSample","features":[308,317,431]},{"name":"DXVA2_VideoSoftwareRenderTarget","features":[431]},{"name":"DXVA2_VideoTransFuncMask","features":[431]},{"name":"DXVA2_VideoTransFunc_10","features":[431]},{"name":"DXVA2_VideoTransFunc_18","features":[431]},{"name":"DXVA2_VideoTransFunc_20","features":[431]},{"name":"DXVA2_VideoTransFunc_22","features":[431]},{"name":"DXVA2_VideoTransFunc_240M","features":[431]},{"name":"DXVA2_VideoTransFunc_28","features":[431]},{"name":"DXVA2_VideoTransFunc_709","features":[431]},{"name":"DXVA2_VideoTransFunc_Unknown","features":[431]},{"name":"DXVA2_VideoTransFunc_sRGB","features":[431]},{"name":"DXVA2_VideoTransferFunction","features":[431]},{"name":"DXVA2_VideoTransferMatrix","features":[431]},{"name":"DXVA2_VideoTransferMatrixMask","features":[431]},{"name":"DXVA2_VideoTransferMatrix_BT601","features":[431]},{"name":"DXVA2_VideoTransferMatrix_BT709","features":[431]},{"name":"DXVA2_VideoTransferMatrix_SMPTE240M","features":[431]},{"name":"DXVA2_VideoTransferMatrix_Unknown","features":[431]},{"name":"DXVABufferInfo","features":[431]},{"name":"DXVACompBufferInfo","features":[317,431]},{"name":"DXVAHDControlGuid","features":[431]},{"name":"DXVAHDETWGUID_CREATEVIDEOPROCESSOR","features":[431]},{"name":"DXVAHDETWGUID_DESTROYVIDEOPROCESSOR","features":[431]},{"name":"DXVAHDETWGUID_VIDEOPROCESSBLTHD","features":[431]},{"name":"DXVAHDETWGUID_VIDEOPROCESSBLTHD_STREAM","features":[431]},{"name":"DXVAHDETWGUID_VIDEOPROCESSBLTSTATE","features":[431]},{"name":"DXVAHDETWGUID_VIDEOPROCESSSTREAMSTATE","features":[431]},{"name":"DXVAHDETW_CREATEVIDEOPROCESSOR","features":[431]},{"name":"DXVAHDETW_DESTROYVIDEOPROCESSOR","features":[431]},{"name":"DXVAHDETW_VIDEOPROCESSBLTHD","features":[308,317,431]},{"name":"DXVAHDETW_VIDEOPROCESSBLTHD_STREAM","features":[308,317,431]},{"name":"DXVAHDETW_VIDEOPROCESSBLTSTATE","features":[308,431]},{"name":"DXVAHDETW_VIDEOPROCESSSTREAMSTATE","features":[308,431]},{"name":"DXVAHDSW_CALLBACKS","features":[308,317,431]},{"name":"DXVAHD_ALPHA_FILL_MODE","features":[431]},{"name":"DXVAHD_ALPHA_FILL_MODE_BACKGROUND","features":[431]},{"name":"DXVAHD_ALPHA_FILL_MODE_DESTINATION","features":[431]},{"name":"DXVAHD_ALPHA_FILL_MODE_OPAQUE","features":[431]},{"name":"DXVAHD_ALPHA_FILL_MODE_SOURCE_STREAM","features":[431]},{"name":"DXVAHD_BLT_STATE","features":[431]},{"name":"DXVAHD_BLT_STATE_ALPHA_FILL","features":[431]},{"name":"DXVAHD_BLT_STATE_ALPHA_FILL_DATA","features":[431]},{"name":"DXVAHD_BLT_STATE_BACKGROUND_COLOR","features":[431]},{"name":"DXVAHD_BLT_STATE_BACKGROUND_COLOR_DATA","features":[308,431]},{"name":"DXVAHD_BLT_STATE_CONSTRICTION","features":[431]},{"name":"DXVAHD_BLT_STATE_CONSTRICTION_DATA","features":[308,431]},{"name":"DXVAHD_BLT_STATE_OUTPUT_COLOR_SPACE","features":[431]},{"name":"DXVAHD_BLT_STATE_OUTPUT_COLOR_SPACE_DATA","features":[431]},{"name":"DXVAHD_BLT_STATE_PRIVATE","features":[431]},{"name":"DXVAHD_BLT_STATE_PRIVATE_DATA","features":[431]},{"name":"DXVAHD_BLT_STATE_TARGET_RECT","features":[431]},{"name":"DXVAHD_BLT_STATE_TARGET_RECT_DATA","features":[308,431]},{"name":"DXVAHD_COLOR","features":[431]},{"name":"DXVAHD_COLOR_RGBA","features":[431]},{"name":"DXVAHD_COLOR_YCbCrA","features":[431]},{"name":"DXVAHD_CONTENT_DESC","features":[431]},{"name":"DXVAHD_CUSTOM_RATE_DATA","features":[308,431]},{"name":"DXVAHD_CreateDevice","features":[317,431]},{"name":"DXVAHD_DEVICE_CAPS","features":[431]},{"name":"DXVAHD_DEVICE_CAPS_LINEAR_SPACE","features":[431]},{"name":"DXVAHD_DEVICE_CAPS_RGB_RANGE_CONVERSION","features":[431]},{"name":"DXVAHD_DEVICE_CAPS_YCbCr_MATRIX_CONVERSION","features":[431]},{"name":"DXVAHD_DEVICE_CAPS_xvYCC","features":[431]},{"name":"DXVAHD_DEVICE_TYPE","features":[431]},{"name":"DXVAHD_DEVICE_TYPE_HARDWARE","features":[431]},{"name":"DXVAHD_DEVICE_TYPE_OTHER","features":[431]},{"name":"DXVAHD_DEVICE_TYPE_REFERENCE","features":[431]},{"name":"DXVAHD_DEVICE_TYPE_SOFTWARE","features":[431]},{"name":"DXVAHD_DEVICE_USAGE","features":[431]},{"name":"DXVAHD_DEVICE_USAGE_OPTIMAL_QUALITY","features":[431]},{"name":"DXVAHD_DEVICE_USAGE_OPTIMAL_SPEED","features":[431]},{"name":"DXVAHD_DEVICE_USAGE_PLAYBACK_NORMAL","features":[431]},{"name":"DXVAHD_FEATURE_CAPS","features":[431]},{"name":"DXVAHD_FEATURE_CAPS_ALPHA_FILL","features":[431]},{"name":"DXVAHD_FEATURE_CAPS_ALPHA_PALETTE","features":[431]},{"name":"DXVAHD_FEATURE_CAPS_CONSTRICTION","features":[431]},{"name":"DXVAHD_FEATURE_CAPS_LUMA_KEY","features":[431]},{"name":"DXVAHD_FILTER","features":[431]},{"name":"DXVAHD_FILTER_ANAMORPHIC_SCALING","features":[431]},{"name":"DXVAHD_FILTER_BRIGHTNESS","features":[431]},{"name":"DXVAHD_FILTER_CAPS","features":[431]},{"name":"DXVAHD_FILTER_CAPS_ANAMORPHIC_SCALING","features":[431]},{"name":"DXVAHD_FILTER_CAPS_BRIGHTNESS","features":[431]},{"name":"DXVAHD_FILTER_CAPS_CONTRAST","features":[431]},{"name":"DXVAHD_FILTER_CAPS_EDGE_ENHANCEMENT","features":[431]},{"name":"DXVAHD_FILTER_CAPS_HUE","features":[431]},{"name":"DXVAHD_FILTER_CAPS_NOISE_REDUCTION","features":[431]},{"name":"DXVAHD_FILTER_CAPS_SATURATION","features":[431]},{"name":"DXVAHD_FILTER_CONTRAST","features":[431]},{"name":"DXVAHD_FILTER_EDGE_ENHANCEMENT","features":[431]},{"name":"DXVAHD_FILTER_HUE","features":[431]},{"name":"DXVAHD_FILTER_NOISE_REDUCTION","features":[431]},{"name":"DXVAHD_FILTER_RANGE_DATA","features":[431]},{"name":"DXVAHD_FILTER_SATURATION","features":[431]},{"name":"DXVAHD_FRAME_FORMAT","features":[431]},{"name":"DXVAHD_FRAME_FORMAT_INTERLACED_BOTTOM_FIELD_FIRST","features":[431]},{"name":"DXVAHD_FRAME_FORMAT_INTERLACED_TOP_FIELD_FIRST","features":[431]},{"name":"DXVAHD_FRAME_FORMAT_PROGRESSIVE","features":[431]},{"name":"DXVAHD_INPUT_FORMAT_CAPS","features":[431]},{"name":"DXVAHD_INPUT_FORMAT_CAPS_PALETTE_INTERLACED","features":[431]},{"name":"DXVAHD_INPUT_FORMAT_CAPS_RGB_INTERLACED","features":[431]},{"name":"DXVAHD_INPUT_FORMAT_CAPS_RGB_LUMA_KEY","features":[431]},{"name":"DXVAHD_INPUT_FORMAT_CAPS_RGB_PROCAMP","features":[431]},{"name":"DXVAHD_ITELECINE_CAPS","features":[431]},{"name":"DXVAHD_ITELECINE_CAPS_22","features":[431]},{"name":"DXVAHD_ITELECINE_CAPS_222222222223","features":[431]},{"name":"DXVAHD_ITELECINE_CAPS_2224","features":[431]},{"name":"DXVAHD_ITELECINE_CAPS_2332","features":[431]},{"name":"DXVAHD_ITELECINE_CAPS_32","features":[431]},{"name":"DXVAHD_ITELECINE_CAPS_32322","features":[431]},{"name":"DXVAHD_ITELECINE_CAPS_55","features":[431]},{"name":"DXVAHD_ITELECINE_CAPS_64","features":[431]},{"name":"DXVAHD_ITELECINE_CAPS_87","features":[431]},{"name":"DXVAHD_ITELECINE_CAPS_OTHER","features":[431]},{"name":"DXVAHD_OUTPUT_RATE","features":[431]},{"name":"DXVAHD_OUTPUT_RATE_CUSTOM","features":[431]},{"name":"DXVAHD_OUTPUT_RATE_HALF","features":[431]},{"name":"DXVAHD_OUTPUT_RATE_NORMAL","features":[431]},{"name":"DXVAHD_PROCESSOR_CAPS","features":[431]},{"name":"DXVAHD_PROCESSOR_CAPS_DEINTERLACE_ADAPTIVE","features":[431]},{"name":"DXVAHD_PROCESSOR_CAPS_DEINTERLACE_BLEND","features":[431]},{"name":"DXVAHD_PROCESSOR_CAPS_DEINTERLACE_BOB","features":[431]},{"name":"DXVAHD_PROCESSOR_CAPS_DEINTERLACE_MOTION_COMPENSATION","features":[431]},{"name":"DXVAHD_PROCESSOR_CAPS_FRAME_RATE_CONVERSION","features":[431]},{"name":"DXVAHD_PROCESSOR_CAPS_INVERSE_TELECINE","features":[431]},{"name":"DXVAHD_RATIONAL","features":[431]},{"name":"DXVAHD_STREAM_DATA","features":[308,317,431]},{"name":"DXVAHD_STREAM_STATE","features":[431]},{"name":"DXVAHD_STREAM_STATE_ALPHA","features":[431]},{"name":"DXVAHD_STREAM_STATE_ALPHA_DATA","features":[308,431]},{"name":"DXVAHD_STREAM_STATE_ASPECT_RATIO","features":[431]},{"name":"DXVAHD_STREAM_STATE_ASPECT_RATIO_DATA","features":[308,431]},{"name":"DXVAHD_STREAM_STATE_D3DFORMAT","features":[431]},{"name":"DXVAHD_STREAM_STATE_D3DFORMAT_DATA","features":[317,431]},{"name":"DXVAHD_STREAM_STATE_DESTINATION_RECT","features":[431]},{"name":"DXVAHD_STREAM_STATE_DESTINATION_RECT_DATA","features":[308,431]},{"name":"DXVAHD_STREAM_STATE_FILTER_ANAMORPHIC_SCALING","features":[431]},{"name":"DXVAHD_STREAM_STATE_FILTER_BRIGHTNESS","features":[431]},{"name":"DXVAHD_STREAM_STATE_FILTER_CONTRAST","features":[431]},{"name":"DXVAHD_STREAM_STATE_FILTER_DATA","features":[308,431]},{"name":"DXVAHD_STREAM_STATE_FILTER_EDGE_ENHANCEMENT","features":[431]},{"name":"DXVAHD_STREAM_STATE_FILTER_HUE","features":[431]},{"name":"DXVAHD_STREAM_STATE_FILTER_NOISE_REDUCTION","features":[431]},{"name":"DXVAHD_STREAM_STATE_FILTER_SATURATION","features":[431]},{"name":"DXVAHD_STREAM_STATE_FRAME_FORMAT","features":[431]},{"name":"DXVAHD_STREAM_STATE_FRAME_FORMAT_DATA","features":[431]},{"name":"DXVAHD_STREAM_STATE_INPUT_COLOR_SPACE","features":[431]},{"name":"DXVAHD_STREAM_STATE_INPUT_COLOR_SPACE_DATA","features":[431]},{"name":"DXVAHD_STREAM_STATE_LUMA_KEY","features":[431]},{"name":"DXVAHD_STREAM_STATE_LUMA_KEY_DATA","features":[308,431]},{"name":"DXVAHD_STREAM_STATE_OUTPUT_RATE","features":[431]},{"name":"DXVAHD_STREAM_STATE_OUTPUT_RATE_DATA","features":[308,431]},{"name":"DXVAHD_STREAM_STATE_PALETTE","features":[431]},{"name":"DXVAHD_STREAM_STATE_PALETTE_DATA","features":[431]},{"name":"DXVAHD_STREAM_STATE_PRIVATE","features":[431]},{"name":"DXVAHD_STREAM_STATE_PRIVATE_DATA","features":[431]},{"name":"DXVAHD_STREAM_STATE_PRIVATE_IVTC","features":[431]},{"name":"DXVAHD_STREAM_STATE_PRIVATE_IVTC_DATA","features":[308,431]},{"name":"DXVAHD_STREAM_STATE_SOURCE_RECT","features":[431]},{"name":"DXVAHD_STREAM_STATE_SOURCE_RECT_DATA","features":[308,431]},{"name":"DXVAHD_SURFACE_TYPE","features":[431]},{"name":"DXVAHD_SURFACE_TYPE_VIDEO_INPUT","features":[431]},{"name":"DXVAHD_SURFACE_TYPE_VIDEO_INPUT_PRIVATE","features":[431]},{"name":"DXVAHD_SURFACE_TYPE_VIDEO_OUTPUT","features":[431]},{"name":"DXVAHD_VPCAPS","features":[431]},{"name":"DXVAHD_VPDEVCAPS","features":[317,431]},{"name":"DXVAUncompDataInfo","features":[317,431]},{"name":"DXVA_AYUVsample2","features":[431]},{"name":"DXVA_BufferDescription","features":[431]},{"name":"DXVA_COPPCommand","features":[431]},{"name":"DXVA_COPPSignature","features":[431]},{"name":"DXVA_COPPStatusInput","features":[431]},{"name":"DXVA_COPPStatusOutput","features":[431]},{"name":"DXVA_ConfigPictureDecode","features":[431]},{"name":"DXVA_DeinterlaceBlt","features":[308,431]},{"name":"DXVA_DeinterlaceBltEx","features":[308,431]},{"name":"DXVA_DeinterlaceBltEx32","features":[308,431]},{"name":"DXVA_DeinterlaceCaps","features":[317,431]},{"name":"DXVA_DeinterlaceQueryAvailableModes","features":[431]},{"name":"DXVA_DeinterlaceQueryModeCaps","features":[317,431]},{"name":"DXVA_DeinterlaceTech","features":[431]},{"name":"DXVA_DeinterlaceTech_BOBLineReplicate","features":[431]},{"name":"DXVA_DeinterlaceTech_BOBVerticalStretch","features":[431]},{"name":"DXVA_DeinterlaceTech_BOBVerticalStretch4Tap","features":[431]},{"name":"DXVA_DeinterlaceTech_EdgeFiltering","features":[431]},{"name":"DXVA_DeinterlaceTech_FieldAdaptive","features":[431]},{"name":"DXVA_DeinterlaceTech_MedianFiltering","features":[431]},{"name":"DXVA_DeinterlaceTech_MotionVectorSteered","features":[431]},{"name":"DXVA_DeinterlaceTech_PixelAdaptive","features":[431]},{"name":"DXVA_DeinterlaceTech_Unknown","features":[431]},{"name":"DXVA_DestinationFlagMask","features":[431]},{"name":"DXVA_DestinationFlag_Alpha_Changed","features":[431]},{"name":"DXVA_DestinationFlag_Background_Changed","features":[431]},{"name":"DXVA_DestinationFlag_ColorData_Changed","features":[431]},{"name":"DXVA_DestinationFlag_TargetRect_Changed","features":[431]},{"name":"DXVA_DestinationFlags","features":[431]},{"name":"DXVA_ExtendedFormat","features":[431]},{"name":"DXVA_Frequency","features":[431]},{"name":"DXVA_NominalRange","features":[431]},{"name":"DXVA_NominalRangeMask","features":[431]},{"name":"DXVA_NominalRangeShift","features":[431]},{"name":"DXVA_NominalRange_0_255","features":[431]},{"name":"DXVA_NominalRange_16_235","features":[431]},{"name":"DXVA_NominalRange_48_208","features":[431]},{"name":"DXVA_NominalRange_Normal","features":[431]},{"name":"DXVA_NominalRange_Unknown","features":[431]},{"name":"DXVA_NominalRange_Wide","features":[431]},{"name":"DXVA_PictureParameters","features":[431]},{"name":"DXVA_ProcAmpControlBlt","features":[308,431]},{"name":"DXVA_ProcAmpControlCaps","features":[317,431]},{"name":"DXVA_ProcAmpControlProp","features":[431]},{"name":"DXVA_ProcAmpControlQueryRange","features":[317,431]},{"name":"DXVA_ProcAmp_Brightness","features":[431]},{"name":"DXVA_ProcAmp_Contrast","features":[431]},{"name":"DXVA_ProcAmp_Hue","features":[431]},{"name":"DXVA_ProcAmp_None","features":[431]},{"name":"DXVA_ProcAmp_Saturation","features":[431]},{"name":"DXVA_SampleFieldInterleavedEvenFirst","features":[431]},{"name":"DXVA_SampleFieldInterleavedOddFirst","features":[431]},{"name":"DXVA_SampleFieldSingleEven","features":[431]},{"name":"DXVA_SampleFieldSingleOdd","features":[431]},{"name":"DXVA_SampleFlag_ColorData_Changed","features":[431]},{"name":"DXVA_SampleFlag_DstRect_Changed","features":[431]},{"name":"DXVA_SampleFlag_Palette_Changed","features":[431]},{"name":"DXVA_SampleFlag_SrcRect_Changed","features":[431]},{"name":"DXVA_SampleFlags","features":[431]},{"name":"DXVA_SampleFlagsMask","features":[431]},{"name":"DXVA_SampleFormat","features":[431]},{"name":"DXVA_SampleFormatMask","features":[431]},{"name":"DXVA_SamplePreviousFrame","features":[431]},{"name":"DXVA_SampleProgressiveFrame","features":[431]},{"name":"DXVA_SampleSubStream","features":[431]},{"name":"DXVA_SampleUnknown","features":[431]},{"name":"DXVA_VideoChromaSubsampling","features":[431]},{"name":"DXVA_VideoChromaSubsamplingMask","features":[431]},{"name":"DXVA_VideoChromaSubsamplingShift","features":[431]},{"name":"DXVA_VideoChromaSubsampling_Cosited","features":[431]},{"name":"DXVA_VideoChromaSubsampling_DV_PAL","features":[431]},{"name":"DXVA_VideoChromaSubsampling_Horizontally_Cosited","features":[431]},{"name":"DXVA_VideoChromaSubsampling_MPEG1","features":[431]},{"name":"DXVA_VideoChromaSubsampling_MPEG2","features":[431]},{"name":"DXVA_VideoChromaSubsampling_ProgressiveChroma","features":[431]},{"name":"DXVA_VideoChromaSubsampling_Unknown","features":[431]},{"name":"DXVA_VideoChromaSubsampling_Vertically_AlignedChromaPlanes","features":[431]},{"name":"DXVA_VideoChromaSubsampling_Vertically_Cosited","features":[431]},{"name":"DXVA_VideoDesc","features":[317,431]},{"name":"DXVA_VideoLighting","features":[431]},{"name":"DXVA_VideoLightingMask","features":[431]},{"name":"DXVA_VideoLightingShift","features":[431]},{"name":"DXVA_VideoLighting_Unknown","features":[431]},{"name":"DXVA_VideoLighting_bright","features":[431]},{"name":"DXVA_VideoLighting_dark","features":[431]},{"name":"DXVA_VideoLighting_dim","features":[431]},{"name":"DXVA_VideoLighting_office","features":[431]},{"name":"DXVA_VideoPrimaries","features":[431]},{"name":"DXVA_VideoPrimariesMask","features":[431]},{"name":"DXVA_VideoPrimariesShift","features":[431]},{"name":"DXVA_VideoPrimaries_BT470_2_SysBG","features":[431]},{"name":"DXVA_VideoPrimaries_BT470_2_SysM","features":[431]},{"name":"DXVA_VideoPrimaries_BT709","features":[431]},{"name":"DXVA_VideoPrimaries_EBU3213","features":[431]},{"name":"DXVA_VideoPrimaries_SMPTE170M","features":[431]},{"name":"DXVA_VideoPrimaries_SMPTE240M","features":[431]},{"name":"DXVA_VideoPrimaries_SMPTE_C","features":[431]},{"name":"DXVA_VideoPrimaries_Unknown","features":[431]},{"name":"DXVA_VideoPrimaries_reserved","features":[431]},{"name":"DXVA_VideoProcessCaps","features":[431]},{"name":"DXVA_VideoProcess_AlphaBlend","features":[431]},{"name":"DXVA_VideoProcess_AlphaBlendExtended","features":[431]},{"name":"DXVA_VideoProcess_None","features":[431]},{"name":"DXVA_VideoProcess_StretchX","features":[431]},{"name":"DXVA_VideoProcess_StretchY","features":[431]},{"name":"DXVA_VideoProcess_SubRects","features":[431]},{"name":"DXVA_VideoProcess_SubStreams","features":[431]},{"name":"DXVA_VideoProcess_SubStreamsExtended","features":[431]},{"name":"DXVA_VideoProcess_YUV2RGB","features":[431]},{"name":"DXVA_VideoProcess_YUV2RGBExtended","features":[431]},{"name":"DXVA_VideoPropertyRange","features":[431]},{"name":"DXVA_VideoSample","features":[431]},{"name":"DXVA_VideoSample2","features":[308,431]},{"name":"DXVA_VideoSample2","features":[308,431]},{"name":"DXVA_VideoSample32","features":[308,431]},{"name":"DXVA_VideoTransFuncMask","features":[431]},{"name":"DXVA_VideoTransFuncShift","features":[431]},{"name":"DXVA_VideoTransFunc_10","features":[431]},{"name":"DXVA_VideoTransFunc_18","features":[431]},{"name":"DXVA_VideoTransFunc_20","features":[431]},{"name":"DXVA_VideoTransFunc_22","features":[431]},{"name":"DXVA_VideoTransFunc_22_240M","features":[431]},{"name":"DXVA_VideoTransFunc_22_709","features":[431]},{"name":"DXVA_VideoTransFunc_22_8bit_sRGB","features":[431]},{"name":"DXVA_VideoTransFunc_28","features":[431]},{"name":"DXVA_VideoTransFunc_Unknown","features":[431]},{"name":"DXVA_VideoTransferFunction","features":[431]},{"name":"DXVA_VideoTransferMatrix","features":[431]},{"name":"DXVA_VideoTransferMatrixMask","features":[431]},{"name":"DXVA_VideoTransferMatrixShift","features":[431]},{"name":"DXVA_VideoTransferMatrix_BT601","features":[431]},{"name":"DXVA_VideoTransferMatrix_BT709","features":[431]},{"name":"DXVA_VideoTransferMatrix_SMPTE240M","features":[431]},{"name":"DXVA_VideoTransferMatrix_Unknown","features":[431]},{"name":"DXVAp_DeinterlaceBobDevice","features":[431]},{"name":"DXVAp_DeinterlaceContainerDevice","features":[431]},{"name":"DXVAp_ModeMPEG2_A","features":[431]},{"name":"DXVAp_ModeMPEG2_C","features":[431]},{"name":"DXVAp_NoEncrypt","features":[431]},{"name":"DeviceStreamState","features":[431]},{"name":"DeviceStreamState_Disabled","features":[431]},{"name":"DeviceStreamState_Pause","features":[431]},{"name":"DeviceStreamState_Run","features":[431]},{"name":"DeviceStreamState_Stop","features":[431]},{"name":"DigitalWindowSetting","features":[431]},{"name":"DistanceToFocalPlane","features":[431]},{"name":"DistanceToOpticalCenter","features":[431]},{"name":"EAllocationType","features":[431]},{"name":"ENCAPIPARAM_BITRATE","features":[431]},{"name":"ENCAPIPARAM_BITRATE_MODE","features":[431]},{"name":"ENCAPIPARAM_PEAK_BITRATE","features":[431]},{"name":"ENCAPIPARAM_SAP_MODE","features":[431]},{"name":"EVRConfig_ForceBatching","features":[431]},{"name":"EVRConfig_ForceBob","features":[431]},{"name":"EVRConfig_ForceHalfInterlace","features":[431]},{"name":"EVRConfig_ForceScaling","features":[431]},{"name":"EVRConfig_ForceThrottle","features":[431]},{"name":"EVRFilterConfigPrefs","features":[431]},{"name":"EVRFilterConfigPrefs_EnableQoS","features":[431]},{"name":"EVRFilterConfigPrefs_Mask","features":[431]},{"name":"E_TOCPARSER_INVALIDASFFILE","features":[431]},{"name":"E_TOCPARSER_INVALIDRIFFFILE","features":[431]},{"name":"FACILITY_MF","features":[431]},{"name":"FACILITY_MF_WIN32","features":[431]},{"name":"FILE_ACCESSMODE","features":[431]},{"name":"FILE_OPENMODE","features":[431]},{"name":"FORMAT_525WSS","features":[431]},{"name":"FORMAT_AnalogVideo","features":[431]},{"name":"FORMAT_CAPTIONED_H264VIDEO","features":[431]},{"name":"FORMAT_CAPTIONED_MPEG2VIDEO","features":[431]},{"name":"FORMAT_CC_CONTAINER","features":[431]},{"name":"FORMAT_DvInfo","features":[431]},{"name":"FORMAT_MFVideoFormat","features":[431]},{"name":"FORMAT_MPEGStreams","features":[431]},{"name":"FORMAT_MPEGVideo","features":[431]},{"name":"FORMAT_None","features":[431]},{"name":"FORMAT_VideoInfo","features":[431]},{"name":"FORMAT_VideoInfo2","features":[431]},{"name":"FORMAT_WaveFormatEx","features":[431]},{"name":"GUID_NativeDeviceService","features":[431]},{"name":"GUID_PlayToService","features":[431]},{"name":"IAdvancedMediaCapture","features":[431]},{"name":"IAdvancedMediaCaptureInitializationSettings","features":[431]},{"name":"IAdvancedMediaCaptureSettings","features":[431]},{"name":"IAudioSourceProvider","features":[431]},{"name":"IClusterDetector","features":[431]},{"name":"ICodecAPI","features":[431]},{"name":"ID3D12VideoDecodeCommandList","features":[355,431]},{"name":"ID3D12VideoDecodeCommandList1","features":[355,431]},{"name":"ID3D12VideoDecodeCommandList2","features":[355,431]},{"name":"ID3D12VideoDecodeCommandList3","features":[355,431]},{"name":"ID3D12VideoDecoder","features":[355,431]},{"name":"ID3D12VideoDecoder1","features":[355,431]},{"name":"ID3D12VideoDecoderHeap","features":[355,431]},{"name":"ID3D12VideoDecoderHeap1","features":[355,431]},{"name":"ID3D12VideoDevice","features":[431]},{"name":"ID3D12VideoDevice1","features":[431]},{"name":"ID3D12VideoDevice2","features":[431]},{"name":"ID3D12VideoDevice3","features":[431]},{"name":"ID3D12VideoEncodeCommandList","features":[355,431]},{"name":"ID3D12VideoEncodeCommandList1","features":[355,431]},{"name":"ID3D12VideoEncodeCommandList2","features":[355,431]},{"name":"ID3D12VideoEncodeCommandList3","features":[355,431]},{"name":"ID3D12VideoEncoder","features":[355,431]},{"name":"ID3D12VideoEncoderHeap","features":[355,431]},{"name":"ID3D12VideoExtensionCommand","features":[355,431]},{"name":"ID3D12VideoMotionEstimator","features":[355,431]},{"name":"ID3D12VideoMotionVectorHeap","features":[355,431]},{"name":"ID3D12VideoProcessCommandList","features":[355,431]},{"name":"ID3D12VideoProcessCommandList1","features":[355,431]},{"name":"ID3D12VideoProcessCommandList2","features":[355,431]},{"name":"ID3D12VideoProcessCommandList3","features":[355,431]},{"name":"ID3D12VideoProcessor","features":[355,431]},{"name":"ID3D12VideoProcessor1","features":[355,431]},{"name":"IDXVAHD_Device","features":[431]},{"name":"IDXVAHD_VideoProcessor","features":[431]},{"name":"IDirect3D9ExOverlayExtension","features":[431]},{"name":"IDirect3DAuthenticatedChannel9","features":[431]},{"name":"IDirect3DCryptoSession9","features":[431]},{"name":"IDirect3DDevice9Video","features":[431]},{"name":"IDirect3DDeviceManager9","features":[431]},{"name":"IDirectXVideoAccelerationService","features":[431]},{"name":"IDirectXVideoDecoder","features":[431]},{"name":"IDirectXVideoDecoderService","features":[431]},{"name":"IDirectXVideoMemoryConfiguration","features":[431]},{"name":"IDirectXVideoProcessor","features":[431]},{"name":"IDirectXVideoProcessorService","features":[431]},{"name":"IEVRFilterConfig","features":[431]},{"name":"IEVRFilterConfigEx","features":[431]},{"name":"IEVRTrustedVideoPlugin","features":[431]},{"name":"IEVRVideoStreamControl","features":[431]},{"name":"IFileClient","features":[431]},{"name":"IFileIo","features":[431]},{"name":"IMF2DBuffer","features":[431]},{"name":"IMF2DBuffer2","features":[431]},{"name":"IMFASFContentInfo","features":[431]},{"name":"IMFASFIndexer","features":[431]},{"name":"IMFASFMultiplexer","features":[431]},{"name":"IMFASFMutualExclusion","features":[431]},{"name":"IMFASFProfile","features":[431]},{"name":"IMFASFSplitter","features":[431]},{"name":"IMFASFStreamConfig","features":[431]},{"name":"IMFASFStreamPrioritization","features":[431]},{"name":"IMFASFStreamSelector","features":[431]},{"name":"IMFActivate","features":[431]},{"name":"IMFAsyncCallback","features":[431]},{"name":"IMFAsyncCallbackLogging","features":[431]},{"name":"IMFAsyncResult","features":[431]},{"name":"IMFAttributes","features":[431]},{"name":"IMFAudioMediaType","features":[431]},{"name":"IMFAudioPolicy","features":[431]},{"name":"IMFAudioStreamVolume","features":[431]},{"name":"IMFBufferListNotify","features":[431]},{"name":"IMFByteStream","features":[431]},{"name":"IMFByteStreamBuffering","features":[431]},{"name":"IMFByteStreamCacheControl","features":[431]},{"name":"IMFByteStreamCacheControl2","features":[431]},{"name":"IMFByteStreamHandler","features":[431]},{"name":"IMFByteStreamProxyClassFactory","features":[431]},{"name":"IMFByteStreamTimeSeek","features":[431]},{"name":"IMFCameraConfigurationManager","features":[431]},{"name":"IMFCameraControlDefaults","features":[431]},{"name":"IMFCameraControlDefaultsCollection","features":[431]},{"name":"IMFCameraControlMonitor","features":[431]},{"name":"IMFCameraControlNotify","features":[431]},{"name":"IMFCameraOcclusionStateMonitor","features":[431]},{"name":"IMFCameraOcclusionStateReport","features":[431]},{"name":"IMFCameraOcclusionStateReportCallback","features":[431]},{"name":"IMFCameraSyncObject","features":[431]},{"name":"IMFCaptureEngine","features":[431]},{"name":"IMFCaptureEngineClassFactory","features":[431]},{"name":"IMFCaptureEngineOnEventCallback","features":[431]},{"name":"IMFCaptureEngineOnSampleCallback","features":[431]},{"name":"IMFCaptureEngineOnSampleCallback2","features":[431]},{"name":"IMFCapturePhotoConfirmation","features":[431]},{"name":"IMFCapturePhotoSink","features":[431]},{"name":"IMFCapturePreviewSink","features":[431]},{"name":"IMFCaptureRecordSink","features":[431]},{"name":"IMFCaptureSink","features":[431]},{"name":"IMFCaptureSink2","features":[431]},{"name":"IMFCaptureSource","features":[431]},{"name":"IMFCdmSuspendNotify","features":[431]},{"name":"IMFClock","features":[431]},{"name":"IMFClockConsumer","features":[431]},{"name":"IMFClockStateSink","features":[431]},{"name":"IMFCollection","features":[431]},{"name":"IMFContentDecryptionModule","features":[431]},{"name":"IMFContentDecryptionModuleAccess","features":[431]},{"name":"IMFContentDecryptionModuleFactory","features":[431]},{"name":"IMFContentDecryptionModuleSession","features":[431]},{"name":"IMFContentDecryptionModuleSessionCallbacks","features":[431]},{"name":"IMFContentDecryptorContext","features":[431]},{"name":"IMFContentEnabler","features":[431]},{"name":"IMFContentProtectionDevice","features":[431]},{"name":"IMFContentProtectionManager","features":[431]},{"name":"IMFD3D12SynchronizationObject","features":[431]},{"name":"IMFD3D12SynchronizationObjectCommands","features":[431]},{"name":"IMFDLNASinkInit","features":[431]},{"name":"IMFDRMNetHelper","features":[431]},{"name":"IMFDXGIBuffer","features":[431]},{"name":"IMFDXGIDeviceManager","features":[431]},{"name":"IMFDXGIDeviceManagerSource","features":[431]},{"name":"IMFDesiredSample","features":[431]},{"name":"IMFDeviceTransform","features":[431]},{"name":"IMFDeviceTransformCallback","features":[431]},{"name":"IMFExtendedCameraControl","features":[431]},{"name":"IMFExtendedCameraController","features":[431]},{"name":"IMFExtendedCameraIntrinsicModel","features":[431]},{"name":"IMFExtendedCameraIntrinsics","features":[431]},{"name":"IMFExtendedCameraIntrinsicsDistortionModel6KT","features":[431]},{"name":"IMFExtendedCameraIntrinsicsDistortionModelArcTan","features":[431]},{"name":"IMFExtendedDRMTypeSupport","features":[431]},{"name":"IMFFieldOfUseMFTUnlock","features":[431]},{"name":"IMFFinalizableMediaSink","features":[431]},{"name":"IMFGetService","features":[431]},{"name":"IMFHDCPStatus","features":[431]},{"name":"IMFHttpDownloadRequest","features":[431]},{"name":"IMFHttpDownloadSession","features":[431]},{"name":"IMFHttpDownloadSessionProvider","features":[431]},{"name":"IMFImageSharingEngine","features":[431]},{"name":"IMFImageSharingEngineClassFactory","features":[431]},{"name":"IMFInputTrustAuthority","features":[431]},{"name":"IMFLocalMFTRegistration","features":[431]},{"name":"IMFMediaBuffer","features":[431]},{"name":"IMFMediaEngine","features":[431]},{"name":"IMFMediaEngineAudioEndpointId","features":[431]},{"name":"IMFMediaEngineClassFactory","features":[431]},{"name":"IMFMediaEngineClassFactory2","features":[431]},{"name":"IMFMediaEngineClassFactory3","features":[431]},{"name":"IMFMediaEngineClassFactory4","features":[431]},{"name":"IMFMediaEngineClassFactoryEx","features":[431]},{"name":"IMFMediaEngineEME","features":[431]},{"name":"IMFMediaEngineEMENotify","features":[431]},{"name":"IMFMediaEngineEx","features":[431]},{"name":"IMFMediaEngineExtension","features":[431]},{"name":"IMFMediaEngineNeedKeyNotify","features":[431]},{"name":"IMFMediaEngineNotify","features":[431]},{"name":"IMFMediaEngineOPMInfo","features":[431]},{"name":"IMFMediaEngineProtectedContent","features":[431]},{"name":"IMFMediaEngineSrcElements","features":[431]},{"name":"IMFMediaEngineSrcElementsEx","features":[431]},{"name":"IMFMediaEngineSupportsSourceTransfer","features":[431]},{"name":"IMFMediaEngineTransferSource","features":[431]},{"name":"IMFMediaEngineWebSupport","features":[431]},{"name":"IMFMediaError","features":[431]},{"name":"IMFMediaEvent","features":[431]},{"name":"IMFMediaEventGenerator","features":[431]},{"name":"IMFMediaEventQueue","features":[431]},{"name":"IMFMediaKeySession","features":[431]},{"name":"IMFMediaKeySession2","features":[431]},{"name":"IMFMediaKeySessionNotify","features":[431]},{"name":"IMFMediaKeySessionNotify2","features":[431]},{"name":"IMFMediaKeySystemAccess","features":[431]},{"name":"IMFMediaKeys","features":[431]},{"name":"IMFMediaKeys2","features":[431]},{"name":"IMFMediaSession","features":[431]},{"name":"IMFMediaSharingEngine","features":[431]},{"name":"IMFMediaSharingEngineClassFactory","features":[431]},{"name":"IMFMediaSink","features":[431]},{"name":"IMFMediaSinkPreroll","features":[431]},{"name":"IMFMediaSource","features":[431]},{"name":"IMFMediaSource2","features":[431]},{"name":"IMFMediaSourceEx","features":[431]},{"name":"IMFMediaSourceExtension","features":[431]},{"name":"IMFMediaSourceExtensionLiveSeekableRange","features":[431]},{"name":"IMFMediaSourceExtensionNotify","features":[431]},{"name":"IMFMediaSourcePresentationProvider","features":[431]},{"name":"IMFMediaSourceTopologyProvider","features":[431]},{"name":"IMFMediaStream","features":[431]},{"name":"IMFMediaStream2","features":[431]},{"name":"IMFMediaStreamSourceSampleRequest","features":[431]},{"name":"IMFMediaTimeRange","features":[431]},{"name":"IMFMediaType","features":[431]},{"name":"IMFMediaTypeHandler","features":[431]},{"name":"IMFMetadata","features":[431]},{"name":"IMFMetadataProvider","features":[431]},{"name":"IMFMuxStreamAttributesManager","features":[431]},{"name":"IMFMuxStreamMediaTypeManager","features":[431]},{"name":"IMFMuxStreamSampleManager","features":[431]},{"name":"IMFNetCredential","features":[431]},{"name":"IMFNetCredentialCache","features":[431]},{"name":"IMFNetCredentialManager","features":[431]},{"name":"IMFNetCrossOriginSupport","features":[431]},{"name":"IMFNetProxyLocator","features":[431]},{"name":"IMFNetProxyLocatorFactory","features":[431]},{"name":"IMFNetResourceFilter","features":[431]},{"name":"IMFNetSchemeHandlerConfig","features":[431]},{"name":"IMFObjectReferenceStream","features":[431]},{"name":"IMFOutputPolicy","features":[431]},{"name":"IMFOutputSchema","features":[431]},{"name":"IMFOutputTrustAuthority","features":[431]},{"name":"IMFPMPClient","features":[431]},{"name":"IMFPMPClientApp","features":[431]},{"name":"IMFPMPHost","features":[431]},{"name":"IMFPMPHostApp","features":[431]},{"name":"IMFPMPServer","features":[431]},{"name":"IMFPMediaItem","features":[431]},{"name":"IMFPMediaPlayer","features":[431]},{"name":"IMFPMediaPlayerCallback","features":[431]},{"name":"IMFPluginControl","features":[431]},{"name":"IMFPluginControl2","features":[431]},{"name":"IMFPresentationClock","features":[431]},{"name":"IMFPresentationDescriptor","features":[431]},{"name":"IMFPresentationTimeSource","features":[431]},{"name":"IMFProtectedEnvironmentAccess","features":[431]},{"name":"IMFQualityAdvise","features":[431]},{"name":"IMFQualityAdvise2","features":[431]},{"name":"IMFQualityAdviseLimits","features":[431]},{"name":"IMFQualityManager","features":[431]},{"name":"IMFRateControl","features":[431]},{"name":"IMFRateSupport","features":[431]},{"name":"IMFReadWriteClassFactory","features":[431]},{"name":"IMFRealTimeClient","features":[431]},{"name":"IMFRealTimeClientEx","features":[431]},{"name":"IMFRelativePanelReport","features":[431]},{"name":"IMFRelativePanelWatcher","features":[431]},{"name":"IMFRemoteAsyncCallback","features":[431]},{"name":"IMFRemoteDesktopPlugin","features":[431]},{"name":"IMFRemoteProxy","features":[431]},{"name":"IMFSAMIStyle","features":[431]},{"name":"IMFSSLCertificateManager","features":[431]},{"name":"IMFSample","features":[431]},{"name":"IMFSampleAllocatorControl","features":[431]},{"name":"IMFSampleGrabberSinkCallback","features":[431]},{"name":"IMFSampleGrabberSinkCallback2","features":[431]},{"name":"IMFSampleOutputStream","features":[431]},{"name":"IMFSampleProtection","features":[431]},{"name":"IMFSaveJob","features":[431]},{"name":"IMFSchemeHandler","features":[431]},{"name":"IMFSecureBuffer","features":[431]},{"name":"IMFSecureChannel","features":[431]},{"name":"IMFSeekInfo","features":[431]},{"name":"IMFSensorActivitiesReport","features":[431]},{"name":"IMFSensorActivitiesReportCallback","features":[431]},{"name":"IMFSensorActivityMonitor","features":[431]},{"name":"IMFSensorActivityReport","features":[431]},{"name":"IMFSensorDevice","features":[431]},{"name":"IMFSensorGroup","features":[431]},{"name":"IMFSensorProcessActivity","features":[431]},{"name":"IMFSensorProfile","features":[431]},{"name":"IMFSensorProfileCollection","features":[431]},{"name":"IMFSensorStream","features":[431]},{"name":"IMFSensorTransformFactory","features":[431]},{"name":"IMFSequencerSource","features":[431]},{"name":"IMFSharingEngineClassFactory","features":[431]},{"name":"IMFShutdown","features":[431]},{"name":"IMFSignedLibrary","features":[431]},{"name":"IMFSimpleAudioVolume","features":[431]},{"name":"IMFSinkWriter","features":[431]},{"name":"IMFSinkWriterCallback","features":[431]},{"name":"IMFSinkWriterCallback2","features":[431]},{"name":"IMFSinkWriterEncoderConfig","features":[431]},{"name":"IMFSinkWriterEx","features":[431]},{"name":"IMFSourceBuffer","features":[431]},{"name":"IMFSourceBufferAppendMode","features":[431]},{"name":"IMFSourceBufferList","features":[431]},{"name":"IMFSourceBufferNotify","features":[431]},{"name":"IMFSourceOpenMonitor","features":[431]},{"name":"IMFSourceReader","features":[431]},{"name":"IMFSourceReaderCallback","features":[431]},{"name":"IMFSourceReaderCallback2","features":[431]},{"name":"IMFSourceReaderEx","features":[431]},{"name":"IMFSourceResolver","features":[431]},{"name":"IMFSpatialAudioObjectBuffer","features":[431]},{"name":"IMFSpatialAudioSample","features":[431]},{"name":"IMFStreamDescriptor","features":[431]},{"name":"IMFStreamSink","features":[431]},{"name":"IMFStreamingSinkConfig","features":[431]},{"name":"IMFSystemId","features":[431]},{"name":"IMFTimecodeTranslate","features":[431]},{"name":"IMFTimedText","features":[431]},{"name":"IMFTimedTextBinary","features":[431]},{"name":"IMFTimedTextBouten","features":[431]},{"name":"IMFTimedTextCue","features":[431]},{"name":"IMFTimedTextCueList","features":[431]},{"name":"IMFTimedTextFormattedText","features":[431]},{"name":"IMFTimedTextNotify","features":[431]},{"name":"IMFTimedTextRegion","features":[431]},{"name":"IMFTimedTextRuby","features":[431]},{"name":"IMFTimedTextStyle","features":[431]},{"name":"IMFTimedTextStyle2","features":[431]},{"name":"IMFTimedTextTrack","features":[431]},{"name":"IMFTimedTextTrackList","features":[431]},{"name":"IMFTimer","features":[431]},{"name":"IMFTopoLoader","features":[431]},{"name":"IMFTopology","features":[431]},{"name":"IMFTopologyNode","features":[431]},{"name":"IMFTopologyNodeAttributeEditor","features":[431]},{"name":"IMFTopologyServiceLookup","features":[431]},{"name":"IMFTopologyServiceLookupClient","features":[431]},{"name":"IMFTrackedSample","features":[431]},{"name":"IMFTranscodeProfile","features":[431]},{"name":"IMFTranscodeSinkInfoProvider","features":[431]},{"name":"IMFTransform","features":[431]},{"name":"IMFTrustedInput","features":[431]},{"name":"IMFTrustedOutput","features":[431]},{"name":"IMFVideoCaptureSampleAllocator","features":[431]},{"name":"IMFVideoDeviceID","features":[431]},{"name":"IMFVideoDisplayControl","features":[431]},{"name":"IMFVideoMediaType","features":[431]},{"name":"IMFVideoMixerBitmap","features":[431]},{"name":"IMFVideoMixerControl","features":[431]},{"name":"IMFVideoMixerControl2","features":[431]},{"name":"IMFVideoPositionMapper","features":[431]},{"name":"IMFVideoPresenter","features":[431]},{"name":"IMFVideoProcessor","features":[431]},{"name":"IMFVideoProcessorControl","features":[431]},{"name":"IMFVideoProcessorControl2","features":[431]},{"name":"IMFVideoProcessorControl3","features":[431]},{"name":"IMFVideoRenderer","features":[431]},{"name":"IMFVideoRendererEffectControl","features":[431]},{"name":"IMFVideoSampleAllocator","features":[431]},{"name":"IMFVideoSampleAllocatorCallback","features":[431]},{"name":"IMFVideoSampleAllocatorEx","features":[431]},{"name":"IMFVideoSampleAllocatorNotify","features":[431]},{"name":"IMFVideoSampleAllocatorNotifyEx","features":[431]},{"name":"IMFVirtualCamera","features":[431]},{"name":"IMFWorkQueueServices","features":[431]},{"name":"IMFWorkQueueServicesEx","features":[431]},{"name":"IOPMVideoOutput","features":[431]},{"name":"IPlayToControl","features":[431]},{"name":"IPlayToControlWithCapabilities","features":[431]},{"name":"IPlayToSourceClassFactory","features":[431]},{"name":"IToc","features":[431]},{"name":"ITocCollection","features":[431]},{"name":"ITocEntry","features":[431]},{"name":"ITocEntryList","features":[431]},{"name":"ITocParser","features":[431]},{"name":"IValidateBinding","features":[431]},{"name":"IWMCodecLeakyBucket","features":[431]},{"name":"IWMCodecOutputTimestamp","features":[431]},{"name":"IWMCodecPrivateData","features":[431]},{"name":"IWMCodecProps","features":[431]},{"name":"IWMCodecStrings","features":[431]},{"name":"IWMColorConvProps","features":[431]},{"name":"IWMColorLegalizerProps","features":[431]},{"name":"IWMFrameInterpProps","features":[431]},{"name":"IWMInterlaceProps","features":[431]},{"name":"IWMResamplerProps","features":[431]},{"name":"IWMResizerProps","features":[431]},{"name":"IWMSampleExtensionSupport","features":[431]},{"name":"IWMValidate","features":[431]},{"name":"IWMVideoDecoderHurryup","features":[431]},{"name":"IWMVideoDecoderReconBuffer","features":[431]},{"name":"IWMVideoForceKeyFrame","features":[431]},{"name":"KSMETHOD_OPMVIDEOOUTPUT","features":[431]},{"name":"KSMETHOD_OPMVIDEOOUTPUT_FINISHINITIALIZATION","features":[431]},{"name":"KSMETHOD_OPMVIDEOOUTPUT_GETINFORMATION","features":[431]},{"name":"KSMETHOD_OPMVIDEOOUTPUT_STARTINITIALIZATION","features":[431]},{"name":"KSPROPERTYSETID_ANYCAMERACONTROL","features":[431]},{"name":"KSPROPSETID_OPMVideoOutput","features":[431]},{"name":"LOCAL_D3DFMT_DEFINES","features":[431]},{"name":"LOOK_DOWNSTREAM_ONLY","features":[431]},{"name":"LOOK_UPSTREAM_ONLY","features":[431]},{"name":"MACROBLOCK_DATA","features":[431]},{"name":"MACROBLOCK_FLAG_DIRTY","features":[431]},{"name":"MACROBLOCK_FLAG_HAS_MOTION_VECTOR","features":[431]},{"name":"MACROBLOCK_FLAG_HAS_QP","features":[431]},{"name":"MACROBLOCK_FLAG_MOTION","features":[431]},{"name":"MACROBLOCK_FLAG_SKIP","features":[431]},{"name":"MACROBLOCK_FLAG_VIDEO","features":[431]},{"name":"MAX_SUBSTREAMS","features":[431]},{"name":"MEAudioSessionDeviceRemoved","features":[431]},{"name":"MEAudioSessionDisconnected","features":[431]},{"name":"MEAudioSessionExclusiveModeOverride","features":[431]},{"name":"MEAudioSessionFormatChanged","features":[431]},{"name":"MEAudioSessionGroupingParamChanged","features":[431]},{"name":"MEAudioSessionIconChanged","features":[431]},{"name":"MEAudioSessionNameChanged","features":[431]},{"name":"MEAudioSessionServerShutdown","features":[431]},{"name":"MEAudioSessionVolumeChanged","features":[431]},{"name":"MEBufferingStarted","features":[431]},{"name":"MEBufferingStopped","features":[431]},{"name":"MEByteStreamCharacteristicsChanged","features":[431]},{"name":"MECaptureAudioSessionDeviceRemoved","features":[431]},{"name":"MECaptureAudioSessionDisconnected","features":[431]},{"name":"MECaptureAudioSessionExclusiveModeOverride","features":[431]},{"name":"MECaptureAudioSessionFormatChanged","features":[431]},{"name":"MECaptureAudioSessionServerShutdown","features":[431]},{"name":"MECaptureAudioSessionVolumeChanged","features":[431]},{"name":"MEConnectEnd","features":[431]},{"name":"MEConnectStart","features":[431]},{"name":"MEContentProtectionMessage","features":[431]},{"name":"MEContentProtectionMetadata","features":[431]},{"name":"MEDIASINK_CANNOT_MATCH_CLOCK","features":[431]},{"name":"MEDIASINK_CAN_PREROLL","features":[431]},{"name":"MEDIASINK_CLOCK_REQUIRED","features":[431]},{"name":"MEDIASINK_FIXED_STREAMS","features":[431]},{"name":"MEDIASINK_RATELESS","features":[431]},{"name":"MEDIASINK_REQUIRE_REFERENCE_MEDIATYPE","features":[431]},{"name":"MEDIASUBTYPE_420O","features":[431]},{"name":"MEDIASUBTYPE_708_608Data","features":[431]},{"name":"MEDIASUBTYPE_A2B10G10R10","features":[431]},{"name":"MEDIASUBTYPE_A2R10G10B10","features":[431]},{"name":"MEDIASUBTYPE_AI44","features":[431]},{"name":"MEDIASUBTYPE_AIFF","features":[431]},{"name":"MEDIASUBTYPE_ARGB1555","features":[431]},{"name":"MEDIASUBTYPE_ARGB1555_D3D_DX7_RT","features":[431]},{"name":"MEDIASUBTYPE_ARGB1555_D3D_DX9_RT","features":[431]},{"name":"MEDIASUBTYPE_ARGB32","features":[431]},{"name":"MEDIASUBTYPE_ARGB32_D3D_DX7_RT","features":[431]},{"name":"MEDIASUBTYPE_ARGB32_D3D_DX9_RT","features":[431]},{"name":"MEDIASUBTYPE_ARGB4444","features":[431]},{"name":"MEDIASUBTYPE_ARGB4444_D3D_DX7_RT","features":[431]},{"name":"MEDIASUBTYPE_ARGB4444_D3D_DX9_RT","features":[431]},{"name":"MEDIASUBTYPE_AU","features":[431]},{"name":"MEDIASUBTYPE_AVC1","features":[431]},{"name":"MEDIASUBTYPE_AYUV","features":[431]},{"name":"MEDIASUBTYPE_AnalogVideo_NTSC_M","features":[431]},{"name":"MEDIASUBTYPE_AnalogVideo_PAL_B","features":[431]},{"name":"MEDIASUBTYPE_AnalogVideo_PAL_D","features":[431]},{"name":"MEDIASUBTYPE_AnalogVideo_PAL_G","features":[431]},{"name":"MEDIASUBTYPE_AnalogVideo_PAL_H","features":[431]},{"name":"MEDIASUBTYPE_AnalogVideo_PAL_I","features":[431]},{"name":"MEDIASUBTYPE_AnalogVideo_PAL_M","features":[431]},{"name":"MEDIASUBTYPE_AnalogVideo_PAL_N","features":[431]},{"name":"MEDIASUBTYPE_AnalogVideo_PAL_N_COMBO","features":[431]},{"name":"MEDIASUBTYPE_AnalogVideo_SECAM_B","features":[431]},{"name":"MEDIASUBTYPE_AnalogVideo_SECAM_D","features":[431]},{"name":"MEDIASUBTYPE_AnalogVideo_SECAM_G","features":[431]},{"name":"MEDIASUBTYPE_AnalogVideo_SECAM_H","features":[431]},{"name":"MEDIASUBTYPE_AnalogVideo_SECAM_K","features":[431]},{"name":"MEDIASUBTYPE_AnalogVideo_SECAM_K1","features":[431]},{"name":"MEDIASUBTYPE_AnalogVideo_SECAM_L","features":[431]},{"name":"MEDIASUBTYPE_Asf","features":[431]},{"name":"MEDIASUBTYPE_Avi","features":[431]},{"name":"MEDIASUBTYPE_CC_CONTAINER","features":[431]},{"name":"MEDIASUBTYPE_CFCC","features":[431]},{"name":"MEDIASUBTYPE_CLJR","features":[431]},{"name":"MEDIASUBTYPE_CLPL","features":[431]},{"name":"MEDIASUBTYPE_CPLA","features":[431]},{"name":"MEDIASUBTYPE_DOLBY_AC3_SPDIF","features":[431]},{"name":"MEDIASUBTYPE_DOLBY_DDPLUS","features":[431]},{"name":"MEDIASUBTYPE_DOLBY_TRUEHD","features":[431]},{"name":"MEDIASUBTYPE_DRM_Audio","features":[431]},{"name":"MEDIASUBTYPE_DTS2","features":[431]},{"name":"MEDIASUBTYPE_DTS_HD","features":[431]},{"name":"MEDIASUBTYPE_DTS_HD_HRA","features":[431]},{"name":"MEDIASUBTYPE_DVB_SUBTITLES","features":[431]},{"name":"MEDIASUBTYPE_DVCS","features":[431]},{"name":"MEDIASUBTYPE_DVM","features":[431]},{"name":"MEDIASUBTYPE_DVSD","features":[431]},{"name":"MEDIASUBTYPE_DssAudio","features":[431]},{"name":"MEDIASUBTYPE_DssVideo","features":[431]},{"name":"MEDIASUBTYPE_DtvCcData","features":[431]},{"name":"MEDIASUBTYPE_H264","features":[431]},{"name":"MEDIASUBTYPE_I420","features":[431]},{"name":"MEDIASUBTYPE_IA44","features":[431]},{"name":"MEDIASUBTYPE_IEEE_FLOAT","features":[431]},{"name":"MEDIASUBTYPE_IF09","features":[431]},{"name":"MEDIASUBTYPE_IJPG","features":[431]},{"name":"MEDIASUBTYPE_IMC1","features":[431]},{"name":"MEDIASUBTYPE_IMC2","features":[431]},{"name":"MEDIASUBTYPE_IMC3","features":[431]},{"name":"MEDIASUBTYPE_IMC4","features":[431]},{"name":"MEDIASUBTYPE_ISDB_CAPTIONS","features":[431]},{"name":"MEDIASUBTYPE_ISDB_SUPERIMPOSE","features":[431]},{"name":"MEDIASUBTYPE_IYUV","features":[431]},{"name":"MEDIASUBTYPE_Line21_BytePair","features":[431]},{"name":"MEDIASUBTYPE_Line21_GOPPacket","features":[431]},{"name":"MEDIASUBTYPE_Line21_VBIRawData","features":[431]},{"name":"MEDIASUBTYPE_M4S2","features":[431]},{"name":"MEDIASUBTYPE_MDVF","features":[431]},{"name":"MEDIASUBTYPE_MJPG","features":[431]},{"name":"MEDIASUBTYPE_MP42","features":[431]},{"name":"MEDIASUBTYPE_MP43","features":[431]},{"name":"MEDIASUBTYPE_MP4S","features":[431]},{"name":"MEDIASUBTYPE_MPEG1Audio","features":[431]},{"name":"MEDIASUBTYPE_MPEG1AudioPayload","features":[431]},{"name":"MEDIASUBTYPE_MPEG1Packet","features":[431]},{"name":"MEDIASUBTYPE_MPEG1Payload","features":[431]},{"name":"MEDIASUBTYPE_MPEG1System","features":[431]},{"name":"MEDIASUBTYPE_MPEG1Video","features":[431]},{"name":"MEDIASUBTYPE_MPEG1VideoCD","features":[431]},{"name":"MEDIASUBTYPE_MPEG_ADTS_AAC","features":[431]},{"name":"MEDIASUBTYPE_MPEG_HEAAC","features":[431]},{"name":"MEDIASUBTYPE_MPEG_LOAS","features":[431]},{"name":"MEDIASUBTYPE_MPEG_RAW_AAC","features":[431]},{"name":"MEDIASUBTYPE_MPG4","features":[431]},{"name":"MEDIASUBTYPE_MSAUDIO1","features":[431]},{"name":"MEDIASUBTYPE_MSS1","features":[431]},{"name":"MEDIASUBTYPE_MSS2","features":[431]},{"name":"MEDIASUBTYPE_NOKIA_MPEG_ADTS_AAC","features":[431]},{"name":"MEDIASUBTYPE_NOKIA_MPEG_RAW_AAC","features":[431]},{"name":"MEDIASUBTYPE_NV11","features":[431]},{"name":"MEDIASUBTYPE_NV12","features":[431]},{"name":"MEDIASUBTYPE_NV24","features":[431]},{"name":"MEDIASUBTYPE_None","features":[431]},{"name":"MEDIASUBTYPE_Overlay","features":[431]},{"name":"MEDIASUBTYPE_P010","features":[431]},{"name":"MEDIASUBTYPE_P016","features":[431]},{"name":"MEDIASUBTYPE_P208","features":[431]},{"name":"MEDIASUBTYPE_P210","features":[431]},{"name":"MEDIASUBTYPE_P216","features":[431]},{"name":"MEDIASUBTYPE_P408","features":[431]},{"name":"MEDIASUBTYPE_PCM","features":[431]},{"name":"MEDIASUBTYPE_PCMAudio_Obsolete","features":[431]},{"name":"MEDIASUBTYPE_Plum","features":[431]},{"name":"MEDIASUBTYPE_QTJpeg","features":[431]},{"name":"MEDIASUBTYPE_QTMovie","features":[431]},{"name":"MEDIASUBTYPE_QTRle","features":[431]},{"name":"MEDIASUBTYPE_QTRpza","features":[431]},{"name":"MEDIASUBTYPE_QTSmc","features":[431]},{"name":"MEDIASUBTYPE_RAW_AAC1","features":[431]},{"name":"MEDIASUBTYPE_RAW_SPORT","features":[431]},{"name":"MEDIASUBTYPE_RGB1","features":[431]},{"name":"MEDIASUBTYPE_RGB16_D3D_DX7_RT","features":[431]},{"name":"MEDIASUBTYPE_RGB16_D3D_DX9_RT","features":[431]},{"name":"MEDIASUBTYPE_RGB24","features":[431]},{"name":"MEDIASUBTYPE_RGB32","features":[431]},{"name":"MEDIASUBTYPE_RGB32_D3D_DX7_RT","features":[431]},{"name":"MEDIASUBTYPE_RGB32_D3D_DX9_RT","features":[431]},{"name":"MEDIASUBTYPE_RGB4","features":[431]},{"name":"MEDIASUBTYPE_RGB555","features":[431]},{"name":"MEDIASUBTYPE_RGB565","features":[431]},{"name":"MEDIASUBTYPE_RGB8","features":[431]},{"name":"MEDIASUBTYPE_S340","features":[431]},{"name":"MEDIASUBTYPE_S342","features":[431]},{"name":"MEDIASUBTYPE_SPDIF_TAG_241h","features":[431]},{"name":"MEDIASUBTYPE_TELETEXT","features":[431]},{"name":"MEDIASUBTYPE_TVMJ","features":[431]},{"name":"MEDIASUBTYPE_UYVY","features":[431]},{"name":"MEDIASUBTYPE_V216","features":[431]},{"name":"MEDIASUBTYPE_V410","features":[431]},{"name":"MEDIASUBTYPE_VBI","features":[431]},{"name":"MEDIASUBTYPE_VODAFONE_MPEG_ADTS_AAC","features":[431]},{"name":"MEDIASUBTYPE_VODAFONE_MPEG_RAW_AAC","features":[431]},{"name":"MEDIASUBTYPE_VPS","features":[431]},{"name":"MEDIASUBTYPE_VPVBI","features":[431]},{"name":"MEDIASUBTYPE_VPVideo","features":[431]},{"name":"MEDIASUBTYPE_WAKE","features":[431]},{"name":"MEDIASUBTYPE_WAVE","features":[431]},{"name":"MEDIASUBTYPE_WMASPDIF","features":[431]},{"name":"MEDIASUBTYPE_WMAUDIO2","features":[431]},{"name":"MEDIASUBTYPE_WMAUDIO3","features":[431]},{"name":"MEDIASUBTYPE_WMAUDIO4","features":[431]},{"name":"MEDIASUBTYPE_WMAUDIO_LOSSLESS","features":[431]},{"name":"MEDIASUBTYPE_WMV1","features":[431]},{"name":"MEDIASUBTYPE_WMV2","features":[431]},{"name":"MEDIASUBTYPE_WMV3","features":[431]},{"name":"MEDIASUBTYPE_WMVA","features":[431]},{"name":"MEDIASUBTYPE_WMVB","features":[431]},{"name":"MEDIASUBTYPE_WMVP","features":[431]},{"name":"MEDIASUBTYPE_WMVR","features":[431]},{"name":"MEDIASUBTYPE_WSS","features":[431]},{"name":"MEDIASUBTYPE_WVC1","features":[431]},{"name":"MEDIASUBTYPE_WVP2","features":[431]},{"name":"MEDIASUBTYPE_X264","features":[431]},{"name":"MEDIASUBTYPE_XDS","features":[431]},{"name":"MEDIASUBTYPE_Y210","features":[431]},{"name":"MEDIASUBTYPE_Y211","features":[431]},{"name":"MEDIASUBTYPE_Y216","features":[431]},{"name":"MEDIASUBTYPE_Y411","features":[431]},{"name":"MEDIASUBTYPE_Y41P","features":[431]},{"name":"MEDIASUBTYPE_Y41T","features":[431]},{"name":"MEDIASUBTYPE_Y42T","features":[431]},{"name":"MEDIASUBTYPE_YUY2","features":[431]},{"name":"MEDIASUBTYPE_YUYV","features":[431]},{"name":"MEDIASUBTYPE_YV12","features":[431]},{"name":"MEDIASUBTYPE_YVU9","features":[431]},{"name":"MEDIASUBTYPE_YVYU","features":[431]},{"name":"MEDIASUBTYPE_dv25","features":[431]},{"name":"MEDIASUBTYPE_dv50","features":[431]},{"name":"MEDIASUBTYPE_dvh1","features":[431]},{"name":"MEDIASUBTYPE_dvhd","features":[431]},{"name":"MEDIASUBTYPE_dvsl","features":[431]},{"name":"MEDIASUBTYPE_v210","features":[431]},{"name":"MEDIATYPE_AUXLine21Data","features":[431]},{"name":"MEDIATYPE_AUXTeletextPage","features":[431]},{"name":"MEDIATYPE_AnalogAudio","features":[431]},{"name":"MEDIATYPE_AnalogVideo","features":[431]},{"name":"MEDIATYPE_Audio","features":[431]},{"name":"MEDIATYPE_CC_CONTAINER","features":[431]},{"name":"MEDIATYPE_DTVCCData","features":[431]},{"name":"MEDIATYPE_File","features":[431]},{"name":"MEDIATYPE_Interleaved","features":[431]},{"name":"MEDIATYPE_LMRT","features":[431]},{"name":"MEDIATYPE_MPEG1SystemStream","features":[431]},{"name":"MEDIATYPE_MSTVCaption","features":[431]},{"name":"MEDIATYPE_Midi","features":[431]},{"name":"MEDIATYPE_ScriptCommand","features":[431]},{"name":"MEDIATYPE_Stream","features":[431]},{"name":"MEDIATYPE_Text","features":[431]},{"name":"MEDIATYPE_Timecode","features":[431]},{"name":"MEDIATYPE_URL_STREAM","features":[431]},{"name":"MEDIATYPE_VBI","features":[431]},{"name":"MEDIATYPE_Video","features":[431]},{"name":"MEDIA_EVENT_GENERATOR_GET_EVENT_FLAGS","features":[431]},{"name":"MEDeviceStreamCreated","features":[431]},{"name":"MEDeviceThermalStateChanged","features":[431]},{"name":"MEEnablerCompleted","features":[431]},{"name":"MEEnablerProgress","features":[431]},{"name":"MEEncodingParameters","features":[431]},{"name":"MEEndOfPresentation","features":[431]},{"name":"MEEndOfPresentationSegment","features":[431]},{"name":"MEEndOfStream","features":[431]},{"name":"MEError","features":[431]},{"name":"MEExtendedType","features":[431]},{"name":"MEGenericV1Anchor","features":[431]},{"name":"MEIndividualizationCompleted","features":[431]},{"name":"MEIndividualizationStart","features":[431]},{"name":"MELicenseAcquisitionCompleted","features":[431]},{"name":"MELicenseAcquisitionStart","features":[431]},{"name":"MEMediaSample","features":[431]},{"name":"MENewPresentation","features":[431]},{"name":"MENewStream","features":[431]},{"name":"MENonFatalError","features":[431]},{"name":"MEPolicyChanged","features":[431]},{"name":"MEPolicyError","features":[431]},{"name":"MEPolicyReport","features":[431]},{"name":"MEPolicySet","features":[431]},{"name":"MEQualityNotify","features":[431]},{"name":"MEReconnectEnd","features":[431]},{"name":"MEReconnectStart","features":[431]},{"name":"MERendererEvent","features":[431]},{"name":"MEReservedMax","features":[431]},{"name":"MESequencerSourceTopologyUpdated","features":[431]},{"name":"MESessionCapabilitiesChanged","features":[431]},{"name":"MESessionClosed","features":[431]},{"name":"MESessionEnded","features":[431]},{"name":"MESessionNotifyPresentationTime","features":[431]},{"name":"MESessionPaused","features":[431]},{"name":"MESessionRateChanged","features":[431]},{"name":"MESessionScrubSampleComplete","features":[431]},{"name":"MESessionStarted","features":[431]},{"name":"MESessionStopped","features":[431]},{"name":"MESessionStreamSinkFormatChanged","features":[431]},{"name":"MESessionTopologiesCleared","features":[431]},{"name":"MESessionTopologySet","features":[431]},{"name":"MESessionTopologyStatus","features":[431]},{"name":"MESessionUnknown","features":[431]},{"name":"MESessionV1Anchor","features":[431]},{"name":"MESinkInvalidated","features":[431]},{"name":"MESinkUnknown","features":[431]},{"name":"MESinkV1Anchor","features":[431]},{"name":"MESinkV2Anchor","features":[431]},{"name":"MESourceCharacteristicsChanged","features":[431]},{"name":"MESourceMetadataChanged","features":[431]},{"name":"MESourcePaused","features":[431]},{"name":"MESourceRateChangeRequested","features":[431]},{"name":"MESourceRateChanged","features":[431]},{"name":"MESourceSeeked","features":[431]},{"name":"MESourceStarted","features":[431]},{"name":"MESourceStopped","features":[431]},{"name":"MESourceUnknown","features":[431]},{"name":"MESourceV1Anchor","features":[431]},{"name":"MEStreamFormatChanged","features":[431]},{"name":"MEStreamPaused","features":[431]},{"name":"MEStreamSeeked","features":[431]},{"name":"MEStreamSinkDeviceChanged","features":[431]},{"name":"MEStreamSinkFormatChanged","features":[431]},{"name":"MEStreamSinkFormatInvalidated","features":[431]},{"name":"MEStreamSinkMarker","features":[431]},{"name":"MEStreamSinkPaused","features":[431]},{"name":"MEStreamSinkPrerolled","features":[431]},{"name":"MEStreamSinkRateChanged","features":[431]},{"name":"MEStreamSinkRequestSample","features":[431]},{"name":"MEStreamSinkScrubSampleComplete","features":[431]},{"name":"MEStreamSinkStarted","features":[431]},{"name":"MEStreamSinkStopped","features":[431]},{"name":"MEStreamStarted","features":[431]},{"name":"MEStreamStopped","features":[431]},{"name":"MEStreamThinMode","features":[431]},{"name":"MEStreamTick","features":[431]},{"name":"METransformDrainComplete","features":[431]},{"name":"METransformHaveOutput","features":[431]},{"name":"METransformInputStreamStateChanged","features":[431]},{"name":"METransformMarker","features":[431]},{"name":"METransformNeedInput","features":[431]},{"name":"METransformUnknown","features":[431]},{"name":"METrustUnknown","features":[431]},{"name":"METrustV1Anchor","features":[431]},{"name":"MEUnknown","features":[431]},{"name":"MEUpdatedStream","features":[431]},{"name":"MEVideoCaptureDevicePreempted","features":[431]},{"name":"MEVideoCaptureDeviceRemoved","features":[431]},{"name":"MEWMDRMIndividualizationCompleted","features":[431]},{"name":"MEWMDRMIndividualizationProgress","features":[431]},{"name":"MEWMDRMLicenseAcquisitionCompleted","features":[431]},{"name":"MEWMDRMLicenseBackupCompleted","features":[431]},{"name":"MEWMDRMLicenseBackupProgress","features":[431]},{"name":"MEWMDRMLicenseRestoreCompleted","features":[431]},{"name":"MEWMDRMLicenseRestoreProgress","features":[431]},{"name":"MEWMDRMLicenseStoreCleaned","features":[431]},{"name":"MEWMDRMProximityCompleted","features":[431]},{"name":"MEWMDRMRevocationDownloadCompleted","features":[431]},{"name":"MEWMDRMV1Anchor","features":[431]},{"name":"MF2DBuffer_LockFlags","features":[431]},{"name":"MF2DBuffer_LockFlags_ForceDWORD","features":[431]},{"name":"MF2DBuffer_LockFlags_LockTypeMask","features":[431]},{"name":"MF2DBuffer_LockFlags_Read","features":[431]},{"name":"MF2DBuffer_LockFlags_ReadWrite","features":[431]},{"name":"MF2DBuffer_LockFlags_Write","features":[431]},{"name":"MF3DVideoOutputType","features":[431]},{"name":"MF3DVideoOutputType_BaseView","features":[431]},{"name":"MF3DVideoOutputType_Stereo","features":[431]},{"name":"MFAMRNBByteStreamHandler","features":[431]},{"name":"MFAMRNBSinkClassFactory","features":[431]},{"name":"MFARGB","features":[431]},{"name":"MFASFINDEXER_APPROX_SEEK_TIME_UNKNOWN","features":[431]},{"name":"MFASFINDEXER_NO_FIXED_INTERVAL","features":[431]},{"name":"MFASFINDEXER_PER_ENTRY_BYTES_DYNAMIC","features":[431]},{"name":"MFASFINDEXER_READ_FOR_REVERSEPLAYBACK_OUTOFDATASEGMENT","features":[431]},{"name":"MFASFINDEXER_TYPE_TIMECODE","features":[431]},{"name":"MFASFMutexType_Bitrate","features":[431]},{"name":"MFASFMutexType_Language","features":[431]},{"name":"MFASFMutexType_Presentation","features":[431]},{"name":"MFASFMutexType_Unknown","features":[431]},{"name":"MFASFSPLITTER_PACKET_BOUNDARY","features":[431]},{"name":"MFASFSampleExtension_ContentType","features":[431]},{"name":"MFASFSampleExtension_Encryption_KeyID","features":[431]},{"name":"MFASFSampleExtension_Encryption_SampleID","features":[431]},{"name":"MFASFSampleExtension_FileName","features":[431]},{"name":"MFASFSampleExtension_OutputCleanPoint","features":[431]},{"name":"MFASFSampleExtension_PixelAspectRatio","features":[431]},{"name":"MFASFSampleExtension_SMPTE","features":[431]},{"name":"MFASFSampleExtension_SampleDuration","features":[431]},{"name":"MFASF_DEFAULT_BUFFER_WINDOW_MS","features":[431]},{"name":"MFASF_INDEXER_FLAGS","features":[431]},{"name":"MFASF_INDEXER_READ_FOR_REVERSEPLAYBACK","features":[431]},{"name":"MFASF_INDEXER_WRITE_FOR_LIVEREAD","features":[431]},{"name":"MFASF_INDEXER_WRITE_NEW_INDEX","features":[431]},{"name":"MFASF_INVALID_STREAM_NUMBER","features":[431]},{"name":"MFASF_MAX_STREAM_NUMBER","features":[431]},{"name":"MFASF_MULTIPLEXERFLAGS","features":[431]},{"name":"MFASF_MULTIPLEXER_AUTOADJUST_BITRATE","features":[431]},{"name":"MFASF_PAYLOADEXTENSION_MAX_SIZE","features":[431]},{"name":"MFASF_PAYLOADEXTENSION_VARIABLE_SIZE","features":[431]},{"name":"MFASF_SPLITTERFLAGS","features":[431]},{"name":"MFASF_SPLITTER_REVERSE","features":[431]},{"name":"MFASF_SPLITTER_WMDRM","features":[431]},{"name":"MFASF_STREAMSELECTOR_DISABLE_THINNING","features":[431]},{"name":"MFASF_STREAMSELECTOR_FLAGS","features":[431]},{"name":"MFASF_STREAMSELECTOR_USE_AVERAGE_BITRATE","features":[431]},{"name":"MFASYNCRESULT","features":[431]},{"name":"MFASYNC_BLOCKING_CALLBACK","features":[431]},{"name":"MFASYNC_CALLBACK_QUEUE_ALL","features":[431]},{"name":"MFASYNC_CALLBACK_QUEUE_IO","features":[431]},{"name":"MFASYNC_CALLBACK_QUEUE_LONG_FUNCTION","features":[431]},{"name":"MFASYNC_CALLBACK_QUEUE_MULTITHREADED","features":[431]},{"name":"MFASYNC_CALLBACK_QUEUE_PRIVATE_MASK","features":[431]},{"name":"MFASYNC_CALLBACK_QUEUE_RT","features":[431]},{"name":"MFASYNC_CALLBACK_QUEUE_STANDARD","features":[431]},{"name":"MFASYNC_CALLBACK_QUEUE_TIMER","features":[431]},{"name":"MFASYNC_CALLBACK_QUEUE_UNDEFINED","features":[431]},{"name":"MFASYNC_FAST_IO_PROCESSING_CALLBACK","features":[431]},{"name":"MFASYNC_LOCALIZE_REMOTE_CALLBACK","features":[431]},{"name":"MFASYNC_REPLY_CALLBACK","features":[431]},{"name":"MFASYNC_SIGNAL_CALLBACK","features":[431]},{"name":"MFASYNC_WORKQUEUE_TYPE","features":[431]},{"name":"MFAYUVSample","features":[431]},{"name":"MFAddPeriodicCallback","features":[431]},{"name":"MFAllocateSerialWorkQueue","features":[431]},{"name":"MFAllocateWorkQueue","features":[431]},{"name":"MFAllocateWorkQueueEx","features":[431]},{"name":"MFAudioConstriction","features":[431]},{"name":"MFAudioDecoderDegradationInfo","features":[431]},{"name":"MFAudioFormat_AAC","features":[431]},{"name":"MFAudioFormat_AAC_HDCP","features":[431]},{"name":"MFAudioFormat_ADTS","features":[431]},{"name":"MFAudioFormat_ADTS_HDCP","features":[431]},{"name":"MFAudioFormat_ALAC","features":[431]},{"name":"MFAudioFormat_AMR_NB","features":[431]},{"name":"MFAudioFormat_AMR_WB","features":[431]},{"name":"MFAudioFormat_AMR_WP","features":[431]},{"name":"MFAudioFormat_Base","features":[431]},{"name":"MFAudioFormat_Base_HDCP","features":[431]},{"name":"MFAudioFormat_DRM","features":[431]},{"name":"MFAudioFormat_DTS","features":[431]},{"name":"MFAudioFormat_DTS_HD","features":[431]},{"name":"MFAudioFormat_DTS_LBR","features":[431]},{"name":"MFAudioFormat_DTS_RAW","features":[431]},{"name":"MFAudioFormat_DTS_UHD","features":[431]},{"name":"MFAudioFormat_DTS_UHDY","features":[431]},{"name":"MFAudioFormat_DTS_XLL","features":[431]},{"name":"MFAudioFormat_Dolby_AC3","features":[431]},{"name":"MFAudioFormat_Dolby_AC3_HDCP","features":[431]},{"name":"MFAudioFormat_Dolby_AC3_SPDIF","features":[431]},{"name":"MFAudioFormat_Dolby_AC4","features":[431]},{"name":"MFAudioFormat_Dolby_AC4_V1","features":[431]},{"name":"MFAudioFormat_Dolby_AC4_V1_ES","features":[431]},{"name":"MFAudioFormat_Dolby_AC4_V2","features":[431]},{"name":"MFAudioFormat_Dolby_AC4_V2_ES","features":[431]},{"name":"MFAudioFormat_Dolby_DDPlus","features":[431]},{"name":"MFAudioFormat_FLAC","features":[431]},{"name":"MFAudioFormat_Float","features":[431]},{"name":"MFAudioFormat_Float_SpatialObjects","features":[431]},{"name":"MFAudioFormat_LPCM","features":[431]},{"name":"MFAudioFormat_MP3","features":[431]},{"name":"MFAudioFormat_MPEG","features":[431]},{"name":"MFAudioFormat_MSP1","features":[431]},{"name":"MFAudioFormat_Opus","features":[431]},{"name":"MFAudioFormat_PCM","features":[431]},{"name":"MFAudioFormat_PCM_HDCP","features":[431]},{"name":"MFAudioFormat_Vorbis","features":[431]},{"name":"MFAudioFormat_WMASPDIF","features":[431]},{"name":"MFAudioFormat_WMAudioV8","features":[431]},{"name":"MFAudioFormat_WMAudioV9","features":[431]},{"name":"MFAudioFormat_WMAudio_Lossless","features":[431]},{"name":"MFAverageTimePerFrameToFrameRate","features":[431]},{"name":"MFBYTESTREAM_BUFFERING_PARAMS","features":[431]},{"name":"MFBYTESTREAM_DOES_NOT_USE_NETWORK","features":[431]},{"name":"MFBYTESTREAM_HAS_SLOW_SEEK","features":[431]},{"name":"MFBYTESTREAM_IS_DIRECTORY","features":[431]},{"name":"MFBYTESTREAM_IS_PARTIALLY_DOWNLOADED","features":[431]},{"name":"MFBYTESTREAM_IS_READABLE","features":[431]},{"name":"MFBYTESTREAM_IS_REMOTE","features":[431]},{"name":"MFBYTESTREAM_IS_SEEKABLE","features":[431]},{"name":"MFBYTESTREAM_IS_WRITABLE","features":[431]},{"name":"MFBYTESTREAM_SEEK_FLAG_CANCEL_PENDING_IO","features":[431]},{"name":"MFBYTESTREAM_SEEK_ORIGIN","features":[431]},{"name":"MFBYTESTREAM_SHARE_WRITE","features":[431]},{"name":"MFBeginCreateFile","features":[431]},{"name":"MFBeginRegisterWorkQueueWithMMCSS","features":[431]},{"name":"MFBeginRegisterWorkQueueWithMMCSSEx","features":[431]},{"name":"MFBeginUnregisterWorkQueueWithMMCSS","features":[431]},{"name":"MFCAPTURE_METADATA_SCANLINE_VERTICAL","features":[431]},{"name":"MFCAPTURE_METADATA_SCAN_BOTTOM_TOP","features":[431]},{"name":"MFCAPTURE_METADATA_SCAN_RIGHT_LEFT","features":[431]},{"name":"MFCLOCK_CHARACTERISTICS_FLAGS","features":[431]},{"name":"MFCLOCK_CHARACTERISTICS_FLAG_ALWAYS_RUNNING","features":[431]},{"name":"MFCLOCK_CHARACTERISTICS_FLAG_FREQUENCY_10MHZ","features":[431]},{"name":"MFCLOCK_CHARACTERISTICS_FLAG_IS_SYSTEM_CLOCK","features":[431]},{"name":"MFCLOCK_FREQUENCY_HNS","features":[431]},{"name":"MFCLOCK_JITTER_DPC","features":[431]},{"name":"MFCLOCK_JITTER_ISR","features":[431]},{"name":"MFCLOCK_JITTER_PASSIVE","features":[431]},{"name":"MFCLOCK_PROPERTIES","features":[431]},{"name":"MFCLOCK_RELATIONAL_FLAGS","features":[431]},{"name":"MFCLOCK_RELATIONAL_FLAG_JITTER_NEVER_AHEAD","features":[431]},{"name":"MFCLOCK_STATE","features":[431]},{"name":"MFCLOCK_STATE_INVALID","features":[431]},{"name":"MFCLOCK_STATE_PAUSED","features":[431]},{"name":"MFCLOCK_STATE_RUNNING","features":[431]},{"name":"MFCLOCK_STATE_STOPPED","features":[431]},{"name":"MFCLOCK_TOLERANCE_UNKNOWN","features":[431]},{"name":"MFCONNECTOR_AGP","features":[431]},{"name":"MFCONNECTOR_COMPONENT","features":[431]},{"name":"MFCONNECTOR_COMPOSITE","features":[431]},{"name":"MFCONNECTOR_DISPLAYPORT_EMBEDDED","features":[431]},{"name":"MFCONNECTOR_DISPLAYPORT_EXTERNAL","features":[431]},{"name":"MFCONNECTOR_DVI","features":[431]},{"name":"MFCONNECTOR_D_JPN","features":[431]},{"name":"MFCONNECTOR_HDMI","features":[431]},{"name":"MFCONNECTOR_LVDS","features":[431]},{"name":"MFCONNECTOR_MIRACAST","features":[431]},{"name":"MFCONNECTOR_PCI","features":[431]},{"name":"MFCONNECTOR_PCIX","features":[431]},{"name":"MFCONNECTOR_PCI_Express","features":[431]},{"name":"MFCONNECTOR_SDI","features":[431]},{"name":"MFCONNECTOR_SPDIF","features":[431]},{"name":"MFCONNECTOR_SVIDEO","features":[431]},{"name":"MFCONNECTOR_TRANSPORT_AGNOSTIC_DIGITAL_MODE_A","features":[431]},{"name":"MFCONNECTOR_TRANSPORT_AGNOSTIC_DIGITAL_MODE_B","features":[431]},{"name":"MFCONNECTOR_UDI_EMBEDDED","features":[431]},{"name":"MFCONNECTOR_UDI_EXTERNAL","features":[431]},{"name":"MFCONNECTOR_UNKNOWN","features":[431]},{"name":"MFCONNECTOR_VGA","features":[431]},{"name":"MFCONTENTPROTECTIONDEVICE_FUNCTIONID_START","features":[431]},{"name":"MFCONTENTPROTECTIONDEVICE_INPUT_DATA","features":[431]},{"name":"MFCONTENTPROTECTIONDEVICE_OUTPUT_DATA","features":[431]},{"name":"MFCONTENTPROTECTIONDEVICE_REALTIMECLIENT_DATA","features":[431]},{"name":"MFCONTENTPROTECTIONDEVICE_REALTIMECLIENT_DATA_FUNCTIONID","features":[431]},{"name":"MFCalculateBitmapImageSize","features":[308,319,431]},{"name":"MFCalculateImageSize","features":[431]},{"name":"MFCameraExtrinsic_CalibratedTransform","features":[431]},{"name":"MFCameraExtrinsics","features":[431]},{"name":"MFCameraIntrinsic_CameraModel","features":[431]},{"name":"MFCameraIntrinsic_DistortionModel","features":[431]},{"name":"MFCameraIntrinsic_DistortionModel6KT","features":[431]},{"name":"MFCameraIntrinsic_DistortionModelArcTan","features":[431]},{"name":"MFCameraIntrinsic_DistortionModelType","features":[431]},{"name":"MFCameraIntrinsic_DistortionModelType_6KT","features":[431]},{"name":"MFCameraIntrinsic_DistortionModelType_ArcTan","features":[431]},{"name":"MFCameraIntrinsic_PinholeCameraModel","features":[431]},{"name":"MFCameraOcclusionState","features":[431]},{"name":"MFCameraOcclusionState_OccludedByCameraHardware","features":[431]},{"name":"MFCameraOcclusionState_OccludedByLid","features":[431]},{"name":"MFCameraOcclusionState_Open","features":[431]},{"name":"MFCancelCreateFile","features":[431]},{"name":"MFCancelWorkItem","features":[431]},{"name":"MFCombineSamples","features":[308,431]},{"name":"MFCompareFullToPartialMediaType","features":[308,431]},{"name":"MFConvertColorInfoFromDXVA","features":[308,431]},{"name":"MFConvertColorInfoToDXVA","features":[308,431]},{"name":"MFConvertFromFP16Array","features":[431]},{"name":"MFConvertToFP16Array","features":[431]},{"name":"MFCopyImage","features":[431]},{"name":"MFCreate2DMediaBuffer","features":[308,431]},{"name":"MFCreate3GPMediaSink","features":[431]},{"name":"MFCreateAC3MediaSink","features":[431]},{"name":"MFCreateADTSMediaSink","features":[431]},{"name":"MFCreateAMMediaTypeFromMFMediaType","features":[308,431]},{"name":"MFCreateASFContentInfo","features":[431]},{"name":"MFCreateASFIndexer","features":[431]},{"name":"MFCreateASFIndexerByteStream","features":[431]},{"name":"MFCreateASFMediaSink","features":[431]},{"name":"MFCreateASFMediaSinkActivate","features":[431]},{"name":"MFCreateASFMultiplexer","features":[431]},{"name":"MFCreateASFProfile","features":[431]},{"name":"MFCreateASFProfileFromPresentationDescriptor","features":[431]},{"name":"MFCreateASFSplitter","features":[431]},{"name":"MFCreateASFStreamSelector","features":[431]},{"name":"MFCreateASFStreamingMediaSink","features":[431]},{"name":"MFCreateASFStreamingMediaSinkActivate","features":[431]},{"name":"MFCreateAVIMediaSink","features":[431]},{"name":"MFCreateAggregateSource","features":[431]},{"name":"MFCreateAlignedMemoryBuffer","features":[431]},{"name":"MFCreateAsyncResult","features":[431]},{"name":"MFCreateAttributes","features":[431]},{"name":"MFCreateAudioMediaType","features":[423,431]},{"name":"MFCreateAudioRenderer","features":[431]},{"name":"MFCreateAudioRendererActivate","features":[431]},{"name":"MFCreateCameraControlMonitor","features":[431]},{"name":"MFCreateCameraOcclusionStateMonitor","features":[431]},{"name":"MFCreateCollection","features":[431]},{"name":"MFCreateContentDecryptorContext","features":[431]},{"name":"MFCreateContentProtectionDevice","features":[431]},{"name":"MFCreateCredentialCache","features":[431]},{"name":"MFCreateD3D12SynchronizationObject","features":[355,431]},{"name":"MFCreateDXGIDeviceManager","features":[431]},{"name":"MFCreateDXGISurfaceBuffer","features":[308,431]},{"name":"MFCreateDXSurfaceBuffer","features":[308,431]},{"name":"MFCreateDeviceSource","features":[431]},{"name":"MFCreateDeviceSourceActivate","features":[431]},{"name":"MFCreateEncryptedMediaExtensionsStoreActivate","features":[431,359]},{"name":"MFCreateEventQueue","features":[431]},{"name":"MFCreateExtendedCameraIntrinsicModel","features":[431]},{"name":"MFCreateExtendedCameraIntrinsics","features":[431]},{"name":"MFCreateFMPEG4MediaSink","features":[431]},{"name":"MFCreateFile","features":[431]},{"name":"MFCreateLegacyMediaBufferOnMFMediaBuffer","features":[436,431]},{"name":"MFCreateMFByteStreamOnStream","features":[431,359]},{"name":"MFCreateMFByteStreamOnStreamEx","features":[431]},{"name":"MFCreateMFByteStreamWrapper","features":[431]},{"name":"MFCreateMFVideoFormatFromMFMediaType","features":[308,431]},{"name":"MFCreateMP3MediaSink","features":[431]},{"name":"MFCreateMPEG4MediaSink","features":[431]},{"name":"MFCreateMediaBufferFromMediaType","features":[431]},{"name":"MFCreateMediaBufferWrapper","features":[431]},{"name":"MFCreateMediaEvent","features":[431]},{"name":"MFCreateMediaExtensionActivate","features":[431]},{"name":"MFCreateMediaSession","features":[431]},{"name":"MFCreateMediaType","features":[431]},{"name":"MFCreateMediaTypeFromProperties","features":[431]},{"name":"MFCreateMediaTypeFromRepresentation","features":[431]},{"name":"MFCreateMemoryBuffer","features":[431]},{"name":"MFCreateMuxSink","features":[431]},{"name":"MFCreateMuxStreamAttributes","features":[431]},{"name":"MFCreateMuxStreamMediaType","features":[431]},{"name":"MFCreateMuxStreamSample","features":[431]},{"name":"MFCreateNetSchemePlugin","features":[431]},{"name":"MFCreatePMPMediaSession","features":[431]},{"name":"MFCreatePMPServer","features":[431]},{"name":"MFCreatePresentationClock","features":[431]},{"name":"MFCreatePresentationDescriptor","features":[431]},{"name":"MFCreatePresentationDescriptorFromASFProfile","features":[431]},{"name":"MFCreatePropertiesFromMediaType","features":[431]},{"name":"MFCreateProtectedEnvironmentAccess","features":[431]},{"name":"MFCreateProxyLocator","features":[431,379]},{"name":"MFCreateRelativePanelWatcher","features":[431]},{"name":"MFCreateRemoteDesktopPlugin","features":[431]},{"name":"MFCreateSample","features":[431]},{"name":"MFCreateSampleCopierMFT","features":[431]},{"name":"MFCreateSampleGrabberSinkActivate","features":[431]},{"name":"MFCreateSensorActivityMonitor","features":[431]},{"name":"MFCreateSensorGroup","features":[431]},{"name":"MFCreateSensorProfile","features":[431]},{"name":"MFCreateSensorProfileCollection","features":[431]},{"name":"MFCreateSensorStream","features":[431]},{"name":"MFCreateSequencerSegmentOffset","features":[431]},{"name":"MFCreateSequencerSource","features":[431]},{"name":"MFCreateSimpleTypeHandler","features":[431]},{"name":"MFCreateSinkWriterFromMediaSink","features":[431]},{"name":"MFCreateSinkWriterFromURL","features":[431]},{"name":"MFCreateSourceReaderFromByteStream","features":[431]},{"name":"MFCreateSourceReaderFromMediaSource","features":[431]},{"name":"MFCreateSourceReaderFromURL","features":[431]},{"name":"MFCreateSourceResolver","features":[431]},{"name":"MFCreateStandardQualityManager","features":[431]},{"name":"MFCreateStreamDescriptor","features":[431]},{"name":"MFCreateStreamOnMFByteStream","features":[431,359]},{"name":"MFCreateStreamOnMFByteStreamEx","features":[431]},{"name":"MFCreateSystemTimeSource","features":[431]},{"name":"MFCreateTempFile","features":[431]},{"name":"MFCreateTopoLoader","features":[431]},{"name":"MFCreateTopology","features":[431]},{"name":"MFCreateTopologyNode","features":[431]},{"name":"MFCreateTrackedSample","features":[431]},{"name":"MFCreateTranscodeProfile","features":[431]},{"name":"MFCreateTranscodeSinkActivate","features":[431]},{"name":"MFCreateTranscodeTopology","features":[431]},{"name":"MFCreateTranscodeTopologyFromByteStream","features":[431]},{"name":"MFCreateTransformActivate","features":[431]},{"name":"MFCreateVideoMediaType","features":[308,431]},{"name":"MFCreateVideoMediaTypeFromBitMapInfoHeader","features":[319,431]},{"name":"MFCreateVideoMediaTypeFromBitMapInfoHeaderEx","features":[319,431]},{"name":"MFCreateVideoMediaTypeFromSubtype","features":[431]},{"name":"MFCreateVideoMixer","features":[431]},{"name":"MFCreateVideoMixerAndPresenter","features":[431]},{"name":"MFCreateVideoPresenter","features":[431]},{"name":"MFCreateVideoRenderer","features":[431]},{"name":"MFCreateVideoRendererActivate","features":[308,431]},{"name":"MFCreateVideoSampleAllocator","features":[431]},{"name":"MFCreateVideoSampleAllocatorEx","features":[431]},{"name":"MFCreateVideoSampleFromSurface","features":[431]},{"name":"MFCreateVirtualCamera","features":[431]},{"name":"MFCreateWAVEMediaSink","features":[431]},{"name":"MFCreateWICBitmapBuffer","features":[431]},{"name":"MFCreateWMAEncoderActivate","features":[431,379]},{"name":"MFCreateWMVEncoderActivate","features":[431,379]},{"name":"MFCreateWaveFormatExFromMFMediaType","features":[423,431]},{"name":"MFDepthMeasurement","features":[431]},{"name":"MFDeserializeAttributesFromStream","features":[431,359]},{"name":"MFDeserializePresentationDescriptor","features":[431]},{"name":"MFENABLETYPE_MF_RebootRequired","features":[431]},{"name":"MFENABLETYPE_MF_UpdateRevocationInformation","features":[431]},{"name":"MFENABLETYPE_MF_UpdateUntrustedComponent","features":[431]},{"name":"MFENABLETYPE_WMDRMV1_LicenseAcquisition","features":[431]},{"name":"MFENABLETYPE_WMDRMV7_Individualization","features":[431]},{"name":"MFENABLETYPE_WMDRMV7_LicenseAcquisition","features":[431]},{"name":"MFEVRDLL","features":[431]},{"name":"MFEndCreateFile","features":[431]},{"name":"MFEndRegisterWorkQueueWithMMCSS","features":[431]},{"name":"MFEndUnregisterWorkQueueWithMMCSS","features":[431]},{"name":"MFEnumDeviceSources","features":[431]},{"name":"MFExtendedCameraIntrinsic_IntrinsicModel","features":[431]},{"name":"MFFLACBytestreamHandler","features":[431]},{"name":"MFFLACSinkClassFactory","features":[431]},{"name":"MFFOLDDOWN_MATRIX","features":[431]},{"name":"MFFrameRateToAverageTimePerFrame","features":[431]},{"name":"MFFrameSourceTypes","features":[431]},{"name":"MFFrameSourceTypes_Color","features":[431]},{"name":"MFFrameSourceTypes_Custom","features":[431]},{"name":"MFFrameSourceTypes_Depth","features":[431]},{"name":"MFFrameSourceTypes_Image","features":[431]},{"name":"MFFrameSourceTypes_Infrared","features":[431]},{"name":"MFGetAttributesAsBlob","features":[431]},{"name":"MFGetAttributesAsBlobSize","features":[431]},{"name":"MFGetContentProtectionSystemCLSID","features":[431]},{"name":"MFGetLocalId","features":[431]},{"name":"MFGetMFTMerit","features":[431]},{"name":"MFGetPlaneSize","features":[431]},{"name":"MFGetPluginControl","features":[431]},{"name":"MFGetService","features":[431]},{"name":"MFGetStrideForBitmapInfoHeader","features":[431]},{"name":"MFGetSupportedMimeTypes","features":[431]},{"name":"MFGetSupportedSchemes","features":[431]},{"name":"MFGetSystemId","features":[431]},{"name":"MFGetSystemTime","features":[431]},{"name":"MFGetTimerPeriodicity","features":[431]},{"name":"MFGetTopoNodeCurrentType","features":[308,431]},{"name":"MFGetUncompressedVideoFormat","features":[308,431]},{"name":"MFGetWorkQueueMMCSSClass","features":[431]},{"name":"MFGetWorkQueueMMCSSPriority","features":[431]},{"name":"MFGetWorkQueueMMCSSTaskId","features":[431]},{"name":"MFHeapAlloc","features":[431]},{"name":"MFHeapFree","features":[431]},{"name":"MFINPUTTRUSTAUTHORITY_ACCESS_ACTION","features":[431]},{"name":"MFINPUTTRUSTAUTHORITY_ACCESS_PARAMS","features":[431]},{"name":"MFImageFormat_JPEG","features":[431]},{"name":"MFImageFormat_RGB32","features":[431]},{"name":"MFInitAMMediaTypeFromMFMediaType","features":[308,431]},{"name":"MFInitAttributesFromBlob","features":[431]},{"name":"MFInitMediaTypeFromAMMediaType","features":[308,431]},{"name":"MFInitMediaTypeFromMFVideoFormat","features":[308,431]},{"name":"MFInitMediaTypeFromMPEG1VideoInfo","features":[308,319,431]},{"name":"MFInitMediaTypeFromMPEG2VideoInfo","features":[308,319,431]},{"name":"MFInitMediaTypeFromVideoInfoHeader","features":[308,319,431]},{"name":"MFInitMediaTypeFromVideoInfoHeader2","features":[308,319,431]},{"name":"MFInitMediaTypeFromWaveFormatEx","features":[423,431]},{"name":"MFInitVideoFormat","features":[308,431]},{"name":"MFInitVideoFormat_RGB","features":[308,431]},{"name":"MFInvokeCallback","features":[431]},{"name":"MFIsContentProtectionDeviceSupported","features":[308,431]},{"name":"MFIsFormatYUV","features":[308,431]},{"name":"MFIsVirtualCameraTypeSupported","features":[308,431]},{"name":"MFLoadSignedLibrary","features":[431]},{"name":"MFLockDXGIDeviceManager","features":[431]},{"name":"MFLockPlatform","features":[431]},{"name":"MFLockSharedWorkQueue","features":[431]},{"name":"MFLockWorkQueue","features":[431]},{"name":"MFMEDIASOURCE_CAN_PAUSE","features":[431]},{"name":"MFMEDIASOURCE_CAN_SEEK","features":[431]},{"name":"MFMEDIASOURCE_CAN_SKIPBACKWARD","features":[431]},{"name":"MFMEDIASOURCE_CAN_SKIPFORWARD","features":[431]},{"name":"MFMEDIASOURCE_CHARACTERISTICS","features":[431]},{"name":"MFMEDIASOURCE_DOES_NOT_USE_NETWORK","features":[431]},{"name":"MFMEDIASOURCE_HAS_MULTIPLE_PRESENTATIONS","features":[431]},{"name":"MFMEDIASOURCE_HAS_SLOW_SEEK","features":[431]},{"name":"MFMEDIASOURCE_IS_LIVE","features":[431]},{"name":"MFMPEG2DLNASINKSTATS","features":[308,431]},{"name":"MFMPEG4Format_Base","features":[431]},{"name":"MFMapDX9FormatToDXGIFormat","features":[396,431]},{"name":"MFMapDXGIFormatToDX9Format","features":[396,431]},{"name":"MFMediaKeyStatus","features":[431]},{"name":"MFMediaType_Audio","features":[431]},{"name":"MFMediaType_Binary","features":[431]},{"name":"MFMediaType_Default","features":[431]},{"name":"MFMediaType_FileTransfer","features":[431]},{"name":"MFMediaType_HTML","features":[431]},{"name":"MFMediaType_Image","features":[431]},{"name":"MFMediaType_Metadata","features":[431]},{"name":"MFMediaType_MultiplexedFrames","features":[431]},{"name":"MFMediaType_Perception","features":[431]},{"name":"MFMediaType_Protected","features":[431]},{"name":"MFMediaType_SAMI","features":[431]},{"name":"MFMediaType_Script","features":[431]},{"name":"MFMediaType_Stream","features":[431]},{"name":"MFMediaType_Subtitle","features":[431]},{"name":"MFMediaType_Video","features":[431]},{"name":"MFNETSOURCE_ACCELERATEDSTREAMINGDURATION","features":[431]},{"name":"MFNETSOURCE_AUTORECONNECTLIMIT","features":[431]},{"name":"MFNETSOURCE_AUTORECONNECTPROGRESS","features":[431]},{"name":"MFNETSOURCE_AVGBANDWIDTHBPS_ID","features":[431]},{"name":"MFNETSOURCE_BROWSERUSERAGENT","features":[431]},{"name":"MFNETSOURCE_BROWSERWEBPAGE","features":[431]},{"name":"MFNETSOURCE_BUFFERINGCOUNT_ID","features":[431]},{"name":"MFNETSOURCE_BUFFERINGTIME","features":[431]},{"name":"MFNETSOURCE_BUFFERPROGRESS_ID","features":[431]},{"name":"MFNETSOURCE_BUFFERSIZE_ID","features":[431]},{"name":"MFNETSOURCE_BYTESRECEIVED_ID","features":[431]},{"name":"MFNETSOURCE_CACHEENABLED","features":[431]},{"name":"MFNETSOURCE_CACHE_ACTIVE_COMPLETE","features":[431]},{"name":"MFNETSOURCE_CACHE_ACTIVE_WRITING","features":[431]},{"name":"MFNETSOURCE_CACHE_STATE","features":[431]},{"name":"MFNETSOURCE_CACHE_STATE_ID","features":[431]},{"name":"MFNETSOURCE_CACHE_UNAVAILABLE","features":[431]},{"name":"MFNETSOURCE_CLIENTGUID","features":[431]},{"name":"MFNETSOURCE_CONNECTIONBANDWIDTH","features":[431]},{"name":"MFNETSOURCE_CONTENTBITRATE_ID","features":[431]},{"name":"MFNETSOURCE_CREDENTIAL_MANAGER","features":[431]},{"name":"MFNETSOURCE_CROSS_ORIGIN_SUPPORT","features":[431]},{"name":"MFNETSOURCE_DOWNLOADPROGRESS_ID","features":[431]},{"name":"MFNETSOURCE_DRMNET_LICENSE_REPRESENTATION","features":[431]},{"name":"MFNETSOURCE_ENABLE_DOWNLOAD","features":[431]},{"name":"MFNETSOURCE_ENABLE_HTTP","features":[431]},{"name":"MFNETSOURCE_ENABLE_MSB","features":[431]},{"name":"MFNETSOURCE_ENABLE_PRIVATEMODE","features":[431]},{"name":"MFNETSOURCE_ENABLE_RTSP","features":[431]},{"name":"MFNETSOURCE_ENABLE_STREAMING","features":[431]},{"name":"MFNETSOURCE_ENABLE_TCP","features":[431]},{"name":"MFNETSOURCE_ENABLE_UDP","features":[431]},{"name":"MFNETSOURCE_FILE","features":[431]},{"name":"MFNETSOURCE_FRIENDLYNAME","features":[431]},{"name":"MFNETSOURCE_HOSTEXE","features":[431]},{"name":"MFNETSOURCE_HOSTVERSION","features":[431]},{"name":"MFNETSOURCE_HTTP","features":[431]},{"name":"MFNETSOURCE_HTTP_DOWNLOAD_SESSION_PROVIDER","features":[431]},{"name":"MFNETSOURCE_INCORRECTLYSIGNEDPACKETS_ID","features":[431]},{"name":"MFNETSOURCE_LASTBWSWITCHTS_ID","features":[431]},{"name":"MFNETSOURCE_LINKBANDWIDTH_ID","features":[431]},{"name":"MFNETSOURCE_LOGPARAMS","features":[431]},{"name":"MFNETSOURCE_LOGURL","features":[431]},{"name":"MFNETSOURCE_LOSTPACKETS_ID","features":[431]},{"name":"MFNETSOURCE_MAXBITRATE_ID","features":[431]},{"name":"MFNETSOURCE_MAXBUFFERTIMEMS","features":[431]},{"name":"MFNETSOURCE_MAXUDPACCELERATEDSTREAMINGDURATION","features":[431]},{"name":"MFNETSOURCE_MULTICAST","features":[431]},{"name":"MFNETSOURCE_OUTPACKETS_ID","features":[431]},{"name":"MFNETSOURCE_PEERMANAGER","features":[431]},{"name":"MFNETSOURCE_PLAYERID","features":[431]},{"name":"MFNETSOURCE_PLAYERUSERAGENT","features":[431]},{"name":"MFNETSOURCE_PLAYERVERSION","features":[431]},{"name":"MFNETSOURCE_PPBANDWIDTH","features":[431]},{"name":"MFNETSOURCE_PREVIEWMODEENABLED","features":[431]},{"name":"MFNETSOURCE_PROTOCOL","features":[431]},{"name":"MFNETSOURCE_PROTOCOL_ID","features":[431]},{"name":"MFNETSOURCE_PROTOCOL_TYPE","features":[431]},{"name":"MFNETSOURCE_PROXYBYPASSFORLOCAL","features":[431]},{"name":"MFNETSOURCE_PROXYEXCEPTIONLIST","features":[431]},{"name":"MFNETSOURCE_PROXYHOSTNAME","features":[431]},{"name":"MFNETSOURCE_PROXYINFO","features":[431]},{"name":"MFNETSOURCE_PROXYLOCATORFACTORY","features":[431]},{"name":"MFNETSOURCE_PROXYPORT","features":[431]},{"name":"MFNETSOURCE_PROXYRERUNAUTODETECTION","features":[431]},{"name":"MFNETSOURCE_PROXYSETTINGS","features":[431]},{"name":"MFNETSOURCE_RECEPTION_QUALITY_ID","features":[431]},{"name":"MFNETSOURCE_RECOVEREDBYECCPACKETS_ID","features":[431]},{"name":"MFNETSOURCE_RECOVEREDBYRTXPACKETS_ID","features":[431]},{"name":"MFNETSOURCE_RECOVEREDPACKETS_ID","features":[431]},{"name":"MFNETSOURCE_RECVPACKETS_ID","features":[431]},{"name":"MFNETSOURCE_RECVRATE_ID","features":[431]},{"name":"MFNETSOURCE_RESENDSENABLED","features":[431]},{"name":"MFNETSOURCE_RESENDSRECEIVED_ID","features":[431]},{"name":"MFNETSOURCE_RESENDSREQUESTED_ID","features":[431]},{"name":"MFNETSOURCE_RESOURCE_FILTER","features":[431]},{"name":"MFNETSOURCE_RTSP","features":[431]},{"name":"MFNETSOURCE_SEEKRANGEEND_ID","features":[431]},{"name":"MFNETSOURCE_SEEKRANGESTART_ID","features":[431]},{"name":"MFNETSOURCE_SIGNEDSESSION_ID","features":[431]},{"name":"MFNETSOURCE_SPEEDFACTOR_ID","features":[431]},{"name":"MFNETSOURCE_SSLCERTIFICATE_MANAGER","features":[431]},{"name":"MFNETSOURCE_STATISTICS","features":[431]},{"name":"MFNETSOURCE_STATISTICS_IDS","features":[431]},{"name":"MFNETSOURCE_STATISTICS_SERVICE","features":[431]},{"name":"MFNETSOURCE_STREAM_LANGUAGE","features":[431]},{"name":"MFNETSOURCE_TCP","features":[431]},{"name":"MFNETSOURCE_THINNINGENABLED","features":[431]},{"name":"MFNETSOURCE_TRANSPORT","features":[431]},{"name":"MFNETSOURCE_TRANSPORT_ID","features":[431]},{"name":"MFNETSOURCE_TRANSPORT_TYPE","features":[431]},{"name":"MFNETSOURCE_UDP","features":[431]},{"name":"MFNETSOURCE_UDP_PORT_RANGE","features":[431]},{"name":"MFNETSOURCE_UNDEFINED","features":[431]},{"name":"MFNETSOURCE_UNPREDEFINEDPROTOCOLNAME_ID","features":[431]},{"name":"MFNETSOURCE_VBR_ID","features":[431]},{"name":"MFNET_AUTHENTICATION_CLEAR_TEXT","features":[431]},{"name":"MFNET_AUTHENTICATION_LOGGED_ON_USER","features":[431]},{"name":"MFNET_AUTHENTICATION_PROXY","features":[431]},{"name":"MFNET_CREDENTIAL_ALLOW_CLEAR_TEXT","features":[431]},{"name":"MFNET_CREDENTIAL_DONT_CACHE","features":[431]},{"name":"MFNET_CREDENTIAL_SAVE","features":[431]},{"name":"MFNET_PROXYSETTINGS","features":[431]},{"name":"MFNET_PROXYSETTING_AUTO","features":[431]},{"name":"MFNET_PROXYSETTING_BROWSER","features":[431]},{"name":"MFNET_PROXYSETTING_MANUAL","features":[431]},{"name":"MFNET_PROXYSETTING_NONE","features":[431]},{"name":"MFNET_SAVEJOB_SERVICE","features":[431]},{"name":"MFNetAuthenticationFlags","features":[431]},{"name":"MFNetCredentialManagerGetParam","features":[308,431]},{"name":"MFNetCredentialOptions","features":[431]},{"name":"MFNetCredentialRequirements","features":[431]},{"name":"MFNominalRange","features":[431]},{"name":"MFNominalRange_0_255","features":[431]},{"name":"MFNominalRange_16_235","features":[431]},{"name":"MFNominalRange_48_208","features":[431]},{"name":"MFNominalRange_64_127","features":[431]},{"name":"MFNominalRange_ForceDWORD","features":[431]},{"name":"MFNominalRange_Last","features":[431]},{"name":"MFNominalRange_Normal","features":[431]},{"name":"MFNominalRange_Unknown","features":[431]},{"name":"MFNominalRange_Wide","features":[431]},{"name":"MFOffset","features":[431]},{"name":"MFPCreateMediaPlayer","features":[308,431]},{"name":"MFPERIODICCALLBACK","features":[431]},{"name":"MFPMPSESSION_CREATION_FLAGS","features":[431]},{"name":"MFPMPSESSION_IN_PROCESS","features":[431]},{"name":"MFPMPSESSION_UNPROTECTED_PROCESS","features":[431]},{"name":"MFPOLICYMANAGER_ACTION","features":[431]},{"name":"MFPROTECTIONATTRIBUTE_BEST_EFFORT","features":[431]},{"name":"MFPROTECTIONATTRIBUTE_CONSTRICTVIDEO_IMAGESIZE","features":[431]},{"name":"MFPROTECTIONATTRIBUTE_FAIL_OVER","features":[431]},{"name":"MFPROTECTIONATTRIBUTE_HDCP_SRM","features":[431]},{"name":"MFPROTECTION_ACP","features":[431]},{"name":"MFPROTECTION_CGMSA","features":[431]},{"name":"MFPROTECTION_CONSTRICTAUDIO","features":[431]},{"name":"MFPROTECTION_CONSTRICTVIDEO","features":[431]},{"name":"MFPROTECTION_CONSTRICTVIDEO_NOOPM","features":[431]},{"name":"MFPROTECTION_DISABLE","features":[431]},{"name":"MFPROTECTION_DISABLE_SCREEN_SCRAPE","features":[431]},{"name":"MFPROTECTION_FFT","features":[431]},{"name":"MFPROTECTION_GRAPHICS_TRANSFER_AES_ENCRYPTION","features":[431]},{"name":"MFPROTECTION_HARDWARE","features":[431]},{"name":"MFPROTECTION_HDCP","features":[431]},{"name":"MFPROTECTION_HDCP_WITH_TYPE_ENFORCEMENT","features":[431]},{"name":"MFPROTECTION_PROTECTED_SURFACE","features":[431]},{"name":"MFPROTECTION_TRUSTEDAUDIODRIVERS","features":[431]},{"name":"MFPROTECTION_VIDEO_FRAMES","features":[431]},{"name":"MFPROTECTION_WMDRMOTA","features":[431]},{"name":"MFP_ACQUIRE_USER_CREDENTIAL_EVENT","features":[308,431,379]},{"name":"MFP_CREATION_OPTIONS","features":[431]},{"name":"MFP_CREDENTIAL_CLEAR_TEXT","features":[431]},{"name":"MFP_CREDENTIAL_DO_NOT_CACHE","features":[431]},{"name":"MFP_CREDENTIAL_LOGGED_ON_USER","features":[431]},{"name":"MFP_CREDENTIAL_PROMPT","features":[431]},{"name":"MFP_CREDENTIAL_PROXY","features":[431]},{"name":"MFP_CREDENTIAL_SAVE","features":[431]},{"name":"MFP_ERROR_EVENT","features":[431,379]},{"name":"MFP_EVENT_HEADER","features":[431,379]},{"name":"MFP_EVENT_TYPE","features":[431]},{"name":"MFP_EVENT_TYPE_ACQUIRE_USER_CREDENTIAL","features":[431]},{"name":"MFP_EVENT_TYPE_ERROR","features":[431]},{"name":"MFP_EVENT_TYPE_FRAME_STEP","features":[431]},{"name":"MFP_EVENT_TYPE_MEDIAITEM_CLEARED","features":[431]},{"name":"MFP_EVENT_TYPE_MEDIAITEM_CREATED","features":[431]},{"name":"MFP_EVENT_TYPE_MEDIAITEM_SET","features":[431]},{"name":"MFP_EVENT_TYPE_MF","features":[431]},{"name":"MFP_EVENT_TYPE_PAUSE","features":[431]},{"name":"MFP_EVENT_TYPE_PLAY","features":[431]},{"name":"MFP_EVENT_TYPE_PLAYBACK_ENDED","features":[431]},{"name":"MFP_EVENT_TYPE_POSITION_SET","features":[431]},{"name":"MFP_EVENT_TYPE_RATE_SET","features":[431]},{"name":"MFP_EVENT_TYPE_STOP","features":[431]},{"name":"MFP_FRAME_STEP_EVENT","features":[431,379]},{"name":"MFP_MEDIAITEM_CAN_PAUSE","features":[431]},{"name":"MFP_MEDIAITEM_CAN_SEEK","features":[431]},{"name":"MFP_MEDIAITEM_CLEARED_EVENT","features":[431,379]},{"name":"MFP_MEDIAITEM_CREATED_EVENT","features":[431,379]},{"name":"MFP_MEDIAITEM_HAS_SLOW_SEEK","features":[431]},{"name":"MFP_MEDIAITEM_IS_LIVE","features":[431]},{"name":"MFP_MEDIAITEM_SET_EVENT","features":[431,379]},{"name":"MFP_MEDIAPLAYER_STATE","features":[431]},{"name":"MFP_MEDIAPLAYER_STATE_EMPTY","features":[431]},{"name":"MFP_MEDIAPLAYER_STATE_PAUSED","features":[431]},{"name":"MFP_MEDIAPLAYER_STATE_PLAYING","features":[431]},{"name":"MFP_MEDIAPLAYER_STATE_SHUTDOWN","features":[431]},{"name":"MFP_MEDIAPLAYER_STATE_STOPPED","features":[431]},{"name":"MFP_MF_EVENT","features":[431,379]},{"name":"MFP_OPTION_FREE_THREADED_CALLBACK","features":[431]},{"name":"MFP_OPTION_NONE","features":[431]},{"name":"MFP_OPTION_NO_MMCSS","features":[431]},{"name":"MFP_OPTION_NO_REMOTE_DESKTOP_OPTIMIZATION","features":[431]},{"name":"MFP_PAUSE_EVENT","features":[431,379]},{"name":"MFP_PLAYBACK_ENDED_EVENT","features":[431,379]},{"name":"MFP_PLAY_EVENT","features":[431,379]},{"name":"MFP_POSITIONTYPE_100NS","features":[431]},{"name":"MFP_POSITION_SET_EVENT","features":[431,379]},{"name":"MFP_RATE_SET_EVENT","features":[431,379]},{"name":"MFP_STOP_EVENT","features":[431,379]},{"name":"MFPaletteEntry","features":[431]},{"name":"MFPinholeCameraIntrinsic_IntrinsicModel","features":[431]},{"name":"MFPinholeCameraIntrinsics","features":[431]},{"name":"MFPutWaitingWorkItem","features":[308,431]},{"name":"MFPutWorkItem","features":[431]},{"name":"MFPutWorkItem2","features":[431]},{"name":"MFPutWorkItemEx","features":[431]},{"name":"MFPutWorkItemEx2","features":[431]},{"name":"MFRATE_DIRECTION","features":[431]},{"name":"MFRATE_FORWARD","features":[431]},{"name":"MFRATE_REVERSE","features":[431]},{"name":"MFRR_COMPONENTS","features":[431]},{"name":"MFRR_COMPONENT_HASH_INFO","features":[431]},{"name":"MFRR_INFO_VERSION","features":[431]},{"name":"MFRatio","features":[431]},{"name":"MFRegisterLocalByteStreamHandler","features":[431]},{"name":"MFRegisterLocalSchemeHandler","features":[431]},{"name":"MFRegisterPlatformWithMMCSS","features":[431]},{"name":"MFRemovePeriodicCallback","features":[431]},{"name":"MFRequireProtectedEnvironment","features":[431]},{"name":"MFSEQUENCER_INVALID_ELEMENT_ID","features":[431]},{"name":"MFSESSIONCAP_DOES_NOT_USE_NETWORK","features":[431]},{"name":"MFSESSIONCAP_PAUSE","features":[431]},{"name":"MFSESSIONCAP_RATE_FORWARD","features":[431]},{"name":"MFSESSIONCAP_RATE_REVERSE","features":[431]},{"name":"MFSESSIONCAP_SEEK","features":[431]},{"name":"MFSESSIONCAP_START","features":[431]},{"name":"MFSESSION_GETFULLTOPOLOGY_CURRENT","features":[431]},{"name":"MFSESSION_GETFULLTOPOLOGY_FLAGS","features":[431]},{"name":"MFSESSION_SETTOPOLOGY_CLEAR_CURRENT","features":[431]},{"name":"MFSESSION_SETTOPOLOGY_FLAGS","features":[431]},{"name":"MFSESSION_SETTOPOLOGY_IMMEDIATE","features":[431]},{"name":"MFSESSION_SETTOPOLOGY_NORESOLUTION","features":[431]},{"name":"MFSHUTDOWN_COMPLETED","features":[431]},{"name":"MFSHUTDOWN_INITIATED","features":[431]},{"name":"MFSHUTDOWN_STATUS","features":[431]},{"name":"MFSINK_WMDRMACTION","features":[431]},{"name":"MFSINK_WMDRMACTION_ENCODE","features":[431]},{"name":"MFSINK_WMDRMACTION_LAST","features":[431]},{"name":"MFSINK_WMDRMACTION_TRANSCODE","features":[431]},{"name":"MFSINK_WMDRMACTION_TRANSCRYPT","features":[431]},{"name":"MFSINK_WMDRMACTION_UNDEFINED","features":[431]},{"name":"MFSTARTUP_FULL","features":[431]},{"name":"MFSTARTUP_LITE","features":[431]},{"name":"MFSTARTUP_NOSOCKET","features":[431]},{"name":"MFSTREAMSINK_MARKER_DEFAULT","features":[431]},{"name":"MFSTREAMSINK_MARKER_ENDOFSEGMENT","features":[431]},{"name":"MFSTREAMSINK_MARKER_EVENT","features":[431]},{"name":"MFSTREAMSINK_MARKER_TICK","features":[431]},{"name":"MFSTREAMSINK_MARKER_TYPE","features":[431]},{"name":"MFSampleAllocatorUsage","features":[431]},{"name":"MFSampleAllocatorUsage_DoesNotAllocate","features":[431]},{"name":"MFSampleAllocatorUsage_UsesCustomAllocator","features":[431]},{"name":"MFSampleAllocatorUsage_UsesProvidedAllocator","features":[431]},{"name":"MFSampleEncryptionProtectionScheme","features":[431]},{"name":"MFSampleExtension_3DVideo","features":[431]},{"name":"MFSampleExtension_3DVideo_MultiView","features":[431]},{"name":"MFSampleExtension_3DVideo_Packed","features":[431]},{"name":"MFSampleExtension_3DVideo_SampleFormat","features":[431]},{"name":"MFSampleExtension_AccumulatedNonRefPicPercent","features":[431]},{"name":"MFSampleExtension_BottomFieldFirst","features":[431]},{"name":"MFSampleExtension_CameraExtrinsics","features":[431]},{"name":"MFSampleExtension_CaptureMetadata","features":[431]},{"name":"MFSampleExtension_ChromaOnly","features":[431]},{"name":"MFSampleExtension_CleanPoint","features":[431]},{"name":"MFSampleExtension_ClosedCaption_CEA708","features":[431]},{"name":"MFSampleExtension_ClosedCaption_CEA708_MAX_SIZE","features":[431]},{"name":"MFSampleExtension_Content_KeyID","features":[431]},{"name":"MFSampleExtension_DecodeTimestamp","features":[431]},{"name":"MFSampleExtension_Depth_MaxReliableDepth","features":[431]},{"name":"MFSampleExtension_Depth_MinReliableDepth","features":[431]},{"name":"MFSampleExtension_DerivedFromTopField","features":[431]},{"name":"MFSampleExtension_DescrambleData","features":[431]},{"name":"MFSampleExtension_DeviceReferenceSystemTime","features":[431]},{"name":"MFSampleExtension_DeviceTimestamp","features":[431]},{"name":"MFSampleExtension_DirtyRects","features":[431]},{"name":"MFSampleExtension_Discontinuity","features":[431]},{"name":"MFSampleExtension_Encryption_ClearSliceHeaderData","features":[431]},{"name":"MFSampleExtension_Encryption_CryptByteBlock","features":[431]},{"name":"MFSampleExtension_Encryption_HardwareProtection","features":[431]},{"name":"MFSampleExtension_Encryption_HardwareProtection_KeyInfo","features":[431]},{"name":"MFSampleExtension_Encryption_HardwareProtection_KeyInfoID","features":[431]},{"name":"MFSampleExtension_Encryption_HardwareProtection_VideoDecryptorContext","features":[431]},{"name":"MFSampleExtension_Encryption_KeyID","features":[431]},{"name":"MFSampleExtension_Encryption_NALUTypes","features":[431]},{"name":"MFSampleExtension_Encryption_Opaque_Data","features":[431]},{"name":"MFSampleExtension_Encryption_ProtectionScheme","features":[431]},{"name":"MFSampleExtension_Encryption_ResumeVideoOutput","features":[431]},{"name":"MFSampleExtension_Encryption_SEIData","features":[431]},{"name":"MFSampleExtension_Encryption_SPSPPSData","features":[431]},{"name":"MFSampleExtension_Encryption_SampleID","features":[431]},{"name":"MFSampleExtension_Encryption_SkipByteBlock","features":[431]},{"name":"MFSampleExtension_Encryption_SubSampleMappingSplit","features":[431]},{"name":"MFSampleExtension_Encryption_SubSample_Mapping","features":[431]},{"name":"MFSampleExtension_ExtendedCameraIntrinsics","features":[431]},{"name":"MFSampleExtension_FeatureMap","features":[431]},{"name":"MFSampleExtension_ForwardedDecodeUnitType","features":[431]},{"name":"MFSampleExtension_ForwardedDecodeUnits","features":[431]},{"name":"MFSampleExtension_FrameCorruption","features":[431]},{"name":"MFSampleExtension_GenKeyCtx","features":[431]},{"name":"MFSampleExtension_GenKeyFunc","features":[431]},{"name":"MFSampleExtension_HDCP_FrameCounter","features":[431]},{"name":"MFSampleExtension_HDCP_OptionalHeader","features":[431]},{"name":"MFSampleExtension_HDCP_StreamID","features":[431]},{"name":"MFSampleExtension_Interlaced","features":[431]},{"name":"MFSampleExtension_LastSlice","features":[431]},{"name":"MFSampleExtension_LongTermReferenceFrameInfo","features":[431]},{"name":"MFSampleExtension_MDLCacheCookie","features":[431]},{"name":"MFSampleExtension_MULTIPLEXED_MANAGER","features":[431]},{"name":"MFSampleExtension_MaxDecodeFrameSize","features":[431]},{"name":"MFSampleExtension_MeanAbsoluteDifference","features":[431]},{"name":"MFSampleExtension_MoveRegions","features":[431]},{"name":"MFSampleExtension_NALULengthInfo","features":[431]},{"name":"MFSampleExtension_PacketCrossOffsets","features":[431]},{"name":"MFSampleExtension_PhotoThumbnail","features":[431]},{"name":"MFSampleExtension_PhotoThumbnailMediaType","features":[431]},{"name":"MFSampleExtension_PinholeCameraIntrinsics","features":[431]},{"name":"MFSampleExtension_ROIRectangle","features":[431]},{"name":"MFSampleExtension_RepeatFirstField","features":[431]},{"name":"MFSampleExtension_RepeatFrame","features":[431]},{"name":"MFSampleExtension_SampleKeyID","features":[431]},{"name":"MFSampleExtension_SingleField","features":[431]},{"name":"MFSampleExtension_Spatial_CameraCoordinateSystem","features":[431]},{"name":"MFSampleExtension_Spatial_CameraProjectionTransform","features":[431]},{"name":"MFSampleExtension_Spatial_CameraViewTransform","features":[431]},{"name":"MFSampleExtension_TargetGlobalLuminance","features":[431]},{"name":"MFSampleExtension_Timestamp","features":[431]},{"name":"MFSampleExtension_Token","features":[431]},{"name":"MFSampleExtension_VideoDSPMode","features":[431]},{"name":"MFSampleExtension_VideoEncodePictureType","features":[431]},{"name":"MFSampleExtension_VideoEncodeQP","features":[431]},{"name":"MFScheduleWorkItem","features":[431]},{"name":"MFScheduleWorkItemEx","features":[431]},{"name":"MFSensorDeviceMode","features":[431]},{"name":"MFSensorDeviceMode_Controller","features":[431]},{"name":"MFSensorDeviceMode_Shared","features":[431]},{"name":"MFSensorDeviceType","features":[431]},{"name":"MFSensorDeviceType_Device","features":[431]},{"name":"MFSensorDeviceType_FrameProvider","features":[431]},{"name":"MFSensorDeviceType_MediaSource","features":[431]},{"name":"MFSensorDeviceType_SensorTransform","features":[431]},{"name":"MFSensorDeviceType_Unknown","features":[431]},{"name":"MFSensorStreamType","features":[431]},{"name":"MFSensorStreamType_Input","features":[431]},{"name":"MFSensorStreamType_Output","features":[431]},{"name":"MFSensorStreamType_Unknown","features":[431]},{"name":"MFSequencerTopologyFlags","features":[431]},{"name":"MFSerializeAttributesToStream","features":[431,359]},{"name":"MFSerializePresentationDescriptor","features":[431]},{"name":"MFShutdown","features":[431]},{"name":"MFShutdownObject","features":[431]},{"name":"MFSplitSample","features":[431]},{"name":"MFStandardVideoFormat","features":[431]},{"name":"MFStartup","features":[431]},{"name":"MFStdVideoFormat_ATSC_HD1080i","features":[431]},{"name":"MFStdVideoFormat_ATSC_HD720p","features":[431]},{"name":"MFStdVideoFormat_ATSC_SD480i","features":[431]},{"name":"MFStdVideoFormat_DVD_NTSC","features":[431]},{"name":"MFStdVideoFormat_DVD_PAL","features":[431]},{"name":"MFStdVideoFormat_DV_NTSC","features":[431]},{"name":"MFStdVideoFormat_DV_PAL","features":[431]},{"name":"MFStdVideoFormat_NTSC","features":[431]},{"name":"MFStdVideoFormat_PAL","features":[431]},{"name":"MFStdVideoFormat_reserved","features":[431]},{"name":"MFStreamExtension_CameraExtrinsics","features":[431]},{"name":"MFStreamExtension_ExtendedCameraIntrinsics","features":[431]},{"name":"MFStreamExtension_PinholeCameraIntrinsics","features":[431]},{"name":"MFStreamFormat_MPEG2Program","features":[431]},{"name":"MFStreamFormat_MPEG2Transport","features":[431]},{"name":"MFSubtitleFormat_ATSC","features":[431]},{"name":"MFSubtitleFormat_CustomUserData","features":[431]},{"name":"MFSubtitleFormat_PGS","features":[431]},{"name":"MFSubtitleFormat_SRT","features":[431]},{"name":"MFSubtitleFormat_SSA","features":[431]},{"name":"MFSubtitleFormat_TTML","features":[431]},{"name":"MFSubtitleFormat_VobSub","features":[431]},{"name":"MFSubtitleFormat_WebVTT","features":[431]},{"name":"MFSubtitleFormat_XML","features":[431]},{"name":"MFTEnum","features":[431]},{"name":"MFTEnum2","features":[431]},{"name":"MFTEnumEx","features":[431]},{"name":"MFTGetInfo","features":[431]},{"name":"MFTIMER_FLAGS","features":[431]},{"name":"MFTIMER_RELATIVE","features":[431]},{"name":"MFTOPOLOGY_DXVA_DEFAULT","features":[431]},{"name":"MFTOPOLOGY_DXVA_FULL","features":[431]},{"name":"MFTOPOLOGY_DXVA_MODE","features":[431]},{"name":"MFTOPOLOGY_DXVA_NONE","features":[431]},{"name":"MFTOPOLOGY_HARDWARE_MODE","features":[431]},{"name":"MFTOPOLOGY_HWMODE_SOFTWARE_ONLY","features":[431]},{"name":"MFTOPOLOGY_HWMODE_USE_HARDWARE","features":[431]},{"name":"MFTOPOLOGY_HWMODE_USE_ONLY_HARDWARE","features":[431]},{"name":"MFTOPONODE_ATTRIBUTE_UPDATE","features":[431]},{"name":"MFTRegister","features":[431]},{"name":"MFTRegisterLocal","features":[431,359]},{"name":"MFTRegisterLocalByCLSID","features":[431]},{"name":"MFTUnregister","features":[431]},{"name":"MFTUnregisterLocal","features":[431,359]},{"name":"MFTUnregisterLocalByCLSID","features":[431]},{"name":"MFT_AUDIO_DECODER_AUDIO_ENDPOINT_ID","features":[431]},{"name":"MFT_AUDIO_DECODER_DEGRADATION_INFO_ATTRIBUTE","features":[431]},{"name":"MFT_AUDIO_DECODER_DEGRADATION_REASON","features":[431]},{"name":"MFT_AUDIO_DECODER_DEGRADATION_REASON_LICENSING_REQUIREMENT","features":[431]},{"name":"MFT_AUDIO_DECODER_DEGRADATION_REASON_NONE","features":[431]},{"name":"MFT_AUDIO_DECODER_DEGRADATION_TYPE","features":[431]},{"name":"MFT_AUDIO_DECODER_DEGRADATION_TYPE_DOWNMIX2CHANNEL","features":[431]},{"name":"MFT_AUDIO_DECODER_DEGRADATION_TYPE_DOWNMIX6CHANNEL","features":[431]},{"name":"MFT_AUDIO_DECODER_DEGRADATION_TYPE_DOWNMIX8CHANNEL","features":[431]},{"name":"MFT_AUDIO_DECODER_DEGRADATION_TYPE_NONE","features":[431]},{"name":"MFT_AUDIO_DECODER_SPATIAL_METADATA_CLIENT","features":[431]},{"name":"MFT_CATEGORY_AUDIO_DECODER","features":[431]},{"name":"MFT_CATEGORY_AUDIO_EFFECT","features":[431]},{"name":"MFT_CATEGORY_AUDIO_ENCODER","features":[431]},{"name":"MFT_CATEGORY_DEMULTIPLEXER","features":[431]},{"name":"MFT_CATEGORY_ENCRYPTOR","features":[431]},{"name":"MFT_CATEGORY_MULTIPLEXER","features":[431]},{"name":"MFT_CATEGORY_OTHER","features":[431]},{"name":"MFT_CATEGORY_VIDEO_DECODER","features":[431]},{"name":"MFT_CATEGORY_VIDEO_EFFECT","features":[431]},{"name":"MFT_CATEGORY_VIDEO_ENCODER","features":[431]},{"name":"MFT_CATEGORY_VIDEO_PROCESSOR","features":[431]},{"name":"MFT_CATEGORY_VIDEO_RENDERER_EFFECT","features":[431]},{"name":"MFT_CODEC_MERIT_Attribute","features":[431]},{"name":"MFT_CONNECTED_STREAM_ATTRIBUTE","features":[431]},{"name":"MFT_CONNECTED_TO_HW_STREAM","features":[431]},{"name":"MFT_DECODER_EXPOSE_OUTPUT_TYPES_IN_NATIVE_ORDER","features":[431]},{"name":"MFT_DECODER_FINAL_VIDEO_RESOLUTION_HINT","features":[431]},{"name":"MFT_DECODER_QUALITY_MANAGEMENT_CUSTOM_CONTROL","features":[431]},{"name":"MFT_DECODER_QUALITY_MANAGEMENT_RECOVERY_WITHOUT_ARTIFACTS","features":[431]},{"name":"MFT_DRAIN_NO_TAILS","features":[431]},{"name":"MFT_DRAIN_PRODUCE_TAILS","features":[431]},{"name":"MFT_DRAIN_TYPE","features":[431]},{"name":"MFT_ENCODER_ERROR","features":[431]},{"name":"MFT_ENCODER_SUPPORTS_CONFIG_EVENT","features":[431]},{"name":"MFT_END_STREAMING_AWARE","features":[431]},{"name":"MFT_ENUM_ADAPTER_LUID","features":[431]},{"name":"MFT_ENUM_FLAG","features":[431]},{"name":"MFT_ENUM_FLAG_ALL","features":[431]},{"name":"MFT_ENUM_FLAG_ASYNCMFT","features":[431]},{"name":"MFT_ENUM_FLAG_FIELDOFUSE","features":[431]},{"name":"MFT_ENUM_FLAG_HARDWARE","features":[431]},{"name":"MFT_ENUM_FLAG_LOCALMFT","features":[431]},{"name":"MFT_ENUM_FLAG_SORTANDFILTER","features":[431]},{"name":"MFT_ENUM_FLAG_SORTANDFILTER_APPROVED_ONLY","features":[431]},{"name":"MFT_ENUM_FLAG_SORTANDFILTER_WEB_ONLY","features":[431]},{"name":"MFT_ENUM_FLAG_SORTANDFILTER_WEB_ONLY_EDGEMODE","features":[431]},{"name":"MFT_ENUM_FLAG_SYNCMFT","features":[431]},{"name":"MFT_ENUM_FLAG_TRANSCODE_ONLY","features":[431]},{"name":"MFT_ENUM_FLAG_UNTRUSTED_STOREMFT","features":[431]},{"name":"MFT_ENUM_HARDWARE_URL_Attribute","features":[431]},{"name":"MFT_ENUM_HARDWARE_VENDOR_ID_Attribute","features":[431]},{"name":"MFT_ENUM_TRANSCODE_ONLY_ATTRIBUTE","features":[431]},{"name":"MFT_ENUM_VIDEO_RENDERER_EXTENSION_PROFILE","features":[431]},{"name":"MFT_FIELDOFUSE_UNLOCK_Attribute","features":[431]},{"name":"MFT_FRIENDLY_NAME_Attribute","features":[431]},{"name":"MFT_GFX_DRIVER_VERSION_ID_Attribute","features":[431]},{"name":"MFT_HW_TIMESTAMP_WITH_QPC_Attribute","features":[431]},{"name":"MFT_INPUT_DATA_BUFFER_PLACEHOLDER","features":[431]},{"name":"MFT_INPUT_STATUS_ACCEPT_DATA","features":[431]},{"name":"MFT_INPUT_STREAM_DOES_NOT_ADDREF","features":[431]},{"name":"MFT_INPUT_STREAM_FIXED_SAMPLE_SIZE","features":[431]},{"name":"MFT_INPUT_STREAM_HOLDS_BUFFERS","features":[431]},{"name":"MFT_INPUT_STREAM_INFO","features":[431]},{"name":"MFT_INPUT_STREAM_OPTIONAL","features":[431]},{"name":"MFT_INPUT_STREAM_PROCESSES_IN_PLACE","features":[431]},{"name":"MFT_INPUT_STREAM_REMOVABLE","features":[431]},{"name":"MFT_INPUT_STREAM_SINGLE_SAMPLE_PER_BUFFER","features":[431]},{"name":"MFT_INPUT_STREAM_WHOLE_SAMPLES","features":[431]},{"name":"MFT_INPUT_TYPES_Attributes","features":[431]},{"name":"MFT_MESSAGE_COMMAND_DRAIN","features":[431]},{"name":"MFT_MESSAGE_COMMAND_FLUSH","features":[431]},{"name":"MFT_MESSAGE_COMMAND_FLUSH_OUTPUT_STREAM","features":[431]},{"name":"MFT_MESSAGE_COMMAND_MARKER","features":[431]},{"name":"MFT_MESSAGE_COMMAND_SET_OUTPUT_STREAM_STATE","features":[431]},{"name":"MFT_MESSAGE_COMMAND_TICK","features":[431]},{"name":"MFT_MESSAGE_DROP_SAMPLES","features":[431]},{"name":"MFT_MESSAGE_NOTIFY_BEGIN_STREAMING","features":[431]},{"name":"MFT_MESSAGE_NOTIFY_END_OF_STREAM","features":[431]},{"name":"MFT_MESSAGE_NOTIFY_END_STREAMING","features":[431]},{"name":"MFT_MESSAGE_NOTIFY_EVENT","features":[431]},{"name":"MFT_MESSAGE_NOTIFY_REACQUIRE_RESOURCES","features":[431]},{"name":"MFT_MESSAGE_NOTIFY_RELEASE_RESOURCES","features":[431]},{"name":"MFT_MESSAGE_NOTIFY_START_OF_STREAM","features":[431]},{"name":"MFT_MESSAGE_SET_D3D_MANAGER","features":[431]},{"name":"MFT_MESSAGE_TYPE","features":[431]},{"name":"MFT_OUTPUT_BOUND_UPPER_UNBOUNDED","features":[431]},{"name":"MFT_OUTPUT_DATA_BUFFER","features":[431]},{"name":"MFT_OUTPUT_DATA_BUFFER_FORMAT_CHANGE","features":[431]},{"name":"MFT_OUTPUT_DATA_BUFFER_INCOMPLETE","features":[431]},{"name":"MFT_OUTPUT_DATA_BUFFER_NO_SAMPLE","features":[431]},{"name":"MFT_OUTPUT_DATA_BUFFER_STREAM_END","features":[431]},{"name":"MFT_OUTPUT_STATUS_SAMPLE_READY","features":[431]},{"name":"MFT_OUTPUT_STREAM_CAN_PROVIDE_SAMPLES","features":[431]},{"name":"MFT_OUTPUT_STREAM_DISCARDABLE","features":[431]},{"name":"MFT_OUTPUT_STREAM_FIXED_SAMPLE_SIZE","features":[431]},{"name":"MFT_OUTPUT_STREAM_INFO","features":[431]},{"name":"MFT_OUTPUT_STREAM_LAZY_READ","features":[431]},{"name":"MFT_OUTPUT_STREAM_OPTIONAL","features":[431]},{"name":"MFT_OUTPUT_STREAM_PROVIDES_SAMPLES","features":[431]},{"name":"MFT_OUTPUT_STREAM_REMOVABLE","features":[431]},{"name":"MFT_OUTPUT_STREAM_SINGLE_SAMPLE_PER_BUFFER","features":[431]},{"name":"MFT_OUTPUT_STREAM_WHOLE_SAMPLES","features":[431]},{"name":"MFT_OUTPUT_TYPES_Attributes","features":[431]},{"name":"MFT_POLICY_SET_AWARE","features":[431]},{"name":"MFT_PREFERRED_ENCODER_PROFILE","features":[431]},{"name":"MFT_PREFERRED_OUTPUTTYPE_Attribute","features":[431]},{"name":"MFT_PROCESS_LOCAL_Attribute","features":[431]},{"name":"MFT_PROCESS_OUTPUT_DISCARD_WHEN_NO_BUFFER","features":[431]},{"name":"MFT_PROCESS_OUTPUT_REGENERATE_LAST_OUTPUT","features":[431]},{"name":"MFT_PROCESS_OUTPUT_STATUS_NEW_STREAMS","features":[431]},{"name":"MFT_REGISTER_TYPE_INFO","features":[431]},{"name":"MFT_REGISTRATION_INFO","features":[431]},{"name":"MFT_REMUX_MARK_I_PICTURE_AS_CLEAN_POINT","features":[431]},{"name":"MFT_SET_TYPE_TEST_ONLY","features":[431]},{"name":"MFT_STREAMS_UNLIMITED","features":[431]},{"name":"MFT_STREAM_STATE_PARAM","features":[431]},{"name":"MFT_SUPPORT_3DVIDEO","features":[431]},{"name":"MFT_SUPPORT_DYNAMIC_FORMAT_CHANGE","features":[431]},{"name":"MFT_TRANSFORM_CLSID_Attribute","features":[431]},{"name":"MFT_USING_HARDWARE_DRM","features":[431]},{"name":"MFTranscodeContainerType_3GP","features":[431]},{"name":"MFTranscodeContainerType_AC3","features":[431]},{"name":"MFTranscodeContainerType_ADTS","features":[431]},{"name":"MFTranscodeContainerType_AMR","features":[431]},{"name":"MFTranscodeContainerType_ASF","features":[431]},{"name":"MFTranscodeContainerType_AVI","features":[431]},{"name":"MFTranscodeContainerType_FLAC","features":[431]},{"name":"MFTranscodeContainerType_FMPEG4","features":[431]},{"name":"MFTranscodeContainerType_MP3","features":[431]},{"name":"MFTranscodeContainerType_MPEG2","features":[431]},{"name":"MFTranscodeContainerType_MPEG4","features":[431]},{"name":"MFTranscodeContainerType_WAVE","features":[431]},{"name":"MFTranscodeGetAudioOutputAvailableTypes","features":[431]},{"name":"MFUnlockDXGIDeviceManager","features":[431]},{"name":"MFUnlockPlatform","features":[431]},{"name":"MFUnlockWorkQueue","features":[431]},{"name":"MFUnregisterPlatformFromMMCSS","features":[431]},{"name":"MFUnwrapMediaType","features":[431]},{"name":"MFVIDEOFORMAT","features":[308,431]},{"name":"MFVP_MESSAGE_BEGINSTREAMING","features":[431]},{"name":"MFVP_MESSAGE_CANCELSTEP","features":[431]},{"name":"MFVP_MESSAGE_ENDOFSTREAM","features":[431]},{"name":"MFVP_MESSAGE_ENDSTREAMING","features":[431]},{"name":"MFVP_MESSAGE_FLUSH","features":[431]},{"name":"MFVP_MESSAGE_INVALIDATEMEDIATYPE","features":[431]},{"name":"MFVP_MESSAGE_PROCESSINPUTNOTIFY","features":[431]},{"name":"MFVP_MESSAGE_STEP","features":[431]},{"name":"MFVP_MESSAGE_TYPE","features":[431]},{"name":"MFValidateMediaTypeSize","features":[431]},{"name":"MFVideo3DFormat","features":[431]},{"name":"MFVideo3DSampleFormat","features":[431]},{"name":"MFVideo3DSampleFormat_BaseView","features":[431]},{"name":"MFVideo3DSampleFormat_MultiView","features":[431]},{"name":"MFVideo3DSampleFormat_Packed_LeftRight","features":[431]},{"name":"MFVideo3DSampleFormat_Packed_TopBottom","features":[431]},{"name":"MFVideoARMode_Mask","features":[431]},{"name":"MFVideoARMode_NonLinearStretch","features":[431]},{"name":"MFVideoARMode_None","features":[431]},{"name":"MFVideoARMode_PreservePicture","features":[431]},{"name":"MFVideoARMode_PreservePixel","features":[431]},{"name":"MFVideoAlphaBitmap","features":[308,317,319,431]},{"name":"MFVideoAlphaBitmapFlags","features":[431]},{"name":"MFVideoAlphaBitmapParams","features":[308,431]},{"name":"MFVideoAlphaBitmap_Alpha","features":[431]},{"name":"MFVideoAlphaBitmap_BitMask","features":[431]},{"name":"MFVideoAlphaBitmap_DestRect","features":[431]},{"name":"MFVideoAlphaBitmap_EntireDDS","features":[431]},{"name":"MFVideoAlphaBitmap_FilterMode","features":[431]},{"name":"MFVideoAlphaBitmap_SrcColorKey","features":[431]},{"name":"MFVideoAlphaBitmap_SrcRect","features":[431]},{"name":"MFVideoArea","features":[308,431]},{"name":"MFVideoAspectRatioMode","features":[431]},{"name":"MFVideoChromaSubsampling","features":[431]},{"name":"MFVideoChromaSubsampling_Cosited","features":[431]},{"name":"MFVideoChromaSubsampling_DV_PAL","features":[431]},{"name":"MFVideoChromaSubsampling_ForceDWORD","features":[431]},{"name":"MFVideoChromaSubsampling_Horizontally_Cosited","features":[431]},{"name":"MFVideoChromaSubsampling_Last","features":[431]},{"name":"MFVideoChromaSubsampling_MPEG1","features":[431]},{"name":"MFVideoChromaSubsampling_MPEG2","features":[431]},{"name":"MFVideoChromaSubsampling_ProgressiveChroma","features":[431]},{"name":"MFVideoChromaSubsampling_Unknown","features":[431]},{"name":"MFVideoChromaSubsampling_Vertically_AlignedChromaPlanes","features":[431]},{"name":"MFVideoChromaSubsampling_Vertically_Cosited","features":[431]},{"name":"MFVideoCompressedInfo","features":[431]},{"name":"MFVideoDRMFlag_AnalogProtected","features":[431]},{"name":"MFVideoDRMFlag_DigitallyProtected","features":[431]},{"name":"MFVideoDRMFlag_None","features":[431]},{"name":"MFVideoDRMFlags","features":[431]},{"name":"MFVideoDSPMode","features":[431]},{"name":"MFVideoDSPMode_Passthrough","features":[431]},{"name":"MFVideoDSPMode_Stabilization","features":[431]},{"name":"MFVideoFlag_AnalogProtected","features":[431]},{"name":"MFVideoFlag_BottomUpLinearRep","features":[431]},{"name":"MFVideoFlag_DigitallyProtected","features":[431]},{"name":"MFVideoFlag_FieldRepeatCountMask","features":[431]},{"name":"MFVideoFlag_FieldRepeatCountShift","features":[431]},{"name":"MFVideoFlag_LowerFieldFirst","features":[431]},{"name":"MFVideoFlag_PAD_TO_16x9","features":[431]},{"name":"MFVideoFlag_PAD_TO_4x3","features":[431]},{"name":"MFVideoFlag_PAD_TO_Mask","features":[431]},{"name":"MFVideoFlag_PAD_TO_None","features":[431]},{"name":"MFVideoFlag_PanScanEnabled","features":[431]},{"name":"MFVideoFlag_ProgressiveContent","features":[431]},{"name":"MFVideoFlag_ProgressiveSeqReset","features":[431]},{"name":"MFVideoFlag_SrcContentHint16x9","features":[431]},{"name":"MFVideoFlag_SrcContentHint235_1","features":[431]},{"name":"MFVideoFlag_SrcContentHintMask","features":[431]},{"name":"MFVideoFlag_SrcContentHintNone","features":[431]},{"name":"MFVideoFlags","features":[431]},{"name":"MFVideoFlags_DXVASurface","features":[431]},{"name":"MFVideoFlags_ForceQWORD","features":[431]},{"name":"MFVideoFlags_RenderTargetSurface","features":[431]},{"name":"MFVideoFormat_420O","features":[431]},{"name":"MFVideoFormat_A16B16G16R16F","features":[431]},{"name":"MFVideoFormat_A2R10G10B10","features":[431]},{"name":"MFVideoFormat_AI44","features":[431]},{"name":"MFVideoFormat_ARGB32","features":[431]},{"name":"MFVideoFormat_AV1","features":[431]},{"name":"MFVideoFormat_AYUV","features":[431]},{"name":"MFVideoFormat_Base","features":[431]},{"name":"MFVideoFormat_Base_HDCP","features":[431]},{"name":"MFVideoFormat_D16","features":[431]},{"name":"MFVideoFormat_DV25","features":[431]},{"name":"MFVideoFormat_DV50","features":[431]},{"name":"MFVideoFormat_DVH1","features":[431]},{"name":"MFVideoFormat_DVHD","features":[431]},{"name":"MFVideoFormat_DVSD","features":[431]},{"name":"MFVideoFormat_DVSL","features":[431]},{"name":"MFVideoFormat_H263","features":[431]},{"name":"MFVideoFormat_H264","features":[431]},{"name":"MFVideoFormat_H264_ES","features":[431]},{"name":"MFVideoFormat_H264_HDCP","features":[431]},{"name":"MFVideoFormat_H265","features":[431]},{"name":"MFVideoFormat_HEVC","features":[431]},{"name":"MFVideoFormat_HEVC_ES","features":[431]},{"name":"MFVideoFormat_HEVC_HDCP","features":[431]},{"name":"MFVideoFormat_I420","features":[431]},{"name":"MFVideoFormat_IYUV","features":[431]},{"name":"MFVideoFormat_L16","features":[431]},{"name":"MFVideoFormat_L8","features":[431]},{"name":"MFVideoFormat_M4S2","features":[431]},{"name":"MFVideoFormat_MJPG","features":[431]},{"name":"MFVideoFormat_MP43","features":[431]},{"name":"MFVideoFormat_MP4S","features":[431]},{"name":"MFVideoFormat_MP4V","features":[431]},{"name":"MFVideoFormat_MPEG2","features":[431]},{"name":"MFVideoFormat_MPG1","features":[431]},{"name":"MFVideoFormat_MSS1","features":[431]},{"name":"MFVideoFormat_MSS2","features":[431]},{"name":"MFVideoFormat_NV11","features":[431]},{"name":"MFVideoFormat_NV12","features":[431]},{"name":"MFVideoFormat_NV21","features":[431]},{"name":"MFVideoFormat_ORAW","features":[431]},{"name":"MFVideoFormat_P010","features":[431]},{"name":"MFVideoFormat_P016","features":[431]},{"name":"MFVideoFormat_P210","features":[431]},{"name":"MFVideoFormat_P216","features":[431]},{"name":"MFVideoFormat_RGB24","features":[431]},{"name":"MFVideoFormat_RGB32","features":[431]},{"name":"MFVideoFormat_RGB555","features":[431]},{"name":"MFVideoFormat_RGB565","features":[431]},{"name":"MFVideoFormat_RGB8","features":[431]},{"name":"MFVideoFormat_Theora","features":[431]},{"name":"MFVideoFormat_UYVY","features":[431]},{"name":"MFVideoFormat_VP10","features":[431]},{"name":"MFVideoFormat_VP80","features":[431]},{"name":"MFVideoFormat_VP90","features":[431]},{"name":"MFVideoFormat_WMV1","features":[431]},{"name":"MFVideoFormat_WMV2","features":[431]},{"name":"MFVideoFormat_WMV3","features":[431]},{"name":"MFVideoFormat_WVC1","features":[431]},{"name":"MFVideoFormat_Y210","features":[431]},{"name":"MFVideoFormat_Y216","features":[431]},{"name":"MFVideoFormat_Y410","features":[431]},{"name":"MFVideoFormat_Y416","features":[431]},{"name":"MFVideoFormat_Y41P","features":[431]},{"name":"MFVideoFormat_Y41T","features":[431]},{"name":"MFVideoFormat_Y42T","features":[431]},{"name":"MFVideoFormat_YUY2","features":[431]},{"name":"MFVideoFormat_YV12","features":[431]},{"name":"MFVideoFormat_YVU9","features":[431]},{"name":"MFVideoFormat_YVYU","features":[431]},{"name":"MFVideoFormat_v210","features":[431]},{"name":"MFVideoFormat_v216","features":[431]},{"name":"MFVideoFormat_v410","features":[431]},{"name":"MFVideoInfo","features":[308,431]},{"name":"MFVideoInterlaceMode","features":[431]},{"name":"MFVideoInterlace_FieldInterleavedLowerFirst","features":[431]},{"name":"MFVideoInterlace_FieldInterleavedUpperFirst","features":[431]},{"name":"MFVideoInterlace_FieldSingleLower","features":[431]},{"name":"MFVideoInterlace_FieldSingleUpper","features":[431]},{"name":"MFVideoInterlace_ForceDWORD","features":[431]},{"name":"MFVideoInterlace_Last","features":[431]},{"name":"MFVideoInterlace_MixedInterlaceOrProgressive","features":[431]},{"name":"MFVideoInterlace_Progressive","features":[431]},{"name":"MFVideoInterlace_Unknown","features":[431]},{"name":"MFVideoLighting","features":[431]},{"name":"MFVideoLighting_ForceDWORD","features":[431]},{"name":"MFVideoLighting_Last","features":[431]},{"name":"MFVideoLighting_Unknown","features":[431]},{"name":"MFVideoLighting_bright","features":[431]},{"name":"MFVideoLighting_dark","features":[431]},{"name":"MFVideoLighting_dim","features":[431]},{"name":"MFVideoLighting_office","features":[431]},{"name":"MFVideoMixPrefs","features":[431]},{"name":"MFVideoMixPrefs_AllowDropToBob","features":[431]},{"name":"MFVideoMixPrefs_AllowDropToHalfInterlace","features":[431]},{"name":"MFVideoMixPrefs_EnableRotation","features":[431]},{"name":"MFVideoMixPrefs_ForceBob","features":[431]},{"name":"MFVideoMixPrefs_ForceHalfInterlace","features":[431]},{"name":"MFVideoMixPrefs_Mask","features":[431]},{"name":"MFVideoNormalizedRect","features":[431]},{"name":"MFVideoPadFlag_PAD_TO_16x9","features":[431]},{"name":"MFVideoPadFlag_PAD_TO_4x3","features":[431]},{"name":"MFVideoPadFlag_PAD_TO_None","features":[431]},{"name":"MFVideoPadFlags","features":[431]},{"name":"MFVideoPrimaries","features":[431]},{"name":"MFVideoPrimaries_ACES","features":[431]},{"name":"MFVideoPrimaries_BT2020","features":[431]},{"name":"MFVideoPrimaries_BT470_2_SysBG","features":[431]},{"name":"MFVideoPrimaries_BT470_2_SysM","features":[431]},{"name":"MFVideoPrimaries_BT709","features":[431]},{"name":"MFVideoPrimaries_DCI_P3","features":[431]},{"name":"MFVideoPrimaries_EBU3213","features":[431]},{"name":"MFVideoPrimaries_ForceDWORD","features":[431]},{"name":"MFVideoPrimaries_Last","features":[431]},{"name":"MFVideoPrimaries_SMPTE170M","features":[431]},{"name":"MFVideoPrimaries_SMPTE240M","features":[431]},{"name":"MFVideoPrimaries_SMPTE_C","features":[431]},{"name":"MFVideoPrimaries_Unknown","features":[431]},{"name":"MFVideoPrimaries_XYZ","features":[431]},{"name":"MFVideoPrimaries_reserved","features":[431]},{"name":"MFVideoRenderPrefs","features":[431]},{"name":"MFVideoRenderPrefs_AllowBatching","features":[431]},{"name":"MFVideoRenderPrefs_AllowOutputThrottling","features":[431]},{"name":"MFVideoRenderPrefs_AllowScaling","features":[431]},{"name":"MFVideoRenderPrefs_DoNotClipToDevice","features":[431]},{"name":"MFVideoRenderPrefs_DoNotRenderBorder","features":[431]},{"name":"MFVideoRenderPrefs_DoNotRepaintOnStop","features":[431]},{"name":"MFVideoRenderPrefs_ForceBatching","features":[431]},{"name":"MFVideoRenderPrefs_ForceOutputThrottling","features":[431]},{"name":"MFVideoRenderPrefs_ForceScaling","features":[431]},{"name":"MFVideoRenderPrefs_Mask","features":[431]},{"name":"MFVideoRotationFormat","features":[431]},{"name":"MFVideoRotationFormat_0","features":[431]},{"name":"MFVideoRotationFormat_180","features":[431]},{"name":"MFVideoRotationFormat_270","features":[431]},{"name":"MFVideoRotationFormat_90","features":[431]},{"name":"MFVideoSphericalFormat","features":[431]},{"name":"MFVideoSphericalFormat_3DMesh","features":[431]},{"name":"MFVideoSphericalFormat_CubeMap","features":[431]},{"name":"MFVideoSphericalFormat_Equirectangular","features":[431]},{"name":"MFVideoSphericalFormat_Unsupported","features":[431]},{"name":"MFVideoSphericalProjectionMode","features":[431]},{"name":"MFVideoSphericalProjectionMode_Flat","features":[431]},{"name":"MFVideoSphericalProjectionMode_Spherical","features":[431]},{"name":"MFVideoSrcContentHintFlag_16x9","features":[431]},{"name":"MFVideoSrcContentHintFlag_235_1","features":[431]},{"name":"MFVideoSrcContentHintFlag_None","features":[431]},{"name":"MFVideoSrcContentHintFlags","features":[431]},{"name":"MFVideoSurfaceInfo","features":[431]},{"name":"MFVideoTransFunc_10","features":[431]},{"name":"MFVideoTransFunc_10_rel","features":[431]},{"name":"MFVideoTransFunc_18","features":[431]},{"name":"MFVideoTransFunc_20","features":[431]},{"name":"MFVideoTransFunc_2020","features":[431]},{"name":"MFVideoTransFunc_2020_const","features":[431]},{"name":"MFVideoTransFunc_2084","features":[431]},{"name":"MFVideoTransFunc_22","features":[431]},{"name":"MFVideoTransFunc_240M","features":[431]},{"name":"MFVideoTransFunc_26","features":[431]},{"name":"MFVideoTransFunc_28","features":[431]},{"name":"MFVideoTransFunc_709","features":[431]},{"name":"MFVideoTransFunc_709_sym","features":[431]},{"name":"MFVideoTransFunc_ForceDWORD","features":[431]},{"name":"MFVideoTransFunc_HLG","features":[431]},{"name":"MFVideoTransFunc_Last","features":[431]},{"name":"MFVideoTransFunc_Log_100","features":[431]},{"name":"MFVideoTransFunc_Log_316","features":[431]},{"name":"MFVideoTransFunc_Unknown","features":[431]},{"name":"MFVideoTransFunc_sRGB","features":[431]},{"name":"MFVideoTransferFunction","features":[431]},{"name":"MFVideoTransferMatrix","features":[431]},{"name":"MFVideoTransferMatrix_BT2020_10","features":[431]},{"name":"MFVideoTransferMatrix_BT2020_12","features":[431]},{"name":"MFVideoTransferMatrix_BT601","features":[431]},{"name":"MFVideoTransferMatrix_BT709","features":[431]},{"name":"MFVideoTransferMatrix_ForceDWORD","features":[431]},{"name":"MFVideoTransferMatrix_Last","features":[431]},{"name":"MFVideoTransferMatrix_SMPTE240M","features":[431]},{"name":"MFVideoTransferMatrix_Unknown","features":[431]},{"name":"MFVirtualCameraAccess","features":[431]},{"name":"MFVirtualCameraAccess_AllUsers","features":[431]},{"name":"MFVirtualCameraAccess_CurrentUser","features":[431]},{"name":"MFVirtualCameraLifetime","features":[431]},{"name":"MFVirtualCameraLifetime_Session","features":[431]},{"name":"MFVirtualCameraLifetime_System","features":[431]},{"name":"MFVirtualCameraType","features":[431]},{"name":"MFVirtualCameraType_SoftwareCameraSource","features":[431]},{"name":"MFWaveFormatExConvertFlag_ForceExtensible","features":[431]},{"name":"MFWaveFormatExConvertFlag_Normal","features":[431]},{"name":"MFWaveFormatExConvertFlags","features":[431]},{"name":"MFWrapMediaType","features":[431]},{"name":"MF_1024_BYTE_ALIGNMENT","features":[431]},{"name":"MF_128_BYTE_ALIGNMENT","features":[431]},{"name":"MF_16_BYTE_ALIGNMENT","features":[431]},{"name":"MF_1_BYTE_ALIGNMENT","features":[431]},{"name":"MF_2048_BYTE_ALIGNMENT","features":[431]},{"name":"MF_256_BYTE_ALIGNMENT","features":[431]},{"name":"MF_2_BYTE_ALIGNMENT","features":[431]},{"name":"MF_32_BYTE_ALIGNMENT","features":[431]},{"name":"MF_4096_BYTE_ALIGNMENT","features":[431]},{"name":"MF_4_BYTE_ALIGNMENT","features":[431]},{"name":"MF_512_BYTE_ALIGNMENT","features":[431]},{"name":"MF_64_BYTE_ALIGNMENT","features":[431]},{"name":"MF_8192_BYTE_ALIGNMENT","features":[431]},{"name":"MF_8_BYTE_ALIGNMENT","features":[431]},{"name":"MF_ACCESSMODE_READ","features":[431]},{"name":"MF_ACCESSMODE_READWRITE","features":[431]},{"name":"MF_ACCESSMODE_WRITE","features":[431]},{"name":"MF_ACCESS_CONTROLLED_MEDIASOURCE_SERVICE","features":[431]},{"name":"MF_ACTIVATE_CUSTOM_MIXER","features":[431]},{"name":"MF_ACTIVATE_CUSTOM_MIXER_ALLOWFAIL","features":[431]},{"name":"MF_ACTIVATE_CUSTOM_PRESENTER","features":[431]},{"name":"MF_ACTIVATE_CUSTOM_PRESENTER_ALLOWFAIL","features":[431]},{"name":"MF_ACTIVATE_CUSTOM_VIDEO_MIXER_ACTIVATE","features":[431]},{"name":"MF_ACTIVATE_CUSTOM_VIDEO_MIXER_CLSID","features":[431]},{"name":"MF_ACTIVATE_CUSTOM_VIDEO_MIXER_FLAGS","features":[431]},{"name":"MF_ACTIVATE_CUSTOM_VIDEO_PRESENTER_ACTIVATE","features":[431]},{"name":"MF_ACTIVATE_CUSTOM_VIDEO_PRESENTER_CLSID","features":[431]},{"name":"MF_ACTIVATE_CUSTOM_VIDEO_PRESENTER_FLAGS","features":[431]},{"name":"MF_ACTIVATE_MFT_LOCKED","features":[431]},{"name":"MF_ACTIVATE_VIDEO_WINDOW","features":[431]},{"name":"MF_API_VERSION","features":[431]},{"name":"MF_ASFPROFILE_MAXPACKETSIZE","features":[431]},{"name":"MF_ASFPROFILE_MINPACKETSIZE","features":[431]},{"name":"MF_ASFSTREAMCONFIG_LEAKYBUCKET1","features":[431]},{"name":"MF_ASFSTREAMCONFIG_LEAKYBUCKET2","features":[431]},{"name":"MF_ATTRIBUTES_MATCH_ALL_ITEMS","features":[431]},{"name":"MF_ATTRIBUTES_MATCH_INTERSECTION","features":[431]},{"name":"MF_ATTRIBUTES_MATCH_OUR_ITEMS","features":[431]},{"name":"MF_ATTRIBUTES_MATCH_SMALLER","features":[431]},{"name":"MF_ATTRIBUTES_MATCH_THEIR_ITEMS","features":[431]},{"name":"MF_ATTRIBUTES_MATCH_TYPE","features":[431]},{"name":"MF_ATTRIBUTE_BLOB","features":[431]},{"name":"MF_ATTRIBUTE_DOUBLE","features":[431]},{"name":"MF_ATTRIBUTE_GUID","features":[431]},{"name":"MF_ATTRIBUTE_IUNKNOWN","features":[431]},{"name":"MF_ATTRIBUTE_SERIALIZE_OPTIONS","features":[431]},{"name":"MF_ATTRIBUTE_SERIALIZE_UNKNOWN_BYREF","features":[431]},{"name":"MF_ATTRIBUTE_STRING","features":[431]},{"name":"MF_ATTRIBUTE_TYPE","features":[431]},{"name":"MF_ATTRIBUTE_UINT32","features":[431]},{"name":"MF_ATTRIBUTE_UINT64","features":[431]},{"name":"MF_AUDIO_RENDERER_ATTRIBUTE_ENDPOINT_ID","features":[431]},{"name":"MF_AUDIO_RENDERER_ATTRIBUTE_ENDPOINT_ROLE","features":[431]},{"name":"MF_AUDIO_RENDERER_ATTRIBUTE_FLAGS","features":[431]},{"name":"MF_AUDIO_RENDERER_ATTRIBUTE_FLAGS_CROSSPROCESS","features":[431]},{"name":"MF_AUDIO_RENDERER_ATTRIBUTE_FLAGS_DONT_ALLOW_FORMAT_CHANGES","features":[431]},{"name":"MF_AUDIO_RENDERER_ATTRIBUTE_FLAGS_NOPERSIST","features":[431]},{"name":"MF_AUDIO_RENDERER_ATTRIBUTE_SESSION_ID","features":[431]},{"name":"MF_AUDIO_RENDERER_ATTRIBUTE_STREAM_CATEGORY","features":[431]},{"name":"MF_AUVRHP_ROOMMODEL","features":[431]},{"name":"MF_BD_MVC_PLANE_OFFSET_METADATA","features":[431]},{"name":"MF_BOOT_DRIVER_VERIFICATION_FAILED","features":[431]},{"name":"MF_BYTESTREAMHANDLER_ACCEPTS_SHARE_WRITE","features":[431]},{"name":"MF_BYTESTREAM_CONTENT_TYPE","features":[431]},{"name":"MF_BYTESTREAM_DLNA_PROFILE_ID","features":[431]},{"name":"MF_BYTESTREAM_DURATION","features":[431]},{"name":"MF_BYTESTREAM_EFFECTIVE_URL","features":[431]},{"name":"MF_BYTESTREAM_IFO_FILE_URI","features":[431]},{"name":"MF_BYTESTREAM_LAST_MODIFIED_TIME","features":[431]},{"name":"MF_BYTESTREAM_ORIGIN_NAME","features":[431]},{"name":"MF_BYTESTREAM_SERVICE","features":[431]},{"name":"MF_BYTESTREAM_TRANSCODED","features":[431]},{"name":"MF_BYTE_STREAM_CACHE_RANGE","features":[431]},{"name":"MF_CAMERA_CONTROL_CONFIGURATION_TYPE","features":[431]},{"name":"MF_CAMERA_CONTROL_CONFIGURATION_TYPE_POSTSTART","features":[431]},{"name":"MF_CAMERA_CONTROL_CONFIGURATION_TYPE_PRESTART","features":[431]},{"name":"MF_CAMERA_CONTROL_RANGE_INFO","features":[431]},{"name":"MF_CAPTURE_ENGINE_ALL_EFFECTS_REMOVED","features":[431]},{"name":"MF_CAPTURE_ENGINE_AUDIO_PROCESSING","features":[431]},{"name":"MF_CAPTURE_ENGINE_AUDIO_PROCESSING_DEFAULT","features":[431]},{"name":"MF_CAPTURE_ENGINE_AUDIO_PROCESSING_MODE","features":[431]},{"name":"MF_CAPTURE_ENGINE_AUDIO_PROCESSING_RAW","features":[431]},{"name":"MF_CAPTURE_ENGINE_CAMERA_STREAM_BLOCKED","features":[431]},{"name":"MF_CAPTURE_ENGINE_CAMERA_STREAM_UNBLOCKED","features":[431]},{"name":"MF_CAPTURE_ENGINE_D3D_MANAGER","features":[431]},{"name":"MF_CAPTURE_ENGINE_DECODER_MFT_FIELDOFUSE_UNLOCK_Attribute","features":[431]},{"name":"MF_CAPTURE_ENGINE_DEVICE_TYPE","features":[431]},{"name":"MF_CAPTURE_ENGINE_DEVICE_TYPE_AUDIO","features":[431]},{"name":"MF_CAPTURE_ENGINE_DEVICE_TYPE_VIDEO","features":[431]},{"name":"MF_CAPTURE_ENGINE_DISABLE_DXVA","features":[431]},{"name":"MF_CAPTURE_ENGINE_DISABLE_HARDWARE_TRANSFORMS","features":[431]},{"name":"MF_CAPTURE_ENGINE_EFFECT_ADDED","features":[431]},{"name":"MF_CAPTURE_ENGINE_EFFECT_REMOVED","features":[431]},{"name":"MF_CAPTURE_ENGINE_ENABLE_CAMERA_STREAMSTATE_NOTIFICATION","features":[431]},{"name":"MF_CAPTURE_ENGINE_ENCODER_MFT_FIELDOFUSE_UNLOCK_Attribute","features":[431]},{"name":"MF_CAPTURE_ENGINE_ERROR","features":[431]},{"name":"MF_CAPTURE_ENGINE_EVENT_GENERATOR_GUID","features":[431]},{"name":"MF_CAPTURE_ENGINE_EVENT_STREAM_INDEX","features":[431]},{"name":"MF_CAPTURE_ENGINE_INITIALIZED","features":[431]},{"name":"MF_CAPTURE_ENGINE_MEDIASOURCE","features":[431]},{"name":"MF_CAPTURE_ENGINE_MEDIASOURCE_CONFIG","features":[431]},{"name":"MF_CAPTURE_ENGINE_MEDIA_CATEGORY","features":[431]},{"name":"MF_CAPTURE_ENGINE_MEDIA_CATEGORY_TYPE","features":[431]},{"name":"MF_CAPTURE_ENGINE_MEDIA_CATEGORY_TYPE_COMMUNICATIONS","features":[431]},{"name":"MF_CAPTURE_ENGINE_MEDIA_CATEGORY_TYPE_FARFIELDSPEECH","features":[431]},{"name":"MF_CAPTURE_ENGINE_MEDIA_CATEGORY_TYPE_GAMECHAT","features":[431]},{"name":"MF_CAPTURE_ENGINE_MEDIA_CATEGORY_TYPE_MEDIA","features":[431]},{"name":"MF_CAPTURE_ENGINE_MEDIA_CATEGORY_TYPE_OTHER","features":[431]},{"name":"MF_CAPTURE_ENGINE_MEDIA_CATEGORY_TYPE_SPEECH","features":[431]},{"name":"MF_CAPTURE_ENGINE_MEDIA_CATEGORY_TYPE_UNIFORMSPEECH","features":[431]},{"name":"MF_CAPTURE_ENGINE_MEDIA_CATEGORY_TYPE_VOICETYPING","features":[431]},{"name":"MF_CAPTURE_ENGINE_OUTPUT_MEDIA_TYPE_SET","features":[431]},{"name":"MF_CAPTURE_ENGINE_PHOTO_TAKEN","features":[431]},{"name":"MF_CAPTURE_ENGINE_PREFERRED_SOURCE_STREAM_FOR_AUDIO","features":[431]},{"name":"MF_CAPTURE_ENGINE_PREFERRED_SOURCE_STREAM_FOR_METADATA","features":[431]},{"name":"MF_CAPTURE_ENGINE_PREFERRED_SOURCE_STREAM_FOR_PHOTO","features":[431]},{"name":"MF_CAPTURE_ENGINE_PREFERRED_SOURCE_STREAM_FOR_VIDEO_PREVIEW","features":[431]},{"name":"MF_CAPTURE_ENGINE_PREFERRED_SOURCE_STREAM_FOR_VIDEO_RECORD","features":[431]},{"name":"MF_CAPTURE_ENGINE_PREVIEW_STARTED","features":[431]},{"name":"MF_CAPTURE_ENGINE_PREVIEW_STOPPED","features":[431]},{"name":"MF_CAPTURE_ENGINE_RECORD_SINK_AUDIO_MAX_PROCESSED_SAMPLES","features":[431]},{"name":"MF_CAPTURE_ENGINE_RECORD_SINK_AUDIO_MAX_UNPROCESSED_SAMPLES","features":[431]},{"name":"MF_CAPTURE_ENGINE_RECORD_SINK_VIDEO_MAX_PROCESSED_SAMPLES","features":[431]},{"name":"MF_CAPTURE_ENGINE_RECORD_SINK_VIDEO_MAX_UNPROCESSED_SAMPLES","features":[431]},{"name":"MF_CAPTURE_ENGINE_RECORD_STARTED","features":[431]},{"name":"MF_CAPTURE_ENGINE_RECORD_STOPPED","features":[431]},{"name":"MF_CAPTURE_ENGINE_SELECTEDCAMERAPROFILE","features":[431]},{"name":"MF_CAPTURE_ENGINE_SELECTEDCAMERAPROFILE_INDEX","features":[431]},{"name":"MF_CAPTURE_ENGINE_SINK_TYPE","features":[431]},{"name":"MF_CAPTURE_ENGINE_SINK_TYPE_PHOTO","features":[431]},{"name":"MF_CAPTURE_ENGINE_SINK_TYPE_PREVIEW","features":[431]},{"name":"MF_CAPTURE_ENGINE_SINK_TYPE_RECORD","features":[431]},{"name":"MF_CAPTURE_ENGINE_SOURCE","features":[431]},{"name":"MF_CAPTURE_ENGINE_STREAM_CATEGORY","features":[431]},{"name":"MF_CAPTURE_ENGINE_STREAM_CATEGORY_AUDIO","features":[431]},{"name":"MF_CAPTURE_ENGINE_STREAM_CATEGORY_METADATA","features":[431]},{"name":"MF_CAPTURE_ENGINE_STREAM_CATEGORY_PHOTO_DEPENDENT","features":[431]},{"name":"MF_CAPTURE_ENGINE_STREAM_CATEGORY_PHOTO_INDEPENDENT","features":[431]},{"name":"MF_CAPTURE_ENGINE_STREAM_CATEGORY_UNSUPPORTED","features":[431]},{"name":"MF_CAPTURE_ENGINE_STREAM_CATEGORY_VIDEO_CAPTURE","features":[431]},{"name":"MF_CAPTURE_ENGINE_STREAM_CATEGORY_VIDEO_PREVIEW","features":[431]},{"name":"MF_CAPTURE_ENGINE_USE_AUDIO_DEVICE_ONLY","features":[431]},{"name":"MF_CAPTURE_ENGINE_USE_VIDEO_DEVICE_ONLY","features":[431]},{"name":"MF_CAPTURE_METADATA_DIGITALWINDOW","features":[431]},{"name":"MF_CAPTURE_METADATA_EXIF","features":[431]},{"name":"MF_CAPTURE_METADATA_EXPOSURE_COMPENSATION","features":[431]},{"name":"MF_CAPTURE_METADATA_EXPOSURE_TIME","features":[431]},{"name":"MF_CAPTURE_METADATA_FACEROICHARACTERIZATIONS","features":[431]},{"name":"MF_CAPTURE_METADATA_FACEROIS","features":[431]},{"name":"MF_CAPTURE_METADATA_FACEROITIMESTAMPS","features":[431]},{"name":"MF_CAPTURE_METADATA_FIRST_SCANLINE_START_TIME_QPC","features":[431]},{"name":"MF_CAPTURE_METADATA_FLASH","features":[431]},{"name":"MF_CAPTURE_METADATA_FLASH_POWER","features":[431]},{"name":"MF_CAPTURE_METADATA_FOCUSSTATE","features":[431]},{"name":"MF_CAPTURE_METADATA_FRAME_BACKGROUND_MASK","features":[431]},{"name":"MF_CAPTURE_METADATA_FRAME_ILLUMINATION","features":[431]},{"name":"MF_CAPTURE_METADATA_FRAME_RAWSTREAM","features":[431]},{"name":"MF_CAPTURE_METADATA_HISTOGRAM","features":[431]},{"name":"MF_CAPTURE_METADATA_ISO_GAINS","features":[431]},{"name":"MF_CAPTURE_METADATA_ISO_SPEED","features":[431]},{"name":"MF_CAPTURE_METADATA_LAST_SCANLINE_END_TIME_QPC","features":[431]},{"name":"MF_CAPTURE_METADATA_LENS_POSITION","features":[431]},{"name":"MF_CAPTURE_METADATA_PHOTO_FRAME_FLASH","features":[431]},{"name":"MF_CAPTURE_METADATA_REQUESTED_FRAME_SETTING_ID","features":[431]},{"name":"MF_CAPTURE_METADATA_SCANLINE_DIRECTION","features":[431]},{"name":"MF_CAPTURE_METADATA_SCANLINE_TIME_QPC_ACCURACY","features":[431]},{"name":"MF_CAPTURE_METADATA_SCENE_MODE","features":[431]},{"name":"MF_CAPTURE_METADATA_SENSORFRAMERATE","features":[431]},{"name":"MF_CAPTURE_METADATA_UVC_PAYLOADHEADER","features":[431]},{"name":"MF_CAPTURE_METADATA_WHITEBALANCE","features":[431]},{"name":"MF_CAPTURE_METADATA_WHITEBALANCE_GAINS","features":[431]},{"name":"MF_CAPTURE_METADATA_ZOOMFACTOR","features":[431]},{"name":"MF_CAPTURE_SINK_PREPARED","features":[431]},{"name":"MF_CAPTURE_SOURCE_CURRENT_DEVICE_MEDIA_TYPE_SET","features":[431]},{"name":"MF_COMPONENT_CERT_REVOKED","features":[431]},{"name":"MF_COMPONENT_HS_CERT_REVOKED","features":[431]},{"name":"MF_COMPONENT_INVALID_EKU","features":[431]},{"name":"MF_COMPONENT_INVALID_ROOT","features":[431]},{"name":"MF_COMPONENT_LS_CERT_REVOKED","features":[431]},{"name":"MF_COMPONENT_REVOKED","features":[431]},{"name":"MF_CONNECT_ALLOW_CONVERTER","features":[431]},{"name":"MF_CONNECT_ALLOW_DECODER","features":[431]},{"name":"MF_CONNECT_AS_OPTIONAL","features":[431]},{"name":"MF_CONNECT_AS_OPTIONAL_BRANCH","features":[431]},{"name":"MF_CONNECT_DIRECT","features":[431]},{"name":"MF_CONNECT_METHOD","features":[431]},{"name":"MF_CONNECT_RESOLVE_INDEPENDENT_OUTPUTTYPES","features":[431]},{"name":"MF_CONTENTDECRYPTIONMODULE_SERVICE","features":[431]},{"name":"MF_CONTENT_DECRYPTOR_SERVICE","features":[431]},{"name":"MF_CONTENT_PROTECTION_DEVICE_SERVICE","features":[431]},{"name":"MF_CROSS_ORIGIN_POLICY","features":[431]},{"name":"MF_CROSS_ORIGIN_POLICY_ANONYMOUS","features":[431]},{"name":"MF_CROSS_ORIGIN_POLICY_NONE","features":[431]},{"name":"MF_CROSS_ORIGIN_POLICY_USE_CREDENTIALS","features":[431]},{"name":"MF_CUSTOM_DECODE_UNIT_TYPE","features":[431]},{"name":"MF_D3D11_RESOURCE","features":[431]},{"name":"MF_D3D12_RESOURCE","features":[431]},{"name":"MF_D3D12_SYNCHRONIZATION_OBJECT","features":[431]},{"name":"MF_DECODER_FWD_CUSTOM_SEI_DECODE_ORDER","features":[431]},{"name":"MF_DECODE_UNIT_NAL","features":[431]},{"name":"MF_DECODE_UNIT_SEI","features":[431]},{"name":"MF_DEVICEMFT_CONNECTED_FILTER_KSCONTROL","features":[431]},{"name":"MF_DEVICEMFT_CONNECTED_PIN_KSCONTROL","features":[431]},{"name":"MF_DEVICEMFT_EXTENSION_PLUGIN_CLSID","features":[431]},{"name":"MF_DEVICEMFT_SENSORPROFILE_COLLECTION","features":[431]},{"name":"MF_DEVICESTREAM_ATTRIBUTE_FACEAUTH_CAPABILITY","features":[431]},{"name":"MF_DEVICESTREAM_ATTRIBUTE_FRAMESOURCE_TYPES","features":[431]},{"name":"MF_DEVICESTREAM_ATTRIBUTE_SECURE_CAPABILITY","features":[431]},{"name":"MF_DEVICESTREAM_EXTENSION_PLUGIN_CLSID","features":[431]},{"name":"MF_DEVICESTREAM_EXTENSION_PLUGIN_CONNECTION_POINT","features":[431]},{"name":"MF_DEVICESTREAM_FILTER_KSCONTROL","features":[431]},{"name":"MF_DEVICESTREAM_FRAMESERVER_HIDDEN","features":[431]},{"name":"MF_DEVICESTREAM_FRAMESERVER_SHARED","features":[431]},{"name":"MF_DEVICESTREAM_IMAGE_STREAM","features":[431]},{"name":"MF_DEVICESTREAM_INDEPENDENT_IMAGE_STREAM","features":[431]},{"name":"MF_DEVICESTREAM_MAX_FRAME_BUFFERS","features":[431]},{"name":"MF_DEVICESTREAM_MULTIPLEXED_MANAGER","features":[431]},{"name":"MF_DEVICESTREAM_PIN_KSCONTROL","features":[431]},{"name":"MF_DEVICESTREAM_REQUIRED_CAPABILITIES","features":[431]},{"name":"MF_DEVICESTREAM_REQUIRED_SDDL","features":[431]},{"name":"MF_DEVICESTREAM_SENSORSTREAM_ID","features":[431]},{"name":"MF_DEVICESTREAM_SOURCE_ATTRIBUTES","features":[431]},{"name":"MF_DEVICESTREAM_STREAM_CATEGORY","features":[431]},{"name":"MF_DEVICESTREAM_STREAM_ID","features":[431]},{"name":"MF_DEVICESTREAM_TAKEPHOTO_TRIGGER","features":[431]},{"name":"MF_DEVICESTREAM_TRANSFORM_STREAM_ID","features":[431]},{"name":"MF_DEVICE_THERMAL_STATE_CHANGED","features":[431]},{"name":"MF_DEVSOURCE_ATTRIBUTE_ENABLE_MS_CAMERA_EFFECTS","features":[431]},{"name":"MF_DEVSOURCE_ATTRIBUTE_FRIENDLY_NAME","features":[431]},{"name":"MF_DEVSOURCE_ATTRIBUTE_MEDIA_TYPE","features":[431]},{"name":"MF_DEVSOURCE_ATTRIBUTE_SOURCE_PASSWORD","features":[431]},{"name":"MF_DEVSOURCE_ATTRIBUTE_SOURCE_STREAM_URL","features":[431]},{"name":"MF_DEVSOURCE_ATTRIBUTE_SOURCE_TYPE","features":[431]},{"name":"MF_DEVSOURCE_ATTRIBUTE_SOURCE_TYPE_AUDCAP_ENDPOINT_ID","features":[431]},{"name":"MF_DEVSOURCE_ATTRIBUTE_SOURCE_TYPE_AUDCAP_GUID","features":[431]},{"name":"MF_DEVSOURCE_ATTRIBUTE_SOURCE_TYPE_AUDCAP_ROLE","features":[431]},{"name":"MF_DEVSOURCE_ATTRIBUTE_SOURCE_TYPE_AUDCAP_SYMBOLIC_LINK","features":[431]},{"name":"MF_DEVSOURCE_ATTRIBUTE_SOURCE_TYPE_VIDCAP_CATEGORY","features":[431]},{"name":"MF_DEVSOURCE_ATTRIBUTE_SOURCE_TYPE_VIDCAP_GUID","features":[431]},{"name":"MF_DEVSOURCE_ATTRIBUTE_SOURCE_TYPE_VIDCAP_HW_SOURCE","features":[431]},{"name":"MF_DEVSOURCE_ATTRIBUTE_SOURCE_TYPE_VIDCAP_MAX_BUFFERS","features":[431]},{"name":"MF_DEVSOURCE_ATTRIBUTE_SOURCE_TYPE_VIDCAP_PROVIDER_DEVICE_ID","features":[431]},{"name":"MF_DEVSOURCE_ATTRIBUTE_SOURCE_TYPE_VIDCAP_SYMBOLIC_LINK","features":[431]},{"name":"MF_DEVSOURCE_ATTRIBUTE_SOURCE_USERNAME","features":[431]},{"name":"MF_DEVSOURCE_ATTRIBUTE_SOURCE_XADDRESS","features":[431]},{"name":"MF_DISABLE_FRAME_CORRUPTION_INFO","features":[431]},{"name":"MF_DISABLE_LOCALLY_REGISTERED_PLUGINS","features":[431]},{"name":"MF_DMFT_FRAME_BUFFER_INFO","features":[431]},{"name":"MF_DROP_MODE_1","features":[431]},{"name":"MF_DROP_MODE_2","features":[431]},{"name":"MF_DROP_MODE_3","features":[431]},{"name":"MF_DROP_MODE_4","features":[431]},{"name":"MF_DROP_MODE_5","features":[431]},{"name":"MF_DROP_MODE_NONE","features":[431]},{"name":"MF_ENABLE_3DVIDEO_OUTPUT","features":[431]},{"name":"MF_EVENT_DO_THINNING","features":[431]},{"name":"MF_EVENT_FLAG_NONE","features":[431]},{"name":"MF_EVENT_FLAG_NO_WAIT","features":[431]},{"name":"MF_EVENT_MFT_CONTEXT","features":[431]},{"name":"MF_EVENT_MFT_INPUT_STREAM_ID","features":[431]},{"name":"MF_EVENT_OUTPUT_NODE","features":[431]},{"name":"MF_EVENT_PRESENTATION_TIME_OFFSET","features":[431]},{"name":"MF_EVENT_SCRUBSAMPLE_TIME","features":[431]},{"name":"MF_EVENT_SESSIONCAPS","features":[431]},{"name":"MF_EVENT_SESSIONCAPS_DELTA","features":[431]},{"name":"MF_EVENT_SOURCE_ACTUAL_START","features":[431]},{"name":"MF_EVENT_SOURCE_CHARACTERISTICS","features":[431]},{"name":"MF_EVENT_SOURCE_CHARACTERISTICS_OLD","features":[431]},{"name":"MF_EVENT_SOURCE_FAKE_START","features":[431]},{"name":"MF_EVENT_SOURCE_PROJECTSTART","features":[431]},{"name":"MF_EVENT_SOURCE_TOPOLOGY_CANCELED","features":[431]},{"name":"MF_EVENT_START_PRESENTATION_TIME","features":[431]},{"name":"MF_EVENT_START_PRESENTATION_TIME_AT_OUTPUT","features":[431]},{"name":"MF_EVENT_STREAM_METADATA_CONTENT_KEYIDS","features":[431]},{"name":"MF_EVENT_STREAM_METADATA_KEYDATA","features":[431]},{"name":"MF_EVENT_STREAM_METADATA_SYSTEMID","features":[431]},{"name":"MF_EVENT_TOPOLOGY_STATUS","features":[431]},{"name":"MF_EVENT_TYPE","features":[431]},{"name":"MF_E_ALLOCATOR_ALREADY_COMMITED","features":[431]},{"name":"MF_E_ALLOCATOR_NOT_COMMITED","features":[431]},{"name":"MF_E_ALLOCATOR_NOT_INITIALIZED","features":[431]},{"name":"MF_E_ALL_PROCESS_RESTART_REQUIRED","features":[431]},{"name":"MF_E_ALREADY_INITIALIZED","features":[431]},{"name":"MF_E_ASF_DROPPED_PACKET","features":[431]},{"name":"MF_E_ASF_FILESINK_BITRATE_UNKNOWN","features":[431]},{"name":"MF_E_ASF_INDEXNOTLOADED","features":[431]},{"name":"MF_E_ASF_INVALIDDATA","features":[431]},{"name":"MF_E_ASF_MISSINGDATA","features":[431]},{"name":"MF_E_ASF_NOINDEX","features":[431]},{"name":"MF_E_ASF_OPAQUEPACKET","features":[431]},{"name":"MF_E_ASF_OUTOFRANGE","features":[431]},{"name":"MF_E_ASF_PARSINGINCOMPLETE","features":[431]},{"name":"MF_E_ASF_TOO_MANY_PAYLOADS","features":[431]},{"name":"MF_E_ASF_UNSUPPORTED_STREAM_TYPE","features":[431]},{"name":"MF_E_ATTRIBUTENOTFOUND","features":[431]},{"name":"MF_E_AUDIO_BUFFER_SIZE_ERROR","features":[431]},{"name":"MF_E_AUDIO_CLIENT_WRAPPER_SPOOF_ERROR","features":[431]},{"name":"MF_E_AUDIO_PLAYBACK_DEVICE_INVALIDATED","features":[431]},{"name":"MF_E_AUDIO_PLAYBACK_DEVICE_IN_USE","features":[431]},{"name":"MF_E_AUDIO_RECORDING_DEVICE_INVALIDATED","features":[431]},{"name":"MF_E_AUDIO_RECORDING_DEVICE_IN_USE","features":[431]},{"name":"MF_E_AUDIO_SERVICE_NOT_RUNNING","features":[431]},{"name":"MF_E_BACKUP_RESTRICTED_LICENSE","features":[431]},{"name":"MF_E_BAD_OPL_STRUCTURE_FORMAT","features":[431]},{"name":"MF_E_BAD_STARTUP_VERSION","features":[431]},{"name":"MF_E_BANDWIDTH_OVERRUN","features":[431]},{"name":"MF_E_BUFFERTOOSMALL","features":[431]},{"name":"MF_E_BYTESTREAM_NOT_SEEKABLE","features":[431]},{"name":"MF_E_BYTESTREAM_UNKNOWN_LENGTH","features":[431]},{"name":"MF_E_CANNOT_CREATE_SINK","features":[431]},{"name":"MF_E_CANNOT_FIND_KEYFRAME_SAMPLE","features":[431]},{"name":"MF_E_CANNOT_INDEX_IN_PLACE","features":[431]},{"name":"MF_E_CANNOT_PARSE_BYTESTREAM","features":[431]},{"name":"MF_E_CAPTURE_ENGINE_ALL_EFFECTS_REMOVED","features":[431]},{"name":"MF_E_CAPTURE_ENGINE_INVALID_OP","features":[431]},{"name":"MF_E_CAPTURE_NO_SAMPLES_IN_QUEUE","features":[431]},{"name":"MF_E_CAPTURE_PROPERTY_SET_DURING_PHOTO","features":[431]},{"name":"MF_E_CAPTURE_SINK_MIRROR_ERROR","features":[431]},{"name":"MF_E_CAPTURE_SINK_OUTPUT_NOT_SET","features":[431]},{"name":"MF_E_CAPTURE_SINK_ROTATE_ERROR","features":[431]},{"name":"MF_E_CAPTURE_SOURCE_DEVICE_EXTENDEDPROP_OP_IN_PROGRESS","features":[431]},{"name":"MF_E_CAPTURE_SOURCE_NO_AUDIO_STREAM_PRESENT","features":[431]},{"name":"MF_E_CAPTURE_SOURCE_NO_INDEPENDENT_PHOTO_STREAM_PRESENT","features":[431]},{"name":"MF_E_CAPTURE_SOURCE_NO_VIDEO_STREAM_PRESENT","features":[431]},{"name":"MF_E_CLOCK_AUDIO_DEVICE_POSITION_UNEXPECTED","features":[431]},{"name":"MF_E_CLOCK_AUDIO_RENDER_POSITION_UNEXPECTED","features":[431]},{"name":"MF_E_CLOCK_AUDIO_RENDER_TIME_UNEXPECTED","features":[431]},{"name":"MF_E_CLOCK_INVALID_CONTINUITY_KEY","features":[431]},{"name":"MF_E_CLOCK_NOT_SIMPLE","features":[431]},{"name":"MF_E_CLOCK_NO_TIME_SOURCE","features":[431]},{"name":"MF_E_CLOCK_STATE_ALREADY_SET","features":[431]},{"name":"MF_E_CODE_EXPIRED","features":[431]},{"name":"MF_E_COMPONENT_REVOKED","features":[431]},{"name":"MF_E_CONTENT_PROTECTION_SYSTEM_NOT_ENABLED","features":[431]},{"name":"MF_E_DEBUGGING_NOT_ALLOWED","features":[431]},{"name":"MF_E_DISABLED_IN_SAFEMODE","features":[431]},{"name":"MF_E_DRM_HARDWARE_INCONSISTENT","features":[431]},{"name":"MF_E_DRM_MIGRATION_NOT_SUPPORTED","features":[431]},{"name":"MF_E_DRM_UNSUPPORTED","features":[431]},{"name":"MF_E_DROPTIME_NOT_SUPPORTED","features":[431]},{"name":"MF_E_DURATION_TOO_LONG","features":[431]},{"name":"MF_E_DXGI_DEVICE_NOT_INITIALIZED","features":[431]},{"name":"MF_E_DXGI_NEW_VIDEO_DEVICE","features":[431]},{"name":"MF_E_DXGI_VIDEO_DEVICE_LOCKED","features":[431]},{"name":"MF_E_END_OF_STREAM","features":[431]},{"name":"MF_E_FLUSH_NEEDED","features":[431]},{"name":"MF_E_FORMAT_CHANGE_NOT_SUPPORTED","features":[431]},{"name":"MF_E_GRL_ABSENT","features":[431]},{"name":"MF_E_GRL_EXTENSIBLE_ENTRY_NOT_FOUND","features":[431]},{"name":"MF_E_GRL_INVALID_FORMAT","features":[431]},{"name":"MF_E_GRL_RENEWAL_NOT_FOUND","features":[431]},{"name":"MF_E_GRL_UNRECOGNIZED_FORMAT","features":[431]},{"name":"MF_E_GRL_VERSION_TOO_LOW","features":[431]},{"name":"MF_E_HARDWARE_DRM_UNSUPPORTED","features":[431]},{"name":"MF_E_HDCP_AUTHENTICATION_FAILURE","features":[431]},{"name":"MF_E_HDCP_LINK_FAILURE","features":[431]},{"name":"MF_E_HIGH_SECURITY_LEVEL_CONTENT_NOT_ALLOWED","features":[431]},{"name":"MF_E_HW_ACCELERATED_THUMBNAIL_NOT_SUPPORTED","features":[431]},{"name":"MF_E_HW_MFT_FAILED_START_STREAMING","features":[431]},{"name":"MF_E_HW_STREAM_NOT_CONNECTED","features":[431]},{"name":"MF_E_INCOMPATIBLE_SAMPLE_PROTECTION","features":[431]},{"name":"MF_E_INDEX_NOT_COMMITTED","features":[431]},{"name":"MF_E_INSUFFICIENT_BUFFER","features":[431]},{"name":"MF_E_INVALIDINDEX","features":[431]},{"name":"MF_E_INVALIDMEDIATYPE","features":[431]},{"name":"MF_E_INVALIDNAME","features":[431]},{"name":"MF_E_INVALIDREQUEST","features":[431]},{"name":"MF_E_INVALIDSTREAMNUMBER","features":[431]},{"name":"MF_E_INVALIDTYPE","features":[431]},{"name":"MF_E_INVALID_AKE_CHANNEL_PARAMETERS","features":[431]},{"name":"MF_E_INVALID_ASF_STREAMID","features":[431]},{"name":"MF_E_INVALID_CODEC_MERIT","features":[431]},{"name":"MF_E_INVALID_FILE_FORMAT","features":[431]},{"name":"MF_E_INVALID_FORMAT","features":[431]},{"name":"MF_E_INVALID_KEY","features":[431]},{"name":"MF_E_INVALID_POSITION","features":[431]},{"name":"MF_E_INVALID_PROFILE","features":[431]},{"name":"MF_E_INVALID_STATE_TRANSITION","features":[431]},{"name":"MF_E_INVALID_STREAM_DATA","features":[431]},{"name":"MF_E_INVALID_STREAM_STATE","features":[431]},{"name":"MF_E_INVALID_TIMESTAMP","features":[431]},{"name":"MF_E_INVALID_WORKQUEUE","features":[431]},{"name":"MF_E_ITA_ERROR_PARSING_SAP_PARAMETERS","features":[431]},{"name":"MF_E_ITA_OPL_DATA_NOT_INITIALIZED","features":[431]},{"name":"MF_E_ITA_UNRECOGNIZED_ANALOG_VIDEO_OUTPUT","features":[431]},{"name":"MF_E_ITA_UNRECOGNIZED_ANALOG_VIDEO_PROTECTION_GUID","features":[431]},{"name":"MF_E_ITA_UNRECOGNIZED_DIGITAL_VIDEO_OUTPUT","features":[431]},{"name":"MF_E_ITA_UNSUPPORTED_ACTION","features":[431]},{"name":"MF_E_KERNEL_UNTRUSTED","features":[431]},{"name":"MF_E_LATE_SAMPLE","features":[431]},{"name":"MF_E_LICENSE_INCORRECT_RIGHTS","features":[431]},{"name":"MF_E_LICENSE_OUTOFDATE","features":[431]},{"name":"MF_E_LICENSE_REQUIRED","features":[431]},{"name":"MF_E_LICENSE_RESTORE_NEEDS_INDIVIDUALIZATION","features":[431]},{"name":"MF_E_LICENSE_RESTORE_NO_RIGHTS","features":[431]},{"name":"MF_E_MEDIAPROC_WRONGSTATE","features":[431]},{"name":"MF_E_MEDIA_EXTENSION_APPSERVICE_CONNECTION_FAILED","features":[431]},{"name":"MF_E_MEDIA_EXTENSION_APPSERVICE_REQUEST_FAILED","features":[431]},{"name":"MF_E_MEDIA_EXTENSION_PACKAGE_INTEGRITY_CHECK_FAILED","features":[431]},{"name":"MF_E_MEDIA_EXTENSION_PACKAGE_LICENSE_INVALID","features":[431]},{"name":"MF_E_MEDIA_SOURCE_NOT_STARTED","features":[431]},{"name":"MF_E_MEDIA_SOURCE_NO_STREAMS_SELECTED","features":[431]},{"name":"MF_E_MEDIA_SOURCE_WRONGSTATE","features":[431]},{"name":"MF_E_METADATA_TOO_LONG","features":[431]},{"name":"MF_E_MISSING_ASF_LEAKYBUCKET","features":[431]},{"name":"MF_E_MP3_BAD_CRC","features":[431]},{"name":"MF_E_MP3_NOTFOUND","features":[431]},{"name":"MF_E_MP3_NOTMP3","features":[431]},{"name":"MF_E_MP3_NOTSUPPORTED","features":[431]},{"name":"MF_E_MP3_OUTOFDATA","features":[431]},{"name":"MF_E_MULTIPLE_BEGIN","features":[431]},{"name":"MF_E_MULTIPLE_SUBSCRIBERS","features":[431]},{"name":"MF_E_NETWORK_RESOURCE_FAILURE","features":[431]},{"name":"MF_E_NET_BAD_CONTROL_DATA","features":[431]},{"name":"MF_E_NET_BAD_REQUEST","features":[431]},{"name":"MF_E_NET_BUSY","features":[431]},{"name":"MF_E_NET_BWLEVEL_NOT_SUPPORTED","features":[431]},{"name":"MF_E_NET_CACHESTREAM_NOT_FOUND","features":[431]},{"name":"MF_E_NET_CACHE_NO_DATA","features":[431]},{"name":"MF_E_NET_CANNOTCONNECT","features":[431]},{"name":"MF_E_NET_CLIENT_CLOSE","features":[431]},{"name":"MF_E_NET_COMPANION_DRIVER_DISCONNECT","features":[431]},{"name":"MF_E_NET_CONNECTION_FAILURE","features":[431]},{"name":"MF_E_NET_EOL","features":[431]},{"name":"MF_E_NET_ERROR_FROM_PROXY","features":[431]},{"name":"MF_E_NET_INCOMPATIBLE_PUSHSERVER","features":[431]},{"name":"MF_E_NET_INCOMPATIBLE_SERVER","features":[431]},{"name":"MF_E_NET_INTERNAL_SERVER_ERROR","features":[431]},{"name":"MF_E_NET_INVALID_PRESENTATION_DESCRIPTOR","features":[431]},{"name":"MF_E_NET_INVALID_PUSH_PUBLISHING_POINT","features":[431]},{"name":"MF_E_NET_INVALID_PUSH_TEMPLATE","features":[431]},{"name":"MF_E_NET_MANUALSS_NOT_SUPPORTED","features":[431]},{"name":"MF_E_NET_NOCONNECTION","features":[431]},{"name":"MF_E_NET_PROTOCOL_DISABLED","features":[431]},{"name":"MF_E_NET_PROXY_ACCESSDENIED","features":[431]},{"name":"MF_E_NET_PROXY_TIMEOUT","features":[431]},{"name":"MF_E_NET_READ","features":[431]},{"name":"MF_E_NET_REDIRECT","features":[431]},{"name":"MF_E_NET_REDIRECT_TO_PROXY","features":[431]},{"name":"MF_E_NET_REQUIRE_ASYNC","features":[431]},{"name":"MF_E_NET_REQUIRE_INPUT","features":[431]},{"name":"MF_E_NET_REQUIRE_NETWORK","features":[431]},{"name":"MF_E_NET_RESOURCE_GONE","features":[431]},{"name":"MF_E_NET_SERVER_ACCESSDENIED","features":[431]},{"name":"MF_E_NET_SERVER_UNAVAILABLE","features":[431]},{"name":"MF_E_NET_SESSION_INVALID","features":[431]},{"name":"MF_E_NET_SESSION_NOT_FOUND","features":[431]},{"name":"MF_E_NET_STREAMGROUPS_NOT_SUPPORTED","features":[431]},{"name":"MF_E_NET_TIMEOUT","features":[431]},{"name":"MF_E_NET_TOO_MANY_REDIRECTS","features":[431]},{"name":"MF_E_NET_TOO_MUCH_DATA","features":[431]},{"name":"MF_E_NET_UDP_BLOCKED","features":[431]},{"name":"MF_E_NET_UNSAFE_URL","features":[431]},{"name":"MF_E_NET_UNSUPPORTED_CONFIGURATION","features":[431]},{"name":"MF_E_NET_WRITE","features":[431]},{"name":"MF_E_NEW_VIDEO_DEVICE","features":[431]},{"name":"MF_E_NON_PE_PROCESS","features":[431]},{"name":"MF_E_NOTACCEPTING","features":[431]},{"name":"MF_E_NOT_AVAILABLE","features":[431]},{"name":"MF_E_NOT_FOUND","features":[431]},{"name":"MF_E_NOT_INITIALIZED","features":[431]},{"name":"MF_E_NOT_PROTECTED","features":[431]},{"name":"MF_E_NO_AUDIO_PLAYBACK_DEVICE","features":[431]},{"name":"MF_E_NO_AUDIO_RECORDING_DEVICE","features":[431]},{"name":"MF_E_NO_BITPUMP","features":[431]},{"name":"MF_E_NO_CAPTURE_DEVICES_AVAILABLE","features":[431]},{"name":"MF_E_NO_CLOCK","features":[431]},{"name":"MF_E_NO_CONTENT_PROTECTION_MANAGER","features":[431]},{"name":"MF_E_NO_DURATION","features":[431]},{"name":"MF_E_NO_EVENTS_AVAILABLE","features":[431]},{"name":"MF_E_NO_INDEX","features":[431]},{"name":"MF_E_NO_MORE_DROP_MODES","features":[431]},{"name":"MF_E_NO_MORE_QUALITY_LEVELS","features":[431]},{"name":"MF_E_NO_MORE_TYPES","features":[431]},{"name":"MF_E_NO_PMP_HOST","features":[431]},{"name":"MF_E_NO_SAMPLE_DURATION","features":[431]},{"name":"MF_E_NO_SAMPLE_TIMESTAMP","features":[431]},{"name":"MF_E_NO_SOURCE_IN_CACHE","features":[431]},{"name":"MF_E_NO_VIDEO_SAMPLE_AVAILABLE","features":[431]},{"name":"MF_E_OFFLINE_MODE","features":[431]},{"name":"MF_E_OPERATION_CANCELLED","features":[431]},{"name":"MF_E_OPERATION_IN_PROGRESS","features":[431]},{"name":"MF_E_OPERATION_UNSUPPORTED_AT_D3D_FEATURE_LEVEL","features":[431]},{"name":"MF_E_OPL_NOT_SUPPORTED","features":[431]},{"name":"MF_E_OUT_OF_RANGE","features":[431]},{"name":"MF_E_PEAUTH_NOT_STARTED","features":[431]},{"name":"MF_E_PEAUTH_PUBLICKEY_REVOKED","features":[431]},{"name":"MF_E_PEAUTH_SESSION_NOT_STARTED","features":[431]},{"name":"MF_E_PEAUTH_UNTRUSTED","features":[431]},{"name":"MF_E_PE_SESSIONS_MAXED","features":[431]},{"name":"MF_E_PE_UNTRUSTED","features":[431]},{"name":"MF_E_PLATFORM_NOT_INITIALIZED","features":[431]},{"name":"MF_E_POLICY_MGR_ACTION_OUTOFBOUNDS","features":[431]},{"name":"MF_E_POLICY_UNSUPPORTED","features":[431]},{"name":"MF_E_PROCESS_RESTART_REQUIRED","features":[431]},{"name":"MF_E_PROPERTY_EMPTY","features":[431]},{"name":"MF_E_PROPERTY_NOT_ALLOWED","features":[431]},{"name":"MF_E_PROPERTY_NOT_EMPTY","features":[431]},{"name":"MF_E_PROPERTY_NOT_FOUND","features":[431]},{"name":"MF_E_PROPERTY_READ_ONLY","features":[431]},{"name":"MF_E_PROPERTY_TYPE_NOT_ALLOWED","features":[431]},{"name":"MF_E_PROPERTY_TYPE_NOT_SUPPORTED","features":[431]},{"name":"MF_E_PROPERTY_VECTOR_NOT_ALLOWED","features":[431]},{"name":"MF_E_PROPERTY_VECTOR_REQUIRED","features":[431]},{"name":"MF_E_QM_INVALIDSTATE","features":[431]},{"name":"MF_E_QUALITYKNOB_WAIT_LONGER","features":[431]},{"name":"MF_E_RATE_CHANGE_PREEMPTED","features":[431]},{"name":"MF_E_REBOOT_REQUIRED","features":[431]},{"name":"MF_E_RESOLUTION_REQUIRES_PMP_CREATION_CALLBACK","features":[431]},{"name":"MF_E_REVERSE_UNSUPPORTED","features":[431]},{"name":"MF_E_RT_OUTOFMEMORY","features":[431]},{"name":"MF_E_RT_THROUGHPUT_NOT_AVAILABLE","features":[431]},{"name":"MF_E_RT_TOO_MANY_CLASSES","features":[431]},{"name":"MF_E_RT_UNAVAILABLE","features":[431]},{"name":"MF_E_RT_WORKQUEUE_CLASS_NOT_SPECIFIED","features":[431]},{"name":"MF_E_RT_WOULDBLOCK","features":[431]},{"name":"MF_E_SAMPLEALLOCATOR_CANCELED","features":[431]},{"name":"MF_E_SAMPLEALLOCATOR_EMPTY","features":[431]},{"name":"MF_E_SAMPLE_HAS_TOO_MANY_BUFFERS","features":[431]},{"name":"MF_E_SAMPLE_NOT_WRITABLE","features":[431]},{"name":"MF_E_SEQUENCER_UNKNOWN_SEGMENT_ID","features":[431]},{"name":"MF_E_SESSION_PAUSEWHILESTOPPED","features":[431]},{"name":"MF_E_SHUTDOWN","features":[431]},{"name":"MF_E_SIGNATURE_VERIFICATION_FAILED","features":[431]},{"name":"MF_E_SINK_ALREADYSTOPPED","features":[431]},{"name":"MF_E_SINK_HEADERS_NOT_FOUND","features":[431]},{"name":"MF_E_SINK_NO_SAMPLES_PROCESSED","features":[431]},{"name":"MF_E_SINK_NO_STREAMS","features":[431]},{"name":"MF_E_SOURCERESOLVER_MUTUALLY_EXCLUSIVE_FLAGS","features":[431]},{"name":"MF_E_STATE_TRANSITION_PENDING","features":[431]},{"name":"MF_E_STREAMSINKS_FIXED","features":[431]},{"name":"MF_E_STREAMSINKS_OUT_OF_SYNC","features":[431]},{"name":"MF_E_STREAMSINK_EXISTS","features":[431]},{"name":"MF_E_STREAMSINK_REMOVED","features":[431]},{"name":"MF_E_STREAM_ERROR","features":[431]},{"name":"MF_E_TEST_SIGNED_COMPONENTS_NOT_ALLOWED","features":[431]},{"name":"MF_E_THINNING_UNSUPPORTED","features":[431]},{"name":"MF_E_TIMELINECONTROLLER_CANNOT_ATTACH","features":[431]},{"name":"MF_E_TIMELINECONTROLLER_NOT_ALLOWED","features":[431]},{"name":"MF_E_TIMELINECONTROLLER_UNSUPPORTED_SOURCE_TYPE","features":[431]},{"name":"MF_E_TIMER_ORPHANED","features":[431]},{"name":"MF_E_TOPOLOGY_VERIFICATION_FAILED","features":[431]},{"name":"MF_E_TOPO_CANNOT_CONNECT","features":[431]},{"name":"MF_E_TOPO_CANNOT_FIND_DECRYPTOR","features":[431]},{"name":"MF_E_TOPO_CODEC_NOT_FOUND","features":[431]},{"name":"MF_E_TOPO_INVALID_OPTIONAL_NODE","features":[431]},{"name":"MF_E_TOPO_INVALID_TIME_ATTRIBUTES","features":[431]},{"name":"MF_E_TOPO_LOOPS_IN_TOPOLOGY","features":[431]},{"name":"MF_E_TOPO_MISSING_PRESENTATION_DESCRIPTOR","features":[431]},{"name":"MF_E_TOPO_MISSING_SOURCE","features":[431]},{"name":"MF_E_TOPO_MISSING_STREAM_DESCRIPTOR","features":[431]},{"name":"MF_E_TOPO_SINK_ACTIVATES_UNSUPPORTED","features":[431]},{"name":"MF_E_TOPO_STREAM_DESCRIPTOR_NOT_SELECTED","features":[431]},{"name":"MF_E_TOPO_UNSUPPORTED","features":[431]},{"name":"MF_E_TRANSCODE_INVALID_PROFILE","features":[431]},{"name":"MF_E_TRANSCODE_NO_CONTAINERTYPE","features":[431]},{"name":"MF_E_TRANSCODE_NO_MATCHING_ENCODER","features":[431]},{"name":"MF_E_TRANSCODE_PROFILE_NO_MATCHING_STREAMS","features":[431]},{"name":"MF_E_TRANSFORM_ASYNC_LOCKED","features":[431]},{"name":"MF_E_TRANSFORM_ASYNC_MFT_NOT_SUPPORTED","features":[431]},{"name":"MF_E_TRANSFORM_CANNOT_CHANGE_MEDIATYPE_WHILE_PROCESSING","features":[431]},{"name":"MF_E_TRANSFORM_CANNOT_INITIALIZE_ACM_DRIVER","features":[431]},{"name":"MF_E_TRANSFORM_CONFLICTS_WITH_OTHER_CURRENTLY_ENABLED_FEATURES","features":[431]},{"name":"MF_E_TRANSFORM_EXATTRIBUTE_NOT_SUPPORTED","features":[431]},{"name":"MF_E_TRANSFORM_INPUT_REMAINING","features":[431]},{"name":"MF_E_TRANSFORM_NEED_MORE_INPUT","features":[431]},{"name":"MF_E_TRANSFORM_NOT_POSSIBLE_FOR_CURRENT_INPUT_MEDIATYPE","features":[431]},{"name":"MF_E_TRANSFORM_NOT_POSSIBLE_FOR_CURRENT_MEDIATYPE_COMBINATION","features":[431]},{"name":"MF_E_TRANSFORM_NOT_POSSIBLE_FOR_CURRENT_OUTPUT_MEDIATYPE","features":[431]},{"name":"MF_E_TRANSFORM_NOT_POSSIBLE_FOR_CURRENT_SPKR_CONFIG","features":[431]},{"name":"MF_E_TRANSFORM_PROFILE_INVALID_OR_CORRUPT","features":[431]},{"name":"MF_E_TRANSFORM_PROFILE_MISSING","features":[431]},{"name":"MF_E_TRANSFORM_PROFILE_TRUNCATED","features":[431]},{"name":"MF_E_TRANSFORM_PROPERTY_ARRAY_VALUE_WRONG_NUM_DIM","features":[431]},{"name":"MF_E_TRANSFORM_PROPERTY_NOT_WRITEABLE","features":[431]},{"name":"MF_E_TRANSFORM_PROPERTY_PID_NOT_RECOGNIZED","features":[431]},{"name":"MF_E_TRANSFORM_PROPERTY_VALUE_INCOMPATIBLE","features":[431]},{"name":"MF_E_TRANSFORM_PROPERTY_VALUE_OUT_OF_RANGE","features":[431]},{"name":"MF_E_TRANSFORM_PROPERTY_VALUE_SIZE_WRONG","features":[431]},{"name":"MF_E_TRANSFORM_PROPERTY_VARIANT_TYPE_WRONG","features":[431]},{"name":"MF_E_TRANSFORM_STREAM_CHANGE","features":[431]},{"name":"MF_E_TRANSFORM_STREAM_INVALID_RESOLUTION","features":[431]},{"name":"MF_E_TRANSFORM_TYPE_NOT_SET","features":[431]},{"name":"MF_E_TRUST_DISABLED","features":[431]},{"name":"MF_E_UNAUTHORIZED","features":[431]},{"name":"MF_E_UNEXPECTED","features":[431]},{"name":"MF_E_UNRECOVERABLE_ERROR_OCCURRED","features":[431]},{"name":"MF_E_UNSUPPORTED_BYTESTREAM_TYPE","features":[431]},{"name":"MF_E_UNSUPPORTED_CAPTION","features":[431]},{"name":"MF_E_UNSUPPORTED_CAPTURE_DEVICE_PRESENT","features":[431]},{"name":"MF_E_UNSUPPORTED_CHARACTERISTICS","features":[431]},{"name":"MF_E_UNSUPPORTED_CONTENT_PROTECTION_SYSTEM","features":[431]},{"name":"MF_E_UNSUPPORTED_D3D_TYPE","features":[431]},{"name":"MF_E_UNSUPPORTED_FORMAT","features":[431]},{"name":"MF_E_UNSUPPORTED_MEDIATYPE_AT_D3D_FEATURE_LEVEL","features":[431]},{"name":"MF_E_UNSUPPORTED_RATE","features":[431]},{"name":"MF_E_UNSUPPORTED_RATE_TRANSITION","features":[431]},{"name":"MF_E_UNSUPPORTED_REPRESENTATION","features":[431]},{"name":"MF_E_UNSUPPORTED_SCHEME","features":[431]},{"name":"MF_E_UNSUPPORTED_SERVICE","features":[431]},{"name":"MF_E_UNSUPPORTED_STATE_TRANSITION","features":[431]},{"name":"MF_E_UNSUPPORTED_TIME_FORMAT","features":[431]},{"name":"MF_E_USERMODE_UNTRUSTED","features":[431]},{"name":"MF_E_VIDEO_DEVICE_LOCKED","features":[431]},{"name":"MF_E_VIDEO_RECORDING_DEVICE_INVALIDATED","features":[431]},{"name":"MF_E_VIDEO_RECORDING_DEVICE_PREEMPTED","features":[431]},{"name":"MF_E_VIDEO_REN_COPYPROT_FAILED","features":[431]},{"name":"MF_E_VIDEO_REN_NO_DEINTERLACE_HW","features":[431]},{"name":"MF_E_VIDEO_REN_NO_PROCAMP_HW","features":[431]},{"name":"MF_E_VIDEO_REN_SURFACE_NOT_SHARED","features":[431]},{"name":"MF_E_WMDRMOTA_ACTION_ALREADY_SET","features":[431]},{"name":"MF_E_WMDRMOTA_ACTION_MISMATCH","features":[431]},{"name":"MF_E_WMDRMOTA_DRM_ENCRYPTION_SCHEME_NOT_SUPPORTED","features":[431]},{"name":"MF_E_WMDRMOTA_DRM_HEADER_NOT_AVAILABLE","features":[431]},{"name":"MF_E_WMDRMOTA_INVALID_POLICY","features":[431]},{"name":"MF_E_WMDRMOTA_NO_ACTION","features":[431]},{"name":"MF_FILEFLAGS_ALLOW_WRITE_SHARING","features":[431]},{"name":"MF_FILEFLAGS_NOBUFFERING","features":[431]},{"name":"MF_FILEFLAGS_NONE","features":[431]},{"name":"MF_FILE_ACCESSMODE","features":[431]},{"name":"MF_FILE_FLAGS","features":[431]},{"name":"MF_FILE_OPENMODE","features":[431]},{"name":"MF_FLOAT2","features":[431]},{"name":"MF_FLOAT3","features":[431]},{"name":"MF_FRAMESERVER_VCAMEVENT_EXTENDED_CUSTOM_EVENT","features":[431]},{"name":"MF_FRAMESERVER_VCAMEVENT_EXTENDED_PIPELINE_SHUTDOWN","features":[431]},{"name":"MF_FRAMESERVER_VCAMEVENT_EXTENDED_SOURCE_INITIALIZE","features":[431]},{"name":"MF_FRAMESERVER_VCAMEVENT_EXTENDED_SOURCE_START","features":[431]},{"name":"MF_FRAMESERVER_VCAMEVENT_EXTENDED_SOURCE_STOP","features":[431]},{"name":"MF_FRAMESERVER_VCAMEVENT_EXTENDED_SOURCE_UNINITIALIZE","features":[431]},{"name":"MF_GRL_ABSENT","features":[431]},{"name":"MF_GRL_LOAD_FAILED","features":[431]},{"name":"MF_HDCP_STATUS","features":[431]},{"name":"MF_HDCP_STATUS_OFF","features":[431]},{"name":"MF_HDCP_STATUS_ON","features":[431]},{"name":"MF_HDCP_STATUS_ON_WITH_TYPE_ENFORCEMENT","features":[431]},{"name":"MF_HISTOGRAM_CHANNEL_B","features":[431]},{"name":"MF_HISTOGRAM_CHANNEL_Cb","features":[431]},{"name":"MF_HISTOGRAM_CHANNEL_Cr","features":[431]},{"name":"MF_HISTOGRAM_CHANNEL_G","features":[431]},{"name":"MF_HISTOGRAM_CHANNEL_R","features":[431]},{"name":"MF_HISTOGRAM_CHANNEL_Y","features":[431]},{"name":"MF_INDEPENDENT_STILL_IMAGE","features":[431]},{"name":"MF_INDEX_SIZE_ERR","features":[431]},{"name":"MF_INVALID_ACCESS_ERR","features":[431]},{"name":"MF_INVALID_GRL_SIGNATURE","features":[431]},{"name":"MF_INVALID_PRESENTATION_TIME","features":[431]},{"name":"MF_INVALID_STATE_ERR","features":[431]},{"name":"MF_I_MANUAL_PROXY","features":[431]},{"name":"MF_KERNEL_MODE_COMPONENT_LOAD","features":[431]},{"name":"MF_LEAKY_BUCKET_PAIR","features":[431]},{"name":"MF_LICENSE_URL_TAMPERED","features":[431]},{"name":"MF_LICENSE_URL_TRUSTED","features":[431]},{"name":"MF_LICENSE_URL_UNTRUSTED","features":[431]},{"name":"MF_LOCAL_MFT_REGISTRATION_SERVICE","features":[431]},{"name":"MF_LOCAL_PLUGIN_CONTROL_POLICY","features":[431]},{"name":"MF_LOW_LATENCY","features":[431]},{"name":"MF_LUMA_KEY_ENABLE","features":[431]},{"name":"MF_LUMA_KEY_LOWER","features":[431]},{"name":"MF_LUMA_KEY_UPPER","features":[431]},{"name":"MF_MEDIAENGINE_KEYERR_CLIENT","features":[431]},{"name":"MF_MEDIAENGINE_KEYERR_DOMAIN","features":[431]},{"name":"MF_MEDIAENGINE_KEYERR_HARDWARECHANGE","features":[431]},{"name":"MF_MEDIAENGINE_KEYERR_OUTPUT","features":[431]},{"name":"MF_MEDIAENGINE_KEYERR_SERVICE","features":[431]},{"name":"MF_MEDIAENGINE_KEYERR_UNKNOWN","features":[431]},{"name":"MF_MEDIAKEYSESSION_MESSAGETYPE","features":[431]},{"name":"MF_MEDIAKEYSESSION_MESSAGETYPE_INDIVIDUALIZATION_REQUEST","features":[431]},{"name":"MF_MEDIAKEYSESSION_MESSAGETYPE_LICENSE_RELEASE","features":[431]},{"name":"MF_MEDIAKEYSESSION_MESSAGETYPE_LICENSE_RENEWAL","features":[431]},{"name":"MF_MEDIAKEYSESSION_MESSAGETYPE_LICENSE_REQUEST","features":[431]},{"name":"MF_MEDIAKEYSESSION_TYPE","features":[431]},{"name":"MF_MEDIAKEYSESSION_TYPE_PERSISTENT_LICENSE","features":[431]},{"name":"MF_MEDIAKEYSESSION_TYPE_PERSISTENT_RELEASE_MESSAGE","features":[431]},{"name":"MF_MEDIAKEYSESSION_TYPE_PERSISTENT_USAGE_RECORD","features":[431]},{"name":"MF_MEDIAKEYSESSION_TYPE_TEMPORARY","features":[431]},{"name":"MF_MEDIAKEYS_REQUIREMENT","features":[431]},{"name":"MF_MEDIAKEYS_REQUIREMENT_NOT_ALLOWED","features":[431]},{"name":"MF_MEDIAKEYS_REQUIREMENT_OPTIONAL","features":[431]},{"name":"MF_MEDIAKEYS_REQUIREMENT_REQUIRED","features":[431]},{"name":"MF_MEDIAKEY_STATUS","features":[431]},{"name":"MF_MEDIAKEY_STATUS_EXPIRED","features":[431]},{"name":"MF_MEDIAKEY_STATUS_INTERNAL_ERROR","features":[431]},{"name":"MF_MEDIAKEY_STATUS_OUTPUT_DOWNSCALED","features":[431]},{"name":"MF_MEDIAKEY_STATUS_OUTPUT_NOT_ALLOWED","features":[431]},{"name":"MF_MEDIAKEY_STATUS_OUTPUT_RESTRICTED","features":[431]},{"name":"MF_MEDIAKEY_STATUS_RELEASED","features":[431]},{"name":"MF_MEDIAKEY_STATUS_STATUS_PENDING","features":[431]},{"name":"MF_MEDIAKEY_STATUS_USABLE","features":[431]},{"name":"MF_MEDIASINK_AUTOFINALIZE_SUPPORTED","features":[431]},{"name":"MF_MEDIASINK_ENABLE_AUTOFINALIZE","features":[431]},{"name":"MF_MEDIASOURCE_EXPOSE_ALL_STREAMS","features":[431]},{"name":"MF_MEDIASOURCE_SERVICE","features":[431]},{"name":"MF_MEDIATYPE_EQUAL_FORMAT_DATA","features":[431]},{"name":"MF_MEDIATYPE_EQUAL_FORMAT_TYPES","features":[431]},{"name":"MF_MEDIATYPE_EQUAL_FORMAT_USER_DATA","features":[431]},{"name":"MF_MEDIATYPE_EQUAL_MAJOR_TYPES","features":[431]},{"name":"MF_MEDIATYPE_MULTIPLEXED_MANAGER","features":[431]},{"name":"MF_MEDIA_ENGINE_AUDIOONLY","features":[431]},{"name":"MF_MEDIA_ENGINE_AUDIO_CATEGORY","features":[431]},{"name":"MF_MEDIA_ENGINE_AUDIO_ENDPOINT_ROLE","features":[431]},{"name":"MF_MEDIA_ENGINE_BROWSER_COMPATIBILITY_MODE","features":[431]},{"name":"MF_MEDIA_ENGINE_BROWSER_COMPATIBILITY_MODE_IE10","features":[431]},{"name":"MF_MEDIA_ENGINE_BROWSER_COMPATIBILITY_MODE_IE11","features":[431]},{"name":"MF_MEDIA_ENGINE_BROWSER_COMPATIBILITY_MODE_IE9","features":[431]},{"name":"MF_MEDIA_ENGINE_BROWSER_COMPATIBILITY_MODE_IE_EDGE","features":[431]},{"name":"MF_MEDIA_ENGINE_CALLBACK","features":[431]},{"name":"MF_MEDIA_ENGINE_CANPLAY","features":[431]},{"name":"MF_MEDIA_ENGINE_CANPLAY_MAYBE","features":[431]},{"name":"MF_MEDIA_ENGINE_CANPLAY_NOT_SUPPORTED","features":[431]},{"name":"MF_MEDIA_ENGINE_CANPLAY_PROBABLY","features":[431]},{"name":"MF_MEDIA_ENGINE_COMPATIBILITY_MODE","features":[431]},{"name":"MF_MEDIA_ENGINE_COMPATIBILITY_MODE_WIN10","features":[431]},{"name":"MF_MEDIA_ENGINE_COMPATIBILITY_MODE_WWA_EDGE","features":[431]},{"name":"MF_MEDIA_ENGINE_CONTENT_PROTECTION_FLAGS","features":[431]},{"name":"MF_MEDIA_ENGINE_CONTENT_PROTECTION_MANAGER","features":[431]},{"name":"MF_MEDIA_ENGINE_CONTINUE_ON_CODEC_ERROR","features":[431]},{"name":"MF_MEDIA_ENGINE_COREWINDOW","features":[431]},{"name":"MF_MEDIA_ENGINE_CREATEFLAGS","features":[431]},{"name":"MF_MEDIA_ENGINE_CREATEFLAGS_MASK","features":[431]},{"name":"MF_MEDIA_ENGINE_DISABLE_LOCAL_PLUGINS","features":[431]},{"name":"MF_MEDIA_ENGINE_DXGI_MANAGER","features":[431]},{"name":"MF_MEDIA_ENGINE_EME_CALLBACK","features":[431]},{"name":"MF_MEDIA_ENGINE_ENABLE_PROTECTED_CONTENT","features":[431]},{"name":"MF_MEDIA_ENGINE_ERR","features":[431]},{"name":"MF_MEDIA_ENGINE_ERR_ABORTED","features":[431]},{"name":"MF_MEDIA_ENGINE_ERR_DECODE","features":[431]},{"name":"MF_MEDIA_ENGINE_ERR_ENCRYPTED","features":[431]},{"name":"MF_MEDIA_ENGINE_ERR_NETWORK","features":[431]},{"name":"MF_MEDIA_ENGINE_ERR_NOERROR","features":[431]},{"name":"MF_MEDIA_ENGINE_ERR_SRC_NOT_SUPPORTED","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_ABORT","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_AUDIOENDPOINTCHANGE","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_BALANCECHANGE","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_BUFFERINGENDED","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_BUFFERINGSTARTED","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_CANPLAY","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_CANPLAYTHROUGH","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_DELAYLOADEVENT_CHANGED","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_DOWNLOADCOMPLETE","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_DURATIONCHANGE","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_EMPTIED","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_ENDED","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_ERROR","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_FIRSTFRAMEREADY","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_FORMATCHANGE","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_FRAMESTEPCOMPLETED","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_LOADEDDATA","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_LOADEDMETADATA","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_LOADSTART","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_NOTIFYSTABLESTATE","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_OPMINFO","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_PAUSE","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_PLAY","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_PLAYING","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_PROGRESS","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_PURGEQUEUEDEVENTS","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_RATECHANGE","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_RESOURCELOST","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_SEEKED","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_SEEKING","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_STALLED","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_STREAMRENDERINGERROR","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_SUPPORTEDRATES_CHANGED","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_SUSPEND","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_TIMELINE_MARKER","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_TIMEUPDATE","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_TRACKSCHANGE","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_VOLUMECHANGE","features":[431]},{"name":"MF_MEDIA_ENGINE_EVENT_WAITING","features":[431]},{"name":"MF_MEDIA_ENGINE_EXTENSION","features":[431]},{"name":"MF_MEDIA_ENGINE_EXTENSION_TYPE","features":[431]},{"name":"MF_MEDIA_ENGINE_EXTENSION_TYPE_BYTESTREAM","features":[431]},{"name":"MF_MEDIA_ENGINE_EXTENSION_TYPE_MEDIASOURCE","features":[431]},{"name":"MF_MEDIA_ENGINE_FORCEMUTE","features":[431]},{"name":"MF_MEDIA_ENGINE_FRAME_PROTECTION_FLAGS","features":[431]},{"name":"MF_MEDIA_ENGINE_FRAME_PROTECTION_FLAG_PROTECTED","features":[431]},{"name":"MF_MEDIA_ENGINE_FRAME_PROTECTION_FLAG_REQUIRES_ANTI_SCREEN_SCRAPE_PROTECTION","features":[431]},{"name":"MF_MEDIA_ENGINE_FRAME_PROTECTION_FLAG_REQUIRES_SURFACE_PROTECTION","features":[431]},{"name":"MF_MEDIA_ENGINE_KEYERR","features":[431]},{"name":"MF_MEDIA_ENGINE_MEDIA_PLAYER_MODE","features":[431]},{"name":"MF_MEDIA_ENGINE_NEEDKEY_CALLBACK","features":[431]},{"name":"MF_MEDIA_ENGINE_NETWORK","features":[431]},{"name":"MF_MEDIA_ENGINE_NETWORK_EMPTY","features":[431]},{"name":"MF_MEDIA_ENGINE_NETWORK_IDLE","features":[431]},{"name":"MF_MEDIA_ENGINE_NETWORK_LOADING","features":[431]},{"name":"MF_MEDIA_ENGINE_NETWORK_NO_SOURCE","features":[431]},{"name":"MF_MEDIA_ENGINE_OPM_ESTABLISHED","features":[431]},{"name":"MF_MEDIA_ENGINE_OPM_FAILED","features":[431]},{"name":"MF_MEDIA_ENGINE_OPM_FAILED_BDA","features":[431]},{"name":"MF_MEDIA_ENGINE_OPM_FAILED_UNSIGNED_DRIVER","features":[431]},{"name":"MF_MEDIA_ENGINE_OPM_FAILED_VM","features":[431]},{"name":"MF_MEDIA_ENGINE_OPM_HWND","features":[431]},{"name":"MF_MEDIA_ENGINE_OPM_NOT_REQUESTED","features":[431]},{"name":"MF_MEDIA_ENGINE_OPM_STATUS","features":[431]},{"name":"MF_MEDIA_ENGINE_PLAYBACK_HWND","features":[431]},{"name":"MF_MEDIA_ENGINE_PLAYBACK_VISUAL","features":[431]},{"name":"MF_MEDIA_ENGINE_PRELOAD","features":[431]},{"name":"MF_MEDIA_ENGINE_PRELOAD_AUTOMATIC","features":[431]},{"name":"MF_MEDIA_ENGINE_PRELOAD_EMPTY","features":[431]},{"name":"MF_MEDIA_ENGINE_PRELOAD_METADATA","features":[431]},{"name":"MF_MEDIA_ENGINE_PRELOAD_MISSING","features":[431]},{"name":"MF_MEDIA_ENGINE_PRELOAD_NONE","features":[431]},{"name":"MF_MEDIA_ENGINE_PROTECTION_FLAGS","features":[431]},{"name":"MF_MEDIA_ENGINE_READY","features":[431]},{"name":"MF_MEDIA_ENGINE_READY_HAVE_CURRENT_DATA","features":[431]},{"name":"MF_MEDIA_ENGINE_READY_HAVE_ENOUGH_DATA","features":[431]},{"name":"MF_MEDIA_ENGINE_READY_HAVE_FUTURE_DATA","features":[431]},{"name":"MF_MEDIA_ENGINE_READY_HAVE_METADATA","features":[431]},{"name":"MF_MEDIA_ENGINE_READY_HAVE_NOTHING","features":[431]},{"name":"MF_MEDIA_ENGINE_REAL_TIME_MODE","features":[431]},{"name":"MF_MEDIA_ENGINE_S3D_PACKING_MODE","features":[431]},{"name":"MF_MEDIA_ENGINE_S3D_PACKING_MODE_NONE","features":[431]},{"name":"MF_MEDIA_ENGINE_S3D_PACKING_MODE_SIDE_BY_SIDE","features":[431]},{"name":"MF_MEDIA_ENGINE_S3D_PACKING_MODE_TOP_BOTTOM","features":[431]},{"name":"MF_MEDIA_ENGINE_SEEK_MODE","features":[431]},{"name":"MF_MEDIA_ENGINE_SEEK_MODE_APPROXIMATE","features":[431]},{"name":"MF_MEDIA_ENGINE_SEEK_MODE_NORMAL","features":[431]},{"name":"MF_MEDIA_ENGINE_SOURCE_RESOLVER_CONFIG_STORE","features":[431]},{"name":"MF_MEDIA_ENGINE_STATISTIC","features":[431]},{"name":"MF_MEDIA_ENGINE_STATISTIC_BUFFER_PROGRESS","features":[431]},{"name":"MF_MEDIA_ENGINE_STATISTIC_BYTES_DOWNLOADED","features":[431]},{"name":"MF_MEDIA_ENGINE_STATISTIC_FRAMES_CORRUPTED","features":[431]},{"name":"MF_MEDIA_ENGINE_STATISTIC_FRAMES_DROPPED","features":[431]},{"name":"MF_MEDIA_ENGINE_STATISTIC_FRAMES_PER_SECOND","features":[431]},{"name":"MF_MEDIA_ENGINE_STATISTIC_FRAMES_RENDERED","features":[431]},{"name":"MF_MEDIA_ENGINE_STATISTIC_PLAYBACK_JITTER","features":[431]},{"name":"MF_MEDIA_ENGINE_STATISTIC_TOTAL_FRAME_DELAY","features":[431]},{"name":"MF_MEDIA_ENGINE_STREAMTYPE_FAILED","features":[431]},{"name":"MF_MEDIA_ENGINE_STREAMTYPE_FAILED_AUDIO","features":[431]},{"name":"MF_MEDIA_ENGINE_STREAMTYPE_FAILED_UNKNOWN","features":[431]},{"name":"MF_MEDIA_ENGINE_STREAMTYPE_FAILED_VIDEO","features":[431]},{"name":"MF_MEDIA_ENGINE_STREAM_CONTAINS_ALPHA_CHANNEL","features":[431]},{"name":"MF_MEDIA_ENGINE_SYNCHRONOUS_CLOSE","features":[431]},{"name":"MF_MEDIA_ENGINE_TELEMETRY_APPLICATION_ID","features":[431]},{"name":"MF_MEDIA_ENGINE_TIMEDTEXT","features":[431]},{"name":"MF_MEDIA_ENGINE_TRACK_ID","features":[431]},{"name":"MF_MEDIA_ENGINE_USE_PMP_FOR_ALL_CONTENT","features":[431]},{"name":"MF_MEDIA_ENGINE_USE_UNPROTECTED_PMP","features":[431]},{"name":"MF_MEDIA_ENGINE_VIDEO_OUTPUT_FORMAT","features":[431]},{"name":"MF_MEDIA_ENGINE_WAITFORSTABLE_STATE","features":[431]},{"name":"MF_MEDIA_PROTECTION_MANAGER_PROPERTIES","features":[431]},{"name":"MF_MEDIA_SHARING_ENGINE_DEVICE","features":[431]},{"name":"MF_MEDIA_SHARING_ENGINE_DEVICE_NAME","features":[431]},{"name":"MF_MEDIA_SHARING_ENGINE_EVENT","features":[431]},{"name":"MF_MEDIA_SHARING_ENGINE_EVENT_DISCONNECT","features":[431]},{"name":"MF_MEDIA_SHARING_ENGINE_INITIAL_SEEK_TIME","features":[431]},{"name":"MF_METADATAFACIALEXPRESSION_SMILE","features":[431]},{"name":"MF_METADATATIMESTAMPS_DEVICE","features":[431]},{"name":"MF_METADATATIMESTAMPS_PRESENTATION","features":[431]},{"name":"MF_METADATA_PROVIDER_SERVICE","features":[431]},{"name":"MF_MINCRYPT_FAILURE","features":[431]},{"name":"MF_MP2DLNA_AUDIO_BIT_RATE","features":[431]},{"name":"MF_MP2DLNA_ENCODE_QUALITY","features":[431]},{"name":"MF_MP2DLNA_STATISTICS","features":[431]},{"name":"MF_MP2DLNA_USE_MMCSS","features":[431]},{"name":"MF_MP2DLNA_VIDEO_BIT_RATE","features":[431]},{"name":"MF_MPEG4SINK_MAX_CODED_SEQUENCES_PER_FRAGMENT","features":[431]},{"name":"MF_MPEG4SINK_MINIMUM_PROPERTIES_SIZE","features":[431]},{"name":"MF_MPEG4SINK_MIN_FRAGMENT_DURATION","features":[431]},{"name":"MF_MPEG4SINK_MOOV_BEFORE_MDAT","features":[431]},{"name":"MF_MPEG4SINK_SPSPPS_PASSTHROUGH","features":[431]},{"name":"MF_MSE_ACTIVELIST_CALLBACK","features":[431]},{"name":"MF_MSE_APPEND_MODE","features":[431]},{"name":"MF_MSE_APPEND_MODE_SEGMENTS","features":[431]},{"name":"MF_MSE_APPEND_MODE_SEQUENCE","features":[431]},{"name":"MF_MSE_BUFFERLIST_CALLBACK","features":[431]},{"name":"MF_MSE_CALLBACK","features":[431]},{"name":"MF_MSE_ERROR","features":[431]},{"name":"MF_MSE_ERROR_DECODE","features":[431]},{"name":"MF_MSE_ERROR_NETWORK","features":[431]},{"name":"MF_MSE_ERROR_NOERROR","features":[431]},{"name":"MF_MSE_ERROR_UNKNOWN_ERROR","features":[431]},{"name":"MF_MSE_OPUS_SUPPORT","features":[431]},{"name":"MF_MSE_OPUS_SUPPORT_OFF","features":[431]},{"name":"MF_MSE_OPUS_SUPPORT_ON","features":[431]},{"name":"MF_MSE_OPUS_SUPPORT_TYPE","features":[431]},{"name":"MF_MSE_READY","features":[431]},{"name":"MF_MSE_READY_CLOSED","features":[431]},{"name":"MF_MSE_READY_ENDED","features":[431]},{"name":"MF_MSE_READY_OPEN","features":[431]},{"name":"MF_MSE_VP9_SUPPORT","features":[431]},{"name":"MF_MSE_VP9_SUPPORT_DEFAULT","features":[431]},{"name":"MF_MSE_VP9_SUPPORT_OFF","features":[431]},{"name":"MF_MSE_VP9_SUPPORT_ON","features":[431]},{"name":"MF_MSE_VP9_SUPPORT_TYPE","features":[431]},{"name":"MF_MT_AAC_AUDIO_PROFILE_LEVEL_INDICATION","features":[431]},{"name":"MF_MT_AAC_PAYLOAD_TYPE","features":[431]},{"name":"MF_MT_ALL_SAMPLES_INDEPENDENT","features":[431]},{"name":"MF_MT_ALPHA_MODE","features":[431]},{"name":"MF_MT_AM_FORMAT_TYPE","features":[431]},{"name":"MF_MT_ARBITRARY_FORMAT","features":[431]},{"name":"MF_MT_ARBITRARY_HEADER","features":[431]},{"name":"MF_MT_AUDIO_AVG_BYTES_PER_SECOND","features":[431]},{"name":"MF_MT_AUDIO_BITS_PER_SAMPLE","features":[431]},{"name":"MF_MT_AUDIO_BLOCK_ALIGNMENT","features":[431]},{"name":"MF_MT_AUDIO_CHANNEL_MASK","features":[431]},{"name":"MF_MT_AUDIO_FLAC_MAX_BLOCK_SIZE","features":[431]},{"name":"MF_MT_AUDIO_FLOAT_SAMPLES_PER_SECOND","features":[431]},{"name":"MF_MT_AUDIO_FOLDDOWN_MATRIX","features":[431]},{"name":"MF_MT_AUDIO_NUM_CHANNELS","features":[431]},{"name":"MF_MT_AUDIO_PREFER_WAVEFORMATEX","features":[431]},{"name":"MF_MT_AUDIO_SAMPLES_PER_BLOCK","features":[431]},{"name":"MF_MT_AUDIO_SAMPLES_PER_SECOND","features":[431]},{"name":"MF_MT_AUDIO_VALID_BITS_PER_SAMPLE","features":[431]},{"name":"MF_MT_AUDIO_WMADRC_AVGREF","features":[431]},{"name":"MF_MT_AUDIO_WMADRC_AVGTARGET","features":[431]},{"name":"MF_MT_AUDIO_WMADRC_PEAKREF","features":[431]},{"name":"MF_MT_AUDIO_WMADRC_PEAKTARGET","features":[431]},{"name":"MF_MT_AVG_BITRATE","features":[431]},{"name":"MF_MT_AVG_BIT_ERROR_RATE","features":[431]},{"name":"MF_MT_COMPRESSED","features":[431]},{"name":"MF_MT_CONTAINER_RATE_SCALING","features":[431]},{"name":"MF_MT_CUSTOM_VIDEO_PRIMARIES","features":[431]},{"name":"MF_MT_D3D12_CPU_READBACK","features":[431]},{"name":"MF_MT_D3D12_RESOURCE_FLAG_ALLOW_CROSS_ADAPTER","features":[431]},{"name":"MF_MT_D3D12_RESOURCE_FLAG_ALLOW_DEPTH_STENCIL","features":[431]},{"name":"MF_MT_D3D12_RESOURCE_FLAG_ALLOW_RENDER_TARGET","features":[431]},{"name":"MF_MT_D3D12_RESOURCE_FLAG_ALLOW_SIMULTANEOUS_ACCESS","features":[431]},{"name":"MF_MT_D3D12_RESOURCE_FLAG_ALLOW_UNORDERED_ACCESS","features":[431]},{"name":"MF_MT_D3D12_RESOURCE_FLAG_DENY_SHADER_RESOURCE","features":[431]},{"name":"MF_MT_D3D12_TEXTURE_LAYOUT","features":[431]},{"name":"MF_MT_D3D_RESOURCE_VERSION","features":[431]},{"name":"MF_MT_D3D_RESOURCE_VERSION_ENUM","features":[431]},{"name":"MF_MT_DECODER_MAX_DPB_COUNT","features":[431]},{"name":"MF_MT_DECODER_USE_MAX_RESOLUTION","features":[431]},{"name":"MF_MT_DEFAULT_STRIDE","features":[431]},{"name":"MF_MT_DEPTH_MEASUREMENT","features":[431]},{"name":"MF_MT_DEPTH_VALUE_UNIT","features":[431]},{"name":"MF_MT_DRM_FLAGS","features":[431]},{"name":"MF_MT_DV_AAUX_CTRL_PACK_0","features":[431]},{"name":"MF_MT_DV_AAUX_CTRL_PACK_1","features":[431]},{"name":"MF_MT_DV_AAUX_SRC_PACK_0","features":[431]},{"name":"MF_MT_DV_AAUX_SRC_PACK_1","features":[431]},{"name":"MF_MT_DV_VAUX_CTRL_PACK","features":[431]},{"name":"MF_MT_DV_VAUX_SRC_PACK","features":[431]},{"name":"MF_MT_FIXED_SIZE_SAMPLES","features":[431]},{"name":"MF_MT_FORWARD_CUSTOM_NALU","features":[431]},{"name":"MF_MT_FORWARD_CUSTOM_SEI","features":[431]},{"name":"MF_MT_FRAME_RATE","features":[431]},{"name":"MF_MT_FRAME_RATE_RANGE_MAX","features":[431]},{"name":"MF_MT_FRAME_RATE_RANGE_MIN","features":[431]},{"name":"MF_MT_FRAME_SIZE","features":[431]},{"name":"MF_MT_GEOMETRIC_APERTURE","features":[431]},{"name":"MF_MT_H264_CAPABILITIES","features":[431]},{"name":"MF_MT_H264_LAYOUT_PER_STREAM","features":[431]},{"name":"MF_MT_H264_MAX_CODEC_CONFIG_DELAY","features":[431]},{"name":"MF_MT_H264_MAX_MB_PER_SEC","features":[431]},{"name":"MF_MT_H264_RATE_CONTROL_MODES","features":[431]},{"name":"MF_MT_H264_RESOLUTION_SCALING","features":[431]},{"name":"MF_MT_H264_SIMULCAST_SUPPORT","features":[431]},{"name":"MF_MT_H264_SUPPORTED_RATE_CONTROL_MODES","features":[431]},{"name":"MF_MT_H264_SUPPORTED_SLICE_MODES","features":[431]},{"name":"MF_MT_H264_SUPPORTED_SYNC_FRAME_TYPES","features":[431]},{"name":"MF_MT_H264_SUPPORTED_USAGES","features":[431]},{"name":"MF_MT_H264_SVC_CAPABILITIES","features":[431]},{"name":"MF_MT_H264_USAGE","features":[431]},{"name":"MF_MT_IMAGE_LOSS_TOLERANT","features":[431]},{"name":"MF_MT_INTERLACE_MODE","features":[431]},{"name":"MF_MT_IN_BAND_PARAMETER_SET","features":[431]},{"name":"MF_MT_MAJOR_TYPE","features":[431]},{"name":"MF_MT_MAX_FRAME_AVERAGE_LUMINANCE_LEVEL","features":[431]},{"name":"MF_MT_MAX_KEYFRAME_SPACING","features":[431]},{"name":"MF_MT_MAX_LUMINANCE_LEVEL","features":[431]},{"name":"MF_MT_MAX_MASTERING_LUMINANCE","features":[431]},{"name":"MF_MT_MINIMUM_DISPLAY_APERTURE","features":[431]},{"name":"MF_MT_MIN_MASTERING_LUMINANCE","features":[431]},{"name":"MF_MT_MPEG2_CONTENT_PACKET","features":[431]},{"name":"MF_MT_MPEG2_FLAGS","features":[431]},{"name":"MF_MT_MPEG2_HDCP","features":[431]},{"name":"MF_MT_MPEG2_LEVEL","features":[431]},{"name":"MF_MT_MPEG2_ONE_FRAME_PER_PACKET","features":[431]},{"name":"MF_MT_MPEG2_PROFILE","features":[431]},{"name":"MF_MT_MPEG2_STANDARD","features":[431]},{"name":"MF_MT_MPEG2_TIMECODE","features":[431]},{"name":"MF_MT_MPEG4_CURRENT_SAMPLE_ENTRY","features":[431]},{"name":"MF_MT_MPEG4_SAMPLE_DESCRIPTION","features":[431]},{"name":"MF_MT_MPEG4_TRACK_TYPE","features":[431]},{"name":"MF_MT_MPEG_SEQUENCE_HEADER","features":[431]},{"name":"MF_MT_MPEG_START_TIME_CODE","features":[431]},{"name":"MF_MT_ORIGINAL_4CC","features":[431]},{"name":"MF_MT_ORIGINAL_WAVE_FORMAT_TAG","features":[431]},{"name":"MF_MT_OUTPUT_BUFFER_NUM","features":[431]},{"name":"MF_MT_PAD_CONTROL_FLAGS","features":[431]},{"name":"MF_MT_PALETTE","features":[431]},{"name":"MF_MT_PAN_SCAN_APERTURE","features":[431]},{"name":"MF_MT_PAN_SCAN_ENABLED","features":[431]},{"name":"MF_MT_PIXEL_ASPECT_RATIO","features":[431]},{"name":"MF_MT_REALTIME_CONTENT","features":[431]},{"name":"MF_MT_SAMPLE_SIZE","features":[431]},{"name":"MF_MT_SECURE","features":[431]},{"name":"MF_MT_SOURCE_CONTENT_HINT","features":[431]},{"name":"MF_MT_SPATIAL_AUDIO_DATA_PRESENT","features":[431]},{"name":"MF_MT_SPATIAL_AUDIO_MAX_DYNAMIC_OBJECTS","features":[431]},{"name":"MF_MT_SPATIAL_AUDIO_MAX_METADATA_ITEMS","features":[431]},{"name":"MF_MT_SPATIAL_AUDIO_MIN_METADATA_ITEM_OFFSET_SPACING","features":[431]},{"name":"MF_MT_SPATIAL_AUDIO_OBJECT_METADATA_FORMAT_ID","features":[431]},{"name":"MF_MT_SPATIAL_AUDIO_OBJECT_METADATA_LENGTH","features":[431]},{"name":"MF_MT_SUBTYPE","features":[431]},{"name":"MF_MT_TIMESTAMP_CAN_BE_DTS","features":[431]},{"name":"MF_MT_TRANSFER_FUNCTION","features":[431]},{"name":"MF_MT_USER_DATA","features":[431]},{"name":"MF_MT_VIDEO_3D","features":[431]},{"name":"MF_MT_VIDEO_3D_FIRST_IS_LEFT","features":[431]},{"name":"MF_MT_VIDEO_3D_FORMAT","features":[431]},{"name":"MF_MT_VIDEO_3D_LEFT_IS_BASE","features":[431]},{"name":"MF_MT_VIDEO_3D_NUM_VIEWS","features":[431]},{"name":"MF_MT_VIDEO_CHROMA_SITING","features":[431]},{"name":"MF_MT_VIDEO_H264_NO_FMOASO","features":[431]},{"name":"MF_MT_VIDEO_LEVEL","features":[431]},{"name":"MF_MT_VIDEO_LIGHTING","features":[431]},{"name":"MF_MT_VIDEO_NOMINAL_RANGE","features":[431]},{"name":"MF_MT_VIDEO_NO_FRAME_ORDERING","features":[431]},{"name":"MF_MT_VIDEO_PRIMARIES","features":[431]},{"name":"MF_MT_VIDEO_PROFILE","features":[431]},{"name":"MF_MT_VIDEO_RENDERER_EXTENSION_PROFILE","features":[431]},{"name":"MF_MT_VIDEO_ROTATION","features":[431]},{"name":"MF_MT_WRAPPED_TYPE","features":[431]},{"name":"MF_MT_YUV_MATRIX","features":[431]},{"name":"MF_MULTITHREADED_WORKQUEUE","features":[431]},{"name":"MF_NALU_LENGTH_INFORMATION","features":[431]},{"name":"MF_NALU_LENGTH_SET","features":[431]},{"name":"MF_NOT_FOUND_ERR","features":[431]},{"name":"MF_NOT_SUPPORTED_ERR","features":[431]},{"name":"MF_NUM_DROP_MODES","features":[431]},{"name":"MF_NUM_QUALITY_LEVELS","features":[431]},{"name":"MF_OBJECT_BYTESTREAM","features":[431]},{"name":"MF_OBJECT_INVALID","features":[431]},{"name":"MF_OBJECT_MEDIASOURCE","features":[431]},{"name":"MF_OBJECT_TYPE","features":[431]},{"name":"MF_OPENMODE_APPEND_IF_EXIST","features":[431]},{"name":"MF_OPENMODE_DELETE_IF_EXIST","features":[431]},{"name":"MF_OPENMODE_FAIL_IF_EXIST","features":[431]},{"name":"MF_OPENMODE_FAIL_IF_NOT_EXIST","features":[431]},{"name":"MF_OPENMODE_RESET_IF_EXIST","features":[431]},{"name":"MF_OPM_ACP_LEVEL_ONE","features":[431]},{"name":"MF_OPM_ACP_LEVEL_THREE","features":[431]},{"name":"MF_OPM_ACP_LEVEL_TWO","features":[431]},{"name":"MF_OPM_ACP_OFF","features":[431]},{"name":"MF_OPM_ACP_PROTECTION_LEVEL","features":[431]},{"name":"MF_OPM_CGMSA_COPY_FREELY","features":[431]},{"name":"MF_OPM_CGMSA_COPY_NEVER","features":[431]},{"name":"MF_OPM_CGMSA_COPY_NO_MORE","features":[431]},{"name":"MF_OPM_CGMSA_COPY_ONE_GENERATION","features":[431]},{"name":"MF_OPM_CGMSA_OFF","features":[431]},{"name":"MF_OPM_CGMSA_PROTECTION_LEVEL","features":[431]},{"name":"MF_OPM_CGMSA_REDISTRIBUTION_CONTROL_REQUIRED","features":[431]},{"name":"MF_OPTIONAL_NODE_REJECTED_MEDIA_TYPE","features":[431]},{"name":"MF_OPTIONAL_NODE_REJECTED_PROTECTED_PROCESS","features":[431]},{"name":"MF_PARSE_ERR","features":[431]},{"name":"MF_PD_ADAPTIVE_STREAMING","features":[431]},{"name":"MF_PD_APP_CONTEXT","features":[431]},{"name":"MF_PD_ASF_CODECLIST","features":[431]},{"name":"MF_PD_ASF_CONTENTENCRYPTIONEX_ENCRYPTION_DATA","features":[431]},{"name":"MF_PD_ASF_CONTENTENCRYPTION_KEYID","features":[431]},{"name":"MF_PD_ASF_CONTENTENCRYPTION_LICENSE_URL","features":[431]},{"name":"MF_PD_ASF_CONTENTENCRYPTION_SECRET_DATA","features":[431]},{"name":"MF_PD_ASF_CONTENTENCRYPTION_TYPE","features":[431]},{"name":"MF_PD_ASF_DATA_LENGTH","features":[431]},{"name":"MF_PD_ASF_DATA_START_OFFSET","features":[431]},{"name":"MF_PD_ASF_FILEPROPERTIES_CREATION_TIME","features":[431]},{"name":"MF_PD_ASF_FILEPROPERTIES_FILE_ID","features":[431]},{"name":"MF_PD_ASF_FILEPROPERTIES_FLAGS","features":[431]},{"name":"MF_PD_ASF_FILEPROPERTIES_MAX_BITRATE","features":[431]},{"name":"MF_PD_ASF_FILEPROPERTIES_MAX_PACKET_SIZE","features":[431]},{"name":"MF_PD_ASF_FILEPROPERTIES_MIN_PACKET_SIZE","features":[431]},{"name":"MF_PD_ASF_FILEPROPERTIES_PACKETS","features":[431]},{"name":"MF_PD_ASF_FILEPROPERTIES_PLAY_DURATION","features":[431]},{"name":"MF_PD_ASF_FILEPROPERTIES_PREROLL","features":[431]},{"name":"MF_PD_ASF_FILEPROPERTIES_SEND_DURATION","features":[431]},{"name":"MF_PD_ASF_INFO_HAS_AUDIO","features":[431]},{"name":"MF_PD_ASF_INFO_HAS_NON_AUDIO_VIDEO","features":[431]},{"name":"MF_PD_ASF_INFO_HAS_VIDEO","features":[431]},{"name":"MF_PD_ASF_LANGLIST","features":[431]},{"name":"MF_PD_ASF_LANGLIST_LEGACYORDER","features":[431]},{"name":"MF_PD_ASF_MARKER","features":[431]},{"name":"MF_PD_ASF_METADATA_IS_VBR","features":[431]},{"name":"MF_PD_ASF_METADATA_LEAKY_BUCKET_PAIRS","features":[431]},{"name":"MF_PD_ASF_METADATA_V8_BUFFERAVERAGE","features":[431]},{"name":"MF_PD_ASF_METADATA_V8_VBRPEAK","features":[431]},{"name":"MF_PD_ASF_SCRIPT","features":[431]},{"name":"MF_PD_AUDIO_ENCODING_BITRATE","features":[431]},{"name":"MF_PD_AUDIO_ISVARIABLEBITRATE","features":[431]},{"name":"MF_PD_DURATION","features":[431]},{"name":"MF_PD_LAST_MODIFIED_TIME","features":[431]},{"name":"MF_PD_MIME_TYPE","features":[431]},{"name":"MF_PD_PLAYBACK_BOUNDARY_TIME","features":[431]},{"name":"MF_PD_PLAYBACK_ELEMENT_ID","features":[431]},{"name":"MF_PD_PMPHOST_CONTEXT","features":[431]},{"name":"MF_PD_PREFERRED_LANGUAGE","features":[431]},{"name":"MF_PD_SAMI_STYLELIST","features":[431]},{"name":"MF_PD_TOTAL_FILE_SIZE","features":[431]},{"name":"MF_PD_VIDEO_ENCODING_BITRATE","features":[431]},{"name":"MF_PLUGIN_CONTROL_POLICY","features":[431]},{"name":"MF_PLUGIN_CONTROL_POLICY_USE_ALL_PLUGINS","features":[431]},{"name":"MF_PLUGIN_CONTROL_POLICY_USE_APPROVED_PLUGINS","features":[431]},{"name":"MF_PLUGIN_CONTROL_POLICY_USE_WEB_PLUGINS","features":[431]},{"name":"MF_PLUGIN_CONTROL_POLICY_USE_WEB_PLUGINS_EDGEMODE","features":[431]},{"name":"MF_PMP_SERVER_CONTEXT","features":[431]},{"name":"MF_POLICY_ID","features":[431]},{"name":"MF_PREFERRED_SOURCE_URI","features":[431]},{"name":"MF_PROGRESSIVE_CODING_CONTENT","features":[431]},{"name":"MF_PROPERTY_HANDLER_SERVICE","features":[431]},{"name":"MF_Plugin_Type","features":[431]},{"name":"MF_Plugin_Type_MFT","features":[431]},{"name":"MF_Plugin_Type_MFT_MatchOutputType","features":[431]},{"name":"MF_Plugin_Type_MediaSource","features":[431]},{"name":"MF_Plugin_Type_Other","features":[431]},{"name":"MF_QUALITY_ADVISE_FLAGS","features":[431]},{"name":"MF_QUALITY_CANNOT_KEEP_UP","features":[431]},{"name":"MF_QUALITY_DROP_MODE","features":[431]},{"name":"MF_QUALITY_LEVEL","features":[431]},{"name":"MF_QUALITY_NORMAL","features":[431]},{"name":"MF_QUALITY_NORMAL_MINUS_1","features":[431]},{"name":"MF_QUALITY_NORMAL_MINUS_2","features":[431]},{"name":"MF_QUALITY_NORMAL_MINUS_3","features":[431]},{"name":"MF_QUALITY_NORMAL_MINUS_4","features":[431]},{"name":"MF_QUALITY_NORMAL_MINUS_5","features":[431]},{"name":"MF_QUALITY_NOTIFY_PROCESSING_LATENCY","features":[431]},{"name":"MF_QUALITY_NOTIFY_SAMPLE_LAG","features":[431]},{"name":"MF_QUALITY_SERVICES","features":[431]},{"name":"MF_QUATERNION","features":[431]},{"name":"MF_QUOTA_EXCEEDED_ERR","features":[431]},{"name":"MF_RATE_CONTROL_SERVICE","features":[431]},{"name":"MF_READWRITE_D3D_OPTIONAL","features":[431]},{"name":"MF_READWRITE_DISABLE_CONVERTERS","features":[431]},{"name":"MF_READWRITE_ENABLE_AUTOFINALIZE","features":[431]},{"name":"MF_READWRITE_ENABLE_HARDWARE_TRANSFORMS","features":[431]},{"name":"MF_READWRITE_MMCSS_CLASS","features":[431]},{"name":"MF_READWRITE_MMCSS_CLASS_AUDIO","features":[431]},{"name":"MF_READWRITE_MMCSS_PRIORITY","features":[431]},{"name":"MF_READWRITE_MMCSS_PRIORITY_AUDIO","features":[431]},{"name":"MF_REMOTE_PROXY","features":[431]},{"name":"MF_RESOLUTION_BYTESTREAM","features":[431]},{"name":"MF_RESOLUTION_CONTENT_DOES_NOT_HAVE_TO_MATCH_EXTENSION_OR_MIME_TYPE","features":[431]},{"name":"MF_RESOLUTION_DISABLE_LOCAL_PLUGINS","features":[431]},{"name":"MF_RESOLUTION_ENABLE_STORE_PLUGINS","features":[431]},{"name":"MF_RESOLUTION_FLAGS","features":[431]},{"name":"MF_RESOLUTION_KEEP_BYTE_STREAM_ALIVE_ON_FAIL","features":[431]},{"name":"MF_RESOLUTION_MEDIASOURCE","features":[431]},{"name":"MF_RESOLUTION_PLUGIN_CONTROL_POLICY_APPROVED_ONLY","features":[431]},{"name":"MF_RESOLUTION_PLUGIN_CONTROL_POLICY_WEB_ONLY","features":[431]},{"name":"MF_RESOLUTION_PLUGIN_CONTROL_POLICY_WEB_ONLY_EDGEMODE","features":[431]},{"name":"MF_RESOLUTION_READ","features":[431]},{"name":"MF_RESOLUTION_WRITE","features":[431]},{"name":"MF_SAMI_SERVICE","features":[431]},{"name":"MF_SAMPLEGRABBERSINK_IGNORE_CLOCK","features":[431]},{"name":"MF_SAMPLEGRABBERSINK_SAMPLE_TIME_OFFSET","features":[431]},{"name":"MF_SAMPLE_ENCRYPTION_PROTECTION_SCHEME_AES_CBC","features":[431]},{"name":"MF_SAMPLE_ENCRYPTION_PROTECTION_SCHEME_AES_CTR","features":[431]},{"name":"MF_SAMPLE_ENCRYPTION_PROTECTION_SCHEME_NONE","features":[431]},{"name":"MF_SA_AUDIO_ENDPOINT_AWARE","features":[431]},{"name":"MF_SA_BUFFERS_PER_SAMPLE","features":[431]},{"name":"MF_SA_D3D11_ALLOCATE_DISPLAYABLE_RESOURCES","features":[431]},{"name":"MF_SA_D3D11_ALLOW_DYNAMIC_YUV_TEXTURE","features":[431]},{"name":"MF_SA_D3D11_AWARE","features":[431]},{"name":"MF_SA_D3D11_BINDFLAGS","features":[431]},{"name":"MF_SA_D3D11_HW_PROTECTED","features":[431]},{"name":"MF_SA_D3D11_SHARED","features":[431]},{"name":"MF_SA_D3D11_SHARED_WITHOUT_MUTEX","features":[431]},{"name":"MF_SA_D3D11_USAGE","features":[431]},{"name":"MF_SA_D3D12_CLEAR_VALUE","features":[431]},{"name":"MF_SA_D3D12_HEAP_FLAGS","features":[431]},{"name":"MF_SA_D3D12_HEAP_TYPE","features":[431]},{"name":"MF_SA_D3D_AWARE","features":[431]},{"name":"MF_SA_MINIMUM_OUTPUT_SAMPLE_COUNT","features":[431]},{"name":"MF_SA_MINIMUM_OUTPUT_SAMPLE_COUNT_PROGRESSIVE","features":[431]},{"name":"MF_SA_REQUIRED_SAMPLE_COUNT","features":[431]},{"name":"MF_SA_REQUIRED_SAMPLE_COUNT_PROGRESSIVE","features":[431]},{"name":"MF_SDK_VERSION","features":[431]},{"name":"MF_SD_AMBISONICS_SAMPLE3D_DESCRIPTION","features":[431]},{"name":"MF_SD_ASF_EXTSTRMPROP_AVG_BUFFERSIZE","features":[431]},{"name":"MF_SD_ASF_EXTSTRMPROP_AVG_DATA_BITRATE","features":[431]},{"name":"MF_SD_ASF_EXTSTRMPROP_LANGUAGE_ID_INDEX","features":[431]},{"name":"MF_SD_ASF_EXTSTRMPROP_MAX_BUFFERSIZE","features":[431]},{"name":"MF_SD_ASF_EXTSTRMPROP_MAX_DATA_BITRATE","features":[431]},{"name":"MF_SD_ASF_METADATA_DEVICE_CONFORMANCE_TEMPLATE","features":[431]},{"name":"MF_SD_ASF_STREAMBITRATES_BITRATE","features":[431]},{"name":"MF_SD_AUDIO_ENCODER_DELAY","features":[431]},{"name":"MF_SD_AUDIO_ENCODER_PADDING","features":[431]},{"name":"MF_SD_LANGUAGE","features":[431]},{"name":"MF_SD_MEDIASOURCE_STATUS","features":[431]},{"name":"MF_SD_MUTUALLY_EXCLUSIVE","features":[431]},{"name":"MF_SD_PROTECTED","features":[431]},{"name":"MF_SD_SAMI_LANGUAGE","features":[431]},{"name":"MF_SD_STREAM_NAME","features":[431]},{"name":"MF_SD_VIDEO_SPHERICAL","features":[431]},{"name":"MF_SD_VIDEO_SPHERICAL_FORMAT","features":[431]},{"name":"MF_SD_VIDEO_SPHERICAL_INITIAL_VIEWDIRECTION","features":[431]},{"name":"MF_SERVICE_LOOKUP_ALL","features":[431]},{"name":"MF_SERVICE_LOOKUP_DOWNSTREAM","features":[431]},{"name":"MF_SERVICE_LOOKUP_DOWNSTREAM_DIRECT","features":[431]},{"name":"MF_SERVICE_LOOKUP_GLOBAL","features":[431]},{"name":"MF_SERVICE_LOOKUP_TYPE","features":[431]},{"name":"MF_SERVICE_LOOKUP_UPSTREAM","features":[431]},{"name":"MF_SERVICE_LOOKUP_UPSTREAM_DIRECT","features":[431]},{"name":"MF_SESSION_APPROX_EVENT_OCCURRENCE_TIME","features":[431]},{"name":"MF_SESSION_CONTENT_PROTECTION_MANAGER","features":[431]},{"name":"MF_SESSION_GLOBAL_TIME","features":[431]},{"name":"MF_SESSION_QUALITY_MANAGER","features":[431]},{"name":"MF_SESSION_REMOTE_SOURCE_MODE","features":[431]},{"name":"MF_SESSION_SERVER_CONTEXT","features":[431]},{"name":"MF_SESSION_TOPOLOADER","features":[431]},{"name":"MF_SHARING_ENGINE_CALLBACK","features":[431]},{"name":"MF_SHARING_ENGINE_EVENT","features":[431]},{"name":"MF_SHARING_ENGINE_EVENT_DISCONNECT","features":[431]},{"name":"MF_SHARING_ENGINE_EVENT_ERROR","features":[431]},{"name":"MF_SHARING_ENGINE_EVENT_LOCALRENDERINGENDED","features":[431]},{"name":"MF_SHARING_ENGINE_EVENT_LOCALRENDERINGSTARTED","features":[431]},{"name":"MF_SHARING_ENGINE_EVENT_STOPPED","features":[431]},{"name":"MF_SHARING_ENGINE_SHAREDRENDERER","features":[431]},{"name":"MF_SHUTDOWN_RENDERER_ON_ENGINE_SHUTDOWN","features":[431]},{"name":"MF_SINK_VIDEO_DISPLAY_ASPECT_RATIO_DENOMINATOR","features":[431]},{"name":"MF_SINK_VIDEO_DISPLAY_ASPECT_RATIO_NUMERATOR","features":[431]},{"name":"MF_SINK_VIDEO_NATIVE_HEIGHT","features":[431]},{"name":"MF_SINK_VIDEO_NATIVE_WIDTH","features":[431]},{"name":"MF_SINK_VIDEO_PTS","features":[431]},{"name":"MF_SINK_WRITER_ALL_STREAMS","features":[431]},{"name":"MF_SINK_WRITER_ASYNC_CALLBACK","features":[431]},{"name":"MF_SINK_WRITER_CONSTANTS","features":[431]},{"name":"MF_SINK_WRITER_D3D_MANAGER","features":[431]},{"name":"MF_SINK_WRITER_DISABLE_THROTTLING","features":[431]},{"name":"MF_SINK_WRITER_ENCODER_CONFIG","features":[431]},{"name":"MF_SINK_WRITER_INVALID_STREAM_INDEX","features":[431]},{"name":"MF_SINK_WRITER_MEDIASINK","features":[431]},{"name":"MF_SINK_WRITER_STATISTICS","features":[431]},{"name":"MF_SOURCE_PRESENTATION_PROVIDER_SERVICE","features":[431]},{"name":"MF_SOURCE_READERF_ALLEFFECTSREMOVED","features":[431]},{"name":"MF_SOURCE_READERF_CURRENTMEDIATYPECHANGED","features":[431]},{"name":"MF_SOURCE_READERF_ENDOFSTREAM","features":[431]},{"name":"MF_SOURCE_READERF_ERROR","features":[431]},{"name":"MF_SOURCE_READERF_NATIVEMEDIATYPECHANGED","features":[431]},{"name":"MF_SOURCE_READERF_NEWSTREAM","features":[431]},{"name":"MF_SOURCE_READERF_STREAMTICK","features":[431]},{"name":"MF_SOURCE_READER_ALL_STREAMS","features":[431]},{"name":"MF_SOURCE_READER_ANY_STREAM","features":[431]},{"name":"MF_SOURCE_READER_ASYNC_CALLBACK","features":[431]},{"name":"MF_SOURCE_READER_CONSTANTS","features":[431]},{"name":"MF_SOURCE_READER_CONTROLF_DRAIN","features":[431]},{"name":"MF_SOURCE_READER_CONTROL_FLAG","features":[431]},{"name":"MF_SOURCE_READER_CURRENT_TYPE_CONSTANTS","features":[431]},{"name":"MF_SOURCE_READER_CURRENT_TYPE_INDEX","features":[431]},{"name":"MF_SOURCE_READER_D3D11_BIND_FLAGS","features":[431]},{"name":"MF_SOURCE_READER_D3D_MANAGER","features":[431]},{"name":"MF_SOURCE_READER_DISABLE_CAMERA_PLUGINS","features":[431]},{"name":"MF_SOURCE_READER_DISABLE_DXVA","features":[431]},{"name":"MF_SOURCE_READER_DISCONNECT_MEDIASOURCE_ON_SHUTDOWN","features":[431]},{"name":"MF_SOURCE_READER_ENABLE_ADVANCED_VIDEO_PROCESSING","features":[431]},{"name":"MF_SOURCE_READER_ENABLE_TRANSCODE_ONLY_TRANSFORMS","features":[431]},{"name":"MF_SOURCE_READER_ENABLE_VIDEO_PROCESSING","features":[431]},{"name":"MF_SOURCE_READER_FIRST_AUDIO_STREAM","features":[431]},{"name":"MF_SOURCE_READER_FIRST_VIDEO_STREAM","features":[431]},{"name":"MF_SOURCE_READER_FLAG","features":[431]},{"name":"MF_SOURCE_READER_INVALID_STREAM_INDEX","features":[431]},{"name":"MF_SOURCE_READER_MEDIASOURCE","features":[431]},{"name":"MF_SOURCE_READER_MEDIASOURCE_CHARACTERISTICS","features":[431]},{"name":"MF_SOURCE_READER_MEDIASOURCE_CONFIG","features":[431]},{"name":"MF_SOURCE_STREAM_SUPPORTS_HW_CONNECTION","features":[431]},{"name":"MF_STANDARD_WORKQUEUE","features":[431]},{"name":"MF_STF_VERSION_DATE","features":[431]},{"name":"MF_STF_VERSION_INFO","features":[431]},{"name":"MF_STREAM_SINK_SUPPORTS_HW_CONNECTION","features":[431]},{"name":"MF_STREAM_SINK_SUPPORTS_ROTATION","features":[431]},{"name":"MF_STREAM_STATE","features":[431]},{"name":"MF_STREAM_STATE_PAUSED","features":[431]},{"name":"MF_STREAM_STATE_RUNNING","features":[431]},{"name":"MF_STREAM_STATE_STOPPED","features":[431]},{"name":"MF_ST_MEDIASOURCE_COLLECTION","features":[431]},{"name":"MF_SYNTAX_ERR","features":[431]},{"name":"MF_S_ACTIVATE_REPLACED","features":[431]},{"name":"MF_S_ASF_PARSEINPROGRESS","features":[431]},{"name":"MF_S_CLOCK_STOPPED","features":[431]},{"name":"MF_S_MULTIPLE_BEGIN","features":[431]},{"name":"MF_S_PE_TRUSTED","features":[431]},{"name":"MF_S_PROTECTION_NOT_REQUIRED","features":[431]},{"name":"MF_S_SEQUENCER_CONTEXT_CANCELED","features":[431]},{"name":"MF_S_SEQUENCER_SEGMENT_AT_END_OF_STREAM","features":[431]},{"name":"MF_S_SINK_NOT_FINALIZED","features":[431]},{"name":"MF_S_TRANSFORM_DO_NOT_PROPAGATE_EVENT","features":[431]},{"name":"MF_S_VIDEO_DISABLED_WITH_UNKNOWN_SOFTWARE_OUTPUT","features":[431]},{"name":"MF_S_WAIT_FOR_POLICY_SET","features":[431]},{"name":"MF_SampleProtectionSalt","features":[431]},{"name":"MF_TEST_SIGNED_COMPONENT_LOADING","features":[431]},{"name":"MF_TIMECODE_SERVICE","features":[431]},{"name":"MF_TIMED_TEXT_ALIGNMENT","features":[431]},{"name":"MF_TIMED_TEXT_ALIGNMENT_CENTER","features":[431]},{"name":"MF_TIMED_TEXT_ALIGNMENT_END","features":[431]},{"name":"MF_TIMED_TEXT_ALIGNMENT_START","features":[431]},{"name":"MF_TIMED_TEXT_BOUTEN_POSITION","features":[431]},{"name":"MF_TIMED_TEXT_BOUTEN_POSITION_AFTER","features":[431]},{"name":"MF_TIMED_TEXT_BOUTEN_POSITION_BEFORE","features":[431]},{"name":"MF_TIMED_TEXT_BOUTEN_POSITION_OUTSIDE","features":[431]},{"name":"MF_TIMED_TEXT_BOUTEN_TYPE","features":[431]},{"name":"MF_TIMED_TEXT_BOUTEN_TYPE_AUTO","features":[431]},{"name":"MF_TIMED_TEXT_BOUTEN_TYPE_FILLEDCIRCLE","features":[431]},{"name":"MF_TIMED_TEXT_BOUTEN_TYPE_FILLEDDOT","features":[431]},{"name":"MF_TIMED_TEXT_BOUTEN_TYPE_FILLEDSESAME","features":[431]},{"name":"MF_TIMED_TEXT_BOUTEN_TYPE_NONE","features":[431]},{"name":"MF_TIMED_TEXT_BOUTEN_TYPE_OPENCIRCLE","features":[431]},{"name":"MF_TIMED_TEXT_BOUTEN_TYPE_OPENDOT","features":[431]},{"name":"MF_TIMED_TEXT_BOUTEN_TYPE_OPENSESAME","features":[431]},{"name":"MF_TIMED_TEXT_CUE_EVENT","features":[431]},{"name":"MF_TIMED_TEXT_CUE_EVENT_ACTIVE","features":[431]},{"name":"MF_TIMED_TEXT_CUE_EVENT_CLEAR","features":[431]},{"name":"MF_TIMED_TEXT_CUE_EVENT_INACTIVE","features":[431]},{"name":"MF_TIMED_TEXT_DECORATION","features":[431]},{"name":"MF_TIMED_TEXT_DECORATION_LINE_THROUGH","features":[431]},{"name":"MF_TIMED_TEXT_DECORATION_NONE","features":[431]},{"name":"MF_TIMED_TEXT_DECORATION_OVERLINE","features":[431]},{"name":"MF_TIMED_TEXT_DECORATION_UNDERLINE","features":[431]},{"name":"MF_TIMED_TEXT_DISPLAY_ALIGNMENT","features":[431]},{"name":"MF_TIMED_TEXT_DISPLAY_ALIGNMENT_AFTER","features":[431]},{"name":"MF_TIMED_TEXT_DISPLAY_ALIGNMENT_BEFORE","features":[431]},{"name":"MF_TIMED_TEXT_DISPLAY_ALIGNMENT_CENTER","features":[431]},{"name":"MF_TIMED_TEXT_ERROR_CODE","features":[431]},{"name":"MF_TIMED_TEXT_ERROR_CODE_DATA_FORMAT","features":[431]},{"name":"MF_TIMED_TEXT_ERROR_CODE_FATAL","features":[431]},{"name":"MF_TIMED_TEXT_ERROR_CODE_INTERNAL","features":[431]},{"name":"MF_TIMED_TEXT_ERROR_CODE_NETWORK","features":[431]},{"name":"MF_TIMED_TEXT_ERROR_CODE_NOERROR","features":[431]},{"name":"MF_TIMED_TEXT_FONT_STYLE","features":[431]},{"name":"MF_TIMED_TEXT_FONT_STYLE_ITALIC","features":[431]},{"name":"MF_TIMED_TEXT_FONT_STYLE_NORMAL","features":[431]},{"name":"MF_TIMED_TEXT_FONT_STYLE_OBLIQUE","features":[431]},{"name":"MF_TIMED_TEXT_RUBY_ALIGN","features":[431]},{"name":"MF_TIMED_TEXT_RUBY_ALIGN_CENTER","features":[431]},{"name":"MF_TIMED_TEXT_RUBY_ALIGN_END","features":[431]},{"name":"MF_TIMED_TEXT_RUBY_ALIGN_SPACEAROUND","features":[431]},{"name":"MF_TIMED_TEXT_RUBY_ALIGN_SPACEBETWEEN","features":[431]},{"name":"MF_TIMED_TEXT_RUBY_ALIGN_START","features":[431]},{"name":"MF_TIMED_TEXT_RUBY_ALIGN_WITHBASE","features":[431]},{"name":"MF_TIMED_TEXT_RUBY_POSITION","features":[431]},{"name":"MF_TIMED_TEXT_RUBY_POSITION_AFTER","features":[431]},{"name":"MF_TIMED_TEXT_RUBY_POSITION_BEFORE","features":[431]},{"name":"MF_TIMED_TEXT_RUBY_POSITION_OUTSIDE","features":[431]},{"name":"MF_TIMED_TEXT_RUBY_RESERVE","features":[431]},{"name":"MF_TIMED_TEXT_RUBY_RESERVE_AFTER","features":[431]},{"name":"MF_TIMED_TEXT_RUBY_RESERVE_BEFORE","features":[431]},{"name":"MF_TIMED_TEXT_RUBY_RESERVE_BOTH","features":[431]},{"name":"MF_TIMED_TEXT_RUBY_RESERVE_NONE","features":[431]},{"name":"MF_TIMED_TEXT_RUBY_RESERVE_OUTSIDE","features":[431]},{"name":"MF_TIMED_TEXT_SCROLL_MODE","features":[431]},{"name":"MF_TIMED_TEXT_SCROLL_MODE_POP_ON","features":[431]},{"name":"MF_TIMED_TEXT_SCROLL_MODE_ROLL_UP","features":[431]},{"name":"MF_TIMED_TEXT_TRACK_KIND","features":[431]},{"name":"MF_TIMED_TEXT_TRACK_KIND_CAPTIONS","features":[431]},{"name":"MF_TIMED_TEXT_TRACK_KIND_METADATA","features":[431]},{"name":"MF_TIMED_TEXT_TRACK_KIND_SUBTITLES","features":[431]},{"name":"MF_TIMED_TEXT_TRACK_KIND_UNKNOWN","features":[431]},{"name":"MF_TIMED_TEXT_TRACK_READY_STATE","features":[431]},{"name":"MF_TIMED_TEXT_TRACK_READY_STATE_ERROR","features":[431]},{"name":"MF_TIMED_TEXT_TRACK_READY_STATE_LOADED","features":[431]},{"name":"MF_TIMED_TEXT_TRACK_READY_STATE_LOADING","features":[431]},{"name":"MF_TIMED_TEXT_TRACK_READY_STATE_NONE","features":[431]},{"name":"MF_TIMED_TEXT_UNIT_TYPE","features":[431]},{"name":"MF_TIMED_TEXT_UNIT_TYPE_PERCENTAGE","features":[431]},{"name":"MF_TIMED_TEXT_UNIT_TYPE_PIXELS","features":[431]},{"name":"MF_TIMED_TEXT_WRITING_MODE","features":[431]},{"name":"MF_TIMED_TEXT_WRITING_MODE_LR","features":[431]},{"name":"MF_TIMED_TEXT_WRITING_MODE_LRTB","features":[431]},{"name":"MF_TIMED_TEXT_WRITING_MODE_RL","features":[431]},{"name":"MF_TIMED_TEXT_WRITING_MODE_RLTB","features":[431]},{"name":"MF_TIMED_TEXT_WRITING_MODE_TB","features":[431]},{"name":"MF_TIMED_TEXT_WRITING_MODE_TBLR","features":[431]},{"name":"MF_TIMED_TEXT_WRITING_MODE_TBRL","features":[431]},{"name":"MF_TIME_FORMAT_ENTRY_RELATIVE","features":[431]},{"name":"MF_TIME_FORMAT_SEGMENT_OFFSET","features":[431]},{"name":"MF_TOPOLOGY_DXVA_MODE","features":[431]},{"name":"MF_TOPOLOGY_DYNAMIC_CHANGE_NOT_ALLOWED","features":[431]},{"name":"MF_TOPOLOGY_ENABLE_XVP_FOR_PLAYBACK","features":[431]},{"name":"MF_TOPOLOGY_ENUMERATE_SOURCE_TYPES","features":[431]},{"name":"MF_TOPOLOGY_HARDWARE_MODE","features":[431]},{"name":"MF_TOPOLOGY_MAX","features":[431]},{"name":"MF_TOPOLOGY_NO_MARKIN_MARKOUT","features":[431]},{"name":"MF_TOPOLOGY_OUTPUT_NODE","features":[431]},{"name":"MF_TOPOLOGY_PLAYBACK_FRAMERATE","features":[431]},{"name":"MF_TOPOLOGY_PLAYBACK_MAX_DIMS","features":[431]},{"name":"MF_TOPOLOGY_PROJECTSTART","features":[431]},{"name":"MF_TOPOLOGY_PROJECTSTOP","features":[431]},{"name":"MF_TOPOLOGY_RESOLUTION_STATUS","features":[431]},{"name":"MF_TOPOLOGY_RESOLUTION_STATUS_FLAGS","features":[431]},{"name":"MF_TOPOLOGY_RESOLUTION_SUCCEEDED","features":[431]},{"name":"MF_TOPOLOGY_SOURCESTREAM_NODE","features":[431]},{"name":"MF_TOPOLOGY_START_TIME_ON_PRESENTATION_SWITCH","features":[431]},{"name":"MF_TOPOLOGY_STATIC_PLAYBACK_OPTIMIZATIONS","features":[431]},{"name":"MF_TOPOLOGY_TEE_NODE","features":[431]},{"name":"MF_TOPOLOGY_TRANSFORM_NODE","features":[431]},{"name":"MF_TOPOLOGY_TYPE","features":[431]},{"name":"MF_TOPONODE_ATTRIBUTE_EDITOR_SERVICE","features":[431]},{"name":"MF_TOPONODE_CONNECT_METHOD","features":[431]},{"name":"MF_TOPONODE_D3DAWARE","features":[431]},{"name":"MF_TOPONODE_DECODER","features":[431]},{"name":"MF_TOPONODE_DECRYPTOR","features":[431]},{"name":"MF_TOPONODE_DISABLE_PREROLL","features":[431]},{"name":"MF_TOPONODE_DISCARDABLE","features":[431]},{"name":"MF_TOPONODE_DRAIN","features":[431]},{"name":"MF_TOPONODE_DRAIN_ALWAYS","features":[431]},{"name":"MF_TOPONODE_DRAIN_DEFAULT","features":[431]},{"name":"MF_TOPONODE_DRAIN_MODE","features":[431]},{"name":"MF_TOPONODE_DRAIN_NEVER","features":[431]},{"name":"MF_TOPONODE_ERRORCODE","features":[431]},{"name":"MF_TOPONODE_ERROR_MAJORTYPE","features":[431]},{"name":"MF_TOPONODE_ERROR_SUBTYPE","features":[431]},{"name":"MF_TOPONODE_FLUSH","features":[431]},{"name":"MF_TOPONODE_FLUSH_ALWAYS","features":[431]},{"name":"MF_TOPONODE_FLUSH_MODE","features":[431]},{"name":"MF_TOPONODE_FLUSH_NEVER","features":[431]},{"name":"MF_TOPONODE_FLUSH_SEEK","features":[431]},{"name":"MF_TOPONODE_LOCKED","features":[431]},{"name":"MF_TOPONODE_MARKIN_HERE","features":[431]},{"name":"MF_TOPONODE_MARKOUT_HERE","features":[431]},{"name":"MF_TOPONODE_MEDIASTART","features":[431]},{"name":"MF_TOPONODE_MEDIASTOP","features":[431]},{"name":"MF_TOPONODE_NOSHUTDOWN_ON_REMOVE","features":[431]},{"name":"MF_TOPONODE_PRESENTATION_DESCRIPTOR","features":[431]},{"name":"MF_TOPONODE_PRIMARYOUTPUT","features":[431]},{"name":"MF_TOPONODE_RATELESS","features":[431]},{"name":"MF_TOPONODE_SEQUENCE_ELEMENTID","features":[431]},{"name":"MF_TOPONODE_SOURCE","features":[431]},{"name":"MF_TOPONODE_STREAMID","features":[431]},{"name":"MF_TOPONODE_STREAM_DESCRIPTOR","features":[431]},{"name":"MF_TOPONODE_TRANSFORM_OBJECTID","features":[431]},{"name":"MF_TOPONODE_WORKQUEUE_ID","features":[431]},{"name":"MF_TOPONODE_WORKQUEUE_ITEM_PRIORITY","features":[431]},{"name":"MF_TOPONODE_WORKQUEUE_MMCSS_CLASS","features":[431]},{"name":"MF_TOPONODE_WORKQUEUE_MMCSS_PRIORITY","features":[431]},{"name":"MF_TOPONODE_WORKQUEUE_MMCSS_TASKID","features":[431]},{"name":"MF_TOPOSTATUS","features":[431]},{"name":"MF_TOPOSTATUS_DYNAMIC_CHANGED","features":[431]},{"name":"MF_TOPOSTATUS_ENDED","features":[431]},{"name":"MF_TOPOSTATUS_INVALID","features":[431]},{"name":"MF_TOPOSTATUS_READY","features":[431]},{"name":"MF_TOPOSTATUS_SINK_SWITCHED","features":[431]},{"name":"MF_TOPOSTATUS_STARTED_SOURCE","features":[431]},{"name":"MF_TRANSCODE_ADJUST_PROFILE","features":[431]},{"name":"MF_TRANSCODE_ADJUST_PROFILE_DEFAULT","features":[431]},{"name":"MF_TRANSCODE_ADJUST_PROFILE_FLAGS","features":[431]},{"name":"MF_TRANSCODE_ADJUST_PROFILE_USE_SOURCE_ATTRIBUTES","features":[431]},{"name":"MF_TRANSCODE_CONTAINERTYPE","features":[431]},{"name":"MF_TRANSCODE_DONOT_INSERT_ENCODER","features":[431]},{"name":"MF_TRANSCODE_ENCODINGPROFILE","features":[431]},{"name":"MF_TRANSCODE_QUALITYVSSPEED","features":[431]},{"name":"MF_TRANSCODE_SINK_INFO","features":[431]},{"name":"MF_TRANSCODE_SKIP_METADATA_TRANSFER","features":[431]},{"name":"MF_TRANSCODE_TOPOLOGYMODE","features":[431]},{"name":"MF_TRANSCODE_TOPOLOGYMODE_FLAGS","features":[431]},{"name":"MF_TRANSCODE_TOPOLOGYMODE_HARDWARE_ALLOWED","features":[431]},{"name":"MF_TRANSCODE_TOPOLOGYMODE_SOFTWARE_ONLY","features":[431]},{"name":"MF_TRANSFORM_ASYNC","features":[431]},{"name":"MF_TRANSFORM_ASYNC_UNLOCK","features":[431]},{"name":"MF_TRANSFORM_CATEGORY_Attribute","features":[431]},{"name":"MF_TRANSFORM_FLAGS_Attribute","features":[431]},{"name":"MF_TYPE_ERR","features":[431]},{"name":"MF_UNKNOWN_DURATION","features":[431]},{"name":"MF_URL_TRUST_STATUS","features":[431]},{"name":"MF_USER_DATA_PAYLOAD","features":[431]},{"name":"MF_USER_EXTENDED_ATTRIBUTES","features":[431]},{"name":"MF_USER_MODE_COMPONENT_LOAD","features":[431]},{"name":"MF_VERSION","features":[431]},{"name":"MF_VIDEODSP_MODE","features":[431]},{"name":"MF_VIDEO_MAX_MB_PER_SEC","features":[431]},{"name":"MF_VIDEO_PROCESSOR_ALGORITHM","features":[431]},{"name":"MF_VIDEO_PROCESSOR_ALGORITHM_DEFAULT","features":[431]},{"name":"MF_VIDEO_PROCESSOR_ALGORITHM_MRF_CRF_444","features":[431]},{"name":"MF_VIDEO_PROCESSOR_ALGORITHM_TYPE","features":[431]},{"name":"MF_VIDEO_PROCESSOR_MIRROR","features":[431]},{"name":"MF_VIDEO_PROCESSOR_ROTATION","features":[431]},{"name":"MF_VIDEO_RENDERER_EFFECT_APP_SERVICE_NAME","features":[431]},{"name":"MF_VIDEO_SPHERICAL_VIEWDIRECTION","features":[431]},{"name":"MF_VIRTUALCAMERA_ASSOCIATED_CAMERA_SOURCES","features":[431]},{"name":"MF_VIRTUALCAMERA_CONFIGURATION_APP_PACKAGE_FAMILY_NAME","features":[431]},{"name":"MF_VIRTUALCAMERA_PROVIDE_ASSOCIATED_CAMERA_SOURCES","features":[431]},{"name":"MF_WINDOW_WORKQUEUE","features":[431]},{"name":"MF_WORKQUEUE_SERVICES","features":[431]},{"name":"MF_WRAPPED_BUFFER_SERVICE","features":[431]},{"name":"MF_WRAPPED_OBJECT","features":[431]},{"name":"MF_WRAPPED_SAMPLE_SERVICE","features":[431]},{"name":"MF_WVC1_PROG_SINGLE_SLICE_CONTENT","features":[431]},{"name":"MF_XVP_CALLER_ALLOCATES_OUTPUT","features":[431]},{"name":"MF_XVP_DISABLE_FRC","features":[431]},{"name":"MF_XVP_SAMPLE_LOCK_TIMEOUT","features":[431]},{"name":"MFaudioConstriction14_14","features":[431]},{"name":"MFaudioConstriction44_16","features":[431]},{"name":"MFaudioConstriction48_16","features":[431]},{"name":"MFaudioConstrictionMute","features":[431]},{"name":"MFaudioConstrictionOff","features":[431]},{"name":"MFllMulDiv","features":[431]},{"name":"MICARRAY_EXTERN_BEAM","features":[431]},{"name":"MICARRAY_FIXED_BEAM","features":[431]},{"name":"MICARRAY_SIMPLE_SUM","features":[431]},{"name":"MICARRAY_SINGLE_BEAM","features":[431]},{"name":"MICARRAY_SINGLE_CHAN","features":[431]},{"name":"MIC_ARRAY_MODE","features":[431]},{"name":"MIRROR_HORIZONTAL","features":[431]},{"name":"MIRROR_NONE","features":[431]},{"name":"MIRROR_VERTICAL","features":[431]},{"name":"MODE_NOT_SET","features":[431]},{"name":"MOVEREGION_INFO","features":[308,431]},{"name":"MOVE_RECT","features":[308,431]},{"name":"MP3ACMCodecWrapper","features":[431]},{"name":"MPEG1VIDEOINFO","features":[308,319,431]},{"name":"MPEG2VIDEOINFO","features":[308,319,431]},{"name":"MPEG2VIDEOINFO_FLAGS","features":[431]},{"name":"MR_AUDIO_POLICY_SERVICE","features":[431]},{"name":"MR_BUFFER_SERVICE","features":[431]},{"name":"MR_CAPTURE_POLICY_VOLUME_SERVICE","features":[431]},{"name":"MR_POLICY_VOLUME_SERVICE","features":[431]},{"name":"MR_STREAM_VOLUME_SERVICE","features":[431]},{"name":"MR_VIDEO_ACCELERATION_SERVICE","features":[431]},{"name":"MR_VIDEO_MIXER_SERVICE","features":[431]},{"name":"MR_VIDEO_RENDER_SERVICE","features":[431]},{"name":"MSAMRNBDecoder","features":[431]},{"name":"MSAMRNBEncoder","features":[431]},{"name":"MT_ARBITRARY_HEADER","features":[308,431]},{"name":"MT_CUSTOM_VIDEO_PRIMARIES","features":[431]},{"name":"MULawCodecWrapper","features":[431]},{"name":"OPENMODE_APPEND_IF_EXIST","features":[431]},{"name":"OPENMODE_DELETE_IF_EXIST","features":[431]},{"name":"OPENMODE_FAIL_IF_EXIST","features":[431]},{"name":"OPENMODE_FAIL_IF_NOT_EXIST","features":[431]},{"name":"OPENMODE_RESET_IF_EXIST","features":[431]},{"name":"OPMGetVideoOutputForTarget","features":[308,431]},{"name":"OPMGetVideoOutputsFromHMONITOR","features":[319,431]},{"name":"OPMGetVideoOutputsFromIDirect3DDevice9Object","features":[317,431]},{"name":"OPMXboxEnableHDCP","features":[431]},{"name":"OPMXboxGetHDCPStatus","features":[431]},{"name":"OPMXboxGetHDCPStatusAndType","features":[431]},{"name":"OPM_128_BIT_RANDOM_NUMBER_SIZE","features":[431]},{"name":"OPM_ACP_AND_CGMSA_SIGNALING","features":[431]},{"name":"OPM_ACP_LEVEL_ONE","features":[431]},{"name":"OPM_ACP_LEVEL_THREE","features":[431]},{"name":"OPM_ACP_LEVEL_TWO","features":[431]},{"name":"OPM_ACP_OFF","features":[431]},{"name":"OPM_ACP_PROTECTION_LEVEL","features":[431]},{"name":"OPM_ACTUAL_OUTPUT_FORMAT","features":[317,431]},{"name":"OPM_ASPECT_RATIO_EN300294_BOX_14_BY_9_CENTER","features":[431]},{"name":"OPM_ASPECT_RATIO_EN300294_BOX_14_BY_9_TOP","features":[431]},{"name":"OPM_ASPECT_RATIO_EN300294_BOX_16_BY_9_CENTER","features":[431]},{"name":"OPM_ASPECT_RATIO_EN300294_BOX_16_BY_9_TOP","features":[431]},{"name":"OPM_ASPECT_RATIO_EN300294_BOX_GT_16_BY_9_CENTER","features":[431]},{"name":"OPM_ASPECT_RATIO_EN300294_FULL_FORMAT_16_BY_9_ANAMORPHIC","features":[431]},{"name":"OPM_ASPECT_RATIO_EN300294_FULL_FORMAT_4_BY_3","features":[431]},{"name":"OPM_ASPECT_RATIO_EN300294_FULL_FORMAT_4_BY_3_PROTECTED_CENTER","features":[431]},{"name":"OPM_BUS_IMPLEMENTATION_MODIFIER_DAUGHTER_BOARD_CONNECTOR","features":[431]},{"name":"OPM_BUS_IMPLEMENTATION_MODIFIER_DAUGHTER_BOARD_CONNECTOR_INSIDE_OF_NUAE","features":[431]},{"name":"OPM_BUS_IMPLEMENTATION_MODIFIER_INSIDE_OF_CHIPSET","features":[431]},{"name":"OPM_BUS_IMPLEMENTATION_MODIFIER_MASK","features":[431]},{"name":"OPM_BUS_IMPLEMENTATION_MODIFIER_NON_STANDARD","features":[431]},{"name":"OPM_BUS_IMPLEMENTATION_MODIFIER_TRACKS_ON_MOTHER_BOARD_TO_CHIP","features":[431]},{"name":"OPM_BUS_IMPLEMENTATION_MODIFIER_TRACKS_ON_MOTHER_BOARD_TO_SOCKET","features":[431]},{"name":"OPM_BUS_TYPE","features":[431]},{"name":"OPM_BUS_TYPE_AGP","features":[431]},{"name":"OPM_BUS_TYPE_MASK","features":[431]},{"name":"OPM_BUS_TYPE_OTHER","features":[431]},{"name":"OPM_BUS_TYPE_PCI","features":[431]},{"name":"OPM_BUS_TYPE_PCIEXPRESS","features":[431]},{"name":"OPM_BUS_TYPE_PCIX","features":[431]},{"name":"OPM_CGMSA","features":[431]},{"name":"OPM_CGMSA_COPY_FREELY","features":[431]},{"name":"OPM_CGMSA_COPY_NEVER","features":[431]},{"name":"OPM_CGMSA_COPY_NO_MORE","features":[431]},{"name":"OPM_CGMSA_COPY_ONE_GENERATION","features":[431]},{"name":"OPM_CGMSA_OFF","features":[431]},{"name":"OPM_CGMSA_REDISTRIBUTION_CONTROL_REQUIRED","features":[431]},{"name":"OPM_CONFIGURE_PARAMETERS","features":[431]},{"name":"OPM_CONFIGURE_SETTING_DATA_SIZE","features":[431]},{"name":"OPM_CONNECTED_HDCP_DEVICE_INFORMATION","features":[431]},{"name":"OPM_CONNECTOR_TYPE","features":[431]},{"name":"OPM_CONNECTOR_TYPE_COMPONENT_VIDEO","features":[431]},{"name":"OPM_CONNECTOR_TYPE_COMPOSITE_VIDEO","features":[431]},{"name":"OPM_CONNECTOR_TYPE_DISPLAYPORT_EMBEDDED","features":[431]},{"name":"OPM_CONNECTOR_TYPE_DISPLAYPORT_EXTERNAL","features":[431]},{"name":"OPM_CONNECTOR_TYPE_DVI","features":[431]},{"name":"OPM_CONNECTOR_TYPE_D_JPN","features":[431]},{"name":"OPM_CONNECTOR_TYPE_HDMI","features":[431]},{"name":"OPM_CONNECTOR_TYPE_LVDS","features":[431]},{"name":"OPM_CONNECTOR_TYPE_MIRACAST","features":[431]},{"name":"OPM_CONNECTOR_TYPE_OTHER","features":[431]},{"name":"OPM_CONNECTOR_TYPE_RESERVED","features":[431]},{"name":"OPM_CONNECTOR_TYPE_SDI","features":[431]},{"name":"OPM_CONNECTOR_TYPE_SVIDEO","features":[431]},{"name":"OPM_CONNECTOR_TYPE_TRANSPORT_AGNOSTIC_DIGITAL_MODE_A","features":[431]},{"name":"OPM_CONNECTOR_TYPE_TRANSPORT_AGNOSTIC_DIGITAL_MODE_B","features":[431]},{"name":"OPM_CONNECTOR_TYPE_UDI_EMBEDDED","features":[431]},{"name":"OPM_CONNECTOR_TYPE_UDI_EXTERNAL","features":[431]},{"name":"OPM_CONNECTOR_TYPE_VGA","features":[431]},{"name":"OPM_COPP_COMPATIBLE_BUS_TYPE_INTEGRATED","features":[431]},{"name":"OPM_COPP_COMPATIBLE_CONNECTOR_TYPE_INTERNAL","features":[431]},{"name":"OPM_COPP_COMPATIBLE_GET_INFO_PARAMETERS","features":[431]},{"name":"OPM_DPCP_OFF","features":[431]},{"name":"OPM_DPCP_ON","features":[431]},{"name":"OPM_DPCP_PROTECTION_LEVEL","features":[431]},{"name":"OPM_DVI_CHARACTERISTIC","features":[431]},{"name":"OPM_DVI_CHARACTERISTIC_1_0","features":[431]},{"name":"OPM_DVI_CHARACTERISTIC_1_1_OR_ABOVE","features":[431]},{"name":"OPM_ENCRYPTED_INITIALIZATION_PARAMETERS","features":[431]},{"name":"OPM_ENCRYPTED_INITIALIZATION_PARAMETERS_SIZE","features":[431]},{"name":"OPM_GET_ACP_AND_CGMSA_SIGNALING","features":[431]},{"name":"OPM_GET_ACTUAL_OUTPUT_FORMAT","features":[431]},{"name":"OPM_GET_ACTUAL_PROTECTION_LEVEL","features":[431]},{"name":"OPM_GET_ADAPTER_BUS_TYPE","features":[431]},{"name":"OPM_GET_CODEC_INFO","features":[431]},{"name":"OPM_GET_CODEC_INFO_INFORMATION","features":[431]},{"name":"OPM_GET_CODEC_INFO_PARAMETERS","features":[431]},{"name":"OPM_GET_CONNECTED_HDCP_DEVICE_INFORMATION","features":[431]},{"name":"OPM_GET_CONNECTOR_TYPE","features":[431]},{"name":"OPM_GET_CURRENT_HDCP_SRM_VERSION","features":[431]},{"name":"OPM_GET_DVI_CHARACTERISTICS","features":[431]},{"name":"OPM_GET_INFORMATION_PARAMETERS_SIZE","features":[431]},{"name":"OPM_GET_INFO_PARAMETERS","features":[431]},{"name":"OPM_GET_OUTPUT_HARDWARE_PROTECTION_SUPPORT","features":[431]},{"name":"OPM_GET_OUTPUT_ID","features":[431]},{"name":"OPM_GET_SUPPORTED_PROTECTION_TYPES","features":[431]},{"name":"OPM_GET_VIRTUAL_PROTECTION_LEVEL","features":[431]},{"name":"OPM_HDCP_FLAGS","features":[431]},{"name":"OPM_HDCP_FLAG_NONE","features":[431]},{"name":"OPM_HDCP_FLAG_REPEATER","features":[431]},{"name":"OPM_HDCP_KEY_SELECTION_VECTOR","features":[431]},{"name":"OPM_HDCP_KEY_SELECTION_VECTOR_SIZE","features":[431]},{"name":"OPM_HDCP_OFF","features":[431]},{"name":"OPM_HDCP_ON","features":[431]},{"name":"OPM_HDCP_PROTECTION_LEVEL","features":[431]},{"name":"OPM_HDCP_STATUS","features":[431]},{"name":"OPM_HDCP_STATUS_OFF","features":[431]},{"name":"OPM_HDCP_STATUS_ON","features":[431]},{"name":"OPM_HDCP_TYPE","features":[431]},{"name":"OPM_HDCP_TYPE_0","features":[431]},{"name":"OPM_HDCP_TYPE_1","features":[431]},{"name":"OPM_IMAGE_ASPECT_RATIO_EN300294","features":[431]},{"name":"OPM_OMAC","features":[431]},{"name":"OPM_OMAC_SIZE","features":[431]},{"name":"OPM_OUTPUT_HARDWARE_PROTECTION","features":[431]},{"name":"OPM_OUTPUT_HARDWARE_PROTECTION_NOT_SUPPORTED","features":[431]},{"name":"OPM_OUTPUT_HARDWARE_PROTECTION_SUPPORTED","features":[431]},{"name":"OPM_OUTPUT_ID_DATA","features":[431]},{"name":"OPM_PROTECTION_STANDARD_ARIBTRB15_1125I","features":[431]},{"name":"OPM_PROTECTION_STANDARD_ARIBTRB15_525I","features":[431]},{"name":"OPM_PROTECTION_STANDARD_ARIBTRB15_525P","features":[431]},{"name":"OPM_PROTECTION_STANDARD_ARIBTRB15_750P","features":[431]},{"name":"OPM_PROTECTION_STANDARD_CEA805A_TYPEA_1125I","features":[431]},{"name":"OPM_PROTECTION_STANDARD_CEA805A_TYPEA_525P","features":[431]},{"name":"OPM_PROTECTION_STANDARD_CEA805A_TYPEA_750P","features":[431]},{"name":"OPM_PROTECTION_STANDARD_CEA805A_TYPEB_1125I","features":[431]},{"name":"OPM_PROTECTION_STANDARD_CEA805A_TYPEB_525P","features":[431]},{"name":"OPM_PROTECTION_STANDARD_CEA805A_TYPEB_750P","features":[431]},{"name":"OPM_PROTECTION_STANDARD_EIA608B_525","features":[431]},{"name":"OPM_PROTECTION_STANDARD_EN300294_625I","features":[431]},{"name":"OPM_PROTECTION_STANDARD_IEC61880_2_525I","features":[431]},{"name":"OPM_PROTECTION_STANDARD_IEC61880_525I","features":[431]},{"name":"OPM_PROTECTION_STANDARD_IEC62375_625P","features":[431]},{"name":"OPM_PROTECTION_STANDARD_NONE","features":[431]},{"name":"OPM_PROTECTION_STANDARD_OTHER","features":[431]},{"name":"OPM_PROTECTION_STANDARD_TYPE","features":[431]},{"name":"OPM_PROTECTION_TYPE","features":[431]},{"name":"OPM_PROTECTION_TYPE_ACP","features":[431]},{"name":"OPM_PROTECTION_TYPE_CGMSA","features":[431]},{"name":"OPM_PROTECTION_TYPE_COPP_COMPATIBLE_HDCP","features":[431]},{"name":"OPM_PROTECTION_TYPE_DPCP","features":[431]},{"name":"OPM_PROTECTION_TYPE_HDCP","features":[431]},{"name":"OPM_PROTECTION_TYPE_NONE","features":[431]},{"name":"OPM_PROTECTION_TYPE_OTHER","features":[431]},{"name":"OPM_PROTECTION_TYPE_SIZE","features":[431]},{"name":"OPM_PROTECTION_TYPE_TYPE_ENFORCEMENT_HDCP","features":[431]},{"name":"OPM_RANDOM_NUMBER","features":[431]},{"name":"OPM_REQUESTED_INFORMATION","features":[431]},{"name":"OPM_REQUESTED_INFORMATION_SIZE","features":[431]},{"name":"OPM_SET_ACP_AND_CGMSA_SIGNALING","features":[431]},{"name":"OPM_SET_ACP_AND_CGMSA_SIGNALING_PARAMETERS","features":[431]},{"name":"OPM_SET_HDCP_SRM","features":[431]},{"name":"OPM_SET_HDCP_SRM_PARAMETERS","features":[431]},{"name":"OPM_SET_PROTECTION_LEVEL","features":[431]},{"name":"OPM_SET_PROTECTION_LEVEL_ACCORDING_TO_CSS_DVD","features":[431]},{"name":"OPM_SET_PROTECTION_LEVEL_PARAMETERS","features":[431]},{"name":"OPM_STANDARD_INFORMATION","features":[431]},{"name":"OPM_STATUS","features":[431]},{"name":"OPM_STATUS_LINK_LOST","features":[431]},{"name":"OPM_STATUS_NORMAL","features":[431]},{"name":"OPM_STATUS_RENEGOTIATION_REQUIRED","features":[431]},{"name":"OPM_STATUS_REVOKED_HDCP_DEVICE_ATTACHED","features":[431]},{"name":"OPM_STATUS_TAMPERING_DETECTED","features":[431]},{"name":"OPM_TYPE","features":[431]},{"name":"OPM_TYPE_ENFORCEMENT_HDCP_OFF","features":[431]},{"name":"OPM_TYPE_ENFORCEMENT_HDCP_ON_WITH_NO_TYPE_RESTRICTION","features":[431]},{"name":"OPM_TYPE_ENFORCEMENT_HDCP_ON_WITH_TYPE1_RESTRICTION","features":[431]},{"name":"OPM_TYPE_ENFORCEMENT_HDCP_PROTECTION_LEVEL","features":[431]},{"name":"OPM_VIDEO_OUTPUT_SEMANTICS","features":[431]},{"name":"OPM_VOS_COPP_SEMANTICS","features":[431]},{"name":"OPM_VOS_OPM_INDIRECT_DISPLAY","features":[431]},{"name":"OPM_VOS_OPM_SEMANTICS","features":[431]},{"name":"OPTIBEAM_ARRAY_AND_AEC","features":[431]},{"name":"OPTIBEAM_ARRAY_ONLY","features":[431]},{"name":"PDXVAHDSW_CreateDevice","features":[308,317,431]},{"name":"PDXVAHDSW_CreateVideoProcessor","features":[308,431]},{"name":"PDXVAHDSW_DestroyDevice","features":[308,431]},{"name":"PDXVAHDSW_DestroyVideoProcessor","features":[308,431]},{"name":"PDXVAHDSW_GetVideoProcessBltStatePrivate","features":[308,431]},{"name":"PDXVAHDSW_GetVideoProcessStreamStatePrivate","features":[308,431]},{"name":"PDXVAHDSW_GetVideoProcessorCaps","features":[308,431]},{"name":"PDXVAHDSW_GetVideoProcessorCustomRates","features":[308,431]},{"name":"PDXVAHDSW_GetVideoProcessorDeviceCaps","features":[308,317,431]},{"name":"PDXVAHDSW_GetVideoProcessorFilterRange","features":[308,431]},{"name":"PDXVAHDSW_GetVideoProcessorInputFormats","features":[308,317,431]},{"name":"PDXVAHDSW_GetVideoProcessorOutputFormats","features":[308,317,431]},{"name":"PDXVAHDSW_Plugin","features":[431]},{"name":"PDXVAHDSW_ProposeVideoPrivateFormat","features":[308,317,431]},{"name":"PDXVAHDSW_SetVideoProcessBltState","features":[308,431]},{"name":"PDXVAHDSW_SetVideoProcessStreamState","features":[308,431]},{"name":"PDXVAHDSW_VideoProcessBltHD","features":[308,317,431]},{"name":"PDXVAHD_CreateDevice","features":[317,431]},{"name":"PEACTION_COPY","features":[431]},{"name":"PEACTION_EXPORT","features":[431]},{"name":"PEACTION_EXTRACT","features":[431]},{"name":"PEACTION_LAST","features":[431]},{"name":"PEACTION_NO","features":[431]},{"name":"PEACTION_PLAY","features":[431]},{"name":"PEACTION_RESERVED1","features":[431]},{"name":"PEACTION_RESERVED2","features":[431]},{"name":"PEACTION_RESERVED3","features":[431]},{"name":"PIN_CATEGORY_ANALOGVIDEOIN","features":[431]},{"name":"PIN_CATEGORY_CAPTURE","features":[431]},{"name":"PIN_CATEGORY_CC","features":[431]},{"name":"PIN_CATEGORY_EDS","features":[431]},{"name":"PIN_CATEGORY_NABTS","features":[431]},{"name":"PIN_CATEGORY_PREVIEW","features":[431]},{"name":"PIN_CATEGORY_STILL","features":[431]},{"name":"PIN_CATEGORY_TELETEXT","features":[431]},{"name":"PIN_CATEGORY_TIMECODE","features":[431]},{"name":"PIN_CATEGORY_VBI","features":[431]},{"name":"PIN_CATEGORY_VIDEOPORT","features":[431]},{"name":"PIN_CATEGORY_VIDEOPORT_VBI","features":[431]},{"name":"PLAYTO_SOURCE_AUDIO","features":[431]},{"name":"PLAYTO_SOURCE_CREATEFLAGS","features":[431]},{"name":"PLAYTO_SOURCE_IMAGE","features":[431]},{"name":"PLAYTO_SOURCE_NONE","features":[431]},{"name":"PLAYTO_SOURCE_PROTECTED","features":[431]},{"name":"PLAYTO_SOURCE_VIDEO","features":[431]},{"name":"PRESENTATION_CURRENT_POSITION","features":[431]},{"name":"REQUIRE_PROMPT","features":[431]},{"name":"REQUIRE_SAVE_SELECTED","features":[431]},{"name":"ROI_AREA","features":[308,431]},{"name":"ROTATION_NONE","features":[431]},{"name":"ROTATION_NORMAL","features":[431]},{"name":"SAMPLE_PROTECTION_VERSION","features":[431]},{"name":"SAMPLE_PROTECTION_VERSION_AES128CTR","features":[431]},{"name":"SAMPLE_PROTECTION_VERSION_BASIC_LOKI","features":[431]},{"name":"SAMPLE_PROTECTION_VERSION_NO","features":[431]},{"name":"SAMPLE_PROTECTION_VERSION_RC4","features":[431]},{"name":"SAMPLE_PROTECTION_VERSION_SCATTER","features":[431]},{"name":"SEEK_ORIGIN","features":[431]},{"name":"SENSORPROFILEID","features":[431]},{"name":"SHA_HASH_LEN","features":[431]},{"name":"SINGLE_CHANNEL_AEC","features":[431]},{"name":"SINGLE_CHANNEL_NSAGC","features":[431]},{"name":"STREAM_MEDIUM","features":[431]},{"name":"SYSFXUI_DONOTSHOW_BASSBOOST","features":[431]},{"name":"SYSFXUI_DONOTSHOW_BASSMANAGEMENT","features":[431]},{"name":"SYSFXUI_DONOTSHOW_CHANNELPHANTOMING","features":[431]},{"name":"SYSFXUI_DONOTSHOW_HEADPHONEVIRTUALIZATION","features":[431]},{"name":"SYSFXUI_DONOTSHOW_LOUDNESSEQUALIZATION","features":[431]},{"name":"SYSFXUI_DONOTSHOW_ROOMCORRECTION","features":[431]},{"name":"SYSFXUI_DONOTSHOW_SPEAKERFILLING","features":[431]},{"name":"SYSFXUI_DONOTSHOW_VIRTUALSURROUND","features":[431]},{"name":"SequencerTopologyFlags_Last","features":[431]},{"name":"TIME_FORMAT_BYTE","features":[431]},{"name":"TIME_FORMAT_FIELD","features":[431]},{"name":"TIME_FORMAT_FRAME","features":[431]},{"name":"TIME_FORMAT_MEDIA_TIME","features":[431]},{"name":"TIME_FORMAT_NONE","features":[431]},{"name":"TIME_FORMAT_SAMPLE","features":[431]},{"name":"TOC_DESCRIPTOR","features":[431]},{"name":"TOC_ENTRY_DESCRIPTOR","features":[431]},{"name":"TOC_ENTRY_MAX_TITLE_SIZE","features":[431]},{"name":"TOC_MAX_DESCRIPTION_SIZE","features":[431]},{"name":"TOC_POS_INHEADER","features":[431]},{"name":"TOC_POS_TOPLEVELOBJECT","features":[431]},{"name":"TOC_POS_TYPE","features":[431]},{"name":"UUID_UdriTagTables","features":[431]},{"name":"UUID_WMDRMTagTables","features":[431]},{"name":"VIDEOINFOHEADER","features":[308,319,431]},{"name":"VIDEOINFOHEADER2","features":[308,319,431]},{"name":"VIDEO_ZOOM_RECT","features":[431]},{"name":"VRHP_BIGROOM","features":[431]},{"name":"VRHP_CUSTUMIZEDROOM","features":[431]},{"name":"VRHP_MEDIUMROOM","features":[431]},{"name":"VRHP_SMALLROOM","features":[431]},{"name":"VorbisDecoderMFT","features":[431]},{"name":"WMAAECMA_E_NO_ACTIVE_RENDER_STREAM","features":[431]},{"name":"WMT_PROP_DATATYPE","features":[431]},{"name":"WMT_PROP_TYPE_BINARY","features":[431]},{"name":"WMT_PROP_TYPE_BOOL","features":[431]},{"name":"WMT_PROP_TYPE_DWORD","features":[431]},{"name":"WMT_PROP_TYPE_GUID","features":[431]},{"name":"WMT_PROP_TYPE_QWORD","features":[431]},{"name":"WMT_PROP_TYPE_STRING","features":[431]},{"name":"WMT_PROP_TYPE_WORD","features":[431]},{"name":"WMV_DYNAMIC_BITRATE","features":[431]},{"name":"WMV_DYNAMIC_COMPLEXITY","features":[431]},{"name":"WMV_DYNAMIC_FLAGS","features":[431]},{"name":"WMV_DYNAMIC_RESOLUTION","features":[431]},{"name":"WM_CODEC_ONEPASS_CBR","features":[431]},{"name":"WM_CODEC_ONEPASS_VBR","features":[431]},{"name":"WM_CODEC_TWOPASS_CBR","features":[431]},{"name":"WM_CODEC_TWOPASS_VBR_PEAKCONSTRAINED","features":[431]},{"name":"WM_CODEC_TWOPASS_VBR_UNCONSTRAINED","features":[431]},{"name":"_MFP_CREDENTIAL_FLAGS","features":[431]},{"name":"_MFP_MEDIAITEM_CHARACTERISTICS","features":[431]},{"name":"_MFT_INPUT_DATA_BUFFER_FLAGS","features":[431]},{"name":"_MFT_INPUT_STATUS_FLAGS","features":[431]},{"name":"_MFT_INPUT_STREAM_INFO_FLAGS","features":[431]},{"name":"_MFT_OUTPUT_DATA_BUFFER_FLAGS","features":[431]},{"name":"_MFT_OUTPUT_STATUS_FLAGS","features":[431]},{"name":"_MFT_OUTPUT_STREAM_INFO_FLAGS","features":[431]},{"name":"_MFT_PROCESS_OUTPUT_FLAGS","features":[431]},{"name":"_MFT_PROCESS_OUTPUT_STATUS","features":[431]},{"name":"_MFT_SET_TYPE_FLAGS","features":[431]},{"name":"_msoBegin","features":[431]},{"name":"_msoCurrent","features":[431]},{"name":"eAVAudioChannelConfig","features":[431]},{"name":"eAVAudioChannelConfig_BACK_CENTER","features":[431]},{"name":"eAVAudioChannelConfig_BACK_LEFT","features":[431]},{"name":"eAVAudioChannelConfig_BACK_RIGHT","features":[431]},{"name":"eAVAudioChannelConfig_FRONT_CENTER","features":[431]},{"name":"eAVAudioChannelConfig_FRONT_LEFT","features":[431]},{"name":"eAVAudioChannelConfig_FRONT_LEFT_OF_CENTER","features":[431]},{"name":"eAVAudioChannelConfig_FRONT_RIGHT","features":[431]},{"name":"eAVAudioChannelConfig_FRONT_RIGHT_OF_CENTER","features":[431]},{"name":"eAVAudioChannelConfig_LOW_FREQUENCY","features":[431]},{"name":"eAVAudioChannelConfig_SIDE_LEFT","features":[431]},{"name":"eAVAudioChannelConfig_SIDE_RIGHT","features":[431]},{"name":"eAVAudioChannelConfig_TOP_BACK_CENTER","features":[431]},{"name":"eAVAudioChannelConfig_TOP_BACK_LEFT","features":[431]},{"name":"eAVAudioChannelConfig_TOP_BACK_RIGHT","features":[431]},{"name":"eAVAudioChannelConfig_TOP_CENTER","features":[431]},{"name":"eAVAudioChannelConfig_TOP_FRONT_CENTER","features":[431]},{"name":"eAVAudioChannelConfig_TOP_FRONT_LEFT","features":[431]},{"name":"eAVAudioChannelConfig_TOP_FRONT_RIGHT","features":[431]},{"name":"eAVDDSurroundMode","features":[431]},{"name":"eAVDDSurroundMode_No","features":[431]},{"name":"eAVDDSurroundMode_NotIndicated","features":[431]},{"name":"eAVDDSurroundMode_Yes","features":[431]},{"name":"eAVDSPLoudnessEqualization","features":[431]},{"name":"eAVDSPLoudnessEqualization_AUTO","features":[431]},{"name":"eAVDSPLoudnessEqualization_OFF","features":[431]},{"name":"eAVDSPLoudnessEqualization_ON","features":[431]},{"name":"eAVDSPSpeakerFill","features":[431]},{"name":"eAVDSPSpeakerFill_AUTO","features":[431]},{"name":"eAVDSPSpeakerFill_OFF","features":[431]},{"name":"eAVDSPSpeakerFill_ON","features":[431]},{"name":"eAVDecAACDownmixMode","features":[431]},{"name":"eAVDecAACUseARIBDownmix","features":[431]},{"name":"eAVDecAACUseISODownmix","features":[431]},{"name":"eAVDecAudioDualMono","features":[431]},{"name":"eAVDecAudioDualMonoReproMode","features":[431]},{"name":"eAVDecAudioDualMonoReproMode_LEFT_MONO","features":[431]},{"name":"eAVDecAudioDualMonoReproMode_MIX_MONO","features":[431]},{"name":"eAVDecAudioDualMonoReproMode_RIGHT_MONO","features":[431]},{"name":"eAVDecAudioDualMonoReproMode_STEREO","features":[431]},{"name":"eAVDecAudioDualMono_IsDualMono","features":[431]},{"name":"eAVDecAudioDualMono_IsNotDualMono","features":[431]},{"name":"eAVDecAudioDualMono_UnSpecified","features":[431]},{"name":"eAVDecDDMatrixDecodingMode","features":[431]},{"name":"eAVDecDDMatrixDecodingMode_AUTO","features":[431]},{"name":"eAVDecDDMatrixDecodingMode_OFF","features":[431]},{"name":"eAVDecDDMatrixDecodingMode_ON","features":[431]},{"name":"eAVDecDDOperationalMode","features":[431]},{"name":"eAVDecDDOperationalMode_CUSTOM0","features":[431]},{"name":"eAVDecDDOperationalMode_CUSTOM1","features":[431]},{"name":"eAVDecDDOperationalMode_LINE","features":[431]},{"name":"eAVDecDDOperationalMode_NONE","features":[431]},{"name":"eAVDecDDOperationalMode_PORTABLE11","features":[431]},{"name":"eAVDecDDOperationalMode_PORTABLE14","features":[431]},{"name":"eAVDecDDOperationalMode_PORTABLE8","features":[431]},{"name":"eAVDecDDOperationalMode_RF","features":[431]},{"name":"eAVDecDDStereoDownMixMode","features":[431]},{"name":"eAVDecDDStereoDownMixMode_Auto","features":[431]},{"name":"eAVDecDDStereoDownMixMode_LoRo","features":[431]},{"name":"eAVDecDDStereoDownMixMode_LtRt","features":[431]},{"name":"eAVDecHEAACDynamicRangeControl","features":[431]},{"name":"eAVDecHEAACDynamicRangeControl_OFF","features":[431]},{"name":"eAVDecHEAACDynamicRangeControl_ON","features":[431]},{"name":"eAVDecVideoCodecType","features":[431]},{"name":"eAVDecVideoCodecType_H264","features":[431]},{"name":"eAVDecVideoCodecType_MPEG2","features":[431]},{"name":"eAVDecVideoCodecType_NOTPLAYING","features":[431]},{"name":"eAVDecVideoDXVABusEncryption","features":[431]},{"name":"eAVDecVideoDXVABusEncryption_AES","features":[431]},{"name":"eAVDecVideoDXVABusEncryption_NONE","features":[431]},{"name":"eAVDecVideoDXVABusEncryption_PRIVATE","features":[431]},{"name":"eAVDecVideoDXVAMode","features":[431]},{"name":"eAVDecVideoDXVAMode_IDCT","features":[431]},{"name":"eAVDecVideoDXVAMode_MC","features":[431]},{"name":"eAVDecVideoDXVAMode_NOTPLAYING","features":[431]},{"name":"eAVDecVideoDXVAMode_SW","features":[431]},{"name":"eAVDecVideoDXVAMode_VLD","features":[431]},{"name":"eAVDecVideoH264ErrorConcealment","features":[431]},{"name":"eAVDecVideoInputScanType","features":[431]},{"name":"eAVDecVideoInputScan_Interlaced_LowerFieldFirst","features":[431]},{"name":"eAVDecVideoInputScan_Interlaced_UpperFieldFirst","features":[431]},{"name":"eAVDecVideoInputScan_Progressive","features":[431]},{"name":"eAVDecVideoInputScan_Unknown","features":[431]},{"name":"eAVDecVideoMPEG2ErrorConcealment","features":[431]},{"name":"eAVDecVideoSWPowerLevel","features":[431]},{"name":"eAVDecVideoSWPowerLevel_Balanced","features":[431]},{"name":"eAVDecVideoSWPowerLevel_BatteryLife","features":[431]},{"name":"eAVDecVideoSWPowerLevel_VideoQuality","features":[431]},{"name":"eAVDecVideoSoftwareDeinterlaceMode","features":[431]},{"name":"eAVDecVideoSoftwareDeinterlaceMode_BOBDeinterlacing","features":[431]},{"name":"eAVDecVideoSoftwareDeinterlaceMode_NoDeinterlacing","features":[431]},{"name":"eAVDecVideoSoftwareDeinterlaceMode_ProgressiveDeinterlacing","features":[431]},{"name":"eAVDecVideoSoftwareDeinterlaceMode_SmartBOBDeinterlacing","features":[431]},{"name":"eAVEncAV1PictureType","features":[431]},{"name":"eAVEncAV1PictureType_Inter","features":[431]},{"name":"eAVEncAV1PictureType_Intra_Only","features":[431]},{"name":"eAVEncAV1PictureType_Key","features":[431]},{"name":"eAVEncAV1PictureType_Switch","features":[431]},{"name":"eAVEncAV1VLevel","features":[431]},{"name":"eAVEncAV1VLevel2","features":[431]},{"name":"eAVEncAV1VLevel2_1","features":[431]},{"name":"eAVEncAV1VLevel3","features":[431]},{"name":"eAVEncAV1VLevel3_1","features":[431]},{"name":"eAVEncAV1VLevel4","features":[431]},{"name":"eAVEncAV1VLevel4_1","features":[431]},{"name":"eAVEncAV1VLevel5","features":[431]},{"name":"eAVEncAV1VLevel5_1","features":[431]},{"name":"eAVEncAV1VLevel5_2","features":[431]},{"name":"eAVEncAV1VLevel5_3","features":[431]},{"name":"eAVEncAV1VLevel6","features":[431]},{"name":"eAVEncAV1VLevel6_1","features":[431]},{"name":"eAVEncAV1VLevel6_2","features":[431]},{"name":"eAVEncAV1VLevel6_3","features":[431]},{"name":"eAVEncAV1VProfile","features":[431]},{"name":"eAVEncAV1VProfile_High_444_10","features":[431]},{"name":"eAVEncAV1VProfile_High_444_8","features":[431]},{"name":"eAVEncAV1VProfile_Main_400_10","features":[431]},{"name":"eAVEncAV1VProfile_Main_400_8","features":[431]},{"name":"eAVEncAV1VProfile_Main_420_10","features":[431]},{"name":"eAVEncAV1VProfile_Main_420_8","features":[431]},{"name":"eAVEncAV1VProfile_Professional_400_12","features":[431]},{"name":"eAVEncAV1VProfile_Professional_420_12","features":[431]},{"name":"eAVEncAV1VProfile_Professional_422_10","features":[431]},{"name":"eAVEncAV1VProfile_Professional_422_12","features":[431]},{"name":"eAVEncAV1VProfile_Professional_422_8","features":[431]},{"name":"eAVEncAV1VProfile_Professional_444_12","features":[431]},{"name":"eAVEncAV1VProfile_unknown","features":[431]},{"name":"eAVEncAdaptiveMode","features":[431]},{"name":"eAVEncAdaptiveMode_FrameRate","features":[431]},{"name":"eAVEncAdaptiveMode_None","features":[431]},{"name":"eAVEncAdaptiveMode_Resolution","features":[431]},{"name":"eAVEncAudioDualMono","features":[431]},{"name":"eAVEncAudioDualMono_Off","features":[431]},{"name":"eAVEncAudioDualMono_On","features":[431]},{"name":"eAVEncAudioDualMono_SameAsInput","features":[431]},{"name":"eAVEncAudioInputContent","features":[431]},{"name":"eAVEncChromaEncodeMode","features":[431]},{"name":"eAVEncChromaEncodeMode_420","features":[431]},{"name":"eAVEncChromaEncodeMode_444","features":[431]},{"name":"eAVEncChromaEncodeMode_444_v2","features":[431]},{"name":"eAVEncCommonRateControlMode","features":[431]},{"name":"eAVEncCommonRateControlMode_CBR","features":[431]},{"name":"eAVEncCommonRateControlMode_GlobalLowDelayVBR","features":[431]},{"name":"eAVEncCommonRateControlMode_GlobalVBR","features":[431]},{"name":"eAVEncCommonRateControlMode_LowDelayVBR","features":[431]},{"name":"eAVEncCommonRateControlMode_PeakConstrainedVBR","features":[431]},{"name":"eAVEncCommonRateControlMode_Quality","features":[431]},{"name":"eAVEncCommonRateControlMode_UnconstrainedVBR","features":[431]},{"name":"eAVEncCommonStreamEndHandling","features":[431]},{"name":"eAVEncCommonStreamEndHandling_DiscardPartial","features":[431]},{"name":"eAVEncCommonStreamEndHandling_EnsureComplete","features":[431]},{"name":"eAVEncDDAtoDConverterType","features":[431]},{"name":"eAVEncDDAtoDConverterType_HDCD","features":[431]},{"name":"eAVEncDDAtoDConverterType_Standard","features":[431]},{"name":"eAVEncDDDynamicRangeCompressionControl","features":[431]},{"name":"eAVEncDDDynamicRangeCompressionControl_FilmLight","features":[431]},{"name":"eAVEncDDDynamicRangeCompressionControl_FilmStandard","features":[431]},{"name":"eAVEncDDDynamicRangeCompressionControl_MusicLight","features":[431]},{"name":"eAVEncDDDynamicRangeCompressionControl_MusicStandard","features":[431]},{"name":"eAVEncDDDynamicRangeCompressionControl_None","features":[431]},{"name":"eAVEncDDDynamicRangeCompressionControl_Speech","features":[431]},{"name":"eAVEncDDHeadphoneMode","features":[431]},{"name":"eAVEncDDHeadphoneMode_Encoded","features":[431]},{"name":"eAVEncDDHeadphoneMode_NotEncoded","features":[431]},{"name":"eAVEncDDHeadphoneMode_NotIndicated","features":[431]},{"name":"eAVEncDDPreferredStereoDownMixMode","features":[431]},{"name":"eAVEncDDPreferredStereoDownMixMode_LoRo","features":[431]},{"name":"eAVEncDDPreferredStereoDownMixMode_LtRt","features":[431]},{"name":"eAVEncDDProductionRoomType","features":[431]},{"name":"eAVEncDDProductionRoomType_Large","features":[431]},{"name":"eAVEncDDProductionRoomType_NotIndicated","features":[431]},{"name":"eAVEncDDProductionRoomType_Small","features":[431]},{"name":"eAVEncDDService","features":[431]},{"name":"eAVEncDDService_C","features":[431]},{"name":"eAVEncDDService_CM","features":[431]},{"name":"eAVEncDDService_D","features":[431]},{"name":"eAVEncDDService_E","features":[431]},{"name":"eAVEncDDService_HI","features":[431]},{"name":"eAVEncDDService_ME","features":[431]},{"name":"eAVEncDDService_VI","features":[431]},{"name":"eAVEncDDService_VO","features":[431]},{"name":"eAVEncDDSurroundExMode","features":[431]},{"name":"eAVEncDDSurroundExMode_No","features":[431]},{"name":"eAVEncDDSurroundExMode_NotIndicated","features":[431]},{"name":"eAVEncDDSurroundExMode_Yes","features":[431]},{"name":"eAVEncH263PictureType","features":[431]},{"name":"eAVEncH263PictureType_B","features":[431]},{"name":"eAVEncH263PictureType_I","features":[431]},{"name":"eAVEncH263PictureType_P","features":[431]},{"name":"eAVEncH263VLevel","features":[431]},{"name":"eAVEncH263VLevel1","features":[431]},{"name":"eAVEncH263VLevel2","features":[431]},{"name":"eAVEncH263VLevel3","features":[431]},{"name":"eAVEncH263VLevel4","features":[431]},{"name":"eAVEncH263VLevel4_5","features":[431]},{"name":"eAVEncH263VLevel5","features":[431]},{"name":"eAVEncH263VLevel6","features":[431]},{"name":"eAVEncH263VLevel7","features":[431]},{"name":"eAVEncH263VProfile","features":[431]},{"name":"eAVEncH263VProfile_Base","features":[431]},{"name":"eAVEncH263VProfile_CompatibilityV1","features":[431]},{"name":"eAVEncH263VProfile_CompatibilityV2","features":[431]},{"name":"eAVEncH263VProfile_HighCompression","features":[431]},{"name":"eAVEncH263VProfile_HighLatency","features":[431]},{"name":"eAVEncH263VProfile_Interlace","features":[431]},{"name":"eAVEncH263VProfile_Internet","features":[431]},{"name":"eAVEncH263VProfile_WirelessV2","features":[431]},{"name":"eAVEncH263VProfile_WirelessV3","features":[431]},{"name":"eAVEncH264PictureType","features":[431]},{"name":"eAVEncH264PictureType_B","features":[431]},{"name":"eAVEncH264PictureType_IDR","features":[431]},{"name":"eAVEncH264PictureType_P","features":[431]},{"name":"eAVEncH264VLevel","features":[431]},{"name":"eAVEncH264VLevel1","features":[431]},{"name":"eAVEncH264VLevel1_1","features":[431]},{"name":"eAVEncH264VLevel1_2","features":[431]},{"name":"eAVEncH264VLevel1_3","features":[431]},{"name":"eAVEncH264VLevel1_b","features":[431]},{"name":"eAVEncH264VLevel2","features":[431]},{"name":"eAVEncH264VLevel2_1","features":[431]},{"name":"eAVEncH264VLevel2_2","features":[431]},{"name":"eAVEncH264VLevel3","features":[431]},{"name":"eAVEncH264VLevel3_1","features":[431]},{"name":"eAVEncH264VLevel3_2","features":[431]},{"name":"eAVEncH264VLevel4","features":[431]},{"name":"eAVEncH264VLevel4_1","features":[431]},{"name":"eAVEncH264VLevel4_2","features":[431]},{"name":"eAVEncH264VLevel5","features":[431]},{"name":"eAVEncH264VLevel5_1","features":[431]},{"name":"eAVEncH264VLevel5_2","features":[431]},{"name":"eAVEncH264VProfile","features":[431]},{"name":"eAVEncH264VProfile_422","features":[431]},{"name":"eAVEncH264VProfile_444","features":[431]},{"name":"eAVEncH264VProfile_Base","features":[431]},{"name":"eAVEncH264VProfile_ConstrainedBase","features":[431]},{"name":"eAVEncH264VProfile_Extended","features":[431]},{"name":"eAVEncH264VProfile_High","features":[431]},{"name":"eAVEncH264VProfile_High10","features":[431]},{"name":"eAVEncH264VProfile_Main","features":[431]},{"name":"eAVEncH264VProfile_MultiviewHigh","features":[431]},{"name":"eAVEncH264VProfile_ScalableBase","features":[431]},{"name":"eAVEncH264VProfile_ScalableHigh","features":[431]},{"name":"eAVEncH264VProfile_Simple","features":[431]},{"name":"eAVEncH264VProfile_StereoHigh","features":[431]},{"name":"eAVEncH264VProfile_UCConstrainedHigh","features":[431]},{"name":"eAVEncH264VProfile_UCScalableConstrainedBase","features":[431]},{"name":"eAVEncH264VProfile_UCScalableConstrainedHigh","features":[431]},{"name":"eAVEncH264VProfile_unknown","features":[431]},{"name":"eAVEncH265VLevel","features":[431]},{"name":"eAVEncH265VLevel1","features":[431]},{"name":"eAVEncH265VLevel2","features":[431]},{"name":"eAVEncH265VLevel2_1","features":[431]},{"name":"eAVEncH265VLevel3","features":[431]},{"name":"eAVEncH265VLevel3_1","features":[431]},{"name":"eAVEncH265VLevel4","features":[431]},{"name":"eAVEncH265VLevel4_1","features":[431]},{"name":"eAVEncH265VLevel5","features":[431]},{"name":"eAVEncH265VLevel5_1","features":[431]},{"name":"eAVEncH265VLevel5_2","features":[431]},{"name":"eAVEncH265VLevel6","features":[431]},{"name":"eAVEncH265VLevel6_1","features":[431]},{"name":"eAVEncH265VLevel6_2","features":[431]},{"name":"eAVEncH265VProfile","features":[431]},{"name":"eAVEncH265VProfile_MainIntra_420_10","features":[431]},{"name":"eAVEncH265VProfile_MainIntra_420_12","features":[431]},{"name":"eAVEncH265VProfile_MainIntra_420_8","features":[431]},{"name":"eAVEncH265VProfile_MainIntra_422_10","features":[431]},{"name":"eAVEncH265VProfile_MainIntra_422_12","features":[431]},{"name":"eAVEncH265VProfile_MainIntra_444_10","features":[431]},{"name":"eAVEncH265VProfile_MainIntra_444_12","features":[431]},{"name":"eAVEncH265VProfile_MainIntra_444_16","features":[431]},{"name":"eAVEncH265VProfile_MainIntra_444_8","features":[431]},{"name":"eAVEncH265VProfile_MainStill_420_8","features":[431]},{"name":"eAVEncH265VProfile_MainStill_444_16","features":[431]},{"name":"eAVEncH265VProfile_MainStill_444_8","features":[431]},{"name":"eAVEncH265VProfile_Main_420_10","features":[431]},{"name":"eAVEncH265VProfile_Main_420_12","features":[431]},{"name":"eAVEncH265VProfile_Main_420_8","features":[431]},{"name":"eAVEncH265VProfile_Main_422_10","features":[431]},{"name":"eAVEncH265VProfile_Main_422_12","features":[431]},{"name":"eAVEncH265VProfile_Main_444_10","features":[431]},{"name":"eAVEncH265VProfile_Main_444_12","features":[431]},{"name":"eAVEncH265VProfile_Main_444_8","features":[431]},{"name":"eAVEncH265VProfile_Monochrome_12","features":[431]},{"name":"eAVEncH265VProfile_Monochrome_16","features":[431]},{"name":"eAVEncH265VProfile_unknown","features":[431]},{"name":"eAVEncInputVideoSystem","features":[431]},{"name":"eAVEncInputVideoSystem_Component","features":[431]},{"name":"eAVEncInputVideoSystem_HDV","features":[431]},{"name":"eAVEncInputVideoSystem_MAC","features":[431]},{"name":"eAVEncInputVideoSystem_NTSC","features":[431]},{"name":"eAVEncInputVideoSystem_PAL","features":[431]},{"name":"eAVEncInputVideoSystem_SECAM","features":[431]},{"name":"eAVEncInputVideoSystem_Unspecified","features":[431]},{"name":"eAVEncMPACodingMode","features":[431]},{"name":"eAVEncMPACodingMode_DualChannel","features":[431]},{"name":"eAVEncMPACodingMode_JointStereo","features":[431]},{"name":"eAVEncMPACodingMode_Mono","features":[431]},{"name":"eAVEncMPACodingMode_Stereo","features":[431]},{"name":"eAVEncMPACodingMode_Surround","features":[431]},{"name":"eAVEncMPAEmphasisType","features":[431]},{"name":"eAVEncMPAEmphasisType_50_15","features":[431]},{"name":"eAVEncMPAEmphasisType_CCITT_J17","features":[431]},{"name":"eAVEncMPAEmphasisType_None","features":[431]},{"name":"eAVEncMPAEmphasisType_Reserved","features":[431]},{"name":"eAVEncMPALayer","features":[431]},{"name":"eAVEncMPALayer_1","features":[431]},{"name":"eAVEncMPALayer_2","features":[431]},{"name":"eAVEncMPALayer_3","features":[431]},{"name":"eAVEncMPVFrameFieldMode","features":[431]},{"name":"eAVEncMPVFrameFieldMode_FieldMode","features":[431]},{"name":"eAVEncMPVFrameFieldMode_FrameMode","features":[431]},{"name":"eAVEncMPVIntraVLCTable","features":[431]},{"name":"eAVEncMPVIntraVLCTable_Alternate","features":[431]},{"name":"eAVEncMPVIntraVLCTable_Auto","features":[431]},{"name":"eAVEncMPVIntraVLCTable_MPEG1","features":[431]},{"name":"eAVEncMPVLevel","features":[431]},{"name":"eAVEncMPVLevel_High","features":[431]},{"name":"eAVEncMPVLevel_High1440","features":[431]},{"name":"eAVEncMPVLevel_Low","features":[431]},{"name":"eAVEncMPVLevel_Main","features":[431]},{"name":"eAVEncMPVProfile","features":[431]},{"name":"eAVEncMPVProfile_422","features":[431]},{"name":"eAVEncMPVProfile_High","features":[431]},{"name":"eAVEncMPVProfile_Main","features":[431]},{"name":"eAVEncMPVProfile_Simple","features":[431]},{"name":"eAVEncMPVProfile_unknown","features":[431]},{"name":"eAVEncMPVQScaleType","features":[431]},{"name":"eAVEncMPVQScaleType_Auto","features":[431]},{"name":"eAVEncMPVQScaleType_Linear","features":[431]},{"name":"eAVEncMPVQScaleType_NonLinear","features":[431]},{"name":"eAVEncMPVScanPattern","features":[431]},{"name":"eAVEncMPVScanPattern_AlternateScan","features":[431]},{"name":"eAVEncMPVScanPattern_Auto","features":[431]},{"name":"eAVEncMPVScanPattern_ZigZagScan","features":[431]},{"name":"eAVEncMPVSceneDetection","features":[431]},{"name":"eAVEncMPVSceneDetection_InsertIPicture","features":[431]},{"name":"eAVEncMPVSceneDetection_None","features":[431]},{"name":"eAVEncMPVSceneDetection_StartNewGOP","features":[431]},{"name":"eAVEncMPVSceneDetection_StartNewLocatableGOP","features":[431]},{"name":"eAVEncMuxOutput","features":[431]},{"name":"eAVEncMuxOutputAuto","features":[431]},{"name":"eAVEncMuxOutputPS","features":[431]},{"name":"eAVEncMuxOutputTS","features":[431]},{"name":"eAVEncVP9VProfile","features":[431]},{"name":"eAVEncVP9VProfile_420_10","features":[431]},{"name":"eAVEncVP9VProfile_420_12","features":[431]},{"name":"eAVEncVP9VProfile_420_8","features":[431]},{"name":"eAVEncVP9VProfile_unknown","features":[431]},{"name":"eAVEncVideoChromaResolution","features":[431]},{"name":"eAVEncVideoChromaResolution_411","features":[431]},{"name":"eAVEncVideoChromaResolution_420","features":[431]},{"name":"eAVEncVideoChromaResolution_422","features":[431]},{"name":"eAVEncVideoChromaResolution_444","features":[431]},{"name":"eAVEncVideoChromaResolution_SameAsSource","features":[431]},{"name":"eAVEncVideoChromaSubsampling","features":[431]},{"name":"eAVEncVideoChromaSubsamplingFormat_Horizontally_Cosited","features":[431]},{"name":"eAVEncVideoChromaSubsamplingFormat_ProgressiveChroma","features":[431]},{"name":"eAVEncVideoChromaSubsamplingFormat_SameAsSource","features":[431]},{"name":"eAVEncVideoChromaSubsamplingFormat_Vertically_AlignedChromaPlanes","features":[431]},{"name":"eAVEncVideoChromaSubsamplingFormat_Vertically_Cosited","features":[431]},{"name":"eAVEncVideoColorLighting","features":[431]},{"name":"eAVEncVideoColorLighting_Bright","features":[431]},{"name":"eAVEncVideoColorLighting_Dark","features":[431]},{"name":"eAVEncVideoColorLighting_Dim","features":[431]},{"name":"eAVEncVideoColorLighting_Office","features":[431]},{"name":"eAVEncVideoColorLighting_SameAsSource","features":[431]},{"name":"eAVEncVideoColorLighting_Unknown","features":[431]},{"name":"eAVEncVideoColorNominalRange","features":[431]},{"name":"eAVEncVideoColorNominalRange_0_255","features":[431]},{"name":"eAVEncVideoColorNominalRange_16_235","features":[431]},{"name":"eAVEncVideoColorNominalRange_48_208","features":[431]},{"name":"eAVEncVideoColorNominalRange_SameAsSource","features":[431]},{"name":"eAVEncVideoColorPrimaries","features":[431]},{"name":"eAVEncVideoColorPrimaries_BT470_2_SysBG","features":[431]},{"name":"eAVEncVideoColorPrimaries_BT470_2_SysM","features":[431]},{"name":"eAVEncVideoColorPrimaries_BT709","features":[431]},{"name":"eAVEncVideoColorPrimaries_EBU3231","features":[431]},{"name":"eAVEncVideoColorPrimaries_Reserved","features":[431]},{"name":"eAVEncVideoColorPrimaries_SMPTE170M","features":[431]},{"name":"eAVEncVideoColorPrimaries_SMPTE240M","features":[431]},{"name":"eAVEncVideoColorPrimaries_SMPTE_C","features":[431]},{"name":"eAVEncVideoColorPrimaries_SameAsSource","features":[431]},{"name":"eAVEncVideoColorTransferFunction","features":[431]},{"name":"eAVEncVideoColorTransferFunction_10","features":[431]},{"name":"eAVEncVideoColorTransferFunction_18","features":[431]},{"name":"eAVEncVideoColorTransferFunction_20","features":[431]},{"name":"eAVEncVideoColorTransferFunction_22","features":[431]},{"name":"eAVEncVideoColorTransferFunction_22_240M","features":[431]},{"name":"eAVEncVideoColorTransferFunction_22_709","features":[431]},{"name":"eAVEncVideoColorTransferFunction_22_8bit_sRGB","features":[431]},{"name":"eAVEncVideoColorTransferFunction_28","features":[431]},{"name":"eAVEncVideoColorTransferFunction_SameAsSource","features":[431]},{"name":"eAVEncVideoColorTransferMatrix","features":[431]},{"name":"eAVEncVideoColorTransferMatrix_BT601","features":[431]},{"name":"eAVEncVideoColorTransferMatrix_BT709","features":[431]},{"name":"eAVEncVideoColorTransferMatrix_SMPTE240M","features":[431]},{"name":"eAVEncVideoColorTransferMatrix_SameAsSource","features":[431]},{"name":"eAVEncVideoContentType","features":[431]},{"name":"eAVEncVideoContentType_FixedCameraAngle","features":[431]},{"name":"eAVEncVideoContentType_Unknown","features":[431]},{"name":"eAVEncVideoFilmContent","features":[431]},{"name":"eAVEncVideoFilmContent_FilmOnly","features":[431]},{"name":"eAVEncVideoFilmContent_Mixed","features":[431]},{"name":"eAVEncVideoFilmContent_VideoOnly","features":[431]},{"name":"eAVEncVideoOutputFrameRateConversion","features":[431]},{"name":"eAVEncVideoOutputFrameRateConversion_Alias","features":[431]},{"name":"eAVEncVideoOutputFrameRateConversion_Disable","features":[431]},{"name":"eAVEncVideoOutputFrameRateConversion_Enable","features":[431]},{"name":"eAVEncVideoOutputScanType","features":[431]},{"name":"eAVEncVideoOutputScan_Automatic","features":[431]},{"name":"eAVEncVideoOutputScan_Interlaced","features":[431]},{"name":"eAVEncVideoOutputScan_Progressive","features":[431]},{"name":"eAVEncVideoOutputScan_SameAsInput","features":[431]},{"name":"eAVEncVideoSourceScanType","features":[431]},{"name":"eAVEncVideoSourceScan_Automatic","features":[431]},{"name":"eAVEncVideoSourceScan_Interlaced","features":[431]},{"name":"eAVEncVideoSourceScan_Progressive","features":[431]},{"name":"eAVFastDecodeMode","features":[431]},{"name":"eAVScenarioInfo","features":[431]},{"name":"eAVScenarioInfo_Archive","features":[431]},{"name":"eAVScenarioInfo_CameraRecord","features":[431]},{"name":"eAVScenarioInfo_DisplayRemoting","features":[431]},{"name":"eAVScenarioInfo_DisplayRemotingWithFeatureMap","features":[431]},{"name":"eAVScenarioInfo_LiveStreaming","features":[431]},{"name":"eAVScenarioInfo_Unknown","features":[431]},{"name":"eAVScenarioInfo_VideoConference","features":[431]},{"name":"eAllocationTypeDynamic","features":[431]},{"name":"eAllocationTypeIgnore","features":[431]},{"name":"eAllocationTypePageable","features":[431]},{"name":"eAllocationTypeRT","features":[431]},{"name":"eErrorConcealmentOff","features":[431]},{"name":"eErrorConcealmentOn","features":[431]},{"name":"eErrorConcealmentTypeAdvanced","features":[431]},{"name":"eErrorConcealmentTypeBasic","features":[431]},{"name":"eErrorConcealmentTypeDXVASetBlack","features":[431]},{"name":"eErrorConcealmentTypeDrop","features":[431]},{"name":"eVideoDecodeCompliant","features":[431]},{"name":"eVideoDecodeDisableLF","features":[431]},{"name":"eVideoDecodeFastest","features":[431]},{"name":"eVideoDecodeOptimalLF","features":[431]},{"name":"eVideoEncoderDisplayContentType","features":[431]},{"name":"eVideoEncoderDisplayContent_FullScreenVideo","features":[431]},{"name":"eVideoEncoderDisplayContent_Unknown","features":[431]},{"name":"g_wszSpeechFormatCaps","features":[431]},{"name":"g_wszWMCPAudioVBRQuality","features":[431]},{"name":"g_wszWMCPAudioVBRSupported","features":[431]},{"name":"g_wszWMCPCodecName","features":[431]},{"name":"g_wszWMCPDefaultCrisp","features":[431]},{"name":"g_wszWMCPMaxPasses","features":[431]},{"name":"g_wszWMCPSupportedVBRModes","features":[431]},{"name":"msoBegin","features":[431]},{"name":"msoCurrent","features":[431]}],"437":[{"name":"CLSID_WMPMediaPluginRegistrar","features":[438]},{"name":"CLSID_WMPSkinManager","features":[438]},{"name":"CLSID_XFeedsManager","features":[438]},{"name":"DISPID_DELTA","features":[438]},{"name":"DISPID_FEEDENCLOSURE_AsyncDownload","features":[438]},{"name":"DISPID_FEEDENCLOSURE_CancelAsyncDownload","features":[438]},{"name":"DISPID_FEEDENCLOSURE_DownloadMimeType","features":[438]},{"name":"DISPID_FEEDENCLOSURE_DownloadStatus","features":[438]},{"name":"DISPID_FEEDENCLOSURE_DownloadUrl","features":[438]},{"name":"DISPID_FEEDENCLOSURE_LastDownloadError","features":[438]},{"name":"DISPID_FEEDENCLOSURE_Length","features":[438]},{"name":"DISPID_FEEDENCLOSURE_LocalPath","features":[438]},{"name":"DISPID_FEEDENCLOSURE_Parent","features":[438]},{"name":"DISPID_FEEDENCLOSURE_RemoveFile","features":[438]},{"name":"DISPID_FEEDENCLOSURE_SetFile","features":[438]},{"name":"DISPID_FEEDENCLOSURE_Type","features":[438]},{"name":"DISPID_FEEDENCLOSURE_Url","features":[438]},{"name":"DISPID_FEEDEVENTS_Error","features":[438]},{"name":"DISPID_FEEDEVENTS_FeedDeleted","features":[438]},{"name":"DISPID_FEEDEVENTS_FeedDownloadCompleted","features":[438]},{"name":"DISPID_FEEDEVENTS_FeedDownloading","features":[438]},{"name":"DISPID_FEEDEVENTS_FeedItemCountChanged","features":[438]},{"name":"DISPID_FEEDEVENTS_FeedMoved","features":[438]},{"name":"DISPID_FEEDEVENTS_FeedRenamed","features":[438]},{"name":"DISPID_FEEDEVENTS_FeedUrlChanged","features":[438]},{"name":"DISPID_FEEDFOLDEREVENTS_Error","features":[438]},{"name":"DISPID_FEEDFOLDEREVENTS_FeedAdded","features":[438]},{"name":"DISPID_FEEDFOLDEREVENTS_FeedDeleted","features":[438]},{"name":"DISPID_FEEDFOLDEREVENTS_FeedDownloadCompleted","features":[438]},{"name":"DISPID_FEEDFOLDEREVENTS_FeedDownloading","features":[438]},{"name":"DISPID_FEEDFOLDEREVENTS_FeedItemCountChanged","features":[438]},{"name":"DISPID_FEEDFOLDEREVENTS_FeedMovedFrom","features":[438]},{"name":"DISPID_FEEDFOLDEREVENTS_FeedMovedTo","features":[438]},{"name":"DISPID_FEEDFOLDEREVENTS_FeedRenamed","features":[438]},{"name":"DISPID_FEEDFOLDEREVENTS_FeedUrlChanged","features":[438]},{"name":"DISPID_FEEDFOLDEREVENTS_FolderAdded","features":[438]},{"name":"DISPID_FEEDFOLDEREVENTS_FolderDeleted","features":[438]},{"name":"DISPID_FEEDFOLDEREVENTS_FolderItemCountChanged","features":[438]},{"name":"DISPID_FEEDFOLDEREVENTS_FolderMovedFrom","features":[438]},{"name":"DISPID_FEEDFOLDEREVENTS_FolderMovedTo","features":[438]},{"name":"DISPID_FEEDFOLDEREVENTS_FolderRenamed","features":[438]},{"name":"DISPID_FEEDFOLDER_CreateFeed","features":[438]},{"name":"DISPID_FEEDFOLDER_CreateSubfolder","features":[438]},{"name":"DISPID_FEEDFOLDER_Delete","features":[438]},{"name":"DISPID_FEEDFOLDER_ExistsFeed","features":[438]},{"name":"DISPID_FEEDFOLDER_ExistsSubfolder","features":[438]},{"name":"DISPID_FEEDFOLDER_Feeds","features":[438]},{"name":"DISPID_FEEDFOLDER_GetFeed","features":[438]},{"name":"DISPID_FEEDFOLDER_GetSubfolder","features":[438]},{"name":"DISPID_FEEDFOLDER_GetWatcher","features":[438]},{"name":"DISPID_FEEDFOLDER_IsRoot","features":[438]},{"name":"DISPID_FEEDFOLDER_Move","features":[438]},{"name":"DISPID_FEEDFOLDER_Name","features":[438]},{"name":"DISPID_FEEDFOLDER_Parent","features":[438]},{"name":"DISPID_FEEDFOLDER_Path","features":[438]},{"name":"DISPID_FEEDFOLDER_Rename","features":[438]},{"name":"DISPID_FEEDFOLDER_Subfolders","features":[438]},{"name":"DISPID_FEEDFOLDER_TotalItemCount","features":[438]},{"name":"DISPID_FEEDFOLDER_TotalUnreadItemCount","features":[438]},{"name":"DISPID_FEEDITEM_Author","features":[438]},{"name":"DISPID_FEEDITEM_Comments","features":[438]},{"name":"DISPID_FEEDITEM_Delete","features":[438]},{"name":"DISPID_FEEDITEM_Description","features":[438]},{"name":"DISPID_FEEDITEM_DownloadUrl","features":[438]},{"name":"DISPID_FEEDITEM_EffectiveId","features":[438]},{"name":"DISPID_FEEDITEM_Enclosure","features":[438]},{"name":"DISPID_FEEDITEM_Guid","features":[438]},{"name":"DISPID_FEEDITEM_IsRead","features":[438]},{"name":"DISPID_FEEDITEM_LastDownloadTime","features":[438]},{"name":"DISPID_FEEDITEM_Link","features":[438]},{"name":"DISPID_FEEDITEM_LocalId","features":[438]},{"name":"DISPID_FEEDITEM_Modified","features":[438]},{"name":"DISPID_FEEDITEM_Parent","features":[438]},{"name":"DISPID_FEEDITEM_PubDate","features":[438]},{"name":"DISPID_FEEDITEM_Title","features":[438]},{"name":"DISPID_FEEDITEM_Xml","features":[438]},{"name":"DISPID_FEEDSENUM_Count","features":[438]},{"name":"DISPID_FEEDSENUM_Item","features":[438]},{"name":"DISPID_FEEDS_AsyncSyncAll","features":[438]},{"name":"DISPID_FEEDS_BackgroundSync","features":[438]},{"name":"DISPID_FEEDS_BackgroundSyncStatus","features":[438]},{"name":"DISPID_FEEDS_DefaultInterval","features":[438]},{"name":"DISPID_FEEDS_DeleteFeed","features":[438]},{"name":"DISPID_FEEDS_DeleteFolder","features":[438]},{"name":"DISPID_FEEDS_ExistsFeed","features":[438]},{"name":"DISPID_FEEDS_ExistsFolder","features":[438]},{"name":"DISPID_FEEDS_GetFeed","features":[438]},{"name":"DISPID_FEEDS_GetFeedByUrl","features":[438]},{"name":"DISPID_FEEDS_GetFolder","features":[438]},{"name":"DISPID_FEEDS_IsSubscribed","features":[438]},{"name":"DISPID_FEEDS_ItemCountLimit","features":[438]},{"name":"DISPID_FEEDS_Normalize","features":[438]},{"name":"DISPID_FEEDS_RootFolder","features":[438]},{"name":"DISPID_FEED_AsyncDownload","features":[438]},{"name":"DISPID_FEED_CancelAsyncDownload","features":[438]},{"name":"DISPID_FEED_ClearCredentials","features":[438]},{"name":"DISPID_FEED_Copyright","features":[438]},{"name":"DISPID_FEED_Delete","features":[438]},{"name":"DISPID_FEED_Description","features":[438]},{"name":"DISPID_FEED_Download","features":[438]},{"name":"DISPID_FEED_DownloadEnclosuresAutomatically","features":[438]},{"name":"DISPID_FEED_DownloadStatus","features":[438]},{"name":"DISPID_FEED_DownloadUrl","features":[438]},{"name":"DISPID_FEED_GetItem","features":[438]},{"name":"DISPID_FEED_GetItemByEffectiveId","features":[438]},{"name":"DISPID_FEED_GetWatcher","features":[438]},{"name":"DISPID_FEED_Image","features":[438]},{"name":"DISPID_FEED_Interval","features":[438]},{"name":"DISPID_FEED_IsList","features":[438]},{"name":"DISPID_FEED_ItemCount","features":[438]},{"name":"DISPID_FEED_Items","features":[438]},{"name":"DISPID_FEED_Language","features":[438]},{"name":"DISPID_FEED_LastBuildDate","features":[438]},{"name":"DISPID_FEED_LastDownloadError","features":[438]},{"name":"DISPID_FEED_LastDownloadTime","features":[438]},{"name":"DISPID_FEED_LastItemDownloadTime","features":[438]},{"name":"DISPID_FEED_LastWriteTime","features":[438]},{"name":"DISPID_FEED_Link","features":[438]},{"name":"DISPID_FEED_LocalEnclosurePath","features":[438]},{"name":"DISPID_FEED_LocalId","features":[438]},{"name":"DISPID_FEED_MarkAllItemsRead","features":[438]},{"name":"DISPID_FEED_MaxItemCount","features":[438]},{"name":"DISPID_FEED_Merge","features":[438]},{"name":"DISPID_FEED_Move","features":[438]},{"name":"DISPID_FEED_Name","features":[438]},{"name":"DISPID_FEED_Parent","features":[438]},{"name":"DISPID_FEED_Password","features":[438]},{"name":"DISPID_FEED_Path","features":[438]},{"name":"DISPID_FEED_PubDate","features":[438]},{"name":"DISPID_FEED_Rename","features":[438]},{"name":"DISPID_FEED_SetCredentials","features":[438]},{"name":"DISPID_FEED_SyncSetting","features":[438]},{"name":"DISPID_FEED_Title","features":[438]},{"name":"DISPID_FEED_Ttl","features":[438]},{"name":"DISPID_FEED_UnreadItemCount","features":[438]},{"name":"DISPID_FEED_Url","features":[438]},{"name":"DISPID_FEED_Username","features":[438]},{"name":"DISPID_FEED_Xml","features":[438]},{"name":"DISPID_WMPCDROMCOLLECTION_BASE","features":[438]},{"name":"DISPID_WMPCDROMCOLLECTION_COUNT","features":[438]},{"name":"DISPID_WMPCDROMCOLLECTION_GETBYDRIVESPECIFIER","features":[438]},{"name":"DISPID_WMPCDROMCOLLECTION_ITEM","features":[438]},{"name":"DISPID_WMPCDROMCOLLECTION_STARTMONITORINGCDROMS","features":[438]},{"name":"DISPID_WMPCDROMCOLLECTION_STOPMONITORINGCDROMS","features":[438]},{"name":"DISPID_WMPCDROM_BASE","features":[438]},{"name":"DISPID_WMPCDROM_DRIVESPECIFIER","features":[438]},{"name":"DISPID_WMPCDROM_EJECT","features":[438]},{"name":"DISPID_WMPCDROM_PLAYLIST","features":[438]},{"name":"DISPID_WMPCLOSEDCAPTION2_GETLANGCOUNT","features":[438]},{"name":"DISPID_WMPCLOSEDCAPTION2_GETLANGID","features":[438]},{"name":"DISPID_WMPCLOSEDCAPTION2_GETLANGNAME","features":[438]},{"name":"DISPID_WMPCLOSEDCAPTION2_GETSTYLECOUNT","features":[438]},{"name":"DISPID_WMPCLOSEDCAPTION2_GETSTYLENAME","features":[438]},{"name":"DISPID_WMPCLOSEDCAPTION_BASE","features":[438]},{"name":"DISPID_WMPCLOSEDCAPTION_CAPTIONINGID","features":[438]},{"name":"DISPID_WMPCLOSEDCAPTION_SAMIFILENAME","features":[438]},{"name":"DISPID_WMPCLOSEDCAPTION_SAMILANG","features":[438]},{"name":"DISPID_WMPCLOSEDCAPTION_SAMISTYLE","features":[438]},{"name":"DISPID_WMPCONTROLS2_STEP","features":[438]},{"name":"DISPID_WMPCONTROLS3_AUDIOLANGUAGECOUNT","features":[438]},{"name":"DISPID_WMPCONTROLS3_CURRENTAUDIOLANGUAGE","features":[438]},{"name":"DISPID_WMPCONTROLS3_CURRENTAUDIOLANGUAGEINDEX","features":[438]},{"name":"DISPID_WMPCONTROLS3_CURRENTPOSITIONTIMECODE","features":[438]},{"name":"DISPID_WMPCONTROLS3_GETAUDIOLANGUAGEDESC","features":[438]},{"name":"DISPID_WMPCONTROLS3_GETAUDIOLANGUAGEID","features":[438]},{"name":"DISPID_WMPCONTROLS3_GETLANGUAGENAME","features":[438]},{"name":"DISPID_WMPCONTROLSFAKE_TIMECOMPRESSION","features":[438]},{"name":"DISPID_WMPCONTROLS_BASE","features":[438]},{"name":"DISPID_WMPCONTROLS_CURRENTITEM","features":[438]},{"name":"DISPID_WMPCONTROLS_CURRENTMARKER","features":[438]},{"name":"DISPID_WMPCONTROLS_CURRENTPOSITION","features":[438]},{"name":"DISPID_WMPCONTROLS_CURRENTPOSITIONSTRING","features":[438]},{"name":"DISPID_WMPCONTROLS_FASTFORWARD","features":[438]},{"name":"DISPID_WMPCONTROLS_FASTREVERSE","features":[438]},{"name":"DISPID_WMPCONTROLS_ISAVAILABLE","features":[438]},{"name":"DISPID_WMPCONTROLS_NEXT","features":[438]},{"name":"DISPID_WMPCONTROLS_PAUSE","features":[438]},{"name":"DISPID_WMPCONTROLS_PLAY","features":[438]},{"name":"DISPID_WMPCONTROLS_PLAYITEM","features":[438]},{"name":"DISPID_WMPCONTROLS_PREVIOUS","features":[438]},{"name":"DISPID_WMPCONTROLS_STOP","features":[438]},{"name":"DISPID_WMPCORE2_BASE","features":[438]},{"name":"DISPID_WMPCORE2_DVD","features":[438]},{"name":"DISPID_WMPCORE3_NEWMEDIA","features":[438]},{"name":"DISPID_WMPCORE3_NEWPLAYLIST","features":[438]},{"name":"DISPID_WMPCOREEVENT_AUDIOLANGUAGECHANGE","features":[438]},{"name":"DISPID_WMPCOREEVENT_BUFFERING","features":[438]},{"name":"DISPID_WMPCOREEVENT_CDROMMEDIACHANGE","features":[438]},{"name":"DISPID_WMPCOREEVENT_CURRENTITEMCHANGE","features":[438]},{"name":"DISPID_WMPCOREEVENT_CURRENTMEDIAITEMAVAILABLE","features":[438]},{"name":"DISPID_WMPCOREEVENT_CURRENTPLAYLISTCHANGE","features":[438]},{"name":"DISPID_WMPCOREEVENT_CURRENTPLAYLISTITEMAVAILABLE","features":[438]},{"name":"DISPID_WMPCOREEVENT_DISCONNECT","features":[438]},{"name":"DISPID_WMPCOREEVENT_DOMAINCHANGE","features":[438]},{"name":"DISPID_WMPCOREEVENT_DURATIONUNITCHANGE","features":[438]},{"name":"DISPID_WMPCOREEVENT_ENDOFSTREAM","features":[438]},{"name":"DISPID_WMPCOREEVENT_ERROR","features":[438]},{"name":"DISPID_WMPCOREEVENT_MARKERHIT","features":[438]},{"name":"DISPID_WMPCOREEVENT_MEDIACHANGE","features":[438]},{"name":"DISPID_WMPCOREEVENT_MEDIACOLLECTIONATTRIBUTESTRINGADDED","features":[438]},{"name":"DISPID_WMPCOREEVENT_MEDIACOLLECTIONATTRIBUTESTRINGCHANGED","features":[438]},{"name":"DISPID_WMPCOREEVENT_MEDIACOLLECTIONATTRIBUTESTRINGREMOVED","features":[438]},{"name":"DISPID_WMPCOREEVENT_MEDIACOLLECTIONCHANGE","features":[438]},{"name":"DISPID_WMPCOREEVENT_MEDIACOLLECTIONCONTENTSCANADDEDITEM","features":[438]},{"name":"DISPID_WMPCOREEVENT_MEDIACOLLECTIONCONTENTSCANPROGRESS","features":[438]},{"name":"DISPID_WMPCOREEVENT_MEDIACOLLECTIONMEDIAADDED","features":[438]},{"name":"DISPID_WMPCOREEVENT_MEDIACOLLECTIONMEDIAREMOVED","features":[438]},{"name":"DISPID_WMPCOREEVENT_MEDIACOLLECTIONSEARCHCOMPLETE","features":[438]},{"name":"DISPID_WMPCOREEVENT_MEDIACOLLECTIONSEARCHFOUNDITEM","features":[438]},{"name":"DISPID_WMPCOREEVENT_MEDIACOLLECTIONSEARCHPROGRESS","features":[438]},{"name":"DISPID_WMPCOREEVENT_MEDIAERROR","features":[438]},{"name":"DISPID_WMPCOREEVENT_MODECHANGE","features":[438]},{"name":"DISPID_WMPCOREEVENT_NEWSTREAM","features":[438]},{"name":"DISPID_WMPCOREEVENT_OPENPLAYLISTSWITCH","features":[438]},{"name":"DISPID_WMPCOREEVENT_OPENSTATECHANGE","features":[438]},{"name":"DISPID_WMPCOREEVENT_PLAYLISTCHANGE","features":[438]},{"name":"DISPID_WMPCOREEVENT_PLAYLISTCOLLECTIONCHANGE","features":[438]},{"name":"DISPID_WMPCOREEVENT_PLAYLISTCOLLECTIONPLAYLISTADDED","features":[438]},{"name":"DISPID_WMPCOREEVENT_PLAYLISTCOLLECTIONPLAYLISTREMOVED","features":[438]},{"name":"DISPID_WMPCOREEVENT_PLAYLISTCOLLECTIONPLAYLISTSETASDELETED","features":[438]},{"name":"DISPID_WMPCOREEVENT_PLAYSTATECHANGE","features":[438]},{"name":"DISPID_WMPCOREEVENT_POSITIONCHANGE","features":[438]},{"name":"DISPID_WMPCOREEVENT_SCRIPTCOMMAND","features":[438]},{"name":"DISPID_WMPCOREEVENT_STATUSCHANGE","features":[438]},{"name":"DISPID_WMPCOREEVENT_STRINGCOLLECTIONCHANGE","features":[438]},{"name":"DISPID_WMPCOREEVENT_WARNING","features":[438]},{"name":"DISPID_WMPCORE_BASE","features":[438]},{"name":"DISPID_WMPCORE_CDROMCOLLECTION","features":[438]},{"name":"DISPID_WMPCORE_CLOSE","features":[438]},{"name":"DISPID_WMPCORE_CLOSEDCAPTION","features":[438]},{"name":"DISPID_WMPCORE_CONTROLS","features":[438]},{"name":"DISPID_WMPCORE_CURRENTMEDIA","features":[438]},{"name":"DISPID_WMPCORE_CURRENTPLAYLIST","features":[438]},{"name":"DISPID_WMPCORE_ERROR","features":[438]},{"name":"DISPID_WMPCORE_ISONLINE","features":[438]},{"name":"DISPID_WMPCORE_LAST","features":[438]},{"name":"DISPID_WMPCORE_LAUNCHURL","features":[438]},{"name":"DISPID_WMPCORE_MAX","features":[438]},{"name":"DISPID_WMPCORE_MEDIACOLLECTION","features":[438]},{"name":"DISPID_WMPCORE_MIN","features":[438]},{"name":"DISPID_WMPCORE_NETWORK","features":[438]},{"name":"DISPID_WMPCORE_OPENSTATE","features":[438]},{"name":"DISPID_WMPCORE_PLAYLISTCOLLECTION","features":[438]},{"name":"DISPID_WMPCORE_PLAYSTATE","features":[438]},{"name":"DISPID_WMPCORE_SETTINGS","features":[438]},{"name":"DISPID_WMPCORE_STATUS","features":[438]},{"name":"DISPID_WMPCORE_URL","features":[438]},{"name":"DISPID_WMPCORE_VERSIONINFO","features":[438]},{"name":"DISPID_WMPDOWNLOADCOLLECTION_BASE","features":[438]},{"name":"DISPID_WMPDOWNLOADCOLLECTION_CLEAR","features":[438]},{"name":"DISPID_WMPDOWNLOADCOLLECTION_COUNT","features":[438]},{"name":"DISPID_WMPDOWNLOADCOLLECTION_ID","features":[438]},{"name":"DISPID_WMPDOWNLOADCOLLECTION_ITEM","features":[438]},{"name":"DISPID_WMPDOWNLOADCOLLECTION_REMOVEITEM","features":[438]},{"name":"DISPID_WMPDOWNLOADCOLLECTION_STARTDOWNLOAD","features":[438]},{"name":"DISPID_WMPDOWNLOADITEM2_BASE","features":[438]},{"name":"DISPID_WMPDOWNLOADITEM2_GETITEMINFO","features":[438]},{"name":"DISPID_WMPDOWNLOADITEM_BASE","features":[438]},{"name":"DISPID_WMPDOWNLOADITEM_CANCEL","features":[438]},{"name":"DISPID_WMPDOWNLOADITEM_DOWNLOADSTATE","features":[438]},{"name":"DISPID_WMPDOWNLOADITEM_PAUSE","features":[438]},{"name":"DISPID_WMPDOWNLOADITEM_PROGRESS","features":[438]},{"name":"DISPID_WMPDOWNLOADITEM_RESUME","features":[438]},{"name":"DISPID_WMPDOWNLOADITEM_SIZE","features":[438]},{"name":"DISPID_WMPDOWNLOADITEM_SOURCEURL","features":[438]},{"name":"DISPID_WMPDOWNLOADITEM_TYPE","features":[438]},{"name":"DISPID_WMPDOWNLOADMANAGER_BASE","features":[438]},{"name":"DISPID_WMPDOWNLOADMANAGER_CREATEDOWNLOADCOLLECTION","features":[438]},{"name":"DISPID_WMPDOWNLOADMANAGER_GETDOWNLOADCOLLECTION","features":[438]},{"name":"DISPID_WMPDVD_BACK","features":[438]},{"name":"DISPID_WMPDVD_BASE","features":[438]},{"name":"DISPID_WMPDVD_DOMAIN","features":[438]},{"name":"DISPID_WMPDVD_ISAVAILABLE","features":[438]},{"name":"DISPID_WMPDVD_RESUME","features":[438]},{"name":"DISPID_WMPDVD_TITLEMENU","features":[438]},{"name":"DISPID_WMPDVD_TOPMENU","features":[438]},{"name":"DISPID_WMPERRORITEM2_CONDITION","features":[438]},{"name":"DISPID_WMPERRORITEM_BASE","features":[438]},{"name":"DISPID_WMPERRORITEM_CUSTOMURL","features":[438]},{"name":"DISPID_WMPERRORITEM_ERRORCODE","features":[438]},{"name":"DISPID_WMPERRORITEM_ERRORCONTEXT","features":[438]},{"name":"DISPID_WMPERRORITEM_ERRORDESCRIPTION","features":[438]},{"name":"DISPID_WMPERRORITEM_REMEDY","features":[438]},{"name":"DISPID_WMPERROR_BASE","features":[438]},{"name":"DISPID_WMPERROR_CLEARERRORQUEUE","features":[438]},{"name":"DISPID_WMPERROR_ERRORCOUNT","features":[438]},{"name":"DISPID_WMPERROR_ITEM","features":[438]},{"name":"DISPID_WMPERROR_WEBHELP","features":[438]},{"name":"DISPID_WMPMEDIA2_ERROR","features":[438]},{"name":"DISPID_WMPMEDIA3_GETATTRIBUTECOUNTBYTYPE","features":[438]},{"name":"DISPID_WMPMEDIA3_GETITEMINFOBYTYPE","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION2_BASE","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION2_CREATEQUERY","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION2_GETBYATTRANDMEDIATYPE","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION2_GETPLAYLISTBYQUERY","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION2_GETSTRINGCOLLBYQUERY","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_ADD","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_BASE","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_FREEZECOLLECTIONCHANGE","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_GETALL","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_GETATTRIBUTESTRINGCOLLECTION","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_GETBYALBUM","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_GETBYATTRIBUTE","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_GETBYAUTHOR","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_GETBYGENRE","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_GETBYNAME","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_GETBYQUERYDESCRIPTION","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_GETMEDIAATOM","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_ISDELETED","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_NEWQUERY","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_POSTCOLLECTIONCHANGE","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_REMOVE","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_SETDELETED","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_STARTCONTENTSCAN","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_STARTMONITORING","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_STARTSEARCH","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_STOPCONTENTSCAN","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_STOPMONITORING","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_STOPSEARCH","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_UNFREEZECOLLECTIONCHANGE","features":[438]},{"name":"DISPID_WMPMEDIACOLLECTION_UPDATEMETADATA","features":[438]},{"name":"DISPID_WMPMEDIA_ATTRIBUTECOUNT","features":[438]},{"name":"DISPID_WMPMEDIA_BASE","features":[438]},{"name":"DISPID_WMPMEDIA_DURATION","features":[438]},{"name":"DISPID_WMPMEDIA_DURATIONSTRING","features":[438]},{"name":"DISPID_WMPMEDIA_GETATTRIBUTENAME","features":[438]},{"name":"DISPID_WMPMEDIA_GETITEMINFO","features":[438]},{"name":"DISPID_WMPMEDIA_GETITEMINFOBYATOM","features":[438]},{"name":"DISPID_WMPMEDIA_GETMARKERNAME","features":[438]},{"name":"DISPID_WMPMEDIA_GETMARKERTIME","features":[438]},{"name":"DISPID_WMPMEDIA_IMAGESOURCEHEIGHT","features":[438]},{"name":"DISPID_WMPMEDIA_IMAGESOURCEWIDTH","features":[438]},{"name":"DISPID_WMPMEDIA_ISIDENTICAL","features":[438]},{"name":"DISPID_WMPMEDIA_ISMEMBEROF","features":[438]},{"name":"DISPID_WMPMEDIA_ISREADONLYITEM","features":[438]},{"name":"DISPID_WMPMEDIA_MARKERCOUNT","features":[438]},{"name":"DISPID_WMPMEDIA_NAME","features":[438]},{"name":"DISPID_WMPMEDIA_SETITEMINFO","features":[438]},{"name":"DISPID_WMPMEDIA_SOURCEURL","features":[438]},{"name":"DISPID_WMPMETADATA_BASE","features":[438]},{"name":"DISPID_WMPMETADATA_PICTURE_DESCRIPTION","features":[438]},{"name":"DISPID_WMPMETADATA_PICTURE_MIMETYPE","features":[438]},{"name":"DISPID_WMPMETADATA_PICTURE_PICTURETYPE","features":[438]},{"name":"DISPID_WMPMETADATA_PICTURE_URL","features":[438]},{"name":"DISPID_WMPMETADATA_TEXT_DESCRIPTION","features":[438]},{"name":"DISPID_WMPMETADATA_TEXT_TEXT","features":[438]},{"name":"DISPID_WMPNETWORK_BANDWIDTH","features":[438]},{"name":"DISPID_WMPNETWORK_BASE","features":[438]},{"name":"DISPID_WMPNETWORK_BITRATE","features":[438]},{"name":"DISPID_WMPNETWORK_BUFFERINGCOUNT","features":[438]},{"name":"DISPID_WMPNETWORK_BUFFERINGPROGRESS","features":[438]},{"name":"DISPID_WMPNETWORK_BUFFERINGTIME","features":[438]},{"name":"DISPID_WMPNETWORK_DOWNLOADPROGRESS","features":[438]},{"name":"DISPID_WMPNETWORK_ENCODEDFRAMERATE","features":[438]},{"name":"DISPID_WMPNETWORK_FRAMERATE","features":[438]},{"name":"DISPID_WMPNETWORK_FRAMESSKIPPED","features":[438]},{"name":"DISPID_WMPNETWORK_GETPROXYBYPASSFORLOCAL","features":[438]},{"name":"DISPID_WMPNETWORK_GETPROXYEXCEPTIONLIST","features":[438]},{"name":"DISPID_WMPNETWORK_GETPROXYNAME","features":[438]},{"name":"DISPID_WMPNETWORK_GETPROXYPORT","features":[438]},{"name":"DISPID_WMPNETWORK_GETPROXYSETTINGS","features":[438]},{"name":"DISPID_WMPNETWORK_LOSTPACKETS","features":[438]},{"name":"DISPID_WMPNETWORK_MAXBANDWIDTH","features":[438]},{"name":"DISPID_WMPNETWORK_MAXBITRATE","features":[438]},{"name":"DISPID_WMPNETWORK_RECEIVEDPACKETS","features":[438]},{"name":"DISPID_WMPNETWORK_RECEPTIONQUALITY","features":[438]},{"name":"DISPID_WMPNETWORK_RECOVEREDPACKETS","features":[438]},{"name":"DISPID_WMPNETWORK_SETPROXYBYPASSFORLOCAL","features":[438]},{"name":"DISPID_WMPNETWORK_SETPROXYEXCEPTIONLIST","features":[438]},{"name":"DISPID_WMPNETWORK_SETPROXYNAME","features":[438]},{"name":"DISPID_WMPNETWORK_SETPROXYPORT","features":[438]},{"name":"DISPID_WMPNETWORK_SETPROXYSETTINGS","features":[438]},{"name":"DISPID_WMPNETWORK_SOURCEPROTOCOL","features":[438]},{"name":"DISPID_WMPOCX2_BASE","features":[438]},{"name":"DISPID_WMPOCX2_STRETCHTOFIT","features":[438]},{"name":"DISPID_WMPOCX2_WINDOWLESSVIDEO","features":[438]},{"name":"DISPID_WMPOCX4_ISREMOTE","features":[438]},{"name":"DISPID_WMPOCX4_OPENPLAYER","features":[438]},{"name":"DISPID_WMPOCX4_PLAYERAPPLICATION","features":[438]},{"name":"DISPID_WMPOCXEVENT_CDROMBURNERROR","features":[438]},{"name":"DISPID_WMPOCXEVENT_CDROMBURNMEDIAERROR","features":[438]},{"name":"DISPID_WMPOCXEVENT_CDROMBURNSTATECHANGE","features":[438]},{"name":"DISPID_WMPOCXEVENT_CDROMRIPMEDIAERROR","features":[438]},{"name":"DISPID_WMPOCXEVENT_CDROMRIPSTATECHANGE","features":[438]},{"name":"DISPID_WMPOCXEVENT_CLICK","features":[438]},{"name":"DISPID_WMPOCXEVENT_CREATEPARTNERSHIPCOMPLETE","features":[438]},{"name":"DISPID_WMPOCXEVENT_DEVICECONNECT","features":[438]},{"name":"DISPID_WMPOCXEVENT_DEVICEDISCONNECT","features":[438]},{"name":"DISPID_WMPOCXEVENT_DEVICEESTIMATION","features":[438]},{"name":"DISPID_WMPOCXEVENT_DEVICESTATUSCHANGE","features":[438]},{"name":"DISPID_WMPOCXEVENT_DEVICESYNCERROR","features":[438]},{"name":"DISPID_WMPOCXEVENT_DEVICESYNCSTATECHANGE","features":[438]},{"name":"DISPID_WMPOCXEVENT_DOUBLECLICK","features":[438]},{"name":"DISPID_WMPOCXEVENT_FOLDERSCANSTATECHANGE","features":[438]},{"name":"DISPID_WMPOCXEVENT_KEYDOWN","features":[438]},{"name":"DISPID_WMPOCXEVENT_KEYPRESS","features":[438]},{"name":"DISPID_WMPOCXEVENT_KEYUP","features":[438]},{"name":"DISPID_WMPOCXEVENT_LIBRARYCONNECT","features":[438]},{"name":"DISPID_WMPOCXEVENT_LIBRARYDISCONNECT","features":[438]},{"name":"DISPID_WMPOCXEVENT_MOUSEDOWN","features":[438]},{"name":"DISPID_WMPOCXEVENT_MOUSEMOVE","features":[438]},{"name":"DISPID_WMPOCXEVENT_MOUSEUP","features":[438]},{"name":"DISPID_WMPOCXEVENT_PLAYERDOCKEDSTATECHANGE","features":[438]},{"name":"DISPID_WMPOCXEVENT_PLAYERRECONNECT","features":[438]},{"name":"DISPID_WMPOCXEVENT_SWITCHEDTOCONTROL","features":[438]},{"name":"DISPID_WMPOCXEVENT_SWITCHEDTOPLAYERAPPLICATION","features":[438]},{"name":"DISPID_WMPOCX_BASE","features":[438]},{"name":"DISPID_WMPOCX_ENABLECONTEXTMENU","features":[438]},{"name":"DISPID_WMPOCX_ENABLED","features":[438]},{"name":"DISPID_WMPOCX_FULLSCREEN","features":[438]},{"name":"DISPID_WMPOCX_LAST","features":[438]},{"name":"DISPID_WMPOCX_TRANSPARENTATSTART","features":[438]},{"name":"DISPID_WMPOCX_UIMODE","features":[438]},{"name":"DISPID_WMPPLAYERAPP_BASE","features":[438]},{"name":"DISPID_WMPPLAYERAPP_HASDISPLAY","features":[438]},{"name":"DISPID_WMPPLAYERAPP_PLAYERDOCKED","features":[438]},{"name":"DISPID_WMPPLAYERAPP_REMOTESTATUS","features":[438]},{"name":"DISPID_WMPPLAYERAPP_SWITCHTOCONTROL","features":[438]},{"name":"DISPID_WMPPLAYERAPP_SWITCHTOPLAYERAPPLICATION","features":[438]},{"name":"DISPID_WMPPLAYLISTARRAY_BASE","features":[438]},{"name":"DISPID_WMPPLAYLISTARRAY_COUNT","features":[438]},{"name":"DISPID_WMPPLAYLISTARRAY_ITEM","features":[438]},{"name":"DISPID_WMPPLAYLISTCOLLECTION_BASE","features":[438]},{"name":"DISPID_WMPPLAYLISTCOLLECTION_GETALL","features":[438]},{"name":"DISPID_WMPPLAYLISTCOLLECTION_GETBYNAME","features":[438]},{"name":"DISPID_WMPPLAYLISTCOLLECTION_GETBYQUERYDESCRIPTION","features":[438]},{"name":"DISPID_WMPPLAYLISTCOLLECTION_IMPORTPLAYLIST","features":[438]},{"name":"DISPID_WMPPLAYLISTCOLLECTION_ISDELETED","features":[438]},{"name":"DISPID_WMPPLAYLISTCOLLECTION_NEWPLAYLIST","features":[438]},{"name":"DISPID_WMPPLAYLISTCOLLECTION_NEWQUERY","features":[438]},{"name":"DISPID_WMPPLAYLISTCOLLECTION_REMOVE","features":[438]},{"name":"DISPID_WMPPLAYLISTCOLLECTION_SETDELETED","features":[438]},{"name":"DISPID_WMPPLAYLISTCOLLECTION_STARTMONITORING","features":[438]},{"name":"DISPID_WMPPLAYLISTCOLLECTION_STOPMONITORING","features":[438]},{"name":"DISPID_WMPPLAYLIST_APPENDITEM","features":[438]},{"name":"DISPID_WMPPLAYLIST_ATTRIBUTECOUNT","features":[438]},{"name":"DISPID_WMPPLAYLIST_ATTRIBUTENAME","features":[438]},{"name":"DISPID_WMPPLAYLIST_BASE","features":[438]},{"name":"DISPID_WMPPLAYLIST_CLEAR","features":[438]},{"name":"DISPID_WMPPLAYLIST_COUNT","features":[438]},{"name":"DISPID_WMPPLAYLIST_GETITEMINFO","features":[438]},{"name":"DISPID_WMPPLAYLIST_INSERTITEM","features":[438]},{"name":"DISPID_WMPPLAYLIST_ISIDENTICAL","features":[438]},{"name":"DISPID_WMPPLAYLIST_ITEM","features":[438]},{"name":"DISPID_WMPPLAYLIST_MOVEITEM","features":[438]},{"name":"DISPID_WMPPLAYLIST_NAME","features":[438]},{"name":"DISPID_WMPPLAYLIST_REMOVEITEM","features":[438]},{"name":"DISPID_WMPPLAYLIST_SETITEMINFO","features":[438]},{"name":"DISPID_WMPQUERY_ADDCONDITION","features":[438]},{"name":"DISPID_WMPQUERY_BASE","features":[438]},{"name":"DISPID_WMPQUERY_BEGINNEXTGROUP","features":[438]},{"name":"DISPID_WMPSETTINGS2_DEFAULTAUDIOLANGUAGE","features":[438]},{"name":"DISPID_WMPSETTINGS2_LIBRARYACCESSRIGHTS","features":[438]},{"name":"DISPID_WMPSETTINGS2_REQUESTLIBRARYACCESSRIGHTS","features":[438]},{"name":"DISPID_WMPSETTINGS_AUTOSTART","features":[438]},{"name":"DISPID_WMPSETTINGS_BALANCE","features":[438]},{"name":"DISPID_WMPSETTINGS_BASE","features":[438]},{"name":"DISPID_WMPSETTINGS_BASEURL","features":[438]},{"name":"DISPID_WMPSETTINGS_DEFAULTFRAME","features":[438]},{"name":"DISPID_WMPSETTINGS_ENABLEERRORDIALOGS","features":[438]},{"name":"DISPID_WMPSETTINGS_GETMODE","features":[438]},{"name":"DISPID_WMPSETTINGS_INVOKEURLS","features":[438]},{"name":"DISPID_WMPSETTINGS_ISAVAILABLE","features":[438]},{"name":"DISPID_WMPSETTINGS_MUTE","features":[438]},{"name":"DISPID_WMPSETTINGS_PLAYCOUNT","features":[438]},{"name":"DISPID_WMPSETTINGS_RATE","features":[438]},{"name":"DISPID_WMPSETTINGS_SETMODE","features":[438]},{"name":"DISPID_WMPSETTINGS_VOLUME","features":[438]},{"name":"DISPID_WMPSTRINGCOLLECTION2_BASE","features":[438]},{"name":"DISPID_WMPSTRINGCOLLECTION2_GETATTRCOUNTBYTYPE","features":[438]},{"name":"DISPID_WMPSTRINGCOLLECTION2_GETITEMINFO","features":[438]},{"name":"DISPID_WMPSTRINGCOLLECTION2_GETITEMINFOBYTYPE","features":[438]},{"name":"DISPID_WMPSTRINGCOLLECTION2_ISIDENTICAL","features":[438]},{"name":"DISPID_WMPSTRINGCOLLECTION_BASE","features":[438]},{"name":"DISPID_WMPSTRINGCOLLECTION_COUNT","features":[438]},{"name":"DISPID_WMPSTRINGCOLLECTION_ITEM","features":[438]},{"name":"EFFECT2_FULLSCREENEXCLUSIVE","features":[438]},{"name":"EFFECT_CANGOFULLSCREEN","features":[438]},{"name":"EFFECT_HASPROPERTYPAGE","features":[438]},{"name":"EFFECT_VARIABLEFREQSTEP","features":[438]},{"name":"EFFECT_WINDOWEDONLY","features":[438]},{"name":"FBSA_DISABLE","features":[438]},{"name":"FBSA_ENABLE","features":[438]},{"name":"FBSA_RUNNOW","features":[438]},{"name":"FBSS_DISABLED","features":[438]},{"name":"FBSS_ENABLED","features":[438]},{"name":"FDE_ACCESS_DENIED","features":[438]},{"name":"FDE_AUTH_FAILED","features":[438]},{"name":"FDE_BACKGROUND_DOWNLOAD_DISABLED","features":[438]},{"name":"FDE_CANCELED","features":[438]},{"name":"FDE_DOWNLOAD_BLOCKED","features":[438]},{"name":"FDE_DOWNLOAD_FAILED","features":[438]},{"name":"FDE_DOWNLOAD_SIZE_LIMIT_EXCEEDED","features":[438]},{"name":"FDE_INVALID_AUTH","features":[438]},{"name":"FDE_INVALID_FEED_FORMAT","features":[438]},{"name":"FDE_NONE","features":[438]},{"name":"FDE_NORMALIZATION_FAILED","features":[438]},{"name":"FDE_NOT_EXIST","features":[438]},{"name":"FDE_PERSISTENCE_FAILED","features":[438]},{"name":"FDE_UNSUPPORTED_AUTH","features":[438]},{"name":"FDE_UNSUPPORTED_DTD","features":[438]},{"name":"FDE_UNSUPPORTED_MSXML","features":[438]},{"name":"FDS_DOWNLOADED","features":[438]},{"name":"FDS_DOWNLOADING","features":[438]},{"name":"FDS_DOWNLOAD_FAILED","features":[438]},{"name":"FDS_NONE","features":[438]},{"name":"FDS_PENDING","features":[438]},{"name":"FEC_E_DOWNLOADSIZELIMITEXCEEDED","features":[438]},{"name":"FEC_E_ERRORBASE","features":[438]},{"name":"FEC_E_INVALIDMSXMLPROPERTY","features":[438]},{"name":"FEEDS_BACKGROUNDSYNC_ACTION","features":[438]},{"name":"FEEDS_BACKGROUNDSYNC_STATUS","features":[438]},{"name":"FEEDS_DOWNLOAD_ERROR","features":[438]},{"name":"FEEDS_DOWNLOAD_STATUS","features":[438]},{"name":"FEEDS_ERROR_CODE","features":[438]},{"name":"FEEDS_EVENTS_ITEM_COUNT_FLAGS","features":[438]},{"name":"FEEDS_EVENTS_MASK","features":[438]},{"name":"FEEDS_EVENTS_SCOPE","features":[438]},{"name":"FEEDS_SYNC_SETTING","features":[438]},{"name":"FEEDS_XML_FILTER_FLAGS","features":[438]},{"name":"FEEDS_XML_INCLUDE_FLAGS","features":[438]},{"name":"FEEDS_XML_SORT_ORDER","features":[438]},{"name":"FEEDS_XML_SORT_PROPERTY","features":[438]},{"name":"FEICF_READ_ITEM_COUNT_CHANGED","features":[438]},{"name":"FEICF_UNREAD_ITEM_COUNT_CHANGED","features":[438]},{"name":"FEM_FEEDEVENTS","features":[438]},{"name":"FEM_FOLDEREVENTS","features":[438]},{"name":"FES_ALL","features":[438]},{"name":"FES_SELF_AND_CHILDREN_ONLY","features":[438]},{"name":"FES_SELF_ONLY","features":[438]},{"name":"FSS_DEFAULT","features":[438]},{"name":"FSS_INTERVAL","features":[438]},{"name":"FSS_MANUAL","features":[438]},{"name":"FSS_SUGGESTED","features":[438]},{"name":"FXFF_ALL","features":[438]},{"name":"FXFF_READ","features":[438]},{"name":"FXFF_UNREAD","features":[438]},{"name":"FXIF_CF_EXTENSIONS","features":[438]},{"name":"FXIF_NONE","features":[438]},{"name":"FXSO_ASCENDING","features":[438]},{"name":"FXSO_DESCENDING","features":[438]},{"name":"FXSO_NONE","features":[438]},{"name":"FXSP_DOWNLOADTIME","features":[438]},{"name":"FXSP_NONE","features":[438]},{"name":"FXSP_PUBDATE","features":[438]},{"name":"FeedFolderWatcher","features":[438]},{"name":"FeedWatcher","features":[438]},{"name":"FeedsManager","features":[438]},{"name":"IFeed","features":[438,359]},{"name":"IFeed2","features":[438,359]},{"name":"IFeedEnclosure","features":[438,359]},{"name":"IFeedEvents","features":[438,359]},{"name":"IFeedFolder","features":[438,359]},{"name":"IFeedFolderEvents","features":[438,359]},{"name":"IFeedItem","features":[438,359]},{"name":"IFeedItem2","features":[438,359]},{"name":"IFeedsEnum","features":[438,359]},{"name":"IFeedsManager","features":[438,359]},{"name":"IOCTL_WMP_DEVICE_CAN_SYNC","features":[438]},{"name":"IOCTL_WMP_METADATA_ROUND_TRIP","features":[438]},{"name":"IWMPAudioRenderConfig","features":[438]},{"name":"IWMPCdrom","features":[438,359]},{"name":"IWMPCdromBurn","features":[438]},{"name":"IWMPCdromCollection","features":[438,359]},{"name":"IWMPCdromRip","features":[438]},{"name":"IWMPClosedCaption","features":[438,359]},{"name":"IWMPClosedCaption2","features":[438,359]},{"name":"IWMPContentContainer","features":[438]},{"name":"IWMPContentContainerList","features":[438]},{"name":"IWMPContentPartner","features":[438]},{"name":"IWMPContentPartnerCallback","features":[438]},{"name":"IWMPControls","features":[438,359]},{"name":"IWMPControls2","features":[438,359]},{"name":"IWMPControls3","features":[438,359]},{"name":"IWMPConvert","features":[438]},{"name":"IWMPCore","features":[438,359]},{"name":"IWMPCore2","features":[438,359]},{"name":"IWMPCore3","features":[438,359]},{"name":"IWMPDVD","features":[438,359]},{"name":"IWMPDownloadCollection","features":[438,359]},{"name":"IWMPDownloadItem","features":[438,359]},{"name":"IWMPDownloadItem2","features":[438,359]},{"name":"IWMPDownloadManager","features":[438,359]},{"name":"IWMPEffects","features":[438]},{"name":"IWMPEffects2","features":[438]},{"name":"IWMPError","features":[438,359]},{"name":"IWMPErrorItem","features":[438,359]},{"name":"IWMPErrorItem2","features":[438,359]},{"name":"IWMPEvents","features":[438]},{"name":"IWMPEvents2","features":[438]},{"name":"IWMPEvents3","features":[438]},{"name":"IWMPEvents4","features":[438]},{"name":"IWMPFolderMonitorServices","features":[438]},{"name":"IWMPGraphCreation","features":[438]},{"name":"IWMPLibrary","features":[438]},{"name":"IWMPLibrary2","features":[438]},{"name":"IWMPLibraryServices","features":[438]},{"name":"IWMPLibrarySharingServices","features":[438]},{"name":"IWMPMedia","features":[438,359]},{"name":"IWMPMedia2","features":[438,359]},{"name":"IWMPMedia3","features":[438,359]},{"name":"IWMPMediaCollection","features":[438,359]},{"name":"IWMPMediaCollection2","features":[438,359]},{"name":"IWMPMediaPluginRegistrar","features":[438]},{"name":"IWMPMetadataPicture","features":[438,359]},{"name":"IWMPMetadataText","features":[438,359]},{"name":"IWMPNetwork","features":[438,359]},{"name":"IWMPNodeRealEstate","features":[438]},{"name":"IWMPNodeRealEstateHost","features":[438]},{"name":"IWMPNodeWindowed","features":[438]},{"name":"IWMPNodeWindowedHost","features":[438]},{"name":"IWMPNodeWindowless","features":[438]},{"name":"IWMPNodeWindowlessHost","features":[438]},{"name":"IWMPPlayer","features":[438,359]},{"name":"IWMPPlayer2","features":[438,359]},{"name":"IWMPPlayer3","features":[438,359]},{"name":"IWMPPlayer4","features":[438,359]},{"name":"IWMPPlayerApplication","features":[438,359]},{"name":"IWMPPlayerServices","features":[438]},{"name":"IWMPPlayerServices2","features":[438]},{"name":"IWMPPlaylist","features":[438,359]},{"name":"IWMPPlaylistArray","features":[438,359]},{"name":"IWMPPlaylistCollection","features":[438,359]},{"name":"IWMPPlugin","features":[438]},{"name":"IWMPPluginEnable","features":[438]},{"name":"IWMPPluginUI","features":[438]},{"name":"IWMPQuery","features":[438,359]},{"name":"IWMPRemoteMediaServices","features":[438]},{"name":"IWMPRenderConfig","features":[438]},{"name":"IWMPServices","features":[438]},{"name":"IWMPSettings","features":[438,359]},{"name":"IWMPSettings2","features":[438,359]},{"name":"IWMPSkinManager","features":[438]},{"name":"IWMPStringCollection","features":[438,359]},{"name":"IWMPStringCollection2","features":[438,359]},{"name":"IWMPSubscriptionService","features":[438]},{"name":"IWMPSubscriptionService2","features":[438]},{"name":"IWMPSubscriptionServiceCallback","features":[438]},{"name":"IWMPSyncDevice","features":[438]},{"name":"IWMPSyncDevice2","features":[438]},{"name":"IWMPSyncDevice3","features":[438]},{"name":"IWMPSyncServices","features":[438]},{"name":"IWMPTranscodePolicy","features":[438]},{"name":"IWMPUserEventSink","features":[438]},{"name":"IWMPVideoRenderConfig","features":[438]},{"name":"IWMPWindowMessageSink","features":[438]},{"name":"IXFeed","features":[438]},{"name":"IXFeed2","features":[438]},{"name":"IXFeedEnclosure","features":[438]},{"name":"IXFeedEvents","features":[438]},{"name":"IXFeedFolder","features":[438]},{"name":"IXFeedFolderEvents","features":[438]},{"name":"IXFeedItem","features":[438]},{"name":"IXFeedItem2","features":[438]},{"name":"IXFeedsEnum","features":[438]},{"name":"IXFeedsManager","features":[438]},{"name":"PLUGIN_ALL_MEDIASENDTO","features":[438]},{"name":"PLUGIN_ALL_PLAYLISTSENDTO","features":[438]},{"name":"PLUGIN_FLAGS_ACCEPTSMEDIA","features":[438]},{"name":"PLUGIN_FLAGS_ACCEPTSPLAYLISTS","features":[438]},{"name":"PLUGIN_FLAGS_HASPRESETS","features":[438]},{"name":"PLUGIN_FLAGS_HASPROPERTYPAGE","features":[438]},{"name":"PLUGIN_FLAGS_HIDDEN","features":[438]},{"name":"PLUGIN_FLAGS_INSTALLAUTORUN","features":[438]},{"name":"PLUGIN_FLAGS_LAUNCHPROPERTYPAGE","features":[438]},{"name":"PLUGIN_INSTALLREGKEY","features":[438]},{"name":"PLUGIN_INSTALLREGKEY_CAPABILITIES","features":[438]},{"name":"PLUGIN_INSTALLREGKEY_DESCRIPTION","features":[438]},{"name":"PLUGIN_INSTALLREGKEY_FRIENDLYNAME","features":[438]},{"name":"PLUGIN_INSTALLREGKEY_UNINSTALL","features":[438]},{"name":"PLUGIN_MISC_CURRENTPRESET","features":[438]},{"name":"PLUGIN_MISC_PRESETCOUNT","features":[438]},{"name":"PLUGIN_MISC_PRESETNAMES","features":[438]},{"name":"PLUGIN_MISC_QUERYDESTROY","features":[438]},{"name":"PLUGIN_SEPARATEWINDOW_DEFAULTHEIGHT","features":[438]},{"name":"PLUGIN_SEPARATEWINDOW_DEFAULTWIDTH","features":[438]},{"name":"PLUGIN_SEPARATEWINDOW_MAXHEIGHT","features":[438]},{"name":"PLUGIN_SEPARATEWINDOW_MAXWIDTH","features":[438]},{"name":"PLUGIN_SEPARATEWINDOW_MINHEIGHT","features":[438]},{"name":"PLUGIN_SEPARATEWINDOW_MINWIDTH","features":[438]},{"name":"PLUGIN_SEPARATEWINDOW_RESIZABLE","features":[438]},{"name":"PLUGIN_TYPE_BACKGROUND","features":[438]},{"name":"PLUGIN_TYPE_DISPLAYAREA","features":[438]},{"name":"PLUGIN_TYPE_METADATAAREA","features":[438]},{"name":"PLUGIN_TYPE_SEPARATEWINDOW","features":[438]},{"name":"PLUGIN_TYPE_SETTINGSAREA","features":[438]},{"name":"PlayerState","features":[438]},{"name":"SA_BUFFER_SIZE","features":[438]},{"name":"SUBSCRIPTION_CAP_ALLOWCDBURN","features":[438]},{"name":"SUBSCRIPTION_CAP_ALLOWPDATRANSFER","features":[438]},{"name":"SUBSCRIPTION_CAP_ALLOWPLAY","features":[438]},{"name":"SUBSCRIPTION_CAP_ALTLOGIN","features":[438]},{"name":"SUBSCRIPTION_CAP_BACKGROUNDPROCESSING","features":[438]},{"name":"SUBSCRIPTION_CAP_DEVICEAVAILABLE","features":[438]},{"name":"SUBSCRIPTION_CAP_IS_CONTENTPARTNER","features":[438]},{"name":"SUBSCRIPTION_CAP_PREPAREFORSYNC","features":[438]},{"name":"SUBSCRIPTION_CAP_UILESSMODE_ALLOWPLAY","features":[438]},{"name":"SUBSCRIPTION_V1_CAPS","features":[438]},{"name":"TimedLevel","features":[438]},{"name":"WMPAccountType","features":[438]},{"name":"WMPBurnFormat","features":[438]},{"name":"WMPBurnState","features":[438]},{"name":"WMPCOREEVENT_BASE","features":[438]},{"name":"WMPCOREEVENT_CDROM_BASE","features":[438]},{"name":"WMPCOREEVENT_CONTENT_BASE","features":[438]},{"name":"WMPCOREEVENT_CONTROL_BASE","features":[438]},{"name":"WMPCOREEVENT_ERROR_BASE","features":[438]},{"name":"WMPCOREEVENT_NETWORK_BASE","features":[438]},{"name":"WMPCOREEVENT_PLAYLIST_BASE","features":[438]},{"name":"WMPCOREEVENT_SEEK_BASE","features":[438]},{"name":"WMPCOREEVENT_WARNING_BASE","features":[438]},{"name":"WMPCallbackNotification","features":[438]},{"name":"WMPContextMenuInfo","features":[438]},{"name":"WMPDeviceStatus","features":[438]},{"name":"WMPFolderScanState","features":[438]},{"name":"WMPGC_FLAGS_ALLOW_PREROLL","features":[438]},{"name":"WMPGC_FLAGS_DISABLE_PLUGINS","features":[438]},{"name":"WMPGC_FLAGS_IGNORE_AV_SYNC","features":[438]},{"name":"WMPGC_FLAGS_SUPPRESS_DIALOGS","features":[438]},{"name":"WMPGC_FLAGS_USE_CUSTOM_GRAPH","features":[438]},{"name":"WMPLib","features":[438]},{"name":"WMPLibraryType","features":[438]},{"name":"WMPOCXEVENT_BASE","features":[438]},{"name":"WMPOpenState","features":[438]},{"name":"WMPPartnerNotification","features":[438]},{"name":"WMPPlayState","features":[438]},{"name":"WMPPlaylistChangeEventType","features":[438]},{"name":"WMPPlugin_Caps","features":[438]},{"name":"WMPPlugin_Caps_CannotConvertFormats","features":[438]},{"name":"WMPRemoteMediaServices","features":[438]},{"name":"WMPRipState","features":[438]},{"name":"WMPServices_StreamState","features":[438]},{"name":"WMPServices_StreamState_Pause","features":[438]},{"name":"WMPServices_StreamState_Play","features":[438]},{"name":"WMPServices_StreamState_Stop","features":[438]},{"name":"WMPStreamingType","features":[438]},{"name":"WMPStringCollectionChangeEventType","features":[438]},{"name":"WMPSubscriptionDownloadState","features":[438]},{"name":"WMPSubscriptionServiceEvent","features":[438]},{"name":"WMPSyncState","features":[438]},{"name":"WMPTaskType","features":[438]},{"name":"WMPTemplateSize","features":[438]},{"name":"WMPTransactionType","features":[438]},{"name":"WMPUE_EC_USER","features":[438]},{"name":"WMP_MDRT_FLAGS_UNREPORTED_ADDED_ITEMS","features":[438]},{"name":"WMP_MDRT_FLAGS_UNREPORTED_DELETED_ITEMS","features":[438]},{"name":"WMP_PLUGINTYPE_DSP","features":[438]},{"name":"WMP_PLUGINTYPE_DSP_OUTOFPROC","features":[438]},{"name":"WMP_PLUGINTYPE_RENDERING","features":[438]},{"name":"WMP_SUBSCR_DL_TYPE_BACKGROUND","features":[438]},{"name":"WMP_SUBSCR_DL_TYPE_REALTIME","features":[438]},{"name":"WMP_WMDM_METADATA_ROUND_TRIP_DEVICE2PC","features":[438]},{"name":"WMP_WMDM_METADATA_ROUND_TRIP_PC2DEVICE","features":[438]},{"name":"WMProfile_V40_100Video","features":[438]},{"name":"WMProfile_V40_128Audio","features":[438]},{"name":"WMProfile_V40_16AMRadio","features":[438]},{"name":"WMProfile_V40_1MBVideo","features":[438]},{"name":"WMProfile_V40_250Video","features":[438]},{"name":"WMProfile_V40_2856100MBR","features":[438]},{"name":"WMProfile_V40_288FMRadioMono","features":[438]},{"name":"WMProfile_V40_288FMRadioStereo","features":[438]},{"name":"WMProfile_V40_288VideoAudio","features":[438]},{"name":"WMProfile_V40_288VideoVoice","features":[438]},{"name":"WMProfile_V40_288VideoWebServer","features":[438]},{"name":"WMProfile_V40_3MBVideo","features":[438]},{"name":"WMProfile_V40_512Video","features":[438]},{"name":"WMProfile_V40_56DialUpStereo","features":[438]},{"name":"WMProfile_V40_56DialUpVideo","features":[438]},{"name":"WMProfile_V40_56DialUpVideoWebServer","features":[438]},{"name":"WMProfile_V40_64Audio","features":[438]},{"name":"WMProfile_V40_6VoiceAudio","features":[438]},{"name":"WMProfile_V40_96Audio","features":[438]},{"name":"WMProfile_V40_DialUpMBR","features":[438]},{"name":"WMProfile_V40_IntranetMBR","features":[438]},{"name":"WMProfile_V70_100Video","features":[438]},{"name":"WMProfile_V70_128Audio","features":[438]},{"name":"WMProfile_V70_1500FilmContentVideo","features":[438]},{"name":"WMProfile_V70_1500Video","features":[438]},{"name":"WMProfile_V70_150VideoPDA","features":[438]},{"name":"WMProfile_V70_2000Video","features":[438]},{"name":"WMProfile_V70_225VideoPDA","features":[438]},{"name":"WMProfile_V70_256Video","features":[438]},{"name":"WMProfile_V70_2856100MBR","features":[438]},{"name":"WMProfile_V70_288FMRadioMono","features":[438]},{"name":"WMProfile_V70_288FMRadioStereo","features":[438]},{"name":"WMProfile_V70_288VideoAudio","features":[438]},{"name":"WMProfile_V70_288VideoVoice","features":[438]},{"name":"WMProfile_V70_288VideoWebServer","features":[438]},{"name":"WMProfile_V70_384Video","features":[438]},{"name":"WMProfile_V70_56DialUpStereo","features":[438]},{"name":"WMProfile_V70_56VideoWebServer","features":[438]},{"name":"WMProfile_V70_64Audio","features":[438]},{"name":"WMProfile_V70_64AudioISDN","features":[438]},{"name":"WMProfile_V70_64VideoISDN","features":[438]},{"name":"WMProfile_V70_6VoiceAudio","features":[438]},{"name":"WMProfile_V70_700FilmContentVideo","features":[438]},{"name":"WMProfile_V70_768Video","features":[438]},{"name":"WMProfile_V70_96Audio","features":[438]},{"name":"WMProfile_V70_DialUpMBR","features":[438]},{"name":"WMProfile_V70_IntranetMBR","features":[438]},{"name":"WMProfile_V80_100768VideoMBR","features":[438]},{"name":"WMProfile_V80_100Video","features":[438]},{"name":"WMProfile_V80_128StereoAudio","features":[438]},{"name":"WMProfile_V80_1400NTSCVideo","features":[438]},{"name":"WMProfile_V80_150VideoPDA","features":[438]},{"name":"WMProfile_V80_255VideoPDA","features":[438]},{"name":"WMProfile_V80_256Video","features":[438]},{"name":"WMProfile_V80_288100VideoMBR","features":[438]},{"name":"WMProfile_V80_28856VideoMBR","features":[438]},{"name":"WMProfile_V80_288MonoAudio","features":[438]},{"name":"WMProfile_V80_288StereoAudio","features":[438]},{"name":"WMProfile_V80_288Video","features":[438]},{"name":"WMProfile_V80_288VideoOnly","features":[438]},{"name":"WMProfile_V80_32StereoAudio","features":[438]},{"name":"WMProfile_V80_384PALVideo","features":[438]},{"name":"WMProfile_V80_384Video","features":[438]},{"name":"WMProfile_V80_48StereoAudio","features":[438]},{"name":"WMProfile_V80_56Video","features":[438]},{"name":"WMProfile_V80_56VideoOnly","features":[438]},{"name":"WMProfile_V80_64StereoAudio","features":[438]},{"name":"WMProfile_V80_700NTSCVideo","features":[438]},{"name":"WMProfile_V80_700PALVideo","features":[438]},{"name":"WMProfile_V80_768Video","features":[438]},{"name":"WMProfile_V80_96StereoAudio","features":[438]},{"name":"WMProfile_V80_BESTVBRVideo","features":[438]},{"name":"WMProfile_V80_FAIRVBRVideo","features":[438]},{"name":"WMProfile_V80_HIGHVBRVideo","features":[438]},{"name":"WindowsMediaPlayer","features":[438]},{"name":"_WMPOCXEvents","features":[438,359]},{"name":"g_szAllAuthors","features":[438]},{"name":"g_szAllCPAlbumIDs","features":[438]},{"name":"g_szAllCPAlbumSubGenreIDs","features":[438]},{"name":"g_szAllCPArtistIDs","features":[438]},{"name":"g_szAllCPGenreIDs","features":[438]},{"name":"g_szAllCPListIDs","features":[438]},{"name":"g_szAllCPRadioIDs","features":[438]},{"name":"g_szAllCPTrackIDs","features":[438]},{"name":"g_szAllReleaseDateYears","features":[438]},{"name":"g_szAllUserEffectiveRatingStarss","features":[438]},{"name":"g_szAllWMParentalRatings","features":[438]},{"name":"g_szAuthor","features":[438]},{"name":"g_szCPAlbumID","features":[438]},{"name":"g_szCPAlbumSubGenreID","features":[438]},{"name":"g_szCPArtistID","features":[438]},{"name":"g_szCPGenreID","features":[438]},{"name":"g_szCPListID","features":[438]},{"name":"g_szCPRadioID","features":[438]},{"name":"g_szCPTrackID","features":[438]},{"name":"g_szContentPartnerInfo_AccountBalance","features":[438]},{"name":"g_szContentPartnerInfo_AccountType","features":[438]},{"name":"g_szContentPartnerInfo_HasCachedCredentials","features":[438]},{"name":"g_szContentPartnerInfo_LicenseRefreshAdvanceWarning","features":[438]},{"name":"g_szContentPartnerInfo_LoginState","features":[438]},{"name":"g_szContentPartnerInfo_MaximumTrackPurchasePerPurchase","features":[438]},{"name":"g_szContentPartnerInfo_MediaPlayerAccountType","features":[438]},{"name":"g_szContentPartnerInfo_PurchasedTrackRequiresReDownload","features":[438]},{"name":"g_szContentPartnerInfo_UserName","features":[438]},{"name":"g_szContentPrice_CannotBuy","features":[438]},{"name":"g_szContentPrice_Free","features":[438]},{"name":"g_szContentPrice_Unknown","features":[438]},{"name":"g_szFlyoutMenu","features":[438]},{"name":"g_szItemInfo_ALTLoginCaption","features":[438]},{"name":"g_szItemInfo_ALTLoginURL","features":[438]},{"name":"g_szItemInfo_AlbumArtURL","features":[438]},{"name":"g_szItemInfo_ArtistArtURL","features":[438]},{"name":"g_szItemInfo_AuthenticationSuccessURL","features":[438]},{"name":"g_szItemInfo_CreateAccountURL","features":[438]},{"name":"g_szItemInfo_ErrorDescription","features":[438]},{"name":"g_szItemInfo_ErrorURL","features":[438]},{"name":"g_szItemInfo_ErrorURLLinkText","features":[438]},{"name":"g_szItemInfo_ForgetPasswordURL","features":[438]},{"name":"g_szItemInfo_GenreArtURL","features":[438]},{"name":"g_szItemInfo_HTMLViewURL","features":[438]},{"name":"g_szItemInfo_ListArtURL","features":[438]},{"name":"g_szItemInfo_LoginFailureURL","features":[438]},{"name":"g_szItemInfo_PopupCaption","features":[438]},{"name":"g_szItemInfo_PopupURL","features":[438]},{"name":"g_szItemInfo_RadioArtURL","features":[438]},{"name":"g_szItemInfo_SubGenreArtURL","features":[438]},{"name":"g_szItemInfo_TreeListIconURL","features":[438]},{"name":"g_szMediaPlayerTask_Browse","features":[438]},{"name":"g_szMediaPlayerTask_Burn","features":[438]},{"name":"g_szMediaPlayerTask_Sync","features":[438]},{"name":"g_szOnlineStore","features":[438]},{"name":"g_szRefreshLicenseBurn","features":[438]},{"name":"g_szRefreshLicensePlay","features":[438]},{"name":"g_szRefreshLicenseSync","features":[438]},{"name":"g_szReleaseDateYear","features":[438]},{"name":"g_szRootLocation","features":[438]},{"name":"g_szStationEvent_Complete","features":[438]},{"name":"g_szStationEvent_Skipped","features":[438]},{"name":"g_szStationEvent_Started","features":[438]},{"name":"g_szUnknownLocation","features":[438]},{"name":"g_szUserEffectiveRatingStars","features":[438]},{"name":"g_szUserPlaylist","features":[438]},{"name":"g_szVerifyPermissionSync","features":[438]},{"name":"g_szVideoRecent","features":[438]},{"name":"g_szVideoRoot","features":[438]},{"name":"g_szViewMode_Details","features":[438]},{"name":"g_szViewMode_Icon","features":[438]},{"name":"g_szViewMode_OrderedList","features":[438]},{"name":"g_szViewMode_Report","features":[438]},{"name":"g_szViewMode_Tile","features":[438]},{"name":"g_szWMParentalRating","features":[438]},{"name":"kfltTimedLevelMaximumFrequency","features":[438]},{"name":"kfltTimedLevelMinimumFrequency","features":[438]},{"name":"pause_state","features":[438]},{"name":"play_state","features":[438]},{"name":"stop_state","features":[438]},{"name":"wmpatBuyOnly","features":[438]},{"name":"wmpatJanus","features":[438]},{"name":"wmpatSubscription","features":[438]},{"name":"wmpbfAudioCD","features":[438]},{"name":"wmpbfDataCD","features":[438]},{"name":"wmpbsBurning","features":[438]},{"name":"wmpbsBusy","features":[438]},{"name":"wmpbsDownloading","features":[438]},{"name":"wmpbsErasing","features":[438]},{"name":"wmpbsPreparingToBurn","features":[438]},{"name":"wmpbsReady","features":[438]},{"name":"wmpbsRefreshStatusPending","features":[438]},{"name":"wmpbsStopped","features":[438]},{"name":"wmpbsUnknown","features":[438]},{"name":"wmpbsWaitingForDisc","features":[438]},{"name":"wmpcnAuthResult","features":[438]},{"name":"wmpcnDisableRadioSkipping","features":[438]},{"name":"wmpcnLicenseUpdated","features":[438]},{"name":"wmpcnLoginStateChange","features":[438]},{"name":"wmpcnNewCatalogAvailable","features":[438]},{"name":"wmpcnNewPluginAvailable","features":[438]},{"name":"wmpdsLast","features":[438]},{"name":"wmpdsManualDevice","features":[438]},{"name":"wmpdsNewDevice","features":[438]},{"name":"wmpdsPartnershipAnother","features":[438]},{"name":"wmpdsPartnershipDeclined","features":[438]},{"name":"wmpdsPartnershipExists","features":[438]},{"name":"wmpdsUnknown","features":[438]},{"name":"wmpfssScanning","features":[438]},{"name":"wmpfssStopped","features":[438]},{"name":"wmpfssUnknown","features":[438]},{"name":"wmpfssUpdating","features":[438]},{"name":"wmplcAppend","features":[438]},{"name":"wmplcClear","features":[438]},{"name":"wmplcDelete","features":[438]},{"name":"wmplcInfoChange","features":[438]},{"name":"wmplcInsert","features":[438]},{"name":"wmplcLast","features":[438]},{"name":"wmplcMorph","features":[438]},{"name":"wmplcMove","features":[438]},{"name":"wmplcNameChange","features":[438]},{"name":"wmplcPrivate","features":[438]},{"name":"wmplcSort","features":[438]},{"name":"wmplcUnknown","features":[438]},{"name":"wmpltAll","features":[438]},{"name":"wmpltDisc","features":[438]},{"name":"wmpltLocal","features":[438]},{"name":"wmpltPortableDevice","features":[438]},{"name":"wmpltRemote","features":[438]},{"name":"wmpltUnknown","features":[438]},{"name":"wmposBeginCodecAcquisition","features":[438]},{"name":"wmposBeginIndividualization","features":[438]},{"name":"wmposBeginLicenseAcquisition","features":[438]},{"name":"wmposEndCodecAcquisition","features":[438]},{"name":"wmposEndIndividualization","features":[438]},{"name":"wmposEndLicenseAcquisition","features":[438]},{"name":"wmposMediaChanging","features":[438]},{"name":"wmposMediaConnecting","features":[438]},{"name":"wmposMediaLoading","features":[438]},{"name":"wmposMediaLocating","features":[438]},{"name":"wmposMediaOpen","features":[438]},{"name":"wmposMediaOpening","features":[438]},{"name":"wmposMediaWaiting","features":[438]},{"name":"wmposOpeningUnknownURL","features":[438]},{"name":"wmposPlaylistChanged","features":[438]},{"name":"wmposPlaylistChanging","features":[438]},{"name":"wmposPlaylistConnecting","features":[438]},{"name":"wmposPlaylistLoading","features":[438]},{"name":"wmposPlaylistLocating","features":[438]},{"name":"wmposPlaylistOpenNoMedia","features":[438]},{"name":"wmposPlaylistOpening","features":[438]},{"name":"wmposUndefined","features":[438]},{"name":"wmppsBuffering","features":[438]},{"name":"wmppsLast","features":[438]},{"name":"wmppsMediaEnded","features":[438]},{"name":"wmppsPaused","features":[438]},{"name":"wmppsPlaying","features":[438]},{"name":"wmppsReady","features":[438]},{"name":"wmppsReconnecting","features":[438]},{"name":"wmppsScanForward","features":[438]},{"name":"wmppsScanReverse","features":[438]},{"name":"wmppsStopped","features":[438]},{"name":"wmppsTransitioning","features":[438]},{"name":"wmppsUndefined","features":[438]},{"name":"wmppsWaiting","features":[438]},{"name":"wmprsRipping","features":[438]},{"name":"wmprsStopped","features":[438]},{"name":"wmprsUnknown","features":[438]},{"name":"wmpsccetBeginUpdates","features":[438]},{"name":"wmpsccetChange","features":[438]},{"name":"wmpsccetClear","features":[438]},{"name":"wmpsccetDelete","features":[438]},{"name":"wmpsccetEndUpdates","features":[438]},{"name":"wmpsccetInsert","features":[438]},{"name":"wmpsccetUnknown","features":[438]},{"name":"wmpsdlsCancelled","features":[438]},{"name":"wmpsdlsCompleted","features":[438]},{"name":"wmpsdlsDownloading","features":[438]},{"name":"wmpsdlsPaused","features":[438]},{"name":"wmpsdlsProcessing","features":[438]},{"name":"wmpsnBackgroundProcessingBegin","features":[438]},{"name":"wmpsnBackgroundProcessingEnd","features":[438]},{"name":"wmpsnCatalogDownloadComplete","features":[438]},{"name":"wmpsnCatalogDownloadFailure","features":[438]},{"name":"wmpssEstimating","features":[438]},{"name":"wmpssLast","features":[438]},{"name":"wmpssStopped","features":[438]},{"name":"wmpssSynchronizing","features":[438]},{"name":"wmpssUnknown","features":[438]},{"name":"wmpsseCurrentBegin","features":[438]},{"name":"wmpsseCurrentEnd","features":[438]},{"name":"wmpsseFullBegin","features":[438]},{"name":"wmpsseFullEnd","features":[438]},{"name":"wmpstMusic","features":[438]},{"name":"wmpstRadio","features":[438]},{"name":"wmpstUnknown","features":[438]},{"name":"wmpstVideo","features":[438]},{"name":"wmptsLarge","features":[438]},{"name":"wmptsMedium","features":[438]},{"name":"wmptsSmall","features":[438]},{"name":"wmpttBrowse","features":[438]},{"name":"wmpttBurn","features":[438]},{"name":"wmpttBuy","features":[438]},{"name":"wmpttCurrent","features":[438]},{"name":"wmpttDownload","features":[438]},{"name":"wmpttNoTransaction","features":[438]},{"name":"wmpttSync","features":[438]}],"438":[{"name":"ACMDM_BASE","features":[422]},{"name":"ACM_MPEG_COPYRIGHT","features":[422]},{"name":"ACM_MPEG_DUALCHANNEL","features":[422]},{"name":"ACM_MPEG_ID_MPEG1","features":[422]},{"name":"ACM_MPEG_JOINTSTEREO","features":[422]},{"name":"ACM_MPEG_LAYER1","features":[422]},{"name":"ACM_MPEG_LAYER2","features":[422]},{"name":"ACM_MPEG_LAYER3","features":[422]},{"name":"ACM_MPEG_ORIGINALHOME","features":[422]},{"name":"ACM_MPEG_PRIVATEBIT","features":[422]},{"name":"ACM_MPEG_PROTECTIONBIT","features":[422]},{"name":"ACM_MPEG_SINGLECHANNEL","features":[422]},{"name":"ACM_MPEG_STEREO","features":[422]},{"name":"ADPCMCOEFSET","features":[422]},{"name":"ADPCMEWAVEFORMAT","features":[423,422]},{"name":"ADPCMWAVEFORMAT","features":[423,422]},{"name":"APTXWAVEFORMAT","features":[423,422]},{"name":"AUDIOFILE_AF10WAVEFORMAT","features":[423,422]},{"name":"AUDIOFILE_AF36WAVEFORMAT","features":[423,422]},{"name":"AUXDM_GETDEVCAPS","features":[422]},{"name":"AUXDM_GETNUMDEVS","features":[422]},{"name":"AUXDM_GETVOLUME","features":[422]},{"name":"AUXDM_SETVOLUME","features":[422]},{"name":"AUXM_INIT","features":[422]},{"name":"AUXM_INIT_EX","features":[422]},{"name":"AVIBuildFilterA","features":[308,422]},{"name":"AVIBuildFilterW","features":[308,422]},{"name":"AVICOMPRESSF_DATARATE","features":[422]},{"name":"AVICOMPRESSF_INTERLEAVE","features":[422]},{"name":"AVICOMPRESSF_KEYFRAMES","features":[422]},{"name":"AVICOMPRESSF_VALID","features":[422]},{"name":"AVICOMPRESSOPTIONS","features":[422]},{"name":"AVIClearClipboard","features":[422]},{"name":"AVIERR_OK","features":[422]},{"name":"AVIFILECAPS_ALLKEYFRAMES","features":[422]},{"name":"AVIFILECAPS_CANREAD","features":[422]},{"name":"AVIFILECAPS_CANWRITE","features":[422]},{"name":"AVIFILECAPS_NOCOMPRESSION","features":[422]},{"name":"AVIFILEHANDLER_CANACCEPTNONRGB","features":[422]},{"name":"AVIFILEHANDLER_CANREAD","features":[422]},{"name":"AVIFILEHANDLER_CANWRITE","features":[422]},{"name":"AVIFILEINFOA","features":[422]},{"name":"AVIFILEINFOW","features":[422]},{"name":"AVIFILEINFO_COPYRIGHTED","features":[422]},{"name":"AVIFILEINFO_HASINDEX","features":[422]},{"name":"AVIFILEINFO_ISINTERLEAVED","features":[422]},{"name":"AVIFILEINFO_MUSTUSEINDEX","features":[422]},{"name":"AVIFILEINFO_WASCAPTUREFILE","features":[422]},{"name":"AVIFileAddRef","features":[422]},{"name":"AVIFileCreateStreamA","features":[308,422]},{"name":"AVIFileCreateStreamW","features":[308,422]},{"name":"AVIFileEndRecord","features":[422]},{"name":"AVIFileExit","features":[422]},{"name":"AVIFileGetStream","features":[422]},{"name":"AVIFileInfoA","features":[422]},{"name":"AVIFileInfoW","features":[422]},{"name":"AVIFileInit","features":[422]},{"name":"AVIFileOpenA","features":[422]},{"name":"AVIFileOpenW","features":[422]},{"name":"AVIFileReadData","features":[422]},{"name":"AVIFileRelease","features":[422]},{"name":"AVIFileWriteData","features":[422]},{"name":"AVIGETFRAMEF_BESTDISPLAYFMT","features":[422]},{"name":"AVIGetFromClipboard","features":[422]},{"name":"AVIIF_CONTROLFRAME","features":[422]},{"name":"AVIIF_TWOCC","features":[422]},{"name":"AVIMakeCompressedStream","features":[422]},{"name":"AVIMakeFileFromStreams","features":[422]},{"name":"AVIMakeStreamFromClipboard","features":[308,422]},{"name":"AVIPutFileOnClipboard","features":[422]},{"name":"AVISAVECALLBACK","features":[308,422]},{"name":"AVISTREAMINFOA","features":[308,422]},{"name":"AVISTREAMINFOW","features":[308,422]},{"name":"AVISTREAMINFO_DISABLED","features":[422]},{"name":"AVISTREAMINFO_FORMATCHANGES","features":[422]},{"name":"AVISTREAMREAD_CONVENIENT","features":[422]},{"name":"AVISaveA","features":[308,422]},{"name":"AVISaveOptions","features":[308,422]},{"name":"AVISaveOptionsFree","features":[422]},{"name":"AVISaveVA","features":[308,422]},{"name":"AVISaveVW","features":[308,422]},{"name":"AVISaveW","features":[308,422]},{"name":"AVIStreamAddRef","features":[422]},{"name":"AVIStreamBeginStreaming","features":[422]},{"name":"AVIStreamCreate","features":[422]},{"name":"AVIStreamEndStreaming","features":[422]},{"name":"AVIStreamFindSample","features":[422]},{"name":"AVIStreamGetFrame","features":[422]},{"name":"AVIStreamGetFrameClose","features":[422]},{"name":"AVIStreamGetFrameOpen","features":[319,422]},{"name":"AVIStreamInfoA","features":[308,422]},{"name":"AVIStreamInfoW","features":[308,422]},{"name":"AVIStreamLength","features":[422]},{"name":"AVIStreamOpenFromFileA","features":[422]},{"name":"AVIStreamOpenFromFileW","features":[422]},{"name":"AVIStreamRead","features":[422]},{"name":"AVIStreamReadData","features":[422]},{"name":"AVIStreamReadFormat","features":[422]},{"name":"AVIStreamRelease","features":[422]},{"name":"AVIStreamSampleToTime","features":[422]},{"name":"AVIStreamSetFormat","features":[422]},{"name":"AVIStreamStart","features":[422]},{"name":"AVIStreamTimeToSample","features":[422]},{"name":"AVIStreamWrite","features":[422]},{"name":"AVIStreamWriteData","features":[422]},{"name":"AVSTREAMMASTER_AUDIO","features":[422]},{"name":"AVSTREAMMASTER_NONE","features":[422]},{"name":"BI_1632","features":[422]},{"name":"CAPCONTROLCALLBACK","features":[308,422]},{"name":"CAPDRIVERCAPS","features":[308,422]},{"name":"CAPERRORCALLBACKA","features":[308,422]},{"name":"CAPERRORCALLBACKW","features":[308,422]},{"name":"CAPINFOCHUNK","features":[422]},{"name":"CAPSTATUS","features":[308,319,422]},{"name":"CAPSTATUSCALLBACKA","features":[308,422]},{"name":"CAPSTATUSCALLBACKW","features":[308,422]},{"name":"CAPTUREPARMS","features":[308,422]},{"name":"CAPVIDEOCALLBACK","features":[308,422]},{"name":"CAPWAVECALLBACK","features":[308,423,422]},{"name":"CAPYIELDCALLBACK","features":[308,422]},{"name":"CHANNEL_CAPS","features":[422]},{"name":"CLSID_AVIFile","features":[422]},{"name":"CLSID_AVISimpleUnMarshal","features":[422]},{"name":"COMPVARS","features":[319,422]},{"name":"CONTRESCR10WAVEFORMAT","features":[423,422]},{"name":"CONTRESVQLPCWAVEFORMAT","features":[423,422]},{"name":"CONTROLCALLBACK_CAPTURING","features":[422]},{"name":"CONTROLCALLBACK_PREROLL","features":[422]},{"name":"CREATIVEADPCMWAVEFORMAT","features":[423,422]},{"name":"CREATIVEFASTSPEECH10WAVEFORMAT","features":[423,422]},{"name":"CREATIVEFASTSPEECH8WAVEFORMAT","features":[423,422]},{"name":"CRYSTAL_NET_SFM_CODEC","features":[422]},{"name":"CSIMAADPCMWAVEFORMAT","features":[423,422]},{"name":"CloseDriver","features":[308,422]},{"name":"CreateEditableStream","features":[422]},{"name":"DCB_EVENT","features":[422]},{"name":"DCB_FUNCTION","features":[422]},{"name":"DCB_NOSWITCH","features":[422]},{"name":"DCB_NULL","features":[422]},{"name":"DCB_TASK","features":[422]},{"name":"DCB_TYPEMASK","features":[422]},{"name":"DCB_WINDOW","features":[422]},{"name":"DDF_0001","features":[422]},{"name":"DDF_2000","features":[422]},{"name":"DDF_ANIMATE","features":[422]},{"name":"DDF_BACKGROUNDPAL","features":[422]},{"name":"DDF_BUFFER","features":[422]},{"name":"DDF_DONTDRAW","features":[422]},{"name":"DDF_FULLSCREEN","features":[422]},{"name":"DDF_HALFTONE","features":[422]},{"name":"DDF_HURRYUP","features":[422]},{"name":"DDF_JUSTDRAWIT","features":[422]},{"name":"DDF_NOTKEYFRAME","features":[422]},{"name":"DDF_PREROLL","features":[422]},{"name":"DDF_SAME_DIB","features":[422]},{"name":"DDF_SAME_DRAW","features":[422]},{"name":"DDF_SAME_HDC","features":[422]},{"name":"DDF_SAME_SIZE","features":[422]},{"name":"DDF_UPDATE","features":[422]},{"name":"DIALOGICOKIADPCMWAVEFORMAT","features":[423,422]},{"name":"DIGIADPCMWAVEFORMAT","features":[423,422]},{"name":"DIGIFIXWAVEFORMAT","features":[423,422]},{"name":"DIGIREALWAVEFORMAT","features":[423,422]},{"name":"DIGISTDWAVEFORMAT","features":[423,422]},{"name":"DLG_ACMFILTERCHOOSE_ID","features":[422]},{"name":"DLG_ACMFORMATCHOOSE_ID","features":[422]},{"name":"DOLBYAC2WAVEFORMAT","features":[423,422]},{"name":"DRAWDIBTIME","features":[422]},{"name":"DRIVERMSGPROC","features":[422]},{"name":"DRIVERPROC","features":[308,422]},{"name":"DRIVERS_SECTION","features":[422]},{"name":"DRMWAVEFORMAT","features":[423,422]},{"name":"DRVCNF_CANCEL","features":[422]},{"name":"DRVCNF_OK","features":[422]},{"name":"DRVCNF_RESTART","features":[422]},{"name":"DRVCONFIGINFO","features":[422]},{"name":"DRVCONFIGINFOEX","features":[422]},{"name":"DRVM_ADD_THRU","features":[422]},{"name":"DRVM_DISABLE","features":[422]},{"name":"DRVM_ENABLE","features":[422]},{"name":"DRVM_EXIT","features":[422]},{"name":"DRVM_INIT","features":[422]},{"name":"DRVM_INIT_EX","features":[422]},{"name":"DRVM_IOCTL","features":[422]},{"name":"DRVM_IOCTL_CMD_SYSTEM","features":[422]},{"name":"DRVM_IOCTL_CMD_USER","features":[422]},{"name":"DRVM_IOCTL_DATA","features":[422]},{"name":"DRVM_IOCTL_LAST","features":[422]},{"name":"DRVM_MAPPER_CONSOLEVOICECOM_GET","features":[422]},{"name":"DRVM_MAPPER_PREFERRED_FLAGS_PREFERREDONLY","features":[422]},{"name":"DRVM_MAPPER_PREFERRED_GET","features":[422]},{"name":"DRVM_MAPPER_RECONFIGURE","features":[422]},{"name":"DRVM_REMOVE_THRU","features":[422]},{"name":"DRVM_USER","features":[422]},{"name":"DRV_CANCEL","features":[422]},{"name":"DRV_CLOSE","features":[422]},{"name":"DRV_CONFIGURE","features":[422]},{"name":"DRV_DISABLE","features":[422]},{"name":"DRV_ENABLE","features":[422]},{"name":"DRV_EXITSESSION","features":[422]},{"name":"DRV_FREE","features":[422]},{"name":"DRV_INSTALL","features":[422]},{"name":"DRV_LOAD","features":[422]},{"name":"DRV_MCI_FIRST","features":[422]},{"name":"DRV_MCI_LAST","features":[422]},{"name":"DRV_OK","features":[422]},{"name":"DRV_OPEN","features":[422]},{"name":"DRV_PNPINSTALL","features":[422]},{"name":"DRV_POWER","features":[422]},{"name":"DRV_QUERYCONFIGURE","features":[422]},{"name":"DRV_QUERYDEVICEINTERFACE","features":[422]},{"name":"DRV_QUERYDEVICEINTERFACESIZE","features":[422]},{"name":"DRV_QUERYDEVNODE","features":[422]},{"name":"DRV_QUERYFUNCTIONINSTANCEID","features":[422]},{"name":"DRV_QUERYFUNCTIONINSTANCEIDSIZE","features":[422]},{"name":"DRV_QUERYIDFROMSTRINGID","features":[422]},{"name":"DRV_QUERYMAPPABLE","features":[422]},{"name":"DRV_QUERYMODULE","features":[422]},{"name":"DRV_QUERYSTRINGID","features":[422]},{"name":"DRV_QUERYSTRINGIDSIZE","features":[422]},{"name":"DRV_REMOVE","features":[422]},{"name":"DRV_RESERVED","features":[422]},{"name":"DRV_RESTART","features":[422]},{"name":"DRV_USER","features":[422]},{"name":"DVIADPCMWAVEFORMAT","features":[423,422]},{"name":"DVM_CONFIGURE_END","features":[422]},{"name":"DVM_CONFIGURE_START","features":[422]},{"name":"DVM_DST_RECT","features":[422]},{"name":"DVM_FORMAT","features":[422]},{"name":"DVM_PALETTE","features":[422]},{"name":"DVM_PALETTERGB555","features":[422]},{"name":"DVM_SRC_RECT","features":[422]},{"name":"DVM_USER","features":[422]},{"name":"DV_ERR_13","features":[422]},{"name":"DV_ERR_ALLOCATED","features":[422]},{"name":"DV_ERR_BADDEVICEID","features":[422]},{"name":"DV_ERR_BADERRNUM","features":[422]},{"name":"DV_ERR_BADFORMAT","features":[422]},{"name":"DV_ERR_BADINSTALL","features":[422]},{"name":"DV_ERR_BASE","features":[422]},{"name":"DV_ERR_CONFIG1","features":[422]},{"name":"DV_ERR_CONFIG2","features":[422]},{"name":"DV_ERR_CREATEPALETTE","features":[422]},{"name":"DV_ERR_DMA_CONFLICT","features":[422]},{"name":"DV_ERR_FLAGS","features":[422]},{"name":"DV_ERR_INT_CONFLICT","features":[422]},{"name":"DV_ERR_INVALHANDLE","features":[422]},{"name":"DV_ERR_IO_CONFLICT","features":[422]},{"name":"DV_ERR_LASTERROR","features":[422]},{"name":"DV_ERR_MEM_CONFLICT","features":[422]},{"name":"DV_ERR_NOMEM","features":[422]},{"name":"DV_ERR_NONSPECIFIC","features":[422]},{"name":"DV_ERR_NOTDETECTED","features":[422]},{"name":"DV_ERR_NOTSUPPORTED","features":[422]},{"name":"DV_ERR_NO_BUFFERS","features":[422]},{"name":"DV_ERR_OK","features":[422]},{"name":"DV_ERR_PARAM1","features":[422]},{"name":"DV_ERR_PARAM2","features":[422]},{"name":"DV_ERR_PROTECT_ONLY","features":[422]},{"name":"DV_ERR_SIZEFIELD","features":[422]},{"name":"DV_ERR_STILLPLAYING","features":[422]},{"name":"DV_ERR_SYNC","features":[422]},{"name":"DV_ERR_TOOMANYCHANNELS","features":[422]},{"name":"DV_ERR_UNPREPARED","features":[422]},{"name":"DV_ERR_USER_MSG","features":[422]},{"name":"DV_VM_CLOSE","features":[422]},{"name":"DV_VM_DATA","features":[422]},{"name":"DV_VM_ERROR","features":[422]},{"name":"DV_VM_OPEN","features":[422]},{"name":"DefDriverProc","features":[308,422]},{"name":"DrawDibBegin","features":[308,319,422]},{"name":"DrawDibChangePalette","features":[308,319,422]},{"name":"DrawDibClose","features":[308,422]},{"name":"DrawDibDraw","features":[308,319,422]},{"name":"DrawDibEnd","features":[308,422]},{"name":"DrawDibGetBuffer","features":[319,422]},{"name":"DrawDibGetPalette","features":[319,422]},{"name":"DrawDibOpen","features":[422]},{"name":"DrawDibProfileDisplay","features":[308,319,422]},{"name":"DrawDibRealize","features":[308,319,422]},{"name":"DrawDibSetPalette","features":[308,319,422]},{"name":"DrawDibStart","features":[308,422]},{"name":"DrawDibStop","features":[308,422]},{"name":"DrawDibTime","features":[308,422]},{"name":"DriverCallback","features":[308,422]},{"name":"DrvGetModuleHandle","features":[308,422]},{"name":"ECHOSC1WAVEFORMAT","features":[423,422]},{"name":"EXBMINFOHEADER","features":[319,422]},{"name":"EditStreamClone","features":[422]},{"name":"EditStreamCopy","features":[422]},{"name":"EditStreamCut","features":[422]},{"name":"EditStreamPaste","features":[422]},{"name":"EditStreamSetInfoA","features":[308,422]},{"name":"EditStreamSetInfoW","features":[308,422]},{"name":"EditStreamSetNameA","features":[422]},{"name":"EditStreamSetNameW","features":[422]},{"name":"FACILITY_NS","features":[422]},{"name":"FACILITY_NS_WIN32","features":[422]},{"name":"FIND_ANY","features":[422]},{"name":"FIND_DIR","features":[422]},{"name":"FIND_FORMAT","features":[422]},{"name":"FIND_FROM_START","features":[422]},{"name":"FIND_INDEX","features":[422]},{"name":"FIND_KEY","features":[422]},{"name":"FIND_LENGTH","features":[422]},{"name":"FIND_NEXT","features":[422]},{"name":"FIND_OFFSET","features":[422]},{"name":"FIND_POS","features":[422]},{"name":"FIND_PREV","features":[422]},{"name":"FIND_RET","features":[422]},{"name":"FIND_SIZE","features":[422]},{"name":"FIND_TYPE","features":[422]},{"name":"FMTOWNS_SND_WAVEFORMAT","features":[423,422]},{"name":"G721_ADPCMWAVEFORMAT","features":[423,422]},{"name":"G723_ADPCMWAVEFORMAT","features":[423,422]},{"name":"GSM610WAVEFORMAT","features":[423,422]},{"name":"GetDriverModuleHandle","features":[308,422]},{"name":"GetOpenFileNamePreviewA","features":[308,422,439]},{"name":"GetOpenFileNamePreviewW","features":[308,422,439]},{"name":"GetSaveFileNamePreviewA","features":[308,422,439]},{"name":"GetSaveFileNamePreviewW","features":[308,422,439]},{"name":"HDRVR","features":[422]},{"name":"HIC","features":[422]},{"name":"HMMIO","features":[422]},{"name":"HVIDEO","features":[422]},{"name":"IAVIEditStream","features":[422]},{"name":"IAVIFile","features":[422]},{"name":"IAVIPersistFile","features":[422,359]},{"name":"IAVIStream","features":[422]},{"name":"IAVIStreaming","features":[422]},{"name":"ICCOMPRESS","features":[319,422]},{"name":"ICCOMPRESSFRAMES","features":[308,319,422]},{"name":"ICCOMPRESSFRAMES_PADDING","features":[422]},{"name":"ICCOMPRESS_KEYFRAME","features":[422]},{"name":"ICClose","features":[308,422]},{"name":"ICCompress","features":[319,422]},{"name":"ICCompressorChoose","features":[308,319,422]},{"name":"ICCompressorFree","features":[319,422]},{"name":"ICDECOMPRESS","features":[319,422]},{"name":"ICDECOMPRESSEX","features":[319,422]},{"name":"ICDECOMPRESS_HURRYUP","features":[422]},{"name":"ICDECOMPRESS_NOTKEYFRAME","features":[422]},{"name":"ICDECOMPRESS_NULLFRAME","features":[422]},{"name":"ICDECOMPRESS_PREROLL","features":[422]},{"name":"ICDECOMPRESS_UPDATE","features":[422]},{"name":"ICDRAW","features":[422]},{"name":"ICDRAWBEGIN","features":[308,319,422]},{"name":"ICDRAWSUGGEST","features":[319,422]},{"name":"ICDRAW_ANIMATE","features":[422]},{"name":"ICDRAW_BUFFER","features":[422]},{"name":"ICDRAW_CONTINUE","features":[422]},{"name":"ICDRAW_FULLSCREEN","features":[422]},{"name":"ICDRAW_HDC","features":[422]},{"name":"ICDRAW_HURRYUP","features":[422]},{"name":"ICDRAW_MEMORYDC","features":[422]},{"name":"ICDRAW_NOTKEYFRAME","features":[422]},{"name":"ICDRAW_NULLFRAME","features":[422]},{"name":"ICDRAW_PREROLL","features":[422]},{"name":"ICDRAW_QUERY","features":[422]},{"name":"ICDRAW_RENDER","features":[422]},{"name":"ICDRAW_UPDATE","features":[422]},{"name":"ICDRAW_UPDATING","features":[422]},{"name":"ICDecompress","features":[319,422]},{"name":"ICDraw","features":[422]},{"name":"ICDrawBegin","features":[308,319,422]},{"name":"ICERR_ABORT","features":[422]},{"name":"ICERR_BADBITDEPTH","features":[422]},{"name":"ICERR_BADFLAGS","features":[422]},{"name":"ICERR_BADFORMAT","features":[422]},{"name":"ICERR_BADHANDLE","features":[422]},{"name":"ICERR_BADIMAGESIZE","features":[422]},{"name":"ICERR_BADPARAM","features":[422]},{"name":"ICERR_BADSIZE","features":[422]},{"name":"ICERR_CANTUPDATE","features":[422]},{"name":"ICERR_CUSTOM","features":[422]},{"name":"ICERR_DONTDRAW","features":[422]},{"name":"ICERR_ERROR","features":[422]},{"name":"ICERR_GOTOKEYFRAME","features":[422]},{"name":"ICERR_INTERNAL","features":[422]},{"name":"ICERR_MEMORY","features":[422]},{"name":"ICERR_NEWPALETTE","features":[422]},{"name":"ICERR_OK","features":[422]},{"name":"ICERR_STOPDRAWING","features":[422]},{"name":"ICERR_UNSUPPORTED","features":[422]},{"name":"ICGetDisplayFormat","features":[319,422]},{"name":"ICGetInfo","features":[308,422]},{"name":"ICINFO","features":[422]},{"name":"ICINSTALL_DRIVER","features":[422]},{"name":"ICINSTALL_DRIVERW","features":[422]},{"name":"ICINSTALL_FUNCTION","features":[422]},{"name":"ICINSTALL_HDRV","features":[422]},{"name":"ICINSTALL_UNICODE","features":[422]},{"name":"ICImageCompress","features":[308,319,422]},{"name":"ICImageDecompress","features":[308,319,422]},{"name":"ICInfo","features":[308,422]},{"name":"ICInstall","features":[308,422]},{"name":"ICLocate","features":[319,422]},{"name":"ICMF_ABOUT_QUERY","features":[422]},{"name":"ICMF_CHOOSE_ALLCOMPRESSORS","features":[422]},{"name":"ICMF_CHOOSE_DATARATE","features":[422]},{"name":"ICMF_CHOOSE_KEYFRAME","features":[422]},{"name":"ICMF_CHOOSE_PREVIEW","features":[422]},{"name":"ICMF_COMPVARS_VALID","features":[422]},{"name":"ICMF_CONFIGURE_QUERY","features":[422]},{"name":"ICMODE_COMPRESS","features":[422]},{"name":"ICMODE_DECOMPRESS","features":[422]},{"name":"ICMODE_DRAW","features":[422]},{"name":"ICMODE_FASTCOMPRESS","features":[422]},{"name":"ICMODE_FASTDECOMPRESS","features":[422]},{"name":"ICMODE_INTERNALF_FUNCTION32","features":[422]},{"name":"ICMODE_INTERNALF_MASK","features":[422]},{"name":"ICMODE_QUERY","features":[422]},{"name":"ICM_ABOUT","features":[422]},{"name":"ICM_COMPRESS","features":[422]},{"name":"ICM_COMPRESS_BEGIN","features":[422]},{"name":"ICM_COMPRESS_END","features":[422]},{"name":"ICM_COMPRESS_FRAMES","features":[422]},{"name":"ICM_COMPRESS_FRAMES_INFO","features":[422]},{"name":"ICM_COMPRESS_GET_FORMAT","features":[422]},{"name":"ICM_COMPRESS_GET_SIZE","features":[422]},{"name":"ICM_COMPRESS_QUERY","features":[422]},{"name":"ICM_CONFIGURE","features":[422]},{"name":"ICM_DECOMPRESS","features":[422]},{"name":"ICM_DECOMPRESSEX","features":[422]},{"name":"ICM_DECOMPRESSEX_BEGIN","features":[422]},{"name":"ICM_DECOMPRESSEX_END","features":[422]},{"name":"ICM_DECOMPRESSEX_QUERY","features":[422]},{"name":"ICM_DECOMPRESS_BEGIN","features":[422]},{"name":"ICM_DECOMPRESS_END","features":[422]},{"name":"ICM_DECOMPRESS_GET_FORMAT","features":[422]},{"name":"ICM_DECOMPRESS_GET_PALETTE","features":[422]},{"name":"ICM_DECOMPRESS_QUERY","features":[422]},{"name":"ICM_DECOMPRESS_SET_PALETTE","features":[422]},{"name":"ICM_DRAW","features":[422]},{"name":"ICM_DRAW_BEGIN","features":[422]},{"name":"ICM_DRAW_BITS","features":[422]},{"name":"ICM_DRAW_CHANGEPALETTE","features":[422]},{"name":"ICM_DRAW_END","features":[422]},{"name":"ICM_DRAW_FLUSH","features":[422]},{"name":"ICM_DRAW_GETTIME","features":[422]},{"name":"ICM_DRAW_GET_PALETTE","features":[422]},{"name":"ICM_DRAW_IDLE","features":[422]},{"name":"ICM_DRAW_QUERY","features":[422]},{"name":"ICM_DRAW_REALIZE","features":[422]},{"name":"ICM_DRAW_RENDERBUFFER","features":[422]},{"name":"ICM_DRAW_SETTIME","features":[422]},{"name":"ICM_DRAW_START","features":[422]},{"name":"ICM_DRAW_START_PLAY","features":[422]},{"name":"ICM_DRAW_STOP","features":[422]},{"name":"ICM_DRAW_STOP_PLAY","features":[422]},{"name":"ICM_DRAW_SUGGESTFORMAT","features":[422]},{"name":"ICM_DRAW_UPDATE","features":[422]},{"name":"ICM_DRAW_WINDOW","features":[422]},{"name":"ICM_ENUMFORMATS","features":[422]},{"name":"ICM_GET","features":[422]},{"name":"ICM_GETBUFFERSWANTED","features":[422]},{"name":"ICM_GETDEFAULTKEYFRAMERATE","features":[422]},{"name":"ICM_GETDEFAULTQUALITY","features":[422]},{"name":"ICM_GETERRORTEXT","features":[422]},{"name":"ICM_GETFORMATNAME","features":[422]},{"name":"ICM_GETINFO","features":[422]},{"name":"ICM_GETQUALITY","features":[422]},{"name":"ICM_GETSTATE","features":[422]},{"name":"ICM_RESERVED","features":[422]},{"name":"ICM_RESERVED_HIGH","features":[422]},{"name":"ICM_RESERVED_LOW","features":[422]},{"name":"ICM_SET","features":[422]},{"name":"ICM_SETQUALITY","features":[422]},{"name":"ICM_SETSTATE","features":[422]},{"name":"ICM_SET_STATUS_PROC","features":[422]},{"name":"ICM_USER","features":[422]},{"name":"ICOPEN","features":[308,422]},{"name":"ICOpen","features":[422]},{"name":"ICOpenFunction","features":[308,422]},{"name":"ICPALETTE","features":[319,422]},{"name":"ICQUALITY_DEFAULT","features":[422]},{"name":"ICQUALITY_HIGH","features":[422]},{"name":"ICQUALITY_LOW","features":[422]},{"name":"ICRemove","features":[308,422]},{"name":"ICSETSTATUSPROC","features":[308,422]},{"name":"ICSTATUS_END","features":[422]},{"name":"ICSTATUS_ERROR","features":[422]},{"name":"ICSTATUS_START","features":[422]},{"name":"ICSTATUS_STATUS","features":[422]},{"name":"ICSTATUS_YIELD","features":[422]},{"name":"ICSendMessage","features":[308,422]},{"name":"ICSeqCompressFrame","features":[308,319,422]},{"name":"ICSeqCompressFrameEnd","features":[319,422]},{"name":"ICSeqCompressFrameStart","features":[308,319,422]},{"name":"ICVERSION","features":[422]},{"name":"IDD_ACMFILTERCHOOSE_BTN_DELNAME","features":[422]},{"name":"IDD_ACMFILTERCHOOSE_BTN_HELP","features":[422]},{"name":"IDD_ACMFILTERCHOOSE_BTN_SETNAME","features":[422]},{"name":"IDD_ACMFILTERCHOOSE_CMB_CUSTOM","features":[422]},{"name":"IDD_ACMFILTERCHOOSE_CMB_FILTER","features":[422]},{"name":"IDD_ACMFILTERCHOOSE_CMB_FILTERTAG","features":[422]},{"name":"IDD_ACMFORMATCHOOSE_BTN_DELNAME","features":[422]},{"name":"IDD_ACMFORMATCHOOSE_BTN_HELP","features":[422]},{"name":"IDD_ACMFORMATCHOOSE_BTN_SETNAME","features":[422]},{"name":"IDD_ACMFORMATCHOOSE_CMB_CUSTOM","features":[422]},{"name":"IDD_ACMFORMATCHOOSE_CMB_FORMAT","features":[422]},{"name":"IDD_ACMFORMATCHOOSE_CMB_FORMATTAG","features":[422]},{"name":"IDS_CAP_AUDIO_DROP_COMPERROR","features":[422]},{"name":"IDS_CAP_AUDIO_DROP_ERROR","features":[422]},{"name":"IDS_CAP_AVI_DRAWDIB_ERROR","features":[422]},{"name":"IDS_CAP_AVI_INIT_ERROR","features":[422]},{"name":"IDS_CAP_BEGIN","features":[422]},{"name":"IDS_CAP_CANTOPEN","features":[422]},{"name":"IDS_CAP_COMPRESSOR_ERROR","features":[422]},{"name":"IDS_CAP_DEFAVIEXT","features":[422]},{"name":"IDS_CAP_DEFPALEXT","features":[422]},{"name":"IDS_CAP_DRIVER_ERROR","features":[422]},{"name":"IDS_CAP_END","features":[422]},{"name":"IDS_CAP_ERRORDIBSAVE","features":[422]},{"name":"IDS_CAP_ERRORPALOPEN","features":[422]},{"name":"IDS_CAP_ERRORPALSAVE","features":[422]},{"name":"IDS_CAP_FILEEXISTS","features":[422]},{"name":"IDS_CAP_FILE_OPEN_ERROR","features":[422]},{"name":"IDS_CAP_FILE_WRITE_ERROR","features":[422]},{"name":"IDS_CAP_INFO","features":[422]},{"name":"IDS_CAP_MCI_CANT_STEP_ERROR","features":[422]},{"name":"IDS_CAP_MCI_CONTROL_ERROR","features":[422]},{"name":"IDS_CAP_NODISKSPACE","features":[422]},{"name":"IDS_CAP_NO_AUDIO_CAP_ERROR","features":[422]},{"name":"IDS_CAP_NO_FRAME_CAP_ERROR","features":[422]},{"name":"IDS_CAP_NO_PALETTE_WARN","features":[422]},{"name":"IDS_CAP_OUTOFMEM","features":[422]},{"name":"IDS_CAP_READONLYFILE","features":[422]},{"name":"IDS_CAP_RECORDING_ERROR","features":[422]},{"name":"IDS_CAP_RECORDING_ERROR2","features":[422]},{"name":"IDS_CAP_SAVEASPERCENT","features":[422]},{"name":"IDS_CAP_SEQ_MSGSTART","features":[422]},{"name":"IDS_CAP_SEQ_MSGSTOP","features":[422]},{"name":"IDS_CAP_SETFILESIZE","features":[422]},{"name":"IDS_CAP_STAT_CAP_AUDIO","features":[422]},{"name":"IDS_CAP_STAT_CAP_FINI","features":[422]},{"name":"IDS_CAP_STAT_CAP_INIT","features":[422]},{"name":"IDS_CAP_STAT_CAP_L_FRAMES","features":[422]},{"name":"IDS_CAP_STAT_FRAMESDROPPED","features":[422]},{"name":"IDS_CAP_STAT_I_FRAMES","features":[422]},{"name":"IDS_CAP_STAT_LIVE_MODE","features":[422]},{"name":"IDS_CAP_STAT_L_FRAMES","features":[422]},{"name":"IDS_CAP_STAT_OPTPAL_BUILD","features":[422]},{"name":"IDS_CAP_STAT_OVERLAY_MODE","features":[422]},{"name":"IDS_CAP_STAT_PALETTE_BUILD","features":[422]},{"name":"IDS_CAP_STAT_VIDEOAUDIO","features":[422]},{"name":"IDS_CAP_STAT_VIDEOCURRENT","features":[422]},{"name":"IDS_CAP_STAT_VIDEOONLY","features":[422]},{"name":"IDS_CAP_VIDEDITERR","features":[422]},{"name":"IDS_CAP_VIDEO_ADD_ERROR","features":[422]},{"name":"IDS_CAP_VIDEO_ALLOC_ERROR","features":[422]},{"name":"IDS_CAP_VIDEO_OPEN_ERROR","features":[422]},{"name":"IDS_CAP_VIDEO_PREPARE_ERROR","features":[422]},{"name":"IDS_CAP_VIDEO_SIZE_ERROR","features":[422]},{"name":"IDS_CAP_WAVE_ADD_ERROR","features":[422]},{"name":"IDS_CAP_WAVE_ALLOC_ERROR","features":[422]},{"name":"IDS_CAP_WAVE_OPEN_ERROR","features":[422]},{"name":"IDS_CAP_WAVE_PREPARE_ERROR","features":[422]},{"name":"IDS_CAP_WAVE_SIZE_ERROR","features":[422]},{"name":"IDS_CAP_WRITEERROR","features":[422]},{"name":"IGetFrame","features":[422]},{"name":"IMAADPCMWAVEFORMAT","features":[423,422]},{"name":"JDD_CONFIGCHANGED","features":[422]},{"name":"JDD_GETDEVCAPS","features":[422]},{"name":"JDD_GETNUMDEVS","features":[422]},{"name":"JDD_GETPOS","features":[422]},{"name":"JDD_GETPOSEX","features":[422]},{"name":"JDD_SETCALIBRATION","features":[422]},{"name":"JIFMK_00","features":[422]},{"name":"JIFMK_APP0","features":[422]},{"name":"JIFMK_APP1","features":[422]},{"name":"JIFMK_APP2","features":[422]},{"name":"JIFMK_APP3","features":[422]},{"name":"JIFMK_APP4","features":[422]},{"name":"JIFMK_APP5","features":[422]},{"name":"JIFMK_APP6","features":[422]},{"name":"JIFMK_APP7","features":[422]},{"name":"JIFMK_COM","features":[422]},{"name":"JIFMK_DAC","features":[422]},{"name":"JIFMK_DHP","features":[422]},{"name":"JIFMK_DHT","features":[422]},{"name":"JIFMK_DNL","features":[422]},{"name":"JIFMK_DQT","features":[422]},{"name":"JIFMK_DRI","features":[422]},{"name":"JIFMK_EOI","features":[422]},{"name":"JIFMK_EXP","features":[422]},{"name":"JIFMK_FF","features":[422]},{"name":"JIFMK_JPG","features":[422]},{"name":"JIFMK_JPG0","features":[422]},{"name":"JIFMK_JPG1","features":[422]},{"name":"JIFMK_JPG10","features":[422]},{"name":"JIFMK_JPG11","features":[422]},{"name":"JIFMK_JPG12","features":[422]},{"name":"JIFMK_JPG13","features":[422]},{"name":"JIFMK_JPG2","features":[422]},{"name":"JIFMK_JPG3","features":[422]},{"name":"JIFMK_JPG4","features":[422]},{"name":"JIFMK_JPG5","features":[422]},{"name":"JIFMK_JPG6","features":[422]},{"name":"JIFMK_JPG7","features":[422]},{"name":"JIFMK_JPG8","features":[422]},{"name":"JIFMK_JPG9","features":[422]},{"name":"JIFMK_RES","features":[422]},{"name":"JIFMK_RST0","features":[422]},{"name":"JIFMK_RST1","features":[422]},{"name":"JIFMK_RST2","features":[422]},{"name":"JIFMK_RST3","features":[422]},{"name":"JIFMK_RST4","features":[422]},{"name":"JIFMK_RST5","features":[422]},{"name":"JIFMK_RST6","features":[422]},{"name":"JIFMK_RST7","features":[422]},{"name":"JIFMK_SOF0","features":[422]},{"name":"JIFMK_SOF1","features":[422]},{"name":"JIFMK_SOF10","features":[422]},{"name":"JIFMK_SOF11","features":[422]},{"name":"JIFMK_SOF13","features":[422]},{"name":"JIFMK_SOF14","features":[422]},{"name":"JIFMK_SOF15","features":[422]},{"name":"JIFMK_SOF2","features":[422]},{"name":"JIFMK_SOF3","features":[422]},{"name":"JIFMK_SOF5","features":[422]},{"name":"JIFMK_SOF6","features":[422]},{"name":"JIFMK_SOF7","features":[422]},{"name":"JIFMK_SOF9","features":[422]},{"name":"JIFMK_SOI","features":[422]},{"name":"JIFMK_SOS","features":[422]},{"name":"JIFMK_TEM","features":[422]},{"name":"JOYCAPS2A","features":[422]},{"name":"JOYCAPS2W","features":[422]},{"name":"JOYCAPSA","features":[422]},{"name":"JOYCAPSW","features":[422]},{"name":"JOYCAPS_HASPOV","features":[422]},{"name":"JOYCAPS_HASR","features":[422]},{"name":"JOYCAPS_HASU","features":[422]},{"name":"JOYCAPS_HASV","features":[422]},{"name":"JOYCAPS_HASZ","features":[422]},{"name":"JOYCAPS_POV4DIR","features":[422]},{"name":"JOYCAPS_POVCTS","features":[422]},{"name":"JOYERR_NOCANDO","features":[422]},{"name":"JOYERR_NOERROR","features":[422]},{"name":"JOYERR_PARMS","features":[422]},{"name":"JOYERR_UNPLUGGED","features":[422]},{"name":"JOYINFO","features":[422]},{"name":"JOYINFOEX","features":[422]},{"name":"JOYSTICKID1","features":[422]},{"name":"JOYSTICKID2","features":[422]},{"name":"JOY_BUTTON1","features":[422]},{"name":"JOY_BUTTON10","features":[422]},{"name":"JOY_BUTTON11","features":[422]},{"name":"JOY_BUTTON12","features":[422]},{"name":"JOY_BUTTON13","features":[422]},{"name":"JOY_BUTTON14","features":[422]},{"name":"JOY_BUTTON15","features":[422]},{"name":"JOY_BUTTON16","features":[422]},{"name":"JOY_BUTTON17","features":[422]},{"name":"JOY_BUTTON18","features":[422]},{"name":"JOY_BUTTON19","features":[422]},{"name":"JOY_BUTTON1CHG","features":[422]},{"name":"JOY_BUTTON2","features":[422]},{"name":"JOY_BUTTON20","features":[422]},{"name":"JOY_BUTTON21","features":[422]},{"name":"JOY_BUTTON22","features":[422]},{"name":"JOY_BUTTON23","features":[422]},{"name":"JOY_BUTTON24","features":[422]},{"name":"JOY_BUTTON25","features":[422]},{"name":"JOY_BUTTON26","features":[422]},{"name":"JOY_BUTTON27","features":[422]},{"name":"JOY_BUTTON28","features":[422]},{"name":"JOY_BUTTON29","features":[422]},{"name":"JOY_BUTTON2CHG","features":[422]},{"name":"JOY_BUTTON3","features":[422]},{"name":"JOY_BUTTON30","features":[422]},{"name":"JOY_BUTTON31","features":[422]},{"name":"JOY_BUTTON32","features":[422]},{"name":"JOY_BUTTON3CHG","features":[422]},{"name":"JOY_BUTTON4","features":[422]},{"name":"JOY_BUTTON4CHG","features":[422]},{"name":"JOY_BUTTON5","features":[422]},{"name":"JOY_BUTTON6","features":[422]},{"name":"JOY_BUTTON7","features":[422]},{"name":"JOY_BUTTON8","features":[422]},{"name":"JOY_BUTTON9","features":[422]},{"name":"JOY_CAL_READ3","features":[422]},{"name":"JOY_CAL_READ4","features":[422]},{"name":"JOY_CAL_READ5","features":[422]},{"name":"JOY_CAL_READ6","features":[422]},{"name":"JOY_CAL_READALWAYS","features":[422]},{"name":"JOY_CAL_READRONLY","features":[422]},{"name":"JOY_CAL_READUONLY","features":[422]},{"name":"JOY_CAL_READVONLY","features":[422]},{"name":"JOY_CAL_READXONLY","features":[422]},{"name":"JOY_CAL_READXYONLY","features":[422]},{"name":"JOY_CAL_READYONLY","features":[422]},{"name":"JOY_CAL_READZONLY","features":[422]},{"name":"JOY_CONFIGCHANGED_MSGSTRING","features":[422]},{"name":"JOY_POVBACKWARD","features":[422]},{"name":"JOY_POVFORWARD","features":[422]},{"name":"JOY_POVLEFT","features":[422]},{"name":"JOY_POVRIGHT","features":[422]},{"name":"JOY_RETURNBUTTONS","features":[422]},{"name":"JOY_RETURNCENTERED","features":[422]},{"name":"JOY_RETURNPOV","features":[422]},{"name":"JOY_RETURNPOVCTS","features":[422]},{"name":"JOY_RETURNR","features":[422]},{"name":"JOY_RETURNRAWDATA","features":[422]},{"name":"JOY_RETURNU","features":[422]},{"name":"JOY_RETURNV","features":[422]},{"name":"JOY_RETURNX","features":[422]},{"name":"JOY_RETURNY","features":[422]},{"name":"JOY_RETURNZ","features":[422]},{"name":"JOY_USEDEADZONE","features":[422]},{"name":"JPEGINFOHEADER","features":[422]},{"name":"JPEG_PROCESS_BASELINE","features":[422]},{"name":"JPEG_RGB","features":[422]},{"name":"JPEG_Y","features":[422]},{"name":"JPEG_YCbCr","features":[422]},{"name":"KSDATAFORMAT_SUBTYPE_IEEE_FLOAT","features":[422]},{"name":"LPFNEXTDEVIO","features":[308,422,313]},{"name":"LPMMIOPROC","features":[308,422]},{"name":"LPTASKCALLBACK","features":[422]},{"name":"MCIERR_AVI_AUDIOERROR","features":[422]},{"name":"MCIERR_AVI_BADPALETTE","features":[422]},{"name":"MCIERR_AVI_CANTPLAYFULLSCREEN","features":[422]},{"name":"MCIERR_AVI_DISPLAYERROR","features":[422]},{"name":"MCIERR_AVI_NOCOMPRESSOR","features":[422]},{"name":"MCIERR_AVI_NODISPDIB","features":[422]},{"name":"MCIERR_AVI_NOTINTERLEAVED","features":[422]},{"name":"MCIERR_AVI_OLDAVIFORMAT","features":[422]},{"name":"MCIERR_AVI_TOOBIGFORVGA","features":[422]},{"name":"MCIERR_BAD_CONSTANT","features":[422]},{"name":"MCIERR_BAD_INTEGER","features":[422]},{"name":"MCIERR_BAD_TIME_FORMAT","features":[422]},{"name":"MCIERR_CANNOT_LOAD_DRIVER","features":[422]},{"name":"MCIERR_CANNOT_USE_ALL","features":[422]},{"name":"MCIERR_CREATEWINDOW","features":[422]},{"name":"MCIERR_CUSTOM_DRIVER_BASE","features":[422]},{"name":"MCIERR_DEVICE_LENGTH","features":[422]},{"name":"MCIERR_DEVICE_LOCKED","features":[422]},{"name":"MCIERR_DEVICE_NOT_INSTALLED","features":[422]},{"name":"MCIERR_DEVICE_NOT_READY","features":[422]},{"name":"MCIERR_DEVICE_OPEN","features":[422]},{"name":"MCIERR_DEVICE_ORD_LENGTH","features":[422]},{"name":"MCIERR_DEVICE_TYPE_REQUIRED","features":[422]},{"name":"MCIERR_DGV_BAD_CLIPBOARD_RANGE","features":[422]},{"name":"MCIERR_DGV_DEVICE_LIMIT","features":[422]},{"name":"MCIERR_DGV_DEVICE_MEMORY_FULL","features":[422]},{"name":"MCIERR_DGV_DISK_FULL","features":[422]},{"name":"MCIERR_DGV_IOERR","features":[422]},{"name":"MCIERR_DGV_WORKSPACE_EMPTY","features":[422]},{"name":"MCIERR_DRIVER","features":[422]},{"name":"MCIERR_DRIVER_INTERNAL","features":[422]},{"name":"MCIERR_DUPLICATE_ALIAS","features":[422]},{"name":"MCIERR_DUPLICATE_FLAGS","features":[422]},{"name":"MCIERR_EXTENSION_NOT_FOUND","features":[422]},{"name":"MCIERR_EXTRA_CHARACTERS","features":[422]},{"name":"MCIERR_FILENAME_REQUIRED","features":[422]},{"name":"MCIERR_FILE_NOT_FOUND","features":[422]},{"name":"MCIERR_FILE_NOT_SAVED","features":[422]},{"name":"MCIERR_FILE_READ","features":[422]},{"name":"MCIERR_FILE_WRITE","features":[422]},{"name":"MCIERR_FLAGS_NOT_COMPATIBLE","features":[422]},{"name":"MCIERR_GET_CD","features":[422]},{"name":"MCIERR_HARDWARE","features":[422]},{"name":"MCIERR_ILLEGAL_FOR_AUTO_OPEN","features":[422]},{"name":"MCIERR_INTERNAL","features":[422]},{"name":"MCIERR_INVALID_DEVICE_ID","features":[422]},{"name":"MCIERR_INVALID_DEVICE_NAME","features":[422]},{"name":"MCIERR_INVALID_FILE","features":[422]},{"name":"MCIERR_MISSING_COMMAND_STRING","features":[422]},{"name":"MCIERR_MISSING_DEVICE_NAME","features":[422]},{"name":"MCIERR_MISSING_PARAMETER","features":[422]},{"name":"MCIERR_MISSING_STRING_ARGUMENT","features":[422]},{"name":"MCIERR_MULTIPLE","features":[422]},{"name":"MCIERR_MUST_USE_SHAREABLE","features":[422]},{"name":"MCIERR_NEW_REQUIRES_ALIAS","features":[422]},{"name":"MCIERR_NONAPPLICABLE_FUNCTION","features":[422]},{"name":"MCIERR_NOTIFY_ON_AUTO_OPEN","features":[422]},{"name":"MCIERR_NO_CLOSING_QUOTE","features":[422]},{"name":"MCIERR_NO_ELEMENT_ALLOWED","features":[422]},{"name":"MCIERR_NO_IDENTITY","features":[422]},{"name":"MCIERR_NO_INTEGER","features":[422]},{"name":"MCIERR_NO_WINDOW","features":[422]},{"name":"MCIERR_NULL_PARAMETER_BLOCK","features":[422]},{"name":"MCIERR_OUTOFRANGE","features":[422]},{"name":"MCIERR_OUT_OF_MEMORY","features":[422]},{"name":"MCIERR_PARAM_OVERFLOW","features":[422]},{"name":"MCIERR_PARSER_INTERNAL","features":[422]},{"name":"MCIERR_SEQ_DIV_INCOMPATIBLE","features":[422]},{"name":"MCIERR_SEQ_NOMIDIPRESENT","features":[422]},{"name":"MCIERR_SEQ_PORTUNSPECIFIED","features":[422]},{"name":"MCIERR_SEQ_PORT_INUSE","features":[422]},{"name":"MCIERR_SEQ_PORT_MAPNODEVICE","features":[422]},{"name":"MCIERR_SEQ_PORT_MISCERROR","features":[422]},{"name":"MCIERR_SEQ_PORT_NONEXISTENT","features":[422]},{"name":"MCIERR_SEQ_TIMER","features":[422]},{"name":"MCIERR_SET_CD","features":[422]},{"name":"MCIERR_SET_DRIVE","features":[422]},{"name":"MCIERR_UNNAMED_RESOURCE","features":[422]},{"name":"MCIERR_UNRECOGNIZED_COMMAND","features":[422]},{"name":"MCIERR_UNRECOGNIZED_KEYWORD","features":[422]},{"name":"MCIERR_UNSUPPORTED_FUNCTION","features":[422]},{"name":"MCIERR_WAVE_INPUTSINUSE","features":[422]},{"name":"MCIERR_WAVE_INPUTSUNSUITABLE","features":[422]},{"name":"MCIERR_WAVE_INPUTUNSPECIFIED","features":[422]},{"name":"MCIERR_WAVE_OUTPUTSINUSE","features":[422]},{"name":"MCIERR_WAVE_OUTPUTSUNSUITABLE","features":[422]},{"name":"MCIERR_WAVE_OUTPUTUNSPECIFIED","features":[422]},{"name":"MCIERR_WAVE_SETINPUTINUSE","features":[422]},{"name":"MCIERR_WAVE_SETINPUTUNSUITABLE","features":[422]},{"name":"MCIERR_WAVE_SETOUTPUTINUSE","features":[422]},{"name":"MCIERR_WAVE_SETOUTPUTUNSUITABLE","features":[422]},{"name":"MCIWNDF_NOAUTOSIZEMOVIE","features":[422]},{"name":"MCIWNDF_NOAUTOSIZEWINDOW","features":[422]},{"name":"MCIWNDF_NOERRORDLG","features":[422]},{"name":"MCIWNDF_NOMENU","features":[422]},{"name":"MCIWNDF_NOOPEN","features":[422]},{"name":"MCIWNDF_NOPLAYBAR","features":[422]},{"name":"MCIWNDF_NOTIFYALL","features":[422]},{"name":"MCIWNDF_NOTIFYANSI","features":[422]},{"name":"MCIWNDF_NOTIFYERROR","features":[422]},{"name":"MCIWNDF_NOTIFYMEDIA","features":[422]},{"name":"MCIWNDF_NOTIFYMEDIAA","features":[422]},{"name":"MCIWNDF_NOTIFYMEDIAW","features":[422]},{"name":"MCIWNDF_NOTIFYMODE","features":[422]},{"name":"MCIWNDF_NOTIFYPOS","features":[422]},{"name":"MCIWNDF_NOTIFYSIZE","features":[422]},{"name":"MCIWNDF_RECORD","features":[422]},{"name":"MCIWNDF_SHOWALL","features":[422]},{"name":"MCIWNDF_SHOWMODE","features":[422]},{"name":"MCIWNDF_SHOWNAME","features":[422]},{"name":"MCIWNDF_SHOWPOS","features":[422]},{"name":"MCIWNDM_CAN_CONFIG","features":[422]},{"name":"MCIWNDM_CAN_EJECT","features":[422]},{"name":"MCIWNDM_CAN_PLAY","features":[422]},{"name":"MCIWNDM_CAN_RECORD","features":[422]},{"name":"MCIWNDM_CAN_SAVE","features":[422]},{"name":"MCIWNDM_CAN_WINDOW","features":[422]},{"name":"MCIWNDM_CHANGESTYLES","features":[422]},{"name":"MCIWNDM_EJECT","features":[422]},{"name":"MCIWNDM_GETACTIVETIMER","features":[422]},{"name":"MCIWNDM_GETALIAS","features":[422]},{"name":"MCIWNDM_GETDEVICE","features":[422]},{"name":"MCIWNDM_GETDEVICEA","features":[422]},{"name":"MCIWNDM_GETDEVICEID","features":[422]},{"name":"MCIWNDM_GETDEVICEW","features":[422]},{"name":"MCIWNDM_GETEND","features":[422]},{"name":"MCIWNDM_GETERROR","features":[422]},{"name":"MCIWNDM_GETERRORA","features":[422]},{"name":"MCIWNDM_GETERRORW","features":[422]},{"name":"MCIWNDM_GETFILENAME","features":[422]},{"name":"MCIWNDM_GETFILENAMEA","features":[422]},{"name":"MCIWNDM_GETFILENAMEW","features":[422]},{"name":"MCIWNDM_GETINACTIVETIMER","features":[422]},{"name":"MCIWNDM_GETLENGTH","features":[422]},{"name":"MCIWNDM_GETMODE","features":[422]},{"name":"MCIWNDM_GETMODEA","features":[422]},{"name":"MCIWNDM_GETMODEW","features":[422]},{"name":"MCIWNDM_GETPALETTE","features":[422]},{"name":"MCIWNDM_GETPOSITION","features":[422]},{"name":"MCIWNDM_GETPOSITIONA","features":[422]},{"name":"MCIWNDM_GETPOSITIONW","features":[422]},{"name":"MCIWNDM_GETREPEAT","features":[422]},{"name":"MCIWNDM_GETSPEED","features":[422]},{"name":"MCIWNDM_GETSTART","features":[422]},{"name":"MCIWNDM_GETSTYLES","features":[422]},{"name":"MCIWNDM_GETTIMEFORMAT","features":[422]},{"name":"MCIWNDM_GETTIMEFORMATA","features":[422]},{"name":"MCIWNDM_GETTIMEFORMATW","features":[422]},{"name":"MCIWNDM_GETVOLUME","features":[422]},{"name":"MCIWNDM_GETZOOM","features":[422]},{"name":"MCIWNDM_GET_DEST","features":[422]},{"name":"MCIWNDM_GET_SOURCE","features":[422]},{"name":"MCIWNDM_NEW","features":[422]},{"name":"MCIWNDM_NEWA","features":[422]},{"name":"MCIWNDM_NEWW","features":[422]},{"name":"MCIWNDM_NOTIFYERROR","features":[422]},{"name":"MCIWNDM_NOTIFYMEDIA","features":[422]},{"name":"MCIWNDM_NOTIFYMODE","features":[422]},{"name":"MCIWNDM_NOTIFYPOS","features":[422]},{"name":"MCIWNDM_NOTIFYSIZE","features":[422]},{"name":"MCIWNDM_OPEN","features":[422]},{"name":"MCIWNDM_OPENA","features":[422]},{"name":"MCIWNDM_OPENINTERFACE","features":[422]},{"name":"MCIWNDM_OPENW","features":[422]},{"name":"MCIWNDM_PALETTEKICK","features":[422]},{"name":"MCIWNDM_PLAYFROM","features":[422]},{"name":"MCIWNDM_PLAYREVERSE","features":[422]},{"name":"MCIWNDM_PLAYTO","features":[422]},{"name":"MCIWNDM_PUT_DEST","features":[422]},{"name":"MCIWNDM_PUT_SOURCE","features":[422]},{"name":"MCIWNDM_REALIZE","features":[422]},{"name":"MCIWNDM_RETURNSTRING","features":[422]},{"name":"MCIWNDM_RETURNSTRINGA","features":[422]},{"name":"MCIWNDM_RETURNSTRINGW","features":[422]},{"name":"MCIWNDM_SENDSTRING","features":[422]},{"name":"MCIWNDM_SENDSTRINGA","features":[422]},{"name":"MCIWNDM_SENDSTRINGW","features":[422]},{"name":"MCIWNDM_SETACTIVETIMER","features":[422]},{"name":"MCIWNDM_SETINACTIVETIMER","features":[422]},{"name":"MCIWNDM_SETOWNER","features":[422]},{"name":"MCIWNDM_SETPALETTE","features":[422]},{"name":"MCIWNDM_SETREPEAT","features":[422]},{"name":"MCIWNDM_SETSPEED","features":[422]},{"name":"MCIWNDM_SETTIMEFORMAT","features":[422]},{"name":"MCIWNDM_SETTIMEFORMATA","features":[422]},{"name":"MCIWNDM_SETTIMEFORMATW","features":[422]},{"name":"MCIWNDM_SETTIMERS","features":[422]},{"name":"MCIWNDM_SETVOLUME","features":[422]},{"name":"MCIWNDM_SETZOOM","features":[422]},{"name":"MCIWNDM_VALIDATEMEDIA","features":[422]},{"name":"MCIWNDOPENF_NEW","features":[422]},{"name":"MCIWND_END","features":[422]},{"name":"MCIWND_START","features":[422]},{"name":"MCIWND_WINDOW_CLASS","features":[422]},{"name":"MCIWndCreateA","features":[308,422]},{"name":"MCIWndCreateW","features":[308,422]},{"name":"MCIWndRegisterClass","features":[308,422]},{"name":"MCI_ANIM_GETDEVCAPS_CAN_REVERSE","features":[422]},{"name":"MCI_ANIM_GETDEVCAPS_CAN_STRETCH","features":[422]},{"name":"MCI_ANIM_GETDEVCAPS_FAST_RATE","features":[422]},{"name":"MCI_ANIM_GETDEVCAPS_MAX_WINDOWS","features":[422]},{"name":"MCI_ANIM_GETDEVCAPS_NORMAL_RATE","features":[422]},{"name":"MCI_ANIM_GETDEVCAPS_PALETTES","features":[422]},{"name":"MCI_ANIM_GETDEVCAPS_SLOW_RATE","features":[422]},{"name":"MCI_ANIM_INFO_TEXT","features":[422]},{"name":"MCI_ANIM_OPEN_NOSTATIC","features":[422]},{"name":"MCI_ANIM_OPEN_PARENT","features":[422]},{"name":"MCI_ANIM_OPEN_PARMSA","features":[308,422]},{"name":"MCI_ANIM_OPEN_PARMSW","features":[308,422]},{"name":"MCI_ANIM_OPEN_WS","features":[422]},{"name":"MCI_ANIM_PLAY_FAST","features":[422]},{"name":"MCI_ANIM_PLAY_PARMS","features":[422]},{"name":"MCI_ANIM_PLAY_REVERSE","features":[422]},{"name":"MCI_ANIM_PLAY_SCAN","features":[422]},{"name":"MCI_ANIM_PLAY_SLOW","features":[422]},{"name":"MCI_ANIM_PLAY_SPEED","features":[422]},{"name":"MCI_ANIM_PUT_DESTINATION","features":[422]},{"name":"MCI_ANIM_PUT_SOURCE","features":[422]},{"name":"MCI_ANIM_REALIZE_BKGD","features":[422]},{"name":"MCI_ANIM_REALIZE_NORM","features":[422]},{"name":"MCI_ANIM_RECT","features":[422]},{"name":"MCI_ANIM_RECT_PARMS","features":[308,422]},{"name":"MCI_ANIM_STATUS_FORWARD","features":[422]},{"name":"MCI_ANIM_STATUS_HPAL","features":[422]},{"name":"MCI_ANIM_STATUS_HWND","features":[422]},{"name":"MCI_ANIM_STATUS_SPEED","features":[422]},{"name":"MCI_ANIM_STATUS_STRETCH","features":[422]},{"name":"MCI_ANIM_STEP_FRAMES","features":[422]},{"name":"MCI_ANIM_STEP_PARMS","features":[422]},{"name":"MCI_ANIM_STEP_REVERSE","features":[422]},{"name":"MCI_ANIM_UPDATE_HDC","features":[422]},{"name":"MCI_ANIM_UPDATE_PARMS","features":[308,319,422]},{"name":"MCI_ANIM_WHERE_DESTINATION","features":[422]},{"name":"MCI_ANIM_WHERE_SOURCE","features":[422]},{"name":"MCI_ANIM_WINDOW_DEFAULT","features":[422]},{"name":"MCI_ANIM_WINDOW_DISABLE_STRETCH","features":[422]},{"name":"MCI_ANIM_WINDOW_ENABLE_STRETCH","features":[422]},{"name":"MCI_ANIM_WINDOW_HWND","features":[422]},{"name":"MCI_ANIM_WINDOW_PARMSA","features":[308,422]},{"name":"MCI_ANIM_WINDOW_PARMSW","features":[308,422]},{"name":"MCI_ANIM_WINDOW_STATE","features":[422]},{"name":"MCI_ANIM_WINDOW_TEXT","features":[422]},{"name":"MCI_AVI_SETVIDEO_DRAW_PROCEDURE","features":[422]},{"name":"MCI_AVI_SETVIDEO_PALETTE_COLOR","features":[422]},{"name":"MCI_AVI_SETVIDEO_PALETTE_HALFTONE","features":[422]},{"name":"MCI_AVI_STATUS_AUDIO_BREAKS","features":[422]},{"name":"MCI_AVI_STATUS_FRAMES_SKIPPED","features":[422]},{"name":"MCI_AVI_STATUS_LAST_PLAY_SPEED","features":[422]},{"name":"MCI_BREAK","features":[422]},{"name":"MCI_BREAK_HWND","features":[422]},{"name":"MCI_BREAK_KEY","features":[422]},{"name":"MCI_BREAK_OFF","features":[422]},{"name":"MCI_BREAK_PARMS","features":[308,422]},{"name":"MCI_CAPTURE","features":[422]},{"name":"MCI_CDA_STATUS_TYPE_TRACK","features":[422]},{"name":"MCI_CDA_TRACK_AUDIO","features":[422]},{"name":"MCI_CDA_TRACK_OTHER","features":[422]},{"name":"MCI_CLOSE","features":[422]},{"name":"MCI_CLOSE_DRIVER","features":[422]},{"name":"MCI_COLONIZED3_RETURN","features":[422]},{"name":"MCI_COLONIZED4_RETURN","features":[422]},{"name":"MCI_COMMAND_HEAD","features":[422]},{"name":"MCI_CONFIGURE","features":[422]},{"name":"MCI_CONSTANT","features":[422]},{"name":"MCI_COPY","features":[422]},{"name":"MCI_CUE","features":[422]},{"name":"MCI_CUT","features":[422]},{"name":"MCI_DELETE","features":[422]},{"name":"MCI_DEVTYPE_ANIMATION","features":[422]},{"name":"MCI_DEVTYPE_CD_AUDIO","features":[422]},{"name":"MCI_DEVTYPE_DAT","features":[422]},{"name":"MCI_DEVTYPE_DIGITAL_VIDEO","features":[422]},{"name":"MCI_DEVTYPE_FIRST","features":[422]},{"name":"MCI_DEVTYPE_FIRST_USER","features":[422]},{"name":"MCI_DEVTYPE_LAST","features":[422]},{"name":"MCI_DEVTYPE_OTHER","features":[422]},{"name":"MCI_DEVTYPE_OVERLAY","features":[422]},{"name":"MCI_DEVTYPE_SCANNER","features":[422]},{"name":"MCI_DEVTYPE_SEQUENCER","features":[422]},{"name":"MCI_DEVTYPE_VCR","features":[422]},{"name":"MCI_DEVTYPE_VIDEODISC","features":[422]},{"name":"MCI_DEVTYPE_WAVEFORM_AUDIO","features":[422]},{"name":"MCI_DGV_CAPTURE_AS","features":[422]},{"name":"MCI_DGV_CAPTURE_AT","features":[422]},{"name":"MCI_DGV_CAPTURE_PARMSA","features":[308,422]},{"name":"MCI_DGV_CAPTURE_PARMSW","features":[308,422]},{"name":"MCI_DGV_COPY_AT","features":[422]},{"name":"MCI_DGV_COPY_AUDIO_STREAM","features":[422]},{"name":"MCI_DGV_COPY_PARMS","features":[308,422]},{"name":"MCI_DGV_COPY_VIDEO_STREAM","features":[422]},{"name":"MCI_DGV_CUE_INPUT","features":[422]},{"name":"MCI_DGV_CUE_NOSHOW","features":[422]},{"name":"MCI_DGV_CUE_OUTPUT","features":[422]},{"name":"MCI_DGV_CUE_PARMS","features":[422]},{"name":"MCI_DGV_CUT_AT","features":[422]},{"name":"MCI_DGV_CUT_AUDIO_STREAM","features":[422]},{"name":"MCI_DGV_CUT_PARMS","features":[308,422]},{"name":"MCI_DGV_CUT_VIDEO_STREAM","features":[422]},{"name":"MCI_DGV_DELETE_AT","features":[422]},{"name":"MCI_DGV_DELETE_AUDIO_STREAM","features":[422]},{"name":"MCI_DGV_DELETE_PARMS","features":[308,422]},{"name":"MCI_DGV_DELETE_VIDEO_STREAM","features":[422]},{"name":"MCI_DGV_FF_AVI","features":[422]},{"name":"MCI_DGV_FF_AVSS","features":[422]},{"name":"MCI_DGV_FF_DIB","features":[422]},{"name":"MCI_DGV_FF_JFIF","features":[422]},{"name":"MCI_DGV_FF_JPEG","features":[422]},{"name":"MCI_DGV_FF_MPEG","features":[422]},{"name":"MCI_DGV_FF_RDIB","features":[422]},{"name":"MCI_DGV_FF_RJPEG","features":[422]},{"name":"MCI_DGV_FILE_MODE_EDITING","features":[422]},{"name":"MCI_DGV_FILE_MODE_EDITING_S","features":[422]},{"name":"MCI_DGV_FILE_MODE_IDLE","features":[422]},{"name":"MCI_DGV_FILE_MODE_IDLE_S","features":[422]},{"name":"MCI_DGV_FILE_MODE_LOADING","features":[422]},{"name":"MCI_DGV_FILE_MODE_LOADING_S","features":[422]},{"name":"MCI_DGV_FILE_MODE_SAVING","features":[422]},{"name":"MCI_DGV_FILE_MODE_SAVING_S","features":[422]},{"name":"MCI_DGV_FILE_S","features":[422]},{"name":"MCI_DGV_FREEZE_AT","features":[422]},{"name":"MCI_DGV_FREEZE_OUTSIDE","features":[422]},{"name":"MCI_DGV_GETDEVCAPS_CAN_FREEZE","features":[422]},{"name":"MCI_DGV_GETDEVCAPS_CAN_LOCK","features":[422]},{"name":"MCI_DGV_GETDEVCAPS_CAN_REVERSE","features":[422]},{"name":"MCI_DGV_GETDEVCAPS_CAN_STRETCH","features":[422]},{"name":"MCI_DGV_GETDEVCAPS_CAN_STR_IN","features":[422]},{"name":"MCI_DGV_GETDEVCAPS_CAN_TEST","features":[422]},{"name":"MCI_DGV_GETDEVCAPS_HAS_STILL","features":[422]},{"name":"MCI_DGV_GETDEVCAPS_MAXIMUM_RATE","features":[422]},{"name":"MCI_DGV_GETDEVCAPS_MAX_WINDOWS","features":[422]},{"name":"MCI_DGV_GETDEVCAPS_MINIMUM_RATE","features":[422]},{"name":"MCI_DGV_GETDEVCAPS_PALETTES","features":[422]},{"name":"MCI_DGV_INFO_AUDIO_ALG","features":[422]},{"name":"MCI_DGV_INFO_AUDIO_QUALITY","features":[422]},{"name":"MCI_DGV_INFO_ITEM","features":[422]},{"name":"MCI_DGV_INFO_PARMSA","features":[422]},{"name":"MCI_DGV_INFO_PARMSW","features":[422]},{"name":"MCI_DGV_INFO_STILL_ALG","features":[422]},{"name":"MCI_DGV_INFO_STILL_QUALITY","features":[422]},{"name":"MCI_DGV_INFO_TEXT","features":[422]},{"name":"MCI_DGV_INFO_USAGE","features":[422]},{"name":"MCI_DGV_INFO_VIDEO_ALG","features":[422]},{"name":"MCI_DGV_INFO_VIDEO_QUALITY","features":[422]},{"name":"MCI_DGV_INPUT_S","features":[422]},{"name":"MCI_DGV_LIST_ALG","features":[422]},{"name":"MCI_DGV_LIST_AUDIO_ALG","features":[422]},{"name":"MCI_DGV_LIST_AUDIO_QUALITY","features":[422]},{"name":"MCI_DGV_LIST_AUDIO_STREAM","features":[422]},{"name":"MCI_DGV_LIST_COUNT","features":[422]},{"name":"MCI_DGV_LIST_ITEM","features":[422]},{"name":"MCI_DGV_LIST_NUMBER","features":[422]},{"name":"MCI_DGV_LIST_PARMSA","features":[422]},{"name":"MCI_DGV_LIST_PARMSW","features":[422]},{"name":"MCI_DGV_LIST_STILL_ALG","features":[422]},{"name":"MCI_DGV_LIST_STILL_QUALITY","features":[422]},{"name":"MCI_DGV_LIST_VIDEO_ALG","features":[422]},{"name":"MCI_DGV_LIST_VIDEO_QUALITY","features":[422]},{"name":"MCI_DGV_LIST_VIDEO_SOURCE","features":[422]},{"name":"MCI_DGV_LIST_VIDEO_STREAM","features":[422]},{"name":"MCI_DGV_METHOD_DIRECT","features":[422]},{"name":"MCI_DGV_METHOD_POST","features":[422]},{"name":"MCI_DGV_METHOD_PRE","features":[422]},{"name":"MCI_DGV_MONITOR_FILE","features":[422]},{"name":"MCI_DGV_MONITOR_INPUT","features":[422]},{"name":"MCI_DGV_MONITOR_METHOD","features":[422]},{"name":"MCI_DGV_MONITOR_PARMS","features":[422]},{"name":"MCI_DGV_MONITOR_SOURCE","features":[422]},{"name":"MCI_DGV_OPEN_16BIT","features":[422]},{"name":"MCI_DGV_OPEN_32BIT","features":[422]},{"name":"MCI_DGV_OPEN_NOSTATIC","features":[422]},{"name":"MCI_DGV_OPEN_PARENT","features":[422]},{"name":"MCI_DGV_OPEN_PARMSA","features":[308,422]},{"name":"MCI_DGV_OPEN_PARMSW","features":[308,422]},{"name":"MCI_DGV_OPEN_WS","features":[422]},{"name":"MCI_DGV_PASTE_AT","features":[422]},{"name":"MCI_DGV_PASTE_AUDIO_STREAM","features":[422]},{"name":"MCI_DGV_PASTE_INSERT","features":[422]},{"name":"MCI_DGV_PASTE_OVERWRITE","features":[422]},{"name":"MCI_DGV_PASTE_PARMS","features":[308,422]},{"name":"MCI_DGV_PASTE_VIDEO_STREAM","features":[422]},{"name":"MCI_DGV_PLAY_REPEAT","features":[422]},{"name":"MCI_DGV_PLAY_REVERSE","features":[422]},{"name":"MCI_DGV_PUT_CLIENT","features":[422]},{"name":"MCI_DGV_PUT_DESTINATION","features":[422]},{"name":"MCI_DGV_PUT_FRAME","features":[422]},{"name":"MCI_DGV_PUT_SOURCE","features":[422]},{"name":"MCI_DGV_PUT_VIDEO","features":[422]},{"name":"MCI_DGV_PUT_WINDOW","features":[422]},{"name":"MCI_DGV_QUALITY_PARMSA","features":[422]},{"name":"MCI_DGV_QUALITY_PARMSW","features":[422]},{"name":"MCI_DGV_REALIZE_BKGD","features":[422]},{"name":"MCI_DGV_REALIZE_NORM","features":[422]},{"name":"MCI_DGV_RECORD_AUDIO_STREAM","features":[422]},{"name":"MCI_DGV_RECORD_HOLD","features":[422]},{"name":"MCI_DGV_RECORD_PARMS","features":[308,422]},{"name":"MCI_DGV_RECORD_VIDEO_STREAM","features":[422]},{"name":"MCI_DGV_RECT","features":[422]},{"name":"MCI_DGV_RECT_PARMS","features":[308,422]},{"name":"MCI_DGV_RESERVE_IN","features":[422]},{"name":"MCI_DGV_RESERVE_PARMSA","features":[422]},{"name":"MCI_DGV_RESERVE_PARMSW","features":[422]},{"name":"MCI_DGV_RESERVE_SIZE","features":[422]},{"name":"MCI_DGV_RESTORE_AT","features":[422]},{"name":"MCI_DGV_RESTORE_FROM","features":[422]},{"name":"MCI_DGV_RESTORE_PARMSA","features":[308,422]},{"name":"MCI_DGV_RESTORE_PARMSW","features":[308,422]},{"name":"MCI_DGV_SAVE_ABORT","features":[422]},{"name":"MCI_DGV_SAVE_KEEPRESERVE","features":[422]},{"name":"MCI_DGV_SAVE_PARMSA","features":[308,422]},{"name":"MCI_DGV_SAVE_PARMSW","features":[308,422]},{"name":"MCI_DGV_SETAUDIO_ALG","features":[422]},{"name":"MCI_DGV_SETAUDIO_AVGBYTESPERSEC","features":[422]},{"name":"MCI_DGV_SETAUDIO_BASS","features":[422]},{"name":"MCI_DGV_SETAUDIO_BITSPERSAMPLE","features":[422]},{"name":"MCI_DGV_SETAUDIO_BLOCKALIGN","features":[422]},{"name":"MCI_DGV_SETAUDIO_CLOCKTIME","features":[422]},{"name":"MCI_DGV_SETAUDIO_INPUT","features":[422]},{"name":"MCI_DGV_SETAUDIO_ITEM","features":[422]},{"name":"MCI_DGV_SETAUDIO_LEFT","features":[422]},{"name":"MCI_DGV_SETAUDIO_OUTPUT","features":[422]},{"name":"MCI_DGV_SETAUDIO_OVER","features":[422]},{"name":"MCI_DGV_SETAUDIO_PARMSA","features":[422]},{"name":"MCI_DGV_SETAUDIO_PARMSW","features":[422]},{"name":"MCI_DGV_SETAUDIO_QUALITY","features":[422]},{"name":"MCI_DGV_SETAUDIO_RECORD","features":[422]},{"name":"MCI_DGV_SETAUDIO_RIGHT","features":[422]},{"name":"MCI_DGV_SETAUDIO_SAMPLESPERSEC","features":[422]},{"name":"MCI_DGV_SETAUDIO_SOURCE","features":[422]},{"name":"MCI_DGV_SETAUDIO_SOURCE_AVERAGE","features":[422]},{"name":"MCI_DGV_SETAUDIO_SOURCE_LEFT","features":[422]},{"name":"MCI_DGV_SETAUDIO_SOURCE_RIGHT","features":[422]},{"name":"MCI_DGV_SETAUDIO_SOURCE_STEREO","features":[422]},{"name":"MCI_DGV_SETAUDIO_SRC_AVERAGE_S","features":[422]},{"name":"MCI_DGV_SETAUDIO_SRC_LEFT_S","features":[422]},{"name":"MCI_DGV_SETAUDIO_SRC_RIGHT_S","features":[422]},{"name":"MCI_DGV_SETAUDIO_SRC_STEREO_S","features":[422]},{"name":"MCI_DGV_SETAUDIO_STREAM","features":[422]},{"name":"MCI_DGV_SETAUDIO_TREBLE","features":[422]},{"name":"MCI_DGV_SETAUDIO_VALUE","features":[422]},{"name":"MCI_DGV_SETAUDIO_VOLUME","features":[422]},{"name":"MCI_DGV_SETVIDEO_ALG","features":[422]},{"name":"MCI_DGV_SETVIDEO_BITSPERPEL","features":[422]},{"name":"MCI_DGV_SETVIDEO_BRIGHTNESS","features":[422]},{"name":"MCI_DGV_SETVIDEO_CLOCKTIME","features":[422]},{"name":"MCI_DGV_SETVIDEO_COLOR","features":[422]},{"name":"MCI_DGV_SETVIDEO_CONTRAST","features":[422]},{"name":"MCI_DGV_SETVIDEO_FRAME_RATE","features":[422]},{"name":"MCI_DGV_SETVIDEO_GAMMA","features":[422]},{"name":"MCI_DGV_SETVIDEO_INPUT","features":[422]},{"name":"MCI_DGV_SETVIDEO_ITEM","features":[422]},{"name":"MCI_DGV_SETVIDEO_KEY_COLOR","features":[422]},{"name":"MCI_DGV_SETVIDEO_KEY_INDEX","features":[422]},{"name":"MCI_DGV_SETVIDEO_OUTPUT","features":[422]},{"name":"MCI_DGV_SETVIDEO_OVER","features":[422]},{"name":"MCI_DGV_SETVIDEO_PALHANDLE","features":[422]},{"name":"MCI_DGV_SETVIDEO_PARMSA","features":[422]},{"name":"MCI_DGV_SETVIDEO_PARMSW","features":[422]},{"name":"MCI_DGV_SETVIDEO_QUALITY","features":[422]},{"name":"MCI_DGV_SETVIDEO_RECORD","features":[422]},{"name":"MCI_DGV_SETVIDEO_SHARPNESS","features":[422]},{"name":"MCI_DGV_SETVIDEO_SOURCE","features":[422]},{"name":"MCI_DGV_SETVIDEO_SRC_GENERIC","features":[422]},{"name":"MCI_DGV_SETVIDEO_SRC_GENERIC_S","features":[422]},{"name":"MCI_DGV_SETVIDEO_SRC_NTSC","features":[422]},{"name":"MCI_DGV_SETVIDEO_SRC_NTSC_S","features":[422]},{"name":"MCI_DGV_SETVIDEO_SRC_NUMBER","features":[422]},{"name":"MCI_DGV_SETVIDEO_SRC_PAL","features":[422]},{"name":"MCI_DGV_SETVIDEO_SRC_PAL_S","features":[422]},{"name":"MCI_DGV_SETVIDEO_SRC_RGB","features":[422]},{"name":"MCI_DGV_SETVIDEO_SRC_RGB_S","features":[422]},{"name":"MCI_DGV_SETVIDEO_SRC_SECAM","features":[422]},{"name":"MCI_DGV_SETVIDEO_SRC_SECAM_S","features":[422]},{"name":"MCI_DGV_SETVIDEO_SRC_SVIDEO","features":[422]},{"name":"MCI_DGV_SETVIDEO_SRC_SVIDEO_S","features":[422]},{"name":"MCI_DGV_SETVIDEO_STILL","features":[422]},{"name":"MCI_DGV_SETVIDEO_STREAM","features":[422]},{"name":"MCI_DGV_SETVIDEO_TINT","features":[422]},{"name":"MCI_DGV_SETVIDEO_VALUE","features":[422]},{"name":"MCI_DGV_SET_FILEFORMAT","features":[422]},{"name":"MCI_DGV_SET_PARMS","features":[422]},{"name":"MCI_DGV_SET_SEEK_EXACTLY","features":[422]},{"name":"MCI_DGV_SET_SPEED","features":[422]},{"name":"MCI_DGV_SET_STILL","features":[422]},{"name":"MCI_DGV_SIGNAL_AT","features":[422]},{"name":"MCI_DGV_SIGNAL_CANCEL","features":[422]},{"name":"MCI_DGV_SIGNAL_EVERY","features":[422]},{"name":"MCI_DGV_SIGNAL_PARMS","features":[422]},{"name":"MCI_DGV_SIGNAL_POSITION","features":[422]},{"name":"MCI_DGV_SIGNAL_USERVAL","features":[422]},{"name":"MCI_DGV_STATUS_AUDIO","features":[422]},{"name":"MCI_DGV_STATUS_AUDIO_INPUT","features":[422]},{"name":"MCI_DGV_STATUS_AUDIO_RECORD","features":[422]},{"name":"MCI_DGV_STATUS_AUDIO_SOURCE","features":[422]},{"name":"MCI_DGV_STATUS_AUDIO_STREAM","features":[422]},{"name":"MCI_DGV_STATUS_AVGBYTESPERSEC","features":[422]},{"name":"MCI_DGV_STATUS_BASS","features":[422]},{"name":"MCI_DGV_STATUS_BITSPERPEL","features":[422]},{"name":"MCI_DGV_STATUS_BITSPERSAMPLE","features":[422]},{"name":"MCI_DGV_STATUS_BLOCKALIGN","features":[422]},{"name":"MCI_DGV_STATUS_BRIGHTNESS","features":[422]},{"name":"MCI_DGV_STATUS_COLOR","features":[422]},{"name":"MCI_DGV_STATUS_CONTRAST","features":[422]},{"name":"MCI_DGV_STATUS_DISKSPACE","features":[422]},{"name":"MCI_DGV_STATUS_FILEFORMAT","features":[422]},{"name":"MCI_DGV_STATUS_FILE_COMPLETION","features":[422]},{"name":"MCI_DGV_STATUS_FILE_MODE","features":[422]},{"name":"MCI_DGV_STATUS_FORWARD","features":[422]},{"name":"MCI_DGV_STATUS_FRAME_RATE","features":[422]},{"name":"MCI_DGV_STATUS_GAMMA","features":[422]},{"name":"MCI_DGV_STATUS_HPAL","features":[422]},{"name":"MCI_DGV_STATUS_HWND","features":[422]},{"name":"MCI_DGV_STATUS_INPUT","features":[422]},{"name":"MCI_DGV_STATUS_KEY_COLOR","features":[422]},{"name":"MCI_DGV_STATUS_KEY_INDEX","features":[422]},{"name":"MCI_DGV_STATUS_LEFT","features":[422]},{"name":"MCI_DGV_STATUS_MONITOR","features":[422]},{"name":"MCI_DGV_STATUS_MONITOR_METHOD","features":[422]},{"name":"MCI_DGV_STATUS_NOMINAL","features":[422]},{"name":"MCI_DGV_STATUS_OUTPUT","features":[422]},{"name":"MCI_DGV_STATUS_PARMSA","features":[422]},{"name":"MCI_DGV_STATUS_PARMSW","features":[422]},{"name":"MCI_DGV_STATUS_PAUSE_MODE","features":[422]},{"name":"MCI_DGV_STATUS_RECORD","features":[422]},{"name":"MCI_DGV_STATUS_REFERENCE","features":[422]},{"name":"MCI_DGV_STATUS_RIGHT","features":[422]},{"name":"MCI_DGV_STATUS_SAMPLESPERSEC","features":[422]},{"name":"MCI_DGV_STATUS_SEEK_EXACTLY","features":[422]},{"name":"MCI_DGV_STATUS_SHARPNESS","features":[422]},{"name":"MCI_DGV_STATUS_SIZE","features":[422]},{"name":"MCI_DGV_STATUS_SMPTE","features":[422]},{"name":"MCI_DGV_STATUS_SPEED","features":[422]},{"name":"MCI_DGV_STATUS_STILL_FILEFORMAT","features":[422]},{"name":"MCI_DGV_STATUS_TINT","features":[422]},{"name":"MCI_DGV_STATUS_TREBLE","features":[422]},{"name":"MCI_DGV_STATUS_UNSAVED","features":[422]},{"name":"MCI_DGV_STATUS_VIDEO","features":[422]},{"name":"MCI_DGV_STATUS_VIDEO_RECORD","features":[422]},{"name":"MCI_DGV_STATUS_VIDEO_SOURCE","features":[422]},{"name":"MCI_DGV_STATUS_VIDEO_SRC_NUM","features":[422]},{"name":"MCI_DGV_STATUS_VIDEO_STREAM","features":[422]},{"name":"MCI_DGV_STATUS_VOLUME","features":[422]},{"name":"MCI_DGV_STATUS_WINDOW_MAXIMIZED","features":[422]},{"name":"MCI_DGV_STATUS_WINDOW_MINIMIZED","features":[422]},{"name":"MCI_DGV_STATUS_WINDOW_VISIBLE","features":[422]},{"name":"MCI_DGV_STEP_FRAMES","features":[422]},{"name":"MCI_DGV_STEP_PARMS","features":[422]},{"name":"MCI_DGV_STEP_REVERSE","features":[422]},{"name":"MCI_DGV_STOP_HOLD","features":[422]},{"name":"MCI_DGV_UPDATE_HDC","features":[422]},{"name":"MCI_DGV_UPDATE_PAINT","features":[422]},{"name":"MCI_DGV_UPDATE_PARMS","features":[308,319,422]},{"name":"MCI_DGV_WHERE_DESTINATION","features":[422]},{"name":"MCI_DGV_WHERE_FRAME","features":[422]},{"name":"MCI_DGV_WHERE_MAX","features":[422]},{"name":"MCI_DGV_WHERE_SOURCE","features":[422]},{"name":"MCI_DGV_WHERE_VIDEO","features":[422]},{"name":"MCI_DGV_WHERE_WINDOW","features":[422]},{"name":"MCI_DGV_WINDOW_DEFAULT","features":[422]},{"name":"MCI_DGV_WINDOW_HWND","features":[422]},{"name":"MCI_DGV_WINDOW_PARMSA","features":[308,422]},{"name":"MCI_DGV_WINDOW_PARMSW","features":[308,422]},{"name":"MCI_DGV_WINDOW_STATE","features":[422]},{"name":"MCI_DGV_WINDOW_TEXT","features":[422]},{"name":"MCI_END_COMMAND","features":[422]},{"name":"MCI_END_COMMAND_LIST","features":[422]},{"name":"MCI_END_CONSTANT","features":[422]},{"name":"MCI_ESCAPE","features":[422]},{"name":"MCI_FALSE","features":[422]},{"name":"MCI_FIRST","features":[422]},{"name":"MCI_FLAG","features":[422]},{"name":"MCI_FORMAT_BYTES","features":[422]},{"name":"MCI_FORMAT_BYTES_S","features":[422]},{"name":"MCI_FORMAT_FRAMES","features":[422]},{"name":"MCI_FORMAT_FRAMES_S","features":[422]},{"name":"MCI_FORMAT_HMS","features":[422]},{"name":"MCI_FORMAT_HMS_S","features":[422]},{"name":"MCI_FORMAT_MILLISECONDS","features":[422]},{"name":"MCI_FORMAT_MILLISECONDS_S","features":[422]},{"name":"MCI_FORMAT_MSF","features":[422]},{"name":"MCI_FORMAT_MSF_S","features":[422]},{"name":"MCI_FORMAT_SAMPLES","features":[422]},{"name":"MCI_FORMAT_SAMPLES_S","features":[422]},{"name":"MCI_FORMAT_SMPTE_24","features":[422]},{"name":"MCI_FORMAT_SMPTE_24_S","features":[422]},{"name":"MCI_FORMAT_SMPTE_25","features":[422]},{"name":"MCI_FORMAT_SMPTE_25_S","features":[422]},{"name":"MCI_FORMAT_SMPTE_30","features":[422]},{"name":"MCI_FORMAT_SMPTE_30DROP","features":[422]},{"name":"MCI_FORMAT_SMPTE_30DROP_S","features":[422]},{"name":"MCI_FORMAT_SMPTE_30_S","features":[422]},{"name":"MCI_FORMAT_TMSF","features":[422]},{"name":"MCI_FORMAT_TMSF_S","features":[422]},{"name":"MCI_FREEZE","features":[422]},{"name":"MCI_FROM","features":[422]},{"name":"MCI_GENERIC_PARMS","features":[422]},{"name":"MCI_GETDEVCAPS","features":[422]},{"name":"MCI_GETDEVCAPS_CAN_EJECT","features":[422]},{"name":"MCI_GETDEVCAPS_CAN_PLAY","features":[422]},{"name":"MCI_GETDEVCAPS_CAN_RECORD","features":[422]},{"name":"MCI_GETDEVCAPS_CAN_SAVE","features":[422]},{"name":"MCI_GETDEVCAPS_COMPOUND_DEVICE","features":[422]},{"name":"MCI_GETDEVCAPS_DEVICE_TYPE","features":[422]},{"name":"MCI_GETDEVCAPS_HAS_AUDIO","features":[422]},{"name":"MCI_GETDEVCAPS_HAS_VIDEO","features":[422]},{"name":"MCI_GETDEVCAPS_ITEM","features":[422]},{"name":"MCI_GETDEVCAPS_PARMS","features":[422]},{"name":"MCI_GETDEVCAPS_USES_FILES","features":[422]},{"name":"MCI_HDC","features":[422]},{"name":"MCI_HPAL","features":[422]},{"name":"MCI_HWND","features":[422]},{"name":"MCI_INFO","features":[422]},{"name":"MCI_INFO_COPYRIGHT","features":[422]},{"name":"MCI_INFO_FILE","features":[422]},{"name":"MCI_INFO_MEDIA_IDENTITY","features":[422]},{"name":"MCI_INFO_MEDIA_UPC","features":[422]},{"name":"MCI_INFO_NAME","features":[422]},{"name":"MCI_INFO_PARMSA","features":[422]},{"name":"MCI_INFO_PARMSW","features":[422]},{"name":"MCI_INFO_PRODUCT","features":[422]},{"name":"MCI_INFO_VERSION","features":[422]},{"name":"MCI_INTEGER","features":[422]},{"name":"MCI_INTEGER64","features":[422]},{"name":"MCI_INTEGER_RETURNED","features":[422]},{"name":"MCI_LAST","features":[422]},{"name":"MCI_LIST","features":[422]},{"name":"MCI_LOAD","features":[422]},{"name":"MCI_LOAD_FILE","features":[422]},{"name":"MCI_LOAD_PARMSA","features":[422]},{"name":"MCI_LOAD_PARMSW","features":[422]},{"name":"MCI_MAX_DEVICE_TYPE_LENGTH","features":[422]},{"name":"MCI_MCIAVI_PLAY_FULLBY2","features":[422]},{"name":"MCI_MCIAVI_PLAY_FULLSCREEN","features":[422]},{"name":"MCI_MCIAVI_PLAY_WINDOW","features":[422]},{"name":"MCI_MODE_NOT_READY","features":[422]},{"name":"MCI_MODE_OPEN","features":[422]},{"name":"MCI_MODE_PAUSE","features":[422]},{"name":"MCI_MODE_PLAY","features":[422]},{"name":"MCI_MODE_RECORD","features":[422]},{"name":"MCI_MODE_SEEK","features":[422]},{"name":"MCI_MODE_STOP","features":[422]},{"name":"MCI_MONITOR","features":[422]},{"name":"MCI_NOTIFY","features":[422]},{"name":"MCI_NOTIFY_ABORTED","features":[422]},{"name":"MCI_NOTIFY_FAILURE","features":[422]},{"name":"MCI_NOTIFY_SUCCESSFUL","features":[422]},{"name":"MCI_NOTIFY_SUPERSEDED","features":[422]},{"name":"MCI_OFF","features":[422]},{"name":"MCI_OFF_S","features":[422]},{"name":"MCI_ON","features":[422]},{"name":"MCI_ON_S","features":[422]},{"name":"MCI_OPEN","features":[422]},{"name":"MCI_OPEN_ALIAS","features":[422]},{"name":"MCI_OPEN_DRIVER","features":[422]},{"name":"MCI_OPEN_DRIVER_PARMS","features":[422]},{"name":"MCI_OPEN_ELEMENT","features":[422]},{"name":"MCI_OPEN_ELEMENT_ID","features":[422]},{"name":"MCI_OPEN_PARMSA","features":[422]},{"name":"MCI_OPEN_PARMSW","features":[422]},{"name":"MCI_OPEN_SHAREABLE","features":[422]},{"name":"MCI_OPEN_TYPE","features":[422]},{"name":"MCI_OPEN_TYPE_ID","features":[422]},{"name":"MCI_OVLY_GETDEVCAPS_CAN_FREEZE","features":[422]},{"name":"MCI_OVLY_GETDEVCAPS_CAN_STRETCH","features":[422]},{"name":"MCI_OVLY_GETDEVCAPS_MAX_WINDOWS","features":[422]},{"name":"MCI_OVLY_INFO_TEXT","features":[422]},{"name":"MCI_OVLY_LOAD_PARMSA","features":[308,422]},{"name":"MCI_OVLY_LOAD_PARMSW","features":[308,422]},{"name":"MCI_OVLY_OPEN_PARENT","features":[422]},{"name":"MCI_OVLY_OPEN_PARMSA","features":[308,422]},{"name":"MCI_OVLY_OPEN_PARMSW","features":[308,422]},{"name":"MCI_OVLY_OPEN_WS","features":[422]},{"name":"MCI_OVLY_PUT_DESTINATION","features":[422]},{"name":"MCI_OVLY_PUT_FRAME","features":[422]},{"name":"MCI_OVLY_PUT_SOURCE","features":[422]},{"name":"MCI_OVLY_PUT_VIDEO","features":[422]},{"name":"MCI_OVLY_RECT","features":[422]},{"name":"MCI_OVLY_RECT_PARMS","features":[308,422]},{"name":"MCI_OVLY_SAVE_PARMSA","features":[308,422]},{"name":"MCI_OVLY_SAVE_PARMSW","features":[308,422]},{"name":"MCI_OVLY_STATUS_HWND","features":[422]},{"name":"MCI_OVLY_STATUS_STRETCH","features":[422]},{"name":"MCI_OVLY_WHERE_DESTINATION","features":[422]},{"name":"MCI_OVLY_WHERE_FRAME","features":[422]},{"name":"MCI_OVLY_WHERE_SOURCE","features":[422]},{"name":"MCI_OVLY_WHERE_VIDEO","features":[422]},{"name":"MCI_OVLY_WINDOW_DEFAULT","features":[422]},{"name":"MCI_OVLY_WINDOW_DISABLE_STRETCH","features":[422]},{"name":"MCI_OVLY_WINDOW_ENABLE_STRETCH","features":[422]},{"name":"MCI_OVLY_WINDOW_HWND","features":[422]},{"name":"MCI_OVLY_WINDOW_PARMSA","features":[308,422]},{"name":"MCI_OVLY_WINDOW_PARMSW","features":[308,422]},{"name":"MCI_OVLY_WINDOW_STATE","features":[422]},{"name":"MCI_OVLY_WINDOW_TEXT","features":[422]},{"name":"MCI_PASTE","features":[422]},{"name":"MCI_PAUSE","features":[422]},{"name":"MCI_PLAY","features":[422]},{"name":"MCI_PLAY_PARMS","features":[422]},{"name":"MCI_PUT","features":[422]},{"name":"MCI_QUALITY","features":[422]},{"name":"MCI_QUALITY_ALG","features":[422]},{"name":"MCI_QUALITY_DIALOG","features":[422]},{"name":"MCI_QUALITY_HANDLE","features":[422]},{"name":"MCI_QUALITY_ITEM","features":[422]},{"name":"MCI_QUALITY_ITEM_AUDIO","features":[422]},{"name":"MCI_QUALITY_ITEM_STILL","features":[422]},{"name":"MCI_QUALITY_ITEM_VIDEO","features":[422]},{"name":"MCI_QUALITY_NAME","features":[422]},{"name":"MCI_REALIZE","features":[422]},{"name":"MCI_RECORD","features":[422]},{"name":"MCI_RECORD_INSERT","features":[422]},{"name":"MCI_RECORD_OVERWRITE","features":[422]},{"name":"MCI_RECORD_PARMS","features":[422]},{"name":"MCI_RECT","features":[422]},{"name":"MCI_RESERVE","features":[422]},{"name":"MCI_RESOURCE_DRIVER","features":[422]},{"name":"MCI_RESOURCE_RETURNED","features":[422]},{"name":"MCI_RESTORE","features":[422]},{"name":"MCI_RESUME","features":[422]},{"name":"MCI_RETURN","features":[422]},{"name":"MCI_SAVE","features":[422]},{"name":"MCI_SAVE_FILE","features":[422]},{"name":"MCI_SAVE_PARMSA","features":[422]},{"name":"MCI_SAVE_PARMSW","features":[422]},{"name":"MCI_SECTION","features":[422]},{"name":"MCI_SEEK","features":[422]},{"name":"MCI_SEEK_PARMS","features":[422]},{"name":"MCI_SEEK_TO_END","features":[422]},{"name":"MCI_SEEK_TO_START","features":[422]},{"name":"MCI_SEQ_FILE","features":[422]},{"name":"MCI_SEQ_FILE_S","features":[422]},{"name":"MCI_SEQ_FORMAT_SONGPTR","features":[422]},{"name":"MCI_SEQ_FORMAT_SONGPTR_S","features":[422]},{"name":"MCI_SEQ_MAPPER","features":[422]},{"name":"MCI_SEQ_MAPPER_S","features":[422]},{"name":"MCI_SEQ_MIDI","features":[422]},{"name":"MCI_SEQ_MIDI_S","features":[422]},{"name":"MCI_SEQ_NONE","features":[422]},{"name":"MCI_SEQ_NONE_S","features":[422]},{"name":"MCI_SEQ_SET_MASTER","features":[422]},{"name":"MCI_SEQ_SET_OFFSET","features":[422]},{"name":"MCI_SEQ_SET_PARMS","features":[422]},{"name":"MCI_SEQ_SET_PORT","features":[422]},{"name":"MCI_SEQ_SET_SLAVE","features":[422]},{"name":"MCI_SEQ_SET_TEMPO","features":[422]},{"name":"MCI_SEQ_SMPTE","features":[422]},{"name":"MCI_SEQ_SMPTE_S","features":[422]},{"name":"MCI_SEQ_STATUS_COPYRIGHT","features":[422]},{"name":"MCI_SEQ_STATUS_DIVTYPE","features":[422]},{"name":"MCI_SEQ_STATUS_MASTER","features":[422]},{"name":"MCI_SEQ_STATUS_NAME","features":[422]},{"name":"MCI_SEQ_STATUS_OFFSET","features":[422]},{"name":"MCI_SEQ_STATUS_PORT","features":[422]},{"name":"MCI_SEQ_STATUS_SLAVE","features":[422]},{"name":"MCI_SEQ_STATUS_TEMPO","features":[422]},{"name":"MCI_SET","features":[422]},{"name":"MCI_SETAUDIO","features":[422]},{"name":"MCI_SETVIDEO","features":[422]},{"name":"MCI_SET_AUDIO","features":[422]},{"name":"MCI_SET_AUDIO_ALL","features":[422]},{"name":"MCI_SET_AUDIO_LEFT","features":[422]},{"name":"MCI_SET_AUDIO_RIGHT","features":[422]},{"name":"MCI_SET_DOOR_CLOSED","features":[422]},{"name":"MCI_SET_DOOR_OPEN","features":[422]},{"name":"MCI_SET_OFF","features":[422]},{"name":"MCI_SET_ON","features":[422]},{"name":"MCI_SET_PARMS","features":[422]},{"name":"MCI_SET_TIME_FORMAT","features":[422]},{"name":"MCI_SET_VIDEO","features":[422]},{"name":"MCI_SIGNAL","features":[422]},{"name":"MCI_SPIN","features":[422]},{"name":"MCI_STATUS","features":[422]},{"name":"MCI_STATUS_CURRENT_TRACK","features":[422]},{"name":"MCI_STATUS_ITEM","features":[422]},{"name":"MCI_STATUS_LENGTH","features":[422]},{"name":"MCI_STATUS_MEDIA_PRESENT","features":[422]},{"name":"MCI_STATUS_MODE","features":[422]},{"name":"MCI_STATUS_NUMBER_OF_TRACKS","features":[422]},{"name":"MCI_STATUS_PARMS","features":[422]},{"name":"MCI_STATUS_POSITION","features":[422]},{"name":"MCI_STATUS_READY","features":[422]},{"name":"MCI_STATUS_START","features":[422]},{"name":"MCI_STATUS_TIME_FORMAT","features":[422]},{"name":"MCI_STEP","features":[422]},{"name":"MCI_STOP","features":[422]},{"name":"MCI_STRING","features":[422]},{"name":"MCI_SYSINFO","features":[422]},{"name":"MCI_SYSINFO_INSTALLNAME","features":[422]},{"name":"MCI_SYSINFO_NAME","features":[422]},{"name":"MCI_SYSINFO_OPEN","features":[422]},{"name":"MCI_SYSINFO_PARMSA","features":[422]},{"name":"MCI_SYSINFO_PARMSW","features":[422]},{"name":"MCI_SYSINFO_QUANTITY","features":[422]},{"name":"MCI_TEST","features":[422]},{"name":"MCI_TO","features":[422]},{"name":"MCI_TRACK","features":[422]},{"name":"MCI_TRUE","features":[422]},{"name":"MCI_UNDO","features":[422]},{"name":"MCI_UNFREEZE","features":[422]},{"name":"MCI_UPDATE","features":[422]},{"name":"MCI_USER_MESSAGES","features":[422]},{"name":"MCI_VD_ESCAPE_PARMSA","features":[422]},{"name":"MCI_VD_ESCAPE_PARMSW","features":[422]},{"name":"MCI_VD_ESCAPE_STRING","features":[422]},{"name":"MCI_VD_FORMAT_TRACK","features":[422]},{"name":"MCI_VD_FORMAT_TRACK_S","features":[422]},{"name":"MCI_VD_GETDEVCAPS_CAN_REVERSE","features":[422]},{"name":"MCI_VD_GETDEVCAPS_CAV","features":[422]},{"name":"MCI_VD_GETDEVCAPS_CLV","features":[422]},{"name":"MCI_VD_GETDEVCAPS_FAST_RATE","features":[422]},{"name":"MCI_VD_GETDEVCAPS_NORMAL_RATE","features":[422]},{"name":"MCI_VD_GETDEVCAPS_SLOW_RATE","features":[422]},{"name":"MCI_VD_MEDIA_CAV","features":[422]},{"name":"MCI_VD_MEDIA_CLV","features":[422]},{"name":"MCI_VD_MEDIA_OTHER","features":[422]},{"name":"MCI_VD_MODE_PARK","features":[422]},{"name":"MCI_VD_PLAY_FAST","features":[422]},{"name":"MCI_VD_PLAY_PARMS","features":[422]},{"name":"MCI_VD_PLAY_REVERSE","features":[422]},{"name":"MCI_VD_PLAY_SCAN","features":[422]},{"name":"MCI_VD_PLAY_SLOW","features":[422]},{"name":"MCI_VD_PLAY_SPEED","features":[422]},{"name":"MCI_VD_SEEK_REVERSE","features":[422]},{"name":"MCI_VD_SPIN_DOWN","features":[422]},{"name":"MCI_VD_SPIN_UP","features":[422]},{"name":"MCI_VD_STATUS_DISC_SIZE","features":[422]},{"name":"MCI_VD_STATUS_FORWARD","features":[422]},{"name":"MCI_VD_STATUS_MEDIA_TYPE","features":[422]},{"name":"MCI_VD_STATUS_SIDE","features":[422]},{"name":"MCI_VD_STATUS_SPEED","features":[422]},{"name":"MCI_VD_STEP_FRAMES","features":[422]},{"name":"MCI_VD_STEP_PARMS","features":[422]},{"name":"MCI_VD_STEP_REVERSE","features":[422]},{"name":"MCI_WAIT","features":[422]},{"name":"MCI_WAVE_DELETE_PARMS","features":[422]},{"name":"MCI_WAVE_GETDEVCAPS_INPUTS","features":[422]},{"name":"MCI_WAVE_GETDEVCAPS_OUTPUTS","features":[422]},{"name":"MCI_WAVE_INPUT","features":[422]},{"name":"MCI_WAVE_MAPPER","features":[422]},{"name":"MCI_WAVE_OPEN_BUFFER","features":[422]},{"name":"MCI_WAVE_OPEN_PARMSA","features":[422]},{"name":"MCI_WAVE_OPEN_PARMSW","features":[422]},{"name":"MCI_WAVE_OUTPUT","features":[422]},{"name":"MCI_WAVE_PCM","features":[422]},{"name":"MCI_WAVE_SET_ANYINPUT","features":[422]},{"name":"MCI_WAVE_SET_ANYOUTPUT","features":[422]},{"name":"MCI_WAVE_SET_AVGBYTESPERSEC","features":[422]},{"name":"MCI_WAVE_SET_BITSPERSAMPLE","features":[422]},{"name":"MCI_WAVE_SET_BLOCKALIGN","features":[422]},{"name":"MCI_WAVE_SET_CHANNELS","features":[422]},{"name":"MCI_WAVE_SET_FORMATTAG","features":[422]},{"name":"MCI_WAVE_SET_PARMS","features":[422]},{"name":"MCI_WAVE_SET_SAMPLESPERSEC","features":[422]},{"name":"MCI_WAVE_STATUS_AVGBYTESPERSEC","features":[422]},{"name":"MCI_WAVE_STATUS_BITSPERSAMPLE","features":[422]},{"name":"MCI_WAVE_STATUS_BLOCKALIGN","features":[422]},{"name":"MCI_WAVE_STATUS_CHANNELS","features":[422]},{"name":"MCI_WAVE_STATUS_FORMATTAG","features":[422]},{"name":"MCI_WAVE_STATUS_LEVEL","features":[422]},{"name":"MCI_WAVE_STATUS_SAMPLESPERSEC","features":[422]},{"name":"MCI_WHERE","features":[422]},{"name":"MCI_WINDOW","features":[422]},{"name":"MCMADM_E_REGKEY_NOT_FOUND","features":[422]},{"name":"MCMADM_I_NO_EVENTS","features":[422]},{"name":"MEDIASPACEADPCMWAVEFORMAT","features":[423,422]},{"name":"MIDIMAPPER_S","features":[422]},{"name":"MIDIOPENSTRMID","features":[422]},{"name":"MIDI_IO_COOKED","features":[422]},{"name":"MIDI_IO_PACKED","features":[422]},{"name":"MIDM_ADDBUFFER","features":[422]},{"name":"MIDM_CLOSE","features":[422]},{"name":"MIDM_GETDEVCAPS","features":[422]},{"name":"MIDM_GETNUMDEVS","features":[422]},{"name":"MIDM_INIT","features":[422]},{"name":"MIDM_INIT_EX","features":[422]},{"name":"MIDM_MAPPER","features":[422]},{"name":"MIDM_OPEN","features":[422]},{"name":"MIDM_PREPARE","features":[422]},{"name":"MIDM_RESET","features":[422]},{"name":"MIDM_START","features":[422]},{"name":"MIDM_STOP","features":[422]},{"name":"MIDM_UNPREPARE","features":[422]},{"name":"MIDM_USER","features":[422]},{"name":"MIXERCONTROL_CONTROLTYPE_SRS_MTS","features":[422]},{"name":"MIXERCONTROL_CONTROLTYPE_SRS_ONOFF","features":[422]},{"name":"MIXERCONTROL_CONTROLTYPE_SRS_SYNTHSELECT","features":[422]},{"name":"MIXEROPENDESC","features":[423,422]},{"name":"MMCKINFO","features":[422]},{"name":"MMIOERR_ACCESSDENIED","features":[422]},{"name":"MMIOERR_BASE","features":[422]},{"name":"MMIOERR_CANNOTCLOSE","features":[422]},{"name":"MMIOERR_CANNOTEXPAND","features":[422]},{"name":"MMIOERR_CANNOTOPEN","features":[422]},{"name":"MMIOERR_CANNOTREAD","features":[422]},{"name":"MMIOERR_CANNOTSEEK","features":[422]},{"name":"MMIOERR_CANNOTWRITE","features":[422]},{"name":"MMIOERR_CHUNKNOTFOUND","features":[422]},{"name":"MMIOERR_FILENOTFOUND","features":[422]},{"name":"MMIOERR_INVALIDFILE","features":[422]},{"name":"MMIOERR_NETWORKERROR","features":[422]},{"name":"MMIOERR_OUTOFMEMORY","features":[422]},{"name":"MMIOERR_PATHNOTFOUND","features":[422]},{"name":"MMIOERR_SHARINGVIOLATION","features":[422]},{"name":"MMIOERR_TOOMANYOPENFILES","features":[422]},{"name":"MMIOERR_UNBUFFERED","features":[422]},{"name":"MMIOINFO","features":[308,422]},{"name":"MMIOM_CLOSE","features":[422]},{"name":"MMIOM_OPEN","features":[422]},{"name":"MMIOM_READ","features":[422]},{"name":"MMIOM_RENAME","features":[422]},{"name":"MMIOM_SEEK","features":[422]},{"name":"MMIOM_USER","features":[422]},{"name":"MMIOM_WRITE","features":[422]},{"name":"MMIOM_WRITEFLUSH","features":[422]},{"name":"MMIO_ALLOCBUF","features":[422]},{"name":"MMIO_COMPAT","features":[422]},{"name":"MMIO_CREATE","features":[422]},{"name":"MMIO_CREATELIST","features":[422]},{"name":"MMIO_CREATERIFF","features":[422]},{"name":"MMIO_DEFAULTBUFFER","features":[422]},{"name":"MMIO_DELETE","features":[422]},{"name":"MMIO_DENYNONE","features":[422]},{"name":"MMIO_DENYREAD","features":[422]},{"name":"MMIO_DENYWRITE","features":[422]},{"name":"MMIO_DIRTY","features":[422]},{"name":"MMIO_EMPTYBUF","features":[422]},{"name":"MMIO_EXCLUSIVE","features":[422]},{"name":"MMIO_EXIST","features":[422]},{"name":"MMIO_FHOPEN","features":[422]},{"name":"MMIO_FINDCHUNK","features":[422]},{"name":"MMIO_FINDLIST","features":[422]},{"name":"MMIO_FINDPROC","features":[422]},{"name":"MMIO_FINDRIFF","features":[422]},{"name":"MMIO_GETTEMP","features":[422]},{"name":"MMIO_GLOBALPROC","features":[422]},{"name":"MMIO_INSTALLPROC","features":[422]},{"name":"MMIO_PARSE","features":[422]},{"name":"MMIO_READ","features":[422]},{"name":"MMIO_READWRITE","features":[422]},{"name":"MMIO_REMOVEPROC","features":[422]},{"name":"MMIO_RWMODE","features":[422]},{"name":"MMIO_SHAREMODE","features":[422]},{"name":"MMIO_TOUPPER","features":[422]},{"name":"MMIO_UNICODEPROC","features":[422]},{"name":"MMIO_WRITE","features":[422]},{"name":"MM_3COM","features":[422]},{"name":"MM_3COM_CB_MIXER","features":[422]},{"name":"MM_3COM_CB_WAVEIN","features":[422]},{"name":"MM_3COM_CB_WAVEOUT","features":[422]},{"name":"MM_3DFX","features":[422]},{"name":"MM_AARDVARK","features":[422]},{"name":"MM_AARDVARK_STUDIO12_WAVEIN","features":[422]},{"name":"MM_AARDVARK_STUDIO12_WAVEOUT","features":[422]},{"name":"MM_AARDVARK_STUDIO88_WAVEIN","features":[422]},{"name":"MM_AARDVARK_STUDIO88_WAVEOUT","features":[422]},{"name":"MM_ACTIVEVOICE","features":[422]},{"name":"MM_ACTIVEVOICE_ACM_VOXADPCM","features":[422]},{"name":"MM_ACULAB","features":[422]},{"name":"MM_ADDX","features":[422]},{"name":"MM_ADDX_PCTV_AUX_CD","features":[422]},{"name":"MM_ADDX_PCTV_AUX_LINE","features":[422]},{"name":"MM_ADDX_PCTV_DIGITALMIX","features":[422]},{"name":"MM_ADDX_PCTV_MIXER","features":[422]},{"name":"MM_ADDX_PCTV_WAVEIN","features":[422]},{"name":"MM_ADDX_PCTV_WAVEOUT","features":[422]},{"name":"MM_ADLACC","features":[422]},{"name":"MM_ADMOS","features":[422]},{"name":"MM_ADMOS_FM_SYNTH","features":[422]},{"name":"MM_ADMOS_QS3AMIDIIN","features":[422]},{"name":"MM_ADMOS_QS3AMIDIOUT","features":[422]},{"name":"MM_ADMOS_QS3AWAVEIN","features":[422]},{"name":"MM_ADMOS_QS3AWAVEOUT","features":[422]},{"name":"MM_AHEAD","features":[422]},{"name":"MM_AHEAD_GENERIC","features":[422]},{"name":"MM_AHEAD_MULTISOUND","features":[422]},{"name":"MM_AHEAD_PROAUDIO","features":[422]},{"name":"MM_AHEAD_SOUNDBLASTER","features":[422]},{"name":"MM_ALARIS","features":[422]},{"name":"MM_ALDIGITAL","features":[422]},{"name":"MM_ALESIS","features":[422]},{"name":"MM_ALGOVISION","features":[422]},{"name":"MM_ALGOVISION_VB80AUX","features":[422]},{"name":"MM_ALGOVISION_VB80AUX2","features":[422]},{"name":"MM_ALGOVISION_VB80MIXER","features":[422]},{"name":"MM_ALGOVISION_VB80WAVEIN","features":[422]},{"name":"MM_ALGOVISION_VB80WAVEOUT","features":[422]},{"name":"MM_AMD","features":[422]},{"name":"MM_AMD_INTERWAVE_AUX1","features":[422]},{"name":"MM_AMD_INTERWAVE_AUX2","features":[422]},{"name":"MM_AMD_INTERWAVE_AUX_CD","features":[422]},{"name":"MM_AMD_INTERWAVE_AUX_MIC","features":[422]},{"name":"MM_AMD_INTERWAVE_EX_CD","features":[422]},{"name":"MM_AMD_INTERWAVE_EX_TELEPHONY","features":[422]},{"name":"MM_AMD_INTERWAVE_JOYSTICK","features":[422]},{"name":"MM_AMD_INTERWAVE_MIDIIN","features":[422]},{"name":"MM_AMD_INTERWAVE_MIDIOUT","features":[422]},{"name":"MM_AMD_INTERWAVE_MIXER1","features":[422]},{"name":"MM_AMD_INTERWAVE_MIXER2","features":[422]},{"name":"MM_AMD_INTERWAVE_MONO_IN","features":[422]},{"name":"MM_AMD_INTERWAVE_MONO_OUT","features":[422]},{"name":"MM_AMD_INTERWAVE_STEREO_ENHANCED","features":[422]},{"name":"MM_AMD_INTERWAVE_SYNTH","features":[422]},{"name":"MM_AMD_INTERWAVE_WAVEIN","features":[422]},{"name":"MM_AMD_INTERWAVE_WAVEOUT","features":[422]},{"name":"MM_AMD_INTERWAVE_WAVEOUT_BASE","features":[422]},{"name":"MM_AMD_INTERWAVE_WAVEOUT_TREBLE","features":[422]},{"name":"MM_ANALOGDEVICES","features":[422]},{"name":"MM_ANTEX","features":[422]},{"name":"MM_ANTEX_AUDIOPORT22_FEEDTHRU","features":[422]},{"name":"MM_ANTEX_AUDIOPORT22_WAVEIN","features":[422]},{"name":"MM_ANTEX_AUDIOPORT22_WAVEOUT","features":[422]},{"name":"MM_ANTEX_SX12_WAVEIN","features":[422]},{"name":"MM_ANTEX_SX12_WAVEOUT","features":[422]},{"name":"MM_ANTEX_SX15_WAVEIN","features":[422]},{"name":"MM_ANTEX_SX15_WAVEOUT","features":[422]},{"name":"MM_ANTEX_VP625_WAVEIN","features":[422]},{"name":"MM_ANTEX_VP625_WAVEOUT","features":[422]},{"name":"MM_APICOM","features":[422]},{"name":"MM_APPLE","features":[422]},{"name":"MM_APPS","features":[422]},{"name":"MM_APT","features":[422]},{"name":"MM_APT_ACE100CD","features":[422]},{"name":"MM_ARRAY","features":[422]},{"name":"MM_ARTISOFT","features":[422]},{"name":"MM_ARTISOFT_SBWAVEIN","features":[422]},{"name":"MM_ARTISOFT_SBWAVEOUT","features":[422]},{"name":"MM_AST","features":[422]},{"name":"MM_AST_MODEMWAVE_WAVEIN","features":[422]},{"name":"MM_AST_MODEMWAVE_WAVEOUT","features":[422]},{"name":"MM_ATI","features":[422]},{"name":"MM_ATT","features":[422]},{"name":"MM_ATT_G729A","features":[422]},{"name":"MM_ATT_MICROELECTRONICS","features":[422]},{"name":"MM_AU8820_AUX","features":[422]},{"name":"MM_AU8820_MIDIIN","features":[422]},{"name":"MM_AU8820_MIDIOUT","features":[422]},{"name":"MM_AU8820_MIXER","features":[422]},{"name":"MM_AU8820_SYNTH","features":[422]},{"name":"MM_AU8820_WAVEIN","features":[422]},{"name":"MM_AU8820_WAVEOUT","features":[422]},{"name":"MM_AU8830_AUX","features":[422]},{"name":"MM_AU8830_MIDIIN","features":[422]},{"name":"MM_AU8830_MIDIOUT","features":[422]},{"name":"MM_AU8830_MIXER","features":[422]},{"name":"MM_AU8830_SYNTH","features":[422]},{"name":"MM_AU8830_WAVEIN","features":[422]},{"name":"MM_AU8830_WAVEOUT","features":[422]},{"name":"MM_AUDIOFILE","features":[422]},{"name":"MM_AUDIOPT","features":[422]},{"name":"MM_AUDIOSCIENCE","features":[422]},{"name":"MM_AURAVISION","features":[422]},{"name":"MM_AUREAL","features":[422]},{"name":"MM_AUREAL_AU8820","features":[422]},{"name":"MM_AUREAL_AU8830","features":[422]},{"name":"MM_AZTECH","features":[422]},{"name":"MM_AZTECH_AUX","features":[422]},{"name":"MM_AZTECH_AUX_CD","features":[422]},{"name":"MM_AZTECH_AUX_LINE","features":[422]},{"name":"MM_AZTECH_AUX_MIC","features":[422]},{"name":"MM_AZTECH_DSP16_FMSYNTH","features":[422]},{"name":"MM_AZTECH_DSP16_WAVEIN","features":[422]},{"name":"MM_AZTECH_DSP16_WAVEOUT","features":[422]},{"name":"MM_AZTECH_DSP16_WAVESYNTH","features":[422]},{"name":"MM_AZTECH_FMSYNTH","features":[422]},{"name":"MM_AZTECH_MIDIIN","features":[422]},{"name":"MM_AZTECH_MIDIOUT","features":[422]},{"name":"MM_AZTECH_MIXER","features":[422]},{"name":"MM_AZTECH_NOVA16_MIXER","features":[422]},{"name":"MM_AZTECH_NOVA16_WAVEIN","features":[422]},{"name":"MM_AZTECH_NOVA16_WAVEOUT","features":[422]},{"name":"MM_AZTECH_PRO16_FMSYNTH","features":[422]},{"name":"MM_AZTECH_PRO16_WAVEIN","features":[422]},{"name":"MM_AZTECH_PRO16_WAVEOUT","features":[422]},{"name":"MM_AZTECH_WASH16_MIXER","features":[422]},{"name":"MM_AZTECH_WASH16_WAVEIN","features":[422]},{"name":"MM_AZTECH_WASH16_WAVEOUT","features":[422]},{"name":"MM_AZTECH_WAVEIN","features":[422]},{"name":"MM_AZTECH_WAVEOUT","features":[422]},{"name":"MM_BCB","features":[422]},{"name":"MM_BCB_NETBOARD_10","features":[422]},{"name":"MM_BCB_TT75_10","features":[422]},{"name":"MM_BECUBED","features":[422]},{"name":"MM_BERCOS","features":[422]},{"name":"MM_BERCOS_MIXER","features":[422]},{"name":"MM_BERCOS_WAVEIN","features":[422]},{"name":"MM_BERCOS_WAVEOUT","features":[422]},{"name":"MM_BERKOM","features":[422]},{"name":"MM_BINTEC","features":[422]},{"name":"MM_BINTEC_TAPI_WAVE","features":[422]},{"name":"MM_BROOKTREE","features":[422]},{"name":"MM_BTV_AUX_CD","features":[422]},{"name":"MM_BTV_AUX_LINE","features":[422]},{"name":"MM_BTV_AUX_MIC","features":[422]},{"name":"MM_BTV_DIGITALIN","features":[422]},{"name":"MM_BTV_DIGITALOUT","features":[422]},{"name":"MM_BTV_MIDIIN","features":[422]},{"name":"MM_BTV_MIDIOUT","features":[422]},{"name":"MM_BTV_MIDISYNTH","features":[422]},{"name":"MM_BTV_MIDIWAVESTREAM","features":[422]},{"name":"MM_BTV_MIXER","features":[422]},{"name":"MM_BTV_WAVEIN","features":[422]},{"name":"MM_BTV_WAVEOUT","features":[422]},{"name":"MM_CANAM","features":[422]},{"name":"MM_CANAM_CBXWAVEIN","features":[422]},{"name":"MM_CANAM_CBXWAVEOUT","features":[422]},{"name":"MM_CANOPUS","features":[422]},{"name":"MM_CANOPUS_ACM_DVREX","features":[422]},{"name":"MM_CASIO","features":[422]},{"name":"MM_CASIO_LSG_MIDIOUT","features":[422]},{"name":"MM_CASIO_WP150_MIDIIN","features":[422]},{"name":"MM_CASIO_WP150_MIDIOUT","features":[422]},{"name":"MM_CAT","features":[422]},{"name":"MM_CAT_WAVEOUT","features":[422]},{"name":"MM_CDPC_AUX","features":[422]},{"name":"MM_CDPC_MIDIIN","features":[422]},{"name":"MM_CDPC_MIDIOUT","features":[422]},{"name":"MM_CDPC_MIXER","features":[422]},{"name":"MM_CDPC_SYNTH","features":[422]},{"name":"MM_CDPC_WAVEIN","features":[422]},{"name":"MM_CDPC_WAVEOUT","features":[422]},{"name":"MM_CHROMATIC","features":[422]},{"name":"MM_CHROMATIC_M1","features":[422]},{"name":"MM_CHROMATIC_M1_AUX","features":[422]},{"name":"MM_CHROMATIC_M1_AUX_CD","features":[422]},{"name":"MM_CHROMATIC_M1_FMSYNTH","features":[422]},{"name":"MM_CHROMATIC_M1_MIDIIN","features":[422]},{"name":"MM_CHROMATIC_M1_MIDIOUT","features":[422]},{"name":"MM_CHROMATIC_M1_MIXER","features":[422]},{"name":"MM_CHROMATIC_M1_MPEGWAVEIN","features":[422]},{"name":"MM_CHROMATIC_M1_MPEGWAVEOUT","features":[422]},{"name":"MM_CHROMATIC_M1_WAVEIN","features":[422]},{"name":"MM_CHROMATIC_M1_WAVEOUT","features":[422]},{"name":"MM_CHROMATIC_M1_WTSYNTH","features":[422]},{"name":"MM_CHROMATIC_M2","features":[422]},{"name":"MM_CHROMATIC_M2_AUX","features":[422]},{"name":"MM_CHROMATIC_M2_AUX_CD","features":[422]},{"name":"MM_CHROMATIC_M2_FMSYNTH","features":[422]},{"name":"MM_CHROMATIC_M2_MIDIIN","features":[422]},{"name":"MM_CHROMATIC_M2_MIDIOUT","features":[422]},{"name":"MM_CHROMATIC_M2_MIXER","features":[422]},{"name":"MM_CHROMATIC_M2_MPEGWAVEIN","features":[422]},{"name":"MM_CHROMATIC_M2_MPEGWAVEOUT","features":[422]},{"name":"MM_CHROMATIC_M2_WAVEIN","features":[422]},{"name":"MM_CHROMATIC_M2_WAVEOUT","features":[422]},{"name":"MM_CHROMATIC_M2_WTSYNTH","features":[422]},{"name":"MM_CIRRUSLOGIC","features":[422]},{"name":"MM_COLORGRAPH","features":[422]},{"name":"MM_COMPAQ","features":[422]},{"name":"MM_COMPAQ_BB_WAVEAUX","features":[422]},{"name":"MM_COMPAQ_BB_WAVEIN","features":[422]},{"name":"MM_COMPAQ_BB_WAVEOUT","features":[422]},{"name":"MM_COMPUSIC","features":[422]},{"name":"MM_COMPUTER_FRIENDS","features":[422]},{"name":"MM_CONCEPTS","features":[422]},{"name":"MM_CONNECTIX","features":[422]},{"name":"MM_CONNECTIX_VIDEC_CODEC","features":[422]},{"name":"MM_CONTROLRES","features":[422]},{"name":"MM_COREDYNAMICS","features":[422]},{"name":"MM_COREDYNAMICS_DYNAGRAFX_VGA","features":[422]},{"name":"MM_COREDYNAMICS_DYNAGRAFX_WAVE_IN","features":[422]},{"name":"MM_COREDYNAMICS_DYNAGRAFX_WAVE_OUT","features":[422]},{"name":"MM_COREDYNAMICS_DYNAMIXHR","features":[422]},{"name":"MM_COREDYNAMICS_DYNASONIX_AUDIO_IN","features":[422]},{"name":"MM_COREDYNAMICS_DYNASONIX_AUDIO_OUT","features":[422]},{"name":"MM_COREDYNAMICS_DYNASONIX_MIDI_IN","features":[422]},{"name":"MM_COREDYNAMICS_DYNASONIX_MIDI_OUT","features":[422]},{"name":"MM_COREDYNAMICS_DYNASONIX_SYNTH","features":[422]},{"name":"MM_COREDYNAMICS_DYNASONIX_WAVE_IN","features":[422]},{"name":"MM_COREDYNAMICS_DYNASONIX_WAVE_OUT","features":[422]},{"name":"MM_CREATIVE","features":[422]},{"name":"MM_CREATIVE_AUX_CD","features":[422]},{"name":"MM_CREATIVE_AUX_LINE","features":[422]},{"name":"MM_CREATIVE_AUX_MASTER","features":[422]},{"name":"MM_CREATIVE_AUX_MIC","features":[422]},{"name":"MM_CREATIVE_AUX_MIDI","features":[422]},{"name":"MM_CREATIVE_AUX_PCSPK","features":[422]},{"name":"MM_CREATIVE_AUX_WAVE","features":[422]},{"name":"MM_CREATIVE_FMSYNTH_MONO","features":[422]},{"name":"MM_CREATIVE_FMSYNTH_STEREO","features":[422]},{"name":"MM_CREATIVE_MIDIIN","features":[422]},{"name":"MM_CREATIVE_MIDIOUT","features":[422]},{"name":"MM_CREATIVE_MIDI_AWE32","features":[422]},{"name":"MM_CREATIVE_PHNBLST_WAVEIN","features":[422]},{"name":"MM_CREATIVE_PHNBLST_WAVEOUT","features":[422]},{"name":"MM_CREATIVE_SB15_WAVEIN","features":[422]},{"name":"MM_CREATIVE_SB15_WAVEOUT","features":[422]},{"name":"MM_CREATIVE_SB16_MIXER","features":[422]},{"name":"MM_CREATIVE_SB20_WAVEIN","features":[422]},{"name":"MM_CREATIVE_SB20_WAVEOUT","features":[422]},{"name":"MM_CREATIVE_SBP16_WAVEIN","features":[422]},{"name":"MM_CREATIVE_SBP16_WAVEOUT","features":[422]},{"name":"MM_CREATIVE_SBPRO_MIXER","features":[422]},{"name":"MM_CREATIVE_SBPRO_WAVEIN","features":[422]},{"name":"MM_CREATIVE_SBPRO_WAVEOUT","features":[422]},{"name":"MM_CRYSTAL","features":[422]},{"name":"MM_CRYSTAL_CS4232_INPUTGAIN_AUX1","features":[422]},{"name":"MM_CRYSTAL_CS4232_INPUTGAIN_LOOP","features":[422]},{"name":"MM_CRYSTAL_CS4232_MIDIIN","features":[422]},{"name":"MM_CRYSTAL_CS4232_MIDIOUT","features":[422]},{"name":"MM_CRYSTAL_CS4232_WAVEAUX_AUX1","features":[422]},{"name":"MM_CRYSTAL_CS4232_WAVEAUX_AUX2","features":[422]},{"name":"MM_CRYSTAL_CS4232_WAVEAUX_LINE","features":[422]},{"name":"MM_CRYSTAL_CS4232_WAVEAUX_MASTER","features":[422]},{"name":"MM_CRYSTAL_CS4232_WAVEAUX_MONO","features":[422]},{"name":"MM_CRYSTAL_CS4232_WAVEIN","features":[422]},{"name":"MM_CRYSTAL_CS4232_WAVEMIXER","features":[422]},{"name":"MM_CRYSTAL_CS4232_WAVEOUT","features":[422]},{"name":"MM_CRYSTAL_NET","features":[422]},{"name":"MM_CRYSTAL_SOUND_FUSION_JOYSTICK","features":[422]},{"name":"MM_CRYSTAL_SOUND_FUSION_MIDIIN","features":[422]},{"name":"MM_CRYSTAL_SOUND_FUSION_MIDIOUT","features":[422]},{"name":"MM_CRYSTAL_SOUND_FUSION_MIXER","features":[422]},{"name":"MM_CRYSTAL_SOUND_FUSION_WAVEIN","features":[422]},{"name":"MM_CRYSTAL_SOUND_FUSION_WAVEOUT","features":[422]},{"name":"MM_CS","features":[422]},{"name":"MM_CYRIX","features":[422]},{"name":"MM_CYRIX_XAAUX","features":[422]},{"name":"MM_CYRIX_XAMIDIIN","features":[422]},{"name":"MM_CYRIX_XAMIDIOUT","features":[422]},{"name":"MM_CYRIX_XAMIXER","features":[422]},{"name":"MM_CYRIX_XASYNTH","features":[422]},{"name":"MM_CYRIX_XAWAVEIN","features":[422]},{"name":"MM_CYRIX_XAWAVEOUT","features":[422]},{"name":"MM_DATAFUSION","features":[422]},{"name":"MM_DATARAN","features":[422]},{"name":"MM_DDD","features":[422]},{"name":"MM_DDD_MIDILINK_MIDIIN","features":[422]},{"name":"MM_DDD_MIDILINK_MIDIOUT","features":[422]},{"name":"MM_DF_ACM_G726","features":[422]},{"name":"MM_DF_ACM_GSM610","features":[422]},{"name":"MM_DIACOUSTICS","features":[422]},{"name":"MM_DIACOUSTICS_DRUM_ACTION","features":[422]},{"name":"MM_DIALOGIC","features":[422]},{"name":"MM_DIAMONDMM","features":[422]},{"name":"MM_DICTAPHONE","features":[422]},{"name":"MM_DICTAPHONE_G726","features":[422]},{"name":"MM_DIGIGRAM","features":[422]},{"name":"MM_DIGITAL","features":[422]},{"name":"MM_DIGITAL_ACM_G723","features":[422]},{"name":"MM_DIGITAL_AUDIO_LABS","features":[422]},{"name":"MM_DIGITAL_AUDIO_LABS_CDLX","features":[422]},{"name":"MM_DIGITAL_AUDIO_LABS_CPRO","features":[422]},{"name":"MM_DIGITAL_AUDIO_LABS_CTDIF","features":[422]},{"name":"MM_DIGITAL_AUDIO_LABS_DOC","features":[422]},{"name":"MM_DIGITAL_AUDIO_LABS_TC","features":[422]},{"name":"MM_DIGITAL_AUDIO_LABS_V8","features":[422]},{"name":"MM_DIGITAL_AUDIO_LABS_VP","features":[422]},{"name":"MM_DIGITAL_AV320_WAVEIN","features":[422]},{"name":"MM_DIGITAL_AV320_WAVEOUT","features":[422]},{"name":"MM_DIGITAL_ICM_H261","features":[422]},{"name":"MM_DIGITAL_ICM_H263","features":[422]},{"name":"MM_DIMD_AUX_LINE","features":[422]},{"name":"MM_DIMD_DIRSOUND","features":[422]},{"name":"MM_DIMD_MIDIIN","features":[422]},{"name":"MM_DIMD_MIDIOUT","features":[422]},{"name":"MM_DIMD_MIXER","features":[422]},{"name":"MM_DIMD_PLATFORM","features":[422]},{"name":"MM_DIMD_VIRTJOY","features":[422]},{"name":"MM_DIMD_VIRTMPU","features":[422]},{"name":"MM_DIMD_VIRTSB","features":[422]},{"name":"MM_DIMD_WAVEIN","features":[422]},{"name":"MM_DIMD_WAVEOUT","features":[422]},{"name":"MM_DIMD_WSS_AUX","features":[422]},{"name":"MM_DIMD_WSS_MIXER","features":[422]},{"name":"MM_DIMD_WSS_SYNTH","features":[422]},{"name":"MM_DIMD_WSS_WAVEIN","features":[422]},{"name":"MM_DIMD_WSS_WAVEOUT","features":[422]},{"name":"MM_DOLBY","features":[422]},{"name":"MM_DPSINC","features":[422]},{"name":"MM_DSP_GROUP","features":[422]},{"name":"MM_DSP_GROUP_TRUESPEECH","features":[422]},{"name":"MM_DSP_SOLUTIONS","features":[422]},{"name":"MM_DSP_SOLUTIONS_AUX","features":[422]},{"name":"MM_DSP_SOLUTIONS_SYNTH","features":[422]},{"name":"MM_DSP_SOLUTIONS_WAVEIN","features":[422]},{"name":"MM_DSP_SOLUTIONS_WAVEOUT","features":[422]},{"name":"MM_DTS","features":[422]},{"name":"MM_DTS_DS","features":[422]},{"name":"MM_DUCK","features":[422]},{"name":"MM_DVISION","features":[422]},{"name":"MM_ECHO","features":[422]},{"name":"MM_ECHO_AUX","features":[422]},{"name":"MM_ECHO_MIDIIN","features":[422]},{"name":"MM_ECHO_MIDIOUT","features":[422]},{"name":"MM_ECHO_SYNTH","features":[422]},{"name":"MM_ECHO_WAVEIN","features":[422]},{"name":"MM_ECHO_WAVEOUT","features":[422]},{"name":"MM_ECS","features":[422]},{"name":"MM_ECS_AADF_MIDI_IN","features":[422]},{"name":"MM_ECS_AADF_MIDI_OUT","features":[422]},{"name":"MM_ECS_AADF_WAVE2MIDI_IN","features":[422]},{"name":"MM_EES","features":[422]},{"name":"MM_EES_PCMIDI14","features":[422]},{"name":"MM_EES_PCMIDI14_IN","features":[422]},{"name":"MM_EES_PCMIDI14_OUT1","features":[422]},{"name":"MM_EES_PCMIDI14_OUT2","features":[422]},{"name":"MM_EES_PCMIDI14_OUT3","features":[422]},{"name":"MM_EES_PCMIDI14_OUT4","features":[422]},{"name":"MM_EMAGIC","features":[422]},{"name":"MM_EMAGIC_UNITOR8","features":[422]},{"name":"MM_EMU","features":[422]},{"name":"MM_EMU_APSMIDIIN","features":[422]},{"name":"MM_EMU_APSMIDIOUT","features":[422]},{"name":"MM_EMU_APSSYNTH","features":[422]},{"name":"MM_EMU_APSWAVEIN","features":[422]},{"name":"MM_EMU_APSWAVEOUT","features":[422]},{"name":"MM_ENET","features":[422]},{"name":"MM_ENET_T2000_HANDSETIN","features":[422]},{"name":"MM_ENET_T2000_HANDSETOUT","features":[422]},{"name":"MM_ENET_T2000_LINEIN","features":[422]},{"name":"MM_ENET_T2000_LINEOUT","features":[422]},{"name":"MM_ENSONIQ","features":[422]},{"name":"MM_ENSONIQ_SOUNDSCAPE","features":[422]},{"name":"MM_EPSON","features":[422]},{"name":"MM_EPS_FMSND","features":[422]},{"name":"MM_ESS","features":[422]},{"name":"MM_ESS_AMAUX","features":[422]},{"name":"MM_ESS_AMMIDIIN","features":[422]},{"name":"MM_ESS_AMMIDIOUT","features":[422]},{"name":"MM_ESS_AMSYNTH","features":[422]},{"name":"MM_ESS_AMWAVEIN","features":[422]},{"name":"MM_ESS_AMWAVEOUT","features":[422]},{"name":"MM_ESS_AUX_CD","features":[422]},{"name":"MM_ESS_ES1488_MIXER","features":[422]},{"name":"MM_ESS_ES1488_WAVEIN","features":[422]},{"name":"MM_ESS_ES1488_WAVEOUT","features":[422]},{"name":"MM_ESS_ES1688_MIXER","features":[422]},{"name":"MM_ESS_ES1688_WAVEIN","features":[422]},{"name":"MM_ESS_ES1688_WAVEOUT","features":[422]},{"name":"MM_ESS_ES1788_MIXER","features":[422]},{"name":"MM_ESS_ES1788_WAVEIN","features":[422]},{"name":"MM_ESS_ES1788_WAVEOUT","features":[422]},{"name":"MM_ESS_ES1868_MIXER","features":[422]},{"name":"MM_ESS_ES1868_WAVEIN","features":[422]},{"name":"MM_ESS_ES1868_WAVEOUT","features":[422]},{"name":"MM_ESS_ES1878_MIXER","features":[422]},{"name":"MM_ESS_ES1878_WAVEIN","features":[422]},{"name":"MM_ESS_ES1878_WAVEOUT","features":[422]},{"name":"MM_ESS_ES1888_MIXER","features":[422]},{"name":"MM_ESS_ES1888_WAVEIN","features":[422]},{"name":"MM_ESS_ES1888_WAVEOUT","features":[422]},{"name":"MM_ESS_ES488_MIXER","features":[422]},{"name":"MM_ESS_ES488_WAVEIN","features":[422]},{"name":"MM_ESS_ES488_WAVEOUT","features":[422]},{"name":"MM_ESS_ES688_MIXER","features":[422]},{"name":"MM_ESS_ES688_WAVEIN","features":[422]},{"name":"MM_ESS_ES688_WAVEOUT","features":[422]},{"name":"MM_ESS_MIXER","features":[422]},{"name":"MM_ESS_MPU401_MIDIIN","features":[422]},{"name":"MM_ESS_MPU401_MIDIOUT","features":[422]},{"name":"MM_ETEK","features":[422]},{"name":"MM_ETEK_KWIKMIDI_MIDIIN","features":[422]},{"name":"MM_ETEK_KWIKMIDI_MIDIOUT","features":[422]},{"name":"MM_EUPHONICS","features":[422]},{"name":"MM_EUPHONICS_AUX_CD","features":[422]},{"name":"MM_EUPHONICS_AUX_LINE","features":[422]},{"name":"MM_EUPHONICS_AUX_MASTER","features":[422]},{"name":"MM_EUPHONICS_AUX_MIC","features":[422]},{"name":"MM_EUPHONICS_AUX_MIDI","features":[422]},{"name":"MM_EUPHONICS_AUX_WAVE","features":[422]},{"name":"MM_EUPHONICS_EUSYNTH","features":[422]},{"name":"MM_EUPHONICS_FMSYNTH_MONO","features":[422]},{"name":"MM_EUPHONICS_FMSYNTH_STEREO","features":[422]},{"name":"MM_EUPHONICS_MIDIIN","features":[422]},{"name":"MM_EUPHONICS_MIDIOUT","features":[422]},{"name":"MM_EUPHONICS_MIXER","features":[422]},{"name":"MM_EUPHONICS_WAVEIN","features":[422]},{"name":"MM_EUPHONICS_WAVEOUT","features":[422]},{"name":"MM_EVEREX","features":[422]},{"name":"MM_EVEREX_CARRIER","features":[422]},{"name":"MM_EXAN","features":[422]},{"name":"MM_FAITH","features":[422]},{"name":"MM_FAST","features":[422]},{"name":"MM_FHGIIS_MPEGLAYER3","features":[422]},{"name":"MM_FHGIIS_MPEGLAYER3_ADVANCED","features":[422]},{"name":"MM_FHGIIS_MPEGLAYER3_ADVANCEDPLUS","features":[422]},{"name":"MM_FHGIIS_MPEGLAYER3_BASIC","features":[422]},{"name":"MM_FHGIIS_MPEGLAYER3_DECODE","features":[422]},{"name":"MM_FHGIIS_MPEGLAYER3_LITE","features":[422]},{"name":"MM_FHGIIS_MPEGLAYER3_PROFESSIONAL","features":[422]},{"name":"MM_FLEXION","features":[422]},{"name":"MM_FLEXION_X300_WAVEIN","features":[422]},{"name":"MM_FLEXION_X300_WAVEOUT","features":[422]},{"name":"MM_FORTEMEDIA","features":[422]},{"name":"MM_FORTEMEDIA_AUX","features":[422]},{"name":"MM_FORTEMEDIA_FMSYNC","features":[422]},{"name":"MM_FORTEMEDIA_MIXER","features":[422]},{"name":"MM_FORTEMEDIA_WAVEIN","features":[422]},{"name":"MM_FORTEMEDIA_WAVEOUT","features":[422]},{"name":"MM_FRAUNHOFER_IIS","features":[422]},{"name":"MM_FRONTIER","features":[422]},{"name":"MM_FRONTIER_WAVECENTER_MIDIIN","features":[422]},{"name":"MM_FRONTIER_WAVECENTER_MIDIOUT","features":[422]},{"name":"MM_FRONTIER_WAVECENTER_WAVEIN","features":[422]},{"name":"MM_FRONTIER_WAVECENTER_WAVEOUT","features":[422]},{"name":"MM_FTR","features":[422]},{"name":"MM_FTR_ACM","features":[422]},{"name":"MM_FTR_ENCODER_WAVEIN","features":[422]},{"name":"MM_FUJITSU","features":[422]},{"name":"MM_GADGETLABS","features":[422]},{"name":"MM_GADGETLABS_WAVE42_WAVEIN","features":[422]},{"name":"MM_GADGETLABS_WAVE42_WAVEOUT","features":[422]},{"name":"MM_GADGETLABS_WAVE44_WAVEIN","features":[422]},{"name":"MM_GADGETLABS_WAVE44_WAVEOUT","features":[422]},{"name":"MM_GADGETLABS_WAVE4_MIDIIN","features":[422]},{"name":"MM_GADGETLABS_WAVE4_MIDIOUT","features":[422]},{"name":"MM_GRANDE","features":[422]},{"name":"MM_GRAVIS","features":[422]},{"name":"MM_GUILLEMOT","features":[422]},{"name":"MM_GULBRANSEN","features":[422]},{"name":"MM_HAFTMANN","features":[422]},{"name":"MM_HAFTMANN_LPTDAC2","features":[422]},{"name":"MM_HEADSPACE","features":[422]},{"name":"MM_HEADSPACE_HAEMIXER","features":[422]},{"name":"MM_HEADSPACE_HAESYNTH","features":[422]},{"name":"MM_HEADSPACE_HAEWAVEIN","features":[422]},{"name":"MM_HEADSPACE_HAEWAVEOUT","features":[422]},{"name":"MM_HEWLETT_PACKARD","features":[422]},{"name":"MM_HEWLETT_PACKARD_CU_CODEC","features":[422]},{"name":"MM_HORIZONS","features":[422]},{"name":"MM_HP","features":[422]},{"name":"MM_HP_WAVEIN","features":[422]},{"name":"MM_HP_WAVEOUT","features":[422]},{"name":"MM_HYPERACTIVE","features":[422]},{"name":"MM_IBM","features":[422]},{"name":"MM_IBM_MWAVE_AUX","features":[422]},{"name":"MM_IBM_MWAVE_MIDIIN","features":[422]},{"name":"MM_IBM_MWAVE_MIDIOUT","features":[422]},{"name":"MM_IBM_MWAVE_MIXER","features":[422]},{"name":"MM_IBM_MWAVE_WAVEIN","features":[422]},{"name":"MM_IBM_MWAVE_WAVEOUT","features":[422]},{"name":"MM_IBM_PCMCIA_AUX","features":[422]},{"name":"MM_IBM_PCMCIA_MIDIIN","features":[422]},{"name":"MM_IBM_PCMCIA_MIDIOUT","features":[422]},{"name":"MM_IBM_PCMCIA_SYNTH","features":[422]},{"name":"MM_IBM_PCMCIA_WAVEIN","features":[422]},{"name":"MM_IBM_PCMCIA_WAVEOUT","features":[422]},{"name":"MM_IBM_THINKPAD200","features":[422]},{"name":"MM_IBM_WC_MIDIOUT","features":[422]},{"name":"MM_IBM_WC_MIXEROUT","features":[422]},{"name":"MM_IBM_WC_WAVEOUT","features":[422]},{"name":"MM_ICCC","features":[422]},{"name":"MM_ICCC_UNA3_AUX","features":[422]},{"name":"MM_ICCC_UNA3_MIXER","features":[422]},{"name":"MM_ICCC_UNA3_WAVEIN","features":[422]},{"name":"MM_ICCC_UNA3_WAVEOUT","features":[422]},{"name":"MM_ICE","features":[422]},{"name":"MM_ICE_AUX","features":[422]},{"name":"MM_ICE_MIDIIN1","features":[422]},{"name":"MM_ICE_MIDIIN2","features":[422]},{"name":"MM_ICE_MIDIOUT1","features":[422]},{"name":"MM_ICE_MIDIOUT2","features":[422]},{"name":"MM_ICE_MIXER","features":[422]},{"name":"MM_ICE_MTWAVEIN","features":[422]},{"name":"MM_ICE_MTWAVEOUT","features":[422]},{"name":"MM_ICE_SYNTH","features":[422]},{"name":"MM_ICE_WAVEIN","features":[422]},{"name":"MM_ICE_WAVEOUT","features":[422]},{"name":"MM_ICL_PS","features":[422]},{"name":"MM_ICOM_AUX","features":[422]},{"name":"MM_ICOM_LINE","features":[422]},{"name":"MM_ICOM_MIXER","features":[422]},{"name":"MM_ICOM_WAVEIN","features":[422]},{"name":"MM_ICOM_WAVEOUT","features":[422]},{"name":"MM_ICS","features":[422]},{"name":"MM_ICS_2115_LITE_MIDIOUT","features":[422]},{"name":"MM_ICS_2120_LITE_MIDIOUT","features":[422]},{"name":"MM_ICS_WAVEDECK_AUX","features":[422]},{"name":"MM_ICS_WAVEDECK_MIXER","features":[422]},{"name":"MM_ICS_WAVEDECK_SYNTH","features":[422]},{"name":"MM_ICS_WAVEDECK_WAVEIN","features":[422]},{"name":"MM_ICS_WAVEDECK_WAVEOUT","features":[422]},{"name":"MM_ICS_WAVEDEC_SB_AUX","features":[422]},{"name":"MM_ICS_WAVEDEC_SB_FM_MIDIOUT","features":[422]},{"name":"MM_ICS_WAVEDEC_SB_MIXER","features":[422]},{"name":"MM_ICS_WAVEDEC_SB_MPU401_MIDIIN","features":[422]},{"name":"MM_ICS_WAVEDEC_SB_MPU401_MIDIOUT","features":[422]},{"name":"MM_ICS_WAVEDEC_SB_WAVEIN","features":[422]},{"name":"MM_ICS_WAVEDEC_SB_WAVEOUT","features":[422]},{"name":"MM_INSOFT","features":[422]},{"name":"MM_INTEL","features":[422]},{"name":"MM_INTELOPD_AUX","features":[422]},{"name":"MM_INTELOPD_WAVEIN","features":[422]},{"name":"MM_INTELOPD_WAVEOUT","features":[422]},{"name":"MM_INTEL_NSPMODEMLINEIN","features":[422]},{"name":"MM_INTEL_NSPMODEMLINEOUT","features":[422]},{"name":"MM_INTERACTIVE","features":[422]},{"name":"MM_INTERACTIVE_WAVEIN","features":[422]},{"name":"MM_INTERACTIVE_WAVEOUT","features":[422]},{"name":"MM_INTERNET","features":[422]},{"name":"MM_INTERNET_SSW_MIDIIN","features":[422]},{"name":"MM_INTERNET_SSW_MIDIOUT","features":[422]},{"name":"MM_INTERNET_SSW_WAVEIN","features":[422]},{"name":"MM_INTERNET_SSW_WAVEOUT","features":[422]},{"name":"MM_INVISION","features":[422]},{"name":"MM_IODD","features":[422]},{"name":"MM_IOMAGIC","features":[422]},{"name":"MM_IOMAGIC_TEMPO_AUXOUT","features":[422]},{"name":"MM_IOMAGIC_TEMPO_MIDIOUT","features":[422]},{"name":"MM_IOMAGIC_TEMPO_MXDOUT","features":[422]},{"name":"MM_IOMAGIC_TEMPO_SYNTH","features":[422]},{"name":"MM_IOMAGIC_TEMPO_WAVEIN","features":[422]},{"name":"MM_IOMAGIC_TEMPO_WAVEOUT","features":[422]},{"name":"MM_IPI","features":[422]},{"name":"MM_IPI_ACM_HSX","features":[422]},{"name":"MM_IPI_ACM_RPELP","features":[422]},{"name":"MM_IPI_AT_MIXER","features":[422]},{"name":"MM_IPI_AT_WAVEIN","features":[422]},{"name":"MM_IPI_AT_WAVEOUT","features":[422]},{"name":"MM_IPI_WF_ASSS","features":[422]},{"name":"MM_ISOLUTION","features":[422]},{"name":"MM_ISOLUTION_PASCAL","features":[422]},{"name":"MM_ITERATEDSYS","features":[422]},{"name":"MM_ITERATEDSYS_FUFCODEC","features":[422]},{"name":"MM_I_LINK","features":[422]},{"name":"MM_I_LINK_VOICE_CODER","features":[422]},{"name":"MM_KAY_ELEMETRICS","features":[422]},{"name":"MM_KAY_ELEMETRICS_CSL","features":[422]},{"name":"MM_KAY_ELEMETRICS_CSL_4CHANNEL","features":[422]},{"name":"MM_KAY_ELEMETRICS_CSL_DAT","features":[422]},{"name":"MM_KORG","features":[422]},{"name":"MM_KORG_1212IO_MSWAVEIN","features":[422]},{"name":"MM_KORG_1212IO_MSWAVEOUT","features":[422]},{"name":"MM_KORG_PCIF_MIDIIN","features":[422]},{"name":"MM_KORG_PCIF_MIDIOUT","features":[422]},{"name":"MM_LERNOUT_ANDHAUSPIE_LHCODECACM","features":[422]},{"name":"MM_LERNOUT_AND_HAUSPIE","features":[422]},{"name":"MM_LEXICON","features":[422]},{"name":"MM_LEXICON_STUDIO_WAVE_IN","features":[422]},{"name":"MM_LEXICON_STUDIO_WAVE_OUT","features":[422]},{"name":"MM_LOGITECH","features":[422]},{"name":"MM_LUCENT","features":[422]},{"name":"MM_LUCENT_ACM_G723","features":[422]},{"name":"MM_LUCID","features":[422]},{"name":"MM_LUCID_PCI24WAVEIN","features":[422]},{"name":"MM_LUCID_PCI24WAVEOUT","features":[422]},{"name":"MM_LUMINOSITI","features":[422]},{"name":"MM_LUMINOSITI_SCWAVEIN","features":[422]},{"name":"MM_LUMINOSITI_SCWAVEMIX","features":[422]},{"name":"MM_LUMINOSITI_SCWAVEOUT","features":[422]},{"name":"MM_LYNX","features":[422]},{"name":"MM_LYRRUS","features":[422]},{"name":"MM_LYRRUS_BRIDGE_GUITAR","features":[422]},{"name":"MM_MALDEN","features":[422]},{"name":"MM_MARIAN","features":[422]},{"name":"MM_MARIAN_ARC44WAVEIN","features":[422]},{"name":"MM_MARIAN_ARC44WAVEOUT","features":[422]},{"name":"MM_MARIAN_ARC88WAVEIN","features":[422]},{"name":"MM_MARIAN_ARC88WAVEOUT","features":[422]},{"name":"MM_MARIAN_PRODIF24WAVEIN","features":[422]},{"name":"MM_MARIAN_PRODIF24WAVEOUT","features":[422]},{"name":"MM_MATROX_DIV","features":[422]},{"name":"MM_MATSUSHITA","features":[422]},{"name":"MM_MATSUSHITA_AUX","features":[422]},{"name":"MM_MATSUSHITA_FMSYNTH_STEREO","features":[422]},{"name":"MM_MATSUSHITA_MIXER","features":[422]},{"name":"MM_MATSUSHITA_WAVEIN","features":[422]},{"name":"MM_MATSUSHITA_WAVEOUT","features":[422]},{"name":"MM_MEDIASONIC","features":[422]},{"name":"MM_MEDIASONIC_ACM_G723","features":[422]},{"name":"MM_MEDIASONIC_ICOM","features":[422]},{"name":"MM_MEDIATRIX","features":[422]},{"name":"MM_MEDIAVISION","features":[422]},{"name":"MM_MEDIAVISION_CDPC","features":[422]},{"name":"MM_MEDIAVISION_OPUS1208","features":[422]},{"name":"MM_MEDIAVISION_OPUS1216","features":[422]},{"name":"MM_MEDIAVISION_PROAUDIO","features":[422]},{"name":"MM_MEDIAVISION_PROAUDIO_16","features":[422]},{"name":"MM_MEDIAVISION_PROAUDIO_PLUS","features":[422]},{"name":"MM_MEDIAVISION_PROSTUDIO_16","features":[422]},{"name":"MM_MEDIAVISION_THUNDER","features":[422]},{"name":"MM_MEDIAVISION_TPORT","features":[422]},{"name":"MM_MELABS","features":[422]},{"name":"MM_MELABS_MIDI2GO","features":[422]},{"name":"MM_MERGING_MPEGL3","features":[422]},{"name":"MM_MERGING_TECHNOLOGIES","features":[422]},{"name":"MM_METHEUS","features":[422]},{"name":"MM_METHEUS_ZIPPER","features":[422]},{"name":"MM_MICRONAS","features":[422]},{"name":"MM_MICRONAS_CLP833","features":[422]},{"name":"MM_MICRONAS_SC4","features":[422]},{"name":"MM_MINDMAKER","features":[422]},{"name":"MM_MINDMAKER_GC_MIXER","features":[422]},{"name":"MM_MINDMAKER_GC_WAVEIN","features":[422]},{"name":"MM_MINDMAKER_GC_WAVEOUT","features":[422]},{"name":"MM_MIRO","features":[422]},{"name":"MM_MIRO_DC30_MIX","features":[422]},{"name":"MM_MIRO_DC30_WAVEIN","features":[422]},{"name":"MM_MIRO_DC30_WAVEOUT","features":[422]},{"name":"MM_MIRO_MOVIEPRO","features":[422]},{"name":"MM_MIRO_VIDEOD1","features":[422]},{"name":"MM_MIRO_VIDEODC1TV","features":[422]},{"name":"MM_MIRO_VIDEOTD","features":[422]},{"name":"MM_MITEL","features":[422]},{"name":"MM_MITEL_MEDIAPATH_WAVEIN","features":[422]},{"name":"MM_MITEL_MEDIAPATH_WAVEOUT","features":[422]},{"name":"MM_MITEL_MPA_HANDSET_WAVEIN","features":[422]},{"name":"MM_MITEL_MPA_HANDSET_WAVEOUT","features":[422]},{"name":"MM_MITEL_MPA_HANDSFREE_WAVEIN","features":[422]},{"name":"MM_MITEL_MPA_HANDSFREE_WAVEOUT","features":[422]},{"name":"MM_MITEL_MPA_LINE1_WAVEIN","features":[422]},{"name":"MM_MITEL_MPA_LINE1_WAVEOUT","features":[422]},{"name":"MM_MITEL_MPA_LINE2_WAVEIN","features":[422]},{"name":"MM_MITEL_MPA_LINE2_WAVEOUT","features":[422]},{"name":"MM_MITEL_TALKTO_BRIDGED_WAVEIN","features":[422]},{"name":"MM_MITEL_TALKTO_BRIDGED_WAVEOUT","features":[422]},{"name":"MM_MITEL_TALKTO_HANDSET_WAVEIN","features":[422]},{"name":"MM_MITEL_TALKTO_HANDSET_WAVEOUT","features":[422]},{"name":"MM_MITEL_TALKTO_LINE_WAVEIN","features":[422]},{"name":"MM_MITEL_TALKTO_LINE_WAVEOUT","features":[422]},{"name":"MM_MMOTION_WAVEAUX","features":[422]},{"name":"MM_MMOTION_WAVEIN","features":[422]},{"name":"MM_MMOTION_WAVEOUT","features":[422]},{"name":"MM_MOSCOM","features":[422]},{"name":"MM_MOSCOM_VPC2400_IN","features":[422]},{"name":"MM_MOSCOM_VPC2400_OUT","features":[422]},{"name":"MM_MOTIONPIXELS","features":[422]},{"name":"MM_MOTIONPIXELS_MVI2","features":[422]},{"name":"MM_MOTOROLA","features":[422]},{"name":"MM_MOTU","features":[422]},{"name":"MM_MOTU_DTX_MIDI_IN_A","features":[422]},{"name":"MM_MOTU_DTX_MIDI_IN_B","features":[422]},{"name":"MM_MOTU_DTX_MIDI_IN_SYNC","features":[422]},{"name":"MM_MOTU_DTX_MIDI_OUT_A","features":[422]},{"name":"MM_MOTU_DTX_MIDI_OUT_B","features":[422]},{"name":"MM_MOTU_FLYER_MIDI_IN_A","features":[422]},{"name":"MM_MOTU_FLYER_MIDI_IN_B","features":[422]},{"name":"MM_MOTU_FLYER_MIDI_IN_SYNC","features":[422]},{"name":"MM_MOTU_FLYER_MIDI_OUT_A","features":[422]},{"name":"MM_MOTU_FLYER_MIDI_OUT_B","features":[422]},{"name":"MM_MOTU_MTPAV_MIDIIN_1","features":[422]},{"name":"MM_MOTU_MTPAV_MIDIIN_2","features":[422]},{"name":"MM_MOTU_MTPAV_MIDIIN_3","features":[422]},{"name":"MM_MOTU_MTPAV_MIDIIN_4","features":[422]},{"name":"MM_MOTU_MTPAV_MIDIIN_5","features":[422]},{"name":"MM_MOTU_MTPAV_MIDIIN_6","features":[422]},{"name":"MM_MOTU_MTPAV_MIDIIN_7","features":[422]},{"name":"MM_MOTU_MTPAV_MIDIIN_8","features":[422]},{"name":"MM_MOTU_MTPAV_MIDIIN_ADAT","features":[422]},{"name":"MM_MOTU_MTPAV_MIDIIN_SYNC","features":[422]},{"name":"MM_MOTU_MTPAV_MIDIOUT_1","features":[422]},{"name":"MM_MOTU_MTPAV_MIDIOUT_2","features":[422]},{"name":"MM_MOTU_MTPAV_MIDIOUT_3","features":[422]},{"name":"MM_MOTU_MTPAV_MIDIOUT_4","features":[422]},{"name":"MM_MOTU_MTPAV_MIDIOUT_5","features":[422]},{"name":"MM_MOTU_MTPAV_MIDIOUT_6","features":[422]},{"name":"MM_MOTU_MTPAV_MIDIOUT_7","features":[422]},{"name":"MM_MOTU_MTPAV_MIDIOUT_8","features":[422]},{"name":"MM_MOTU_MTPAV_MIDIOUT_ADAT","features":[422]},{"name":"MM_MOTU_MTPAV_MIDIOUT_ALL","features":[422]},{"name":"MM_MOTU_MTPAV_NET_MIDIIN_1","features":[422]},{"name":"MM_MOTU_MTPAV_NET_MIDIIN_2","features":[422]},{"name":"MM_MOTU_MTPAV_NET_MIDIIN_3","features":[422]},{"name":"MM_MOTU_MTPAV_NET_MIDIIN_4","features":[422]},{"name":"MM_MOTU_MTPAV_NET_MIDIIN_5","features":[422]},{"name":"MM_MOTU_MTPAV_NET_MIDIIN_6","features":[422]},{"name":"MM_MOTU_MTPAV_NET_MIDIIN_7","features":[422]},{"name":"MM_MOTU_MTPAV_NET_MIDIIN_8","features":[422]},{"name":"MM_MOTU_MTPAV_NET_MIDIOUT_1","features":[422]},{"name":"MM_MOTU_MTPAV_NET_MIDIOUT_2","features":[422]},{"name":"MM_MOTU_MTPAV_NET_MIDIOUT_3","features":[422]},{"name":"MM_MOTU_MTPAV_NET_MIDIOUT_4","features":[422]},{"name":"MM_MOTU_MTPAV_NET_MIDIOUT_5","features":[422]},{"name":"MM_MOTU_MTPAV_NET_MIDIOUT_6","features":[422]},{"name":"MM_MOTU_MTPAV_NET_MIDIOUT_7","features":[422]},{"name":"MM_MOTU_MTPAV_NET_MIDIOUT_8","features":[422]},{"name":"MM_MOTU_MTPII_MIDIIN_1","features":[422]},{"name":"MM_MOTU_MTPII_MIDIIN_2","features":[422]},{"name":"MM_MOTU_MTPII_MIDIIN_3","features":[422]},{"name":"MM_MOTU_MTPII_MIDIIN_4","features":[422]},{"name":"MM_MOTU_MTPII_MIDIIN_5","features":[422]},{"name":"MM_MOTU_MTPII_MIDIIN_6","features":[422]},{"name":"MM_MOTU_MTPII_MIDIIN_7","features":[422]},{"name":"MM_MOTU_MTPII_MIDIIN_8","features":[422]},{"name":"MM_MOTU_MTPII_MIDIIN_SYNC","features":[422]},{"name":"MM_MOTU_MTPII_MIDIOUT_1","features":[422]},{"name":"MM_MOTU_MTPII_MIDIOUT_2","features":[422]},{"name":"MM_MOTU_MTPII_MIDIOUT_3","features":[422]},{"name":"MM_MOTU_MTPII_MIDIOUT_4","features":[422]},{"name":"MM_MOTU_MTPII_MIDIOUT_5","features":[422]},{"name":"MM_MOTU_MTPII_MIDIOUT_6","features":[422]},{"name":"MM_MOTU_MTPII_MIDIOUT_7","features":[422]},{"name":"MM_MOTU_MTPII_MIDIOUT_8","features":[422]},{"name":"MM_MOTU_MTPII_MIDIOUT_ALL","features":[422]},{"name":"MM_MOTU_MTPII_NET_MIDIIN_1","features":[422]},{"name":"MM_MOTU_MTPII_NET_MIDIIN_2","features":[422]},{"name":"MM_MOTU_MTPII_NET_MIDIIN_3","features":[422]},{"name":"MM_MOTU_MTPII_NET_MIDIIN_4","features":[422]},{"name":"MM_MOTU_MTPII_NET_MIDIIN_5","features":[422]},{"name":"MM_MOTU_MTPII_NET_MIDIIN_6","features":[422]},{"name":"MM_MOTU_MTPII_NET_MIDIIN_7","features":[422]},{"name":"MM_MOTU_MTPII_NET_MIDIIN_8","features":[422]},{"name":"MM_MOTU_MTPII_NET_MIDIOUT_1","features":[422]},{"name":"MM_MOTU_MTPII_NET_MIDIOUT_2","features":[422]},{"name":"MM_MOTU_MTPII_NET_MIDIOUT_3","features":[422]},{"name":"MM_MOTU_MTPII_NET_MIDIOUT_4","features":[422]},{"name":"MM_MOTU_MTPII_NET_MIDIOUT_5","features":[422]},{"name":"MM_MOTU_MTPII_NET_MIDIOUT_6","features":[422]},{"name":"MM_MOTU_MTPII_NET_MIDIOUT_7","features":[422]},{"name":"MM_MOTU_MTPII_NET_MIDIOUT_8","features":[422]},{"name":"MM_MOTU_MTP_MIDIIN_1","features":[422]},{"name":"MM_MOTU_MTP_MIDIIN_2","features":[422]},{"name":"MM_MOTU_MTP_MIDIIN_3","features":[422]},{"name":"MM_MOTU_MTP_MIDIIN_4","features":[422]},{"name":"MM_MOTU_MTP_MIDIIN_5","features":[422]},{"name":"MM_MOTU_MTP_MIDIIN_6","features":[422]},{"name":"MM_MOTU_MTP_MIDIIN_7","features":[422]},{"name":"MM_MOTU_MTP_MIDIIN_8","features":[422]},{"name":"MM_MOTU_MTP_MIDIOUT_1","features":[422]},{"name":"MM_MOTU_MTP_MIDIOUT_2","features":[422]},{"name":"MM_MOTU_MTP_MIDIOUT_3","features":[422]},{"name":"MM_MOTU_MTP_MIDIOUT_4","features":[422]},{"name":"MM_MOTU_MTP_MIDIOUT_5","features":[422]},{"name":"MM_MOTU_MTP_MIDIOUT_6","features":[422]},{"name":"MM_MOTU_MTP_MIDIOUT_7","features":[422]},{"name":"MM_MOTU_MTP_MIDIOUT_8","features":[422]},{"name":"MM_MOTU_MTP_MIDIOUT_ALL","features":[422]},{"name":"MM_MOTU_MXN_MIDIIN_1","features":[422]},{"name":"MM_MOTU_MXN_MIDIIN_2","features":[422]},{"name":"MM_MOTU_MXN_MIDIIN_3","features":[422]},{"name":"MM_MOTU_MXN_MIDIIN_4","features":[422]},{"name":"MM_MOTU_MXN_MIDIIN_SYNC","features":[422]},{"name":"MM_MOTU_MXN_MIDIOUT_1","features":[422]},{"name":"MM_MOTU_MXN_MIDIOUT_2","features":[422]},{"name":"MM_MOTU_MXN_MIDIOUT_3","features":[422]},{"name":"MM_MOTU_MXN_MIDIOUT_4","features":[422]},{"name":"MM_MOTU_MXN_MIDIOUT_ALL","features":[422]},{"name":"MM_MOTU_MXPMPU_MIDIIN_1","features":[422]},{"name":"MM_MOTU_MXPMPU_MIDIIN_2","features":[422]},{"name":"MM_MOTU_MXPMPU_MIDIIN_3","features":[422]},{"name":"MM_MOTU_MXPMPU_MIDIIN_4","features":[422]},{"name":"MM_MOTU_MXPMPU_MIDIIN_5","features":[422]},{"name":"MM_MOTU_MXPMPU_MIDIIN_6","features":[422]},{"name":"MM_MOTU_MXPMPU_MIDIIN_SYNC","features":[422]},{"name":"MM_MOTU_MXPMPU_MIDIOUT_1","features":[422]},{"name":"MM_MOTU_MXPMPU_MIDIOUT_2","features":[422]},{"name":"MM_MOTU_MXPMPU_MIDIOUT_3","features":[422]},{"name":"MM_MOTU_MXPMPU_MIDIOUT_4","features":[422]},{"name":"MM_MOTU_MXPMPU_MIDIOUT_5","features":[422]},{"name":"MM_MOTU_MXPMPU_MIDIOUT_6","features":[422]},{"name":"MM_MOTU_MXPMPU_MIDIOUT_ALL","features":[422]},{"name":"MM_MOTU_MXPXT_MIDIIN_1","features":[422]},{"name":"MM_MOTU_MXPXT_MIDIIN_2","features":[422]},{"name":"MM_MOTU_MXPXT_MIDIIN_3","features":[422]},{"name":"MM_MOTU_MXPXT_MIDIIN_4","features":[422]},{"name":"MM_MOTU_MXPXT_MIDIIN_5","features":[422]},{"name":"MM_MOTU_MXPXT_MIDIIN_6","features":[422]},{"name":"MM_MOTU_MXPXT_MIDIIN_7","features":[422]},{"name":"MM_MOTU_MXPXT_MIDIIN_8","features":[422]},{"name":"MM_MOTU_MXPXT_MIDIIN_SYNC","features":[422]},{"name":"MM_MOTU_MXPXT_MIDIOUT_1","features":[422]},{"name":"MM_MOTU_MXPXT_MIDIOUT_2","features":[422]},{"name":"MM_MOTU_MXPXT_MIDIOUT_3","features":[422]},{"name":"MM_MOTU_MXPXT_MIDIOUT_4","features":[422]},{"name":"MM_MOTU_MXPXT_MIDIOUT_5","features":[422]},{"name":"MM_MOTU_MXPXT_MIDIOUT_6","features":[422]},{"name":"MM_MOTU_MXPXT_MIDIOUT_7","features":[422]},{"name":"MM_MOTU_MXPXT_MIDIOUT_8","features":[422]},{"name":"MM_MOTU_MXPXT_MIDIOUT_ALL","features":[422]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIIN_1","features":[422]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIIN_2","features":[422]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIIN_3","features":[422]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIIN_4","features":[422]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIIN_5","features":[422]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIIN_6","features":[422]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIOUT_1","features":[422]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIOUT_2","features":[422]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIOUT_3","features":[422]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIOUT_4","features":[422]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIOUT_5","features":[422]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIOUT_6","features":[422]},{"name":"MM_MOTU_MXP_MIDIIN_MIDIOUT_ALL","features":[422]},{"name":"MM_MOTU_MXP_MIDIIN_SYNC","features":[422]},{"name":"MM_MOTU_PKX_MIDI_IN_A","features":[422]},{"name":"MM_MOTU_PKX_MIDI_IN_B","features":[422]},{"name":"MM_MOTU_PKX_MIDI_IN_SYNC","features":[422]},{"name":"MM_MOTU_PKX_MIDI_OUT_A","features":[422]},{"name":"MM_MOTU_PKX_MIDI_OUT_B","features":[422]},{"name":"MM_MPTUS","features":[422]},{"name":"MM_MPTUS_SPWAVEOUT","features":[422]},{"name":"MM_MSFT_ACM_G711","features":[422]},{"name":"MM_MSFT_ACM_GSM610","features":[422]},{"name":"MM_MSFT_ACM_IMAADPCM","features":[422]},{"name":"MM_MSFT_ACM_MSADPCM","features":[422]},{"name":"MM_MSFT_ACM_MSAUDIO1","features":[422]},{"name":"MM_MSFT_ACM_MSFILTER","features":[422]},{"name":"MM_MSFT_ACM_MSG723","features":[422]},{"name":"MM_MSFT_ACM_MSNAUDIO","features":[422]},{"name":"MM_MSFT_ACM_MSRT24","features":[422]},{"name":"MM_MSFT_ACM_PCM","features":[422]},{"name":"MM_MSFT_ACM_WMAUDIO","features":[422]},{"name":"MM_MSFT_ACM_WMAUDIO2","features":[422]},{"name":"MM_MSFT_GENERIC_AUX_CD","features":[422]},{"name":"MM_MSFT_GENERIC_AUX_LINE","features":[422]},{"name":"MM_MSFT_GENERIC_AUX_MIC","features":[422]},{"name":"MM_MSFT_GENERIC_MIDIIN","features":[422]},{"name":"MM_MSFT_GENERIC_MIDIOUT","features":[422]},{"name":"MM_MSFT_GENERIC_MIDISYNTH","features":[422]},{"name":"MM_MSFT_GENERIC_WAVEIN","features":[422]},{"name":"MM_MSFT_GENERIC_WAVEOUT","features":[422]},{"name":"MM_MSFT_MSACM","features":[422]},{"name":"MM_MSFT_MSOPL_SYNTH","features":[422]},{"name":"MM_MSFT_SB16_AUX_CD","features":[422]},{"name":"MM_MSFT_SB16_AUX_LINE","features":[422]},{"name":"MM_MSFT_SB16_MIDIIN","features":[422]},{"name":"MM_MSFT_SB16_MIDIOUT","features":[422]},{"name":"MM_MSFT_SB16_MIXER","features":[422]},{"name":"MM_MSFT_SB16_SYNTH","features":[422]},{"name":"MM_MSFT_SB16_WAVEIN","features":[422]},{"name":"MM_MSFT_SB16_WAVEOUT","features":[422]},{"name":"MM_MSFT_SBPRO_AUX_CD","features":[422]},{"name":"MM_MSFT_SBPRO_AUX_LINE","features":[422]},{"name":"MM_MSFT_SBPRO_MIDIIN","features":[422]},{"name":"MM_MSFT_SBPRO_MIDIOUT","features":[422]},{"name":"MM_MSFT_SBPRO_MIXER","features":[422]},{"name":"MM_MSFT_SBPRO_SYNTH","features":[422]},{"name":"MM_MSFT_SBPRO_WAVEIN","features":[422]},{"name":"MM_MSFT_SBPRO_WAVEOUT","features":[422]},{"name":"MM_MSFT_VMDMS_HANDSET_WAVEIN","features":[422]},{"name":"MM_MSFT_VMDMS_HANDSET_WAVEOUT","features":[422]},{"name":"MM_MSFT_VMDMS_LINE_WAVEIN","features":[422]},{"name":"MM_MSFT_VMDMS_LINE_WAVEOUT","features":[422]},{"name":"MM_MSFT_VMDMW_HANDSET_WAVEIN","features":[422]},{"name":"MM_MSFT_VMDMW_HANDSET_WAVEOUT","features":[422]},{"name":"MM_MSFT_VMDMW_LINE_WAVEIN","features":[422]},{"name":"MM_MSFT_VMDMW_LINE_WAVEOUT","features":[422]},{"name":"MM_MSFT_VMDMW_MIXER","features":[422]},{"name":"MM_MSFT_VMDM_GAME_WAVEIN","features":[422]},{"name":"MM_MSFT_VMDM_GAME_WAVEOUT","features":[422]},{"name":"MM_MSFT_WDMAUDIO_AUX","features":[422]},{"name":"MM_MSFT_WDMAUDIO_MIDIIN","features":[422]},{"name":"MM_MSFT_WDMAUDIO_MIDIOUT","features":[422]},{"name":"MM_MSFT_WDMAUDIO_MIXER","features":[422]},{"name":"MM_MSFT_WDMAUDIO_WAVEIN","features":[422]},{"name":"MM_MSFT_WDMAUDIO_WAVEOUT","features":[422]},{"name":"MM_MSFT_WSS_AUX","features":[422]},{"name":"MM_MSFT_WSS_FMSYNTH_STEREO","features":[422]},{"name":"MM_MSFT_WSS_MIXER","features":[422]},{"name":"MM_MSFT_WSS_NT_AUX","features":[422]},{"name":"MM_MSFT_WSS_NT_FMSYNTH_STEREO","features":[422]},{"name":"MM_MSFT_WSS_NT_MIXER","features":[422]},{"name":"MM_MSFT_WSS_NT_WAVEIN","features":[422]},{"name":"MM_MSFT_WSS_NT_WAVEOUT","features":[422]},{"name":"MM_MSFT_WSS_OEM_AUX","features":[422]},{"name":"MM_MSFT_WSS_OEM_FMSYNTH_STEREO","features":[422]},{"name":"MM_MSFT_WSS_OEM_MIXER","features":[422]},{"name":"MM_MSFT_WSS_OEM_WAVEIN","features":[422]},{"name":"MM_MSFT_WSS_OEM_WAVEOUT","features":[422]},{"name":"MM_MSFT_WSS_WAVEIN","features":[422]},{"name":"MM_MSFT_WSS_WAVEOUT","features":[422]},{"name":"MM_MWM","features":[422]},{"name":"MM_NCR","features":[422]},{"name":"MM_NCR_BA_AUX","features":[422]},{"name":"MM_NCR_BA_MIXER","features":[422]},{"name":"MM_NCR_BA_SYNTH","features":[422]},{"name":"MM_NCR_BA_WAVEIN","features":[422]},{"name":"MM_NCR_BA_WAVEOUT","features":[422]},{"name":"MM_NEC","features":[422]},{"name":"MM_NEC_26_SYNTH","features":[422]},{"name":"MM_NEC_73_86_SYNTH","features":[422]},{"name":"MM_NEC_73_86_WAVEIN","features":[422]},{"name":"MM_NEC_73_86_WAVEOUT","features":[422]},{"name":"MM_NEC_JOYSTICK","features":[422]},{"name":"MM_NEC_MPU401_MIDIIN","features":[422]},{"name":"MM_NEC_MPU401_MIDIOUT","features":[422]},{"name":"MM_NEOMAGIC","features":[422]},{"name":"MM_NEOMAGIC_AUX","features":[422]},{"name":"MM_NEOMAGIC_MIDIIN","features":[422]},{"name":"MM_NEOMAGIC_MIDIOUT","features":[422]},{"name":"MM_NEOMAGIC_MW3DX_AUX","features":[422]},{"name":"MM_NEOMAGIC_MW3DX_FMSYNTH","features":[422]},{"name":"MM_NEOMAGIC_MW3DX_GMSYNTH","features":[422]},{"name":"MM_NEOMAGIC_MW3DX_MIDIIN","features":[422]},{"name":"MM_NEOMAGIC_MW3DX_MIDIOUT","features":[422]},{"name":"MM_NEOMAGIC_MW3DX_MIXER","features":[422]},{"name":"MM_NEOMAGIC_MW3DX_WAVEIN","features":[422]},{"name":"MM_NEOMAGIC_MW3DX_WAVEOUT","features":[422]},{"name":"MM_NEOMAGIC_MWAVE_AUX","features":[422]},{"name":"MM_NEOMAGIC_MWAVE_MIDIIN","features":[422]},{"name":"MM_NEOMAGIC_MWAVE_MIDIOUT","features":[422]},{"name":"MM_NEOMAGIC_MWAVE_MIXER","features":[422]},{"name":"MM_NEOMAGIC_MWAVE_WAVEIN","features":[422]},{"name":"MM_NEOMAGIC_MWAVE_WAVEOUT","features":[422]},{"name":"MM_NEOMAGIC_SYNTH","features":[422]},{"name":"MM_NEOMAGIC_WAVEIN","features":[422]},{"name":"MM_NEOMAGIC_WAVEOUT","features":[422]},{"name":"MM_NETSCAPE","features":[422]},{"name":"MM_NETXL","features":[422]},{"name":"MM_NETXL_XLVIDEO","features":[422]},{"name":"MM_NEWMEDIA","features":[422]},{"name":"MM_NEWMEDIA_WAVJAMMER","features":[422]},{"name":"MM_NMP","features":[422]},{"name":"MM_NMP_ACM_AMR","features":[422]},{"name":"MM_NMP_CCP_WAVEIN","features":[422]},{"name":"MM_NMP_CCP_WAVEOUT","features":[422]},{"name":"MM_NMS","features":[422]},{"name":"MM_NOGATECH","features":[422]},{"name":"MM_NORRIS","features":[422]},{"name":"MM_NORRIS_VOICELINK","features":[422]},{"name":"MM_NORTEL_MPXAC_WAVEIN","features":[422]},{"name":"MM_NORTEL_MPXAC_WAVEOUT","features":[422]},{"name":"MM_NORTHERN_TELECOM","features":[422]},{"name":"MM_NVIDIA","features":[422]},{"name":"MM_NVIDIA_AUX","features":[422]},{"name":"MM_NVIDIA_GAMEPORT","features":[422]},{"name":"MM_NVIDIA_MIDIIN","features":[422]},{"name":"MM_NVIDIA_MIDIOUT","features":[422]},{"name":"MM_NVIDIA_MIXER","features":[422]},{"name":"MM_NVIDIA_WAVEIN","features":[422]},{"name":"MM_NVIDIA_WAVEOUT","features":[422]},{"name":"MM_OKI","features":[422]},{"name":"MM_OKSORI","features":[422]},{"name":"MM_OKSORI_BASE","features":[422]},{"name":"MM_OKSORI_EXT_MIC1","features":[422]},{"name":"MM_OKSORI_EXT_MIC2","features":[422]},{"name":"MM_OKSORI_FM_OPL4","features":[422]},{"name":"MM_OKSORI_MIDIIN","features":[422]},{"name":"MM_OKSORI_MIDIOUT","features":[422]},{"name":"MM_OKSORI_MIX_AUX1","features":[422]},{"name":"MM_OKSORI_MIX_CD","features":[422]},{"name":"MM_OKSORI_MIX_ECHO","features":[422]},{"name":"MM_OKSORI_MIX_FM","features":[422]},{"name":"MM_OKSORI_MIX_LINE","features":[422]},{"name":"MM_OKSORI_MIX_LINE1","features":[422]},{"name":"MM_OKSORI_MIX_MASTER","features":[422]},{"name":"MM_OKSORI_MIX_MIC","features":[422]},{"name":"MM_OKSORI_MIX_WAVE","features":[422]},{"name":"MM_OKSORI_MPEG_CDVISION","features":[422]},{"name":"MM_OKSORI_OSR16_WAVEIN","features":[422]},{"name":"MM_OKSORI_OSR16_WAVEOUT","features":[422]},{"name":"MM_OKSORI_OSR8_WAVEIN","features":[422]},{"name":"MM_OKSORI_OSR8_WAVEOUT","features":[422]},{"name":"MM_OLIVETTI","features":[422]},{"name":"MM_OLIVETTI_ACM_ADPCM","features":[422]},{"name":"MM_OLIVETTI_ACM_CELP","features":[422]},{"name":"MM_OLIVETTI_ACM_GSM","features":[422]},{"name":"MM_OLIVETTI_ACM_OPR","features":[422]},{"name":"MM_OLIVETTI_ACM_SBC","features":[422]},{"name":"MM_OLIVETTI_AUX","features":[422]},{"name":"MM_OLIVETTI_JOYSTICK","features":[422]},{"name":"MM_OLIVETTI_MIDIIN","features":[422]},{"name":"MM_OLIVETTI_MIDIOUT","features":[422]},{"name":"MM_OLIVETTI_MIXER","features":[422]},{"name":"MM_OLIVETTI_SYNTH","features":[422]},{"name":"MM_OLIVETTI_WAVEIN","features":[422]},{"name":"MM_OLIVETTI_WAVEOUT","features":[422]},{"name":"MM_ONLIVE","features":[422]},{"name":"MM_ONLIVE_MPCODEC","features":[422]},{"name":"MM_OPCODE","features":[422]},{"name":"MM_OPTI","features":[422]},{"name":"MM_OPTI_M16_AUX","features":[422]},{"name":"MM_OPTI_M16_FMSYNTH_STEREO","features":[422]},{"name":"MM_OPTI_M16_MIDIIN","features":[422]},{"name":"MM_OPTI_M16_MIDIOUT","features":[422]},{"name":"MM_OPTI_M16_MIXER","features":[422]},{"name":"MM_OPTI_M16_WAVEIN","features":[422]},{"name":"MM_OPTI_M16_WAVEOUT","features":[422]},{"name":"MM_OPTI_M32_AUX","features":[422]},{"name":"MM_OPTI_M32_MIDIIN","features":[422]},{"name":"MM_OPTI_M32_MIDIOUT","features":[422]},{"name":"MM_OPTI_M32_MIXER","features":[422]},{"name":"MM_OPTI_M32_SYNTH_STEREO","features":[422]},{"name":"MM_OPTI_M32_WAVEIN","features":[422]},{"name":"MM_OPTI_M32_WAVEOUT","features":[422]},{"name":"MM_OPTI_P16_AUX","features":[422]},{"name":"MM_OPTI_P16_FMSYNTH_STEREO","features":[422]},{"name":"MM_OPTI_P16_MIDIIN","features":[422]},{"name":"MM_OPTI_P16_MIDIOUT","features":[422]},{"name":"MM_OPTI_P16_MIXER","features":[422]},{"name":"MM_OPTI_P16_WAVEIN","features":[422]},{"name":"MM_OPTI_P16_WAVEOUT","features":[422]},{"name":"MM_OPUS1208_AUX","features":[422]},{"name":"MM_OPUS1208_MIXER","features":[422]},{"name":"MM_OPUS1208_SYNTH","features":[422]},{"name":"MM_OPUS1208_WAVEIN","features":[422]},{"name":"MM_OPUS1208_WAVEOUT","features":[422]},{"name":"MM_OPUS1216_AUX","features":[422]},{"name":"MM_OPUS1216_MIDIIN","features":[422]},{"name":"MM_OPUS1216_MIDIOUT","features":[422]},{"name":"MM_OPUS1216_MIXER","features":[422]},{"name":"MM_OPUS1216_SYNTH","features":[422]},{"name":"MM_OPUS1216_WAVEIN","features":[422]},{"name":"MM_OPUS1216_WAVEOUT","features":[422]},{"name":"MM_OPUS401_MIDIIN","features":[422]},{"name":"MM_OPUS401_MIDIOUT","features":[422]},{"name":"MM_OSITECH","features":[422]},{"name":"MM_OSITECH_TRUMPCARD","features":[422]},{"name":"MM_OSPREY","features":[422]},{"name":"MM_OSPREY_1000WAVEIN","features":[422]},{"name":"MM_OSPREY_1000WAVEOUT","features":[422]},{"name":"MM_OTI","features":[422]},{"name":"MM_OTI_611MIDIN","features":[422]},{"name":"MM_OTI_611MIDIOUT","features":[422]},{"name":"MM_OTI_611MIXER","features":[422]},{"name":"MM_OTI_611WAVEIN","features":[422]},{"name":"MM_OTI_611WAVEOUT","features":[422]},{"name":"MM_PACIFICRESEARCH","features":[422]},{"name":"MM_PCSPEAKER_WAVEOUT","features":[422]},{"name":"MM_PHILIPS_ACM_LPCBB","features":[422]},{"name":"MM_PHILIPS_SPEECH_PROCESSING","features":[422]},{"name":"MM_PHONET","features":[422]},{"name":"MM_PHONET_PP_MIXER","features":[422]},{"name":"MM_PHONET_PP_WAVEIN","features":[422]},{"name":"MM_PHONET_PP_WAVEOUT","features":[422]},{"name":"MM_PICTURETEL","features":[422]},{"name":"MM_PID_UNMAPPED","features":[422]},{"name":"MM_PINNACLE","features":[422]},{"name":"MM_PRAGMATRAX","features":[422]},{"name":"MM_PRECEPT","features":[422]},{"name":"MM_PROAUD_16_AUX","features":[422]},{"name":"MM_PROAUD_16_MIDIIN","features":[422]},{"name":"MM_PROAUD_16_MIDIOUT","features":[422]},{"name":"MM_PROAUD_16_MIXER","features":[422]},{"name":"MM_PROAUD_16_SYNTH","features":[422]},{"name":"MM_PROAUD_16_WAVEIN","features":[422]},{"name":"MM_PROAUD_16_WAVEOUT","features":[422]},{"name":"MM_PROAUD_AUX","features":[422]},{"name":"MM_PROAUD_MIDIIN","features":[422]},{"name":"MM_PROAUD_MIDIOUT","features":[422]},{"name":"MM_PROAUD_MIXER","features":[422]},{"name":"MM_PROAUD_PLUS_AUX","features":[422]},{"name":"MM_PROAUD_PLUS_MIDIIN","features":[422]},{"name":"MM_PROAUD_PLUS_MIDIOUT","features":[422]},{"name":"MM_PROAUD_PLUS_MIXER","features":[422]},{"name":"MM_PROAUD_PLUS_SYNTH","features":[422]},{"name":"MM_PROAUD_PLUS_WAVEIN","features":[422]},{"name":"MM_PROAUD_PLUS_WAVEOUT","features":[422]},{"name":"MM_PROAUD_SYNTH","features":[422]},{"name":"MM_PROAUD_WAVEIN","features":[422]},{"name":"MM_PROAUD_WAVEOUT","features":[422]},{"name":"MM_QCIAR","features":[422]},{"name":"MM_QDESIGN","features":[422]},{"name":"MM_QDESIGN_ACM_MPEG","features":[422]},{"name":"MM_QDESIGN_ACM_QDESIGN_MUSIC","features":[422]},{"name":"MM_QTEAM","features":[422]},{"name":"MM_QUALCOMM","features":[422]},{"name":"MM_QUANTUM3D","features":[422]},{"name":"MM_QUARTERDECK","features":[422]},{"name":"MM_QUARTERDECK_LHWAVEIN","features":[422]},{"name":"MM_QUARTERDECK_LHWAVEOUT","features":[422]},{"name":"MM_QUICKAUDIO","features":[422]},{"name":"MM_QUICKAUDIO_MAXIMIDI","features":[422]},{"name":"MM_QUICKAUDIO_MINIMIDI","features":[422]},{"name":"MM_QUICKNET","features":[422]},{"name":"MM_QUICKNET_PJWAVEIN","features":[422]},{"name":"MM_QUICKNET_PJWAVEOUT","features":[422]},{"name":"MM_RADIUS","features":[422]},{"name":"MM_RHETOREX","features":[422]},{"name":"MM_RHETOREX_WAVEIN","features":[422]},{"name":"MM_RHETOREX_WAVEOUT","features":[422]},{"name":"MM_RICHMOND","features":[422]},{"name":"MM_ROCKWELL","features":[422]},{"name":"MM_ROLAND","features":[422]},{"name":"MM_ROLAND_MPU401_MIDIIN","features":[422]},{"name":"MM_ROLAND_MPU401_MIDIOUT","features":[422]},{"name":"MM_ROLAND_RAP10_MIDIIN","features":[422]},{"name":"MM_ROLAND_RAP10_MIDIOUT","features":[422]},{"name":"MM_ROLAND_RAP10_SYNTH","features":[422]},{"name":"MM_ROLAND_RAP10_WAVEIN","features":[422]},{"name":"MM_ROLAND_RAP10_WAVEOUT","features":[422]},{"name":"MM_ROLAND_SC7_MIDIIN","features":[422]},{"name":"MM_ROLAND_SC7_MIDIOUT","features":[422]},{"name":"MM_ROLAND_SCP_AUX","features":[422]},{"name":"MM_ROLAND_SCP_MIDIIN","features":[422]},{"name":"MM_ROLAND_SCP_MIDIOUT","features":[422]},{"name":"MM_ROLAND_SCP_MIXER","features":[422]},{"name":"MM_ROLAND_SCP_WAVEIN","features":[422]},{"name":"MM_ROLAND_SCP_WAVEOUT","features":[422]},{"name":"MM_ROLAND_SERIAL_MIDIIN","features":[422]},{"name":"MM_ROLAND_SERIAL_MIDIOUT","features":[422]},{"name":"MM_ROLAND_SMPU_MIDIINA","features":[422]},{"name":"MM_ROLAND_SMPU_MIDIINB","features":[422]},{"name":"MM_ROLAND_SMPU_MIDIOUTA","features":[422]},{"name":"MM_ROLAND_SMPU_MIDIOUTB","features":[422]},{"name":"MM_RZS","features":[422]},{"name":"MM_RZS_ACM_TUBGSM","features":[422]},{"name":"MM_S3","features":[422]},{"name":"MM_S3_AUX","features":[422]},{"name":"MM_S3_FMSYNTH","features":[422]},{"name":"MM_S3_MIDIIN","features":[422]},{"name":"MM_S3_MIDIOUT","features":[422]},{"name":"MM_S3_MIXER","features":[422]},{"name":"MM_S3_WAVEIN","features":[422]},{"name":"MM_S3_WAVEOUT","features":[422]},{"name":"MM_SANYO","features":[422]},{"name":"MM_SANYO_ACM_LD_ADPCM","features":[422]},{"name":"MM_SCALACS","features":[422]},{"name":"MM_SEERSYS","features":[422]},{"name":"MM_SEERSYS_REALITY","features":[422]},{"name":"MM_SEERSYS_SEERMIX","features":[422]},{"name":"MM_SEERSYS_SEERSYNTH","features":[422]},{"name":"MM_SEERSYS_SEERWAVE","features":[422]},{"name":"MM_SEERSYS_WAVESYNTH","features":[422]},{"name":"MM_SEERSYS_WAVESYNTH_WG","features":[422]},{"name":"MM_SELSIUS_SYSTEMS","features":[422]},{"name":"MM_SELSIUS_SYSTEMS_RTPWAVEIN","features":[422]},{"name":"MM_SELSIUS_SYSTEMS_RTPWAVEOUT","features":[422]},{"name":"MM_SGI","features":[422]},{"name":"MM_SGI_320_MIXER","features":[422]},{"name":"MM_SGI_320_WAVEIN","features":[422]},{"name":"MM_SGI_320_WAVEOUT","features":[422]},{"name":"MM_SGI_540_MIXER","features":[422]},{"name":"MM_SGI_540_WAVEIN","features":[422]},{"name":"MM_SGI_540_WAVEOUT","features":[422]},{"name":"MM_SGI_RAD_ADAT8CHAN_WAVEIN","features":[422]},{"name":"MM_SGI_RAD_ADAT8CHAN_WAVEOUT","features":[422]},{"name":"MM_SGI_RAD_ADATMONO1_WAVEIN","features":[422]},{"name":"MM_SGI_RAD_ADATMONO1_WAVEOUT","features":[422]},{"name":"MM_SGI_RAD_ADATMONO2_WAVEIN","features":[422]},{"name":"MM_SGI_RAD_ADATMONO2_WAVEOUT","features":[422]},{"name":"MM_SGI_RAD_ADATMONO3_WAVEIN","features":[422]},{"name":"MM_SGI_RAD_ADATMONO3_WAVEOUT","features":[422]},{"name":"MM_SGI_RAD_ADATMONO4_WAVEIN","features":[422]},{"name":"MM_SGI_RAD_ADATMONO4_WAVEOUT","features":[422]},{"name":"MM_SGI_RAD_ADATMONO5_WAVEIN","features":[422]},{"name":"MM_SGI_RAD_ADATMONO5_WAVEOUT","features":[422]},{"name":"MM_SGI_RAD_ADATMONO6_WAVEIN","features":[422]},{"name":"MM_SGI_RAD_ADATMONO6_WAVEOUT","features":[422]},{"name":"MM_SGI_RAD_ADATMONO7_WAVEIN","features":[422]},{"name":"MM_SGI_RAD_ADATMONO7_WAVEOUT","features":[422]},{"name":"MM_SGI_RAD_ADATMONO8_WAVEIN","features":[422]},{"name":"MM_SGI_RAD_ADATMONO8_WAVEOUT","features":[422]},{"name":"MM_SGI_RAD_ADATSTEREO12_WAVEIN","features":[422]},{"name":"MM_SGI_RAD_ADATSTEREO12_WAVEOUT","features":[422]},{"name":"MM_SGI_RAD_ADATSTEREO32_WAVEOUT","features":[422]},{"name":"MM_SGI_RAD_ADATSTEREO34_WAVEIN","features":[422]},{"name":"MM_SGI_RAD_ADATSTEREO56_WAVEIN","features":[422]},{"name":"MM_SGI_RAD_ADATSTEREO56_WAVEOUT","features":[422]},{"name":"MM_SGI_RAD_ADATSTEREO78_WAVEIN","features":[422]},{"name":"MM_SGI_RAD_ADATSTEREO78_WAVEOUT","features":[422]},{"name":"MM_SGI_RAD_AESMONO1_WAVEIN","features":[422]},{"name":"MM_SGI_RAD_AESMONO1_WAVEOUT","features":[422]},{"name":"MM_SGI_RAD_AESMONO2_WAVEIN","features":[422]},{"name":"MM_SGI_RAD_AESMONO2_WAVEOUT","features":[422]},{"name":"MM_SGI_RAD_AESSTEREO_WAVEIN","features":[422]},{"name":"MM_SGI_RAD_AESSTEREO_WAVEOUT","features":[422]},{"name":"MM_SHARP","features":[422]},{"name":"MM_SHARP_MDC_AUX","features":[422]},{"name":"MM_SHARP_MDC_AUX_BASS","features":[422]},{"name":"MM_SHARP_MDC_AUX_CHR","features":[422]},{"name":"MM_SHARP_MDC_AUX_MASTER","features":[422]},{"name":"MM_SHARP_MDC_AUX_MIDI_VOL","features":[422]},{"name":"MM_SHARP_MDC_AUX_RVB","features":[422]},{"name":"MM_SHARP_MDC_AUX_TREBLE","features":[422]},{"name":"MM_SHARP_MDC_AUX_VOL","features":[422]},{"name":"MM_SHARP_MDC_AUX_WAVE_CHR","features":[422]},{"name":"MM_SHARP_MDC_AUX_WAVE_RVB","features":[422]},{"name":"MM_SHARP_MDC_AUX_WAVE_VOL","features":[422]},{"name":"MM_SHARP_MDC_MIDI_IN","features":[422]},{"name":"MM_SHARP_MDC_MIDI_OUT","features":[422]},{"name":"MM_SHARP_MDC_MIDI_SYNTH","features":[422]},{"name":"MM_SHARP_MDC_MIXER","features":[422]},{"name":"MM_SHARP_MDC_WAVE_IN","features":[422]},{"name":"MM_SHARP_MDC_WAVE_OUT","features":[422]},{"name":"MM_SICRESOURCE","features":[422]},{"name":"MM_SICRESOURCE_SSO3D","features":[422]},{"name":"MM_SICRESOURCE_SSOW3DI","features":[422]},{"name":"MM_SIEMENS_SBC","features":[422]},{"name":"MM_SIERRA","features":[422]},{"name":"MM_SIERRA_ARIA_AUX","features":[422]},{"name":"MM_SIERRA_ARIA_AUX2","features":[422]},{"name":"MM_SIERRA_ARIA_MIDIIN","features":[422]},{"name":"MM_SIERRA_ARIA_MIDIOUT","features":[422]},{"name":"MM_SIERRA_ARIA_SYNTH","features":[422]},{"name":"MM_SIERRA_ARIA_WAVEIN","features":[422]},{"name":"MM_SIERRA_ARIA_WAVEOUT","features":[422]},{"name":"MM_SIERRA_QUARTET_AUX_CD","features":[422]},{"name":"MM_SIERRA_QUARTET_AUX_LINE","features":[422]},{"name":"MM_SIERRA_QUARTET_AUX_MODEM","features":[422]},{"name":"MM_SIERRA_QUARTET_MIDIIN","features":[422]},{"name":"MM_SIERRA_QUARTET_MIDIOUT","features":[422]},{"name":"MM_SIERRA_QUARTET_MIXER","features":[422]},{"name":"MM_SIERRA_QUARTET_SYNTH","features":[422]},{"name":"MM_SIERRA_QUARTET_WAVEIN","features":[422]},{"name":"MM_SIERRA_QUARTET_WAVEOUT","features":[422]},{"name":"MM_SILICONSOFT","features":[422]},{"name":"MM_SILICONSOFT_SC1_WAVEIN","features":[422]},{"name":"MM_SILICONSOFT_SC1_WAVEOUT","features":[422]},{"name":"MM_SILICONSOFT_SC2_WAVEIN","features":[422]},{"name":"MM_SILICONSOFT_SC2_WAVEOUT","features":[422]},{"name":"MM_SILICONSOFT_SOUNDJR2PR_WAVEIN","features":[422]},{"name":"MM_SILICONSOFT_SOUNDJR2PR_WAVEOUT","features":[422]},{"name":"MM_SILICONSOFT_SOUNDJR2_WAVEOUT","features":[422]},{"name":"MM_SILICONSOFT_SOUNDJR3_WAVEOUT","features":[422]},{"name":"MM_SIPROLAB","features":[422]},{"name":"MM_SIPROLAB_ACELPNET","features":[422]},{"name":"MM_SNI","features":[422]},{"name":"MM_SNI_ACM_G721","features":[422]},{"name":"MM_SOFTLAB_NSK","features":[422]},{"name":"MM_SOFTLAB_NSK_FRW_AUX","features":[422]},{"name":"MM_SOFTLAB_NSK_FRW_MIXER","features":[422]},{"name":"MM_SOFTLAB_NSK_FRW_WAVEIN","features":[422]},{"name":"MM_SOFTLAB_NSK_FRW_WAVEOUT","features":[422]},{"name":"MM_SOFTSOUND","features":[422]},{"name":"MM_SOFTSOUND_CODEC","features":[422]},{"name":"MM_SONICFOUNDRY","features":[422]},{"name":"MM_SONORUS","features":[422]},{"name":"MM_SONORUS_STUDIO","features":[422]},{"name":"MM_SONY","features":[422]},{"name":"MM_SONY_ACM_SCX","features":[422]},{"name":"MM_SORVIS","features":[422]},{"name":"MM_SOUNDESIGNS","features":[422]},{"name":"MM_SOUNDESIGNS_WAVEIN","features":[422]},{"name":"MM_SOUNDESIGNS_WAVEOUT","features":[422]},{"name":"MM_SOUNDSCAPE_AUX","features":[422]},{"name":"MM_SOUNDSCAPE_MIDIIN","features":[422]},{"name":"MM_SOUNDSCAPE_MIDIOUT","features":[422]},{"name":"MM_SOUNDSCAPE_MIXER","features":[422]},{"name":"MM_SOUNDSCAPE_SYNTH","features":[422]},{"name":"MM_SOUNDSCAPE_WAVEIN","features":[422]},{"name":"MM_SOUNDSCAPE_WAVEOUT","features":[422]},{"name":"MM_SOUNDSCAPE_WAVEOUT_AUX","features":[422]},{"name":"MM_SOUNDSPACE","features":[422]},{"name":"MM_SPECTRUM_PRODUCTIONS","features":[422]},{"name":"MM_SPECTRUM_SIGNAL_PROCESSING","features":[422]},{"name":"MM_SPEECHCOMP","features":[422]},{"name":"MM_SPLASH_STUDIOS","features":[422]},{"name":"MM_SSP_SNDFESAUX","features":[422]},{"name":"MM_SSP_SNDFESMIDIIN","features":[422]},{"name":"MM_SSP_SNDFESMIDIOUT","features":[422]},{"name":"MM_SSP_SNDFESMIX","features":[422]},{"name":"MM_SSP_SNDFESSYNTH","features":[422]},{"name":"MM_SSP_SNDFESWAVEIN","features":[422]},{"name":"MM_SSP_SNDFESWAVEOUT","features":[422]},{"name":"MM_STUDER","features":[422]},{"name":"MM_STUDIO_16_AUX","features":[422]},{"name":"MM_STUDIO_16_MIDIIN","features":[422]},{"name":"MM_STUDIO_16_MIDIOUT","features":[422]},{"name":"MM_STUDIO_16_MIXER","features":[422]},{"name":"MM_STUDIO_16_SYNTH","features":[422]},{"name":"MM_STUDIO_16_WAVEIN","features":[422]},{"name":"MM_STUDIO_16_WAVEOUT","features":[422]},{"name":"MM_ST_MICROELECTRONICS","features":[422]},{"name":"MM_SUNCOM","features":[422]},{"name":"MM_SUPERMAC","features":[422]},{"name":"MM_SYDEC_NV","features":[422]},{"name":"MM_SYDEC_NV_WAVEIN","features":[422]},{"name":"MM_SYDEC_NV_WAVEOUT","features":[422]},{"name":"MM_TANDY","features":[422]},{"name":"MM_TANDY_PSSJWAVEIN","features":[422]},{"name":"MM_TANDY_PSSJWAVEOUT","features":[422]},{"name":"MM_TANDY_SENS_MMAMIDIIN","features":[422]},{"name":"MM_TANDY_SENS_MMAMIDIOUT","features":[422]},{"name":"MM_TANDY_SENS_MMAWAVEIN","features":[422]},{"name":"MM_TANDY_SENS_MMAWAVEOUT","features":[422]},{"name":"MM_TANDY_SENS_VISWAVEOUT","features":[422]},{"name":"MM_TANDY_VISBIOSSYNTH","features":[422]},{"name":"MM_TANDY_VISWAVEIN","features":[422]},{"name":"MM_TANDY_VISWAVEOUT","features":[422]},{"name":"MM_TBS_TROPEZ_AUX1","features":[422]},{"name":"MM_TBS_TROPEZ_AUX2","features":[422]},{"name":"MM_TBS_TROPEZ_LINE","features":[422]},{"name":"MM_TBS_TROPEZ_WAVEIN","features":[422]},{"name":"MM_TBS_TROPEZ_WAVEOUT","features":[422]},{"name":"MM_TDK","features":[422]},{"name":"MM_TDK_MW_AUX","features":[422]},{"name":"MM_TDK_MW_AUX_BASS","features":[422]},{"name":"MM_TDK_MW_AUX_CHR","features":[422]},{"name":"MM_TDK_MW_AUX_MASTER","features":[422]},{"name":"MM_TDK_MW_AUX_MIDI_VOL","features":[422]},{"name":"MM_TDK_MW_AUX_RVB","features":[422]},{"name":"MM_TDK_MW_AUX_TREBLE","features":[422]},{"name":"MM_TDK_MW_AUX_VOL","features":[422]},{"name":"MM_TDK_MW_AUX_WAVE_CHR","features":[422]},{"name":"MM_TDK_MW_AUX_WAVE_RVB","features":[422]},{"name":"MM_TDK_MW_AUX_WAVE_VOL","features":[422]},{"name":"MM_TDK_MW_MIDI_IN","features":[422]},{"name":"MM_TDK_MW_MIDI_OUT","features":[422]},{"name":"MM_TDK_MW_MIDI_SYNTH","features":[422]},{"name":"MM_TDK_MW_MIXER","features":[422]},{"name":"MM_TDK_MW_WAVE_IN","features":[422]},{"name":"MM_TDK_MW_WAVE_OUT","features":[422]},{"name":"MM_TELEKOL","features":[422]},{"name":"MM_TELEKOL_WAVEIN","features":[422]},{"name":"MM_TELEKOL_WAVEOUT","features":[422]},{"name":"MM_TERALOGIC","features":[422]},{"name":"MM_TERRATEC","features":[422]},{"name":"MM_THUNDER_AUX","features":[422]},{"name":"MM_THUNDER_SYNTH","features":[422]},{"name":"MM_THUNDER_WAVEIN","features":[422]},{"name":"MM_THUNDER_WAVEOUT","features":[422]},{"name":"MM_TPORT_SYNTH","features":[422]},{"name":"MM_TPORT_WAVEIN","features":[422]},{"name":"MM_TPORT_WAVEOUT","features":[422]},{"name":"MM_TRUEVISION","features":[422]},{"name":"MM_TRUEVISION_WAVEIN1","features":[422]},{"name":"MM_TRUEVISION_WAVEOUT1","features":[422]},{"name":"MM_TTEWS_AUX","features":[422]},{"name":"MM_TTEWS_MIDIIN","features":[422]},{"name":"MM_TTEWS_MIDIMONITOR","features":[422]},{"name":"MM_TTEWS_MIDIOUT","features":[422]},{"name":"MM_TTEWS_MIDISYNTH","features":[422]},{"name":"MM_TTEWS_MIXER","features":[422]},{"name":"MM_TTEWS_VMIDIIN","features":[422]},{"name":"MM_TTEWS_VMIDIOUT","features":[422]},{"name":"MM_TTEWS_WAVEIN","features":[422]},{"name":"MM_TTEWS_WAVEOUT","features":[422]},{"name":"MM_TURTLE_BEACH","features":[422]},{"name":"MM_UHER_INFORMATIC","features":[422]},{"name":"MM_UH_ACM_ADPCM","features":[422]},{"name":"MM_UNISYS","features":[422]},{"name":"MM_UNISYS_ACM_NAP","features":[422]},{"name":"MM_UNMAPPED","features":[422]},{"name":"MM_VAL","features":[422]},{"name":"MM_VAL_MICROKEY_AP_WAVEIN","features":[422]},{"name":"MM_VAL_MICROKEY_AP_WAVEOUT","features":[422]},{"name":"MM_VANKOEVERING","features":[422]},{"name":"MM_VIA","features":[422]},{"name":"MM_VIA_AUX","features":[422]},{"name":"MM_VIA_MIXER","features":[422]},{"name":"MM_VIA_MPU401_MIDIIN","features":[422]},{"name":"MM_VIA_MPU401_MIDIOUT","features":[422]},{"name":"MM_VIA_SWFM_SYNTH","features":[422]},{"name":"MM_VIA_WAVEIN","features":[422]},{"name":"MM_VIA_WAVEOUT","features":[422]},{"name":"MM_VIA_WDM_MIXER","features":[422]},{"name":"MM_VIA_WDM_MPU401_MIDIIN","features":[422]},{"name":"MM_VIA_WDM_MPU401_MIDIOUT","features":[422]},{"name":"MM_VIA_WDM_WAVEIN","features":[422]},{"name":"MM_VIA_WDM_WAVEOUT","features":[422]},{"name":"MM_VIDEOLOGIC","features":[422]},{"name":"MM_VIDEOLOGIC_MSWAVEIN","features":[422]},{"name":"MM_VIDEOLOGIC_MSWAVEOUT","features":[422]},{"name":"MM_VIENNASYS","features":[422]},{"name":"MM_VIENNASYS_TSP_WAVE_DRIVER","features":[422]},{"name":"MM_VIONA","features":[422]},{"name":"MM_VIONAQVINPCI_WAVEOUT","features":[422]},{"name":"MM_VIONA_BUSTER_MIXER","features":[422]},{"name":"MM_VIONA_CINEMASTER_MIXER","features":[422]},{"name":"MM_VIONA_CONCERTO_MIXER","features":[422]},{"name":"MM_VIONA_QVINPCI_MIXER","features":[422]},{"name":"MM_VIONA_QVINPCI_WAVEIN","features":[422]},{"name":"MM_VIRTUALMUSIC","features":[422]},{"name":"MM_VITEC","features":[422]},{"name":"MM_VITEC_VMAKER","features":[422]},{"name":"MM_VITEC_VMPRO","features":[422]},{"name":"MM_VIVO","features":[422]},{"name":"MM_VIVO_AUDIO_CODEC","features":[422]},{"name":"MM_VKC_MPU401_MIDIIN","features":[422]},{"name":"MM_VKC_MPU401_MIDIOUT","features":[422]},{"name":"MM_VKC_SERIAL_MIDIIN","features":[422]},{"name":"MM_VKC_SERIAL_MIDIOUT","features":[422]},{"name":"MM_VOCALTEC","features":[422]},{"name":"MM_VOCALTEC_WAVEIN","features":[422]},{"name":"MM_VOCALTEC_WAVEOUT","features":[422]},{"name":"MM_VOICEINFO","features":[422]},{"name":"MM_VOICEMIXER","features":[422]},{"name":"MM_VOXWARE","features":[422]},{"name":"MM_VOXWARE_CODEC","features":[422]},{"name":"MM_VOYETRA","features":[422]},{"name":"MM_VQST","features":[422]},{"name":"MM_VQST_VQC1","features":[422]},{"name":"MM_VQST_VQC2","features":[422]},{"name":"MM_VTG","features":[422]},{"name":"MM_WANGLABS","features":[422]},{"name":"MM_WANGLABS_WAVEIN1","features":[422]},{"name":"MM_WANGLABS_WAVEOUT1","features":[422]},{"name":"MM_WEITEK","features":[422]},{"name":"MM_WILDCAT","features":[422]},{"name":"MM_WILDCAT_AUTOSCOREMIDIIN","features":[422]},{"name":"MM_WILLOPOND_SNDCOMM_WAVEIN","features":[422]},{"name":"MM_WILLOWPOND","features":[422]},{"name":"MM_WILLOWPOND_FMSYNTH_STEREO","features":[422]},{"name":"MM_WILLOWPOND_GENERIC_AUX","features":[422]},{"name":"MM_WILLOWPOND_GENERIC_MIXER","features":[422]},{"name":"MM_WILLOWPOND_GENERIC_WAVEIN","features":[422]},{"name":"MM_WILLOWPOND_GENERIC_WAVEOUT","features":[422]},{"name":"MM_WILLOWPOND_MPU401","features":[422]},{"name":"MM_WILLOWPOND_PH_AUX","features":[422]},{"name":"MM_WILLOWPOND_PH_MIXER","features":[422]},{"name":"MM_WILLOWPOND_PH_WAVEIN","features":[422]},{"name":"MM_WILLOWPOND_PH_WAVEOUT","features":[422]},{"name":"MM_WILLOWPOND_SNDCOMM_AUX","features":[422]},{"name":"MM_WILLOWPOND_SNDCOMM_MIXER","features":[422]},{"name":"MM_WILLOWPOND_SNDCOMM_WAVEOUT","features":[422]},{"name":"MM_WILLOWPOND_SNDPORT_AUX","features":[422]},{"name":"MM_WILLOWPOND_SNDPORT_MIXER","features":[422]},{"name":"MM_WILLOWPOND_SNDPORT_WAVEIN","features":[422]},{"name":"MM_WILLOWPOND_SNDPORT_WAVEOUT","features":[422]},{"name":"MM_WINBOND","features":[422]},{"name":"MM_WINNOV","features":[422]},{"name":"MM_WINNOV_CAVIAR_CHAMPAGNE","features":[422]},{"name":"MM_WINNOV_CAVIAR_VIDC","features":[422]},{"name":"MM_WINNOV_CAVIAR_WAVEIN","features":[422]},{"name":"MM_WINNOV_CAVIAR_WAVEOUT","features":[422]},{"name":"MM_WINNOV_CAVIAR_YUV8","features":[422]},{"name":"MM_WORKBIT","features":[422]},{"name":"MM_WORKBIT_AUX","features":[422]},{"name":"MM_WORKBIT_FMSYNTH","features":[422]},{"name":"MM_WORKBIT_JOYSTICK","features":[422]},{"name":"MM_WORKBIT_MIDIIN","features":[422]},{"name":"MM_WORKBIT_MIDIOUT","features":[422]},{"name":"MM_WORKBIT_MIXER","features":[422]},{"name":"MM_WORKBIT_WAVEIN","features":[422]},{"name":"MM_WORKBIT_WAVEOUT","features":[422]},{"name":"MM_WSS_SB16_AUX_CD","features":[422]},{"name":"MM_WSS_SB16_AUX_LINE","features":[422]},{"name":"MM_WSS_SB16_MIDIIN","features":[422]},{"name":"MM_WSS_SB16_MIDIOUT","features":[422]},{"name":"MM_WSS_SB16_MIXER","features":[422]},{"name":"MM_WSS_SB16_SYNTH","features":[422]},{"name":"MM_WSS_SB16_WAVEIN","features":[422]},{"name":"MM_WSS_SB16_WAVEOUT","features":[422]},{"name":"MM_WSS_SBPRO_AUX_CD","features":[422]},{"name":"MM_WSS_SBPRO_AUX_LINE","features":[422]},{"name":"MM_WSS_SBPRO_MIDIIN","features":[422]},{"name":"MM_WSS_SBPRO_MIDIOUT","features":[422]},{"name":"MM_WSS_SBPRO_MIXER","features":[422]},{"name":"MM_WSS_SBPRO_SYNTH","features":[422]},{"name":"MM_WSS_SBPRO_WAVEIN","features":[422]},{"name":"MM_WSS_SBPRO_WAVEOUT","features":[422]},{"name":"MM_XEBEC","features":[422]},{"name":"MM_XIRLINK","features":[422]},{"name":"MM_XIRLINK_VISIONLINK","features":[422]},{"name":"MM_XYZ","features":[422]},{"name":"MM_YAMAHA","features":[422]},{"name":"MM_YAMAHA_ACXG_AUX","features":[422]},{"name":"MM_YAMAHA_ACXG_MIDIOUT","features":[422]},{"name":"MM_YAMAHA_ACXG_MIXER","features":[422]},{"name":"MM_YAMAHA_ACXG_WAVEIN","features":[422]},{"name":"MM_YAMAHA_ACXG_WAVEOUT","features":[422]},{"name":"MM_YAMAHA_GSS_AUX","features":[422]},{"name":"MM_YAMAHA_GSS_MIDIIN","features":[422]},{"name":"MM_YAMAHA_GSS_MIDIOUT","features":[422]},{"name":"MM_YAMAHA_GSS_SYNTH","features":[422]},{"name":"MM_YAMAHA_GSS_WAVEIN","features":[422]},{"name":"MM_YAMAHA_GSS_WAVEOUT","features":[422]},{"name":"MM_YAMAHA_OPL3SA_FMSYNTH","features":[422]},{"name":"MM_YAMAHA_OPL3SA_JOYSTICK","features":[422]},{"name":"MM_YAMAHA_OPL3SA_MIDIIN","features":[422]},{"name":"MM_YAMAHA_OPL3SA_MIDIOUT","features":[422]},{"name":"MM_YAMAHA_OPL3SA_MIXER","features":[422]},{"name":"MM_YAMAHA_OPL3SA_WAVEIN","features":[422]},{"name":"MM_YAMAHA_OPL3SA_WAVEOUT","features":[422]},{"name":"MM_YAMAHA_OPL3SA_YSYNTH","features":[422]},{"name":"MM_YAMAHA_SERIAL_MIDIIN","features":[422]},{"name":"MM_YAMAHA_SERIAL_MIDIOUT","features":[422]},{"name":"MM_YAMAHA_SXG_MIDIOUT","features":[422]},{"name":"MM_YAMAHA_SXG_MIXER","features":[422]},{"name":"MM_YAMAHA_SXG_WAVEOUT","features":[422]},{"name":"MM_YAMAHA_YMF724LEG_FMSYNTH","features":[422]},{"name":"MM_YAMAHA_YMF724LEG_MIDIIN","features":[422]},{"name":"MM_YAMAHA_YMF724LEG_MIDIOUT","features":[422]},{"name":"MM_YAMAHA_YMF724LEG_MIXER","features":[422]},{"name":"MM_YAMAHA_YMF724_AUX","features":[422]},{"name":"MM_YAMAHA_YMF724_MIDIOUT","features":[422]},{"name":"MM_YAMAHA_YMF724_MIXER","features":[422]},{"name":"MM_YAMAHA_YMF724_WAVEIN","features":[422]},{"name":"MM_YAMAHA_YMF724_WAVEOUT","features":[422]},{"name":"MM_YOUCOM","features":[422]},{"name":"MM_ZEFIRO","features":[422]},{"name":"MM_ZEFIRO_ZA2","features":[422]},{"name":"MM_ZYXEL","features":[422]},{"name":"MM_ZYXEL_ACM_ADPCM","features":[422]},{"name":"MODM_CACHEDRUMPATCHES","features":[422]},{"name":"MODM_CACHEPATCHES","features":[422]},{"name":"MODM_CLOSE","features":[422]},{"name":"MODM_DATA","features":[422]},{"name":"MODM_GETDEVCAPS","features":[422]},{"name":"MODM_GETNUMDEVS","features":[422]},{"name":"MODM_GETPOS","features":[422]},{"name":"MODM_GETVOLUME","features":[422]},{"name":"MODM_INIT","features":[422]},{"name":"MODM_INIT_EX","features":[422]},{"name":"MODM_LONGDATA","features":[422]},{"name":"MODM_MAPPER","features":[422]},{"name":"MODM_OPEN","features":[422]},{"name":"MODM_PAUSE","features":[422]},{"name":"MODM_PREFERRED","features":[422]},{"name":"MODM_PREPARE","features":[422]},{"name":"MODM_PROPERTIES","features":[422]},{"name":"MODM_RECONFIGURE","features":[422]},{"name":"MODM_RESET","features":[422]},{"name":"MODM_RESTART","features":[422]},{"name":"MODM_SETVOLUME","features":[422]},{"name":"MODM_STOP","features":[422]},{"name":"MODM_STRMDATA","features":[422]},{"name":"MODM_UNPREPARE","features":[422]},{"name":"MODM_USER","features":[422]},{"name":"MPEGLAYER3_ID_CONSTANTFRAMESIZE","features":[422]},{"name":"MPEGLAYER3_ID_MPEG","features":[422]},{"name":"MPEGLAYER3_ID_UNKNOWN","features":[422]},{"name":"MPEGLAYER3_WFX_EXTRA_BYTES","features":[422]},{"name":"MSAUDIO1WAVEFORMAT","features":[423,422]},{"name":"MSAUDIO1_BITS_PER_SAMPLE","features":[422]},{"name":"MSAUDIO1_MAX_CHANNELS","features":[422]},{"name":"MXDM_BASE","features":[422]},{"name":"MXDM_CLOSE","features":[422]},{"name":"MXDM_GETCONTROLDETAILS","features":[422]},{"name":"MXDM_GETDEVCAPS","features":[422]},{"name":"MXDM_GETLINECONTROLS","features":[422]},{"name":"MXDM_GETLINEINFO","features":[422]},{"name":"MXDM_GETNUMDEVS","features":[422]},{"name":"MXDM_INIT","features":[422]},{"name":"MXDM_INIT_EX","features":[422]},{"name":"MXDM_OPEN","features":[422]},{"name":"MXDM_SETCONTROLDETAILS","features":[422]},{"name":"MXDM_USER","features":[422]},{"name":"NMS_VBXADPCMWAVEFORMAT","features":[423,422]},{"name":"NS_DRM_E_MIGRATION_IMAGE_ALREADY_EXISTS","features":[422]},{"name":"NS_DRM_E_MIGRATION_SOURCE_MACHINE_IN_USE","features":[422]},{"name":"NS_DRM_E_MIGRATION_TARGET_MACHINE_LESS_THAN_LH","features":[422]},{"name":"NS_DRM_E_MIGRATION_UPGRADE_WITH_DIFF_SID","features":[422]},{"name":"NS_E_8BIT_WAVE_UNSUPPORTED","features":[422]},{"name":"NS_E_ACTIVE_SG_DEVICE_CONTROL_DISCONNECTED","features":[422]},{"name":"NS_E_ACTIVE_SG_DEVICE_DISCONNECTED","features":[422]},{"name":"NS_E_ADVANCEDEDIT_TOO_MANY_PICTURES","features":[422]},{"name":"NS_E_ALLOCATE_FILE_FAIL","features":[422]},{"name":"NS_E_ALL_PROTOCOLS_DISABLED","features":[422]},{"name":"NS_E_ALREADY_CONNECTED","features":[422]},{"name":"NS_E_ANALOG_VIDEO_PROTECTION_LEVEL_UNSUPPORTED","features":[422]},{"name":"NS_E_ARCHIVE_ABORT_DUE_TO_BCAST","features":[422]},{"name":"NS_E_ARCHIVE_FILENAME_NOTSET","features":[422]},{"name":"NS_E_ARCHIVE_GAP_DETECTED","features":[422]},{"name":"NS_E_ARCHIVE_REACH_QUOTA","features":[422]},{"name":"NS_E_ARCHIVE_SAME_AS_INPUT","features":[422]},{"name":"NS_E_ASSERT","features":[422]},{"name":"NS_E_ASX_INVALIDFORMAT","features":[422]},{"name":"NS_E_ASX_INVALIDVERSION","features":[422]},{"name":"NS_E_ASX_INVALID_REPEAT_BLOCK","features":[422]},{"name":"NS_E_ASX_NOTHING_TO_WRITE","features":[422]},{"name":"NS_E_ATTRIBUTE_NOT_ALLOWED","features":[422]},{"name":"NS_E_ATTRIBUTE_READ_ONLY","features":[422]},{"name":"NS_E_AUDIENCE_CONTENTTYPE_MISMATCH","features":[422]},{"name":"NS_E_AUDIENCE__LANGUAGE_CONTENTTYPE_MISMATCH","features":[422]},{"name":"NS_E_AUDIODEVICE_BADFORMAT","features":[422]},{"name":"NS_E_AUDIODEVICE_BUSY","features":[422]},{"name":"NS_E_AUDIODEVICE_UNEXPECTED","features":[422]},{"name":"NS_E_AUDIO_BITRATE_STEPDOWN","features":[422]},{"name":"NS_E_AUDIO_CODEC_ERROR","features":[422]},{"name":"NS_E_AUDIO_CODEC_NOT_INSTALLED","features":[422]},{"name":"NS_E_AUTHORIZATION_FILE_NOT_FOUND","features":[422]},{"name":"NS_E_BACKUP_RESTORE_BAD_DATA","features":[422]},{"name":"NS_E_BACKUP_RESTORE_BAD_REQUEST_ID","features":[422]},{"name":"NS_E_BACKUP_RESTORE_FAILURE","features":[422]},{"name":"NS_E_BACKUP_RESTORE_TOO_MANY_RESETS","features":[422]},{"name":"NS_E_BAD_ADAPTER_ADDRESS","features":[422]},{"name":"NS_E_BAD_ADAPTER_NAME","features":[422]},{"name":"NS_E_BAD_BLOCK0_VERSION","features":[422]},{"name":"NS_E_BAD_CONTENTEDL","features":[422]},{"name":"NS_E_BAD_CONTROL_DATA","features":[422]},{"name":"NS_E_BAD_CUB_UID","features":[422]},{"name":"NS_E_BAD_DELIVERY_MODE","features":[422]},{"name":"NS_E_BAD_DISK_UID","features":[422]},{"name":"NS_E_BAD_FSMAJOR_VERSION","features":[422]},{"name":"NS_E_BAD_MARKIN","features":[422]},{"name":"NS_E_BAD_MARKOUT","features":[422]},{"name":"NS_E_BAD_MULTICAST_ADDRESS","features":[422]},{"name":"NS_E_BAD_REQUEST","features":[422]},{"name":"NS_E_BAD_STAMPNUMBER","features":[422]},{"name":"NS_E_BAD_SYNTAX_IN_SERVER_RESPONSE","features":[422]},{"name":"NS_E_BKGDOWNLOAD_CALLFUNCENDED","features":[422]},{"name":"NS_E_BKGDOWNLOAD_CALLFUNCFAILED","features":[422]},{"name":"NS_E_BKGDOWNLOAD_CALLFUNCTIMEOUT","features":[422]},{"name":"NS_E_BKGDOWNLOAD_CANCELCOMPLETEDJOB","features":[422]},{"name":"NS_E_BKGDOWNLOAD_COMPLETECANCELLEDJOB","features":[422]},{"name":"NS_E_BKGDOWNLOAD_FAILEDINITIALIZE","features":[422]},{"name":"NS_E_BKGDOWNLOAD_FAILED_TO_CREATE_TEMPFILE","features":[422]},{"name":"NS_E_BKGDOWNLOAD_INVALIDJOBSIGNATURE","features":[422]},{"name":"NS_E_BKGDOWNLOAD_INVALID_FILE_NAME","features":[422]},{"name":"NS_E_BKGDOWNLOAD_NOJOBPOINTER","features":[422]},{"name":"NS_E_BKGDOWNLOAD_PLUGIN_FAILEDINITIALIZE","features":[422]},{"name":"NS_E_BKGDOWNLOAD_PLUGIN_FAILEDTOMOVEFILE","features":[422]},{"name":"NS_E_BKGDOWNLOAD_WMDUNPACKFAILED","features":[422]},{"name":"NS_E_BKGDOWNLOAD_WRONG_NO_FILES","features":[422]},{"name":"NS_E_BUSY","features":[422]},{"name":"NS_E_CACHE_ARCHIVE_CONFLICT","features":[422]},{"name":"NS_E_CACHE_CANNOT_BE_CACHED","features":[422]},{"name":"NS_E_CACHE_NOT_BROADCAST","features":[422]},{"name":"NS_E_CACHE_NOT_MODIFIED","features":[422]},{"name":"NS_E_CACHE_ORIGIN_SERVER_NOT_FOUND","features":[422]},{"name":"NS_E_CACHE_ORIGIN_SERVER_TIMEOUT","features":[422]},{"name":"NS_E_CANNOTCONNECT","features":[422]},{"name":"NS_E_CANNOTCONNECTEVENTS","features":[422]},{"name":"NS_E_CANNOTDESTROYTITLE","features":[422]},{"name":"NS_E_CANNOTOFFLINEDISK","features":[422]},{"name":"NS_E_CANNOTONLINEDISK","features":[422]},{"name":"NS_E_CANNOTRENAMETITLE","features":[422]},{"name":"NS_E_CANNOT_BUY_OR_DOWNLOAD_CONTENT","features":[422]},{"name":"NS_E_CANNOT_BUY_OR_DOWNLOAD_FROM_MULTIPLE_SERVICES","features":[422]},{"name":"NS_E_CANNOT_CONNECT_TO_PROXY","features":[422]},{"name":"NS_E_CANNOT_DELETE_ACTIVE_SOURCEGROUP","features":[422]},{"name":"NS_E_CANNOT_GENERATE_BROADCAST_INFO_FOR_QUALITYVBR","features":[422]},{"name":"NS_E_CANNOT_PAUSE_LIVEBROADCAST","features":[422]},{"name":"NS_E_CANNOT_READ_PLAYLIST_FROM_MEDIASERVER","features":[422]},{"name":"NS_E_CANNOT_REMOVE_PLUGIN","features":[422]},{"name":"NS_E_CANNOT_REMOVE_PUBLISHING_POINT","features":[422]},{"name":"NS_E_CANNOT_SYNC_DRM_TO_NON_JANUS_DEVICE","features":[422]},{"name":"NS_E_CANNOT_SYNC_PREVIOUS_SYNC_RUNNING","features":[422]},{"name":"NS_E_CANT_READ_DIGITAL","features":[422]},{"name":"NS_E_CCLINK_DOWN","features":[422]},{"name":"NS_E_CD_COPYTO_CD","features":[422]},{"name":"NS_E_CD_DRIVER_PROBLEM","features":[422]},{"name":"NS_E_CD_EMPTY_TRACK_QUEUE","features":[422]},{"name":"NS_E_CD_ISRC_INVALID","features":[422]},{"name":"NS_E_CD_MEDIA_CATALOG_NUMBER_INVALID","features":[422]},{"name":"NS_E_CD_NO_BUFFERS_READ","features":[422]},{"name":"NS_E_CD_NO_READER","features":[422]},{"name":"NS_E_CD_QUEUEING_DISABLED","features":[422]},{"name":"NS_E_CD_READ_ERROR","features":[422]},{"name":"NS_E_CD_READ_ERROR_NO_CORRECTION","features":[422]},{"name":"NS_E_CD_REFRESH","features":[422]},{"name":"NS_E_CD_SLOW_COPY","features":[422]},{"name":"NS_E_CD_SPEEDDETECT_NOT_ENOUGH_READS","features":[422]},{"name":"NS_E_CHANGING_PROXYBYPASS","features":[422]},{"name":"NS_E_CHANGING_PROXY_EXCEPTIONLIST","features":[422]},{"name":"NS_E_CHANGING_PROXY_NAME","features":[422]},{"name":"NS_E_CHANGING_PROXY_PORT","features":[422]},{"name":"NS_E_CHANGING_PROXY_PROTOCOL_NOT_FOUND","features":[422]},{"name":"NS_E_CLOSED_ON_SUSPEND","features":[422]},{"name":"NS_E_CODEC_DMO_ERROR","features":[422]},{"name":"NS_E_CODEC_UNAVAILABLE","features":[422]},{"name":"NS_E_COMPRESSED_DIGITAL_AUDIO_PROTECTION_LEVEL_UNSUPPORTED","features":[422]},{"name":"NS_E_COMPRESSED_DIGITAL_VIDEO_PROTECTION_LEVEL_UNSUPPORTED","features":[422]},{"name":"NS_E_CONNECTION_FAILURE","features":[422]},{"name":"NS_E_CONNECT_TIMEOUT","features":[422]},{"name":"NS_E_CONTENT_PARTNER_STILL_INITIALIZING","features":[422]},{"name":"NS_E_CORECD_NOTAMEDIACD","features":[422]},{"name":"NS_E_CRITICAL_ERROR","features":[422]},{"name":"NS_E_CUB_FAIL","features":[422]},{"name":"NS_E_CUB_FAIL_LINK","features":[422]},{"name":"NS_E_CURLHELPER_NOTADIRECTORY","features":[422]},{"name":"NS_E_CURLHELPER_NOTAFILE","features":[422]},{"name":"NS_E_CURLHELPER_NOTRELATIVE","features":[422]},{"name":"NS_E_CURL_CANTDECODE","features":[422]},{"name":"NS_E_CURL_CANTWALK","features":[422]},{"name":"NS_E_CURL_INVALIDBUFFERSIZE","features":[422]},{"name":"NS_E_CURL_INVALIDCHAR","features":[422]},{"name":"NS_E_CURL_INVALIDHOSTNAME","features":[422]},{"name":"NS_E_CURL_INVALIDPATH","features":[422]},{"name":"NS_E_CURL_INVALIDPORT","features":[422]},{"name":"NS_E_CURL_INVALIDSCHEME","features":[422]},{"name":"NS_E_CURL_INVALIDURL","features":[422]},{"name":"NS_E_CURL_NOTSAFE","features":[422]},{"name":"NS_E_DAMAGED_FILE","features":[422]},{"name":"NS_E_DATAPATH_NO_SINK","features":[422]},{"name":"NS_E_DATA_SOURCE_ENUMERATION_NOT_SUPPORTED","features":[422]},{"name":"NS_E_DATA_UNIT_EXTENSION_TOO_LARGE","features":[422]},{"name":"NS_E_DDRAW_GENERIC","features":[422]},{"name":"NS_E_DEVCONTROL_FAILED_SEEK","features":[422]},{"name":"NS_E_DEVICECONTROL_UNSTABLE","features":[422]},{"name":"NS_E_DEVICE_DISCONNECTED","features":[422]},{"name":"NS_E_DEVICE_IS_NOT_READY","features":[422]},{"name":"NS_E_DEVICE_NOT_READY","features":[422]},{"name":"NS_E_DEVICE_NOT_SUPPORT_FORMAT","features":[422]},{"name":"NS_E_DEVICE_NOT_WMDRM_DEVICE","features":[422]},{"name":"NS_E_DISK_FAIL","features":[422]},{"name":"NS_E_DISK_READ","features":[422]},{"name":"NS_E_DISK_WRITE","features":[422]},{"name":"NS_E_DISPLAY_MODE_CHANGE_FAILED","features":[422]},{"name":"NS_E_DRMPROFILE_NOTFOUND","features":[422]},{"name":"NS_E_DRM_ACQUIRING_LICENSE","features":[422]},{"name":"NS_E_DRM_ACTION_NOT_QUERIED","features":[422]},{"name":"NS_E_DRM_ALREADY_INDIVIDUALIZED","features":[422]},{"name":"NS_E_DRM_APPCERT_REVOKED","features":[422]},{"name":"NS_E_DRM_ATTRIBUTE_TOO_LONG","features":[422]},{"name":"NS_E_DRM_BACKUPRESTORE_BUSY","features":[422]},{"name":"NS_E_DRM_BACKUP_CORRUPT","features":[422]},{"name":"NS_E_DRM_BACKUP_EXISTS","features":[422]},{"name":"NS_E_DRM_BAD_REQUEST","features":[422]},{"name":"NS_E_DRM_BB_UNABLE_TO_INITIALIZE","features":[422]},{"name":"NS_E_DRM_BUFFER_TOO_SMALL","features":[422]},{"name":"NS_E_DRM_BUSY","features":[422]},{"name":"NS_E_DRM_CACHED_CONTENT_ERROR","features":[422]},{"name":"NS_E_DRM_CERTIFICATE_REVOKED","features":[422]},{"name":"NS_E_DRM_CERTIFICATE_SECURITY_LEVEL_INADEQUATE","features":[422]},{"name":"NS_E_DRM_CHAIN_TOO_LONG","features":[422]},{"name":"NS_E_DRM_CHECKPOINT_CORRUPT","features":[422]},{"name":"NS_E_DRM_CHECKPOINT_FAILED","features":[422]},{"name":"NS_E_DRM_CHECKPOINT_MISMATCH","features":[422]},{"name":"NS_E_DRM_CLIENT_CODE_EXPIRED","features":[422]},{"name":"NS_E_DRM_DATASTORE_CORRUPT","features":[422]},{"name":"NS_E_DRM_DEBUGGING_NOT_ALLOWED","features":[422]},{"name":"NS_E_DRM_DECRYPT_ERROR","features":[422]},{"name":"NS_E_DRM_DEVICE_ACTIVATION_CANCELED","features":[422]},{"name":"NS_E_DRM_DEVICE_ALREADY_REGISTERED","features":[422]},{"name":"NS_E_DRM_DEVICE_LIMIT_REACHED","features":[422]},{"name":"NS_E_DRM_DEVICE_NOT_OPEN","features":[422]},{"name":"NS_E_DRM_DEVICE_NOT_REGISTERED","features":[422]},{"name":"NS_E_DRM_DRIVER_AUTH_FAILURE","features":[422]},{"name":"NS_E_DRM_DRIVER_DIGIOUT_FAILURE","features":[422]},{"name":"NS_E_DRM_DRMV2CLT_REVOKED","features":[422]},{"name":"NS_E_DRM_ENCRYPT_ERROR","features":[422]},{"name":"NS_E_DRM_ENUM_LICENSE_FAILED","features":[422]},{"name":"NS_E_DRM_ERROR_BAD_NET_RESP","features":[422]},{"name":"NS_E_DRM_EXPIRED_LICENSEBLOB","features":[422]},{"name":"NS_E_DRM_GET_CONTENTSTRING_ERROR","features":[422]},{"name":"NS_E_DRM_GET_LICENSESTRING_ERROR","features":[422]},{"name":"NS_E_DRM_GET_LICENSE_ERROR","features":[422]},{"name":"NS_E_DRM_HARDWAREID_MISMATCH","features":[422]},{"name":"NS_E_DRM_HARDWARE_INCONSISTENT","features":[422]},{"name":"NS_E_DRM_INCLUSION_LIST_REQUIRED","features":[422]},{"name":"NS_E_DRM_INDIVIDUALIZATION_INCOMPLETE","features":[422]},{"name":"NS_E_DRM_INDIVIDUALIZE_ERROR","features":[422]},{"name":"NS_E_DRM_INDIVIDUALIZING","features":[422]},{"name":"NS_E_DRM_INDIV_FRAUD","features":[422]},{"name":"NS_E_DRM_INDIV_NO_CABS","features":[422]},{"name":"NS_E_DRM_INDIV_SERVICE_UNAVAILABLE","features":[422]},{"name":"NS_E_DRM_INVALID_APPCERT","features":[422]},{"name":"NS_E_DRM_INVALID_APPDATA","features":[422]},{"name":"NS_E_DRM_INVALID_APPDATA_VERSION","features":[422]},{"name":"NS_E_DRM_INVALID_APPLICATION","features":[422]},{"name":"NS_E_DRM_INVALID_CERTIFICATE","features":[422]},{"name":"NS_E_DRM_INVALID_CONTENT","features":[422]},{"name":"NS_E_DRM_INVALID_CRL","features":[422]},{"name":"NS_E_DRM_INVALID_DATA","features":[422]},{"name":"NS_E_DRM_INVALID_KID","features":[422]},{"name":"NS_E_DRM_INVALID_LICENSE","features":[422]},{"name":"NS_E_DRM_INVALID_LICENSEBLOB","features":[422]},{"name":"NS_E_DRM_INVALID_LICENSE_ACQUIRED","features":[422]},{"name":"NS_E_DRM_INVALID_LICENSE_REQUEST","features":[422]},{"name":"NS_E_DRM_INVALID_MACHINE","features":[422]},{"name":"NS_E_DRM_INVALID_MIGRATION_IMAGE","features":[422]},{"name":"NS_E_DRM_INVALID_PROPERTY","features":[422]},{"name":"NS_E_DRM_INVALID_PROXIMITY_RESPONSE","features":[422]},{"name":"NS_E_DRM_INVALID_SECURESTORE_PASSWORD","features":[422]},{"name":"NS_E_DRM_INVALID_SESSION","features":[422]},{"name":"NS_E_DRM_KEY_ERROR","features":[422]},{"name":"NS_E_DRM_LICENSE_APPSECLOW","features":[422]},{"name":"NS_E_DRM_LICENSE_APP_NOTALLOWED","features":[422]},{"name":"NS_E_DRM_LICENSE_CERT_EXPIRED","features":[422]},{"name":"NS_E_DRM_LICENSE_CLOSE_ERROR","features":[422]},{"name":"NS_E_DRM_LICENSE_CONTENT_REVOKED","features":[422]},{"name":"NS_E_DRM_LICENSE_DELETION_ERROR","features":[422]},{"name":"NS_E_DRM_LICENSE_EXPIRED","features":[422]},{"name":"NS_E_DRM_LICENSE_INITIALIZATION_ERROR","features":[422]},{"name":"NS_E_DRM_LICENSE_INVALID_XML","features":[422]},{"name":"NS_E_DRM_LICENSE_NOSAP","features":[422]},{"name":"NS_E_DRM_LICENSE_NOSVP","features":[422]},{"name":"NS_E_DRM_LICENSE_NOTACQUIRED","features":[422]},{"name":"NS_E_DRM_LICENSE_NOTENABLED","features":[422]},{"name":"NS_E_DRM_LICENSE_NOTRUSTEDCODEC","features":[422]},{"name":"NS_E_DRM_LICENSE_NOWDM","features":[422]},{"name":"NS_E_DRM_LICENSE_OPEN_ERROR","features":[422]},{"name":"NS_E_DRM_LICENSE_SECLOW","features":[422]},{"name":"NS_E_DRM_LICENSE_SERVER_INFO_MISSING","features":[422]},{"name":"NS_E_DRM_LICENSE_STORE_ERROR","features":[422]},{"name":"NS_E_DRM_LICENSE_STORE_SAVE_ERROR","features":[422]},{"name":"NS_E_DRM_LICENSE_UNAVAILABLE","features":[422]},{"name":"NS_E_DRM_LICENSE_UNUSABLE","features":[422]},{"name":"NS_E_DRM_LIC_NEEDS_DEVICE_CLOCK_SET","features":[422]},{"name":"NS_E_DRM_MALFORMED_CONTENT_HEADER","features":[422]},{"name":"NS_E_DRM_MIGRATION_IMPORTER_NOT_AVAILABLE","features":[422]},{"name":"NS_E_DRM_MIGRATION_INVALID_LEGACYV2_DATA","features":[422]},{"name":"NS_E_DRM_MIGRATION_INVALID_LEGACYV2_SST_PASSWORD","features":[422]},{"name":"NS_E_DRM_MIGRATION_LICENSE_ALREADY_EXISTS","features":[422]},{"name":"NS_E_DRM_MIGRATION_NOT_SUPPORTED","features":[422]},{"name":"NS_E_DRM_MIGRATION_OBJECT_IN_USE","features":[422]},{"name":"NS_E_DRM_MIGRATION_OPERATION_CANCELLED","features":[422]},{"name":"NS_E_DRM_MIGRATION_TARGET_NOT_ONLINE","features":[422]},{"name":"NS_E_DRM_MIGRATION_TARGET_STATES_CORRUPTED","features":[422]},{"name":"NS_E_DRM_MONITOR_ERROR","features":[422]},{"name":"NS_E_DRM_MUST_APPROVE","features":[422]},{"name":"NS_E_DRM_MUST_REGISTER","features":[422]},{"name":"NS_E_DRM_MUST_REVALIDATE","features":[422]},{"name":"NS_E_DRM_NEEDS_INDIVIDUALIZATION","features":[422]},{"name":"NS_E_DRM_NEEDS_UPGRADE_TEMPFILE","features":[422]},{"name":"NS_E_DRM_NEED_UPGRADE_MSSAP","features":[422]},{"name":"NS_E_DRM_NEED_UPGRADE_PD","features":[422]},{"name":"NS_E_DRM_NOT_CONFIGURED","features":[422]},{"name":"NS_E_DRM_NO_RIGHTS","features":[422]},{"name":"NS_E_DRM_NO_UPLINK_LICENSE","features":[422]},{"name":"NS_E_DRM_OPERATION_CANCELED","features":[422]},{"name":"NS_E_DRM_PARAMETERS_MISMATCHED","features":[422]},{"name":"NS_E_DRM_PASSWORD_TOO_LONG","features":[422]},{"name":"NS_E_DRM_PD_TOO_MANY_DEVICES","features":[422]},{"name":"NS_E_DRM_POLICY_DISABLE_ONLINE","features":[422]},{"name":"NS_E_DRM_POLICY_METERING_DISABLED","features":[422]},{"name":"NS_E_DRM_PROFILE_NOT_SET","features":[422]},{"name":"NS_E_DRM_PROTOCOL_FORCEFUL_TERMINATION_ON_CHALLENGE","features":[422]},{"name":"NS_E_DRM_PROTOCOL_FORCEFUL_TERMINATION_ON_PETITION","features":[422]},{"name":"NS_E_DRM_QUERY_ERROR","features":[422]},{"name":"NS_E_DRM_REOPEN_CONTENT","features":[422]},{"name":"NS_E_DRM_REPORT_ERROR","features":[422]},{"name":"NS_E_DRM_RESTORE_FRAUD","features":[422]},{"name":"NS_E_DRM_RESTORE_SERVICE_UNAVAILABLE","features":[422]},{"name":"NS_E_DRM_RESTRICTIONS_NOT_RETRIEVED","features":[422]},{"name":"NS_E_DRM_RIV_TOO_SMALL","features":[422]},{"name":"NS_E_DRM_SDK_VERSIONMISMATCH","features":[422]},{"name":"NS_E_DRM_SDMI_NOMORECOPIES","features":[422]},{"name":"NS_E_DRM_SDMI_TRIGGER","features":[422]},{"name":"NS_E_DRM_SECURE_STORE_ERROR","features":[422]},{"name":"NS_E_DRM_SECURE_STORE_NOT_FOUND","features":[422]},{"name":"NS_E_DRM_SECURE_STORE_UNLOCK_ERROR","features":[422]},{"name":"NS_E_DRM_SECURITY_COMPONENT_SIGNATURE_INVALID","features":[422]},{"name":"NS_E_DRM_SIGNATURE_FAILURE","features":[422]},{"name":"NS_E_DRM_SOURCEID_NOT_SUPPORTED","features":[422]},{"name":"NS_E_DRM_STORE_NEEDINDI","features":[422]},{"name":"NS_E_DRM_STORE_NOTALLOWED","features":[422]},{"name":"NS_E_DRM_STORE_NOTALLSTORED","features":[422]},{"name":"NS_E_DRM_STUBLIB_REQUIRED","features":[422]},{"name":"NS_E_DRM_TRACK_EXCEEDED_PLAYLIST_RESTICTION","features":[422]},{"name":"NS_E_DRM_TRACK_EXCEEDED_TRACKBURN_RESTRICTION","features":[422]},{"name":"NS_E_DRM_TRANSFER_CHAINED_LICENSES_UNSUPPORTED","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_ACQUIRE_LICENSE","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_AUTHENTICATION_OBJECT","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_BACKUP_OBJECT","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_CERTIFICATE_OBJECT","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_CODING_OBJECT","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_DECRYPT_OBJECT","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_DEVICE_REGISTRATION_OBJECT","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_ENCRYPT_OBJECT","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_HEADER_OBJECT","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_INDI_OBJECT","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_INMEMORYSTORE_OBJECT","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_KEYS_OBJECT","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_LICENSE_OBJECT","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_METERING_OBJECT","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_MIGRATION_IMPORTER_OBJECT","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_PLAYLIST_BURN_OBJECT","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_PLAYLIST_OBJECT","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_PROPERTIES_OBJECT","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_CREATE_STATE_DATA_OBJECT","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_GET_DEVICE_CERT","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_GET_SECURE_CLOCK","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_GET_SECURE_CLOCK_FROM_SERVER","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_INITIALIZE","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_LOAD_HARDWARE_ID","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_OPEN_DATA_STORE","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_OPEN_LICENSE","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_OPEN_PORT","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_SET_PARAMETER","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_SET_SECURE_CLOCK","features":[422]},{"name":"NS_E_DRM_UNABLE_TO_VERIFY_PROXIMITY","features":[422]},{"name":"NS_E_DRM_UNSUPPORTED_ACTION","features":[422]},{"name":"NS_E_DRM_UNSUPPORTED_ALGORITHM","features":[422]},{"name":"NS_E_DRM_UNSUPPORTED_PROPERTY","features":[422]},{"name":"NS_E_DRM_UNSUPPORTED_PROTOCOL_VERSION","features":[422]},{"name":"NS_E_DUPLICATE_ADDRESS","features":[422]},{"name":"NS_E_DUPLICATE_DRMPROFILE","features":[422]},{"name":"NS_E_DUPLICATE_NAME","features":[422]},{"name":"NS_E_DUPLICATE_PACKET","features":[422]},{"name":"NS_E_DVD_AUTHORING_PROBLEM","features":[422]},{"name":"NS_E_DVD_CANNOT_COPY_PROTECTED","features":[422]},{"name":"NS_E_DVD_CANNOT_JUMP","features":[422]},{"name":"NS_E_DVD_COMPATIBLE_VIDEO_CARD","features":[422]},{"name":"NS_E_DVD_COPY_PROTECT","features":[422]},{"name":"NS_E_DVD_DEVICE_CONTENTION","features":[422]},{"name":"NS_E_DVD_DISC_COPY_PROTECT_OUTPUT_FAILED","features":[422]},{"name":"NS_E_DVD_DISC_COPY_PROTECT_OUTPUT_NS","features":[422]},{"name":"NS_E_DVD_DISC_DECODER_REGION","features":[422]},{"name":"NS_E_DVD_GRAPH_BUILDING","features":[422]},{"name":"NS_E_DVD_INVALID_DISC_REGION","features":[422]},{"name":"NS_E_DVD_INVALID_TITLE_CHAPTER","features":[422]},{"name":"NS_E_DVD_MACROVISION","features":[422]},{"name":"NS_E_DVD_NO_AUDIO_STREAM","features":[422]},{"name":"NS_E_DVD_NO_DECODER","features":[422]},{"name":"NS_E_DVD_NO_SUBPICTURE_STREAM","features":[422]},{"name":"NS_E_DVD_NO_VIDEO_MEMORY","features":[422]},{"name":"NS_E_DVD_NO_VIDEO_STREAM","features":[422]},{"name":"NS_E_DVD_PARENTAL","features":[422]},{"name":"NS_E_DVD_REQUIRED_PROPERTY_NOT_SET","features":[422]},{"name":"NS_E_DVD_SYSTEM_DECODER_REGION","features":[422]},{"name":"NS_E_EDL_REQUIRED_FOR_DEVICE_MULTIPASS","features":[422]},{"name":"NS_E_EMPTY_PLAYLIST","features":[422]},{"name":"NS_E_EMPTY_PROGRAM_NAME","features":[422]},{"name":"NS_E_ENACTPLAN_GIVEUP","features":[422]},{"name":"NS_E_END_OF_PLAYLIST","features":[422]},{"name":"NS_E_END_OF_TAPE","features":[422]},{"name":"NS_E_ERROR_FROM_PROXY","features":[422]},{"name":"NS_E_EXCEED_MAX_DRM_PROFILE_LIMIT","features":[422]},{"name":"NS_E_EXPECT_MONO_WAV_INPUT","features":[422]},{"name":"NS_E_FAILED_DOWNLOAD_ABORT_BURN","features":[422]},{"name":"NS_E_FAIL_LAUNCH_ROXIO_PLUGIN","features":[422]},{"name":"NS_E_FEATURE_DISABLED_BY_GROUP_POLICY","features":[422]},{"name":"NS_E_FEATURE_DISABLED_IN_SKU","features":[422]},{"name":"NS_E_FEATURE_REQUIRES_ENTERPRISE_SERVER","features":[422]},{"name":"NS_E_FILE_ALLOCATION_FAILED","features":[422]},{"name":"NS_E_FILE_BANDWIDTH_LIMIT","features":[422]},{"name":"NS_E_FILE_EXISTS","features":[422]},{"name":"NS_E_FILE_FAILED_CHECKS","features":[422]},{"name":"NS_E_FILE_INIT_FAILED","features":[422]},{"name":"NS_E_FILE_NOT_FOUND","features":[422]},{"name":"NS_E_FILE_OPEN_FAILED","features":[422]},{"name":"NS_E_FILE_PLAY_FAILED","features":[422]},{"name":"NS_E_FILE_READ","features":[422]},{"name":"NS_E_FILE_WRITE","features":[422]},{"name":"NS_E_FIREWALL","features":[422]},{"name":"NS_E_FLASH_PLAYBACK_NOT_ALLOWED","features":[422]},{"name":"NS_E_GLITCH_MODE","features":[422]},{"name":"NS_E_GRAPH_NOAUDIOLANGUAGE","features":[422]},{"name":"NS_E_GRAPH_NOAUDIOLANGUAGESELECTED","features":[422]},{"name":"NS_E_HDS_KEY_MISMATCH","features":[422]},{"name":"NS_E_HEADER_MISMATCH","features":[422]},{"name":"NS_E_HTTP_DISABLED","features":[422]},{"name":"NS_E_HTTP_TEXT_DATACONTAINER_INVALID_SERVER_RESPONSE","features":[422]},{"name":"NS_E_HTTP_TEXT_DATACONTAINER_SIZE_LIMIT_EXCEEDED","features":[422]},{"name":"NS_E_ICMQUERYFORMAT","features":[422]},{"name":"NS_E_IE_DISALLOWS_ACTIVEX_CONTROLS","features":[422]},{"name":"NS_E_IMAGE_DOWNLOAD_FAILED","features":[422]},{"name":"NS_E_IMAPI_LOSSOFSTREAMING","features":[422]},{"name":"NS_E_IMAPI_MEDIUM_INVALIDTYPE","features":[422]},{"name":"NS_E_INCOMPATIBLE_FORMAT","features":[422]},{"name":"NS_E_INCOMPATIBLE_PUSH_SERVER","features":[422]},{"name":"NS_E_INCOMPATIBLE_SERVER","features":[422]},{"name":"NS_E_INCOMPATIBLE_VERSION","features":[422]},{"name":"NS_E_INCOMPLETE_PLAYLIST","features":[422]},{"name":"NS_E_INCORRECTCLIPSETTINGS","features":[422]},{"name":"NS_E_INDUCED","features":[422]},{"name":"NS_E_INPUTSOURCE_PROBLEM","features":[422]},{"name":"NS_E_INPUT_DOESNOT_SUPPORT_SMPTE","features":[422]},{"name":"NS_E_INPUT_WAVFORMAT_MISMATCH","features":[422]},{"name":"NS_E_INSUFFICIENT_BANDWIDTH","features":[422]},{"name":"NS_E_INSUFFICIENT_DATA","features":[422]},{"name":"NS_E_INTERFACE_NOT_REGISTERED_IN_GIT","features":[422]},{"name":"NS_E_INTERLACEMODE_MISMATCH","features":[422]},{"name":"NS_E_INTERLACE_REQUIRE_SAMESIZE","features":[422]},{"name":"NS_E_INTERNAL","features":[422]},{"name":"NS_E_INTERNAL_SERVER_ERROR","features":[422]},{"name":"NS_E_INVALIDCALL_WHILE_ARCHIVAL_RUNNING","features":[422]},{"name":"NS_E_INVALIDCALL_WHILE_ENCODER_RUNNING","features":[422]},{"name":"NS_E_INVALIDCALL_WHILE_ENCODER_STOPPED","features":[422]},{"name":"NS_E_INVALIDINPUTFPS","features":[422]},{"name":"NS_E_INVALIDPACKETSIZE","features":[422]},{"name":"NS_E_INVALIDPROFILE","features":[422]},{"name":"NS_E_INVALID_ARCHIVE","features":[422]},{"name":"NS_E_INVALID_AUDIO_BUFFERMAX","features":[422]},{"name":"NS_E_INVALID_AUDIO_PEAKRATE","features":[422]},{"name":"NS_E_INVALID_AUDIO_PEAKRATE_2","features":[422]},{"name":"NS_E_INVALID_BLACKHOLE_ADDRESS","features":[422]},{"name":"NS_E_INVALID_CHANNEL","features":[422]},{"name":"NS_E_INVALID_CLIENT","features":[422]},{"name":"NS_E_INVALID_DATA","features":[422]},{"name":"NS_E_INVALID_DEVICE","features":[422]},{"name":"NS_E_INVALID_DRMV2CLT_STUBLIB","features":[422]},{"name":"NS_E_INVALID_EDL","features":[422]},{"name":"NS_E_INVALID_FILE_BITRATE","features":[422]},{"name":"NS_E_INVALID_FOLDDOWN_COEFFICIENTS","features":[422]},{"name":"NS_E_INVALID_INDEX","features":[422]},{"name":"NS_E_INVALID_INDEX2","features":[422]},{"name":"NS_E_INVALID_INPUT_AUDIENCE_INDEX","features":[422]},{"name":"NS_E_INVALID_INPUT_FORMAT","features":[422]},{"name":"NS_E_INVALID_INPUT_LANGUAGE","features":[422]},{"name":"NS_E_INVALID_INPUT_STREAM","features":[422]},{"name":"NS_E_INVALID_INTERLACEMODE","features":[422]},{"name":"NS_E_INVALID_INTERLACE_COMPAT","features":[422]},{"name":"NS_E_INVALID_KEY","features":[422]},{"name":"NS_E_INVALID_LOG_URL","features":[422]},{"name":"NS_E_INVALID_MTU_RANGE","features":[422]},{"name":"NS_E_INVALID_NAME","features":[422]},{"name":"NS_E_INVALID_NONSQUAREPIXEL_COMPAT","features":[422]},{"name":"NS_E_INVALID_NUM_PASSES","features":[422]},{"name":"NS_E_INVALID_OPERATING_SYSTEM_VERSION","features":[422]},{"name":"NS_E_INVALID_OUTPUT_FORMAT","features":[422]},{"name":"NS_E_INVALID_PIXEL_ASPECT_RATIO","features":[422]},{"name":"NS_E_INVALID_PLAY_STATISTICS","features":[422]},{"name":"NS_E_INVALID_PLUGIN_LOAD_TYPE_CONFIGURATION","features":[422]},{"name":"NS_E_INVALID_PORT","features":[422]},{"name":"NS_E_INVALID_PROFILE_CONTENTTYPE","features":[422]},{"name":"NS_E_INVALID_PUBLISHING_POINT_NAME","features":[422]},{"name":"NS_E_INVALID_PUSH_PUBLISHING_POINT","features":[422]},{"name":"NS_E_INVALID_PUSH_PUBLISHING_POINT_START_REQUEST","features":[422]},{"name":"NS_E_INVALID_PUSH_TEMPLATE","features":[422]},{"name":"NS_E_INVALID_QUERY_OPERATOR","features":[422]},{"name":"NS_E_INVALID_QUERY_PROPERTY","features":[422]},{"name":"NS_E_INVALID_REDIRECT","features":[422]},{"name":"NS_E_INVALID_REQUEST","features":[422]},{"name":"NS_E_INVALID_SAMPLING_RATE","features":[422]},{"name":"NS_E_INVALID_SCRIPT_BITRATE","features":[422]},{"name":"NS_E_INVALID_SOURCE_WITH_DEVICE_CONTROL","features":[422]},{"name":"NS_E_INVALID_STREAM","features":[422]},{"name":"NS_E_INVALID_TIMECODE","features":[422]},{"name":"NS_E_INVALID_TTL","features":[422]},{"name":"NS_E_INVALID_VBR_COMPAT","features":[422]},{"name":"NS_E_INVALID_VBR_WITH_UNCOMP","features":[422]},{"name":"NS_E_INVALID_VIDEO_BITRATE","features":[422]},{"name":"NS_E_INVALID_VIDEO_BUFFER","features":[422]},{"name":"NS_E_INVALID_VIDEO_BUFFERMAX","features":[422]},{"name":"NS_E_INVALID_VIDEO_BUFFERMAX_2","features":[422]},{"name":"NS_E_INVALID_VIDEO_CQUALITY","features":[422]},{"name":"NS_E_INVALID_VIDEO_FPS","features":[422]},{"name":"NS_E_INVALID_VIDEO_HEIGHT","features":[422]},{"name":"NS_E_INVALID_VIDEO_HEIGHT_ALIGN","features":[422]},{"name":"NS_E_INVALID_VIDEO_IQUALITY","features":[422]},{"name":"NS_E_INVALID_VIDEO_KEYFRAME","features":[422]},{"name":"NS_E_INVALID_VIDEO_PEAKRATE","features":[422]},{"name":"NS_E_INVALID_VIDEO_PEAKRATE_2","features":[422]},{"name":"NS_E_INVALID_VIDEO_WIDTH","features":[422]},{"name":"NS_E_INVALID_VIDEO_WIDTH_ALIGN","features":[422]},{"name":"NS_E_INVALID_VIDEO_WIDTH_FOR_INTERLACED_ENCODING","features":[422]},{"name":"NS_E_LANGUAGE_MISMATCH","features":[422]},{"name":"NS_E_LATE_OPERATION","features":[422]},{"name":"NS_E_LATE_PACKET","features":[422]},{"name":"NS_E_LICENSE_EXPIRED","features":[422]},{"name":"NS_E_LICENSE_HEADER_MISSING_URL","features":[422]},{"name":"NS_E_LICENSE_INCORRECT_RIGHTS","features":[422]},{"name":"NS_E_LICENSE_OUTOFDATE","features":[422]},{"name":"NS_E_LICENSE_REQUIRED","features":[422]},{"name":"NS_E_LOGFILEPERIOD","features":[422]},{"name":"NS_E_LOG_FILE_SIZE","features":[422]},{"name":"NS_E_LOG_NEED_TO_BE_SKIPPED","features":[422]},{"name":"NS_E_MARKIN_UNSUPPORTED","features":[422]},{"name":"NS_E_MAX_BITRATE","features":[422]},{"name":"NS_E_MAX_CLIENTS","features":[422]},{"name":"NS_E_MAX_FILERATE","features":[422]},{"name":"NS_E_MAX_FUNNELS_ALERT","features":[422]},{"name":"NS_E_MAX_PACKET_SIZE_TOO_SMALL","features":[422]},{"name":"NS_E_MEDIACD_READ_ERROR","features":[422]},{"name":"NS_E_MEDIA_LIBRARY_FAILED","features":[422]},{"name":"NS_E_MEDIA_PARSER_INVALID_FORMAT","features":[422]},{"name":"NS_E_MEMSTORAGE_BAD_DATA","features":[422]},{"name":"NS_E_METADATA_CACHE_DATA_NOT_AVAILABLE","features":[422]},{"name":"NS_E_METADATA_CANNOT_RETRIEVE_FROM_OFFLINE_CACHE","features":[422]},{"name":"NS_E_METADATA_CANNOT_SET_LOCALE","features":[422]},{"name":"NS_E_METADATA_FORMAT_NOT_SUPPORTED","features":[422]},{"name":"NS_E_METADATA_IDENTIFIER_NOT_AVAILABLE","features":[422]},{"name":"NS_E_METADATA_INVALID_DOCUMENT_TYPE","features":[422]},{"name":"NS_E_METADATA_LANGUAGE_NOT_SUPORTED","features":[422]},{"name":"NS_E_METADATA_NOT_AVAILABLE","features":[422]},{"name":"NS_E_METADATA_NO_EDITING_CAPABILITY","features":[422]},{"name":"NS_E_METADATA_NO_RFC1766_NAME_FOR_LOCALE","features":[422]},{"name":"NS_E_MISMATCHED_MEDIACONTENT","features":[422]},{"name":"NS_E_MISSING_AUDIENCE","features":[422]},{"name":"NS_E_MISSING_CHANNEL","features":[422]},{"name":"NS_E_MISSING_SOURCE_INDEX","features":[422]},{"name":"NS_E_MIXER_INVALID_CONTROL","features":[422]},{"name":"NS_E_MIXER_INVALID_LINE","features":[422]},{"name":"NS_E_MIXER_INVALID_VALUE","features":[422]},{"name":"NS_E_MIXER_NODRIVER","features":[422]},{"name":"NS_E_MIXER_UNKNOWN_MMRESULT","features":[422]},{"name":"NS_E_MLS_SMARTPLAYLIST_FILTER_NOT_REGISTERED","features":[422]},{"name":"NS_E_MMSAUTOSERVER_CANTFINDWALKER","features":[422]},{"name":"NS_E_MMS_NOT_SUPPORTED","features":[422]},{"name":"NS_E_MONITOR_GIVEUP","features":[422]},{"name":"NS_E_MP3_FORMAT_NOT_FOUND","features":[422]},{"name":"NS_E_MPDB_GENERIC","features":[422]},{"name":"NS_E_MSAUDIO_NOT_INSTALLED","features":[422]},{"name":"NS_E_MSBD_NO_LONGER_SUPPORTED","features":[422]},{"name":"NS_E_MULTICAST_DISABLED","features":[422]},{"name":"NS_E_MULTICAST_PLUGIN_NOT_ENABLED","features":[422]},{"name":"NS_E_MULTIPLE_AUDIO_CODECS","features":[422]},{"name":"NS_E_MULTIPLE_AUDIO_FORMATS","features":[422]},{"name":"NS_E_MULTIPLE_FILE_BITRATES","features":[422]},{"name":"NS_E_MULTIPLE_SCRIPT_BITRATES","features":[422]},{"name":"NS_E_MULTIPLE_VBR_AUDIENCES","features":[422]},{"name":"NS_E_MULTIPLE_VIDEO_CODECS","features":[422]},{"name":"NS_E_MULTIPLE_VIDEO_SIZES","features":[422]},{"name":"NS_E_NAMESPACE_BAD_NAME","features":[422]},{"name":"NS_E_NAMESPACE_BUFFER_TOO_SMALL","features":[422]},{"name":"NS_E_NAMESPACE_CALLBACK_NOT_FOUND","features":[422]},{"name":"NS_E_NAMESPACE_DUPLICATE_CALLBACK","features":[422]},{"name":"NS_E_NAMESPACE_DUPLICATE_NAME","features":[422]},{"name":"NS_E_NAMESPACE_EMPTY_NAME","features":[422]},{"name":"NS_E_NAMESPACE_INDEX_TOO_LARGE","features":[422]},{"name":"NS_E_NAMESPACE_NAME_TOO_LONG","features":[422]},{"name":"NS_E_NAMESPACE_NODE_CONFLICT","features":[422]},{"name":"NS_E_NAMESPACE_NODE_NOT_FOUND","features":[422]},{"name":"NS_E_NAMESPACE_TOO_MANY_CALLBACKS","features":[422]},{"name":"NS_E_NAMESPACE_WRONG_PERSIST","features":[422]},{"name":"NS_E_NAMESPACE_WRONG_SECURITY","features":[422]},{"name":"NS_E_NAMESPACE_WRONG_TYPE","features":[422]},{"name":"NS_E_NEED_CORE_REFERENCE","features":[422]},{"name":"NS_E_NEED_TO_ASK_USER","features":[422]},{"name":"NS_E_NETWORK_BUSY","features":[422]},{"name":"NS_E_NETWORK_RESOURCE_FAILURE","features":[422]},{"name":"NS_E_NETWORK_SERVICE_FAILURE","features":[422]},{"name":"NS_E_NETWORK_SINK_WRITE","features":[422]},{"name":"NS_E_NET_READ","features":[422]},{"name":"NS_E_NET_WRITE","features":[422]},{"name":"NS_E_NOCONNECTION","features":[422]},{"name":"NS_E_NOFUNNEL","features":[422]},{"name":"NS_E_NOMATCHING_ELEMENT","features":[422]},{"name":"NS_E_NOMATCHING_MEDIASOURCE","features":[422]},{"name":"NS_E_NONSQUAREPIXELMODE_MISMATCH","features":[422]},{"name":"NS_E_NOREGISTEREDWALKER","features":[422]},{"name":"NS_E_NOSOURCEGROUPS","features":[422]},{"name":"NS_E_NOSTATSAVAILABLE","features":[422]},{"name":"NS_E_NOTARCHIVING","features":[422]},{"name":"NS_E_NOTHING_TO_DO","features":[422]},{"name":"NS_E_NOTITLES","features":[422]},{"name":"NS_E_NOT_CONFIGURED","features":[422]},{"name":"NS_E_NOT_CONNECTED","features":[422]},{"name":"NS_E_NOT_CONTENT_PARTNER_TRACK","features":[422]},{"name":"NS_E_NOT_LICENSED","features":[422]},{"name":"NS_E_NOT_REBUILDING","features":[422]},{"name":"NS_E_NO_ACTIVE_SOURCEGROUP","features":[422]},{"name":"NS_E_NO_AUDIENCES","features":[422]},{"name":"NS_E_NO_AUDIODATA","features":[422]},{"name":"NS_E_NO_AUDIO_COMPAT","features":[422]},{"name":"NS_E_NO_AUDIO_TIMECOMPRESSION","features":[422]},{"name":"NS_E_NO_CD","features":[422]},{"name":"NS_E_NO_CD_BURNER","features":[422]},{"name":"NS_E_NO_CHANNELS","features":[422]},{"name":"NS_E_NO_DATAVIEW_SUPPORT","features":[422]},{"name":"NS_E_NO_DEVICE","features":[422]},{"name":"NS_E_NO_ERROR_STRING_FOUND","features":[422]},{"name":"NS_E_NO_EXISTING_PACKETIZER","features":[422]},{"name":"NS_E_NO_FORMATS","features":[422]},{"name":"NS_E_NO_FRAMES_SUBMITTED_TO_ANALYZER","features":[422]},{"name":"NS_E_NO_LOCALPLAY","features":[422]},{"name":"NS_E_NO_MBR_WITH_TIMECODE","features":[422]},{"name":"NS_E_NO_MEDIAFORMAT_IN_SOURCE","features":[422]},{"name":"NS_E_NO_MEDIA_IN_AUDIENCE","features":[422]},{"name":"NS_E_NO_MEDIA_PROTOCOL","features":[422]},{"name":"NS_E_NO_MORE_SAMPLES","features":[422]},{"name":"NS_E_NO_MULTICAST","features":[422]},{"name":"NS_E_NO_MULTIPASS_FOR_LIVEDEVICE","features":[422]},{"name":"NS_E_NO_NEW_CONNECTIONS","features":[422]},{"name":"NS_E_NO_PAL_INVERSE_TELECINE","features":[422]},{"name":"NS_E_NO_PDA","features":[422]},{"name":"NS_E_NO_PROFILE_IN_SOURCEGROUP","features":[422]},{"name":"NS_E_NO_PROFILE_NAME","features":[422]},{"name":"NS_E_NO_REALTIME_PREPROCESS","features":[422]},{"name":"NS_E_NO_REALTIME_TIMECOMPRESSION","features":[422]},{"name":"NS_E_NO_REFERENCES","features":[422]},{"name":"NS_E_NO_REPEAT_PREPROCESS","features":[422]},{"name":"NS_E_NO_SCRIPT_ENGINE","features":[422]},{"name":"NS_E_NO_SCRIPT_STREAM","features":[422]},{"name":"NS_E_NO_SERVER_CONTACT","features":[422]},{"name":"NS_E_NO_SMPTE_WITH_MULTIPLE_SOURCEGROUPS","features":[422]},{"name":"NS_E_NO_SPECIFIED_DEVICE","features":[422]},{"name":"NS_E_NO_STREAM","features":[422]},{"name":"NS_E_NO_TWOPASS_TIMECOMPRESSION","features":[422]},{"name":"NS_E_NO_VALID_OUTPUT_STREAM","features":[422]},{"name":"NS_E_NO_VALID_SOURCE_PLUGIN","features":[422]},{"name":"NS_E_NUM_LANGUAGE_MISMATCH","features":[422]},{"name":"NS_E_OFFLINE_MODE","features":[422]},{"name":"NS_E_OPEN_CONTAINING_FOLDER_FAILED","features":[422]},{"name":"NS_E_OPEN_FILE_LIMIT","features":[422]},{"name":"NS_E_OUTPUT_PROTECTION_LEVEL_UNSUPPORTED","features":[422]},{"name":"NS_E_OUTPUT_PROTECTION_SCHEME_UNSUPPORTED","features":[422]},{"name":"NS_E_PACKETSINK_UNKNOWN_FEC_STREAM","features":[422]},{"name":"NS_E_PAGING_ERROR","features":[422]},{"name":"NS_E_PARTIALLY_REBUILT_DISK","features":[422]},{"name":"NS_E_PDA_CANNOT_CREATE_ADDITIONAL_SYNC_RELATIONSHIP","features":[422]},{"name":"NS_E_PDA_CANNOT_SYNC_FROM_INTERNET","features":[422]},{"name":"NS_E_PDA_CANNOT_SYNC_FROM_LOCATION","features":[422]},{"name":"NS_E_PDA_CANNOT_SYNC_INVALID_PLAYLIST","features":[422]},{"name":"NS_E_PDA_CANNOT_TRANSCODE","features":[422]},{"name":"NS_E_PDA_CANNOT_TRANSCODE_TO_AUDIO","features":[422]},{"name":"NS_E_PDA_CANNOT_TRANSCODE_TO_IMAGE","features":[422]},{"name":"NS_E_PDA_CANNOT_TRANSCODE_TO_VIDEO","features":[422]},{"name":"NS_E_PDA_CEWMDM_DRM_ERROR","features":[422]},{"name":"NS_E_PDA_DELETE_FAILED","features":[422]},{"name":"NS_E_PDA_DEVICESUPPORTDISABLED","features":[422]},{"name":"NS_E_PDA_DEVICE_FULL","features":[422]},{"name":"NS_E_PDA_DEVICE_FULL_IN_SESSION","features":[422]},{"name":"NS_E_PDA_DEVICE_NOT_RESPONDING","features":[422]},{"name":"NS_E_PDA_ENCODER_NOT_RESPONDING","features":[422]},{"name":"NS_E_PDA_FAILED_TO_BURN","features":[422]},{"name":"NS_E_PDA_FAILED_TO_ENCRYPT_TRANSCODED_FILE","features":[422]},{"name":"NS_E_PDA_FAILED_TO_RETRIEVE_FILE","features":[422]},{"name":"NS_E_PDA_FAILED_TO_SYNCHRONIZE_FILE","features":[422]},{"name":"NS_E_PDA_FAILED_TO_TRANSCODE_PHOTO","features":[422]},{"name":"NS_E_PDA_FAIL_READ_WAVE_FILE","features":[422]},{"name":"NS_E_PDA_FAIL_SELECT_DEVICE","features":[422]},{"name":"NS_E_PDA_INITIALIZINGDEVICES","features":[422]},{"name":"NS_E_PDA_MANUALDEVICE","features":[422]},{"name":"NS_E_PDA_NO_LONGER_AVAILABLE","features":[422]},{"name":"NS_E_PDA_NO_TRANSCODE_OF_DRM","features":[422]},{"name":"NS_E_PDA_OBSOLETE_SP","features":[422]},{"name":"NS_E_PDA_PARTNERSHIPNOTEXIST","features":[422]},{"name":"NS_E_PDA_RETRIEVED_FILE_FILENAME_TOO_LONG","features":[422]},{"name":"NS_E_PDA_SYNC_FAILED","features":[422]},{"name":"NS_E_PDA_SYNC_LOGIN_ERROR","features":[422]},{"name":"NS_E_PDA_SYNC_RUNNING","features":[422]},{"name":"NS_E_PDA_TITLE_COLLISION","features":[422]},{"name":"NS_E_PDA_TOO_MANY_FILES_IN_DIRECTORY","features":[422]},{"name":"NS_E_PDA_TOO_MANY_FILE_COLLISIONS","features":[422]},{"name":"NS_E_PDA_TRANSCODECACHEFULL","features":[422]},{"name":"NS_E_PDA_TRANSCODE_CODEC_NOT_FOUND","features":[422]},{"name":"NS_E_PDA_TRANSCODE_NOT_PERMITTED","features":[422]},{"name":"NS_E_PDA_UNSPECIFIED_ERROR","features":[422]},{"name":"NS_E_PDA_UNSUPPORTED_FORMAT","features":[422]},{"name":"NS_E_PLAYLIST_CONTAINS_ERRORS","features":[422]},{"name":"NS_E_PLAYLIST_END_RECEDING","features":[422]},{"name":"NS_E_PLAYLIST_ENTRY_ALREADY_PLAYING","features":[422]},{"name":"NS_E_PLAYLIST_ENTRY_HAS_CHANGED","features":[422]},{"name":"NS_E_PLAYLIST_ENTRY_NOT_IN_PLAYLIST","features":[422]},{"name":"NS_E_PLAYLIST_ENTRY_SEEK","features":[422]},{"name":"NS_E_PLAYLIST_PARSE_FAILURE","features":[422]},{"name":"NS_E_PLAYLIST_PLUGIN_NOT_FOUND","features":[422]},{"name":"NS_E_PLAYLIST_RECURSIVE_PLAYLISTS","features":[422]},{"name":"NS_E_PLAYLIST_SHUTDOWN","features":[422]},{"name":"NS_E_PLAYLIST_TOO_MANY_NESTED_PLAYLISTS","features":[422]},{"name":"NS_E_PLAYLIST_UNSUPPORTED_ENTRY","features":[422]},{"name":"NS_E_PLUGIN_CLSID_INVALID","features":[422]},{"name":"NS_E_PLUGIN_ERROR_REPORTED","features":[422]},{"name":"NS_E_PLUGIN_NOTSHUTDOWN","features":[422]},{"name":"NS_E_PORT_IN_USE","features":[422]},{"name":"NS_E_PORT_IN_USE_HTTP","features":[422]},{"name":"NS_E_PROCESSINGSHOWSYNCWIZARD","features":[422]},{"name":"NS_E_PROFILE_MISMATCH","features":[422]},{"name":"NS_E_PROPERTY_NOT_FOUND","features":[422]},{"name":"NS_E_PROPERTY_NOT_SUPPORTED","features":[422]},{"name":"NS_E_PROPERTY_READ_ONLY","features":[422]},{"name":"NS_E_PROTECTED_CONTENT","features":[422]},{"name":"NS_E_PROTOCOL_MISMATCH","features":[422]},{"name":"NS_E_PROXY_ACCESSDENIED","features":[422]},{"name":"NS_E_PROXY_CONNECT_TIMEOUT","features":[422]},{"name":"NS_E_PROXY_DNS_TIMEOUT","features":[422]},{"name":"NS_E_PROXY_NOT_FOUND","features":[422]},{"name":"NS_E_PROXY_SOURCE_ACCESSDENIED","features":[422]},{"name":"NS_E_PROXY_TIMEOUT","features":[422]},{"name":"NS_E_PUBLISHING_POINT_INVALID_REQUEST_WHILE_STARTED","features":[422]},{"name":"NS_E_PUBLISHING_POINT_REMOVED","features":[422]},{"name":"NS_E_PUBLISHING_POINT_STOPPED","features":[422]},{"name":"NS_E_PUSH_CANNOTCONNECT","features":[422]},{"name":"NS_E_PUSH_DUPLICATE_PUBLISHING_POINT_NAME","features":[422]},{"name":"NS_E_REBOOT_RECOMMENDED","features":[422]},{"name":"NS_E_REBOOT_REQUIRED","features":[422]},{"name":"NS_E_RECORDQ_DISK_FULL","features":[422]},{"name":"NS_E_REDBOOK_ENABLED_WHILE_COPYING","features":[422]},{"name":"NS_E_REDIRECT","features":[422]},{"name":"NS_E_REDIRECT_TO_PROXY","features":[422]},{"name":"NS_E_REFUSED_BY_SERVER","features":[422]},{"name":"NS_E_REG_FLUSH_FAILURE","features":[422]},{"name":"NS_E_REMIRRORED_DISK","features":[422]},{"name":"NS_E_REQUIRE_STREAMING_CLIENT","features":[422]},{"name":"NS_E_RESET_SOCKET_CONNECTION","features":[422]},{"name":"NS_E_RESOURCE_GONE","features":[422]},{"name":"NS_E_SAME_AS_INPUT_COMBINATION","features":[422]},{"name":"NS_E_SCHEMA_CLASSIFY_FAILURE","features":[422]},{"name":"NS_E_SCRIPT_DEBUGGER_NOT_INSTALLED","features":[422]},{"name":"NS_E_SDK_BUFFERTOOSMALL","features":[422]},{"name":"NS_E_SERVER_ACCESSDENIED","features":[422]},{"name":"NS_E_SERVER_DNS_TIMEOUT","features":[422]},{"name":"NS_E_SERVER_NOT_FOUND","features":[422]},{"name":"NS_E_SERVER_UNAVAILABLE","features":[422]},{"name":"NS_E_SESSION_INVALID","features":[422]},{"name":"NS_E_SESSION_NOT_FOUND","features":[422]},{"name":"NS_E_SETUP_BLOCKED","features":[422]},{"name":"NS_E_SETUP_DRM_MIGRATION_FAILED","features":[422]},{"name":"NS_E_SETUP_DRM_MIGRATION_FAILED_AND_IGNORABLE_FAILURE","features":[422]},{"name":"NS_E_SETUP_IGNORABLE_FAILURE","features":[422]},{"name":"NS_E_SETUP_INCOMPLETE","features":[422]},{"name":"NS_E_SET_DISK_UID_FAILED","features":[422]},{"name":"NS_E_SHARING_STATE_OUT_OF_SYNC","features":[422]},{"name":"NS_E_SHARING_VIOLATION","features":[422]},{"name":"NS_E_SHUTDOWN","features":[422]},{"name":"NS_E_SLOW_READ_DIGITAL","features":[422]},{"name":"NS_E_SLOW_READ_DIGITAL_WITH_ERRORCORRECTION","features":[422]},{"name":"NS_E_SMPTEMODE_MISMATCH","features":[422]},{"name":"NS_E_SOURCEGROUP_NOTPREPARED","features":[422]},{"name":"NS_E_SOURCE_CANNOT_LOOP","features":[422]},{"name":"NS_E_SOURCE_NOTSPECIFIED","features":[422]},{"name":"NS_E_SOURCE_PLUGIN_NOT_FOUND","features":[422]},{"name":"NS_E_SPEECHEDL_ON_NON_MIXEDMODE","features":[422]},{"name":"NS_E_STALE_PRESENTATION","features":[422]},{"name":"NS_E_STREAM_END","features":[422]},{"name":"NS_E_STRIDE_REFUSED","features":[422]},{"name":"NS_E_SUBSCRIPTIONSERVICE_DOWNLOAD_TIMEOUT","features":[422]},{"name":"NS_E_SUBSCRIPTIONSERVICE_LOGIN_FAILED","features":[422]},{"name":"NS_E_SUBSCRIPTIONSERVICE_PLAYBACK_DISALLOWED","features":[422]},{"name":"NS_E_SYNCWIZ_CANNOT_CHANGE_SETTINGS","features":[422]},{"name":"NS_E_SYNCWIZ_DEVICE_FULL","features":[422]},{"name":"NS_E_TABLE_KEY_NOT_FOUND","features":[422]},{"name":"NS_E_TAMPERED_CONTENT","features":[422]},{"name":"NS_E_TCP_DISABLED","features":[422]},{"name":"NS_E_TIGER_FAIL","features":[422]},{"name":"NS_E_TIMECODE_REQUIRES_VIDEOSTREAM","features":[422]},{"name":"NS_E_TIMEOUT","features":[422]},{"name":"NS_E_TITLE_BITRATE","features":[422]},{"name":"NS_E_TITLE_SIZE_EXCEEDED","features":[422]},{"name":"NS_E_TOO_MANY_AUDIO","features":[422]},{"name":"NS_E_TOO_MANY_DEVICECONTROL","features":[422]},{"name":"NS_E_TOO_MANY_HOPS","features":[422]},{"name":"NS_E_TOO_MANY_MULTICAST_SINKS","features":[422]},{"name":"NS_E_TOO_MANY_SESS","features":[422]},{"name":"NS_E_TOO_MANY_TITLES","features":[422]},{"name":"NS_E_TOO_MANY_VIDEO","features":[422]},{"name":"NS_E_TOO_MUCH_DATA","features":[422]},{"name":"NS_E_TOO_MUCH_DATA_FROM_SERVER","features":[422]},{"name":"NS_E_TRACK_DOWNLOAD_REQUIRES_ALBUM_PURCHASE","features":[422]},{"name":"NS_E_TRACK_DOWNLOAD_REQUIRES_PURCHASE","features":[422]},{"name":"NS_E_TRACK_PURCHASE_MAXIMUM_EXCEEDED","features":[422]},{"name":"NS_E_TRANSCODE_DELETECACHEERROR","features":[422]},{"name":"NS_E_TRANSFORM_PLUGIN_INVALID","features":[422]},{"name":"NS_E_TRANSFORM_PLUGIN_NOT_FOUND","features":[422]},{"name":"NS_E_UDP_DISABLED","features":[422]},{"name":"NS_E_UNABLE_TO_CREATE_RIP_LOCATION","features":[422]},{"name":"NS_E_UNCOMPRESSED_DIGITAL_AUDIO_PROTECTION_LEVEL_UNSUPPORTED","features":[422]},{"name":"NS_E_UNCOMPRESSED_DIGITAL_VIDEO_PROTECTION_LEVEL_UNSUPPORTED","features":[422]},{"name":"NS_E_UNCOMP_COMP_COMBINATION","features":[422]},{"name":"NS_E_UNEXPECTED_DISPLAY_SETTINGS","features":[422]},{"name":"NS_E_UNEXPECTED_MSAUDIO_ERROR","features":[422]},{"name":"NS_E_UNKNOWN_PROTOCOL","features":[422]},{"name":"NS_E_UNRECOGNIZED_STREAM_TYPE","features":[422]},{"name":"NS_E_UNSUPPORTED_ARCHIVEOPERATION","features":[422]},{"name":"NS_E_UNSUPPORTED_ARCHIVETYPE","features":[422]},{"name":"NS_E_UNSUPPORTED_ENCODER_DEVICE","features":[422]},{"name":"NS_E_UNSUPPORTED_LANGUAGE","features":[422]},{"name":"NS_E_UNSUPPORTED_LOAD_TYPE","features":[422]},{"name":"NS_E_UNSUPPORTED_PROPERTY","features":[422]},{"name":"NS_E_UNSUPPORTED_SOURCETYPE","features":[422]},{"name":"NS_E_URLLIST_INVALIDFORMAT","features":[422]},{"name":"NS_E_USER_STOP","features":[422]},{"name":"NS_E_USE_FILE_SOURCE","features":[422]},{"name":"NS_E_VBRMODE_MISMATCH","features":[422]},{"name":"NS_E_VIDCAPCREATEWINDOW","features":[422]},{"name":"NS_E_VIDCAPDRVINUSE","features":[422]},{"name":"NS_E_VIDCAPSTARTFAILED","features":[422]},{"name":"NS_E_VIDEODEVICE_BUSY","features":[422]},{"name":"NS_E_VIDEODEVICE_UNEXPECTED","features":[422]},{"name":"NS_E_VIDEODRIVER_UNSTABLE","features":[422]},{"name":"NS_E_VIDEO_BITRATE_STEPDOWN","features":[422]},{"name":"NS_E_VIDEO_CODEC_ERROR","features":[422]},{"name":"NS_E_VIDEO_CODEC_NOT_INSTALLED","features":[422]},{"name":"NS_E_VIDSOURCECOMPRESSION","features":[422]},{"name":"NS_E_VIDSOURCESIZE","features":[422]},{"name":"NS_E_WALKER_SERVER","features":[422]},{"name":"NS_E_WALKER_UNKNOWN","features":[422]},{"name":"NS_E_WALKER_USAGE","features":[422]},{"name":"NS_E_WAVE_OPEN","features":[422]},{"name":"NS_E_WINSOCK_ERROR_STRING","features":[422]},{"name":"NS_E_WIZARD_RUNNING","features":[422]},{"name":"NS_E_WMDM_REVOKED","features":[422]},{"name":"NS_E_WMDRM_DEPRECATED","features":[422]},{"name":"NS_E_WME_VERSION_MISMATCH","features":[422]},{"name":"NS_E_WMG_CANNOTQUEUE","features":[422]},{"name":"NS_E_WMG_COPP_SECURITY_INVALID","features":[422]},{"name":"NS_E_WMG_COPP_UNSUPPORTED","features":[422]},{"name":"NS_E_WMG_FILETRANSFERNOTALLOWED","features":[422]},{"name":"NS_E_WMG_INVALIDSTATE","features":[422]},{"name":"NS_E_WMG_INVALID_COPP_CERTIFICATE","features":[422]},{"name":"NS_E_WMG_LICENSE_TAMPERED","features":[422]},{"name":"NS_E_WMG_NOSDKINTERFACE","features":[422]},{"name":"NS_E_WMG_NOTALLOUTPUTSRENDERED","features":[422]},{"name":"NS_E_WMG_PLUGINUNAVAILABLE","features":[422]},{"name":"NS_E_WMG_PREROLLLICENSEACQUISITIONNOTALLOWED","features":[422]},{"name":"NS_E_WMG_RATEUNAVAILABLE","features":[422]},{"name":"NS_E_WMG_SINKALREADYEXISTS","features":[422]},{"name":"NS_E_WMG_UNEXPECTEDPREROLLSTATUS","features":[422]},{"name":"NS_E_WMPBR_BACKUPCANCEL","features":[422]},{"name":"NS_E_WMPBR_BACKUPRESTOREFAILED","features":[422]},{"name":"NS_E_WMPBR_DRIVE_INVALID","features":[422]},{"name":"NS_E_WMPBR_ERRORWITHURL","features":[422]},{"name":"NS_E_WMPBR_NAMECOLLISION","features":[422]},{"name":"NS_E_WMPBR_NOLISTENER","features":[422]},{"name":"NS_E_WMPBR_RESTORECANCEL","features":[422]},{"name":"NS_E_WMPCORE_BUFFERTOOSMALL","features":[422]},{"name":"NS_E_WMPCORE_BUSY","features":[422]},{"name":"NS_E_WMPCORE_COCREATEFAILEDFORGITOBJECT","features":[422]},{"name":"NS_E_WMPCORE_CODEC_DOWNLOAD_NOT_ALLOWED","features":[422]},{"name":"NS_E_WMPCORE_CODEC_NOT_FOUND","features":[422]},{"name":"NS_E_WMPCORE_CODEC_NOT_TRUSTED","features":[422]},{"name":"NS_E_WMPCORE_CURRENT_MEDIA_NOT_ACTIVE","features":[422]},{"name":"NS_E_WMPCORE_DEVICE_DRIVERS_MISSING","features":[422]},{"name":"NS_E_WMPCORE_ERRORMANAGERNOTAVAILABLE","features":[422]},{"name":"NS_E_WMPCORE_ERRORSINKNOTREGISTERED","features":[422]},{"name":"NS_E_WMPCORE_ERROR_DOWNLOADING_PLAYLIST","features":[422]},{"name":"NS_E_WMPCORE_FAILEDTOGETMARSHALLEDEVENTHANDLERINTERFACE","features":[422]},{"name":"NS_E_WMPCORE_FAILED_TO_BUILD_PLAYLIST","features":[422]},{"name":"NS_E_WMPCORE_FILE_NOT_FOUND","features":[422]},{"name":"NS_E_WMPCORE_GRAPH_NOT_IN_LIST","features":[422]},{"name":"NS_E_WMPCORE_INVALIDPLAYLISTMODE","features":[422]},{"name":"NS_E_WMPCORE_INVALID_PLAYLIST_URL","features":[422]},{"name":"NS_E_WMPCORE_ITEMNOTINPLAYLIST","features":[422]},{"name":"NS_E_WMPCORE_LIST_ENTRY_NO_REF","features":[422]},{"name":"NS_E_WMPCORE_MEDIA_ALTERNATE_REF_EMPTY","features":[422]},{"name":"NS_E_WMPCORE_MEDIA_CHILD_PLAYLIST_UNAVAILABLE","features":[422]},{"name":"NS_E_WMPCORE_MEDIA_ERROR_RESUME_FAILED","features":[422]},{"name":"NS_E_WMPCORE_MEDIA_NO_CHILD_PLAYLIST","features":[422]},{"name":"NS_E_WMPCORE_MEDIA_UNAVAILABLE","features":[422]},{"name":"NS_E_WMPCORE_MEDIA_URL_TOO_LONG","features":[422]},{"name":"NS_E_WMPCORE_MISMATCHED_RUNTIME","features":[422]},{"name":"NS_E_WMPCORE_MISNAMED_FILE","features":[422]},{"name":"NS_E_WMPCORE_NOBROWSER","features":[422]},{"name":"NS_E_WMPCORE_NOSOURCEURLSTRING","features":[422]},{"name":"NS_E_WMPCORE_NO_PLAYABLE_MEDIA_IN_PLAYLIST","features":[422]},{"name":"NS_E_WMPCORE_NO_REF_IN_ENTRY","features":[422]},{"name":"NS_E_WMPCORE_PLAYLISTEMPTY","features":[422]},{"name":"NS_E_WMPCORE_PLAYLIST_EMPTY_NESTED_PLAYLIST_SKIPPED_ITEMS","features":[422]},{"name":"NS_E_WMPCORE_PLAYLIST_EMPTY_OR_SINGLE_MEDIA","features":[422]},{"name":"NS_E_WMPCORE_PLAYLIST_EVENT_ATTRIBUTE_ABSENT","features":[422]},{"name":"NS_E_WMPCORE_PLAYLIST_EVENT_EMPTY","features":[422]},{"name":"NS_E_WMPCORE_PLAYLIST_IMPORT_FAILED_NO_ITEMS","features":[422]},{"name":"NS_E_WMPCORE_PLAYLIST_ITEM_ALTERNATE_EXHAUSTED","features":[422]},{"name":"NS_E_WMPCORE_PLAYLIST_ITEM_ALTERNATE_INIT_FAILED","features":[422]},{"name":"NS_E_WMPCORE_PLAYLIST_ITEM_ALTERNATE_MORPH_FAILED","features":[422]},{"name":"NS_E_WMPCORE_PLAYLIST_ITEM_ALTERNATE_NAME_NOT_FOUND","features":[422]},{"name":"NS_E_WMPCORE_PLAYLIST_ITEM_ALTERNATE_NONE","features":[422]},{"name":"NS_E_WMPCORE_PLAYLIST_NO_EVENT_NAME","features":[422]},{"name":"NS_E_WMPCORE_PLAYLIST_REPEAT_EMPTY","features":[422]},{"name":"NS_E_WMPCORE_PLAYLIST_REPEAT_END_MEDIA_NONE","features":[422]},{"name":"NS_E_WMPCORE_PLAYLIST_REPEAT_START_MEDIA_NONE","features":[422]},{"name":"NS_E_WMPCORE_PLAYLIST_STACK_EMPTY","features":[422]},{"name":"NS_E_WMPCORE_SOME_CODECS_MISSING","features":[422]},{"name":"NS_E_WMPCORE_TEMP_FILE_NOT_FOUND","features":[422]},{"name":"NS_E_WMPCORE_UNAVAILABLE","features":[422]},{"name":"NS_E_WMPCORE_UNRECOGNIZED_MEDIA_URL","features":[422]},{"name":"NS_E_WMPCORE_USER_CANCEL","features":[422]},{"name":"NS_E_WMPCORE_VIDEO_TRANSFORM_FILTER_INSERTION","features":[422]},{"name":"NS_E_WMPCORE_WEBHELPFAILED","features":[422]},{"name":"NS_E_WMPCORE_WMX_ENTRYREF_NO_REF","features":[422]},{"name":"NS_E_WMPCORE_WMX_LIST_ATTRIBUTE_NAME_EMPTY","features":[422]},{"name":"NS_E_WMPCORE_WMX_LIST_ATTRIBUTE_NAME_ILLEGAL","features":[422]},{"name":"NS_E_WMPCORE_WMX_LIST_ATTRIBUTE_VALUE_EMPTY","features":[422]},{"name":"NS_E_WMPCORE_WMX_LIST_ATTRIBUTE_VALUE_ILLEGAL","features":[422]},{"name":"NS_E_WMPCORE_WMX_LIST_ITEM_ATTRIBUTE_NAME_EMPTY","features":[422]},{"name":"NS_E_WMPCORE_WMX_LIST_ITEM_ATTRIBUTE_NAME_ILLEGAL","features":[422]},{"name":"NS_E_WMPCORE_WMX_LIST_ITEM_ATTRIBUTE_VALUE_EMPTY","features":[422]},{"name":"NS_E_WMPFLASH_CANT_FIND_COM_SERVER","features":[422]},{"name":"NS_E_WMPFLASH_INCOMPATIBLEVERSION","features":[422]},{"name":"NS_E_WMPIM_DIALUPFAILED","features":[422]},{"name":"NS_E_WMPIM_USERCANCELED","features":[422]},{"name":"NS_E_WMPIM_USEROFFLINE","features":[422]},{"name":"NS_E_WMPOCXGRAPH_IE_DISALLOWS_ACTIVEX_CONTROLS","features":[422]},{"name":"NS_E_WMPOCX_ERRORMANAGERNOTAVAILABLE","features":[422]},{"name":"NS_E_WMPOCX_NOT_RUNNING_REMOTELY","features":[422]},{"name":"NS_E_WMPOCX_NO_ACTIVE_CORE","features":[422]},{"name":"NS_E_WMPOCX_NO_REMOTE_CORE","features":[422]},{"name":"NS_E_WMPOCX_NO_REMOTE_WINDOW","features":[422]},{"name":"NS_E_WMPOCX_PLAYER_NOT_DOCKED","features":[422]},{"name":"NS_E_WMPOCX_REMOTE_PLAYER_ALREADY_RUNNING","features":[422]},{"name":"NS_E_WMPOCX_UNABLE_TO_LOAD_SKIN","features":[422]},{"name":"NS_E_WMPXML_ATTRIBUTENOTFOUND","features":[422]},{"name":"NS_E_WMPXML_EMPTYDOC","features":[422]},{"name":"NS_E_WMPXML_ENDOFDATA","features":[422]},{"name":"NS_E_WMPXML_NOERROR","features":[422]},{"name":"NS_E_WMPXML_PARSEERROR","features":[422]},{"name":"NS_E_WMPXML_PINOTFOUND","features":[422]},{"name":"NS_E_WMPZIP_CORRUPT","features":[422]},{"name":"NS_E_WMPZIP_FILENOTFOUND","features":[422]},{"name":"NS_E_WMPZIP_NOTAZIPFILE","features":[422]},{"name":"NS_E_WMP_ACCESS_DENIED","features":[422]},{"name":"NS_E_WMP_ADDTOLIBRARY_FAILED","features":[422]},{"name":"NS_E_WMP_ALREADY_IN_USE","features":[422]},{"name":"NS_E_WMP_AUDIO_CODEC_NOT_INSTALLED","features":[422]},{"name":"NS_E_WMP_AUDIO_DEVICE_LOST","features":[422]},{"name":"NS_E_WMP_AUDIO_HW_PROBLEM","features":[422]},{"name":"NS_E_WMP_AUTOPLAY_INVALID_STATE","features":[422]},{"name":"NS_E_WMP_BAD_DRIVER","features":[422]},{"name":"NS_E_WMP_BMP_BITMAP_NOT_CREATED","features":[422]},{"name":"NS_E_WMP_BMP_COMPRESSION_UNSUPPORTED","features":[422]},{"name":"NS_E_WMP_BMP_INVALID_BITMASK","features":[422]},{"name":"NS_E_WMP_BMP_INVALID_FORMAT","features":[422]},{"name":"NS_E_WMP_BMP_TOPDOWN_DIB_UNSUPPORTED","features":[422]},{"name":"NS_E_WMP_BSTR_TOO_LONG","features":[422]},{"name":"NS_E_WMP_BURN_DISC_OVERFLOW","features":[422]},{"name":"NS_E_WMP_CANNOT_BURN_NON_LOCAL_FILE","features":[422]},{"name":"NS_E_WMP_CANNOT_FIND_FILE","features":[422]},{"name":"NS_E_WMP_CANNOT_FIND_FOLDER","features":[422]},{"name":"NS_E_WMP_CANT_PLAY_PROTECTED","features":[422]},{"name":"NS_E_WMP_CD_ANOTHER_USER","features":[422]},{"name":"NS_E_WMP_CD_STASH_NO_SPACE","features":[422]},{"name":"NS_E_WMP_CODEC_NEEDED_WITH_4CC","features":[422]},{"name":"NS_E_WMP_CODEC_NEEDED_WITH_FORMATTAG","features":[422]},{"name":"NS_E_WMP_COMPONENT_REVOKED","features":[422]},{"name":"NS_E_WMP_CONNECT_TIMEOUT","features":[422]},{"name":"NS_E_WMP_CONVERT_FILE_CORRUPT","features":[422]},{"name":"NS_E_WMP_CONVERT_FILE_FAILED","features":[422]},{"name":"NS_E_WMP_CONVERT_NO_RIGHTS_ERRORURL","features":[422]},{"name":"NS_E_WMP_CONVERT_NO_RIGHTS_NOERRORURL","features":[422]},{"name":"NS_E_WMP_CONVERT_PLUGIN_UNAVAILABLE_ERRORURL","features":[422]},{"name":"NS_E_WMP_CONVERT_PLUGIN_UNAVAILABLE_NOERRORURL","features":[422]},{"name":"NS_E_WMP_CONVERT_PLUGIN_UNKNOWN_FILE_OWNER","features":[422]},{"name":"NS_E_WMP_CS_JPGPOSITIONIMAGE","features":[422]},{"name":"NS_E_WMP_CS_NOTEVENLYDIVISIBLE","features":[422]},{"name":"NS_E_WMP_DAI_SONGTOOSHORT","features":[422]},{"name":"NS_E_WMP_DRM_ACQUIRING_LICENSE","features":[422]},{"name":"NS_E_WMP_DRM_CANNOT_RESTORE","features":[422]},{"name":"NS_E_WMP_DRM_COMPONENT_FAILURE","features":[422]},{"name":"NS_E_WMP_DRM_CORRUPT_BACKUP","features":[422]},{"name":"NS_E_WMP_DRM_DRIVER_AUTH_FAILURE","features":[422]},{"name":"NS_E_WMP_DRM_GENERIC_LICENSE_FAILURE","features":[422]},{"name":"NS_E_WMP_DRM_INDIV_FAILED","features":[422]},{"name":"NS_E_WMP_DRM_INVALID_SIG","features":[422]},{"name":"NS_E_WMP_DRM_LICENSE_CONTENT_REVOKED","features":[422]},{"name":"NS_E_WMP_DRM_LICENSE_EXPIRED","features":[422]},{"name":"NS_E_WMP_DRM_LICENSE_NOSAP","features":[422]},{"name":"NS_E_WMP_DRM_LICENSE_NOTACQUIRED","features":[422]},{"name":"NS_E_WMP_DRM_LICENSE_NOTENABLED","features":[422]},{"name":"NS_E_WMP_DRM_LICENSE_SERVER_UNAVAILABLE","features":[422]},{"name":"NS_E_WMP_DRM_LICENSE_UNUSABLE","features":[422]},{"name":"NS_E_WMP_DRM_NEEDS_AUTHORIZATION","features":[422]},{"name":"NS_E_WMP_DRM_NEW_HARDWARE","features":[422]},{"name":"NS_E_WMP_DRM_NOT_ACQUIRING","features":[422]},{"name":"NS_E_WMP_DRM_NO_DEVICE_CERT","features":[422]},{"name":"NS_E_WMP_DRM_NO_RIGHTS","features":[422]},{"name":"NS_E_WMP_DRM_NO_SECURE_CLOCK","features":[422]},{"name":"NS_E_WMP_DRM_UNABLE_TO_ACQUIRE_LICENSE","features":[422]},{"name":"NS_E_WMP_DSHOW_UNSUPPORTED_FORMAT","features":[422]},{"name":"NS_E_WMP_ERASE_FAILED","features":[422]},{"name":"NS_E_WMP_EXTERNAL_NOTREADY","features":[422]},{"name":"NS_E_WMP_FAILED_TO_OPEN_IMAGE","features":[422]},{"name":"NS_E_WMP_FAILED_TO_OPEN_WMD","features":[422]},{"name":"NS_E_WMP_FAILED_TO_RIP_TRACK","features":[422]},{"name":"NS_E_WMP_FAILED_TO_SAVE_FILE","features":[422]},{"name":"NS_E_WMP_FAILED_TO_SAVE_PLAYLIST","features":[422]},{"name":"NS_E_WMP_FILESCANALREADYSTARTED","features":[422]},{"name":"NS_E_WMP_FILE_DOES_NOT_FIT_ON_CD","features":[422]},{"name":"NS_E_WMP_FILE_NO_DURATION","features":[422]},{"name":"NS_E_WMP_FILE_OPEN_FAILED","features":[422]},{"name":"NS_E_WMP_FILE_TYPE_CANNOT_BURN_TO_AUDIO_CD","features":[422]},{"name":"NS_E_WMP_FORMAT_FAILED","features":[422]},{"name":"NS_E_WMP_GIF_BAD_VERSION_NUMBER","features":[422]},{"name":"NS_E_WMP_GIF_INVALID_FORMAT","features":[422]},{"name":"NS_E_WMP_GIF_NO_IMAGE_IN_FILE","features":[422]},{"name":"NS_E_WMP_GIF_UNEXPECTED_ENDOFFILE","features":[422]},{"name":"NS_E_WMP_GOFULLSCREEN_FAILED","features":[422]},{"name":"NS_E_WMP_HME_INVALIDOBJECTID","features":[422]},{"name":"NS_E_WMP_HME_NOTSEARCHABLEFORITEMS","features":[422]},{"name":"NS_E_WMP_HME_STALEREQUEST","features":[422]},{"name":"NS_E_WMP_HWND_NOTFOUND","features":[422]},{"name":"NS_E_WMP_IMAGE_FILETYPE_UNSUPPORTED","features":[422]},{"name":"NS_E_WMP_IMAGE_INVALID_FORMAT","features":[422]},{"name":"NS_E_WMP_IMAPI2_ERASE_DEVICE_BUSY","features":[422]},{"name":"NS_E_WMP_IMAPI2_ERASE_FAIL","features":[422]},{"name":"NS_E_WMP_IMAPI_DEVICE_BUSY","features":[422]},{"name":"NS_E_WMP_IMAPI_DEVICE_INVALIDTYPE","features":[422]},{"name":"NS_E_WMP_IMAPI_DEVICE_NOTPRESENT","features":[422]},{"name":"NS_E_WMP_IMAPI_FAILURE","features":[422]},{"name":"NS_E_WMP_IMAPI_GENERIC","features":[422]},{"name":"NS_E_WMP_IMAPI_LOSS_OF_STREAMING","features":[422]},{"name":"NS_E_WMP_IMAPI_MEDIA_INCOMPATIBLE","features":[422]},{"name":"NS_E_WMP_INVALID_ASX","features":[422]},{"name":"NS_E_WMP_INVALID_KEY","features":[422]},{"name":"NS_E_WMP_INVALID_LIBRARY_ADD","features":[422]},{"name":"NS_E_WMP_INVALID_MAX_VAL","features":[422]},{"name":"NS_E_WMP_INVALID_MIN_VAL","features":[422]},{"name":"NS_E_WMP_INVALID_PROTOCOL","features":[422]},{"name":"NS_E_WMP_INVALID_REQUEST","features":[422]},{"name":"NS_E_WMP_INVALID_SKIN","features":[422]},{"name":"NS_E_WMP_JPGTRANSPARENCY","features":[422]},{"name":"NS_E_WMP_JPG_BAD_DCTSIZE","features":[422]},{"name":"NS_E_WMP_JPG_BAD_PRECISION","features":[422]},{"name":"NS_E_WMP_JPG_BAD_VERSION_NUMBER","features":[422]},{"name":"NS_E_WMP_JPG_CCIR601_NOTIMPL","features":[422]},{"name":"NS_E_WMP_JPG_FRACT_SAMPLE_NOTIMPL","features":[422]},{"name":"NS_E_WMP_JPG_IMAGE_TOO_BIG","features":[422]},{"name":"NS_E_WMP_JPG_INVALID_FORMAT","features":[422]},{"name":"NS_E_WMP_JPG_JERR_ARITHCODING_NOTIMPL","features":[422]},{"name":"NS_E_WMP_JPG_NO_IMAGE_IN_FILE","features":[422]},{"name":"NS_E_WMP_JPG_READ_ERROR","features":[422]},{"name":"NS_E_WMP_JPG_SOF_UNSUPPORTED","features":[422]},{"name":"NS_E_WMP_JPG_UNEXPECTED_ENDOFFILE","features":[422]},{"name":"NS_E_WMP_JPG_UNKNOWN_MARKER","features":[422]},{"name":"NS_E_WMP_LICENSE_REQUIRED","features":[422]},{"name":"NS_E_WMP_LICENSE_RESTRICTS","features":[422]},{"name":"NS_E_WMP_LOCKEDINSKINMODE","features":[422]},{"name":"NS_E_WMP_LOGON_FAILURE","features":[422]},{"name":"NS_E_WMP_MF_CODE_EXPIRED","features":[422]},{"name":"NS_E_WMP_MLS_STALE_DATA","features":[422]},{"name":"NS_E_WMP_MMS_NOT_SUPPORTED","features":[422]},{"name":"NS_E_WMP_MSSAP_NOT_AVAILABLE","features":[422]},{"name":"NS_E_WMP_MULTICAST_DISABLED","features":[422]},{"name":"NS_E_WMP_MULTIPLE_ERROR_IN_PLAYLIST","features":[422]},{"name":"NS_E_WMP_NEED_UPGRADE","features":[422]},{"name":"NS_E_WMP_NETWORK_ERROR","features":[422]},{"name":"NS_E_WMP_NETWORK_FIREWALL","features":[422]},{"name":"NS_E_WMP_NETWORK_RESOURCE_FAILURE","features":[422]},{"name":"NS_E_WMP_NONMEDIA_FILES","features":[422]},{"name":"NS_E_WMP_NO_DISK_SPACE","features":[422]},{"name":"NS_E_WMP_NO_PROTOCOLS_SELECTED","features":[422]},{"name":"NS_E_WMP_NO_REMOVABLE_MEDIA","features":[422]},{"name":"NS_E_WMP_OUTOFMEMORY","features":[422]},{"name":"NS_E_WMP_PATH_ALREADY_IN_LIBRARY","features":[422]},{"name":"NS_E_WMP_PLAYLIST_EXISTS","features":[422]},{"name":"NS_E_WMP_PLUGINDLL_NOTFOUND","features":[422]},{"name":"NS_E_WMP_PNG_INVALIDFORMAT","features":[422]},{"name":"NS_E_WMP_PNG_UNSUPPORTED_BAD_CRC","features":[422]},{"name":"NS_E_WMP_PNG_UNSUPPORTED_BITDEPTH","features":[422]},{"name":"NS_E_WMP_PNG_UNSUPPORTED_COMPRESSION","features":[422]},{"name":"NS_E_WMP_PNG_UNSUPPORTED_FILTER","features":[422]},{"name":"NS_E_WMP_PNG_UNSUPPORTED_INTERLACE","features":[422]},{"name":"NS_E_WMP_POLICY_VALUE_NOT_CONFIGURED","features":[422]},{"name":"NS_E_WMP_PROTECTED_CONTENT","features":[422]},{"name":"NS_E_WMP_PROTOCOL_PROBLEM","features":[422]},{"name":"NS_E_WMP_PROXY_CONNECT_TIMEOUT","features":[422]},{"name":"NS_E_WMP_PROXY_NOT_FOUND","features":[422]},{"name":"NS_E_WMP_RBC_JPGMAPPINGIMAGE","features":[422]},{"name":"NS_E_WMP_RECORDING_NOT_ALLOWED","features":[422]},{"name":"NS_E_WMP_RIP_FAILED","features":[422]},{"name":"NS_E_WMP_SAVEAS_READONLY","features":[422]},{"name":"NS_E_WMP_SENDMAILFAILED","features":[422]},{"name":"NS_E_WMP_SERVER_DNS_TIMEOUT","features":[422]},{"name":"NS_E_WMP_SERVER_INACCESSIBLE","features":[422]},{"name":"NS_E_WMP_SERVER_NONEWCONNECTIONS","features":[422]},{"name":"NS_E_WMP_SERVER_NOT_RESPONDING","features":[422]},{"name":"NS_E_WMP_SERVER_SECURITY_ERROR","features":[422]},{"name":"NS_E_WMP_SERVER_UNAVAILABLE","features":[422]},{"name":"NS_E_WMP_STREAMING_RECORDING_NOT_ALLOWED","features":[422]},{"name":"NS_E_WMP_TAMPERED_CONTENT","features":[422]},{"name":"NS_E_WMP_UDRM_NOUSERLIST","features":[422]},{"name":"NS_E_WMP_UI_NOSKININZIP","features":[422]},{"name":"NS_E_WMP_UI_NOTATHEMEFILE","features":[422]},{"name":"NS_E_WMP_UI_OBJECTNOTFOUND","features":[422]},{"name":"NS_E_WMP_UI_PASSTHROUGH","features":[422]},{"name":"NS_E_WMP_UI_SECONDHANDLER","features":[422]},{"name":"NS_E_WMP_UI_SUBCONTROLSNOTSUPPORTED","features":[422]},{"name":"NS_E_WMP_UI_SUBELEMENTNOTFOUND","features":[422]},{"name":"NS_E_WMP_UI_VERSIONMISMATCH","features":[422]},{"name":"NS_E_WMP_UI_VERSIONPARSE","features":[422]},{"name":"NS_E_WMP_UI_VIEWIDNOTFOUND","features":[422]},{"name":"NS_E_WMP_UNKNOWN_ERROR","features":[422]},{"name":"NS_E_WMP_UNSUPPORTED_FORMAT","features":[422]},{"name":"NS_E_WMP_UPGRADE_APPLICATION","features":[422]},{"name":"NS_E_WMP_URLDOWNLOADFAILED","features":[422]},{"name":"NS_E_WMP_VERIFY_ONLINE","features":[422]},{"name":"NS_E_WMP_VIDEO_CODEC_NOT_INSTALLED","features":[422]},{"name":"NS_E_WMP_WINDOWSAPIFAILURE","features":[422]},{"name":"NS_E_WMP_WMDM_BUSY","features":[422]},{"name":"NS_E_WMP_WMDM_FAILURE","features":[422]},{"name":"NS_E_WMP_WMDM_INCORRECT_RIGHTS","features":[422]},{"name":"NS_E_WMP_WMDM_INTERFACEDEAD","features":[422]},{"name":"NS_E_WMP_WMDM_LICENSE_EXPIRED","features":[422]},{"name":"NS_E_WMP_WMDM_LICENSE_NOTEXIST","features":[422]},{"name":"NS_E_WMP_WMDM_NORIGHTS","features":[422]},{"name":"NS_E_WMP_WMDM_NOTCERTIFIED","features":[422]},{"name":"NS_E_WMR_CANNOT_RENDER_BINARY_STREAM","features":[422]},{"name":"NS_E_WMR_NOCALLBACKAVAILABLE","features":[422]},{"name":"NS_E_WMR_NOSOURCEFILTER","features":[422]},{"name":"NS_E_WMR_PINNOTFOUND","features":[422]},{"name":"NS_E_WMR_PINTYPENOMATCH","features":[422]},{"name":"NS_E_WMR_SAMPLEPROPERTYNOTSET","features":[422]},{"name":"NS_E_WMR_UNSUPPORTEDSTREAM","features":[422]},{"name":"NS_E_WMR_WAITINGONFORMATSWITCH","features":[422]},{"name":"NS_E_WMR_WILLNOT_RENDER_BINARY_STREAM","features":[422]},{"name":"NS_E_WMX_ATTRIBUTE_ALREADY_EXISTS","features":[422]},{"name":"NS_E_WMX_ATTRIBUTE_DOES_NOT_EXIST","features":[422]},{"name":"NS_E_WMX_ATTRIBUTE_UNRETRIEVABLE","features":[422]},{"name":"NS_E_WMX_INVALID_FORMAT_OVER_NESTING","features":[422]},{"name":"NS_E_WMX_ITEM_DOES_NOT_EXIST","features":[422]},{"name":"NS_E_WMX_ITEM_TYPE_ILLEGAL","features":[422]},{"name":"NS_E_WMX_ITEM_UNSETTABLE","features":[422]},{"name":"NS_E_WMX_PLAYLIST_EMPTY","features":[422]},{"name":"NS_E_WMX_UNRECOGNIZED_PLAYLIST_FORMAT","features":[422]},{"name":"NS_E_WONT_DO_DIGITAL","features":[422]},{"name":"NS_E_WRONG_OS_VERSION","features":[422]},{"name":"NS_E_WRONG_PUBLISHING_POINT_TYPE","features":[422]},{"name":"NS_E_WSX_INVALID_VERSION","features":[422]},{"name":"NS_I_CATATONIC_AUTO_UNFAIL","features":[422]},{"name":"NS_I_CATATONIC_FAILURE","features":[422]},{"name":"NS_I_CUB_RUNNING","features":[422]},{"name":"NS_I_CUB_START","features":[422]},{"name":"NS_I_CUB_UNFAIL_LINK","features":[422]},{"name":"NS_I_DISK_REBUILD_ABORTED","features":[422]},{"name":"NS_I_DISK_REBUILD_FINISHED","features":[422]},{"name":"NS_I_DISK_REBUILD_STARTED","features":[422]},{"name":"NS_I_DISK_START","features":[422]},{"name":"NS_I_DISK_STOP","features":[422]},{"name":"NS_I_EXISTING_PACKETIZER","features":[422]},{"name":"NS_I_KILL_CONNECTION","features":[422]},{"name":"NS_I_KILL_USERSESSION","features":[422]},{"name":"NS_I_LIMIT_BANDWIDTH","features":[422]},{"name":"NS_I_LIMIT_FUNNELS","features":[422]},{"name":"NS_I_LOGGING_FAILED","features":[422]},{"name":"NS_I_MANUAL_PROXY","features":[422]},{"name":"NS_I_NOLOG_STOP","features":[422]},{"name":"NS_I_PLAYLIST_CHANGE_RECEDING","features":[422]},{"name":"NS_I_REBUILD_DISK","features":[422]},{"name":"NS_I_RECONNECTED","features":[422]},{"name":"NS_I_RESTRIPE_CUB_OUT","features":[422]},{"name":"NS_I_RESTRIPE_DISK_OUT","features":[422]},{"name":"NS_I_RESTRIPE_DONE","features":[422]},{"name":"NS_I_RESTRIPE_START","features":[422]},{"name":"NS_I_START_DISK","features":[422]},{"name":"NS_I_STOP_CUB","features":[422]},{"name":"NS_I_STOP_DISK","features":[422]},{"name":"NS_I_TIGER_START","features":[422]},{"name":"NS_S_CALLABORTED","features":[422]},{"name":"NS_S_CALLPENDING","features":[422]},{"name":"NS_S_CHANGENOTICE","features":[422]},{"name":"NS_S_DEGRADING_QUALITY","features":[422]},{"name":"NS_S_DRM_ACQUIRE_CANCELLED","features":[422]},{"name":"NS_S_DRM_BURNABLE_TRACK","features":[422]},{"name":"NS_S_DRM_BURNABLE_TRACK_WITH_PLAYLIST_RESTRICTION","features":[422]},{"name":"NS_S_DRM_INDIVIDUALIZED","features":[422]},{"name":"NS_S_DRM_LICENSE_ACQUIRED","features":[422]},{"name":"NS_S_DRM_MONITOR_CANCELLED","features":[422]},{"name":"NS_S_DRM_NEEDS_INDIVIDUALIZATION","features":[422]},{"name":"NS_S_EOSRECEDING","features":[422]},{"name":"NS_S_NAVIGATION_COMPLETE_WITH_ERRORS","features":[422]},{"name":"NS_S_NEED_TO_BUY_BURN_RIGHTS","features":[422]},{"name":"NS_S_OPERATION_PENDING","features":[422]},{"name":"NS_S_PUBLISHING_POINT_STARTED_WITH_FAILED_SINKS","features":[422]},{"name":"NS_S_REBOOT_RECOMMENDED","features":[422]},{"name":"NS_S_REBOOT_REQUIRED","features":[422]},{"name":"NS_S_REBUFFERING","features":[422]},{"name":"NS_S_STREAM_TRUNCATED","features":[422]},{"name":"NS_S_TRACK_ALREADY_DOWNLOADED","features":[422]},{"name":"NS_S_TRACK_BUY_REQUIRES_ALBUM_PURCHASE","features":[422]},{"name":"NS_S_TRANSCRYPTOR_EOF","features":[422]},{"name":"NS_S_WMG_ADVISE_DROP_FRAME","features":[422]},{"name":"NS_S_WMG_ADVISE_DROP_TO_KEYFRAME","features":[422]},{"name":"NS_S_WMG_FORCE_DROP_FRAME","features":[422]},{"name":"NS_S_WMPBR_PARTIALSUCCESS","features":[422]},{"name":"NS_S_WMPBR_SUCCESS","features":[422]},{"name":"NS_S_WMPCORE_COMMAND_NOT_AVAILABLE","features":[422]},{"name":"NS_S_WMPCORE_MEDIA_CHILD_PLAYLIST_OPEN_PENDING","features":[422]},{"name":"NS_S_WMPCORE_MEDIA_VALIDATION_PENDING","features":[422]},{"name":"NS_S_WMPCORE_MORE_NODES_AVAIABLE","features":[422]},{"name":"NS_S_WMPCORE_PLAYLISTCLEARABORT","features":[422]},{"name":"NS_S_WMPCORE_PLAYLISTREMOVEITEMABORT","features":[422]},{"name":"NS_S_WMPCORE_PLAYLIST_COLLAPSED_TO_SINGLE_MEDIA","features":[422]},{"name":"NS_S_WMPCORE_PLAYLIST_CREATION_PENDING","features":[422]},{"name":"NS_S_WMPCORE_PLAYLIST_IMPORT_MISSING_ITEMS","features":[422]},{"name":"NS_S_WMPCORE_PLAYLIST_NAME_AUTO_GENERATED","features":[422]},{"name":"NS_S_WMPCORE_PLAYLIST_REPEAT_SECONDARY_SEGMENTS_IGNORED","features":[422]},{"name":"NS_S_WMPEFFECT_OPAQUE","features":[422]},{"name":"NS_S_WMPEFFECT_TRANSPARENT","features":[422]},{"name":"NS_S_WMP_EXCEPTION","features":[422]},{"name":"NS_S_WMP_LOADED_BMP_IMAGE","features":[422]},{"name":"NS_S_WMP_LOADED_GIF_IMAGE","features":[422]},{"name":"NS_S_WMP_LOADED_JPG_IMAGE","features":[422]},{"name":"NS_S_WMP_LOADED_PNG_IMAGE","features":[422]},{"name":"NS_S_WMP_UI_VERSIONMISMATCH","features":[422]},{"name":"NS_S_WMR_ALREADYRENDERED","features":[422]},{"name":"NS_S_WMR_PINTYPEFULLMATCH","features":[422]},{"name":"NS_S_WMR_PINTYPEPARTIALMATCH","features":[422]},{"name":"NS_W_FILE_BANDWIDTH_LIMIT","features":[422]},{"name":"NS_W_SERVER_BANDWIDTH_LIMIT","features":[422]},{"name":"NS_W_UNKNOWN_EVENT","features":[422]},{"name":"OLIADPCMWAVEFORMAT","features":[423,422]},{"name":"OLICELPWAVEFORMAT","features":[423,422]},{"name":"OLIGSMWAVEFORMAT","features":[423,422]},{"name":"OLIOPRWAVEFORMAT","features":[423,422]},{"name":"OLISBCWAVEFORMAT","features":[423,422]},{"name":"OpenDriver","features":[308,422]},{"name":"PD_CAN_DRAW_DIB","features":[422]},{"name":"PD_CAN_STRETCHDIB","features":[422]},{"name":"PD_STRETCHDIB_1_1_OK","features":[422]},{"name":"PD_STRETCHDIB_1_2_OK","features":[422]},{"name":"PD_STRETCHDIB_1_N_OK","features":[422]},{"name":"ROCKWELL_WA1_MIXER","features":[422]},{"name":"ROCKWELL_WA1_MPU401_IN","features":[422]},{"name":"ROCKWELL_WA1_MPU401_OUT","features":[422]},{"name":"ROCKWELL_WA1_SYNTH","features":[422]},{"name":"ROCKWELL_WA1_WAVEIN","features":[422]},{"name":"ROCKWELL_WA1_WAVEOUT","features":[422]},{"name":"ROCKWELL_WA2_MIXER","features":[422]},{"name":"ROCKWELL_WA2_MPU401_IN","features":[422]},{"name":"ROCKWELL_WA2_MPU401_OUT","features":[422]},{"name":"ROCKWELL_WA2_SYNTH","features":[422]},{"name":"ROCKWELL_WA2_WAVEIN","features":[422]},{"name":"ROCKWELL_WA2_WAVEOUT","features":[422]},{"name":"SEARCH_ANY","features":[422]},{"name":"SEARCH_BACKWARD","features":[422]},{"name":"SEARCH_FORWARD","features":[422]},{"name":"SEARCH_KEY","features":[422]},{"name":"SEARCH_NEAREST","features":[422]},{"name":"SEEK_CUR","features":[422]},{"name":"SEEK_END","features":[422]},{"name":"SEEK_SET","features":[422]},{"name":"SIERRAADPCMWAVEFORMAT","features":[423,422]},{"name":"SONARCWAVEFORMAT","features":[423,422]},{"name":"SendDriverMessage","features":[308,422]},{"name":"TARGET_DEVICE_FRIENDLY_NAME","features":[422]},{"name":"TARGET_DEVICE_OPEN_EXCLUSIVELY","features":[422]},{"name":"TASKERR_NOTASKSUPPORT","features":[422]},{"name":"TASKERR_OUTOFMEMORY","features":[422]},{"name":"TDD_BEGINMINPERIOD","features":[422]},{"name":"TDD_ENDMINPERIOD","features":[422]},{"name":"TDD_GETDEVCAPS","features":[422]},{"name":"TDD_GETSYSTEMTIME","features":[422]},{"name":"TDD_KILLTIMEREVENT","features":[422]},{"name":"TDD_SETTIMEREVENT","features":[422]},{"name":"TIMEREVENT","features":[422]},{"name":"TRUESPEECHWAVEFORMAT","features":[423,422]},{"name":"VADMAD_Device_ID","features":[422]},{"name":"VCAPS_CAN_SCALE","features":[422]},{"name":"VCAPS_DST_CAN_CLIP","features":[422]},{"name":"VCAPS_OVERLAY","features":[422]},{"name":"VCAPS_SRC_CAN_CLIP","features":[422]},{"name":"VFWWDMExtensionProc","features":[308,422,358]},{"name":"VFW_HIDE_CAMERACONTROL_PAGE","features":[422]},{"name":"VFW_HIDE_SETTINGS_PAGE","features":[422]},{"name":"VFW_HIDE_VIDEOSRC_PAGE","features":[422]},{"name":"VFW_OEM_ADD_PAGE","features":[422]},{"name":"VFW_QUERY_DEV_CHANGED","features":[422]},{"name":"VFW_USE_DEVICE_HANDLE","features":[422]},{"name":"VFW_USE_STREAM_HANDLE","features":[422]},{"name":"VHDR_DONE","features":[422]},{"name":"VHDR_INQUEUE","features":[422]},{"name":"VHDR_KEYFRAME","features":[422]},{"name":"VHDR_PREPARED","features":[422]},{"name":"VHDR_VALID","features":[422]},{"name":"VIDCF_COMPRESSFRAMES","features":[422]},{"name":"VIDCF_CRUNCH","features":[422]},{"name":"VIDCF_DRAW","features":[422]},{"name":"VIDCF_FASTTEMPORALC","features":[422]},{"name":"VIDCF_FASTTEMPORALD","features":[422]},{"name":"VIDCF_QUALITY","features":[422]},{"name":"VIDCF_TEMPORAL","features":[422]},{"name":"VIDEOHDR","features":[422]},{"name":"VIDEO_CONFIGURE_CURRENT","features":[422]},{"name":"VIDEO_CONFIGURE_GET","features":[422]},{"name":"VIDEO_CONFIGURE_MAX","features":[422]},{"name":"VIDEO_CONFIGURE_MIN","features":[422]},{"name":"VIDEO_CONFIGURE_NOMINAL","features":[422]},{"name":"VIDEO_CONFIGURE_QUERY","features":[422]},{"name":"VIDEO_CONFIGURE_QUERYSIZE","features":[422]},{"name":"VIDEO_CONFIGURE_SET","features":[422]},{"name":"VIDEO_DLG_QUERY","features":[422]},{"name":"VIDEO_EXTERNALIN","features":[422]},{"name":"VIDEO_EXTERNALOUT","features":[422]},{"name":"VIDEO_IN","features":[422]},{"name":"VIDEO_OUT","features":[422]},{"name":"VP_COMMAND_GET","features":[422]},{"name":"VP_COMMAND_SET","features":[422]},{"name":"VP_CP_CMD_ACTIVATE","features":[422]},{"name":"VP_CP_CMD_CHANGE","features":[422]},{"name":"VP_CP_CMD_DEACTIVATE","features":[422]},{"name":"VP_CP_TYPE_APS_TRIGGER","features":[422]},{"name":"VP_CP_TYPE_MACROVISION","features":[422]},{"name":"VP_FLAGS_BRIGHTNESS","features":[422]},{"name":"VP_FLAGS_CONTRAST","features":[422]},{"name":"VP_FLAGS_COPYPROTECT","features":[422]},{"name":"VP_FLAGS_FLICKER","features":[422]},{"name":"VP_FLAGS_MAX_UNSCALED","features":[422]},{"name":"VP_FLAGS_OVERSCAN","features":[422]},{"name":"VP_FLAGS_POSITION","features":[422]},{"name":"VP_FLAGS_TV_MODE","features":[422]},{"name":"VP_FLAGS_TV_STANDARD","features":[422]},{"name":"VP_MODE_TV_PLAYBACK","features":[422]},{"name":"VP_MODE_WIN_GRAPHICS","features":[422]},{"name":"VP_TV_STANDARD_NTSC_433","features":[422]},{"name":"VP_TV_STANDARD_NTSC_M","features":[422]},{"name":"VP_TV_STANDARD_NTSC_M_J","features":[422]},{"name":"VP_TV_STANDARD_PAL_60","features":[422]},{"name":"VP_TV_STANDARD_PAL_B","features":[422]},{"name":"VP_TV_STANDARD_PAL_D","features":[422]},{"name":"VP_TV_STANDARD_PAL_G","features":[422]},{"name":"VP_TV_STANDARD_PAL_H","features":[422]},{"name":"VP_TV_STANDARD_PAL_I","features":[422]},{"name":"VP_TV_STANDARD_PAL_M","features":[422]},{"name":"VP_TV_STANDARD_PAL_N","features":[422]},{"name":"VP_TV_STANDARD_SECAM_B","features":[422]},{"name":"VP_TV_STANDARD_SECAM_D","features":[422]},{"name":"VP_TV_STANDARD_SECAM_G","features":[422]},{"name":"VP_TV_STANDARD_SECAM_H","features":[422]},{"name":"VP_TV_STANDARD_SECAM_K","features":[422]},{"name":"VP_TV_STANDARD_SECAM_K1","features":[422]},{"name":"VP_TV_STANDARD_SECAM_L","features":[422]},{"name":"VP_TV_STANDARD_SECAM_L1","features":[422]},{"name":"VP_TV_STANDARD_WIN_VGA","features":[422]},{"name":"VideoForWindowsVersion","features":[422]},{"name":"WAVEOPENDESC","features":[423,422]},{"name":"WAVE_FILTER_DEVELOPMENT","features":[422]},{"name":"WAVE_FILTER_ECHO","features":[422]},{"name":"WAVE_FILTER_UNKNOWN","features":[422]},{"name":"WAVE_FILTER_VOLUME","features":[422]},{"name":"WAVE_FORMAT_3COM_NBX","features":[422]},{"name":"WAVE_FORMAT_ADPCM","features":[422]},{"name":"WAVE_FORMAT_ALAC","features":[422]},{"name":"WAVE_FORMAT_ALAW","features":[422]},{"name":"WAVE_FORMAT_AMR_NB","features":[422]},{"name":"WAVE_FORMAT_AMR_WB","features":[422]},{"name":"WAVE_FORMAT_AMR_WP","features":[422]},{"name":"WAVE_FORMAT_ANTEX_ADPCME","features":[422]},{"name":"WAVE_FORMAT_APTX","features":[422]},{"name":"WAVE_FORMAT_AUDIOFILE_AF10","features":[422]},{"name":"WAVE_FORMAT_AUDIOFILE_AF36","features":[422]},{"name":"WAVE_FORMAT_BTV_DIGITAL","features":[422]},{"name":"WAVE_FORMAT_CANOPUS_ATRAC","features":[422]},{"name":"WAVE_FORMAT_CIRRUS","features":[422]},{"name":"WAVE_FORMAT_CODIAN","features":[422]},{"name":"WAVE_FORMAT_COMVERSE_INFOSYS_AVQSBC","features":[422]},{"name":"WAVE_FORMAT_COMVERSE_INFOSYS_G723_1","features":[422]},{"name":"WAVE_FORMAT_COMVERSE_INFOSYS_SBC","features":[422]},{"name":"WAVE_FORMAT_CONGRUENCY","features":[422]},{"name":"WAVE_FORMAT_CONTROL_RES_CR10","features":[422]},{"name":"WAVE_FORMAT_CONTROL_RES_VQLPC","features":[422]},{"name":"WAVE_FORMAT_CONVEDIA_G729","features":[422]},{"name":"WAVE_FORMAT_CREATIVE_ADPCM","features":[422]},{"name":"WAVE_FORMAT_CREATIVE_FASTSPEECH10","features":[422]},{"name":"WAVE_FORMAT_CREATIVE_FASTSPEECH8","features":[422]},{"name":"WAVE_FORMAT_CS2","features":[422]},{"name":"WAVE_FORMAT_CS_IMAADPCM","features":[422]},{"name":"WAVE_FORMAT_CUSEEME","features":[422]},{"name":"WAVE_FORMAT_CU_CODEC","features":[422]},{"name":"WAVE_FORMAT_DEVELOPMENT","features":[422]},{"name":"WAVE_FORMAT_DF_G726","features":[422]},{"name":"WAVE_FORMAT_DF_GSM610","features":[422]},{"name":"WAVE_FORMAT_DIALOGIC_OKI_ADPCM","features":[422]},{"name":"WAVE_FORMAT_DICTAPHONE_CELP54","features":[422]},{"name":"WAVE_FORMAT_DICTAPHONE_CELP68","features":[422]},{"name":"WAVE_FORMAT_DIGIADPCM","features":[422]},{"name":"WAVE_FORMAT_DIGIFIX","features":[422]},{"name":"WAVE_FORMAT_DIGIREAL","features":[422]},{"name":"WAVE_FORMAT_DIGISTD","features":[422]},{"name":"WAVE_FORMAT_DIGITAL_G723","features":[422]},{"name":"WAVE_FORMAT_DIVIO_G726","features":[422]},{"name":"WAVE_FORMAT_DIVIO_MPEG4_AAC","features":[422]},{"name":"WAVE_FORMAT_DOLBY_AC2","features":[422]},{"name":"WAVE_FORMAT_DOLBY_AC3_SPDIF","features":[422]},{"name":"WAVE_FORMAT_DOLBY_AC4","features":[422]},{"name":"WAVE_FORMAT_DRM","features":[422]},{"name":"WAVE_FORMAT_DSAT","features":[422]},{"name":"WAVE_FORMAT_DSAT_DISPLAY","features":[422]},{"name":"WAVE_FORMAT_DSPGROUP_TRUESPEECH","features":[422]},{"name":"WAVE_FORMAT_DTS","features":[422]},{"name":"WAVE_FORMAT_DTS2","features":[422]},{"name":"WAVE_FORMAT_DTS_DS","features":[422]},{"name":"WAVE_FORMAT_DVI_ADPCM","features":[422]},{"name":"WAVE_FORMAT_DVM","features":[422]},{"name":"WAVE_FORMAT_ECHOSC1","features":[422]},{"name":"WAVE_FORMAT_ECHOSC3","features":[422]},{"name":"WAVE_FORMAT_ENCORE_G726","features":[422]},{"name":"WAVE_FORMAT_ESPCM","features":[422]},{"name":"WAVE_FORMAT_ESST_AC3","features":[422]},{"name":"WAVE_FORMAT_FAAD_AAC","features":[422]},{"name":"WAVE_FORMAT_FLAC","features":[422]},{"name":"WAVE_FORMAT_FM_TOWNS_SND","features":[422]},{"name":"WAVE_FORMAT_FRACE_TELECOM_G729","features":[422]},{"name":"WAVE_FORMAT_FRAUNHOFER_IIS_MPEG2_AAC","features":[422]},{"name":"WAVE_FORMAT_G721_ADPCM","features":[422]},{"name":"WAVE_FORMAT_G722_ADPCM","features":[422]},{"name":"WAVE_FORMAT_G723_ADPCM","features":[422]},{"name":"WAVE_FORMAT_G726ADPCM","features":[422]},{"name":"WAVE_FORMAT_G726_ADPCM","features":[422]},{"name":"WAVE_FORMAT_G728_CELP","features":[422]},{"name":"WAVE_FORMAT_G729A","features":[422]},{"name":"WAVE_FORMAT_GENERIC_PASSTHRU","features":[422]},{"name":"WAVE_FORMAT_GLOBAL_IP_ILBC","features":[422]},{"name":"WAVE_FORMAT_GSM610","features":[422]},{"name":"WAVE_FORMAT_GSM_610","features":[422]},{"name":"WAVE_FORMAT_GSM_620","features":[422]},{"name":"WAVE_FORMAT_GSM_660","features":[422]},{"name":"WAVE_FORMAT_GSM_690","features":[422]},{"name":"WAVE_FORMAT_GSM_ADAPTIVE_MULTIRATE_WB","features":[422]},{"name":"WAVE_FORMAT_GSM_AMR_CBR","features":[422]},{"name":"WAVE_FORMAT_GSM_AMR_VBR_SID","features":[422]},{"name":"WAVE_FORMAT_HP_DYN_VOICE","features":[422]},{"name":"WAVE_FORMAT_IBM_CVSD","features":[422]},{"name":"WAVE_FORMAT_IEEE_FLOAT","features":[422]},{"name":"WAVE_FORMAT_ILINK_VC","features":[422]},{"name":"WAVE_FORMAT_IMA_ADPCM","features":[422]},{"name":"WAVE_FORMAT_INDEO_AUDIO","features":[422]},{"name":"WAVE_FORMAT_INFOCOM_ITS_G721_ADPCM","features":[422]},{"name":"WAVE_FORMAT_INGENIENT_G726","features":[422]},{"name":"WAVE_FORMAT_INNINGS_TELECOM_ADPCM","features":[422]},{"name":"WAVE_FORMAT_INTEL_G723_1","features":[422]},{"name":"WAVE_FORMAT_INTEL_G729","features":[422]},{"name":"WAVE_FORMAT_INTEL_MUSIC_CODER","features":[422]},{"name":"WAVE_FORMAT_IPI_HSX","features":[422]},{"name":"WAVE_FORMAT_IPI_RPELP","features":[422]},{"name":"WAVE_FORMAT_IRAT","features":[422]},{"name":"WAVE_FORMAT_ISIAUDIO","features":[422]},{"name":"WAVE_FORMAT_ISIAUDIO_2","features":[422]},{"name":"WAVE_FORMAT_KNOWLEDGE_ADVENTURE_ADPCM","features":[422]},{"name":"WAVE_FORMAT_LEAD_SPEECH","features":[422]},{"name":"WAVE_FORMAT_LEAD_VORBIS","features":[422]},{"name":"WAVE_FORMAT_LH_CODEC","features":[422]},{"name":"WAVE_FORMAT_LH_CODEC_CELP","features":[422]},{"name":"WAVE_FORMAT_LH_CODEC_SBC12","features":[422]},{"name":"WAVE_FORMAT_LH_CODEC_SBC16","features":[422]},{"name":"WAVE_FORMAT_LH_CODEC_SBC8","features":[422]},{"name":"WAVE_FORMAT_LIGHTWAVE_LOSSLESS","features":[422]},{"name":"WAVE_FORMAT_LRC","features":[422]},{"name":"WAVE_FORMAT_LUCENT_G723","features":[422]},{"name":"WAVE_FORMAT_LUCENT_SX5363S","features":[422]},{"name":"WAVE_FORMAT_LUCENT_SX8300P","features":[422]},{"name":"WAVE_FORMAT_MAKEAVIS","features":[422]},{"name":"WAVE_FORMAT_MALDEN_PHONYTALK","features":[422]},{"name":"WAVE_FORMAT_MEDIASONIC_G723","features":[422]},{"name":"WAVE_FORMAT_MEDIASPACE_ADPCM","features":[422]},{"name":"WAVE_FORMAT_MEDIAVISION_ADPCM","features":[422]},{"name":"WAVE_FORMAT_MICRONAS","features":[422]},{"name":"WAVE_FORMAT_MICRONAS_CELP833","features":[422]},{"name":"WAVE_FORMAT_MPEG","features":[422]},{"name":"WAVE_FORMAT_MPEG4_AAC","features":[422]},{"name":"WAVE_FORMAT_MPEGLAYER3","features":[422]},{"name":"WAVE_FORMAT_MPEG_ADTS_AAC","features":[422]},{"name":"WAVE_FORMAT_MPEG_HEAAC","features":[422]},{"name":"WAVE_FORMAT_MPEG_LOAS","features":[422]},{"name":"WAVE_FORMAT_MPEG_RAW_AAC","features":[422]},{"name":"WAVE_FORMAT_MSAUDIO1","features":[422]},{"name":"WAVE_FORMAT_MSG723","features":[422]},{"name":"WAVE_FORMAT_MSNAUDIO","features":[422]},{"name":"WAVE_FORMAT_MSRT24","features":[422]},{"name":"WAVE_FORMAT_MULAW","features":[422]},{"name":"WAVE_FORMAT_MULTITUDE_FT_SX20","features":[422]},{"name":"WAVE_FORMAT_MVI_MVI2","features":[422]},{"name":"WAVE_FORMAT_NEC_AAC","features":[422]},{"name":"WAVE_FORMAT_NICE_ACA","features":[422]},{"name":"WAVE_FORMAT_NICE_ADPCM","features":[422]},{"name":"WAVE_FORMAT_NICE_G728","features":[422]},{"name":"WAVE_FORMAT_NMS_VBXADPCM","features":[422]},{"name":"WAVE_FORMAT_NOKIA_ADAPTIVE_MULTIRATE","features":[422]},{"name":"WAVE_FORMAT_NOKIA_MPEG_ADTS_AAC","features":[422]},{"name":"WAVE_FORMAT_NOKIA_MPEG_RAW_AAC","features":[422]},{"name":"WAVE_FORMAT_NORCOM_VOICE_SYSTEMS_ADPCM","features":[422]},{"name":"WAVE_FORMAT_NORRIS","features":[422]},{"name":"WAVE_FORMAT_NTCSOFT_ALF2CM_ACM","features":[422]},{"name":"WAVE_FORMAT_OGG_VORBIS_MODE_1","features":[422]},{"name":"WAVE_FORMAT_OGG_VORBIS_MODE_1_PLUS","features":[422]},{"name":"WAVE_FORMAT_OGG_VORBIS_MODE_2","features":[422]},{"name":"WAVE_FORMAT_OGG_VORBIS_MODE_2_PLUS","features":[422]},{"name":"WAVE_FORMAT_OGG_VORBIS_MODE_3","features":[422]},{"name":"WAVE_FORMAT_OGG_VORBIS_MODE_3_PLUS","features":[422]},{"name":"WAVE_FORMAT_OKI_ADPCM","features":[422]},{"name":"WAVE_FORMAT_OLIADPCM","features":[422]},{"name":"WAVE_FORMAT_OLICELP","features":[422]},{"name":"WAVE_FORMAT_OLIGSM","features":[422]},{"name":"WAVE_FORMAT_OLIOPR","features":[422]},{"name":"WAVE_FORMAT_OLISBC","features":[422]},{"name":"WAVE_FORMAT_ON2_VP6_AUDIO","features":[422]},{"name":"WAVE_FORMAT_ON2_VP7_AUDIO","features":[422]},{"name":"WAVE_FORMAT_ONLIVE","features":[422]},{"name":"WAVE_FORMAT_OPUS","features":[422]},{"name":"WAVE_FORMAT_PAC","features":[422]},{"name":"WAVE_FORMAT_PACKED","features":[422]},{"name":"WAVE_FORMAT_PCM_S","features":[422]},{"name":"WAVE_FORMAT_PHILIPS_CELP","features":[422]},{"name":"WAVE_FORMAT_PHILIPS_GRUNDIG","features":[422]},{"name":"WAVE_FORMAT_PHILIPS_LPCBB","features":[422]},{"name":"WAVE_FORMAT_POLYCOM_G722","features":[422]},{"name":"WAVE_FORMAT_POLYCOM_G728","features":[422]},{"name":"WAVE_FORMAT_POLYCOM_G729_A","features":[422]},{"name":"WAVE_FORMAT_POLYCOM_SIREN","features":[422]},{"name":"WAVE_FORMAT_PROSODY_1612","features":[422]},{"name":"WAVE_FORMAT_PROSODY_8KBPS","features":[422]},{"name":"WAVE_FORMAT_QDESIGN_MUSIC","features":[422]},{"name":"WAVE_FORMAT_QUALCOMM_HALFRATE","features":[422]},{"name":"WAVE_FORMAT_QUALCOMM_PUREVOICE","features":[422]},{"name":"WAVE_FORMAT_QUARTERDECK","features":[422]},{"name":"WAVE_FORMAT_RACAL_RECORDER_G720_A","features":[422]},{"name":"WAVE_FORMAT_RACAL_RECORDER_G723_1","features":[422]},{"name":"WAVE_FORMAT_RACAL_RECORDER_GSM","features":[422]},{"name":"WAVE_FORMAT_RACAL_RECORDER_TETRA_ACELP","features":[422]},{"name":"WAVE_FORMAT_RADIOTIME_TIME_SHIFT_RADIO","features":[422]},{"name":"WAVE_FORMAT_RAW_AAC1","features":[422]},{"name":"WAVE_FORMAT_RAW_SPORT","features":[422]},{"name":"WAVE_FORMAT_RHETOREX_ADPCM","features":[422]},{"name":"WAVE_FORMAT_ROCKWELL_ADPCM","features":[422]},{"name":"WAVE_FORMAT_ROCKWELL_DIGITALK","features":[422]},{"name":"WAVE_FORMAT_RT24","features":[422]},{"name":"WAVE_FORMAT_SANYO_LD_ADPCM","features":[422]},{"name":"WAVE_FORMAT_SBC24","features":[422]},{"name":"WAVE_FORMAT_SHARP_G726","features":[422]},{"name":"WAVE_FORMAT_SIERRA_ADPCM","features":[422]},{"name":"WAVE_FORMAT_SIPROLAB_ACELP4800","features":[422]},{"name":"WAVE_FORMAT_SIPROLAB_ACELP8V3","features":[422]},{"name":"WAVE_FORMAT_SIPROLAB_ACEPLNET","features":[422]},{"name":"WAVE_FORMAT_SIPROLAB_G729","features":[422]},{"name":"WAVE_FORMAT_SIPROLAB_G729A","features":[422]},{"name":"WAVE_FORMAT_SIPROLAB_KELVIN","features":[422]},{"name":"WAVE_FORMAT_SOFTSOUND","features":[422]},{"name":"WAVE_FORMAT_SONARC","features":[422]},{"name":"WAVE_FORMAT_SONICFOUNDRY_LOSSLESS","features":[422]},{"name":"WAVE_FORMAT_SONY_ATRAC3","features":[422]},{"name":"WAVE_FORMAT_SONY_SCX","features":[422]},{"name":"WAVE_FORMAT_SONY_SCY","features":[422]},{"name":"WAVE_FORMAT_SONY_SPC","features":[422]},{"name":"WAVE_FORMAT_SOUNDSPACE_MUSICOMPRESS","features":[422]},{"name":"WAVE_FORMAT_SPEEX_VOICE","features":[422]},{"name":"WAVE_FORMAT_SYCOM_ACM_SYC008","features":[422]},{"name":"WAVE_FORMAT_SYCOM_ACM_SYC701_CELP54","features":[422]},{"name":"WAVE_FORMAT_SYCOM_ACM_SYC701_CELP68","features":[422]},{"name":"WAVE_FORMAT_SYCOM_ACM_SYC701_G726L","features":[422]},{"name":"WAVE_FORMAT_SYMBOL_G729_A","features":[422]},{"name":"WAVE_FORMAT_TELUM_AUDIO","features":[422]},{"name":"WAVE_FORMAT_TELUM_IA_AUDIO","features":[422]},{"name":"WAVE_FORMAT_TPC","features":[422]},{"name":"WAVE_FORMAT_TUBGSM","features":[422]},{"name":"WAVE_FORMAT_UHER_ADPCM","features":[422]},{"name":"WAVE_FORMAT_ULEAD_DV_AUDIO","features":[422]},{"name":"WAVE_FORMAT_ULEAD_DV_AUDIO_1","features":[422]},{"name":"WAVE_FORMAT_UNISYS_NAP_16K","features":[422]},{"name":"WAVE_FORMAT_UNISYS_NAP_ADPCM","features":[422]},{"name":"WAVE_FORMAT_UNISYS_NAP_ALAW","features":[422]},{"name":"WAVE_FORMAT_UNISYS_NAP_ULAW","features":[422]},{"name":"WAVE_FORMAT_UNKNOWN","features":[422]},{"name":"WAVE_FORMAT_VIANIX_MASC","features":[422]},{"name":"WAVE_FORMAT_VIVO_G723","features":[422]},{"name":"WAVE_FORMAT_VIVO_SIREN","features":[422]},{"name":"WAVE_FORMAT_VME_VMPCM","features":[422]},{"name":"WAVE_FORMAT_VOCORD_G721","features":[422]},{"name":"WAVE_FORMAT_VOCORD_G722_1","features":[422]},{"name":"WAVE_FORMAT_VOCORD_G723_1","features":[422]},{"name":"WAVE_FORMAT_VOCORD_G726","features":[422]},{"name":"WAVE_FORMAT_VOCORD_G728","features":[422]},{"name":"WAVE_FORMAT_VOCORD_G729","features":[422]},{"name":"WAVE_FORMAT_VOCORD_G729_A","features":[422]},{"name":"WAVE_FORMAT_VOCORD_LBC","features":[422]},{"name":"WAVE_FORMAT_VODAFONE_MPEG_ADTS_AAC","features":[422]},{"name":"WAVE_FORMAT_VODAFONE_MPEG_RAW_AAC","features":[422]},{"name":"WAVE_FORMAT_VOICEAGE_AMR","features":[422]},{"name":"WAVE_FORMAT_VOICEAGE_AMR_WB","features":[422]},{"name":"WAVE_FORMAT_VOXWARE","features":[422]},{"name":"WAVE_FORMAT_VOXWARE_AC10","features":[422]},{"name":"WAVE_FORMAT_VOXWARE_AC16","features":[422]},{"name":"WAVE_FORMAT_VOXWARE_AC20","features":[422]},{"name":"WAVE_FORMAT_VOXWARE_AC8","features":[422]},{"name":"WAVE_FORMAT_VOXWARE_BYTE_ALIGNED","features":[422]},{"name":"WAVE_FORMAT_VOXWARE_RT24","features":[422]},{"name":"WAVE_FORMAT_VOXWARE_RT24_SPEECH","features":[422]},{"name":"WAVE_FORMAT_VOXWARE_RT29","features":[422]},{"name":"WAVE_FORMAT_VOXWARE_RT29HW","features":[422]},{"name":"WAVE_FORMAT_VOXWARE_SC3","features":[422]},{"name":"WAVE_FORMAT_VOXWARE_SC3_1","features":[422]},{"name":"WAVE_FORMAT_VOXWARE_TQ40","features":[422]},{"name":"WAVE_FORMAT_VOXWARE_TQ60","features":[422]},{"name":"WAVE_FORMAT_VOXWARE_VR12","features":[422]},{"name":"WAVE_FORMAT_VOXWARE_VR18","features":[422]},{"name":"WAVE_FORMAT_VSELP","features":[422]},{"name":"WAVE_FORMAT_WAVPACK_AUDIO","features":[422]},{"name":"WAVE_FORMAT_WM9_SPECTRUM_ANALYZER","features":[422]},{"name":"WAVE_FORMAT_WMASPDIF","features":[422]},{"name":"WAVE_FORMAT_WMAUDIO2","features":[422]},{"name":"WAVE_FORMAT_WMAUDIO3","features":[422]},{"name":"WAVE_FORMAT_WMAUDIO_LOSSLESS","features":[422]},{"name":"WAVE_FORMAT_WMAVOICE10","features":[422]},{"name":"WAVE_FORMAT_WMAVOICE9","features":[422]},{"name":"WAVE_FORMAT_WMF_SPECTRUM_ANAYZER","features":[422]},{"name":"WAVE_FORMAT_XEBEC","features":[422]},{"name":"WAVE_FORMAT_YAMAHA_ADPCM","features":[422]},{"name":"WAVE_FORMAT_ZOLL_ASAO","features":[422]},{"name":"WAVE_FORMAT_ZYXEL_ADPCM","features":[422]},{"name":"WAVE_MAPPER_S","features":[422]},{"name":"WIDM_ADDBUFFER","features":[422]},{"name":"WIDM_CLOSE","features":[422]},{"name":"WIDM_GETDEVCAPS","features":[422]},{"name":"WIDM_GETNUMDEVS","features":[422]},{"name":"WIDM_GETPOS","features":[422]},{"name":"WIDM_INIT","features":[422]},{"name":"WIDM_INIT_EX","features":[422]},{"name":"WIDM_OPEN","features":[422]},{"name":"WIDM_PREFERRED","features":[422]},{"name":"WIDM_PREPARE","features":[422]},{"name":"WIDM_RESET","features":[422]},{"name":"WIDM_START","features":[422]},{"name":"WIDM_STOP","features":[422]},{"name":"WIDM_UNPREPARE","features":[422]},{"name":"WMAUDIO2WAVEFORMAT","features":[423,422]},{"name":"WMAUDIO2_BITS_PER_SAMPLE","features":[422]},{"name":"WMAUDIO2_MAX_CHANNELS","features":[422]},{"name":"WMAUDIO3WAVEFORMAT","features":[423,422]},{"name":"WMAUDIO_BITS_PER_SAMPLE","features":[422]},{"name":"WMAUDIO_MAX_CHANNELS","features":[422]},{"name":"WM_CAP_ABORT","features":[422]},{"name":"WM_CAP_DLG_VIDEOCOMPRESSION","features":[422]},{"name":"WM_CAP_DLG_VIDEODISPLAY","features":[422]},{"name":"WM_CAP_DLG_VIDEOFORMAT","features":[422]},{"name":"WM_CAP_DLG_VIDEOSOURCE","features":[422]},{"name":"WM_CAP_DRIVER_CONNECT","features":[422]},{"name":"WM_CAP_DRIVER_DISCONNECT","features":[422]},{"name":"WM_CAP_DRIVER_GET_CAPS","features":[422]},{"name":"WM_CAP_DRIVER_GET_NAME","features":[422]},{"name":"WM_CAP_DRIVER_GET_NAMEA","features":[422]},{"name":"WM_CAP_DRIVER_GET_NAMEW","features":[422]},{"name":"WM_CAP_DRIVER_GET_VERSION","features":[422]},{"name":"WM_CAP_DRIVER_GET_VERSIONA","features":[422]},{"name":"WM_CAP_DRIVER_GET_VERSIONW","features":[422]},{"name":"WM_CAP_EDIT_COPY","features":[422]},{"name":"WM_CAP_END","features":[422]},{"name":"WM_CAP_FILE_ALLOCATE","features":[422]},{"name":"WM_CAP_FILE_GET_CAPTURE_FILE","features":[422]},{"name":"WM_CAP_FILE_GET_CAPTURE_FILEA","features":[422]},{"name":"WM_CAP_FILE_GET_CAPTURE_FILEW","features":[422]},{"name":"WM_CAP_FILE_SAVEAS","features":[422]},{"name":"WM_CAP_FILE_SAVEASA","features":[422]},{"name":"WM_CAP_FILE_SAVEASW","features":[422]},{"name":"WM_CAP_FILE_SAVEDIB","features":[422]},{"name":"WM_CAP_FILE_SAVEDIBA","features":[422]},{"name":"WM_CAP_FILE_SAVEDIBW","features":[422]},{"name":"WM_CAP_FILE_SET_CAPTURE_FILE","features":[422]},{"name":"WM_CAP_FILE_SET_CAPTURE_FILEA","features":[422]},{"name":"WM_CAP_FILE_SET_CAPTURE_FILEW","features":[422]},{"name":"WM_CAP_FILE_SET_INFOCHUNK","features":[422]},{"name":"WM_CAP_GET_AUDIOFORMAT","features":[422]},{"name":"WM_CAP_GET_CAPSTREAMPTR","features":[422]},{"name":"WM_CAP_GET_MCI_DEVICE","features":[422]},{"name":"WM_CAP_GET_MCI_DEVICEA","features":[422]},{"name":"WM_CAP_GET_MCI_DEVICEW","features":[422]},{"name":"WM_CAP_GET_SEQUENCE_SETUP","features":[422]},{"name":"WM_CAP_GET_STATUS","features":[422]},{"name":"WM_CAP_GET_USER_DATA","features":[422]},{"name":"WM_CAP_GET_VIDEOFORMAT","features":[422]},{"name":"WM_CAP_GRAB_FRAME","features":[422]},{"name":"WM_CAP_GRAB_FRAME_NOSTOP","features":[422]},{"name":"WM_CAP_PAL_AUTOCREATE","features":[422]},{"name":"WM_CAP_PAL_MANUALCREATE","features":[422]},{"name":"WM_CAP_PAL_OPEN","features":[422]},{"name":"WM_CAP_PAL_OPENA","features":[422]},{"name":"WM_CAP_PAL_OPENW","features":[422]},{"name":"WM_CAP_PAL_PASTE","features":[422]},{"name":"WM_CAP_PAL_SAVE","features":[422]},{"name":"WM_CAP_PAL_SAVEA","features":[422]},{"name":"WM_CAP_PAL_SAVEW","features":[422]},{"name":"WM_CAP_SEQUENCE","features":[422]},{"name":"WM_CAP_SEQUENCE_NOFILE","features":[422]},{"name":"WM_CAP_SET_AUDIOFORMAT","features":[422]},{"name":"WM_CAP_SET_CALLBACK_CAPCONTROL","features":[422]},{"name":"WM_CAP_SET_CALLBACK_ERROR","features":[422]},{"name":"WM_CAP_SET_CALLBACK_ERRORA","features":[422]},{"name":"WM_CAP_SET_CALLBACK_ERRORW","features":[422]},{"name":"WM_CAP_SET_CALLBACK_FRAME","features":[422]},{"name":"WM_CAP_SET_CALLBACK_STATUS","features":[422]},{"name":"WM_CAP_SET_CALLBACK_STATUSA","features":[422]},{"name":"WM_CAP_SET_CALLBACK_STATUSW","features":[422]},{"name":"WM_CAP_SET_CALLBACK_VIDEOSTREAM","features":[422]},{"name":"WM_CAP_SET_CALLBACK_WAVESTREAM","features":[422]},{"name":"WM_CAP_SET_CALLBACK_YIELD","features":[422]},{"name":"WM_CAP_SET_MCI_DEVICE","features":[422]},{"name":"WM_CAP_SET_MCI_DEVICEA","features":[422]},{"name":"WM_CAP_SET_MCI_DEVICEW","features":[422]},{"name":"WM_CAP_SET_OVERLAY","features":[422]},{"name":"WM_CAP_SET_PREVIEW","features":[422]},{"name":"WM_CAP_SET_PREVIEWRATE","features":[422]},{"name":"WM_CAP_SET_SCALE","features":[422]},{"name":"WM_CAP_SET_SCROLL","features":[422]},{"name":"WM_CAP_SET_SEQUENCE_SETUP","features":[422]},{"name":"WM_CAP_SET_USER_DATA","features":[422]},{"name":"WM_CAP_SET_VIDEOFORMAT","features":[422]},{"name":"WM_CAP_SINGLE_FRAME","features":[422]},{"name":"WM_CAP_SINGLE_FRAME_CLOSE","features":[422]},{"name":"WM_CAP_SINGLE_FRAME_OPEN","features":[422]},{"name":"WM_CAP_START","features":[422]},{"name":"WM_CAP_STOP","features":[422]},{"name":"WM_CAP_UNICODE_END","features":[422]},{"name":"WM_CAP_UNICODE_START","features":[422]},{"name":"WODM_BREAKLOOP","features":[422]},{"name":"WODM_BUSY","features":[422]},{"name":"WODM_CLOSE","features":[422]},{"name":"WODM_GETDEVCAPS","features":[422]},{"name":"WODM_GETNUMDEVS","features":[422]},{"name":"WODM_GETPITCH","features":[422]},{"name":"WODM_GETPLAYBACKRATE","features":[422]},{"name":"WODM_GETPOS","features":[422]},{"name":"WODM_GETVOLUME","features":[422]},{"name":"WODM_INIT","features":[422]},{"name":"WODM_INIT_EX","features":[422]},{"name":"WODM_OPEN","features":[422]},{"name":"WODM_PAUSE","features":[422]},{"name":"WODM_PREFERRED","features":[422]},{"name":"WODM_PREPARE","features":[422]},{"name":"WODM_RESET","features":[422]},{"name":"WODM_RESTART","features":[422]},{"name":"WODM_SETPITCH","features":[422]},{"name":"WODM_SETPLAYBACKRATE","features":[422]},{"name":"WODM_SETVOLUME","features":[422]},{"name":"WODM_UNPREPARE","features":[422]},{"name":"WODM_WRITE","features":[422]},{"name":"YAMAHA_ADPCMWAVEFORMAT","features":[423,422]},{"name":"YIELDPROC","features":[422]},{"name":"capCreateCaptureWindowA","features":[308,422]},{"name":"capCreateCaptureWindowW","features":[308,422]},{"name":"capGetDriverDescriptionA","features":[308,422]},{"name":"capGetDriverDescriptionW","features":[308,422]},{"name":"joyGetDevCapsA","features":[422]},{"name":"joyGetDevCapsW","features":[422]},{"name":"joyGetNumDevs","features":[422]},{"name":"joyGetPos","features":[422]},{"name":"joyGetPosEx","features":[422]},{"name":"joyGetThreshold","features":[422]},{"name":"joyReleaseCapture","features":[422]},{"name":"joySetCapture","features":[308,422]},{"name":"joySetThreshold","features":[422]},{"name":"mciDriverNotify","features":[308,422]},{"name":"mciDriverYield","features":[422]},{"name":"mciFreeCommandResource","features":[308,422]},{"name":"mciGetCreatorTask","features":[422]},{"name":"mciGetDeviceIDA","features":[422]},{"name":"mciGetDeviceIDFromElementIDA","features":[422]},{"name":"mciGetDeviceIDFromElementIDW","features":[422]},{"name":"mciGetDeviceIDW","features":[422]},{"name":"mciGetDriverData","features":[422]},{"name":"mciGetErrorStringA","features":[308,422]},{"name":"mciGetErrorStringW","features":[308,422]},{"name":"mciGetYieldProc","features":[422]},{"name":"mciLoadCommandResource","features":[308,422]},{"name":"mciSendCommandA","features":[422]},{"name":"mciSendCommandW","features":[422]},{"name":"mciSendStringA","features":[308,422]},{"name":"mciSendStringW","features":[308,422]},{"name":"mciSetDriverData","features":[308,422]},{"name":"mciSetYieldProc","features":[308,422]},{"name":"mmDrvInstall","features":[422]},{"name":"mmGetCurrentTask","features":[422]},{"name":"mmTaskBlock","features":[422]},{"name":"mmTaskCreate","features":[308,422]},{"name":"mmTaskSignal","features":[308,422]},{"name":"mmTaskYield","features":[422]},{"name":"mmioAdvance","features":[308,422]},{"name":"mmioAscend","features":[422]},{"name":"mmioClose","features":[422]},{"name":"mmioCreateChunk","features":[422]},{"name":"mmioDescend","features":[422]},{"name":"mmioFlush","features":[422]},{"name":"mmioGetInfo","features":[308,422]},{"name":"mmioInstallIOProcA","features":[308,422]},{"name":"mmioInstallIOProcW","features":[308,422]},{"name":"mmioOpenA","features":[308,422]},{"name":"mmioOpenW","features":[308,422]},{"name":"mmioRead","features":[422]},{"name":"mmioRenameA","features":[308,422]},{"name":"mmioRenameW","features":[308,422]},{"name":"mmioSeek","features":[422]},{"name":"mmioSendMessage","features":[308,422]},{"name":"mmioSetBuffer","features":[422]},{"name":"mmioSetInfo","features":[308,422]},{"name":"mmioStringToFOURCCA","features":[422]},{"name":"mmioStringToFOURCCW","features":[422]},{"name":"mmioWrite","features":[422]},{"name":"s_RIFFWAVE_inst","features":[422]},{"name":"sndOpenSound","features":[308,422]}],"439":[{"name":"DEVICE_SELECTION_DEVICE_TYPE","features":[440]},{"name":"DSF_ALL_DEVICES","features":[440]},{"name":"DSF_CPL_MODE","features":[440]},{"name":"DSF_DV_DEVICES","features":[440]},{"name":"DSF_FS_DEVICES","features":[440]},{"name":"DSF_SHOW_OFFLINE","features":[440]},{"name":"DSF_STI_DEVICES","features":[440]},{"name":"DSF_TWAIN_DEVICE","features":[440]},{"name":"DSF_TWAIN_DEVICES","features":[440]},{"name":"DSF_WIA_CAMERAS","features":[440]},{"name":"DSF_WIA_SCANNERS","features":[440]},{"name":"DSF_WPD_DEVICES","features":[440]},{"name":"DST_DV_DEVICE","features":[440]},{"name":"DST_FS_DEVICE","features":[440]},{"name":"DST_STI_DEVICE","features":[440]},{"name":"DST_UNKNOWN_DEVICE","features":[440]},{"name":"DST_WIA_DEVICE","features":[440]},{"name":"DST_WPD_DEVICE","features":[440]},{"name":"ERROR_ADVISE_MESSAGE_TYPE","features":[440]},{"name":"ERROR_ADVISE_RESULT","features":[440]},{"name":"IPhotoAcquire","features":[440]},{"name":"IPhotoAcquireDeviceSelectionDialog","features":[440]},{"name":"IPhotoAcquireItem","features":[440]},{"name":"IPhotoAcquireOptionsDialog","features":[440]},{"name":"IPhotoAcquirePlugin","features":[440]},{"name":"IPhotoAcquireProgressCB","features":[440]},{"name":"IPhotoAcquireSettings","features":[440]},{"name":"IPhotoAcquireSource","features":[440]},{"name":"IPhotoProgressActionCB","features":[440]},{"name":"IPhotoProgressDialog","features":[440]},{"name":"IUserInputString","features":[440]},{"name":"PAPS_CLEANUP","features":[440]},{"name":"PAPS_POSTSAVE","features":[440]},{"name":"PAPS_PRESAVE","features":[440]},{"name":"PHOTOACQUIRE_ERROR_OK","features":[440]},{"name":"PHOTOACQUIRE_ERROR_RETRYCANCEL","features":[440]},{"name":"PHOTOACQUIRE_ERROR_SKIPRETRYCANCEL","features":[440]},{"name":"PHOTOACQUIRE_ERROR_YESNO","features":[440]},{"name":"PHOTOACQUIRE_RESULT_ABORT","features":[440]},{"name":"PHOTOACQUIRE_RESULT_NO","features":[440]},{"name":"PHOTOACQUIRE_RESULT_OK","features":[440]},{"name":"PHOTOACQUIRE_RESULT_RETRY","features":[440]},{"name":"PHOTOACQUIRE_RESULT_SKIP","features":[440]},{"name":"PHOTOACQUIRE_RESULT_SKIP_ALL","features":[440]},{"name":"PHOTOACQUIRE_RESULT_YES","features":[440]},{"name":"PHOTOACQ_ABORT_ON_SETTINGS_UPDATE","features":[440]},{"name":"PHOTOACQ_DELETE_AFTER_ACQUIRE","features":[440]},{"name":"PHOTOACQ_DISABLE_AUTO_ROTATE","features":[440]},{"name":"PHOTOACQ_DISABLE_DB_INTEGRATION","features":[440]},{"name":"PHOTOACQ_DISABLE_DUPLICATE_DETECTION","features":[440]},{"name":"PHOTOACQ_DISABLE_GROUP_TAG_PROMPT","features":[440]},{"name":"PHOTOACQ_DISABLE_METADATA_WRITE","features":[440]},{"name":"PHOTOACQ_DISABLE_PLUGINS","features":[440]},{"name":"PHOTOACQ_DISABLE_SETTINGS_LINK","features":[440]},{"name":"PHOTOACQ_DISABLE_THUMBNAIL_PROGRESS","features":[440]},{"name":"PHOTOACQ_ENABLE_THUMBNAIL_CACHING","features":[440]},{"name":"PHOTOACQ_ERROR_RESTART_REQUIRED","features":[440]},{"name":"PHOTOACQ_IMPORT_VIDEO_AS_MULTIPLE_FILES","features":[440]},{"name":"PHOTOACQ_NO_GALLERY_LAUNCH","features":[440]},{"name":"PHOTOACQ_RUN_DEFAULT","features":[440]},{"name":"PKEY_PhotoAcquire_CameraSequenceNumber","features":[440,379]},{"name":"PKEY_PhotoAcquire_DuplicateDetectionID","features":[440,379]},{"name":"PKEY_PhotoAcquire_FinalFilename","features":[440,379]},{"name":"PKEY_PhotoAcquire_GroupTag","features":[440,379]},{"name":"PKEY_PhotoAcquire_IntermediateFile","features":[440,379]},{"name":"PKEY_PhotoAcquire_OriginalFilename","features":[440,379]},{"name":"PKEY_PhotoAcquire_RelativePathname","features":[440,379]},{"name":"PKEY_PhotoAcquire_SkipImport","features":[440,379]},{"name":"PKEY_PhotoAcquire_TransferResult","features":[440,379]},{"name":"PROGRESS_DIALOG_BITMAP_THUMBNAIL","features":[440]},{"name":"PROGRESS_DIALOG_CHECKBOX_ID","features":[440]},{"name":"PROGRESS_DIALOG_CHECKBOX_ID_DEFAULT","features":[440]},{"name":"PROGRESS_DIALOG_ICON_LARGE","features":[440]},{"name":"PROGRESS_DIALOG_ICON_SMALL","features":[440]},{"name":"PROGRESS_DIALOG_ICON_THUMBNAIL","features":[440]},{"name":"PROGRESS_DIALOG_IMAGE_TYPE","features":[440]},{"name":"PROGRESS_INDETERMINATE","features":[440]},{"name":"PhotoAcquire","features":[440]},{"name":"PhotoAcquireAutoPlayDropTarget","features":[440]},{"name":"PhotoAcquireAutoPlayHWEventHandler","features":[440]},{"name":"PhotoAcquireDeviceSelectionDialog","features":[440]},{"name":"PhotoAcquireOptionsDialog","features":[440]},{"name":"PhotoProgressDialog","features":[440]},{"name":"USER_INPUT_DEFAULT","features":[440]},{"name":"USER_INPUT_PATH_ELEMENT","features":[440]},{"name":"USER_INPUT_STRING_TYPE","features":[440]}],"440":[{"name":"AllWords","features":[441]},{"name":"DEFAULT_WEIGHT","features":[441]},{"name":"DISPIDSPRG","features":[441]},{"name":"DISPIDSPTSI","features":[441]},{"name":"DISPIDSPTSI_ActiveLength","features":[441]},{"name":"DISPIDSPTSI_ActiveOffset","features":[441]},{"name":"DISPIDSPTSI_SelectionLength","features":[441]},{"name":"DISPIDSPTSI_SelectionOffset","features":[441]},{"name":"DISPID_SABIBufferSize","features":[441]},{"name":"DISPID_SABIEventBias","features":[441]},{"name":"DISPID_SABIMinNotification","features":[441]},{"name":"DISPID_SABufferInfo","features":[441]},{"name":"DISPID_SABufferNotifySize","features":[441]},{"name":"DISPID_SADefaultFormat","features":[441]},{"name":"DISPID_SAEventHandle","features":[441]},{"name":"DISPID_SAFGetWaveFormatEx","features":[441]},{"name":"DISPID_SAFGuid","features":[441]},{"name":"DISPID_SAFSetWaveFormatEx","features":[441]},{"name":"DISPID_SAFType","features":[441]},{"name":"DISPID_SASCurrentDevicePosition","features":[441]},{"name":"DISPID_SASCurrentSeekPosition","features":[441]},{"name":"DISPID_SASFreeBufferSpace","features":[441]},{"name":"DISPID_SASNonBlockingIO","features":[441]},{"name":"DISPID_SASState","features":[441]},{"name":"DISPID_SASetState","features":[441]},{"name":"DISPID_SAStatus","features":[441]},{"name":"DISPID_SAVolume","features":[441]},{"name":"DISPID_SBSFormat","features":[441]},{"name":"DISPID_SBSRead","features":[441]},{"name":"DISPID_SBSSeek","features":[441]},{"name":"DISPID_SBSWrite","features":[441]},{"name":"DISPID_SCSBaseStream","features":[441]},{"name":"DISPID_SDKCreateKey","features":[441]},{"name":"DISPID_SDKDeleteKey","features":[441]},{"name":"DISPID_SDKDeleteValue","features":[441]},{"name":"DISPID_SDKEnumKeys","features":[441]},{"name":"DISPID_SDKEnumValues","features":[441]},{"name":"DISPID_SDKGetBinaryValue","features":[441]},{"name":"DISPID_SDKGetStringValue","features":[441]},{"name":"DISPID_SDKGetlongValue","features":[441]},{"name":"DISPID_SDKOpenKey","features":[441]},{"name":"DISPID_SDKSetBinaryValue","features":[441]},{"name":"DISPID_SDKSetLongValue","features":[441]},{"name":"DISPID_SDKSetStringValue","features":[441]},{"name":"DISPID_SFSClose","features":[441]},{"name":"DISPID_SFSOpen","features":[441]},{"name":"DISPID_SGRAddResource","features":[441]},{"name":"DISPID_SGRAddState","features":[441]},{"name":"DISPID_SGRAttributes","features":[441]},{"name":"DISPID_SGRClear","features":[441]},{"name":"DISPID_SGRId","features":[441]},{"name":"DISPID_SGRInitialState","features":[441]},{"name":"DISPID_SGRName","features":[441]},{"name":"DISPID_SGRSAddRuleTransition","features":[441]},{"name":"DISPID_SGRSAddSpecialTransition","features":[441]},{"name":"DISPID_SGRSAddWordTransition","features":[441]},{"name":"DISPID_SGRSRule","features":[441]},{"name":"DISPID_SGRSTNextState","features":[441]},{"name":"DISPID_SGRSTPropertyId","features":[441]},{"name":"DISPID_SGRSTPropertyName","features":[441]},{"name":"DISPID_SGRSTPropertyValue","features":[441]},{"name":"DISPID_SGRSTRule","features":[441]},{"name":"DISPID_SGRSTText","features":[441]},{"name":"DISPID_SGRSTType","features":[441]},{"name":"DISPID_SGRSTWeight","features":[441]},{"name":"DISPID_SGRSTransitions","features":[441]},{"name":"DISPID_SGRSTsCount","features":[441]},{"name":"DISPID_SGRSTsItem","features":[441]},{"name":"DISPID_SGRSTs_NewEnum","features":[441]},{"name":"DISPID_SGRsAdd","features":[441]},{"name":"DISPID_SGRsCommit","features":[441]},{"name":"DISPID_SGRsCommitAndSave","features":[441]},{"name":"DISPID_SGRsCount","features":[441]},{"name":"DISPID_SGRsDynamic","features":[441]},{"name":"DISPID_SGRsFindRule","features":[441]},{"name":"DISPID_SGRsItem","features":[441]},{"name":"DISPID_SGRs_NewEnum","features":[441]},{"name":"DISPID_SLAddPronunciation","features":[441]},{"name":"DISPID_SLAddPronunciationByPhoneIds","features":[441]},{"name":"DISPID_SLGenerationId","features":[441]},{"name":"DISPID_SLGetGenerationChange","features":[441]},{"name":"DISPID_SLGetPronunciations","features":[441]},{"name":"DISPID_SLGetWords","features":[441]},{"name":"DISPID_SLPLangId","features":[441]},{"name":"DISPID_SLPPartOfSpeech","features":[441]},{"name":"DISPID_SLPPhoneIds","features":[441]},{"name":"DISPID_SLPSymbolic","features":[441]},{"name":"DISPID_SLPType","features":[441]},{"name":"DISPID_SLPsCount","features":[441]},{"name":"DISPID_SLPsItem","features":[441]},{"name":"DISPID_SLPs_NewEnum","features":[441]},{"name":"DISPID_SLRemovePronunciation","features":[441]},{"name":"DISPID_SLRemovePronunciationByPhoneIds","features":[441]},{"name":"DISPID_SLWLangId","features":[441]},{"name":"DISPID_SLWPronunciations","features":[441]},{"name":"DISPID_SLWType","features":[441]},{"name":"DISPID_SLWWord","features":[441]},{"name":"DISPID_SLWsCount","features":[441]},{"name":"DISPID_SLWsItem","features":[441]},{"name":"DISPID_SLWs_NewEnum","features":[441]},{"name":"DISPID_SMSADeviceId","features":[441]},{"name":"DISPID_SMSALineId","features":[441]},{"name":"DISPID_SMSAMMHandle","features":[441]},{"name":"DISPID_SMSGetData","features":[441]},{"name":"DISPID_SMSSetData","features":[441]},{"name":"DISPID_SOTCDefault","features":[441]},{"name":"DISPID_SOTCEnumerateTokens","features":[441]},{"name":"DISPID_SOTCGetDataKey","features":[441]},{"name":"DISPID_SOTCId","features":[441]},{"name":"DISPID_SOTCSetId","features":[441]},{"name":"DISPID_SOTCategory","features":[441]},{"name":"DISPID_SOTCreateInstance","features":[441]},{"name":"DISPID_SOTDataKey","features":[441]},{"name":"DISPID_SOTDisplayUI","features":[441]},{"name":"DISPID_SOTGetAttribute","features":[441]},{"name":"DISPID_SOTGetDescription","features":[441]},{"name":"DISPID_SOTGetStorageFileName","features":[441]},{"name":"DISPID_SOTId","features":[441]},{"name":"DISPID_SOTIsUISupported","features":[441]},{"name":"DISPID_SOTMatchesAttributes","features":[441]},{"name":"DISPID_SOTRemove","features":[441]},{"name":"DISPID_SOTRemoveStorageFileName","features":[441]},{"name":"DISPID_SOTSetId","features":[441]},{"name":"DISPID_SOTsCount","features":[441]},{"name":"DISPID_SOTsItem","features":[441]},{"name":"DISPID_SOTs_NewEnum","features":[441]},{"name":"DISPID_SPACommit","features":[441]},{"name":"DISPID_SPANumberOfElementsInResult","features":[441]},{"name":"DISPID_SPAPhraseInfo","features":[441]},{"name":"DISPID_SPARecoResult","features":[441]},{"name":"DISPID_SPAStartElementInResult","features":[441]},{"name":"DISPID_SPAsCount","features":[441]},{"name":"DISPID_SPAsItem","features":[441]},{"name":"DISPID_SPAs_NewEnum","features":[441]},{"name":"DISPID_SPCIdToPhone","features":[441]},{"name":"DISPID_SPCLangId","features":[441]},{"name":"DISPID_SPCPhoneToId","features":[441]},{"name":"DISPID_SPEActualConfidence","features":[441]},{"name":"DISPID_SPEAudioSizeBytes","features":[441]},{"name":"DISPID_SPEAudioSizeTime","features":[441]},{"name":"DISPID_SPEAudioStreamOffset","features":[441]},{"name":"DISPID_SPEAudioTimeOffset","features":[441]},{"name":"DISPID_SPEDisplayAttributes","features":[441]},{"name":"DISPID_SPEDisplayText","features":[441]},{"name":"DISPID_SPEEngineConfidence","features":[441]},{"name":"DISPID_SPELexicalForm","features":[441]},{"name":"DISPID_SPEPronunciation","features":[441]},{"name":"DISPID_SPERequiredConfidence","features":[441]},{"name":"DISPID_SPERetainedSizeBytes","features":[441]},{"name":"DISPID_SPERetainedStreamOffset","features":[441]},{"name":"DISPID_SPEsCount","features":[441]},{"name":"DISPID_SPEsItem","features":[441]},{"name":"DISPID_SPEs_NewEnum","features":[441]},{"name":"DISPID_SPIAudioSizeBytes","features":[441]},{"name":"DISPID_SPIAudioSizeTime","features":[441]},{"name":"DISPID_SPIAudioStreamPosition","features":[441]},{"name":"DISPID_SPIElements","features":[441]},{"name":"DISPID_SPIEngineId","features":[441]},{"name":"DISPID_SPIEnginePrivateData","features":[441]},{"name":"DISPID_SPIGetDisplayAttributes","features":[441]},{"name":"DISPID_SPIGetText","features":[441]},{"name":"DISPID_SPIGrammarId","features":[441]},{"name":"DISPID_SPILanguageId","features":[441]},{"name":"DISPID_SPIProperties","features":[441]},{"name":"DISPID_SPIReplacements","features":[441]},{"name":"DISPID_SPIRetainedSizeBytes","features":[441]},{"name":"DISPID_SPIRule","features":[441]},{"name":"DISPID_SPISaveToMemory","features":[441]},{"name":"DISPID_SPIStartTime","features":[441]},{"name":"DISPID_SPPBRestorePhraseFromMemory","features":[441]},{"name":"DISPID_SPPChildren","features":[441]},{"name":"DISPID_SPPConfidence","features":[441]},{"name":"DISPID_SPPEngineConfidence","features":[441]},{"name":"DISPID_SPPFirstElement","features":[441]},{"name":"DISPID_SPPId","features":[441]},{"name":"DISPID_SPPName","features":[441]},{"name":"DISPID_SPPNumberOfElements","features":[441]},{"name":"DISPID_SPPParent","features":[441]},{"name":"DISPID_SPPValue","features":[441]},{"name":"DISPID_SPPsCount","features":[441]},{"name":"DISPID_SPPsItem","features":[441]},{"name":"DISPID_SPPs_NewEnum","features":[441]},{"name":"DISPID_SPRDisplayAttributes","features":[441]},{"name":"DISPID_SPRFirstElement","features":[441]},{"name":"DISPID_SPRNumberOfElements","features":[441]},{"name":"DISPID_SPRText","features":[441]},{"name":"DISPID_SPRsCount","features":[441]},{"name":"DISPID_SPRsItem","features":[441]},{"name":"DISPID_SPRs_NewEnum","features":[441]},{"name":"DISPID_SPRuleChildren","features":[441]},{"name":"DISPID_SPRuleConfidence","features":[441]},{"name":"DISPID_SPRuleEngineConfidence","features":[441]},{"name":"DISPID_SPRuleFirstElement","features":[441]},{"name":"DISPID_SPRuleId","features":[441]},{"name":"DISPID_SPRuleName","features":[441]},{"name":"DISPID_SPRuleNumberOfElements","features":[441]},{"name":"DISPID_SPRuleParent","features":[441]},{"name":"DISPID_SPRulesCount","features":[441]},{"name":"DISPID_SPRulesItem","features":[441]},{"name":"DISPID_SPRules_NewEnum","features":[441]},{"name":"DISPID_SRAllowAudioInputFormatChangesOnNextSet","features":[441]},{"name":"DISPID_SRAllowVoiceFormatMatchingOnNextSet","features":[441]},{"name":"DISPID_SRAudioInput","features":[441]},{"name":"DISPID_SRAudioInputStream","features":[441]},{"name":"DISPID_SRCAudioInInterferenceStatus","features":[441]},{"name":"DISPID_SRCBookmark","features":[441]},{"name":"DISPID_SRCCmdMaxAlternates","features":[441]},{"name":"DISPID_SRCCreateGrammar","features":[441]},{"name":"DISPID_SRCCreateResultFromMemory","features":[441]},{"name":"DISPID_SRCEAdaptation","features":[441]},{"name":"DISPID_SRCEAudioLevel","features":[441]},{"name":"DISPID_SRCEBookmark","features":[441]},{"name":"DISPID_SRCEEndStream","features":[441]},{"name":"DISPID_SRCEEnginePrivate","features":[441]},{"name":"DISPID_SRCEFalseRecognition","features":[441]},{"name":"DISPID_SRCEHypothesis","features":[441]},{"name":"DISPID_SRCEInterference","features":[441]},{"name":"DISPID_SRCEPhraseStart","features":[441]},{"name":"DISPID_SRCEPropertyNumberChange","features":[441]},{"name":"DISPID_SRCEPropertyStringChange","features":[441]},{"name":"DISPID_SRCERecognition","features":[441]},{"name":"DISPID_SRCERecognitionForOtherContext","features":[441]},{"name":"DISPID_SRCERecognizerStateChange","features":[441]},{"name":"DISPID_SRCERequestUI","features":[441]},{"name":"DISPID_SRCESoundEnd","features":[441]},{"name":"DISPID_SRCESoundStart","features":[441]},{"name":"DISPID_SRCEStartStream","features":[441]},{"name":"DISPID_SRCEventInterests","features":[441]},{"name":"DISPID_SRCPause","features":[441]},{"name":"DISPID_SRCRecognizer","features":[441]},{"name":"DISPID_SRCRequestedUIType","features":[441]},{"name":"DISPID_SRCResume","features":[441]},{"name":"DISPID_SRCRetainedAudio","features":[441]},{"name":"DISPID_SRCRetainedAudioFormat","features":[441]},{"name":"DISPID_SRCSetAdaptationData","features":[441]},{"name":"DISPID_SRCState","features":[441]},{"name":"DISPID_SRCVoice","features":[441]},{"name":"DISPID_SRCVoicePurgeEvent","features":[441]},{"name":"DISPID_SRCreateRecoContext","features":[441]},{"name":"DISPID_SRDisplayUI","features":[441]},{"name":"DISPID_SREmulateRecognition","features":[441]},{"name":"DISPID_SRGCmdLoadFromFile","features":[441]},{"name":"DISPID_SRGCmdLoadFromMemory","features":[441]},{"name":"DISPID_SRGCmdLoadFromObject","features":[441]},{"name":"DISPID_SRGCmdLoadFromProprietaryGrammar","features":[441]},{"name":"DISPID_SRGCmdLoadFromResource","features":[441]},{"name":"DISPID_SRGCmdSetRuleIdState","features":[441]},{"name":"DISPID_SRGCmdSetRuleState","features":[441]},{"name":"DISPID_SRGCommit","features":[441]},{"name":"DISPID_SRGDictationLoad","features":[441]},{"name":"DISPID_SRGDictationSetState","features":[441]},{"name":"DISPID_SRGDictationUnload","features":[441]},{"name":"DISPID_SRGId","features":[441]},{"name":"DISPID_SRGIsPronounceable","features":[441]},{"name":"DISPID_SRGRecoContext","features":[441]},{"name":"DISPID_SRGReset","features":[441]},{"name":"DISPID_SRGRules","features":[441]},{"name":"DISPID_SRGSetTextSelection","features":[441]},{"name":"DISPID_SRGSetWordSequenceData","features":[441]},{"name":"DISPID_SRGState","features":[441]},{"name":"DISPID_SRGetFormat","features":[441]},{"name":"DISPID_SRGetPropertyNumber","features":[441]},{"name":"DISPID_SRGetPropertyString","features":[441]},{"name":"DISPID_SRGetRecognizers","features":[441]},{"name":"DISPID_SRIsShared","features":[441]},{"name":"DISPID_SRIsUISupported","features":[441]},{"name":"DISPID_SRProfile","features":[441]},{"name":"DISPID_SRRAlternates","features":[441]},{"name":"DISPID_SRRAudio","features":[441]},{"name":"DISPID_SRRAudioFormat","features":[441]},{"name":"DISPID_SRRDiscardResultInfo","features":[441]},{"name":"DISPID_SRRGetXMLErrorInfo","features":[441]},{"name":"DISPID_SRRGetXMLResult","features":[441]},{"name":"DISPID_SRRPhraseInfo","features":[441]},{"name":"DISPID_SRRRecoContext","features":[441]},{"name":"DISPID_SRRSaveToMemory","features":[441]},{"name":"DISPID_SRRSetTextFeedback","features":[441]},{"name":"DISPID_SRRSpeakAudio","features":[441]},{"name":"DISPID_SRRTLength","features":[441]},{"name":"DISPID_SRRTOffsetFromStart","features":[441]},{"name":"DISPID_SRRTStreamTime","features":[441]},{"name":"DISPID_SRRTTickCount","features":[441]},{"name":"DISPID_SRRTimes","features":[441]},{"name":"DISPID_SRRecognizer","features":[441]},{"name":"DISPID_SRSAudioStatus","features":[441]},{"name":"DISPID_SRSClsidEngine","features":[441]},{"name":"DISPID_SRSCurrentStreamNumber","features":[441]},{"name":"DISPID_SRSCurrentStreamPosition","features":[441]},{"name":"DISPID_SRSNumberOfActiveRules","features":[441]},{"name":"DISPID_SRSSupportedLanguages","features":[441]},{"name":"DISPID_SRSetPropertyNumber","features":[441]},{"name":"DISPID_SRSetPropertyString","features":[441]},{"name":"DISPID_SRState","features":[441]},{"name":"DISPID_SRStatus","features":[441]},{"name":"DISPID_SVAlertBoundary","features":[441]},{"name":"DISPID_SVAllowAudioOuputFormatChangesOnNextSet","features":[441]},{"name":"DISPID_SVAudioOutput","features":[441]},{"name":"DISPID_SVAudioOutputStream","features":[441]},{"name":"DISPID_SVDisplayUI","features":[441]},{"name":"DISPID_SVEAudioLevel","features":[441]},{"name":"DISPID_SVEBookmark","features":[441]},{"name":"DISPID_SVEEnginePrivate","features":[441]},{"name":"DISPID_SVEPhoneme","features":[441]},{"name":"DISPID_SVESentenceBoundary","features":[441]},{"name":"DISPID_SVEStreamEnd","features":[441]},{"name":"DISPID_SVEStreamStart","features":[441]},{"name":"DISPID_SVEViseme","features":[441]},{"name":"DISPID_SVEVoiceChange","features":[441]},{"name":"DISPID_SVEWord","features":[441]},{"name":"DISPID_SVEventInterests","features":[441]},{"name":"DISPID_SVGetAudioInputs","features":[441]},{"name":"DISPID_SVGetAudioOutputs","features":[441]},{"name":"DISPID_SVGetProfiles","features":[441]},{"name":"DISPID_SVGetVoices","features":[441]},{"name":"DISPID_SVIsUISupported","features":[441]},{"name":"DISPID_SVPause","features":[441]},{"name":"DISPID_SVPriority","features":[441]},{"name":"DISPID_SVRate","features":[441]},{"name":"DISPID_SVResume","features":[441]},{"name":"DISPID_SVSCurrentStreamNumber","features":[441]},{"name":"DISPID_SVSInputSentenceLength","features":[441]},{"name":"DISPID_SVSInputSentencePosition","features":[441]},{"name":"DISPID_SVSInputWordLength","features":[441]},{"name":"DISPID_SVSInputWordPosition","features":[441]},{"name":"DISPID_SVSLastBookmark","features":[441]},{"name":"DISPID_SVSLastBookmarkId","features":[441]},{"name":"DISPID_SVSLastResult","features":[441]},{"name":"DISPID_SVSLastStreamNumberQueued","features":[441]},{"name":"DISPID_SVSPhonemeId","features":[441]},{"name":"DISPID_SVSRunningState","features":[441]},{"name":"DISPID_SVSVisemeId","features":[441]},{"name":"DISPID_SVSkip","features":[441]},{"name":"DISPID_SVSpeak","features":[441]},{"name":"DISPID_SVSpeakCompleteEvent","features":[441]},{"name":"DISPID_SVSpeakStream","features":[441]},{"name":"DISPID_SVStatus","features":[441]},{"name":"DISPID_SVSyncronousSpeakTimeout","features":[441]},{"name":"DISPID_SVVoice","features":[441]},{"name":"DISPID_SVVolume","features":[441]},{"name":"DISPID_SVWaitUntilDone","features":[441]},{"name":"DISPID_SWFEAvgBytesPerSec","features":[441]},{"name":"DISPID_SWFEBitsPerSample","features":[441]},{"name":"DISPID_SWFEBlockAlign","features":[441]},{"name":"DISPID_SWFEChannels","features":[441]},{"name":"DISPID_SWFEExtraData","features":[441]},{"name":"DISPID_SWFEFormatTag","features":[441]},{"name":"DISPID_SWFESamplesPerSec","features":[441]},{"name":"DISPID_SpeechAudio","features":[441]},{"name":"DISPID_SpeechAudioBufferInfo","features":[441]},{"name":"DISPID_SpeechAudioFormat","features":[441]},{"name":"DISPID_SpeechAudioStatus","features":[441]},{"name":"DISPID_SpeechBaseStream","features":[441]},{"name":"DISPID_SpeechCustomStream","features":[441]},{"name":"DISPID_SpeechDataKey","features":[441]},{"name":"DISPID_SpeechFileStream","features":[441]},{"name":"DISPID_SpeechGrammarRule","features":[441]},{"name":"DISPID_SpeechGrammarRuleState","features":[441]},{"name":"DISPID_SpeechGrammarRuleStateTransition","features":[441]},{"name":"DISPID_SpeechGrammarRuleStateTransitions","features":[441]},{"name":"DISPID_SpeechGrammarRules","features":[441]},{"name":"DISPID_SpeechLexicon","features":[441]},{"name":"DISPID_SpeechLexiconProns","features":[441]},{"name":"DISPID_SpeechLexiconPronunciation","features":[441]},{"name":"DISPID_SpeechLexiconWord","features":[441]},{"name":"DISPID_SpeechLexiconWords","features":[441]},{"name":"DISPID_SpeechMMSysAudio","features":[441]},{"name":"DISPID_SpeechMemoryStream","features":[441]},{"name":"DISPID_SpeechObjectToken","features":[441]},{"name":"DISPID_SpeechObjectTokenCategory","features":[441]},{"name":"DISPID_SpeechObjectTokens","features":[441]},{"name":"DISPID_SpeechPhoneConverter","features":[441]},{"name":"DISPID_SpeechPhraseAlternate","features":[441]},{"name":"DISPID_SpeechPhraseAlternates","features":[441]},{"name":"DISPID_SpeechPhraseBuilder","features":[441]},{"name":"DISPID_SpeechPhraseElement","features":[441]},{"name":"DISPID_SpeechPhraseElements","features":[441]},{"name":"DISPID_SpeechPhraseInfo","features":[441]},{"name":"DISPID_SpeechPhraseProperties","features":[441]},{"name":"DISPID_SpeechPhraseProperty","features":[441]},{"name":"DISPID_SpeechPhraseReplacement","features":[441]},{"name":"DISPID_SpeechPhraseReplacements","features":[441]},{"name":"DISPID_SpeechPhraseRule","features":[441]},{"name":"DISPID_SpeechPhraseRules","features":[441]},{"name":"DISPID_SpeechRecoContext","features":[441]},{"name":"DISPID_SpeechRecoContextEvents","features":[441]},{"name":"DISPID_SpeechRecoResult","features":[441]},{"name":"DISPID_SpeechRecoResult2","features":[441]},{"name":"DISPID_SpeechRecoResultTimes","features":[441]},{"name":"DISPID_SpeechRecognizer","features":[441]},{"name":"DISPID_SpeechRecognizerStatus","features":[441]},{"name":"DISPID_SpeechVoice","features":[441]},{"name":"DISPID_SpeechVoiceEvent","features":[441]},{"name":"DISPID_SpeechVoiceStatus","features":[441]},{"name":"DISPID_SpeechWaveFormatEx","features":[441]},{"name":"DISPID_SpeechXMLRecoResult","features":[441]},{"name":"IEnumSpObjectTokens","features":[441]},{"name":"ISpAudio","features":[441,359]},{"name":"ISpCFGInterpreter","features":[441]},{"name":"ISpCFGInterpreterSite","features":[441]},{"name":"ISpContainerLexicon","features":[441]},{"name":"ISpDataKey","features":[441]},{"name":"ISpDisplayAlternates","features":[441]},{"name":"ISpEnginePronunciation","features":[441]},{"name":"ISpErrorLog","features":[441]},{"name":"ISpEventSink","features":[441]},{"name":"ISpEventSource","features":[441]},{"name":"ISpEventSource2","features":[441]},{"name":"ISpGramCompBackend","features":[441]},{"name":"ISpGrammarBuilder","features":[441]},{"name":"ISpGrammarBuilder2","features":[441]},{"name":"ISpGrammarCompiler","features":[441]},{"name":"ISpITNProcessor","features":[441]},{"name":"ISpLexicon","features":[441]},{"name":"ISpMMSysAudio","features":[441,359]},{"name":"ISpNotifyCallback","features":[441]},{"name":"ISpNotifySink","features":[441]},{"name":"ISpNotifySource","features":[441]},{"name":"ISpNotifyTranslator","features":[441]},{"name":"ISpObjectToken","features":[441]},{"name":"ISpObjectTokenCategory","features":[441]},{"name":"ISpObjectTokenEnumBuilder","features":[441]},{"name":"ISpObjectTokenInit","features":[441]},{"name":"ISpObjectWithToken","features":[441]},{"name":"ISpPhoneConverter","features":[441]},{"name":"ISpPhoneticAlphabetConverter","features":[441]},{"name":"ISpPhoneticAlphabetSelection","features":[441]},{"name":"ISpPhrase","features":[441]},{"name":"ISpPhrase2","features":[441]},{"name":"ISpPhraseAlt","features":[441]},{"name":"ISpPhraseBuilder","features":[441]},{"name":"ISpPrivateEngineCallEx","features":[441]},{"name":"ISpProperties","features":[441]},{"name":"ISpRecoContext","features":[441]},{"name":"ISpRecoContext2","features":[441]},{"name":"ISpRecoGrammar","features":[441]},{"name":"ISpRecoGrammar2","features":[441]},{"name":"ISpRecoResult","features":[441]},{"name":"ISpRecoResult2","features":[441]},{"name":"ISpRecognizer","features":[441]},{"name":"ISpRecognizer2","features":[441]},{"name":"ISpRegDataKey","features":[441]},{"name":"ISpResourceManager","features":[441,359]},{"name":"ISpSRAlternates","features":[441]},{"name":"ISpSRAlternates2","features":[441]},{"name":"ISpSREngine","features":[441]},{"name":"ISpSREngine2","features":[441]},{"name":"ISpSREngineSite","features":[441]},{"name":"ISpSREngineSite2","features":[441]},{"name":"ISpSerializeState","features":[441]},{"name":"ISpShortcut","features":[441]},{"name":"ISpStream","features":[441,359]},{"name":"ISpStreamFormat","features":[441,359]},{"name":"ISpStreamFormatConverter","features":[441,359]},{"name":"ISpTTSEngine","features":[441]},{"name":"ISpTTSEngineSite","features":[441]},{"name":"ISpTask","features":[441]},{"name":"ISpTaskManager","features":[441]},{"name":"ISpThreadControl","features":[441]},{"name":"ISpThreadTask","features":[441]},{"name":"ISpTokenUI","features":[441]},{"name":"ISpTranscript","features":[441]},{"name":"ISpVoice","features":[441]},{"name":"ISpXMLRecoResult","features":[441]},{"name":"ISpeechAudio","features":[441,359]},{"name":"ISpeechAudioBufferInfo","features":[441,359]},{"name":"ISpeechAudioFormat","features":[441,359]},{"name":"ISpeechAudioStatus","features":[441,359]},{"name":"ISpeechBaseStream","features":[441,359]},{"name":"ISpeechCustomStream","features":[441,359]},{"name":"ISpeechDataKey","features":[441,359]},{"name":"ISpeechFileStream","features":[441,359]},{"name":"ISpeechGrammarRule","features":[441,359]},{"name":"ISpeechGrammarRuleState","features":[441,359]},{"name":"ISpeechGrammarRuleStateTransition","features":[441,359]},{"name":"ISpeechGrammarRuleStateTransitions","features":[441,359]},{"name":"ISpeechGrammarRules","features":[441,359]},{"name":"ISpeechLexicon","features":[441,359]},{"name":"ISpeechLexiconPronunciation","features":[441,359]},{"name":"ISpeechLexiconPronunciations","features":[441,359]},{"name":"ISpeechLexiconWord","features":[441,359]},{"name":"ISpeechLexiconWords","features":[441,359]},{"name":"ISpeechMMSysAudio","features":[441,359]},{"name":"ISpeechMemoryStream","features":[441,359]},{"name":"ISpeechObjectToken","features":[441,359]},{"name":"ISpeechObjectTokenCategory","features":[441,359]},{"name":"ISpeechObjectTokens","features":[441,359]},{"name":"ISpeechPhoneConverter","features":[441,359]},{"name":"ISpeechPhraseAlternate","features":[441,359]},{"name":"ISpeechPhraseAlternates","features":[441,359]},{"name":"ISpeechPhraseElement","features":[441,359]},{"name":"ISpeechPhraseElements","features":[441,359]},{"name":"ISpeechPhraseInfo","features":[441,359]},{"name":"ISpeechPhraseInfoBuilder","features":[441,359]},{"name":"ISpeechPhraseProperties","features":[441,359]},{"name":"ISpeechPhraseProperty","features":[441,359]},{"name":"ISpeechPhraseReplacement","features":[441,359]},{"name":"ISpeechPhraseReplacements","features":[441,359]},{"name":"ISpeechPhraseRule","features":[441,359]},{"name":"ISpeechPhraseRules","features":[441,359]},{"name":"ISpeechRecoContext","features":[441,359]},{"name":"ISpeechRecoGrammar","features":[441,359]},{"name":"ISpeechRecoResult","features":[441,359]},{"name":"ISpeechRecoResult2","features":[441,359]},{"name":"ISpeechRecoResultDispatch","features":[441,359]},{"name":"ISpeechRecoResultTimes","features":[441,359]},{"name":"ISpeechRecognizer","features":[441,359]},{"name":"ISpeechRecognizerStatus","features":[441,359]},{"name":"ISpeechResourceLoader","features":[441,359]},{"name":"ISpeechTextSelectionInformation","features":[441,359]},{"name":"ISpeechVoice","features":[441,359]},{"name":"ISpeechVoiceStatus","features":[441,359]},{"name":"ISpeechWaveFormatEx","features":[441,359]},{"name":"ISpeechXMLRecoResult","features":[441,359]},{"name":"OrderedSubset","features":[441]},{"name":"OrderedSubsetContentRequired","features":[441]},{"name":"PA_Ipa","features":[441]},{"name":"PA_Sapi","features":[441]},{"name":"PA_Ups","features":[441]},{"name":"PHONETICALPHABET","features":[441]},{"name":"SAFT11kHz16BitMono","features":[441]},{"name":"SAFT11kHz16BitStereo","features":[441]},{"name":"SAFT11kHz8BitMono","features":[441]},{"name":"SAFT11kHz8BitStereo","features":[441]},{"name":"SAFT12kHz16BitMono","features":[441]},{"name":"SAFT12kHz16BitStereo","features":[441]},{"name":"SAFT12kHz8BitMono","features":[441]},{"name":"SAFT12kHz8BitStereo","features":[441]},{"name":"SAFT16kHz16BitMono","features":[441]},{"name":"SAFT16kHz16BitStereo","features":[441]},{"name":"SAFT16kHz8BitMono","features":[441]},{"name":"SAFT16kHz8BitStereo","features":[441]},{"name":"SAFT22kHz16BitMono","features":[441]},{"name":"SAFT22kHz16BitStereo","features":[441]},{"name":"SAFT22kHz8BitMono","features":[441]},{"name":"SAFT22kHz8BitStereo","features":[441]},{"name":"SAFT24kHz16BitMono","features":[441]},{"name":"SAFT24kHz16BitStereo","features":[441]},{"name":"SAFT24kHz8BitMono","features":[441]},{"name":"SAFT24kHz8BitStereo","features":[441]},{"name":"SAFT32kHz16BitMono","features":[441]},{"name":"SAFT32kHz16BitStereo","features":[441]},{"name":"SAFT32kHz8BitMono","features":[441]},{"name":"SAFT32kHz8BitStereo","features":[441]},{"name":"SAFT44kHz16BitMono","features":[441]},{"name":"SAFT44kHz16BitStereo","features":[441]},{"name":"SAFT44kHz8BitMono","features":[441]},{"name":"SAFT44kHz8BitStereo","features":[441]},{"name":"SAFT48kHz16BitMono","features":[441]},{"name":"SAFT48kHz16BitStereo","features":[441]},{"name":"SAFT48kHz8BitMono","features":[441]},{"name":"SAFT48kHz8BitStereo","features":[441]},{"name":"SAFT8kHz16BitMono","features":[441]},{"name":"SAFT8kHz16BitStereo","features":[441]},{"name":"SAFT8kHz8BitMono","features":[441]},{"name":"SAFT8kHz8BitStereo","features":[441]},{"name":"SAFTADPCM_11kHzMono","features":[441]},{"name":"SAFTADPCM_11kHzStereo","features":[441]},{"name":"SAFTADPCM_22kHzMono","features":[441]},{"name":"SAFTADPCM_22kHzStereo","features":[441]},{"name":"SAFTADPCM_44kHzMono","features":[441]},{"name":"SAFTADPCM_44kHzStereo","features":[441]},{"name":"SAFTADPCM_8kHzMono","features":[441]},{"name":"SAFTADPCM_8kHzStereo","features":[441]},{"name":"SAFTCCITT_ALaw_11kHzMono","features":[441]},{"name":"SAFTCCITT_ALaw_11kHzStereo","features":[441]},{"name":"SAFTCCITT_ALaw_22kHzMono","features":[441]},{"name":"SAFTCCITT_ALaw_22kHzStereo","features":[441]},{"name":"SAFTCCITT_ALaw_44kHzMono","features":[441]},{"name":"SAFTCCITT_ALaw_44kHzStereo","features":[441]},{"name":"SAFTCCITT_ALaw_8kHzMono","features":[441]},{"name":"SAFTCCITT_ALaw_8kHzStereo","features":[441]},{"name":"SAFTCCITT_uLaw_11kHzMono","features":[441]},{"name":"SAFTCCITT_uLaw_11kHzStereo","features":[441]},{"name":"SAFTCCITT_uLaw_22kHzMono","features":[441]},{"name":"SAFTCCITT_uLaw_22kHzStereo","features":[441]},{"name":"SAFTCCITT_uLaw_44kHzMono","features":[441]},{"name":"SAFTCCITT_uLaw_44kHzStereo","features":[441]},{"name":"SAFTCCITT_uLaw_8kHzMono","features":[441]},{"name":"SAFTCCITT_uLaw_8kHzStereo","features":[441]},{"name":"SAFTDefault","features":[441]},{"name":"SAFTExtendedAudioFormat","features":[441]},{"name":"SAFTGSM610_11kHzMono","features":[441]},{"name":"SAFTGSM610_22kHzMono","features":[441]},{"name":"SAFTGSM610_44kHzMono","features":[441]},{"name":"SAFTGSM610_8kHzMono","features":[441]},{"name":"SAFTNoAssignedFormat","features":[441]},{"name":"SAFTNonStandardFormat","features":[441]},{"name":"SAFTText","features":[441]},{"name":"SAFTTrueSpeech_8kHz1BitMono","features":[441]},{"name":"SAPI_ERROR_BASE","features":[441]},{"name":"SASClosed","features":[441]},{"name":"SASPause","features":[441]},{"name":"SASRun","features":[441]},{"name":"SASStop","features":[441]},{"name":"SBONone","features":[441]},{"name":"SBOPause","features":[441]},{"name":"SDA_Consume_Leading_Spaces","features":[441]},{"name":"SDA_No_Trailing_Space","features":[441]},{"name":"SDA_One_Trailing_Space","features":[441]},{"name":"SDA_Two_Trailing_Spaces","features":[441]},{"name":"SDKLCurrentConfig","features":[441]},{"name":"SDKLCurrentUser","features":[441]},{"name":"SDKLDefaultLocation","features":[441]},{"name":"SDKLLocalMachine","features":[441]},{"name":"SDTAll","features":[441]},{"name":"SDTAlternates","features":[441]},{"name":"SDTAudio","features":[441]},{"name":"SDTDisplayText","features":[441]},{"name":"SDTLexicalForm","features":[441]},{"name":"SDTPronunciation","features":[441]},{"name":"SDTProperty","features":[441]},{"name":"SDTReplacement","features":[441]},{"name":"SDTRule","features":[441]},{"name":"SECFDefault","features":[441]},{"name":"SECFEmulateResult","features":[441]},{"name":"SECFIgnoreCase","features":[441]},{"name":"SECFIgnoreKanaType","features":[441]},{"name":"SECFIgnoreWidth","features":[441]},{"name":"SECFNoSpecialChars","features":[441]},{"name":"SECHighConfidence","features":[441]},{"name":"SECLowConfidence","features":[441]},{"name":"SECNormalConfidence","features":[441]},{"name":"SFTInput","features":[441]},{"name":"SFTSREngine","features":[441]},{"name":"SGDSActive","features":[441]},{"name":"SGDSActiveUserDelimited","features":[441]},{"name":"SGDSActiveWithAutoPause","features":[441]},{"name":"SGDSInactive","features":[441]},{"name":"SGDisplay","features":[441]},{"name":"SGLexical","features":[441]},{"name":"SGLexicalNoSpecialChars","features":[441]},{"name":"SGPronounciation","features":[441]},{"name":"SGRSTTDictation","features":[441]},{"name":"SGRSTTEpsilon","features":[441]},{"name":"SGRSTTRule","features":[441]},{"name":"SGRSTTTextBuffer","features":[441]},{"name":"SGRSTTWildcard","features":[441]},{"name":"SGRSTTWord","features":[441]},{"name":"SGSDisabled","features":[441]},{"name":"SGSEnabled","features":[441]},{"name":"SGSExclusive","features":[441]},{"name":"SINoSignal","features":[441]},{"name":"SINoise","features":[441]},{"name":"SINone","features":[441]},{"name":"SITooFast","features":[441]},{"name":"SITooLoud","features":[441]},{"name":"SITooQuiet","features":[441]},{"name":"SITooSlow","features":[441]},{"name":"SLODynamic","features":[441]},{"name":"SLOStatic","features":[441]},{"name":"SLTApp","features":[441]},{"name":"SLTUser","features":[441]},{"name":"SPADAPTATIONRELEVANCE","features":[441]},{"name":"SPADAPTATIONSETTINGS","features":[441]},{"name":"SPADS_CurrentRecognizer","features":[441]},{"name":"SPADS_Default","features":[441]},{"name":"SPADS_HighVolumeDataSource","features":[441]},{"name":"SPADS_Immediate","features":[441]},{"name":"SPADS_RecoProfile","features":[441]},{"name":"SPADS_Reset","features":[441]},{"name":"SPAF_ALL","features":[441]},{"name":"SPAF_BUFFER_POSITION","features":[441]},{"name":"SPAF_CONSUME_LEADING_SPACES","features":[441]},{"name":"SPAF_ONE_TRAILING_SPACE","features":[441]},{"name":"SPAF_TWO_TRAILING_SPACES","features":[441]},{"name":"SPAF_USER_SPECIFIED","features":[441]},{"name":"SPALTERNATESCLSID","features":[441]},{"name":"SPAO_NONE","features":[441]},{"name":"SPAO_RETAIN_AUDIO","features":[441]},{"name":"SPAR_High","features":[441]},{"name":"SPAR_Low","features":[441]},{"name":"SPAR_Medium","features":[441]},{"name":"SPAR_Unknown","features":[441]},{"name":"SPAS_CLOSED","features":[441]},{"name":"SPAS_PAUSE","features":[441]},{"name":"SPAS_RUN","features":[441]},{"name":"SPAS_STOP","features":[441]},{"name":"SPAUDIOBUFFERINFO","features":[441]},{"name":"SPAUDIOOPTIONS","features":[441]},{"name":"SPAUDIOSTATE","features":[441]},{"name":"SPAUDIOSTATUS","features":[441]},{"name":"SPBINARYGRAMMAR","features":[441]},{"name":"SPBOOKMARKOPTIONS","features":[441]},{"name":"SPBO_AHEAD","features":[441]},{"name":"SPBO_NONE","features":[441]},{"name":"SPBO_PAUSE","features":[441]},{"name":"SPBO_TIME_UNITS","features":[441]},{"name":"SPCAT_APPLEXICONS","features":[441]},{"name":"SPCAT_AUDIOIN","features":[441]},{"name":"SPCAT_AUDIOOUT","features":[441]},{"name":"SPCAT_PHONECONVERTERS","features":[441]},{"name":"SPCAT_RECOGNIZERS","features":[441]},{"name":"SPCAT_RECOPROFILES","features":[441]},{"name":"SPCAT_TEXTNORMALIZERS","features":[441]},{"name":"SPCAT_VOICES","features":[441]},{"name":"SPCFGNOTIFY","features":[441]},{"name":"SPCFGN_ACTIVATE","features":[441]},{"name":"SPCFGN_ADD","features":[441]},{"name":"SPCFGN_DEACTIVATE","features":[441]},{"name":"SPCFGN_INVALIDATE","features":[441]},{"name":"SPCFGN_REMOVE","features":[441]},{"name":"SPCFGRULEATTRIBUTES","features":[441]},{"name":"SPCF_ADD_TO_USER_LEXICON","features":[441]},{"name":"SPCF_DEFINITE_CORRECTION","features":[441]},{"name":"SPCF_NONE","features":[441]},{"name":"SPCOMMITFLAGS","features":[441]},{"name":"SPCONTEXTSTATE","features":[441]},{"name":"SPCS_DISABLED","features":[441]},{"name":"SPCS_ENABLED","features":[441]},{"name":"SPCURRENT_USER_LEXICON_TOKEN_ID","features":[441]},{"name":"SPCURRENT_USER_SHORTCUT_TOKEN_ID","features":[441]},{"name":"SPDATAKEYLOCATION","features":[441]},{"name":"SPDF_ALL","features":[441]},{"name":"SPDF_ALTERNATES","features":[441]},{"name":"SPDF_AUDIO","features":[441]},{"name":"SPDF_DISPLAYTEXT","features":[441]},{"name":"SPDF_LEXICALFORM","features":[441]},{"name":"SPDF_PRONUNCIATION","features":[441]},{"name":"SPDF_PROPERTY","features":[441]},{"name":"SPDF_REPLACEMENT","features":[441]},{"name":"SPDF_RULE","features":[441]},{"name":"SPDICTATION","features":[441]},{"name":"SPDISPLAYATTRIBUTES","features":[441]},{"name":"SPDISPLAYPHRASE","features":[441]},{"name":"SPDISPLAYTOKEN","features":[441]},{"name":"SPDKL_CurrentConfig","features":[441]},{"name":"SPDKL_CurrentUser","features":[441]},{"name":"SPDKL_DefaultLocation","features":[441]},{"name":"SPDKL_LocalMachine","features":[441]},{"name":"SPDUI_AddRemoveWord","features":[441]},{"name":"SPDUI_AudioProperties","features":[441]},{"name":"SPDUI_AudioVolume","features":[441]},{"name":"SPDUI_EngineProperties","features":[441]},{"name":"SPDUI_MicTraining","features":[441]},{"name":"SPDUI_RecoProfileProperties","features":[441]},{"name":"SPDUI_ShareData","features":[441]},{"name":"SPDUI_Tutorial","features":[441]},{"name":"SPDUI_UserEnrollment","features":[441]},{"name":"SPDUI_UserTraining","features":[441]},{"name":"SPEAKFLAGS","features":[441]},{"name":"SPEI_ADAPTATION","features":[441]},{"name":"SPEI_END_INPUT_STREAM","features":[441]},{"name":"SPEI_END_SR_STREAM","features":[441]},{"name":"SPEI_FALSE_RECOGNITION","features":[441]},{"name":"SPEI_HYPOTHESIS","features":[441]},{"name":"SPEI_INTERFERENCE","features":[441]},{"name":"SPEI_MAX_SR","features":[441]},{"name":"SPEI_MAX_TTS","features":[441]},{"name":"SPEI_MIN_SR","features":[441]},{"name":"SPEI_MIN_TTS","features":[441]},{"name":"SPEI_PHONEME","features":[441]},{"name":"SPEI_PHRASE_START","features":[441]},{"name":"SPEI_PROPERTY_NUM_CHANGE","features":[441]},{"name":"SPEI_PROPERTY_STRING_CHANGE","features":[441]},{"name":"SPEI_RECOGNITION","features":[441]},{"name":"SPEI_RECO_OTHER_CONTEXT","features":[441]},{"name":"SPEI_RECO_STATE_CHANGE","features":[441]},{"name":"SPEI_REQUEST_UI","features":[441]},{"name":"SPEI_RESERVED1","features":[441]},{"name":"SPEI_RESERVED2","features":[441]},{"name":"SPEI_RESERVED3","features":[441]},{"name":"SPEI_RESERVED4","features":[441]},{"name":"SPEI_RESERVED5","features":[441]},{"name":"SPEI_RESERVED6","features":[441]},{"name":"SPEI_SENTENCE_BOUNDARY","features":[441]},{"name":"SPEI_SOUND_END","features":[441]},{"name":"SPEI_SOUND_START","features":[441]},{"name":"SPEI_SR_AUDIO_LEVEL","features":[441]},{"name":"SPEI_SR_BOOKMARK","features":[441]},{"name":"SPEI_SR_PRIVATE","features":[441]},{"name":"SPEI_SR_RETAINEDAUDIO","features":[441]},{"name":"SPEI_START_INPUT_STREAM","features":[441]},{"name":"SPEI_START_SR_STREAM","features":[441]},{"name":"SPEI_TTS_AUDIO_LEVEL","features":[441]},{"name":"SPEI_TTS_BOOKMARK","features":[441]},{"name":"SPEI_TTS_PRIVATE","features":[441]},{"name":"SPEI_UNDEFINED","features":[441]},{"name":"SPEI_VISEME","features":[441]},{"name":"SPEI_VOICE_CHANGE","features":[441]},{"name":"SPEI_WORD_BOUNDARY","features":[441]},{"name":"SPENDSRSTREAMFLAGS","features":[441]},{"name":"SPESF_EMULATED","features":[441]},{"name":"SPESF_NONE","features":[441]},{"name":"SPESF_STREAM_RELEASED","features":[441]},{"name":"SPET_LPARAM_IS_OBJECT","features":[441]},{"name":"SPET_LPARAM_IS_POINTER","features":[441]},{"name":"SPET_LPARAM_IS_STRING","features":[441]},{"name":"SPET_LPARAM_IS_TOKEN","features":[441]},{"name":"SPET_LPARAM_IS_UNDEFINED","features":[441]},{"name":"SPEVENT","features":[308,441]},{"name":"SPEVENTENUM","features":[441]},{"name":"SPEVENTEX","features":[308,441]},{"name":"SPEVENTLPARAMTYPE","features":[441]},{"name":"SPEVENTSOURCEINFO","features":[441]},{"name":"SPFILEMODE","features":[441]},{"name":"SPFM_CREATE","features":[441]},{"name":"SPFM_CREATE_ALWAYS","features":[441]},{"name":"SPFM_NUM_MODES","features":[441]},{"name":"SPFM_OPEN_READONLY","features":[441]},{"name":"SPFM_OPEN_READWRITE","features":[441]},{"name":"SPF_ASYNC","features":[441]},{"name":"SPF_DEFAULT","features":[441]},{"name":"SPF_IS_FILENAME","features":[441]},{"name":"SPF_IS_NOT_XML","features":[441]},{"name":"SPF_IS_XML","features":[441]},{"name":"SPF_NLP_MASK","features":[441]},{"name":"SPF_NLP_SPEAK_PUNC","features":[441]},{"name":"SPF_PARSE_AUTODETECT","features":[441]},{"name":"SPF_PARSE_MASK","features":[441]},{"name":"SPF_PARSE_SAPI","features":[441]},{"name":"SPF_PARSE_SSML","features":[441]},{"name":"SPF_PERSIST_XML","features":[441]},{"name":"SPF_PURGEBEFORESPEAK","features":[441]},{"name":"SPF_UNUSED_FLAGS","features":[441]},{"name":"SPF_VOICE_MASK","features":[441]},{"name":"SPGO_ALL","features":[441]},{"name":"SPGO_DEFAULT","features":[441]},{"name":"SPGO_FILE","features":[441]},{"name":"SPGO_HTTP","features":[441]},{"name":"SPGO_OBJECT","features":[441]},{"name":"SPGO_RES","features":[441]},{"name":"SPGO_SAPI","features":[441]},{"name":"SPGO_SRGS","features":[441]},{"name":"SPGO_SRGS_MS_SCRIPT","features":[441]},{"name":"SPGO_SRGS_SCRIPT","features":[441]},{"name":"SPGO_SRGS_STG_SCRIPT","features":[441]},{"name":"SPGO_SRGS_W3C_SCRIPT","features":[441]},{"name":"SPGO_UPS","features":[441]},{"name":"SPGRAMMARHANDLE","features":[441]},{"name":"SPGRAMMAROPTIONS","features":[441]},{"name":"SPGRAMMARSTATE","features":[441]},{"name":"SPGRAMMARWORDTYPE","features":[441]},{"name":"SPGS_DISABLED","features":[441]},{"name":"SPGS_ENABLED","features":[441]},{"name":"SPGS_EXCLUSIVE","features":[441]},{"name":"SPINFDICTATION","features":[441]},{"name":"SPINTERFERENCE","features":[441]},{"name":"SPINTERFERENCE_LATENCY_TRUNCATE_BEGIN","features":[441]},{"name":"SPINTERFERENCE_LATENCY_TRUNCATE_END","features":[441]},{"name":"SPINTERFERENCE_LATENCY_WARNING","features":[441]},{"name":"SPINTERFERENCE_NOISE","features":[441]},{"name":"SPINTERFERENCE_NONE","features":[441]},{"name":"SPINTERFERENCE_NOSIGNAL","features":[441]},{"name":"SPINTERFERENCE_TOOFAST","features":[441]},{"name":"SPINTERFERENCE_TOOLOUD","features":[441]},{"name":"SPINTERFERENCE_TOOQUIET","features":[441]},{"name":"SPINTERFERENCE_TOOSLOW","features":[441]},{"name":"SPLEXICONTYPE","features":[441]},{"name":"SPLOADOPTIONS","features":[441]},{"name":"SPLO_DYNAMIC","features":[441]},{"name":"SPLO_STATIC","features":[441]},{"name":"SPMATCHINGMODE","features":[441]},{"name":"SPMAX_RATE","features":[441]},{"name":"SPMAX_VOLUME","features":[441]},{"name":"SPMIN_RATE","features":[441]},{"name":"SPMIN_VOLUME","features":[441]},{"name":"SPMMSYS_AUDIO_IN_TOKEN_ID","features":[441]},{"name":"SPMMSYS_AUDIO_OUT_TOKEN_ID","features":[441]},{"name":"SPNORMALIZATIONLIST","features":[441]},{"name":"SPNOTIFYCALLBACK","features":[308,441]},{"name":"SPPARSEINFO","features":[308,441]},{"name":"SPPARTOFSPEECH","features":[441]},{"name":"SPPATHENTRY","features":[441]},{"name":"SPPHRASE","features":[441]},{"name":"SPPHRASEALT","features":[441]},{"name":"SPPHRASEALTREQUEST","features":[441]},{"name":"SPPHRASEELEMENT","features":[441]},{"name":"SPPHRASEPROPERTY","features":[441]},{"name":"SPPHRASEPROPERTYHANDLE","features":[441]},{"name":"SPPHRASEPROPERTYUNIONTYPE","features":[441]},{"name":"SPPHRASEREPLACEMENT","features":[441]},{"name":"SPPHRASERNG","features":[441]},{"name":"SPPHRASERULE","features":[441]},{"name":"SPPHRASERULEHANDLE","features":[441]},{"name":"SPPHRASE_50","features":[441]},{"name":"SPPPUT_ARRAY_INDEX","features":[441]},{"name":"SPPPUT_UNUSED","features":[441]},{"name":"SPPRONUNCIATIONFLAGS","features":[441]},{"name":"SPPROPERTYINFO","features":[441]},{"name":"SPPROPSRC","features":[441]},{"name":"SPPROPSRC_RECO_CTX","features":[441]},{"name":"SPPROPSRC_RECO_GRAMMAR","features":[441]},{"name":"SPPROPSRC_RECO_INST","features":[441]},{"name":"SPPROP_ADAPTATION_ON","features":[441]},{"name":"SPPROP_COMPLEX_RESPONSE_SPEED","features":[441]},{"name":"SPPROP_HIGH_CONFIDENCE_THRESHOLD","features":[441]},{"name":"SPPROP_LOW_CONFIDENCE_THRESHOLD","features":[441]},{"name":"SPPROP_NORMAL_CONFIDENCE_THRESHOLD","features":[441]},{"name":"SPPROP_PERSISTED_BACKGROUND_ADAPTATION","features":[441]},{"name":"SPPROP_PERSISTED_LANGUAGE_MODEL_ADAPTATION","features":[441]},{"name":"SPPROP_RESOURCE_USAGE","features":[441]},{"name":"SPPROP_RESPONSE_SPEED","features":[441]},{"name":"SPPROP_UX_IS_LISTENING","features":[441]},{"name":"SPPR_ALL_ELEMENTS","features":[441]},{"name":"SPPS_Function","features":[441]},{"name":"SPPS_Interjection","features":[441]},{"name":"SPPS_LMA","features":[441]},{"name":"SPPS_Modifier","features":[441]},{"name":"SPPS_Noncontent","features":[441]},{"name":"SPPS_NotOverriden","features":[441]},{"name":"SPPS_Noun","features":[441]},{"name":"SPPS_RESERVED1","features":[441]},{"name":"SPPS_RESERVED2","features":[441]},{"name":"SPPS_RESERVED3","features":[441]},{"name":"SPPS_RESERVED4","features":[441]},{"name":"SPPS_SuppressWord","features":[441]},{"name":"SPPS_Unknown","features":[441]},{"name":"SPPS_Verb","features":[441]},{"name":"SPRAF_Active","features":[441]},{"name":"SPRAF_AutoPause","features":[441]},{"name":"SPRAF_Dynamic","features":[441]},{"name":"SPRAF_Export","features":[441]},{"name":"SPRAF_Import","features":[441]},{"name":"SPRAF_Interpreter","features":[441]},{"name":"SPRAF_Root","features":[441]},{"name":"SPRAF_TopLevel","features":[441]},{"name":"SPRAF_UserDelimited","features":[441]},{"name":"SPRECOCONTEXTHANDLE","features":[441]},{"name":"SPRECOCONTEXTSTATUS","features":[441]},{"name":"SPRECOEVENTFLAGS","features":[441]},{"name":"SPRECOEXTENSION","features":[441]},{"name":"SPRECOGNIZERSTATUS","features":[441]},{"name":"SPRECORESULTINFO","features":[308,441]},{"name":"SPRECORESULTINFOEX","features":[308,441]},{"name":"SPRECORESULTTIMES","features":[308,441]},{"name":"SPRECOSTATE","features":[441]},{"name":"SPREF_AutoPause","features":[441]},{"name":"SPREF_Emulated","features":[441]},{"name":"SPREF_ExtendableParse","features":[441]},{"name":"SPREF_FalseRecognition","features":[441]},{"name":"SPREF_Hypothesis","features":[441]},{"name":"SPREF_ReSent","features":[441]},{"name":"SPREF_SMLTimeout","features":[441]},{"name":"SPREG_LOCAL_MACHINE_ROOT","features":[441]},{"name":"SPREG_SAFE_USER_TOKENS","features":[441]},{"name":"SPREG_USER_ROOT","features":[441]},{"name":"SPRESULTTYPE","features":[441]},{"name":"SPRIO_NONE","features":[441]},{"name":"SPRP_NORMAL","features":[441]},{"name":"SPRST_ACTIVE","features":[441]},{"name":"SPRST_ACTIVE_ALWAYS","features":[441]},{"name":"SPRST_INACTIVE","features":[441]},{"name":"SPRST_INACTIVE_WITH_PURGE","features":[441]},{"name":"SPRST_NUM_STATES","features":[441]},{"name":"SPRS_ACTIVE","features":[441]},{"name":"SPRS_ACTIVE_USER_DELIMITED","features":[441]},{"name":"SPRS_ACTIVE_WITH_AUTO_PAUSE","features":[441]},{"name":"SPRS_DONE","features":[441]},{"name":"SPRS_INACTIVE","features":[441]},{"name":"SPRS_IS_SPEAKING","features":[441]},{"name":"SPRT_CFG","features":[441]},{"name":"SPRT_EMULATED","features":[441]},{"name":"SPRT_EXTENDABLE_PARSE","features":[441]},{"name":"SPRT_FALSE_RECOGNITION","features":[441]},{"name":"SPRT_PROPRIETARY","features":[441]},{"name":"SPRT_SLM","features":[441]},{"name":"SPRT_TYPE_MASK","features":[441]},{"name":"SPRULE","features":[441]},{"name":"SPRULEENTRY","features":[441]},{"name":"SPRULEHANDLE","features":[441]},{"name":"SPRULEINFOOPT","features":[441]},{"name":"SPRULESTATE","features":[441]},{"name":"SPRUNSTATE","features":[441]},{"name":"SPSEMANTICERRORINFO","features":[441]},{"name":"SPSEMANTICFORMAT","features":[441]},{"name":"SPSERIALIZEDEVENT","features":[441]},{"name":"SPSERIALIZEDEVENT64","features":[441]},{"name":"SPSERIALIZEDPHRASE","features":[441]},{"name":"SPSERIALIZEDRESULT","features":[441]},{"name":"SPSF_11kHz16BitMono","features":[441]},{"name":"SPSF_11kHz16BitStereo","features":[441]},{"name":"SPSF_11kHz8BitMono","features":[441]},{"name":"SPSF_11kHz8BitStereo","features":[441]},{"name":"SPSF_12kHz16BitMono","features":[441]},{"name":"SPSF_12kHz16BitStereo","features":[441]},{"name":"SPSF_12kHz8BitMono","features":[441]},{"name":"SPSF_12kHz8BitStereo","features":[441]},{"name":"SPSF_16kHz16BitMono","features":[441]},{"name":"SPSF_16kHz16BitStereo","features":[441]},{"name":"SPSF_16kHz8BitMono","features":[441]},{"name":"SPSF_16kHz8BitStereo","features":[441]},{"name":"SPSF_22kHz16BitMono","features":[441]},{"name":"SPSF_22kHz16BitStereo","features":[441]},{"name":"SPSF_22kHz8BitMono","features":[441]},{"name":"SPSF_22kHz8BitStereo","features":[441]},{"name":"SPSF_24kHz16BitMono","features":[441]},{"name":"SPSF_24kHz16BitStereo","features":[441]},{"name":"SPSF_24kHz8BitMono","features":[441]},{"name":"SPSF_24kHz8BitStereo","features":[441]},{"name":"SPSF_32kHz16BitMono","features":[441]},{"name":"SPSF_32kHz16BitStereo","features":[441]},{"name":"SPSF_32kHz8BitMono","features":[441]},{"name":"SPSF_32kHz8BitStereo","features":[441]},{"name":"SPSF_44kHz16BitMono","features":[441]},{"name":"SPSF_44kHz16BitStereo","features":[441]},{"name":"SPSF_44kHz8BitMono","features":[441]},{"name":"SPSF_44kHz8BitStereo","features":[441]},{"name":"SPSF_48kHz16BitMono","features":[441]},{"name":"SPSF_48kHz16BitStereo","features":[441]},{"name":"SPSF_48kHz8BitMono","features":[441]},{"name":"SPSF_48kHz8BitStereo","features":[441]},{"name":"SPSF_8kHz16BitMono","features":[441]},{"name":"SPSF_8kHz16BitStereo","features":[441]},{"name":"SPSF_8kHz8BitMono","features":[441]},{"name":"SPSF_8kHz8BitStereo","features":[441]},{"name":"SPSF_ADPCM_11kHzMono","features":[441]},{"name":"SPSF_ADPCM_11kHzStereo","features":[441]},{"name":"SPSF_ADPCM_22kHzMono","features":[441]},{"name":"SPSF_ADPCM_22kHzStereo","features":[441]},{"name":"SPSF_ADPCM_44kHzMono","features":[441]},{"name":"SPSF_ADPCM_44kHzStereo","features":[441]},{"name":"SPSF_ADPCM_8kHzMono","features":[441]},{"name":"SPSF_ADPCM_8kHzStereo","features":[441]},{"name":"SPSF_CCITT_ALaw_11kHzMono","features":[441]},{"name":"SPSF_CCITT_ALaw_11kHzStereo","features":[441]},{"name":"SPSF_CCITT_ALaw_22kHzMono","features":[441]},{"name":"SPSF_CCITT_ALaw_22kHzStereo","features":[441]},{"name":"SPSF_CCITT_ALaw_44kHzMono","features":[441]},{"name":"SPSF_CCITT_ALaw_44kHzStereo","features":[441]},{"name":"SPSF_CCITT_ALaw_8kHzMono","features":[441]},{"name":"SPSF_CCITT_ALaw_8kHzStereo","features":[441]},{"name":"SPSF_CCITT_uLaw_11kHzMono","features":[441]},{"name":"SPSF_CCITT_uLaw_11kHzStereo","features":[441]},{"name":"SPSF_CCITT_uLaw_22kHzMono","features":[441]},{"name":"SPSF_CCITT_uLaw_22kHzStereo","features":[441]},{"name":"SPSF_CCITT_uLaw_44kHzMono","features":[441]},{"name":"SPSF_CCITT_uLaw_44kHzStereo","features":[441]},{"name":"SPSF_CCITT_uLaw_8kHzMono","features":[441]},{"name":"SPSF_CCITT_uLaw_8kHzStereo","features":[441]},{"name":"SPSF_Default","features":[441]},{"name":"SPSF_ExtendedAudioFormat","features":[441]},{"name":"SPSF_GSM610_11kHzMono","features":[441]},{"name":"SPSF_GSM610_22kHzMono","features":[441]},{"name":"SPSF_GSM610_44kHzMono","features":[441]},{"name":"SPSF_GSM610_8kHzMono","features":[441]},{"name":"SPSF_NUM_FORMATS","features":[441]},{"name":"SPSF_NoAssignedFormat","features":[441]},{"name":"SPSF_NonStandardFormat","features":[441]},{"name":"SPSF_Text","features":[441]},{"name":"SPSF_TrueSpeech_8kHz1BitMono","features":[441]},{"name":"SPSFunction","features":[441]},{"name":"SPSHORTCUTPAIR","features":[441]},{"name":"SPSHORTCUTPAIRLIST","features":[441]},{"name":"SPSHORTCUTTYPE","features":[441]},{"name":"SPSHT_EMAIL","features":[441]},{"name":"SPSHT_NotOverriden","features":[441]},{"name":"SPSHT_OTHER","features":[441]},{"name":"SPSHT_Unknown","features":[441]},{"name":"SPSInterjection","features":[441]},{"name":"SPSLMA","features":[441]},{"name":"SPSMF_SAPI_PROPERTIES","features":[441]},{"name":"SPSMF_SRGS_SAPIPROPERTIES","features":[441]},{"name":"SPSMF_SRGS_SEMANTICINTERPRETATION_MS","features":[441]},{"name":"SPSMF_SRGS_SEMANTICINTERPRETATION_W3C","features":[441]},{"name":"SPSMF_UPS","features":[441]},{"name":"SPSModifier","features":[441]},{"name":"SPSNotOverriden","features":[441]},{"name":"SPSNoun","features":[441]},{"name":"SPSSuppressWord","features":[441]},{"name":"SPSTATEHANDLE","features":[441]},{"name":"SPSTATEINFO","features":[441]},{"name":"SPSTREAMFORMAT","features":[441]},{"name":"SPSTREAMFORMATTYPE","features":[441]},{"name":"SPSUnknown","features":[441]},{"name":"SPSVerb","features":[441]},{"name":"SPTEXTSELECTIONINFO","features":[441]},{"name":"SPTMTHREADINFO","features":[441]},{"name":"SPTOKENKEY_ATTRIBUTES","features":[441]},{"name":"SPTOKENKEY_AUDIO_LATENCY_TRUNCATE","features":[441]},{"name":"SPTOKENKEY_AUDIO_LATENCY_UPDATE_INTERVAL","features":[441]},{"name":"SPTOKENKEY_AUDIO_LATENCY_WARNING","features":[441]},{"name":"SPTOKENKEY_FILES","features":[441]},{"name":"SPTOKENKEY_RETAINEDAUDIO","features":[441]},{"name":"SPTOKENKEY_UI","features":[441]},{"name":"SPTOKENVALUE_CLSID","features":[441]},{"name":"SPTOPIC_SPELLING","features":[441]},{"name":"SPTRANSDICTATION","features":[441]},{"name":"SPTRANSEPSILON","features":[441]},{"name":"SPTRANSITIONENTRY","features":[441]},{"name":"SPTRANSITIONID","features":[441]},{"name":"SPTRANSITIONPROPERTY","features":[441]},{"name":"SPTRANSITIONTYPE","features":[441]},{"name":"SPTRANSRULE","features":[441]},{"name":"SPTRANSTEXTBUF","features":[441]},{"name":"SPTRANSWILDCARD","features":[441]},{"name":"SPTRANSWORD","features":[441]},{"name":"SPVACTIONS","features":[441]},{"name":"SPVALUETYPE","features":[441]},{"name":"SPVA_Bookmark","features":[441]},{"name":"SPVA_ParseUnknownTag","features":[441]},{"name":"SPVA_Pronounce","features":[441]},{"name":"SPVA_Section","features":[441]},{"name":"SPVA_Silence","features":[441]},{"name":"SPVA_Speak","features":[441]},{"name":"SPVA_SpellOut","features":[441]},{"name":"SPVCONTEXT","features":[441]},{"name":"SPVESACTIONS","features":[441]},{"name":"SPVES_ABORT","features":[441]},{"name":"SPVES_CONTINUE","features":[441]},{"name":"SPVES_RATE","features":[441]},{"name":"SPVES_SKIP","features":[441]},{"name":"SPVES_VOLUME","features":[441]},{"name":"SPVFEATURE","features":[441]},{"name":"SPVFEATURE_EMPHASIS","features":[441]},{"name":"SPVFEATURE_STRESSED","features":[441]},{"name":"SPVISEMES","features":[441]},{"name":"SPVLIMITS","features":[441]},{"name":"SPVOICECATEGORY_TTSRATE","features":[441]},{"name":"SPVOICESTATUS","features":[441]},{"name":"SPVPITCH","features":[441]},{"name":"SPVPRIORITY","features":[441]},{"name":"SPVPRI_ALERT","features":[441]},{"name":"SPVPRI_NORMAL","features":[441]},{"name":"SPVPRI_OVER","features":[441]},{"name":"SPVSKIPTYPE","features":[441]},{"name":"SPVSTATE","features":[441]},{"name":"SPVST_SENTENCE","features":[441]},{"name":"SPVTEXTFRAG","features":[441]},{"name":"SPWF_INPUT","features":[441]},{"name":"SPWF_SRENGINE","features":[441]},{"name":"SPWILDCARD","features":[441]},{"name":"SPWIO_NONE","features":[441]},{"name":"SPWIO_WANT_TEXT","features":[441]},{"name":"SPWORD","features":[441]},{"name":"SPWORDENTRY","features":[441]},{"name":"SPWORDHANDLE","features":[441]},{"name":"SPWORDINFOOPT","features":[441]},{"name":"SPWORDLIST","features":[441]},{"name":"SPWORDPRONOUNCEABLE","features":[441]},{"name":"SPWORDPRONUNCIATION","features":[441]},{"name":"SPWORDPRONUNCIATIONLIST","features":[441]},{"name":"SPWORDTYPE","features":[441]},{"name":"SPWP_KNOWN_WORD_PRONOUNCEABLE","features":[441]},{"name":"SPWP_UNKNOWN_WORD_PRONOUNCEABLE","features":[441]},{"name":"SPWP_UNKNOWN_WORD_UNPRONOUNCEABLE","features":[441]},{"name":"SPWT_DISPLAY","features":[441]},{"name":"SPWT_LEXICAL","features":[441]},{"name":"SPWT_LEXICAL_NO_SPECIAL_CHARS","features":[441]},{"name":"SPWT_PRONUNCIATION","features":[441]},{"name":"SPXMLRESULTOPTIONS","features":[441]},{"name":"SPXRO_Alternates_SML","features":[441]},{"name":"SPXRO_SML","features":[441]},{"name":"SP_EMULATE_RESULT","features":[441]},{"name":"SP_LOW_CONFIDENCE","features":[441]},{"name":"SP_MAX_LANGIDS","features":[441]},{"name":"SP_MAX_PRON_LENGTH","features":[441]},{"name":"SP_MAX_WORD_LENGTH","features":[441]},{"name":"SP_NORMAL_CONFIDENCE","features":[441]},{"name":"SP_STREAMPOS_ASAP","features":[441]},{"name":"SP_STREAMPOS_REALTIME","features":[441]},{"name":"SP_VISEME_0","features":[441]},{"name":"SP_VISEME_1","features":[441]},{"name":"SP_VISEME_10","features":[441]},{"name":"SP_VISEME_11","features":[441]},{"name":"SP_VISEME_12","features":[441]},{"name":"SP_VISEME_13","features":[441]},{"name":"SP_VISEME_14","features":[441]},{"name":"SP_VISEME_15","features":[441]},{"name":"SP_VISEME_16","features":[441]},{"name":"SP_VISEME_17","features":[441]},{"name":"SP_VISEME_18","features":[441]},{"name":"SP_VISEME_19","features":[441]},{"name":"SP_VISEME_2","features":[441]},{"name":"SP_VISEME_20","features":[441]},{"name":"SP_VISEME_21","features":[441]},{"name":"SP_VISEME_3","features":[441]},{"name":"SP_VISEME_4","features":[441]},{"name":"SP_VISEME_5","features":[441]},{"name":"SP_VISEME_6","features":[441]},{"name":"SP_VISEME_7","features":[441]},{"name":"SP_VISEME_8","features":[441]},{"name":"SP_VISEME_9","features":[441]},{"name":"SRADefaultToActive","features":[441]},{"name":"SRADynamic","features":[441]},{"name":"SRAExport","features":[441]},{"name":"SRAImport","features":[441]},{"name":"SRAInterpreter","features":[441]},{"name":"SRAONone","features":[441]},{"name":"SRAORetainAudio","features":[441]},{"name":"SRARoot","features":[441]},{"name":"SRATopLevel","features":[441]},{"name":"SRCS_Disabled","features":[441]},{"name":"SRCS_Enabled","features":[441]},{"name":"SREAdaptation","features":[441]},{"name":"SREAllEvents","features":[441]},{"name":"SREAudioLevel","features":[441]},{"name":"SREBookmark","features":[441]},{"name":"SREFalseRecognition","features":[441]},{"name":"SREHypothesis","features":[441]},{"name":"SREInterference","features":[441]},{"name":"SREPhraseStart","features":[441]},{"name":"SREPrivate","features":[441]},{"name":"SREPropertyNumChange","features":[441]},{"name":"SREPropertyStringChange","features":[441]},{"name":"SRERecoOtherContext","features":[441]},{"name":"SRERecognition","features":[441]},{"name":"SRERequestUI","features":[441]},{"name":"SRESoundEnd","features":[441]},{"name":"SRESoundStart","features":[441]},{"name":"SREStateChange","features":[441]},{"name":"SREStreamEnd","features":[441]},{"name":"SREStreamStart","features":[441]},{"name":"SRSActive","features":[441]},{"name":"SRSActiveAlways","features":[441]},{"name":"SRSEDone","features":[441]},{"name":"SRSEIsSpeaking","features":[441]},{"name":"SRSInactive","features":[441]},{"name":"SRSInactiveWithPurge","features":[441]},{"name":"SRTAutopause","features":[441]},{"name":"SRTEmulated","features":[441]},{"name":"SRTExtendableParse","features":[441]},{"name":"SRTReSent","features":[441]},{"name":"SRTSMLTimeout","features":[441]},{"name":"SRTStandard","features":[441]},{"name":"SR_LOCALIZED_DESCRIPTION","features":[441]},{"name":"SSFMCreate","features":[441]},{"name":"SSFMCreateForWrite","features":[441]},{"name":"SSFMOpenForRead","features":[441]},{"name":"SSFMOpenReadWrite","features":[441]},{"name":"SSSPTRelativeToCurrentPosition","features":[441]},{"name":"SSSPTRelativeToEnd","features":[441]},{"name":"SSSPTRelativeToStart","features":[441]},{"name":"SSTTDictation","features":[441]},{"name":"SSTTTextBuffer","features":[441]},{"name":"SSTTWildcard","features":[441]},{"name":"STCAll","features":[441]},{"name":"STCInprocHandler","features":[441]},{"name":"STCInprocServer","features":[441]},{"name":"STCLocalServer","features":[441]},{"name":"STCRemoteServer","features":[441]},{"name":"STSF_AppData","features":[441]},{"name":"STSF_CommonAppData","features":[441]},{"name":"STSF_FlagCreate","features":[441]},{"name":"STSF_LocalAppData","features":[441]},{"name":"SVEAllEvents","features":[441]},{"name":"SVEAudioLevel","features":[441]},{"name":"SVEBookmark","features":[441]},{"name":"SVEEndInputStream","features":[441]},{"name":"SVEPhoneme","features":[441]},{"name":"SVEPrivate","features":[441]},{"name":"SVESentenceBoundary","features":[441]},{"name":"SVEStartInputStream","features":[441]},{"name":"SVEViseme","features":[441]},{"name":"SVEVoiceChange","features":[441]},{"name":"SVEWordBoundary","features":[441]},{"name":"SVF_Emphasis","features":[441]},{"name":"SVF_None","features":[441]},{"name":"SVF_Stressed","features":[441]},{"name":"SVPAlert","features":[441]},{"name":"SVPNormal","features":[441]},{"name":"SVPOver","features":[441]},{"name":"SVP_0","features":[441]},{"name":"SVP_1","features":[441]},{"name":"SVP_10","features":[441]},{"name":"SVP_11","features":[441]},{"name":"SVP_12","features":[441]},{"name":"SVP_13","features":[441]},{"name":"SVP_14","features":[441]},{"name":"SVP_15","features":[441]},{"name":"SVP_16","features":[441]},{"name":"SVP_17","features":[441]},{"name":"SVP_18","features":[441]},{"name":"SVP_19","features":[441]},{"name":"SVP_2","features":[441]},{"name":"SVP_20","features":[441]},{"name":"SVP_21","features":[441]},{"name":"SVP_3","features":[441]},{"name":"SVP_4","features":[441]},{"name":"SVP_5","features":[441]},{"name":"SVP_6","features":[441]},{"name":"SVP_7","features":[441]},{"name":"SVP_8","features":[441]},{"name":"SVP_9","features":[441]},{"name":"SVSFDefault","features":[441]},{"name":"SVSFIsFilename","features":[441]},{"name":"SVSFIsNotXML","features":[441]},{"name":"SVSFIsXML","features":[441]},{"name":"SVSFNLPMask","features":[441]},{"name":"SVSFNLPSpeakPunc","features":[441]},{"name":"SVSFParseAutodetect","features":[441]},{"name":"SVSFParseMask","features":[441]},{"name":"SVSFParseSapi","features":[441]},{"name":"SVSFParseSsml","features":[441]},{"name":"SVSFPersistXML","features":[441]},{"name":"SVSFPurgeBeforeSpeak","features":[441]},{"name":"SVSFUnusedFlags","features":[441]},{"name":"SVSFVoiceMask","features":[441]},{"name":"SVSFlagsAsync","features":[441]},{"name":"SWPKnownWordPronounceable","features":[441]},{"name":"SWPUnknownWordPronounceable","features":[441]},{"name":"SWPUnknownWordUnpronounceable","features":[441]},{"name":"SWTAdded","features":[441]},{"name":"SWTDeleted","features":[441]},{"name":"SpAudioFormat","features":[441]},{"name":"SpCompressedLexicon","features":[441]},{"name":"SpCustomStream","features":[441]},{"name":"SpDataKey","features":[441]},{"name":"SpFileStream","features":[441]},{"name":"SpGramCompBackend","features":[441]},{"name":"SpGrammarCompiler","features":[441]},{"name":"SpITNProcessor","features":[441]},{"name":"SpInProcRecoContext","features":[441]},{"name":"SpInprocRecognizer","features":[441]},{"name":"SpLexicon","features":[441]},{"name":"SpMMAudioEnum","features":[441]},{"name":"SpMMAudioIn","features":[441]},{"name":"SpMMAudioOut","features":[441]},{"name":"SpMemoryStream","features":[441]},{"name":"SpNotifyTranslator","features":[441]},{"name":"SpNullPhoneConverter","features":[441]},{"name":"SpObjectToken","features":[441]},{"name":"SpObjectTokenCategory","features":[441]},{"name":"SpObjectTokenEnum","features":[441]},{"name":"SpPhoneConverter","features":[441]},{"name":"SpPhoneticAlphabetConverter","features":[441]},{"name":"SpPhraseBuilder","features":[441]},{"name":"SpPhraseInfoBuilder","features":[441]},{"name":"SpResourceManager","features":[441]},{"name":"SpSharedRecoContext","features":[441]},{"name":"SpSharedRecognizer","features":[441]},{"name":"SpShortcut","features":[441]},{"name":"SpStream","features":[441]},{"name":"SpStreamFormatConverter","features":[441]},{"name":"SpTextSelectionInformation","features":[441]},{"name":"SpUnCompressedLexicon","features":[441]},{"name":"SpVoice","features":[441]},{"name":"SpW3CGrammarCompiler","features":[441]},{"name":"SpWaveFormatEx","features":[441]},{"name":"SpeechAllElements","features":[441]},{"name":"SpeechAudioFormatType","features":[441]},{"name":"SpeechAudioState","features":[441]},{"name":"SpeechBookmarkOptions","features":[441]},{"name":"SpeechDataKeyLocation","features":[441]},{"name":"SpeechDiscardType","features":[441]},{"name":"SpeechDisplayAttributes","features":[441]},{"name":"SpeechEmulationCompareFlags","features":[441]},{"name":"SpeechEngineConfidence","features":[441]},{"name":"SpeechFormatType","features":[441]},{"name":"SpeechGrammarRuleStateTransitionType","features":[441]},{"name":"SpeechGrammarState","features":[441]},{"name":"SpeechGrammarWordType","features":[441]},{"name":"SpeechInterference","features":[441]},{"name":"SpeechLexiconType","features":[441]},{"name":"SpeechLoadOption","features":[441]},{"name":"SpeechPartOfSpeech","features":[441]},{"name":"SpeechRecoContextState","features":[441]},{"name":"SpeechRecoEvents","features":[441]},{"name":"SpeechRecognitionType","features":[441]},{"name":"SpeechRecognizerState","features":[441]},{"name":"SpeechRetainedAudioOptions","features":[441]},{"name":"SpeechRuleAttributes","features":[441]},{"name":"SpeechRuleState","features":[441]},{"name":"SpeechRunState","features":[441]},{"name":"SpeechSpecialTransitionType","features":[441]},{"name":"SpeechStreamFileMode","features":[441]},{"name":"SpeechStreamSeekPositionType","features":[441]},{"name":"SpeechTokenContext","features":[441]},{"name":"SpeechTokenShellFolder","features":[441]},{"name":"SpeechVisemeFeature","features":[441]},{"name":"SpeechVisemeType","features":[441]},{"name":"SpeechVoiceEvents","features":[441]},{"name":"SpeechVoicePriority","features":[441]},{"name":"SpeechVoiceSpeakFlags","features":[441]},{"name":"SpeechWordPronounceable","features":[441]},{"name":"SpeechWordType","features":[441]},{"name":"Speech_Default_Weight","features":[441]},{"name":"Speech_Max_Pron_Length","features":[441]},{"name":"Speech_Max_Word_Length","features":[441]},{"name":"Speech_StreamPos_Asap","features":[441]},{"name":"Speech_StreamPos_RealTime","features":[441]},{"name":"Subsequence","features":[441]},{"name":"SubsequenceContentRequired","features":[441]},{"name":"_ISpPrivateEngineCall","features":[441]},{"name":"_ISpeechRecoContextEvents","features":[441,359]},{"name":"_ISpeechVoiceEvents","features":[441,359]},{"name":"eLEXTYPE_APP","features":[441]},{"name":"eLEXTYPE_LETTERTOSOUND","features":[441]},{"name":"eLEXTYPE_MORPHOLOGY","features":[441]},{"name":"eLEXTYPE_PRIVATE1","features":[441]},{"name":"eLEXTYPE_PRIVATE10","features":[441]},{"name":"eLEXTYPE_PRIVATE11","features":[441]},{"name":"eLEXTYPE_PRIVATE12","features":[441]},{"name":"eLEXTYPE_PRIVATE13","features":[441]},{"name":"eLEXTYPE_PRIVATE14","features":[441]},{"name":"eLEXTYPE_PRIVATE15","features":[441]},{"name":"eLEXTYPE_PRIVATE16","features":[441]},{"name":"eLEXTYPE_PRIVATE17","features":[441]},{"name":"eLEXTYPE_PRIVATE18","features":[441]},{"name":"eLEXTYPE_PRIVATE19","features":[441]},{"name":"eLEXTYPE_PRIVATE2","features":[441]},{"name":"eLEXTYPE_PRIVATE20","features":[441]},{"name":"eLEXTYPE_PRIVATE3","features":[441]},{"name":"eLEXTYPE_PRIVATE4","features":[441]},{"name":"eLEXTYPE_PRIVATE5","features":[441]},{"name":"eLEXTYPE_PRIVATE6","features":[441]},{"name":"eLEXTYPE_PRIVATE7","features":[441]},{"name":"eLEXTYPE_PRIVATE8","features":[441]},{"name":"eLEXTYPE_PRIVATE9","features":[441]},{"name":"eLEXTYPE_RESERVED10","features":[441]},{"name":"eLEXTYPE_RESERVED4","features":[441]},{"name":"eLEXTYPE_RESERVED6","features":[441]},{"name":"eLEXTYPE_RESERVED7","features":[441]},{"name":"eLEXTYPE_RESERVED8","features":[441]},{"name":"eLEXTYPE_RESERVED9","features":[441]},{"name":"eLEXTYPE_USER","features":[441]},{"name":"eLEXTYPE_USER_SHORTCUT","features":[441]},{"name":"eLEXTYPE_VENDORLEXICON","features":[441]},{"name":"ePRONFLAG_USED","features":[441]},{"name":"eWORDTYPE_ADDED","features":[441]},{"name":"eWORDTYPE_DELETED","features":[441]}],"441":[{"name":"CapturedMetadataExposureCompensation","features":[442]},{"name":"CapturedMetadataISOGains","features":[442]},{"name":"CapturedMetadataWhiteBalanceGains","features":[442]},{"name":"DEVPKEY_Device_DLNACAP","features":[341,442]},{"name":"DEVPKEY_Device_DLNADOC","features":[341,442]},{"name":"DEVPKEY_Device_MaxVolume","features":[341,442]},{"name":"DEVPKEY_Device_PacketWakeSupported","features":[341,442]},{"name":"DEVPKEY_Device_SendPacketWakeSupported","features":[341,442]},{"name":"DEVPKEY_Device_SinkProtocolInfo","features":[341,442]},{"name":"DEVPKEY_Device_SupportsAudio","features":[341,442]},{"name":"DEVPKEY_Device_SupportsImages","features":[341,442]},{"name":"DEVPKEY_Device_SupportsMute","features":[341,442]},{"name":"DEVPKEY_Device_SupportsSearch","features":[341,442]},{"name":"DEVPKEY_Device_SupportsSetNextAVT","features":[341,442]},{"name":"DEVPKEY_Device_SupportsVideo","features":[341,442]},{"name":"DEVPKEY_Device_UDN","features":[341,442]},{"name":"FaceCharacterization","features":[442]},{"name":"FaceCharacterizationBlobHeader","features":[442]},{"name":"FaceRectInfo","features":[308,442]},{"name":"FaceRectInfoBlobHeader","features":[442]},{"name":"GUID_DEVINTERFACE_DMP","features":[442]},{"name":"GUID_DEVINTERFACE_DMR","features":[442]},{"name":"GUID_DEVINTERFACE_DMS","features":[442]},{"name":"HistogramBlobHeader","features":[442]},{"name":"HistogramDataHeader","features":[442]},{"name":"HistogramGrid","features":[308,442]},{"name":"HistogramHeader","features":[308,442]},{"name":"MF_MEDIASOURCE_STATUS_INFO","features":[442]},{"name":"MF_MEDIASOURCE_STATUS_INFO_FULLYSUPPORTED","features":[442]},{"name":"MF_MEDIASOURCE_STATUS_INFO_UNKNOWN","features":[442]},{"name":"MF_TRANSFER_VIDEO_FRAME_DEFAULT","features":[442]},{"name":"MF_TRANSFER_VIDEO_FRAME_FLAGS","features":[442]},{"name":"MF_TRANSFER_VIDEO_FRAME_IGNORE_PAR","features":[442]},{"name":"MF_TRANSFER_VIDEO_FRAME_STRETCH","features":[442]},{"name":"MetadataTimeStamps","features":[442]}],"442":[{"name":"AM_CONFIGASFWRITER_PARAM_AUTOINDEX","features":[443]},{"name":"AM_CONFIGASFWRITER_PARAM_DONTCOMPRESS","features":[443]},{"name":"AM_CONFIGASFWRITER_PARAM_MULTIPASS","features":[443]},{"name":"AM_WMT_EVENT_DATA","features":[443]},{"name":"CLSID_ClientNetManager","features":[443]},{"name":"CLSID_WMBandwidthSharing_Exclusive","features":[443]},{"name":"CLSID_WMBandwidthSharing_Partial","features":[443]},{"name":"CLSID_WMMUTEX_Bitrate","features":[443]},{"name":"CLSID_WMMUTEX_Language","features":[443]},{"name":"CLSID_WMMUTEX_Presentation","features":[443]},{"name":"CLSID_WMMUTEX_Unknown","features":[443]},{"name":"DRM_COPY_OPL","features":[443]},{"name":"DRM_MINIMUM_OUTPUT_PROTECTION_LEVELS","features":[443]},{"name":"DRM_OPL_OUTPUT_IDS","features":[443]},{"name":"DRM_OPL_TYPES","features":[443]},{"name":"DRM_OUTPUT_PROTECTION","features":[443]},{"name":"DRM_PLAY_OPL","features":[443]},{"name":"DRM_VAL16","features":[443]},{"name":"DRM_VIDEO_OUTPUT_PROTECTION_IDS","features":[443]},{"name":"INSNetSourceCreator","features":[443]},{"name":"INSSBuffer","features":[443]},{"name":"INSSBuffer2","features":[443]},{"name":"INSSBuffer3","features":[443]},{"name":"INSSBuffer4","features":[443]},{"name":"IWMAddressAccess","features":[443]},{"name":"IWMAddressAccess2","features":[443]},{"name":"IWMAuthorizer","features":[443]},{"name":"IWMBackupRestoreProps","features":[443]},{"name":"IWMBandwidthSharing","features":[443]},{"name":"IWMClientConnections","features":[443]},{"name":"IWMClientConnections2","features":[443]},{"name":"IWMCodecInfo","features":[443]},{"name":"IWMCodecInfo2","features":[443]},{"name":"IWMCodecInfo3","features":[443]},{"name":"IWMCredentialCallback","features":[443]},{"name":"IWMDRMEditor","features":[443]},{"name":"IWMDRMMessageParser","features":[443]},{"name":"IWMDRMReader","features":[443]},{"name":"IWMDRMReader2","features":[443]},{"name":"IWMDRMReader3","features":[443]},{"name":"IWMDRMTranscryptionManager","features":[443]},{"name":"IWMDRMTranscryptor","features":[443]},{"name":"IWMDRMTranscryptor2","features":[443]},{"name":"IWMDRMWriter","features":[443]},{"name":"IWMDRMWriter2","features":[443]},{"name":"IWMDRMWriter3","features":[443]},{"name":"IWMDeviceRegistration","features":[443]},{"name":"IWMGetSecureChannel","features":[443]},{"name":"IWMHeaderInfo","features":[443]},{"name":"IWMHeaderInfo2","features":[443]},{"name":"IWMHeaderInfo3","features":[443]},{"name":"IWMIStreamProps","features":[443]},{"name":"IWMImageInfo","features":[443]},{"name":"IWMIndexer","features":[443]},{"name":"IWMIndexer2","features":[443]},{"name":"IWMInputMediaProps","features":[443]},{"name":"IWMLanguageList","features":[443]},{"name":"IWMLicenseBackup","features":[443]},{"name":"IWMLicenseRestore","features":[443]},{"name":"IWMLicenseRevocationAgent","features":[443]},{"name":"IWMMediaProps","features":[443]},{"name":"IWMMetadataEditor","features":[443]},{"name":"IWMMetadataEditor2","features":[443]},{"name":"IWMMutualExclusion","features":[443]},{"name":"IWMMutualExclusion2","features":[443]},{"name":"IWMOutputMediaProps","features":[443]},{"name":"IWMPacketSize","features":[443]},{"name":"IWMPacketSize2","features":[443]},{"name":"IWMPlayerHook","features":[443]},{"name":"IWMPlayerTimestampHook","features":[443]},{"name":"IWMProfile","features":[443]},{"name":"IWMProfile2","features":[443]},{"name":"IWMProfile3","features":[443]},{"name":"IWMProfileManager","features":[443]},{"name":"IWMProfileManager2","features":[443]},{"name":"IWMProfileManagerLanguage","features":[443]},{"name":"IWMPropertyVault","features":[443]},{"name":"IWMProximityDetection","features":[443]},{"name":"IWMReader","features":[443]},{"name":"IWMReaderAccelerator","features":[443]},{"name":"IWMReaderAdvanced","features":[443]},{"name":"IWMReaderAdvanced2","features":[443]},{"name":"IWMReaderAdvanced3","features":[443]},{"name":"IWMReaderAdvanced4","features":[443]},{"name":"IWMReaderAdvanced5","features":[443]},{"name":"IWMReaderAdvanced6","features":[443]},{"name":"IWMReaderAllocatorEx","features":[443]},{"name":"IWMReaderCallback","features":[443]},{"name":"IWMReaderCallbackAdvanced","features":[443]},{"name":"IWMReaderNetworkConfig","features":[443]},{"name":"IWMReaderNetworkConfig2","features":[443]},{"name":"IWMReaderPlaylistBurn","features":[443]},{"name":"IWMReaderStreamClock","features":[443]},{"name":"IWMReaderTimecode","features":[443]},{"name":"IWMReaderTypeNegotiation","features":[443]},{"name":"IWMRegisterCallback","features":[443]},{"name":"IWMRegisteredDevice","features":[443]},{"name":"IWMSBufferAllocator","features":[443]},{"name":"IWMSInternalAdminNetSource","features":[443]},{"name":"IWMSInternalAdminNetSource2","features":[443]},{"name":"IWMSInternalAdminNetSource3","features":[443]},{"name":"IWMSecureChannel","features":[443]},{"name":"IWMStatusCallback","features":[443]},{"name":"IWMStreamConfig","features":[443]},{"name":"IWMStreamConfig2","features":[443]},{"name":"IWMStreamConfig3","features":[443]},{"name":"IWMStreamList","features":[443]},{"name":"IWMStreamPrioritization","features":[443]},{"name":"IWMSyncReader","features":[443]},{"name":"IWMSyncReader2","features":[443]},{"name":"IWMVideoMediaProps","features":[443]},{"name":"IWMWatermarkInfo","features":[443]},{"name":"IWMWriter","features":[443]},{"name":"IWMWriterAdvanced","features":[443]},{"name":"IWMWriterAdvanced2","features":[443]},{"name":"IWMWriterAdvanced3","features":[443]},{"name":"IWMWriterFileSink","features":[443]},{"name":"IWMWriterFileSink2","features":[443]},{"name":"IWMWriterFileSink3","features":[443]},{"name":"IWMWriterNetworkSink","features":[443]},{"name":"IWMWriterPostView","features":[443]},{"name":"IWMWriterPostViewCallback","features":[443]},{"name":"IWMWriterPreprocess","features":[443]},{"name":"IWMWriterPushSink","features":[443]},{"name":"IWMWriterSink","features":[443]},{"name":"NETSOURCE_URLCREDPOLICY_SETTINGS","features":[443]},{"name":"NETSOURCE_URLCREDPOLICY_SETTING_ANONYMOUSONLY","features":[443]},{"name":"NETSOURCE_URLCREDPOLICY_SETTING_MUSTPROMPTUSER","features":[443]},{"name":"NETSOURCE_URLCREDPOLICY_SETTING_SILENTLOGONOK","features":[443]},{"name":"WEBSTREAM_SAMPLE_TYPE","features":[443]},{"name":"WEBSTREAM_SAMPLE_TYPE_FILE","features":[443]},{"name":"WEBSTREAM_SAMPLE_TYPE_RENDER","features":[443]},{"name":"WMCreateBackupRestorer","features":[443]},{"name":"WMCreateEditor","features":[443]},{"name":"WMCreateIndexer","features":[443]},{"name":"WMCreateProfileManager","features":[443]},{"name":"WMCreateReader","features":[443]},{"name":"WMCreateSyncReader","features":[443]},{"name":"WMCreateWriter","features":[443]},{"name":"WMCreateWriterFileSink","features":[443]},{"name":"WMCreateWriterNetworkSink","features":[443]},{"name":"WMCreateWriterPushSink","features":[443]},{"name":"WMDRM_IMPORT_INIT_STRUCT","features":[443]},{"name":"WMDRM_IMPORT_INIT_STRUCT_DEFINED","features":[443]},{"name":"WMFORMAT_MPEG2Video","features":[443]},{"name":"WMFORMAT_Script","features":[443]},{"name":"WMFORMAT_VideoInfo","features":[443]},{"name":"WMFORMAT_WaveFormatEx","features":[443]},{"name":"WMFORMAT_WebStream","features":[443]},{"name":"WMIsContentProtected","features":[308,443]},{"name":"WMMEDIASUBTYPE_ACELPnet","features":[443]},{"name":"WMMEDIASUBTYPE_Base","features":[443]},{"name":"WMMEDIASUBTYPE_DRM","features":[443]},{"name":"WMMEDIASUBTYPE_I420","features":[443]},{"name":"WMMEDIASUBTYPE_IYUV","features":[443]},{"name":"WMMEDIASUBTYPE_M4S2","features":[443]},{"name":"WMMEDIASUBTYPE_MP3","features":[443]},{"name":"WMMEDIASUBTYPE_MP43","features":[443]},{"name":"WMMEDIASUBTYPE_MP4S","features":[443]},{"name":"WMMEDIASUBTYPE_MPEG2_VIDEO","features":[443]},{"name":"WMMEDIASUBTYPE_MSS1","features":[443]},{"name":"WMMEDIASUBTYPE_MSS2","features":[443]},{"name":"WMMEDIASUBTYPE_P422","features":[443]},{"name":"WMMEDIASUBTYPE_PCM","features":[443]},{"name":"WMMEDIASUBTYPE_RGB1","features":[443]},{"name":"WMMEDIASUBTYPE_RGB24","features":[443]},{"name":"WMMEDIASUBTYPE_RGB32","features":[443]},{"name":"WMMEDIASUBTYPE_RGB4","features":[443]},{"name":"WMMEDIASUBTYPE_RGB555","features":[443]},{"name":"WMMEDIASUBTYPE_RGB565","features":[443]},{"name":"WMMEDIASUBTYPE_RGB8","features":[443]},{"name":"WMMEDIASUBTYPE_UYVY","features":[443]},{"name":"WMMEDIASUBTYPE_VIDEOIMAGE","features":[443]},{"name":"WMMEDIASUBTYPE_WMAudioV2","features":[443]},{"name":"WMMEDIASUBTYPE_WMAudioV7","features":[443]},{"name":"WMMEDIASUBTYPE_WMAudioV8","features":[443]},{"name":"WMMEDIASUBTYPE_WMAudioV9","features":[443]},{"name":"WMMEDIASUBTYPE_WMAudio_Lossless","features":[443]},{"name":"WMMEDIASUBTYPE_WMSP1","features":[443]},{"name":"WMMEDIASUBTYPE_WMSP2","features":[443]},{"name":"WMMEDIASUBTYPE_WMV1","features":[443]},{"name":"WMMEDIASUBTYPE_WMV2","features":[443]},{"name":"WMMEDIASUBTYPE_WMV3","features":[443]},{"name":"WMMEDIASUBTYPE_WMVA","features":[443]},{"name":"WMMEDIASUBTYPE_WMVP","features":[443]},{"name":"WMMEDIASUBTYPE_WVC1","features":[443]},{"name":"WMMEDIASUBTYPE_WVP2","features":[443]},{"name":"WMMEDIASUBTYPE_WebStream","features":[443]},{"name":"WMMEDIASUBTYPE_YUY2","features":[443]},{"name":"WMMEDIASUBTYPE_YV12","features":[443]},{"name":"WMMEDIASUBTYPE_YVU9","features":[443]},{"name":"WMMEDIASUBTYPE_YVYU","features":[443]},{"name":"WMMEDIATYPE_Audio","features":[443]},{"name":"WMMEDIATYPE_FileTransfer","features":[443]},{"name":"WMMEDIATYPE_Image","features":[443]},{"name":"WMMEDIATYPE_Script","features":[443]},{"name":"WMMEDIATYPE_Text","features":[443]},{"name":"WMMEDIATYPE_Video","features":[443]},{"name":"WMMPEG2VIDEOINFO","features":[308,319,443]},{"name":"WMSCRIPTFORMAT","features":[443]},{"name":"WMSCRIPTTYPE_TwoStrings","features":[443]},{"name":"WMT_ACQUIRE_LICENSE","features":[443]},{"name":"WMT_ATTR_DATATYPE","features":[443]},{"name":"WMT_ATTR_IMAGETYPE","features":[443]},{"name":"WMT_BACKUPRESTORE_BEGIN","features":[443]},{"name":"WMT_BACKUPRESTORE_CONNECTING","features":[443]},{"name":"WMT_BACKUPRESTORE_DISCONNECTING","features":[443]},{"name":"WMT_BACKUPRESTORE_END","features":[443]},{"name":"WMT_BUFFERING_START","features":[443]},{"name":"WMT_BUFFERING_STOP","features":[443]},{"name":"WMT_BUFFER_SEGMENT","features":[443]},{"name":"WMT_CLEANPOINT_ONLY","features":[443]},{"name":"WMT_CLIENT_CONNECT","features":[443]},{"name":"WMT_CLIENT_CONNECT_EX","features":[443]},{"name":"WMT_CLIENT_DISCONNECT","features":[443]},{"name":"WMT_CLIENT_DISCONNECT_EX","features":[443]},{"name":"WMT_CLIENT_PROPERTIES","features":[443]},{"name":"WMT_CLOSED","features":[443]},{"name":"WMT_CODECINFO_AUDIO","features":[443]},{"name":"WMT_CODECINFO_UNKNOWN","features":[443]},{"name":"WMT_CODECINFO_VIDEO","features":[443]},{"name":"WMT_CODEC_INFO_TYPE","features":[443]},{"name":"WMT_COLORSPACEINFO_EXTENSION_DATA","features":[443]},{"name":"WMT_CONNECTING","features":[443]},{"name":"WMT_CONTENT_ENABLER","features":[443]},{"name":"WMT_CREDENTIAL_CLEAR_TEXT","features":[443]},{"name":"WMT_CREDENTIAL_DONT_CACHE","features":[443]},{"name":"WMT_CREDENTIAL_ENCRYPT","features":[443]},{"name":"WMT_CREDENTIAL_FLAGS","features":[443]},{"name":"WMT_CREDENTIAL_PROXY","features":[443]},{"name":"WMT_CREDENTIAL_SAVE","features":[443]},{"name":"WMT_DMOCATEGORY_AUDIO_WATERMARK","features":[443]},{"name":"WMT_DMOCATEGORY_VIDEO_WATERMARK","features":[443]},{"name":"WMT_DRMLA_TAMPERED","features":[443]},{"name":"WMT_DRMLA_TRUST","features":[443]},{"name":"WMT_DRMLA_TRUSTED","features":[443]},{"name":"WMT_DRMLA_UNTRUSTED","features":[443]},{"name":"WMT_END_OF_FILE","features":[443]},{"name":"WMT_END_OF_SEGMENT","features":[443]},{"name":"WMT_END_OF_STREAMING","features":[443]},{"name":"WMT_EOF","features":[443]},{"name":"WMT_ERROR","features":[443]},{"name":"WMT_ERROR_WITHURL","features":[443]},{"name":"WMT_FILESINK_DATA_UNIT","features":[443]},{"name":"WMT_FILESINK_MODE","features":[443]},{"name":"WMT_FM_FILESINK_DATA_UNITS","features":[443]},{"name":"WMT_FM_FILESINK_UNBUFFERED","features":[443]},{"name":"WMT_FM_SINGLE_BUFFERS","features":[443]},{"name":"WMT_IMAGETYPE_BITMAP","features":[443]},{"name":"WMT_IMAGETYPE_GIF","features":[443]},{"name":"WMT_IMAGETYPE_JPEG","features":[443]},{"name":"WMT_IMAGE_TYPE","features":[443]},{"name":"WMT_INDEXER_TYPE","features":[443]},{"name":"WMT_INDEX_PROGRESS","features":[443]},{"name":"WMT_INDEX_TYPE","features":[443]},{"name":"WMT_INDIVIDUALIZE","features":[443]},{"name":"WMT_INIT_PLAYLIST_BURN","features":[443]},{"name":"WMT_IT_BITMAP","features":[443]},{"name":"WMT_IT_FRAME_NUMBERS","features":[443]},{"name":"WMT_IT_GIF","features":[443]},{"name":"WMT_IT_JPEG","features":[443]},{"name":"WMT_IT_NEAREST_CLEAN_POINT","features":[443]},{"name":"WMT_IT_NEAREST_DATA_UNIT","features":[443]},{"name":"WMT_IT_NEAREST_OBJECT","features":[443]},{"name":"WMT_IT_NONE","features":[443]},{"name":"WMT_IT_PRESENTATION_TIME","features":[443]},{"name":"WMT_IT_TIMECODE","features":[443]},{"name":"WMT_LICENSEURL_SIGNATURE_STATE","features":[443]},{"name":"WMT_LOCATING","features":[443]},{"name":"WMT_MISSING_CODEC","features":[443]},{"name":"WMT_MS_CLASS_MIXED","features":[443]},{"name":"WMT_MS_CLASS_MUSIC","features":[443]},{"name":"WMT_MS_CLASS_SPEECH","features":[443]},{"name":"WMT_MUSICSPEECH_CLASS_MODE","features":[443]},{"name":"WMT_NATIVE_OUTPUT_PROPS_CHANGED","features":[443]},{"name":"WMT_NEEDS_INDIVIDUALIZATION","features":[443]},{"name":"WMT_NET_PROTOCOL","features":[443]},{"name":"WMT_NEW_METADATA","features":[443]},{"name":"WMT_NEW_SOURCEFLAGS","features":[443]},{"name":"WMT_NO_RIGHTS","features":[443]},{"name":"WMT_NO_RIGHTS_EX","features":[443]},{"name":"WMT_OFF","features":[443]},{"name":"WMT_OFFSET_FORMAT","features":[443]},{"name":"WMT_OFFSET_FORMAT_100NS","features":[443]},{"name":"WMT_OFFSET_FORMAT_100NS_APPROXIMATE","features":[443]},{"name":"WMT_OFFSET_FORMAT_FRAME_NUMBERS","features":[443]},{"name":"WMT_OFFSET_FORMAT_PLAYLIST_OFFSET","features":[443]},{"name":"WMT_OFFSET_FORMAT_TIMECODE","features":[443]},{"name":"WMT_ON","features":[443]},{"name":"WMT_OPENED","features":[443]},{"name":"WMT_PAYLOAD_FRAGMENT","features":[443]},{"name":"WMT_PLAY_MODE","features":[443]},{"name":"WMT_PLAY_MODE_AUTOSELECT","features":[443]},{"name":"WMT_PLAY_MODE_DOWNLOAD","features":[443]},{"name":"WMT_PLAY_MODE_LOCAL","features":[443]},{"name":"WMT_PLAY_MODE_STREAMING","features":[443]},{"name":"WMT_PREROLL_COMPLETE","features":[443]},{"name":"WMT_PREROLL_READY","features":[443]},{"name":"WMT_PROTOCOL_HTTP","features":[443]},{"name":"WMT_PROXIMITY_COMPLETED","features":[443]},{"name":"WMT_PROXIMITY_RESULT","features":[443]},{"name":"WMT_PROXY_SETTINGS","features":[443]},{"name":"WMT_PROXY_SETTING_AUTO","features":[443]},{"name":"WMT_PROXY_SETTING_BROWSER","features":[443]},{"name":"WMT_PROXY_SETTING_MANUAL","features":[443]},{"name":"WMT_PROXY_SETTING_MAX","features":[443]},{"name":"WMT_PROXY_SETTING_NONE","features":[443]},{"name":"WMT_RECONNECT_END","features":[443]},{"name":"WMT_RECONNECT_START","features":[443]},{"name":"WMT_RESTRICTED_LICENSE","features":[443]},{"name":"WMT_RIGHTS","features":[443]},{"name":"WMT_RIGHT_COLLABORATIVE_PLAY","features":[443]},{"name":"WMT_RIGHT_COPY","features":[443]},{"name":"WMT_RIGHT_COPY_TO_CD","features":[443]},{"name":"WMT_RIGHT_COPY_TO_NON_SDMI_DEVICE","features":[443]},{"name":"WMT_RIGHT_COPY_TO_SDMI_DEVICE","features":[443]},{"name":"WMT_RIGHT_ONE_TIME","features":[443]},{"name":"WMT_RIGHT_PLAYBACK","features":[443]},{"name":"WMT_RIGHT_SAVE_STREAM_PROTECTED","features":[443]},{"name":"WMT_RIGHT_SDMI_NOMORECOPIES","features":[443]},{"name":"WMT_RIGHT_SDMI_TRIGGER","features":[443]},{"name":"WMT_SAVEAS_START","features":[443]},{"name":"WMT_SAVEAS_STOP","features":[443]},{"name":"WMT_SET_FEC_SPAN","features":[443]},{"name":"WMT_SOURCE_SWITCH","features":[443]},{"name":"WMT_STARTED","features":[443]},{"name":"WMT_STATUS","features":[443]},{"name":"WMT_STOPPED","features":[443]},{"name":"WMT_STORAGE_FORMAT","features":[443]},{"name":"WMT_STREAM_SELECTION","features":[443]},{"name":"WMT_STRIDING","features":[443]},{"name":"WMT_Storage_Format_MP3","features":[443]},{"name":"WMT_Storage_Format_V1","features":[443]},{"name":"WMT_TIMECODE_EXTENSION_DATA","features":[443]},{"name":"WMT_TIMECODE_FRAMERATE","features":[443]},{"name":"WMT_TIMECODE_FRAMERATE_24","features":[443]},{"name":"WMT_TIMECODE_FRAMERATE_25","features":[443]},{"name":"WMT_TIMECODE_FRAMERATE_30","features":[443]},{"name":"WMT_TIMECODE_FRAMERATE_30DROP","features":[443]},{"name":"WMT_TIMER","features":[443]},{"name":"WMT_TRANSCRYPTOR_CLOSED","features":[443]},{"name":"WMT_TRANSCRYPTOR_INIT","features":[443]},{"name":"WMT_TRANSCRYPTOR_READ","features":[443]},{"name":"WMT_TRANSCRYPTOR_SEEKED","features":[443]},{"name":"WMT_TRANSPORT_TYPE","features":[443]},{"name":"WMT_TYPE_BINARY","features":[443]},{"name":"WMT_TYPE_BOOL","features":[443]},{"name":"WMT_TYPE_DWORD","features":[443]},{"name":"WMT_TYPE_GUID","features":[443]},{"name":"WMT_TYPE_QWORD","features":[443]},{"name":"WMT_TYPE_STRING","features":[443]},{"name":"WMT_TYPE_WORD","features":[443]},{"name":"WMT_Transport_Type_Reliable","features":[443]},{"name":"WMT_Transport_Type_Unreliable","features":[443]},{"name":"WMT_VERSION","features":[443]},{"name":"WMT_VER_4_0","features":[443]},{"name":"WMT_VER_7_0","features":[443]},{"name":"WMT_VER_8_0","features":[443]},{"name":"WMT_VER_9_0","features":[443]},{"name":"WMT_VIDEOIMAGE_INTEGER_DENOMINATOR","features":[443]},{"name":"WMT_VIDEOIMAGE_MAGIC_NUMBER","features":[443]},{"name":"WMT_VIDEOIMAGE_MAGIC_NUMBER_2","features":[443]},{"name":"WMT_VIDEOIMAGE_SAMPLE","features":[443]},{"name":"WMT_VIDEOIMAGE_SAMPLE2","features":[308,443]},{"name":"WMT_VIDEOIMAGE_SAMPLE_ADV_BLENDING","features":[443]},{"name":"WMT_VIDEOIMAGE_SAMPLE_BLENDING","features":[443]},{"name":"WMT_VIDEOIMAGE_SAMPLE_INPUT_FRAME","features":[443]},{"name":"WMT_VIDEOIMAGE_SAMPLE_MOTION","features":[443]},{"name":"WMT_VIDEOIMAGE_SAMPLE_OUTPUT_FRAME","features":[443]},{"name":"WMT_VIDEOIMAGE_SAMPLE_ROTATION","features":[443]},{"name":"WMT_VIDEOIMAGE_SAMPLE_USES_CURRENT_INPUT_FRAME","features":[443]},{"name":"WMT_VIDEOIMAGE_SAMPLE_USES_PREVIOUS_INPUT_FRAME","features":[443]},{"name":"WMT_VIDEOIMAGE_TRANSITION_BOW_TIE","features":[443]},{"name":"WMT_VIDEOIMAGE_TRANSITION_CIRCLE","features":[443]},{"name":"WMT_VIDEOIMAGE_TRANSITION_CROSS_FADE","features":[443]},{"name":"WMT_VIDEOIMAGE_TRANSITION_DIAGONAL","features":[443]},{"name":"WMT_VIDEOIMAGE_TRANSITION_DIAMOND","features":[443]},{"name":"WMT_VIDEOIMAGE_TRANSITION_FADE_TO_COLOR","features":[443]},{"name":"WMT_VIDEOIMAGE_TRANSITION_FILLED_V","features":[443]},{"name":"WMT_VIDEOIMAGE_TRANSITION_FLIP","features":[443]},{"name":"WMT_VIDEOIMAGE_TRANSITION_INSET","features":[443]},{"name":"WMT_VIDEOIMAGE_TRANSITION_IRIS","features":[443]},{"name":"WMT_VIDEOIMAGE_TRANSITION_PAGE_ROLL","features":[443]},{"name":"WMT_VIDEOIMAGE_TRANSITION_RECTANGLE","features":[443]},{"name":"WMT_VIDEOIMAGE_TRANSITION_REVEAL","features":[443]},{"name":"WMT_VIDEOIMAGE_TRANSITION_SLIDE","features":[443]},{"name":"WMT_VIDEOIMAGE_TRANSITION_SPLIT","features":[443]},{"name":"WMT_VIDEOIMAGE_TRANSITION_STAR","features":[443]},{"name":"WMT_VIDEOIMAGE_TRANSITION_WHEEL","features":[443]},{"name":"WMT_WATERMARK_ENTRY","features":[443]},{"name":"WMT_WATERMARK_ENTRY_TYPE","features":[443]},{"name":"WMT_WEBSTREAM_FORMAT","features":[443]},{"name":"WMT_WEBSTREAM_SAMPLE_HEADER","features":[443]},{"name":"WMT_WMETYPE_AUDIO","features":[443]},{"name":"WMT_WMETYPE_VIDEO","features":[443]},{"name":"WMVIDEOINFOHEADER","features":[308,319,443]},{"name":"WMVIDEOINFOHEADER2","features":[308,319,443]},{"name":"WM_ADDRESS_ACCESSENTRY","features":[443]},{"name":"WM_AETYPE","features":[443]},{"name":"WM_AETYPE_EXCLUDE","features":[443]},{"name":"WM_AETYPE_INCLUDE","features":[443]},{"name":"WM_CLIENT_PROPERTIES","features":[443]},{"name":"WM_CLIENT_PROPERTIES_EX","features":[443]},{"name":"WM_CL_INTERLACED420","features":[443]},{"name":"WM_CL_PROGRESSIVE420","features":[443]},{"name":"WM_CT_BOTTOM_FIELD_FIRST","features":[443]},{"name":"WM_CT_INTERLACED","features":[443]},{"name":"WM_CT_REPEAT_FIRST_FIELD","features":[443]},{"name":"WM_CT_TOP_FIELD_FIRST","features":[443]},{"name":"WM_DM_DEINTERLACE_HALFSIZE","features":[443]},{"name":"WM_DM_DEINTERLACE_HALFSIZEDOUBLERATE","features":[443]},{"name":"WM_DM_DEINTERLACE_INVERSETELECINE","features":[443]},{"name":"WM_DM_DEINTERLACE_NORMAL","features":[443]},{"name":"WM_DM_DEINTERLACE_VERTICALHALFSIZEDOUBLERATE","features":[443]},{"name":"WM_DM_INTERLACED_TYPE","features":[443]},{"name":"WM_DM_IT_DISABLE_COHERENT_MODE","features":[443]},{"name":"WM_DM_IT_FIRST_FRAME_COHERENCY","features":[443]},{"name":"WM_DM_IT_FIRST_FRAME_IN_CLIP_IS_AA_BOTTOM","features":[443]},{"name":"WM_DM_IT_FIRST_FRAME_IN_CLIP_IS_AA_TOP","features":[443]},{"name":"WM_DM_IT_FIRST_FRAME_IN_CLIP_IS_BB_BOTTOM","features":[443]},{"name":"WM_DM_IT_FIRST_FRAME_IN_CLIP_IS_BB_TOP","features":[443]},{"name":"WM_DM_IT_FIRST_FRAME_IN_CLIP_IS_BC_BOTTOM","features":[443]},{"name":"WM_DM_IT_FIRST_FRAME_IN_CLIP_IS_BC_TOP","features":[443]},{"name":"WM_DM_IT_FIRST_FRAME_IN_CLIP_IS_CD_BOTTOM","features":[443]},{"name":"WM_DM_IT_FIRST_FRAME_IN_CLIP_IS_CD_TOP","features":[443]},{"name":"WM_DM_IT_FIRST_FRAME_IN_CLIP_IS_DD_BOTTOM","features":[443]},{"name":"WM_DM_IT_FIRST_FRAME_IN_CLIP_IS_DD_TOP","features":[443]},{"name":"WM_DM_NOTINTERLACED","features":[443]},{"name":"WM_LEAKY_BUCKET_PAIR","features":[443]},{"name":"WM_MAX_STREAMS","features":[443]},{"name":"WM_MAX_VIDEO_STREAMS","features":[443]},{"name":"WM_MEDIA_TYPE","features":[308,443]},{"name":"WM_PICTURE","features":[443]},{"name":"WM_PLAYBACK_DRC_HIGH","features":[443]},{"name":"WM_PLAYBACK_DRC_LEVEL","features":[443]},{"name":"WM_PLAYBACK_DRC_LOW","features":[443]},{"name":"WM_PLAYBACK_DRC_MEDIUM","features":[443]},{"name":"WM_PORT_NUMBER_RANGE","features":[443]},{"name":"WM_READER_CLIENTINFO","features":[308,443]},{"name":"WM_READER_STATISTICS","features":[443]},{"name":"WM_SFEX_DATALOSS","features":[443]},{"name":"WM_SFEX_NOTASYNCPOINT","features":[443]},{"name":"WM_SFEX_TYPE","features":[443]},{"name":"WM_SF_CLEANPOINT","features":[443]},{"name":"WM_SF_DATALOSS","features":[443]},{"name":"WM_SF_DISCONTINUITY","features":[443]},{"name":"WM_SF_TYPE","features":[443]},{"name":"WM_STREAM_PRIORITY_RECORD","features":[308,443]},{"name":"WM_STREAM_TYPE_INFO","features":[443]},{"name":"WM_SYNCHRONISED_LYRICS","features":[443]},{"name":"WM_SampleExtensionGUID_ChromaLocation","features":[443]},{"name":"WM_SampleExtensionGUID_ColorSpaceInfo","features":[443]},{"name":"WM_SampleExtensionGUID_ContentType","features":[443]},{"name":"WM_SampleExtensionGUID_FileName","features":[443]},{"name":"WM_SampleExtensionGUID_OutputCleanPoint","features":[443]},{"name":"WM_SampleExtensionGUID_PixelAspectRatio","features":[443]},{"name":"WM_SampleExtensionGUID_SampleDuration","features":[443]},{"name":"WM_SampleExtensionGUID_SampleProtectionSalt","features":[443]},{"name":"WM_SampleExtensionGUID_Timecode","features":[443]},{"name":"WM_SampleExtensionGUID_UserDataInfo","features":[443]},{"name":"WM_SampleExtension_ChromaLocation_Size","features":[443]},{"name":"WM_SampleExtension_ColorSpaceInfo_Size","features":[443]},{"name":"WM_SampleExtension_ContentType_Size","features":[443]},{"name":"WM_SampleExtension_PixelAspectRatio_Size","features":[443]},{"name":"WM_SampleExtension_SampleDuration_Size","features":[443]},{"name":"WM_SampleExtension_Timecode_Size","features":[443]},{"name":"WM_USER_TEXT","features":[443]},{"name":"WM_USER_WEB_URL","features":[443]},{"name":"WM_WRITER_STATISTICS","features":[443]},{"name":"WM_WRITER_STATISTICS_EX","features":[443]},{"name":"_AM_ASFWRITERCONFIG_PARAM","features":[443]},{"name":"g_dwWMContentAttributes","features":[443]},{"name":"g_dwWMNSCAttributes","features":[443]},{"name":"g_dwWMSpecialAttributes","features":[443]},{"name":"g_wszASFLeakyBucketPairs","features":[443]},{"name":"g_wszAllowInterlacedOutput","features":[443]},{"name":"g_wszAverageLevel","features":[443]},{"name":"g_wszBufferAverage","features":[443]},{"name":"g_wszComplexity","features":[443]},{"name":"g_wszComplexityLive","features":[443]},{"name":"g_wszComplexityMax","features":[443]},{"name":"g_wszComplexityOffline","features":[443]},{"name":"g_wszDecoderComplexityRequested","features":[443]},{"name":"g_wszDedicatedDeliveryThread","features":[443]},{"name":"g_wszDeinterlaceMode","features":[443]},{"name":"g_wszDeliverOnReceive","features":[443]},{"name":"g_wszDeviceConformanceTemplate","features":[443]},{"name":"g_wszDynamicRangeControl","features":[443]},{"name":"g_wszEDL","features":[443]},{"name":"g_wszEarlyDataDelivery","features":[443]},{"name":"g_wszEnableDiscreteOutput","features":[443]},{"name":"g_wszEnableFrameInterpolation","features":[443]},{"name":"g_wszEnableWMAProSPDIFOutput","features":[443]},{"name":"g_wszFailSeekOnError","features":[443]},{"name":"g_wszFixedFrameRate","features":[443]},{"name":"g_wszFold6To2Channels3","features":[443]},{"name":"g_wszFoldToChannelsTemplate","features":[443]},{"name":"g_wszInitialPatternForInverseTelecine","features":[443]},{"name":"g_wszInterlacedCoding","features":[443]},{"name":"g_wszIsVBRSupported","features":[443]},{"name":"g_wszJPEGCompressionQuality","features":[443]},{"name":"g_wszJustInTimeDecode","features":[443]},{"name":"g_wszMixedClassMode","features":[443]},{"name":"g_wszMusicClassMode","features":[443]},{"name":"g_wszMusicSpeechClassMode","features":[443]},{"name":"g_wszNeedsPreviousSample","features":[443]},{"name":"g_wszNumPasses","features":[443]},{"name":"g_wszOriginalSourceFormatTag","features":[443]},{"name":"g_wszOriginalWaveFormat","features":[443]},{"name":"g_wszPeakValue","features":[443]},{"name":"g_wszPermitSeeksBeyondEndOfStream","features":[443]},{"name":"g_wszReloadIndexOnSeek","features":[443]},{"name":"g_wszScrambledAudio","features":[443]},{"name":"g_wszSingleOutputBuffer","features":[443]},{"name":"g_wszSoftwareScaling","features":[443]},{"name":"g_wszSourceBufferTime","features":[443]},{"name":"g_wszSourceMaxBytesAtOnce","features":[443]},{"name":"g_wszSpeakerConfig","features":[443]},{"name":"g_wszSpeechCaps","features":[443]},{"name":"g_wszSpeechClassMode","features":[443]},{"name":"g_wszStreamLanguage","features":[443]},{"name":"g_wszStreamNumIndexObjects","features":[443]},{"name":"g_wszUsePacketAtSeekPoint","features":[443]},{"name":"g_wszVBRBitrateMax","features":[443]},{"name":"g_wszVBRBufferWindowMax","features":[443]},{"name":"g_wszVBREnabled","features":[443]},{"name":"g_wszVBRPeak","features":[443]},{"name":"g_wszVBRQuality","features":[443]},{"name":"g_wszVideoSampleDurations","features":[443]},{"name":"g_wszWMADID","features":[443]},{"name":"g_wszWMASFPacketCount","features":[443]},{"name":"g_wszWMASFSecurityObjectsSize","features":[443]},{"name":"g_wszWMAlbumArtist","features":[443]},{"name":"g_wszWMAlbumArtistSort","features":[443]},{"name":"g_wszWMAlbumCoverURL","features":[443]},{"name":"g_wszWMAlbumTitle","features":[443]},{"name":"g_wszWMAlbumTitleSort","features":[443]},{"name":"g_wszWMAspectRatioX","features":[443]},{"name":"g_wszWMAspectRatioY","features":[443]},{"name":"g_wszWMAudioFileURL","features":[443]},{"name":"g_wszWMAudioSourceURL","features":[443]},{"name":"g_wszWMAuthor","features":[443]},{"name":"g_wszWMAuthorSort","features":[443]},{"name":"g_wszWMAuthorURL","features":[443]},{"name":"g_wszWMBannerImageData","features":[443]},{"name":"g_wszWMBannerImageType","features":[443]},{"name":"g_wszWMBannerImageURL","features":[443]},{"name":"g_wszWMBeatsPerMinute","features":[443]},{"name":"g_wszWMBitrate","features":[443]},{"name":"g_wszWMBroadcast","features":[443]},{"name":"g_wszWMCategory","features":[443]},{"name":"g_wszWMCodec","features":[443]},{"name":"g_wszWMComposer","features":[443]},{"name":"g_wszWMComposerSort","features":[443]},{"name":"g_wszWMConductor","features":[443]},{"name":"g_wszWMContainerFormat","features":[443]},{"name":"g_wszWMContentDistributor","features":[443]},{"name":"g_wszWMContentGroupDescription","features":[443]},{"name":"g_wszWMCopyright","features":[443]},{"name":"g_wszWMCopyrightURL","features":[443]},{"name":"g_wszWMCurrentBitrate","features":[443]},{"name":"g_wszWMDRM","features":[443]},{"name":"g_wszWMDRM_ContentID","features":[443]},{"name":"g_wszWMDRM_Flags","features":[443]},{"name":"g_wszWMDRM_HeaderSignPrivKey","features":[443]},{"name":"g_wszWMDRM_IndividualizedVersion","features":[443]},{"name":"g_wszWMDRM_KeyID","features":[443]},{"name":"g_wszWMDRM_KeySeed","features":[443]},{"name":"g_wszWMDRM_LASignatureCert","features":[443]},{"name":"g_wszWMDRM_LASignatureLicSrvCert","features":[443]},{"name":"g_wszWMDRM_LASignaturePrivKey","features":[443]},{"name":"g_wszWMDRM_LASignatureRootCert","features":[443]},{"name":"g_wszWMDRM_Level","features":[443]},{"name":"g_wszWMDRM_LicenseAcqURL","features":[443]},{"name":"g_wszWMDRM_SourceID","features":[443]},{"name":"g_wszWMDRM_V1LicenseAcqURL","features":[443]},{"name":"g_wszWMDVDID","features":[443]},{"name":"g_wszWMDescription","features":[443]},{"name":"g_wszWMDirector","features":[443]},{"name":"g_wszWMDuration","features":[443]},{"name":"g_wszWMEncodedBy","features":[443]},{"name":"g_wszWMEncodingSettings","features":[443]},{"name":"g_wszWMEncodingTime","features":[443]},{"name":"g_wszWMEpisodeNumber","features":[443]},{"name":"g_wszWMFileSize","features":[443]},{"name":"g_wszWMGenre","features":[443]},{"name":"g_wszWMGenreID","features":[443]},{"name":"g_wszWMHasArbitraryDataStream","features":[443]},{"name":"g_wszWMHasAttachedImages","features":[443]},{"name":"g_wszWMHasAudio","features":[443]},{"name":"g_wszWMHasFileTransferStream","features":[443]},{"name":"g_wszWMHasImage","features":[443]},{"name":"g_wszWMHasScript","features":[443]},{"name":"g_wszWMHasVideo","features":[443]},{"name":"g_wszWMISAN","features":[443]},{"name":"g_wszWMISRC","features":[443]},{"name":"g_wszWMInitialKey","features":[443]},{"name":"g_wszWMIsCompilation","features":[443]},{"name":"g_wszWMIsVBR","features":[443]},{"name":"g_wszWMLanguage","features":[443]},{"name":"g_wszWMLyrics","features":[443]},{"name":"g_wszWMLyrics_Synchronised","features":[443]},{"name":"g_wszWMMCDI","features":[443]},{"name":"g_wszWMMediaClassPrimaryID","features":[443]},{"name":"g_wszWMMediaClassSecondaryID","features":[443]},{"name":"g_wszWMMediaCredits","features":[443]},{"name":"g_wszWMMediaIsDelay","features":[443]},{"name":"g_wszWMMediaIsFinale","features":[443]},{"name":"g_wszWMMediaIsLive","features":[443]},{"name":"g_wszWMMediaIsPremiere","features":[443]},{"name":"g_wszWMMediaIsRepeat","features":[443]},{"name":"g_wszWMMediaIsSAP","features":[443]},{"name":"g_wszWMMediaIsStereo","features":[443]},{"name":"g_wszWMMediaIsSubtitled","features":[443]},{"name":"g_wszWMMediaIsTape","features":[443]},{"name":"g_wszWMMediaNetworkAffiliation","features":[443]},{"name":"g_wszWMMediaOriginalBroadcastDateTime","features":[443]},{"name":"g_wszWMMediaOriginalChannel","features":[443]},{"name":"g_wszWMMediaStationCallSign","features":[443]},{"name":"g_wszWMMediaStationName","features":[443]},{"name":"g_wszWMModifiedBy","features":[443]},{"name":"g_wszWMMood","features":[443]},{"name":"g_wszWMNSCAddress","features":[443]},{"name":"g_wszWMNSCDescription","features":[443]},{"name":"g_wszWMNSCEmail","features":[443]},{"name":"g_wszWMNSCName","features":[443]},{"name":"g_wszWMNSCPhone","features":[443]},{"name":"g_wszWMNumberOfFrames","features":[443]},{"name":"g_wszWMOptimalBitrate","features":[443]},{"name":"g_wszWMOriginalAlbumTitle","features":[443]},{"name":"g_wszWMOriginalArtist","features":[443]},{"name":"g_wszWMOriginalFilename","features":[443]},{"name":"g_wszWMOriginalLyricist","features":[443]},{"name":"g_wszWMOriginalReleaseTime","features":[443]},{"name":"g_wszWMOriginalReleaseYear","features":[443]},{"name":"g_wszWMParentalRating","features":[443]},{"name":"g_wszWMParentalRatingReason","features":[443]},{"name":"g_wszWMPartOfSet","features":[443]},{"name":"g_wszWMPeakBitrate","features":[443]},{"name":"g_wszWMPeriod","features":[443]},{"name":"g_wszWMPicture","features":[443]},{"name":"g_wszWMPlaylistDelay","features":[443]},{"name":"g_wszWMProducer","features":[443]},{"name":"g_wszWMPromotionURL","features":[443]},{"name":"g_wszWMProtected","features":[443]},{"name":"g_wszWMProtectionType","features":[443]},{"name":"g_wszWMProvider","features":[443]},{"name":"g_wszWMProviderCopyright","features":[443]},{"name":"g_wszWMProviderRating","features":[443]},{"name":"g_wszWMProviderStyle","features":[443]},{"name":"g_wszWMPublisher","features":[443]},{"name":"g_wszWMRadioStationName","features":[443]},{"name":"g_wszWMRadioStationOwner","features":[443]},{"name":"g_wszWMRating","features":[443]},{"name":"g_wszWMSeasonNumber","features":[443]},{"name":"g_wszWMSeekable","features":[443]},{"name":"g_wszWMSharedUserRating","features":[443]},{"name":"g_wszWMSignature_Name","features":[443]},{"name":"g_wszWMSkipBackward","features":[443]},{"name":"g_wszWMSkipForward","features":[443]},{"name":"g_wszWMStreamTypeInfo","features":[443]},{"name":"g_wszWMStridable","features":[443]},{"name":"g_wszWMSubTitle","features":[443]},{"name":"g_wszWMSubTitleDescription","features":[443]},{"name":"g_wszWMSubscriptionContentID","features":[443]},{"name":"g_wszWMText","features":[443]},{"name":"g_wszWMTitle","features":[443]},{"name":"g_wszWMTitleSort","features":[443]},{"name":"g_wszWMToolName","features":[443]},{"name":"g_wszWMToolVersion","features":[443]},{"name":"g_wszWMTrack","features":[443]},{"name":"g_wszWMTrackNumber","features":[443]},{"name":"g_wszWMTrusted","features":[443]},{"name":"g_wszWMUniqueFileIdentifier","features":[443]},{"name":"g_wszWMUse_Advanced_DRM","features":[443]},{"name":"g_wszWMUse_DRM","features":[443]},{"name":"g_wszWMUserWebURL","features":[443]},{"name":"g_wszWMVideoClosedCaptioning","features":[443]},{"name":"g_wszWMVideoFrameRate","features":[443]},{"name":"g_wszWMVideoHeight","features":[443]},{"name":"g_wszWMVideoWidth","features":[443]},{"name":"g_wszWMWMADRCAverageReference","features":[443]},{"name":"g_wszWMWMADRCAverageTarget","features":[443]},{"name":"g_wszWMWMADRCPeakReference","features":[443]},{"name":"g_wszWMWMADRCPeakTarget","features":[443]},{"name":"g_wszWMWMCPDistributor","features":[443]},{"name":"g_wszWMWMCPDistributorID","features":[443]},{"name":"g_wszWMWMCollectionGroupID","features":[443]},{"name":"g_wszWMWMCollectionID","features":[443]},{"name":"g_wszWMWMContentID","features":[443]},{"name":"g_wszWMWMShadowFileSourceDRMType","features":[443]},{"name":"g_wszWMWMShadowFileSourceFileType","features":[443]},{"name":"g_wszWMWriter","features":[443]},{"name":"g_wszWMYear","features":[443]},{"name":"g_wszWatermarkCLSID","features":[443]},{"name":"g_wszWatermarkConfig","features":[443]}],"443":[{"name":"ADDRESS_TYPE_IANA","features":[444]},{"name":"ADDRESS_TYPE_IATA","features":[444]},{"name":"Allow","features":[444]},{"name":"CHANGESTATE","features":[444]},{"name":"CLIENT_TYPE_BOOTP","features":[444]},{"name":"CLIENT_TYPE_DHCP","features":[444]},{"name":"CLIENT_TYPE_NONE","features":[444]},{"name":"CLIENT_TYPE_RESERVATION_FLAG","features":[444]},{"name":"CLIENT_TYPE_UNSPECIFIED","features":[444]},{"name":"COMMUNICATION_INT","features":[444]},{"name":"CONFLICT_DONE","features":[444]},{"name":"DATE_TIME","features":[444]},{"name":"DEFAULTQUARSETTING","features":[444]},{"name":"DHCPAPI_PARAMS","features":[308,444]},{"name":"DHCPCAPI_CLASSID","features":[444]},{"name":"DHCPCAPI_DEREGISTER_HANDLE_EVENT","features":[444]},{"name":"DHCPCAPI_PARAMS_ARRAY","features":[308,444]},{"name":"DHCPCAPI_REGISTER_HANDLE_EVENT","features":[444]},{"name":"DHCPCAPI_REQUEST_ASYNCHRONOUS","features":[444]},{"name":"DHCPCAPI_REQUEST_CANCEL","features":[444]},{"name":"DHCPCAPI_REQUEST_MASK","features":[444]},{"name":"DHCPCAPI_REQUEST_PERSISTENT","features":[444]},{"name":"DHCPCAPI_REQUEST_SYNCHRONOUS","features":[444]},{"name":"DHCPDS_SERVER","features":[444]},{"name":"DHCPDS_SERVERS","features":[444]},{"name":"DHCPV4_FAILOVER_CLIENT_INFO","features":[308,444]},{"name":"DHCPV4_FAILOVER_CLIENT_INFO_ARRAY","features":[308,444]},{"name":"DHCPV4_FAILOVER_CLIENT_INFO_EX","features":[308,444]},{"name":"DHCPV6CAPI_CLASSID","features":[444]},{"name":"DHCPV6CAPI_PARAMS","features":[308,444]},{"name":"DHCPV6CAPI_PARAMS_ARRAY","features":[308,444]},{"name":"DHCPV6Prefix","features":[444]},{"name":"DHCPV6PrefixLeaseInformation","features":[444]},{"name":"DHCPV6_BIND_ELEMENT","features":[308,444]},{"name":"DHCPV6_BIND_ELEMENT_ARRAY","features":[308,444]},{"name":"DHCPV6_IP_ARRAY","features":[444]},{"name":"DHCPV6_OPTION_CLIENTID","features":[444]},{"name":"DHCPV6_OPTION_DNS_SERVERS","features":[444]},{"name":"DHCPV6_OPTION_DOMAIN_LIST","features":[444]},{"name":"DHCPV6_OPTION_IA_NA","features":[444]},{"name":"DHCPV6_OPTION_IA_PD","features":[444]},{"name":"DHCPV6_OPTION_IA_TA","features":[444]},{"name":"DHCPV6_OPTION_NISP_DOMAIN_NAME","features":[444]},{"name":"DHCPV6_OPTION_NISP_SERVERS","features":[444]},{"name":"DHCPV6_OPTION_NIS_DOMAIN_NAME","features":[444]},{"name":"DHCPV6_OPTION_NIS_SERVERS","features":[444]},{"name":"DHCPV6_OPTION_ORO","features":[444]},{"name":"DHCPV6_OPTION_PREFERENCE","features":[444]},{"name":"DHCPV6_OPTION_RAPID_COMMIT","features":[444]},{"name":"DHCPV6_OPTION_RECONF_MSG","features":[444]},{"name":"DHCPV6_OPTION_SERVERID","features":[444]},{"name":"DHCPV6_OPTION_SIP_SERVERS_ADDRS","features":[444]},{"name":"DHCPV6_OPTION_SIP_SERVERS_NAMES","features":[444]},{"name":"DHCPV6_OPTION_UNICAST","features":[444]},{"name":"DHCPV6_OPTION_USER_CLASS","features":[444]},{"name":"DHCPV6_OPTION_VENDOR_CLASS","features":[444]},{"name":"DHCPV6_OPTION_VENDOR_OPTS","features":[444]},{"name":"DHCPV6_STATELESS_PARAMS","features":[308,444]},{"name":"DHCPV6_STATELESS_PARAM_TYPE","features":[444]},{"name":"DHCPV6_STATELESS_SCOPE_STATS","features":[444]},{"name":"DHCPV6_STATELESS_STATS","features":[444]},{"name":"DHCP_ADDR_PATTERN","features":[308,444]},{"name":"DHCP_ALL_OPTIONS","features":[444]},{"name":"DHCP_ALL_OPTION_VALUES","features":[308,444]},{"name":"DHCP_ALL_OPTION_VALUES_PB","features":[308,444]},{"name":"DHCP_ATTRIB","features":[308,444]},{"name":"DHCP_ATTRIB_ARRAY","features":[308,444]},{"name":"DHCP_ATTRIB_BOOL_IS_ADMIN","features":[444]},{"name":"DHCP_ATTRIB_BOOL_IS_BINDING_AWARE","features":[444]},{"name":"DHCP_ATTRIB_BOOL_IS_DYNBOOTP","features":[444]},{"name":"DHCP_ATTRIB_BOOL_IS_PART_OF_DSDC","features":[444]},{"name":"DHCP_ATTRIB_BOOL_IS_ROGUE","features":[444]},{"name":"DHCP_ATTRIB_TYPE_BOOL","features":[444]},{"name":"DHCP_ATTRIB_TYPE_ULONG","features":[444]},{"name":"DHCP_ATTRIB_ULONG_RESTORE_STATUS","features":[444]},{"name":"DHCP_BINARY_DATA","features":[444]},{"name":"DHCP_BIND_ELEMENT","features":[308,444]},{"name":"DHCP_BIND_ELEMENT_ARRAY","features":[308,444]},{"name":"DHCP_BOOTP_IP_RANGE","features":[444]},{"name":"DHCP_CALLOUT_ENTRY_POINT","features":[444]},{"name":"DHCP_CALLOUT_LIST_KEY","features":[444]},{"name":"DHCP_CALLOUT_LIST_VALUE","features":[444]},{"name":"DHCP_CALLOUT_TABLE","features":[308,444]},{"name":"DHCP_CLASS_INFO","features":[308,444]},{"name":"DHCP_CLASS_INFO_ARRAY","features":[308,444]},{"name":"DHCP_CLASS_INFO_ARRAY_V6","features":[308,444]},{"name":"DHCP_CLASS_INFO_V6","features":[308,444]},{"name":"DHCP_CLIENT_BOOTP","features":[444]},{"name":"DHCP_CLIENT_DHCP","features":[444]},{"name":"DHCP_CLIENT_FILTER_STATUS_INFO","features":[308,444]},{"name":"DHCP_CLIENT_FILTER_STATUS_INFO_ARRAY","features":[308,444]},{"name":"DHCP_CLIENT_INFO","features":[444]},{"name":"DHCP_CLIENT_INFO_ARRAY","features":[444]},{"name":"DHCP_CLIENT_INFO_ARRAY_V4","features":[444]},{"name":"DHCP_CLIENT_INFO_ARRAY_V5","features":[444]},{"name":"DHCP_CLIENT_INFO_ARRAY_V6","features":[444]},{"name":"DHCP_CLIENT_INFO_ARRAY_VQ","features":[308,444]},{"name":"DHCP_CLIENT_INFO_EX","features":[308,444]},{"name":"DHCP_CLIENT_INFO_EX_ARRAY","features":[308,444]},{"name":"DHCP_CLIENT_INFO_PB","features":[308,444]},{"name":"DHCP_CLIENT_INFO_PB_ARRAY","features":[308,444]},{"name":"DHCP_CLIENT_INFO_V4","features":[444]},{"name":"DHCP_CLIENT_INFO_V5","features":[444]},{"name":"DHCP_CLIENT_INFO_V6","features":[444]},{"name":"DHCP_CLIENT_INFO_VQ","features":[308,444]},{"name":"DHCP_CONTROL_CONTINUE","features":[444]},{"name":"DHCP_CONTROL_PAUSE","features":[444]},{"name":"DHCP_CONTROL_START","features":[444]},{"name":"DHCP_CONTROL_STOP","features":[444]},{"name":"DHCP_DROP_DUPLICATE","features":[444]},{"name":"DHCP_DROP_GEN_FAILURE","features":[444]},{"name":"DHCP_DROP_INTERNAL_ERROR","features":[444]},{"name":"DHCP_DROP_INVALID","features":[444]},{"name":"DHCP_DROP_NOADDRESS","features":[444]},{"name":"DHCP_DROP_NOMEM","features":[444]},{"name":"DHCP_DROP_NO_SUBNETS","features":[444]},{"name":"DHCP_DROP_PAUSED","features":[444]},{"name":"DHCP_DROP_PROCESSED","features":[444]},{"name":"DHCP_DROP_TIMEOUT","features":[444]},{"name":"DHCP_DROP_UNAUTH","features":[444]},{"name":"DHCP_DROP_WRONG_SERVER","features":[444]},{"name":"DHCP_ENDPOINT_FLAG_CANT_MODIFY","features":[444]},{"name":"DHCP_FAILOVER_DELETE_SCOPES","features":[444]},{"name":"DHCP_FAILOVER_MAX_NUM_ADD_SCOPES","features":[444]},{"name":"DHCP_FAILOVER_MAX_NUM_REL","features":[444]},{"name":"DHCP_FAILOVER_MODE","features":[444]},{"name":"DHCP_FAILOVER_RELATIONSHIP","features":[444]},{"name":"DHCP_FAILOVER_RELATIONSHIP_ARRAY","features":[444]},{"name":"DHCP_FAILOVER_SERVER","features":[444]},{"name":"DHCP_FAILOVER_STATISTICS","features":[444]},{"name":"DHCP_FILTER_ADD_INFO","features":[308,444]},{"name":"DHCP_FILTER_ENUM_INFO","features":[308,444]},{"name":"DHCP_FILTER_GLOBAL_INFO","features":[308,444]},{"name":"DHCP_FILTER_LIST_TYPE","features":[444]},{"name":"DHCP_FILTER_RECORD","features":[308,444]},{"name":"DHCP_FLAGS_DONT_ACCESS_DS","features":[444]},{"name":"DHCP_FLAGS_DONT_DO_RPC","features":[444]},{"name":"DHCP_FLAGS_OPTION_IS_VENDOR","features":[444]},{"name":"DHCP_FORCE_FLAG","features":[444]},{"name":"DHCP_GIVE_ADDRESS_NEW","features":[444]},{"name":"DHCP_GIVE_ADDRESS_OLD","features":[444]},{"name":"DHCP_HOST_INFO","features":[444]},{"name":"DHCP_HOST_INFO_V6","features":[444]},{"name":"DHCP_IPV6_ADDRESS","features":[444]},{"name":"DHCP_IP_ARRAY","features":[444]},{"name":"DHCP_IP_CLUSTER","features":[444]},{"name":"DHCP_IP_RANGE","features":[444]},{"name":"DHCP_IP_RANGE_ARRAY","features":[444]},{"name":"DHCP_IP_RANGE_V6","features":[444]},{"name":"DHCP_IP_RESERVATION","features":[444]},{"name":"DHCP_IP_RESERVATION_INFO","features":[444]},{"name":"DHCP_IP_RESERVATION_V4","features":[444]},{"name":"DHCP_IP_RESERVATION_V6","features":[444]},{"name":"DHCP_MAX_DELAY","features":[444]},{"name":"DHCP_MIB_INFO","features":[444]},{"name":"DHCP_MIB_INFO_V5","features":[444]},{"name":"DHCP_MIB_INFO_V6","features":[444]},{"name":"DHCP_MIB_INFO_VQ","features":[444]},{"name":"DHCP_MIN_DELAY","features":[444]},{"name":"DHCP_OPTION","features":[444]},{"name":"DHCP_OPTION_ARRAY","features":[444]},{"name":"DHCP_OPTION_DATA","features":[444]},{"name":"DHCP_OPTION_DATA_ELEMENT","features":[444]},{"name":"DHCP_OPTION_DATA_TYPE","features":[444]},{"name":"DHCP_OPTION_LIST","features":[444]},{"name":"DHCP_OPTION_SCOPE_INFO","features":[444]},{"name":"DHCP_OPTION_SCOPE_INFO6","features":[444]},{"name":"DHCP_OPTION_SCOPE_TYPE","features":[444]},{"name":"DHCP_OPTION_SCOPE_TYPE6","features":[444]},{"name":"DHCP_OPTION_TYPE","features":[444]},{"name":"DHCP_OPTION_VALUE","features":[444]},{"name":"DHCP_OPTION_VALUE_ARRAY","features":[444]},{"name":"DHCP_OPT_ENUM_IGNORE_VENDOR","features":[444]},{"name":"DHCP_OPT_ENUM_USE_CLASSNAME","features":[444]},{"name":"DHCP_PERF_STATS","features":[444]},{"name":"DHCP_POLICY","features":[308,444]},{"name":"DHCP_POLICY_ARRAY","features":[308,444]},{"name":"DHCP_POLICY_EX","features":[308,444]},{"name":"DHCP_POLICY_EX_ARRAY","features":[308,444]},{"name":"DHCP_POLICY_FIELDS_TO_UPDATE","features":[444]},{"name":"DHCP_POL_ATTR_TYPE","features":[444]},{"name":"DHCP_POL_COMPARATOR","features":[444]},{"name":"DHCP_POL_COND","features":[444]},{"name":"DHCP_POL_COND_ARRAY","features":[444]},{"name":"DHCP_POL_EXPR","features":[444]},{"name":"DHCP_POL_EXPR_ARRAY","features":[444]},{"name":"DHCP_POL_LOGIC_OPER","features":[444]},{"name":"DHCP_PROB_CONFLICT","features":[444]},{"name":"DHCP_PROB_DECLINE","features":[444]},{"name":"DHCP_PROB_NACKED","features":[444]},{"name":"DHCP_PROB_RELEASE","features":[444]},{"name":"DHCP_PROPERTY","features":[444]},{"name":"DHCP_PROPERTY_ARRAY","features":[444]},{"name":"DHCP_PROPERTY_ID","features":[444]},{"name":"DHCP_PROPERTY_TYPE","features":[444]},{"name":"DHCP_RESERVATION_INFO_ARRAY","features":[444]},{"name":"DHCP_RESERVED_SCOPE","features":[444]},{"name":"DHCP_RESERVED_SCOPE6","features":[444]},{"name":"DHCP_SCAN_FLAG","features":[444]},{"name":"DHCP_SCAN_ITEM","features":[444]},{"name":"DHCP_SCAN_LIST","features":[444]},{"name":"DHCP_SEARCH_INFO","features":[444]},{"name":"DHCP_SEARCH_INFO_TYPE","features":[444]},{"name":"DHCP_SEARCH_INFO_TYPE_V6","features":[444]},{"name":"DHCP_SEARCH_INFO_V6","features":[444]},{"name":"DHCP_SEND_PACKET","features":[444]},{"name":"DHCP_SERVER_CONFIG_INFO","features":[444]},{"name":"DHCP_SERVER_CONFIG_INFO_V4","features":[308,444]},{"name":"DHCP_SERVER_CONFIG_INFO_V6","features":[308,444]},{"name":"DHCP_SERVER_CONFIG_INFO_VQ","features":[308,444]},{"name":"DHCP_SERVER_OPTIONS","features":[308,444]},{"name":"DHCP_SERVER_SPECIFIC_STRINGS","features":[444]},{"name":"DHCP_SUBNET_ELEMENT_DATA","features":[444]},{"name":"DHCP_SUBNET_ELEMENT_DATA_V4","features":[444]},{"name":"DHCP_SUBNET_ELEMENT_DATA_V5","features":[444]},{"name":"DHCP_SUBNET_ELEMENT_DATA_V6","features":[444]},{"name":"DHCP_SUBNET_ELEMENT_INFO_ARRAY","features":[444]},{"name":"DHCP_SUBNET_ELEMENT_INFO_ARRAY_V4","features":[444]},{"name":"DHCP_SUBNET_ELEMENT_INFO_ARRAY_V5","features":[444]},{"name":"DHCP_SUBNET_ELEMENT_INFO_ARRAY_V6","features":[444]},{"name":"DHCP_SUBNET_ELEMENT_TYPE","features":[444]},{"name":"DHCP_SUBNET_ELEMENT_TYPE_V6","features":[444]},{"name":"DHCP_SUBNET_INFO","features":[444]},{"name":"DHCP_SUBNET_INFO_V6","features":[444]},{"name":"DHCP_SUBNET_INFO_VQ","features":[444]},{"name":"DHCP_SUBNET_INFO_VQ_FLAG_QUARANTINE","features":[444]},{"name":"DHCP_SUBNET_STATE","features":[444]},{"name":"DHCP_SUPER_SCOPE_TABLE","features":[444]},{"name":"DHCP_SUPER_SCOPE_TABLE_ENTRY","features":[444]},{"name":"DNS_FLAG_CLEANUP_EXPIRED","features":[444]},{"name":"DNS_FLAG_DISABLE_PTR_UPDATE","features":[444]},{"name":"DNS_FLAG_ENABLED","features":[444]},{"name":"DNS_FLAG_HAS_DNS_SUFFIX","features":[444]},{"name":"DNS_FLAG_UPDATE_BOTH_ALWAYS","features":[444]},{"name":"DNS_FLAG_UPDATE_DHCID","features":[444]},{"name":"DNS_FLAG_UPDATE_DOWNLEVEL","features":[444]},{"name":"DROPPACKET","features":[444]},{"name":"DWORD_DWORD","features":[444]},{"name":"Deny","features":[444]},{"name":"DhcpAddFilterV4","features":[308,444]},{"name":"DhcpAddSecurityGroup","features":[444]},{"name":"DhcpAddServer","features":[444]},{"name":"DhcpAddSubnetElement","features":[444]},{"name":"DhcpAddSubnetElementV4","features":[444]},{"name":"DhcpAddSubnetElementV5","features":[444]},{"name":"DhcpAddSubnetElementV6","features":[444]},{"name":"DhcpArrayTypeOption","features":[444]},{"name":"DhcpAttrFqdn","features":[444]},{"name":"DhcpAttrFqdnSingleLabel","features":[444]},{"name":"DhcpAttrHWAddr","features":[444]},{"name":"DhcpAttrOption","features":[444]},{"name":"DhcpAttrSubOption","features":[444]},{"name":"DhcpAuditLogGetParams","features":[444]},{"name":"DhcpAuditLogSetParams","features":[444]},{"name":"DhcpBinaryDataOption","features":[444]},{"name":"DhcpByteOption","features":[444]},{"name":"DhcpCApiCleanup","features":[444]},{"name":"DhcpCApiInitialize","features":[444]},{"name":"DhcpClientHardwareAddress","features":[444]},{"name":"DhcpClientIpAddress","features":[444]},{"name":"DhcpClientName","features":[444]},{"name":"DhcpCompBeginsWith","features":[444]},{"name":"DhcpCompEndsWith","features":[444]},{"name":"DhcpCompEqual","features":[444]},{"name":"DhcpCompNotBeginWith","features":[444]},{"name":"DhcpCompNotEndWith","features":[444]},{"name":"DhcpCompNotEqual","features":[444]},{"name":"DhcpCreateClass","features":[308,444]},{"name":"DhcpCreateClassV6","features":[308,444]},{"name":"DhcpCreateClientInfo","features":[444]},{"name":"DhcpCreateClientInfoV4","features":[444]},{"name":"DhcpCreateClientInfoVQ","features":[308,444]},{"name":"DhcpCreateOption","features":[444]},{"name":"DhcpCreateOptionV5","features":[444]},{"name":"DhcpCreateOptionV6","features":[444]},{"name":"DhcpCreateSubnet","features":[444]},{"name":"DhcpCreateSubnetV6","features":[444]},{"name":"DhcpCreateSubnetVQ","features":[444]},{"name":"DhcpDWordDWordOption","features":[444]},{"name":"DhcpDWordOption","features":[444]},{"name":"DhcpDatabaseFix","features":[444]},{"name":"DhcpDeRegisterParamChange","features":[444]},{"name":"DhcpDefaultOptions","features":[444]},{"name":"DhcpDefaultOptions6","features":[444]},{"name":"DhcpDeleteClass","features":[444]},{"name":"DhcpDeleteClassV6","features":[444]},{"name":"DhcpDeleteClientInfo","features":[444]},{"name":"DhcpDeleteClientInfoV6","features":[444]},{"name":"DhcpDeleteFilterV4","features":[308,444]},{"name":"DhcpDeleteServer","features":[444]},{"name":"DhcpDeleteSubnet","features":[444]},{"name":"DhcpDeleteSubnetV6","features":[444]},{"name":"DhcpDeleteSuperScopeV4","features":[444]},{"name":"DhcpDsCleanup","features":[444]},{"name":"DhcpDsInit","features":[444]},{"name":"DhcpEncapsulatedDataOption","features":[444]},{"name":"DhcpEnumClasses","features":[308,444]},{"name":"DhcpEnumClassesV6","features":[308,444]},{"name":"DhcpEnumFilterV4","features":[308,444]},{"name":"DhcpEnumOptionValues","features":[444]},{"name":"DhcpEnumOptionValuesV5","features":[444]},{"name":"DhcpEnumOptionValuesV6","features":[444]},{"name":"DhcpEnumOptions","features":[444]},{"name":"DhcpEnumOptionsV5","features":[444]},{"name":"DhcpEnumOptionsV6","features":[444]},{"name":"DhcpEnumServers","features":[444]},{"name":"DhcpEnumSubnetClients","features":[444]},{"name":"DhcpEnumSubnetClientsFilterStatusInfo","features":[308,444]},{"name":"DhcpEnumSubnetClientsV4","features":[444]},{"name":"DhcpEnumSubnetClientsV5","features":[444]},{"name":"DhcpEnumSubnetClientsV6","features":[444]},{"name":"DhcpEnumSubnetClientsVQ","features":[308,444]},{"name":"DhcpEnumSubnetElements","features":[444]},{"name":"DhcpEnumSubnetElementsV4","features":[444]},{"name":"DhcpEnumSubnetElementsV5","features":[444]},{"name":"DhcpEnumSubnetElementsV6","features":[444]},{"name":"DhcpEnumSubnets","features":[444]},{"name":"DhcpEnumSubnetsV6","features":[444]},{"name":"DhcpExcludedIpRanges","features":[444]},{"name":"DhcpFailoverForce","features":[444]},{"name":"DhcpFullForce","features":[444]},{"name":"DhcpGetAllOptionValues","features":[308,444]},{"name":"DhcpGetAllOptionValuesV6","features":[308,444]},{"name":"DhcpGetAllOptions","features":[444]},{"name":"DhcpGetAllOptionsV6","features":[444]},{"name":"DhcpGetClassInfo","features":[308,444]},{"name":"DhcpGetClientInfo","features":[444]},{"name":"DhcpGetClientInfoV4","features":[444]},{"name":"DhcpGetClientInfoV6","features":[444]},{"name":"DhcpGetClientInfoVQ","features":[308,444]},{"name":"DhcpGetClientOptions","features":[444]},{"name":"DhcpGetFilterV4","features":[308,444]},{"name":"DhcpGetMibInfo","features":[444]},{"name":"DhcpGetMibInfoV5","features":[444]},{"name":"DhcpGetMibInfoV6","features":[444]},{"name":"DhcpGetOptionInfo","features":[444]},{"name":"DhcpGetOptionInfoV5","features":[444]},{"name":"DhcpGetOptionInfoV6","features":[444]},{"name":"DhcpGetOptionValue","features":[444]},{"name":"DhcpGetOptionValueV5","features":[444]},{"name":"DhcpGetOptionValueV6","features":[444]},{"name":"DhcpGetOriginalSubnetMask","features":[444]},{"name":"DhcpGetServerBindingInfo","features":[308,444]},{"name":"DhcpGetServerBindingInfoV6","features":[308,444]},{"name":"DhcpGetServerSpecificStrings","features":[444]},{"name":"DhcpGetSubnetDelayOffer","features":[444]},{"name":"DhcpGetSubnetInfo","features":[444]},{"name":"DhcpGetSubnetInfoV6","features":[444]},{"name":"DhcpGetSubnetInfoVQ","features":[444]},{"name":"DhcpGetSuperScopeInfoV4","features":[444]},{"name":"DhcpGetThreadOptions","features":[444]},{"name":"DhcpGetVersion","features":[444]},{"name":"DhcpGlobalOptions","features":[444]},{"name":"DhcpGlobalOptions6","features":[444]},{"name":"DhcpHlprAddV4PolicyCondition","features":[308,444]},{"name":"DhcpHlprAddV4PolicyExpr","features":[308,444]},{"name":"DhcpHlprAddV4PolicyRange","features":[308,444]},{"name":"DhcpHlprCreateV4Policy","features":[308,444]},{"name":"DhcpHlprCreateV4PolicyEx","features":[308,444]},{"name":"DhcpHlprFindV4DhcpProperty","features":[444]},{"name":"DhcpHlprFreeV4DhcpProperty","features":[444]},{"name":"DhcpHlprFreeV4DhcpPropertyArray","features":[444]},{"name":"DhcpHlprFreeV4Policy","features":[308,444]},{"name":"DhcpHlprFreeV4PolicyArray","features":[308,444]},{"name":"DhcpHlprFreeV4PolicyEx","features":[308,444]},{"name":"DhcpHlprFreeV4PolicyExArray","features":[308,444]},{"name":"DhcpHlprIsV4PolicySingleUC","features":[308,444]},{"name":"DhcpHlprIsV4PolicyValid","features":[308,444]},{"name":"DhcpHlprIsV4PolicyWellFormed","features":[308,444]},{"name":"DhcpHlprModifyV4PolicyExpr","features":[308,444]},{"name":"DhcpHlprResetV4PolicyExpr","features":[308,444]},{"name":"DhcpIpAddressOption","features":[444]},{"name":"DhcpIpRanges","features":[444]},{"name":"DhcpIpRangesBootpOnly","features":[444]},{"name":"DhcpIpRangesDhcpBootp","features":[444]},{"name":"DhcpIpRangesDhcpOnly","features":[444]},{"name":"DhcpIpUsedClusters","features":[444]},{"name":"DhcpIpv6AddressOption","features":[444]},{"name":"DhcpLogicalAnd","features":[444]},{"name":"DhcpLogicalOr","features":[444]},{"name":"DhcpMScopeOptions","features":[444]},{"name":"DhcpModifyClass","features":[308,444]},{"name":"DhcpModifyClassV6","features":[308,444]},{"name":"DhcpNoForce","features":[444]},{"name":"DhcpPropIdClientAddressStateEx","features":[444]},{"name":"DhcpPropIdPolicyDnsSuffix","features":[444]},{"name":"DhcpPropTypeBinary","features":[444]},{"name":"DhcpPropTypeByte","features":[444]},{"name":"DhcpPropTypeDword","features":[444]},{"name":"DhcpPropTypeString","features":[444]},{"name":"DhcpPropTypeWord","features":[444]},{"name":"DhcpRegisterParamChange","features":[308,444]},{"name":"DhcpRegistryFix","features":[444]},{"name":"DhcpRemoveDNSRegistrations","features":[444]},{"name":"DhcpRemoveOption","features":[444]},{"name":"DhcpRemoveOptionV5","features":[444]},{"name":"DhcpRemoveOptionV6","features":[444]},{"name":"DhcpRemoveOptionValue","features":[444]},{"name":"DhcpRemoveOptionValueV5","features":[444]},{"name":"DhcpRemoveOptionValueV6","features":[444]},{"name":"DhcpRemoveSubnetElement","features":[444]},{"name":"DhcpRemoveSubnetElementV4","features":[444]},{"name":"DhcpRemoveSubnetElementV5","features":[444]},{"name":"DhcpRemoveSubnetElementV6","features":[444]},{"name":"DhcpRequestParams","features":[308,444]},{"name":"DhcpReservedIps","features":[444]},{"name":"DhcpReservedOptions","features":[444]},{"name":"DhcpReservedOptions6","features":[444]},{"name":"DhcpRpcFreeMemory","features":[444]},{"name":"DhcpScanDatabase","features":[444]},{"name":"DhcpScopeOptions6","features":[444]},{"name":"DhcpSecondaryHosts","features":[444]},{"name":"DhcpServerAuditlogParamsFree","features":[308,444]},{"name":"DhcpServerBackupDatabase","features":[444]},{"name":"DhcpServerGetConfig","features":[444]},{"name":"DhcpServerGetConfigV4","features":[308,444]},{"name":"DhcpServerGetConfigV6","features":[308,444]},{"name":"DhcpServerGetConfigVQ","features":[308,444]},{"name":"DhcpServerQueryAttribute","features":[308,444]},{"name":"DhcpServerQueryAttributes","features":[308,444]},{"name":"DhcpServerQueryDnsRegCredentials","features":[444]},{"name":"DhcpServerRedoAuthorization","features":[444]},{"name":"DhcpServerRestoreDatabase","features":[444]},{"name":"DhcpServerSetConfig","features":[444]},{"name":"DhcpServerSetConfigV4","features":[308,444]},{"name":"DhcpServerSetConfigV6","features":[308,444]},{"name":"DhcpServerSetConfigVQ","features":[308,444]},{"name":"DhcpServerSetDnsRegCredentials","features":[444]},{"name":"DhcpServerSetDnsRegCredentialsV5","features":[444]},{"name":"DhcpSetClientInfo","features":[444]},{"name":"DhcpSetClientInfoV4","features":[444]},{"name":"DhcpSetClientInfoV6","features":[444]},{"name":"DhcpSetClientInfoVQ","features":[308,444]},{"name":"DhcpSetFilterV4","features":[308,444]},{"name":"DhcpSetOptionInfo","features":[444]},{"name":"DhcpSetOptionInfoV5","features":[444]},{"name":"DhcpSetOptionInfoV6","features":[444]},{"name":"DhcpSetOptionValue","features":[444]},{"name":"DhcpSetOptionValueV5","features":[444]},{"name":"DhcpSetOptionValueV6","features":[444]},{"name":"DhcpSetOptionValues","features":[444]},{"name":"DhcpSetOptionValuesV5","features":[444]},{"name":"DhcpSetServerBindingInfo","features":[308,444]},{"name":"DhcpSetServerBindingInfoV6","features":[308,444]},{"name":"DhcpSetSubnetDelayOffer","features":[444]},{"name":"DhcpSetSubnetInfo","features":[444]},{"name":"DhcpSetSubnetInfoV6","features":[444]},{"name":"DhcpSetSubnetInfoVQ","features":[444]},{"name":"DhcpSetSuperScopeV4","features":[308,444]},{"name":"DhcpSetThreadOptions","features":[444]},{"name":"DhcpStatelessPurgeInterval","features":[444]},{"name":"DhcpStatelessStatus","features":[444]},{"name":"DhcpStringDataOption","features":[444]},{"name":"DhcpSubnetDisabled","features":[444]},{"name":"DhcpSubnetDisabledSwitched","features":[444]},{"name":"DhcpSubnetEnabled","features":[444]},{"name":"DhcpSubnetEnabledSwitched","features":[444]},{"name":"DhcpSubnetInvalidState","features":[444]},{"name":"DhcpSubnetOptions","features":[444]},{"name":"DhcpUnaryElementTypeOption","features":[444]},{"name":"DhcpUndoRequestParams","features":[444]},{"name":"DhcpUpdatePolicyDescr","features":[444]},{"name":"DhcpUpdatePolicyDnsSuffix","features":[444]},{"name":"DhcpUpdatePolicyExpr","features":[444]},{"name":"DhcpUpdatePolicyName","features":[444]},{"name":"DhcpUpdatePolicyOrder","features":[444]},{"name":"DhcpUpdatePolicyRanges","features":[444]},{"name":"DhcpUpdatePolicyStatus","features":[444]},{"name":"DhcpV4AddPolicyRange","features":[444]},{"name":"DhcpV4CreateClientInfo","features":[308,444]},{"name":"DhcpV4CreateClientInfoEx","features":[308,444]},{"name":"DhcpV4CreatePolicy","features":[308,444]},{"name":"DhcpV4CreatePolicyEx","features":[308,444]},{"name":"DhcpV4DeletePolicy","features":[308,444]},{"name":"DhcpV4EnumPolicies","features":[308,444]},{"name":"DhcpV4EnumPoliciesEx","features":[308,444]},{"name":"DhcpV4EnumSubnetClients","features":[308,444]},{"name":"DhcpV4EnumSubnetClientsEx","features":[308,444]},{"name":"DhcpV4EnumSubnetReservations","features":[444]},{"name":"DhcpV4FailoverAddScopeToRelationship","features":[444]},{"name":"DhcpV4FailoverCreateRelationship","features":[444]},{"name":"DhcpV4FailoverDeleteRelationship","features":[444]},{"name":"DhcpV4FailoverDeleteScopeFromRelationship","features":[444]},{"name":"DhcpV4FailoverEnumRelationship","features":[444]},{"name":"DhcpV4FailoverGetAddressStatus","features":[444]},{"name":"DhcpV4FailoverGetClientInfo","features":[308,444]},{"name":"DhcpV4FailoverGetRelationship","features":[444]},{"name":"DhcpV4FailoverGetScopeRelationship","features":[444]},{"name":"DhcpV4FailoverGetScopeStatistics","features":[444]},{"name":"DhcpV4FailoverGetSystemTime","features":[444]},{"name":"DhcpV4FailoverSetRelationship","features":[444]},{"name":"DhcpV4FailoverTriggerAddrAllocation","features":[444]},{"name":"DhcpV4GetAllOptionValues","features":[308,444]},{"name":"DhcpV4GetClientInfo","features":[308,444]},{"name":"DhcpV4GetClientInfoEx","features":[308,444]},{"name":"DhcpV4GetFreeIPAddress","features":[444]},{"name":"DhcpV4GetOptionValue","features":[444]},{"name":"DhcpV4GetPolicy","features":[308,444]},{"name":"DhcpV4GetPolicyEx","features":[308,444]},{"name":"DhcpV4QueryPolicyEnforcement","features":[308,444]},{"name":"DhcpV4RemoveOptionValue","features":[444]},{"name":"DhcpV4RemovePolicyRange","features":[444]},{"name":"DhcpV4SetOptionValue","features":[444]},{"name":"DhcpV4SetOptionValues","features":[444]},{"name":"DhcpV4SetPolicy","features":[308,444]},{"name":"DhcpV4SetPolicyEnforcement","features":[308,444]},{"name":"DhcpV4SetPolicyEx","features":[308,444]},{"name":"DhcpV6CreateClientInfo","features":[444]},{"name":"DhcpV6GetFreeIPAddress","features":[444]},{"name":"DhcpV6GetStatelessStatistics","features":[444]},{"name":"DhcpV6GetStatelessStoreParams","features":[308,444]},{"name":"DhcpV6SetStatelessStoreParams","features":[308,444]},{"name":"DhcpWordOption","features":[444]},{"name":"Dhcpv6CApiCleanup","features":[444]},{"name":"Dhcpv6CApiInitialize","features":[444]},{"name":"Dhcpv6ClientDUID","features":[444]},{"name":"Dhcpv6ClientIpAddress","features":[444]},{"name":"Dhcpv6ClientName","features":[444]},{"name":"Dhcpv6ExcludedIpRanges","features":[444]},{"name":"Dhcpv6IpRanges","features":[444]},{"name":"Dhcpv6ReleasePrefix","features":[444]},{"name":"Dhcpv6RenewPrefix","features":[444]},{"name":"Dhcpv6RequestParams","features":[308,444]},{"name":"Dhcpv6RequestPrefix","features":[444]},{"name":"Dhcpv6ReservedIps","features":[444]},{"name":"ERROR_DDS_CLASS_DOES_NOT_EXIST","features":[444]},{"name":"ERROR_DDS_CLASS_EXISTS","features":[444]},{"name":"ERROR_DDS_DHCP_SERVER_NOT_FOUND","features":[444]},{"name":"ERROR_DDS_NO_DHCP_ROOT","features":[444]},{"name":"ERROR_DDS_NO_DS_AVAILABLE","features":[444]},{"name":"ERROR_DDS_OPTION_ALREADY_EXISTS","features":[444]},{"name":"ERROR_DDS_OPTION_DOES_NOT_EXIST","features":[444]},{"name":"ERROR_DDS_POSSIBLE_RANGE_CONFLICT","features":[444]},{"name":"ERROR_DDS_RANGE_DOES_NOT_EXIST","features":[444]},{"name":"ERROR_DDS_RESERVATION_CONFLICT","features":[444]},{"name":"ERROR_DDS_RESERVATION_NOT_PRESENT","features":[444]},{"name":"ERROR_DDS_SERVER_ADDRESS_MISMATCH","features":[444]},{"name":"ERROR_DDS_SERVER_ALREADY_EXISTS","features":[444]},{"name":"ERROR_DDS_SERVER_DOES_NOT_EXIST","features":[444]},{"name":"ERROR_DDS_SUBNET_EXISTS","features":[444]},{"name":"ERROR_DDS_SUBNET_HAS_DIFF_SSCOPE","features":[444]},{"name":"ERROR_DDS_SUBNET_NOT_PRESENT","features":[444]},{"name":"ERROR_DDS_TOO_MANY_ERRORS","features":[444]},{"name":"ERROR_DDS_UNEXPECTED_ERROR","features":[444]},{"name":"ERROR_DHCP_ADDRESS_NOT_AVAILABLE","features":[444]},{"name":"ERROR_DHCP_CANNOT_MODIFY_BINDINGS","features":[444]},{"name":"ERROR_DHCP_CANT_CHANGE_ATTRIBUTE","features":[444]},{"name":"ERROR_DHCP_CLASS_ALREADY_EXISTS","features":[444]},{"name":"ERROR_DHCP_CLASS_NOT_FOUND","features":[444]},{"name":"ERROR_DHCP_CLIENT_EXISTS","features":[444]},{"name":"ERROR_DHCP_DATABASE_INIT_FAILED","features":[444]},{"name":"ERROR_DHCP_DEFAULT_SCOPE_EXITS","features":[444]},{"name":"ERROR_DHCP_DELETE_BUILTIN_CLASS","features":[444]},{"name":"ERROR_DHCP_ELEMENT_CANT_REMOVE","features":[444]},{"name":"ERROR_DHCP_EXEMPTION_EXISTS","features":[444]},{"name":"ERROR_DHCP_EXEMPTION_NOT_PRESENT","features":[444]},{"name":"ERROR_DHCP_FO_ADDSCOPE_LEASES_NOT_SYNCED","features":[444]},{"name":"ERROR_DHCP_FO_BOOT_NOT_SUPPORTED","features":[444]},{"name":"ERROR_DHCP_FO_FEATURE_NOT_SUPPORTED","features":[444]},{"name":"ERROR_DHCP_FO_IPRANGE_TYPE_CONV_ILLEGAL","features":[444]},{"name":"ERROR_DHCP_FO_MAX_ADD_SCOPES","features":[444]},{"name":"ERROR_DHCP_FO_MAX_RELATIONSHIPS","features":[444]},{"name":"ERROR_DHCP_FO_NOT_SUPPORTED","features":[444]},{"name":"ERROR_DHCP_FO_RANGE_PART_OF_REL","features":[444]},{"name":"ERROR_DHCP_FO_RELATIONSHIP_DOES_NOT_EXIST","features":[444]},{"name":"ERROR_DHCP_FO_RELATIONSHIP_EXISTS","features":[444]},{"name":"ERROR_DHCP_FO_RELATIONSHIP_NAME_TOO_LONG","features":[444]},{"name":"ERROR_DHCP_FO_RELATION_IS_SECONDARY","features":[444]},{"name":"ERROR_DHCP_FO_SCOPE_ALREADY_IN_RELATIONSHIP","features":[444]},{"name":"ERROR_DHCP_FO_SCOPE_NOT_IN_RELATIONSHIP","features":[444]},{"name":"ERROR_DHCP_FO_SCOPE_SYNC_IN_PROGRESS","features":[444]},{"name":"ERROR_DHCP_FO_STATE_NOT_NORMAL","features":[444]},{"name":"ERROR_DHCP_FO_TIME_OUT_OF_SYNC","features":[444]},{"name":"ERROR_DHCP_HARDWARE_ADDRESS_TYPE_ALREADY_EXEMPT","features":[444]},{"name":"ERROR_DHCP_INVALID_DELAY","features":[444]},{"name":"ERROR_DHCP_INVALID_DHCP_CLIENT","features":[444]},{"name":"ERROR_DHCP_INVALID_DHCP_MESSAGE","features":[444]},{"name":"ERROR_DHCP_INVALID_PARAMETER_OPTION32","features":[444]},{"name":"ERROR_DHCP_INVALID_POLICY_EXPRESSION","features":[444]},{"name":"ERROR_DHCP_INVALID_PROCESSING_ORDER","features":[444]},{"name":"ERROR_DHCP_INVALID_RANGE","features":[444]},{"name":"ERROR_DHCP_INVALID_SUBNET_PREFIX","features":[444]},{"name":"ERROR_DHCP_IPRANGE_CONV_ILLEGAL","features":[444]},{"name":"ERROR_DHCP_IPRANGE_EXITS","features":[444]},{"name":"ERROR_DHCP_IP_ADDRESS_IN_USE","features":[444]},{"name":"ERROR_DHCP_JET97_CONV_REQUIRED","features":[444]},{"name":"ERROR_DHCP_JET_CONV_REQUIRED","features":[444]},{"name":"ERROR_DHCP_JET_ERROR","features":[444]},{"name":"ERROR_DHCP_LINKLAYER_ADDRESS_DOES_NOT_EXIST","features":[444]},{"name":"ERROR_DHCP_LINKLAYER_ADDRESS_EXISTS","features":[444]},{"name":"ERROR_DHCP_LINKLAYER_ADDRESS_RESERVATION_EXISTS","features":[444]},{"name":"ERROR_DHCP_LOG_FILE_PATH_TOO_LONG","features":[444]},{"name":"ERROR_DHCP_MSCOPE_EXISTS","features":[444]},{"name":"ERROR_DHCP_NAP_NOT_SUPPORTED","features":[444]},{"name":"ERROR_DHCP_NETWORK_CHANGED","features":[444]},{"name":"ERROR_DHCP_NETWORK_INIT_FAILED","features":[444]},{"name":"ERROR_DHCP_NOT_RESERVED_CLIENT","features":[444]},{"name":"ERROR_DHCP_NO_ADMIN_PERMISSION","features":[444]},{"name":"ERROR_DHCP_OPTION_EXITS","features":[444]},{"name":"ERROR_DHCP_OPTION_NOT_PRESENT","features":[444]},{"name":"ERROR_DHCP_OPTION_TYPE_MISMATCH","features":[444]},{"name":"ERROR_DHCP_POLICY_BAD_PARENT_EXPR","features":[444]},{"name":"ERROR_DHCP_POLICY_EDIT_FQDN_UNSUPPORTED","features":[444]},{"name":"ERROR_DHCP_POLICY_EXISTS","features":[444]},{"name":"ERROR_DHCP_POLICY_FQDN_OPTION_UNSUPPORTED","features":[444]},{"name":"ERROR_DHCP_POLICY_FQDN_RANGE_UNSUPPORTED","features":[444]},{"name":"ERROR_DHCP_POLICY_NOT_FOUND","features":[444]},{"name":"ERROR_DHCP_POLICY_RANGE_BAD","features":[444]},{"name":"ERROR_DHCP_POLICY_RANGE_EXISTS","features":[444]},{"name":"ERROR_DHCP_PRIMARY_NOT_FOUND","features":[444]},{"name":"ERROR_DHCP_RANGE_EXTENDED","features":[444]},{"name":"ERROR_DHCP_RANGE_FULL","features":[444]},{"name":"ERROR_DHCP_RANGE_INVALID_IN_SERVER_POLICY","features":[444]},{"name":"ERROR_DHCP_RANGE_TOO_SMALL","features":[444]},{"name":"ERROR_DHCP_REACHED_END_OF_SELECTION","features":[444]},{"name":"ERROR_DHCP_REGISTRY_INIT_FAILED","features":[444]},{"name":"ERROR_DHCP_RESERVEDIP_EXITS","features":[444]},{"name":"ERROR_DHCP_RESERVED_CLIENT","features":[444]},{"name":"ERROR_DHCP_ROGUE_DS_CONFLICT","features":[444]},{"name":"ERROR_DHCP_ROGUE_DS_UNREACHABLE","features":[444]},{"name":"ERROR_DHCP_ROGUE_INIT_FAILED","features":[444]},{"name":"ERROR_DHCP_ROGUE_NOT_AUTHORIZED","features":[444]},{"name":"ERROR_DHCP_ROGUE_NOT_OUR_ENTERPRISE","features":[444]},{"name":"ERROR_DHCP_ROGUE_SAMSHUTDOWN","features":[444]},{"name":"ERROR_DHCP_ROGUE_STANDALONE_IN_DS","features":[444]},{"name":"ERROR_DHCP_RPC_INIT_FAILED","features":[444]},{"name":"ERROR_DHCP_SCOPE_NAME_TOO_LONG","features":[444]},{"name":"ERROR_DHCP_SERVER_NAME_NOT_RESOLVED","features":[444]},{"name":"ERROR_DHCP_SERVER_NOT_REACHABLE","features":[444]},{"name":"ERROR_DHCP_SERVER_NOT_RUNNING","features":[444]},{"name":"ERROR_DHCP_SERVICE_PAUSED","features":[444]},{"name":"ERROR_DHCP_SUBNET_EXISTS","features":[444]},{"name":"ERROR_DHCP_SUBNET_EXITS","features":[444]},{"name":"ERROR_DHCP_SUBNET_NOT_PRESENT","features":[444]},{"name":"ERROR_DHCP_SUPER_SCOPE_NAME_TOO_LONG","features":[444]},{"name":"ERROR_DHCP_UNDEFINED_HARDWARE_ADDRESS_TYPE","features":[444]},{"name":"ERROR_DHCP_UNSUPPORTED_CLIENT","features":[444]},{"name":"ERROR_EXTEND_TOO_SMALL","features":[444]},{"name":"ERROR_LAST_DHCP_SERVER_ERROR","features":[444]},{"name":"ERROR_MSCOPE_RANGE_TOO_SMALL","features":[444]},{"name":"ERROR_SCOPE_RANGE_POLICY_RANGE_CONFLICT","features":[444]},{"name":"ERROR_SERVER_INVALID_BOOT_FILE_TABLE","features":[444]},{"name":"ERROR_SERVER_UNKNOWN_BOOT_FILE_NAME","features":[444]},{"name":"EXEMPT","features":[444]},{"name":"FILTER_STATUS_FULL_MATCH_IN_ALLOW_LIST","features":[444]},{"name":"FILTER_STATUS_FULL_MATCH_IN_DENY_LIST","features":[444]},{"name":"FILTER_STATUS_NONE","features":[444]},{"name":"FILTER_STATUS_WILDCARD_MATCH_IN_ALLOW_LIST","features":[444]},{"name":"FILTER_STATUS_WILDCARD_MATCH_IN_DENY_LIST","features":[444]},{"name":"FSM_STATE","features":[444]},{"name":"HWTYPE_ETHERNET_10MB","features":[444]},{"name":"HotStandby","features":[444]},{"name":"INIT","features":[444]},{"name":"LPDHCP_CONTROL","features":[444]},{"name":"LPDHCP_DELETE_CLIENT","features":[444]},{"name":"LPDHCP_DROP_SEND","features":[444]},{"name":"LPDHCP_ENTRY_POINT_FUNC","features":[308,444]},{"name":"LPDHCP_GIVE_ADDRESS","features":[444]},{"name":"LPDHCP_HANDLE_OPTIONS","features":[308,444]},{"name":"LPDHCP_NEWPKT","features":[308,444]},{"name":"LPDHCP_PROB","features":[444]},{"name":"LoadBalance","features":[444]},{"name":"MAC_ADDRESS_LENGTH","features":[444]},{"name":"MAX_PATTERN_LENGTH","features":[444]},{"name":"MCLT","features":[444]},{"name":"MODE","features":[444]},{"name":"NOQUARANTINE","features":[444]},{"name":"NOQUARINFO","features":[444]},{"name":"NORMAL","features":[444]},{"name":"NO_STATE","features":[444]},{"name":"OPTION_ALL_SUBNETS_MTU","features":[444]},{"name":"OPTION_ARP_CACHE_TIMEOUT","features":[444]},{"name":"OPTION_BE_A_MASK_SUPPLIER","features":[444]},{"name":"OPTION_BE_A_ROUTER","features":[444]},{"name":"OPTION_BOOTFILE_NAME","features":[444]},{"name":"OPTION_BOOT_FILE_SIZE","features":[444]},{"name":"OPTION_BROADCAST_ADDRESS","features":[444]},{"name":"OPTION_CLIENT_CLASS_INFO","features":[444]},{"name":"OPTION_CLIENT_ID","features":[444]},{"name":"OPTION_COOKIE_SERVERS","features":[444]},{"name":"OPTION_DEFAULT_TTL","features":[444]},{"name":"OPTION_DOMAIN_NAME","features":[444]},{"name":"OPTION_DOMAIN_NAME_SERVERS","features":[444]},{"name":"OPTION_END","features":[444]},{"name":"OPTION_ETHERNET_ENCAPSULATION","features":[444]},{"name":"OPTION_EXTENSIONS_PATH","features":[444]},{"name":"OPTION_HOST_NAME","features":[444]},{"name":"OPTION_IEN116_NAME_SERVERS","features":[444]},{"name":"OPTION_IMPRESS_SERVERS","features":[444]},{"name":"OPTION_KEEP_ALIVE_DATA_SIZE","features":[444]},{"name":"OPTION_KEEP_ALIVE_INTERVAL","features":[444]},{"name":"OPTION_LEASE_TIME","features":[444]},{"name":"OPTION_LOG_SERVERS","features":[444]},{"name":"OPTION_LPR_SERVERS","features":[444]},{"name":"OPTION_MAX_REASSEMBLY_SIZE","features":[444]},{"name":"OPTION_MERIT_DUMP_FILE","features":[444]},{"name":"OPTION_MESSAGE","features":[444]},{"name":"OPTION_MESSAGE_LENGTH","features":[444]},{"name":"OPTION_MESSAGE_TYPE","features":[444]},{"name":"OPTION_MSFT_IE_PROXY","features":[444]},{"name":"OPTION_MTU","features":[444]},{"name":"OPTION_NETBIOS_DATAGRAM_SERVER","features":[444]},{"name":"OPTION_NETBIOS_NAME_SERVER","features":[444]},{"name":"OPTION_NETBIOS_NODE_TYPE","features":[444]},{"name":"OPTION_NETBIOS_SCOPE_OPTION","features":[444]},{"name":"OPTION_NETWORK_INFO_SERVERS","features":[444]},{"name":"OPTION_NETWORK_INFO_SERVICE_DOM","features":[444]},{"name":"OPTION_NETWORK_TIME_SERVERS","features":[444]},{"name":"OPTION_NON_LOCAL_SOURCE_ROUTING","features":[444]},{"name":"OPTION_OK_TO_OVERLAY","features":[444]},{"name":"OPTION_PAD","features":[444]},{"name":"OPTION_PARAMETER_REQUEST_LIST","features":[444]},{"name":"OPTION_PERFORM_MASK_DISCOVERY","features":[444]},{"name":"OPTION_PERFORM_ROUTER_DISCOVERY","features":[444]},{"name":"OPTION_PMTU_AGING_TIMEOUT","features":[444]},{"name":"OPTION_PMTU_PLATEAU_TABLE","features":[444]},{"name":"OPTION_POLICY_FILTER_FOR_NLSR","features":[444]},{"name":"OPTION_REBIND_TIME","features":[444]},{"name":"OPTION_RENEWAL_TIME","features":[444]},{"name":"OPTION_REQUESTED_ADDRESS","features":[444]},{"name":"OPTION_RLP_SERVERS","features":[444]},{"name":"OPTION_ROOT_DISK","features":[444]},{"name":"OPTION_ROUTER_ADDRESS","features":[444]},{"name":"OPTION_ROUTER_SOLICITATION_ADDR","features":[444]},{"name":"OPTION_SERVER_IDENTIFIER","features":[444]},{"name":"OPTION_STATIC_ROUTES","features":[444]},{"name":"OPTION_SUBNET_MASK","features":[444]},{"name":"OPTION_SWAP_SERVER","features":[444]},{"name":"OPTION_TFTP_SERVER_NAME","features":[444]},{"name":"OPTION_TIME_OFFSET","features":[444]},{"name":"OPTION_TIME_SERVERS","features":[444]},{"name":"OPTION_TRAILERS","features":[444]},{"name":"OPTION_TTL","features":[444]},{"name":"OPTION_VENDOR_SPEC_INFO","features":[444]},{"name":"OPTION_XWINDOW_DISPLAY_MANAGER","features":[444]},{"name":"OPTION_XWINDOW_FONT_SERVER","features":[444]},{"name":"PARTNER_DOWN","features":[444]},{"name":"PAUSED","features":[444]},{"name":"PERCENTAGE","features":[444]},{"name":"POTENTIAL_CONFLICT","features":[444]},{"name":"PREVSTATE","features":[444]},{"name":"PROBATION","features":[444]},{"name":"PrimaryServer","features":[444]},{"name":"QUARANTINE_CONFIG_OPTION","features":[444]},{"name":"QUARANTINE_SCOPE_QUARPROFILE_OPTION","features":[444]},{"name":"QUARANTIN_OPTION_BASE","features":[444]},{"name":"QuarantineStatus","features":[444]},{"name":"RECOVER","features":[444]},{"name":"RECOVER_DONE","features":[444]},{"name":"RECOVER_WAIT","features":[444]},{"name":"RESOLUTION_INT","features":[444]},{"name":"RESTRICTEDACCESS","features":[444]},{"name":"SAFEPERIOD","features":[444]},{"name":"SCOPE_MIB_INFO","features":[444]},{"name":"SCOPE_MIB_INFO_V5","features":[444]},{"name":"SCOPE_MIB_INFO_V6","features":[444]},{"name":"SCOPE_MIB_INFO_VQ","features":[444]},{"name":"SHAREDSECRET","features":[444]},{"name":"SHUTDOWN","features":[444]},{"name":"STARTUP","features":[444]},{"name":"STATUS_NOPREFIX_AVAIL","features":[444]},{"name":"STATUS_NO_BINDING","features":[444]},{"name":"STATUS_NO_ERROR","features":[444]},{"name":"STATUS_UNSPECIFIED_FAILURE","features":[444]},{"name":"SecondaryServer","features":[444]},{"name":"Set_APIProtocolSupport","features":[444]},{"name":"Set_AuditLogState","features":[444]},{"name":"Set_BackupInterval","features":[444]},{"name":"Set_BackupPath","features":[444]},{"name":"Set_BootFileTable","features":[444]},{"name":"Set_DatabaseCleanupInterval","features":[444]},{"name":"Set_DatabaseLoggingFlag","features":[444]},{"name":"Set_DatabaseName","features":[444]},{"name":"Set_DatabasePath","features":[444]},{"name":"Set_DebugFlag","features":[444]},{"name":"Set_PingRetries","features":[444]},{"name":"Set_PreferredLifetime","features":[444]},{"name":"Set_PreferredLifetimeIATA","features":[444]},{"name":"Set_QuarantineDefFail","features":[444]},{"name":"Set_QuarantineON","features":[444]},{"name":"Set_RapidCommitFlag","features":[444]},{"name":"Set_RestoreFlag","features":[444]},{"name":"Set_T1","features":[444]},{"name":"Set_T2","features":[444]},{"name":"Set_UnicastFlag","features":[444]},{"name":"Set_ValidLifetime","features":[444]},{"name":"Set_ValidLifetimeIATA","features":[444]},{"name":"StatusCode","features":[444]},{"name":"V5_ADDRESS_BIT_BOTH_REC","features":[444]},{"name":"V5_ADDRESS_BIT_DELETED","features":[444]},{"name":"V5_ADDRESS_BIT_UNREGISTERED","features":[444]},{"name":"V5_ADDRESS_EX_BIT_DISABLE_PTR_RR","features":[444]},{"name":"V5_ADDRESS_STATE_ACTIVE","features":[444]},{"name":"V5_ADDRESS_STATE_DECLINED","features":[444]},{"name":"V5_ADDRESS_STATE_DOOM","features":[444]},{"name":"V5_ADDRESS_STATE_OFFERED","features":[444]},{"name":"WARNING_EXTENDED_LESS","features":[444]}],"444":[{"name":"DDR_MAX_IP_HINTS","features":[445]},{"name":"DNSREC_ADDITIONAL","features":[445]},{"name":"DNSREC_ANSWER","features":[445]},{"name":"DNSREC_AUTHORITY","features":[445]},{"name":"DNSREC_DELETE","features":[445]},{"name":"DNSREC_NOEXIST","features":[445]},{"name":"DNSREC_PREREQ","features":[445]},{"name":"DNSREC_QUESTION","features":[445]},{"name":"DNSREC_SECTION","features":[445]},{"name":"DNSREC_UPDATE","features":[445]},{"name":"DNSREC_ZONE","features":[445]},{"name":"DNSSEC_ALGORITHM_ECDSAP256_SHA256","features":[445]},{"name":"DNSSEC_ALGORITHM_ECDSAP384_SHA384","features":[445]},{"name":"DNSSEC_ALGORITHM_NULL","features":[445]},{"name":"DNSSEC_ALGORITHM_PRIVATE","features":[445]},{"name":"DNSSEC_ALGORITHM_RSAMD5","features":[445]},{"name":"DNSSEC_ALGORITHM_RSASHA1","features":[445]},{"name":"DNSSEC_ALGORITHM_RSASHA1_NSEC3","features":[445]},{"name":"DNSSEC_ALGORITHM_RSASHA256","features":[445]},{"name":"DNSSEC_ALGORITHM_RSASHA512","features":[445]},{"name":"DNSSEC_DIGEST_ALGORITHM_SHA1","features":[445]},{"name":"DNSSEC_DIGEST_ALGORITHM_SHA256","features":[445]},{"name":"DNSSEC_DIGEST_ALGORITHM_SHA384","features":[445]},{"name":"DNSSEC_KEY_FLAG_EXTEND","features":[445]},{"name":"DNSSEC_KEY_FLAG_FLAG10","features":[445]},{"name":"DNSSEC_KEY_FLAG_FLAG11","features":[445]},{"name":"DNSSEC_KEY_FLAG_FLAG2","features":[445]},{"name":"DNSSEC_KEY_FLAG_FLAG4","features":[445]},{"name":"DNSSEC_KEY_FLAG_FLAG5","features":[445]},{"name":"DNSSEC_KEY_FLAG_FLAG8","features":[445]},{"name":"DNSSEC_KEY_FLAG_FLAG9","features":[445]},{"name":"DNSSEC_KEY_FLAG_HOST","features":[445]},{"name":"DNSSEC_KEY_FLAG_NOAUTH","features":[445]},{"name":"DNSSEC_KEY_FLAG_NOCONF","features":[445]},{"name":"DNSSEC_KEY_FLAG_NTPE3","features":[445]},{"name":"DNSSEC_KEY_FLAG_SIG0","features":[445]},{"name":"DNSSEC_KEY_FLAG_SIG1","features":[445]},{"name":"DNSSEC_KEY_FLAG_SIG10","features":[445]},{"name":"DNSSEC_KEY_FLAG_SIG11","features":[445]},{"name":"DNSSEC_KEY_FLAG_SIG12","features":[445]},{"name":"DNSSEC_KEY_FLAG_SIG13","features":[445]},{"name":"DNSSEC_KEY_FLAG_SIG14","features":[445]},{"name":"DNSSEC_KEY_FLAG_SIG15","features":[445]},{"name":"DNSSEC_KEY_FLAG_SIG2","features":[445]},{"name":"DNSSEC_KEY_FLAG_SIG3","features":[445]},{"name":"DNSSEC_KEY_FLAG_SIG4","features":[445]},{"name":"DNSSEC_KEY_FLAG_SIG5","features":[445]},{"name":"DNSSEC_KEY_FLAG_SIG6","features":[445]},{"name":"DNSSEC_KEY_FLAG_SIG7","features":[445]},{"name":"DNSSEC_KEY_FLAG_SIG8","features":[445]},{"name":"DNSSEC_KEY_FLAG_SIG9","features":[445]},{"name":"DNSSEC_KEY_FLAG_USER","features":[445]},{"name":"DNSSEC_KEY_FLAG_ZONE","features":[445]},{"name":"DNSSEC_PROTOCOL_DNSSEC","features":[445]},{"name":"DNSSEC_PROTOCOL_EMAIL","features":[445]},{"name":"DNSSEC_PROTOCOL_IPSEC","features":[445]},{"name":"DNSSEC_PROTOCOL_NONE","features":[445]},{"name":"DNSSEC_PROTOCOL_TLS","features":[445]},{"name":"DNS_AAAA_DATA","features":[445]},{"name":"DNS_ADDR","features":[445]},{"name":"DNS_ADDRESS_STRING_LENGTH","features":[445]},{"name":"DNS_ADDR_ARRAY","features":[445]},{"name":"DNS_ADDR_MAX_SOCKADDR_LENGTH","features":[445]},{"name":"DNS_APPLICATION_SETTINGS","features":[445]},{"name":"DNS_APP_SETTINGS_EXCLUSIVE_SERVERS","features":[445]},{"name":"DNS_APP_SETTINGS_VERSION1","features":[445]},{"name":"DNS_ATMA_AESA_ADDR_LENGTH","features":[445]},{"name":"DNS_ATMA_DATA","features":[445]},{"name":"DNS_ATMA_FORMAT_AESA","features":[445]},{"name":"DNS_ATMA_FORMAT_E164","features":[445]},{"name":"DNS_ATMA_MAX_ADDR_LENGTH","features":[445]},{"name":"DNS_ATMA_MAX_RECORD_LENGTH","features":[445]},{"name":"DNS_A_DATA","features":[445]},{"name":"DNS_CHARSET","features":[445]},{"name":"DNS_CLASS_ALL","features":[445]},{"name":"DNS_CLASS_ANY","features":[445]},{"name":"DNS_CLASS_CHAOS","features":[445]},{"name":"DNS_CLASS_CSNET","features":[445]},{"name":"DNS_CLASS_HESIOD","features":[445]},{"name":"DNS_CLASS_INTERNET","features":[445]},{"name":"DNS_CLASS_NONE","features":[445]},{"name":"DNS_CLASS_UNICAST_RESPONSE","features":[445]},{"name":"DNS_COMPRESSED_QUESTION_NAME","features":[445]},{"name":"DNS_CONFIG_FLAG_ALLOC","features":[445]},{"name":"DNS_CONFIG_TYPE","features":[445]},{"name":"DNS_CONNECTION_IFINDEX_ENTRY","features":[445]},{"name":"DNS_CONNECTION_IFINDEX_LIST","features":[445]},{"name":"DNS_CONNECTION_NAME","features":[445]},{"name":"DNS_CONNECTION_NAME_LIST","features":[445]},{"name":"DNS_CONNECTION_NAME_MAX_LENGTH","features":[445]},{"name":"DNS_CONNECTION_POLICY_ENTRY","features":[445]},{"name":"DNS_CONNECTION_POLICY_ENTRY_LIST","features":[445]},{"name":"DNS_CONNECTION_POLICY_ENTRY_ONDEMAND","features":[445]},{"name":"DNS_CONNECTION_POLICY_TAG","features":[445]},{"name":"DNS_CONNECTION_PROXY_ELEMENT","features":[445]},{"name":"DNS_CONNECTION_PROXY_INFO","features":[445]},{"name":"DNS_CONNECTION_PROXY_INFO_CURRENT_VERSION","features":[445]},{"name":"DNS_CONNECTION_PROXY_INFO_EX","features":[308,445]},{"name":"DNS_CONNECTION_PROXY_INFO_EXCEPTION_MAX_LENGTH","features":[445]},{"name":"DNS_CONNECTION_PROXY_INFO_EXTRA_INFO_MAX_LENGTH","features":[445]},{"name":"DNS_CONNECTION_PROXY_INFO_FLAG_BYPASSLOCAL","features":[445]},{"name":"DNS_CONNECTION_PROXY_INFO_FLAG_DISABLED","features":[445]},{"name":"DNS_CONNECTION_PROXY_INFO_FRIENDLY_NAME_MAX_LENGTH","features":[445]},{"name":"DNS_CONNECTION_PROXY_INFO_PASSWORD_MAX_LENGTH","features":[445]},{"name":"DNS_CONNECTION_PROXY_INFO_SERVER_MAX_LENGTH","features":[445]},{"name":"DNS_CONNECTION_PROXY_INFO_SWITCH","features":[445]},{"name":"DNS_CONNECTION_PROXY_INFO_SWITCH_CONFIG","features":[445]},{"name":"DNS_CONNECTION_PROXY_INFO_SWITCH_SCRIPT","features":[445]},{"name":"DNS_CONNECTION_PROXY_INFO_SWITCH_WPAD","features":[445]},{"name":"DNS_CONNECTION_PROXY_INFO_USERNAME_MAX_LENGTH","features":[445]},{"name":"DNS_CONNECTION_PROXY_LIST","features":[445]},{"name":"DNS_CONNECTION_PROXY_TYPE","features":[445]},{"name":"DNS_CONNECTION_PROXY_TYPE_HTTP","features":[445]},{"name":"DNS_CONNECTION_PROXY_TYPE_NULL","features":[445]},{"name":"DNS_CONNECTION_PROXY_TYPE_SOCKS4","features":[445]},{"name":"DNS_CONNECTION_PROXY_TYPE_SOCKS5","features":[445]},{"name":"DNS_CONNECTION_PROXY_TYPE_WAP","features":[445]},{"name":"DNS_CUSTOM_SERVER","features":[445]},{"name":"DNS_CUSTOM_SERVER_TYPE_DOH","features":[445]},{"name":"DNS_CUSTOM_SERVER_TYPE_UDP","features":[445]},{"name":"DNS_CUSTOM_SERVER_UDP_FALLBACK","features":[445]},{"name":"DNS_DHCID_DATA","features":[445]},{"name":"DNS_DS_DATA","features":[445]},{"name":"DNS_FREE_TYPE","features":[445]},{"name":"DNS_HEADER","features":[445]},{"name":"DNS_HEADER_EXT","features":[445]},{"name":"DNS_KEY_DATA","features":[445]},{"name":"DNS_LOC_DATA","features":[445]},{"name":"DNS_MAX_IP4_REVERSE_NAME_BUFFER_LENGTH","features":[445]},{"name":"DNS_MAX_IP4_REVERSE_NAME_LENGTH","features":[445]},{"name":"DNS_MAX_IP6_REVERSE_NAME_BUFFER_LENGTH","features":[445]},{"name":"DNS_MAX_IP6_REVERSE_NAME_LENGTH","features":[445]},{"name":"DNS_MAX_LABEL_BUFFER_LENGTH","features":[445]},{"name":"DNS_MAX_LABEL_LENGTH","features":[445]},{"name":"DNS_MAX_NAME_BUFFER_LENGTH","features":[445]},{"name":"DNS_MAX_NAME_LENGTH","features":[445]},{"name":"DNS_MAX_REVERSE_NAME_BUFFER_LENGTH","features":[445]},{"name":"DNS_MAX_REVERSE_NAME_LENGTH","features":[445]},{"name":"DNS_MAX_TEXT_STRING_LENGTH","features":[445]},{"name":"DNS_MESSAGE_BUFFER","features":[445]},{"name":"DNS_MINFO_DATAA","features":[445]},{"name":"DNS_MINFO_DATAW","features":[445]},{"name":"DNS_MX_DATAA","features":[445]},{"name":"DNS_MX_DATAW","features":[445]},{"name":"DNS_NAME_FORMAT","features":[445]},{"name":"DNS_NAPTR_DATAA","features":[445]},{"name":"DNS_NAPTR_DATAW","features":[445]},{"name":"DNS_NSEC3PARAM_DATA","features":[445]},{"name":"DNS_NSEC3_DATA","features":[445]},{"name":"DNS_NSEC_DATAA","features":[445]},{"name":"DNS_NSEC_DATAW","features":[445]},{"name":"DNS_NULL_DATA","features":[445]},{"name":"DNS_NXT_DATAA","features":[445]},{"name":"DNS_NXT_DATAW","features":[445]},{"name":"DNS_OPCODE_IQUERY","features":[445]},{"name":"DNS_OPCODE_NOTIFY","features":[445]},{"name":"DNS_OPCODE_QUERY","features":[445]},{"name":"DNS_OPCODE_SERVER_STATUS","features":[445]},{"name":"DNS_OPCODE_UNKNOWN","features":[445]},{"name":"DNS_OPCODE_UPDATE","features":[445]},{"name":"DNS_OPT_DATA","features":[445]},{"name":"DNS_PORT_HOST_ORDER","features":[445]},{"name":"DNS_PORT_NET_ORDER","features":[445]},{"name":"DNS_PROTOCOL_DOH","features":[445]},{"name":"DNS_PROTOCOL_NO_WIRE","features":[445]},{"name":"DNS_PROTOCOL_TCP","features":[445]},{"name":"DNS_PROTOCOL_UDP","features":[445]},{"name":"DNS_PROTOCOL_UNSPECIFIED","features":[445]},{"name":"DNS_PROXY_COMPLETION_ROUTINE","features":[445]},{"name":"DNS_PROXY_INFORMATION","features":[445]},{"name":"DNS_PROXY_INFORMATION_DEFAULT_SETTINGS","features":[445]},{"name":"DNS_PROXY_INFORMATION_DIRECT","features":[445]},{"name":"DNS_PROXY_INFORMATION_DOES_NOT_EXIST","features":[445]},{"name":"DNS_PROXY_INFORMATION_PROXY_NAME","features":[445]},{"name":"DNS_PROXY_INFORMATION_TYPE","features":[445]},{"name":"DNS_PTR_DATAA","features":[445]},{"name":"DNS_PTR_DATAW","features":[445]},{"name":"DNS_QUERY_ACCEPT_TRUNCATED_RESPONSE","features":[445]},{"name":"DNS_QUERY_ADDRCONFIG","features":[445]},{"name":"DNS_QUERY_APPEND_MULTILABEL","features":[445]},{"name":"DNS_QUERY_BYPASS_CACHE","features":[445]},{"name":"DNS_QUERY_CACHE_ONLY","features":[445]},{"name":"DNS_QUERY_CANCEL","features":[445]},{"name":"DNS_QUERY_DISABLE_IDN_ENCODING","features":[445]},{"name":"DNS_QUERY_DNSSEC_CHECKING_DISABLED","features":[445]},{"name":"DNS_QUERY_DNSSEC_OK","features":[445]},{"name":"DNS_QUERY_DONT_RESET_TTL_VALUES","features":[445]},{"name":"DNS_QUERY_DUAL_ADDR","features":[445]},{"name":"DNS_QUERY_MULTICAST_ONLY","features":[445]},{"name":"DNS_QUERY_NO_HOSTS_FILE","features":[445]},{"name":"DNS_QUERY_NO_LOCAL_NAME","features":[445]},{"name":"DNS_QUERY_NO_MULTICAST","features":[445]},{"name":"DNS_QUERY_NO_NETBT","features":[445]},{"name":"DNS_QUERY_NO_RECURSION","features":[445]},{"name":"DNS_QUERY_NO_WIRE_QUERY","features":[445]},{"name":"DNS_QUERY_OPTIONS","features":[445]},{"name":"DNS_QUERY_RAW_CANCEL","features":[445]},{"name":"DNS_QUERY_RAW_COMPLETION_ROUTINE","features":[308,445]},{"name":"DNS_QUERY_RAW_OPTION_BEST_EFFORT_PARSE","features":[445]},{"name":"DNS_QUERY_RAW_REQUEST","features":[308,445]},{"name":"DNS_QUERY_RAW_REQUEST_VERSION1","features":[445]},{"name":"DNS_QUERY_RAW_RESULT","features":[308,445]},{"name":"DNS_QUERY_RAW_RESULTS_VERSION1","features":[445]},{"name":"DNS_QUERY_REQUEST","features":[308,445]},{"name":"DNS_QUERY_REQUEST3","features":[308,445]},{"name":"DNS_QUERY_REQUEST_VERSION1","features":[445]},{"name":"DNS_QUERY_REQUEST_VERSION2","features":[445]},{"name":"DNS_QUERY_REQUEST_VERSION3","features":[445]},{"name":"DNS_QUERY_RESERVED","features":[445]},{"name":"DNS_QUERY_RESULT","features":[308,445]},{"name":"DNS_QUERY_RESULTS_VERSION1","features":[445]},{"name":"DNS_QUERY_RETURN_MESSAGE","features":[445]},{"name":"DNS_QUERY_STANDARD","features":[445]},{"name":"DNS_QUERY_TREAT_AS_FQDN","features":[445]},{"name":"DNS_QUERY_USE_TCP_ONLY","features":[445]},{"name":"DNS_QUERY_WIRE_ONLY","features":[445]},{"name":"DNS_RCLASS_ALL","features":[445]},{"name":"DNS_RCLASS_ANY","features":[445]},{"name":"DNS_RCLASS_CHAOS","features":[445]},{"name":"DNS_RCLASS_CSNET","features":[445]},{"name":"DNS_RCLASS_HESIOD","features":[445]},{"name":"DNS_RCLASS_INTERNET","features":[445]},{"name":"DNS_RCLASS_MDNS_CACHE_FLUSH","features":[445]},{"name":"DNS_RCLASS_NONE","features":[445]},{"name":"DNS_RCLASS_UNICAST_RESPONSE","features":[445]},{"name":"DNS_RCODE_BADKEY","features":[445]},{"name":"DNS_RCODE_BADSIG","features":[445]},{"name":"DNS_RCODE_BADTIME","features":[445]},{"name":"DNS_RCODE_BADVERS","features":[445]},{"name":"DNS_RCODE_FORMAT_ERROR","features":[445]},{"name":"DNS_RCODE_FORMERR","features":[445]},{"name":"DNS_RCODE_MAX","features":[445]},{"name":"DNS_RCODE_NAME_ERROR","features":[445]},{"name":"DNS_RCODE_NOERROR","features":[445]},{"name":"DNS_RCODE_NOTAUTH","features":[445]},{"name":"DNS_RCODE_NOTIMPL","features":[445]},{"name":"DNS_RCODE_NOTZONE","features":[445]},{"name":"DNS_RCODE_NOT_IMPLEMENTED","features":[445]},{"name":"DNS_RCODE_NO_ERROR","features":[445]},{"name":"DNS_RCODE_NXDOMAIN","features":[445]},{"name":"DNS_RCODE_NXRRSET","features":[445]},{"name":"DNS_RCODE_REFUSED","features":[445]},{"name":"DNS_RCODE_SERVER_FAILURE","features":[445]},{"name":"DNS_RCODE_SERVFAIL","features":[445]},{"name":"DNS_RCODE_YXDOMAIN","features":[445]},{"name":"DNS_RCODE_YXRRSET","features":[445]},{"name":"DNS_RECORDA","features":[308,445]},{"name":"DNS_RECORDW","features":[308,445]},{"name":"DNS_RECORD_FLAGS","features":[445]},{"name":"DNS_RECORD_OPTW","features":[308,445]},{"name":"DNS_RFC_MAX_UDP_PACKET_LENGTH","features":[445]},{"name":"DNS_RRSET","features":[308,445]},{"name":"DNS_RTYPE_A","features":[445]},{"name":"DNS_RTYPE_A6","features":[445]},{"name":"DNS_RTYPE_AAAA","features":[445]},{"name":"DNS_RTYPE_AFSDB","features":[445]},{"name":"DNS_RTYPE_ALL","features":[445]},{"name":"DNS_RTYPE_ANY","features":[445]},{"name":"DNS_RTYPE_ATMA","features":[445]},{"name":"DNS_RTYPE_AXFR","features":[445]},{"name":"DNS_RTYPE_CERT","features":[445]},{"name":"DNS_RTYPE_CNAME","features":[445]},{"name":"DNS_RTYPE_DHCID","features":[445]},{"name":"DNS_RTYPE_DNAME","features":[445]},{"name":"DNS_RTYPE_DNSKEY","features":[445]},{"name":"DNS_RTYPE_DS","features":[445]},{"name":"DNS_RTYPE_EID","features":[445]},{"name":"DNS_RTYPE_GID","features":[445]},{"name":"DNS_RTYPE_GPOS","features":[445]},{"name":"DNS_RTYPE_HINFO","features":[445]},{"name":"DNS_RTYPE_ISDN","features":[445]},{"name":"DNS_RTYPE_IXFR","features":[445]},{"name":"DNS_RTYPE_KEY","features":[445]},{"name":"DNS_RTYPE_KX","features":[445]},{"name":"DNS_RTYPE_LOC","features":[445]},{"name":"DNS_RTYPE_MAILA","features":[445]},{"name":"DNS_RTYPE_MAILB","features":[445]},{"name":"DNS_RTYPE_MB","features":[445]},{"name":"DNS_RTYPE_MD","features":[445]},{"name":"DNS_RTYPE_MF","features":[445]},{"name":"DNS_RTYPE_MG","features":[445]},{"name":"DNS_RTYPE_MINFO","features":[445]},{"name":"DNS_RTYPE_MR","features":[445]},{"name":"DNS_RTYPE_MX","features":[445]},{"name":"DNS_RTYPE_NAPTR","features":[445]},{"name":"DNS_RTYPE_NIMLOC","features":[445]},{"name":"DNS_RTYPE_NS","features":[445]},{"name":"DNS_RTYPE_NSAP","features":[445]},{"name":"DNS_RTYPE_NSAPPTR","features":[445]},{"name":"DNS_RTYPE_NSEC","features":[445]},{"name":"DNS_RTYPE_NSEC3","features":[445]},{"name":"DNS_RTYPE_NSEC3PARAM","features":[445]},{"name":"DNS_RTYPE_NULL","features":[445]},{"name":"DNS_RTYPE_NXT","features":[445]},{"name":"DNS_RTYPE_OPT","features":[445]},{"name":"DNS_RTYPE_PTR","features":[445]},{"name":"DNS_RTYPE_PX","features":[445]},{"name":"DNS_RTYPE_RP","features":[445]},{"name":"DNS_RTYPE_RRSIG","features":[445]},{"name":"DNS_RTYPE_RT","features":[445]},{"name":"DNS_RTYPE_SIG","features":[445]},{"name":"DNS_RTYPE_SINK","features":[445]},{"name":"DNS_RTYPE_SOA","features":[445]},{"name":"DNS_RTYPE_SRV","features":[445]},{"name":"DNS_RTYPE_TEXT","features":[445]},{"name":"DNS_RTYPE_TKEY","features":[445]},{"name":"DNS_RTYPE_TLSA","features":[445]},{"name":"DNS_RTYPE_TSIG","features":[445]},{"name":"DNS_RTYPE_UID","features":[445]},{"name":"DNS_RTYPE_UINFO","features":[445]},{"name":"DNS_RTYPE_UNSPEC","features":[445]},{"name":"DNS_RTYPE_WINS","features":[445]},{"name":"DNS_RTYPE_WINSR","features":[445]},{"name":"DNS_RTYPE_WKS","features":[445]},{"name":"DNS_RTYPE_X25","features":[445]},{"name":"DNS_SECTION","features":[445]},{"name":"DNS_SERVICE_BROWSE_REQUEST","features":[308,445]},{"name":"DNS_SERVICE_CANCEL","features":[445]},{"name":"DNS_SERVICE_INSTANCE","features":[445]},{"name":"DNS_SERVICE_REGISTER_REQUEST","features":[308,445]},{"name":"DNS_SERVICE_RESOLVE_REQUEST","features":[445]},{"name":"DNS_SIG_DATAA","features":[445]},{"name":"DNS_SIG_DATAW","features":[445]},{"name":"DNS_SOA_DATAA","features":[445]},{"name":"DNS_SOA_DATAW","features":[445]},{"name":"DNS_SRV_DATAA","features":[445]},{"name":"DNS_SRV_DATAW","features":[445]},{"name":"DNS_SVCB_DATA","features":[445]},{"name":"DNS_SVCB_PARAM","features":[445]},{"name":"DNS_SVCB_PARAM_ALPN","features":[445]},{"name":"DNS_SVCB_PARAM_ALPN_ID","features":[445]},{"name":"DNS_SVCB_PARAM_IPV4","features":[445]},{"name":"DNS_SVCB_PARAM_IPV6","features":[445]},{"name":"DNS_SVCB_PARAM_MANDATORY","features":[445]},{"name":"DNS_SVCB_PARAM_TYPE","features":[445]},{"name":"DNS_SVCB_PARAM_UNKNOWN","features":[445]},{"name":"DNS_TKEY_DATAA","features":[308,445]},{"name":"DNS_TKEY_DATAW","features":[308,445]},{"name":"DNS_TKEY_MODE_DIFFIE_HELLMAN","features":[445]},{"name":"DNS_TKEY_MODE_GSS","features":[445]},{"name":"DNS_TKEY_MODE_RESOLVER_ASSIGN","features":[445]},{"name":"DNS_TKEY_MODE_SERVER_ASSIGN","features":[445]},{"name":"DNS_TLSA_DATA","features":[445]},{"name":"DNS_TSIG_DATAA","features":[308,445]},{"name":"DNS_TSIG_DATAW","features":[308,445]},{"name":"DNS_TXT_DATAA","features":[445]},{"name":"DNS_TXT_DATAW","features":[445]},{"name":"DNS_TYPE","features":[445]},{"name":"DNS_TYPE_A","features":[445]},{"name":"DNS_TYPE_A6","features":[445]},{"name":"DNS_TYPE_AAAA","features":[445]},{"name":"DNS_TYPE_ADDRS","features":[445]},{"name":"DNS_TYPE_AFSDB","features":[445]},{"name":"DNS_TYPE_ALL","features":[445]},{"name":"DNS_TYPE_ANY","features":[445]},{"name":"DNS_TYPE_ATMA","features":[445]},{"name":"DNS_TYPE_AXFR","features":[445]},{"name":"DNS_TYPE_CERT","features":[445]},{"name":"DNS_TYPE_CNAME","features":[445]},{"name":"DNS_TYPE_DHCID","features":[445]},{"name":"DNS_TYPE_DNAME","features":[445]},{"name":"DNS_TYPE_DNSKEY","features":[445]},{"name":"DNS_TYPE_DS","features":[445]},{"name":"DNS_TYPE_EID","features":[445]},{"name":"DNS_TYPE_GID","features":[445]},{"name":"DNS_TYPE_GPOS","features":[445]},{"name":"DNS_TYPE_HINFO","features":[445]},{"name":"DNS_TYPE_HTTPS","features":[445]},{"name":"DNS_TYPE_ISDN","features":[445]},{"name":"DNS_TYPE_IXFR","features":[445]},{"name":"DNS_TYPE_KEY","features":[445]},{"name":"DNS_TYPE_KX","features":[445]},{"name":"DNS_TYPE_LOC","features":[445]},{"name":"DNS_TYPE_MAILA","features":[445]},{"name":"DNS_TYPE_MAILB","features":[445]},{"name":"DNS_TYPE_MB","features":[445]},{"name":"DNS_TYPE_MD","features":[445]},{"name":"DNS_TYPE_MF","features":[445]},{"name":"DNS_TYPE_MG","features":[445]},{"name":"DNS_TYPE_MINFO","features":[445]},{"name":"DNS_TYPE_MR","features":[445]},{"name":"DNS_TYPE_MX","features":[445]},{"name":"DNS_TYPE_NAPTR","features":[445]},{"name":"DNS_TYPE_NBSTAT","features":[445]},{"name":"DNS_TYPE_NIMLOC","features":[445]},{"name":"DNS_TYPE_NS","features":[445]},{"name":"DNS_TYPE_NSAP","features":[445]},{"name":"DNS_TYPE_NSAPPTR","features":[445]},{"name":"DNS_TYPE_NSEC","features":[445]},{"name":"DNS_TYPE_NSEC3","features":[445]},{"name":"DNS_TYPE_NSEC3PARAM","features":[445]},{"name":"DNS_TYPE_NULL","features":[445]},{"name":"DNS_TYPE_NXT","features":[445]},{"name":"DNS_TYPE_OPT","features":[445]},{"name":"DNS_TYPE_PTR","features":[445]},{"name":"DNS_TYPE_PX","features":[445]},{"name":"DNS_TYPE_RP","features":[445]},{"name":"DNS_TYPE_RRSIG","features":[445]},{"name":"DNS_TYPE_RT","features":[445]},{"name":"DNS_TYPE_SIG","features":[445]},{"name":"DNS_TYPE_SINK","features":[445]},{"name":"DNS_TYPE_SOA","features":[445]},{"name":"DNS_TYPE_SRV","features":[445]},{"name":"DNS_TYPE_SVCB","features":[445]},{"name":"DNS_TYPE_TEXT","features":[445]},{"name":"DNS_TYPE_TKEY","features":[445]},{"name":"DNS_TYPE_TLSA","features":[445]},{"name":"DNS_TYPE_TSIG","features":[445]},{"name":"DNS_TYPE_UID","features":[445]},{"name":"DNS_TYPE_UINFO","features":[445]},{"name":"DNS_TYPE_UNSPEC","features":[445]},{"name":"DNS_TYPE_WINS","features":[445]},{"name":"DNS_TYPE_WINSR","features":[445]},{"name":"DNS_TYPE_WKS","features":[445]},{"name":"DNS_TYPE_X25","features":[445]},{"name":"DNS_TYPE_ZERO","features":[445]},{"name":"DNS_UNKNOWN_DATA","features":[445]},{"name":"DNS_UPDATE_CACHE_SECURITY_CONTEXT","features":[445]},{"name":"DNS_UPDATE_FORCE_SECURITY_NEGO","features":[445]},{"name":"DNS_UPDATE_REMOTE_SERVER","features":[445]},{"name":"DNS_UPDATE_RESERVED","features":[445]},{"name":"DNS_UPDATE_SECURITY_OFF","features":[445]},{"name":"DNS_UPDATE_SECURITY_ON","features":[445]},{"name":"DNS_UPDATE_SECURITY_ONLY","features":[445]},{"name":"DNS_UPDATE_SECURITY_USE_DEFAULT","features":[445]},{"name":"DNS_UPDATE_SKIP_NO_UPDATE_ADAPTERS","features":[445]},{"name":"DNS_UPDATE_TEST_USE_LOCAL_SYS_ACCT","features":[445]},{"name":"DNS_UPDATE_TRY_ALL_MASTER_SERVERS","features":[445]},{"name":"DNS_VALSVR_ERROR_INVALID_ADDR","features":[445]},{"name":"DNS_VALSVR_ERROR_INVALID_NAME","features":[445]},{"name":"DNS_VALSVR_ERROR_NO_AUTH","features":[445]},{"name":"DNS_VALSVR_ERROR_NO_RESPONSE","features":[445]},{"name":"DNS_VALSVR_ERROR_NO_TCP","features":[445]},{"name":"DNS_VALSVR_ERROR_REFUSED","features":[445]},{"name":"DNS_VALSVR_ERROR_UNKNOWN","features":[445]},{"name":"DNS_VALSVR_ERROR_UNREACHABLE","features":[445]},{"name":"DNS_WINSR_DATAA","features":[445]},{"name":"DNS_WINSR_DATAW","features":[445]},{"name":"DNS_WINS_DATA","features":[445]},{"name":"DNS_WINS_FLAG_LOCAL","features":[445]},{"name":"DNS_WINS_FLAG_SCOPE","features":[445]},{"name":"DNS_WIRE_QUESTION","features":[445]},{"name":"DNS_WIRE_RECORD","features":[445]},{"name":"DNS_WKS_DATA","features":[445]},{"name":"DnsAcquireContextHandle_A","features":[308,445]},{"name":"DnsAcquireContextHandle_W","features":[308,445]},{"name":"DnsCancelQuery","features":[445]},{"name":"DnsCancelQueryRaw","features":[445]},{"name":"DnsCharSetAnsi","features":[445]},{"name":"DnsCharSetUnicode","features":[445]},{"name":"DnsCharSetUnknown","features":[445]},{"name":"DnsCharSetUtf8","features":[445]},{"name":"DnsConfigAdapterDomainName_A","features":[445]},{"name":"DnsConfigAdapterDomainName_UTF8","features":[445]},{"name":"DnsConfigAdapterDomainName_W","features":[445]},{"name":"DnsConfigAdapterHostNameRegistrationEnabled","features":[445]},{"name":"DnsConfigAdapterInfo","features":[445]},{"name":"DnsConfigAddressRegistrationMaxCount","features":[445]},{"name":"DnsConfigDnsServerList","features":[445]},{"name":"DnsConfigFullHostName_A","features":[445]},{"name":"DnsConfigFullHostName_UTF8","features":[445]},{"name":"DnsConfigFullHostName_W","features":[445]},{"name":"DnsConfigHostName_A","features":[445]},{"name":"DnsConfigHostName_UTF8","features":[445]},{"name":"DnsConfigHostName_W","features":[445]},{"name":"DnsConfigNameServer","features":[445]},{"name":"DnsConfigPrimaryDomainName_A","features":[445]},{"name":"DnsConfigPrimaryDomainName_UTF8","features":[445]},{"name":"DnsConfigPrimaryDomainName_W","features":[445]},{"name":"DnsConfigPrimaryHostNameRegistrationEnabled","features":[445]},{"name":"DnsConfigSearchList","features":[445]},{"name":"DnsConnectionDeletePolicyEntries","features":[445]},{"name":"DnsConnectionDeleteProxyInfo","features":[445]},{"name":"DnsConnectionFreeNameList","features":[445]},{"name":"DnsConnectionFreeProxyInfo","features":[445]},{"name":"DnsConnectionFreeProxyInfoEx","features":[308,445]},{"name":"DnsConnectionFreeProxyList","features":[445]},{"name":"DnsConnectionGetNameList","features":[445]},{"name":"DnsConnectionGetProxyInfo","features":[445]},{"name":"DnsConnectionGetProxyInfoForHostUrl","features":[308,445]},{"name":"DnsConnectionGetProxyInfoForHostUrlEx","features":[308,445]},{"name":"DnsConnectionGetProxyList","features":[445]},{"name":"DnsConnectionSetPolicyEntries","features":[445]},{"name":"DnsConnectionSetProxyInfo","features":[445]},{"name":"DnsConnectionUpdateIfIndexTable","features":[445]},{"name":"DnsExtractRecordsFromMessage_UTF8","features":[308,445]},{"name":"DnsExtractRecordsFromMessage_W","features":[308,445]},{"name":"DnsFree","features":[445]},{"name":"DnsFreeCustomServers","features":[445]},{"name":"DnsFreeFlat","features":[445]},{"name":"DnsFreeParsedMessageFields","features":[445]},{"name":"DnsFreeProxyName","features":[445]},{"name":"DnsFreeRecordList","features":[445]},{"name":"DnsGetApplicationSettings","features":[445]},{"name":"DnsGetProxyInformation","features":[445]},{"name":"DnsModifyRecordsInSet_A","features":[308,445]},{"name":"DnsModifyRecordsInSet_UTF8","features":[308,445]},{"name":"DnsModifyRecordsInSet_W","features":[308,445]},{"name":"DnsNameCompare_A","features":[308,445]},{"name":"DnsNameCompare_W","features":[308,445]},{"name":"DnsNameDomain","features":[445]},{"name":"DnsNameDomainLabel","features":[445]},{"name":"DnsNameHostnameFull","features":[445]},{"name":"DnsNameHostnameLabel","features":[445]},{"name":"DnsNameSrvRecord","features":[445]},{"name":"DnsNameValidateTld","features":[445]},{"name":"DnsNameWildcard","features":[445]},{"name":"DnsQueryConfig","features":[445]},{"name":"DnsQueryEx","features":[308,445]},{"name":"DnsQueryRaw","features":[308,445]},{"name":"DnsQueryRawResultFree","features":[308,445]},{"name":"DnsQuery_A","features":[308,445]},{"name":"DnsQuery_UTF8","features":[308,445]},{"name":"DnsQuery_W","features":[308,445]},{"name":"DnsRecordCompare","features":[308,445]},{"name":"DnsRecordCopyEx","features":[308,445]},{"name":"DnsRecordSetCompare","features":[308,445]},{"name":"DnsRecordSetCopyEx","features":[308,445]},{"name":"DnsRecordSetDetach","features":[308,445]},{"name":"DnsReleaseContextHandle","features":[308,445]},{"name":"DnsReplaceRecordSetA","features":[308,445]},{"name":"DnsReplaceRecordSetUTF8","features":[308,445]},{"name":"DnsReplaceRecordSetW","features":[308,445]},{"name":"DnsSectionAddtional","features":[445]},{"name":"DnsSectionAnswer","features":[445]},{"name":"DnsSectionAuthority","features":[445]},{"name":"DnsSectionQuestion","features":[445]},{"name":"DnsServiceBrowse","features":[308,445]},{"name":"DnsServiceBrowseCancel","features":[445]},{"name":"DnsServiceConstructInstance","features":[445]},{"name":"DnsServiceCopyInstance","features":[445]},{"name":"DnsServiceDeRegister","features":[308,445]},{"name":"DnsServiceFreeInstance","features":[445]},{"name":"DnsServiceRegister","features":[308,445]},{"name":"DnsServiceRegisterCancel","features":[445]},{"name":"DnsServiceResolve","features":[445]},{"name":"DnsServiceResolveCancel","features":[445]},{"name":"DnsSetApplicationSettings","features":[445]},{"name":"DnsStartMulticastQuery","features":[308,445]},{"name":"DnsStopMulticastQuery","features":[445]},{"name":"DnsSvcbParamAlpn","features":[445]},{"name":"DnsSvcbParamDohPath","features":[445]},{"name":"DnsSvcbParamDohPathOpenDns","features":[445]},{"name":"DnsSvcbParamDohPathQuad9","features":[445]},{"name":"DnsSvcbParamEch","features":[445]},{"name":"DnsSvcbParamIpv4Hint","features":[445]},{"name":"DnsSvcbParamIpv6Hint","features":[445]},{"name":"DnsSvcbParamMandatory","features":[445]},{"name":"DnsSvcbParamNoDefaultAlpn","features":[445]},{"name":"DnsSvcbParamPort","features":[445]},{"name":"DnsValidateName_A","features":[445]},{"name":"DnsValidateName_UTF8","features":[445]},{"name":"DnsValidateName_W","features":[445]},{"name":"DnsWriteQuestionToBuffer_UTF8","features":[308,445]},{"name":"DnsWriteQuestionToBuffer_W","features":[308,445]},{"name":"IP4_ADDRESS_STRING_BUFFER_LENGTH","features":[445]},{"name":"IP4_ADDRESS_STRING_LENGTH","features":[445]},{"name":"IP4_ARRAY","features":[445]},{"name":"IP6_ADDRESS","features":[445]},{"name":"IP6_ADDRESS","features":[445]},{"name":"IP6_ADDRESS_STRING_BUFFER_LENGTH","features":[445]},{"name":"IP6_ADDRESS_STRING_LENGTH","features":[445]},{"name":"MDNS_QUERY_HANDLE","features":[445]},{"name":"MDNS_QUERY_REQUEST","features":[308,445]},{"name":"PDNS_QUERY_COMPLETION_ROUTINE","features":[308,445]},{"name":"PDNS_SERVICE_BROWSE_CALLBACK","features":[308,445]},{"name":"PDNS_SERVICE_REGISTER_COMPLETE","features":[445]},{"name":"PDNS_SERVICE_RESOLVE_COMPLETE","features":[445]},{"name":"PMDNS_QUERY_CALLBACK","features":[308,445]},{"name":"SIZEOF_IP4_ADDRESS","features":[445]},{"name":"TAG_DNS_CONNECTION_POLICY_TAG_CONNECTION_MANAGER","features":[445]},{"name":"TAG_DNS_CONNECTION_POLICY_TAG_DEFAULT","features":[445]},{"name":"TAG_DNS_CONNECTION_POLICY_TAG_WWWPT","features":[445]},{"name":"_DnsRecordOptA","features":[308,445]}],"445":[{"name":"ICW_ALREADYRUN","features":[446]},{"name":"ICW_CHECKSTATUS","features":[446]},{"name":"ICW_FULLPRESENT","features":[446]},{"name":"ICW_FULL_SMARTSTART","features":[446]},{"name":"ICW_LAUNCHEDFULL","features":[446]},{"name":"ICW_LAUNCHEDMANUAL","features":[446]},{"name":"ICW_LAUNCHFULL","features":[446]},{"name":"ICW_LAUNCHMANUAL","features":[446]},{"name":"ICW_MANUALPRESENT","features":[446]},{"name":"ICW_MAX_ACCTNAME","features":[446]},{"name":"ICW_MAX_EMAILADDR","features":[446]},{"name":"ICW_MAX_EMAILNAME","features":[446]},{"name":"ICW_MAX_LOGONNAME","features":[446]},{"name":"ICW_MAX_PASSWORD","features":[446]},{"name":"ICW_MAX_RASNAME","features":[446]},{"name":"ICW_MAX_SERVERNAME","features":[446]},{"name":"ICW_REGKEYCOMPLETED","features":[446]},{"name":"ICW_REGPATHSETTINGS","features":[446]},{"name":"ICW_USEDEFAULTS","features":[446]},{"name":"ICW_USE_SHELLNEXT","features":[446]},{"name":"PFNCHECKCONNECTIONWIZARD","features":[446]},{"name":"PFNSETSHELLNEXT","features":[446]}],"446":[{"name":"ANY_SIZE","features":[447]},{"name":"ARP_SEND_REPLY","features":[447]},{"name":"AddIPAddress","features":[447]},{"name":"BEST_IF","features":[447]},{"name":"BEST_ROUTE","features":[447]},{"name":"BROADCAST_NODETYPE","features":[447]},{"name":"CancelIPChangeNotify","features":[308,447,313]},{"name":"CancelIfTimestampConfigChange","features":[447]},{"name":"CancelMibChangeNotify2","features":[308,447]},{"name":"CaptureInterfaceHardwareCrossTimestamp","features":[447,322]},{"name":"ConvertCompartmentGuidToId","features":[308,447]},{"name":"ConvertCompartmentIdToGuid","features":[308,447]},{"name":"ConvertInterfaceAliasToLuid","features":[308,447,322]},{"name":"ConvertInterfaceGuidToLuid","features":[308,447,322]},{"name":"ConvertInterfaceIndexToLuid","features":[308,447,322]},{"name":"ConvertInterfaceLuidToAlias","features":[308,447,322]},{"name":"ConvertInterfaceLuidToGuid","features":[308,447,322]},{"name":"ConvertInterfaceLuidToIndex","features":[308,447,322]},{"name":"ConvertInterfaceLuidToNameA","features":[308,447,322]},{"name":"ConvertInterfaceLuidToNameW","features":[308,447,322]},{"name":"ConvertInterfaceNameToLuidA","features":[308,447,322]},{"name":"ConvertInterfaceNameToLuidW","features":[308,447,322]},{"name":"ConvertIpv4MaskToLength","features":[308,447]},{"name":"ConvertLengthToIpv4Mask","features":[308,447]},{"name":"CreateAnycastIpAddressEntry","features":[308,447,322,321]},{"name":"CreateIpForwardEntry","features":[447,321]},{"name":"CreateIpForwardEntry2","features":[308,447,322,321]},{"name":"CreateIpNetEntry","features":[447]},{"name":"CreateIpNetEntry2","features":[308,447,322,321]},{"name":"CreatePersistentTcpPortReservation","features":[447]},{"name":"CreatePersistentUdpPortReservation","features":[447]},{"name":"CreateProxyArpEntry","features":[447]},{"name":"CreateSortedAddressPairs","features":[308,447,321]},{"name":"CreateUnicastIpAddressEntry","features":[308,447,322,321]},{"name":"DEFAULT_MINIMUM_ENTITIES","features":[447]},{"name":"DEST_LONGER","features":[447]},{"name":"DEST_MATCHING","features":[447]},{"name":"DEST_SHORTER","features":[447]},{"name":"DNS_DDR_ADAPTER_ENABLE_DOH","features":[447]},{"name":"DNS_DDR_ADAPTER_ENABLE_UDP_FALLBACK","features":[447]},{"name":"DNS_DOH_AUTO_UPGRADE_SERVER","features":[447]},{"name":"DNS_DOH_POLICY_AUTO","features":[447]},{"name":"DNS_DOH_POLICY_DISABLE","features":[447]},{"name":"DNS_DOH_POLICY_NOT_CONFIGURED","features":[447]},{"name":"DNS_DOH_POLICY_REQUIRED","features":[447]},{"name":"DNS_DOH_SERVER_SETTINGS","features":[447]},{"name":"DNS_DOH_SERVER_SETTINGS_ENABLE","features":[447]},{"name":"DNS_DOH_SERVER_SETTINGS_ENABLE_AUTO","features":[447]},{"name":"DNS_DOH_SERVER_SETTINGS_ENABLE_DDR","features":[447]},{"name":"DNS_DOH_SERVER_SETTINGS_FALLBACK_TO_UDP","features":[447]},{"name":"DNS_ENABLE_DDR","features":[447]},{"name":"DNS_ENABLE_DOH","features":[447]},{"name":"DNS_INTERFACE_SETTINGS","features":[447]},{"name":"DNS_INTERFACE_SETTINGS3","features":[447]},{"name":"DNS_INTERFACE_SETTINGS4","features":[447]},{"name":"DNS_INTERFACE_SETTINGS_EX","features":[447]},{"name":"DNS_INTERFACE_SETTINGS_VERSION1","features":[447]},{"name":"DNS_INTERFACE_SETTINGS_VERSION2","features":[447]},{"name":"DNS_INTERFACE_SETTINGS_VERSION3","features":[447]},{"name":"DNS_INTERFACE_SETTINGS_VERSION4","features":[447]},{"name":"DNS_SERVER_PROPERTY","features":[447]},{"name":"DNS_SERVER_PROPERTY_TYPE","features":[447]},{"name":"DNS_SERVER_PROPERTY_TYPES","features":[447]},{"name":"DNS_SERVER_PROPERTY_VERSION1","features":[447]},{"name":"DNS_SETTINGS","features":[447]},{"name":"DNS_SETTINGS2","features":[447]},{"name":"DNS_SETTINGS_ENABLE_LLMNR","features":[447]},{"name":"DNS_SETTINGS_QUERY_ADAPTER_NAME","features":[447]},{"name":"DNS_SETTINGS_VERSION1","features":[447]},{"name":"DNS_SETTINGS_VERSION2","features":[447]},{"name":"DNS_SETTING_DDR","features":[447]},{"name":"DNS_SETTING_DISABLE_UNCONSTRAINED_QUERIES","features":[447]},{"name":"DNS_SETTING_DOH","features":[447]},{"name":"DNS_SETTING_DOH_PROFILE","features":[447]},{"name":"DNS_SETTING_DOMAIN","features":[447]},{"name":"DNS_SETTING_ENCRYPTED_DNS_ADAPTER_FLAGS","features":[447]},{"name":"DNS_SETTING_HOSTNAME","features":[447]},{"name":"DNS_SETTING_IPV6","features":[447]},{"name":"DNS_SETTING_NAMESERVER","features":[447]},{"name":"DNS_SETTING_PROFILE_NAMESERVER","features":[447]},{"name":"DNS_SETTING_REGISTER_ADAPTER_NAME","features":[447]},{"name":"DNS_SETTING_REGISTRATION_ENABLED","features":[447]},{"name":"DNS_SETTING_SEARCHLIST","features":[447]},{"name":"DNS_SETTING_SUPPLEMENTAL_SEARCH_LIST","features":[447]},{"name":"DeleteAnycastIpAddressEntry","features":[308,447,322,321]},{"name":"DeleteIPAddress","features":[447]},{"name":"DeleteIpForwardEntry","features":[447,321]},{"name":"DeleteIpForwardEntry2","features":[308,447,322,321]},{"name":"DeleteIpNetEntry","features":[447]},{"name":"DeleteIpNetEntry2","features":[308,447,322,321]},{"name":"DeletePersistentTcpPortReservation","features":[447]},{"name":"DeletePersistentUdpPortReservation","features":[447]},{"name":"DeleteProxyArpEntry","features":[447]},{"name":"DeleteUnicastIpAddressEntry","features":[308,447,322,321]},{"name":"DisableMediaSense","features":[308,447,313]},{"name":"DnsServerDohProperty","features":[447]},{"name":"DnsServerInvalidProperty","features":[447]},{"name":"ERROR_BASE","features":[447]},{"name":"ERROR_IPV6_NOT_IMPLEMENTED","features":[447]},{"name":"EnableRouter","features":[308,447,313]},{"name":"FD_FLAGS_ALLFLAGS","features":[447]},{"name":"FD_FLAGS_NOSYN","features":[447]},{"name":"FILTER_ICMP_CODE_ANY","features":[447]},{"name":"FILTER_ICMP_TYPE_ANY","features":[447]},{"name":"FIXED_INFO_W2KSP1","features":[447]},{"name":"FlushIpNetTable","features":[447]},{"name":"FlushIpNetTable2","features":[308,447,321]},{"name":"FlushIpPathTable","features":[308,447,321]},{"name":"FreeDnsSettings","features":[447]},{"name":"FreeInterfaceDnsSettings","features":[447]},{"name":"FreeMibTable","features":[447]},{"name":"GAA_FLAG_INCLUDE_ALL_COMPARTMENTS","features":[447]},{"name":"GAA_FLAG_INCLUDE_ALL_INTERFACES","features":[447]},{"name":"GAA_FLAG_INCLUDE_GATEWAYS","features":[447]},{"name":"GAA_FLAG_INCLUDE_PREFIX","features":[447]},{"name":"GAA_FLAG_INCLUDE_TUNNEL_BINDINGORDER","features":[447]},{"name":"GAA_FLAG_INCLUDE_WINS_INFO","features":[447]},{"name":"GAA_FLAG_SKIP_ANYCAST","features":[447]},{"name":"GAA_FLAG_SKIP_DNS_INFO","features":[447]},{"name":"GAA_FLAG_SKIP_DNS_SERVER","features":[447]},{"name":"GAA_FLAG_SKIP_FRIENDLY_NAME","features":[447]},{"name":"GAA_FLAG_SKIP_MULTICAST","features":[447]},{"name":"GAA_FLAG_SKIP_UNICAST","features":[447]},{"name":"GET_ADAPTERS_ADDRESSES_FLAGS","features":[447]},{"name":"GF_FRAGCACHE","features":[447]},{"name":"GF_FRAGMENTS","features":[447]},{"name":"GF_STRONGHOST","features":[447]},{"name":"GLOBAL_FILTER","features":[447]},{"name":"GetAdapterIndex","features":[447]},{"name":"GetAdapterOrderMap","features":[447]},{"name":"GetAdaptersAddresses","features":[447,322,321]},{"name":"GetAdaptersInfo","features":[308,447]},{"name":"GetAnycastIpAddressEntry","features":[308,447,322,321]},{"name":"GetAnycastIpAddressTable","features":[308,447,322,321]},{"name":"GetBestInterface","features":[447]},{"name":"GetBestInterfaceEx","features":[447,321]},{"name":"GetBestRoute","features":[447,321]},{"name":"GetBestRoute2","features":[308,447,322,321]},{"name":"GetCurrentThreadCompartmentId","features":[308,447]},{"name":"GetCurrentThreadCompartmentScope","features":[447]},{"name":"GetDefaultCompartmentId","features":[308,447]},{"name":"GetDnsSettings","features":[308,447]},{"name":"GetExtendedTcpTable","features":[308,447]},{"name":"GetExtendedUdpTable","features":[308,447]},{"name":"GetFriendlyIfIndex","features":[447]},{"name":"GetIcmpStatistics","features":[447]},{"name":"GetIcmpStatisticsEx","features":[447]},{"name":"GetIfEntry","features":[447]},{"name":"GetIfEntry2","features":[308,447,322]},{"name":"GetIfEntry2Ex","features":[308,447,322]},{"name":"GetIfStackTable","features":[308,447]},{"name":"GetIfTable","features":[308,447]},{"name":"GetIfTable2","features":[308,447,322]},{"name":"GetIfTable2Ex","features":[308,447,322]},{"name":"GetInterfaceActiveTimestampCapabilities","features":[308,447,322]},{"name":"GetInterfaceCurrentTimestampCapabilities","features":[308,447,322]},{"name":"GetInterfaceDnsSettings","features":[308,447]},{"name":"GetInterfaceHardwareTimestampCapabilities","features":[308,447,322]},{"name":"GetInterfaceInfo","features":[447]},{"name":"GetInterfaceSupportedTimestampCapabilities","features":[308,447,322]},{"name":"GetInvertedIfStackTable","features":[308,447]},{"name":"GetIpAddrTable","features":[308,447]},{"name":"GetIpErrorString","features":[447]},{"name":"GetIpForwardEntry2","features":[308,447,322,321]},{"name":"GetIpForwardTable","features":[308,447,321]},{"name":"GetIpForwardTable2","features":[308,447,322,321]},{"name":"GetIpInterfaceEntry","features":[308,447,322,321]},{"name":"GetIpInterfaceTable","features":[308,447,322,321]},{"name":"GetIpNetEntry2","features":[308,447,322,321]},{"name":"GetIpNetTable","features":[308,447]},{"name":"GetIpNetTable2","features":[308,447,322,321]},{"name":"GetIpNetworkConnectionBandwidthEstimates","features":[308,447,321]},{"name":"GetIpPathEntry","features":[308,447,322,321]},{"name":"GetIpPathTable","features":[308,447,322,321]},{"name":"GetIpStatistics","features":[447]},{"name":"GetIpStatisticsEx","features":[447]},{"name":"GetJobCompartmentId","features":[308,447]},{"name":"GetMulticastIpAddressEntry","features":[308,447,322,321]},{"name":"GetMulticastIpAddressTable","features":[308,447,322,321]},{"name":"GetNetworkConnectivityHint","features":[308,447,321]},{"name":"GetNetworkConnectivityHintForInterface","features":[308,447,321]},{"name":"GetNetworkInformation","features":[308,447]},{"name":"GetNetworkParams","features":[308,447]},{"name":"GetNumberOfInterfaces","features":[447]},{"name":"GetOwnerModuleFromPidAndInfo","features":[447]},{"name":"GetOwnerModuleFromTcp6Entry","features":[447]},{"name":"GetOwnerModuleFromTcpEntry","features":[447]},{"name":"GetOwnerModuleFromUdp6Entry","features":[447]},{"name":"GetOwnerModuleFromUdpEntry","features":[447]},{"name":"GetPerAdapterInfo","features":[447]},{"name":"GetPerTcp6ConnectionEStats","features":[447,321]},{"name":"GetPerTcpConnectionEStats","features":[447]},{"name":"GetRTTAndHopCount","features":[308,447]},{"name":"GetSessionCompartmentId","features":[308,447]},{"name":"GetTcp6Table","features":[308,447,321]},{"name":"GetTcp6Table2","features":[308,447,321]},{"name":"GetTcpStatistics","features":[447]},{"name":"GetTcpStatisticsEx","features":[447]},{"name":"GetTcpStatisticsEx2","features":[447]},{"name":"GetTcpTable","features":[308,447]},{"name":"GetTcpTable2","features":[308,447]},{"name":"GetTeredoPort","features":[308,447]},{"name":"GetUdp6Table","features":[308,447,321]},{"name":"GetUdpStatistics","features":[447]},{"name":"GetUdpStatisticsEx","features":[447]},{"name":"GetUdpStatisticsEx2","features":[447]},{"name":"GetUdpTable","features":[308,447]},{"name":"GetUniDirectionalAdapterInfo","features":[447]},{"name":"GetUnicastIpAddressEntry","features":[308,447,322,321]},{"name":"GetUnicastIpAddressTable","features":[308,447,322,321]},{"name":"HIFTIMESTAMPCHANGE","features":[447]},{"name":"HYBRID_NODETYPE","features":[447]},{"name":"ICMP4_DST_UNREACH","features":[447]},{"name":"ICMP4_ECHO_REPLY","features":[447]},{"name":"ICMP4_ECHO_REQUEST","features":[447]},{"name":"ICMP4_MASK_REPLY","features":[447]},{"name":"ICMP4_MASK_REQUEST","features":[447]},{"name":"ICMP4_PARAM_PROB","features":[447]},{"name":"ICMP4_REDIRECT","features":[447]},{"name":"ICMP4_ROUTER_ADVERT","features":[447]},{"name":"ICMP4_ROUTER_SOLICIT","features":[447]},{"name":"ICMP4_SOURCE_QUENCH","features":[447]},{"name":"ICMP4_TIMESTAMP_REPLY","features":[447]},{"name":"ICMP4_TIMESTAMP_REQUEST","features":[447]},{"name":"ICMP4_TIME_EXCEEDED","features":[447]},{"name":"ICMP4_TYPE","features":[447]},{"name":"ICMP6_DST_UNREACH","features":[447]},{"name":"ICMP6_ECHO_REPLY","features":[447]},{"name":"ICMP6_ECHO_REQUEST","features":[447]},{"name":"ICMP6_INFOMSG_MASK","features":[447]},{"name":"ICMP6_MEMBERSHIP_QUERY","features":[447]},{"name":"ICMP6_MEMBERSHIP_REDUCTION","features":[447]},{"name":"ICMP6_MEMBERSHIP_REPORT","features":[447]},{"name":"ICMP6_PACKET_TOO_BIG","features":[447]},{"name":"ICMP6_PARAM_PROB","features":[447]},{"name":"ICMP6_TIME_EXCEEDED","features":[447]},{"name":"ICMP6_TYPE","features":[447]},{"name":"ICMP6_V2_MEMBERSHIP_REPORT","features":[447]},{"name":"ICMPV6_ECHO_REPLY_LH","features":[447]},{"name":"ICMP_ECHO_REPLY","features":[447]},{"name":"ICMP_ECHO_REPLY32","features":[447]},{"name":"ICMP_STATS","features":[447]},{"name":"IF_ACCESS_BROADCAST","features":[447]},{"name":"IF_ACCESS_LOOPBACK","features":[447]},{"name":"IF_ACCESS_POINTTOMULTIPOINT","features":[447]},{"name":"IF_ACCESS_POINTTOPOINT","features":[447]},{"name":"IF_ACCESS_POINT_TO_MULTI_POINT","features":[447]},{"name":"IF_ACCESS_POINT_TO_POINT","features":[447]},{"name":"IF_ACCESS_TYPE","features":[447]},{"name":"IF_ADMIN_STATUS_DOWN","features":[447]},{"name":"IF_ADMIN_STATUS_TESTING","features":[447]},{"name":"IF_ADMIN_STATUS_UP","features":[447]},{"name":"IF_CHECK_MCAST","features":[447]},{"name":"IF_CHECK_NONE","features":[447]},{"name":"IF_CHECK_SEND","features":[447]},{"name":"IF_CONNECTION_DEDICATED","features":[447]},{"name":"IF_CONNECTION_DEMAND","features":[447]},{"name":"IF_CONNECTION_PASSIVE","features":[447]},{"name":"IF_NUMBER","features":[447]},{"name":"IF_OPER_STATUS_CONNECTED","features":[447]},{"name":"IF_OPER_STATUS_CONNECTING","features":[447]},{"name":"IF_OPER_STATUS_DISCONNECTED","features":[447]},{"name":"IF_OPER_STATUS_NON_OPERATIONAL","features":[447]},{"name":"IF_OPER_STATUS_OPERATIONAL","features":[447]},{"name":"IF_OPER_STATUS_UNREACHABLE","features":[447]},{"name":"IF_ROW","features":[447]},{"name":"IF_STATUS","features":[447]},{"name":"IF_TABLE","features":[447]},{"name":"IF_TYPE_A12MPPSWITCH","features":[447]},{"name":"IF_TYPE_AAL2","features":[447]},{"name":"IF_TYPE_AAL5","features":[447]},{"name":"IF_TYPE_ADSL","features":[447]},{"name":"IF_TYPE_AFLANE_8023","features":[447]},{"name":"IF_TYPE_AFLANE_8025","features":[447]},{"name":"IF_TYPE_ARAP","features":[447]},{"name":"IF_TYPE_ARCNET","features":[447]},{"name":"IF_TYPE_ARCNET_PLUS","features":[447]},{"name":"IF_TYPE_ASYNC","features":[447]},{"name":"IF_TYPE_ATM","features":[447]},{"name":"IF_TYPE_ATM_DXI","features":[447]},{"name":"IF_TYPE_ATM_FUNI","features":[447]},{"name":"IF_TYPE_ATM_IMA","features":[447]},{"name":"IF_TYPE_ATM_LOGICAL","features":[447]},{"name":"IF_TYPE_ATM_RADIO","features":[447]},{"name":"IF_TYPE_ATM_SUBINTERFACE","features":[447]},{"name":"IF_TYPE_ATM_VCI_ENDPT","features":[447]},{"name":"IF_TYPE_ATM_VIRTUAL","features":[447]},{"name":"IF_TYPE_BASIC_ISDN","features":[447]},{"name":"IF_TYPE_BGP_POLICY_ACCOUNTING","features":[447]},{"name":"IF_TYPE_BSC","features":[447]},{"name":"IF_TYPE_CCTEMUL","features":[447]},{"name":"IF_TYPE_CES","features":[447]},{"name":"IF_TYPE_CHANNEL","features":[447]},{"name":"IF_TYPE_CNR","features":[447]},{"name":"IF_TYPE_COFFEE","features":[447]},{"name":"IF_TYPE_COMPOSITELINK","features":[447]},{"name":"IF_TYPE_DCN","features":[447]},{"name":"IF_TYPE_DDN_X25","features":[447]},{"name":"IF_TYPE_DIGITALPOWERLINE","features":[447]},{"name":"IF_TYPE_DIGITAL_WRAPPER_OVERHEAD_CHANNEL","features":[447]},{"name":"IF_TYPE_DLSW","features":[447]},{"name":"IF_TYPE_DOCSCABLE_DOWNSTREAM","features":[447]},{"name":"IF_TYPE_DOCSCABLE_MACLAYER","features":[447]},{"name":"IF_TYPE_DOCSCABLE_UPSTREAM","features":[447]},{"name":"IF_TYPE_DS0","features":[447]},{"name":"IF_TYPE_DS0_BUNDLE","features":[447]},{"name":"IF_TYPE_DS1","features":[447]},{"name":"IF_TYPE_DS1_FDL","features":[447]},{"name":"IF_TYPE_DS3","features":[447]},{"name":"IF_TYPE_DTM","features":[447]},{"name":"IF_TYPE_DVBRCC_DOWNSTREAM","features":[447]},{"name":"IF_TYPE_DVBRCC_MACLAYER","features":[447]},{"name":"IF_TYPE_DVBRCC_UPSTREAM","features":[447]},{"name":"IF_TYPE_DVB_ASI_IN","features":[447]},{"name":"IF_TYPE_DVB_ASI_OUT","features":[447]},{"name":"IF_TYPE_E1","features":[447]},{"name":"IF_TYPE_EON","features":[447]},{"name":"IF_TYPE_EPLRS","features":[447]},{"name":"IF_TYPE_ESCON","features":[447]},{"name":"IF_TYPE_ETHERNET_3MBIT","features":[447]},{"name":"IF_TYPE_ETHERNET_CSMACD","features":[447]},{"name":"IF_TYPE_FAST","features":[447]},{"name":"IF_TYPE_FASTETHER","features":[447]},{"name":"IF_TYPE_FASTETHER_FX","features":[447]},{"name":"IF_TYPE_FDDI","features":[447]},{"name":"IF_TYPE_FIBRECHANNEL","features":[447]},{"name":"IF_TYPE_FRAMERELAY","features":[447]},{"name":"IF_TYPE_FRAMERELAY_INTERCONNECT","features":[447]},{"name":"IF_TYPE_FRAMERELAY_MPI","features":[447]},{"name":"IF_TYPE_FRAMERELAY_SERVICE","features":[447]},{"name":"IF_TYPE_FRF16_MFR_BUNDLE","features":[447]},{"name":"IF_TYPE_FR_DLCI_ENDPT","features":[447]},{"name":"IF_TYPE_FR_FORWARD","features":[447]},{"name":"IF_TYPE_G703_2MB","features":[447]},{"name":"IF_TYPE_G703_64K","features":[447]},{"name":"IF_TYPE_GIGABITETHERNET","features":[447]},{"name":"IF_TYPE_GR303_IDT","features":[447]},{"name":"IF_TYPE_GR303_RDT","features":[447]},{"name":"IF_TYPE_H323_GATEKEEPER","features":[447]},{"name":"IF_TYPE_H323_PROXY","features":[447]},{"name":"IF_TYPE_HDH_1822","features":[447]},{"name":"IF_TYPE_HDLC","features":[447]},{"name":"IF_TYPE_HDSL2","features":[447]},{"name":"IF_TYPE_HIPERLAN2","features":[447]},{"name":"IF_TYPE_HIPPI","features":[447]},{"name":"IF_TYPE_HIPPIINTERFACE","features":[447]},{"name":"IF_TYPE_HOSTPAD","features":[447]},{"name":"IF_TYPE_HSSI","features":[447]},{"name":"IF_TYPE_HYPERCHANNEL","features":[447]},{"name":"IF_TYPE_IBM370PARCHAN","features":[447]},{"name":"IF_TYPE_IDSL","features":[447]},{"name":"IF_TYPE_IEEE1394","features":[447]},{"name":"IF_TYPE_IEEE80211","features":[447]},{"name":"IF_TYPE_IEEE80212","features":[447]},{"name":"IF_TYPE_IEEE802154","features":[447]},{"name":"IF_TYPE_IEEE80216_WMAN","features":[447]},{"name":"IF_TYPE_IEEE8023AD_LAG","features":[447]},{"name":"IF_TYPE_IF_GSN","features":[447]},{"name":"IF_TYPE_IMT","features":[447]},{"name":"IF_TYPE_INTERLEAVE","features":[447]},{"name":"IF_TYPE_IP","features":[447]},{"name":"IF_TYPE_IPFORWARD","features":[447]},{"name":"IF_TYPE_IPOVER_ATM","features":[447]},{"name":"IF_TYPE_IPOVER_CDLC","features":[447]},{"name":"IF_TYPE_IPOVER_CLAW","features":[447]},{"name":"IF_TYPE_IPSWITCH","features":[447]},{"name":"IF_TYPE_IS088023_CSMACD","features":[447]},{"name":"IF_TYPE_ISDN","features":[447]},{"name":"IF_TYPE_ISDN_S","features":[447]},{"name":"IF_TYPE_ISDN_U","features":[447]},{"name":"IF_TYPE_ISO88022_LLC","features":[447]},{"name":"IF_TYPE_ISO88024_TOKENBUS","features":[447]},{"name":"IF_TYPE_ISO88025R_DTR","features":[447]},{"name":"IF_TYPE_ISO88025_CRFPRINT","features":[447]},{"name":"IF_TYPE_ISO88025_FIBER","features":[447]},{"name":"IF_TYPE_ISO88025_TOKENRING","features":[447]},{"name":"IF_TYPE_ISO88026_MAN","features":[447]},{"name":"IF_TYPE_ISUP","features":[447]},{"name":"IF_TYPE_L2_VLAN","features":[447]},{"name":"IF_TYPE_L3_IPVLAN","features":[447]},{"name":"IF_TYPE_L3_IPXVLAN","features":[447]},{"name":"IF_TYPE_LAP_B","features":[447]},{"name":"IF_TYPE_LAP_D","features":[447]},{"name":"IF_TYPE_LAP_F","features":[447]},{"name":"IF_TYPE_LOCALTALK","features":[447]},{"name":"IF_TYPE_MEDIAMAILOVERIP","features":[447]},{"name":"IF_TYPE_MF_SIGLINK","features":[447]},{"name":"IF_TYPE_MIO_X25","features":[447]},{"name":"IF_TYPE_MODEM","features":[447]},{"name":"IF_TYPE_MPC","features":[447]},{"name":"IF_TYPE_MPLS","features":[447]},{"name":"IF_TYPE_MPLS_TUNNEL","features":[447]},{"name":"IF_TYPE_MSDSL","features":[447]},{"name":"IF_TYPE_MVL","features":[447]},{"name":"IF_TYPE_MYRINET","features":[447]},{"name":"IF_TYPE_NFAS","features":[447]},{"name":"IF_TYPE_NSIP","features":[447]},{"name":"IF_TYPE_OPTICAL_CHANNEL","features":[447]},{"name":"IF_TYPE_OPTICAL_TRANSPORT","features":[447]},{"name":"IF_TYPE_OTHER","features":[447]},{"name":"IF_TYPE_PARA","features":[447]},{"name":"IF_TYPE_PLC","features":[447]},{"name":"IF_TYPE_POS","features":[447]},{"name":"IF_TYPE_PPP","features":[447]},{"name":"IF_TYPE_PPPMULTILINKBUNDLE","features":[447]},{"name":"IF_TYPE_PRIMARY_ISDN","features":[447]},{"name":"IF_TYPE_PROP_BWA_P2MP","features":[447]},{"name":"IF_TYPE_PROP_CNLS","features":[447]},{"name":"IF_TYPE_PROP_DOCS_WIRELESS_DOWNSTREAM","features":[447]},{"name":"IF_TYPE_PROP_DOCS_WIRELESS_MACLAYER","features":[447]},{"name":"IF_TYPE_PROP_DOCS_WIRELESS_UPSTREAM","features":[447]},{"name":"IF_TYPE_PROP_MULTIPLEXOR","features":[447]},{"name":"IF_TYPE_PROP_POINT2POINT_SERIAL","features":[447]},{"name":"IF_TYPE_PROP_VIRTUAL","features":[447]},{"name":"IF_TYPE_PROP_WIRELESS_P2P","features":[447]},{"name":"IF_TYPE_PROTEON_10MBIT","features":[447]},{"name":"IF_TYPE_PROTEON_80MBIT","features":[447]},{"name":"IF_TYPE_QLLC","features":[447]},{"name":"IF_TYPE_RADIO_MAC","features":[447]},{"name":"IF_TYPE_RADSL","features":[447]},{"name":"IF_TYPE_REACH_DSL","features":[447]},{"name":"IF_TYPE_REGULAR_1822","features":[447]},{"name":"IF_TYPE_RFC1483","features":[447]},{"name":"IF_TYPE_RFC877_X25","features":[447]},{"name":"IF_TYPE_RS232","features":[447]},{"name":"IF_TYPE_RSRB","features":[447]},{"name":"IF_TYPE_SDLC","features":[447]},{"name":"IF_TYPE_SDSL","features":[447]},{"name":"IF_TYPE_SHDSL","features":[447]},{"name":"IF_TYPE_SIP","features":[447]},{"name":"IF_TYPE_SLIP","features":[447]},{"name":"IF_TYPE_SMDS_DXI","features":[447]},{"name":"IF_TYPE_SMDS_ICIP","features":[447]},{"name":"IF_TYPE_SOFTWARE_LOOPBACK","features":[447]},{"name":"IF_TYPE_SONET","features":[447]},{"name":"IF_TYPE_SONET_OVERHEAD_CHANNEL","features":[447]},{"name":"IF_TYPE_SONET_PATH","features":[447]},{"name":"IF_TYPE_SONET_VT","features":[447]},{"name":"IF_TYPE_SRP","features":[447]},{"name":"IF_TYPE_SS7_SIGLINK","features":[447]},{"name":"IF_TYPE_STACKTOSTACK","features":[447]},{"name":"IF_TYPE_STARLAN","features":[447]},{"name":"IF_TYPE_TDLC","features":[447]},{"name":"IF_TYPE_TERMPAD","features":[447]},{"name":"IF_TYPE_TR008","features":[447]},{"name":"IF_TYPE_TRANSPHDLC","features":[447]},{"name":"IF_TYPE_TUNNEL","features":[447]},{"name":"IF_TYPE_ULTRA","features":[447]},{"name":"IF_TYPE_USB","features":[447]},{"name":"IF_TYPE_V11","features":[447]},{"name":"IF_TYPE_V35","features":[447]},{"name":"IF_TYPE_V36","features":[447]},{"name":"IF_TYPE_V37","features":[447]},{"name":"IF_TYPE_VDSL","features":[447]},{"name":"IF_TYPE_VIRTUALIPADDRESS","features":[447]},{"name":"IF_TYPE_VOICEOVERATM","features":[447]},{"name":"IF_TYPE_VOICEOVERFRAMERELAY","features":[447]},{"name":"IF_TYPE_VOICE_EM","features":[447]},{"name":"IF_TYPE_VOICE_ENCAP","features":[447]},{"name":"IF_TYPE_VOICE_FXO","features":[447]},{"name":"IF_TYPE_VOICE_FXS","features":[447]},{"name":"IF_TYPE_VOICE_OVERIP","features":[447]},{"name":"IF_TYPE_WWANPP","features":[447]},{"name":"IF_TYPE_WWANPP2","features":[447]},{"name":"IF_TYPE_X213","features":[447]},{"name":"IF_TYPE_X25_HUNTGROUP","features":[447]},{"name":"IF_TYPE_X25_MLP","features":[447]},{"name":"IF_TYPE_X25_PLE","features":[447]},{"name":"IF_TYPE_XBOX_WIRELESS","features":[447]},{"name":"INTERFACE_HARDWARE_CROSSTIMESTAMP","features":[447]},{"name":"INTERFACE_HARDWARE_CROSSTIMESTAMP_VERSION_1","features":[447]},{"name":"INTERFACE_HARDWARE_TIMESTAMP_CAPABILITIES","features":[308,447]},{"name":"INTERFACE_SOFTWARE_TIMESTAMP_CAPABILITIES","features":[308,447]},{"name":"INTERFACE_TIMESTAMP_CAPABILITIES","features":[308,447]},{"name":"INTERFACE_TIMESTAMP_CAPABILITIES_VERSION_1","features":[447]},{"name":"INTERNAL_IF_OPER_STATUS","features":[447]},{"name":"IOCTL_ARP_SEND_REQUEST","features":[447]},{"name":"IOCTL_IP_ADDCHANGE_NOTIFY_REQUEST","features":[447]},{"name":"IOCTL_IP_GET_BEST_INTERFACE","features":[447]},{"name":"IOCTL_IP_INTERFACE_INFO","features":[447]},{"name":"IOCTL_IP_RTCHANGE_NOTIFY_REQUEST","features":[447]},{"name":"IOCTL_IP_UNIDIRECTIONAL_ADAPTER_ADDRESS","features":[447]},{"name":"IP6_STATS","features":[447]},{"name":"IPRTRMGR_PID","features":[447]},{"name":"IPV6_ADDRESS_EX","features":[447]},{"name":"IPV6_GLOBAL_INFO","features":[447]},{"name":"IPV6_ROUTE_INFO","features":[447]},{"name":"IP_ADAPTER_ADDRESSES_LH","features":[447,322,321]},{"name":"IP_ADAPTER_ADDRESSES_XP","features":[447,322,321]},{"name":"IP_ADAPTER_ADDRESS_DNS_ELIGIBLE","features":[447]},{"name":"IP_ADAPTER_ADDRESS_TRANSIENT","features":[447]},{"name":"IP_ADAPTER_ANYCAST_ADDRESS_XP","features":[447,321]},{"name":"IP_ADAPTER_DDNS_ENABLED","features":[447]},{"name":"IP_ADAPTER_DHCP_ENABLED","features":[447]},{"name":"IP_ADAPTER_DNS_SERVER_ADDRESS_XP","features":[447,321]},{"name":"IP_ADAPTER_DNS_SUFFIX","features":[447]},{"name":"IP_ADAPTER_GATEWAY_ADDRESS_LH","features":[447,321]},{"name":"IP_ADAPTER_INDEX_MAP","features":[447]},{"name":"IP_ADAPTER_INFO","features":[308,447]},{"name":"IP_ADAPTER_IPV4_ENABLED","features":[447]},{"name":"IP_ADAPTER_IPV6_ENABLED","features":[447]},{"name":"IP_ADAPTER_IPV6_MANAGE_ADDRESS_CONFIG","features":[447]},{"name":"IP_ADAPTER_IPV6_OTHER_STATEFUL_CONFIG","features":[447]},{"name":"IP_ADAPTER_MULTICAST_ADDRESS_XP","features":[447,321]},{"name":"IP_ADAPTER_NETBIOS_OVER_TCPIP_ENABLED","features":[447]},{"name":"IP_ADAPTER_NO_MULTICAST","features":[447]},{"name":"IP_ADAPTER_ORDER_MAP","features":[447]},{"name":"IP_ADAPTER_PREFIX_XP","features":[447,321]},{"name":"IP_ADAPTER_RECEIVE_ONLY","features":[447]},{"name":"IP_ADAPTER_REGISTER_ADAPTER_SUFFIX","features":[447]},{"name":"IP_ADAPTER_UNICAST_ADDRESS_LH","features":[447,321]},{"name":"IP_ADAPTER_UNICAST_ADDRESS_XP","features":[447,321]},{"name":"IP_ADAPTER_WINS_SERVER_ADDRESS_LH","features":[447,321]},{"name":"IP_ADDRESS_PREFIX","features":[447,321]},{"name":"IP_ADDRESS_STRING","features":[447]},{"name":"IP_ADDRROW","features":[447]},{"name":"IP_ADDRTABLE","features":[447]},{"name":"IP_ADDR_ADDED","features":[447]},{"name":"IP_ADDR_DELETED","features":[447]},{"name":"IP_ADDR_STRING","features":[447]},{"name":"IP_BAD_DESTINATION","features":[447]},{"name":"IP_BAD_HEADER","features":[447]},{"name":"IP_BAD_OPTION","features":[447]},{"name":"IP_BAD_REQ","features":[447]},{"name":"IP_BAD_ROUTE","features":[447]},{"name":"IP_BIND_ADAPTER","features":[447]},{"name":"IP_BUF_TOO_SMALL","features":[447]},{"name":"IP_DEMAND_DIAL_FILTER_INFO","features":[447]},{"name":"IP_DEMAND_DIAL_FILTER_INFO_V6","features":[447]},{"name":"IP_DEST_ADDR_UNREACHABLE","features":[447]},{"name":"IP_DEST_HOST_UNREACHABLE","features":[447]},{"name":"IP_DEST_NET_UNREACHABLE","features":[447]},{"name":"IP_DEST_NO_ROUTE","features":[447]},{"name":"IP_DEST_PORT_UNREACHABLE","features":[447]},{"name":"IP_DEST_PROHIBITED","features":[447]},{"name":"IP_DEST_PROT_UNREACHABLE","features":[447]},{"name":"IP_DEST_SCOPE_MISMATCH","features":[447]},{"name":"IP_DEST_UNREACHABLE","features":[447]},{"name":"IP_DEVICE_DOES_NOT_EXIST","features":[447]},{"name":"IP_DUPLICATE_ADDRESS","features":[447]},{"name":"IP_DUPLICATE_IPADD","features":[447]},{"name":"IP_EXPORT_INCLUDED","features":[447]},{"name":"IP_FILTER_ENABLE_INFO","features":[447]},{"name":"IP_FILTER_ENABLE_INFO_V6","features":[447]},{"name":"IP_FLAG_DF","features":[447]},{"name":"IP_FLAG_REVERSE","features":[447]},{"name":"IP_FORWARDNUMBER","features":[447]},{"name":"IP_FORWARDROW","features":[447]},{"name":"IP_FORWARDTABLE","features":[447]},{"name":"IP_GENERAL_FAILURE","features":[447]},{"name":"IP_GENERAL_INFO_BASE","features":[447]},{"name":"IP_GLOBAL_INFO","features":[447]},{"name":"IP_HOP_LIMIT_EXCEEDED","features":[447]},{"name":"IP_HW_ERROR","features":[447]},{"name":"IP_ICMP_ERROR","features":[447]},{"name":"IP_IFFILTER_INFO","features":[447]},{"name":"IP_IFFILTER_INFO_V6","features":[447]},{"name":"IP_INTERFACE_INFO","features":[447]},{"name":"IP_INTERFACE_METRIC_CHANGE","features":[447]},{"name":"IP_INTERFACE_NAME_INFO_W2KSP1","features":[447]},{"name":"IP_INTERFACE_STATUS_INFO","features":[447]},{"name":"IP_INTERFACE_WOL_CAPABILITY_CHANGE","features":[447]},{"name":"IP_IN_FILTER_INFO","features":[447]},{"name":"IP_IN_FILTER_INFO_V6","features":[447]},{"name":"IP_IPINIP_CFG_INFO","features":[447]},{"name":"IP_MCAST_BOUNDARY_INFO","features":[447]},{"name":"IP_MCAST_COUNTER_INFO","features":[447]},{"name":"IP_MCAST_HEARBEAT_INFO","features":[447]},{"name":"IP_MCAST_LIMIT_INFO","features":[447]},{"name":"IP_MEDIA_CONNECT","features":[447]},{"name":"IP_MEDIA_DISCONNECT","features":[447]},{"name":"IP_MTU_CHANGE","features":[447]},{"name":"IP_NEGOTIATING_IPSEC","features":[447]},{"name":"IP_NETROW","features":[447]},{"name":"IP_NETTABLE","features":[447]},{"name":"IP_NO_RESOURCES","features":[447]},{"name":"IP_OPTION_INFORMATION","features":[447]},{"name":"IP_OPTION_INFORMATION32","features":[447]},{"name":"IP_OPTION_TOO_BIG","features":[447]},{"name":"IP_OUT_FILTER_INFO","features":[447]},{"name":"IP_OUT_FILTER_INFO_V6","features":[447]},{"name":"IP_PACKET_TOO_BIG","features":[447]},{"name":"IP_PARAMETER_PROBLEM","features":[447]},{"name":"IP_PARAM_PROBLEM","features":[447]},{"name":"IP_PENDING","features":[447]},{"name":"IP_PER_ADAPTER_INFO_W2KSP1","features":[447]},{"name":"IP_PROT_PRIORITY_INFO","features":[447]},{"name":"IP_PROT_PRIORITY_INFO_EX","features":[447]},{"name":"IP_REASSEMBLY_TIME_EXCEEDED","features":[447]},{"name":"IP_RECONFIG_SECFLTR","features":[447]},{"name":"IP_REQ_TIMED_OUT","features":[447]},{"name":"IP_ROUTER_DISC_INFO","features":[447]},{"name":"IP_ROUTER_MANAGER_VERSION","features":[447]},{"name":"IP_ROUTE_INFO","features":[447]},{"name":"IP_SOURCE_QUENCH","features":[447]},{"name":"IP_SPEC_MTU_CHANGE","features":[447]},{"name":"IP_STATS","features":[447]},{"name":"IP_STATUS_BASE","features":[447]},{"name":"IP_SUCCESS","features":[447]},{"name":"IP_TIME_EXCEEDED","features":[447]},{"name":"IP_TTL_EXPIRED_REASSEM","features":[447]},{"name":"IP_TTL_EXPIRED_TRANSIT","features":[447]},{"name":"IP_UNBIND_ADAPTER","features":[447]},{"name":"IP_UNIDIRECTIONAL_ADAPTER_ADDRESS","features":[447]},{"name":"IP_UNLOAD","features":[447]},{"name":"IP_UNRECOGNIZED_NEXT_HEADER","features":[447]},{"name":"Icmp6CreateFile","features":[308,447]},{"name":"Icmp6ParseReplies","features":[447]},{"name":"Icmp6SendEcho2","features":[308,447,321,313]},{"name":"IcmpCloseHandle","features":[308,447]},{"name":"IcmpCreateFile","features":[308,447]},{"name":"IcmpParseReplies","features":[447]},{"name":"IcmpSendEcho","features":[308,447]},{"name":"IcmpSendEcho2","features":[308,447,313]},{"name":"IcmpSendEcho2Ex","features":[308,447,313]},{"name":"InitializeIpForwardEntry","features":[308,447,322,321]},{"name":"InitializeIpInterfaceEntry","features":[308,447,322,321]},{"name":"InitializeUnicastIpAddressEntry","features":[308,447,322,321]},{"name":"IpReleaseAddress","features":[447]},{"name":"IpRenewAddress","features":[447]},{"name":"LB_DST_ADDR_USE_DSTADDR_FLAG","features":[447]},{"name":"LB_DST_ADDR_USE_SRCADDR_FLAG","features":[447]},{"name":"LB_DST_MASK_LATE_FLAG","features":[447]},{"name":"LB_SRC_ADDR_USE_DSTADDR_FLAG","features":[447]},{"name":"LB_SRC_ADDR_USE_SRCADDR_FLAG","features":[447]},{"name":"LB_SRC_MASK_LATE_FLAG","features":[447]},{"name":"LookupPersistentTcpPortReservation","features":[447]},{"name":"LookupPersistentUdpPortReservation","features":[447]},{"name":"MAXLEN_IFDESCR","features":[447]},{"name":"MAXLEN_PHYSADDR","features":[447]},{"name":"MAX_ADAPTER_ADDRESS_LENGTH","features":[447]},{"name":"MAX_ADAPTER_DESCRIPTION_LENGTH","features":[447]},{"name":"MAX_ADAPTER_NAME","features":[447]},{"name":"MAX_ADAPTER_NAME_LENGTH","features":[447]},{"name":"MAX_DHCPV6_DUID_LENGTH","features":[447]},{"name":"MAX_DNS_SUFFIX_STRING_LENGTH","features":[447]},{"name":"MAX_DOMAIN_NAME_LEN","features":[447]},{"name":"MAX_HOSTNAME_LEN","features":[447]},{"name":"MAX_IF_TYPE","features":[447]},{"name":"MAX_INTERFACE_NAME_LEN","features":[447]},{"name":"MAX_IP_STATUS","features":[447]},{"name":"MAX_MIB_OFFSET","features":[447]},{"name":"MAX_OPT_SIZE","features":[447]},{"name":"MAX_SCOPE_ID_LEN","features":[447]},{"name":"MAX_SCOPE_NAME_LEN","features":[447]},{"name":"MCAST_BOUNDARY","features":[447]},{"name":"MCAST_GLOBAL","features":[447]},{"name":"MCAST_IF_ENTRY","features":[447]},{"name":"MCAST_MFE","features":[447]},{"name":"MCAST_MFE_STATS","features":[447]},{"name":"MCAST_MFE_STATS_EX","features":[447]},{"name":"MCAST_SCOPE","features":[447]},{"name":"MIBICMPINFO","features":[447]},{"name":"MIBICMPSTATS","features":[447]},{"name":"MIBICMPSTATS_EX_XPSP1","features":[447]},{"name":"MIB_ANYCASTIPADDRESS_ROW","features":[447,322,321]},{"name":"MIB_ANYCASTIPADDRESS_TABLE","features":[447,322,321]},{"name":"MIB_BEST_IF","features":[447]},{"name":"MIB_BOUNDARYROW","features":[447]},{"name":"MIB_ICMP","features":[447]},{"name":"MIB_ICMP_EX_XPSP1","features":[447]},{"name":"MIB_IFNUMBER","features":[447]},{"name":"MIB_IFROW","features":[447]},{"name":"MIB_IFSTACK_ROW","features":[447]},{"name":"MIB_IFSTACK_TABLE","features":[447]},{"name":"MIB_IFSTATUS","features":[308,447]},{"name":"MIB_IFTABLE","features":[447]},{"name":"MIB_IF_ADMIN_STATUS_DOWN","features":[447]},{"name":"MIB_IF_ADMIN_STATUS_TESTING","features":[447]},{"name":"MIB_IF_ADMIN_STATUS_UP","features":[447]},{"name":"MIB_IF_ENTRY_LEVEL","features":[447]},{"name":"MIB_IF_ROW2","features":[447,322]},{"name":"MIB_IF_TABLE2","features":[447,322]},{"name":"MIB_IF_TABLE_LEVEL","features":[447]},{"name":"MIB_IF_TYPE_ETHERNET","features":[447]},{"name":"MIB_IF_TYPE_FDDI","features":[447]},{"name":"MIB_IF_TYPE_LOOPBACK","features":[447]},{"name":"MIB_IF_TYPE_OTHER","features":[447]},{"name":"MIB_IF_TYPE_PPP","features":[447]},{"name":"MIB_IF_TYPE_SLIP","features":[447]},{"name":"MIB_IF_TYPE_TOKENRING","features":[447]},{"name":"MIB_INVALID_TEREDO_PORT_NUMBER","features":[447]},{"name":"MIB_INVERTEDIFSTACK_ROW","features":[447]},{"name":"MIB_INVERTEDIFSTACK_TABLE","features":[447]},{"name":"MIB_IPADDRROW_W2K","features":[447]},{"name":"MIB_IPADDRROW_XP","features":[447]},{"name":"MIB_IPADDRTABLE","features":[447]},{"name":"MIB_IPADDR_DELETED","features":[447]},{"name":"MIB_IPADDR_DISCONNECTED","features":[447]},{"name":"MIB_IPADDR_DNS_ELIGIBLE","features":[447]},{"name":"MIB_IPADDR_DYNAMIC","features":[447]},{"name":"MIB_IPADDR_PRIMARY","features":[447]},{"name":"MIB_IPADDR_TRANSIENT","features":[447]},{"name":"MIB_IPDESTROW","features":[447,321]},{"name":"MIB_IPDESTTABLE","features":[447,321]},{"name":"MIB_IPFORWARDNUMBER","features":[447]},{"name":"MIB_IPFORWARDROW","features":[447,321]},{"name":"MIB_IPFORWARDTABLE","features":[447,321]},{"name":"MIB_IPFORWARD_ROW2","features":[308,447,322,321]},{"name":"MIB_IPFORWARD_TABLE2","features":[308,447,322,321]},{"name":"MIB_IPFORWARD_TYPE","features":[447]},{"name":"MIB_IPINTERFACE_ROW","features":[308,447,322,321]},{"name":"MIB_IPINTERFACE_TABLE","features":[308,447,322,321]},{"name":"MIB_IPMCAST_BOUNDARY","features":[447]},{"name":"MIB_IPMCAST_BOUNDARY_TABLE","features":[447]},{"name":"MIB_IPMCAST_GLOBAL","features":[447]},{"name":"MIB_IPMCAST_IF_ENTRY","features":[447]},{"name":"MIB_IPMCAST_IF_TABLE","features":[447]},{"name":"MIB_IPMCAST_MFE","features":[447]},{"name":"MIB_IPMCAST_MFE_STATS","features":[447]},{"name":"MIB_IPMCAST_MFE_STATS_EX_XP","features":[447]},{"name":"MIB_IPMCAST_OIF_STATS_LH","features":[447]},{"name":"MIB_IPMCAST_OIF_STATS_W2K","features":[447]},{"name":"MIB_IPMCAST_OIF_W2K","features":[447]},{"name":"MIB_IPMCAST_OIF_XP","features":[447]},{"name":"MIB_IPMCAST_SCOPE","features":[447]},{"name":"MIB_IPNETROW_LH","features":[447]},{"name":"MIB_IPNETROW_W2K","features":[447]},{"name":"MIB_IPNETTABLE","features":[447]},{"name":"MIB_IPNET_ROW2","features":[447,322,321]},{"name":"MIB_IPNET_TABLE2","features":[447,322,321]},{"name":"MIB_IPNET_TYPE","features":[447]},{"name":"MIB_IPNET_TYPE_DYNAMIC","features":[447]},{"name":"MIB_IPNET_TYPE_INVALID","features":[447]},{"name":"MIB_IPNET_TYPE_OTHER","features":[447]},{"name":"MIB_IPNET_TYPE_STATIC","features":[447]},{"name":"MIB_IPPATH_ROW","features":[308,447,322,321]},{"name":"MIB_IPPATH_TABLE","features":[308,447,322,321]},{"name":"MIB_IPROUTE_METRIC_UNUSED","features":[447]},{"name":"MIB_IPROUTE_TYPE_DIRECT","features":[447]},{"name":"MIB_IPROUTE_TYPE_INDIRECT","features":[447]},{"name":"MIB_IPROUTE_TYPE_INVALID","features":[447]},{"name":"MIB_IPROUTE_TYPE_OTHER","features":[447]},{"name":"MIB_IPSTATS_FORWARDING","features":[447]},{"name":"MIB_IPSTATS_LH","features":[447]},{"name":"MIB_IPSTATS_W2K","features":[447]},{"name":"MIB_IP_FORWARDING","features":[447]},{"name":"MIB_IP_NETWORK_CONNECTION_BANDWIDTH_ESTIMATES","features":[308,447,321]},{"name":"MIB_IP_NOT_FORWARDING","features":[447]},{"name":"MIB_MCAST_LIMIT_ROW","features":[447]},{"name":"MIB_MFE_STATS_TABLE","features":[447]},{"name":"MIB_MFE_STATS_TABLE_EX_XP","features":[447]},{"name":"MIB_MFE_TABLE","features":[447]},{"name":"MIB_MULTICASTIPADDRESS_ROW","features":[447,322,321]},{"name":"MIB_MULTICASTIPADDRESS_TABLE","features":[447,322,321]},{"name":"MIB_NOTIFICATION_TYPE","features":[447]},{"name":"MIB_OPAQUE_INFO","features":[447]},{"name":"MIB_OPAQUE_QUERY","features":[447]},{"name":"MIB_PROXYARP","features":[447]},{"name":"MIB_ROUTESTATE","features":[308,447]},{"name":"MIB_TCP6ROW","features":[447,321]},{"name":"MIB_TCP6ROW2","features":[447,321]},{"name":"MIB_TCP6ROW_OWNER_MODULE","features":[447]},{"name":"MIB_TCP6ROW_OWNER_PID","features":[447]},{"name":"MIB_TCP6TABLE","features":[447,321]},{"name":"MIB_TCP6TABLE2","features":[447,321]},{"name":"MIB_TCP6TABLE_OWNER_MODULE","features":[447]},{"name":"MIB_TCP6TABLE_OWNER_PID","features":[447]},{"name":"MIB_TCPROW2","features":[447]},{"name":"MIB_TCPROW_LH","features":[447]},{"name":"MIB_TCPROW_OWNER_MODULE","features":[447]},{"name":"MIB_TCPROW_OWNER_PID","features":[447]},{"name":"MIB_TCPROW_W2K","features":[447]},{"name":"MIB_TCPSTATS2","features":[447]},{"name":"MIB_TCPSTATS_LH","features":[447]},{"name":"MIB_TCPSTATS_W2K","features":[447]},{"name":"MIB_TCPTABLE","features":[447]},{"name":"MIB_TCPTABLE2","features":[447]},{"name":"MIB_TCPTABLE_OWNER_MODULE","features":[447]},{"name":"MIB_TCPTABLE_OWNER_PID","features":[447]},{"name":"MIB_TCP_RTO_CONSTANT","features":[447]},{"name":"MIB_TCP_RTO_OTHER","features":[447]},{"name":"MIB_TCP_RTO_RSRE","features":[447]},{"name":"MIB_TCP_RTO_VANJ","features":[447]},{"name":"MIB_TCP_STATE","features":[447]},{"name":"MIB_TCP_STATE_CLOSED","features":[447]},{"name":"MIB_TCP_STATE_CLOSE_WAIT","features":[447]},{"name":"MIB_TCP_STATE_CLOSING","features":[447]},{"name":"MIB_TCP_STATE_DELETE_TCB","features":[447]},{"name":"MIB_TCP_STATE_ESTAB","features":[447]},{"name":"MIB_TCP_STATE_FIN_WAIT1","features":[447]},{"name":"MIB_TCP_STATE_FIN_WAIT2","features":[447]},{"name":"MIB_TCP_STATE_LAST_ACK","features":[447]},{"name":"MIB_TCP_STATE_LISTEN","features":[447]},{"name":"MIB_TCP_STATE_RESERVED","features":[447]},{"name":"MIB_TCP_STATE_SYN_RCVD","features":[447]},{"name":"MIB_TCP_STATE_SYN_SENT","features":[447]},{"name":"MIB_TCP_STATE_TIME_WAIT","features":[447]},{"name":"MIB_UDP6ROW","features":[447,321]},{"name":"MIB_UDP6ROW2","features":[447]},{"name":"MIB_UDP6ROW_OWNER_MODULE","features":[447]},{"name":"MIB_UDP6ROW_OWNER_PID","features":[447]},{"name":"MIB_UDP6TABLE","features":[447,321]},{"name":"MIB_UDP6TABLE2","features":[447]},{"name":"MIB_UDP6TABLE_OWNER_MODULE","features":[447]},{"name":"MIB_UDP6TABLE_OWNER_PID","features":[447]},{"name":"MIB_UDPROW","features":[447]},{"name":"MIB_UDPROW2","features":[447]},{"name":"MIB_UDPROW_OWNER_MODULE","features":[447]},{"name":"MIB_UDPROW_OWNER_PID","features":[447]},{"name":"MIB_UDPSTATS","features":[447]},{"name":"MIB_UDPSTATS2","features":[447]},{"name":"MIB_UDPTABLE","features":[447]},{"name":"MIB_UDPTABLE2","features":[447]},{"name":"MIB_UDPTABLE_OWNER_MODULE","features":[447]},{"name":"MIB_UDPTABLE_OWNER_PID","features":[447]},{"name":"MIB_UNICASTIPADDRESS_ROW","features":[308,447,322,321]},{"name":"MIB_UNICASTIPADDRESS_TABLE","features":[308,447,322,321]},{"name":"MIB_USE_CURRENT_FORWARDING","features":[447]},{"name":"MIB_USE_CURRENT_TTL","features":[447]},{"name":"MIN_IF_TYPE","features":[447]},{"name":"MIXED_NODETYPE","features":[447]},{"name":"MibAddInstance","features":[447]},{"name":"MibDeleteInstance","features":[447]},{"name":"MibIfEntryNormal","features":[447]},{"name":"MibIfEntryNormalWithoutStatistics","features":[447]},{"name":"MibIfTableNormal","features":[447]},{"name":"MibIfTableNormalWithoutStatistics","features":[447]},{"name":"MibIfTableRaw","features":[447]},{"name":"MibInitialNotification","features":[447]},{"name":"MibParameterNotification","features":[447]},{"name":"ND_NEIGHBOR_ADVERT","features":[447]},{"name":"ND_NEIGHBOR_SOLICIT","features":[447]},{"name":"ND_REDIRECT","features":[447]},{"name":"ND_ROUTER_ADVERT","features":[447]},{"name":"ND_ROUTER_SOLICIT","features":[447]},{"name":"NET_ADDRESS_DNS_NAME","features":[447]},{"name":"NET_ADDRESS_FORMAT","features":[447]},{"name":"NET_ADDRESS_FORMAT_UNSPECIFIED","features":[447]},{"name":"NET_ADDRESS_INFO","features":[447,321]},{"name":"NET_ADDRESS_IPV4","features":[447]},{"name":"NET_ADDRESS_IPV6","features":[447]},{"name":"NET_STRING_IPV4_ADDRESS","features":[447]},{"name":"NET_STRING_IPV4_NETWORK","features":[447]},{"name":"NET_STRING_IPV4_SERVICE","features":[447]},{"name":"NET_STRING_IPV6_ADDRESS","features":[447]},{"name":"NET_STRING_IPV6_ADDRESS_NO_SCOPE","features":[447]},{"name":"NET_STRING_IPV6_NETWORK","features":[447]},{"name":"NET_STRING_IPV6_SERVICE","features":[447]},{"name":"NET_STRING_IPV6_SERVICE_NO_SCOPE","features":[447]},{"name":"NET_STRING_NAMED_ADDRESS","features":[447]},{"name":"NET_STRING_NAMED_SERVICE","features":[447]},{"name":"NUMBER_OF_EXPORTED_VARIABLES","features":[447]},{"name":"NhpAllocateAndGetInterfaceInfoFromStack","features":[308,447]},{"name":"NotifyAddrChange","features":[308,447,313]},{"name":"NotifyIfTimestampConfigChange","features":[447]},{"name":"NotifyIpInterfaceChange","features":[308,447,322,321]},{"name":"NotifyNetworkConnectivityHintChange","features":[308,447,321]},{"name":"NotifyRouteChange","features":[308,447,313]},{"name":"NotifyRouteChange2","features":[308,447,322,321]},{"name":"NotifyStableUnicastIpAddressTable","features":[308,447,322,321]},{"name":"NotifyTeredoPortChange","features":[308,447]},{"name":"NotifyUnicastIpAddressChange","features":[308,447,322,321]},{"name":"PEER_TO_PEER_NODETYPE","features":[447]},{"name":"PFADDRESSTYPE","features":[447]},{"name":"PFERROR_BUFFER_TOO_SMALL","features":[447]},{"name":"PFERROR_NO_FILTERS_GIVEN","features":[447]},{"name":"PFERROR_NO_PF_INTERFACE","features":[447]},{"name":"PFFORWARD_ACTION","features":[447]},{"name":"PFFRAMETYPE","features":[447]},{"name":"PFFT_FILTER","features":[447]},{"name":"PFFT_FRAG","features":[447]},{"name":"PFFT_SPOOF","features":[447]},{"name":"PFLOGFRAME","features":[447]},{"name":"PF_ACTION_DROP","features":[447]},{"name":"PF_ACTION_FORWARD","features":[447]},{"name":"PF_FILTER_DESCRIPTOR","features":[447]},{"name":"PF_FILTER_STATS","features":[447]},{"name":"PF_INTERFACE_STATS","features":[447]},{"name":"PF_IPV4","features":[447]},{"name":"PF_IPV6","features":[447]},{"name":"PF_LATEBIND_INFO","features":[447]},{"name":"PINTERFACE_TIMESTAMP_CONFIG_CHANGE_CALLBACK","features":[447]},{"name":"PIPFORWARD_CHANGE_CALLBACK","features":[308,447,322,321]},{"name":"PIPINTERFACE_CHANGE_CALLBACK","features":[308,447,322,321]},{"name":"PNETWORK_CONNECTIVITY_HINT_CHANGE_CALLBACK","features":[308,447,321]},{"name":"PROXY_ARP","features":[447]},{"name":"PSTABLE_UNICAST_IPADDRESS_TABLE_CALLBACK","features":[308,447,322,321]},{"name":"PTEREDO_PORT_CHANGE_CALLBACK","features":[447]},{"name":"PUNICAST_IPADDRESS_CHANGE_CALLBACK","features":[308,447,322,321]},{"name":"ParseNetworkString","features":[447,321]},{"name":"PfAddFiltersToInterface","features":[447]},{"name":"PfAddGlobalFilterToInterface","features":[447]},{"name":"PfBindInterfaceToIPAddress","features":[447]},{"name":"PfBindInterfaceToIndex","features":[447]},{"name":"PfCreateInterface","features":[308,447]},{"name":"PfDeleteInterface","features":[447]},{"name":"PfDeleteLog","features":[447]},{"name":"PfGetInterfaceStatistics","features":[308,447]},{"name":"PfMakeLog","features":[308,447]},{"name":"PfRebindFilters","features":[447]},{"name":"PfRemoveFilterHandles","features":[447]},{"name":"PfRemoveFiltersFromInterface","features":[447]},{"name":"PfRemoveGlobalFilterFromInterface","features":[447]},{"name":"PfSetLogBuffer","features":[447]},{"name":"PfTestPacket","features":[447]},{"name":"PfUnBindInterface","features":[447]},{"name":"ROUTE_LONGER","features":[447]},{"name":"ROUTE_MATCHING","features":[447]},{"name":"ROUTE_SHORTER","features":[447]},{"name":"ROUTE_STATE","features":[447]},{"name":"RegisterInterfaceTimestampConfigChange","features":[447]},{"name":"ResolveIpNetEntry2","features":[308,447,322,321]},{"name":"ResolveNeighbor","features":[447,321]},{"name":"RestoreMediaSense","features":[308,447,313]},{"name":"SendARP","features":[447]},{"name":"SetCurrentThreadCompartmentId","features":[308,447]},{"name":"SetCurrentThreadCompartmentScope","features":[308,447]},{"name":"SetDnsSettings","features":[308,447]},{"name":"SetIfEntry","features":[447]},{"name":"SetInterfaceDnsSettings","features":[308,447]},{"name":"SetIpForwardEntry","features":[447,321]},{"name":"SetIpForwardEntry2","features":[308,447,322,321]},{"name":"SetIpInterfaceEntry","features":[308,447,322,321]},{"name":"SetIpNetEntry","features":[447]},{"name":"SetIpNetEntry2","features":[308,447,322,321]},{"name":"SetIpStatistics","features":[447]},{"name":"SetIpStatisticsEx","features":[447]},{"name":"SetIpTTL","features":[447]},{"name":"SetJobCompartmentId","features":[308,447]},{"name":"SetNetworkInformation","features":[308,447]},{"name":"SetPerTcp6ConnectionEStats","features":[447,321]},{"name":"SetPerTcpConnectionEStats","features":[447]},{"name":"SetSessionCompartmentId","features":[308,447]},{"name":"SetTcpEntry","features":[447]},{"name":"SetUnicastIpAddressEntry","features":[308,447,322,321]},{"name":"TCP6_STATS","features":[447]},{"name":"TCPIP_OWNER_MODULE_BASIC_INFO","features":[447]},{"name":"TCPIP_OWNER_MODULE_INFO_BASIC","features":[447]},{"name":"TCPIP_OWNER_MODULE_INFO_CLASS","features":[447]},{"name":"TCPIP_OWNING_MODULE_SIZE","features":[447]},{"name":"TCP_BOOLEAN_OPTIONAL","features":[447]},{"name":"TCP_CONNECTION_OFFLOAD_STATE","features":[447]},{"name":"TCP_ESTATS_BANDWIDTH_ROD_v0","features":[308,447]},{"name":"TCP_ESTATS_BANDWIDTH_RW_v0","features":[447]},{"name":"TCP_ESTATS_DATA_ROD_v0","features":[447]},{"name":"TCP_ESTATS_DATA_RW_v0","features":[308,447]},{"name":"TCP_ESTATS_FINE_RTT_ROD_v0","features":[447]},{"name":"TCP_ESTATS_FINE_RTT_RW_v0","features":[308,447]},{"name":"TCP_ESTATS_OBS_REC_ROD_v0","features":[447]},{"name":"TCP_ESTATS_OBS_REC_RW_v0","features":[308,447]},{"name":"TCP_ESTATS_PATH_ROD_v0","features":[447]},{"name":"TCP_ESTATS_PATH_RW_v0","features":[308,447]},{"name":"TCP_ESTATS_REC_ROD_v0","features":[447]},{"name":"TCP_ESTATS_REC_RW_v0","features":[308,447]},{"name":"TCP_ESTATS_SEND_BUFF_ROD_v0","features":[447]},{"name":"TCP_ESTATS_SEND_BUFF_RW_v0","features":[308,447]},{"name":"TCP_ESTATS_SND_CONG_ROD_v0","features":[447]},{"name":"TCP_ESTATS_SND_CONG_ROS_v0","features":[447]},{"name":"TCP_ESTATS_SND_CONG_RW_v0","features":[308,447]},{"name":"TCP_ESTATS_SYN_OPTS_ROS_v0","features":[308,447]},{"name":"TCP_ESTATS_TYPE","features":[447]},{"name":"TCP_RESERVE_PORT_RANGE","features":[447]},{"name":"TCP_ROW","features":[447]},{"name":"TCP_RTO_ALGORITHM","features":[447]},{"name":"TCP_SOFT_ERROR","features":[447]},{"name":"TCP_STATS","features":[447]},{"name":"TCP_TABLE","features":[447]},{"name":"TCP_TABLE_BASIC_ALL","features":[447]},{"name":"TCP_TABLE_BASIC_CONNECTIONS","features":[447]},{"name":"TCP_TABLE_BASIC_LISTENER","features":[447]},{"name":"TCP_TABLE_CLASS","features":[447]},{"name":"TCP_TABLE_OWNER_MODULE_ALL","features":[447]},{"name":"TCP_TABLE_OWNER_MODULE_CONNECTIONS","features":[447]},{"name":"TCP_TABLE_OWNER_MODULE_LISTENER","features":[447]},{"name":"TCP_TABLE_OWNER_PID_ALL","features":[447]},{"name":"TCP_TABLE_OWNER_PID_CONNECTIONS","features":[447]},{"name":"TCP_TABLE_OWNER_PID_LISTENER","features":[447]},{"name":"TcpBoolOptDisabled","features":[447]},{"name":"TcpBoolOptEnabled","features":[447]},{"name":"TcpBoolOptUnchanged","features":[447]},{"name":"TcpConnectionEstatsBandwidth","features":[447]},{"name":"TcpConnectionEstatsData","features":[447]},{"name":"TcpConnectionEstatsFineRtt","features":[447]},{"name":"TcpConnectionEstatsMaximum","features":[447]},{"name":"TcpConnectionEstatsObsRec","features":[447]},{"name":"TcpConnectionEstatsPath","features":[447]},{"name":"TcpConnectionEstatsRec","features":[447]},{"name":"TcpConnectionEstatsSendBuff","features":[447]},{"name":"TcpConnectionEstatsSndCong","features":[447]},{"name":"TcpConnectionEstatsSynOpts","features":[447]},{"name":"TcpConnectionOffloadStateInHost","features":[447]},{"name":"TcpConnectionOffloadStateMax","features":[447]},{"name":"TcpConnectionOffloadStateOffloaded","features":[447]},{"name":"TcpConnectionOffloadStateOffloading","features":[447]},{"name":"TcpConnectionOffloadStateUploading","features":[447]},{"name":"TcpErrorAboveAckWindow","features":[447]},{"name":"TcpErrorAboveDataWindow","features":[447]},{"name":"TcpErrorAboveTsWindow","features":[447]},{"name":"TcpErrorBelowAckWindow","features":[447]},{"name":"TcpErrorBelowDataWindow","features":[447]},{"name":"TcpErrorBelowTsWindow","features":[447]},{"name":"TcpErrorDataChecksumError","features":[447]},{"name":"TcpErrorDataLengthError","features":[447]},{"name":"TcpErrorMaxSoftError","features":[447]},{"name":"TcpErrorNone","features":[447]},{"name":"TcpRtoAlgorithmConstant","features":[447]},{"name":"TcpRtoAlgorithmOther","features":[447]},{"name":"TcpRtoAlgorithmRsre","features":[447]},{"name":"TcpRtoAlgorithmVanj","features":[447]},{"name":"UDP6_STATS","features":[447]},{"name":"UDP_ROW","features":[447]},{"name":"UDP_STATS","features":[447]},{"name":"UDP_TABLE","features":[447]},{"name":"UDP_TABLE_BASIC","features":[447]},{"name":"UDP_TABLE_CLASS","features":[447]},{"name":"UDP_TABLE_OWNER_MODULE","features":[447]},{"name":"UDP_TABLE_OWNER_PID","features":[447]},{"name":"UnenableRouter","features":[308,447,313]},{"name":"UnregisterInterfaceTimestampConfigChange","features":[447]},{"name":"if_indextoname","features":[447]},{"name":"if_nametoindex","features":[447]}],"447":[{"name":"IDummyMBNUCMExt","features":[448,359]},{"name":"IMbnConnection","features":[448]},{"name":"IMbnConnectionContext","features":[448]},{"name":"IMbnConnectionContextEvents","features":[448]},{"name":"IMbnConnectionEvents","features":[448]},{"name":"IMbnConnectionManager","features":[448]},{"name":"IMbnConnectionManagerEvents","features":[448]},{"name":"IMbnConnectionProfile","features":[448]},{"name":"IMbnConnectionProfileEvents","features":[448]},{"name":"IMbnConnectionProfileManager","features":[448]},{"name":"IMbnConnectionProfileManagerEvents","features":[448]},{"name":"IMbnDeviceService","features":[448]},{"name":"IMbnDeviceServiceStateEvents","features":[448]},{"name":"IMbnDeviceServicesContext","features":[448]},{"name":"IMbnDeviceServicesEvents","features":[448]},{"name":"IMbnDeviceServicesManager","features":[448]},{"name":"IMbnInterface","features":[448]},{"name":"IMbnInterfaceEvents","features":[448]},{"name":"IMbnInterfaceManager","features":[448]},{"name":"IMbnInterfaceManagerEvents","features":[448]},{"name":"IMbnMultiCarrier","features":[448]},{"name":"IMbnMultiCarrierEvents","features":[448]},{"name":"IMbnPin","features":[448]},{"name":"IMbnPinEvents","features":[448]},{"name":"IMbnPinManager","features":[448]},{"name":"IMbnPinManagerEvents","features":[448]},{"name":"IMbnRadio","features":[448]},{"name":"IMbnRadioEvents","features":[448]},{"name":"IMbnRegistration","features":[448]},{"name":"IMbnRegistrationEvents","features":[448]},{"name":"IMbnServiceActivation","features":[448]},{"name":"IMbnServiceActivationEvents","features":[448]},{"name":"IMbnSignal","features":[448]},{"name":"IMbnSignalEvents","features":[448]},{"name":"IMbnSms","features":[448]},{"name":"IMbnSmsConfiguration","features":[448]},{"name":"IMbnSmsEvents","features":[448]},{"name":"IMbnSmsReadMsgPdu","features":[448]},{"name":"IMbnSmsReadMsgTextCdma","features":[448]},{"name":"IMbnSubscriberInformation","features":[448]},{"name":"IMbnVendorSpecificEvents","features":[448]},{"name":"IMbnVendorSpecificOperation","features":[448]},{"name":"MBN_ACCESSSTRING_LEN","features":[448]},{"name":"MBN_ACTIVATION_STATE","features":[448]},{"name":"MBN_ACTIVATION_STATE_ACTIVATED","features":[448]},{"name":"MBN_ACTIVATION_STATE_ACTIVATING","features":[448]},{"name":"MBN_ACTIVATION_STATE_DEACTIVATED","features":[448]},{"name":"MBN_ACTIVATION_STATE_DEACTIVATING","features":[448]},{"name":"MBN_ACTIVATION_STATE_NONE","features":[448]},{"name":"MBN_ATTEMPTS_REMAINING_UNKNOWN","features":[448]},{"name":"MBN_AUTH_PROTOCOL","features":[448]},{"name":"MBN_AUTH_PROTOCOL_CHAP","features":[448]},{"name":"MBN_AUTH_PROTOCOL_MSCHAPV2","features":[448]},{"name":"MBN_AUTH_PROTOCOL_NONE","features":[448]},{"name":"MBN_AUTH_PROTOCOL_PAP","features":[448]},{"name":"MBN_BAND_CLASS","features":[448]},{"name":"MBN_BAND_CLASS_0","features":[448]},{"name":"MBN_BAND_CLASS_CUSTOM","features":[448]},{"name":"MBN_BAND_CLASS_I","features":[448]},{"name":"MBN_BAND_CLASS_II","features":[448]},{"name":"MBN_BAND_CLASS_III","features":[448]},{"name":"MBN_BAND_CLASS_IV","features":[448]},{"name":"MBN_BAND_CLASS_IX","features":[448]},{"name":"MBN_BAND_CLASS_NONE","features":[448]},{"name":"MBN_BAND_CLASS_V","features":[448]},{"name":"MBN_BAND_CLASS_VI","features":[448]},{"name":"MBN_BAND_CLASS_VII","features":[448]},{"name":"MBN_BAND_CLASS_VIII","features":[448]},{"name":"MBN_BAND_CLASS_X","features":[448]},{"name":"MBN_BAND_CLASS_XI","features":[448]},{"name":"MBN_BAND_CLASS_XII","features":[448]},{"name":"MBN_BAND_CLASS_XIII","features":[448]},{"name":"MBN_BAND_CLASS_XIV","features":[448]},{"name":"MBN_BAND_CLASS_XV","features":[448]},{"name":"MBN_BAND_CLASS_XVI","features":[448]},{"name":"MBN_BAND_CLASS_XVII","features":[448]},{"name":"MBN_CDMA_DEFAULT_PROVIDER_ID","features":[448]},{"name":"MBN_CDMA_SHORT_MSG_SIZE_MAX","features":[448]},{"name":"MBN_CDMA_SHORT_MSG_SIZE_UNKNOWN","features":[448]},{"name":"MBN_CELLULAR_CLASS","features":[448]},{"name":"MBN_CELLULAR_CLASS_CDMA","features":[448]},{"name":"MBN_CELLULAR_CLASS_GSM","features":[448]},{"name":"MBN_CELLULAR_CLASS_NONE","features":[448]},{"name":"MBN_COMPRESSION","features":[448]},{"name":"MBN_COMPRESSION_ENABLE","features":[448]},{"name":"MBN_COMPRESSION_NONE","features":[448]},{"name":"MBN_CONNECTION_MODE","features":[448]},{"name":"MBN_CONNECTION_MODE_PROFILE","features":[448]},{"name":"MBN_CONNECTION_MODE_TMP_PROFILE","features":[448]},{"name":"MBN_CONTEXT","features":[448]},{"name":"MBN_CONTEXT_CONSTANTS","features":[448]},{"name":"MBN_CONTEXT_ID_APPEND","features":[448]},{"name":"MBN_CONTEXT_TYPE","features":[448]},{"name":"MBN_CONTEXT_TYPE_CUSTOM","features":[448]},{"name":"MBN_CONTEXT_TYPE_INTERNET","features":[448]},{"name":"MBN_CONTEXT_TYPE_NONE","features":[448]},{"name":"MBN_CONTEXT_TYPE_PURCHASE","features":[448]},{"name":"MBN_CONTEXT_TYPE_VIDEO_SHARE","features":[448]},{"name":"MBN_CONTEXT_TYPE_VOICE","features":[448]},{"name":"MBN_CONTEXT_TYPE_VPN","features":[448]},{"name":"MBN_CTRL_CAPS","features":[448]},{"name":"MBN_CTRL_CAPS_CDMA_MOBILE_IP","features":[448]},{"name":"MBN_CTRL_CAPS_CDMA_SIMPLE_IP","features":[448]},{"name":"MBN_CTRL_CAPS_HW_RADIO_SWITCH","features":[448]},{"name":"MBN_CTRL_CAPS_MODEL_MULTI_CARRIER","features":[448]},{"name":"MBN_CTRL_CAPS_MULTI_MODE","features":[448]},{"name":"MBN_CTRL_CAPS_NONE","features":[448]},{"name":"MBN_CTRL_CAPS_PROTECT_UNIQUEID","features":[448]},{"name":"MBN_CTRL_CAPS_REG_MANUAL","features":[448]},{"name":"MBN_CTRL_CAPS_USSD","features":[448]},{"name":"MBN_DATA_CLASS","features":[448]},{"name":"MBN_DATA_CLASS_1XEVDO","features":[448]},{"name":"MBN_DATA_CLASS_1XEVDO_REVA","features":[448]},{"name":"MBN_DATA_CLASS_1XEVDO_REVB","features":[448]},{"name":"MBN_DATA_CLASS_1XEVDV","features":[448]},{"name":"MBN_DATA_CLASS_1XRTT","features":[448]},{"name":"MBN_DATA_CLASS_3XRTT","features":[448]},{"name":"MBN_DATA_CLASS_5G_NSA","features":[448]},{"name":"MBN_DATA_CLASS_5G_SA","features":[448]},{"name":"MBN_DATA_CLASS_CUSTOM","features":[448]},{"name":"MBN_DATA_CLASS_EDGE","features":[448]},{"name":"MBN_DATA_CLASS_GPRS","features":[448]},{"name":"MBN_DATA_CLASS_HSDPA","features":[448]},{"name":"MBN_DATA_CLASS_HSUPA","features":[448]},{"name":"MBN_DATA_CLASS_LTE","features":[448]},{"name":"MBN_DATA_CLASS_NONE","features":[448]},{"name":"MBN_DATA_CLASS_UMB","features":[448]},{"name":"MBN_DATA_CLASS_UMTS","features":[448]},{"name":"MBN_DEVICEID_LEN","features":[448]},{"name":"MBN_DEVICE_SERVICE","features":[308,448]},{"name":"MBN_DEVICE_SERVICES_CAPABLE_INTERFACE_ARRIVAL","features":[448]},{"name":"MBN_DEVICE_SERVICES_CAPABLE_INTERFACE_REMOVAL","features":[448]},{"name":"MBN_DEVICE_SERVICES_INTERFACE_STATE","features":[448]},{"name":"MBN_DEVICE_SERVICE_SESSIONS_RESTORED","features":[448]},{"name":"MBN_DEVICE_SERVICE_SESSIONS_STATE","features":[448]},{"name":"MBN_ERROR_RATE_UNKNOWN","features":[448]},{"name":"MBN_FIRMWARE_LEN","features":[448]},{"name":"MBN_INTERFACE_CAPS","features":[448]},{"name":"MBN_INTERFACE_CAPS_CONSTANTS","features":[448]},{"name":"MBN_MANUFACTURER_LEN","features":[448]},{"name":"MBN_MESSAGE_INDEX_NONE","features":[448]},{"name":"MBN_MODEL_LEN","features":[448]},{"name":"MBN_MSG_STATUS","features":[448]},{"name":"MBN_MSG_STATUS_DRAFT","features":[448]},{"name":"MBN_MSG_STATUS_NEW","features":[448]},{"name":"MBN_MSG_STATUS_OLD","features":[448]},{"name":"MBN_MSG_STATUS_SENT","features":[448]},{"name":"MBN_PASSWORD_LEN","features":[448]},{"name":"MBN_PIN_CONSTANTS","features":[448]},{"name":"MBN_PIN_FORMAT","features":[448]},{"name":"MBN_PIN_FORMAT_ALPHANUMERIC","features":[448]},{"name":"MBN_PIN_FORMAT_NONE","features":[448]},{"name":"MBN_PIN_FORMAT_NUMERIC","features":[448]},{"name":"MBN_PIN_INFO","features":[448]},{"name":"MBN_PIN_LENGTH_UNKNOWN","features":[448]},{"name":"MBN_PIN_MODE","features":[448]},{"name":"MBN_PIN_MODE_DISABLED","features":[448]},{"name":"MBN_PIN_MODE_ENABLED","features":[448]},{"name":"MBN_PIN_STATE","features":[448]},{"name":"MBN_PIN_STATE_ENTER","features":[448]},{"name":"MBN_PIN_STATE_NONE","features":[448]},{"name":"MBN_PIN_STATE_UNBLOCK","features":[448]},{"name":"MBN_PIN_TYPE","features":[448]},{"name":"MBN_PIN_TYPE_CORPORATE_PIN","features":[448]},{"name":"MBN_PIN_TYPE_CUSTOM","features":[448]},{"name":"MBN_PIN_TYPE_DEVICE_FIRST_SIM_PIN","features":[448]},{"name":"MBN_PIN_TYPE_DEVICE_SIM_PIN","features":[448]},{"name":"MBN_PIN_TYPE_NETWORK_PIN","features":[448]},{"name":"MBN_PIN_TYPE_NETWORK_SUBSET_PIN","features":[448]},{"name":"MBN_PIN_TYPE_NONE","features":[448]},{"name":"MBN_PIN_TYPE_PIN1","features":[448]},{"name":"MBN_PIN_TYPE_PIN2","features":[448]},{"name":"MBN_PIN_TYPE_SUBSIDY_LOCK","features":[448]},{"name":"MBN_PIN_TYPE_SVC_PROVIDER_PIN","features":[448]},{"name":"MBN_PROVIDER","features":[448]},{"name":"MBN_PROVIDER2","features":[448]},{"name":"MBN_PROVIDERID_LEN","features":[448]},{"name":"MBN_PROVIDERNAME_LEN","features":[448]},{"name":"MBN_PROVIDER_CONSTANTS","features":[448]},{"name":"MBN_PROVIDER_STATE","features":[448]},{"name":"MBN_PROVIDER_STATE_FORBIDDEN","features":[448]},{"name":"MBN_PROVIDER_STATE_HOME","features":[448]},{"name":"MBN_PROVIDER_STATE_NONE","features":[448]},{"name":"MBN_PROVIDER_STATE_PREFERRED","features":[448]},{"name":"MBN_PROVIDER_STATE_PREFERRED_MULTICARRIER","features":[448]},{"name":"MBN_PROVIDER_STATE_REGISTERED","features":[448]},{"name":"MBN_PROVIDER_STATE_VISIBLE","features":[448]},{"name":"MBN_RADIO","features":[448]},{"name":"MBN_RADIO_OFF","features":[448]},{"name":"MBN_RADIO_ON","features":[448]},{"name":"MBN_READY_STATE","features":[448]},{"name":"MBN_READY_STATE_BAD_SIM","features":[448]},{"name":"MBN_READY_STATE_DEVICE_BLOCKED","features":[448]},{"name":"MBN_READY_STATE_DEVICE_LOCKED","features":[448]},{"name":"MBN_READY_STATE_FAILURE","features":[448]},{"name":"MBN_READY_STATE_INITIALIZED","features":[448]},{"name":"MBN_READY_STATE_NOT_ACTIVATED","features":[448]},{"name":"MBN_READY_STATE_NO_ESIM_PROFILE","features":[448]},{"name":"MBN_READY_STATE_OFF","features":[448]},{"name":"MBN_READY_STATE_SIM_NOT_INSERTED","features":[448]},{"name":"MBN_REGISTER_MODE","features":[448]},{"name":"MBN_REGISTER_MODE_AUTOMATIC","features":[448]},{"name":"MBN_REGISTER_MODE_MANUAL","features":[448]},{"name":"MBN_REGISTER_MODE_NONE","features":[448]},{"name":"MBN_REGISTER_STATE","features":[448]},{"name":"MBN_REGISTER_STATE_DENIED","features":[448]},{"name":"MBN_REGISTER_STATE_DEREGISTERED","features":[448]},{"name":"MBN_REGISTER_STATE_HOME","features":[448]},{"name":"MBN_REGISTER_STATE_NONE","features":[448]},{"name":"MBN_REGISTER_STATE_PARTNER","features":[448]},{"name":"MBN_REGISTER_STATE_ROAMING","features":[448]},{"name":"MBN_REGISTER_STATE_SEARCHING","features":[448]},{"name":"MBN_REGISTRATION_CONSTANTS","features":[448]},{"name":"MBN_ROAMTEXT_LEN","features":[448]},{"name":"MBN_RSSI_DEFAULT","features":[448]},{"name":"MBN_RSSI_DISABLE","features":[448]},{"name":"MBN_RSSI_UNKNOWN","features":[448]},{"name":"MBN_SIGNAL_CONSTANTS","features":[448]},{"name":"MBN_SMS_CAPS","features":[448]},{"name":"MBN_SMS_CAPS_NONE","features":[448]},{"name":"MBN_SMS_CAPS_PDU_RECEIVE","features":[448]},{"name":"MBN_SMS_CAPS_PDU_SEND","features":[448]},{"name":"MBN_SMS_CAPS_TEXT_RECEIVE","features":[448]},{"name":"MBN_SMS_CAPS_TEXT_SEND","features":[448]},{"name":"MBN_SMS_CDMA_ENCODING","features":[448]},{"name":"MBN_SMS_CDMA_ENCODING_7BIT_ASCII","features":[448]},{"name":"MBN_SMS_CDMA_ENCODING_EPM","features":[448]},{"name":"MBN_SMS_CDMA_ENCODING_GSM_7BIT","features":[448]},{"name":"MBN_SMS_CDMA_ENCODING_IA5","features":[448]},{"name":"MBN_SMS_CDMA_ENCODING_KOREAN","features":[448]},{"name":"MBN_SMS_CDMA_ENCODING_LATIN","features":[448]},{"name":"MBN_SMS_CDMA_ENCODING_LATIN_HEBREW","features":[448]},{"name":"MBN_SMS_CDMA_ENCODING_OCTET","features":[448]},{"name":"MBN_SMS_CDMA_ENCODING_SHIFT_JIS","features":[448]},{"name":"MBN_SMS_CDMA_ENCODING_UNICODE","features":[448]},{"name":"MBN_SMS_CDMA_LANG","features":[448]},{"name":"MBN_SMS_CDMA_LANG_CHINESE","features":[448]},{"name":"MBN_SMS_CDMA_LANG_ENGLISH","features":[448]},{"name":"MBN_SMS_CDMA_LANG_FRENCH","features":[448]},{"name":"MBN_SMS_CDMA_LANG_HEBREW","features":[448]},{"name":"MBN_SMS_CDMA_LANG_JAPANESE","features":[448]},{"name":"MBN_SMS_CDMA_LANG_KOREAN","features":[448]},{"name":"MBN_SMS_CDMA_LANG_NONE","features":[448]},{"name":"MBN_SMS_CDMA_LANG_SPANISH","features":[448]},{"name":"MBN_SMS_FILTER","features":[448]},{"name":"MBN_SMS_FLAG","features":[448]},{"name":"MBN_SMS_FLAG_ALL","features":[448]},{"name":"MBN_SMS_FLAG_DRAFT","features":[448]},{"name":"MBN_SMS_FLAG_INDEX","features":[448]},{"name":"MBN_SMS_FLAG_MESSAGE_STORE_FULL","features":[448]},{"name":"MBN_SMS_FLAG_NEW","features":[448]},{"name":"MBN_SMS_FLAG_NEW_MESSAGE","features":[448]},{"name":"MBN_SMS_FLAG_NONE","features":[448]},{"name":"MBN_SMS_FLAG_OLD","features":[448]},{"name":"MBN_SMS_FLAG_SENT","features":[448]},{"name":"MBN_SMS_FORMAT","features":[448]},{"name":"MBN_SMS_FORMAT_NONE","features":[448]},{"name":"MBN_SMS_FORMAT_PDU","features":[448]},{"name":"MBN_SMS_FORMAT_TEXT","features":[448]},{"name":"MBN_SMS_STATUS_FLAG","features":[448]},{"name":"MBN_SMS_STATUS_INFO","features":[448]},{"name":"MBN_USERNAME_LEN","features":[448]},{"name":"MBN_VOICE_CALL_STATE","features":[448]},{"name":"MBN_VOICE_CALL_STATE_HANGUP","features":[448]},{"name":"MBN_VOICE_CALL_STATE_IN_PROGRESS","features":[448]},{"name":"MBN_VOICE_CALL_STATE_NONE","features":[448]},{"name":"MBN_VOICE_CLASS","features":[448]},{"name":"MBN_VOICE_CLASS_NONE","features":[448]},{"name":"MBN_VOICE_CLASS_NO_VOICE","features":[448]},{"name":"MBN_VOICE_CLASS_SEPARATE_VOICE_DATA","features":[448]},{"name":"MBN_VOICE_CLASS_SIMULTANEOUS_VOICE_DATA","features":[448]},{"name":"MbnConnectionManager","features":[448]},{"name":"MbnConnectionProfileManager","features":[448]},{"name":"MbnDeviceServicesManager","features":[448]},{"name":"MbnInterfaceManager","features":[448]},{"name":"WWAEXT_SMS_CONSTANTS","features":[448]},{"name":"__DummyPinType__","features":[448]},{"name":"__mbnapi_ReferenceRemainingTypes__","features":[448]}],"448":[{"name":"IPNG_ADDRESS","features":[449]},{"name":"MCAST_API_CURRENT_VERSION","features":[449]},{"name":"MCAST_API_VERSION_0","features":[449]},{"name":"MCAST_API_VERSION_1","features":[449]},{"name":"MCAST_CLIENT_ID_LEN","features":[449]},{"name":"MCAST_CLIENT_UID","features":[449]},{"name":"MCAST_LEASE_REQUEST","features":[449]},{"name":"MCAST_LEASE_RESPONSE","features":[449]},{"name":"MCAST_SCOPE_CTX","features":[449]},{"name":"MCAST_SCOPE_ENTRY","features":[308,449]},{"name":"McastApiCleanup","features":[449]},{"name":"McastApiStartup","features":[449]},{"name":"McastEnumerateScopes","features":[308,449]},{"name":"McastGenUID","features":[449]},{"name":"McastReleaseAddress","features":[449]},{"name":"McastRenewAddress","features":[449]},{"name":"McastRequestAddress","features":[449]}],"449":[{"name":"AUTHENTICATE","features":[322]},{"name":"BSSID_INFO","features":[322]},{"name":"CLOCK_NETWORK_DERIVED","features":[322]},{"name":"CLOCK_PRECISION","features":[322]},{"name":"DD_NDIS_DEVICE_NAME","features":[322]},{"name":"DOT11_RSN_KCK_LENGTH","features":[322]},{"name":"DOT11_RSN_KEK_LENGTH","features":[322]},{"name":"DOT11_RSN_MAX_CIPHER_KEY_LENGTH","features":[322]},{"name":"EAPOL_REQUEST_ID_WOL_FLAG_MUST_ENCRYPT","features":[322]},{"name":"ENCRYPT","features":[322]},{"name":"ETHERNET_LENGTH_OF_ADDRESS","features":[322]},{"name":"GEN_GET_NETCARD_TIME","features":[322]},{"name":"GEN_GET_TIME_CAPS","features":[322]},{"name":"GUID_DEVINTERFACE_NET","features":[322]},{"name":"GUID_DEVINTERFACE_NETUIO","features":[322]},{"name":"GUID_NDIS_802_11_ADD_KEY","features":[322]},{"name":"GUID_NDIS_802_11_ADD_WEP","features":[322]},{"name":"GUID_NDIS_802_11_ASSOCIATION_INFORMATION","features":[322]},{"name":"GUID_NDIS_802_11_AUTHENTICATION_MODE","features":[322]},{"name":"GUID_NDIS_802_11_BSSID","features":[322]},{"name":"GUID_NDIS_802_11_BSSID_LIST","features":[322]},{"name":"GUID_NDIS_802_11_BSSID_LIST_SCAN","features":[322]},{"name":"GUID_NDIS_802_11_CONFIGURATION","features":[322]},{"name":"GUID_NDIS_802_11_DESIRED_RATES","features":[322]},{"name":"GUID_NDIS_802_11_DISASSOCIATE","features":[322]},{"name":"GUID_NDIS_802_11_FRAGMENTATION_THRESHOLD","features":[322]},{"name":"GUID_NDIS_802_11_INFRASTRUCTURE_MODE","features":[322]},{"name":"GUID_NDIS_802_11_MEDIA_STREAM_MODE","features":[322]},{"name":"GUID_NDIS_802_11_NETWORK_TYPES_SUPPORTED","features":[322]},{"name":"GUID_NDIS_802_11_NETWORK_TYPE_IN_USE","features":[322]},{"name":"GUID_NDIS_802_11_NUMBER_OF_ANTENNAS","features":[322]},{"name":"GUID_NDIS_802_11_POWER_MODE","features":[322]},{"name":"GUID_NDIS_802_11_PRIVACY_FILTER","features":[322]},{"name":"GUID_NDIS_802_11_RELOAD_DEFAULTS","features":[322]},{"name":"GUID_NDIS_802_11_REMOVE_KEY","features":[322]},{"name":"GUID_NDIS_802_11_REMOVE_WEP","features":[322]},{"name":"GUID_NDIS_802_11_RSSI","features":[322]},{"name":"GUID_NDIS_802_11_RSSI_TRIGGER","features":[322]},{"name":"GUID_NDIS_802_11_RTS_THRESHOLD","features":[322]},{"name":"GUID_NDIS_802_11_RX_ANTENNA_SELECTED","features":[322]},{"name":"GUID_NDIS_802_11_SSID","features":[322]},{"name":"GUID_NDIS_802_11_STATISTICS","features":[322]},{"name":"GUID_NDIS_802_11_SUPPORTED_RATES","features":[322]},{"name":"GUID_NDIS_802_11_TEST","features":[322]},{"name":"GUID_NDIS_802_11_TX_ANTENNA_SELECTED","features":[322]},{"name":"GUID_NDIS_802_11_TX_POWER_LEVEL","features":[322]},{"name":"GUID_NDIS_802_11_WEP_STATUS","features":[322]},{"name":"GUID_NDIS_802_3_CURRENT_ADDRESS","features":[322]},{"name":"GUID_NDIS_802_3_MAC_OPTIONS","features":[322]},{"name":"GUID_NDIS_802_3_MAXIMUM_LIST_SIZE","features":[322]},{"name":"GUID_NDIS_802_3_MULTICAST_LIST","features":[322]},{"name":"GUID_NDIS_802_3_PERMANENT_ADDRESS","features":[322]},{"name":"GUID_NDIS_802_3_RCV_ERROR_ALIGNMENT","features":[322]},{"name":"GUID_NDIS_802_3_XMIT_MORE_COLLISIONS","features":[322]},{"name":"GUID_NDIS_802_3_XMIT_ONE_COLLISION","features":[322]},{"name":"GUID_NDIS_802_5_CURRENT_ADDRESS","features":[322]},{"name":"GUID_NDIS_802_5_CURRENT_FUNCTIONAL","features":[322]},{"name":"GUID_NDIS_802_5_CURRENT_GROUP","features":[322]},{"name":"GUID_NDIS_802_5_CURRENT_RING_STATE","features":[322]},{"name":"GUID_NDIS_802_5_CURRENT_RING_STATUS","features":[322]},{"name":"GUID_NDIS_802_5_LAST_OPEN_STATUS","features":[322]},{"name":"GUID_NDIS_802_5_LINE_ERRORS","features":[322]},{"name":"GUID_NDIS_802_5_LOST_FRAMES","features":[322]},{"name":"GUID_NDIS_802_5_PERMANENT_ADDRESS","features":[322]},{"name":"GUID_NDIS_ENUMERATE_ADAPTER","features":[322]},{"name":"GUID_NDIS_ENUMERATE_ADAPTERS_EX","features":[322]},{"name":"GUID_NDIS_ENUMERATE_VC","features":[322]},{"name":"GUID_NDIS_GEN_CO_DRIVER_VERSION","features":[322]},{"name":"GUID_NDIS_GEN_CO_HARDWARE_STATUS","features":[322]},{"name":"GUID_NDIS_GEN_CO_LINK_SPEED","features":[322]},{"name":"GUID_NDIS_GEN_CO_MAC_OPTIONS","features":[322]},{"name":"GUID_NDIS_GEN_CO_MEDIA_CONNECT_STATUS","features":[322]},{"name":"GUID_NDIS_GEN_CO_MEDIA_IN_USE","features":[322]},{"name":"GUID_NDIS_GEN_CO_MEDIA_SUPPORTED","features":[322]},{"name":"GUID_NDIS_GEN_CO_MINIMUM_LINK_SPEED","features":[322]},{"name":"GUID_NDIS_GEN_CO_RCV_PDUS_ERROR","features":[322]},{"name":"GUID_NDIS_GEN_CO_RCV_PDUS_NO_BUFFER","features":[322]},{"name":"GUID_NDIS_GEN_CO_RCV_PDUS_OK","features":[322]},{"name":"GUID_NDIS_GEN_CO_VENDOR_DESCRIPTION","features":[322]},{"name":"GUID_NDIS_GEN_CO_VENDOR_DRIVER_VERSION","features":[322]},{"name":"GUID_NDIS_GEN_CO_VENDOR_ID","features":[322]},{"name":"GUID_NDIS_GEN_CO_XMIT_PDUS_ERROR","features":[322]},{"name":"GUID_NDIS_GEN_CO_XMIT_PDUS_OK","features":[322]},{"name":"GUID_NDIS_GEN_CURRENT_LOOKAHEAD","features":[322]},{"name":"GUID_NDIS_GEN_CURRENT_PACKET_FILTER","features":[322]},{"name":"GUID_NDIS_GEN_DRIVER_VERSION","features":[322]},{"name":"GUID_NDIS_GEN_ENUMERATE_PORTS","features":[322]},{"name":"GUID_NDIS_GEN_HARDWARE_STATUS","features":[322]},{"name":"GUID_NDIS_GEN_INTERRUPT_MODERATION","features":[322]},{"name":"GUID_NDIS_GEN_INTERRUPT_MODERATION_PARAMETERS","features":[322]},{"name":"GUID_NDIS_GEN_LINK_PARAMETERS","features":[322]},{"name":"GUID_NDIS_GEN_LINK_SPEED","features":[322]},{"name":"GUID_NDIS_GEN_LINK_STATE","features":[322]},{"name":"GUID_NDIS_GEN_MAC_OPTIONS","features":[322]},{"name":"GUID_NDIS_GEN_MAXIMUM_FRAME_SIZE","features":[322]},{"name":"GUID_NDIS_GEN_MAXIMUM_LOOKAHEAD","features":[322]},{"name":"GUID_NDIS_GEN_MAXIMUM_SEND_PACKETS","features":[322]},{"name":"GUID_NDIS_GEN_MAXIMUM_TOTAL_SIZE","features":[322]},{"name":"GUID_NDIS_GEN_MEDIA_CONNECT_STATUS","features":[322]},{"name":"GUID_NDIS_GEN_MEDIA_IN_USE","features":[322]},{"name":"GUID_NDIS_GEN_MEDIA_SUPPORTED","features":[322]},{"name":"GUID_NDIS_GEN_PCI_DEVICE_CUSTOM_PROPERTIES","features":[322]},{"name":"GUID_NDIS_GEN_PHYSICAL_MEDIUM","features":[322]},{"name":"GUID_NDIS_GEN_PHYSICAL_MEDIUM_EX","features":[322]},{"name":"GUID_NDIS_GEN_PORT_AUTHENTICATION_PARAMETERS","features":[322]},{"name":"GUID_NDIS_GEN_PORT_STATE","features":[322]},{"name":"GUID_NDIS_GEN_RCV_ERROR","features":[322]},{"name":"GUID_NDIS_GEN_RCV_NO_BUFFER","features":[322]},{"name":"GUID_NDIS_GEN_RCV_OK","features":[322]},{"name":"GUID_NDIS_GEN_RECEIVE_BLOCK_SIZE","features":[322]},{"name":"GUID_NDIS_GEN_RECEIVE_BUFFER_SPACE","features":[322]},{"name":"GUID_NDIS_GEN_STATISTICS","features":[322]},{"name":"GUID_NDIS_GEN_TRANSMIT_BLOCK_SIZE","features":[322]},{"name":"GUID_NDIS_GEN_TRANSMIT_BUFFER_SPACE","features":[322]},{"name":"GUID_NDIS_GEN_VENDOR_DESCRIPTION","features":[322]},{"name":"GUID_NDIS_GEN_VENDOR_DRIVER_VERSION","features":[322]},{"name":"GUID_NDIS_GEN_VENDOR_ID","features":[322]},{"name":"GUID_NDIS_GEN_VLAN_ID","features":[322]},{"name":"GUID_NDIS_GEN_XMIT_ERROR","features":[322]},{"name":"GUID_NDIS_GEN_XMIT_OK","features":[322]},{"name":"GUID_NDIS_HD_SPLIT_CURRENT_CONFIG","features":[322]},{"name":"GUID_NDIS_HD_SPLIT_PARAMETERS","features":[322]},{"name":"GUID_NDIS_LAN_CLASS","features":[322]},{"name":"GUID_NDIS_NDK_CAPABILITIES","features":[322]},{"name":"GUID_NDIS_NDK_STATE","features":[322]},{"name":"GUID_NDIS_NOTIFY_ADAPTER_ARRIVAL","features":[322]},{"name":"GUID_NDIS_NOTIFY_ADAPTER_REMOVAL","features":[322]},{"name":"GUID_NDIS_NOTIFY_BIND","features":[322]},{"name":"GUID_NDIS_NOTIFY_DEVICE_POWER_OFF","features":[322]},{"name":"GUID_NDIS_NOTIFY_DEVICE_POWER_OFF_EX","features":[322]},{"name":"GUID_NDIS_NOTIFY_DEVICE_POWER_ON","features":[322]},{"name":"GUID_NDIS_NOTIFY_DEVICE_POWER_ON_EX","features":[322]},{"name":"GUID_NDIS_NOTIFY_FILTER_ARRIVAL","features":[322]},{"name":"GUID_NDIS_NOTIFY_FILTER_REMOVAL","features":[322]},{"name":"GUID_NDIS_NOTIFY_UNBIND","features":[322]},{"name":"GUID_NDIS_NOTIFY_VC_ARRIVAL","features":[322]},{"name":"GUID_NDIS_NOTIFY_VC_REMOVAL","features":[322]},{"name":"GUID_NDIS_PM_ACTIVE_CAPABILITIES","features":[322]},{"name":"GUID_NDIS_PM_ADMIN_CONFIG","features":[322]},{"name":"GUID_NDIS_RECEIVE_FILTER_ENUM_FILTERS","features":[322]},{"name":"GUID_NDIS_RECEIVE_FILTER_ENUM_QUEUES","features":[322]},{"name":"GUID_NDIS_RECEIVE_FILTER_GLOBAL_PARAMETERS","features":[322]},{"name":"GUID_NDIS_RECEIVE_FILTER_HARDWARE_CAPABILITIES","features":[322]},{"name":"GUID_NDIS_RECEIVE_FILTER_PARAMETERS","features":[322]},{"name":"GUID_NDIS_RECEIVE_FILTER_QUEUE_PARAMETERS","features":[322]},{"name":"GUID_NDIS_RECEIVE_SCALE_CAPABILITIES","features":[322]},{"name":"GUID_NDIS_RSS_ENABLED","features":[322]},{"name":"GUID_NDIS_STATUS_DOT11_ASSOCIATION_COMPLETION","features":[322]},{"name":"GUID_NDIS_STATUS_DOT11_ASSOCIATION_START","features":[322]},{"name":"GUID_NDIS_STATUS_DOT11_CONNECTION_COMPLETION","features":[322]},{"name":"GUID_NDIS_STATUS_DOT11_CONNECTION_START","features":[322]},{"name":"GUID_NDIS_STATUS_DOT11_DISASSOCIATION","features":[322]},{"name":"GUID_NDIS_STATUS_DOT11_LINK_QUALITY","features":[322]},{"name":"GUID_NDIS_STATUS_DOT11_MPDU_MAX_LENGTH_CHANGED","features":[322]},{"name":"GUID_NDIS_STATUS_DOT11_PHY_STATE_CHANGED","features":[322]},{"name":"GUID_NDIS_STATUS_DOT11_PMKID_CANDIDATE_LIST","features":[322]},{"name":"GUID_NDIS_STATUS_DOT11_ROAMING_COMPLETION","features":[322]},{"name":"GUID_NDIS_STATUS_DOT11_ROAMING_START","features":[322]},{"name":"GUID_NDIS_STATUS_DOT11_SCAN_CONFIRM","features":[322]},{"name":"GUID_NDIS_STATUS_DOT11_TKIPMIC_FAILURE","features":[322]},{"name":"GUID_NDIS_STATUS_EXTERNAL_CONNECTIVITY_CHANGE","features":[322]},{"name":"GUID_NDIS_STATUS_HD_SPLIT_CURRENT_CONFIG","features":[322]},{"name":"GUID_NDIS_STATUS_LINK_SPEED_CHANGE","features":[322]},{"name":"GUID_NDIS_STATUS_LINK_STATE","features":[322]},{"name":"GUID_NDIS_STATUS_MEDIA_CONNECT","features":[322]},{"name":"GUID_NDIS_STATUS_MEDIA_DISCONNECT","features":[322]},{"name":"GUID_NDIS_STATUS_MEDIA_SPECIFIC_INDICATION","features":[322]},{"name":"GUID_NDIS_STATUS_NETWORK_CHANGE","features":[322]},{"name":"GUID_NDIS_STATUS_OPER_STATUS","features":[322]},{"name":"GUID_NDIS_STATUS_PACKET_FILTER","features":[322]},{"name":"GUID_NDIS_STATUS_PM_OFFLOAD_REJECTED","features":[322]},{"name":"GUID_NDIS_STATUS_PM_WAKE_REASON","features":[322]},{"name":"GUID_NDIS_STATUS_PM_WOL_PATTERN_REJECTED","features":[322]},{"name":"GUID_NDIS_STATUS_PORT_STATE","features":[322]},{"name":"GUID_NDIS_STATUS_RESET_END","features":[322]},{"name":"GUID_NDIS_STATUS_RESET_START","features":[322]},{"name":"GUID_NDIS_STATUS_TASK_OFFLOAD_CURRENT_CONFIG","features":[322]},{"name":"GUID_NDIS_STATUS_TASK_OFFLOAD_HARDWARE_CAPABILITIES","features":[322]},{"name":"GUID_NDIS_STATUS_TCP_CONNECTION_OFFLOAD_CURRENT_CONFIG","features":[322]},{"name":"GUID_NDIS_STATUS_TCP_CONNECTION_OFFLOAD_HARDWARE_CAPABILITIES","features":[322]},{"name":"GUID_NDIS_SWITCH_MICROSOFT_VENDOR_ID","features":[322]},{"name":"GUID_NDIS_SWITCH_PORT_PROPERTY_PROFILE_ID_DEFAULT_EXTERNAL_NIC","features":[322]},{"name":"GUID_NDIS_TCP_CONNECTION_OFFLOAD_CURRENT_CONFIG","features":[322]},{"name":"GUID_NDIS_TCP_CONNECTION_OFFLOAD_HARDWARE_CAPABILITIES","features":[322]},{"name":"GUID_NDIS_TCP_OFFLOAD_CURRENT_CONFIG","features":[322]},{"name":"GUID_NDIS_TCP_OFFLOAD_HARDWARE_CAPABILITIES","features":[322]},{"name":"GUID_NDIS_TCP_OFFLOAD_PARAMETERS","features":[322]},{"name":"GUID_NDIS_TCP_RSC_STATISTICS","features":[322]},{"name":"GUID_NDIS_WAKE_ON_MAGIC_PACKET_ONLY","features":[322]},{"name":"GUID_NIC_SWITCH_CURRENT_CAPABILITIES","features":[322]},{"name":"GUID_NIC_SWITCH_HARDWARE_CAPABILITIES","features":[322]},{"name":"GUID_PM_ADD_PROTOCOL_OFFLOAD","features":[322]},{"name":"GUID_PM_ADD_WOL_PATTERN","features":[322]},{"name":"GUID_PM_CURRENT_CAPABILITIES","features":[322]},{"name":"GUID_PM_GET_PROTOCOL_OFFLOAD","features":[322]},{"name":"GUID_PM_HARDWARE_CAPABILITIES","features":[322]},{"name":"GUID_PM_PARAMETERS","features":[322]},{"name":"GUID_PM_PROTOCOL_OFFLOAD_LIST","features":[322]},{"name":"GUID_PM_REMOVE_PROTOCOL_OFFLOAD","features":[322]},{"name":"GUID_PM_REMOVE_WOL_PATTERN","features":[322]},{"name":"GUID_PM_WOL_PATTERN_LIST","features":[322]},{"name":"GUID_RECEIVE_FILTER_CURRENT_CAPABILITIES","features":[322]},{"name":"GUID_STATUS_MEDIA_SPECIFIC_INDICATION_EX","features":[322]},{"name":"IF_ADMINISTRATIVE_DEMANDDIAL","features":[322]},{"name":"IF_ADMINISTRATIVE_DISABLED","features":[322]},{"name":"IF_ADMINISTRATIVE_ENABLED","features":[322]},{"name":"IF_ADMINISTRATIVE_STATE","features":[322]},{"name":"IF_COUNTED_STRING_LH","features":[322]},{"name":"IF_MAX_PHYS_ADDRESS_LENGTH","features":[322]},{"name":"IF_MAX_STRING_SIZE","features":[322]},{"name":"IF_OPER_STATUS","features":[322]},{"name":"IF_PHYSICAL_ADDRESS_LH","features":[322]},{"name":"IOCTL_NDIS_RESERVED5","features":[322]},{"name":"IOCTL_NDIS_RESERVED6","features":[322]},{"name":"IPSEC_OFFLOAD_V2_AND_TCP_CHECKSUM_COEXISTENCE","features":[322]},{"name":"IPSEC_OFFLOAD_V2_AND_UDP_CHECKSUM_COEXISTENCE","features":[322]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_AES_GCM_128","features":[322]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_AES_GCM_192","features":[322]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_AES_GCM_256","features":[322]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_MD5","features":[322]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_SHA_1","features":[322]},{"name":"IPSEC_OFFLOAD_V2_AUTHENTICATION_SHA_256","features":[322]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_3_DES_CBC","features":[322]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_CBC_128","features":[322]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_CBC_192","features":[322]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_CBC_256","features":[322]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_GCM_128","features":[322]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_GCM_192","features":[322]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_AES_GCM_256","features":[322]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_DES_CBC","features":[322]},{"name":"IPSEC_OFFLOAD_V2_ENCRYPTION_NONE","features":[322]},{"name":"IfOperStatusDormant","features":[322]},{"name":"IfOperStatusDown","features":[322]},{"name":"IfOperStatusLowerLayerDown","features":[322]},{"name":"IfOperStatusNotPresent","features":[322]},{"name":"IfOperStatusTesting","features":[322]},{"name":"IfOperStatusUnknown","features":[322]},{"name":"IfOperStatusUp","features":[322]},{"name":"MAXIMUM_IP_OPER_STATUS_ADDRESS_FAMILIES_SUPPORTED","features":[322]},{"name":"MediaConnectStateConnected","features":[322]},{"name":"MediaConnectStateDisconnected","features":[322]},{"name":"MediaConnectStateUnknown","features":[322]},{"name":"MediaDuplexStateFull","features":[322]},{"name":"MediaDuplexStateHalf","features":[322]},{"name":"MediaDuplexStateUnknown","features":[322]},{"name":"NDIS_802_11_AI_REQFI","features":[322]},{"name":"NDIS_802_11_AI_REQFI_CAPABILITIES","features":[322]},{"name":"NDIS_802_11_AI_REQFI_CURRENTAPADDRESS","features":[322]},{"name":"NDIS_802_11_AI_REQFI_LISTENINTERVAL","features":[322]},{"name":"NDIS_802_11_AI_RESFI","features":[322]},{"name":"NDIS_802_11_AI_RESFI_ASSOCIATIONID","features":[322]},{"name":"NDIS_802_11_AI_RESFI_CAPABILITIES","features":[322]},{"name":"NDIS_802_11_AI_RESFI_STATUSCODE","features":[322]},{"name":"NDIS_802_11_ASSOCIATION_INFORMATION","features":[322]},{"name":"NDIS_802_11_AUTHENTICATION_ENCRYPTION","features":[322]},{"name":"NDIS_802_11_AUTHENTICATION_EVENT","features":[322]},{"name":"NDIS_802_11_AUTHENTICATION_MODE","features":[322]},{"name":"NDIS_802_11_AUTHENTICATION_REQUEST","features":[322]},{"name":"NDIS_802_11_AUTH_REQUEST_AUTH_FIELDS","features":[322]},{"name":"NDIS_802_11_AUTH_REQUEST_GROUP_ERROR","features":[322]},{"name":"NDIS_802_11_AUTH_REQUEST_KEYUPDATE","features":[322]},{"name":"NDIS_802_11_AUTH_REQUEST_PAIRWISE_ERROR","features":[322]},{"name":"NDIS_802_11_AUTH_REQUEST_REAUTH","features":[322]},{"name":"NDIS_802_11_BSSID_LIST","features":[322]},{"name":"NDIS_802_11_BSSID_LIST_EX","features":[322]},{"name":"NDIS_802_11_CAPABILITY","features":[322]},{"name":"NDIS_802_11_CONFIGURATION","features":[322]},{"name":"NDIS_802_11_CONFIGURATION_FH","features":[322]},{"name":"NDIS_802_11_FIXED_IEs","features":[322]},{"name":"NDIS_802_11_KEY","features":[322]},{"name":"NDIS_802_11_LENGTH_RATES","features":[322]},{"name":"NDIS_802_11_LENGTH_RATES_EX","features":[322]},{"name":"NDIS_802_11_LENGTH_SSID","features":[322]},{"name":"NDIS_802_11_MEDIA_STREAM_MODE","features":[322]},{"name":"NDIS_802_11_NETWORK_INFRASTRUCTURE","features":[322]},{"name":"NDIS_802_11_NETWORK_TYPE","features":[322]},{"name":"NDIS_802_11_NETWORK_TYPE_LIST","features":[322]},{"name":"NDIS_802_11_NON_BCAST_SSID_LIST","features":[322]},{"name":"NDIS_802_11_PMKID","features":[322]},{"name":"NDIS_802_11_PMKID_CANDIDATE_LIST","features":[322]},{"name":"NDIS_802_11_PMKID_CANDIDATE_PREAUTH_ENABLED","features":[322]},{"name":"NDIS_802_11_POWER_MODE","features":[322]},{"name":"NDIS_802_11_PRIVACY_FILTER","features":[322]},{"name":"NDIS_802_11_RADIO_STATUS","features":[322]},{"name":"NDIS_802_11_RELOAD_DEFAULTS","features":[322]},{"name":"NDIS_802_11_REMOVE_KEY","features":[322]},{"name":"NDIS_802_11_SSID","features":[322]},{"name":"NDIS_802_11_STATISTICS","features":[322]},{"name":"NDIS_802_11_STATUS_INDICATION","features":[322]},{"name":"NDIS_802_11_STATUS_TYPE","features":[322]},{"name":"NDIS_802_11_TEST","features":[322]},{"name":"NDIS_802_11_VARIABLE_IEs","features":[322]},{"name":"NDIS_802_11_WEP","features":[322]},{"name":"NDIS_802_11_WEP_STATUS","features":[322]},{"name":"NDIS_802_3_MAC_OPTION_PRIORITY","features":[322]},{"name":"NDIS_802_5_RING_STATE","features":[322]},{"name":"NDIS_CO_DEVICE_PROFILE","features":[322]},{"name":"NDIS_CO_LINK_SPEED","features":[322]},{"name":"NDIS_CO_MAC_OPTION_DYNAMIC_LINK_SPEED","features":[322]},{"name":"NDIS_DEFAULT_RECEIVE_FILTER_ID","features":[322]},{"name":"NDIS_DEFAULT_RECEIVE_QUEUE_GROUP_ID","features":[322]},{"name":"NDIS_DEFAULT_RECEIVE_QUEUE_ID","features":[322]},{"name":"NDIS_DEFAULT_SWITCH_ID","features":[322]},{"name":"NDIS_DEFAULT_VPORT_ID","features":[322]},{"name":"NDIS_DEVICE_POWER_STATE","features":[322]},{"name":"NDIS_DEVICE_TYPE_ENDPOINT","features":[322]},{"name":"NDIS_DEVICE_WAKE_ON_MAGIC_PACKET_ENABLE","features":[322]},{"name":"NDIS_DEVICE_WAKE_ON_PATTERN_MATCH_ENABLE","features":[322]},{"name":"NDIS_DEVICE_WAKE_UP_ENABLE","features":[322]},{"name":"NDIS_ENCAPSULATED_PACKET_TASK_OFFLOAD_INNER_IPV4","features":[322]},{"name":"NDIS_ENCAPSULATED_PACKET_TASK_OFFLOAD_INNER_IPV6","features":[322]},{"name":"NDIS_ENCAPSULATED_PACKET_TASK_OFFLOAD_NOT_SUPPORTED","features":[322]},{"name":"NDIS_ENCAPSULATED_PACKET_TASK_OFFLOAD_OUTER_IPV4","features":[322]},{"name":"NDIS_ENCAPSULATED_PACKET_TASK_OFFLOAD_OUTER_IPV6","features":[322]},{"name":"NDIS_ENCAPSULATION_IEEE_802_3","features":[322]},{"name":"NDIS_ENCAPSULATION_IEEE_802_3_P_AND_Q","features":[322]},{"name":"NDIS_ENCAPSULATION_IEEE_802_3_P_AND_Q_IN_OOB","features":[322]},{"name":"NDIS_ENCAPSULATION_IEEE_LLC_SNAP_ROUTED","features":[322]},{"name":"NDIS_ENCAPSULATION_NOT_SUPPORTED","features":[322]},{"name":"NDIS_ENCAPSULATION_NULL","features":[322]},{"name":"NDIS_ENCAPSULATION_TYPE_GRE_MAC","features":[322]},{"name":"NDIS_ENCAPSULATION_TYPE_VXLAN","features":[322]},{"name":"NDIS_ETH_TYPE_802_1Q","features":[322]},{"name":"NDIS_ETH_TYPE_802_1X","features":[322]},{"name":"NDIS_ETH_TYPE_ARP","features":[322]},{"name":"NDIS_ETH_TYPE_IPV4","features":[322]},{"name":"NDIS_ETH_TYPE_IPV6","features":[322]},{"name":"NDIS_ETH_TYPE_SLOW_PROTOCOL","features":[322]},{"name":"NDIS_FDDI_ATTACHMENT_TYPE","features":[322]},{"name":"NDIS_FDDI_LCONNECTION_STATE","features":[322]},{"name":"NDIS_FDDI_RING_MGT_STATE","features":[322]},{"name":"NDIS_GFP_ENCAPSULATION_TYPE_IP_IN_GRE","features":[322]},{"name":"NDIS_GFP_ENCAPSULATION_TYPE_IP_IN_IP","features":[322]},{"name":"NDIS_GFP_ENCAPSULATION_TYPE_NOT_ENCAPSULATED","features":[322]},{"name":"NDIS_GFP_ENCAPSULATION_TYPE_NVGRE","features":[322]},{"name":"NDIS_GFP_ENCAPSULATION_TYPE_VXLAN","features":[322]},{"name":"NDIS_GFP_EXACT_MATCH_PROFILE_RDMA_FLOW","features":[322]},{"name":"NDIS_GFP_EXACT_MATCH_PROFILE_REVISION_1","features":[322]},{"name":"NDIS_GFP_HEADER_GROUP_EXACT_MATCH_IS_TTL_ONE","features":[322]},{"name":"NDIS_GFP_HEADER_GROUP_EXACT_MATCH_PROFILE_IS_TTL_ONE","features":[322]},{"name":"NDIS_GFP_HEADER_GROUP_EXACT_MATCH_PROFILE_REVISION_1","features":[322]},{"name":"NDIS_GFP_HEADER_GROUP_EXACT_MATCH_REVISION_1","features":[322]},{"name":"NDIS_GFP_HEADER_GROUP_WILDCARD_MATCH_IS_TTL_ONE","features":[322]},{"name":"NDIS_GFP_HEADER_GROUP_WILDCARD_MATCH_PROFILE_IS_TTL_ONE","features":[322]},{"name":"NDIS_GFP_HEADER_GROUP_WILDCARD_MATCH_PROFILE_REVISION_1","features":[322]},{"name":"NDIS_GFP_HEADER_GROUP_WILDCARD_MATCH_REVISION_1","features":[322]},{"name":"NDIS_GFP_HEADER_PRESENT_ESP","features":[322]},{"name":"NDIS_GFP_HEADER_PRESENT_ETHERNET","features":[322]},{"name":"NDIS_GFP_HEADER_PRESENT_ICMP","features":[322]},{"name":"NDIS_GFP_HEADER_PRESENT_IPV4","features":[322]},{"name":"NDIS_GFP_HEADER_PRESENT_IPV6","features":[322]},{"name":"NDIS_GFP_HEADER_PRESENT_IP_IN_GRE_ENCAP","features":[322]},{"name":"NDIS_GFP_HEADER_PRESENT_IP_IN_IP_ENCAP","features":[322]},{"name":"NDIS_GFP_HEADER_PRESENT_NO_ENCAP","features":[322]},{"name":"NDIS_GFP_HEADER_PRESENT_NVGRE_ENCAP","features":[322]},{"name":"NDIS_GFP_HEADER_PRESENT_TCP","features":[322]},{"name":"NDIS_GFP_HEADER_PRESENT_UDP","features":[322]},{"name":"NDIS_GFP_HEADER_PRESENT_VXLAN_ENCAP","features":[322]},{"name":"NDIS_GFP_UNDEFINED_PROFILE_ID","features":[322]},{"name":"NDIS_GFP_WILDCARD_MATCH_PROFILE_REVISION_1","features":[322]},{"name":"NDIS_GFT_COUNTER_INFO_ARRAY_REVISION_1","features":[322]},{"name":"NDIS_GFT_COUNTER_INFO_REVISION_1","features":[322]},{"name":"NDIS_GFT_COUNTER_PARAMETERS_CLIENT_SPECIFIED_ADDRESS","features":[322]},{"name":"NDIS_GFT_COUNTER_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_GFT_COUNTER_VALUE_ARRAY_GET_VALUES","features":[322]},{"name":"NDIS_GFT_COUNTER_VALUE_ARRAY_REVISION_1","features":[322]},{"name":"NDIS_GFT_COUNTER_VALUE_ARRAY_UPDATE_MEMORY_MAPPED_COUNTERS","features":[322]},{"name":"NDIS_GFT_CUSTOM_ACTION_LAST_ACTION","features":[322]},{"name":"NDIS_GFT_CUSTOM_ACTION_PROFILE_REVISION_1","features":[322]},{"name":"NDIS_GFT_CUSTOM_ACTION_REVISION_1","features":[322]},{"name":"NDIS_GFT_DELETE_PROFILE_ALL_PROFILES","features":[322]},{"name":"NDIS_GFT_DELETE_PROFILE_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_GFT_DELETE_TABLE_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_GFT_EMFE_ADD_IN_ACTIVATED_STATE","features":[322]},{"name":"NDIS_GFT_EMFE_ALL_VPORT_FLOW_ENTRIES","features":[322]},{"name":"NDIS_GFT_EMFE_COPY_AFTER_TCP_FIN_FLAG_SET","features":[322]},{"name":"NDIS_GFT_EMFE_COPY_AFTER_TCP_RST_FLAG_SET","features":[322]},{"name":"NDIS_GFT_EMFE_COPY_ALL_PACKETS","features":[322]},{"name":"NDIS_GFT_EMFE_COPY_CONDITION_CHANGED","features":[322]},{"name":"NDIS_GFT_EMFE_COPY_FIRST_PACKET","features":[322]},{"name":"NDIS_GFT_EMFE_COPY_WHEN_TCP_FLAG_SET","features":[322]},{"name":"NDIS_GFT_EMFE_COUNTER_ALLOCATE","features":[322]},{"name":"NDIS_GFT_EMFE_COUNTER_CLIENT_SPECIFIED_ADDRESS","features":[322]},{"name":"NDIS_GFT_EMFE_COUNTER_MEMORY_MAPPED","features":[322]},{"name":"NDIS_GFT_EMFE_COUNTER_TRACK_TCP_FLOW","features":[322]},{"name":"NDIS_GFT_EMFE_CUSTOM_ACTION_PRESENT","features":[322]},{"name":"NDIS_GFT_EMFE_MATCH_AND_ACTION_MUST_BE_SUPPORTED","features":[322]},{"name":"NDIS_GFT_EMFE_META_ACTION_BEFORE_HEADER_TRANSPOSITION","features":[322]},{"name":"NDIS_GFT_EMFE_RDMA_FLOW","features":[322]},{"name":"NDIS_GFT_EMFE_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT","features":[322]},{"name":"NDIS_GFT_EMFE_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[322]},{"name":"NDIS_GFT_EMFE_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT","features":[322]},{"name":"NDIS_GFT_EMFE_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[322]},{"name":"NDIS_GFT_EXACT_MATCH_FLOW_ENTRY_REVISION_1","features":[322]},{"name":"NDIS_GFT_FLOW_ENTRY_ARRAY_REVISION_1","features":[322]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ALL_NIC_SWITCH_FLOW_ENTRIES","features":[322]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ALL_TABLE_FLOW_ENTRIES","features":[322]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ALL_VPORT_FLOW_ENTRIES","features":[322]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ARRAY_COUNTER_VALUES","features":[322]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ARRAY_DEFINED","features":[322]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_ARRAY_REVISION_1","features":[322]},{"name":"NDIS_GFT_FLOW_ENTRY_ID_RANGE_DEFINED","features":[322]},{"name":"NDIS_GFT_FLOW_ENTRY_INFO_ALL_FLOW_ENTRIES","features":[322]},{"name":"NDIS_GFT_FLOW_ENTRY_INFO_ARRAY_REVISION_1","features":[322]},{"name":"NDIS_GFT_FREE_COUNTER_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_GFT_HEADER_GROUP_TRANSPOSITION_DECREMENT_TTL_IF_NOT_ONE","features":[322]},{"name":"NDIS_GFT_HEADER_GROUP_TRANSPOSITION_PROFILE_DECREMENT_TTL_IF_NOT_ONE","features":[322]},{"name":"NDIS_GFT_HEADER_GROUP_TRANSPOSITION_PROFILE_REVISION_1","features":[322]},{"name":"NDIS_GFT_HEADER_GROUP_TRANSPOSITION_REVISION_1","features":[322]},{"name":"NDIS_GFT_HEADER_TRANSPOSITION_PROFILE_REVISION_1","features":[322]},{"name":"NDIS_GFT_HTP_COPY_ALL_PACKETS","features":[322]},{"name":"NDIS_GFT_HTP_COPY_FIRST_PACKET","features":[322]},{"name":"NDIS_GFT_HTP_COPY_WHEN_TCP_FLAG_SET","features":[322]},{"name":"NDIS_GFT_HTP_CUSTOM_ACTION_PRESENT","features":[322]},{"name":"NDIS_GFT_HTP_META_ACTION_BEFORE_HEADER_TRANSPOSITION","features":[322]},{"name":"NDIS_GFT_HTP_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT","features":[322]},{"name":"NDIS_GFT_HTP_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[322]},{"name":"NDIS_GFT_HTP_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT","features":[322]},{"name":"NDIS_GFT_HTP_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[322]},{"name":"NDIS_GFT_MAX_COUNTER_OBJECTS_PER_FLOW_ENTRY","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPABILITIES_REVISION_1","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_8021P_PRIORITY_MASK","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_ADD_FLOW_ENTRY_DEACTIVATED_PREFERRED","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_ALLOW","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_CLIENT_SPECIFIED_MEMORY_MAPPED_COUNTERS","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_COMBINED_COUNTER_AND_STATE","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_COPY_ALL","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_COPY_FIRST","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_COPY_WHEN_TCP_FLAG_SET","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_DESIGNATED_EXCEPTION_VPORT","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_DROP","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_DSCP_MASK","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EGRESS_AGGREGATE_COUNTERS","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EGRESS_EXACT_MATCH","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EGRESS_WILDCARD_MATCH","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EXT_VPORT_EGRESS_EXACT_MATCH","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EXT_VPORT_EGRESS_WILDCARD_MATCH","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EXT_VPORT_INGRESS_EXACT_MATCH","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_EXT_VPORT_INGRESS_WILDCARD_MATCH","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_IGNORE_ACTION_SUPPORTED","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_INGRESS_AGGREGATE_COUNTERS","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_INGRESS_EXACT_MATCH","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_INGRESS_WILDCARD_MATCH","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_MEMORY_MAPPED_COUNTERS","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_MEMORY_MAPPED_PAKCET_AND_BYTE_COUNTERS","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_META_ACTION_AFTER_HEADER_TRANSPOSITION","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_META_ACTION_BEFORE_HEADER_TRANSPOSITION","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_MODIFY","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_PER_FLOW_ENTRY_COUNTERS","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_PER_PACKET_COUNTER_UPDATE","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_PER_VPORT_EXCEPTION_VPORT","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_POP","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_PUSH","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_RATE_LIMITING_QUEUE_SUPPORTED","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_SAMPLE","features":[322]},{"name":"NDIS_GFT_OFFLOAD_CAPS_TRACK_TCP_FLOW_STATE","features":[322]},{"name":"NDIS_GFT_OFFLOAD_PARAMETERS_CUSTOM_PROVIDER_RESERVED","features":[322]},{"name":"NDIS_GFT_OFFLOAD_PARAMETERS_ENABLE_OFFLOAD","features":[322]},{"name":"NDIS_GFT_OFFLOAD_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_GFT_PROFILE_INFO_ARRAY_REVISION_1","features":[322]},{"name":"NDIS_GFT_PROFILE_INFO_REVISION_1","features":[322]},{"name":"NDIS_GFT_RESERVED_CUSTOM_ACTIONS","features":[322]},{"name":"NDIS_GFT_STATISTICS_REVISION_1","features":[322]},{"name":"NDIS_GFT_TABLE_INCLUDE_EXTERNAL_VPPORT","features":[322]},{"name":"NDIS_GFT_TABLE_INFO_ARRAY_REVISION_1","features":[322]},{"name":"NDIS_GFT_TABLE_INFO_REVISION_1","features":[322]},{"name":"NDIS_GFT_TABLE_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_GFT_UNDEFINED_COUNTER_ID","features":[322]},{"name":"NDIS_GFT_UNDEFINED_CUSTOM_ACTION","features":[322]},{"name":"NDIS_GFT_UNDEFINED_FLOW_ENTRY_ID","features":[322]},{"name":"NDIS_GFT_UNDEFINED_TABLE_ID","features":[322]},{"name":"NDIS_GFT_VPORT_DSCP_FLAGS_CHANGED","features":[322]},{"name":"NDIS_GFT_VPORT_DSCP_GUARD_ENABLE_RX","features":[322]},{"name":"NDIS_GFT_VPORT_DSCP_GUARD_ENABLE_TX","features":[322]},{"name":"NDIS_GFT_VPORT_DSCP_MASK_CHANGED","features":[322]},{"name":"NDIS_GFT_VPORT_DSCP_MASK_ENABLE_RX","features":[322]},{"name":"NDIS_GFT_VPORT_DSCP_MASK_ENABLE_TX","features":[322]},{"name":"NDIS_GFT_VPORT_ENABLE","features":[322]},{"name":"NDIS_GFT_VPORT_ENABLE_STATE_CHANGED","features":[322]},{"name":"NDIS_GFT_VPORT_EXCEPTION_VPORT_CHANGED","features":[322]},{"name":"NDIS_GFT_VPORT_MAX_DSCP_MASK_COUNTER_OBJECTS","features":[322]},{"name":"NDIS_GFT_VPORT_MAX_PRIORITY_MASK_COUNTER_OBJECTS","features":[322]},{"name":"NDIS_GFT_VPORT_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_GFT_VPORT_PARAMS_CHANGE_MASK","features":[322]},{"name":"NDIS_GFT_VPORT_PARAMS_CUSTOM_PROVIDER_RESERVED","features":[322]},{"name":"NDIS_GFT_VPORT_PARSE_VXLAN","features":[322]},{"name":"NDIS_GFT_VPORT_PARSE_VXLAN_NOT_IN_SRC_PORT_RANGE","features":[322]},{"name":"NDIS_GFT_VPORT_PRIORITY_MASK_CHANGED","features":[322]},{"name":"NDIS_GFT_VPORT_SAMPLING_RATE_CHANGED","features":[322]},{"name":"NDIS_GFT_VPORT_VXLAN_SETTINGS_CHANGED","features":[322]},{"name":"NDIS_GFT_WCFE_ADD_IN_ACTIVATED_STATE","features":[322]},{"name":"NDIS_GFT_WCFE_COPY_ALL_PACKETS","features":[322]},{"name":"NDIS_GFT_WCFE_COUNTER_ALLOCATE","features":[322]},{"name":"NDIS_GFT_WCFE_COUNTER_CLIENT_SPECIFIED_ADDRESS","features":[322]},{"name":"NDIS_GFT_WCFE_COUNTER_MEMORY_MAPPED","features":[322]},{"name":"NDIS_GFT_WCFE_CUSTOM_ACTION_PRESENT","features":[322]},{"name":"NDIS_GFT_WCFE_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT","features":[322]},{"name":"NDIS_GFT_WCFE_REDIRECT_TO_EGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[322]},{"name":"NDIS_GFT_WCFE_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT","features":[322]},{"name":"NDIS_GFT_WCFE_REDIRECT_TO_INGRESS_QUEUE_OF_VPORT_IF_TTL_IS_ONE","features":[322]},{"name":"NDIS_GFT_WILDCARD_MATCH_FLOW_ENTRY_REVISION_1","features":[322]},{"name":"NDIS_GUID","features":[322]},{"name":"NDIS_HARDWARE_CROSSTIMESTAMP","features":[322]},{"name":"NDIS_HARDWARE_CROSSTIMESTAMP_REVISION_1","features":[322]},{"name":"NDIS_HARDWARE_STATUS","features":[322]},{"name":"NDIS_HASH_FUNCTION_MASK","features":[322]},{"name":"NDIS_HASH_IPV4","features":[322]},{"name":"NDIS_HASH_IPV6","features":[322]},{"name":"NDIS_HASH_IPV6_EX","features":[322]},{"name":"NDIS_HASH_TCP_IPV4","features":[322]},{"name":"NDIS_HASH_TCP_IPV6","features":[322]},{"name":"NDIS_HASH_TCP_IPV6_EX","features":[322]},{"name":"NDIS_HASH_TYPE_MASK","features":[322]},{"name":"NDIS_HASH_UDP_IPV4","features":[322]},{"name":"NDIS_HASH_UDP_IPV6","features":[322]},{"name":"NDIS_HASH_UDP_IPV6_EX","features":[322]},{"name":"NDIS_HD_SPLIT_CAPS_SUPPORTS_HEADER_DATA_SPLIT","features":[322]},{"name":"NDIS_HD_SPLIT_CAPS_SUPPORTS_IPV4_OPTIONS","features":[322]},{"name":"NDIS_HD_SPLIT_CAPS_SUPPORTS_IPV6_EXTENSION_HEADERS","features":[322]},{"name":"NDIS_HD_SPLIT_CAPS_SUPPORTS_TCP_OPTIONS","features":[322]},{"name":"NDIS_HD_SPLIT_COMBINE_ALL_HEADERS","features":[322]},{"name":"NDIS_HD_SPLIT_CURRENT_CONFIG_REVISION_1","features":[322]},{"name":"NDIS_HD_SPLIT_ENABLE_HEADER_DATA_SPLIT","features":[322]},{"name":"NDIS_HD_SPLIT_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_HYPERVISOR_INFO_FLAG_HYPERVISOR_PRESENT","features":[322]},{"name":"NDIS_HYPERVISOR_INFO_REVISION_1","features":[322]},{"name":"NDIS_INTERFACE_INFORMATION","features":[308,322]},{"name":"NDIS_INTERRUPT_MODERATION","features":[322]},{"name":"NDIS_INTERRUPT_MODERATION_CHANGE_NEEDS_REINITIALIZE","features":[322]},{"name":"NDIS_INTERRUPT_MODERATION_CHANGE_NEEDS_RESET","features":[322]},{"name":"NDIS_INTERRUPT_MODERATION_PARAMETERS","features":[322]},{"name":"NDIS_INTERRUPT_MODERATION_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_IPSEC_OFFLOAD_V1","features":[322]},{"name":"NDIS_IP_OPER_STATE","features":[322]},{"name":"NDIS_IP_OPER_STATE_REVISION_1","features":[322]},{"name":"NDIS_IP_OPER_STATUS","features":[322]},{"name":"NDIS_IP_OPER_STATUS_INFO","features":[322]},{"name":"NDIS_IP_OPER_STATUS_INFO_REVISION_1","features":[322]},{"name":"NDIS_IRDA_PACKET_INFO","features":[322]},{"name":"NDIS_ISOLATION_NAME_MAX_STRING_SIZE","features":[322]},{"name":"NDIS_ISOLATION_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_LINK_PARAMETERS","features":[322]},{"name":"NDIS_LINK_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_LINK_SPEED","features":[322]},{"name":"NDIS_LINK_STATE","features":[322]},{"name":"NDIS_LINK_STATE_DUPLEX_AUTO_NEGOTIATED","features":[322]},{"name":"NDIS_LINK_STATE_PAUSE_FUNCTIONS_AUTO_NEGOTIATED","features":[322]},{"name":"NDIS_LINK_STATE_RCV_LINK_SPEED_AUTO_NEGOTIATED","features":[322]},{"name":"NDIS_LINK_STATE_REVISION_1","features":[322]},{"name":"NDIS_LINK_STATE_XMIT_LINK_SPEED_AUTO_NEGOTIATED","features":[322]},{"name":"NDIS_MAC_OPTION_8021P_PRIORITY","features":[322]},{"name":"NDIS_MAC_OPTION_8021Q_VLAN","features":[322]},{"name":"NDIS_MAC_OPTION_COPY_LOOKAHEAD_DATA","features":[322]},{"name":"NDIS_MAC_OPTION_EOTX_INDICATION","features":[322]},{"name":"NDIS_MAC_OPTION_FULL_DUPLEX","features":[322]},{"name":"NDIS_MAC_OPTION_NO_LOOPBACK","features":[322]},{"name":"NDIS_MAC_OPTION_RECEIVE_AT_DPC","features":[322]},{"name":"NDIS_MAC_OPTION_RECEIVE_SERIALIZED","features":[322]},{"name":"NDIS_MAC_OPTION_RESERVED","features":[322]},{"name":"NDIS_MAC_OPTION_SUPPORTS_MAC_ADDRESS_OVERWRITE","features":[322]},{"name":"NDIS_MAC_OPTION_TRANSFERS_NOT_PEND","features":[322]},{"name":"NDIS_MAXIMUM_PORTS","features":[322]},{"name":"NDIS_MEDIA_CAP_RECEIVE","features":[322]},{"name":"NDIS_MEDIA_CAP_TRANSMIT","features":[322]},{"name":"NDIS_MEDIA_STATE","features":[322]},{"name":"NDIS_MEDIUM","features":[322]},{"name":"NDIS_NDK_CAPABILITIES_REVISION_1","features":[322]},{"name":"NDIS_NDK_CONNECTIONS_REVISION_1","features":[322]},{"name":"NDIS_NDK_LOCAL_ENDPOINTS_REVISION_1","features":[322]},{"name":"NDIS_NDK_STATISTICS_INFO_REVISION_1","features":[322]},{"name":"NDIS_NETWORK_CHANGE_TYPE","features":[322]},{"name":"NDIS_NIC_SWITCH_CAPABILITIES_REVISION_1","features":[322]},{"name":"NDIS_NIC_SWITCH_CAPABILITIES_REVISION_2","features":[322]},{"name":"NDIS_NIC_SWITCH_CAPABILITIES_REVISION_3","features":[322]},{"name":"NDIS_NIC_SWITCH_CAPS_ASYMMETRIC_QUEUE_PAIRS_FOR_NONDEFAULT_VPORT_SUPPORTED","features":[322]},{"name":"NDIS_NIC_SWITCH_CAPS_NIC_SWITCH_WITHOUT_IOV_SUPPORTED","features":[322]},{"name":"NDIS_NIC_SWITCH_CAPS_PER_VPORT_INTERRUPT_MODERATION_SUPPORTED","features":[322]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_ON_PF_VPORTS_SUPPORTED","features":[322]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PARAMETERS_PER_PF_VPORT_SUPPORTED","features":[322]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PER_PF_VPORT_HASH_FUNCTION_SUPPORTED","features":[322]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PER_PF_VPORT_HASH_KEY_SUPPORTED","features":[322]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PER_PF_VPORT_HASH_TYPE_SUPPORTED","features":[322]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PER_PF_VPORT_INDIRECTION_TABLE_SIZE_RESTRICTED","features":[322]},{"name":"NDIS_NIC_SWITCH_CAPS_RSS_PER_PF_VPORT_INDIRECTION_TABLE_SUPPORTED","features":[322]},{"name":"NDIS_NIC_SWITCH_CAPS_SINGLE_VPORT_POOL","features":[322]},{"name":"NDIS_NIC_SWITCH_CAPS_VF_RSS_SUPPORTED","features":[322]},{"name":"NDIS_NIC_SWITCH_CAPS_VLAN_SUPPORTED","features":[322]},{"name":"NDIS_NIC_SWITCH_DELETE_SWITCH_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_NIC_SWITCH_DELETE_VPORT_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_NIC_SWITCH_FREE_VF_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_NIC_SWITCH_INFO_ARRAY_REVISION_1","features":[322]},{"name":"NDIS_NIC_SWITCH_INFO_REVISION_1","features":[322]},{"name":"NDIS_NIC_SWITCH_PARAMETERS_CHANGE_MASK","features":[322]},{"name":"NDIS_NIC_SWITCH_PARAMETERS_DEFAULT_NUMBER_OF_QUEUE_PAIRS_FOR_DEFAULT_VPORT","features":[322]},{"name":"NDIS_NIC_SWITCH_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_NIC_SWITCH_PARAMETERS_REVISION_2","features":[322]},{"name":"NDIS_NIC_SWITCH_PARAMETERS_SWITCH_NAME_CHANGED","features":[322]},{"name":"NDIS_NIC_SWITCH_VF_INFO_ARRAY_ENUM_ON_SPECIFIC_SWITCH","features":[322]},{"name":"NDIS_NIC_SWITCH_VF_INFO_ARRAY_REVISION_1","features":[322]},{"name":"NDIS_NIC_SWITCH_VF_INFO_REVISION_1","features":[322]},{"name":"NDIS_NIC_SWITCH_VF_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_ARRAY_ENUM_ON_SPECIFIC_FUNCTION","features":[322]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_ARRAY_ENUM_ON_SPECIFIC_SWITCH","features":[322]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_ARRAY_REVISION_1","features":[322]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_GFT_ENABLED","features":[322]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_LOOKAHEAD_SPLIT_ENABLED","features":[322]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_PACKET_DIRECT_RX_ONLY","features":[322]},{"name":"NDIS_NIC_SWITCH_VPORT_INFO_REVISION_1","features":[322]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMETERS_REVISION_2","features":[322]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_CHANGE_MASK","features":[322]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_ENFORCE_MAX_SG_LIST","features":[322]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_FLAGS_CHANGED","features":[322]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_INT_MOD_CHANGED","features":[322]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_LOOKAHEAD_SPLIT_ENABLED","features":[322]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_NAME_CHANGED","features":[322]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_NDK_PARAMS_CHANGED","features":[322]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_NUM_QUEUE_PAIRS_CHANGED","features":[322]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_PACKET_DIRECT_RX_ONLY","features":[322]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_PROCESSOR_AFFINITY_CHANGED","features":[322]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_QOS_SQ_ID_CHANGED","features":[322]},{"name":"NDIS_NIC_SWITCH_VPORT_PARAMS_STATE_CHANGED","features":[322]},{"name":"NDIS_OBJECT_HEADER","features":[322]},{"name":"NDIS_OBJECT_REVISION_1","features":[322]},{"name":"NDIS_OBJECT_TYPE_BIND_PARAMETERS","features":[322]},{"name":"NDIS_OBJECT_TYPE_CLIENT_CHIMNEY_OFFLOAD_CHARACTERISTICS","features":[322]},{"name":"NDIS_OBJECT_TYPE_CLIENT_CHIMNEY_OFFLOAD_GENERIC_CHARACTERISTICS","features":[322]},{"name":"NDIS_OBJECT_TYPE_CONFIGURATION_OBJECT","features":[322]},{"name":"NDIS_OBJECT_TYPE_CO_CALL_MANAGER_OPTIONAL_HANDLERS","features":[322]},{"name":"NDIS_OBJECT_TYPE_CO_CLIENT_OPTIONAL_HANDLERS","features":[322]},{"name":"NDIS_OBJECT_TYPE_CO_MINIPORT_CHARACTERISTICS","features":[322]},{"name":"NDIS_OBJECT_TYPE_CO_PROTOCOL_CHARACTERISTICS","features":[322]},{"name":"NDIS_OBJECT_TYPE_DEFAULT","features":[322]},{"name":"NDIS_OBJECT_TYPE_DEVICE_OBJECT_ATTRIBUTES","features":[322]},{"name":"NDIS_OBJECT_TYPE_DRIVER_WRAPPER_OBJECT","features":[322]},{"name":"NDIS_OBJECT_TYPE_FILTER_ATTACH_PARAMETERS","features":[322]},{"name":"NDIS_OBJECT_TYPE_FILTER_ATTRIBUTES","features":[322]},{"name":"NDIS_OBJECT_TYPE_FILTER_DRIVER_CHARACTERISTICS","features":[322]},{"name":"NDIS_OBJECT_TYPE_FILTER_PARTIAL_CHARACTERISTICS","features":[322]},{"name":"NDIS_OBJECT_TYPE_FILTER_PAUSE_PARAMETERS","features":[322]},{"name":"NDIS_OBJECT_TYPE_FILTER_RESTART_PARAMETERS","features":[322]},{"name":"NDIS_OBJECT_TYPE_HD_SPLIT_ATTRIBUTES","features":[322]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_GENERAL_ATTRIBUTES","features":[322]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_HARDWARE_ASSIST_ATTRIBUTES","features":[322]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_NATIVE_802_11_ATTRIBUTES","features":[322]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_NDK_ATTRIBUTES","features":[322]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_OFFLOAD_ATTRIBUTES","features":[322]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_PACKET_DIRECT_ATTRIBUTES","features":[322]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADAPTER_REGISTRATION_ATTRIBUTES","features":[322]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_ADD_DEVICE_REGISTRATION_ATTRIBUTES","features":[322]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_DEVICE_POWER_NOTIFICATION","features":[322]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_DRIVER_CHARACTERISTICS","features":[322]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_INIT_PARAMETERS","features":[322]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_INTERRUPT","features":[322]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_PNP_CHARACTERISTICS","features":[322]},{"name":"NDIS_OBJECT_TYPE_MINIPORT_SS_CHARACTERISTICS","features":[322]},{"name":"NDIS_OBJECT_TYPE_NDK_PROVIDER_CHARACTERISTICS","features":[322]},{"name":"NDIS_OBJECT_TYPE_NSI_COMPARTMENT_RW_STRUCT","features":[322]},{"name":"NDIS_OBJECT_TYPE_NSI_INTERFACE_PERSIST_RW_STRUCT","features":[322]},{"name":"NDIS_OBJECT_TYPE_NSI_NETWORK_RW_STRUCT","features":[322]},{"name":"NDIS_OBJECT_TYPE_OFFLOAD","features":[322]},{"name":"NDIS_OBJECT_TYPE_OFFLOAD_ENCAPSULATION","features":[322]},{"name":"NDIS_OBJECT_TYPE_OID_REQUEST","features":[322]},{"name":"NDIS_OBJECT_TYPE_OPEN_PARAMETERS","features":[322]},{"name":"NDIS_OBJECT_TYPE_PCI_DEVICE_CUSTOM_PROPERTIES_REVISION_1","features":[322]},{"name":"NDIS_OBJECT_TYPE_PCI_DEVICE_CUSTOM_PROPERTIES_REVISION_2","features":[322]},{"name":"NDIS_OBJECT_TYPE_PD_RECEIVE_QUEUE","features":[322]},{"name":"NDIS_OBJECT_TYPE_PD_TRANSMIT_QUEUE","features":[322]},{"name":"NDIS_OBJECT_TYPE_PORT_CHARACTERISTICS","features":[322]},{"name":"NDIS_OBJECT_TYPE_PORT_STATE","features":[322]},{"name":"NDIS_OBJECT_TYPE_PROTOCOL_DRIVER_CHARACTERISTICS","features":[322]},{"name":"NDIS_OBJECT_TYPE_PROTOCOL_RESTART_PARAMETERS","features":[322]},{"name":"NDIS_OBJECT_TYPE_PROVIDER_CHIMNEY_OFFLOAD_CHARACTERISTICS","features":[322]},{"name":"NDIS_OBJECT_TYPE_PROVIDER_CHIMNEY_OFFLOAD_GENERIC_CHARACTERISTICS","features":[322]},{"name":"NDIS_OBJECT_TYPE_QOS_CAPABILITIES","features":[322]},{"name":"NDIS_OBJECT_TYPE_QOS_CLASSIFICATION_ELEMENT","features":[322]},{"name":"NDIS_OBJECT_TYPE_QOS_PARAMETERS","features":[322]},{"name":"NDIS_OBJECT_TYPE_REQUEST_EX","features":[322]},{"name":"NDIS_OBJECT_TYPE_RESTART_GENERAL_ATTRIBUTES","features":[322]},{"name":"NDIS_OBJECT_TYPE_RSS_CAPABILITIES","features":[322]},{"name":"NDIS_OBJECT_TYPE_RSS_PARAMETERS","features":[322]},{"name":"NDIS_OBJECT_TYPE_RSS_PARAMETERS_V2","features":[322]},{"name":"NDIS_OBJECT_TYPE_RSS_PROCESSOR_INFO","features":[322]},{"name":"NDIS_OBJECT_TYPE_RSS_SET_INDIRECTION_ENTRIES","features":[322]},{"name":"NDIS_OBJECT_TYPE_SG_DMA_DESCRIPTION","features":[322]},{"name":"NDIS_OBJECT_TYPE_SHARED_MEMORY_PROVIDER_CHARACTERISTICS","features":[322]},{"name":"NDIS_OBJECT_TYPE_STATUS_INDICATION","features":[322]},{"name":"NDIS_OBJECT_TYPE_SWITCH_OPTIONAL_HANDLERS","features":[322]},{"name":"NDIS_OBJECT_TYPE_TIMER_CHARACTERISTICS","features":[322]},{"name":"NDIS_OFFLOAD","features":[322]},{"name":"NDIS_OFFLOAD_FLAGS_GROUP_CHECKSUM_CAPABILITIES","features":[322]},{"name":"NDIS_OFFLOAD_NOT_SUPPORTED","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_CONNECTION_OFFLOAD_DISABLED","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_CONNECTION_OFFLOAD_ENABLED","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV1_AH_AND_ESP_ENABLED","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV1_AH_ENABLED","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV1_DISABLED","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV1_ESP_ENABLED","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV2_AH_AND_ESP_ENABLED","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV2_AH_ENABLED","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV2_DISABLED","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_IPSECV2_ESP_ENABLED","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_LSOV1_DISABLED","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_LSOV1_ENABLED","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_LSOV2_DISABLED","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_LSOV2_ENABLED","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_NO_CHANGE","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_REVISION_2","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_REVISION_3","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_REVISION_4","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_REVISION_5","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_RSC_DISABLED","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_RSC_ENABLED","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_RX_ENABLED_TX_DISABLED","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_SKIP_REGISTRY_UPDATE","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_TX_ENABLED_RX_DISABLED","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_TX_RX_DISABLED","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_TX_RX_ENABLED","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_USO_DISABLED","features":[322]},{"name":"NDIS_OFFLOAD_PARAMETERS_USO_ENABLED","features":[322]},{"name":"NDIS_OFFLOAD_REVISION_1","features":[322]},{"name":"NDIS_OFFLOAD_REVISION_2","features":[322]},{"name":"NDIS_OFFLOAD_REVISION_3","features":[322]},{"name":"NDIS_OFFLOAD_REVISION_4","features":[322]},{"name":"NDIS_OFFLOAD_REVISION_5","features":[322]},{"name":"NDIS_OFFLOAD_REVISION_6","features":[322]},{"name":"NDIS_OFFLOAD_REVISION_7","features":[322]},{"name":"NDIS_OFFLOAD_SET_NO_CHANGE","features":[322]},{"name":"NDIS_OFFLOAD_SET_OFF","features":[322]},{"name":"NDIS_OFFLOAD_SET_ON","features":[322]},{"name":"NDIS_OFFLOAD_SUPPORTED","features":[322]},{"name":"NDIS_OPER_STATE","features":[322]},{"name":"NDIS_OPER_STATE_REVISION_1","features":[322]},{"name":"NDIS_PACKET_TYPE_ALL_FUNCTIONAL","features":[322]},{"name":"NDIS_PACKET_TYPE_ALL_LOCAL","features":[322]},{"name":"NDIS_PACKET_TYPE_ALL_MULTICAST","features":[322]},{"name":"NDIS_PACKET_TYPE_BROADCAST","features":[322]},{"name":"NDIS_PACKET_TYPE_DIRECTED","features":[322]},{"name":"NDIS_PACKET_TYPE_FUNCTIONAL","features":[322]},{"name":"NDIS_PACKET_TYPE_GROUP","features":[322]},{"name":"NDIS_PACKET_TYPE_MAC_FRAME","features":[322]},{"name":"NDIS_PACKET_TYPE_MULTICAST","features":[322]},{"name":"NDIS_PACKET_TYPE_NO_LOCAL","features":[322]},{"name":"NDIS_PACKET_TYPE_PROMISCUOUS","features":[322]},{"name":"NDIS_PACKET_TYPE_SMT","features":[322]},{"name":"NDIS_PACKET_TYPE_SOURCE_ROUTING","features":[322]},{"name":"NDIS_PCI_DEVICE_CUSTOM_PROPERTIES","features":[322]},{"name":"NDIS_PD_CAPABILITIES_REVISION_1","features":[322]},{"name":"NDIS_PD_CAPS_DRAIN_NOTIFICATIONS_SUPPORTED","features":[322]},{"name":"NDIS_PD_CAPS_NOTIFICATION_MODERATION_COUNT_SUPPORTED","features":[322]},{"name":"NDIS_PD_CAPS_NOTIFICATION_MODERATION_INTERVAL_SUPPORTED","features":[322]},{"name":"NDIS_PD_CAPS_RECEIVE_FILTER_COUNTERS_SUPPORTED","features":[322]},{"name":"NDIS_PD_CONFIG_REVISION_1","features":[322]},{"name":"NDIS_PHYSICAL_MEDIUM","features":[322]},{"name":"NDIS_PM_CAPABILITIES_REVISION_1","features":[322]},{"name":"NDIS_PM_CAPABILITIES_REVISION_2","features":[322]},{"name":"NDIS_PM_MAX_PATTERN_ID","features":[322]},{"name":"NDIS_PM_MAX_STRING_SIZE","features":[322]},{"name":"NDIS_PM_PACKET_PATTERN","features":[322]},{"name":"NDIS_PM_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_PM_PARAMETERS_REVISION_2","features":[322]},{"name":"NDIS_PM_PRIVATE_PATTERN_ID","features":[322]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_80211_RSN_REKEY_ENABLED","features":[322]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_80211_RSN_REKEY_SUPPORTED","features":[322]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_ARP_ENABLED","features":[322]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_ARP_SUPPORTED","features":[322]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_NS_ENABLED","features":[322]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_NS_SUPPORTED","features":[322]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_PRIORITY_HIGHEST","features":[322]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_PRIORITY_LOWEST","features":[322]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_PRIORITY_NORMAL","features":[322]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_REVISION_1","features":[322]},{"name":"NDIS_PM_PROTOCOL_OFFLOAD_REVISION_2","features":[322]},{"name":"NDIS_PM_SELECTIVE_SUSPEND_ENABLED","features":[322]},{"name":"NDIS_PM_SELECTIVE_SUSPEND_SUPPORTED","features":[322]},{"name":"NDIS_PM_WAKE_ON_LINK_CHANGE_ENABLED","features":[322]},{"name":"NDIS_PM_WAKE_ON_MEDIA_CONNECT_SUPPORTED","features":[322]},{"name":"NDIS_PM_WAKE_ON_MEDIA_DISCONNECT_ENABLED","features":[322]},{"name":"NDIS_PM_WAKE_ON_MEDIA_DISCONNECT_SUPPORTED","features":[322]},{"name":"NDIS_PM_WAKE_PACKET_INDICATION_SUPPORTED","features":[322]},{"name":"NDIS_PM_WAKE_PACKET_REVISION_1","features":[322]},{"name":"NDIS_PM_WAKE_REASON_REVISION_1","features":[322]},{"name":"NDIS_PM_WAKE_UP_CAPABILITIES","features":[322]},{"name":"NDIS_PM_WOL_BITMAP_PATTERN_ENABLED","features":[322]},{"name":"NDIS_PM_WOL_BITMAP_PATTERN_SUPPORTED","features":[322]},{"name":"NDIS_PM_WOL_EAPOL_REQUEST_ID_MESSAGE_ENABLED","features":[322]},{"name":"NDIS_PM_WOL_EAPOL_REQUEST_ID_MESSAGE_SUPPORTED","features":[322]},{"name":"NDIS_PM_WOL_IPV4_DEST_ADDR_WILDCARD_ENABLED","features":[322]},{"name":"NDIS_PM_WOL_IPV4_DEST_ADDR_WILDCARD_SUPPORTED","features":[322]},{"name":"NDIS_PM_WOL_IPV4_TCP_SYN_ENABLED","features":[322]},{"name":"NDIS_PM_WOL_IPV4_TCP_SYN_SUPPORTED","features":[322]},{"name":"NDIS_PM_WOL_IPV6_DEST_ADDR_WILDCARD_ENABLED","features":[322]},{"name":"NDIS_PM_WOL_IPV6_DEST_ADDR_WILDCARD_SUPPORTED","features":[322]},{"name":"NDIS_PM_WOL_IPV6_TCP_SYN_ENABLED","features":[322]},{"name":"NDIS_PM_WOL_IPV6_TCP_SYN_SUPPORTED","features":[322]},{"name":"NDIS_PM_WOL_MAGIC_PACKET_ENABLED","features":[322]},{"name":"NDIS_PM_WOL_MAGIC_PACKET_SUPPORTED","features":[322]},{"name":"NDIS_PM_WOL_PATTERN_REVISION_1","features":[322]},{"name":"NDIS_PM_WOL_PATTERN_REVISION_2","features":[322]},{"name":"NDIS_PM_WOL_PRIORITY_HIGHEST","features":[322]},{"name":"NDIS_PM_WOL_PRIORITY_LOWEST","features":[322]},{"name":"NDIS_PM_WOL_PRIORITY_NORMAL","features":[322]},{"name":"NDIS_PNP_CAPABILITIES","features":[322]},{"name":"NDIS_PNP_WAKE_UP_LINK_CHANGE","features":[322]},{"name":"NDIS_PNP_WAKE_UP_MAGIC_PACKET","features":[322]},{"name":"NDIS_PNP_WAKE_UP_PATTERN_MATCH","features":[322]},{"name":"NDIS_PORT","features":[322]},{"name":"NDIS_PORT_ARRAY","features":[322]},{"name":"NDIS_PORT_ARRAY_REVISION_1","features":[322]},{"name":"NDIS_PORT_AUTHENTICATION_PARAMETERS","features":[322]},{"name":"NDIS_PORT_AUTHENTICATION_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_PORT_AUTHORIZATION_STATE","features":[322]},{"name":"NDIS_PORT_CHARACTERISTICS","features":[322]},{"name":"NDIS_PORT_CHARACTERISTICS_REVISION_1","features":[322]},{"name":"NDIS_PORT_CHAR_USE_DEFAULT_AUTH_SETTINGS","features":[322]},{"name":"NDIS_PORT_CONTROL_STATE","features":[322]},{"name":"NDIS_PORT_STATE","features":[322]},{"name":"NDIS_PORT_STATE_REVISION_1","features":[322]},{"name":"NDIS_PORT_TYPE","features":[322]},{"name":"NDIS_PROCESSOR_VENDOR","features":[322]},{"name":"NDIS_PROTOCOL_ID_DEFAULT","features":[322]},{"name":"NDIS_PROTOCOL_ID_IP6","features":[322]},{"name":"NDIS_PROTOCOL_ID_IPX","features":[322]},{"name":"NDIS_PROTOCOL_ID_MASK","features":[322]},{"name":"NDIS_PROTOCOL_ID_MAX","features":[322]},{"name":"NDIS_PROTOCOL_ID_NBF","features":[322]},{"name":"NDIS_PROTOCOL_ID_TCP_IP","features":[322]},{"name":"NDIS_PROT_OPTION_ESTIMATED_LENGTH","features":[322]},{"name":"NDIS_PROT_OPTION_NO_LOOPBACK","features":[322]},{"name":"NDIS_PROT_OPTION_NO_RSVD_ON_RCVPKT","features":[322]},{"name":"NDIS_PROT_OPTION_SEND_RESTRICTED","features":[322]},{"name":"NDIS_QOS_ACTION_MAXIMUM","features":[322]},{"name":"NDIS_QOS_ACTION_PRIORITY","features":[322]},{"name":"NDIS_QOS_CAPABILITIES_CEE_DCBX_SUPPORTED","features":[322]},{"name":"NDIS_QOS_CAPABILITIES_IEEE_DCBX_SUPPORTED","features":[322]},{"name":"NDIS_QOS_CAPABILITIES_MACSEC_BYPASS_SUPPORTED","features":[322]},{"name":"NDIS_QOS_CAPABILITIES_REVISION_1","features":[322]},{"name":"NDIS_QOS_CAPABILITIES_STRICT_TSA_SUPPORTED","features":[322]},{"name":"NDIS_QOS_CLASSIFICATION_ELEMENT_REVISION_1","features":[322]},{"name":"NDIS_QOS_CLASSIFICATION_ENFORCED_BY_MINIPORT","features":[322]},{"name":"NDIS_QOS_CLASSIFICATION_SET_BY_MINIPORT_MASK","features":[322]},{"name":"NDIS_QOS_CONDITION_DEFAULT","features":[322]},{"name":"NDIS_QOS_CONDITION_ETHERTYPE","features":[322]},{"name":"NDIS_QOS_CONDITION_MAXIMUM","features":[322]},{"name":"NDIS_QOS_CONDITION_NETDIRECT_PORT","features":[322]},{"name":"NDIS_QOS_CONDITION_RESERVED","features":[322]},{"name":"NDIS_QOS_CONDITION_TCP_OR_UDP_PORT","features":[322]},{"name":"NDIS_QOS_CONDITION_TCP_PORT","features":[322]},{"name":"NDIS_QOS_CONDITION_UDP_PORT","features":[322]},{"name":"NDIS_QOS_DEFAULT_SQ_ID","features":[322]},{"name":"NDIS_QOS_MAXIMUM_PRIORITIES","features":[322]},{"name":"NDIS_QOS_MAXIMUM_TRAFFIC_CLASSES","features":[322]},{"name":"NDIS_QOS_OFFLOAD_CAPABILITIES_REVISION_1","features":[322]},{"name":"NDIS_QOS_OFFLOAD_CAPABILITIES_REVISION_2","features":[322]},{"name":"NDIS_QOS_OFFLOAD_CAPS_GFT_SQ","features":[322]},{"name":"NDIS_QOS_OFFLOAD_CAPS_STANDARD_SQ","features":[322]},{"name":"NDIS_QOS_PARAMETERS_CLASSIFICATION_CHANGED","features":[322]},{"name":"NDIS_QOS_PARAMETERS_CLASSIFICATION_CONFIGURED","features":[322]},{"name":"NDIS_QOS_PARAMETERS_ETS_CHANGED","features":[322]},{"name":"NDIS_QOS_PARAMETERS_ETS_CONFIGURED","features":[322]},{"name":"NDIS_QOS_PARAMETERS_PFC_CHANGED","features":[322]},{"name":"NDIS_QOS_PARAMETERS_PFC_CONFIGURED","features":[322]},{"name":"NDIS_QOS_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_QOS_PARAMETERS_WILLING","features":[322]},{"name":"NDIS_QOS_SQ_ARRAY_REVISION_1","features":[322]},{"name":"NDIS_QOS_SQ_PARAMETERS_ARRAY_REVISION_1","features":[322]},{"name":"NDIS_QOS_SQ_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_QOS_SQ_PARAMETERS_REVISION_2","features":[322]},{"name":"NDIS_QOS_SQ_RECEIVE_CAP_ENABLED","features":[322]},{"name":"NDIS_QOS_SQ_STATS_REVISION_1","features":[322]},{"name":"NDIS_QOS_SQ_TRANSMIT_CAP_ENABLED","features":[322]},{"name":"NDIS_QOS_SQ_TRANSMIT_RESERVATION_ENABLED","features":[322]},{"name":"NDIS_QOS_TSA_CBS","features":[322]},{"name":"NDIS_QOS_TSA_ETS","features":[322]},{"name":"NDIS_QOS_TSA_MAXIMUM","features":[322]},{"name":"NDIS_QOS_TSA_STRICT","features":[322]},{"name":"NDIS_RECEIVE_FILTER_ANY_VLAN_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_ARP_HEADER_OPERATION_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_ARP_HEADER_SPA_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_ARP_HEADER_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_ARP_HEADER_TPA_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_CAPABILITIES_REVISION_1","features":[322]},{"name":"NDIS_RECEIVE_FILTER_CAPABILITIES_REVISION_2","features":[322]},{"name":"NDIS_RECEIVE_FILTER_CLEAR_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_RECEIVE_FILTER_DYNAMIC_PROCESSOR_AFFINITY_CHANGE_FOR_DEFAULT_QUEUE_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_DYNAMIC_PROCESSOR_AFFINITY_CHANGE_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_FIELD_MAC_HEADER_VLAN_UNTAGGED_OR_ZERO","features":[322]},{"name":"NDIS_RECEIVE_FILTER_FIELD_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_RECEIVE_FILTER_FIELD_PARAMETERS_REVISION_2","features":[322]},{"name":"NDIS_RECEIVE_FILTER_FLAGS_RESERVED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_GLOBAL_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_RECEIVE_FILTER_IMPLAT_MIN_OF_QUEUES_MODE","features":[322]},{"name":"NDIS_RECEIVE_FILTER_IMPLAT_SUM_OF_QUEUES_MODE","features":[322]},{"name":"NDIS_RECEIVE_FILTER_INFO_ARRAY_REVISION_1","features":[322]},{"name":"NDIS_RECEIVE_FILTER_INFO_ARRAY_REVISION_2","features":[322]},{"name":"NDIS_RECEIVE_FILTER_INFO_ARRAY_VPORT_ID_SPECIFIED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_INFO_REVISION_1","features":[322]},{"name":"NDIS_RECEIVE_FILTER_INTERRUPT_VECTOR_COALESCING_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_IPV4_HEADER_PROTOCOL_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_IPV4_HEADER_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_IPV6_HEADER_PROTOCOL_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_IPV6_HEADER_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_LOOKAHEAD_SPLIT_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_DEST_ADDR_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_PACKET_TYPE_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_PRIORITY_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_PROTOCOL_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_SOURCE_ADDR_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_MAC_HEADER_VLAN_ID_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_MOVE_FILTER_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_RECEIVE_FILTER_MSI_X_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_PACKET_COALESCING_FILTERS_ENABLED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_PACKET_COALESCING_SUPPORTED_ON_DEFAULT_QUEUE","features":[322]},{"name":"NDIS_RECEIVE_FILTER_PACKET_ENCAPSULATION","features":[322]},{"name":"NDIS_RECEIVE_FILTER_PACKET_ENCAPSULATION_GRE","features":[322]},{"name":"NDIS_RECEIVE_FILTER_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_RECEIVE_FILTER_PARAMETERS_REVISION_2","features":[322]},{"name":"NDIS_RECEIVE_FILTER_RESERVED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_TEST_HEADER_FIELD_EQUAL_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_TEST_HEADER_FIELD_MASK_EQUAL_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_TEST_HEADER_FIELD_NOT_EQUAL_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_UDP_HEADER_DEST_PORT_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_UDP_HEADER_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_VMQ_FILTERS_ENABLED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_VM_QUEUES_ENABLED","features":[322]},{"name":"NDIS_RECEIVE_FILTER_VM_QUEUE_SUPPORTED","features":[322]},{"name":"NDIS_RECEIVE_HASH_FLAG_ENABLE_HASH","features":[322]},{"name":"NDIS_RECEIVE_HASH_FLAG_HASH_INFO_UNCHANGED","features":[322]},{"name":"NDIS_RECEIVE_HASH_FLAG_HASH_KEY_UNCHANGED","features":[322]},{"name":"NDIS_RECEIVE_HASH_PARAMETERS","features":[322]},{"name":"NDIS_RECEIVE_HASH_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_RECEIVE_QUEUE_ALLOCATION_COMPLETE_ARRAY_REVISION_1","features":[322]},{"name":"NDIS_RECEIVE_QUEUE_ALLOCATION_COMPLETE_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_RECEIVE_QUEUE_FREE_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_RECEIVE_QUEUE_INFO_ARRAY_REVISION_1","features":[322]},{"name":"NDIS_RECEIVE_QUEUE_INFO_REVISION_1","features":[322]},{"name":"NDIS_RECEIVE_QUEUE_INFO_REVISION_2","features":[322]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_CHANGE_MASK","features":[322]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_FLAGS_CHANGED","features":[322]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_INTERRUPT_COALESCING_DOMAIN_ID_CHANGED","features":[322]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_LOOKAHEAD_SPLIT_REQUIRED","features":[322]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_NAME_CHANGED","features":[322]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_PER_QUEUE_RECEIVE_INDICATION","features":[322]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_PROCESSOR_AFFINITY_CHANGED","features":[322]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_QOS_SQ_ID_CHANGED","features":[322]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_REVISION_2","features":[322]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_REVISION_3","features":[322]},{"name":"NDIS_RECEIVE_QUEUE_PARAMETERS_SUGGESTED_RECV_BUFFER_NUMBERS_CHANGED","features":[322]},{"name":"NDIS_RECEIVE_SCALE_CAPABILITIES","features":[322]},{"name":"NDIS_RECEIVE_SCALE_CAPABILITIES_REVISION_1","features":[322]},{"name":"NDIS_RECEIVE_SCALE_CAPABILITIES_REVISION_2","features":[322]},{"name":"NDIS_RECEIVE_SCALE_CAPABILITIES_REVISION_3","features":[322]},{"name":"NDIS_RECEIVE_SCALE_PARAMETERS","features":[322]},{"name":"NDIS_RECEIVE_SCALE_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_RECEIVE_SCALE_PARAMETERS_REVISION_2","features":[322]},{"name":"NDIS_RECEIVE_SCALE_PARAMETERS_REVISION_3","features":[322]},{"name":"NDIS_RECEIVE_SCALE_PARAMETERS_V2_REVISION_1","features":[322]},{"name":"NDIS_RECEIVE_SCALE_PARAM_ENABLE_RSS","features":[322]},{"name":"NDIS_RECEIVE_SCALE_PARAM_HASH_INFO_CHANGED","features":[322]},{"name":"NDIS_RECEIVE_SCALE_PARAM_HASH_KEY_CHANGED","features":[322]},{"name":"NDIS_RECEIVE_SCALE_PARAM_NUMBER_OF_ENTRIES_CHANGED","features":[322]},{"name":"NDIS_RECEIVE_SCALE_PARAM_NUMBER_OF_QUEUES_CHANGED","features":[322]},{"name":"NDIS_REQUEST_TYPE","features":[322]},{"name":"NDIS_RING_AUTO_REMOVAL_ERROR","features":[322]},{"name":"NDIS_RING_COUNTER_OVERFLOW","features":[322]},{"name":"NDIS_RING_HARD_ERROR","features":[322]},{"name":"NDIS_RING_LOBE_WIRE_FAULT","features":[322]},{"name":"NDIS_RING_REMOVE_RECEIVED","features":[322]},{"name":"NDIS_RING_RING_RECOVERY","features":[322]},{"name":"NDIS_RING_SIGNAL_LOSS","features":[322]},{"name":"NDIS_RING_SINGLE_STATION","features":[322]},{"name":"NDIS_RING_SOFT_ERROR","features":[322]},{"name":"NDIS_RING_TRANSMIT_BEACON","features":[322]},{"name":"NDIS_ROUTING_DOMAIN_ENTRY_REVISION_1","features":[322]},{"name":"NDIS_ROUTING_DOMAIN_ISOLATION_ENTRY_REVISION_1","features":[322]},{"name":"NDIS_RSC_STATISTICS_REVISION_1","features":[322]},{"name":"NDIS_RSS_CAPS_CLASSIFICATION_AT_DPC","features":[322]},{"name":"NDIS_RSS_CAPS_CLASSIFICATION_AT_ISR","features":[322]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_TCP_IPV4","features":[322]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_TCP_IPV6","features":[322]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_TCP_IPV6_EX","features":[322]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_UDP_IPV4","features":[322]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_UDP_IPV6","features":[322]},{"name":"NDIS_RSS_CAPS_HASH_TYPE_UDP_IPV6_EX","features":[322]},{"name":"NDIS_RSS_CAPS_MESSAGE_SIGNALED_INTERRUPTS","features":[322]},{"name":"NDIS_RSS_CAPS_RSS_AVAILABLE_ON_PORTS","features":[322]},{"name":"NDIS_RSS_CAPS_SUPPORTS_INDEPENDENT_ENTRY_MOVE","features":[322]},{"name":"NDIS_RSS_CAPS_SUPPORTS_MSI_X","features":[322]},{"name":"NDIS_RSS_CAPS_USING_MSI_X","features":[322]},{"name":"NDIS_RSS_HASH_SECRET_KEY_MAX_SIZE_REVISION_1","features":[322]},{"name":"NDIS_RSS_HASH_SECRET_KEY_MAX_SIZE_REVISION_2","features":[322]},{"name":"NDIS_RSS_HASH_SECRET_KEY_MAX_SIZE_REVISION_3","features":[322]},{"name":"NDIS_RSS_HASH_SECRET_KEY_SIZE_REVISION_1","features":[322]},{"name":"NDIS_RSS_INDIRECTION_TABLE_MAX_SIZE_REVISION_1","features":[322]},{"name":"NDIS_RSS_INDIRECTION_TABLE_SIZE_REVISION_1","features":[322]},{"name":"NDIS_RSS_PARAM_FLAG_BASE_CPU_UNCHANGED","features":[322]},{"name":"NDIS_RSS_PARAM_FLAG_DEFAULT_PROCESSOR_UNCHANGED","features":[322]},{"name":"NDIS_RSS_PARAM_FLAG_DISABLE_RSS","features":[322]},{"name":"NDIS_RSS_PARAM_FLAG_HASH_INFO_UNCHANGED","features":[322]},{"name":"NDIS_RSS_PARAM_FLAG_HASH_KEY_UNCHANGED","features":[322]},{"name":"NDIS_RSS_PARAM_FLAG_ITABLE_UNCHANGED","features":[322]},{"name":"NDIS_RSS_PROCESSOR_INFO_REVISION_1","features":[322]},{"name":"NDIS_RSS_PROCESSOR_INFO_REVISION_2","features":[322]},{"name":"NDIS_RSS_SET_INDIRECTION_ENTRIES_REVISION_1","features":[322]},{"name":"NDIS_RSS_SET_INDIRECTION_ENTRY_FLAG_DEFAULT_PROCESSOR","features":[322]},{"name":"NDIS_RSS_SET_INDIRECTION_ENTRY_FLAG_PRIMARY_PROCESSOR","features":[322]},{"name":"NDIS_SIZEOF_NDIS_PM_PROTOCOL_OFFLOAD_REVISION_1","features":[322]},{"name":"NDIS_SRIOV_BAR_RESOURCES_INFO_REVISION_1","features":[322]},{"name":"NDIS_SRIOV_CAPABILITIES_REVISION_1","features":[322]},{"name":"NDIS_SRIOV_CAPS_PF_MINIPORT","features":[322]},{"name":"NDIS_SRIOV_CAPS_SRIOV_SUPPORTED","features":[322]},{"name":"NDIS_SRIOV_CAPS_VF_MINIPORT","features":[322]},{"name":"NDIS_SRIOV_CONFIG_STATE_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_SRIOV_OVERLYING_ADAPTER_INFO_VERSION_1","features":[322]},{"name":"NDIS_SRIOV_PF_LUID_INFO_REVISION_1","features":[322]},{"name":"NDIS_SRIOV_PROBED_BARS_INFO_REVISION_1","features":[322]},{"name":"NDIS_SRIOV_READ_VF_CONFIG_BLOCK_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_SRIOV_READ_VF_CONFIG_SPACE_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_SRIOV_RESET_VF_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_SRIOV_SET_VF_POWER_STATE_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_SRIOV_VF_INVALIDATE_CONFIG_BLOCK_INFO_REVISION_1","features":[322]},{"name":"NDIS_SRIOV_VF_SERIAL_NUMBER_INFO_REVISION_1","features":[322]},{"name":"NDIS_SRIOV_VF_VENDOR_DEVICE_ID_INFO_REVISION_1","features":[322]},{"name":"NDIS_SRIOV_WRITE_VF_CONFIG_BLOCK_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_SRIOV_WRITE_VF_CONFIG_SPACE_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BROADCAST_BYTES_RCV","features":[322]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BROADCAST_BYTES_XMIT","features":[322]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BROADCAST_FRAMES_RCV","features":[322]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BROADCAST_FRAMES_XMIT","features":[322]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BYTES_RCV","features":[322]},{"name":"NDIS_STATISTICS_FLAGS_VALID_BYTES_XMIT","features":[322]},{"name":"NDIS_STATISTICS_FLAGS_VALID_DIRECTED_BYTES_RCV","features":[322]},{"name":"NDIS_STATISTICS_FLAGS_VALID_DIRECTED_BYTES_XMIT","features":[322]},{"name":"NDIS_STATISTICS_FLAGS_VALID_DIRECTED_FRAMES_RCV","features":[322]},{"name":"NDIS_STATISTICS_FLAGS_VALID_DIRECTED_FRAMES_XMIT","features":[322]},{"name":"NDIS_STATISTICS_FLAGS_VALID_MULTICAST_BYTES_RCV","features":[322]},{"name":"NDIS_STATISTICS_FLAGS_VALID_MULTICAST_BYTES_XMIT","features":[322]},{"name":"NDIS_STATISTICS_FLAGS_VALID_MULTICAST_FRAMES_RCV","features":[322]},{"name":"NDIS_STATISTICS_FLAGS_VALID_MULTICAST_FRAMES_XMIT","features":[322]},{"name":"NDIS_STATISTICS_FLAGS_VALID_RCV_DISCARDS","features":[322]},{"name":"NDIS_STATISTICS_FLAGS_VALID_RCV_ERROR","features":[322]},{"name":"NDIS_STATISTICS_FLAGS_VALID_XMIT_DISCARDS","features":[322]},{"name":"NDIS_STATISTICS_FLAGS_VALID_XMIT_ERROR","features":[322]},{"name":"NDIS_STATISTICS_INFO","features":[322]},{"name":"NDIS_STATISTICS_INFO_REVISION_1","features":[322]},{"name":"NDIS_STATISTICS_VALUE","features":[322]},{"name":"NDIS_STATISTICS_VALUE_EX","features":[322]},{"name":"NDIS_SUPPORTED_PAUSE_FUNCTIONS","features":[322]},{"name":"NDIS_SUPPORT_NDIS6","features":[322]},{"name":"NDIS_SUPPORT_NDIS61","features":[322]},{"name":"NDIS_SUPPORT_NDIS620","features":[322]},{"name":"NDIS_SUPPORT_NDIS630","features":[322]},{"name":"NDIS_SUPPORT_NDIS640","features":[322]},{"name":"NDIS_SUPPORT_NDIS650","features":[322]},{"name":"NDIS_SUPPORT_NDIS651","features":[322]},{"name":"NDIS_SUPPORT_NDIS660","features":[322]},{"name":"NDIS_SUPPORT_NDIS670","features":[322]},{"name":"NDIS_SUPPORT_NDIS680","features":[322]},{"name":"NDIS_SUPPORT_NDIS681","features":[322]},{"name":"NDIS_SUPPORT_NDIS682","features":[322]},{"name":"NDIS_SUPPORT_NDIS683","features":[322]},{"name":"NDIS_SUPPORT_NDIS684","features":[322]},{"name":"NDIS_SUPPORT_NDIS685","features":[322]},{"name":"NDIS_SUPPORT_NDIS686","features":[322]},{"name":"NDIS_SUPPORT_NDIS687","features":[322]},{"name":"NDIS_SWITCH_FEATURE_STATUS_CUSTOM_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_FEATURE_STATUS_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_NIC_ARRAY_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_NIC_FLAGS_MAPPED_NIC_UPDATED","features":[322]},{"name":"NDIS_SWITCH_NIC_FLAGS_NIC_INITIALIZING","features":[322]},{"name":"NDIS_SWITCH_NIC_FLAGS_NIC_SUSPENDED","features":[322]},{"name":"NDIS_SWITCH_NIC_FLAGS_NIC_SUSPENDED_LM","features":[322]},{"name":"NDIS_SWITCH_NIC_OID_REQUEST_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_NIC_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_NIC_PARAMETERS_REVISION_2","features":[322]},{"name":"NDIS_SWITCH_NIC_SAVE_STATE_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_NIC_SAVE_STATE_REVISION_2","features":[322]},{"name":"NDIS_SWITCH_OBJECT_SERIALIZATION_VERSION_1","features":[322]},{"name":"NDIS_SWITCH_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_PORT_ARRAY_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_PORT_FEATURE_STATUS_CUSTOM_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_PORT_FEATURE_STATUS_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_PORT_PARAMETERS_FLAG_RESTORING_PORT","features":[322]},{"name":"NDIS_SWITCH_PORT_PARAMETERS_FLAG_UNTRUSTED_INTERNAL_PORT","features":[322]},{"name":"NDIS_SWITCH_PORT_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_PORT_PROPERTY_CUSTOM_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_PORT_PROPERTY_DELETE_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_PORT_PROPERTY_ENUM_INFO_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_PORT_PROPERTY_ENUM_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_PORT_PROPERTY_ISOLATION_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_PORT_PROPERTY_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_PORT_PROPERTY_PROFILE_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_PORT_PROPERTY_ROUTING_DOMAIN_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_PORT_PROPERTY_SECURITY_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_PORT_PROPERTY_SECURITY_REVISION_2","features":[322]},{"name":"NDIS_SWITCH_PORT_PROPERTY_VLAN_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_PROPERTY_CUSTOM_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_PROPERTY_DELETE_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_PROPERTY_ENUM_INFO_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_PROPERTY_ENUM_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_SWITCH_PROPERTY_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_SYSTEM_PROCESSOR_INFO_EX_REVISION_1","features":[322]},{"name":"NDIS_TCP_CONNECTION_OFFLOAD","features":[322]},{"name":"NDIS_TCP_CONNECTION_OFFLOAD_REVISION_1","features":[322]},{"name":"NDIS_TCP_CONNECTION_OFFLOAD_REVISION_2","features":[322]},{"name":"NDIS_TCP_IP_CHECKSUM_OFFLOAD","features":[322]},{"name":"NDIS_TCP_LARGE_SEND_OFFLOAD_V1","features":[322]},{"name":"NDIS_TCP_LARGE_SEND_OFFLOAD_V2","features":[322]},{"name":"NDIS_TCP_RECV_SEG_COALESC_OFFLOAD_REVISION_1","features":[322]},{"name":"NDIS_TIMEOUT_DPC_REQUEST_CAPABILITIES","features":[322]},{"name":"NDIS_TIMEOUT_DPC_REQUEST_CAPABILITIES_REVISION_1","features":[322]},{"name":"NDIS_TIMESTAMP_CAPABILITIES","features":[308,322]},{"name":"NDIS_TIMESTAMP_CAPABILITIES_REVISION_1","features":[322]},{"name":"NDIS_TIMESTAMP_CAPABILITY_FLAGS","features":[308,322]},{"name":"NDIS_VAR_DATA_DESC","features":[322]},{"name":"NDIS_WAN_HEADER_FORMAT","features":[322]},{"name":"NDIS_WAN_MEDIUM_SUBTYPE","features":[322]},{"name":"NDIS_WAN_PROTOCOL_CAPS","features":[322]},{"name":"NDIS_WAN_QUALITY","features":[322]},{"name":"NDIS_WLAN_BSSID","features":[322]},{"name":"NDIS_WLAN_BSSID_EX","features":[322]},{"name":"NDIS_WLAN_WAKE_ON_4WAY_HANDSHAKE_REQUEST_ENABLED","features":[322]},{"name":"NDIS_WLAN_WAKE_ON_4WAY_HANDSHAKE_REQUEST_SUPPORTED","features":[322]},{"name":"NDIS_WLAN_WAKE_ON_AP_ASSOCIATION_LOST_ENABLED","features":[322]},{"name":"NDIS_WLAN_WAKE_ON_AP_ASSOCIATION_LOST_SUPPORTED","features":[322]},{"name":"NDIS_WLAN_WAKE_ON_GTK_HANDSHAKE_ERROR_ENABLED","features":[322]},{"name":"NDIS_WLAN_WAKE_ON_GTK_HANDSHAKE_ERROR_SUPPORTED","features":[322]},{"name":"NDIS_WLAN_WAKE_ON_NLO_DISCOVERY_ENABLED","features":[322]},{"name":"NDIS_WLAN_WAKE_ON_NLO_DISCOVERY_SUPPORTED","features":[322]},{"name":"NDIS_WMI_DEFAULT_METHOD_ID","features":[322]},{"name":"NDIS_WMI_ENUM_ADAPTER","features":[322]},{"name":"NDIS_WMI_ENUM_ADAPTER_REVISION_1","features":[322]},{"name":"NDIS_WMI_EVENT_HEADER","features":[322]},{"name":"NDIS_WMI_EVENT_HEADER_REVISION_1","features":[322]},{"name":"NDIS_WMI_IPSEC_OFFLOAD_V1","features":[322]},{"name":"NDIS_WMI_METHOD_HEADER","features":[322]},{"name":"NDIS_WMI_METHOD_HEADER_REVISION_1","features":[322]},{"name":"NDIS_WMI_OBJECT_TYPE_ENUM_ADAPTER","features":[322]},{"name":"NDIS_WMI_OBJECT_TYPE_EVENT","features":[322]},{"name":"NDIS_WMI_OBJECT_TYPE_METHOD","features":[322]},{"name":"NDIS_WMI_OBJECT_TYPE_OUTPUT_INFO","features":[322]},{"name":"NDIS_WMI_OBJECT_TYPE_SET","features":[322]},{"name":"NDIS_WMI_OFFLOAD","features":[322]},{"name":"NDIS_WMI_OUTPUT_INFO","features":[322]},{"name":"NDIS_WMI_PM_ACTIVE_CAPABILITIES_REVISION_1","features":[322]},{"name":"NDIS_WMI_PM_ADMIN_CONFIG_REVISION_1","features":[322]},{"name":"NDIS_WMI_RECEIVE_QUEUE_INFO_REVISION_1","features":[322]},{"name":"NDIS_WMI_RECEIVE_QUEUE_PARAMETERS_REVISION_1","features":[322]},{"name":"NDIS_WMI_SET_HEADER","features":[322]},{"name":"NDIS_WMI_SET_HEADER_REVISION_1","features":[322]},{"name":"NDIS_WMI_TCP_CONNECTION_OFFLOAD","features":[322]},{"name":"NDIS_WMI_TCP_IP_CHECKSUM_OFFLOAD","features":[322]},{"name":"NDIS_WMI_TCP_LARGE_SEND_OFFLOAD_V1","features":[322]},{"name":"NDIS_WMI_TCP_LARGE_SEND_OFFLOAD_V2","features":[322]},{"name":"NDIS_WWAN_WAKE_ON_PACKET_STATE_ENABLED","features":[322]},{"name":"NDIS_WWAN_WAKE_ON_PACKET_STATE_SUPPORTED","features":[322]},{"name":"NDIS_WWAN_WAKE_ON_REGISTER_STATE_ENABLED","features":[322]},{"name":"NDIS_WWAN_WAKE_ON_REGISTER_STATE_SUPPORTED","features":[322]},{"name":"NDIS_WWAN_WAKE_ON_SMS_RECEIVE_ENABLED","features":[322]},{"name":"NDIS_WWAN_WAKE_ON_SMS_RECEIVE_SUPPORTED","features":[322]},{"name":"NDIS_WWAN_WAKE_ON_UICC_CHANGE_ENABLED","features":[322]},{"name":"NDIS_WWAN_WAKE_ON_UICC_CHANGE_SUPPORTED","features":[322]},{"name":"NDIS_WWAN_WAKE_ON_USSD_RECEIVE_ENABLED","features":[322]},{"name":"NDIS_WWAN_WAKE_ON_USSD_RECEIVE_SUPPORTED","features":[322]},{"name":"NDK_ADAPTER_FLAG_CQ_INTERRUPT_MODERATION_SUPPORTED","features":[322]},{"name":"NDK_ADAPTER_FLAG_CQ_RESIZE_SUPPORTED","features":[322]},{"name":"NDK_ADAPTER_FLAG_IN_ORDER_DMA_SUPPORTED","features":[322]},{"name":"NDK_ADAPTER_FLAG_LOOPBACK_CONNECTIONS_SUPPORTED","features":[322]},{"name":"NDK_ADAPTER_FLAG_MULTI_ENGINE_SUPPORTED","features":[322]},{"name":"NDK_ADAPTER_FLAG_RDMA_READ_LOCAL_INVALIDATE_SUPPORTED","features":[322]},{"name":"NDK_ADAPTER_FLAG_RDMA_READ_SINK_NOT_REQUIRED","features":[322]},{"name":"NDK_ADAPTER_INFO","features":[322]},{"name":"NDK_RDMA_TECHNOLOGY","features":[322]},{"name":"NDK_VERSION","features":[322]},{"name":"NETWORK_ADDRESS","features":[322]},{"name":"NETWORK_ADDRESS_IP","features":[322]},{"name":"NETWORK_ADDRESS_IP6","features":[322]},{"name":"NETWORK_ADDRESS_IPX","features":[322]},{"name":"NETWORK_ADDRESS_LIST","features":[322]},{"name":"NET_IFLUID_UNSPECIFIED","features":[322]},{"name":"NET_IF_ACCESS_BROADCAST","features":[322]},{"name":"NET_IF_ACCESS_LOOPBACK","features":[322]},{"name":"NET_IF_ACCESS_MAXIMUM","features":[322]},{"name":"NET_IF_ACCESS_POINT_TO_MULTI_POINT","features":[322]},{"name":"NET_IF_ACCESS_POINT_TO_POINT","features":[322]},{"name":"NET_IF_ACCESS_TYPE","features":[322]},{"name":"NET_IF_ADMIN_STATUS","features":[322]},{"name":"NET_IF_ADMIN_STATUS_DOWN","features":[322]},{"name":"NET_IF_ADMIN_STATUS_TESTING","features":[322]},{"name":"NET_IF_ADMIN_STATUS_UP","features":[322]},{"name":"NET_IF_ALIAS_LH","features":[322]},{"name":"NET_IF_CONNECTION_DEDICATED","features":[322]},{"name":"NET_IF_CONNECTION_DEMAND","features":[322]},{"name":"NET_IF_CONNECTION_MAXIMUM","features":[322]},{"name":"NET_IF_CONNECTION_PASSIVE","features":[322]},{"name":"NET_IF_CONNECTION_TYPE","features":[322]},{"name":"NET_IF_DIRECTION_MAXIMUM","features":[322]},{"name":"NET_IF_DIRECTION_RECEIVEONLY","features":[322]},{"name":"NET_IF_DIRECTION_SENDONLY","features":[322]},{"name":"NET_IF_DIRECTION_SENDRECEIVE","features":[322]},{"name":"NET_IF_DIRECTION_TYPE","features":[322]},{"name":"NET_IF_MEDIA_CONNECT_STATE","features":[322]},{"name":"NET_IF_MEDIA_DUPLEX_STATE","features":[322]},{"name":"NET_IF_OID_COMPARTMENT_ID","features":[322]},{"name":"NET_IF_OID_IF_ALIAS","features":[322]},{"name":"NET_IF_OID_IF_ENTRY","features":[322]},{"name":"NET_IF_OID_NETWORK_GUID","features":[322]},{"name":"NET_IF_OPER_STATUS","features":[322]},{"name":"NET_IF_OPER_STATUS_DORMANT","features":[322]},{"name":"NET_IF_OPER_STATUS_DORMANT_LOW_POWER","features":[322]},{"name":"NET_IF_OPER_STATUS_DORMANT_PAUSED","features":[322]},{"name":"NET_IF_OPER_STATUS_DOWN","features":[322]},{"name":"NET_IF_OPER_STATUS_DOWN_NOT_AUTHENTICATED","features":[322]},{"name":"NET_IF_OPER_STATUS_DOWN_NOT_MEDIA_CONNECTED","features":[322]},{"name":"NET_IF_OPER_STATUS_LOWER_LAYER_DOWN","features":[322]},{"name":"NET_IF_OPER_STATUS_NOT_PRESENT","features":[322]},{"name":"NET_IF_OPER_STATUS_TESTING","features":[322]},{"name":"NET_IF_OPER_STATUS_UNKNOWN","features":[322]},{"name":"NET_IF_OPER_STATUS_UP","features":[322]},{"name":"NET_IF_RCV_ADDRESS_LH","features":[322]},{"name":"NET_IF_RCV_ADDRESS_TYPE","features":[322]},{"name":"NET_IF_RCV_ADDRESS_TYPE_NON_VOLATILE","features":[322]},{"name":"NET_IF_RCV_ADDRESS_TYPE_OTHER","features":[322]},{"name":"NET_IF_RCV_ADDRESS_TYPE_VOLATILE","features":[322]},{"name":"NET_LUID_LH","features":[322]},{"name":"NET_PHYSICAL_LOCATION_LH","features":[322]},{"name":"NET_SITEID_MAXSYSTEM","features":[322]},{"name":"NET_SITEID_MAXUSER","features":[322]},{"name":"NET_SITEID_UNSPECIFIED","features":[322]},{"name":"NIIF_FILTER_INTERFACE","features":[322]},{"name":"NIIF_HARDWARE_INTERFACE","features":[322]},{"name":"NIIF_NDIS_ENDPOINT_INTERFACE","features":[322]},{"name":"NIIF_NDIS_ISCSI_INTERFACE","features":[322]},{"name":"NIIF_NDIS_RESERVED1","features":[322]},{"name":"NIIF_NDIS_RESERVED2","features":[322]},{"name":"NIIF_NDIS_RESERVED3","features":[322]},{"name":"NIIF_NDIS_RESERVED4","features":[322]},{"name":"NIIF_NDIS_WDM_INTERFACE","features":[322]},{"name":"Ndis802_11AuthModeAutoSwitch","features":[322]},{"name":"Ndis802_11AuthModeMax","features":[322]},{"name":"Ndis802_11AuthModeOpen","features":[322]},{"name":"Ndis802_11AuthModeShared","features":[322]},{"name":"Ndis802_11AuthModeWPA","features":[322]},{"name":"Ndis802_11AuthModeWPA2","features":[322]},{"name":"Ndis802_11AuthModeWPA2PSK","features":[322]},{"name":"Ndis802_11AuthModeWPA3","features":[322]},{"name":"Ndis802_11AuthModeWPA3Ent","features":[322]},{"name":"Ndis802_11AuthModeWPA3Ent192","features":[322]},{"name":"Ndis802_11AuthModeWPA3SAE","features":[322]},{"name":"Ndis802_11AuthModeWPANone","features":[322]},{"name":"Ndis802_11AuthModeWPAPSK","features":[322]},{"name":"Ndis802_11AutoUnknown","features":[322]},{"name":"Ndis802_11Automode","features":[322]},{"name":"Ndis802_11DS","features":[322]},{"name":"Ndis802_11Encryption1Enabled","features":[322]},{"name":"Ndis802_11Encryption1KeyAbsent","features":[322]},{"name":"Ndis802_11Encryption2Enabled","features":[322]},{"name":"Ndis802_11Encryption2KeyAbsent","features":[322]},{"name":"Ndis802_11Encryption3Enabled","features":[322]},{"name":"Ndis802_11Encryption3KeyAbsent","features":[322]},{"name":"Ndis802_11EncryptionDisabled","features":[322]},{"name":"Ndis802_11EncryptionNotSupported","features":[322]},{"name":"Ndis802_11FH","features":[322]},{"name":"Ndis802_11IBSS","features":[322]},{"name":"Ndis802_11Infrastructure","features":[322]},{"name":"Ndis802_11InfrastructureMax","features":[322]},{"name":"Ndis802_11MediaStreamOff","features":[322]},{"name":"Ndis802_11MediaStreamOn","features":[322]},{"name":"Ndis802_11NetworkTypeMax","features":[322]},{"name":"Ndis802_11OFDM24","features":[322]},{"name":"Ndis802_11OFDM5","features":[322]},{"name":"Ndis802_11PowerModeCAM","features":[322]},{"name":"Ndis802_11PowerModeFast_PSP","features":[322]},{"name":"Ndis802_11PowerModeMAX_PSP","features":[322]},{"name":"Ndis802_11PowerModeMax","features":[322]},{"name":"Ndis802_11PrivFilter8021xWEP","features":[322]},{"name":"Ndis802_11PrivFilterAcceptAll","features":[322]},{"name":"Ndis802_11RadioStatusHardwareOff","features":[322]},{"name":"Ndis802_11RadioStatusHardwareSoftwareOff","features":[322]},{"name":"Ndis802_11RadioStatusMax","features":[322]},{"name":"Ndis802_11RadioStatusOn","features":[322]},{"name":"Ndis802_11RadioStatusSoftwareOff","features":[322]},{"name":"Ndis802_11ReloadWEPKeys","features":[322]},{"name":"Ndis802_11StatusTypeMax","features":[322]},{"name":"Ndis802_11StatusType_Authentication","features":[322]},{"name":"Ndis802_11StatusType_MediaStreamMode","features":[322]},{"name":"Ndis802_11StatusType_PMKID_CandidateList","features":[322]},{"name":"Ndis802_11WEPDisabled","features":[322]},{"name":"Ndis802_11WEPEnabled","features":[322]},{"name":"Ndis802_11WEPKeyAbsent","features":[322]},{"name":"Ndis802_11WEPNotSupported","features":[322]},{"name":"NdisDefinitelyNetworkChange","features":[322]},{"name":"NdisDeviceStateD0","features":[322]},{"name":"NdisDeviceStateD1","features":[322]},{"name":"NdisDeviceStateD2","features":[322]},{"name":"NdisDeviceStateD3","features":[322]},{"name":"NdisDeviceStateMaximum","features":[322]},{"name":"NdisDeviceStateUnspecified","features":[322]},{"name":"NdisFddiRingDetect","features":[322]},{"name":"NdisFddiRingDirected","features":[322]},{"name":"NdisFddiRingIsolated","features":[322]},{"name":"NdisFddiRingNonOperational","features":[322]},{"name":"NdisFddiRingNonOperationalDup","features":[322]},{"name":"NdisFddiRingOperational","features":[322]},{"name":"NdisFddiRingOperationalDup","features":[322]},{"name":"NdisFddiRingTrace","features":[322]},{"name":"NdisFddiStateActive","features":[322]},{"name":"NdisFddiStateBreak","features":[322]},{"name":"NdisFddiStateConnect","features":[322]},{"name":"NdisFddiStateJoin","features":[322]},{"name":"NdisFddiStateMaintenance","features":[322]},{"name":"NdisFddiStateNext","features":[322]},{"name":"NdisFddiStateOff","features":[322]},{"name":"NdisFddiStateSignal","features":[322]},{"name":"NdisFddiStateTrace","features":[322]},{"name":"NdisFddiStateVerify","features":[322]},{"name":"NdisFddiTypeCWrapA","features":[322]},{"name":"NdisFddiTypeCWrapB","features":[322]},{"name":"NdisFddiTypeCWrapS","features":[322]},{"name":"NdisFddiTypeIsolated","features":[322]},{"name":"NdisFddiTypeLocalA","features":[322]},{"name":"NdisFddiTypeLocalAB","features":[322]},{"name":"NdisFddiTypeLocalB","features":[322]},{"name":"NdisFddiTypeLocalS","features":[322]},{"name":"NdisFddiTypeThrough","features":[322]},{"name":"NdisFddiTypeWrapA","features":[322]},{"name":"NdisFddiTypeWrapAB","features":[322]},{"name":"NdisFddiTypeWrapB","features":[322]},{"name":"NdisFddiTypeWrapS","features":[322]},{"name":"NdisHardwareStatusClosing","features":[322]},{"name":"NdisHardwareStatusInitializing","features":[322]},{"name":"NdisHardwareStatusNotReady","features":[322]},{"name":"NdisHardwareStatusReady","features":[322]},{"name":"NdisHardwareStatusReset","features":[322]},{"name":"NdisHashFunctionReserved1","features":[322]},{"name":"NdisHashFunctionReserved2","features":[322]},{"name":"NdisHashFunctionReserved3","features":[322]},{"name":"NdisHashFunctionToeplitz","features":[322]},{"name":"NdisInterruptModerationDisabled","features":[322]},{"name":"NdisInterruptModerationEnabled","features":[322]},{"name":"NdisInterruptModerationNotSupported","features":[322]},{"name":"NdisInterruptModerationUnknown","features":[322]},{"name":"NdisMediaStateConnected","features":[322]},{"name":"NdisMediaStateDisconnected","features":[322]},{"name":"NdisMedium1394","features":[322]},{"name":"NdisMedium802_3","features":[322]},{"name":"NdisMedium802_5","features":[322]},{"name":"NdisMediumArcnet878_2","features":[322]},{"name":"NdisMediumArcnetRaw","features":[322]},{"name":"NdisMediumAtm","features":[322]},{"name":"NdisMediumBpc","features":[322]},{"name":"NdisMediumCoWan","features":[322]},{"name":"NdisMediumDix","features":[322]},{"name":"NdisMediumFddi","features":[322]},{"name":"NdisMediumIP","features":[322]},{"name":"NdisMediumInfiniBand","features":[322]},{"name":"NdisMediumIrda","features":[322]},{"name":"NdisMediumLocalTalk","features":[322]},{"name":"NdisMediumLoopback","features":[322]},{"name":"NdisMediumMax","features":[322]},{"name":"NdisMediumNative802_11","features":[322]},{"name":"NdisMediumTunnel","features":[322]},{"name":"NdisMediumWan","features":[322]},{"name":"NdisMediumWiMAX","features":[322]},{"name":"NdisMediumWirelessWan","features":[322]},{"name":"NdisNetworkChangeFromMediaConnect","features":[322]},{"name":"NdisNetworkChangeMax","features":[322]},{"name":"NdisPauseFunctionsReceiveOnly","features":[322]},{"name":"NdisPauseFunctionsSendAndReceive","features":[322]},{"name":"NdisPauseFunctionsSendOnly","features":[322]},{"name":"NdisPauseFunctionsUnknown","features":[322]},{"name":"NdisPauseFunctionsUnsupported","features":[322]},{"name":"NdisPhysicalMedium1394","features":[322]},{"name":"NdisPhysicalMedium802_3","features":[322]},{"name":"NdisPhysicalMedium802_5","features":[322]},{"name":"NdisPhysicalMediumBluetooth","features":[322]},{"name":"NdisPhysicalMediumCableModem","features":[322]},{"name":"NdisPhysicalMediumDSL","features":[322]},{"name":"NdisPhysicalMediumFibreChannel","features":[322]},{"name":"NdisPhysicalMediumInfiniband","features":[322]},{"name":"NdisPhysicalMediumIrda","features":[322]},{"name":"NdisPhysicalMediumMax","features":[322]},{"name":"NdisPhysicalMediumNative802_11","features":[322]},{"name":"NdisPhysicalMediumNative802_15_4","features":[322]},{"name":"NdisPhysicalMediumOther","features":[322]},{"name":"NdisPhysicalMediumPhoneLine","features":[322]},{"name":"NdisPhysicalMediumPowerLine","features":[322]},{"name":"NdisPhysicalMediumUWB","features":[322]},{"name":"NdisPhysicalMediumUnspecified","features":[322]},{"name":"NdisPhysicalMediumWiMax","features":[322]},{"name":"NdisPhysicalMediumWiredCoWan","features":[322]},{"name":"NdisPhysicalMediumWiredWAN","features":[322]},{"name":"NdisPhysicalMediumWirelessLan","features":[322]},{"name":"NdisPhysicalMediumWirelessWan","features":[322]},{"name":"NdisPortAuthorizationUnknown","features":[322]},{"name":"NdisPortAuthorized","features":[322]},{"name":"NdisPortControlStateControlled","features":[322]},{"name":"NdisPortControlStateUncontrolled","features":[322]},{"name":"NdisPortControlStateUnknown","features":[322]},{"name":"NdisPortReauthorizing","features":[322]},{"name":"NdisPortType8021xSupplicant","features":[322]},{"name":"NdisPortTypeBridge","features":[322]},{"name":"NdisPortTypeMax","features":[322]},{"name":"NdisPortTypeRasConnection","features":[322]},{"name":"NdisPortTypeUndefined","features":[322]},{"name":"NdisPortUnauthorized","features":[322]},{"name":"NdisPossibleNetworkChange","features":[322]},{"name":"NdisProcessorVendorAuthenticAMD","features":[322]},{"name":"NdisProcessorVendorGenuinIntel","features":[322]},{"name":"NdisProcessorVendorGenuineIntel","features":[322]},{"name":"NdisProcessorVendorUnknown","features":[322]},{"name":"NdisRequestClose","features":[322]},{"name":"NdisRequestGeneric1","features":[322]},{"name":"NdisRequestGeneric2","features":[322]},{"name":"NdisRequestGeneric3","features":[322]},{"name":"NdisRequestGeneric4","features":[322]},{"name":"NdisRequestOpen","features":[322]},{"name":"NdisRequestQueryInformation","features":[322]},{"name":"NdisRequestQueryStatistics","features":[322]},{"name":"NdisRequestReset","features":[322]},{"name":"NdisRequestSend","features":[322]},{"name":"NdisRequestSetInformation","features":[322]},{"name":"NdisRequestTransferData","features":[322]},{"name":"NdisRingStateClosed","features":[322]},{"name":"NdisRingStateClosing","features":[322]},{"name":"NdisRingStateOpenFailure","features":[322]},{"name":"NdisRingStateOpened","features":[322]},{"name":"NdisRingStateOpening","features":[322]},{"name":"NdisRingStateRingFailure","features":[322]},{"name":"NdisWanErrorControl","features":[322]},{"name":"NdisWanHeaderEthernet","features":[322]},{"name":"NdisWanHeaderNative","features":[322]},{"name":"NdisWanMediumAgileVPN","features":[322]},{"name":"NdisWanMediumAtm","features":[322]},{"name":"NdisWanMediumFrameRelay","features":[322]},{"name":"NdisWanMediumGre","features":[322]},{"name":"NdisWanMediumHub","features":[322]},{"name":"NdisWanMediumIrda","features":[322]},{"name":"NdisWanMediumIsdn","features":[322]},{"name":"NdisWanMediumL2TP","features":[322]},{"name":"NdisWanMediumPPTP","features":[322]},{"name":"NdisWanMediumParallel","features":[322]},{"name":"NdisWanMediumPppoe","features":[322]},{"name":"NdisWanMediumSSTP","features":[322]},{"name":"NdisWanMediumSW56K","features":[322]},{"name":"NdisWanMediumSerial","features":[322]},{"name":"NdisWanMediumSonet","features":[322]},{"name":"NdisWanMediumSubTypeMax","features":[322]},{"name":"NdisWanMediumX_25","features":[322]},{"name":"NdisWanRaw","features":[322]},{"name":"NdisWanReliable","features":[322]},{"name":"NdkInfiniBand","features":[322]},{"name":"NdkMaxTechnology","features":[322]},{"name":"NdkRoCE","features":[322]},{"name":"NdkRoCEv2","features":[322]},{"name":"NdkUndefined","features":[322]},{"name":"NdkiWarp","features":[322]},{"name":"OFFLOAD_ALGO_INFO","features":[322]},{"name":"OFFLOAD_CONF_ALGO","features":[322]},{"name":"OFFLOAD_INBOUND_SA","features":[322]},{"name":"OFFLOAD_INTEGRITY_ALGO","features":[322]},{"name":"OFFLOAD_IPSEC_ADD_SA","features":[308,322]},{"name":"OFFLOAD_IPSEC_ADD_UDPESP_SA","features":[308,322]},{"name":"OFFLOAD_IPSEC_CONF_3_DES","features":[322]},{"name":"OFFLOAD_IPSEC_CONF_DES","features":[322]},{"name":"OFFLOAD_IPSEC_CONF_MAX","features":[322]},{"name":"OFFLOAD_IPSEC_CONF_NONE","features":[322]},{"name":"OFFLOAD_IPSEC_CONF_RESERVED","features":[322]},{"name":"OFFLOAD_IPSEC_DELETE_SA","features":[308,322]},{"name":"OFFLOAD_IPSEC_DELETE_UDPESP_SA","features":[308,322]},{"name":"OFFLOAD_IPSEC_INTEGRITY_MAX","features":[322]},{"name":"OFFLOAD_IPSEC_INTEGRITY_MD5","features":[322]},{"name":"OFFLOAD_IPSEC_INTEGRITY_NONE","features":[322]},{"name":"OFFLOAD_IPSEC_INTEGRITY_SHA","features":[322]},{"name":"OFFLOAD_IPSEC_UDPESP_ENCAPTYPE_ENTRY","features":[322]},{"name":"OFFLOAD_IPSEC_UDPESP_ENCAPTYPE_IKE","features":[322]},{"name":"OFFLOAD_IPSEC_UDPESP_ENCAPTYPE_OTHER","features":[322]},{"name":"OFFLOAD_MAX_SAS","features":[322]},{"name":"OFFLOAD_OPERATION_E","features":[322]},{"name":"OFFLOAD_OUTBOUND_SA","features":[322]},{"name":"OFFLOAD_SECURITY_ASSOCIATION","features":[322]},{"name":"OID_1394_LOCAL_NODE_INFO","features":[322]},{"name":"OID_1394_VC_INFO","features":[322]},{"name":"OID_802_11_ADD_KEY","features":[322]},{"name":"OID_802_11_ADD_WEP","features":[322]},{"name":"OID_802_11_ASSOCIATION_INFORMATION","features":[322]},{"name":"OID_802_11_AUTHENTICATION_MODE","features":[322]},{"name":"OID_802_11_BSSID","features":[322]},{"name":"OID_802_11_BSSID_LIST","features":[322]},{"name":"OID_802_11_BSSID_LIST_SCAN","features":[322]},{"name":"OID_802_11_CAPABILITY","features":[322]},{"name":"OID_802_11_CONFIGURATION","features":[322]},{"name":"OID_802_11_DESIRED_RATES","features":[322]},{"name":"OID_802_11_DISASSOCIATE","features":[322]},{"name":"OID_802_11_ENCRYPTION_STATUS","features":[322]},{"name":"OID_802_11_FRAGMENTATION_THRESHOLD","features":[322]},{"name":"OID_802_11_INFRASTRUCTURE_MODE","features":[322]},{"name":"OID_802_11_MEDIA_STREAM_MODE","features":[322]},{"name":"OID_802_11_NETWORK_TYPES_SUPPORTED","features":[322]},{"name":"OID_802_11_NETWORK_TYPE_IN_USE","features":[322]},{"name":"OID_802_11_NON_BCAST_SSID_LIST","features":[322]},{"name":"OID_802_11_NUMBER_OF_ANTENNAS","features":[322]},{"name":"OID_802_11_PMKID","features":[322]},{"name":"OID_802_11_POWER_MODE","features":[322]},{"name":"OID_802_11_PRIVACY_FILTER","features":[322]},{"name":"OID_802_11_RADIO_STATUS","features":[322]},{"name":"OID_802_11_RELOAD_DEFAULTS","features":[322]},{"name":"OID_802_11_REMOVE_KEY","features":[322]},{"name":"OID_802_11_REMOVE_WEP","features":[322]},{"name":"OID_802_11_RSSI","features":[322]},{"name":"OID_802_11_RSSI_TRIGGER","features":[322]},{"name":"OID_802_11_RTS_THRESHOLD","features":[322]},{"name":"OID_802_11_RX_ANTENNA_SELECTED","features":[322]},{"name":"OID_802_11_SSID","features":[322]},{"name":"OID_802_11_STATISTICS","features":[322]},{"name":"OID_802_11_SUPPORTED_RATES","features":[322]},{"name":"OID_802_11_TEST","features":[322]},{"name":"OID_802_11_TX_ANTENNA_SELECTED","features":[322]},{"name":"OID_802_11_TX_POWER_LEVEL","features":[322]},{"name":"OID_802_11_WEP_STATUS","features":[322]},{"name":"OID_802_3_ADD_MULTICAST_ADDRESS","features":[322]},{"name":"OID_802_3_CURRENT_ADDRESS","features":[322]},{"name":"OID_802_3_DELETE_MULTICAST_ADDRESS","features":[322]},{"name":"OID_802_3_MAC_OPTIONS","features":[322]},{"name":"OID_802_3_MAXIMUM_LIST_SIZE","features":[322]},{"name":"OID_802_3_MULTICAST_LIST","features":[322]},{"name":"OID_802_3_PERMANENT_ADDRESS","features":[322]},{"name":"OID_802_3_RCV_ERROR_ALIGNMENT","features":[322]},{"name":"OID_802_3_RCV_OVERRUN","features":[322]},{"name":"OID_802_3_XMIT_DEFERRED","features":[322]},{"name":"OID_802_3_XMIT_HEARTBEAT_FAILURE","features":[322]},{"name":"OID_802_3_XMIT_LATE_COLLISIONS","features":[322]},{"name":"OID_802_3_XMIT_MAX_COLLISIONS","features":[322]},{"name":"OID_802_3_XMIT_MORE_COLLISIONS","features":[322]},{"name":"OID_802_3_XMIT_ONE_COLLISION","features":[322]},{"name":"OID_802_3_XMIT_TIMES_CRS_LOST","features":[322]},{"name":"OID_802_3_XMIT_UNDERRUN","features":[322]},{"name":"OID_802_5_ABORT_DELIMETERS","features":[322]},{"name":"OID_802_5_AC_ERRORS","features":[322]},{"name":"OID_802_5_BURST_ERRORS","features":[322]},{"name":"OID_802_5_CURRENT_ADDRESS","features":[322]},{"name":"OID_802_5_CURRENT_FUNCTIONAL","features":[322]},{"name":"OID_802_5_CURRENT_GROUP","features":[322]},{"name":"OID_802_5_CURRENT_RING_STATE","features":[322]},{"name":"OID_802_5_CURRENT_RING_STATUS","features":[322]},{"name":"OID_802_5_FRAME_COPIED_ERRORS","features":[322]},{"name":"OID_802_5_FREQUENCY_ERRORS","features":[322]},{"name":"OID_802_5_INTERNAL_ERRORS","features":[322]},{"name":"OID_802_5_LAST_OPEN_STATUS","features":[322]},{"name":"OID_802_5_LINE_ERRORS","features":[322]},{"name":"OID_802_5_LOST_FRAMES","features":[322]},{"name":"OID_802_5_PERMANENT_ADDRESS","features":[322]},{"name":"OID_802_5_TOKEN_ERRORS","features":[322]},{"name":"OID_ARCNET_CURRENT_ADDRESS","features":[322]},{"name":"OID_ARCNET_PERMANENT_ADDRESS","features":[322]},{"name":"OID_ARCNET_RECONFIGURATIONS","features":[322]},{"name":"OID_ATM_ACQUIRE_ACCESS_NET_RESOURCES","features":[322]},{"name":"OID_ATM_ALIGNMENT_REQUIRED","features":[322]},{"name":"OID_ATM_ASSIGNED_VPI","features":[322]},{"name":"OID_ATM_CALL_ALERTING","features":[322]},{"name":"OID_ATM_CALL_NOTIFY","features":[322]},{"name":"OID_ATM_CALL_PROCEEDING","features":[322]},{"name":"OID_ATM_CELLS_HEC_ERROR","features":[322]},{"name":"OID_ATM_DIGITAL_BROADCAST_VPIVCI","features":[322]},{"name":"OID_ATM_GET_NEAREST_FLOW","features":[322]},{"name":"OID_ATM_HW_CURRENT_ADDRESS","features":[322]},{"name":"OID_ATM_ILMI_VPIVCI","features":[322]},{"name":"OID_ATM_LECS_ADDRESS","features":[322]},{"name":"OID_ATM_MAX_AAL0_PACKET_SIZE","features":[322]},{"name":"OID_ATM_MAX_AAL1_PACKET_SIZE","features":[322]},{"name":"OID_ATM_MAX_AAL34_PACKET_SIZE","features":[322]},{"name":"OID_ATM_MAX_AAL5_PACKET_SIZE","features":[322]},{"name":"OID_ATM_MAX_ACTIVE_VCI_BITS","features":[322]},{"name":"OID_ATM_MAX_ACTIVE_VCS","features":[322]},{"name":"OID_ATM_MAX_ACTIVE_VPI_BITS","features":[322]},{"name":"OID_ATM_MY_IP_NM_ADDRESS","features":[322]},{"name":"OID_ATM_PARTY_ALERTING","features":[322]},{"name":"OID_ATM_RCV_CELLS_DROPPED","features":[322]},{"name":"OID_ATM_RCV_CELLS_OK","features":[322]},{"name":"OID_ATM_RCV_INVALID_VPI_VCI","features":[322]},{"name":"OID_ATM_RCV_REASSEMBLY_ERROR","features":[322]},{"name":"OID_ATM_RELEASE_ACCESS_NET_RESOURCES","features":[322]},{"name":"OID_ATM_SERVICE_ADDRESS","features":[322]},{"name":"OID_ATM_SIGNALING_VPIVCI","features":[322]},{"name":"OID_ATM_SUPPORTED_AAL_TYPES","features":[322]},{"name":"OID_ATM_SUPPORTED_SERVICE_CATEGORY","features":[322]},{"name":"OID_ATM_SUPPORTED_VC_RATES","features":[322]},{"name":"OID_ATM_XMIT_CELLS_OK","features":[322]},{"name":"OID_CO_ADDRESS_CHANGE","features":[322]},{"name":"OID_CO_ADD_ADDRESS","features":[322]},{"name":"OID_CO_ADD_PVC","features":[322]},{"name":"OID_CO_AF_CLOSE","features":[322]},{"name":"OID_CO_DELETE_ADDRESS","features":[322]},{"name":"OID_CO_DELETE_PVC","features":[322]},{"name":"OID_CO_GET_ADDRESSES","features":[322]},{"name":"OID_CO_GET_CALL_INFORMATION","features":[322]},{"name":"OID_CO_SIGNALING_DISABLED","features":[322]},{"name":"OID_CO_SIGNALING_ENABLED","features":[322]},{"name":"OID_CO_TAPI_ADDRESS_CAPS","features":[322]},{"name":"OID_CO_TAPI_CM_CAPS","features":[322]},{"name":"OID_CO_TAPI_DONT_REPORT_DIGITS","features":[322]},{"name":"OID_CO_TAPI_GET_CALL_DIAGNOSTICS","features":[322]},{"name":"OID_CO_TAPI_LINE_CAPS","features":[322]},{"name":"OID_CO_TAPI_REPORT_DIGITS","features":[322]},{"name":"OID_CO_TAPI_TRANSLATE_NDIS_CALLPARAMS","features":[322]},{"name":"OID_CO_TAPI_TRANSLATE_TAPI_CALLPARAMS","features":[322]},{"name":"OID_CO_TAPI_TRANSLATE_TAPI_SAP","features":[322]},{"name":"OID_FDDI_ATTACHMENT_TYPE","features":[322]},{"name":"OID_FDDI_DOWNSTREAM_NODE_LONG","features":[322]},{"name":"OID_FDDI_FRAMES_LOST","features":[322]},{"name":"OID_FDDI_FRAME_ERRORS","features":[322]},{"name":"OID_FDDI_IF_ADMIN_STATUS","features":[322]},{"name":"OID_FDDI_IF_DESCR","features":[322]},{"name":"OID_FDDI_IF_IN_DISCARDS","features":[322]},{"name":"OID_FDDI_IF_IN_ERRORS","features":[322]},{"name":"OID_FDDI_IF_IN_NUCAST_PKTS","features":[322]},{"name":"OID_FDDI_IF_IN_OCTETS","features":[322]},{"name":"OID_FDDI_IF_IN_UCAST_PKTS","features":[322]},{"name":"OID_FDDI_IF_IN_UNKNOWN_PROTOS","features":[322]},{"name":"OID_FDDI_IF_LAST_CHANGE","features":[322]},{"name":"OID_FDDI_IF_MTU","features":[322]},{"name":"OID_FDDI_IF_OPER_STATUS","features":[322]},{"name":"OID_FDDI_IF_OUT_DISCARDS","features":[322]},{"name":"OID_FDDI_IF_OUT_ERRORS","features":[322]},{"name":"OID_FDDI_IF_OUT_NUCAST_PKTS","features":[322]},{"name":"OID_FDDI_IF_OUT_OCTETS","features":[322]},{"name":"OID_FDDI_IF_OUT_QLEN","features":[322]},{"name":"OID_FDDI_IF_OUT_UCAST_PKTS","features":[322]},{"name":"OID_FDDI_IF_PHYS_ADDRESS","features":[322]},{"name":"OID_FDDI_IF_SPECIFIC","features":[322]},{"name":"OID_FDDI_IF_SPEED","features":[322]},{"name":"OID_FDDI_IF_TYPE","features":[322]},{"name":"OID_FDDI_LCONNECTION_STATE","features":[322]},{"name":"OID_FDDI_LCT_FAILURES","features":[322]},{"name":"OID_FDDI_LEM_REJECTS","features":[322]},{"name":"OID_FDDI_LONG_CURRENT_ADDR","features":[322]},{"name":"OID_FDDI_LONG_MAX_LIST_SIZE","features":[322]},{"name":"OID_FDDI_LONG_MULTICAST_LIST","features":[322]},{"name":"OID_FDDI_LONG_PERMANENT_ADDR","features":[322]},{"name":"OID_FDDI_MAC_AVAILABLE_PATHS","features":[322]},{"name":"OID_FDDI_MAC_BRIDGE_FUNCTIONS","features":[322]},{"name":"OID_FDDI_MAC_COPIED_CT","features":[322]},{"name":"OID_FDDI_MAC_CURRENT_PATH","features":[322]},{"name":"OID_FDDI_MAC_DA_FLAG","features":[322]},{"name":"OID_FDDI_MAC_DOWNSTREAM_NBR","features":[322]},{"name":"OID_FDDI_MAC_DOWNSTREAM_PORT_TYPE","features":[322]},{"name":"OID_FDDI_MAC_DUP_ADDRESS_TEST","features":[322]},{"name":"OID_FDDI_MAC_ERROR_CT","features":[322]},{"name":"OID_FDDI_MAC_FRAME_CT","features":[322]},{"name":"OID_FDDI_MAC_FRAME_ERROR_FLAG","features":[322]},{"name":"OID_FDDI_MAC_FRAME_ERROR_RATIO","features":[322]},{"name":"OID_FDDI_MAC_FRAME_ERROR_THRESHOLD","features":[322]},{"name":"OID_FDDI_MAC_FRAME_STATUS_FUNCTIONS","features":[322]},{"name":"OID_FDDI_MAC_HARDWARE_PRESENT","features":[322]},{"name":"OID_FDDI_MAC_INDEX","features":[322]},{"name":"OID_FDDI_MAC_LATE_CT","features":[322]},{"name":"OID_FDDI_MAC_LONG_GRP_ADDRESS","features":[322]},{"name":"OID_FDDI_MAC_LOST_CT","features":[322]},{"name":"OID_FDDI_MAC_MA_UNITDATA_AVAILABLE","features":[322]},{"name":"OID_FDDI_MAC_MA_UNITDATA_ENABLE","features":[322]},{"name":"OID_FDDI_MAC_NOT_COPIED_CT","features":[322]},{"name":"OID_FDDI_MAC_NOT_COPIED_FLAG","features":[322]},{"name":"OID_FDDI_MAC_NOT_COPIED_RATIO","features":[322]},{"name":"OID_FDDI_MAC_NOT_COPIED_THRESHOLD","features":[322]},{"name":"OID_FDDI_MAC_OLD_DOWNSTREAM_NBR","features":[322]},{"name":"OID_FDDI_MAC_OLD_UPSTREAM_NBR","features":[322]},{"name":"OID_FDDI_MAC_REQUESTED_PATHS","features":[322]},{"name":"OID_FDDI_MAC_RING_OP_CT","features":[322]},{"name":"OID_FDDI_MAC_RMT_STATE","features":[322]},{"name":"OID_FDDI_MAC_SHORT_GRP_ADDRESS","features":[322]},{"name":"OID_FDDI_MAC_SMT_ADDRESS","features":[322]},{"name":"OID_FDDI_MAC_TOKEN_CT","features":[322]},{"name":"OID_FDDI_MAC_TRANSMIT_CT","features":[322]},{"name":"OID_FDDI_MAC_TVX_CAPABILITY","features":[322]},{"name":"OID_FDDI_MAC_TVX_EXPIRED_CT","features":[322]},{"name":"OID_FDDI_MAC_TVX_VALUE","features":[322]},{"name":"OID_FDDI_MAC_T_MAX","features":[322]},{"name":"OID_FDDI_MAC_T_MAX_CAPABILITY","features":[322]},{"name":"OID_FDDI_MAC_T_NEG","features":[322]},{"name":"OID_FDDI_MAC_T_PRI0","features":[322]},{"name":"OID_FDDI_MAC_T_PRI1","features":[322]},{"name":"OID_FDDI_MAC_T_PRI2","features":[322]},{"name":"OID_FDDI_MAC_T_PRI3","features":[322]},{"name":"OID_FDDI_MAC_T_PRI4","features":[322]},{"name":"OID_FDDI_MAC_T_PRI5","features":[322]},{"name":"OID_FDDI_MAC_T_PRI6","features":[322]},{"name":"OID_FDDI_MAC_T_REQ","features":[322]},{"name":"OID_FDDI_MAC_UNDA_FLAG","features":[322]},{"name":"OID_FDDI_MAC_UPSTREAM_NBR","features":[322]},{"name":"OID_FDDI_PATH_CONFIGURATION","features":[322]},{"name":"OID_FDDI_PATH_INDEX","features":[322]},{"name":"OID_FDDI_PATH_MAX_T_REQ","features":[322]},{"name":"OID_FDDI_PATH_RING_LATENCY","features":[322]},{"name":"OID_FDDI_PATH_SBA_AVAILABLE","features":[322]},{"name":"OID_FDDI_PATH_SBA_OVERHEAD","features":[322]},{"name":"OID_FDDI_PATH_SBA_PAYLOAD","features":[322]},{"name":"OID_FDDI_PATH_TRACE_STATUS","features":[322]},{"name":"OID_FDDI_PATH_TVX_LOWER_BOUND","features":[322]},{"name":"OID_FDDI_PATH_T_MAX_LOWER_BOUND","features":[322]},{"name":"OID_FDDI_PATH_T_R_MODE","features":[322]},{"name":"OID_FDDI_PORT_ACTION","features":[322]},{"name":"OID_FDDI_PORT_AVAILABLE_PATHS","features":[322]},{"name":"OID_FDDI_PORT_BS_FLAG","features":[322]},{"name":"OID_FDDI_PORT_CONNECTION_CAPABILITIES","features":[322]},{"name":"OID_FDDI_PORT_CONNECTION_POLICIES","features":[322]},{"name":"OID_FDDI_PORT_CONNNECT_STATE","features":[322]},{"name":"OID_FDDI_PORT_CURRENT_PATH","features":[322]},{"name":"OID_FDDI_PORT_EB_ERROR_CT","features":[322]},{"name":"OID_FDDI_PORT_HARDWARE_PRESENT","features":[322]},{"name":"OID_FDDI_PORT_INDEX","features":[322]},{"name":"OID_FDDI_PORT_LCT_FAIL_CT","features":[322]},{"name":"OID_FDDI_PORT_LEM_CT","features":[322]},{"name":"OID_FDDI_PORT_LEM_REJECT_CT","features":[322]},{"name":"OID_FDDI_PORT_LER_ALARM","features":[322]},{"name":"OID_FDDI_PORT_LER_CUTOFF","features":[322]},{"name":"OID_FDDI_PORT_LER_ESTIMATE","features":[322]},{"name":"OID_FDDI_PORT_LER_FLAG","features":[322]},{"name":"OID_FDDI_PORT_MAC_INDICATED","features":[322]},{"name":"OID_FDDI_PORT_MAC_LOOP_TIME","features":[322]},{"name":"OID_FDDI_PORT_MAC_PLACEMENT","features":[322]},{"name":"OID_FDDI_PORT_MAINT_LS","features":[322]},{"name":"OID_FDDI_PORT_MY_TYPE","features":[322]},{"name":"OID_FDDI_PORT_NEIGHBOR_TYPE","features":[322]},{"name":"OID_FDDI_PORT_PCM_STATE","features":[322]},{"name":"OID_FDDI_PORT_PC_LS","features":[322]},{"name":"OID_FDDI_PORT_PC_WITHHOLD","features":[322]},{"name":"OID_FDDI_PORT_PMD_CLASS","features":[322]},{"name":"OID_FDDI_PORT_REQUESTED_PATHS","features":[322]},{"name":"OID_FDDI_RING_MGT_STATE","features":[322]},{"name":"OID_FDDI_SHORT_CURRENT_ADDR","features":[322]},{"name":"OID_FDDI_SHORT_MAX_LIST_SIZE","features":[322]},{"name":"OID_FDDI_SHORT_MULTICAST_LIST","features":[322]},{"name":"OID_FDDI_SHORT_PERMANENT_ADDR","features":[322]},{"name":"OID_FDDI_SMT_AVAILABLE_PATHS","features":[322]},{"name":"OID_FDDI_SMT_BYPASS_PRESENT","features":[322]},{"name":"OID_FDDI_SMT_CF_STATE","features":[322]},{"name":"OID_FDDI_SMT_CONFIG_CAPABILITIES","features":[322]},{"name":"OID_FDDI_SMT_CONFIG_POLICY","features":[322]},{"name":"OID_FDDI_SMT_CONNECTION_POLICY","features":[322]},{"name":"OID_FDDI_SMT_ECM_STATE","features":[322]},{"name":"OID_FDDI_SMT_HI_VERSION_ID","features":[322]},{"name":"OID_FDDI_SMT_HOLD_STATE","features":[322]},{"name":"OID_FDDI_SMT_LAST_SET_STATION_ID","features":[322]},{"name":"OID_FDDI_SMT_LO_VERSION_ID","features":[322]},{"name":"OID_FDDI_SMT_MAC_CT","features":[322]},{"name":"OID_FDDI_SMT_MAC_INDEXES","features":[322]},{"name":"OID_FDDI_SMT_MANUFACTURER_DATA","features":[322]},{"name":"OID_FDDI_SMT_MASTER_CT","features":[322]},{"name":"OID_FDDI_SMT_MIB_VERSION_ID","features":[322]},{"name":"OID_FDDI_SMT_MSG_TIME_STAMP","features":[322]},{"name":"OID_FDDI_SMT_NON_MASTER_CT","features":[322]},{"name":"OID_FDDI_SMT_OP_VERSION_ID","features":[322]},{"name":"OID_FDDI_SMT_PEER_WRAP_FLAG","features":[322]},{"name":"OID_FDDI_SMT_PORT_INDEXES","features":[322]},{"name":"OID_FDDI_SMT_REMOTE_DISCONNECT_FLAG","features":[322]},{"name":"OID_FDDI_SMT_SET_COUNT","features":[322]},{"name":"OID_FDDI_SMT_STATION_ACTION","features":[322]},{"name":"OID_FDDI_SMT_STATION_ID","features":[322]},{"name":"OID_FDDI_SMT_STATION_STATUS","features":[322]},{"name":"OID_FDDI_SMT_STAT_RPT_POLICY","features":[322]},{"name":"OID_FDDI_SMT_TRACE_MAX_EXPIRATION","features":[322]},{"name":"OID_FDDI_SMT_TRANSITION_TIME_STAMP","features":[322]},{"name":"OID_FDDI_SMT_T_NOTIFY","features":[322]},{"name":"OID_FDDI_SMT_USER_DATA","features":[322]},{"name":"OID_FDDI_UPSTREAM_NODE_LONG","features":[322]},{"name":"OID_FFP_ADAPTER_STATS","features":[322]},{"name":"OID_FFP_CONTROL","features":[322]},{"name":"OID_FFP_DATA","features":[322]},{"name":"OID_FFP_DRIVER_STATS","features":[322]},{"name":"OID_FFP_FLUSH","features":[322]},{"name":"OID_FFP_PARAMS","features":[322]},{"name":"OID_FFP_SUPPORT","features":[322]},{"name":"OID_GEN_ADMIN_STATUS","features":[322]},{"name":"OID_GEN_ALIAS","features":[322]},{"name":"OID_GEN_BROADCAST_BYTES_RCV","features":[322]},{"name":"OID_GEN_BROADCAST_BYTES_XMIT","features":[322]},{"name":"OID_GEN_BROADCAST_FRAMES_RCV","features":[322]},{"name":"OID_GEN_BROADCAST_FRAMES_XMIT","features":[322]},{"name":"OID_GEN_BYTES_RCV","features":[322]},{"name":"OID_GEN_BYTES_XMIT","features":[322]},{"name":"OID_GEN_CO_BYTES_RCV","features":[322]},{"name":"OID_GEN_CO_BYTES_XMIT","features":[322]},{"name":"OID_GEN_CO_BYTES_XMIT_OUTSTANDING","features":[322]},{"name":"OID_GEN_CO_DEVICE_PROFILE","features":[322]},{"name":"OID_GEN_CO_DRIVER_VERSION","features":[322]},{"name":"OID_GEN_CO_GET_NETCARD_TIME","features":[322]},{"name":"OID_GEN_CO_GET_TIME_CAPS","features":[322]},{"name":"OID_GEN_CO_HARDWARE_STATUS","features":[322]},{"name":"OID_GEN_CO_LINK_SPEED","features":[322]},{"name":"OID_GEN_CO_MAC_OPTIONS","features":[322]},{"name":"OID_GEN_CO_MEDIA_CONNECT_STATUS","features":[322]},{"name":"OID_GEN_CO_MEDIA_IN_USE","features":[322]},{"name":"OID_GEN_CO_MEDIA_SUPPORTED","features":[322]},{"name":"OID_GEN_CO_MINIMUM_LINK_SPEED","features":[322]},{"name":"OID_GEN_CO_NETCARD_LOAD","features":[322]},{"name":"OID_GEN_CO_PROTOCOL_OPTIONS","features":[322]},{"name":"OID_GEN_CO_RCV_CRC_ERROR","features":[322]},{"name":"OID_GEN_CO_RCV_PDUS_ERROR","features":[322]},{"name":"OID_GEN_CO_RCV_PDUS_NO_BUFFER","features":[322]},{"name":"OID_GEN_CO_RCV_PDUS_OK","features":[322]},{"name":"OID_GEN_CO_SUPPORTED_GUIDS","features":[322]},{"name":"OID_GEN_CO_SUPPORTED_LIST","features":[322]},{"name":"OID_GEN_CO_TRANSMIT_QUEUE_LENGTH","features":[322]},{"name":"OID_GEN_CO_VENDOR_DESCRIPTION","features":[322]},{"name":"OID_GEN_CO_VENDOR_DRIVER_VERSION","features":[322]},{"name":"OID_GEN_CO_VENDOR_ID","features":[322]},{"name":"OID_GEN_CO_XMIT_PDUS_ERROR","features":[322]},{"name":"OID_GEN_CO_XMIT_PDUS_OK","features":[322]},{"name":"OID_GEN_CURRENT_LOOKAHEAD","features":[322]},{"name":"OID_GEN_CURRENT_PACKET_FILTER","features":[322]},{"name":"OID_GEN_DEVICE_PROFILE","features":[322]},{"name":"OID_GEN_DIRECTED_BYTES_RCV","features":[322]},{"name":"OID_GEN_DIRECTED_BYTES_XMIT","features":[322]},{"name":"OID_GEN_DIRECTED_FRAMES_RCV","features":[322]},{"name":"OID_GEN_DIRECTED_FRAMES_XMIT","features":[322]},{"name":"OID_GEN_DISCONTINUITY_TIME","features":[322]},{"name":"OID_GEN_DRIVER_VERSION","features":[322]},{"name":"OID_GEN_ENUMERATE_PORTS","features":[322]},{"name":"OID_GEN_FRIENDLY_NAME","features":[322]},{"name":"OID_GEN_GET_NETCARD_TIME","features":[322]},{"name":"OID_GEN_GET_TIME_CAPS","features":[322]},{"name":"OID_GEN_HARDWARE_STATUS","features":[322]},{"name":"OID_GEN_HD_SPLIT_CURRENT_CONFIG","features":[322]},{"name":"OID_GEN_HD_SPLIT_PARAMETERS","features":[322]},{"name":"OID_GEN_INIT_TIME_MS","features":[322]},{"name":"OID_GEN_INTERFACE_INFO","features":[322]},{"name":"OID_GEN_INTERRUPT_MODERATION","features":[322]},{"name":"OID_GEN_IP_OPER_STATUS","features":[322]},{"name":"OID_GEN_ISOLATION_PARAMETERS","features":[322]},{"name":"OID_GEN_LAST_CHANGE","features":[322]},{"name":"OID_GEN_LINK_PARAMETERS","features":[322]},{"name":"OID_GEN_LINK_SPEED","features":[322]},{"name":"OID_GEN_LINK_SPEED_EX","features":[322]},{"name":"OID_GEN_LINK_STATE","features":[322]},{"name":"OID_GEN_MACHINE_NAME","features":[322]},{"name":"OID_GEN_MAC_ADDRESS","features":[322]},{"name":"OID_GEN_MAC_OPTIONS","features":[322]},{"name":"OID_GEN_MAXIMUM_FRAME_SIZE","features":[322]},{"name":"OID_GEN_MAXIMUM_LOOKAHEAD","features":[322]},{"name":"OID_GEN_MAXIMUM_SEND_PACKETS","features":[322]},{"name":"OID_GEN_MAXIMUM_TOTAL_SIZE","features":[322]},{"name":"OID_GEN_MAX_LINK_SPEED","features":[322]},{"name":"OID_GEN_MEDIA_CAPABILITIES","features":[322]},{"name":"OID_GEN_MEDIA_CONNECT_STATUS","features":[322]},{"name":"OID_GEN_MEDIA_CONNECT_STATUS_EX","features":[322]},{"name":"OID_GEN_MEDIA_DUPLEX_STATE","features":[322]},{"name":"OID_GEN_MEDIA_IN_USE","features":[322]},{"name":"OID_GEN_MEDIA_SENSE_COUNTS","features":[322]},{"name":"OID_GEN_MEDIA_SUPPORTED","features":[322]},{"name":"OID_GEN_MINIPORT_RESTART_ATTRIBUTES","features":[322]},{"name":"OID_GEN_MULTICAST_BYTES_RCV","features":[322]},{"name":"OID_GEN_MULTICAST_BYTES_XMIT","features":[322]},{"name":"OID_GEN_MULTICAST_FRAMES_RCV","features":[322]},{"name":"OID_GEN_MULTICAST_FRAMES_XMIT","features":[322]},{"name":"OID_GEN_NDIS_RESERVED_1","features":[322]},{"name":"OID_GEN_NDIS_RESERVED_2","features":[322]},{"name":"OID_GEN_NDIS_RESERVED_3","features":[322]},{"name":"OID_GEN_NDIS_RESERVED_4","features":[322]},{"name":"OID_GEN_NDIS_RESERVED_5","features":[322]},{"name":"OID_GEN_NDIS_RESERVED_6","features":[322]},{"name":"OID_GEN_NDIS_RESERVED_7","features":[322]},{"name":"OID_GEN_NETCARD_LOAD","features":[322]},{"name":"OID_GEN_NETWORK_LAYER_ADDRESSES","features":[322]},{"name":"OID_GEN_OPERATIONAL_STATUS","features":[322]},{"name":"OID_GEN_PCI_DEVICE_CUSTOM_PROPERTIES","features":[322]},{"name":"OID_GEN_PHYSICAL_MEDIUM","features":[322]},{"name":"OID_GEN_PHYSICAL_MEDIUM_EX","features":[322]},{"name":"OID_GEN_PORT_AUTHENTICATION_PARAMETERS","features":[322]},{"name":"OID_GEN_PORT_STATE","features":[322]},{"name":"OID_GEN_PROMISCUOUS_MODE","features":[322]},{"name":"OID_GEN_PROTOCOL_OPTIONS","features":[322]},{"name":"OID_GEN_RCV_CRC_ERROR","features":[322]},{"name":"OID_GEN_RCV_DISCARDS","features":[322]},{"name":"OID_GEN_RCV_ERROR","features":[322]},{"name":"OID_GEN_RCV_LINK_SPEED","features":[322]},{"name":"OID_GEN_RCV_NO_BUFFER","features":[322]},{"name":"OID_GEN_RCV_OK","features":[322]},{"name":"OID_GEN_RECEIVE_BLOCK_SIZE","features":[322]},{"name":"OID_GEN_RECEIVE_BUFFER_SPACE","features":[322]},{"name":"OID_GEN_RECEIVE_HASH","features":[322]},{"name":"OID_GEN_RECEIVE_SCALE_CAPABILITIES","features":[322]},{"name":"OID_GEN_RECEIVE_SCALE_PARAMETERS","features":[322]},{"name":"OID_GEN_RECEIVE_SCALE_PARAMETERS_V2","features":[322]},{"name":"OID_GEN_RESET_COUNTS","features":[322]},{"name":"OID_GEN_RNDIS_CONFIG_PARAMETER","features":[322]},{"name":"OID_GEN_RSS_SET_INDIRECTION_TABLE_ENTRIES","features":[322]},{"name":"OID_GEN_STATISTICS","features":[322]},{"name":"OID_GEN_SUPPORTED_GUIDS","features":[322]},{"name":"OID_GEN_SUPPORTED_LIST","features":[322]},{"name":"OID_GEN_TIMEOUT_DPC_REQUEST_CAPABILITIES","features":[322]},{"name":"OID_GEN_TRANSMIT_BLOCK_SIZE","features":[322]},{"name":"OID_GEN_TRANSMIT_BUFFER_SPACE","features":[322]},{"name":"OID_GEN_TRANSMIT_QUEUE_LENGTH","features":[322]},{"name":"OID_GEN_TRANSPORT_HEADER_OFFSET","features":[322]},{"name":"OID_GEN_UNKNOWN_PROTOS","features":[322]},{"name":"OID_GEN_VENDOR_DESCRIPTION","features":[322]},{"name":"OID_GEN_VENDOR_DRIVER_VERSION","features":[322]},{"name":"OID_GEN_VENDOR_ID","features":[322]},{"name":"OID_GEN_VLAN_ID","features":[322]},{"name":"OID_GEN_XMIT_DISCARDS","features":[322]},{"name":"OID_GEN_XMIT_ERROR","features":[322]},{"name":"OID_GEN_XMIT_LINK_SPEED","features":[322]},{"name":"OID_GEN_XMIT_OK","features":[322]},{"name":"OID_GFT_ACTIVATE_FLOW_ENTRIES","features":[322]},{"name":"OID_GFT_ADD_FLOW_ENTRIES","features":[322]},{"name":"OID_GFT_ALLOCATE_COUNTERS","features":[322]},{"name":"OID_GFT_COUNTER_VALUES","features":[322]},{"name":"OID_GFT_CREATE_LOGICAL_VPORT","features":[322]},{"name":"OID_GFT_CREATE_TABLE","features":[322]},{"name":"OID_GFT_CURRENT_CAPABILITIES","features":[322]},{"name":"OID_GFT_DEACTIVATE_FLOW_ENTRIES","features":[322]},{"name":"OID_GFT_DELETE_FLOW_ENTRIES","features":[322]},{"name":"OID_GFT_DELETE_LOGICAL_VPORT","features":[322]},{"name":"OID_GFT_DELETE_PROFILE","features":[322]},{"name":"OID_GFT_DELETE_TABLE","features":[322]},{"name":"OID_GFT_ENUM_COUNTERS","features":[322]},{"name":"OID_GFT_ENUM_FLOW_ENTRIES","features":[322]},{"name":"OID_GFT_ENUM_LOGICAL_VPORTS","features":[322]},{"name":"OID_GFT_ENUM_PROFILES","features":[322]},{"name":"OID_GFT_ENUM_TABLES","features":[322]},{"name":"OID_GFT_EXACT_MATCH_PROFILE","features":[322]},{"name":"OID_GFT_FLOW_ENTRY_PARAMETERS","features":[322]},{"name":"OID_GFT_FREE_COUNTERS","features":[322]},{"name":"OID_GFT_GLOBAL_PARAMETERS","features":[322]},{"name":"OID_GFT_HARDWARE_CAPABILITIES","features":[322]},{"name":"OID_GFT_HEADER_TRANSPOSITION_PROFILE","features":[322]},{"name":"OID_GFT_STATISTICS","features":[322]},{"name":"OID_GFT_VPORT_PARAMETERS","features":[322]},{"name":"OID_GFT_WILDCARD_MATCH_PROFILE","features":[322]},{"name":"OID_IP4_OFFLOAD_STATS","features":[322]},{"name":"OID_IP6_OFFLOAD_STATS","features":[322]},{"name":"OID_IRDA_EXTRA_RCV_BOFS","features":[322]},{"name":"OID_IRDA_LINK_SPEED","features":[322]},{"name":"OID_IRDA_MAX_RECEIVE_WINDOW_SIZE","features":[322]},{"name":"OID_IRDA_MAX_SEND_WINDOW_SIZE","features":[322]},{"name":"OID_IRDA_MAX_UNICAST_LIST_SIZE","features":[322]},{"name":"OID_IRDA_MEDIA_BUSY","features":[322]},{"name":"OID_IRDA_RATE_SNIFF","features":[322]},{"name":"OID_IRDA_RECEIVING","features":[322]},{"name":"OID_IRDA_RESERVED1","features":[322]},{"name":"OID_IRDA_RESERVED2","features":[322]},{"name":"OID_IRDA_SUPPORTED_SPEEDS","features":[322]},{"name":"OID_IRDA_TURNAROUND_TIME","features":[322]},{"name":"OID_IRDA_UNICAST_LIST","features":[322]},{"name":"OID_KDNET_ADD_PF","features":[322]},{"name":"OID_KDNET_ENUMERATE_PFS","features":[322]},{"name":"OID_KDNET_QUERY_PF_INFORMATION","features":[322]},{"name":"OID_KDNET_REMOVE_PF","features":[322]},{"name":"OID_LTALK_COLLISIONS","features":[322]},{"name":"OID_LTALK_CURRENT_NODE_ID","features":[322]},{"name":"OID_LTALK_DEFERS","features":[322]},{"name":"OID_LTALK_FCS_ERRORS","features":[322]},{"name":"OID_LTALK_IN_BROADCASTS","features":[322]},{"name":"OID_LTALK_IN_LENGTH_ERRORS","features":[322]},{"name":"OID_LTALK_NO_DATA_ERRORS","features":[322]},{"name":"OID_LTALK_OUT_NO_HANDLERS","features":[322]},{"name":"OID_LTALK_RANDOM_CTS_ERRORS","features":[322]},{"name":"OID_NDK_CONNECTIONS","features":[322]},{"name":"OID_NDK_LOCAL_ENDPOINTS","features":[322]},{"name":"OID_NDK_SET_STATE","features":[322]},{"name":"OID_NDK_STATISTICS","features":[322]},{"name":"OID_NIC_SWITCH_ALLOCATE_VF","features":[322]},{"name":"OID_NIC_SWITCH_CREATE_SWITCH","features":[322]},{"name":"OID_NIC_SWITCH_CREATE_VPORT","features":[322]},{"name":"OID_NIC_SWITCH_CURRENT_CAPABILITIES","features":[322]},{"name":"OID_NIC_SWITCH_DELETE_SWITCH","features":[322]},{"name":"OID_NIC_SWITCH_DELETE_VPORT","features":[322]},{"name":"OID_NIC_SWITCH_ENUM_SWITCHES","features":[322]},{"name":"OID_NIC_SWITCH_ENUM_VFS","features":[322]},{"name":"OID_NIC_SWITCH_ENUM_VPORTS","features":[322]},{"name":"OID_NIC_SWITCH_FREE_VF","features":[322]},{"name":"OID_NIC_SWITCH_HARDWARE_CAPABILITIES","features":[322]},{"name":"OID_NIC_SWITCH_PARAMETERS","features":[322]},{"name":"OID_NIC_SWITCH_VF_PARAMETERS","features":[322]},{"name":"OID_NIC_SWITCH_VPORT_PARAMETERS","features":[322]},{"name":"OID_OFFLOAD_ENCAPSULATION","features":[322]},{"name":"OID_PACKET_COALESCING_FILTER_MATCH_COUNT","features":[322]},{"name":"OID_PD_CLOSE_PROVIDER","features":[322]},{"name":"OID_PD_OPEN_PROVIDER","features":[322]},{"name":"OID_PD_QUERY_CURRENT_CONFIG","features":[322]},{"name":"OID_PM_ADD_PROTOCOL_OFFLOAD","features":[322]},{"name":"OID_PM_ADD_WOL_PATTERN","features":[322]},{"name":"OID_PM_CURRENT_CAPABILITIES","features":[322]},{"name":"OID_PM_GET_PROTOCOL_OFFLOAD","features":[322]},{"name":"OID_PM_HARDWARE_CAPABILITIES","features":[322]},{"name":"OID_PM_PARAMETERS","features":[322]},{"name":"OID_PM_PROTOCOL_OFFLOAD_LIST","features":[322]},{"name":"OID_PM_REMOVE_PROTOCOL_OFFLOAD","features":[322]},{"name":"OID_PM_REMOVE_WOL_PATTERN","features":[322]},{"name":"OID_PM_RESERVED_1","features":[322]},{"name":"OID_PM_WOL_PATTERN_LIST","features":[322]},{"name":"OID_PNP_ADD_WAKE_UP_PATTERN","features":[322]},{"name":"OID_PNP_CAPABILITIES","features":[322]},{"name":"OID_PNP_ENABLE_WAKE_UP","features":[322]},{"name":"OID_PNP_QUERY_POWER","features":[322]},{"name":"OID_PNP_REMOVE_WAKE_UP_PATTERN","features":[322]},{"name":"OID_PNP_SET_POWER","features":[322]},{"name":"OID_PNP_WAKE_UP_ERROR","features":[322]},{"name":"OID_PNP_WAKE_UP_OK","features":[322]},{"name":"OID_PNP_WAKE_UP_PATTERN_LIST","features":[322]},{"name":"OID_QOS_CURRENT_CAPABILITIES","features":[322]},{"name":"OID_QOS_HARDWARE_CAPABILITIES","features":[322]},{"name":"OID_QOS_OFFLOAD_CREATE_SQ","features":[322]},{"name":"OID_QOS_OFFLOAD_CURRENT_CAPABILITIES","features":[322]},{"name":"OID_QOS_OFFLOAD_DELETE_SQ","features":[322]},{"name":"OID_QOS_OFFLOAD_ENUM_SQS","features":[322]},{"name":"OID_QOS_OFFLOAD_HARDWARE_CAPABILITIES","features":[322]},{"name":"OID_QOS_OFFLOAD_SQ_STATS","features":[322]},{"name":"OID_QOS_OFFLOAD_UPDATE_SQ","features":[322]},{"name":"OID_QOS_OPERATIONAL_PARAMETERS","features":[322]},{"name":"OID_QOS_PARAMETERS","features":[322]},{"name":"OID_QOS_REMOTE_PARAMETERS","features":[322]},{"name":"OID_QOS_RESERVED1","features":[322]},{"name":"OID_QOS_RESERVED10","features":[322]},{"name":"OID_QOS_RESERVED11","features":[322]},{"name":"OID_QOS_RESERVED12","features":[322]},{"name":"OID_QOS_RESERVED13","features":[322]},{"name":"OID_QOS_RESERVED14","features":[322]},{"name":"OID_QOS_RESERVED15","features":[322]},{"name":"OID_QOS_RESERVED16","features":[322]},{"name":"OID_QOS_RESERVED17","features":[322]},{"name":"OID_QOS_RESERVED18","features":[322]},{"name":"OID_QOS_RESERVED19","features":[322]},{"name":"OID_QOS_RESERVED2","features":[322]},{"name":"OID_QOS_RESERVED20","features":[322]},{"name":"OID_QOS_RESERVED3","features":[322]},{"name":"OID_QOS_RESERVED4","features":[322]},{"name":"OID_QOS_RESERVED5","features":[322]},{"name":"OID_QOS_RESERVED6","features":[322]},{"name":"OID_QOS_RESERVED7","features":[322]},{"name":"OID_QOS_RESERVED8","features":[322]},{"name":"OID_QOS_RESERVED9","features":[322]},{"name":"OID_RECEIVE_FILTER_ALLOCATE_QUEUE","features":[322]},{"name":"OID_RECEIVE_FILTER_CLEAR_FILTER","features":[322]},{"name":"OID_RECEIVE_FILTER_CURRENT_CAPABILITIES","features":[322]},{"name":"OID_RECEIVE_FILTER_ENUM_FILTERS","features":[322]},{"name":"OID_RECEIVE_FILTER_ENUM_QUEUES","features":[322]},{"name":"OID_RECEIVE_FILTER_FREE_QUEUE","features":[322]},{"name":"OID_RECEIVE_FILTER_GLOBAL_PARAMETERS","features":[322]},{"name":"OID_RECEIVE_FILTER_HARDWARE_CAPABILITIES","features":[322]},{"name":"OID_RECEIVE_FILTER_MOVE_FILTER","features":[322]},{"name":"OID_RECEIVE_FILTER_PARAMETERS","features":[322]},{"name":"OID_RECEIVE_FILTER_QUEUE_ALLOCATION_COMPLETE","features":[322]},{"name":"OID_RECEIVE_FILTER_QUEUE_PARAMETERS","features":[322]},{"name":"OID_RECEIVE_FILTER_SET_FILTER","features":[322]},{"name":"OID_SRIOV_BAR_RESOURCES","features":[322]},{"name":"OID_SRIOV_CONFIG_STATE","features":[322]},{"name":"OID_SRIOV_CURRENT_CAPABILITIES","features":[322]},{"name":"OID_SRIOV_HARDWARE_CAPABILITIES","features":[322]},{"name":"OID_SRIOV_OVERLYING_ADAPTER_INFO","features":[322]},{"name":"OID_SRIOV_PF_LUID","features":[322]},{"name":"OID_SRIOV_PROBED_BARS","features":[322]},{"name":"OID_SRIOV_READ_VF_CONFIG_BLOCK","features":[322]},{"name":"OID_SRIOV_READ_VF_CONFIG_SPACE","features":[322]},{"name":"OID_SRIOV_RESET_VF","features":[322]},{"name":"OID_SRIOV_SET_VF_POWER_STATE","features":[322]},{"name":"OID_SRIOV_VF_INVALIDATE_CONFIG_BLOCK","features":[322]},{"name":"OID_SRIOV_VF_SERIAL_NUMBER","features":[322]},{"name":"OID_SRIOV_VF_VENDOR_DEVICE_ID","features":[322]},{"name":"OID_SRIOV_WRITE_VF_CONFIG_BLOCK","features":[322]},{"name":"OID_SRIOV_WRITE_VF_CONFIG_SPACE","features":[322]},{"name":"OID_SWITCH_FEATURE_STATUS_QUERY","features":[322]},{"name":"OID_SWITCH_NIC_ARRAY","features":[322]},{"name":"OID_SWITCH_NIC_CONNECT","features":[322]},{"name":"OID_SWITCH_NIC_CREATE","features":[322]},{"name":"OID_SWITCH_NIC_DELETE","features":[322]},{"name":"OID_SWITCH_NIC_DIRECT_REQUEST","features":[322]},{"name":"OID_SWITCH_NIC_DISCONNECT","features":[322]},{"name":"OID_SWITCH_NIC_REQUEST","features":[322]},{"name":"OID_SWITCH_NIC_RESTORE","features":[322]},{"name":"OID_SWITCH_NIC_RESTORE_COMPLETE","features":[322]},{"name":"OID_SWITCH_NIC_RESUME","features":[322]},{"name":"OID_SWITCH_NIC_SAVE","features":[322]},{"name":"OID_SWITCH_NIC_SAVE_COMPLETE","features":[322]},{"name":"OID_SWITCH_NIC_SUSPEND","features":[322]},{"name":"OID_SWITCH_NIC_SUSPENDED_LM_SOURCE_FINISHED","features":[322]},{"name":"OID_SWITCH_NIC_SUSPENDED_LM_SOURCE_STARTED","features":[322]},{"name":"OID_SWITCH_NIC_UPDATED","features":[322]},{"name":"OID_SWITCH_PARAMETERS","features":[322]},{"name":"OID_SWITCH_PORT_ARRAY","features":[322]},{"name":"OID_SWITCH_PORT_CREATE","features":[322]},{"name":"OID_SWITCH_PORT_DELETE","features":[322]},{"name":"OID_SWITCH_PORT_FEATURE_STATUS_QUERY","features":[322]},{"name":"OID_SWITCH_PORT_PROPERTY_ADD","features":[322]},{"name":"OID_SWITCH_PORT_PROPERTY_DELETE","features":[322]},{"name":"OID_SWITCH_PORT_PROPERTY_ENUM","features":[322]},{"name":"OID_SWITCH_PORT_PROPERTY_UPDATE","features":[322]},{"name":"OID_SWITCH_PORT_TEARDOWN","features":[322]},{"name":"OID_SWITCH_PORT_UPDATED","features":[322]},{"name":"OID_SWITCH_PROPERTY_ADD","features":[322]},{"name":"OID_SWITCH_PROPERTY_DELETE","features":[322]},{"name":"OID_SWITCH_PROPERTY_ENUM","features":[322]},{"name":"OID_SWITCH_PROPERTY_UPDATE","features":[322]},{"name":"OID_TAPI_ACCEPT","features":[322]},{"name":"OID_TAPI_ANSWER","features":[322]},{"name":"OID_TAPI_CLOSE","features":[322]},{"name":"OID_TAPI_CLOSE_CALL","features":[322]},{"name":"OID_TAPI_CONDITIONAL_MEDIA_DETECTION","features":[322]},{"name":"OID_TAPI_CONFIG_DIALOG","features":[322]},{"name":"OID_TAPI_DEV_SPECIFIC","features":[322]},{"name":"OID_TAPI_DIAL","features":[322]},{"name":"OID_TAPI_DROP","features":[322]},{"name":"OID_TAPI_GATHER_DIGITS","features":[322]},{"name":"OID_TAPI_GET_ADDRESS_CAPS","features":[322]},{"name":"OID_TAPI_GET_ADDRESS_ID","features":[322]},{"name":"OID_TAPI_GET_ADDRESS_STATUS","features":[322]},{"name":"OID_TAPI_GET_CALL_ADDRESS_ID","features":[322]},{"name":"OID_TAPI_GET_CALL_INFO","features":[322]},{"name":"OID_TAPI_GET_CALL_STATUS","features":[322]},{"name":"OID_TAPI_GET_DEV_CAPS","features":[322]},{"name":"OID_TAPI_GET_DEV_CONFIG","features":[322]},{"name":"OID_TAPI_GET_EXTENSION_ID","features":[322]},{"name":"OID_TAPI_GET_ID","features":[322]},{"name":"OID_TAPI_GET_LINE_DEV_STATUS","features":[322]},{"name":"OID_TAPI_MAKE_CALL","features":[322]},{"name":"OID_TAPI_MONITOR_DIGITS","features":[322]},{"name":"OID_TAPI_NEGOTIATE_EXT_VERSION","features":[322]},{"name":"OID_TAPI_OPEN","features":[322]},{"name":"OID_TAPI_PROVIDER_INITIALIZE","features":[322]},{"name":"OID_TAPI_PROVIDER_SHUTDOWN","features":[322]},{"name":"OID_TAPI_SECURE_CALL","features":[322]},{"name":"OID_TAPI_SELECT_EXT_VERSION","features":[322]},{"name":"OID_TAPI_SEND_USER_USER_INFO","features":[322]},{"name":"OID_TAPI_SET_APP_SPECIFIC","features":[322]},{"name":"OID_TAPI_SET_CALL_PARAMS","features":[322]},{"name":"OID_TAPI_SET_DEFAULT_MEDIA_DETECTION","features":[322]},{"name":"OID_TAPI_SET_DEV_CONFIG","features":[322]},{"name":"OID_TAPI_SET_MEDIA_MODE","features":[322]},{"name":"OID_TAPI_SET_STATUS_MESSAGES","features":[322]},{"name":"OID_TCP4_OFFLOAD_STATS","features":[322]},{"name":"OID_TCP6_OFFLOAD_STATS","features":[322]},{"name":"OID_TCP_CONNECTION_OFFLOAD_CURRENT_CONFIG","features":[322]},{"name":"OID_TCP_CONNECTION_OFFLOAD_HARDWARE_CAPABILITIES","features":[322]},{"name":"OID_TCP_CONNECTION_OFFLOAD_PARAMETERS","features":[322]},{"name":"OID_TCP_OFFLOAD_CURRENT_CONFIG","features":[322]},{"name":"OID_TCP_OFFLOAD_HARDWARE_CAPABILITIES","features":[322]},{"name":"OID_TCP_OFFLOAD_PARAMETERS","features":[322]},{"name":"OID_TCP_RSC_STATISTICS","features":[322]},{"name":"OID_TCP_SAN_SUPPORT","features":[322]},{"name":"OID_TCP_TASK_IPSEC_ADD_SA","features":[322]},{"name":"OID_TCP_TASK_IPSEC_ADD_UDPESP_SA","features":[322]},{"name":"OID_TCP_TASK_IPSEC_DELETE_SA","features":[322]},{"name":"OID_TCP_TASK_IPSEC_DELETE_UDPESP_SA","features":[322]},{"name":"OID_TCP_TASK_IPSEC_OFFLOAD_V2_ADD_SA","features":[322]},{"name":"OID_TCP_TASK_IPSEC_OFFLOAD_V2_ADD_SA_EX","features":[322]},{"name":"OID_TCP_TASK_IPSEC_OFFLOAD_V2_DELETE_SA","features":[322]},{"name":"OID_TCP_TASK_IPSEC_OFFLOAD_V2_UPDATE_SA","features":[322]},{"name":"OID_TCP_TASK_OFFLOAD","features":[322]},{"name":"OID_TIMESTAMP_CAPABILITY","features":[322]},{"name":"OID_TIMESTAMP_CURRENT_CONFIG","features":[322]},{"name":"OID_TIMESTAMP_GET_CROSSTIMESTAMP","features":[322]},{"name":"OID_TUNNEL_INTERFACE_RELEASE_OID","features":[322]},{"name":"OID_TUNNEL_INTERFACE_SET_OID","features":[322]},{"name":"OID_VLAN_RESERVED1","features":[322]},{"name":"OID_VLAN_RESERVED2","features":[322]},{"name":"OID_VLAN_RESERVED3","features":[322]},{"name":"OID_VLAN_RESERVED4","features":[322]},{"name":"OID_WAN_CO_GET_COMP_INFO","features":[322]},{"name":"OID_WAN_CO_GET_INFO","features":[322]},{"name":"OID_WAN_CO_GET_LINK_INFO","features":[322]},{"name":"OID_WAN_CO_GET_STATS_INFO","features":[322]},{"name":"OID_WAN_CO_SET_COMP_INFO","features":[322]},{"name":"OID_WAN_CO_SET_LINK_INFO","features":[322]},{"name":"OID_WAN_CURRENT_ADDRESS","features":[322]},{"name":"OID_WAN_GET_BRIDGE_INFO","features":[322]},{"name":"OID_WAN_GET_COMP_INFO","features":[322]},{"name":"OID_WAN_GET_INFO","features":[322]},{"name":"OID_WAN_GET_LINK_INFO","features":[322]},{"name":"OID_WAN_GET_STATS_INFO","features":[322]},{"name":"OID_WAN_HEADER_FORMAT","features":[322]},{"name":"OID_WAN_LINE_COUNT","features":[322]},{"name":"OID_WAN_MEDIUM_SUBTYPE","features":[322]},{"name":"OID_WAN_PERMANENT_ADDRESS","features":[322]},{"name":"OID_WAN_PROTOCOL_CAPS","features":[322]},{"name":"OID_WAN_PROTOCOL_TYPE","features":[322]},{"name":"OID_WAN_QUALITY_OF_SERVICE","features":[322]},{"name":"OID_WAN_SET_BRIDGE_INFO","features":[322]},{"name":"OID_WAN_SET_COMP_INFO","features":[322]},{"name":"OID_WAN_SET_LINK_INFO","features":[322]},{"name":"OID_WWAN_AUTH_CHALLENGE","features":[322]},{"name":"OID_WWAN_BASE_STATIONS_INFO","features":[322]},{"name":"OID_WWAN_CONNECT","features":[322]},{"name":"OID_WWAN_CREATE_MAC","features":[322]},{"name":"OID_WWAN_DELETE_MAC","features":[322]},{"name":"OID_WWAN_DEVICE_BINDINGS","features":[322]},{"name":"OID_WWAN_DEVICE_CAPS","features":[322]},{"name":"OID_WWAN_DEVICE_CAPS_EX","features":[322]},{"name":"OID_WWAN_DEVICE_RESET","features":[322]},{"name":"OID_WWAN_DEVICE_SERVICE_COMMAND","features":[322]},{"name":"OID_WWAN_DEVICE_SERVICE_SESSION","features":[322]},{"name":"OID_WWAN_DEVICE_SERVICE_SESSION_WRITE","features":[322]},{"name":"OID_WWAN_DRIVER_CAPS","features":[322]},{"name":"OID_WWAN_ENUMERATE_DEVICE_SERVICES","features":[322]},{"name":"OID_WWAN_ENUMERATE_DEVICE_SERVICE_COMMANDS","features":[322]},{"name":"OID_WWAN_HOME_PROVIDER","features":[322]},{"name":"OID_WWAN_IMS_VOICE_STATE","features":[322]},{"name":"OID_WWAN_LOCATION_STATE","features":[322]},{"name":"OID_WWAN_LTE_ATTACH_CONFIG","features":[322]},{"name":"OID_WWAN_LTE_ATTACH_STATUS","features":[322]},{"name":"OID_WWAN_MBIM_VERSION","features":[322]},{"name":"OID_WWAN_MODEM_CONFIG_INFO","features":[322]},{"name":"OID_WWAN_MODEM_LOGGING_CONFIG","features":[322]},{"name":"OID_WWAN_MPDP","features":[322]},{"name":"OID_WWAN_NETWORK_BLACKLIST","features":[322]},{"name":"OID_WWAN_NETWORK_IDLE_HINT","features":[322]},{"name":"OID_WWAN_NETWORK_PARAMS","features":[322]},{"name":"OID_WWAN_NITZ","features":[322]},{"name":"OID_WWAN_PACKET_SERVICE","features":[322]},{"name":"OID_WWAN_PCO","features":[322]},{"name":"OID_WWAN_PIN","features":[322]},{"name":"OID_WWAN_PIN_EX","features":[322]},{"name":"OID_WWAN_PIN_EX2","features":[322]},{"name":"OID_WWAN_PIN_LIST","features":[322]},{"name":"OID_WWAN_PREFERRED_MULTICARRIER_PROVIDERS","features":[322]},{"name":"OID_WWAN_PREFERRED_PROVIDERS","features":[322]},{"name":"OID_WWAN_PRESHUTDOWN","features":[322]},{"name":"OID_WWAN_PROVISIONED_CONTEXTS","features":[322]},{"name":"OID_WWAN_PS_MEDIA_CONFIG","features":[322]},{"name":"OID_WWAN_RADIO_STATE","features":[322]},{"name":"OID_WWAN_READY_INFO","features":[322]},{"name":"OID_WWAN_REGISTER_PARAMS","features":[322]},{"name":"OID_WWAN_REGISTER_STATE","features":[322]},{"name":"OID_WWAN_REGISTER_STATE_EX","features":[322]},{"name":"OID_WWAN_SAR_CONFIG","features":[322]},{"name":"OID_WWAN_SAR_TRANSMISSION_STATUS","features":[322]},{"name":"OID_WWAN_SERVICE_ACTIVATION","features":[322]},{"name":"OID_WWAN_SIGNAL_STATE","features":[322]},{"name":"OID_WWAN_SIGNAL_STATE_EX","features":[322]},{"name":"OID_WWAN_SLOT_INFO_STATUS","features":[322]},{"name":"OID_WWAN_SMS_CONFIGURATION","features":[322]},{"name":"OID_WWAN_SMS_DELETE","features":[322]},{"name":"OID_WWAN_SMS_READ","features":[322]},{"name":"OID_WWAN_SMS_SEND","features":[322]},{"name":"OID_WWAN_SMS_STATUS","features":[322]},{"name":"OID_WWAN_SUBSCRIBE_DEVICE_SERVICE_EVENTS","features":[322]},{"name":"OID_WWAN_SYS_CAPS","features":[322]},{"name":"OID_WWAN_SYS_SLOTMAPPINGS","features":[322]},{"name":"OID_WWAN_UE_POLICY","features":[322]},{"name":"OID_WWAN_UICC_ACCESS_BINARY","features":[322]},{"name":"OID_WWAN_UICC_ACCESS_RECORD","features":[322]},{"name":"OID_WWAN_UICC_APDU","features":[322]},{"name":"OID_WWAN_UICC_APP_LIST","features":[322]},{"name":"OID_WWAN_UICC_ATR","features":[322]},{"name":"OID_WWAN_UICC_CLOSE_CHANNEL","features":[322]},{"name":"OID_WWAN_UICC_FILE_STATUS","features":[322]},{"name":"OID_WWAN_UICC_OPEN_CHANNEL","features":[322]},{"name":"OID_WWAN_UICC_RESET","features":[322]},{"name":"OID_WWAN_UICC_TERMINAL_CAPABILITY","features":[322]},{"name":"OID_WWAN_USSD","features":[322]},{"name":"OID_WWAN_VENDOR_SPECIFIC","features":[322]},{"name":"OID_WWAN_VISIBLE_PROVIDERS","features":[322]},{"name":"OID_XBOX_ACC_RESERVED0","features":[322]},{"name":"PMKID_CANDIDATE","features":[322]},{"name":"READABLE_LOCAL_CLOCK","features":[322]},{"name":"RECEIVE_TIME_INDICATION_CAPABLE","features":[322]},{"name":"TIMED_SEND_CAPABLE","features":[322]},{"name":"TIME_STAMP_CAPABLE","features":[322]},{"name":"TRANSPORT_HEADER_OFFSET","features":[322]},{"name":"TUNNEL_TYPE","features":[322]},{"name":"TUNNEL_TYPE_6TO4","features":[322]},{"name":"TUNNEL_TYPE_DIRECT","features":[322]},{"name":"TUNNEL_TYPE_IPHTTPS","features":[322]},{"name":"TUNNEL_TYPE_ISATAP","features":[322]},{"name":"TUNNEL_TYPE_NONE","features":[322]},{"name":"TUNNEL_TYPE_OTHER","features":[322]},{"name":"TUNNEL_TYPE_TEREDO","features":[322]},{"name":"UDP_ENCAP_TYPE","features":[322]},{"name":"UNSPECIFIED_NETWORK_GUID","features":[322]},{"name":"WAN_PROTOCOL_KEEPS_STATS","features":[322]},{"name":"fNDIS_GUID_ALLOW_READ","features":[322]},{"name":"fNDIS_GUID_ALLOW_WRITE","features":[322]},{"name":"fNDIS_GUID_ANSI_STRING","features":[322]},{"name":"fNDIS_GUID_ARRAY","features":[322]},{"name":"fNDIS_GUID_METHOD","features":[322]},{"name":"fNDIS_GUID_NDIS_RESERVED","features":[322]},{"name":"fNDIS_GUID_SUPPORT_COMMON_HEADER","features":[322]},{"name":"fNDIS_GUID_TO_OID","features":[322]},{"name":"fNDIS_GUID_TO_STATUS","features":[322]},{"name":"fNDIS_GUID_UNICODE_STRING","features":[322]}],"450":[{"name":"ACTION_HEADER","features":[450]},{"name":"ADAPTER_STATUS","features":[450]},{"name":"ALL_TRANSPORTS","features":[450]},{"name":"ASYNCH","features":[450]},{"name":"CALL_PENDING","features":[450]},{"name":"DEREGISTERED","features":[450]},{"name":"DUPLICATE","features":[450]},{"name":"DUPLICATE_DEREG","features":[450]},{"name":"FIND_NAME_BUFFER","features":[450]},{"name":"FIND_NAME_HEADER","features":[450]},{"name":"GROUP_NAME","features":[450]},{"name":"HANGUP_COMPLETE","features":[450]},{"name":"HANGUP_PENDING","features":[450]},{"name":"LANA_ENUM","features":[450]},{"name":"LISTEN_OUTSTANDING","features":[450]},{"name":"MAX_LANA","features":[450]},{"name":"MS_NBF","features":[450]},{"name":"NAME_BUFFER","features":[450]},{"name":"NAME_FLAGS_MASK","features":[450]},{"name":"NCB","features":[308,450]},{"name":"NCB","features":[308,450]},{"name":"NCBACTION","features":[450]},{"name":"NCBADDGRNAME","features":[450]},{"name":"NCBADDNAME","features":[450]},{"name":"NCBASTAT","features":[450]},{"name":"NCBCALL","features":[450]},{"name":"NCBCANCEL","features":[450]},{"name":"NCBCHAINSEND","features":[450]},{"name":"NCBCHAINSENDNA","features":[450]},{"name":"NCBDELNAME","features":[450]},{"name":"NCBDGRECV","features":[450]},{"name":"NCBDGRECVBC","features":[450]},{"name":"NCBDGSEND","features":[450]},{"name":"NCBDGSENDBC","features":[450]},{"name":"NCBENUM","features":[450]},{"name":"NCBFINDNAME","features":[450]},{"name":"NCBHANGUP","features":[450]},{"name":"NCBLANSTALERT","features":[450]},{"name":"NCBLISTEN","features":[450]},{"name":"NCBNAMSZ","features":[450]},{"name":"NCBRECV","features":[450]},{"name":"NCBRECVANY","features":[450]},{"name":"NCBRESET","features":[450]},{"name":"NCBSEND","features":[450]},{"name":"NCBSENDNA","features":[450]},{"name":"NCBSSTAT","features":[450]},{"name":"NCBTRACE","features":[450]},{"name":"NCBUNLINK","features":[450]},{"name":"NRC_ACTSES","features":[450]},{"name":"NRC_BADDR","features":[450]},{"name":"NRC_BRIDGE","features":[450]},{"name":"NRC_BUFLEN","features":[450]},{"name":"NRC_CANCEL","features":[450]},{"name":"NRC_CANOCCR","features":[450]},{"name":"NRC_CMDCAN","features":[450]},{"name":"NRC_CMDTMO","features":[450]},{"name":"NRC_DUPENV","features":[450]},{"name":"NRC_DUPNAME","features":[450]},{"name":"NRC_ENVNOTDEF","features":[450]},{"name":"NRC_GOODRET","features":[450]},{"name":"NRC_IFBUSY","features":[450]},{"name":"NRC_ILLCMD","features":[450]},{"name":"NRC_ILLNN","features":[450]},{"name":"NRC_INCOMP","features":[450]},{"name":"NRC_INUSE","features":[450]},{"name":"NRC_INVADDRESS","features":[450]},{"name":"NRC_INVDDID","features":[450]},{"name":"NRC_LOCKFAIL","features":[450]},{"name":"NRC_LOCTFUL","features":[450]},{"name":"NRC_MAXAPPS","features":[450]},{"name":"NRC_NAMCONF","features":[450]},{"name":"NRC_NAMERR","features":[450]},{"name":"NRC_NAMTFUL","features":[450]},{"name":"NRC_NOCALL","features":[450]},{"name":"NRC_NORES","features":[450]},{"name":"NRC_NORESOURCES","features":[450]},{"name":"NRC_NOSAPS","features":[450]},{"name":"NRC_NOWILD","features":[450]},{"name":"NRC_OPENERR","features":[450]},{"name":"NRC_OSRESNOTAV","features":[450]},{"name":"NRC_PENDING","features":[450]},{"name":"NRC_REMTFUL","features":[450]},{"name":"NRC_SABORT","features":[450]},{"name":"NRC_SCLOSED","features":[450]},{"name":"NRC_SNUMOUT","features":[450]},{"name":"NRC_SYSTEM","features":[450]},{"name":"NRC_TOOMANY","features":[450]},{"name":"Netbios","features":[308,450]},{"name":"REGISTERED","features":[450]},{"name":"REGISTERING","features":[450]},{"name":"SESSION_ABORTED","features":[450]},{"name":"SESSION_BUFFER","features":[450]},{"name":"SESSION_ESTABLISHED","features":[450]},{"name":"SESSION_HEADER","features":[450]},{"name":"UNIQUE_NAME","features":[450]}],"451":[{"name":"AA_AUDIT_ALL","features":[451]},{"name":"AA_A_ACL","features":[451]},{"name":"AA_A_CREATE","features":[451]},{"name":"AA_A_DELETE","features":[451]},{"name":"AA_A_OPEN","features":[451]},{"name":"AA_A_OWNER","features":[451]},{"name":"AA_A_WRITE","features":[451]},{"name":"AA_CLOSE","features":[451]},{"name":"AA_F_ACL","features":[451]},{"name":"AA_F_CREATE","features":[451]},{"name":"AA_F_DELETE","features":[451]},{"name":"AA_F_OPEN","features":[451]},{"name":"AA_F_WRITE","features":[451]},{"name":"AA_S_ACL","features":[451]},{"name":"AA_S_CREATE","features":[451]},{"name":"AA_S_DELETE","features":[451]},{"name":"AA_S_OPEN","features":[451]},{"name":"AA_S_WRITE","features":[451]},{"name":"ACCESS_ACCESS_LIST_PARMNUM","features":[451]},{"name":"ACCESS_ATTR_PARMNUM","features":[451]},{"name":"ACCESS_AUDIT","features":[451]},{"name":"ACCESS_COUNT_PARMNUM","features":[451]},{"name":"ACCESS_FAIL_ACL","features":[451]},{"name":"ACCESS_FAIL_DELETE","features":[451]},{"name":"ACCESS_FAIL_MASK","features":[451]},{"name":"ACCESS_FAIL_OPEN","features":[451]},{"name":"ACCESS_FAIL_SHIFT","features":[451]},{"name":"ACCESS_FAIL_WRITE","features":[451]},{"name":"ACCESS_GROUP","features":[451]},{"name":"ACCESS_INFO_0","features":[451]},{"name":"ACCESS_INFO_1","features":[451]},{"name":"ACCESS_INFO_1002","features":[451]},{"name":"ACCESS_LETTERS","features":[451]},{"name":"ACCESS_LIST","features":[451]},{"name":"ACCESS_NONE","features":[451]},{"name":"ACCESS_RESOURCE_NAME_PARMNUM","features":[451]},{"name":"ACCESS_SUCCESS_ACL","features":[451]},{"name":"ACCESS_SUCCESS_DELETE","features":[451]},{"name":"ACCESS_SUCCESS_MASK","features":[451]},{"name":"ACCESS_SUCCESS_OPEN","features":[451]},{"name":"ACCESS_SUCCESS_WRITE","features":[451]},{"name":"ACTION_ADMINUNLOCK","features":[451]},{"name":"ACTION_LOCKOUT","features":[451]},{"name":"ADMIN_OTHER_INFO","features":[451]},{"name":"AE_ACCLIM","features":[451]},{"name":"AE_ACCLIMITEXCD","features":[451]},{"name":"AE_ACCRESTRICT","features":[451]},{"name":"AE_ACLMOD","features":[451]},{"name":"AE_ACLMOD","features":[451]},{"name":"AE_ACLMODFAIL","features":[451]},{"name":"AE_ADD","features":[451]},{"name":"AE_ADMIN","features":[451]},{"name":"AE_ADMINDIS","features":[451]},{"name":"AE_ADMINPRIVREQD","features":[451]},{"name":"AE_ADMIN_CLOSE","features":[451]},{"name":"AE_AUTODIS","features":[451]},{"name":"AE_BADPW","features":[451]},{"name":"AE_CLOSEFILE","features":[451]},{"name":"AE_CLOSEFILE","features":[451]},{"name":"AE_CONNREJ","features":[451]},{"name":"AE_CONNREJ","features":[451]},{"name":"AE_CONNSTART","features":[451]},{"name":"AE_CONNSTART","features":[451]},{"name":"AE_CONNSTOP","features":[451]},{"name":"AE_CONNSTOP","features":[451]},{"name":"AE_DELETE","features":[451]},{"name":"AE_ERROR","features":[451]},{"name":"AE_GENERAL","features":[451]},{"name":"AE_GENERIC","features":[451]},{"name":"AE_GENERIC_TYPE","features":[451]},{"name":"AE_GUEST","features":[451]},{"name":"AE_LIM_DELETED","features":[451]},{"name":"AE_LIM_DISABLED","features":[451]},{"name":"AE_LIM_EXPIRED","features":[451]},{"name":"AE_LIM_INVAL_WKSTA","features":[451]},{"name":"AE_LIM_LOGONHOURS","features":[451]},{"name":"AE_LIM_UNKNOWN","features":[451]},{"name":"AE_LOCKOUT","features":[451]},{"name":"AE_LOCKOUT","features":[451]},{"name":"AE_MOD","features":[451]},{"name":"AE_NETLOGDENIED","features":[451]},{"name":"AE_NETLOGOFF","features":[451]},{"name":"AE_NETLOGOFF","features":[451]},{"name":"AE_NETLOGON","features":[451]},{"name":"AE_NETLOGON","features":[451]},{"name":"AE_NOACCESSPERM","features":[451]},{"name":"AE_NORMAL","features":[451]},{"name":"AE_NORMAL_CLOSE","features":[451]},{"name":"AE_RESACCESS","features":[451]},{"name":"AE_RESACCESS","features":[451]},{"name":"AE_RESACCESS2","features":[451]},{"name":"AE_RESACCESSREJ","features":[451]},{"name":"AE_RESACCESSREJ","features":[451]},{"name":"AE_SERVICESTAT","features":[451]},{"name":"AE_SERVICESTAT","features":[451]},{"name":"AE_SESSDIS","features":[451]},{"name":"AE_SESSLOGOFF","features":[451]},{"name":"AE_SESSLOGOFF","features":[451]},{"name":"AE_SESSLOGON","features":[451]},{"name":"AE_SESSLOGON","features":[451]},{"name":"AE_SESSPWERR","features":[451]},{"name":"AE_SESSPWERR","features":[451]},{"name":"AE_SES_CLOSE","features":[451]},{"name":"AE_SRVCONT","features":[451]},{"name":"AE_SRVPAUSED","features":[451]},{"name":"AE_SRVSTART","features":[451]},{"name":"AE_SRVSTATUS","features":[451]},{"name":"AE_SRVSTATUS","features":[451]},{"name":"AE_SRVSTOP","features":[451]},{"name":"AE_UASMOD","features":[451]},{"name":"AE_UASMOD","features":[451]},{"name":"AE_UAS_GROUP","features":[451]},{"name":"AE_UAS_MODALS","features":[451]},{"name":"AE_UAS_USER","features":[451]},{"name":"AE_UNSHARE","features":[451]},{"name":"AE_USER","features":[451]},{"name":"AE_USERLIMIT","features":[451]},{"name":"AF_OP","features":[451]},{"name":"AF_OP_ACCOUNTS","features":[451]},{"name":"AF_OP_COMM","features":[451]},{"name":"AF_OP_PRINT","features":[451]},{"name":"AF_OP_SERVER","features":[451]},{"name":"ALERTER_MAILSLOT","features":[451]},{"name":"ALERTSZ","features":[451]},{"name":"ALERT_ADMIN_EVENT","features":[451]},{"name":"ALERT_ERRORLOG_EVENT","features":[451]},{"name":"ALERT_MESSAGE_EVENT","features":[451]},{"name":"ALERT_PRINT_EVENT","features":[451]},{"name":"ALERT_USER_EVENT","features":[451]},{"name":"ALIGN_SHIFT","features":[451]},{"name":"ALIGN_SIZE","features":[451]},{"name":"ALLOCATE_RESPONSE","features":[451]},{"name":"AT_ENUM","features":[451]},{"name":"AT_INFO","features":[451]},{"name":"AUDIT_ENTRY","features":[451]},{"name":"BACKUP_MSG_FILENAME","features":[451]},{"name":"BIND_FLAGS1","features":[451]},{"name":"CLTYPE_LEN","features":[451]},{"name":"CNLEN","features":[451]},{"name":"COMPONENT_CHARACTERISTICS","features":[451]},{"name":"CONFIG_INFO_0","features":[451]},{"name":"COULD_NOT_VERIFY_VOLUMES","features":[451]},{"name":"CREATE_BYPASS_CSC","features":[451]},{"name":"CREATE_CRED_RESET","features":[451]},{"name":"CREATE_GLOBAL_MAPPING","features":[451]},{"name":"CREATE_NO_CONNECT","features":[451]},{"name":"CREATE_PERSIST_MAPPING","features":[451]},{"name":"CREATE_REQUIRE_CONNECTION_INTEGRITY","features":[451]},{"name":"CREATE_REQUIRE_CONNECTION_PRIVACY","features":[451]},{"name":"CREATE_WRITE_THROUGH_SEMANTICS","features":[451]},{"name":"CRYPT_KEY_LEN","features":[451]},{"name":"CRYPT_TXT_LEN","features":[451]},{"name":"DEFAULT_PAGES","features":[451]},{"name":"DEF_MAX_BADPW","features":[451]},{"name":"DEF_MAX_PWHIST","features":[451]},{"name":"DEF_MIN_PWLEN","features":[451]},{"name":"DEF_PWUNIQUENESS","features":[451]},{"name":"DEVLEN","features":[451]},{"name":"DFS_CONNECTION_FAILURE","features":[451]},{"name":"DFS_ERROR_ACTIVEDIRECTORY_OFFLINE","features":[451]},{"name":"DFS_ERROR_CLUSTERINFO_FAILED","features":[451]},{"name":"DFS_ERROR_COMPUTERINFO_FAILED","features":[451]},{"name":"DFS_ERROR_CREATEEVENT_FAILED","features":[451]},{"name":"DFS_ERROR_CREATE_REPARSEPOINT_FAILURE","features":[451]},{"name":"DFS_ERROR_CREATE_REPARSEPOINT_SUCCESS","features":[451]},{"name":"DFS_ERROR_CROSS_FOREST_TRUST_INFO_FAILED","features":[451]},{"name":"DFS_ERROR_DCINFO_FAILED","features":[451]},{"name":"DFS_ERROR_DSCONNECT_FAILED","features":[451]},{"name":"DFS_ERROR_DUPLICATE_LINK","features":[451]},{"name":"DFS_ERROR_HANDLENAMESPACE_FAILED","features":[451]},{"name":"DFS_ERROR_LINKS_OVERLAP","features":[451]},{"name":"DFS_ERROR_LINK_OVERLAP","features":[451]},{"name":"DFS_ERROR_MUTLIPLE_ROOTS_NOT_SUPPORTED","features":[451]},{"name":"DFS_ERROR_NO_DFS_DATA","features":[451]},{"name":"DFS_ERROR_ON_ROOT","features":[451]},{"name":"DFS_ERROR_OVERLAPPING_DIRECTORIES","features":[451]},{"name":"DFS_ERROR_PREFIXTABLE_FAILED","features":[451]},{"name":"DFS_ERROR_REFLECTIONENGINE_FAILED","features":[451]},{"name":"DFS_ERROR_REGISTERSTORE_FAILED","features":[451]},{"name":"DFS_ERROR_REMOVE_LINK_FAILED","features":[451]},{"name":"DFS_ERROR_RESYNCHRONIZE_FAILED","features":[451]},{"name":"DFS_ERROR_ROOTSYNCINIT_FAILED","features":[451]},{"name":"DFS_ERROR_SECURITYINIT_FAILED","features":[451]},{"name":"DFS_ERROR_SITECACHEINIT_FAILED","features":[451]},{"name":"DFS_ERROR_SITESUPPOR_FAILED","features":[451]},{"name":"DFS_ERROR_TARGET_LIST_INCORRECT","features":[451]},{"name":"DFS_ERROR_THREADINIT_FAILED","features":[451]},{"name":"DFS_ERROR_TOO_MANY_ERRORS","features":[451]},{"name":"DFS_ERROR_TRUSTED_DOMAIN_INFO_FAILED","features":[451]},{"name":"DFS_ERROR_UNSUPPORTED_FILESYSTEM","features":[451]},{"name":"DFS_ERROR_WINSOCKINIT_FAILED","features":[451]},{"name":"DFS_INFO_ACTIVEDIRECTORY_ONLINE","features":[451]},{"name":"DFS_INFO_CROSS_FOREST_TRUST_INFO_SUCCESS","features":[451]},{"name":"DFS_INFO_DOMAIN_REFERRAL_MIN_OVERFLOW","features":[451]},{"name":"DFS_INFO_DS_RECONNECTED","features":[451]},{"name":"DFS_INFO_FINISH_BUILDING_NAMESPACE","features":[451]},{"name":"DFS_INFO_FINISH_INIT","features":[451]},{"name":"DFS_INFO_RECONNECT_DATA","features":[451]},{"name":"DFS_INFO_TRUSTED_DOMAIN_INFO_SUCCESS","features":[451]},{"name":"DFS_INIT_SUCCESS","features":[451]},{"name":"DFS_MAX_DNR_ATTEMPTS","features":[451]},{"name":"DFS_OPEN_FAILURE","features":[451]},{"name":"DFS_REFERRAL_FAILURE","features":[451]},{"name":"DFS_REFERRAL_REQUEST","features":[451]},{"name":"DFS_REFERRAL_SUCCESS","features":[451]},{"name":"DFS_ROOT_SHARE_ACQUIRE_FAILED","features":[451]},{"name":"DFS_ROOT_SHARE_ACQUIRE_SUCCESS","features":[451]},{"name":"DFS_SPECIAL_REFERRAL_FAILURE","features":[451]},{"name":"DFS_WARN_DOMAIN_REFERRAL_OVERFLOW","features":[451]},{"name":"DFS_WARN_INCOMPLETE_MOVE","features":[451]},{"name":"DFS_WARN_METADATA_LINK_INFO_INVALID","features":[451]},{"name":"DFS_WARN_METADATA_LINK_TYPE_INCORRECT","features":[451]},{"name":"DNLEN","features":[451]},{"name":"DPP_ADVANCED","features":[451]},{"name":"DSREG_DEVICE_JOIN","features":[451]},{"name":"DSREG_JOIN_INFO","features":[308,451,392]},{"name":"DSREG_JOIN_TYPE","features":[451]},{"name":"DSREG_UNKNOWN_JOIN","features":[451]},{"name":"DSREG_USER_INFO","features":[451]},{"name":"DSREG_WORKPLACE_JOIN","features":[451]},{"name":"EBP_ABOVE","features":[451]},{"name":"EBP_BELOW","features":[451]},{"name":"ENCRYPTED_PWLEN","features":[451]},{"name":"ENUM_BINDING_PATHS_FLAGS","features":[451]},{"name":"ERRLOG2_BASE","features":[451]},{"name":"ERRLOG_BASE","features":[451]},{"name":"ERRLOG_OTHER_INFO","features":[451]},{"name":"ERROR_LOG","features":[451]},{"name":"EVENT_BAD_ACCOUNT_NAME","features":[451]},{"name":"EVENT_BAD_SERVICE_STATE","features":[451]},{"name":"EVENT_BOOT_SYSTEM_DRIVERS_FAILED","features":[451]},{"name":"EVENT_BOWSER_CANT_READ_REGISTRY","features":[451]},{"name":"EVENT_BOWSER_ELECTION_RECEIVED","features":[451]},{"name":"EVENT_BOWSER_ELECTION_SENT_FIND_MASTER_FAILED","features":[451]},{"name":"EVENT_BOWSER_ELECTION_SENT_GETBLIST_FAILED","features":[451]},{"name":"EVENT_BOWSER_GETBROWSERLIST_THRESHOLD_EXCEEDED","features":[451]},{"name":"EVENT_BOWSER_ILLEGAL_DATAGRAM","features":[451]},{"name":"EVENT_BOWSER_ILLEGAL_DATAGRAM_THRESHOLD","features":[451]},{"name":"EVENT_BOWSER_MAILSLOT_DATAGRAM_THRESHOLD_EXCEEDED","features":[451]},{"name":"EVENT_BOWSER_NAME_CONVERSION_FAILED","features":[451]},{"name":"EVENT_BOWSER_NON_MASTER_MASTER_ANNOUNCE","features":[451]},{"name":"EVENT_BOWSER_NON_PDC_WON_ELECTION","features":[451]},{"name":"EVENT_BOWSER_OLD_BACKUP_FOUND","features":[451]},{"name":"EVENT_BOWSER_OTHER_MASTER_ON_NET","features":[451]},{"name":"EVENT_BOWSER_PDC_LOST_ELECTION","features":[451]},{"name":"EVENT_BOWSER_PROMOTED_WHILE_ALREADY_MASTER","features":[451]},{"name":"EVENT_BRIDGE_ADAPTER_BIND_FAILED","features":[451]},{"name":"EVENT_BRIDGE_ADAPTER_FILTER_FAILED","features":[451]},{"name":"EVENT_BRIDGE_ADAPTER_LINK_SPEED_QUERY_FAILED","features":[451]},{"name":"EVENT_BRIDGE_ADAPTER_MAC_ADDR_QUERY_FAILED","features":[451]},{"name":"EVENT_BRIDGE_ADAPTER_NAME_QUERY_FAILED","features":[451]},{"name":"EVENT_BRIDGE_BUFFER_POOL_CREATION_FAILED","features":[451]},{"name":"EVENT_BRIDGE_DEVICE_CREATION_FAILED","features":[451]},{"name":"EVENT_BRIDGE_ETHERNET_NOT_OFFERED","features":[451]},{"name":"EVENT_BRIDGE_INIT_MALLOC_FAILED","features":[451]},{"name":"EVENT_BRIDGE_MINIPORT_INIT_FAILED","features":[451]},{"name":"EVENT_BRIDGE_MINIPORT_REGISTER_FAILED","features":[451]},{"name":"EVENT_BRIDGE_MINIPROT_DEVNAME_MISSING","features":[451]},{"name":"EVENT_BRIDGE_NO_BRIDGE_MAC_ADDR","features":[451]},{"name":"EVENT_BRIDGE_PACKET_POOL_CREATION_FAILED","features":[451]},{"name":"EVENT_BRIDGE_PROTOCOL_REGISTER_FAILED","features":[451]},{"name":"EVENT_BRIDGE_THREAD_CREATION_FAILED","features":[451]},{"name":"EVENT_BRIDGE_THREAD_REF_FAILED","features":[451]},{"name":"EVENT_BROWSER_BACKUP_STOPPED","features":[451]},{"name":"EVENT_BROWSER_DEPENDANT_SERVICE_FAILED","features":[451]},{"name":"EVENT_BROWSER_DOMAIN_LIST_FAILED","features":[451]},{"name":"EVENT_BROWSER_DOMAIN_LIST_RETRIEVED","features":[451]},{"name":"EVENT_BROWSER_ELECTION_SENT_LANMAN_NT_STARTED","features":[451]},{"name":"EVENT_BROWSER_ELECTION_SENT_LANMAN_NT_STOPPED","features":[451]},{"name":"EVENT_BROWSER_ELECTION_SENT_ROLE_CHANGED","features":[451]},{"name":"EVENT_BROWSER_GETBLIST_RECEIVED_NOT_MASTER","features":[451]},{"name":"EVENT_BROWSER_ILLEGAL_CONFIG","features":[451]},{"name":"EVENT_BROWSER_MASTER_PROMOTION_FAILED","features":[451]},{"name":"EVENT_BROWSER_MASTER_PROMOTION_FAILED_NO_MASTER","features":[451]},{"name":"EVENT_BROWSER_MASTER_PROMOTION_FAILED_STOPPING","features":[451]},{"name":"EVENT_BROWSER_NOT_STARTED_IPX_CONFIG_MISMATCH","features":[451]},{"name":"EVENT_BROWSER_OTHERDOMAIN_ADD_FAILED","features":[451]},{"name":"EVENT_BROWSER_ROLE_CHANGE_FAILED","features":[451]},{"name":"EVENT_BROWSER_SERVER_LIST_FAILED","features":[451]},{"name":"EVENT_BROWSER_SERVER_LIST_RETRIEVED","features":[451]},{"name":"EVENT_BROWSER_STATUS_BITS_UPDATE_FAILED","features":[451]},{"name":"EVENT_CALL_TO_FUNCTION_FAILED","features":[451]},{"name":"EVENT_CALL_TO_FUNCTION_FAILED_II","features":[451]},{"name":"EVENT_CIRCULAR_DEPENDENCY_AUTO","features":[451]},{"name":"EVENT_CIRCULAR_DEPENDENCY_DEMAND","features":[451]},{"name":"EVENT_COMMAND_NOT_INTERACTIVE","features":[451]},{"name":"EVENT_COMMAND_START_FAILED","features":[451]},{"name":"EVENT_CONNECTION_TIMEOUT","features":[451]},{"name":"EVENT_ComputerNameChange","features":[451]},{"name":"EVENT_DAV_REDIR_DELAYED_WRITE_FAILED","features":[451]},{"name":"EVENT_DCOM_ASSERTION_FAILURE","features":[451]},{"name":"EVENT_DCOM_COMPLUS_DISABLED","features":[451]},{"name":"EVENT_DCOM_INVALID_ENDPOINT_DATA","features":[451]},{"name":"EVENT_DEPEND_ON_LATER_GROUP","features":[451]},{"name":"EVENT_DEPEND_ON_LATER_SERVICE","features":[451]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_NOTSUPP","features":[451]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_NOTSUPP_PRIMARY_DN","features":[451]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_OTHER","features":[451]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_OTHER_PRIMARY_DN","features":[451]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_REFUSED","features":[451]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_REFUSED_PRIMARY_DN","features":[451]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_SECURITY","features":[451]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_SECURITY_PRIMARY_DN","features":[451]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_SERVERFAIL","features":[451]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_SERVERFAIL_PRIMARY_DN","features":[451]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_TIMEOUT","features":[451]},{"name":"EVENT_DNSAPI_DEREGISTRATION_FAILED_TIMEOUT_PRIMARY_DN","features":[451]},{"name":"EVENT_DNSAPI_PTR_DEREGISTRATION_FAILED_NOTSUPP","features":[451]},{"name":"EVENT_DNSAPI_PTR_DEREGISTRATION_FAILED_OTHER","features":[451]},{"name":"EVENT_DNSAPI_PTR_DEREGISTRATION_FAILED_REFUSED","features":[451]},{"name":"EVENT_DNSAPI_PTR_DEREGISTRATION_FAILED_SECURITY","features":[451]},{"name":"EVENT_DNSAPI_PTR_DEREGISTRATION_FAILED_SERVERFAIL","features":[451]},{"name":"EVENT_DNSAPI_PTR_DEREGISTRATION_FAILED_TIMEOUT","features":[451]},{"name":"EVENT_DNSAPI_PTR_REGISTRATION_FAILED_NOTSUPP","features":[451]},{"name":"EVENT_DNSAPI_PTR_REGISTRATION_FAILED_OTHER","features":[451]},{"name":"EVENT_DNSAPI_PTR_REGISTRATION_FAILED_REFUSED","features":[451]},{"name":"EVENT_DNSAPI_PTR_REGISTRATION_FAILED_SECURITY","features":[451]},{"name":"EVENT_DNSAPI_PTR_REGISTRATION_FAILED_SERVERFAIL","features":[451]},{"name":"EVENT_DNSAPI_PTR_REGISTRATION_FAILED_TIMEOUT","features":[451]},{"name":"EVENT_DNSAPI_REGISTERED_ADAPTER","features":[451]},{"name":"EVENT_DNSAPI_REGISTERED_ADAPTER_PRIMARY_DN","features":[451]},{"name":"EVENT_DNSAPI_REGISTERED_PTR","features":[451]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_NOTSUPP","features":[451]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_NOTSUPP_PRIMARY_DN","features":[451]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_OTHER","features":[451]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_OTHER_PRIMARY_DN","features":[451]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_REFUSED","features":[451]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_REFUSED_PRIMARY_DN","features":[451]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_SECURITY","features":[451]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_SECURITY_PRIMARY_DN","features":[451]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_SERVERFAIL","features":[451]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_SERVERFAIL_PRIMARY_DN","features":[451]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_TIMEOUT","features":[451]},{"name":"EVENT_DNSAPI_REGISTRATION_FAILED_TIMEOUT_PRIMARY_DN","features":[451]},{"name":"EVENT_DNSDomainNameChange","features":[451]},{"name":"EVENT_DNS_CACHE_NETWORK_PERF_WARNING","features":[451]},{"name":"EVENT_DNS_CACHE_START_FAILURE_LOW_MEMORY","features":[451]},{"name":"EVENT_DNS_CACHE_START_FAILURE_NO_CONTROL","features":[451]},{"name":"EVENT_DNS_CACHE_START_FAILURE_NO_DLL","features":[451]},{"name":"EVENT_DNS_CACHE_START_FAILURE_NO_DONE_EVENT","features":[451]},{"name":"EVENT_DNS_CACHE_START_FAILURE_NO_ENTRY","features":[451]},{"name":"EVENT_DNS_CACHE_START_FAILURE_NO_RPC","features":[451]},{"name":"EVENT_DNS_CACHE_START_FAILURE_NO_SHUTDOWN_NOTIFY","features":[451]},{"name":"EVENT_DNS_CACHE_START_FAILURE_NO_UPDATE","features":[451]},{"name":"EVENT_DNS_CACHE_UNABLE_TO_REACH_SERVER_WARNING","features":[451]},{"name":"EVENT_EQOS_ERROR_MACHINE_POLICY_KEYNAME_SIZE_ZERO","features":[451]},{"name":"EVENT_EQOS_ERROR_MACHINE_POLICY_KEYNAME_TOO_LONG","features":[451]},{"name":"EVENT_EQOS_ERROR_MACHINE_POLICY_REFERESH","features":[451]},{"name":"EVENT_EQOS_ERROR_OPENING_MACHINE_POLICY_ROOT_KEY","features":[451]},{"name":"EVENT_EQOS_ERROR_OPENING_MACHINE_POLICY_SUBKEY","features":[451]},{"name":"EVENT_EQOS_ERROR_OPENING_USER_POLICY_ROOT_KEY","features":[451]},{"name":"EVENT_EQOS_ERROR_OPENING_USER_POLICY_SUBKEY","features":[451]},{"name":"EVENT_EQOS_ERROR_PROCESSING_MACHINE_POLICY_FIELD","features":[451]},{"name":"EVENT_EQOS_ERROR_PROCESSING_USER_POLICY_FIELD","features":[451]},{"name":"EVENT_EQOS_ERROR_SETTING_APP_MARKING","features":[451]},{"name":"EVENT_EQOS_ERROR_SETTING_TCP_AUTOTUNING","features":[451]},{"name":"EVENT_EQOS_ERROR_USER_POLICY_KEYNAME_SIZE_ZERO","features":[451]},{"name":"EVENT_EQOS_ERROR_USER_POLICY_KEYNAME_TOO_LONG","features":[451]},{"name":"EVENT_EQOS_ERROR_USER_POLICY_REFERESH","features":[451]},{"name":"EVENT_EQOS_INFO_APP_MARKING_ALLOWED","features":[451]},{"name":"EVENT_EQOS_INFO_APP_MARKING_IGNORED","features":[451]},{"name":"EVENT_EQOS_INFO_APP_MARKING_NOT_CONFIGURED","features":[451]},{"name":"EVENT_EQOS_INFO_LOCAL_SETTING_DONT_USE_NLA","features":[451]},{"name":"EVENT_EQOS_INFO_MACHINE_POLICY_REFRESH_NO_CHANGE","features":[451]},{"name":"EVENT_EQOS_INFO_MACHINE_POLICY_REFRESH_WITH_CHANGE","features":[451]},{"name":"EVENT_EQOS_INFO_TCP_AUTOTUNING_HIGHLY_RESTRICTED","features":[451]},{"name":"EVENT_EQOS_INFO_TCP_AUTOTUNING_NORMAL","features":[451]},{"name":"EVENT_EQOS_INFO_TCP_AUTOTUNING_NOT_CONFIGURED","features":[451]},{"name":"EVENT_EQOS_INFO_TCP_AUTOTUNING_OFF","features":[451]},{"name":"EVENT_EQOS_INFO_TCP_AUTOTUNING_RESTRICTED","features":[451]},{"name":"EVENT_EQOS_INFO_USER_POLICY_REFRESH_NO_CHANGE","features":[451]},{"name":"EVENT_EQOS_INFO_USER_POLICY_REFRESH_WITH_CHANGE","features":[451]},{"name":"EVENT_EQOS_URL_QOS_APPLICATION_CONFLICT","features":[451]},{"name":"EVENT_EQOS_WARNING_MACHINE_POLICY_CONFLICT","features":[451]},{"name":"EVENT_EQOS_WARNING_MACHINE_POLICY_NO_FULLPATH_APPNAME","features":[451]},{"name":"EVENT_EQOS_WARNING_MACHINE_POLICY_PROFILE_NOT_SPECIFIED","features":[451]},{"name":"EVENT_EQOS_WARNING_MACHINE_POLICY_QUOTA_EXCEEDED","features":[451]},{"name":"EVENT_EQOS_WARNING_MACHINE_POLICY_VERSION","features":[451]},{"name":"EVENT_EQOS_WARNING_TEST_1","features":[451]},{"name":"EVENT_EQOS_WARNING_TEST_2","features":[451]},{"name":"EVENT_EQOS_WARNING_USER_POLICY_CONFLICT","features":[451]},{"name":"EVENT_EQOS_WARNING_USER_POLICY_NO_FULLPATH_APPNAME","features":[451]},{"name":"EVENT_EQOS_WARNING_USER_POLICY_PROFILE_NOT_SPECIFIED","features":[451]},{"name":"EVENT_EQOS_WARNING_USER_POLICY_QUOTA_EXCEEDED","features":[451]},{"name":"EVENT_EQOS_WARNING_USER_POLICY_VERSION","features":[451]},{"name":"EVENT_EventLogProductInfo","features":[451]},{"name":"EVENT_EventlogAbnormalShutdown","features":[451]},{"name":"EVENT_EventlogStarted","features":[451]},{"name":"EVENT_EventlogStopped","features":[451]},{"name":"EVENT_EventlogUptime","features":[451]},{"name":"EVENT_FIRST_LOGON_FAILED","features":[451]},{"name":"EVENT_FIRST_LOGON_FAILED_II","features":[451]},{"name":"EVENT_FRS_ACCESS_CHECKS_DISABLED","features":[451]},{"name":"EVENT_FRS_ACCESS_CHECKS_FAILED_UNKNOWN","features":[451]},{"name":"EVENT_FRS_ACCESS_CHECKS_FAILED_USER","features":[451]},{"name":"EVENT_FRS_ASSERT","features":[451]},{"name":"EVENT_FRS_BAD_REG_DATA","features":[451]},{"name":"EVENT_FRS_CANNOT_COMMUNICATE","features":[451]},{"name":"EVENT_FRS_CANNOT_CREATE_UUID","features":[451]},{"name":"EVENT_FRS_CANNOT_START_BACKUP_RESTORE_IN_PROGRESS","features":[451]},{"name":"EVENT_FRS_CANT_OPEN_PREINSTALL","features":[451]},{"name":"EVENT_FRS_CANT_OPEN_STAGE","features":[451]},{"name":"EVENT_FRS_DATABASE_SPACE","features":[451]},{"name":"EVENT_FRS_DISK_WRITE_CACHE_ENABLED","features":[451]},{"name":"EVENT_FRS_DS_POLL_ERROR_SUMMARY","features":[451]},{"name":"EVENT_FRS_DUPLICATE_IN_CXTION","features":[451]},{"name":"EVENT_FRS_DUPLICATE_IN_CXTION_SYSVOL","features":[451]},{"name":"EVENT_FRS_ERROR","features":[451]},{"name":"EVENT_FRS_ERROR_REPLICA_SET_DELETED","features":[451]},{"name":"EVENT_FRS_HUGE_FILE","features":[451]},{"name":"EVENT_FRS_IN_ERROR_STATE","features":[451]},{"name":"EVENT_FRS_JET_1414","features":[451]},{"name":"EVENT_FRS_JOIN_FAIL_TIME_SKEW","features":[451]},{"name":"EVENT_FRS_LONG_JOIN","features":[451]},{"name":"EVENT_FRS_LONG_JOIN_DONE","features":[451]},{"name":"EVENT_FRS_MOVED_PREEXISTING","features":[451]},{"name":"EVENT_FRS_NO_DNS_ATTRIBUTE","features":[451]},{"name":"EVENT_FRS_NO_SID","features":[451]},{"name":"EVENT_FRS_OVERLAPS_LOGGING","features":[451]},{"name":"EVENT_FRS_OVERLAPS_OTHER_STAGE","features":[451]},{"name":"EVENT_FRS_OVERLAPS_ROOT","features":[451]},{"name":"EVENT_FRS_OVERLAPS_STAGE","features":[451]},{"name":"EVENT_FRS_OVERLAPS_WORKING","features":[451]},{"name":"EVENT_FRS_PREPARE_ROOT_FAILED","features":[451]},{"name":"EVENT_FRS_REPLICA_IN_JRNL_WRAP_ERROR","features":[451]},{"name":"EVENT_FRS_REPLICA_NO_ROOT_CHANGE","features":[451]},{"name":"EVENT_FRS_REPLICA_SET_CREATE_FAIL","features":[451]},{"name":"EVENT_FRS_REPLICA_SET_CREATE_OK","features":[451]},{"name":"EVENT_FRS_REPLICA_SET_CXTIONS","features":[451]},{"name":"EVENT_FRS_RMTCO_TIME_SKEW","features":[451]},{"name":"EVENT_FRS_ROOT_HAS_MOVED","features":[451]},{"name":"EVENT_FRS_ROOT_NOT_VALID","features":[451]},{"name":"EVENT_FRS_STAGE_NOT_VALID","features":[451]},{"name":"EVENT_FRS_STAGING_AREA_FULL","features":[451]},{"name":"EVENT_FRS_STARTING","features":[451]},{"name":"EVENT_FRS_STOPPED","features":[451]},{"name":"EVENT_FRS_STOPPED_ASSERT","features":[451]},{"name":"EVENT_FRS_STOPPED_FORCE","features":[451]},{"name":"EVENT_FRS_STOPPING","features":[451]},{"name":"EVENT_FRS_SYSVOL_NOT_READY","features":[451]},{"name":"EVENT_FRS_SYSVOL_NOT_READY_PRIMARY","features":[451]},{"name":"EVENT_FRS_SYSVOL_READY","features":[451]},{"name":"EVENT_FRS_VOLUME_NOT_SUPPORTED","features":[451]},{"name":"EVENT_INVALID_DRIVER_DEPENDENCY","features":[451]},{"name":"EVENT_IPX_CREATE_DEVICE","features":[451]},{"name":"EVENT_IPX_ILLEGAL_CONFIG","features":[451]},{"name":"EVENT_IPX_INTERNAL_NET_INVALID","features":[451]},{"name":"EVENT_IPX_NEW_DEFAULT_TYPE","features":[451]},{"name":"EVENT_IPX_NO_ADAPTERS","features":[451]},{"name":"EVENT_IPX_NO_FRAME_TYPES","features":[451]},{"name":"EVENT_IPX_SAP_ANNOUNCE","features":[451]},{"name":"EVENT_NBT_BAD_BACKUP_WINS_ADDR","features":[451]},{"name":"EVENT_NBT_BAD_PRIMARY_WINS_ADDR","features":[451]},{"name":"EVENT_NBT_CREATE_ADDRESS","features":[451]},{"name":"EVENT_NBT_CREATE_CONNECTION","features":[451]},{"name":"EVENT_NBT_CREATE_DEVICE","features":[451]},{"name":"EVENT_NBT_CREATE_DRIVER","features":[451]},{"name":"EVENT_NBT_DUPLICATE_NAME","features":[451]},{"name":"EVENT_NBT_DUPLICATE_NAME_ERROR","features":[451]},{"name":"EVENT_NBT_NAME_RELEASE","features":[451]},{"name":"EVENT_NBT_NAME_SERVER_ADDRS","features":[451]},{"name":"EVENT_NBT_NON_OS_INIT","features":[451]},{"name":"EVENT_NBT_NO_BACKUP_WINS","features":[451]},{"name":"EVENT_NBT_NO_DEVICES","features":[451]},{"name":"EVENT_NBT_NO_RESOURCES","features":[451]},{"name":"EVENT_NBT_NO_WINS","features":[451]},{"name":"EVENT_NBT_OPEN_REG_LINKAGE","features":[451]},{"name":"EVENT_NBT_OPEN_REG_NAMESERVER","features":[451]},{"name":"EVENT_NBT_OPEN_REG_PARAMS","features":[451]},{"name":"EVENT_NBT_READ_BIND","features":[451]},{"name":"EVENT_NBT_READ_EXPORT","features":[451]},{"name":"EVENT_NBT_TIMERS","features":[451]},{"name":"EVENT_NDIS_ADAPTER_CHECK_ERROR","features":[451]},{"name":"EVENT_NDIS_ADAPTER_DISABLED","features":[451]},{"name":"EVENT_NDIS_ADAPTER_NOT_FOUND","features":[451]},{"name":"EVENT_NDIS_BAD_IO_BASE_ADDRESS","features":[451]},{"name":"EVENT_NDIS_BAD_VERSION","features":[451]},{"name":"EVENT_NDIS_CABLE_DISCONNECTED_ERROR","features":[451]},{"name":"EVENT_NDIS_DMA_CONFLICT","features":[451]},{"name":"EVENT_NDIS_DRIVER_FAILURE","features":[451]},{"name":"EVENT_NDIS_HARDWARE_FAILURE","features":[451]},{"name":"EVENT_NDIS_INTERRUPT_CONFLICT","features":[451]},{"name":"EVENT_NDIS_INTERRUPT_CONNECT","features":[451]},{"name":"EVENT_NDIS_INVALID_DOWNLOAD_FILE_ERROR","features":[451]},{"name":"EVENT_NDIS_INVALID_VALUE_FROM_ADAPTER","features":[451]},{"name":"EVENT_NDIS_IO_PORT_CONFLICT","features":[451]},{"name":"EVENT_NDIS_LOBE_FAILUE_ERROR","features":[451]},{"name":"EVENT_NDIS_MAXFRAMESIZE_ERROR","features":[451]},{"name":"EVENT_NDIS_MAXINTERNALBUFS_ERROR","features":[451]},{"name":"EVENT_NDIS_MAXMULTICAST_ERROR","features":[451]},{"name":"EVENT_NDIS_MAXRECEIVES_ERROR","features":[451]},{"name":"EVENT_NDIS_MAXTRANSMITS_ERROR","features":[451]},{"name":"EVENT_NDIS_MEMORY_CONFLICT","features":[451]},{"name":"EVENT_NDIS_MISSING_CONFIGURATION_PARAMETER","features":[451]},{"name":"EVENT_NDIS_NETWORK_ADDRESS","features":[451]},{"name":"EVENT_NDIS_OUT_OF_RESOURCE","features":[451]},{"name":"EVENT_NDIS_PORT_OR_DMA_CONFLICT","features":[451]},{"name":"EVENT_NDIS_PRODUCTID_ERROR","features":[451]},{"name":"EVENT_NDIS_RECEIVE_SPACE_SMALL","features":[451]},{"name":"EVENT_NDIS_REMOVE_RECEIVED_ERROR","features":[451]},{"name":"EVENT_NDIS_RESET_FAILURE_CORRECTION","features":[451]},{"name":"EVENT_NDIS_RESET_FAILURE_ERROR","features":[451]},{"name":"EVENT_NDIS_RESOURCE_CONFLICT","features":[451]},{"name":"EVENT_NDIS_SIGNAL_LOSS_ERROR","features":[451]},{"name":"EVENT_NDIS_TIMEOUT","features":[451]},{"name":"EVENT_NDIS_TOKEN_RING_CORRECTION","features":[451]},{"name":"EVENT_NDIS_UNSUPPORTED_CONFIGURATION","features":[451]},{"name":"EVENT_PS_ADMISSIONCONTROL_OVERFLOW","features":[451]},{"name":"EVENT_PS_BAD_BESTEFFORT_LIMIT","features":[451]},{"name":"EVENT_PS_BINDING_FAILED","features":[451]},{"name":"EVENT_PS_GPC_REGISTER_FAILED","features":[451]},{"name":"EVENT_PS_INIT_DEVICE_FAILED","features":[451]},{"name":"EVENT_PS_MISSING_ADAPTER_REGISTRY_DATA","features":[451]},{"name":"EVENT_PS_NETWORK_ADDRESS_FAIL","features":[451]},{"name":"EVENT_PS_NO_RESOURCES_FOR_INIT","features":[451]},{"name":"EVENT_PS_QUERY_OID_GEN_LINK_SPEED","features":[451]},{"name":"EVENT_PS_QUERY_OID_GEN_MAXIMUM_FRAME_SIZE","features":[451]},{"name":"EVENT_PS_QUERY_OID_GEN_MAXIMUM_TOTAL_SIZE","features":[451]},{"name":"EVENT_PS_REGISTER_ADDRESS_FAMILY_FAILED","features":[451]},{"name":"EVENT_PS_REGISTER_MINIPORT_FAILED","features":[451]},{"name":"EVENT_PS_REGISTER_PROTOCOL_FAILED","features":[451]},{"name":"EVENT_PS_RESOURCE_POOL","features":[451]},{"name":"EVENT_PS_WAN_LIMITED_BESTEFFORT","features":[451]},{"name":"EVENT_PS_WMI_INSTANCE_NAME_FAILED","features":[451]},{"name":"EVENT_RDR_AT_THREAD_MAX","features":[451]},{"name":"EVENT_RDR_CANT_BIND_TRANSPORT","features":[451]},{"name":"EVENT_RDR_CANT_BUILD_SMB_HEADER","features":[451]},{"name":"EVENT_RDR_CANT_CREATE_DEVICE","features":[451]},{"name":"EVENT_RDR_CANT_CREATE_THREAD","features":[451]},{"name":"EVENT_RDR_CANT_GET_SECURITY_CONTEXT","features":[451]},{"name":"EVENT_RDR_CANT_READ_REGISTRY","features":[451]},{"name":"EVENT_RDR_CANT_REGISTER_ADDRESS","features":[451]},{"name":"EVENT_RDR_CANT_SET_THREAD","features":[451]},{"name":"EVENT_RDR_CLOSE_BEHIND","features":[451]},{"name":"EVENT_RDR_CONNECTION","features":[451]},{"name":"EVENT_RDR_CONNECTION_REFERENCE","features":[451]},{"name":"EVENT_RDR_CONTEXTS","features":[451]},{"name":"EVENT_RDR_DELAYED_SET_ATTRIBUTES_FAILED","features":[451]},{"name":"EVENT_RDR_DELETEONCLOSE_FAILED","features":[451]},{"name":"EVENT_RDR_DISPOSITION","features":[451]},{"name":"EVENT_RDR_ENCRYPT","features":[451]},{"name":"EVENT_RDR_FAILED_UNLOCK","features":[451]},{"name":"EVENT_RDR_INVALID_LOCK_REPLY","features":[451]},{"name":"EVENT_RDR_INVALID_OPLOCK","features":[451]},{"name":"EVENT_RDR_INVALID_REPLY","features":[451]},{"name":"EVENT_RDR_INVALID_SMB","features":[451]},{"name":"EVENT_RDR_MAXCMDS","features":[451]},{"name":"EVENT_RDR_OPLOCK_SMB","features":[451]},{"name":"EVENT_RDR_PRIMARY_TRANSPORT_CONNECT_FAILED","features":[451]},{"name":"EVENT_RDR_RESOURCE_SHORTAGE","features":[451]},{"name":"EVENT_RDR_SECURITY_SIGNATURE_MISMATCH","features":[451]},{"name":"EVENT_RDR_SERVER_REFERENCE","features":[451]},{"name":"EVENT_RDR_SMB_REFERENCE","features":[451]},{"name":"EVENT_RDR_TIMEOUT","features":[451]},{"name":"EVENT_RDR_TIMEZONE_BIAS_TOO_LARGE","features":[451]},{"name":"EVENT_RDR_UNEXPECTED_ERROR","features":[451]},{"name":"EVENT_RDR_WRITE_BEHIND_FLUSH_FAILED","features":[451]},{"name":"EVENT_READFILE_TIMEOUT","features":[451]},{"name":"EVENT_REVERTED_TO_LASTKNOWNGOOD","features":[451]},{"name":"EVENT_RPCSS_ACTIVATION_ERROR","features":[451]},{"name":"EVENT_RPCSS_CREATEDEBUGGERPROCESS_FAILURE","features":[451]},{"name":"EVENT_RPCSS_CREATEPROCESS_FAILURE","features":[451]},{"name":"EVENT_RPCSS_DEFAULT_LAUNCH_ACCESS_DENIED","features":[451]},{"name":"EVENT_RPCSS_LAUNCH_ACCESS_DENIED","features":[451]},{"name":"EVENT_RPCSS_REMOTE_SIDE_ERROR","features":[451]},{"name":"EVENT_RPCSS_REMOTE_SIDE_ERROR_WITH_FILE","features":[451]},{"name":"EVENT_RPCSS_REMOTE_SIDE_UNAVAILABLE","features":[451]},{"name":"EVENT_RPCSS_RUNAS_CANT_LOGIN","features":[451]},{"name":"EVENT_RPCSS_RUNAS_CREATEPROCESS_FAILURE","features":[451]},{"name":"EVENT_RPCSS_SERVER_NOT_RESPONDING","features":[451]},{"name":"EVENT_RPCSS_SERVER_START_TIMEOUT","features":[451]},{"name":"EVENT_RPCSS_START_SERVICE_FAILURE","features":[451]},{"name":"EVENT_RPCSS_STOP_SERVICE_FAILURE","features":[451]},{"name":"EVENT_RUNNING_LASTKNOWNGOOD","features":[451]},{"name":"EVENT_SCOPE_LABEL_TOO_LONG","features":[451]},{"name":"EVENT_SCOPE_TOO_LONG","features":[451]},{"name":"EVENT_SECOND_LOGON_FAILED","features":[451]},{"name":"EVENT_SERVICE_CONFIG_BACKOUT_FAILED","features":[451]},{"name":"EVENT_SERVICE_CONTROL_SUCCESS","features":[451]},{"name":"EVENT_SERVICE_CRASH","features":[451]},{"name":"EVENT_SERVICE_CRASH_NO_ACTION","features":[451]},{"name":"EVENT_SERVICE_DIFFERENT_PID_CONNECTED","features":[451]},{"name":"EVENT_SERVICE_EXIT_FAILED","features":[451]},{"name":"EVENT_SERVICE_EXIT_FAILED_SPECIFIC","features":[451]},{"name":"EVENT_SERVICE_LOGON_TYPE_NOT_GRANTED","features":[451]},{"name":"EVENT_SERVICE_NOT_INTERACTIVE","features":[451]},{"name":"EVENT_SERVICE_RECOVERY_FAILED","features":[451]},{"name":"EVENT_SERVICE_SCESRV_FAILED","features":[451]},{"name":"EVENT_SERVICE_SHUTDOWN_FAILED","features":[451]},{"name":"EVENT_SERVICE_START_AT_BOOT_FAILED","features":[451]},{"name":"EVENT_SERVICE_START_FAILED","features":[451]},{"name":"EVENT_SERVICE_START_FAILED_GROUP","features":[451]},{"name":"EVENT_SERVICE_START_FAILED_II","features":[451]},{"name":"EVENT_SERVICE_START_FAILED_NONE","features":[451]},{"name":"EVENT_SERVICE_START_HUNG","features":[451]},{"name":"EVENT_SERVICE_START_TYPE_CHANGED","features":[451]},{"name":"EVENT_SERVICE_STATUS_SUCCESS","features":[451]},{"name":"EVENT_SERVICE_STOP_SUCCESS_WITH_REASON","features":[451]},{"name":"EVENT_SEVERE_SERVICE_FAILED","features":[451]},{"name":"EVENT_SRV_CANT_BIND_DUP_NAME","features":[451]},{"name":"EVENT_SRV_CANT_BIND_TO_TRANSPORT","features":[451]},{"name":"EVENT_SRV_CANT_CHANGE_DOMAIN_NAME","features":[451]},{"name":"EVENT_SRV_CANT_CREATE_DEVICE","features":[451]},{"name":"EVENT_SRV_CANT_CREATE_PROCESS","features":[451]},{"name":"EVENT_SRV_CANT_CREATE_THREAD","features":[451]},{"name":"EVENT_SRV_CANT_GROW_TABLE","features":[451]},{"name":"EVENT_SRV_CANT_LOAD_DRIVER","features":[451]},{"name":"EVENT_SRV_CANT_MAP_ERROR","features":[451]},{"name":"EVENT_SRV_CANT_OPEN_NPFS","features":[451]},{"name":"EVENT_SRV_CANT_RECREATE_SHARE","features":[451]},{"name":"EVENT_SRV_CANT_START_SCAVENGER","features":[451]},{"name":"EVENT_SRV_CANT_UNLOAD_DRIVER","features":[451]},{"name":"EVENT_SRV_DISK_FULL","features":[451]},{"name":"EVENT_SRV_DOS_ATTACK_DETECTED","features":[451]},{"name":"EVENT_SRV_INVALID_REGISTRY_VALUE","features":[451]},{"name":"EVENT_SRV_INVALID_REQUEST","features":[451]},{"name":"EVENT_SRV_INVALID_SD","features":[451]},{"name":"EVENT_SRV_IRP_STACK_SIZE","features":[451]},{"name":"EVENT_SRV_KEY_NOT_CREATED","features":[451]},{"name":"EVENT_SRV_KEY_NOT_FOUND","features":[451]},{"name":"EVENT_SRV_NETWORK_ERROR","features":[451]},{"name":"EVENT_SRV_NONPAGED_POOL_LIMIT","features":[451]},{"name":"EVENT_SRV_NO_BLOCKING_IO","features":[451]},{"name":"EVENT_SRV_NO_FREE_CONNECTIONS","features":[451]},{"name":"EVENT_SRV_NO_FREE_RAW_WORK_ITEM","features":[451]},{"name":"EVENT_SRV_NO_NONPAGED_POOL","features":[451]},{"name":"EVENT_SRV_NO_PAGED_POOL","features":[451]},{"name":"EVENT_SRV_NO_TRANSPORTS_BOUND","features":[451]},{"name":"EVENT_SRV_NO_VIRTUAL_MEMORY","features":[451]},{"name":"EVENT_SRV_NO_WORK_ITEM","features":[451]},{"name":"EVENT_SRV_OUT_OF_WORK_ITEM_DOS","features":[451]},{"name":"EVENT_SRV_PAGED_POOL_LIMIT","features":[451]},{"name":"EVENT_SRV_RESOURCE_SHORTAGE","features":[451]},{"name":"EVENT_SRV_SERVICE_FAILED","features":[451]},{"name":"EVENT_SRV_TOO_MANY_DOS","features":[451]},{"name":"EVENT_SRV_TXF_INIT_FAILED","features":[451]},{"name":"EVENT_SRV_UNEXPECTED_DISC","features":[451]},{"name":"EVENT_STREAMS_ALLOCB_FAILURE","features":[451]},{"name":"EVENT_STREAMS_ALLOCB_FAILURE_CNT","features":[451]},{"name":"EVENT_STREAMS_ESBALLOC_FAILURE","features":[451]},{"name":"EVENT_STREAMS_ESBALLOC_FAILURE_CNT","features":[451]},{"name":"EVENT_STREAMS_STRLOG","features":[451]},{"name":"EVENT_TAKE_OWNERSHIP","features":[451]},{"name":"EVENT_TCPIP6_STARTED","features":[451]},{"name":"EVENT_TCPIP_ADAPTER_REG_FAILURE","features":[451]},{"name":"EVENT_TCPIP_ADDRESS_CONFLICT1","features":[451]},{"name":"EVENT_TCPIP_ADDRESS_CONFLICT2","features":[451]},{"name":"EVENT_TCPIP_AUTOCONFIGURED_ADDRESS_LIMIT_REACHED","features":[451]},{"name":"EVENT_TCPIP_AUTOCONFIGURED_ROUTE_LIMIT_REACHED","features":[451]},{"name":"EVENT_TCPIP_CREATE_DEVICE_FAILED","features":[451]},{"name":"EVENT_TCPIP_DHCP_INIT_FAILED","features":[451]},{"name":"EVENT_TCPIP_INTERFACE_BIND_FAILURE","features":[451]},{"name":"EVENT_TCPIP_INVALID_ADDRESS","features":[451]},{"name":"EVENT_TCPIP_INVALID_DEFAULT_GATEWAY","features":[451]},{"name":"EVENT_TCPIP_INVALID_MASK","features":[451]},{"name":"EVENT_TCPIP_IPV4_UNINSTALLED","features":[451]},{"name":"EVENT_TCPIP_IP_INIT_FAILED","features":[451]},{"name":"EVENT_TCPIP_MEDIA_CONNECT","features":[451]},{"name":"EVENT_TCPIP_MEDIA_DISCONNECT","features":[451]},{"name":"EVENT_TCPIP_NO_ADAPTER_RESOURCES","features":[451]},{"name":"EVENT_TCPIP_NO_ADDRESS_LIST","features":[451]},{"name":"EVENT_TCPIP_NO_BINDINGS","features":[451]},{"name":"EVENT_TCPIP_NO_MASK","features":[451]},{"name":"EVENT_TCPIP_NO_MASK_LIST","features":[451]},{"name":"EVENT_TCPIP_NO_RESOURCES_FOR_INIT","features":[451]},{"name":"EVENT_TCPIP_NTE_CONTEXT_LIST_FAILURE","features":[451]},{"name":"EVENT_TCPIP_OUT_OF_ORDER_FRAGMENTS_EXCEEDED","features":[451]},{"name":"EVENT_TCPIP_PCF_CLEAR_FILTER_FAILURE","features":[451]},{"name":"EVENT_TCPIP_PCF_MISSING_CAPABILITY","features":[451]},{"name":"EVENT_TCPIP_PCF_MULTICAST_OID_ISSUE","features":[451]},{"name":"EVENT_TCPIP_PCF_NO_ARP_FILTER","features":[451]},{"name":"EVENT_TCPIP_PCF_SET_FILTER_FAILURE","features":[451]},{"name":"EVENT_TCPIP_TCP_CONNECTIONS_PERF_IMPACTED","features":[451]},{"name":"EVENT_TCPIP_TCP_CONNECT_LIMIT_REACHED","features":[451]},{"name":"EVENT_TCPIP_TCP_GLOBAL_EPHEMERAL_PORT_SPACE_EXHAUSTED","features":[451]},{"name":"EVENT_TCPIP_TCP_INIT_FAILED","features":[451]},{"name":"EVENT_TCPIP_TCP_MPP_ATTACKS_DETECTED","features":[451]},{"name":"EVENT_TCPIP_TCP_TIME_WAIT_COLLISION","features":[451]},{"name":"EVENT_TCPIP_TCP_WSD_WS_RESTRICTED","features":[451]},{"name":"EVENT_TCPIP_TOO_MANY_GATEWAYS","features":[451]},{"name":"EVENT_TCPIP_TOO_MANY_NETS","features":[451]},{"name":"EVENT_TCPIP_UDP_GLOBAL_EPHEMERAL_PORT_SPACE_EXHAUSTED","features":[451]},{"name":"EVENT_TCPIP_UDP_LIMIT_REACHED","features":[451]},{"name":"EVENT_TRANSACT_INVALID","features":[451]},{"name":"EVENT_TRANSACT_TIMEOUT","features":[451]},{"name":"EVENT_TRANSPORT_ADAPTER_NOT_FOUND","features":[451]},{"name":"EVENT_TRANSPORT_BAD_PROTOCOL","features":[451]},{"name":"EVENT_TRANSPORT_BINDING_FAILED","features":[451]},{"name":"EVENT_TRANSPORT_QUERY_OID_FAILED","features":[451]},{"name":"EVENT_TRANSPORT_REGISTER_FAILED","features":[451]},{"name":"EVENT_TRANSPORT_RESOURCE_LIMIT","features":[451]},{"name":"EVENT_TRANSPORT_RESOURCE_POOL","features":[451]},{"name":"EVENT_TRANSPORT_RESOURCE_SPECIFIC","features":[451]},{"name":"EVENT_TRANSPORT_SET_OID_FAILED","features":[451]},{"name":"EVENT_TRANSPORT_TOO_MANY_LINKS","features":[451]},{"name":"EVENT_TRANSPORT_TRANSFER_DATA","features":[451]},{"name":"EVENT_TRK_INTERNAL_ERROR","features":[451]},{"name":"EVENT_TRK_SERVICE_CORRUPT_LOG","features":[451]},{"name":"EVENT_TRK_SERVICE_DUPLICATE_VOLIDS","features":[451]},{"name":"EVENT_TRK_SERVICE_MOVE_QUOTA_EXCEEDED","features":[451]},{"name":"EVENT_TRK_SERVICE_START_FAILURE","features":[451]},{"name":"EVENT_TRK_SERVICE_START_SUCCESS","features":[451]},{"name":"EVENT_TRK_SERVICE_VOLUME_CLAIM","features":[451]},{"name":"EVENT_TRK_SERVICE_VOLUME_CREATE","features":[451]},{"name":"EVENT_TRK_SERVICE_VOL_QUOTA_EXCEEDED","features":[451]},{"name":"EVENT_UP_DRIVER_ON_MP","features":[451]},{"name":"EVENT_WEBCLIENT_CLOSE_DELETE_FAILED","features":[451]},{"name":"EVENT_WEBCLIENT_CLOSE_PROPPATCH_FAILED","features":[451]},{"name":"EVENT_WEBCLIENT_CLOSE_PUT_FAILED","features":[451]},{"name":"EVENT_WEBCLIENT_SETINFO_PROPPATCH_FAILED","features":[451]},{"name":"EVENT_WINNAT_SESSION_LIMIT_REACHED","features":[451]},{"name":"EVENT_WINSOCK_CLOSESOCKET_STUCK","features":[451]},{"name":"EVENT_WINSOCK_TDI_FILTER_DETECTED","features":[451]},{"name":"EVENT_WSK_OWNINGTHREAD_PARAMETER_IGNORED","features":[451]},{"name":"EVLEN","features":[451]},{"name":"EXTRA_EXIT_POINT","features":[451]},{"name":"EXTRA_EXIT_POINT_DELETED","features":[451]},{"name":"EXTRA_EXIT_POINT_NOT_DELETED","features":[451]},{"name":"EXTRA_VOLUME","features":[451]},{"name":"EXTRA_VOLUME_DELETED","features":[451]},{"name":"EXTRA_VOLUME_NOT_DELETED","features":[451]},{"name":"FILTER_INTERDOMAIN_TRUST_ACCOUNT","features":[451]},{"name":"FILTER_NORMAL_ACCOUNT","features":[451]},{"name":"FILTER_SERVER_TRUST_ACCOUNT","features":[451]},{"name":"FILTER_TEMP_DUPLICATE_ACCOUNT","features":[451]},{"name":"FILTER_WORKSTATION_TRUST_ACCOUNT","features":[451]},{"name":"FLAT_STRING","features":[451]},{"name":"FORCE_LEVEL_FLAGS","features":[451]},{"name":"GNLEN","features":[451]},{"name":"GROUPIDMASK","features":[451]},{"name":"GROUP_ALL_PARMNUM","features":[451]},{"name":"GROUP_ATTRIBUTES_PARMNUM","features":[451]},{"name":"GROUP_COMMENT_PARMNUM","features":[451]},{"name":"GROUP_INFO_0","features":[451]},{"name":"GROUP_INFO_1","features":[451]},{"name":"GROUP_INFO_1002","features":[451]},{"name":"GROUP_INFO_1005","features":[451]},{"name":"GROUP_INFO_2","features":[451]},{"name":"GROUP_INFO_3","features":[308,451]},{"name":"GROUP_NAME_PARMNUM","features":[451]},{"name":"GROUP_SPECIALGRP_ADMINS","features":[451]},{"name":"GROUP_SPECIALGRP_GUESTS","features":[451]},{"name":"GROUP_SPECIALGRP_LOCAL","features":[451]},{"name":"GROUP_SPECIALGRP_USERS","features":[451]},{"name":"GROUP_USERS_INFO_0","features":[451]},{"name":"GROUP_USERS_INFO_1","features":[451]},{"name":"GetNetScheduleAccountInformation","features":[451]},{"name":"HARDWARE_ADDRESS","features":[451]},{"name":"HARDWARE_ADDRESS_LENGTH","features":[451]},{"name":"HELP_MSG_FILENAME","features":[451]},{"name":"HLOG","features":[451]},{"name":"IEnumNetCfgBindingInterface","features":[451]},{"name":"IEnumNetCfgBindingPath","features":[451]},{"name":"IEnumNetCfgComponent","features":[451]},{"name":"INTERFACE_INFO_REVISION_1","features":[451]},{"name":"INVALID_TRACEID","features":[451]},{"name":"INetCfg","features":[451]},{"name":"INetCfgBindingInterface","features":[451]},{"name":"INetCfgBindingPath","features":[451]},{"name":"INetCfgClass","features":[451]},{"name":"INetCfgClassSetup","features":[451]},{"name":"INetCfgClassSetup2","features":[451]},{"name":"INetCfgComponent","features":[451]},{"name":"INetCfgComponentBindings","features":[451]},{"name":"INetCfgComponentControl","features":[451]},{"name":"INetCfgComponentNotifyBinding","features":[451]},{"name":"INetCfgComponentNotifyGlobal","features":[451]},{"name":"INetCfgComponentPropertyUi","features":[451]},{"name":"INetCfgComponentSetup","features":[451]},{"name":"INetCfgComponentSysPrep","features":[451]},{"name":"INetCfgComponentUpperEdge","features":[451]},{"name":"INetCfgLock","features":[451]},{"name":"INetCfgPnpReconfigCallback","features":[451]},{"name":"INetCfgSysPrep","features":[451]},{"name":"INetLanConnectionUiInfo","features":[451]},{"name":"INetRasConnectionIpUiInfo","features":[451]},{"name":"IPX_PROTOCOL_BASE","features":[451]},{"name":"IPX_PROTOCOL_RIP","features":[451]},{"name":"IProvisioningDomain","features":[451]},{"name":"IProvisioningProfileWireless","features":[451]},{"name":"IR_PROMISCUOUS","features":[451]},{"name":"IR_PROMISCUOUS_MULTICAST","features":[451]},{"name":"I_NetLogonControl2","features":[451]},{"name":"JOB_ADD_CURRENT_DATE","features":[451]},{"name":"JOB_EXEC_ERROR","features":[451]},{"name":"JOB_NONINTERACTIVE","features":[451]},{"name":"JOB_RUNS_TODAY","features":[451]},{"name":"JOB_RUN_PERIODICALLY","features":[451]},{"name":"KNOWLEDGE_INCONSISTENCY_DETECTED","features":[451]},{"name":"LG_INCLUDE_INDIRECT","features":[451]},{"name":"LM20_CNLEN","features":[451]},{"name":"LM20_DEVLEN","features":[451]},{"name":"LM20_DNLEN","features":[451]},{"name":"LM20_GNLEN","features":[451]},{"name":"LM20_MAXCOMMENTSZ","features":[451]},{"name":"LM20_NNLEN","features":[451]},{"name":"LM20_PATHLEN","features":[451]},{"name":"LM20_PWLEN","features":[451]},{"name":"LM20_QNLEN","features":[451]},{"name":"LM20_SERVICE_ACTIVE","features":[451]},{"name":"LM20_SERVICE_CONTINUE_PENDING","features":[451]},{"name":"LM20_SERVICE_PAUSED","features":[451]},{"name":"LM20_SERVICE_PAUSE_PENDING","features":[451]},{"name":"LM20_SNLEN","features":[451]},{"name":"LM20_STXTLEN","features":[451]},{"name":"LM20_UNCLEN","features":[451]},{"name":"LM20_UNLEN","features":[451]},{"name":"LM_REDIR_FAILURE","features":[451]},{"name":"LOCALGROUP_COMMENT_PARMNUM","features":[451]},{"name":"LOCALGROUP_INFO_0","features":[451]},{"name":"LOCALGROUP_INFO_1","features":[451]},{"name":"LOCALGROUP_INFO_1002","features":[451]},{"name":"LOCALGROUP_MEMBERS_INFO_0","features":[308,451]},{"name":"LOCALGROUP_MEMBERS_INFO_1","features":[308,451,311]},{"name":"LOCALGROUP_MEMBERS_INFO_2","features":[308,451,311]},{"name":"LOCALGROUP_MEMBERS_INFO_3","features":[451]},{"name":"LOCALGROUP_NAME_PARMNUM","features":[451]},{"name":"LOCALGROUP_USERS_INFO_0","features":[451]},{"name":"LOGFLAGS_BACKWARD","features":[451]},{"name":"LOGFLAGS_FORWARD","features":[451]},{"name":"LOGFLAGS_SEEK","features":[451]},{"name":"LOWER_GET_HINT_MASK","features":[451]},{"name":"LOWER_HINT_MASK","features":[451]},{"name":"LogErrorA","features":[451]},{"name":"LogErrorW","features":[451]},{"name":"LogEventA","features":[451]},{"name":"LogEventW","features":[451]},{"name":"MACHINE_UNJOINED","features":[451]},{"name":"MAJOR_VERSION_MASK","features":[451]},{"name":"MAXCOMMENTSZ","features":[451]},{"name":"MAXPERMENTRIES","features":[451]},{"name":"MAX_LANMAN_MESSAGE_ID","features":[451]},{"name":"MAX_NERR","features":[451]},{"name":"MAX_PASSWD_LEN","features":[451]},{"name":"MAX_PREFERRED_LENGTH","features":[451]},{"name":"MAX_PROTOCOL_DLL_LEN","features":[451]},{"name":"MAX_PROTOCOL_NAME_LEN","features":[451]},{"name":"MESSAGE_FILENAME","features":[451]},{"name":"MFE_BOUNDARY_REACHED","features":[451]},{"name":"MFE_IIF","features":[451]},{"name":"MFE_NOT_FORWARDING","features":[451]},{"name":"MFE_NOT_LAST_HOP","features":[451]},{"name":"MFE_NO_ERROR","features":[451]},{"name":"MFE_NO_MULTICAST","features":[451]},{"name":"MFE_NO_ROUTE","features":[451]},{"name":"MFE_NO_SPACE","features":[451]},{"name":"MFE_OIF_PRUNED","features":[451]},{"name":"MFE_OLD_ROUTER","features":[451]},{"name":"MFE_PROHIBITED","features":[451]},{"name":"MFE_PRUNED_UPSTREAM","features":[451]},{"name":"MFE_REACHED_CORE","features":[451]},{"name":"MFE_WRONG_IF","features":[451]},{"name":"MIN_LANMAN_MESSAGE_ID","features":[451]},{"name":"MISSING_EXIT_POINT","features":[451]},{"name":"MISSING_EXIT_POINT_CREATED","features":[451]},{"name":"MISSING_EXIT_POINT_NOT_CREATED","features":[451]},{"name":"MISSING_VOLUME","features":[451]},{"name":"MISSING_VOLUME_CREATED","features":[451]},{"name":"MISSING_VOLUME_NOT_CREATED","features":[451]},{"name":"MODALS_DOMAIN_ID_PARMNUM","features":[451]},{"name":"MODALS_DOMAIN_NAME_PARMNUM","features":[451]},{"name":"MODALS_FORCE_LOGOFF_PARMNUM","features":[451]},{"name":"MODALS_LOCKOUT_DURATION_PARMNUM","features":[451]},{"name":"MODALS_LOCKOUT_OBSERVATION_WINDOW_PARMNUM","features":[451]},{"name":"MODALS_LOCKOUT_THRESHOLD_PARMNUM","features":[451]},{"name":"MODALS_MAX_PASSWD_AGE_PARMNUM","features":[451]},{"name":"MODALS_MIN_PASSWD_AGE_PARMNUM","features":[451]},{"name":"MODALS_MIN_PASSWD_LEN_PARMNUM","features":[451]},{"name":"MODALS_PASSWD_HIST_LEN_PARMNUM","features":[451]},{"name":"MODALS_PRIMARY_PARMNUM","features":[451]},{"name":"MODALS_ROLE_PARMNUM","features":[451]},{"name":"MPR_PROTOCOL_0","features":[451]},{"name":"MRINFO_DISABLED_FLAG","features":[451]},{"name":"MRINFO_DOWN_FLAG","features":[451]},{"name":"MRINFO_LEAF_FLAG","features":[451]},{"name":"MRINFO_PIM_FLAG","features":[451]},{"name":"MRINFO_QUERIER_FLAG","features":[451]},{"name":"MRINFO_TUNNEL_FLAG","features":[451]},{"name":"MSA_INFO_0","features":[451]},{"name":"MSA_INFO_LEVEL","features":[451]},{"name":"MSA_INFO_STATE","features":[451]},{"name":"MSGNAME_FORWARDED_FROM","features":[451]},{"name":"MSGNAME_FORWARDED_TO","features":[451]},{"name":"MSGNAME_NOT_FORWARDED","features":[451]},{"name":"MSG_INFO_0","features":[451]},{"name":"MSG_INFO_1","features":[451]},{"name":"MS_ROUTER_VERSION","features":[451]},{"name":"MprSetupProtocolEnum","features":[451]},{"name":"MprSetupProtocolFree","features":[451]},{"name":"MsaInfoCanInstall","features":[451]},{"name":"MsaInfoCannotInstall","features":[451]},{"name":"MsaInfoInstalled","features":[451]},{"name":"MsaInfoLevel0","features":[451]},{"name":"MsaInfoLevelMax","features":[451]},{"name":"MsaInfoNotExist","features":[451]},{"name":"MsaInfoNotService","features":[451]},{"name":"NCF_DONTEXPOSELOWER","features":[451]},{"name":"NCF_FILTER","features":[451]},{"name":"NCF_FIXED_BINDING","features":[451]},{"name":"NCF_HAS_UI","features":[451]},{"name":"NCF_HIDDEN","features":[451]},{"name":"NCF_HIDE_BINDING","features":[451]},{"name":"NCF_LOWER","features":[451]},{"name":"NCF_LW_FILTER","features":[451]},{"name":"NCF_MULTIPORT_INSTANCED_ADAPTER","features":[451]},{"name":"NCF_NDIS_PROTOCOL","features":[451]},{"name":"NCF_NOT_USER_REMOVABLE","features":[451]},{"name":"NCF_NO_SERVICE","features":[451]},{"name":"NCF_PHYSICAL","features":[451]},{"name":"NCF_SINGLE_INSTANCE","features":[451]},{"name":"NCF_SOFTWARE_ENUMERATED","features":[451]},{"name":"NCF_UPPER","features":[451]},{"name":"NCF_VIRTUAL","features":[451]},{"name":"NCN_ADD","features":[451]},{"name":"NCN_BINDING_PATH","features":[451]},{"name":"NCN_DISABLE","features":[451]},{"name":"NCN_ENABLE","features":[451]},{"name":"NCN_NET","features":[451]},{"name":"NCN_NETCLIENT","features":[451]},{"name":"NCN_NETSERVICE","features":[451]},{"name":"NCN_NETTRANS","features":[451]},{"name":"NCN_PROPERTYCHANGE","features":[451]},{"name":"NCN_REMOVE","features":[451]},{"name":"NCN_UPDATE","features":[451]},{"name":"NCPNP_RECONFIG_LAYER","features":[451]},{"name":"NCRL_NDIS","features":[451]},{"name":"NCRL_TDI","features":[451]},{"name":"NCRP_FLAGS","features":[451]},{"name":"NCRP_QUERY_PROPERTY_UI","features":[451]},{"name":"NCRP_SHOW_PROPERTY_UI","features":[451]},{"name":"NELOG_AT_Exec_Err","features":[451]},{"name":"NELOG_AT_cannot_read","features":[451]},{"name":"NELOG_AT_cannot_write","features":[451]},{"name":"NELOG_AT_sched_err","features":[451]},{"name":"NELOG_AT_schedule_file_created","features":[451]},{"name":"NELOG_Access_File_Bad","features":[451]},{"name":"NELOG_Build_Name","features":[451]},{"name":"NELOG_Cant_Make_Msg_File","features":[451]},{"name":"NELOG_DiskFT","features":[451]},{"name":"NELOG_DriverNotLoaded","features":[451]},{"name":"NELOG_Entries_Lost","features":[451]},{"name":"NELOG_Error_in_DLL","features":[451]},{"name":"NELOG_Exec_Netservr_NoMem","features":[451]},{"name":"NELOG_FT_ErrLog_Too_Large","features":[451]},{"name":"NELOG_FT_Update_In_Progress","features":[451]},{"name":"NELOG_FailedToGetComputerName","features":[451]},{"name":"NELOG_FailedToRegisterSC","features":[451]},{"name":"NELOG_FailedToSetServiceStatus","features":[451]},{"name":"NELOG_File_Changed","features":[451]},{"name":"NELOG_Files_Dont_Fit","features":[451]},{"name":"NELOG_HardErr_From_Server","features":[451]},{"name":"NELOG_HotFix","features":[451]},{"name":"NELOG_Init_Chardev_Err","features":[451]},{"name":"NELOG_Init_Exec_Fail","features":[451]},{"name":"NELOG_Init_OpenCreate_Err","features":[451]},{"name":"NELOG_Init_Seg_Overflow","features":[451]},{"name":"NELOG_Internal_Error","features":[451]},{"name":"NELOG_Invalid_Config_File","features":[451]},{"name":"NELOG_Invalid_Config_Line","features":[451]},{"name":"NELOG_Ioctl_Error","features":[451]},{"name":"NELOG_Joined_Domain","features":[451]},{"name":"NELOG_Joined_Workgroup","features":[451]},{"name":"NELOG_Lazy_Write_Err","features":[451]},{"name":"NELOG_LocalSecFail1","features":[451]},{"name":"NELOG_LocalSecFail2","features":[451]},{"name":"NELOG_LocalSecFail3","features":[451]},{"name":"NELOG_LocalSecGeneralFail","features":[451]},{"name":"NELOG_Mail_Slt_Err","features":[451]},{"name":"NELOG_Mailslot_err","features":[451]},{"name":"NELOG_Message_Send","features":[451]},{"name":"NELOG_Missing_Parameter","features":[451]},{"name":"NELOG_Msg_Log_Err","features":[451]},{"name":"NELOG_Msg_Sem_Shutdown","features":[451]},{"name":"NELOG_Msg_Shutdown","features":[451]},{"name":"NELOG_Msg_Unexpected_SMB_Type","features":[451]},{"name":"NELOG_Name_Expansion","features":[451]},{"name":"NELOG_Ncb_Error","features":[451]},{"name":"NELOG_Ncb_TooManyErr","features":[451]},{"name":"NELOG_NetBios","features":[451]},{"name":"NELOG_NetLogonFailedToInitializeAuthzRm","features":[451]},{"name":"NELOG_NetLogonFailedToInitializeRPCSD","features":[451]},{"name":"NELOG_NetWkSta_Internal_Error","features":[451]},{"name":"NELOG_NetWkSta_NCB_Err","features":[451]},{"name":"NELOG_NetWkSta_No_Resource","features":[451]},{"name":"NELOG_NetWkSta_Reset_Err","features":[451]},{"name":"NELOG_NetWkSta_SMB_Err","features":[451]},{"name":"NELOG_NetWkSta_Stuck_VC_Err","features":[451]},{"name":"NELOG_NetWkSta_Too_Many","features":[451]},{"name":"NELOG_NetWkSta_VC_Err","features":[451]},{"name":"NELOG_NetWkSta_Write_Behind_Err","features":[451]},{"name":"NELOG_Net_Not_Started","features":[451]},{"name":"NELOG_NetlogonAddNameFailure","features":[451]},{"name":"NELOG_NetlogonAuthDCFail","features":[451]},{"name":"NELOG_NetlogonAuthDomainDowngraded","features":[451]},{"name":"NELOG_NetlogonAuthNoDomainController","features":[451]},{"name":"NELOG_NetlogonAuthNoTrustLsaSecret","features":[451]},{"name":"NELOG_NetlogonAuthNoTrustSamAccount","features":[451]},{"name":"NELOG_NetlogonAuthNoUplevelDomainController","features":[451]},{"name":"NELOG_NetlogonBadSiteName","features":[451]},{"name":"NELOG_NetlogonBadSubnetName","features":[451]},{"name":"NELOG_NetlogonBrowserDriver","features":[451]},{"name":"NELOG_NetlogonChangeLogCorrupt","features":[451]},{"name":"NELOG_NetlogonDcOldSiteCovered","features":[451]},{"name":"NELOG_NetlogonDcSiteCovered","features":[451]},{"name":"NELOG_NetlogonDcSiteNotCovered","features":[451]},{"name":"NELOG_NetlogonDcSiteNotCoveredAuto","features":[451]},{"name":"NELOG_NetlogonDnsDeregAborted","features":[451]},{"name":"NELOG_NetlogonDnsHostNameLowerCasingFailed","features":[451]},{"name":"NELOG_NetlogonDownLevelLogoffFailed","features":[451]},{"name":"NELOG_NetlogonDownLevelLogonFailed","features":[451]},{"name":"NELOG_NetlogonDuplicateMachineAccounts","features":[451]},{"name":"NELOG_NetlogonDynamicDnsDeregisterFailure","features":[451]},{"name":"NELOG_NetlogonDynamicDnsFailure","features":[451]},{"name":"NELOG_NetlogonDynamicDnsRegisterFailure","features":[451]},{"name":"NELOG_NetlogonDynamicDnsServerFailure","features":[451]},{"name":"NELOG_NetlogonFailedAccountDelta","features":[451]},{"name":"NELOG_NetlogonFailedDnsHostNameUpdate","features":[451]},{"name":"NELOG_NetlogonFailedDomainDelta","features":[451]},{"name":"NELOG_NetlogonFailedFileCreate","features":[451]},{"name":"NELOG_NetlogonFailedGlobalGroupDelta","features":[451]},{"name":"NELOG_NetlogonFailedLocalGroupDelta","features":[451]},{"name":"NELOG_NetlogonFailedPolicyDelta","features":[451]},{"name":"NELOG_NetlogonFailedPrimary","features":[451]},{"name":"NELOG_NetlogonFailedSecretDelta","features":[451]},{"name":"NELOG_NetlogonFailedSpnUpdate","features":[451]},{"name":"NELOG_NetlogonFailedToAddAuthzRpcInterface","features":[451]},{"name":"NELOG_NetlogonFailedToAddRpcInterface","features":[451]},{"name":"NELOG_NetlogonFailedToCreateShare","features":[451]},{"name":"NELOG_NetlogonFailedToReadMailslot","features":[451]},{"name":"NELOG_NetlogonFailedToRegisterSC","features":[451]},{"name":"NELOG_NetlogonFailedToUpdateTrustList","features":[451]},{"name":"NELOG_NetlogonFailedTrustedDomainDelta","features":[451]},{"name":"NELOG_NetlogonFailedUserDelta","features":[451]},{"name":"NELOG_NetlogonFullSyncCallFailed","features":[451]},{"name":"NELOG_NetlogonFullSyncCallSuccess","features":[451]},{"name":"NELOG_NetlogonFullSyncFailed","features":[451]},{"name":"NELOG_NetlogonFullSyncSuccess","features":[451]},{"name":"NELOG_NetlogonGcOldSiteCovered","features":[451]},{"name":"NELOG_NetlogonGcSiteCovered","features":[451]},{"name":"NELOG_NetlogonGcSiteNotCovered","features":[451]},{"name":"NELOG_NetlogonGcSiteNotCoveredAuto","features":[451]},{"name":"NELOG_NetlogonGetSubnetToSite","features":[451]},{"name":"NELOG_NetlogonInvalidDwordParameterValue","features":[451]},{"name":"NELOG_NetlogonInvalidGenericParameterValue","features":[451]},{"name":"NELOG_NetlogonLanmanBdcsNotAllowed","features":[451]},{"name":"NELOG_NetlogonMachinePasswdSetSucceeded","features":[451]},{"name":"NELOG_NetlogonMsaPasswdSetSucceeded","features":[451]},{"name":"NELOG_NetlogonNTLogoffFailed","features":[451]},{"name":"NELOG_NetlogonNTLogonFailed","features":[451]},{"name":"NELOG_NetlogonNdncOldSiteCovered","features":[451]},{"name":"NELOG_NetlogonNdncSiteCovered","features":[451]},{"name":"NELOG_NetlogonNdncSiteNotCovered","features":[451]},{"name":"NELOG_NetlogonNdncSiteNotCoveredAuto","features":[451]},{"name":"NELOG_NetlogonNoAddressToSiteMapping","features":[451]},{"name":"NELOG_NetlogonNoDynamicDns","features":[451]},{"name":"NELOG_NetlogonNoDynamicDnsManual","features":[451]},{"name":"NELOG_NetlogonNoSiteForClient","features":[451]},{"name":"NELOG_NetlogonNoSiteForClients","features":[451]},{"name":"NELOG_NetlogonPartialSiteMappingForClients","features":[451]},{"name":"NELOG_NetlogonPartialSyncCallFailed","features":[451]},{"name":"NELOG_NetlogonPartialSyncCallSuccess","features":[451]},{"name":"NELOG_NetlogonPartialSyncFailed","features":[451]},{"name":"NELOG_NetlogonPartialSyncSuccess","features":[451]},{"name":"NELOG_NetlogonPasswdSetFailed","features":[451]},{"name":"NELOG_NetlogonRejectedRemoteDynamicDnsDeregister","features":[451]},{"name":"NELOG_NetlogonRejectedRemoteDynamicDnsRegister","features":[451]},{"name":"NELOG_NetlogonRemoteDynamicDnsDeregisterFailure","features":[451]},{"name":"NELOG_NetlogonRemoteDynamicDnsRegisterFailure","features":[451]},{"name":"NELOG_NetlogonRemoteDynamicDnsUpdateRequestFailure","features":[451]},{"name":"NELOG_NetlogonRequireSignOrSealError","features":[451]},{"name":"NELOG_NetlogonRpcCallCancelled","features":[451]},{"name":"NELOG_NetlogonRpcPortRequestFailure","features":[451]},{"name":"NELOG_NetlogonSSIInitError","features":[451]},{"name":"NELOG_NetlogonServerAuthFailed","features":[451]},{"name":"NELOG_NetlogonServerAuthFailedNoAccount","features":[451]},{"name":"NELOG_NetlogonServerAuthNoTrustSamAccount","features":[451]},{"name":"NELOG_NetlogonSessionTypeWrong","features":[451]},{"name":"NELOG_NetlogonSpnCrackNamesFailure","features":[451]},{"name":"NELOG_NetlogonSpnMultipleSamAccountNames","features":[451]},{"name":"NELOG_NetlogonSyncError","features":[451]},{"name":"NELOG_NetlogonSystemError","features":[451]},{"name":"NELOG_NetlogonTooManyGlobalGroups","features":[451]},{"name":"NELOG_NetlogonTrackingError","features":[451]},{"name":"NELOG_NetlogonUserValidationReqInitialTimeOut","features":[451]},{"name":"NELOG_NetlogonUserValidationReqRecurringTimeOut","features":[451]},{"name":"NELOG_NetlogonUserValidationReqWaitInitialWarning","features":[451]},{"name":"NELOG_NetlogonUserValidationReqWaitRecurringWarning","features":[451]},{"name":"NELOG_NoTranportLoaded","features":[451]},{"name":"NELOG_OEM_Code","features":[451]},{"name":"NELOG_ReleaseMem_Alert","features":[451]},{"name":"NELOG_Remote_API","features":[451]},{"name":"NELOG_ReplAccessDenied","features":[451]},{"name":"NELOG_ReplBadExport","features":[451]},{"name":"NELOG_ReplBadImport","features":[451]},{"name":"NELOG_ReplBadMsg","features":[451]},{"name":"NELOG_ReplCannotMasterDir","features":[451]},{"name":"NELOG_ReplLogonFailed","features":[451]},{"name":"NELOG_ReplLostMaster","features":[451]},{"name":"NELOG_ReplMaxFiles","features":[451]},{"name":"NELOG_ReplMaxTreeDepth","features":[451]},{"name":"NELOG_ReplNetErr","features":[451]},{"name":"NELOG_ReplSignalFileErr","features":[451]},{"name":"NELOG_ReplSysErr","features":[451]},{"name":"NELOG_ReplUpdateError","features":[451]},{"name":"NELOG_ReplUserCurDir","features":[451]},{"name":"NELOG_ReplUserLoged","features":[451]},{"name":"NELOG_Resource_Shortage","features":[451]},{"name":"NELOG_RplAdapterResource","features":[451]},{"name":"NELOG_RplBackupDatabase","features":[451]},{"name":"NELOG_RplCheckConfigs","features":[451]},{"name":"NELOG_RplCheckSecurity","features":[451]},{"name":"NELOG_RplCreateProfiles","features":[451]},{"name":"NELOG_RplFileCopy","features":[451]},{"name":"NELOG_RplFileDelete","features":[451]},{"name":"NELOG_RplFilePerms","features":[451]},{"name":"NELOG_RplInitDatabase","features":[451]},{"name":"NELOG_RplInitRestoredDatabase","features":[451]},{"name":"NELOG_RplMessages","features":[451]},{"name":"NELOG_RplRegistry","features":[451]},{"name":"NELOG_RplReplaceRPLDISK","features":[451]},{"name":"NELOG_RplRestoreDatabaseFailure","features":[451]},{"name":"NELOG_RplRestoreDatabaseSuccess","features":[451]},{"name":"NELOG_RplSystem","features":[451]},{"name":"NELOG_RplUpgradeDBTo40","features":[451]},{"name":"NELOG_RplWkstaBbcFile","features":[451]},{"name":"NELOG_RplWkstaFileChecksum","features":[451]},{"name":"NELOG_RplWkstaFileLineCount","features":[451]},{"name":"NELOG_RplWkstaFileOpen","features":[451]},{"name":"NELOG_RplWkstaFileRead","features":[451]},{"name":"NELOG_RplWkstaFileSize","features":[451]},{"name":"NELOG_RplWkstaInternal","features":[451]},{"name":"NELOG_RplWkstaMemory","features":[451]},{"name":"NELOG_RplWkstaNetwork","features":[451]},{"name":"NELOG_RplWkstaTimeout","features":[451]},{"name":"NELOG_RplWkstaWrongVersion","features":[451]},{"name":"NELOG_RplXnsBoot","features":[451]},{"name":"NELOG_SMB_Illegal","features":[451]},{"name":"NELOG_Server_Lock_Failure","features":[451]},{"name":"NELOG_Service_Fail","features":[451]},{"name":"NELOG_Srv_Close_Failure","features":[451]},{"name":"NELOG_Srv_No_Mem_Grow","features":[451]},{"name":"NELOG_Srv_Thread_Failure","features":[451]},{"name":"NELOG_Srvnet_NB_Open","features":[451]},{"name":"NELOG_Srvnet_Not_Started","features":[451]},{"name":"NELOG_System_Error","features":[451]},{"name":"NELOG_System_Semaphore","features":[451]},{"name":"NELOG_UPS_CannotOpenDriver","features":[451]},{"name":"NELOG_UPS_CmdFileConfig","features":[451]},{"name":"NELOG_UPS_CmdFileError","features":[451]},{"name":"NELOG_UPS_CmdFileExec","features":[451]},{"name":"NELOG_UPS_PowerBack","features":[451]},{"name":"NELOG_UPS_PowerOut","features":[451]},{"name":"NELOG_UPS_Shutdown","features":[451]},{"name":"NELOG_Unable_To_Lock_Segment","features":[451]},{"name":"NELOG_Unable_To_Unlock_Segment","features":[451]},{"name":"NELOG_Uninstall_Service","features":[451]},{"name":"NELOG_VIO_POPUP_ERR","features":[451]},{"name":"NELOG_Wksta_Bad_Mailslot_SMB","features":[451]},{"name":"NELOG_Wksta_BiosThreadFailure","features":[451]},{"name":"NELOG_Wksta_Compname","features":[451]},{"name":"NELOG_Wksta_HostTab_Full","features":[451]},{"name":"NELOG_Wksta_Infoseg","features":[451]},{"name":"NELOG_Wksta_IniSeg","features":[451]},{"name":"NELOG_Wksta_SSIRelogon","features":[451]},{"name":"NELOG_Wksta_UASInit","features":[451]},{"name":"NELOG_Wrong_DLL_Version","features":[451]},{"name":"NERR_ACFFileIOFail","features":[451]},{"name":"NERR_ACFNoParent","features":[451]},{"name":"NERR_ACFNoRoom","features":[451]},{"name":"NERR_ACFNotFound","features":[451]},{"name":"NERR_ACFNotLoaded","features":[451]},{"name":"NERR_ACFTooManyLists","features":[451]},{"name":"NERR_AccountExpired","features":[451]},{"name":"NERR_AccountLockedOut","features":[451]},{"name":"NERR_AccountReuseBlockedByPolicy","features":[451]},{"name":"NERR_AccountUndefined","features":[451]},{"name":"NERR_AcctLimitExceeded","features":[451]},{"name":"NERR_ActiveConns","features":[451]},{"name":"NERR_AddForwarded","features":[451]},{"name":"NERR_AlertExists","features":[451]},{"name":"NERR_AlreadyCloudDomainJoined","features":[451]},{"name":"NERR_AlreadyExists","features":[451]},{"name":"NERR_AlreadyForwarded","features":[451]},{"name":"NERR_AlreadyLoggedOn","features":[451]},{"name":"NERR_BASE","features":[451]},{"name":"NERR_BadAsgType","features":[451]},{"name":"NERR_BadComponent","features":[451]},{"name":"NERR_BadControlRecv","features":[451]},{"name":"NERR_BadDest","features":[451]},{"name":"NERR_BadDev","features":[451]},{"name":"NERR_BadDevString","features":[451]},{"name":"NERR_BadDomainJoinInfo","features":[451]},{"name":"NERR_BadDosFunction","features":[451]},{"name":"NERR_BadDosRetCode","features":[451]},{"name":"NERR_BadEventName","features":[451]},{"name":"NERR_BadFileCheckSum","features":[451]},{"name":"NERR_BadOfflineJoinInfo","features":[451]},{"name":"NERR_BadPassword","features":[451]},{"name":"NERR_BadPasswordCore","features":[451]},{"name":"NERR_BadQueueDevString","features":[451]},{"name":"NERR_BadQueuePriority","features":[451]},{"name":"NERR_BadReceive","features":[451]},{"name":"NERR_BadRecipient","features":[451]},{"name":"NERR_BadServiceName","features":[451]},{"name":"NERR_BadServiceProgName","features":[451]},{"name":"NERR_BadSource","features":[451]},{"name":"NERR_BadTransactConfig","features":[451]},{"name":"NERR_BadUasConfig","features":[451]},{"name":"NERR_BadUsername","features":[451]},{"name":"NERR_BrowserConfiguredToNotRun","features":[451]},{"name":"NERR_BrowserNotStarted","features":[451]},{"name":"NERR_BrowserTableIncomplete","features":[451]},{"name":"NERR_BufTooSmall","features":[451]},{"name":"NERR_CallingRplSrvr","features":[451]},{"name":"NERR_CanNotGrowSegment","features":[451]},{"name":"NERR_CanNotGrowUASFile","features":[451]},{"name":"NERR_CannotUnjoinAadDomain","features":[451]},{"name":"NERR_CannotUpdateAadHostName","features":[451]},{"name":"NERR_CantConnectRplSrvr","features":[451]},{"name":"NERR_CantCreateJoinInfo","features":[451]},{"name":"NERR_CantLoadOfflineHive","features":[451]},{"name":"NERR_CantOpenImageFile","features":[451]},{"name":"NERR_CantType","features":[451]},{"name":"NERR_CantVerifyHostname","features":[451]},{"name":"NERR_CfgCompNotFound","features":[451]},{"name":"NERR_CfgParamNotFound","features":[451]},{"name":"NERR_ClientNameNotFound","features":[451]},{"name":"NERR_CommDevInUse","features":[451]},{"name":"NERR_ComputerAccountNotFound","features":[451]},{"name":"NERR_ConnectionInsecure","features":[451]},{"name":"NERR_DCNotFound","features":[451]},{"name":"NERR_DS8DCNotFound","features":[451]},{"name":"NERR_DS8DCRequired","features":[451]},{"name":"NERR_DS9DCNotFound","features":[451]},{"name":"NERR_DataTypeInvalid","features":[451]},{"name":"NERR_DatabaseUpToDate","features":[451]},{"name":"NERR_DefaultJoinRequired","features":[451]},{"name":"NERR_DelComputerName","features":[451]},{"name":"NERR_DeleteLater","features":[451]},{"name":"NERR_DestExists","features":[451]},{"name":"NERR_DestIdle","features":[451]},{"name":"NERR_DestInvalidOp","features":[451]},{"name":"NERR_DestInvalidState","features":[451]},{"name":"NERR_DestNoRoom","features":[451]},{"name":"NERR_DestNotFound","features":[451]},{"name":"NERR_DevInUse","features":[451]},{"name":"NERR_DevInvalidOpCode","features":[451]},{"name":"NERR_DevNotFound","features":[451]},{"name":"NERR_DevNotOpen","features":[451]},{"name":"NERR_DevNotRedirected","features":[451]},{"name":"NERR_DeviceIsShared","features":[451]},{"name":"NERR_DeviceNotShared","features":[451]},{"name":"NERR_DeviceShareConflict","features":[451]},{"name":"NERR_DfsAlreadyShared","features":[451]},{"name":"NERR_DfsBadRenamePath","features":[451]},{"name":"NERR_DfsCantCreateJunctionPoint","features":[451]},{"name":"NERR_DfsCantRemoveDfsRoot","features":[451]},{"name":"NERR_DfsCantRemoveLastServerShare","features":[451]},{"name":"NERR_DfsChildOrParentInDfs","features":[451]},{"name":"NERR_DfsCyclicalName","features":[451]},{"name":"NERR_DfsDataIsIdentical","features":[451]},{"name":"NERR_DfsDuplicateService","features":[451]},{"name":"NERR_DfsInconsistent","features":[451]},{"name":"NERR_DfsInternalCorruption","features":[451]},{"name":"NERR_DfsInternalError","features":[451]},{"name":"NERR_DfsLeafVolume","features":[451]},{"name":"NERR_DfsNoSuchServer","features":[451]},{"name":"NERR_DfsNoSuchShare","features":[451]},{"name":"NERR_DfsNoSuchVolume","features":[451]},{"name":"NERR_DfsNotALeafVolume","features":[451]},{"name":"NERR_DfsNotSupportedInServerDfs","features":[451]},{"name":"NERR_DfsServerNotDfsAware","features":[451]},{"name":"NERR_DfsServerUpgraded","features":[451]},{"name":"NERR_DfsVolumeAlreadyExists","features":[451]},{"name":"NERR_DfsVolumeDataCorrupt","features":[451]},{"name":"NERR_DfsVolumeHasMultipleServers","features":[451]},{"name":"NERR_DfsVolumeIsInterDfs","features":[451]},{"name":"NERR_DfsVolumeIsOffline","features":[451]},{"name":"NERR_DifferentServers","features":[451]},{"name":"NERR_DriverNotFound","features":[451]},{"name":"NERR_DupNameReboot","features":[451]},{"name":"NERR_DuplicateHostName","features":[451]},{"name":"NERR_DuplicateName","features":[451]},{"name":"NERR_DuplicateShare","features":[451]},{"name":"NERR_ErrCommRunSrv","features":[451]},{"name":"NERR_ErrorExecingGhost","features":[451]},{"name":"NERR_ExecFailure","features":[451]},{"name":"NERR_FileIdNotFound","features":[451]},{"name":"NERR_GroupExists","features":[451]},{"name":"NERR_GroupNotFound","features":[451]},{"name":"NERR_GrpMsgProcessor","features":[451]},{"name":"NERR_HostNameTooLong","features":[451]},{"name":"NERR_ImageParamErr","features":[451]},{"name":"NERR_InUseBySpooler","features":[451]},{"name":"NERR_IncompleteDel","features":[451]},{"name":"NERR_InternalError","features":[451]},{"name":"NERR_InvalidAPI","features":[451]},{"name":"NERR_InvalidComputer","features":[451]},{"name":"NERR_InvalidDatabase","features":[451]},{"name":"NERR_InvalidDevice","features":[451]},{"name":"NERR_InvalidLana","features":[451]},{"name":"NERR_InvalidLogSeek","features":[451]},{"name":"NERR_InvalidLogonHours","features":[451]},{"name":"NERR_InvalidMachineNameForJoin","features":[451]},{"name":"NERR_InvalidMaxUsers","features":[451]},{"name":"NERR_InvalidUASOp","features":[451]},{"name":"NERR_InvalidWorkgroupName","features":[451]},{"name":"NERR_InvalidWorkstation","features":[451]},{"name":"NERR_IsDfsShare","features":[451]},{"name":"NERR_ItemNotFound","features":[451]},{"name":"NERR_JobInvalidState","features":[451]},{"name":"NERR_JobNoRoom","features":[451]},{"name":"NERR_JobNotFound","features":[451]},{"name":"NERR_JoinPerformedMustRestart","features":[451]},{"name":"NERR_LDAPCapableDCRequired","features":[451]},{"name":"NERR_LanmanIniError","features":[451]},{"name":"NERR_LastAdmin","features":[451]},{"name":"NERR_LineTooLong","features":[451]},{"name":"NERR_LocalDrive","features":[451]},{"name":"NERR_LocalForward","features":[451]},{"name":"NERR_LogFileChanged","features":[451]},{"name":"NERR_LogFileCorrupt","features":[451]},{"name":"NERR_LogOverflow","features":[451]},{"name":"NERR_LogonDomainExists","features":[451]},{"name":"NERR_LogonNoUserPath","features":[451]},{"name":"NERR_LogonScriptError","features":[451]},{"name":"NERR_LogonServerConflict","features":[451]},{"name":"NERR_LogonServerNotFound","features":[451]},{"name":"NERR_LogonTrackingError","features":[451]},{"name":"NERR_LogonsPaused","features":[451]},{"name":"NERR_MaxLenExceeded","features":[451]},{"name":"NERR_MsgAlreadyStarted","features":[451]},{"name":"NERR_MsgInitFailed","features":[451]},{"name":"NERR_MsgNotStarted","features":[451]},{"name":"NERR_MultipleNets","features":[451]},{"name":"NERR_NameInUse","features":[451]},{"name":"NERR_NameNotForwarded","features":[451]},{"name":"NERR_NameNotFound","features":[451]},{"name":"NERR_NameUsesIncompatibleCodePage","features":[451]},{"name":"NERR_NetNameNotFound","features":[451]},{"name":"NERR_NetNotStarted","features":[451]},{"name":"NERR_NetlogonNotStarted","features":[451]},{"name":"NERR_NetworkError","features":[451]},{"name":"NERR_NoAlternateServers","features":[451]},{"name":"NERR_NoCommDevs","features":[451]},{"name":"NERR_NoComputerName","features":[451]},{"name":"NERR_NoForwardName","features":[451]},{"name":"NERR_NoJoinPending","features":[451]},{"name":"NERR_NoNetworkResource","features":[451]},{"name":"NERR_NoOfflineJoinInfo","features":[451]},{"name":"NERR_NoRoom","features":[451]},{"name":"NERR_NoRplBootSystem","features":[451]},{"name":"NERR_NoSuchAlert","features":[451]},{"name":"NERR_NoSuchConnection","features":[451]},{"name":"NERR_NoSuchServer","features":[451]},{"name":"NERR_NoSuchSession","features":[451]},{"name":"NERR_NonDosFloppyUsed","features":[451]},{"name":"NERR_NonValidatedLogon","features":[451]},{"name":"NERR_NotInCache","features":[451]},{"name":"NERR_NotInDispatchTbl","features":[451]},{"name":"NERR_NotLocalDomain","features":[451]},{"name":"NERR_NotLocalName","features":[451]},{"name":"NERR_NotLoggedOn","features":[451]},{"name":"NERR_NotPrimary","features":[451]},{"name":"NERR_OpenFiles","features":[451]},{"name":"NERR_PasswordCantChange","features":[451]},{"name":"NERR_PasswordExpired","features":[451]},{"name":"NERR_PasswordFilterError","features":[451]},{"name":"NERR_PasswordHistConflict","features":[451]},{"name":"NERR_PasswordMismatch","features":[451]},{"name":"NERR_PasswordMustChange","features":[451]},{"name":"NERR_PasswordNotComplexEnough","features":[451]},{"name":"NERR_PasswordTooLong","features":[451]},{"name":"NERR_PasswordTooRecent","features":[451]},{"name":"NERR_PasswordTooShort","features":[451]},{"name":"NERR_PausedRemote","features":[451]},{"name":"NERR_PersonalSku","features":[451]},{"name":"NERR_PlainTextSecretsRequired","features":[451]},{"name":"NERR_ProcNoRespond","features":[451]},{"name":"NERR_ProcNotFound","features":[451]},{"name":"NERR_ProfileCleanup","features":[451]},{"name":"NERR_ProfileFileTooBig","features":[451]},{"name":"NERR_ProfileLoadErr","features":[451]},{"name":"NERR_ProfileOffset","features":[451]},{"name":"NERR_ProfileSaveErr","features":[451]},{"name":"NERR_ProfileUnknownCmd","features":[451]},{"name":"NERR_ProgNeedsExtraMem","features":[451]},{"name":"NERR_ProvisioningBlobUnsupported","features":[451]},{"name":"NERR_QExists","features":[451]},{"name":"NERR_QInvalidState","features":[451]},{"name":"NERR_QNoRoom","features":[451]},{"name":"NERR_QNotFound","features":[451]},{"name":"NERR_QueueNotFound","features":[451]},{"name":"NERR_RPL_CONNECTED","features":[451]},{"name":"NERR_RedirectedPath","features":[451]},{"name":"NERR_RemoteBootFailed","features":[451]},{"name":"NERR_RemoteErr","features":[451]},{"name":"NERR_RemoteFull","features":[451]},{"name":"NERR_RemoteOnly","features":[451]},{"name":"NERR_ResourceExists","features":[451]},{"name":"NERR_ResourceNotFound","features":[451]},{"name":"NERR_RplAdapterInfoCorrupted","features":[451]},{"name":"NERR_RplAdapterNameUnavailable","features":[451]},{"name":"NERR_RplAdapterNotFound","features":[451]},{"name":"NERR_RplBackupDatabase","features":[451]},{"name":"NERR_RplBadDatabase","features":[451]},{"name":"NERR_RplBadRegistry","features":[451]},{"name":"NERR_RplBootInUse","features":[451]},{"name":"NERR_RplBootInfoCorrupted","features":[451]},{"name":"NERR_RplBootNameUnavailable","features":[451]},{"name":"NERR_RplBootNotFound","features":[451]},{"name":"NERR_RplBootRestart","features":[451]},{"name":"NERR_RplBootServiceTerm","features":[451]},{"name":"NERR_RplBootStartFailed","features":[451]},{"name":"NERR_RplCannotEnum","features":[451]},{"name":"NERR_RplConfigInfoCorrupted","features":[451]},{"name":"NERR_RplConfigNameUnavailable","features":[451]},{"name":"NERR_RplConfigNotEmpty","features":[451]},{"name":"NERR_RplConfigNotFound","features":[451]},{"name":"NERR_RplIncompatibleProfile","features":[451]},{"name":"NERR_RplInternal","features":[451]},{"name":"NERR_RplLoadrDiskErr","features":[451]},{"name":"NERR_RplLoadrNetBiosErr","features":[451]},{"name":"NERR_RplNeedsRPLUSERAcct","features":[451]},{"name":"NERR_RplNoAdaptersStarted","features":[451]},{"name":"NERR_RplNotRplServer","features":[451]},{"name":"NERR_RplProfileInfoCorrupted","features":[451]},{"name":"NERR_RplProfileNameUnavailable","features":[451]},{"name":"NERR_RplProfileNotEmpty","features":[451]},{"name":"NERR_RplProfileNotFound","features":[451]},{"name":"NERR_RplRplfilesShare","features":[451]},{"name":"NERR_RplSrvrCallFailed","features":[451]},{"name":"NERR_RplVendorInfoCorrupted","features":[451]},{"name":"NERR_RplVendorNameUnavailable","features":[451]},{"name":"NERR_RplVendorNotFound","features":[451]},{"name":"NERR_RplWkstaInfoCorrupted","features":[451]},{"name":"NERR_RplWkstaNameUnavailable","features":[451]},{"name":"NERR_RplWkstaNeedsUserAcct","features":[451]},{"name":"NERR_RplWkstaNotFound","features":[451]},{"name":"NERR_RunSrvPaused","features":[451]},{"name":"NERR_SameAsComputerName","features":[451]},{"name":"NERR_ServerNotStarted","features":[451]},{"name":"NERR_ServiceCtlBusy","features":[451]},{"name":"NERR_ServiceCtlNotValid","features":[451]},{"name":"NERR_ServiceCtlTimeout","features":[451]},{"name":"NERR_ServiceEntryLocked","features":[451]},{"name":"NERR_ServiceInstalled","features":[451]},{"name":"NERR_ServiceKillProc","features":[451]},{"name":"NERR_ServiceNotCtrl","features":[451]},{"name":"NERR_ServiceNotInstalled","features":[451]},{"name":"NERR_ServiceNotStarting","features":[451]},{"name":"NERR_ServiceTableFull","features":[451]},{"name":"NERR_ServiceTableLocked","features":[451]},{"name":"NERR_SetupAlreadyJoined","features":[451]},{"name":"NERR_SetupCheckDNSConfig","features":[451]},{"name":"NERR_SetupDomainController","features":[451]},{"name":"NERR_SetupNotJoined","features":[451]},{"name":"NERR_ShareMem","features":[451]},{"name":"NERR_ShareNotFound","features":[451]},{"name":"NERR_SourceIsDir","features":[451]},{"name":"NERR_SpeGroupOp","features":[451]},{"name":"NERR_SpoolNoMemory","features":[451]},{"name":"NERR_SpoolerNotLoaded","features":[451]},{"name":"NERR_StandaloneLogon","features":[451]},{"name":"NERR_StartingRplBoot","features":[451]},{"name":"NERR_Success","features":[451]},{"name":"NERR_SyncRequired","features":[451]},{"name":"NERR_TargetVersionUnsupported","features":[451]},{"name":"NERR_TimeDiffAtDC","features":[451]},{"name":"NERR_TmpFile","features":[451]},{"name":"NERR_TooManyAlerts","features":[451]},{"name":"NERR_TooManyConnections","features":[451]},{"name":"NERR_TooManyEntries","features":[451]},{"name":"NERR_TooManyFiles","features":[451]},{"name":"NERR_TooManyHostNames","features":[451]},{"name":"NERR_TooManyImageParams","features":[451]},{"name":"NERR_TooManyItems","features":[451]},{"name":"NERR_TooManyNames","features":[451]},{"name":"NERR_TooManyServers","features":[451]},{"name":"NERR_TooManySessions","features":[451]},{"name":"NERR_TooMuchData","features":[451]},{"name":"NERR_TruncatedBroadcast","features":[451]},{"name":"NERR_TryDownLevel","features":[451]},{"name":"NERR_UPSDriverNotStarted","features":[451]},{"name":"NERR_UPSInvalidCommPort","features":[451]},{"name":"NERR_UPSInvalidConfig","features":[451]},{"name":"NERR_UPSShutdownFailed","features":[451]},{"name":"NERR_UPSSignalAsserted","features":[451]},{"name":"NERR_UnableToAddName_F","features":[451]},{"name":"NERR_UnableToAddName_W","features":[451]},{"name":"NERR_UnableToDelName_F","features":[451]},{"name":"NERR_UnableToDelName_W","features":[451]},{"name":"NERR_UnknownDevDir","features":[451]},{"name":"NERR_UnknownServer","features":[451]},{"name":"NERR_UseNotFound","features":[451]},{"name":"NERR_UserExists","features":[451]},{"name":"NERR_UserInGroup","features":[451]},{"name":"NERR_UserLogon","features":[451]},{"name":"NERR_UserNotFound","features":[451]},{"name":"NERR_UserNotInGroup","features":[451]},{"name":"NERR_ValuesNotSet","features":[451]},{"name":"NERR_WkstaInconsistentState","features":[451]},{"name":"NERR_WkstaNotStarted","features":[451]},{"name":"NERR_WriteFault","features":[451]},{"name":"NETBIOS_NAME_LEN","features":[451]},{"name":"NETCFG_CLIENT_CID_MS_MSClient","features":[451]},{"name":"NETCFG_E_ACTIVE_RAS_CONNECTIONS","features":[451]},{"name":"NETCFG_E_ADAPTER_NOT_FOUND","features":[451]},{"name":"NETCFG_E_ALREADY_INITIALIZED","features":[451]},{"name":"NETCFG_E_COMPONENT_REMOVED_PENDING_REBOOT","features":[451]},{"name":"NETCFG_E_DUPLICATE_INSTANCEID","features":[451]},{"name":"NETCFG_E_IN_USE","features":[451]},{"name":"NETCFG_E_MAX_FILTER_LIMIT","features":[451]},{"name":"NETCFG_E_NEED_REBOOT","features":[451]},{"name":"NETCFG_E_NOT_INITIALIZED","features":[451]},{"name":"NETCFG_E_NO_WRITE_LOCK","features":[451]},{"name":"NETCFG_E_VMSWITCH_ACTIVE_OVER_ADAPTER","features":[451]},{"name":"NETCFG_SERVICE_CID_MS_NETBIOS","features":[451]},{"name":"NETCFG_SERVICE_CID_MS_PSCHED","features":[451]},{"name":"NETCFG_SERVICE_CID_MS_SERVER","features":[451]},{"name":"NETCFG_SERVICE_CID_MS_WLBS","features":[451]},{"name":"NETCFG_S_CAUSED_SETUP_CHANGE","features":[451]},{"name":"NETCFG_S_COMMIT_NOW","features":[451]},{"name":"NETCFG_S_DISABLE_QUERY","features":[451]},{"name":"NETCFG_S_REBOOT","features":[451]},{"name":"NETCFG_S_STILL_REFERENCED","features":[451]},{"name":"NETCFG_TRANS_CID_MS_APPLETALK","features":[451]},{"name":"NETCFG_TRANS_CID_MS_NETBEUI","features":[451]},{"name":"NETCFG_TRANS_CID_MS_NETMON","features":[451]},{"name":"NETCFG_TRANS_CID_MS_NWIPX","features":[451]},{"name":"NETCFG_TRANS_CID_MS_NWSPX","features":[451]},{"name":"NETCFG_TRANS_CID_MS_TCPIP","features":[451]},{"name":"NETLOGON_CONTROL_BACKUP_CHANGE_LOG","features":[451]},{"name":"NETLOGON_CONTROL_BREAKPOINT","features":[451]},{"name":"NETLOGON_CONTROL_CHANGE_PASSWORD","features":[451]},{"name":"NETLOGON_CONTROL_FIND_USER","features":[451]},{"name":"NETLOGON_CONTROL_FORCE_DNS_REG","features":[451]},{"name":"NETLOGON_CONTROL_PDC_REPLICATE","features":[451]},{"name":"NETLOGON_CONTROL_QUERY","features":[451]},{"name":"NETLOGON_CONTROL_QUERY_DNS_REG","features":[451]},{"name":"NETLOGON_CONTROL_QUERY_ENC_TYPES","features":[451]},{"name":"NETLOGON_CONTROL_REDISCOVER","features":[451]},{"name":"NETLOGON_CONTROL_REPLICATE","features":[451]},{"name":"NETLOGON_CONTROL_SET_DBFLAG","features":[451]},{"name":"NETLOGON_CONTROL_SYNCHRONIZE","features":[451]},{"name":"NETLOGON_CONTROL_TC_QUERY","features":[451]},{"name":"NETLOGON_CONTROL_TC_VERIFY","features":[451]},{"name":"NETLOGON_CONTROL_TRANSPORT_NOTIFY","features":[451]},{"name":"NETLOGON_CONTROL_TRUNCATE_LOG","features":[451]},{"name":"NETLOGON_CONTROL_UNLOAD_NETLOGON_DLL","features":[451]},{"name":"NETLOGON_DNS_UPDATE_FAILURE","features":[451]},{"name":"NETLOGON_FULL_SYNC_REPLICATION","features":[451]},{"name":"NETLOGON_HAS_IP","features":[451]},{"name":"NETLOGON_HAS_TIMESERV","features":[451]},{"name":"NETLOGON_INFO_1","features":[451]},{"name":"NETLOGON_INFO_2","features":[451]},{"name":"NETLOGON_INFO_3","features":[451]},{"name":"NETLOGON_INFO_4","features":[451]},{"name":"NETLOGON_REDO_NEEDED","features":[451]},{"name":"NETLOGON_REPLICATION_IN_PROGRESS","features":[451]},{"name":"NETLOGON_REPLICATION_NEEDED","features":[451]},{"name":"NETLOGON_VERIFY_STATUS_RETURNED","features":[451]},{"name":"NETLOG_NetlogonNonWindowsSupportsSecureRpc","features":[451]},{"name":"NETLOG_NetlogonRc4Allowed","features":[451]},{"name":"NETLOG_NetlogonRc4Denied","features":[451]},{"name":"NETLOG_NetlogonRpcBacklogLimitFailure","features":[451]},{"name":"NETLOG_NetlogonRpcBacklogLimitSet","features":[451]},{"name":"NETLOG_NetlogonRpcSigningClient","features":[451]},{"name":"NETLOG_NetlogonRpcSigningTrust","features":[451]},{"name":"NETLOG_NetlogonUnsecureRpcClient","features":[451]},{"name":"NETLOG_NetlogonUnsecureRpcMachineAllowedBySsdl","features":[451]},{"name":"NETLOG_NetlogonUnsecureRpcTrust","features":[451]},{"name":"NETLOG_NetlogonUnsecureRpcTrustAllowedBySsdl","features":[451]},{"name":"NETLOG_NetlogonUnsecuredRpcMachineTemporarilyAllowed","features":[451]},{"name":"NETLOG_PassThruFilterError_Request_AdminOverride","features":[451]},{"name":"NETLOG_PassThruFilterError_Request_Blocked","features":[451]},{"name":"NETLOG_PassThruFilterError_Summary_AdminOverride","features":[451]},{"name":"NETLOG_PassThruFilterError_Summary_Blocked","features":[451]},{"name":"NETMAN_VARTYPE_HARDWARE_ADDRESS","features":[451]},{"name":"NETMAN_VARTYPE_STRING","features":[451]},{"name":"NETMAN_VARTYPE_ULONG","features":[451]},{"name":"NETSETUP_ACCT_CREATE","features":[451]},{"name":"NETSETUP_ACCT_DELETE","features":[451]},{"name":"NETSETUP_ALT_SAMACCOUNTNAME","features":[451]},{"name":"NETSETUP_AMBIGUOUS_DC","features":[451]},{"name":"NETSETUP_DEFER_SPN_SET","features":[451]},{"name":"NETSETUP_DNS_NAME_CHANGES_ONLY","features":[451]},{"name":"NETSETUP_DOMAIN_JOIN_IF_JOINED","features":[451]},{"name":"NETSETUP_DONT_CONTROL_SERVICES","features":[451]},{"name":"NETSETUP_FORCE_SPN_SET","features":[451]},{"name":"NETSETUP_IGNORE_UNSUPPORTED_FLAGS","features":[451]},{"name":"NETSETUP_INSTALL_INVOCATION","features":[451]},{"name":"NETSETUP_JOIN_DC_ACCOUNT","features":[451]},{"name":"NETSETUP_JOIN_DOMAIN","features":[451]},{"name":"NETSETUP_JOIN_READONLY","features":[451]},{"name":"NETSETUP_JOIN_STATUS","features":[451]},{"name":"NETSETUP_JOIN_UNSECURE","features":[451]},{"name":"NETSETUP_JOIN_WITH_NEW_NAME","features":[451]},{"name":"NETSETUP_MACHINE_PWD_PASSED","features":[451]},{"name":"NETSETUP_NAME_TYPE","features":[451]},{"name":"NETSETUP_NO_ACCT_REUSE","features":[451]},{"name":"NETSETUP_NO_NETLOGON_CACHE","features":[451]},{"name":"NETSETUP_PROVISION","features":[451]},{"name":"NETSETUP_PROVISIONING_PARAMS","features":[451]},{"name":"NETSETUP_PROVISIONING_PARAMS_CURRENT_VERSION","features":[451]},{"name":"NETSETUP_PROVISIONING_PARAMS_WIN8_VERSION","features":[451]},{"name":"NETSETUP_PROVISION_CHECK_PWD_ONLY","features":[451]},{"name":"NETSETUP_PROVISION_DOWNLEVEL_PRIV_SUPPORT","features":[451]},{"name":"NETSETUP_PROVISION_ONLINE_CALLER","features":[451]},{"name":"NETSETUP_PROVISION_PERSISTENTSITE","features":[451]},{"name":"NETSETUP_PROVISION_REUSE_ACCOUNT","features":[451]},{"name":"NETSETUP_PROVISION_ROOT_CA_CERTS","features":[451]},{"name":"NETSETUP_PROVISION_SKIP_ACCOUNT_SEARCH","features":[451]},{"name":"NETSETUP_PROVISION_USE_DEFAULT_PASSWORD","features":[451]},{"name":"NETSETUP_SET_MACHINE_NAME","features":[451]},{"name":"NETSETUP_WIN9X_UPGRADE","features":[451]},{"name":"NETWORK_INSTALL_TIME","features":[451]},{"name":"NETWORK_NAME","features":[451]},{"name":"NETWORK_UPGRADE_TYPE","features":[451]},{"name":"NET_COMPUTER_NAME_TYPE","features":[451]},{"name":"NET_DFS_ENUM","features":[451]},{"name":"NET_DFS_ENUMEX","features":[451]},{"name":"NET_DISPLAY_GROUP","features":[451]},{"name":"NET_DISPLAY_MACHINE","features":[451]},{"name":"NET_DISPLAY_USER","features":[451]},{"name":"NET_IGNORE_UNSUPPORTED_FLAGS","features":[451]},{"name":"NET_JOIN_DOMAIN_JOIN_OPTIONS","features":[451]},{"name":"NET_REMOTE_COMPUTER_SUPPORTS_OPTIONS","features":[451]},{"name":"NET_REQUEST_PROVISION_OPTIONS","features":[451]},{"name":"NET_SERVER_TYPE","features":[451]},{"name":"NET_USER_ENUM_FILTER_FLAGS","features":[451]},{"name":"NET_VALIDATE_AUTHENTICATION_INPUT_ARG","features":[308,451]},{"name":"NET_VALIDATE_BAD_PASSWORD_COUNT","features":[451]},{"name":"NET_VALIDATE_BAD_PASSWORD_TIME","features":[451]},{"name":"NET_VALIDATE_LOCKOUT_TIME","features":[451]},{"name":"NET_VALIDATE_OUTPUT_ARG","features":[308,451]},{"name":"NET_VALIDATE_PASSWORD_CHANGE_INPUT_ARG","features":[308,451]},{"name":"NET_VALIDATE_PASSWORD_HASH","features":[451]},{"name":"NET_VALIDATE_PASSWORD_HISTORY","features":[451]},{"name":"NET_VALIDATE_PASSWORD_HISTORY_LENGTH","features":[451]},{"name":"NET_VALIDATE_PASSWORD_LAST_SET","features":[451]},{"name":"NET_VALIDATE_PASSWORD_RESET_INPUT_ARG","features":[308,451]},{"name":"NET_VALIDATE_PASSWORD_TYPE","features":[451]},{"name":"NET_VALIDATE_PERSISTED_FIELDS","features":[308,451]},{"name":"NON_VALIDATED_LOGON","features":[451]},{"name":"NOT_A_DFS_PATH","features":[451]},{"name":"NO_PERMISSION_REQUIRED","features":[451]},{"name":"NSF_COMPONENT_UPDATE","features":[451]},{"name":"NSF_POSTSYSINSTALL","features":[451]},{"name":"NSF_PRIMARYINSTALL","features":[451]},{"name":"NSF_WIN16_UPGRADE","features":[451]},{"name":"NSF_WIN95_UPGRADE","features":[451]},{"name":"NSF_WINNT_SBS_UPGRADE","features":[451]},{"name":"NSF_WINNT_SVR_UPGRADE","features":[451]},{"name":"NSF_WINNT_WKS_UPGRADE","features":[451]},{"name":"NTFRSPRF_COLLECT_RPC_BINDING_ERROR_CONN","features":[451]},{"name":"NTFRSPRF_COLLECT_RPC_BINDING_ERROR_SET","features":[451]},{"name":"NTFRSPRF_COLLECT_RPC_CALL_ERROR_CONN","features":[451]},{"name":"NTFRSPRF_COLLECT_RPC_CALL_ERROR_SET","features":[451]},{"name":"NTFRSPRF_OPEN_RPC_BINDING_ERROR_CONN","features":[451]},{"name":"NTFRSPRF_OPEN_RPC_BINDING_ERROR_SET","features":[451]},{"name":"NTFRSPRF_OPEN_RPC_CALL_ERROR_CONN","features":[451]},{"name":"NTFRSPRF_OPEN_RPC_CALL_ERROR_SET","features":[451]},{"name":"NTFRSPRF_REGISTRY_ERROR_CONN","features":[451]},{"name":"NTFRSPRF_REGISTRY_ERROR_SET","features":[451]},{"name":"NTFRSPRF_VIRTUALALLOC_ERROR_CONN","features":[451]},{"name":"NTFRSPRF_VIRTUALALLOC_ERROR_SET","features":[451]},{"name":"NULL_USERSETINFO_PASSWD","features":[451]},{"name":"NWSAP_DISPLAY_NAME","features":[451]},{"name":"NWSAP_EVENT_BADWANFILTER_VALUE","features":[451]},{"name":"NWSAP_EVENT_BIND_FAILED","features":[451]},{"name":"NWSAP_EVENT_CARDLISTEVENT_FAIL","features":[451]},{"name":"NWSAP_EVENT_CARDMALLOC_FAILED","features":[451]},{"name":"NWSAP_EVENT_CREATELPCEVENT_ERROR","features":[451]},{"name":"NWSAP_EVENT_CREATELPCPORT_ERROR","features":[451]},{"name":"NWSAP_EVENT_GETSOCKNAME_FAILED","features":[451]},{"name":"NWSAP_EVENT_HASHTABLE_MALLOC_FAILED","features":[451]},{"name":"NWSAP_EVENT_INVALID_FILTERNAME","features":[451]},{"name":"NWSAP_EVENT_KEY_NOT_FOUND","features":[451]},{"name":"NWSAP_EVENT_LPCHANDLEMEMORY_ERROR","features":[451]},{"name":"NWSAP_EVENT_LPCLISTENMEMORY_ERROR","features":[451]},{"name":"NWSAP_EVENT_NOCARDS","features":[451]},{"name":"NWSAP_EVENT_OPTBCASTINADDR_FAILED","features":[451]},{"name":"NWSAP_EVENT_OPTEXTENDEDADDR_FAILED","features":[451]},{"name":"NWSAP_EVENT_OPTMAXADAPTERNUM_ERROR","features":[451]},{"name":"NWSAP_EVENT_RECVSEM_FAIL","features":[451]},{"name":"NWSAP_EVENT_SDMDEVENT_FAIL","features":[451]},{"name":"NWSAP_EVENT_SENDEVENT_FAIL","features":[451]},{"name":"NWSAP_EVENT_SETOPTBCAST_FAILED","features":[451]},{"name":"NWSAP_EVENT_SOCKET_FAILED","features":[451]},{"name":"NWSAP_EVENT_STARTLPCWORKER_ERROR","features":[451]},{"name":"NWSAP_EVENT_STARTRECEIVE_ERROR","features":[451]},{"name":"NWSAP_EVENT_STARTWANCHECK_ERROR","features":[451]},{"name":"NWSAP_EVENT_STARTWANWORKER_ERROR","features":[451]},{"name":"NWSAP_EVENT_STARTWORKER_ERROR","features":[451]},{"name":"NWSAP_EVENT_TABLE_MALLOC_FAILED","features":[451]},{"name":"NWSAP_EVENT_THREADEVENT_FAIL","features":[451]},{"name":"NWSAP_EVENT_WANBIND_FAILED","features":[451]},{"name":"NWSAP_EVENT_WANEVENT_ERROR","features":[451]},{"name":"NWSAP_EVENT_WANHANDLEMEMORY_ERROR","features":[451]},{"name":"NWSAP_EVENT_WANSEM_FAIL","features":[451]},{"name":"NWSAP_EVENT_WANSOCKET_FAILED","features":[451]},{"name":"NWSAP_EVENT_WSASTARTUP_FAILED","features":[451]},{"name":"NetAccessAdd","features":[451]},{"name":"NetAccessDel","features":[451]},{"name":"NetAccessEnum","features":[451]},{"name":"NetAccessGetInfo","features":[451]},{"name":"NetAccessGetUserPerms","features":[451]},{"name":"NetAccessSetInfo","features":[451]},{"name":"NetAddAlternateComputerName","features":[451]},{"name":"NetAddServiceAccount","features":[308,451]},{"name":"NetAlertRaise","features":[451]},{"name":"NetAlertRaiseEx","features":[451]},{"name":"NetAllComputerNames","features":[451]},{"name":"NetAlternateComputerNames","features":[451]},{"name":"NetApiBufferAllocate","features":[451]},{"name":"NetApiBufferFree","features":[451]},{"name":"NetApiBufferReallocate","features":[451]},{"name":"NetApiBufferSize","features":[451]},{"name":"NetAuditClear","features":[451]},{"name":"NetAuditRead","features":[451]},{"name":"NetAuditWrite","features":[451]},{"name":"NetComputerNameTypeMax","features":[451]},{"name":"NetConfigGet","features":[451]},{"name":"NetConfigGetAll","features":[451]},{"name":"NetConfigSet","features":[451]},{"name":"NetCreateProvisioningPackage","features":[451]},{"name":"NetEnumerateComputerNames","features":[451]},{"name":"NetEnumerateServiceAccounts","features":[308,451]},{"name":"NetErrorLogClear","features":[451]},{"name":"NetErrorLogRead","features":[451]},{"name":"NetErrorLogWrite","features":[451]},{"name":"NetFreeAadJoinInformation","features":[308,451,392]},{"name":"NetGetAadJoinInformation","features":[308,451,392]},{"name":"NetGetAnyDCName","features":[451]},{"name":"NetGetDCName","features":[451]},{"name":"NetGetDisplayInformationIndex","features":[451]},{"name":"NetGetJoinInformation","features":[451]},{"name":"NetGetJoinableOUs","features":[451]},{"name":"NetGroupAdd","features":[451]},{"name":"NetGroupAddUser","features":[451]},{"name":"NetGroupDel","features":[451]},{"name":"NetGroupDelUser","features":[451]},{"name":"NetGroupEnum","features":[451]},{"name":"NetGroupGetInfo","features":[451]},{"name":"NetGroupGetUsers","features":[451]},{"name":"NetGroupSetInfo","features":[451]},{"name":"NetGroupSetUsers","features":[451]},{"name":"NetIsServiceAccount","features":[308,451]},{"name":"NetJoinDomain","features":[451]},{"name":"NetLocalGroupAdd","features":[451]},{"name":"NetLocalGroupAddMember","features":[308,451]},{"name":"NetLocalGroupAddMembers","features":[451]},{"name":"NetLocalGroupDel","features":[451]},{"name":"NetLocalGroupDelMember","features":[308,451]},{"name":"NetLocalGroupDelMembers","features":[451]},{"name":"NetLocalGroupEnum","features":[451]},{"name":"NetLocalGroupGetInfo","features":[451]},{"name":"NetLocalGroupGetMembers","features":[451]},{"name":"NetLocalGroupSetInfo","features":[451]},{"name":"NetLocalGroupSetMembers","features":[451]},{"name":"NetMessageBufferSend","features":[451]},{"name":"NetMessageNameAdd","features":[451]},{"name":"NetMessageNameDel","features":[451]},{"name":"NetMessageNameEnum","features":[451]},{"name":"NetMessageNameGetInfo","features":[451]},{"name":"NetPrimaryComputerName","features":[451]},{"name":"NetProvisionComputerAccount","features":[451]},{"name":"NetProvisioning","features":[451]},{"name":"NetQueryDisplayInformation","features":[451]},{"name":"NetQueryServiceAccount","features":[308,451]},{"name":"NetRemoteComputerSupports","features":[451]},{"name":"NetRemoteTOD","features":[451]},{"name":"NetRemoveAlternateComputerName","features":[451]},{"name":"NetRemoveServiceAccount","features":[308,451]},{"name":"NetRenameMachineInDomain","features":[451]},{"name":"NetReplExportDirAdd","features":[451]},{"name":"NetReplExportDirDel","features":[451]},{"name":"NetReplExportDirEnum","features":[451]},{"name":"NetReplExportDirGetInfo","features":[451]},{"name":"NetReplExportDirLock","features":[451]},{"name":"NetReplExportDirSetInfo","features":[451]},{"name":"NetReplExportDirUnlock","features":[451]},{"name":"NetReplGetInfo","features":[451]},{"name":"NetReplImportDirAdd","features":[451]},{"name":"NetReplImportDirDel","features":[451]},{"name":"NetReplImportDirEnum","features":[451]},{"name":"NetReplImportDirGetInfo","features":[451]},{"name":"NetReplImportDirLock","features":[451]},{"name":"NetReplImportDirUnlock","features":[451]},{"name":"NetReplSetInfo","features":[451]},{"name":"NetRequestOfflineDomainJoin","features":[451]},{"name":"NetRequestProvisioningPackageInstall","features":[451]},{"name":"NetScheduleJobAdd","features":[451]},{"name":"NetScheduleJobDel","features":[451]},{"name":"NetScheduleJobEnum","features":[451]},{"name":"NetScheduleJobGetInfo","features":[451]},{"name":"NetServerComputerNameAdd","features":[451]},{"name":"NetServerComputerNameDel","features":[451]},{"name":"NetServerDiskEnum","features":[451]},{"name":"NetServerEnum","features":[451]},{"name":"NetServerGetInfo","features":[451]},{"name":"NetServerSetInfo","features":[451]},{"name":"NetServerTransportAdd","features":[451]},{"name":"NetServerTransportAddEx","features":[451]},{"name":"NetServerTransportDel","features":[451]},{"name":"NetServerTransportEnum","features":[451]},{"name":"NetServiceControl","features":[451]},{"name":"NetServiceEnum","features":[451]},{"name":"NetServiceGetInfo","features":[451]},{"name":"NetServiceInstall","features":[451]},{"name":"NetSetPrimaryComputerName","features":[451]},{"name":"NetSetupDnsMachine","features":[451]},{"name":"NetSetupDomain","features":[451]},{"name":"NetSetupDomainName","features":[451]},{"name":"NetSetupMachine","features":[451]},{"name":"NetSetupNonExistentDomain","features":[451]},{"name":"NetSetupUnjoined","features":[451]},{"name":"NetSetupUnknown","features":[451]},{"name":"NetSetupUnknownStatus","features":[451]},{"name":"NetSetupWorkgroup","features":[451]},{"name":"NetSetupWorkgroupName","features":[451]},{"name":"NetUnjoinDomain","features":[451]},{"name":"NetUseAdd","features":[451]},{"name":"NetUseDel","features":[451]},{"name":"NetUseEnum","features":[451]},{"name":"NetUseGetInfo","features":[451]},{"name":"NetUserAdd","features":[451]},{"name":"NetUserChangePassword","features":[451]},{"name":"NetUserDel","features":[451]},{"name":"NetUserEnum","features":[451]},{"name":"NetUserGetGroups","features":[451]},{"name":"NetUserGetInfo","features":[451]},{"name":"NetUserGetLocalGroups","features":[451]},{"name":"NetUserModalsGet","features":[451]},{"name":"NetUserModalsSet","features":[451]},{"name":"NetUserSetGroups","features":[451]},{"name":"NetUserSetInfo","features":[451]},{"name":"NetValidateAuthentication","features":[451]},{"name":"NetValidateName","features":[451]},{"name":"NetValidatePasswordChange","features":[451]},{"name":"NetValidatePasswordPolicy","features":[451]},{"name":"NetValidatePasswordPolicyFree","features":[451]},{"name":"NetValidatePasswordReset","features":[451]},{"name":"NetWkstaGetInfo","features":[451]},{"name":"NetWkstaSetInfo","features":[451]},{"name":"NetWkstaTransportAdd","features":[451]},{"name":"NetWkstaTransportDel","features":[451]},{"name":"NetWkstaTransportEnum","features":[451]},{"name":"NetWkstaUserEnum","features":[451]},{"name":"NetWkstaUserGetInfo","features":[451]},{"name":"NetWkstaUserSetInfo","features":[451]},{"name":"OBO_COMPONENT","features":[451]},{"name":"OBO_SOFTWARE","features":[451]},{"name":"OBO_TOKEN","features":[308,451]},{"name":"OBO_TOKEN_TYPE","features":[451]},{"name":"OBO_USER","features":[451]},{"name":"OS2MSG_FILENAME","features":[451]},{"name":"PARMNUM_ALL","features":[451]},{"name":"PARMNUM_BASE_INFOLEVEL","features":[451]},{"name":"PARM_ERROR_NONE","features":[451]},{"name":"PARM_ERROR_UNKNOWN","features":[451]},{"name":"PASSWORD_EXPIRED","features":[451]},{"name":"PATHLEN","features":[451]},{"name":"PLATFORM_ID_DOS","features":[451]},{"name":"PLATFORM_ID_NT","features":[451]},{"name":"PLATFORM_ID_OS2","features":[451]},{"name":"PLATFORM_ID_OSF","features":[451]},{"name":"PLATFORM_ID_VMS","features":[451]},{"name":"PREFIX_MISMATCH","features":[451]},{"name":"PREFIX_MISMATCH_FIXED","features":[451]},{"name":"PREFIX_MISMATCH_NOT_FIXED","features":[451]},{"name":"PRINT_OTHER_INFO","features":[451]},{"name":"PRJOB_COMPLETE","features":[451]},{"name":"PRJOB_DELETED","features":[451]},{"name":"PRJOB_DESTNOPAPER","features":[451]},{"name":"PRJOB_DESTOFFLINE","features":[451]},{"name":"PRJOB_DESTPAUSED","features":[451]},{"name":"PRJOB_DEVSTATUS","features":[451]},{"name":"PRJOB_ERROR","features":[451]},{"name":"PRJOB_INTERV","features":[451]},{"name":"PRJOB_NOTIFY","features":[451]},{"name":"PRJOB_QSTATUS","features":[451]},{"name":"PRJOB_QS_PAUSED","features":[451]},{"name":"PRJOB_QS_PRINTING","features":[451]},{"name":"PRJOB_QS_QUEUED","features":[451]},{"name":"PRJOB_QS_SPOOLING","features":[451]},{"name":"PROTO_IPV6_DHCP","features":[451]},{"name":"PROTO_IP_ALG","features":[451]},{"name":"PROTO_IP_BGMP","features":[451]},{"name":"PROTO_IP_BOOTP","features":[451]},{"name":"PROTO_IP_DHCP_ALLOCATOR","features":[451]},{"name":"PROTO_IP_DIFFSERV","features":[451]},{"name":"PROTO_IP_DNS_PROXY","features":[451]},{"name":"PROTO_IP_DTP","features":[451]},{"name":"PROTO_IP_FTP","features":[451]},{"name":"PROTO_IP_H323","features":[451]},{"name":"PROTO_IP_IGMP","features":[451]},{"name":"PROTO_IP_MGM","features":[451]},{"name":"PROTO_IP_MSDP","features":[451]},{"name":"PROTO_IP_NAT","features":[451]},{"name":"PROTO_IP_VRRP","features":[451]},{"name":"PROTO_TYPE_MCAST","features":[451]},{"name":"PROTO_TYPE_MS0","features":[451]},{"name":"PROTO_TYPE_MS1","features":[451]},{"name":"PROTO_TYPE_UCAST","features":[451]},{"name":"PROTO_VENDOR_MS0","features":[451]},{"name":"PROTO_VENDOR_MS1","features":[451]},{"name":"PROTO_VENDOR_MS2","features":[451]},{"name":"PWLEN","features":[451]},{"name":"QNLEN","features":[451]},{"name":"RASCON_IPUI","features":[308,451]},{"name":"RASCON_UIINFO_FLAGS","features":[451]},{"name":"RCUIF_DEMAND_DIAL","features":[451]},{"name":"RCUIF_DISABLE_CLASS_BASED_ROUTE","features":[451]},{"name":"RCUIF_ENABLE_NBT","features":[451]},{"name":"RCUIF_NOT_ADMIN","features":[451]},{"name":"RCUIF_USE_DISABLE_REGISTER_DNS","features":[451]},{"name":"RCUIF_USE_HEADER_COMPRESSION","features":[451]},{"name":"RCUIF_USE_IPv4_EXPLICIT_METRIC","features":[451]},{"name":"RCUIF_USE_IPv4_NAME_SERVERS","features":[451]},{"name":"RCUIF_USE_IPv4_REMOTE_GATEWAY","features":[451]},{"name":"RCUIF_USE_IPv4_STATICADDRESS","features":[451]},{"name":"RCUIF_USE_IPv6_EXPLICIT_METRIC","features":[451]},{"name":"RCUIF_USE_IPv6_NAME_SERVERS","features":[451]},{"name":"RCUIF_USE_IPv6_REMOTE_GATEWAY","features":[451]},{"name":"RCUIF_USE_IPv6_STATICADDRESS","features":[451]},{"name":"RCUIF_USE_PRIVATE_DNS_SUFFIX","features":[451]},{"name":"RCUIF_VPN","features":[451]},{"name":"REGISTER_PROTOCOL_ENTRY_POINT_STRING","features":[451]},{"name":"REPL_EDIR_INFO_0","features":[451]},{"name":"REPL_EDIR_INFO_1","features":[451]},{"name":"REPL_EDIR_INFO_1000","features":[451]},{"name":"REPL_EDIR_INFO_1001","features":[451]},{"name":"REPL_EDIR_INFO_2","features":[451]},{"name":"REPL_EXPORT_EXTENT_INFOLEVEL","features":[451]},{"name":"REPL_EXPORT_INTEGRITY_INFOLEVEL","features":[451]},{"name":"REPL_EXTENT_FILE","features":[451]},{"name":"REPL_EXTENT_TREE","features":[451]},{"name":"REPL_GUARDTIME_INFOLEVEL","features":[451]},{"name":"REPL_IDIR_INFO_0","features":[451]},{"name":"REPL_IDIR_INFO_1","features":[451]},{"name":"REPL_INFO_0","features":[451]},{"name":"REPL_INFO_1000","features":[451]},{"name":"REPL_INFO_1001","features":[451]},{"name":"REPL_INFO_1002","features":[451]},{"name":"REPL_INFO_1003","features":[451]},{"name":"REPL_INTEGRITY_FILE","features":[451]},{"name":"REPL_INTEGRITY_TREE","features":[451]},{"name":"REPL_INTERVAL_INFOLEVEL","features":[451]},{"name":"REPL_PULSE_INFOLEVEL","features":[451]},{"name":"REPL_RANDOM_INFOLEVEL","features":[451]},{"name":"REPL_ROLE_BOTH","features":[451]},{"name":"REPL_ROLE_EXPORT","features":[451]},{"name":"REPL_ROLE_IMPORT","features":[451]},{"name":"REPL_STATE_NEVER_REPLICATED","features":[451]},{"name":"REPL_STATE_NO_MASTER","features":[451]},{"name":"REPL_STATE_NO_SYNC","features":[451]},{"name":"REPL_STATE_OK","features":[451]},{"name":"REPL_UNLOCK_FORCE","features":[451]},{"name":"REPL_UNLOCK_NOFORCE","features":[451]},{"name":"RF_ADD_ALL_INTERFACES","features":[451]},{"name":"RF_DEMAND_UPDATE_ROUTES","features":[451]},{"name":"RF_MULTICAST","features":[451]},{"name":"RF_POWER","features":[451]},{"name":"RF_ROUTING","features":[451]},{"name":"RF_ROUTINGV6","features":[451]},{"name":"RIS_INTERFACE_ADDRESS_CHANGE","features":[451]},{"name":"RIS_INTERFACE_DISABLED","features":[451]},{"name":"RIS_INTERFACE_ENABLED","features":[451]},{"name":"RIS_INTERFACE_MEDIA_ABSENT","features":[451]},{"name":"RIS_INTERFACE_MEDIA_PRESENT","features":[451]},{"name":"ROUTING_DOMAIN_INFO_REVISION_1","features":[451]},{"name":"RTR_INFO_BLOCK_HEADER","features":[451]},{"name":"RTR_INFO_BLOCK_VERSION","features":[451]},{"name":"RTR_TOC_ENTRY","features":[451]},{"name":"RTUTILS_MAX_PROTOCOL_DLL_LEN","features":[451]},{"name":"RTUTILS_MAX_PROTOCOL_NAME_LEN","features":[451]},{"name":"RouterAssert","features":[451]},{"name":"RouterGetErrorStringA","features":[451]},{"name":"RouterGetErrorStringW","features":[451]},{"name":"RouterLogDeregisterA","features":[308,451]},{"name":"RouterLogDeregisterW","features":[308,451]},{"name":"RouterLogEventA","features":[308,451]},{"name":"RouterLogEventDataA","features":[308,451]},{"name":"RouterLogEventDataW","features":[308,451]},{"name":"RouterLogEventExA","features":[308,451]},{"name":"RouterLogEventExW","features":[308,451]},{"name":"RouterLogEventStringA","features":[308,451]},{"name":"RouterLogEventStringW","features":[308,451]},{"name":"RouterLogEventValistExA","features":[308,451]},{"name":"RouterLogEventValistExW","features":[308,451]},{"name":"RouterLogEventW","features":[308,451]},{"name":"RouterLogRegisterA","features":[308,451]},{"name":"RouterLogRegisterW","features":[308,451]},{"name":"SERVCE_LM20_W32TIME","features":[451]},{"name":"SERVER_DISPLAY_NAME","features":[451]},{"name":"SERVER_INFO_100","features":[451]},{"name":"SERVER_INFO_1005","features":[451]},{"name":"SERVER_INFO_101","features":[451]},{"name":"SERVER_INFO_1010","features":[451]},{"name":"SERVER_INFO_1016","features":[451]},{"name":"SERVER_INFO_1017","features":[451]},{"name":"SERVER_INFO_1018","features":[451]},{"name":"SERVER_INFO_102","features":[451]},{"name":"SERVER_INFO_103","features":[308,451]},{"name":"SERVER_INFO_1107","features":[451]},{"name":"SERVER_INFO_1501","features":[451]},{"name":"SERVER_INFO_1502","features":[451]},{"name":"SERVER_INFO_1503","features":[451]},{"name":"SERVER_INFO_1506","features":[451]},{"name":"SERVER_INFO_1509","features":[451]},{"name":"SERVER_INFO_1510","features":[451]},{"name":"SERVER_INFO_1511","features":[451]},{"name":"SERVER_INFO_1512","features":[451]},{"name":"SERVER_INFO_1513","features":[451]},{"name":"SERVER_INFO_1514","features":[308,451]},{"name":"SERVER_INFO_1515","features":[308,451]},{"name":"SERVER_INFO_1516","features":[308,451]},{"name":"SERVER_INFO_1518","features":[308,451]},{"name":"SERVER_INFO_1520","features":[451]},{"name":"SERVER_INFO_1521","features":[451]},{"name":"SERVER_INFO_1522","features":[451]},{"name":"SERVER_INFO_1523","features":[451]},{"name":"SERVER_INFO_1524","features":[451]},{"name":"SERVER_INFO_1525","features":[451]},{"name":"SERVER_INFO_1528","features":[451]},{"name":"SERVER_INFO_1529","features":[451]},{"name":"SERVER_INFO_1530","features":[451]},{"name":"SERVER_INFO_1533","features":[451]},{"name":"SERVER_INFO_1534","features":[451]},{"name":"SERVER_INFO_1535","features":[451]},{"name":"SERVER_INFO_1536","features":[308,451]},{"name":"SERVER_INFO_1537","features":[308,451]},{"name":"SERVER_INFO_1538","features":[308,451]},{"name":"SERVER_INFO_1539","features":[308,451]},{"name":"SERVER_INFO_1540","features":[308,451]},{"name":"SERVER_INFO_1541","features":[308,451]},{"name":"SERVER_INFO_1542","features":[308,451]},{"name":"SERVER_INFO_1543","features":[451]},{"name":"SERVER_INFO_1544","features":[451]},{"name":"SERVER_INFO_1545","features":[451]},{"name":"SERVER_INFO_1546","features":[451]},{"name":"SERVER_INFO_1547","features":[451]},{"name":"SERVER_INFO_1548","features":[451]},{"name":"SERVER_INFO_1549","features":[451]},{"name":"SERVER_INFO_1550","features":[451]},{"name":"SERVER_INFO_1552","features":[451]},{"name":"SERVER_INFO_1553","features":[451]},{"name":"SERVER_INFO_1554","features":[451]},{"name":"SERVER_INFO_1555","features":[451]},{"name":"SERVER_INFO_1556","features":[451]},{"name":"SERVER_INFO_1557","features":[451]},{"name":"SERVER_INFO_1560","features":[451]},{"name":"SERVER_INFO_1561","features":[451]},{"name":"SERVER_INFO_1562","features":[451]},{"name":"SERVER_INFO_1563","features":[451]},{"name":"SERVER_INFO_1564","features":[451]},{"name":"SERVER_INFO_1565","features":[451]},{"name":"SERVER_INFO_1566","features":[308,451]},{"name":"SERVER_INFO_1567","features":[451]},{"name":"SERVER_INFO_1568","features":[451]},{"name":"SERVER_INFO_1569","features":[451]},{"name":"SERVER_INFO_1570","features":[451]},{"name":"SERVER_INFO_1571","features":[451]},{"name":"SERVER_INFO_1572","features":[451]},{"name":"SERVER_INFO_1573","features":[451]},{"name":"SERVER_INFO_1574","features":[451]},{"name":"SERVER_INFO_1575","features":[451]},{"name":"SERVER_INFO_1576","features":[451]},{"name":"SERVER_INFO_1577","features":[451]},{"name":"SERVER_INFO_1578","features":[451]},{"name":"SERVER_INFO_1579","features":[451]},{"name":"SERVER_INFO_1580","features":[451]},{"name":"SERVER_INFO_1581","features":[451]},{"name":"SERVER_INFO_1582","features":[451]},{"name":"SERVER_INFO_1583","features":[451]},{"name":"SERVER_INFO_1584","features":[451]},{"name":"SERVER_INFO_1585","features":[308,451]},{"name":"SERVER_INFO_1586","features":[451]},{"name":"SERVER_INFO_1587","features":[451]},{"name":"SERVER_INFO_1588","features":[451]},{"name":"SERVER_INFO_1590","features":[451]},{"name":"SERVER_INFO_1591","features":[451]},{"name":"SERVER_INFO_1592","features":[451]},{"name":"SERVER_INFO_1593","features":[451]},{"name":"SERVER_INFO_1594","features":[451]},{"name":"SERVER_INFO_1595","features":[451]},{"name":"SERVER_INFO_1596","features":[451]},{"name":"SERVER_INFO_1597","features":[451]},{"name":"SERVER_INFO_1598","features":[451]},{"name":"SERVER_INFO_1599","features":[308,451]},{"name":"SERVER_INFO_1600","features":[308,451]},{"name":"SERVER_INFO_1601","features":[451]},{"name":"SERVER_INFO_1602","features":[308,451]},{"name":"SERVER_INFO_402","features":[451]},{"name":"SERVER_INFO_403","features":[451]},{"name":"SERVER_INFO_502","features":[308,451]},{"name":"SERVER_INFO_503","features":[308,451]},{"name":"SERVER_INFO_598","features":[308,451]},{"name":"SERVER_INFO_599","features":[308,451]},{"name":"SERVER_INFO_HIDDEN","features":[451]},{"name":"SERVER_INFO_SECURITY","features":[451]},{"name":"SERVER_TRANSPORT_INFO_0","features":[451]},{"name":"SERVER_TRANSPORT_INFO_1","features":[451]},{"name":"SERVER_TRANSPORT_INFO_2","features":[451]},{"name":"SERVER_TRANSPORT_INFO_3","features":[451]},{"name":"SERVICE2_BASE","features":[451]},{"name":"SERVICE_ACCOUNT_FLAG_ADD_AGAINST_RODC","features":[451]},{"name":"SERVICE_ACCOUNT_FLAG_LINK_TO_HOST_ONLY","features":[451]},{"name":"SERVICE_ACCOUNT_FLAG_REMOVE_OFFLINE","features":[451]},{"name":"SERVICE_ACCOUNT_FLAG_UNLINK_FROM_HOST_ONLY","features":[451]},{"name":"SERVICE_ACCOUNT_PASSWORD","features":[451]},{"name":"SERVICE_ACCOUNT_SECRET_PREFIX","features":[451]},{"name":"SERVICE_ADWS","features":[451]},{"name":"SERVICE_AFP","features":[451]},{"name":"SERVICE_ALERTER","features":[451]},{"name":"SERVICE_BASE","features":[451]},{"name":"SERVICE_BROWSER","features":[451]},{"name":"SERVICE_CCP_CHKPT_NUM","features":[451]},{"name":"SERVICE_CCP_NO_HINT","features":[451]},{"name":"SERVICE_CCP_QUERY_HINT","features":[451]},{"name":"SERVICE_CCP_WAIT_TIME","features":[451]},{"name":"SERVICE_CTRL_CONTINUE","features":[451]},{"name":"SERVICE_CTRL_INTERROGATE","features":[451]},{"name":"SERVICE_CTRL_PAUSE","features":[451]},{"name":"SERVICE_CTRL_REDIR_COMM","features":[451]},{"name":"SERVICE_CTRL_REDIR_DISK","features":[451]},{"name":"SERVICE_CTRL_REDIR_PRINT","features":[451]},{"name":"SERVICE_CTRL_UNINSTALL","features":[451]},{"name":"SERVICE_DHCP","features":[451]},{"name":"SERVICE_DNS_CACHE","features":[451]},{"name":"SERVICE_DOS_ENCRYPTION","features":[451]},{"name":"SERVICE_DSROLE","features":[451]},{"name":"SERVICE_INFO_0","features":[451]},{"name":"SERVICE_INFO_1","features":[451]},{"name":"SERVICE_INFO_2","features":[451]},{"name":"SERVICE_INSTALLED","features":[451]},{"name":"SERVICE_INSTALL_PENDING","features":[451]},{"name":"SERVICE_INSTALL_STATE","features":[451]},{"name":"SERVICE_IP_CHKPT_NUM","features":[451]},{"name":"SERVICE_IP_NO_HINT","features":[451]},{"name":"SERVICE_IP_QUERY_HINT","features":[451]},{"name":"SERVICE_IP_WAITTIME_SHIFT","features":[451]},{"name":"SERVICE_IP_WAIT_TIME","features":[451]},{"name":"SERVICE_ISMSERV","features":[451]},{"name":"SERVICE_KDC","features":[451]},{"name":"SERVICE_LM20_AFP","features":[451]},{"name":"SERVICE_LM20_ALERTER","features":[451]},{"name":"SERVICE_LM20_BROWSER","features":[451]},{"name":"SERVICE_LM20_DHCP","features":[451]},{"name":"SERVICE_LM20_DSROLE","features":[451]},{"name":"SERVICE_LM20_ISMSERV","features":[451]},{"name":"SERVICE_LM20_KDC","features":[451]},{"name":"SERVICE_LM20_LMHOSTS","features":[451]},{"name":"SERVICE_LM20_MESSENGER","features":[451]},{"name":"SERVICE_LM20_NBT","features":[451]},{"name":"SERVICE_LM20_NETLOGON","features":[451]},{"name":"SERVICE_LM20_NETPOPUP","features":[451]},{"name":"SERVICE_LM20_NETRUN","features":[451]},{"name":"SERVICE_LM20_NTDS","features":[451]},{"name":"SERVICE_LM20_NTFRS","features":[451]},{"name":"SERVICE_LM20_NWSAP","features":[451]},{"name":"SERVICE_LM20_REPL","features":[451]},{"name":"SERVICE_LM20_RIPL","features":[451]},{"name":"SERVICE_LM20_RPCLOCATOR","features":[451]},{"name":"SERVICE_LM20_SCHEDULE","features":[451]},{"name":"SERVICE_LM20_SERVER","features":[451]},{"name":"SERVICE_LM20_SPOOLER","features":[451]},{"name":"SERVICE_LM20_SQLSERVER","features":[451]},{"name":"SERVICE_LM20_TCPIP","features":[451]},{"name":"SERVICE_LM20_TELNET","features":[451]},{"name":"SERVICE_LM20_TIMESOURCE","features":[451]},{"name":"SERVICE_LM20_TRKSVR","features":[451]},{"name":"SERVICE_LM20_TRKWKS","features":[451]},{"name":"SERVICE_LM20_UPS","features":[451]},{"name":"SERVICE_LM20_WORKSTATION","features":[451]},{"name":"SERVICE_LM20_XACTSRV","features":[451]},{"name":"SERVICE_LMHOSTS","features":[451]},{"name":"SERVICE_MAXTIME","features":[451]},{"name":"SERVICE_MESSENGER","features":[451]},{"name":"SERVICE_NBT","features":[451]},{"name":"SERVICE_NETLOGON","features":[451]},{"name":"SERVICE_NETPOPUP","features":[451]},{"name":"SERVICE_NETRUN","features":[451]},{"name":"SERVICE_NOT_PAUSABLE","features":[451]},{"name":"SERVICE_NOT_UNINSTALLABLE","features":[451]},{"name":"SERVICE_NTDS","features":[451]},{"name":"SERVICE_NTFRS","features":[451]},{"name":"SERVICE_NTIP_WAITTIME_SHIFT","features":[451]},{"name":"SERVICE_NTLMSSP","features":[451]},{"name":"SERVICE_NT_MAXTIME","features":[451]},{"name":"SERVICE_NWCS","features":[451]},{"name":"SERVICE_NWSAP","features":[451]},{"name":"SERVICE_PAUSABLE","features":[451]},{"name":"SERVICE_PAUSE_STATE","features":[451]},{"name":"SERVICE_REDIR_COMM_PAUSED","features":[451]},{"name":"SERVICE_REDIR_DISK_PAUSED","features":[451]},{"name":"SERVICE_REDIR_PAUSED","features":[451]},{"name":"SERVICE_REDIR_PRINT_PAUSED","features":[451]},{"name":"SERVICE_REPL","features":[451]},{"name":"SERVICE_RESRV_MASK","features":[451]},{"name":"SERVICE_RIPL","features":[451]},{"name":"SERVICE_RPCLOCATOR","features":[451]},{"name":"SERVICE_SCHEDULE","features":[451]},{"name":"SERVICE_SERVER","features":[451]},{"name":"SERVICE_SPOOLER","features":[451]},{"name":"SERVICE_SQLSERVER","features":[451]},{"name":"SERVICE_TCPIP","features":[451]},{"name":"SERVICE_TELNET","features":[451]},{"name":"SERVICE_TIMESOURCE","features":[451]},{"name":"SERVICE_TRKSVR","features":[451]},{"name":"SERVICE_TRKWKS","features":[451]},{"name":"SERVICE_UIC_AMBIGPARM","features":[451]},{"name":"SERVICE_UIC_BADPARMVAL","features":[451]},{"name":"SERVICE_UIC_CONFIG","features":[451]},{"name":"SERVICE_UIC_CONFLPARM","features":[451]},{"name":"SERVICE_UIC_DUPPARM","features":[451]},{"name":"SERVICE_UIC_EXEC","features":[451]},{"name":"SERVICE_UIC_FILE","features":[451]},{"name":"SERVICE_UIC_INTERNAL","features":[451]},{"name":"SERVICE_UIC_KILL","features":[451]},{"name":"SERVICE_UIC_MISSPARM","features":[451]},{"name":"SERVICE_UIC_M_ADDPAK","features":[451]},{"name":"SERVICE_UIC_M_ANNOUNCE","features":[451]},{"name":"SERVICE_UIC_M_DATABASE_ERROR","features":[451]},{"name":"SERVICE_UIC_M_DISK","features":[451]},{"name":"SERVICE_UIC_M_ERRLOG","features":[451]},{"name":"SERVICE_UIC_M_FILES","features":[451]},{"name":"SERVICE_UIC_M_FILE_UW","features":[451]},{"name":"SERVICE_UIC_M_LANGROUP","features":[451]},{"name":"SERVICE_UIC_M_LANROOT","features":[451]},{"name":"SERVICE_UIC_M_LAZY","features":[451]},{"name":"SERVICE_UIC_M_LOGS","features":[451]},{"name":"SERVICE_UIC_M_LSA_MACHINE_ACCT","features":[451]},{"name":"SERVICE_UIC_M_MEMORY","features":[451]},{"name":"SERVICE_UIC_M_MSGNAME","features":[451]},{"name":"SERVICE_UIC_M_NETLOGON_AUTH","features":[451]},{"name":"SERVICE_UIC_M_NETLOGON_DC_CFLCT","features":[451]},{"name":"SERVICE_UIC_M_NETLOGON_MPATH","features":[451]},{"name":"SERVICE_UIC_M_NETLOGON_NO_DC","features":[451]},{"name":"SERVICE_UIC_M_NULL","features":[451]},{"name":"SERVICE_UIC_M_PROCESSES","features":[451]},{"name":"SERVICE_UIC_M_REDIR","features":[451]},{"name":"SERVICE_UIC_M_SECURITY","features":[451]},{"name":"SERVICE_UIC_M_SEC_FILE_ERR","features":[451]},{"name":"SERVICE_UIC_M_SERVER","features":[451]},{"name":"SERVICE_UIC_M_SERVER_SEC_ERR","features":[451]},{"name":"SERVICE_UIC_M_THREADS","features":[451]},{"name":"SERVICE_UIC_M_UAS","features":[451]},{"name":"SERVICE_UIC_M_UAS_INVALID_ROLE","features":[451]},{"name":"SERVICE_UIC_M_UAS_MACHINE_ACCT","features":[451]},{"name":"SERVICE_UIC_M_UAS_PROLOG","features":[451]},{"name":"SERVICE_UIC_M_UAS_SERVERS_NMEMB","features":[451]},{"name":"SERVICE_UIC_M_UAS_SERVERS_NOGRP","features":[451]},{"name":"SERVICE_UIC_M_WKSTA","features":[451]},{"name":"SERVICE_UIC_NORMAL","features":[451]},{"name":"SERVICE_UIC_RESOURCE","features":[451]},{"name":"SERVICE_UIC_SUBSERV","features":[451]},{"name":"SERVICE_UIC_SYSTEM","features":[451]},{"name":"SERVICE_UIC_UNKPARM","features":[451]},{"name":"SERVICE_UNINSTALLABLE","features":[451]},{"name":"SERVICE_UNINSTALLED","features":[451]},{"name":"SERVICE_UNINSTALL_PENDING","features":[451]},{"name":"SERVICE_UPS","features":[451]},{"name":"SERVICE_W32TIME","features":[451]},{"name":"SERVICE_WORKSTATION","features":[451]},{"name":"SERVICE_XACTSRV","features":[451]},{"name":"SESSION_CRYPT_KLEN","features":[451]},{"name":"SESSION_PWLEN","features":[451]},{"name":"SHPWLEN","features":[451]},{"name":"SMB_COMPRESSION_INFO","features":[308,451]},{"name":"SMB_TREE_CONNECT_PARAMETERS","features":[451]},{"name":"SMB_USE_OPTION_COMPRESSION_PARAMETERS","features":[451]},{"name":"SNLEN","features":[451]},{"name":"SRV_HASH_GENERATION_ACTIVE","features":[451]},{"name":"SRV_SUPPORT_HASH_GENERATION","features":[451]},{"name":"STD_ALERT","features":[451]},{"name":"STXTLEN","features":[451]},{"name":"SUPPORTS_ANY","features":[451]},{"name":"SUPPORTS_BINDING_INTERFACE_FLAGS","features":[451]},{"name":"SUPPORTS_LOCAL","features":[451]},{"name":"SUPPORTS_REMOTE_ADMIN_PROTOCOL","features":[451]},{"name":"SUPPORTS_RPC","features":[451]},{"name":"SUPPORTS_SAM_PROTOCOL","features":[451]},{"name":"SUPPORTS_UNICODE","features":[451]},{"name":"SVAUD_BADNETLOGON","features":[451]},{"name":"SVAUD_BADSESSLOGON","features":[451]},{"name":"SVAUD_BADUSE","features":[451]},{"name":"SVAUD_GOODNETLOGON","features":[451]},{"name":"SVAUD_GOODSESSLOGON","features":[451]},{"name":"SVAUD_GOODUSE","features":[451]},{"name":"SVAUD_LOGONLIM","features":[451]},{"name":"SVAUD_PERMISSIONS","features":[451]},{"name":"SVAUD_RESOURCE","features":[451]},{"name":"SVAUD_SERVICE","features":[451]},{"name":"SVAUD_USERLIST","features":[451]},{"name":"SVI1_NUM_ELEMENTS","features":[451]},{"name":"SVI2_NUM_ELEMENTS","features":[451]},{"name":"SVI3_NUM_ELEMENTS","features":[451]},{"name":"SVTI2_CLUSTER_DNN_NAME","features":[451]},{"name":"SVTI2_CLUSTER_NAME","features":[451]},{"name":"SVTI2_REMAP_PIPE_NAMES","features":[451]},{"name":"SVTI2_RESERVED1","features":[451]},{"name":"SVTI2_RESERVED2","features":[451]},{"name":"SVTI2_RESERVED3","features":[451]},{"name":"SVTI2_SCOPED_NAME","features":[451]},{"name":"SVTI2_UNICODE_TRANSPORT_ADDRESS","features":[451]},{"name":"SV_ACCEPTDOWNLEVELAPIS_PARMNUM","features":[451]},{"name":"SV_ACCESSALERT_PARMNUM","features":[451]},{"name":"SV_ACTIVELOCKS_PARMNUM","features":[451]},{"name":"SV_ALERTSCHEDULE_PARMNUM","features":[451]},{"name":"SV_ALERTSCHED_PARMNUM","features":[451]},{"name":"SV_ALERTS_PARMNUM","features":[451]},{"name":"SV_ALIST_MTIME_PARMNUM","features":[451]},{"name":"SV_ANNDELTA_PARMNUM","features":[451]},{"name":"SV_ANNOUNCE_PARMNUM","features":[451]},{"name":"SV_AUTOSHARESERVER_PARMNUM","features":[451]},{"name":"SV_AUTOSHAREWKS_PARMNUM","features":[451]},{"name":"SV_BALANCECOUNT_PARMNUM","features":[451]},{"name":"SV_CACHEDDIRECTORYLIMIT_PARMNUM","features":[451]},{"name":"SV_CACHEDOPENLIMIT_PARMNUM","features":[451]},{"name":"SV_CHDEVJOBS_PARMNUM","features":[451]},{"name":"SV_CHDEVQ_PARMNUM","features":[451]},{"name":"SV_COMMENT_PARMNUM","features":[451]},{"name":"SV_CONNECTIONLESSAUTODISC_PARMNUM","features":[451]},{"name":"SV_CONNECTIONNOSESSIONSTIMEOUT_PARMNUM","features":[451]},{"name":"SV_CONNECTIONS_PARMNUM","features":[451]},{"name":"SV_CRITICALTHREADS_PARMNUM","features":[451]},{"name":"SV_DISABLEDOS_PARMNUM","features":[451]},{"name":"SV_DISABLESTRICTNAMECHECKING_PARMNUM","features":[451]},{"name":"SV_DISC_PARMNUM","features":[451]},{"name":"SV_DISKALERT_PARMNUM","features":[451]},{"name":"SV_DISKSPACETHRESHOLD_PARMNUM","features":[451]},{"name":"SV_DOMAIN_PARMNUM","features":[451]},{"name":"SV_ENABLEAUTHENTICATEUSERSHARING_PARMNUM","features":[451]},{"name":"SV_ENABLECOMPRESSION_PARMNUM","features":[451]},{"name":"SV_ENABLEFCBOPENS_PARMNUM","features":[451]},{"name":"SV_ENABLEFORCEDLOGOFF_PARMNUM","features":[451]},{"name":"SV_ENABLEOPLOCKFORCECLOSE_PARMNUM","features":[451]},{"name":"SV_ENABLEOPLOCKS_PARMNUM","features":[451]},{"name":"SV_ENABLERAW_PARMNUM","features":[451]},{"name":"SV_ENABLESECURITYSIGNATURE_PARMNUM","features":[451]},{"name":"SV_ENABLESHAREDNETDRIVES_PARMNUM","features":[451]},{"name":"SV_ENABLESOFTCOMPAT_PARMNUM","features":[451]},{"name":"SV_ENABLEW9XSECURITYSIGNATURE_PARMNUM","features":[451]},{"name":"SV_ENABLEWFW311DIRECTIPX_PARMNUM","features":[451]},{"name":"SV_ENFORCEKERBEROSREAUTHENTICATION_PARMNUM","features":[451]},{"name":"SV_ERRORALERT_PARMNUM","features":[451]},{"name":"SV_ERRORTHRESHOLD_PARMNUM","features":[451]},{"name":"SV_GLIST_MTIME_PARMNUM","features":[451]},{"name":"SV_GUESTACC_PARMNUM","features":[451]},{"name":"SV_HIDDEN","features":[451]},{"name":"SV_HIDDEN_PARMNUM","features":[451]},{"name":"SV_IDLETHREADTIMEOUT_PARMNUM","features":[451]},{"name":"SV_INITCONNTABLE_PARMNUM","features":[451]},{"name":"SV_INITFILETABLE_PARMNUM","features":[451]},{"name":"SV_INITSEARCHTABLE_PARMNUM","features":[451]},{"name":"SV_INITSESSTABLE_PARMNUM","features":[451]},{"name":"SV_INITWORKITEMS_PARMNUM","features":[451]},{"name":"SV_IRPSTACKSIZE_PARMNUM","features":[451]},{"name":"SV_LANMASK_PARMNUM","features":[451]},{"name":"SV_LINKINFOVALIDTIME_PARMNUM","features":[451]},{"name":"SV_LMANNOUNCE_PARMNUM","features":[451]},{"name":"SV_LOCKVIOLATIONDELAY_PARMNUM","features":[451]},{"name":"SV_LOCKVIOLATIONOFFSET_PARMNUM","features":[451]},{"name":"SV_LOCKVIOLATIONRETRIES_PARMNUM","features":[451]},{"name":"SV_LOGONALERT_PARMNUM","features":[451]},{"name":"SV_LOWDISKSPACEMINIMUM_PARMNUM","features":[451]},{"name":"SV_MAXAUDITSZ_PARMNUM","features":[451]},{"name":"SV_MAXCOPYLENGTH_PARMNUM","features":[451]},{"name":"SV_MAXCOPYREADLEN_PARMNUM","features":[451]},{"name":"SV_MAXCOPYWRITELEN_PARMNUM","features":[451]},{"name":"SV_MAXFREECONNECTIONS_PARMNUM","features":[451]},{"name":"SV_MAXFREELFCBS_PARMNUM","features":[451]},{"name":"SV_MAXFREEMFCBS_PARMNUM","features":[451]},{"name":"SV_MAXFREEPAGEDPOOLCHUNKS_PARMNUM","features":[451]},{"name":"SV_MAXFREERFCBS_PARMNUM","features":[451]},{"name":"SV_MAXGLOBALOPENSEARCH_PARMNUM","features":[451]},{"name":"SV_MAXKEEPCOMPLSEARCH_PARMNUM","features":[451]},{"name":"SV_MAXKEEPSEARCH_PARMNUM","features":[451]},{"name":"SV_MAXLINKDELAY_PARMNUM","features":[451]},{"name":"SV_MAXMPXCT_PARMNUM","features":[451]},{"name":"SV_MAXNONPAGEDMEMORYUSAGE_PARMNUM","features":[451]},{"name":"SV_MAXPAGEDMEMORYUSAGE_PARMNUM","features":[451]},{"name":"SV_MAXPAGEDPOOLCHUNKSIZE_PARMNUM","features":[451]},{"name":"SV_MAXRAWBUFLEN_PARMNUM","features":[451]},{"name":"SV_MAXRAWWORKITEMS_PARMNUM","features":[451]},{"name":"SV_MAXTHREADSPERQUEUE_PARMNUM","features":[451]},{"name":"SV_MAXWORKITEMIDLETIME_PARMNUM","features":[451]},{"name":"SV_MAXWORKITEMS_PARMNUM","features":[451]},{"name":"SV_MAX_CMD_LEN","features":[451]},{"name":"SV_MAX_SRV_HEUR_LEN","features":[451]},{"name":"SV_MDLREADSWITCHOVER_PARMNUM","features":[451]},{"name":"SV_MINCLIENTBUFFERSIZE_PARMNUM","features":[451]},{"name":"SV_MINFREECONNECTIONS_PARMNUM","features":[451]},{"name":"SV_MINFREEWORKITEMS_PARMNUM","features":[451]},{"name":"SV_MINKEEPCOMPLSEARCH_PARMNUM","features":[451]},{"name":"SV_MINKEEPSEARCH_PARMNUM","features":[451]},{"name":"SV_MINLINKTHROUGHPUT_PARMNUM","features":[451]},{"name":"SV_MINPAGEDPOOLCHUNKSIZE_PARMNUM","features":[451]},{"name":"SV_MINRCVQUEUE_PARMNUM","features":[451]},{"name":"SV_NAME_PARMNUM","features":[451]},{"name":"SV_NETIOALERT_PARMNUM","features":[451]},{"name":"SV_NETWORKERRORTHRESHOLD_PARMNUM","features":[451]},{"name":"SV_NODISC","features":[451]},{"name":"SV_NUMADMIN_PARMNUM","features":[451]},{"name":"SV_NUMBIGBUF_PARMNUM","features":[451]},{"name":"SV_NUMBLOCKTHREADS_PARMNUM","features":[451]},{"name":"SV_NUMFILETASKS_PARMNUM","features":[451]},{"name":"SV_NUMREQBUF_PARMNUM","features":[451]},{"name":"SV_OPENFILES_PARMNUM","features":[451]},{"name":"SV_OPENSEARCH_PARMNUM","features":[451]},{"name":"SV_OPLOCKBREAKRESPONSEWAIT_PARMNUM","features":[451]},{"name":"SV_OPLOCKBREAKWAIT_PARMNUM","features":[451]},{"name":"SV_OTHERQUEUEAFFINITY_PARMNUM","features":[451]},{"name":"SV_PLATFORM_ID_NT","features":[451]},{"name":"SV_PLATFORM_ID_OS2","features":[451]},{"name":"SV_PLATFORM_ID_PARMNUM","features":[451]},{"name":"SV_PREFERREDAFFINITY_PARMNUM","features":[451]},{"name":"SV_PRODUCTTYPE_PARMNUM","features":[451]},{"name":"SV_QUEUESAMPLESECS_PARMNUM","features":[451]},{"name":"SV_RAWWORKITEMS_PARMNUM","features":[451]},{"name":"SV_REMOVEDUPLICATESEARCHES_PARMNUM","features":[451]},{"name":"SV_REQUIRESECURITYSIGNATURE_PARMNUM","features":[451]},{"name":"SV_RESTRICTNULLSESSACCESS_PARMNUM","features":[451]},{"name":"SV_SCAVQOSINFOUPDATETIME_PARMNUM","features":[451]},{"name":"SV_SCAVTIMEOUT_PARMNUM","features":[451]},{"name":"SV_SECURITY_PARMNUM","features":[451]},{"name":"SV_SENDSFROMPREFERREDPROCESSOR_PARMNUM","features":[451]},{"name":"SV_SERVERSIZE_PARMNUM","features":[451]},{"name":"SV_SESSCONNS_PARMNUM","features":[451]},{"name":"SV_SESSOPENS_PARMNUM","features":[451]},{"name":"SV_SESSREQS_PARMNUM","features":[451]},{"name":"SV_SESSUSERS_PARMNUM","features":[451]},{"name":"SV_SESSVCS_PARMNUM","features":[451]},{"name":"SV_SHARESECURITY","features":[451]},{"name":"SV_SHARES_PARMNUM","features":[451]},{"name":"SV_SHARINGVIOLATIONDELAY_PARMNUM","features":[451]},{"name":"SV_SHARINGVIOLATIONRETRIES_PARMNUM","features":[451]},{"name":"SV_SIZREQBUF_PARMNUM","features":[451]},{"name":"SV_SRVHEURISTICS_PARMNUM","features":[451]},{"name":"SV_THREADCOUNTADD_PARMNUM","features":[451]},{"name":"SV_THREADPRIORITY_PARMNUM","features":[451]},{"name":"SV_TIMESOURCE_PARMNUM","features":[451]},{"name":"SV_TYPE_AFP","features":[451]},{"name":"SV_TYPE_ALL","features":[451]},{"name":"SV_TYPE_ALTERNATE_XPORT","features":[451]},{"name":"SV_TYPE_BACKUP_BROWSER","features":[451]},{"name":"SV_TYPE_CLUSTER_NT","features":[451]},{"name":"SV_TYPE_CLUSTER_VS_NT","features":[451]},{"name":"SV_TYPE_DCE","features":[451]},{"name":"SV_TYPE_DFS","features":[451]},{"name":"SV_TYPE_DIALIN_SERVER","features":[451]},{"name":"SV_TYPE_DOMAIN_BAKCTRL","features":[451]},{"name":"SV_TYPE_DOMAIN_CTRL","features":[451]},{"name":"SV_TYPE_DOMAIN_ENUM","features":[451]},{"name":"SV_TYPE_DOMAIN_MASTER","features":[451]},{"name":"SV_TYPE_DOMAIN_MEMBER","features":[451]},{"name":"SV_TYPE_LOCAL_LIST_ONLY","features":[451]},{"name":"SV_TYPE_MASTER_BROWSER","features":[451]},{"name":"SV_TYPE_NOVELL","features":[451]},{"name":"SV_TYPE_NT","features":[451]},{"name":"SV_TYPE_PARMNUM","features":[451]},{"name":"SV_TYPE_POTENTIAL_BROWSER","features":[451]},{"name":"SV_TYPE_PRINTQ_SERVER","features":[451]},{"name":"SV_TYPE_SERVER","features":[451]},{"name":"SV_TYPE_SERVER_MFPN","features":[451]},{"name":"SV_TYPE_SERVER_NT","features":[451]},{"name":"SV_TYPE_SERVER_OSF","features":[451]},{"name":"SV_TYPE_SERVER_UNIX","features":[451]},{"name":"SV_TYPE_SERVER_VMS","features":[451]},{"name":"SV_TYPE_SQLSERVER","features":[451]},{"name":"SV_TYPE_TERMINALSERVER","features":[451]},{"name":"SV_TYPE_TIME_SOURCE","features":[451]},{"name":"SV_TYPE_WFW","features":[451]},{"name":"SV_TYPE_WINDOWS","features":[451]},{"name":"SV_TYPE_WORKSTATION","features":[451]},{"name":"SV_TYPE_XENIX_SERVER","features":[451]},{"name":"SV_ULIST_MTIME_PARMNUM","features":[451]},{"name":"SV_USERPATH_PARMNUM","features":[451]},{"name":"SV_USERSECURITY","features":[451]},{"name":"SV_USERS_PARMNUM","features":[451]},{"name":"SV_USERS_PER_LICENSE","features":[451]},{"name":"SV_VERSION_MAJOR_PARMNUM","features":[451]},{"name":"SV_VERSION_MINOR_PARMNUM","features":[451]},{"name":"SV_VISIBLE","features":[451]},{"name":"SV_XACTMEMSIZE_PARMNUM","features":[451]},{"name":"SW_AUTOPROF_LOAD_MASK","features":[451]},{"name":"SW_AUTOPROF_SAVE_MASK","features":[451]},{"name":"ServiceAccountPasswordGUID","features":[451]},{"name":"SetNetScheduleAccountInformation","features":[451]},{"name":"TIME_OF_DAY_INFO","features":[451]},{"name":"TITLE_SC_MESSAGE_BOX","features":[451]},{"name":"TRACE_NO_STDINFO","features":[451]},{"name":"TRACE_NO_SYNCH","features":[451]},{"name":"TRACE_USE_CONSOLE","features":[451]},{"name":"TRACE_USE_DATE","features":[451]},{"name":"TRACE_USE_FILE","features":[451]},{"name":"TRACE_USE_MASK","features":[451]},{"name":"TRACE_USE_MSEC","features":[451]},{"name":"TRANSPORT_INFO","features":[308,451]},{"name":"TRANSPORT_NAME_PARMNUM","features":[451]},{"name":"TRANSPORT_QUALITYOFSERVICE_PARMNUM","features":[451]},{"name":"TRANSPORT_TYPE","features":[451]},{"name":"TraceDeregisterA","features":[451]},{"name":"TraceDeregisterExA","features":[451]},{"name":"TraceDeregisterExW","features":[451]},{"name":"TraceDeregisterW","features":[451]},{"name":"TraceDumpExA","features":[308,451]},{"name":"TraceDumpExW","features":[308,451]},{"name":"TraceGetConsoleA","features":[308,451]},{"name":"TraceGetConsoleW","features":[308,451]},{"name":"TracePrintfA","features":[451]},{"name":"TracePrintfExA","features":[451]},{"name":"TracePrintfExW","features":[451]},{"name":"TracePrintfW","features":[451]},{"name":"TracePutsExA","features":[451]},{"name":"TracePutsExW","features":[451]},{"name":"TraceRegisterExA","features":[451]},{"name":"TraceRegisterExW","features":[451]},{"name":"TraceVprintfExA","features":[451]},{"name":"TraceVprintfExW","features":[451]},{"name":"UAS_ROLE_BACKUP","features":[451]},{"name":"UAS_ROLE_MEMBER","features":[451]},{"name":"UAS_ROLE_PRIMARY","features":[451]},{"name":"UAS_ROLE_STANDALONE","features":[451]},{"name":"UF_ACCOUNTDISABLE","features":[451]},{"name":"UF_DONT_EXPIRE_PASSWD","features":[451]},{"name":"UF_DONT_REQUIRE_PREAUTH","features":[451]},{"name":"UF_ENCRYPTED_TEXT_PASSWORD_ALLOWED","features":[451]},{"name":"UF_HOMEDIR_REQUIRED","features":[451]},{"name":"UF_INTERDOMAIN_TRUST_ACCOUNT","features":[451]},{"name":"UF_LOCKOUT","features":[451]},{"name":"UF_MNS_LOGON_ACCOUNT","features":[451]},{"name":"UF_NORMAL_ACCOUNT","features":[451]},{"name":"UF_NOT_DELEGATED","features":[451]},{"name":"UF_NO_AUTH_DATA_REQUIRED","features":[451]},{"name":"UF_PARTIAL_SECRETS_ACCOUNT","features":[451]},{"name":"UF_PASSWD_CANT_CHANGE","features":[451]},{"name":"UF_PASSWD_NOTREQD","features":[451]},{"name":"UF_PASSWORD_EXPIRED","features":[451]},{"name":"UF_SCRIPT","features":[451]},{"name":"UF_SERVER_TRUST_ACCOUNT","features":[451]},{"name":"UF_SMARTCARD_REQUIRED","features":[451]},{"name":"UF_TEMP_DUPLICATE_ACCOUNT","features":[451]},{"name":"UF_TRUSTED_FOR_DELEGATION","features":[451]},{"name":"UF_TRUSTED_TO_AUTHENTICATE_FOR_DELEGATION","features":[451]},{"name":"UF_USE_AES_KEYS","features":[451]},{"name":"UF_USE_DES_KEY_ONLY","features":[451]},{"name":"UF_WORKSTATION_TRUST_ACCOUNT","features":[451]},{"name":"UNCLEN","features":[451]},{"name":"UNITS_PER_DAY","features":[451]},{"name":"UNLEN","features":[451]},{"name":"UPPER_GET_HINT_MASK","features":[451]},{"name":"UPPER_HINT_MASK","features":[451]},{"name":"USER_ACCOUNT_FLAGS","features":[451]},{"name":"USER_ACCT_EXPIRES_PARMNUM","features":[451]},{"name":"USER_AUTH_FLAGS_PARMNUM","features":[451]},{"name":"USER_CODE_PAGE_PARMNUM","features":[451]},{"name":"USER_COMMENT_PARMNUM","features":[451]},{"name":"USER_COUNTRY_CODE_PARMNUM","features":[451]},{"name":"USER_FLAGS_PARMNUM","features":[451]},{"name":"USER_FULL_NAME_PARMNUM","features":[451]},{"name":"USER_HOME_DIR_DRIVE_PARMNUM","features":[451]},{"name":"USER_HOME_DIR_PARMNUM","features":[451]},{"name":"USER_INFO_0","features":[451]},{"name":"USER_INFO_1","features":[451]},{"name":"USER_INFO_10","features":[451]},{"name":"USER_INFO_1003","features":[451]},{"name":"USER_INFO_1005","features":[451]},{"name":"USER_INFO_1006","features":[451]},{"name":"USER_INFO_1007","features":[451]},{"name":"USER_INFO_1008","features":[451]},{"name":"USER_INFO_1009","features":[451]},{"name":"USER_INFO_1010","features":[451]},{"name":"USER_INFO_1011","features":[451]},{"name":"USER_INFO_1012","features":[451]},{"name":"USER_INFO_1013","features":[451]},{"name":"USER_INFO_1014","features":[451]},{"name":"USER_INFO_1017","features":[451]},{"name":"USER_INFO_1018","features":[451]},{"name":"USER_INFO_1020","features":[451]},{"name":"USER_INFO_1023","features":[451]},{"name":"USER_INFO_1024","features":[451]},{"name":"USER_INFO_1025","features":[451]},{"name":"USER_INFO_1051","features":[451]},{"name":"USER_INFO_1052","features":[451]},{"name":"USER_INFO_1053","features":[451]},{"name":"USER_INFO_11","features":[451]},{"name":"USER_INFO_2","features":[451]},{"name":"USER_INFO_20","features":[451]},{"name":"USER_INFO_21","features":[451]},{"name":"USER_INFO_22","features":[451]},{"name":"USER_INFO_23","features":[308,451]},{"name":"USER_INFO_24","features":[308,451]},{"name":"USER_INFO_3","features":[451]},{"name":"USER_INFO_4","features":[308,451]},{"name":"USER_LAST_LOGOFF_PARMNUM","features":[451]},{"name":"USER_LAST_LOGON_PARMNUM","features":[451]},{"name":"USER_LOGON_HOURS_PARMNUM","features":[451]},{"name":"USER_LOGON_SERVER_PARMNUM","features":[451]},{"name":"USER_MAX_STORAGE_PARMNUM","features":[451]},{"name":"USER_MODALS_INFO_0","features":[451]},{"name":"USER_MODALS_INFO_1","features":[451]},{"name":"USER_MODALS_INFO_1001","features":[451]},{"name":"USER_MODALS_INFO_1002","features":[451]},{"name":"USER_MODALS_INFO_1003","features":[451]},{"name":"USER_MODALS_INFO_1004","features":[451]},{"name":"USER_MODALS_INFO_1005","features":[451]},{"name":"USER_MODALS_INFO_1006","features":[451]},{"name":"USER_MODALS_INFO_1007","features":[451]},{"name":"USER_MODALS_INFO_2","features":[308,451]},{"name":"USER_MODALS_INFO_3","features":[451]},{"name":"USER_MODALS_ROLES","features":[451]},{"name":"USER_NAME_PARMNUM","features":[451]},{"name":"USER_NUM_LOGONS_PARMNUM","features":[451]},{"name":"USER_OTHER_INFO","features":[451]},{"name":"USER_PAD_PW_COUNT_PARMNUM","features":[451]},{"name":"USER_PARMS_PARMNUM","features":[451]},{"name":"USER_PASSWORD_AGE_PARMNUM","features":[451]},{"name":"USER_PASSWORD_PARMNUM","features":[451]},{"name":"USER_PRIMARY_GROUP_PARMNUM","features":[451]},{"name":"USER_PRIV","features":[451]},{"name":"USER_PRIV_ADMIN","features":[451]},{"name":"USER_PRIV_GUEST","features":[451]},{"name":"USER_PRIV_MASK","features":[451]},{"name":"USER_PRIV_PARMNUM","features":[451]},{"name":"USER_PRIV_USER","features":[451]},{"name":"USER_PROFILE","features":[451]},{"name":"USER_PROFILE_PARMNUM","features":[451]},{"name":"USER_SCRIPT_PATH_PARMNUM","features":[451]},{"name":"USER_UNITS_PER_WEEK_PARMNUM","features":[451]},{"name":"USER_USR_COMMENT_PARMNUM","features":[451]},{"name":"USER_WORKSTATIONS_PARMNUM","features":[451]},{"name":"USE_ASGTYPE_PARMNUM","features":[451]},{"name":"USE_AUTHIDENTITY_PARMNUM","features":[451]},{"name":"USE_CHARDEV","features":[451]},{"name":"USE_CONN","features":[451]},{"name":"USE_DEFAULT_CREDENTIALS","features":[451]},{"name":"USE_DISCONN","features":[451]},{"name":"USE_DISKDEV","features":[451]},{"name":"USE_DOMAINNAME_PARMNUM","features":[451]},{"name":"USE_FLAGS_PARMNUM","features":[451]},{"name":"USE_FLAG_GLOBAL_MAPPING","features":[451]},{"name":"USE_FORCE","features":[451]},{"name":"USE_INFO_0","features":[451]},{"name":"USE_INFO_1","features":[451]},{"name":"USE_INFO_2","features":[451]},{"name":"USE_INFO_3","features":[451]},{"name":"USE_INFO_4","features":[451]},{"name":"USE_INFO_5","features":[451]},{"name":"USE_INFO_ASG_TYPE","features":[451]},{"name":"USE_IPC","features":[451]},{"name":"USE_LOCAL_PARMNUM","features":[451]},{"name":"USE_LOTS_OF_FORCE","features":[451]},{"name":"USE_NETERR","features":[451]},{"name":"USE_NOFORCE","features":[451]},{"name":"USE_OK","features":[451]},{"name":"USE_OPTIONS_PARMNUM","features":[451]},{"name":"USE_OPTION_DEFERRED_CONNECTION_PARAMETERS","features":[451]},{"name":"USE_OPTION_GENERIC","features":[451]},{"name":"USE_OPTION_PROPERTIES","features":[451]},{"name":"USE_OPTION_TRANSPORT_PARAMETERS","features":[451]},{"name":"USE_PASSWORD_PARMNUM","features":[451]},{"name":"USE_PAUSED","features":[451]},{"name":"USE_RECONN","features":[451]},{"name":"USE_REMOTE_PARMNUM","features":[451]},{"name":"USE_SD_PARMNUM","features":[451]},{"name":"USE_SESSLOST","features":[451]},{"name":"USE_SPECIFIC_TRANSPORT","features":[451]},{"name":"USE_SPOOLDEV","features":[451]},{"name":"USE_USERNAME_PARMNUM","features":[451]},{"name":"USE_WILDCARD","features":[451]},{"name":"UseTransportType_None","features":[451]},{"name":"UseTransportType_Quic","features":[451]},{"name":"UseTransportType_Wsk","features":[451]},{"name":"VALIDATED_LOGON","features":[451]},{"name":"VALID_LOGOFF","features":[451]},{"name":"WKSTA_BUFFERNAMEDPIPES_PARMNUM","features":[451]},{"name":"WKSTA_BUFFERREADONLYFILES_PARMNUM","features":[451]},{"name":"WKSTA_BUFFILESWITHDENYWRITE_PARMNUM","features":[451]},{"name":"WKSTA_CACHEFILETIMEOUT_PARMNUM","features":[451]},{"name":"WKSTA_CHARCOUNT_PARMNUM","features":[451]},{"name":"WKSTA_CHARTIME_PARMNUM","features":[451]},{"name":"WKSTA_CHARWAIT_PARMNUM","features":[451]},{"name":"WKSTA_COMPUTERNAME_PARMNUM","features":[451]},{"name":"WKSTA_DORMANTFILELIMIT_PARMNUM","features":[451]},{"name":"WKSTA_ERRLOGSZ_PARMNUM","features":[451]},{"name":"WKSTA_FORCECORECREATEMODE_PARMNUM","features":[451]},{"name":"WKSTA_INFO_100","features":[451]},{"name":"WKSTA_INFO_101","features":[451]},{"name":"WKSTA_INFO_1010","features":[451]},{"name":"WKSTA_INFO_1011","features":[451]},{"name":"WKSTA_INFO_1012","features":[451]},{"name":"WKSTA_INFO_1013","features":[451]},{"name":"WKSTA_INFO_1018","features":[451]},{"name":"WKSTA_INFO_102","features":[451]},{"name":"WKSTA_INFO_1023","features":[451]},{"name":"WKSTA_INFO_1027","features":[451]},{"name":"WKSTA_INFO_1028","features":[451]},{"name":"WKSTA_INFO_1032","features":[451]},{"name":"WKSTA_INFO_1033","features":[451]},{"name":"WKSTA_INFO_1041","features":[451]},{"name":"WKSTA_INFO_1042","features":[451]},{"name":"WKSTA_INFO_1043","features":[451]},{"name":"WKSTA_INFO_1044","features":[451]},{"name":"WKSTA_INFO_1045","features":[451]},{"name":"WKSTA_INFO_1046","features":[451]},{"name":"WKSTA_INFO_1047","features":[451]},{"name":"WKSTA_INFO_1048","features":[308,451]},{"name":"WKSTA_INFO_1049","features":[308,451]},{"name":"WKSTA_INFO_1050","features":[308,451]},{"name":"WKSTA_INFO_1051","features":[308,451]},{"name":"WKSTA_INFO_1052","features":[308,451]},{"name":"WKSTA_INFO_1053","features":[308,451]},{"name":"WKSTA_INFO_1054","features":[308,451]},{"name":"WKSTA_INFO_1055","features":[308,451]},{"name":"WKSTA_INFO_1056","features":[308,451]},{"name":"WKSTA_INFO_1057","features":[308,451]},{"name":"WKSTA_INFO_1058","features":[308,451]},{"name":"WKSTA_INFO_1059","features":[308,451]},{"name":"WKSTA_INFO_1060","features":[308,451]},{"name":"WKSTA_INFO_1061","features":[308,451]},{"name":"WKSTA_INFO_1062","features":[451]},{"name":"WKSTA_INFO_302","features":[451]},{"name":"WKSTA_INFO_402","features":[451]},{"name":"WKSTA_INFO_502","features":[308,451]},{"name":"WKSTA_KEEPCONN_PARMNUM","features":[451]},{"name":"WKSTA_KEEPSEARCH_PARMNUM","features":[451]},{"name":"WKSTA_LANGROUP_PARMNUM","features":[451]},{"name":"WKSTA_LANROOT_PARMNUM","features":[451]},{"name":"WKSTA_LOCKINCREMENT_PARMNUM","features":[451]},{"name":"WKSTA_LOCKMAXIMUM_PARMNUM","features":[451]},{"name":"WKSTA_LOCKQUOTA_PARMNUM","features":[451]},{"name":"WKSTA_LOGGED_ON_USERS_PARMNUM","features":[451]},{"name":"WKSTA_LOGON_DOMAIN_PARMNUM","features":[451]},{"name":"WKSTA_LOGON_SERVER_PARMNUM","features":[451]},{"name":"WKSTA_MAILSLOTS_PARMNUM","features":[451]},{"name":"WKSTA_MAXCMDS_PARMNUM","features":[451]},{"name":"WKSTA_MAXTHREADS_PARMNUM","features":[451]},{"name":"WKSTA_MAXWRKCACHE_PARMNUM","features":[451]},{"name":"WKSTA_NUMALERTS_PARMNUM","features":[451]},{"name":"WKSTA_NUMCHARBUF_PARMNUM","features":[451]},{"name":"WKSTA_NUMDGRAMBUF_PARMNUM","features":[451]},{"name":"WKSTA_NUMSERVICES_PARMNUM","features":[451]},{"name":"WKSTA_NUMWORKBUF_PARMNUM","features":[451]},{"name":"WKSTA_OTH_DOMAINS_PARMNUM","features":[451]},{"name":"WKSTA_PIPEINCREMENT_PARMNUM","features":[451]},{"name":"WKSTA_PIPEMAXIMUM_PARMNUM","features":[451]},{"name":"WKSTA_PLATFORM_ID_PARMNUM","features":[451]},{"name":"WKSTA_PRINTBUFTIME_PARMNUM","features":[451]},{"name":"WKSTA_READAHEADTHRUPUT_PARMNUM","features":[451]},{"name":"WKSTA_SESSTIMEOUT_PARMNUM","features":[451]},{"name":"WKSTA_SIZCHARBUF_PARMNUM","features":[451]},{"name":"WKSTA_SIZERROR_PARMNUM","features":[451]},{"name":"WKSTA_SIZWORKBUF_PARMNUM","features":[451]},{"name":"WKSTA_TRANSPORT_INFO_0","features":[308,451]},{"name":"WKSTA_USE512BYTESMAXTRANSFER_PARMNUM","features":[451]},{"name":"WKSTA_USECLOSEBEHIND_PARMNUM","features":[451]},{"name":"WKSTA_USEENCRYPTION_PARMNUM","features":[451]},{"name":"WKSTA_USELOCKANDREADANDUNLOCK_PARMNUM","features":[451]},{"name":"WKSTA_USEOPPORTUNISTICLOCKING_PARMNUM","features":[451]},{"name":"WKSTA_USERAWREAD_PARMNUM","features":[451]},{"name":"WKSTA_USERAWWRITE_PARMNUM","features":[451]},{"name":"WKSTA_USER_INFO_0","features":[451]},{"name":"WKSTA_USER_INFO_1","features":[451]},{"name":"WKSTA_USER_INFO_1101","features":[451]},{"name":"WKSTA_USEUNLOCKBEHIND_PARMNUM","features":[451]},{"name":"WKSTA_USEWRITERAWWITHDATA_PARMNUM","features":[451]},{"name":"WKSTA_UTILIZENTCACHING_PARMNUM","features":[451]},{"name":"WKSTA_VER_MAJOR_PARMNUM","features":[451]},{"name":"WKSTA_VER_MINOR_PARMNUM","features":[451]},{"name":"WKSTA_WRKHEURISTICS_PARMNUM","features":[451]},{"name":"WORKERFUNCTION","features":[451]},{"name":"WORKSTATION_DISPLAY_NAME","features":[451]},{"name":"WZC_PROFILE_API_ERROR_FAILED_TO_LOAD_SCHEMA","features":[451]},{"name":"WZC_PROFILE_API_ERROR_FAILED_TO_LOAD_XML","features":[451]},{"name":"WZC_PROFILE_API_ERROR_INTERNAL","features":[451]},{"name":"WZC_PROFILE_API_ERROR_NOT_SUPPORTED","features":[451]},{"name":"WZC_PROFILE_API_ERROR_XML_VALIDATION_FAILED","features":[451]},{"name":"WZC_PROFILE_CONFIG_ERROR_1X_NOT_ALLOWED","features":[451]},{"name":"WZC_PROFILE_CONFIG_ERROR_1X_NOT_ALLOWED_KEY_REQUIRED","features":[451]},{"name":"WZC_PROFILE_CONFIG_ERROR_1X_NOT_ENABLED_KEY_PROVIDED","features":[451]},{"name":"WZC_PROFILE_CONFIG_ERROR_EAP_METHOD_NOT_APPLICABLE","features":[451]},{"name":"WZC_PROFILE_CONFIG_ERROR_EAP_METHOD_REQUIRED","features":[451]},{"name":"WZC_PROFILE_CONFIG_ERROR_INVALID_AUTH_FOR_CONNECTION_TYPE","features":[451]},{"name":"WZC_PROFILE_CONFIG_ERROR_INVALID_ENCRYPTION_FOR_AUTHMODE","features":[451]},{"name":"WZC_PROFILE_CONFIG_ERROR_KEY_INDEX_NOT_APPLICABLE","features":[451]},{"name":"WZC_PROFILE_CONFIG_ERROR_KEY_INDEX_REQUIRED","features":[451]},{"name":"WZC_PROFILE_CONFIG_ERROR_KEY_REQUIRED","features":[451]},{"name":"WZC_PROFILE_CONFIG_ERROR_WPA_ENCRYPTION_NOT_SUPPORTED","features":[451]},{"name":"WZC_PROFILE_CONFIG_ERROR_WPA_NOT_SUPPORTED","features":[451]},{"name":"WZC_PROFILE_SET_ERROR_DUPLICATE_NETWORK","features":[451]},{"name":"WZC_PROFILE_SET_ERROR_MEMORY_ALLOCATION","features":[451]},{"name":"WZC_PROFILE_SET_ERROR_READING_1X_CONFIG","features":[451]},{"name":"WZC_PROFILE_SET_ERROR_WRITING_1X_CONFIG","features":[451]},{"name":"WZC_PROFILE_SET_ERROR_WRITING_WZC_CFG","features":[451]},{"name":"WZC_PROFILE_SUCCESS","features":[451]},{"name":"WZC_PROFILE_XML_ERROR_1X_ENABLED","features":[451]},{"name":"WZC_PROFILE_XML_ERROR_AUTHENTICATION","features":[451]},{"name":"WZC_PROFILE_XML_ERROR_BAD_KEY_INDEX","features":[451]},{"name":"WZC_PROFILE_XML_ERROR_BAD_NETWORK_KEY","features":[451]},{"name":"WZC_PROFILE_XML_ERROR_BAD_SSID","features":[451]},{"name":"WZC_PROFILE_XML_ERROR_BAD_VERSION","features":[451]},{"name":"WZC_PROFILE_XML_ERROR_CONNECTION_TYPE","features":[451]},{"name":"WZC_PROFILE_XML_ERROR_EAP_METHOD","features":[451]},{"name":"WZC_PROFILE_XML_ERROR_ENCRYPTION","features":[451]},{"name":"WZC_PROFILE_XML_ERROR_KEY_INDEX_RANGE","features":[451]},{"name":"WZC_PROFILE_XML_ERROR_KEY_PROVIDED_AUTOMATICALLY","features":[451]},{"name":"WZC_PROFILE_XML_ERROR_NO_VERSION","features":[451]},{"name":"WZC_PROFILE_XML_ERROR_SSID_NOT_FOUND","features":[451]},{"name":"WZC_PROFILE_XML_ERROR_UNSUPPORTED_VERSION","features":[451]}],"452":[{"name":"CMD_ENTRY","features":[308,452]},{"name":"CMD_FLAG_HIDDEN","features":[452]},{"name":"CMD_FLAG_INTERACTIVE","features":[452]},{"name":"CMD_FLAG_LIMIT_MASK","features":[452]},{"name":"CMD_FLAG_LOCAL","features":[452]},{"name":"CMD_FLAG_ONLINE","features":[452]},{"name":"CMD_FLAG_PRIORITY","features":[452]},{"name":"CMD_FLAG_PRIVATE","features":[452]},{"name":"CMD_GROUP_ENTRY","features":[308,452]},{"name":"DEFAULT_CONTEXT_PRIORITY","features":[452]},{"name":"ERROR_CMD_NOT_FOUND","features":[452]},{"name":"ERROR_CONTEXT_ALREADY_REGISTERED","features":[452]},{"name":"ERROR_CONTINUE_IN_PARENT_CONTEXT","features":[452]},{"name":"ERROR_DLL_LOAD_FAILED","features":[452]},{"name":"ERROR_ENTRY_PT_NOT_FOUND","features":[452]},{"name":"ERROR_HELPER_ALREADY_REGISTERED","features":[452]},{"name":"ERROR_INIT_DISPLAY","features":[452]},{"name":"ERROR_INVALID_OPTION_TAG","features":[452]},{"name":"ERROR_INVALID_OPTION_VALUE","features":[452]},{"name":"ERROR_INVALID_SYNTAX","features":[452]},{"name":"ERROR_MISSING_OPTION","features":[452]},{"name":"ERROR_NO_CHANGE","features":[452]},{"name":"ERROR_NO_ENTRIES","features":[452]},{"name":"ERROR_NO_TAG","features":[452]},{"name":"ERROR_OKAY","features":[452]},{"name":"ERROR_PARSING_FAILURE","features":[452]},{"name":"ERROR_PROTOCOL_NOT_IN_TRANSPORT","features":[452]},{"name":"ERROR_SHOW_USAGE","features":[452]},{"name":"ERROR_SUPPRESS_OUTPUT","features":[452]},{"name":"ERROR_TAG_ALREADY_PRESENT","features":[452]},{"name":"ERROR_TRANSPORT_NOT_PRESENT","features":[452]},{"name":"GET_RESOURCE_STRING_FN_NAME","features":[452]},{"name":"MAX_NAME_LEN","features":[452]},{"name":"MatchEnumTag","features":[308,452]},{"name":"MatchToken","features":[308,452]},{"name":"NETSH_ARG_DELIMITER","features":[452]},{"name":"NETSH_CMD_DELIMITER","features":[452]},{"name":"NETSH_COMMIT","features":[452]},{"name":"NETSH_COMMIT_STATE","features":[452]},{"name":"NETSH_ERROR_BASE","features":[452]},{"name":"NETSH_ERROR_END","features":[452]},{"name":"NETSH_FLUSH","features":[452]},{"name":"NETSH_MAX_CMD_TOKEN_LENGTH","features":[452]},{"name":"NETSH_MAX_TOKEN_LENGTH","features":[452]},{"name":"NETSH_SAVE","features":[452]},{"name":"NETSH_UNCOMMIT","features":[452]},{"name":"NETSH_VERSION_50","features":[452]},{"name":"NS_CMD_FLAGS","features":[452]},{"name":"NS_CONTEXT_ATTRIBUTES","features":[308,452]},{"name":"NS_EVENTS","features":[452]},{"name":"NS_EVENT_FROM_N","features":[452]},{"name":"NS_EVENT_FROM_START","features":[452]},{"name":"NS_EVENT_LAST_N","features":[452]},{"name":"NS_EVENT_LAST_SECS","features":[452]},{"name":"NS_EVENT_LOOP","features":[452]},{"name":"NS_GET_EVENT_IDS_FN_NAME","features":[452]},{"name":"NS_HELPER_ATTRIBUTES","features":[452]},{"name":"NS_MODE_CHANGE","features":[452]},{"name":"NS_REQS","features":[452]},{"name":"NS_REQ_ALLOW_MULTIPLE","features":[452]},{"name":"NS_REQ_ONE_OR_MORE","features":[452]},{"name":"NS_REQ_PRESENT","features":[452]},{"name":"NS_REQ_ZERO","features":[452]},{"name":"PFN_CUSTOM_HELP","features":[308,452]},{"name":"PFN_HANDLE_CMD","features":[308,452]},{"name":"PGET_RESOURCE_STRING_FN","features":[452]},{"name":"PNS_CONTEXT_COMMIT_FN","features":[452]},{"name":"PNS_CONTEXT_CONNECT_FN","features":[452]},{"name":"PNS_CONTEXT_DUMP_FN","features":[452]},{"name":"PNS_DLL_INIT_FN","features":[452]},{"name":"PNS_DLL_STOP_FN","features":[452]},{"name":"PNS_HELPER_START_FN","features":[452]},{"name":"PNS_HELPER_STOP_FN","features":[452]},{"name":"PNS_OSVERSIONCHECK","features":[308,452]},{"name":"PreprocessCommand","features":[308,452]},{"name":"PrintError","features":[308,452]},{"name":"PrintMessage","features":[452]},{"name":"PrintMessageFromModule","features":[308,452]},{"name":"RegisterContext","features":[308,452]},{"name":"RegisterHelper","features":[452]},{"name":"TAG_TYPE","features":[308,452]},{"name":"TOKEN_VALUE","features":[452]}],"453":[{"name":"ATTRIBUTE_TYPE","features":[453]},{"name":"AT_BOOLEAN","features":[453]},{"name":"AT_GUID","features":[453]},{"name":"AT_INT16","features":[453]},{"name":"AT_INT32","features":[453]},{"name":"AT_INT64","features":[453]},{"name":"AT_INT8","features":[453]},{"name":"AT_INVALID","features":[453]},{"name":"AT_LIFE_TIME","features":[453]},{"name":"AT_OCTET_STRING","features":[453]},{"name":"AT_SOCKADDR","features":[453]},{"name":"AT_STRING","features":[453]},{"name":"AT_UINT16","features":[453]},{"name":"AT_UINT32","features":[453]},{"name":"AT_UINT64","features":[453]},{"name":"AT_UINT8","features":[453]},{"name":"DF_IMPERSONATION","features":[453]},{"name":"DF_TRACELESS","features":[453]},{"name":"DIAGNOSIS_STATUS","features":[453]},{"name":"DIAG_SOCKADDR","features":[453]},{"name":"DS_CONFIRMED","features":[453]},{"name":"DS_DEFERRED","features":[453]},{"name":"DS_INDETERMINATE","features":[453]},{"name":"DS_NOT_IMPLEMENTED","features":[453]},{"name":"DS_PASSTHROUGH","features":[453]},{"name":"DS_REJECTED","features":[453]},{"name":"DiagnosticsInfo","features":[453]},{"name":"HELPER_ATTRIBUTE","features":[308,453]},{"name":"HYPOTHESIS","features":[308,453]},{"name":"HelperAttributeInfo","features":[453]},{"name":"HypothesisResult","features":[308,453]},{"name":"INetDiagExtensibleHelper","features":[453]},{"name":"INetDiagHelper","features":[453]},{"name":"INetDiagHelperEx","features":[453]},{"name":"INetDiagHelperInfo","features":[453]},{"name":"INetDiagHelperUtilFactory","features":[453]},{"name":"LIFE_TIME","features":[308,453]},{"name":"NDF_ADD_CAPTURE_TRACE","features":[453]},{"name":"NDF_APPLY_INCLUSION_LIST_FILTER","features":[453]},{"name":"NDF_ERROR_START","features":[453]},{"name":"NDF_E_BAD_PARAM","features":[453]},{"name":"NDF_E_CANCELLED","features":[453]},{"name":"NDF_E_DISABLED","features":[453]},{"name":"NDF_E_LENGTH_EXCEEDED","features":[453]},{"name":"NDF_E_NOHELPERCLASS","features":[453]},{"name":"NDF_E_PROBLEM_PRESENT","features":[453]},{"name":"NDF_E_UNKNOWN","features":[453]},{"name":"NDF_E_VALIDATION","features":[453]},{"name":"NDF_INBOUND_FLAG_EDGETRAVERSAL","features":[453]},{"name":"NDF_INBOUND_FLAG_HEALTHCHECK","features":[453]},{"name":"NdfCancelIncident","features":[453]},{"name":"NdfCloseIncident","features":[453]},{"name":"NdfCreateConnectivityIncident","features":[453]},{"name":"NdfCreateDNSIncident","features":[453]},{"name":"NdfCreateGroupingIncident","features":[453,321]},{"name":"NdfCreateIncident","features":[308,453]},{"name":"NdfCreateNetConnectionIncident","features":[453]},{"name":"NdfCreatePnrpIncident","features":[308,453]},{"name":"NdfCreateSharingIncident","features":[453]},{"name":"NdfCreateWebIncident","features":[453]},{"name":"NdfCreateWebIncidentEx","features":[308,453]},{"name":"NdfCreateWinSockIncident","features":[453,321,311]},{"name":"NdfDiagnoseIncident","features":[453]},{"name":"NdfExecuteDiagnosis","features":[308,453]},{"name":"NdfGetTraceFile","features":[453]},{"name":"NdfRepairIncident","features":[453]},{"name":"OCTET_STRING","features":[453]},{"name":"PROBLEM_TYPE","features":[453]},{"name":"PT_DOWN_STREAM_HEALTH","features":[453]},{"name":"PT_HIGHER_UTILIZATION","features":[453]},{"name":"PT_HIGH_UTILIZATION","features":[453]},{"name":"PT_INVALID","features":[453]},{"name":"PT_LOWER_HEALTH","features":[453]},{"name":"PT_LOW_HEALTH","features":[453]},{"name":"PT_UP_STREAM_UTILIZATION","features":[453]},{"name":"RCF_ISCONFIRMED","features":[453]},{"name":"RCF_ISLEAF","features":[453]},{"name":"RCF_ISTHIRDPARTY","features":[453]},{"name":"REPAIR_RISK","features":[453]},{"name":"REPAIR_SCOPE","features":[453]},{"name":"REPAIR_STATUS","features":[453]},{"name":"RF_CONTACT_ADMIN","features":[453]},{"name":"RF_INFORMATION_ONLY","features":[453]},{"name":"RF_REPRO","features":[453]},{"name":"RF_RESERVED","features":[453]},{"name":"RF_RESERVED_CA","features":[453]},{"name":"RF_RESERVED_LNI","features":[453]},{"name":"RF_SHOW_EVENTS","features":[453]},{"name":"RF_UI_ONLY","features":[453]},{"name":"RF_USER_ACTION","features":[453]},{"name":"RF_USER_CONFIRMATION","features":[453]},{"name":"RF_VALIDATE_HELPTOPIC","features":[453]},{"name":"RF_WORKAROUND","features":[453]},{"name":"RR_NORISK","features":[453]},{"name":"RR_NOROLLBACK","features":[453]},{"name":"RR_ROLLBACK","features":[453]},{"name":"RS_APPLICATION","features":[453]},{"name":"RS_DEFERRED","features":[453]},{"name":"RS_NOT_IMPLEMENTED","features":[453]},{"name":"RS_PROCESS","features":[453]},{"name":"RS_REPAIRED","features":[453]},{"name":"RS_SYSTEM","features":[453]},{"name":"RS_UNREPAIRED","features":[453]},{"name":"RS_USER","features":[453]},{"name":"RS_USER_ACTION","features":[453]},{"name":"RepairInfo","features":[453]},{"name":"RepairInfoEx","features":[453]},{"name":"RootCauseInfo","features":[453]},{"name":"ShellCommandInfo","features":[453]},{"name":"UIT_DUI","features":[453]},{"name":"UIT_HELP_PANE","features":[453]},{"name":"UIT_INVALID","features":[453]},{"name":"UIT_NONE","features":[453]},{"name":"UIT_SHELL_COMMAND","features":[453]},{"name":"UI_INFO_TYPE","features":[453]},{"name":"UiInfo","features":[453]}],"454":[{"name":"ACCOUNTINGPROPERTIES","features":[454]},{"name":"ALLOWEDIN8021X","features":[454]},{"name":"ALLOWEDINCONDITION","features":[454]},{"name":"ALLOWEDINPROFILE","features":[454]},{"name":"ALLOWEDINPROXYCONDITION","features":[454]},{"name":"ALLOWEDINPROXYPROFILE","features":[454]},{"name":"ALLOWEDINVPNDIALUP","features":[454]},{"name":"ATTRIBUTEFILTER","features":[454]},{"name":"ATTRIBUTEID","features":[454]},{"name":"ATTRIBUTEINFO","features":[454]},{"name":"ATTRIBUTEPROPERTIES","features":[454]},{"name":"ATTRIBUTERESTRICTIONS","features":[454]},{"name":"ATTRIBUTESYNTAX","features":[454]},{"name":"ATTRIBUTE_FILTER_IEEE_802_1x","features":[454]},{"name":"ATTRIBUTE_FILTER_NONE","features":[454]},{"name":"ATTRIBUTE_FILTER_VPN_DIALUP","features":[454]},{"name":"ATTRIBUTE_MIN_VALUE","features":[454]},{"name":"ATTRIBUTE_UNDEFINED","features":[454]},{"name":"AUTHENTICATION_TYPE","features":[454]},{"name":"AUTHSRV_AUTHORIZATION_VALUE_W","features":[454]},{"name":"AUTHSRV_ENFORCE_NP_FOR_PAP_CHALLENGE_RESPONSE_VALUE_W","features":[454]},{"name":"AUTHSRV_EXTENSIONS_VALUE_W","features":[454]},{"name":"AUTHSRV_PARAMETERS_KEY_W","features":[454]},{"name":"CLIENTPROPERTIES","features":[454]},{"name":"CONDITIONPROPERTIES","features":[454]},{"name":"DATA_STORE_DIRECTORY","features":[454]},{"name":"DATA_STORE_LOCAL","features":[454]},{"name":"DESCRIPTION","features":[454]},{"name":"DICTIONARYPROPERTIES","features":[454]},{"name":"DOMAIN_TYPE_MIXED","features":[454]},{"name":"DOMAIN_TYPE_NONE","features":[454]},{"name":"DOMAIN_TYPE_NT4","features":[454]},{"name":"DOMAIN_TYPE_NT5","features":[454]},{"name":"IASCOMMONPROPERTIES","features":[454]},{"name":"IASCOMPONENTPROPERTIES","features":[454]},{"name":"IASDATASTORE","features":[454]},{"name":"IASDOMAINTYPE","features":[454]},{"name":"IASOSTYPE","features":[454]},{"name":"IASPROPERTIES","features":[454]},{"name":"IAS_ATTRIBUTE_ABSOLUTE_TIME","features":[454]},{"name":"IAS_ATTRIBUTE_ACCEPT_REASON_CODE","features":[454]},{"name":"IAS_ATTRIBUTE_ACCT_PROVIDER_NAME","features":[454]},{"name":"IAS_ATTRIBUTE_ACCT_PROVIDER_TYPE","features":[454]},{"name":"IAS_ATTRIBUTE_ALLOWED_CERTIFICATE_EKU","features":[454]},{"name":"IAS_ATTRIBUTE_ALLOW_DIALIN","features":[454]},{"name":"IAS_ATTRIBUTE_AUTHENTICATION_TYPE","features":[454]},{"name":"IAS_ATTRIBUTE_AUTH_PROVIDER_NAME","features":[454]},{"name":"IAS_ATTRIBUTE_AUTH_PROVIDER_TYPE","features":[454]},{"name":"IAS_ATTRIBUTE_CERTIFICATE_EKU","features":[454]},{"name":"IAS_ATTRIBUTE_CERTIFICATE_THUMBPRINT","features":[454]},{"name":"IAS_ATTRIBUTE_CLEAR_TEXT_PASSWORD","features":[454]},{"name":"IAS_ATTRIBUTE_CLIENT_IP_ADDRESS","features":[454]},{"name":"IAS_ATTRIBUTE_CLIENT_IPv6_ADDRESS","features":[454]},{"name":"IAS_ATTRIBUTE_CLIENT_NAME","features":[454]},{"name":"IAS_ATTRIBUTE_CLIENT_PACKET_HEADER","features":[454]},{"name":"IAS_ATTRIBUTE_CLIENT_QUARANTINE_COMPATIBLE","features":[454]},{"name":"IAS_ATTRIBUTE_CLIENT_UDP_PORT","features":[454]},{"name":"IAS_ATTRIBUTE_CLIENT_VENDOR_TYPE","features":[454]},{"name":"IAS_ATTRIBUTE_EAP_CONFIG","features":[454]},{"name":"IAS_ATTRIBUTE_EAP_FRIENDLY_NAME","features":[454]},{"name":"IAS_ATTRIBUTE_EAP_SESSION","features":[454]},{"name":"IAS_ATTRIBUTE_EAP_TYPEID","features":[454]},{"name":"IAS_ATTRIBUTE_EAP_TYPES_CONFIGURED_IN_PROXYPOLICY","features":[454]},{"name":"IAS_ATTRIBUTE_EXTENSION_STATE","features":[454]},{"name":"IAS_ATTRIBUTE_FULLY_QUALIFIED_MACHINE_NAME","features":[454]},{"name":"IAS_ATTRIBUTE_FULLY_QUALIFIED_USER_NAME","features":[454]},{"name":"IAS_ATTRIBUTE_GENERATE_CLASS_ATTRIBUTE","features":[454]},{"name":"IAS_ATTRIBUTE_GENERATE_SESSION_TIMEOUT","features":[454]},{"name":"IAS_ATTRIBUTE_IGNORE_USER_DIALIN_PROPERTIES","features":[454]},{"name":"IAS_ATTRIBUTE_IS_REPLAY","features":[454]},{"name":"IAS_ATTRIBUTE_LOGGING_RESULT","features":[454]},{"name":"IAS_ATTRIBUTE_MACHINE_INVENTORY","features":[454]},{"name":"IAS_ATTRIBUTE_MACHINE_NAME","features":[454]},{"name":"IAS_ATTRIBUTE_MACHINE_NTGROUPS","features":[454]},{"name":"IAS_ATTRIBUTE_MACHINE_TOKEN_GROUPS","features":[454]},{"name":"IAS_ATTRIBUTE_MACHINE_TOKEN_SID","features":[454]},{"name":"IAS_ATTRIBUTE_MACHINE_VALIDATED","features":[454]},{"name":"IAS_ATTRIBUTE_MANIPULATION_RULE","features":[454]},{"name":"IAS_ATTRIBUTE_MANIPULATION_TARGET","features":[454]},{"name":"IAS_ATTRIBUTE_NAME_MAPPED","features":[454]},{"name":"IAS_ATTRIBUTE_NP_ALLOWED_EAP_TYPE","features":[454]},{"name":"IAS_ATTRIBUTE_NP_ALLOWED_PORT_TYPES","features":[454]},{"name":"IAS_ATTRIBUTE_NP_AUTHENTICATION_TYPE","features":[454]},{"name":"IAS_ATTRIBUTE_NP_CALLED_STATION_ID","features":[454]},{"name":"IAS_ATTRIBUTE_NP_CALLING_STATION_ID","features":[454]},{"name":"IAS_ATTRIBUTE_NP_NAME","features":[454]},{"name":"IAS_ATTRIBUTE_NP_PEAPUPFRONT_ENABLED","features":[454]},{"name":"IAS_ATTRIBUTE_NP_TIME_OF_DAY","features":[454]},{"name":"IAS_ATTRIBUTE_NT4_ACCOUNT_NAME","features":[454]},{"name":"IAS_ATTRIBUTE_NT4_HCAP_ACCOUNT_NAME","features":[454]},{"name":"IAS_ATTRIBUTE_NT4_MACHINE_NAME","features":[454]},{"name":"IAS_ATTRIBUTE_NTGROUPS","features":[454]},{"name":"IAS_ATTRIBUTE_ORIGINAL_USER_NAME","features":[454]},{"name":"IAS_ATTRIBUTE_OVERRIDE_RAP_AUTH","features":[454]},{"name":"IAS_ATTRIBUTE_PACKET_TYPE","features":[454]},{"name":"IAS_ATTRIBUTE_PASSPORT_USER_MAPPING_UPN_SUFFIX","features":[454]},{"name":"IAS_ATTRIBUTE_PEAP_CHANNEL_UP","features":[454]},{"name":"IAS_ATTRIBUTE_PEAP_EMBEDDED_EAP_TYPEID","features":[454]},{"name":"IAS_ATTRIBUTE_PEAP_FAST_ROAMED_SESSION","features":[454]},{"name":"IAS_ATTRIBUTE_POLICY_ENFORCED","features":[454]},{"name":"IAS_ATTRIBUTE_POLICY_EVALUATED_SHV","features":[454]},{"name":"IAS_ATTRIBUTE_PROVIDER_NAME","features":[454]},{"name":"IAS_ATTRIBUTE_PROVIDER_TYPE","features":[454]},{"name":"IAS_ATTRIBUTE_PROXY_EAP_CONFIG","features":[454]},{"name":"IAS_ATTRIBUTE_PROXY_POLICY_NAME","features":[454]},{"name":"IAS_ATTRIBUTE_PROXY_RETRY_COUNT","features":[454]},{"name":"IAS_ATTRIBUTE_QUARANTINE_FIXUP_SERVERS","features":[454]},{"name":"IAS_ATTRIBUTE_QUARANTINE_FIXUP_SERVERS_CONFIGURATION","features":[454]},{"name":"IAS_ATTRIBUTE_QUARANTINE_SESSION_HANDLE","features":[454]},{"name":"IAS_ATTRIBUTE_QUARANTINE_SESSION_ID","features":[454]},{"name":"IAS_ATTRIBUTE_QUARANTINE_SYSTEM_HEALTH_RESULT","features":[454]},{"name":"IAS_ATTRIBUTE_QUARANTINE_SYSTEM_HEALTH_VALIDATORS","features":[454]},{"name":"IAS_ATTRIBUTE_QUARANTINE_UPDATE_NON_COMPLIANT","features":[454]},{"name":"IAS_ATTRIBUTE_QUARANTINE_URL","features":[454]},{"name":"IAS_ATTRIBUTE_RADIUS_USERNAME_ENCODING_ASCII","features":[454]},{"name":"IAS_ATTRIBUTE_REASON_CODE","features":[454]},{"name":"IAS_ATTRIBUTE_REJECT_REASON_CODE","features":[454]},{"name":"IAS_ATTRIBUTE_REMOTE_RADIUS_TO_WINDOWS_USER_MAPPING","features":[454]},{"name":"IAS_ATTRIBUTE_REMOTE_SERVER_ADDRESS","features":[454]},{"name":"IAS_ATTRIBUTE_REQUEST_ID","features":[454]},{"name":"IAS_ATTRIBUTE_REQUEST_START_TIME","features":[454]},{"name":"IAS_ATTRIBUTE_SAVED_MACHINE_HEALTHCHECK_ONLY","features":[454]},{"name":"IAS_ATTRIBUTE_SAVED_NP_CALLING_STATION_ID","features":[454]},{"name":"IAS_ATTRIBUTE_SAVED_RADIUS_CALLBACK_NUMBER","features":[454]},{"name":"IAS_ATTRIBUTE_SAVED_RADIUS_FRAMED_INTERFACE_ID","features":[454]},{"name":"IAS_ATTRIBUTE_SAVED_RADIUS_FRAMED_IP_ADDRESS","features":[454]},{"name":"IAS_ATTRIBUTE_SAVED_RADIUS_FRAMED_IPv6_PREFIX","features":[454]},{"name":"IAS_ATTRIBUTE_SAVED_RADIUS_FRAMED_IPv6_ROUTE","features":[454]},{"name":"IAS_ATTRIBUTE_SAVED_RADIUS_FRAMED_ROUTE","features":[454]},{"name":"IAS_ATTRIBUTE_SERVER_IP_ADDRESS","features":[454]},{"name":"IAS_ATTRIBUTE_SERVER_IPv6_ADDRESS","features":[454]},{"name":"IAS_ATTRIBUTE_SESSION_TIMEOUT","features":[454]},{"name":"IAS_ATTRIBUTE_SHARED_SECRET","features":[454]},{"name":"IAS_ATTRIBUTE_SOH_CARRIER_EAPTLV","features":[454]},{"name":"IAS_ATTRIBUTE_TOKEN_GROUPS","features":[454]},{"name":"IAS_ATTRIBUTE_TUNNEL_TAG","features":[454]},{"name":"IAS_ATTRIBUTE_USER_NTGROUPS","features":[454]},{"name":"IAS_ATTRIBUTE_USER_TOKEN_GROUPS","features":[454]},{"name":"IAS_ATTRIBUTE_USER_TOKEN_SID","features":[454]},{"name":"IAS_AUTH_ARAP","features":[454]},{"name":"IAS_AUTH_CUSTOM","features":[454]},{"name":"IAS_AUTH_EAP","features":[454]},{"name":"IAS_AUTH_INVALID","features":[454]},{"name":"IAS_AUTH_MD5CHAP","features":[454]},{"name":"IAS_AUTH_MSCHAP","features":[454]},{"name":"IAS_AUTH_MSCHAP2","features":[454]},{"name":"IAS_AUTH_MSCHAP2_CPW","features":[454]},{"name":"IAS_AUTH_MSCHAP_CPW","features":[454]},{"name":"IAS_AUTH_NONE","features":[454]},{"name":"IAS_AUTH_PAP","features":[454]},{"name":"IAS_AUTH_PEAP","features":[454]},{"name":"IAS_IDENTITY_NO_DEFAULT","features":[454]},{"name":"IAS_LOGGING_DAILY","features":[454]},{"name":"IAS_LOGGING_MONTHLY","features":[454]},{"name":"IAS_LOGGING_UNLIMITED_SIZE","features":[454]},{"name":"IAS_LOGGING_WEEKLY","features":[454]},{"name":"IAS_LOGGING_WHEN_FILE_SIZE_REACHES","features":[454]},{"name":"IAS_SYNTAX_BOOLEAN","features":[454]},{"name":"IAS_SYNTAX_ENUMERATOR","features":[454]},{"name":"IAS_SYNTAX_INETADDR","features":[454]},{"name":"IAS_SYNTAX_INETADDR6","features":[454]},{"name":"IAS_SYNTAX_INTEGER","features":[454]},{"name":"IAS_SYNTAX_OCTETSTRING","features":[454]},{"name":"IAS_SYNTAX_PROVIDERSPECIFIC","features":[454]},{"name":"IAS_SYNTAX_STRING","features":[454]},{"name":"IAS_SYNTAX_UNSIGNEDINTEGER","features":[454]},{"name":"IAS_SYNTAX_UTCTIME","features":[454]},{"name":"IDENTITY_TYPE","features":[454]},{"name":"IPFILTERPROPERTIES","features":[454]},{"name":"ISdo","features":[454,359]},{"name":"ISdoCollection","features":[454,359]},{"name":"ISdoDictionaryOld","features":[454,359]},{"name":"ISdoMachine","features":[454,359]},{"name":"ISdoMachine2","features":[454,359]},{"name":"ISdoServiceControl","features":[454,359]},{"name":"ITemplateSdo","features":[454,359]},{"name":"LDAPNAME","features":[454]},{"name":"MS_ATTRIBUTE_ACCT_AUTH_TYPE","features":[454]},{"name":"MS_ATTRIBUTE_ACCT_EAP_TYPE","features":[454]},{"name":"MS_ATTRIBUTE_AFW_PROTECTION_LEVEL","features":[454]},{"name":"MS_ATTRIBUTE_AFW_QUARANTINE_ZONE","features":[454]},{"name":"MS_ATTRIBUTE_AZURE_POLICY_ID","features":[454]},{"name":"MS_ATTRIBUTE_CHAP2_CPW","features":[454]},{"name":"MS_ATTRIBUTE_CHAP2_RESPONSE","features":[454]},{"name":"MS_ATTRIBUTE_CHAP2_SUCCESS","features":[454]},{"name":"MS_ATTRIBUTE_CHAP_CHALLENGE","features":[454]},{"name":"MS_ATTRIBUTE_CHAP_CPW1","features":[454]},{"name":"MS_ATTRIBUTE_CHAP_CPW2","features":[454]},{"name":"MS_ATTRIBUTE_CHAP_DOMAIN","features":[454]},{"name":"MS_ATTRIBUTE_CHAP_ERROR","features":[454]},{"name":"MS_ATTRIBUTE_CHAP_LM_ENC_PW","features":[454]},{"name":"MS_ATTRIBUTE_CHAP_MPPE_KEYS","features":[454]},{"name":"MS_ATTRIBUTE_CHAP_NT_ENC_PW","features":[454]},{"name":"MS_ATTRIBUTE_CHAP_RESPONSE","features":[454]},{"name":"MS_ATTRIBUTE_EAP_TLV","features":[454]},{"name":"MS_ATTRIBUTE_EXTENDED_QUARANTINE_STATE","features":[454]},{"name":"MS_ATTRIBUTE_FILTER","features":[454]},{"name":"MS_ATTRIBUTE_HCAP_LOCATION_GROUP_NAME","features":[454]},{"name":"MS_ATTRIBUTE_HCAP_USER_GROUPS","features":[454]},{"name":"MS_ATTRIBUTE_HCAP_USER_NAME","features":[454]},{"name":"MS_ATTRIBUTE_IDENTITY_TYPE","features":[454]},{"name":"MS_ATTRIBUTE_IPV4_REMEDIATION_SERVERS","features":[454]},{"name":"MS_ATTRIBUTE_IPV6_REMEDIATION_SERVERS","features":[454]},{"name":"MS_ATTRIBUTE_IPv6_FILTER","features":[454]},{"name":"MS_ATTRIBUTE_MACHINE_NAME","features":[454]},{"name":"MS_ATTRIBUTE_MPPE_RECV_KEY","features":[454]},{"name":"MS_ATTRIBUTE_MPPE_SEND_KEY","features":[454]},{"name":"MS_ATTRIBUTE_NETWORK_ACCESS_SERVER_TYPE","features":[454]},{"name":"MS_ATTRIBUTE_NOT_QUARANTINE_CAPABLE","features":[454]},{"name":"MS_ATTRIBUTE_PRIMARY_DNS_SERVER","features":[454]},{"name":"MS_ATTRIBUTE_PRIMARY_NBNS_SERVER","features":[454]},{"name":"MS_ATTRIBUTE_QUARANTINE_GRACE_TIME","features":[454]},{"name":"MS_ATTRIBUTE_QUARANTINE_GRACE_TIME_CONFIGURATION","features":[454]},{"name":"MS_ATTRIBUTE_QUARANTINE_IPFILTER","features":[454]},{"name":"MS_ATTRIBUTE_QUARANTINE_SESSION_TIMEOUT","features":[454]},{"name":"MS_ATTRIBUTE_QUARANTINE_SOH","features":[454]},{"name":"MS_ATTRIBUTE_QUARANTINE_STATE","features":[454]},{"name":"MS_ATTRIBUTE_QUARANTINE_USER_CLASS","features":[454]},{"name":"MS_ATTRIBUTE_RAS_CLIENT_NAME","features":[454]},{"name":"MS_ATTRIBUTE_RAS_CLIENT_VERSION","features":[454]},{"name":"MS_ATTRIBUTE_RAS_CORRELATION_ID","features":[454]},{"name":"MS_ATTRIBUTE_RAS_ROUTING_DOMAIN_ID","features":[454]},{"name":"MS_ATTRIBUTE_RAS_VENDOR","features":[454]},{"name":"MS_ATTRIBUTE_RAS_VERSION","features":[454]},{"name":"MS_ATTRIBUTE_SECONDARY_DNS_SERVER","features":[454]},{"name":"MS_ATTRIBUTE_SECONDARY_NBNS_SERVER","features":[454]},{"name":"MS_ATTRIBUTE_SERVICE_CLASS","features":[454]},{"name":"MS_ATTRIBUTE_TSG_DEVICE_REDIRECTION","features":[454]},{"name":"MS_ATTRIBUTE_USER_IPv4_ADDRESS","features":[454]},{"name":"MS_ATTRIBUTE_USER_IPv6_ADDRESS","features":[454]},{"name":"MS_ATTRIBUTE_USER_SECURITY_IDENTITY","features":[454]},{"name":"MULTIVALUED","features":[454]},{"name":"NAME","features":[454]},{"name":"NAMESPROPERTIES","features":[454]},{"name":"NAPPROPERTIES","features":[454]},{"name":"NEW_LOG_FILE_FREQUENCY","features":[454]},{"name":"NTEVENTLOGPROPERTIES","features":[454]},{"name":"NTSAMPROPERTIES","features":[454]},{"name":"POLICYPROPERTIES","features":[454]},{"name":"PRADIUS_EXTENSION_FREE_ATTRIBUTES","features":[454]},{"name":"PRADIUS_EXTENSION_INIT","features":[454]},{"name":"PRADIUS_EXTENSION_PROCESS","features":[454]},{"name":"PRADIUS_EXTENSION_PROCESS_2","features":[454]},{"name":"PRADIUS_EXTENSION_PROCESS_EX","features":[454]},{"name":"PRADIUS_EXTENSION_TERM","features":[454]},{"name":"PROFILEPROPERTIES","features":[454]},{"name":"PROPERTY_ACCOUNTING_DISCARD_REQUEST_ON_FAILURE","features":[454]},{"name":"PROPERTY_ACCOUNTING_LOG_ACCOUNTING","features":[454]},{"name":"PROPERTY_ACCOUNTING_LOG_ACCOUNTING_INTERIM","features":[454]},{"name":"PROPERTY_ACCOUNTING_LOG_AUTHENTICATION","features":[454]},{"name":"PROPERTY_ACCOUNTING_LOG_AUTHENTICATION_INTERIM","features":[454]},{"name":"PROPERTY_ACCOUNTING_LOG_DELETE_IF_FULL","features":[454]},{"name":"PROPERTY_ACCOUNTING_LOG_ENABLE_LOGGING","features":[454]},{"name":"PROPERTY_ACCOUNTING_LOG_FILE_DIRECTORY","features":[454]},{"name":"PROPERTY_ACCOUNTING_LOG_FILE_IS_BACKUP","features":[454]},{"name":"PROPERTY_ACCOUNTING_LOG_IAS1_FORMAT","features":[454]},{"name":"PROPERTY_ACCOUNTING_LOG_OPEN_NEW_FREQUENCY","features":[454]},{"name":"PROPERTY_ACCOUNTING_LOG_OPEN_NEW_SIZE","features":[454]},{"name":"PROPERTY_ACCOUNTING_SQL_MAX_SESSIONS","features":[454]},{"name":"PROPERTY_ATTRIBUTE_ALLOW_IN_8021X","features":[454]},{"name":"PROPERTY_ATTRIBUTE_ALLOW_IN_CONDITION","features":[454]},{"name":"PROPERTY_ATTRIBUTE_ALLOW_IN_PROFILE","features":[454]},{"name":"PROPERTY_ATTRIBUTE_ALLOW_IN_PROXY_CONDITION","features":[454]},{"name":"PROPERTY_ATTRIBUTE_ALLOW_IN_PROXY_PROFILE","features":[454]},{"name":"PROPERTY_ATTRIBUTE_ALLOW_IN_VPNDIALUP","features":[454]},{"name":"PROPERTY_ATTRIBUTE_ALLOW_LOG_ORDINAL","features":[454]},{"name":"PROPERTY_ATTRIBUTE_ALLOW_MULTIPLE","features":[454]},{"name":"PROPERTY_ATTRIBUTE_DISPLAY_NAME","features":[454]},{"name":"PROPERTY_ATTRIBUTE_ENUM_FILTERS","features":[454]},{"name":"PROPERTY_ATTRIBUTE_ENUM_NAMES","features":[454]},{"name":"PROPERTY_ATTRIBUTE_ENUM_VALUES","features":[454]},{"name":"PROPERTY_ATTRIBUTE_ID","features":[454]},{"name":"PROPERTY_ATTRIBUTE_IS_ENUMERABLE","features":[454]},{"name":"PROPERTY_ATTRIBUTE_SYNTAX","features":[454]},{"name":"PROPERTY_ATTRIBUTE_VALUE","features":[454]},{"name":"PROPERTY_ATTRIBUTE_VENDOR_ID","features":[454]},{"name":"PROPERTY_ATTRIBUTE_VENDOR_TYPE_ID","features":[454]},{"name":"PROPERTY_CLIENT_ADDRESS","features":[454]},{"name":"PROPERTY_CLIENT_ENABLED","features":[454]},{"name":"PROPERTY_CLIENT_NAS_MANUFACTURER","features":[454]},{"name":"PROPERTY_CLIENT_QUARANTINE_COMPATIBLE","features":[454]},{"name":"PROPERTY_CLIENT_REQUIRE_SIGNATURE","features":[454]},{"name":"PROPERTY_CLIENT_SECRET_TEMPLATE_GUID","features":[454]},{"name":"PROPERTY_CLIENT_SHARED_SECRET","features":[454]},{"name":"PROPERTY_CLIENT_UNUSED","features":[454]},{"name":"PROPERTY_COMPONENT_ID","features":[454]},{"name":"PROPERTY_COMPONENT_PROG_ID","features":[454]},{"name":"PROPERTY_COMPONENT_START","features":[454]},{"name":"PROPERTY_CONDITION_TEXT","features":[454]},{"name":"PROPERTY_DICTIONARY_ATTRIBUTES_COLLECTION","features":[454]},{"name":"PROPERTY_DICTIONARY_LOCATION","features":[454]},{"name":"PROPERTY_EVENTLOG_LOG_APPLICATION_EVENTS","features":[454]},{"name":"PROPERTY_EVENTLOG_LOG_DEBUG","features":[454]},{"name":"PROPERTY_EVENTLOG_LOG_MALFORMED","features":[454]},{"name":"PROPERTY_IAS_AUDITORS_COLLECTION","features":[454]},{"name":"PROPERTY_IAS_POLICIES_COLLECTION","features":[454]},{"name":"PROPERTY_IAS_PROFILES_COLLECTION","features":[454]},{"name":"PROPERTY_IAS_PROTOCOLS_COLLECTION","features":[454]},{"name":"PROPERTY_IAS_PROXYPOLICIES_COLLECTION","features":[454]},{"name":"PROPERTY_IAS_PROXYPROFILES_COLLECTION","features":[454]},{"name":"PROPERTY_IAS_RADIUSSERVERGROUPS_COLLECTION","features":[454]},{"name":"PROPERTY_IAS_REMEDIATIONSERVERGROUPS_COLLECTION","features":[454]},{"name":"PROPERTY_IAS_REQUESTHANDLERS_COLLECTION","features":[454]},{"name":"PROPERTY_IAS_SHVTEMPLATES_COLLECTION","features":[454]},{"name":"PROPERTY_IPFILTER_ATTRIBUTES_COLLECTION","features":[454]},{"name":"PROPERTY_NAMES_REALMS","features":[454]},{"name":"PROPERTY_NAP_POLICIES_COLLECTION","features":[454]},{"name":"PROPERTY_NAS_VENDOR_ID","features":[454]},{"name":"PROPERTY_NTSAM_ALLOW_LM_AUTHENTICATION","features":[454]},{"name":"PROPERTY_POLICY_ACTION","features":[454]},{"name":"PROPERTY_POLICY_CONDITIONS_COLLECTION","features":[454]},{"name":"PROPERTY_POLICY_CONSTRAINT","features":[454]},{"name":"PROPERTY_POLICY_ENABLED","features":[454]},{"name":"PROPERTY_POLICY_MERIT","features":[454]},{"name":"PROPERTY_POLICY_PROFILE_NAME","features":[454]},{"name":"PROPERTY_POLICY_SOURCETAG","features":[454]},{"name":"PROPERTY_POLICY_UNUSED0","features":[454]},{"name":"PROPERTY_POLICY_UNUSED1","features":[454]},{"name":"PROPERTY_PROFILE_ATTRIBUTES_COLLECTION","features":[454]},{"name":"PROPERTY_PROFILE_IPFILTER_TEMPLATE_GUID","features":[454]},{"name":"PROPERTY_PROTOCOL_REQUEST_HANDLER","features":[454]},{"name":"PROPERTY_PROTOCOL_START","features":[454]},{"name":"PROPERTY_RADIUSPROXY_SERVERGROUPS","features":[454]},{"name":"PROPERTY_RADIUSSERVERGROUP_SERVERS_COLLECTION","features":[454]},{"name":"PROPERTY_RADIUSSERVER_ACCT_PORT","features":[454]},{"name":"PROPERTY_RADIUSSERVER_ACCT_SECRET","features":[454]},{"name":"PROPERTY_RADIUSSERVER_ACCT_SECRET_TEMPLATE_GUID","features":[454]},{"name":"PROPERTY_RADIUSSERVER_ADDRESS","features":[454]},{"name":"PROPERTY_RADIUSSERVER_AUTH_PORT","features":[454]},{"name":"PROPERTY_RADIUSSERVER_AUTH_SECRET","features":[454]},{"name":"PROPERTY_RADIUSSERVER_AUTH_SECRET_TEMPLATE_GUID","features":[454]},{"name":"PROPERTY_RADIUSSERVER_BLACKOUT","features":[454]},{"name":"PROPERTY_RADIUSSERVER_FORWARD_ACCT_ONOFF","features":[454]},{"name":"PROPERTY_RADIUSSERVER_MAX_LOST","features":[454]},{"name":"PROPERTY_RADIUSSERVER_PRIORITY","features":[454]},{"name":"PROPERTY_RADIUSSERVER_SEND_SIGNATURE","features":[454]},{"name":"PROPERTY_RADIUSSERVER_TIMEOUT","features":[454]},{"name":"PROPERTY_RADIUSSERVER_WEIGHT","features":[454]},{"name":"PROPERTY_RADIUS_ACCOUNTING_PORT","features":[454]},{"name":"PROPERTY_RADIUS_AUTHENTICATION_PORT","features":[454]},{"name":"PROPERTY_RADIUS_CLIENTS_COLLECTION","features":[454]},{"name":"PROPERTY_RADIUS_VENDORS_COLLECTION","features":[454]},{"name":"PROPERTY_REMEDIATIONSERVERGROUP_SERVERS_COLLECTION","features":[454]},{"name":"PROPERTY_REMEDIATIONSERVERS_SERVERGROUPS","features":[454]},{"name":"PROPERTY_REMEDIATIONSERVER_ADDRESS","features":[454]},{"name":"PROPERTY_REMEDIATIONSERVER_FRIENDLY_NAME","features":[454]},{"name":"PROPERTY_SDO_CLASS","features":[454]},{"name":"PROPERTY_SDO_DATASTORE_NAME","features":[454]},{"name":"PROPERTY_SDO_DESCRIPTION","features":[454]},{"name":"PROPERTY_SDO_ID","features":[454]},{"name":"PROPERTY_SDO_NAME","features":[454]},{"name":"PROPERTY_SDO_OPAQUE","features":[454]},{"name":"PROPERTY_SDO_RESERVED","features":[454]},{"name":"PROPERTY_SDO_START","features":[454]},{"name":"PROPERTY_SDO_TEMPLATE_GUID","features":[454]},{"name":"PROPERTY_SHAREDSECRET_STRING","features":[454]},{"name":"PROPERTY_SHVCONFIG_LIST","features":[454]},{"name":"PROPERTY_SHV_COMBINATION_TYPE","features":[454]},{"name":"PROPERTY_SHV_LIST","features":[454]},{"name":"PROPERTY_SHV_TEMPLATES_COLLECTION","features":[454]},{"name":"PROPERTY_TEMPLATES_CLIENTS_TEMPLATES","features":[454]},{"name":"PROPERTY_TEMPLATES_IPFILTERS_TEMPLATES","features":[454]},{"name":"PROPERTY_TEMPLATES_POLICIES_TEMPLATES","features":[454]},{"name":"PROPERTY_TEMPLATES_PROFILES_COLLECTION","features":[454]},{"name":"PROPERTY_TEMPLATES_PROFILES_TEMPLATES","features":[454]},{"name":"PROPERTY_TEMPLATES_PROXYPOLICIES_TEMPLATES","features":[454]},{"name":"PROPERTY_TEMPLATES_PROXYPROFILES_COLLECTION","features":[454]},{"name":"PROPERTY_TEMPLATES_PROXYPROFILES_TEMPLATES","features":[454]},{"name":"PROPERTY_TEMPLATES_RADIUSSERVERS_TEMPLATES","features":[454]},{"name":"PROPERTY_TEMPLATES_REMEDIATIONSERVERGROUPS_TEMPLATES","features":[454]},{"name":"PROPERTY_TEMPLATES_SHAREDSECRETS_TEMPLATES","features":[454]},{"name":"PROPERTY_TEMPLATES_SHVTEMPLATES_TEMPLATES","features":[454]},{"name":"PROPERTY_USER_ALLOW_DIALIN","features":[454]},{"name":"PROPERTY_USER_CALLING_STATION_ID","features":[454]},{"name":"PROPERTY_USER_RADIUS_CALLBACK_NUMBER","features":[454]},{"name":"PROPERTY_USER_RADIUS_FRAMED_INTERFACE_ID","features":[454]},{"name":"PROPERTY_USER_RADIUS_FRAMED_IPV6_PREFIX","features":[454]},{"name":"PROPERTY_USER_RADIUS_FRAMED_IPV6_ROUTE","features":[454]},{"name":"PROPERTY_USER_RADIUS_FRAMED_IP_ADDRESS","features":[454]},{"name":"PROPERTY_USER_RADIUS_FRAMED_ROUTE","features":[454]},{"name":"PROPERTY_USER_SAVED_CALLING_STATION_ID","features":[454]},{"name":"PROPERTY_USER_SAVED_RADIUS_CALLBACK_NUMBER","features":[454]},{"name":"PROPERTY_USER_SAVED_RADIUS_FRAMED_INTERFACE_ID","features":[454]},{"name":"PROPERTY_USER_SAVED_RADIUS_FRAMED_IPV6_PREFIX","features":[454]},{"name":"PROPERTY_USER_SAVED_RADIUS_FRAMED_IPV6_ROUTE","features":[454]},{"name":"PROPERTY_USER_SAVED_RADIUS_FRAMED_IP_ADDRESS","features":[454]},{"name":"PROPERTY_USER_SAVED_RADIUS_FRAMED_ROUTE","features":[454]},{"name":"PROPERTY_USER_SERVICE_TYPE","features":[454]},{"name":"PROTOCOLPROPERTIES","features":[454]},{"name":"RADIUSPROPERTIES","features":[454]},{"name":"RADIUSPROXYPROPERTIES","features":[454]},{"name":"RADIUSSERVERGROUPPROPERTIES","features":[454]},{"name":"RADIUSSERVERPROPERTIES","features":[454]},{"name":"RADIUS_ACTION","features":[454]},{"name":"RADIUS_ATTRIBUTE","features":[454]},{"name":"RADIUS_ATTRIBUTE_ACCT_AUTHENTIC","features":[454]},{"name":"RADIUS_ATTRIBUTE_ACCT_DELAY_TIME","features":[454]},{"name":"RADIUS_ATTRIBUTE_ACCT_INPUT_OCTETS","features":[454]},{"name":"RADIUS_ATTRIBUTE_ACCT_INPUT_PACKETS","features":[454]},{"name":"RADIUS_ATTRIBUTE_ACCT_INTERIM_INTERVAL","features":[454]},{"name":"RADIUS_ATTRIBUTE_ACCT_LINK_COUNT","features":[454]},{"name":"RADIUS_ATTRIBUTE_ACCT_MULTI_SSN_ID","features":[454]},{"name":"RADIUS_ATTRIBUTE_ACCT_OUTPUT_OCTETS","features":[454]},{"name":"RADIUS_ATTRIBUTE_ACCT_OUTPUT_PACKETS","features":[454]},{"name":"RADIUS_ATTRIBUTE_ACCT_SESSION_ID","features":[454]},{"name":"RADIUS_ATTRIBUTE_ACCT_SESSION_TIME","features":[454]},{"name":"RADIUS_ATTRIBUTE_ACCT_STATUS_TYPE","features":[454]},{"name":"RADIUS_ATTRIBUTE_ACCT_TERMINATE_CAUSE","features":[454]},{"name":"RADIUS_ATTRIBUTE_ACCT_TUNNEL_CONN","features":[454]},{"name":"RADIUS_ATTRIBUTE_ARAP_CHALLENGE_RESPONSE","features":[454]},{"name":"RADIUS_ATTRIBUTE_ARAP_FEATURES","features":[454]},{"name":"RADIUS_ATTRIBUTE_ARAP_PASSWORD","features":[454]},{"name":"RADIUS_ATTRIBUTE_ARAP_SECURITY","features":[454]},{"name":"RADIUS_ATTRIBUTE_ARAP_SECURITY_DATA","features":[454]},{"name":"RADIUS_ATTRIBUTE_ARAP_ZONE_ACCESS","features":[454]},{"name":"RADIUS_ATTRIBUTE_ARRAY","features":[454]},{"name":"RADIUS_ATTRIBUTE_CALLBACK_ID","features":[454]},{"name":"RADIUS_ATTRIBUTE_CALLBACK_NUMBER","features":[454]},{"name":"RADIUS_ATTRIBUTE_CALLED_STATION_ID","features":[454]},{"name":"RADIUS_ATTRIBUTE_CALLING_STATION_ID","features":[454]},{"name":"RADIUS_ATTRIBUTE_CHAP_CHALLENGE","features":[454]},{"name":"RADIUS_ATTRIBUTE_CHAP_PASSWORD","features":[454]},{"name":"RADIUS_ATTRIBUTE_CLASS","features":[454]},{"name":"RADIUS_ATTRIBUTE_CONFIGURATION_TOKEN","features":[454]},{"name":"RADIUS_ATTRIBUTE_CONNECT_INFO","features":[454]},{"name":"RADIUS_ATTRIBUTE_EAP_MESSAGE","features":[454]},{"name":"RADIUS_ATTRIBUTE_FILTER_ID","features":[454]},{"name":"RADIUS_ATTRIBUTE_FRAMED_APPLETALK_LINK","features":[454]},{"name":"RADIUS_ATTRIBUTE_FRAMED_APPLETALK_NET","features":[454]},{"name":"RADIUS_ATTRIBUTE_FRAMED_APPLETALK_ZONE","features":[454]},{"name":"RADIUS_ATTRIBUTE_FRAMED_COMPRESSION","features":[454]},{"name":"RADIUS_ATTRIBUTE_FRAMED_INTERFACE_ID","features":[454]},{"name":"RADIUS_ATTRIBUTE_FRAMED_IPX_NETWORK","features":[454]},{"name":"RADIUS_ATTRIBUTE_FRAMED_IP_ADDRESS","features":[454]},{"name":"RADIUS_ATTRIBUTE_FRAMED_IP_NETMASK","features":[454]},{"name":"RADIUS_ATTRIBUTE_FRAMED_IPv6_POOL","features":[454]},{"name":"RADIUS_ATTRIBUTE_FRAMED_IPv6_PREFIX","features":[454]},{"name":"RADIUS_ATTRIBUTE_FRAMED_IPv6_ROUTE","features":[454]},{"name":"RADIUS_ATTRIBUTE_FRAMED_MTU","features":[454]},{"name":"RADIUS_ATTRIBUTE_FRAMED_PROTOCOL","features":[454]},{"name":"RADIUS_ATTRIBUTE_FRAMED_ROUTE","features":[454]},{"name":"RADIUS_ATTRIBUTE_FRAMED_ROUTING","features":[454]},{"name":"RADIUS_ATTRIBUTE_IDLE_TIMEOUT","features":[454]},{"name":"RADIUS_ATTRIBUTE_LOGIN_IP_HOST","features":[454]},{"name":"RADIUS_ATTRIBUTE_LOGIN_IPv6_HOST","features":[454]},{"name":"RADIUS_ATTRIBUTE_LOGIN_LAT_GROUP","features":[454]},{"name":"RADIUS_ATTRIBUTE_LOGIN_LAT_NODE","features":[454]},{"name":"RADIUS_ATTRIBUTE_LOGIN_LAT_PORT","features":[454]},{"name":"RADIUS_ATTRIBUTE_LOGIN_LAT_SERVICE","features":[454]},{"name":"RADIUS_ATTRIBUTE_LOGIN_SERVICE","features":[454]},{"name":"RADIUS_ATTRIBUTE_LOGIN_TCP_PORT","features":[454]},{"name":"RADIUS_ATTRIBUTE_NAS_IDENTIFIER","features":[454]},{"name":"RADIUS_ATTRIBUTE_NAS_IP_ADDRESS","features":[454]},{"name":"RADIUS_ATTRIBUTE_NAS_IPv6_ADDRESS","features":[454]},{"name":"RADIUS_ATTRIBUTE_NAS_PORT","features":[454]},{"name":"RADIUS_ATTRIBUTE_NAS_PORT_TYPE","features":[454]},{"name":"RADIUS_ATTRIBUTE_PASSWORD_RETRY","features":[454]},{"name":"RADIUS_ATTRIBUTE_PORT_LIMIT","features":[454]},{"name":"RADIUS_ATTRIBUTE_PROMPT","features":[454]},{"name":"RADIUS_ATTRIBUTE_PROXY_STATE","features":[454]},{"name":"RADIUS_ATTRIBUTE_REPLY_MESSAGE","features":[454]},{"name":"RADIUS_ATTRIBUTE_SERVICE_TYPE","features":[454]},{"name":"RADIUS_ATTRIBUTE_SESSION_TIMEOUT","features":[454]},{"name":"RADIUS_ATTRIBUTE_SIGNATURE","features":[454]},{"name":"RADIUS_ATTRIBUTE_STATE","features":[454]},{"name":"RADIUS_ATTRIBUTE_TERMINATION_ACTION","features":[454]},{"name":"RADIUS_ATTRIBUTE_TUNNEL_ASSIGNMENT_ID","features":[454]},{"name":"RADIUS_ATTRIBUTE_TUNNEL_CLIENT_ENDPT","features":[454]},{"name":"RADIUS_ATTRIBUTE_TUNNEL_MEDIUM_TYPE","features":[454]},{"name":"RADIUS_ATTRIBUTE_TUNNEL_PASSWORD","features":[454]},{"name":"RADIUS_ATTRIBUTE_TUNNEL_PREFERENCE","features":[454]},{"name":"RADIUS_ATTRIBUTE_TUNNEL_PVT_GROUP_ID","features":[454]},{"name":"RADIUS_ATTRIBUTE_TUNNEL_SERVER_ENDPT","features":[454]},{"name":"RADIUS_ATTRIBUTE_TUNNEL_TYPE","features":[454]},{"name":"RADIUS_ATTRIBUTE_TYPE","features":[454]},{"name":"RADIUS_ATTRIBUTE_UNASSIGNED1","features":[454]},{"name":"RADIUS_ATTRIBUTE_UNASSIGNED2","features":[454]},{"name":"RADIUS_ATTRIBUTE_USER_NAME","features":[454]},{"name":"RADIUS_ATTRIBUTE_USER_PASSWORD","features":[454]},{"name":"RADIUS_ATTRIBUTE_VENDOR_SPECIFIC","features":[454]},{"name":"RADIUS_AUTHENTICATION_PROVIDER","features":[454]},{"name":"RADIUS_CODE","features":[454]},{"name":"RADIUS_DATA_TYPE","features":[454]},{"name":"RADIUS_EXTENSION_CONTROL_BLOCK","features":[454]},{"name":"RADIUS_EXTENSION_FREE_ATTRIBUTES","features":[454]},{"name":"RADIUS_EXTENSION_INIT","features":[454]},{"name":"RADIUS_EXTENSION_POINT","features":[454]},{"name":"RADIUS_EXTENSION_PROCESS","features":[454]},{"name":"RADIUS_EXTENSION_PROCESS2","features":[454]},{"name":"RADIUS_EXTENSION_PROCESS_EX","features":[454]},{"name":"RADIUS_EXTENSION_TERM","features":[454]},{"name":"RADIUS_EXTENSION_VERSION","features":[454]},{"name":"RADIUS_REJECT_REASON_CODE","features":[454]},{"name":"RADIUS_VSA_FORMAT","features":[454]},{"name":"RAS_ATTRIBUTE_BAP_LINE_DOWN_LIMIT","features":[454]},{"name":"RAS_ATTRIBUTE_BAP_LINE_DOWN_TIME","features":[454]},{"name":"RAS_ATTRIBUTE_BAP_REQUIRED","features":[454]},{"name":"RAS_ATTRIBUTE_ENCRYPTION_POLICY","features":[454]},{"name":"RAS_ATTRIBUTE_ENCRYPTION_TYPE","features":[454]},{"name":"REMEDIATIONSERVERGROUPPROPERTIES","features":[454]},{"name":"REMEDIATIONSERVERPROPERTIES","features":[454]},{"name":"REMEDIATIONSERVERSPROPERTIES","features":[454]},{"name":"RESTRICTIONS","features":[454]},{"name":"SERVICE_TYPE","features":[454]},{"name":"SERVICE_TYPE_IAS","features":[454]},{"name":"SERVICE_TYPE_MAX","features":[454]},{"name":"SERVICE_TYPE_RAMGMTSVC","features":[454]},{"name":"SERVICE_TYPE_RAS","features":[454]},{"name":"SHAREDSECRETPROPERTIES","features":[454]},{"name":"SHVTEMPLATEPROPERTIES","features":[454]},{"name":"SHV_COMBINATION_TYPE","features":[454]},{"name":"SHV_COMBINATION_TYPE_ALL_FAIL","features":[454]},{"name":"SHV_COMBINATION_TYPE_ALL_PASS","features":[454]},{"name":"SHV_COMBINATION_TYPE_MAX","features":[454]},{"name":"SHV_COMBINATION_TYPE_ONE_OR_MORE_FAIL","features":[454]},{"name":"SHV_COMBINATION_TYPE_ONE_OR_MORE_INFECTED","features":[454]},{"name":"SHV_COMBINATION_TYPE_ONE_OR_MORE_PASS","features":[454]},{"name":"SHV_COMBINATION_TYPE_ONE_OR_MORE_TRANSITIONAL","features":[454]},{"name":"SHV_COMBINATION_TYPE_ONE_OR_MORE_UNKNOWN","features":[454]},{"name":"SYNTAX","features":[454]},{"name":"SYSTEM_TYPE_NT10_0_SERVER","features":[454]},{"name":"SYSTEM_TYPE_NT10_0_WORKSTATION","features":[454]},{"name":"SYSTEM_TYPE_NT4_SERVER","features":[454]},{"name":"SYSTEM_TYPE_NT4_WORKSTATION","features":[454]},{"name":"SYSTEM_TYPE_NT5_SERVER","features":[454]},{"name":"SYSTEM_TYPE_NT5_WORKSTATION","features":[454]},{"name":"SYSTEM_TYPE_NT6_1_SERVER","features":[454]},{"name":"SYSTEM_TYPE_NT6_1_WORKSTATION","features":[454]},{"name":"SYSTEM_TYPE_NT6_2_SERVER","features":[454]},{"name":"SYSTEM_TYPE_NT6_2_WORKSTATION","features":[454]},{"name":"SYSTEM_TYPE_NT6_3_SERVER","features":[454]},{"name":"SYSTEM_TYPE_NT6_3_WORKSTATION","features":[454]},{"name":"SYSTEM_TYPE_NT6_SERVER","features":[454]},{"name":"SYSTEM_TYPE_NT6_WORKSTATION","features":[454]},{"name":"SdoMachine","features":[454]},{"name":"TEMPLATESPROPERTIES","features":[454]},{"name":"USERPROPERTIES","features":[454]},{"name":"VENDORID","features":[454]},{"name":"VENDORPROPERTIES","features":[454]},{"name":"VENDORTYPE","features":[454]},{"name":"raAccept","features":[454]},{"name":"raContinue","features":[454]},{"name":"raReject","features":[454]},{"name":"rapMCIS","features":[454]},{"name":"rapNone","features":[454]},{"name":"rapODBC","features":[454]},{"name":"rapProxy","features":[454]},{"name":"rapUnknown","features":[454]},{"name":"rapUsersFile","features":[454]},{"name":"rapWindowsNT","features":[454]},{"name":"ratAcctAuthentic","features":[454]},{"name":"ratAcctDelayTime","features":[454]},{"name":"ratAcctInputOctets","features":[454]},{"name":"ratAcctInputPackets","features":[454]},{"name":"ratAcctOutputOctets","features":[454]},{"name":"ratAcctOutputPackets","features":[454]},{"name":"ratAcctSessionId","features":[454]},{"name":"ratAcctSessionTime","features":[454]},{"name":"ratAcctStatusType","features":[454]},{"name":"ratAcctTerminationCause","features":[454]},{"name":"ratAuthenticator","features":[454]},{"name":"ratCHAPChallenge","features":[454]},{"name":"ratCHAPPassword","features":[454]},{"name":"ratCRPPolicyName","features":[454]},{"name":"ratCallbackId","features":[454]},{"name":"ratCallbackNumber","features":[454]},{"name":"ratCalledStationId","features":[454]},{"name":"ratCallingStationId","features":[454]},{"name":"ratCertificateThumbprint","features":[454]},{"name":"ratClass","features":[454]},{"name":"ratClearTextPassword","features":[454]},{"name":"ratCode","features":[454]},{"name":"ratEAPTLV","features":[454]},{"name":"ratExtensionState","features":[454]},{"name":"ratFQUserName","features":[454]},{"name":"ratFilterId","features":[454]},{"name":"ratFramedAppleTalkLink","features":[454]},{"name":"ratFramedAppleTalkNetwork","features":[454]},{"name":"ratFramedAppleTalkZone","features":[454]},{"name":"ratFramedCompression","features":[454]},{"name":"ratFramedIPAddress","features":[454]},{"name":"ratFramedIPNetmask","features":[454]},{"name":"ratFramedIPXNetwork","features":[454]},{"name":"ratFramedIPv6Pool","features":[454]},{"name":"ratFramedIPv6Prefix","features":[454]},{"name":"ratFramedIPv6Route","features":[454]},{"name":"ratFramedInterfaceId","features":[454]},{"name":"ratFramedMTU","features":[454]},{"name":"ratFramedProtocol","features":[454]},{"name":"ratFramedRoute","features":[454]},{"name":"ratFramedRouting","features":[454]},{"name":"ratIdentifier","features":[454]},{"name":"ratIdleTimeout","features":[454]},{"name":"ratLoginIPHost","features":[454]},{"name":"ratLoginIPv6Host","features":[454]},{"name":"ratLoginLATGroup","features":[454]},{"name":"ratLoginLATNode","features":[454]},{"name":"ratLoginLATService","features":[454]},{"name":"ratLoginPort","features":[454]},{"name":"ratLoginService","features":[454]},{"name":"ratMediumType","features":[454]},{"name":"ratMinimum","features":[454]},{"name":"ratNASIPAddress","features":[454]},{"name":"ratNASIPv6Address","features":[454]},{"name":"ratNASIdentifier","features":[454]},{"name":"ratNASPort","features":[454]},{"name":"ratNASPortType","features":[454]},{"name":"ratPolicyName","features":[454]},{"name":"ratPortLimit","features":[454]},{"name":"ratProvider","features":[454]},{"name":"ratProviderName","features":[454]},{"name":"ratProxyState","features":[454]},{"name":"ratRejectReasonCode","features":[454]},{"name":"ratReplyMessage","features":[454]},{"name":"ratServiceType","features":[454]},{"name":"ratSessionTimeout","features":[454]},{"name":"ratSrcIPAddress","features":[454]},{"name":"ratSrcIPv6Address","features":[454]},{"name":"ratSrcPort","features":[454]},{"name":"ratState","features":[454]},{"name":"ratStrippedUserName","features":[454]},{"name":"ratTerminationAction","features":[454]},{"name":"ratTunnelPassword","features":[454]},{"name":"ratTunnelPrivateGroupID","features":[454]},{"name":"ratTunnelType","features":[454]},{"name":"ratUniqueId","features":[454]},{"name":"ratUserName","features":[454]},{"name":"ratUserPassword","features":[454]},{"name":"ratVendorSpecific","features":[454]},{"name":"rcAccessAccept","features":[454]},{"name":"rcAccessChallenge","features":[454]},{"name":"rcAccessReject","features":[454]},{"name":"rcAccessRequest","features":[454]},{"name":"rcAccountingRequest","features":[454]},{"name":"rcAccountingResponse","features":[454]},{"name":"rcDiscard","features":[454]},{"name":"rcUnknown","features":[454]},{"name":"rdtAddress","features":[454]},{"name":"rdtInteger","features":[454]},{"name":"rdtIpv6Address","features":[454]},{"name":"rdtString","features":[454]},{"name":"rdtTime","features":[454]},{"name":"rdtUnknown","features":[454]},{"name":"repAuthentication","features":[454]},{"name":"repAuthorization","features":[454]},{"name":"rrrcAccountDisabled","features":[454]},{"name":"rrrcAccountExpired","features":[454]},{"name":"rrrcAccountUnknown","features":[454]},{"name":"rrrcAuthenticationFailure","features":[454]},{"name":"rrrcUndefined","features":[454]}],"455":[{"name":"DRT_ACTIVE","features":[455]},{"name":"DRT_ADDRESS","features":[455,321]},{"name":"DRT_ADDRESS_FLAGS","features":[455]},{"name":"DRT_ADDRESS_FLAG_ACCEPTED","features":[455]},{"name":"DRT_ADDRESS_FLAG_BAD_VALIDATE_ID","features":[455]},{"name":"DRT_ADDRESS_FLAG_INQUIRE","features":[455]},{"name":"DRT_ADDRESS_FLAG_LOOP","features":[455]},{"name":"DRT_ADDRESS_FLAG_REJECTED","features":[455]},{"name":"DRT_ADDRESS_FLAG_SUSPECT_UNREGISTERED_ID","features":[455]},{"name":"DRT_ADDRESS_FLAG_TOO_BUSY","features":[455]},{"name":"DRT_ADDRESS_FLAG_UNREACHABLE","features":[455]},{"name":"DRT_ADDRESS_LIST","features":[455,321]},{"name":"DRT_ALONE","features":[455]},{"name":"DRT_BOOTSTRAP_PROVIDER","features":[455]},{"name":"DRT_BOOTSTRAP_RESOLVE_CALLBACK","features":[308,455,321]},{"name":"DRT_DATA","features":[455]},{"name":"DRT_EVENT_DATA","features":[455,321]},{"name":"DRT_EVENT_LEAFSET_KEY_CHANGED","features":[455]},{"name":"DRT_EVENT_REGISTRATION_STATE_CHANGED","features":[455]},{"name":"DRT_EVENT_STATUS_CHANGED","features":[455]},{"name":"DRT_EVENT_TYPE","features":[455]},{"name":"DRT_E_BOOTSTRAPPROVIDER_IN_USE","features":[455]},{"name":"DRT_E_BOOTSTRAPPROVIDER_NOT_ATTACHED","features":[455]},{"name":"DRT_E_CAPABILITY_MISMATCH","features":[455]},{"name":"DRT_E_DUPLICATE_KEY","features":[455]},{"name":"DRT_E_FAULTED","features":[455]},{"name":"DRT_E_INSUFFICIENT_BUFFER","features":[455]},{"name":"DRT_E_INVALID_ADDRESS","features":[455]},{"name":"DRT_E_INVALID_BOOTSTRAP_PROVIDER","features":[455]},{"name":"DRT_E_INVALID_CERT_CHAIN","features":[455]},{"name":"DRT_E_INVALID_INSTANCE_PREFIX","features":[455]},{"name":"DRT_E_INVALID_KEY","features":[455]},{"name":"DRT_E_INVALID_KEY_SIZE","features":[455]},{"name":"DRT_E_INVALID_MAX_ADDRESSES","features":[455]},{"name":"DRT_E_INVALID_MAX_ENDPOINTS","features":[455]},{"name":"DRT_E_INVALID_MESSAGE","features":[455]},{"name":"DRT_E_INVALID_PORT","features":[455]},{"name":"DRT_E_INVALID_SCOPE","features":[455]},{"name":"DRT_E_INVALID_SEARCH_INFO","features":[455]},{"name":"DRT_E_INVALID_SEARCH_RANGE","features":[455]},{"name":"DRT_E_INVALID_SECURITY_MODE","features":[455]},{"name":"DRT_E_INVALID_SECURITY_PROVIDER","features":[455]},{"name":"DRT_E_INVALID_SETTINGS","features":[455]},{"name":"DRT_E_INVALID_TRANSPORT_PROVIDER","features":[455]},{"name":"DRT_E_NO_ADDRESSES_AVAILABLE","features":[455]},{"name":"DRT_E_NO_MORE","features":[455]},{"name":"DRT_E_SEARCH_IN_PROGRESS","features":[455]},{"name":"DRT_E_SECURITYPROVIDER_IN_USE","features":[455]},{"name":"DRT_E_SECURITYPROVIDER_NOT_ATTACHED","features":[455]},{"name":"DRT_E_STILL_IN_USE","features":[455]},{"name":"DRT_E_TIMEOUT","features":[455]},{"name":"DRT_E_TRANSPORTPROVIDER_IN_USE","features":[455]},{"name":"DRT_E_TRANSPORTPROVIDER_NOT_ATTACHED","features":[455]},{"name":"DRT_E_TRANSPORT_ALREADY_BOUND","features":[455]},{"name":"DRT_E_TRANSPORT_ALREADY_EXISTS_FOR_SCOPE","features":[455]},{"name":"DRT_E_TRANSPORT_EXECUTING_CALLBACK","features":[455]},{"name":"DRT_E_TRANSPORT_INVALID_ARGUMENT","features":[455]},{"name":"DRT_E_TRANSPORT_NOT_BOUND","features":[455]},{"name":"DRT_E_TRANSPORT_NO_DEST_ADDRESSES","features":[455]},{"name":"DRT_E_TRANSPORT_SHUTTING_DOWN","features":[455]},{"name":"DRT_E_TRANSPORT_STILL_BOUND","features":[455]},{"name":"DRT_E_TRANSPORT_UNEXPECTED","features":[455]},{"name":"DRT_FAULTED","features":[455]},{"name":"DRT_GLOBAL_SCOPE","features":[455]},{"name":"DRT_LEAFSET_KEY_ADDED","features":[455]},{"name":"DRT_LEAFSET_KEY_CHANGE_TYPE","features":[455]},{"name":"DRT_LEAFSET_KEY_DELETED","features":[455]},{"name":"DRT_LINK_LOCAL_ISATAP_SCOPEID","features":[455]},{"name":"DRT_LINK_LOCAL_SCOPE","features":[455]},{"name":"DRT_MATCH_EXACT","features":[455]},{"name":"DRT_MATCH_INTERMEDIATE","features":[455]},{"name":"DRT_MATCH_NEAR","features":[455]},{"name":"DRT_MATCH_TYPE","features":[455]},{"name":"DRT_MAX_INSTANCE_PREFIX_LEN","features":[455]},{"name":"DRT_MAX_PAYLOAD_SIZE","features":[455]},{"name":"DRT_MAX_ROUTING_ADDRESSES","features":[455]},{"name":"DRT_MIN_ROUTING_ADDRESSES","features":[455]},{"name":"DRT_NO_NETWORK","features":[455]},{"name":"DRT_PAYLOAD_REVOKED","features":[455]},{"name":"DRT_REGISTRATION","features":[455]},{"name":"DRT_REGISTRATION_STATE","features":[455]},{"name":"DRT_REGISTRATION_STATE_UNRESOLVEABLE","features":[455]},{"name":"DRT_SCOPE","features":[455]},{"name":"DRT_SEARCH_INFO","features":[308,455]},{"name":"DRT_SEARCH_RESULT","features":[455]},{"name":"DRT_SECURE_CONFIDENTIALPAYLOAD","features":[455]},{"name":"DRT_SECURE_MEMBERSHIP","features":[455]},{"name":"DRT_SECURE_RESOLVE","features":[455]},{"name":"DRT_SECURITY_MODE","features":[455]},{"name":"DRT_SECURITY_PROVIDER","features":[455]},{"name":"DRT_SETTINGS","features":[455]},{"name":"DRT_SITE_LOCAL_SCOPE","features":[455]},{"name":"DRT_STATUS","features":[455]},{"name":"DRT_S_RETRY","features":[455]},{"name":"DrtClose","features":[455]},{"name":"DrtContinueSearch","features":[455]},{"name":"DrtCreateDerivedKey","features":[308,455,392]},{"name":"DrtCreateDerivedKeySecurityProvider","features":[308,455,392]},{"name":"DrtCreateDnsBootstrapResolver","features":[455]},{"name":"DrtCreateIpv6UdpTransport","features":[455]},{"name":"DrtCreateNullSecurityProvider","features":[455]},{"name":"DrtCreatePnrpBootstrapResolver","features":[308,455]},{"name":"DrtDeleteDerivedKeySecurityProvider","features":[455]},{"name":"DrtDeleteDnsBootstrapResolver","features":[455]},{"name":"DrtDeleteIpv6UdpTransport","features":[455]},{"name":"DrtDeleteNullSecurityProvider","features":[455]},{"name":"DrtDeletePnrpBootstrapResolver","features":[455]},{"name":"DrtEndSearch","features":[455]},{"name":"DrtGetEventData","features":[455,321]},{"name":"DrtGetEventDataSize","features":[455]},{"name":"DrtGetInstanceName","features":[455]},{"name":"DrtGetInstanceNameSize","features":[455]},{"name":"DrtGetSearchPath","features":[455,321]},{"name":"DrtGetSearchPathSize","features":[455]},{"name":"DrtGetSearchResult","features":[455]},{"name":"DrtGetSearchResultSize","features":[455]},{"name":"DrtOpen","features":[308,455]},{"name":"DrtRegisterKey","features":[455]},{"name":"DrtStartSearch","features":[308,455]},{"name":"DrtUnregisterKey","features":[455]},{"name":"DrtUpdateKey","features":[455]},{"name":"FACILITY_DRT","features":[455]},{"name":"MaximumPeerDistClientInfoByHandlesClass","features":[455]},{"name":"NS_PNRPCLOUD","features":[455]},{"name":"NS_PNRPNAME","features":[455]},{"name":"NS_PROVIDER_PNRPCLOUD","features":[455]},{"name":"NS_PROVIDER_PNRPNAME","features":[455]},{"name":"PEERDIST_CLIENT_BASIC_INFO","features":[308,455]},{"name":"PEERDIST_CLIENT_INFO_BY_HANDLE_CLASS","features":[455]},{"name":"PEERDIST_CONTENT_TAG","features":[455]},{"name":"PEERDIST_PUBLICATION_OPTIONS","features":[455]},{"name":"PEERDIST_PUBLICATION_OPTIONS_VERSION","features":[455]},{"name":"PEERDIST_PUBLICATION_OPTIONS_VERSION_1","features":[455]},{"name":"PEERDIST_PUBLICATION_OPTIONS_VERSION_2","features":[455]},{"name":"PEERDIST_READ_TIMEOUT_DEFAULT","features":[455]},{"name":"PEERDIST_READ_TIMEOUT_LOCAL_CACHE_ONLY","features":[455]},{"name":"PEERDIST_RETRIEVAL_OPTIONS","features":[455]},{"name":"PEERDIST_RETRIEVAL_OPTIONS_CONTENTINFO_VERSION","features":[455]},{"name":"PEERDIST_RETRIEVAL_OPTIONS_CONTENTINFO_VERSION_1","features":[455]},{"name":"PEERDIST_RETRIEVAL_OPTIONS_CONTENTINFO_VERSION_2","features":[455]},{"name":"PEERDIST_RETRIEVAL_OPTIONS_CONTENTINFO_VERSION_VALUE","features":[455]},{"name":"PEERDIST_STATUS","features":[455]},{"name":"PEERDIST_STATUS_AVAILABLE","features":[455]},{"name":"PEERDIST_STATUS_DISABLED","features":[455]},{"name":"PEERDIST_STATUS_INFO","features":[455]},{"name":"PEERDIST_STATUS_UNAVAILABLE","features":[455]},{"name":"PEER_ADDRESS","features":[455,321]},{"name":"PEER_APPLICATION","features":[455]},{"name":"PEER_APPLICATION_ALL_USERS","features":[455]},{"name":"PEER_APPLICATION_CURRENT_USER","features":[455]},{"name":"PEER_APPLICATION_REGISTRATION_INFO","features":[455]},{"name":"PEER_APPLICATION_REGISTRATION_TYPE","features":[455]},{"name":"PEER_APP_LAUNCH_INFO","features":[308,455,321]},{"name":"PEER_CHANGE_ADDED","features":[455]},{"name":"PEER_CHANGE_DELETED","features":[455]},{"name":"PEER_CHANGE_TYPE","features":[455]},{"name":"PEER_CHANGE_UPDATED","features":[455]},{"name":"PEER_COLLAB_EVENT_DATA","features":[308,455,321]},{"name":"PEER_COLLAB_EVENT_REGISTRATION","features":[455]},{"name":"PEER_COLLAB_EVENT_TYPE","features":[455]},{"name":"PEER_COLLAB_OBJECTID_USER_PICTURE","features":[455]},{"name":"PEER_CONNECTED","features":[455]},{"name":"PEER_CONNECTION_DIRECT","features":[455]},{"name":"PEER_CONNECTION_FAILED","features":[455]},{"name":"PEER_CONNECTION_FLAGS","features":[455]},{"name":"PEER_CONNECTION_INFO","features":[455,321]},{"name":"PEER_CONNECTION_NEIGHBOR","features":[455]},{"name":"PEER_CONNECTION_STATUS","features":[455]},{"name":"PEER_CONTACT","features":[308,455]},{"name":"PEER_CREDENTIAL_INFO","features":[308,455,392]},{"name":"PEER_DATA","features":[455]},{"name":"PEER_DEFER_EXPIRATION","features":[455]},{"name":"PEER_DISABLE_PRESENCE","features":[455]},{"name":"PEER_DISCONNECTED","features":[455]},{"name":"PEER_ENDPOINT","features":[455,321]},{"name":"PEER_EVENT_APPLICATION_CHANGED_DATA","features":[308,455,321]},{"name":"PEER_EVENT_CONNECTION_CHANGE_DATA","features":[455]},{"name":"PEER_EVENT_ENDPOINT_APPLICATION_CHANGED","features":[455]},{"name":"PEER_EVENT_ENDPOINT_CHANGED","features":[455]},{"name":"PEER_EVENT_ENDPOINT_CHANGED_DATA","features":[308,455,321]},{"name":"PEER_EVENT_ENDPOINT_OBJECT_CHANGED","features":[455]},{"name":"PEER_EVENT_ENDPOINT_PRESENCE_CHANGED","features":[455]},{"name":"PEER_EVENT_INCOMING_DATA","features":[455]},{"name":"PEER_EVENT_MEMBER_CHANGE_DATA","features":[455]},{"name":"PEER_EVENT_MY_APPLICATION_CHANGED","features":[455]},{"name":"PEER_EVENT_MY_ENDPOINT_CHANGED","features":[455]},{"name":"PEER_EVENT_MY_OBJECT_CHANGED","features":[455]},{"name":"PEER_EVENT_MY_PRESENCE_CHANGED","features":[455]},{"name":"PEER_EVENT_NODE_CHANGE_DATA","features":[455]},{"name":"PEER_EVENT_OBJECT_CHANGED_DATA","features":[308,455,321]},{"name":"PEER_EVENT_PEOPLE_NEAR_ME_CHANGED","features":[455]},{"name":"PEER_EVENT_PEOPLE_NEAR_ME_CHANGED_DATA","features":[455,321]},{"name":"PEER_EVENT_PRESENCE_CHANGED_DATA","features":[308,455,321]},{"name":"PEER_EVENT_RECORD_CHANGE_DATA","features":[455]},{"name":"PEER_EVENT_REQUEST_STATUS_CHANGED","features":[455]},{"name":"PEER_EVENT_REQUEST_STATUS_CHANGED_DATA","features":[455,321]},{"name":"PEER_EVENT_SYNCHRONIZED_DATA","features":[455]},{"name":"PEER_EVENT_WATCHLIST_CHANGED","features":[455]},{"name":"PEER_EVENT_WATCHLIST_CHANGED_DATA","features":[308,455]},{"name":"PEER_E_ALREADY_EXISTS","features":[455]},{"name":"PEER_E_CLIENT_INVALID_COMPARTMENT_ID","features":[455]},{"name":"PEER_E_CLOUD_DISABLED","features":[455]},{"name":"PEER_E_CLOUD_IS_DEAD","features":[455]},{"name":"PEER_E_CLOUD_IS_SEARCH_ONLY","features":[455]},{"name":"PEER_E_CLOUD_NOT_FOUND","features":[455]},{"name":"PEER_E_DISK_FULL","features":[455]},{"name":"PEER_E_DUPLICATE_PEER_NAME","features":[455]},{"name":"PEER_E_INVALID_IDENTITY","features":[455]},{"name":"PEER_E_NOT_FOUND","features":[455]},{"name":"PEER_E_TOO_MUCH_LOAD","features":[455]},{"name":"PEER_GRAPH_EVENT_CONNECTION_REQUIRED","features":[455]},{"name":"PEER_GRAPH_EVENT_DATA","features":[455]},{"name":"PEER_GRAPH_EVENT_DIRECT_CONNECTION","features":[455]},{"name":"PEER_GRAPH_EVENT_INCOMING_DATA","features":[455]},{"name":"PEER_GRAPH_EVENT_NEIGHBOR_CONNECTION","features":[455]},{"name":"PEER_GRAPH_EVENT_NODE_CHANGED","features":[455]},{"name":"PEER_GRAPH_EVENT_PROPERTY_CHANGED","features":[455]},{"name":"PEER_GRAPH_EVENT_RECORD_CHANGED","features":[455]},{"name":"PEER_GRAPH_EVENT_REGISTRATION","features":[455]},{"name":"PEER_GRAPH_EVENT_STATUS_CHANGED","features":[455]},{"name":"PEER_GRAPH_EVENT_SYNCHRONIZED","features":[455]},{"name":"PEER_GRAPH_EVENT_TYPE","features":[455]},{"name":"PEER_GRAPH_PROPERTIES","features":[455]},{"name":"PEER_GRAPH_PROPERTY_DEFER_EXPIRATION","features":[455]},{"name":"PEER_GRAPH_PROPERTY_FLAGS","features":[455]},{"name":"PEER_GRAPH_PROPERTY_HEARTBEATS","features":[455]},{"name":"PEER_GRAPH_SCOPE","features":[455]},{"name":"PEER_GRAPH_SCOPE_ANY","features":[455]},{"name":"PEER_GRAPH_SCOPE_GLOBAL","features":[455]},{"name":"PEER_GRAPH_SCOPE_LINKLOCAL","features":[455]},{"name":"PEER_GRAPH_SCOPE_LOOPBACK","features":[455]},{"name":"PEER_GRAPH_SCOPE_SITELOCAL","features":[455]},{"name":"PEER_GRAPH_STATUS_FLAGS","features":[455]},{"name":"PEER_GRAPH_STATUS_HAS_CONNECTIONS","features":[455]},{"name":"PEER_GRAPH_STATUS_LISTENING","features":[455]},{"name":"PEER_GRAPH_STATUS_SYNCHRONIZED","features":[455]},{"name":"PEER_GROUP_AUTHENTICATION_SCHEME","features":[455]},{"name":"PEER_GROUP_EVENT_AUTHENTICATION_FAILED","features":[455]},{"name":"PEER_GROUP_EVENT_CONNECTION_FAILED","features":[455]},{"name":"PEER_GROUP_EVENT_DATA","features":[455]},{"name":"PEER_GROUP_EVENT_DIRECT_CONNECTION","features":[455]},{"name":"PEER_GROUP_EVENT_INCOMING_DATA","features":[455]},{"name":"PEER_GROUP_EVENT_MEMBER_CHANGED","features":[455]},{"name":"PEER_GROUP_EVENT_NEIGHBOR_CONNECTION","features":[455]},{"name":"PEER_GROUP_EVENT_PROPERTY_CHANGED","features":[455]},{"name":"PEER_GROUP_EVENT_RECORD_CHANGED","features":[455]},{"name":"PEER_GROUP_EVENT_REGISTRATION","features":[455]},{"name":"PEER_GROUP_EVENT_STATUS_CHANGED","features":[455]},{"name":"PEER_GROUP_EVENT_TYPE","features":[455]},{"name":"PEER_GROUP_GMC_AUTHENTICATION","features":[455]},{"name":"PEER_GROUP_ISSUE_CREDENTIAL_FLAGS","features":[455]},{"name":"PEER_GROUP_PASSWORD_AUTHENTICATION","features":[455]},{"name":"PEER_GROUP_PROPERTIES","features":[455]},{"name":"PEER_GROUP_PROPERTY_FLAGS","features":[455]},{"name":"PEER_GROUP_ROLE_ADMIN","features":[455]},{"name":"PEER_GROUP_ROLE_INVITING_MEMBER","features":[455]},{"name":"PEER_GROUP_ROLE_MEMBER","features":[455]},{"name":"PEER_GROUP_STATUS","features":[455]},{"name":"PEER_GROUP_STATUS_HAS_CONNECTIONS","features":[455]},{"name":"PEER_GROUP_STATUS_LISTENING","features":[455]},{"name":"PEER_GROUP_STORE_CREDENTIALS","features":[455]},{"name":"PEER_INVITATION","features":[455]},{"name":"PEER_INVITATION_INFO","features":[308,455,392]},{"name":"PEER_INVITATION_RESPONSE","features":[455]},{"name":"PEER_INVITATION_RESPONSE_ACCEPTED","features":[455]},{"name":"PEER_INVITATION_RESPONSE_DECLINED","features":[455]},{"name":"PEER_INVITATION_RESPONSE_ERROR","features":[455]},{"name":"PEER_INVITATION_RESPONSE_EXPIRED","features":[455]},{"name":"PEER_INVITATION_RESPONSE_TYPE","features":[455]},{"name":"PEER_MEMBER","features":[308,455,321,392]},{"name":"PEER_MEMBER_CHANGE_TYPE","features":[455]},{"name":"PEER_MEMBER_CONNECTED","features":[455]},{"name":"PEER_MEMBER_DATA_OPTIONAL","features":[455]},{"name":"PEER_MEMBER_DISCONNECTED","features":[455]},{"name":"PEER_MEMBER_FLAGS","features":[455]},{"name":"PEER_MEMBER_JOINED","features":[455]},{"name":"PEER_MEMBER_LEFT","features":[455]},{"name":"PEER_MEMBER_PRESENT","features":[455]},{"name":"PEER_MEMBER_UPDATED","features":[455]},{"name":"PEER_NAME_PAIR","features":[455]},{"name":"PEER_NODE_CHANGE_CONNECTED","features":[455]},{"name":"PEER_NODE_CHANGE_DISCONNECTED","features":[455]},{"name":"PEER_NODE_CHANGE_TYPE","features":[455]},{"name":"PEER_NODE_CHANGE_UPDATED","features":[455]},{"name":"PEER_NODE_INFO","features":[455,321]},{"name":"PEER_OBJECT","features":[455]},{"name":"PEER_PEOPLE_NEAR_ME","features":[455,321]},{"name":"PEER_PNRP_ALL_LINK_CLOUDS","features":[455]},{"name":"PEER_PNRP_CLOUD_INFO","features":[455]},{"name":"PEER_PNRP_ENDPOINT_INFO","features":[455,321]},{"name":"PEER_PNRP_REGISTRATION_INFO","features":[455,321]},{"name":"PEER_PRESENCE_AWAY","features":[455]},{"name":"PEER_PRESENCE_BE_RIGHT_BACK","features":[455]},{"name":"PEER_PRESENCE_BUSY","features":[455]},{"name":"PEER_PRESENCE_IDLE","features":[455]},{"name":"PEER_PRESENCE_INFO","features":[455]},{"name":"PEER_PRESENCE_OFFLINE","features":[455]},{"name":"PEER_PRESENCE_ONLINE","features":[455]},{"name":"PEER_PRESENCE_ON_THE_PHONE","features":[455]},{"name":"PEER_PRESENCE_OUT_TO_LUNCH","features":[455]},{"name":"PEER_PRESENCE_STATUS","features":[455]},{"name":"PEER_PUBLICATION_SCOPE","features":[455]},{"name":"PEER_PUBLICATION_SCOPE_ALL","features":[455]},{"name":"PEER_PUBLICATION_SCOPE_INTERNET","features":[455]},{"name":"PEER_PUBLICATION_SCOPE_NEAR_ME","features":[455]},{"name":"PEER_PUBLICATION_SCOPE_NONE","features":[455]},{"name":"PEER_RECORD","features":[308,455]},{"name":"PEER_RECORD_ADDED","features":[455]},{"name":"PEER_RECORD_CHANGE_TYPE","features":[455]},{"name":"PEER_RECORD_DELETED","features":[455]},{"name":"PEER_RECORD_EXPIRED","features":[455]},{"name":"PEER_RECORD_FLAGS","features":[455]},{"name":"PEER_RECORD_FLAG_AUTOREFRESH","features":[455]},{"name":"PEER_RECORD_FLAG_DELETED","features":[455]},{"name":"PEER_RECORD_UPDATED","features":[455]},{"name":"PEER_SECURITY_INTERFACE","features":[308,455]},{"name":"PEER_SIGNIN_ALL","features":[455]},{"name":"PEER_SIGNIN_FLAGS","features":[455]},{"name":"PEER_SIGNIN_INTERNET","features":[455]},{"name":"PEER_SIGNIN_NEAR_ME","features":[455]},{"name":"PEER_SIGNIN_NONE","features":[455]},{"name":"PEER_VERSION_DATA","features":[455]},{"name":"PEER_WATCH_ALLOWED","features":[455]},{"name":"PEER_WATCH_BLOCKED","features":[455]},{"name":"PEER_WATCH_PERMISSION","features":[455]},{"name":"PFNPEER_FREE_SECURITY_DATA","features":[455]},{"name":"PFNPEER_ON_PASSWORD_AUTH_FAILED","features":[455]},{"name":"PFNPEER_SECURE_RECORD","features":[308,455]},{"name":"PFNPEER_VALIDATE_RECORD","features":[308,455]},{"name":"PNRPCLOUDINFO","features":[455]},{"name":"PNRPINFO_HINT","features":[455]},{"name":"PNRPINFO_V1","features":[455,321]},{"name":"PNRPINFO_V2","features":[455,321,359]},{"name":"PNRP_CLOUD_FLAGS","features":[455]},{"name":"PNRP_CLOUD_FULL_PARTICIPANT","features":[455]},{"name":"PNRP_CLOUD_ID","features":[455]},{"name":"PNRP_CLOUD_NAME_LOCAL","features":[455]},{"name":"PNRP_CLOUD_NO_FLAGS","features":[455]},{"name":"PNRP_CLOUD_RESOLVE_ONLY","features":[455]},{"name":"PNRP_CLOUD_STATE","features":[455]},{"name":"PNRP_CLOUD_STATE_ACTIVE","features":[455]},{"name":"PNRP_CLOUD_STATE_ALONE","features":[455]},{"name":"PNRP_CLOUD_STATE_DEAD","features":[455]},{"name":"PNRP_CLOUD_STATE_DISABLED","features":[455]},{"name":"PNRP_CLOUD_STATE_NO_NET","features":[455]},{"name":"PNRP_CLOUD_STATE_SYNCHRONISING","features":[455]},{"name":"PNRP_CLOUD_STATE_VIRTUAL","features":[455]},{"name":"PNRP_EXTENDED_PAYLOAD_TYPE","features":[455]},{"name":"PNRP_EXTENDED_PAYLOAD_TYPE_BINARY","features":[455]},{"name":"PNRP_EXTENDED_PAYLOAD_TYPE_NONE","features":[455]},{"name":"PNRP_EXTENDED_PAYLOAD_TYPE_STRING","features":[455]},{"name":"PNRP_GLOBAL_SCOPE","features":[455]},{"name":"PNRP_LINK_LOCAL_SCOPE","features":[455]},{"name":"PNRP_MAX_ENDPOINT_ADDRESSES","features":[455]},{"name":"PNRP_MAX_EXTENDED_PAYLOAD_BYTES","features":[455]},{"name":"PNRP_REGISTERED_ID_STATE","features":[455]},{"name":"PNRP_REGISTERED_ID_STATE_OK","features":[455]},{"name":"PNRP_REGISTERED_ID_STATE_PROBLEM","features":[455]},{"name":"PNRP_RESOLVE_CRITERIA","features":[455]},{"name":"PNRP_RESOLVE_CRITERIA_ANY_PEER_NAME","features":[455]},{"name":"PNRP_RESOLVE_CRITERIA_DEFAULT","features":[455]},{"name":"PNRP_RESOLVE_CRITERIA_NEAREST_NON_CURRENT_PROCESS_PEER_NAME","features":[455]},{"name":"PNRP_RESOLVE_CRITERIA_NEAREST_PEER_NAME","features":[455]},{"name":"PNRP_RESOLVE_CRITERIA_NEAREST_REMOTE_PEER_NAME","features":[455]},{"name":"PNRP_RESOLVE_CRITERIA_NON_CURRENT_PROCESS_PEER_NAME","features":[455]},{"name":"PNRP_RESOLVE_CRITERIA_REMOTE_PEER_NAME","features":[455]},{"name":"PNRP_SCOPE","features":[455]},{"name":"PNRP_SCOPE_ANY","features":[455]},{"name":"PNRP_SITE_LOCAL_SCOPE","features":[455]},{"name":"PeerCollabAddContact","features":[308,455]},{"name":"PeerCollabAsyncInviteContact","features":[308,455,321]},{"name":"PeerCollabAsyncInviteEndpoint","features":[308,455,321]},{"name":"PeerCollabCancelInvitation","features":[308,455]},{"name":"PeerCollabCloseHandle","features":[308,455]},{"name":"PeerCollabDeleteContact","features":[455]},{"name":"PeerCollabDeleteEndpointData","features":[455,321]},{"name":"PeerCollabDeleteObject","features":[455]},{"name":"PeerCollabEnumApplicationRegistrationInfo","features":[455]},{"name":"PeerCollabEnumApplications","features":[455,321]},{"name":"PeerCollabEnumContacts","features":[455]},{"name":"PeerCollabEnumEndpoints","features":[308,455]},{"name":"PeerCollabEnumObjects","features":[455,321]},{"name":"PeerCollabEnumPeopleNearMe","features":[455]},{"name":"PeerCollabExportContact","features":[455]},{"name":"PeerCollabGetAppLaunchInfo","features":[308,455,321]},{"name":"PeerCollabGetApplicationRegistrationInfo","features":[455]},{"name":"PeerCollabGetContact","features":[308,455]},{"name":"PeerCollabGetEndpointName","features":[455]},{"name":"PeerCollabGetEventData","features":[308,455,321]},{"name":"PeerCollabGetInvitationResponse","features":[308,455]},{"name":"PeerCollabGetPresenceInfo","features":[455,321]},{"name":"PeerCollabGetSigninOptions","features":[455]},{"name":"PeerCollabInviteContact","features":[308,455,321]},{"name":"PeerCollabInviteEndpoint","features":[455,321]},{"name":"PeerCollabParseContact","features":[308,455]},{"name":"PeerCollabQueryContactData","features":[455,321]},{"name":"PeerCollabRefreshEndpointData","features":[455,321]},{"name":"PeerCollabRegisterApplication","features":[455]},{"name":"PeerCollabRegisterEvent","features":[308,455]},{"name":"PeerCollabSetEndpointName","features":[455]},{"name":"PeerCollabSetObject","features":[455]},{"name":"PeerCollabSetPresenceInfo","features":[455]},{"name":"PeerCollabShutdown","features":[455]},{"name":"PeerCollabSignin","features":[308,455]},{"name":"PeerCollabSignout","features":[455]},{"name":"PeerCollabStartup","features":[455]},{"name":"PeerCollabSubscribeEndpointData","features":[455,321]},{"name":"PeerCollabUnregisterApplication","features":[455]},{"name":"PeerCollabUnregisterEvent","features":[455]},{"name":"PeerCollabUnsubscribeEndpointData","features":[455,321]},{"name":"PeerCollabUpdateContact","features":[308,455]},{"name":"PeerCreatePeerName","features":[455]},{"name":"PeerDistClientAddContentInformation","features":[308,455,313]},{"name":"PeerDistClientAddData","features":[308,455,313]},{"name":"PeerDistClientBasicInfo","features":[455]},{"name":"PeerDistClientBlockRead","features":[308,455,313]},{"name":"PeerDistClientCancelAsyncOperation","features":[308,455,313]},{"name":"PeerDistClientCloseContent","features":[455]},{"name":"PeerDistClientCompleteContentInformation","features":[308,455,313]},{"name":"PeerDistClientFlushContent","features":[308,455,313]},{"name":"PeerDistClientGetInformationByHandle","features":[455]},{"name":"PeerDistClientOpenContent","features":[308,455]},{"name":"PeerDistClientStreamRead","features":[308,455,313]},{"name":"PeerDistGetOverlappedResult","features":[308,455,313]},{"name":"PeerDistGetStatus","features":[455]},{"name":"PeerDistGetStatusEx","features":[455]},{"name":"PeerDistRegisterForStatusChangeNotification","features":[308,455,313]},{"name":"PeerDistRegisterForStatusChangeNotificationEx","features":[308,455,313]},{"name":"PeerDistServerCancelAsyncOperation","features":[308,455,313]},{"name":"PeerDistServerCloseContentInformation","features":[455]},{"name":"PeerDistServerCloseStreamHandle","features":[455]},{"name":"PeerDistServerOpenContentInformation","features":[308,455]},{"name":"PeerDistServerOpenContentInformationEx","features":[308,455]},{"name":"PeerDistServerPublishAddToStream","features":[308,455,313]},{"name":"PeerDistServerPublishCompleteStream","features":[308,455,313]},{"name":"PeerDistServerPublishStream","features":[308,455]},{"name":"PeerDistServerRetrieveContentInformation","features":[308,455,313]},{"name":"PeerDistServerUnpublish","features":[455]},{"name":"PeerDistShutdown","features":[455]},{"name":"PeerDistStartup","features":[455]},{"name":"PeerDistUnregisterForStatusChangeNotification","features":[455]},{"name":"PeerEndEnumeration","features":[455]},{"name":"PeerEnumGroups","features":[455]},{"name":"PeerEnumIdentities","features":[455]},{"name":"PeerFreeData","features":[455]},{"name":"PeerGetItemCount","features":[455]},{"name":"PeerGetNextItem","features":[455]},{"name":"PeerGraphAddRecord","features":[308,455]},{"name":"PeerGraphClose","features":[455]},{"name":"PeerGraphCloseDirectConnection","features":[455]},{"name":"PeerGraphConnect","features":[455,321]},{"name":"PeerGraphCreate","features":[308,455]},{"name":"PeerGraphDelete","features":[455]},{"name":"PeerGraphDeleteRecord","features":[308,455]},{"name":"PeerGraphEndEnumeration","features":[455]},{"name":"PeerGraphEnumConnections","features":[455]},{"name":"PeerGraphEnumNodes","features":[455]},{"name":"PeerGraphEnumRecords","features":[455]},{"name":"PeerGraphExportDatabase","features":[455]},{"name":"PeerGraphFreeData","features":[455]},{"name":"PeerGraphGetEventData","features":[455]},{"name":"PeerGraphGetItemCount","features":[455]},{"name":"PeerGraphGetNextItem","features":[455]},{"name":"PeerGraphGetNodeInfo","features":[455,321]},{"name":"PeerGraphGetProperties","features":[455]},{"name":"PeerGraphGetRecord","features":[308,455]},{"name":"PeerGraphGetStatus","features":[455]},{"name":"PeerGraphImportDatabase","features":[455]},{"name":"PeerGraphListen","features":[455]},{"name":"PeerGraphOpen","features":[308,455]},{"name":"PeerGraphOpenDirectConnection","features":[455,321]},{"name":"PeerGraphPeerTimeToUniversalTime","features":[308,455]},{"name":"PeerGraphRegisterEvent","features":[308,455]},{"name":"PeerGraphSearchRecords","features":[455]},{"name":"PeerGraphSendData","features":[455]},{"name":"PeerGraphSetNodeAttributes","features":[455]},{"name":"PeerGraphSetPresence","features":[308,455]},{"name":"PeerGraphSetProperties","features":[455]},{"name":"PeerGraphShutdown","features":[455]},{"name":"PeerGraphStartup","features":[455]},{"name":"PeerGraphUniversalTimeToPeerTime","features":[308,455]},{"name":"PeerGraphUnregisterEvent","features":[455]},{"name":"PeerGraphUpdateRecord","features":[308,455]},{"name":"PeerGraphValidateDeferredRecords","features":[455]},{"name":"PeerGroupAddRecord","features":[308,455]},{"name":"PeerGroupClose","features":[455]},{"name":"PeerGroupCloseDirectConnection","features":[455]},{"name":"PeerGroupConnect","features":[455]},{"name":"PeerGroupConnectByAddress","features":[455,321]},{"name":"PeerGroupCreate","features":[455]},{"name":"PeerGroupCreateInvitation","features":[308,455]},{"name":"PeerGroupCreatePasswordInvitation","features":[455]},{"name":"PeerGroupDelete","features":[455]},{"name":"PeerGroupDeleteRecord","features":[455]},{"name":"PeerGroupEnumConnections","features":[455]},{"name":"PeerGroupEnumMembers","features":[455]},{"name":"PeerGroupEnumRecords","features":[455]},{"name":"PeerGroupExportConfig","features":[455]},{"name":"PeerGroupExportDatabase","features":[455]},{"name":"PeerGroupGetEventData","features":[455]},{"name":"PeerGroupGetProperties","features":[455]},{"name":"PeerGroupGetRecord","features":[308,455]},{"name":"PeerGroupGetStatus","features":[455]},{"name":"PeerGroupImportConfig","features":[308,455]},{"name":"PeerGroupImportDatabase","features":[455]},{"name":"PeerGroupIssueCredentials","features":[308,455,392]},{"name":"PeerGroupJoin","features":[455]},{"name":"PeerGroupOpen","features":[455]},{"name":"PeerGroupOpenDirectConnection","features":[455,321]},{"name":"PeerGroupParseInvitation","features":[308,455,392]},{"name":"PeerGroupPasswordJoin","features":[455]},{"name":"PeerGroupPeerTimeToUniversalTime","features":[308,455]},{"name":"PeerGroupRegisterEvent","features":[308,455]},{"name":"PeerGroupResumePasswordAuthentication","features":[455]},{"name":"PeerGroupSearchRecords","features":[455]},{"name":"PeerGroupSendData","features":[455]},{"name":"PeerGroupSetProperties","features":[455]},{"name":"PeerGroupShutdown","features":[455]},{"name":"PeerGroupStartup","features":[455]},{"name":"PeerGroupUniversalTimeToPeerTime","features":[308,455]},{"name":"PeerGroupUnregisterEvent","features":[455]},{"name":"PeerGroupUpdateRecord","features":[308,455]},{"name":"PeerHostNameToPeerName","features":[455]},{"name":"PeerIdentityCreate","features":[455]},{"name":"PeerIdentityDelete","features":[455]},{"name":"PeerIdentityExport","features":[455]},{"name":"PeerIdentityGetCryptKey","features":[455]},{"name":"PeerIdentityGetDefault","features":[455]},{"name":"PeerIdentityGetFriendlyName","features":[455]},{"name":"PeerIdentityGetXML","features":[455]},{"name":"PeerIdentityImport","features":[455]},{"name":"PeerIdentitySetFriendlyName","features":[455]},{"name":"PeerNameToPeerHostName","features":[455]},{"name":"PeerPnrpEndResolve","features":[455]},{"name":"PeerPnrpGetCloudInfo","features":[455]},{"name":"PeerPnrpGetEndpoint","features":[455,321]},{"name":"PeerPnrpRegister","features":[455,321]},{"name":"PeerPnrpResolve","features":[455,321]},{"name":"PeerPnrpShutdown","features":[455]},{"name":"PeerPnrpStartResolve","features":[308,455]},{"name":"PeerPnrpStartup","features":[455]},{"name":"PeerPnrpUnregister","features":[455]},{"name":"PeerPnrpUpdateRegistration","features":[455,321]},{"name":"SVCID_PNRPCLOUD","features":[455]},{"name":"SVCID_PNRPNAME_V1","features":[455]},{"name":"SVCID_PNRPNAME_V2","features":[455]},{"name":"WSA_PNRP_CLIENT_INVALID_COMPARTMENT_ID","features":[455]},{"name":"WSA_PNRP_CLOUD_DISABLED","features":[455]},{"name":"WSA_PNRP_CLOUD_IS_DEAD","features":[455]},{"name":"WSA_PNRP_CLOUD_IS_SEARCH_ONLY","features":[455]},{"name":"WSA_PNRP_CLOUD_NOT_FOUND","features":[455]},{"name":"WSA_PNRP_DUPLICATE_PEER_NAME","features":[455]},{"name":"WSA_PNRP_ERROR_BASE","features":[455]},{"name":"WSA_PNRP_INVALID_IDENTITY","features":[455]},{"name":"WSA_PNRP_TOO_MUCH_LOAD","features":[455]},{"name":"WSZ_SCOPE_GLOBAL","features":[455]},{"name":"WSZ_SCOPE_LINKLOCAL","features":[455]},{"name":"WSZ_SCOPE_SITELOCAL","features":[455]}],"456":[{"name":"ABLE_TO_RECV_RSVP","features":[456]},{"name":"ADDRESS_LIST_DESCRIPTOR","features":[322,456]},{"name":"ADM_CTRL_FAILED","features":[456]},{"name":"ADSPEC","features":[456]},{"name":"AD_FLAG_BREAK_BIT","features":[456]},{"name":"AD_GENERAL_PARAMS","features":[456]},{"name":"AD_GUARANTEED","features":[456]},{"name":"ALLOWED_TO_SEND_DATA","features":[456]},{"name":"ANY_DEST_ADDR","features":[456]},{"name":"CBADMITRESULT","features":[456]},{"name":"CBGETRSVPOBJECTS","features":[456]},{"name":"CONTROLLED_DELAY_SERV","features":[456]},{"name":"CONTROLLED_LOAD_SERV","features":[456]},{"name":"CONTROL_SERVICE","features":[456]},{"name":"CREDENTIAL_SUB_TYPE_ASCII_ID","features":[456]},{"name":"CREDENTIAL_SUB_TYPE_KERBEROS_TKT","features":[456]},{"name":"CREDENTIAL_SUB_TYPE_PGP_CERT","features":[456]},{"name":"CREDENTIAL_SUB_TYPE_UNICODE_ID","features":[456]},{"name":"CREDENTIAL_SUB_TYPE_X509_V3_CERT","features":[456]},{"name":"CURRENT_TCI_VERSION","features":[456]},{"name":"CtrlLoadFlowspec","features":[456]},{"name":"DD_TCP_DEVICE_NAME","features":[456]},{"name":"DUP_RESULTS","features":[456]},{"name":"END_TO_END_QOSABILITY","features":[456]},{"name":"ENUMERATION_BUFFER","features":[456,321]},{"name":"ERROR_ADDRESS_TYPE_NOT_SUPPORTED","features":[456]},{"name":"ERROR_DS_MAPPING_EXISTS","features":[456]},{"name":"ERROR_DUPLICATE_FILTER","features":[456]},{"name":"ERROR_FILTER_CONFLICT","features":[456]},{"name":"ERROR_INCOMPATABLE_QOS","features":[456]},{"name":"ERROR_INCOMPATIBLE_TCI_VERSION","features":[456]},{"name":"ERROR_INVALID_ADDRESS_TYPE","features":[456]},{"name":"ERROR_INVALID_DIFFSERV_FLOW","features":[456]},{"name":"ERROR_INVALID_DS_CLASS","features":[456]},{"name":"ERROR_INVALID_FLOW_MODE","features":[456]},{"name":"ERROR_INVALID_PEAK_RATE","features":[456]},{"name":"ERROR_INVALID_QOS_PRIORITY","features":[456]},{"name":"ERROR_INVALID_SD_MODE","features":[456]},{"name":"ERROR_INVALID_SERVICE_TYPE","features":[456]},{"name":"ERROR_INVALID_SHAPE_RATE","features":[456]},{"name":"ERROR_INVALID_TOKEN_RATE","features":[456]},{"name":"ERROR_INVALID_TRAFFIC_CLASS","features":[456]},{"name":"ERROR_NO_MORE_INFO","features":[456]},{"name":"ERROR_SPEC","features":[456,321]},{"name":"ERROR_SPECF_InPlace","features":[456]},{"name":"ERROR_SPECF_NotGuilty","features":[456]},{"name":"ERROR_TC_NOT_SUPPORTED","features":[456]},{"name":"ERROR_TC_OBJECT_LENGTH_INVALID","features":[456]},{"name":"ERROR_TC_SUPPORTED_OBJECTS_EXIST","features":[456]},{"name":"ERROR_TOO_MANY_CLIENTS","features":[456]},{"name":"ERR_FORWARD_OK","features":[456]},{"name":"ERR_Usage_globl","features":[456]},{"name":"ERR_Usage_local","features":[456]},{"name":"ERR_Usage_serv","features":[456]},{"name":"ERR_global_mask","features":[456]},{"name":"EXPIRED_CREDENTIAL","features":[456]},{"name":"Error_Spec_IPv4","features":[456,321]},{"name":"FILTERSPECV4","features":[456]},{"name":"FILTERSPECV4_GPI","features":[456]},{"name":"FILTERSPECV6","features":[456]},{"name":"FILTERSPECV6_FLOW","features":[456]},{"name":"FILTERSPECV6_GPI","features":[456]},{"name":"FILTERSPEC_END","features":[456]},{"name":"FILTER_SPEC","features":[456,321]},{"name":"FLOWDESCRIPTOR","features":[456,321]},{"name":"FLOW_DESC","features":[456,321]},{"name":"FLOW_DURATION","features":[456]},{"name":"FORCE_IMMEDIATE_REFRESH","features":[456]},{"name":"FSCTL_TCP_BASE","features":[456]},{"name":"FVEB_UNLOCK_FLAG_AUK_OSFVEINFO","features":[456]},{"name":"FVEB_UNLOCK_FLAG_CACHED","features":[456]},{"name":"FVEB_UNLOCK_FLAG_EXTERNAL","features":[456]},{"name":"FVEB_UNLOCK_FLAG_MEDIA","features":[456]},{"name":"FVEB_UNLOCK_FLAG_NBP","features":[456]},{"name":"FVEB_UNLOCK_FLAG_NONE","features":[456]},{"name":"FVEB_UNLOCK_FLAG_PASSPHRASE","features":[456]},{"name":"FVEB_UNLOCK_FLAG_PIN","features":[456]},{"name":"FVEB_UNLOCK_FLAG_RECOVERY","features":[456]},{"name":"FVEB_UNLOCK_FLAG_TPM","features":[456]},{"name":"FilterType","features":[456]},{"name":"Filter_Spec_IPv4","features":[456,321]},{"name":"Filter_Spec_IPv4GPI","features":[456,321]},{"name":"GENERAL_INFO","features":[456]},{"name":"GQOS_API","features":[456]},{"name":"GQOS_ERRORCODE_UNKNOWN","features":[456]},{"name":"GQOS_ERRORVALUE_UNKNOWN","features":[456]},{"name":"GQOS_KERNEL_TC","features":[456]},{"name":"GQOS_KERNEL_TC_SYS","features":[456]},{"name":"GQOS_NET_ADMISSION","features":[456]},{"name":"GQOS_NET_POLICY","features":[456]},{"name":"GQOS_NO_ERRORCODE","features":[456]},{"name":"GQOS_NO_ERRORVALUE","features":[456]},{"name":"GQOS_RSVP","features":[456]},{"name":"GQOS_RSVP_SYS","features":[456]},{"name":"GUARANTEED_SERV","features":[456]},{"name":"GUAR_ADSPARM_C","features":[456]},{"name":"GUAR_ADSPARM_Csum","features":[456]},{"name":"GUAR_ADSPARM_Ctot","features":[456]},{"name":"GUAR_ADSPARM_D","features":[456]},{"name":"GUAR_ADSPARM_Dsum","features":[456]},{"name":"GUAR_ADSPARM_Dtot","features":[456]},{"name":"GUID_QOS_BESTEFFORT_BANDWIDTH","features":[456]},{"name":"GUID_QOS_ENABLE_AVG_STATS","features":[456]},{"name":"GUID_QOS_ENABLE_WINDOW_ADJUSTMENT","features":[456]},{"name":"GUID_QOS_FLOW_8021P_CONFORMING","features":[456]},{"name":"GUID_QOS_FLOW_8021P_NONCONFORMING","features":[456]},{"name":"GUID_QOS_FLOW_COUNT","features":[456]},{"name":"GUID_QOS_FLOW_IP_CONFORMING","features":[456]},{"name":"GUID_QOS_FLOW_IP_NONCONFORMING","features":[456]},{"name":"GUID_QOS_FLOW_MODE","features":[456]},{"name":"GUID_QOS_ISSLOW_FLOW","features":[456]},{"name":"GUID_QOS_LATENCY","features":[456]},{"name":"GUID_QOS_MAX_OUTSTANDING_SENDS","features":[456]},{"name":"GUID_QOS_NON_BESTEFFORT_LIMIT","features":[456]},{"name":"GUID_QOS_REMAINING_BANDWIDTH","features":[456]},{"name":"GUID_QOS_STATISTICS_BUFFER","features":[456]},{"name":"GUID_QOS_TIMER_RESOLUTION","features":[456]},{"name":"Gads_parms_t","features":[456]},{"name":"GenAdspecParams","features":[456]},{"name":"GenTspec","features":[456]},{"name":"GenTspecParms","features":[456]},{"name":"GuarFlowSpec","features":[456]},{"name":"GuarRspec","features":[456]},{"name":"HIGHLY_DELAY_SENSITIVE","features":[456]},{"name":"HSP_UPGRADE_IMAGEDATA","features":[456]},{"name":"IDENTITY_CHANGED","features":[456]},{"name":"IDPE_ATTR","features":[456]},{"name":"ID_ERROR_OBJECT","features":[456]},{"name":"IF_MIB_STATS_ID","features":[456]},{"name":"INFO_NOT_AVAILABLE","features":[456]},{"name":"INSUFFICIENT_PRIVILEGES","features":[456]},{"name":"INTSERV_VERSION0","features":[456]},{"name":"INTSERV_VERS_MASK","features":[456]},{"name":"INV_LPM_HANDLE","features":[456]},{"name":"INV_REQ_HANDLE","features":[456]},{"name":"INV_RESULTS","features":[456]},{"name":"IN_ADDR_IPV4","features":[456]},{"name":"IN_ADDR_IPV6","features":[456]},{"name":"IPX_PATTERN","features":[456]},{"name":"IP_INTFC_INFO_ID","features":[456]},{"name":"IP_MIB_ADDRTABLE_ENTRY_ID","features":[456]},{"name":"IP_MIB_STATS_ID","features":[456]},{"name":"IP_PATTERN","features":[456]},{"name":"ISPH_FLG_INV","features":[456]},{"name":"ISSH_BREAK_BIT","features":[456]},{"name":"IS_ADSPEC_BODY","features":[456]},{"name":"IS_FLOWSPEC","features":[456]},{"name":"IS_GUAR_RSPEC","features":[456]},{"name":"IS_WKP_COMPOSED_MTU","features":[456]},{"name":"IS_WKP_HOP_CNT","features":[456]},{"name":"IS_WKP_MIN_LATENCY","features":[456]},{"name":"IS_WKP_PATH_BW","features":[456]},{"name":"IS_WKP_Q_TSPEC","features":[456]},{"name":"IS_WKP_TB_TSPEC","features":[456]},{"name":"IntServFlowSpec","features":[456]},{"name":"IntServMainHdr","features":[456]},{"name":"IntServParmHdr","features":[456]},{"name":"IntServServiceHdr","features":[456]},{"name":"IntServTspecBody","features":[456]},{"name":"LINE_RATE","features":[456]},{"name":"LOCAL_QOSABILITY","features":[456]},{"name":"LOCAL_TRAFFIC_CONTROL","features":[456]},{"name":"LPMIPTABLE","features":[456,321]},{"name":"LPM_API_VERSION_1","features":[456]},{"name":"LPM_HANDLE","features":[456]},{"name":"LPM_INIT_INFO","features":[456]},{"name":"LPM_OK","features":[456]},{"name":"LPM_PE_ALL_TYPES","features":[456]},{"name":"LPM_PE_APP_IDENTITY","features":[456]},{"name":"LPM_PE_USER_IDENTITY","features":[456]},{"name":"LPM_RESULT_DEFER","features":[456]},{"name":"LPM_RESULT_READY","features":[456]},{"name":"LPM_TIME_OUT","features":[456]},{"name":"LPV_DONT_CARE","features":[456]},{"name":"LPV_DROP_MSG","features":[456]},{"name":"LPV_MAX_PRIORITY","features":[456]},{"name":"LPV_MIN_PRIORITY","features":[456]},{"name":"LPV_REJECT","features":[456]},{"name":"LPV_RESERVED","features":[456]},{"name":"MAX_HSP_UPGRADE_FILENAME_LENGTH","features":[456]},{"name":"MAX_PHYSADDR_SIZE","features":[456]},{"name":"MAX_STRING_LENGTH","features":[456]},{"name":"MODERATELY_DELAY_SENSITIVE","features":[456]},{"name":"OSDEVICE_TYPE_BLOCKIO_CDROM","features":[456]},{"name":"OSDEVICE_TYPE_BLOCKIO_FILE","features":[456]},{"name":"OSDEVICE_TYPE_BLOCKIO_HARDDISK","features":[456]},{"name":"OSDEVICE_TYPE_BLOCKIO_PARTITION","features":[456]},{"name":"OSDEVICE_TYPE_BLOCKIO_RAMDISK","features":[456]},{"name":"OSDEVICE_TYPE_BLOCKIO_REMOVABLEDISK","features":[456]},{"name":"OSDEVICE_TYPE_BLOCKIO_VIRTUALHARDDISK","features":[456]},{"name":"OSDEVICE_TYPE_CIMFS","features":[456]},{"name":"OSDEVICE_TYPE_COMPOSITE","features":[456]},{"name":"OSDEVICE_TYPE_SERIAL","features":[456]},{"name":"OSDEVICE_TYPE_UDP","features":[456]},{"name":"OSDEVICE_TYPE_UNKNOWN","features":[456]},{"name":"OSDEVICE_TYPE_VMBUS","features":[456]},{"name":"Opt_Distinct","features":[456]},{"name":"Opt_Explicit","features":[456]},{"name":"Opt_Share_mask","features":[456]},{"name":"Opt_Shared","features":[456]},{"name":"Opt_SndSel_mask","features":[456]},{"name":"Opt_Wildcard","features":[456]},{"name":"PALLOCMEM","features":[456]},{"name":"PARAM_BUFFER","features":[456]},{"name":"PCM_VERSION_1","features":[456]},{"name":"PE_ATTRIB_TYPE_CREDENTIAL","features":[456]},{"name":"PE_ATTRIB_TYPE_POLICY_LOCATOR","features":[456]},{"name":"PE_TYPE_APPID","features":[456]},{"name":"PFREEMEM","features":[456]},{"name":"POLICY_DATA","features":[456]},{"name":"POLICY_DECISION","features":[456]},{"name":"POLICY_ELEMENT","features":[456]},{"name":"POLICY_ERRV_CRAZY_FLOWSPEC","features":[456]},{"name":"POLICY_ERRV_EXPIRED_CREDENTIALS","features":[456]},{"name":"POLICY_ERRV_EXPIRED_USER_TOKEN","features":[456]},{"name":"POLICY_ERRV_GLOBAL_DEF_FLOW_COUNT","features":[456]},{"name":"POLICY_ERRV_GLOBAL_DEF_FLOW_DURATION","features":[456]},{"name":"POLICY_ERRV_GLOBAL_DEF_FLOW_RATE","features":[456]},{"name":"POLICY_ERRV_GLOBAL_DEF_PEAK_RATE","features":[456]},{"name":"POLICY_ERRV_GLOBAL_DEF_SUM_FLOW_RATE","features":[456]},{"name":"POLICY_ERRV_GLOBAL_DEF_SUM_PEAK_RATE","features":[456]},{"name":"POLICY_ERRV_GLOBAL_GRP_FLOW_COUNT","features":[456]},{"name":"POLICY_ERRV_GLOBAL_GRP_FLOW_DURATION","features":[456]},{"name":"POLICY_ERRV_GLOBAL_GRP_FLOW_RATE","features":[456]},{"name":"POLICY_ERRV_GLOBAL_GRP_PEAK_RATE","features":[456]},{"name":"POLICY_ERRV_GLOBAL_GRP_SUM_FLOW_RATE","features":[456]},{"name":"POLICY_ERRV_GLOBAL_GRP_SUM_PEAK_RATE","features":[456]},{"name":"POLICY_ERRV_GLOBAL_UNAUTH_USER_FLOW_COUNT","features":[456]},{"name":"POLICY_ERRV_GLOBAL_UNAUTH_USER_FLOW_DURATION","features":[456]},{"name":"POLICY_ERRV_GLOBAL_UNAUTH_USER_FLOW_RATE","features":[456]},{"name":"POLICY_ERRV_GLOBAL_UNAUTH_USER_PEAK_RATE","features":[456]},{"name":"POLICY_ERRV_GLOBAL_UNAUTH_USER_SUM_FLOW_RATE","features":[456]},{"name":"POLICY_ERRV_GLOBAL_UNAUTH_USER_SUM_PEAK_RATE","features":[456]},{"name":"POLICY_ERRV_GLOBAL_USER_FLOW_COUNT","features":[456]},{"name":"POLICY_ERRV_GLOBAL_USER_FLOW_DURATION","features":[456]},{"name":"POLICY_ERRV_GLOBAL_USER_FLOW_RATE","features":[456]},{"name":"POLICY_ERRV_GLOBAL_USER_PEAK_RATE","features":[456]},{"name":"POLICY_ERRV_GLOBAL_USER_SUM_FLOW_RATE","features":[456]},{"name":"POLICY_ERRV_GLOBAL_USER_SUM_PEAK_RATE","features":[456]},{"name":"POLICY_ERRV_IDENTITY_CHANGED","features":[456]},{"name":"POLICY_ERRV_INSUFFICIENT_PRIVILEGES","features":[456]},{"name":"POLICY_ERRV_NO_ACCEPTS","features":[456]},{"name":"POLICY_ERRV_NO_MEMORY","features":[456]},{"name":"POLICY_ERRV_NO_MORE_INFO","features":[456]},{"name":"POLICY_ERRV_NO_PRIVILEGES","features":[456]},{"name":"POLICY_ERRV_NO_RESOURCES","features":[456]},{"name":"POLICY_ERRV_PRE_EMPTED","features":[456]},{"name":"POLICY_ERRV_SUBNET_DEF_FLOW_COUNT","features":[456]},{"name":"POLICY_ERRV_SUBNET_DEF_FLOW_DURATION","features":[456]},{"name":"POLICY_ERRV_SUBNET_DEF_FLOW_RATE","features":[456]},{"name":"POLICY_ERRV_SUBNET_DEF_PEAK_RATE","features":[456]},{"name":"POLICY_ERRV_SUBNET_DEF_SUM_FLOW_RATE","features":[456]},{"name":"POLICY_ERRV_SUBNET_DEF_SUM_PEAK_RATE","features":[456]},{"name":"POLICY_ERRV_SUBNET_GRP_FLOW_COUNT","features":[456]},{"name":"POLICY_ERRV_SUBNET_GRP_FLOW_DURATION","features":[456]},{"name":"POLICY_ERRV_SUBNET_GRP_FLOW_RATE","features":[456]},{"name":"POLICY_ERRV_SUBNET_GRP_PEAK_RATE","features":[456]},{"name":"POLICY_ERRV_SUBNET_GRP_SUM_FLOW_RATE","features":[456]},{"name":"POLICY_ERRV_SUBNET_GRP_SUM_PEAK_RATE","features":[456]},{"name":"POLICY_ERRV_SUBNET_UNAUTH_USER_FLOW_COUNT","features":[456]},{"name":"POLICY_ERRV_SUBNET_UNAUTH_USER_FLOW_DURATION","features":[456]},{"name":"POLICY_ERRV_SUBNET_UNAUTH_USER_FLOW_RATE","features":[456]},{"name":"POLICY_ERRV_SUBNET_UNAUTH_USER_PEAK_RATE","features":[456]},{"name":"POLICY_ERRV_SUBNET_UNAUTH_USER_SUM_FLOW_RATE","features":[456]},{"name":"POLICY_ERRV_SUBNET_UNAUTH_USER_SUM_PEAK_RATE","features":[456]},{"name":"POLICY_ERRV_SUBNET_USER_FLOW_COUNT","features":[456]},{"name":"POLICY_ERRV_SUBNET_USER_FLOW_DURATION","features":[456]},{"name":"POLICY_ERRV_SUBNET_USER_FLOW_RATE","features":[456]},{"name":"POLICY_ERRV_SUBNET_USER_PEAK_RATE","features":[456]},{"name":"POLICY_ERRV_SUBNET_USER_SUM_FLOW_RATE","features":[456]},{"name":"POLICY_ERRV_SUBNET_USER_SUM_PEAK_RATE","features":[456]},{"name":"POLICY_ERRV_UNKNOWN","features":[456]},{"name":"POLICY_ERRV_UNKNOWN_USER","features":[456]},{"name":"POLICY_ERRV_UNSUPPORTED_CREDENTIAL_TYPE","features":[456]},{"name":"POLICY_ERRV_USER_CHANGED","features":[456]},{"name":"POLICY_LOCATOR_SUB_TYPE_ASCII_DN","features":[456]},{"name":"POLICY_LOCATOR_SUB_TYPE_ASCII_DN_ENC","features":[456]},{"name":"POLICY_LOCATOR_SUB_TYPE_UNICODE_DN","features":[456]},{"name":"POLICY_LOCATOR_SUB_TYPE_UNICODE_DN_ENC","features":[456]},{"name":"POSITIVE_INFINITY_RATE","features":[456]},{"name":"PREDICTIVE_SERV","features":[456]},{"name":"QOSAddSocketToFlow","features":[308,456,321]},{"name":"QOSCancel","features":[308,456,313]},{"name":"QOSCloseHandle","features":[308,456]},{"name":"QOSCreateHandle","features":[308,456]},{"name":"QOSEnumerateFlows","features":[308,456]},{"name":"QOSFlowRateCongestion","features":[456]},{"name":"QOSFlowRateContentChange","features":[456]},{"name":"QOSFlowRateHigherContentEncoding","features":[456]},{"name":"QOSFlowRateNotApplicable","features":[456]},{"name":"QOSFlowRateUserCaused","features":[456]},{"name":"QOSNotifyAvailable","features":[456]},{"name":"QOSNotifyCongested","features":[456]},{"name":"QOSNotifyFlow","features":[308,456,313]},{"name":"QOSNotifyUncongested","features":[456]},{"name":"QOSQueryFlow","features":[308,456,313]},{"name":"QOSQueryFlowFundamentals","features":[456]},{"name":"QOSQueryOutgoingRate","features":[456]},{"name":"QOSQueryPacketPriority","features":[456]},{"name":"QOSRemoveSocketFromFlow","features":[308,456,321]},{"name":"QOSSPBASE","features":[456]},{"name":"QOSSP_ERR_BASE","features":[456]},{"name":"QOSSetFlow","features":[308,456,313]},{"name":"QOSSetOutgoingDSCPValue","features":[456]},{"name":"QOSSetOutgoingRate","features":[456]},{"name":"QOSSetTrafficType","features":[456]},{"name":"QOSShapeAndMark","features":[456]},{"name":"QOSShapeOnly","features":[456]},{"name":"QOSStartTrackingClient","features":[308,456,321]},{"name":"QOSStopTrackingClient","features":[308,456,321]},{"name":"QOSTrafficTypeAudioVideo","features":[456]},{"name":"QOSTrafficTypeBackground","features":[456]},{"name":"QOSTrafficTypeBestEffort","features":[456]},{"name":"QOSTrafficTypeControl","features":[456]},{"name":"QOSTrafficTypeExcellentEffort","features":[456]},{"name":"QOSTrafficTypeVoice","features":[456]},{"name":"QOSUseNonConformantMarkings","features":[456]},{"name":"QOS_DESTADDR","features":[456,321]},{"name":"QOS_DIFFSERV","features":[456]},{"name":"QOS_DIFFSERV_RULE","features":[456]},{"name":"QOS_DS_CLASS","features":[456]},{"name":"QOS_FLOWRATE_OUTGOING","features":[456]},{"name":"QOS_FLOWRATE_REASON","features":[456]},{"name":"QOS_FLOW_FUNDAMENTALS","features":[308,456]},{"name":"QOS_FRIENDLY_NAME","features":[456]},{"name":"QOS_GENERAL_ID_BASE","features":[456]},{"name":"QOS_MAX_OBJECT_STRING_LENGTH","features":[456]},{"name":"QOS_NON_ADAPTIVE_FLOW","features":[456]},{"name":"QOS_NOTIFY_FLOW","features":[456]},{"name":"QOS_NOT_SPECIFIED","features":[456]},{"name":"QOS_OBJECT_HDR","features":[456]},{"name":"QOS_OUTGOING_DEFAULT_MINIMUM_BANDWIDTH","features":[456]},{"name":"QOS_PACKET_PRIORITY","features":[456]},{"name":"QOS_QUERYFLOW_FRESH","features":[456]},{"name":"QOS_QUERY_FLOW","features":[456]},{"name":"QOS_SD_MODE","features":[456]},{"name":"QOS_SET_FLOW","features":[456]},{"name":"QOS_SHAPING","features":[456]},{"name":"QOS_SHAPING_RATE","features":[456]},{"name":"QOS_TCP_TRAFFIC","features":[456]},{"name":"QOS_TRAFFIC_CLASS","features":[456]},{"name":"QOS_TRAFFIC_GENERAL_ID_BASE","features":[456]},{"name":"QOS_TRAFFIC_TYPE","features":[456]},{"name":"QOS_VERSION","features":[456]},{"name":"QUALITATIVE_SERV","features":[456]},{"name":"QualAppFlowSpec","features":[456]},{"name":"QualTspec","features":[456]},{"name":"QualTspecParms","features":[456]},{"name":"RCVD_PATH_TEAR","features":[456]},{"name":"RCVD_RESV_TEAR","features":[456]},{"name":"RESOURCES_ALLOCATED","features":[456]},{"name":"RESOURCES_MODIFIED","features":[456]},{"name":"RESV_STYLE","features":[456]},{"name":"RHANDLE","features":[456]},{"name":"RSVP_ADSPEC","features":[456]},{"name":"RSVP_DEFAULT_STYLE","features":[456]},{"name":"RSVP_Err_ADMISSION","features":[456]},{"name":"RSVP_Err_AMBIG_FILTER","features":[456]},{"name":"RSVP_Err_API_ERROR","features":[456]},{"name":"RSVP_Err_BAD_DSTPORT","features":[456]},{"name":"RSVP_Err_BAD_SNDPORT","features":[456]},{"name":"RSVP_Err_BAD_STYLE","features":[456]},{"name":"RSVP_Err_NONE","features":[456]},{"name":"RSVP_Err_NO_PATH","features":[456]},{"name":"RSVP_Err_NO_SENDER","features":[456]},{"name":"RSVP_Err_POLICY","features":[456]},{"name":"RSVP_Err_PREEMPTED","features":[456]},{"name":"RSVP_Err_RSVP_SYS_ERROR","features":[456]},{"name":"RSVP_Err_TC_ERROR","features":[456]},{"name":"RSVP_Err_TC_SYS_ERROR","features":[456]},{"name":"RSVP_Err_UNKNOWN_CTYPE","features":[456]},{"name":"RSVP_Err_UNKNOWN_STYLE","features":[456]},{"name":"RSVP_Err_UNKN_OBJ_CLASS","features":[456]},{"name":"RSVP_Erv_API","features":[456]},{"name":"RSVP_Erv_Bandwidth","features":[456]},{"name":"RSVP_Erv_Bucket_szie","features":[456]},{"name":"RSVP_Erv_Conflict_Serv","features":[456]},{"name":"RSVP_Erv_Crazy_Flowspec","features":[456]},{"name":"RSVP_Erv_Crazy_Tspec","features":[456]},{"name":"RSVP_Erv_DelayBnd","features":[456]},{"name":"RSVP_Erv_Flow_Rate","features":[456]},{"name":"RSVP_Erv_MEMORY","features":[456]},{"name":"RSVP_Erv_MTU","features":[456]},{"name":"RSVP_Erv_Min_Policied_size","features":[456]},{"name":"RSVP_Erv_No_Serv","features":[456]},{"name":"RSVP_Erv_Nonev","features":[456]},{"name":"RSVP_Erv_Other","features":[456]},{"name":"RSVP_Erv_Peak_Rate","features":[456]},{"name":"RSVP_FILTERSPEC","features":[456]},{"name":"RSVP_FILTERSPEC_V4","features":[456]},{"name":"RSVP_FILTERSPEC_V4_GPI","features":[456]},{"name":"RSVP_FILTERSPEC_V6","features":[456]},{"name":"RSVP_FILTERSPEC_V6_FLOW","features":[456]},{"name":"RSVP_FILTERSPEC_V6_GPI","features":[456]},{"name":"RSVP_FIXED_FILTER_STYLE","features":[456]},{"name":"RSVP_HOP","features":[456,321]},{"name":"RSVP_MSG_OBJS","features":[456,321]},{"name":"RSVP_OBJECT_ID_BASE","features":[456]},{"name":"RSVP_PATH","features":[456]},{"name":"RSVP_PATH_ERR","features":[456]},{"name":"RSVP_PATH_TEAR","features":[456]},{"name":"RSVP_POLICY","features":[456]},{"name":"RSVP_POLICY_INFO","features":[456]},{"name":"RSVP_RESERVE_INFO","features":[456,321]},{"name":"RSVP_RESV","features":[456]},{"name":"RSVP_RESV_ERR","features":[456]},{"name":"RSVP_RESV_TEAR","features":[456]},{"name":"RSVP_SCOPE","features":[456,321]},{"name":"RSVP_SESSION","features":[456,321]},{"name":"RSVP_SHARED_EXPLICIT_STYLE","features":[456]},{"name":"RSVP_STATUS_INFO","features":[456]},{"name":"RSVP_WILDCARD_STYLE","features":[456]},{"name":"RsvpObjHdr","features":[456]},{"name":"Rsvp_Hop_IPv4","features":[456,321]},{"name":"SENDER_TSPEC","features":[456]},{"name":"SERVICETYPE_BESTEFFORT","features":[456]},{"name":"SERVICETYPE_CONTROLLEDLOAD","features":[456]},{"name":"SERVICETYPE_GENERAL_INFORMATION","features":[456]},{"name":"SERVICETYPE_GUARANTEED","features":[456]},{"name":"SERVICETYPE_NETWORK_CONTROL","features":[456]},{"name":"SERVICETYPE_NETWORK_UNAVAILABLE","features":[456]},{"name":"SERVICETYPE_NOCHANGE","features":[456]},{"name":"SERVICETYPE_NONCONFORMING","features":[456]},{"name":"SERVICETYPE_NOTRAFFIC","features":[456]},{"name":"SERVICETYPE_QUALITATIVE","features":[456]},{"name":"SERVICE_BESTEFFORT","features":[456]},{"name":"SERVICE_CONTROLLEDLOAD","features":[456]},{"name":"SERVICE_GUARANTEED","features":[456]},{"name":"SERVICE_NO_QOS_SIGNALING","features":[456]},{"name":"SERVICE_NO_TRAFFIC_CONTROL","features":[456]},{"name":"SERVICE_QUALITATIVE","features":[456]},{"name":"SESSFLG_E_Police","features":[456]},{"name":"SIPAERROR_FIRMWAREFAILURE","features":[456]},{"name":"SIPAERROR_INTERNALFAILURE","features":[456]},{"name":"SIPAEVENTTYPE_AGGREGATION","features":[456]},{"name":"SIPAEVENTTYPE_AUTHORITY","features":[456]},{"name":"SIPAEVENTTYPE_CONTAINER","features":[456]},{"name":"SIPAEVENTTYPE_DRTM","features":[456]},{"name":"SIPAEVENTTYPE_ELAM","features":[456]},{"name":"SIPAEVENTTYPE_ERROR","features":[456]},{"name":"SIPAEVENTTYPE_INFORMATION","features":[456]},{"name":"SIPAEVENTTYPE_KSR","features":[456]},{"name":"SIPAEVENTTYPE_LOADEDMODULE","features":[456]},{"name":"SIPAEVENTTYPE_NONMEASURED","features":[456]},{"name":"SIPAEVENTTYPE_OSPARAMETER","features":[456]},{"name":"SIPAEVENTTYPE_PREOSPARAMETER","features":[456]},{"name":"SIPAEVENTTYPE_TRUSTPOINT","features":[456]},{"name":"SIPAEVENTTYPE_VBS","features":[456]},{"name":"SIPAEVENT_APPLICATION_RETURN","features":[456]},{"name":"SIPAEVENT_APPLICATION_SVN","features":[456]},{"name":"SIPAEVENT_AUTHENTICODEHASH","features":[456]},{"name":"SIPAEVENT_AUTHORITYISSUER","features":[456]},{"name":"SIPAEVENT_AUTHORITYPUBKEY","features":[456]},{"name":"SIPAEVENT_AUTHORITYPUBLISHER","features":[456]},{"name":"SIPAEVENT_AUTHORITYSERIAL","features":[456]},{"name":"SIPAEVENT_AUTHORITYSHA1THUMBPRINT","features":[456]},{"name":"SIPAEVENT_BITLOCKER_UNLOCK","features":[456]},{"name":"SIPAEVENT_BOOTCOUNTER","features":[456]},{"name":"SIPAEVENT_BOOTDEBUGGING","features":[456]},{"name":"SIPAEVENT_BOOT_REVOCATION_LIST","features":[456]},{"name":"SIPAEVENT_CODEINTEGRITY","features":[456]},{"name":"SIPAEVENT_COUNTERID","features":[456]},{"name":"SIPAEVENT_DATAEXECUTIONPREVENTION","features":[456]},{"name":"SIPAEVENT_DRIVER_LOAD_POLICY","features":[456]},{"name":"SIPAEVENT_DRTM_AMD_SMM_HASH","features":[456]},{"name":"SIPAEVENT_DRTM_AMD_SMM_SIGNER_KEY","features":[456]},{"name":"SIPAEVENT_DRTM_SMM_LEVEL","features":[456]},{"name":"SIPAEVENT_DRTM_STATE_AUTH","features":[456]},{"name":"SIPAEVENT_DUMPS_DISABLED","features":[456]},{"name":"SIPAEVENT_DUMP_ENCRYPTION_ENABLED","features":[456]},{"name":"SIPAEVENT_DUMP_ENCRYPTION_KEY_DIGEST","features":[456]},{"name":"SIPAEVENT_ELAM_CONFIGURATION","features":[456]},{"name":"SIPAEVENT_ELAM_KEYNAME","features":[456]},{"name":"SIPAEVENT_ELAM_MEASURED","features":[456]},{"name":"SIPAEVENT_ELAM_POLICY","features":[456]},{"name":"SIPAEVENT_EVENTCOUNTER","features":[456]},{"name":"SIPAEVENT_FILEPATH","features":[456]},{"name":"SIPAEVENT_FLIGHTSIGNING","features":[456]},{"name":"SIPAEVENT_HASHALGORITHMID","features":[456]},{"name":"SIPAEVENT_HIBERNATION_DISABLED","features":[456]},{"name":"SIPAEVENT_HYPERVISOR_BOOT_DMA_PROTECTION","features":[456]},{"name":"SIPAEVENT_HYPERVISOR_DEBUG","features":[456]},{"name":"SIPAEVENT_HYPERVISOR_IOMMU_POLICY","features":[456]},{"name":"SIPAEVENT_HYPERVISOR_LAUNCH_TYPE","features":[456]},{"name":"SIPAEVENT_HYPERVISOR_MMIO_NX_POLICY","features":[456]},{"name":"SIPAEVENT_HYPERVISOR_MSR_FILTER_POLICY","features":[456]},{"name":"SIPAEVENT_HYPERVISOR_PATH","features":[456]},{"name":"SIPAEVENT_IMAGEBASE","features":[456]},{"name":"SIPAEVENT_IMAGESIZE","features":[456]},{"name":"SIPAEVENT_IMAGEVALIDATED","features":[456]},{"name":"SIPAEVENT_INFORMATION","features":[456]},{"name":"SIPAEVENT_KSR_SIGNATURE","features":[456]},{"name":"SIPAEVENT_KSR_SIGNATURE_PAYLOAD","features":[456]},{"name":"SIPAEVENT_LSAISO_CONFIG","features":[456]},{"name":"SIPAEVENT_MODULE_HSP","features":[456]},{"name":"SIPAEVENT_MODULE_SVN","features":[456]},{"name":"SIPAEVENT_MORBIT_API_STATUS","features":[456]},{"name":"SIPAEVENT_MORBIT_NOT_CANCELABLE","features":[456]},{"name":"SIPAEVENT_NOAUTHORITY","features":[456]},{"name":"SIPAEVENT_OSDEVICE","features":[456]},{"name":"SIPAEVENT_OSKERNELDEBUG","features":[456]},{"name":"SIPAEVENT_OS_REVOCATION_LIST","features":[456]},{"name":"SIPAEVENT_PAGEFILE_ENCRYPTION_ENABLED","features":[456]},{"name":"SIPAEVENT_PHYSICALADDRESSEXTENSION","features":[456]},{"name":"SIPAEVENT_REVOCATION_LIST_PAYLOAD","features":[456]},{"name":"SIPAEVENT_SAFEMODE","features":[456]},{"name":"SIPAEVENT_SBCP_INFO","features":[456]},{"name":"SIPAEVENT_SBCP_INFO_PAYLOAD_V1","features":[456]},{"name":"SIPAEVENT_SI_POLICY","features":[456]},{"name":"SIPAEVENT_SI_POLICY_PAYLOAD","features":[456]},{"name":"SIPAEVENT_SMT_STATUS","features":[456]},{"name":"SIPAEVENT_SVN_CHAIN_STATUS","features":[456]},{"name":"SIPAEVENT_SYSTEMROOT","features":[456]},{"name":"SIPAEVENT_TESTSIGNING","features":[456]},{"name":"SIPAEVENT_TRANSFER_CONTROL","features":[456]},{"name":"SIPAEVENT_VBS_DUMP_USES_AMEROOT","features":[456]},{"name":"SIPAEVENT_VBS_HVCI_POLICY","features":[456]},{"name":"SIPAEVENT_VBS_IOMMU_REQUIRED","features":[456]},{"name":"SIPAEVENT_VBS_MANDATORY_ENFORCEMENT","features":[456]},{"name":"SIPAEVENT_VBS_MICROSOFT_BOOT_CHAIN_REQUIRED","features":[456]},{"name":"SIPAEVENT_VBS_MMIO_NX_REQUIRED","features":[456]},{"name":"SIPAEVENT_VBS_MSR_FILTERING_REQUIRED","features":[456]},{"name":"SIPAEVENT_VBS_SECUREBOOT_REQUIRED","features":[456]},{"name":"SIPAEVENT_VBS_VSM_NOSECRETS_ENFORCED","features":[456]},{"name":"SIPAEVENT_VBS_VSM_REQUIRED","features":[456]},{"name":"SIPAEVENT_VSM_IDKS_INFO","features":[456]},{"name":"SIPAEVENT_VSM_IDK_INFO","features":[456]},{"name":"SIPAEVENT_VSM_IDK_INFO_PAYLOAD","features":[456]},{"name":"SIPAEVENT_VSM_IDK_RSA_INFO","features":[456]},{"name":"SIPAEVENT_VSM_LAUNCH_TYPE","features":[456]},{"name":"SIPAEVENT_WINPE","features":[456]},{"name":"SIPAEV_ACTION","features":[456]},{"name":"SIPAEV_AMD_SL_EVENT_BASE","features":[456]},{"name":"SIPAEV_AMD_SL_LOAD","features":[456]},{"name":"SIPAEV_AMD_SL_LOAD_1","features":[456]},{"name":"SIPAEV_AMD_SL_PSP_FW_SPLT","features":[456]},{"name":"SIPAEV_AMD_SL_PUB_KEY","features":[456]},{"name":"SIPAEV_AMD_SL_SEPARATOR","features":[456]},{"name":"SIPAEV_AMD_SL_SVN","features":[456]},{"name":"SIPAEV_AMD_SL_TSME_RB_FUSE","features":[456]},{"name":"SIPAEV_COMPACT_HASH","features":[456]},{"name":"SIPAEV_CPU_MICROCODE","features":[456]},{"name":"SIPAEV_EFI_ACTION","features":[456]},{"name":"SIPAEV_EFI_BOOT_SERVICES_APPLICATION","features":[456]},{"name":"SIPAEV_EFI_BOOT_SERVICES_DRIVER","features":[456]},{"name":"SIPAEV_EFI_EVENT_BASE","features":[456]},{"name":"SIPAEV_EFI_GPT_EVENT","features":[456]},{"name":"SIPAEV_EFI_HANDOFF_TABLES","features":[456]},{"name":"SIPAEV_EFI_HANDOFF_TABLES2","features":[456]},{"name":"SIPAEV_EFI_HCRTM_EVENT","features":[456]},{"name":"SIPAEV_EFI_PLATFORM_FIRMWARE_BLOB","features":[456]},{"name":"SIPAEV_EFI_PLATFORM_FIRMWARE_BLOB2","features":[456]},{"name":"SIPAEV_EFI_RUNTIME_SERVICES_DRIVER","features":[456]},{"name":"SIPAEV_EFI_SPDM_FIRMWARE_BLOB","features":[456]},{"name":"SIPAEV_EFI_SPDM_FIRMWARE_CONFIG","features":[456]},{"name":"SIPAEV_EFI_VARIABLE_AUTHORITY","features":[456]},{"name":"SIPAEV_EFI_VARIABLE_BOOT","features":[456]},{"name":"SIPAEV_EFI_VARIABLE_BOOT2","features":[456]},{"name":"SIPAEV_EFI_VARIABLE_DRIVER_CONFIG","features":[456]},{"name":"SIPAEV_EVENT_TAG","features":[456]},{"name":"SIPAEV_IPL","features":[456]},{"name":"SIPAEV_IPL_PARTITION_DATA","features":[456]},{"name":"SIPAEV_NONHOST_CODE","features":[456]},{"name":"SIPAEV_NONHOST_CONFIG","features":[456]},{"name":"SIPAEV_NONHOST_INFO","features":[456]},{"name":"SIPAEV_NO_ACTION","features":[456]},{"name":"SIPAEV_OMIT_BOOT_DEVICE_EVENTS","features":[456]},{"name":"SIPAEV_PLATFORM_CONFIG_FLAGS","features":[456]},{"name":"SIPAEV_POST_CODE","features":[456]},{"name":"SIPAEV_PREBOOT_CERT","features":[456]},{"name":"SIPAEV_SEPARATOR","features":[456]},{"name":"SIPAEV_S_CRTM_CONTENTS","features":[456]},{"name":"SIPAEV_S_CRTM_VERSION","features":[456]},{"name":"SIPAEV_TABLE_OF_DEVICES","features":[456]},{"name":"SIPAEV_TXT_BIOSAC_REG_DATA","features":[456]},{"name":"SIPAEV_TXT_BOOT_POL_HASH","features":[456]},{"name":"SIPAEV_TXT_BPM_HASH","features":[456]},{"name":"SIPAEV_TXT_BPM_INFO_HASH","features":[456]},{"name":"SIPAEV_TXT_CAP_VALUE","features":[456]},{"name":"SIPAEV_TXT_COLD_BOOT_BIOS_HASH","features":[456]},{"name":"SIPAEV_TXT_COMBINED_HASH","features":[456]},{"name":"SIPAEV_TXT_CPU_SCRTM_STAT","features":[456]},{"name":"SIPAEV_TXT_ELEMENTS_HASH","features":[456]},{"name":"SIPAEV_TXT_EVENT_BASE","features":[456]},{"name":"SIPAEV_TXT_HASH_START","features":[456]},{"name":"SIPAEV_TXT_KM_HASH","features":[456]},{"name":"SIPAEV_TXT_KM_INFO_HASH","features":[456]},{"name":"SIPAEV_TXT_LCP_AUTHORITIES_HASH","features":[456]},{"name":"SIPAEV_TXT_LCP_CONTROL_HASH","features":[456]},{"name":"SIPAEV_TXT_LCP_DETAILS_HASH","features":[456]},{"name":"SIPAEV_TXT_LCP_HASH","features":[456]},{"name":"SIPAEV_TXT_MLE_HASH","features":[456]},{"name":"SIPAEV_TXT_NV_INFO_HASH","features":[456]},{"name":"SIPAEV_TXT_OSSINITDATA_CAP_HASH","features":[456]},{"name":"SIPAEV_TXT_PCR_MAPPING","features":[456]},{"name":"SIPAEV_TXT_RANDOM_VALUE","features":[456]},{"name":"SIPAEV_TXT_SINIT_PUBKEY_HASH","features":[456]},{"name":"SIPAEV_TXT_STM_HASH","features":[456]},{"name":"SIPAEV_UNUSED","features":[456]},{"name":"SIPAHDRSIGNATURE","features":[456]},{"name":"SIPAKSRHDRSIGNATURE","features":[456]},{"name":"SIPALOGVERSION","features":[456]},{"name":"STATE_TIMEOUT","features":[456]},{"name":"Scope_list_ipv4","features":[456,321]},{"name":"Session_IPv4","features":[456,321]},{"name":"TCBASE","features":[456]},{"name":"TCG_PCClientPCREventStruct","features":[456]},{"name":"TCG_PCClientTaggedEventStruct","features":[456]},{"name":"TCI_ADD_FLOW_COMPLETE_HANDLER","features":[308,456]},{"name":"TCI_CLIENT_FUNC_LIST","features":[308,456]},{"name":"TCI_DEL_FLOW_COMPLETE_HANDLER","features":[308,456]},{"name":"TCI_MOD_FLOW_COMPLETE_HANDLER","features":[308,456]},{"name":"TCI_NOTIFY_HANDLER","features":[308,456]},{"name":"TC_GEN_FILTER","features":[456]},{"name":"TC_GEN_FLOW","features":[456,321]},{"name":"TC_IFC_DESCRIPTOR","features":[322,456]},{"name":"TC_NONCONF_BORROW","features":[456]},{"name":"TC_NONCONF_BORROW_PLUS","features":[456]},{"name":"TC_NONCONF_DISCARD","features":[456]},{"name":"TC_NONCONF_SHAPE","features":[456]},{"name":"TC_NOTIFY_FLOW_CLOSE","features":[456]},{"name":"TC_NOTIFY_IFC_CHANGE","features":[456]},{"name":"TC_NOTIFY_IFC_CLOSE","features":[456]},{"name":"TC_NOTIFY_IFC_UP","features":[456]},{"name":"TC_NOTIFY_PARAM_CHANGED","features":[456]},{"name":"TC_SUPPORTED_INFO_BUFFER","features":[322,456]},{"name":"TcAddFilter","features":[308,456]},{"name":"TcAddFlow","features":[308,456,321]},{"name":"TcCloseInterface","features":[308,456]},{"name":"TcDeleteFilter","features":[308,456]},{"name":"TcDeleteFlow","features":[308,456]},{"name":"TcDeregisterClient","features":[308,456]},{"name":"TcEnumerateFlows","features":[308,456,321]},{"name":"TcEnumerateInterfaces","features":[308,322,456]},{"name":"TcGetFlowNameA","features":[308,456]},{"name":"TcGetFlowNameW","features":[308,456]},{"name":"TcModifyFlow","features":[308,456,321]},{"name":"TcOpenInterfaceA","features":[308,456]},{"name":"TcOpenInterfaceW","features":[308,456]},{"name":"TcQueryFlowA","features":[456]},{"name":"TcQueryFlowW","features":[456]},{"name":"TcQueryInterface","features":[308,456]},{"name":"TcRegisterClient","features":[308,456]},{"name":"TcSetFlowA","features":[456]},{"name":"TcSetFlowW","features":[456]},{"name":"TcSetInterface","features":[308,456]},{"name":"UNSUPPORTED_CREDENTIAL_TYPE","features":[456]},{"name":"WBCL_DIGEST_ALG_BITMAP_SHA3_256","features":[456]},{"name":"WBCL_DIGEST_ALG_BITMAP_SHA3_384","features":[456]},{"name":"WBCL_DIGEST_ALG_BITMAP_SHA3_512","features":[456]},{"name":"WBCL_DIGEST_ALG_BITMAP_SHA_1","features":[456]},{"name":"WBCL_DIGEST_ALG_BITMAP_SHA_2_256","features":[456]},{"name":"WBCL_DIGEST_ALG_BITMAP_SHA_2_384","features":[456]},{"name":"WBCL_DIGEST_ALG_BITMAP_SHA_2_512","features":[456]},{"name":"WBCL_DIGEST_ALG_BITMAP_SM3_256","features":[456]},{"name":"WBCL_DIGEST_ALG_ID_SHA3_256","features":[456]},{"name":"WBCL_DIGEST_ALG_ID_SHA3_384","features":[456]},{"name":"WBCL_DIGEST_ALG_ID_SHA3_512","features":[456]},{"name":"WBCL_DIGEST_ALG_ID_SHA_1","features":[456]},{"name":"WBCL_DIGEST_ALG_ID_SHA_2_256","features":[456]},{"name":"WBCL_DIGEST_ALG_ID_SHA_2_384","features":[456]},{"name":"WBCL_DIGEST_ALG_ID_SHA_2_512","features":[456]},{"name":"WBCL_DIGEST_ALG_ID_SM3_256","features":[456]},{"name":"WBCL_HASH_LEN_SHA1","features":[456]},{"name":"WBCL_Iterator","features":[456]},{"name":"WBCL_LogHdr","features":[456]},{"name":"WBCL_MAX_HSP_UPGRADE_HASH_LEN","features":[456]},{"name":"class_ADSPEC","features":[456]},{"name":"class_CONFIRM","features":[456]},{"name":"class_ERROR_SPEC","features":[456]},{"name":"class_FILTER_SPEC","features":[456]},{"name":"class_FLOWSPEC","features":[456]},{"name":"class_INTEGRITY","features":[456]},{"name":"class_IS_FLOWSPEC","features":[456]},{"name":"class_MAX","features":[456]},{"name":"class_NULL","features":[456]},{"name":"class_POLICY_DATA","features":[456]},{"name":"class_RSVP_HOP","features":[456]},{"name":"class_SCOPE","features":[456]},{"name":"class_SENDER_TEMPLATE","features":[456]},{"name":"class_SENDER_TSPEC","features":[456]},{"name":"class_SESSION","features":[456]},{"name":"class_SESSION_GROUP","features":[456]},{"name":"class_STYLE","features":[456]},{"name":"class_TIME_VALUES","features":[456]},{"name":"ctype_ADSPEC_INTSERV","features":[456]},{"name":"ctype_ERROR_SPEC_ipv4","features":[456]},{"name":"ctype_FILTER_SPEC_ipv4","features":[456]},{"name":"ctype_FILTER_SPEC_ipv4GPI","features":[456]},{"name":"ctype_FLOWSPEC_Intserv0","features":[456]},{"name":"ctype_POLICY_DATA","features":[456]},{"name":"ctype_RSVP_HOP_ipv4","features":[456]},{"name":"ctype_SCOPE_list_ipv4","features":[456]},{"name":"ctype_SENDER_TEMPLATE_ipv4","features":[456]},{"name":"ctype_SENDER_TEMPLATE_ipv4GPI","features":[456]},{"name":"ctype_SENDER_TSPEC","features":[456]},{"name":"ctype_SESSION_ipv4","features":[456]},{"name":"ctype_SESSION_ipv4GPI","features":[456]},{"name":"ctype_STYLE","features":[456]},{"name":"int_serv_wkp","features":[456]},{"name":"ioctl_code","features":[456]},{"name":"mCOMPANY","features":[456]},{"name":"mIOC_IN","features":[456]},{"name":"mIOC_OUT","features":[456]},{"name":"mIOC_VENDOR","features":[456]}],"457":[{"name":"ALLOW_NO_AUTH","features":[457]},{"name":"ALL_SOURCES","features":[457]},{"name":"ANY_SOURCE","features":[457]},{"name":"ATADDRESSLEN","features":[457]},{"name":"AUTH_VALIDATION_EX","features":[308,457]},{"name":"DO_NOT_ALLOW_NO_AUTH","features":[457]},{"name":"ERROR_ACCESSING_TCPCFGDLL","features":[457]},{"name":"ERROR_ACCT_DISABLED","features":[457]},{"name":"ERROR_ACCT_EXPIRED","features":[457]},{"name":"ERROR_ACTION_REQUIRED","features":[457]},{"name":"ERROR_ALLOCATING_MEMORY","features":[457]},{"name":"ERROR_ALREADY_DISCONNECTING","features":[457]},{"name":"ERROR_ASYNC_REQUEST_PENDING","features":[457]},{"name":"ERROR_AUTHENTICATION_FAILURE","features":[457]},{"name":"ERROR_AUTH_INTERNAL","features":[457]},{"name":"ERROR_AUTOMATIC_VPN_FAILED","features":[457]},{"name":"ERROR_BAD_ADDRESS_SPECIFIED","features":[457]},{"name":"ERROR_BAD_CALLBACK_NUMBER","features":[457]},{"name":"ERROR_BAD_PHONE_NUMBER","features":[457]},{"name":"ERROR_BAD_STRING","features":[457]},{"name":"ERROR_BAD_USAGE_IN_INI_FILE","features":[457]},{"name":"ERROR_BIPLEX_PORT_NOT_AVAILABLE","features":[457]},{"name":"ERROR_BLOCKED","features":[457]},{"name":"ERROR_BROADBAND_ACTIVE","features":[457]},{"name":"ERROR_BROADBAND_NO_NIC","features":[457]},{"name":"ERROR_BROADBAND_TIMEOUT","features":[457]},{"name":"ERROR_BUFFER_INVALID","features":[457]},{"name":"ERROR_BUFFER_TOO_SMALL","features":[457]},{"name":"ERROR_BUNDLE_NOT_FOUND","features":[457]},{"name":"ERROR_CANNOT_DELETE","features":[457]},{"name":"ERROR_CANNOT_DO_CUSTOMDIAL","features":[457]},{"name":"ERROR_CANNOT_FIND_PHONEBOOK_ENTRY","features":[457]},{"name":"ERROR_CANNOT_GET_LANA","features":[457]},{"name":"ERROR_CANNOT_INITIATE_MOBIKE_UPDATE","features":[457]},{"name":"ERROR_CANNOT_LOAD_PHONEBOOK","features":[457]},{"name":"ERROR_CANNOT_LOAD_STRING","features":[457]},{"name":"ERROR_CANNOT_OPEN_PHONEBOOK","features":[457]},{"name":"ERROR_CANNOT_PROJECT_CLIENT","features":[457]},{"name":"ERROR_CANNOT_SET_PORT_INFO","features":[457]},{"name":"ERROR_CANNOT_SHARE_CONNECTION","features":[457]},{"name":"ERROR_CANNOT_USE_LOGON_CREDENTIALS","features":[457]},{"name":"ERROR_CANNOT_WRITE_PHONEBOOK","features":[457]},{"name":"ERROR_CERT_FOR_ENCRYPTION_NOT_FOUND","features":[457]},{"name":"ERROR_CHANGING_PASSWORD","features":[457]},{"name":"ERROR_CMD_TOO_LONG","features":[457]},{"name":"ERROR_CONGESTION","features":[457]},{"name":"ERROR_CONNECTING_DEVICE_NOT_FOUND","features":[457]},{"name":"ERROR_CONNECTION_ALREADY_SHARED","features":[457]},{"name":"ERROR_CONNECTION_REJECT","features":[457]},{"name":"ERROR_CORRUPT_PHONEBOOK","features":[457]},{"name":"ERROR_DCB_NOT_FOUND","features":[457]},{"name":"ERROR_DEFAULTOFF_MACRO_NOT_FOUND","features":[457]},{"name":"ERROR_DEVICENAME_NOT_FOUND","features":[457]},{"name":"ERROR_DEVICENAME_TOO_LONG","features":[457]},{"name":"ERROR_DEVICETYPE_DOES_NOT_EXIST","features":[457]},{"name":"ERROR_DEVICE_COMPLIANCE","features":[457]},{"name":"ERROR_DEVICE_DOES_NOT_EXIST","features":[457]},{"name":"ERROR_DEVICE_NOT_READY","features":[457]},{"name":"ERROR_DIAL_ALREADY_IN_PROGRESS","features":[457]},{"name":"ERROR_DISCONNECTION","features":[457]},{"name":"ERROR_DNSNAME_NOT_RESOLVABLE","features":[457]},{"name":"ERROR_DONOTDISTURB","features":[457]},{"name":"ERROR_EAPTLS_CACHE_CREDENTIALS_INVALID","features":[457]},{"name":"ERROR_EAPTLS_PASSWD_INVALID","features":[457]},{"name":"ERROR_EAPTLS_SCARD_CACHE_CREDENTIALS_INVALID","features":[457]},{"name":"ERROR_EAP_METHOD_DOES_NOT_SUPPORT_SSO","features":[457]},{"name":"ERROR_EAP_METHOD_NOT_INSTALLED","features":[457]},{"name":"ERROR_EAP_METHOD_OPERATION_NOT_SUPPORTED","features":[457]},{"name":"ERROR_EAP_SERVER_CERT_EXPIRED","features":[457]},{"name":"ERROR_EAP_SERVER_CERT_INVALID","features":[457]},{"name":"ERROR_EAP_SERVER_CERT_OTHER_ERROR","features":[457]},{"name":"ERROR_EAP_SERVER_CERT_REVOKED","features":[457]},{"name":"ERROR_EAP_SERVER_ROOT_CERT_INVALID","features":[457]},{"name":"ERROR_EAP_SERVER_ROOT_CERT_NAME_REQUIRED","features":[457]},{"name":"ERROR_EAP_SERVER_ROOT_CERT_NOT_FOUND","features":[457]},{"name":"ERROR_EAP_USER_CERT_EXPIRED","features":[457]},{"name":"ERROR_EAP_USER_CERT_INVALID","features":[457]},{"name":"ERROR_EAP_USER_CERT_OTHER_ERROR","features":[457]},{"name":"ERROR_EAP_USER_CERT_REVOKED","features":[457]},{"name":"ERROR_EAP_USER_ROOT_CERT_EXPIRED","features":[457]},{"name":"ERROR_EAP_USER_ROOT_CERT_INVALID","features":[457]},{"name":"ERROR_EAP_USER_ROOT_CERT_NOT_FOUND","features":[457]},{"name":"ERROR_EMPTY_INI_FILE","features":[457]},{"name":"ERROR_EVENT_INVALID","features":[457]},{"name":"ERROR_FAILED_CP_REQUIRED","features":[457]},{"name":"ERROR_FAILED_TO_ENCRYPT","features":[457]},{"name":"ERROR_FAST_USER_SWITCH","features":[457]},{"name":"ERROR_FEATURE_DEPRECATED","features":[457]},{"name":"ERROR_FILE_COULD_NOT_BE_OPENED","features":[457]},{"name":"ERROR_FROM_DEVICE","features":[457]},{"name":"ERROR_HANGUP_FAILED","features":[457]},{"name":"ERROR_HARDWARE_FAILURE","features":[457]},{"name":"ERROR_HIBERNATION","features":[457]},{"name":"ERROR_IDLE_TIMEOUT","features":[457]},{"name":"ERROR_IKEV2_PSK_INTERFACE_ALREADY_EXISTS","features":[457]},{"name":"ERROR_INCOMPATIBLE","features":[457]},{"name":"ERROR_INTERACTIVE_MODE","features":[457]},{"name":"ERROR_INTERNAL_ADDRESS_FAILURE","features":[457]},{"name":"ERROR_INVALID_AUTH_STATE","features":[457]},{"name":"ERROR_INVALID_CALLBACK_NUMBER","features":[457]},{"name":"ERROR_INVALID_COMPRESSION_SPECIFIED","features":[457]},{"name":"ERROR_INVALID_DESTINATION_IP","features":[457]},{"name":"ERROR_INVALID_FUNCTION_FOR_ENTRY","features":[457]},{"name":"ERROR_INVALID_INTERFACE_CONFIG","features":[457]},{"name":"ERROR_INVALID_MSCHAPV2_CONFIG","features":[457]},{"name":"ERROR_INVALID_PEAP_COOKIE_ATTRIBUTES","features":[457]},{"name":"ERROR_INVALID_PEAP_COOKIE_CONFIG","features":[457]},{"name":"ERROR_INVALID_PEAP_COOKIE_USER","features":[457]},{"name":"ERROR_INVALID_PORT_HANDLE","features":[457]},{"name":"ERROR_INVALID_PREFERENCES","features":[457]},{"name":"ERROR_INVALID_SERVER_CERT","features":[457]},{"name":"ERROR_INVALID_SIZE","features":[457]},{"name":"ERROR_INVALID_SMM","features":[457]},{"name":"ERROR_INVALID_TUNNELID","features":[457]},{"name":"ERROR_INVALID_VPNSTRATEGY","features":[457]},{"name":"ERROR_IN_COMMAND","features":[457]},{"name":"ERROR_IPSEC_SERVICE_STOPPED","features":[457]},{"name":"ERROR_IPXCP_DIALOUT_ALREADY_ACTIVE","features":[457]},{"name":"ERROR_IPXCP_NET_NUMBER_CONFLICT","features":[457]},{"name":"ERROR_IPXCP_NO_DIALIN_CONFIGURED","features":[457]},{"name":"ERROR_IPXCP_NO_DIALOUT_CONFIGURED","features":[457]},{"name":"ERROR_IP_CONFIGURATION","features":[457]},{"name":"ERROR_KEY_NOT_FOUND","features":[457]},{"name":"ERROR_LINE_BUSY","features":[457]},{"name":"ERROR_LINK_FAILURE","features":[457]},{"name":"ERROR_MACRO_NOT_DEFINED","features":[457]},{"name":"ERROR_MACRO_NOT_FOUND","features":[457]},{"name":"ERROR_MESSAGE_MACRO_NOT_FOUND","features":[457]},{"name":"ERROR_MOBIKE_DISABLED","features":[457]},{"name":"ERROR_NAME_EXISTS_ON_NET","features":[457]},{"name":"ERROR_NETBIOS_ERROR","features":[457]},{"name":"ERROR_NOT_BINARY_MACRO","features":[457]},{"name":"ERROR_NOT_NAP_CAPABLE","features":[457]},{"name":"ERROR_NO_ACTIVE_ISDN_LINES","features":[457]},{"name":"ERROR_NO_ANSWER","features":[457]},{"name":"ERROR_NO_CARRIER","features":[457]},{"name":"ERROR_NO_CERTIFICATE","features":[457]},{"name":"ERROR_NO_COMMAND_FOUND","features":[457]},{"name":"ERROR_NO_CONNECTION","features":[457]},{"name":"ERROR_NO_DIALIN_PERMISSION","features":[457]},{"name":"ERROR_NO_DIALTONE","features":[457]},{"name":"ERROR_NO_DIFF_USER_AT_LOGON","features":[457]},{"name":"ERROR_NO_EAPTLS_CERTIFICATE","features":[457]},{"name":"ERROR_NO_ENDPOINTS","features":[457]},{"name":"ERROR_NO_IP_ADDRESSES","features":[457]},{"name":"ERROR_NO_IP_RAS_ADAPTER","features":[457]},{"name":"ERROR_NO_ISDN_CHANNELS_AVAILABLE","features":[457]},{"name":"ERROR_NO_LOCAL_ENCRYPTION","features":[457]},{"name":"ERROR_NO_MAC_FOR_PORT","features":[457]},{"name":"ERROR_NO_REG_CERT_AT_LOGON","features":[457]},{"name":"ERROR_NO_REMOTE_ENCRYPTION","features":[457]},{"name":"ERROR_NO_RESPONSES","features":[457]},{"name":"ERROR_NO_SMART_CARD_READER","features":[457]},{"name":"ERROR_NUMBERCHANGED","features":[457]},{"name":"ERROR_OAKLEY_ATTRIB_FAIL","features":[457]},{"name":"ERROR_OAKLEY_AUTH_FAIL","features":[457]},{"name":"ERROR_OAKLEY_ERROR","features":[457]},{"name":"ERROR_OAKLEY_GENERAL_PROCESSING","features":[457]},{"name":"ERROR_OAKLEY_NO_CERT","features":[457]},{"name":"ERROR_OAKLEY_NO_PEER_CERT","features":[457]},{"name":"ERROR_OAKLEY_NO_POLICY","features":[457]},{"name":"ERROR_OAKLEY_TIMED_OUT","features":[457]},{"name":"ERROR_OUTOFORDER","features":[457]},{"name":"ERROR_OUT_OF_BUFFERS","features":[457]},{"name":"ERROR_OVERRUN","features":[457]},{"name":"ERROR_PARTIAL_RESPONSE_LOOPING","features":[457]},{"name":"ERROR_PASSWD_EXPIRED","features":[457]},{"name":"ERROR_PEAP_CRYPTOBINDING_INVALID","features":[457]},{"name":"ERROR_PEAP_CRYPTOBINDING_NOTRECEIVED","features":[457]},{"name":"ERROR_PEAP_IDENTITY_MISMATCH","features":[457]},{"name":"ERROR_PEAP_SERVER_REJECTED_CLIENT_TLV","features":[457]},{"name":"ERROR_PHONE_NUMBER_TOO_LONG","features":[457]},{"name":"ERROR_PLUGIN_NOT_INSTALLED","features":[457]},{"name":"ERROR_PORT_ALREADY_OPEN","features":[457]},{"name":"ERROR_PORT_DISCONNECTED","features":[457]},{"name":"ERROR_PORT_NOT_AVAILABLE","features":[457]},{"name":"ERROR_PORT_NOT_CONFIGURED","features":[457]},{"name":"ERROR_PORT_NOT_CONNECTED","features":[457]},{"name":"ERROR_PORT_NOT_FOUND","features":[457]},{"name":"ERROR_PORT_NOT_OPEN","features":[457]},{"name":"ERROR_PORT_OR_DEVICE","features":[457]},{"name":"ERROR_PPP_CP_REJECTED","features":[457]},{"name":"ERROR_PPP_INVALID_PACKET","features":[457]},{"name":"ERROR_PPP_LCP_TERMINATED","features":[457]},{"name":"ERROR_PPP_LOOPBACK_DETECTED","features":[457]},{"name":"ERROR_PPP_NCP_TERMINATED","features":[457]},{"name":"ERROR_PPP_NOT_CONVERGING","features":[457]},{"name":"ERROR_PPP_NO_ADDRESS_ASSIGNED","features":[457]},{"name":"ERROR_PPP_NO_PROTOCOLS_CONFIGURED","features":[457]},{"name":"ERROR_PPP_NO_RESPONSE","features":[457]},{"name":"ERROR_PPP_REMOTE_TERMINATED","features":[457]},{"name":"ERROR_PPP_REQUIRED_ADDRESS_REJECTED","features":[457]},{"name":"ERROR_PPP_TIMEOUT","features":[457]},{"name":"ERROR_PROJECTION_NOT_COMPLETE","features":[457]},{"name":"ERROR_PROTOCOL_ENGINE_DISABLED","features":[457]},{"name":"ERROR_PROTOCOL_NOT_CONFIGURED","features":[457]},{"name":"ERROR_RASAUTO_CANNOT_INITIALIZE","features":[457]},{"name":"ERROR_RASMAN_CANNOT_INITIALIZE","features":[457]},{"name":"ERROR_RASMAN_SERVICE_STOPPED","features":[457]},{"name":"ERROR_RASQEC_CONN_DOESNOTEXIST","features":[457]},{"name":"ERROR_RASQEC_NAPAGENT_NOT_CONNECTED","features":[457]},{"name":"ERROR_RASQEC_NAPAGENT_NOT_ENABLED","features":[457]},{"name":"ERROR_RASQEC_RESOURCE_CREATION_FAILED","features":[457]},{"name":"ERROR_RASQEC_TIMEOUT","features":[457]},{"name":"ERROR_READING_DEFAULTOFF","features":[457]},{"name":"ERROR_READING_DEVICENAME","features":[457]},{"name":"ERROR_READING_DEVICETYPE","features":[457]},{"name":"ERROR_READING_INI_FILE","features":[457]},{"name":"ERROR_READING_MAXCARRIERBPS","features":[457]},{"name":"ERROR_READING_MAXCONNECTBPS","features":[457]},{"name":"ERROR_READING_SCARD","features":[457]},{"name":"ERROR_READING_SECTIONNAME","features":[457]},{"name":"ERROR_READING_USAGE","features":[457]},{"name":"ERROR_RECV_BUF_FULL","features":[457]},{"name":"ERROR_REMOTE_DISCONNECTION","features":[457]},{"name":"ERROR_REMOTE_REQUIRES_ENCRYPTION","features":[457]},{"name":"ERROR_REQUEST_TIMEOUT","features":[457]},{"name":"ERROR_RESTRICTED_LOGON_HOURS","features":[457]},{"name":"ERROR_ROUTE_NOT_ALLOCATED","features":[457]},{"name":"ERROR_ROUTE_NOT_AVAILABLE","features":[457]},{"name":"ERROR_SCRIPT_SYNTAX","features":[457]},{"name":"ERROR_SERVER_GENERAL_NET_FAILURE","features":[457]},{"name":"ERROR_SERVER_NOT_RESPONDING","features":[457]},{"name":"ERROR_SERVER_OUT_OF_RESOURCES","features":[457]},{"name":"ERROR_SERVER_POLICY","features":[457]},{"name":"ERROR_SHARE_CONNECTION_FAILED","features":[457]},{"name":"ERROR_SHARING_ADDRESS_EXISTS","features":[457]},{"name":"ERROR_SHARING_CHANGE_FAILED","features":[457]},{"name":"ERROR_SHARING_HOST_ADDRESS_CONFLICT","features":[457]},{"name":"ERROR_SHARING_MULTIPLE_ADDRESSES","features":[457]},{"name":"ERROR_SHARING_NO_PRIVATE_LAN","features":[457]},{"name":"ERROR_SHARING_PRIVATE_INSTALL","features":[457]},{"name":"ERROR_SHARING_ROUTER_INSTALL","features":[457]},{"name":"ERROR_SHARING_RRAS_CONFLICT","features":[457]},{"name":"ERROR_SLIP_REQUIRES_IP","features":[457]},{"name":"ERROR_SMART_CARD_REQUIRED","features":[457]},{"name":"ERROR_SMM_TIMEOUT","features":[457]},{"name":"ERROR_SMM_UNINITIALIZED","features":[457]},{"name":"ERROR_SSO_CERT_MISSING","features":[457]},{"name":"ERROR_SSTP_COOKIE_SET_FAILURE","features":[457]},{"name":"ERROR_STATE_MACHINES_ALREADY_STARTED","features":[457]},{"name":"ERROR_STATE_MACHINES_NOT_STARTED","features":[457]},{"name":"ERROR_SYSTEM_SUSPENDED","features":[457]},{"name":"ERROR_TAPI_CONFIGURATION","features":[457]},{"name":"ERROR_TEMPFAILURE","features":[457]},{"name":"ERROR_TOO_MANY_LINE_ERRORS","features":[457]},{"name":"ERROR_TS_UNACCEPTABLE","features":[457]},{"name":"ERROR_UNABLE_TO_AUTHENTICATE_SERVER","features":[457]},{"name":"ERROR_UNEXPECTED_RESPONSE","features":[457]},{"name":"ERROR_UNKNOWN","features":[457]},{"name":"ERROR_UNKNOWN_DEVICE_TYPE","features":[457]},{"name":"ERROR_UNKNOWN_FRAMED_PROTOCOL","features":[457]},{"name":"ERROR_UNKNOWN_RESPONSE_KEY","features":[457]},{"name":"ERROR_UNKNOWN_SERVICE_TYPE","features":[457]},{"name":"ERROR_UNRECOGNIZED_RESPONSE","features":[457]},{"name":"ERROR_UNSUPPORTED_BPS","features":[457]},{"name":"ERROR_UPDATECONNECTION_REQUEST_IN_PROCESS","features":[457]},{"name":"ERROR_USER_DISCONNECTION","features":[457]},{"name":"ERROR_USER_LOGOFF","features":[457]},{"name":"ERROR_VALIDATING_SERVER_CERT","features":[457]},{"name":"ERROR_VOICE_ANSWER","features":[457]},{"name":"ERROR_VPN_BAD_CERT","features":[457]},{"name":"ERROR_VPN_BAD_PSK","features":[457]},{"name":"ERROR_VPN_DISCONNECT","features":[457]},{"name":"ERROR_VPN_GRE_BLOCKED","features":[457]},{"name":"ERROR_VPN_PLUGIN_GENERIC","features":[457]},{"name":"ERROR_VPN_REFUSED","features":[457]},{"name":"ERROR_VPN_TIMEOUT","features":[457]},{"name":"ERROR_WRITING_DEFAULTOFF","features":[457]},{"name":"ERROR_WRITING_DEVICENAME","features":[457]},{"name":"ERROR_WRITING_DEVICETYPE","features":[457]},{"name":"ERROR_WRITING_INITBPS","features":[457]},{"name":"ERROR_WRITING_MAXCARRIERBPS","features":[457]},{"name":"ERROR_WRITING_MAXCONNECTBPS","features":[457]},{"name":"ERROR_WRITING_SECTIONNAME","features":[457]},{"name":"ERROR_WRITING_USAGE","features":[457]},{"name":"ERROR_WRONG_DEVICE_ATTACHED","features":[457]},{"name":"ERROR_WRONG_INFO_SPECIFIED","features":[457]},{"name":"ERROR_WRONG_KEY_SPECIFIED","features":[457]},{"name":"ERROR_WRONG_MODULE","features":[457]},{"name":"ERROR_WRONG_TUNNEL_TYPE","features":[457]},{"name":"ERROR_X25_DIAGNOSTIC","features":[457]},{"name":"ET_None","features":[457]},{"name":"ET_Optional","features":[457]},{"name":"ET_Require","features":[457]},{"name":"ET_RequireMax","features":[457]},{"name":"GRE_CONFIG_PARAMS0","features":[457]},{"name":"HRASCONN","features":[457]},{"name":"IKEV2_CONFIG_PARAMS","features":[308,457,392]},{"name":"IKEV2_ID_PAYLOAD_TYPE","features":[457]},{"name":"IKEV2_ID_PAYLOAD_TYPE_DER_ASN1_DN","features":[457]},{"name":"IKEV2_ID_PAYLOAD_TYPE_DER_ASN1_GN","features":[457]},{"name":"IKEV2_ID_PAYLOAD_TYPE_FQDN","features":[457]},{"name":"IKEV2_ID_PAYLOAD_TYPE_ID_IPV6_ADDR","features":[457]},{"name":"IKEV2_ID_PAYLOAD_TYPE_INVALID","features":[457]},{"name":"IKEV2_ID_PAYLOAD_TYPE_IPV4_ADDR","features":[457]},{"name":"IKEV2_ID_PAYLOAD_TYPE_KEY_ID","features":[457]},{"name":"IKEV2_ID_PAYLOAD_TYPE_MAX","features":[457]},{"name":"IKEV2_ID_PAYLOAD_TYPE_RESERVED1","features":[457]},{"name":"IKEV2_ID_PAYLOAD_TYPE_RESERVED2","features":[457]},{"name":"IKEV2_ID_PAYLOAD_TYPE_RESERVED3","features":[457]},{"name":"IKEV2_ID_PAYLOAD_TYPE_RESERVED4","features":[457]},{"name":"IKEV2_ID_PAYLOAD_TYPE_RFC822_ADDR","features":[457]},{"name":"IKEV2_PROJECTION_INFO","features":[457]},{"name":"IKEV2_PROJECTION_INFO2","features":[457]},{"name":"IKEV2_TUNNEL_CONFIG_PARAMS2","features":[457,392]},{"name":"IKEV2_TUNNEL_CONFIG_PARAMS3","features":[308,457,392]},{"name":"IKEV2_TUNNEL_CONFIG_PARAMS4","features":[308,457,392]},{"name":"IPADDRESSLEN","features":[457]},{"name":"IPV6_ADDRESS_LEN_IN_BYTES","features":[457]},{"name":"IPXADDRESSLEN","features":[457]},{"name":"L2TP_CONFIG_PARAMS0","features":[457]},{"name":"L2TP_CONFIG_PARAMS1","features":[457]},{"name":"L2TP_TUNNEL_CONFIG_PARAMS1","features":[457]},{"name":"L2TP_TUNNEL_CONFIG_PARAMS2","features":[457]},{"name":"MAXIPADRESSLEN","features":[457]},{"name":"MAX_SSTP_HASH_SIZE","features":[457]},{"name":"METHOD_BGP4_AS_PATH","features":[457]},{"name":"METHOD_BGP4_NEXTHOP_ATTR","features":[457]},{"name":"METHOD_BGP4_PA_ORIGIN","features":[457]},{"name":"METHOD_BGP4_PEER_ID","features":[457]},{"name":"METHOD_RIP2_NEIGHBOUR_ADDR","features":[457]},{"name":"METHOD_RIP2_OUTBOUND_INTF","features":[457]},{"name":"METHOD_RIP2_ROUTE_TAG","features":[457]},{"name":"METHOD_RIP2_ROUTE_TIMESTAMP","features":[457]},{"name":"METHOD_TYPE_ALL_METHODS","features":[457]},{"name":"MGM_ENUM_TYPES","features":[457]},{"name":"MGM_FORWARD_STATE_FLAG","features":[457]},{"name":"MGM_IF_ENTRY","features":[308,457]},{"name":"MGM_JOIN_STATE_FLAG","features":[457]},{"name":"MGM_MFE_STATS_0","features":[457]},{"name":"MGM_MFE_STATS_1","features":[457]},{"name":"MPRAPI_ADMIN_DLL_CALLBACKS","features":[308,457,321]},{"name":"MPRAPI_ADMIN_DLL_VERSION_1","features":[457]},{"name":"MPRAPI_ADMIN_DLL_VERSION_2","features":[457]},{"name":"MPRAPI_IF_CUSTOM_CONFIG_FOR_IKEV2","features":[457]},{"name":"MPRAPI_IKEV2_AUTH_USING_CERT","features":[457]},{"name":"MPRAPI_IKEV2_AUTH_USING_EAP","features":[457]},{"name":"MPRAPI_IKEV2_PROJECTION_INFO_TYPE","features":[457]},{"name":"MPRAPI_IKEV2_SET_TUNNEL_CONFIG_PARAMS","features":[457]},{"name":"MPRAPI_L2TP_SET_TUNNEL_CONFIG_PARAMS","features":[457]},{"name":"MPRAPI_MPR_IF_CUSTOM_CONFIG_OBJECT_REVISION_1","features":[457]},{"name":"MPRAPI_MPR_IF_CUSTOM_CONFIG_OBJECT_REVISION_2","features":[457]},{"name":"MPRAPI_MPR_IF_CUSTOM_CONFIG_OBJECT_REVISION_3","features":[457]},{"name":"MPRAPI_MPR_SERVER_OBJECT_REVISION_1","features":[457]},{"name":"MPRAPI_MPR_SERVER_OBJECT_REVISION_2","features":[457]},{"name":"MPRAPI_MPR_SERVER_OBJECT_REVISION_3","features":[457]},{"name":"MPRAPI_MPR_SERVER_OBJECT_REVISION_4","features":[457]},{"name":"MPRAPI_MPR_SERVER_OBJECT_REVISION_5","features":[457]},{"name":"MPRAPI_MPR_SERVER_SET_CONFIG_OBJECT_REVISION_1","features":[457]},{"name":"MPRAPI_MPR_SERVER_SET_CONFIG_OBJECT_REVISION_2","features":[457]},{"name":"MPRAPI_MPR_SERVER_SET_CONFIG_OBJECT_REVISION_3","features":[457]},{"name":"MPRAPI_MPR_SERVER_SET_CONFIG_OBJECT_REVISION_4","features":[457]},{"name":"MPRAPI_MPR_SERVER_SET_CONFIG_OBJECT_REVISION_5","features":[457]},{"name":"MPRAPI_OBJECT_HEADER","features":[457]},{"name":"MPRAPI_OBJECT_TYPE","features":[457]},{"name":"MPRAPI_OBJECT_TYPE_AUTH_VALIDATION_OBJECT","features":[457]},{"name":"MPRAPI_OBJECT_TYPE_IF_CUSTOM_CONFIG_OBJECT","features":[457]},{"name":"MPRAPI_OBJECT_TYPE_MPR_SERVER_OBJECT","features":[457]},{"name":"MPRAPI_OBJECT_TYPE_MPR_SERVER_SET_CONFIG_OBJECT","features":[457]},{"name":"MPRAPI_OBJECT_TYPE_RAS_CONNECTION_OBJECT","features":[457]},{"name":"MPRAPI_OBJECT_TYPE_UPDATE_CONNECTION_OBJECT","features":[457]},{"name":"MPRAPI_PPP_PROJECTION_INFO_TYPE","features":[457]},{"name":"MPRAPI_RAS_CONNECTION_OBJECT_REVISION_1","features":[457]},{"name":"MPRAPI_RAS_UPDATE_CONNECTION_OBJECT_REVISION_1","features":[457]},{"name":"MPRAPI_SET_CONFIG_PROTOCOL_FOR_GRE","features":[457]},{"name":"MPRAPI_SET_CONFIG_PROTOCOL_FOR_IKEV2","features":[457]},{"name":"MPRAPI_SET_CONFIG_PROTOCOL_FOR_L2TP","features":[457]},{"name":"MPRAPI_SET_CONFIG_PROTOCOL_FOR_PPTP","features":[457]},{"name":"MPRAPI_SET_CONFIG_PROTOCOL_FOR_SSTP","features":[457]},{"name":"MPRAPI_TUNNEL_CONFIG_PARAMS0","features":[308,457,392]},{"name":"MPRAPI_TUNNEL_CONFIG_PARAMS1","features":[308,457,392]},{"name":"MPRDM_DialAll","features":[457]},{"name":"MPRDM_DialAsNeeded","features":[457]},{"name":"MPRDM_DialFirst","features":[457]},{"name":"MPRDT_Atm","features":[457]},{"name":"MPRDT_FrameRelay","features":[457]},{"name":"MPRDT_Generic","features":[457]},{"name":"MPRDT_Irda","features":[457]},{"name":"MPRDT_Isdn","features":[457]},{"name":"MPRDT_Modem","features":[457]},{"name":"MPRDT_Pad","features":[457]},{"name":"MPRDT_Parallel","features":[457]},{"name":"MPRDT_SW56","features":[457]},{"name":"MPRDT_Serial","features":[457]},{"name":"MPRDT_Sonet","features":[457]},{"name":"MPRDT_Vpn","features":[457]},{"name":"MPRDT_X25","features":[457]},{"name":"MPRET_Direct","features":[457]},{"name":"MPRET_Phone","features":[457]},{"name":"MPRET_Vpn","features":[457]},{"name":"MPRIDS_Disabled","features":[457]},{"name":"MPRIDS_UseGlobalValue","features":[457]},{"name":"MPRIO_DisableLcpExtensions","features":[457]},{"name":"MPRIO_IpHeaderCompression","features":[457]},{"name":"MPRIO_IpSecPreSharedKey","features":[457]},{"name":"MPRIO_NetworkLogon","features":[457]},{"name":"MPRIO_PromoteAlternates","features":[457]},{"name":"MPRIO_RemoteDefaultGateway","features":[457]},{"name":"MPRIO_RequireCHAP","features":[457]},{"name":"MPRIO_RequireDataEncryption","features":[457]},{"name":"MPRIO_RequireEAP","features":[457]},{"name":"MPRIO_RequireEncryptedPw","features":[457]},{"name":"MPRIO_RequireMachineCertificates","features":[457]},{"name":"MPRIO_RequireMsCHAP","features":[457]},{"name":"MPRIO_RequireMsCHAP2","features":[457]},{"name":"MPRIO_RequireMsEncryptedPw","features":[457]},{"name":"MPRIO_RequirePAP","features":[457]},{"name":"MPRIO_RequireSPAP","features":[457]},{"name":"MPRIO_SecureLocalFiles","features":[457]},{"name":"MPRIO_SharedPhoneNumbers","features":[457]},{"name":"MPRIO_SpecificIpAddr","features":[457]},{"name":"MPRIO_SpecificNameServers","features":[457]},{"name":"MPRIO_SwCompression","features":[457]},{"name":"MPRIO_UsePreSharedKeyForIkev2Initiator","features":[457]},{"name":"MPRIO_UsePreSharedKeyForIkev2Responder","features":[457]},{"name":"MPRNP_Ip","features":[457]},{"name":"MPRNP_Ipv6","features":[457]},{"name":"MPRNP_Ipx","features":[457]},{"name":"MPR_CERT_EKU","features":[308,457]},{"name":"MPR_CREDENTIALSEX_0","features":[457]},{"name":"MPR_CREDENTIALSEX_1","features":[457]},{"name":"MPR_DEVICE_0","features":[457]},{"name":"MPR_DEVICE_1","features":[457]},{"name":"MPR_ENABLE_RAS_ON_DEVICE","features":[457]},{"name":"MPR_ENABLE_ROUTING_ON_DEVICE","features":[457]},{"name":"MPR_ET","features":[457]},{"name":"MPR_ET_None","features":[457]},{"name":"MPR_ET_Optional","features":[457]},{"name":"MPR_ET_Require","features":[457]},{"name":"MPR_ET_RequireMax","features":[457]},{"name":"MPR_FILTER_0","features":[308,457]},{"name":"MPR_IFTRANSPORT_0","features":[308,457]},{"name":"MPR_IF_CUSTOMINFOEX0","features":[457,392]},{"name":"MPR_IF_CUSTOMINFOEX1","features":[457,392]},{"name":"MPR_IF_CUSTOMINFOEX2","features":[457,321,392]},{"name":"MPR_INTERFACE_0","features":[308,457]},{"name":"MPR_INTERFACE_1","features":[308,457]},{"name":"MPR_INTERFACE_2","features":[308,457]},{"name":"MPR_INTERFACE_3","features":[308,457,321]},{"name":"MPR_INTERFACE_ADMIN_DISABLED","features":[457]},{"name":"MPR_INTERFACE_CONNECTION_FAILURE","features":[457]},{"name":"MPR_INTERFACE_DIALOUT_HOURS_RESTRICTION","features":[457]},{"name":"MPR_INTERFACE_DIAL_MODE","features":[457]},{"name":"MPR_INTERFACE_NO_DEVICE","features":[457]},{"name":"MPR_INTERFACE_NO_MEDIA_SENSE","features":[457]},{"name":"MPR_INTERFACE_OUT_OF_RESOURCES","features":[457]},{"name":"MPR_INTERFACE_SERVICE_PAUSED","features":[457]},{"name":"MPR_IPINIP_INTERFACE_0","features":[457]},{"name":"MPR_MaxAreaCode","features":[457]},{"name":"MPR_MaxCallbackNumber","features":[457]},{"name":"MPR_MaxDeviceName","features":[457]},{"name":"MPR_MaxDeviceType","features":[457]},{"name":"MPR_MaxEntryName","features":[457]},{"name":"MPR_MaxFacilities","features":[457]},{"name":"MPR_MaxIpAddress","features":[457]},{"name":"MPR_MaxIpxAddress","features":[457]},{"name":"MPR_MaxPadType","features":[457]},{"name":"MPR_MaxPhoneNumber","features":[457]},{"name":"MPR_MaxUserData","features":[457]},{"name":"MPR_MaxX25Address","features":[457]},{"name":"MPR_SERVER_0","features":[308,457]},{"name":"MPR_SERVER_1","features":[457]},{"name":"MPR_SERVER_2","features":[457]},{"name":"MPR_SERVER_EX0","features":[308,457,392]},{"name":"MPR_SERVER_EX1","features":[308,457,392]},{"name":"MPR_SERVER_SET_CONFIG_EX0","features":[308,457,392]},{"name":"MPR_SERVER_SET_CONFIG_EX1","features":[308,457,392]},{"name":"MPR_TRANSPORT_0","features":[308,457]},{"name":"MPR_VPN_TRAFFIC_SELECTOR","features":[457,321]},{"name":"MPR_VPN_TRAFFIC_SELECTORS","features":[457,321]},{"name":"MPR_VPN_TS_IPv4_ADDR_RANGE","features":[457]},{"name":"MPR_VPN_TS_IPv6_ADDR_RANGE","features":[457]},{"name":"MPR_VPN_TS_TYPE","features":[457]},{"name":"MPR_VS","features":[457]},{"name":"MPR_VS_Default","features":[457]},{"name":"MPR_VS_Ikev2First","features":[457]},{"name":"MPR_VS_Ikev2Only","features":[457]},{"name":"MPR_VS_L2tpFirst","features":[457]},{"name":"MPR_VS_L2tpOnly","features":[457]},{"name":"MPR_VS_PptpFirst","features":[457]},{"name":"MPR_VS_PptpOnly","features":[457]},{"name":"MgmAddGroupMembershipEntry","features":[308,457]},{"name":"MgmDeRegisterMProtocol","features":[308,457]},{"name":"MgmDeleteGroupMembershipEntry","features":[308,457]},{"name":"MgmGetFirstMfe","features":[457]},{"name":"MgmGetFirstMfeStats","features":[457]},{"name":"MgmGetMfe","features":[447,457]},{"name":"MgmGetMfeStats","features":[447,457]},{"name":"MgmGetNextMfe","features":[447,457]},{"name":"MgmGetNextMfeStats","features":[447,457]},{"name":"MgmGetProtocolOnInterface","features":[457]},{"name":"MgmGroupEnumerationEnd","features":[308,457]},{"name":"MgmGroupEnumerationGetNext","features":[308,457]},{"name":"MgmGroupEnumerationStart","features":[308,457]},{"name":"MgmRegisterMProtocol","features":[308,457]},{"name":"MgmReleaseInterfaceOwnership","features":[308,457]},{"name":"MgmTakeInterfaceOwnership","features":[308,457]},{"name":"MprAdminBufferFree","features":[457]},{"name":"MprAdminConnectionClearStats","features":[308,457]},{"name":"MprAdminConnectionEnum","features":[457]},{"name":"MprAdminConnectionEnumEx","features":[308,457]},{"name":"MprAdminConnectionGetInfo","features":[308,457]},{"name":"MprAdminConnectionGetInfoEx","features":[308,457]},{"name":"MprAdminConnectionRemoveQuarantine","features":[308,457]},{"name":"MprAdminDeregisterConnectionNotification","features":[308,457]},{"name":"MprAdminDeviceEnum","features":[457]},{"name":"MprAdminEstablishDomainRasServer","features":[308,457]},{"name":"MprAdminGetErrorString","features":[457]},{"name":"MprAdminGetPDCServer","features":[457]},{"name":"MprAdminInterfaceConnect","features":[308,457]},{"name":"MprAdminInterfaceCreate","features":[308,457]},{"name":"MprAdminInterfaceDelete","features":[308,457]},{"name":"MprAdminInterfaceDeviceGetInfo","features":[308,457]},{"name":"MprAdminInterfaceDeviceSetInfo","features":[308,457]},{"name":"MprAdminInterfaceDisconnect","features":[308,457]},{"name":"MprAdminInterfaceEnum","features":[457]},{"name":"MprAdminInterfaceGetCredentials","features":[457]},{"name":"MprAdminInterfaceGetCredentialsEx","features":[308,457]},{"name":"MprAdminInterfaceGetCustomInfoEx","features":[308,457,321,392]},{"name":"MprAdminInterfaceGetHandle","features":[308,457]},{"name":"MprAdminInterfaceGetInfo","features":[308,457]},{"name":"MprAdminInterfaceQueryUpdateResult","features":[308,457]},{"name":"MprAdminInterfaceSetCredentials","features":[457]},{"name":"MprAdminInterfaceSetCredentialsEx","features":[308,457]},{"name":"MprAdminInterfaceSetCustomInfoEx","features":[308,457,321,392]},{"name":"MprAdminInterfaceSetInfo","features":[308,457]},{"name":"MprAdminInterfaceTransportAdd","features":[308,457]},{"name":"MprAdminInterfaceTransportGetInfo","features":[308,457]},{"name":"MprAdminInterfaceTransportRemove","features":[308,457]},{"name":"MprAdminInterfaceTransportSetInfo","features":[308,457]},{"name":"MprAdminInterfaceUpdatePhonebookInfo","features":[308,457]},{"name":"MprAdminInterfaceUpdateRoutes","features":[308,457]},{"name":"MprAdminIsDomainRasServer","features":[308,457]},{"name":"MprAdminIsServiceInitialized","features":[308,457]},{"name":"MprAdminIsServiceRunning","features":[308,457]},{"name":"MprAdminMIBBufferFree","features":[457]},{"name":"MprAdminMIBEntryCreate","features":[457]},{"name":"MprAdminMIBEntryDelete","features":[457]},{"name":"MprAdminMIBEntryGet","features":[457]},{"name":"MprAdminMIBEntryGetFirst","features":[457]},{"name":"MprAdminMIBEntryGetNext","features":[457]},{"name":"MprAdminMIBEntrySet","features":[457]},{"name":"MprAdminMIBServerConnect","features":[457]},{"name":"MprAdminMIBServerDisconnect","features":[457]},{"name":"MprAdminPortClearStats","features":[308,457]},{"name":"MprAdminPortDisconnect","features":[308,457]},{"name":"MprAdminPortEnum","features":[308,457]},{"name":"MprAdminPortGetInfo","features":[308,457]},{"name":"MprAdminPortReset","features":[308,457]},{"name":"MprAdminRegisterConnectionNotification","features":[308,457]},{"name":"MprAdminSendUserMessage","features":[308,457]},{"name":"MprAdminServerConnect","features":[457]},{"name":"MprAdminServerDisconnect","features":[457]},{"name":"MprAdminServerGetCredentials","features":[457]},{"name":"MprAdminServerGetInfo","features":[457]},{"name":"MprAdminServerGetInfoEx","features":[308,457,392]},{"name":"MprAdminServerSetCredentials","features":[457]},{"name":"MprAdminServerSetInfo","features":[457]},{"name":"MprAdminServerSetInfoEx","features":[308,457,392]},{"name":"MprAdminTransportCreate","features":[457]},{"name":"MprAdminTransportGetInfo","features":[457]},{"name":"MprAdminTransportSetInfo","features":[457]},{"name":"MprAdminUpdateConnection","features":[308,457]},{"name":"MprAdminUserGetInfo","features":[457]},{"name":"MprAdminUserSetInfo","features":[457]},{"name":"MprConfigBufferFree","features":[457]},{"name":"MprConfigFilterGetInfo","features":[308,457]},{"name":"MprConfigFilterSetInfo","features":[308,457]},{"name":"MprConfigGetFriendlyName","features":[308,457]},{"name":"MprConfigGetGuidName","features":[308,457]},{"name":"MprConfigInterfaceCreate","features":[308,457]},{"name":"MprConfigInterfaceDelete","features":[308,457]},{"name":"MprConfigInterfaceEnum","features":[308,457]},{"name":"MprConfigInterfaceGetCustomInfoEx","features":[308,457,321,392]},{"name":"MprConfigInterfaceGetHandle","features":[308,457]},{"name":"MprConfigInterfaceGetInfo","features":[308,457]},{"name":"MprConfigInterfaceSetCustomInfoEx","features":[308,457,321,392]},{"name":"MprConfigInterfaceSetInfo","features":[308,457]},{"name":"MprConfigInterfaceTransportAdd","features":[308,457]},{"name":"MprConfigInterfaceTransportEnum","features":[308,457]},{"name":"MprConfigInterfaceTransportGetHandle","features":[308,457]},{"name":"MprConfigInterfaceTransportGetInfo","features":[308,457]},{"name":"MprConfigInterfaceTransportRemove","features":[308,457]},{"name":"MprConfigInterfaceTransportSetInfo","features":[308,457]},{"name":"MprConfigServerBackup","features":[308,457]},{"name":"MprConfigServerConnect","features":[308,457]},{"name":"MprConfigServerDisconnect","features":[308,457]},{"name":"MprConfigServerGetInfo","features":[308,457]},{"name":"MprConfigServerGetInfoEx","features":[308,457,392]},{"name":"MprConfigServerInstall","features":[457]},{"name":"MprConfigServerRefresh","features":[308,457]},{"name":"MprConfigServerRestore","features":[308,457]},{"name":"MprConfigServerSetInfo","features":[457]},{"name":"MprConfigServerSetInfoEx","features":[308,457,392]},{"name":"MprConfigTransportCreate","features":[308,457]},{"name":"MprConfigTransportDelete","features":[308,457]},{"name":"MprConfigTransportEnum","features":[308,457]},{"name":"MprConfigTransportGetHandle","features":[308,457]},{"name":"MprConfigTransportGetInfo","features":[308,457]},{"name":"MprConfigTransportSetInfo","features":[308,457]},{"name":"MprInfoBlockAdd","features":[457]},{"name":"MprInfoBlockFind","features":[457]},{"name":"MprInfoBlockQuerySize","features":[457]},{"name":"MprInfoBlockRemove","features":[457]},{"name":"MprInfoBlockSet","features":[457]},{"name":"MprInfoCreate","features":[457]},{"name":"MprInfoDelete","features":[457]},{"name":"MprInfoDuplicate","features":[457]},{"name":"MprInfoRemoveAll","features":[457]},{"name":"ORASADFUNC","features":[308,457]},{"name":"PENDING","features":[457]},{"name":"PFNRASFREEBUFFER","features":[457]},{"name":"PFNRASGETBUFFER","features":[457]},{"name":"PFNRASRECEIVEBUFFER","features":[308,457]},{"name":"PFNRASRETRIEVEBUFFER","features":[308,457]},{"name":"PFNRASSENDBUFFER","features":[308,457]},{"name":"PFNRASSETCOMMSETTINGS","features":[308,457]},{"name":"PID_ATALK","features":[457]},{"name":"PID_IP","features":[457]},{"name":"PID_IPV6","features":[457]},{"name":"PID_IPX","features":[457]},{"name":"PID_NBF","features":[457]},{"name":"PMGM_CREATION_ALERT_CALLBACK","features":[308,457]},{"name":"PMGM_DISABLE_IGMP_CALLBACK","features":[457]},{"name":"PMGM_ENABLE_IGMP_CALLBACK","features":[457]},{"name":"PMGM_JOIN_ALERT_CALLBACK","features":[308,457]},{"name":"PMGM_LOCAL_JOIN_CALLBACK","features":[457]},{"name":"PMGM_LOCAL_LEAVE_CALLBACK","features":[457]},{"name":"PMGM_PRUNE_ALERT_CALLBACK","features":[308,457]},{"name":"PMGM_RPF_CALLBACK","features":[457]},{"name":"PMGM_WRONG_IF_CALLBACK","features":[457]},{"name":"PMPRADMINACCEPTNEWCONNECTION","features":[308,457]},{"name":"PMPRADMINACCEPTNEWCONNECTION2","features":[308,457]},{"name":"PMPRADMINACCEPTNEWCONNECTION3","features":[308,457]},{"name":"PMPRADMINACCEPTNEWCONNECTIONEX","features":[308,457]},{"name":"PMPRADMINACCEPTNEWLINK","features":[308,457]},{"name":"PMPRADMINACCEPTREAUTHENTICATION","features":[308,457]},{"name":"PMPRADMINACCEPTREAUTHENTICATIONEX","features":[308,457]},{"name":"PMPRADMINACCEPTTUNNELENDPOINTCHANGEEX","features":[308,457]},{"name":"PMPRADMINCONNECTIONHANGUPNOTIFICATION","features":[308,457]},{"name":"PMPRADMINCONNECTIONHANGUPNOTIFICATION2","features":[308,457]},{"name":"PMPRADMINCONNECTIONHANGUPNOTIFICATION3","features":[308,457]},{"name":"PMPRADMINCONNECTIONHANGUPNOTIFICATIONEX","features":[308,457]},{"name":"PMPRADMINGETIPADDRESSFORUSER","features":[308,457]},{"name":"PMPRADMINGETIPV6ADDRESSFORUSER","features":[308,457,321]},{"name":"PMPRADMINLINKHANGUPNOTIFICATION","features":[308,457]},{"name":"PMPRADMINRASVALIDATEPREAUTHENTICATEDCONNECTIONEX","features":[308,457]},{"name":"PMPRADMINRELEASEIPADRESS","features":[457]},{"name":"PMPRADMINRELEASEIPV6ADDRESSFORUSER","features":[457,321]},{"name":"PMPRADMINTERMINATEDLL","features":[457]},{"name":"PPP_ATCP_INFO","features":[457]},{"name":"PPP_CCP_COMPRESSION","features":[457]},{"name":"PPP_CCP_ENCRYPTION128BIT","features":[457]},{"name":"PPP_CCP_ENCRYPTION40BIT","features":[457]},{"name":"PPP_CCP_ENCRYPTION40BITOLD","features":[457]},{"name":"PPP_CCP_ENCRYPTION56BIT","features":[457]},{"name":"PPP_CCP_HISTORYLESS","features":[457]},{"name":"PPP_CCP_INFO","features":[457]},{"name":"PPP_INFO","features":[457]},{"name":"PPP_INFO_2","features":[457]},{"name":"PPP_INFO_3","features":[457]},{"name":"PPP_IPCP_INFO","features":[457]},{"name":"PPP_IPCP_INFO2","features":[457]},{"name":"PPP_IPCP_VJ","features":[457]},{"name":"PPP_IPV6_CP_INFO","features":[457]},{"name":"PPP_IPXCP_INFO","features":[457]},{"name":"PPP_LCP","features":[457]},{"name":"PPP_LCP_3_DES","features":[457]},{"name":"PPP_LCP_ACFC","features":[457]},{"name":"PPP_LCP_AES_128","features":[457]},{"name":"PPP_LCP_AES_192","features":[457]},{"name":"PPP_LCP_AES_256","features":[457]},{"name":"PPP_LCP_CHAP","features":[457]},{"name":"PPP_LCP_CHAP_MD5","features":[457]},{"name":"PPP_LCP_CHAP_MS","features":[457]},{"name":"PPP_LCP_CHAP_MSV2","features":[457]},{"name":"PPP_LCP_DES_56","features":[457]},{"name":"PPP_LCP_EAP","features":[457]},{"name":"PPP_LCP_GCM_AES_128","features":[457]},{"name":"PPP_LCP_GCM_AES_192","features":[457]},{"name":"PPP_LCP_GCM_AES_256","features":[457]},{"name":"PPP_LCP_INFO","features":[457]},{"name":"PPP_LCP_INFO_AUTH_DATA","features":[457]},{"name":"PPP_LCP_MULTILINK_FRAMING","features":[457]},{"name":"PPP_LCP_PAP","features":[457]},{"name":"PPP_LCP_PFC","features":[457]},{"name":"PPP_LCP_SPAP","features":[457]},{"name":"PPP_LCP_SSHF","features":[457]},{"name":"PPP_NBFCP_INFO","features":[457]},{"name":"PPP_PROJECTION_INFO","features":[457]},{"name":"PPP_PROJECTION_INFO2","features":[457]},{"name":"PPTP_CONFIG_PARAMS","features":[457]},{"name":"PROJECTION_INFO","features":[457]},{"name":"PROJECTION_INFO2","features":[457]},{"name":"PROJECTION_INFO_TYPE_IKEv2","features":[457]},{"name":"PROJECTION_INFO_TYPE_PPP","features":[457]},{"name":"RASADFLG_PositionDlg","features":[457]},{"name":"RASADFUNCA","features":[308,457]},{"name":"RASADFUNCW","features":[308,457]},{"name":"RASADPARAMS","features":[308,457]},{"name":"RASADP_ConnectionQueryTimeout","features":[457]},{"name":"RASADP_DisableConnectionQuery","features":[457]},{"name":"RASADP_FailedConnectionTimeout","features":[457]},{"name":"RASADP_LoginSessionDisable","features":[457]},{"name":"RASADP_SavedAddressesLimit","features":[457]},{"name":"RASAMBA","features":[457]},{"name":"RASAMBW","features":[457]},{"name":"RASAPIVERSION","features":[457]},{"name":"RASAPIVERSION_500","features":[457]},{"name":"RASAPIVERSION_501","features":[457]},{"name":"RASAPIVERSION_600","features":[457]},{"name":"RASAPIVERSION_601","features":[457]},{"name":"RASAUTODIALENTRYA","features":[457]},{"name":"RASAUTODIALENTRYW","features":[457]},{"name":"RASBASE","features":[457]},{"name":"RASBASEEND","features":[457]},{"name":"RASCCPCA_MPPC","features":[457]},{"name":"RASCCPCA_STAC","features":[457]},{"name":"RASCCPO_Compression","features":[457]},{"name":"RASCCPO_Encryption128bit","features":[457]},{"name":"RASCCPO_Encryption40bit","features":[457]},{"name":"RASCCPO_Encryption56bit","features":[457]},{"name":"RASCCPO_HistoryLess","features":[457]},{"name":"RASCF_AllUsers","features":[457]},{"name":"RASCF_GlobalCreds","features":[457]},{"name":"RASCF_OwnerKnown","features":[457]},{"name":"RASCF_OwnerMatch","features":[457]},{"name":"RASCM_DDMPreSharedKey","features":[457]},{"name":"RASCM_DefaultCreds","features":[457]},{"name":"RASCM_Domain","features":[457]},{"name":"RASCM_Password","features":[457]},{"name":"RASCM_PreSharedKey","features":[457]},{"name":"RASCM_ServerPreSharedKey","features":[457]},{"name":"RASCM_UserName","features":[457]},{"name":"RASCN_BandwidthAdded","features":[457]},{"name":"RASCN_BandwidthRemoved","features":[457]},{"name":"RASCN_Connection","features":[457]},{"name":"RASCN_Disconnection","features":[457]},{"name":"RASCN_Dormant","features":[457]},{"name":"RASCN_EPDGPacketArrival","features":[457]},{"name":"RASCN_ReConnection","features":[457]},{"name":"RASCOMMSETTINGS","features":[457]},{"name":"RASCONNA","features":[308,457]},{"name":"RASCONNA","features":[308,457]},{"name":"RASCONNSTATE","features":[457]},{"name":"RASCONNSTATUSA","features":[457,321]},{"name":"RASCONNSTATUSW","features":[457,321]},{"name":"RASCONNSUBSTATE","features":[457]},{"name":"RASCONNW","features":[308,457]},{"name":"RASCONNW","features":[308,457]},{"name":"RASCREDENTIALSA","features":[457]},{"name":"RASCREDENTIALSW","features":[457]},{"name":"RASCSS_DONE","features":[457]},{"name":"RASCSS_Dormant","features":[457]},{"name":"RASCSS_None","features":[457]},{"name":"RASCSS_Reconnected","features":[457]},{"name":"RASCSS_Reconnecting","features":[457]},{"name":"RASCS_AllDevicesConnected","features":[457]},{"name":"RASCS_ApplySettings","features":[457]},{"name":"RASCS_AuthAck","features":[457]},{"name":"RASCS_AuthCallback","features":[457]},{"name":"RASCS_AuthChangePassword","features":[457]},{"name":"RASCS_AuthLinkSpeed","features":[457]},{"name":"RASCS_AuthNotify","features":[457]},{"name":"RASCS_AuthProject","features":[457]},{"name":"RASCS_AuthRetry","features":[457]},{"name":"RASCS_Authenticate","features":[457]},{"name":"RASCS_Authenticated","features":[457]},{"name":"RASCS_CallbackComplete","features":[457]},{"name":"RASCS_CallbackSetByCaller","features":[457]},{"name":"RASCS_ConnectDevice","features":[457]},{"name":"RASCS_Connected","features":[457]},{"name":"RASCS_DONE","features":[457]},{"name":"RASCS_DeviceConnected","features":[457]},{"name":"RASCS_Disconnected","features":[457]},{"name":"RASCS_Interactive","features":[457]},{"name":"RASCS_InvokeEapUI","features":[457]},{"name":"RASCS_LogonNetwork","features":[457]},{"name":"RASCS_OpenPort","features":[457]},{"name":"RASCS_PAUSED","features":[457]},{"name":"RASCS_PasswordExpired","features":[457]},{"name":"RASCS_PortOpened","features":[457]},{"name":"RASCS_PrepareForCallback","features":[457]},{"name":"RASCS_Projected","features":[457]},{"name":"RASCS_ReAuthenticate","features":[457]},{"name":"RASCS_RetryAuthentication","features":[457]},{"name":"RASCS_StartAuthentication","features":[457]},{"name":"RASCS_SubEntryConnected","features":[457]},{"name":"RASCS_SubEntryDisconnected","features":[457]},{"name":"RASCS_WaitForCallback","features":[457]},{"name":"RASCS_WaitForModemReset","features":[457]},{"name":"RASCTRYINFO","features":[457]},{"name":"RASCUSTOMSCRIPTEXTENSIONS","features":[308,457]},{"name":"RASDDFLAG_AoacRedial","features":[457]},{"name":"RASDDFLAG_LinkFailure","features":[457]},{"name":"RASDDFLAG_NoPrompt","features":[457]},{"name":"RASDDFLAG_PositionDlg","features":[457]},{"name":"RASDEVINFOA","features":[457]},{"name":"RASDEVINFOW","features":[457]},{"name":"RASDEVSPECIFICINFO","features":[457]},{"name":"RASDEVSPECIFICINFO","features":[457]},{"name":"RASDIALDLG","features":[308,457]},{"name":"RASDIALEVENT","features":[457]},{"name":"RASDIALEXTENSIONS","features":[308,457]},{"name":"RASDIALFUNC","features":[457]},{"name":"RASDIALFUNC1","features":[457]},{"name":"RASDIALFUNC2","features":[457]},{"name":"RASDIALPARAMSA","features":[457]},{"name":"RASDIALPARAMSA","features":[457]},{"name":"RASDIALPARAMSW","features":[457]},{"name":"RASDIALPARAMSW","features":[457]},{"name":"RASDT_Atm","features":[457]},{"name":"RASDT_FrameRelay","features":[457]},{"name":"RASDT_Generic","features":[457]},{"name":"RASDT_Irda","features":[457]},{"name":"RASDT_Isdn","features":[457]},{"name":"RASDT_Modem","features":[457]},{"name":"RASDT_PPPoE","features":[457]},{"name":"RASDT_Pad","features":[457]},{"name":"RASDT_Parallel","features":[457]},{"name":"RASDT_SW56","features":[457]},{"name":"RASDT_Serial","features":[457]},{"name":"RASDT_Sonet","features":[457]},{"name":"RASDT_Vpn","features":[457]},{"name":"RASDT_X25","features":[457]},{"name":"RASEAPF_Logon","features":[457]},{"name":"RASEAPF_NonInteractive","features":[457]},{"name":"RASEAPF_Preview","features":[457]},{"name":"RASEAPINFO","features":[457]},{"name":"RASEAPUSERIDENTITYA","features":[457]},{"name":"RASEAPUSERIDENTITYW","features":[457]},{"name":"RASEDFLAG_CloneEntry","features":[457]},{"name":"RASEDFLAG_IncomingConnection","features":[457]},{"name":"RASEDFLAG_InternetEntry","features":[457]},{"name":"RASEDFLAG_NAT","features":[457]},{"name":"RASEDFLAG_NewBroadbandEntry","features":[457]},{"name":"RASEDFLAG_NewDirectEntry","features":[457]},{"name":"RASEDFLAG_NewEntry","features":[457]},{"name":"RASEDFLAG_NewPhoneEntry","features":[457]},{"name":"RASEDFLAG_NewTunnelEntry","features":[457]},{"name":"RASEDFLAG_NoRename","features":[457]},{"name":"RASEDFLAG_PositionDlg","features":[457]},{"name":"RASEDFLAG_ShellOwned","features":[457]},{"name":"RASEDM_DialAll","features":[457]},{"name":"RASEDM_DialAsNeeded","features":[457]},{"name":"RASENTRYA","features":[308,457,321]},{"name":"RASENTRYDLGA","features":[308,457]},{"name":"RASENTRYDLGA","features":[308,457]},{"name":"RASENTRYDLGW","features":[308,457]},{"name":"RASENTRYDLGW","features":[308,457]},{"name":"RASENTRYNAMEA","features":[457]},{"name":"RASENTRYNAMEW","features":[457]},{"name":"RASENTRYW","features":[308,457,321]},{"name":"RASENTRY_DIAL_MODE","features":[457]},{"name":"RASEO2_AuthTypeIsOtp","features":[457]},{"name":"RASEO2_AutoTriggerCapable","features":[457]},{"name":"RASEO2_CacheCredentials","features":[457]},{"name":"RASEO2_DisableClassBasedStaticRoute","features":[457]},{"name":"RASEO2_DisableIKENameEkuCheck","features":[457]},{"name":"RASEO2_DisableMobility","features":[457]},{"name":"RASEO2_DisableNbtOverIP","features":[457]},{"name":"RASEO2_DontNegotiateMultilink","features":[457]},{"name":"RASEO2_DontUseRasCredentials","features":[457]},{"name":"RASEO2_IPv4ExplicitMetric","features":[457]},{"name":"RASEO2_IPv6ExplicitMetric","features":[457]},{"name":"RASEO2_IPv6RemoteDefaultGateway","features":[457]},{"name":"RASEO2_IPv6SpecificNameServers","features":[457]},{"name":"RASEO2_Internet","features":[457]},{"name":"RASEO2_IsAlwaysOn","features":[457]},{"name":"RASEO2_IsPrivateNetwork","features":[457]},{"name":"RASEO2_IsThirdPartyProfile","features":[457]},{"name":"RASEO2_PlumbIKEv2TSAsRoutes","features":[457]},{"name":"RASEO2_ReconnectIfDropped","features":[457]},{"name":"RASEO2_RegisterIpWithDNS","features":[457]},{"name":"RASEO2_RequireMachineCertificates","features":[457]},{"name":"RASEO2_SecureClientForMSNet","features":[457]},{"name":"RASEO2_SecureFileAndPrint","features":[457]},{"name":"RASEO2_SecureRoutingCompartment","features":[457]},{"name":"RASEO2_SharePhoneNumbers","features":[457]},{"name":"RASEO2_SpecificIPv6Addr","features":[457]},{"name":"RASEO2_UseDNSSuffixForRegistration","features":[457]},{"name":"RASEO2_UseGlobalDeviceSettings","features":[457]},{"name":"RASEO2_UsePreSharedKey","features":[457]},{"name":"RASEO2_UsePreSharedKeyForIkev2Initiator","features":[457]},{"name":"RASEO2_UsePreSharedKeyForIkev2Responder","features":[457]},{"name":"RASEO2_UseTypicalSettings","features":[457]},{"name":"RASEO_Custom","features":[457]},{"name":"RASEO_CustomScript","features":[457]},{"name":"RASEO_DisableLcpExtensions","features":[457]},{"name":"RASEO_IpHeaderCompression","features":[457]},{"name":"RASEO_ModemLights","features":[457]},{"name":"RASEO_NetworkLogon","features":[457]},{"name":"RASEO_PreviewDomain","features":[457]},{"name":"RASEO_PreviewPhoneNumber","features":[457]},{"name":"RASEO_PreviewUserPw","features":[457]},{"name":"RASEO_PromoteAlternates","features":[457]},{"name":"RASEO_RemoteDefaultGateway","features":[457]},{"name":"RASEO_RequireCHAP","features":[457]},{"name":"RASEO_RequireDataEncryption","features":[457]},{"name":"RASEO_RequireEAP","features":[457]},{"name":"RASEO_RequireEncryptedPw","features":[457]},{"name":"RASEO_RequireMsCHAP","features":[457]},{"name":"RASEO_RequireMsCHAP2","features":[457]},{"name":"RASEO_RequireMsEncryptedPw","features":[457]},{"name":"RASEO_RequirePAP","features":[457]},{"name":"RASEO_RequireSPAP","features":[457]},{"name":"RASEO_RequireW95MSCHAP","features":[457]},{"name":"RASEO_SecureLocalFiles","features":[457]},{"name":"RASEO_SharedPhoneNumbers","features":[457]},{"name":"RASEO_ShowDialingProgress","features":[457]},{"name":"RASEO_SpecificIpAddr","features":[457]},{"name":"RASEO_SpecificNameServers","features":[457]},{"name":"RASEO_SwCompression","features":[457]},{"name":"RASEO_TerminalAfterDial","features":[457]},{"name":"RASEO_TerminalBeforeDial","features":[457]},{"name":"RASEO_UseCountryAndAreaCodes","features":[457]},{"name":"RASEO_UseLogonCredentials","features":[457]},{"name":"RASET_Broadband","features":[457]},{"name":"RASET_Direct","features":[457]},{"name":"RASET_Internet","features":[457]},{"name":"RASET_Phone","features":[457]},{"name":"RASET_Vpn","features":[457]},{"name":"RASFP_Ppp","features":[457]},{"name":"RASFP_Ras","features":[457]},{"name":"RASFP_Slip","features":[457]},{"name":"RASIDS_Disabled","features":[457]},{"name":"RASIDS_UseGlobalValue","features":[457]},{"name":"RASIKEV2_PROJECTION_INFO","features":[457,321]},{"name":"RASIKEV2_PROJECTION_INFO","features":[457,321]},{"name":"RASIKEV_PROJECTION_INFO_FLAGS","features":[457]},{"name":"RASIKEv2_AUTH_EAP","features":[457]},{"name":"RASIKEv2_AUTH_MACHINECERTIFICATES","features":[457]},{"name":"RASIKEv2_AUTH_PSK","features":[457]},{"name":"RASIKEv2_FLAGS_BEHIND_NAT","features":[457]},{"name":"RASIKEv2_FLAGS_MOBIKESUPPORTED","features":[457]},{"name":"RASIKEv2_FLAGS_SERVERBEHIND_NAT","features":[457]},{"name":"RASIPADDR","features":[457]},{"name":"RASIPO_VJ","features":[457]},{"name":"RASIPXW","features":[457]},{"name":"RASLCPAD_CHAP_MD5","features":[457]},{"name":"RASLCPAD_CHAP_MS","features":[457]},{"name":"RASLCPAD_CHAP_MSV2","features":[457]},{"name":"RASLCPAP_CHAP","features":[457]},{"name":"RASLCPAP_EAP","features":[457]},{"name":"RASLCPAP_PAP","features":[457]},{"name":"RASLCPAP_SPAP","features":[457]},{"name":"RASLCPO_3_DES","features":[457]},{"name":"RASLCPO_ACFC","features":[457]},{"name":"RASLCPO_AES_128","features":[457]},{"name":"RASLCPO_AES_192","features":[457]},{"name":"RASLCPO_AES_256","features":[457]},{"name":"RASLCPO_DES_56","features":[457]},{"name":"RASLCPO_GCM_AES_128","features":[457]},{"name":"RASLCPO_GCM_AES_192","features":[457]},{"name":"RASLCPO_GCM_AES_256","features":[457]},{"name":"RASLCPO_PFC","features":[457]},{"name":"RASLCPO_SSHF","features":[457]},{"name":"RASNAP_ProbationTime","features":[457]},{"name":"RASNOUSERA","features":[457]},{"name":"RASNOUSERW","features":[457]},{"name":"RASNOUSER_SmartCard","features":[457]},{"name":"RASNP_Ip","features":[457]},{"name":"RASNP_Ipv6","features":[457]},{"name":"RASNP_Ipx","features":[457]},{"name":"RASNP_NetBEUI","features":[457]},{"name":"RASPBDEVENT_AddEntry","features":[457]},{"name":"RASPBDEVENT_DialEntry","features":[457]},{"name":"RASPBDEVENT_EditEntry","features":[457]},{"name":"RASPBDEVENT_EditGlobals","features":[457]},{"name":"RASPBDEVENT_NoUser","features":[457]},{"name":"RASPBDEVENT_NoUserEdit","features":[457]},{"name":"RASPBDEVENT_RemoveEntry","features":[457]},{"name":"RASPBDFLAG_ForceCloseOnDial","features":[457]},{"name":"RASPBDFLAG_NoUser","features":[457]},{"name":"RASPBDFLAG_PositionDlg","features":[457]},{"name":"RASPBDFLAG_UpdateDefaults","features":[457]},{"name":"RASPBDLGA","features":[308,457]},{"name":"RASPBDLGA","features":[308,457]},{"name":"RASPBDLGFUNCA","features":[457]},{"name":"RASPBDLGFUNCW","features":[457]},{"name":"RASPBDLGW","features":[308,457]},{"name":"RASPBDLGW","features":[308,457]},{"name":"RASPPPCCP","features":[457]},{"name":"RASPPPIPA","features":[457]},{"name":"RASPPPIPV6","features":[457]},{"name":"RASPPPIPW","features":[457]},{"name":"RASPPPIPXA","features":[457]},{"name":"RASPPPLCPA","features":[308,457]},{"name":"RASPPPLCPW","features":[308,457]},{"name":"RASPPPNBFA","features":[457]},{"name":"RASPPPNBFW","features":[457]},{"name":"RASPPP_PROJECTION_INFO","features":[308,457,321]},{"name":"RASPPP_PROJECTION_INFO_SERVER_AUTH_DATA","features":[457]},{"name":"RASPPP_PROJECTION_INFO_SERVER_AUTH_PROTOCOL","features":[457]},{"name":"RASPRIV2_DialinPolicy","features":[457]},{"name":"RASPRIV_AdminSetCallback","features":[457]},{"name":"RASPRIV_CallerSetCallback","features":[457]},{"name":"RASPRIV_DialinPrivilege","features":[457]},{"name":"RASPRIV_NoCallback","features":[457]},{"name":"RASPROJECTION","features":[457]},{"name":"RASPROJECTION_INFO_TYPE","features":[457]},{"name":"RASP_Amb","features":[457]},{"name":"RASP_PppCcp","features":[457]},{"name":"RASP_PppIp","features":[457]},{"name":"RASP_PppIpv6","features":[457]},{"name":"RASP_PppIpx","features":[457]},{"name":"RASP_PppLcp","features":[457]},{"name":"RASP_PppNbf","features":[457]},{"name":"RASSECURITYPROC","features":[457]},{"name":"RASSUBENTRYA","features":[457]},{"name":"RASSUBENTRYW","features":[457]},{"name":"RASTUNNELENDPOINT","features":[457,321]},{"name":"RASTUNNELENDPOINT_IPv4","features":[457]},{"name":"RASTUNNELENDPOINT_IPv6","features":[457]},{"name":"RASTUNNELENDPOINT_UNKNOWN","features":[457]},{"name":"RASUPDATECONN","features":[457,321]},{"name":"RAS_CONNECTION_0","features":[308,457]},{"name":"RAS_CONNECTION_1","features":[308,457]},{"name":"RAS_CONNECTION_2","features":[308,457]},{"name":"RAS_CONNECTION_3","features":[308,457]},{"name":"RAS_CONNECTION_4","features":[308,457]},{"name":"RAS_CONNECTION_EX","features":[308,457]},{"name":"RAS_FLAGS","features":[457]},{"name":"RAS_FLAGS_ARAP_CONNECTION","features":[457]},{"name":"RAS_FLAGS_DORMANT","features":[457]},{"name":"RAS_FLAGS_IKEV2_CONNECTION","features":[457]},{"name":"RAS_FLAGS_MESSENGER_PRESENT","features":[457]},{"name":"RAS_FLAGS_PPP_CONNECTION","features":[457]},{"name":"RAS_FLAGS_QUARANTINE_PRESENT","features":[457]},{"name":"RAS_FLAGS_RAS_CONNECTION","features":[457]},{"name":"RAS_HARDWARE_CONDITION","features":[457]},{"name":"RAS_HARDWARE_FAILURE","features":[457]},{"name":"RAS_HARDWARE_OPERATIONAL","features":[457]},{"name":"RAS_MaxAreaCode","features":[457]},{"name":"RAS_MaxCallbackNumber","features":[457]},{"name":"RAS_MaxDeviceName","features":[457]},{"name":"RAS_MaxDeviceType","features":[457]},{"name":"RAS_MaxDnsSuffix","features":[457]},{"name":"RAS_MaxEntryName","features":[457]},{"name":"RAS_MaxFacilities","features":[457]},{"name":"RAS_MaxIDSize","features":[457]},{"name":"RAS_MaxIpAddress","features":[457]},{"name":"RAS_MaxIpxAddress","features":[457]},{"name":"RAS_MaxPadType","features":[457]},{"name":"RAS_MaxPhoneNumber","features":[457]},{"name":"RAS_MaxReplyMessage","features":[457]},{"name":"RAS_MaxUserData","features":[457]},{"name":"RAS_MaxX25Address","features":[457]},{"name":"RAS_PORT_0","features":[308,457]},{"name":"RAS_PORT_1","features":[308,457]},{"name":"RAS_PORT_2","features":[308,457]},{"name":"RAS_PORT_AUTHENTICATED","features":[457]},{"name":"RAS_PORT_AUTHENTICATING","features":[457]},{"name":"RAS_PORT_CALLING_BACK","features":[457]},{"name":"RAS_PORT_CONDITION","features":[457]},{"name":"RAS_PORT_DISCONNECTED","features":[457]},{"name":"RAS_PORT_INITIALIZING","features":[457]},{"name":"RAS_PORT_LISTENING","features":[457]},{"name":"RAS_PORT_NON_OPERATIONAL","features":[457]},{"name":"RAS_PROJECTION_INFO","features":[308,457,321]},{"name":"RAS_QUARANTINE_STATE","features":[457]},{"name":"RAS_QUAR_STATE_NORMAL","features":[457]},{"name":"RAS_QUAR_STATE_NOT_CAPABLE","features":[457]},{"name":"RAS_QUAR_STATE_PROBATION","features":[457]},{"name":"RAS_QUAR_STATE_QUARANTINE","features":[457]},{"name":"RAS_SECURITY_INFO","features":[457]},{"name":"RAS_STATS","features":[457]},{"name":"RAS_UPDATE_CONNECTION","features":[457]},{"name":"RAS_USER_0","features":[457]},{"name":"RAS_USER_1","features":[457]},{"name":"RCD_AllUsers","features":[457]},{"name":"RCD_Eap","features":[457]},{"name":"RCD_Logon","features":[457]},{"name":"RCD_SingleUser","features":[457]},{"name":"RDEOPT_CustomDial","features":[457]},{"name":"RDEOPT_DisableConnectedUI","features":[457]},{"name":"RDEOPT_DisableReconnect","features":[457]},{"name":"RDEOPT_DisableReconnectUI","features":[457]},{"name":"RDEOPT_EapInfoCryptInCapable","features":[457]},{"name":"RDEOPT_IgnoreModemSpeaker","features":[457]},{"name":"RDEOPT_IgnoreSoftwareCompression","features":[457]},{"name":"RDEOPT_InvokeAutoTriggerCredentialUI","features":[457]},{"name":"RDEOPT_NoUser","features":[457]},{"name":"RDEOPT_PauseOnScript","features":[457]},{"name":"RDEOPT_PausedStates","features":[457]},{"name":"RDEOPT_Router","features":[457]},{"name":"RDEOPT_SetModemSpeaker","features":[457]},{"name":"RDEOPT_SetSoftwareCompression","features":[457]},{"name":"RDEOPT_UseCustomScripting","features":[457]},{"name":"RDEOPT_UsePrefixSuffix","features":[457]},{"name":"REN_AllUsers","features":[457]},{"name":"REN_User","features":[457]},{"name":"ROUTER_CONNECTION_STATE","features":[457]},{"name":"ROUTER_CUSTOM_IKEv2_POLICY0","features":[457]},{"name":"ROUTER_IF_STATE_CONNECTED","features":[457]},{"name":"ROUTER_IF_STATE_CONNECTING","features":[457]},{"name":"ROUTER_IF_STATE_DISCONNECTED","features":[457]},{"name":"ROUTER_IF_STATE_UNREACHABLE","features":[457]},{"name":"ROUTER_IF_TYPE_CLIENT","features":[457]},{"name":"ROUTER_IF_TYPE_DEDICATED","features":[457]},{"name":"ROUTER_IF_TYPE_DIALOUT","features":[457]},{"name":"ROUTER_IF_TYPE_FULL_ROUTER","features":[457]},{"name":"ROUTER_IF_TYPE_HOME_ROUTER","features":[457]},{"name":"ROUTER_IF_TYPE_INTERNAL","features":[457]},{"name":"ROUTER_IF_TYPE_LOOPBACK","features":[457]},{"name":"ROUTER_IF_TYPE_MAX","features":[457]},{"name":"ROUTER_IF_TYPE_TUNNEL1","features":[457]},{"name":"ROUTER_IKEv2_IF_CUSTOM_CONFIG0","features":[457,392]},{"name":"ROUTER_IKEv2_IF_CUSTOM_CONFIG1","features":[457,392]},{"name":"ROUTER_IKEv2_IF_CUSTOM_CONFIG2","features":[457,321,392]},{"name":"ROUTER_INTERFACE_TYPE","features":[457]},{"name":"ROUTING_PROTOCOL_CONFIG","features":[308,457]},{"name":"RRAS_SERVICE_NAME","features":[457]},{"name":"RTM_BLOCK_METHODS","features":[457]},{"name":"RTM_CHANGE_NOTIFICATION","features":[457]},{"name":"RTM_CHANGE_TYPE_ALL","features":[457]},{"name":"RTM_CHANGE_TYPE_BEST","features":[457]},{"name":"RTM_CHANGE_TYPE_FORWARDING","features":[457]},{"name":"RTM_DEST_FLAG_DONT_FORWARD","features":[457]},{"name":"RTM_DEST_FLAG_FWD_ENGIN_ADD","features":[457]},{"name":"RTM_DEST_FLAG_NATURAL_NET","features":[457]},{"name":"RTM_DEST_INFO","features":[308,457]},{"name":"RTM_ENTITY_DEREGISTERED","features":[457]},{"name":"RTM_ENTITY_EXPORT_METHOD","features":[457]},{"name":"RTM_ENTITY_EXPORT_METHODS","features":[457]},{"name":"RTM_ENTITY_ID","features":[457]},{"name":"RTM_ENTITY_INFO","features":[457]},{"name":"RTM_ENTITY_METHOD_INPUT","features":[457]},{"name":"RTM_ENTITY_METHOD_OUTPUT","features":[457]},{"name":"RTM_ENTITY_REGISTERED","features":[457]},{"name":"RTM_ENUM_ALL_DESTS","features":[457]},{"name":"RTM_ENUM_ALL_ROUTES","features":[457]},{"name":"RTM_ENUM_NEXT","features":[457]},{"name":"RTM_ENUM_OWN_DESTS","features":[457]},{"name":"RTM_ENUM_OWN_ROUTES","features":[457]},{"name":"RTM_ENUM_RANGE","features":[457]},{"name":"RTM_ENUM_START","features":[457]},{"name":"RTM_EVENT_CALLBACK","features":[457]},{"name":"RTM_EVENT_TYPE","features":[457]},{"name":"RTM_MATCH_FULL","features":[457]},{"name":"RTM_MATCH_INTERFACE","features":[457]},{"name":"RTM_MATCH_NEIGHBOUR","features":[457]},{"name":"RTM_MATCH_NEXTHOP","features":[457]},{"name":"RTM_MATCH_NONE","features":[457]},{"name":"RTM_MATCH_OWNER","features":[457]},{"name":"RTM_MATCH_PREF","features":[457]},{"name":"RTM_MAX_ADDRESS_SIZE","features":[457]},{"name":"RTM_MAX_VIEWS","features":[457]},{"name":"RTM_NET_ADDRESS","features":[457]},{"name":"RTM_NEXTHOP_CHANGE_NEW","features":[457]},{"name":"RTM_NEXTHOP_FLAGS_DOWN","features":[457]},{"name":"RTM_NEXTHOP_FLAGS_REMOTE","features":[457]},{"name":"RTM_NEXTHOP_INFO","features":[457]},{"name":"RTM_NEXTHOP_LIST","features":[457]},{"name":"RTM_NEXTHOP_STATE_CREATED","features":[457]},{"name":"RTM_NEXTHOP_STATE_DELETED","features":[457]},{"name":"RTM_NOTIFY_ONLY_MARKED_DESTS","features":[457]},{"name":"RTM_NUM_CHANGE_TYPES","features":[457]},{"name":"RTM_PREF_INFO","features":[457]},{"name":"RTM_REGN_PROFILE","features":[457]},{"name":"RTM_RESUME_METHODS","features":[457]},{"name":"RTM_ROUTE_CHANGE_BEST","features":[457]},{"name":"RTM_ROUTE_CHANGE_FIRST","features":[457]},{"name":"RTM_ROUTE_CHANGE_NEW","features":[457]},{"name":"RTM_ROUTE_EXPIRED","features":[457]},{"name":"RTM_ROUTE_FLAGS_BLACKHOLE","features":[457]},{"name":"RTM_ROUTE_FLAGS_DISCARD","features":[457]},{"name":"RTM_ROUTE_FLAGS_INACTIVE","features":[457]},{"name":"RTM_ROUTE_FLAGS_LIMITED_BC","features":[457]},{"name":"RTM_ROUTE_FLAGS_LOCAL","features":[457]},{"name":"RTM_ROUTE_FLAGS_LOCAL_MCAST","features":[457]},{"name":"RTM_ROUTE_FLAGS_LOOPBACK","features":[457]},{"name":"RTM_ROUTE_FLAGS_MARTIAN","features":[457]},{"name":"RTM_ROUTE_FLAGS_MCAST","features":[457]},{"name":"RTM_ROUTE_FLAGS_MYSELF","features":[457]},{"name":"RTM_ROUTE_FLAGS_ONES_NETBC","features":[457]},{"name":"RTM_ROUTE_FLAGS_ONES_SUBNETBC","features":[457]},{"name":"RTM_ROUTE_FLAGS_REMOTE","features":[457]},{"name":"RTM_ROUTE_FLAGS_ZEROS_NETBC","features":[457]},{"name":"RTM_ROUTE_FLAGS_ZEROS_SUBNETBC","features":[457]},{"name":"RTM_ROUTE_INFO","features":[457]},{"name":"RTM_ROUTE_STATE_CREATED","features":[457]},{"name":"RTM_ROUTE_STATE_DELETED","features":[457]},{"name":"RTM_ROUTE_STATE_DELETING","features":[457]},{"name":"RTM_VIEW_ID_MCAST","features":[457]},{"name":"RTM_VIEW_ID_UCAST","features":[457]},{"name":"RTM_VIEW_MASK_ALL","features":[457]},{"name":"RTM_VIEW_MASK_ANY","features":[457]},{"name":"RTM_VIEW_MASK_MCAST","features":[457]},{"name":"RTM_VIEW_MASK_NONE","features":[457]},{"name":"RTM_VIEW_MASK_SIZE","features":[457]},{"name":"RTM_VIEW_MASK_UCAST","features":[457]},{"name":"RasClearConnectionStatistics","features":[457]},{"name":"RasClearLinkStatistics","features":[457]},{"name":"RasConnectionNotificationA","features":[308,457]},{"name":"RasConnectionNotificationW","features":[308,457]},{"name":"RasCreatePhonebookEntryA","features":[308,457]},{"name":"RasCreatePhonebookEntryW","features":[308,457]},{"name":"RasCustomDeleteEntryNotifyFn","features":[457]},{"name":"RasCustomDialDlgFn","features":[308,457]},{"name":"RasCustomDialFn","features":[308,457]},{"name":"RasCustomEntryDlgFn","features":[308,457]},{"name":"RasCustomHangUpFn","features":[457]},{"name":"RasCustomScriptExecuteFn","features":[308,457]},{"name":"RasDeleteEntryA","features":[457]},{"name":"RasDeleteEntryW","features":[457]},{"name":"RasDeleteSubEntryA","features":[457]},{"name":"RasDeleteSubEntryW","features":[457]},{"name":"RasDialA","features":[308,457]},{"name":"RasDialDlgA","features":[308,457]},{"name":"RasDialDlgW","features":[308,457]},{"name":"RasDialW","features":[308,457]},{"name":"RasEditPhonebookEntryA","features":[308,457]},{"name":"RasEditPhonebookEntryW","features":[308,457]},{"name":"RasEntryDlgA","features":[308,457]},{"name":"RasEntryDlgW","features":[308,457]},{"name":"RasEnumAutodialAddressesA","features":[457]},{"name":"RasEnumAutodialAddressesW","features":[457]},{"name":"RasEnumConnectionsA","features":[308,457]},{"name":"RasEnumConnectionsW","features":[308,457]},{"name":"RasEnumDevicesA","features":[457]},{"name":"RasEnumDevicesW","features":[457]},{"name":"RasEnumEntriesA","features":[457]},{"name":"RasEnumEntriesW","features":[457]},{"name":"RasFreeEapUserIdentityA","features":[457]},{"name":"RasFreeEapUserIdentityW","features":[457]},{"name":"RasGetAutodialAddressA","features":[457]},{"name":"RasGetAutodialAddressW","features":[457]},{"name":"RasGetAutodialEnableA","features":[308,457]},{"name":"RasGetAutodialEnableW","features":[308,457]},{"name":"RasGetAutodialParamA","features":[457]},{"name":"RasGetAutodialParamW","features":[457]},{"name":"RasGetConnectStatusA","features":[457,321]},{"name":"RasGetConnectStatusW","features":[457,321]},{"name":"RasGetConnectionStatistics","features":[457]},{"name":"RasGetCountryInfoA","features":[457]},{"name":"RasGetCountryInfoW","features":[457]},{"name":"RasGetCredentialsA","features":[457]},{"name":"RasGetCredentialsW","features":[457]},{"name":"RasGetCustomAuthDataA","features":[457]},{"name":"RasGetCustomAuthDataW","features":[457]},{"name":"RasGetEapUserDataA","features":[308,457]},{"name":"RasGetEapUserDataW","features":[308,457]},{"name":"RasGetEapUserIdentityA","features":[308,457]},{"name":"RasGetEapUserIdentityW","features":[308,457]},{"name":"RasGetEntryDialParamsA","features":[308,457]},{"name":"RasGetEntryDialParamsW","features":[308,457]},{"name":"RasGetEntryPropertiesA","features":[308,457,321]},{"name":"RasGetEntryPropertiesW","features":[308,457,321]},{"name":"RasGetErrorStringA","features":[457]},{"name":"RasGetErrorStringW","features":[457]},{"name":"RasGetLinkStatistics","features":[457]},{"name":"RasGetPCscf","features":[457]},{"name":"RasGetProjectionInfoA","features":[457]},{"name":"RasGetProjectionInfoEx","features":[308,457,321]},{"name":"RasGetProjectionInfoW","features":[457]},{"name":"RasGetSubEntryHandleA","features":[457]},{"name":"RasGetSubEntryHandleW","features":[457]},{"name":"RasGetSubEntryPropertiesA","features":[457]},{"name":"RasGetSubEntryPropertiesW","features":[457]},{"name":"RasHangUpA","features":[457]},{"name":"RasHangUpW","features":[457]},{"name":"RasInvokeEapUI","features":[308,457]},{"name":"RasPhonebookDlgA","features":[308,457]},{"name":"RasPhonebookDlgW","features":[308,457]},{"name":"RasRenameEntryA","features":[457]},{"name":"RasRenameEntryW","features":[457]},{"name":"RasSetAutodialAddressA","features":[457]},{"name":"RasSetAutodialAddressW","features":[457]},{"name":"RasSetAutodialEnableA","features":[308,457]},{"name":"RasSetAutodialEnableW","features":[308,457]},{"name":"RasSetAutodialParamA","features":[457]},{"name":"RasSetAutodialParamW","features":[457]},{"name":"RasSetCredentialsA","features":[308,457]},{"name":"RasSetCredentialsW","features":[308,457]},{"name":"RasSetCustomAuthDataA","features":[457]},{"name":"RasSetCustomAuthDataW","features":[457]},{"name":"RasSetEapUserDataA","features":[308,457]},{"name":"RasSetEapUserDataW","features":[308,457]},{"name":"RasSetEntryDialParamsA","features":[308,457]},{"name":"RasSetEntryDialParamsW","features":[308,457]},{"name":"RasSetEntryPropertiesA","features":[308,457,321]},{"name":"RasSetEntryPropertiesW","features":[308,457,321]},{"name":"RasSetSubEntryPropertiesA","features":[457]},{"name":"RasSetSubEntryPropertiesW","features":[457]},{"name":"RasUpdateConnection","features":[457,321]},{"name":"RasValidateEntryNameA","features":[457]},{"name":"RasValidateEntryNameW","features":[457]},{"name":"RtmAddNextHop","features":[457]},{"name":"RtmAddRouteToDest","features":[457]},{"name":"RtmBlockMethods","features":[308,457]},{"name":"RtmConvertIpv6AddressAndLengthToNetAddress","features":[457,321]},{"name":"RtmConvertNetAddressToIpv6AddressAndLength","features":[457,321]},{"name":"RtmCreateDestEnum","features":[457]},{"name":"RtmCreateNextHopEnum","features":[457]},{"name":"RtmCreateRouteEnum","features":[457]},{"name":"RtmCreateRouteList","features":[457]},{"name":"RtmCreateRouteListEnum","features":[457]},{"name":"RtmDeleteEnumHandle","features":[457]},{"name":"RtmDeleteNextHop","features":[457]},{"name":"RtmDeleteRouteList","features":[457]},{"name":"RtmDeleteRouteToDest","features":[457]},{"name":"RtmDeregisterEntity","features":[457]},{"name":"RtmDeregisterFromChangeNotification","features":[457]},{"name":"RtmFindNextHop","features":[457]},{"name":"RtmGetChangeStatus","features":[308,457]},{"name":"RtmGetChangedDests","features":[308,457]},{"name":"RtmGetDestInfo","features":[308,457]},{"name":"RtmGetEntityInfo","features":[457]},{"name":"RtmGetEntityMethods","features":[457]},{"name":"RtmGetEnumDests","features":[308,457]},{"name":"RtmGetEnumNextHops","features":[457]},{"name":"RtmGetEnumRoutes","features":[457]},{"name":"RtmGetExactMatchDestination","features":[308,457]},{"name":"RtmGetExactMatchRoute","features":[457]},{"name":"RtmGetLessSpecificDestination","features":[308,457]},{"name":"RtmGetListEnumRoutes","features":[457]},{"name":"RtmGetMostSpecificDestination","features":[308,457]},{"name":"RtmGetNextHopInfo","features":[457]},{"name":"RtmGetNextHopPointer","features":[457]},{"name":"RtmGetOpaqueInformationPointer","features":[457]},{"name":"RtmGetRegisteredEntities","features":[457]},{"name":"RtmGetRouteInfo","features":[457]},{"name":"RtmGetRoutePointer","features":[457]},{"name":"RtmHoldDestination","features":[457]},{"name":"RtmIgnoreChangedDests","features":[457]},{"name":"RtmInsertInRouteList","features":[457]},{"name":"RtmInvokeMethod","features":[457]},{"name":"RtmIsBestRoute","features":[457]},{"name":"RtmIsMarkedForChangeNotification","features":[308,457]},{"name":"RtmLockDestination","features":[308,457]},{"name":"RtmLockNextHop","features":[308,457]},{"name":"RtmLockRoute","features":[308,457]},{"name":"RtmMarkDestForChangeNotification","features":[308,457]},{"name":"RtmReferenceHandles","features":[308,457]},{"name":"RtmRegisterEntity","features":[308,457]},{"name":"RtmRegisterForChangeNotification","features":[457]},{"name":"RtmReleaseChangedDests","features":[308,457]},{"name":"RtmReleaseDestInfo","features":[308,457]},{"name":"RtmReleaseDests","features":[308,457]},{"name":"RtmReleaseEntities","features":[457]},{"name":"RtmReleaseEntityInfo","features":[457]},{"name":"RtmReleaseNextHopInfo","features":[457]},{"name":"RtmReleaseNextHops","features":[457]},{"name":"RtmReleaseRouteInfo","features":[457]},{"name":"RtmReleaseRoutes","features":[457]},{"name":"RtmUpdateAndUnlockRoute","features":[457]},{"name":"SECURITYMSG_ERROR","features":[457]},{"name":"SECURITYMSG_FAILURE","features":[457]},{"name":"SECURITYMSG_SUCCESS","features":[457]},{"name":"SECURITY_MESSAGE","features":[457]},{"name":"SECURITY_MESSAGE_MSG_ID","features":[457]},{"name":"SOURCE_GROUP_ENTRY","features":[457]},{"name":"SSTP_CERT_INFO","features":[308,457,392]},{"name":"SSTP_CONFIG_PARAMS","features":[308,457,392]},{"name":"VPN_TS_IP_ADDRESS","features":[457,321]},{"name":"VS_Default","features":[457]},{"name":"VS_GREOnly","features":[457]},{"name":"VS_Ikev2First","features":[457]},{"name":"VS_Ikev2Only","features":[457]},{"name":"VS_Ikev2Sstp","features":[457]},{"name":"VS_L2tpFirst","features":[457]},{"name":"VS_L2tpOnly","features":[457]},{"name":"VS_L2tpSstp","features":[457]},{"name":"VS_PptpFirst","features":[457]},{"name":"VS_PptpOnly","features":[457]},{"name":"VS_PptpSstp","features":[457]},{"name":"VS_ProtocolList","features":[457]},{"name":"VS_SstpFirst","features":[457]},{"name":"VS_SstpOnly","features":[457]},{"name":"WARNING_MSG_ALIAS_NOT_ADDED","features":[457]},{"name":"WM_RASDIALEVENT","features":[457]}],"458":[{"name":"ASN_APPLICATION","features":[458]},{"name":"ASN_CONSTRUCTOR","features":[458]},{"name":"ASN_CONTEXT","features":[458]},{"name":"ASN_CONTEXTSPECIFIC","features":[458]},{"name":"ASN_PRIMATIVE","features":[458]},{"name":"ASN_PRIMITIVE","features":[458]},{"name":"ASN_PRIVATE","features":[458]},{"name":"ASN_UNIVERSAL","features":[458]},{"name":"AsnAny","features":[308,458]},{"name":"AsnObjectIdentifier","features":[458]},{"name":"AsnObjectIdentifier","features":[458]},{"name":"AsnOctetString","features":[308,458]},{"name":"AsnOctetString","features":[308,458]},{"name":"DEFAULT_SNMPTRAP_PORT_IPX","features":[458]},{"name":"DEFAULT_SNMPTRAP_PORT_UDP","features":[458]},{"name":"DEFAULT_SNMP_PORT_IPX","features":[458]},{"name":"DEFAULT_SNMP_PORT_UDP","features":[458]},{"name":"MAXOBJIDSIZE","features":[458]},{"name":"MAXOBJIDSTRSIZE","features":[458]},{"name":"MAXVENDORINFO","features":[458]},{"name":"MGMCTL_SETAGENTPORT","features":[458]},{"name":"PFNSNMPCLEANUPEX","features":[458]},{"name":"PFNSNMPEXTENSIONCLOSE","features":[458]},{"name":"PFNSNMPEXTENSIONINIT","features":[308,458]},{"name":"PFNSNMPEXTENSIONINITEX","features":[308,458]},{"name":"PFNSNMPEXTENSIONMONITOR","features":[308,458]},{"name":"PFNSNMPEXTENSIONQUERY","features":[308,458]},{"name":"PFNSNMPEXTENSIONQUERYEX","features":[308,458]},{"name":"PFNSNMPEXTENSIONTRAP","features":[308,458]},{"name":"PFNSNMPSTARTUPEX","features":[458]},{"name":"SNMPAPI_ALLOC_ERROR","features":[458]},{"name":"SNMPAPI_CALLBACK","features":[308,458]},{"name":"SNMPAPI_CONTEXT_INVALID","features":[458]},{"name":"SNMPAPI_CONTEXT_UNKNOWN","features":[458]},{"name":"SNMPAPI_ENTITY_INVALID","features":[458]},{"name":"SNMPAPI_ENTITY_UNKNOWN","features":[458]},{"name":"SNMPAPI_ERROR","features":[458]},{"name":"SNMPAPI_FAILURE","features":[458]},{"name":"SNMPAPI_HWND_INVALID","features":[458]},{"name":"SNMPAPI_INDEX_INVALID","features":[458]},{"name":"SNMPAPI_M2M_SUPPORT","features":[458]},{"name":"SNMPAPI_MESSAGE_INVALID","features":[458]},{"name":"SNMPAPI_MODE_INVALID","features":[458]},{"name":"SNMPAPI_NOERROR","features":[458]},{"name":"SNMPAPI_NOOP","features":[458]},{"name":"SNMPAPI_NOT_INITIALIZED","features":[458]},{"name":"SNMPAPI_NO_SUPPORT","features":[458]},{"name":"SNMPAPI_OFF","features":[458]},{"name":"SNMPAPI_OID_INVALID","features":[458]},{"name":"SNMPAPI_ON","features":[458]},{"name":"SNMPAPI_OPERATION_INVALID","features":[458]},{"name":"SNMPAPI_OTHER_ERROR","features":[458]},{"name":"SNMPAPI_OUTPUT_TRUNCATED","features":[458]},{"name":"SNMPAPI_PDU_INVALID","features":[458]},{"name":"SNMPAPI_SESSION_INVALID","features":[458]},{"name":"SNMPAPI_SIZE_INVALID","features":[458]},{"name":"SNMPAPI_SUCCESS","features":[458]},{"name":"SNMPAPI_SYNTAX_INVALID","features":[458]},{"name":"SNMPAPI_TL_INVALID_PARAM","features":[458]},{"name":"SNMPAPI_TL_IN_USE","features":[458]},{"name":"SNMPAPI_TL_NOT_AVAILABLE","features":[458]},{"name":"SNMPAPI_TL_NOT_INITIALIZED","features":[458]},{"name":"SNMPAPI_TL_NOT_SUPPORTED","features":[458]},{"name":"SNMPAPI_TL_OTHER","features":[458]},{"name":"SNMPAPI_TL_PDU_TOO_BIG","features":[458]},{"name":"SNMPAPI_TL_RESOURCE_ERROR","features":[458]},{"name":"SNMPAPI_TL_SRC_INVALID","features":[458]},{"name":"SNMPAPI_TL_TIMEOUT","features":[458]},{"name":"SNMPAPI_TL_UNDELIVERABLE","features":[458]},{"name":"SNMPAPI_TRANSLATED","features":[458]},{"name":"SNMPAPI_UNTRANSLATED_V1","features":[458]},{"name":"SNMPAPI_UNTRANSLATED_V2","features":[458]},{"name":"SNMPAPI_V1_SUPPORT","features":[458]},{"name":"SNMPAPI_V2_SUPPORT","features":[458]},{"name":"SNMPAPI_VBL_INVALID","features":[458]},{"name":"SNMPLISTEN_ALL_ADDR","features":[458]},{"name":"SNMPLISTEN_USEENTITY_ADDR","features":[458]},{"name":"SNMP_ACCESS_NONE","features":[458]},{"name":"SNMP_ACCESS_NOTIFY","features":[458]},{"name":"SNMP_ACCESS_READ_CREATE","features":[458]},{"name":"SNMP_ACCESS_READ_ONLY","features":[458]},{"name":"SNMP_ACCESS_READ_WRITE","features":[458]},{"name":"SNMP_API_TRANSLATE_MODE","features":[458]},{"name":"SNMP_AUTHAPI_INVALID_MSG_TYPE","features":[458]},{"name":"SNMP_AUTHAPI_INVALID_VERSION","features":[458]},{"name":"SNMP_AUTHAPI_TRIV_AUTH_FAILED","features":[458]},{"name":"SNMP_BERAPI_INVALID_LENGTH","features":[458]},{"name":"SNMP_BERAPI_INVALID_OBJELEM","features":[458]},{"name":"SNMP_BERAPI_INVALID_TAG","features":[458]},{"name":"SNMP_BERAPI_OVERFLOW","features":[458]},{"name":"SNMP_BERAPI_SHORT_BUFFER","features":[458]},{"name":"SNMP_ERROR","features":[458]},{"name":"SNMP_ERRORSTATUS_AUTHORIZATIONERROR","features":[458]},{"name":"SNMP_ERRORSTATUS_BADVALUE","features":[458]},{"name":"SNMP_ERRORSTATUS_COMMITFAILED","features":[458]},{"name":"SNMP_ERRORSTATUS_GENERR","features":[458]},{"name":"SNMP_ERRORSTATUS_INCONSISTENTNAME","features":[458]},{"name":"SNMP_ERRORSTATUS_INCONSISTENTVALUE","features":[458]},{"name":"SNMP_ERRORSTATUS_NOACCESS","features":[458]},{"name":"SNMP_ERRORSTATUS_NOCREATION","features":[458]},{"name":"SNMP_ERRORSTATUS_NOERROR","features":[458]},{"name":"SNMP_ERRORSTATUS_NOSUCHNAME","features":[458]},{"name":"SNMP_ERRORSTATUS_NOTWRITABLE","features":[458]},{"name":"SNMP_ERRORSTATUS_READONLY","features":[458]},{"name":"SNMP_ERRORSTATUS_RESOURCEUNAVAILABLE","features":[458]},{"name":"SNMP_ERRORSTATUS_TOOBIG","features":[458]},{"name":"SNMP_ERRORSTATUS_UNDOFAILED","features":[458]},{"name":"SNMP_ERRORSTATUS_WRONGENCODING","features":[458]},{"name":"SNMP_ERRORSTATUS_WRONGLENGTH","features":[458]},{"name":"SNMP_ERRORSTATUS_WRONGTYPE","features":[458]},{"name":"SNMP_ERRORSTATUS_WRONGVALUE","features":[458]},{"name":"SNMP_ERROR_AUTHORIZATIONERROR","features":[458]},{"name":"SNMP_ERROR_BADVALUE","features":[458]},{"name":"SNMP_ERROR_COMMITFAILED","features":[458]},{"name":"SNMP_ERROR_GENERR","features":[458]},{"name":"SNMP_ERROR_INCONSISTENTNAME","features":[458]},{"name":"SNMP_ERROR_INCONSISTENTVALUE","features":[458]},{"name":"SNMP_ERROR_NOACCESS","features":[458]},{"name":"SNMP_ERROR_NOCREATION","features":[458]},{"name":"SNMP_ERROR_NOERROR","features":[458]},{"name":"SNMP_ERROR_NOSUCHNAME","features":[458]},{"name":"SNMP_ERROR_NOTWRITABLE","features":[458]},{"name":"SNMP_ERROR_READONLY","features":[458]},{"name":"SNMP_ERROR_RESOURCEUNAVAILABLE","features":[458]},{"name":"SNMP_ERROR_STATUS","features":[458]},{"name":"SNMP_ERROR_TOOBIG","features":[458]},{"name":"SNMP_ERROR_UNDOFAILED","features":[458]},{"name":"SNMP_ERROR_WRONGENCODING","features":[458]},{"name":"SNMP_ERROR_WRONGLENGTH","features":[458]},{"name":"SNMP_ERROR_WRONGTYPE","features":[458]},{"name":"SNMP_ERROR_WRONGVALUE","features":[458]},{"name":"SNMP_EXTENSION_GET","features":[458]},{"name":"SNMP_EXTENSION_GET_NEXT","features":[458]},{"name":"SNMP_EXTENSION_REQUEST_TYPE","features":[458]},{"name":"SNMP_EXTENSION_SET_CLEANUP","features":[458]},{"name":"SNMP_EXTENSION_SET_COMMIT","features":[458]},{"name":"SNMP_EXTENSION_SET_TEST","features":[458]},{"name":"SNMP_EXTENSION_SET_UNDO","features":[458]},{"name":"SNMP_GENERICTRAP","features":[458]},{"name":"SNMP_GENERICTRAP_AUTHFAILURE","features":[458]},{"name":"SNMP_GENERICTRAP_COLDSTART","features":[458]},{"name":"SNMP_GENERICTRAP_EGPNEIGHLOSS","features":[458]},{"name":"SNMP_GENERICTRAP_ENTERSPECIFIC","features":[458]},{"name":"SNMP_GENERICTRAP_LINKDOWN","features":[458]},{"name":"SNMP_GENERICTRAP_LINKUP","features":[458]},{"name":"SNMP_GENERICTRAP_WARMSTART","features":[458]},{"name":"SNMP_LOG","features":[458]},{"name":"SNMP_LOG_ERROR","features":[458]},{"name":"SNMP_LOG_FATAL","features":[458]},{"name":"SNMP_LOG_SILENT","features":[458]},{"name":"SNMP_LOG_TRACE","features":[458]},{"name":"SNMP_LOG_VERBOSE","features":[458]},{"name":"SNMP_LOG_WARNING","features":[458]},{"name":"SNMP_MAX_OID_LEN","features":[458]},{"name":"SNMP_MEM_ALLOC_ERROR","features":[458]},{"name":"SNMP_MGMTAPI_AGAIN","features":[458]},{"name":"SNMP_MGMTAPI_INVALID_BUFFER","features":[458]},{"name":"SNMP_MGMTAPI_INVALID_CTL","features":[458]},{"name":"SNMP_MGMTAPI_INVALID_SESSION","features":[458]},{"name":"SNMP_MGMTAPI_NOTRAPS","features":[458]},{"name":"SNMP_MGMTAPI_SELECT_FDERRORS","features":[458]},{"name":"SNMP_MGMTAPI_TIMEOUT","features":[458]},{"name":"SNMP_MGMTAPI_TRAP_DUPINIT","features":[458]},{"name":"SNMP_MGMTAPI_TRAP_ERRORS","features":[458]},{"name":"SNMP_OUTPUT_LOG_TYPE","features":[458]},{"name":"SNMP_OUTPUT_TO_CONSOLE","features":[458]},{"name":"SNMP_OUTPUT_TO_DEBUGGER","features":[458]},{"name":"SNMP_OUTPUT_TO_EVENTLOG","features":[458]},{"name":"SNMP_OUTPUT_TO_LOGFILE","features":[458]},{"name":"SNMP_PDUAPI_INVALID_ES","features":[458]},{"name":"SNMP_PDUAPI_INVALID_GT","features":[458]},{"name":"SNMP_PDUAPI_UNRECOGNIZED_PDU","features":[458]},{"name":"SNMP_PDU_GET","features":[458]},{"name":"SNMP_PDU_GETBULK","features":[458]},{"name":"SNMP_PDU_GETNEXT","features":[458]},{"name":"SNMP_PDU_RESPONSE","features":[458]},{"name":"SNMP_PDU_SET","features":[458]},{"name":"SNMP_PDU_TRAP","features":[458]},{"name":"SNMP_PDU_TYPE","features":[458]},{"name":"SNMP_STATUS","features":[458]},{"name":"SNMP_TRAP_AUTHFAIL","features":[458]},{"name":"SNMP_TRAP_COLDSTART","features":[458]},{"name":"SNMP_TRAP_EGPNEIGHBORLOSS","features":[458]},{"name":"SNMP_TRAP_ENTERPRISESPECIFIC","features":[458]},{"name":"SNMP_TRAP_LINKDOWN","features":[458]},{"name":"SNMP_TRAP_LINKUP","features":[458]},{"name":"SNMP_TRAP_WARMSTART","features":[458]},{"name":"SnmpCancelMsg","features":[458]},{"name":"SnmpCleanup","features":[458]},{"name":"SnmpCleanupEx","features":[458]},{"name":"SnmpClose","features":[458]},{"name":"SnmpContextToStr","features":[458]},{"name":"SnmpCountVbl","features":[458]},{"name":"SnmpCreatePdu","features":[458]},{"name":"SnmpCreateSession","features":[308,458]},{"name":"SnmpCreateVbl","features":[458]},{"name":"SnmpDecodeMsg","features":[458]},{"name":"SnmpDeleteVb","features":[458]},{"name":"SnmpDuplicatePdu","features":[458]},{"name":"SnmpDuplicateVbl","features":[458]},{"name":"SnmpEncodeMsg","features":[458]},{"name":"SnmpEntityToStr","features":[458]},{"name":"SnmpFreeContext","features":[458]},{"name":"SnmpFreeDescriptor","features":[458]},{"name":"SnmpFreeEntity","features":[458]},{"name":"SnmpFreePdu","features":[458]},{"name":"SnmpFreeVbl","features":[458]},{"name":"SnmpGetLastError","features":[458]},{"name":"SnmpGetPduData","features":[458]},{"name":"SnmpGetRetransmitMode","features":[458]},{"name":"SnmpGetRetry","features":[458]},{"name":"SnmpGetTimeout","features":[458]},{"name":"SnmpGetTranslateMode","features":[458]},{"name":"SnmpGetVb","features":[458]},{"name":"SnmpGetVendorInfo","features":[458]},{"name":"SnmpListen","features":[458]},{"name":"SnmpListenEx","features":[458]},{"name":"SnmpMgrClose","features":[308,458]},{"name":"SnmpMgrCtl","features":[308,458]},{"name":"SnmpMgrGetTrap","features":[308,458]},{"name":"SnmpMgrGetTrapEx","features":[308,458]},{"name":"SnmpMgrOidToStr","features":[308,458]},{"name":"SnmpMgrOpen","features":[458]},{"name":"SnmpMgrRequest","features":[308,458]},{"name":"SnmpMgrStrToOid","features":[308,458]},{"name":"SnmpMgrTrapListen","features":[308,458]},{"name":"SnmpOidCompare","features":[458]},{"name":"SnmpOidCopy","features":[458]},{"name":"SnmpOidToStr","features":[458]},{"name":"SnmpOpen","features":[308,458]},{"name":"SnmpRecvMsg","features":[458]},{"name":"SnmpRegister","features":[458]},{"name":"SnmpSendMsg","features":[458]},{"name":"SnmpSetPduData","features":[458]},{"name":"SnmpSetPort","features":[458]},{"name":"SnmpSetRetransmitMode","features":[458]},{"name":"SnmpSetRetry","features":[458]},{"name":"SnmpSetTimeout","features":[458]},{"name":"SnmpSetTranslateMode","features":[458]},{"name":"SnmpSetVb","features":[458]},{"name":"SnmpStartup","features":[458]},{"name":"SnmpStartupEx","features":[458]},{"name":"SnmpStrToContext","features":[458]},{"name":"SnmpStrToEntity","features":[458]},{"name":"SnmpStrToOid","features":[458]},{"name":"SnmpSvcGetUptime","features":[458]},{"name":"SnmpSvcSetLogLevel","features":[458]},{"name":"SnmpSvcSetLogType","features":[458]},{"name":"SnmpUtilAsnAnyCpy","features":[308,458]},{"name":"SnmpUtilAsnAnyFree","features":[308,458]},{"name":"SnmpUtilDbgPrint","features":[458]},{"name":"SnmpUtilIdsToA","features":[458]},{"name":"SnmpUtilMemAlloc","features":[458]},{"name":"SnmpUtilMemFree","features":[458]},{"name":"SnmpUtilMemReAlloc","features":[458]},{"name":"SnmpUtilOctetsCmp","features":[308,458]},{"name":"SnmpUtilOctetsCpy","features":[308,458]},{"name":"SnmpUtilOctetsFree","features":[308,458]},{"name":"SnmpUtilOctetsNCmp","features":[308,458]},{"name":"SnmpUtilOidAppend","features":[458]},{"name":"SnmpUtilOidCmp","features":[458]},{"name":"SnmpUtilOidCpy","features":[458]},{"name":"SnmpUtilOidFree","features":[458]},{"name":"SnmpUtilOidNCmp","features":[458]},{"name":"SnmpUtilOidToA","features":[458]},{"name":"SnmpUtilPrintAsnAny","features":[308,458]},{"name":"SnmpUtilPrintOid","features":[458]},{"name":"SnmpUtilVarBindCpy","features":[308,458]},{"name":"SnmpUtilVarBindFree","features":[308,458]},{"name":"SnmpUtilVarBindListCpy","features":[308,458]},{"name":"SnmpUtilVarBindListFree","features":[308,458]},{"name":"SnmpVarBind","features":[308,458]},{"name":"SnmpVarBindList","features":[308,458]},{"name":"SnmpVarBindList","features":[308,458]},{"name":"smiCNTR64","features":[458]},{"name":"smiOCTETS","features":[458]},{"name":"smiOID","features":[458]},{"name":"smiVALUE","features":[458]},{"name":"smiVENDORINFO","features":[458]}],"459":[{"name":"CONNDLG_CONN_POINT","features":[459]},{"name":"CONNDLG_HIDE_BOX","features":[459]},{"name":"CONNDLG_NOT_PERSIST","features":[459]},{"name":"CONNDLG_PERSIST","features":[459]},{"name":"CONNDLG_RO_PATH","features":[459]},{"name":"CONNDLG_USE_MRU","features":[459]},{"name":"CONNECTDLGSTRUCTA","features":[308,459]},{"name":"CONNECTDLGSTRUCTW","features":[308,459]},{"name":"CONNECTDLGSTRUCT_FLAGS","features":[459]},{"name":"CONNECT_CMD_SAVECRED","features":[459]},{"name":"CONNECT_COMMANDLINE","features":[459]},{"name":"CONNECT_CRED_RESET","features":[459]},{"name":"CONNECT_CURRENT_MEDIA","features":[459]},{"name":"CONNECT_DEFERRED","features":[459]},{"name":"CONNECT_GLOBAL_MAPPING","features":[459]},{"name":"CONNECT_INTERACTIVE","features":[459]},{"name":"CONNECT_LOCALDRIVE","features":[459]},{"name":"CONNECT_NEED_DRIVE","features":[459]},{"name":"CONNECT_PROMPT","features":[459]},{"name":"CONNECT_REDIRECT","features":[459]},{"name":"CONNECT_REFCOUNT","features":[459]},{"name":"CONNECT_REQUIRE_INTEGRITY","features":[459]},{"name":"CONNECT_REQUIRE_PRIVACY","features":[459]},{"name":"CONNECT_RESERVED","features":[459]},{"name":"CONNECT_TEMPORARY","features":[459]},{"name":"CONNECT_UPDATE_PROFILE","features":[459]},{"name":"CONNECT_UPDATE_RECENT","features":[459]},{"name":"CONNECT_WRITE_THROUGH_SEMANTICS","features":[459]},{"name":"DISCDLGSTRUCTA","features":[308,459]},{"name":"DISCDLGSTRUCTW","features":[308,459]},{"name":"DISCDLGSTRUCT_FLAGS","features":[459]},{"name":"DISC_NO_FORCE","features":[459]},{"name":"DISC_UPDATE_PROFILE","features":[459]},{"name":"MultinetGetConnectionPerformanceA","features":[459]},{"name":"MultinetGetConnectionPerformanceW","features":[459]},{"name":"NETCONNECTINFOSTRUCT","features":[459]},{"name":"NETINFOSTRUCT","features":[308,459]},{"name":"NETINFOSTRUCT_CHARACTERISTICS","features":[459]},{"name":"NETINFO_DISKRED","features":[459]},{"name":"NETINFO_DLL16","features":[459]},{"name":"NETINFO_PRINTERRED","features":[459]},{"name":"NETPROPERTY_PERSISTENT","features":[459]},{"name":"NETRESOURCEA","features":[459]},{"name":"NETRESOURCEW","features":[459]},{"name":"NETWORK_NAME_FORMAT_FLAGS","features":[459]},{"name":"NET_RESOURCE_SCOPE","features":[459]},{"name":"NET_RESOURCE_TYPE","features":[459]},{"name":"NET_USE_CONNECT_FLAGS","features":[459]},{"name":"NOTIFYADD","features":[308,459]},{"name":"NOTIFYCANCEL","features":[308,459]},{"name":"NOTIFYINFO","features":[459]},{"name":"NOTIFY_POST","features":[459]},{"name":"NOTIFY_PRE","features":[459]},{"name":"NPAddConnection","features":[459]},{"name":"NPAddConnection3","features":[308,459]},{"name":"NPAddConnection4","features":[308,459]},{"name":"NPCancelConnection","features":[308,459]},{"name":"NPCancelConnection2","features":[308,459]},{"name":"NPCloseEnum","features":[308,459]},{"name":"NPDIRECTORY_NOTIFY_OPERATION","features":[459]},{"name":"NPEnumResource","features":[308,459]},{"name":"NPFormatNetworkName","features":[459]},{"name":"NPGetCaps","features":[459]},{"name":"NPGetConnection","features":[459]},{"name":"NPGetConnection3","features":[459]},{"name":"NPGetConnectionPerformance","features":[459]},{"name":"NPGetPersistentUseOptionsForConnection","features":[459]},{"name":"NPGetResourceInformation","features":[459]},{"name":"NPGetResourceParent","features":[459]},{"name":"NPGetUniversalName","features":[459]},{"name":"NPGetUser","features":[459]},{"name":"NPOpenEnum","features":[308,459]},{"name":"NP_PROPERTY_DIALOG_SELECTION","features":[459]},{"name":"PF_AddConnectNotify","features":[308,459]},{"name":"PF_CancelConnectNotify","features":[308,459]},{"name":"PF_NPAddConnection","features":[459]},{"name":"PF_NPAddConnection3","features":[308,459]},{"name":"PF_NPAddConnection4","features":[308,459]},{"name":"PF_NPCancelConnection","features":[308,459]},{"name":"PF_NPCancelConnection2","features":[308,459]},{"name":"PF_NPCloseEnum","features":[308,459]},{"name":"PF_NPDeviceMode","features":[308,459]},{"name":"PF_NPDirectoryNotify","features":[308,459]},{"name":"PF_NPEnumResource","features":[308,459]},{"name":"PF_NPFMXEditPerm","features":[308,459]},{"name":"PF_NPFMXGetPermCaps","features":[459]},{"name":"PF_NPFMXGetPermHelp","features":[308,459]},{"name":"PF_NPFormatNetworkName","features":[459]},{"name":"PF_NPGetCaps","features":[459]},{"name":"PF_NPGetConnection","features":[459]},{"name":"PF_NPGetConnection3","features":[459]},{"name":"PF_NPGetConnectionPerformance","features":[459]},{"name":"PF_NPGetDirectoryType","features":[308,459]},{"name":"PF_NPGetPersistentUseOptionsForConnection","features":[459]},{"name":"PF_NPGetPropertyText","features":[459]},{"name":"PF_NPGetResourceInformation","features":[459]},{"name":"PF_NPGetResourceParent","features":[459]},{"name":"PF_NPGetUniversalName","features":[459]},{"name":"PF_NPGetUser","features":[459]},{"name":"PF_NPLogonNotify","features":[308,459]},{"name":"PF_NPOpenEnum","features":[308,459]},{"name":"PF_NPPasswordChangeNotify","features":[459]},{"name":"PF_NPPropertyDialog","features":[308,459]},{"name":"PF_NPSearchDialog","features":[308,459]},{"name":"REMOTE_NAME_INFOA","features":[459]},{"name":"REMOTE_NAME_INFOW","features":[459]},{"name":"REMOTE_NAME_INFO_LEVEL","features":[459]},{"name":"RESOURCEDISPLAYTYPE_DIRECTORY","features":[459]},{"name":"RESOURCEDISPLAYTYPE_NDSCONTAINER","features":[459]},{"name":"RESOURCEDISPLAYTYPE_NETWORK","features":[459]},{"name":"RESOURCEDISPLAYTYPE_ROOT","features":[459]},{"name":"RESOURCEDISPLAYTYPE_SHAREADMIN","features":[459]},{"name":"RESOURCETYPE_ANY","features":[459]},{"name":"RESOURCETYPE_DISK","features":[459]},{"name":"RESOURCETYPE_PRINT","features":[459]},{"name":"RESOURCETYPE_RESERVED","features":[459]},{"name":"RESOURCETYPE_UNKNOWN","features":[459]},{"name":"RESOURCEUSAGE_ALL","features":[459]},{"name":"RESOURCEUSAGE_ATTACHED","features":[459]},{"name":"RESOURCEUSAGE_CONNECTABLE","features":[459]},{"name":"RESOURCEUSAGE_CONTAINER","features":[459]},{"name":"RESOURCEUSAGE_NOLOCALDEVICE","features":[459]},{"name":"RESOURCEUSAGE_NONE","features":[459]},{"name":"RESOURCEUSAGE_RESERVED","features":[459]},{"name":"RESOURCEUSAGE_SIBLING","features":[459]},{"name":"RESOURCE_CONNECTED","features":[459]},{"name":"RESOURCE_CONTEXT","features":[459]},{"name":"RESOURCE_GLOBALNET","features":[459]},{"name":"RESOURCE_RECENT","features":[459]},{"name":"RESOURCE_REMEMBERED","features":[459]},{"name":"UNC_INFO_LEVEL","features":[459]},{"name":"UNIVERSAL_NAME_INFOA","features":[459]},{"name":"UNIVERSAL_NAME_INFOW","features":[459]},{"name":"UNIVERSAL_NAME_INFO_LEVEL","features":[459]},{"name":"WNCON_DYNAMIC","features":[459]},{"name":"WNCON_FORNETCARD","features":[459]},{"name":"WNCON_NOTROUTED","features":[459]},{"name":"WNCON_SLOWLINK","features":[459]},{"name":"WNDN_MKDIR","features":[459]},{"name":"WNDN_MVDIR","features":[459]},{"name":"WNDN_RMDIR","features":[459]},{"name":"WNDT_NETWORK","features":[459]},{"name":"WNDT_NORMAL","features":[459]},{"name":"WNET_OPEN_ENUM_USAGE","features":[459]},{"name":"WNFMT_ABBREVIATED","features":[459]},{"name":"WNFMT_CONNECTION","features":[459]},{"name":"WNFMT_INENUM","features":[459]},{"name":"WNFMT_MULTILINE","features":[459]},{"name":"WNGETCON_CONNECTED","features":[459]},{"name":"WNGETCON_DISCONNECTED","features":[459]},{"name":"WNNC_ADMIN","features":[459]},{"name":"WNNC_ADM_DIRECTORYNOTIFY","features":[459]},{"name":"WNNC_ADM_GETDIRECTORYTYPE","features":[459]},{"name":"WNNC_CONNECTION","features":[459]},{"name":"WNNC_CONNECTION_FLAGS","features":[459]},{"name":"WNNC_CON_ADDCONNECTION","features":[459]},{"name":"WNNC_CON_ADDCONNECTION3","features":[459]},{"name":"WNNC_CON_ADDCONNECTION4","features":[459]},{"name":"WNNC_CON_CANCELCONNECTION","features":[459]},{"name":"WNNC_CON_CANCELCONNECTION2","features":[459]},{"name":"WNNC_CON_DEFER","features":[459]},{"name":"WNNC_CON_GETCONNECTIONS","features":[459]},{"name":"WNNC_CON_GETPERFORMANCE","features":[459]},{"name":"WNNC_DIALOG","features":[459]},{"name":"WNNC_DLG_DEVICEMODE","features":[459]},{"name":"WNNC_DLG_FORMATNETWORKNAME","features":[459]},{"name":"WNNC_DLG_GETRESOURCEINFORMATION","features":[459]},{"name":"WNNC_DLG_GETRESOURCEPARENT","features":[459]},{"name":"WNNC_DLG_PERMISSIONEDITOR","features":[459]},{"name":"WNNC_DLG_PROPERTYDIALOG","features":[459]},{"name":"WNNC_DLG_SEARCHDIALOG","features":[459]},{"name":"WNNC_DRIVER_VERSION","features":[459]},{"name":"WNNC_ENUMERATION","features":[459]},{"name":"WNNC_ENUM_CONTEXT","features":[459]},{"name":"WNNC_ENUM_GLOBAL","features":[459]},{"name":"WNNC_ENUM_LOCAL","features":[459]},{"name":"WNNC_ENUM_SHAREABLE","features":[459]},{"name":"WNNC_NET_NONE","features":[459]},{"name":"WNNC_NET_TYPE","features":[459]},{"name":"WNNC_SPEC_VERSION","features":[459]},{"name":"WNNC_SPEC_VERSION51","features":[459]},{"name":"WNNC_START","features":[459]},{"name":"WNNC_USER","features":[459]},{"name":"WNNC_USR_GETUSER","features":[459]},{"name":"WNNC_WAIT_FOR_START","features":[459]},{"name":"WNPERMC_AUDIT","features":[459]},{"name":"WNPERMC_OWNER","features":[459]},{"name":"WNPERMC_PERM","features":[459]},{"name":"WNPERM_DLG","features":[459]},{"name":"WNPERM_DLG_AUDIT","features":[459]},{"name":"WNPERM_DLG_OWNER","features":[459]},{"name":"WNPERM_DLG_PERM","features":[459]},{"name":"WNPS_DIR","features":[459]},{"name":"WNPS_FILE","features":[459]},{"name":"WNPS_MULT","features":[459]},{"name":"WNSRCH_REFRESH_FIRST_LEVEL","features":[459]},{"name":"WNTYPE_COMM","features":[459]},{"name":"WNTYPE_DRIVE","features":[459]},{"name":"WNTYPE_FILE","features":[459]},{"name":"WNTYPE_PRINTER","features":[459]},{"name":"WN_CREDENTIAL_CLASS","features":[459]},{"name":"WN_NETWORK_CLASS","features":[459]},{"name":"WN_NT_PASSWORD_CHANGED","features":[459]},{"name":"WN_PRIMARY_AUTHENT_CLASS","features":[459]},{"name":"WN_SERVICE_CLASS","features":[459]},{"name":"WN_VALID_LOGON_ACCOUNT","features":[459]},{"name":"WNetAddConnection2A","features":[308,459]},{"name":"WNetAddConnection2W","features":[308,459]},{"name":"WNetAddConnection3A","features":[308,459]},{"name":"WNetAddConnection3W","features":[308,459]},{"name":"WNetAddConnection4A","features":[308,459]},{"name":"WNetAddConnection4W","features":[308,459]},{"name":"WNetAddConnectionA","features":[308,459]},{"name":"WNetAddConnectionW","features":[308,459]},{"name":"WNetCancelConnection2A","features":[308,459]},{"name":"WNetCancelConnection2W","features":[308,459]},{"name":"WNetCancelConnectionA","features":[308,459]},{"name":"WNetCancelConnectionW","features":[308,459]},{"name":"WNetCloseEnum","features":[308,459]},{"name":"WNetConnectionDialog","features":[308,459]},{"name":"WNetConnectionDialog1A","features":[308,459]},{"name":"WNetConnectionDialog1W","features":[308,459]},{"name":"WNetDisconnectDialog","features":[308,459]},{"name":"WNetDisconnectDialog1A","features":[308,459]},{"name":"WNetDisconnectDialog1W","features":[308,459]},{"name":"WNetEnumResourceA","features":[308,459]},{"name":"WNetEnumResourceW","features":[308,459]},{"name":"WNetGetConnectionA","features":[308,459]},{"name":"WNetGetConnectionW","features":[308,459]},{"name":"WNetGetLastErrorA","features":[308,459]},{"name":"WNetGetLastErrorW","features":[308,459]},{"name":"WNetGetNetworkInformationA","features":[308,459]},{"name":"WNetGetNetworkInformationW","features":[308,459]},{"name":"WNetGetProviderNameA","features":[308,459]},{"name":"WNetGetProviderNameW","features":[308,459]},{"name":"WNetGetResourceInformationA","features":[308,459]},{"name":"WNetGetResourceInformationW","features":[308,459]},{"name":"WNetGetResourceParentA","features":[308,459]},{"name":"WNetGetResourceParentW","features":[308,459]},{"name":"WNetGetUniversalNameA","features":[308,459]},{"name":"WNetGetUniversalNameW","features":[308,459]},{"name":"WNetGetUserA","features":[308,459]},{"name":"WNetGetUserW","features":[308,459]},{"name":"WNetOpenEnumA","features":[308,459]},{"name":"WNetOpenEnumW","features":[308,459]},{"name":"WNetSetLastErrorA","features":[459]},{"name":"WNetSetLastErrorW","features":[459]},{"name":"WNetUseConnection4A","features":[308,459]},{"name":"WNetUseConnection4W","features":[308,459]},{"name":"WNetUseConnectionA","features":[308,459]},{"name":"WNetUseConnectionW","features":[308,459]}],"460":[{"name":"AUTHNEXTSTEP","features":[460]},{"name":"CancelRequest","features":[460]},{"name":"DAV_AUTHN_SCHEME_BASIC","features":[460]},{"name":"DAV_AUTHN_SCHEME_CERT","features":[460]},{"name":"DAV_AUTHN_SCHEME_DIGEST","features":[460]},{"name":"DAV_AUTHN_SCHEME_FBA","features":[460]},{"name":"DAV_AUTHN_SCHEME_NEGOTIATE","features":[460]},{"name":"DAV_AUTHN_SCHEME_NTLM","features":[460]},{"name":"DAV_AUTHN_SCHEME_PASSPORT","features":[460]},{"name":"DAV_CALLBACK_AUTH_BLOB","features":[460]},{"name":"DAV_CALLBACK_AUTH_UNP","features":[460]},{"name":"DAV_CALLBACK_CRED","features":[308,460]},{"name":"DavAddConnection","features":[308,460]},{"name":"DavCancelConnectionsToServer","features":[308,460]},{"name":"DavDeleteConnection","features":[308,460]},{"name":"DavFlushFile","features":[308,460]},{"name":"DavGetExtendedError","features":[308,460]},{"name":"DavGetHTTPFromUNCPath","features":[460]},{"name":"DavGetTheLockOwnerOfTheFile","features":[460]},{"name":"DavGetUNCFromHTTPPath","features":[460]},{"name":"DavInvalidateCache","features":[460]},{"name":"DavRegisterAuthCallback","features":[308,460]},{"name":"DavUnregisterAuthCallback","features":[460]},{"name":"DefaultBehavior","features":[460]},{"name":"PFNDAVAUTHCALLBACK","features":[308,460]},{"name":"PFNDAVAUTHCALLBACK_FREECRED","features":[460]},{"name":"RetryRequest","features":[460]}],"461":[{"name":"CH_DESCRIPTION_TYPE","features":[461]},{"name":"DEVPKEY_InfraCast_AccessPointBssid","features":[341,461]},{"name":"DEVPKEY_InfraCast_ChallengeAep","features":[341,461]},{"name":"DEVPKEY_InfraCast_DevnodeAep","features":[341,461]},{"name":"DEVPKEY_InfraCast_HostName_ResolutionMode","features":[341,461]},{"name":"DEVPKEY_InfraCast_PinSupported","features":[341,461]},{"name":"DEVPKEY_InfraCast_RtspTcpConnectionParametersSupported","features":[341,461]},{"name":"DEVPKEY_InfraCast_SinkHostName","features":[341,461]},{"name":"DEVPKEY_InfraCast_SinkIpAddress","features":[341,461]},{"name":"DEVPKEY_InfraCast_StreamSecuritySupported","features":[341,461]},{"name":"DEVPKEY_InfraCast_Supported","features":[341,461]},{"name":"DEVPKEY_PciDevice_AERCapabilityPresent","features":[341,461]},{"name":"DEVPKEY_PciDevice_AcsCapabilityRegister","features":[341,461]},{"name":"DEVPKEY_PciDevice_AcsCompatibleUpHierarchy","features":[341,461]},{"name":"DEVPKEY_PciDevice_AcsSupport","features":[341,461]},{"name":"DEVPKEY_PciDevice_AriSupport","features":[341,461]},{"name":"DEVPKEY_PciDevice_AtomicsSupported","features":[341,461]},{"name":"DEVPKEY_PciDevice_AtsSupport","features":[341,461]},{"name":"DEVPKEY_PciDevice_BarTypes","features":[341,461]},{"name":"DEVPKEY_PciDevice_BaseClass","features":[341,461]},{"name":"DEVPKEY_PciDevice_Correctable_Error_Mask","features":[341,461]},{"name":"DEVPKEY_PciDevice_CurrentLinkSpeed","features":[341,461]},{"name":"DEVPKEY_PciDevice_CurrentLinkWidth","features":[341,461]},{"name":"DEVPKEY_PciDevice_CurrentPayloadSize","features":[341,461]},{"name":"DEVPKEY_PciDevice_CurrentSpeedAndMode","features":[341,461]},{"name":"DEVPKEY_PciDevice_D3ColdSupport","features":[341,461]},{"name":"DEVPKEY_PciDevice_DeviceType","features":[341,461]},{"name":"DEVPKEY_PciDevice_ECRC_Errors","features":[341,461]},{"name":"DEVPKEY_PciDevice_Error_Reporting","features":[341,461]},{"name":"DEVPKEY_PciDevice_ExpressSpecVersion","features":[341,461]},{"name":"DEVPKEY_PciDevice_FirmwareErrorHandling","features":[341,461]},{"name":"DEVPKEY_PciDevice_InterruptMessageMaximum","features":[341,461]},{"name":"DEVPKEY_PciDevice_InterruptSupport","features":[341,461]},{"name":"DEVPKEY_PciDevice_Label_Id","features":[341,461]},{"name":"DEVPKEY_PciDevice_Label_String","features":[341,461]},{"name":"DEVPKEY_PciDevice_MaxLinkSpeed","features":[341,461]},{"name":"DEVPKEY_PciDevice_MaxLinkWidth","features":[341,461]},{"name":"DEVPKEY_PciDevice_MaxPayloadSize","features":[341,461]},{"name":"DEVPKEY_PciDevice_MaxReadRequestSize","features":[341,461]},{"name":"DEVPKEY_PciDevice_OnPostPath","features":[341,461]},{"name":"DEVPKEY_PciDevice_ParentSerialNumber","features":[341,461]},{"name":"DEVPKEY_PciDevice_ProgIf","features":[341,461]},{"name":"DEVPKEY_PciDevice_RequiresReservedMemoryRegion","features":[341,461]},{"name":"DEVPKEY_PciDevice_RootError_Reporting","features":[341,461]},{"name":"DEVPKEY_PciDevice_S0WakeupSupported","features":[341,461]},{"name":"DEVPKEY_PciDevice_SerialNumber","features":[341,461]},{"name":"DEVPKEY_PciDevice_SriovSupport","features":[341,461]},{"name":"DEVPKEY_PciDevice_SubClass","features":[341,461]},{"name":"DEVPKEY_PciDevice_SupportedLinkSubState","features":[341,461]},{"name":"DEVPKEY_PciDevice_Uncorrectable_Error_Mask","features":[341,461]},{"name":"DEVPKEY_PciDevice_Uncorrectable_Error_Severity","features":[341,461]},{"name":"DEVPKEY_PciDevice_UsbComponentRelation","features":[341,461]},{"name":"DEVPKEY_PciDevice_UsbDvsecPortSpecificAttributes","features":[341,461]},{"name":"DEVPKEY_PciDevice_UsbDvsecPortType","features":[341,461]},{"name":"DEVPKEY_PciDevice_UsbHostRouterName","features":[341,461]},{"name":"DEVPKEY_PciRootBus_ASPMSupport","features":[341,461]},{"name":"DEVPKEY_PciRootBus_ClockPowerManagementSupport","features":[341,461]},{"name":"DEVPKEY_PciRootBus_CurrentSpeedAndMode","features":[341,461]},{"name":"DEVPKEY_PciRootBus_DeviceIDMessagingCapable","features":[341,461]},{"name":"DEVPKEY_PciRootBus_ExtendedConfigAvailable","features":[341,461]},{"name":"DEVPKEY_PciRootBus_ExtendedPCIConfigOpRegionSupport","features":[341,461]},{"name":"DEVPKEY_PciRootBus_MSISupport","features":[341,461]},{"name":"DEVPKEY_PciRootBus_NativePciExpressControl","features":[341,461]},{"name":"DEVPKEY_PciRootBus_PCIExpressAERControl","features":[341,461]},{"name":"DEVPKEY_PciRootBus_PCIExpressCapabilityControl","features":[341,461]},{"name":"DEVPKEY_PciRootBus_PCIExpressNativeHotPlugControl","features":[341,461]},{"name":"DEVPKEY_PciRootBus_PCIExpressNativePMEControl","features":[341,461]},{"name":"DEVPKEY_PciRootBus_PCISegmentGroupsSupport","features":[341,461]},{"name":"DEVPKEY_PciRootBus_SHPCNativeHotPlugControl","features":[341,461]},{"name":"DEVPKEY_PciRootBus_SecondaryBusWidth","features":[341,461]},{"name":"DEVPKEY_PciRootBus_SecondaryInterface","features":[341,461]},{"name":"DEVPKEY_PciRootBus_SupportedSpeedsAndModes","features":[341,461]},{"name":"DEVPKEY_PciRootBus_SystemMsiSupport","features":[341,461]},{"name":"DEVPKEY_WiFiDirectServices_AdvertisementId","features":[341,461]},{"name":"DEVPKEY_WiFiDirectServices_RequestServiceInformation","features":[341,461]},{"name":"DEVPKEY_WiFiDirectServices_ServiceAddress","features":[341,461]},{"name":"DEVPKEY_WiFiDirectServices_ServiceConfigMethods","features":[341,461]},{"name":"DEVPKEY_WiFiDirectServices_ServiceInformation","features":[341,461]},{"name":"DEVPKEY_WiFiDirectServices_ServiceName","features":[341,461]},{"name":"DEVPKEY_WiFiDirect_DeviceAddress","features":[341,461]},{"name":"DEVPKEY_WiFiDirect_DeviceAddressCopy","features":[341,461]},{"name":"DEVPKEY_WiFiDirect_FoundWsbService","features":[341,461]},{"name":"DEVPKEY_WiFiDirect_GroupId","features":[341,461]},{"name":"DEVPKEY_WiFiDirect_InformationElements","features":[341,461]},{"name":"DEVPKEY_WiFiDirect_InterfaceAddress","features":[341,461]},{"name":"DEVPKEY_WiFiDirect_InterfaceGuid","features":[341,461]},{"name":"DEVPKEY_WiFiDirect_IsConnected","features":[341,461]},{"name":"DEVPKEY_WiFiDirect_IsDMGCapable","features":[341,461]},{"name":"DEVPKEY_WiFiDirect_IsLegacyDevice","features":[341,461]},{"name":"DEVPKEY_WiFiDirect_IsMiracastLCPSupported","features":[341,461]},{"name":"DEVPKEY_WiFiDirect_IsRecentlyAssociated","features":[341,461]},{"name":"DEVPKEY_WiFiDirect_IsVisible","features":[341,461]},{"name":"DEVPKEY_WiFiDirect_LinkQuality","features":[341,461]},{"name":"DEVPKEY_WiFiDirect_MiracastVersion","features":[341,461]},{"name":"DEVPKEY_WiFiDirect_Miracast_SessionMgmtControlPort","features":[341,461]},{"name":"DEVPKEY_WiFiDirect_NoMiracastAutoProject","features":[341,461]},{"name":"DEVPKEY_WiFiDirect_RtspTcpConnectionParametersSupported","features":[341,461]},{"name":"DEVPKEY_WiFiDirect_Service_Aeps","features":[341,461]},{"name":"DEVPKEY_WiFiDirect_Services","features":[341,461]},{"name":"DEVPKEY_WiFiDirect_SupportedChannelList","features":[341,461]},{"name":"DEVPKEY_WiFiDirect_TransientAssociation","features":[341,461]},{"name":"DEVPKEY_WiFi_InterfaceGuid","features":[341,461]},{"name":"DEVPROP_PCIDEVICE_ACSCOMPATIBLEUPHIERARCHY","features":[461]},{"name":"DEVPROP_PCIDEVICE_ACSSUPPORT","features":[461]},{"name":"DEVPROP_PCIDEVICE_CURRENTSPEEDANDMODE","features":[461]},{"name":"DEVPROP_PCIDEVICE_DEVICEBRIDGETYPE","features":[461]},{"name":"DEVPROP_PCIDEVICE_INTERRUPTTYPE","features":[461]},{"name":"DEVPROP_PCIDEVICE_SRIOVSUPPORT","features":[461]},{"name":"DEVPROP_PCIEXPRESSDEVICE_LINKSPEED","features":[461]},{"name":"DEVPROP_PCIEXPRESSDEVICE_LINKWIDTH","features":[461]},{"name":"DEVPROP_PCIEXPRESSDEVICE_PAYLOADORREQUESTSIZE","features":[461]},{"name":"DEVPROP_PCIEXPRESSDEVICE_SPEC_VERSION","features":[461]},{"name":"DEVPROP_PCIROOTBUS_BUSWIDTH","features":[461]},{"name":"DEVPROP_PCIROOTBUS_CURRENTSPEEDANDMODE","features":[461]},{"name":"DEVPROP_PCIROOTBUS_SECONDARYINTERFACE","features":[461]},{"name":"DEVPROP_PCIROOTBUS_SUPPORTEDSPEEDSANDMODES","features":[461]},{"name":"DISCOVERY_FILTER_BITMASK_ANY","features":[461]},{"name":"DISCOVERY_FILTER_BITMASK_DEVICE","features":[461]},{"name":"DISCOVERY_FILTER_BITMASK_GO","features":[461]},{"name":"DOT11EXTIHV_ADAPTER_RESET","features":[308,461]},{"name":"DOT11EXTIHV_CONTROL","features":[308,461]},{"name":"DOT11EXTIHV_CREATE_DISCOVERY_PROFILES","features":[308,461,462]},{"name":"DOT11EXTIHV_DEINIT_ADAPTER","features":[308,461]},{"name":"DOT11EXTIHV_DEINIT_SERVICE","features":[461]},{"name":"DOT11EXTIHV_GET_VERSION_INFO","features":[461]},{"name":"DOT11EXTIHV_INIT_ADAPTER","features":[308,461]},{"name":"DOT11EXTIHV_INIT_SERVICE","features":[308,322,461,462,463]},{"name":"DOT11EXTIHV_INIT_VIRTUAL_STATION","features":[308,461]},{"name":"DOT11EXTIHV_IS_UI_REQUEST_PENDING","features":[308,461]},{"name":"DOT11EXTIHV_ONEX_INDICATE_RESULT","features":[308,461,462]},{"name":"DOT11EXTIHV_PERFORM_CAPABILITY_MATCH","features":[308,461,462]},{"name":"DOT11EXTIHV_PERFORM_POST_ASSOCIATE","features":[308,322,461]},{"name":"DOT11EXTIHV_PERFORM_PRE_ASSOCIATE","features":[308,461,462]},{"name":"DOT11EXTIHV_PROCESS_SESSION_CHANGE","features":[461,463]},{"name":"DOT11EXTIHV_PROCESS_UI_RESPONSE","features":[461]},{"name":"DOT11EXTIHV_QUERY_UI_REQUEST","features":[308,461]},{"name":"DOT11EXTIHV_RECEIVE_INDICATION","features":[308,461]},{"name":"DOT11EXTIHV_RECEIVE_PACKET","features":[308,461]},{"name":"DOT11EXTIHV_SEND_PACKET_COMPLETION","features":[308,461]},{"name":"DOT11EXTIHV_STOP_POST_ASSOCIATE","features":[308,461]},{"name":"DOT11EXTIHV_VALIDATE_PROFILE","features":[308,461,462]},{"name":"DOT11EXT_ALLOCATE_BUFFER","features":[461]},{"name":"DOT11EXT_APIS","features":[308,322,461,462]},{"name":"DOT11EXT_FREE_BUFFER","features":[461]},{"name":"DOT11EXT_GET_PROFILE_CUSTOM_USER_DATA","features":[308,461]},{"name":"DOT11EXT_IHV_CONNECTION_PHASE","features":[461]},{"name":"DOT11EXT_IHV_CONNECTIVITY_PROFILE","features":[461]},{"name":"DOT11EXT_IHV_DISCOVERY_PROFILE","features":[308,461]},{"name":"DOT11EXT_IHV_DISCOVERY_PROFILE_LIST","features":[308,461]},{"name":"DOT11EXT_IHV_HANDLERS","features":[308,322,461,462,463]},{"name":"DOT11EXT_IHV_INDICATION_TYPE","features":[461]},{"name":"DOT11EXT_IHV_PARAMS","features":[308,461,462]},{"name":"DOT11EXT_IHV_PROFILE_PARAMS","features":[308,461,462]},{"name":"DOT11EXT_IHV_SECURITY_PROFILE","features":[308,461]},{"name":"DOT11EXT_IHV_SSID_LIST","features":[461]},{"name":"DOT11EXT_IHV_UI_REQUEST","features":[461]},{"name":"DOT11EXT_NIC_SPECIFIC_EXTENSION","features":[308,461]},{"name":"DOT11EXT_ONEX_START","features":[308,461,462]},{"name":"DOT11EXT_ONEX_STOP","features":[308,461]},{"name":"DOT11EXT_POST_ASSOCIATE_COMPLETION","features":[308,461]},{"name":"DOT11EXT_PRE_ASSOCIATE_COMPLETION","features":[308,461]},{"name":"DOT11EXT_PROCESS_ONEX_PACKET","features":[308,461]},{"name":"DOT11EXT_PSK_MAX_LENGTH","features":[461]},{"name":"DOT11EXT_QUERY_VIRTUAL_STATION_PROPERTIES","features":[308,461]},{"name":"DOT11EXT_RELEASE_VIRTUAL_STATION","features":[308,461]},{"name":"DOT11EXT_REQUEST_VIRTUAL_STATION","features":[308,461]},{"name":"DOT11EXT_SEND_NOTIFICATION","features":[308,461]},{"name":"DOT11EXT_SEND_PACKET","features":[308,461]},{"name":"DOT11EXT_SEND_UI_REQUEST","features":[308,461]},{"name":"DOT11EXT_SET_AUTH_ALGORITHM","features":[308,461]},{"name":"DOT11EXT_SET_CURRENT_PROFILE","features":[308,461]},{"name":"DOT11EXT_SET_DEFAULT_KEY","features":[308,322,461]},{"name":"DOT11EXT_SET_DEFAULT_KEY_ID","features":[308,461]},{"name":"DOT11EXT_SET_ETHERTYPE_HANDLING","features":[308,461]},{"name":"DOT11EXT_SET_EXCLUDE_UNENCRYPTED","features":[308,461]},{"name":"DOT11EXT_SET_KEY_MAPPING_KEY","features":[308,461]},{"name":"DOT11EXT_SET_MULTICAST_CIPHER_ALGORITHM","features":[308,461]},{"name":"DOT11EXT_SET_PROFILE_CUSTOM_USER_DATA","features":[308,461]},{"name":"DOT11EXT_SET_UNICAST_CIPHER_ALGORITHM","features":[308,461]},{"name":"DOT11EXT_SET_VIRTUAL_STATION_AP_PROPERTIES","features":[308,461]},{"name":"DOT11EXT_VIRTUAL_STATION_APIS","features":[308,461]},{"name":"DOT11EXT_VIRTUAL_STATION_AP_PROPERTY","features":[308,461]},{"name":"DOT11_ACCESSNETWORKOPTIONS","features":[461]},{"name":"DOT11_AC_PARAM","features":[461]},{"name":"DOT11_ADAPTER","features":[461]},{"name":"DOT11_ADDITIONAL_IE","features":[322,461]},{"name":"DOT11_ADDITIONAL_IE_REVISION_1","features":[461]},{"name":"DOT11_ADHOC_AUTH_ALGORITHM","features":[461]},{"name":"DOT11_ADHOC_AUTH_ALGO_80211_OPEN","features":[461]},{"name":"DOT11_ADHOC_AUTH_ALGO_INVALID","features":[461]},{"name":"DOT11_ADHOC_AUTH_ALGO_RSNA_PSK","features":[461]},{"name":"DOT11_ADHOC_CIPHER_ALGORITHM","features":[461]},{"name":"DOT11_ADHOC_CIPHER_ALGO_CCMP","features":[461]},{"name":"DOT11_ADHOC_CIPHER_ALGO_INVALID","features":[461]},{"name":"DOT11_ADHOC_CIPHER_ALGO_NONE","features":[461]},{"name":"DOT11_ADHOC_CIPHER_ALGO_WEP","features":[461]},{"name":"DOT11_ADHOC_CONNECT_FAIL_DOMAIN_MISMATCH","features":[461]},{"name":"DOT11_ADHOC_CONNECT_FAIL_OTHER","features":[461]},{"name":"DOT11_ADHOC_CONNECT_FAIL_PASSPHRASE_MISMATCH","features":[461]},{"name":"DOT11_ADHOC_CONNECT_FAIL_REASON","features":[461]},{"name":"DOT11_ADHOC_NETWORK_CONNECTION_STATUS","features":[461]},{"name":"DOT11_ADHOC_NETWORK_CONNECTION_STATUS_CONNECTED","features":[461]},{"name":"DOT11_ADHOC_NETWORK_CONNECTION_STATUS_CONNECTING","features":[461]},{"name":"DOT11_ADHOC_NETWORK_CONNECTION_STATUS_DISCONNECTED","features":[461]},{"name":"DOT11_ADHOC_NETWORK_CONNECTION_STATUS_FORMED","features":[461]},{"name":"DOT11_ADHOC_NETWORK_CONNECTION_STATUS_INVALID","features":[461]},{"name":"DOT11_ANQP_QUERY_COMPLETE_PARAMETERS","features":[308,322,461]},{"name":"DOT11_ANQP_QUERY_COMPLETE_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_ANQP_QUERY_RESULT","features":[461]},{"name":"DOT11_AP_JOIN_REQUEST","features":[461]},{"name":"DOT11_ASSOCIATION_COMPLETION_PARAMETERS","features":[308,322,461]},{"name":"DOT11_ASSOCIATION_COMPLETION_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_ASSOCIATION_COMPLETION_PARAMETERS_REVISION_2","features":[461]},{"name":"DOT11_ASSOCIATION_INFO_EX","features":[461]},{"name":"DOT11_ASSOCIATION_INFO_LIST","features":[322,461]},{"name":"DOT11_ASSOCIATION_INFO_LIST_REVISION_1","features":[461]},{"name":"DOT11_ASSOCIATION_PARAMS","features":[322,461]},{"name":"DOT11_ASSOCIATION_PARAMS_REVISION_1","features":[461]},{"name":"DOT11_ASSOCIATION_START_PARAMETERS","features":[322,461]},{"name":"DOT11_ASSOCIATION_START_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_ASSOCIATION_STATE","features":[461]},{"name":"DOT11_ASSOC_ERROR_SOURCE_OS","features":[461]},{"name":"DOT11_ASSOC_ERROR_SOURCE_OTHER","features":[461]},{"name":"DOT11_ASSOC_ERROR_SOURCE_REMOTE","features":[461]},{"name":"DOT11_ASSOC_STATUS_SUCCESS","features":[461]},{"name":"DOT11_AUTH_ALGORITHM","features":[461]},{"name":"DOT11_AUTH_ALGORITHM_LIST","features":[322,461]},{"name":"DOT11_AUTH_ALGORITHM_LIST_REVISION_1","features":[461]},{"name":"DOT11_AUTH_ALGO_80211_OPEN","features":[461]},{"name":"DOT11_AUTH_ALGO_80211_SHARED_KEY","features":[461]},{"name":"DOT11_AUTH_ALGO_IHV_END","features":[461]},{"name":"DOT11_AUTH_ALGO_IHV_START","features":[461]},{"name":"DOT11_AUTH_ALGO_MICHAEL","features":[461]},{"name":"DOT11_AUTH_ALGO_OWE","features":[461]},{"name":"DOT11_AUTH_ALGO_RSNA","features":[461]},{"name":"DOT11_AUTH_ALGO_RSNA_PSK","features":[461]},{"name":"DOT11_AUTH_ALGO_WPA","features":[461]},{"name":"DOT11_AUTH_ALGO_WPA3","features":[461]},{"name":"DOT11_AUTH_ALGO_WPA3_ENT","features":[461]},{"name":"DOT11_AUTH_ALGO_WPA3_ENT_192","features":[461]},{"name":"DOT11_AUTH_ALGO_WPA3_SAE","features":[461]},{"name":"DOT11_AUTH_ALGO_WPA_NONE","features":[461]},{"name":"DOT11_AUTH_ALGO_WPA_PSK","features":[461]},{"name":"DOT11_AUTH_CIPHER_PAIR","features":[461]},{"name":"DOT11_AUTH_CIPHER_PAIR_LIST","features":[322,461]},{"name":"DOT11_AUTH_CIPHER_PAIR_LIST_REVISION_1","features":[461]},{"name":"DOT11_AVAILABLE_CHANNEL_LIST","features":[322,461]},{"name":"DOT11_AVAILABLE_CHANNEL_LIST_REVISION_1","features":[461]},{"name":"DOT11_AVAILABLE_FREQUENCY_LIST","features":[322,461]},{"name":"DOT11_AVAILABLE_FREQUENCY_LIST_REVISION_1","features":[461]},{"name":"DOT11_BAND","features":[461]},{"name":"DOT11_BSSID_CANDIDATE","features":[461]},{"name":"DOT11_BSSID_LIST","features":[322,461]},{"name":"DOT11_BSSID_LIST_REVISION_1","features":[461]},{"name":"DOT11_BSS_DESCRIPTION","features":[461]},{"name":"DOT11_BSS_ENTRY","features":[308,461]},{"name":"DOT11_BSS_ENTRY_BYTE_ARRAY_REVISION_1","features":[461]},{"name":"DOT11_BSS_ENTRY_PHY_SPECIFIC_INFO","features":[461]},{"name":"DOT11_BSS_LIST","features":[461]},{"name":"DOT11_BSS_TYPE","features":[461]},{"name":"DOT11_BYTE_ARRAY","features":[322,461]},{"name":"DOT11_CAN_SUSTAIN_AP_PARAMETERS","features":[322,461]},{"name":"DOT11_CAN_SUSTAIN_AP_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_CAN_SUSTAIN_AP_REASON_IHV_END","features":[461]},{"name":"DOT11_CAN_SUSTAIN_AP_REASON_IHV_START","features":[461]},{"name":"DOT11_CAPABILITY_CHANNEL_AGILITY","features":[461]},{"name":"DOT11_CAPABILITY_DSSSOFDM","features":[461]},{"name":"DOT11_CAPABILITY_INFO_CF_POLLABLE","features":[461]},{"name":"DOT11_CAPABILITY_INFO_CF_POLL_REQ","features":[461]},{"name":"DOT11_CAPABILITY_INFO_ESS","features":[461]},{"name":"DOT11_CAPABILITY_INFO_IBSS","features":[461]},{"name":"DOT11_CAPABILITY_INFO_PRIVACY","features":[461]},{"name":"DOT11_CAPABILITY_PBCC","features":[461]},{"name":"DOT11_CAPABILITY_SHORT_PREAMBLE","features":[461]},{"name":"DOT11_CAPABILITY_SHORT_SLOT_TIME","features":[461]},{"name":"DOT11_CCA_MODE_CS_ONLY","features":[461]},{"name":"DOT11_CCA_MODE_CS_WITH_TIMER","features":[461]},{"name":"DOT11_CCA_MODE_ED_ONLY","features":[461]},{"name":"DOT11_CCA_MODE_ED_and_CS","features":[461]},{"name":"DOT11_CCA_MODE_HRCS_AND_ED","features":[461]},{"name":"DOT11_CHANNEL_HINT","features":[461]},{"name":"DOT11_CIPHER_ALGORITHM","features":[461]},{"name":"DOT11_CIPHER_ALGORITHM_LIST","features":[322,461]},{"name":"DOT11_CIPHER_ALGORITHM_LIST_REVISION_1","features":[461]},{"name":"DOT11_CIPHER_ALGO_BIP","features":[461]},{"name":"DOT11_CIPHER_ALGO_BIP_CMAC_256","features":[461]},{"name":"DOT11_CIPHER_ALGO_BIP_GMAC_128","features":[461]},{"name":"DOT11_CIPHER_ALGO_BIP_GMAC_256","features":[461]},{"name":"DOT11_CIPHER_ALGO_CCMP","features":[461]},{"name":"DOT11_CIPHER_ALGO_CCMP_256","features":[461]},{"name":"DOT11_CIPHER_ALGO_GCMP","features":[461]},{"name":"DOT11_CIPHER_ALGO_GCMP_256","features":[461]},{"name":"DOT11_CIPHER_ALGO_IHV_END","features":[461]},{"name":"DOT11_CIPHER_ALGO_IHV_START","features":[461]},{"name":"DOT11_CIPHER_ALGO_NONE","features":[461]},{"name":"DOT11_CIPHER_ALGO_RSN_USE_GROUP","features":[461]},{"name":"DOT11_CIPHER_ALGO_TKIP","features":[461]},{"name":"DOT11_CIPHER_ALGO_WEP","features":[461]},{"name":"DOT11_CIPHER_ALGO_WEP104","features":[461]},{"name":"DOT11_CIPHER_ALGO_WEP40","features":[461]},{"name":"DOT11_CIPHER_ALGO_WPA_USE_GROUP","features":[461]},{"name":"DOT11_CIPHER_DEFAULT_KEY_VALUE","features":[308,322,461]},{"name":"DOT11_CIPHER_DEFAULT_KEY_VALUE_REVISION_1","features":[461]},{"name":"DOT11_CIPHER_KEY_MAPPING_KEY_VALUE","features":[308,461]},{"name":"DOT11_CIPHER_KEY_MAPPING_KEY_VALUE_BYTE_ARRAY_REVISION_1","features":[461]},{"name":"DOT11_CONF_ALGO_TKIP","features":[461]},{"name":"DOT11_CONF_ALGO_WEP_RC4","features":[461]},{"name":"DOT11_CONNECTION_COMPLETION_PARAMETERS","features":[322,461]},{"name":"DOT11_CONNECTION_COMPLETION_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_CONNECTION_START_PARAMETERS","features":[322,461]},{"name":"DOT11_CONNECTION_START_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_CONNECTION_STATUS_SUCCESS","features":[461]},{"name":"DOT11_COUNTERS_ENTRY","features":[461]},{"name":"DOT11_COUNTRY_OR_REGION_STRING_LIST","features":[322,461]},{"name":"DOT11_COUNTRY_OR_REGION_STRING_LIST_REVISION_1","features":[461]},{"name":"DOT11_CURRENT_OFFLOAD_CAPABILITY","features":[461]},{"name":"DOT11_CURRENT_OPERATION_MODE","features":[461]},{"name":"DOT11_CURRENT_OPTIONAL_CAPABILITY","features":[308,461]},{"name":"DOT11_DATA_RATE_MAPPING_ENTRY","features":[461]},{"name":"DOT11_DATA_RATE_MAPPING_TABLE","features":[322,461]},{"name":"DOT11_DATA_RATE_MAPPING_TABLE_REVISION_1","features":[461]},{"name":"DOT11_DEFAULT_WEP_OFFLOAD","features":[308,461]},{"name":"DOT11_DEFAULT_WEP_UPLOAD","features":[308,461]},{"name":"DOT11_DEVICE_ENTRY_BYTE_ARRAY_REVISION_1","features":[461]},{"name":"DOT11_DIRECTION","features":[461]},{"name":"DOT11_DIR_BOTH","features":[461]},{"name":"DOT11_DIR_INBOUND","features":[461]},{"name":"DOT11_DIR_OUTBOUND","features":[461]},{"name":"DOT11_DISASSOCIATE_PEER_REQUEST","features":[322,461]},{"name":"DOT11_DISASSOCIATE_PEER_REQUEST_REVISION_1","features":[461]},{"name":"DOT11_DISASSOCIATION_PARAMETERS","features":[322,461]},{"name":"DOT11_DISASSOCIATION_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_DIVERSITY_SELECTION_RX","features":[308,461]},{"name":"DOT11_DIVERSITY_SELECTION_RX_LIST","features":[308,461]},{"name":"DOT11_DIVERSITY_SUPPORT","features":[461]},{"name":"DOT11_DS_CHANGED","features":[461]},{"name":"DOT11_DS_INFO","features":[461]},{"name":"DOT11_DS_UNCHANGED","features":[461]},{"name":"DOT11_DS_UNKNOWN","features":[461]},{"name":"DOT11_EAP_RESULT","features":[461,462]},{"name":"DOT11_ENCAP_802_1H","features":[461]},{"name":"DOT11_ENCAP_ENTRY","features":[461]},{"name":"DOT11_ENCAP_RFC_1042","features":[461]},{"name":"DOT11_ERP_PHY_ATTRIBUTES","features":[308,461]},{"name":"DOT11_EXEMPT_ALWAYS","features":[461]},{"name":"DOT11_EXEMPT_BOTH","features":[461]},{"name":"DOT11_EXEMPT_MULTICAST","features":[461]},{"name":"DOT11_EXEMPT_NO_EXEMPTION","features":[461]},{"name":"DOT11_EXEMPT_ON_KEY_MAPPING_KEY_UNAVAILABLE","features":[461]},{"name":"DOT11_EXEMPT_UNICAST","features":[461]},{"name":"DOT11_EXTAP_ATTRIBUTES","features":[308,322,461]},{"name":"DOT11_EXTAP_ATTRIBUTES_REVISION_1","features":[461]},{"name":"DOT11_EXTAP_RECV_CONTEXT_REVISION_1","features":[461]},{"name":"DOT11_EXTAP_SEND_CONTEXT_REVISION_1","features":[461]},{"name":"DOT11_EXTSTA_ATTRIBUTES","features":[308,322,461]},{"name":"DOT11_EXTSTA_ATTRIBUTES_REVISION_1","features":[461]},{"name":"DOT11_EXTSTA_ATTRIBUTES_REVISION_2","features":[461]},{"name":"DOT11_EXTSTA_ATTRIBUTES_REVISION_3","features":[461]},{"name":"DOT11_EXTSTA_ATTRIBUTES_REVISION_4","features":[461]},{"name":"DOT11_EXTSTA_ATTRIBUTES_SAFEMODE_CERTIFIED","features":[461]},{"name":"DOT11_EXTSTA_ATTRIBUTES_SAFEMODE_OID_SUPPORTED","features":[461]},{"name":"DOT11_EXTSTA_ATTRIBUTES_SAFEMODE_RESERVED","features":[461]},{"name":"DOT11_EXTSTA_CAPABILITY","features":[322,461]},{"name":"DOT11_EXTSTA_CAPABILITY_REVISION_1","features":[461]},{"name":"DOT11_EXTSTA_RECV_CONTEXT","features":[322,461]},{"name":"DOT11_EXTSTA_RECV_CONTEXT_REVISION_1","features":[461]},{"name":"DOT11_EXTSTA_SEND_CONTEXT","features":[322,461]},{"name":"DOT11_EXTSTA_SEND_CONTEXT_REVISION_1","features":[461]},{"name":"DOT11_FLAGS_80211B_CHANNEL_AGILITY","features":[461]},{"name":"DOT11_FLAGS_80211B_PBCC","features":[461]},{"name":"DOT11_FLAGS_80211B_SHORT_PREAMBLE","features":[461]},{"name":"DOT11_FLAGS_80211G_BARKER_PREAMBLE_MODE","features":[461]},{"name":"DOT11_FLAGS_80211G_DSSS_OFDM","features":[461]},{"name":"DOT11_FLAGS_80211G_NON_ERP_PRESENT","features":[461]},{"name":"DOT11_FLAGS_80211G_USE_PROTECTION","features":[461]},{"name":"DOT11_FLAGS_PS_ON","features":[461]},{"name":"DOT11_FRAGMENT_DESCRIPTOR","features":[461]},{"name":"DOT11_FREQUENCY_BANDS_LOWER","features":[461]},{"name":"DOT11_FREQUENCY_BANDS_MIDDLE","features":[461]},{"name":"DOT11_FREQUENCY_BANDS_UPPER","features":[461]},{"name":"DOT11_GO_NEGOTIATION_CONFIRMATION_SEND_COMPLETE_PARAMETERS","features":[322,461]},{"name":"DOT11_GO_NEGOTIATION_CONFIRMATION_SEND_COMPLETE_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_GO_NEGOTIATION_REQUEST_SEND_COMPLETE_PARAMETERS","features":[322,461]},{"name":"DOT11_GO_NEGOTIATION_REQUEST_SEND_COMPLETE_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_GO_NEGOTIATION_RESPONSE_SEND_COMPLETE_PARAMETERS","features":[322,461]},{"name":"DOT11_GO_NEGOTIATION_RESPONSE_SEND_COMPLETE_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_HESSID_LENGTH","features":[461]},{"name":"DOT11_HOPPING_PATTERN_ENTRY","features":[461]},{"name":"DOT11_HOPPING_PATTERN_ENTRY_LIST","features":[461]},{"name":"DOT11_HOP_ALGO_ADOPTED","features":[461]},{"name":"DOT11_HRDSSS_PHY_ATTRIBUTES","features":[308,461]},{"name":"DOT11_HR_CCA_MODE_CS_AND_ED","features":[461]},{"name":"DOT11_HR_CCA_MODE_CS_ONLY","features":[461]},{"name":"DOT11_HR_CCA_MODE_CS_WITH_TIMER","features":[461]},{"name":"DOT11_HR_CCA_MODE_ED_ONLY","features":[461]},{"name":"DOT11_HR_CCA_MODE_HRCS_AND_ED","features":[461]},{"name":"DOT11_HW_DEFRAGMENTATION_SUPPORTED","features":[461]},{"name":"DOT11_HW_FRAGMENTATION_SUPPORTED","features":[461]},{"name":"DOT11_HW_MSDU_AUTH_SUPPORTED_RX","features":[461]},{"name":"DOT11_HW_MSDU_AUTH_SUPPORTED_TX","features":[461]},{"name":"DOT11_HW_WEP_SUPPORTED_RX","features":[461]},{"name":"DOT11_HW_WEP_SUPPORTED_TX","features":[461]},{"name":"DOT11_IBSS_PARAMS","features":[308,322,461]},{"name":"DOT11_IBSS_PARAMS_REVISION_1","features":[461]},{"name":"DOT11_IHV_VERSION_INFO","features":[461]},{"name":"DOT11_INCOMING_ASSOC_COMPLETION_PARAMETERS","features":[308,322,461]},{"name":"DOT11_INCOMING_ASSOC_COMPLETION_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_INCOMING_ASSOC_DECISION","features":[308,322,461]},{"name":"DOT11_INCOMING_ASSOC_DECISION_REVISION_1","features":[461]},{"name":"DOT11_INCOMING_ASSOC_DECISION_REVISION_2","features":[461]},{"name":"DOT11_INCOMING_ASSOC_DECISION_V2","features":[308,322,461]},{"name":"DOT11_INCOMING_ASSOC_REQUEST_RECEIVED_PARAMETERS","features":[308,322,461]},{"name":"DOT11_INCOMING_ASSOC_REQUEST_RECEIVED_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_INCOMING_ASSOC_STARTED_PARAMETERS","features":[322,461]},{"name":"DOT11_INCOMING_ASSOC_STARTED_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_INVALID_CHANNEL_NUMBER","features":[461]},{"name":"DOT11_INVITATION_REQUEST_SEND_COMPLETE_PARAMETERS","features":[322,461]},{"name":"DOT11_INVITATION_REQUEST_SEND_COMPLETE_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_INVITATION_RESPONSE_SEND_COMPLETE_PARAMETERS","features":[322,461]},{"name":"DOT11_INVITATION_RESPONSE_SEND_COMPLETE_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_IV48_COUNTER","features":[461]},{"name":"DOT11_JOIN_REQUEST","features":[461]},{"name":"DOT11_KEY_ALGO_BIP","features":[461]},{"name":"DOT11_KEY_ALGO_BIP_GMAC_256","features":[461]},{"name":"DOT11_KEY_ALGO_CCMP","features":[461]},{"name":"DOT11_KEY_ALGO_GCMP","features":[461]},{"name":"DOT11_KEY_ALGO_GCMP_256","features":[461]},{"name":"DOT11_KEY_ALGO_TKIP_MIC","features":[461]},{"name":"DOT11_KEY_DIRECTION","features":[461]},{"name":"DOT11_LINK_QUALITY_ENTRY","features":[461]},{"name":"DOT11_LINK_QUALITY_PARAMETERS","features":[322,461]},{"name":"DOT11_LINK_QUALITY_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_MAC_ADDRESS_LIST","features":[322,461]},{"name":"DOT11_MAC_ADDRESS_LIST_REVISION_1","features":[461]},{"name":"DOT11_MAC_FRAME_STATISTICS","features":[461]},{"name":"DOT11_MAC_INFO","features":[461]},{"name":"DOT11_MAC_PARAMETERS","features":[322,461]},{"name":"DOT11_MAC_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_MANUFACTURING_CALLBACK_PARAMETERS","features":[322,461]},{"name":"DOT11_MANUFACTURING_CALLBACK_REVISION_1","features":[461]},{"name":"DOT11_MANUFACTURING_CALLBACK_TYPE","features":[461]},{"name":"DOT11_MANUFACTURING_FUNCTIONAL_TEST_QUERY_ADC","features":[461]},{"name":"DOT11_MANUFACTURING_FUNCTIONAL_TEST_RX","features":[308,461]},{"name":"DOT11_MANUFACTURING_FUNCTIONAL_TEST_TX","features":[308,461]},{"name":"DOT11_MANUFACTURING_SELF_TEST_QUERY_RESULTS","features":[308,461]},{"name":"DOT11_MANUFACTURING_SELF_TEST_SET_PARAMS","features":[461]},{"name":"DOT11_MANUFACTURING_SELF_TEST_TYPE","features":[461]},{"name":"DOT11_MANUFACTURING_SELF_TEST_TYPE_BT_COEXISTENCE","features":[461]},{"name":"DOT11_MANUFACTURING_SELF_TEST_TYPE_INTERFACE","features":[461]},{"name":"DOT11_MANUFACTURING_SELF_TEST_TYPE_RF_INTERFACE","features":[461]},{"name":"DOT11_MANUFACTURING_TEST","features":[461]},{"name":"DOT11_MANUFACTURING_TEST_QUERY_DATA","features":[461]},{"name":"DOT11_MANUFACTURING_TEST_REVISION_1","features":[461]},{"name":"DOT11_MANUFACTURING_TEST_SET_DATA","features":[461]},{"name":"DOT11_MANUFACTURING_TEST_SLEEP","features":[461]},{"name":"DOT11_MANUFACTURING_TEST_TYPE","features":[461]},{"name":"DOT11_MAX_CHANNEL_HINTS","features":[461]},{"name":"DOT11_MAX_NUM_DEFAULT_KEY","features":[461]},{"name":"DOT11_MAX_NUM_DEFAULT_KEY_MFP","features":[461]},{"name":"DOT11_MAX_NUM_OF_FRAGMENTS","features":[461]},{"name":"DOT11_MAX_PDU_SIZE","features":[461]},{"name":"DOT11_MAX_REQUESTED_SERVICE_INFORMATION_LENGTH","features":[461]},{"name":"DOT11_MD_CAPABILITY_ENTRY_LIST","features":[461]},{"name":"DOT11_MIN_PDU_SIZE","features":[461]},{"name":"DOT11_MPDU_MAX_LENGTH_INDICATION","features":[322,461]},{"name":"DOT11_MPDU_MAX_LENGTH_INDICATION_REVISION_1","features":[461]},{"name":"DOT11_MSONEX_FAILURE","features":[461]},{"name":"DOT11_MSONEX_IN_PROGRESS","features":[461]},{"name":"DOT11_MSONEX_RESULT","features":[461]},{"name":"DOT11_MSONEX_RESULT_PARAMS","features":[461,462]},{"name":"DOT11_MSONEX_SUCCESS","features":[461]},{"name":"DOT11_MSSECURITY_SETTINGS","features":[308,461,462]},{"name":"DOT11_MULTI_DOMAIN_CAPABILITY_ENTRY","features":[461]},{"name":"DOT11_NETWORK","features":[461]},{"name":"DOT11_NETWORK_LIST","features":[461]},{"name":"DOT11_NIC_SPECIFIC_EXTENSION","features":[461]},{"name":"DOT11_NLO_FLAG_SCAN_AT_SYSTEM_RESUME","features":[461]},{"name":"DOT11_NLO_FLAG_SCAN_ON_AOAC_PLATFORM","features":[461]},{"name":"DOT11_NLO_FLAG_STOP_NLO_INDICATION","features":[461]},{"name":"DOT11_OFDM_PHY_ATTRIBUTES","features":[461]},{"name":"DOT11_OFFLOAD_CAPABILITY","features":[461]},{"name":"DOT11_OFFLOAD_NETWORK","features":[461]},{"name":"DOT11_OFFLOAD_NETWORK_LIST_INFO","features":[322,461]},{"name":"DOT11_OFFLOAD_NETWORK_LIST_REVISION_1","features":[461]},{"name":"DOT11_OFFLOAD_NETWORK_STATUS_PARAMETERS","features":[322,461]},{"name":"DOT11_OFFLOAD_NETWORK_STATUS_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_OFFLOAD_TYPE","features":[461]},{"name":"DOT11_OI","features":[461]},{"name":"DOT11_OI_MAX_LENGTH","features":[461]},{"name":"DOT11_OI_MIN_LENGTH","features":[461]},{"name":"DOT11_OPERATION_MODE_AP","features":[461]},{"name":"DOT11_OPERATION_MODE_CAPABILITY","features":[461]},{"name":"DOT11_OPERATION_MODE_EXTENSIBLE_AP","features":[461]},{"name":"DOT11_OPERATION_MODE_EXTENSIBLE_STATION","features":[461]},{"name":"DOT11_OPERATION_MODE_MANUFACTURING","features":[461]},{"name":"DOT11_OPERATION_MODE_NETWORK_MONITOR","features":[461]},{"name":"DOT11_OPERATION_MODE_STATION","features":[461]},{"name":"DOT11_OPERATION_MODE_UNKNOWN","features":[461]},{"name":"DOT11_OPERATION_MODE_WFD_CLIENT","features":[461]},{"name":"DOT11_OPERATION_MODE_WFD_DEVICE","features":[461]},{"name":"DOT11_OPERATION_MODE_WFD_GROUP_OWNER","features":[461]},{"name":"DOT11_OPTIONAL_CAPABILITY","features":[308,461]},{"name":"DOT11_PACKET_TYPE_ALL_MULTICAST_CTRL","features":[461]},{"name":"DOT11_PACKET_TYPE_ALL_MULTICAST_DATA","features":[461]},{"name":"DOT11_PACKET_TYPE_ALL_MULTICAST_MGMT","features":[461]},{"name":"DOT11_PACKET_TYPE_BROADCAST_CTRL","features":[461]},{"name":"DOT11_PACKET_TYPE_BROADCAST_DATA","features":[461]},{"name":"DOT11_PACKET_TYPE_BROADCAST_MGMT","features":[461]},{"name":"DOT11_PACKET_TYPE_DIRECTED_CTRL","features":[461]},{"name":"DOT11_PACKET_TYPE_DIRECTED_DATA","features":[461]},{"name":"DOT11_PACKET_TYPE_DIRECTED_MGMT","features":[461]},{"name":"DOT11_PACKET_TYPE_MULTICAST_CTRL","features":[461]},{"name":"DOT11_PACKET_TYPE_MULTICAST_DATA","features":[461]},{"name":"DOT11_PACKET_TYPE_MULTICAST_MGMT","features":[461]},{"name":"DOT11_PACKET_TYPE_PROMISCUOUS_CTRL","features":[461]},{"name":"DOT11_PACKET_TYPE_PROMISCUOUS_DATA","features":[461]},{"name":"DOT11_PACKET_TYPE_PROMISCUOUS_MGMT","features":[461]},{"name":"DOT11_PEER_INFO","features":[308,461]},{"name":"DOT11_PEER_INFO_LIST","features":[308,322,461]},{"name":"DOT11_PEER_INFO_LIST_REVISION_1","features":[461]},{"name":"DOT11_PEER_STATISTICS","features":[461]},{"name":"DOT11_PER_MSDU_COUNTERS","features":[461]},{"name":"DOT11_PHY_ATTRIBUTES","features":[308,322,461]},{"name":"DOT11_PHY_ATTRIBUTES_REVISION_1","features":[461]},{"name":"DOT11_PHY_FRAME_STATISTICS","features":[461]},{"name":"DOT11_PHY_FREQUENCY_ADOPTED_PARAMETERS","features":[322,461]},{"name":"DOT11_PHY_FREQUENCY_ADOPTED_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_PHY_ID_LIST","features":[322,461]},{"name":"DOT11_PHY_ID_LIST_REVISION_1","features":[461]},{"name":"DOT11_PHY_STATE_PARAMETERS","features":[308,322,461]},{"name":"DOT11_PHY_STATE_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_PHY_TYPE","features":[461]},{"name":"DOT11_PHY_TYPE_INFO","features":[308,461]},{"name":"DOT11_PHY_TYPE_LIST","features":[322,461]},{"name":"DOT11_PHY_TYPE_LIST_REVISION_1","features":[461]},{"name":"DOT11_PMKID_CANDIDATE_LIST_PARAMETERS","features":[322,461]},{"name":"DOT11_PMKID_CANDIDATE_LIST_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_PMKID_ENTRY","features":[461]},{"name":"DOT11_PMKID_LIST","features":[322,461]},{"name":"DOT11_PMKID_LIST_REVISION_1","features":[461]},{"name":"DOT11_PORT_STATE","features":[308,461]},{"name":"DOT11_PORT_STATE_NOTIFICATION","features":[308,322,461]},{"name":"DOT11_PORT_STATE_NOTIFICATION_REVISION_1","features":[461]},{"name":"DOT11_POWER_MGMT_AUTO_MODE_ENABLED_INFO","features":[308,322,461]},{"name":"DOT11_POWER_MGMT_AUTO_MODE_ENABLED_REVISION_1","features":[461]},{"name":"DOT11_POWER_MGMT_MODE","features":[308,461]},{"name":"DOT11_POWER_MGMT_MODE_STATUS_INFO","features":[322,461]},{"name":"DOT11_POWER_MGMT_MODE_STATUS_INFO_REVISION_1","features":[461]},{"name":"DOT11_POWER_MODE","features":[461]},{"name":"DOT11_POWER_MODE_REASON","features":[461]},{"name":"DOT11_POWER_SAVE_LEVEL_FAST_PSP","features":[461]},{"name":"DOT11_POWER_SAVE_LEVEL_MAX_PSP","features":[461]},{"name":"DOT11_POWER_SAVING_FAST_PSP","features":[461]},{"name":"DOT11_POWER_SAVING_MAXIMUM_LEVEL","features":[461]},{"name":"DOT11_POWER_SAVING_MAX_PSP","features":[461]},{"name":"DOT11_POWER_SAVING_NO_POWER_SAVING","features":[461]},{"name":"DOT11_PRIORITY_CONTENTION","features":[461]},{"name":"DOT11_PRIORITY_CONTENTION_FREE","features":[461]},{"name":"DOT11_PRIVACY_EXEMPTION","features":[461]},{"name":"DOT11_PRIVACY_EXEMPTION_LIST","features":[322,461]},{"name":"DOT11_PRIVACY_EXEMPTION_LIST_REVISION_1","features":[461]},{"name":"DOT11_PROVISION_DISCOVERY_REQUEST_SEND_COMPLETE_PARAMETERS","features":[322,461]},{"name":"DOT11_PROVISION_DISCOVERY_REQUEST_SEND_COMPLETE_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_PROVISION_DISCOVERY_RESPONSE_SEND_COMPLETE_PARAMETERS","features":[322,461]},{"name":"DOT11_PROVISION_DISCOVERY_RESPONSE_SEND_COMPLETE_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_PSD_IE_MAX_DATA_SIZE","features":[461]},{"name":"DOT11_PSD_IE_MAX_ENTRY_NUMBER","features":[461]},{"name":"DOT11_QOS_PARAMS","features":[322,461]},{"name":"DOT11_QOS_PARAMS_REVISION_1","features":[461]},{"name":"DOT11_QOS_TX_DURATION","features":[461]},{"name":"DOT11_QOS_TX_MEDIUM_TIME","features":[461]},{"name":"DOT11_RADIO_STATE","features":[461]},{"name":"DOT11_RATE_SET","features":[461]},{"name":"DOT11_RATE_SET_MAX_LENGTH","features":[461]},{"name":"DOT11_RECEIVED_GO_NEGOTIATION_CONFIRMATION_PARAMETERS","features":[322,461]},{"name":"DOT11_RECEIVED_GO_NEGOTIATION_CONFIRMATION_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_RECEIVED_GO_NEGOTIATION_REQUEST_PARAMETERS","features":[322,461]},{"name":"DOT11_RECEIVED_GO_NEGOTIATION_REQUEST_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_RECEIVED_GO_NEGOTIATION_RESPONSE_PARAMETERS","features":[322,461]},{"name":"DOT11_RECEIVED_GO_NEGOTIATION_RESPONSE_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_RECEIVED_INVITATION_REQUEST_PARAMETERS","features":[322,461]},{"name":"DOT11_RECEIVED_INVITATION_REQUEST_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_RECEIVED_INVITATION_RESPONSE_PARAMETERS","features":[322,461]},{"name":"DOT11_RECEIVED_INVITATION_RESPONSE_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_RECEIVED_PROVISION_DISCOVERY_REQUEST_PARAMETERS","features":[322,461]},{"name":"DOT11_RECEIVED_PROVISION_DISCOVERY_REQUEST_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_RECEIVED_PROVISION_DISCOVERY_RESPONSE_PARAMETERS","features":[322,461]},{"name":"DOT11_RECEIVED_PROVISION_DISCOVERY_RESPONSE_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_RECV_CONTEXT_REVISION_1","features":[461]},{"name":"DOT11_RECV_EXTENSION_INFO","features":[308,461]},{"name":"DOT11_RECV_EXTENSION_INFO_V2","features":[308,461]},{"name":"DOT11_RECV_SENSITIVITY","features":[461]},{"name":"DOT11_RECV_SENSITIVITY_LIST","features":[461]},{"name":"DOT11_REG_DOMAINS_SUPPORT_VALUE","features":[461]},{"name":"DOT11_REG_DOMAIN_DOC","features":[461]},{"name":"DOT11_REG_DOMAIN_ETSI","features":[461]},{"name":"DOT11_REG_DOMAIN_FCC","features":[461]},{"name":"DOT11_REG_DOMAIN_FRANCE","features":[461]},{"name":"DOT11_REG_DOMAIN_MKK","features":[461]},{"name":"DOT11_REG_DOMAIN_OTHER","features":[461]},{"name":"DOT11_REG_DOMAIN_SPAIN","features":[461]},{"name":"DOT11_REG_DOMAIN_VALUE","features":[461]},{"name":"DOT11_RESET_REQUEST","features":[308,461]},{"name":"DOT11_RESET_TYPE","features":[461]},{"name":"DOT11_ROAMING_COMPLETION_PARAMETERS","features":[322,461]},{"name":"DOT11_ROAMING_COMPLETION_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_ROAMING_START_PARAMETERS","features":[322,461]},{"name":"DOT11_ROAMING_START_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_RSSI_RANGE","features":[461]},{"name":"DOT11_SCAN_REQUEST","features":[308,461]},{"name":"DOT11_SCAN_REQUEST_V2","features":[308,461]},{"name":"DOT11_SCAN_TYPE","features":[461]},{"name":"DOT11_SECURITY_PACKET_HEADER","features":[461]},{"name":"DOT11_SEND_CONTEXT_REVISION_1","features":[461]},{"name":"DOT11_SEND_GO_NEGOTIATION_CONFIRMATION_PARAMETERS","features":[308,322,461]},{"name":"DOT11_SEND_GO_NEGOTIATION_CONFIRMATION_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_SEND_GO_NEGOTIATION_REQUEST_PARAMETERS","features":[322,461]},{"name":"DOT11_SEND_GO_NEGOTIATION_REQUEST_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_SEND_GO_NEGOTIATION_RESPONSE_PARAMETERS","features":[308,322,461]},{"name":"DOT11_SEND_GO_NEGOTIATION_RESPONSE_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_SEND_INVITATION_REQUEST_PARAMETERS","features":[308,322,461]},{"name":"DOT11_SEND_INVITATION_REQUEST_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_SEND_INVITATION_RESPONSE_PARAMETERS","features":[308,322,461]},{"name":"DOT11_SEND_INVITATION_RESPONSE_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_SEND_PROVISION_DISCOVERY_REQUEST_PARAMETERS","features":[308,322,461]},{"name":"DOT11_SEND_PROVISION_DISCOVERY_REQUEST_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_SEND_PROVISION_DISCOVERY_RESPONSE_PARAMETERS","features":[322,461]},{"name":"DOT11_SEND_PROVISION_DISCOVERY_RESPONSE_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_SERVICE_CLASS_REORDERABLE_MULTICAST","features":[461]},{"name":"DOT11_SERVICE_CLASS_STRICTLY_ORDERED","features":[461]},{"name":"DOT11_SSID","features":[461]},{"name":"DOT11_SSID_LIST","features":[322,461]},{"name":"DOT11_SSID_LIST_REVISION_1","features":[461]},{"name":"DOT11_SSID_MAX_LENGTH","features":[461]},{"name":"DOT11_START_REQUEST","features":[461]},{"name":"DOT11_STATISTICS","features":[322,461]},{"name":"DOT11_STATISTICS_REVISION_1","features":[461]},{"name":"DOT11_STATUS_AP_JOIN_CONFIRM","features":[461]},{"name":"DOT11_STATUS_AUTH_FAILED","features":[461]},{"name":"DOT11_STATUS_AUTH_NOT_VERIFIED","features":[461]},{"name":"DOT11_STATUS_AUTH_VERIFIED","features":[461]},{"name":"DOT11_STATUS_ENCRYPTION_FAILED","features":[461]},{"name":"DOT11_STATUS_EXCESSIVE_DATA_LENGTH","features":[461]},{"name":"DOT11_STATUS_GENERATE_AUTH_FAILED","features":[461]},{"name":"DOT11_STATUS_ICV_VERIFIED","features":[461]},{"name":"DOT11_STATUS_INDICATION","features":[461]},{"name":"DOT11_STATUS_JOIN_CONFIRM","features":[461]},{"name":"DOT11_STATUS_MPDU_MAX_LENGTH_CHANGED","features":[461]},{"name":"DOT11_STATUS_PACKET_NOT_REASSEMBLED","features":[461]},{"name":"DOT11_STATUS_PACKET_REASSEMBLED","features":[461]},{"name":"DOT11_STATUS_PS_LIFETIME_EXPIRED","features":[461]},{"name":"DOT11_STATUS_RESET_CONFIRM","features":[461]},{"name":"DOT11_STATUS_RETRY_LIMIT_EXCEEDED","features":[461]},{"name":"DOT11_STATUS_SCAN_CONFIRM","features":[461]},{"name":"DOT11_STATUS_START_CONFIRM","features":[461]},{"name":"DOT11_STATUS_SUCCESS","features":[461]},{"name":"DOT11_STATUS_UNAVAILABLE_BSS","features":[461]},{"name":"DOT11_STATUS_UNAVAILABLE_PRIORITY","features":[461]},{"name":"DOT11_STATUS_UNAVAILABLE_SERVICE_CLASS","features":[461]},{"name":"DOT11_STATUS_UNSUPPORTED_PRIORITY","features":[461]},{"name":"DOT11_STATUS_UNSUPPORTED_SERVICE_CLASS","features":[461]},{"name":"DOT11_STATUS_WEP_KEY_UNAVAILABLE","features":[461]},{"name":"DOT11_STATUS_XMIT_MSDU_TIMER_EXPIRED","features":[461]},{"name":"DOT11_STOP_AP_PARAMETERS","features":[322,461]},{"name":"DOT11_STOP_AP_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_STOP_AP_REASON_AP_ACTIVE","features":[461]},{"name":"DOT11_STOP_AP_REASON_CHANNEL_NOT_AVAILABLE","features":[461]},{"name":"DOT11_STOP_AP_REASON_FREQUENCY_NOT_AVAILABLE","features":[461]},{"name":"DOT11_STOP_AP_REASON_IHV_END","features":[461]},{"name":"DOT11_STOP_AP_REASON_IHV_START","features":[461]},{"name":"DOT11_SUPPORTED_ANTENNA","features":[308,461]},{"name":"DOT11_SUPPORTED_ANTENNA_LIST","features":[308,461]},{"name":"DOT11_SUPPORTED_DATA_RATES_VALUE","features":[461]},{"name":"DOT11_SUPPORTED_DATA_RATES_VALUE_V2","features":[461]},{"name":"DOT11_SUPPORTED_DSSS_CHANNEL","features":[461]},{"name":"DOT11_SUPPORTED_DSSS_CHANNEL_LIST","features":[461]},{"name":"DOT11_SUPPORTED_OFDM_FREQUENCY","features":[461]},{"name":"DOT11_SUPPORTED_OFDM_FREQUENCY_LIST","features":[461]},{"name":"DOT11_SUPPORTED_PHY_TYPES","features":[461]},{"name":"DOT11_SUPPORTED_POWER_LEVELS","features":[461]},{"name":"DOT11_TEMP_TYPE","features":[461]},{"name":"DOT11_TKIPMIC_FAILURE_PARAMETERS","features":[308,322,461]},{"name":"DOT11_TKIPMIC_FAILURE_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_UPDATE_IE","features":[461]},{"name":"DOT11_UPDATE_IE_OP","features":[461]},{"name":"DOT11_VENUEINFO","features":[461]},{"name":"DOT11_VWIFI_ATTRIBUTES","features":[322,461]},{"name":"DOT11_VWIFI_ATTRIBUTES_REVISION_1","features":[461]},{"name":"DOT11_VWIFI_COMBINATION","features":[322,461]},{"name":"DOT11_VWIFI_COMBINATION_REVISION_1","features":[461]},{"name":"DOT11_VWIFI_COMBINATION_REVISION_2","features":[461]},{"name":"DOT11_VWIFI_COMBINATION_REVISION_3","features":[461]},{"name":"DOT11_VWIFI_COMBINATION_V2","features":[322,461]},{"name":"DOT11_VWIFI_COMBINATION_V3","features":[322,461]},{"name":"DOT11_WEP_OFFLOAD","features":[308,461]},{"name":"DOT11_WEP_UPLOAD","features":[308,461]},{"name":"DOT11_WFD_ADDITIONAL_IE","features":[322,461]},{"name":"DOT11_WFD_ADDITIONAL_IE_REVISION_1","features":[461]},{"name":"DOT11_WFD_ADVERTISED_SERVICE_DESCRIPTOR","features":[461]},{"name":"DOT11_WFD_ADVERTISED_SERVICE_LIST","features":[461]},{"name":"DOT11_WFD_ADVERTISEMENT_ID","features":[461]},{"name":"DOT11_WFD_APS2_SERVICE_TYPE_MAX_LENGTH","features":[461]},{"name":"DOT11_WFD_ASP2_INSTANCE_NAME_MAX_LENGTH","features":[461]},{"name":"DOT11_WFD_ATTRIBUTES","features":[308,322,461]},{"name":"DOT11_WFD_ATTRIBUTES_REVISION_1","features":[461]},{"name":"DOT11_WFD_CHANNEL","features":[461]},{"name":"DOT11_WFD_CONFIGURATION_TIMEOUT","features":[461]},{"name":"DOT11_WFD_DEVICE_AUTO_AVAILABILITY","features":[461]},{"name":"DOT11_WFD_DEVICE_CAPABILITY_CONCURRENT_OPERATION","features":[461]},{"name":"DOT11_WFD_DEVICE_CAPABILITY_CONFIG","features":[308,322,461]},{"name":"DOT11_WFD_DEVICE_CAPABILITY_CONFIG_REVISION_1","features":[461]},{"name":"DOT11_WFD_DEVICE_CAPABILITY_P2P_CLIENT_DISCOVERABILITY","features":[461]},{"name":"DOT11_WFD_DEVICE_CAPABILITY_P2P_DEVICE_LIMIT","features":[461]},{"name":"DOT11_WFD_DEVICE_CAPABILITY_P2P_INFRASTRUCTURE_MANAGED","features":[461]},{"name":"DOT11_WFD_DEVICE_CAPABILITY_P2P_INVITATION_PROCEDURE","features":[461]},{"name":"DOT11_WFD_DEVICE_CAPABILITY_RESERVED_6","features":[461]},{"name":"DOT11_WFD_DEVICE_CAPABILITY_RESERVED_7","features":[461]},{"name":"DOT11_WFD_DEVICE_CAPABILITY_SERVICE_DISCOVERY","features":[461]},{"name":"DOT11_WFD_DEVICE_ENTRY","features":[461]},{"name":"DOT11_WFD_DEVICE_HIGH_AVAILABILITY","features":[461]},{"name":"DOT11_WFD_DEVICE_INFO","features":[322,461]},{"name":"DOT11_WFD_DEVICE_INFO_REVISION_1","features":[461]},{"name":"DOT11_WFD_DEVICE_LISTEN_CHANNEL","features":[322,461]},{"name":"DOT11_WFD_DEVICE_LISTEN_CHANNEL_REVISION_1","features":[461]},{"name":"DOT11_WFD_DEVICE_NOT_DISCOVERABLE","features":[461]},{"name":"DOT11_WFD_DEVICE_TYPE","features":[461]},{"name":"DOT11_WFD_DISCOVER_COMPLETE_MAX_LIST_SIZE","features":[461]},{"name":"DOT11_WFD_DISCOVER_COMPLETE_PARAMETERS","features":[322,461]},{"name":"DOT11_WFD_DISCOVER_COMPLETE_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_WFD_DISCOVER_DEVICE_FILTER","features":[461]},{"name":"DOT11_WFD_DISCOVER_REQUEST","features":[308,322,461]},{"name":"DOT11_WFD_DISCOVER_REQUEST_REVISION_1","features":[461]},{"name":"DOT11_WFD_DISCOVER_TYPE","features":[461]},{"name":"DOT11_WFD_GO_INTENT","features":[461]},{"name":"DOT11_WFD_GROUP_CAPABILITY_CROSS_CONNECTION_SUPPORTED","features":[461]},{"name":"DOT11_WFD_GROUP_CAPABILITY_EAPOL_KEY_IP_ADDRESS_ALLOCATION_SUPPORTED","features":[461]},{"name":"DOT11_WFD_GROUP_CAPABILITY_GROUP_LIMIT_REACHED","features":[461]},{"name":"DOT11_WFD_GROUP_CAPABILITY_GROUP_OWNER","features":[461]},{"name":"DOT11_WFD_GROUP_CAPABILITY_INTRABSS_DISTRIBUTION_SUPPORTED","features":[461]},{"name":"DOT11_WFD_GROUP_CAPABILITY_IN_GROUP_FORMATION","features":[461]},{"name":"DOT11_WFD_GROUP_CAPABILITY_NONE","features":[461]},{"name":"DOT11_WFD_GROUP_CAPABILITY_PERSISTENT_GROUP","features":[461]},{"name":"DOT11_WFD_GROUP_CAPABILITY_PERSISTENT_RECONNECT_SUPPORTED","features":[461]},{"name":"DOT11_WFD_GROUP_CAPABILITY_RESERVED_7","features":[461]},{"name":"DOT11_WFD_GROUP_ID","features":[461]},{"name":"DOT11_WFD_GROUP_JOIN_PARAMETERS","features":[308,322,461]},{"name":"DOT11_WFD_GROUP_JOIN_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_WFD_GROUP_OWNER_CAPABILITY_CONFIG","features":[308,322,461]},{"name":"DOT11_WFD_GROUP_OWNER_CAPABILITY_CONFIG_REVISION_1","features":[461]},{"name":"DOT11_WFD_GROUP_OWNER_CAPABILITY_CONFIG_REVISION_2","features":[461]},{"name":"DOT11_WFD_GROUP_OWNER_CAPABILITY_CONFIG_V2","features":[308,322,461]},{"name":"DOT11_WFD_GROUP_START_PARAMETERS","features":[322,461]},{"name":"DOT11_WFD_GROUP_START_PARAMETERS_REVISION_1","features":[461]},{"name":"DOT11_WFD_INVITATION_FLAGS","features":[461]},{"name":"DOT11_WFD_MINOR_REASON_DISASSOCIATED_FROM_WLAN_CROSS_CONNECTION_POLICY","features":[461]},{"name":"DOT11_WFD_MINOR_REASON_DISASSOCIATED_INFRASTRUCTURE_MANAGED_POLICY","features":[461]},{"name":"DOT11_WFD_MINOR_REASON_DISASSOCIATED_NOT_MANAGED_INFRASTRUCTURE_CAPABLE","features":[461]},{"name":"DOT11_WFD_MINOR_REASON_DISASSOCIATED_WFD_COEXISTENCE_POLICY","features":[461]},{"name":"DOT11_WFD_MINOR_REASON_SUCCESS","features":[461]},{"name":"DOT11_WFD_SCAN_TYPE","features":[461]},{"name":"DOT11_WFD_SECONDARY_DEVICE_TYPE_LIST","features":[322,461]},{"name":"DOT11_WFD_SECONDARY_DEVICE_TYPE_LIST_REVISION_1","features":[461]},{"name":"DOT11_WFD_SERVICE_HASH_LIST","features":[461]},{"name":"DOT11_WFD_SERVICE_INFORMATION_MAX_LENGTH","features":[461]},{"name":"DOT11_WFD_SERVICE_NAME_MAX_LENGTH","features":[461]},{"name":"DOT11_WFD_SESSION_ID","features":[461]},{"name":"DOT11_WFD_SESSION_INFO","features":[461]},{"name":"DOT11_WFD_SESSION_INFO_MAX_LENGTH","features":[461]},{"name":"DOT11_WFD_STATUS_FAILED_INCOMPATIBLE_PARAMETERS","features":[461]},{"name":"DOT11_WFD_STATUS_FAILED_INCOMPATIBLE_PROVISIONING_METHOD","features":[461]},{"name":"DOT11_WFD_STATUS_FAILED_INFORMATION_IS_UNAVAILABLE","features":[461]},{"name":"DOT11_WFD_STATUS_FAILED_INVALID_PARAMETERS","features":[461]},{"name":"DOT11_WFD_STATUS_FAILED_LIMIT_REACHED","features":[461]},{"name":"DOT11_WFD_STATUS_FAILED_MATCHING_MAX_INTENT","features":[461]},{"name":"DOT11_WFD_STATUS_FAILED_NO_COMMON_CHANNELS","features":[461]},{"name":"DOT11_WFD_STATUS_FAILED_PREVIOUS_PROTOCOL_ERROR","features":[461]},{"name":"DOT11_WFD_STATUS_FAILED_REJECTED_BY_USER","features":[461]},{"name":"DOT11_WFD_STATUS_FAILED_UNABLE_TO_ACCOMODATE_REQUEST","features":[461]},{"name":"DOT11_WFD_STATUS_FAILED_UNKNOWN_WFD_GROUP","features":[461]},{"name":"DOT11_WFD_STATUS_SUCCESS","features":[461]},{"name":"DOT11_WFD_STATUS_SUCCESS_ACCEPTED_BY_USER","features":[461]},{"name":"DOT11_WME_AC_PARAMETERS","features":[461]},{"name":"DOT11_WME_AC_PARAMETERS_LIST","features":[461]},{"name":"DOT11_WME_PACKET","features":[461]},{"name":"DOT11_WME_UPDATE_IE","features":[461]},{"name":"DOT11_WPA_TSC","features":[308,461]},{"name":"DOT11_WPS_CONFIG_METHOD","features":[461]},{"name":"DOT11_WPS_CONFIG_METHOD_DISPLAY","features":[461]},{"name":"DOT11_WPS_CONFIG_METHOD_KEYPAD","features":[461]},{"name":"DOT11_WPS_CONFIG_METHOD_NFC_INTERFACE","features":[461]},{"name":"DOT11_WPS_CONFIG_METHOD_NFC_TAG","features":[461]},{"name":"DOT11_WPS_CONFIG_METHOD_NULL","features":[461]},{"name":"DOT11_WPS_CONFIG_METHOD_PUSHBUTTON","features":[461]},{"name":"DOT11_WPS_CONFIG_METHOD_WFDS_DEFAULT","features":[461]},{"name":"DOT11_WPS_DEVICE_NAME","features":[461]},{"name":"DOT11_WPS_DEVICE_NAME_MAX_LENGTH","features":[461]},{"name":"DOT11_WPS_DEVICE_PASSWORD_ID","features":[461]},{"name":"DOT11_WPS_MAX_MODEL_NAME_LENGTH","features":[461]},{"name":"DOT11_WPS_MAX_MODEL_NUMBER_LENGTH","features":[461]},{"name":"DOT11_WPS_MAX_PASSKEY_LENGTH","features":[461]},{"name":"DOT11_WPS_PASSWORD_ID_DEFAULT","features":[461]},{"name":"DOT11_WPS_PASSWORD_ID_MACHINE_SPECIFIED","features":[461]},{"name":"DOT11_WPS_PASSWORD_ID_NFC_CONNECTION_HANDOVER","features":[461]},{"name":"DOT11_WPS_PASSWORD_ID_OOB_RANGE_MAX","features":[461]},{"name":"DOT11_WPS_PASSWORD_ID_OOB_RANGE_MIN","features":[461]},{"name":"DOT11_WPS_PASSWORD_ID_PUSHBUTTON","features":[461]},{"name":"DOT11_WPS_PASSWORD_ID_REGISTRAR_SPECIFIED","features":[461]},{"name":"DOT11_WPS_PASSWORD_ID_REKEY","features":[461]},{"name":"DOT11_WPS_PASSWORD_ID_USER_SPECIFIED","features":[461]},{"name":"DOT11_WPS_PASSWORD_ID_WFD_SERVICES","features":[461]},{"name":"DOT11_WPS_VERSION_1_0","features":[461]},{"name":"DOT11_WPS_VERSION_2_0","features":[461]},{"name":"DevProp_PciDevice_AcsCompatibleUpHierarchy_Enhanced","features":[461]},{"name":"DevProp_PciDevice_AcsCompatibleUpHierarchy_NoP2PSupported","features":[461]},{"name":"DevProp_PciDevice_AcsCompatibleUpHierarchy_NotSupported","features":[461]},{"name":"DevProp_PciDevice_AcsCompatibleUpHierarchy_SingleFunctionSupported","features":[461]},{"name":"DevProp_PciDevice_AcsCompatibleUpHierarchy_Supported","features":[461]},{"name":"DevProp_PciDevice_AcsSupport_Missing","features":[461]},{"name":"DevProp_PciDevice_AcsSupport_NotNeeded","features":[461]},{"name":"DevProp_PciDevice_AcsSupport_Present","features":[461]},{"name":"DevProp_PciDevice_BridgeType_PciConventional","features":[461]},{"name":"DevProp_PciDevice_BridgeType_PciExpressDownstreamSwitchPort","features":[461]},{"name":"DevProp_PciDevice_BridgeType_PciExpressEventCollector","features":[461]},{"name":"DevProp_PciDevice_BridgeType_PciExpressRootPort","features":[461]},{"name":"DevProp_PciDevice_BridgeType_PciExpressToPciXBridge","features":[461]},{"name":"DevProp_PciDevice_BridgeType_PciExpressTreatedAsPci","features":[461]},{"name":"DevProp_PciDevice_BridgeType_PciExpressUpstreamSwitchPort","features":[461]},{"name":"DevProp_PciDevice_BridgeType_PciX","features":[461]},{"name":"DevProp_PciDevice_BridgeType_PciXToExpressBridge","features":[461]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode1_100Mhz","features":[461]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode1_133MHZ","features":[461]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode1_66Mhz","features":[461]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode1_ECC_100Mhz","features":[461]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode1_ECC_133Mhz","features":[461]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode1_ECC_66Mhz","features":[461]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode2_266_100MHz","features":[461]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode2_266_133MHz","features":[461]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode2_266_66MHz","features":[461]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode2_533_100MHz","features":[461]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode2_533_133MHz","features":[461]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode2_533_66MHz","features":[461]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_PciX_Mode_Conventional_Pci","features":[461]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_Pci_Conventional_33MHz","features":[461]},{"name":"DevProp_PciDevice_CurrentSpeedAndMode_Pci_Conventional_66MHz","features":[461]},{"name":"DevProp_PciDevice_DeviceType_PciConventional","features":[461]},{"name":"DevProp_PciDevice_DeviceType_PciExpressEndpoint","features":[461]},{"name":"DevProp_PciDevice_DeviceType_PciExpressLegacyEndpoint","features":[461]},{"name":"DevProp_PciDevice_DeviceType_PciExpressRootComplexIntegratedEndpoint","features":[461]},{"name":"DevProp_PciDevice_DeviceType_PciExpressTreatedAsPci","features":[461]},{"name":"DevProp_PciDevice_DeviceType_PciX","features":[461]},{"name":"DevProp_PciDevice_InterruptType_LineBased","features":[461]},{"name":"DevProp_PciDevice_InterruptType_Msi","features":[461]},{"name":"DevProp_PciDevice_InterruptType_MsiX","features":[461]},{"name":"DevProp_PciDevice_SriovSupport_DidntGetVfBarSpace","features":[461]},{"name":"DevProp_PciDevice_SriovSupport_MissingAcs","features":[461]},{"name":"DevProp_PciDevice_SriovSupport_MissingPfDriver","features":[461]},{"name":"DevProp_PciDevice_SriovSupport_NoBusResource","features":[461]},{"name":"DevProp_PciDevice_SriovSupport_Ok","features":[461]},{"name":"DevProp_PciExpressDevice_LinkSpeed_Five_Gbps","features":[461]},{"name":"DevProp_PciExpressDevice_LinkSpeed_TwoAndHalf_Gbps","features":[461]},{"name":"DevProp_PciExpressDevice_LinkWidth_By_1","features":[461]},{"name":"DevProp_PciExpressDevice_LinkWidth_By_12","features":[461]},{"name":"DevProp_PciExpressDevice_LinkWidth_By_16","features":[461]},{"name":"DevProp_PciExpressDevice_LinkWidth_By_2","features":[461]},{"name":"DevProp_PciExpressDevice_LinkWidth_By_32","features":[461]},{"name":"DevProp_PciExpressDevice_LinkWidth_By_4","features":[461]},{"name":"DevProp_PciExpressDevice_LinkWidth_By_8","features":[461]},{"name":"DevProp_PciExpressDevice_PayloadOrRequestSize_1024Bytes","features":[461]},{"name":"DevProp_PciExpressDevice_PayloadOrRequestSize_128Bytes","features":[461]},{"name":"DevProp_PciExpressDevice_PayloadOrRequestSize_2048Bytes","features":[461]},{"name":"DevProp_PciExpressDevice_PayloadOrRequestSize_256Bytes","features":[461]},{"name":"DevProp_PciExpressDevice_PayloadOrRequestSize_4096Bytes","features":[461]},{"name":"DevProp_PciExpressDevice_PayloadOrRequestSize_512Bytes","features":[461]},{"name":"DevProp_PciExpressDevice_Spec_Version_10","features":[461]},{"name":"DevProp_PciExpressDevice_Spec_Version_11","features":[461]},{"name":"DevProp_PciRootBus_BusWidth_32Bits","features":[461]},{"name":"DevProp_PciRootBus_BusWidth_64Bits","features":[461]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_Conventional_33Mhz","features":[461]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_Conventional_66Mhz","features":[461]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_266_Mode2_100Mhz","features":[461]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_266_Mode2_133Mhz","features":[461]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_266_Mode2_66Mhz","features":[461]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_533_Mode2_100Mhz","features":[461]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_533_Mode2_133Mhz","features":[461]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_533_Mode2_66Mhz","features":[461]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_Mode1_100Mhz","features":[461]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_Mode1_133Mhz","features":[461]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_Mode1_66Mhz","features":[461]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_Mode1_ECC_100Mhz","features":[461]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_Mode1_ECC_133Mhz","features":[461]},{"name":"DevProp_PciRootBus_CurrentSpeedAndMode_Pci_X_Mode1_ECC_66Mhz","features":[461]},{"name":"DevProp_PciRootBus_SecondaryInterface_PciConventional","features":[461]},{"name":"DevProp_PciRootBus_SecondaryInterface_PciExpress","features":[461]},{"name":"DevProp_PciRootBus_SecondaryInterface_PciXMode1","features":[461]},{"name":"DevProp_PciRootBus_SecondaryInterface_PciXMode2","features":[461]},{"name":"DevProp_PciRootBus_SupportedSpeedsAndModes_Pci_Conventional_33Mhz","features":[461]},{"name":"DevProp_PciRootBus_SupportedSpeedsAndModes_Pci_Conventional_66Mhz","features":[461]},{"name":"DevProp_PciRootBus_SupportedSpeedsAndModes_Pci_X_133Mhz","features":[461]},{"name":"DevProp_PciRootBus_SupportedSpeedsAndModes_Pci_X_266Mhz","features":[461]},{"name":"DevProp_PciRootBus_SupportedSpeedsAndModes_Pci_X_533Mhz","features":[461]},{"name":"DevProp_PciRootBus_SupportedSpeedsAndModes_Pci_X_66Mhz","features":[461]},{"name":"Dot11AdHocManager","features":[461]},{"name":"GUID_AEPSERVICE_WIFIDIRECT_DEVICE","features":[461]},{"name":"GUID_DEVINTERFACE_ASP_INFRA_DEVICE","features":[461]},{"name":"GUID_DEVINTERFACE_WIFIDIRECT_DEVICE","features":[461]},{"name":"IDot11AdHocInterface","features":[461]},{"name":"IDot11AdHocInterfaceNotificationSink","features":[461]},{"name":"IDot11AdHocManager","features":[461]},{"name":"IDot11AdHocManagerNotificationSink","features":[461]},{"name":"IDot11AdHocNetwork","features":[461]},{"name":"IDot11AdHocNetworkNotificationSink","features":[461]},{"name":"IDot11AdHocSecuritySettings","features":[461]},{"name":"IEnumDot11AdHocInterfaces","features":[461]},{"name":"IEnumDot11AdHocNetworks","features":[461]},{"name":"IEnumDot11AdHocSecuritySettings","features":[461]},{"name":"IHV_INIT_FUNCTION_NAME","features":[461]},{"name":"IHV_INIT_VS_FUNCTION_NAME","features":[461]},{"name":"IHV_VERSION_FUNCTION_NAME","features":[461]},{"name":"IndicationTypeLinkQuality","features":[461]},{"name":"IndicationTypeNicSpecificNotification","features":[461]},{"name":"IndicationTypePhyStateChange","features":[461]},{"name":"IndicationTypePmkidCandidateList","features":[461]},{"name":"IndicationTypeTkipMicFailure","features":[461]},{"name":"L2_NOTIFICATION_CODE_GROUP_SIZE","features":[461]},{"name":"L2_NOTIFICATION_CODE_PUBLIC_BEGIN","features":[461]},{"name":"L2_NOTIFICATION_DATA","features":[461]},{"name":"L2_NOTIFICATION_SOURCE_ALL","features":[461]},{"name":"L2_NOTIFICATION_SOURCE_DOT3_AUTO_CONFIG","features":[461]},{"name":"L2_NOTIFICATION_SOURCE_NONE","features":[461]},{"name":"L2_NOTIFICATION_SOURCE_ONEX","features":[461]},{"name":"L2_NOTIFICATION_SOURCE_SECURITY","features":[461]},{"name":"L2_NOTIFICATION_SOURCE_WCM","features":[461]},{"name":"L2_NOTIFICATION_SOURCE_WCM_CSP","features":[461]},{"name":"L2_NOTIFICATION_SOURCE_WFD","features":[461]},{"name":"L2_NOTIFICATION_SOURCE_WLAN_ACM","features":[461]},{"name":"L2_NOTIFICATION_SOURCE_WLAN_DEVICE_SERVICE","features":[461]},{"name":"L2_NOTIFICATION_SOURCE_WLAN_HNWK","features":[461]},{"name":"L2_NOTIFICATION_SOURCE_WLAN_IHV","features":[461]},{"name":"L2_NOTIFICATION_SOURCE_WLAN_MSM","features":[461]},{"name":"L2_NOTIFICATION_SOURCE_WLAN_SECURITY","features":[461]},{"name":"L2_PROFILE_MAX_NAME_LENGTH","features":[461]},{"name":"L2_REASON_CODE_DOT11_AC_BASE","features":[461]},{"name":"L2_REASON_CODE_DOT11_MSM_BASE","features":[461]},{"name":"L2_REASON_CODE_DOT11_SECURITY_BASE","features":[461]},{"name":"L2_REASON_CODE_DOT3_AC_BASE","features":[461]},{"name":"L2_REASON_CODE_DOT3_MSM_BASE","features":[461]},{"name":"L2_REASON_CODE_GEN_BASE","features":[461]},{"name":"L2_REASON_CODE_GROUP_SIZE","features":[461]},{"name":"L2_REASON_CODE_IHV_BASE","features":[461]},{"name":"L2_REASON_CODE_ONEX_BASE","features":[461]},{"name":"L2_REASON_CODE_PROFILE_BASE","features":[461]},{"name":"L2_REASON_CODE_PROFILE_MISSING","features":[461]},{"name":"L2_REASON_CODE_RESERVED_BASE","features":[461]},{"name":"L2_REASON_CODE_SUCCESS","features":[461]},{"name":"L2_REASON_CODE_UNKNOWN","features":[461]},{"name":"L2_REASON_CODE_WIMAX_BASE","features":[461]},{"name":"MAX_NUM_SUPPORTED_RATES","features":[461]},{"name":"MAX_NUM_SUPPORTED_RATES_V2","features":[461]},{"name":"MS_MAX_PROFILE_NAME_LENGTH","features":[461]},{"name":"MS_PROFILE_GROUP_POLICY","features":[461]},{"name":"MS_PROFILE_USER","features":[461]},{"name":"NDIS_PACKET_TYPE_802_11_ALL_MULTICAST_DATA","features":[461]},{"name":"NDIS_PACKET_TYPE_802_11_BROADCAST_DATA","features":[461]},{"name":"NDIS_PACKET_TYPE_802_11_DIRECTED_DATA","features":[461]},{"name":"NDIS_PACKET_TYPE_802_11_MULTICAST_DATA","features":[461]},{"name":"NDIS_PACKET_TYPE_802_11_PROMISCUOUS_DATA","features":[461]},{"name":"OID_DOT11_AP_JOIN_REQUEST","features":[461]},{"name":"OID_DOT11_ATIM_WINDOW","features":[461]},{"name":"OID_DOT11_BEACON_PERIOD","features":[461]},{"name":"OID_DOT11_CCA_MODE_SUPPORTED","features":[461]},{"name":"OID_DOT11_CCA_WATCHDOG_COUNT_MAX","features":[461]},{"name":"OID_DOT11_CCA_WATCHDOG_COUNT_MIN","features":[461]},{"name":"OID_DOT11_CCA_WATCHDOG_TIMER_MAX","features":[461]},{"name":"OID_DOT11_CCA_WATCHDOG_TIMER_MIN","features":[461]},{"name":"OID_DOT11_CFP_MAX_DURATION","features":[461]},{"name":"OID_DOT11_CFP_PERIOD","features":[461]},{"name":"OID_DOT11_CF_POLLABLE","features":[461]},{"name":"OID_DOT11_CHANNEL_AGILITY_ENABLED","features":[461]},{"name":"OID_DOT11_CHANNEL_AGILITY_PRESENT","features":[461]},{"name":"OID_DOT11_COUNTERS_ENTRY","features":[461]},{"name":"OID_DOT11_COUNTRY_STRING","features":[461]},{"name":"OID_DOT11_CURRENT_ADDRESS","features":[461]},{"name":"OID_DOT11_CURRENT_CCA_MODE","features":[461]},{"name":"OID_DOT11_CURRENT_CHANNEL","features":[461]},{"name":"OID_DOT11_CURRENT_CHANNEL_NUMBER","features":[461]},{"name":"OID_DOT11_CURRENT_DWELL_TIME","features":[461]},{"name":"OID_DOT11_CURRENT_FREQUENCY","features":[461]},{"name":"OID_DOT11_CURRENT_INDEX","features":[461]},{"name":"OID_DOT11_CURRENT_OFFLOAD_CAPABILITY","features":[461]},{"name":"OID_DOT11_CURRENT_OPERATION_MODE","features":[461]},{"name":"OID_DOT11_CURRENT_OPTIONAL_CAPABILITY","features":[461]},{"name":"OID_DOT11_CURRENT_PACKET_FILTER","features":[461]},{"name":"OID_DOT11_CURRENT_PATTERN","features":[461]},{"name":"OID_DOT11_CURRENT_PHY_TYPE","features":[461]},{"name":"OID_DOT11_CURRENT_REG_DOMAIN","features":[461]},{"name":"OID_DOT11_CURRENT_RX_ANTENNA","features":[461]},{"name":"OID_DOT11_CURRENT_SET","features":[461]},{"name":"OID_DOT11_CURRENT_TX_ANTENNA","features":[461]},{"name":"OID_DOT11_CURRENT_TX_POWER_LEVEL","features":[461]},{"name":"OID_DOT11_DEFAULT_WEP_OFFLOAD","features":[461]},{"name":"OID_DOT11_DEFAULT_WEP_UPLOAD","features":[461]},{"name":"OID_DOT11_DIVERSITY_SELECTION_RX","features":[461]},{"name":"OID_DOT11_DIVERSITY_SUPPORT","features":[461]},{"name":"OID_DOT11_DSSS_OFDM_OPTION_ENABLED","features":[461]},{"name":"OID_DOT11_DSSS_OFDM_OPTION_IMPLEMENTED","features":[461]},{"name":"OID_DOT11_DTIM_PERIOD","features":[461]},{"name":"OID_DOT11_ED_THRESHOLD","features":[461]},{"name":"OID_DOT11_EHCC_CAPABILITY_ENABLED","features":[461]},{"name":"OID_DOT11_EHCC_CAPABILITY_IMPLEMENTED","features":[461]},{"name":"OID_DOT11_EHCC_NUMBER_OF_CHANNELS_FAMILY_INDEX","features":[461]},{"name":"OID_DOT11_EHCC_PRIME_RADIX","features":[461]},{"name":"OID_DOT11_ERP_PBCC_OPTION_ENABLED","features":[461]},{"name":"OID_DOT11_ERP_PBCC_OPTION_IMPLEMENTED","features":[461]},{"name":"OID_DOT11_FRAGMENTATION_THRESHOLD","features":[461]},{"name":"OID_DOT11_FREQUENCY_BANDS_SUPPORTED","features":[461]},{"name":"OID_DOT11_HOPPING_PATTERN","features":[461]},{"name":"OID_DOT11_HOP_ALGORITHM_ADOPTED","features":[461]},{"name":"OID_DOT11_HOP_MODULUS","features":[461]},{"name":"OID_DOT11_HOP_OFFSET","features":[461]},{"name":"OID_DOT11_HOP_TIME","features":[461]},{"name":"OID_DOT11_HR_CCA_MODE_SUPPORTED","features":[461]},{"name":"OID_DOT11_JOIN_REQUEST","features":[461]},{"name":"OID_DOT11_LONG_RETRY_LIMIT","features":[461]},{"name":"OID_DOT11_MAC_ADDRESS","features":[461]},{"name":"OID_DOT11_MAXIMUM_LIST_SIZE","features":[461]},{"name":"OID_DOT11_MAX_DWELL_TIME","features":[461]},{"name":"OID_DOT11_MAX_MAC_ADDRESS_STATES","features":[461]},{"name":"OID_DOT11_MAX_RECEIVE_LIFETIME","features":[461]},{"name":"OID_DOT11_MAX_TRANSMIT_MSDU_LIFETIME","features":[461]},{"name":"OID_DOT11_MEDIUM_OCCUPANCY_LIMIT","features":[461]},{"name":"OID_DOT11_MPDU_MAX_LENGTH","features":[461]},{"name":"OID_DOT11_MULTICAST_LIST","features":[461]},{"name":"OID_DOT11_MULTI_DOMAIN_CAPABILITY","features":[461]},{"name":"OID_DOT11_MULTI_DOMAIN_CAPABILITY_ENABLED","features":[461]},{"name":"OID_DOT11_MULTI_DOMAIN_CAPABILITY_IMPLEMENTED","features":[461]},{"name":"OID_DOT11_NDIS_START","features":[461]},{"name":"OID_DOT11_NIC_POWER_STATE","features":[461]},{"name":"OID_DOT11_NIC_SPECIFIC_EXTENSION","features":[461]},{"name":"OID_DOT11_NUMBER_OF_HOPPING_SETS","features":[461]},{"name":"OID_DOT11_OFFLOAD_CAPABILITY","features":[461]},{"name":"OID_DOT11_OPERATIONAL_RATE_SET","features":[461]},{"name":"OID_DOT11_OPERATION_MODE_CAPABILITY","features":[461]},{"name":"OID_DOT11_OPTIONAL_CAPABILITY","features":[461]},{"name":"OID_DOT11_PBCC_OPTION_IMPLEMENTED","features":[461]},{"name":"OID_DOT11_PERMANENT_ADDRESS","features":[461]},{"name":"OID_DOT11_POWER_MGMT_MODE","features":[461]},{"name":"OID_DOT11_PRIVATE_OIDS_START","features":[461]},{"name":"OID_DOT11_QOS_TX_DURATION","features":[461]},{"name":"OID_DOT11_QOS_TX_MEDIUM_TIME","features":[461]},{"name":"OID_DOT11_QOS_TX_QUEUES_SUPPORTED","features":[461]},{"name":"OID_DOT11_RANDOM_TABLE_FIELD_NUMBER","features":[461]},{"name":"OID_DOT11_RANDOM_TABLE_FLAG","features":[461]},{"name":"OID_DOT11_RECV_SENSITIVITY_LIST","features":[461]},{"name":"OID_DOT11_REG_DOMAINS_SUPPORT_VALUE","features":[461]},{"name":"OID_DOT11_RESET_REQUEST","features":[461]},{"name":"OID_DOT11_RF_USAGE","features":[461]},{"name":"OID_DOT11_RSSI_RANGE","features":[461]},{"name":"OID_DOT11_RTS_THRESHOLD","features":[461]},{"name":"OID_DOT11_SCAN_REQUEST","features":[461]},{"name":"OID_DOT11_SHORT_PREAMBLE_OPTION_IMPLEMENTED","features":[461]},{"name":"OID_DOT11_SHORT_RETRY_LIMIT","features":[461]},{"name":"OID_DOT11_SHORT_SLOT_TIME_OPTION_ENABLED","features":[461]},{"name":"OID_DOT11_SHORT_SLOT_TIME_OPTION_IMPLEMENTED","features":[461]},{"name":"OID_DOT11_START_REQUEST","features":[461]},{"name":"OID_DOT11_STATION_ID","features":[461]},{"name":"OID_DOT11_SUPPORTED_DATA_RATES_VALUE","features":[461]},{"name":"OID_DOT11_SUPPORTED_DSSS_CHANNEL_LIST","features":[461]},{"name":"OID_DOT11_SUPPORTED_OFDM_FREQUENCY_LIST","features":[461]},{"name":"OID_DOT11_SUPPORTED_PHY_TYPES","features":[461]},{"name":"OID_DOT11_SUPPORTED_POWER_LEVELS","features":[461]},{"name":"OID_DOT11_SUPPORTED_RX_ANTENNA","features":[461]},{"name":"OID_DOT11_SUPPORTED_TX_ANTENNA","features":[461]},{"name":"OID_DOT11_TEMP_TYPE","features":[461]},{"name":"OID_DOT11_TI_THRESHOLD","features":[461]},{"name":"OID_DOT11_UPDATE_IE","features":[461]},{"name":"OID_DOT11_WEP_ICV_ERROR_COUNT","features":[461]},{"name":"OID_DOT11_WEP_OFFLOAD","features":[461]},{"name":"OID_DOT11_WEP_UPLOAD","features":[461]},{"name":"OID_DOT11_WME_AC_PARAMETERS","features":[461]},{"name":"OID_DOT11_WME_ENABLED","features":[461]},{"name":"OID_DOT11_WME_IMPLEMENTED","features":[461]},{"name":"OID_DOT11_WME_UPDATE_IE","features":[461]},{"name":"OID_DOT11_WPA_TSC","features":[461]},{"name":"ONEX_AUTHENTICATOR_NO_LONGER_PRESENT","features":[461]},{"name":"ONEX_AUTH_IDENTITY","features":[461]},{"name":"ONEX_AUTH_PARAMS","features":[308,461]},{"name":"ONEX_AUTH_RESTART_REASON","features":[461]},{"name":"ONEX_AUTH_STATUS","features":[461]},{"name":"ONEX_EAP_ERROR","features":[461,462]},{"name":"ONEX_EAP_FAILURE_RECEIVED","features":[461]},{"name":"ONEX_EAP_METHOD_BACKEND_SUPPORT","features":[461]},{"name":"ONEX_IDENTITY_NOT_FOUND","features":[461]},{"name":"ONEX_NOTIFICATION_TYPE","features":[461]},{"name":"ONEX_NO_RESPONSE_TO_IDENTITY","features":[461]},{"name":"ONEX_PROFILE_DISALLOWED_EAP_TYPE","features":[461]},{"name":"ONEX_PROFILE_EXPIRED_EXPLICIT_CREDENTIALS","features":[461]},{"name":"ONEX_PROFILE_INVALID_AUTH_MODE","features":[461]},{"name":"ONEX_PROFILE_INVALID_EAP_CONNECTION_PROPERTIES","features":[461]},{"name":"ONEX_PROFILE_INVALID_EAP_TYPE_OR_FLAG","features":[461]},{"name":"ONEX_PROFILE_INVALID_EXPLICIT_CREDENTIALS","features":[461]},{"name":"ONEX_PROFILE_INVALID_LENGTH","features":[461]},{"name":"ONEX_PROFILE_INVALID_ONEX_FLAGS","features":[461]},{"name":"ONEX_PROFILE_INVALID_SUPPLICANT_MODE","features":[461]},{"name":"ONEX_PROFILE_INVALID_TIMER_VALUE","features":[461]},{"name":"ONEX_PROFILE_VERSION_NOT_SUPPORTED","features":[461]},{"name":"ONEX_REASON_CODE","features":[461]},{"name":"ONEX_REASON_CODE_SUCCESS","features":[461]},{"name":"ONEX_REASON_START","features":[461]},{"name":"ONEX_RESULT_UPDATE_DATA","features":[308,461]},{"name":"ONEX_STATUS","features":[461]},{"name":"ONEX_UI_CANCELLED","features":[461]},{"name":"ONEX_UI_DISABLED","features":[461]},{"name":"ONEX_UI_FAILURE","features":[461]},{"name":"ONEX_UI_NOT_PERMITTED","features":[461]},{"name":"ONEX_UNABLE_TO_IDENTIFY_USER","features":[461]},{"name":"ONEX_USER_INFO","features":[461]},{"name":"ONEX_VARIABLE_BLOB","features":[461]},{"name":"OneXAuthFailure","features":[461]},{"name":"OneXAuthIdentityExplicitUser","features":[461]},{"name":"OneXAuthIdentityGuest","features":[461]},{"name":"OneXAuthIdentityInvalid","features":[461]},{"name":"OneXAuthIdentityMachine","features":[461]},{"name":"OneXAuthIdentityNone","features":[461]},{"name":"OneXAuthIdentityUser","features":[461]},{"name":"OneXAuthInProgress","features":[461]},{"name":"OneXAuthInvalid","features":[461]},{"name":"OneXAuthNoAuthenticatorFound","features":[461]},{"name":"OneXAuthNotStarted","features":[461]},{"name":"OneXAuthSuccess","features":[461]},{"name":"OneXEapMethodBackendSupportUnknown","features":[461]},{"name":"OneXEapMethodBackendSupported","features":[461]},{"name":"OneXEapMethodBackendUnsupported","features":[461]},{"name":"OneXNotificationTypeAuthRestarted","features":[461]},{"name":"OneXNotificationTypeEventInvalid","features":[461]},{"name":"OneXNotificationTypeResultUpdate","features":[461]},{"name":"OneXNumNotifications","features":[461]},{"name":"OneXPublicNotificationBase","features":[461]},{"name":"OneXRestartReasonAltCredsTrial","features":[461]},{"name":"OneXRestartReasonInvalid","features":[461]},{"name":"OneXRestartReasonMsmInitiated","features":[461]},{"name":"OneXRestartReasonOneXAuthTimeout","features":[461]},{"name":"OneXRestartReasonOneXConfigurationChanged","features":[461]},{"name":"OneXRestartReasonOneXHeldStateTimeout","features":[461]},{"name":"OneXRestartReasonOneXUserChanged","features":[461]},{"name":"OneXRestartReasonPeerInitiated","features":[461]},{"name":"OneXRestartReasonQuarantineStateChanged","features":[461]},{"name":"WDIAG_IHV_WLAN_ID","features":[461]},{"name":"WDIAG_IHV_WLAN_ID_FLAG_SECURITY_ENABLED","features":[461]},{"name":"WFDCancelOpenSession","features":[308,461]},{"name":"WFDCloseHandle","features":[308,461]},{"name":"WFDCloseSession","features":[308,461]},{"name":"WFDOpenHandle","features":[308,461]},{"name":"WFDOpenLegacySession","features":[308,461]},{"name":"WFDSVC_CONNECTION_CAPABILITY","features":[308,461]},{"name":"WFDSVC_CONNECTION_CAPABILITY_CLIENT","features":[461]},{"name":"WFDSVC_CONNECTION_CAPABILITY_GO","features":[461]},{"name":"WFDSVC_CONNECTION_CAPABILITY_NEW","features":[461]},{"name":"WFDStartOpenSession","features":[308,461]},{"name":"WFDUpdateDeviceVisibility","features":[461]},{"name":"WFD_API_VERSION","features":[461]},{"name":"WFD_API_VERSION_1_0","features":[461]},{"name":"WFD_GROUP_ID","features":[461]},{"name":"WFD_OPEN_SESSION_COMPLETE_CALLBACK","features":[308,461]},{"name":"WFD_ROLE_TYPE","features":[461]},{"name":"WFD_ROLE_TYPE_CLIENT","features":[461]},{"name":"WFD_ROLE_TYPE_DEVICE","features":[461]},{"name":"WFD_ROLE_TYPE_GROUP_OWNER","features":[461]},{"name":"WFD_ROLE_TYPE_MAX","features":[461]},{"name":"WFD_ROLE_TYPE_NONE","features":[461]},{"name":"WLAN_ADHOC_NETWORK_STATE","features":[461]},{"name":"WLAN_API_VERSION","features":[461]},{"name":"WLAN_API_VERSION_1_0","features":[461]},{"name":"WLAN_API_VERSION_2_0","features":[461]},{"name":"WLAN_ASSOCIATION_ATTRIBUTES","features":[461]},{"name":"WLAN_AUTH_CIPHER_PAIR_LIST","features":[461]},{"name":"WLAN_AUTOCONF_OPCODE","features":[461]},{"name":"WLAN_AVAILABLE_NETWORK","features":[308,461]},{"name":"WLAN_AVAILABLE_NETWORK_ANQP_SUPPORTED","features":[461]},{"name":"WLAN_AVAILABLE_NETWORK_AUTO_CONNECT_FAILED","features":[461]},{"name":"WLAN_AVAILABLE_NETWORK_CONNECTED","features":[461]},{"name":"WLAN_AVAILABLE_NETWORK_CONSOLE_USER_PROFILE","features":[461]},{"name":"WLAN_AVAILABLE_NETWORK_HAS_PROFILE","features":[461]},{"name":"WLAN_AVAILABLE_NETWORK_HOTSPOT2_DOMAIN","features":[461]},{"name":"WLAN_AVAILABLE_NETWORK_HOTSPOT2_ENABLED","features":[461]},{"name":"WLAN_AVAILABLE_NETWORK_HOTSPOT2_ROAMING","features":[461]},{"name":"WLAN_AVAILABLE_NETWORK_INCLUDE_ALL_ADHOC_PROFILES","features":[461]},{"name":"WLAN_AVAILABLE_NETWORK_INCLUDE_ALL_MANUAL_HIDDEN_PROFILES","features":[461]},{"name":"WLAN_AVAILABLE_NETWORK_INTERWORKING_SUPPORTED","features":[461]},{"name":"WLAN_AVAILABLE_NETWORK_LIST","features":[308,461]},{"name":"WLAN_AVAILABLE_NETWORK_LIST_V2","features":[308,461]},{"name":"WLAN_AVAILABLE_NETWORK_V2","features":[308,461]},{"name":"WLAN_BSS_ENTRY","features":[308,461]},{"name":"WLAN_BSS_LIST","features":[308,461]},{"name":"WLAN_CONNECTION_ADHOC_JOIN_ONLY","features":[461]},{"name":"WLAN_CONNECTION_ATTRIBUTES","features":[308,461]},{"name":"WLAN_CONNECTION_EAPOL_PASSTHROUGH","features":[461]},{"name":"WLAN_CONNECTION_HIDDEN_NETWORK","features":[461]},{"name":"WLAN_CONNECTION_IGNORE_PRIVACY_BIT","features":[461]},{"name":"WLAN_CONNECTION_MODE","features":[461]},{"name":"WLAN_CONNECTION_NOTIFICATION_ADHOC_NETWORK_FORMED","features":[461]},{"name":"WLAN_CONNECTION_NOTIFICATION_CONSOLE_USER_PROFILE","features":[461]},{"name":"WLAN_CONNECTION_NOTIFICATION_DATA","features":[308,461]},{"name":"WLAN_CONNECTION_NOTIFICATION_FLAGS","features":[461]},{"name":"WLAN_CONNECTION_PARAMETERS","features":[322,461]},{"name":"WLAN_CONNECTION_PARAMETERS_V2","features":[322,461]},{"name":"WLAN_CONNECTION_PERSIST_DISCOVERY_PROFILE","features":[461]},{"name":"WLAN_CONNECTION_PERSIST_DISCOVERY_PROFILE_CONNECTION_MODE_AUTO","features":[461]},{"name":"WLAN_CONNECTION_PERSIST_DISCOVERY_PROFILE_OVERWRITE_EXISTING","features":[461]},{"name":"WLAN_COUNTRY_OR_REGION_STRING_LIST","features":[461]},{"name":"WLAN_DEVICE_SERVICE_GUID_LIST","features":[461]},{"name":"WLAN_DEVICE_SERVICE_NOTIFICATION_DATA","features":[461]},{"name":"WLAN_FILTER_LIST_TYPE","features":[461]},{"name":"WLAN_HOSTED_NETWORK_CONNECTION_SETTINGS","features":[461]},{"name":"WLAN_HOSTED_NETWORK_DATA_PEER_STATE_CHANGE","features":[461]},{"name":"WLAN_HOSTED_NETWORK_NOTIFICATION_CODE","features":[461]},{"name":"WLAN_HOSTED_NETWORK_OPCODE","features":[461]},{"name":"WLAN_HOSTED_NETWORK_PEER_AUTH_STATE","features":[461]},{"name":"WLAN_HOSTED_NETWORK_PEER_STATE","features":[461]},{"name":"WLAN_HOSTED_NETWORK_RADIO_STATE","features":[461]},{"name":"WLAN_HOSTED_NETWORK_REASON","features":[461]},{"name":"WLAN_HOSTED_NETWORK_SECURITY_SETTINGS","features":[461]},{"name":"WLAN_HOSTED_NETWORK_STATE","features":[461]},{"name":"WLAN_HOSTED_NETWORK_STATE_CHANGE","features":[461]},{"name":"WLAN_HOSTED_NETWORK_STATUS","features":[461]},{"name":"WLAN_IHV_CONTROL_TYPE","features":[461]},{"name":"WLAN_INTERFACE_CAPABILITY","features":[308,461]},{"name":"WLAN_INTERFACE_INFO","features":[461]},{"name":"WLAN_INTERFACE_INFO_LIST","features":[461]},{"name":"WLAN_INTERFACE_STATE","features":[461]},{"name":"WLAN_INTERFACE_TYPE","features":[461]},{"name":"WLAN_INTF_OPCODE","features":[461]},{"name":"WLAN_MAC_FRAME_STATISTICS","features":[461]},{"name":"WLAN_MAX_NAME_LENGTH","features":[461]},{"name":"WLAN_MAX_PHY_INDEX","features":[461]},{"name":"WLAN_MAX_PHY_TYPE_NUMBER","features":[461]},{"name":"WLAN_MSM_NOTIFICATION_DATA","features":[308,461]},{"name":"WLAN_NOTIFICATION_ACM","features":[461]},{"name":"WLAN_NOTIFICATION_CALLBACK","features":[461]},{"name":"WLAN_NOTIFICATION_MSM","features":[461]},{"name":"WLAN_NOTIFICATION_SECURITY","features":[461]},{"name":"WLAN_NOTIFICATION_SOURCES","features":[461]},{"name":"WLAN_NOTIFICATION_SOURCE_ACM","features":[461]},{"name":"WLAN_NOTIFICATION_SOURCE_ALL","features":[461]},{"name":"WLAN_NOTIFICATION_SOURCE_DEVICE_SERVICE","features":[461]},{"name":"WLAN_NOTIFICATION_SOURCE_HNWK","features":[461]},{"name":"WLAN_NOTIFICATION_SOURCE_IHV","features":[461]},{"name":"WLAN_NOTIFICATION_SOURCE_MSM","features":[461]},{"name":"WLAN_NOTIFICATION_SOURCE_NONE","features":[461]},{"name":"WLAN_NOTIFICATION_SOURCE_ONEX","features":[461]},{"name":"WLAN_NOTIFICATION_SOURCE_SECURITY","features":[461]},{"name":"WLAN_OPCODE_VALUE_TYPE","features":[461]},{"name":"WLAN_OPERATIONAL_STATE","features":[461]},{"name":"WLAN_PHY_FRAME_STATISTICS","features":[461]},{"name":"WLAN_PHY_RADIO_STATE","features":[461]},{"name":"WLAN_POWER_SETTING","features":[461]},{"name":"WLAN_PROFILE_CONNECTION_MODE_AUTO","features":[461]},{"name":"WLAN_PROFILE_CONNECTION_MODE_SET_BY_CLIENT","features":[461]},{"name":"WLAN_PROFILE_GET_PLAINTEXT_KEY","features":[461]},{"name":"WLAN_PROFILE_GROUP_POLICY","features":[461]},{"name":"WLAN_PROFILE_INFO","features":[461]},{"name":"WLAN_PROFILE_INFO_LIST","features":[461]},{"name":"WLAN_PROFILE_USER","features":[461]},{"name":"WLAN_RADIO_STATE","features":[461]},{"name":"WLAN_RATE_SET","features":[461]},{"name":"WLAN_RAW_DATA","features":[461]},{"name":"WLAN_RAW_DATA_LIST","features":[461]},{"name":"WLAN_REASON_CODE_AC_BASE","features":[461]},{"name":"WLAN_REASON_CODE_AC_CONNECT_BASE","features":[461]},{"name":"WLAN_REASON_CODE_AC_END","features":[461]},{"name":"WLAN_REASON_CODE_ADHOC_SECURITY_FAILURE","features":[461]},{"name":"WLAN_REASON_CODE_AP_PROFILE_NOT_ALLOWED","features":[461]},{"name":"WLAN_REASON_CODE_AP_PROFILE_NOT_ALLOWED_FOR_CLIENT","features":[461]},{"name":"WLAN_REASON_CODE_AP_STARTING_FAILURE","features":[461]},{"name":"WLAN_REASON_CODE_ASSOCIATION_FAILURE","features":[461]},{"name":"WLAN_REASON_CODE_ASSOCIATION_TIMEOUT","features":[461]},{"name":"WLAN_REASON_CODE_AUTO_AP_PROFILE_NOT_ALLOWED","features":[461]},{"name":"WLAN_REASON_CODE_AUTO_CONNECTION_NOT_ALLOWED","features":[461]},{"name":"WLAN_REASON_CODE_AUTO_SWITCH_SET_FOR_ADHOC","features":[461]},{"name":"WLAN_REASON_CODE_AUTO_SWITCH_SET_FOR_MANUAL_CONNECTION","features":[461]},{"name":"WLAN_REASON_CODE_BAD_MAX_NUMBER_OF_CLIENTS_FOR_AP","features":[461]},{"name":"WLAN_REASON_CODE_BASE","features":[461]},{"name":"WLAN_REASON_CODE_BSS_TYPE_NOT_ALLOWED","features":[461]},{"name":"WLAN_REASON_CODE_BSS_TYPE_UNMATCH","features":[461]},{"name":"WLAN_REASON_CODE_CONFLICT_SECURITY","features":[461]},{"name":"WLAN_REASON_CODE_CONNECT_CALL_FAIL","features":[461]},{"name":"WLAN_REASON_CODE_DATARATE_UNMATCH","features":[461]},{"name":"WLAN_REASON_CODE_DISCONNECT_TIMEOUT","features":[461]},{"name":"WLAN_REASON_CODE_DRIVER_DISCONNECTED","features":[461]},{"name":"WLAN_REASON_CODE_DRIVER_OPERATION_FAILURE","features":[461]},{"name":"WLAN_REASON_CODE_GP_DENIED","features":[461]},{"name":"WLAN_REASON_CODE_HOTSPOT2_PROFILE_DENIED","features":[461]},{"name":"WLAN_REASON_CODE_HOTSPOT2_PROFILE_NOT_ALLOWED","features":[461]},{"name":"WLAN_REASON_CODE_IHV_CONNECTIVITY_NOT_SUPPORTED","features":[461]},{"name":"WLAN_REASON_CODE_IHV_NOT_AVAILABLE","features":[461]},{"name":"WLAN_REASON_CODE_IHV_NOT_RESPONDING","features":[461]},{"name":"WLAN_REASON_CODE_IHV_OUI_MISMATCH","features":[461]},{"name":"WLAN_REASON_CODE_IHV_OUI_MISSING","features":[461]},{"name":"WLAN_REASON_CODE_IHV_SECURITY_NOT_SUPPORTED","features":[461]},{"name":"WLAN_REASON_CODE_IHV_SECURITY_ONEX_MISSING","features":[461]},{"name":"WLAN_REASON_CODE_IHV_SETTINGS_MISSING","features":[461]},{"name":"WLAN_REASON_CODE_INTERNAL_FAILURE","features":[461]},{"name":"WLAN_REASON_CODE_INVALID_ADHOC_CONNECTION_MODE","features":[461]},{"name":"WLAN_REASON_CODE_INVALID_BSS_TYPE","features":[461]},{"name":"WLAN_REASON_CODE_INVALID_CHANNEL","features":[461]},{"name":"WLAN_REASON_CODE_INVALID_PHY_TYPE","features":[461]},{"name":"WLAN_REASON_CODE_INVALID_PROFILE_NAME","features":[461]},{"name":"WLAN_REASON_CODE_INVALID_PROFILE_SCHEMA","features":[461]},{"name":"WLAN_REASON_CODE_INVALID_PROFILE_TYPE","features":[461]},{"name":"WLAN_REASON_CODE_IN_BLOCKED_LIST","features":[461]},{"name":"WLAN_REASON_CODE_IN_FAILED_LIST","features":[461]},{"name":"WLAN_REASON_CODE_KEY_MISMATCH","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_AUTH_START_TIMEOUT","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_AUTH_SUCCESS_TIMEOUT","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_AUTH_WCN_COMPLETED","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_BASE","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_CANCELLED","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_CAPABILITY_DISCOVERY","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_CAPABILITY_MFP_NW_NIC","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_CAPABILITY_NETWORK","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_CAPABILITY_NIC","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_CAPABILITY_PROFILE","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_CAPABILITY_PROFILE_AUTH","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_CAPABILITY_PROFILE_CIPHER","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_CAPABILITY_PROFILE_SAFE_MODE_NIC","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_CAPABILITY_PROFILE_SAFE_MODE_NW","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_CONNECT_BASE","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_DOWNGRADE_DETECTED","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_END","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_FORCED_FAILURE","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_G1_MISSING_GRP_KEY","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_G1_MISSING_KEY_DATA","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_G1_MISSING_MGMT_GRP_KEY","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_KEY_FORMAT","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_KEY_START_TIMEOUT","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_KEY_SUCCESS_TIMEOUT","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_M2_MISSING_IE","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_M2_MISSING_KEY_DATA","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_M3_MISSING_GRP_KEY","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_M3_MISSING_IE","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_M3_MISSING_KEY_DATA","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_M3_MISSING_MGMT_GRP_KEY","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_M3_TOO_MANY_RSNIE","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_MAX","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_MIN","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_MIXED_CELL","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_NIC_FAILURE","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_NO_AUTHENTICATOR","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_NO_PAIRWISE_KEY","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PEER_INDICATED_INSECURE","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_AUTH_TIMERS_INVALID","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_DUPLICATE_AUTH_CIPHER","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_INVALID_AUTH_CIPHER","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_INVALID_GKEY_INTV","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_INVALID_KEY_INDEX","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_INVALID_PMKCACHE_MODE","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_INVALID_PMKCACHE_SIZE","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_INVALID_PMKCACHE_TTL","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_INVALID_PREAUTH_MODE","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_INVALID_PREAUTH_THROTTLE","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_KEYMATERIAL_CHAR","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_KEY_LENGTH","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_KEY_UNMAPPED_CHAR","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_NO_AUTH_CIPHER_SPECIFIED","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_ONEX_DISABLED","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_ONEX_ENABLED","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_PASSPHRASE_CHAR","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_PREAUTH_ONLY_ENABLED","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_PSK_LENGTH","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_PSK_PRESENT","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_RAWDATA_INVALID","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_SAFE_MODE","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_TOO_MANY_AUTH_CIPHER_SPECIFIED","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_UNSUPPORTED_AUTH","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_UNSUPPORTED_CIPHER","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PROFILE_WRONG_KEYTYPE","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PR_IE_MATCHING","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_PSK_MISMATCH_SUSPECTED","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_SEC_IE_MATCHING","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_TRANSITION_NETWORK","features":[461]},{"name":"WLAN_REASON_CODE_MSMSEC_UI_REQUEST_FAILURE","features":[461]},{"name":"WLAN_REASON_CODE_MSM_BASE","features":[461]},{"name":"WLAN_REASON_CODE_MSM_CONNECT_BASE","features":[461]},{"name":"WLAN_REASON_CODE_MSM_END","features":[461]},{"name":"WLAN_REASON_CODE_MSM_SECURITY_MISSING","features":[461]},{"name":"WLAN_REASON_CODE_NETWORK_NOT_AVAILABLE","features":[461]},{"name":"WLAN_REASON_CODE_NETWORK_NOT_COMPATIBLE","features":[461]},{"name":"WLAN_REASON_CODE_NON_BROADCAST_SET_FOR_ADHOC","features":[461]},{"name":"WLAN_REASON_CODE_NOT_VISIBLE","features":[461]},{"name":"WLAN_REASON_CODE_NO_AUTO_CONNECTION","features":[461]},{"name":"WLAN_REASON_CODE_NO_VISIBLE_AP","features":[461]},{"name":"WLAN_REASON_CODE_OPERATION_MODE_NOT_SUPPORTED","features":[461]},{"name":"WLAN_REASON_CODE_PHY_TYPE_UNMATCH","features":[461]},{"name":"WLAN_REASON_CODE_PRE_SECURITY_FAILURE","features":[461]},{"name":"WLAN_REASON_CODE_PROFILE_BASE","features":[461]},{"name":"WLAN_REASON_CODE_PROFILE_CHANGED_OR_DELETED","features":[461]},{"name":"WLAN_REASON_CODE_PROFILE_CONNECT_BASE","features":[461]},{"name":"WLAN_REASON_CODE_PROFILE_END","features":[461]},{"name":"WLAN_REASON_CODE_PROFILE_MISSING","features":[461]},{"name":"WLAN_REASON_CODE_PROFILE_NOT_COMPATIBLE","features":[461]},{"name":"WLAN_REASON_CODE_PROFILE_SSID_INVALID","features":[461]},{"name":"WLAN_REASON_CODE_RANGE_SIZE","features":[461]},{"name":"WLAN_REASON_CODE_RESERVED_BASE","features":[461]},{"name":"WLAN_REASON_CODE_RESERVED_END","features":[461]},{"name":"WLAN_REASON_CODE_ROAMING_FAILURE","features":[461]},{"name":"WLAN_REASON_CODE_ROAMING_SECURITY_FAILURE","features":[461]},{"name":"WLAN_REASON_CODE_SCAN_CALL_FAIL","features":[461]},{"name":"WLAN_REASON_CODE_SECURITY_FAILURE","features":[461]},{"name":"WLAN_REASON_CODE_SECURITY_MISSING","features":[461]},{"name":"WLAN_REASON_CODE_SECURITY_TIMEOUT","features":[461]},{"name":"WLAN_REASON_CODE_SSID_LIST_TOO_LONG","features":[461]},{"name":"WLAN_REASON_CODE_START_SECURITY_FAILURE","features":[461]},{"name":"WLAN_REASON_CODE_SUCCESS","features":[461]},{"name":"WLAN_REASON_CODE_TOO_MANY_SECURITY_ATTEMPTS","features":[461]},{"name":"WLAN_REASON_CODE_TOO_MANY_SSID","features":[461]},{"name":"WLAN_REASON_CODE_UI_REQUEST_TIMEOUT","features":[461]},{"name":"WLAN_REASON_CODE_UNKNOWN","features":[461]},{"name":"WLAN_REASON_CODE_UNSUPPORTED_SECURITY_SET","features":[461]},{"name":"WLAN_REASON_CODE_UNSUPPORTED_SECURITY_SET_BY_OS","features":[461]},{"name":"WLAN_REASON_CODE_USER_CANCELLED","features":[461]},{"name":"WLAN_REASON_CODE_USER_DENIED","features":[461]},{"name":"WLAN_REASON_CODE_USER_NOT_RESPOND","features":[461]},{"name":"WLAN_SECURABLE_OBJECT","features":[461]},{"name":"WLAN_SECURABLE_OBJECT_COUNT","features":[461]},{"name":"WLAN_SECURITY_ATTRIBUTES","features":[308,461]},{"name":"WLAN_SET_EAPHOST_DATA_ALL_USERS","features":[461]},{"name":"WLAN_SET_EAPHOST_FLAGS","features":[461]},{"name":"WLAN_STATISTICS","features":[461]},{"name":"WLAN_UI_API_INITIAL_VERSION","features":[461]},{"name":"WLAN_UI_API_VERSION","features":[461]},{"name":"WLAdvPage","features":[461]},{"name":"WLConnectionPage","features":[461]},{"name":"WLSecurityPage","features":[461]},{"name":"WL_DISPLAY_PAGES","features":[461]},{"name":"WlanAllocateMemory","features":[461]},{"name":"WlanCloseHandle","features":[308,461]},{"name":"WlanConnect","features":[308,322,461]},{"name":"WlanConnect2","features":[308,322,461]},{"name":"WlanDeleteProfile","features":[308,461]},{"name":"WlanDeviceServiceCommand","features":[308,461]},{"name":"WlanDisconnect","features":[308,461]},{"name":"WlanEnumInterfaces","features":[308,461]},{"name":"WlanExtractPsdIEDataList","features":[308,461]},{"name":"WlanFreeMemory","features":[461]},{"name":"WlanGetAvailableNetworkList","features":[308,461]},{"name":"WlanGetAvailableNetworkList2","features":[308,461]},{"name":"WlanGetFilterList","features":[308,461]},{"name":"WlanGetInterfaceCapability","features":[308,461]},{"name":"WlanGetNetworkBssList","features":[308,461]},{"name":"WlanGetProfile","features":[308,461]},{"name":"WlanGetProfileCustomUserData","features":[308,461]},{"name":"WlanGetProfileList","features":[308,461]},{"name":"WlanGetSecuritySettings","features":[308,461]},{"name":"WlanGetSupportedDeviceServices","features":[308,461]},{"name":"WlanHostedNetworkForceStart","features":[308,461]},{"name":"WlanHostedNetworkForceStop","features":[308,461]},{"name":"WlanHostedNetworkInitSettings","features":[308,461]},{"name":"WlanHostedNetworkQueryProperty","features":[308,461]},{"name":"WlanHostedNetworkQuerySecondaryKey","features":[308,461]},{"name":"WlanHostedNetworkQueryStatus","features":[308,461]},{"name":"WlanHostedNetworkRefreshSecuritySettings","features":[308,461]},{"name":"WlanHostedNetworkSetProperty","features":[308,461]},{"name":"WlanHostedNetworkSetSecondaryKey","features":[308,461]},{"name":"WlanHostedNetworkStartUsing","features":[308,461]},{"name":"WlanHostedNetworkStopUsing","features":[308,461]},{"name":"WlanIhvControl","features":[308,461]},{"name":"WlanOpenHandle","features":[308,461]},{"name":"WlanQueryAutoConfigParameter","features":[308,461]},{"name":"WlanQueryInterface","features":[308,461]},{"name":"WlanReasonCodeToString","features":[461]},{"name":"WlanRegisterDeviceServiceNotification","features":[308,461]},{"name":"WlanRegisterNotification","features":[308,461]},{"name":"WlanRegisterVirtualStationNotification","features":[308,461]},{"name":"WlanRenameProfile","features":[308,461]},{"name":"WlanSaveTemporaryProfile","features":[308,461]},{"name":"WlanScan","features":[308,461]},{"name":"WlanSetAutoConfigParameter","features":[308,461]},{"name":"WlanSetFilterList","features":[308,461]},{"name":"WlanSetInterface","features":[308,461]},{"name":"WlanSetProfile","features":[308,461]},{"name":"WlanSetProfileCustomUserData","features":[308,461]},{"name":"WlanSetProfileEapUserData","features":[308,461,462]},{"name":"WlanSetProfileEapXmlUserData","features":[308,461]},{"name":"WlanSetProfileList","features":[308,461]},{"name":"WlanSetProfilePosition","features":[308,461]},{"name":"WlanSetPsdIEDataList","features":[308,461]},{"name":"WlanSetSecuritySettings","features":[308,461]},{"name":"WlanUIEditProfile","features":[308,461]},{"name":"ch_description_type_center_frequency","features":[461]},{"name":"ch_description_type_logical","features":[461]},{"name":"ch_description_type_phy_specific","features":[461]},{"name":"connection_phase_any","features":[461]},{"name":"connection_phase_initial_connection","features":[461]},{"name":"connection_phase_post_l3_connection","features":[461]},{"name":"dot11_AC_param_BE","features":[461]},{"name":"dot11_AC_param_BK","features":[461]},{"name":"dot11_AC_param_VI","features":[461]},{"name":"dot11_AC_param_VO","features":[461]},{"name":"dot11_AC_param_max","features":[461]},{"name":"dot11_ANQP_query_result_access_issues","features":[461]},{"name":"dot11_ANQP_query_result_advertisement_protocol_not_supported_on_remote","features":[461]},{"name":"dot11_ANQP_query_result_advertisement_server_not_responding","features":[461]},{"name":"dot11_ANQP_query_result_failure","features":[461]},{"name":"dot11_ANQP_query_result_gas_protocol_failure","features":[461]},{"name":"dot11_ANQP_query_result_resources","features":[461]},{"name":"dot11_ANQP_query_result_success","features":[461]},{"name":"dot11_ANQP_query_result_timed_out","features":[461]},{"name":"dot11_BSS_type_any","features":[461]},{"name":"dot11_BSS_type_independent","features":[461]},{"name":"dot11_BSS_type_infrastructure","features":[461]},{"name":"dot11_assoc_state_auth_assoc","features":[461]},{"name":"dot11_assoc_state_auth_unassoc","features":[461]},{"name":"dot11_assoc_state_unauth_unassoc","features":[461]},{"name":"dot11_assoc_state_zero","features":[461]},{"name":"dot11_band_2p4g","features":[461]},{"name":"dot11_band_4p9g","features":[461]},{"name":"dot11_band_5g","features":[461]},{"name":"dot11_diversity_support_dynamic","features":[461]},{"name":"dot11_diversity_support_fixedlist","features":[461]},{"name":"dot11_diversity_support_notsupported","features":[461]},{"name":"dot11_diversity_support_unknown","features":[461]},{"name":"dot11_hop_algo_current","features":[461]},{"name":"dot11_hop_algo_hcc","features":[461]},{"name":"dot11_hop_algo_hop_index","features":[461]},{"name":"dot11_key_direction_both","features":[461]},{"name":"dot11_key_direction_inbound","features":[461]},{"name":"dot11_key_direction_outbound","features":[461]},{"name":"dot11_manufacturing_callback_IHV_end","features":[461]},{"name":"dot11_manufacturing_callback_IHV_start","features":[461]},{"name":"dot11_manufacturing_callback_self_test_complete","features":[461]},{"name":"dot11_manufacturing_callback_sleep_complete","features":[461]},{"name":"dot11_manufacturing_callback_unknown","features":[461]},{"name":"dot11_manufacturing_test_IHV_end","features":[461]},{"name":"dot11_manufacturing_test_IHV_start","features":[461]},{"name":"dot11_manufacturing_test_awake","features":[461]},{"name":"dot11_manufacturing_test_query_adc","features":[461]},{"name":"dot11_manufacturing_test_query_data","features":[461]},{"name":"dot11_manufacturing_test_rx","features":[461]},{"name":"dot11_manufacturing_test_self_query_result","features":[461]},{"name":"dot11_manufacturing_test_self_start","features":[461]},{"name":"dot11_manufacturing_test_set_data","features":[461]},{"name":"dot11_manufacturing_test_sleep","features":[461]},{"name":"dot11_manufacturing_test_tx","features":[461]},{"name":"dot11_manufacturing_test_unknown","features":[461]},{"name":"dot11_offload_type_auth","features":[461]},{"name":"dot11_offload_type_wep","features":[461]},{"name":"dot11_phy_type_IHV_end","features":[461]},{"name":"dot11_phy_type_IHV_start","features":[461]},{"name":"dot11_phy_type_any","features":[461]},{"name":"dot11_phy_type_dmg","features":[461]},{"name":"dot11_phy_type_dsss","features":[461]},{"name":"dot11_phy_type_eht","features":[461]},{"name":"dot11_phy_type_erp","features":[461]},{"name":"dot11_phy_type_fhss","features":[461]},{"name":"dot11_phy_type_he","features":[461]},{"name":"dot11_phy_type_hrdsss","features":[461]},{"name":"dot11_phy_type_ht","features":[461]},{"name":"dot11_phy_type_irbaseband","features":[461]},{"name":"dot11_phy_type_ofdm","features":[461]},{"name":"dot11_phy_type_unknown","features":[461]},{"name":"dot11_phy_type_vht","features":[461]},{"name":"dot11_power_mode_active","features":[461]},{"name":"dot11_power_mode_powersave","features":[461]},{"name":"dot11_power_mode_reason_compliant_AP","features":[461]},{"name":"dot11_power_mode_reason_compliant_WFD_device","features":[461]},{"name":"dot11_power_mode_reason_legacy_WFD_device","features":[461]},{"name":"dot11_power_mode_reason_no_change","features":[461]},{"name":"dot11_power_mode_reason_noncompliant_AP","features":[461]},{"name":"dot11_power_mode_reason_others","features":[461]},{"name":"dot11_power_mode_unknown","features":[461]},{"name":"dot11_radio_state_off","features":[461]},{"name":"dot11_radio_state_on","features":[461]},{"name":"dot11_radio_state_unknown","features":[461]},{"name":"dot11_reset_type_mac","features":[461]},{"name":"dot11_reset_type_phy","features":[461]},{"name":"dot11_reset_type_phy_and_mac","features":[461]},{"name":"dot11_scan_type_active","features":[461]},{"name":"dot11_scan_type_auto","features":[461]},{"name":"dot11_scan_type_forced","features":[461]},{"name":"dot11_scan_type_passive","features":[461]},{"name":"dot11_temp_type_1","features":[461]},{"name":"dot11_temp_type_2","features":[461]},{"name":"dot11_temp_type_unknown","features":[461]},{"name":"dot11_update_ie_op_create_replace","features":[461]},{"name":"dot11_update_ie_op_delete","features":[461]},{"name":"dot11_wfd_discover_type_auto","features":[461]},{"name":"dot11_wfd_discover_type_find_only","features":[461]},{"name":"dot11_wfd_discover_type_forced","features":[461]},{"name":"dot11_wfd_discover_type_scan_only","features":[461]},{"name":"dot11_wfd_discover_type_scan_social_channels","features":[461]},{"name":"dot11_wfd_scan_type_active","features":[461]},{"name":"dot11_wfd_scan_type_auto","features":[461]},{"name":"dot11_wfd_scan_type_passive","features":[461]},{"name":"wlan_adhoc_network_state_connected","features":[461]},{"name":"wlan_adhoc_network_state_formed","features":[461]},{"name":"wlan_autoconf_opcode_allow_explicit_creds","features":[461]},{"name":"wlan_autoconf_opcode_allow_virtual_station_extensibility","features":[461]},{"name":"wlan_autoconf_opcode_block_period","features":[461]},{"name":"wlan_autoconf_opcode_end","features":[461]},{"name":"wlan_autoconf_opcode_only_use_gp_profiles_for_allowed_networks","features":[461]},{"name":"wlan_autoconf_opcode_power_setting","features":[461]},{"name":"wlan_autoconf_opcode_show_denied_networks","features":[461]},{"name":"wlan_autoconf_opcode_start","features":[461]},{"name":"wlan_connection_mode_auto","features":[461]},{"name":"wlan_connection_mode_discovery_secure","features":[461]},{"name":"wlan_connection_mode_discovery_unsecure","features":[461]},{"name":"wlan_connection_mode_invalid","features":[461]},{"name":"wlan_connection_mode_profile","features":[461]},{"name":"wlan_connection_mode_temporary_profile","features":[461]},{"name":"wlan_filter_list_type_gp_deny","features":[461]},{"name":"wlan_filter_list_type_gp_permit","features":[461]},{"name":"wlan_filter_list_type_user_deny","features":[461]},{"name":"wlan_filter_list_type_user_permit","features":[461]},{"name":"wlan_hosted_network_active","features":[461]},{"name":"wlan_hosted_network_idle","features":[461]},{"name":"wlan_hosted_network_opcode_connection_settings","features":[461]},{"name":"wlan_hosted_network_opcode_enable","features":[461]},{"name":"wlan_hosted_network_opcode_security_settings","features":[461]},{"name":"wlan_hosted_network_opcode_station_profile","features":[461]},{"name":"wlan_hosted_network_peer_state_authenticated","features":[461]},{"name":"wlan_hosted_network_peer_state_change","features":[461]},{"name":"wlan_hosted_network_peer_state_invalid","features":[461]},{"name":"wlan_hosted_network_radio_state_change","features":[461]},{"name":"wlan_hosted_network_reason_ap_start_failed","features":[461]},{"name":"wlan_hosted_network_reason_bad_parameters","features":[461]},{"name":"wlan_hosted_network_reason_client_abort","features":[461]},{"name":"wlan_hosted_network_reason_crypt_error","features":[461]},{"name":"wlan_hosted_network_reason_device_change","features":[461]},{"name":"wlan_hosted_network_reason_elevation_required","features":[461]},{"name":"wlan_hosted_network_reason_gp_denied","features":[461]},{"name":"wlan_hosted_network_reason_impersonation","features":[461]},{"name":"wlan_hosted_network_reason_incompatible_connection_started","features":[461]},{"name":"wlan_hosted_network_reason_incompatible_connection_stopped","features":[461]},{"name":"wlan_hosted_network_reason_insufficient_resources","features":[461]},{"name":"wlan_hosted_network_reason_interface_available","features":[461]},{"name":"wlan_hosted_network_reason_interface_unavailable","features":[461]},{"name":"wlan_hosted_network_reason_miniport_started","features":[461]},{"name":"wlan_hosted_network_reason_miniport_stopped","features":[461]},{"name":"wlan_hosted_network_reason_peer_arrived","features":[461]},{"name":"wlan_hosted_network_reason_peer_departed","features":[461]},{"name":"wlan_hosted_network_reason_peer_timeout","features":[461]},{"name":"wlan_hosted_network_reason_persistence_failed","features":[461]},{"name":"wlan_hosted_network_reason_properties_change","features":[461]},{"name":"wlan_hosted_network_reason_read_only","features":[461]},{"name":"wlan_hosted_network_reason_service_available_on_virtual_station","features":[461]},{"name":"wlan_hosted_network_reason_service_shutting_down","features":[461]},{"name":"wlan_hosted_network_reason_service_unavailable","features":[461]},{"name":"wlan_hosted_network_reason_stop_before_start","features":[461]},{"name":"wlan_hosted_network_reason_success","features":[461]},{"name":"wlan_hosted_network_reason_unspecified","features":[461]},{"name":"wlan_hosted_network_reason_user_action","features":[461]},{"name":"wlan_hosted_network_reason_virtual_station_blocking_use","features":[461]},{"name":"wlan_hosted_network_state_change","features":[461]},{"name":"wlan_hosted_network_unavailable","features":[461]},{"name":"wlan_ihv_control_type_driver","features":[461]},{"name":"wlan_ihv_control_type_service","features":[461]},{"name":"wlan_interface_state_ad_hoc_network_formed","features":[461]},{"name":"wlan_interface_state_associating","features":[461]},{"name":"wlan_interface_state_authenticating","features":[461]},{"name":"wlan_interface_state_connected","features":[461]},{"name":"wlan_interface_state_disconnected","features":[461]},{"name":"wlan_interface_state_disconnecting","features":[461]},{"name":"wlan_interface_state_discovering","features":[461]},{"name":"wlan_interface_state_not_ready","features":[461]},{"name":"wlan_interface_type_emulated_802_11","features":[461]},{"name":"wlan_interface_type_invalid","features":[461]},{"name":"wlan_interface_type_native_802_11","features":[461]},{"name":"wlan_intf_opcode_autoconf_enabled","features":[461]},{"name":"wlan_intf_opcode_autoconf_end","features":[461]},{"name":"wlan_intf_opcode_autoconf_start","features":[461]},{"name":"wlan_intf_opcode_background_scan_enabled","features":[461]},{"name":"wlan_intf_opcode_bss_type","features":[461]},{"name":"wlan_intf_opcode_certified_safe_mode","features":[461]},{"name":"wlan_intf_opcode_channel_number","features":[461]},{"name":"wlan_intf_opcode_current_connection","features":[461]},{"name":"wlan_intf_opcode_current_operation_mode","features":[461]},{"name":"wlan_intf_opcode_hosted_network_capable","features":[461]},{"name":"wlan_intf_opcode_ihv_end","features":[461]},{"name":"wlan_intf_opcode_ihv_start","features":[461]},{"name":"wlan_intf_opcode_interface_state","features":[461]},{"name":"wlan_intf_opcode_management_frame_protection_capable","features":[461]},{"name":"wlan_intf_opcode_media_streaming_mode","features":[461]},{"name":"wlan_intf_opcode_msm_end","features":[461]},{"name":"wlan_intf_opcode_msm_start","features":[461]},{"name":"wlan_intf_opcode_radio_state","features":[461]},{"name":"wlan_intf_opcode_rssi","features":[461]},{"name":"wlan_intf_opcode_secondary_sta_interfaces","features":[461]},{"name":"wlan_intf_opcode_secondary_sta_synchronized_connections","features":[461]},{"name":"wlan_intf_opcode_security_end","features":[461]},{"name":"wlan_intf_opcode_security_start","features":[461]},{"name":"wlan_intf_opcode_statistics","features":[461]},{"name":"wlan_intf_opcode_supported_adhoc_auth_cipher_pairs","features":[461]},{"name":"wlan_intf_opcode_supported_country_or_region_string_list","features":[461]},{"name":"wlan_intf_opcode_supported_infrastructure_auth_cipher_pairs","features":[461]},{"name":"wlan_intf_opcode_supported_safe_mode","features":[461]},{"name":"wlan_notification_acm_adhoc_network_state_change","features":[461]},{"name":"wlan_notification_acm_autoconf_disabled","features":[461]},{"name":"wlan_notification_acm_autoconf_enabled","features":[461]},{"name":"wlan_notification_acm_background_scan_disabled","features":[461]},{"name":"wlan_notification_acm_background_scan_enabled","features":[461]},{"name":"wlan_notification_acm_bss_type_change","features":[461]},{"name":"wlan_notification_acm_connection_attempt_fail","features":[461]},{"name":"wlan_notification_acm_connection_complete","features":[461]},{"name":"wlan_notification_acm_connection_start","features":[461]},{"name":"wlan_notification_acm_disconnected","features":[461]},{"name":"wlan_notification_acm_disconnecting","features":[461]},{"name":"wlan_notification_acm_end","features":[461]},{"name":"wlan_notification_acm_filter_list_change","features":[461]},{"name":"wlan_notification_acm_interface_arrival","features":[461]},{"name":"wlan_notification_acm_interface_removal","features":[461]},{"name":"wlan_notification_acm_network_available","features":[461]},{"name":"wlan_notification_acm_network_not_available","features":[461]},{"name":"wlan_notification_acm_operational_state_change","features":[461]},{"name":"wlan_notification_acm_power_setting_change","features":[461]},{"name":"wlan_notification_acm_profile_blocked","features":[461]},{"name":"wlan_notification_acm_profile_change","features":[461]},{"name":"wlan_notification_acm_profile_name_change","features":[461]},{"name":"wlan_notification_acm_profile_unblocked","features":[461]},{"name":"wlan_notification_acm_profiles_exhausted","features":[461]},{"name":"wlan_notification_acm_scan_complete","features":[461]},{"name":"wlan_notification_acm_scan_fail","features":[461]},{"name":"wlan_notification_acm_scan_list_refresh","features":[461]},{"name":"wlan_notification_acm_screen_power_change","features":[461]},{"name":"wlan_notification_acm_start","features":[461]},{"name":"wlan_notification_msm_adapter_operation_mode_change","features":[461]},{"name":"wlan_notification_msm_adapter_removal","features":[461]},{"name":"wlan_notification_msm_associated","features":[461]},{"name":"wlan_notification_msm_associating","features":[461]},{"name":"wlan_notification_msm_authenticating","features":[461]},{"name":"wlan_notification_msm_connected","features":[461]},{"name":"wlan_notification_msm_disassociating","features":[461]},{"name":"wlan_notification_msm_disconnected","features":[461]},{"name":"wlan_notification_msm_end","features":[461]},{"name":"wlan_notification_msm_link_degraded","features":[461]},{"name":"wlan_notification_msm_link_improved","features":[461]},{"name":"wlan_notification_msm_peer_join","features":[461]},{"name":"wlan_notification_msm_peer_leave","features":[461]},{"name":"wlan_notification_msm_radio_state_change","features":[461]},{"name":"wlan_notification_msm_roaming_end","features":[461]},{"name":"wlan_notification_msm_roaming_start","features":[461]},{"name":"wlan_notification_msm_signal_quality_change","features":[461]},{"name":"wlan_notification_msm_start","features":[461]},{"name":"wlan_notification_security_end","features":[461]},{"name":"wlan_notification_security_start","features":[461]},{"name":"wlan_opcode_value_type_invalid","features":[461]},{"name":"wlan_opcode_value_type_query_only","features":[461]},{"name":"wlan_opcode_value_type_set_by_group_policy","features":[461]},{"name":"wlan_opcode_value_type_set_by_user","features":[461]},{"name":"wlan_operational_state_going_off","features":[461]},{"name":"wlan_operational_state_going_on","features":[461]},{"name":"wlan_operational_state_off","features":[461]},{"name":"wlan_operational_state_on","features":[461]},{"name":"wlan_operational_state_unknown","features":[461]},{"name":"wlan_power_setting_invalid","features":[461]},{"name":"wlan_power_setting_low_saving","features":[461]},{"name":"wlan_power_setting_maximum_saving","features":[461]},{"name":"wlan_power_setting_medium_saving","features":[461]},{"name":"wlan_power_setting_no_saving","features":[461]},{"name":"wlan_secure_ac_enabled","features":[461]},{"name":"wlan_secure_add_new_all_user_profiles","features":[461]},{"name":"wlan_secure_add_new_per_user_profiles","features":[461]},{"name":"wlan_secure_all_user_profiles_order","features":[461]},{"name":"wlan_secure_bc_scan_enabled","features":[461]},{"name":"wlan_secure_bss_type","features":[461]},{"name":"wlan_secure_current_operation_mode","features":[461]},{"name":"wlan_secure_deny_list","features":[461]},{"name":"wlan_secure_get_plaintext_key","features":[461]},{"name":"wlan_secure_hosted_network_elevated_access","features":[461]},{"name":"wlan_secure_ihv_control","features":[461]},{"name":"wlan_secure_interface_properties","features":[461]},{"name":"wlan_secure_media_streaming_mode_enabled","features":[461]},{"name":"wlan_secure_permit_list","features":[461]},{"name":"wlan_secure_show_denied","features":[461]},{"name":"wlan_secure_virtual_station_extensibility","features":[461]},{"name":"wlan_secure_wfd_elevated_access","features":[461]}],"462":[{"name":"IWCNConnectNotify","features":[464]},{"name":"IWCNDevice","features":[464]},{"name":"PKEY_WCN_DeviceType_Category","features":[464,379]},{"name":"PKEY_WCN_DeviceType_SubCategory","features":[464,379]},{"name":"PKEY_WCN_DeviceType_SubCategoryOUI","features":[464,379]},{"name":"PKEY_WCN_SSID","features":[464,379]},{"name":"SID_WcnProvider","features":[464]},{"name":"WCNDeviceObject","features":[464]},{"name":"WCN_API_MAX_BUFFER_SIZE","features":[464]},{"name":"WCN_ATTRIBUTE_TYPE","features":[464]},{"name":"WCN_E_AUTHENTICATION_FAILED","features":[464]},{"name":"WCN_E_CONNECTION_REJECTED","features":[464]},{"name":"WCN_E_PEER_NOT_FOUND","features":[464]},{"name":"WCN_E_PROTOCOL_ERROR","features":[464]},{"name":"WCN_E_SESSION_TIMEDOUT","features":[464]},{"name":"WCN_FLAG_AUTHENTICATED_VE","features":[464]},{"name":"WCN_FLAG_DISCOVERY_VE","features":[464]},{"name":"WCN_FLAG_ENCRYPTED_VE","features":[464]},{"name":"WCN_MICROSOFT_VENDOR_ID","features":[464]},{"name":"WCN_NO_SUBTYPE","features":[464]},{"name":"WCN_NUM_ATTRIBUTE_TYPES","features":[464]},{"name":"WCN_PASSWORD_TYPE","features":[464]},{"name":"WCN_PASSWORD_TYPE_OOB_SPECIFIED","features":[464]},{"name":"WCN_PASSWORD_TYPE_PIN","features":[464]},{"name":"WCN_PASSWORD_TYPE_PIN_REGISTRAR_SPECIFIED","features":[464]},{"name":"WCN_PASSWORD_TYPE_PUSH_BUTTON","features":[464]},{"name":"WCN_PASSWORD_TYPE_WFDS","features":[464]},{"name":"WCN_QUERY_CONSTRAINT_USE_SOFTAP","features":[464]},{"name":"WCN_SESSION_STATUS","features":[464]},{"name":"WCN_SESSION_STATUS_FAILURE_GENERIC","features":[464]},{"name":"WCN_SESSION_STATUS_FAILURE_TIMEOUT","features":[464]},{"name":"WCN_SESSION_STATUS_SUCCESS","features":[464]},{"name":"WCN_TYPE_802_1X_ENABLED","features":[464]},{"name":"WCN_TYPE_APPLICATION_EXTENSION","features":[464]},{"name":"WCN_TYPE_APPSESSIONKEY","features":[464]},{"name":"WCN_TYPE_AP_CHANNEL","features":[464]},{"name":"WCN_TYPE_AP_SETUP_LOCKED","features":[464]},{"name":"WCN_TYPE_ASSOCIATION_STATE","features":[464]},{"name":"WCN_TYPE_AUTHENTICATION_TYPE","features":[464]},{"name":"WCN_TYPE_AUTHENTICATION_TYPE_FLAGS","features":[464]},{"name":"WCN_TYPE_AUTHENTICATOR","features":[464]},{"name":"WCN_TYPE_AUTHORIZED_MACS","features":[464]},{"name":"WCN_TYPE_BSSID","features":[464]},{"name":"WCN_TYPE_CONFIGURATION_ERROR","features":[464]},{"name":"WCN_TYPE_CONFIG_METHODS","features":[464]},{"name":"WCN_TYPE_CONFIRMATION_URL4","features":[464]},{"name":"WCN_TYPE_CONFIRMATION_URL6","features":[464]},{"name":"WCN_TYPE_CONNECTION_TYPE","features":[464]},{"name":"WCN_TYPE_CONNECTION_TYPE_FLAGS","features":[464]},{"name":"WCN_TYPE_CREDENTIAL","features":[464]},{"name":"WCN_TYPE_CURRENT_SSID","features":[464]},{"name":"WCN_TYPE_DEVICE_NAME","features":[464]},{"name":"WCN_TYPE_DEVICE_PASSWORD_ID","features":[464]},{"name":"WCN_TYPE_DOT11_MAC_ADDRESS","features":[464]},{"name":"WCN_TYPE_EAP_IDENTITY","features":[464]},{"name":"WCN_TYPE_EAP_TYPE","features":[464]},{"name":"WCN_TYPE_ENCRYPTED_SETTINGS","features":[464]},{"name":"WCN_TYPE_ENCRYPTION_TYPE","features":[464]},{"name":"WCN_TYPE_ENCRYPTION_TYPE_FLAGS","features":[464]},{"name":"WCN_TYPE_ENROLLEE_NONCE","features":[464]},{"name":"WCN_TYPE_E_HASH1","features":[464]},{"name":"WCN_TYPE_E_HASH2","features":[464]},{"name":"WCN_TYPE_E_SNONCE1","features":[464]},{"name":"WCN_TYPE_E_SNONCE2","features":[464]},{"name":"WCN_TYPE_FEATURE_ID","features":[464]},{"name":"WCN_TYPE_IDENTITY","features":[464]},{"name":"WCN_TYPE_IDENTITY_PROOF","features":[464]},{"name":"WCN_TYPE_INITIALIZATION_VECTOR","features":[464]},{"name":"WCN_TYPE_KEY_IDENTIFIER","features":[464]},{"name":"WCN_TYPE_KEY_LIFETIME","features":[464]},{"name":"WCN_TYPE_KEY_PROVIDED_AUTOMATICALLY","features":[464]},{"name":"WCN_TYPE_KEY_WRAP_AUTHENTICATOR","features":[464]},{"name":"WCN_TYPE_MAC_ADDRESS","features":[464]},{"name":"WCN_TYPE_MANUFACTURER","features":[464]},{"name":"WCN_TYPE_MESSAGE_COUNTER","features":[464]},{"name":"WCN_TYPE_MESSAGE_TYPE","features":[464]},{"name":"WCN_TYPE_MODEL_NAME","features":[464]},{"name":"WCN_TYPE_MODEL_NUMBER","features":[464]},{"name":"WCN_TYPE_NETWORK_INDEX","features":[464]},{"name":"WCN_TYPE_NETWORK_KEY","features":[464]},{"name":"WCN_TYPE_NETWORK_KEY_INDEX","features":[464]},{"name":"WCN_TYPE_NETWORK_KEY_SHAREABLE","features":[464]},{"name":"WCN_TYPE_NEW_DEVICE_NAME","features":[464]},{"name":"WCN_TYPE_NEW_PASSWORD","features":[464]},{"name":"WCN_TYPE_OOB_DEVICE_PASSWORD","features":[464]},{"name":"WCN_TYPE_OS_VERSION","features":[464]},{"name":"WCN_TYPE_PERMITTED_CONFIG_METHODS","features":[464]},{"name":"WCN_TYPE_PORTABLE_DEVICE","features":[464]},{"name":"WCN_TYPE_POWER_LEVEL","features":[464]},{"name":"WCN_TYPE_PRIMARY_DEVICE_TYPE","features":[464]},{"name":"WCN_TYPE_PRIMARY_DEVICE_TYPE_CATEGORY","features":[464]},{"name":"WCN_TYPE_PRIMARY_DEVICE_TYPE_SUBCATEGORY","features":[464]},{"name":"WCN_TYPE_PRIMARY_DEVICE_TYPE_SUBCATEGORY_OUI","features":[464]},{"name":"WCN_TYPE_PSK_CURRENT","features":[464]},{"name":"WCN_TYPE_PSK_MAX","features":[464]},{"name":"WCN_TYPE_PUBLIC_KEY","features":[464]},{"name":"WCN_TYPE_PUBLIC_KEY_HASH","features":[464]},{"name":"WCN_TYPE_RADIO_ENABLED","features":[464]},{"name":"WCN_TYPE_REBOOT","features":[464]},{"name":"WCN_TYPE_REGISTRAR_CURRENT","features":[464]},{"name":"WCN_TYPE_REGISTRAR_ESTABLISHED","features":[464]},{"name":"WCN_TYPE_REGISTRAR_LIST","features":[464]},{"name":"WCN_TYPE_REGISTRAR_MAX","features":[464]},{"name":"WCN_TYPE_REGISTRAR_NONCE","features":[464]},{"name":"WCN_TYPE_REKEY_KEY","features":[464]},{"name":"WCN_TYPE_REQUESTED_DEVICE_TYPE","features":[464]},{"name":"WCN_TYPE_REQUEST_TO_ENROLL","features":[464]},{"name":"WCN_TYPE_REQUEST_TYPE","features":[464]},{"name":"WCN_TYPE_RESPONSE_TYPE","features":[464]},{"name":"WCN_TYPE_RF_BANDS","features":[464]},{"name":"WCN_TYPE_R_HASH1","features":[464]},{"name":"WCN_TYPE_R_HASH2","features":[464]},{"name":"WCN_TYPE_R_SNONCE1","features":[464]},{"name":"WCN_TYPE_R_SNONCE2","features":[464]},{"name":"WCN_TYPE_SECONDARY_DEVICE_TYPE_LIST","features":[464]},{"name":"WCN_TYPE_SELECTED_REGISTRAR","features":[464]},{"name":"WCN_TYPE_SELECTED_REGISTRAR_CONFIG_METHODS","features":[464]},{"name":"WCN_TYPE_SERIAL_NUMBER","features":[464]},{"name":"WCN_TYPE_SETTINGS_DELAY_TIME","features":[464]},{"name":"WCN_TYPE_SSID","features":[464]},{"name":"WCN_TYPE_TOTAL_NETWORKS","features":[464]},{"name":"WCN_TYPE_UUID","features":[464]},{"name":"WCN_TYPE_UUID_E","features":[464]},{"name":"WCN_TYPE_UUID_R","features":[464]},{"name":"WCN_TYPE_VENDOR_EXTENSION","features":[464]},{"name":"WCN_TYPE_VENDOR_EXTENSION_WFA","features":[464]},{"name":"WCN_TYPE_VERSION","features":[464]},{"name":"WCN_TYPE_VERSION2","features":[464]},{"name":"WCN_TYPE_WEPTRANSMITKEY","features":[464]},{"name":"WCN_TYPE_WI_FI_PROTECTED_SETUP_STATE","features":[464]},{"name":"WCN_TYPE_X_509_CERTIFICATE","features":[464]},{"name":"WCN_TYPE_X_509_CERTIFICATE_REQUEST","features":[464]},{"name":"WCN_VALUE_AS_ASSOCIATION_FAILURE","features":[464]},{"name":"WCN_VALUE_AS_CONFIGURATION_FAILURE","features":[464]},{"name":"WCN_VALUE_AS_CONNECTION_SUCCESS","features":[464]},{"name":"WCN_VALUE_AS_IP_FAILURE","features":[464]},{"name":"WCN_VALUE_AS_NOT_ASSOCIATED","features":[464]},{"name":"WCN_VALUE_AT_OPEN","features":[464]},{"name":"WCN_VALUE_AT_SHARED","features":[464]},{"name":"WCN_VALUE_AT_WPA","features":[464]},{"name":"WCN_VALUE_AT_WPA2","features":[464]},{"name":"WCN_VALUE_AT_WPA2PSK","features":[464]},{"name":"WCN_VALUE_AT_WPAPSK","features":[464]},{"name":"WCN_VALUE_AT_WPAWPA2PSK_MIXED","features":[464]},{"name":"WCN_VALUE_CE_2_4_CHANNEL_NOT_SUPPORTED","features":[464]},{"name":"WCN_VALUE_CE_5_0_CHANNEL_NOT_SUPPORTED","features":[464]},{"name":"WCN_VALUE_CE_COULD_NOT_CONNECT_TO_REGISTRAR","features":[464]},{"name":"WCN_VALUE_CE_DECRYPTION_CRC_FAILURE","features":[464]},{"name":"WCN_VALUE_CE_DEVICE_BUSY","features":[464]},{"name":"WCN_VALUE_CE_DEVICE_PASSWORD_AUTH_FAILURE","features":[464]},{"name":"WCN_VALUE_CE_FAILED_DHCP_CONFIG","features":[464]},{"name":"WCN_VALUE_CE_IP_ADDRESS_CONFLICT","features":[464]},{"name":"WCN_VALUE_CE_MESSAGE_TIMEOUT","features":[464]},{"name":"WCN_VALUE_CE_MULTIPLE_PBC_SESSIONS_DETECTED","features":[464]},{"name":"WCN_VALUE_CE_NETWORK_ASSOCIATION_FAILURE","features":[464]},{"name":"WCN_VALUE_CE_NETWORK_AUTHENTICATION_FAILURE","features":[464]},{"name":"WCN_VALUE_CE_NO_DHCP_RESPONSE","features":[464]},{"name":"WCN_VALUE_CE_NO_ERROR","features":[464]},{"name":"WCN_VALUE_CE_OOB_INTERFACE_READ_ERROR","features":[464]},{"name":"WCN_VALUE_CE_REGISTRATION_SESSION_TIMEOUT","features":[464]},{"name":"WCN_VALUE_CE_ROGUE_ACTIVITY_SUSPECTED","features":[464]},{"name":"WCN_VALUE_CE_SETUP_LOCKED","features":[464]},{"name":"WCN_VALUE_CE_SIGNAL_TOO_WEAK","features":[464]},{"name":"WCN_VALUE_CM_DISPLAY","features":[464]},{"name":"WCN_VALUE_CM_ETHERNET","features":[464]},{"name":"WCN_VALUE_CM_EXTERNAL_NFC","features":[464]},{"name":"WCN_VALUE_CM_INTEGRATED_NFC","features":[464]},{"name":"WCN_VALUE_CM_KEYPAD","features":[464]},{"name":"WCN_VALUE_CM_LABEL","features":[464]},{"name":"WCN_VALUE_CM_NFC_INTERFACE","features":[464]},{"name":"WCN_VALUE_CM_PHYS_DISPLAY","features":[464]},{"name":"WCN_VALUE_CM_PHYS_PUSHBUTTON","features":[464]},{"name":"WCN_VALUE_CM_PUSHBUTTON","features":[464]},{"name":"WCN_VALUE_CM_USBA","features":[464]},{"name":"WCN_VALUE_CM_VIRT_DISPLAY","features":[464]},{"name":"WCN_VALUE_CM_VIRT_PUSHBUTTON","features":[464]},{"name":"WCN_VALUE_CT_ESS","features":[464]},{"name":"WCN_VALUE_CT_IBSS","features":[464]},{"name":"WCN_VALUE_DP_DEFAULT","features":[464]},{"name":"WCN_VALUE_DP_MACHINE_SPECIFIED","features":[464]},{"name":"WCN_VALUE_DP_NFC_CONNECTION_HANDOVER","features":[464]},{"name":"WCN_VALUE_DP_OUTOFBAND_MAX","features":[464]},{"name":"WCN_VALUE_DP_OUTOFBAND_MIN","features":[464]},{"name":"WCN_VALUE_DP_PUSHBUTTON","features":[464]},{"name":"WCN_VALUE_DP_REGISTRAR_SPECIFIED","features":[464]},{"name":"WCN_VALUE_DP_REKEY","features":[464]},{"name":"WCN_VALUE_DP_USER_SPECIFIED","features":[464]},{"name":"WCN_VALUE_DP_WFD_SERVICES","features":[464]},{"name":"WCN_VALUE_DT_CATEGORY_AUDIO_DEVICE","features":[464]},{"name":"WCN_VALUE_DT_CATEGORY_CAMERA","features":[464]},{"name":"WCN_VALUE_DT_CATEGORY_COMPUTER","features":[464]},{"name":"WCN_VALUE_DT_CATEGORY_DISPLAY","features":[464]},{"name":"WCN_VALUE_DT_CATEGORY_GAMING_DEVICE","features":[464]},{"name":"WCN_VALUE_DT_CATEGORY_INPUT_DEVICE","features":[464]},{"name":"WCN_VALUE_DT_CATEGORY_MULTIMEDIA_DEVICE","features":[464]},{"name":"WCN_VALUE_DT_CATEGORY_NETWORK_INFRASTRUCTURE","features":[464]},{"name":"WCN_VALUE_DT_CATEGORY_OTHER","features":[464]},{"name":"WCN_VALUE_DT_CATEGORY_PRINTER","features":[464]},{"name":"WCN_VALUE_DT_CATEGORY_STORAGE","features":[464]},{"name":"WCN_VALUE_DT_CATEGORY_TELEPHONE","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_AUDIO_DEVICE__HEADPHONES","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_AUDIO_DEVICE__HEADSET","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_AUDIO_DEVICE__HOMETHEATER","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_AUDIO_DEVICE__MICROPHONE","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_AUDIO_DEVICE__PMP","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_AUDIO_DEVICE__SPEAKERS","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_AUDIO_DEVICE__TUNER_RECEIVER","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_CAMERA__SECURITY_CAMERA","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_CAMERA__STILL_CAMERA","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_CAMERA__VIDEO_CAMERA","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_CAMERA__WEB_CAMERA","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_COMPUTER__DESKTOP","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_COMPUTER__MEDIACENTER","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_COMPUTER__MID","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_COMPUTER__NETBOOK","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_COMPUTER__NOTEBOOK","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_COMPUTER__PC","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_COMPUTER__SERVER","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_COMPUTER__ULTRAMOBILEPC","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_DISPLAY__MONITOR","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_DISPLAY__PICTURE_FRAME","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_DISPLAY__PROJECTOR","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_DISPLAY__TELEVISION","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_GAMING_DEVICE__CONSOLE_ADAPT","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_GAMING_DEVICE__PLAYSTATION","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_GAMING_DEVICE__PORTABLE","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_GAMING_DEVICE__XBOX","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_GAMING_DEVICE__XBOX360","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_INPUT_DEVICE__BARCODEREADER","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_INPUT_DEVICE__BIOMETRICREADER","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_INPUT_DEVICE__GAMECONTROLLER","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_INPUT_DEVICE__JOYSTICK","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_INPUT_DEVICE__KEYBOARD","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_INPUT_DEVICE__MOUSE","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_INPUT_DEVICE__REMOTE","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_INPUT_DEVICE__TOUCHSCREEN","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_INPUT_DEVICE__TRACKBALL","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_MULTIMEDIA_DEVICE__DAR","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_MULTIMEDIA_DEVICE__MCX","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_MULTIMEDIA_DEVICE__MEDIA_SERVER_ADAPT_EXT","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_MULTIMEDIA_DEVICE__PVP","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_MULTIMEDIA_DEVICE__PVR","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_MULTIMEDIA_DEVICE__SETTOPBOX","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_NETWORK_INFRASTRUCUTURE__AP","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_NETWORK_INFRASTRUCUTURE__BRIDGE","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_NETWORK_INFRASTRUCUTURE__GATEWAY","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_NETWORK_INFRASTRUCUTURE__ROUTER","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_NETWORK_INFRASTRUCUTURE__SWITCH","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_PRINTER__ALLINONE","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_PRINTER__COPIER","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_PRINTER__FAX","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_PRINTER__PRINTER","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_PRINTER__SCANNER","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_STORAGE__NAS","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_TELEPHONE__PHONE_DUALMODE","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_TELEPHONE__PHONE_SINGLEMODE","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_TELEPHONE__SMARTPHONE_DUALMODE","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_TELEPHONE__SMARTPHONE_SINGLEMODE","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_TELEPHONE__WINDOWS_MOBILE","features":[464]},{"name":"WCN_VALUE_DT_SUBTYPE_WIFI_OUI","features":[464]},{"name":"WCN_VALUE_ET_AES","features":[464]},{"name":"WCN_VALUE_ET_NONE","features":[464]},{"name":"WCN_VALUE_ET_TKIP","features":[464]},{"name":"WCN_VALUE_ET_TKIP_AES_MIXED","features":[464]},{"name":"WCN_VALUE_ET_WEP","features":[464]},{"name":"WCN_VALUE_FALSE","features":[464]},{"name":"WCN_VALUE_MT_ACK","features":[464]},{"name":"WCN_VALUE_MT_BEACON","features":[464]},{"name":"WCN_VALUE_MT_DONE","features":[464]},{"name":"WCN_VALUE_MT_M1","features":[464]},{"name":"WCN_VALUE_MT_M2","features":[464]},{"name":"WCN_VALUE_MT_M2D","features":[464]},{"name":"WCN_VALUE_MT_M3","features":[464]},{"name":"WCN_VALUE_MT_M4","features":[464]},{"name":"WCN_VALUE_MT_M5","features":[464]},{"name":"WCN_VALUE_MT_M6","features":[464]},{"name":"WCN_VALUE_MT_M7","features":[464]},{"name":"WCN_VALUE_MT_M8","features":[464]},{"name":"WCN_VALUE_MT_NACK","features":[464]},{"name":"WCN_VALUE_MT_PROBE_REQUEST","features":[464]},{"name":"WCN_VALUE_MT_PROBE_RESPONSE","features":[464]},{"name":"WCN_VALUE_RB_24GHZ","features":[464]},{"name":"WCN_VALUE_RB_50GHZ","features":[464]},{"name":"WCN_VALUE_ReqT_ENROLLEE_INFO","features":[464]},{"name":"WCN_VALUE_ReqT_ENROLLEE_OPEN_1X","features":[464]},{"name":"WCN_VALUE_ReqT_MANAGER_REGISTRAR","features":[464]},{"name":"WCN_VALUE_ReqT_REGISTRAR","features":[464]},{"name":"WCN_VALUE_RspT_AP","features":[464]},{"name":"WCN_VALUE_RspT_ENROLLEE_INFO","features":[464]},{"name":"WCN_VALUE_RspT_ENROLLEE_OPEN_1X","features":[464]},{"name":"WCN_VALUE_RspT_REGISTRAR","features":[464]},{"name":"WCN_VALUE_SS_CONFIGURED","features":[464]},{"name":"WCN_VALUE_SS_NOT_CONFIGURED","features":[464]},{"name":"WCN_VALUE_SS_RESERVED00","features":[464]},{"name":"WCN_VALUE_TRUE","features":[464]},{"name":"WCN_VALUE_TYPE_ASSOCIATION_STATE","features":[464]},{"name":"WCN_VALUE_TYPE_AUTHENTICATION_TYPE","features":[464]},{"name":"WCN_VALUE_TYPE_BOOLEAN","features":[464]},{"name":"WCN_VALUE_TYPE_CONFIGURATION_ERROR","features":[464]},{"name":"WCN_VALUE_TYPE_CONFIG_METHODS","features":[464]},{"name":"WCN_VALUE_TYPE_CONNECTION_TYPE","features":[464]},{"name":"WCN_VALUE_TYPE_DEVICE_PASSWORD_ID","features":[464]},{"name":"WCN_VALUE_TYPE_ENCRYPTION_TYPE","features":[464]},{"name":"WCN_VALUE_TYPE_MESSAGE_TYPE","features":[464]},{"name":"WCN_VALUE_TYPE_PRIMARY_DEVICE_TYPE","features":[464]},{"name":"WCN_VALUE_TYPE_REQUEST_TYPE","features":[464]},{"name":"WCN_VALUE_TYPE_RESPONSE_TYPE","features":[464]},{"name":"WCN_VALUE_TYPE_RF_BANDS","features":[464]},{"name":"WCN_VALUE_TYPE_VERSION","features":[464]},{"name":"WCN_VALUE_TYPE_WI_FI_PROTECTED_SETUP_STATE","features":[464]},{"name":"WCN_VALUE_VERSION_1_0","features":[464]},{"name":"WCN_VALUE_VERSION_2_0","features":[464]},{"name":"WCN_VENDOR_EXTENSION_SPEC","features":[464]}],"463":[{"name":"FreeInterfaceContextTable","features":[308,465]},{"name":"GetInterfaceContextTableForHostName","features":[308,465]},{"name":"NET_INTERFACE_CONTEXT","features":[465]},{"name":"NET_INTERFACE_CONTEXT_TABLE","features":[308,465]},{"name":"NET_INTERFACE_FLAG_CONNECT_IF_NEEDED","features":[465]},{"name":"NET_INTERFACE_FLAG_NONE","features":[465]},{"name":"ONDEMAND_NOTIFICATION_CALLBACK","features":[465]},{"name":"OnDemandGetRoutingHint","features":[465]},{"name":"OnDemandRegisterNotification","features":[308,465]},{"name":"OnDemandUnRegisterNotification","features":[308,465]},{"name":"WCM_API_VERSION","features":[465]},{"name":"WCM_API_VERSION_1_0","features":[465]},{"name":"WCM_BILLING_CYCLE_INFO","features":[308,465]},{"name":"WCM_CONNECTION_COST","features":[465]},{"name":"WCM_CONNECTION_COST_APPROACHINGDATALIMIT","features":[465]},{"name":"WCM_CONNECTION_COST_CONGESTED","features":[465]},{"name":"WCM_CONNECTION_COST_DATA","features":[465]},{"name":"WCM_CONNECTION_COST_FIXED","features":[465]},{"name":"WCM_CONNECTION_COST_OVERDATALIMIT","features":[465]},{"name":"WCM_CONNECTION_COST_ROAMING","features":[465]},{"name":"WCM_CONNECTION_COST_SOURCE","features":[465]},{"name":"WCM_CONNECTION_COST_SOURCE_DEFAULT","features":[465]},{"name":"WCM_CONNECTION_COST_SOURCE_GP","features":[465]},{"name":"WCM_CONNECTION_COST_SOURCE_OPERATOR","features":[465]},{"name":"WCM_CONNECTION_COST_SOURCE_USER","features":[465]},{"name":"WCM_CONNECTION_COST_UNKNOWN","features":[465]},{"name":"WCM_CONNECTION_COST_UNRESTRICTED","features":[465]},{"name":"WCM_CONNECTION_COST_VARIABLE","features":[465]},{"name":"WCM_DATAPLAN_STATUS","features":[308,465]},{"name":"WCM_MAX_PROFILE_NAME","features":[465]},{"name":"WCM_MEDIA_TYPE","features":[465]},{"name":"WCM_POLICY_VALUE","features":[308,465]},{"name":"WCM_PROFILE_INFO","features":[465]},{"name":"WCM_PROFILE_INFO_LIST","features":[465]},{"name":"WCM_PROPERTY","features":[465]},{"name":"WCM_TIME_INTERVAL","features":[465]},{"name":"WCM_UNKNOWN_DATAPLAN_STATUS","features":[465]},{"name":"WCM_USAGE_DATA","features":[308,465]},{"name":"WcmFreeMemory","features":[465]},{"name":"WcmGetProfileList","features":[465]},{"name":"WcmQueryProperty","features":[465]},{"name":"WcmSetProfileList","features":[308,465]},{"name":"WcmSetProperty","features":[465]},{"name":"wcm_global_property_domain_policy","features":[465]},{"name":"wcm_global_property_minimize_policy","features":[465]},{"name":"wcm_global_property_powermanagement_policy","features":[465]},{"name":"wcm_global_property_roaming_policy","features":[465]},{"name":"wcm_intf_property_connection_cost","features":[465]},{"name":"wcm_intf_property_dataplan_status","features":[465]},{"name":"wcm_intf_property_hotspot_profile","features":[465]},{"name":"wcm_media_ethernet","features":[465]},{"name":"wcm_media_invalid","features":[465]},{"name":"wcm_media_max","features":[465]},{"name":"wcm_media_mbn","features":[465]},{"name":"wcm_media_unknown","features":[465]},{"name":"wcm_media_wlan","features":[465]}],"464":[{"name":"DL_ADDRESS_TYPE","features":[324]},{"name":"DlBroadcast","features":[324]},{"name":"DlMulticast","features":[324]},{"name":"DlUnicast","features":[324]},{"name":"FWPM_ACTION0","features":[324]},{"name":"FWPM_ACTRL_ADD","features":[324]},{"name":"FWPM_ACTRL_ADD_LINK","features":[324]},{"name":"FWPM_ACTRL_BEGIN_READ_TXN","features":[324]},{"name":"FWPM_ACTRL_BEGIN_WRITE_TXN","features":[324]},{"name":"FWPM_ACTRL_CLASSIFY","features":[324]},{"name":"FWPM_ACTRL_ENUM","features":[324]},{"name":"FWPM_ACTRL_OPEN","features":[324]},{"name":"FWPM_ACTRL_READ","features":[324]},{"name":"FWPM_ACTRL_READ_STATS","features":[324]},{"name":"FWPM_ACTRL_SUBSCRIBE","features":[324]},{"name":"FWPM_ACTRL_WRITE","features":[324]},{"name":"FWPM_APPC_NETWORK_CAPABILITY_INTERNET_CLIENT","features":[324]},{"name":"FWPM_APPC_NETWORK_CAPABILITY_INTERNET_CLIENT_SERVER","features":[324]},{"name":"FWPM_APPC_NETWORK_CAPABILITY_INTERNET_PRIVATE_NETWORK","features":[324]},{"name":"FWPM_APPC_NETWORK_CAPABILITY_TYPE","features":[324]},{"name":"FWPM_AUTO_WEIGHT_BITS","features":[324]},{"name":"FWPM_CALLOUT0","features":[324]},{"name":"FWPM_CALLOUT_BUILT_IN_RESERVED_1","features":[324]},{"name":"FWPM_CALLOUT_BUILT_IN_RESERVED_2","features":[324]},{"name":"FWPM_CALLOUT_BUILT_IN_RESERVED_3","features":[324]},{"name":"FWPM_CALLOUT_BUILT_IN_RESERVED_4","features":[324]},{"name":"FWPM_CALLOUT_CHANGE0","features":[324]},{"name":"FWPM_CALLOUT_CHANGE_CALLBACK0","features":[324]},{"name":"FWPM_CALLOUT_EDGE_TRAVERSAL_ALE_LISTEN_V4","features":[324]},{"name":"FWPM_CALLOUT_EDGE_TRAVERSAL_ALE_RESOURCE_ASSIGNMENT_V4","features":[324]},{"name":"FWPM_CALLOUT_ENUM_TEMPLATE0","features":[324]},{"name":"FWPM_CALLOUT_FLAG_PERSISTENT","features":[324]},{"name":"FWPM_CALLOUT_FLAG_REGISTERED","features":[324]},{"name":"FWPM_CALLOUT_FLAG_USES_PROVIDER_CONTEXT","features":[324]},{"name":"FWPM_CALLOUT_HTTP_TEMPLATE_SSL_HANDSHAKE","features":[324]},{"name":"FWPM_CALLOUT_IPSEC_ALE_CONNECT_V4","features":[324]},{"name":"FWPM_CALLOUT_IPSEC_ALE_CONNECT_V6","features":[324]},{"name":"FWPM_CALLOUT_IPSEC_DOSP_FORWARD_V4","features":[324]},{"name":"FWPM_CALLOUT_IPSEC_DOSP_FORWARD_V6","features":[324]},{"name":"FWPM_CALLOUT_IPSEC_FORWARD_INBOUND_TUNNEL_V4","features":[324]},{"name":"FWPM_CALLOUT_IPSEC_FORWARD_INBOUND_TUNNEL_V6","features":[324]},{"name":"FWPM_CALLOUT_IPSEC_FORWARD_OUTBOUND_TUNNEL_V4","features":[324]},{"name":"FWPM_CALLOUT_IPSEC_FORWARD_OUTBOUND_TUNNEL_V6","features":[324]},{"name":"FWPM_CALLOUT_IPSEC_INBOUND_INITIATE_SECURE_V4","features":[324]},{"name":"FWPM_CALLOUT_IPSEC_INBOUND_INITIATE_SECURE_V6","features":[324]},{"name":"FWPM_CALLOUT_IPSEC_INBOUND_TRANSPORT_V4","features":[324]},{"name":"FWPM_CALLOUT_IPSEC_INBOUND_TRANSPORT_V6","features":[324]},{"name":"FWPM_CALLOUT_IPSEC_INBOUND_TUNNEL_ALE_ACCEPT_V4","features":[324]},{"name":"FWPM_CALLOUT_IPSEC_INBOUND_TUNNEL_ALE_ACCEPT_V6","features":[324]},{"name":"FWPM_CALLOUT_IPSEC_INBOUND_TUNNEL_V4","features":[324]},{"name":"FWPM_CALLOUT_IPSEC_INBOUND_TUNNEL_V6","features":[324]},{"name":"FWPM_CALLOUT_IPSEC_OUTBOUND_TRANSPORT_V4","features":[324]},{"name":"FWPM_CALLOUT_IPSEC_OUTBOUND_TRANSPORT_V6","features":[324]},{"name":"FWPM_CALLOUT_IPSEC_OUTBOUND_TUNNEL_V4","features":[324]},{"name":"FWPM_CALLOUT_IPSEC_OUTBOUND_TUNNEL_V6","features":[324]},{"name":"FWPM_CALLOUT_OUTBOUND_NETWORK_CONNECTION_POLICY_LAYER_V4","features":[324]},{"name":"FWPM_CALLOUT_OUTBOUND_NETWORK_CONNECTION_POLICY_LAYER_V6","features":[324]},{"name":"FWPM_CALLOUT_POLICY_SILENT_MODE_AUTH_CONNECT_LAYER_V4","features":[324]},{"name":"FWPM_CALLOUT_POLICY_SILENT_MODE_AUTH_CONNECT_LAYER_V6","features":[324]},{"name":"FWPM_CALLOUT_POLICY_SILENT_MODE_AUTH_RECV_ACCEPT_LAYER_V4","features":[324]},{"name":"FWPM_CALLOUT_POLICY_SILENT_MODE_AUTH_RECV_ACCEPT_LAYER_V6","features":[324]},{"name":"FWPM_CALLOUT_RESERVED_AUTH_CONNECT_LAYER_V4","features":[324]},{"name":"FWPM_CALLOUT_RESERVED_AUTH_CONNECT_LAYER_V6","features":[324]},{"name":"FWPM_CALLOUT_SET_OPTIONS_AUTH_CONNECT_LAYER_V4","features":[324]},{"name":"FWPM_CALLOUT_SET_OPTIONS_AUTH_CONNECT_LAYER_V6","features":[324]},{"name":"FWPM_CALLOUT_SET_OPTIONS_AUTH_RECV_ACCEPT_LAYER_V4","features":[324]},{"name":"FWPM_CALLOUT_SET_OPTIONS_AUTH_RECV_ACCEPT_LAYER_V6","features":[324]},{"name":"FWPM_CALLOUT_SUBSCRIPTION0","features":[324]},{"name":"FWPM_CALLOUT_TCP_CHIMNEY_ACCEPT_LAYER_V4","features":[324]},{"name":"FWPM_CALLOUT_TCP_CHIMNEY_ACCEPT_LAYER_V6","features":[324]},{"name":"FWPM_CALLOUT_TCP_CHIMNEY_CONNECT_LAYER_V4","features":[324]},{"name":"FWPM_CALLOUT_TCP_CHIMNEY_CONNECT_LAYER_V6","features":[324]},{"name":"FWPM_CALLOUT_TCP_TEMPLATES_ACCEPT_LAYER_V4","features":[324]},{"name":"FWPM_CALLOUT_TCP_TEMPLATES_ACCEPT_LAYER_V6","features":[324]},{"name":"FWPM_CALLOUT_TCP_TEMPLATES_CONNECT_LAYER_V4","features":[324]},{"name":"FWPM_CALLOUT_TCP_TEMPLATES_CONNECT_LAYER_V6","features":[324]},{"name":"FWPM_CALLOUT_TEREDO_ALE_LISTEN_V6","features":[324]},{"name":"FWPM_CALLOUT_TEREDO_ALE_RESOURCE_ASSIGNMENT_V6","features":[324]},{"name":"FWPM_CALLOUT_WFP_TRANSPORT_LAYER_V4_SILENT_DROP","features":[324]},{"name":"FWPM_CALLOUT_WFP_TRANSPORT_LAYER_V6_SILENT_DROP","features":[324]},{"name":"FWPM_CHANGE_ADD","features":[324]},{"name":"FWPM_CHANGE_DELETE","features":[324]},{"name":"FWPM_CHANGE_TYPE","features":[324]},{"name":"FWPM_CHANGE_TYPE_MAX","features":[324]},{"name":"FWPM_CLASSIFY_OPTION0","features":[308,324,311]},{"name":"FWPM_CLASSIFY_OPTIONS0","features":[308,324,311]},{"name":"FWPM_CLASSIFY_OPTIONS_CONTEXT","features":[324]},{"name":"FWPM_CONDITION_ALE_APP_ID","features":[324]},{"name":"FWPM_CONDITION_ALE_EFFECTIVE_NAME","features":[324]},{"name":"FWPM_CONDITION_ALE_NAP_CONTEXT","features":[324]},{"name":"FWPM_CONDITION_ALE_ORIGINAL_APP_ID","features":[324]},{"name":"FWPM_CONDITION_ALE_PACKAGE_ID","features":[324]},{"name":"FWPM_CONDITION_ALE_PROMISCUOUS_MODE","features":[324]},{"name":"FWPM_CONDITION_ALE_REAUTH_REASON","features":[324]},{"name":"FWPM_CONDITION_ALE_REMOTE_MACHINE_ID","features":[324]},{"name":"FWPM_CONDITION_ALE_REMOTE_USER_ID","features":[324]},{"name":"FWPM_CONDITION_ALE_SECURITY_ATTRIBUTE_FQBN_VALUE","features":[324]},{"name":"FWPM_CONDITION_ALE_SIO_FIREWALL_SYSTEM_PORT","features":[324]},{"name":"FWPM_CONDITION_ALE_USER_ID","features":[324]},{"name":"FWPM_CONDITION_ARRIVAL_INTERFACE_INDEX","features":[324]},{"name":"FWPM_CONDITION_ARRIVAL_INTERFACE_PROFILE_ID","features":[324]},{"name":"FWPM_CONDITION_ARRIVAL_INTERFACE_TYPE","features":[324]},{"name":"FWPM_CONDITION_ARRIVAL_TUNNEL_TYPE","features":[324]},{"name":"FWPM_CONDITION_AUTHENTICATION_TYPE","features":[324]},{"name":"FWPM_CONDITION_CLIENT_CERT_KEY_LENGTH","features":[324]},{"name":"FWPM_CONDITION_CLIENT_CERT_OID","features":[324]},{"name":"FWPM_CONDITION_CLIENT_TOKEN","features":[324]},{"name":"FWPM_CONDITION_COMPARTMENT_ID","features":[324]},{"name":"FWPM_CONDITION_CURRENT_PROFILE_ID","features":[324]},{"name":"FWPM_CONDITION_DCOM_APP_ID","features":[324]},{"name":"FWPM_CONDITION_DESTINATION_INTERFACE_INDEX","features":[324]},{"name":"FWPM_CONDITION_DESTINATION_SUB_INTERFACE_INDEX","features":[324]},{"name":"FWPM_CONDITION_DIRECTION","features":[324]},{"name":"FWPM_CONDITION_EMBEDDED_LOCAL_ADDRESS_TYPE","features":[324]},{"name":"FWPM_CONDITION_EMBEDDED_LOCAL_PORT","features":[324]},{"name":"FWPM_CONDITION_EMBEDDED_PROTOCOL","features":[324]},{"name":"FWPM_CONDITION_EMBEDDED_REMOTE_ADDRESS","features":[324]},{"name":"FWPM_CONDITION_EMBEDDED_REMOTE_PORT","features":[324]},{"name":"FWPM_CONDITION_ETHER_TYPE","features":[324]},{"name":"FWPM_CONDITION_FLAGS","features":[324]},{"name":"FWPM_CONDITION_IMAGE_NAME","features":[324]},{"name":"FWPM_CONDITION_INTERFACE_INDEX","features":[324]},{"name":"FWPM_CONDITION_INTERFACE_MAC_ADDRESS","features":[324]},{"name":"FWPM_CONDITION_INTERFACE_QUARANTINE_EPOCH","features":[324]},{"name":"FWPM_CONDITION_INTERFACE_TYPE","features":[324]},{"name":"FWPM_CONDITION_IPSEC_POLICY_KEY","features":[324]},{"name":"FWPM_CONDITION_IPSEC_SECURITY_REALM_ID","features":[324]},{"name":"FWPM_CONDITION_IP_ARRIVAL_INTERFACE","features":[324]},{"name":"FWPM_CONDITION_IP_DESTINATION_ADDRESS","features":[324]},{"name":"FWPM_CONDITION_IP_DESTINATION_ADDRESS_TYPE","features":[324]},{"name":"FWPM_CONDITION_IP_DESTINATION_PORT","features":[324]},{"name":"FWPM_CONDITION_IP_FORWARD_INTERFACE","features":[324]},{"name":"FWPM_CONDITION_IP_LOCAL_ADDRESS","features":[324]},{"name":"FWPM_CONDITION_IP_LOCAL_ADDRESS_TYPE","features":[324]},{"name":"FWPM_CONDITION_IP_LOCAL_ADDRESS_V4","features":[324]},{"name":"FWPM_CONDITION_IP_LOCAL_ADDRESS_V6","features":[324]},{"name":"FWPM_CONDITION_IP_LOCAL_INTERFACE","features":[324]},{"name":"FWPM_CONDITION_IP_LOCAL_PORT","features":[324]},{"name":"FWPM_CONDITION_IP_NEXTHOP_ADDRESS","features":[324]},{"name":"FWPM_CONDITION_IP_NEXTHOP_INTERFACE","features":[324]},{"name":"FWPM_CONDITION_IP_PHYSICAL_ARRIVAL_INTERFACE","features":[324]},{"name":"FWPM_CONDITION_IP_PHYSICAL_NEXTHOP_INTERFACE","features":[324]},{"name":"FWPM_CONDITION_IP_PROTOCOL","features":[324]},{"name":"FWPM_CONDITION_IP_REMOTE_ADDRESS","features":[324]},{"name":"FWPM_CONDITION_IP_REMOTE_ADDRESS_V4","features":[324]},{"name":"FWPM_CONDITION_IP_REMOTE_ADDRESS_V6","features":[324]},{"name":"FWPM_CONDITION_IP_REMOTE_PORT","features":[324]},{"name":"FWPM_CONDITION_IP_SOURCE_ADDRESS","features":[324]},{"name":"FWPM_CONDITION_IP_SOURCE_PORT","features":[324]},{"name":"FWPM_CONDITION_KM_AUTH_NAP_CONTEXT","features":[324]},{"name":"FWPM_CONDITION_KM_MODE","features":[324]},{"name":"FWPM_CONDITION_KM_TYPE","features":[324]},{"name":"FWPM_CONDITION_L2_FLAGS","features":[324]},{"name":"FWPM_CONDITION_LOCAL_INTERFACE_PROFILE_ID","features":[324]},{"name":"FWPM_CONDITION_MAC_DESTINATION_ADDRESS","features":[324]},{"name":"FWPM_CONDITION_MAC_DESTINATION_ADDRESS_TYPE","features":[324]},{"name":"FWPM_CONDITION_MAC_LOCAL_ADDRESS","features":[324]},{"name":"FWPM_CONDITION_MAC_LOCAL_ADDRESS_TYPE","features":[324]},{"name":"FWPM_CONDITION_MAC_REMOTE_ADDRESS","features":[324]},{"name":"FWPM_CONDITION_MAC_REMOTE_ADDRESS_TYPE","features":[324]},{"name":"FWPM_CONDITION_MAC_SOURCE_ADDRESS","features":[324]},{"name":"FWPM_CONDITION_MAC_SOURCE_ADDRESS_TYPE","features":[324]},{"name":"FWPM_CONDITION_NDIS_MEDIA_TYPE","features":[324]},{"name":"FWPM_CONDITION_NDIS_PHYSICAL_MEDIA_TYPE","features":[324]},{"name":"FWPM_CONDITION_NDIS_PORT","features":[324]},{"name":"FWPM_CONDITION_NET_EVENT_TYPE","features":[324]},{"name":"FWPM_CONDITION_NEXTHOP_INTERFACE_INDEX","features":[324]},{"name":"FWPM_CONDITION_NEXTHOP_INTERFACE_PROFILE_ID","features":[324]},{"name":"FWPM_CONDITION_NEXTHOP_INTERFACE_TYPE","features":[324]},{"name":"FWPM_CONDITION_NEXTHOP_SUB_INTERFACE_INDEX","features":[324]},{"name":"FWPM_CONDITION_NEXTHOP_TUNNEL_TYPE","features":[324]},{"name":"FWPM_CONDITION_ORIGINAL_ICMP_TYPE","features":[324]},{"name":"FWPM_CONDITION_ORIGINAL_PROFILE_ID","features":[324]},{"name":"FWPM_CONDITION_PEER_NAME","features":[324]},{"name":"FWPM_CONDITION_PIPE","features":[324]},{"name":"FWPM_CONDITION_PROCESS_WITH_RPC_IF_UUID","features":[324]},{"name":"FWPM_CONDITION_QM_MODE","features":[324]},{"name":"FWPM_CONDITION_REAUTHORIZE_REASON","features":[324]},{"name":"FWPM_CONDITION_REMOTE_ID","features":[324]},{"name":"FWPM_CONDITION_REMOTE_USER_TOKEN","features":[324]},{"name":"FWPM_CONDITION_RESERVED0","features":[324]},{"name":"FWPM_CONDITION_RESERVED1","features":[324]},{"name":"FWPM_CONDITION_RESERVED10","features":[324]},{"name":"FWPM_CONDITION_RESERVED11","features":[324]},{"name":"FWPM_CONDITION_RESERVED12","features":[324]},{"name":"FWPM_CONDITION_RESERVED13","features":[324]},{"name":"FWPM_CONDITION_RESERVED14","features":[324]},{"name":"FWPM_CONDITION_RESERVED15","features":[324]},{"name":"FWPM_CONDITION_RESERVED2","features":[324]},{"name":"FWPM_CONDITION_RESERVED3","features":[324]},{"name":"FWPM_CONDITION_RESERVED4","features":[324]},{"name":"FWPM_CONDITION_RESERVED5","features":[324]},{"name":"FWPM_CONDITION_RESERVED6","features":[324]},{"name":"FWPM_CONDITION_RESERVED7","features":[324]},{"name":"FWPM_CONDITION_RESERVED8","features":[324]},{"name":"FWPM_CONDITION_RESERVED9","features":[324]},{"name":"FWPM_CONDITION_RPC_AUTH_LEVEL","features":[324]},{"name":"FWPM_CONDITION_RPC_AUTH_TYPE","features":[324]},{"name":"FWPM_CONDITION_RPC_EP_FLAGS","features":[324]},{"name":"FWPM_CONDITION_RPC_EP_VALUE","features":[324]},{"name":"FWPM_CONDITION_RPC_IF_FLAG","features":[324]},{"name":"FWPM_CONDITION_RPC_IF_UUID","features":[324]},{"name":"FWPM_CONDITION_RPC_IF_VERSION","features":[324]},{"name":"FWPM_CONDITION_RPC_PROTOCOL","features":[324]},{"name":"FWPM_CONDITION_RPC_PROXY_AUTH_TYPE","features":[324]},{"name":"FWPM_CONDITION_RPC_SERVER_NAME","features":[324]},{"name":"FWPM_CONDITION_RPC_SERVER_PORT","features":[324]},{"name":"FWPM_CONDITION_SEC_ENCRYPT_ALGORITHM","features":[324]},{"name":"FWPM_CONDITION_SEC_KEY_SIZE","features":[324]},{"name":"FWPM_CONDITION_SOURCE_INTERFACE_INDEX","features":[324]},{"name":"FWPM_CONDITION_SOURCE_SUB_INTERFACE_INDEX","features":[324]},{"name":"FWPM_CONDITION_SUB_INTERFACE_INDEX","features":[324]},{"name":"FWPM_CONDITION_TUNNEL_TYPE","features":[324]},{"name":"FWPM_CONDITION_VLAN_ID","features":[324]},{"name":"FWPM_CONDITION_VSWITCH_DESTINATION_INTERFACE_ID","features":[324]},{"name":"FWPM_CONDITION_VSWITCH_DESTINATION_INTERFACE_TYPE","features":[324]},{"name":"FWPM_CONDITION_VSWITCH_DESTINATION_VM_ID","features":[324]},{"name":"FWPM_CONDITION_VSWITCH_ID","features":[324]},{"name":"FWPM_CONDITION_VSWITCH_NETWORK_TYPE","features":[324]},{"name":"FWPM_CONDITION_VSWITCH_SOURCE_INTERFACE_ID","features":[324]},{"name":"FWPM_CONDITION_VSWITCH_SOURCE_INTERFACE_TYPE","features":[324]},{"name":"FWPM_CONDITION_VSWITCH_SOURCE_VM_ID","features":[324]},{"name":"FWPM_CONDITION_VSWITCH_TENANT_NETWORK_ID","features":[324]},{"name":"FWPM_CONNECTION0","features":[308,324]},{"name":"FWPM_CONNECTION_CALLBACK0","features":[308,324]},{"name":"FWPM_CONNECTION_ENUM_FLAG_QUERY_BYTES_TRANSFERRED","features":[324]},{"name":"FWPM_CONNECTION_ENUM_TEMPLATE0","features":[324]},{"name":"FWPM_CONNECTION_EVENT_ADD","features":[324]},{"name":"FWPM_CONNECTION_EVENT_DELETE","features":[324]},{"name":"FWPM_CONNECTION_EVENT_MAX","features":[324]},{"name":"FWPM_CONNECTION_EVENT_TYPE","features":[324]},{"name":"FWPM_CONNECTION_SUBSCRIPTION0","features":[324]},{"name":"FWPM_DISPLAY_DATA0","features":[324]},{"name":"FWPM_DYNAMIC_KEYWORD_CALLBACK0","features":[324]},{"name":"FWPM_ENGINE_COLLECT_NET_EVENTS","features":[324]},{"name":"FWPM_ENGINE_MONITOR_IPSEC_CONNECTIONS","features":[324]},{"name":"FWPM_ENGINE_NAME_CACHE","features":[324]},{"name":"FWPM_ENGINE_NET_EVENT_MATCH_ANY_KEYWORDS","features":[324]},{"name":"FWPM_ENGINE_OPTION","features":[324]},{"name":"FWPM_ENGINE_OPTION_MAX","features":[324]},{"name":"FWPM_ENGINE_OPTION_PACKET_BATCH_INBOUND","features":[324]},{"name":"FWPM_ENGINE_OPTION_PACKET_QUEUE_FORWARD","features":[324]},{"name":"FWPM_ENGINE_OPTION_PACKET_QUEUE_INBOUND","features":[324]},{"name":"FWPM_ENGINE_OPTION_PACKET_QUEUE_NONE","features":[324]},{"name":"FWPM_ENGINE_PACKET_QUEUING","features":[324]},{"name":"FWPM_ENGINE_TXN_WATCHDOG_TIMEOUT_IN_MSEC","features":[324]},{"name":"FWPM_FIELD0","features":[324]},{"name":"FWPM_FIELD_FLAGS","features":[324]},{"name":"FWPM_FIELD_IP_ADDRESS","features":[324]},{"name":"FWPM_FIELD_RAW_DATA","features":[324]},{"name":"FWPM_FIELD_TYPE","features":[324]},{"name":"FWPM_FIELD_TYPE_MAX","features":[324]},{"name":"FWPM_FILTER0","features":[308,324,311]},{"name":"FWPM_FILTER_CHANGE0","features":[324]},{"name":"FWPM_FILTER_CHANGE_CALLBACK0","features":[324]},{"name":"FWPM_FILTER_CONDITION0","features":[308,324,311]},{"name":"FWPM_FILTER_ENUM_TEMPLATE0","features":[308,324,311]},{"name":"FWPM_FILTER_FLAGS","features":[324]},{"name":"FWPM_FILTER_FLAG_BOOTTIME","features":[324]},{"name":"FWPM_FILTER_FLAG_CLEAR_ACTION_RIGHT","features":[324]},{"name":"FWPM_FILTER_FLAG_DISABLED","features":[324]},{"name":"FWPM_FILTER_FLAG_GAMEOS_ONLY","features":[324]},{"name":"FWPM_FILTER_FLAG_HAS_PROVIDER_CONTEXT","features":[324]},{"name":"FWPM_FILTER_FLAG_HAS_SECURITY_REALM_PROVIDER_CONTEXT","features":[324]},{"name":"FWPM_FILTER_FLAG_INDEXED","features":[324]},{"name":"FWPM_FILTER_FLAG_IPSEC_NO_ACQUIRE_INITIATE","features":[324]},{"name":"FWPM_FILTER_FLAG_NONE","features":[324]},{"name":"FWPM_FILTER_FLAG_PERMIT_IF_CALLOUT_UNREGISTERED","features":[324]},{"name":"FWPM_FILTER_FLAG_PERSISTENT","features":[324]},{"name":"FWPM_FILTER_FLAG_RESERVED0","features":[324]},{"name":"FWPM_FILTER_FLAG_RESERVED1","features":[324]},{"name":"FWPM_FILTER_FLAG_SILENT_MODE","features":[324]},{"name":"FWPM_FILTER_FLAG_SYSTEMOS_ONLY","features":[324]},{"name":"FWPM_FILTER_SUBSCRIPTION0","features":[308,324,311]},{"name":"FWPM_GENERAL_CONTEXT","features":[324]},{"name":"FWPM_IPSEC_AUTHIP_MM_CONTEXT","features":[324]},{"name":"FWPM_IPSEC_AUTHIP_QM_TRANSPORT_CONTEXT","features":[324]},{"name":"FWPM_IPSEC_AUTHIP_QM_TUNNEL_CONTEXT","features":[324]},{"name":"FWPM_IPSEC_DOSP_CONTEXT","features":[324]},{"name":"FWPM_IPSEC_IKEV2_MM_CONTEXT","features":[324]},{"name":"FWPM_IPSEC_IKEV2_QM_TRANSPORT_CONTEXT","features":[324]},{"name":"FWPM_IPSEC_IKEV2_QM_TUNNEL_CONTEXT","features":[324]},{"name":"FWPM_IPSEC_IKE_MM_CONTEXT","features":[324]},{"name":"FWPM_IPSEC_IKE_QM_TRANSPORT_CONTEXT","features":[324]},{"name":"FWPM_IPSEC_IKE_QM_TUNNEL_CONTEXT","features":[324]},{"name":"FWPM_IPSEC_KEYING_CONTEXT","features":[324]},{"name":"FWPM_KEYING_MODULE_AUTHIP","features":[324]},{"name":"FWPM_KEYING_MODULE_IKE","features":[324]},{"name":"FWPM_KEYING_MODULE_IKEV2","features":[324]},{"name":"FWPM_LAYER0","features":[324]},{"name":"FWPM_LAYER_ALE_AUTH_CONNECT_V4","features":[324]},{"name":"FWPM_LAYER_ALE_AUTH_CONNECT_V4_DISCARD","features":[324]},{"name":"FWPM_LAYER_ALE_AUTH_CONNECT_V6","features":[324]},{"name":"FWPM_LAYER_ALE_AUTH_CONNECT_V6_DISCARD","features":[324]},{"name":"FWPM_LAYER_ALE_AUTH_LISTEN_V4","features":[324]},{"name":"FWPM_LAYER_ALE_AUTH_LISTEN_V4_DISCARD","features":[324]},{"name":"FWPM_LAYER_ALE_AUTH_LISTEN_V6","features":[324]},{"name":"FWPM_LAYER_ALE_AUTH_LISTEN_V6_DISCARD","features":[324]},{"name":"FWPM_LAYER_ALE_AUTH_RECV_ACCEPT_V4","features":[324]},{"name":"FWPM_LAYER_ALE_AUTH_RECV_ACCEPT_V4_DISCARD","features":[324]},{"name":"FWPM_LAYER_ALE_AUTH_RECV_ACCEPT_V6","features":[324]},{"name":"FWPM_LAYER_ALE_AUTH_RECV_ACCEPT_V6_DISCARD","features":[324]},{"name":"FWPM_LAYER_ALE_BIND_REDIRECT_V4","features":[324]},{"name":"FWPM_LAYER_ALE_BIND_REDIRECT_V6","features":[324]},{"name":"FWPM_LAYER_ALE_CONNECT_REDIRECT_V4","features":[324]},{"name":"FWPM_LAYER_ALE_CONNECT_REDIRECT_V6","features":[324]},{"name":"FWPM_LAYER_ALE_ENDPOINT_CLOSURE_V4","features":[324]},{"name":"FWPM_LAYER_ALE_ENDPOINT_CLOSURE_V6","features":[324]},{"name":"FWPM_LAYER_ALE_FLOW_ESTABLISHED_V4","features":[324]},{"name":"FWPM_LAYER_ALE_FLOW_ESTABLISHED_V4_DISCARD","features":[324]},{"name":"FWPM_LAYER_ALE_FLOW_ESTABLISHED_V6","features":[324]},{"name":"FWPM_LAYER_ALE_FLOW_ESTABLISHED_V6_DISCARD","features":[324]},{"name":"FWPM_LAYER_ALE_RESOURCE_ASSIGNMENT_V4","features":[324]},{"name":"FWPM_LAYER_ALE_RESOURCE_ASSIGNMENT_V4_DISCARD","features":[324]},{"name":"FWPM_LAYER_ALE_RESOURCE_ASSIGNMENT_V6","features":[324]},{"name":"FWPM_LAYER_ALE_RESOURCE_ASSIGNMENT_V6_DISCARD","features":[324]},{"name":"FWPM_LAYER_ALE_RESOURCE_RELEASE_V4","features":[324]},{"name":"FWPM_LAYER_ALE_RESOURCE_RELEASE_V6","features":[324]},{"name":"FWPM_LAYER_DATAGRAM_DATA_V4","features":[324]},{"name":"FWPM_LAYER_DATAGRAM_DATA_V4_DISCARD","features":[324]},{"name":"FWPM_LAYER_DATAGRAM_DATA_V6","features":[324]},{"name":"FWPM_LAYER_DATAGRAM_DATA_V6_DISCARD","features":[324]},{"name":"FWPM_LAYER_EGRESS_VSWITCH_ETHERNET","features":[324]},{"name":"FWPM_LAYER_EGRESS_VSWITCH_TRANSPORT_V4","features":[324]},{"name":"FWPM_LAYER_EGRESS_VSWITCH_TRANSPORT_V6","features":[324]},{"name":"FWPM_LAYER_ENUM_TEMPLATE0","features":[324]},{"name":"FWPM_LAYER_FLAG_BUFFERED","features":[324]},{"name":"FWPM_LAYER_FLAG_BUILTIN","features":[324]},{"name":"FWPM_LAYER_FLAG_CLASSIFY_MOSTLY","features":[324]},{"name":"FWPM_LAYER_FLAG_KERNEL","features":[324]},{"name":"FWPM_LAYER_IKEEXT_V4","features":[324]},{"name":"FWPM_LAYER_IKEEXT_V6","features":[324]},{"name":"FWPM_LAYER_INBOUND_ICMP_ERROR_V4","features":[324]},{"name":"FWPM_LAYER_INBOUND_ICMP_ERROR_V4_DISCARD","features":[324]},{"name":"FWPM_LAYER_INBOUND_ICMP_ERROR_V6","features":[324]},{"name":"FWPM_LAYER_INBOUND_ICMP_ERROR_V6_DISCARD","features":[324]},{"name":"FWPM_LAYER_INBOUND_IPPACKET_V4","features":[324]},{"name":"FWPM_LAYER_INBOUND_IPPACKET_V4_DISCARD","features":[324]},{"name":"FWPM_LAYER_INBOUND_IPPACKET_V6","features":[324]},{"name":"FWPM_LAYER_INBOUND_IPPACKET_V6_DISCARD","features":[324]},{"name":"FWPM_LAYER_INBOUND_MAC_FRAME_ETHERNET","features":[324]},{"name":"FWPM_LAYER_INBOUND_MAC_FRAME_NATIVE","features":[324]},{"name":"FWPM_LAYER_INBOUND_MAC_FRAME_NATIVE_FAST","features":[324]},{"name":"FWPM_LAYER_INBOUND_RESERVED2","features":[324]},{"name":"FWPM_LAYER_INBOUND_TRANSPORT_FAST","features":[324]},{"name":"FWPM_LAYER_INBOUND_TRANSPORT_V4","features":[324]},{"name":"FWPM_LAYER_INBOUND_TRANSPORT_V4_DISCARD","features":[324]},{"name":"FWPM_LAYER_INBOUND_TRANSPORT_V6","features":[324]},{"name":"FWPM_LAYER_INBOUND_TRANSPORT_V6_DISCARD","features":[324]},{"name":"FWPM_LAYER_INGRESS_VSWITCH_ETHERNET","features":[324]},{"name":"FWPM_LAYER_INGRESS_VSWITCH_TRANSPORT_V4","features":[324]},{"name":"FWPM_LAYER_INGRESS_VSWITCH_TRANSPORT_V6","features":[324]},{"name":"FWPM_LAYER_IPFORWARD_V4","features":[324]},{"name":"FWPM_LAYER_IPFORWARD_V4_DISCARD","features":[324]},{"name":"FWPM_LAYER_IPFORWARD_V6","features":[324]},{"name":"FWPM_LAYER_IPFORWARD_V6_DISCARD","features":[324]},{"name":"FWPM_LAYER_IPSEC_KM_DEMUX_V4","features":[324]},{"name":"FWPM_LAYER_IPSEC_KM_DEMUX_V6","features":[324]},{"name":"FWPM_LAYER_IPSEC_V4","features":[324]},{"name":"FWPM_LAYER_IPSEC_V6","features":[324]},{"name":"FWPM_LAYER_KM_AUTHORIZATION","features":[324]},{"name":"FWPM_LAYER_NAME_RESOLUTION_CACHE_V4","features":[324]},{"name":"FWPM_LAYER_NAME_RESOLUTION_CACHE_V6","features":[324]},{"name":"FWPM_LAYER_OUTBOUND_ICMP_ERROR_V4","features":[324]},{"name":"FWPM_LAYER_OUTBOUND_ICMP_ERROR_V4_DISCARD","features":[324]},{"name":"FWPM_LAYER_OUTBOUND_ICMP_ERROR_V6","features":[324]},{"name":"FWPM_LAYER_OUTBOUND_ICMP_ERROR_V6_DISCARD","features":[324]},{"name":"FWPM_LAYER_OUTBOUND_IPPACKET_V4","features":[324]},{"name":"FWPM_LAYER_OUTBOUND_IPPACKET_V4_DISCARD","features":[324]},{"name":"FWPM_LAYER_OUTBOUND_IPPACKET_V6","features":[324]},{"name":"FWPM_LAYER_OUTBOUND_IPPACKET_V6_DISCARD","features":[324]},{"name":"FWPM_LAYER_OUTBOUND_MAC_FRAME_ETHERNET","features":[324]},{"name":"FWPM_LAYER_OUTBOUND_MAC_FRAME_NATIVE","features":[324]},{"name":"FWPM_LAYER_OUTBOUND_MAC_FRAME_NATIVE_FAST","features":[324]},{"name":"FWPM_LAYER_OUTBOUND_NETWORK_CONNECTION_POLICY_V4","features":[324]},{"name":"FWPM_LAYER_OUTBOUND_NETWORK_CONNECTION_POLICY_V6","features":[324]},{"name":"FWPM_LAYER_OUTBOUND_TRANSPORT_FAST","features":[324]},{"name":"FWPM_LAYER_OUTBOUND_TRANSPORT_V4","features":[324]},{"name":"FWPM_LAYER_OUTBOUND_TRANSPORT_V4_DISCARD","features":[324]},{"name":"FWPM_LAYER_OUTBOUND_TRANSPORT_V6","features":[324]},{"name":"FWPM_LAYER_OUTBOUND_TRANSPORT_V6_DISCARD","features":[324]},{"name":"FWPM_LAYER_RPC_EPMAP","features":[324]},{"name":"FWPM_LAYER_RPC_EP_ADD","features":[324]},{"name":"FWPM_LAYER_RPC_PROXY_CONN","features":[324]},{"name":"FWPM_LAYER_RPC_PROXY_IF","features":[324]},{"name":"FWPM_LAYER_RPC_UM","features":[324]},{"name":"FWPM_LAYER_STATISTICS0","features":[324]},{"name":"FWPM_LAYER_STREAM_PACKET_V4","features":[324]},{"name":"FWPM_LAYER_STREAM_PACKET_V6","features":[324]},{"name":"FWPM_LAYER_STREAM_V4","features":[324]},{"name":"FWPM_LAYER_STREAM_V4_DISCARD","features":[324]},{"name":"FWPM_LAYER_STREAM_V6","features":[324]},{"name":"FWPM_LAYER_STREAM_V6_DISCARD","features":[324]},{"name":"FWPM_NETWORK_CONNECTION_POLICY_CONTEXT","features":[324]},{"name":"FWPM_NETWORK_CONNECTION_POLICY_SETTING0","features":[308,324,311]},{"name":"FWPM_NETWORK_CONNECTION_POLICY_SETTINGS0","features":[308,324,311]},{"name":"FWPM_NET_EVENT0","features":[308,324,311]},{"name":"FWPM_NET_EVENT1","features":[308,324,311]},{"name":"FWPM_NET_EVENT2","features":[308,324,311]},{"name":"FWPM_NET_EVENT3","features":[308,324,311]},{"name":"FWPM_NET_EVENT4","features":[308,324,311]},{"name":"FWPM_NET_EVENT5","features":[308,324,311]},{"name":"FWPM_NET_EVENT_CALLBACK0","features":[308,324,311]},{"name":"FWPM_NET_EVENT_CALLBACK1","features":[308,324,311]},{"name":"FWPM_NET_EVENT_CALLBACK2","features":[308,324,311]},{"name":"FWPM_NET_EVENT_CALLBACK3","features":[308,324,311]},{"name":"FWPM_NET_EVENT_CALLBACK4","features":[308,324,311]},{"name":"FWPM_NET_EVENT_CAPABILITY_ALLOW0","features":[308,324]},{"name":"FWPM_NET_EVENT_CAPABILITY_DROP0","features":[308,324]},{"name":"FWPM_NET_EVENT_CLASSIFY_ALLOW0","features":[308,324]},{"name":"FWPM_NET_EVENT_CLASSIFY_DROP0","features":[324]},{"name":"FWPM_NET_EVENT_CLASSIFY_DROP1","features":[308,324]},{"name":"FWPM_NET_EVENT_CLASSIFY_DROP2","features":[308,324]},{"name":"FWPM_NET_EVENT_CLASSIFY_DROP_MAC0","features":[308,324]},{"name":"FWPM_NET_EVENT_ENUM_TEMPLATE0","features":[308,324,311]},{"name":"FWPM_NET_EVENT_FLAG_APP_ID_SET","features":[324]},{"name":"FWPM_NET_EVENT_FLAG_EFFECTIVE_NAME_SET","features":[324]},{"name":"FWPM_NET_EVENT_FLAG_ENTERPRISE_ID_SET","features":[324]},{"name":"FWPM_NET_EVENT_FLAG_IP_PROTOCOL_SET","features":[324]},{"name":"FWPM_NET_EVENT_FLAG_IP_VERSION_SET","features":[324]},{"name":"FWPM_NET_EVENT_FLAG_LOCAL_ADDR_SET","features":[324]},{"name":"FWPM_NET_EVENT_FLAG_LOCAL_PORT_SET","features":[324]},{"name":"FWPM_NET_EVENT_FLAG_PACKAGE_ID_SET","features":[324]},{"name":"FWPM_NET_EVENT_FLAG_POLICY_FLAGS_SET","features":[324]},{"name":"FWPM_NET_EVENT_FLAG_REAUTH_REASON_SET","features":[324]},{"name":"FWPM_NET_EVENT_FLAG_REMOTE_ADDR_SET","features":[324]},{"name":"FWPM_NET_EVENT_FLAG_REMOTE_PORT_SET","features":[324]},{"name":"FWPM_NET_EVENT_FLAG_SCOPE_ID_SET","features":[324]},{"name":"FWPM_NET_EVENT_FLAG_USER_ID_SET","features":[324]},{"name":"FWPM_NET_EVENT_HEADER0","features":[308,324,311]},{"name":"FWPM_NET_EVENT_HEADER1","features":[308,324,311]},{"name":"FWPM_NET_EVENT_HEADER2","features":[308,324,311]},{"name":"FWPM_NET_EVENT_HEADER3","features":[308,324,311]},{"name":"FWPM_NET_EVENT_IKEEXT_EM_FAILURE0","features":[324]},{"name":"FWPM_NET_EVENT_IKEEXT_EM_FAILURE1","features":[324]},{"name":"FWPM_NET_EVENT_IKEEXT_EM_FAILURE_FLAG_BENIGN","features":[324]},{"name":"FWPM_NET_EVENT_IKEEXT_EM_FAILURE_FLAG_MULTIPLE","features":[324]},{"name":"FWPM_NET_EVENT_IKEEXT_MM_FAILURE0","features":[324]},{"name":"FWPM_NET_EVENT_IKEEXT_MM_FAILURE1","features":[324]},{"name":"FWPM_NET_EVENT_IKEEXT_MM_FAILURE2","features":[324]},{"name":"FWPM_NET_EVENT_IKEEXT_MM_FAILURE_FLAG_BENIGN","features":[324]},{"name":"FWPM_NET_EVENT_IKEEXT_MM_FAILURE_FLAG_MULTIPLE","features":[324]},{"name":"FWPM_NET_EVENT_IKEEXT_QM_FAILURE0","features":[308,324,311]},{"name":"FWPM_NET_EVENT_IKEEXT_QM_FAILURE1","features":[308,324,311]},{"name":"FWPM_NET_EVENT_IPSEC_DOSP_DROP0","features":[324]},{"name":"FWPM_NET_EVENT_IPSEC_KERNEL_DROP0","features":[324]},{"name":"FWPM_NET_EVENT_KEYWORD_CAPABILITY_ALLOW","features":[324]},{"name":"FWPM_NET_EVENT_KEYWORD_CAPABILITY_DROP","features":[324]},{"name":"FWPM_NET_EVENT_KEYWORD_CLASSIFY_ALLOW","features":[324]},{"name":"FWPM_NET_EVENT_KEYWORD_INBOUND_BCAST","features":[324]},{"name":"FWPM_NET_EVENT_KEYWORD_INBOUND_MCAST","features":[324]},{"name":"FWPM_NET_EVENT_KEYWORD_PORT_SCANNING_DROP","features":[324]},{"name":"FWPM_NET_EVENT_LPM_PACKET_ARRIVAL0","features":[324]},{"name":"FWPM_NET_EVENT_SUBSCRIPTION0","features":[308,324,311]},{"name":"FWPM_NET_EVENT_TYPE","features":[324]},{"name":"FWPM_NET_EVENT_TYPE_CAPABILITY_ALLOW","features":[324]},{"name":"FWPM_NET_EVENT_TYPE_CAPABILITY_DROP","features":[324]},{"name":"FWPM_NET_EVENT_TYPE_CLASSIFY_ALLOW","features":[324]},{"name":"FWPM_NET_EVENT_TYPE_CLASSIFY_DROP","features":[324]},{"name":"FWPM_NET_EVENT_TYPE_CLASSIFY_DROP_MAC","features":[324]},{"name":"FWPM_NET_EVENT_TYPE_IKEEXT_EM_FAILURE","features":[324]},{"name":"FWPM_NET_EVENT_TYPE_IKEEXT_MM_FAILURE","features":[324]},{"name":"FWPM_NET_EVENT_TYPE_IKEEXT_QM_FAILURE","features":[324]},{"name":"FWPM_NET_EVENT_TYPE_IPSEC_DOSP_DROP","features":[324]},{"name":"FWPM_NET_EVENT_TYPE_IPSEC_KERNEL_DROP","features":[324]},{"name":"FWPM_NET_EVENT_TYPE_LPM_PACKET_ARRIVAL","features":[324]},{"name":"FWPM_NET_EVENT_TYPE_MAX","features":[324]},{"name":"FWPM_PROVIDER0","features":[324]},{"name":"FWPM_PROVIDER_CHANGE0","features":[324]},{"name":"FWPM_PROVIDER_CHANGE_CALLBACK0","features":[324]},{"name":"FWPM_PROVIDER_CONTEXT0","features":[308,324,311]},{"name":"FWPM_PROVIDER_CONTEXT1","features":[308,324,311]},{"name":"FWPM_PROVIDER_CONTEXT2","features":[308,324,311]},{"name":"FWPM_PROVIDER_CONTEXT3","features":[308,324,311]},{"name":"FWPM_PROVIDER_CONTEXT_CHANGE0","features":[324]},{"name":"FWPM_PROVIDER_CONTEXT_CHANGE_CALLBACK0","features":[324]},{"name":"FWPM_PROVIDER_CONTEXT_ENUM_TEMPLATE0","features":[324]},{"name":"FWPM_PROVIDER_CONTEXT_FLAG_DOWNLEVEL","features":[324]},{"name":"FWPM_PROVIDER_CONTEXT_FLAG_PERSISTENT","features":[324]},{"name":"FWPM_PROVIDER_CONTEXT_SECURE_SOCKET_AUTHIP","features":[324]},{"name":"FWPM_PROVIDER_CONTEXT_SECURE_SOCKET_IPSEC","features":[324]},{"name":"FWPM_PROVIDER_CONTEXT_SUBSCRIPTION0","features":[324]},{"name":"FWPM_PROVIDER_CONTEXT_TYPE","features":[324]},{"name":"FWPM_PROVIDER_CONTEXT_TYPE_MAX","features":[324]},{"name":"FWPM_PROVIDER_ENUM_TEMPLATE0","features":[324]},{"name":"FWPM_PROVIDER_FLAG_DISABLED","features":[324]},{"name":"FWPM_PROVIDER_FLAG_PERSISTENT","features":[324]},{"name":"FWPM_PROVIDER_IKEEXT","features":[324]},{"name":"FWPM_PROVIDER_IPSEC_DOSP_CONFIG","features":[324]},{"name":"FWPM_PROVIDER_MPSSVC_APP_ISOLATION","features":[324]},{"name":"FWPM_PROVIDER_MPSSVC_EDP","features":[324]},{"name":"FWPM_PROVIDER_MPSSVC_TENANT_RESTRICTIONS","features":[324]},{"name":"FWPM_PROVIDER_MPSSVC_WF","features":[324]},{"name":"FWPM_PROVIDER_MPSSVC_WSH","features":[324]},{"name":"FWPM_PROVIDER_SUBSCRIPTION0","features":[324]},{"name":"FWPM_PROVIDER_TCP_CHIMNEY_OFFLOAD","features":[324]},{"name":"FWPM_PROVIDER_TCP_TEMPLATES","features":[324]},{"name":"FWPM_SERVICE_RUNNING","features":[324]},{"name":"FWPM_SERVICE_START_PENDING","features":[324]},{"name":"FWPM_SERVICE_STATE","features":[324]},{"name":"FWPM_SERVICE_STATE_MAX","features":[324]},{"name":"FWPM_SERVICE_STOPPED","features":[324]},{"name":"FWPM_SERVICE_STOP_PENDING","features":[324]},{"name":"FWPM_SESSION0","features":[308,324,311]},{"name":"FWPM_SESSION_ENUM_TEMPLATE0","features":[324]},{"name":"FWPM_SESSION_FLAG_DYNAMIC","features":[324]},{"name":"FWPM_SESSION_FLAG_RESERVED","features":[324]},{"name":"FWPM_STATISTICS0","features":[324]},{"name":"FWPM_SUBLAYER0","features":[324]},{"name":"FWPM_SUBLAYER_CHANGE0","features":[324]},{"name":"FWPM_SUBLAYER_CHANGE_CALLBACK0","features":[324]},{"name":"FWPM_SUBLAYER_ENUM_TEMPLATE0","features":[324]},{"name":"FWPM_SUBLAYER_FLAG_PERSISTENT","features":[324]},{"name":"FWPM_SUBLAYER_INSPECTION","features":[324]},{"name":"FWPM_SUBLAYER_IPSEC_DOSP","features":[324]},{"name":"FWPM_SUBLAYER_IPSEC_FORWARD_OUTBOUND_TUNNEL","features":[324]},{"name":"FWPM_SUBLAYER_IPSEC_SECURITY_REALM","features":[324]},{"name":"FWPM_SUBLAYER_IPSEC_TUNNEL","features":[324]},{"name":"FWPM_SUBLAYER_LIPS","features":[324]},{"name":"FWPM_SUBLAYER_MPSSVC_APP_ISOLATION","features":[324]},{"name":"FWPM_SUBLAYER_MPSSVC_EDP","features":[324]},{"name":"FWPM_SUBLAYER_MPSSVC_QUARANTINE","features":[324]},{"name":"FWPM_SUBLAYER_MPSSVC_TENANT_RESTRICTIONS","features":[324]},{"name":"FWPM_SUBLAYER_MPSSVC_WF","features":[324]},{"name":"FWPM_SUBLAYER_MPSSVC_WSH","features":[324]},{"name":"FWPM_SUBLAYER_RPC_AUDIT","features":[324]},{"name":"FWPM_SUBLAYER_SECURE_SOCKET","features":[324]},{"name":"FWPM_SUBLAYER_SUBSCRIPTION0","features":[324]},{"name":"FWPM_SUBLAYER_TCP_CHIMNEY_OFFLOAD","features":[324]},{"name":"FWPM_SUBLAYER_TCP_TEMPLATES","features":[324]},{"name":"FWPM_SUBLAYER_TEREDO","features":[324]},{"name":"FWPM_SUBLAYER_UNIVERSAL","features":[324]},{"name":"FWPM_SUBSCRIPTION_FLAGS","features":[324]},{"name":"FWPM_SUBSCRIPTION_FLAG_NOTIFY_ON_ADD","features":[324]},{"name":"FWPM_SUBSCRIPTION_FLAG_NOTIFY_ON_DELETE","features":[324]},{"name":"FWPM_SYSTEM_PORTS0","features":[324]},{"name":"FWPM_SYSTEM_PORTS_BY_TYPE0","features":[324]},{"name":"FWPM_SYSTEM_PORTS_CALLBACK0","features":[324]},{"name":"FWPM_SYSTEM_PORT_IPHTTPS_IN","features":[324]},{"name":"FWPM_SYSTEM_PORT_IPHTTPS_OUT","features":[324]},{"name":"FWPM_SYSTEM_PORT_RPC_EPMAP","features":[324]},{"name":"FWPM_SYSTEM_PORT_TEREDO","features":[324]},{"name":"FWPM_SYSTEM_PORT_TYPE","features":[324]},{"name":"FWPM_SYSTEM_PORT_TYPE_MAX","features":[324]},{"name":"FWPM_TUNNEL_FLAG_ENABLE_VIRTUAL_IF_TUNNELING","features":[324]},{"name":"FWPM_TUNNEL_FLAG_POINT_TO_POINT","features":[324]},{"name":"FWPM_TUNNEL_FLAG_RESERVED0","features":[324]},{"name":"FWPM_TXN_READ_ONLY","features":[324]},{"name":"FWPM_VSWITCH_EVENT0","features":[308,324]},{"name":"FWPM_VSWITCH_EVENT_CALLBACK0","features":[308,324]},{"name":"FWPM_VSWITCH_EVENT_DISABLED_FOR_INSPECTION","features":[324]},{"name":"FWPM_VSWITCH_EVENT_ENABLED_FOR_INSPECTION","features":[324]},{"name":"FWPM_VSWITCH_EVENT_FILTER_ADD_TO_INCOMPLETE_LAYER","features":[324]},{"name":"FWPM_VSWITCH_EVENT_FILTER_ENGINE_NOT_IN_REQUIRED_POSITION","features":[324]},{"name":"FWPM_VSWITCH_EVENT_FILTER_ENGINE_REORDER","features":[324]},{"name":"FWPM_VSWITCH_EVENT_MAX","features":[324]},{"name":"FWPM_VSWITCH_EVENT_SUBSCRIPTION0","features":[324]},{"name":"FWPM_VSWITCH_EVENT_TYPE","features":[324]},{"name":"FWPM_WEIGHT_RANGE_IKE_EXEMPTIONS","features":[324]},{"name":"FWPM_WEIGHT_RANGE_IPSEC","features":[324]},{"name":"FWPS_ALE_ENDPOINT_FLAG_IPSEC_SECURED","features":[324]},{"name":"FWPS_CLASSIFY_OUT_FLAG_ABSORB","features":[324]},{"name":"FWPS_CLASSIFY_OUT_FLAG_ALE_FAST_CACHE_CHECK","features":[324]},{"name":"FWPS_CLASSIFY_OUT_FLAG_ALE_FAST_CACHE_POSSIBLE","features":[324]},{"name":"FWPS_CLASSIFY_OUT_FLAG_BUFFER_LIMIT_REACHED","features":[324]},{"name":"FWPS_CLASSIFY_OUT_FLAG_NO_MORE_DATA","features":[324]},{"name":"FWPS_FILTER_FLAG_CLEAR_ACTION_RIGHT","features":[324]},{"name":"FWPS_FILTER_FLAG_HAS_SECURITY_REALM_PROVIDER_CONTEXT","features":[324]},{"name":"FWPS_FILTER_FLAG_IPSEC_NO_ACQUIRE_INITIATE","features":[324]},{"name":"FWPS_FILTER_FLAG_OR_CONDITIONS","features":[324]},{"name":"FWPS_FILTER_FLAG_PERMIT_IF_CALLOUT_UNREGISTERED","features":[324]},{"name":"FWPS_FILTER_FLAG_RESERVED0","features":[324]},{"name":"FWPS_FILTER_FLAG_RESERVED1","features":[324]},{"name":"FWPS_FILTER_FLAG_SILENT_MODE","features":[324]},{"name":"FWPS_INCOMING_FLAG_ABSORB","features":[324]},{"name":"FWPS_INCOMING_FLAG_CACHE_SAFE","features":[324]},{"name":"FWPS_INCOMING_FLAG_CONNECTION_FAILING_INDICATION","features":[324]},{"name":"FWPS_INCOMING_FLAG_ENFORCE_QUERY","features":[324]},{"name":"FWPS_INCOMING_FLAG_IS_LOCAL_ONLY_FLOW","features":[324]},{"name":"FWPS_INCOMING_FLAG_IS_LOOSE_SOURCE_FLOW","features":[324]},{"name":"FWPS_INCOMING_FLAG_MID_STREAM_INSPECTION","features":[324]},{"name":"FWPS_INCOMING_FLAG_RECLASSIFY","features":[324]},{"name":"FWPS_INCOMING_FLAG_RESERVED0","features":[324]},{"name":"FWPS_L2_INCOMING_FLAG_IS_RAW_IPV4_FRAMING","features":[324]},{"name":"FWPS_L2_INCOMING_FLAG_IS_RAW_IPV6_FRAMING","features":[324]},{"name":"FWPS_L2_INCOMING_FLAG_RECLASSIFY_MULTI_DESTINATION","features":[324]},{"name":"FWPS_L2_METADATA_FIELD_ETHERNET_MAC_HEADER_SIZE","features":[324]},{"name":"FWPS_L2_METADATA_FIELD_RESERVED","features":[324]},{"name":"FWPS_L2_METADATA_FIELD_VSWITCH_DESTINATION_PORT_ID","features":[324]},{"name":"FWPS_L2_METADATA_FIELD_VSWITCH_PACKET_CONTEXT","features":[324]},{"name":"FWPS_L2_METADATA_FIELD_VSWITCH_SOURCE_NIC_INDEX","features":[324]},{"name":"FWPS_L2_METADATA_FIELD_VSWITCH_SOURCE_PORT_ID","features":[324]},{"name":"FWPS_L2_METADATA_FIELD_WIFI_OPERATION_MODE","features":[324]},{"name":"FWPS_METADATA_FIELD_ALE_CLASSIFY_REQUIRED","features":[324]},{"name":"FWPS_METADATA_FIELD_COMPARTMENT_ID","features":[324]},{"name":"FWPS_METADATA_FIELD_COMPLETION_HANDLE","features":[324]},{"name":"FWPS_METADATA_FIELD_DESTINATION_INTERFACE_INDEX","features":[324]},{"name":"FWPS_METADATA_FIELD_DESTINATION_PREFIX","features":[324]},{"name":"FWPS_METADATA_FIELD_DISCARD_REASON","features":[324]},{"name":"FWPS_METADATA_FIELD_ETHER_FRAME_LENGTH","features":[324]},{"name":"FWPS_METADATA_FIELD_FLOW_HANDLE","features":[324]},{"name":"FWPS_METADATA_FIELD_FORWARD_LAYER_INBOUND_PASS_THRU","features":[324]},{"name":"FWPS_METADATA_FIELD_FORWARD_LAYER_OUTBOUND_PASS_THRU","features":[324]},{"name":"FWPS_METADATA_FIELD_FRAGMENT_DATA","features":[324]},{"name":"FWPS_METADATA_FIELD_ICMP_ID_AND_SEQUENCE","features":[324]},{"name":"FWPS_METADATA_FIELD_IP_HEADER_SIZE","features":[324]},{"name":"FWPS_METADATA_FIELD_LOCAL_REDIRECT_TARGET_PID","features":[324]},{"name":"FWPS_METADATA_FIELD_ORIGINAL_DESTINATION","features":[324]},{"name":"FWPS_METADATA_FIELD_PACKET_DIRECTION","features":[324]},{"name":"FWPS_METADATA_FIELD_PACKET_SYSTEM_CRITICAL","features":[324]},{"name":"FWPS_METADATA_FIELD_PARENT_ENDPOINT_HANDLE","features":[324]},{"name":"FWPS_METADATA_FIELD_PATH_MTU","features":[324]},{"name":"FWPS_METADATA_FIELD_PROCESS_ID","features":[324]},{"name":"FWPS_METADATA_FIELD_PROCESS_PATH","features":[324]},{"name":"FWPS_METADATA_FIELD_REDIRECT_RECORD_HANDLE","features":[324]},{"name":"FWPS_METADATA_FIELD_REMOTE_SCOPE_ID","features":[324]},{"name":"FWPS_METADATA_FIELD_RESERVED","features":[324]},{"name":"FWPS_METADATA_FIELD_SOURCE_INTERFACE_INDEX","features":[324]},{"name":"FWPS_METADATA_FIELD_SUB_PROCESS_TAG","features":[324]},{"name":"FWPS_METADATA_FIELD_SYSTEM_FLAGS","features":[324]},{"name":"FWPS_METADATA_FIELD_TOKEN","features":[324]},{"name":"FWPS_METADATA_FIELD_TRANSPORT_CONTROL_DATA","features":[324]},{"name":"FWPS_METADATA_FIELD_TRANSPORT_ENDPOINT_HANDLE","features":[324]},{"name":"FWPS_METADATA_FIELD_TRANSPORT_HEADER_INCLUDE_HEADER","features":[324]},{"name":"FWPS_METADATA_FIELD_TRANSPORT_HEADER_SIZE","features":[324]},{"name":"FWPS_RIGHT_ACTION_WRITE","features":[324]},{"name":"FWP_ACTION_BLOCK","features":[324]},{"name":"FWP_ACTION_CALLOUT_INSPECTION","features":[324]},{"name":"FWP_ACTION_CALLOUT_TERMINATING","features":[324]},{"name":"FWP_ACTION_CALLOUT_UNKNOWN","features":[324]},{"name":"FWP_ACTION_CONTINUE","features":[324]},{"name":"FWP_ACTION_FLAG_CALLOUT","features":[324]},{"name":"FWP_ACTION_FLAG_NON_TERMINATING","features":[324]},{"name":"FWP_ACTION_FLAG_TERMINATING","features":[324]},{"name":"FWP_ACTION_NONE","features":[324]},{"name":"FWP_ACTION_NONE_NO_MATCH","features":[324]},{"name":"FWP_ACTION_PERMIT","features":[324]},{"name":"FWP_ACTION_TYPE","features":[324]},{"name":"FWP_ACTRL_MATCH_FILTER","features":[324]},{"name":"FWP_AF","features":[324]},{"name":"FWP_AF_ETHER","features":[324]},{"name":"FWP_AF_INET","features":[324]},{"name":"FWP_AF_INET6","features":[324]},{"name":"FWP_AF_NONE","features":[324]},{"name":"FWP_BYTEMAP_ARRAY64_SIZE","features":[324]},{"name":"FWP_BYTE_ARRAY16","features":[324]},{"name":"FWP_BYTE_ARRAY16_TYPE","features":[324]},{"name":"FWP_BYTE_ARRAY6","features":[324]},{"name":"FWP_BYTE_ARRAY6_SIZE","features":[324]},{"name":"FWP_BYTE_ARRAY6_TYPE","features":[324]},{"name":"FWP_BYTE_BLOB","features":[324]},{"name":"FWP_BYTE_BLOB_TYPE","features":[324]},{"name":"FWP_CALLOUT_FLAG_ALLOW_L2_BATCH_CLASSIFY","features":[324]},{"name":"FWP_CALLOUT_FLAG_ALLOW_MID_STREAM_INSPECTION","features":[324]},{"name":"FWP_CALLOUT_FLAG_ALLOW_OFFLOAD","features":[324]},{"name":"FWP_CALLOUT_FLAG_ALLOW_RECLASSIFY","features":[324]},{"name":"FWP_CALLOUT_FLAG_ALLOW_RSC","features":[324]},{"name":"FWP_CALLOUT_FLAG_ALLOW_URO","features":[324]},{"name":"FWP_CALLOUT_FLAG_ALLOW_USO","features":[324]},{"name":"FWP_CALLOUT_FLAG_CONDITIONAL_ON_FLOW","features":[324]},{"name":"FWP_CALLOUT_FLAG_ENABLE_COMMIT_ADD_NOTIFY","features":[324]},{"name":"FWP_CALLOUT_FLAG_RESERVED1","features":[324]},{"name":"FWP_CALLOUT_FLAG_RESERVED2","features":[324]},{"name":"FWP_CLASSIFY_OPTION_LOCAL_ONLY_MAPPING","features":[324]},{"name":"FWP_CLASSIFY_OPTION_LOOSE_SOURCE_MAPPING","features":[324]},{"name":"FWP_CLASSIFY_OPTION_MAX","features":[324]},{"name":"FWP_CLASSIFY_OPTION_MCAST_BCAST_LIFETIME","features":[324]},{"name":"FWP_CLASSIFY_OPTION_MULTICAST_STATE","features":[324]},{"name":"FWP_CLASSIFY_OPTION_SECURE_SOCKET_AUTHIP_MM_POLICY_KEY","features":[324]},{"name":"FWP_CLASSIFY_OPTION_SECURE_SOCKET_AUTHIP_QM_POLICY_KEY","features":[324]},{"name":"FWP_CLASSIFY_OPTION_SECURE_SOCKET_SECURITY_FLAGS","features":[324]},{"name":"FWP_CLASSIFY_OPTION_TYPE","features":[324]},{"name":"FWP_CLASSIFY_OPTION_UNICAST_LIFETIME","features":[324]},{"name":"FWP_CONDITION_FLAG_IS_APPCONTAINER_LOOPBACK","features":[324]},{"name":"FWP_CONDITION_FLAG_IS_AUTH_FW","features":[324]},{"name":"FWP_CONDITION_FLAG_IS_CONNECTION_REDIRECTED","features":[324]},{"name":"FWP_CONDITION_FLAG_IS_FRAGMENT","features":[324]},{"name":"FWP_CONDITION_FLAG_IS_FRAGMENT_GROUP","features":[324]},{"name":"FWP_CONDITION_FLAG_IS_HONORING_POLICY_AUTHORIZE","features":[324]},{"name":"FWP_CONDITION_FLAG_IS_IMPLICIT_BIND","features":[324]},{"name":"FWP_CONDITION_FLAG_IS_INBOUND_PASS_THRU","features":[324]},{"name":"FWP_CONDITION_FLAG_IS_IPSEC_NATT_RECLASSIFY","features":[324]},{"name":"FWP_CONDITION_FLAG_IS_IPSEC_SECURED","features":[324]},{"name":"FWP_CONDITION_FLAG_IS_LOOPBACK","features":[324]},{"name":"FWP_CONDITION_FLAG_IS_NAME_APP_SPECIFIED","features":[324]},{"name":"FWP_CONDITION_FLAG_IS_NON_APPCONTAINER_LOOPBACK","features":[324]},{"name":"FWP_CONDITION_FLAG_IS_OUTBOUND_PASS_THRU","features":[324]},{"name":"FWP_CONDITION_FLAG_IS_PROMISCUOUS","features":[324]},{"name":"FWP_CONDITION_FLAG_IS_PROXY_CONNECTION","features":[324]},{"name":"FWP_CONDITION_FLAG_IS_RAW_ENDPOINT","features":[324]},{"name":"FWP_CONDITION_FLAG_IS_REASSEMBLED","features":[324]},{"name":"FWP_CONDITION_FLAG_IS_REAUTHORIZE","features":[324]},{"name":"FWP_CONDITION_FLAG_IS_RECLASSIFY","features":[324]},{"name":"FWP_CONDITION_FLAG_IS_RESERVED","features":[324]},{"name":"FWP_CONDITION_FLAG_IS_WILDCARD_BIND","features":[324]},{"name":"FWP_CONDITION_FLAG_REQUIRES_ALE_CLASSIFY","features":[324]},{"name":"FWP_CONDITION_L2_IF_CONNECTOR_PRESENT","features":[324]},{"name":"FWP_CONDITION_L2_IS_IP_FRAGMENT_GROUP","features":[324]},{"name":"FWP_CONDITION_L2_IS_MALFORMED_PACKET","features":[324]},{"name":"FWP_CONDITION_L2_IS_MOBILE_BROADBAND","features":[324]},{"name":"FWP_CONDITION_L2_IS_NATIVE_ETHERNET","features":[324]},{"name":"FWP_CONDITION_L2_IS_VM2VM","features":[324]},{"name":"FWP_CONDITION_L2_IS_WIFI","features":[324]},{"name":"FWP_CONDITION_L2_IS_WIFI_DIRECT_DATA","features":[324]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_CHECK_OFFLOAD","features":[324]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_CLASSIFY_COMPLETION","features":[324]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_EDP_POLICY_CHANGED","features":[324]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_IPSEC_PROPERTIES_CHANGED","features":[324]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_MID_STREAM_INSPECTION","features":[324]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_NEW_ARRIVAL_INTERFACE","features":[324]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_NEW_INBOUND_MCAST_BCAST_PACKET","features":[324]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_NEW_NEXTHOP_INTERFACE","features":[324]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_POLICY_CHANGE","features":[324]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_PROFILE_CROSSING","features":[324]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_PROXY_HANDLE_CHANGED","features":[324]},{"name":"FWP_CONDITION_REAUTHORIZE_REASON_SOCKET_PROPERTY_CHANGED","features":[324]},{"name":"FWP_CONDITION_SOCKET_PROPERTY_FLAG_ALLOW_EDGE_TRAFFIC","features":[324]},{"name":"FWP_CONDITION_SOCKET_PROPERTY_FLAG_DENY_EDGE_TRAFFIC","features":[324]},{"name":"FWP_CONDITION_SOCKET_PROPERTY_FLAG_IS_SYSTEM_PORT_RPC","features":[324]},{"name":"FWP_CONDITION_VALUE0","features":[308,324,311]},{"name":"FWP_DATA_TYPE","features":[324]},{"name":"FWP_DATA_TYPE_MAX","features":[324]},{"name":"FWP_DIRECTION","features":[324]},{"name":"FWP_DIRECTION_INBOUND","features":[324]},{"name":"FWP_DIRECTION_MAX","features":[324]},{"name":"FWP_DIRECTION_OUTBOUND","features":[324]},{"name":"FWP_DOUBLE","features":[324]},{"name":"FWP_EMPTY","features":[324]},{"name":"FWP_ETHER_ENCAP_METHOD","features":[324]},{"name":"FWP_ETHER_ENCAP_METHOD_ETHER_V2","features":[324]},{"name":"FWP_ETHER_ENCAP_METHOD_SNAP","features":[324]},{"name":"FWP_ETHER_ENCAP_METHOD_SNAP_W_OUI_ZERO","features":[324]},{"name":"FWP_FILTER_ENUM_FLAG_BEST_TERMINATING_MATCH","features":[324]},{"name":"FWP_FILTER_ENUM_FLAG_BOOTTIME_ONLY","features":[324]},{"name":"FWP_FILTER_ENUM_FLAG_INCLUDE_BOOTTIME","features":[324]},{"name":"FWP_FILTER_ENUM_FLAG_INCLUDE_DISABLED","features":[324]},{"name":"FWP_FILTER_ENUM_FLAG_RESERVED1","features":[324]},{"name":"FWP_FILTER_ENUM_FLAG_SORTED","features":[324]},{"name":"FWP_FILTER_ENUM_FULLY_CONTAINED","features":[324]},{"name":"FWP_FILTER_ENUM_OVERLAPPING","features":[324]},{"name":"FWP_FILTER_ENUM_TYPE","features":[324]},{"name":"FWP_FILTER_ENUM_TYPE_MAX","features":[324]},{"name":"FWP_FLOAT","features":[324]},{"name":"FWP_INT16","features":[324]},{"name":"FWP_INT32","features":[324]},{"name":"FWP_INT64","features":[324]},{"name":"FWP_INT8","features":[324]},{"name":"FWP_IP_VERSION","features":[324]},{"name":"FWP_IP_VERSION_MAX","features":[324]},{"name":"FWP_IP_VERSION_NONE","features":[324]},{"name":"FWP_IP_VERSION_V4","features":[324]},{"name":"FWP_IP_VERSION_V6","features":[324]},{"name":"FWP_MATCH_EQUAL","features":[324]},{"name":"FWP_MATCH_EQUAL_CASE_INSENSITIVE","features":[324]},{"name":"FWP_MATCH_FLAGS_ALL_SET","features":[324]},{"name":"FWP_MATCH_FLAGS_ANY_SET","features":[324]},{"name":"FWP_MATCH_FLAGS_NONE_SET","features":[324]},{"name":"FWP_MATCH_GREATER","features":[324]},{"name":"FWP_MATCH_GREATER_OR_EQUAL","features":[324]},{"name":"FWP_MATCH_LESS","features":[324]},{"name":"FWP_MATCH_LESS_OR_EQUAL","features":[324]},{"name":"FWP_MATCH_NOT_EQUAL","features":[324]},{"name":"FWP_MATCH_NOT_PREFIX","features":[324]},{"name":"FWP_MATCH_PREFIX","features":[324]},{"name":"FWP_MATCH_RANGE","features":[324]},{"name":"FWP_MATCH_TYPE","features":[324]},{"name":"FWP_MATCH_TYPE_MAX","features":[324]},{"name":"FWP_NETWORK_CONNECTION_POLICY_MAX","features":[324]},{"name":"FWP_NETWORK_CONNECTION_POLICY_NEXT_HOP","features":[324]},{"name":"FWP_NETWORK_CONNECTION_POLICY_NEXT_HOP_INTERFACE","features":[324]},{"name":"FWP_NETWORK_CONNECTION_POLICY_SETTING_TYPE","features":[324]},{"name":"FWP_NETWORK_CONNECTION_POLICY_SOURCE_ADDRESS","features":[324]},{"name":"FWP_OPTION_VALUE_ALLOW_GLOBAL_MULTICAST_STATE","features":[324]},{"name":"FWP_OPTION_VALUE_ALLOW_MULTICAST_STATE","features":[324]},{"name":"FWP_OPTION_VALUE_DENY_MULTICAST_STATE","features":[324]},{"name":"FWP_OPTION_VALUE_DISABLE_LOCAL_ONLY_MAPPING","features":[324]},{"name":"FWP_OPTION_VALUE_DISABLE_LOOSE_SOURCE","features":[324]},{"name":"FWP_OPTION_VALUE_ENABLE_LOCAL_ONLY_MAPPING","features":[324]},{"name":"FWP_OPTION_VALUE_ENABLE_LOOSE_SOURCE","features":[324]},{"name":"FWP_RANGE0","features":[308,324,311]},{"name":"FWP_RANGE_TYPE","features":[324]},{"name":"FWP_SECURITY_DESCRIPTOR_TYPE","features":[324]},{"name":"FWP_SID","features":[324]},{"name":"FWP_SINGLE_DATA_TYPE_MAX","features":[324]},{"name":"FWP_TOKEN_ACCESS_INFORMATION_TYPE","features":[324]},{"name":"FWP_TOKEN_INFORMATION","features":[308,324,311]},{"name":"FWP_TOKEN_INFORMATION_TYPE","features":[324]},{"name":"FWP_UINT16","features":[324]},{"name":"FWP_UINT32","features":[324]},{"name":"FWP_UINT64","features":[324]},{"name":"FWP_UINT8","features":[324]},{"name":"FWP_UNICODE_STRING_TYPE","features":[324]},{"name":"FWP_V4_ADDR_AND_MASK","features":[324]},{"name":"FWP_V4_ADDR_MASK","features":[324]},{"name":"FWP_V6_ADDR_AND_MASK","features":[324]},{"name":"FWP_V6_ADDR_MASK","features":[324]},{"name":"FWP_V6_ADDR_SIZE","features":[324]},{"name":"FWP_VALUE0","features":[308,324,311]},{"name":"FWP_VSWITCH_NETWORK_TYPE","features":[324]},{"name":"FWP_VSWITCH_NETWORK_TYPE_EXTERNAL","features":[324]},{"name":"FWP_VSWITCH_NETWORK_TYPE_INTERNAL","features":[324]},{"name":"FWP_VSWITCH_NETWORK_TYPE_PRIVATE","features":[324]},{"name":"FWP_VSWITCH_NETWORK_TYPE_UNKNOWN","features":[324]},{"name":"FwpmCalloutAdd0","features":[308,324,311]},{"name":"FwpmCalloutCreateEnumHandle0","features":[308,324]},{"name":"FwpmCalloutDeleteById0","features":[308,324]},{"name":"FwpmCalloutDeleteByKey0","features":[308,324]},{"name":"FwpmCalloutDestroyEnumHandle0","features":[308,324]},{"name":"FwpmCalloutEnum0","features":[308,324]},{"name":"FwpmCalloutGetById0","features":[308,324]},{"name":"FwpmCalloutGetByKey0","features":[308,324]},{"name":"FwpmCalloutGetSecurityInfoByKey0","features":[308,324,311]},{"name":"FwpmCalloutSetSecurityInfoByKey0","features":[308,324,311]},{"name":"FwpmCalloutSubscribeChanges0","features":[308,324]},{"name":"FwpmCalloutSubscriptionsGet0","features":[308,324]},{"name":"FwpmCalloutUnsubscribeChanges0","features":[308,324]},{"name":"FwpmConnectionCreateEnumHandle0","features":[308,324]},{"name":"FwpmConnectionDestroyEnumHandle0","features":[308,324]},{"name":"FwpmConnectionEnum0","features":[308,324]},{"name":"FwpmConnectionGetById0","features":[308,324]},{"name":"FwpmConnectionGetSecurityInfo0","features":[308,324,311]},{"name":"FwpmConnectionSetSecurityInfo0","features":[308,324,311]},{"name":"FwpmConnectionSubscribe0","features":[308,324]},{"name":"FwpmConnectionUnsubscribe0","features":[308,324]},{"name":"FwpmDynamicKeywordSubscribe0","features":[308,324]},{"name":"FwpmDynamicKeywordUnsubscribe0","features":[308,324]},{"name":"FwpmEngineClose0","features":[308,324]},{"name":"FwpmEngineGetOption0","features":[308,324,311]},{"name":"FwpmEngineGetSecurityInfo0","features":[308,324,311]},{"name":"FwpmEngineOpen0","features":[308,324,311,325]},{"name":"FwpmEngineSetOption0","features":[308,324,311]},{"name":"FwpmEngineSetSecurityInfo0","features":[308,324,311]},{"name":"FwpmFilterAdd0","features":[308,324,311]},{"name":"FwpmFilterCreateEnumHandle0","features":[308,324,311]},{"name":"FwpmFilterDeleteById0","features":[308,324]},{"name":"FwpmFilterDeleteByKey0","features":[308,324]},{"name":"FwpmFilterDestroyEnumHandle0","features":[308,324]},{"name":"FwpmFilterEnum0","features":[308,324,311]},{"name":"FwpmFilterGetById0","features":[308,324,311]},{"name":"FwpmFilterGetByKey0","features":[308,324,311]},{"name":"FwpmFilterGetSecurityInfoByKey0","features":[308,324,311]},{"name":"FwpmFilterSetSecurityInfoByKey0","features":[308,324,311]},{"name":"FwpmFilterSubscribeChanges0","features":[308,324,311]},{"name":"FwpmFilterSubscriptionsGet0","features":[308,324,311]},{"name":"FwpmFilterUnsubscribeChanges0","features":[308,324]},{"name":"FwpmFreeMemory0","features":[324]},{"name":"FwpmGetAppIdFromFileName0","features":[324]},{"name":"FwpmIPsecTunnelAdd0","features":[308,324,311]},{"name":"FwpmIPsecTunnelAdd1","features":[308,324,311]},{"name":"FwpmIPsecTunnelAdd2","features":[308,324,311]},{"name":"FwpmIPsecTunnelAdd3","features":[308,324,311]},{"name":"FwpmIPsecTunnelDeleteByKey0","features":[308,324]},{"name":"FwpmLayerCreateEnumHandle0","features":[308,324]},{"name":"FwpmLayerDestroyEnumHandle0","features":[308,324]},{"name":"FwpmLayerEnum0","features":[308,324]},{"name":"FwpmLayerGetById0","features":[308,324]},{"name":"FwpmLayerGetByKey0","features":[308,324]},{"name":"FwpmLayerGetSecurityInfoByKey0","features":[308,324,311]},{"name":"FwpmLayerSetSecurityInfoByKey0","features":[308,324,311]},{"name":"FwpmNetEventCreateEnumHandle0","features":[308,324,311]},{"name":"FwpmNetEventDestroyEnumHandle0","features":[308,324]},{"name":"FwpmNetEventEnum0","features":[308,324,311]},{"name":"FwpmNetEventEnum1","features":[308,324,311]},{"name":"FwpmNetEventEnum2","features":[308,324,311]},{"name":"FwpmNetEventEnum3","features":[308,324,311]},{"name":"FwpmNetEventEnum4","features":[308,324,311]},{"name":"FwpmNetEventEnum5","features":[308,324,311]},{"name":"FwpmNetEventSubscribe0","features":[308,324,311]},{"name":"FwpmNetEventSubscribe1","features":[308,324,311]},{"name":"FwpmNetEventSubscribe2","features":[308,324,311]},{"name":"FwpmNetEventSubscribe3","features":[308,324,311]},{"name":"FwpmNetEventSubscribe4","features":[308,324,311]},{"name":"FwpmNetEventSubscriptionsGet0","features":[308,324,311]},{"name":"FwpmNetEventUnsubscribe0","features":[308,324]},{"name":"FwpmNetEventsGetSecurityInfo0","features":[308,324,311]},{"name":"FwpmNetEventsSetSecurityInfo0","features":[308,324,311]},{"name":"FwpmProviderAdd0","features":[308,324,311]},{"name":"FwpmProviderContextAdd0","features":[308,324,311]},{"name":"FwpmProviderContextAdd1","features":[308,324,311]},{"name":"FwpmProviderContextAdd2","features":[308,324,311]},{"name":"FwpmProviderContextAdd3","features":[308,324,311]},{"name":"FwpmProviderContextCreateEnumHandle0","features":[308,324]},{"name":"FwpmProviderContextDeleteById0","features":[308,324]},{"name":"FwpmProviderContextDeleteByKey0","features":[308,324]},{"name":"FwpmProviderContextDestroyEnumHandle0","features":[308,324]},{"name":"FwpmProviderContextEnum0","features":[308,324,311]},{"name":"FwpmProviderContextEnum1","features":[308,324,311]},{"name":"FwpmProviderContextEnum2","features":[308,324,311]},{"name":"FwpmProviderContextEnum3","features":[308,324,311]},{"name":"FwpmProviderContextGetById0","features":[308,324,311]},{"name":"FwpmProviderContextGetById1","features":[308,324,311]},{"name":"FwpmProviderContextGetById2","features":[308,324,311]},{"name":"FwpmProviderContextGetById3","features":[308,324,311]},{"name":"FwpmProviderContextGetByKey0","features":[308,324,311]},{"name":"FwpmProviderContextGetByKey1","features":[308,324,311]},{"name":"FwpmProviderContextGetByKey2","features":[308,324,311]},{"name":"FwpmProviderContextGetByKey3","features":[308,324,311]},{"name":"FwpmProviderContextGetSecurityInfoByKey0","features":[308,324,311]},{"name":"FwpmProviderContextSetSecurityInfoByKey0","features":[308,324,311]},{"name":"FwpmProviderContextSubscribeChanges0","features":[308,324]},{"name":"FwpmProviderContextSubscriptionsGet0","features":[308,324]},{"name":"FwpmProviderContextUnsubscribeChanges0","features":[308,324]},{"name":"FwpmProviderCreateEnumHandle0","features":[308,324]},{"name":"FwpmProviderDeleteByKey0","features":[308,324]},{"name":"FwpmProviderDestroyEnumHandle0","features":[308,324]},{"name":"FwpmProviderEnum0","features":[308,324]},{"name":"FwpmProviderGetByKey0","features":[308,324]},{"name":"FwpmProviderGetSecurityInfoByKey0","features":[308,324,311]},{"name":"FwpmProviderSetSecurityInfoByKey0","features":[308,324,311]},{"name":"FwpmProviderSubscribeChanges0","features":[308,324]},{"name":"FwpmProviderSubscriptionsGet0","features":[308,324]},{"name":"FwpmProviderUnsubscribeChanges0","features":[308,324]},{"name":"FwpmSessionCreateEnumHandle0","features":[308,324]},{"name":"FwpmSessionDestroyEnumHandle0","features":[308,324]},{"name":"FwpmSessionEnum0","features":[308,324,311]},{"name":"FwpmSubLayerAdd0","features":[308,324,311]},{"name":"FwpmSubLayerCreateEnumHandle0","features":[308,324]},{"name":"FwpmSubLayerDeleteByKey0","features":[308,324]},{"name":"FwpmSubLayerDestroyEnumHandle0","features":[308,324]},{"name":"FwpmSubLayerEnum0","features":[308,324]},{"name":"FwpmSubLayerGetByKey0","features":[308,324]},{"name":"FwpmSubLayerGetSecurityInfoByKey0","features":[308,324,311]},{"name":"FwpmSubLayerSetSecurityInfoByKey0","features":[308,324,311]},{"name":"FwpmSubLayerSubscribeChanges0","features":[308,324]},{"name":"FwpmSubLayerSubscriptionsGet0","features":[308,324]},{"name":"FwpmSubLayerUnsubscribeChanges0","features":[308,324]},{"name":"FwpmSystemPortsGet0","features":[308,324]},{"name":"FwpmSystemPortsSubscribe0","features":[308,324]},{"name":"FwpmSystemPortsUnsubscribe0","features":[308,324]},{"name":"FwpmTransactionAbort0","features":[308,324]},{"name":"FwpmTransactionBegin0","features":[308,324]},{"name":"FwpmTransactionCommit0","features":[308,324]},{"name":"FwpmvSwitchEventSubscribe0","features":[308,324]},{"name":"FwpmvSwitchEventUnsubscribe0","features":[308,324]},{"name":"FwpmvSwitchEventsGetSecurityInfo0","features":[308,324,311]},{"name":"FwpmvSwitchEventsSetSecurityInfo0","features":[308,324,311]},{"name":"IKEEXT_ANONYMOUS","features":[324]},{"name":"IKEEXT_AUTHENTICATION_IMPERSONATION_TYPE","features":[324]},{"name":"IKEEXT_AUTHENTICATION_METHOD0","features":[324]},{"name":"IKEEXT_AUTHENTICATION_METHOD1","features":[324]},{"name":"IKEEXT_AUTHENTICATION_METHOD2","features":[324]},{"name":"IKEEXT_AUTHENTICATION_METHOD_TYPE","features":[324]},{"name":"IKEEXT_AUTHENTICATION_METHOD_TYPE_MAX","features":[324]},{"name":"IKEEXT_CERTIFICATE","features":[324]},{"name":"IKEEXT_CERTIFICATE_AUTHENTICATION0","features":[324]},{"name":"IKEEXT_CERTIFICATE_AUTHENTICATION1","features":[324]},{"name":"IKEEXT_CERTIFICATE_AUTHENTICATION2","features":[324]},{"name":"IKEEXT_CERTIFICATE_CREDENTIAL0","features":[324]},{"name":"IKEEXT_CERTIFICATE_CREDENTIAL1","features":[324]},{"name":"IKEEXT_CERTIFICATE_CRITERIA0","features":[324]},{"name":"IKEEXT_CERTIFICATE_ECDSA_P256","features":[324]},{"name":"IKEEXT_CERTIFICATE_ECDSA_P384","features":[324]},{"name":"IKEEXT_CERT_AUTH","features":[324]},{"name":"IKEEXT_CERT_AUTH_ALLOW_HTTP_CERT_LOOKUP","features":[324]},{"name":"IKEEXT_CERT_AUTH_DISABLE_SSL_CERT_VALIDATION","features":[324]},{"name":"IKEEXT_CERT_AUTH_ENABLE_CRL_CHECK_STRONG","features":[324]},{"name":"IKEEXT_CERT_AUTH_FLAG_DISABLE_CRL_CHECK","features":[324]},{"name":"IKEEXT_CERT_AUTH_FLAG_DISABLE_REQUEST_PAYLOAD","features":[324]},{"name":"IKEEXT_CERT_AUTH_FLAG_SSL_ONE_WAY","features":[324]},{"name":"IKEEXT_CERT_AUTH_URL_CONTAINS_BUNDLE","features":[324]},{"name":"IKEEXT_CERT_CONFIG_ENTERPRISE_STORE","features":[324]},{"name":"IKEEXT_CERT_CONFIG_EXPLICIT_TRUST_LIST","features":[324]},{"name":"IKEEXT_CERT_CONFIG_TRUSTED_ROOT_STORE","features":[324]},{"name":"IKEEXT_CERT_CONFIG_TYPE","features":[324]},{"name":"IKEEXT_CERT_CONFIG_TYPE_MAX","features":[324]},{"name":"IKEEXT_CERT_CONFIG_UNSPECIFIED","features":[324]},{"name":"IKEEXT_CERT_CREDENTIAL_FLAG_NAP_CERT","features":[324]},{"name":"IKEEXT_CERT_CRITERIA_CN","features":[324]},{"name":"IKEEXT_CERT_CRITERIA_DC","features":[324]},{"name":"IKEEXT_CERT_CRITERIA_DNS","features":[324]},{"name":"IKEEXT_CERT_CRITERIA_NAME_TYPE","features":[324]},{"name":"IKEEXT_CERT_CRITERIA_NAME_TYPE_MAX","features":[324]},{"name":"IKEEXT_CERT_CRITERIA_O","features":[324]},{"name":"IKEEXT_CERT_CRITERIA_OU","features":[324]},{"name":"IKEEXT_CERT_CRITERIA_RFC822","features":[324]},{"name":"IKEEXT_CERT_CRITERIA_UPN","features":[324]},{"name":"IKEEXT_CERT_EKUS0","features":[324]},{"name":"IKEEXT_CERT_FLAGS","features":[324]},{"name":"IKEEXT_CERT_FLAG_DISABLE_REQUEST_PAYLOAD","features":[324]},{"name":"IKEEXT_CERT_FLAG_ENABLE_ACCOUNT_MAPPING","features":[324]},{"name":"IKEEXT_CERT_FLAG_FOLLOW_RENEWAL_CERTIFICATE","features":[324]},{"name":"IKEEXT_CERT_FLAG_IGNORE_INIT_CERT_MAP_FAILURE","features":[324]},{"name":"IKEEXT_CERT_FLAG_INTERMEDIATE_CA","features":[324]},{"name":"IKEEXT_CERT_FLAG_PREFER_NAP_CERTIFICATE_OUTBOUND","features":[324]},{"name":"IKEEXT_CERT_FLAG_SELECT_NAP_CERTIFICATE","features":[324]},{"name":"IKEEXT_CERT_FLAG_USE_NAP_CERTIFICATE","features":[324]},{"name":"IKEEXT_CERT_FLAG_VERIFY_NAP_CERTIFICATE","features":[324]},{"name":"IKEEXT_CERT_HASH_LEN","features":[324]},{"name":"IKEEXT_CERT_NAME0","features":[324]},{"name":"IKEEXT_CERT_ROOT_CONFIG0","features":[324]},{"name":"IKEEXT_CIPHER_3DES","features":[324]},{"name":"IKEEXT_CIPHER_AES_128","features":[324]},{"name":"IKEEXT_CIPHER_AES_192","features":[324]},{"name":"IKEEXT_CIPHER_AES_256","features":[324]},{"name":"IKEEXT_CIPHER_AES_GCM_128_16ICV","features":[324]},{"name":"IKEEXT_CIPHER_AES_GCM_256_16ICV","features":[324]},{"name":"IKEEXT_CIPHER_ALGORITHM0","features":[324]},{"name":"IKEEXT_CIPHER_DES","features":[324]},{"name":"IKEEXT_CIPHER_TYPE","features":[324]},{"name":"IKEEXT_CIPHER_TYPE_MAX","features":[324]},{"name":"IKEEXT_COMMON_STATISTICS0","features":[324]},{"name":"IKEEXT_COMMON_STATISTICS1","features":[324]},{"name":"IKEEXT_COOKIE_PAIR0","features":[324]},{"name":"IKEEXT_CREDENTIAL0","features":[324]},{"name":"IKEEXT_CREDENTIAL1","features":[324]},{"name":"IKEEXT_CREDENTIAL2","features":[324]},{"name":"IKEEXT_CREDENTIALS0","features":[324]},{"name":"IKEEXT_CREDENTIALS1","features":[324]},{"name":"IKEEXT_CREDENTIALS2","features":[324]},{"name":"IKEEXT_CREDENTIAL_PAIR0","features":[324]},{"name":"IKEEXT_CREDENTIAL_PAIR1","features":[324]},{"name":"IKEEXT_CREDENTIAL_PAIR2","features":[324]},{"name":"IKEEXT_DH_ECP_256","features":[324]},{"name":"IKEEXT_DH_ECP_384","features":[324]},{"name":"IKEEXT_DH_GROUP","features":[324]},{"name":"IKEEXT_DH_GROUP_1","features":[324]},{"name":"IKEEXT_DH_GROUP_14","features":[324]},{"name":"IKEEXT_DH_GROUP_2","features":[324]},{"name":"IKEEXT_DH_GROUP_2048","features":[324]},{"name":"IKEEXT_DH_GROUP_24","features":[324]},{"name":"IKEEXT_DH_GROUP_MAX","features":[324]},{"name":"IKEEXT_DH_GROUP_NONE","features":[324]},{"name":"IKEEXT_EAP","features":[324]},{"name":"IKEEXT_EAP_AUTHENTICATION0","features":[324]},{"name":"IKEEXT_EAP_AUTHENTICATION_FLAGS","features":[324]},{"name":"IKEEXT_EAP_FLAG_LOCAL_AUTH_ONLY","features":[324]},{"name":"IKEEXT_EAP_FLAG_REMOTE_AUTH_ONLY","features":[324]},{"name":"IKEEXT_EM_POLICY0","features":[324]},{"name":"IKEEXT_EM_POLICY1","features":[324]},{"name":"IKEEXT_EM_POLICY2","features":[324]},{"name":"IKEEXT_EM_SA_STATE","features":[324]},{"name":"IKEEXT_EM_SA_STATE_AUTH_COMPLETE","features":[324]},{"name":"IKEEXT_EM_SA_STATE_COMPLETE","features":[324]},{"name":"IKEEXT_EM_SA_STATE_FINAL","features":[324]},{"name":"IKEEXT_EM_SA_STATE_MAX","features":[324]},{"name":"IKEEXT_EM_SA_STATE_NONE","features":[324]},{"name":"IKEEXT_EM_SA_STATE_SENT_ATTS","features":[324]},{"name":"IKEEXT_EM_SA_STATE_SSPI_SENT","features":[324]},{"name":"IKEEXT_IMPERSONATION_MAX","features":[324]},{"name":"IKEEXT_IMPERSONATION_NONE","features":[324]},{"name":"IKEEXT_IMPERSONATION_SOCKET_PRINCIPAL","features":[324]},{"name":"IKEEXT_INTEGRITY_ALGORITHM0","features":[324]},{"name":"IKEEXT_INTEGRITY_MD5","features":[324]},{"name":"IKEEXT_INTEGRITY_SHA1","features":[324]},{"name":"IKEEXT_INTEGRITY_SHA_256","features":[324]},{"name":"IKEEXT_INTEGRITY_SHA_384","features":[324]},{"name":"IKEEXT_INTEGRITY_TYPE","features":[324]},{"name":"IKEEXT_INTEGRITY_TYPE_MAX","features":[324]},{"name":"IKEEXT_IPV6_CGA","features":[324]},{"name":"IKEEXT_IPV6_CGA_AUTHENTICATION0","features":[324]},{"name":"IKEEXT_IP_VERSION_SPECIFIC_COMMON_STATISTICS0","features":[324]},{"name":"IKEEXT_IP_VERSION_SPECIFIC_COMMON_STATISTICS1","features":[324]},{"name":"IKEEXT_IP_VERSION_SPECIFIC_KEYMODULE_STATISTICS0","features":[324]},{"name":"IKEEXT_IP_VERSION_SPECIFIC_KEYMODULE_STATISTICS1","features":[324]},{"name":"IKEEXT_KERBEROS","features":[324]},{"name":"IKEEXT_KERBEROS_AUTHENTICATION0","features":[324]},{"name":"IKEEXT_KERBEROS_AUTHENTICATION1","features":[324]},{"name":"IKEEXT_KERBEROS_AUTHENTICATION_FLAGS","features":[324]},{"name":"IKEEXT_KERB_AUTH_DISABLE_INITIATOR_TOKEN_GENERATION","features":[324]},{"name":"IKEEXT_KERB_AUTH_DONT_ACCEPT_EXPLICIT_CREDENTIALS","features":[324]},{"name":"IKEEXT_KERB_AUTH_FORCE_PROXY_ON_INITIATOR","features":[324]},{"name":"IKEEXT_KEYMODULE_STATISTICS0","features":[324]},{"name":"IKEEXT_KEYMODULE_STATISTICS1","features":[324]},{"name":"IKEEXT_KEY_MODULE_AUTHIP","features":[324]},{"name":"IKEEXT_KEY_MODULE_IKE","features":[324]},{"name":"IKEEXT_KEY_MODULE_IKEV2","features":[324]},{"name":"IKEEXT_KEY_MODULE_MAX","features":[324]},{"name":"IKEEXT_KEY_MODULE_TYPE","features":[324]},{"name":"IKEEXT_MM_SA_STATE","features":[324]},{"name":"IKEEXT_MM_SA_STATE_COMPLETE","features":[324]},{"name":"IKEEXT_MM_SA_STATE_FINAL","features":[324]},{"name":"IKEEXT_MM_SA_STATE_FINAL_SENT","features":[324]},{"name":"IKEEXT_MM_SA_STATE_MAX","features":[324]},{"name":"IKEEXT_MM_SA_STATE_NONE","features":[324]},{"name":"IKEEXT_MM_SA_STATE_SA_SENT","features":[324]},{"name":"IKEEXT_MM_SA_STATE_SSPI_SENT","features":[324]},{"name":"IKEEXT_NAME_CREDENTIAL0","features":[324]},{"name":"IKEEXT_NTLM_V2","features":[324]},{"name":"IKEEXT_NTLM_V2_AUTHENTICATION0","features":[324]},{"name":"IKEEXT_NTLM_V2_AUTH_DONT_ACCEPT_EXPLICIT_CREDENTIALS","features":[324]},{"name":"IKEEXT_POLICY0","features":[324]},{"name":"IKEEXT_POLICY1","features":[324]},{"name":"IKEEXT_POLICY2","features":[324]},{"name":"IKEEXT_POLICY_ENABLE_IKEV2_FRAGMENTATION","features":[324]},{"name":"IKEEXT_POLICY_FLAG","features":[324]},{"name":"IKEEXT_POLICY_FLAG_DISABLE_DIAGNOSTICS","features":[324]},{"name":"IKEEXT_POLICY_FLAG_ENABLE_OPTIONAL_DH","features":[324]},{"name":"IKEEXT_POLICY_FLAG_IMS_VPN","features":[324]},{"name":"IKEEXT_POLICY_FLAG_MOBIKE_NOT_SUPPORTED","features":[324]},{"name":"IKEEXT_POLICY_FLAG_NO_IMPERSONATION_LUID_VERIFY","features":[324]},{"name":"IKEEXT_POLICY_FLAG_NO_MACHINE_LUID_VERIFY","features":[324]},{"name":"IKEEXT_POLICY_FLAG_SITE_TO_SITE","features":[324]},{"name":"IKEEXT_POLICY_SUPPORT_LOW_POWER_MODE","features":[324]},{"name":"IKEEXT_PRESHARED_KEY","features":[324]},{"name":"IKEEXT_PRESHARED_KEY_AUTHENTICATION0","features":[324]},{"name":"IKEEXT_PRESHARED_KEY_AUTHENTICATION1","features":[324]},{"name":"IKEEXT_PRESHARED_KEY_AUTHENTICATION_FLAGS","features":[324]},{"name":"IKEEXT_PROPOSAL0","features":[324]},{"name":"IKEEXT_PSK_FLAG_LOCAL_AUTH_ONLY","features":[324]},{"name":"IKEEXT_PSK_FLAG_REMOTE_AUTH_ONLY","features":[324]},{"name":"IKEEXT_QM_SA_STATE","features":[324]},{"name":"IKEEXT_QM_SA_STATE_COMPLETE","features":[324]},{"name":"IKEEXT_QM_SA_STATE_FINAL","features":[324]},{"name":"IKEEXT_QM_SA_STATE_INITIAL","features":[324]},{"name":"IKEEXT_QM_SA_STATE_MAX","features":[324]},{"name":"IKEEXT_QM_SA_STATE_NONE","features":[324]},{"name":"IKEEXT_RESERVED","features":[324]},{"name":"IKEEXT_RESERVED_AUTHENTICATION0","features":[324]},{"name":"IKEEXT_RESERVED_AUTHENTICATION_FLAGS","features":[324]},{"name":"IKEEXT_RESERVED_AUTH_DISABLE_INITIATOR_TOKEN_GENERATION","features":[324]},{"name":"IKEEXT_SA_DETAILS0","features":[324]},{"name":"IKEEXT_SA_DETAILS1","features":[324]},{"name":"IKEEXT_SA_DETAILS2","features":[324]},{"name":"IKEEXT_SA_ENUM_TEMPLATE0","features":[308,324,311]},{"name":"IKEEXT_SA_ROLE","features":[324]},{"name":"IKEEXT_SA_ROLE_INITIATOR","features":[324]},{"name":"IKEEXT_SA_ROLE_MAX","features":[324]},{"name":"IKEEXT_SA_ROLE_RESPONDER","features":[324]},{"name":"IKEEXT_SSL","features":[324]},{"name":"IKEEXT_SSL_ECDSA_P256","features":[324]},{"name":"IKEEXT_SSL_ECDSA_P384","features":[324]},{"name":"IKEEXT_STATISTICS0","features":[324]},{"name":"IKEEXT_STATISTICS1","features":[324]},{"name":"IKEEXT_TRAFFIC0","features":[324]},{"name":"IPSEC_ADDRESS_INFO0","features":[324]},{"name":"IPSEC_AGGREGATE_DROP_PACKET_STATISTICS0","features":[324]},{"name":"IPSEC_AGGREGATE_DROP_PACKET_STATISTICS1","features":[324]},{"name":"IPSEC_AGGREGATE_SA_STATISTICS0","features":[324]},{"name":"IPSEC_AH_DROP_PACKET_STATISTICS0","features":[324]},{"name":"IPSEC_AUTH_AES_128","features":[324]},{"name":"IPSEC_AUTH_AES_192","features":[324]},{"name":"IPSEC_AUTH_AES_256","features":[324]},{"name":"IPSEC_AUTH_AND_CIPHER_TRANSFORM0","features":[324]},{"name":"IPSEC_AUTH_CONFIG_GCM_AES_128","features":[324]},{"name":"IPSEC_AUTH_CONFIG_GCM_AES_192","features":[324]},{"name":"IPSEC_AUTH_CONFIG_GCM_AES_256","features":[324]},{"name":"IPSEC_AUTH_CONFIG_HMAC_MD5_96","features":[324]},{"name":"IPSEC_AUTH_CONFIG_HMAC_SHA_1_96","features":[324]},{"name":"IPSEC_AUTH_CONFIG_HMAC_SHA_256_128","features":[324]},{"name":"IPSEC_AUTH_CONFIG_MAX","features":[324]},{"name":"IPSEC_AUTH_MAX","features":[324]},{"name":"IPSEC_AUTH_MD5","features":[324]},{"name":"IPSEC_AUTH_SHA_1","features":[324]},{"name":"IPSEC_AUTH_SHA_256","features":[324]},{"name":"IPSEC_AUTH_TRANSFORM0","features":[324]},{"name":"IPSEC_AUTH_TRANSFORM_ID0","features":[324]},{"name":"IPSEC_AUTH_TYPE","features":[324]},{"name":"IPSEC_CIPHER_CONFIG_CBC_3DES","features":[324]},{"name":"IPSEC_CIPHER_CONFIG_CBC_AES_128","features":[324]},{"name":"IPSEC_CIPHER_CONFIG_CBC_AES_192","features":[324]},{"name":"IPSEC_CIPHER_CONFIG_CBC_AES_256","features":[324]},{"name":"IPSEC_CIPHER_CONFIG_CBC_DES","features":[324]},{"name":"IPSEC_CIPHER_CONFIG_GCM_AES_128","features":[324]},{"name":"IPSEC_CIPHER_CONFIG_GCM_AES_192","features":[324]},{"name":"IPSEC_CIPHER_CONFIG_GCM_AES_256","features":[324]},{"name":"IPSEC_CIPHER_CONFIG_MAX","features":[324]},{"name":"IPSEC_CIPHER_TRANSFORM0","features":[324]},{"name":"IPSEC_CIPHER_TRANSFORM_ID0","features":[324]},{"name":"IPSEC_CIPHER_TYPE","features":[324]},{"name":"IPSEC_CIPHER_TYPE_3DES","features":[324]},{"name":"IPSEC_CIPHER_TYPE_AES_128","features":[324]},{"name":"IPSEC_CIPHER_TYPE_AES_192","features":[324]},{"name":"IPSEC_CIPHER_TYPE_AES_256","features":[324]},{"name":"IPSEC_CIPHER_TYPE_DES","features":[324]},{"name":"IPSEC_CIPHER_TYPE_MAX","features":[324]},{"name":"IPSEC_DOSP_DSCP_DISABLE_VALUE","features":[324]},{"name":"IPSEC_DOSP_FLAGS","features":[324]},{"name":"IPSEC_DOSP_FLAG_DISABLE_AUTHIP","features":[324]},{"name":"IPSEC_DOSP_FLAG_DISABLE_DEFAULT_BLOCK","features":[324]},{"name":"IPSEC_DOSP_FLAG_ENABLE_IKEV1","features":[324]},{"name":"IPSEC_DOSP_FLAG_ENABLE_IKEV2","features":[324]},{"name":"IPSEC_DOSP_FLAG_FILTER_BLOCK","features":[324]},{"name":"IPSEC_DOSP_FLAG_FILTER_EXEMPT","features":[324]},{"name":"IPSEC_DOSP_OPTIONS0","features":[324]},{"name":"IPSEC_DOSP_RATE_LIMIT_DISABLE_VALUE","features":[324]},{"name":"IPSEC_DOSP_STATE0","features":[324]},{"name":"IPSEC_DOSP_STATE_ENUM_TEMPLATE0","features":[324]},{"name":"IPSEC_DOSP_STATISTICS0","features":[324]},{"name":"IPSEC_ESP_DROP_PACKET_STATISTICS0","features":[324]},{"name":"IPSEC_FAILURE_ME","features":[324]},{"name":"IPSEC_FAILURE_NONE","features":[324]},{"name":"IPSEC_FAILURE_PEER","features":[324]},{"name":"IPSEC_FAILURE_POINT","features":[324]},{"name":"IPSEC_FAILURE_POINT_MAX","features":[324]},{"name":"IPSEC_GETSPI0","features":[324]},{"name":"IPSEC_GETSPI1","features":[324]},{"name":"IPSEC_ID0","features":[324]},{"name":"IPSEC_KEYING_POLICY0","features":[324]},{"name":"IPSEC_KEYING_POLICY1","features":[324]},{"name":"IPSEC_KEYING_POLICY_FLAG_TERMINATING_MATCH","features":[324]},{"name":"IPSEC_KEYMODULE_STATE0","features":[324]},{"name":"IPSEC_KEY_MANAGER0","features":[324]},{"name":"IPSEC_KEY_MANAGER_CALLBACKS0","features":[308,324,311]},{"name":"IPSEC_KEY_MANAGER_DICTATE_KEY0","features":[308,324,311]},{"name":"IPSEC_KEY_MANAGER_FLAG_DICTATE_KEY","features":[324]},{"name":"IPSEC_KEY_MANAGER_KEY_DICTATION_CHECK0","features":[308,324]},{"name":"IPSEC_KEY_MANAGER_NOTIFY_KEY0","features":[308,324,311]},{"name":"IPSEC_PFS_1","features":[324]},{"name":"IPSEC_PFS_14","features":[324]},{"name":"IPSEC_PFS_2","features":[324]},{"name":"IPSEC_PFS_2048","features":[324]},{"name":"IPSEC_PFS_24","features":[324]},{"name":"IPSEC_PFS_ECP_256","features":[324]},{"name":"IPSEC_PFS_ECP_384","features":[324]},{"name":"IPSEC_PFS_GROUP","features":[324]},{"name":"IPSEC_PFS_MAX","features":[324]},{"name":"IPSEC_PFS_MM","features":[324]},{"name":"IPSEC_PFS_NONE","features":[324]},{"name":"IPSEC_POLICY_FLAG","features":[324]},{"name":"IPSEC_POLICY_FLAG_BANDWIDTH1","features":[324]},{"name":"IPSEC_POLICY_FLAG_BANDWIDTH2","features":[324]},{"name":"IPSEC_POLICY_FLAG_BANDWIDTH3","features":[324]},{"name":"IPSEC_POLICY_FLAG_BANDWIDTH4","features":[324]},{"name":"IPSEC_POLICY_FLAG_CLEAR_DF_ON_TUNNEL","features":[324]},{"name":"IPSEC_POLICY_FLAG_DONT_NEGOTIATE_BYTE_LIFETIME","features":[324]},{"name":"IPSEC_POLICY_FLAG_DONT_NEGOTIATE_SECOND_LIFETIME","features":[324]},{"name":"IPSEC_POLICY_FLAG_ENABLE_SERVER_ADDR_ASSIGNMENT","features":[324]},{"name":"IPSEC_POLICY_FLAG_ENABLE_V6_IN_V4_TUNNELING","features":[324]},{"name":"IPSEC_POLICY_FLAG_KEY_MANAGER_ALLOW_DICTATE_KEY","features":[324]},{"name":"IPSEC_POLICY_FLAG_KEY_MANAGER_ALLOW_NOTIFY_KEY","features":[324]},{"name":"IPSEC_POLICY_FLAG_NAT_ENCAP_ALLOW_GENERAL_NAT_TRAVERSAL","features":[324]},{"name":"IPSEC_POLICY_FLAG_NAT_ENCAP_ALLOW_PEER_BEHIND_NAT","features":[324]},{"name":"IPSEC_POLICY_FLAG_ND_BOUNDARY","features":[324]},{"name":"IPSEC_POLICY_FLAG_ND_SECURE","features":[324]},{"name":"IPSEC_POLICY_FLAG_RESERVED1","features":[324]},{"name":"IPSEC_POLICY_FLAG_SITE_TO_SITE_TUNNEL","features":[324]},{"name":"IPSEC_POLICY_FLAG_TUNNEL_ALLOW_OUTBOUND_CLEAR_CONNECTION","features":[324]},{"name":"IPSEC_POLICY_FLAG_TUNNEL_BYPASS_ALREADY_SECURE_CONNECTION","features":[324]},{"name":"IPSEC_POLICY_FLAG_TUNNEL_BYPASS_ICMPV6","features":[324]},{"name":"IPSEC_PROPOSAL0","features":[324]},{"name":"IPSEC_SA0","features":[324]},{"name":"IPSEC_SA_AUTH_AND_CIPHER_INFORMATION0","features":[324]},{"name":"IPSEC_SA_AUTH_INFORMATION0","features":[324]},{"name":"IPSEC_SA_BUNDLE0","features":[324]},{"name":"IPSEC_SA_BUNDLE1","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAGS","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_ALLOW_NULL_TARGET_NAME_MATCH","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_ASSUME_UDP_CONTEXT_OUTBOUND","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_CLEAR_DF_ON_TUNNEL","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_ENABLE_OPTIONAL_ASYMMETRIC_IDLE","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_FORCE_INBOUND_CONNECTIONS","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_FORCE_OUTBOUND_CONNECTIONS","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_FORWARD_PATH_INITIATOR","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_GUARANTEE_ENCRYPTION","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_IP_IN_IP_PKT","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_LOCALLY_DICTATED_KEYS","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_LOW_POWER_MODE_SUPPORT","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_ND_BOUNDARY","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_ND_PEER_BOUNDARY","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_ND_PEER_NAT_BOUNDARY","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_ND_SECURE","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_NLB","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_NO_EXPLICIT_CRED_MATCH","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_NO_IMPERSONATION_LUID_VERIFY","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_NO_MACHINE_LUID_VERIFY","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_PEER_SUPPORTS_GUARANTEE_ENCRYPTION","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_SA_OFFLOADED","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_SUPPRESS_DUPLICATE_DELETION","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_TUNNEL_BANDWIDTH1","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_TUNNEL_BANDWIDTH2","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_TUNNEL_BANDWIDTH3","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_TUNNEL_BANDWIDTH4","features":[324]},{"name":"IPSEC_SA_BUNDLE_FLAG_USING_DICTATED_KEYS","features":[324]},{"name":"IPSEC_SA_CIPHER_INFORMATION0","features":[324]},{"name":"IPSEC_SA_CONTEXT0","features":[308,324,311]},{"name":"IPSEC_SA_CONTEXT1","features":[308,324,311]},{"name":"IPSEC_SA_CONTEXT_CALLBACK0","features":[324]},{"name":"IPSEC_SA_CONTEXT_CHANGE0","features":[324]},{"name":"IPSEC_SA_CONTEXT_ENUM_TEMPLATE0","features":[308,324,311]},{"name":"IPSEC_SA_CONTEXT_EVENT_ADD","features":[324]},{"name":"IPSEC_SA_CONTEXT_EVENT_DELETE","features":[324]},{"name":"IPSEC_SA_CONTEXT_EVENT_MAX","features":[324]},{"name":"IPSEC_SA_CONTEXT_EVENT_TYPE0","features":[324]},{"name":"IPSEC_SA_CONTEXT_SUBSCRIPTION0","features":[308,324,311]},{"name":"IPSEC_SA_DETAILS0","features":[308,324,311]},{"name":"IPSEC_SA_DETAILS1","features":[308,324,311]},{"name":"IPSEC_SA_ENUM_TEMPLATE0","features":[324]},{"name":"IPSEC_SA_IDLE_TIMEOUT0","features":[324]},{"name":"IPSEC_SA_LIFETIME0","features":[324]},{"name":"IPSEC_SA_TRANSFORM0","features":[324]},{"name":"IPSEC_STATISTICS0","features":[324]},{"name":"IPSEC_STATISTICS1","features":[324]},{"name":"IPSEC_TOKEN0","features":[324]},{"name":"IPSEC_TOKEN_MODE","features":[324]},{"name":"IPSEC_TOKEN_MODE_EXTENDED","features":[324]},{"name":"IPSEC_TOKEN_MODE_MAIN","features":[324]},{"name":"IPSEC_TOKEN_MODE_MAX","features":[324]},{"name":"IPSEC_TOKEN_PRINCIPAL","features":[324]},{"name":"IPSEC_TOKEN_PRINCIPAL_LOCAL","features":[324]},{"name":"IPSEC_TOKEN_PRINCIPAL_MAX","features":[324]},{"name":"IPSEC_TOKEN_PRINCIPAL_PEER","features":[324]},{"name":"IPSEC_TOKEN_TYPE","features":[324]},{"name":"IPSEC_TOKEN_TYPE_IMPERSONATION","features":[324]},{"name":"IPSEC_TOKEN_TYPE_MACHINE","features":[324]},{"name":"IPSEC_TOKEN_TYPE_MAX","features":[324]},{"name":"IPSEC_TRAFFIC0","features":[324]},{"name":"IPSEC_TRAFFIC1","features":[324]},{"name":"IPSEC_TRAFFIC_SELECTOR0","features":[324]},{"name":"IPSEC_TRAFFIC_SELECTOR_POLICY0","features":[324]},{"name":"IPSEC_TRAFFIC_STATISTICS0","features":[324]},{"name":"IPSEC_TRAFFIC_STATISTICS1","features":[324]},{"name":"IPSEC_TRAFFIC_TYPE","features":[324]},{"name":"IPSEC_TRAFFIC_TYPE_MAX","features":[324]},{"name":"IPSEC_TRAFFIC_TYPE_TRANSPORT","features":[324]},{"name":"IPSEC_TRAFFIC_TYPE_TUNNEL","features":[324]},{"name":"IPSEC_TRANSFORM_AH","features":[324]},{"name":"IPSEC_TRANSFORM_ESP_AUTH","features":[324]},{"name":"IPSEC_TRANSFORM_ESP_AUTH_AND_CIPHER","features":[324]},{"name":"IPSEC_TRANSFORM_ESP_AUTH_FW","features":[324]},{"name":"IPSEC_TRANSFORM_ESP_CIPHER","features":[324]},{"name":"IPSEC_TRANSFORM_TYPE","features":[324]},{"name":"IPSEC_TRANSFORM_TYPE_MAX","features":[324]},{"name":"IPSEC_TRANSPORT_POLICY0","features":[324]},{"name":"IPSEC_TRANSPORT_POLICY1","features":[324]},{"name":"IPSEC_TRANSPORT_POLICY2","features":[324]},{"name":"IPSEC_TUNNEL_ENDPOINT0","features":[324]},{"name":"IPSEC_TUNNEL_ENDPOINTS0","features":[324]},{"name":"IPSEC_TUNNEL_ENDPOINTS1","features":[324]},{"name":"IPSEC_TUNNEL_ENDPOINTS2","features":[324]},{"name":"IPSEC_TUNNEL_POLICY0","features":[324]},{"name":"IPSEC_TUNNEL_POLICY1","features":[324]},{"name":"IPSEC_TUNNEL_POLICY2","features":[324]},{"name":"IPSEC_TUNNEL_POLICY3","features":[324]},{"name":"IPSEC_V4_UDP_ENCAPSULATION0","features":[324]},{"name":"IPSEC_VIRTUAL_IF_TUNNEL_INFO0","features":[324]},{"name":"IPsecDospGetSecurityInfo0","features":[308,324,311]},{"name":"IPsecDospGetStatistics0","features":[308,324]},{"name":"IPsecDospSetSecurityInfo0","features":[308,324,311]},{"name":"IPsecDospStateCreateEnumHandle0","features":[308,324]},{"name":"IPsecDospStateDestroyEnumHandle0","features":[308,324]},{"name":"IPsecDospStateEnum0","features":[308,324]},{"name":"IPsecGetStatistics0","features":[308,324]},{"name":"IPsecGetStatistics1","features":[308,324]},{"name":"IPsecKeyManagerAddAndRegister0","features":[308,324,311]},{"name":"IPsecKeyManagerGetSecurityInfoByKey0","features":[308,324,311]},{"name":"IPsecKeyManagerSetSecurityInfoByKey0","features":[308,324,311]},{"name":"IPsecKeyManagerUnregisterAndDelete0","features":[308,324]},{"name":"IPsecKeyManagersGet0","features":[308,324]},{"name":"IPsecSaContextAddInbound0","features":[308,324]},{"name":"IPsecSaContextAddInbound1","features":[308,324]},{"name":"IPsecSaContextAddOutbound0","features":[308,324]},{"name":"IPsecSaContextAddOutbound1","features":[308,324]},{"name":"IPsecSaContextCreate0","features":[308,324]},{"name":"IPsecSaContextCreate1","features":[308,324]},{"name":"IPsecSaContextCreateEnumHandle0","features":[308,324,311]},{"name":"IPsecSaContextDeleteById0","features":[308,324]},{"name":"IPsecSaContextDestroyEnumHandle0","features":[308,324]},{"name":"IPsecSaContextEnum0","features":[308,324,311]},{"name":"IPsecSaContextEnum1","features":[308,324,311]},{"name":"IPsecSaContextExpire0","features":[308,324]},{"name":"IPsecSaContextGetById0","features":[308,324,311]},{"name":"IPsecSaContextGetById1","features":[308,324,311]},{"name":"IPsecSaContextGetSpi0","features":[308,324]},{"name":"IPsecSaContextGetSpi1","features":[308,324]},{"name":"IPsecSaContextSetSpi0","features":[308,324]},{"name":"IPsecSaContextSubscribe0","features":[308,324,311]},{"name":"IPsecSaContextSubscriptionsGet0","features":[308,324,311]},{"name":"IPsecSaContextUnsubscribe0","features":[308,324]},{"name":"IPsecSaContextUpdate0","features":[308,324,311]},{"name":"IPsecSaCreateEnumHandle0","features":[308,324]},{"name":"IPsecSaDbGetSecurityInfo0","features":[308,324,311]},{"name":"IPsecSaDbSetSecurityInfo0","features":[308,324,311]},{"name":"IPsecSaDestroyEnumHandle0","features":[308,324]},{"name":"IPsecSaEnum0","features":[308,324,311]},{"name":"IPsecSaEnum1","features":[308,324,311]},{"name":"IkeextGetStatistics0","features":[308,324]},{"name":"IkeextGetStatistics1","features":[308,324]},{"name":"IkeextSaCreateEnumHandle0","features":[308,324,311]},{"name":"IkeextSaDbGetSecurityInfo0","features":[308,324,311]},{"name":"IkeextSaDbSetSecurityInfo0","features":[308,324,311]},{"name":"IkeextSaDeleteById0","features":[308,324]},{"name":"IkeextSaDestroyEnumHandle0","features":[308,324]},{"name":"IkeextSaEnum0","features":[308,324]},{"name":"IkeextSaEnum1","features":[308,324]},{"name":"IkeextSaEnum2","features":[308,324]},{"name":"IkeextSaGetById0","features":[308,324]},{"name":"IkeextSaGetById1","features":[308,324]},{"name":"IkeextSaGetById2","features":[308,324]}],"465":[{"name":"FW_DYNAMIC_KEYWORD_ADDRESS0","features":[466]},{"name":"FW_DYNAMIC_KEYWORD_ADDRESS_DATA0","features":[466]},{"name":"FW_DYNAMIC_KEYWORD_ADDRESS_ENUM_FLAGS","features":[466]},{"name":"FW_DYNAMIC_KEYWORD_ADDRESS_ENUM_FLAGS_ALL","features":[466]},{"name":"FW_DYNAMIC_KEYWORD_ADDRESS_ENUM_FLAGS_AUTO_RESOLVE","features":[466]},{"name":"FW_DYNAMIC_KEYWORD_ADDRESS_ENUM_FLAGS_NON_AUTO_RESOLVE","features":[466]},{"name":"FW_DYNAMIC_KEYWORD_ADDRESS_FLAGS","features":[466]},{"name":"FW_DYNAMIC_KEYWORD_ADDRESS_FLAGS_AUTO_RESOLVE","features":[466]},{"name":"FW_DYNAMIC_KEYWORD_ORIGIN_INVALID","features":[466]},{"name":"FW_DYNAMIC_KEYWORD_ORIGIN_LOCAL","features":[466]},{"name":"FW_DYNAMIC_KEYWORD_ORIGIN_MDM","features":[466]},{"name":"FW_DYNAMIC_KEYWORD_ORIGIN_TYPE","features":[466]},{"name":"ICSSC_DEFAULT","features":[466]},{"name":"ICSSC_ENABLED","features":[466]},{"name":"ICSSHARINGTYPE_PRIVATE","features":[466]},{"name":"ICSSHARINGTYPE_PUBLIC","features":[466]},{"name":"ICSTT_IPADDRESS","features":[466]},{"name":"ICSTT_NAME","features":[466]},{"name":"ICS_TARGETTYPE","features":[466]},{"name":"IDynamicPortMapping","features":[466,359]},{"name":"IDynamicPortMappingCollection","features":[466,359]},{"name":"IEnumNetConnection","features":[466]},{"name":"IEnumNetSharingEveryConnection","features":[466]},{"name":"IEnumNetSharingPortMapping","features":[466]},{"name":"IEnumNetSharingPrivateConnection","features":[466]},{"name":"IEnumNetSharingPublicConnection","features":[466]},{"name":"INATEventManager","features":[466,359]},{"name":"INATExternalIPAddressCallback","features":[466]},{"name":"INATNumberOfEntriesCallback","features":[466]},{"name":"INET_FIREWALL_AC_BINARIES","features":[466]},{"name":"INET_FIREWALL_AC_BINARY","features":[466]},{"name":"INET_FIREWALL_AC_CAPABILITIES","features":[308,466,311]},{"name":"INET_FIREWALL_AC_CHANGE","features":[308,466,311]},{"name":"INET_FIREWALL_AC_CHANGE_CREATE","features":[466]},{"name":"INET_FIREWALL_AC_CHANGE_DELETE","features":[466]},{"name":"INET_FIREWALL_AC_CHANGE_INVALID","features":[466]},{"name":"INET_FIREWALL_AC_CHANGE_MAX","features":[466]},{"name":"INET_FIREWALL_AC_CHANGE_TYPE","features":[466]},{"name":"INET_FIREWALL_AC_CREATION_TYPE","features":[466]},{"name":"INET_FIREWALL_AC_MAX","features":[466]},{"name":"INET_FIREWALL_AC_NONE","features":[466]},{"name":"INET_FIREWALL_AC_PACKAGE_ID_ONLY","features":[466]},{"name":"INET_FIREWALL_APP_CONTAINER","features":[308,466,311]},{"name":"INetConnection","features":[466]},{"name":"INetConnectionConnectUi","features":[466]},{"name":"INetConnectionManager","features":[466]},{"name":"INetConnectionProps","features":[466,359]},{"name":"INetFwAuthorizedApplication","features":[466,359]},{"name":"INetFwAuthorizedApplications","features":[466,359]},{"name":"INetFwIcmpSettings","features":[466,359]},{"name":"INetFwMgr","features":[466,359]},{"name":"INetFwOpenPort","features":[466,359]},{"name":"INetFwOpenPorts","features":[466,359]},{"name":"INetFwPolicy","features":[466,359]},{"name":"INetFwPolicy2","features":[466,359]},{"name":"INetFwProduct","features":[466,359]},{"name":"INetFwProducts","features":[466,359]},{"name":"INetFwProfile","features":[466,359]},{"name":"INetFwRemoteAdminSettings","features":[466,359]},{"name":"INetFwRule","features":[466,359]},{"name":"INetFwRule2","features":[466,359]},{"name":"INetFwRule3","features":[466,359]},{"name":"INetFwRules","features":[466,359]},{"name":"INetFwService","features":[466,359]},{"name":"INetFwServiceRestriction","features":[466,359]},{"name":"INetFwServices","features":[466,359]},{"name":"INetSharingConfiguration","features":[466,359]},{"name":"INetSharingEveryConnectionCollection","features":[466,359]},{"name":"INetSharingManager","features":[466,359]},{"name":"INetSharingPortMapping","features":[466,359]},{"name":"INetSharingPortMappingCollection","features":[466,359]},{"name":"INetSharingPortMappingProps","features":[466,359]},{"name":"INetSharingPrivateConnectionCollection","features":[466,359]},{"name":"INetSharingPublicConnectionCollection","features":[466,359]},{"name":"IStaticPortMapping","features":[466,359]},{"name":"IStaticPortMappingCollection","features":[466,359]},{"name":"IUPnPNAT","features":[466,359]},{"name":"NCCF_ALLOW_DUPLICATION","features":[466]},{"name":"NCCF_ALLOW_REMOVAL","features":[466]},{"name":"NCCF_ALLOW_RENAME","features":[466]},{"name":"NCCF_ALL_USERS","features":[466]},{"name":"NCCF_BLUETOOTH_MASK","features":[466]},{"name":"NCCF_BRANDED","features":[466]},{"name":"NCCF_BRIDGED","features":[466]},{"name":"NCCF_DEFAULT","features":[466]},{"name":"NCCF_FIREWALLED","features":[466]},{"name":"NCCF_HOMENET_CAPABLE","features":[466]},{"name":"NCCF_HOSTED_NETWORK","features":[466]},{"name":"NCCF_INCOMING_ONLY","features":[466]},{"name":"NCCF_LAN_MASK","features":[466]},{"name":"NCCF_NONE","features":[466]},{"name":"NCCF_OUTGOING_ONLY","features":[466]},{"name":"NCCF_QUARANTINED","features":[466]},{"name":"NCCF_RESERVED","features":[466]},{"name":"NCCF_SHARED","features":[466]},{"name":"NCCF_SHARED_PRIVATE","features":[466]},{"name":"NCCF_VIRTUAL_STATION","features":[466]},{"name":"NCCF_WIFI_DIRECT","features":[466]},{"name":"NCME_DEFAULT","features":[466]},{"name":"NCME_HIDDEN","features":[466]},{"name":"NCM_BRIDGE","features":[466]},{"name":"NCM_DIRECT","features":[466]},{"name":"NCM_ISDN","features":[466]},{"name":"NCM_LAN","features":[466]},{"name":"NCM_NONE","features":[466]},{"name":"NCM_PHONE","features":[466]},{"name":"NCM_PPPOE","features":[466]},{"name":"NCM_SHAREDACCESSHOST_LAN","features":[466]},{"name":"NCM_SHAREDACCESSHOST_RAS","features":[466]},{"name":"NCM_TUNNEL","features":[466]},{"name":"NCS_ACTION_REQUIRED","features":[466]},{"name":"NCS_ACTION_REQUIRED_RETRY","features":[466]},{"name":"NCS_AUTHENTICATING","features":[466]},{"name":"NCS_AUTHENTICATION_FAILED","features":[466]},{"name":"NCS_AUTHENTICATION_SUCCEEDED","features":[466]},{"name":"NCS_CONNECTED","features":[466]},{"name":"NCS_CONNECTING","features":[466]},{"name":"NCS_CONNECT_FAILED","features":[466]},{"name":"NCS_CREDENTIALS_REQUIRED","features":[466]},{"name":"NCS_DISCONNECTED","features":[466]},{"name":"NCS_DISCONNECTING","features":[466]},{"name":"NCS_HARDWARE_DISABLED","features":[466]},{"name":"NCS_HARDWARE_MALFUNCTION","features":[466]},{"name":"NCS_HARDWARE_NOT_PRESENT","features":[466]},{"name":"NCS_INVALID_ADDRESS","features":[466]},{"name":"NCS_MEDIA_DISCONNECTED","features":[466]},{"name":"NCT_BRIDGE","features":[466]},{"name":"NCT_DIRECT_CONNECT","features":[466]},{"name":"NCT_INBOUND","features":[466]},{"name":"NCT_INTERNET","features":[466]},{"name":"NCT_LAN","features":[466]},{"name":"NCT_PHONE","features":[466]},{"name":"NCT_TUNNEL","features":[466]},{"name":"NCUC_DEFAULT","features":[466]},{"name":"NCUC_ENABLE_DISABLE","features":[466]},{"name":"NCUC_NO_UI","features":[466]},{"name":"NETCONMGR_ENUM_FLAGS","features":[466]},{"name":"NETCONUI_CONNECT_FLAGS","features":[466]},{"name":"NETCON_CHARACTERISTIC_FLAGS","features":[466]},{"name":"NETCON_MAX_NAME_LEN","features":[466]},{"name":"NETCON_MEDIATYPE","features":[466]},{"name":"NETCON_PROPERTIES","features":[466]},{"name":"NETCON_STATUS","features":[466]},{"name":"NETCON_TYPE","features":[466]},{"name":"NETISO_ERROR_TYPE","features":[466]},{"name":"NETISO_ERROR_TYPE_INTERNET_CLIENT","features":[466]},{"name":"NETISO_ERROR_TYPE_INTERNET_CLIENT_SERVER","features":[466]},{"name":"NETISO_ERROR_TYPE_MAX","features":[466]},{"name":"NETISO_ERROR_TYPE_NONE","features":[466]},{"name":"NETISO_ERROR_TYPE_PRIVATE_NETWORK","features":[466]},{"name":"NETISO_FLAG","features":[466]},{"name":"NETISO_FLAG_FORCE_COMPUTE_BINARIES","features":[466]},{"name":"NETISO_FLAG_MAX","features":[466]},{"name":"NETISO_GEID_FOR_NEUTRAL_AWARE","features":[466]},{"name":"NETISO_GEID_FOR_WDAG","features":[466]},{"name":"NET_FW_ACTION","features":[466]},{"name":"NET_FW_ACTION_ALLOW","features":[466]},{"name":"NET_FW_ACTION_BLOCK","features":[466]},{"name":"NET_FW_ACTION_MAX","features":[466]},{"name":"NET_FW_AUTHENTICATE_AND_ENCRYPT","features":[466]},{"name":"NET_FW_AUTHENTICATE_AND_NEGOTIATE_ENCRYPTION","features":[466]},{"name":"NET_FW_AUTHENTICATE_NONE","features":[466]},{"name":"NET_FW_AUTHENTICATE_NO_ENCAPSULATION","features":[466]},{"name":"NET_FW_AUTHENTICATE_TYPE","features":[466]},{"name":"NET_FW_AUTHENTICATE_WITH_INTEGRITY","features":[466]},{"name":"NET_FW_EDGE_TRAVERSAL_TYPE","features":[466]},{"name":"NET_FW_EDGE_TRAVERSAL_TYPE_ALLOW","features":[466]},{"name":"NET_FW_EDGE_TRAVERSAL_TYPE_DEFER_TO_APP","features":[466]},{"name":"NET_FW_EDGE_TRAVERSAL_TYPE_DEFER_TO_USER","features":[466]},{"name":"NET_FW_EDGE_TRAVERSAL_TYPE_DENY","features":[466]},{"name":"NET_FW_IP_PROTOCOL","features":[466]},{"name":"NET_FW_IP_PROTOCOL_ANY","features":[466]},{"name":"NET_FW_IP_PROTOCOL_TCP","features":[466]},{"name":"NET_FW_IP_PROTOCOL_UDP","features":[466]},{"name":"NET_FW_IP_VERSION","features":[466]},{"name":"NET_FW_IP_VERSION_ANY","features":[466]},{"name":"NET_FW_IP_VERSION_MAX","features":[466]},{"name":"NET_FW_IP_VERSION_V4","features":[466]},{"name":"NET_FW_IP_VERSION_V6","features":[466]},{"name":"NET_FW_MODIFY_STATE","features":[466]},{"name":"NET_FW_MODIFY_STATE_GP_OVERRIDE","features":[466]},{"name":"NET_FW_MODIFY_STATE_INBOUND_BLOCKED","features":[466]},{"name":"NET_FW_MODIFY_STATE_OK","features":[466]},{"name":"NET_FW_POLICY_EFFECTIVE","features":[466]},{"name":"NET_FW_POLICY_GROUP","features":[466]},{"name":"NET_FW_POLICY_LOCAL","features":[466]},{"name":"NET_FW_POLICY_TYPE","features":[466]},{"name":"NET_FW_POLICY_TYPE_MAX","features":[466]},{"name":"NET_FW_PROFILE2_ALL","features":[466]},{"name":"NET_FW_PROFILE2_DOMAIN","features":[466]},{"name":"NET_FW_PROFILE2_PRIVATE","features":[466]},{"name":"NET_FW_PROFILE2_PUBLIC","features":[466]},{"name":"NET_FW_PROFILE_CURRENT","features":[466]},{"name":"NET_FW_PROFILE_DOMAIN","features":[466]},{"name":"NET_FW_PROFILE_STANDARD","features":[466]},{"name":"NET_FW_PROFILE_TYPE","features":[466]},{"name":"NET_FW_PROFILE_TYPE2","features":[466]},{"name":"NET_FW_PROFILE_TYPE_MAX","features":[466]},{"name":"NET_FW_RULE_CATEGORY","features":[466]},{"name":"NET_FW_RULE_CATEGORY_BOOT","features":[466]},{"name":"NET_FW_RULE_CATEGORY_CONSEC","features":[466]},{"name":"NET_FW_RULE_CATEGORY_FIREWALL","features":[466]},{"name":"NET_FW_RULE_CATEGORY_MAX","features":[466]},{"name":"NET_FW_RULE_CATEGORY_STEALTH","features":[466]},{"name":"NET_FW_RULE_DIRECTION","features":[466]},{"name":"NET_FW_RULE_DIR_IN","features":[466]},{"name":"NET_FW_RULE_DIR_MAX","features":[466]},{"name":"NET_FW_RULE_DIR_OUT","features":[466]},{"name":"NET_FW_SCOPE","features":[466]},{"name":"NET_FW_SCOPE_ALL","features":[466]},{"name":"NET_FW_SCOPE_CUSTOM","features":[466]},{"name":"NET_FW_SCOPE_LOCAL_SUBNET","features":[466]},{"name":"NET_FW_SCOPE_MAX","features":[466]},{"name":"NET_FW_SERVICE_FILE_AND_PRINT","features":[466]},{"name":"NET_FW_SERVICE_NONE","features":[466]},{"name":"NET_FW_SERVICE_REMOTE_DESKTOP","features":[466]},{"name":"NET_FW_SERVICE_TYPE","features":[466]},{"name":"NET_FW_SERVICE_TYPE_MAX","features":[466]},{"name":"NET_FW_SERVICE_UPNP","features":[466]},{"name":"NcFreeNetconProperties","features":[466]},{"name":"NcIsValidConnectionName","features":[308,466]},{"name":"NetFwAuthorizedApplication","features":[466]},{"name":"NetFwMgr","features":[466]},{"name":"NetFwOpenPort","features":[466]},{"name":"NetFwPolicy2","features":[466]},{"name":"NetFwProduct","features":[466]},{"name":"NetFwProducts","features":[466]},{"name":"NetFwRule","features":[466]},{"name":"NetSharingManager","features":[466]},{"name":"NetworkIsolationDiagnoseConnectFailureAndGetInfo","features":[466]},{"name":"NetworkIsolationEnumAppContainers","features":[308,466,311]},{"name":"NetworkIsolationEnumerateAppContainerRules","features":[466,418]},{"name":"NetworkIsolationFreeAppContainers","features":[308,466,311]},{"name":"NetworkIsolationGetAppContainerConfig","features":[308,466,311]},{"name":"NetworkIsolationGetEnterpriseIdAsync","features":[308,466]},{"name":"NetworkIsolationGetEnterpriseIdClose","features":[308,466]},{"name":"NetworkIsolationRegisterForAppContainerChanges","features":[308,466,311]},{"name":"NetworkIsolationSetAppContainerConfig","features":[308,466,311]},{"name":"NetworkIsolationSetupAppContainerBinaries","features":[308,466]},{"name":"NetworkIsolationUnregisterForAppContainerChanges","features":[308,466]},{"name":"PAC_CHANGES_CALLBACK_FN","features":[308,466,311]},{"name":"PFN_FWADDDYNAMICKEYWORDADDRESS0","features":[466]},{"name":"PFN_FWDELETEDYNAMICKEYWORDADDRESS0","features":[466]},{"name":"PFN_FWENUMDYNAMICKEYWORDADDRESSBYID0","features":[466]},{"name":"PFN_FWENUMDYNAMICKEYWORDADDRESSESBYTYPE0","features":[466]},{"name":"PFN_FWFREEDYNAMICKEYWORDADDRESSDATA0","features":[466]},{"name":"PFN_FWUPDATEDYNAMICKEYWORDADDRESS0","features":[308,466]},{"name":"PNETISO_EDP_ID_CALLBACK_FN","features":[466]},{"name":"SHARINGCONNECTIONTYPE","features":[466]},{"name":"SHARINGCONNECTION_ENUM_FLAGS","features":[466]},{"name":"S_OBJECT_NO_LONGER_VALID","features":[466]},{"name":"UPnPNAT","features":[466]}],"466":[{"name":"WNV_API_MAJOR_VERSION_1","features":[467]},{"name":"WNV_API_MINOR_VERSION_0","features":[467]},{"name":"WNV_CA_NOTIFICATION_TYPE","features":[467]},{"name":"WNV_CUSTOMER_ADDRESS_CHANGE_PARAM","features":[467,321]},{"name":"WNV_IP_ADDRESS","features":[467,321]},{"name":"WNV_NOTIFICATION_PARAM","features":[467]},{"name":"WNV_NOTIFICATION_TYPE","features":[467]},{"name":"WNV_OBJECT_CHANGE_PARAM","features":[467,321]},{"name":"WNV_OBJECT_HEADER","features":[467]},{"name":"WNV_OBJECT_TYPE","features":[467]},{"name":"WNV_POLICY_MISMATCH_PARAM","features":[467,321]},{"name":"WNV_PROVIDER_ADDRESS_CHANGE_PARAM","features":[467,321]},{"name":"WNV_REDIRECT_PARAM","features":[467,321]},{"name":"WnvCustomerAddressAdded","features":[467]},{"name":"WnvCustomerAddressDeleted","features":[467]},{"name":"WnvCustomerAddressMax","features":[467]},{"name":"WnvCustomerAddressMoved","features":[467]},{"name":"WnvCustomerAddressType","features":[467]},{"name":"WnvNotificationTypeMax","features":[467]},{"name":"WnvObjectChangeType","features":[467]},{"name":"WnvObjectTypeMax","features":[467]},{"name":"WnvOpen","features":[308,467]},{"name":"WnvPolicyMismatchType","features":[467]},{"name":"WnvProviderAddressType","features":[467]},{"name":"WnvRedirectType","features":[467]},{"name":"WnvRequestNotification","features":[308,467,313]}],"467":[{"name":"ACTRL_DS_CONTROL_ACCESS","features":[468]},{"name":"ACTRL_DS_CREATE_CHILD","features":[468]},{"name":"ACTRL_DS_DELETE_CHILD","features":[468]},{"name":"ACTRL_DS_DELETE_TREE","features":[468]},{"name":"ACTRL_DS_LIST","features":[468]},{"name":"ACTRL_DS_LIST_OBJECT","features":[468]},{"name":"ACTRL_DS_OPEN","features":[468]},{"name":"ACTRL_DS_READ_PROP","features":[468]},{"name":"ACTRL_DS_SELF","features":[468]},{"name":"ACTRL_DS_WRITE_PROP","features":[468]},{"name":"ADAM_REPL_AUTHENTICATION_MODE_MUTUAL_AUTH_REQUIRED","features":[468]},{"name":"ADAM_REPL_AUTHENTICATION_MODE_NEGOTIATE","features":[468]},{"name":"ADAM_REPL_AUTHENTICATION_MODE_NEGOTIATE_PASS_THROUGH","features":[468]},{"name":"ADAM_SCP_FSMO_NAMING_STRING","features":[468]},{"name":"ADAM_SCP_FSMO_NAMING_STRING_W","features":[468]},{"name":"ADAM_SCP_FSMO_SCHEMA_STRING","features":[468]},{"name":"ADAM_SCP_FSMO_SCHEMA_STRING_W","features":[468]},{"name":"ADAM_SCP_FSMO_STRING","features":[468]},{"name":"ADAM_SCP_FSMO_STRING_W","features":[468]},{"name":"ADAM_SCP_INSTANCE_NAME_STRING","features":[468]},{"name":"ADAM_SCP_INSTANCE_NAME_STRING_W","features":[468]},{"name":"ADAM_SCP_PARTITION_STRING","features":[468]},{"name":"ADAM_SCP_PARTITION_STRING_W","features":[468]},{"name":"ADAM_SCP_SITE_NAME_STRING","features":[468]},{"name":"ADAM_SCP_SITE_NAME_STRING_W","features":[468]},{"name":"ADSIPROP_ADSIFLAG","features":[468]},{"name":"ADSIPROP_ASYNCHRONOUS","features":[468]},{"name":"ADSIPROP_ATTRIBTYPES_ONLY","features":[468]},{"name":"ADSIPROP_CACHE_RESULTS","features":[468]},{"name":"ADSIPROP_CHASE_REFERRALS","features":[468]},{"name":"ADSIPROP_DEREF_ALIASES","features":[468]},{"name":"ADSIPROP_PAGED_TIME_LIMIT","features":[468]},{"name":"ADSIPROP_PAGESIZE","features":[468]},{"name":"ADSIPROP_SEARCH_SCOPE","features":[468]},{"name":"ADSIPROP_SIZE_LIMIT","features":[468]},{"name":"ADSIPROP_SORT_ON","features":[468]},{"name":"ADSIPROP_TIMEOUT","features":[468]},{"name":"ADSIPROP_TIME_LIMIT","features":[468]},{"name":"ADSI_DIALECT_ENUM","features":[468]},{"name":"ADSI_DIALECT_LDAP","features":[468]},{"name":"ADSI_DIALECT_SQL","features":[468]},{"name":"ADSPROPERROR","features":[308,468]},{"name":"ADSPROPINITPARAMS","features":[308,468]},{"name":"ADSTYPE","features":[468]},{"name":"ADSTYPE_BACKLINK","features":[468]},{"name":"ADSTYPE_BOOLEAN","features":[468]},{"name":"ADSTYPE_CASEIGNORE_LIST","features":[468]},{"name":"ADSTYPE_CASE_EXACT_STRING","features":[468]},{"name":"ADSTYPE_CASE_IGNORE_STRING","features":[468]},{"name":"ADSTYPE_DN_STRING","features":[468]},{"name":"ADSTYPE_DN_WITH_BINARY","features":[468]},{"name":"ADSTYPE_DN_WITH_STRING","features":[468]},{"name":"ADSTYPE_EMAIL","features":[468]},{"name":"ADSTYPE_FAXNUMBER","features":[468]},{"name":"ADSTYPE_HOLD","features":[468]},{"name":"ADSTYPE_INTEGER","features":[468]},{"name":"ADSTYPE_INVALID","features":[468]},{"name":"ADSTYPE_LARGE_INTEGER","features":[468]},{"name":"ADSTYPE_NETADDRESS","features":[468]},{"name":"ADSTYPE_NT_SECURITY_DESCRIPTOR","features":[468]},{"name":"ADSTYPE_NUMERIC_STRING","features":[468]},{"name":"ADSTYPE_OBJECT_CLASS","features":[468]},{"name":"ADSTYPE_OCTET_LIST","features":[468]},{"name":"ADSTYPE_OCTET_STRING","features":[468]},{"name":"ADSTYPE_PATH","features":[468]},{"name":"ADSTYPE_POSTALADDRESS","features":[468]},{"name":"ADSTYPE_PRINTABLE_STRING","features":[468]},{"name":"ADSTYPE_PROV_SPECIFIC","features":[468]},{"name":"ADSTYPE_REPLICAPOINTER","features":[468]},{"name":"ADSTYPE_TIMESTAMP","features":[468]},{"name":"ADSTYPE_TYPEDNAME","features":[468]},{"name":"ADSTYPE_UNKNOWN","features":[468]},{"name":"ADSTYPE_UTC_TIME","features":[468]},{"name":"ADSVALUE","features":[308,468]},{"name":"ADS_ACEFLAG_ENUM","features":[468]},{"name":"ADS_ACEFLAG_FAILED_ACCESS","features":[468]},{"name":"ADS_ACEFLAG_INHERITED_ACE","features":[468]},{"name":"ADS_ACEFLAG_INHERIT_ACE","features":[468]},{"name":"ADS_ACEFLAG_INHERIT_ONLY_ACE","features":[468]},{"name":"ADS_ACEFLAG_NO_PROPAGATE_INHERIT_ACE","features":[468]},{"name":"ADS_ACEFLAG_SUCCESSFUL_ACCESS","features":[468]},{"name":"ADS_ACEFLAG_VALID_INHERIT_FLAGS","features":[468]},{"name":"ADS_ACETYPE_ACCESS_ALLOWED","features":[468]},{"name":"ADS_ACETYPE_ACCESS_ALLOWED_CALLBACK","features":[468]},{"name":"ADS_ACETYPE_ACCESS_ALLOWED_CALLBACK_OBJECT","features":[468]},{"name":"ADS_ACETYPE_ACCESS_ALLOWED_OBJECT","features":[468]},{"name":"ADS_ACETYPE_ACCESS_DENIED","features":[468]},{"name":"ADS_ACETYPE_ACCESS_DENIED_CALLBACK","features":[468]},{"name":"ADS_ACETYPE_ACCESS_DENIED_CALLBACK_OBJECT","features":[468]},{"name":"ADS_ACETYPE_ACCESS_DENIED_OBJECT","features":[468]},{"name":"ADS_ACETYPE_ENUM","features":[468]},{"name":"ADS_ACETYPE_SYSTEM_ALARM_CALLBACK","features":[468]},{"name":"ADS_ACETYPE_SYSTEM_ALARM_CALLBACK_OBJECT","features":[468]},{"name":"ADS_ACETYPE_SYSTEM_ALARM_OBJECT","features":[468]},{"name":"ADS_ACETYPE_SYSTEM_AUDIT","features":[468]},{"name":"ADS_ACETYPE_SYSTEM_AUDIT_CALLBACK","features":[468]},{"name":"ADS_ACETYPE_SYSTEM_AUDIT_CALLBACK_OBJECT","features":[468]},{"name":"ADS_ACETYPE_SYSTEM_AUDIT_OBJECT","features":[468]},{"name":"ADS_ATTR_APPEND","features":[468]},{"name":"ADS_ATTR_CLEAR","features":[468]},{"name":"ADS_ATTR_DEF","features":[308,468]},{"name":"ADS_ATTR_DELETE","features":[468]},{"name":"ADS_ATTR_INFO","features":[308,468]},{"name":"ADS_ATTR_UPDATE","features":[468]},{"name":"ADS_AUTHENTICATION_ENUM","features":[468]},{"name":"ADS_AUTH_RESERVED","features":[468]},{"name":"ADS_BACKLINK","features":[468]},{"name":"ADS_CASEIGNORE_LIST","features":[468]},{"name":"ADS_CHASE_REFERRALS_ALWAYS","features":[468]},{"name":"ADS_CHASE_REFERRALS_ENUM","features":[468]},{"name":"ADS_CHASE_REFERRALS_EXTERNAL","features":[468]},{"name":"ADS_CHASE_REFERRALS_NEVER","features":[468]},{"name":"ADS_CHASE_REFERRALS_SUBORDINATE","features":[468]},{"name":"ADS_CLASS_DEF","features":[308,468]},{"name":"ADS_DEREFENUM","features":[468]},{"name":"ADS_DEREF_ALWAYS","features":[468]},{"name":"ADS_DEREF_FINDING","features":[468]},{"name":"ADS_DEREF_NEVER","features":[468]},{"name":"ADS_DEREF_SEARCHING","features":[468]},{"name":"ADS_DISPLAY_ENUM","features":[468]},{"name":"ADS_DISPLAY_FULL","features":[468]},{"name":"ADS_DISPLAY_VALUE_ONLY","features":[468]},{"name":"ADS_DN_WITH_BINARY","features":[468]},{"name":"ADS_DN_WITH_STRING","features":[468]},{"name":"ADS_EMAIL","features":[468]},{"name":"ADS_ESCAPEDMODE_DEFAULT","features":[468]},{"name":"ADS_ESCAPEDMODE_OFF","features":[468]},{"name":"ADS_ESCAPEDMODE_OFF_EX","features":[468]},{"name":"ADS_ESCAPEDMODE_ON","features":[468]},{"name":"ADS_ESCAPE_MODE_ENUM","features":[468]},{"name":"ADS_EXT_INITCREDENTIALS","features":[468]},{"name":"ADS_EXT_INITIALIZE_COMPLETE","features":[468]},{"name":"ADS_EXT_MAXEXTDISPID","features":[468]},{"name":"ADS_EXT_MINEXTDISPID","features":[468]},{"name":"ADS_FAST_BIND","features":[468]},{"name":"ADS_FAXNUMBER","features":[468]},{"name":"ADS_FLAGTYPE_ENUM","features":[468]},{"name":"ADS_FLAG_INHERITED_OBJECT_TYPE_PRESENT","features":[468]},{"name":"ADS_FLAG_OBJECT_TYPE_PRESENT","features":[468]},{"name":"ADS_FORMAT_ENUM","features":[468]},{"name":"ADS_FORMAT_LEAF","features":[468]},{"name":"ADS_FORMAT_PROVIDER","features":[468]},{"name":"ADS_FORMAT_SERVER","features":[468]},{"name":"ADS_FORMAT_WINDOWS","features":[468]},{"name":"ADS_FORMAT_WINDOWS_DN","features":[468]},{"name":"ADS_FORMAT_WINDOWS_NO_SERVER","features":[468]},{"name":"ADS_FORMAT_WINDOWS_PARENT","features":[468]},{"name":"ADS_FORMAT_X500","features":[468]},{"name":"ADS_FORMAT_X500_DN","features":[468]},{"name":"ADS_FORMAT_X500_NO_SERVER","features":[468]},{"name":"ADS_FORMAT_X500_PARENT","features":[468]},{"name":"ADS_GROUP_TYPE_DOMAIN_LOCAL_GROUP","features":[468]},{"name":"ADS_GROUP_TYPE_ENUM","features":[468]},{"name":"ADS_GROUP_TYPE_GLOBAL_GROUP","features":[468]},{"name":"ADS_GROUP_TYPE_LOCAL_GROUP","features":[468]},{"name":"ADS_GROUP_TYPE_SECURITY_ENABLED","features":[468]},{"name":"ADS_GROUP_TYPE_UNIVERSAL_GROUP","features":[468]},{"name":"ADS_HOLD","features":[468]},{"name":"ADS_NAME_INITTYPE_DOMAIN","features":[468]},{"name":"ADS_NAME_INITTYPE_ENUM","features":[468]},{"name":"ADS_NAME_INITTYPE_GC","features":[468]},{"name":"ADS_NAME_INITTYPE_SERVER","features":[468]},{"name":"ADS_NAME_TYPE_1779","features":[468]},{"name":"ADS_NAME_TYPE_CANONICAL","features":[468]},{"name":"ADS_NAME_TYPE_CANONICAL_EX","features":[468]},{"name":"ADS_NAME_TYPE_DISPLAY","features":[468]},{"name":"ADS_NAME_TYPE_DOMAIN_SIMPLE","features":[468]},{"name":"ADS_NAME_TYPE_ENTERPRISE_SIMPLE","features":[468]},{"name":"ADS_NAME_TYPE_ENUM","features":[468]},{"name":"ADS_NAME_TYPE_GUID","features":[468]},{"name":"ADS_NAME_TYPE_NT4","features":[468]},{"name":"ADS_NAME_TYPE_SERVICE_PRINCIPAL_NAME","features":[468]},{"name":"ADS_NAME_TYPE_SID_OR_SID_HISTORY_NAME","features":[468]},{"name":"ADS_NAME_TYPE_UNKNOWN","features":[468]},{"name":"ADS_NAME_TYPE_USER_PRINCIPAL_NAME","features":[468]},{"name":"ADS_NETADDRESS","features":[468]},{"name":"ADS_NO_AUTHENTICATION","features":[468]},{"name":"ADS_NO_REFERRAL_CHASING","features":[468]},{"name":"ADS_NT_SECURITY_DESCRIPTOR","features":[468]},{"name":"ADS_OBJECT_INFO","features":[468]},{"name":"ADS_OCTET_LIST","features":[468]},{"name":"ADS_OCTET_STRING","features":[468]},{"name":"ADS_OPTION_ACCUMULATIVE_MODIFICATION","features":[468]},{"name":"ADS_OPTION_ENUM","features":[468]},{"name":"ADS_OPTION_MUTUAL_AUTH_STATUS","features":[468]},{"name":"ADS_OPTION_PAGE_SIZE","features":[468]},{"name":"ADS_OPTION_PASSWORD_METHOD","features":[468]},{"name":"ADS_OPTION_PASSWORD_PORTNUMBER","features":[468]},{"name":"ADS_OPTION_QUOTA","features":[468]},{"name":"ADS_OPTION_REFERRALS","features":[468]},{"name":"ADS_OPTION_SECURITY_MASK","features":[468]},{"name":"ADS_OPTION_SERVERNAME","features":[468]},{"name":"ADS_OPTION_SKIP_SID_LOOKUP","features":[468]},{"name":"ADS_PASSWORD_ENCODE_CLEAR","features":[468]},{"name":"ADS_PASSWORD_ENCODE_REQUIRE_SSL","features":[468]},{"name":"ADS_PASSWORD_ENCODING_ENUM","features":[468]},{"name":"ADS_PATH","features":[468]},{"name":"ADS_PATHTYPE_ENUM","features":[468]},{"name":"ADS_PATH_FILE","features":[468]},{"name":"ADS_PATH_FILESHARE","features":[468]},{"name":"ADS_PATH_REGISTRY","features":[468]},{"name":"ADS_POSTALADDRESS","features":[468]},{"name":"ADS_PREFERENCES_ENUM","features":[468]},{"name":"ADS_PROMPT_CREDENTIALS","features":[468]},{"name":"ADS_PROPERTY_APPEND","features":[468]},{"name":"ADS_PROPERTY_CLEAR","features":[468]},{"name":"ADS_PROPERTY_DELETE","features":[468]},{"name":"ADS_PROPERTY_OPERATION_ENUM","features":[468]},{"name":"ADS_PROPERTY_UPDATE","features":[468]},{"name":"ADS_PROV_SPECIFIC","features":[468]},{"name":"ADS_READONLY_SERVER","features":[468]},{"name":"ADS_REPLICAPOINTER","features":[468]},{"name":"ADS_RIGHTS_ENUM","features":[468]},{"name":"ADS_RIGHT_ACCESS_SYSTEM_SECURITY","features":[468]},{"name":"ADS_RIGHT_ACTRL_DS_LIST","features":[468]},{"name":"ADS_RIGHT_DELETE","features":[468]},{"name":"ADS_RIGHT_DS_CONTROL_ACCESS","features":[468]},{"name":"ADS_RIGHT_DS_CREATE_CHILD","features":[468]},{"name":"ADS_RIGHT_DS_DELETE_CHILD","features":[468]},{"name":"ADS_RIGHT_DS_DELETE_TREE","features":[468]},{"name":"ADS_RIGHT_DS_LIST_OBJECT","features":[468]},{"name":"ADS_RIGHT_DS_READ_PROP","features":[468]},{"name":"ADS_RIGHT_DS_SELF","features":[468]},{"name":"ADS_RIGHT_DS_WRITE_PROP","features":[468]},{"name":"ADS_RIGHT_GENERIC_ALL","features":[468]},{"name":"ADS_RIGHT_GENERIC_EXECUTE","features":[468]},{"name":"ADS_RIGHT_GENERIC_READ","features":[468]},{"name":"ADS_RIGHT_GENERIC_WRITE","features":[468]},{"name":"ADS_RIGHT_READ_CONTROL","features":[468]},{"name":"ADS_RIGHT_SYNCHRONIZE","features":[468]},{"name":"ADS_RIGHT_WRITE_DAC","features":[468]},{"name":"ADS_RIGHT_WRITE_OWNER","features":[468]},{"name":"ADS_SCOPEENUM","features":[468]},{"name":"ADS_SCOPE_BASE","features":[468]},{"name":"ADS_SCOPE_ONELEVEL","features":[468]},{"name":"ADS_SCOPE_SUBTREE","features":[468]},{"name":"ADS_SD_CONTROL_ENUM","features":[468]},{"name":"ADS_SD_CONTROL_SE_DACL_AUTO_INHERITED","features":[468]},{"name":"ADS_SD_CONTROL_SE_DACL_AUTO_INHERIT_REQ","features":[468]},{"name":"ADS_SD_CONTROL_SE_DACL_DEFAULTED","features":[468]},{"name":"ADS_SD_CONTROL_SE_DACL_PRESENT","features":[468]},{"name":"ADS_SD_CONTROL_SE_DACL_PROTECTED","features":[468]},{"name":"ADS_SD_CONTROL_SE_GROUP_DEFAULTED","features":[468]},{"name":"ADS_SD_CONTROL_SE_OWNER_DEFAULTED","features":[468]},{"name":"ADS_SD_CONTROL_SE_SACL_AUTO_INHERITED","features":[468]},{"name":"ADS_SD_CONTROL_SE_SACL_AUTO_INHERIT_REQ","features":[468]},{"name":"ADS_SD_CONTROL_SE_SACL_DEFAULTED","features":[468]},{"name":"ADS_SD_CONTROL_SE_SACL_PRESENT","features":[468]},{"name":"ADS_SD_CONTROL_SE_SACL_PROTECTED","features":[468]},{"name":"ADS_SD_CONTROL_SE_SELF_RELATIVE","features":[468]},{"name":"ADS_SD_FORMAT_ENUM","features":[468]},{"name":"ADS_SD_FORMAT_HEXSTRING","features":[468]},{"name":"ADS_SD_FORMAT_IID","features":[468]},{"name":"ADS_SD_FORMAT_RAW","features":[468]},{"name":"ADS_SD_REVISION_DS","features":[468]},{"name":"ADS_SD_REVISION_ENUM","features":[468]},{"name":"ADS_SEARCHPREF_ASYNCHRONOUS","features":[468]},{"name":"ADS_SEARCHPREF_ATTRIBTYPES_ONLY","features":[468]},{"name":"ADS_SEARCHPREF_ATTRIBUTE_QUERY","features":[468]},{"name":"ADS_SEARCHPREF_CACHE_RESULTS","features":[468]},{"name":"ADS_SEARCHPREF_CHASE_REFERRALS","features":[468]},{"name":"ADS_SEARCHPREF_DEREF_ALIASES","features":[468]},{"name":"ADS_SEARCHPREF_DIRSYNC","features":[468]},{"name":"ADS_SEARCHPREF_DIRSYNC_FLAG","features":[468]},{"name":"ADS_SEARCHPREF_ENUM","features":[468]},{"name":"ADS_SEARCHPREF_EXTENDED_DN","features":[468]},{"name":"ADS_SEARCHPREF_INFO","features":[308,468]},{"name":"ADS_SEARCHPREF_PAGED_TIME_LIMIT","features":[468]},{"name":"ADS_SEARCHPREF_PAGESIZE","features":[468]},{"name":"ADS_SEARCHPREF_SEARCH_SCOPE","features":[468]},{"name":"ADS_SEARCHPREF_SECURITY_MASK","features":[468]},{"name":"ADS_SEARCHPREF_SIZE_LIMIT","features":[468]},{"name":"ADS_SEARCHPREF_SORT_ON","features":[468]},{"name":"ADS_SEARCHPREF_TIMEOUT","features":[468]},{"name":"ADS_SEARCHPREF_TIME_LIMIT","features":[468]},{"name":"ADS_SEARCHPREF_TOMBSTONE","features":[468]},{"name":"ADS_SEARCHPREF_VLV","features":[468]},{"name":"ADS_SEARCH_COLUMN","features":[308,468]},{"name":"ADS_SEARCH_HANDLE","features":[468]},{"name":"ADS_SECURE_AUTHENTICATION","features":[468]},{"name":"ADS_SECURITY_INFO_DACL","features":[468]},{"name":"ADS_SECURITY_INFO_ENUM","features":[468]},{"name":"ADS_SECURITY_INFO_GROUP","features":[468]},{"name":"ADS_SECURITY_INFO_OWNER","features":[468]},{"name":"ADS_SECURITY_INFO_SACL","features":[468]},{"name":"ADS_SERVER_BIND","features":[468]},{"name":"ADS_SETTYPE_DN","features":[468]},{"name":"ADS_SETTYPE_ENUM","features":[468]},{"name":"ADS_SETTYPE_FULL","features":[468]},{"name":"ADS_SETTYPE_PROVIDER","features":[468]},{"name":"ADS_SETTYPE_SERVER","features":[468]},{"name":"ADS_SORTKEY","features":[308,468]},{"name":"ADS_STATUSENUM","features":[468]},{"name":"ADS_STATUS_INVALID_SEARCHPREF","features":[468]},{"name":"ADS_STATUS_INVALID_SEARCHPREFVALUE","features":[468]},{"name":"ADS_STATUS_S_OK","features":[468]},{"name":"ADS_SYSTEMFLAG_ATTR_IS_CONSTRUCTED","features":[468]},{"name":"ADS_SYSTEMFLAG_ATTR_NOT_REPLICATED","features":[468]},{"name":"ADS_SYSTEMFLAG_CONFIG_ALLOW_LIMITED_MOVE","features":[468]},{"name":"ADS_SYSTEMFLAG_CONFIG_ALLOW_MOVE","features":[468]},{"name":"ADS_SYSTEMFLAG_CONFIG_ALLOW_RENAME","features":[468]},{"name":"ADS_SYSTEMFLAG_CR_NTDS_DOMAIN","features":[468]},{"name":"ADS_SYSTEMFLAG_CR_NTDS_NC","features":[468]},{"name":"ADS_SYSTEMFLAG_DISALLOW_DELETE","features":[468]},{"name":"ADS_SYSTEMFLAG_DOMAIN_DISALLOW_MOVE","features":[468]},{"name":"ADS_SYSTEMFLAG_DOMAIN_DISALLOW_RENAME","features":[468]},{"name":"ADS_SYSTEMFLAG_ENUM","features":[468]},{"name":"ADS_TIMESTAMP","features":[468]},{"name":"ADS_TYPEDNAME","features":[468]},{"name":"ADS_UF_ACCOUNTDISABLE","features":[468]},{"name":"ADS_UF_DONT_EXPIRE_PASSWD","features":[468]},{"name":"ADS_UF_DONT_REQUIRE_PREAUTH","features":[468]},{"name":"ADS_UF_ENCRYPTED_TEXT_PASSWORD_ALLOWED","features":[468]},{"name":"ADS_UF_HOMEDIR_REQUIRED","features":[468]},{"name":"ADS_UF_INTERDOMAIN_TRUST_ACCOUNT","features":[468]},{"name":"ADS_UF_LOCKOUT","features":[468]},{"name":"ADS_UF_MNS_LOGON_ACCOUNT","features":[468]},{"name":"ADS_UF_NORMAL_ACCOUNT","features":[468]},{"name":"ADS_UF_NOT_DELEGATED","features":[468]},{"name":"ADS_UF_PASSWD_CANT_CHANGE","features":[468]},{"name":"ADS_UF_PASSWD_NOTREQD","features":[468]},{"name":"ADS_UF_PASSWORD_EXPIRED","features":[468]},{"name":"ADS_UF_SCRIPT","features":[468]},{"name":"ADS_UF_SERVER_TRUST_ACCOUNT","features":[468]},{"name":"ADS_UF_SMARTCARD_REQUIRED","features":[468]},{"name":"ADS_UF_TEMP_DUPLICATE_ACCOUNT","features":[468]},{"name":"ADS_UF_TRUSTED_FOR_DELEGATION","features":[468]},{"name":"ADS_UF_TRUSTED_TO_AUTHENTICATE_FOR_DELEGATION","features":[468]},{"name":"ADS_UF_USE_DES_KEY_ONLY","features":[468]},{"name":"ADS_UF_WORKSTATION_TRUST_ACCOUNT","features":[468]},{"name":"ADS_USER_FLAG_ENUM","features":[468]},{"name":"ADS_USE_DELEGATION","features":[468]},{"name":"ADS_USE_ENCRYPTION","features":[468]},{"name":"ADS_USE_SEALING","features":[468]},{"name":"ADS_USE_SIGNING","features":[468]},{"name":"ADS_USE_SSL","features":[468]},{"name":"ADS_VLV","features":[468]},{"name":"ADSystemInfo","features":[468]},{"name":"ADsBuildEnumerator","features":[468,359,418]},{"name":"ADsBuildVarArrayInt","features":[468]},{"name":"ADsBuildVarArrayStr","features":[468]},{"name":"ADsDecodeBinaryData","features":[468]},{"name":"ADsEncodeBinaryData","features":[468]},{"name":"ADsEnumerateNext","features":[468,418]},{"name":"ADsFreeEnumerator","features":[468,418]},{"name":"ADsGetLastError","features":[468]},{"name":"ADsGetObject","features":[468]},{"name":"ADsOpenObject","features":[468]},{"name":"ADsPropCheckIfWritable","features":[308,468]},{"name":"ADsPropCreateNotifyObj","features":[308,468,359]},{"name":"ADsPropGetInitInfo","features":[308,468]},{"name":"ADsPropSendErrorMessage","features":[308,468]},{"name":"ADsPropSetHwnd","features":[308,468]},{"name":"ADsPropSetHwndWithTitle","features":[308,468]},{"name":"ADsPropShowErrorDialog","features":[308,468]},{"name":"ADsSecurityUtility","features":[468]},{"name":"ADsSetLastError","features":[468]},{"name":"AccessControlEntry","features":[468]},{"name":"AccessControlList","features":[468]},{"name":"AdsFreeAdsValues","features":[308,468]},{"name":"AdsTypeToPropVariant","features":[308,468]},{"name":"AllocADsMem","features":[468]},{"name":"AllocADsStr","features":[468]},{"name":"BackLink","features":[468]},{"name":"BinarySDToSecurityDescriptor","features":[468,311]},{"name":"CFSTR_DSDISPLAYSPECOPTIONS","features":[468]},{"name":"CFSTR_DSOBJECTNAMES","features":[468]},{"name":"CFSTR_DSOP_DS_SELECTION_LIST","features":[468]},{"name":"CFSTR_DSPROPERTYPAGEINFO","features":[468]},{"name":"CFSTR_DSQUERYPARAMS","features":[468]},{"name":"CFSTR_DSQUERYSCOPE","features":[468]},{"name":"CFSTR_DS_DISPLAY_SPEC_OPTIONS","features":[468]},{"name":"CLSID_CommonQuery","features":[468]},{"name":"CLSID_DsAdminCreateObj","features":[468]},{"name":"CLSID_DsDisplaySpecifier","features":[468]},{"name":"CLSID_DsDomainTreeBrowser","features":[468]},{"name":"CLSID_DsFindAdvanced","features":[468]},{"name":"CLSID_DsFindComputer","features":[468]},{"name":"CLSID_DsFindContainer","features":[468]},{"name":"CLSID_DsFindDomainController","features":[468]},{"name":"CLSID_DsFindFrsMembers","features":[468]},{"name":"CLSID_DsFindObjects","features":[468]},{"name":"CLSID_DsFindPeople","features":[468]},{"name":"CLSID_DsFindPrinter","features":[468]},{"name":"CLSID_DsFindVolume","features":[468]},{"name":"CLSID_DsFindWriteableDomainController","features":[468]},{"name":"CLSID_DsFolderProperties","features":[468]},{"name":"CLSID_DsObjectPicker","features":[468]},{"name":"CLSID_DsPropertyPages","features":[468]},{"name":"CLSID_DsQuery","features":[468]},{"name":"CLSID_MicrosoftDS","features":[468]},{"name":"CQFF_ISOPTIONAL","features":[468]},{"name":"CQFF_NOGLOBALPAGES","features":[468]},{"name":"CQFORM","features":[468,370]},{"name":"CQPAGE","features":[308,468,370]},{"name":"CQPM_CLEARFORM","features":[468]},{"name":"CQPM_ENABLE","features":[468]},{"name":"CQPM_GETPARAMETERS","features":[468]},{"name":"CQPM_HANDLERSPECIFIC","features":[468]},{"name":"CQPM_HELP","features":[468]},{"name":"CQPM_INITIALIZE","features":[468]},{"name":"CQPM_PERSIST","features":[468]},{"name":"CQPM_RELEASE","features":[468]},{"name":"CQPM_SETDEFAULTPARAMETERS","features":[468]},{"name":"CaseIgnoreList","features":[468]},{"name":"DBDTF_RETURNEXTERNAL","features":[468]},{"name":"DBDTF_RETURNFQDN","features":[468]},{"name":"DBDTF_RETURNINBOUND","features":[468]},{"name":"DBDTF_RETURNINOUTBOUND","features":[468]},{"name":"DBDTF_RETURNMIXEDDOMAINS","features":[468]},{"name":"DNWithBinary","features":[468]},{"name":"DNWithString","features":[468]},{"name":"DOMAINDESC","features":[308,468]},{"name":"DOMAIN_CONTROLLER_INFOA","features":[468]},{"name":"DOMAIN_CONTROLLER_INFOW","features":[468]},{"name":"DOMAIN_TREE","features":[308,468]},{"name":"DSA_NEWOBJ_CTX_CLEANUP","features":[468]},{"name":"DSA_NEWOBJ_CTX_COMMIT","features":[468]},{"name":"DSA_NEWOBJ_CTX_POSTCOMMIT","features":[468]},{"name":"DSA_NEWOBJ_CTX_PRECOMMIT","features":[468]},{"name":"DSA_NEWOBJ_DISPINFO","features":[468,370]},{"name":"DSA_NOTIFY_DEL","features":[468]},{"name":"DSA_NOTIFY_FLAG_ADDITIONAL_DATA","features":[468]},{"name":"DSA_NOTIFY_FLAG_FORCE_ADDITIONAL_DATA","features":[468]},{"name":"DSA_NOTIFY_MOV","features":[468]},{"name":"DSA_NOTIFY_PROP","features":[468]},{"name":"DSA_NOTIFY_REN","features":[468]},{"name":"DSBF_DISPLAYNAME","features":[468]},{"name":"DSBF_ICONLOCATION","features":[468]},{"name":"DSBF_STATE","features":[468]},{"name":"DSBID_BANNER","features":[468]},{"name":"DSBID_CONTAINERLIST","features":[468]},{"name":"DSBITEMA","features":[468]},{"name":"DSBITEMW","features":[468]},{"name":"DSBI_CHECKBOXES","features":[468]},{"name":"DSBI_DONTSIGNSEAL","features":[468]},{"name":"DSBI_ENTIREDIRECTORY","features":[468]},{"name":"DSBI_EXPANDONOPEN","features":[468]},{"name":"DSBI_HASCREDENTIALS","features":[468]},{"name":"DSBI_IGNORETREATASLEAF","features":[468]},{"name":"DSBI_INCLUDEHIDDEN","features":[468]},{"name":"DSBI_NOBUTTONS","features":[468]},{"name":"DSBI_NOLINES","features":[468]},{"name":"DSBI_NOLINESATROOT","features":[468]},{"name":"DSBI_NOROOT","features":[468]},{"name":"DSBI_RETURNOBJECTCLASS","features":[468]},{"name":"DSBI_RETURN_FORMAT","features":[468]},{"name":"DSBI_SIMPLEAUTHENTICATE","features":[468]},{"name":"DSBM_CHANGEIMAGESTATE","features":[468]},{"name":"DSBM_CONTEXTMENU","features":[468]},{"name":"DSBM_HELP","features":[468]},{"name":"DSBM_QUERYINSERT","features":[468]},{"name":"DSBM_QUERYINSERTA","features":[468]},{"name":"DSBM_QUERYINSERTW","features":[468]},{"name":"DSBROWSEINFOA","features":[308,468,469]},{"name":"DSBROWSEINFOW","features":[308,468,469]},{"name":"DSBS_CHECKED","features":[468]},{"name":"DSBS_HIDDEN","features":[468]},{"name":"DSBS_ROOT","features":[468]},{"name":"DSB_MAX_DISPLAYNAME_CHARS","features":[468]},{"name":"DSCCIF_HASWIZARDDIALOG","features":[468]},{"name":"DSCCIF_HASWIZARDPRIMARYPAGE","features":[468]},{"name":"DSCLASSCREATIONINFO","features":[468]},{"name":"DSCOLUMN","features":[468]},{"name":"DSDISPLAYSPECOPTIONS","features":[468]},{"name":"DSDSOF_DONTSIGNSEAL","features":[468]},{"name":"DSDSOF_DSAVAILABLE","features":[468]},{"name":"DSDSOF_HASUSERANDSERVERINFO","features":[468]},{"name":"DSDSOF_SIMPLEAUTHENTICATE","features":[468]},{"name":"DSECAF_NOTLISTED","features":[468]},{"name":"DSGIF_DEFAULTISCONTAINER","features":[468]},{"name":"DSGIF_GETDEFAULTICON","features":[468]},{"name":"DSGIF_ISDISABLED","features":[468]},{"name":"DSGIF_ISMASK","features":[468]},{"name":"DSGIF_ISNORMAL","features":[468]},{"name":"DSGIF_ISOPEN","features":[468]},{"name":"DSICCF_IGNORETREATASLEAF","features":[468]},{"name":"DSOBJECT","features":[468]},{"name":"DSOBJECTNAMES","features":[468]},{"name":"DSOBJECT_ISCONTAINER","features":[468]},{"name":"DSOBJECT_READONLYPAGES","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_ALL_APP_PACKAGES","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_ALL_WELLKNOWN_SIDS","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_ANONYMOUS","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_AUTHENTICATED_USER","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_BATCH","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_COMPUTERS","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_CREATOR_GROUP","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_CREATOR_OWNER","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_DIALUP","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_EXCLUDE_BUILTIN_GROUPS","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_GLOBAL_GROUPS","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_IIS_APP_POOL","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_INTERACTIVE","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_INTERNET_USER","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_LOCAL_ACCOUNTS","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_LOCAL_GROUPS","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_LOCAL_LOGON","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_LOCAL_SERVICE","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_NETWORK","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_NETWORK_SERVICE","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_OWNER_RIGHTS","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_REMOTE_LOGON","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_SERVICE","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_SERVICES","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_SYSTEM","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_TERMINAL_SERVER","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_THIS_ORG_CERT","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_USERS","features":[468]},{"name":"DSOP_DOWNLEVEL_FILTER_WORLD","features":[468]},{"name":"DSOP_FILTER_BUILTIN_GROUPS","features":[468]},{"name":"DSOP_FILTER_COMPUTERS","features":[468]},{"name":"DSOP_FILTER_CONTACTS","features":[468]},{"name":"DSOP_FILTER_DOMAIN_LOCAL_GROUPS_DL","features":[468]},{"name":"DSOP_FILTER_DOMAIN_LOCAL_GROUPS_SE","features":[468]},{"name":"DSOP_FILTER_FLAGS","features":[468]},{"name":"DSOP_FILTER_GLOBAL_GROUPS_DL","features":[468]},{"name":"DSOP_FILTER_GLOBAL_GROUPS_SE","features":[468]},{"name":"DSOP_FILTER_INCLUDE_ADVANCED_VIEW","features":[468]},{"name":"DSOP_FILTER_PASSWORDSETTINGS_OBJECTS","features":[468]},{"name":"DSOP_FILTER_SERVICE_ACCOUNTS","features":[468]},{"name":"DSOP_FILTER_UNIVERSAL_GROUPS_DL","features":[468]},{"name":"DSOP_FILTER_UNIVERSAL_GROUPS_SE","features":[468]},{"name":"DSOP_FILTER_USERS","features":[468]},{"name":"DSOP_FILTER_WELL_KNOWN_PRINCIPALS","features":[468]},{"name":"DSOP_FLAG_MULTISELECT","features":[468]},{"name":"DSOP_FLAG_SKIP_TARGET_COMPUTER_DC_CHECK","features":[468]},{"name":"DSOP_INIT_INFO","features":[468]},{"name":"DSOP_SCOPE_FLAG_DEFAULT_FILTER_COMPUTERS","features":[468]},{"name":"DSOP_SCOPE_FLAG_DEFAULT_FILTER_CONTACTS","features":[468]},{"name":"DSOP_SCOPE_FLAG_DEFAULT_FILTER_GROUPS","features":[468]},{"name":"DSOP_SCOPE_FLAG_DEFAULT_FILTER_PASSWORDSETTINGS_OBJECTS","features":[468]},{"name":"DSOP_SCOPE_FLAG_DEFAULT_FILTER_SERVICE_ACCOUNTS","features":[468]},{"name":"DSOP_SCOPE_FLAG_DEFAULT_FILTER_USERS","features":[468]},{"name":"DSOP_SCOPE_FLAG_STARTING_SCOPE","features":[468]},{"name":"DSOP_SCOPE_FLAG_WANT_DOWNLEVEL_BUILTIN_PATH","features":[468]},{"name":"DSOP_SCOPE_FLAG_WANT_PROVIDER_GC","features":[468]},{"name":"DSOP_SCOPE_FLAG_WANT_PROVIDER_LDAP","features":[468]},{"name":"DSOP_SCOPE_FLAG_WANT_PROVIDER_WINNT","features":[468]},{"name":"DSOP_SCOPE_FLAG_WANT_SID_PATH","features":[468]},{"name":"DSOP_SCOPE_INIT_INFO","features":[468]},{"name":"DSOP_SCOPE_TYPE_DOWNLEVEL_JOINED_DOMAIN","features":[468]},{"name":"DSOP_SCOPE_TYPE_ENTERPRISE_DOMAIN","features":[468]},{"name":"DSOP_SCOPE_TYPE_EXTERNAL_DOWNLEVEL_DOMAIN","features":[468]},{"name":"DSOP_SCOPE_TYPE_EXTERNAL_UPLEVEL_DOMAIN","features":[468]},{"name":"DSOP_SCOPE_TYPE_GLOBAL_CATALOG","features":[468]},{"name":"DSOP_SCOPE_TYPE_TARGET_COMPUTER","features":[468]},{"name":"DSOP_SCOPE_TYPE_UPLEVEL_JOINED_DOMAIN","features":[468]},{"name":"DSOP_SCOPE_TYPE_USER_ENTERED_DOWNLEVEL_SCOPE","features":[468]},{"name":"DSOP_SCOPE_TYPE_USER_ENTERED_UPLEVEL_SCOPE","features":[468]},{"name":"DSOP_SCOPE_TYPE_WORKGROUP","features":[468]},{"name":"DSOP_UPLEVEL_FILTER_FLAGS","features":[468]},{"name":"DSPROPERTYPAGEINFO","features":[468]},{"name":"DSPROP_ATTRCHANGED_MSG","features":[468]},{"name":"DSPROVIDER_ADVANCED","features":[468]},{"name":"DSPROVIDER_AD_LDS","features":[468]},{"name":"DSPROVIDER_UNUSED_0","features":[468]},{"name":"DSPROVIDER_UNUSED_1","features":[468]},{"name":"DSPROVIDER_UNUSED_2","features":[468]},{"name":"DSPROVIDER_UNUSED_3","features":[468]},{"name":"DSQPF_ENABLEADMINFEATURES","features":[468]},{"name":"DSQPF_ENABLEADVANCEDFEATURES","features":[468]},{"name":"DSQPF_HASCREDENTIALS","features":[468]},{"name":"DSQPF_NOCHOOSECOLUMNS","features":[468]},{"name":"DSQPF_NOSAVE","features":[468]},{"name":"DSQPF_SAVELOCATION","features":[468]},{"name":"DSQPF_SHOWHIDDENOBJECTS","features":[468]},{"name":"DSQPM_GETCLASSLIST","features":[468]},{"name":"DSQPM_HELPTOPICS","features":[468]},{"name":"DSQUERYCLASSLIST","features":[468]},{"name":"DSQUERYINITPARAMS","features":[468]},{"name":"DSQUERYPARAMS","features":[308,468]},{"name":"DSROLE_MACHINE_ROLE","features":[468]},{"name":"DSROLE_OPERATION_STATE","features":[468]},{"name":"DSROLE_OPERATION_STATE_INFO","features":[468]},{"name":"DSROLE_PRIMARY_DOMAIN_GUID_PRESENT","features":[468]},{"name":"DSROLE_PRIMARY_DOMAIN_INFO_BASIC","features":[468]},{"name":"DSROLE_PRIMARY_DOMAIN_INFO_LEVEL","features":[468]},{"name":"DSROLE_PRIMARY_DS_MIXED_MODE","features":[468]},{"name":"DSROLE_PRIMARY_DS_READONLY","features":[468]},{"name":"DSROLE_PRIMARY_DS_RUNNING","features":[468]},{"name":"DSROLE_SERVER_STATE","features":[468]},{"name":"DSROLE_UPGRADE_IN_PROGRESS","features":[468]},{"name":"DSROLE_UPGRADE_STATUS_INFO","features":[468]},{"name":"DSSSF_DONTSIGNSEAL","features":[468]},{"name":"DSSSF_DSAVAILABLE","features":[468]},{"name":"DSSSF_SIMPLEAUTHENTICATE","features":[468]},{"name":"DS_AVOID_SELF","features":[468]},{"name":"DS_BACKGROUND_ONLY","features":[468]},{"name":"DS_BEHAVIOR_LONGHORN","features":[468]},{"name":"DS_BEHAVIOR_WIN2000","features":[468]},{"name":"DS_BEHAVIOR_WIN2003","features":[468]},{"name":"DS_BEHAVIOR_WIN2003_WITH_MIXED_DOMAINS","features":[468]},{"name":"DS_BEHAVIOR_WIN2008","features":[468]},{"name":"DS_BEHAVIOR_WIN2008R2","features":[468]},{"name":"DS_BEHAVIOR_WIN2012","features":[468]},{"name":"DS_BEHAVIOR_WIN2012R2","features":[468]},{"name":"DS_BEHAVIOR_WIN2016","features":[468]},{"name":"DS_BEHAVIOR_WIN7","features":[468]},{"name":"DS_BEHAVIOR_WIN8","features":[468]},{"name":"DS_BEHAVIOR_WINBLUE","features":[468]},{"name":"DS_BEHAVIOR_WINTHRESHOLD","features":[468]},{"name":"DS_CANONICAL_NAME","features":[468]},{"name":"DS_CANONICAL_NAME_EX","features":[468]},{"name":"DS_CLOSEST_FLAG","features":[468]},{"name":"DS_DIRECTORY_SERVICE_10_REQUIRED","features":[468]},{"name":"DS_DIRECTORY_SERVICE_6_REQUIRED","features":[468]},{"name":"DS_DIRECTORY_SERVICE_8_REQUIRED","features":[468]},{"name":"DS_DIRECTORY_SERVICE_9_REQUIRED","features":[468]},{"name":"DS_DIRECTORY_SERVICE_PREFERRED","features":[468]},{"name":"DS_DIRECTORY_SERVICE_REQUIRED","features":[468]},{"name":"DS_DISPLAY_NAME","features":[468]},{"name":"DS_DNS_CONTROLLER_FLAG","features":[468]},{"name":"DS_DNS_DOMAIN_FLAG","features":[468]},{"name":"DS_DNS_DOMAIN_NAME","features":[468]},{"name":"DS_DNS_FOREST_FLAG","features":[468]},{"name":"DS_DOMAIN_CONTROLLER_INFO_1A","features":[308,468]},{"name":"DS_DOMAIN_CONTROLLER_INFO_1W","features":[308,468]},{"name":"DS_DOMAIN_CONTROLLER_INFO_2A","features":[308,468]},{"name":"DS_DOMAIN_CONTROLLER_INFO_2W","features":[308,468]},{"name":"DS_DOMAIN_CONTROLLER_INFO_3A","features":[308,468]},{"name":"DS_DOMAIN_CONTROLLER_INFO_3W","features":[308,468]},{"name":"DS_DOMAIN_DIRECT_INBOUND","features":[468]},{"name":"DS_DOMAIN_DIRECT_OUTBOUND","features":[468]},{"name":"DS_DOMAIN_IN_FOREST","features":[468]},{"name":"DS_DOMAIN_NATIVE_MODE","features":[468]},{"name":"DS_DOMAIN_PRIMARY","features":[468]},{"name":"DS_DOMAIN_TREE_ROOT","features":[468]},{"name":"DS_DOMAIN_TRUSTSA","features":[308,468]},{"name":"DS_DOMAIN_TRUSTSW","features":[308,468]},{"name":"DS_DS_10_FLAG","features":[468]},{"name":"DS_DS_8_FLAG","features":[468]},{"name":"DS_DS_9_FLAG","features":[468]},{"name":"DS_DS_FLAG","features":[468]},{"name":"DS_EXIST_ADVISORY_MODE","features":[468]},{"name":"DS_FORCE_REDISCOVERY","features":[468]},{"name":"DS_FQDN_1779_NAME","features":[468]},{"name":"DS_FULL_SECRET_DOMAIN_6_FLAG","features":[468]},{"name":"DS_GC_FLAG","features":[468]},{"name":"DS_GC_SERVER_REQUIRED","features":[468]},{"name":"DS_GFTI_UPDATE_TDO","features":[468]},{"name":"DS_GFTI_VALID_FLAGS","features":[468]},{"name":"DS_GOOD_TIMESERV_FLAG","features":[468]},{"name":"DS_GOOD_TIMESERV_PREFERRED","features":[468]},{"name":"DS_INSTANCETYPE_IS_NC_HEAD","features":[468]},{"name":"DS_INSTANCETYPE_NC_COMING","features":[468]},{"name":"DS_INSTANCETYPE_NC_GOING","features":[468]},{"name":"DS_INSTANCETYPE_NC_IS_WRITEABLE","features":[468]},{"name":"DS_IP_REQUIRED","features":[468]},{"name":"DS_IS_DNS_NAME","features":[468]},{"name":"DS_IS_FLAT_NAME","features":[468]},{"name":"DS_KCC_FLAG_ASYNC_OP","features":[468]},{"name":"DS_KCC_FLAG_DAMPED","features":[468]},{"name":"DS_KCC_TASKID","features":[468]},{"name":"DS_KCC_TASKID_UPDATE_TOPOLOGY","features":[468]},{"name":"DS_KDC_FLAG","features":[468]},{"name":"DS_KDC_REQUIRED","features":[468]},{"name":"DS_KEY_LIST_FLAG","features":[468]},{"name":"DS_KEY_LIST_SUPPORT_REQUIRED","features":[468]},{"name":"DS_LDAP_FLAG","features":[468]},{"name":"DS_LIST_ACCOUNT_OBJECT_FOR_SERVER","features":[468]},{"name":"DS_LIST_DNS_HOST_NAME_FOR_SERVER","features":[468]},{"name":"DS_LIST_DSA_OBJECT_FOR_SERVER","features":[468]},{"name":"DS_MANGLE_FOR","features":[468]},{"name":"DS_MANGLE_OBJECT_RDN_FOR_DELETION","features":[468]},{"name":"DS_MANGLE_OBJECT_RDN_FOR_NAME_CONFLICT","features":[468]},{"name":"DS_MANGLE_UNKNOWN","features":[468]},{"name":"DS_NAME_ERROR","features":[468]},{"name":"DS_NAME_ERROR_DOMAIN_ONLY","features":[468]},{"name":"DS_NAME_ERROR_NOT_FOUND","features":[468]},{"name":"DS_NAME_ERROR_NOT_UNIQUE","features":[468]},{"name":"DS_NAME_ERROR_NO_MAPPING","features":[468]},{"name":"DS_NAME_ERROR_NO_SYNTACTICAL_MAPPING","features":[468]},{"name":"DS_NAME_ERROR_RESOLVING","features":[468]},{"name":"DS_NAME_ERROR_TRUST_REFERRAL","features":[468]},{"name":"DS_NAME_FLAGS","features":[468]},{"name":"DS_NAME_FLAG_EVAL_AT_DC","features":[468]},{"name":"DS_NAME_FLAG_GCVERIFY","features":[468]},{"name":"DS_NAME_FLAG_SYNTACTICAL_ONLY","features":[468]},{"name":"DS_NAME_FLAG_TRUST_REFERRAL","features":[468]},{"name":"DS_NAME_FORMAT","features":[468]},{"name":"DS_NAME_NO_ERROR","features":[468]},{"name":"DS_NAME_NO_FLAGS","features":[468]},{"name":"DS_NAME_RESULTA","features":[468]},{"name":"DS_NAME_RESULTW","features":[468]},{"name":"DS_NAME_RESULT_ITEMA","features":[468]},{"name":"DS_NAME_RESULT_ITEMW","features":[468]},{"name":"DS_NDNC_FLAG","features":[468]},{"name":"DS_NOTIFY_AFTER_SITE_RECORDS","features":[468]},{"name":"DS_NT4_ACCOUNT_NAME","features":[468]},{"name":"DS_ONLY_DO_SITE_NAME","features":[468]},{"name":"DS_ONLY_LDAP_NEEDED","features":[468]},{"name":"DS_PDC_FLAG","features":[468]},{"name":"DS_PDC_REQUIRED","features":[468]},{"name":"DS_PING_FLAGS","features":[468]},{"name":"DS_PROP_ADMIN_PREFIX","features":[468]},{"name":"DS_PROP_SHELL_PREFIX","features":[468]},{"name":"DS_REPADD_ASYNCHRONOUS_OPERATION","features":[468]},{"name":"DS_REPADD_ASYNCHRONOUS_REPLICA","features":[468]},{"name":"DS_REPADD_CRITICAL","features":[468]},{"name":"DS_REPADD_DISABLE_NOTIFICATION","features":[468]},{"name":"DS_REPADD_DISABLE_PERIODIC","features":[468]},{"name":"DS_REPADD_INITIAL","features":[468]},{"name":"DS_REPADD_INTERSITE_MESSAGING","features":[468]},{"name":"DS_REPADD_NEVER_NOTIFY","features":[468]},{"name":"DS_REPADD_NONGC_RO_REPLICA","features":[468]},{"name":"DS_REPADD_PERIODIC","features":[468]},{"name":"DS_REPADD_SELECT_SECRETS","features":[468]},{"name":"DS_REPADD_TWO_WAY","features":[468]},{"name":"DS_REPADD_USE_COMPRESSION","features":[468]},{"name":"DS_REPADD_WRITEABLE","features":[468]},{"name":"DS_REPDEL_ASYNCHRONOUS_OPERATION","features":[468]},{"name":"DS_REPDEL_IGNORE_ERRORS","features":[468]},{"name":"DS_REPDEL_INTERSITE_MESSAGING","features":[468]},{"name":"DS_REPDEL_LOCAL_ONLY","features":[468]},{"name":"DS_REPDEL_NO_SOURCE","features":[468]},{"name":"DS_REPDEL_REF_OK","features":[468]},{"name":"DS_REPDEL_WRITEABLE","features":[468]},{"name":"DS_REPL_ATTR_META_DATA","features":[308,468]},{"name":"DS_REPL_ATTR_META_DATA_2","features":[308,468]},{"name":"DS_REPL_ATTR_META_DATA_BLOB","features":[308,468]},{"name":"DS_REPL_ATTR_VALUE_META_DATA","features":[308,468]},{"name":"DS_REPL_ATTR_VALUE_META_DATA_2","features":[308,468]},{"name":"DS_REPL_ATTR_VALUE_META_DATA_EXT","features":[308,468]},{"name":"DS_REPL_CURSOR","features":[468]},{"name":"DS_REPL_CURSORS","features":[468]},{"name":"DS_REPL_CURSORS_2","features":[308,468]},{"name":"DS_REPL_CURSORS_3W","features":[308,468]},{"name":"DS_REPL_CURSOR_2","features":[308,468]},{"name":"DS_REPL_CURSOR_3W","features":[308,468]},{"name":"DS_REPL_CURSOR_BLOB","features":[308,468]},{"name":"DS_REPL_INFO_CURSORS_2_FOR_NC","features":[468]},{"name":"DS_REPL_INFO_CURSORS_3_FOR_NC","features":[468]},{"name":"DS_REPL_INFO_CURSORS_FOR_NC","features":[468]},{"name":"DS_REPL_INFO_FLAG_IMPROVE_LINKED_ATTRS","features":[468]},{"name":"DS_REPL_INFO_KCC_DSA_CONNECT_FAILURES","features":[468]},{"name":"DS_REPL_INFO_KCC_DSA_LINK_FAILURES","features":[468]},{"name":"DS_REPL_INFO_METADATA_2_FOR_ATTR_VALUE","features":[468]},{"name":"DS_REPL_INFO_METADATA_2_FOR_OBJ","features":[468]},{"name":"DS_REPL_INFO_METADATA_EXT_FOR_ATTR_VALUE","features":[468]},{"name":"DS_REPL_INFO_METADATA_FOR_ATTR_VALUE","features":[468]},{"name":"DS_REPL_INFO_METADATA_FOR_OBJ","features":[468]},{"name":"DS_REPL_INFO_NEIGHBORS","features":[468]},{"name":"DS_REPL_INFO_PENDING_OPS","features":[468]},{"name":"DS_REPL_INFO_TYPE","features":[468]},{"name":"DS_REPL_INFO_TYPE_MAX","features":[468]},{"name":"DS_REPL_KCC_DSA_FAILURESW","features":[308,468]},{"name":"DS_REPL_KCC_DSA_FAILUREW","features":[308,468]},{"name":"DS_REPL_KCC_DSA_FAILUREW_BLOB","features":[308,468]},{"name":"DS_REPL_NBR_COMPRESS_CHANGES","features":[468]},{"name":"DS_REPL_NBR_DISABLE_SCHEDULED_SYNC","features":[468]},{"name":"DS_REPL_NBR_DO_SCHEDULED_SYNCS","features":[468]},{"name":"DS_REPL_NBR_FULL_SYNC_IN_PROGRESS","features":[468]},{"name":"DS_REPL_NBR_FULL_SYNC_NEXT_PACKET","features":[468]},{"name":"DS_REPL_NBR_GCSPN","features":[468]},{"name":"DS_REPL_NBR_IGNORE_CHANGE_NOTIFICATIONS","features":[468]},{"name":"DS_REPL_NBR_NEVER_SYNCED","features":[468]},{"name":"DS_REPL_NBR_NONGC_RO_REPLICA","features":[468]},{"name":"DS_REPL_NBR_NO_CHANGE_NOTIFICATIONS","features":[468]},{"name":"DS_REPL_NBR_PARTIAL_ATTRIBUTE_SET","features":[468]},{"name":"DS_REPL_NBR_PREEMPTED","features":[468]},{"name":"DS_REPL_NBR_RETURN_OBJECT_PARENTS","features":[468]},{"name":"DS_REPL_NBR_SELECT_SECRETS","features":[468]},{"name":"DS_REPL_NBR_SYNC_ON_STARTUP","features":[468]},{"name":"DS_REPL_NBR_TWO_WAY_SYNC","features":[468]},{"name":"DS_REPL_NBR_USE_ASYNC_INTERSITE_TRANSPORT","features":[468]},{"name":"DS_REPL_NBR_WRITEABLE","features":[468]},{"name":"DS_REPL_NEIGHBORSW","features":[308,468]},{"name":"DS_REPL_NEIGHBORW","features":[308,468]},{"name":"DS_REPL_NEIGHBORW_BLOB","features":[308,468]},{"name":"DS_REPL_OBJ_META_DATA","features":[308,468]},{"name":"DS_REPL_OBJ_META_DATA_2","features":[308,468]},{"name":"DS_REPL_OPW","features":[308,468]},{"name":"DS_REPL_OPW_BLOB","features":[308,468]},{"name":"DS_REPL_OP_TYPE","features":[468]},{"name":"DS_REPL_OP_TYPE_ADD","features":[468]},{"name":"DS_REPL_OP_TYPE_DELETE","features":[468]},{"name":"DS_REPL_OP_TYPE_MODIFY","features":[468]},{"name":"DS_REPL_OP_TYPE_SYNC","features":[468]},{"name":"DS_REPL_OP_TYPE_UPDATE_REFS","features":[468]},{"name":"DS_REPL_PENDING_OPSW","features":[308,468]},{"name":"DS_REPL_QUEUE_STATISTICSW","features":[308,468]},{"name":"DS_REPL_VALUE_META_DATA","features":[308,468]},{"name":"DS_REPL_VALUE_META_DATA_2","features":[308,468]},{"name":"DS_REPL_VALUE_META_DATA_BLOB","features":[308,468]},{"name":"DS_REPL_VALUE_META_DATA_BLOB_EXT","features":[308,468]},{"name":"DS_REPL_VALUE_META_DATA_EXT","features":[308,468]},{"name":"DS_REPMOD_ASYNCHRONOUS_OPERATION","features":[468]},{"name":"DS_REPMOD_UPDATE_ADDRESS","features":[468]},{"name":"DS_REPMOD_UPDATE_FLAGS","features":[468]},{"name":"DS_REPMOD_UPDATE_INSTANCE","features":[468]},{"name":"DS_REPMOD_UPDATE_RESULT","features":[468]},{"name":"DS_REPMOD_UPDATE_SCHEDULE","features":[468]},{"name":"DS_REPMOD_UPDATE_TRANSPORT","features":[468]},{"name":"DS_REPMOD_WRITEABLE","features":[468]},{"name":"DS_REPSYNCALL_ABORT_IF_SERVER_UNAVAILABLE","features":[468]},{"name":"DS_REPSYNCALL_CROSS_SITE_BOUNDARIES","features":[468]},{"name":"DS_REPSYNCALL_DO_NOT_SYNC","features":[468]},{"name":"DS_REPSYNCALL_ERRINFOA","features":[468]},{"name":"DS_REPSYNCALL_ERRINFOW","features":[468]},{"name":"DS_REPSYNCALL_ERROR","features":[468]},{"name":"DS_REPSYNCALL_EVENT","features":[468]},{"name":"DS_REPSYNCALL_EVENT_ERROR","features":[468]},{"name":"DS_REPSYNCALL_EVENT_FINISHED","features":[468]},{"name":"DS_REPSYNCALL_EVENT_SYNC_COMPLETED","features":[468]},{"name":"DS_REPSYNCALL_EVENT_SYNC_STARTED","features":[468]},{"name":"DS_REPSYNCALL_ID_SERVERS_BY_DN","features":[468]},{"name":"DS_REPSYNCALL_NO_OPTIONS","features":[468]},{"name":"DS_REPSYNCALL_PUSH_CHANGES_OUTWARD","features":[468]},{"name":"DS_REPSYNCALL_SERVER_UNREACHABLE","features":[468]},{"name":"DS_REPSYNCALL_SKIP_INITIAL_CHECK","features":[468]},{"name":"DS_REPSYNCALL_SYNCA","features":[468]},{"name":"DS_REPSYNCALL_SYNCW","features":[468]},{"name":"DS_REPSYNCALL_SYNC_ADJACENT_SERVERS_ONLY","features":[468]},{"name":"DS_REPSYNCALL_UPDATEA","features":[468]},{"name":"DS_REPSYNCALL_UPDATEW","features":[468]},{"name":"DS_REPSYNCALL_WIN32_ERROR_CONTACTING_SERVER","features":[468]},{"name":"DS_REPSYNCALL_WIN32_ERROR_REPLICATING","features":[468]},{"name":"DS_REPSYNC_ABANDONED","features":[468]},{"name":"DS_REPSYNC_ADD_REFERENCE","features":[468]},{"name":"DS_REPSYNC_ASYNCHRONOUS_OPERATION","features":[468]},{"name":"DS_REPSYNC_ASYNCHRONOUS_REPLICA","features":[468]},{"name":"DS_REPSYNC_CRITICAL","features":[468]},{"name":"DS_REPSYNC_FORCE","features":[468]},{"name":"DS_REPSYNC_FULL","features":[468]},{"name":"DS_REPSYNC_FULL_IN_PROGRESS","features":[468]},{"name":"DS_REPSYNC_INITIAL","features":[468]},{"name":"DS_REPSYNC_INITIAL_IN_PROGRESS","features":[468]},{"name":"DS_REPSYNC_INTERSITE_MESSAGING","features":[468]},{"name":"DS_REPSYNC_NEVER_COMPLETED","features":[468]},{"name":"DS_REPSYNC_NEVER_NOTIFY","features":[468]},{"name":"DS_REPSYNC_NONGC_RO_REPLICA","features":[468]},{"name":"DS_REPSYNC_NOTIFICATION","features":[468]},{"name":"DS_REPSYNC_NO_DISCARD","features":[468]},{"name":"DS_REPSYNC_PARTIAL_ATTRIBUTE_SET","features":[468]},{"name":"DS_REPSYNC_PERIODIC","features":[468]},{"name":"DS_REPSYNC_PREEMPTED","features":[468]},{"name":"DS_REPSYNC_REQUEUE","features":[468]},{"name":"DS_REPSYNC_SELECT_SECRETS","features":[468]},{"name":"DS_REPSYNC_TWO_WAY","features":[468]},{"name":"DS_REPSYNC_URGENT","features":[468]},{"name":"DS_REPSYNC_USE_COMPRESSION","features":[468]},{"name":"DS_REPSYNC_WRITEABLE","features":[468]},{"name":"DS_REPUPD_ADD_REFERENCE","features":[468]},{"name":"DS_REPUPD_ASYNCHRONOUS_OPERATION","features":[468]},{"name":"DS_REPUPD_DELETE_REFERENCE","features":[468]},{"name":"DS_REPUPD_REFERENCE_GCSPN","features":[468]},{"name":"DS_REPUPD_WRITEABLE","features":[468]},{"name":"DS_RETURN_DNS_NAME","features":[468]},{"name":"DS_RETURN_FLAT_NAME","features":[468]},{"name":"DS_ROLE_DOMAIN_OWNER","features":[468]},{"name":"DS_ROLE_INFRASTRUCTURE_OWNER","features":[468]},{"name":"DS_ROLE_PDC_OWNER","features":[468]},{"name":"DS_ROLE_RID_OWNER","features":[468]},{"name":"DS_ROLE_SCHEMA_OWNER","features":[468]},{"name":"DS_SCHEMA_GUID_ATTR","features":[468]},{"name":"DS_SCHEMA_GUID_ATTR_SET","features":[468]},{"name":"DS_SCHEMA_GUID_CLASS","features":[468]},{"name":"DS_SCHEMA_GUID_CONTROL_RIGHT","features":[468]},{"name":"DS_SCHEMA_GUID_MAPA","features":[468]},{"name":"DS_SCHEMA_GUID_MAPW","features":[468]},{"name":"DS_SCHEMA_GUID_NOT_FOUND","features":[468]},{"name":"DS_SELECTION","features":[468]},{"name":"DS_SELECTION_LIST","features":[468]},{"name":"DS_SELECT_SECRET_DOMAIN_6_FLAG","features":[468]},{"name":"DS_SERVICE_PRINCIPAL_NAME","features":[468]},{"name":"DS_SID_OR_SID_HISTORY_NAME","features":[468]},{"name":"DS_SITE_COST_INFO","features":[468]},{"name":"DS_SPN_ADD_SPN_OP","features":[468]},{"name":"DS_SPN_DELETE_SPN_OP","features":[468]},{"name":"DS_SPN_DNS_HOST","features":[468]},{"name":"DS_SPN_DN_HOST","features":[468]},{"name":"DS_SPN_DOMAIN","features":[468]},{"name":"DS_SPN_NAME_TYPE","features":[468]},{"name":"DS_SPN_NB_DOMAIN","features":[468]},{"name":"DS_SPN_NB_HOST","features":[468]},{"name":"DS_SPN_REPLACE_SPN_OP","features":[468]},{"name":"DS_SPN_SERVICE","features":[468]},{"name":"DS_SPN_WRITE_OP","features":[468]},{"name":"DS_SYNCED_EVENT_NAME","features":[468]},{"name":"DS_SYNCED_EVENT_NAME_W","features":[468]},{"name":"DS_TIMESERV_FLAG","features":[468]},{"name":"DS_TIMESERV_REQUIRED","features":[468]},{"name":"DS_TRY_NEXTCLOSEST_SITE","features":[468]},{"name":"DS_UNIQUE_ID_NAME","features":[468]},{"name":"DS_UNKNOWN_NAME","features":[468]},{"name":"DS_USER_PRINCIPAL_NAME","features":[468]},{"name":"DS_WEB_SERVICE_REQUIRED","features":[468]},{"name":"DS_WRITABLE_FLAG","features":[468]},{"name":"DS_WRITABLE_REQUIRED","features":[468]},{"name":"DS_WS_FLAG","features":[468]},{"name":"DsAddSidHistoryA","features":[308,468]},{"name":"DsAddSidHistoryW","features":[308,468]},{"name":"DsAddressToSiteNamesA","features":[468,321]},{"name":"DsAddressToSiteNamesExA","features":[468,321]},{"name":"DsAddressToSiteNamesExW","features":[468,321]},{"name":"DsAddressToSiteNamesW","features":[468,321]},{"name":"DsBindA","features":[308,468]},{"name":"DsBindByInstanceA","features":[308,468]},{"name":"DsBindByInstanceW","features":[308,468]},{"name":"DsBindToISTGA","features":[308,468]},{"name":"DsBindToISTGW","features":[308,468]},{"name":"DsBindW","features":[308,468]},{"name":"DsBindWithCredA","features":[308,468]},{"name":"DsBindWithCredW","features":[308,468]},{"name":"DsBindWithSpnA","features":[308,468]},{"name":"DsBindWithSpnExA","features":[308,468]},{"name":"DsBindWithSpnExW","features":[308,468]},{"name":"DsBindWithSpnW","features":[308,468]},{"name":"DsBindingSetTimeout","features":[308,468]},{"name":"DsBrowseForContainerA","features":[308,468,469]},{"name":"DsBrowseForContainerW","features":[308,468,469]},{"name":"DsClientMakeSpnForTargetServerA","features":[468]},{"name":"DsClientMakeSpnForTargetServerW","features":[468]},{"name":"DsCrackNamesA","features":[308,468]},{"name":"DsCrackNamesW","features":[308,468]},{"name":"DsCrackSpn2A","features":[468]},{"name":"DsCrackSpn2W","features":[468]},{"name":"DsCrackSpn3W","features":[468]},{"name":"DsCrackSpn4W","features":[468]},{"name":"DsCrackSpnA","features":[468]},{"name":"DsCrackSpnW","features":[468]},{"name":"DsCrackUnquotedMangledRdnA","features":[308,468]},{"name":"DsCrackUnquotedMangledRdnW","features":[308,468]},{"name":"DsDeregisterDnsHostRecordsA","features":[468]},{"name":"DsDeregisterDnsHostRecordsW","features":[468]},{"name":"DsEnumerateDomainTrustsA","features":[308,468]},{"name":"DsEnumerateDomainTrustsW","features":[308,468]},{"name":"DsFreeDomainControllerInfoA","features":[468]},{"name":"DsFreeDomainControllerInfoW","features":[468]},{"name":"DsFreeNameResultA","features":[468]},{"name":"DsFreeNameResultW","features":[468]},{"name":"DsFreePasswordCredentials","features":[468]},{"name":"DsFreeSchemaGuidMapA","features":[468]},{"name":"DsFreeSchemaGuidMapW","features":[468]},{"name":"DsFreeSpnArrayA","features":[468]},{"name":"DsFreeSpnArrayW","features":[468]},{"name":"DsGetDcCloseW","features":[308,468]},{"name":"DsGetDcNameA","features":[468]},{"name":"DsGetDcNameW","features":[468]},{"name":"DsGetDcNextA","features":[308,468,321]},{"name":"DsGetDcNextW","features":[308,468,321]},{"name":"DsGetDcOpenA","features":[308,468]},{"name":"DsGetDcOpenW","features":[308,468]},{"name":"DsGetDcSiteCoverageA","features":[468]},{"name":"DsGetDcSiteCoverageW","features":[468]},{"name":"DsGetDomainControllerInfoA","features":[308,468]},{"name":"DsGetDomainControllerInfoW","features":[308,468]},{"name":"DsGetForestTrustInformationW","features":[308,468,329]},{"name":"DsGetFriendlyClassName","features":[468]},{"name":"DsGetIcon","features":[468,370]},{"name":"DsGetRdnW","features":[468]},{"name":"DsGetSiteNameA","features":[468]},{"name":"DsGetSiteNameW","features":[468]},{"name":"DsGetSpnA","features":[468]},{"name":"DsGetSpnW","features":[468]},{"name":"DsInheritSecurityIdentityA","features":[308,468]},{"name":"DsInheritSecurityIdentityW","features":[308,468]},{"name":"DsIsMangledDnA","features":[308,468]},{"name":"DsIsMangledDnW","features":[308,468]},{"name":"DsIsMangledRdnValueA","features":[308,468]},{"name":"DsIsMangledRdnValueW","features":[308,468]},{"name":"DsListDomainsInSiteA","features":[308,468]},{"name":"DsListDomainsInSiteW","features":[308,468]},{"name":"DsListInfoForServerA","features":[308,468]},{"name":"DsListInfoForServerW","features":[308,468]},{"name":"DsListRolesA","features":[308,468]},{"name":"DsListRolesW","features":[308,468]},{"name":"DsListServersForDomainInSiteA","features":[308,468]},{"name":"DsListServersForDomainInSiteW","features":[308,468]},{"name":"DsListServersInSiteA","features":[308,468]},{"name":"DsListServersInSiteW","features":[308,468]},{"name":"DsListSitesA","features":[308,468]},{"name":"DsListSitesW","features":[308,468]},{"name":"DsMakePasswordCredentialsA","features":[468]},{"name":"DsMakePasswordCredentialsW","features":[468]},{"name":"DsMakeSpnA","features":[468]},{"name":"DsMakeSpnW","features":[468]},{"name":"DsMapSchemaGuidsA","features":[308,468]},{"name":"DsMapSchemaGuidsW","features":[308,468]},{"name":"DsMergeForestTrustInformationW","features":[308,468,329]},{"name":"DsQuerySitesByCostA","features":[308,468]},{"name":"DsQuerySitesByCostW","features":[308,468]},{"name":"DsQuerySitesFree","features":[468]},{"name":"DsQuoteRdnValueA","features":[468]},{"name":"DsQuoteRdnValueW","features":[468]},{"name":"DsRemoveDsDomainA","features":[308,468]},{"name":"DsRemoveDsDomainW","features":[308,468]},{"name":"DsRemoveDsServerA","features":[308,468]},{"name":"DsRemoveDsServerW","features":[308,468]},{"name":"DsReplicaAddA","features":[308,468]},{"name":"DsReplicaAddW","features":[308,468]},{"name":"DsReplicaConsistencyCheck","features":[308,468]},{"name":"DsReplicaDelA","features":[308,468]},{"name":"DsReplicaDelW","features":[308,468]},{"name":"DsReplicaFreeInfo","features":[468]},{"name":"DsReplicaGetInfo2W","features":[308,468]},{"name":"DsReplicaGetInfoW","features":[308,468]},{"name":"DsReplicaModifyA","features":[308,468]},{"name":"DsReplicaModifyW","features":[308,468]},{"name":"DsReplicaSyncA","features":[308,468]},{"name":"DsReplicaSyncAllA","features":[308,468]},{"name":"DsReplicaSyncAllW","features":[308,468]},{"name":"DsReplicaSyncW","features":[308,468]},{"name":"DsReplicaUpdateRefsA","features":[308,468]},{"name":"DsReplicaUpdateRefsW","features":[308,468]},{"name":"DsReplicaVerifyObjectsA","features":[308,468]},{"name":"DsReplicaVerifyObjectsW","features":[308,468]},{"name":"DsRoleFreeMemory","features":[468]},{"name":"DsRoleGetPrimaryDomainInformation","features":[468]},{"name":"DsRoleOperationActive","features":[468]},{"name":"DsRoleOperationIdle","features":[468]},{"name":"DsRoleOperationNeedReboot","features":[468]},{"name":"DsRoleOperationState","features":[468]},{"name":"DsRolePrimaryDomainInfoBasic","features":[468]},{"name":"DsRoleServerBackup","features":[468]},{"name":"DsRoleServerPrimary","features":[468]},{"name":"DsRoleServerUnknown","features":[468]},{"name":"DsRoleUpgradeStatus","features":[468]},{"name":"DsRole_RoleBackupDomainController","features":[468]},{"name":"DsRole_RoleMemberServer","features":[468]},{"name":"DsRole_RoleMemberWorkstation","features":[468]},{"name":"DsRole_RolePrimaryDomainController","features":[468]},{"name":"DsRole_RoleStandaloneServer","features":[468]},{"name":"DsRole_RoleStandaloneWorkstation","features":[468]},{"name":"DsServerRegisterSpnA","features":[468]},{"name":"DsServerRegisterSpnW","features":[468]},{"name":"DsUnBindA","features":[308,468]},{"name":"DsUnBindW","features":[308,468]},{"name":"DsUnquoteRdnValueA","features":[468]},{"name":"DsUnquoteRdnValueW","features":[468]},{"name":"DsValidateSubnetNameA","features":[468]},{"name":"DsValidateSubnetNameW","features":[468]},{"name":"DsWriteAccountSpnA","features":[308,468]},{"name":"DsWriteAccountSpnW","features":[308,468]},{"name":"Email","features":[468]},{"name":"FACILITY_BACKUP","features":[468]},{"name":"FACILITY_NTDSB","features":[468]},{"name":"FACILITY_SYSTEM","features":[468]},{"name":"FLAG_DISABLABLE_OPTIONAL_FEATURE","features":[468]},{"name":"FLAG_DOMAIN_OPTIONAL_FEATURE","features":[468]},{"name":"FLAG_FOREST_OPTIONAL_FEATURE","features":[468]},{"name":"FLAG_SERVER_OPTIONAL_FEATURE","features":[468]},{"name":"FRSCONN_MAX_PRIORITY","features":[468]},{"name":"FRSCONN_PRIORITY_MASK","features":[468]},{"name":"FaxNumber","features":[468]},{"name":"FreeADsMem","features":[308,468]},{"name":"FreeADsStr","features":[308,468]},{"name":"GUID_COMPUTRS_CONTAINER_A","features":[468]},{"name":"GUID_COMPUTRS_CONTAINER_W","features":[468]},{"name":"GUID_DELETED_OBJECTS_CONTAINER_A","features":[468]},{"name":"GUID_DELETED_OBJECTS_CONTAINER_W","features":[468]},{"name":"GUID_DOMAIN_CONTROLLERS_CONTAINER_A","features":[468]},{"name":"GUID_DOMAIN_CONTROLLERS_CONTAINER_W","features":[468]},{"name":"GUID_FOREIGNSECURITYPRINCIPALS_CONTAINER_A","features":[468]},{"name":"GUID_FOREIGNSECURITYPRINCIPALS_CONTAINER_W","features":[468]},{"name":"GUID_INFRASTRUCTURE_CONTAINER_A","features":[468]},{"name":"GUID_INFRASTRUCTURE_CONTAINER_W","features":[468]},{"name":"GUID_KEYS_CONTAINER_W","features":[468]},{"name":"GUID_LOSTANDFOUND_CONTAINER_A","features":[468]},{"name":"GUID_LOSTANDFOUND_CONTAINER_W","features":[468]},{"name":"GUID_MANAGED_SERVICE_ACCOUNTS_CONTAINER_W","features":[468]},{"name":"GUID_MICROSOFT_PROGRAM_DATA_CONTAINER_A","features":[468]},{"name":"GUID_MICROSOFT_PROGRAM_DATA_CONTAINER_W","features":[468]},{"name":"GUID_NTDS_QUOTAS_CONTAINER_A","features":[468]},{"name":"GUID_NTDS_QUOTAS_CONTAINER_W","features":[468]},{"name":"GUID_PRIVILEGED_ACCESS_MANAGEMENT_OPTIONAL_FEATURE_A","features":[468]},{"name":"GUID_PRIVILEGED_ACCESS_MANAGEMENT_OPTIONAL_FEATURE_W","features":[468]},{"name":"GUID_PROGRAM_DATA_CONTAINER_A","features":[468]},{"name":"GUID_PROGRAM_DATA_CONTAINER_W","features":[468]},{"name":"GUID_RECYCLE_BIN_OPTIONAL_FEATURE_A","features":[468]},{"name":"GUID_RECYCLE_BIN_OPTIONAL_FEATURE_W","features":[468]},{"name":"GUID_SYSTEMS_CONTAINER_A","features":[468]},{"name":"GUID_SYSTEMS_CONTAINER_W","features":[468]},{"name":"GUID_USERS_CONTAINER_A","features":[468]},{"name":"GUID_USERS_CONTAINER_W","features":[468]},{"name":"Hold","features":[468]},{"name":"IADs","features":[468,359]},{"name":"IADsADSystemInfo","features":[468,359]},{"name":"IADsAccessControlEntry","features":[468,359]},{"name":"IADsAccessControlList","features":[468,359]},{"name":"IADsAcl","features":[468,359]},{"name":"IADsAggregatee","features":[468]},{"name":"IADsAggregator","features":[468]},{"name":"IADsBackLink","features":[468,359]},{"name":"IADsCaseIgnoreList","features":[468,359]},{"name":"IADsClass","features":[468,359]},{"name":"IADsCollection","features":[468,359]},{"name":"IADsComputer","features":[468,359]},{"name":"IADsComputerOperations","features":[468,359]},{"name":"IADsContainer","features":[468,359]},{"name":"IADsDNWithBinary","features":[468,359]},{"name":"IADsDNWithString","features":[468,359]},{"name":"IADsDeleteOps","features":[468,359]},{"name":"IADsDomain","features":[468,359]},{"name":"IADsEmail","features":[468,359]},{"name":"IADsExtension","features":[468]},{"name":"IADsFaxNumber","features":[468,359]},{"name":"IADsFileService","features":[468,359]},{"name":"IADsFileServiceOperations","features":[468,359]},{"name":"IADsFileShare","features":[468,359]},{"name":"IADsGroup","features":[468,359]},{"name":"IADsHold","features":[468,359]},{"name":"IADsLargeInteger","features":[468,359]},{"name":"IADsLocality","features":[468,359]},{"name":"IADsMembers","features":[468,359]},{"name":"IADsNameTranslate","features":[468,359]},{"name":"IADsNamespaces","features":[468,359]},{"name":"IADsNetAddress","features":[468,359]},{"name":"IADsO","features":[468,359]},{"name":"IADsOU","features":[468,359]},{"name":"IADsObjectOptions","features":[468,359]},{"name":"IADsOctetList","features":[468,359]},{"name":"IADsOpenDSObject","features":[468,359]},{"name":"IADsPath","features":[468,359]},{"name":"IADsPathname","features":[468,359]},{"name":"IADsPostalAddress","features":[468,359]},{"name":"IADsPrintJob","features":[468,359]},{"name":"IADsPrintJobOperations","features":[468,359]},{"name":"IADsPrintQueue","features":[468,359]},{"name":"IADsPrintQueueOperations","features":[468,359]},{"name":"IADsProperty","features":[468,359]},{"name":"IADsPropertyEntry","features":[468,359]},{"name":"IADsPropertyList","features":[468,359]},{"name":"IADsPropertyValue","features":[468,359]},{"name":"IADsPropertyValue2","features":[468,359]},{"name":"IADsReplicaPointer","features":[468,359]},{"name":"IADsResource","features":[468,359]},{"name":"IADsSecurityDescriptor","features":[468,359]},{"name":"IADsSecurityUtility","features":[468,359]},{"name":"IADsService","features":[468,359]},{"name":"IADsServiceOperations","features":[468,359]},{"name":"IADsSession","features":[468,359]},{"name":"IADsSyntax","features":[468,359]},{"name":"IADsTimestamp","features":[468,359]},{"name":"IADsTypedName","features":[468,359]},{"name":"IADsUser","features":[468,359]},{"name":"IADsWinNTSystemInfo","features":[468,359]},{"name":"ICommonQuery","features":[468]},{"name":"IDirectoryObject","features":[468]},{"name":"IDirectorySchemaMgmt","features":[468]},{"name":"IDirectorySearch","features":[468]},{"name":"IDsAdminCreateObj","features":[468]},{"name":"IDsAdminNewObj","features":[468]},{"name":"IDsAdminNewObjExt","features":[468]},{"name":"IDsAdminNewObjPrimarySite","features":[468]},{"name":"IDsAdminNotifyHandler","features":[468]},{"name":"IDsBrowseDomainTree","features":[468]},{"name":"IDsDisplaySpecifier","features":[468]},{"name":"IDsObjectPicker","features":[468]},{"name":"IDsObjectPickerCredentials","features":[468]},{"name":"IPersistQuery","features":[468,359]},{"name":"IPrivateDispatch","features":[468]},{"name":"IPrivateUnknown","features":[468]},{"name":"IQueryForm","features":[468]},{"name":"LPCQADDFORMSPROC","features":[308,468,370]},{"name":"LPCQADDPAGESPROC","features":[308,468,370]},{"name":"LPCQPAGEPROC","features":[308,468,370]},{"name":"LPDSENUMATTRIBUTES","features":[308,468]},{"name":"LargeInteger","features":[468]},{"name":"NTDSAPI_BIND_ALLOW_DELEGATION","features":[468]},{"name":"NTDSAPI_BIND_FIND_BINDING","features":[468]},{"name":"NTDSAPI_BIND_FORCE_KERBEROS","features":[468]},{"name":"NTDSCONN_KCC_GC_TOPOLOGY","features":[468]},{"name":"NTDSCONN_KCC_INTERSITE_GC_TOPOLOGY","features":[468]},{"name":"NTDSCONN_KCC_INTERSITE_TOPOLOGY","features":[468]},{"name":"NTDSCONN_KCC_MINIMIZE_HOPS_TOPOLOGY","features":[468]},{"name":"NTDSCONN_KCC_NO_REASON","features":[468]},{"name":"NTDSCONN_KCC_OSCILLATING_CONNECTION_TOPOLOGY","features":[468]},{"name":"NTDSCONN_KCC_REDUNDANT_SERVER_TOPOLOGY","features":[468]},{"name":"NTDSCONN_KCC_RING_TOPOLOGY","features":[468]},{"name":"NTDSCONN_KCC_SERVER_FAILOVER_TOPOLOGY","features":[468]},{"name":"NTDSCONN_KCC_SITE_FAILOVER_TOPOLOGY","features":[468]},{"name":"NTDSCONN_KCC_STALE_SERVERS_TOPOLOGY","features":[468]},{"name":"NTDSCONN_OPT_DISABLE_INTERSITE_COMPRESSION","features":[468]},{"name":"NTDSCONN_OPT_IGNORE_SCHEDULE_MASK","features":[468]},{"name":"NTDSCONN_OPT_IS_GENERATED","features":[468]},{"name":"NTDSCONN_OPT_OVERRIDE_NOTIFY_DEFAULT","features":[468]},{"name":"NTDSCONN_OPT_RODC_TOPOLOGY","features":[468]},{"name":"NTDSCONN_OPT_TWOWAY_SYNC","features":[468]},{"name":"NTDSCONN_OPT_USER_OWNED_SCHEDULE","features":[468]},{"name":"NTDSCONN_OPT_USE_NOTIFY","features":[468]},{"name":"NTDSDSA_OPT_BLOCK_RPC","features":[468]},{"name":"NTDSDSA_OPT_DISABLE_INBOUND_REPL","features":[468]},{"name":"NTDSDSA_OPT_DISABLE_NTDSCONN_XLATE","features":[468]},{"name":"NTDSDSA_OPT_DISABLE_OUTBOUND_REPL","features":[468]},{"name":"NTDSDSA_OPT_DISABLE_SPN_REGISTRATION","features":[468]},{"name":"NTDSDSA_OPT_GENERATE_OWN_TOPO","features":[468]},{"name":"NTDSDSA_OPT_IS_GC","features":[468]},{"name":"NTDSSETTINGS_DEFAULT_SERVER_REDUNDANCY","features":[468]},{"name":"NTDSSETTINGS_OPT_FORCE_KCC_W2K_ELECTION","features":[468]},{"name":"NTDSSETTINGS_OPT_FORCE_KCC_WHISTLER_BEHAVIOR","features":[468]},{"name":"NTDSSETTINGS_OPT_IS_AUTO_TOPOLOGY_DISABLED","features":[468]},{"name":"NTDSSETTINGS_OPT_IS_GROUP_CACHING_ENABLED","features":[468]},{"name":"NTDSSETTINGS_OPT_IS_INTER_SITE_AUTO_TOPOLOGY_DISABLED","features":[468]},{"name":"NTDSSETTINGS_OPT_IS_RAND_BH_SELECTION_DISABLED","features":[468]},{"name":"NTDSSETTINGS_OPT_IS_REDUNDANT_SERVER_TOPOLOGY_ENABLED","features":[468]},{"name":"NTDSSETTINGS_OPT_IS_SCHEDULE_HASHING_ENABLED","features":[468]},{"name":"NTDSSETTINGS_OPT_IS_TOPL_CLEANUP_DISABLED","features":[468]},{"name":"NTDSSETTINGS_OPT_IS_TOPL_DETECT_STALE_DISABLED","features":[468]},{"name":"NTDSSETTINGS_OPT_IS_TOPL_MIN_HOPS_DISABLED","features":[468]},{"name":"NTDSSETTINGS_OPT_W2K3_BRIDGES_REQUIRED","features":[468]},{"name":"NTDSSETTINGS_OPT_W2K3_IGNORE_SCHEDULES","features":[468]},{"name":"NTDSSITECONN_OPT_DISABLE_COMPRESSION","features":[468]},{"name":"NTDSSITECONN_OPT_TWOWAY_SYNC","features":[468]},{"name":"NTDSSITECONN_OPT_USE_NOTIFY","features":[468]},{"name":"NTDSSITELINK_OPT_DISABLE_COMPRESSION","features":[468]},{"name":"NTDSSITELINK_OPT_TWOWAY_SYNC","features":[468]},{"name":"NTDSSITELINK_OPT_USE_NOTIFY","features":[468]},{"name":"NTDSTRANSPORT_OPT_BRIDGES_REQUIRED","features":[468]},{"name":"NTDSTRANSPORT_OPT_IGNORE_SCHEDULES","features":[468]},{"name":"NameTranslate","features":[468]},{"name":"NetAddress","features":[468]},{"name":"OPENQUERYWINDOW","features":[468,432]},{"name":"OQWF_DEFAULTFORM","features":[468]},{"name":"OQWF_HIDEMENUS","features":[468]},{"name":"OQWF_HIDESEARCHUI","features":[468]},{"name":"OQWF_ISSUEONOPEN","features":[468]},{"name":"OQWF_LOADQUERY","features":[468]},{"name":"OQWF_OKCANCEL","features":[468]},{"name":"OQWF_PARAMISPROPERTYBAG","features":[468]},{"name":"OQWF_REMOVEFORMS","features":[468]},{"name":"OQWF_REMOVESCOPES","features":[468]},{"name":"OQWF_SAVEQUERYONOK","features":[468]},{"name":"OQWF_SHOWOPTIONAL","features":[468]},{"name":"OQWF_SINGLESELECT","features":[468]},{"name":"OctetList","features":[468]},{"name":"Path","features":[468]},{"name":"Pathname","features":[468]},{"name":"PostalAddress","features":[468]},{"name":"PropVariantToAdsType","features":[308,468]},{"name":"PropertyEntry","features":[468]},{"name":"PropertyValue","features":[468]},{"name":"QUERYFORM_CHANGESFORMLIST","features":[468]},{"name":"QUERYFORM_CHANGESOPTFORMLIST","features":[468]},{"name":"ReallocADsMem","features":[468]},{"name":"ReallocADsStr","features":[308,468]},{"name":"ReplicaPointer","features":[468]},{"name":"SCHEDULE","features":[468]},{"name":"SCHEDULE_BANDWIDTH","features":[468]},{"name":"SCHEDULE_HEADER","features":[468]},{"name":"SCHEDULE_INTERVAL","features":[468]},{"name":"SCHEDULE_PRIORITY","features":[468]},{"name":"SecurityDescriptor","features":[468]},{"name":"SecurityDescriptorToBinarySD","features":[468,311]},{"name":"Timestamp","features":[468]},{"name":"TypedName","features":[468]},{"name":"WM_ADSPROP_NOTIFY_APPLY","features":[468]},{"name":"WM_ADSPROP_NOTIFY_CHANGE","features":[468]},{"name":"WM_ADSPROP_NOTIFY_ERROR","features":[468]},{"name":"WM_ADSPROP_NOTIFY_EXIT","features":[468]},{"name":"WM_ADSPROP_NOTIFY_FOREGROUND","features":[468]},{"name":"WM_ADSPROP_NOTIFY_PAGEHWND","features":[468]},{"name":"WM_ADSPROP_NOTIFY_PAGEINIT","features":[468]},{"name":"WM_ADSPROP_NOTIFY_SETFOCUS","features":[468]},{"name":"WinNTSystemInfo","features":[468]},{"name":"hrAccessDenied","features":[468]},{"name":"hrAfterInitialization","features":[468]},{"name":"hrAlreadyInitialized","features":[468]},{"name":"hrAlreadyOpen","features":[468]},{"name":"hrAlreadyPrepared","features":[468]},{"name":"hrBFInUse","features":[468]},{"name":"hrBFNotSynchronous","features":[468]},{"name":"hrBFPageNotFound","features":[468]},{"name":"hrBackupDirectoryNotEmpty","features":[468]},{"name":"hrBackupInProgress","features":[468]},{"name":"hrBackupNotAllowedYet","features":[468]},{"name":"hrBadBackupDatabaseSize","features":[468]},{"name":"hrBadCheckpointSignature","features":[468]},{"name":"hrBadColumnId","features":[468]},{"name":"hrBadDbSignature","features":[468]},{"name":"hrBadItagSequence","features":[468]},{"name":"hrBadLogSignature","features":[468]},{"name":"hrBadLogVersion","features":[468]},{"name":"hrBufferTooSmall","features":[468]},{"name":"hrBufferTruncated","features":[468]},{"name":"hrCannotBeTagged","features":[468]},{"name":"hrCannotRename","features":[468]},{"name":"hrCheckpointCorrupt","features":[468]},{"name":"hrCircularLogging","features":[468]},{"name":"hrColumn2ndSysMaint","features":[468]},{"name":"hrColumnCannotIndex","features":[468]},{"name":"hrColumnDoesNotFit","features":[468]},{"name":"hrColumnDuplicate","features":[468]},{"name":"hrColumnInUse","features":[468]},{"name":"hrColumnIndexed","features":[468]},{"name":"hrColumnLong","features":[468]},{"name":"hrColumnMaxTruncated","features":[468]},{"name":"hrColumnNotFound","features":[468]},{"name":"hrColumnNotUpdatable","features":[468]},{"name":"hrColumnNull","features":[468]},{"name":"hrColumnSetNull","features":[468]},{"name":"hrColumnTooBig","features":[468]},{"name":"hrCommunicationError","features":[468]},{"name":"hrConsistentTimeMismatch","features":[468]},{"name":"hrContainerNotEmpty","features":[468]},{"name":"hrContentsExpired","features":[468]},{"name":"hrCouldNotConnect","features":[468]},{"name":"hrCreateIndexFailed","features":[468]},{"name":"hrCurrencyStackOutOfMemory","features":[468]},{"name":"hrDatabaseAttached","features":[468]},{"name":"hrDatabaseCorrupted","features":[468]},{"name":"hrDatabaseDuplicate","features":[468]},{"name":"hrDatabaseInUse","features":[468]},{"name":"hrDatabaseInconsistent","features":[468]},{"name":"hrDatabaseInvalidName","features":[468]},{"name":"hrDatabaseInvalidPages","features":[468]},{"name":"hrDatabaseLocked","features":[468]},{"name":"hrDatabaseNotFound","features":[468]},{"name":"hrDeleteBackupFileFail","features":[468]},{"name":"hrDensityInvalid","features":[468]},{"name":"hrDiskFull","features":[468]},{"name":"hrDiskIO","features":[468]},{"name":"hrError","features":[468]},{"name":"hrExistingLogFileHasBadSignature","features":[468]},{"name":"hrExistingLogFileIsNotContiguous","features":[468]},{"name":"hrFLDKeyTooBig","features":[468]},{"name":"hrFLDNullKey","features":[468]},{"name":"hrFLDTooManySegments","features":[468]},{"name":"hrFeatureNotAvailable","features":[468]},{"name":"hrFileAccessDenied","features":[468]},{"name":"hrFileClose","features":[468]},{"name":"hrFileNotFound","features":[468]},{"name":"hrFileOpenReadOnly","features":[468]},{"name":"hrFullBackupNotTaken","features":[468]},{"name":"hrGivenLogFileHasBadSignature","features":[468]},{"name":"hrGivenLogFileIsNotContiguous","features":[468]},{"name":"hrIllegalOperation","features":[468]},{"name":"hrInTransaction","features":[468]},{"name":"hrIncrementalBackupDisabled","features":[468]},{"name":"hrIndexCantBuild","features":[468]},{"name":"hrIndexDuplicate","features":[468]},{"name":"hrIndexHasClustered","features":[468]},{"name":"hrIndexHasPrimary","features":[468]},{"name":"hrIndexInUse","features":[468]},{"name":"hrIndexInvalidDef","features":[468]},{"name":"hrIndexMustStay","features":[468]},{"name":"hrIndexNotFound","features":[468]},{"name":"hrInvalidBackup","features":[468]},{"name":"hrInvalidBackupSequence","features":[468]},{"name":"hrInvalidBookmark","features":[468]},{"name":"hrInvalidBufferSize","features":[468]},{"name":"hrInvalidCodePage","features":[468]},{"name":"hrInvalidColumnType","features":[468]},{"name":"hrInvalidCountry","features":[468]},{"name":"hrInvalidDatabase","features":[468]},{"name":"hrInvalidDatabaseId","features":[468]},{"name":"hrInvalidFilename","features":[468]},{"name":"hrInvalidHandle","features":[468]},{"name":"hrInvalidLanguageId","features":[468]},{"name":"hrInvalidLogSequence","features":[468]},{"name":"hrInvalidName","features":[468]},{"name":"hrInvalidObject","features":[468]},{"name":"hrInvalidOnSort","features":[468]},{"name":"hrInvalidOperation","features":[468]},{"name":"hrInvalidParam","features":[468]},{"name":"hrInvalidParameter","features":[468]},{"name":"hrInvalidPath","features":[468]},{"name":"hrInvalidRecips","features":[468]},{"name":"hrInvalidSesid","features":[468]},{"name":"hrInvalidTableId","features":[468]},{"name":"hrKeyChanged","features":[468]},{"name":"hrKeyDuplicate","features":[468]},{"name":"hrKeyIsMade","features":[468]},{"name":"hrKeyNotMade","features":[468]},{"name":"hrLogBufferTooSmall","features":[468]},{"name":"hrLogCorrupted","features":[468]},{"name":"hrLogDiskFull","features":[468]},{"name":"hrLogFileCorrupt","features":[468]},{"name":"hrLogFileNotFound","features":[468]},{"name":"hrLogSequenceEnd","features":[468]},{"name":"hrLogWriteFail","features":[468]},{"name":"hrLoggingDisabled","features":[468]},{"name":"hrMakeBackupDirectoryFail","features":[468]},{"name":"hrMissingExpiryToken","features":[468]},{"name":"hrMissingFullBackup","features":[468]},{"name":"hrMissingLogFile","features":[468]},{"name":"hrMissingPreviousLogFile","features":[468]},{"name":"hrMissingRestoreLogFiles","features":[468]},{"name":"hrNoBackup","features":[468]},{"name":"hrNoBackupDirectory","features":[468]},{"name":"hrNoCurrentIndex","features":[468]},{"name":"hrNoCurrentRecord","features":[468]},{"name":"hrNoFullRestore","features":[468]},{"name":"hrNoIdleActivity","features":[468]},{"name":"hrNoWriteLock","features":[468]},{"name":"hrNone","features":[468]},{"name":"hrNotInTransaction","features":[468]},{"name":"hrNotInitialized","features":[468]},{"name":"hrNullInvalid","features":[468]},{"name":"hrNullKeyDisallowed","features":[468]},{"name":"hrNyi","features":[468]},{"name":"hrObjectDuplicate","features":[468]},{"name":"hrObjectNotFound","features":[468]},{"name":"hrOutOfBuffers","features":[468]},{"name":"hrOutOfCursors","features":[468]},{"name":"hrOutOfDatabaseSpace","features":[468]},{"name":"hrOutOfFileHandles","features":[468]},{"name":"hrOutOfMemory","features":[468]},{"name":"hrOutOfSessions","features":[468]},{"name":"hrOutOfThreads","features":[468]},{"name":"hrPMRecDeleted","features":[468]},{"name":"hrPatchFileMismatch","features":[468]},{"name":"hrPermissionDenied","features":[468]},{"name":"hrReadVerifyFailure","features":[468]},{"name":"hrRecordClusteredChanged","features":[468]},{"name":"hrRecordDeleted","features":[468]},{"name":"hrRecordNotFound","features":[468]},{"name":"hrRecordTooBig","features":[468]},{"name":"hrRecoveredWithErrors","features":[468]},{"name":"hrRemainingVersions","features":[468]},{"name":"hrRestoreInProgress","features":[468]},{"name":"hrRestoreLogTooHigh","features":[468]},{"name":"hrRestoreLogTooLow","features":[468]},{"name":"hrRestoreMapExists","features":[468]},{"name":"hrSeekNotEqual","features":[468]},{"name":"hrSessionWriteConflict","features":[468]},{"name":"hrTableDuplicate","features":[468]},{"name":"hrTableEmpty","features":[468]},{"name":"hrTableInUse","features":[468]},{"name":"hrTableLocked","features":[468]},{"name":"hrTableNotEmpty","features":[468]},{"name":"hrTaggedNotNULL","features":[468]},{"name":"hrTempFileOpenError","features":[468]},{"name":"hrTermInProgress","features":[468]},{"name":"hrTooManyActiveUsers","features":[468]},{"name":"hrTooManyAttachedDatabases","features":[468]},{"name":"hrTooManyColumns","features":[468]},{"name":"hrTooManyIO","features":[468]},{"name":"hrTooManyIndexes","features":[468]},{"name":"hrTooManyKeys","features":[468]},{"name":"hrTooManyOpenDatabases","features":[468]},{"name":"hrTooManyOpenIndexes","features":[468]},{"name":"hrTooManyOpenTables","features":[468]},{"name":"hrTooManySorts","features":[468]},{"name":"hrTransTooDeep","features":[468]},{"name":"hrUnknownExpiryTokenFormat","features":[468]},{"name":"hrUpdateNotPrepared","features":[468]},{"name":"hrVersionStoreOutOfMemory","features":[468]},{"name":"hrWriteConflict","features":[468]},{"name":"hrerrDataHasChanged","features":[468]},{"name":"hrwrnDataHasChanged","features":[468]}],"468":[{"name":"AsyncIBackgroundCopyCallback","features":[470]},{"name":"BG_AUTH_CREDENTIALS","features":[470]},{"name":"BG_AUTH_CREDENTIALS_UNION","features":[470]},{"name":"BG_AUTH_SCHEME","features":[470]},{"name":"BG_AUTH_SCHEME_BASIC","features":[470]},{"name":"BG_AUTH_SCHEME_DIGEST","features":[470]},{"name":"BG_AUTH_SCHEME_NEGOTIATE","features":[470]},{"name":"BG_AUTH_SCHEME_NTLM","features":[470]},{"name":"BG_AUTH_SCHEME_PASSPORT","features":[470]},{"name":"BG_AUTH_TARGET","features":[470]},{"name":"BG_AUTH_TARGET_PROXY","features":[470]},{"name":"BG_AUTH_TARGET_SERVER","features":[470]},{"name":"BG_BASIC_CREDENTIALS","features":[470]},{"name":"BG_CERT_STORE_LOCATION","features":[470]},{"name":"BG_CERT_STORE_LOCATION_CURRENT_SERVICE","features":[470]},{"name":"BG_CERT_STORE_LOCATION_CURRENT_USER","features":[470]},{"name":"BG_CERT_STORE_LOCATION_CURRENT_USER_GROUP_POLICY","features":[470]},{"name":"BG_CERT_STORE_LOCATION_LOCAL_MACHINE","features":[470]},{"name":"BG_CERT_STORE_LOCATION_LOCAL_MACHINE_ENTERPRISE","features":[470]},{"name":"BG_CERT_STORE_LOCATION_LOCAL_MACHINE_GROUP_POLICY","features":[470]},{"name":"BG_CERT_STORE_LOCATION_SERVICES","features":[470]},{"name":"BG_CERT_STORE_LOCATION_USERS","features":[470]},{"name":"BG_COPY_FILE_ALL","features":[470]},{"name":"BG_COPY_FILE_DACL","features":[470]},{"name":"BG_COPY_FILE_GROUP","features":[470]},{"name":"BG_COPY_FILE_OWNER","features":[470]},{"name":"BG_COPY_FILE_SACL","features":[470]},{"name":"BG_DISABLE_BRANCH_CACHE","features":[470]},{"name":"BG_ENABLE_PEERCACHING_CLIENT","features":[470]},{"name":"BG_ENABLE_PEERCACHING_SERVER","features":[470]},{"name":"BG_ERROR_CONTEXT","features":[470]},{"name":"BG_ERROR_CONTEXT_GENERAL_QUEUE_MANAGER","features":[470]},{"name":"BG_ERROR_CONTEXT_GENERAL_TRANSPORT","features":[470]},{"name":"BG_ERROR_CONTEXT_LOCAL_FILE","features":[470]},{"name":"BG_ERROR_CONTEXT_NONE","features":[470]},{"name":"BG_ERROR_CONTEXT_QUEUE_MANAGER_NOTIFICATION","features":[470]},{"name":"BG_ERROR_CONTEXT_REMOTE_APPLICATION","features":[470]},{"name":"BG_ERROR_CONTEXT_REMOTE_FILE","features":[470]},{"name":"BG_ERROR_CONTEXT_SERVER_CERTIFICATE_CALLBACK","features":[470]},{"name":"BG_ERROR_CONTEXT_UNKNOWN","features":[470]},{"name":"BG_E_APP_PACKAGE_NOT_FOUND","features":[470]},{"name":"BG_E_APP_PACKAGE_SCENARIO_NOT_SUPPORTED","features":[470]},{"name":"BG_E_BLOCKED_BY_BACKGROUND_ACCESS_POLICY","features":[470]},{"name":"BG_E_BLOCKED_BY_BATTERY_POLICY","features":[470]},{"name":"BG_E_BLOCKED_BY_BATTERY_SAVER","features":[470]},{"name":"BG_E_BLOCKED_BY_COST_TRANSFER_POLICY","features":[470]},{"name":"BG_E_BLOCKED_BY_GAME_MODE","features":[470]},{"name":"BG_E_BLOCKED_BY_POLICY","features":[470]},{"name":"BG_E_BLOCKED_BY_SYSTEM_POLICY","features":[470]},{"name":"BG_E_BUSYCACHERECORD","features":[470]},{"name":"BG_E_CLIENT_SERVER_PROTOCOL_MISMATCH","features":[470]},{"name":"BG_E_COMMIT_IN_PROGRESS","features":[470]},{"name":"BG_E_CONNECTION_CLOSED","features":[470]},{"name":"BG_E_CONNECT_FAILURE","features":[470]},{"name":"BG_E_DATABASE_CORRUPT","features":[470]},{"name":"BG_E_DESTINATION_LOCKED","features":[470]},{"name":"BG_E_DISCOVERY_IN_PROGRESS","features":[470]},{"name":"BG_E_EMPTY","features":[470]},{"name":"BG_E_ERROR_CONTEXT_GENERAL_QUEUE_MANAGER","features":[470]},{"name":"BG_E_ERROR_CONTEXT_GENERAL_TRANSPORT","features":[470]},{"name":"BG_E_ERROR_CONTEXT_LOCAL_FILE","features":[470]},{"name":"BG_E_ERROR_CONTEXT_QUEUE_MANAGER_NOTIFICATION","features":[470]},{"name":"BG_E_ERROR_CONTEXT_REMOTE_APPLICATION","features":[470]},{"name":"BG_E_ERROR_CONTEXT_REMOTE_FILE","features":[470]},{"name":"BG_E_ERROR_CONTEXT_SERVER_CERTIFICATE_CALLBACK","features":[470]},{"name":"BG_E_ERROR_CONTEXT_UNKNOWN","features":[470]},{"name":"BG_E_ERROR_INFORMATION_UNAVAILABLE","features":[470]},{"name":"BG_E_FILE_NOT_AVAILABLE","features":[470]},{"name":"BG_E_FILE_NOT_FOUND","features":[470]},{"name":"BG_E_HTTP_ERROR_100","features":[470]},{"name":"BG_E_HTTP_ERROR_101","features":[470]},{"name":"BG_E_HTTP_ERROR_200","features":[470]},{"name":"BG_E_HTTP_ERROR_201","features":[470]},{"name":"BG_E_HTTP_ERROR_202","features":[470]},{"name":"BG_E_HTTP_ERROR_203","features":[470]},{"name":"BG_E_HTTP_ERROR_204","features":[470]},{"name":"BG_E_HTTP_ERROR_205","features":[470]},{"name":"BG_E_HTTP_ERROR_206","features":[470]},{"name":"BG_E_HTTP_ERROR_300","features":[470]},{"name":"BG_E_HTTP_ERROR_301","features":[470]},{"name":"BG_E_HTTP_ERROR_302","features":[470]},{"name":"BG_E_HTTP_ERROR_303","features":[470]},{"name":"BG_E_HTTP_ERROR_304","features":[470]},{"name":"BG_E_HTTP_ERROR_305","features":[470]},{"name":"BG_E_HTTP_ERROR_307","features":[470]},{"name":"BG_E_HTTP_ERROR_400","features":[470]},{"name":"BG_E_HTTP_ERROR_401","features":[470]},{"name":"BG_E_HTTP_ERROR_402","features":[470]},{"name":"BG_E_HTTP_ERROR_403","features":[470]},{"name":"BG_E_HTTP_ERROR_404","features":[470]},{"name":"BG_E_HTTP_ERROR_405","features":[470]},{"name":"BG_E_HTTP_ERROR_406","features":[470]},{"name":"BG_E_HTTP_ERROR_407","features":[470]},{"name":"BG_E_HTTP_ERROR_408","features":[470]},{"name":"BG_E_HTTP_ERROR_409","features":[470]},{"name":"BG_E_HTTP_ERROR_410","features":[470]},{"name":"BG_E_HTTP_ERROR_411","features":[470]},{"name":"BG_E_HTTP_ERROR_412","features":[470]},{"name":"BG_E_HTTP_ERROR_413","features":[470]},{"name":"BG_E_HTTP_ERROR_414","features":[470]},{"name":"BG_E_HTTP_ERROR_415","features":[470]},{"name":"BG_E_HTTP_ERROR_416","features":[470]},{"name":"BG_E_HTTP_ERROR_417","features":[470]},{"name":"BG_E_HTTP_ERROR_449","features":[470]},{"name":"BG_E_HTTP_ERROR_500","features":[470]},{"name":"BG_E_HTTP_ERROR_501","features":[470]},{"name":"BG_E_HTTP_ERROR_502","features":[470]},{"name":"BG_E_HTTP_ERROR_503","features":[470]},{"name":"BG_E_HTTP_ERROR_504","features":[470]},{"name":"BG_E_HTTP_ERROR_505","features":[470]},{"name":"BG_E_INSUFFICIENT_HTTP_SUPPORT","features":[470]},{"name":"BG_E_INSUFFICIENT_RANGE_SUPPORT","features":[470]},{"name":"BG_E_INVALID_AUTH_SCHEME","features":[470]},{"name":"BG_E_INVALID_AUTH_TARGET","features":[470]},{"name":"BG_E_INVALID_CREDENTIALS","features":[470]},{"name":"BG_E_INVALID_HASH_ALGORITHM","features":[470]},{"name":"BG_E_INVALID_PROXY_INFO","features":[470]},{"name":"BG_E_INVALID_RANGE","features":[470]},{"name":"BG_E_INVALID_SERVER_RESPONSE","features":[470]},{"name":"BG_E_INVALID_STATE","features":[470]},{"name":"BG_E_LOCAL_FILE_CHANGED","features":[470]},{"name":"BG_E_MAXDOWNLOAD_TIMEOUT","features":[470]},{"name":"BG_E_MAX_DOWNLOAD_SIZE_INVALID_VALUE","features":[470]},{"name":"BG_E_MAX_DOWNLOAD_SIZE_LIMIT_REACHED","features":[470]},{"name":"BG_E_MISSING_FILE_SIZE","features":[470]},{"name":"BG_E_NETWORK_DISCONNECTED","features":[470]},{"name":"BG_E_NEW_OWNER_DIFF_MAPPING","features":[470]},{"name":"BG_E_NEW_OWNER_NO_FILE_ACCESS","features":[470]},{"name":"BG_E_NOT_FOUND","features":[470]},{"name":"BG_E_NOT_SUPPORTED_WITH_CUSTOM_HTTP_METHOD","features":[470]},{"name":"BG_E_NO_PROGRESS","features":[470]},{"name":"BG_E_OVERLAPPING_RANGES","features":[470]},{"name":"BG_E_PASSWORD_TOO_LARGE","features":[470]},{"name":"BG_E_PEERCACHING_DISABLED","features":[470]},{"name":"BG_E_PROPERTY_SUPPORTED_FOR_DOWNLOAD_JOBS_ONLY","features":[470]},{"name":"BG_E_PROTOCOL_NOT_AVAILABLE","features":[470]},{"name":"BG_E_PROXY_BYPASS_LIST_TOO_LARGE","features":[470]},{"name":"BG_E_PROXY_LIST_TOO_LARGE","features":[470]},{"name":"BG_E_RANDOM_ACCESS_NOT_SUPPORTED","features":[470]},{"name":"BG_E_READ_ONLY_PROPERTY","features":[470]},{"name":"BG_E_READ_ONLY_PROPERTY_AFTER_ADDFILE","features":[470]},{"name":"BG_E_READ_ONLY_PROPERTY_AFTER_RESUME","features":[470]},{"name":"BG_E_READ_ONLY_WHEN_JOB_ACTIVE","features":[470]},{"name":"BG_E_RECORD_DELETED","features":[470]},{"name":"BG_E_REMOTE_FILE_CHANGED","features":[470]},{"name":"BG_E_REMOTE_NOT_SUPPORTED","features":[470]},{"name":"BG_E_SERVER_CERT_VALIDATION_INTERFACE_REQUIRED","features":[470]},{"name":"BG_E_SERVER_EXECUTE_ENABLE","features":[470]},{"name":"BG_E_SESSION_NOT_FOUND","features":[470]},{"name":"BG_E_STANDBY_MODE","features":[470]},{"name":"BG_E_STRING_TOO_LONG","features":[470]},{"name":"BG_E_TEST_OPTION_BLOCKED_DOWNLOAD","features":[470]},{"name":"BG_E_TOKEN_REQUIRED","features":[470]},{"name":"BG_E_TOO_LARGE","features":[470]},{"name":"BG_E_TOO_MANY_FILES","features":[470]},{"name":"BG_E_TOO_MANY_FILES_IN_JOB","features":[470]},{"name":"BG_E_TOO_MANY_JOBS_PER_MACHINE","features":[470]},{"name":"BG_E_TOO_MANY_JOBS_PER_USER","features":[470]},{"name":"BG_E_TOO_MANY_RANGES_IN_FILE","features":[470]},{"name":"BG_E_UNKNOWN_PROPERTY_ID","features":[470]},{"name":"BG_E_UNSUPPORTED_JOB_CONFIGURATION","features":[470]},{"name":"BG_E_UPNP_ERROR","features":[470]},{"name":"BG_E_USERNAME_TOO_LARGE","features":[470]},{"name":"BG_E_USE_STORED_CREDENTIALS_NOT_SUPPORTED","features":[470]},{"name":"BG_E_VALIDATION_FAILED","features":[470]},{"name":"BG_E_VOLUME_CHANGED","features":[470]},{"name":"BG_E_WATCHDOG_TIMEOUT","features":[470]},{"name":"BG_FILE_INFO","features":[470]},{"name":"BG_FILE_PROGRESS","features":[308,470]},{"name":"BG_FILE_RANGE","features":[470]},{"name":"BG_HTTP_REDIRECT_POLICY_ALLOW_HTTPS_TO_HTTP","features":[470]},{"name":"BG_HTTP_REDIRECT_POLICY_ALLOW_REPORT","features":[470]},{"name":"BG_HTTP_REDIRECT_POLICY_ALLOW_SILENT","features":[470]},{"name":"BG_HTTP_REDIRECT_POLICY_DISALLOW","features":[470]},{"name":"BG_HTTP_REDIRECT_POLICY_MASK","features":[470]},{"name":"BG_JOB_DISABLE_BRANCH_CACHE","features":[470]},{"name":"BG_JOB_ENABLE_PEERCACHING_CLIENT","features":[470]},{"name":"BG_JOB_ENABLE_PEERCACHING_SERVER","features":[470]},{"name":"BG_JOB_ENUM_ALL_USERS","features":[470]},{"name":"BG_JOB_PRIORITY","features":[470]},{"name":"BG_JOB_PRIORITY_FOREGROUND","features":[470]},{"name":"BG_JOB_PRIORITY_HIGH","features":[470]},{"name":"BG_JOB_PRIORITY_LOW","features":[470]},{"name":"BG_JOB_PRIORITY_NORMAL","features":[470]},{"name":"BG_JOB_PROGRESS","features":[470]},{"name":"BG_JOB_PROXY_USAGE","features":[470]},{"name":"BG_JOB_PROXY_USAGE_AUTODETECT","features":[470]},{"name":"BG_JOB_PROXY_USAGE_NO_PROXY","features":[470]},{"name":"BG_JOB_PROXY_USAGE_OVERRIDE","features":[470]},{"name":"BG_JOB_PROXY_USAGE_PRECONFIG","features":[470]},{"name":"BG_JOB_REPLY_PROGRESS","features":[470]},{"name":"BG_JOB_STATE","features":[470]},{"name":"BG_JOB_STATE_ACKNOWLEDGED","features":[470]},{"name":"BG_JOB_STATE_CANCELLED","features":[470]},{"name":"BG_JOB_STATE_CONNECTING","features":[470]},{"name":"BG_JOB_STATE_ERROR","features":[470]},{"name":"BG_JOB_STATE_QUEUED","features":[470]},{"name":"BG_JOB_STATE_SUSPENDED","features":[470]},{"name":"BG_JOB_STATE_TRANSFERRED","features":[470]},{"name":"BG_JOB_STATE_TRANSFERRING","features":[470]},{"name":"BG_JOB_STATE_TRANSIENT_ERROR","features":[470]},{"name":"BG_JOB_TIMES","features":[308,470]},{"name":"BG_JOB_TYPE","features":[470]},{"name":"BG_JOB_TYPE_DOWNLOAD","features":[470]},{"name":"BG_JOB_TYPE_UPLOAD","features":[470]},{"name":"BG_JOB_TYPE_UPLOAD_REPLY","features":[470]},{"name":"BG_NOTIFY_DISABLE","features":[470]},{"name":"BG_NOTIFY_FILE_RANGES_TRANSFERRED","features":[470]},{"name":"BG_NOTIFY_FILE_TRANSFERRED","features":[470]},{"name":"BG_NOTIFY_JOB_ERROR","features":[470]},{"name":"BG_NOTIFY_JOB_MODIFICATION","features":[470]},{"name":"BG_NOTIFY_JOB_TRANSFERRED","features":[470]},{"name":"BG_SSL_ENABLE_CRL_CHECK","features":[470]},{"name":"BG_SSL_IGNORE_CERT_CN_INVALID","features":[470]},{"name":"BG_SSL_IGNORE_CERT_DATE_INVALID","features":[470]},{"name":"BG_SSL_IGNORE_CERT_WRONG_USAGE","features":[470]},{"name":"BG_SSL_IGNORE_UNKNOWN_CA","features":[470]},{"name":"BG_S_ERROR_CONTEXT_NONE","features":[470]},{"name":"BG_S_OVERRIDDEN_BY_POLICY","features":[470]},{"name":"BG_S_PARTIAL_COMPLETE","features":[470]},{"name":"BG_S_PROXY_CHANGED","features":[470]},{"name":"BG_S_UNABLE_TO_DELETE_FILES","features":[470]},{"name":"BG_TOKEN","features":[470]},{"name":"BG_TOKEN_LOCAL_FILE","features":[470]},{"name":"BG_TOKEN_NETWORK","features":[470]},{"name":"BITSExtensionSetupFactory","features":[470]},{"name":"BITS_COST_OPTION_IGNORE_CONGESTION","features":[470]},{"name":"BITS_COST_STATE_BELOW_CAP","features":[470]},{"name":"BITS_COST_STATE_CAPPED_USAGE_UNKNOWN","features":[470]},{"name":"BITS_COST_STATE_NEAR_CAP","features":[470]},{"name":"BITS_COST_STATE_OVERCAP_CHARGED","features":[470]},{"name":"BITS_COST_STATE_OVERCAP_THROTTLED","features":[470]},{"name":"BITS_COST_STATE_RESERVED","features":[470]},{"name":"BITS_COST_STATE_ROAMING","features":[470]},{"name":"BITS_COST_STATE_UNRESTRICTED","features":[470]},{"name":"BITS_COST_STATE_USAGE_BASED","features":[470]},{"name":"BITS_FILE_PROPERTY_ID","features":[470]},{"name":"BITS_FILE_PROPERTY_ID_HTTP_RESPONSE_HEADERS","features":[470]},{"name":"BITS_FILE_PROPERTY_VALUE","features":[470]},{"name":"BITS_JOB_PROPERTY_DYNAMIC_CONTENT","features":[470]},{"name":"BITS_JOB_PROPERTY_HIGH_PERFORMANCE","features":[470]},{"name":"BITS_JOB_PROPERTY_ID","features":[470]},{"name":"BITS_JOB_PROPERTY_ID_COST_FLAGS","features":[470]},{"name":"BITS_JOB_PROPERTY_MAX_DOWNLOAD_SIZE","features":[470]},{"name":"BITS_JOB_PROPERTY_MINIMUM_NOTIFICATION_INTERVAL_MS","features":[470]},{"name":"BITS_JOB_PROPERTY_NOTIFICATION_CLSID","features":[470]},{"name":"BITS_JOB_PROPERTY_ON_DEMAND_MODE","features":[470]},{"name":"BITS_JOB_PROPERTY_USE_STORED_CREDENTIALS","features":[470]},{"name":"BITS_JOB_PROPERTY_VALUE","features":[308,470]},{"name":"BITS_JOB_TRANSFER_POLICY","features":[470]},{"name":"BITS_JOB_TRANSFER_POLICY_ALWAYS","features":[470]},{"name":"BITS_JOB_TRANSFER_POLICY_NOT_ROAMING","features":[470]},{"name":"BITS_JOB_TRANSFER_POLICY_NO_SURCHARGE","features":[470]},{"name":"BITS_JOB_TRANSFER_POLICY_STANDARD","features":[470]},{"name":"BITS_JOB_TRANSFER_POLICY_UNRESTRICTED","features":[470]},{"name":"BITS_MC_FAILED_TO_START","features":[470]},{"name":"BITS_MC_FATAL_IGD_ERROR","features":[470]},{"name":"BITS_MC_FILE_DELETION_FAILED","features":[470]},{"name":"BITS_MC_FILE_DELETION_FAILED_MORE","features":[470]},{"name":"BITS_MC_JOB_CANCELLED","features":[470]},{"name":"BITS_MC_JOB_NOTIFICATION_FAILURE","features":[470]},{"name":"BITS_MC_JOB_PROPERTY_CHANGE","features":[470]},{"name":"BITS_MC_JOB_SCAVENGED","features":[470]},{"name":"BITS_MC_JOB_TAKE_OWNERSHIP","features":[470]},{"name":"BITS_MC_PEERCACHING_PORT","features":[470]},{"name":"BITS_MC_STATE_FILE_CORRUPT","features":[470]},{"name":"BITS_MC_WSD_PORT","features":[470]},{"name":"BackgroundCopyManager","features":[470]},{"name":"BackgroundCopyManager10_1","features":[470]},{"name":"BackgroundCopyManager10_2","features":[470]},{"name":"BackgroundCopyManager10_3","features":[470]},{"name":"BackgroundCopyManager1_5","features":[470]},{"name":"BackgroundCopyManager2_0","features":[470]},{"name":"BackgroundCopyManager2_5","features":[470]},{"name":"BackgroundCopyManager3_0","features":[470]},{"name":"BackgroundCopyManager4_0","features":[470]},{"name":"BackgroundCopyManager5_0","features":[470]},{"name":"BackgroundCopyQMgr","features":[470]},{"name":"FILESETINFO","features":[470]},{"name":"GROUPPROP","features":[470]},{"name":"GROUPPROP_DESCRIPTION","features":[470]},{"name":"GROUPPROP_DISPLAYNAME","features":[470]},{"name":"GROUPPROP_LOCALUSERID","features":[470]},{"name":"GROUPPROP_LOCALUSERPWD","features":[470]},{"name":"GROUPPROP_NOTIFYCLSID","features":[470]},{"name":"GROUPPROP_NOTIFYFLAGS","features":[470]},{"name":"GROUPPROP_PRIORITY","features":[470]},{"name":"GROUPPROP_PROGRESSPERCENT","features":[470]},{"name":"GROUPPROP_PROGRESSSIZE","features":[470]},{"name":"GROUPPROP_PROGRESSTIME","features":[470]},{"name":"GROUPPROP_PROTOCOLFLAGS","features":[470]},{"name":"GROUPPROP_REMOTEUSERID","features":[470]},{"name":"GROUPPROP_REMOTEUSERPWD","features":[470]},{"name":"IBITSExtensionSetup","features":[470,359]},{"name":"IBITSExtensionSetupFactory","features":[470,359]},{"name":"IBackgroundCopyCallback","features":[470]},{"name":"IBackgroundCopyCallback1","features":[470]},{"name":"IBackgroundCopyCallback2","features":[470]},{"name":"IBackgroundCopyCallback3","features":[470]},{"name":"IBackgroundCopyError","features":[470]},{"name":"IBackgroundCopyFile","features":[470]},{"name":"IBackgroundCopyFile2","features":[470]},{"name":"IBackgroundCopyFile3","features":[470]},{"name":"IBackgroundCopyFile4","features":[470]},{"name":"IBackgroundCopyFile5","features":[470]},{"name":"IBackgroundCopyFile6","features":[470]},{"name":"IBackgroundCopyGroup","features":[470]},{"name":"IBackgroundCopyJob","features":[470]},{"name":"IBackgroundCopyJob1","features":[470]},{"name":"IBackgroundCopyJob2","features":[470]},{"name":"IBackgroundCopyJob3","features":[470]},{"name":"IBackgroundCopyJob4","features":[470]},{"name":"IBackgroundCopyJob5","features":[470]},{"name":"IBackgroundCopyJobHttpOptions","features":[470]},{"name":"IBackgroundCopyJobHttpOptions2","features":[470]},{"name":"IBackgroundCopyJobHttpOptions3","features":[470]},{"name":"IBackgroundCopyManager","features":[470]},{"name":"IBackgroundCopyQMgr","features":[470]},{"name":"IBackgroundCopyServerCertificateValidationCallback","features":[470]},{"name":"IBitsPeer","features":[470]},{"name":"IBitsPeerCacheAdministration","features":[470]},{"name":"IBitsPeerCacheRecord","features":[470]},{"name":"IBitsTokenOptions","features":[470]},{"name":"IEnumBackgroundCopyFiles","features":[470]},{"name":"IEnumBackgroundCopyGroups","features":[470]},{"name":"IEnumBackgroundCopyJobs","features":[470]},{"name":"IEnumBackgroundCopyJobs1","features":[470]},{"name":"IEnumBitsPeerCacheRecords","features":[470]},{"name":"IEnumBitsPeers","features":[470]},{"name":"QM_E_DOWNLOADER_UNAVAILABLE","features":[470]},{"name":"QM_E_INVALID_STATE","features":[470]},{"name":"QM_E_ITEM_NOT_FOUND","features":[470]},{"name":"QM_E_SERVICE_UNAVAILABLE","features":[470]},{"name":"QM_NOTIFY_DISABLE_NOTIFY","features":[470]},{"name":"QM_NOTIFY_FILE_DONE","features":[470]},{"name":"QM_NOTIFY_GROUP_DONE","features":[470]},{"name":"QM_NOTIFY_JOB_DONE","features":[470]},{"name":"QM_NOTIFY_USE_PROGRESSEX","features":[470]},{"name":"QM_PROGRESS_PERCENT_DONE","features":[470]},{"name":"QM_PROGRESS_SIZE_DONE","features":[470]},{"name":"QM_PROGRESS_TIME_DONE","features":[470]},{"name":"QM_PROTOCOL_CUSTOM","features":[470]},{"name":"QM_PROTOCOL_FTP","features":[470]},{"name":"QM_PROTOCOL_HTTP","features":[470]},{"name":"QM_PROTOCOL_SMB","features":[470]},{"name":"QM_STATUS_FILE_COMPLETE","features":[470]},{"name":"QM_STATUS_FILE_INCOMPLETE","features":[470]},{"name":"QM_STATUS_GROUP_COMPLETE","features":[470]},{"name":"QM_STATUS_GROUP_ERROR","features":[470]},{"name":"QM_STATUS_GROUP_FOREGROUND","features":[470]},{"name":"QM_STATUS_GROUP_INCOMPLETE","features":[470]},{"name":"QM_STATUS_GROUP_SUSPENDED","features":[470]},{"name":"QM_STATUS_JOB_COMPLETE","features":[470]},{"name":"QM_STATUS_JOB_ERROR","features":[470]},{"name":"QM_STATUS_JOB_FOREGROUND","features":[470]},{"name":"QM_STATUS_JOB_INCOMPLETE","features":[470]}],"469":[{"name":"AddClusterGroupDependency","features":[471]},{"name":"AddClusterGroupDependencyEx","features":[471]},{"name":"AddClusterGroupSetDependency","features":[471]},{"name":"AddClusterGroupSetDependencyEx","features":[471]},{"name":"AddClusterGroupToGroupSetDependency","features":[471]},{"name":"AddClusterGroupToGroupSetDependencyEx","features":[471]},{"name":"AddClusterNode","features":[308,471]},{"name":"AddClusterNodeEx","features":[308,471]},{"name":"AddClusterResourceDependency","features":[471]},{"name":"AddClusterResourceDependencyEx","features":[471]},{"name":"AddClusterResourceNode","features":[471]},{"name":"AddClusterResourceNodeEx","features":[471]},{"name":"AddClusterStorageNode","features":[308,471]},{"name":"AddCrossClusterGroupSetDependency","features":[471]},{"name":"AddResourceToClusterSharedVolumes","features":[471]},{"name":"BackupClusterDatabase","features":[471]},{"name":"BitLockerDecrypted","features":[471]},{"name":"BitLockerDecrypting","features":[471]},{"name":"BitLockerEnabled","features":[471]},{"name":"BitLockerPaused","features":[471]},{"name":"BitLockerStopped","features":[471]},{"name":"BitlockerEncrypted","features":[471]},{"name":"BitlockerEncrypting","features":[471]},{"name":"CA_UPGRADE_VERSION","features":[471]},{"name":"CLCTL_ADD_CRYPTO_CHECKPOINT","features":[471]},{"name":"CLCTL_ADD_CRYPTO_CHECKPOINT_EX","features":[471]},{"name":"CLCTL_ADD_DEPENDENCY","features":[471]},{"name":"CLCTL_ADD_OWNER","features":[471]},{"name":"CLCTL_ADD_REGISTRY_CHECKPOINT","features":[471]},{"name":"CLCTL_ADD_REGISTRY_CHECKPOINT_32BIT","features":[471]},{"name":"CLCTL_ADD_REGISTRY_CHECKPOINT_64BIT","features":[471]},{"name":"CLCTL_BATCH_BLOCK_KEY","features":[471]},{"name":"CLCTL_BATCH_UNBLOCK_KEY","features":[471]},{"name":"CLCTL_BLOCK_GEM_SEND_RECV","features":[471]},{"name":"CLCTL_CHECK_DRAIN_VETO","features":[471]},{"name":"CLCTL_CHECK_VOTER_DOWN","features":[471]},{"name":"CLCTL_CHECK_VOTER_DOWN_WITNESS","features":[471]},{"name":"CLCTL_CHECK_VOTER_EVICT","features":[471]},{"name":"CLCTL_CHECK_VOTER_EVICT_WITNESS","features":[471]},{"name":"CLCTL_CLEAR_NODE_CONNECTION_INFO","features":[471]},{"name":"CLCTL_CLOUD_WITNESS_RESOURCE_TYPE_VALIDATE_CREDENTIALS","features":[471]},{"name":"CLCTL_CLOUD_WITNESS_RESOURCE_TYPE_VALIDATE_CREDENTIALS_WITH_KEY","features":[471]},{"name":"CLCTL_CLOUD_WITNESS_RESOURCE_UPDATE_KEY","features":[471]},{"name":"CLCTL_CLOUD_WITNESS_RESOURCE_UPDATE_TOKEN","features":[471]},{"name":"CLCTL_CLUSTER_BASE","features":[471]},{"name":"CLCTL_CLUSTER_NAME_CHANGED","features":[471]},{"name":"CLCTL_CLUSTER_VERSION_CHANGED","features":[471]},{"name":"CLCTL_CODES","features":[471]},{"name":"CLCTL_DELETE","features":[471]},{"name":"CLCTL_DELETE_CRYPTO_CHECKPOINT","features":[471]},{"name":"CLCTL_DELETE_REGISTRY_CHECKPOINT","features":[471]},{"name":"CLCTL_DISABLE_SHARED_VOLUME_DIRECTIO","features":[471]},{"name":"CLCTL_ENABLE_SHARED_VOLUME_DIRECTIO","features":[471]},{"name":"CLCTL_ENUM_AFFINITY_RULE_NAMES","features":[471]},{"name":"CLCTL_ENUM_COMMON_PROPERTIES","features":[471]},{"name":"CLCTL_ENUM_PRIVATE_PROPERTIES","features":[471]},{"name":"CLCTL_EVICT_NODE","features":[471]},{"name":"CLCTL_FILESERVER_SHARE_ADD","features":[471]},{"name":"CLCTL_FILESERVER_SHARE_DEL","features":[471]},{"name":"CLCTL_FILESERVER_SHARE_MODIFY","features":[471]},{"name":"CLCTL_FILESERVER_SHARE_REPORT","features":[471]},{"name":"CLCTL_FIXUP_ON_UPGRADE","features":[471]},{"name":"CLCTL_FORCE_DB_FLUSH","features":[471]},{"name":"CLCTL_FORCE_QUORUM","features":[471]},{"name":"CLCTL_FSWITNESS_GET_EPOCH_INFO","features":[471]},{"name":"CLCTL_FSWITNESS_RELEASE_LOCK","features":[471]},{"name":"CLCTL_FSWITNESS_SET_EPOCH_INFO","features":[471]},{"name":"CLCTL_GET_ARB_TIMEOUT","features":[471]},{"name":"CLCTL_GET_CHARACTERISTICS","features":[471]},{"name":"CLCTL_GET_CLASS_INFO","features":[471]},{"name":"CLCTL_GET_CLUSDB_TIMESTAMP","features":[471]},{"name":"CLCTL_GET_CLUSTER_SERVICE_ACCOUNT_NAME","features":[471]},{"name":"CLCTL_GET_COMMON_PROPERTIES","features":[471]},{"name":"CLCTL_GET_COMMON_PROPERTY_FMTS","features":[471]},{"name":"CLCTL_GET_COMMON_RESOURCE_PROPERTY_FMTS","features":[471]},{"name":"CLCTL_GET_CRYPTO_CHECKPOINTS","features":[471]},{"name":"CLCTL_GET_DNS_NAME","features":[471]},{"name":"CLCTL_GET_FAILURE_INFO","features":[471]},{"name":"CLCTL_GET_FLAGS","features":[471]},{"name":"CLCTL_GET_FQDN","features":[471]},{"name":"CLCTL_GET_GEMID_VECTOR","features":[471]},{"name":"CLCTL_GET_GUM_LOCK_OWNER","features":[471]},{"name":"CLCTL_GET_ID","features":[471]},{"name":"CLCTL_GET_INFRASTRUCTURE_SOFS_BUFFER","features":[471]},{"name":"CLCTL_GET_LOADBAL_PROCESS_LIST","features":[471]},{"name":"CLCTL_GET_NAME","features":[471]},{"name":"CLCTL_GET_NETWORK","features":[471]},{"name":"CLCTL_GET_NETWORK_NAME","features":[471]},{"name":"CLCTL_GET_NODE","features":[471]},{"name":"CLCTL_GET_NODES_IN_FD","features":[471]},{"name":"CLCTL_GET_OPERATION_CONTEXT","features":[471]},{"name":"CLCTL_GET_PRIVATE_PROPERTIES","features":[471]},{"name":"CLCTL_GET_PRIVATE_PROPERTY_FMTS","features":[471]},{"name":"CLCTL_GET_PRIVATE_RESOURCE_PROPERTY_FMTS","features":[471]},{"name":"CLCTL_GET_REGISTRY_CHECKPOINTS","features":[471]},{"name":"CLCTL_GET_REQUIRED_DEPENDENCIES","features":[471]},{"name":"CLCTL_GET_RESOURCE_TYPE","features":[471]},{"name":"CLCTL_GET_RO_COMMON_PROPERTIES","features":[471]},{"name":"CLCTL_GET_RO_PRIVATE_PROPERTIES","features":[471]},{"name":"CLCTL_GET_SHARED_VOLUME_ID","features":[471]},{"name":"CLCTL_GET_STATE_CHANGE_TIME","features":[471]},{"name":"CLCTL_GET_STORAGE_CONFIGURATION","features":[471]},{"name":"CLCTL_GET_STORAGE_CONFIG_ATTRIBUTES","features":[471]},{"name":"CLCTL_GET_STUCK_NODES","features":[471]},{"name":"CLCTL_GLOBAL_SHIFT","features":[471]},{"name":"CLCTL_GROUPSET_GET_GROUPS","features":[471]},{"name":"CLCTL_GROUPSET_GET_PROVIDER_GROUPS","features":[471]},{"name":"CLCTL_GROUPSET_GET_PROVIDER_GROUPSETS","features":[471]},{"name":"CLCTL_GROUP_GET_LAST_MOVE_TIME","features":[471]},{"name":"CLCTL_GROUP_GET_PROVIDER_GROUPS","features":[471]},{"name":"CLCTL_GROUP_GET_PROVIDER_GROUPSETS","features":[471]},{"name":"CLCTL_GROUP_SET_CCF_FROM_MASTER","features":[471]},{"name":"CLCTL_HOLD_IO","features":[471]},{"name":"CLCTL_INITIALIZE","features":[471]},{"name":"CLCTL_INJECT_GEM_FAULT","features":[471]},{"name":"CLCTL_INSTALL_NODE","features":[471]},{"name":"CLCTL_INTERNAL_SHIFT","features":[471]},{"name":"CLCTL_INTRODUCE_GEM_REPAIR_DELAY","features":[471]},{"name":"CLCTL_IPADDRESS_RELEASE_LEASE","features":[471]},{"name":"CLCTL_IPADDRESS_RENEW_LEASE","features":[471]},{"name":"CLCTL_IS_FEATURE_INSTALLED","features":[471]},{"name":"CLCTL_IS_QUORUM_BLOCKED","features":[471]},{"name":"CLCTL_IS_S2D_FEATURE_SUPPORTED","features":[471]},{"name":"CLCTL_JOINING_GROUP","features":[471]},{"name":"CLCTL_LEAVING_GROUP","features":[471]},{"name":"CLCTL_MODIFY_SHIFT","features":[471]},{"name":"CLCTL_NETNAME_CREDS_NOTIFYCAM","features":[471]},{"name":"CLCTL_NETNAME_DELETE_CO","features":[471]},{"name":"CLCTL_NETNAME_GET_OU_FOR_VCO","features":[471]},{"name":"CLCTL_NETNAME_GET_VIRTUAL_SERVER_TOKEN","features":[471]},{"name":"CLCTL_NETNAME_REGISTER_DNS_RECORDS","features":[471]},{"name":"CLCTL_NETNAME_REPAIR_VCO","features":[471]},{"name":"CLCTL_NETNAME_RESET_VCO","features":[471]},{"name":"CLCTL_NETNAME_SET_PWD_INFO","features":[471]},{"name":"CLCTL_NETNAME_SET_PWD_INFOEX","features":[471]},{"name":"CLCTL_NETNAME_VALIDATE_VCO","features":[471]},{"name":"CLCTL_NOTIFY_DRAIN_COMPLETE","features":[471]},{"name":"CLCTL_NOTIFY_INFRASTRUCTURE_SOFS_CHANGED","features":[471]},{"name":"CLCTL_NOTIFY_MONITOR_SHUTTING_DOWN","features":[471]},{"name":"CLCTL_NOTIFY_OWNER_CHANGE","features":[471]},{"name":"CLCTL_NOTIFY_QUORUM_STATUS","features":[471]},{"name":"CLCTL_POOL_GET_DRIVE_INFO","features":[471]},{"name":"CLCTL_PROVIDER_STATE_CHANGE","features":[471]},{"name":"CLCTL_QUERY_DELETE","features":[471]},{"name":"CLCTL_QUERY_MAINTENANCE_MODE","features":[471]},{"name":"CLCTL_RELOAD_AUTOLOGGER_CONFIG","features":[471]},{"name":"CLCTL_REMOVE_DEPENDENCY","features":[471]},{"name":"CLCTL_REMOVE_NODE","features":[471]},{"name":"CLCTL_REMOVE_OWNER","features":[471]},{"name":"CLCTL_REPLICATION_ADD_REPLICATION_GROUP","features":[471]},{"name":"CLCTL_REPLICATION_GET_ELIGIBLE_LOGDISKS","features":[471]},{"name":"CLCTL_REPLICATION_GET_ELIGIBLE_SOURCE_DATADISKS","features":[471]},{"name":"CLCTL_REPLICATION_GET_ELIGIBLE_TARGET_DATADISKS","features":[471]},{"name":"CLCTL_REPLICATION_GET_LOG_INFO","features":[471]},{"name":"CLCTL_REPLICATION_GET_LOG_VOLUME","features":[471]},{"name":"CLCTL_REPLICATION_GET_REPLICATED_DISKS","features":[471]},{"name":"CLCTL_REPLICATION_GET_REPLICATED_PARTITION_INFO","features":[471]},{"name":"CLCTL_REPLICATION_GET_REPLICA_VOLUMES","features":[471]},{"name":"CLCTL_REPLICATION_GET_RESOURCE_GROUP","features":[471]},{"name":"CLCTL_RESOURCE_PREPARE_UPGRADE","features":[471]},{"name":"CLCTL_RESOURCE_UPGRADE_COMPLETED","features":[471]},{"name":"CLCTL_RESOURCE_UPGRADE_DLL","features":[471]},{"name":"CLCTL_RESUME_IO","features":[471]},{"name":"CLCTL_RW_MODIFY_NOOP","features":[471]},{"name":"CLCTL_SCALEOUT_COMMAND","features":[471]},{"name":"CLCTL_SCALEOUT_CONTROL","features":[471]},{"name":"CLCTL_SCALEOUT_GET_CLUSTERS","features":[471]},{"name":"CLCTL_SEND_DUMMY_GEM_MESSAGES","features":[471]},{"name":"CLCTL_SET_ACCOUNT_ACCESS","features":[471]},{"name":"CLCTL_SET_CLUSTER_S2D_CACHE_METADATA_RESERVE_BYTES","features":[471]},{"name":"CLCTL_SET_CLUSTER_S2D_ENABLED","features":[471]},{"name":"CLCTL_SET_COMMON_PROPERTIES","features":[471]},{"name":"CLCTL_SET_CSV_MAINTENANCE_MODE","features":[471]},{"name":"CLCTL_SET_DNS_DOMAIN","features":[471]},{"name":"CLCTL_SET_INFRASTRUCTURE_SOFS_BUFFER","features":[471]},{"name":"CLCTL_SET_MAINTENANCE_MODE","features":[471]},{"name":"CLCTL_SET_NAME","features":[471]},{"name":"CLCTL_SET_PRIVATE_PROPERTIES","features":[471]},{"name":"CLCTL_SET_SHARED_VOLUME_BACKUP_MODE","features":[471]},{"name":"CLCTL_SET_STORAGE_CONFIGURATION","features":[471]},{"name":"CLCTL_SHUTDOWN","features":[471]},{"name":"CLCTL_STARTING_PHASE1","features":[471]},{"name":"CLCTL_STARTING_PHASE2","features":[471]},{"name":"CLCTL_STATE_CHANGE_REASON","features":[471]},{"name":"CLCTL_STORAGE_GET_AVAILABLE_DISKS","features":[471]},{"name":"CLCTL_STORAGE_GET_AVAILABLE_DISKS_EX","features":[471]},{"name":"CLCTL_STORAGE_GET_AVAILABLE_DISKS_EX2_INT","features":[471]},{"name":"CLCTL_STORAGE_GET_CLUSBFLT_PATHINFO","features":[471]},{"name":"CLCTL_STORAGE_GET_CLUSBFLT_PATHS","features":[471]},{"name":"CLCTL_STORAGE_GET_CLUSPORT_DISK_COUNT","features":[471]},{"name":"CLCTL_STORAGE_GET_DIRTY","features":[471]},{"name":"CLCTL_STORAGE_GET_DISKID","features":[471]},{"name":"CLCTL_STORAGE_GET_DISK_INFO","features":[471]},{"name":"CLCTL_STORAGE_GET_DISK_INFO_EX","features":[471]},{"name":"CLCTL_STORAGE_GET_DISK_INFO_EX2","features":[471]},{"name":"CLCTL_STORAGE_GET_DISK_NUMBER_INFO","features":[471]},{"name":"CLCTL_STORAGE_GET_DRIVELETTERS","features":[471]},{"name":"CLCTL_STORAGE_GET_MOUNTPOINTS","features":[471]},{"name":"CLCTL_STORAGE_GET_PHYSICAL_DISK_INFO","features":[471]},{"name":"CLCTL_STORAGE_GET_RESOURCEID","features":[471]},{"name":"CLCTL_STORAGE_GET_SHARED_VOLUME_INFO","features":[471]},{"name":"CLCTL_STORAGE_GET_SHARED_VOLUME_PARTITION_NAMES","features":[471]},{"name":"CLCTL_STORAGE_GET_SHARED_VOLUME_STATES","features":[471]},{"name":"CLCTL_STORAGE_IS_CLUSTERABLE","features":[471]},{"name":"CLCTL_STORAGE_IS_CSV_FILE","features":[471]},{"name":"CLCTL_STORAGE_IS_PATH_VALID","features":[471]},{"name":"CLCTL_STORAGE_IS_SHARED_VOLUME","features":[471]},{"name":"CLCTL_STORAGE_REMAP_DRIVELETTER","features":[471]},{"name":"CLCTL_STORAGE_REMOVE_VM_OWNERSHIP","features":[471]},{"name":"CLCTL_STORAGE_RENAME_SHARED_VOLUME","features":[471]},{"name":"CLCTL_STORAGE_RENAME_SHARED_VOLUME_GUID","features":[471]},{"name":"CLCTL_STORAGE_SET_DRIVELETTER","features":[471]},{"name":"CLCTL_STORAGE_SYNC_CLUSDISK_DB","features":[471]},{"name":"CLCTL_UNDELETE","features":[471]},{"name":"CLCTL_UNKNOWN","features":[471]},{"name":"CLCTL_USER_SHIFT","features":[471]},{"name":"CLCTL_VALIDATE_CHANGE_GROUP","features":[471]},{"name":"CLCTL_VALIDATE_COMMON_PROPERTIES","features":[471]},{"name":"CLCTL_VALIDATE_DIRECTORY","features":[471]},{"name":"CLCTL_VALIDATE_NETNAME","features":[471]},{"name":"CLCTL_VALIDATE_PATH","features":[471]},{"name":"CLCTL_VALIDATE_PRIVATE_PROPERTIES","features":[471]},{"name":"CLOUD_WITNESS_CONTAINER_NAME","features":[471]},{"name":"CLRES_CALLBACK_FUNCTION_TABLE","features":[308,471]},{"name":"CLRES_FUNCTION_TABLE","features":[308,471,369]},{"name":"CLRES_V1_FUNCTIONS","features":[308,471,369]},{"name":"CLRES_V2_FUNCTIONS","features":[308,471,369]},{"name":"CLRES_V3_FUNCTIONS","features":[308,471,369]},{"name":"CLRES_V4_FUNCTIONS","features":[308,471,369]},{"name":"CLRES_VERSION_V1_00","features":[471]},{"name":"CLRES_VERSION_V2_00","features":[471]},{"name":"CLRES_VERSION_V3_00","features":[471]},{"name":"CLRES_VERSION_V4_00","features":[471]},{"name":"CLUADMEX_OBJECT_TYPE","features":[471]},{"name":"CLUADMEX_OT_CLUSTER","features":[471]},{"name":"CLUADMEX_OT_GROUP","features":[471]},{"name":"CLUADMEX_OT_NETINTERFACE","features":[471]},{"name":"CLUADMEX_OT_NETWORK","features":[471]},{"name":"CLUADMEX_OT_NODE","features":[471]},{"name":"CLUADMEX_OT_NONE","features":[471]},{"name":"CLUADMEX_OT_RESOURCE","features":[471]},{"name":"CLUADMEX_OT_RESOURCETYPE","features":[471]},{"name":"CLUSAPI_CHANGE_ACCESS","features":[471]},{"name":"CLUSAPI_CHANGE_RESOURCE_GROUP_FORCE_MOVE_TO_CSV","features":[471]},{"name":"CLUSAPI_GROUP_MOVE_FAILBACK","features":[471]},{"name":"CLUSAPI_GROUP_MOVE_HIGH_PRIORITY_START","features":[471]},{"name":"CLUSAPI_GROUP_MOVE_IGNORE_AFFINITY_RULE","features":[471]},{"name":"CLUSAPI_GROUP_MOVE_IGNORE_RESOURCE_STATUS","features":[471]},{"name":"CLUSAPI_GROUP_MOVE_QUEUE_ENABLED","features":[471]},{"name":"CLUSAPI_GROUP_MOVE_RETURN_TO_SOURCE_NODE_ON_ERROR","features":[471]},{"name":"CLUSAPI_GROUP_OFFLINE_IGNORE_RESOURCE_STATUS","features":[471]},{"name":"CLUSAPI_GROUP_ONLINE_BEST_POSSIBLE_NODE","features":[471]},{"name":"CLUSAPI_GROUP_ONLINE_IGNORE_AFFINITY_RULE","features":[471]},{"name":"CLUSAPI_GROUP_ONLINE_IGNORE_RESOURCE_STATUS","features":[471]},{"name":"CLUSAPI_GROUP_ONLINE_SYNCHRONOUS","features":[471]},{"name":"CLUSAPI_NODE_AVOID_PLACEMENT","features":[471]},{"name":"CLUSAPI_NODE_PAUSE_REMAIN_ON_PAUSED_NODE_ON_MOVE_ERROR","features":[471]},{"name":"CLUSAPI_NODE_PAUSE_RETRY_DRAIN_ON_FAILURE","features":[471]},{"name":"CLUSAPI_NODE_RESUME_FAILBACK_PINNED_VMS_ONLY","features":[471]},{"name":"CLUSAPI_NODE_RESUME_FAILBACK_STORAGE","features":[471]},{"name":"CLUSAPI_NODE_RESUME_FAILBACK_VMS","features":[471]},{"name":"CLUSAPI_NO_ACCESS","features":[471]},{"name":"CLUSAPI_READ_ACCESS","features":[471]},{"name":"CLUSAPI_REASON_HANDLER","features":[308,471]},{"name":"CLUSAPI_RESOURCE_OFFLINE_DO_NOT_UPDATE_PERSISTENT_STATE","features":[471]},{"name":"CLUSAPI_RESOURCE_OFFLINE_FORCE_WITH_TERMINATION","features":[471]},{"name":"CLUSAPI_RESOURCE_OFFLINE_IGNORE_RESOURCE_STATUS","features":[471]},{"name":"CLUSAPI_RESOURCE_OFFLINE_REASON_BEING_DELETED","features":[471]},{"name":"CLUSAPI_RESOURCE_OFFLINE_REASON_BEING_RESTARTED","features":[471]},{"name":"CLUSAPI_RESOURCE_OFFLINE_REASON_MOVING","features":[471]},{"name":"CLUSAPI_RESOURCE_OFFLINE_REASON_NONE","features":[471]},{"name":"CLUSAPI_RESOURCE_OFFLINE_REASON_PREEMPTED","features":[471]},{"name":"CLUSAPI_RESOURCE_OFFLINE_REASON_SHUTTING_DOWN","features":[471]},{"name":"CLUSAPI_RESOURCE_OFFLINE_REASON_UNKNOWN","features":[471]},{"name":"CLUSAPI_RESOURCE_OFFLINE_REASON_USER_REQUESTED","features":[471]},{"name":"CLUSAPI_RESOURCE_ONLINE_BEST_POSSIBLE_NODE","features":[471]},{"name":"CLUSAPI_RESOURCE_ONLINE_DO_NOT_UPDATE_PERSISTENT_STATE","features":[471]},{"name":"CLUSAPI_RESOURCE_ONLINE_IGNORE_AFFINITY_RULE","features":[471]},{"name":"CLUSAPI_RESOURCE_ONLINE_IGNORE_RESOURCE_STATUS","features":[471]},{"name":"CLUSAPI_RESOURCE_ONLINE_NECESSARY_FOR_QUORUM","features":[471]},{"name":"CLUSAPI_VALID_CHANGE_RESOURCE_GROUP_FLAGS","features":[471]},{"name":"CLUSAPI_VERSION","features":[471]},{"name":"CLUSAPI_VERSION_NI","features":[471]},{"name":"CLUSAPI_VERSION_RS3","features":[471]},{"name":"CLUSAPI_VERSION_SERVER2008","features":[471]},{"name":"CLUSAPI_VERSION_SERVER2008R2","features":[471]},{"name":"CLUSAPI_VERSION_WINDOWS8","features":[471]},{"name":"CLUSAPI_VERSION_WINDOWSBLUE","features":[471]},{"name":"CLUSAPI_VERSION_WINTHRESHOLD","features":[471]},{"name":"CLUSCTL_ACCESS_MODE_MASK","features":[471]},{"name":"CLUSCTL_ACCESS_SHIFT","features":[471]},{"name":"CLUSCTL_AFFINITYRULE_CODES","features":[471]},{"name":"CLUSCTL_AFFINITYRULE_GET_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_AFFINITYRULE_GET_GROUPNAMES","features":[471]},{"name":"CLUSCTL_AFFINITYRULE_GET_ID","features":[471]},{"name":"CLUSCTL_AFFINITYRULE_GET_RO_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_AFFINITYRULE_SET_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_CLOUD_WITNESS_RESOURCE_TYPE_VALIDATE_CREDENTIALS","features":[471]},{"name":"CLUSCTL_CLOUD_WITNESS_RESOURCE_TYPE_VALIDATE_CREDENTIALS_WITH_KEY","features":[471]},{"name":"CLUSCTL_CLOUD_WITNESS_RESOURCE_UPDATE_KEY","features":[471]},{"name":"CLUSCTL_CLOUD_WITNESS_RESOURCE_UPDATE_TOKEN","features":[471]},{"name":"CLUSCTL_CLUSTER_BATCH_BLOCK_KEY","features":[471]},{"name":"CLUSCTL_CLUSTER_BATCH_UNBLOCK_KEY","features":[471]},{"name":"CLUSCTL_CLUSTER_CHECK_VOTER_DOWN","features":[471]},{"name":"CLUSCTL_CLUSTER_CHECK_VOTER_DOWN_WITNESS","features":[471]},{"name":"CLUSCTL_CLUSTER_CHECK_VOTER_EVICT","features":[471]},{"name":"CLUSCTL_CLUSTER_CHECK_VOTER_EVICT_WITNESS","features":[471]},{"name":"CLUSCTL_CLUSTER_CLEAR_NODE_CONNECTION_INFO","features":[471]},{"name":"CLUSCTL_CLUSTER_CODES","features":[471]},{"name":"CLUSCTL_CLUSTER_ENUM_AFFINITY_RULE_NAMES","features":[471]},{"name":"CLUSCTL_CLUSTER_ENUM_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_CLUSTER_ENUM_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_CLUSTER_FORCE_FLUSH_DB","features":[471]},{"name":"CLUSCTL_CLUSTER_GET_CLMUSR_TOKEN","features":[471]},{"name":"CLUSCTL_CLUSTER_GET_CLUSDB_TIMESTAMP","features":[471]},{"name":"CLUSCTL_CLUSTER_GET_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_CLUSTER_GET_COMMON_PROPERTY_FMTS","features":[471]},{"name":"CLUSCTL_CLUSTER_GET_FQDN","features":[471]},{"name":"CLUSCTL_CLUSTER_GET_GUM_LOCK_OWNER","features":[471]},{"name":"CLUSCTL_CLUSTER_GET_NODES_IN_FD","features":[471]},{"name":"CLUSCTL_CLUSTER_GET_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_CLUSTER_GET_PRIVATE_PROPERTY_FMTS","features":[471]},{"name":"CLUSCTL_CLUSTER_GET_RO_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_CLUSTER_GET_RO_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_CLUSTER_GET_SHARED_VOLUME_ID","features":[471]},{"name":"CLUSCTL_CLUSTER_GET_STORAGE_CONFIGURATION","features":[471]},{"name":"CLUSCTL_CLUSTER_GET_STORAGE_CONFIG_ATTRIBUTES","features":[471]},{"name":"CLUSCTL_CLUSTER_RELOAD_AUTOLOGGER_CONFIG","features":[471]},{"name":"CLUSCTL_CLUSTER_REMOVE_NODE","features":[471]},{"name":"CLUSCTL_CLUSTER_SET_ACCOUNT_ACCESS","features":[471]},{"name":"CLUSCTL_CLUSTER_SET_CLUSTER_S2D_CACHE_METADATA_RESERVE_BYTES","features":[471]},{"name":"CLUSCTL_CLUSTER_SET_CLUSTER_S2D_ENABLED","features":[471]},{"name":"CLUSCTL_CLUSTER_SET_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_CLUSTER_SET_DNS_DOMAIN","features":[471]},{"name":"CLUSCTL_CLUSTER_SET_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_CLUSTER_SET_STORAGE_CONFIGURATION","features":[471]},{"name":"CLUSCTL_CLUSTER_SHUTDOWN","features":[471]},{"name":"CLUSCTL_CLUSTER_STORAGE_RENAME_SHARED_VOLUME","features":[471]},{"name":"CLUSCTL_CLUSTER_STORAGE_RENAME_SHARED_VOLUME_GUID","features":[471]},{"name":"CLUSCTL_CLUSTER_UNKNOWN","features":[471]},{"name":"CLUSCTL_CLUSTER_VALIDATE_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_CLUSTER_VALIDATE_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_CONTROL_CODE_MASK","features":[471]},{"name":"CLUSCTL_FUNCTION_SHIFT","features":[471]},{"name":"CLUSCTL_GET_OPERATION_CONTEXT_PARAMS_VERSION_1","features":[471]},{"name":"CLUSCTL_GROUPSET_CODES","features":[471]},{"name":"CLUSCTL_GROUPSET_GET_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_GROUPSET_GET_GROUPS","features":[471]},{"name":"CLUSCTL_GROUPSET_GET_ID","features":[471]},{"name":"CLUSCTL_GROUPSET_GET_PROVIDER_GROUPS","features":[471]},{"name":"CLUSCTL_GROUPSET_GET_PROVIDER_GROUPSETS","features":[471]},{"name":"CLUSCTL_GROUPSET_GET_RO_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_GROUPSET_SET_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_GROUP_CODES","features":[471]},{"name":"CLUSCTL_GROUP_ENUM_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_GROUP_ENUM_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_GROUP_GET_CHARACTERISTICS","features":[471]},{"name":"CLUSCTL_GROUP_GET_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_GROUP_GET_COMMON_PROPERTY_FMTS","features":[471]},{"name":"CLUSCTL_GROUP_GET_FAILURE_INFO","features":[471]},{"name":"CLUSCTL_GROUP_GET_FLAGS","features":[471]},{"name":"CLUSCTL_GROUP_GET_ID","features":[471]},{"name":"CLUSCTL_GROUP_GET_LAST_MOVE_TIME","features":[471]},{"name":"CLUSCTL_GROUP_GET_LAST_MOVE_TIME_OUTPUT","features":[308,471]},{"name":"CLUSCTL_GROUP_GET_NAME","features":[471]},{"name":"CLUSCTL_GROUP_GET_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_GROUP_GET_PRIVATE_PROPERTY_FMTS","features":[471]},{"name":"CLUSCTL_GROUP_GET_PROVIDER_GROUPS","features":[471]},{"name":"CLUSCTL_GROUP_GET_PROVIDER_GROUPSETS","features":[471]},{"name":"CLUSCTL_GROUP_GET_RO_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_GROUP_GET_RO_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_GROUP_QUERY_DELETE","features":[471]},{"name":"CLUSCTL_GROUP_SET_CCF_FROM_MASTER","features":[471]},{"name":"CLUSCTL_GROUP_SET_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_GROUP_SET_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_GROUP_UNKNOWN","features":[471]},{"name":"CLUSCTL_GROUP_VALIDATE_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_GROUP_VALIDATE_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_NETINTERFACE_CODES","features":[471]},{"name":"CLUSCTL_NETINTERFACE_ENUM_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_NETINTERFACE_ENUM_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_NETINTERFACE_GET_CHARACTERISTICS","features":[471]},{"name":"CLUSCTL_NETINTERFACE_GET_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_NETINTERFACE_GET_COMMON_PROPERTY_FMTS","features":[471]},{"name":"CLUSCTL_NETINTERFACE_GET_FLAGS","features":[471]},{"name":"CLUSCTL_NETINTERFACE_GET_ID","features":[471]},{"name":"CLUSCTL_NETINTERFACE_GET_NAME","features":[471]},{"name":"CLUSCTL_NETINTERFACE_GET_NETWORK","features":[471]},{"name":"CLUSCTL_NETINTERFACE_GET_NODE","features":[471]},{"name":"CLUSCTL_NETINTERFACE_GET_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_NETINTERFACE_GET_PRIVATE_PROPERTY_FMTS","features":[471]},{"name":"CLUSCTL_NETINTERFACE_GET_RO_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_NETINTERFACE_GET_RO_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_NETINTERFACE_SET_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_NETINTERFACE_SET_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_NETINTERFACE_UNKNOWN","features":[471]},{"name":"CLUSCTL_NETINTERFACE_VALIDATE_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_NETINTERFACE_VALIDATE_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_NETWORK_CODES","features":[471]},{"name":"CLUSCTL_NETWORK_ENUM_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_NETWORK_ENUM_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_NETWORK_GET_CHARACTERISTICS","features":[471]},{"name":"CLUSCTL_NETWORK_GET_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_NETWORK_GET_COMMON_PROPERTY_FMTS","features":[471]},{"name":"CLUSCTL_NETWORK_GET_FLAGS","features":[471]},{"name":"CLUSCTL_NETWORK_GET_ID","features":[471]},{"name":"CLUSCTL_NETWORK_GET_NAME","features":[471]},{"name":"CLUSCTL_NETWORK_GET_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_NETWORK_GET_PRIVATE_PROPERTY_FMTS","features":[471]},{"name":"CLUSCTL_NETWORK_GET_RO_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_NETWORK_GET_RO_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_NETWORK_SET_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_NETWORK_SET_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_NETWORK_UNKNOWN","features":[471]},{"name":"CLUSCTL_NETWORK_VALIDATE_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_NETWORK_VALIDATE_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_NODE_BLOCK_GEM_SEND_RECV","features":[471]},{"name":"CLUSCTL_NODE_CODES","features":[471]},{"name":"CLUSCTL_NODE_ENUM_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_NODE_ENUM_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_NODE_GET_CHARACTERISTICS","features":[471]},{"name":"CLUSCTL_NODE_GET_CLUSTER_SERVICE_ACCOUNT_NAME","features":[471]},{"name":"CLUSCTL_NODE_GET_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_NODE_GET_COMMON_PROPERTY_FMTS","features":[471]},{"name":"CLUSCTL_NODE_GET_FLAGS","features":[471]},{"name":"CLUSCTL_NODE_GET_GEMID_VECTOR","features":[471]},{"name":"CLUSCTL_NODE_GET_ID","features":[471]},{"name":"CLUSCTL_NODE_GET_NAME","features":[471]},{"name":"CLUSCTL_NODE_GET_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_NODE_GET_PRIVATE_PROPERTY_FMTS","features":[471]},{"name":"CLUSCTL_NODE_GET_RO_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_NODE_GET_RO_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_NODE_GET_STUCK_NODES","features":[471]},{"name":"CLUSCTL_NODE_INJECT_GEM_FAULT","features":[471]},{"name":"CLUSCTL_NODE_INTRODUCE_GEM_REPAIR_DELAY","features":[471]},{"name":"CLUSCTL_NODE_SEND_DUMMY_GEM_MESSAGES","features":[471]},{"name":"CLUSCTL_NODE_SET_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_NODE_SET_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_NODE_UNKNOWN","features":[471]},{"name":"CLUSCTL_NODE_VALIDATE_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_NODE_VALIDATE_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_OBJECT_MASK","features":[471]},{"name":"CLUSCTL_OBJECT_SHIFT","features":[471]},{"name":"CLUSCTL_RESOURCE_ADD_CRYPTO_CHECKPOINT","features":[471]},{"name":"CLUSCTL_RESOURCE_ADD_CRYPTO_CHECKPOINT_EX","features":[471]},{"name":"CLUSCTL_RESOURCE_ADD_DEPENDENCY","features":[471]},{"name":"CLUSCTL_RESOURCE_ADD_OWNER","features":[471]},{"name":"CLUSCTL_RESOURCE_ADD_REGISTRY_CHECKPOINT","features":[471]},{"name":"CLUSCTL_RESOURCE_ADD_REGISTRY_CHECKPOINT_32BIT","features":[471]},{"name":"CLUSCTL_RESOURCE_ADD_REGISTRY_CHECKPOINT_64BIT","features":[471]},{"name":"CLUSCTL_RESOURCE_CHECK_DRAIN_VETO","features":[471]},{"name":"CLUSCTL_RESOURCE_CLUSTER_NAME_CHANGED","features":[471]},{"name":"CLUSCTL_RESOURCE_CLUSTER_VERSION_CHANGED","features":[471]},{"name":"CLUSCTL_RESOURCE_CODES","features":[471]},{"name":"CLUSCTL_RESOURCE_DELETE","features":[471]},{"name":"CLUSCTL_RESOURCE_DELETE_CRYPTO_CHECKPOINT","features":[471]},{"name":"CLUSCTL_RESOURCE_DELETE_REGISTRY_CHECKPOINT","features":[471]},{"name":"CLUSCTL_RESOURCE_DISABLE_SHARED_VOLUME_DIRECTIO","features":[471]},{"name":"CLUSCTL_RESOURCE_ENABLE_SHARED_VOLUME_DIRECTIO","features":[471]},{"name":"CLUSCTL_RESOURCE_ENUM_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_RESOURCE_ENUM_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_RESOURCE_EVICT_NODE","features":[471]},{"name":"CLUSCTL_RESOURCE_FORCE_QUORUM","features":[471]},{"name":"CLUSCTL_RESOURCE_FSWITNESS_GET_EPOCH_INFO","features":[471]},{"name":"CLUSCTL_RESOURCE_FSWITNESS_RELEASE_LOCK","features":[471]},{"name":"CLUSCTL_RESOURCE_FSWITNESS_SET_EPOCH_INFO","features":[471]},{"name":"CLUSCTL_RESOURCE_GET_CHARACTERISTICS","features":[471]},{"name":"CLUSCTL_RESOURCE_GET_CLASS_INFO","features":[471]},{"name":"CLUSCTL_RESOURCE_GET_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_RESOURCE_GET_COMMON_PROPERTY_FMTS","features":[471]},{"name":"CLUSCTL_RESOURCE_GET_CRYPTO_CHECKPOINTS","features":[471]},{"name":"CLUSCTL_RESOURCE_GET_DNS_NAME","features":[471]},{"name":"CLUSCTL_RESOURCE_GET_FAILURE_INFO","features":[471]},{"name":"CLUSCTL_RESOURCE_GET_FLAGS","features":[471]},{"name":"CLUSCTL_RESOURCE_GET_ID","features":[471]},{"name":"CLUSCTL_RESOURCE_GET_INFRASTRUCTURE_SOFS_BUFFER","features":[471]},{"name":"CLUSCTL_RESOURCE_GET_LOADBAL_PROCESS_LIST","features":[471]},{"name":"CLUSCTL_RESOURCE_GET_NAME","features":[471]},{"name":"CLUSCTL_RESOURCE_GET_NETWORK_NAME","features":[471]},{"name":"CLUSCTL_RESOURCE_GET_NODES_IN_FD","features":[471]},{"name":"CLUSCTL_RESOURCE_GET_OPERATION_CONTEXT","features":[471]},{"name":"CLUSCTL_RESOURCE_GET_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_RESOURCE_GET_PRIVATE_PROPERTY_FMTS","features":[471]},{"name":"CLUSCTL_RESOURCE_GET_REGISTRY_CHECKPOINTS","features":[471]},{"name":"CLUSCTL_RESOURCE_GET_REQUIRED_DEPENDENCIES","features":[471]},{"name":"CLUSCTL_RESOURCE_GET_RESOURCE_TYPE","features":[471]},{"name":"CLUSCTL_RESOURCE_GET_RO_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_RESOURCE_GET_RO_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_RESOURCE_GET_STATE_CHANGE_TIME","features":[471]},{"name":"CLUSCTL_RESOURCE_INITIALIZE","features":[471]},{"name":"CLUSCTL_RESOURCE_INSTALL_NODE","features":[471]},{"name":"CLUSCTL_RESOURCE_IPADDRESS_RELEASE_LEASE","features":[471]},{"name":"CLUSCTL_RESOURCE_IPADDRESS_RENEW_LEASE","features":[471]},{"name":"CLUSCTL_RESOURCE_IS_QUORUM_BLOCKED","features":[471]},{"name":"CLUSCTL_RESOURCE_JOINING_GROUP","features":[471]},{"name":"CLUSCTL_RESOURCE_LEAVING_GROUP","features":[471]},{"name":"CLUSCTL_RESOURCE_NETNAME_CREDS_NOTIFYCAM","features":[471]},{"name":"CLUSCTL_RESOURCE_NETNAME_DELETE_CO","features":[471]},{"name":"CLUSCTL_RESOURCE_NETNAME_GET_VIRTUAL_SERVER_TOKEN","features":[471]},{"name":"CLUSCTL_RESOURCE_NETNAME_REGISTER_DNS_RECORDS","features":[471]},{"name":"CLUSCTL_RESOURCE_NETNAME_REPAIR_VCO","features":[471]},{"name":"CLUSCTL_RESOURCE_NETNAME_RESET_VCO","features":[471]},{"name":"CLUSCTL_RESOURCE_NETNAME_SET_PWD_INFO","features":[471]},{"name":"CLUSCTL_RESOURCE_NETNAME_SET_PWD_INFOEX","features":[471]},{"name":"CLUSCTL_RESOURCE_NETNAME_VALIDATE_VCO","features":[471]},{"name":"CLUSCTL_RESOURCE_NOTIFY_DRAIN_COMPLETE","features":[471]},{"name":"CLUSCTL_RESOURCE_NOTIFY_OWNER_CHANGE","features":[471]},{"name":"CLUSCTL_RESOURCE_NOTIFY_QUORUM_STATUS","features":[471]},{"name":"CLUSCTL_RESOURCE_POOL_GET_DRIVE_INFO","features":[471]},{"name":"CLUSCTL_RESOURCE_PREPARE_UPGRADE","features":[471]},{"name":"CLUSCTL_RESOURCE_PROVIDER_STATE_CHANGE","features":[471]},{"name":"CLUSCTL_RESOURCE_QUERY_DELETE","features":[471]},{"name":"CLUSCTL_RESOURCE_QUERY_MAINTENANCE_MODE","features":[471]},{"name":"CLUSCTL_RESOURCE_REMOVE_DEPENDENCY","features":[471]},{"name":"CLUSCTL_RESOURCE_REMOVE_OWNER","features":[471]},{"name":"CLUSCTL_RESOURCE_RLUA_GET_VIRTUAL_SERVER_TOKEN","features":[471]},{"name":"CLUSCTL_RESOURCE_RLUA_SET_PWD_INFO","features":[471]},{"name":"CLUSCTL_RESOURCE_RLUA_SET_PWD_INFOEX","features":[471]},{"name":"CLUSCTL_RESOURCE_RW_MODIFY_NOOP","features":[471]},{"name":"CLUSCTL_RESOURCE_SCALEOUT_COMMAND","features":[471]},{"name":"CLUSCTL_RESOURCE_SCALEOUT_CONTROL","features":[471]},{"name":"CLUSCTL_RESOURCE_SCALEOUT_GET_CLUSTERS","features":[471]},{"name":"CLUSCTL_RESOURCE_SET_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_RESOURCE_SET_CSV_MAINTENANCE_MODE","features":[471]},{"name":"CLUSCTL_RESOURCE_SET_INFRASTRUCTURE_SOFS_BUFFER","features":[471]},{"name":"CLUSCTL_RESOURCE_SET_MAINTENANCE_MODE","features":[471]},{"name":"CLUSCTL_RESOURCE_SET_NAME","features":[471]},{"name":"CLUSCTL_RESOURCE_SET_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_RESOURCE_SET_SHARED_VOLUME_BACKUP_MODE","features":[471]},{"name":"CLUSCTL_RESOURCE_STATE_CHANGE_REASON","features":[471]},{"name":"CLUSCTL_RESOURCE_STATE_CHANGE_REASON_STRUCT","features":[471]},{"name":"CLUSCTL_RESOURCE_STATE_CHANGE_REASON_VERSION_1","features":[471]},{"name":"CLUSCTL_RESOURCE_STORAGE_GET_DIRTY","features":[471]},{"name":"CLUSCTL_RESOURCE_STORAGE_GET_DISKID","features":[471]},{"name":"CLUSCTL_RESOURCE_STORAGE_GET_DISK_INFO","features":[471]},{"name":"CLUSCTL_RESOURCE_STORAGE_GET_DISK_INFO_EX","features":[471]},{"name":"CLUSCTL_RESOURCE_STORAGE_GET_DISK_INFO_EX2","features":[471]},{"name":"CLUSCTL_RESOURCE_STORAGE_GET_DISK_NUMBER_INFO","features":[471]},{"name":"CLUSCTL_RESOURCE_STORAGE_GET_MOUNTPOINTS","features":[471]},{"name":"CLUSCTL_RESOURCE_STORAGE_GET_SHARED_VOLUME_INFO","features":[471]},{"name":"CLUSCTL_RESOURCE_STORAGE_GET_SHARED_VOLUME_PARTITION_NAMES","features":[471]},{"name":"CLUSCTL_RESOURCE_STORAGE_GET_SHARED_VOLUME_STATES","features":[471]},{"name":"CLUSCTL_RESOURCE_STORAGE_IS_PATH_VALID","features":[471]},{"name":"CLUSCTL_RESOURCE_STORAGE_IS_SHARED_VOLUME","features":[471]},{"name":"CLUSCTL_RESOURCE_STORAGE_RENAME_SHARED_VOLUME","features":[471]},{"name":"CLUSCTL_RESOURCE_STORAGE_RENAME_SHARED_VOLUME_GUID","features":[471]},{"name":"CLUSCTL_RESOURCE_STORAGE_SET_DRIVELETTER","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_CHECK_DRAIN_VETO","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_CLUSTER_VERSION_CHANGED","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_CODES","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_ENUM_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_ENUM_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_EVICT_NODE","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_FIXUP_ON_UPGRADE","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_GEN_APP_VALIDATE_DIRECTORY","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_GEN_APP_VALIDATE_PATH","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_GEN_SCRIPT_VALIDATE_PATH","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_ARB_TIMEOUT","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_CHARACTERISTICS","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_CLASS_INFO","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_COMMON_PROPERTY_FMTS","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_COMMON_RESOURCE_PROPERTY_FMTS","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_CRYPTO_CHECKPOINTS","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_FLAGS","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_PRIVATE_PROPERTY_FMTS","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_PRIVATE_RESOURCE_PROPERTY_FMTS","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_REGISTRY_CHECKPOINTS","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_REQUIRED_DEPENDENCIES","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_RO_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_GET_RO_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_HOLD_IO","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_INSTALL_NODE","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_NETNAME_GET_OU_FOR_VCO","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_NETNAME_VALIDATE_NETNAME","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_NOTIFY_DRAIN_COMPLETE","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_NOTIFY_MONITOR_SHUTTING_DOWN","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_PREPARE_UPGRADE","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_QUERY_DELETE","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_REPLICATION_ADD_REPLICATION_GROUP","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_REPLICATION_GET_ELIGIBLE_LOGDISKS","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_REPLICATION_GET_ELIGIBLE_SOURCE_DATADISKS","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_REPLICATION_GET_ELIGIBLE_TARGET_DATADISKS","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_REPLICATION_GET_LOG_INFO","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_REPLICATION_GET_LOG_VOLUME","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_REPLICATION_GET_REPLICATED_DISKS","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_REPLICATION_GET_REPLICATED_PARTITION_INFO","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_REPLICATION_GET_REPLICA_VOLUMES","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_REPLICATION_GET_RESOURCE_GROUP","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_RESUME_IO","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_SET_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_SET_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_STARTING_PHASE1","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_STARTING_PHASE2","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_GET_AVAILABLE_DISKS","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_GET_AVAILABLE_DISKS_EX","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_GET_AVAILABLE_DISKS_EX2_FLAG_ADD_VOLUME_INFO","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_GET_AVAILABLE_DISKS_EX2_FLAG_FILTER_BY_POOL","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_GET_AVAILABLE_DISKS_EX2_FLAG_INCLUDE_NON_SHARED_DISKS","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_GET_AVAILABLE_DISKS_EX2_INPUT","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_GET_AVAILABLE_DISKS_EX2_INT","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_GET_DISKID","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_GET_DRIVELETTERS","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_GET_RESOURCEID","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_IS_CLUSTERABLE","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_IS_CSV_FILE","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_REMAP_DRIVELETTER","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_REMOVE_VM_OWNERSHIP","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_STORAGE_SYNC_CLUSDISK_DB","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_UNKNOWN","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_UPGRADE_COMPLETED","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_VALIDATE_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_VALIDATE_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSCTL_RESOURCE_TYPE_WITNESS_VALIDATE_PATH","features":[471]},{"name":"CLUSCTL_RESOURCE_UNDELETE","features":[471]},{"name":"CLUSCTL_RESOURCE_UNKNOWN","features":[471]},{"name":"CLUSCTL_RESOURCE_UPGRADE_COMPLETED","features":[471]},{"name":"CLUSCTL_RESOURCE_UPGRADE_DLL","features":[471]},{"name":"CLUSCTL_RESOURCE_VALIDATE_CHANGE_GROUP","features":[471]},{"name":"CLUSCTL_RESOURCE_VALIDATE_COMMON_PROPERTIES","features":[471]},{"name":"CLUSCTL_RESOURCE_VALIDATE_PRIVATE_PROPERTIES","features":[471]},{"name":"CLUSGROUPSET_STATUS_APPLICATION_READY","features":[471]},{"name":"CLUSGROUPSET_STATUS_GROUPS_ONLINE","features":[471]},{"name":"CLUSGROUPSET_STATUS_GROUPS_PENDING","features":[471]},{"name":"CLUSGROUPSET_STATUS_OS_HEARTBEAT","features":[471]},{"name":"CLUSGROUP_TYPE","features":[471]},{"name":"CLUSGRP_STATUS_APPLICATION_READY","features":[471]},{"name":"CLUSGRP_STATUS_EMBEDDED_FAILURE","features":[471]},{"name":"CLUSGRP_STATUS_LOCKED_MODE","features":[471]},{"name":"CLUSGRP_STATUS_NETWORK_FAILURE","features":[471]},{"name":"CLUSGRP_STATUS_OFFLINE_DUE_TO_ANTIAFFINITY_CONFLICT","features":[471]},{"name":"CLUSGRP_STATUS_OFFLINE_NOT_LOCAL_DISK_OWNER","features":[471]},{"name":"CLUSGRP_STATUS_OS_HEARTBEAT","features":[471]},{"name":"CLUSGRP_STATUS_PHYSICAL_RESOURCES_LACKING","features":[471]},{"name":"CLUSGRP_STATUS_PREEMPTED","features":[471]},{"name":"CLUSGRP_STATUS_UNMONITORED","features":[471]},{"name":"CLUSGRP_STATUS_WAITING_FOR_DEPENDENCIES","features":[471]},{"name":"CLUSGRP_STATUS_WAITING_IN_QUEUE_FOR_MOVE","features":[471]},{"name":"CLUSGRP_STATUS_WAITING_TO_START","features":[471]},{"name":"CLUSPROP_BINARY","features":[471]},{"name":"CLUSPROP_BUFFER_HELPER","features":[308,471,311]},{"name":"CLUSPROP_DWORD","features":[471]},{"name":"CLUSPROP_FILETIME","features":[308,471]},{"name":"CLUSPROP_FORMAT_BINARY","features":[471]},{"name":"CLUSPROP_FORMAT_DWORD","features":[471]},{"name":"CLUSPROP_FORMAT_EXPANDED_SZ","features":[471]},{"name":"CLUSPROP_FORMAT_EXPAND_SZ","features":[471]},{"name":"CLUSPROP_FORMAT_FILETIME","features":[471]},{"name":"CLUSPROP_FORMAT_LARGE_INTEGER","features":[471]},{"name":"CLUSPROP_FORMAT_LONG","features":[471]},{"name":"CLUSPROP_FORMAT_MULTI_SZ","features":[471]},{"name":"CLUSPROP_FORMAT_PROPERTY_LIST","features":[471]},{"name":"CLUSPROP_FORMAT_SECURITY_DESCRIPTOR","features":[471]},{"name":"CLUSPROP_FORMAT_SZ","features":[471]},{"name":"CLUSPROP_FORMAT_ULARGE_INTEGER","features":[471]},{"name":"CLUSPROP_FORMAT_UNKNOWN","features":[471]},{"name":"CLUSPROP_FORMAT_USER","features":[471]},{"name":"CLUSPROP_FORMAT_VALUE_LIST","features":[471]},{"name":"CLUSPROP_FORMAT_WORD","features":[471]},{"name":"CLUSPROP_FTSET_INFO","features":[471]},{"name":"CLUSPROP_IPADDR_ENABLENETBIOS","features":[471]},{"name":"CLUSPROP_IPADDR_ENABLENETBIOS_DISABLED","features":[471]},{"name":"CLUSPROP_IPADDR_ENABLENETBIOS_ENABLED","features":[471]},{"name":"CLUSPROP_IPADDR_ENABLENETBIOS_TRACK_NIC","features":[471]},{"name":"CLUSPROP_LARGE_INTEGER","features":[471]},{"name":"CLUSPROP_LIST","features":[471]},{"name":"CLUSPROP_LONG","features":[471]},{"name":"CLUSPROP_PARTITION_INFO","features":[471]},{"name":"CLUSPROP_PARTITION_INFO_EX","features":[471]},{"name":"CLUSPROP_PARTITION_INFO_EX2","features":[471]},{"name":"CLUSPROP_PIFLAGS","features":[471]},{"name":"CLUSPROP_PIFLAG_DEFAULT_QUORUM","features":[471]},{"name":"CLUSPROP_PIFLAG_ENCRYPTION_ENABLED","features":[471]},{"name":"CLUSPROP_PIFLAG_RAW","features":[471]},{"name":"CLUSPROP_PIFLAG_REMOVABLE","features":[471]},{"name":"CLUSPROP_PIFLAG_STICKY","features":[471]},{"name":"CLUSPROP_PIFLAG_UNKNOWN","features":[471]},{"name":"CLUSPROP_PIFLAG_USABLE","features":[471]},{"name":"CLUSPROP_PIFLAG_USABLE_FOR_CSV","features":[471]},{"name":"CLUSPROP_REQUIRED_DEPENDENCY","features":[471]},{"name":"CLUSPROP_RESOURCE_CLASS","features":[471]},{"name":"CLUSPROP_RESOURCE_CLASS_INFO","features":[471]},{"name":"CLUSPROP_SCSI_ADDRESS","features":[471]},{"name":"CLUSPROP_SECURITY_DESCRIPTOR","features":[471,311]},{"name":"CLUSPROP_SYNTAX","features":[471]},{"name":"CLUSPROP_SYNTAX_DISK_GUID","features":[471]},{"name":"CLUSPROP_SYNTAX_DISK_NUMBER","features":[471]},{"name":"CLUSPROP_SYNTAX_DISK_SERIALNUMBER","features":[471]},{"name":"CLUSPROP_SYNTAX_DISK_SIGNATURE","features":[471]},{"name":"CLUSPROP_SYNTAX_DISK_SIZE","features":[471]},{"name":"CLUSPROP_SYNTAX_ENDMARK","features":[471]},{"name":"CLUSPROP_SYNTAX_FTSET_INFO","features":[471]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_BINARY","features":[471]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_DWORD","features":[471]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_EXPANDED_SZ","features":[471]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_EXPAND_SZ","features":[471]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_FILETIME","features":[471]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_LARGE_INTEGER","features":[471]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_LONG","features":[471]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_MULTI_SZ","features":[471]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_PROPERTY_LIST","features":[471]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_SECURITY_DESCRIPTOR","features":[471]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_SZ","features":[471]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_ULARGE_INTEGER","features":[471]},{"name":"CLUSPROP_SYNTAX_LIST_VALUE_WORD","features":[471]},{"name":"CLUSPROP_SYNTAX_NAME","features":[471]},{"name":"CLUSPROP_SYNTAX_PARTITION_INFO","features":[471]},{"name":"CLUSPROP_SYNTAX_PARTITION_INFO_EX","features":[471]},{"name":"CLUSPROP_SYNTAX_PARTITION_INFO_EX2","features":[471]},{"name":"CLUSPROP_SYNTAX_RESCLASS","features":[471]},{"name":"CLUSPROP_SYNTAX_SCSI_ADDRESS","features":[471]},{"name":"CLUSPROP_SYNTAX_STORAGE_DEVICE_ID_DESCRIPTOR","features":[471]},{"name":"CLUSPROP_SZ","features":[471]},{"name":"CLUSPROP_TYPE_DISK_GUID","features":[471]},{"name":"CLUSPROP_TYPE_DISK_NUMBER","features":[471]},{"name":"CLUSPROP_TYPE_DISK_SERIALNUMBER","features":[471]},{"name":"CLUSPROP_TYPE_DISK_SIZE","features":[471]},{"name":"CLUSPROP_TYPE_ENDMARK","features":[471]},{"name":"CLUSPROP_TYPE_FTSET_INFO","features":[471]},{"name":"CLUSPROP_TYPE_LIST_VALUE","features":[471]},{"name":"CLUSPROP_TYPE_NAME","features":[471]},{"name":"CLUSPROP_TYPE_PARTITION_INFO","features":[471]},{"name":"CLUSPROP_TYPE_PARTITION_INFO_EX","features":[471]},{"name":"CLUSPROP_TYPE_PARTITION_INFO_EX2","features":[471]},{"name":"CLUSPROP_TYPE_RESCLASS","features":[471]},{"name":"CLUSPROP_TYPE_RESERVED1","features":[471]},{"name":"CLUSPROP_TYPE_SCSI_ADDRESS","features":[471]},{"name":"CLUSPROP_TYPE_SIGNATURE","features":[471]},{"name":"CLUSPROP_TYPE_STORAGE_DEVICE_ID_DESCRIPTOR","features":[471]},{"name":"CLUSPROP_TYPE_UNKNOWN","features":[471]},{"name":"CLUSPROP_TYPE_USER","features":[471]},{"name":"CLUSPROP_ULARGE_INTEGER","features":[471]},{"name":"CLUSPROP_VALUE","features":[471]},{"name":"CLUSPROP_WORD","features":[471]},{"name":"CLUSREG_COMMAND_NONE","features":[471]},{"name":"CLUSREG_CONDITION_EXISTS","features":[471]},{"name":"CLUSREG_CONDITION_IS_EQUAL","features":[471]},{"name":"CLUSREG_CONDITION_IS_GREATER_THAN","features":[471]},{"name":"CLUSREG_CONDITION_IS_LESS_THAN","features":[471]},{"name":"CLUSREG_CONDITION_IS_NOT_EQUAL","features":[471]},{"name":"CLUSREG_CONDITION_KEY_EXISTS","features":[471]},{"name":"CLUSREG_CONDITION_KEY_NOT_EXISTS","features":[471]},{"name":"CLUSREG_CONDITION_NOT_EXISTS","features":[471]},{"name":"CLUSREG_CONTROL_COMMAND","features":[471]},{"name":"CLUSREG_CREATE_KEY","features":[471]},{"name":"CLUSREG_DATABASE_ISOLATE_READ","features":[471]},{"name":"CLUSREG_DATABASE_SYNC_WRITE_TO_ALL_NODES","features":[471]},{"name":"CLUSREG_DELETE_KEY","features":[471]},{"name":"CLUSREG_DELETE_VALUE","features":[471]},{"name":"CLUSREG_KEYNAME_OBJECTGUIDS","features":[471]},{"name":"CLUSREG_LAST_COMMAND","features":[471]},{"name":"CLUSREG_NAME_AFFINITYRULE_ENABLED","features":[471]},{"name":"CLUSREG_NAME_AFFINITYRULE_GROUPS","features":[471]},{"name":"CLUSREG_NAME_AFFINITYRULE_NAME","features":[471]},{"name":"CLUSREG_NAME_AFFINITYRULE_TYPE","features":[471]},{"name":"CLUSREG_NAME_CLOUDWITNESS_ACCOUNT_NAME","features":[471]},{"name":"CLUSREG_NAME_CLOUDWITNESS_CONTAINER_NAME","features":[471]},{"name":"CLUSREG_NAME_CLOUDWITNESS_ENDPOINT_INFO","features":[471]},{"name":"CLUSREG_NAME_CLOUDWITNESS_PRIMARY_KEY","features":[471]},{"name":"CLUSREG_NAME_CLOUDWITNESS_PRIMARY_TOKEN","features":[471]},{"name":"CLUSREG_NAME_CLUS_DEFAULT_NETWORK_ROLE","features":[471]},{"name":"CLUSREG_NAME_CLUS_DESC","features":[471]},{"name":"CLUSREG_NAME_CLUS_SD","features":[471]},{"name":"CLUSREG_NAME_CROSS_SITE_DELAY","features":[471]},{"name":"CLUSREG_NAME_CROSS_SITE_THRESHOLD","features":[471]},{"name":"CLUSREG_NAME_CROSS_SUBNET_DELAY","features":[471]},{"name":"CLUSREG_NAME_CROSS_SUBNET_THRESHOLD","features":[471]},{"name":"CLUSREG_NAME_CSV_BLOCK_CACHE","features":[471]},{"name":"CLUSREG_NAME_CSV_MDS_SD","features":[471]},{"name":"CLUSREG_NAME_DATABASE_READ_WRITE_MODE","features":[471]},{"name":"CLUSREG_NAME_DDA_DEVICE_ALLOCATIONS","features":[471]},{"name":"CLUSREG_NAME_DHCP_BACKUP_PATH","features":[471]},{"name":"CLUSREG_NAME_DHCP_DATABASE_PATH","features":[471]},{"name":"CLUSREG_NAME_DRAIN_ON_SHUTDOWN","features":[471]},{"name":"CLUSREG_NAME_ENABLED_EVENT_LOGS","features":[471]},{"name":"CLUSREG_NAME_FAILOVER_MOVE_MIGRATION_TYPE","features":[471]},{"name":"CLUSREG_NAME_FILESHR_CA_TIMEOUT","features":[471]},{"name":"CLUSREG_NAME_FILESHR_HIDE_SUBDIR_SHARES","features":[471]},{"name":"CLUSREG_NAME_FILESHR_IS_DFS_ROOT","features":[471]},{"name":"CLUSREG_NAME_FILESHR_MAX_USERS","features":[471]},{"name":"CLUSREG_NAME_FILESHR_PATH","features":[471]},{"name":"CLUSREG_NAME_FILESHR_QOS_FLOWSCOPE","features":[471]},{"name":"CLUSREG_NAME_FILESHR_QOS_POLICYID","features":[471]},{"name":"CLUSREG_NAME_FILESHR_REMARK","features":[471]},{"name":"CLUSREG_NAME_FILESHR_SD","features":[471]},{"name":"CLUSREG_NAME_FILESHR_SERVER_NAME","features":[471]},{"name":"CLUSREG_NAME_FILESHR_SHARE_FLAGS","features":[471]},{"name":"CLUSREG_NAME_FILESHR_SHARE_NAME","features":[471]},{"name":"CLUSREG_NAME_FILESHR_SHARE_SUBDIRS","features":[471]},{"name":"CLUSREG_NAME_FIXQUORUM","features":[471]},{"name":"CLUSREG_NAME_FSWITNESS_ARB_DELAY","features":[471]},{"name":"CLUSREG_NAME_FSWITNESS_IMPERSONATE_CNO","features":[471]},{"name":"CLUSREG_NAME_FSWITNESS_SHARE_PATH","features":[471]},{"name":"CLUSREG_NAME_FUNCTIONAL_LEVEL","features":[471]},{"name":"CLUSREG_NAME_GENAPP_COMMAND_LINE","features":[471]},{"name":"CLUSREG_NAME_GENAPP_CURRENT_DIRECTORY","features":[471]},{"name":"CLUSREG_NAME_GENAPP_USE_NETWORK_NAME","features":[471]},{"name":"CLUSREG_NAME_GENSCRIPT_SCRIPT_FILEPATH","features":[471]},{"name":"CLUSREG_NAME_GENSVC_SERVICE_NAME","features":[471]},{"name":"CLUSREG_NAME_GENSVC_STARTUP_PARAMS","features":[471]},{"name":"CLUSREG_NAME_GENSVC_USE_NETWORK_NAME","features":[471]},{"name":"CLUSREG_NAME_GPUP_DEVICE_ALLOCATIONS","features":[471]},{"name":"CLUSREG_NAME_GROUPSET_AVAILABILITY_SET_INDEX_TO_NODE_MAPPING","features":[471]},{"name":"CLUSREG_NAME_GROUPSET_FAULT_DOMAINS","features":[471]},{"name":"CLUSREG_NAME_GROUPSET_IS_AVAILABILITY_SET","features":[471]},{"name":"CLUSREG_NAME_GROUPSET_IS_GLOBAL","features":[471]},{"name":"CLUSREG_NAME_GROUPSET_NAME","features":[471]},{"name":"CLUSREG_NAME_GROUPSET_RESERVE_NODE","features":[471]},{"name":"CLUSREG_NAME_GROUPSET_STARTUP_COUNT","features":[471]},{"name":"CLUSREG_NAME_GROUPSET_STARTUP_DELAY","features":[471]},{"name":"CLUSREG_NAME_GROUPSET_STARTUP_SETTING","features":[471]},{"name":"CLUSREG_NAME_GROUPSET_STATUS_INFORMATION","features":[471]},{"name":"CLUSREG_NAME_GROUPSET_UPDATE_DOMAINS","features":[471]},{"name":"CLUSREG_NAME_GROUP_DEPENDENCY_TIMEOUT","features":[471]},{"name":"CLUSREG_NAME_GRP_ANTI_AFFINITY_CLASS_NAME","features":[471]},{"name":"CLUSREG_NAME_GRP_CCF_EPOCH","features":[471]},{"name":"CLUSREG_NAME_GRP_CCF_EPOCH_HIGH","features":[471]},{"name":"CLUSREG_NAME_GRP_COLD_START_SETTING","features":[471]},{"name":"CLUSREG_NAME_GRP_DEFAULT_OWNER","features":[471]},{"name":"CLUSREG_NAME_GRP_DESC","features":[471]},{"name":"CLUSREG_NAME_GRP_FAILBACK_TYPE","features":[471]},{"name":"CLUSREG_NAME_GRP_FAILBACK_WIN_END","features":[471]},{"name":"CLUSREG_NAME_GRP_FAILBACK_WIN_START","features":[471]},{"name":"CLUSREG_NAME_GRP_FAILOVER_PERIOD","features":[471]},{"name":"CLUSREG_NAME_GRP_FAILOVER_THRESHOLD","features":[471]},{"name":"CLUSREG_NAME_GRP_FAULT_DOMAIN","features":[471]},{"name":"CLUSREG_NAME_GRP_LOCK_MOVE","features":[471]},{"name":"CLUSREG_NAME_GRP_NAME","features":[471]},{"name":"CLUSREG_NAME_GRP_PERSISTENT_STATE","features":[471]},{"name":"CLUSREG_NAME_GRP_PLACEMENT_OPTIONS","features":[471]},{"name":"CLUSREG_NAME_GRP_PREFERRED_SITE","features":[471]},{"name":"CLUSREG_NAME_GRP_PRIORITY","features":[471]},{"name":"CLUSREG_NAME_GRP_RESILIENCY_PERIOD","features":[471]},{"name":"CLUSREG_NAME_GRP_START_DELAY","features":[471]},{"name":"CLUSREG_NAME_GRP_STATUS_INFORMATION","features":[471]},{"name":"CLUSREG_NAME_GRP_TYPE","features":[471]},{"name":"CLUSREG_NAME_GRP_UPDATE_DOMAIN","features":[471]},{"name":"CLUSREG_NAME_IGNORE_PERSISTENT_STATE","features":[471]},{"name":"CLUSREG_NAME_IPADDR_ADDRESS","features":[471]},{"name":"CLUSREG_NAME_IPADDR_DHCP_ADDRESS","features":[471]},{"name":"CLUSREG_NAME_IPADDR_DHCP_SERVER","features":[471]},{"name":"CLUSREG_NAME_IPADDR_DHCP_SUBNET_MASK","features":[471]},{"name":"CLUSREG_NAME_IPADDR_ENABLE_DHCP","features":[471]},{"name":"CLUSREG_NAME_IPADDR_ENABLE_NETBIOS","features":[471]},{"name":"CLUSREG_NAME_IPADDR_LEASE_OBTAINED_TIME","features":[471]},{"name":"CLUSREG_NAME_IPADDR_LEASE_TERMINATES_TIME","features":[471]},{"name":"CLUSREG_NAME_IPADDR_NETWORK","features":[471]},{"name":"CLUSREG_NAME_IPADDR_OVERRIDE_ADDRMATCH","features":[471]},{"name":"CLUSREG_NAME_IPADDR_PROBE_FAILURE_THRESHOLD","features":[471]},{"name":"CLUSREG_NAME_IPADDR_PROBE_PORT","features":[471]},{"name":"CLUSREG_NAME_IPADDR_SHARED_NETNAME","features":[471]},{"name":"CLUSREG_NAME_IPADDR_SUBNET_MASK","features":[471]},{"name":"CLUSREG_NAME_IPADDR_T1","features":[471]},{"name":"CLUSREG_NAME_IPADDR_T2","features":[471]},{"name":"CLUSREG_NAME_IPV6_NATIVE_ADDRESS","features":[471]},{"name":"CLUSREG_NAME_IPV6_NATIVE_NETWORK","features":[471]},{"name":"CLUSREG_NAME_IPV6_NATIVE_PREFIX_LENGTH","features":[471]},{"name":"CLUSREG_NAME_IPV6_TUNNEL_ADDRESS","features":[471]},{"name":"CLUSREG_NAME_IPV6_TUNNEL_TUNNELTYPE","features":[471]},{"name":"CLUSREG_NAME_LAST_RECENT_EVENTS_RESET_TIME","features":[471]},{"name":"CLUSREG_NAME_LOG_FILE_PATH","features":[471]},{"name":"CLUSREG_NAME_MESSAGE_BUFFER_LENGTH","features":[471]},{"name":"CLUSREG_NAME_MIXED_MODE","features":[471]},{"name":"CLUSREG_NAME_NETFT_IPSEC_ENABLED","features":[471]},{"name":"CLUSREG_NAME_NETIFACE_ADAPTER_ID","features":[471]},{"name":"CLUSREG_NAME_NETIFACE_ADAPTER_NAME","features":[471]},{"name":"CLUSREG_NAME_NETIFACE_ADDRESS","features":[471]},{"name":"CLUSREG_NAME_NETIFACE_DESC","features":[471]},{"name":"CLUSREG_NAME_NETIFACE_DHCP_ENABLED","features":[471]},{"name":"CLUSREG_NAME_NETIFACE_IPV4_ADDRESSES","features":[471]},{"name":"CLUSREG_NAME_NETIFACE_IPV6_ADDRESSES","features":[471]},{"name":"CLUSREG_NAME_NETIFACE_NAME","features":[471]},{"name":"CLUSREG_NAME_NETIFACE_NETWORK","features":[471]},{"name":"CLUSREG_NAME_NETIFACE_NODE","features":[471]},{"name":"CLUSREG_NAME_NETNAME_AD_AWARE","features":[471]},{"name":"CLUSREG_NAME_NETNAME_ALIASES","features":[471]},{"name":"CLUSREG_NAME_NETNAME_CONTAINERGUID","features":[471]},{"name":"CLUSREG_NAME_NETNAME_CREATING_DC","features":[471]},{"name":"CLUSREG_NAME_NETNAME_DNN_DISABLE_CLONES","features":[471]},{"name":"CLUSREG_NAME_NETNAME_DNS_NAME","features":[471]},{"name":"CLUSREG_NAME_NETNAME_DNS_SUFFIX","features":[471]},{"name":"CLUSREG_NAME_NETNAME_EXCLUDE_NETWORKS","features":[471]},{"name":"CLUSREG_NAME_NETNAME_HOST_TTL","features":[471]},{"name":"CLUSREG_NAME_NETNAME_IN_USE_NETWORKS","features":[471]},{"name":"CLUSREG_NAME_NETNAME_LAST_DNS_UPDATE","features":[471]},{"name":"CLUSREG_NAME_NETNAME_NAME","features":[471]},{"name":"CLUSREG_NAME_NETNAME_OBJECT_ID","features":[471]},{"name":"CLUSREG_NAME_NETNAME_PUBLISH_PTR","features":[471]},{"name":"CLUSREG_NAME_NETNAME_REGISTER_ALL_IP","features":[471]},{"name":"CLUSREG_NAME_NETNAME_REMAP_PIPE_NAMES","features":[471]},{"name":"CLUSREG_NAME_NETNAME_REMOVEVCO_ONDELETE","features":[471]},{"name":"CLUSREG_NAME_NETNAME_RESOURCE_DATA","features":[471]},{"name":"CLUSREG_NAME_NETNAME_STATUS_DNS","features":[471]},{"name":"CLUSREG_NAME_NETNAME_STATUS_KERBEROS","features":[471]},{"name":"CLUSREG_NAME_NETNAME_STATUS_NETBIOS","features":[471]},{"name":"CLUSREG_NAME_NETNAME_VCO_CONTAINER","features":[471]},{"name":"CLUSREG_NAME_NET_ADDRESS","features":[471]},{"name":"CLUSREG_NAME_NET_ADDRESS_MASK","features":[471]},{"name":"CLUSREG_NAME_NET_AUTOMETRIC","features":[471]},{"name":"CLUSREG_NAME_NET_DESC","features":[471]},{"name":"CLUSREG_NAME_NET_IPV4_ADDRESSES","features":[471]},{"name":"CLUSREG_NAME_NET_IPV4_PREFIXLENGTHS","features":[471]},{"name":"CLUSREG_NAME_NET_IPV6_ADDRESSES","features":[471]},{"name":"CLUSREG_NAME_NET_IPV6_PREFIXLENGTHS","features":[471]},{"name":"CLUSREG_NAME_NET_METRIC","features":[471]},{"name":"CLUSREG_NAME_NET_NAME","features":[471]},{"name":"CLUSREG_NAME_NET_RDMA_CAPABLE","features":[471]},{"name":"CLUSREG_NAME_NET_ROLE","features":[471]},{"name":"CLUSREG_NAME_NET_RSS_CAPABLE","features":[471]},{"name":"CLUSREG_NAME_NET_SPEED","features":[471]},{"name":"CLUSREG_NAME_NODE_BUILD_NUMBER","features":[471]},{"name":"CLUSREG_NAME_NODE_CSDVERSION","features":[471]},{"name":"CLUSREG_NAME_NODE_DESC","features":[471]},{"name":"CLUSREG_NAME_NODE_DRAIN_STATUS","features":[471]},{"name":"CLUSREG_NAME_NODE_DRAIN_TARGET","features":[471]},{"name":"CLUSREG_NAME_NODE_DYNAMIC_WEIGHT","features":[471]},{"name":"CLUSREG_NAME_NODE_FAULT_DOMAIN","features":[471]},{"name":"CLUSREG_NAME_NODE_FDID","features":[471]},{"name":"CLUSREG_NAME_NODE_HIGHEST_VERSION","features":[471]},{"name":"CLUSREG_NAME_NODE_IS_PRIMARY","features":[471]},{"name":"CLUSREG_NAME_NODE_LOWEST_VERSION","features":[471]},{"name":"CLUSREG_NAME_NODE_MAJOR_VERSION","features":[471]},{"name":"CLUSREG_NAME_NODE_MANUFACTURER","features":[471]},{"name":"CLUSREG_NAME_NODE_MINOR_VERSION","features":[471]},{"name":"CLUSREG_NAME_NODE_MODEL","features":[471]},{"name":"CLUSREG_NAME_NODE_NAME","features":[471]},{"name":"CLUSREG_NAME_NODE_NEEDS_PQ","features":[471]},{"name":"CLUSREG_NAME_NODE_SERIALNUMBER","features":[471]},{"name":"CLUSREG_NAME_NODE_STATUS_INFO","features":[471]},{"name":"CLUSREG_NAME_NODE_UNIQUEID","features":[471]},{"name":"CLUSREG_NAME_NODE_WEIGHT","features":[471]},{"name":"CLUSREG_NAME_PHYSDISK_CSVBLOCKCACHE","features":[471]},{"name":"CLUSREG_NAME_PHYSDISK_CSVSNAPSHOTAGELIMIT","features":[471]},{"name":"CLUSREG_NAME_PHYSDISK_CSVSNAPSHOTDIFFAREASIZE","features":[471]},{"name":"CLUSREG_NAME_PHYSDISK_CSVWRITETHROUGH","features":[471]},{"name":"CLUSREG_NAME_PHYSDISK_DISKARBINTERVAL","features":[471]},{"name":"CLUSREG_NAME_PHYSDISK_DISKARBTYPE","features":[471]},{"name":"CLUSREG_NAME_PHYSDISK_DISKGUID","features":[471]},{"name":"CLUSREG_NAME_PHYSDISK_DISKIDGUID","features":[471]},{"name":"CLUSREG_NAME_PHYSDISK_DISKIDTYPE","features":[471]},{"name":"CLUSREG_NAME_PHYSDISK_DISKIODELAY","features":[471]},{"name":"CLUSREG_NAME_PHYSDISK_DISKPATH","features":[471]},{"name":"CLUSREG_NAME_PHYSDISK_DISKRECOVERYACTION","features":[471]},{"name":"CLUSREG_NAME_PHYSDISK_DISKRELOAD","features":[471]},{"name":"CLUSREG_NAME_PHYSDISK_DISKRUNCHKDSK","features":[471]},{"name":"CLUSREG_NAME_PHYSDISK_DISKSIGNATURE","features":[471]},{"name":"CLUSREG_NAME_PHYSDISK_DISKUNIQUEIDS","features":[471]},{"name":"CLUSREG_NAME_PHYSDISK_DISKVOLUMEINFO","features":[471]},{"name":"CLUSREG_NAME_PHYSDISK_FASTONLINEARBITRATE","features":[471]},{"name":"CLUSREG_NAME_PHYSDISK_MAINTMODE","features":[471]},{"name":"CLUSREG_NAME_PHYSDISK_MIGRATEFIXUP","features":[471]},{"name":"CLUSREG_NAME_PHYSDISK_SPACEIDGUID","features":[471]},{"name":"CLUSREG_NAME_PHYSDISK_VOLSNAPACTIVATETIMEOUT","features":[471]},{"name":"CLUSREG_NAME_PLACEMENT_OPTIONS","features":[471]},{"name":"CLUSREG_NAME_PLUMB_ALL_CROSS_SUBNET_ROUTES","features":[471]},{"name":"CLUSREG_NAME_PREVENTQUORUM","features":[471]},{"name":"CLUSREG_NAME_PRTSPOOL_DEFAULT_SPOOL_DIR","features":[471]},{"name":"CLUSREG_NAME_PRTSPOOL_TIMEOUT","features":[471]},{"name":"CLUSREG_NAME_QUARANTINE_DURATION","features":[471]},{"name":"CLUSREG_NAME_QUARANTINE_THRESHOLD","features":[471]},{"name":"CLUSREG_NAME_QUORUM_ARBITRATION_TIMEOUT","features":[471]},{"name":"CLUSREG_NAME_RESILIENCY_DEFAULT_SECONDS","features":[471]},{"name":"CLUSREG_NAME_RESILIENCY_LEVEL","features":[471]},{"name":"CLUSREG_NAME_RESTYPE_ADMIN_EXTENSIONS","features":[471]},{"name":"CLUSREG_NAME_RESTYPE_DEADLOCK_TIMEOUT","features":[471]},{"name":"CLUSREG_NAME_RESTYPE_DESC","features":[471]},{"name":"CLUSREG_NAME_RESTYPE_DLL_NAME","features":[471]},{"name":"CLUSREG_NAME_RESTYPE_DUMP_LOG_QUERY","features":[471]},{"name":"CLUSREG_NAME_RESTYPE_DUMP_POLICY","features":[471]},{"name":"CLUSREG_NAME_RESTYPE_DUMP_SERVICES","features":[471]},{"name":"CLUSREG_NAME_RESTYPE_ENABLED_EVENT_LOGS","features":[471]},{"name":"CLUSREG_NAME_RESTYPE_IS_ALIVE","features":[471]},{"name":"CLUSREG_NAME_RESTYPE_LOOKS_ALIVE","features":[471]},{"name":"CLUSREG_NAME_RESTYPE_MAX_MONITORS","features":[471]},{"name":"CLUSREG_NAME_RESTYPE_NAME","features":[471]},{"name":"CLUSREG_NAME_RESTYPE_PENDING_TIMEOUT","features":[471]},{"name":"CLUSREG_NAME_RESTYPE_WPR_PROFILES","features":[471]},{"name":"CLUSREG_NAME_RESTYPE_WPR_START_AFTER","features":[471]},{"name":"CLUSREG_NAME_RES_DATA1","features":[471]},{"name":"CLUSREG_NAME_RES_DATA2","features":[471]},{"name":"CLUSREG_NAME_RES_DEADLOCK_TIMEOUT","features":[471]},{"name":"CLUSREG_NAME_RES_DESC","features":[471]},{"name":"CLUSREG_NAME_RES_EMBEDDED_FAILURE_ACTION","features":[471]},{"name":"CLUSREG_NAME_RES_IS_ALIVE","features":[471]},{"name":"CLUSREG_NAME_RES_LAST_OPERATION_STATUS_CODE","features":[471]},{"name":"CLUSREG_NAME_RES_LOOKS_ALIVE","features":[471]},{"name":"CLUSREG_NAME_RES_MONITOR_PID","features":[471]},{"name":"CLUSREG_NAME_RES_NAME","features":[471]},{"name":"CLUSREG_NAME_RES_PENDING_TIMEOUT","features":[471]},{"name":"CLUSREG_NAME_RES_PERSISTENT_STATE","features":[471]},{"name":"CLUSREG_NAME_RES_RESTART_ACTION","features":[471]},{"name":"CLUSREG_NAME_RES_RESTART_DELAY","features":[471]},{"name":"CLUSREG_NAME_RES_RESTART_PERIOD","features":[471]},{"name":"CLUSREG_NAME_RES_RESTART_THRESHOLD","features":[471]},{"name":"CLUSREG_NAME_RES_RETRY_PERIOD_ON_FAILURE","features":[471]},{"name":"CLUSREG_NAME_RES_SEPARATE_MONITOR","features":[471]},{"name":"CLUSREG_NAME_RES_STATUS","features":[471]},{"name":"CLUSREG_NAME_RES_STATUS_INFORMATION","features":[471]},{"name":"CLUSREG_NAME_RES_TYPE","features":[471]},{"name":"CLUSREG_NAME_ROUTE_HISTORY_LENGTH","features":[471]},{"name":"CLUSREG_NAME_SAME_SUBNET_DELAY","features":[471]},{"name":"CLUSREG_NAME_SAME_SUBNET_THRESHOLD","features":[471]},{"name":"CLUSREG_NAME_SHUTDOWN_TIMEOUT_MINUTES","features":[471]},{"name":"CLUSREG_NAME_SOFS_SMBASYMMETRYMODE","features":[471]},{"name":"CLUSREG_NAME_START_MEMORY","features":[471]},{"name":"CLUSREG_NAME_STORAGESPACE_DESCRIPTION","features":[471]},{"name":"CLUSREG_NAME_STORAGESPACE_HEALTH","features":[471]},{"name":"CLUSREG_NAME_STORAGESPACE_NAME","features":[471]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLARBITRATE","features":[471]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLCONSUMEDCAPACITY","features":[471]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLDESC","features":[471]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLDRIVEIDS","features":[471]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLHEALTH","features":[471]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLIDGUID","features":[471]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLNAME","features":[471]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLQUORUMSHARE","features":[471]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLQUORUMUSERACCOUNT","features":[471]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLREEVALTIMEOUT","features":[471]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLSTATE","features":[471]},{"name":"CLUSREG_NAME_STORAGESPACE_POOLTOTALCAPACITY","features":[471]},{"name":"CLUSREG_NAME_STORAGESPACE_PROVISIONING","features":[471]},{"name":"CLUSREG_NAME_STORAGESPACE_RESILIENCYCOLUMNS","features":[471]},{"name":"CLUSREG_NAME_STORAGESPACE_RESILIENCYINTERLEAVE","features":[471]},{"name":"CLUSREG_NAME_STORAGESPACE_RESILIENCYTYPE","features":[471]},{"name":"CLUSREG_NAME_STORAGESPACE_STATE","features":[471]},{"name":"CLUSREG_NAME_UPGRADE_VERSION","features":[471]},{"name":"CLUSREG_NAME_VIP_ADAPTER_NAME","features":[471]},{"name":"CLUSREG_NAME_VIP_ADDRESS","features":[471]},{"name":"CLUSREG_NAME_VIP_PREFIX_LENGTH","features":[471]},{"name":"CLUSREG_NAME_VIP_RDID","features":[471]},{"name":"CLUSREG_NAME_VIP_VSID","features":[471]},{"name":"CLUSREG_NAME_VIRTUAL_NUMA_COUNT","features":[471]},{"name":"CLUSREG_NAME_VSSTASK_APPNAME","features":[471]},{"name":"CLUSREG_NAME_VSSTASK_APPPARAMS","features":[471]},{"name":"CLUSREG_NAME_VSSTASK_CURRENTDIRECTORY","features":[471]},{"name":"CLUSREG_NAME_VSSTASK_TRIGGERARRAY","features":[471]},{"name":"CLUSREG_NAME_WINS_BACKUP_PATH","features":[471]},{"name":"CLUSREG_NAME_WINS_DATABASE_PATH","features":[471]},{"name":"CLUSREG_NAME_WITNESS_DYNAMIC_WEIGHT","features":[471]},{"name":"CLUSREG_READ_ERROR","features":[471]},{"name":"CLUSREG_READ_KEY","features":[471]},{"name":"CLUSREG_READ_VALUE","features":[471]},{"name":"CLUSREG_SET_KEY_SECURITY","features":[471]},{"name":"CLUSREG_SET_VALUE","features":[471]},{"name":"CLUSREG_VALUE_DELETED","features":[471]},{"name":"CLUSRESDLL_STATUS_DO_NOT_COLLECT_WER_REPORT","features":[471]},{"name":"CLUSRESDLL_STATUS_DUMP_NOW","features":[471]},{"name":"CLUSRESDLL_STATUS_INSUFFICIENT_MEMORY","features":[471]},{"name":"CLUSRESDLL_STATUS_INSUFFICIENT_OTHER_RESOURCES","features":[471]},{"name":"CLUSRESDLL_STATUS_INSUFFICIENT_PROCESSOR","features":[471]},{"name":"CLUSRESDLL_STATUS_INVALID_PARAMETERS","features":[471]},{"name":"CLUSRESDLL_STATUS_NETWORK_NOT_AVAILABLE","features":[471]},{"name":"CLUSRESDLL_STATUS_OFFLINE_BUSY","features":[471]},{"name":"CLUSRESDLL_STATUS_OFFLINE_DESTINATION_REJECTED","features":[471]},{"name":"CLUSRESDLL_STATUS_OFFLINE_DESTINATION_THROTTLED","features":[471]},{"name":"CLUSRESDLL_STATUS_OFFLINE_SOURCE_THROTTLED","features":[471]},{"name":"CLUSRES_DISABLE_WPR_WATCHDOG_FOR_OFFLINE_CALLS","features":[471]},{"name":"CLUSRES_DISABLE_WPR_WATCHDOG_FOR_ONLINE_CALLS","features":[471]},{"name":"CLUSRES_NAME_GET_OPERATION_CONTEXT_FLAGS","features":[471]},{"name":"CLUSRES_STATUS_APPLICATION_READY","features":[471]},{"name":"CLUSRES_STATUS_EMBEDDED_FAILURE","features":[471]},{"name":"CLUSRES_STATUS_FAILED_DUE_TO_INSUFFICIENT_CPU","features":[471]},{"name":"CLUSRES_STATUS_FAILED_DUE_TO_INSUFFICIENT_GENERIC_RESOURCES","features":[471]},{"name":"CLUSRES_STATUS_FAILED_DUE_TO_INSUFFICIENT_MEMORY","features":[471]},{"name":"CLUSRES_STATUS_LOCKED_MODE","features":[471]},{"name":"CLUSRES_STATUS_NETWORK_FAILURE","features":[471]},{"name":"CLUSRES_STATUS_OFFLINE_NOT_LOCAL_DISK_OWNER","features":[471]},{"name":"CLUSRES_STATUS_OS_HEARTBEAT","features":[471]},{"name":"CLUSRES_STATUS_UNMONITORED","features":[471]},{"name":"CLUSTERSET_OBJECT_TYPE","features":[471]},{"name":"CLUSTERSET_OBJECT_TYPE_DATABASE","features":[471]},{"name":"CLUSTERSET_OBJECT_TYPE_MEMBER","features":[471]},{"name":"CLUSTERSET_OBJECT_TYPE_NONE","features":[471]},{"name":"CLUSTERSET_OBJECT_TYPE_WORKLOAD","features":[471]},{"name":"CLUSTERVERSIONINFO","features":[471]},{"name":"CLUSTERVERSIONINFO_NT4","features":[471]},{"name":"CLUSTER_ADD_EVICT_DELAY","features":[471]},{"name":"CLUSTER_AVAILABILITY_SET_CONFIG","features":[308,471]},{"name":"CLUSTER_AVAILABILITY_SET_CONFIG_V1","features":[471]},{"name":"CLUSTER_BATCH_COMMAND","features":[471]},{"name":"CLUSTER_CHANGE","features":[471]},{"name":"CLUSTER_CHANGE_ALL","features":[471]},{"name":"CLUSTER_CHANGE_CLUSTER_ALL_V2","features":[471]},{"name":"CLUSTER_CHANGE_CLUSTER_COMMON_PROPERTY_V2","features":[471]},{"name":"CLUSTER_CHANGE_CLUSTER_GROUP_ADDED_V2","features":[471]},{"name":"CLUSTER_CHANGE_CLUSTER_HANDLE_CLOSE_V2","features":[471]},{"name":"CLUSTER_CHANGE_CLUSTER_LOST_NOTIFICATIONS_V2","features":[471]},{"name":"CLUSTER_CHANGE_CLUSTER_MEMBERSHIP_V2","features":[471]},{"name":"CLUSTER_CHANGE_CLUSTER_NETWORK_ADDED_V2","features":[471]},{"name":"CLUSTER_CHANGE_CLUSTER_NODE_ADDED_V2","features":[471]},{"name":"CLUSTER_CHANGE_CLUSTER_PRIVATE_PROPERTY_V2","features":[471]},{"name":"CLUSTER_CHANGE_CLUSTER_PROPERTY","features":[471]},{"name":"CLUSTER_CHANGE_CLUSTER_RECONNECT","features":[471]},{"name":"CLUSTER_CHANGE_CLUSTER_RECONNECT_V2","features":[471]},{"name":"CLUSTER_CHANGE_CLUSTER_RENAME_V2","features":[471]},{"name":"CLUSTER_CHANGE_CLUSTER_RESOURCE_TYPE_ADDED_V2","features":[471]},{"name":"CLUSTER_CHANGE_CLUSTER_STATE","features":[471]},{"name":"CLUSTER_CHANGE_CLUSTER_STATE_V2","features":[471]},{"name":"CLUSTER_CHANGE_CLUSTER_UPGRADED_V2","features":[471]},{"name":"CLUSTER_CHANGE_CLUSTER_V2","features":[471]},{"name":"CLUSTER_CHANGE_GROUPSET_ALL_V2","features":[471]},{"name":"CLUSTER_CHANGE_GROUPSET_COMMON_PROPERTY_V2","features":[471]},{"name":"CLUSTER_CHANGE_GROUPSET_DELETED_v2","features":[471]},{"name":"CLUSTER_CHANGE_GROUPSET_DEPENDENCIES_V2","features":[471]},{"name":"CLUSTER_CHANGE_GROUPSET_DEPENDENTS_V2","features":[471]},{"name":"CLUSTER_CHANGE_GROUPSET_GROUP_ADDED","features":[471]},{"name":"CLUSTER_CHANGE_GROUPSET_GROUP_REMOVED","features":[471]},{"name":"CLUSTER_CHANGE_GROUPSET_HANDLE_CLOSE_v2","features":[471]},{"name":"CLUSTER_CHANGE_GROUPSET_PRIVATE_PROPERTY_V2","features":[471]},{"name":"CLUSTER_CHANGE_GROUPSET_STATE_V2","features":[471]},{"name":"CLUSTER_CHANGE_GROUPSET_V2","features":[471]},{"name":"CLUSTER_CHANGE_GROUP_ADDED","features":[471]},{"name":"CLUSTER_CHANGE_GROUP_ALL_V2","features":[471]},{"name":"CLUSTER_CHANGE_GROUP_COMMON_PROPERTY_V2","features":[471]},{"name":"CLUSTER_CHANGE_GROUP_DELETED","features":[471]},{"name":"CLUSTER_CHANGE_GROUP_DELETED_V2","features":[471]},{"name":"CLUSTER_CHANGE_GROUP_HANDLE_CLOSE_V2","features":[471]},{"name":"CLUSTER_CHANGE_GROUP_OWNER_NODE_V2","features":[471]},{"name":"CLUSTER_CHANGE_GROUP_PREFERRED_OWNERS_V2","features":[471]},{"name":"CLUSTER_CHANGE_GROUP_PRIVATE_PROPERTY_V2","features":[471]},{"name":"CLUSTER_CHANGE_GROUP_PROPERTY","features":[471]},{"name":"CLUSTER_CHANGE_GROUP_RESOURCE_ADDED_V2","features":[471]},{"name":"CLUSTER_CHANGE_GROUP_RESOURCE_GAINED_V2","features":[471]},{"name":"CLUSTER_CHANGE_GROUP_RESOURCE_LOST_V2","features":[471]},{"name":"CLUSTER_CHANGE_GROUP_STATE","features":[471]},{"name":"CLUSTER_CHANGE_GROUP_STATE_V2","features":[471]},{"name":"CLUSTER_CHANGE_GROUP_V2","features":[471]},{"name":"CLUSTER_CHANGE_HANDLE_CLOSE","features":[471]},{"name":"CLUSTER_CHANGE_NETINTERFACE_ADDED","features":[471]},{"name":"CLUSTER_CHANGE_NETINTERFACE_ALL_V2","features":[471]},{"name":"CLUSTER_CHANGE_NETINTERFACE_COMMON_PROPERTY_V2","features":[471]},{"name":"CLUSTER_CHANGE_NETINTERFACE_DELETED","features":[471]},{"name":"CLUSTER_CHANGE_NETINTERFACE_DELETED_V2","features":[471]},{"name":"CLUSTER_CHANGE_NETINTERFACE_HANDLE_CLOSE_V2","features":[471]},{"name":"CLUSTER_CHANGE_NETINTERFACE_PRIVATE_PROPERTY_V2","features":[471]},{"name":"CLUSTER_CHANGE_NETINTERFACE_PROPERTY","features":[471]},{"name":"CLUSTER_CHANGE_NETINTERFACE_STATE","features":[471]},{"name":"CLUSTER_CHANGE_NETINTERFACE_STATE_V2","features":[471]},{"name":"CLUSTER_CHANGE_NETINTERFACE_V2","features":[471]},{"name":"CLUSTER_CHANGE_NETWORK_ADDED","features":[471]},{"name":"CLUSTER_CHANGE_NETWORK_ALL_V2","features":[471]},{"name":"CLUSTER_CHANGE_NETWORK_COMMON_PROPERTY_V2","features":[471]},{"name":"CLUSTER_CHANGE_NETWORK_DELETED","features":[471]},{"name":"CLUSTER_CHANGE_NETWORK_DELETED_V2","features":[471]},{"name":"CLUSTER_CHANGE_NETWORK_HANDLE_CLOSE_V2","features":[471]},{"name":"CLUSTER_CHANGE_NETWORK_PRIVATE_PROPERTY_V2","features":[471]},{"name":"CLUSTER_CHANGE_NETWORK_PROPERTY","features":[471]},{"name":"CLUSTER_CHANGE_NETWORK_STATE","features":[471]},{"name":"CLUSTER_CHANGE_NETWORK_STATE_V2","features":[471]},{"name":"CLUSTER_CHANGE_NETWORK_V2","features":[471]},{"name":"CLUSTER_CHANGE_NODE_ADDED","features":[471]},{"name":"CLUSTER_CHANGE_NODE_ALL_V2","features":[471]},{"name":"CLUSTER_CHANGE_NODE_COMMON_PROPERTY_V2","features":[471]},{"name":"CLUSTER_CHANGE_NODE_DELETED","features":[471]},{"name":"CLUSTER_CHANGE_NODE_DELETED_V2","features":[471]},{"name":"CLUSTER_CHANGE_NODE_GROUP_GAINED_V2","features":[471]},{"name":"CLUSTER_CHANGE_NODE_GROUP_LOST_V2","features":[471]},{"name":"CLUSTER_CHANGE_NODE_HANDLE_CLOSE_V2","features":[471]},{"name":"CLUSTER_CHANGE_NODE_NETINTERFACE_ADDED_V2","features":[471]},{"name":"CLUSTER_CHANGE_NODE_PRIVATE_PROPERTY_V2","features":[471]},{"name":"CLUSTER_CHANGE_NODE_PROPERTY","features":[471]},{"name":"CLUSTER_CHANGE_NODE_STATE","features":[471]},{"name":"CLUSTER_CHANGE_NODE_STATE_V2","features":[471]},{"name":"CLUSTER_CHANGE_NODE_UPGRADE_PHASE_V2","features":[471]},{"name":"CLUSTER_CHANGE_NODE_V2","features":[471]},{"name":"CLUSTER_CHANGE_QUORUM_ALL_V2","features":[471]},{"name":"CLUSTER_CHANGE_QUORUM_STATE","features":[471]},{"name":"CLUSTER_CHANGE_QUORUM_STATE_V2","features":[471]},{"name":"CLUSTER_CHANGE_QUORUM_V2","features":[471]},{"name":"CLUSTER_CHANGE_REGISTRY_ALL_V2","features":[471]},{"name":"CLUSTER_CHANGE_REGISTRY_ATTRIBUTES","features":[471]},{"name":"CLUSTER_CHANGE_REGISTRY_ATTRIBUTES_V2","features":[471]},{"name":"CLUSTER_CHANGE_REGISTRY_HANDLE_CLOSE_V2","features":[471]},{"name":"CLUSTER_CHANGE_REGISTRY_NAME","features":[471]},{"name":"CLUSTER_CHANGE_REGISTRY_NAME_V2","features":[471]},{"name":"CLUSTER_CHANGE_REGISTRY_SUBTREE","features":[471]},{"name":"CLUSTER_CHANGE_REGISTRY_SUBTREE_V2","features":[471]},{"name":"CLUSTER_CHANGE_REGISTRY_V2","features":[471]},{"name":"CLUSTER_CHANGE_REGISTRY_VALUE","features":[471]},{"name":"CLUSTER_CHANGE_REGISTRY_VALUE_V2","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_ADDED","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_ALL_V2","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_COMMON_PROPERTY_V2","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_DELETED","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_DELETED_V2","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_DEPENDENCIES_V2","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_DEPENDENTS_V2","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_DLL_UPGRADED_V2","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_HANDLE_CLOSE_V2","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_OWNER_GROUP_V2","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_POSSIBLE_OWNERS_V2","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_PRIVATE_PROPERTY_V2","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_PROPERTY","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_STATE","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_STATE_V2","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_TERMINAL_STATE_V2","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_TYPE_ADDED","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_TYPE_ALL_V2","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_TYPE_COMMON_PROPERTY_V2","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_TYPE_DELETED","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_TYPE_DELETED_V2","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_TYPE_DLL_UPGRADED_V2","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_TYPE_POSSIBLE_OWNERS_V2","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_TYPE_PRIVATE_PROPERTY_V2","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_TYPE_PROPERTY","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_TYPE_V2","features":[471]},{"name":"CLUSTER_CHANGE_RESOURCE_V2","features":[471]},{"name":"CLUSTER_CHANGE_SHARED_VOLUME_ADDED_V2","features":[471]},{"name":"CLUSTER_CHANGE_SHARED_VOLUME_ALL_V2","features":[471]},{"name":"CLUSTER_CHANGE_SHARED_VOLUME_REMOVED_V2","features":[471]},{"name":"CLUSTER_CHANGE_SHARED_VOLUME_STATE_V2","features":[471]},{"name":"CLUSTER_CHANGE_SHARED_VOLUME_V2","features":[471]},{"name":"CLUSTER_CHANGE_SPACEPORT_CUSTOM_PNP_V2","features":[471]},{"name":"CLUSTER_CHANGE_SPACEPORT_V2","features":[471]},{"name":"CLUSTER_CHANGE_UPGRADE_ALL","features":[471]},{"name":"CLUSTER_CHANGE_UPGRADE_NODE_COMMIT","features":[471]},{"name":"CLUSTER_CHANGE_UPGRADE_NODE_POSTCOMMIT","features":[471]},{"name":"CLUSTER_CHANGE_UPGRADE_NODE_PREPARE","features":[471]},{"name":"CLUSTER_CLOUD_TYPE","features":[471]},{"name":"CLUSTER_CLOUD_TYPE_AZURE","features":[471]},{"name":"CLUSTER_CLOUD_TYPE_MIXED","features":[471]},{"name":"CLUSTER_CLOUD_TYPE_NONE","features":[471]},{"name":"CLUSTER_CLOUD_TYPE_UNKNOWN","features":[471]},{"name":"CLUSTER_CONFIGURED","features":[471]},{"name":"CLUSTER_CONTROL_OBJECT","features":[471]},{"name":"CLUSTER_CREATE_GROUP_INFO","features":[471]},{"name":"CLUSTER_CREATE_GROUP_INFO_VERSION","features":[471]},{"name":"CLUSTER_CREATE_GROUP_INFO_VERSION_1","features":[471]},{"name":"CLUSTER_CSA_VSS_STATE","features":[471]},{"name":"CLUSTER_CSV_COMPATIBLE_FILTERS","features":[471]},{"name":"CLUSTER_CSV_INCOMPATIBLE_FILTERS","features":[471]},{"name":"CLUSTER_CSV_VOLUME_FAULT_STATE","features":[471]},{"name":"CLUSTER_DELETE_ACCESS_CONTROL_ENTRY","features":[471]},{"name":"CLUSTER_ENFORCED_ANTIAFFINITY","features":[471]},{"name":"CLUSTER_ENUM","features":[471]},{"name":"CLUSTER_ENUM_ALL","features":[471]},{"name":"CLUSTER_ENUM_GROUP","features":[471]},{"name":"CLUSTER_ENUM_INTERNAL_NETWORK","features":[471]},{"name":"CLUSTER_ENUM_ITEM","features":[471]},{"name":"CLUSTER_ENUM_ITEM_VERSION","features":[471]},{"name":"CLUSTER_ENUM_ITEM_VERSION_1","features":[471]},{"name":"CLUSTER_ENUM_NETINTERFACE","features":[471]},{"name":"CLUSTER_ENUM_NETWORK","features":[471]},{"name":"CLUSTER_ENUM_NODE","features":[471]},{"name":"CLUSTER_ENUM_RESOURCE","features":[471]},{"name":"CLUSTER_ENUM_RESTYPE","features":[471]},{"name":"CLUSTER_ENUM_SHARED_VOLUME_GROUP","features":[471]},{"name":"CLUSTER_ENUM_SHARED_VOLUME_RESOURCE","features":[471]},{"name":"CLUSTER_GROUP_AUTOFAILBACK_TYPE","features":[471]},{"name":"CLUSTER_GROUP_ENUM","features":[471]},{"name":"CLUSTER_GROUP_ENUM_ALL","features":[471]},{"name":"CLUSTER_GROUP_ENUM_CONTAINS","features":[471]},{"name":"CLUSTER_GROUP_ENUM_ITEM","features":[471]},{"name":"CLUSTER_GROUP_ENUM_ITEM_VERSION","features":[471]},{"name":"CLUSTER_GROUP_ENUM_ITEM_VERSION_1","features":[471]},{"name":"CLUSTER_GROUP_ENUM_NODES","features":[471]},{"name":"CLUSTER_GROUP_PRIORITY","features":[471]},{"name":"CLUSTER_GROUP_STATE","features":[471]},{"name":"CLUSTER_GROUP_WAIT_DELAY","features":[471]},{"name":"CLUSTER_HANG_RECOVERY_ACTION_KEYNAME","features":[471]},{"name":"CLUSTER_HANG_TIMEOUT_KEYNAME","features":[471]},{"name":"CLUSTER_HEALTH_FAULT","features":[471]},{"name":"CLUSTER_HEALTH_FAULT_ARGS","features":[471]},{"name":"CLUSTER_HEALTH_FAULT_ARRAY","features":[471]},{"name":"CLUSTER_HEALTH_FAULT_DESCRIPTION","features":[471]},{"name":"CLUSTER_HEALTH_FAULT_DESCRIPTION_LABEL","features":[471]},{"name":"CLUSTER_HEALTH_FAULT_ERRORCODE","features":[471]},{"name":"CLUSTER_HEALTH_FAULT_ERRORCODE_LABEL","features":[471]},{"name":"CLUSTER_HEALTH_FAULT_ERRORTYPE","features":[471]},{"name":"CLUSTER_HEALTH_FAULT_ERRORTYPE_LABEL","features":[471]},{"name":"CLUSTER_HEALTH_FAULT_FLAGS","features":[471]},{"name":"CLUSTER_HEALTH_FAULT_FLAGS_LABEL","features":[471]},{"name":"CLUSTER_HEALTH_FAULT_ID","features":[471]},{"name":"CLUSTER_HEALTH_FAULT_ID_LABEL","features":[471]},{"name":"CLUSTER_HEALTH_FAULT_PROPERTY_NAME","features":[471]},{"name":"CLUSTER_HEALTH_FAULT_PROVIDER","features":[471]},{"name":"CLUSTER_HEALTH_FAULT_PROVIDER_LABEL","features":[471]},{"name":"CLUSTER_HEALTH_FAULT_RESERVED","features":[471]},{"name":"CLUSTER_HEALTH_FAULT_RESERVED_LABEL","features":[471]},{"name":"CLUSTER_INSTALLED","features":[471]},{"name":"CLUSTER_IP_ENTRY","features":[471]},{"name":"CLUSTER_MEMBERSHIP_INFO","features":[308,471]},{"name":"CLUSTER_MGMT_POINT_RESTYPE","features":[471]},{"name":"CLUSTER_MGMT_POINT_RESTYPE_AUTO","features":[471]},{"name":"CLUSTER_MGMT_POINT_RESTYPE_DNN","features":[471]},{"name":"CLUSTER_MGMT_POINT_RESTYPE_SNN","features":[471]},{"name":"CLUSTER_MGMT_POINT_TYPE","features":[471]},{"name":"CLUSTER_MGMT_POINT_TYPE_CNO","features":[471]},{"name":"CLUSTER_MGMT_POINT_TYPE_CNO_ONLY","features":[471]},{"name":"CLUSTER_MGMT_POINT_TYPE_DNS_ONLY","features":[471]},{"name":"CLUSTER_MGMT_POINT_TYPE_NONE","features":[471]},{"name":"CLUSTER_NAME_AUTO_BALANCER_LEVEL","features":[471]},{"name":"CLUSTER_NAME_AUTO_BALANCER_MODE","features":[471]},{"name":"CLUSTER_NAME_PREFERRED_SITE","features":[471]},{"name":"CLUSTER_NETINTERFACE_STATE","features":[471]},{"name":"CLUSTER_NETWORK_ENUM","features":[471]},{"name":"CLUSTER_NETWORK_ENUM_ALL","features":[471]},{"name":"CLUSTER_NETWORK_ENUM_NETINTERFACES","features":[471]},{"name":"CLUSTER_NETWORK_ROLE","features":[471]},{"name":"CLUSTER_NETWORK_STATE","features":[471]},{"name":"CLUSTER_NODE_DRAIN_STATUS","features":[471]},{"name":"CLUSTER_NODE_ENUM","features":[471]},{"name":"CLUSTER_NODE_ENUM_ALL","features":[471]},{"name":"CLUSTER_NODE_ENUM_GROUPS","features":[471]},{"name":"CLUSTER_NODE_ENUM_NETINTERFACES","features":[471]},{"name":"CLUSTER_NODE_ENUM_PREFERRED_GROUPS","features":[471]},{"name":"CLUSTER_NODE_RESUME_FAILBACK_TYPE","features":[471]},{"name":"CLUSTER_NODE_STATE","features":[471]},{"name":"CLUSTER_NODE_STATUS","features":[471]},{"name":"CLUSTER_NOTIFICATIONS_V1","features":[471]},{"name":"CLUSTER_NOTIFICATIONS_V2","features":[471]},{"name":"CLUSTER_NOTIFICATIONS_VERSION","features":[471]},{"name":"CLUSTER_OBJECT_TYPE","features":[471]},{"name":"CLUSTER_OBJECT_TYPE_AFFINITYRULE","features":[471]},{"name":"CLUSTER_OBJECT_TYPE_CLUSTER","features":[471]},{"name":"CLUSTER_OBJECT_TYPE_FAULTDOMAIN","features":[471]},{"name":"CLUSTER_OBJECT_TYPE_GROUP","features":[471]},{"name":"CLUSTER_OBJECT_TYPE_GROUPSET","features":[471]},{"name":"CLUSTER_OBJECT_TYPE_NETWORK","features":[471]},{"name":"CLUSTER_OBJECT_TYPE_NETWORK_INTERFACE","features":[471]},{"name":"CLUSTER_OBJECT_TYPE_NODE","features":[471]},{"name":"CLUSTER_OBJECT_TYPE_NONE","features":[471]},{"name":"CLUSTER_OBJECT_TYPE_QUORUM","features":[471]},{"name":"CLUSTER_OBJECT_TYPE_REGISTRY","features":[471]},{"name":"CLUSTER_OBJECT_TYPE_RESOURCE","features":[471]},{"name":"CLUSTER_OBJECT_TYPE_RESOURCE_TYPE","features":[471]},{"name":"CLUSTER_OBJECT_TYPE_SHARED_VOLUME","features":[471]},{"name":"CLUSTER_PROPERTY_FORMAT","features":[471]},{"name":"CLUSTER_PROPERTY_SYNTAX","features":[471]},{"name":"CLUSTER_PROPERTY_TYPE","features":[471]},{"name":"CLUSTER_QUORUM_LOST","features":[471]},{"name":"CLUSTER_QUORUM_MAINTAINED","features":[471]},{"name":"CLUSTER_QUORUM_TYPE","features":[471]},{"name":"CLUSTER_QUORUM_VALUE","features":[471]},{"name":"CLUSTER_READ_BATCH_COMMAND","features":[471]},{"name":"CLUSTER_REG_COMMAND","features":[471]},{"name":"CLUSTER_REQUEST_REPLY_TIMEOUT","features":[471]},{"name":"CLUSTER_RESOURCE_APPLICATION_STATE","features":[471]},{"name":"CLUSTER_RESOURCE_CLASS","features":[471]},{"name":"CLUSTER_RESOURCE_CREATE_FLAGS","features":[471]},{"name":"CLUSTER_RESOURCE_DEFAULT_MONITOR","features":[471]},{"name":"CLUSTER_RESOURCE_EMBEDDED_FAILURE_ACTION","features":[471]},{"name":"CLUSTER_RESOURCE_ENUM","features":[471]},{"name":"CLUSTER_RESOURCE_ENUM_ALL","features":[471]},{"name":"CLUSTER_RESOURCE_ENUM_DEPENDS","features":[471]},{"name":"CLUSTER_RESOURCE_ENUM_ITEM","features":[471]},{"name":"CLUSTER_RESOURCE_ENUM_ITEM_VERSION","features":[471]},{"name":"CLUSTER_RESOURCE_ENUM_ITEM_VERSION_1","features":[471]},{"name":"CLUSTER_RESOURCE_ENUM_NODES","features":[471]},{"name":"CLUSTER_RESOURCE_ENUM_PROVIDES","features":[471]},{"name":"CLUSTER_RESOURCE_RESTART_ACTION","features":[471]},{"name":"CLUSTER_RESOURCE_SEPARATE_MONITOR","features":[471]},{"name":"CLUSTER_RESOURCE_STATE","features":[471]},{"name":"CLUSTER_RESOURCE_STATE_CHANGE_REASON","features":[471]},{"name":"CLUSTER_RESOURCE_TYPE_ENUM","features":[471]},{"name":"CLUSTER_RESOURCE_TYPE_ENUM_ALL","features":[471]},{"name":"CLUSTER_RESOURCE_TYPE_ENUM_NODES","features":[471]},{"name":"CLUSTER_RESOURCE_TYPE_ENUM_RESOURCES","features":[471]},{"name":"CLUSTER_RESOURCE_TYPE_SPECIFIC_V2","features":[471]},{"name":"CLUSTER_RESOURCE_VALID_FLAGS","features":[471]},{"name":"CLUSTER_ROLE","features":[471]},{"name":"CLUSTER_ROLE_STATE","features":[471]},{"name":"CLUSTER_RUNNING","features":[471]},{"name":"CLUSTER_S2D_BUS_TYPES","features":[471]},{"name":"CLUSTER_S2D_CACHE_BEHAVIOR_FLAGS","features":[471]},{"name":"CLUSTER_S2D_CACHE_DESIRED_STATE","features":[471]},{"name":"CLUSTER_S2D_CACHE_FLASH_RESERVE_PERCENT","features":[471]},{"name":"CLUSTER_S2D_CACHE_METADATA_RESERVE","features":[471]},{"name":"CLUSTER_S2D_CACHE_PAGE_SIZE_KBYTES","features":[471]},{"name":"CLUSTER_S2D_ENABLED","features":[471]},{"name":"CLUSTER_S2D_IO_LATENCY_THRESHOLD","features":[471]},{"name":"CLUSTER_S2D_OPTIMIZATIONS","features":[471]},{"name":"CLUSTER_SETUP_PHASE","features":[471]},{"name":"CLUSTER_SETUP_PHASE_SEVERITY","features":[471]},{"name":"CLUSTER_SETUP_PHASE_TYPE","features":[471]},{"name":"CLUSTER_SET_ACCESS_TYPE_ALLOWED","features":[471]},{"name":"CLUSTER_SET_ACCESS_TYPE_DENIED","features":[471]},{"name":"CLUSTER_SET_PASSWORD_STATUS","features":[308,471]},{"name":"CLUSTER_SHARED_VOLUMES_ROOT","features":[471]},{"name":"CLUSTER_SHARED_VOLUME_BACKUP_STATE","features":[471]},{"name":"CLUSTER_SHARED_VOLUME_RENAME_GUID_INPUT","features":[471]},{"name":"CLUSTER_SHARED_VOLUME_RENAME_INPUT","features":[471]},{"name":"CLUSTER_SHARED_VOLUME_RENAME_INPUT_GUID_NAME","features":[471]},{"name":"CLUSTER_SHARED_VOLUME_RENAME_INPUT_NAME","features":[471]},{"name":"CLUSTER_SHARED_VOLUME_RENAME_INPUT_TYPE","features":[471]},{"name":"CLUSTER_SHARED_VOLUME_RENAME_INPUT_VOLUME","features":[471]},{"name":"CLUSTER_SHARED_VOLUME_SNAPSHOT_STATE","features":[471]},{"name":"CLUSTER_SHARED_VOLUME_STATE","features":[471]},{"name":"CLUSTER_SHARED_VOLUME_STATE_INFO","features":[471]},{"name":"CLUSTER_SHARED_VOLUME_STATE_INFO_EX","features":[471]},{"name":"CLUSTER_SHARED_VOLUME_VSS_WRITER_OPERATION_TIMEOUT","features":[471]},{"name":"CLUSTER_STORAGENODE_STATE","features":[471]},{"name":"CLUSTER_UPGRADE_PHASE","features":[471]},{"name":"CLUSTER_VALIDATE_CSV_FILENAME","features":[471]},{"name":"CLUSTER_VALIDATE_DIRECTORY","features":[471]},{"name":"CLUSTER_VALIDATE_NETNAME","features":[471]},{"name":"CLUSTER_VALIDATE_PATH","features":[471]},{"name":"CLUSTER_VERSION_FLAG_MIXED_MODE","features":[471]},{"name":"CLUSTER_VERSION_UNKNOWN","features":[471]},{"name":"CLUSTER_WITNESS_DATABASE_WRITE_TIMEOUT","features":[471]},{"name":"CLUSTER_WITNESS_FAILED_RESTART_INTERVAL","features":[471]},{"name":"CLUS_ACCESS_ANY","features":[471]},{"name":"CLUS_ACCESS_READ","features":[471]},{"name":"CLUS_ACCESS_WRITE","features":[471]},{"name":"CLUS_AFFINITY_RULE_DIFFERENT_FAULT_DOMAIN","features":[471]},{"name":"CLUS_AFFINITY_RULE_DIFFERENT_NODE","features":[471]},{"name":"CLUS_AFFINITY_RULE_MAX","features":[471]},{"name":"CLUS_AFFINITY_RULE_MIN","features":[471]},{"name":"CLUS_AFFINITY_RULE_NONE","features":[471]},{"name":"CLUS_AFFINITY_RULE_SAME_FAULT_DOMAIN","features":[471]},{"name":"CLUS_AFFINITY_RULE_SAME_NODE","features":[471]},{"name":"CLUS_AFFINITY_RULE_TYPE","features":[471]},{"name":"CLUS_CHARACTERISTICS","features":[471]},{"name":"CLUS_CHAR_BROADCAST_DELETE","features":[471]},{"name":"CLUS_CHAR_CLONES","features":[471]},{"name":"CLUS_CHAR_COEXIST_IN_SHARED_VOLUME_GROUP","features":[471]},{"name":"CLUS_CHAR_DELETE_REQUIRES_ALL_NODES","features":[471]},{"name":"CLUS_CHAR_DRAIN_LOCAL_OFFLINE","features":[471]},{"name":"CLUS_CHAR_INFRASTRUCTURE","features":[471]},{"name":"CLUS_CHAR_LOCAL_QUORUM","features":[471]},{"name":"CLUS_CHAR_LOCAL_QUORUM_DEBUG","features":[471]},{"name":"CLUS_CHAR_MONITOR_DETACH","features":[471]},{"name":"CLUS_CHAR_MONITOR_REATTACH","features":[471]},{"name":"CLUS_CHAR_NOTIFY_NEW_OWNER","features":[471]},{"name":"CLUS_CHAR_NOT_PREEMPTABLE","features":[471]},{"name":"CLUS_CHAR_OPERATION_CONTEXT","features":[471]},{"name":"CLUS_CHAR_PLACEMENT_DATA","features":[471]},{"name":"CLUS_CHAR_QUORUM","features":[471]},{"name":"CLUS_CHAR_REQUIRES_STATE_CHANGE_REASON","features":[471]},{"name":"CLUS_CHAR_SINGLE_CLUSTER_INSTANCE","features":[471]},{"name":"CLUS_CHAR_SINGLE_GROUP_INSTANCE","features":[471]},{"name":"CLUS_CHAR_SUPPORTS_UNMONITORED_STATE","features":[471]},{"name":"CLUS_CHAR_UNKNOWN","features":[471]},{"name":"CLUS_CHAR_VETO_DRAIN","features":[471]},{"name":"CLUS_CHKDSK_INFO","features":[471]},{"name":"CLUS_CREATE_CRYPT_CONTAINER_NOT_FOUND","features":[471]},{"name":"CLUS_CREATE_INFRASTRUCTURE_FILESERVER_INPUT","features":[471]},{"name":"CLUS_CREATE_INFRASTRUCTURE_FILESERVER_OUTPUT","features":[471]},{"name":"CLUS_CSV_MAINTENANCE_MODE_INFO","features":[308,471]},{"name":"CLUS_CSV_VOLUME_INFO","features":[471]},{"name":"CLUS_CSV_VOLUME_NAME","features":[471]},{"name":"CLUS_DISK_NUMBER_INFO","features":[471]},{"name":"CLUS_DNN_LEADER_STATUS","features":[308,471]},{"name":"CLUS_DNN_SODAFS_CLONE_STATUS","features":[471]},{"name":"CLUS_FLAGS","features":[471]},{"name":"CLUS_FLAG_CORE","features":[471]},{"name":"CLUS_FORCE_QUORUM_INFO","features":[471]},{"name":"CLUS_FTSET_INFO","features":[471]},{"name":"CLUS_GLOBAL","features":[471]},{"name":"CLUS_GROUP_DO_NOT_START","features":[471]},{"name":"CLUS_GROUP_START_ALLOWED","features":[471]},{"name":"CLUS_GROUP_START_ALWAYS","features":[471]},{"name":"CLUS_GROUP_START_SETTING","features":[471]},{"name":"CLUS_GRP_MOVE_ALLOWED","features":[471]},{"name":"CLUS_GRP_MOVE_LOCKED","features":[471]},{"name":"CLUS_HYBRID_QUORUM","features":[471]},{"name":"CLUS_MAINTENANCE_MODE_INFO","features":[308,471]},{"name":"CLUS_MAINTENANCE_MODE_INFOEX","features":[308,471]},{"name":"CLUS_MODIFY","features":[471]},{"name":"CLUS_NAME_RES_TYPE_CLUSTER_GROUPID","features":[471]},{"name":"CLUS_NAME_RES_TYPE_DATA_RESID","features":[471]},{"name":"CLUS_NAME_RES_TYPE_LOG_MULTIPLE","features":[471]},{"name":"CLUS_NAME_RES_TYPE_LOG_RESID","features":[471]},{"name":"CLUS_NAME_RES_TYPE_LOG_VOLUME","features":[471]},{"name":"CLUS_NAME_RES_TYPE_MINIMUM_LOG_SIZE","features":[471]},{"name":"CLUS_NAME_RES_TYPE_REPLICATION_GROUPID","features":[471]},{"name":"CLUS_NAME_RES_TYPE_REPLICATION_GROUP_TYPE","features":[471]},{"name":"CLUS_NAME_RES_TYPE_SOURCE_RESID","features":[471]},{"name":"CLUS_NAME_RES_TYPE_SOURCE_VOLUMES","features":[471]},{"name":"CLUS_NAME_RES_TYPE_TARGET_RESID","features":[471]},{"name":"CLUS_NAME_RES_TYPE_TARGET_VOLUMES","features":[471]},{"name":"CLUS_NAME_RES_TYPE_UNIT_LOG_SIZE_CHANGE","features":[471]},{"name":"CLUS_NETNAME_IP_INFO_ENTRY","features":[471]},{"name":"CLUS_NETNAME_IP_INFO_FOR_MULTICHANNEL","features":[471]},{"name":"CLUS_NETNAME_PWD_INFO","features":[471]},{"name":"CLUS_NETNAME_PWD_INFOEX","features":[471]},{"name":"CLUS_NETNAME_VS_TOKEN_INFO","features":[308,471]},{"name":"CLUS_NODE_MAJORITY_QUORUM","features":[471]},{"name":"CLUS_NOT_GLOBAL","features":[471]},{"name":"CLUS_NO_MODIFY","features":[471]},{"name":"CLUS_OBJECT_AFFINITYRULE","features":[471]},{"name":"CLUS_OBJECT_CLUSTER","features":[471]},{"name":"CLUS_OBJECT_GROUP","features":[471]},{"name":"CLUS_OBJECT_GROUPSET","features":[471]},{"name":"CLUS_OBJECT_INVALID","features":[471]},{"name":"CLUS_OBJECT_NETINTERFACE","features":[471]},{"name":"CLUS_OBJECT_NETWORK","features":[471]},{"name":"CLUS_OBJECT_NODE","features":[471]},{"name":"CLUS_OBJECT_RESOURCE","features":[471]},{"name":"CLUS_OBJECT_RESOURCE_TYPE","features":[471]},{"name":"CLUS_OBJECT_USER","features":[471]},{"name":"CLUS_PARTITION_INFO","features":[471]},{"name":"CLUS_PARTITION_INFO_EX","features":[471]},{"name":"CLUS_PARTITION_INFO_EX2","features":[471]},{"name":"CLUS_PROVIDER_STATE_CHANGE_INFO","features":[471]},{"name":"CLUS_RESCLASS_NETWORK","features":[471]},{"name":"CLUS_RESCLASS_STORAGE","features":[471]},{"name":"CLUS_RESCLASS_UNKNOWN","features":[471]},{"name":"CLUS_RESCLASS_USER","features":[471]},{"name":"CLUS_RESDLL_OFFLINE_DO_NOT_UPDATE_PERSISTENT_STATE","features":[471]},{"name":"CLUS_RESDLL_OFFLINE_DUE_TO_EMBEDDED_FAILURE","features":[471]},{"name":"CLUS_RESDLL_OFFLINE_IGNORE_NETWORK_CONNECTIVITY","features":[471]},{"name":"CLUS_RESDLL_OFFLINE_IGNORE_RESOURCE_STATUS","features":[471]},{"name":"CLUS_RESDLL_OFFLINE_QUEUE_ENABLED","features":[471]},{"name":"CLUS_RESDLL_OFFLINE_RETURNING_TO_SOURCE_NODE_BECAUSE_OF_ERROR","features":[471]},{"name":"CLUS_RESDLL_OFFLINE_RETURN_TO_SOURCE_NODE_ON_ERROR","features":[471]},{"name":"CLUS_RESDLL_ONLINE_IGNORE_NETWORK_CONNECTIVITY","features":[471]},{"name":"CLUS_RESDLL_ONLINE_IGNORE_RESOURCE_STATUS","features":[471]},{"name":"CLUS_RESDLL_ONLINE_RECOVER_MONITOR_STATE","features":[471]},{"name":"CLUS_RESDLL_ONLINE_RESTORE_ONLINE_STATE","features":[471]},{"name":"CLUS_RESDLL_ONLINE_RETURN_TO_SOURCE_NODE_ON_ERROR","features":[471]},{"name":"CLUS_RESDLL_OPEN_DONT_DELETE_TEMP_DISK","features":[471]},{"name":"CLUS_RESDLL_OPEN_RECOVER_MONITOR_STATE","features":[471]},{"name":"CLUS_RESOURCE_CLASS_INFO","features":[471]},{"name":"CLUS_RESSUBCLASS","features":[471]},{"name":"CLUS_RESSUBCLASS_NETWORK","features":[471]},{"name":"CLUS_RESSUBCLASS_NETWORK_INTERNET_PROTOCOL","features":[471]},{"name":"CLUS_RESSUBCLASS_SHARED","features":[471]},{"name":"CLUS_RESSUBCLASS_STORAGE","features":[471]},{"name":"CLUS_RESSUBCLASS_STORAGE_DISK","features":[471]},{"name":"CLUS_RESSUBCLASS_STORAGE_REPLICATION","features":[471]},{"name":"CLUS_RESSUBCLASS_STORAGE_SHARED_BUS","features":[471]},{"name":"CLUS_RESTYPE_NAME_CAU","features":[471]},{"name":"CLUS_RESTYPE_NAME_CLOUD_WITNESS","features":[471]},{"name":"CLUS_RESTYPE_NAME_CONTAINER","features":[471]},{"name":"CLUS_RESTYPE_NAME_CROSS_CLUSTER","features":[471]},{"name":"CLUS_RESTYPE_NAME_DFS","features":[471]},{"name":"CLUS_RESTYPE_NAME_DFSR","features":[471]},{"name":"CLUS_RESTYPE_NAME_DHCP","features":[471]},{"name":"CLUS_RESTYPE_NAME_DNN","features":[471]},{"name":"CLUS_RESTYPE_NAME_FILESERVER","features":[471]},{"name":"CLUS_RESTYPE_NAME_FILESHR","features":[471]},{"name":"CLUS_RESTYPE_NAME_FSWITNESS","features":[471]},{"name":"CLUS_RESTYPE_NAME_GENAPP","features":[471]},{"name":"CLUS_RESTYPE_NAME_GENSCRIPT","features":[471]},{"name":"CLUS_RESTYPE_NAME_GENSVC","features":[471]},{"name":"CLUS_RESTYPE_NAME_HARDDISK","features":[471]},{"name":"CLUS_RESTYPE_NAME_HCSVM","features":[471]},{"name":"CLUS_RESTYPE_NAME_HEALTH_SERVICE","features":[471]},{"name":"CLUS_RESTYPE_NAME_IPADDR","features":[471]},{"name":"CLUS_RESTYPE_NAME_IPV6_NATIVE","features":[471]},{"name":"CLUS_RESTYPE_NAME_IPV6_TUNNEL","features":[471]},{"name":"CLUS_RESTYPE_NAME_ISCSITARGET","features":[471]},{"name":"CLUS_RESTYPE_NAME_ISNS","features":[471]},{"name":"CLUS_RESTYPE_NAME_MSDTC","features":[471]},{"name":"CLUS_RESTYPE_NAME_MSMQ","features":[471]},{"name":"CLUS_RESTYPE_NAME_MSMQ_TRIGGER","features":[471]},{"name":"CLUS_RESTYPE_NAME_NAT","features":[471]},{"name":"CLUS_RESTYPE_NAME_NETNAME","features":[471]},{"name":"CLUS_RESTYPE_NAME_NETWORK_FILE_SYSTEM","features":[471]},{"name":"CLUS_RESTYPE_NAME_NEW_MSMQ","features":[471]},{"name":"CLUS_RESTYPE_NAME_NFS","features":[471]},{"name":"CLUS_RESTYPE_NAME_NFS_MSNS","features":[471]},{"name":"CLUS_RESTYPE_NAME_NFS_V2","features":[471]},{"name":"CLUS_RESTYPE_NAME_NV_PROVIDER_ADDRESS","features":[471]},{"name":"CLUS_RESTYPE_NAME_PHYS_DISK","features":[471]},{"name":"CLUS_RESTYPE_NAME_PRTSPLR","features":[471]},{"name":"CLUS_RESTYPE_NAME_SCALEOUT_MASTER","features":[471]},{"name":"CLUS_RESTYPE_NAME_SCALEOUT_WORKER","features":[471]},{"name":"CLUS_RESTYPE_NAME_SDDC_MANAGEMENT","features":[471]},{"name":"CLUS_RESTYPE_NAME_SODAFILESERVER","features":[471]},{"name":"CLUS_RESTYPE_NAME_STORAGE_POLICIES","features":[471]},{"name":"CLUS_RESTYPE_NAME_STORAGE_POOL","features":[471]},{"name":"CLUS_RESTYPE_NAME_STORAGE_REPLICA","features":[471]},{"name":"CLUS_RESTYPE_NAME_STORQOS","features":[471]},{"name":"CLUS_RESTYPE_NAME_TASKSCHEDULER","features":[471]},{"name":"CLUS_RESTYPE_NAME_VIRTUAL_IPV4","features":[471]},{"name":"CLUS_RESTYPE_NAME_VIRTUAL_IPV6","features":[471]},{"name":"CLUS_RESTYPE_NAME_VM","features":[471]},{"name":"CLUS_RESTYPE_NAME_VMREPLICA_BROKER","features":[471]},{"name":"CLUS_RESTYPE_NAME_VMREPLICA_COORDINATOR","features":[471]},{"name":"CLUS_RESTYPE_NAME_VM_CONFIG","features":[471]},{"name":"CLUS_RESTYPE_NAME_VM_WMI","features":[471]},{"name":"CLUS_RESTYPE_NAME_VSSTASK","features":[471]},{"name":"CLUS_RESTYPE_NAME_WINS","features":[471]},{"name":"CLUS_RES_NAME_SCALEOUT_MASTER","features":[471]},{"name":"CLUS_RES_NAME_SCALEOUT_WORKER","features":[471]},{"name":"CLUS_SCSI_ADDRESS","features":[471]},{"name":"CLUS_SET_MAINTENANCE_MODE_INPUT","features":[308,471]},{"name":"CLUS_SHARED_VOLUME_BACKUP_MODE","features":[471]},{"name":"CLUS_STARTING_PARAMS","features":[308,471]},{"name":"CLUS_STORAGE_GET_AVAILABLE_DRIVELETTERS","features":[471]},{"name":"CLUS_STORAGE_REMAP_DRIVELETTER","features":[471]},{"name":"CLUS_STORAGE_SET_DRIVELETTER","features":[471]},{"name":"CLUS_WORKER","features":[308,471]},{"name":"CREATEDC_PRESENT","features":[471]},{"name":"CREATE_CLUSTER_CONFIG","features":[308,471]},{"name":"CREATE_CLUSTER_MAJOR_VERSION_MASK","features":[471]},{"name":"CREATE_CLUSTER_NAME_ACCOUNT","features":[308,471]},{"name":"CREATE_CLUSTER_VERSION","features":[471]},{"name":"CTCTL_GET_FAULT_DOMAIN_STATE","features":[471]},{"name":"CTCTL_GET_ROUTESTATUS_BASIC","features":[471]},{"name":"CTCTL_GET_ROUTESTATUS_EXTENDED","features":[471]},{"name":"CanResourceBeDependent","features":[308,471]},{"name":"CancelClusterGroupOperation","features":[471]},{"name":"ChangeClusterResourceGroup","features":[471]},{"name":"ChangeClusterResourceGroupEx","features":[471]},{"name":"ChangeClusterResourceGroupEx2","features":[471]},{"name":"CloseCluster","features":[308,471]},{"name":"CloseClusterCryptProvider","features":[471]},{"name":"CloseClusterGroup","features":[308,471]},{"name":"CloseClusterGroupSet","features":[308,471]},{"name":"CloseClusterNetInterface","features":[308,471]},{"name":"CloseClusterNetwork","features":[308,471]},{"name":"CloseClusterNode","features":[308,471]},{"name":"CloseClusterNotifyPort","features":[308,471]},{"name":"CloseClusterResource","features":[308,471]},{"name":"ClusAddClusterHealthFault","features":[471]},{"name":"ClusApplication","features":[471]},{"name":"ClusCryptoKeys","features":[471]},{"name":"ClusDisk","features":[471]},{"name":"ClusDisks","features":[471]},{"name":"ClusGetClusterHealthFaults","features":[471]},{"name":"ClusGroupTypeAvailableStorage","features":[471]},{"name":"ClusGroupTypeClusterUpdateAgent","features":[471]},{"name":"ClusGroupTypeCoreCluster","features":[471]},{"name":"ClusGroupTypeCoreSddc","features":[471]},{"name":"ClusGroupTypeCrossClusterOrchestrator","features":[471]},{"name":"ClusGroupTypeDhcpServer","features":[471]},{"name":"ClusGroupTypeDtc","features":[471]},{"name":"ClusGroupTypeFileServer","features":[471]},{"name":"ClusGroupTypeGenericApplication","features":[471]},{"name":"ClusGroupTypeGenericScript","features":[471]},{"name":"ClusGroupTypeGenericService","features":[471]},{"name":"ClusGroupTypeIScsiNameService","features":[471]},{"name":"ClusGroupTypeIScsiTarget","features":[471]},{"name":"ClusGroupTypeInfrastructureFileServer","features":[471]},{"name":"ClusGroupTypeMsmq","features":[471]},{"name":"ClusGroupTypePrintServer","features":[471]},{"name":"ClusGroupTypeScaleoutCluster","features":[471]},{"name":"ClusGroupTypeScaleoutFileServer","features":[471]},{"name":"ClusGroupTypeSharedVolume","features":[471]},{"name":"ClusGroupTypeStandAloneDfs","features":[471]},{"name":"ClusGroupTypeStoragePool","features":[471]},{"name":"ClusGroupTypeStorageReplica","features":[471]},{"name":"ClusGroupTypeTaskScheduler","features":[471]},{"name":"ClusGroupTypeTemporary","features":[471]},{"name":"ClusGroupTypeTsSessionBroker","features":[471]},{"name":"ClusGroupTypeUnknown","features":[471]},{"name":"ClusGroupTypeVMReplicaBroker","features":[471]},{"name":"ClusGroupTypeVMReplicaCoordinator","features":[471]},{"name":"ClusGroupTypeVirtualMachine","features":[471]},{"name":"ClusGroupTypeWins","features":[471]},{"name":"ClusNetInterface","features":[471]},{"name":"ClusNetInterfaces","features":[471]},{"name":"ClusNetwork","features":[471]},{"name":"ClusNetworkNetInterfaces","features":[471]},{"name":"ClusNetworks","features":[471]},{"name":"ClusNode","features":[471]},{"name":"ClusNodeNetInterfaces","features":[471]},{"name":"ClusNodes","features":[471]},{"name":"ClusPartition","features":[471]},{"name":"ClusPartitionEx","features":[471]},{"name":"ClusPartitions","features":[471]},{"name":"ClusProperties","features":[471]},{"name":"ClusProperty","features":[471]},{"name":"ClusPropertyValue","features":[471]},{"name":"ClusPropertyValueData","features":[471]},{"name":"ClusPropertyValues","features":[471]},{"name":"ClusRefObject","features":[471]},{"name":"ClusRegistryKeys","features":[471]},{"name":"ClusRemoveClusterHealthFault","features":[471]},{"name":"ClusResDependencies","features":[471]},{"name":"ClusResDependents","features":[471]},{"name":"ClusResGroup","features":[471]},{"name":"ClusResGroupPreferredOwnerNodes","features":[471]},{"name":"ClusResGroupResources","features":[471]},{"name":"ClusResGroups","features":[471]},{"name":"ClusResPossibleOwnerNodes","features":[471]},{"name":"ClusResType","features":[471]},{"name":"ClusResTypePossibleOwnerNodes","features":[471]},{"name":"ClusResTypeResources","features":[471]},{"name":"ClusResTypes","features":[471]},{"name":"ClusResource","features":[471]},{"name":"ClusResources","features":[471]},{"name":"ClusScsiAddress","features":[471]},{"name":"ClusVersion","features":[471]},{"name":"ClusWorkerCheckTerminate","features":[308,471]},{"name":"ClusWorkerCreate","features":[308,471]},{"name":"ClusWorkerTerminate","features":[308,471]},{"name":"ClusWorkerTerminateEx","features":[308,471]},{"name":"ClusWorkersTerminate","features":[308,471]},{"name":"ClusapiSetReasonHandler","features":[308,471]},{"name":"Cluster","features":[471]},{"name":"ClusterAddGroupToAffinityRule","features":[471]},{"name":"ClusterAddGroupToGroupSet","features":[471]},{"name":"ClusterAddGroupToGroupSetWithDomains","features":[471]},{"name":"ClusterAddGroupToGroupSetWithDomainsEx","features":[471]},{"name":"ClusterAffinityRuleControl","features":[471]},{"name":"ClusterClearBackupStateForSharedVolume","features":[471]},{"name":"ClusterCloseEnum","features":[471]},{"name":"ClusterCloseEnumEx","features":[471]},{"name":"ClusterControl","features":[471]},{"name":"ClusterControlEx","features":[471]},{"name":"ClusterCreateAffinityRule","features":[471]},{"name":"ClusterDecrypt","features":[471]},{"name":"ClusterEncrypt","features":[471]},{"name":"ClusterEnum","features":[471]},{"name":"ClusterEnumEx","features":[471]},{"name":"ClusterGetEnumCount","features":[471]},{"name":"ClusterGetEnumCountEx","features":[471]},{"name":"ClusterGetVolumeNameForVolumeMountPoint","features":[308,471]},{"name":"ClusterGetVolumePathName","features":[308,471]},{"name":"ClusterGroupAllowFailback","features":[471]},{"name":"ClusterGroupCloseEnum","features":[471]},{"name":"ClusterGroupCloseEnumEx","features":[471]},{"name":"ClusterGroupControl","features":[471]},{"name":"ClusterGroupControlEx","features":[471]},{"name":"ClusterGroupEnum","features":[471]},{"name":"ClusterGroupEnumEx","features":[471]},{"name":"ClusterGroupFailbackTypeCount","features":[471]},{"name":"ClusterGroupFailed","features":[471]},{"name":"ClusterGroupGetEnumCount","features":[471]},{"name":"ClusterGroupGetEnumCountEx","features":[471]},{"name":"ClusterGroupOffline","features":[471]},{"name":"ClusterGroupOnline","features":[471]},{"name":"ClusterGroupOpenEnum","features":[471]},{"name":"ClusterGroupOpenEnumEx","features":[471]},{"name":"ClusterGroupPartialOnline","features":[471]},{"name":"ClusterGroupPending","features":[471]},{"name":"ClusterGroupPreventFailback","features":[471]},{"name":"ClusterGroupSetCloseEnum","features":[471]},{"name":"ClusterGroupSetControl","features":[471]},{"name":"ClusterGroupSetControlEx","features":[471]},{"name":"ClusterGroupSetEnum","features":[471]},{"name":"ClusterGroupSetGetEnumCount","features":[471]},{"name":"ClusterGroupSetOpenEnum","features":[471]},{"name":"ClusterGroupStateUnknown","features":[471]},{"name":"ClusterIsPathOnSharedVolume","features":[308,471]},{"name":"ClusterNames","features":[471]},{"name":"ClusterNetInterfaceCloseEnum","features":[471]},{"name":"ClusterNetInterfaceControl","features":[471]},{"name":"ClusterNetInterfaceControlEx","features":[471]},{"name":"ClusterNetInterfaceEnum","features":[471]},{"name":"ClusterNetInterfaceFailed","features":[471]},{"name":"ClusterNetInterfaceOpenEnum","features":[471]},{"name":"ClusterNetInterfaceStateUnknown","features":[471]},{"name":"ClusterNetInterfaceUnavailable","features":[471]},{"name":"ClusterNetInterfaceUnreachable","features":[471]},{"name":"ClusterNetInterfaceUp","features":[471]},{"name":"ClusterNetworkCloseEnum","features":[471]},{"name":"ClusterNetworkControl","features":[471]},{"name":"ClusterNetworkControlEx","features":[471]},{"name":"ClusterNetworkDown","features":[471]},{"name":"ClusterNetworkEnum","features":[471]},{"name":"ClusterNetworkGetEnumCount","features":[471]},{"name":"ClusterNetworkOpenEnum","features":[471]},{"name":"ClusterNetworkPartitioned","features":[471]},{"name":"ClusterNetworkRoleClientAccess","features":[471]},{"name":"ClusterNetworkRoleInternalAndClient","features":[471]},{"name":"ClusterNetworkRoleInternalUse","features":[471]},{"name":"ClusterNetworkRoleNone","features":[471]},{"name":"ClusterNetworkStateUnknown","features":[471]},{"name":"ClusterNetworkUnavailable","features":[471]},{"name":"ClusterNetworkUp","features":[471]},{"name":"ClusterNodeCloseEnum","features":[471]},{"name":"ClusterNodeCloseEnumEx","features":[471]},{"name":"ClusterNodeControl","features":[471]},{"name":"ClusterNodeControlEx","features":[471]},{"name":"ClusterNodeDown","features":[471]},{"name":"ClusterNodeDrainStatusCount","features":[471]},{"name":"ClusterNodeEnum","features":[471]},{"name":"ClusterNodeEnumEx","features":[471]},{"name":"ClusterNodeGetEnumCount","features":[471]},{"name":"ClusterNodeGetEnumCountEx","features":[471]},{"name":"ClusterNodeJoining","features":[471]},{"name":"ClusterNodeOpenEnum","features":[471]},{"name":"ClusterNodeOpenEnumEx","features":[471]},{"name":"ClusterNodePaused","features":[471]},{"name":"ClusterNodeReplacement","features":[471]},{"name":"ClusterNodeResumeFailbackTypeCount","features":[471]},{"name":"ClusterNodeStateUnknown","features":[471]},{"name":"ClusterNodeUp","features":[471]},{"name":"ClusterOpenEnum","features":[471]},{"name":"ClusterOpenEnumEx","features":[471]},{"name":"ClusterPrepareSharedVolumeForBackup","features":[471]},{"name":"ClusterRegBatchAddCommand","features":[471]},{"name":"ClusterRegBatchCloseNotification","features":[471]},{"name":"ClusterRegBatchReadCommand","features":[471]},{"name":"ClusterRegCloseBatch","features":[308,471]},{"name":"ClusterRegCloseBatchEx","features":[471]},{"name":"ClusterRegCloseBatchNotifyPort","features":[471]},{"name":"ClusterRegCloseKey","features":[471,369]},{"name":"ClusterRegCloseReadBatch","features":[471]},{"name":"ClusterRegCloseReadBatchEx","features":[471]},{"name":"ClusterRegCloseReadBatchReply","features":[471]},{"name":"ClusterRegCreateBatch","features":[471,369]},{"name":"ClusterRegCreateBatchNotifyPort","features":[471,369]},{"name":"ClusterRegCreateKey","features":[308,471,311,369]},{"name":"ClusterRegCreateKeyEx","features":[308,471,311,369]},{"name":"ClusterRegCreateReadBatch","features":[471,369]},{"name":"ClusterRegDeleteKey","features":[471,369]},{"name":"ClusterRegDeleteKeyEx","features":[471,369]},{"name":"ClusterRegDeleteValue","features":[471,369]},{"name":"ClusterRegDeleteValueEx","features":[471,369]},{"name":"ClusterRegEnumKey","features":[308,471,369]},{"name":"ClusterRegEnumValue","features":[471,369]},{"name":"ClusterRegGetBatchNotification","features":[471]},{"name":"ClusterRegGetKeySecurity","features":[471,311,369]},{"name":"ClusterRegOpenKey","features":[471,369]},{"name":"ClusterRegQueryInfoKey","features":[308,471,369]},{"name":"ClusterRegQueryValue","features":[471,369]},{"name":"ClusterRegReadBatchAddCommand","features":[471]},{"name":"ClusterRegReadBatchReplyNextCommand","features":[471]},{"name":"ClusterRegSetKeySecurity","features":[471,311,369]},{"name":"ClusterRegSetKeySecurityEx","features":[471,311,369]},{"name":"ClusterRegSetValue","features":[471,369]},{"name":"ClusterRegSetValueEx","features":[471,369]},{"name":"ClusterRegSyncDatabase","features":[471]},{"name":"ClusterRemoveAffinityRule","features":[471]},{"name":"ClusterRemoveGroupFromAffinityRule","features":[471]},{"name":"ClusterRemoveGroupFromGroupSet","features":[471]},{"name":"ClusterRemoveGroupFromGroupSetEx","features":[471]},{"name":"ClusterResourceApplicationOSHeartBeat","features":[471]},{"name":"ClusterResourceApplicationReady","features":[471]},{"name":"ClusterResourceApplicationStateUnknown","features":[471]},{"name":"ClusterResourceCloseEnum","features":[471]},{"name":"ClusterResourceCloseEnumEx","features":[471]},{"name":"ClusterResourceControl","features":[471]},{"name":"ClusterResourceControlAsUser","features":[471]},{"name":"ClusterResourceControlAsUserEx","features":[471]},{"name":"ClusterResourceControlEx","features":[471]},{"name":"ClusterResourceDontRestart","features":[471]},{"name":"ClusterResourceEmbeddedFailureActionLogOnly","features":[471]},{"name":"ClusterResourceEmbeddedFailureActionNone","features":[471]},{"name":"ClusterResourceEmbeddedFailureActionRecover","features":[471]},{"name":"ClusterResourceEnum","features":[471]},{"name":"ClusterResourceEnumEx","features":[471]},{"name":"ClusterResourceFailed","features":[471]},{"name":"ClusterResourceGetEnumCount","features":[471]},{"name":"ClusterResourceGetEnumCountEx","features":[471]},{"name":"ClusterResourceInherited","features":[471]},{"name":"ClusterResourceInitializing","features":[471]},{"name":"ClusterResourceOffline","features":[471]},{"name":"ClusterResourceOfflinePending","features":[471]},{"name":"ClusterResourceOnline","features":[471]},{"name":"ClusterResourceOnlinePending","features":[471]},{"name":"ClusterResourceOpenEnum","features":[471]},{"name":"ClusterResourceOpenEnumEx","features":[471]},{"name":"ClusterResourcePending","features":[471]},{"name":"ClusterResourceRestartActionCount","features":[471]},{"name":"ClusterResourceRestartNoNotify","features":[471]},{"name":"ClusterResourceRestartNotify","features":[471]},{"name":"ClusterResourceStateUnknown","features":[471]},{"name":"ClusterResourceTypeCloseEnum","features":[471]},{"name":"ClusterResourceTypeControl","features":[471]},{"name":"ClusterResourceTypeControlAsUser","features":[471]},{"name":"ClusterResourceTypeControlAsUserEx","features":[471]},{"name":"ClusterResourceTypeControlEx","features":[471]},{"name":"ClusterResourceTypeEnum","features":[471]},{"name":"ClusterResourceTypeGetEnumCount","features":[471]},{"name":"ClusterResourceTypeOpenEnum","features":[471]},{"name":"ClusterRoleClustered","features":[471]},{"name":"ClusterRoleDFSReplicatedFolder","features":[471]},{"name":"ClusterRoleDHCP","features":[471]},{"name":"ClusterRoleDTC","features":[471]},{"name":"ClusterRoleDistributedFileSystem","features":[471]},{"name":"ClusterRoleDistributedNetworkName","features":[471]},{"name":"ClusterRoleFileServer","features":[471]},{"name":"ClusterRoleFileShare","features":[471]},{"name":"ClusterRoleFileShareWitness","features":[471]},{"name":"ClusterRoleGenericApplication","features":[471]},{"name":"ClusterRoleGenericScript","features":[471]},{"name":"ClusterRoleGenericService","features":[471]},{"name":"ClusterRoleHardDisk","features":[471]},{"name":"ClusterRoleIPAddress","features":[471]},{"name":"ClusterRoleIPV6Address","features":[471]},{"name":"ClusterRoleIPV6TunnelAddress","features":[471]},{"name":"ClusterRoleISCSINameServer","features":[471]},{"name":"ClusterRoleISCSITargetServer","features":[471]},{"name":"ClusterRoleMSMQ","features":[471]},{"name":"ClusterRoleNFS","features":[471]},{"name":"ClusterRoleNetworkFileSystem","features":[471]},{"name":"ClusterRoleNetworkName","features":[471]},{"name":"ClusterRolePhysicalDisk","features":[471]},{"name":"ClusterRolePrintServer","features":[471]},{"name":"ClusterRoleSODAFileServer","features":[471]},{"name":"ClusterRoleStandAloneNamespaceServer","features":[471]},{"name":"ClusterRoleStoragePool","features":[471]},{"name":"ClusterRoleTaskScheduler","features":[471]},{"name":"ClusterRoleUnclustered","features":[471]},{"name":"ClusterRoleUnknown","features":[471]},{"name":"ClusterRoleVirtualMachine","features":[471]},{"name":"ClusterRoleVirtualMachineConfiguration","features":[471]},{"name":"ClusterRoleVirtualMachineReplicaBroker","features":[471]},{"name":"ClusterRoleVolumeShadowCopyServiceTask","features":[471]},{"name":"ClusterRoleWINS","features":[471]},{"name":"ClusterSetAccountAccess","features":[471]},{"name":"ClusterSetupPhaseAddClusterProperties","features":[471]},{"name":"ClusterSetupPhaseAddNodeToCluster","features":[471]},{"name":"ClusterSetupPhaseCleanupCOs","features":[471]},{"name":"ClusterSetupPhaseCleanupNode","features":[471]},{"name":"ClusterSetupPhaseClusterGroupOnline","features":[471]},{"name":"ClusterSetupPhaseConfigureClusSvc","features":[471]},{"name":"ClusterSetupPhaseConfigureClusterAccount","features":[471]},{"name":"ClusterSetupPhaseContinue","features":[471]},{"name":"ClusterSetupPhaseCoreGroupCleanup","features":[471]},{"name":"ClusterSetupPhaseCreateClusterAccount","features":[471]},{"name":"ClusterSetupPhaseCreateGroups","features":[471]},{"name":"ClusterSetupPhaseCreateIPAddressResources","features":[471]},{"name":"ClusterSetupPhaseCreateNetworkName","features":[471]},{"name":"ClusterSetupPhaseCreateResourceTypes","features":[471]},{"name":"ClusterSetupPhaseDeleteGroup","features":[471]},{"name":"ClusterSetupPhaseEnd","features":[471]},{"name":"ClusterSetupPhaseEvictNode","features":[471]},{"name":"ClusterSetupPhaseFailureCleanup","features":[471]},{"name":"ClusterSetupPhaseFatal","features":[471]},{"name":"ClusterSetupPhaseFormingCluster","features":[471]},{"name":"ClusterSetupPhaseGettingCurrentMembership","features":[471]},{"name":"ClusterSetupPhaseInformational","features":[471]},{"name":"ClusterSetupPhaseInitialize","features":[471]},{"name":"ClusterSetupPhaseMoveGroup","features":[471]},{"name":"ClusterSetupPhaseNodeUp","features":[471]},{"name":"ClusterSetupPhaseOfflineGroup","features":[471]},{"name":"ClusterSetupPhaseQueryClusterNameAccount","features":[471]},{"name":"ClusterSetupPhaseReport","features":[471]},{"name":"ClusterSetupPhaseStart","features":[471]},{"name":"ClusterSetupPhaseStartingClusSvc","features":[471]},{"name":"ClusterSetupPhaseValidateClusDisk","features":[471]},{"name":"ClusterSetupPhaseValidateClusterNameAccount","features":[471]},{"name":"ClusterSetupPhaseValidateNetft","features":[471]},{"name":"ClusterSetupPhaseValidateNodeState","features":[471]},{"name":"ClusterSetupPhaseWarning","features":[471]},{"name":"ClusterSharedVolumeHWSnapshotCompleted","features":[471]},{"name":"ClusterSharedVolumePrepareForFreeze","features":[471]},{"name":"ClusterSharedVolumePrepareForHWSnapshot","features":[471]},{"name":"ClusterSharedVolumeRenameInputTypeNone","features":[471]},{"name":"ClusterSharedVolumeRenameInputTypeVolumeGuid","features":[471]},{"name":"ClusterSharedVolumeRenameInputTypeVolumeId","features":[471]},{"name":"ClusterSharedVolumeRenameInputTypeVolumeName","features":[471]},{"name":"ClusterSharedVolumeRenameInputTypeVolumeOffset","features":[471]},{"name":"ClusterSharedVolumeSetSnapshotState","features":[471]},{"name":"ClusterSharedVolumeSnapshotStateUnknown","features":[471]},{"name":"ClusterStateNotConfigured","features":[471]},{"name":"ClusterStateNotInstalled","features":[471]},{"name":"ClusterStateNotRunning","features":[471]},{"name":"ClusterStateRunning","features":[471]},{"name":"ClusterStorageNodeDown","features":[471]},{"name":"ClusterStorageNodePaused","features":[471]},{"name":"ClusterStorageNodeStarting","features":[471]},{"name":"ClusterStorageNodeStateUnknown","features":[471]},{"name":"ClusterStorageNodeStopping","features":[471]},{"name":"ClusterStorageNodeUp","features":[471]},{"name":"ClusterUpgradeFunctionalLevel","features":[308,471]},{"name":"ClusterUpgradePhaseInitialize","features":[471]},{"name":"ClusterUpgradePhaseInstallingNewComponents","features":[471]},{"name":"ClusterUpgradePhaseUpgradeComplete","features":[471]},{"name":"ClusterUpgradePhaseUpgradingComponents","features":[471]},{"name":"ClusterUpgradePhaseValidatingUpgrade","features":[471]},{"name":"CreateCluster","features":[308,471]},{"name":"CreateClusterAvailabilitySet","features":[308,471]},{"name":"CreateClusterGroup","features":[471]},{"name":"CreateClusterGroupEx","features":[471]},{"name":"CreateClusterGroupSet","features":[471]},{"name":"CreateClusterNameAccount","features":[308,471]},{"name":"CreateClusterNotifyPort","features":[471]},{"name":"CreateClusterNotifyPortV2","features":[471]},{"name":"CreateClusterResource","features":[471]},{"name":"CreateClusterResourceEx","features":[471]},{"name":"CreateClusterResourceType","features":[471]},{"name":"CreateClusterResourceTypeEx","features":[471]},{"name":"DNS_LENGTH","features":[471]},{"name":"DeleteClusterGroup","features":[471]},{"name":"DeleteClusterGroupEx","features":[471]},{"name":"DeleteClusterGroupSet","features":[471]},{"name":"DeleteClusterGroupSetEx","features":[471]},{"name":"DeleteClusterResource","features":[471]},{"name":"DeleteClusterResourceEx","features":[471]},{"name":"DeleteClusterResourceType","features":[471]},{"name":"DeleteClusterResourceTypeEx","features":[471]},{"name":"DestroyCluster","features":[308,471]},{"name":"DestroyClusterGroup","features":[471]},{"name":"DestroyClusterGroupEx","features":[471]},{"name":"DetermineCNOResTypeFromCluster","features":[471]},{"name":"DetermineCNOResTypeFromNodelist","features":[471]},{"name":"DetermineClusterCloudTypeFromCluster","features":[471]},{"name":"DetermineClusterCloudTypeFromNodelist","features":[471]},{"name":"DoNotFailbackGroups","features":[471]},{"name":"DomainNames","features":[471]},{"name":"ENABLE_CLUSTER_SHARED_VOLUMES","features":[471]},{"name":"EvictClusterNode","features":[471]},{"name":"EvictClusterNodeEx","features":[471]},{"name":"EvictClusterNodeEx2","features":[471]},{"name":"FAILURE_TYPE","features":[471]},{"name":"FAILURE_TYPE_EMBEDDED","features":[471]},{"name":"FAILURE_TYPE_GENERAL","features":[471]},{"name":"FAILURE_TYPE_NETWORK_LOSS","features":[471]},{"name":"FE_UPGRADE_VERSION","features":[471]},{"name":"FILESHARE_CHANGE","features":[471]},{"name":"FILESHARE_CHANGE_ADD","features":[471]},{"name":"FILESHARE_CHANGE_DEL","features":[471]},{"name":"FILESHARE_CHANGE_ENUM","features":[471]},{"name":"FILESHARE_CHANGE_LIST","features":[471]},{"name":"FILESHARE_CHANGE_MODIFY","features":[471]},{"name":"FILESHARE_CHANGE_NONE","features":[471]},{"name":"FailClusterResource","features":[471]},{"name":"FailClusterResourceEx","features":[471]},{"name":"FailbackGroupsImmediately","features":[471]},{"name":"FailbackGroupsPerPolicy","features":[471]},{"name":"FreeClusterCrypt","features":[471]},{"name":"FreeClusterHealthFault","features":[471]},{"name":"FreeClusterHealthFaultArray","features":[471]},{"name":"GET_OPERATION_CONTEXT_PARAMS","features":[471]},{"name":"GROUPSET_READY_SETTING_APPLICATION_READY","features":[471]},{"name":"GROUPSET_READY_SETTING_DELAY","features":[471]},{"name":"GROUPSET_READY_SETTING_ONLINE","features":[471]},{"name":"GROUPSET_READY_SETTING_OS_HEARTBEAT","features":[471]},{"name":"GROUP_FAILURE_INFO","features":[471]},{"name":"GROUP_FAILURE_INFO_BUFFER","features":[471]},{"name":"GROUP_FAILURE_INFO_VERSION_1","features":[471]},{"name":"GRP_PLACEMENT_OPTIONS","features":[471]},{"name":"GRP_PLACEMENT_OPTIONS_ALL","features":[471]},{"name":"GRP_PLACEMENT_OPTIONS_DEFAULT","features":[471]},{"name":"GRP_PLACEMENT_OPTIONS_DISABLE_AUTOBALANCING","features":[471]},{"name":"GRP_PLACEMENT_OPTIONS_MIN_VALUE","features":[471]},{"name":"GUID_PRESENT","features":[471]},{"name":"GetClusterFromGroup","features":[471]},{"name":"GetClusterFromNetInterface","features":[471]},{"name":"GetClusterFromNetwork","features":[471]},{"name":"GetClusterFromNode","features":[471]},{"name":"GetClusterFromResource","features":[471]},{"name":"GetClusterGroupKey","features":[471,369]},{"name":"GetClusterGroupState","features":[471]},{"name":"GetClusterInformation","features":[471]},{"name":"GetClusterKey","features":[471,369]},{"name":"GetClusterNetInterface","features":[471]},{"name":"GetClusterNetInterfaceKey","features":[471,369]},{"name":"GetClusterNetInterfaceState","features":[471]},{"name":"GetClusterNetworkId","features":[471]},{"name":"GetClusterNetworkKey","features":[471,369]},{"name":"GetClusterNetworkState","features":[471]},{"name":"GetClusterNodeId","features":[471]},{"name":"GetClusterNodeKey","features":[471,369]},{"name":"GetClusterNodeState","features":[471]},{"name":"GetClusterNotify","features":[471]},{"name":"GetClusterNotifyV2","features":[471]},{"name":"GetClusterQuorumResource","features":[471]},{"name":"GetClusterResourceDependencyExpression","features":[471]},{"name":"GetClusterResourceKey","features":[471,369]},{"name":"GetClusterResourceNetworkName","features":[308,471]},{"name":"GetClusterResourceState","features":[471]},{"name":"GetClusterResourceTypeKey","features":[471,369]},{"name":"GetNodeCloudTypeDW","features":[471]},{"name":"GetNodeClusterState","features":[471]},{"name":"GetNotifyEventHandle","features":[308,471]},{"name":"HCHANGE","features":[471]},{"name":"HCI_UPGRADE_BIT","features":[471]},{"name":"HCLUSCRYPTPROVIDER","features":[471]},{"name":"HCLUSENUM","features":[471]},{"name":"HCLUSENUMEX","features":[471]},{"name":"HCLUSTER","features":[471]},{"name":"HGROUP","features":[471]},{"name":"HGROUPENUM","features":[471]},{"name":"HGROUPENUMEX","features":[471]},{"name":"HGROUPSET","features":[471]},{"name":"HGROUPSETENUM","features":[471]},{"name":"HNETINTERFACE","features":[471]},{"name":"HNETINTERFACEENUM","features":[471]},{"name":"HNETWORK","features":[471]},{"name":"HNETWORKENUM","features":[471]},{"name":"HNODE","features":[471]},{"name":"HNODEENUM","features":[471]},{"name":"HNODEENUMEX","features":[471]},{"name":"HREGBATCH","features":[471]},{"name":"HREGBATCHNOTIFICATION","features":[471]},{"name":"HREGBATCHPORT","features":[471]},{"name":"HREGREADBATCH","features":[471]},{"name":"HREGREADBATCHREPLY","features":[471]},{"name":"HRESENUM","features":[471]},{"name":"HRESENUMEX","features":[471]},{"name":"HRESOURCE","features":[471]},{"name":"HRESTYPEENUM","features":[471]},{"name":"IGetClusterDataInfo","features":[471]},{"name":"IGetClusterGroupInfo","features":[471]},{"name":"IGetClusterNetInterfaceInfo","features":[471]},{"name":"IGetClusterNetworkInfo","features":[471]},{"name":"IGetClusterNodeInfo","features":[471]},{"name":"IGetClusterObjectInfo","features":[471]},{"name":"IGetClusterResourceInfo","features":[471]},{"name":"IGetClusterUIInfo","features":[471]},{"name":"ISClusApplication","features":[471,359]},{"name":"ISClusCryptoKeys","features":[471,359]},{"name":"ISClusDisk","features":[471,359]},{"name":"ISClusDisks","features":[471,359]},{"name":"ISClusNetInterface","features":[471,359]},{"name":"ISClusNetInterfaces","features":[471,359]},{"name":"ISClusNetwork","features":[471,359]},{"name":"ISClusNetworkNetInterfaces","features":[471,359]},{"name":"ISClusNetworks","features":[471,359]},{"name":"ISClusNode","features":[471,359]},{"name":"ISClusNodeNetInterfaces","features":[471,359]},{"name":"ISClusNodes","features":[471,359]},{"name":"ISClusPartition","features":[471,359]},{"name":"ISClusPartitionEx","features":[471,359]},{"name":"ISClusPartitions","features":[471,359]},{"name":"ISClusProperties","features":[471,359]},{"name":"ISClusProperty","features":[471,359]},{"name":"ISClusPropertyValue","features":[471,359]},{"name":"ISClusPropertyValueData","features":[471,359]},{"name":"ISClusPropertyValues","features":[471,359]},{"name":"ISClusRefObject","features":[471,359]},{"name":"ISClusRegistryKeys","features":[471,359]},{"name":"ISClusResDependencies","features":[471,359]},{"name":"ISClusResDependents","features":[471,359]},{"name":"ISClusResGroup","features":[471,359]},{"name":"ISClusResGroupPreferredOwnerNodes","features":[471,359]},{"name":"ISClusResGroupResources","features":[471,359]},{"name":"ISClusResGroups","features":[471,359]},{"name":"ISClusResPossibleOwnerNodes","features":[471,359]},{"name":"ISClusResType","features":[471,359]},{"name":"ISClusResTypePossibleOwnerNodes","features":[471,359]},{"name":"ISClusResTypeResources","features":[471,359]},{"name":"ISClusResTypes","features":[471,359]},{"name":"ISClusResource","features":[471,359]},{"name":"ISClusResources","features":[471,359]},{"name":"ISClusScsiAddress","features":[471,359]},{"name":"ISClusVersion","features":[471,359]},{"name":"ISCluster","features":[471,359]},{"name":"ISClusterNames","features":[471,359]},{"name":"ISDomainNames","features":[471,359]},{"name":"IWCContextMenuCallback","features":[471]},{"name":"IWCPropertySheetCallback","features":[471]},{"name":"IWCWizard97Callback","features":[471]},{"name":"IWCWizardCallback","features":[471]},{"name":"IWEExtendContextMenu","features":[471]},{"name":"IWEExtendPropertySheet","features":[471]},{"name":"IWEExtendWizard","features":[471]},{"name":"IWEExtendWizard97","features":[471]},{"name":"IWEInvokeCommand","features":[471]},{"name":"InitializeClusterHealthFault","features":[471]},{"name":"InitializeClusterHealthFaultArray","features":[471]},{"name":"IsFileOnClusterSharedVolume","features":[308,471]},{"name":"LOCKED_MODE_FLAGS_DONT_REMOVE_FROM_MOVE_QUEUE","features":[471]},{"name":"LOG_ERROR","features":[471]},{"name":"LOG_INFORMATION","features":[471]},{"name":"LOG_LEVEL","features":[471]},{"name":"LOG_SEVERE","features":[471]},{"name":"LOG_WARNING","features":[471]},{"name":"LPGROUP_CALLBACK_EX","features":[471]},{"name":"LPNODE_CALLBACK","features":[471]},{"name":"LPRESOURCE_CALLBACK","features":[471]},{"name":"LPRESOURCE_CALLBACK_EX","features":[471]},{"name":"MAINTENANCE_MODE_TYPE_ENUM","features":[471]},{"name":"MAINTENANCE_MODE_V2_SIG","features":[471]},{"name":"MAX_CLUSTERNAME_LENGTH","features":[471]},{"name":"MAX_CO_PASSWORD_LENGTH","features":[471]},{"name":"MAX_CO_PASSWORD_LENGTHEX","features":[471]},{"name":"MAX_CO_PASSWORD_STORAGEEX","features":[471]},{"name":"MAX_CREATINGDC_LENGTH","features":[471]},{"name":"MAX_OBJECTID","features":[471]},{"name":"MINIMUM_NEVER_PREEMPT_PRIORITY","features":[471]},{"name":"MINIMUM_PREEMPTOR_PRIORITY","features":[471]},{"name":"MN_UPGRADE_VERSION","features":[471]},{"name":"MONITOR_STATE","features":[308,471]},{"name":"MaintenanceModeTypeDisableIsAliveCheck","features":[471]},{"name":"MaintenanceModeTypeOfflineResource","features":[471]},{"name":"MaintenanceModeTypeUnclusterResource","features":[471]},{"name":"ModifyQuorum","features":[471]},{"name":"MoveClusterGroup","features":[471]},{"name":"MoveClusterGroupEx","features":[471]},{"name":"MoveClusterGroupEx2","features":[471]},{"name":"NINETEEN_H1_UPGRADE_VERSION","features":[471]},{"name":"NINETEEN_H2_UPGRADE_VERSION","features":[471]},{"name":"NI_UPGRADE_VERSION","features":[471]},{"name":"NNLEN","features":[471]},{"name":"NODE_CLUSTER_STATE","features":[471]},{"name":"NOTIFY_FILTER_AND_TYPE","features":[471]},{"name":"NT10_MAJOR_VERSION","features":[471]},{"name":"NT11_MAJOR_VERSION","features":[471]},{"name":"NT12_MAJOR_VERSION","features":[471]},{"name":"NT13_MAJOR_VERSION","features":[471]},{"name":"NT4SP4_MAJOR_VERSION","features":[471]},{"name":"NT4_MAJOR_VERSION","features":[471]},{"name":"NT51_MAJOR_VERSION","features":[471]},{"name":"NT5_MAJOR_VERSION","features":[471]},{"name":"NT6_MAJOR_VERSION","features":[471]},{"name":"NT7_MAJOR_VERSION","features":[471]},{"name":"NT8_MAJOR_VERSION","features":[471]},{"name":"NT9_MAJOR_VERSION","features":[471]},{"name":"NodeDrainStatusCompleted","features":[471]},{"name":"NodeDrainStatusFailed","features":[471]},{"name":"NodeDrainStatusInProgress","features":[471]},{"name":"NodeDrainStatusNotInitiated","features":[471]},{"name":"NodeStatusAvoidPlacement","features":[471]},{"name":"NodeStatusDrainCompleted","features":[471]},{"name":"NodeStatusDrainFailed","features":[471]},{"name":"NodeStatusDrainInProgress","features":[471]},{"name":"NodeStatusIsolated","features":[471]},{"name":"NodeStatusMax","features":[471]},{"name":"NodeStatusNormal","features":[471]},{"name":"NodeStatusQuarantined","features":[471]},{"name":"NodeUtilizationInfoElement","features":[471]},{"name":"OfflineClusterGroup","features":[471]},{"name":"OfflineClusterGroupEx","features":[471]},{"name":"OfflineClusterGroupEx2","features":[471]},{"name":"OfflineClusterResource","features":[471]},{"name":"OfflineClusterResourceEx","features":[471]},{"name":"OfflineClusterResourceEx2","features":[471]},{"name":"OnlineClusterGroup","features":[471]},{"name":"OnlineClusterGroupEx","features":[471]},{"name":"OnlineClusterGroupEx2","features":[471]},{"name":"OnlineClusterResource","features":[471]},{"name":"OnlineClusterResourceEx","features":[471]},{"name":"OnlineClusterResourceEx2","features":[471]},{"name":"OpenCluster","features":[471]},{"name":"OpenClusterCryptProvider","features":[471]},{"name":"OpenClusterCryptProviderEx","features":[471]},{"name":"OpenClusterEx","features":[471]},{"name":"OpenClusterGroup","features":[471]},{"name":"OpenClusterGroupEx","features":[471]},{"name":"OpenClusterGroupSet","features":[471]},{"name":"OpenClusterNetInterface","features":[471]},{"name":"OpenClusterNetInterfaceEx","features":[471]},{"name":"OpenClusterNetwork","features":[471]},{"name":"OpenClusterNetworkEx","features":[471]},{"name":"OpenClusterNode","features":[471]},{"name":"OpenClusterNodeById","features":[471]},{"name":"OpenClusterNodeEx","features":[471]},{"name":"OpenClusterResource","features":[471]},{"name":"OpenClusterResourceEx","features":[471]},{"name":"OperationalQuorum","features":[471]},{"name":"PARBITRATE_ROUTINE","features":[471]},{"name":"PARM_WPR_WATCHDOG_FOR_CURRENT_RESOURCE_CALL_ROUTINE","features":[471]},{"name":"PBEGIN_RESCALL_AS_USER_ROUTINE","features":[308,471]},{"name":"PBEGIN_RESCALL_ROUTINE","features":[308,471]},{"name":"PBEGIN_RESTYPECALL_AS_USER_ROUTINE","features":[308,471]},{"name":"PBEGIN_RESTYPECALL_ROUTINE","features":[308,471]},{"name":"PCANCEL_ROUTINE","features":[471]},{"name":"PCHANGE_RESOURCE_PROCESS_FOR_DUMPS","features":[308,471]},{"name":"PCHANGE_RES_TYPE_PROCESS_FOR_DUMPS","features":[308,471]},{"name":"PCLOSE_CLUSTER_CRYPT_PROVIDER","features":[471]},{"name":"PCLOSE_ROUTINE","features":[471]},{"name":"PCLUSAPIClusWorkerCheckTerminate","features":[308,471]},{"name":"PCLUSAPI_ADD_CLUSTER_GROUP_DEPENDENCY","features":[471]},{"name":"PCLUSAPI_ADD_CLUSTER_GROUP_DEPENDENCY_EX","features":[471]},{"name":"PCLUSAPI_ADD_CLUSTER_GROUP_GROUPSET_DEPENDENCY","features":[471]},{"name":"PCLUSAPI_ADD_CLUSTER_GROUP_GROUPSET_DEPENDENCY_EX","features":[471]},{"name":"PCLUSAPI_ADD_CLUSTER_GROUP_TO_GROUP_GROUPSET_DEPENDENCY","features":[471]},{"name":"PCLUSAPI_ADD_CLUSTER_GROUP_TO_GROUP_GROUPSET_DEPENDENCY_EX","features":[471]},{"name":"PCLUSAPI_ADD_CLUSTER_NODE","features":[308,471]},{"name":"PCLUSAPI_ADD_CLUSTER_NODE_EX","features":[308,471]},{"name":"PCLUSAPI_ADD_CLUSTER_RESOURCE_DEPENDENCY","features":[471]},{"name":"PCLUSAPI_ADD_CLUSTER_RESOURCE_DEPENDENCY_EX","features":[471]},{"name":"PCLUSAPI_ADD_CLUSTER_RESOURCE_NODE","features":[471]},{"name":"PCLUSAPI_ADD_CLUSTER_RESOURCE_NODE_EX","features":[471]},{"name":"PCLUSAPI_ADD_CROSS_CLUSTER_GROUPSET_DEPENDENCY","features":[471]},{"name":"PCLUSAPI_ADD_RESOURCE_TO_CLUSTER_SHARED_VOLUMES","features":[471]},{"name":"PCLUSAPI_BACKUP_CLUSTER_DATABASE","features":[471]},{"name":"PCLUSAPI_CAN_RESOURCE_BE_DEPENDENT","features":[308,471]},{"name":"PCLUSAPI_CHANGE_CLUSTER_RESOURCE_GROUP","features":[471]},{"name":"PCLUSAPI_CHANGE_CLUSTER_RESOURCE_GROUP_EX","features":[471]},{"name":"PCLUSAPI_CHANGE_CLUSTER_RESOURCE_GROUP_EX2","features":[471]},{"name":"PCLUSAPI_CLOSE_CLUSTER","features":[308,471]},{"name":"PCLUSAPI_CLOSE_CLUSTER_GROUP","features":[308,471]},{"name":"PCLUSAPI_CLOSE_CLUSTER_GROUP_GROUPSET","features":[308,471]},{"name":"PCLUSAPI_CLOSE_CLUSTER_NETWORK","features":[308,471]},{"name":"PCLUSAPI_CLOSE_CLUSTER_NET_INTERFACE","features":[308,471]},{"name":"PCLUSAPI_CLOSE_CLUSTER_NODE","features":[308,471]},{"name":"PCLUSAPI_CLOSE_CLUSTER_NOTIFY_PORT","features":[308,471]},{"name":"PCLUSAPI_CLOSE_CLUSTER_RESOURCE","features":[308,471]},{"name":"PCLUSAPI_CLUSTER_ADD_GROUP_TO_AFFINITY_RULE","features":[471]},{"name":"PCLUSAPI_CLUSTER_ADD_GROUP_TO_GROUPSET_WITH_DOMAINS_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_ADD_GROUP_TO_GROUP_GROUPSET","features":[471]},{"name":"PCLUSAPI_CLUSTER_AFFINITY_RULE_CONTROL","features":[471]},{"name":"PCLUSAPI_CLUSTER_CLOSE_ENUM","features":[471]},{"name":"PCLUSAPI_CLUSTER_CLOSE_ENUM_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_CONTROL","features":[471]},{"name":"PCLUSAPI_CLUSTER_CONTROL_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_CREATE_AFFINITY_RULE","features":[471]},{"name":"PCLUSAPI_CLUSTER_ENUM","features":[471]},{"name":"PCLUSAPI_CLUSTER_ENUM_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_GET_ENUM_COUNT","features":[471]},{"name":"PCLUSAPI_CLUSTER_GET_ENUM_COUNT_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_GROUP_CLOSE_ENUM","features":[471]},{"name":"PCLUSAPI_CLUSTER_GROUP_CLOSE_ENUM_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_GROUP_CONTROL","features":[471]},{"name":"PCLUSAPI_CLUSTER_GROUP_CONTROL_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_GROUP_ENUM","features":[471]},{"name":"PCLUSAPI_CLUSTER_GROUP_ENUM_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_GROUP_GET_ENUM_COUNT","features":[471]},{"name":"PCLUSAPI_CLUSTER_GROUP_GET_ENUM_COUNT_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_GROUP_GROUPSET_CONTROL","features":[471]},{"name":"PCLUSAPI_CLUSTER_GROUP_GROUPSET_CONTROL_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_GROUP_OPEN_ENUM","features":[471]},{"name":"PCLUSAPI_CLUSTER_GROUP_OPEN_ENUM_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_NETWORK_CLOSE_ENUM","features":[471]},{"name":"PCLUSAPI_CLUSTER_NETWORK_CONTROL","features":[471]},{"name":"PCLUSAPI_CLUSTER_NETWORK_CONTROL_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_NETWORK_ENUM","features":[471]},{"name":"PCLUSAPI_CLUSTER_NETWORK_GET_ENUM_COUNT","features":[471]},{"name":"PCLUSAPI_CLUSTER_NETWORK_OPEN_ENUM","features":[471]},{"name":"PCLUSAPI_CLUSTER_NET_INTERFACE_CONTROL","features":[471]},{"name":"PCLUSAPI_CLUSTER_NET_INTERFACE_CONTROL_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_NODE_CLOSE_ENUM","features":[471]},{"name":"PCLUSAPI_CLUSTER_NODE_CLOSE_ENUM_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_NODE_CONTROL","features":[471]},{"name":"PCLUSAPI_CLUSTER_NODE_CONTROL_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_NODE_ENUM","features":[471]},{"name":"PCLUSAPI_CLUSTER_NODE_ENUM_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_NODE_GET_ENUM_COUNT","features":[471]},{"name":"PCLUSAPI_CLUSTER_NODE_GET_ENUM_COUNT_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_NODE_OPEN_ENUM","features":[471]},{"name":"PCLUSAPI_CLUSTER_NODE_OPEN_ENUM_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_OPEN_ENUM","features":[471]},{"name":"PCLUSAPI_CLUSTER_OPEN_ENUM_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_REG_CLOSE_KEY","features":[471,369]},{"name":"PCLUSAPI_CLUSTER_REG_CREATE_BATCH","features":[471,369]},{"name":"PCLUSAPI_CLUSTER_REG_CREATE_KEY","features":[308,471,311,369]},{"name":"PCLUSAPI_CLUSTER_REG_CREATE_KEY_EX","features":[308,471,311,369]},{"name":"PCLUSAPI_CLUSTER_REG_DELETE_KEY","features":[471,369]},{"name":"PCLUSAPI_CLUSTER_REG_DELETE_KEY_EX","features":[471,369]},{"name":"PCLUSAPI_CLUSTER_REG_DELETE_VALUE","features":[471,369]},{"name":"PCLUSAPI_CLUSTER_REG_DELETE_VALUE_EX","features":[471,369]},{"name":"PCLUSAPI_CLUSTER_REG_ENUM_KEY","features":[308,471,369]},{"name":"PCLUSAPI_CLUSTER_REG_ENUM_VALUE","features":[471,369]},{"name":"PCLUSAPI_CLUSTER_REG_GET_KEY_SECURITY","features":[471,311,369]},{"name":"PCLUSAPI_CLUSTER_REG_OPEN_KEY","features":[471,369]},{"name":"PCLUSAPI_CLUSTER_REG_QUERY_INFO_KEY","features":[308,471,369]},{"name":"PCLUSAPI_CLUSTER_REG_QUERY_VALUE","features":[471,369]},{"name":"PCLUSAPI_CLUSTER_REG_SET_KEY_SECURITY","features":[471,311,369]},{"name":"PCLUSAPI_CLUSTER_REG_SET_KEY_SECURITY_EX","features":[471,311,369]},{"name":"PCLUSAPI_CLUSTER_REG_SET_VALUE","features":[471,369]},{"name":"PCLUSAPI_CLUSTER_REG_SET_VALUE_EX","features":[471,369]},{"name":"PCLUSAPI_CLUSTER_REG_SYNC_DATABASE","features":[471]},{"name":"PCLUSAPI_CLUSTER_REMOVE_AFFINITY_RULE","features":[471]},{"name":"PCLUSAPI_CLUSTER_REMOVE_GROUP_FROM_AFFINITY_RULE","features":[471]},{"name":"PCLUSAPI_CLUSTER_REMOVE_GROUP_FROM_GROUPSET","features":[471]},{"name":"PCLUSAPI_CLUSTER_REMOVE_GROUP_FROM_GROUPSET_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_CLOSE_ENUM","features":[471]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_CLOSE_ENUM_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_CONTROL","features":[471]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_CONTROL_AS_USER_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_CONTROL_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_ENUM","features":[471]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_ENUM_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_GET_ENUM_COUNT","features":[471]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_GET_ENUM_COUNT_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_OPEN_ENUM","features":[471]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_OPEN_ENUM_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_TYPE_CLOSE_ENUM","features":[471]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_TYPE_CONTROL","features":[471]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_TYPE_CONTROL_AS_USER_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_TYPE_CONTROL_EX","features":[471]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_TYPE_ENUM","features":[471]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_TYPE_GET_ENUM_COUNT","features":[471]},{"name":"PCLUSAPI_CLUSTER_RESOURCE_TYPE_OPEN_ENUM","features":[471]},{"name":"PCLUSAPI_CLUSTER_UPGRADE","features":[308,471]},{"name":"PCLUSAPI_CLUS_WORKER_CREATE","features":[308,471]},{"name":"PCLUSAPI_CLUS_WORKER_TERMINATE","features":[308,471]},{"name":"PCLUSAPI_CREATE_CLUSTER","features":[308,471]},{"name":"PCLUSAPI_CREATE_CLUSTER_AVAILABILITY_SET","features":[308,471]},{"name":"PCLUSAPI_CREATE_CLUSTER_CNOLESS","features":[308,471]},{"name":"PCLUSAPI_CREATE_CLUSTER_GROUP","features":[471]},{"name":"PCLUSAPI_CREATE_CLUSTER_GROUPEX","features":[471]},{"name":"PCLUSAPI_CREATE_CLUSTER_GROUP_GROUPSET","features":[471]},{"name":"PCLUSAPI_CREATE_CLUSTER_NAME_ACCOUNT","features":[308,471]},{"name":"PCLUSAPI_CREATE_CLUSTER_NOTIFY_PORT","features":[471]},{"name":"PCLUSAPI_CREATE_CLUSTER_NOTIFY_PORT_V2","features":[471]},{"name":"PCLUSAPI_CREATE_CLUSTER_RESOURCE","features":[471]},{"name":"PCLUSAPI_CREATE_CLUSTER_RESOURCE_EX","features":[471]},{"name":"PCLUSAPI_CREATE_CLUSTER_RESOURCE_TYPE","features":[471]},{"name":"PCLUSAPI_CREATE_CLUSTER_RESOURCE_TYPE_EX","features":[471]},{"name":"PCLUSAPI_DELETE_CLUSTER_GROUP","features":[471]},{"name":"PCLUSAPI_DELETE_CLUSTER_GROUP_EX","features":[471]},{"name":"PCLUSAPI_DELETE_CLUSTER_GROUP_GROUPSET","features":[471]},{"name":"PCLUSAPI_DELETE_CLUSTER_GROUP_GROUPSET_EX","features":[471]},{"name":"PCLUSAPI_DELETE_CLUSTER_RESOURCE","features":[471]},{"name":"PCLUSAPI_DELETE_CLUSTER_RESOURCE_EX","features":[471]},{"name":"PCLUSAPI_DELETE_CLUSTER_RESOURCE_TYPE","features":[471]},{"name":"PCLUSAPI_DELETE_CLUSTER_RESOURCE_TYPE_EX","features":[471]},{"name":"PCLUSAPI_DESTROY_CLUSTER","features":[308,471]},{"name":"PCLUSAPI_DESTROY_CLUSTER_GROUP","features":[471]},{"name":"PCLUSAPI_DESTROY_CLUSTER_GROUP_EX","features":[471]},{"name":"PCLUSAPI_EVICT_CLUSTER_NODE","features":[471]},{"name":"PCLUSAPI_EVICT_CLUSTER_NODE_EX","features":[471]},{"name":"PCLUSAPI_EVICT_CLUSTER_NODE_EX2","features":[471]},{"name":"PCLUSAPI_FAIL_CLUSTER_RESOURCE","features":[471]},{"name":"PCLUSAPI_FAIL_CLUSTER_RESOURCE_EX","features":[471]},{"name":"PCLUSAPI_GET_CLUSTER_FROM_GROUP","features":[471]},{"name":"PCLUSAPI_GET_CLUSTER_FROM_GROUP_GROUPSET","features":[471]},{"name":"PCLUSAPI_GET_CLUSTER_FROM_NETWORK","features":[471]},{"name":"PCLUSAPI_GET_CLUSTER_FROM_NET_INTERFACE","features":[471]},{"name":"PCLUSAPI_GET_CLUSTER_FROM_NODE","features":[471]},{"name":"PCLUSAPI_GET_CLUSTER_FROM_RESOURCE","features":[471]},{"name":"PCLUSAPI_GET_CLUSTER_GROUP_KEY","features":[471,369]},{"name":"PCLUSAPI_GET_CLUSTER_GROUP_STATE","features":[471]},{"name":"PCLUSAPI_GET_CLUSTER_INFORMATION","features":[471]},{"name":"PCLUSAPI_GET_CLUSTER_KEY","features":[471,369]},{"name":"PCLUSAPI_GET_CLUSTER_NETWORK_ID","features":[471]},{"name":"PCLUSAPI_GET_CLUSTER_NETWORK_KEY","features":[471,369]},{"name":"PCLUSAPI_GET_CLUSTER_NETWORK_STATE","features":[471]},{"name":"PCLUSAPI_GET_CLUSTER_NET_INTERFACE","features":[471]},{"name":"PCLUSAPI_GET_CLUSTER_NET_INTERFACE_KEY","features":[471,369]},{"name":"PCLUSAPI_GET_CLUSTER_NET_INTERFACE_STATE","features":[471]},{"name":"PCLUSAPI_GET_CLUSTER_NODE_ID","features":[471]},{"name":"PCLUSAPI_GET_CLUSTER_NODE_KEY","features":[471,369]},{"name":"PCLUSAPI_GET_CLUSTER_NODE_STATE","features":[471]},{"name":"PCLUSAPI_GET_CLUSTER_NOTIFY","features":[471]},{"name":"PCLUSAPI_GET_CLUSTER_NOTIFY_V2","features":[471]},{"name":"PCLUSAPI_GET_CLUSTER_QUORUM_RESOURCE","features":[471]},{"name":"PCLUSAPI_GET_CLUSTER_RESOURCE_DEPENDENCY_EXPRESSION","features":[471]},{"name":"PCLUSAPI_GET_CLUSTER_RESOURCE_KEY","features":[471,369]},{"name":"PCLUSAPI_GET_CLUSTER_RESOURCE_NETWORK_NAME","features":[308,471]},{"name":"PCLUSAPI_GET_CLUSTER_RESOURCE_STATE","features":[471]},{"name":"PCLUSAPI_GET_CLUSTER_RESOURCE_TYPE_KEY","features":[471,369]},{"name":"PCLUSAPI_GET_NODE_CLUSTER_STATE","features":[471]},{"name":"PCLUSAPI_GET_NOTIFY_EVENT_HANDLE_V2","features":[308,471]},{"name":"PCLUSAPI_IS_FILE_ON_CLUSTER_SHARED_VOLUME","features":[308,471]},{"name":"PCLUSAPI_MOVE_CLUSTER_GROUP","features":[471]},{"name":"PCLUSAPI_OFFLINE_CLUSTER_GROUP","features":[471]},{"name":"PCLUSAPI_OFFLINE_CLUSTER_RESOURCE","features":[471]},{"name":"PCLUSAPI_ONLINE_CLUSTER_GROUP","features":[471]},{"name":"PCLUSAPI_ONLINE_CLUSTER_RESOURCE","features":[471]},{"name":"PCLUSAPI_OPEN_CLUSTER","features":[471]},{"name":"PCLUSAPI_OPEN_CLUSTER_EX","features":[471]},{"name":"PCLUSAPI_OPEN_CLUSTER_GROUP","features":[471]},{"name":"PCLUSAPI_OPEN_CLUSTER_GROUP_EX","features":[471]},{"name":"PCLUSAPI_OPEN_CLUSTER_GROUP_GROUPSET","features":[471]},{"name":"PCLUSAPI_OPEN_CLUSTER_NETINTERFACE_EX","features":[471]},{"name":"PCLUSAPI_OPEN_CLUSTER_NETWORK","features":[471]},{"name":"PCLUSAPI_OPEN_CLUSTER_NETWORK_EX","features":[471]},{"name":"PCLUSAPI_OPEN_CLUSTER_NET_INTERFACE","features":[471]},{"name":"PCLUSAPI_OPEN_CLUSTER_NODE","features":[471]},{"name":"PCLUSAPI_OPEN_CLUSTER_NODE_EX","features":[471]},{"name":"PCLUSAPI_OPEN_CLUSTER_RESOURCE","features":[471]},{"name":"PCLUSAPI_OPEN_CLUSTER_RESOURCE_EX","features":[471]},{"name":"PCLUSAPI_OPEN_NODE_BY_ID","features":[471]},{"name":"PCLUSAPI_PAUSE_CLUSTER_NODE","features":[471]},{"name":"PCLUSAPI_PAUSE_CLUSTER_NODE_EX","features":[308,471]},{"name":"PCLUSAPI_PAUSE_CLUSTER_NODE_EX2","features":[308,471]},{"name":"PCLUSAPI_PFN_REASON_HANDLER","features":[308,471]},{"name":"PCLUSAPI_REGISTER_CLUSTER_NOTIFY","features":[308,471]},{"name":"PCLUSAPI_REGISTER_CLUSTER_NOTIFY_V2","features":[308,471]},{"name":"PCLUSAPI_REMOVE_CLUSTER_GROUP_DEPENDENCY","features":[471]},{"name":"PCLUSAPI_REMOVE_CLUSTER_GROUP_DEPENDENCY_EX","features":[471]},{"name":"PCLUSAPI_REMOVE_CLUSTER_GROUP_GROUPSET_DEPENDENCY","features":[471]},{"name":"PCLUSAPI_REMOVE_CLUSTER_GROUP_GROUPSET_DEPENDENCY_EX","features":[471]},{"name":"PCLUSAPI_REMOVE_CLUSTER_GROUP_TO_GROUP_GROUPSET_DEPENDENCY","features":[471]},{"name":"PCLUSAPI_REMOVE_CLUSTER_GROUP_TO_GROUP_GROUPSET_DEPENDENCY_EX","features":[471]},{"name":"PCLUSAPI_REMOVE_CLUSTER_NAME_ACCOUNT","features":[471]},{"name":"PCLUSAPI_REMOVE_CLUSTER_RESOURCE_DEPENDENCY","features":[471]},{"name":"PCLUSAPI_REMOVE_CLUSTER_RESOURCE_DEPENDENCY_EX","features":[471]},{"name":"PCLUSAPI_REMOVE_CLUSTER_RESOURCE_NODE","features":[471]},{"name":"PCLUSAPI_REMOVE_CLUSTER_RESOURCE_NODE_EX","features":[471]},{"name":"PCLUSAPI_REMOVE_CROSS_CLUSTER_GROUPSET_DEPENDENCY","features":[471]},{"name":"PCLUSAPI_REMOVE_RESOURCE_FROM_CLUSTER_SHARED_VOLUMES","features":[471]},{"name":"PCLUSAPI_RESTART_CLUSTER_RESOURCE","features":[471]},{"name":"PCLUSAPI_RESTART_CLUSTER_RESOURCE_EX","features":[471]},{"name":"PCLUSAPI_RESTORE_CLUSTER_DATABASE","features":[308,471]},{"name":"PCLUSAPI_RESUME_CLUSTER_NODE","features":[471]},{"name":"PCLUSAPI_RESUME_CLUSTER_NODE_EX","features":[471]},{"name":"PCLUSAPI_RESUME_CLUSTER_NODE_EX2","features":[471]},{"name":"PCLUSAPI_SET_CLUSTER_GROUP_GROUPSET_DEPENDENCY_EXPRESSION","features":[471]},{"name":"PCLUSAPI_SET_CLUSTER_GROUP_GROUPSET_DEPENDENCY_EXPRESSION_EX","features":[471]},{"name":"PCLUSAPI_SET_CLUSTER_GROUP_NAME","features":[471]},{"name":"PCLUSAPI_SET_CLUSTER_GROUP_NAME_EX","features":[471]},{"name":"PCLUSAPI_SET_CLUSTER_GROUP_NODE_LIST","features":[471]},{"name":"PCLUSAPI_SET_CLUSTER_GROUP_NODE_LIST_EX","features":[471]},{"name":"PCLUSAPI_SET_CLUSTER_NAME_EX","features":[471]},{"name":"PCLUSAPI_SET_CLUSTER_NETWORK_NAME","features":[471]},{"name":"PCLUSAPI_SET_CLUSTER_NETWORK_NAME_EX","features":[471]},{"name":"PCLUSAPI_SET_CLUSTER_NETWORK_PRIORITY_ORDER","features":[471]},{"name":"PCLUSAPI_SET_CLUSTER_QUORUM_RESOURCE","features":[471]},{"name":"PCLUSAPI_SET_CLUSTER_QUORUM_RESOURCE_EX","features":[471]},{"name":"PCLUSAPI_SET_CLUSTER_RESOURCE_DEPENDENCY_EXPRESSION","features":[471]},{"name":"PCLUSAPI_SET_CLUSTER_RESOURCE_NAME","features":[471]},{"name":"PCLUSAPI_SET_CLUSTER_RESOURCE_NAME_EX","features":[471]},{"name":"PCLUSAPI_SET_CLUSTER_SERVICE_ACCOUNT_PASSWORD","features":[308,471]},{"name":"PCLUSAPI_SET_GROUP_DEPENDENCY_EXPRESSION","features":[471]},{"name":"PCLUSAPI_SET_GROUP_DEPENDENCY_EXPRESSION_EX","features":[471]},{"name":"PCLUSAPI_SET_REASON_HANDLER","features":[308,471]},{"name":"PCLUSAPI_SHARED_VOLUME_SET_SNAPSHOT_STATE","features":[471]},{"name":"PCLUSAPI_SetClusterName","features":[471]},{"name":"PCLUSTER_CLEAR_BACKUP_STATE_FOR_SHARED_VOLUME","features":[471]},{"name":"PCLUSTER_DECRYPT","features":[471]},{"name":"PCLUSTER_ENCRYPT","features":[471]},{"name":"PCLUSTER_GET_VOLUME_NAME_FOR_VOLUME_MOUNT_POINT","features":[308,471]},{"name":"PCLUSTER_GET_VOLUME_PATH_NAME","features":[308,471]},{"name":"PCLUSTER_IS_PATH_ON_SHARED_VOLUME","features":[308,471]},{"name":"PCLUSTER_PREPARE_SHARED_VOLUME_FOR_BACKUP","features":[471]},{"name":"PCLUSTER_REG_BATCH_ADD_COMMAND","features":[471]},{"name":"PCLUSTER_REG_BATCH_CLOSE_NOTIFICATION","features":[471]},{"name":"PCLUSTER_REG_BATCH_READ_COMMAND","features":[471]},{"name":"PCLUSTER_REG_CLOSE_BATCH","features":[308,471]},{"name":"PCLUSTER_REG_CLOSE_BATCH_NOTIFY_PORT","features":[471]},{"name":"PCLUSTER_REG_CLOSE_READ_BATCH","features":[471]},{"name":"PCLUSTER_REG_CLOSE_READ_BATCH_EX","features":[471]},{"name":"PCLUSTER_REG_CLOSE_READ_BATCH_REPLY","features":[471]},{"name":"PCLUSTER_REG_CREATE_BATCH_NOTIFY_PORT","features":[471,369]},{"name":"PCLUSTER_REG_CREATE_READ_BATCH","features":[471,369]},{"name":"PCLUSTER_REG_GET_BATCH_NOTIFICATION","features":[471]},{"name":"PCLUSTER_REG_READ_BATCH_ADD_COMMAND","features":[471]},{"name":"PCLUSTER_REG_READ_BATCH_REPLY_NEXT_COMMAND","features":[471]},{"name":"PCLUSTER_SETUP_PROGRESS_CALLBACK","features":[308,471]},{"name":"PCLUSTER_SET_ACCOUNT_ACCESS","features":[471]},{"name":"PCLUSTER_UPGRADE_PROGRESS_CALLBACK","features":[308,471]},{"name":"PEND_CONTROL_CALL","features":[471]},{"name":"PEND_TYPE_CONTROL_CALL","features":[471]},{"name":"PEXTEND_RES_CONTROL_CALL","features":[471]},{"name":"PEXTEND_RES_TYPE_CONTROL_CALL","features":[471]},{"name":"PFREE_CLUSTER_CRYPT","features":[471]},{"name":"PIS_ALIVE_ROUTINE","features":[308,471]},{"name":"PLACEMENT_OPTIONS","features":[471]},{"name":"PLACEMENT_OPTIONS_ALL","features":[471]},{"name":"PLACEMENT_OPTIONS_AVAILABILITY_SET_DOMAIN_AFFINITY","features":[471]},{"name":"PLACEMENT_OPTIONS_CONSIDER_OFFLINE_VMS","features":[471]},{"name":"PLACEMENT_OPTIONS_DEFAULT_PLACEMENT_OPTIONS","features":[471]},{"name":"PLACEMENT_OPTIONS_DISABLE_CSV_VM_DEPENDENCY","features":[471]},{"name":"PLACEMENT_OPTIONS_DONT_RESUME_AVAILABILTY_SET_VMS_WITH_EXISTING_TEMP_DISK","features":[471]},{"name":"PLACEMENT_OPTIONS_DONT_RESUME_VMS_WITH_EXISTING_TEMP_DISK","features":[471]},{"name":"PLACEMENT_OPTIONS_DONT_USE_CPU","features":[471]},{"name":"PLACEMENT_OPTIONS_DONT_USE_LOCAL_TEMP_DISK","features":[471]},{"name":"PLACEMENT_OPTIONS_DONT_USE_MEMORY","features":[471]},{"name":"PLACEMENT_OPTIONS_MIN_VALUE","features":[471]},{"name":"PLACEMENT_OPTIONS_SAVE_AVAILABILTY_SET_VMS_WITH_LOCAL_DISK_ON_DRAIN_OVERWRITE","features":[471]},{"name":"PLACEMENT_OPTIONS_SAVE_VMS_WITH_LOCAL_DISK_ON_DRAIN_OVERWRITE","features":[471]},{"name":"PLOG_EVENT_ROUTINE","features":[471]},{"name":"PLOOKS_ALIVE_ROUTINE","features":[308,471]},{"name":"POFFLINE_ROUTINE","features":[471]},{"name":"POFFLINE_V2_ROUTINE","features":[471]},{"name":"PONLINE_ROUTINE","features":[308,471]},{"name":"PONLINE_V2_ROUTINE","features":[308,471]},{"name":"POPEN_CLUSTER_CRYPT_PROVIDER","features":[471]},{"name":"POPEN_CLUSTER_CRYPT_PROVIDEREX","features":[471]},{"name":"POPEN_ROUTINE","features":[471,369]},{"name":"POPEN_V2_ROUTINE","features":[471,369]},{"name":"POST_UPGRADE_VERSION_INFO","features":[471]},{"name":"PQUERY_APPINSTANCE_VERSION","features":[308,471]},{"name":"PQUORUM_RESOURCE_LOST","features":[471]},{"name":"PRAISE_RES_TYPE_NOTIFICATION","features":[471]},{"name":"PREGISTER_APPINSTANCE","features":[308,471]},{"name":"PREGISTER_APPINSTANCE_VERSION","features":[471]},{"name":"PRELEASE_ROUTINE","features":[471]},{"name":"PREQUEST_DUMP_ROUTINE","features":[308,471]},{"name":"PRESET_ALL_APPINSTANCE_VERSIONS","features":[471]},{"name":"PRESOURCE_CONTROL_ROUTINE","features":[471]},{"name":"PRESOURCE_TYPE_CONTROL_ROUTINE","features":[471]},{"name":"PRESUTIL_ADD_UNKNOWN_PROPERTIES","features":[308,471,369]},{"name":"PRESUTIL_CREATE_DIRECTORY_TREE","features":[471]},{"name":"PRESUTIL_DUP_PARAMETER_BLOCK","features":[308,471]},{"name":"PRESUTIL_DUP_STRING","features":[471]},{"name":"PRESUTIL_ENUM_PRIVATE_PROPERTIES","features":[471,369]},{"name":"PRESUTIL_ENUM_PROPERTIES","features":[308,471]},{"name":"PRESUTIL_ENUM_RESOURCES","features":[471]},{"name":"PRESUTIL_ENUM_RESOURCES_EX","features":[471]},{"name":"PRESUTIL_ENUM_RESOURCES_EX2","features":[471]},{"name":"PRESUTIL_EXPAND_ENVIRONMENT_STRINGS","features":[471]},{"name":"PRESUTIL_FIND_BINARY_PROPERTY","features":[471]},{"name":"PRESUTIL_FIND_DEPENDENT_DISK_RESOURCE_DRIVE_LETTER","features":[471]},{"name":"PRESUTIL_FIND_DWORD_PROPERTY","features":[471]},{"name":"PRESUTIL_FIND_EXPANDED_SZ_PROPERTY","features":[471]},{"name":"PRESUTIL_FIND_EXPAND_SZ_PROPERTY","features":[471]},{"name":"PRESUTIL_FIND_FILETIME_PROPERTY","features":[308,471]},{"name":"PRESUTIL_FIND_LONG_PROPERTY","features":[471]},{"name":"PRESUTIL_FIND_MULTI_SZ_PROPERTY","features":[471]},{"name":"PRESUTIL_FIND_SZ_PROPERTY","features":[471]},{"name":"PRESUTIL_FIND_ULARGEINTEGER_PROPERTY","features":[471]},{"name":"PRESUTIL_FREE_ENVIRONMENT","features":[471]},{"name":"PRESUTIL_FREE_PARAMETER_BLOCK","features":[308,471]},{"name":"PRESUTIL_GET_ALL_PROPERTIES","features":[308,471,369]},{"name":"PRESUTIL_GET_BINARY_PROPERTY","features":[471]},{"name":"PRESUTIL_GET_BINARY_VALUE","features":[471,369]},{"name":"PRESUTIL_GET_CORE_CLUSTER_RESOURCES","features":[471]},{"name":"PRESUTIL_GET_CORE_CLUSTER_RESOURCES_EX","features":[471]},{"name":"PRESUTIL_GET_DWORD_PROPERTY","features":[471]},{"name":"PRESUTIL_GET_DWORD_VALUE","features":[471,369]},{"name":"PRESUTIL_GET_ENVIRONMENT_WITH_NET_NAME","features":[471]},{"name":"PRESUTIL_GET_EXPAND_SZ_VALUE","features":[308,471,369]},{"name":"PRESUTIL_GET_FILETIME_PROPERTY","features":[308,471]},{"name":"PRESUTIL_GET_LONG_PROPERTY","features":[471]},{"name":"PRESUTIL_GET_MULTI_SZ_PROPERTY","features":[471]},{"name":"PRESUTIL_GET_PRIVATE_PROPERTIES","features":[471,369]},{"name":"PRESUTIL_GET_PROPERTIES","features":[308,471,369]},{"name":"PRESUTIL_GET_PROPERTIES_TO_PARAMETER_BLOCK","features":[308,471,369]},{"name":"PRESUTIL_GET_PROPERTY","features":[308,471,369]},{"name":"PRESUTIL_GET_PROPERTY_FORMATS","features":[308,471]},{"name":"PRESUTIL_GET_PROPERTY_SIZE","features":[308,471,369]},{"name":"PRESUTIL_GET_QWORD_VALUE","features":[471,369]},{"name":"PRESUTIL_GET_RESOURCE_DEPENDENCY","features":[308,471]},{"name":"PRESUTIL_GET_RESOURCE_DEPENDENCY_BY_CLASS","features":[308,471]},{"name":"PRESUTIL_GET_RESOURCE_DEPENDENCY_BY_CLASS_EX","features":[308,471]},{"name":"PRESUTIL_GET_RESOURCE_DEPENDENCY_BY_NAME","features":[308,471]},{"name":"PRESUTIL_GET_RESOURCE_DEPENDENCY_BY_NAME_EX","features":[308,471]},{"name":"PRESUTIL_GET_RESOURCE_DEPENDENCY_EX","features":[308,471]},{"name":"PRESUTIL_GET_RESOURCE_DEPENDENTIP_ADDRESS_PROPS","features":[471]},{"name":"PRESUTIL_GET_RESOURCE_NAME","features":[471]},{"name":"PRESUTIL_GET_RESOURCE_NAME_DEPENDENCY","features":[471]},{"name":"PRESUTIL_GET_RESOURCE_NAME_DEPENDENCY_EX","features":[471]},{"name":"PRESUTIL_GET_SZ_PROPERTY","features":[471]},{"name":"PRESUTIL_GET_SZ_VALUE","features":[471,369]},{"name":"PRESUTIL_IS_PATH_VALID","features":[308,471]},{"name":"PRESUTIL_IS_RESOURCE_CLASS_EQUAL","features":[308,471]},{"name":"PRESUTIL_PROPERTY_LIST_FROM_PARAMETER_BLOCK","features":[308,471]},{"name":"PRESUTIL_REMOVE_RESOURCE_SERVICE_ENVIRONMENT","features":[471]},{"name":"PRESUTIL_RESOURCES_EQUAL","features":[308,471]},{"name":"PRESUTIL_RESOURCE_TYPES_EQUAL","features":[308,471]},{"name":"PRESUTIL_SET_BINARY_VALUE","features":[471,369]},{"name":"PRESUTIL_SET_DWORD_VALUE","features":[471,369]},{"name":"PRESUTIL_SET_EXPAND_SZ_VALUE","features":[471,369]},{"name":"PRESUTIL_SET_MULTI_SZ_VALUE","features":[471,369]},{"name":"PRESUTIL_SET_PRIVATE_PROPERTY_LIST","features":[471,369]},{"name":"PRESUTIL_SET_PROPERTY_PARAMETER_BLOCK","features":[308,471,369]},{"name":"PRESUTIL_SET_PROPERTY_PARAMETER_BLOCK_EX","features":[308,471,369]},{"name":"PRESUTIL_SET_PROPERTY_TABLE","features":[308,471,369]},{"name":"PRESUTIL_SET_PROPERTY_TABLE_EX","features":[308,471,369]},{"name":"PRESUTIL_SET_QWORD_VALUE","features":[471,369]},{"name":"PRESUTIL_SET_RESOURCE_SERVICE_ENVIRONMENT","features":[471]},{"name":"PRESUTIL_SET_RESOURCE_SERVICE_START_PARAMETERS","features":[471,311]},{"name":"PRESUTIL_SET_RESOURCE_SERVICE_START_PARAMETERS_EX","features":[471,311]},{"name":"PRESUTIL_SET_SZ_VALUE","features":[471,369]},{"name":"PRESUTIL_SET_UNKNOWN_PROPERTIES","features":[308,471,369]},{"name":"PRESUTIL_START_RESOURCE_SERVICE","features":[471,311]},{"name":"PRESUTIL_STOP_RESOURCE_SERVICE","features":[471]},{"name":"PRESUTIL_STOP_SERVICE","features":[471,311]},{"name":"PRESUTIL_TERMINATE_SERVICE_PROCESS_FROM_RES_DLL","features":[308,471]},{"name":"PRESUTIL_VERIFY_PRIVATE_PROPERTY_LIST","features":[471]},{"name":"PRESUTIL_VERIFY_PROPERTY_TABLE","features":[308,471]},{"name":"PRESUTIL_VERIFY_RESOURCE_SERVICE","features":[471]},{"name":"PRESUTIL_VERIFY_SERVICE","features":[471,311]},{"name":"PRES_UTIL_VERIFY_SHUTDOWN_SAFE","features":[471]},{"name":"PSET_INTERNAL_STATE","features":[308,471]},{"name":"PSET_RESOURCE_INMEMORY_NODELOCAL_PROPERTIES_ROUTINE","features":[471]},{"name":"PSET_RESOURCE_LOCKED_MODE_EX_ROUTINE","features":[308,471]},{"name":"PSET_RESOURCE_LOCKED_MODE_ROUTINE","features":[308,471]},{"name":"PSET_RESOURCE_STATUS_ROUTINE","features":[308,471]},{"name":"PSET_RESOURCE_STATUS_ROUTINE_EX","features":[308,471]},{"name":"PSET_RESOURCE_WPR_POLICY_ROUTINE","features":[471]},{"name":"PSIGNAL_FAILURE_ROUTINE","features":[471]},{"name":"PSTARTUP_EX_ROUTINE","features":[308,471,369]},{"name":"PSTARTUP_ROUTINE","features":[308,471,369]},{"name":"PTERMINATE_ROUTINE","features":[471]},{"name":"PWORKER_START_ROUTINE","features":[308,471]},{"name":"PauseClusterNode","features":[471]},{"name":"PauseClusterNodeEx","features":[308,471]},{"name":"PauseClusterNodeEx2","features":[308,471]},{"name":"PaxosTagCStruct","features":[471]},{"name":"PriorityDisabled","features":[471]},{"name":"PriorityHigh","features":[471]},{"name":"PriorityLow","features":[471]},{"name":"PriorityMedium","features":[471]},{"name":"QueryAppInstanceVersion","features":[308,471]},{"name":"RESDLL_CONTEXT_OPERATION_TYPE","features":[471]},{"name":"RESOURCE_EXIT_STATE","features":[471]},{"name":"RESOURCE_FAILURE_INFO","features":[471]},{"name":"RESOURCE_FAILURE_INFO_BUFFER","features":[471]},{"name":"RESOURCE_FAILURE_INFO_VERSION_1","features":[471]},{"name":"RESOURCE_MONITOR_STATE","features":[471]},{"name":"RESOURCE_STATUS","features":[308,471]},{"name":"RESOURCE_STATUS_EX","features":[308,471]},{"name":"RESOURCE_TERMINAL_FAILURE_INFO_BUFFER","features":[308,471]},{"name":"RESTYPE_MONITOR_SHUTTING_DOWN_CLUSSVC_CRASH","features":[471]},{"name":"RESTYPE_MONITOR_SHUTTING_DOWN_NODE_STOP","features":[471]},{"name":"RESUTIL_FILETIME_DATA","features":[308,471]},{"name":"RESUTIL_LARGEINT_DATA","features":[471]},{"name":"RESUTIL_PROPERTY_ITEM","features":[308,471]},{"name":"RESUTIL_PROPITEM_IN_MEMORY","features":[471]},{"name":"RESUTIL_PROPITEM_READ_ONLY","features":[471]},{"name":"RESUTIL_PROPITEM_REQUIRED","features":[471]},{"name":"RESUTIL_PROPITEM_SIGNED","features":[471]},{"name":"RESUTIL_ULARGEINT_DATA","features":[471]},{"name":"RS3_UPGRADE_VERSION","features":[471]},{"name":"RS4_UPGRADE_VERSION","features":[471]},{"name":"RS5_UPGRADE_VERSION","features":[471]},{"name":"RedirectedIOReasonBitLockerInitializing","features":[471]},{"name":"RedirectedIOReasonFileSystemTiering","features":[471]},{"name":"RedirectedIOReasonMax","features":[471]},{"name":"RedirectedIOReasonReFs","features":[471]},{"name":"RedirectedIOReasonUnsafeFileSystemFilter","features":[471]},{"name":"RedirectedIOReasonUnsafeVolumeFilter","features":[471]},{"name":"RedirectedIOReasonUserRequest","features":[471]},{"name":"RegisterAppInstance","features":[308,471]},{"name":"RegisterAppInstanceVersion","features":[471]},{"name":"RegisterClusterNotify","features":[308,471]},{"name":"RegisterClusterNotifyV2","features":[308,471]},{"name":"RegisterClusterResourceTypeNotifyV2","features":[471]},{"name":"RemoveClusterGroupDependency","features":[471]},{"name":"RemoveClusterGroupDependencyEx","features":[471]},{"name":"RemoveClusterGroupSetDependency","features":[471]},{"name":"RemoveClusterGroupSetDependencyEx","features":[471]},{"name":"RemoveClusterGroupToGroupSetDependency","features":[471]},{"name":"RemoveClusterGroupToGroupSetDependencyEx","features":[471]},{"name":"RemoveClusterNameAccount","features":[308,471]},{"name":"RemoveClusterResourceDependency","features":[471]},{"name":"RemoveClusterResourceDependencyEx","features":[471]},{"name":"RemoveClusterResourceNode","features":[471]},{"name":"RemoveClusterResourceNodeEx","features":[471]},{"name":"RemoveClusterStorageNode","features":[471]},{"name":"RemoveCrossClusterGroupSetDependency","features":[471]},{"name":"RemoveResourceFromClusterSharedVolumes","features":[471]},{"name":"ResUtilAddUnknownProperties","features":[308,471,369]},{"name":"ResUtilCreateDirectoryTree","features":[471]},{"name":"ResUtilDupGroup","features":[471]},{"name":"ResUtilDupParameterBlock","features":[308,471]},{"name":"ResUtilDupResource","features":[471]},{"name":"ResUtilDupString","features":[471]},{"name":"ResUtilEnumGroups","features":[471]},{"name":"ResUtilEnumGroupsEx","features":[471]},{"name":"ResUtilEnumPrivateProperties","features":[471,369]},{"name":"ResUtilEnumProperties","features":[308,471]},{"name":"ResUtilEnumResources","features":[471]},{"name":"ResUtilEnumResourcesEx","features":[471]},{"name":"ResUtilEnumResourcesEx2","features":[471]},{"name":"ResUtilExpandEnvironmentStrings","features":[471]},{"name":"ResUtilFindBinaryProperty","features":[471]},{"name":"ResUtilFindDependentDiskResourceDriveLetter","features":[471]},{"name":"ResUtilFindDwordProperty","features":[471]},{"name":"ResUtilFindExpandSzProperty","features":[471]},{"name":"ResUtilFindExpandedSzProperty","features":[471]},{"name":"ResUtilFindFileTimeProperty","features":[308,471]},{"name":"ResUtilFindLongProperty","features":[471]},{"name":"ResUtilFindMultiSzProperty","features":[471]},{"name":"ResUtilFindSzProperty","features":[471]},{"name":"ResUtilFindULargeIntegerProperty","features":[471]},{"name":"ResUtilFreeEnvironment","features":[471]},{"name":"ResUtilFreeParameterBlock","features":[308,471]},{"name":"ResUtilGetAllProperties","features":[308,471,369]},{"name":"ResUtilGetBinaryProperty","features":[471]},{"name":"ResUtilGetBinaryValue","features":[471,369]},{"name":"ResUtilGetClusterGroupType","features":[471]},{"name":"ResUtilGetClusterId","features":[471]},{"name":"ResUtilGetClusterRoleState","features":[471]},{"name":"ResUtilGetCoreClusterResources","features":[471]},{"name":"ResUtilGetCoreClusterResourcesEx","features":[471]},{"name":"ResUtilGetCoreGroup","features":[471]},{"name":"ResUtilGetDwordProperty","features":[471]},{"name":"ResUtilGetDwordValue","features":[471,369]},{"name":"ResUtilGetEnvironmentWithNetName","features":[471]},{"name":"ResUtilGetFileTimeProperty","features":[308,471]},{"name":"ResUtilGetLongProperty","features":[471]},{"name":"ResUtilGetMultiSzProperty","features":[471]},{"name":"ResUtilGetPrivateProperties","features":[471,369]},{"name":"ResUtilGetProperties","features":[308,471,369]},{"name":"ResUtilGetPropertiesToParameterBlock","features":[308,471,369]},{"name":"ResUtilGetProperty","features":[308,471,369]},{"name":"ResUtilGetPropertyFormats","features":[308,471]},{"name":"ResUtilGetPropertySize","features":[308,471,369]},{"name":"ResUtilGetQwordValue","features":[471,369]},{"name":"ResUtilGetResourceDependency","features":[308,471]},{"name":"ResUtilGetResourceDependencyByClass","features":[308,471]},{"name":"ResUtilGetResourceDependencyByClassEx","features":[308,471]},{"name":"ResUtilGetResourceDependencyByName","features":[308,471]},{"name":"ResUtilGetResourceDependencyByNameEx","features":[308,471]},{"name":"ResUtilGetResourceDependencyEx","features":[308,471]},{"name":"ResUtilGetResourceDependentIPAddressProps","features":[471]},{"name":"ResUtilGetResourceName","features":[471]},{"name":"ResUtilGetResourceNameDependency","features":[471]},{"name":"ResUtilGetResourceNameDependencyEx","features":[471]},{"name":"ResUtilGetSzProperty","features":[471]},{"name":"ResUtilGetSzValue","features":[471,369]},{"name":"ResUtilGroupsEqual","features":[308,471]},{"name":"ResUtilIsPathValid","features":[308,471]},{"name":"ResUtilIsResourceClassEqual","features":[308,471]},{"name":"ResUtilLeftPaxosIsLessThanRight","features":[308,471]},{"name":"ResUtilNodeEnum","features":[471]},{"name":"ResUtilPaxosComparer","features":[308,471]},{"name":"ResUtilPropertyListFromParameterBlock","features":[308,471]},{"name":"ResUtilRemoveResourceServiceEnvironment","features":[471]},{"name":"ResUtilResourceDepEnum","features":[471]},{"name":"ResUtilResourceTypesEqual","features":[308,471]},{"name":"ResUtilResourcesEqual","features":[308,471]},{"name":"ResUtilSetBinaryValue","features":[471,369]},{"name":"ResUtilSetDwordValue","features":[471,369]},{"name":"ResUtilSetExpandSzValue","features":[471,369]},{"name":"ResUtilSetMultiSzValue","features":[471,369]},{"name":"ResUtilSetPrivatePropertyList","features":[471,369]},{"name":"ResUtilSetPropertyParameterBlock","features":[308,471,369]},{"name":"ResUtilSetPropertyParameterBlockEx","features":[308,471,369]},{"name":"ResUtilSetPropertyTable","features":[308,471,369]},{"name":"ResUtilSetPropertyTableEx","features":[308,471,369]},{"name":"ResUtilSetQwordValue","features":[471,369]},{"name":"ResUtilSetResourceServiceEnvironment","features":[471]},{"name":"ResUtilSetResourceServiceStartParameters","features":[471,311]},{"name":"ResUtilSetResourceServiceStartParametersEx","features":[471,311]},{"name":"ResUtilSetSzValue","features":[471,369]},{"name":"ResUtilSetUnknownProperties","features":[308,471,369]},{"name":"ResUtilSetValueEx","features":[471,369]},{"name":"ResUtilStartResourceService","features":[471,311]},{"name":"ResUtilStopResourceService","features":[471]},{"name":"ResUtilStopService","features":[471,311]},{"name":"ResUtilTerminateServiceProcessFromResDll","features":[308,471]},{"name":"ResUtilVerifyPrivatePropertyList","features":[471]},{"name":"ResUtilVerifyPropertyTable","features":[308,471]},{"name":"ResUtilVerifyResourceService","features":[471]},{"name":"ResUtilVerifyService","features":[471,311]},{"name":"ResUtilVerifyShutdownSafe","features":[471]},{"name":"ResUtilsDeleteKeyTree","features":[308,471,369]},{"name":"ResdllContextOperationTypeDrain","features":[471]},{"name":"ResdllContextOperationTypeDrainFailure","features":[471]},{"name":"ResdllContextOperationTypeEmbeddedFailure","features":[471]},{"name":"ResdllContextOperationTypeFailback","features":[471]},{"name":"ResdllContextOperationTypeNetworkDisconnect","features":[471]},{"name":"ResdllContextOperationTypeNetworkDisconnectMoveRetry","features":[471]},{"name":"ResdllContextOperationTypePreemption","features":[471]},{"name":"ResetAllAppInstanceVersions","features":[471]},{"name":"ResourceExitStateContinue","features":[471]},{"name":"ResourceExitStateMax","features":[471]},{"name":"ResourceExitStateTerminate","features":[471]},{"name":"ResourceUtilizationInfoElement","features":[471]},{"name":"RestartClusterResource","features":[471]},{"name":"RestartClusterResourceEx","features":[471]},{"name":"RestoreClusterDatabase","features":[308,471]},{"name":"ResumeClusterNode","features":[471]},{"name":"ResumeClusterNodeEx","features":[471]},{"name":"ResumeClusterNodeEx2","features":[471]},{"name":"RmonArbitrateResource","features":[471]},{"name":"RmonDeadlocked","features":[471]},{"name":"RmonDeletingResource","features":[471]},{"name":"RmonIdle","features":[471]},{"name":"RmonInitializing","features":[471]},{"name":"RmonInitializingResource","features":[471]},{"name":"RmonIsAlivePoll","features":[471]},{"name":"RmonLooksAlivePoll","features":[471]},{"name":"RmonOfflineResource","features":[471]},{"name":"RmonOnlineResource","features":[471]},{"name":"RmonReleaseResource","features":[471]},{"name":"RmonResourceControl","features":[471]},{"name":"RmonResourceTypeControl","features":[471]},{"name":"RmonShutdownResource","features":[471]},{"name":"RmonStartingResource","features":[471]},{"name":"RmonTerminateResource","features":[471]},{"name":"SET_APPINSTANCE_CSV_FLAGS_VALID_ONLY_IF_CSV_COORDINATOR","features":[471]},{"name":"SET_APP_INSTANCE_CSV_FLAGS","features":[308,471]},{"name":"SR_DISK_REPLICATION_ELIGIBLE","features":[471]},{"name":"SR_REPLICATED_DISK_TYPE","features":[471]},{"name":"SR_REPLICATED_PARTITION_DISALLOW_MULTINODE_IO","features":[471]},{"name":"SR_RESOURCE_TYPE_ADD_REPLICATION_GROUP","features":[308,471]},{"name":"SR_RESOURCE_TYPE_ADD_REPLICATION_GROUP_RESULT","features":[471]},{"name":"SR_RESOURCE_TYPE_DISK_INFO","features":[471]},{"name":"SR_RESOURCE_TYPE_ELIGIBLE_DISKS_RESULT","features":[471]},{"name":"SR_RESOURCE_TYPE_QUERY_ELIGIBLE_LOGDISKS","features":[308,471]},{"name":"SR_RESOURCE_TYPE_QUERY_ELIGIBLE_SOURCE_DATADISKS","features":[308,471]},{"name":"SR_RESOURCE_TYPE_QUERY_ELIGIBLE_TARGET_DATADISKS","features":[308,471]},{"name":"SR_RESOURCE_TYPE_REPLICATED_DISK","features":[471]},{"name":"SR_RESOURCE_TYPE_REPLICATED_DISKS_RESULT","features":[471]},{"name":"SR_RESOURCE_TYPE_REPLICATED_PARTITION_ARRAY","features":[471]},{"name":"SR_RESOURCE_TYPE_REPLICATED_PARTITION_INFO","features":[471]},{"name":"STARTUP_EX_ROUTINE","features":[471]},{"name":"STARTUP_ROUTINE","features":[471]},{"name":"SetAppInstanceCsvFlags","features":[308,471]},{"name":"SetClusterGroupName","features":[471]},{"name":"SetClusterGroupNameEx","features":[471]},{"name":"SetClusterGroupNodeList","features":[471]},{"name":"SetClusterGroupNodeListEx","features":[471]},{"name":"SetClusterGroupSetDependencyExpression","features":[471]},{"name":"SetClusterGroupSetDependencyExpressionEx","features":[471]},{"name":"SetClusterName","features":[471]},{"name":"SetClusterNameEx","features":[471]},{"name":"SetClusterNetworkName","features":[471]},{"name":"SetClusterNetworkNameEx","features":[471]},{"name":"SetClusterNetworkPriorityOrder","features":[471]},{"name":"SetClusterQuorumResource","features":[471]},{"name":"SetClusterQuorumResourceEx","features":[471]},{"name":"SetClusterResourceDependencyExpression","features":[471]},{"name":"SetClusterResourceName","features":[471]},{"name":"SetClusterResourceNameEx","features":[471]},{"name":"SetClusterServiceAccountPassword","features":[308,471]},{"name":"SetGroupDependencyExpression","features":[471]},{"name":"SetGroupDependencyExpressionEx","features":[471]},{"name":"SharedVolumeStateActive","features":[471]},{"name":"SharedVolumeStateActiveRedirected","features":[471]},{"name":"SharedVolumeStateActiveVolumeRedirected","features":[471]},{"name":"SharedVolumeStatePaused","features":[471]},{"name":"SharedVolumeStateUnavailable","features":[471]},{"name":"SrDiskReplicationEligibleAlreadyInReplication","features":[471]},{"name":"SrDiskReplicationEligibleFileSystemNotSupported","features":[471]},{"name":"SrDiskReplicationEligibleInSameSite","features":[471]},{"name":"SrDiskReplicationEligibleInsufficientFreeSpace","features":[471]},{"name":"SrDiskReplicationEligibleNone","features":[471]},{"name":"SrDiskReplicationEligibleNotGpt","features":[471]},{"name":"SrDiskReplicationEligibleNotInSameSite","features":[471]},{"name":"SrDiskReplicationEligibleOffline","features":[471]},{"name":"SrDiskReplicationEligibleOther","features":[471]},{"name":"SrDiskReplicationEligiblePartitionLayoutMismatch","features":[471]},{"name":"SrDiskReplicationEligibleSameAsSpecifiedDisk","features":[471]},{"name":"SrDiskReplicationEligibleYes","features":[471]},{"name":"SrReplicatedDiskTypeDestination","features":[471]},{"name":"SrReplicatedDiskTypeLogDestination","features":[471]},{"name":"SrReplicatedDiskTypeLogNotInParthership","features":[471]},{"name":"SrReplicatedDiskTypeLogSource","features":[471]},{"name":"SrReplicatedDiskTypeNone","features":[471]},{"name":"SrReplicatedDiskTypeNotInParthership","features":[471]},{"name":"SrReplicatedDiskTypeOther","features":[471]},{"name":"SrReplicatedDiskTypeSource","features":[471]},{"name":"USE_CLIENT_ACCESS_NETWORKS_FOR_CSV","features":[471]},{"name":"VM_RESDLL_CONTEXT","features":[471]},{"name":"VmResdllContextLiveMigration","features":[471]},{"name":"VmResdllContextSave","features":[471]},{"name":"VmResdllContextShutdown","features":[471]},{"name":"VmResdllContextShutdownForce","features":[471]},{"name":"VmResdllContextTurnOff","features":[471]},{"name":"VolumeBackupInProgress","features":[471]},{"name":"VolumeBackupNone","features":[471]},{"name":"VolumeRedirectedIOReasonMax","features":[471]},{"name":"VolumeRedirectedIOReasonNoDiskConnectivity","features":[471]},{"name":"VolumeRedirectedIOReasonStorageSpaceNotAttached","features":[471]},{"name":"VolumeRedirectedIOReasonVolumeReplicationEnabled","features":[471]},{"name":"VolumeStateDismounted","features":[471]},{"name":"VolumeStateInMaintenance","features":[471]},{"name":"VolumeStateNoAccess","features":[471]},{"name":"VolumeStateNoDirectIO","features":[471]},{"name":"VolumeStateNoFaults","features":[471]},{"name":"WS2016_RTM_UPGRADE_VERSION","features":[471]},{"name":"WS2016_TP4_UPGRADE_VERSION","features":[471]},{"name":"WS2016_TP5_UPGRADE_VERSION","features":[471]},{"name":"WitnessTagHelper","features":[471]},{"name":"WitnessTagUpdateHelper","features":[471]},{"name":"eResourceStateChangeReasonFailedMove","features":[471]},{"name":"eResourceStateChangeReasonFailover","features":[471]},{"name":"eResourceStateChangeReasonMove","features":[471]},{"name":"eResourceStateChangeReasonRundown","features":[471]},{"name":"eResourceStateChangeReasonShutdown","features":[471]},{"name":"eResourceStateChangeReasonUnknown","features":[471]}],"470":[{"name":"CacheRangeChunkSize","features":[472]},{"name":"CreateRequestQueueExternalIdProperty","features":[472]},{"name":"CreateRequestQueueMax","features":[472]},{"name":"DelegateRequestDelegateUrlProperty","features":[472]},{"name":"DelegateRequestReservedProperty","features":[472]},{"name":"ExParamTypeErrorHeaders","features":[472]},{"name":"ExParamTypeHttp2SettingsLimits","features":[472]},{"name":"ExParamTypeHttp2Window","features":[472]},{"name":"ExParamTypeHttpPerformance","features":[472]},{"name":"ExParamTypeMax","features":[472]},{"name":"ExParamTypeTlsRestrictions","features":[472]},{"name":"ExParamTypeTlsSessionTicketKeys","features":[472]},{"name":"HTTP2_SETTINGS_LIMITS_PARAM","features":[472]},{"name":"HTTP2_WINDOW_SIZE_PARAM","features":[472]},{"name":"HTTPAPI_VERSION","features":[472]},{"name":"HTTP_503_RESPONSE_VERBOSITY","features":[472]},{"name":"HTTP_AUTHENTICATION_HARDENING_LEVELS","features":[472]},{"name":"HTTP_AUTH_ENABLE_BASIC","features":[472]},{"name":"HTTP_AUTH_ENABLE_DIGEST","features":[472]},{"name":"HTTP_AUTH_ENABLE_KERBEROS","features":[472]},{"name":"HTTP_AUTH_ENABLE_NEGOTIATE","features":[472]},{"name":"HTTP_AUTH_ENABLE_NTLM","features":[472]},{"name":"HTTP_AUTH_EX_FLAG_CAPTURE_CREDENTIAL","features":[472]},{"name":"HTTP_AUTH_EX_FLAG_ENABLE_KERBEROS_CREDENTIAL_CACHING","features":[472]},{"name":"HTTP_AUTH_STATUS","features":[472]},{"name":"HTTP_BANDWIDTH_LIMIT_INFO","features":[472]},{"name":"HTTP_BINDING_INFO","features":[308,472]},{"name":"HTTP_BYTE_RANGE","features":[472]},{"name":"HTTP_CACHE_POLICY","features":[472]},{"name":"HTTP_CACHE_POLICY_TYPE","features":[472]},{"name":"HTTP_CHANNEL_BIND_CLIENT_SERVICE","features":[472]},{"name":"HTTP_CHANNEL_BIND_DOTLESS_SERVICE","features":[472]},{"name":"HTTP_CHANNEL_BIND_INFO","features":[472]},{"name":"HTTP_CHANNEL_BIND_NO_SERVICE_NAME_CHECK","features":[472]},{"name":"HTTP_CHANNEL_BIND_PROXY","features":[472]},{"name":"HTTP_CHANNEL_BIND_PROXY_COHOSTING","features":[472]},{"name":"HTTP_CHANNEL_BIND_SECURE_CHANNEL_TOKEN","features":[472]},{"name":"HTTP_CONNECTION_LIMIT_INFO","features":[472]},{"name":"HTTP_COOKED_URL","features":[472]},{"name":"HTTP_CREATE_REQUEST_QUEUE_FLAG_CONTROLLER","features":[472]},{"name":"HTTP_CREATE_REQUEST_QUEUE_FLAG_DELEGATION","features":[472]},{"name":"HTTP_CREATE_REQUEST_QUEUE_FLAG_OPEN_EXISTING","features":[472]},{"name":"HTTP_CREATE_REQUEST_QUEUE_PROPERTY_ID","features":[472]},{"name":"HTTP_CREATE_REQUEST_QUEUE_PROPERTY_INFO","features":[472]},{"name":"HTTP_DATA_CHUNK","features":[308,472]},{"name":"HTTP_DATA_CHUNK_TYPE","features":[472]},{"name":"HTTP_DELEGATE_REQUEST_PROPERTY_ID","features":[472]},{"name":"HTTP_DELEGATE_REQUEST_PROPERTY_INFO","features":[472]},{"name":"HTTP_DEMAND_CBT","features":[472]},{"name":"HTTP_ENABLED_STATE","features":[472]},{"name":"HTTP_ERROR_HEADERS_PARAM","features":[472]},{"name":"HTTP_FEATURE_ID","features":[472]},{"name":"HTTP_FLOWRATE_INFO","features":[472]},{"name":"HTTP_FLUSH_RESPONSE_FLAG_RECURSIVE","features":[472]},{"name":"HTTP_HEADER_ID","features":[472]},{"name":"HTTP_INITIALIZE","features":[472]},{"name":"HTTP_INITIALIZE_CONFIG","features":[472]},{"name":"HTTP_INITIALIZE_SERVER","features":[472]},{"name":"HTTP_KNOWN_HEADER","features":[472]},{"name":"HTTP_LISTEN_ENDPOINT_INFO","features":[308,472]},{"name":"HTTP_LOGGING_FLAG_LOCAL_TIME_ROLLOVER","features":[472]},{"name":"HTTP_LOGGING_FLAG_LOG_ERRORS_ONLY","features":[472]},{"name":"HTTP_LOGGING_FLAG_LOG_SUCCESS_ONLY","features":[472]},{"name":"HTTP_LOGGING_FLAG_USE_UTF8_CONVERSION","features":[472]},{"name":"HTTP_LOGGING_INFO","features":[472,311]},{"name":"HTTP_LOGGING_ROLLOVER_TYPE","features":[472]},{"name":"HTTP_LOGGING_TYPE","features":[472]},{"name":"HTTP_LOG_DATA","features":[472]},{"name":"HTTP_LOG_DATA_TYPE","features":[472]},{"name":"HTTP_LOG_FIELDS_DATA","features":[472]},{"name":"HTTP_LOG_FIELD_BYTES_RECV","features":[472]},{"name":"HTTP_LOG_FIELD_BYTES_SENT","features":[472]},{"name":"HTTP_LOG_FIELD_CLIENT_IP","features":[472]},{"name":"HTTP_LOG_FIELD_CLIENT_PORT","features":[472]},{"name":"HTTP_LOG_FIELD_COMPUTER_NAME","features":[472]},{"name":"HTTP_LOG_FIELD_COOKIE","features":[472]},{"name":"HTTP_LOG_FIELD_CORRELATION_ID","features":[472]},{"name":"HTTP_LOG_FIELD_DATE","features":[472]},{"name":"HTTP_LOG_FIELD_FAULT_CODE","features":[472]},{"name":"HTTP_LOG_FIELD_HOST","features":[472]},{"name":"HTTP_LOG_FIELD_METHOD","features":[472]},{"name":"HTTP_LOG_FIELD_QUEUE_NAME","features":[472]},{"name":"HTTP_LOG_FIELD_REASON","features":[472]},{"name":"HTTP_LOG_FIELD_REFERER","features":[472]},{"name":"HTTP_LOG_FIELD_SERVER_IP","features":[472]},{"name":"HTTP_LOG_FIELD_SERVER_PORT","features":[472]},{"name":"HTTP_LOG_FIELD_SITE_ID","features":[472]},{"name":"HTTP_LOG_FIELD_SITE_NAME","features":[472]},{"name":"HTTP_LOG_FIELD_STATUS","features":[472]},{"name":"HTTP_LOG_FIELD_STREAM_ID","features":[472]},{"name":"HTTP_LOG_FIELD_STREAM_ID_EX","features":[472]},{"name":"HTTP_LOG_FIELD_SUB_STATUS","features":[472]},{"name":"HTTP_LOG_FIELD_TIME","features":[472]},{"name":"HTTP_LOG_FIELD_TIME_TAKEN","features":[472]},{"name":"HTTP_LOG_FIELD_TRANSPORT_TYPE","features":[472]},{"name":"HTTP_LOG_FIELD_URI","features":[472]},{"name":"HTTP_LOG_FIELD_URI_QUERY","features":[472]},{"name":"HTTP_LOG_FIELD_URI_STEM","features":[472]},{"name":"HTTP_LOG_FIELD_USER_AGENT","features":[472]},{"name":"HTTP_LOG_FIELD_USER_NAME","features":[472]},{"name":"HTTP_LOG_FIELD_VERSION","features":[472]},{"name":"HTTP_LOG_FIELD_WIN32_STATUS","features":[472]},{"name":"HTTP_MAX_SERVER_QUEUE_LENGTH","features":[472]},{"name":"HTTP_MIN_SERVER_QUEUE_LENGTH","features":[472]},{"name":"HTTP_MULTIPLE_KNOWN_HEADERS","features":[472]},{"name":"HTTP_PERFORMANCE_PARAM","features":[472]},{"name":"HTTP_PERFORMANCE_PARAM_TYPE","features":[472]},{"name":"HTTP_PROPERTY_FLAGS","features":[472]},{"name":"HTTP_PROTECTION_LEVEL_INFO","features":[472]},{"name":"HTTP_PROTECTION_LEVEL_TYPE","features":[472]},{"name":"HTTP_QOS_SETTING_INFO","features":[472]},{"name":"HTTP_QOS_SETTING_TYPE","features":[472]},{"name":"HTTP_QUERY_REQUEST_QUALIFIER_QUIC","features":[472]},{"name":"HTTP_QUERY_REQUEST_QUALIFIER_TCP","features":[472]},{"name":"HTTP_QUIC_API_TIMINGS","features":[472]},{"name":"HTTP_QUIC_CONNECTION_API_TIMINGS","features":[472]},{"name":"HTTP_QUIC_STREAM_API_TIMINGS","features":[472]},{"name":"HTTP_QUIC_STREAM_REQUEST_STATS","features":[472]},{"name":"HTTP_RECEIVE_FULL_CHAIN","features":[472]},{"name":"HTTP_RECEIVE_HTTP_REQUEST_FLAGS","features":[472]},{"name":"HTTP_RECEIVE_REQUEST_ENTITY_BODY_FLAG_FILL_BUFFER","features":[472]},{"name":"HTTP_RECEIVE_REQUEST_FLAG_COPY_BODY","features":[472]},{"name":"HTTP_RECEIVE_REQUEST_FLAG_FLUSH_BODY","features":[472]},{"name":"HTTP_RECEIVE_SECURE_CHANNEL_TOKEN","features":[472]},{"name":"HTTP_REQUEST_AUTH_FLAG_TOKEN_FOR_CACHED_CRED","features":[472]},{"name":"HTTP_REQUEST_AUTH_INFO","features":[308,472]},{"name":"HTTP_REQUEST_AUTH_TYPE","features":[472]},{"name":"HTTP_REQUEST_CHANNEL_BIND_STATUS","features":[472]},{"name":"HTTP_REQUEST_FLAG_HTTP2","features":[472]},{"name":"HTTP_REQUEST_FLAG_HTTP3","features":[472]},{"name":"HTTP_REQUEST_FLAG_IP_ROUTED","features":[472]},{"name":"HTTP_REQUEST_FLAG_MORE_ENTITY_BODY_EXISTS","features":[472]},{"name":"HTTP_REQUEST_HEADERS","features":[472]},{"name":"HTTP_REQUEST_INFO","features":[472]},{"name":"HTTP_REQUEST_INFO_TYPE","features":[472]},{"name":"HTTP_REQUEST_PROPERTY","features":[472]},{"name":"HTTP_REQUEST_PROPERTY_SNI","features":[472]},{"name":"HTTP_REQUEST_PROPERTY_SNI_FLAG_NO_SNI","features":[472]},{"name":"HTTP_REQUEST_PROPERTY_SNI_FLAG_SNI_USED","features":[472]},{"name":"HTTP_REQUEST_PROPERTY_SNI_HOST_MAX_LENGTH","features":[472]},{"name":"HTTP_REQUEST_PROPERTY_STREAM_ERROR","features":[472]},{"name":"HTTP_REQUEST_SIZING_INFO","features":[472]},{"name":"HTTP_REQUEST_SIZING_INFO_FLAG_FIRST_REQUEST","features":[472]},{"name":"HTTP_REQUEST_SIZING_INFO_FLAG_TCP_FAST_OPEN","features":[472]},{"name":"HTTP_REQUEST_SIZING_INFO_FLAG_TLS_FALSE_START","features":[472]},{"name":"HTTP_REQUEST_SIZING_INFO_FLAG_TLS_SESSION_RESUMPTION","features":[472]},{"name":"HTTP_REQUEST_SIZING_TYPE","features":[472]},{"name":"HTTP_REQUEST_TIMING_INFO","features":[472]},{"name":"HTTP_REQUEST_TIMING_TYPE","features":[472]},{"name":"HTTP_REQUEST_TOKEN_BINDING_INFO","features":[472]},{"name":"HTTP_REQUEST_V1","features":[308,472,321]},{"name":"HTTP_REQUEST_V2","features":[308,472,321]},{"name":"HTTP_RESPONSE_FLAG_MORE_ENTITY_BODY_EXISTS","features":[472]},{"name":"HTTP_RESPONSE_FLAG_MULTIPLE_ENCODINGS_AVAILABLE","features":[472]},{"name":"HTTP_RESPONSE_HEADERS","features":[472]},{"name":"HTTP_RESPONSE_INFO","features":[472]},{"name":"HTTP_RESPONSE_INFO_FLAGS_PRESERVE_ORDER","features":[472]},{"name":"HTTP_RESPONSE_INFO_TYPE","features":[472]},{"name":"HTTP_RESPONSE_V1","features":[308,472]},{"name":"HTTP_RESPONSE_V2","features":[308,472]},{"name":"HTTP_SCHEME","features":[472]},{"name":"HTTP_SEND_RESPONSE_FLAG_BUFFER_DATA","features":[472]},{"name":"HTTP_SEND_RESPONSE_FLAG_DISCONNECT","features":[472]},{"name":"HTTP_SEND_RESPONSE_FLAG_ENABLE_NAGLING","features":[472]},{"name":"HTTP_SEND_RESPONSE_FLAG_GOAWAY","features":[472]},{"name":"HTTP_SEND_RESPONSE_FLAG_MORE_DATA","features":[472]},{"name":"HTTP_SEND_RESPONSE_FLAG_OPAQUE","features":[472]},{"name":"HTTP_SEND_RESPONSE_FLAG_PROCESS_RANGES","features":[472]},{"name":"HTTP_SERVER_AUTHENTICATION_BASIC_PARAMS","features":[472]},{"name":"HTTP_SERVER_AUTHENTICATION_DIGEST_PARAMS","features":[472]},{"name":"HTTP_SERVER_AUTHENTICATION_INFO","features":[308,472]},{"name":"HTTP_SERVER_PROPERTY","features":[472]},{"name":"HTTP_SERVICE_BINDING_A","features":[472]},{"name":"HTTP_SERVICE_BINDING_BASE","features":[472]},{"name":"HTTP_SERVICE_BINDING_TYPE","features":[472]},{"name":"HTTP_SERVICE_BINDING_W","features":[472]},{"name":"HTTP_SERVICE_CONFIG_CACHE_KEY","features":[472]},{"name":"HTTP_SERVICE_CONFIG_CACHE_SET","features":[472]},{"name":"HTTP_SERVICE_CONFIG_ID","features":[472]},{"name":"HTTP_SERVICE_CONFIG_IP_LISTEN_PARAM","features":[472,321]},{"name":"HTTP_SERVICE_CONFIG_IP_LISTEN_QUERY","features":[472,321]},{"name":"HTTP_SERVICE_CONFIG_QUERY_TYPE","features":[472]},{"name":"HTTP_SERVICE_CONFIG_SETTING_KEY","features":[472]},{"name":"HTTP_SERVICE_CONFIG_SETTING_SET","features":[472]},{"name":"HTTP_SERVICE_CONFIG_SSL_CCS_KEY","features":[472,321]},{"name":"HTTP_SERVICE_CONFIG_SSL_CCS_QUERY","features":[472,321]},{"name":"HTTP_SERVICE_CONFIG_SSL_CCS_QUERY_EX","features":[472,321]},{"name":"HTTP_SERVICE_CONFIG_SSL_CCS_SET","features":[472,321]},{"name":"HTTP_SERVICE_CONFIG_SSL_CCS_SET_EX","features":[472,321]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_DISABLE_HTTP2","features":[472]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_DISABLE_LEGACY_TLS","features":[472]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_DISABLE_OCSP_STAPLING","features":[472]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_DISABLE_QUIC","features":[472]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_DISABLE_SESSION_ID","features":[472]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_DISABLE_TLS12","features":[472]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_DISABLE_TLS13","features":[472]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_ENABLE_CLIENT_CORRELATION","features":[472]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_ENABLE_SESSION_TICKET","features":[472]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_ENABLE_TOKEN_BINDING","features":[472]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_LOG_EXTENDED_EVENTS","features":[472]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_NEGOTIATE_CLIENT_CERT","features":[472]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_NO_RAW_FILTER","features":[472]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_REJECT","features":[472]},{"name":"HTTP_SERVICE_CONFIG_SSL_FLAG_USE_DS_MAPPER","features":[472]},{"name":"HTTP_SERVICE_CONFIG_SSL_KEY","features":[472,321]},{"name":"HTTP_SERVICE_CONFIG_SSL_KEY_EX","features":[472,321]},{"name":"HTTP_SERVICE_CONFIG_SSL_PARAM","features":[472]},{"name":"HTTP_SERVICE_CONFIG_SSL_PARAM_EX","features":[472]},{"name":"HTTP_SERVICE_CONFIG_SSL_QUERY","features":[472,321]},{"name":"HTTP_SERVICE_CONFIG_SSL_QUERY_EX","features":[472,321]},{"name":"HTTP_SERVICE_CONFIG_SSL_SET","features":[472,321]},{"name":"HTTP_SERVICE_CONFIG_SSL_SET_EX","features":[472,321]},{"name":"HTTP_SERVICE_CONFIG_SSL_SNI_KEY","features":[472,321]},{"name":"HTTP_SERVICE_CONFIG_SSL_SNI_QUERY","features":[472,321]},{"name":"HTTP_SERVICE_CONFIG_SSL_SNI_QUERY_EX","features":[472,321]},{"name":"HTTP_SERVICE_CONFIG_SSL_SNI_SET","features":[472,321]},{"name":"HTTP_SERVICE_CONFIG_SSL_SNI_SET_EX","features":[472,321]},{"name":"HTTP_SERVICE_CONFIG_TIMEOUT_KEY","features":[472]},{"name":"HTTP_SERVICE_CONFIG_TIMEOUT_SET","features":[472]},{"name":"HTTP_SERVICE_CONFIG_URLACL_KEY","features":[472]},{"name":"HTTP_SERVICE_CONFIG_URLACL_PARAM","features":[472]},{"name":"HTTP_SERVICE_CONFIG_URLACL_QUERY","features":[472]},{"name":"HTTP_SERVICE_CONFIG_URLACL_SET","features":[472]},{"name":"HTTP_SSL_CLIENT_CERT_INFO","features":[308,472]},{"name":"HTTP_SSL_INFO","features":[308,472]},{"name":"HTTP_SSL_PROTOCOL_INFO","features":[472]},{"name":"HTTP_SSL_SERVICE_CONFIG_EX_PARAM_TYPE","features":[472]},{"name":"HTTP_STATE_INFO","features":[472]},{"name":"HTTP_TIMEOUT_LIMIT_INFO","features":[472]},{"name":"HTTP_TLS_RESTRICTIONS_PARAM","features":[472]},{"name":"HTTP_TLS_SESSION_TICKET_KEYS_PARAM","features":[472]},{"name":"HTTP_TRANSPORT_ADDRESS","features":[472,321]},{"name":"HTTP_UNKNOWN_HEADER","features":[472]},{"name":"HTTP_URL_FLAG_REMOVE_ALL","features":[472]},{"name":"HTTP_VERB","features":[472]},{"name":"HTTP_VERSION","features":[472]},{"name":"HTTP_VERSION","features":[472]},{"name":"HTTP_WSK_API_TIMINGS","features":[472]},{"name":"HeaderWaitTimeout","features":[472]},{"name":"Http503ResponseVerbosityBasic","features":[472]},{"name":"Http503ResponseVerbosityFull","features":[472]},{"name":"Http503ResponseVerbosityLimited","features":[472]},{"name":"HttpAddFragmentToCache","features":[308,472,313]},{"name":"HttpAddUrl","features":[308,472]},{"name":"HttpAddUrlToUrlGroup","features":[472]},{"name":"HttpAuthStatusFailure","features":[472]},{"name":"HttpAuthStatusNotAuthenticated","features":[472]},{"name":"HttpAuthStatusSuccess","features":[472]},{"name":"HttpAuthenticationHardeningLegacy","features":[472]},{"name":"HttpAuthenticationHardeningMedium","features":[472]},{"name":"HttpAuthenticationHardeningStrict","features":[472]},{"name":"HttpCachePolicyMaximum","features":[472]},{"name":"HttpCachePolicyNocache","features":[472]},{"name":"HttpCachePolicyTimeToLive","features":[472]},{"name":"HttpCachePolicyUserInvalidates","features":[472]},{"name":"HttpCancelHttpRequest","features":[308,472,313]},{"name":"HttpCloseRequestQueue","features":[308,472]},{"name":"HttpCloseServerSession","features":[472]},{"name":"HttpCloseUrlGroup","features":[472]},{"name":"HttpCreateHttpHandle","features":[308,472]},{"name":"HttpCreateRequestQueue","features":[308,472,311]},{"name":"HttpCreateServerSession","features":[472]},{"name":"HttpCreateUrlGroup","features":[472]},{"name":"HttpDataChunkFromFileHandle","features":[472]},{"name":"HttpDataChunkFromFragmentCache","features":[472]},{"name":"HttpDataChunkFromFragmentCacheEx","features":[472]},{"name":"HttpDataChunkFromMemory","features":[472]},{"name":"HttpDataChunkMaximum","features":[472]},{"name":"HttpDataChunkTrailers","features":[472]},{"name":"HttpDeclarePush","features":[308,472]},{"name":"HttpDelegateRequestEx","features":[308,472]},{"name":"HttpDeleteServiceConfiguration","features":[308,472,313]},{"name":"HttpEnabledStateActive","features":[472]},{"name":"HttpEnabledStateInactive","features":[472]},{"name":"HttpFeatureApiTimings","features":[472]},{"name":"HttpFeatureDelegateEx","features":[472]},{"name":"HttpFeatureHttp3","features":[472]},{"name":"HttpFeatureLast","features":[472]},{"name":"HttpFeatureResponseTrailers","features":[472]},{"name":"HttpFeatureUnknown","features":[472]},{"name":"HttpFeaturemax","features":[472]},{"name":"HttpFindUrlGroupId","features":[308,472]},{"name":"HttpFlushResponseCache","features":[308,472,313]},{"name":"HttpGetExtension","features":[472]},{"name":"HttpHeaderAccept","features":[472]},{"name":"HttpHeaderAcceptCharset","features":[472]},{"name":"HttpHeaderAcceptEncoding","features":[472]},{"name":"HttpHeaderAcceptLanguage","features":[472]},{"name":"HttpHeaderAcceptRanges","features":[472]},{"name":"HttpHeaderAge","features":[472]},{"name":"HttpHeaderAllow","features":[472]},{"name":"HttpHeaderAuthorization","features":[472]},{"name":"HttpHeaderCacheControl","features":[472]},{"name":"HttpHeaderConnection","features":[472]},{"name":"HttpHeaderContentEncoding","features":[472]},{"name":"HttpHeaderContentLanguage","features":[472]},{"name":"HttpHeaderContentLength","features":[472]},{"name":"HttpHeaderContentLocation","features":[472]},{"name":"HttpHeaderContentMd5","features":[472]},{"name":"HttpHeaderContentRange","features":[472]},{"name":"HttpHeaderContentType","features":[472]},{"name":"HttpHeaderCookie","features":[472]},{"name":"HttpHeaderDate","features":[472]},{"name":"HttpHeaderEtag","features":[472]},{"name":"HttpHeaderExpect","features":[472]},{"name":"HttpHeaderExpires","features":[472]},{"name":"HttpHeaderFrom","features":[472]},{"name":"HttpHeaderHost","features":[472]},{"name":"HttpHeaderIfMatch","features":[472]},{"name":"HttpHeaderIfModifiedSince","features":[472]},{"name":"HttpHeaderIfNoneMatch","features":[472]},{"name":"HttpHeaderIfRange","features":[472]},{"name":"HttpHeaderIfUnmodifiedSince","features":[472]},{"name":"HttpHeaderKeepAlive","features":[472]},{"name":"HttpHeaderLastModified","features":[472]},{"name":"HttpHeaderLocation","features":[472]},{"name":"HttpHeaderMaxForwards","features":[472]},{"name":"HttpHeaderMaximum","features":[472]},{"name":"HttpHeaderPragma","features":[472]},{"name":"HttpHeaderProxyAuthenticate","features":[472]},{"name":"HttpHeaderProxyAuthorization","features":[472]},{"name":"HttpHeaderRange","features":[472]},{"name":"HttpHeaderReferer","features":[472]},{"name":"HttpHeaderRequestMaximum","features":[472]},{"name":"HttpHeaderResponseMaximum","features":[472]},{"name":"HttpHeaderRetryAfter","features":[472]},{"name":"HttpHeaderServer","features":[472]},{"name":"HttpHeaderSetCookie","features":[472]},{"name":"HttpHeaderTe","features":[472]},{"name":"HttpHeaderTrailer","features":[472]},{"name":"HttpHeaderTransferEncoding","features":[472]},{"name":"HttpHeaderTranslate","features":[472]},{"name":"HttpHeaderUpgrade","features":[472]},{"name":"HttpHeaderUserAgent","features":[472]},{"name":"HttpHeaderVary","features":[472]},{"name":"HttpHeaderVia","features":[472]},{"name":"HttpHeaderWarning","features":[472]},{"name":"HttpHeaderWwwAuthenticate","features":[472]},{"name":"HttpInitialize","features":[472]},{"name":"HttpIsFeatureSupported","features":[308,472]},{"name":"HttpLogDataTypeFields","features":[472]},{"name":"HttpLoggingRolloverDaily","features":[472]},{"name":"HttpLoggingRolloverHourly","features":[472]},{"name":"HttpLoggingRolloverMonthly","features":[472]},{"name":"HttpLoggingRolloverSize","features":[472]},{"name":"HttpLoggingRolloverWeekly","features":[472]},{"name":"HttpLoggingTypeIIS","features":[472]},{"name":"HttpLoggingTypeNCSA","features":[472]},{"name":"HttpLoggingTypeRaw","features":[472]},{"name":"HttpLoggingTypeW3C","features":[472]},{"name":"HttpNone","features":[472]},{"name":"HttpPrepareUrl","features":[472]},{"name":"HttpProtectionLevelEdgeRestricted","features":[472]},{"name":"HttpProtectionLevelRestricted","features":[472]},{"name":"HttpProtectionLevelUnrestricted","features":[472]},{"name":"HttpQosSettingTypeBandwidth","features":[472]},{"name":"HttpQosSettingTypeConnectionLimit","features":[472]},{"name":"HttpQosSettingTypeFlowRate","features":[472]},{"name":"HttpQueryRequestQueueProperty","features":[308,472]},{"name":"HttpQueryServerSessionProperty","features":[472]},{"name":"HttpQueryServiceConfiguration","features":[308,472,313]},{"name":"HttpQueryUrlGroupProperty","features":[472]},{"name":"HttpReadFragmentFromCache","features":[308,472,313]},{"name":"HttpReceiveClientCertificate","features":[308,472,313]},{"name":"HttpReceiveHttpRequest","features":[308,472,321,313]},{"name":"HttpReceiveRequestEntityBody","features":[308,472,313]},{"name":"HttpRemoveUrl","features":[308,472]},{"name":"HttpRemoveUrlFromUrlGroup","features":[472]},{"name":"HttpRequestAuthTypeBasic","features":[472]},{"name":"HttpRequestAuthTypeDigest","features":[472]},{"name":"HttpRequestAuthTypeKerberos","features":[472]},{"name":"HttpRequestAuthTypeNTLM","features":[472]},{"name":"HttpRequestAuthTypeNegotiate","features":[472]},{"name":"HttpRequestAuthTypeNone","features":[472]},{"name":"HttpRequestInfoTypeAuth","features":[472]},{"name":"HttpRequestInfoTypeChannelBind","features":[472]},{"name":"HttpRequestInfoTypeQuicStats","features":[472]},{"name":"HttpRequestInfoTypeRequestSizing","features":[472]},{"name":"HttpRequestInfoTypeRequestTiming","features":[472]},{"name":"HttpRequestInfoTypeSslProtocol","features":[472]},{"name":"HttpRequestInfoTypeSslTokenBinding","features":[472]},{"name":"HttpRequestInfoTypeSslTokenBindingDraft","features":[472]},{"name":"HttpRequestInfoTypeTcpInfoV0","features":[472]},{"name":"HttpRequestInfoTypeTcpInfoV1","features":[472]},{"name":"HttpRequestPropertyIsb","features":[472]},{"name":"HttpRequestPropertyQuicApiTimings","features":[472]},{"name":"HttpRequestPropertyQuicStats","features":[472]},{"name":"HttpRequestPropertySni","features":[472]},{"name":"HttpRequestPropertyStreamError","features":[472]},{"name":"HttpRequestPropertyTcpInfoV0","features":[472]},{"name":"HttpRequestPropertyTcpInfoV1","features":[472]},{"name":"HttpRequestPropertyWskApiTimings","features":[472]},{"name":"HttpRequestSizingTypeHeaders","features":[472]},{"name":"HttpRequestSizingTypeMax","features":[472]},{"name":"HttpRequestSizingTypeTlsHandshakeLeg1ClientData","features":[472]},{"name":"HttpRequestSizingTypeTlsHandshakeLeg1ServerData","features":[472]},{"name":"HttpRequestSizingTypeTlsHandshakeLeg2ClientData","features":[472]},{"name":"HttpRequestSizingTypeTlsHandshakeLeg2ServerData","features":[472]},{"name":"HttpRequestTimingTypeConnectionStart","features":[472]},{"name":"HttpRequestTimingTypeDataStart","features":[472]},{"name":"HttpRequestTimingTypeHttp2HeaderDecodeEnd","features":[472]},{"name":"HttpRequestTimingTypeHttp2HeaderDecodeStart","features":[472]},{"name":"HttpRequestTimingTypeHttp2StreamStart","features":[472]},{"name":"HttpRequestTimingTypeHttp3HeaderDecodeEnd","features":[472]},{"name":"HttpRequestTimingTypeHttp3HeaderDecodeStart","features":[472]},{"name":"HttpRequestTimingTypeHttp3StreamStart","features":[472]},{"name":"HttpRequestTimingTypeMax","features":[472]},{"name":"HttpRequestTimingTypeRequestDeliveredForDelegation","features":[472]},{"name":"HttpRequestTimingTypeRequestDeliveredForIO","features":[472]},{"name":"HttpRequestTimingTypeRequestDeliveredForInspection","features":[472]},{"name":"HttpRequestTimingTypeRequestHeaderParseEnd","features":[472]},{"name":"HttpRequestTimingTypeRequestHeaderParseStart","features":[472]},{"name":"HttpRequestTimingTypeRequestQueuedForDelegation","features":[472]},{"name":"HttpRequestTimingTypeRequestQueuedForIO","features":[472]},{"name":"HttpRequestTimingTypeRequestQueuedForInspection","features":[472]},{"name":"HttpRequestTimingTypeRequestReturnedAfterDelegation","features":[472]},{"name":"HttpRequestTimingTypeRequestReturnedAfterInspection","features":[472]},{"name":"HttpRequestTimingTypeRequestRoutingEnd","features":[472]},{"name":"HttpRequestTimingTypeRequestRoutingStart","features":[472]},{"name":"HttpRequestTimingTypeTlsAttributesQueryEnd","features":[472]},{"name":"HttpRequestTimingTypeTlsAttributesQueryStart","features":[472]},{"name":"HttpRequestTimingTypeTlsCertificateLoadEnd","features":[472]},{"name":"HttpRequestTimingTypeTlsCertificateLoadStart","features":[472]},{"name":"HttpRequestTimingTypeTlsClientCertQueryEnd","features":[472]},{"name":"HttpRequestTimingTypeTlsClientCertQueryStart","features":[472]},{"name":"HttpRequestTimingTypeTlsHandshakeLeg1End","features":[472]},{"name":"HttpRequestTimingTypeTlsHandshakeLeg1Start","features":[472]},{"name":"HttpRequestTimingTypeTlsHandshakeLeg2End","features":[472]},{"name":"HttpRequestTimingTypeTlsHandshakeLeg2Start","features":[472]},{"name":"HttpResponseInfoTypeAuthenticationProperty","features":[472]},{"name":"HttpResponseInfoTypeChannelBind","features":[472]},{"name":"HttpResponseInfoTypeMultipleKnownHeaders","features":[472]},{"name":"HttpResponseInfoTypeQoSProperty","features":[472]},{"name":"HttpSchemeHttp","features":[472]},{"name":"HttpSchemeHttps","features":[472]},{"name":"HttpSchemeMaximum","features":[472]},{"name":"HttpSendHttpResponse","features":[308,472,313]},{"name":"HttpSendResponseEntityBody","features":[308,472,313]},{"name":"HttpServer503VerbosityProperty","features":[472]},{"name":"HttpServerAuthenticationProperty","features":[472]},{"name":"HttpServerBindingProperty","features":[472]},{"name":"HttpServerChannelBindProperty","features":[472]},{"name":"HttpServerDelegationProperty","features":[472]},{"name":"HttpServerExtendedAuthenticationProperty","features":[472]},{"name":"HttpServerListenEndpointProperty","features":[472]},{"name":"HttpServerLoggingProperty","features":[472]},{"name":"HttpServerProtectionLevelProperty","features":[472]},{"name":"HttpServerQosProperty","features":[472]},{"name":"HttpServerQueueLengthProperty","features":[472]},{"name":"HttpServerStateProperty","features":[472]},{"name":"HttpServerTimeoutsProperty","features":[472]},{"name":"HttpServiceBindingTypeA","features":[472]},{"name":"HttpServiceBindingTypeNone","features":[472]},{"name":"HttpServiceBindingTypeW","features":[472]},{"name":"HttpServiceConfigCache","features":[472]},{"name":"HttpServiceConfigIPListenList","features":[472]},{"name":"HttpServiceConfigMax","features":[472]},{"name":"HttpServiceConfigQueryExact","features":[472]},{"name":"HttpServiceConfigQueryMax","features":[472]},{"name":"HttpServiceConfigQueryNext","features":[472]},{"name":"HttpServiceConfigSSLCertInfo","features":[472]},{"name":"HttpServiceConfigSetting","features":[472]},{"name":"HttpServiceConfigSslCcsCertInfo","features":[472]},{"name":"HttpServiceConfigSslCcsCertInfoEx","features":[472]},{"name":"HttpServiceConfigSslCertInfoEx","features":[472]},{"name":"HttpServiceConfigSslScopedCcsCertInfo","features":[472]},{"name":"HttpServiceConfigSslScopedCcsCertInfoEx","features":[472]},{"name":"HttpServiceConfigSslSniCertInfo","features":[472]},{"name":"HttpServiceConfigSslSniCertInfoEx","features":[472]},{"name":"HttpServiceConfigTimeout","features":[472]},{"name":"HttpServiceConfigUrlAclInfo","features":[472]},{"name":"HttpSetRequestProperty","features":[308,472,313]},{"name":"HttpSetRequestQueueProperty","features":[308,472]},{"name":"HttpSetServerSessionProperty","features":[472]},{"name":"HttpSetServiceConfiguration","features":[308,472,313]},{"name":"HttpSetUrlGroupProperty","features":[472]},{"name":"HttpShutdownRequestQueue","features":[308,472]},{"name":"HttpTerminate","features":[472]},{"name":"HttpTlsThrottle","features":[472]},{"name":"HttpUpdateServiceConfiguration","features":[308,472,313]},{"name":"HttpVerbCONNECT","features":[472]},{"name":"HttpVerbCOPY","features":[472]},{"name":"HttpVerbDELETE","features":[472]},{"name":"HttpVerbGET","features":[472]},{"name":"HttpVerbHEAD","features":[472]},{"name":"HttpVerbInvalid","features":[472]},{"name":"HttpVerbLOCK","features":[472]},{"name":"HttpVerbMKCOL","features":[472]},{"name":"HttpVerbMOVE","features":[472]},{"name":"HttpVerbMaximum","features":[472]},{"name":"HttpVerbOPTIONS","features":[472]},{"name":"HttpVerbPOST","features":[472]},{"name":"HttpVerbPROPFIND","features":[472]},{"name":"HttpVerbPROPPATCH","features":[472]},{"name":"HttpVerbPUT","features":[472]},{"name":"HttpVerbSEARCH","features":[472]},{"name":"HttpVerbTRACE","features":[472]},{"name":"HttpVerbTRACK","features":[472]},{"name":"HttpVerbUNLOCK","features":[472]},{"name":"HttpVerbUnknown","features":[472]},{"name":"HttpVerbUnparsed","features":[472]},{"name":"HttpWaitForDemandStart","features":[308,472,313]},{"name":"HttpWaitForDisconnect","features":[308,472,313]},{"name":"HttpWaitForDisconnectEx","features":[308,472,313]},{"name":"IdleConnectionTimeout","features":[472]},{"name":"MaxCacheResponseSize","features":[472]},{"name":"PerformanceParamAggressiveICW","features":[472]},{"name":"PerformanceParamDecryptOnSspiThread","features":[472]},{"name":"PerformanceParamMax","features":[472]},{"name":"PerformanceParamMaxConcurrentClientStreams","features":[472]},{"name":"PerformanceParamMaxReceiveBufferSize","features":[472]},{"name":"PerformanceParamMaxSendBufferSize","features":[472]},{"name":"PerformanceParamSendBufferingFlags","features":[472]}],"471":[{"name":"BerElement","features":[473]},{"name":"DBGPRINT","features":[473]},{"name":"DEREFERENCECONNECTION","features":[473]},{"name":"LAPI_MAJOR_VER1","features":[473]},{"name":"LAPI_MINOR_VER1","features":[473]},{"name":"LBER_DEFAULT","features":[473]},{"name":"LBER_ERROR","features":[473]},{"name":"LBER_TRANSLATE_STRINGS","features":[473]},{"name":"LBER_USE_DER","features":[473]},{"name":"LBER_USE_INDEFINITE_LEN","features":[473]},{"name":"LDAP","features":[473]},{"name":"LDAPAPIFeatureInfoA","features":[473]},{"name":"LDAPAPIFeatureInfoW","features":[473]},{"name":"LDAPAPIInfoA","features":[473]},{"name":"LDAPAPIInfoW","features":[473]},{"name":"LDAPControlA","features":[308,473]},{"name":"LDAPControlW","features":[308,473]},{"name":"LDAPMessage","features":[308,473]},{"name":"LDAPModA","features":[473]},{"name":"LDAPModW","features":[473]},{"name":"LDAPSortKeyA","features":[308,473]},{"name":"LDAPSortKeyW","features":[308,473]},{"name":"LDAPVLVInfo","features":[473]},{"name":"LDAP_ABANDON_CMD","features":[473]},{"name":"LDAP_ADD_CMD","features":[473]},{"name":"LDAP_ADMIN_LIMIT_EXCEEDED","features":[473]},{"name":"LDAP_AFFECTS_MULTIPLE_DSAS","features":[473]},{"name":"LDAP_ALIAS_DEREF_PROBLEM","features":[473]},{"name":"LDAP_ALIAS_PROBLEM","features":[473]},{"name":"LDAP_ALREADY_EXISTS","features":[473]},{"name":"LDAP_API_FEATURE_VIRTUAL_LIST_VIEW","features":[473]},{"name":"LDAP_API_INFO_VERSION","features":[473]},{"name":"LDAP_API_VERSION","features":[473]},{"name":"LDAP_ATTRIBUTE_OR_VALUE_EXISTS","features":[473]},{"name":"LDAP_AUTH_METHOD_NOT_SUPPORTED","features":[473]},{"name":"LDAP_AUTH_OTHERKIND","features":[473]},{"name":"LDAP_AUTH_SASL","features":[473]},{"name":"LDAP_AUTH_SIMPLE","features":[473]},{"name":"LDAP_AUTH_UNKNOWN","features":[473]},{"name":"LDAP_BERVAL","features":[473]},{"name":"LDAP_BIND_CMD","features":[473]},{"name":"LDAP_BUSY","features":[473]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_ADAM_OID","features":[473]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_ADAM_OID_W","features":[473]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_LDAP_INTEG_OID","features":[473]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_LDAP_INTEG_OID_W","features":[473]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_OID","features":[473]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_OID_W","features":[473]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_PARTIAL_SECRETS_OID","features":[473]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_PARTIAL_SECRETS_OID_W","features":[473]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_V51_OID","features":[473]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_V51_OID_W","features":[473]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_V60_OID","features":[473]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_V60_OID_W","features":[473]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_V61_OID","features":[473]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_V61_OID_W","features":[473]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_V61_R2_OID","features":[473]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_V61_R2_OID_W","features":[473]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_W8_OID","features":[473]},{"name":"LDAP_CAP_ACTIVE_DIRECTORY_W8_OID_W","features":[473]},{"name":"LDAP_CHASE_EXTERNAL_REFERRALS","features":[473]},{"name":"LDAP_CHASE_SUBORDINATE_REFERRALS","features":[473]},{"name":"LDAP_CLIENT_LOOP","features":[473]},{"name":"LDAP_COMPARE_CMD","features":[473]},{"name":"LDAP_COMPARE_FALSE","features":[473]},{"name":"LDAP_COMPARE_TRUE","features":[473]},{"name":"LDAP_CONFIDENTIALITY_REQUIRED","features":[473]},{"name":"LDAP_CONNECT_ERROR","features":[473]},{"name":"LDAP_CONSTRAINT_VIOLATION","features":[473]},{"name":"LDAP_CONTROL_NOT_FOUND","features":[473]},{"name":"LDAP_CONTROL_REFERRALS","features":[473]},{"name":"LDAP_CONTROL_REFERRALS_W","features":[473]},{"name":"LDAP_CONTROL_VLVREQUEST","features":[473]},{"name":"LDAP_CONTROL_VLVREQUEST_W","features":[473]},{"name":"LDAP_CONTROL_VLVRESPONSE","features":[473]},{"name":"LDAP_CONTROL_VLVRESPONSE_W","features":[473]},{"name":"LDAP_DECODING_ERROR","features":[473]},{"name":"LDAP_DELETE_CMD","features":[473]},{"name":"LDAP_DEREF_ALWAYS","features":[473]},{"name":"LDAP_DEREF_FINDING","features":[473]},{"name":"LDAP_DEREF_NEVER","features":[473]},{"name":"LDAP_DEREF_SEARCHING","features":[473]},{"name":"LDAP_DIRSYNC_ANCESTORS_FIRST_ORDER","features":[473]},{"name":"LDAP_DIRSYNC_INCREMENTAL_VALUES","features":[473]},{"name":"LDAP_DIRSYNC_OBJECT_SECURITY","features":[473]},{"name":"LDAP_DIRSYNC_PUBLIC_DATA_ONLY","features":[473]},{"name":"LDAP_DIRSYNC_ROPAS_DATA_ONLY","features":[473]},{"name":"LDAP_ENCODING_ERROR","features":[473]},{"name":"LDAP_EXTENDED_CMD","features":[473]},{"name":"LDAP_FEATURE_INFO_VERSION","features":[473]},{"name":"LDAP_FILTER_AND","features":[473]},{"name":"LDAP_FILTER_APPROX","features":[473]},{"name":"LDAP_FILTER_EQUALITY","features":[473]},{"name":"LDAP_FILTER_ERROR","features":[473]},{"name":"LDAP_FILTER_EXTENSIBLE","features":[473]},{"name":"LDAP_FILTER_GE","features":[473]},{"name":"LDAP_FILTER_LE","features":[473]},{"name":"LDAP_FILTER_NOT","features":[473]},{"name":"LDAP_FILTER_OR","features":[473]},{"name":"LDAP_FILTER_PRESENT","features":[473]},{"name":"LDAP_FILTER_SUBSTRINGS","features":[473]},{"name":"LDAP_GC_PORT","features":[473]},{"name":"LDAP_INAPPROPRIATE_AUTH","features":[473]},{"name":"LDAP_INAPPROPRIATE_MATCHING","features":[473]},{"name":"LDAP_INSUFFICIENT_RIGHTS","features":[473]},{"name":"LDAP_INVALID_CMD","features":[473]},{"name":"LDAP_INVALID_CREDENTIALS","features":[473]},{"name":"LDAP_INVALID_DN_SYNTAX","features":[473]},{"name":"LDAP_INVALID_RES","features":[473]},{"name":"LDAP_INVALID_SYNTAX","features":[473]},{"name":"LDAP_IS_LEAF","features":[473]},{"name":"LDAP_LOCAL_ERROR","features":[473]},{"name":"LDAP_LOOP_DETECT","features":[473]},{"name":"LDAP_MATCHING_RULE_BIT_AND","features":[473]},{"name":"LDAP_MATCHING_RULE_BIT_AND_W","features":[473]},{"name":"LDAP_MATCHING_RULE_BIT_OR","features":[473]},{"name":"LDAP_MATCHING_RULE_BIT_OR_W","features":[473]},{"name":"LDAP_MATCHING_RULE_DN_BINARY_COMPLEX","features":[473]},{"name":"LDAP_MATCHING_RULE_DN_BINARY_COMPLEX_W","features":[473]},{"name":"LDAP_MATCHING_RULE_TRANSITIVE_EVALUATION","features":[473]},{"name":"LDAP_MATCHING_RULE_TRANSITIVE_EVALUATION_W","features":[473]},{"name":"LDAP_MODIFY_CMD","features":[473]},{"name":"LDAP_MODRDN_CMD","features":[473]},{"name":"LDAP_MOD_ADD","features":[473]},{"name":"LDAP_MOD_BVALUES","features":[473]},{"name":"LDAP_MOD_DELETE","features":[473]},{"name":"LDAP_MOD_REPLACE","features":[473]},{"name":"LDAP_MORE_RESULTS_TO_RETURN","features":[473]},{"name":"LDAP_MSG_ALL","features":[473]},{"name":"LDAP_MSG_ONE","features":[473]},{"name":"LDAP_MSG_RECEIVED","features":[473]},{"name":"LDAP_NAMING_VIOLATION","features":[473]},{"name":"LDAP_NOT_ALLOWED_ON_NONLEAF","features":[473]},{"name":"LDAP_NOT_ALLOWED_ON_RDN","features":[473]},{"name":"LDAP_NOT_SUPPORTED","features":[473]},{"name":"LDAP_NO_LIMIT","features":[473]},{"name":"LDAP_NO_MEMORY","features":[473]},{"name":"LDAP_NO_OBJECT_CLASS_MODS","features":[473]},{"name":"LDAP_NO_RESULTS_RETURNED","features":[473]},{"name":"LDAP_NO_SUCH_ATTRIBUTE","features":[473]},{"name":"LDAP_NO_SUCH_OBJECT","features":[473]},{"name":"LDAP_OBJECT_CLASS_VIOLATION","features":[473]},{"name":"LDAP_OFFSET_RANGE_ERROR","features":[473]},{"name":"LDAP_OPATT_ABANDON_REPL","features":[473]},{"name":"LDAP_OPATT_ABANDON_REPL_W","features":[473]},{"name":"LDAP_OPATT_BECOME_DOM_MASTER","features":[473]},{"name":"LDAP_OPATT_BECOME_DOM_MASTER_W","features":[473]},{"name":"LDAP_OPATT_BECOME_PDC","features":[473]},{"name":"LDAP_OPATT_BECOME_PDC_W","features":[473]},{"name":"LDAP_OPATT_BECOME_RID_MASTER","features":[473]},{"name":"LDAP_OPATT_BECOME_RID_MASTER_W","features":[473]},{"name":"LDAP_OPATT_BECOME_SCHEMA_MASTER","features":[473]},{"name":"LDAP_OPATT_BECOME_SCHEMA_MASTER_W","features":[473]},{"name":"LDAP_OPATT_CONFIG_NAMING_CONTEXT","features":[473]},{"name":"LDAP_OPATT_CONFIG_NAMING_CONTEXT_W","features":[473]},{"name":"LDAP_OPATT_CURRENT_TIME","features":[473]},{"name":"LDAP_OPATT_CURRENT_TIME_W","features":[473]},{"name":"LDAP_OPATT_DEFAULT_NAMING_CONTEXT","features":[473]},{"name":"LDAP_OPATT_DEFAULT_NAMING_CONTEXT_W","features":[473]},{"name":"LDAP_OPATT_DNS_HOST_NAME","features":[473]},{"name":"LDAP_OPATT_DNS_HOST_NAME_W","features":[473]},{"name":"LDAP_OPATT_DO_GARBAGE_COLLECTION","features":[473]},{"name":"LDAP_OPATT_DO_GARBAGE_COLLECTION_W","features":[473]},{"name":"LDAP_OPATT_DS_SERVICE_NAME","features":[473]},{"name":"LDAP_OPATT_DS_SERVICE_NAME_W","features":[473]},{"name":"LDAP_OPATT_FIXUP_INHERITANCE","features":[473]},{"name":"LDAP_OPATT_FIXUP_INHERITANCE_W","features":[473]},{"name":"LDAP_OPATT_HIGHEST_COMMITTED_USN","features":[473]},{"name":"LDAP_OPATT_HIGHEST_COMMITTED_USN_W","features":[473]},{"name":"LDAP_OPATT_INVALIDATE_RID_POOL","features":[473]},{"name":"LDAP_OPATT_INVALIDATE_RID_POOL_W","features":[473]},{"name":"LDAP_OPATT_LDAP_SERVICE_NAME","features":[473]},{"name":"LDAP_OPATT_LDAP_SERVICE_NAME_W","features":[473]},{"name":"LDAP_OPATT_NAMING_CONTEXTS","features":[473]},{"name":"LDAP_OPATT_NAMING_CONTEXTS_W","features":[473]},{"name":"LDAP_OPATT_RECALC_HIERARCHY","features":[473]},{"name":"LDAP_OPATT_RECALC_HIERARCHY_W","features":[473]},{"name":"LDAP_OPATT_ROOT_DOMAIN_NAMING_CONTEXT","features":[473]},{"name":"LDAP_OPATT_ROOT_DOMAIN_NAMING_CONTEXT_W","features":[473]},{"name":"LDAP_OPATT_SCHEMA_NAMING_CONTEXT","features":[473]},{"name":"LDAP_OPATT_SCHEMA_NAMING_CONTEXT_W","features":[473]},{"name":"LDAP_OPATT_SCHEMA_UPDATE_NOW","features":[473]},{"name":"LDAP_OPATT_SCHEMA_UPDATE_NOW_W","features":[473]},{"name":"LDAP_OPATT_SERVER_NAME","features":[473]},{"name":"LDAP_OPATT_SERVER_NAME_W","features":[473]},{"name":"LDAP_OPATT_SUBSCHEMA_SUBENTRY","features":[473]},{"name":"LDAP_OPATT_SUBSCHEMA_SUBENTRY_W","features":[473]},{"name":"LDAP_OPATT_SUPPORTED_CAPABILITIES","features":[473]},{"name":"LDAP_OPATT_SUPPORTED_CAPABILITIES_W","features":[473]},{"name":"LDAP_OPATT_SUPPORTED_CONTROL","features":[473]},{"name":"LDAP_OPATT_SUPPORTED_CONTROL_W","features":[473]},{"name":"LDAP_OPATT_SUPPORTED_LDAP_POLICIES","features":[473]},{"name":"LDAP_OPATT_SUPPORTED_LDAP_POLICIES_W","features":[473]},{"name":"LDAP_OPATT_SUPPORTED_LDAP_VERSION","features":[473]},{"name":"LDAP_OPATT_SUPPORTED_LDAP_VERSION_W","features":[473]},{"name":"LDAP_OPATT_SUPPORTED_SASL_MECHANISM","features":[473]},{"name":"LDAP_OPATT_SUPPORTED_SASL_MECHANISM_W","features":[473]},{"name":"LDAP_OPERATIONS_ERROR","features":[473]},{"name":"LDAP_OPT_API_FEATURE_INFO","features":[473]},{"name":"LDAP_OPT_API_INFO","features":[473]},{"name":"LDAP_OPT_AREC_EXCLUSIVE","features":[473]},{"name":"LDAP_OPT_AUTO_RECONNECT","features":[473]},{"name":"LDAP_OPT_CACHE_ENABLE","features":[473]},{"name":"LDAP_OPT_CACHE_FN_PTRS","features":[473]},{"name":"LDAP_OPT_CACHE_STRATEGY","features":[473]},{"name":"LDAP_OPT_CHASE_REFERRALS","features":[473]},{"name":"LDAP_OPT_CLDAP_TIMEOUT","features":[473]},{"name":"LDAP_OPT_CLDAP_TRIES","features":[473]},{"name":"LDAP_OPT_CLIENT_CERTIFICATE","features":[473]},{"name":"LDAP_OPT_DEREF","features":[473]},{"name":"LDAP_OPT_DESC","features":[473]},{"name":"LDAP_OPT_DNS","features":[473]},{"name":"LDAP_OPT_DNSDOMAIN_NAME","features":[473]},{"name":"LDAP_OPT_ENCRYPT","features":[473]},{"name":"LDAP_OPT_ERROR_NUMBER","features":[473]},{"name":"LDAP_OPT_ERROR_STRING","features":[473]},{"name":"LDAP_OPT_FAST_CONCURRENT_BIND","features":[473]},{"name":"LDAP_OPT_GETDSNAME_FLAGS","features":[473]},{"name":"LDAP_OPT_HOST_NAME","features":[473]},{"name":"LDAP_OPT_HOST_REACHABLE","features":[473]},{"name":"LDAP_OPT_IO_FN_PTRS","features":[473]},{"name":"LDAP_OPT_PING_KEEP_ALIVE","features":[473]},{"name":"LDAP_OPT_PING_LIMIT","features":[473]},{"name":"LDAP_OPT_PING_WAIT_TIME","features":[473]},{"name":"LDAP_OPT_PROMPT_CREDENTIALS","features":[473]},{"name":"LDAP_OPT_PROTOCOL_VERSION","features":[473]},{"name":"LDAP_OPT_REBIND_ARG","features":[473]},{"name":"LDAP_OPT_REBIND_FN","features":[473]},{"name":"LDAP_OPT_REFERRALS","features":[473]},{"name":"LDAP_OPT_REFERRAL_CALLBACK","features":[473]},{"name":"LDAP_OPT_REFERRAL_HOP_LIMIT","features":[473]},{"name":"LDAP_OPT_REF_DEREF_CONN_PER_MSG","features":[473]},{"name":"LDAP_OPT_RESTART","features":[473]},{"name":"LDAP_OPT_RETURN_REFS","features":[473]},{"name":"LDAP_OPT_ROOTDSE_CACHE","features":[473]},{"name":"LDAP_OPT_SASL_METHOD","features":[473]},{"name":"LDAP_OPT_SCH_FLAGS","features":[473]},{"name":"LDAP_OPT_SECURITY_CONTEXT","features":[473]},{"name":"LDAP_OPT_SEND_TIMEOUT","features":[473]},{"name":"LDAP_OPT_SERVER_CERTIFICATE","features":[473]},{"name":"LDAP_OPT_SERVER_ERROR","features":[473]},{"name":"LDAP_OPT_SERVER_EXT_ERROR","features":[473]},{"name":"LDAP_OPT_SIGN","features":[473]},{"name":"LDAP_OPT_SIZELIMIT","features":[473]},{"name":"LDAP_OPT_SOCKET_BIND_ADDRESSES","features":[473]},{"name":"LDAP_OPT_SSL","features":[473]},{"name":"LDAP_OPT_SSL_INFO","features":[473]},{"name":"LDAP_OPT_SSPI_FLAGS","features":[473]},{"name":"LDAP_OPT_TCP_KEEPALIVE","features":[473]},{"name":"LDAP_OPT_THREAD_FN_PTRS","features":[473]},{"name":"LDAP_OPT_TIMELIMIT","features":[473]},{"name":"LDAP_OPT_TLS","features":[473]},{"name":"LDAP_OPT_TLS_INFO","features":[473]},{"name":"LDAP_OPT_VERSION","features":[473]},{"name":"LDAP_OTHER","features":[473]},{"name":"LDAP_PAGED_RESULT_OID_STRING","features":[473]},{"name":"LDAP_PAGED_RESULT_OID_STRING_W","features":[473]},{"name":"LDAP_PARAM_ERROR","features":[473]},{"name":"LDAP_PARTIAL_RESULTS","features":[473]},{"name":"LDAP_POLICYHINT_APPLY_FULLPWDPOLICY","features":[473]},{"name":"LDAP_PORT","features":[473]},{"name":"LDAP_PROTOCOL_ERROR","features":[473]},{"name":"LDAP_REFERRAL","features":[473]},{"name":"LDAP_REFERRAL_CALLBACK","features":[308,473]},{"name":"LDAP_REFERRAL_LIMIT_EXCEEDED","features":[473]},{"name":"LDAP_REFERRAL_V2","features":[473]},{"name":"LDAP_RESULTS_TOO_LARGE","features":[473]},{"name":"LDAP_RES_ADD","features":[473]},{"name":"LDAP_RES_ANY","features":[473]},{"name":"LDAP_RES_BIND","features":[473]},{"name":"LDAP_RES_COMPARE","features":[473]},{"name":"LDAP_RES_DELETE","features":[473]},{"name":"LDAP_RES_EXTENDED","features":[473]},{"name":"LDAP_RES_MODIFY","features":[473]},{"name":"LDAP_RES_MODRDN","features":[473]},{"name":"LDAP_RES_REFERRAL","features":[473]},{"name":"LDAP_RES_SEARCH_ENTRY","features":[473]},{"name":"LDAP_RES_SEARCH_RESULT","features":[473]},{"name":"LDAP_RES_SESSION","features":[473]},{"name":"LDAP_RETCODE","features":[473]},{"name":"LDAP_SASL_BIND_IN_PROGRESS","features":[473]},{"name":"LDAP_SCOPE_BASE","features":[473]},{"name":"LDAP_SCOPE_ONELEVEL","features":[473]},{"name":"LDAP_SCOPE_SUBTREE","features":[473]},{"name":"LDAP_SEARCH_CMD","features":[473]},{"name":"LDAP_SEARCH_HINT_INDEX_ONLY_OID","features":[473]},{"name":"LDAP_SEARCH_HINT_INDEX_ONLY_OID_W","features":[473]},{"name":"LDAP_SEARCH_HINT_REQUIRED_INDEX_OID","features":[473]},{"name":"LDAP_SEARCH_HINT_REQUIRED_INDEX_OID_W","features":[473]},{"name":"LDAP_SEARCH_HINT_SOFT_SIZE_LIMIT_OID","features":[473]},{"name":"LDAP_SEARCH_HINT_SOFT_SIZE_LIMIT_OID_W","features":[473]},{"name":"LDAP_SERVER_ASQ_OID","features":[473]},{"name":"LDAP_SERVER_ASQ_OID_W","features":[473]},{"name":"LDAP_SERVER_BATCH_REQUEST_OID","features":[473]},{"name":"LDAP_SERVER_BATCH_REQUEST_OID_W","features":[473]},{"name":"LDAP_SERVER_BYPASS_QUOTA_OID","features":[473]},{"name":"LDAP_SERVER_BYPASS_QUOTA_OID_W","features":[473]},{"name":"LDAP_SERVER_CROSSDOM_MOVE_TARGET_OID","features":[473]},{"name":"LDAP_SERVER_CROSSDOM_MOVE_TARGET_OID_W","features":[473]},{"name":"LDAP_SERVER_DIRSYNC_EX_OID","features":[473]},{"name":"LDAP_SERVER_DIRSYNC_EX_OID_W","features":[473]},{"name":"LDAP_SERVER_DIRSYNC_OID","features":[473]},{"name":"LDAP_SERVER_DIRSYNC_OID_W","features":[473]},{"name":"LDAP_SERVER_DN_INPUT_OID","features":[473]},{"name":"LDAP_SERVER_DN_INPUT_OID_W","features":[473]},{"name":"LDAP_SERVER_DOMAIN_SCOPE_OID","features":[473]},{"name":"LDAP_SERVER_DOMAIN_SCOPE_OID_W","features":[473]},{"name":"LDAP_SERVER_DOWN","features":[473]},{"name":"LDAP_SERVER_EXPECTED_ENTRY_COUNT_OID","features":[473]},{"name":"LDAP_SERVER_EXPECTED_ENTRY_COUNT_OID_W","features":[473]},{"name":"LDAP_SERVER_EXTENDED_DN_OID","features":[473]},{"name":"LDAP_SERVER_EXTENDED_DN_OID_W","features":[473]},{"name":"LDAP_SERVER_FAST_BIND_OID","features":[473]},{"name":"LDAP_SERVER_FAST_BIND_OID_W","features":[473]},{"name":"LDAP_SERVER_FORCE_UPDATE_OID","features":[473]},{"name":"LDAP_SERVER_FORCE_UPDATE_OID_W","features":[473]},{"name":"LDAP_SERVER_GET_STATS_OID","features":[473]},{"name":"LDAP_SERVER_GET_STATS_OID_W","features":[473]},{"name":"LDAP_SERVER_LAZY_COMMIT_OID","features":[473]},{"name":"LDAP_SERVER_LAZY_COMMIT_OID_W","features":[473]},{"name":"LDAP_SERVER_LINK_TTL_OID","features":[473]},{"name":"LDAP_SERVER_LINK_TTL_OID_W","features":[473]},{"name":"LDAP_SERVER_NOTIFICATION_OID","features":[473]},{"name":"LDAP_SERVER_NOTIFICATION_OID_W","features":[473]},{"name":"LDAP_SERVER_PERMISSIVE_MODIFY_OID","features":[473]},{"name":"LDAP_SERVER_PERMISSIVE_MODIFY_OID_W","features":[473]},{"name":"LDAP_SERVER_POLICY_HINTS_DEPRECATED_OID","features":[473]},{"name":"LDAP_SERVER_POLICY_HINTS_DEPRECATED_OID_W","features":[473]},{"name":"LDAP_SERVER_POLICY_HINTS_OID","features":[473]},{"name":"LDAP_SERVER_POLICY_HINTS_OID_W","features":[473]},{"name":"LDAP_SERVER_QUOTA_CONTROL_OID","features":[473]},{"name":"LDAP_SERVER_QUOTA_CONTROL_OID_W","features":[473]},{"name":"LDAP_SERVER_RANGE_OPTION_OID","features":[473]},{"name":"LDAP_SERVER_RANGE_OPTION_OID_W","features":[473]},{"name":"LDAP_SERVER_RANGE_RETRIEVAL_NOERR_OID","features":[473]},{"name":"LDAP_SERVER_RANGE_RETRIEVAL_NOERR_OID_W","features":[473]},{"name":"LDAP_SERVER_RESP_SORT_OID","features":[473]},{"name":"LDAP_SERVER_RESP_SORT_OID_W","features":[473]},{"name":"LDAP_SERVER_SD_FLAGS_OID","features":[473]},{"name":"LDAP_SERVER_SD_FLAGS_OID_W","features":[473]},{"name":"LDAP_SERVER_SEARCH_HINTS_OID","features":[473]},{"name":"LDAP_SERVER_SEARCH_HINTS_OID_W","features":[473]},{"name":"LDAP_SERVER_SEARCH_OPTIONS_OID","features":[473]},{"name":"LDAP_SERVER_SEARCH_OPTIONS_OID_W","features":[473]},{"name":"LDAP_SERVER_SET_OWNER_OID","features":[473]},{"name":"LDAP_SERVER_SET_OWNER_OID_W","features":[473]},{"name":"LDAP_SERVER_SHOW_DEACTIVATED_LINK_OID","features":[473]},{"name":"LDAP_SERVER_SHOW_DEACTIVATED_LINK_OID_W","features":[473]},{"name":"LDAP_SERVER_SHOW_DELETED_OID","features":[473]},{"name":"LDAP_SERVER_SHOW_DELETED_OID_W","features":[473]},{"name":"LDAP_SERVER_SHOW_RECYCLED_OID","features":[473]},{"name":"LDAP_SERVER_SHOW_RECYCLED_OID_W","features":[473]},{"name":"LDAP_SERVER_SHUTDOWN_NOTIFY_OID","features":[473]},{"name":"LDAP_SERVER_SHUTDOWN_NOTIFY_OID_W","features":[473]},{"name":"LDAP_SERVER_SORT_OID","features":[473]},{"name":"LDAP_SERVER_SORT_OID_W","features":[473]},{"name":"LDAP_SERVER_TREE_DELETE_EX_OID","features":[473]},{"name":"LDAP_SERVER_TREE_DELETE_EX_OID_W","features":[473]},{"name":"LDAP_SERVER_TREE_DELETE_OID","features":[473]},{"name":"LDAP_SERVER_TREE_DELETE_OID_W","features":[473]},{"name":"LDAP_SERVER_UPDATE_STATS_OID","features":[473]},{"name":"LDAP_SERVER_UPDATE_STATS_OID_W","features":[473]},{"name":"LDAP_SERVER_VERIFY_NAME_OID","features":[473]},{"name":"LDAP_SERVER_VERIFY_NAME_OID_W","features":[473]},{"name":"LDAP_SERVER_WHO_AM_I_OID","features":[473]},{"name":"LDAP_SERVER_WHO_AM_I_OID_W","features":[473]},{"name":"LDAP_SESSION_CMD","features":[473]},{"name":"LDAP_SIZELIMIT_EXCEEDED","features":[473]},{"name":"LDAP_SORT_CONTROL_MISSING","features":[473]},{"name":"LDAP_SSL_GC_PORT","features":[473]},{"name":"LDAP_SSL_PORT","features":[473]},{"name":"LDAP_START_TLS_OID","features":[473]},{"name":"LDAP_START_TLS_OID_W","features":[473]},{"name":"LDAP_STRONG_AUTH_REQUIRED","features":[473]},{"name":"LDAP_SUBSTRING_ANY","features":[473]},{"name":"LDAP_SUBSTRING_FINAL","features":[473]},{"name":"LDAP_SUBSTRING_INITIAL","features":[473]},{"name":"LDAP_SUCCESS","features":[473]},{"name":"LDAP_TIMELIMIT_EXCEEDED","features":[473]},{"name":"LDAP_TIMEOUT","features":[473]},{"name":"LDAP_TIMEVAL","features":[473]},{"name":"LDAP_TTL_EXTENDED_OP_OID","features":[473]},{"name":"LDAP_TTL_EXTENDED_OP_OID_W","features":[473]},{"name":"LDAP_UNAVAILABLE","features":[473]},{"name":"LDAP_UNAVAILABLE_CRIT_EXTENSION","features":[473]},{"name":"LDAP_UNBIND_CMD","features":[473]},{"name":"LDAP_UNDEFINED_TYPE","features":[473]},{"name":"LDAP_UNICODE","features":[473]},{"name":"LDAP_UNWILLING_TO_PERFORM","features":[473]},{"name":"LDAP_UPDATE_STATS_INVOCATIONID_OID","features":[473]},{"name":"LDAP_UPDATE_STATS_INVOCATIONID_OID_W","features":[473]},{"name":"LDAP_UPDATE_STATS_USN_OID","features":[473]},{"name":"LDAP_UPDATE_STATS_USN_OID_W","features":[473]},{"name":"LDAP_USER_CANCELLED","features":[473]},{"name":"LDAP_VENDOR_NAME","features":[473]},{"name":"LDAP_VENDOR_NAME_W","features":[473]},{"name":"LDAP_VENDOR_VERSION","features":[473]},{"name":"LDAP_VERSION","features":[473]},{"name":"LDAP_VERSION1","features":[473]},{"name":"LDAP_VERSION2","features":[473]},{"name":"LDAP_VERSION3","features":[473]},{"name":"LDAP_VERSION_INFO","features":[473]},{"name":"LDAP_VERSION_MAX","features":[473]},{"name":"LDAP_VERSION_MIN","features":[473]},{"name":"LDAP_VIRTUAL_LIST_VIEW_ERROR","features":[473]},{"name":"LDAP_VLVINFO_VERSION","features":[473]},{"name":"LdapGetLastError","features":[473]},{"name":"LdapMapErrorToWin32","features":[308,473]},{"name":"LdapUTF8ToUnicode","features":[473]},{"name":"LdapUnicodeToUTF8","features":[473]},{"name":"NOTIFYOFNEWCONNECTION","features":[308,473]},{"name":"PLDAPSearch","features":[473]},{"name":"QUERYCLIENTCERT","features":[308,473,329,392]},{"name":"QUERYFORCONNECTION","features":[473]},{"name":"SERVER_SEARCH_FLAG_DOMAIN_SCOPE","features":[473]},{"name":"SERVER_SEARCH_FLAG_PHANTOM_ROOT","features":[473]},{"name":"VERIFYSERVERCERT","features":[308,473,392]},{"name":"ber_alloc_t","features":[473]},{"name":"ber_bvdup","features":[473]},{"name":"ber_bvecfree","features":[473]},{"name":"ber_bvfree","features":[473]},{"name":"ber_first_element","features":[473]},{"name":"ber_flatten","features":[473]},{"name":"ber_free","features":[473]},{"name":"ber_init","features":[473]},{"name":"ber_next_element","features":[473]},{"name":"ber_peek_tag","features":[473]},{"name":"ber_printf","features":[473]},{"name":"ber_scanf","features":[473]},{"name":"ber_skip_tag","features":[473]},{"name":"cldap_open","features":[473]},{"name":"cldap_openA","features":[473]},{"name":"cldap_openW","features":[473]},{"name":"ldap_abandon","features":[473]},{"name":"ldap_add","features":[473]},{"name":"ldap_addA","features":[473]},{"name":"ldap_addW","features":[473]},{"name":"ldap_add_ext","features":[308,473]},{"name":"ldap_add_extA","features":[308,473]},{"name":"ldap_add_extW","features":[308,473]},{"name":"ldap_add_ext_s","features":[308,473]},{"name":"ldap_add_ext_sA","features":[308,473]},{"name":"ldap_add_ext_sW","features":[308,473]},{"name":"ldap_add_s","features":[473]},{"name":"ldap_add_sA","features":[473]},{"name":"ldap_add_sW","features":[473]},{"name":"ldap_bind","features":[473]},{"name":"ldap_bindA","features":[473]},{"name":"ldap_bindW","features":[473]},{"name":"ldap_bind_s","features":[473]},{"name":"ldap_bind_sA","features":[473]},{"name":"ldap_bind_sW","features":[473]},{"name":"ldap_check_filterA","features":[473]},{"name":"ldap_check_filterW","features":[473]},{"name":"ldap_cleanup","features":[308,473]},{"name":"ldap_close_extended_op","features":[473]},{"name":"ldap_compare","features":[473]},{"name":"ldap_compareA","features":[473]},{"name":"ldap_compareW","features":[473]},{"name":"ldap_compare_ext","features":[308,473]},{"name":"ldap_compare_extA","features":[308,473]},{"name":"ldap_compare_extW","features":[308,473]},{"name":"ldap_compare_ext_s","features":[308,473]},{"name":"ldap_compare_ext_sA","features":[308,473]},{"name":"ldap_compare_ext_sW","features":[308,473]},{"name":"ldap_compare_s","features":[473]},{"name":"ldap_compare_sA","features":[473]},{"name":"ldap_compare_sW","features":[473]},{"name":"ldap_conn_from_msg","features":[308,473]},{"name":"ldap_connect","features":[473]},{"name":"ldap_control_free","features":[308,473]},{"name":"ldap_control_freeA","features":[308,473]},{"name":"ldap_control_freeW","features":[308,473]},{"name":"ldap_controls_free","features":[308,473]},{"name":"ldap_controls_freeA","features":[308,473]},{"name":"ldap_controls_freeW","features":[308,473]},{"name":"ldap_count_entries","features":[308,473]},{"name":"ldap_count_references","features":[308,473]},{"name":"ldap_count_values","features":[473]},{"name":"ldap_count_valuesA","features":[473]},{"name":"ldap_count_valuesW","features":[473]},{"name":"ldap_count_values_len","features":[473]},{"name":"ldap_create_page_control","features":[308,473]},{"name":"ldap_create_page_controlA","features":[308,473]},{"name":"ldap_create_page_controlW","features":[308,473]},{"name":"ldap_create_sort_control","features":[308,473]},{"name":"ldap_create_sort_controlA","features":[308,473]},{"name":"ldap_create_sort_controlW","features":[308,473]},{"name":"ldap_create_vlv_controlA","features":[308,473]},{"name":"ldap_create_vlv_controlW","features":[308,473]},{"name":"ldap_delete","features":[473]},{"name":"ldap_deleteA","features":[473]},{"name":"ldap_deleteW","features":[473]},{"name":"ldap_delete_ext","features":[308,473]},{"name":"ldap_delete_extA","features":[308,473]},{"name":"ldap_delete_extW","features":[308,473]},{"name":"ldap_delete_ext_s","features":[308,473]},{"name":"ldap_delete_ext_sA","features":[308,473]},{"name":"ldap_delete_ext_sW","features":[308,473]},{"name":"ldap_delete_s","features":[473]},{"name":"ldap_delete_sA","features":[473]},{"name":"ldap_delete_sW","features":[473]},{"name":"ldap_dn2ufn","features":[473]},{"name":"ldap_dn2ufnA","features":[473]},{"name":"ldap_dn2ufnW","features":[473]},{"name":"ldap_encode_sort_controlA","features":[308,473]},{"name":"ldap_encode_sort_controlW","features":[308,473]},{"name":"ldap_err2string","features":[473]},{"name":"ldap_err2stringA","features":[473]},{"name":"ldap_err2stringW","features":[473]},{"name":"ldap_escape_filter_element","features":[473]},{"name":"ldap_escape_filter_elementA","features":[473]},{"name":"ldap_escape_filter_elementW","features":[473]},{"name":"ldap_explode_dn","features":[473]},{"name":"ldap_explode_dnA","features":[473]},{"name":"ldap_explode_dnW","features":[473]},{"name":"ldap_extended_operation","features":[308,473]},{"name":"ldap_extended_operationA","features":[308,473]},{"name":"ldap_extended_operationW","features":[308,473]},{"name":"ldap_extended_operation_sA","features":[308,473]},{"name":"ldap_extended_operation_sW","features":[308,473]},{"name":"ldap_first_attribute","features":[308,473]},{"name":"ldap_first_attributeA","features":[308,473]},{"name":"ldap_first_attributeW","features":[308,473]},{"name":"ldap_first_entry","features":[308,473]},{"name":"ldap_first_reference","features":[308,473]},{"name":"ldap_free_controls","features":[308,473]},{"name":"ldap_free_controlsA","features":[308,473]},{"name":"ldap_free_controlsW","features":[308,473]},{"name":"ldap_get_dn","features":[308,473]},{"name":"ldap_get_dnA","features":[308,473]},{"name":"ldap_get_dnW","features":[308,473]},{"name":"ldap_get_next_page","features":[473]},{"name":"ldap_get_next_page_s","features":[308,473]},{"name":"ldap_get_option","features":[473]},{"name":"ldap_get_optionW","features":[473]},{"name":"ldap_get_paged_count","features":[308,473]},{"name":"ldap_get_values","features":[308,473]},{"name":"ldap_get_valuesA","features":[308,473]},{"name":"ldap_get_valuesW","features":[308,473]},{"name":"ldap_get_values_len","features":[308,473]},{"name":"ldap_get_values_lenA","features":[308,473]},{"name":"ldap_get_values_lenW","features":[308,473]},{"name":"ldap_init","features":[473]},{"name":"ldap_initA","features":[473]},{"name":"ldap_initW","features":[473]},{"name":"ldap_memfree","features":[473]},{"name":"ldap_memfreeA","features":[473]},{"name":"ldap_memfreeW","features":[473]},{"name":"ldap_modify","features":[473]},{"name":"ldap_modifyA","features":[473]},{"name":"ldap_modifyW","features":[473]},{"name":"ldap_modify_ext","features":[308,473]},{"name":"ldap_modify_extA","features":[308,473]},{"name":"ldap_modify_extW","features":[308,473]},{"name":"ldap_modify_ext_s","features":[308,473]},{"name":"ldap_modify_ext_sA","features":[308,473]},{"name":"ldap_modify_ext_sW","features":[308,473]},{"name":"ldap_modify_s","features":[473]},{"name":"ldap_modify_sA","features":[473]},{"name":"ldap_modify_sW","features":[473]},{"name":"ldap_modrdn","features":[473]},{"name":"ldap_modrdn2","features":[473]},{"name":"ldap_modrdn2A","features":[473]},{"name":"ldap_modrdn2W","features":[473]},{"name":"ldap_modrdn2_s","features":[473]},{"name":"ldap_modrdn2_sA","features":[473]},{"name":"ldap_modrdn2_sW","features":[473]},{"name":"ldap_modrdnA","features":[473]},{"name":"ldap_modrdnW","features":[473]},{"name":"ldap_modrdn_s","features":[473]},{"name":"ldap_modrdn_sA","features":[473]},{"name":"ldap_modrdn_sW","features":[473]},{"name":"ldap_msgfree","features":[308,473]},{"name":"ldap_next_attribute","features":[308,473]},{"name":"ldap_next_attributeA","features":[308,473]},{"name":"ldap_next_attributeW","features":[308,473]},{"name":"ldap_next_entry","features":[308,473]},{"name":"ldap_next_reference","features":[308,473]},{"name":"ldap_open","features":[473]},{"name":"ldap_openA","features":[473]},{"name":"ldap_openW","features":[473]},{"name":"ldap_parse_extended_resultA","features":[308,473]},{"name":"ldap_parse_extended_resultW","features":[308,473]},{"name":"ldap_parse_page_control","features":[308,473]},{"name":"ldap_parse_page_controlA","features":[308,473]},{"name":"ldap_parse_page_controlW","features":[308,473]},{"name":"ldap_parse_reference","features":[308,473]},{"name":"ldap_parse_referenceA","features":[308,473]},{"name":"ldap_parse_referenceW","features":[308,473]},{"name":"ldap_parse_result","features":[308,473]},{"name":"ldap_parse_resultA","features":[308,473]},{"name":"ldap_parse_resultW","features":[308,473]},{"name":"ldap_parse_sort_control","features":[308,473]},{"name":"ldap_parse_sort_controlA","features":[308,473]},{"name":"ldap_parse_sort_controlW","features":[308,473]},{"name":"ldap_parse_vlv_controlA","features":[308,473]},{"name":"ldap_parse_vlv_controlW","features":[308,473]},{"name":"ldap_perror","features":[473]},{"name":"ldap_rename_ext","features":[308,473]},{"name":"ldap_rename_extA","features":[308,473]},{"name":"ldap_rename_extW","features":[308,473]},{"name":"ldap_rename_ext_s","features":[308,473]},{"name":"ldap_rename_ext_sA","features":[308,473]},{"name":"ldap_rename_ext_sW","features":[308,473]},{"name":"ldap_result","features":[308,473]},{"name":"ldap_result2error","features":[308,473]},{"name":"ldap_sasl_bindA","features":[308,473]},{"name":"ldap_sasl_bindW","features":[308,473]},{"name":"ldap_sasl_bind_sA","features":[308,473]},{"name":"ldap_sasl_bind_sW","features":[308,473]},{"name":"ldap_search","features":[473]},{"name":"ldap_searchA","features":[473]},{"name":"ldap_searchW","features":[473]},{"name":"ldap_search_abandon_page","features":[473]},{"name":"ldap_search_ext","features":[308,473]},{"name":"ldap_search_extA","features":[308,473]},{"name":"ldap_search_extW","features":[308,473]},{"name":"ldap_search_ext_s","features":[308,473]},{"name":"ldap_search_ext_sA","features":[308,473]},{"name":"ldap_search_ext_sW","features":[308,473]},{"name":"ldap_search_init_page","features":[308,473]},{"name":"ldap_search_init_pageA","features":[308,473]},{"name":"ldap_search_init_pageW","features":[308,473]},{"name":"ldap_search_s","features":[308,473]},{"name":"ldap_search_sA","features":[308,473]},{"name":"ldap_search_sW","features":[308,473]},{"name":"ldap_search_st","features":[308,473]},{"name":"ldap_search_stA","features":[308,473]},{"name":"ldap_search_stW","features":[308,473]},{"name":"ldap_set_dbg_flags","features":[473]},{"name":"ldap_set_dbg_routine","features":[473]},{"name":"ldap_set_option","features":[473]},{"name":"ldap_set_optionW","features":[473]},{"name":"ldap_simple_bind","features":[473]},{"name":"ldap_simple_bindA","features":[473]},{"name":"ldap_simple_bindW","features":[473]},{"name":"ldap_simple_bind_s","features":[473]},{"name":"ldap_simple_bind_sA","features":[473]},{"name":"ldap_simple_bind_sW","features":[473]},{"name":"ldap_sslinit","features":[473]},{"name":"ldap_sslinitA","features":[473]},{"name":"ldap_sslinitW","features":[473]},{"name":"ldap_start_tls_sA","features":[308,473]},{"name":"ldap_start_tls_sW","features":[308,473]},{"name":"ldap_startup","features":[308,473]},{"name":"ldap_stop_tls_s","features":[308,473]},{"name":"ldap_ufn2dn","features":[473]},{"name":"ldap_ufn2dnA","features":[473]},{"name":"ldap_ufn2dnW","features":[473]},{"name":"ldap_unbind","features":[473]},{"name":"ldap_unbind_s","features":[473]},{"name":"ldap_value_free","features":[473]},{"name":"ldap_value_freeA","features":[473]},{"name":"ldap_value_freeW","features":[473]},{"name":"ldap_value_free_len","features":[473]}],"472":[{"name":"IEnumNetworkConnections","features":[474,359]},{"name":"IEnumNetworks","features":[474,359]},{"name":"INetwork","features":[474,359]},{"name":"INetwork2","features":[474,359]},{"name":"INetworkConnection","features":[474,359]},{"name":"INetworkConnection2","features":[474,359]},{"name":"INetworkConnectionCost","features":[474]},{"name":"INetworkConnectionCostEvents","features":[474]},{"name":"INetworkConnectionEvents","features":[474]},{"name":"INetworkCostManager","features":[474]},{"name":"INetworkCostManagerEvents","features":[474]},{"name":"INetworkEvents","features":[474]},{"name":"INetworkListManager","features":[474,359]},{"name":"INetworkListManagerEvents","features":[474]},{"name":"NA_AllowMerge","features":[474]},{"name":"NA_CategoryReadOnly","features":[474]},{"name":"NA_CategorySetByPolicy","features":[474]},{"name":"NA_DescriptionReadOnly","features":[474]},{"name":"NA_DescriptionSetByPolicy","features":[474]},{"name":"NA_DomainAuthenticationFailed","features":[474]},{"name":"NA_IconReadOnly","features":[474]},{"name":"NA_IconSetByPolicy","features":[474]},{"name":"NA_InternetConnectivityV4","features":[474]},{"name":"NA_InternetConnectivityV6","features":[474]},{"name":"NA_NameReadOnly","features":[474]},{"name":"NA_NameSetByPolicy","features":[474]},{"name":"NA_NetworkClass","features":[474]},{"name":"NLM_CONNECTION_COST","features":[474]},{"name":"NLM_CONNECTION_COST_APPROACHINGDATALIMIT","features":[474]},{"name":"NLM_CONNECTION_COST_CONGESTED","features":[474]},{"name":"NLM_CONNECTION_COST_FIXED","features":[474]},{"name":"NLM_CONNECTION_COST_OVERDATALIMIT","features":[474]},{"name":"NLM_CONNECTION_COST_ROAMING","features":[474]},{"name":"NLM_CONNECTION_COST_UNKNOWN","features":[474]},{"name":"NLM_CONNECTION_COST_UNRESTRICTED","features":[474]},{"name":"NLM_CONNECTION_COST_VARIABLE","features":[474]},{"name":"NLM_CONNECTION_PROPERTY_CHANGE","features":[474]},{"name":"NLM_CONNECTION_PROPERTY_CHANGE_AUTHENTICATION","features":[474]},{"name":"NLM_CONNECTIVITY","features":[474]},{"name":"NLM_CONNECTIVITY_DISCONNECTED","features":[474]},{"name":"NLM_CONNECTIVITY_IPV4_INTERNET","features":[474]},{"name":"NLM_CONNECTIVITY_IPV4_LOCALNETWORK","features":[474]},{"name":"NLM_CONNECTIVITY_IPV4_NOTRAFFIC","features":[474]},{"name":"NLM_CONNECTIVITY_IPV4_SUBNET","features":[474]},{"name":"NLM_CONNECTIVITY_IPV6_INTERNET","features":[474]},{"name":"NLM_CONNECTIVITY_IPV6_LOCALNETWORK","features":[474]},{"name":"NLM_CONNECTIVITY_IPV6_NOTRAFFIC","features":[474]},{"name":"NLM_CONNECTIVITY_IPV6_SUBNET","features":[474]},{"name":"NLM_DATAPLAN_STATUS","features":[308,474]},{"name":"NLM_DOMAIN_AUTHENTICATION_KIND","features":[474]},{"name":"NLM_DOMAIN_AUTHENTICATION_KIND_LDAP","features":[474]},{"name":"NLM_DOMAIN_AUTHENTICATION_KIND_NONE","features":[474]},{"name":"NLM_DOMAIN_AUTHENTICATION_KIND_TLS","features":[474]},{"name":"NLM_DOMAIN_TYPE","features":[474]},{"name":"NLM_DOMAIN_TYPE_DOMAIN_AUTHENTICATED","features":[474]},{"name":"NLM_DOMAIN_TYPE_DOMAIN_NETWORK","features":[474]},{"name":"NLM_DOMAIN_TYPE_NON_DOMAIN_NETWORK","features":[474]},{"name":"NLM_ENUM_NETWORK","features":[474]},{"name":"NLM_ENUM_NETWORK_ALL","features":[474]},{"name":"NLM_ENUM_NETWORK_CONNECTED","features":[474]},{"name":"NLM_ENUM_NETWORK_DISCONNECTED","features":[474]},{"name":"NLM_INTERNET_CONNECTIVITY","features":[474]},{"name":"NLM_INTERNET_CONNECTIVITY_CORPORATE","features":[474]},{"name":"NLM_INTERNET_CONNECTIVITY_PROXIED","features":[474]},{"name":"NLM_INTERNET_CONNECTIVITY_WEBHIJACK","features":[474]},{"name":"NLM_MAX_ADDRESS_LIST_SIZE","features":[474]},{"name":"NLM_NETWORK_CATEGORY","features":[474]},{"name":"NLM_NETWORK_CATEGORY_DOMAIN_AUTHENTICATED","features":[474]},{"name":"NLM_NETWORK_CATEGORY_PRIVATE","features":[474]},{"name":"NLM_NETWORK_CATEGORY_PUBLIC","features":[474]},{"name":"NLM_NETWORK_CLASS","features":[474]},{"name":"NLM_NETWORK_IDENTIFIED","features":[474]},{"name":"NLM_NETWORK_IDENTIFYING","features":[474]},{"name":"NLM_NETWORK_PROPERTY_CHANGE","features":[474]},{"name":"NLM_NETWORK_PROPERTY_CHANGE_CATEGORY_VALUE","features":[474]},{"name":"NLM_NETWORK_PROPERTY_CHANGE_CONNECTION","features":[474]},{"name":"NLM_NETWORK_PROPERTY_CHANGE_DESCRIPTION","features":[474]},{"name":"NLM_NETWORK_PROPERTY_CHANGE_ICON","features":[474]},{"name":"NLM_NETWORK_PROPERTY_CHANGE_NAME","features":[474]},{"name":"NLM_NETWORK_UNIDENTIFIED","features":[474]},{"name":"NLM_SIMULATED_PROFILE_INFO","features":[474]},{"name":"NLM_SOCKADDR","features":[474]},{"name":"NLM_UNKNOWN_DATAPLAN_STATUS","features":[474]},{"name":"NLM_USAGE_DATA","features":[308,474]},{"name":"NetworkListManager","features":[474]}],"473":[{"name":"FindSimilarFileIndexResults","features":[475]},{"name":"FindSimilarResults","features":[475]},{"name":"GeneratorParametersType","features":[475]},{"name":"IFindSimilarResults","features":[475]},{"name":"IRdcComparator","features":[475]},{"name":"IRdcFileReader","features":[475]},{"name":"IRdcFileWriter","features":[475]},{"name":"IRdcGenerator","features":[475]},{"name":"IRdcGeneratorFilterMaxParameters","features":[475]},{"name":"IRdcGeneratorParameters","features":[475]},{"name":"IRdcLibrary","features":[475]},{"name":"IRdcSignatureReader","features":[475]},{"name":"IRdcSimilarityGenerator","features":[475]},{"name":"ISimilarity","features":[475]},{"name":"ISimilarityFileIdTable","features":[475]},{"name":"ISimilarityReportProgress","features":[475]},{"name":"ISimilarityTableDumpState","features":[475]},{"name":"ISimilarityTraitsMappedView","features":[475]},{"name":"ISimilarityTraitsMapping","features":[475]},{"name":"ISimilarityTraitsTable","features":[475]},{"name":"MSRDC_DEFAULT_COMPAREBUFFER","features":[475]},{"name":"MSRDC_DEFAULT_HASHWINDOWSIZE_1","features":[475]},{"name":"MSRDC_DEFAULT_HASHWINDOWSIZE_N","features":[475]},{"name":"MSRDC_DEFAULT_HORIZONSIZE_1","features":[475]},{"name":"MSRDC_DEFAULT_HORIZONSIZE_N","features":[475]},{"name":"MSRDC_MAXIMUM_COMPAREBUFFER","features":[475]},{"name":"MSRDC_MAXIMUM_DEPTH","features":[475]},{"name":"MSRDC_MAXIMUM_HASHWINDOWSIZE","features":[475]},{"name":"MSRDC_MAXIMUM_HORIZONSIZE","features":[475]},{"name":"MSRDC_MAXIMUM_MATCHESREQUIRED","features":[475]},{"name":"MSRDC_MAXIMUM_TRAITVALUE","features":[475]},{"name":"MSRDC_MINIMUM_COMPAREBUFFER","features":[475]},{"name":"MSRDC_MINIMUM_COMPATIBLE_APP_VERSION","features":[475]},{"name":"MSRDC_MINIMUM_DEPTH","features":[475]},{"name":"MSRDC_MINIMUM_HASHWINDOWSIZE","features":[475]},{"name":"MSRDC_MINIMUM_HORIZONSIZE","features":[475]},{"name":"MSRDC_MINIMUM_INPUTBUFFERSIZE","features":[475]},{"name":"MSRDC_MINIMUM_MATCHESREQUIRED","features":[475]},{"name":"MSRDC_SIGNATURE_HASHSIZE","features":[475]},{"name":"MSRDC_VERSION","features":[475]},{"name":"RDCE_TABLE_CORRUPT","features":[475]},{"name":"RDCE_TABLE_FULL","features":[475]},{"name":"RDCGENTYPE_FilterMax","features":[475]},{"name":"RDCGENTYPE_Unused","features":[475]},{"name":"RDCMAPPING_ReadOnly","features":[475]},{"name":"RDCMAPPING_ReadWrite","features":[475]},{"name":"RDCMAPPING_Undefined","features":[475]},{"name":"RDCNEED_SEED","features":[475]},{"name":"RDCNEED_SEED_MAX","features":[475]},{"name":"RDCNEED_SOURCE","features":[475]},{"name":"RDCNEED_TARGET","features":[475]},{"name":"RDCTABLE_Existing","features":[475]},{"name":"RDCTABLE_InvalidOrUnknown","features":[475]},{"name":"RDCTABLE_New","features":[475]},{"name":"RDC_Aborted","features":[475]},{"name":"RDC_ApplicationError","features":[475]},{"name":"RDC_DataMissingOrCorrupt","features":[475]},{"name":"RDC_DataTooManyRecords","features":[475]},{"name":"RDC_ErrorCode","features":[475]},{"name":"RDC_FileChecksumMismatch","features":[475]},{"name":"RDC_HeaderMissingOrCorrupt","features":[475]},{"name":"RDC_HeaderVersionNewer","features":[475]},{"name":"RDC_HeaderVersionOlder","features":[475]},{"name":"RDC_HeaderWrongType","features":[475]},{"name":"RDC_NoError","features":[475]},{"name":"RDC_Win32Error","features":[475]},{"name":"RdcBufferPointer","features":[475]},{"name":"RdcComparator","features":[475]},{"name":"RdcCreatedTables","features":[475]},{"name":"RdcFileReader","features":[475]},{"name":"RdcGenerator","features":[475]},{"name":"RdcGeneratorFilterMaxParameters","features":[475]},{"name":"RdcGeneratorParameters","features":[475]},{"name":"RdcLibrary","features":[475]},{"name":"RdcMappingAccessMode","features":[475]},{"name":"RdcNeed","features":[475]},{"name":"RdcNeedPointer","features":[475]},{"name":"RdcNeedType","features":[475]},{"name":"RdcSignature","features":[475]},{"name":"RdcSignaturePointer","features":[475]},{"name":"RdcSignatureReader","features":[475]},{"name":"RdcSimilarityGenerator","features":[475]},{"name":"Similarity","features":[475]},{"name":"SimilarityData","features":[475]},{"name":"SimilarityDumpData","features":[475]},{"name":"SimilarityFileId","features":[475]},{"name":"SimilarityFileIdMaxSize","features":[475]},{"name":"SimilarityFileIdMinSize","features":[475]},{"name":"SimilarityFileIdTable","features":[475]},{"name":"SimilarityMappedViewInfo","features":[475]},{"name":"SimilarityReportProgress","features":[475]},{"name":"SimilarityTableDumpState","features":[475]},{"name":"SimilarityTraitsMappedView","features":[475]},{"name":"SimilarityTraitsMapping","features":[475]},{"name":"SimilarityTraitsTable","features":[475]}],"474":[{"name":"WEB_SOCKET_ABORTED_CLOSE_STATUS","features":[476]},{"name":"WEB_SOCKET_ACTION","features":[476]},{"name":"WEB_SOCKET_ACTION_QUEUE","features":[476]},{"name":"WEB_SOCKET_ALLOCATED_BUFFER_PROPERTY_TYPE","features":[476]},{"name":"WEB_SOCKET_ALL_ACTION_QUEUE","features":[476]},{"name":"WEB_SOCKET_BINARY_FRAGMENT_BUFFER_TYPE","features":[476]},{"name":"WEB_SOCKET_BINARY_MESSAGE_BUFFER_TYPE","features":[476]},{"name":"WEB_SOCKET_BUFFER","features":[476]},{"name":"WEB_SOCKET_BUFFER_TYPE","features":[476]},{"name":"WEB_SOCKET_CLOSE_BUFFER_TYPE","features":[476]},{"name":"WEB_SOCKET_CLOSE_STATUS","features":[476]},{"name":"WEB_SOCKET_DISABLE_MASKING_PROPERTY_TYPE","features":[476]},{"name":"WEB_SOCKET_DISABLE_UTF8_VERIFICATION_PROPERTY_TYPE","features":[476]},{"name":"WEB_SOCKET_EMPTY_CLOSE_STATUS","features":[476]},{"name":"WEB_SOCKET_ENDPOINT_UNAVAILABLE_CLOSE_STATUS","features":[476]},{"name":"WEB_SOCKET_HANDLE","features":[476]},{"name":"WEB_SOCKET_HTTP_HEADER","features":[476]},{"name":"WEB_SOCKET_INDICATE_RECEIVE_COMPLETE_ACTION","features":[476]},{"name":"WEB_SOCKET_INDICATE_SEND_COMPLETE_ACTION","features":[476]},{"name":"WEB_SOCKET_INVALID_DATA_TYPE_CLOSE_STATUS","features":[476]},{"name":"WEB_SOCKET_INVALID_PAYLOAD_CLOSE_STATUS","features":[476]},{"name":"WEB_SOCKET_KEEPALIVE_INTERVAL_PROPERTY_TYPE","features":[476]},{"name":"WEB_SOCKET_MAX_CLOSE_REASON_LENGTH","features":[476]},{"name":"WEB_SOCKET_MESSAGE_TOO_BIG_CLOSE_STATUS","features":[476]},{"name":"WEB_SOCKET_NO_ACTION","features":[476]},{"name":"WEB_SOCKET_PING_PONG_BUFFER_TYPE","features":[476]},{"name":"WEB_SOCKET_POLICY_VIOLATION_CLOSE_STATUS","features":[476]},{"name":"WEB_SOCKET_PROPERTY","features":[476]},{"name":"WEB_SOCKET_PROPERTY_TYPE","features":[476]},{"name":"WEB_SOCKET_PROTOCOL_ERROR_CLOSE_STATUS","features":[476]},{"name":"WEB_SOCKET_RECEIVE_ACTION_QUEUE","features":[476]},{"name":"WEB_SOCKET_RECEIVE_BUFFER_SIZE_PROPERTY_TYPE","features":[476]},{"name":"WEB_SOCKET_RECEIVE_FROM_NETWORK_ACTION","features":[476]},{"name":"WEB_SOCKET_SECURE_HANDSHAKE_ERROR_CLOSE_STATUS","features":[476]},{"name":"WEB_SOCKET_SEND_ACTION_QUEUE","features":[476]},{"name":"WEB_SOCKET_SEND_BUFFER_SIZE_PROPERTY_TYPE","features":[476]},{"name":"WEB_SOCKET_SEND_TO_NETWORK_ACTION","features":[476]},{"name":"WEB_SOCKET_SERVER_ERROR_CLOSE_STATUS","features":[476]},{"name":"WEB_SOCKET_SUCCESS_CLOSE_STATUS","features":[476]},{"name":"WEB_SOCKET_SUPPORTED_VERSIONS_PROPERTY_TYPE","features":[476]},{"name":"WEB_SOCKET_UNSOLICITED_PONG_BUFFER_TYPE","features":[476]},{"name":"WEB_SOCKET_UNSUPPORTED_EXTENSIONS_CLOSE_STATUS","features":[476]},{"name":"WEB_SOCKET_UTF8_FRAGMENT_BUFFER_TYPE","features":[476]},{"name":"WEB_SOCKET_UTF8_MESSAGE_BUFFER_TYPE","features":[476]},{"name":"WebSocketAbortHandle","features":[476]},{"name":"WebSocketBeginClientHandshake","features":[476]},{"name":"WebSocketBeginServerHandshake","features":[476]},{"name":"WebSocketCompleteAction","features":[476]},{"name":"WebSocketCreateClientHandle","features":[476]},{"name":"WebSocketCreateServerHandle","features":[476]},{"name":"WebSocketDeleteHandle","features":[476]},{"name":"WebSocketEndClientHandshake","features":[476]},{"name":"WebSocketEndServerHandshake","features":[476]},{"name":"WebSocketGetAction","features":[476]},{"name":"WebSocketGetGlobalProperty","features":[476]},{"name":"WebSocketReceive","features":[476]},{"name":"WebSocketSend","features":[476]}],"475":[{"name":"API_GET_PROXY_FOR_URL","features":[477]},{"name":"API_GET_PROXY_SETTINGS","features":[477]},{"name":"API_QUERY_DATA_AVAILABLE","features":[477]},{"name":"API_READ_DATA","features":[477]},{"name":"API_RECEIVE_RESPONSE","features":[477]},{"name":"API_SEND_REQUEST","features":[477]},{"name":"API_WRITE_DATA","features":[477]},{"name":"AutoLogonPolicy_Always","features":[477]},{"name":"AutoLogonPolicy_Never","features":[477]},{"name":"AutoLogonPolicy_OnlyIfBypassProxy","features":[477]},{"name":"ERROR_WINHTTP_AUTODETECTION_FAILED","features":[477]},{"name":"ERROR_WINHTTP_AUTO_PROXY_SERVICE_ERROR","features":[477]},{"name":"ERROR_WINHTTP_BAD_AUTO_PROXY_SCRIPT","features":[477]},{"name":"ERROR_WINHTTP_CANNOT_CALL_AFTER_OPEN","features":[477]},{"name":"ERROR_WINHTTP_CANNOT_CALL_AFTER_SEND","features":[477]},{"name":"ERROR_WINHTTP_CANNOT_CALL_BEFORE_OPEN","features":[477]},{"name":"ERROR_WINHTTP_CANNOT_CALL_BEFORE_SEND","features":[477]},{"name":"ERROR_WINHTTP_CANNOT_CONNECT","features":[477]},{"name":"ERROR_WINHTTP_CHUNKED_ENCODING_HEADER_SIZE_OVERFLOW","features":[477]},{"name":"ERROR_WINHTTP_CLIENT_AUTH_CERT_NEEDED","features":[477]},{"name":"ERROR_WINHTTP_CLIENT_AUTH_CERT_NEEDED_PROXY","features":[477]},{"name":"ERROR_WINHTTP_CLIENT_CERT_NO_ACCESS_PRIVATE_KEY","features":[477]},{"name":"ERROR_WINHTTP_CLIENT_CERT_NO_PRIVATE_KEY","features":[477]},{"name":"ERROR_WINHTTP_CONNECTION_ERROR","features":[477]},{"name":"ERROR_WINHTTP_FEATURE_DISABLED","features":[477]},{"name":"ERROR_WINHTTP_GLOBAL_CALLBACK_FAILED","features":[477]},{"name":"ERROR_WINHTTP_HEADER_ALREADY_EXISTS","features":[477]},{"name":"ERROR_WINHTTP_HEADER_COUNT_EXCEEDED","features":[477]},{"name":"ERROR_WINHTTP_HEADER_NOT_FOUND","features":[477]},{"name":"ERROR_WINHTTP_HEADER_SIZE_OVERFLOW","features":[477]},{"name":"ERROR_WINHTTP_HTTP_PROTOCOL_MISMATCH","features":[477]},{"name":"ERROR_WINHTTP_INCORRECT_HANDLE_STATE","features":[477]},{"name":"ERROR_WINHTTP_INCORRECT_HANDLE_TYPE","features":[477]},{"name":"ERROR_WINHTTP_INTERNAL_ERROR","features":[477]},{"name":"ERROR_WINHTTP_INVALID_HEADER","features":[477]},{"name":"ERROR_WINHTTP_INVALID_OPTION","features":[477]},{"name":"ERROR_WINHTTP_INVALID_QUERY_REQUEST","features":[477]},{"name":"ERROR_WINHTTP_INVALID_SERVER_RESPONSE","features":[477]},{"name":"ERROR_WINHTTP_INVALID_URL","features":[477]},{"name":"ERROR_WINHTTP_LOGIN_FAILURE","features":[477]},{"name":"ERROR_WINHTTP_NAME_NOT_RESOLVED","features":[477]},{"name":"ERROR_WINHTTP_NOT_INITIALIZED","features":[477]},{"name":"ERROR_WINHTTP_OPERATION_CANCELLED","features":[477]},{"name":"ERROR_WINHTTP_OPTION_NOT_SETTABLE","features":[477]},{"name":"ERROR_WINHTTP_OUT_OF_HANDLES","features":[477]},{"name":"ERROR_WINHTTP_REDIRECT_FAILED","features":[477]},{"name":"ERROR_WINHTTP_RESEND_REQUEST","features":[477]},{"name":"ERROR_WINHTTP_RESERVED_189","features":[477]},{"name":"ERROR_WINHTTP_RESPONSE_DRAIN_OVERFLOW","features":[477]},{"name":"ERROR_WINHTTP_SCRIPT_EXECUTION_ERROR","features":[477]},{"name":"ERROR_WINHTTP_SECURE_CERT_CN_INVALID","features":[477]},{"name":"ERROR_WINHTTP_SECURE_CERT_DATE_INVALID","features":[477]},{"name":"ERROR_WINHTTP_SECURE_CERT_REVOKED","features":[477]},{"name":"ERROR_WINHTTP_SECURE_CERT_REV_FAILED","features":[477]},{"name":"ERROR_WINHTTP_SECURE_CERT_WRONG_USAGE","features":[477]},{"name":"ERROR_WINHTTP_SECURE_CHANNEL_ERROR","features":[477]},{"name":"ERROR_WINHTTP_SECURE_FAILURE","features":[477]},{"name":"ERROR_WINHTTP_SECURE_FAILURE_PROXY","features":[477]},{"name":"ERROR_WINHTTP_SECURE_INVALID_CA","features":[477]},{"name":"ERROR_WINHTTP_SECURE_INVALID_CERT","features":[477]},{"name":"ERROR_WINHTTP_SHUTDOWN","features":[477]},{"name":"ERROR_WINHTTP_TIMEOUT","features":[477]},{"name":"ERROR_WINHTTP_UNABLE_TO_DOWNLOAD_SCRIPT","features":[477]},{"name":"ERROR_WINHTTP_UNHANDLED_SCRIPT_TYPE","features":[477]},{"name":"ERROR_WINHTTP_UNRECOGNIZED_SCHEME","features":[477]},{"name":"HTTPREQUEST_PROXYSETTING_DEFAULT","features":[477]},{"name":"HTTPREQUEST_PROXYSETTING_DIRECT","features":[477]},{"name":"HTTPREQUEST_PROXYSETTING_PRECONFIG","features":[477]},{"name":"HTTPREQUEST_PROXYSETTING_PROXY","features":[477]},{"name":"HTTPREQUEST_SETCREDENTIALS_FOR_PROXY","features":[477]},{"name":"HTTPREQUEST_SETCREDENTIALS_FOR_SERVER","features":[477]},{"name":"HTTP_STATUS_ACCEPTED","features":[477]},{"name":"HTTP_STATUS_AMBIGUOUS","features":[477]},{"name":"HTTP_STATUS_BAD_GATEWAY","features":[477]},{"name":"HTTP_STATUS_BAD_METHOD","features":[477]},{"name":"HTTP_STATUS_BAD_REQUEST","features":[477]},{"name":"HTTP_STATUS_CONFLICT","features":[477]},{"name":"HTTP_STATUS_CONTINUE","features":[477]},{"name":"HTTP_STATUS_CREATED","features":[477]},{"name":"HTTP_STATUS_DENIED","features":[477]},{"name":"HTTP_STATUS_FIRST","features":[477]},{"name":"HTTP_STATUS_FORBIDDEN","features":[477]},{"name":"HTTP_STATUS_GATEWAY_TIMEOUT","features":[477]},{"name":"HTTP_STATUS_GONE","features":[477]},{"name":"HTTP_STATUS_LAST","features":[477]},{"name":"HTTP_STATUS_LENGTH_REQUIRED","features":[477]},{"name":"HTTP_STATUS_MOVED","features":[477]},{"name":"HTTP_STATUS_NONE_ACCEPTABLE","features":[477]},{"name":"HTTP_STATUS_NOT_FOUND","features":[477]},{"name":"HTTP_STATUS_NOT_MODIFIED","features":[477]},{"name":"HTTP_STATUS_NOT_SUPPORTED","features":[477]},{"name":"HTTP_STATUS_NO_CONTENT","features":[477]},{"name":"HTTP_STATUS_OK","features":[477]},{"name":"HTTP_STATUS_PARTIAL","features":[477]},{"name":"HTTP_STATUS_PARTIAL_CONTENT","features":[477]},{"name":"HTTP_STATUS_PAYMENT_REQ","features":[477]},{"name":"HTTP_STATUS_PERMANENT_REDIRECT","features":[477]},{"name":"HTTP_STATUS_PRECOND_FAILED","features":[477]},{"name":"HTTP_STATUS_PROXY_AUTH_REQ","features":[477]},{"name":"HTTP_STATUS_REDIRECT","features":[477]},{"name":"HTTP_STATUS_REDIRECT_KEEP_VERB","features":[477]},{"name":"HTTP_STATUS_REDIRECT_METHOD","features":[477]},{"name":"HTTP_STATUS_REQUEST_TIMEOUT","features":[477]},{"name":"HTTP_STATUS_REQUEST_TOO_LARGE","features":[477]},{"name":"HTTP_STATUS_RESET_CONTENT","features":[477]},{"name":"HTTP_STATUS_RETRY_WITH","features":[477]},{"name":"HTTP_STATUS_SERVER_ERROR","features":[477]},{"name":"HTTP_STATUS_SERVICE_UNAVAIL","features":[477]},{"name":"HTTP_STATUS_SWITCH_PROTOCOLS","features":[477]},{"name":"HTTP_STATUS_UNSUPPORTED_MEDIA","features":[477]},{"name":"HTTP_STATUS_URI_TOO_LONG","features":[477]},{"name":"HTTP_STATUS_USE_PROXY","features":[477]},{"name":"HTTP_STATUS_VERSION_NOT_SUP","features":[477]},{"name":"HTTP_STATUS_WEBDAV_MULTI_STATUS","features":[477]},{"name":"HTTP_VERSION_INFO","features":[477]},{"name":"ICU_BROWSER_MODE","features":[477]},{"name":"ICU_DECODE","features":[477]},{"name":"ICU_ENCODE_PERCENT","features":[477]},{"name":"ICU_ENCODE_SPACES_ONLY","features":[477]},{"name":"ICU_ESCAPE","features":[477]},{"name":"ICU_ESCAPE_AUTHORITY","features":[477]},{"name":"ICU_NO_ENCODE","features":[477]},{"name":"ICU_NO_META","features":[477]},{"name":"ICU_REJECT_USERPWD","features":[477]},{"name":"INTERNET_DEFAULT_HTTPS_PORT","features":[477]},{"name":"INTERNET_DEFAULT_HTTP_PORT","features":[477]},{"name":"INTERNET_DEFAULT_PORT","features":[477]},{"name":"IWinHttpRequest","features":[477,359]},{"name":"IWinHttpRequestEvents","features":[477]},{"name":"NETWORKING_KEY_BUFSIZE","features":[477]},{"name":"SECURITY_FLAG_IGNORE_CERT_CN_INVALID","features":[477]},{"name":"SECURITY_FLAG_IGNORE_CERT_DATE_INVALID","features":[477]},{"name":"SECURITY_FLAG_IGNORE_CERT_WRONG_USAGE","features":[477]},{"name":"SECURITY_FLAG_IGNORE_UNKNOWN_CA","features":[477]},{"name":"SECURITY_FLAG_SECURE","features":[477]},{"name":"SECURITY_FLAG_STRENGTH_MEDIUM","features":[477]},{"name":"SECURITY_FLAG_STRENGTH_STRONG","features":[477]},{"name":"SECURITY_FLAG_STRENGTH_WEAK","features":[477]},{"name":"SecureProtocol_ALL","features":[477]},{"name":"SecureProtocol_SSL2","features":[477]},{"name":"SecureProtocol_SSL3","features":[477]},{"name":"SecureProtocol_TLS1","features":[477]},{"name":"SecureProtocol_TLS1_1","features":[477]},{"name":"SecureProtocol_TLS1_2","features":[477]},{"name":"SslErrorFlag_CertCNInvalid","features":[477]},{"name":"SslErrorFlag_CertDateInvalid","features":[477]},{"name":"SslErrorFlag_CertWrongUsage","features":[477]},{"name":"SslErrorFlag_Ignore_All","features":[477]},{"name":"SslErrorFlag_UnknownCA","features":[477]},{"name":"URL_COMPONENTS","features":[477]},{"name":"WINHTTP_ACCESS_TYPE","features":[477]},{"name":"WINHTTP_ACCESS_TYPE_AUTOMATIC_PROXY","features":[477]},{"name":"WINHTTP_ACCESS_TYPE_DEFAULT_PROXY","features":[477]},{"name":"WINHTTP_ACCESS_TYPE_NAMED_PROXY","features":[477]},{"name":"WINHTTP_ACCESS_TYPE_NO_PROXY","features":[477]},{"name":"WINHTTP_ADDREQ_FLAGS_MASK","features":[477]},{"name":"WINHTTP_ADDREQ_FLAG_ADD","features":[477]},{"name":"WINHTTP_ADDREQ_FLAG_ADD_IF_NEW","features":[477]},{"name":"WINHTTP_ADDREQ_FLAG_COALESCE","features":[477]},{"name":"WINHTTP_ADDREQ_FLAG_COALESCE_WITH_COMMA","features":[477]},{"name":"WINHTTP_ADDREQ_FLAG_COALESCE_WITH_SEMICOLON","features":[477]},{"name":"WINHTTP_ADDREQ_FLAG_REPLACE","features":[477]},{"name":"WINHTTP_ADDREQ_INDEX_MASK","features":[477]},{"name":"WINHTTP_ASYNC_RESULT","features":[477]},{"name":"WINHTTP_AUTH_SCHEME_BASIC","features":[477]},{"name":"WINHTTP_AUTH_SCHEME_DIGEST","features":[477]},{"name":"WINHTTP_AUTH_SCHEME_NEGOTIATE","features":[477]},{"name":"WINHTTP_AUTH_SCHEME_NTLM","features":[477]},{"name":"WINHTTP_AUTH_SCHEME_PASSPORT","features":[477]},{"name":"WINHTTP_AUTH_TARGET_PROXY","features":[477]},{"name":"WINHTTP_AUTH_TARGET_SERVER","features":[477]},{"name":"WINHTTP_AUTOLOGON_SECURITY_LEVEL_DEFAULT","features":[477]},{"name":"WINHTTP_AUTOLOGON_SECURITY_LEVEL_HIGH","features":[477]},{"name":"WINHTTP_AUTOLOGON_SECURITY_LEVEL_LOW","features":[477]},{"name":"WINHTTP_AUTOLOGON_SECURITY_LEVEL_MAX","features":[477]},{"name":"WINHTTP_AUTOLOGON_SECURITY_LEVEL_MEDIUM","features":[477]},{"name":"WINHTTP_AUTOLOGON_SECURITY_LEVEL_PROXY_ONLY","features":[477]},{"name":"WINHTTP_AUTOPROXY_ALLOW_AUTOCONFIG","features":[477]},{"name":"WINHTTP_AUTOPROXY_ALLOW_CM","features":[477]},{"name":"WINHTTP_AUTOPROXY_ALLOW_STATIC","features":[477]},{"name":"WINHTTP_AUTOPROXY_AUTO_DETECT","features":[477]},{"name":"WINHTTP_AUTOPROXY_CONFIG_URL","features":[477]},{"name":"WINHTTP_AUTOPROXY_HOST_KEEPCASE","features":[477]},{"name":"WINHTTP_AUTOPROXY_HOST_LOWERCASE","features":[477]},{"name":"WINHTTP_AUTOPROXY_NO_CACHE_CLIENT","features":[477]},{"name":"WINHTTP_AUTOPROXY_NO_CACHE_SVC","features":[477]},{"name":"WINHTTP_AUTOPROXY_NO_DIRECTACCESS","features":[477]},{"name":"WINHTTP_AUTOPROXY_OPTIONS","features":[308,477]},{"name":"WINHTTP_AUTOPROXY_RUN_INPROCESS","features":[477]},{"name":"WINHTTP_AUTOPROXY_RUN_OUTPROCESS_ONLY","features":[477]},{"name":"WINHTTP_AUTOPROXY_SORT_RESULTS","features":[477]},{"name":"WINHTTP_AUTOPROXY_USE_INTERFACE_CONFIG","features":[477]},{"name":"WINHTTP_AUTO_DETECT_TYPE_DHCP","features":[477]},{"name":"WINHTTP_AUTO_DETECT_TYPE_DNS_A","features":[477]},{"name":"WINHTTP_CALLBACK_FLAG_ALL_NOTIFICATIONS","features":[477]},{"name":"WINHTTP_CALLBACK_FLAG_DATA_AVAILABLE","features":[477]},{"name":"WINHTTP_CALLBACK_FLAG_DETECTING_PROXY","features":[477]},{"name":"WINHTTP_CALLBACK_FLAG_GETPROXYFORURL_COMPLETE","features":[477]},{"name":"WINHTTP_CALLBACK_FLAG_GETPROXYSETTINGS_COMPLETE","features":[477]},{"name":"WINHTTP_CALLBACK_FLAG_HEADERS_AVAILABLE","features":[477]},{"name":"WINHTTP_CALLBACK_FLAG_INTERMEDIATE_RESPONSE","features":[477]},{"name":"WINHTTP_CALLBACK_FLAG_READ_COMPLETE","features":[477]},{"name":"WINHTTP_CALLBACK_FLAG_REDIRECT","features":[477]},{"name":"WINHTTP_CALLBACK_FLAG_REQUEST_ERROR","features":[477]},{"name":"WINHTTP_CALLBACK_FLAG_SECURE_FAILURE","features":[477]},{"name":"WINHTTP_CALLBACK_FLAG_SENDREQUEST_COMPLETE","features":[477]},{"name":"WINHTTP_CALLBACK_FLAG_WRITE_COMPLETE","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_CLOSE_COMPLETE","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_CLOSING_CONNECTION","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_CONNECTED_TO_SERVER","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_CONNECTING_TO_SERVER","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_CONNECTION_CLOSED","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_DATA_AVAILABLE","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_DETECTING_PROXY","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_FLAG_CERT_CN_INVALID","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_FLAG_CERT_DATE_INVALID","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_FLAG_CERT_REVOKED","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_FLAG_CERT_REV_FAILED","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_FLAG_CERT_WRONG_USAGE","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_FLAG_INVALID_CA","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_FLAG_INVALID_CERT","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_FLAG_SECURITY_CHANNEL_ERROR","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_GETPROXYFORURL_COMPLETE","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_GETPROXYSETTINGS_COMPLETE","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_HANDLE_CLOSING","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_HANDLE_CREATED","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_HEADERS_AVAILABLE","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_INTERMEDIATE_RESPONSE","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_NAME_RESOLVED","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_READ_COMPLETE","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_RECEIVING_RESPONSE","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_REDIRECT","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_REQUEST_ERROR","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_REQUEST_SENT","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_RESOLVING_NAME","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_RESPONSE_RECEIVED","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_SECURE_FAILURE","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_SENDING_REQUEST","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_SENDREQUEST_COMPLETE","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_SETTINGS_READ_COMPLETE","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_SETTINGS_WRITE_COMPLETE","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_SHUTDOWN_COMPLETE","features":[477]},{"name":"WINHTTP_CALLBACK_STATUS_WRITE_COMPLETE","features":[477]},{"name":"WINHTTP_CERTIFICATE_INFO","features":[308,477]},{"name":"WINHTTP_CONNECTION_GROUP","features":[477]},{"name":"WINHTTP_CONNECTION_INFO","features":[477,321]},{"name":"WINHTTP_CONNECTION_INFO","features":[477,321]},{"name":"WINHTTP_CONNECTION_RETRY_CONDITION_408","features":[477]},{"name":"WINHTTP_CONNECTION_RETRY_CONDITION_SSL_HANDSHAKE","features":[477]},{"name":"WINHTTP_CONNECTION_RETRY_CONDITION_STALE_CONNECTION","features":[477]},{"name":"WINHTTP_CONNS_PER_SERVER_UNLIMITED","features":[477]},{"name":"WINHTTP_CREDS","features":[477]},{"name":"WINHTTP_CREDS_AUTHSCHEME","features":[477]},{"name":"WINHTTP_CREDS_EX","features":[477]},{"name":"WINHTTP_CURRENT_USER_IE_PROXY_CONFIG","features":[308,477]},{"name":"WINHTTP_DECOMPRESSION_FLAG_DEFLATE","features":[477]},{"name":"WINHTTP_DECOMPRESSION_FLAG_GZIP","features":[477]},{"name":"WINHTTP_DISABLE_AUTHENTICATION","features":[477]},{"name":"WINHTTP_DISABLE_COOKIES","features":[477]},{"name":"WINHTTP_DISABLE_KEEP_ALIVE","features":[477]},{"name":"WINHTTP_DISABLE_PASSPORT_AUTH","features":[477]},{"name":"WINHTTP_DISABLE_PASSPORT_KEYRING","features":[477]},{"name":"WINHTTP_DISABLE_REDIRECTS","features":[477]},{"name":"WINHTTP_DISABLE_SPN_SERVER_PORT","features":[477]},{"name":"WINHTTP_ENABLE_PASSPORT_AUTH","features":[477]},{"name":"WINHTTP_ENABLE_PASSPORT_KEYRING","features":[477]},{"name":"WINHTTP_ENABLE_SPN_SERVER_PORT","features":[477]},{"name":"WINHTTP_ENABLE_SSL_REVERT_IMPERSONATION","features":[477]},{"name":"WINHTTP_ENABLE_SSL_REVOCATION","features":[477]},{"name":"WINHTTP_ERROR_BASE","features":[477]},{"name":"WINHTTP_ERROR_LAST","features":[477]},{"name":"WINHTTP_EXTENDED_HEADER","features":[477]},{"name":"WINHTTP_EXTENDED_HEADER_FLAG_UNICODE","features":[477]},{"name":"WINHTTP_FAILED_CONNECTION_RETRIES","features":[477]},{"name":"WINHTTP_FEATURE_ADD_REQUEST_HEADERS_EX","features":[477]},{"name":"WINHTTP_FEATURE_BACKGROUND_CONNECTIONS","features":[477]},{"name":"WINHTTP_FEATURE_CONNECTION_GUID","features":[477]},{"name":"WINHTTP_FEATURE_CONNECTION_STATS_V0","features":[477]},{"name":"WINHTTP_FEATURE_CONNECTION_STATS_V1","features":[477]},{"name":"WINHTTP_FEATURE_DISABLE_CERT_CHAIN_BUILDING","features":[477]},{"name":"WINHTTP_FEATURE_DISABLE_PROXY_AUTH_SCHEMES","features":[477]},{"name":"WINHTTP_FEATURE_DISABLE_SECURE_PROTOCOL_FALLBACK","features":[477]},{"name":"WINHTTP_FEATURE_DISABLE_STREAM_QUEUE","features":[477]},{"name":"WINHTTP_FEATURE_ENABLE_HTTP2_PLUS_CLIENT_CERT","features":[477]},{"name":"WINHTTP_FEATURE_EXPIRE_CONNECTION","features":[477]},{"name":"WINHTTP_FEATURE_EXTENDED_HEADER_FLAG_UNICODE","features":[477]},{"name":"WINHTTP_FEATURE_FAILED_CONNECTION_RETRIES","features":[477]},{"name":"WINHTTP_FEATURE_FIRST_AVAILABLE_CONNECTION","features":[477]},{"name":"WINHTTP_FEATURE_FLAG_AUTOMATIC_CHUNKING","features":[477]},{"name":"WINHTTP_FEATURE_FLAG_SECURE_DEFAULTS","features":[477]},{"name":"WINHTTP_FEATURE_FREE_QUERY_CONNECTION_GROUP_RESULT","features":[477]},{"name":"WINHTTP_FEATURE_HTTP2_KEEPALIVE","features":[477]},{"name":"WINHTTP_FEATURE_HTTP2_PLUS_TRANSFER_ENCODING","features":[477]},{"name":"WINHTTP_FEATURE_HTTP2_RECEIVE_WINDOW","features":[477]},{"name":"WINHTTP_FEATURE_HTTP3_HANDSHAKE_TIMEOUT","features":[477]},{"name":"WINHTTP_FEATURE_HTTP3_INITIAL_RTT","features":[477]},{"name":"WINHTTP_FEATURE_HTTP3_KEEPALIVE","features":[477]},{"name":"WINHTTP_FEATURE_HTTP3_STREAM_ERROR_CODE","features":[477]},{"name":"WINHTTP_FEATURE_HTTP_PROTOCOL_REQUIRED","features":[477]},{"name":"WINHTTP_FEATURE_IGNORE_CERT_REVOCATION_OFFLINE","features":[477]},{"name":"WINHTTP_FEATURE_IPV6_FAST_FALLBACK","features":[477]},{"name":"WINHTTP_FEATURE_IS_FEATURE_SUPPORTED","features":[477]},{"name":"WINHTTP_FEATURE_MATCH_CONNECTION_GUID","features":[477]},{"name":"WINHTTP_FEATURE_MATCH_CONNECTION_GUID_FLAG_REQUIRE_MARKED_CONNECTION","features":[477]},{"name":"WINHTTP_FEATURE_QUERY_CONNECTION_GROUP","features":[477]},{"name":"WINHTTP_FEATURE_QUERY_CONNECTION_GROUP_FLAG_INSECURE","features":[477]},{"name":"WINHTTP_FEATURE_QUERY_EX_ALL_HEADERS","features":[477]},{"name":"WINHTTP_FEATURE_QUERY_FLAG_TRAILERS","features":[477]},{"name":"WINHTTP_FEATURE_QUERY_FLAG_WIRE_ENCODING","features":[477]},{"name":"WINHTTP_FEATURE_QUERY_HEADERS_EX","features":[477]},{"name":"WINHTTP_FEATURE_QUIC_STATS","features":[477]},{"name":"WINHTTP_FEATURE_READ_DATA_EX","features":[477]},{"name":"WINHTTP_FEATURE_READ_DATA_EX_FLAG_FILL_BUFFER","features":[477]},{"name":"WINHTTP_FEATURE_REFERER_TOKEN_BINDING_HOSTNAME","features":[477]},{"name":"WINHTTP_FEATURE_REQUEST_ANNOTATION","features":[477]},{"name":"WINHTTP_FEATURE_REQUEST_STATS","features":[477]},{"name":"WINHTTP_FEATURE_REQUEST_TIMES","features":[477]},{"name":"WINHTTP_FEATURE_REQUIRE_STREAM_END","features":[477]},{"name":"WINHTTP_FEATURE_RESOLUTION_HOSTNAME","features":[477]},{"name":"WINHTTP_FEATURE_RESOLVER_CACHE_CONFIG","features":[477]},{"name":"WINHTTP_FEATURE_RESOLVER_CACHE_CONFIG_FLAG_BYPASS_CACHE","features":[477]},{"name":"WINHTTP_FEATURE_RESOLVER_CACHE_CONFIG_FLAG_CONN_USE_TTL","features":[477]},{"name":"WINHTTP_FEATURE_RESOLVER_CACHE_CONFIG_FLAG_SOFT_LIMIT","features":[477]},{"name":"WINHTTP_FEATURE_RESOLVER_CACHE_CONFIG_FLAG_USE_DNS_TTL","features":[477]},{"name":"WINHTTP_FEATURE_REVERT_IMPERSONATION_SERVER_CERT","features":[477]},{"name":"WINHTTP_FEATURE_SECURITY_FLAG_IGNORE_ALL_CERT_ERRORS","features":[477]},{"name":"WINHTTP_FEATURE_SECURITY_INFO","features":[477]},{"name":"WINHTTP_FEATURE_SERVER_CERT_CHAIN_CONTEXT","features":[477]},{"name":"WINHTTP_FEATURE_SET_PROXY_SETINGS_PER_USER","features":[477]},{"name":"WINHTTP_FEATURE_SET_TOKEN_BINDING","features":[477]},{"name":"WINHTTP_FEATURE_STREAM_ERROR_CODE","features":[477]},{"name":"WINHTTP_FEATURE_TCP_FAST_OPEN","features":[477]},{"name":"WINHTTP_FEATURE_TCP_KEEPALIVE","features":[477]},{"name":"WINHTTP_FEATURE_TCP_PRIORITY_STATUS","features":[477]},{"name":"WINHTTP_FEATURE_TLS_FALSE_START","features":[477]},{"name":"WINHTTP_FEATURE_TLS_PROTOCOL_INSECURE_FALLBACK","features":[477]},{"name":"WINHTTP_FEATURE_TOKEN_BINDING_PUBLIC_KEY","features":[477]},{"name":"WINHTTP_FLAG_ASYNC","features":[477]},{"name":"WINHTTP_FLAG_AUTOMATIC_CHUNKING","features":[477]},{"name":"WINHTTP_FLAG_BYPASS_PROXY_CACHE","features":[477]},{"name":"WINHTTP_FLAG_ESCAPE_DISABLE","features":[477]},{"name":"WINHTTP_FLAG_ESCAPE_DISABLE_QUERY","features":[477]},{"name":"WINHTTP_FLAG_ESCAPE_PERCENT","features":[477]},{"name":"WINHTTP_FLAG_NULL_CODEPAGE","features":[477]},{"name":"WINHTTP_FLAG_REFRESH","features":[477]},{"name":"WINHTTP_FLAG_SECURE","features":[477]},{"name":"WINHTTP_FLAG_SECURE_DEFAULTS","features":[477]},{"name":"WINHTTP_FLAG_SECURE_PROTOCOL_SSL2","features":[477]},{"name":"WINHTTP_FLAG_SECURE_PROTOCOL_SSL3","features":[477]},{"name":"WINHTTP_FLAG_SECURE_PROTOCOL_TLS1","features":[477]},{"name":"WINHTTP_FLAG_SECURE_PROTOCOL_TLS1_1","features":[477]},{"name":"WINHTTP_FLAG_SECURE_PROTOCOL_TLS1_2","features":[477]},{"name":"WINHTTP_FLAG_SECURE_PROTOCOL_TLS1_3","features":[477]},{"name":"WINHTTP_HANDLE_TYPE_CONNECT","features":[477]},{"name":"WINHTTP_HANDLE_TYPE_PROXY_RESOLVER","features":[477]},{"name":"WINHTTP_HANDLE_TYPE_REQUEST","features":[477]},{"name":"WINHTTP_HANDLE_TYPE_SESSION","features":[477]},{"name":"WINHTTP_HANDLE_TYPE_WEBSOCKET","features":[477]},{"name":"WINHTTP_HEADER_NAME","features":[477]},{"name":"WINHTTP_HOST_CONNECTION_GROUP","features":[477]},{"name":"WINHTTP_HTTP2_RECEIVE_WINDOW","features":[477]},{"name":"WINHTTP_IGNORE_REQUEST_TOTAL_LENGTH","features":[477]},{"name":"WINHTTP_INTERNET_SCHEME","features":[477]},{"name":"WINHTTP_INTERNET_SCHEME_FTP","features":[477]},{"name":"WINHTTP_INTERNET_SCHEME_HTTP","features":[477]},{"name":"WINHTTP_INTERNET_SCHEME_HTTPS","features":[477]},{"name":"WINHTTP_INTERNET_SCHEME_SOCKS","features":[477]},{"name":"WINHTTP_LAST_OPTION","features":[477]},{"name":"WINHTTP_MATCH_CONNECTION_GUID","features":[477]},{"name":"WINHTTP_MATCH_CONNECTION_GUID","features":[477]},{"name":"WINHTTP_MATCH_CONNECTION_GUID_FLAGS_MASK","features":[477]},{"name":"WINHTTP_MATCH_CONNECTION_GUID_FLAG_REQUIRE_MARKED_CONNECTION","features":[477]},{"name":"WINHTTP_OPEN_REQUEST_FLAGS","features":[477]},{"name":"WINHTTP_OPTION_ASSURED_NON_BLOCKING_CALLBACKS","features":[477]},{"name":"WINHTTP_OPTION_AUTOLOGON_POLICY","features":[477]},{"name":"WINHTTP_OPTION_BACKGROUND_CONNECTIONS","features":[477]},{"name":"WINHTTP_OPTION_CALLBACK","features":[477]},{"name":"WINHTTP_OPTION_CLIENT_CERT_CONTEXT","features":[477]},{"name":"WINHTTP_OPTION_CLIENT_CERT_ISSUER_LIST","features":[477]},{"name":"WINHTTP_OPTION_CODEPAGE","features":[477]},{"name":"WINHTTP_OPTION_CONFIGURE_PASSPORT_AUTH","features":[477]},{"name":"WINHTTP_OPTION_CONNECTION_FILTER","features":[477]},{"name":"WINHTTP_OPTION_CONNECTION_GUID","features":[477]},{"name":"WINHTTP_OPTION_CONNECTION_INFO","features":[477]},{"name":"WINHTTP_OPTION_CONNECTION_STATS_V0","features":[477]},{"name":"WINHTTP_OPTION_CONNECTION_STATS_V1","features":[477]},{"name":"WINHTTP_OPTION_CONNECT_RETRIES","features":[477]},{"name":"WINHTTP_OPTION_CONNECT_TIMEOUT","features":[477]},{"name":"WINHTTP_OPTION_CONTEXT_VALUE","features":[477]},{"name":"WINHTTP_OPTION_DECOMPRESSION","features":[477]},{"name":"WINHTTP_OPTION_DISABLE_CERT_CHAIN_BUILDING","features":[477]},{"name":"WINHTTP_OPTION_DISABLE_FEATURE","features":[477]},{"name":"WINHTTP_OPTION_DISABLE_GLOBAL_POOLING","features":[477]},{"name":"WINHTTP_OPTION_DISABLE_PROXY_AUTH_SCHEMES","features":[477]},{"name":"WINHTTP_OPTION_DISABLE_SECURE_PROTOCOL_FALLBACK","features":[477]},{"name":"WINHTTP_OPTION_DISABLE_STREAM_QUEUE","features":[477]},{"name":"WINHTTP_OPTION_ENABLETRACING","features":[477]},{"name":"WINHTTP_OPTION_ENABLE_FEATURE","features":[477]},{"name":"WINHTTP_OPTION_ENABLE_HTTP2_PLUS_CLIENT_CERT","features":[477]},{"name":"WINHTTP_OPTION_ENABLE_HTTP_PROTOCOL","features":[477]},{"name":"WINHTTP_OPTION_ENCODE_EXTRA","features":[477]},{"name":"WINHTTP_OPTION_EXPIRE_CONNECTION","features":[477]},{"name":"WINHTTP_OPTION_EXTENDED_ERROR","features":[477]},{"name":"WINHTTP_OPTION_FAILED_CONNECTION_RETRIES","features":[477]},{"name":"WINHTTP_OPTION_FEATURE_SUPPORTED","features":[477]},{"name":"WINHTTP_OPTION_FIRST_AVAILABLE_CONNECTION","features":[477]},{"name":"WINHTTP_OPTION_GLOBAL_PROXY_CREDS","features":[477]},{"name":"WINHTTP_OPTION_GLOBAL_SERVER_CREDS","features":[477]},{"name":"WINHTTP_OPTION_HANDLE_TYPE","features":[477]},{"name":"WINHTTP_OPTION_HTTP2_KEEPALIVE","features":[477]},{"name":"WINHTTP_OPTION_HTTP2_PLUS_TRANSFER_ENCODING","features":[477]},{"name":"WINHTTP_OPTION_HTTP2_RECEIVE_WINDOW","features":[477]},{"name":"WINHTTP_OPTION_HTTP3_HANDSHAKE_TIMEOUT","features":[477]},{"name":"WINHTTP_OPTION_HTTP3_INITIAL_RTT","features":[477]},{"name":"WINHTTP_OPTION_HTTP3_KEEPALIVE","features":[477]},{"name":"WINHTTP_OPTION_HTTP3_STREAM_ERROR_CODE","features":[477]},{"name":"WINHTTP_OPTION_HTTP_PROTOCOL_REQUIRED","features":[477]},{"name":"WINHTTP_OPTION_HTTP_PROTOCOL_USED","features":[477]},{"name":"WINHTTP_OPTION_HTTP_VERSION","features":[477]},{"name":"WINHTTP_OPTION_IGNORE_CERT_REVOCATION_OFFLINE","features":[477]},{"name":"WINHTTP_OPTION_IPV6_FAST_FALLBACK","features":[477]},{"name":"WINHTTP_OPTION_IS_PROXY_CONNECT_RESPONSE","features":[477]},{"name":"WINHTTP_OPTION_KDC_PROXY_SETTINGS","features":[477]},{"name":"WINHTTP_OPTION_MATCH_CONNECTION_GUID","features":[477]},{"name":"WINHTTP_OPTION_MAX_CONNS_PER_1_0_SERVER","features":[477]},{"name":"WINHTTP_OPTION_MAX_CONNS_PER_SERVER","features":[477]},{"name":"WINHTTP_OPTION_MAX_HTTP_AUTOMATIC_REDIRECTS","features":[477]},{"name":"WINHTTP_OPTION_MAX_HTTP_STATUS_CONTINUE","features":[477]},{"name":"WINHTTP_OPTION_MAX_RESPONSE_DRAIN_SIZE","features":[477]},{"name":"WINHTTP_OPTION_MAX_RESPONSE_HEADER_SIZE","features":[477]},{"name":"WINHTTP_OPTION_NETWORK_INTERFACE_AFFINITY","features":[477]},{"name":"WINHTTP_OPTION_PARENT_HANDLE","features":[477]},{"name":"WINHTTP_OPTION_PASSPORT_COBRANDING_TEXT","features":[477]},{"name":"WINHTTP_OPTION_PASSPORT_COBRANDING_URL","features":[477]},{"name":"WINHTTP_OPTION_PASSPORT_RETURN_URL","features":[477]},{"name":"WINHTTP_OPTION_PASSPORT_SIGN_OUT","features":[477]},{"name":"WINHTTP_OPTION_PASSWORD","features":[477]},{"name":"WINHTTP_OPTION_PROXY","features":[477]},{"name":"WINHTTP_OPTION_PROXY_DISABLE_SERVICE_CALLS","features":[477]},{"name":"WINHTTP_OPTION_PROXY_PASSWORD","features":[477]},{"name":"WINHTTP_OPTION_PROXY_RESULT_ENTRY","features":[477]},{"name":"WINHTTP_OPTION_PROXY_SPN_USED","features":[477]},{"name":"WINHTTP_OPTION_PROXY_USERNAME","features":[477]},{"name":"WINHTTP_OPTION_QUIC_STATS","features":[477]},{"name":"WINHTTP_OPTION_READ_BUFFER_SIZE","features":[477]},{"name":"WINHTTP_OPTION_RECEIVE_PROXY_CONNECT_RESPONSE","features":[477]},{"name":"WINHTTP_OPTION_RECEIVE_RESPONSE_TIMEOUT","features":[477]},{"name":"WINHTTP_OPTION_RECEIVE_TIMEOUT","features":[477]},{"name":"WINHTTP_OPTION_REDIRECT_POLICY","features":[477]},{"name":"WINHTTP_OPTION_REDIRECT_POLICY_ALWAYS","features":[477]},{"name":"WINHTTP_OPTION_REDIRECT_POLICY_DEFAULT","features":[477]},{"name":"WINHTTP_OPTION_REDIRECT_POLICY_DISALLOW_HTTPS_TO_HTTP","features":[477]},{"name":"WINHTTP_OPTION_REDIRECT_POLICY_LAST","features":[477]},{"name":"WINHTTP_OPTION_REDIRECT_POLICY_NEVER","features":[477]},{"name":"WINHTTP_OPTION_REFERER_TOKEN_BINDING_HOSTNAME","features":[477]},{"name":"WINHTTP_OPTION_REJECT_USERPWD_IN_URL","features":[477]},{"name":"WINHTTP_OPTION_REQUEST_ANNOTATION","features":[477]},{"name":"WINHTTP_OPTION_REQUEST_ANNOTATION_MAX_LENGTH","features":[477]},{"name":"WINHTTP_OPTION_REQUEST_PRIORITY","features":[477]},{"name":"WINHTTP_OPTION_REQUEST_STATS","features":[477]},{"name":"WINHTTP_OPTION_REQUEST_TIMES","features":[477]},{"name":"WINHTTP_OPTION_REQUIRE_STREAM_END","features":[477]},{"name":"WINHTTP_OPTION_RESOLUTION_HOSTNAME","features":[477]},{"name":"WINHTTP_OPTION_RESOLVER_CACHE_CONFIG","features":[477]},{"name":"WINHTTP_OPTION_RESOLVE_TIMEOUT","features":[477]},{"name":"WINHTTP_OPTION_REVERT_IMPERSONATION_SERVER_CERT","features":[477]},{"name":"WINHTTP_OPTION_SECURE_PROTOCOLS","features":[477]},{"name":"WINHTTP_OPTION_SECURITY_CERTIFICATE_STRUCT","features":[477]},{"name":"WINHTTP_OPTION_SECURITY_FLAGS","features":[477]},{"name":"WINHTTP_OPTION_SECURITY_INFO","features":[477]},{"name":"WINHTTP_OPTION_SECURITY_KEY_BITNESS","features":[477]},{"name":"WINHTTP_OPTION_SEND_TIMEOUT","features":[477]},{"name":"WINHTTP_OPTION_SERVER_CBT","features":[477]},{"name":"WINHTTP_OPTION_SERVER_CERT_CHAIN_CONTEXT","features":[477]},{"name":"WINHTTP_OPTION_SERVER_CERT_CONTEXT","features":[477]},{"name":"WINHTTP_OPTION_SERVER_SPN_USED","features":[477]},{"name":"WINHTTP_OPTION_SET_TOKEN_BINDING","features":[477]},{"name":"WINHTTP_OPTION_SPN","features":[477]},{"name":"WINHTTP_OPTION_SPN_MASK","features":[477]},{"name":"WINHTTP_OPTION_STREAM_ERROR_CODE","features":[477]},{"name":"WINHTTP_OPTION_TCP_FAST_OPEN","features":[477]},{"name":"WINHTTP_OPTION_TCP_KEEPALIVE","features":[477]},{"name":"WINHTTP_OPTION_TCP_PRIORITY_HINT","features":[477]},{"name":"WINHTTP_OPTION_TCP_PRIORITY_STATUS","features":[477]},{"name":"WINHTTP_OPTION_TLS_FALSE_START","features":[477]},{"name":"WINHTTP_OPTION_TLS_PROTOCOL_INSECURE_FALLBACK","features":[477]},{"name":"WINHTTP_OPTION_TOKEN_BINDING_PUBLIC_KEY","features":[477]},{"name":"WINHTTP_OPTION_UNLOAD_NOTIFY_EVENT","features":[477]},{"name":"WINHTTP_OPTION_UNSAFE_HEADER_PARSING","features":[477]},{"name":"WINHTTP_OPTION_UPGRADE_TO_WEB_SOCKET","features":[477]},{"name":"WINHTTP_OPTION_URL","features":[477]},{"name":"WINHTTP_OPTION_USERNAME","features":[477]},{"name":"WINHTTP_OPTION_USER_AGENT","features":[477]},{"name":"WINHTTP_OPTION_USE_GLOBAL_SERVER_CREDENTIALS","features":[477]},{"name":"WINHTTP_OPTION_USE_SESSION_SCH_CRED","features":[477]},{"name":"WINHTTP_OPTION_WEB_SOCKET_CLOSE_TIMEOUT","features":[477]},{"name":"WINHTTP_OPTION_WEB_SOCKET_KEEPALIVE_INTERVAL","features":[477]},{"name":"WINHTTP_OPTION_WEB_SOCKET_RECEIVE_BUFFER_SIZE","features":[477]},{"name":"WINHTTP_OPTION_WEB_SOCKET_SEND_BUFFER_SIZE","features":[477]},{"name":"WINHTTP_OPTION_WORKER_THREAD_COUNT","features":[477]},{"name":"WINHTTP_OPTION_WRITE_BUFFER_SIZE","features":[477]},{"name":"WINHTTP_PROTOCOL_FLAG_HTTP2","features":[477]},{"name":"WINHTTP_PROTOCOL_FLAG_HTTP3","features":[477]},{"name":"WINHTTP_PROXY_CHANGE_CALLBACK","features":[477]},{"name":"WINHTTP_PROXY_DISABLE_AUTH_LOCAL_SERVICE","features":[477]},{"name":"WINHTTP_PROXY_DISABLE_SCHEME_BASIC","features":[477]},{"name":"WINHTTP_PROXY_DISABLE_SCHEME_DIGEST","features":[477]},{"name":"WINHTTP_PROXY_DISABLE_SCHEME_KERBEROS","features":[477]},{"name":"WINHTTP_PROXY_DISABLE_SCHEME_NEGOTIATE","features":[477]},{"name":"WINHTTP_PROXY_DISABLE_SCHEME_NTLM","features":[477]},{"name":"WINHTTP_PROXY_INFO","features":[477]},{"name":"WINHTTP_PROXY_NETWORKING_KEY","features":[477]},{"name":"WINHTTP_PROXY_NOTIFY_CHANGE","features":[477]},{"name":"WINHTTP_PROXY_RESULT","features":[308,477]},{"name":"WINHTTP_PROXY_RESULT_ENTRY","features":[308,477]},{"name":"WINHTTP_PROXY_RESULT_EX","features":[308,477]},{"name":"WINHTTP_PROXY_SETTINGS","features":[308,477]},{"name":"WINHTTP_PROXY_SETTINGS_EX","features":[477]},{"name":"WINHTTP_PROXY_SETTINGS_EX","features":[477]},{"name":"WINHTTP_PROXY_SETTINGS_PARAM","features":[477]},{"name":"WINHTTP_PROXY_SETTINGS_PARAM","features":[477]},{"name":"WINHTTP_PROXY_SETTINGS_TYPE","features":[477]},{"name":"WINHTTP_PROXY_TYPE_AUTO_DETECT","features":[477]},{"name":"WINHTTP_PROXY_TYPE_AUTO_PROXY_URL","features":[477]},{"name":"WINHTTP_PROXY_TYPE_DIRECT","features":[477]},{"name":"WINHTTP_PROXY_TYPE_PROXY","features":[477]},{"name":"WINHTTP_QUERY_ACCEPT","features":[477]},{"name":"WINHTTP_QUERY_ACCEPT_CHARSET","features":[477]},{"name":"WINHTTP_QUERY_ACCEPT_ENCODING","features":[477]},{"name":"WINHTTP_QUERY_ACCEPT_LANGUAGE","features":[477]},{"name":"WINHTTP_QUERY_ACCEPT_RANGES","features":[477]},{"name":"WINHTTP_QUERY_AGE","features":[477]},{"name":"WINHTTP_QUERY_ALLOW","features":[477]},{"name":"WINHTTP_QUERY_AUTHENTICATION_INFO","features":[477]},{"name":"WINHTTP_QUERY_AUTHORIZATION","features":[477]},{"name":"WINHTTP_QUERY_CACHE_CONTROL","features":[477]},{"name":"WINHTTP_QUERY_CONNECTION","features":[477]},{"name":"WINHTTP_QUERY_CONNECTION_GROUP_RESULT","features":[477]},{"name":"WINHTTP_QUERY_CONTENT_BASE","features":[477]},{"name":"WINHTTP_QUERY_CONTENT_DESCRIPTION","features":[477]},{"name":"WINHTTP_QUERY_CONTENT_DISPOSITION","features":[477]},{"name":"WINHTTP_QUERY_CONTENT_ENCODING","features":[477]},{"name":"WINHTTP_QUERY_CONTENT_ID","features":[477]},{"name":"WINHTTP_QUERY_CONTENT_LANGUAGE","features":[477]},{"name":"WINHTTP_QUERY_CONTENT_LENGTH","features":[477]},{"name":"WINHTTP_QUERY_CONTENT_LOCATION","features":[477]},{"name":"WINHTTP_QUERY_CONTENT_MD5","features":[477]},{"name":"WINHTTP_QUERY_CONTENT_RANGE","features":[477]},{"name":"WINHTTP_QUERY_CONTENT_TRANSFER_ENCODING","features":[477]},{"name":"WINHTTP_QUERY_CONTENT_TYPE","features":[477]},{"name":"WINHTTP_QUERY_COOKIE","features":[477]},{"name":"WINHTTP_QUERY_COST","features":[477]},{"name":"WINHTTP_QUERY_CUSTOM","features":[477]},{"name":"WINHTTP_QUERY_DATE","features":[477]},{"name":"WINHTTP_QUERY_DERIVED_FROM","features":[477]},{"name":"WINHTTP_QUERY_ETAG","features":[477]},{"name":"WINHTTP_QUERY_EXPECT","features":[477]},{"name":"WINHTTP_QUERY_EXPIRES","features":[477]},{"name":"WINHTTP_QUERY_EX_ALL_HEADERS","features":[477]},{"name":"WINHTTP_QUERY_FLAG_NUMBER","features":[477]},{"name":"WINHTTP_QUERY_FLAG_NUMBER64","features":[477]},{"name":"WINHTTP_QUERY_FLAG_REQUEST_HEADERS","features":[477]},{"name":"WINHTTP_QUERY_FLAG_SYSTEMTIME","features":[477]},{"name":"WINHTTP_QUERY_FLAG_TRAILERS","features":[477]},{"name":"WINHTTP_QUERY_FLAG_WIRE_ENCODING","features":[477]},{"name":"WINHTTP_QUERY_FORWARDED","features":[477]},{"name":"WINHTTP_QUERY_FROM","features":[477]},{"name":"WINHTTP_QUERY_HOST","features":[477]},{"name":"WINHTTP_QUERY_IF_MATCH","features":[477]},{"name":"WINHTTP_QUERY_IF_MODIFIED_SINCE","features":[477]},{"name":"WINHTTP_QUERY_IF_NONE_MATCH","features":[477]},{"name":"WINHTTP_QUERY_IF_RANGE","features":[477]},{"name":"WINHTTP_QUERY_IF_UNMODIFIED_SINCE","features":[477]},{"name":"WINHTTP_QUERY_LAST_MODIFIED","features":[477]},{"name":"WINHTTP_QUERY_LINK","features":[477]},{"name":"WINHTTP_QUERY_LOCATION","features":[477]},{"name":"WINHTTP_QUERY_MAX","features":[477]},{"name":"WINHTTP_QUERY_MAX_FORWARDS","features":[477]},{"name":"WINHTTP_QUERY_MESSAGE_ID","features":[477]},{"name":"WINHTTP_QUERY_MIME_VERSION","features":[477]},{"name":"WINHTTP_QUERY_ORIG_URI","features":[477]},{"name":"WINHTTP_QUERY_PASSPORT_CONFIG","features":[477]},{"name":"WINHTTP_QUERY_PASSPORT_URLS","features":[477]},{"name":"WINHTTP_QUERY_PRAGMA","features":[477]},{"name":"WINHTTP_QUERY_PROXY_AUTHENTICATE","features":[477]},{"name":"WINHTTP_QUERY_PROXY_AUTHORIZATION","features":[477]},{"name":"WINHTTP_QUERY_PROXY_CONNECTION","features":[477]},{"name":"WINHTTP_QUERY_PROXY_SUPPORT","features":[477]},{"name":"WINHTTP_QUERY_PUBLIC","features":[477]},{"name":"WINHTTP_QUERY_RANGE","features":[477]},{"name":"WINHTTP_QUERY_RAW_HEADERS","features":[477]},{"name":"WINHTTP_QUERY_RAW_HEADERS_CRLF","features":[477]},{"name":"WINHTTP_QUERY_REFERER","features":[477]},{"name":"WINHTTP_QUERY_REFRESH","features":[477]},{"name":"WINHTTP_QUERY_REQUEST_METHOD","features":[477]},{"name":"WINHTTP_QUERY_RETRY_AFTER","features":[477]},{"name":"WINHTTP_QUERY_SERVER","features":[477]},{"name":"WINHTTP_QUERY_SET_COOKIE","features":[477]},{"name":"WINHTTP_QUERY_STATUS_CODE","features":[477]},{"name":"WINHTTP_QUERY_STATUS_TEXT","features":[477]},{"name":"WINHTTP_QUERY_TITLE","features":[477]},{"name":"WINHTTP_QUERY_TRANSFER_ENCODING","features":[477]},{"name":"WINHTTP_QUERY_UNLESS_MODIFIED_SINCE","features":[477]},{"name":"WINHTTP_QUERY_UPGRADE","features":[477]},{"name":"WINHTTP_QUERY_URI","features":[477]},{"name":"WINHTTP_QUERY_USER_AGENT","features":[477]},{"name":"WINHTTP_QUERY_VARY","features":[477]},{"name":"WINHTTP_QUERY_VERSION","features":[477]},{"name":"WINHTTP_QUERY_VIA","features":[477]},{"name":"WINHTTP_QUERY_WARNING","features":[477]},{"name":"WINHTTP_QUERY_WWW_AUTHENTICATE","features":[477]},{"name":"WINHTTP_REQUEST_STATS","features":[477]},{"name":"WINHTTP_REQUEST_STATS","features":[477]},{"name":"WINHTTP_REQUEST_STAT_ENTRY","features":[477]},{"name":"WINHTTP_REQUEST_STAT_FLAG_FIRST_REQUEST","features":[477]},{"name":"WINHTTP_REQUEST_STAT_FLAG_PROXY_TLS_FALSE_START","features":[477]},{"name":"WINHTTP_REQUEST_STAT_FLAG_PROXY_TLS_SESSION_RESUMPTION","features":[477]},{"name":"WINHTTP_REQUEST_STAT_FLAG_TCP_FAST_OPEN","features":[477]},{"name":"WINHTTP_REQUEST_STAT_FLAG_TLS_FALSE_START","features":[477]},{"name":"WINHTTP_REQUEST_STAT_FLAG_TLS_SESSION_RESUMPTION","features":[477]},{"name":"WINHTTP_REQUEST_TIMES","features":[477]},{"name":"WINHTTP_REQUEST_TIMES","features":[477]},{"name":"WINHTTP_REQUEST_TIME_ENTRY","features":[477]},{"name":"WINHTTP_RESET_ALL","features":[477]},{"name":"WINHTTP_RESET_DISCARD_RESOLVERS","features":[477]},{"name":"WINHTTP_RESET_NOTIFY_NETWORK_CHANGED","features":[477]},{"name":"WINHTTP_RESET_OUT_OF_PROC","features":[477]},{"name":"WINHTTP_RESET_SCRIPT_CACHE","features":[477]},{"name":"WINHTTP_RESET_STATE","features":[477]},{"name":"WINHTTP_RESET_SWPAD_ALL","features":[477]},{"name":"WINHTTP_RESET_SWPAD_CURRENT_NETWORK","features":[477]},{"name":"WINHTTP_RESOLVER_CACHE_CONFIG","features":[477]},{"name":"WINHTTP_RESOLVER_CACHE_CONFIG","features":[477]},{"name":"WINHTTP_RESOLVER_CACHE_CONFIG_FLAG_BYPASS_CACHE","features":[477]},{"name":"WINHTTP_RESOLVER_CACHE_CONFIG_FLAG_CONN_USE_TTL","features":[477]},{"name":"WINHTTP_RESOLVER_CACHE_CONFIG_FLAG_SOFT_LIMIT","features":[477]},{"name":"WINHTTP_RESOLVER_CACHE_CONFIG_FLAG_USE_DNS_TTL","features":[477]},{"name":"WINHTTP_SECURE_DNS_SETTING","features":[477]},{"name":"WINHTTP_STATUS_CALLBACK","features":[477]},{"name":"WINHTTP_TIME_FORMAT_BUFSIZE","features":[477]},{"name":"WINHTTP_WEB_SOCKET_ABORTED_CLOSE_STATUS","features":[477]},{"name":"WINHTTP_WEB_SOCKET_ASYNC_RESULT","features":[477]},{"name":"WINHTTP_WEB_SOCKET_BINARY_FRAGMENT_BUFFER_TYPE","features":[477]},{"name":"WINHTTP_WEB_SOCKET_BINARY_MESSAGE_BUFFER_TYPE","features":[477]},{"name":"WINHTTP_WEB_SOCKET_BUFFER_TYPE","features":[477]},{"name":"WINHTTP_WEB_SOCKET_CLOSE_BUFFER_TYPE","features":[477]},{"name":"WINHTTP_WEB_SOCKET_CLOSE_OPERATION","features":[477]},{"name":"WINHTTP_WEB_SOCKET_CLOSE_STATUS","features":[477]},{"name":"WINHTTP_WEB_SOCKET_EMPTY_CLOSE_STATUS","features":[477]},{"name":"WINHTTP_WEB_SOCKET_ENDPOINT_TERMINATED_CLOSE_STATUS","features":[477]},{"name":"WINHTTP_WEB_SOCKET_INVALID_DATA_TYPE_CLOSE_STATUS","features":[477]},{"name":"WINHTTP_WEB_SOCKET_INVALID_PAYLOAD_CLOSE_STATUS","features":[477]},{"name":"WINHTTP_WEB_SOCKET_MAX_CLOSE_REASON_LENGTH","features":[477]},{"name":"WINHTTP_WEB_SOCKET_MESSAGE_TOO_BIG_CLOSE_STATUS","features":[477]},{"name":"WINHTTP_WEB_SOCKET_MIN_KEEPALIVE_VALUE","features":[477]},{"name":"WINHTTP_WEB_SOCKET_OPERATION","features":[477]},{"name":"WINHTTP_WEB_SOCKET_POLICY_VIOLATION_CLOSE_STATUS","features":[477]},{"name":"WINHTTP_WEB_SOCKET_PROTOCOL_ERROR_CLOSE_STATUS","features":[477]},{"name":"WINHTTP_WEB_SOCKET_RECEIVE_OPERATION","features":[477]},{"name":"WINHTTP_WEB_SOCKET_SECURE_HANDSHAKE_ERROR_CLOSE_STATUS","features":[477]},{"name":"WINHTTP_WEB_SOCKET_SEND_OPERATION","features":[477]},{"name":"WINHTTP_WEB_SOCKET_SERVER_ERROR_CLOSE_STATUS","features":[477]},{"name":"WINHTTP_WEB_SOCKET_SHUTDOWN_OPERATION","features":[477]},{"name":"WINHTTP_WEB_SOCKET_STATUS","features":[477]},{"name":"WINHTTP_WEB_SOCKET_SUCCESS_CLOSE_STATUS","features":[477]},{"name":"WINHTTP_WEB_SOCKET_UNSUPPORTED_EXTENSIONS_CLOSE_STATUS","features":[477]},{"name":"WINHTTP_WEB_SOCKET_UTF8_FRAGMENT_BUFFER_TYPE","features":[477]},{"name":"WINHTTP_WEB_SOCKET_UTF8_MESSAGE_BUFFER_TYPE","features":[477]},{"name":"WIN_HTTP_CREATE_URL_FLAGS","features":[477]},{"name":"WinHttpAddRequestHeaders","features":[308,477]},{"name":"WinHttpAddRequestHeadersEx","features":[477]},{"name":"WinHttpCheckPlatform","features":[308,477]},{"name":"WinHttpCloseHandle","features":[308,477]},{"name":"WinHttpConnect","features":[477]},{"name":"WinHttpConnectFailureCount","features":[477]},{"name":"WinHttpConnectionAcquireEnd","features":[477]},{"name":"WinHttpConnectionAcquireStart","features":[477]},{"name":"WinHttpConnectionAcquireWaitEnd","features":[477]},{"name":"WinHttpConnectionEstablishmentEnd","features":[477]},{"name":"WinHttpConnectionEstablishmentStart","features":[477]},{"name":"WinHttpCrackUrl","features":[308,477]},{"name":"WinHttpCreateProxyResolver","features":[477]},{"name":"WinHttpCreateUrl","features":[308,477]},{"name":"WinHttpDetectAutoProxyConfigUrl","features":[308,477]},{"name":"WinHttpFreeProxyResult","features":[308,477]},{"name":"WinHttpFreeProxyResultEx","features":[308,477]},{"name":"WinHttpFreeProxySettings","features":[308,477]},{"name":"WinHttpFreeProxySettingsEx","features":[477]},{"name":"WinHttpFreeQueryConnectionGroupResult","features":[477]},{"name":"WinHttpGetDefaultProxyConfiguration","features":[308,477]},{"name":"WinHttpGetIEProxyConfigForCurrentUser","features":[308,477]},{"name":"WinHttpGetProxyForUrl","features":[308,477]},{"name":"WinHttpGetProxyForUrlEx","features":[308,477]},{"name":"WinHttpGetProxyForUrlEx2","features":[308,477]},{"name":"WinHttpGetProxyResult","features":[308,477]},{"name":"WinHttpGetProxyResultEx","features":[308,477]},{"name":"WinHttpGetProxySettingsEx","features":[477]},{"name":"WinHttpGetProxySettingsResultEx","features":[477]},{"name":"WinHttpGetProxySettingsVersion","features":[477]},{"name":"WinHttpNameResolutionEnd","features":[477]},{"name":"WinHttpNameResolutionStart","features":[477]},{"name":"WinHttpOpen","features":[477]},{"name":"WinHttpOpenRequest","features":[477]},{"name":"WinHttpProxyDetectionEnd","features":[477]},{"name":"WinHttpProxyDetectionStart","features":[477]},{"name":"WinHttpProxyFailureCount","features":[477]},{"name":"WinHttpProxySettingsTypeUnknown","features":[477]},{"name":"WinHttpProxySettingsTypeWsa","features":[477]},{"name":"WinHttpProxySettingsTypeWsl","features":[477]},{"name":"WinHttpProxyTlsHandshakeClientLeg1End","features":[477]},{"name":"WinHttpProxyTlsHandshakeClientLeg1Size","features":[477]},{"name":"WinHttpProxyTlsHandshakeClientLeg1Start","features":[477]},{"name":"WinHttpProxyTlsHandshakeClientLeg2End","features":[477]},{"name":"WinHttpProxyTlsHandshakeClientLeg2Size","features":[477]},{"name":"WinHttpProxyTlsHandshakeClientLeg2Start","features":[477]},{"name":"WinHttpProxyTlsHandshakeClientLeg3End","features":[477]},{"name":"WinHttpProxyTlsHandshakeClientLeg3Start","features":[477]},{"name":"WinHttpProxyTlsHandshakeServerLeg1Size","features":[477]},{"name":"WinHttpProxyTlsHandshakeServerLeg2Size","features":[477]},{"name":"WinHttpProxyTunnelEnd","features":[477]},{"name":"WinHttpProxyTunnelStart","features":[477]},{"name":"WinHttpQueryAuthSchemes","features":[308,477]},{"name":"WinHttpQueryConnectionGroup","features":[477]},{"name":"WinHttpQueryDataAvailable","features":[308,477]},{"name":"WinHttpQueryHeaders","features":[308,477]},{"name":"WinHttpQueryHeadersEx","features":[477]},{"name":"WinHttpQueryOption","features":[308,477]},{"name":"WinHttpReadData","features":[308,477]},{"name":"WinHttpReadDataEx","features":[477]},{"name":"WinHttpReadProxySettings","features":[308,477]},{"name":"WinHttpReceiveResponse","features":[308,477]},{"name":"WinHttpReceiveResponseBodyDecompressionDelta","features":[477]},{"name":"WinHttpReceiveResponseEnd","features":[477]},{"name":"WinHttpReceiveResponseHeadersDecompressionEnd","features":[477]},{"name":"WinHttpReceiveResponseHeadersDecompressionStart","features":[477]},{"name":"WinHttpReceiveResponseHeadersEnd","features":[477]},{"name":"WinHttpReceiveResponseStart","features":[477]},{"name":"WinHttpRegisterProxyChangeNotification","features":[477]},{"name":"WinHttpRequest","features":[477]},{"name":"WinHttpRequestAutoLogonPolicy","features":[477]},{"name":"WinHttpRequestHeadersCompressedSize","features":[477]},{"name":"WinHttpRequestHeadersSize","features":[477]},{"name":"WinHttpRequestOption","features":[477]},{"name":"WinHttpRequestOption_EnableCertificateRevocationCheck","features":[477]},{"name":"WinHttpRequestOption_EnableHttp1_1","features":[477]},{"name":"WinHttpRequestOption_EnableHttpsToHttpRedirects","features":[477]},{"name":"WinHttpRequestOption_EnablePassportAuthentication","features":[477]},{"name":"WinHttpRequestOption_EnableRedirects","features":[477]},{"name":"WinHttpRequestOption_EnableTracing","features":[477]},{"name":"WinHttpRequestOption_EscapePercentInURL","features":[477]},{"name":"WinHttpRequestOption_MaxAutomaticRedirects","features":[477]},{"name":"WinHttpRequestOption_MaxResponseDrainSize","features":[477]},{"name":"WinHttpRequestOption_MaxResponseHeaderSize","features":[477]},{"name":"WinHttpRequestOption_RejectUserpwd","features":[477]},{"name":"WinHttpRequestOption_RevertImpersonationOverSsl","features":[477]},{"name":"WinHttpRequestOption_SecureProtocols","features":[477]},{"name":"WinHttpRequestOption_SelectCertificate","features":[477]},{"name":"WinHttpRequestOption_SslErrorIgnoreFlags","features":[477]},{"name":"WinHttpRequestOption_URL","features":[477]},{"name":"WinHttpRequestOption_URLCodePage","features":[477]},{"name":"WinHttpRequestOption_UrlEscapeDisable","features":[477]},{"name":"WinHttpRequestOption_UrlEscapeDisableQuery","features":[477]},{"name":"WinHttpRequestOption_UserAgentString","features":[477]},{"name":"WinHttpRequestSecureProtocols","features":[477]},{"name":"WinHttpRequestSslErrorFlags","features":[477]},{"name":"WinHttpRequestStatLast","features":[477]},{"name":"WinHttpRequestStatMax","features":[477]},{"name":"WinHttpRequestTimeLast","features":[477]},{"name":"WinHttpRequestTimeMax","features":[477]},{"name":"WinHttpResetAutoProxy","features":[477]},{"name":"WinHttpResponseBodyCompressedSize","features":[477]},{"name":"WinHttpResponseBodySize","features":[477]},{"name":"WinHttpResponseHeadersCompressedSize","features":[477]},{"name":"WinHttpResponseHeadersSize","features":[477]},{"name":"WinHttpSecureDnsSettingDefault","features":[477]},{"name":"WinHttpSecureDnsSettingForcePlaintext","features":[477]},{"name":"WinHttpSecureDnsSettingMax","features":[477]},{"name":"WinHttpSecureDnsSettingRequireEncryption","features":[477]},{"name":"WinHttpSecureDnsSettingTryEncryptionWithFallback","features":[477]},{"name":"WinHttpSendRequest","features":[308,477]},{"name":"WinHttpSendRequestEnd","features":[477]},{"name":"WinHttpSendRequestHeadersCompressionEnd","features":[477]},{"name":"WinHttpSendRequestHeadersCompressionStart","features":[477]},{"name":"WinHttpSendRequestHeadersEnd","features":[477]},{"name":"WinHttpSendRequestStart","features":[477]},{"name":"WinHttpSetCredentials","features":[308,477]},{"name":"WinHttpSetDefaultProxyConfiguration","features":[308,477]},{"name":"WinHttpSetOption","features":[308,477]},{"name":"WinHttpSetProxySettingsPerUser","features":[308,477]},{"name":"WinHttpSetStatusCallback","features":[477]},{"name":"WinHttpSetTimeouts","features":[308,477]},{"name":"WinHttpStreamWaitEnd","features":[477]},{"name":"WinHttpStreamWaitStart","features":[477]},{"name":"WinHttpTimeFromSystemTime","features":[308,477]},{"name":"WinHttpTimeToSystemTime","features":[308,477]},{"name":"WinHttpTlsHandshakeClientLeg1End","features":[477]},{"name":"WinHttpTlsHandshakeClientLeg1Size","features":[477]},{"name":"WinHttpTlsHandshakeClientLeg1Start","features":[477]},{"name":"WinHttpTlsHandshakeClientLeg2End","features":[477]},{"name":"WinHttpTlsHandshakeClientLeg2Size","features":[477]},{"name":"WinHttpTlsHandshakeClientLeg2Start","features":[477]},{"name":"WinHttpTlsHandshakeClientLeg3End","features":[477]},{"name":"WinHttpTlsHandshakeClientLeg3Start","features":[477]},{"name":"WinHttpTlsHandshakeServerLeg1Size","features":[477]},{"name":"WinHttpTlsHandshakeServerLeg2Size","features":[477]},{"name":"WinHttpUnregisterProxyChangeNotification","features":[477]},{"name":"WinHttpWebSocketClose","features":[477]},{"name":"WinHttpWebSocketCompleteUpgrade","features":[477]},{"name":"WinHttpWebSocketQueryCloseStatus","features":[477]},{"name":"WinHttpWebSocketReceive","features":[477]},{"name":"WinHttpWebSocketSend","features":[477]},{"name":"WinHttpWebSocketShutdown","features":[477]},{"name":"WinHttpWriteData","features":[308,477]},{"name":"WinHttpWriteProxySettings","features":[308,477]}],"476":[{"name":"ANY_CACHE_ENTRY","features":[478]},{"name":"APP_CACHE_DOWNLOAD_ENTRY","features":[478]},{"name":"APP_CACHE_DOWNLOAD_LIST","features":[478]},{"name":"APP_CACHE_ENTRY_TYPE_EXPLICIT","features":[478]},{"name":"APP_CACHE_ENTRY_TYPE_FALLBACK","features":[478]},{"name":"APP_CACHE_ENTRY_TYPE_FOREIGN","features":[478]},{"name":"APP_CACHE_ENTRY_TYPE_MANIFEST","features":[478]},{"name":"APP_CACHE_ENTRY_TYPE_MASTER","features":[478]},{"name":"APP_CACHE_FINALIZE_STATE","features":[478]},{"name":"APP_CACHE_GROUP_INFO","features":[308,478]},{"name":"APP_CACHE_GROUP_LIST","features":[308,478]},{"name":"APP_CACHE_LOOKUP_NO_MASTER_ONLY","features":[478]},{"name":"APP_CACHE_STATE","features":[478]},{"name":"AUTH_FLAG_DISABLE_BASIC_CLEARCHANNEL","features":[478]},{"name":"AUTH_FLAG_DISABLE_NEGOTIATE","features":[478]},{"name":"AUTH_FLAG_DISABLE_SERVER_AUTH","features":[478]},{"name":"AUTH_FLAG_ENABLE_NEGOTIATE","features":[478]},{"name":"AUTH_FLAG_RESET","features":[478]},{"name":"AUTODIAL_MODE_ALWAYS","features":[478]},{"name":"AUTODIAL_MODE_NEVER","features":[478]},{"name":"AUTODIAL_MODE_NO_NETWORK_PRESENT","features":[478]},{"name":"AUTO_PROXY_FLAG_ALWAYS_DETECT","features":[478]},{"name":"AUTO_PROXY_FLAG_CACHE_INIT_RUN","features":[478]},{"name":"AUTO_PROXY_FLAG_DETECTION_RUN","features":[478]},{"name":"AUTO_PROXY_FLAG_DETECTION_SUSPECT","features":[478]},{"name":"AUTO_PROXY_FLAG_DONT_CACHE_PROXY_RESULT","features":[478]},{"name":"AUTO_PROXY_FLAG_MIGRATED","features":[478]},{"name":"AUTO_PROXY_FLAG_USER_SET","features":[478]},{"name":"AUTO_PROXY_SCRIPT_BUFFER","features":[478]},{"name":"AppCacheCheckManifest","features":[478]},{"name":"AppCacheCloseHandle","features":[478]},{"name":"AppCacheCreateAndCommitFile","features":[478]},{"name":"AppCacheDeleteGroup","features":[478]},{"name":"AppCacheDeleteIEGroup","features":[478]},{"name":"AppCacheDuplicateHandle","features":[478]},{"name":"AppCacheFinalize","features":[478]},{"name":"AppCacheFinalizeStateComplete","features":[478]},{"name":"AppCacheFinalizeStateIncomplete","features":[478]},{"name":"AppCacheFinalizeStateManifestChange","features":[478]},{"name":"AppCacheFreeDownloadList","features":[478]},{"name":"AppCacheFreeGroupList","features":[308,478]},{"name":"AppCacheFreeIESpace","features":[308,478]},{"name":"AppCacheFreeSpace","features":[308,478]},{"name":"AppCacheGetDownloadList","features":[478]},{"name":"AppCacheGetFallbackUrl","features":[478]},{"name":"AppCacheGetGroupList","features":[308,478]},{"name":"AppCacheGetIEGroupList","features":[308,478]},{"name":"AppCacheGetInfo","features":[308,478]},{"name":"AppCacheGetManifestUrl","features":[478]},{"name":"AppCacheLookup","features":[478]},{"name":"AppCacheStateNoUpdateNeeded","features":[478]},{"name":"AppCacheStateUpdateNeeded","features":[478]},{"name":"AppCacheStateUpdateNeededMasterOnly","features":[478]},{"name":"AppCacheStateUpdateNeededNew","features":[478]},{"name":"AutoProxyHelperFunctions","features":[478]},{"name":"AutoProxyHelperVtbl","features":[478]},{"name":"CACHEGROUP_ATTRIBUTE_BASIC","features":[478]},{"name":"CACHEGROUP_ATTRIBUTE_FLAG","features":[478]},{"name":"CACHEGROUP_ATTRIBUTE_GET_ALL","features":[478]},{"name":"CACHEGROUP_ATTRIBUTE_GROUPNAME","features":[478]},{"name":"CACHEGROUP_ATTRIBUTE_QUOTA","features":[478]},{"name":"CACHEGROUP_ATTRIBUTE_STORAGE","features":[478]},{"name":"CACHEGROUP_ATTRIBUTE_TYPE","features":[478]},{"name":"CACHEGROUP_FLAG_FLUSHURL_ONDELETE","features":[478]},{"name":"CACHEGROUP_FLAG_GIDONLY","features":[478]},{"name":"CACHEGROUP_FLAG_NONPURGEABLE","features":[478]},{"name":"CACHEGROUP_FLAG_VALID","features":[478]},{"name":"CACHEGROUP_ID_BUILTIN_STICKY","features":[478]},{"name":"CACHEGROUP_SEARCH_ALL","features":[478]},{"name":"CACHEGROUP_SEARCH_BYURL","features":[478]},{"name":"CACHEGROUP_TYPE_INVALID","features":[478]},{"name":"CACHE_CONFIG","features":[478]},{"name":"CACHE_CONFIG_APPCONTAINER_CONTENT_QUOTA_FC","features":[478]},{"name":"CACHE_CONFIG_APPCONTAINER_TOTAL_CONTENT_QUOTA_FC","features":[478]},{"name":"CACHE_CONFIG_CONTENT_PATHS_FC","features":[478]},{"name":"CACHE_CONFIG_CONTENT_QUOTA_FC","features":[478]},{"name":"CACHE_CONFIG_CONTENT_USAGE_FC","features":[478]},{"name":"CACHE_CONFIG_COOKIES_PATHS_FC","features":[478]},{"name":"CACHE_CONFIG_DISK_CACHE_PATHS_FC","features":[478]},{"name":"CACHE_CONFIG_FORCE_CLEANUP_FC","features":[478]},{"name":"CACHE_CONFIG_HISTORY_PATHS_FC","features":[478]},{"name":"CACHE_CONFIG_QUOTA_FC","features":[478]},{"name":"CACHE_CONFIG_STICKY_CONTENT_USAGE_FC","features":[478]},{"name":"CACHE_CONFIG_SYNC_MODE_FC","features":[478]},{"name":"CACHE_CONFIG_TOTAL_CONTENT_QUOTA_FC","features":[478]},{"name":"CACHE_CONFIG_USER_MODE_FC","features":[478]},{"name":"CACHE_ENTRY_ACCTIME_FC","features":[478]},{"name":"CACHE_ENTRY_ATTRIBUTE_FC","features":[478]},{"name":"CACHE_ENTRY_EXEMPT_DELTA_FC","features":[478]},{"name":"CACHE_ENTRY_EXPTIME_FC","features":[478]},{"name":"CACHE_ENTRY_HEADERINFO_FC","features":[478]},{"name":"CACHE_ENTRY_HITRATE_FC","features":[478]},{"name":"CACHE_ENTRY_MODIFY_DATA_FC","features":[478]},{"name":"CACHE_ENTRY_MODTIME_FC","features":[478]},{"name":"CACHE_ENTRY_SYNCTIME_FC","features":[478]},{"name":"CACHE_ENTRY_TYPE_FC","features":[478]},{"name":"CACHE_FIND_CONTAINER_RETURN_NOCHANGE","features":[478]},{"name":"CACHE_HEADER_DATA_CACHE_READ_COUNT_SINCE_LAST_SCAVENGE","features":[478]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_12","features":[478]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_13","features":[478]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_15","features":[478]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_16","features":[478]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_17","features":[478]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_18","features":[478]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_19","features":[478]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_20","features":[478]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_23","features":[478]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_24","features":[478]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_25","features":[478]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_26","features":[478]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_28","features":[478]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_29","features":[478]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_30","features":[478]},{"name":"CACHE_HEADER_DATA_CACHE_RESERVED_31","features":[478]},{"name":"CACHE_HEADER_DATA_CACHE_WRITE_COUNT_SINCE_LAST_SCAVENGE","features":[478]},{"name":"CACHE_HEADER_DATA_CONLIST_CHANGE_COUNT","features":[478]},{"name":"CACHE_HEADER_DATA_COOKIE_CHANGE_COUNT","features":[478]},{"name":"CACHE_HEADER_DATA_CURRENT_SETTINGS_VERSION","features":[478]},{"name":"CACHE_HEADER_DATA_DOWNLOAD_PARTIAL","features":[478]},{"name":"CACHE_HEADER_DATA_GID_HIGH","features":[478]},{"name":"CACHE_HEADER_DATA_GID_LOW","features":[478]},{"name":"CACHE_HEADER_DATA_HSTS_CHANGE_COUNT","features":[478]},{"name":"CACHE_HEADER_DATA_LAST","features":[478]},{"name":"CACHE_HEADER_DATA_LAST_SCAVENGE_TIMESTAMP","features":[478]},{"name":"CACHE_HEADER_DATA_NOTIFICATION_FILTER","features":[478]},{"name":"CACHE_HEADER_DATA_NOTIFICATION_HWND","features":[478]},{"name":"CACHE_HEADER_DATA_NOTIFICATION_MESG","features":[478]},{"name":"CACHE_HEADER_DATA_ROOTGROUP_OFFSET","features":[478]},{"name":"CACHE_HEADER_DATA_ROOT_GROUPLIST_OFFSET","features":[478]},{"name":"CACHE_HEADER_DATA_ROOT_LEAK_OFFSET","features":[478]},{"name":"CACHE_HEADER_DATA_SSL_STATE_COUNT","features":[478]},{"name":"CACHE_NOTIFY_ADD_URL","features":[478]},{"name":"CACHE_NOTIFY_DELETE_ALL","features":[478]},{"name":"CACHE_NOTIFY_DELETE_URL","features":[478]},{"name":"CACHE_NOTIFY_FILTER_CHANGED","features":[478]},{"name":"CACHE_NOTIFY_SET_OFFLINE","features":[478]},{"name":"CACHE_NOTIFY_SET_ONLINE","features":[478]},{"name":"CACHE_NOTIFY_UPDATE_URL","features":[478]},{"name":"CACHE_NOTIFY_URL_SET_STICKY","features":[478]},{"name":"CACHE_NOTIFY_URL_UNSET_STICKY","features":[478]},{"name":"CACHE_OPERATOR","features":[308,478]},{"name":"COOKIE_ACCEPTED_CACHE_ENTRY","features":[478]},{"name":"COOKIE_ALLOW","features":[478]},{"name":"COOKIE_ALLOW_ALL","features":[478]},{"name":"COOKIE_CACHE_ENTRY","features":[478]},{"name":"COOKIE_DLG_INFO","features":[308,478]},{"name":"COOKIE_DONT_ALLOW","features":[478]},{"name":"COOKIE_DONT_ALLOW_ALL","features":[478]},{"name":"COOKIE_DOWNGRADED_CACHE_ENTRY","features":[478]},{"name":"COOKIE_LEASHED_CACHE_ENTRY","features":[478]},{"name":"COOKIE_OP_3RD_PARTY","features":[478]},{"name":"COOKIE_OP_GET","features":[478]},{"name":"COOKIE_OP_MODIFY","features":[478]},{"name":"COOKIE_OP_PERSISTENT","features":[478]},{"name":"COOKIE_OP_SESSION","features":[478]},{"name":"COOKIE_OP_SET","features":[478]},{"name":"COOKIE_REJECTED_CACHE_ENTRY","features":[478]},{"name":"COOKIE_STATE_ACCEPT","features":[478]},{"name":"COOKIE_STATE_DOWNGRADE","features":[478]},{"name":"COOKIE_STATE_LB","features":[478]},{"name":"COOKIE_STATE_LEASH","features":[478]},{"name":"COOKIE_STATE_MAX","features":[478]},{"name":"COOKIE_STATE_PROMPT","features":[478]},{"name":"COOKIE_STATE_REJECT","features":[478]},{"name":"COOKIE_STATE_UB","features":[478]},{"name":"COOKIE_STATE_UNKNOWN","features":[478]},{"name":"CommitUrlCacheEntryA","features":[308,478]},{"name":"CommitUrlCacheEntryBinaryBlob","features":[308,478]},{"name":"CommitUrlCacheEntryW","features":[308,478]},{"name":"ConnectionEstablishmentEnd","features":[478]},{"name":"ConnectionEstablishmentStart","features":[478]},{"name":"CookieDecision","features":[308,478]},{"name":"CreateMD5SSOHash","features":[308,478]},{"name":"CreateUrlCacheContainerA","features":[308,478]},{"name":"CreateUrlCacheContainerW","features":[308,478]},{"name":"CreateUrlCacheEntryA","features":[308,478]},{"name":"CreateUrlCacheEntryExW","features":[308,478]},{"name":"CreateUrlCacheEntryW","features":[308,478]},{"name":"CreateUrlCacheGroup","features":[478]},{"name":"DIALENG_OperationComplete","features":[478]},{"name":"DIALENG_RedialAttempt","features":[478]},{"name":"DIALENG_RedialWait","features":[478]},{"name":"DIALPROP_DOMAIN","features":[478]},{"name":"DIALPROP_LASTERROR","features":[478]},{"name":"DIALPROP_PASSWORD","features":[478]},{"name":"DIALPROP_PHONENUMBER","features":[478]},{"name":"DIALPROP_REDIALCOUNT","features":[478]},{"name":"DIALPROP_REDIALINTERVAL","features":[478]},{"name":"DIALPROP_RESOLVEDPHONE","features":[478]},{"name":"DIALPROP_SAVEPASSWORD","features":[478]},{"name":"DIALPROP_USERNAME","features":[478]},{"name":"DLG_FLAGS_INSECURE_FALLBACK","features":[478]},{"name":"DLG_FLAGS_INVALID_CA","features":[478]},{"name":"DLG_FLAGS_SEC_CERT_CN_INVALID","features":[478]},{"name":"DLG_FLAGS_SEC_CERT_DATE_INVALID","features":[478]},{"name":"DLG_FLAGS_SEC_CERT_REV_FAILED","features":[478]},{"name":"DLG_FLAGS_WEAK_SIGNATURE","features":[478]},{"name":"DOWNLOAD_CACHE_ENTRY","features":[478]},{"name":"DUO_PROTOCOL_FLAG_SPDY3","features":[478]},{"name":"DUO_PROTOCOL_MASK","features":[478]},{"name":"DeleteIE3Cache","features":[308,478]},{"name":"DeleteUrlCacheContainerA","features":[308,478]},{"name":"DeleteUrlCacheContainerW","features":[308,478]},{"name":"DeleteUrlCacheEntry","features":[308,478]},{"name":"DeleteUrlCacheEntryA","features":[308,478]},{"name":"DeleteUrlCacheEntryW","features":[308,478]},{"name":"DeleteUrlCacheGroup","features":[308,478]},{"name":"DeleteWpadCacheForNetworks","features":[308,478]},{"name":"DetectAutoProxyUrl","features":[308,478]},{"name":"DoConnectoidsExist","features":[308,478]},{"name":"EDITED_CACHE_ENTRY","features":[478]},{"name":"ERROR_FTP_DROPPED","features":[478]},{"name":"ERROR_FTP_NO_PASSIVE_MODE","features":[478]},{"name":"ERROR_FTP_TRANSFER_IN_PROGRESS","features":[478]},{"name":"ERROR_GOPHER_ATTRIBUTE_NOT_FOUND","features":[478]},{"name":"ERROR_GOPHER_DATA_ERROR","features":[478]},{"name":"ERROR_GOPHER_END_OF_DATA","features":[478]},{"name":"ERROR_GOPHER_INCORRECT_LOCATOR_TYPE","features":[478]},{"name":"ERROR_GOPHER_INVALID_LOCATOR","features":[478]},{"name":"ERROR_GOPHER_NOT_FILE","features":[478]},{"name":"ERROR_GOPHER_NOT_GOPHER_PLUS","features":[478]},{"name":"ERROR_GOPHER_PROTOCOL_ERROR","features":[478]},{"name":"ERROR_GOPHER_UNKNOWN_LOCATOR","features":[478]},{"name":"ERROR_HTTP_COOKIE_DECLINED","features":[478]},{"name":"ERROR_HTTP_COOKIE_NEEDS_CONFIRMATION","features":[478]},{"name":"ERROR_HTTP_COOKIE_NEEDS_CONFIRMATION_EX","features":[478]},{"name":"ERROR_HTTP_DOWNLEVEL_SERVER","features":[478]},{"name":"ERROR_HTTP_HEADER_ALREADY_EXISTS","features":[478]},{"name":"ERROR_HTTP_HEADER_NOT_FOUND","features":[478]},{"name":"ERROR_HTTP_HSTS_REDIRECT_REQUIRED","features":[478]},{"name":"ERROR_HTTP_INVALID_HEADER","features":[478]},{"name":"ERROR_HTTP_INVALID_QUERY_REQUEST","features":[478]},{"name":"ERROR_HTTP_INVALID_SERVER_RESPONSE","features":[478]},{"name":"ERROR_HTTP_NOT_REDIRECTED","features":[478]},{"name":"ERROR_HTTP_PUSH_ENABLE_FAILED","features":[478]},{"name":"ERROR_HTTP_PUSH_RETRY_NOT_SUPPORTED","features":[478]},{"name":"ERROR_HTTP_PUSH_STATUS_CODE_NOT_SUPPORTED","features":[478]},{"name":"ERROR_HTTP_REDIRECT_FAILED","features":[478]},{"name":"ERROR_HTTP_REDIRECT_NEEDS_CONFIRMATION","features":[478]},{"name":"ERROR_INTERNET_ASYNC_THREAD_FAILED","features":[478]},{"name":"ERROR_INTERNET_BAD_AUTO_PROXY_SCRIPT","features":[478]},{"name":"ERROR_INTERNET_BAD_OPTION_LENGTH","features":[478]},{"name":"ERROR_INTERNET_BAD_REGISTRY_PARAMETER","features":[478]},{"name":"ERROR_INTERNET_CACHE_SUCCESS","features":[478]},{"name":"ERROR_INTERNET_CANNOT_CONNECT","features":[478]},{"name":"ERROR_INTERNET_CHG_POST_IS_NON_SECURE","features":[478]},{"name":"ERROR_INTERNET_CLIENT_AUTH_CERT_NEEDED","features":[478]},{"name":"ERROR_INTERNET_CLIENT_AUTH_CERT_NEEDED_PROXY","features":[478]},{"name":"ERROR_INTERNET_CLIENT_AUTH_NOT_SETUP","features":[478]},{"name":"ERROR_INTERNET_CONNECTION_ABORTED","features":[478]},{"name":"ERROR_INTERNET_CONNECTION_AVAILABLE","features":[478]},{"name":"ERROR_INTERNET_CONNECTION_RESET","features":[478]},{"name":"ERROR_INTERNET_DECODING_FAILED","features":[478]},{"name":"ERROR_INTERNET_DIALOG_PENDING","features":[478]},{"name":"ERROR_INTERNET_DISALLOW_INPRIVATE","features":[478]},{"name":"ERROR_INTERNET_DISCONNECTED","features":[478]},{"name":"ERROR_INTERNET_EXTENDED_ERROR","features":[478]},{"name":"ERROR_INTERNET_FAILED_DUETOSECURITYCHECK","features":[478]},{"name":"ERROR_INTERNET_FEATURE_DISABLED","features":[478]},{"name":"ERROR_INTERNET_FORCE_RETRY","features":[478]},{"name":"ERROR_INTERNET_FORTEZZA_LOGIN_NEEDED","features":[478]},{"name":"ERROR_INTERNET_GLOBAL_CALLBACK_FAILED","features":[478]},{"name":"ERROR_INTERNET_HANDLE_EXISTS","features":[478]},{"name":"ERROR_INTERNET_HTTPS_HTTP_SUBMIT_REDIR","features":[478]},{"name":"ERROR_INTERNET_HTTPS_TO_HTTP_ON_REDIR","features":[478]},{"name":"ERROR_INTERNET_HTTP_PROTOCOL_MISMATCH","features":[478]},{"name":"ERROR_INTERNET_HTTP_TO_HTTPS_ON_REDIR","features":[478]},{"name":"ERROR_INTERNET_INCORRECT_FORMAT","features":[478]},{"name":"ERROR_INTERNET_INCORRECT_HANDLE_STATE","features":[478]},{"name":"ERROR_INTERNET_INCORRECT_HANDLE_TYPE","features":[478]},{"name":"ERROR_INTERNET_INCORRECT_PASSWORD","features":[478]},{"name":"ERROR_INTERNET_INCORRECT_USER_NAME","features":[478]},{"name":"ERROR_INTERNET_INSECURE_FALLBACK_REQUIRED","features":[478]},{"name":"ERROR_INTERNET_INSERT_CDROM","features":[478]},{"name":"ERROR_INTERNET_INTERNAL_ERROR","features":[478]},{"name":"ERROR_INTERNET_INTERNAL_SOCKET_ERROR","features":[478]},{"name":"ERROR_INTERNET_INVALID_CA","features":[478]},{"name":"ERROR_INTERNET_INVALID_OPERATION","features":[478]},{"name":"ERROR_INTERNET_INVALID_OPTION","features":[478]},{"name":"ERROR_INTERNET_INVALID_PROXY_REQUEST","features":[478]},{"name":"ERROR_INTERNET_INVALID_URL","features":[478]},{"name":"ERROR_INTERNET_ITEM_NOT_FOUND","features":[478]},{"name":"ERROR_INTERNET_LOGIN_FAILURE","features":[478]},{"name":"ERROR_INTERNET_LOGIN_FAILURE_DISPLAY_ENTITY_BODY","features":[478]},{"name":"ERROR_INTERNET_MIXED_SECURITY","features":[478]},{"name":"ERROR_INTERNET_NAME_NOT_RESOLVED","features":[478]},{"name":"ERROR_INTERNET_NEED_MSN_SSPI_PKG","features":[478]},{"name":"ERROR_INTERNET_NEED_UI","features":[478]},{"name":"ERROR_INTERNET_NOT_INITIALIZED","features":[478]},{"name":"ERROR_INTERNET_NOT_PROXY_REQUEST","features":[478]},{"name":"ERROR_INTERNET_NO_CALLBACK","features":[478]},{"name":"ERROR_INTERNET_NO_CM_CONNECTION","features":[478]},{"name":"ERROR_INTERNET_NO_CONTEXT","features":[478]},{"name":"ERROR_INTERNET_NO_DIRECT_ACCESS","features":[478]},{"name":"ERROR_INTERNET_NO_KNOWN_SERVERS","features":[478]},{"name":"ERROR_INTERNET_NO_NEW_CONTAINERS","features":[478]},{"name":"ERROR_INTERNET_NO_PING_SUPPORT","features":[478]},{"name":"ERROR_INTERNET_OFFLINE","features":[478]},{"name":"ERROR_INTERNET_OPERATION_CANCELLED","features":[478]},{"name":"ERROR_INTERNET_OPTION_NOT_SETTABLE","features":[478]},{"name":"ERROR_INTERNET_OUT_OF_HANDLES","features":[478]},{"name":"ERROR_INTERNET_PING_FAILED","features":[478]},{"name":"ERROR_INTERNET_POST_IS_NON_SECURE","features":[478]},{"name":"ERROR_INTERNET_PROTOCOL_NOT_FOUND","features":[478]},{"name":"ERROR_INTERNET_PROXY_ALERT","features":[478]},{"name":"ERROR_INTERNET_PROXY_SERVER_UNREACHABLE","features":[478]},{"name":"ERROR_INTERNET_REDIRECT_SCHEME_CHANGE","features":[478]},{"name":"ERROR_INTERNET_REGISTRY_VALUE_NOT_FOUND","features":[478]},{"name":"ERROR_INTERNET_REQUEST_PENDING","features":[478]},{"name":"ERROR_INTERNET_RETRY_DIALOG","features":[478]},{"name":"ERROR_INTERNET_SECURE_FAILURE_PROXY","features":[478]},{"name":"ERROR_INTERNET_SECURITY_CHANNEL_ERROR","features":[478]},{"name":"ERROR_INTERNET_SEC_CERT_CN_INVALID","features":[478]},{"name":"ERROR_INTERNET_SEC_CERT_DATE_INVALID","features":[478]},{"name":"ERROR_INTERNET_SEC_CERT_ERRORS","features":[478]},{"name":"ERROR_INTERNET_SEC_CERT_NO_REV","features":[478]},{"name":"ERROR_INTERNET_SEC_CERT_REVOKED","features":[478]},{"name":"ERROR_INTERNET_SEC_CERT_REV_FAILED","features":[478]},{"name":"ERROR_INTERNET_SEC_CERT_WEAK_SIGNATURE","features":[478]},{"name":"ERROR_INTERNET_SEC_INVALID_CERT","features":[478]},{"name":"ERROR_INTERNET_SERVER_UNREACHABLE","features":[478]},{"name":"ERROR_INTERNET_SHUTDOWN","features":[478]},{"name":"ERROR_INTERNET_SOURCE_PORT_IN_USE","features":[478]},{"name":"ERROR_INTERNET_TCPIP_NOT_INSTALLED","features":[478]},{"name":"ERROR_INTERNET_TIMEOUT","features":[478]},{"name":"ERROR_INTERNET_UNABLE_TO_CACHE_FILE","features":[478]},{"name":"ERROR_INTERNET_UNABLE_TO_DOWNLOAD_SCRIPT","features":[478]},{"name":"ERROR_INTERNET_UNRECOGNIZED_SCHEME","features":[478]},{"name":"ExportCookieFileA","features":[308,478]},{"name":"ExportCookieFileW","features":[308,478]},{"name":"FLAGS_ERROR_UI_FILTER_FOR_ERRORS","features":[478]},{"name":"FLAGS_ERROR_UI_FLAGS_CHANGE_OPTIONS","features":[478]},{"name":"FLAGS_ERROR_UI_FLAGS_GENERATE_DATA","features":[478]},{"name":"FLAGS_ERROR_UI_FLAGS_NO_UI","features":[478]},{"name":"FLAGS_ERROR_UI_SERIALIZE_DIALOGS","features":[478]},{"name":"FLAGS_ERROR_UI_SHOW_IDN_HOSTNAME","features":[478]},{"name":"FLAG_ICC_FORCE_CONNECTION","features":[478]},{"name":"FORTCMD","features":[478]},{"name":"FORTCMD_CHG_PERSONALITY","features":[478]},{"name":"FORTCMD_LOGOFF","features":[478]},{"name":"FORTCMD_LOGON","features":[478]},{"name":"FORTSTAT","features":[478]},{"name":"FORTSTAT_INSTALLED","features":[478]},{"name":"FORTSTAT_LOGGEDON","features":[478]},{"name":"FTP_FLAGS","features":[478]},{"name":"FTP_TRANSFER_TYPE_ASCII","features":[478]},{"name":"FTP_TRANSFER_TYPE_BINARY","features":[478]},{"name":"FTP_TRANSFER_TYPE_UNKNOWN","features":[478]},{"name":"FindCloseUrlCache","features":[308,478]},{"name":"FindFirstUrlCacheContainerA","features":[308,478]},{"name":"FindFirstUrlCacheContainerW","features":[308,478]},{"name":"FindFirstUrlCacheEntryA","features":[308,478]},{"name":"FindFirstUrlCacheEntryExA","features":[308,478]},{"name":"FindFirstUrlCacheEntryExW","features":[308,478]},{"name":"FindFirstUrlCacheEntryW","features":[308,478]},{"name":"FindFirstUrlCacheGroup","features":[308,478]},{"name":"FindNextUrlCacheContainerA","features":[308,478]},{"name":"FindNextUrlCacheContainerW","features":[308,478]},{"name":"FindNextUrlCacheEntryA","features":[308,478]},{"name":"FindNextUrlCacheEntryExA","features":[308,478]},{"name":"FindNextUrlCacheEntryExW","features":[308,478]},{"name":"FindNextUrlCacheEntryW","features":[308,478]},{"name":"FindNextUrlCacheGroup","features":[308,478]},{"name":"FindP3PPolicySymbol","features":[478]},{"name":"FreeUrlCacheSpaceA","features":[308,478]},{"name":"FreeUrlCacheSpaceW","features":[308,478]},{"name":"FtpCommandA","features":[308,478]},{"name":"FtpCommandW","features":[308,478]},{"name":"FtpCreateDirectoryA","features":[308,478]},{"name":"FtpCreateDirectoryW","features":[308,478]},{"name":"FtpDeleteFileA","features":[308,478]},{"name":"FtpDeleteFileW","features":[308,478]},{"name":"FtpFindFirstFileA","features":[308,478,327]},{"name":"FtpFindFirstFileW","features":[308,478,327]},{"name":"FtpGetCurrentDirectoryA","features":[308,478]},{"name":"FtpGetCurrentDirectoryW","features":[308,478]},{"name":"FtpGetFileA","features":[308,478]},{"name":"FtpGetFileEx","features":[308,478]},{"name":"FtpGetFileSize","features":[478]},{"name":"FtpGetFileW","features":[308,478]},{"name":"FtpOpenFileA","features":[478]},{"name":"FtpOpenFileW","features":[478]},{"name":"FtpPutFileA","features":[308,478]},{"name":"FtpPutFileEx","features":[308,478]},{"name":"FtpPutFileW","features":[308,478]},{"name":"FtpRemoveDirectoryA","features":[308,478]},{"name":"FtpRemoveDirectoryW","features":[308,478]},{"name":"FtpRenameFileA","features":[308,478]},{"name":"FtpRenameFileW","features":[308,478]},{"name":"FtpSetCurrentDirectoryA","features":[308,478]},{"name":"FtpSetCurrentDirectoryW","features":[308,478]},{"name":"GOPHER_ABSTRACT_ATTRIBUTE","features":[478]},{"name":"GOPHER_ABSTRACT_ATTRIBUTE_TYPE","features":[478]},{"name":"GOPHER_ABSTRACT_CATEGORY","features":[478]},{"name":"GOPHER_ADMIN_ATTRIBUTE","features":[478]},{"name":"GOPHER_ADMIN_ATTRIBUTE_TYPE","features":[478]},{"name":"GOPHER_ADMIN_CATEGORY","features":[478]},{"name":"GOPHER_ASK_ATTRIBUTE_TYPE","features":[478]},{"name":"GOPHER_ATTRIBUTE_ENUMERATOR","features":[308,478]},{"name":"GOPHER_ATTRIBUTE_ID_ABSTRACT","features":[478]},{"name":"GOPHER_ATTRIBUTE_ID_ADMIN","features":[478]},{"name":"GOPHER_ATTRIBUTE_ID_ALL","features":[478]},{"name":"GOPHER_ATTRIBUTE_ID_BASE","features":[478]},{"name":"GOPHER_ATTRIBUTE_ID_GEOG","features":[478]},{"name":"GOPHER_ATTRIBUTE_ID_LOCATION","features":[478]},{"name":"GOPHER_ATTRIBUTE_ID_MOD_DATE","features":[478]},{"name":"GOPHER_ATTRIBUTE_ID_ORG","features":[478]},{"name":"GOPHER_ATTRIBUTE_ID_PROVIDER","features":[478]},{"name":"GOPHER_ATTRIBUTE_ID_RANGE","features":[478]},{"name":"GOPHER_ATTRIBUTE_ID_SCORE","features":[478]},{"name":"GOPHER_ATTRIBUTE_ID_SITE","features":[478]},{"name":"GOPHER_ATTRIBUTE_ID_TIMEZONE","features":[478]},{"name":"GOPHER_ATTRIBUTE_ID_TREEWALK","features":[478]},{"name":"GOPHER_ATTRIBUTE_ID_TTL","features":[478]},{"name":"GOPHER_ATTRIBUTE_ID_UNKNOWN","features":[478]},{"name":"GOPHER_ATTRIBUTE_ID_VERSION","features":[478]},{"name":"GOPHER_ATTRIBUTE_ID_VIEW","features":[478]},{"name":"GOPHER_ATTRIBUTE_TYPE","features":[308,478]},{"name":"GOPHER_CATEGORY_ID_ABSTRACT","features":[478]},{"name":"GOPHER_CATEGORY_ID_ADMIN","features":[478]},{"name":"GOPHER_CATEGORY_ID_ALL","features":[478]},{"name":"GOPHER_CATEGORY_ID_ASK","features":[478]},{"name":"GOPHER_CATEGORY_ID_INFO","features":[478]},{"name":"GOPHER_CATEGORY_ID_UNKNOWN","features":[478]},{"name":"GOPHER_CATEGORY_ID_VERONICA","features":[478]},{"name":"GOPHER_CATEGORY_ID_VIEWS","features":[478]},{"name":"GOPHER_FIND_DATAA","features":[308,478]},{"name":"GOPHER_FIND_DATAW","features":[308,478]},{"name":"GOPHER_GEOGRAPHICAL_LOCATION_ATTRIBUTE_TYPE","features":[478]},{"name":"GOPHER_GEOG_ATTRIBUTE","features":[478]},{"name":"GOPHER_INFO_CATEGORY","features":[478]},{"name":"GOPHER_LOCATION_ATTRIBUTE","features":[478]},{"name":"GOPHER_LOCATION_ATTRIBUTE_TYPE","features":[478]},{"name":"GOPHER_MOD_DATE_ATTRIBUTE","features":[478]},{"name":"GOPHER_MOD_DATE_ATTRIBUTE_TYPE","features":[308,478]},{"name":"GOPHER_ORGANIZATION_ATTRIBUTE_TYPE","features":[478]},{"name":"GOPHER_ORG_ATTRIBUTE","features":[478]},{"name":"GOPHER_PROVIDER_ATTRIBUTE","features":[478]},{"name":"GOPHER_PROVIDER_ATTRIBUTE_TYPE","features":[478]},{"name":"GOPHER_RANGE_ATTRIBUTE","features":[478]},{"name":"GOPHER_SCORE_ATTRIBUTE","features":[478]},{"name":"GOPHER_SCORE_ATTRIBUTE_TYPE","features":[478]},{"name":"GOPHER_SCORE_RANGE_ATTRIBUTE_TYPE","features":[478]},{"name":"GOPHER_SITE_ATTRIBUTE","features":[478]},{"name":"GOPHER_SITE_ATTRIBUTE_TYPE","features":[478]},{"name":"GOPHER_TIMEZONE_ATTRIBUTE","features":[478]},{"name":"GOPHER_TIMEZONE_ATTRIBUTE_TYPE","features":[478]},{"name":"GOPHER_TREEWALK_ATTRIBUTE","features":[478]},{"name":"GOPHER_TTL_ATTRIBUTE","features":[478]},{"name":"GOPHER_TTL_ATTRIBUTE_TYPE","features":[478]},{"name":"GOPHER_TYPE","features":[478]},{"name":"GOPHER_TYPE_ASK","features":[478]},{"name":"GOPHER_TYPE_BINARY","features":[478]},{"name":"GOPHER_TYPE_BITMAP","features":[478]},{"name":"GOPHER_TYPE_CALENDAR","features":[478]},{"name":"GOPHER_TYPE_CSO","features":[478]},{"name":"GOPHER_TYPE_DIRECTORY","features":[478]},{"name":"GOPHER_TYPE_DOS_ARCHIVE","features":[478]},{"name":"GOPHER_TYPE_ERROR","features":[478]},{"name":"GOPHER_TYPE_GIF","features":[478]},{"name":"GOPHER_TYPE_GOPHER_PLUS","features":[478]},{"name":"GOPHER_TYPE_HTML","features":[478]},{"name":"GOPHER_TYPE_IMAGE","features":[478]},{"name":"GOPHER_TYPE_INDEX_SERVER","features":[478]},{"name":"GOPHER_TYPE_INLINE","features":[478]},{"name":"GOPHER_TYPE_MAC_BINHEX","features":[478]},{"name":"GOPHER_TYPE_MOVIE","features":[478]},{"name":"GOPHER_TYPE_PDF","features":[478]},{"name":"GOPHER_TYPE_REDUNDANT","features":[478]},{"name":"GOPHER_TYPE_SOUND","features":[478]},{"name":"GOPHER_TYPE_TELNET","features":[478]},{"name":"GOPHER_TYPE_TEXT_FILE","features":[478]},{"name":"GOPHER_TYPE_TN3270","features":[478]},{"name":"GOPHER_TYPE_UNIX_UUENCODED","features":[478]},{"name":"GOPHER_TYPE_UNKNOWN","features":[478]},{"name":"GOPHER_UNKNOWN_ATTRIBUTE_TYPE","features":[478]},{"name":"GOPHER_VERONICA_ATTRIBUTE_TYPE","features":[308,478]},{"name":"GOPHER_VERONICA_CATEGORY","features":[478]},{"name":"GOPHER_VERSION_ATTRIBUTE","features":[478]},{"name":"GOPHER_VERSION_ATTRIBUTE_TYPE","features":[478]},{"name":"GOPHER_VIEWS_CATEGORY","features":[478]},{"name":"GOPHER_VIEW_ATTRIBUTE","features":[478]},{"name":"GOPHER_VIEW_ATTRIBUTE_TYPE","features":[478]},{"name":"GROUPNAME_MAX_LENGTH","features":[478]},{"name":"GROUP_OWNER_STORAGE_SIZE","features":[478]},{"name":"GetDiskInfoA","features":[308,478]},{"name":"GetUrlCacheConfigInfoA","features":[308,478]},{"name":"GetUrlCacheConfigInfoW","features":[308,478]},{"name":"GetUrlCacheEntryBinaryBlob","features":[308,478]},{"name":"GetUrlCacheEntryInfoA","features":[308,478]},{"name":"GetUrlCacheEntryInfoExA","features":[308,478]},{"name":"GetUrlCacheEntryInfoExW","features":[308,478]},{"name":"GetUrlCacheEntryInfoW","features":[308,478]},{"name":"GetUrlCacheGroupAttributeA","features":[308,478]},{"name":"GetUrlCacheGroupAttributeW","features":[308,478]},{"name":"GetUrlCacheHeaderData","features":[308,478]},{"name":"GopherCreateLocatorA","features":[308,478]},{"name":"GopherCreateLocatorW","features":[308,478]},{"name":"GopherFindFirstFileA","features":[308,478]},{"name":"GopherFindFirstFileW","features":[308,478]},{"name":"GopherGetAttributeA","features":[308,478]},{"name":"GopherGetAttributeW","features":[308,478]},{"name":"GopherGetLocatorTypeA","features":[308,478]},{"name":"GopherGetLocatorTypeW","features":[308,478]},{"name":"GopherOpenFileA","features":[478]},{"name":"GopherOpenFileW","features":[478]},{"name":"HSR_ASYNC","features":[478]},{"name":"HSR_CHUNKED","features":[478]},{"name":"HSR_DOWNLOAD","features":[478]},{"name":"HSR_INITIATE","features":[478]},{"name":"HSR_SYNC","features":[478]},{"name":"HSR_USE_CONTEXT","features":[478]},{"name":"HTTP_1_1_CACHE_ENTRY","features":[478]},{"name":"HTTP_ADDREQ_FLAG","features":[478]},{"name":"HTTP_ADDREQ_FLAGS_MASK","features":[478]},{"name":"HTTP_ADDREQ_FLAG_ADD","features":[478]},{"name":"HTTP_ADDREQ_FLAG_ADD_IF_NEW","features":[478]},{"name":"HTTP_ADDREQ_FLAG_ALLOW_EMPTY_VALUES","features":[478]},{"name":"HTTP_ADDREQ_FLAG_COALESCE","features":[478]},{"name":"HTTP_ADDREQ_FLAG_COALESCE_WITH_COMMA","features":[478]},{"name":"HTTP_ADDREQ_FLAG_COALESCE_WITH_SEMICOLON","features":[478]},{"name":"HTTP_ADDREQ_FLAG_REPLACE","features":[478]},{"name":"HTTP_ADDREQ_FLAG_RESPONSE_HEADERS","features":[478]},{"name":"HTTP_ADDREQ_INDEX_MASK","features":[478]},{"name":"HTTP_COOKIES_SAME_SITE_LEVEL_CROSS_SITE","features":[478]},{"name":"HTTP_COOKIES_SAME_SITE_LEVEL_CROSS_SITE_LAX","features":[478]},{"name":"HTTP_COOKIES_SAME_SITE_LEVEL_MAX","features":[478]},{"name":"HTTP_COOKIES_SAME_SITE_LEVEL_SAME_SITE","features":[478]},{"name":"HTTP_COOKIES_SAME_SITE_LEVEL_UNKNOWN","features":[478]},{"name":"HTTP_MAJOR_VERSION","features":[478]},{"name":"HTTP_MINOR_VERSION","features":[478]},{"name":"HTTP_POLICY_EXTENSION_INIT","features":[478]},{"name":"HTTP_POLICY_EXTENSION_SHUTDOWN","features":[478]},{"name":"HTTP_POLICY_EXTENSION_TYPE","features":[478]},{"name":"HTTP_POLICY_EXTENSION_VERSION","features":[478]},{"name":"HTTP_PROTOCOL_FLAG_HTTP2","features":[478]},{"name":"HTTP_PROTOCOL_MASK","features":[478]},{"name":"HTTP_PUSH_NOTIFICATION_STATUS","features":[308,478]},{"name":"HTTP_PUSH_TRANSPORT_SETTING","features":[478]},{"name":"HTTP_PUSH_WAIT_HANDLE","features":[478]},{"name":"HTTP_PUSH_WAIT_TYPE","features":[478]},{"name":"HTTP_QUERY_ACCEPT","features":[478]},{"name":"HTTP_QUERY_ACCEPT_CHARSET","features":[478]},{"name":"HTTP_QUERY_ACCEPT_ENCODING","features":[478]},{"name":"HTTP_QUERY_ACCEPT_LANGUAGE","features":[478]},{"name":"HTTP_QUERY_ACCEPT_RANGES","features":[478]},{"name":"HTTP_QUERY_AGE","features":[478]},{"name":"HTTP_QUERY_ALLOW","features":[478]},{"name":"HTTP_QUERY_AUTHENTICATION_INFO","features":[478]},{"name":"HTTP_QUERY_AUTHORIZATION","features":[478]},{"name":"HTTP_QUERY_CACHE_CONTROL","features":[478]},{"name":"HTTP_QUERY_CONNECTION","features":[478]},{"name":"HTTP_QUERY_CONTENT_BASE","features":[478]},{"name":"HTTP_QUERY_CONTENT_DESCRIPTION","features":[478]},{"name":"HTTP_QUERY_CONTENT_DISPOSITION","features":[478]},{"name":"HTTP_QUERY_CONTENT_ENCODING","features":[478]},{"name":"HTTP_QUERY_CONTENT_ID","features":[478]},{"name":"HTTP_QUERY_CONTENT_LANGUAGE","features":[478]},{"name":"HTTP_QUERY_CONTENT_LENGTH","features":[478]},{"name":"HTTP_QUERY_CONTENT_LOCATION","features":[478]},{"name":"HTTP_QUERY_CONTENT_MD5","features":[478]},{"name":"HTTP_QUERY_CONTENT_RANGE","features":[478]},{"name":"HTTP_QUERY_CONTENT_TRANSFER_ENCODING","features":[478]},{"name":"HTTP_QUERY_CONTENT_TYPE","features":[478]},{"name":"HTTP_QUERY_COOKIE","features":[478]},{"name":"HTTP_QUERY_COST","features":[478]},{"name":"HTTP_QUERY_CUSTOM","features":[478]},{"name":"HTTP_QUERY_DATE","features":[478]},{"name":"HTTP_QUERY_DEFAULT_STYLE","features":[478]},{"name":"HTTP_QUERY_DERIVED_FROM","features":[478]},{"name":"HTTP_QUERY_DO_NOT_TRACK","features":[478]},{"name":"HTTP_QUERY_ECHO_HEADERS","features":[478]},{"name":"HTTP_QUERY_ECHO_HEADERS_CRLF","features":[478]},{"name":"HTTP_QUERY_ECHO_REPLY","features":[478]},{"name":"HTTP_QUERY_ECHO_REQUEST","features":[478]},{"name":"HTTP_QUERY_ETAG","features":[478]},{"name":"HTTP_QUERY_EXPECT","features":[478]},{"name":"HTTP_QUERY_EXPIRES","features":[478]},{"name":"HTTP_QUERY_FLAG_COALESCE","features":[478]},{"name":"HTTP_QUERY_FLAG_COALESCE_WITH_COMMA","features":[478]},{"name":"HTTP_QUERY_FLAG_NUMBER","features":[478]},{"name":"HTTP_QUERY_FLAG_NUMBER64","features":[478]},{"name":"HTTP_QUERY_FLAG_REQUEST_HEADERS","features":[478]},{"name":"HTTP_QUERY_FLAG_SYSTEMTIME","features":[478]},{"name":"HTTP_QUERY_FORWARDED","features":[478]},{"name":"HTTP_QUERY_FROM","features":[478]},{"name":"HTTP_QUERY_HOST","features":[478]},{"name":"HTTP_QUERY_HTTP2_SETTINGS","features":[478]},{"name":"HTTP_QUERY_IF_MATCH","features":[478]},{"name":"HTTP_QUERY_IF_MODIFIED_SINCE","features":[478]},{"name":"HTTP_QUERY_IF_NONE_MATCH","features":[478]},{"name":"HTTP_QUERY_IF_RANGE","features":[478]},{"name":"HTTP_QUERY_IF_UNMODIFIED_SINCE","features":[478]},{"name":"HTTP_QUERY_INCLUDE_REFERER_TOKEN_BINDING_ID","features":[478]},{"name":"HTTP_QUERY_INCLUDE_REFERRED_TOKEN_BINDING_ID","features":[478]},{"name":"HTTP_QUERY_KEEP_ALIVE","features":[478]},{"name":"HTTP_QUERY_LAST_MODIFIED","features":[478]},{"name":"HTTP_QUERY_LINK","features":[478]},{"name":"HTTP_QUERY_LOCATION","features":[478]},{"name":"HTTP_QUERY_MAX","features":[478]},{"name":"HTTP_QUERY_MAX_FORWARDS","features":[478]},{"name":"HTTP_QUERY_MESSAGE_ID","features":[478]},{"name":"HTTP_QUERY_MIME_VERSION","features":[478]},{"name":"HTTP_QUERY_ORIG_URI","features":[478]},{"name":"HTTP_QUERY_P3P","features":[478]},{"name":"HTTP_QUERY_PASSPORT_CONFIG","features":[478]},{"name":"HTTP_QUERY_PASSPORT_URLS","features":[478]},{"name":"HTTP_QUERY_PRAGMA","features":[478]},{"name":"HTTP_QUERY_PROXY_AUTHENTICATE","features":[478]},{"name":"HTTP_QUERY_PROXY_AUTHORIZATION","features":[478]},{"name":"HTTP_QUERY_PROXY_CONNECTION","features":[478]},{"name":"HTTP_QUERY_PROXY_SUPPORT","features":[478]},{"name":"HTTP_QUERY_PUBLIC","features":[478]},{"name":"HTTP_QUERY_PUBLIC_KEY_PINS","features":[478]},{"name":"HTTP_QUERY_PUBLIC_KEY_PINS_REPORT_ONLY","features":[478]},{"name":"HTTP_QUERY_RANGE","features":[478]},{"name":"HTTP_QUERY_RAW_HEADERS","features":[478]},{"name":"HTTP_QUERY_RAW_HEADERS_CRLF","features":[478]},{"name":"HTTP_QUERY_REFERER","features":[478]},{"name":"HTTP_QUERY_REFRESH","features":[478]},{"name":"HTTP_QUERY_REQUEST_METHOD","features":[478]},{"name":"HTTP_QUERY_RETRY_AFTER","features":[478]},{"name":"HTTP_QUERY_SERVER","features":[478]},{"name":"HTTP_QUERY_SET_COOKIE","features":[478]},{"name":"HTTP_QUERY_SET_COOKIE2","features":[478]},{"name":"HTTP_QUERY_STATUS_CODE","features":[478]},{"name":"HTTP_QUERY_STATUS_TEXT","features":[478]},{"name":"HTTP_QUERY_STRICT_TRANSPORT_SECURITY","features":[478]},{"name":"HTTP_QUERY_TITLE","features":[478]},{"name":"HTTP_QUERY_TOKEN_BINDING","features":[478]},{"name":"HTTP_QUERY_TRANSFER_ENCODING","features":[478]},{"name":"HTTP_QUERY_TRANSLATE","features":[478]},{"name":"HTTP_QUERY_UNLESS_MODIFIED_SINCE","features":[478]},{"name":"HTTP_QUERY_UPGRADE","features":[478]},{"name":"HTTP_QUERY_URI","features":[478]},{"name":"HTTP_QUERY_USER_AGENT","features":[478]},{"name":"HTTP_QUERY_VARY","features":[478]},{"name":"HTTP_QUERY_VERSION","features":[478]},{"name":"HTTP_QUERY_VIA","features":[478]},{"name":"HTTP_QUERY_WARNING","features":[478]},{"name":"HTTP_QUERY_WWW_AUTHENTICATE","features":[478]},{"name":"HTTP_QUERY_X_CONTENT_TYPE_OPTIONS","features":[478]},{"name":"HTTP_QUERY_X_FRAME_OPTIONS","features":[478]},{"name":"HTTP_QUERY_X_P2P_PEERDIST","features":[478]},{"name":"HTTP_QUERY_X_UA_COMPATIBLE","features":[478]},{"name":"HTTP_QUERY_X_XSS_PROTECTION","features":[478]},{"name":"HTTP_REQUEST_TIMES","features":[478]},{"name":"HTTP_STATUS_MISDIRECTED_REQUEST","features":[478]},{"name":"HTTP_VERSIONA","features":[478]},{"name":"HTTP_VERSIONW","features":[478]},{"name":"HTTP_WEB_SOCKET_ABORTED_CLOSE_STATUS","features":[478]},{"name":"HTTP_WEB_SOCKET_ASYNC_RESULT","features":[478]},{"name":"HTTP_WEB_SOCKET_BINARY_FRAGMENT_TYPE","features":[478]},{"name":"HTTP_WEB_SOCKET_BINARY_MESSAGE_TYPE","features":[478]},{"name":"HTTP_WEB_SOCKET_BUFFER_TYPE","features":[478]},{"name":"HTTP_WEB_SOCKET_CLOSE_OPERATION","features":[478]},{"name":"HTTP_WEB_SOCKET_CLOSE_STATUS","features":[478]},{"name":"HTTP_WEB_SOCKET_CLOSE_TYPE","features":[478]},{"name":"HTTP_WEB_SOCKET_EMPTY_CLOSE_STATUS","features":[478]},{"name":"HTTP_WEB_SOCKET_ENDPOINT_TERMINATED_CLOSE_STATUS","features":[478]},{"name":"HTTP_WEB_SOCKET_INVALID_DATA_TYPE_CLOSE_STATUS","features":[478]},{"name":"HTTP_WEB_SOCKET_INVALID_PAYLOAD_CLOSE_STATUS","features":[478]},{"name":"HTTP_WEB_SOCKET_MAX_CLOSE_REASON_LENGTH","features":[478]},{"name":"HTTP_WEB_SOCKET_MESSAGE_TOO_BIG_CLOSE_STATUS","features":[478]},{"name":"HTTP_WEB_SOCKET_MIN_KEEPALIVE_VALUE","features":[478]},{"name":"HTTP_WEB_SOCKET_OPERATION","features":[478]},{"name":"HTTP_WEB_SOCKET_PING_TYPE","features":[478]},{"name":"HTTP_WEB_SOCKET_POLICY_VIOLATION_CLOSE_STATUS","features":[478]},{"name":"HTTP_WEB_SOCKET_PROTOCOL_ERROR_CLOSE_STATUS","features":[478]},{"name":"HTTP_WEB_SOCKET_RECEIVE_OPERATION","features":[478]},{"name":"HTTP_WEB_SOCKET_SECURE_HANDSHAKE_ERROR_CLOSE_STATUS","features":[478]},{"name":"HTTP_WEB_SOCKET_SEND_OPERATION","features":[478]},{"name":"HTTP_WEB_SOCKET_SERVER_ERROR_CLOSE_STATUS","features":[478]},{"name":"HTTP_WEB_SOCKET_SHUTDOWN_OPERATION","features":[478]},{"name":"HTTP_WEB_SOCKET_SUCCESS_CLOSE_STATUS","features":[478]},{"name":"HTTP_WEB_SOCKET_UNSUPPORTED_EXTENSIONS_CLOSE_STATUS","features":[478]},{"name":"HTTP_WEB_SOCKET_UTF8_FRAGMENT_TYPE","features":[478]},{"name":"HTTP_WEB_SOCKET_UTF8_MESSAGE_TYPE","features":[478]},{"name":"HttpAddRequestHeadersA","features":[308,478]},{"name":"HttpAddRequestHeadersW","features":[308,478]},{"name":"HttpCheckDavComplianceA","features":[308,478]},{"name":"HttpCheckDavComplianceW","features":[308,478]},{"name":"HttpCloseDependencyHandle","features":[478]},{"name":"HttpDuplicateDependencyHandle","features":[478]},{"name":"HttpEndRequestA","features":[308,478]},{"name":"HttpEndRequestW","features":[308,478]},{"name":"HttpGetServerCredentials","features":[478]},{"name":"HttpIndicatePageLoadComplete","features":[478]},{"name":"HttpIsHostHstsEnabled","features":[308,478]},{"name":"HttpOpenDependencyHandle","features":[308,478]},{"name":"HttpOpenRequestA","features":[478]},{"name":"HttpOpenRequestW","features":[478]},{"name":"HttpPushClose","features":[478]},{"name":"HttpPushEnable","features":[478]},{"name":"HttpPushWait","features":[308,478]},{"name":"HttpPushWaitEnableComplete","features":[478]},{"name":"HttpPushWaitReceiveComplete","features":[478]},{"name":"HttpPushWaitSendComplete","features":[478]},{"name":"HttpQueryInfoA","features":[308,478]},{"name":"HttpQueryInfoW","features":[308,478]},{"name":"HttpRequestTimeMax","features":[478]},{"name":"HttpSendRequestA","features":[308,478]},{"name":"HttpSendRequestExA","features":[308,478]},{"name":"HttpSendRequestExW","features":[308,478]},{"name":"HttpSendRequestW","features":[308,478]},{"name":"HttpWebSocketClose","features":[308,478]},{"name":"HttpWebSocketCompleteUpgrade","features":[478]},{"name":"HttpWebSocketQueryCloseStatus","features":[308,478]},{"name":"HttpWebSocketReceive","features":[308,478]},{"name":"HttpWebSocketSend","features":[308,478]},{"name":"HttpWebSocketShutdown","features":[308,478]},{"name":"ICU_USERNAME","features":[478]},{"name":"IDENTITY_CACHE_ENTRY","features":[478]},{"name":"IDSI_FLAG_KEEP_ALIVE","features":[478]},{"name":"IDSI_FLAG_PROXY","features":[478]},{"name":"IDSI_FLAG_SECURE","features":[478]},{"name":"IDSI_FLAG_TUNNEL","features":[478]},{"name":"IDialBranding","features":[478]},{"name":"IDialEngine","features":[478]},{"name":"IDialEventSink","features":[478]},{"name":"IMMUTABLE_CACHE_ENTRY","features":[478]},{"name":"INSTALLED_CACHE_ENTRY","features":[478]},{"name":"INTERENT_GOONLINE_MASK","features":[478]},{"name":"INTERENT_GOONLINE_NOPROMPT","features":[478]},{"name":"INTERENT_GOONLINE_REFRESH","features":[478]},{"name":"INTERNET_ACCESS_TYPE","features":[478]},{"name":"INTERNET_ASYNC_RESULT","features":[478]},{"name":"INTERNET_AUTH_NOTIFY_DATA","features":[478]},{"name":"INTERNET_AUTH_SCHEME_BASIC","features":[478]},{"name":"INTERNET_AUTH_SCHEME_DIGEST","features":[478]},{"name":"INTERNET_AUTH_SCHEME_KERBEROS","features":[478]},{"name":"INTERNET_AUTH_SCHEME_NEGOTIATE","features":[478]},{"name":"INTERNET_AUTH_SCHEME_NTLM","features":[478]},{"name":"INTERNET_AUTH_SCHEME_PASSPORT","features":[478]},{"name":"INTERNET_AUTH_SCHEME_UNKNOWN","features":[478]},{"name":"INTERNET_AUTODIAL","features":[478]},{"name":"INTERNET_AUTODIAL_FAILIFSECURITYCHECK","features":[478]},{"name":"INTERNET_AUTODIAL_FORCE_ONLINE","features":[478]},{"name":"INTERNET_AUTODIAL_FORCE_UNATTENDED","features":[478]},{"name":"INTERNET_AUTODIAL_OVERRIDE_NET_PRESENT","features":[478]},{"name":"INTERNET_AUTOPROXY_INIT_DEFAULT","features":[478]},{"name":"INTERNET_AUTOPROXY_INIT_DOWNLOADSYNC","features":[478]},{"name":"INTERNET_AUTOPROXY_INIT_ONLYQUERY","features":[478]},{"name":"INTERNET_AUTOPROXY_INIT_QUERYSTATE","features":[478]},{"name":"INTERNET_BUFFERSA","features":[478]},{"name":"INTERNET_BUFFERSW","features":[478]},{"name":"INTERNET_CACHE_CONFIG_INFOA","features":[308,478]},{"name":"INTERNET_CACHE_CONFIG_INFOW","features":[308,478]},{"name":"INTERNET_CACHE_CONFIG_PATH_ENTRYA","features":[478]},{"name":"INTERNET_CACHE_CONFIG_PATH_ENTRYW","features":[478]},{"name":"INTERNET_CACHE_CONTAINER_AUTODELETE","features":[478]},{"name":"INTERNET_CACHE_CONTAINER_BLOOM_FILTER","features":[478]},{"name":"INTERNET_CACHE_CONTAINER_INFOA","features":[478]},{"name":"INTERNET_CACHE_CONTAINER_INFOW","features":[478]},{"name":"INTERNET_CACHE_CONTAINER_MAP_ENABLED","features":[478]},{"name":"INTERNET_CACHE_CONTAINER_NODESKTOPINIT","features":[478]},{"name":"INTERNET_CACHE_CONTAINER_NOSUBDIRS","features":[478]},{"name":"INTERNET_CACHE_CONTAINER_RESERVED1","features":[478]},{"name":"INTERNET_CACHE_CONTAINER_SHARE_READ","features":[478]},{"name":"INTERNET_CACHE_CONTAINER_SHARE_READ_WRITE","features":[478]},{"name":"INTERNET_CACHE_ENTRY_INFOA","features":[308,478]},{"name":"INTERNET_CACHE_ENTRY_INFOW","features":[308,478]},{"name":"INTERNET_CACHE_FLAG_ADD_FILENAME_ONLY","features":[478]},{"name":"INTERNET_CACHE_FLAG_ALLOW_COLLISIONS","features":[478]},{"name":"INTERNET_CACHE_FLAG_ENTRY_OR_MAPPING","features":[478]},{"name":"INTERNET_CACHE_FLAG_GET_STRUCT_ONLY","features":[478]},{"name":"INTERNET_CACHE_FLAG_INSTALLED_ENTRY","features":[478]},{"name":"INTERNET_CACHE_GROUP_ADD","features":[478]},{"name":"INTERNET_CACHE_GROUP_INFOA","features":[478]},{"name":"INTERNET_CACHE_GROUP_INFOW","features":[478]},{"name":"INTERNET_CACHE_GROUP_REMOVE","features":[478]},{"name":"INTERNET_CACHE_TIMESTAMPS","features":[308,478]},{"name":"INTERNET_CALLBACK_COOKIE","features":[308,478]},{"name":"INTERNET_CERTIFICATE_INFO","features":[308,478]},{"name":"INTERNET_CONNECTED_INFO","features":[478]},{"name":"INTERNET_CONNECTION","features":[478]},{"name":"INTERNET_CONNECTION_CONFIGURED","features":[478]},{"name":"INTERNET_CONNECTION_LAN","features":[478]},{"name":"INTERNET_CONNECTION_MODEM","features":[478]},{"name":"INTERNET_CONNECTION_MODEM_BUSY","features":[478]},{"name":"INTERNET_CONNECTION_OFFLINE","features":[478]},{"name":"INTERNET_CONNECTION_PROXY","features":[478]},{"name":"INTERNET_COOKIE","features":[308,478]},{"name":"INTERNET_COOKIE2","features":[308,478]},{"name":"INTERNET_COOKIE_ALL_COOKIES","features":[478]},{"name":"INTERNET_COOKIE_APPLY_HOST_ONLY","features":[478]},{"name":"INTERNET_COOKIE_APPLY_P3P","features":[478]},{"name":"INTERNET_COOKIE_ECTX_3RDPARTY","features":[478]},{"name":"INTERNET_COOKIE_EDGE_COOKIES","features":[478]},{"name":"INTERNET_COOKIE_EVALUATE_P3P","features":[478]},{"name":"INTERNET_COOKIE_FLAGS","features":[478]},{"name":"INTERNET_COOKIE_HOST_ONLY","features":[478]},{"name":"INTERNET_COOKIE_HOST_ONLY_APPLIED","features":[478]},{"name":"INTERNET_COOKIE_HTTPONLY","features":[478]},{"name":"INTERNET_COOKIE_IE6","features":[478]},{"name":"INTERNET_COOKIE_IS_LEGACY","features":[478]},{"name":"INTERNET_COOKIE_IS_RESTRICTED","features":[478]},{"name":"INTERNET_COOKIE_IS_SECURE","features":[478]},{"name":"INTERNET_COOKIE_IS_SESSION","features":[478]},{"name":"INTERNET_COOKIE_NON_SCRIPT","features":[478]},{"name":"INTERNET_COOKIE_NO_CALLBACK","features":[478]},{"name":"INTERNET_COOKIE_P3P_ENABLED","features":[478]},{"name":"INTERNET_COOKIE_PERSISTENT_HOST_ONLY","features":[478]},{"name":"INTERNET_COOKIE_PROMPT_REQUIRED","features":[478]},{"name":"INTERNET_COOKIE_RESTRICTED_ZONE","features":[478]},{"name":"INTERNET_COOKIE_SAME_SITE_LAX","features":[478]},{"name":"INTERNET_COOKIE_SAME_SITE_LEVEL_CROSS_SITE","features":[478]},{"name":"INTERNET_COOKIE_SAME_SITE_STRICT","features":[478]},{"name":"INTERNET_COOKIE_THIRD_PARTY","features":[478]},{"name":"INTERNET_CREDENTIALS","features":[308,478]},{"name":"INTERNET_CUSTOMDIAL_CAN_HANGUP","features":[478]},{"name":"INTERNET_CUSTOMDIAL_CONNECT","features":[478]},{"name":"INTERNET_CUSTOMDIAL_DISCONNECT","features":[478]},{"name":"INTERNET_CUSTOMDIAL_SAFE_FOR_UNATTENDED","features":[478]},{"name":"INTERNET_CUSTOMDIAL_SHOWOFFLINE","features":[478]},{"name":"INTERNET_CUSTOMDIAL_UNATTENDED","features":[478]},{"name":"INTERNET_CUSTOMDIAL_WILL_SUPPLY_STATE","features":[478]},{"name":"INTERNET_DEFAULT_FTP_PORT","features":[478]},{"name":"INTERNET_DEFAULT_GOPHER_PORT","features":[478]},{"name":"INTERNET_DEFAULT_SOCKS_PORT","features":[478]},{"name":"INTERNET_DIAGNOSTIC_SOCKET_INFO","features":[478]},{"name":"INTERNET_DIALSTATE_DISCONNECTED","features":[478]},{"name":"INTERNET_DIAL_FORCE_PROMPT","features":[478]},{"name":"INTERNET_DIAL_SHOW_OFFLINE","features":[478]},{"name":"INTERNET_DIAL_UNATTENDED","features":[478]},{"name":"INTERNET_DOWNLOAD_MODE_HANDLE","features":[308,478]},{"name":"INTERNET_END_BROWSER_SESSION_DATA","features":[478]},{"name":"INTERNET_ERROR_BASE","features":[478]},{"name":"INTERNET_ERROR_LAST","features":[478]},{"name":"INTERNET_ERROR_MASK_COMBINED_SEC_CERT","features":[478]},{"name":"INTERNET_ERROR_MASK_INSERT_CDROM","features":[478]},{"name":"INTERNET_ERROR_MASK_LOGIN_FAILURE_DISPLAY_ENTITY_BODY","features":[478]},{"name":"INTERNET_ERROR_MASK_NEED_MSN_SSPI_PKG","features":[478]},{"name":"INTERNET_FIRST_OPTION","features":[478]},{"name":"INTERNET_FLAG_ASYNC","features":[478]},{"name":"INTERNET_FLAG_BGUPDATE","features":[478]},{"name":"INTERNET_FLAG_CACHE_ASYNC","features":[478]},{"name":"INTERNET_FLAG_CACHE_IF_NET_FAIL","features":[478]},{"name":"INTERNET_FLAG_DONT_CACHE","features":[478]},{"name":"INTERNET_FLAG_EXISTING_CONNECT","features":[478]},{"name":"INTERNET_FLAG_FORMS_SUBMIT","features":[478]},{"name":"INTERNET_FLAG_FROM_CACHE","features":[478]},{"name":"INTERNET_FLAG_FTP_FOLDER_VIEW","features":[478]},{"name":"INTERNET_FLAG_FWD_BACK","features":[478]},{"name":"INTERNET_FLAG_HYPERLINK","features":[478]},{"name":"INTERNET_FLAG_IDN_DIRECT","features":[478]},{"name":"INTERNET_FLAG_IDN_PROXY","features":[478]},{"name":"INTERNET_FLAG_IGNORE_CERT_CN_INVALID","features":[478]},{"name":"INTERNET_FLAG_IGNORE_CERT_DATE_INVALID","features":[478]},{"name":"INTERNET_FLAG_IGNORE_REDIRECT_TO_HTTP","features":[478]},{"name":"INTERNET_FLAG_IGNORE_REDIRECT_TO_HTTPS","features":[478]},{"name":"INTERNET_FLAG_KEEP_CONNECTION","features":[478]},{"name":"INTERNET_FLAG_MAKE_PERSISTENT","features":[478]},{"name":"INTERNET_FLAG_MUST_CACHE_REQUEST","features":[478]},{"name":"INTERNET_FLAG_NEED_FILE","features":[478]},{"name":"INTERNET_FLAG_NO_AUTH","features":[478]},{"name":"INTERNET_FLAG_NO_AUTO_REDIRECT","features":[478]},{"name":"INTERNET_FLAG_NO_CACHE_WRITE","features":[478]},{"name":"INTERNET_FLAG_NO_COOKIES","features":[478]},{"name":"INTERNET_FLAG_NO_UI","features":[478]},{"name":"INTERNET_FLAG_OFFLINE","features":[478]},{"name":"INTERNET_FLAG_PASSIVE","features":[478]},{"name":"INTERNET_FLAG_PRAGMA_NOCACHE","features":[478]},{"name":"INTERNET_FLAG_RAW_DATA","features":[478]},{"name":"INTERNET_FLAG_READ_PREFETCH","features":[478]},{"name":"INTERNET_FLAG_RELOAD","features":[478]},{"name":"INTERNET_FLAG_RESTRICTED_ZONE","features":[478]},{"name":"INTERNET_FLAG_RESYNCHRONIZE","features":[478]},{"name":"INTERNET_FLAG_SECURE","features":[478]},{"name":"INTERNET_FLAG_TRANSFER_ASCII","features":[478]},{"name":"INTERNET_FLAG_TRANSFER_BINARY","features":[478]},{"name":"INTERNET_GLOBAL_CALLBACK_DETECTING_PROXY","features":[478]},{"name":"INTERNET_GLOBAL_CALLBACK_SENDING_HTTP_HEADERS","features":[478]},{"name":"INTERNET_HANDLE_TYPE_CONNECT_FTP","features":[478]},{"name":"INTERNET_HANDLE_TYPE_CONNECT_GOPHER","features":[478]},{"name":"INTERNET_HANDLE_TYPE_CONNECT_HTTP","features":[478]},{"name":"INTERNET_HANDLE_TYPE_FILE_REQUEST","features":[478]},{"name":"INTERNET_HANDLE_TYPE_FTP_FILE","features":[478]},{"name":"INTERNET_HANDLE_TYPE_FTP_FILE_HTML","features":[478]},{"name":"INTERNET_HANDLE_TYPE_FTP_FIND","features":[478]},{"name":"INTERNET_HANDLE_TYPE_FTP_FIND_HTML","features":[478]},{"name":"INTERNET_HANDLE_TYPE_GOPHER_FILE","features":[478]},{"name":"INTERNET_HANDLE_TYPE_GOPHER_FILE_HTML","features":[478]},{"name":"INTERNET_HANDLE_TYPE_GOPHER_FIND","features":[478]},{"name":"INTERNET_HANDLE_TYPE_GOPHER_FIND_HTML","features":[478]},{"name":"INTERNET_HANDLE_TYPE_HTTP_REQUEST","features":[478]},{"name":"INTERNET_HANDLE_TYPE_INTERNET","features":[478]},{"name":"INTERNET_IDENTITY_FLAG_CLEAR_CONTENT","features":[478]},{"name":"INTERNET_IDENTITY_FLAG_CLEAR_COOKIES","features":[478]},{"name":"INTERNET_IDENTITY_FLAG_CLEAR_DATA","features":[478]},{"name":"INTERNET_IDENTITY_FLAG_CLEAR_HISTORY","features":[478]},{"name":"INTERNET_IDENTITY_FLAG_PRIVATE_CACHE","features":[478]},{"name":"INTERNET_IDENTITY_FLAG_SHARED_CACHE","features":[478]},{"name":"INTERNET_INTERNAL_ERROR_BASE","features":[478]},{"name":"INTERNET_INVALID_PORT_NUMBER","features":[478]},{"name":"INTERNET_KEEP_ALIVE_DISABLED","features":[478]},{"name":"INTERNET_KEEP_ALIVE_ENABLED","features":[478]},{"name":"INTERNET_KEEP_ALIVE_UNKNOWN","features":[478]},{"name":"INTERNET_LAST_OPTION","features":[478]},{"name":"INTERNET_LAST_OPTION_INTERNAL","features":[478]},{"name":"INTERNET_MAX_HOST_NAME_LENGTH","features":[478]},{"name":"INTERNET_MAX_PASSWORD_LENGTH","features":[478]},{"name":"INTERNET_MAX_PORT_NUMBER_LENGTH","features":[478]},{"name":"INTERNET_MAX_PORT_NUMBER_VALUE","features":[478]},{"name":"INTERNET_MAX_USER_NAME_LENGTH","features":[478]},{"name":"INTERNET_NO_CALLBACK","features":[478]},{"name":"INTERNET_OPEN_TYPE_DIRECT","features":[478]},{"name":"INTERNET_OPEN_TYPE_PRECONFIG","features":[478]},{"name":"INTERNET_OPEN_TYPE_PRECONFIG_WITH_NO_AUTOPROXY","features":[478]},{"name":"INTERNET_OPEN_TYPE_PROXY","features":[478]},{"name":"INTERNET_OPTION_ACTIVATE_WORKER_THREADS","features":[478]},{"name":"INTERNET_OPTION_ACTIVITY_ID","features":[478]},{"name":"INTERNET_OPTION_ALLOW_FAILED_CONNECT_CONTENT","features":[478]},{"name":"INTERNET_OPTION_ALLOW_INSECURE_FALLBACK","features":[478]},{"name":"INTERNET_OPTION_ALTER_IDENTITY","features":[478]},{"name":"INTERNET_OPTION_APP_CACHE","features":[478]},{"name":"INTERNET_OPTION_ASYNC","features":[478]},{"name":"INTERNET_OPTION_ASYNC_ID","features":[478]},{"name":"INTERNET_OPTION_ASYNC_PRIORITY","features":[478]},{"name":"INTERNET_OPTION_AUTH_FLAGS","features":[478]},{"name":"INTERNET_OPTION_AUTH_SCHEME_SELECTED","features":[478]},{"name":"INTERNET_OPTION_AUTODIAL_CONNECTION","features":[478]},{"name":"INTERNET_OPTION_AUTODIAL_HWND","features":[478]},{"name":"INTERNET_OPTION_AUTODIAL_MODE","features":[478]},{"name":"INTERNET_OPTION_BACKGROUND_CONNECTIONS","features":[478]},{"name":"INTERNET_OPTION_BYPASS_EDITED_ENTRY","features":[478]},{"name":"INTERNET_OPTION_CACHE_ENTRY_EXTRA_DATA","features":[478]},{"name":"INTERNET_OPTION_CACHE_PARTITION","features":[478]},{"name":"INTERNET_OPTION_CACHE_STREAM_HANDLE","features":[478]},{"name":"INTERNET_OPTION_CACHE_TIMESTAMPS","features":[478]},{"name":"INTERNET_OPTION_CALLBACK","features":[478]},{"name":"INTERNET_OPTION_CALLBACK_FILTER","features":[478]},{"name":"INTERNET_OPTION_CALLER_MODULE","features":[478]},{"name":"INTERNET_OPTION_CANCEL_CACHE_WRITE","features":[478]},{"name":"INTERNET_OPTION_CERT_ERROR_FLAGS","features":[478]},{"name":"INTERNET_OPTION_CHUNK_ENCODE_REQUEST","features":[478]},{"name":"INTERNET_OPTION_CLIENT_CERT_CONTEXT","features":[478]},{"name":"INTERNET_OPTION_CLIENT_CERT_ISSUER_LIST","features":[478]},{"name":"INTERNET_OPTION_CM_HANDLE_COPY_REF","features":[478]},{"name":"INTERNET_OPTION_CODEPAGE","features":[478]},{"name":"INTERNET_OPTION_CODEPAGE_EXTRA","features":[478]},{"name":"INTERNET_OPTION_CODEPAGE_PATH","features":[478]},{"name":"INTERNET_OPTION_COMPRESSED_CONTENT_LENGTH","features":[478]},{"name":"INTERNET_OPTION_CONNECTED_STATE","features":[478]},{"name":"INTERNET_OPTION_CONNECTION_FILTER","features":[478]},{"name":"INTERNET_OPTION_CONNECTION_INFO","features":[478]},{"name":"INTERNET_OPTION_CONNECT_BACKOFF","features":[478]},{"name":"INTERNET_OPTION_CONNECT_LIMIT","features":[478]},{"name":"INTERNET_OPTION_CONNECT_RETRIES","features":[478]},{"name":"INTERNET_OPTION_CONNECT_TIME","features":[478]},{"name":"INTERNET_OPTION_CONNECT_TIMEOUT","features":[478]},{"name":"INTERNET_OPTION_CONTEXT_VALUE","features":[478]},{"name":"INTERNET_OPTION_CONTEXT_VALUE_OLD","features":[478]},{"name":"INTERNET_OPTION_CONTROL_RECEIVE_TIMEOUT","features":[478]},{"name":"INTERNET_OPTION_CONTROL_SEND_TIMEOUT","features":[478]},{"name":"INTERNET_OPTION_COOKIES_3RD_PARTY","features":[478]},{"name":"INTERNET_OPTION_COOKIES_APPLY_HOST_ONLY","features":[478]},{"name":"INTERNET_OPTION_COOKIES_SAME_SITE_LEVEL","features":[478]},{"name":"INTERNET_OPTION_DATAFILE_EXT","features":[478]},{"name":"INTERNET_OPTION_DATAFILE_NAME","features":[478]},{"name":"INTERNET_OPTION_DATA_RECEIVE_TIMEOUT","features":[478]},{"name":"INTERNET_OPTION_DATA_SEND_TIMEOUT","features":[478]},{"name":"INTERNET_OPTION_DEPENDENCY_HANDLE","features":[478]},{"name":"INTERNET_OPTION_DETECT_POST_SEND","features":[478]},{"name":"INTERNET_OPTION_DIAGNOSTIC_SOCKET_INFO","features":[478]},{"name":"INTERNET_OPTION_DIGEST_AUTH_UNLOAD","features":[478]},{"name":"INTERNET_OPTION_DISABLE_AUTODIAL","features":[478]},{"name":"INTERNET_OPTION_DISABLE_INSECURE_FALLBACK","features":[478]},{"name":"INTERNET_OPTION_DISABLE_NTLM_PREAUTH","features":[478]},{"name":"INTERNET_OPTION_DISABLE_PASSPORT_AUTH","features":[478]},{"name":"INTERNET_OPTION_DISABLE_PROXY_LINK_LOCAL_NAME_RESOLUTION","features":[478]},{"name":"INTERNET_OPTION_DISALLOW_PREMATURE_EOF","features":[478]},{"name":"INTERNET_OPTION_DISCONNECTED_TIMEOUT","features":[478]},{"name":"INTERNET_OPTION_DOWNLOAD_MODE","features":[478]},{"name":"INTERNET_OPTION_DOWNLOAD_MODE_HANDLE","features":[478]},{"name":"INTERNET_OPTION_DO_NOT_TRACK","features":[478]},{"name":"INTERNET_OPTION_DUO_USED","features":[478]},{"name":"INTERNET_OPTION_EDGE_COOKIES","features":[478]},{"name":"INTERNET_OPTION_EDGE_COOKIES_TEMP","features":[478]},{"name":"INTERNET_OPTION_EDGE_MODE","features":[478]},{"name":"INTERNET_OPTION_ENABLE_DUO","features":[478]},{"name":"INTERNET_OPTION_ENABLE_HEADER_CALLBACKS","features":[478]},{"name":"INTERNET_OPTION_ENABLE_HTTP_PROTOCOL","features":[478]},{"name":"INTERNET_OPTION_ENABLE_PASSPORT_AUTH","features":[478]},{"name":"INTERNET_OPTION_ENABLE_REDIRECT_CACHE_READ","features":[478]},{"name":"INTERNET_OPTION_ENABLE_TEST_SIGNING","features":[478]},{"name":"INTERNET_OPTION_ENABLE_WBOEXT","features":[478]},{"name":"INTERNET_OPTION_ENABLE_ZLIB_DEFLATE","features":[478]},{"name":"INTERNET_OPTION_ENCODE_EXTRA","features":[478]},{"name":"INTERNET_OPTION_ENCODE_FALLBACK_FOR_REDIRECT_URI","features":[478]},{"name":"INTERNET_OPTION_END_BROWSER_SESSION","features":[478]},{"name":"INTERNET_OPTION_ENTERPRISE_CONTEXT","features":[478]},{"name":"INTERNET_OPTION_ERROR_MASK","features":[478]},{"name":"INTERNET_OPTION_EXEMPT_CONNECTION_LIMIT","features":[478]},{"name":"INTERNET_OPTION_EXTENDED_CALLBACKS","features":[478]},{"name":"INTERNET_OPTION_EXTENDED_ERROR","features":[478]},{"name":"INTERNET_OPTION_FAIL_ON_CACHE_WRITE_ERROR","features":[478]},{"name":"INTERNET_OPTION_FALSE_START","features":[478]},{"name":"INTERNET_OPTION_FLUSH_STATE","features":[478]},{"name":"INTERNET_OPTION_FORCE_DECODE","features":[478]},{"name":"INTERNET_OPTION_FROM_CACHE_TIMEOUT","features":[478]},{"name":"INTERNET_OPTION_GLOBAL_CALLBACK","features":[478]},{"name":"INTERNET_OPTION_HANDLE_TYPE","features":[478]},{"name":"INTERNET_OPTION_HIBERNATE_INACTIVE_WORKER_THREADS","features":[478]},{"name":"INTERNET_OPTION_HSTS","features":[478]},{"name":"INTERNET_OPTION_HTTP_09","features":[478]},{"name":"INTERNET_OPTION_HTTP_DECODING","features":[478]},{"name":"INTERNET_OPTION_HTTP_PROTOCOL_USED","features":[478]},{"name":"INTERNET_OPTION_HTTP_VERSION","features":[478]},{"name":"INTERNET_OPTION_IDENTITY","features":[478]},{"name":"INTERNET_OPTION_IDLE_STATE","features":[478]},{"name":"INTERNET_OPTION_IDN","features":[478]},{"name":"INTERNET_OPTION_IGNORE_CERT_ERROR_FLAGS","features":[478]},{"name":"INTERNET_OPTION_IGNORE_OFFLINE","features":[478]},{"name":"INTERNET_OPTION_KEEP_CONNECTION","features":[478]},{"name":"INTERNET_OPTION_LINE_STATE","features":[478]},{"name":"INTERNET_OPTION_LISTEN_TIMEOUT","features":[478]},{"name":"INTERNET_OPTION_MAX_CONNS_PER_1_0_SERVER","features":[478]},{"name":"INTERNET_OPTION_MAX_CONNS_PER_PROXY","features":[478]},{"name":"INTERNET_OPTION_MAX_CONNS_PER_SERVER","features":[478]},{"name":"INTERNET_OPTION_MAX_QUERY_BUFFER_SIZE","features":[478]},{"name":"INTERNET_OPTION_NET_SPEED","features":[478]},{"name":"INTERNET_OPTION_NOCACHE_WRITE_IN_PRIVATE","features":[478]},{"name":"INTERNET_OPTION_NOTIFY_SENDING_COOKIE","features":[478]},{"name":"INTERNET_OPTION_NO_HTTP_SERVER_AUTH","features":[478]},{"name":"INTERNET_OPTION_OFFLINE_MODE","features":[478]},{"name":"INTERNET_OPTION_OFFLINE_SEMANTICS","features":[478]},{"name":"INTERNET_OPTION_OFFLINE_TIMEOUT","features":[478]},{"name":"INTERNET_OPTION_OPT_IN_WEAK_SIGNATURE","features":[478]},{"name":"INTERNET_OPTION_ORIGINAL_CONNECT_FLAGS","features":[478]},{"name":"INTERNET_OPTION_PARENT_HANDLE","features":[478]},{"name":"INTERNET_OPTION_PARSE_LINE_FOLDING","features":[478]},{"name":"INTERNET_OPTION_PASSWORD","features":[478]},{"name":"INTERNET_OPTION_PER_CONNECTION_OPTION","features":[478]},{"name":"INTERNET_OPTION_POLICY","features":[478]},{"name":"INTERNET_OPTION_PRESERVE_REFERER_ON_HTTPS_TO_HTTP_REDIRECT","features":[478]},{"name":"INTERNET_OPTION_PRESERVE_REQUEST_SERVER_CREDENTIALS_ON_REDIRECT","features":[478]},{"name":"INTERNET_OPTION_PROXY","features":[478]},{"name":"INTERNET_OPTION_PROXY_AUTH_SCHEME","features":[478]},{"name":"INTERNET_OPTION_PROXY_CREDENTIALS","features":[478]},{"name":"INTERNET_OPTION_PROXY_FROM_REQUEST","features":[478]},{"name":"INTERNET_OPTION_PROXY_PASSWORD","features":[478]},{"name":"INTERNET_OPTION_PROXY_SETTINGS_CHANGED","features":[478]},{"name":"INTERNET_OPTION_PROXY_USERNAME","features":[478]},{"name":"INTERNET_OPTION_READ_BUFFER_SIZE","features":[478]},{"name":"INTERNET_OPTION_RECEIVE_THROUGHPUT","features":[478]},{"name":"INTERNET_OPTION_RECEIVE_TIMEOUT","features":[478]},{"name":"INTERNET_OPTION_REFERER_TOKEN_BINDING_HOSTNAME","features":[478]},{"name":"INTERNET_OPTION_REFRESH","features":[478]},{"name":"INTERNET_OPTION_REMOVE_IDENTITY","features":[478]},{"name":"INTERNET_OPTION_REQUEST_ANNOTATION","features":[478]},{"name":"INTERNET_OPTION_REQUEST_ANNOTATION_MAX_LENGTH","features":[478]},{"name":"INTERNET_OPTION_REQUEST_FLAGS","features":[478]},{"name":"INTERNET_OPTION_REQUEST_PRIORITY","features":[478]},{"name":"INTERNET_OPTION_REQUEST_TIMES","features":[478]},{"name":"INTERNET_OPTION_RESET","features":[478]},{"name":"INTERNET_OPTION_RESET_URLCACHE_SESSION","features":[478]},{"name":"INTERNET_OPTION_RESPONSE_RESUMABLE","features":[478]},{"name":"INTERNET_OPTION_RESTORE_WORKER_THREAD_DEFAULTS","features":[478]},{"name":"INTERNET_OPTION_SECONDARY_CACHE_KEY","features":[478]},{"name":"INTERNET_OPTION_SECURE_FAILURE","features":[478]},{"name":"INTERNET_OPTION_SECURITY_CERTIFICATE","features":[478]},{"name":"INTERNET_OPTION_SECURITY_CERTIFICATE_STRUCT","features":[478]},{"name":"INTERNET_OPTION_SECURITY_CONNECTION_INFO","features":[478]},{"name":"INTERNET_OPTION_SECURITY_FLAGS","features":[478]},{"name":"INTERNET_OPTION_SECURITY_KEY_BITNESS","features":[478]},{"name":"INTERNET_OPTION_SECURITY_SELECT_CLIENT_CERT","features":[478]},{"name":"INTERNET_OPTION_SEND_THROUGHPUT","features":[478]},{"name":"INTERNET_OPTION_SEND_TIMEOUT","features":[478]},{"name":"INTERNET_OPTION_SEND_UTF8_SERVERNAME_TO_PROXY","features":[478]},{"name":"INTERNET_OPTION_SERVER_ADDRESS_INFO","features":[478]},{"name":"INTERNET_OPTION_SERVER_AUTH_SCHEME","features":[478]},{"name":"INTERNET_OPTION_SERVER_CERT_CHAIN_CONTEXT","features":[478]},{"name":"INTERNET_OPTION_SERVER_CREDENTIALS","features":[478]},{"name":"INTERNET_OPTION_SESSION_START_TIME","features":[478]},{"name":"INTERNET_OPTION_SETTINGS_CHANGED","features":[478]},{"name":"INTERNET_OPTION_SET_IN_PRIVATE","features":[478]},{"name":"INTERNET_OPTION_SOCKET_NODELAY","features":[478]},{"name":"INTERNET_OPTION_SOCKET_NOTIFICATION_IOCTL","features":[478]},{"name":"INTERNET_OPTION_SOCKET_SEND_BUFFER_LENGTH","features":[478]},{"name":"INTERNET_OPTION_SOURCE_PORT","features":[478]},{"name":"INTERNET_OPTION_SUPPRESS_BEHAVIOR","features":[478]},{"name":"INTERNET_OPTION_SUPPRESS_SERVER_AUTH","features":[478]},{"name":"INTERNET_OPTION_SYNC_MODE_AUTOMATIC_SESSION_DISABLED","features":[478]},{"name":"INTERNET_OPTION_TCP_FAST_OPEN","features":[478]},{"name":"INTERNET_OPTION_TIMED_CONNECTION_LIMIT_BYPASS","features":[478]},{"name":"INTERNET_OPTION_TOKEN_BINDING_PUBLIC_KEY","features":[478]},{"name":"INTERNET_OPTION_TUNNEL_ONLY","features":[478]},{"name":"INTERNET_OPTION_UNLOAD_NOTIFY_EVENT","features":[478]},{"name":"INTERNET_OPTION_UPGRADE_TO_WEB_SOCKET","features":[478]},{"name":"INTERNET_OPTION_URL","features":[478]},{"name":"INTERNET_OPTION_USERNAME","features":[478]},{"name":"INTERNET_OPTION_USER_AGENT","features":[478]},{"name":"INTERNET_OPTION_USER_PASS_SERVER_ONLY","features":[478]},{"name":"INTERNET_OPTION_USE_FIRST_AVAILABLE_CONNECTION","features":[478]},{"name":"INTERNET_OPTION_USE_MODIFIED_HEADER_FILTER","features":[478]},{"name":"INTERNET_OPTION_VERSION","features":[478]},{"name":"INTERNET_OPTION_WEB_SOCKET_CLOSE_TIMEOUT","features":[478]},{"name":"INTERNET_OPTION_WEB_SOCKET_KEEPALIVE_INTERVAL","features":[478]},{"name":"INTERNET_OPTION_WPAD_SLEEP","features":[478]},{"name":"INTERNET_OPTION_WRITE_BUFFER_SIZE","features":[478]},{"name":"INTERNET_OPTION_WWA_MODE","features":[478]},{"name":"INTERNET_PER_CONN","features":[478]},{"name":"INTERNET_PER_CONN_AUTOCONFIG_LAST_DETECT_TIME","features":[478]},{"name":"INTERNET_PER_CONN_AUTOCONFIG_LAST_DETECT_URL","features":[478]},{"name":"INTERNET_PER_CONN_AUTOCONFIG_RELOAD_DELAY_MINS","features":[478]},{"name":"INTERNET_PER_CONN_AUTOCONFIG_SECONDARY_URL","features":[478]},{"name":"INTERNET_PER_CONN_AUTOCONFIG_URL","features":[478]},{"name":"INTERNET_PER_CONN_AUTODISCOVERY_FLAGS","features":[478]},{"name":"INTERNET_PER_CONN_FLAGS","features":[478]},{"name":"INTERNET_PER_CONN_FLAGS_UI","features":[478]},{"name":"INTERNET_PER_CONN_OPTIONA","features":[308,478]},{"name":"INTERNET_PER_CONN_OPTIONW","features":[308,478]},{"name":"INTERNET_PER_CONN_OPTION_LISTA","features":[308,478]},{"name":"INTERNET_PER_CONN_OPTION_LISTW","features":[308,478]},{"name":"INTERNET_PER_CONN_PROXY_BYPASS","features":[478]},{"name":"INTERNET_PER_CONN_PROXY_SERVER","features":[478]},{"name":"INTERNET_PREFETCH_ABORTED","features":[478]},{"name":"INTERNET_PREFETCH_COMPLETE","features":[478]},{"name":"INTERNET_PREFETCH_PROGRESS","features":[478]},{"name":"INTERNET_PREFETCH_STATUS","features":[478]},{"name":"INTERNET_PRIORITY_FOREGROUND","features":[478]},{"name":"INTERNET_PROXY_INFO","features":[478]},{"name":"INTERNET_RAS_INSTALLED","features":[478]},{"name":"INTERNET_REQFLAG_ASYNC","features":[478]},{"name":"INTERNET_REQFLAG_CACHE_WRITE_DISABLED","features":[478]},{"name":"INTERNET_REQFLAG_FROM_APP_CACHE","features":[478]},{"name":"INTERNET_REQFLAG_FROM_CACHE","features":[478]},{"name":"INTERNET_REQFLAG_NET_TIMEOUT","features":[478]},{"name":"INTERNET_REQFLAG_NO_HEADERS","features":[478]},{"name":"INTERNET_REQFLAG_PASSIVE","features":[478]},{"name":"INTERNET_REQFLAG_VIA_PROXY","features":[478]},{"name":"INTERNET_RFC1123_BUFSIZE","features":[478]},{"name":"INTERNET_RFC1123_FORMAT","features":[478]},{"name":"INTERNET_SCHEME","features":[478]},{"name":"INTERNET_SCHEME_DEFAULT","features":[478]},{"name":"INTERNET_SCHEME_FILE","features":[478]},{"name":"INTERNET_SCHEME_FIRST","features":[478]},{"name":"INTERNET_SCHEME_FTP","features":[478]},{"name":"INTERNET_SCHEME_GOPHER","features":[478]},{"name":"INTERNET_SCHEME_HTTP","features":[478]},{"name":"INTERNET_SCHEME_HTTPS","features":[478]},{"name":"INTERNET_SCHEME_JAVASCRIPT","features":[478]},{"name":"INTERNET_SCHEME_LAST","features":[478]},{"name":"INTERNET_SCHEME_MAILTO","features":[478]},{"name":"INTERNET_SCHEME_NEWS","features":[478]},{"name":"INTERNET_SCHEME_PARTIAL","features":[478]},{"name":"INTERNET_SCHEME_RES","features":[478]},{"name":"INTERNET_SCHEME_SOCKS","features":[478]},{"name":"INTERNET_SCHEME_UNKNOWN","features":[478]},{"name":"INTERNET_SCHEME_VBSCRIPT","features":[478]},{"name":"INTERNET_SECURITY_CONNECTION_INFO","features":[308,478,329,392]},{"name":"INTERNET_SECURITY_INFO","features":[308,478,329,392]},{"name":"INTERNET_SERVER_CONNECTION_STATE","features":[308,478]},{"name":"INTERNET_SERVICE_FTP","features":[478]},{"name":"INTERNET_SERVICE_GOPHER","features":[478]},{"name":"INTERNET_SERVICE_HTTP","features":[478]},{"name":"INTERNET_SERVICE_URL","features":[478]},{"name":"INTERNET_STATE","features":[478]},{"name":"INTERNET_STATE_BUSY","features":[478]},{"name":"INTERNET_STATE_CONNECTED","features":[478]},{"name":"INTERNET_STATE_DISCONNECTED","features":[478]},{"name":"INTERNET_STATE_DISCONNECTED_BY_USER","features":[478]},{"name":"INTERNET_STATE_IDLE","features":[478]},{"name":"INTERNET_STATUS_CLOSING_CONNECTION","features":[478]},{"name":"INTERNET_STATUS_CONNECTED_TO_SERVER","features":[478]},{"name":"INTERNET_STATUS_CONNECTING_TO_SERVER","features":[478]},{"name":"INTERNET_STATUS_CONNECTION_CLOSED","features":[478]},{"name":"INTERNET_STATUS_COOKIE","features":[478]},{"name":"INTERNET_STATUS_COOKIE_HISTORY","features":[478]},{"name":"INTERNET_STATUS_COOKIE_RECEIVED","features":[478]},{"name":"INTERNET_STATUS_COOKIE_SENT","features":[478]},{"name":"INTERNET_STATUS_CTL_RESPONSE_RECEIVED","features":[478]},{"name":"INTERNET_STATUS_DETECTING_PROXY","features":[478]},{"name":"INTERNET_STATUS_END_BROWSER_SESSION","features":[478]},{"name":"INTERNET_STATUS_FILTER_CLOSED","features":[478]},{"name":"INTERNET_STATUS_FILTER_CLOSING","features":[478]},{"name":"INTERNET_STATUS_FILTER_CONNECTED","features":[478]},{"name":"INTERNET_STATUS_FILTER_CONNECTING","features":[478]},{"name":"INTERNET_STATUS_FILTER_HANDLE_CLOSING","features":[478]},{"name":"INTERNET_STATUS_FILTER_HANDLE_CREATED","features":[478]},{"name":"INTERNET_STATUS_FILTER_PREFETCH","features":[478]},{"name":"INTERNET_STATUS_FILTER_RECEIVED","features":[478]},{"name":"INTERNET_STATUS_FILTER_RECEIVING","features":[478]},{"name":"INTERNET_STATUS_FILTER_REDIRECT","features":[478]},{"name":"INTERNET_STATUS_FILTER_RESOLVED","features":[478]},{"name":"INTERNET_STATUS_FILTER_RESOLVING","features":[478]},{"name":"INTERNET_STATUS_FILTER_SENDING","features":[478]},{"name":"INTERNET_STATUS_FILTER_SENT","features":[478]},{"name":"INTERNET_STATUS_FILTER_STATE_CHANGE","features":[478]},{"name":"INTERNET_STATUS_HANDLE_CLOSING","features":[478]},{"name":"INTERNET_STATUS_HANDLE_CREATED","features":[478]},{"name":"INTERNET_STATUS_INTERMEDIATE_RESPONSE","features":[478]},{"name":"INTERNET_STATUS_NAME_RESOLVED","features":[478]},{"name":"INTERNET_STATUS_P3P_HEADER","features":[478]},{"name":"INTERNET_STATUS_P3P_POLICYREF","features":[478]},{"name":"INTERNET_STATUS_PREFETCH","features":[478]},{"name":"INTERNET_STATUS_PRIVACY_IMPACTED","features":[478]},{"name":"INTERNET_STATUS_PROXY_CREDENTIALS","features":[478]},{"name":"INTERNET_STATUS_RECEIVING_RESPONSE","features":[478]},{"name":"INTERNET_STATUS_REDIRECT","features":[478]},{"name":"INTERNET_STATUS_REQUEST_COMPLETE","features":[478]},{"name":"INTERNET_STATUS_REQUEST_HEADERS_SET","features":[478]},{"name":"INTERNET_STATUS_REQUEST_SENT","features":[478]},{"name":"INTERNET_STATUS_RESOLVING_NAME","features":[478]},{"name":"INTERNET_STATUS_RESPONSE_HEADERS_SET","features":[478]},{"name":"INTERNET_STATUS_RESPONSE_RECEIVED","features":[478]},{"name":"INTERNET_STATUS_SENDING_COOKIE","features":[478]},{"name":"INTERNET_STATUS_SENDING_REQUEST","features":[478]},{"name":"INTERNET_STATUS_SERVER_CONNECTION_STATE","features":[478]},{"name":"INTERNET_STATUS_SERVER_CREDENTIALS","features":[478]},{"name":"INTERNET_STATUS_STATE_CHANGE","features":[478]},{"name":"INTERNET_STATUS_USER_INPUT_REQUIRED","features":[478]},{"name":"INTERNET_SUPPRESS_COOKIE_PERSIST","features":[478]},{"name":"INTERNET_SUPPRESS_COOKIE_PERSIST_RESET","features":[478]},{"name":"INTERNET_SUPPRESS_COOKIE_POLICY","features":[478]},{"name":"INTERNET_SUPPRESS_COOKIE_POLICY_RESET","features":[478]},{"name":"INTERNET_SUPPRESS_RESET_ALL","features":[478]},{"name":"INTERNET_VERSION_INFO","features":[478]},{"name":"IProofOfPossessionCookieInfoManager","features":[478]},{"name":"IProofOfPossessionCookieInfoManager2","features":[478]},{"name":"IRF_ASYNC","features":[478]},{"name":"IRF_NO_WAIT","features":[478]},{"name":"IRF_SYNC","features":[478]},{"name":"IRF_USE_CONTEXT","features":[478]},{"name":"ISO_FORCE_DISCONNECTED","features":[478]},{"name":"ISO_FORCE_OFFLINE","features":[478]},{"name":"ISO_GLOBAL","features":[478]},{"name":"ISO_REGISTRY","features":[478]},{"name":"ImportCookieFileA","features":[308,478]},{"name":"ImportCookieFileW","features":[308,478]},{"name":"IncomingCookieState","features":[478]},{"name":"IncrementUrlCacheHeaderData","features":[308,478]},{"name":"InternalInternetGetCookie","features":[478]},{"name":"InternetAlgIdToStringA","features":[308,478,392]},{"name":"InternetAlgIdToStringW","features":[308,478,392]},{"name":"InternetAttemptConnect","features":[478]},{"name":"InternetAutodial","features":[308,478]},{"name":"InternetAutodialHangup","features":[308,478]},{"name":"InternetCanonicalizeUrlA","features":[308,478]},{"name":"InternetCanonicalizeUrlW","features":[308,478]},{"name":"InternetCheckConnectionA","features":[308,478]},{"name":"InternetCheckConnectionW","features":[308,478]},{"name":"InternetClearAllPerSiteCookieDecisions","features":[308,478]},{"name":"InternetCloseHandle","features":[308,478]},{"name":"InternetCombineUrlA","features":[308,478]},{"name":"InternetCombineUrlW","features":[308,478]},{"name":"InternetConfirmZoneCrossing","features":[308,478]},{"name":"InternetConfirmZoneCrossingA","features":[308,478]},{"name":"InternetConfirmZoneCrossingW","features":[308,478]},{"name":"InternetConnectA","features":[478]},{"name":"InternetConnectW","features":[478]},{"name":"InternetConvertUrlFromWireToWideChar","features":[308,478]},{"name":"InternetCookieHistory","features":[308,478]},{"name":"InternetCookieState","features":[478]},{"name":"InternetCrackUrlA","features":[308,477,478]},{"name":"InternetCrackUrlW","features":[308,477,478]},{"name":"InternetCreateUrlA","features":[308,478]},{"name":"InternetCreateUrlW","features":[308,478]},{"name":"InternetDial","features":[308,478]},{"name":"InternetDialA","features":[308,478]},{"name":"InternetDialW","features":[308,478]},{"name":"InternetEnumPerSiteCookieDecisionA","features":[308,478]},{"name":"InternetEnumPerSiteCookieDecisionW","features":[308,478]},{"name":"InternetErrorDlg","features":[308,478]},{"name":"InternetFindNextFileA","features":[308,478]},{"name":"InternetFindNextFileW","features":[308,478]},{"name":"InternetFortezzaCommand","features":[308,478]},{"name":"InternetFreeCookies","features":[308,478]},{"name":"InternetFreeProxyInfoList","features":[308,478]},{"name":"InternetGetConnectedState","features":[308,478]},{"name":"InternetGetConnectedStateEx","features":[308,478]},{"name":"InternetGetConnectedStateExA","features":[308,478]},{"name":"InternetGetConnectedStateExW","features":[308,478]},{"name":"InternetGetCookieA","features":[308,478]},{"name":"InternetGetCookieEx2","features":[308,478]},{"name":"InternetGetCookieExA","features":[308,478]},{"name":"InternetGetCookieExW","features":[308,478]},{"name":"InternetGetCookieW","features":[308,478]},{"name":"InternetGetLastResponseInfoA","features":[308,478]},{"name":"InternetGetLastResponseInfoW","features":[308,478]},{"name":"InternetGetPerSiteCookieDecisionA","features":[308,478]},{"name":"InternetGetPerSiteCookieDecisionW","features":[308,478]},{"name":"InternetGetProxyForUrl","features":[308,478]},{"name":"InternetGetSecurityInfoByURL","features":[308,478,392]},{"name":"InternetGetSecurityInfoByURLA","features":[308,478,392]},{"name":"InternetGetSecurityInfoByURLW","features":[308,478,392]},{"name":"InternetGoOnline","features":[308,478]},{"name":"InternetGoOnlineA","features":[308,478]},{"name":"InternetGoOnlineW","features":[308,478]},{"name":"InternetHangUp","features":[478]},{"name":"InternetInitializeAutoProxyDll","features":[308,478]},{"name":"InternetLockRequestFile","features":[308,478]},{"name":"InternetOpenA","features":[478]},{"name":"InternetOpenUrlA","features":[478]},{"name":"InternetOpenUrlW","features":[478]},{"name":"InternetOpenW","features":[478]},{"name":"InternetQueryDataAvailable","features":[308,478]},{"name":"InternetQueryFortezzaStatus","features":[308,478]},{"name":"InternetQueryOptionA","features":[308,478]},{"name":"InternetQueryOptionW","features":[308,478]},{"name":"InternetReadFile","features":[308,478]},{"name":"InternetReadFileExA","features":[308,478]},{"name":"InternetReadFileExW","features":[308,478]},{"name":"InternetSecurityProtocolToStringA","features":[308,478]},{"name":"InternetSecurityProtocolToStringW","features":[308,478]},{"name":"InternetSetCookieA","features":[308,478]},{"name":"InternetSetCookieEx2","features":[308,478]},{"name":"InternetSetCookieExA","features":[478]},{"name":"InternetSetCookieExW","features":[478]},{"name":"InternetSetCookieW","features":[308,478]},{"name":"InternetSetDialState","features":[308,478]},{"name":"InternetSetDialStateA","features":[308,478]},{"name":"InternetSetDialStateW","features":[308,478]},{"name":"InternetSetFilePointer","features":[478]},{"name":"InternetSetOptionA","features":[308,478]},{"name":"InternetSetOptionExA","features":[308,478]},{"name":"InternetSetOptionExW","features":[308,478]},{"name":"InternetSetOptionW","features":[308,478]},{"name":"InternetSetPerSiteCookieDecisionA","features":[308,478]},{"name":"InternetSetPerSiteCookieDecisionW","features":[308,478]},{"name":"InternetSetStatusCallback","features":[478]},{"name":"InternetSetStatusCallbackA","features":[478]},{"name":"InternetSetStatusCallbackW","features":[478]},{"name":"InternetShowSecurityInfoByURL","features":[308,478]},{"name":"InternetShowSecurityInfoByURLA","features":[308,478]},{"name":"InternetShowSecurityInfoByURLW","features":[308,478]},{"name":"InternetTimeFromSystemTime","features":[308,478]},{"name":"InternetTimeFromSystemTimeA","features":[308,478]},{"name":"InternetTimeFromSystemTimeW","features":[308,478]},{"name":"InternetTimeToSystemTime","features":[308,478]},{"name":"InternetTimeToSystemTimeA","features":[308,478]},{"name":"InternetTimeToSystemTimeW","features":[308,478]},{"name":"InternetUnlockRequestFile","features":[308,478]},{"name":"InternetWriteFile","features":[308,478]},{"name":"InternetWriteFileExA","features":[308,478]},{"name":"InternetWriteFileExW","features":[308,478]},{"name":"IsDomainLegalCookieDomainA","features":[308,478]},{"name":"IsDomainLegalCookieDomainW","features":[308,478]},{"name":"IsHostInProxyBypassList","features":[308,478]},{"name":"IsProfilesEnabled","features":[308,478]},{"name":"IsUrlCacheEntryExpiredA","features":[308,478]},{"name":"IsUrlCacheEntryExpiredW","features":[308,478]},{"name":"LOCAL_NAMESPACE_PREFIX","features":[478]},{"name":"LOCAL_NAMESPACE_PREFIX_W","features":[478]},{"name":"LPINTERNET_STATUS_CALLBACK","features":[478]},{"name":"LoadUrlCacheContent","features":[308,478]},{"name":"MAX_CACHE_ENTRY_INFO_SIZE","features":[478]},{"name":"MAX_GOPHER_ATTRIBUTE_NAME","features":[478]},{"name":"MAX_GOPHER_CATEGORY_NAME","features":[478]},{"name":"MAX_GOPHER_DISPLAY_TEXT","features":[478]},{"name":"MAX_GOPHER_HOST_NAME","features":[478]},{"name":"MAX_GOPHER_SELECTOR_TEXT","features":[478]},{"name":"MIN_GOPHER_ATTRIBUTE_LENGTH","features":[478]},{"name":"MUST_REVALIDATE_CACHE_ENTRY","features":[478]},{"name":"MaxPrivacySettings","features":[478]},{"name":"NORMAL_CACHE_ENTRY","features":[478]},{"name":"NameResolutionEnd","features":[478]},{"name":"NameResolutionStart","features":[478]},{"name":"OTHER_USER_CACHE_ENTRY","features":[478]},{"name":"OutgoingCookieState","features":[478]},{"name":"PENDING_DELETE_CACHE_ENTRY","features":[478]},{"name":"PFN_AUTH_NOTIFY","features":[478]},{"name":"PFN_DIAL_HANDLER","features":[308,478]},{"name":"POLICY_EXTENSION_TYPE_NONE","features":[478]},{"name":"POLICY_EXTENSION_TYPE_WINHTTP","features":[478]},{"name":"POLICY_EXTENSION_TYPE_WININET","features":[478]},{"name":"POLICY_EXTENSION_VERSION1","features":[478]},{"name":"POST_CHECK_CACHE_ENTRY","features":[478]},{"name":"POST_RESPONSE_CACHE_ENTRY","features":[478]},{"name":"PRIVACY_IMPACTED_CACHE_ENTRY","features":[478]},{"name":"PRIVACY_MODE_CACHE_ENTRY","features":[478]},{"name":"PRIVACY_TEMPLATE_ADVANCED","features":[478]},{"name":"PRIVACY_TEMPLATE_CUSTOM","features":[478]},{"name":"PRIVACY_TEMPLATE_HIGH","features":[478]},{"name":"PRIVACY_TEMPLATE_LOW","features":[478]},{"name":"PRIVACY_TEMPLATE_MAX","features":[478]},{"name":"PRIVACY_TEMPLATE_MEDIUM","features":[478]},{"name":"PRIVACY_TEMPLATE_MEDIUM_HIGH","features":[478]},{"name":"PRIVACY_TEMPLATE_MEDIUM_LOW","features":[478]},{"name":"PRIVACY_TEMPLATE_NO_COOKIES","features":[478]},{"name":"PRIVACY_TYPE_FIRST_PARTY","features":[478]},{"name":"PRIVACY_TYPE_THIRD_PARTY","features":[478]},{"name":"PROXY_AUTO_DETECT_TYPE","features":[478]},{"name":"PROXY_AUTO_DETECT_TYPE_DHCP","features":[478]},{"name":"PROXY_AUTO_DETECT_TYPE_DNS_A","features":[478]},{"name":"PROXY_TYPE_AUTO_DETECT","features":[478]},{"name":"PROXY_TYPE_AUTO_PROXY_URL","features":[478]},{"name":"PROXY_TYPE_DIRECT","features":[478]},{"name":"PROXY_TYPE_PROXY","features":[478]},{"name":"ParseX509EncodedCertificateForListBoxEntry","features":[478]},{"name":"PerformOperationOverUrlCacheA","features":[308,478]},{"name":"PrivacyGetZonePreferenceW","features":[478]},{"name":"PrivacySetZonePreferenceW","features":[478]},{"name":"ProofOfPossessionCookieInfo","features":[478]},{"name":"ProofOfPossessionCookieInfoManager","features":[478]},{"name":"REDIRECT_CACHE_ENTRY","features":[478]},{"name":"REGSTR_DIAL_AUTOCONNECT","features":[478]},{"name":"REGSTR_LEASH_LEGACY_COOKIES","features":[478]},{"name":"REQUEST_TIMES","features":[478]},{"name":"ReadGuidsForConnectedNetworks","features":[308,478]},{"name":"ReadUrlCacheEntryStream","features":[308,478]},{"name":"ReadUrlCacheEntryStreamEx","features":[308,478]},{"name":"RegisterUrlCacheNotification","features":[308,478]},{"name":"ResumeSuspendedDownload","features":[308,478]},{"name":"RetrieveUrlCacheEntryFileA","features":[308,478]},{"name":"RetrieveUrlCacheEntryFileW","features":[308,478]},{"name":"RetrieveUrlCacheEntryStreamA","features":[308,478]},{"name":"RetrieveUrlCacheEntryStreamW","features":[308,478]},{"name":"RunOnceUrlCache","features":[308,478]},{"name":"SECURITY_FLAG_128BIT","features":[478]},{"name":"SECURITY_FLAG_40BIT","features":[478]},{"name":"SECURITY_FLAG_56BIT","features":[478]},{"name":"SECURITY_FLAG_FORTEZZA","features":[478]},{"name":"SECURITY_FLAG_IETFSSL4","features":[478]},{"name":"SECURITY_FLAG_IGNORE_REDIRECT_TO_HTTP","features":[478]},{"name":"SECURITY_FLAG_IGNORE_REDIRECT_TO_HTTPS","features":[478]},{"name":"SECURITY_FLAG_IGNORE_REVOCATION","features":[478]},{"name":"SECURITY_FLAG_IGNORE_WEAK_SIGNATURE","features":[478]},{"name":"SECURITY_FLAG_IGNORE_WRONG_USAGE","features":[478]},{"name":"SECURITY_FLAG_NORMALBITNESS","features":[478]},{"name":"SECURITY_FLAG_OPT_IN_WEAK_SIGNATURE","features":[478]},{"name":"SECURITY_FLAG_PCT","features":[478]},{"name":"SECURITY_FLAG_PCT4","features":[478]},{"name":"SECURITY_FLAG_SSL","features":[478]},{"name":"SECURITY_FLAG_SSL3","features":[478]},{"name":"SECURITY_FLAG_UNKNOWNBIT","features":[478]},{"name":"SHORTPATH_CACHE_ENTRY","features":[478]},{"name":"SPARSE_CACHE_ENTRY","features":[478]},{"name":"STATIC_CACHE_ENTRY","features":[478]},{"name":"STICKY_CACHE_ENTRY","features":[478]},{"name":"SetUrlCacheConfigInfoA","features":[308,478]},{"name":"SetUrlCacheConfigInfoW","features":[308,478]},{"name":"SetUrlCacheEntryGroup","features":[308,478]},{"name":"SetUrlCacheEntryGroupA","features":[308,478]},{"name":"SetUrlCacheEntryGroupW","features":[308,478]},{"name":"SetUrlCacheEntryInfoA","features":[308,478]},{"name":"SetUrlCacheEntryInfoW","features":[308,478]},{"name":"SetUrlCacheGroupAttributeA","features":[308,478]},{"name":"SetUrlCacheGroupAttributeW","features":[308,478]},{"name":"SetUrlCacheHeaderData","features":[308,478]},{"name":"ShowClientAuthCerts","features":[308,478]},{"name":"ShowSecurityInfo","features":[308,478,329,392]},{"name":"ShowX509EncodedCertificate","features":[308,478]},{"name":"TLSHandshakeEnd","features":[478]},{"name":"TLSHandshakeStart","features":[478]},{"name":"TRACK_OFFLINE_CACHE_ENTRY","features":[478]},{"name":"TRACK_ONLINE_CACHE_ENTRY","features":[478]},{"name":"URLCACHE_ENTRY_INFO","features":[308,478]},{"name":"URLHISTORY_CACHE_ENTRY","features":[478]},{"name":"URL_CACHE_LIMIT_TYPE","features":[478]},{"name":"URL_COMPONENTSA","features":[478]},{"name":"URL_COMPONENTSW","features":[478]},{"name":"UnlockUrlCacheEntryFile","features":[308,478]},{"name":"UnlockUrlCacheEntryFileA","features":[308,478]},{"name":"UnlockUrlCacheEntryFileW","features":[308,478]},{"name":"UnlockUrlCacheEntryStream","features":[308,478]},{"name":"UpdateUrlCacheContentPath","features":[308,478]},{"name":"UrlCacheCheckEntriesExist","features":[308,478]},{"name":"UrlCacheCloseEntryHandle","features":[478]},{"name":"UrlCacheContainerSetEntryMaximumAge","features":[478]},{"name":"UrlCacheCreateContainer","features":[478]},{"name":"UrlCacheFindFirstEntry","features":[308,478]},{"name":"UrlCacheFindNextEntry","features":[308,478]},{"name":"UrlCacheFreeEntryInfo","features":[308,478]},{"name":"UrlCacheFreeGlobalSpace","features":[478]},{"name":"UrlCacheGetContentPaths","features":[478]},{"name":"UrlCacheGetEntryInfo","features":[308,478]},{"name":"UrlCacheGetGlobalCacheSize","features":[478]},{"name":"UrlCacheGetGlobalLimit","features":[478]},{"name":"UrlCacheLimitTypeAppContainer","features":[478]},{"name":"UrlCacheLimitTypeAppContainerTotal","features":[478]},{"name":"UrlCacheLimitTypeIE","features":[478]},{"name":"UrlCacheLimitTypeIETotal","features":[478]},{"name":"UrlCacheLimitTypeNum","features":[478]},{"name":"UrlCacheReadEntryStream","features":[478]},{"name":"UrlCacheReloadSettings","features":[478]},{"name":"UrlCacheRetrieveEntryFile","features":[308,478]},{"name":"UrlCacheRetrieveEntryStream","features":[308,478]},{"name":"UrlCacheServer","features":[478]},{"name":"UrlCacheSetGlobalLimit","features":[478]},{"name":"UrlCacheUpdateEntryExtraData","features":[478]},{"name":"WININET_API_FLAG_ASYNC","features":[478]},{"name":"WININET_API_FLAG_SYNC","features":[478]},{"name":"WININET_API_FLAG_USE_CONTEXT","features":[478]},{"name":"WININET_PROXY_INFO","features":[308,478]},{"name":"WININET_PROXY_INFO_LIST","features":[308,478]},{"name":"WININET_SYNC_MODE","features":[478]},{"name":"WININET_SYNC_MODE_ALWAYS","features":[478]},{"name":"WININET_SYNC_MODE_AUTOMATIC","features":[478]},{"name":"WININET_SYNC_MODE_DEFAULT","features":[478]},{"name":"WININET_SYNC_MODE_NEVER","features":[478]},{"name":"WININET_SYNC_MODE_ONCE_PER_SESSION","features":[478]},{"name":"WININET_SYNC_MODE_ON_EXPIRY","features":[478]},{"name":"WPAD_CACHE_DELETE","features":[478]},{"name":"WPAD_CACHE_DELETE_ALL","features":[478]},{"name":"WPAD_CACHE_DELETE_CURRENT","features":[478]},{"name":"XDR_CACHE_ENTRY","features":[478]},{"name":"pfnInternetDeInitializeAutoProxyDll","features":[308,478]},{"name":"pfnInternetGetProxyInfo","features":[308,478]},{"name":"pfnInternetInitializeAutoProxyDll","features":[308,478]}],"477":[{"name":"AAL5_MODE_MESSAGE","features":[321]},{"name":"AAL5_MODE_STREAMING","features":[321]},{"name":"AAL5_PARAMETERS","features":[321]},{"name":"AAL5_SSCS_FRAME_RELAY","features":[321]},{"name":"AAL5_SSCS_NULL","features":[321]},{"name":"AAL5_SSCS_SSCOP_ASSURED","features":[321]},{"name":"AAL5_SSCS_SSCOP_NON_ASSURED","features":[321]},{"name":"AALTYPE_5","features":[321]},{"name":"AALTYPE_USER","features":[321]},{"name":"AALUSER_PARAMETERS","features":[321]},{"name":"AAL_PARAMETERS_IE","features":[321]},{"name":"AAL_TYPE","features":[321]},{"name":"ADDRESS_FAMILY","features":[321]},{"name":"ADDRINFOA","features":[321]},{"name":"ADDRINFOEX2A","features":[321]},{"name":"ADDRINFOEX2W","features":[321]},{"name":"ADDRINFOEX3","features":[321]},{"name":"ADDRINFOEX4","features":[308,321]},{"name":"ADDRINFOEX5","features":[308,321]},{"name":"ADDRINFOEX6","features":[308,321]},{"name":"ADDRINFOEXA","features":[321]},{"name":"ADDRINFOEXW","features":[321]},{"name":"ADDRINFOEX_VERSION_2","features":[321]},{"name":"ADDRINFOEX_VERSION_3","features":[321]},{"name":"ADDRINFOEX_VERSION_4","features":[321]},{"name":"ADDRINFOEX_VERSION_5","features":[321]},{"name":"ADDRINFOEX_VERSION_6","features":[321]},{"name":"ADDRINFOW","features":[321]},{"name":"ADDRINFO_DNS_SERVER","features":[321]},{"name":"AFPROTOCOLS","features":[321]},{"name":"AF_12844","features":[321]},{"name":"AF_APPLETALK","features":[321]},{"name":"AF_ATM","features":[321]},{"name":"AF_BAN","features":[321]},{"name":"AF_CCITT","features":[321]},{"name":"AF_CHAOS","features":[321]},{"name":"AF_CLUSTER","features":[321]},{"name":"AF_DATAKIT","features":[321]},{"name":"AF_DECnet","features":[321]},{"name":"AF_DLI","features":[321]},{"name":"AF_ECMA","features":[321]},{"name":"AF_FIREFOX","features":[321]},{"name":"AF_HYLINK","features":[321]},{"name":"AF_HYPERV","features":[321]},{"name":"AF_ICLFXBM","features":[321]},{"name":"AF_IMPLINK","features":[321]},{"name":"AF_INET","features":[321]},{"name":"AF_INET6","features":[321]},{"name":"AF_IPX","features":[321]},{"name":"AF_IRDA","features":[321]},{"name":"AF_ISO","features":[321]},{"name":"AF_LAT","features":[321]},{"name":"AF_LINK","features":[321]},{"name":"AF_MAX","features":[321]},{"name":"AF_NETBIOS","features":[321]},{"name":"AF_NETDES","features":[321]},{"name":"AF_NS","features":[321]},{"name":"AF_OSI","features":[321]},{"name":"AF_PUP","features":[321]},{"name":"AF_SNA","features":[321]},{"name":"AF_TCNMESSAGE","features":[321]},{"name":"AF_TCNPROCESS","features":[321]},{"name":"AF_UNIX","features":[321]},{"name":"AF_UNKNOWN1","features":[321]},{"name":"AF_UNSPEC","features":[321]},{"name":"AF_VOICEVIEW","features":[321]},{"name":"AI_ADDRCONFIG","features":[321]},{"name":"AI_ALL","features":[321]},{"name":"AI_BYPASS_DNS_CACHE","features":[321]},{"name":"AI_CANONNAME","features":[321]},{"name":"AI_DISABLE_IDN_ENCODING","features":[321]},{"name":"AI_DNS_ONLY","features":[321]},{"name":"AI_DNS_RESPONSE_HOSTFILE","features":[321]},{"name":"AI_DNS_RESPONSE_SECURE","features":[321]},{"name":"AI_DNS_SERVER_TYPE_DOH","features":[321]},{"name":"AI_DNS_SERVER_TYPE_UDP","features":[321]},{"name":"AI_DNS_SERVER_UDP_FALLBACK","features":[321]},{"name":"AI_EXCLUSIVE_CUSTOM_SERVERS","features":[321]},{"name":"AI_EXTENDED","features":[321]},{"name":"AI_FILESERVER","features":[321]},{"name":"AI_FORCE_CLEAR_TEXT","features":[321]},{"name":"AI_FQDN","features":[321]},{"name":"AI_NON_AUTHORITATIVE","features":[321]},{"name":"AI_NUMERICHOST","features":[321]},{"name":"AI_NUMERICSERV","features":[321]},{"name":"AI_PASSIVE","features":[321]},{"name":"AI_REQUIRE_SECURE","features":[321]},{"name":"AI_RESOLUTION_HANDLE","features":[321]},{"name":"AI_RETURN_PREFERRED_NAMES","features":[321]},{"name":"AI_RETURN_RESPONSE_FLAGS","features":[321]},{"name":"AI_RETURN_TTL","features":[321]},{"name":"AI_SECURE","features":[321]},{"name":"AI_SECURE_WITH_FALLBACK","features":[321]},{"name":"AI_V4MAPPED","features":[321]},{"name":"ARP_HARDWARE_TYPE","features":[321]},{"name":"ARP_HEADER","features":[321]},{"name":"ARP_HW_802","features":[321]},{"name":"ARP_HW_ENET","features":[321]},{"name":"ARP_OPCODE","features":[321]},{"name":"ARP_REQUEST","features":[321]},{"name":"ARP_RESPONSE","features":[321]},{"name":"ASSOCIATE_NAMERES_CONTEXT","features":[321]},{"name":"ASSOCIATE_NAMERES_CONTEXT_INPUT","features":[321]},{"name":"ATMPROTO_AAL1","features":[321]},{"name":"ATMPROTO_AAL2","features":[321]},{"name":"ATMPROTO_AAL34","features":[321]},{"name":"ATMPROTO_AAL5","features":[321]},{"name":"ATMPROTO_AALUSER","features":[321]},{"name":"ATM_ADDRESS","features":[321]},{"name":"ATM_ADDR_SIZE","features":[321]},{"name":"ATM_AESA","features":[321]},{"name":"ATM_BHLI","features":[321]},{"name":"ATM_BLLI","features":[321]},{"name":"ATM_BLLI_IE","features":[321]},{"name":"ATM_BROADBAND_BEARER_CAPABILITY_IE","features":[321]},{"name":"ATM_CALLING_PARTY_NUMBER_IE","features":[321]},{"name":"ATM_CAUSE_IE","features":[321]},{"name":"ATM_CONNECTION_ID","features":[321]},{"name":"ATM_E164","features":[321]},{"name":"ATM_NSAP","features":[321]},{"name":"ATM_PVC_PARAMS","features":[321]},{"name":"ATM_QOS_CLASS_IE","features":[321]},{"name":"ATM_TD","features":[308,321]},{"name":"ATM_TRAFFIC_DESCRIPTOR_IE","features":[308,321]},{"name":"ATM_TRANSIT_NETWORK_SELECTION_IE","features":[321]},{"name":"AcceptEx","features":[308,321,313]},{"name":"BASE_PROTOCOL","features":[321]},{"name":"BCOB_A","features":[321]},{"name":"BCOB_C","features":[321]},{"name":"BCOB_X","features":[321]},{"name":"BHLI_HighLayerProfile","features":[321]},{"name":"BHLI_ISO","features":[321]},{"name":"BHLI_UserSpecific","features":[321]},{"name":"BHLI_VendorSpecificAppId","features":[321]},{"name":"BIGENDIAN","features":[321]},{"name":"BITS_PER_BYTE","features":[321]},{"name":"BLLI_L2_ELAPB","features":[321]},{"name":"BLLI_L2_HDLC_ABM","features":[321]},{"name":"BLLI_L2_HDLC_ARM","features":[321]},{"name":"BLLI_L2_HDLC_NRM","features":[321]},{"name":"BLLI_L2_ISO_1745","features":[321]},{"name":"BLLI_L2_ISO_7776","features":[321]},{"name":"BLLI_L2_LLC","features":[321]},{"name":"BLLI_L2_MODE_EXT","features":[321]},{"name":"BLLI_L2_MODE_NORMAL","features":[321]},{"name":"BLLI_L2_Q921","features":[321]},{"name":"BLLI_L2_Q922","features":[321]},{"name":"BLLI_L2_USER_SPECIFIED","features":[321]},{"name":"BLLI_L2_X25L","features":[321]},{"name":"BLLI_L2_X25M","features":[321]},{"name":"BLLI_L2_X75","features":[321]},{"name":"BLLI_L3_IPI_IP","features":[321]},{"name":"BLLI_L3_IPI_SNAP","features":[321]},{"name":"BLLI_L3_ISO_8208","features":[321]},{"name":"BLLI_L3_ISO_TR9577","features":[321]},{"name":"BLLI_L3_MODE_EXT","features":[321]},{"name":"BLLI_L3_MODE_NORMAL","features":[321]},{"name":"BLLI_L3_PACKET_1024","features":[321]},{"name":"BLLI_L3_PACKET_128","features":[321]},{"name":"BLLI_L3_PACKET_16","features":[321]},{"name":"BLLI_L3_PACKET_2048","features":[321]},{"name":"BLLI_L3_PACKET_256","features":[321]},{"name":"BLLI_L3_PACKET_32","features":[321]},{"name":"BLLI_L3_PACKET_4096","features":[321]},{"name":"BLLI_L3_PACKET_512","features":[321]},{"name":"BLLI_L3_PACKET_64","features":[321]},{"name":"BLLI_L3_SIO_8473","features":[321]},{"name":"BLLI_L3_T70","features":[321]},{"name":"BLLI_L3_USER_SPECIFIED","features":[321]},{"name":"BLLI_L3_X223","features":[321]},{"name":"BLLI_L3_X25","features":[321]},{"name":"BYTE_ORDER","features":[321]},{"name":"CAUSE_AAL_PARAMETERS_UNSUPPORTED","features":[321]},{"name":"CAUSE_ACCESS_INFORMAION_DISCARDED","features":[321]},{"name":"CAUSE_BEARER_CAPABILITY_UNAUTHORIZED","features":[321]},{"name":"CAUSE_BEARER_CAPABILITY_UNAVAILABLE","features":[321]},{"name":"CAUSE_BEARER_CAPABILITY_UNIMPLEMENTED","features":[321]},{"name":"CAUSE_CALL_REJECTED","features":[321]},{"name":"CAUSE_CHANNEL_NONEXISTENT","features":[321]},{"name":"CAUSE_COND_PERMANENT","features":[321]},{"name":"CAUSE_COND_TRANSIENT","features":[321]},{"name":"CAUSE_COND_UNKNOWN","features":[321]},{"name":"CAUSE_DESTINATION_OUT_OF_ORDER","features":[321]},{"name":"CAUSE_INCOMPATIBLE_DESTINATION","features":[321]},{"name":"CAUSE_INCORRECT_MESSAGE_LENGTH","features":[321]},{"name":"CAUSE_INVALID_CALL_REFERENCE","features":[321]},{"name":"CAUSE_INVALID_ENDPOINT_REFERENCE","features":[321]},{"name":"CAUSE_INVALID_IE_CONTENTS","features":[321]},{"name":"CAUSE_INVALID_NUMBER_FORMAT","features":[321]},{"name":"CAUSE_INVALID_STATE_FOR_MESSAGE","features":[321]},{"name":"CAUSE_INVALID_TRANSIT_NETWORK_SELECTION","features":[321]},{"name":"CAUSE_LOC_BEYOND_INTERWORKING","features":[321]},{"name":"CAUSE_LOC_INTERNATIONAL_NETWORK","features":[321]},{"name":"CAUSE_LOC_PRIVATE_LOCAL","features":[321]},{"name":"CAUSE_LOC_PRIVATE_REMOTE","features":[321]},{"name":"CAUSE_LOC_PUBLIC_LOCAL","features":[321]},{"name":"CAUSE_LOC_PUBLIC_REMOTE","features":[321]},{"name":"CAUSE_LOC_TRANSIT_NETWORK","features":[321]},{"name":"CAUSE_LOC_USER","features":[321]},{"name":"CAUSE_MANDATORY_IE_MISSING","features":[321]},{"name":"CAUSE_NA_ABNORMAL","features":[321]},{"name":"CAUSE_NA_NORMAL","features":[321]},{"name":"CAUSE_NETWORK_OUT_OF_ORDER","features":[321]},{"name":"CAUSE_NORMAL_CALL_CLEARING","features":[321]},{"name":"CAUSE_NORMAL_UNSPECIFIED","features":[321]},{"name":"CAUSE_NO_ROUTE_TO_DESTINATION","features":[321]},{"name":"CAUSE_NO_ROUTE_TO_TRANSIT_NETWORK","features":[321]},{"name":"CAUSE_NO_USER_RESPONDING","features":[321]},{"name":"CAUSE_NO_VPI_VCI_AVAILABLE","features":[321]},{"name":"CAUSE_NUMBER_CHANGED","features":[321]},{"name":"CAUSE_OPTION_UNAVAILABLE","features":[321]},{"name":"CAUSE_PROTOCOL_ERROR","features":[321]},{"name":"CAUSE_PU_PROVIDER","features":[321]},{"name":"CAUSE_PU_USER","features":[321]},{"name":"CAUSE_QOS_UNAVAILABLE","features":[321]},{"name":"CAUSE_REASON_IE_INSUFFICIENT","features":[321]},{"name":"CAUSE_REASON_IE_MISSING","features":[321]},{"name":"CAUSE_REASON_USER","features":[321]},{"name":"CAUSE_RECOVERY_ON_TIMEOUT","features":[321]},{"name":"CAUSE_RESOURCE_UNAVAILABLE","features":[321]},{"name":"CAUSE_STATUS_ENQUIRY_RESPONSE","features":[321]},{"name":"CAUSE_TEMPORARY_FAILURE","features":[321]},{"name":"CAUSE_TOO_MANY_PENDING_ADD_PARTY","features":[321]},{"name":"CAUSE_UNALLOCATED_NUMBER","features":[321]},{"name":"CAUSE_UNIMPLEMENTED_IE","features":[321]},{"name":"CAUSE_UNIMPLEMENTED_MESSAGE_TYPE","features":[321]},{"name":"CAUSE_UNSUPPORTED_TRAFFIC_PARAMETERS","features":[321]},{"name":"CAUSE_USER_BUSY","features":[321]},{"name":"CAUSE_USER_CELL_RATE_UNAVAILABLE","features":[321]},{"name":"CAUSE_USER_REJECTS_CLIR","features":[321]},{"name":"CAUSE_VPI_VCI_UNACCEPTABLE","features":[321]},{"name":"CAUSE_VPI_VCI_UNAVAILABLE","features":[321]},{"name":"CF_ACCEPT","features":[321]},{"name":"CF_DEFER","features":[321]},{"name":"CF_REJECT","features":[321]},{"name":"CLIP_NOT","features":[321]},{"name":"CLIP_SUS","features":[321]},{"name":"CMSGHDR","features":[321]},{"name":"COMP_EQUAL","features":[321]},{"name":"COMP_NOTLESS","features":[321]},{"name":"CONTROL_CHANNEL_TRIGGER_STATUS","features":[321]},{"name":"CONTROL_CHANNEL_TRIGGER_STATUS_HARDWARE_SLOT_ALLOCATED","features":[321]},{"name":"CONTROL_CHANNEL_TRIGGER_STATUS_INVALID","features":[321]},{"name":"CONTROL_CHANNEL_TRIGGER_STATUS_POLICY_ERROR","features":[321]},{"name":"CONTROL_CHANNEL_TRIGGER_STATUS_SERVICE_UNAVAILABLE","features":[321]},{"name":"CONTROL_CHANNEL_TRIGGER_STATUS_SOFTWARE_SLOT_ALLOCATED","features":[321]},{"name":"CONTROL_CHANNEL_TRIGGER_STATUS_SYSTEM_ERROR","features":[321]},{"name":"CONTROL_CHANNEL_TRIGGER_STATUS_TRANSPORT_DISCONNECTED","features":[321]},{"name":"CSADDR_INFO","features":[321]},{"name":"DE_REUSE_SOCKET","features":[321]},{"name":"DL_ADDRESS_LENGTH_MAXIMUM","features":[321]},{"name":"DL_EI48","features":[321]},{"name":"DL_EI64","features":[321]},{"name":"DL_EUI48","features":[321]},{"name":"DL_EUI64","features":[321]},{"name":"DL_HEADER_LENGTH_MAXIMUM","features":[321]},{"name":"DL_OUI","features":[321]},{"name":"DL_TEREDO_ADDRESS","features":[321]},{"name":"DL_TEREDO_ADDRESS_PRV","features":[321]},{"name":"DL_TUNNEL_ADDRESS","features":[321,314]},{"name":"ETHERNET_HEADER","features":[321]},{"name":"ETHERNET_TYPE_802_1AD","features":[321]},{"name":"ETHERNET_TYPE_802_1Q","features":[321]},{"name":"ETHERNET_TYPE_ARP","features":[321]},{"name":"ETHERNET_TYPE_IPV4","features":[321]},{"name":"ETHERNET_TYPE_IPV6","features":[321]},{"name":"ETHERNET_TYPE_MINIMUM","features":[321]},{"name":"ETH_LENGTH_OF_HEADER","features":[321]},{"name":"ETH_LENGTH_OF_SNAP_HEADER","features":[321]},{"name":"ETH_LENGTH_OF_VLAN_HEADER","features":[321]},{"name":"EXT_LEN_UNIT","features":[321]},{"name":"E_WINDOW_ADVANCE_BY_TIME","features":[321]},{"name":"E_WINDOW_USE_AS_DATA_CACHE","features":[321]},{"name":"EnumProtocolsA","features":[321]},{"name":"EnumProtocolsW","features":[321]},{"name":"FALLBACK_INDEX","features":[321]},{"name":"FD_ACCEPT","features":[321]},{"name":"FD_ACCEPT_BIT","features":[321]},{"name":"FD_ADDRESS_LIST_CHANGE_BIT","features":[321]},{"name":"FD_CLOSE","features":[321]},{"name":"FD_CLOSE_BIT","features":[321]},{"name":"FD_CONNECT","features":[321]},{"name":"FD_CONNECT_BIT","features":[321]},{"name":"FD_GROUP_QOS_BIT","features":[321]},{"name":"FD_MAX_EVENTS","features":[321]},{"name":"FD_OOB","features":[321]},{"name":"FD_OOB_BIT","features":[321]},{"name":"FD_QOS_BIT","features":[321]},{"name":"FD_READ","features":[321]},{"name":"FD_READ_BIT","features":[321]},{"name":"FD_ROUTING_INTERFACE_CHANGE_BIT","features":[321]},{"name":"FD_SET","features":[321]},{"name":"FD_SETSIZE","features":[321]},{"name":"FD_WRITE","features":[321]},{"name":"FD_WRITE_BIT","features":[321]},{"name":"FIOASYNC","features":[321]},{"name":"FIONBIO","features":[321]},{"name":"FIONREAD","features":[321]},{"name":"FLOWSPEC","features":[321]},{"name":"FROM_PROTOCOL_INFO","features":[321]},{"name":"FallbackIndexMax","features":[321]},{"name":"FallbackIndexTcpFastopen","features":[321]},{"name":"FreeAddrInfoEx","features":[321]},{"name":"FreeAddrInfoExW","features":[321]},{"name":"FreeAddrInfoW","features":[321]},{"name":"GAI_STRERROR_BUFFER_SIZE","features":[321]},{"name":"GROUP_FILTER","features":[321]},{"name":"GROUP_REQ","features":[321]},{"name":"GROUP_SOURCE_REQ","features":[321]},{"name":"GetAcceptExSockaddrs","features":[321]},{"name":"GetAddrInfoExA","features":[308,321,313]},{"name":"GetAddrInfoExCancel","features":[308,321]},{"name":"GetAddrInfoExOverlappedResult","features":[308,321,313]},{"name":"GetAddrInfoExW","features":[308,321,313]},{"name":"GetAddrInfoW","features":[321]},{"name":"GetAddressByNameA","features":[308,321]},{"name":"GetAddressByNameW","features":[308,321]},{"name":"GetHostNameW","features":[321]},{"name":"GetNameByTypeA","features":[321]},{"name":"GetNameByTypeW","features":[321]},{"name":"GetNameInfoW","features":[321]},{"name":"GetServiceA","features":[308,321]},{"name":"GetServiceW","features":[308,321]},{"name":"GetTypeByNameA","features":[321]},{"name":"GetTypeByNameW","features":[321]},{"name":"HOSTENT","features":[321]},{"name":"IAS_ATTRIB_INT","features":[321]},{"name":"IAS_ATTRIB_NO_ATTRIB","features":[321]},{"name":"IAS_ATTRIB_NO_CLASS","features":[321]},{"name":"IAS_ATTRIB_OCTETSEQ","features":[321]},{"name":"IAS_ATTRIB_STR","features":[321]},{"name":"IAS_MAX_ATTRIBNAME","features":[321]},{"name":"IAS_MAX_CLASSNAME","features":[321]},{"name":"IAS_MAX_OCTET_STRING","features":[321]},{"name":"IAS_MAX_USER_STRING","features":[321]},{"name":"ICMP4_TIME_EXCEED_CODE","features":[321]},{"name":"ICMP4_TIME_EXCEED_REASSEMBLY","features":[321]},{"name":"ICMP4_TIME_EXCEED_TRANSIT","features":[321]},{"name":"ICMP4_UNREACH_ADMIN","features":[321]},{"name":"ICMP4_UNREACH_CODE","features":[321]},{"name":"ICMP4_UNREACH_FRAG_NEEDED","features":[321]},{"name":"ICMP4_UNREACH_HOST","features":[321]},{"name":"ICMP4_UNREACH_HOST_ADMIN","features":[321]},{"name":"ICMP4_UNREACH_HOST_TOS","features":[321]},{"name":"ICMP4_UNREACH_HOST_UNKNOWN","features":[321]},{"name":"ICMP4_UNREACH_ISOLATED","features":[321]},{"name":"ICMP4_UNREACH_NET","features":[321]},{"name":"ICMP4_UNREACH_NET_ADMIN","features":[321]},{"name":"ICMP4_UNREACH_NET_TOS","features":[321]},{"name":"ICMP4_UNREACH_NET_UNKNOWN","features":[321]},{"name":"ICMP4_UNREACH_PORT","features":[321]},{"name":"ICMP4_UNREACH_PROTOCOL","features":[321]},{"name":"ICMP4_UNREACH_SOURCEROUTE_FAILED","features":[321]},{"name":"ICMP6_DST_UNREACH_ADDR","features":[321]},{"name":"ICMP6_DST_UNREACH_ADMIN","features":[321]},{"name":"ICMP6_DST_UNREACH_BEYONDSCOPE","features":[321]},{"name":"ICMP6_DST_UNREACH_NOPORT","features":[321]},{"name":"ICMP6_DST_UNREACH_NOROUTE","features":[321]},{"name":"ICMP6_PARAMPROB_FIRSTFRAGMENT","features":[321]},{"name":"ICMP6_PARAMPROB_HEADER","features":[321]},{"name":"ICMP6_PARAMPROB_NEXTHEADER","features":[321]},{"name":"ICMP6_PARAMPROB_OPTION","features":[321]},{"name":"ICMP6_TIME_EXCEED_REASSEMBLY","features":[321]},{"name":"ICMP6_TIME_EXCEED_TRANSIT","features":[321]},{"name":"ICMPV4_ADDRESS_MASK_MESSAGE","features":[321]},{"name":"ICMPV4_INVALID_PREFERENCE_LEVEL","features":[321]},{"name":"ICMPV4_ROUTER_ADVERT_ENTRY","features":[321]},{"name":"ICMPV4_ROUTER_ADVERT_HEADER","features":[321]},{"name":"ICMPV4_ROUTER_SOLICIT","features":[321]},{"name":"ICMPV4_TIMESTAMP_MESSAGE","features":[321]},{"name":"ICMPV6_ECHO_REQUEST_FLAG_REVERSE","features":[321]},{"name":"ICMP_ERROR_INFO","features":[321]},{"name":"ICMP_HEADER","features":[321]},{"name":"ICMP_MESSAGE","features":[321]},{"name":"IE_AALParameters","features":[321]},{"name":"IE_BHLI","features":[321]},{"name":"IE_BLLI","features":[321]},{"name":"IE_BroadbandBearerCapability","features":[321]},{"name":"IE_CalledPartyNumber","features":[321]},{"name":"IE_CalledPartySubaddress","features":[321]},{"name":"IE_CallingPartyNumber","features":[321]},{"name":"IE_CallingPartySubaddress","features":[321]},{"name":"IE_Cause","features":[321]},{"name":"IE_QOSClass","features":[321]},{"name":"IE_TrafficDescriptor","features":[321]},{"name":"IE_TransitNetworkSelection","features":[321]},{"name":"IFF_BROADCAST","features":[321]},{"name":"IFF_LOOPBACK","features":[321]},{"name":"IFF_MULTICAST","features":[321]},{"name":"IFF_POINTTOPOINT","features":[321]},{"name":"IFF_UP","features":[321]},{"name":"IGMPV3_QUERY_HEADER","features":[321]},{"name":"IGMPV3_REPORT_HEADER","features":[321]},{"name":"IGMPV3_REPORT_RECORD_HEADER","features":[321]},{"name":"IGMP_HEADER","features":[321]},{"name":"IGMP_LEAVE_GROUP_TYPE","features":[321]},{"name":"IGMP_MAX_RESP_CODE_TYPE","features":[321]},{"name":"IGMP_MAX_RESP_CODE_TYPE_FLOAT","features":[321]},{"name":"IGMP_MAX_RESP_CODE_TYPE_NORMAL","features":[321]},{"name":"IGMP_QUERY_TYPE","features":[321]},{"name":"IGMP_VERSION1_REPORT_TYPE","features":[321]},{"name":"IGMP_VERSION2_REPORT_TYPE","features":[321]},{"name":"IGMP_VERSION3_REPORT_TYPE","features":[321]},{"name":"IMPLINK_HIGHEXPER","features":[321]},{"name":"IMPLINK_IP","features":[321]},{"name":"IMPLINK_LOWEXPER","features":[321]},{"name":"IN4ADDR_LINKLOCALPREFIX_LENGTH","features":[321]},{"name":"IN4ADDR_LOOPBACK","features":[321]},{"name":"IN4ADDR_LOOPBACKPREFIX_LENGTH","features":[321]},{"name":"IN4ADDR_MULTICASTPREFIX_LENGTH","features":[321]},{"name":"IN6ADDR_6TO4PREFIX_LENGTH","features":[321]},{"name":"IN6ADDR_LINKLOCALPREFIX_LENGTH","features":[321]},{"name":"IN6ADDR_MULTICASTPREFIX_LENGTH","features":[321]},{"name":"IN6ADDR_SOLICITEDNODEMULTICASTPREFIX_LENGTH","features":[321]},{"name":"IN6ADDR_TEREDOPREFIX_LENGTH","features":[321]},{"name":"IN6ADDR_V4MAPPEDPREFIX_LENGTH","features":[321]},{"name":"IN6_ADDR","features":[321]},{"name":"IN6_EMBEDDEDV4_BITS_IN_BYTE","features":[321]},{"name":"IN6_EMBEDDEDV4_UOCTET_POSITION","features":[321]},{"name":"IN6_PKTINFO","features":[321]},{"name":"IN6_PKTINFO_EX","features":[321]},{"name":"INADDR_LOOPBACK","features":[321]},{"name":"INADDR_NONE","features":[321]},{"name":"INCL_WINSOCK_API_PROTOTYPES","features":[321]},{"name":"INCL_WINSOCK_API_TYPEDEFS","features":[321]},{"name":"INET6_ADDRSTRLEN","features":[321]},{"name":"INET_ADDRSTRLEN","features":[321]},{"name":"INET_PORT_RANGE","features":[321]},{"name":"INET_PORT_RESERVATION_INFORMATION","features":[321]},{"name":"INET_PORT_RESERVATION_INSTANCE","features":[321]},{"name":"INET_PORT_RESERVATION_TOKEN","features":[321]},{"name":"INTERFACE_INFO","features":[321]},{"name":"INTERFACE_INFO_EX","features":[321]},{"name":"INVALID_SOCKET","features":[321]},{"name":"IN_ADDR","features":[321]},{"name":"IN_CLASSA_HOST","features":[321]},{"name":"IN_CLASSA_MAX","features":[321]},{"name":"IN_CLASSA_NET","features":[321]},{"name":"IN_CLASSA_NSHIFT","features":[321]},{"name":"IN_CLASSB_HOST","features":[321]},{"name":"IN_CLASSB_MAX","features":[321]},{"name":"IN_CLASSB_NET","features":[321]},{"name":"IN_CLASSB_NSHIFT","features":[321]},{"name":"IN_CLASSC_HOST","features":[321]},{"name":"IN_CLASSC_NET","features":[321]},{"name":"IN_CLASSC_NSHIFT","features":[321]},{"name":"IN_CLASSD_HOST","features":[321]},{"name":"IN_CLASSD_NET","features":[321]},{"name":"IN_CLASSD_NSHIFT","features":[321]},{"name":"IN_PKTINFO","features":[321]},{"name":"IN_PKTINFO_EX","features":[321]},{"name":"IN_RECVERR","features":[321]},{"name":"IOCPARM_MASK","features":[321]},{"name":"IOC_IN","features":[321]},{"name":"IOC_INOUT","features":[321]},{"name":"IOC_OUT","features":[321]},{"name":"IOC_PROTOCOL","features":[321]},{"name":"IOC_UNIX","features":[321]},{"name":"IOC_VENDOR","features":[321]},{"name":"IOC_VOID","features":[321]},{"name":"IOC_WS2","features":[321]},{"name":"IP4_OFF_MASK","features":[321]},{"name":"IP6F_MORE_FRAG","features":[321]},{"name":"IP6F_OFF_MASK","features":[321]},{"name":"IP6F_RESERVED_MASK","features":[321]},{"name":"IP6OPT_JUMBO","features":[321]},{"name":"IP6OPT_MUTABLE","features":[321]},{"name":"IP6OPT_NSAP_ADDR","features":[321]},{"name":"IP6OPT_PAD1","features":[321]},{"name":"IP6OPT_PADN","features":[321]},{"name":"IP6OPT_ROUTER_ALERT","features":[321]},{"name":"IP6OPT_TUNNEL_LIMIT","features":[321]},{"name":"IP6OPT_TYPE_DISCARD","features":[321]},{"name":"IP6OPT_TYPE_FORCEICMP","features":[321]},{"name":"IP6OPT_TYPE_ICMP","features":[321]},{"name":"IP6OPT_TYPE_SKIP","features":[321]},{"name":"IP6T_SO_ORIGINAL_DST","features":[321]},{"name":"IPPORT_BIFFUDP","features":[321]},{"name":"IPPORT_CHARGEN","features":[321]},{"name":"IPPORT_CMDSERVER","features":[321]},{"name":"IPPORT_DAYTIME","features":[321]},{"name":"IPPORT_DISCARD","features":[321]},{"name":"IPPORT_DYNAMIC_MAX","features":[321]},{"name":"IPPORT_DYNAMIC_MIN","features":[321]},{"name":"IPPORT_ECHO","features":[321]},{"name":"IPPORT_EFSSERVER","features":[321]},{"name":"IPPORT_EPMAP","features":[321]},{"name":"IPPORT_EXECSERVER","features":[321]},{"name":"IPPORT_FINGER","features":[321]},{"name":"IPPORT_FTP","features":[321]},{"name":"IPPORT_FTP_DATA","features":[321]},{"name":"IPPORT_HTTPS","features":[321]},{"name":"IPPORT_IMAP","features":[321]},{"name":"IPPORT_IMAP3","features":[321]},{"name":"IPPORT_LDAP","features":[321]},{"name":"IPPORT_LOGINSERVER","features":[321]},{"name":"IPPORT_MICROSOFT_DS","features":[321]},{"name":"IPPORT_MSP","features":[321]},{"name":"IPPORT_MTP","features":[321]},{"name":"IPPORT_NAMESERVER","features":[321]},{"name":"IPPORT_NETBIOS_DGM","features":[321]},{"name":"IPPORT_NETBIOS_NS","features":[321]},{"name":"IPPORT_NETBIOS_SSN","features":[321]},{"name":"IPPORT_NETSTAT","features":[321]},{"name":"IPPORT_NTP","features":[321]},{"name":"IPPORT_POP3","features":[321]},{"name":"IPPORT_QOTD","features":[321]},{"name":"IPPORT_REGISTERED_MAX","features":[321]},{"name":"IPPORT_REGISTERED_MIN","features":[321]},{"name":"IPPORT_RESERVED","features":[321]},{"name":"IPPORT_RJE","features":[321]},{"name":"IPPORT_ROUTESERVER","features":[321]},{"name":"IPPORT_SMTP","features":[321]},{"name":"IPPORT_SNMP","features":[321]},{"name":"IPPORT_SNMP_TRAP","features":[321]},{"name":"IPPORT_SUPDUP","features":[321]},{"name":"IPPORT_SYSTAT","features":[321]},{"name":"IPPORT_TCPMUX","features":[321]},{"name":"IPPORT_TELNET","features":[321]},{"name":"IPPORT_TFTP","features":[321]},{"name":"IPPORT_TIMESERVER","features":[321]},{"name":"IPPORT_TTYLINK","features":[321]},{"name":"IPPORT_WHOIS","features":[321]},{"name":"IPPORT_WHOSERVER","features":[321]},{"name":"IPPROTO","features":[321]},{"name":"IPPROTO_AH","features":[321]},{"name":"IPPROTO_CBT","features":[321]},{"name":"IPPROTO_DSTOPTS","features":[321]},{"name":"IPPROTO_EGP","features":[321]},{"name":"IPPROTO_ESP","features":[321]},{"name":"IPPROTO_FRAGMENT","features":[321]},{"name":"IPPROTO_GGP","features":[321]},{"name":"IPPROTO_HOPOPTS","features":[321]},{"name":"IPPROTO_ICLFXBM","features":[321]},{"name":"IPPROTO_ICMP","features":[321]},{"name":"IPPROTO_ICMPV6","features":[321]},{"name":"IPPROTO_IDP","features":[321]},{"name":"IPPROTO_IGMP","features":[321]},{"name":"IPPROTO_IGP","features":[321]},{"name":"IPPROTO_IP","features":[321]},{"name":"IPPROTO_IPV4","features":[321]},{"name":"IPPROTO_IPV6","features":[321]},{"name":"IPPROTO_L2TP","features":[321]},{"name":"IPPROTO_MAX","features":[321]},{"name":"IPPROTO_ND","features":[321]},{"name":"IPPROTO_NONE","features":[321]},{"name":"IPPROTO_PGM","features":[321]},{"name":"IPPROTO_PIM","features":[321]},{"name":"IPPROTO_PUP","features":[321]},{"name":"IPPROTO_RAW","features":[321]},{"name":"IPPROTO_RDP","features":[321]},{"name":"IPPROTO_RESERVED_IPSEC","features":[321]},{"name":"IPPROTO_RESERVED_IPSECOFFLOAD","features":[321]},{"name":"IPPROTO_RESERVED_MAX","features":[321]},{"name":"IPPROTO_RESERVED_RAW","features":[321]},{"name":"IPPROTO_RESERVED_WNV","features":[321]},{"name":"IPPROTO_RM","features":[321]},{"name":"IPPROTO_ROUTING","features":[321]},{"name":"IPPROTO_SCTP","features":[321]},{"name":"IPPROTO_ST","features":[321]},{"name":"IPPROTO_TCP","features":[321]},{"name":"IPPROTO_UDP","features":[321]},{"name":"IPTLS_METADATA","features":[321]},{"name":"IPV4_HEADER","features":[321]},{"name":"IPV4_MAX_MINIMUM_MTU","features":[321]},{"name":"IPV4_MINIMUM_MTU","features":[321]},{"name":"IPV4_MIN_MINIMUM_MTU","features":[321]},{"name":"IPV4_OPTION_HEADER","features":[321]},{"name":"IPV4_OPTION_TYPE","features":[321]},{"name":"IPV4_ROUTING_HEADER","features":[321]},{"name":"IPV4_TIMESTAMP_OPTION","features":[321]},{"name":"IPV4_VERSION","features":[321]},{"name":"IPV6_ADD_IFLIST","features":[321]},{"name":"IPV6_ADD_MEMBERSHIP","features":[321]},{"name":"IPV6_CHECKSUM","features":[321]},{"name":"IPV6_DEL_IFLIST","features":[321]},{"name":"IPV6_DONTFRAG","features":[321]},{"name":"IPV6_DROP_MEMBERSHIP","features":[321]},{"name":"IPV6_ECN","features":[321]},{"name":"IPV6_ECN_MASK","features":[321]},{"name":"IPV6_ECN_SHIFT","features":[321]},{"name":"IPV6_EXTENSION_HEADER","features":[321]},{"name":"IPV6_FLOW_LABEL_MASK","features":[321]},{"name":"IPV6_FRAGMENT_HEADER","features":[321]},{"name":"IPV6_FULL_TRAFFIC_CLASS_MASK","features":[321]},{"name":"IPV6_GET_IFLIST","features":[321]},{"name":"IPV6_HDRINCL","features":[321]},{"name":"IPV6_HEADER","features":[321]},{"name":"IPV6_HOPLIMIT","features":[321]},{"name":"IPV6_HOPOPTS","features":[321]},{"name":"IPV6_IFLIST","features":[321]},{"name":"IPV6_JOIN_GROUP","features":[321]},{"name":"IPV6_LEAVE_GROUP","features":[321]},{"name":"IPV6_MINIMUM_MTU","features":[321]},{"name":"IPV6_MREQ","features":[321]},{"name":"IPV6_MTU","features":[321]},{"name":"IPV6_MTU_DISCOVER","features":[321]},{"name":"IPV6_MULTICAST_HOPS","features":[321]},{"name":"IPV6_MULTICAST_IF","features":[321]},{"name":"IPV6_MULTICAST_LOOP","features":[321]},{"name":"IPV6_NEIGHBOR_ADVERTISEMENT_FLAGS","features":[321]},{"name":"IPV6_NRT_INTERFACE","features":[321]},{"name":"IPV6_OPTION_HEADER","features":[321]},{"name":"IPV6_OPTION_JUMBOGRAM","features":[321]},{"name":"IPV6_OPTION_ROUTER_ALERT","features":[321]},{"name":"IPV6_OPTION_TYPE","features":[321]},{"name":"IPV6_PKTINFO","features":[321]},{"name":"IPV6_PKTINFO_EX","features":[321]},{"name":"IPV6_PROTECTION_LEVEL","features":[321]},{"name":"IPV6_RECVDSTADDR","features":[321]},{"name":"IPV6_RECVECN","features":[321]},{"name":"IPV6_RECVERR","features":[321]},{"name":"IPV6_RECVIF","features":[321]},{"name":"IPV6_RECVRTHDR","features":[321]},{"name":"IPV6_RECVTCLASS","features":[321]},{"name":"IPV6_ROUTER_ADVERTISEMENT_FLAGS","features":[321]},{"name":"IPV6_ROUTING_HEADER","features":[321]},{"name":"IPV6_RTHDR","features":[321]},{"name":"IPV6_TCLASS","features":[321]},{"name":"IPV6_TRAFFIC_CLASS_MASK","features":[321]},{"name":"IPV6_UNICAST_HOPS","features":[321]},{"name":"IPV6_UNICAST_IF","features":[321]},{"name":"IPV6_USER_MTU","features":[321]},{"name":"IPV6_V6ONLY","features":[321]},{"name":"IPV6_VERSION","features":[321]},{"name":"IPV6_WFP_REDIRECT_CONTEXT","features":[321]},{"name":"IPV6_WFP_REDIRECT_RECORDS","features":[321]},{"name":"IPX_ADDRESS","features":[321]},{"name":"IPX_ADDRESS_DATA","features":[308,321]},{"name":"IPX_ADDRESS_NOTIFY","features":[321]},{"name":"IPX_DSTYPE","features":[321]},{"name":"IPX_EXTENDED_ADDRESS","features":[321]},{"name":"IPX_FILTERPTYPE","features":[321]},{"name":"IPX_GETNETINFO","features":[321]},{"name":"IPX_GETNETINFO_NORIP","features":[321]},{"name":"IPX_IMMEDIATESPXACK","features":[321]},{"name":"IPX_MAXSIZE","features":[321]},{"name":"IPX_MAX_ADAPTER_NUM","features":[321]},{"name":"IPX_NETNUM_DATA","features":[321]},{"name":"IPX_PTYPE","features":[321]},{"name":"IPX_RECEIVE_BROADCAST","features":[321]},{"name":"IPX_RECVHDR","features":[321]},{"name":"IPX_RERIPNETNUMBER","features":[321]},{"name":"IPX_SPXCONNSTATUS_DATA","features":[321]},{"name":"IPX_SPXGETCONNECTIONSTATUS","features":[321]},{"name":"IPX_STOPFILTERPTYPE","features":[321]},{"name":"IP_ADD_IFLIST","features":[321]},{"name":"IP_ADD_MEMBERSHIP","features":[321]},{"name":"IP_ADD_SOURCE_MEMBERSHIP","features":[321]},{"name":"IP_BLOCK_SOURCE","features":[321]},{"name":"IP_DEFAULT_MULTICAST_LOOP","features":[321]},{"name":"IP_DEFAULT_MULTICAST_TTL","features":[321]},{"name":"IP_DEL_IFLIST","features":[321]},{"name":"IP_DONTFRAGMENT","features":[321]},{"name":"IP_DROP_MEMBERSHIP","features":[321]},{"name":"IP_DROP_SOURCE_MEMBERSHIP","features":[321]},{"name":"IP_ECN","features":[321]},{"name":"IP_GET_IFLIST","features":[321]},{"name":"IP_HDRINCL","features":[321]},{"name":"IP_HOPLIMIT","features":[321]},{"name":"IP_IFLIST","features":[321]},{"name":"IP_MAX_MEMBERSHIPS","features":[321]},{"name":"IP_MREQ","features":[321]},{"name":"IP_MREQ_SOURCE","features":[321]},{"name":"IP_MSFILTER","features":[321]},{"name":"IP_MTU","features":[321]},{"name":"IP_MTU_DISCOVER","features":[321]},{"name":"IP_MULTICAST_IF","features":[321]},{"name":"IP_MULTICAST_LOOP","features":[321]},{"name":"IP_MULTICAST_TTL","features":[321]},{"name":"IP_NRT_INTERFACE","features":[321]},{"name":"IP_OPTIONS","features":[321]},{"name":"IP_OPTION_TIMESTAMP_ADDRESS","features":[321]},{"name":"IP_OPTION_TIMESTAMP_FLAGS","features":[321]},{"name":"IP_OPTION_TIMESTAMP_ONLY","features":[321]},{"name":"IP_OPTION_TIMESTAMP_SPECIFIC_ADDRESS","features":[321]},{"name":"IP_OPT_EOL","features":[321]},{"name":"IP_OPT_LSRR","features":[321]},{"name":"IP_OPT_MULTIDEST","features":[321]},{"name":"IP_OPT_NOP","features":[321]},{"name":"IP_OPT_ROUTER_ALERT","features":[321]},{"name":"IP_OPT_RR","features":[321]},{"name":"IP_OPT_SECURITY","features":[321]},{"name":"IP_OPT_SID","features":[321]},{"name":"IP_OPT_SSRR","features":[321]},{"name":"IP_OPT_TS","features":[321]},{"name":"IP_ORIGINAL_ARRIVAL_IF","features":[321]},{"name":"IP_PKTINFO","features":[321]},{"name":"IP_PKTINFO_EX","features":[321]},{"name":"IP_PMTUDISC_DO","features":[321]},{"name":"IP_PMTUDISC_DONT","features":[321]},{"name":"IP_PMTUDISC_MAX","features":[321]},{"name":"IP_PMTUDISC_NOT_SET","features":[321]},{"name":"IP_PMTUDISC_PROBE","features":[321]},{"name":"IP_PROTECTION_LEVEL","features":[321]},{"name":"IP_RECEIVE_BROADCAST","features":[321]},{"name":"IP_RECVDSTADDR","features":[321]},{"name":"IP_RECVECN","features":[321]},{"name":"IP_RECVERR","features":[321]},{"name":"IP_RECVIF","features":[321]},{"name":"IP_RECVRTHDR","features":[321]},{"name":"IP_RECVTCLASS","features":[321]},{"name":"IP_RECVTOS","features":[321]},{"name":"IP_RECVTTL","features":[321]},{"name":"IP_RTHDR","features":[321]},{"name":"IP_TCLASS","features":[321]},{"name":"IP_TOS","features":[321]},{"name":"IP_TTL","features":[321]},{"name":"IP_UNBLOCK_SOURCE","features":[321]},{"name":"IP_UNICAST_IF","features":[321]},{"name":"IP_UNSPECIFIED_HOP_LIMIT","features":[321]},{"name":"IP_UNSPECIFIED_TYPE_OF_SERVICE","features":[321]},{"name":"IP_UNSPECIFIED_USER_MTU","features":[321]},{"name":"IP_USER_MTU","features":[321]},{"name":"IP_VER_MASK","features":[321]},{"name":"IP_WFP_REDIRECT_CONTEXT","features":[321]},{"name":"IP_WFP_REDIRECT_RECORDS","features":[321]},{"name":"IRDA_PROTO_SOCK_STREAM","features":[321]},{"name":"IRLMP_9WIRE_MODE","features":[321]},{"name":"IRLMP_DISCOVERY_MODE","features":[321]},{"name":"IRLMP_ENUMDEVICES","features":[321]},{"name":"IRLMP_EXCLUSIVE_MODE","features":[321]},{"name":"IRLMP_IAS_QUERY","features":[321]},{"name":"IRLMP_IAS_SET","features":[321]},{"name":"IRLMP_IRLPT_MODE","features":[321]},{"name":"IRLMP_PARAMETERS","features":[321]},{"name":"IRLMP_SEND_PDU_LEN","features":[321]},{"name":"IRLMP_SHARP_MODE","features":[321]},{"name":"IRLMP_TINYTP_MODE","features":[321]},{"name":"ISOPROTO_CLNP","features":[321]},{"name":"ISOPROTO_CLTP","features":[321]},{"name":"ISOPROTO_ESIS","features":[321]},{"name":"ISOPROTO_INACT_NL","features":[321]},{"name":"ISOPROTO_INTRAISIS","features":[321]},{"name":"ISOPROTO_TP","features":[321]},{"name":"ISOPROTO_TP0","features":[321]},{"name":"ISOPROTO_TP1","features":[321]},{"name":"ISOPROTO_TP2","features":[321]},{"name":"ISOPROTO_TP3","features":[321]},{"name":"ISOPROTO_TP4","features":[321]},{"name":"ISOPROTO_X25","features":[321]},{"name":"ISO_EXP_DATA_NUSE","features":[321]},{"name":"ISO_EXP_DATA_USE","features":[321]},{"name":"ISO_HIERARCHICAL","features":[321]},{"name":"ISO_MAX_ADDR_LENGTH","features":[321]},{"name":"ISO_NON_HIERARCHICAL","features":[321]},{"name":"InetNtopW","features":[321]},{"name":"InetPtonW","features":[321]},{"name":"IpDadStateDeprecated","features":[321]},{"name":"IpDadStateDuplicate","features":[321]},{"name":"IpDadStateInvalid","features":[321]},{"name":"IpDadStatePreferred","features":[321]},{"name":"IpDadStateTentative","features":[321]},{"name":"IpPrefixOriginDhcp","features":[321]},{"name":"IpPrefixOriginManual","features":[321]},{"name":"IpPrefixOriginOther","features":[321]},{"name":"IpPrefixOriginRouterAdvertisement","features":[321]},{"name":"IpPrefixOriginUnchanged","features":[321]},{"name":"IpPrefixOriginWellKnown","features":[321]},{"name":"IpSuffixOriginDhcp","features":[321]},{"name":"IpSuffixOriginLinkLayerAddress","features":[321]},{"name":"IpSuffixOriginManual","features":[321]},{"name":"IpSuffixOriginOther","features":[321]},{"name":"IpSuffixOriginRandom","features":[321]},{"name":"IpSuffixOriginUnchanged","features":[321]},{"name":"IpSuffixOriginWellKnown","features":[321]},{"name":"JL_BOTH","features":[321]},{"name":"JL_RECEIVER_ONLY","features":[321]},{"name":"JL_SENDER_ONLY","features":[321]},{"name":"LAYERED_PROTOCOL","features":[321]},{"name":"LINGER","features":[321]},{"name":"LITTLEENDIAN","features":[321]},{"name":"LM_BAUD_115200","features":[321]},{"name":"LM_BAUD_1152K","features":[321]},{"name":"LM_BAUD_1200","features":[321]},{"name":"LM_BAUD_16M","features":[321]},{"name":"LM_BAUD_19200","features":[321]},{"name":"LM_BAUD_2400","features":[321]},{"name":"LM_BAUD_38400","features":[321]},{"name":"LM_BAUD_4M","features":[321]},{"name":"LM_BAUD_57600","features":[321]},{"name":"LM_BAUD_576K","features":[321]},{"name":"LM_BAUD_9600","features":[321]},{"name":"LM_HB1_Computer","features":[321]},{"name":"LM_HB1_Fax","features":[321]},{"name":"LM_HB1_LANAccess","features":[321]},{"name":"LM_HB1_Modem","features":[321]},{"name":"LM_HB1_PDA_Palmtop","features":[321]},{"name":"LM_HB1_PnP","features":[321]},{"name":"LM_HB1_Printer","features":[321]},{"name":"LM_HB2_FileServer","features":[321]},{"name":"LM_HB2_Telephony","features":[321]},{"name":"LM_HB_Extension","features":[321]},{"name":"LM_IRPARMS","features":[321]},{"name":"LOG2_BITS_PER_BYTE","features":[321]},{"name":"LPBLOCKINGCALLBACK","features":[308,321]},{"name":"LPCONDITIONPROC","features":[321]},{"name":"LPFN_ACCEPTEX","features":[308,321,313]},{"name":"LPFN_CONNECTEX","features":[308,321,313]},{"name":"LPFN_DISCONNECTEX","features":[308,321,313]},{"name":"LPFN_GETACCEPTEXSOCKADDRS","features":[321]},{"name":"LPFN_NSPAPI","features":[321]},{"name":"LPFN_RIOCLOSECOMPLETIONQUEUE","features":[321]},{"name":"LPFN_RIOCREATECOMPLETIONQUEUE","features":[308,321]},{"name":"LPFN_RIOCREATEREQUESTQUEUE","features":[321]},{"name":"LPFN_RIODEQUEUECOMPLETION","features":[321]},{"name":"LPFN_RIODEREGISTERBUFFER","features":[321]},{"name":"LPFN_RIONOTIFY","features":[321]},{"name":"LPFN_RIORECEIVE","features":[308,321]},{"name":"LPFN_RIORECEIVEEX","features":[321]},{"name":"LPFN_RIOREGISTERBUFFER","features":[321]},{"name":"LPFN_RIORESIZECOMPLETIONQUEUE","features":[308,321]},{"name":"LPFN_RIORESIZEREQUESTQUEUE","features":[308,321]},{"name":"LPFN_RIOSEND","features":[308,321]},{"name":"LPFN_RIOSENDEX","features":[308,321]},{"name":"LPFN_TRANSMITFILE","features":[308,321,313]},{"name":"LPFN_TRANSMITPACKETS","features":[308,321,313]},{"name":"LPFN_WSAPOLL","features":[321]},{"name":"LPFN_WSARECVMSG","features":[308,321,313]},{"name":"LPFN_WSASENDMSG","features":[308,321,313]},{"name":"LPLOOKUPSERVICE_COMPLETION_ROUTINE","features":[308,321,313]},{"name":"LPNSPCLEANUP","features":[321]},{"name":"LPNSPGETSERVICECLASSINFO","features":[321]},{"name":"LPNSPINSTALLSERVICECLASS","features":[321]},{"name":"LPNSPIOCTL","features":[308,321,313]},{"name":"LPNSPLOOKUPSERVICEBEGIN","features":[308,321,359]},{"name":"LPNSPLOOKUPSERVICEEND","features":[308,321]},{"name":"LPNSPLOOKUPSERVICENEXT","features":[308,321,359]},{"name":"LPNSPREMOVESERVICECLASS","features":[321]},{"name":"LPNSPSETSERVICE","features":[321,359]},{"name":"LPNSPSTARTUP","features":[308,321,359,313]},{"name":"LPNSPV2CLEANUP","features":[321]},{"name":"LPNSPV2CLIENTSESSIONRUNDOWN","features":[321]},{"name":"LPNSPV2LOOKUPSERVICEBEGIN","features":[308,321,359]},{"name":"LPNSPV2LOOKUPSERVICEEND","features":[308,321]},{"name":"LPNSPV2LOOKUPSERVICENEXTEX","features":[308,321,359]},{"name":"LPNSPV2SETSERVICEEX","features":[308,321,359]},{"name":"LPNSPV2STARTUP","features":[321]},{"name":"LPSERVICE_CALLBACK_PROC","features":[308,321]},{"name":"LPWPUCLOSEEVENT","features":[308,321]},{"name":"LPWPUCLOSESOCKETHANDLE","features":[321]},{"name":"LPWPUCLOSETHREAD","features":[308,321]},{"name":"LPWPUCOMPLETEOVERLAPPEDREQUEST","features":[308,321,313]},{"name":"LPWPUCREATEEVENT","features":[308,321]},{"name":"LPWPUCREATESOCKETHANDLE","features":[321]},{"name":"LPWPUFDISSET","features":[321]},{"name":"LPWPUGETPROVIDERPATH","features":[321]},{"name":"LPWPUMODIFYIFSHANDLE","features":[321]},{"name":"LPWPUOPENCURRENTTHREAD","features":[308,321]},{"name":"LPWPUPOSTMESSAGE","features":[308,321]},{"name":"LPWPUQUERYBLOCKINGCALLBACK","features":[308,321]},{"name":"LPWPUQUERYSOCKETHANDLECONTEXT","features":[321]},{"name":"LPWPUQUEUEAPC","features":[308,321]},{"name":"LPWPURESETEVENT","features":[308,321]},{"name":"LPWPUSETEVENT","features":[308,321]},{"name":"LPWSAOVERLAPPED_COMPLETION_ROUTINE","features":[308,321,313]},{"name":"LPWSAUSERAPC","features":[321]},{"name":"LPWSCDEINSTALLPROVIDER","features":[321]},{"name":"LPWSCENABLENSPROVIDER","features":[308,321]},{"name":"LPWSCENUMPROTOCOLS","features":[321]},{"name":"LPWSCGETPROVIDERPATH","features":[321]},{"name":"LPWSCINSTALLNAMESPACE","features":[321]},{"name":"LPWSCINSTALLPROVIDER","features":[321]},{"name":"LPWSCUNINSTALLNAMESPACE","features":[321]},{"name":"LPWSCUPDATEPROVIDER","features":[321]},{"name":"LPWSCWRITENAMESPACEORDER","features":[321]},{"name":"LPWSCWRITEPROVIDERORDER","features":[321]},{"name":"LPWSPACCEPT","features":[321]},{"name":"LPWSPADDRESSTOSTRING","features":[321]},{"name":"LPWSPASYNCSELECT","features":[308,321]},{"name":"LPWSPBIND","features":[321]},{"name":"LPWSPCANCELBLOCKINGCALL","features":[321]},{"name":"LPWSPCLEANUP","features":[321]},{"name":"LPWSPCLOSESOCKET","features":[321]},{"name":"LPWSPCONNECT","features":[321]},{"name":"LPWSPDUPLICATESOCKET","features":[321]},{"name":"LPWSPENUMNETWORKEVENTS","features":[308,321]},{"name":"LPWSPEVENTSELECT","features":[308,321]},{"name":"LPWSPGETOVERLAPPEDRESULT","features":[308,321,313]},{"name":"LPWSPGETPEERNAME","features":[321]},{"name":"LPWSPGETQOSBYNAME","features":[308,321]},{"name":"LPWSPGETSOCKNAME","features":[321]},{"name":"LPWSPGETSOCKOPT","features":[321]},{"name":"LPWSPIOCTL","features":[308,321,313]},{"name":"LPWSPJOINLEAF","features":[321]},{"name":"LPWSPLISTEN","features":[321]},{"name":"LPWSPRECV","features":[308,321,313]},{"name":"LPWSPRECVDISCONNECT","features":[321]},{"name":"LPWSPRECVFROM","features":[308,321,313]},{"name":"LPWSPSELECT","features":[321]},{"name":"LPWSPSEND","features":[308,321,313]},{"name":"LPWSPSENDDISCONNECT","features":[321]},{"name":"LPWSPSENDTO","features":[308,321,313]},{"name":"LPWSPSETSOCKOPT","features":[321]},{"name":"LPWSPSHUTDOWN","features":[321]},{"name":"LPWSPSOCKET","features":[321]},{"name":"LPWSPSTARTUP","features":[308,321,313]},{"name":"LPWSPSTRINGTOADDRESS","features":[321]},{"name":"LSP_CRYPTO_COMPRESS","features":[321]},{"name":"LSP_FIREWALL","features":[321]},{"name":"LSP_INBOUND_MODIFY","features":[321]},{"name":"LSP_INSPECTOR","features":[321]},{"name":"LSP_LOCAL_CACHE","features":[321]},{"name":"LSP_OUTBOUND_MODIFY","features":[321]},{"name":"LSP_PROXY","features":[321]},{"name":"LSP_REDIRECTOR","features":[321]},{"name":"LSP_SYSTEM","features":[321]},{"name":"LUP_ADDRCONFIG","features":[321]},{"name":"LUP_API_ANSI","features":[321]},{"name":"LUP_CONTAINERS","features":[321]},{"name":"LUP_DEEP","features":[321]},{"name":"LUP_DISABLE_IDN_ENCODING","features":[321]},{"name":"LUP_DNS_ONLY","features":[321]},{"name":"LUP_DUAL_ADDR","features":[321]},{"name":"LUP_EXCLUSIVE_CUSTOM_SERVERS","features":[321]},{"name":"LUP_EXTENDED_QUERYSET","features":[321]},{"name":"LUP_FILESERVER","features":[321]},{"name":"LUP_FLUSHCACHE","features":[321]},{"name":"LUP_FLUSHPREVIOUS","features":[321]},{"name":"LUP_FORCE_CLEAR_TEXT","features":[321]},{"name":"LUP_NEAREST","features":[321]},{"name":"LUP_NOCONTAINERS","features":[321]},{"name":"LUP_NON_AUTHORITATIVE","features":[321]},{"name":"LUP_REQUIRE_SECURE","features":[321]},{"name":"LUP_RESOLUTION_HANDLE","features":[321]},{"name":"LUP_RES_SERVICE","features":[321]},{"name":"LUP_RETURN_ADDR","features":[321]},{"name":"LUP_RETURN_ALIASES","features":[321]},{"name":"LUP_RETURN_ALL","features":[321]},{"name":"LUP_RETURN_BLOB","features":[321]},{"name":"LUP_RETURN_COMMENT","features":[321]},{"name":"LUP_RETURN_NAME","features":[321]},{"name":"LUP_RETURN_PREFERRED_NAMES","features":[321]},{"name":"LUP_RETURN_QUERY_STRING","features":[321]},{"name":"LUP_RETURN_RESPONSE_FLAGS","features":[321]},{"name":"LUP_RETURN_TTL","features":[321]},{"name":"LUP_RETURN_TYPE","features":[321]},{"name":"LUP_RETURN_VERSION","features":[321]},{"name":"LUP_SECURE","features":[321]},{"name":"LUP_SECURE_WITH_FALLBACK","features":[321]},{"name":"LinkLocalAlwaysOff","features":[321]},{"name":"LinkLocalAlwaysOn","features":[321]},{"name":"LinkLocalDelayed","features":[321]},{"name":"LinkLocalUnchanged","features":[321]},{"name":"LmCharSetASCII","features":[321]},{"name":"LmCharSetISO_8859_1","features":[321]},{"name":"LmCharSetISO_8859_2","features":[321]},{"name":"LmCharSetISO_8859_3","features":[321]},{"name":"LmCharSetISO_8859_4","features":[321]},{"name":"LmCharSetISO_8859_5","features":[321]},{"name":"LmCharSetISO_8859_6","features":[321]},{"name":"LmCharSetISO_8859_7","features":[321]},{"name":"LmCharSetISO_8859_8","features":[321]},{"name":"LmCharSetISO_8859_9","features":[321]},{"name":"LmCharSetUNICODE","features":[321]},{"name":"MAXGETHOSTSTRUCT","features":[321]},{"name":"MAX_IPV4_HLEN","features":[321]},{"name":"MAX_IPV4_PACKET","features":[321]},{"name":"MAX_IPV6_PAYLOAD","features":[321]},{"name":"MAX_MCAST_TTL","features":[321]},{"name":"MAX_PROTOCOL_CHAIN","features":[321]},{"name":"MAX_WINDOW_INCREMENT_PERCENTAGE","features":[321]},{"name":"MCAST_BLOCK_SOURCE","features":[321]},{"name":"MCAST_EXCLUDE","features":[321]},{"name":"MCAST_INCLUDE","features":[321]},{"name":"MCAST_JOIN_GROUP","features":[321]},{"name":"MCAST_JOIN_SOURCE_GROUP","features":[321]},{"name":"MCAST_LEAVE_GROUP","features":[321]},{"name":"MCAST_LEAVE_SOURCE_GROUP","features":[321]},{"name":"MCAST_UNBLOCK_SOURCE","features":[321]},{"name":"MIB_IPPROTO_BBN","features":[321]},{"name":"MIB_IPPROTO_BGP","features":[321]},{"name":"MIB_IPPROTO_CISCO","features":[321]},{"name":"MIB_IPPROTO_DHCP","features":[321]},{"name":"MIB_IPPROTO_DVMRP","features":[321]},{"name":"MIB_IPPROTO_EGP","features":[321]},{"name":"MIB_IPPROTO_EIGRP","features":[321]},{"name":"MIB_IPPROTO_ES_IS","features":[321]},{"name":"MIB_IPPROTO_GGP","features":[321]},{"name":"MIB_IPPROTO_HELLO","features":[321]},{"name":"MIB_IPPROTO_ICMP","features":[321]},{"name":"MIB_IPPROTO_IDPR","features":[321]},{"name":"MIB_IPPROTO_IS_IS","features":[321]},{"name":"MIB_IPPROTO_LOCAL","features":[321]},{"name":"MIB_IPPROTO_NETMGMT","features":[321]},{"name":"MIB_IPPROTO_NT_AUTOSTATIC","features":[321]},{"name":"MIB_IPPROTO_NT_STATIC","features":[321]},{"name":"MIB_IPPROTO_NT_STATIC_NON_DOD","features":[321]},{"name":"MIB_IPPROTO_OSPF","features":[321]},{"name":"MIB_IPPROTO_OTHER","features":[321]},{"name":"MIB_IPPROTO_RIP","features":[321]},{"name":"MIB_IPPROTO_RPL","features":[321]},{"name":"MIT_GUID","features":[321]},{"name":"MIT_IF_LUID","features":[321]},{"name":"MLDV2_QUERY_HEADER","features":[321]},{"name":"MLDV2_REPORT_HEADER","features":[321]},{"name":"MLDV2_REPORT_RECORD_HEADER","features":[321]},{"name":"MLD_HEADER","features":[321]},{"name":"MLD_MAX_RESP_CODE_TYPE","features":[321]},{"name":"MLD_MAX_RESP_CODE_TYPE_FLOAT","features":[321]},{"name":"MLD_MAX_RESP_CODE_TYPE_NORMAL","features":[321]},{"name":"MSG_BCAST","features":[321]},{"name":"MSG_CTRUNC","features":[321]},{"name":"MSG_DONTROUTE","features":[321]},{"name":"MSG_ERRQUEUE","features":[321]},{"name":"MSG_INTERRUPT","features":[321]},{"name":"MSG_MAXIOVLEN","features":[321]},{"name":"MSG_MCAST","features":[321]},{"name":"MSG_OOB","features":[321]},{"name":"MSG_PARTIAL","features":[321]},{"name":"MSG_PEEK","features":[321]},{"name":"MSG_PUSH_IMMEDIATE","features":[321]},{"name":"MSG_TRUNC","features":[321]},{"name":"MSG_WAITALL","features":[321]},{"name":"MULTICAST_MODE_TYPE","features":[321]},{"name":"NAPI_DOMAIN_DESCRIPTION_BLOB","features":[321]},{"name":"NAPI_PROVIDER_INSTALLATION_BLOB","features":[321]},{"name":"NAPI_PROVIDER_LEVEL","features":[321]},{"name":"NAPI_PROVIDER_TYPE","features":[321]},{"name":"ND_NA_FLAG_OVERRIDE","features":[321]},{"name":"ND_NA_FLAG_ROUTER","features":[321]},{"name":"ND_NA_FLAG_SOLICITED","features":[321]},{"name":"ND_NEIGHBOR_ADVERT_HEADER","features":[321]},{"name":"ND_NEIGHBOR_SOLICIT_HEADER","features":[321]},{"name":"ND_OPTION_DNSSL","features":[321]},{"name":"ND_OPTION_HDR","features":[321]},{"name":"ND_OPTION_MTU","features":[321]},{"name":"ND_OPTION_PREFIX_INFO","features":[321]},{"name":"ND_OPTION_RDNSS","features":[321]},{"name":"ND_OPTION_RD_HDR","features":[321]},{"name":"ND_OPTION_ROUTE_INFO","features":[321]},{"name":"ND_OPTION_TYPE","features":[321]},{"name":"ND_OPT_ADVERTISEMENT_INTERVAL","features":[321]},{"name":"ND_OPT_DNSSL","features":[321]},{"name":"ND_OPT_DNSSL_MIN_LEN","features":[321]},{"name":"ND_OPT_HOME_AGENT_INFORMATION","features":[321]},{"name":"ND_OPT_MTU","features":[321]},{"name":"ND_OPT_NBMA_SHORTCUT_LIMIT","features":[321]},{"name":"ND_OPT_PI_FLAG_AUTO","features":[321]},{"name":"ND_OPT_PI_FLAG_ONLINK","features":[321]},{"name":"ND_OPT_PI_FLAG_ROUTE","features":[321]},{"name":"ND_OPT_PI_FLAG_ROUTER_ADDR","features":[321]},{"name":"ND_OPT_PI_FLAG_SITE_PREFIX","features":[321]},{"name":"ND_OPT_PREFIX_INFORMATION","features":[321]},{"name":"ND_OPT_RDNSS","features":[321]},{"name":"ND_OPT_RDNSS_MIN_LEN","features":[321]},{"name":"ND_OPT_REDIRECTED_HEADER","features":[321]},{"name":"ND_OPT_RI_FLAG_PREFERENCE","features":[321]},{"name":"ND_OPT_ROUTE_INFO","features":[321]},{"name":"ND_OPT_SOURCE_ADDR_LIST","features":[321]},{"name":"ND_OPT_SOURCE_LINKADDR","features":[321]},{"name":"ND_OPT_TARGET_ADDR_LIST","features":[321]},{"name":"ND_OPT_TARGET_LINKADDR","features":[321]},{"name":"ND_RA_FLAG_HOME_AGENT","features":[321]},{"name":"ND_RA_FLAG_MANAGED","features":[321]},{"name":"ND_RA_FLAG_OTHER","features":[321]},{"name":"ND_RA_FLAG_PREFERENCE","features":[321]},{"name":"ND_REDIRECT_HEADER","features":[321]},{"name":"ND_ROUTER_ADVERT_HEADER","features":[321]},{"name":"ND_ROUTER_SOLICIT_HEADER","features":[321]},{"name":"NETBIOS_GROUP_NAME","features":[321]},{"name":"NETBIOS_NAME_LENGTH","features":[321]},{"name":"NETBIOS_TYPE_QUICK_GROUP","features":[321]},{"name":"NETBIOS_TYPE_QUICK_UNIQUE","features":[321]},{"name":"NETBIOS_UNIQUE_NAME","features":[321]},{"name":"NETRESOURCE2A","features":[321]},{"name":"NETRESOURCE2W","features":[321]},{"name":"NI_DGRAM","features":[321]},{"name":"NI_MAXHOST","features":[321]},{"name":"NI_MAXSERV","features":[321]},{"name":"NI_NAMEREQD","features":[321]},{"name":"NI_NOFQDN","features":[321]},{"name":"NI_NUMERICHOST","features":[321]},{"name":"NI_NUMERICSERV","features":[321]},{"name":"NLA_802_1X_LOCATION","features":[321]},{"name":"NLA_ALLUSERS_NETWORK","features":[321]},{"name":"NLA_BLOB","features":[321]},{"name":"NLA_BLOB_DATA_TYPE","features":[321]},{"name":"NLA_CONNECTIVITY","features":[321]},{"name":"NLA_CONNECTIVITY_TYPE","features":[321]},{"name":"NLA_FRIENDLY_NAME","features":[321]},{"name":"NLA_ICS","features":[321]},{"name":"NLA_INTERFACE","features":[321]},{"name":"NLA_INTERNET","features":[321]},{"name":"NLA_INTERNET_NO","features":[321]},{"name":"NLA_INTERNET_UNKNOWN","features":[321]},{"name":"NLA_INTERNET_YES","features":[321]},{"name":"NLA_NAMESPACE_GUID","features":[321]},{"name":"NLA_NETWORK_AD_HOC","features":[321]},{"name":"NLA_NETWORK_MANAGED","features":[321]},{"name":"NLA_NETWORK_UNKNOWN","features":[321]},{"name":"NLA_NETWORK_UNMANAGED","features":[321]},{"name":"NLA_RAW_DATA","features":[321]},{"name":"NLA_SERVICE_CLASS_GUID","features":[321]},{"name":"NL_ADDRESS_TYPE","features":[321]},{"name":"NL_BANDWIDTH_FLAG","features":[321]},{"name":"NL_BANDWIDTH_INFORMATION","features":[308,321]},{"name":"NL_DAD_STATE","features":[321]},{"name":"NL_INTERFACE_NETWORK_CATEGORY_STATE","features":[321]},{"name":"NL_INTERFACE_OFFLOAD_ROD","features":[321]},{"name":"NL_LINK_LOCAL_ADDRESS_BEHAVIOR","features":[321]},{"name":"NL_NEIGHBOR_STATE","features":[321]},{"name":"NL_NETWORK_CATEGORY","features":[321]},{"name":"NL_NETWORK_CONNECTIVITY_COST_HINT","features":[321]},{"name":"NL_NETWORK_CONNECTIVITY_HINT","features":[308,321]},{"name":"NL_NETWORK_CONNECTIVITY_LEVEL_HINT","features":[321]},{"name":"NL_PATH_BANDWIDTH_ROD","features":[308,321]},{"name":"NL_PREFIX_ORIGIN","features":[321]},{"name":"NL_ROUTER_DISCOVERY_BEHAVIOR","features":[321]},{"name":"NL_ROUTE_ORIGIN","features":[321]},{"name":"NL_ROUTE_PROTOCOL","features":[321]},{"name":"NL_SUFFIX_ORIGIN","features":[321]},{"name":"NPI_MODULEID","features":[308,321]},{"name":"NPI_MODULEID_TYPE","features":[321]},{"name":"NSPROTO_IPX","features":[321]},{"name":"NSPROTO_SPX","features":[321]},{"name":"NSPROTO_SPXII","features":[321]},{"name":"NSPV2_ROUTINE","features":[308,321,359]},{"name":"NSP_NOTIFY_APC","features":[321]},{"name":"NSP_NOTIFY_EVENT","features":[321]},{"name":"NSP_NOTIFY_HWND","features":[321]},{"name":"NSP_NOTIFY_IMMEDIATELY","features":[321]},{"name":"NSP_NOTIFY_PORT","features":[321]},{"name":"NSP_ROUTINE","features":[308,321,359,313]},{"name":"NSTYPE_DYNAMIC","features":[321]},{"name":"NSTYPE_ENUMERABLE","features":[321]},{"name":"NSTYPE_HIERARCHICAL","features":[321]},{"name":"NSTYPE_WORKGROUP","features":[321]},{"name":"NS_ALL","features":[321]},{"name":"NS_DEFAULT","features":[321]},{"name":"NS_DHCP","features":[321]},{"name":"NS_DNS","features":[321]},{"name":"NS_EMAIL","features":[321]},{"name":"NS_INFOA","features":[321]},{"name":"NS_INFOW","features":[321]},{"name":"NS_LOCALNAME","features":[321]},{"name":"NS_MS","features":[321]},{"name":"NS_NBP","features":[321]},{"name":"NS_NDS","features":[321]},{"name":"NS_NETBT","features":[321]},{"name":"NS_NETDES","features":[321]},{"name":"NS_NIS","features":[321]},{"name":"NS_NISPLUS","features":[321]},{"name":"NS_NLA","features":[321]},{"name":"NS_NTDS","features":[321]},{"name":"NS_PEER_BROWSE","features":[321]},{"name":"NS_SAP","features":[321]},{"name":"NS_SERVICE_INFOA","features":[321,359]},{"name":"NS_SERVICE_INFOW","features":[321,359]},{"name":"NS_SLP","features":[321]},{"name":"NS_STDA","features":[321]},{"name":"NS_TCPIP_HOSTS","features":[321]},{"name":"NS_TCPIP_LOCAL","features":[321]},{"name":"NS_VNS","features":[321]},{"name":"NS_WINS","features":[321]},{"name":"NS_WRQ","features":[321]},{"name":"NS_X500","features":[321]},{"name":"NetworkCategoryDomainAuthenticated","features":[321]},{"name":"NetworkCategoryPrivate","features":[321]},{"name":"NetworkCategoryPublic","features":[321]},{"name":"NetworkCategoryUnchanged","features":[321]},{"name":"NetworkCategoryUnknown","features":[321]},{"name":"NetworkConnectivityCostHintFixed","features":[321]},{"name":"NetworkConnectivityCostHintUnknown","features":[321]},{"name":"NetworkConnectivityCostHintUnrestricted","features":[321]},{"name":"NetworkConnectivityCostHintVariable","features":[321]},{"name":"NetworkConnectivityLevelHintConstrainedInternetAccess","features":[321]},{"name":"NetworkConnectivityLevelHintHidden","features":[321]},{"name":"NetworkConnectivityLevelHintInternetAccess","features":[321]},{"name":"NetworkConnectivityLevelHintLocalAccess","features":[321]},{"name":"NetworkConnectivityLevelHintNone","features":[321]},{"name":"NetworkConnectivityLevelHintUnknown","features":[321]},{"name":"NlatAnycast","features":[321]},{"name":"NlatBroadcast","features":[321]},{"name":"NlatInvalid","features":[321]},{"name":"NlatMulticast","features":[321]},{"name":"NlatUnicast","features":[321]},{"name":"NlatUnspecified","features":[321]},{"name":"NlbwDisabled","features":[321]},{"name":"NlbwEnabled","features":[321]},{"name":"NlbwUnchanged","features":[321]},{"name":"NldsDeprecated","features":[321]},{"name":"NldsDuplicate","features":[321]},{"name":"NldsInvalid","features":[321]},{"name":"NldsPreferred","features":[321]},{"name":"NldsTentative","features":[321]},{"name":"NlincCategoryStateMax","features":[321]},{"name":"NlincCategoryUnknown","features":[321]},{"name":"NlincDomainAuthenticated","features":[321]},{"name":"NlincPrivate","features":[321]},{"name":"NlincPublic","features":[321]},{"name":"NlnsDelay","features":[321]},{"name":"NlnsIncomplete","features":[321]},{"name":"NlnsMaximum","features":[321]},{"name":"NlnsPermanent","features":[321]},{"name":"NlnsProbe","features":[321]},{"name":"NlnsReachable","features":[321]},{"name":"NlnsStale","features":[321]},{"name":"NlnsUnreachable","features":[321]},{"name":"Nlro6to4","features":[321]},{"name":"NlroDHCP","features":[321]},{"name":"NlroManual","features":[321]},{"name":"NlroRouterAdvertisement","features":[321]},{"name":"NlroWellKnown","features":[321]},{"name":"NlsoDhcp","features":[321]},{"name":"NlsoLinkLayerAddress","features":[321]},{"name":"NlsoManual","features":[321]},{"name":"NlsoOther","features":[321]},{"name":"NlsoRandom","features":[321]},{"name":"NlsoWellKnown","features":[321]},{"name":"PFL_HIDDEN","features":[321]},{"name":"PFL_MATCHES_PROTOCOL_ZERO","features":[321]},{"name":"PFL_MULTIPLE_PROTO_ENTRIES","features":[321]},{"name":"PFL_NETWORKDIRECT_PROVIDER","features":[321]},{"name":"PFL_RECOMMENDED_PROTO_ENTRY","features":[321]},{"name":"PF_APPLETALK","features":[321]},{"name":"PF_ATM","features":[321]},{"name":"PF_BAN","features":[321]},{"name":"PF_CCITT","features":[321]},{"name":"PF_CHAOS","features":[321]},{"name":"PF_DATAKIT","features":[321]},{"name":"PF_DECnet","features":[321]},{"name":"PF_DLI","features":[321]},{"name":"PF_ECMA","features":[321]},{"name":"PF_FIREFOX","features":[321]},{"name":"PF_HYLINK","features":[321]},{"name":"PF_IMPLINK","features":[321]},{"name":"PF_IPX","features":[321]},{"name":"PF_IRDA","features":[321]},{"name":"PF_ISO","features":[321]},{"name":"PF_LAT","features":[321]},{"name":"PF_MAX","features":[321]},{"name":"PF_NS","features":[321]},{"name":"PF_OSI","features":[321]},{"name":"PF_PUP","features":[321]},{"name":"PF_SNA","features":[321]},{"name":"PF_UNIX","features":[321]},{"name":"PF_UNKNOWN1","features":[321]},{"name":"PF_VOICEVIEW","features":[321]},{"name":"PI_ALLOWED","features":[321]},{"name":"PI_NUMBER_NOT_AVAILABLE","features":[321]},{"name":"PI_RESTRICTED","features":[321]},{"name":"PMTUD_STATE","features":[321]},{"name":"POLLERR","features":[321]},{"name":"POLLHUP","features":[321]},{"name":"POLLIN","features":[321]},{"name":"POLLNVAL","features":[321]},{"name":"POLLOUT","features":[321]},{"name":"POLLPRI","features":[321]},{"name":"POLLRDBAND","features":[321]},{"name":"POLLRDNORM","features":[321]},{"name":"POLLWRBAND","features":[321]},{"name":"POLLWRNORM","features":[321]},{"name":"PRIORITY_STATUS","features":[321]},{"name":"PROP_ADDRESSES","features":[321]},{"name":"PROP_ALL","features":[321]},{"name":"PROP_COMMENT","features":[321]},{"name":"PROP_DISPLAY_HINT","features":[321]},{"name":"PROP_LOCALE","features":[321]},{"name":"PROP_MACHINE","features":[321]},{"name":"PROP_SD","features":[321]},{"name":"PROP_START_TIME","features":[321]},{"name":"PROP_VERSION","features":[321]},{"name":"PROTECTION_LEVEL_DEFAULT","features":[321]},{"name":"PROTECTION_LEVEL_EDGERESTRICTED","features":[321]},{"name":"PROTECTION_LEVEL_RESTRICTED","features":[321]},{"name":"PROTECTION_LEVEL_UNRESTRICTED","features":[321]},{"name":"PROTOCOL_INFOA","features":[321]},{"name":"PROTOCOL_INFOW","features":[321]},{"name":"PROTOENT","features":[321]},{"name":"PROTO_IP_BBN","features":[321]},{"name":"PROTO_IP_BGP","features":[321]},{"name":"PROTO_IP_CISCO","features":[321]},{"name":"PROTO_IP_DHCP","features":[321]},{"name":"PROTO_IP_DVMRP","features":[321]},{"name":"PROTO_IP_EGP","features":[321]},{"name":"PROTO_IP_EIGRP","features":[321]},{"name":"PROTO_IP_ES_IS","features":[321]},{"name":"PROTO_IP_GGP","features":[321]},{"name":"PROTO_IP_HELLO","features":[321]},{"name":"PROTO_IP_ICMP","features":[321]},{"name":"PROTO_IP_IDPR","features":[321]},{"name":"PROTO_IP_IS_IS","features":[321]},{"name":"PROTO_IP_LOCAL","features":[321]},{"name":"PROTO_IP_NETMGMT","features":[321]},{"name":"PROTO_IP_NT_AUTOSTATIC","features":[321]},{"name":"PROTO_IP_NT_STATIC","features":[321]},{"name":"PROTO_IP_NT_STATIC_NON_DOD","features":[321]},{"name":"PROTO_IP_OSPF","features":[321]},{"name":"PROTO_IP_OTHER","features":[321]},{"name":"PROTO_IP_RIP","features":[321]},{"name":"PROTO_IP_RPL","features":[321]},{"name":"PVD_CONFIG","features":[321]},{"name":"ProcessSocketNotifications","features":[308,321,313]},{"name":"ProviderInfoAudit","features":[321]},{"name":"ProviderInfoLspCategories","features":[321]},{"name":"ProviderLevel_None","features":[321]},{"name":"ProviderLevel_Primary","features":[321]},{"name":"ProviderLevel_Secondary","features":[321]},{"name":"ProviderType_Application","features":[321]},{"name":"ProviderType_Service","features":[321]},{"name":"Q2931_IE","features":[321]},{"name":"Q2931_IE_TYPE","features":[321]},{"name":"QOS","features":[321]},{"name":"QOS_CLASS0","features":[321]},{"name":"QOS_CLASS1","features":[321]},{"name":"QOS_CLASS2","features":[321]},{"name":"QOS_CLASS3","features":[321]},{"name":"QOS_CLASS4","features":[321]},{"name":"RCVALL_IF","features":[321]},{"name":"RCVALL_IPLEVEL","features":[321]},{"name":"RCVALL_OFF","features":[321]},{"name":"RCVALL_ON","features":[321]},{"name":"RCVALL_SOCKETLEVELONLY","features":[321]},{"name":"RCVALL_VALUE","features":[321]},{"name":"REAL_TIME_NOTIFICATION_CAPABILITY","features":[321]},{"name":"REAL_TIME_NOTIFICATION_CAPABILITY_EX","features":[321]},{"name":"REAL_TIME_NOTIFICATION_SETTING_INPUT","features":[321]},{"name":"REAL_TIME_NOTIFICATION_SETTING_INPUT_EX","features":[308,321]},{"name":"REAL_TIME_NOTIFICATION_SETTING_OUTPUT","features":[321]},{"name":"RESOURCEDISPLAYTYPE_DOMAIN","features":[321]},{"name":"RESOURCEDISPLAYTYPE_FILE","features":[321]},{"name":"RESOURCEDISPLAYTYPE_GENERIC","features":[321]},{"name":"RESOURCEDISPLAYTYPE_GROUP","features":[321]},{"name":"RESOURCEDISPLAYTYPE_SERVER","features":[321]},{"name":"RESOURCEDISPLAYTYPE_SHARE","features":[321]},{"name":"RESOURCEDISPLAYTYPE_TREE","features":[321]},{"name":"RESOURCE_DISPLAY_TYPE","features":[321]},{"name":"RESULT_IS_ADDED","features":[321]},{"name":"RESULT_IS_ALIAS","features":[321]},{"name":"RESULT_IS_CHANGED","features":[321]},{"name":"RESULT_IS_DELETED","features":[321]},{"name":"RES_FIND_MULTIPLE","features":[321]},{"name":"RES_FLUSH_CACHE","features":[321]},{"name":"RES_SERVICE","features":[321]},{"name":"RES_SOFT_SEARCH","features":[321]},{"name":"RES_UNUSED_1","features":[321]},{"name":"RIORESULT","features":[321]},{"name":"RIO_BUF","features":[321]},{"name":"RIO_BUFFERID","features":[321]},{"name":"RIO_CMSG_BUFFER","features":[321]},{"name":"RIO_CORRUPT_CQ","features":[321]},{"name":"RIO_CQ","features":[321]},{"name":"RIO_EVENT_COMPLETION","features":[321]},{"name":"RIO_EXTENSION_FUNCTION_TABLE","features":[308,321]},{"name":"RIO_IOCP_COMPLETION","features":[321]},{"name":"RIO_MAX_CQ_SIZE","features":[321]},{"name":"RIO_MSG_COMMIT_ONLY","features":[321]},{"name":"RIO_MSG_DEFER","features":[321]},{"name":"RIO_MSG_DONT_NOTIFY","features":[321]},{"name":"RIO_MSG_WAITALL","features":[321]},{"name":"RIO_NOTIFICATION_COMPLETION","features":[308,321]},{"name":"RIO_NOTIFICATION_COMPLETION_TYPE","features":[321]},{"name":"RIO_RQ","features":[321]},{"name":"RM_ADD_RECEIVE_IF","features":[321]},{"name":"RM_DEL_RECEIVE_IF","features":[321]},{"name":"RM_FEC_INFO","features":[308,321]},{"name":"RM_FLUSHCACHE","features":[321]},{"name":"RM_HIGH_SPEED_INTRANET_OPT","features":[321]},{"name":"RM_LATEJOIN","features":[321]},{"name":"RM_OPTIONSBASE","features":[321]},{"name":"RM_RATE_WINDOW_SIZE","features":[321]},{"name":"RM_RECEIVER_STATISTICS","features":[321]},{"name":"RM_RECEIVER_STATS","features":[321]},{"name":"RM_SENDER_STATISTICS","features":[321]},{"name":"RM_SENDER_STATS","features":[321]},{"name":"RM_SENDER_WINDOW_ADVANCE_METHOD","features":[321]},{"name":"RM_SEND_WINDOW","features":[321]},{"name":"RM_SEND_WINDOW_ADV_RATE","features":[321]},{"name":"RM_SET_MCAST_TTL","features":[321]},{"name":"RM_SET_MESSAGE_BOUNDARY","features":[321]},{"name":"RM_SET_SEND_IF","features":[321]},{"name":"RM_USE_FEC","features":[321]},{"name":"RNRSERVICE_DELETE","features":[321]},{"name":"RNRSERVICE_DEREGISTER","features":[321]},{"name":"RNRSERVICE_REGISTER","features":[321]},{"name":"RSS_SCALABILITY_INFO","features":[308,321]},{"name":"RouteProtocolBbn","features":[321]},{"name":"RouteProtocolBgp","features":[321]},{"name":"RouteProtocolCisco","features":[321]},{"name":"RouteProtocolDhcp","features":[321]},{"name":"RouteProtocolDvmrp","features":[321]},{"name":"RouteProtocolEgp","features":[321]},{"name":"RouteProtocolEigrp","features":[321]},{"name":"RouteProtocolEsIs","features":[321]},{"name":"RouteProtocolGgp","features":[321]},{"name":"RouteProtocolHello","features":[321]},{"name":"RouteProtocolIcmp","features":[321]},{"name":"RouteProtocolIdpr","features":[321]},{"name":"RouteProtocolIsIs","features":[321]},{"name":"RouteProtocolLocal","features":[321]},{"name":"RouteProtocolNetMgmt","features":[321]},{"name":"RouteProtocolOspf","features":[321]},{"name":"RouteProtocolOther","features":[321]},{"name":"RouteProtocolRip","features":[321]},{"name":"RouteProtocolRpl","features":[321]},{"name":"RouterDiscoveryDhcp","features":[321]},{"name":"RouterDiscoveryDisabled","features":[321]},{"name":"RouterDiscoveryEnabled","features":[321]},{"name":"RouterDiscoveryUnchanged","features":[321]},{"name":"RtlEthernetAddressToStringA","features":[321]},{"name":"RtlEthernetAddressToStringW","features":[321]},{"name":"RtlEthernetStringToAddressA","features":[321]},{"name":"RtlEthernetStringToAddressW","features":[321]},{"name":"RtlIpv4AddressToStringA","features":[321]},{"name":"RtlIpv4AddressToStringExA","features":[321]},{"name":"RtlIpv4AddressToStringExW","features":[321]},{"name":"RtlIpv4AddressToStringW","features":[321]},{"name":"RtlIpv4StringToAddressA","features":[308,321]},{"name":"RtlIpv4StringToAddressExA","features":[308,321]},{"name":"RtlIpv4StringToAddressExW","features":[308,321]},{"name":"RtlIpv4StringToAddressW","features":[308,321]},{"name":"RtlIpv6AddressToStringA","features":[321]},{"name":"RtlIpv6AddressToStringExA","features":[321]},{"name":"RtlIpv6AddressToStringExW","features":[321]},{"name":"RtlIpv6AddressToStringW","features":[321]},{"name":"RtlIpv6StringToAddressA","features":[321]},{"name":"RtlIpv6StringToAddressExA","features":[321]},{"name":"RtlIpv6StringToAddressExW","features":[321]},{"name":"RtlIpv6StringToAddressW","features":[321]},{"name":"SAP_FIELD_ABSENT","features":[321]},{"name":"SAP_FIELD_ANY","features":[321]},{"name":"SAP_FIELD_ANY_AESA_REST","features":[321]},{"name":"SAP_FIELD_ANY_AESA_SEL","features":[321]},{"name":"SCOPE_ID","features":[321]},{"name":"SCOPE_LEVEL","features":[321]},{"name":"SD_BOTH","features":[321]},{"name":"SD_RECEIVE","features":[321]},{"name":"SD_SEND","features":[321]},{"name":"SECURITY_PROTOCOL_NONE","features":[321]},{"name":"SENDER_DEFAULT_LATE_JOINER_PERCENTAGE","features":[321]},{"name":"SENDER_DEFAULT_RATE_KBITS_PER_SEC","features":[321]},{"name":"SENDER_DEFAULT_WINDOW_ADV_PERCENTAGE","features":[321]},{"name":"SENDER_MAX_LATE_JOINER_PERCENTAGE","features":[321]},{"name":"SEND_RECV_FLAGS","features":[321]},{"name":"SERVENT","features":[321]},{"name":"SERVENT","features":[321]},{"name":"SERVICE_ADDRESS","features":[321]},{"name":"SERVICE_ADDRESSES","features":[321]},{"name":"SERVICE_ADDRESS_FLAG_RPC_CN","features":[321]},{"name":"SERVICE_ADDRESS_FLAG_RPC_DG","features":[321]},{"name":"SERVICE_ADDRESS_FLAG_RPC_NB","features":[321]},{"name":"SERVICE_ADD_TYPE","features":[321]},{"name":"SERVICE_ASYNC_INFO","features":[308,321]},{"name":"SERVICE_DELETE_TYPE","features":[321]},{"name":"SERVICE_DEREGISTER","features":[321]},{"name":"SERVICE_FLAG_DEFER","features":[321]},{"name":"SERVICE_FLAG_HARD","features":[321]},{"name":"SERVICE_FLUSH","features":[321]},{"name":"SERVICE_INFOA","features":[321,359]},{"name":"SERVICE_INFOW","features":[321,359]},{"name":"SERVICE_LOCAL","features":[321]},{"name":"SERVICE_MULTIPLE","features":[321]},{"name":"SERVICE_REGISTER","features":[321]},{"name":"SERVICE_RESOURCE","features":[321]},{"name":"SERVICE_SERVICE","features":[321]},{"name":"SERVICE_TYPE_INFO","features":[321]},{"name":"SERVICE_TYPE_INFO_ABSA","features":[321]},{"name":"SERVICE_TYPE_INFO_ABSW","features":[321]},{"name":"SERVICE_TYPE_VALUE","features":[321]},{"name":"SERVICE_TYPE_VALUE_ABSA","features":[321]},{"name":"SERVICE_TYPE_VALUE_ABSW","features":[321]},{"name":"SERVICE_TYPE_VALUE_CONN","features":[321]},{"name":"SERVICE_TYPE_VALUE_CONNA","features":[321]},{"name":"SERVICE_TYPE_VALUE_CONNW","features":[321]},{"name":"SERVICE_TYPE_VALUE_IPXPORTA","features":[321]},{"name":"SERVICE_TYPE_VALUE_IPXPORTW","features":[321]},{"name":"SERVICE_TYPE_VALUE_OBJECTID","features":[321]},{"name":"SERVICE_TYPE_VALUE_OBJECTIDA","features":[321]},{"name":"SERVICE_TYPE_VALUE_OBJECTIDW","features":[321]},{"name":"SERVICE_TYPE_VALUE_SAPID","features":[321]},{"name":"SERVICE_TYPE_VALUE_SAPIDA","features":[321]},{"name":"SERVICE_TYPE_VALUE_SAPIDW","features":[321]},{"name":"SERVICE_TYPE_VALUE_TCPPORT","features":[321]},{"name":"SERVICE_TYPE_VALUE_TCPPORTA","features":[321]},{"name":"SERVICE_TYPE_VALUE_TCPPORTW","features":[321]},{"name":"SERVICE_TYPE_VALUE_UDPPORT","features":[321]},{"name":"SERVICE_TYPE_VALUE_UDPPORTA","features":[321]},{"name":"SERVICE_TYPE_VALUE_UDPPORTW","features":[321]},{"name":"SET_SERVICE_OPERATION","features":[321]},{"name":"SET_SERVICE_PARTIAL_SUCCESS","features":[321]},{"name":"SG_CONSTRAINED_GROUP","features":[321]},{"name":"SG_UNCONSTRAINED_GROUP","features":[321]},{"name":"SIOCATMARK","features":[321]},{"name":"SIOCGHIWAT","features":[321]},{"name":"SIOCGLOWAT","features":[321]},{"name":"SIOCSHIWAT","features":[321]},{"name":"SIOCSLOWAT","features":[321]},{"name":"SIO_ABSORB_RTRALERT","features":[321]},{"name":"SIO_ACQUIRE_PORT_RESERVATION","features":[321]},{"name":"SIO_ADDRESS_LIST_CHANGE","features":[321]},{"name":"SIO_ADDRESS_LIST_QUERY","features":[321]},{"name":"SIO_ADDRESS_LIST_SORT","features":[321]},{"name":"SIO_AF_UNIX_GETPEERPID","features":[321]},{"name":"SIO_AF_UNIX_SETBINDPARENTPATH","features":[321]},{"name":"SIO_AF_UNIX_SETCONNPARENTPATH","features":[321]},{"name":"SIO_APPLY_TRANSPORT_SETTING","features":[321]},{"name":"SIO_ASSOCIATE_HANDLE","features":[321]},{"name":"SIO_ASSOCIATE_PORT_RESERVATION","features":[321]},{"name":"SIO_ASSOCIATE_PVC","features":[321]},{"name":"SIO_BASE_HANDLE","features":[321]},{"name":"SIO_BSP_HANDLE","features":[321]},{"name":"SIO_BSP_HANDLE_POLL","features":[321]},{"name":"SIO_BSP_HANDLE_SELECT","features":[321]},{"name":"SIO_CPU_AFFINITY","features":[321]},{"name":"SIO_DELETE_PEER_TARGET_NAME","features":[321]},{"name":"SIO_ENABLE_CIRCULAR_QUEUEING","features":[321]},{"name":"SIO_EXT_POLL","features":[321]},{"name":"SIO_EXT_SELECT","features":[321]},{"name":"SIO_EXT_SENDMSG","features":[321]},{"name":"SIO_FIND_ROUTE","features":[321]},{"name":"SIO_FLUSH","features":[321]},{"name":"SIO_GET_ATM_ADDRESS","features":[321]},{"name":"SIO_GET_ATM_CONNECTION_ID","features":[321]},{"name":"SIO_GET_BROADCAST_ADDRESS","features":[321]},{"name":"SIO_GET_EXTENSION_FUNCTION_POINTER","features":[321]},{"name":"SIO_GET_GROUP_QOS","features":[321]},{"name":"SIO_GET_MULTIPLE_EXTENSION_FUNCTION_POINTER","features":[321]},{"name":"SIO_GET_NUMBER_OF_ATM_DEVICES","features":[321]},{"name":"SIO_GET_QOS","features":[321]},{"name":"SIO_GET_TX_TIMESTAMP","features":[321]},{"name":"SIO_INDEX_ADD_MCAST","features":[321]},{"name":"SIO_INDEX_BIND","features":[321]},{"name":"SIO_INDEX_DEL_MCAST","features":[321]},{"name":"SIO_INDEX_MCASTIF","features":[321]},{"name":"SIO_KEEPALIVE_VALS","features":[321]},{"name":"SIO_LIMIT_BROADCASTS","features":[321]},{"name":"SIO_LOOPBACK_FAST_PATH","features":[321]},{"name":"SIO_MULTICAST_SCOPE","features":[321]},{"name":"SIO_MULTIPOINT_LOOPBACK","features":[321]},{"name":"SIO_NSP_NOTIFY_CHANGE","features":[321]},{"name":"SIO_PRIORITY_HINT","features":[321]},{"name":"SIO_QUERY_RSS_PROCESSOR_INFO","features":[321]},{"name":"SIO_QUERY_RSS_SCALABILITY_INFO","features":[321]},{"name":"SIO_QUERY_SECURITY","features":[321]},{"name":"SIO_QUERY_TARGET_PNP_HANDLE","features":[321]},{"name":"SIO_QUERY_TRANSPORT_SETTING","features":[321]},{"name":"SIO_QUERY_WFP_ALE_ENDPOINT_HANDLE","features":[321]},{"name":"SIO_QUERY_WFP_CONNECTION_REDIRECT_CONTEXT","features":[321]},{"name":"SIO_QUERY_WFP_CONNECTION_REDIRECT_RECORDS","features":[321]},{"name":"SIO_RCVALL","features":[321]},{"name":"SIO_RCVALL_IF","features":[321]},{"name":"SIO_RCVALL_IGMPMCAST","features":[321]},{"name":"SIO_RCVALL_MCAST","features":[321]},{"name":"SIO_RCVALL_MCAST_IF","features":[321]},{"name":"SIO_RELEASE_PORT_RESERVATION","features":[321]},{"name":"SIO_RESERVED_1","features":[321]},{"name":"SIO_RESERVED_2","features":[321]},{"name":"SIO_ROUTING_INTERFACE_CHANGE","features":[321]},{"name":"SIO_ROUTING_INTERFACE_QUERY","features":[321]},{"name":"SIO_SET_COMPATIBILITY_MODE","features":[321]},{"name":"SIO_SET_GROUP_QOS","features":[321]},{"name":"SIO_SET_PEER_TARGET_NAME","features":[321]},{"name":"SIO_SET_PRIORITY_HINT","features":[321]},{"name":"SIO_SET_QOS","features":[321]},{"name":"SIO_SET_SECURITY","features":[321]},{"name":"SIO_SET_WFP_CONNECTION_REDIRECT_RECORDS","features":[321]},{"name":"SIO_SOCKET_CLOSE_NOTIFY","features":[321]},{"name":"SIO_SOCKET_USAGE_NOTIFICATION","features":[321]},{"name":"SIO_TCP_INFO","features":[321]},{"name":"SIO_TCP_INITIAL_RTO","features":[321]},{"name":"SIO_TCP_SET_ACK_FREQUENCY","features":[321]},{"name":"SIO_TCP_SET_ICW","features":[321]},{"name":"SIO_TIMESTAMPING","features":[321]},{"name":"SIO_TRANSLATE_HANDLE","features":[321]},{"name":"SIO_UCAST_IF","features":[321]},{"name":"SIO_UDP_CONNRESET","features":[321]},{"name":"SIO_UDP_NETRESET","features":[321]},{"name":"SIZEOF_IP_OPT_ROUTERALERT","features":[321]},{"name":"SIZEOF_IP_OPT_ROUTING_HEADER","features":[321]},{"name":"SIZEOF_IP_OPT_SECURITY","features":[321]},{"name":"SIZEOF_IP_OPT_STREAMIDENTIFIER","features":[321]},{"name":"SIZEOF_IP_OPT_TIMESTAMP_HEADER","features":[321]},{"name":"SI_NETWORK","features":[321]},{"name":"SI_USER_FAILED","features":[321]},{"name":"SI_USER_NOT_SCREENED","features":[321]},{"name":"SI_USER_PASSED","features":[321]},{"name":"SNAP_CONTROL","features":[321]},{"name":"SNAP_DSAP","features":[321]},{"name":"SNAP_HEADER","features":[321]},{"name":"SNAP_OUI","features":[321]},{"name":"SNAP_SSAP","features":[321]},{"name":"SOCKADDR","features":[321]},{"name":"SOCKADDR_ATM","features":[321]},{"name":"SOCKADDR_DL","features":[321]},{"name":"SOCKADDR_IN","features":[321]},{"name":"SOCKADDR_IN6","features":[321]},{"name":"SOCKADDR_IN6_PAIR","features":[321]},{"name":"SOCKADDR_IN6_W2KSP1","features":[321]},{"name":"SOCKADDR_INET","features":[321]},{"name":"SOCKADDR_IPX","features":[321]},{"name":"SOCKADDR_IRDA","features":[321]},{"name":"SOCKADDR_NB","features":[321]},{"name":"SOCKADDR_STORAGE","features":[321]},{"name":"SOCKADDR_STORAGE_XP","features":[321]},{"name":"SOCKADDR_TP","features":[321]},{"name":"SOCKADDR_UN","features":[321]},{"name":"SOCKADDR_VNS","features":[321]},{"name":"SOCKET","features":[321]},{"name":"SOCKET_ADDRESS","features":[321]},{"name":"SOCKET_ADDRESS_LIST","features":[321]},{"name":"SOCKET_DEFAULT2_QM_POLICY","features":[321]},{"name":"SOCKET_ERROR","features":[321]},{"name":"SOCKET_INFO_CONNECTION_ENCRYPTED","features":[321]},{"name":"SOCKET_INFO_CONNECTION_IMPERSONATED","features":[321]},{"name":"SOCKET_INFO_CONNECTION_SECURED","features":[321]},{"name":"SOCKET_PEER_TARGET_NAME","features":[321]},{"name":"SOCKET_PRIORITY_HINT","features":[321]},{"name":"SOCKET_PROCESSOR_AFFINITY","features":[321,314]},{"name":"SOCKET_QUERY_IPSEC2_ABORT_CONNECTION_ON_FIELD_CHANGE","features":[321]},{"name":"SOCKET_QUERY_IPSEC2_FIELD_MASK_MM_SA_ID","features":[321]},{"name":"SOCKET_QUERY_IPSEC2_FIELD_MASK_QM_SA_ID","features":[321]},{"name":"SOCKET_SECURITY_PROTOCOL","features":[321]},{"name":"SOCKET_SECURITY_PROTOCOL_DEFAULT","features":[321]},{"name":"SOCKET_SECURITY_PROTOCOL_INVALID","features":[321]},{"name":"SOCKET_SECURITY_PROTOCOL_IPSEC","features":[321]},{"name":"SOCKET_SECURITY_PROTOCOL_IPSEC2","features":[321]},{"name":"SOCKET_SECURITY_QUERY_INFO","features":[321]},{"name":"SOCKET_SECURITY_QUERY_INFO_IPSEC2","features":[321]},{"name":"SOCKET_SECURITY_QUERY_TEMPLATE","features":[321]},{"name":"SOCKET_SECURITY_QUERY_TEMPLATE_IPSEC2","features":[321]},{"name":"SOCKET_SECURITY_SETTINGS","features":[321]},{"name":"SOCKET_SECURITY_SETTINGS_IPSEC","features":[321]},{"name":"SOCKET_SETTINGS_ALLOW_INSECURE","features":[321]},{"name":"SOCKET_SETTINGS_GUARANTEE_ENCRYPTION","features":[321]},{"name":"SOCKET_SETTINGS_IPSEC_ALLOW_FIRST_INBOUND_PKT_UNENCRYPTED","features":[321]},{"name":"SOCKET_SETTINGS_IPSEC_OPTIONAL_PEER_NAME_VERIFICATION","features":[321]},{"name":"SOCKET_SETTINGS_IPSEC_PEER_NAME_IS_RAW_FORMAT","features":[321]},{"name":"SOCKET_SETTINGS_IPSEC_SKIP_FILTER_INSTANTIATION","features":[321]},{"name":"SOCKET_USAGE_TYPE","features":[321]},{"name":"SOCK_DGRAM","features":[321]},{"name":"SOCK_NOTIFY_EVENT_ERR","features":[321]},{"name":"SOCK_NOTIFY_EVENT_HANGUP","features":[321]},{"name":"SOCK_NOTIFY_EVENT_IN","features":[321]},{"name":"SOCK_NOTIFY_EVENT_OUT","features":[321]},{"name":"SOCK_NOTIFY_EVENT_REMOVE","features":[321]},{"name":"SOCK_NOTIFY_OP_DISABLE","features":[321]},{"name":"SOCK_NOTIFY_OP_ENABLE","features":[321]},{"name":"SOCK_NOTIFY_OP_NONE","features":[321]},{"name":"SOCK_NOTIFY_OP_REMOVE","features":[321]},{"name":"SOCK_NOTIFY_REGISTER_EVENT_HANGUP","features":[321]},{"name":"SOCK_NOTIFY_REGISTER_EVENT_IN","features":[321]},{"name":"SOCK_NOTIFY_REGISTER_EVENT_NONE","features":[321]},{"name":"SOCK_NOTIFY_REGISTER_EVENT_OUT","features":[321]},{"name":"SOCK_NOTIFY_REGISTRATION","features":[321]},{"name":"SOCK_NOTIFY_TRIGGER_EDGE","features":[321]},{"name":"SOCK_NOTIFY_TRIGGER_LEVEL","features":[321]},{"name":"SOCK_NOTIFY_TRIGGER_ONESHOT","features":[321]},{"name":"SOCK_NOTIFY_TRIGGER_PERSISTENT","features":[321]},{"name":"SOCK_RAW","features":[321]},{"name":"SOCK_RDM","features":[321]},{"name":"SOCK_SEQPACKET","features":[321]},{"name":"SOCK_STREAM","features":[321]},{"name":"SOL_IP","features":[321]},{"name":"SOL_IPV6","features":[321]},{"name":"SOL_IRLMP","features":[321]},{"name":"SOL_SOCKET","features":[321]},{"name":"SOMAXCONN","features":[321]},{"name":"SO_ACCEPTCONN","features":[321]},{"name":"SO_BROADCAST","features":[321]},{"name":"SO_BSP_STATE","features":[321]},{"name":"SO_COMPARTMENT_ID","features":[321]},{"name":"SO_CONDITIONAL_ACCEPT","features":[321]},{"name":"SO_CONNDATA","features":[321]},{"name":"SO_CONNDATALEN","features":[321]},{"name":"SO_CONNECT_TIME","features":[321]},{"name":"SO_CONNOPT","features":[321]},{"name":"SO_CONNOPTLEN","features":[321]},{"name":"SO_DEBUG","features":[321]},{"name":"SO_DISCDATA","features":[321]},{"name":"SO_DISCDATALEN","features":[321]},{"name":"SO_DISCOPT","features":[321]},{"name":"SO_DISCOPTLEN","features":[321]},{"name":"SO_DONTROUTE","features":[321]},{"name":"SO_ERROR","features":[321]},{"name":"SO_GROUP_ID","features":[321]},{"name":"SO_GROUP_PRIORITY","features":[321]},{"name":"SO_KEEPALIVE","features":[321]},{"name":"SO_LINGER","features":[321]},{"name":"SO_MAXDG","features":[321]},{"name":"SO_MAXPATHDG","features":[321]},{"name":"SO_MAX_MSG_SIZE","features":[321]},{"name":"SO_OOBINLINE","features":[321]},{"name":"SO_OPENTYPE","features":[321]},{"name":"SO_ORIGINAL_DST","features":[321]},{"name":"SO_PAUSE_ACCEPT","features":[321]},{"name":"SO_PORT_SCALABILITY","features":[321]},{"name":"SO_PROTOCOL_INFO","features":[321]},{"name":"SO_PROTOCOL_INFOA","features":[321]},{"name":"SO_PROTOCOL_INFOW","features":[321]},{"name":"SO_RANDOMIZE_PORT","features":[321]},{"name":"SO_RCVBUF","features":[321]},{"name":"SO_RCVLOWAT","features":[321]},{"name":"SO_RCVTIMEO","features":[321]},{"name":"SO_REUSEADDR","features":[321]},{"name":"SO_REUSE_MULTICASTPORT","features":[321]},{"name":"SO_REUSE_UNICASTPORT","features":[321]},{"name":"SO_SNDBUF","features":[321]},{"name":"SO_SNDLOWAT","features":[321]},{"name":"SO_SNDTIMEO","features":[321]},{"name":"SO_SYNCHRONOUS_ALERT","features":[321]},{"name":"SO_SYNCHRONOUS_NONALERT","features":[321]},{"name":"SO_TIMESTAMP","features":[321]},{"name":"SO_TIMESTAMP_ID","features":[321]},{"name":"SO_TYPE","features":[321]},{"name":"SO_UPDATE_ACCEPT_CONTEXT","features":[321]},{"name":"SO_UPDATE_CONNECT_CONTEXT","features":[321]},{"name":"SO_USELOOPBACK","features":[321]},{"name":"SYSTEM_CRITICAL_SOCKET","features":[321]},{"name":"ScopeLevelAdmin","features":[321]},{"name":"ScopeLevelCount","features":[321]},{"name":"ScopeLevelGlobal","features":[321]},{"name":"ScopeLevelInterface","features":[321]},{"name":"ScopeLevelLink","features":[321]},{"name":"ScopeLevelOrganization","features":[321]},{"name":"ScopeLevelSite","features":[321]},{"name":"ScopeLevelSubnet","features":[321]},{"name":"SetAddrInfoExA","features":[308,321,359,313]},{"name":"SetAddrInfoExW","features":[308,321,359,313]},{"name":"SetServiceA","features":[308,321,359]},{"name":"SetServiceW","features":[308,321,359]},{"name":"SetSocketMediaStreamingMode","features":[308,321]},{"name":"SocketMaximumPriorityHintType","features":[321]},{"name":"SocketPriorityHintLow","features":[321]},{"name":"SocketPriorityHintNormal","features":[321]},{"name":"SocketPriorityHintVeryLow","features":[321]},{"name":"TCPSTATE","features":[321]},{"name":"TCPSTATE_CLOSED","features":[321]},{"name":"TCPSTATE_CLOSE_WAIT","features":[321]},{"name":"TCPSTATE_CLOSING","features":[321]},{"name":"TCPSTATE_ESTABLISHED","features":[321]},{"name":"TCPSTATE_FIN_WAIT_1","features":[321]},{"name":"TCPSTATE_FIN_WAIT_2","features":[321]},{"name":"TCPSTATE_LAST_ACK","features":[321]},{"name":"TCPSTATE_LISTEN","features":[321]},{"name":"TCPSTATE_MAX","features":[321]},{"name":"TCPSTATE_SYN_RCVD","features":[321]},{"name":"TCPSTATE_SYN_SENT","features":[321]},{"name":"TCPSTATE_TIME_WAIT","features":[321]},{"name":"TCP_ACK_FREQUENCY_PARAMETERS","features":[321]},{"name":"TCP_ATMARK","features":[321]},{"name":"TCP_BSDURGENT","features":[321]},{"name":"TCP_CONGESTION_ALGORITHM","features":[321]},{"name":"TCP_DELAY_FIN_ACK","features":[321]},{"name":"TCP_EXPEDITED_1122","features":[321]},{"name":"TCP_FAIL_CONNECT_ON_ICMP_ERROR","features":[321]},{"name":"TCP_FASTOPEN","features":[321]},{"name":"TCP_HDR","features":[321]},{"name":"TCP_ICMP_ERROR_INFO","features":[321]},{"name":"TCP_ICW_LEVEL","features":[321]},{"name":"TCP_ICW_LEVEL_AGGRESSIVE","features":[321]},{"name":"TCP_ICW_LEVEL_COMPAT","features":[321]},{"name":"TCP_ICW_LEVEL_DEFAULT","features":[321]},{"name":"TCP_ICW_LEVEL_EXPERIMENTAL","features":[321]},{"name":"TCP_ICW_LEVEL_HIGH","features":[321]},{"name":"TCP_ICW_LEVEL_MAX","features":[321]},{"name":"TCP_ICW_LEVEL_VERY_HIGH","features":[321]},{"name":"TCP_ICW_PARAMETERS","features":[321]},{"name":"TCP_INFO_v0","features":[308,321]},{"name":"TCP_INFO_v1","features":[308,321]},{"name":"TCP_INITIAL_RTO_DEFAULT_MAX_SYN_RETRANSMISSIONS","features":[321]},{"name":"TCP_INITIAL_RTO_DEFAULT_RTT","features":[321]},{"name":"TCP_INITIAL_RTO_NO_SYN_RETRANSMISSIONS","features":[321]},{"name":"TCP_INITIAL_RTO_PARAMETERS","features":[321]},{"name":"TCP_INITIAL_RTO_UNSPECIFIED_MAX_SYN_RETRANSMISSIONS","features":[321]},{"name":"TCP_KEEPALIVE","features":[321]},{"name":"TCP_KEEPCNT","features":[321]},{"name":"TCP_KEEPIDLE","features":[321]},{"name":"TCP_KEEPINTVL","features":[321]},{"name":"TCP_MAXRT","features":[321]},{"name":"TCP_MAXRTMS","features":[321]},{"name":"TCP_MAXSEG","features":[321]},{"name":"TCP_NODELAY","features":[321]},{"name":"TCP_NOSYNRETRIES","features":[321]},{"name":"TCP_NOURG","features":[321]},{"name":"TCP_OFFLOAD_NOT_PREFERRED","features":[321]},{"name":"TCP_OFFLOAD_NO_PREFERENCE","features":[321]},{"name":"TCP_OFFLOAD_PREFERENCE","features":[321]},{"name":"TCP_OFFLOAD_PREFERRED","features":[321]},{"name":"TCP_OPT_FASTOPEN","features":[321]},{"name":"TCP_OPT_MSS","features":[321]},{"name":"TCP_OPT_SACK","features":[321]},{"name":"TCP_OPT_SACK_PERMITTED","features":[321]},{"name":"TCP_OPT_TS","features":[321]},{"name":"TCP_OPT_UNKNOWN","features":[321]},{"name":"TCP_OPT_WS","features":[321]},{"name":"TCP_STDURG","features":[321]},{"name":"TCP_TIMESTAMPS","features":[321]},{"name":"TF_DISCONNECT","features":[321]},{"name":"TF_REUSE_SOCKET","features":[321]},{"name":"TF_USE_DEFAULT_WORKER","features":[321]},{"name":"TF_USE_KERNEL_APC","features":[321]},{"name":"TF_USE_SYSTEM_THREAD","features":[321]},{"name":"TF_WRITE_BEHIND","features":[321]},{"name":"TH_ACK","features":[321]},{"name":"TH_CWR","features":[321]},{"name":"TH_ECE","features":[321]},{"name":"TH_FIN","features":[321]},{"name":"TH_NETDEV","features":[321]},{"name":"TH_OPT_EOL","features":[321]},{"name":"TH_OPT_FASTOPEN","features":[321]},{"name":"TH_OPT_MSS","features":[321]},{"name":"TH_OPT_NOP","features":[321]},{"name":"TH_OPT_SACK","features":[321]},{"name":"TH_OPT_SACK_PERMITTED","features":[321]},{"name":"TH_OPT_TS","features":[321]},{"name":"TH_OPT_WS","features":[321]},{"name":"TH_PSH","features":[321]},{"name":"TH_RST","features":[321]},{"name":"TH_SYN","features":[321]},{"name":"TH_TAPI","features":[321]},{"name":"TH_URG","features":[321]},{"name":"TIMESTAMPING_CONFIG","features":[321]},{"name":"TIMESTAMPING_FLAG_RX","features":[321]},{"name":"TIMESTAMPING_FLAG_TX","features":[321]},{"name":"TIMEVAL","features":[321]},{"name":"TNS_PLAN_CARRIER_ID_CODE","features":[321]},{"name":"TNS_TYPE_NATIONAL","features":[321]},{"name":"TP_DISCONNECT","features":[321]},{"name":"TP_ELEMENT_EOP","features":[321]},{"name":"TP_ELEMENT_FILE","features":[321]},{"name":"TP_ELEMENT_MEMORY","features":[321]},{"name":"TP_REUSE_SOCKET","features":[321]},{"name":"TP_USE_DEFAULT_WORKER","features":[321]},{"name":"TP_USE_KERNEL_APC","features":[321]},{"name":"TP_USE_SYSTEM_THREAD","features":[321]},{"name":"TRANSMIT_FILE_BUFFERS","features":[321]},{"name":"TRANSMIT_PACKETS_ELEMENT","features":[308,321]},{"name":"TRANSPORT_SETTING_ID","features":[321]},{"name":"TR_END_TO_END","features":[321]},{"name":"TR_NOIND","features":[321]},{"name":"TR_NO_END_TO_END","features":[321]},{"name":"TT_CBR","features":[321]},{"name":"TT_NOIND","features":[321]},{"name":"TT_VBR","features":[321]},{"name":"TUNNEL_SUB_TYPE","features":[321]},{"name":"TUNNEL_SUB_TYPE_CP","features":[321]},{"name":"TUNNEL_SUB_TYPE_HA","features":[321]},{"name":"TUNNEL_SUB_TYPE_IPTLS","features":[321]},{"name":"TUNNEL_SUB_TYPE_NONE","features":[321]},{"name":"TransmitFile","features":[308,321,313]},{"name":"UDP_CHECKSUM_COVERAGE","features":[321]},{"name":"UDP_COALESCED_INFO","features":[321]},{"name":"UDP_NOCHECKSUM","features":[321]},{"name":"UDP_RECV_MAX_COALESCED_SIZE","features":[321]},{"name":"UDP_SEND_MSG_SIZE","features":[321]},{"name":"UNIX_PATH_MAX","features":[321]},{"name":"UP_P2MP","features":[321]},{"name":"UP_P2P","features":[321]},{"name":"VLAN_TAG","features":[321]},{"name":"VNSPROTO_IPC","features":[321]},{"name":"VNSPROTO_RELIABLE_IPC","features":[321]},{"name":"VNSPROTO_SPP","features":[321]},{"name":"WCE_AF_IRDA","features":[321]},{"name":"WCE_DEVICELIST","features":[321]},{"name":"WCE_IRDA_DEVICE_INFO","features":[321]},{"name":"WCE_PF_IRDA","features":[321]},{"name":"WINDOWS_AF_IRDA","features":[321]},{"name":"WINDOWS_DEVICELIST","features":[321]},{"name":"WINDOWS_IAS_QUERY","features":[321]},{"name":"WINDOWS_IAS_SET","features":[321]},{"name":"WINDOWS_IRDA_DEVICE_INFO","features":[321]},{"name":"WINDOWS_PF_IRDA","features":[321]},{"name":"WINSOCK_SHUTDOWN_HOW","features":[321]},{"name":"WINSOCK_SOCKET_TYPE","features":[321]},{"name":"WPUCompleteOverlappedRequest","features":[308,321,313]},{"name":"WSAAccept","features":[321]},{"name":"WSAAddressToStringA","features":[321]},{"name":"WSAAddressToStringW","features":[321]},{"name":"WSAAdvertiseProvider","features":[308,321,359]},{"name":"WSAAsyncGetHostByAddr","features":[308,321]},{"name":"WSAAsyncGetHostByName","features":[308,321]},{"name":"WSAAsyncGetProtoByName","features":[308,321]},{"name":"WSAAsyncGetProtoByNumber","features":[308,321]},{"name":"WSAAsyncGetServByName","features":[308,321]},{"name":"WSAAsyncGetServByPort","features":[308,321]},{"name":"WSAAsyncSelect","features":[308,321]},{"name":"WSABASEERR","features":[321]},{"name":"WSABUF","features":[321]},{"name":"WSACOMPLETION","features":[308,321,313]},{"name":"WSACOMPLETIONTYPE","features":[321]},{"name":"WSACancelAsyncRequest","features":[308,321]},{"name":"WSACancelBlockingCall","features":[321]},{"name":"WSACleanup","features":[321]},{"name":"WSACloseEvent","features":[308,321]},{"name":"WSAConnect","features":[321]},{"name":"WSAConnectByList","features":[308,321,313]},{"name":"WSAConnectByNameA","features":[308,321,313]},{"name":"WSAConnectByNameW","features":[308,321,313]},{"name":"WSACreateEvent","features":[308,321]},{"name":"WSADATA","features":[321]},{"name":"WSADATA","features":[321]},{"name":"WSADESCRIPTION_LEN","features":[321]},{"name":"WSADeleteSocketPeerTargetName","features":[308,321,313]},{"name":"WSADuplicateSocketA","features":[321]},{"name":"WSADuplicateSocketW","features":[321]},{"name":"WSAEACCES","features":[321]},{"name":"WSAEADDRINUSE","features":[321]},{"name":"WSAEADDRNOTAVAIL","features":[321]},{"name":"WSAEAFNOSUPPORT","features":[321]},{"name":"WSAEALREADY","features":[321]},{"name":"WSAEBADF","features":[321]},{"name":"WSAECANCELLED","features":[321]},{"name":"WSAECOMPARATOR","features":[321]},{"name":"WSAECONNABORTED","features":[321]},{"name":"WSAECONNREFUSED","features":[321]},{"name":"WSAECONNRESET","features":[321]},{"name":"WSAEDESTADDRREQ","features":[321]},{"name":"WSAEDISCON","features":[321]},{"name":"WSAEDQUOT","features":[321]},{"name":"WSAEFAULT","features":[321]},{"name":"WSAEHOSTDOWN","features":[321]},{"name":"WSAEHOSTUNREACH","features":[321]},{"name":"WSAEINPROGRESS","features":[321]},{"name":"WSAEINTR","features":[321]},{"name":"WSAEINVAL","features":[321]},{"name":"WSAEINVALIDPROCTABLE","features":[321]},{"name":"WSAEINVALIDPROVIDER","features":[321]},{"name":"WSAEISCONN","features":[321]},{"name":"WSAELOOP","features":[321]},{"name":"WSAEMFILE","features":[321]},{"name":"WSAEMSGSIZE","features":[321]},{"name":"WSAENAMETOOLONG","features":[321]},{"name":"WSAENETDOWN","features":[321]},{"name":"WSAENETRESET","features":[321]},{"name":"WSAENETUNREACH","features":[321]},{"name":"WSAENOBUFS","features":[321]},{"name":"WSAENOMORE","features":[321]},{"name":"WSAENOPROTOOPT","features":[321]},{"name":"WSAENOTCONN","features":[321]},{"name":"WSAENOTEMPTY","features":[321]},{"name":"WSAENOTSOCK","features":[321]},{"name":"WSAEOPNOTSUPP","features":[321]},{"name":"WSAEPFNOSUPPORT","features":[321]},{"name":"WSAEPROCLIM","features":[321]},{"name":"WSAEPROTONOSUPPORT","features":[321]},{"name":"WSAEPROTOTYPE","features":[321]},{"name":"WSAEPROVIDERFAILEDINIT","features":[321]},{"name":"WSAEREFUSED","features":[321]},{"name":"WSAEREMOTE","features":[321]},{"name":"WSAESETSERVICEOP","features":[321]},{"name":"WSAESHUTDOWN","features":[321]},{"name":"WSAESOCKTNOSUPPORT","features":[321]},{"name":"WSAESTALE","features":[321]},{"name":"WSAETIMEDOUT","features":[321]},{"name":"WSAETOOMANYREFS","features":[321]},{"name":"WSAEUSERS","features":[321]},{"name":"WSAEVENT","features":[321]},{"name":"WSAEWOULDBLOCK","features":[321]},{"name":"WSAEnumNameSpaceProvidersA","features":[308,321]},{"name":"WSAEnumNameSpaceProvidersExA","features":[308,321,359]},{"name":"WSAEnumNameSpaceProvidersExW","features":[308,321,359]},{"name":"WSAEnumNameSpaceProvidersW","features":[308,321]},{"name":"WSAEnumNetworkEvents","features":[308,321]},{"name":"WSAEnumProtocolsA","features":[321]},{"name":"WSAEnumProtocolsW","features":[321]},{"name":"WSAEventSelect","features":[308,321]},{"name":"WSAGetLastError","features":[321]},{"name":"WSAGetOverlappedResult","features":[308,321,313]},{"name":"WSAGetQOSByName","features":[308,321]},{"name":"WSAGetServiceClassInfoA","features":[321]},{"name":"WSAGetServiceClassInfoW","features":[321]},{"name":"WSAGetServiceClassNameByClassIdA","features":[321]},{"name":"WSAGetServiceClassNameByClassIdW","features":[321]},{"name":"WSAHOST_NOT_FOUND","features":[321]},{"name":"WSAHtonl","features":[321]},{"name":"WSAHtons","features":[321]},{"name":"WSAID_ACCEPTEX","features":[321]},{"name":"WSAID_CONNECTEX","features":[321]},{"name":"WSAID_DISCONNECTEX","features":[321]},{"name":"WSAID_GETACCEPTEXSOCKADDRS","features":[321]},{"name":"WSAID_MULTIPLE_RIO","features":[321]},{"name":"WSAID_TRANSMITFILE","features":[321]},{"name":"WSAID_TRANSMITPACKETS","features":[321]},{"name":"WSAID_WSAPOLL","features":[321]},{"name":"WSAID_WSARECVMSG","features":[321]},{"name":"WSAID_WSASENDMSG","features":[321]},{"name":"WSAImpersonateSocketPeer","features":[321]},{"name":"WSAInstallServiceClassA","features":[321]},{"name":"WSAInstallServiceClassW","features":[321]},{"name":"WSAIoctl","features":[308,321,313]},{"name":"WSAIsBlocking","features":[308,321]},{"name":"WSAJoinLeaf","features":[321]},{"name":"WSALookupServiceBeginA","features":[308,321,359]},{"name":"WSALookupServiceBeginW","features":[308,321,359]},{"name":"WSALookupServiceEnd","features":[308,321]},{"name":"WSALookupServiceNextA","features":[308,321,359]},{"name":"WSALookupServiceNextW","features":[308,321,359]},{"name":"WSAMSG","features":[321]},{"name":"WSANAMESPACE_INFOA","features":[308,321]},{"name":"WSANAMESPACE_INFOEXA","features":[308,321,359]},{"name":"WSANAMESPACE_INFOEXW","features":[308,321,359]},{"name":"WSANAMESPACE_INFOW","features":[308,321]},{"name":"WSANETWORKEVENTS","features":[321]},{"name":"WSANOTINITIALISED","features":[321]},{"name":"WSANO_DATA","features":[321]},{"name":"WSANO_RECOVERY","features":[321]},{"name":"WSANSCLASSINFOA","features":[321]},{"name":"WSANSCLASSINFOW","features":[321]},{"name":"WSANSPIoctl","features":[308,321,313]},{"name":"WSANtohl","features":[321]},{"name":"WSANtohs","features":[321]},{"name":"WSAPOLLDATA","features":[321]},{"name":"WSAPOLLFD","features":[321]},{"name":"WSAPOLL_EVENT_FLAGS","features":[321]},{"name":"WSAPROTOCOLCHAIN","features":[321]},{"name":"WSAPROTOCOL_INFOA","features":[321]},{"name":"WSAPROTOCOL_INFOW","features":[321]},{"name":"WSAPROTOCOL_LEN","features":[321]},{"name":"WSAPoll","features":[321]},{"name":"WSAProviderCompleteAsyncCall","features":[308,321]},{"name":"WSAProviderConfigChange","features":[308,321,313]},{"name":"WSAQUERYSET2A","features":[321,359]},{"name":"WSAQUERYSET2W","features":[321,359]},{"name":"WSAQUERYSETA","features":[321,359]},{"name":"WSAQUERYSETW","features":[321,359]},{"name":"WSAQuerySocketSecurity","features":[308,321,313]},{"name":"WSARecv","features":[308,321,313]},{"name":"WSARecvDisconnect","features":[321]},{"name":"WSARecvEx","features":[321]},{"name":"WSARecvFrom","features":[308,321,313]},{"name":"WSARemoveServiceClass","features":[321]},{"name":"WSAResetEvent","features":[308,321]},{"name":"WSARevertImpersonation","features":[321]},{"name":"WSASENDMSG","features":[308,321,313]},{"name":"WSASERVICECLASSINFOA","features":[321]},{"name":"WSASERVICECLASSINFOW","features":[321]},{"name":"WSASERVICE_NOT_FOUND","features":[321]},{"name":"WSASYSCALLFAILURE","features":[321]},{"name":"WSASYSNOTREADY","features":[321]},{"name":"WSASYS_STATUS_LEN","features":[321]},{"name":"WSASend","features":[308,321,313]},{"name":"WSASendDisconnect","features":[321]},{"name":"WSASendMsg","features":[308,321,313]},{"name":"WSASendTo","features":[308,321,313]},{"name":"WSASetBlockingHook","features":[308,321]},{"name":"WSASetEvent","features":[308,321]},{"name":"WSASetLastError","features":[321]},{"name":"WSASetServiceA","features":[321,359]},{"name":"WSASetServiceW","features":[321,359]},{"name":"WSASetSocketPeerTargetName","features":[308,321,313]},{"name":"WSASetSocketSecurity","features":[308,321,313]},{"name":"WSASocketA","features":[321]},{"name":"WSASocketW","features":[321]},{"name":"WSAStartup","features":[321]},{"name":"WSAStringToAddressA","features":[321]},{"name":"WSAStringToAddressW","features":[321]},{"name":"WSATHREADID","features":[308,321]},{"name":"WSATRY_AGAIN","features":[321]},{"name":"WSATYPE_NOT_FOUND","features":[321]},{"name":"WSAUnadvertiseProvider","features":[321]},{"name":"WSAUnhookBlockingHook","features":[321]},{"name":"WSAVERNOTSUPPORTED","features":[321]},{"name":"WSAVERSION","features":[321]},{"name":"WSAWaitForMultipleEvents","features":[308,321]},{"name":"WSA_COMPATIBILITY_BEHAVIOR_ID","features":[321]},{"name":"WSA_COMPATIBILITY_MODE","features":[321]},{"name":"WSA_ERROR","features":[321]},{"name":"WSA_E_CANCELLED","features":[321]},{"name":"WSA_E_NO_MORE","features":[321]},{"name":"WSA_FLAG_ACCESS_SYSTEM_SECURITY","features":[321]},{"name":"WSA_FLAG_MULTIPOINT_C_LEAF","features":[321]},{"name":"WSA_FLAG_MULTIPOINT_C_ROOT","features":[321]},{"name":"WSA_FLAG_MULTIPOINT_D_LEAF","features":[321]},{"name":"WSA_FLAG_MULTIPOINT_D_ROOT","features":[321]},{"name":"WSA_FLAG_NO_HANDLE_INHERIT","features":[321]},{"name":"WSA_FLAG_OVERLAPPED","features":[321]},{"name":"WSA_FLAG_REGISTERED_IO","features":[321]},{"name":"WSA_INFINITE","features":[321]},{"name":"WSA_INVALID_HANDLE","features":[321]},{"name":"WSA_INVALID_PARAMETER","features":[321]},{"name":"WSA_IO_INCOMPLETE","features":[321]},{"name":"WSA_IO_PENDING","features":[321]},{"name":"WSA_IPSEC_NAME_POLICY_ERROR","features":[321]},{"name":"WSA_MAXIMUM_WAIT_EVENTS","features":[321]},{"name":"WSA_NOT_ENOUGH_MEMORY","features":[321]},{"name":"WSA_OPERATION_ABORTED","features":[321]},{"name":"WSA_QOS_ADMISSION_FAILURE","features":[321]},{"name":"WSA_QOS_BAD_OBJECT","features":[321]},{"name":"WSA_QOS_BAD_STYLE","features":[321]},{"name":"WSA_QOS_EFILTERCOUNT","features":[321]},{"name":"WSA_QOS_EFILTERSTYLE","features":[321]},{"name":"WSA_QOS_EFILTERTYPE","features":[321]},{"name":"WSA_QOS_EFLOWCOUNT","features":[321]},{"name":"WSA_QOS_EFLOWDESC","features":[321]},{"name":"WSA_QOS_EFLOWSPEC","features":[321]},{"name":"WSA_QOS_EOBJLENGTH","features":[321]},{"name":"WSA_QOS_EPOLICYOBJ","features":[321]},{"name":"WSA_QOS_EPROVSPECBUF","features":[321]},{"name":"WSA_QOS_EPSFILTERSPEC","features":[321]},{"name":"WSA_QOS_EPSFLOWSPEC","features":[321]},{"name":"WSA_QOS_ESDMODEOBJ","features":[321]},{"name":"WSA_QOS_ESERVICETYPE","features":[321]},{"name":"WSA_QOS_ESHAPERATEOBJ","features":[321]},{"name":"WSA_QOS_EUNKOWNPSOBJ","features":[321]},{"name":"WSA_QOS_GENERIC_ERROR","features":[321]},{"name":"WSA_QOS_NO_RECEIVERS","features":[321]},{"name":"WSA_QOS_NO_SENDERS","features":[321]},{"name":"WSA_QOS_POLICY_FAILURE","features":[321]},{"name":"WSA_QOS_RECEIVERS","features":[321]},{"name":"WSA_QOS_REQUEST_CONFIRMED","features":[321]},{"name":"WSA_QOS_RESERVED_PETYPE","features":[321]},{"name":"WSA_QOS_SENDERS","features":[321]},{"name":"WSA_QOS_TRAFFIC_CTRL_ERROR","features":[321]},{"name":"WSA_SECURE_HOST_NOT_FOUND","features":[321]},{"name":"WSA_WAIT_EVENT_0","features":[321]},{"name":"WSA_WAIT_FAILED","features":[321]},{"name":"WSA_WAIT_IO_COMPLETION","features":[321]},{"name":"WSA_WAIT_TIMEOUT","features":[321]},{"name":"WSCDeinstallProvider","features":[321]},{"name":"WSCDeinstallProvider32","features":[321]},{"name":"WSCEnableNSProvider","features":[308,321]},{"name":"WSCEnableNSProvider32","features":[308,321]},{"name":"WSCEnumNameSpaceProviders32","features":[308,321]},{"name":"WSCEnumNameSpaceProvidersEx32","features":[308,321,359]},{"name":"WSCEnumProtocols","features":[321]},{"name":"WSCEnumProtocols32","features":[321]},{"name":"WSCGetApplicationCategory","features":[321]},{"name":"WSCGetProviderInfo","features":[321]},{"name":"WSCGetProviderInfo32","features":[321]},{"name":"WSCGetProviderPath","features":[321]},{"name":"WSCGetProviderPath32","features":[321]},{"name":"WSCInstallNameSpace","features":[321]},{"name":"WSCInstallNameSpace32","features":[321]},{"name":"WSCInstallNameSpaceEx","features":[321,359]},{"name":"WSCInstallNameSpaceEx32","features":[321,359]},{"name":"WSCInstallProvider","features":[321]},{"name":"WSCInstallProvider64_32","features":[321]},{"name":"WSCInstallProviderAndChains64_32","features":[321]},{"name":"WSCSetApplicationCategory","features":[321]},{"name":"WSCSetProviderInfo","features":[321]},{"name":"WSCSetProviderInfo32","features":[321]},{"name":"WSCUnInstallNameSpace","features":[321]},{"name":"WSCUnInstallNameSpace32","features":[321]},{"name":"WSCUpdateProvider","features":[321]},{"name":"WSCUpdateProvider32","features":[321]},{"name":"WSCWriteNameSpaceOrder","features":[321]},{"name":"WSCWriteNameSpaceOrder32","features":[321]},{"name":"WSCWriteProviderOrder","features":[321]},{"name":"WSCWriteProviderOrder32","features":[321]},{"name":"WSC_PROVIDER_AUDIT_INFO","features":[321]},{"name":"WSC_PROVIDER_INFO_TYPE","features":[321]},{"name":"WSK_SO_BASE","features":[321]},{"name":"WSPDATA","features":[321]},{"name":"WSPDESCRIPTION_LEN","features":[321]},{"name":"WSPPROC_TABLE","features":[308,321,313]},{"name":"WSPUPCALLTABLE","features":[308,321]},{"name":"WSS_OPERATION_IN_PROGRESS","features":[321]},{"name":"WsaBehaviorAll","features":[321]},{"name":"WsaBehaviorAutoTuning","features":[321]},{"name":"WsaBehaviorReceiveBuffering","features":[321]},{"name":"XP1_CONNECTIONLESS","features":[321]},{"name":"XP1_CONNECT_DATA","features":[321]},{"name":"XP1_DISCONNECT_DATA","features":[321]},{"name":"XP1_EXPEDITED_DATA","features":[321]},{"name":"XP1_GRACEFUL_CLOSE","features":[321]},{"name":"XP1_GUARANTEED_DELIVERY","features":[321]},{"name":"XP1_GUARANTEED_ORDER","features":[321]},{"name":"XP1_IFS_HANDLES","features":[321]},{"name":"XP1_INTERRUPT","features":[321]},{"name":"XP1_MESSAGE_ORIENTED","features":[321]},{"name":"XP1_MULTIPOINT_CONTROL_PLANE","features":[321]},{"name":"XP1_MULTIPOINT_DATA_PLANE","features":[321]},{"name":"XP1_PARTIAL_MESSAGE","features":[321]},{"name":"XP1_PSEUDO_STREAM","features":[321]},{"name":"XP1_QOS_SUPPORTED","features":[321]},{"name":"XP1_SAN_SUPPORT_SDP","features":[321]},{"name":"XP1_SUPPORT_BROADCAST","features":[321]},{"name":"XP1_SUPPORT_MULTIPOINT","features":[321]},{"name":"XP1_UNI_RECV","features":[321]},{"name":"XP1_UNI_SEND","features":[321]},{"name":"XP_BANDWIDTH_ALLOCATION","features":[321]},{"name":"XP_CONNECTIONLESS","features":[321]},{"name":"XP_CONNECT_DATA","features":[321]},{"name":"XP_DISCONNECT_DATA","features":[321]},{"name":"XP_ENCRYPTS","features":[321]},{"name":"XP_EXPEDITED_DATA","features":[321]},{"name":"XP_FRAGMENTATION","features":[321]},{"name":"XP_GRACEFUL_CLOSE","features":[321]},{"name":"XP_GUARANTEED_DELIVERY","features":[321]},{"name":"XP_GUARANTEED_ORDER","features":[321]},{"name":"XP_MESSAGE_ORIENTED","features":[321]},{"name":"XP_PSEUDO_STREAM","features":[321]},{"name":"XP_SUPPORTS_BROADCAST","features":[321]},{"name":"XP_SUPPORTS_MULTICAST","features":[321]},{"name":"_BIG_ENDIAN","features":[321]},{"name":"_LITTLE_ENDIAN","features":[321]},{"name":"_PDP_ENDIAN","features":[321]},{"name":"_SS_MAXSIZE","features":[321]},{"name":"__WSAFDIsSet","features":[321]},{"name":"accept","features":[321]},{"name":"bind","features":[321]},{"name":"closesocket","features":[321]},{"name":"connect","features":[321]},{"name":"eWINDOW_ADVANCE_METHOD","features":[321]},{"name":"freeaddrinfo","features":[321]},{"name":"getaddrinfo","features":[321]},{"name":"gethostbyaddr","features":[321]},{"name":"gethostbyname","features":[321]},{"name":"gethostname","features":[321]},{"name":"getnameinfo","features":[321]},{"name":"getpeername","features":[321]},{"name":"getprotobyname","features":[321]},{"name":"getprotobynumber","features":[321]},{"name":"getservbyname","features":[321]},{"name":"getservbyport","features":[321]},{"name":"getsockname","features":[321]},{"name":"getsockopt","features":[321]},{"name":"htonl","features":[321]},{"name":"htons","features":[321]},{"name":"inet_addr","features":[321]},{"name":"inet_ntoa","features":[321]},{"name":"inet_ntop","features":[321]},{"name":"inet_pton","features":[321]},{"name":"ioctlsocket","features":[321]},{"name":"listen","features":[321]},{"name":"netent","features":[321]},{"name":"ntohl","features":[321]},{"name":"ntohs","features":[321]},{"name":"recv","features":[321]},{"name":"recvfrom","features":[321]},{"name":"select","features":[321]},{"name":"send","features":[321]},{"name":"sendto","features":[321]},{"name":"setsockopt","features":[321]},{"name":"shutdown","features":[321]},{"name":"sockaddr_gen","features":[321]},{"name":"sockaddr_in6_old","features":[321]},{"name":"socket","features":[321]},{"name":"socklen_t","features":[321]},{"name":"sockproto","features":[321]},{"name":"tcp_keepalive","features":[321]}],"478":[{"name":"CTAPCBOR_HYBRID_STORAGE_LINKED_DATA","features":[479]},{"name":"CTAPCBOR_HYBRID_STORAGE_LINKED_DATA_CURRENT_VERSION","features":[479]},{"name":"CTAPCBOR_HYBRID_STORAGE_LINKED_DATA_VERSION_1","features":[479]},{"name":"IContentPrefetcherTaskTrigger","features":[479]},{"name":"WEBAUTHN_API_CURRENT_VERSION","features":[479]},{"name":"WEBAUTHN_API_VERSION_1","features":[479]},{"name":"WEBAUTHN_API_VERSION_2","features":[479]},{"name":"WEBAUTHN_API_VERSION_3","features":[479]},{"name":"WEBAUTHN_API_VERSION_4","features":[479]},{"name":"WEBAUTHN_API_VERSION_5","features":[479]},{"name":"WEBAUTHN_API_VERSION_6","features":[479]},{"name":"WEBAUTHN_API_VERSION_7","features":[479]},{"name":"WEBAUTHN_ASSERTION","features":[479]},{"name":"WEBAUTHN_ASSERTION_CURRENT_VERSION","features":[479]},{"name":"WEBAUTHN_ASSERTION_VERSION_1","features":[479]},{"name":"WEBAUTHN_ASSERTION_VERSION_2","features":[479]},{"name":"WEBAUTHN_ASSERTION_VERSION_3","features":[479]},{"name":"WEBAUTHN_ASSERTION_VERSION_4","features":[479]},{"name":"WEBAUTHN_ASSERTION_VERSION_5","features":[479]},{"name":"WEBAUTHN_ATTESTATION_CONVEYANCE_PREFERENCE_ANY","features":[479]},{"name":"WEBAUTHN_ATTESTATION_CONVEYANCE_PREFERENCE_DIRECT","features":[479]},{"name":"WEBAUTHN_ATTESTATION_CONVEYANCE_PREFERENCE_INDIRECT","features":[479]},{"name":"WEBAUTHN_ATTESTATION_CONVEYANCE_PREFERENCE_NONE","features":[479]},{"name":"WEBAUTHN_ATTESTATION_DECODE_COMMON","features":[479]},{"name":"WEBAUTHN_ATTESTATION_DECODE_NONE","features":[479]},{"name":"WEBAUTHN_ATTESTATION_TYPE_NONE","features":[479]},{"name":"WEBAUTHN_ATTESTATION_TYPE_PACKED","features":[479]},{"name":"WEBAUTHN_ATTESTATION_TYPE_TPM","features":[479]},{"name":"WEBAUTHN_ATTESTATION_TYPE_U2F","features":[479]},{"name":"WEBAUTHN_ATTESTATION_VER_TPM_2_0","features":[479]},{"name":"WEBAUTHN_AUTHENTICATOR_ATTACHMENT_ANY","features":[479]},{"name":"WEBAUTHN_AUTHENTICATOR_ATTACHMENT_CROSS_PLATFORM","features":[479]},{"name":"WEBAUTHN_AUTHENTICATOR_ATTACHMENT_CROSS_PLATFORM_U2F_V2","features":[479]},{"name":"WEBAUTHN_AUTHENTICATOR_ATTACHMENT_PLATFORM","features":[479]},{"name":"WEBAUTHN_AUTHENTICATOR_GET_ASSERTION_OPTIONS","features":[308,479]},{"name":"WEBAUTHN_AUTHENTICATOR_GET_ASSERTION_OPTIONS_CURRENT_VERSION","features":[479]},{"name":"WEBAUTHN_AUTHENTICATOR_GET_ASSERTION_OPTIONS_VERSION_1","features":[479]},{"name":"WEBAUTHN_AUTHENTICATOR_GET_ASSERTION_OPTIONS_VERSION_2","features":[479]},{"name":"WEBAUTHN_AUTHENTICATOR_GET_ASSERTION_OPTIONS_VERSION_3","features":[479]},{"name":"WEBAUTHN_AUTHENTICATOR_GET_ASSERTION_OPTIONS_VERSION_4","features":[479]},{"name":"WEBAUTHN_AUTHENTICATOR_GET_ASSERTION_OPTIONS_VERSION_5","features":[479]},{"name":"WEBAUTHN_AUTHENTICATOR_GET_ASSERTION_OPTIONS_VERSION_6","features":[479]},{"name":"WEBAUTHN_AUTHENTICATOR_GET_ASSERTION_OPTIONS_VERSION_7","features":[479]},{"name":"WEBAUTHN_AUTHENTICATOR_HMAC_SECRET_VALUES_FLAG","features":[479]},{"name":"WEBAUTHN_AUTHENTICATOR_MAKE_CREDENTIAL_OPTIONS","features":[308,479]},{"name":"WEBAUTHN_AUTHENTICATOR_MAKE_CREDENTIAL_OPTIONS_CURRENT_VERSION","features":[479]},{"name":"WEBAUTHN_AUTHENTICATOR_MAKE_CREDENTIAL_OPTIONS_VERSION_1","features":[479]},{"name":"WEBAUTHN_AUTHENTICATOR_MAKE_CREDENTIAL_OPTIONS_VERSION_2","features":[479]},{"name":"WEBAUTHN_AUTHENTICATOR_MAKE_CREDENTIAL_OPTIONS_VERSION_3","features":[479]},{"name":"WEBAUTHN_AUTHENTICATOR_MAKE_CREDENTIAL_OPTIONS_VERSION_4","features":[479]},{"name":"WEBAUTHN_AUTHENTICATOR_MAKE_CREDENTIAL_OPTIONS_VERSION_5","features":[479]},{"name":"WEBAUTHN_AUTHENTICATOR_MAKE_CREDENTIAL_OPTIONS_VERSION_6","features":[479]},{"name":"WEBAUTHN_AUTHENTICATOR_MAKE_CREDENTIAL_OPTIONS_VERSION_7","features":[479]},{"name":"WEBAUTHN_CLIENT_DATA","features":[479]},{"name":"WEBAUTHN_CLIENT_DATA_CURRENT_VERSION","features":[479]},{"name":"WEBAUTHN_COMMON_ATTESTATION","features":[479]},{"name":"WEBAUTHN_COMMON_ATTESTATION_CURRENT_VERSION","features":[479]},{"name":"WEBAUTHN_COSE_ALGORITHM_ECDSA_P256_WITH_SHA256","features":[479]},{"name":"WEBAUTHN_COSE_ALGORITHM_ECDSA_P384_WITH_SHA384","features":[479]},{"name":"WEBAUTHN_COSE_ALGORITHM_ECDSA_P521_WITH_SHA512","features":[479]},{"name":"WEBAUTHN_COSE_ALGORITHM_RSASSA_PKCS1_V1_5_WITH_SHA256","features":[479]},{"name":"WEBAUTHN_COSE_ALGORITHM_RSASSA_PKCS1_V1_5_WITH_SHA384","features":[479]},{"name":"WEBAUTHN_COSE_ALGORITHM_RSASSA_PKCS1_V1_5_WITH_SHA512","features":[479]},{"name":"WEBAUTHN_COSE_ALGORITHM_RSA_PSS_WITH_SHA256","features":[479]},{"name":"WEBAUTHN_COSE_ALGORITHM_RSA_PSS_WITH_SHA384","features":[479]},{"name":"WEBAUTHN_COSE_ALGORITHM_RSA_PSS_WITH_SHA512","features":[479]},{"name":"WEBAUTHN_COSE_CREDENTIAL_PARAMETER","features":[479]},{"name":"WEBAUTHN_COSE_CREDENTIAL_PARAMETERS","features":[479]},{"name":"WEBAUTHN_COSE_CREDENTIAL_PARAMETER_CURRENT_VERSION","features":[479]},{"name":"WEBAUTHN_CREDENTIAL","features":[479]},{"name":"WEBAUTHN_CREDENTIALS","features":[479]},{"name":"WEBAUTHN_CREDENTIAL_ATTESTATION","features":[308,479]},{"name":"WEBAUTHN_CREDENTIAL_ATTESTATION_CURRENT_VERSION","features":[479]},{"name":"WEBAUTHN_CREDENTIAL_ATTESTATION_VERSION_1","features":[479]},{"name":"WEBAUTHN_CREDENTIAL_ATTESTATION_VERSION_2","features":[479]},{"name":"WEBAUTHN_CREDENTIAL_ATTESTATION_VERSION_3","features":[479]},{"name":"WEBAUTHN_CREDENTIAL_ATTESTATION_VERSION_4","features":[479]},{"name":"WEBAUTHN_CREDENTIAL_ATTESTATION_VERSION_5","features":[479]},{"name":"WEBAUTHN_CREDENTIAL_ATTESTATION_VERSION_6","features":[479]},{"name":"WEBAUTHN_CREDENTIAL_CURRENT_VERSION","features":[479]},{"name":"WEBAUTHN_CREDENTIAL_DETAILS","features":[308,479]},{"name":"WEBAUTHN_CREDENTIAL_DETAILS_CURRENT_VERSION","features":[479]},{"name":"WEBAUTHN_CREDENTIAL_DETAILS_LIST","features":[308,479]},{"name":"WEBAUTHN_CREDENTIAL_DETAILS_VERSION_1","features":[479]},{"name":"WEBAUTHN_CREDENTIAL_DETAILS_VERSION_2","features":[479]},{"name":"WEBAUTHN_CREDENTIAL_EX","features":[479]},{"name":"WEBAUTHN_CREDENTIAL_EX_CURRENT_VERSION","features":[479]},{"name":"WEBAUTHN_CREDENTIAL_LIST","features":[479]},{"name":"WEBAUTHN_CREDENTIAL_TYPE_PUBLIC_KEY","features":[479]},{"name":"WEBAUTHN_CRED_BLOB_EXTENSION","features":[479]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_OPERATION_DELETE","features":[479]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_OPERATION_GET","features":[479]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_OPERATION_NONE","features":[479]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_OPERATION_SET","features":[479]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_STATUS_AUTHENTICATOR_ERROR","features":[479]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_STATUS_INVALID_DATA","features":[479]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_STATUS_INVALID_PARAMETER","features":[479]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_STATUS_LACK_OF_SPACE","features":[479]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_STATUS_MULTIPLE_CREDENTIALS","features":[479]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_STATUS_NONE","features":[479]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_STATUS_NOT_FOUND","features":[479]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_STATUS_NOT_SUPPORTED","features":[479]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_STATUS_PLATFORM_ERROR","features":[479]},{"name":"WEBAUTHN_CRED_LARGE_BLOB_STATUS_SUCCESS","features":[479]},{"name":"WEBAUTHN_CRED_PROTECT_EXTENSION_IN","features":[308,479]},{"name":"WEBAUTHN_CRED_WITH_HMAC_SECRET_SALT","features":[479]},{"name":"WEBAUTHN_CTAP_ONE_HMAC_SECRET_LENGTH","features":[479]},{"name":"WEBAUTHN_CTAP_TRANSPORT_BLE","features":[479]},{"name":"WEBAUTHN_CTAP_TRANSPORT_FLAGS_MASK","features":[479]},{"name":"WEBAUTHN_CTAP_TRANSPORT_HYBRID","features":[479]},{"name":"WEBAUTHN_CTAP_TRANSPORT_INTERNAL","features":[479]},{"name":"WEBAUTHN_CTAP_TRANSPORT_NFC","features":[479]},{"name":"WEBAUTHN_CTAP_TRANSPORT_TEST","features":[479]},{"name":"WEBAUTHN_CTAP_TRANSPORT_USB","features":[479]},{"name":"WEBAUTHN_ENTERPRISE_ATTESTATION_NONE","features":[479]},{"name":"WEBAUTHN_ENTERPRISE_ATTESTATION_PLATFORM_MANAGED","features":[479]},{"name":"WEBAUTHN_ENTERPRISE_ATTESTATION_VENDOR_FACILITATED","features":[479]},{"name":"WEBAUTHN_EXTENSION","features":[479]},{"name":"WEBAUTHN_EXTENSIONS","features":[479]},{"name":"WEBAUTHN_EXTENSIONS_IDENTIFIER_CRED_BLOB","features":[479]},{"name":"WEBAUTHN_EXTENSIONS_IDENTIFIER_CRED_PROTECT","features":[479]},{"name":"WEBAUTHN_EXTENSIONS_IDENTIFIER_HMAC_SECRET","features":[479]},{"name":"WEBAUTHN_EXTENSIONS_IDENTIFIER_MIN_PIN_LENGTH","features":[479]},{"name":"WEBAUTHN_GET_CREDENTIALS_OPTIONS","features":[308,479]},{"name":"WEBAUTHN_GET_CREDENTIALS_OPTIONS_CURRENT_VERSION","features":[479]},{"name":"WEBAUTHN_GET_CREDENTIALS_OPTIONS_VERSION_1","features":[479]},{"name":"WEBAUTHN_HASH_ALGORITHM_SHA_256","features":[479]},{"name":"WEBAUTHN_HASH_ALGORITHM_SHA_384","features":[479]},{"name":"WEBAUTHN_HASH_ALGORITHM_SHA_512","features":[479]},{"name":"WEBAUTHN_HMAC_SECRET_SALT","features":[479]},{"name":"WEBAUTHN_HMAC_SECRET_SALT_VALUES","features":[479]},{"name":"WEBAUTHN_LARGE_BLOB_SUPPORT_NONE","features":[479]},{"name":"WEBAUTHN_LARGE_BLOB_SUPPORT_PREFERRED","features":[479]},{"name":"WEBAUTHN_LARGE_BLOB_SUPPORT_REQUIRED","features":[479]},{"name":"WEBAUTHN_MAX_USER_ID_LENGTH","features":[479]},{"name":"WEBAUTHN_RP_ENTITY_INFORMATION","features":[479]},{"name":"WEBAUTHN_RP_ENTITY_INFORMATION_CURRENT_VERSION","features":[479]},{"name":"WEBAUTHN_USER_ENTITY_INFORMATION","features":[479]},{"name":"WEBAUTHN_USER_ENTITY_INFORMATION_CURRENT_VERSION","features":[479]},{"name":"WEBAUTHN_USER_VERIFICATION_ANY","features":[479]},{"name":"WEBAUTHN_USER_VERIFICATION_OPTIONAL","features":[479]},{"name":"WEBAUTHN_USER_VERIFICATION_OPTIONAL_WITH_CREDENTIAL_ID_LIST","features":[479]},{"name":"WEBAUTHN_USER_VERIFICATION_REQUIRED","features":[479]},{"name":"WEBAUTHN_USER_VERIFICATION_REQUIREMENT_ANY","features":[479]},{"name":"WEBAUTHN_USER_VERIFICATION_REQUIREMENT_DISCOURAGED","features":[479]},{"name":"WEBAUTHN_USER_VERIFICATION_REQUIREMENT_PREFERRED","features":[479]},{"name":"WEBAUTHN_USER_VERIFICATION_REQUIREMENT_REQUIRED","features":[479]},{"name":"WEBAUTHN_X5C","features":[479]},{"name":"WS_ABANDON_MESSAGE_CALLBACK","features":[479]},{"name":"WS_ABORT_CHANNEL_CALLBACK","features":[479]},{"name":"WS_ABORT_LISTENER_CALLBACK","features":[479]},{"name":"WS_ACCEPT_CHANNEL_CALLBACK","features":[479]},{"name":"WS_ACTION_HEADER","features":[479]},{"name":"WS_ADDRESSING_VERSION","features":[479]},{"name":"WS_ADDRESSING_VERSION_0_9","features":[479]},{"name":"WS_ADDRESSING_VERSION_1_0","features":[479]},{"name":"WS_ADDRESSING_VERSION_TRANSPORT","features":[479]},{"name":"WS_ANY_ATTRIBUTE","features":[308,479]},{"name":"WS_ANY_ATTRIBUTES","features":[308,479]},{"name":"WS_ANY_ATTRIBUTES_FIELD_MAPPING","features":[479]},{"name":"WS_ANY_ATTRIBUTES_TYPE","features":[479]},{"name":"WS_ANY_CONTENT_FIELD_MAPPING","features":[479]},{"name":"WS_ANY_ELEMENT_FIELD_MAPPING","features":[479]},{"name":"WS_ANY_ELEMENT_TYPE_MAPPING","features":[479]},{"name":"WS_ASYNC_CALLBACK","features":[479]},{"name":"WS_ASYNC_CONTEXT","features":[479]},{"name":"WS_ASYNC_FUNCTION","features":[479]},{"name":"WS_ASYNC_OPERATION","features":[479]},{"name":"WS_ASYNC_STATE","features":[479]},{"name":"WS_ATTRIBUTE_DESCRIPTION","features":[308,479]},{"name":"WS_ATTRIBUTE_FIELD_MAPPING","features":[479]},{"name":"WS_ATTRIBUTE_TYPE_MAPPING","features":[479]},{"name":"WS_AUTO_COOKIE_MODE","features":[479]},{"name":"WS_BINDING_TEMPLATE_TYPE","features":[479]},{"name":"WS_BLANK_MESSAGE","features":[479]},{"name":"WS_BOOL_DESCRIPTION","features":[308,479]},{"name":"WS_BOOL_TYPE","features":[479]},{"name":"WS_BOOL_VALUE_TYPE","features":[479]},{"name":"WS_BUFFERED_TRANSFER_MODE","features":[479]},{"name":"WS_BUFFERS","features":[479]},{"name":"WS_BYTES","features":[479]},{"name":"WS_BYTES_DESCRIPTION","features":[479]},{"name":"WS_BYTES_TYPE","features":[479]},{"name":"WS_BYTE_ARRAY_DESCRIPTION","features":[479]},{"name":"WS_BYTE_ARRAY_TYPE","features":[479]},{"name":"WS_CALLBACK_MODEL","features":[479]},{"name":"WS_CALL_PROPERTY","features":[479]},{"name":"WS_CALL_PROPERTY_CALL_ID","features":[479]},{"name":"WS_CALL_PROPERTY_CHECK_MUST_UNDERSTAND","features":[479]},{"name":"WS_CALL_PROPERTY_ID","features":[479]},{"name":"WS_CALL_PROPERTY_RECEIVE_MESSAGE_CONTEXT","features":[479]},{"name":"WS_CALL_PROPERTY_SEND_MESSAGE_CONTEXT","features":[479]},{"name":"WS_CAPI_ASYMMETRIC_SECURITY_KEY_HANDLE","features":[479]},{"name":"WS_CAPI_ASYMMETRIC_SECURITY_KEY_HANDLE_TYPE","features":[479]},{"name":"WS_CERTIFICATE_VALIDATION_CALLBACK","features":[308,479,392]},{"name":"WS_CERTIFICATE_VALIDATION_CALLBACK_CONTEXT","features":[308,479,392]},{"name":"WS_CERT_CREDENTIAL","features":[479]},{"name":"WS_CERT_CREDENTIAL_TYPE","features":[479]},{"name":"WS_CERT_ENDPOINT_IDENTITY","features":[479]},{"name":"WS_CERT_ENDPOINT_IDENTITY_TYPE","features":[479]},{"name":"WS_CERT_FAILURE_CN_MISMATCH","features":[479]},{"name":"WS_CERT_FAILURE_INVALID_DATE","features":[479]},{"name":"WS_CERT_FAILURE_REVOCATION_OFFLINE","features":[479]},{"name":"WS_CERT_FAILURE_UNTRUSTED_ROOT","features":[479]},{"name":"WS_CERT_FAILURE_WRONG_USAGE","features":[479]},{"name":"WS_CERT_ISSUER_LIST_NOTIFICATION_CALLBACK","features":[479,329,392]},{"name":"WS_CERT_MESSAGE_SECURITY_BINDING_CONSTRAINT","features":[479]},{"name":"WS_CERT_MESSAGE_SECURITY_BINDING_CONSTRAINT_TYPE","features":[479]},{"name":"WS_CERT_SIGNED_SAML_AUTHENTICATOR","features":[308,479,392]},{"name":"WS_CERT_SIGNED_SAML_AUTHENTICATOR_TYPE","features":[479]},{"name":"WS_CHANNEL","features":[479]},{"name":"WS_CHANNEL_BINDING","features":[479]},{"name":"WS_CHANNEL_DECODER","features":[479]},{"name":"WS_CHANNEL_ENCODER","features":[479]},{"name":"WS_CHANNEL_PROPERTIES","features":[479]},{"name":"WS_CHANNEL_PROPERTY","features":[479]},{"name":"WS_CHANNEL_PROPERTY_ADDRESSING_VERSION","features":[479]},{"name":"WS_CHANNEL_PROPERTY_ALLOW_UNSECURED_FAULTS","features":[479]},{"name":"WS_CHANNEL_PROPERTY_ASYNC_CALLBACK_MODEL","features":[479]},{"name":"WS_CHANNEL_PROPERTY_CHANNEL_TYPE","features":[479]},{"name":"WS_CHANNEL_PROPERTY_CLOSE_TIMEOUT","features":[479]},{"name":"WS_CHANNEL_PROPERTY_CONNECT_TIMEOUT","features":[479]},{"name":"WS_CHANNEL_PROPERTY_CONSTRAINT","features":[479]},{"name":"WS_CHANNEL_PROPERTY_COOKIE_MODE","features":[479]},{"name":"WS_CHANNEL_PROPERTY_CUSTOM_CHANNEL_CALLBACKS","features":[479]},{"name":"WS_CHANNEL_PROPERTY_CUSTOM_CHANNEL_INSTANCE","features":[479]},{"name":"WS_CHANNEL_PROPERTY_CUSTOM_CHANNEL_PARAMETERS","features":[479]},{"name":"WS_CHANNEL_PROPERTY_CUSTOM_HTTP_PROXY","features":[479]},{"name":"WS_CHANNEL_PROPERTY_DECODER","features":[479]},{"name":"WS_CHANNEL_PROPERTY_ENABLE_HTTP_REDIRECT","features":[479]},{"name":"WS_CHANNEL_PROPERTY_ENABLE_TIMEOUTS","features":[479]},{"name":"WS_CHANNEL_PROPERTY_ENCODER","features":[479]},{"name":"WS_CHANNEL_PROPERTY_ENCODING","features":[479]},{"name":"WS_CHANNEL_PROPERTY_ENVELOPE_VERSION","features":[479]},{"name":"WS_CHANNEL_PROPERTY_FAULTS_AS_ERRORS","features":[479]},{"name":"WS_CHANNEL_PROPERTY_HTTP_CONNECTION_ID","features":[479]},{"name":"WS_CHANNEL_PROPERTY_HTTP_MESSAGE_MAPPING","features":[479]},{"name":"WS_CHANNEL_PROPERTY_HTTP_PROXY_SETTING_MODE","features":[479]},{"name":"WS_CHANNEL_PROPERTY_HTTP_PROXY_SPN","features":[479]},{"name":"WS_CHANNEL_PROPERTY_HTTP_REDIRECT_CALLBACK_CONTEXT","features":[479]},{"name":"WS_CHANNEL_PROPERTY_HTTP_SERVER_SPN","features":[479]},{"name":"WS_CHANNEL_PROPERTY_ID","features":[479]},{"name":"WS_CHANNEL_PROPERTY_IP_VERSION","features":[479]},{"name":"WS_CHANNEL_PROPERTY_IS_SESSION_SHUT_DOWN","features":[479]},{"name":"WS_CHANNEL_PROPERTY_KEEP_ALIVE_INTERVAL","features":[479]},{"name":"WS_CHANNEL_PROPERTY_KEEP_ALIVE_TIME","features":[479]},{"name":"WS_CHANNEL_PROPERTY_MAX_BUFFERED_MESSAGE_SIZE","features":[479]},{"name":"WS_CHANNEL_PROPERTY_MAX_HTTP_REQUEST_HEADERS_BUFFER_SIZE","features":[479]},{"name":"WS_CHANNEL_PROPERTY_MAX_HTTP_SERVER_CONNECTIONS","features":[479]},{"name":"WS_CHANNEL_PROPERTY_MAX_SESSION_DICTIONARY_SIZE","features":[479]},{"name":"WS_CHANNEL_PROPERTY_MAX_STREAMED_FLUSH_SIZE","features":[479]},{"name":"WS_CHANNEL_PROPERTY_MAX_STREAMED_MESSAGE_SIZE","features":[479]},{"name":"WS_CHANNEL_PROPERTY_MAX_STREAMED_START_SIZE","features":[479]},{"name":"WS_CHANNEL_PROPERTY_MULTICAST_HOPS","features":[479]},{"name":"WS_CHANNEL_PROPERTY_MULTICAST_INTERFACE","features":[479]},{"name":"WS_CHANNEL_PROPERTY_NO_DELAY","features":[479]},{"name":"WS_CHANNEL_PROPERTY_PROTECTION_LEVEL","features":[479]},{"name":"WS_CHANNEL_PROPERTY_RECEIVE_RESPONSE_TIMEOUT","features":[479]},{"name":"WS_CHANNEL_PROPERTY_RECEIVE_TIMEOUT","features":[479]},{"name":"WS_CHANNEL_PROPERTY_REMOTE_ADDRESS","features":[479]},{"name":"WS_CHANNEL_PROPERTY_REMOTE_IP_ADDRESS","features":[479]},{"name":"WS_CHANNEL_PROPERTY_RESOLVE_TIMEOUT","features":[479]},{"name":"WS_CHANNEL_PROPERTY_SEND_KEEP_ALIVES","features":[479]},{"name":"WS_CHANNEL_PROPERTY_SEND_TIMEOUT","features":[479]},{"name":"WS_CHANNEL_PROPERTY_STATE","features":[479]},{"name":"WS_CHANNEL_PROPERTY_TRANSFER_MODE","features":[479]},{"name":"WS_CHANNEL_PROPERTY_TRANSPORT_URL","features":[479]},{"name":"WS_CHANNEL_PROPERTY_TRIM_BUFFERED_MESSAGE_SIZE","features":[479]},{"name":"WS_CHANNEL_STATE","features":[479]},{"name":"WS_CHANNEL_STATE_ACCEPTING","features":[479]},{"name":"WS_CHANNEL_STATE_CLOSED","features":[479]},{"name":"WS_CHANNEL_STATE_CLOSING","features":[479]},{"name":"WS_CHANNEL_STATE_CREATED","features":[479]},{"name":"WS_CHANNEL_STATE_FAULTED","features":[479]},{"name":"WS_CHANNEL_STATE_OPEN","features":[479]},{"name":"WS_CHANNEL_STATE_OPENING","features":[479]},{"name":"WS_CHANNEL_TYPE","features":[479]},{"name":"WS_CHANNEL_TYPE_DUPLEX","features":[479]},{"name":"WS_CHANNEL_TYPE_DUPLEX_SESSION","features":[479]},{"name":"WS_CHANNEL_TYPE_INPUT","features":[479]},{"name":"WS_CHANNEL_TYPE_INPUT_SESSION","features":[479]},{"name":"WS_CHANNEL_TYPE_OUTPUT","features":[479]},{"name":"WS_CHANNEL_TYPE_OUTPUT_SESSION","features":[479]},{"name":"WS_CHANNEL_TYPE_REPLY","features":[479]},{"name":"WS_CHANNEL_TYPE_REQUEST","features":[479]},{"name":"WS_CHANNEL_TYPE_SESSION","features":[479]},{"name":"WS_CHARSET","features":[479]},{"name":"WS_CHARSET_AUTO","features":[479]},{"name":"WS_CHARSET_UTF16BE","features":[479]},{"name":"WS_CHARSET_UTF16LE","features":[479]},{"name":"WS_CHARSET_UTF8","features":[479]},{"name":"WS_CHAR_ARRAY_DESCRIPTION","features":[479]},{"name":"WS_CHAR_ARRAY_TYPE","features":[479]},{"name":"WS_CLOSE_CHANNEL_CALLBACK","features":[479]},{"name":"WS_CLOSE_LISTENER_CALLBACK","features":[479]},{"name":"WS_CONTRACT_DESCRIPTION","features":[308,479]},{"name":"WS_COOKIE_MODE","features":[479]},{"name":"WS_CREATE_CHANNEL_CALLBACK","features":[479]},{"name":"WS_CREATE_CHANNEL_FOR_LISTENER_CALLBACK","features":[479]},{"name":"WS_CREATE_DECODER_CALLBACK","features":[479]},{"name":"WS_CREATE_ENCODER_CALLBACK","features":[479]},{"name":"WS_CREATE_LISTENER_CALLBACK","features":[479]},{"name":"WS_CUSTOM_CERT_CREDENTIAL","features":[308,479,329,392]},{"name":"WS_CUSTOM_CERT_CREDENTIAL_TYPE","features":[479]},{"name":"WS_CUSTOM_CHANNEL_BINDING","features":[479]},{"name":"WS_CUSTOM_CHANNEL_CALLBACKS","features":[479]},{"name":"WS_CUSTOM_HTTP_PROXY","features":[479]},{"name":"WS_CUSTOM_LISTENER_CALLBACKS","features":[479]},{"name":"WS_CUSTOM_TYPE","features":[479]},{"name":"WS_CUSTOM_TYPE_DESCRIPTION","features":[308,479]},{"name":"WS_DATETIME","features":[479]},{"name":"WS_DATETIME_DESCRIPTION","features":[479]},{"name":"WS_DATETIME_FORMAT","features":[479]},{"name":"WS_DATETIME_FORMAT_LOCAL","features":[479]},{"name":"WS_DATETIME_FORMAT_NONE","features":[479]},{"name":"WS_DATETIME_FORMAT_UTC","features":[479]},{"name":"WS_DATETIME_TYPE","features":[479]},{"name":"WS_DATETIME_VALUE_TYPE","features":[479]},{"name":"WS_DECIMAL_DESCRIPTION","features":[308,479]},{"name":"WS_DECIMAL_TYPE","features":[479]},{"name":"WS_DECIMAL_VALUE_TYPE","features":[479]},{"name":"WS_DECODER_DECODE_CALLBACK","features":[479]},{"name":"WS_DECODER_END_CALLBACK","features":[479]},{"name":"WS_DECODER_GET_CONTENT_TYPE_CALLBACK","features":[479]},{"name":"WS_DECODER_START_CALLBACK","features":[479]},{"name":"WS_DEFAULT_VALUE","features":[479]},{"name":"WS_DEFAULT_WINDOWS_INTEGRATED_AUTH_CREDENTIAL","features":[479]},{"name":"WS_DEFAULT_WINDOWS_INTEGRATED_AUTH_CREDENTIAL_TYPE","features":[479]},{"name":"WS_DESCRIPTION_TYPE","features":[479]},{"name":"WS_DISALLOWED_USER_AGENT_SUBSTRINGS","features":[479]},{"name":"WS_DNS_ENDPOINT_IDENTITY","features":[479]},{"name":"WS_DNS_ENDPOINT_IDENTITY_TYPE","features":[479]},{"name":"WS_DOUBLE_DESCRIPTION","features":[479]},{"name":"WS_DOUBLE_TYPE","features":[479]},{"name":"WS_DOUBLE_VALUE_TYPE","features":[479]},{"name":"WS_DUPLICATE_MESSAGE","features":[479]},{"name":"WS_DURATION","features":[308,479]},{"name":"WS_DURATION_COMPARISON_CALLBACK","features":[308,479]},{"name":"WS_DURATION_DESCRIPTION","features":[308,479]},{"name":"WS_DURATION_TYPE","features":[479]},{"name":"WS_DURATION_VALUE_TYPE","features":[479]},{"name":"WS_DYNAMIC_STRING_CALLBACK","features":[308,479]},{"name":"WS_ELEMENT_CHOICE_FIELD_MAPPING","features":[479]},{"name":"WS_ELEMENT_CONTENT_TYPE_MAPPING","features":[479]},{"name":"WS_ELEMENT_DESCRIPTION","features":[308,479]},{"name":"WS_ELEMENT_FIELD_MAPPING","features":[479]},{"name":"WS_ELEMENT_TYPE_MAPPING","features":[479]},{"name":"WS_ENCODER_ENCODE_CALLBACK","features":[479]},{"name":"WS_ENCODER_END_CALLBACK","features":[479]},{"name":"WS_ENCODER_GET_CONTENT_TYPE_CALLBACK","features":[479]},{"name":"WS_ENCODER_START_CALLBACK","features":[479]},{"name":"WS_ENCODING","features":[479]},{"name":"WS_ENCODING_RAW","features":[479]},{"name":"WS_ENCODING_XML_BINARY_1","features":[479]},{"name":"WS_ENCODING_XML_BINARY_SESSION_1","features":[479]},{"name":"WS_ENCODING_XML_MTOM_UTF16BE","features":[479]},{"name":"WS_ENCODING_XML_MTOM_UTF16LE","features":[479]},{"name":"WS_ENCODING_XML_MTOM_UTF8","features":[479]},{"name":"WS_ENCODING_XML_UTF16BE","features":[479]},{"name":"WS_ENCODING_XML_UTF16LE","features":[479]},{"name":"WS_ENCODING_XML_UTF8","features":[479]},{"name":"WS_ENDPOINT_ADDRESS","features":[479]},{"name":"WS_ENDPOINT_ADDRESS_DESCRIPTION","features":[479]},{"name":"WS_ENDPOINT_ADDRESS_EXTENSION_METADATA_ADDRESS","features":[479]},{"name":"WS_ENDPOINT_ADDRESS_EXTENSION_TYPE","features":[479]},{"name":"WS_ENDPOINT_ADDRESS_TYPE","features":[479]},{"name":"WS_ENDPOINT_IDENTITY","features":[479]},{"name":"WS_ENDPOINT_IDENTITY_TYPE","features":[479]},{"name":"WS_ENDPOINT_POLICY_EXTENSION","features":[308,479]},{"name":"WS_ENDPOINT_POLICY_EXTENSION_TYPE","features":[479]},{"name":"WS_ENUM_DESCRIPTION","features":[308,479]},{"name":"WS_ENUM_TYPE","features":[479]},{"name":"WS_ENUM_VALUE","features":[308,479]},{"name":"WS_ENVELOPE_VERSION","features":[479]},{"name":"WS_ENVELOPE_VERSION_NONE","features":[479]},{"name":"WS_ENVELOPE_VERSION_SOAP_1_1","features":[479]},{"name":"WS_ENVELOPE_VERSION_SOAP_1_2","features":[479]},{"name":"WS_ERROR","features":[479]},{"name":"WS_ERROR_PROPERTY","features":[479]},{"name":"WS_ERROR_PROPERTY_ID","features":[479]},{"name":"WS_ERROR_PROPERTY_LANGID","features":[479]},{"name":"WS_ERROR_PROPERTY_ORIGINAL_ERROR_CODE","features":[479]},{"name":"WS_ERROR_PROPERTY_STRING_COUNT","features":[479]},{"name":"WS_EXCEPTION_CODE","features":[479]},{"name":"WS_EXCEPTION_CODE_INTERNAL_FAILURE","features":[479]},{"name":"WS_EXCEPTION_CODE_USAGE_FAILURE","features":[479]},{"name":"WS_EXCLUSIVE_WITH_COMMENTS_XML_CANONICALIZATION_ALGORITHM","features":[479]},{"name":"WS_EXCLUSIVE_XML_CANONICALIZATION_ALGORITHM","features":[479]},{"name":"WS_EXTENDED_PROTECTION_POLICY","features":[479]},{"name":"WS_EXTENDED_PROTECTION_POLICY_ALWAYS","features":[479]},{"name":"WS_EXTENDED_PROTECTION_POLICY_NEVER","features":[479]},{"name":"WS_EXTENDED_PROTECTION_POLICY_WHEN_SUPPORTED","features":[479]},{"name":"WS_EXTENDED_PROTECTION_SCENARIO","features":[479]},{"name":"WS_EXTENDED_PROTECTION_SCENARIO_BOUND_SERVER","features":[479]},{"name":"WS_EXTENDED_PROTECTION_SCENARIO_TERMINATED_SSL","features":[479]},{"name":"WS_FAULT","features":[308,479]},{"name":"WS_FAULT_CODE","features":[308,479]},{"name":"WS_FAULT_DESCRIPTION","features":[479]},{"name":"WS_FAULT_DETAIL_DESCRIPTION","features":[308,479]},{"name":"WS_FAULT_DISCLOSURE","features":[479]},{"name":"WS_FAULT_ERROR_PROPERTY_ACTION","features":[479]},{"name":"WS_FAULT_ERROR_PROPERTY_FAULT","features":[479]},{"name":"WS_FAULT_ERROR_PROPERTY_HEADER","features":[479]},{"name":"WS_FAULT_ERROR_PROPERTY_ID","features":[479]},{"name":"WS_FAULT_MESSAGE","features":[479]},{"name":"WS_FAULT_REASON","features":[479]},{"name":"WS_FAULT_TO_HEADER","features":[479]},{"name":"WS_FAULT_TYPE","features":[479]},{"name":"WS_FIELD_DESCRIPTION","features":[308,479]},{"name":"WS_FIELD_MAPPING","features":[479]},{"name":"WS_FIELD_NILLABLE","features":[479]},{"name":"WS_FIELD_NILLABLE_ITEM","features":[479]},{"name":"WS_FIELD_OPTIONAL","features":[479]},{"name":"WS_FIELD_OTHER_NAMESPACE","features":[479]},{"name":"WS_FIELD_POINTER","features":[479]},{"name":"WS_FLOAT_DESCRIPTION","features":[479]},{"name":"WS_FLOAT_TYPE","features":[479]},{"name":"WS_FLOAT_VALUE_TYPE","features":[479]},{"name":"WS_FREE_CHANNEL_CALLBACK","features":[479]},{"name":"WS_FREE_DECODER_CALLBACK","features":[479]},{"name":"WS_FREE_ENCODER_CALLBACK","features":[479]},{"name":"WS_FREE_LISTENER_CALLBACK","features":[479]},{"name":"WS_FROM_HEADER","features":[479]},{"name":"WS_FULL_FAULT_DISCLOSURE","features":[479]},{"name":"WS_GET_CERT_CALLBACK","features":[308,479,392]},{"name":"WS_GET_CHANNEL_PROPERTY_CALLBACK","features":[479]},{"name":"WS_GET_LISTENER_PROPERTY_CALLBACK","features":[479]},{"name":"WS_GUID_DESCRIPTION","features":[479]},{"name":"WS_GUID_TYPE","features":[479]},{"name":"WS_GUID_VALUE_TYPE","features":[479]},{"name":"WS_HEADER_TYPE","features":[479]},{"name":"WS_HEAP","features":[479]},{"name":"WS_HEAP_PROPERTIES","features":[479]},{"name":"WS_HEAP_PROPERTY","features":[479]},{"name":"WS_HEAP_PROPERTY_ACTUAL_SIZE","features":[479]},{"name":"WS_HEAP_PROPERTY_ID","features":[479]},{"name":"WS_HEAP_PROPERTY_MAX_SIZE","features":[479]},{"name":"WS_HEAP_PROPERTY_REQUESTED_SIZE","features":[479]},{"name":"WS_HEAP_PROPERTY_TRIM_SIZE","features":[479]},{"name":"WS_HOST_NAMES","features":[479]},{"name":"WS_HTTPS_URL","features":[479]},{"name":"WS_HTTP_BINDING_TEMPLATE","features":[479]},{"name":"WS_HTTP_BINDING_TEMPLATE_TYPE","features":[479]},{"name":"WS_HTTP_CHANNEL_BINDING","features":[479]},{"name":"WS_HTTP_HEADER_AUTH_BINDING_TEMPLATE","features":[479]},{"name":"WS_HTTP_HEADER_AUTH_BINDING_TEMPLATE_TYPE","features":[479]},{"name":"WS_HTTP_HEADER_AUTH_POLICY_DESCRIPTION","features":[479]},{"name":"WS_HTTP_HEADER_AUTH_SCHEME_BASIC","features":[479]},{"name":"WS_HTTP_HEADER_AUTH_SCHEME_DIGEST","features":[479]},{"name":"WS_HTTP_HEADER_AUTH_SCHEME_NEGOTIATE","features":[479]},{"name":"WS_HTTP_HEADER_AUTH_SCHEME_NONE","features":[479]},{"name":"WS_HTTP_HEADER_AUTH_SCHEME_NTLM","features":[479]},{"name":"WS_HTTP_HEADER_AUTH_SCHEME_PASSPORT","features":[479]},{"name":"WS_HTTP_HEADER_AUTH_SECURITY_BINDING","features":[479]},{"name":"WS_HTTP_HEADER_AUTH_SECURITY_BINDING_CONSTRAINT","features":[479]},{"name":"WS_HTTP_HEADER_AUTH_SECURITY_BINDING_CONSTRAINT_TYPE","features":[479]},{"name":"WS_HTTP_HEADER_AUTH_SECURITY_BINDING_POLICY_DESCRIPTION","features":[479]},{"name":"WS_HTTP_HEADER_AUTH_SECURITY_BINDING_TEMPLATE","features":[479]},{"name":"WS_HTTP_HEADER_AUTH_SECURITY_BINDING_TYPE","features":[479]},{"name":"WS_HTTP_HEADER_AUTH_TARGET","features":[479]},{"name":"WS_HTTP_HEADER_AUTH_TARGET_PROXY","features":[479]},{"name":"WS_HTTP_HEADER_AUTH_TARGET_SERVICE","features":[479]},{"name":"WS_HTTP_HEADER_MAPPING","features":[308,479]},{"name":"WS_HTTP_HEADER_MAPPING_COMMA_SEPARATOR","features":[479]},{"name":"WS_HTTP_HEADER_MAPPING_QUOTED_VALUE","features":[479]},{"name":"WS_HTTP_HEADER_MAPPING_SEMICOLON_SEPARATOR","features":[479]},{"name":"WS_HTTP_MESSAGE_MAPPING","features":[308,479]},{"name":"WS_HTTP_POLICY_DESCRIPTION","features":[479]},{"name":"WS_HTTP_PROXY_SETTING_MODE","features":[479]},{"name":"WS_HTTP_PROXY_SETTING_MODE_AUTO","features":[479]},{"name":"WS_HTTP_PROXY_SETTING_MODE_CUSTOM","features":[479]},{"name":"WS_HTTP_PROXY_SETTING_MODE_NONE","features":[479]},{"name":"WS_HTTP_REDIRECT_CALLBACK","features":[479]},{"name":"WS_HTTP_REDIRECT_CALLBACK_CONTEXT","features":[479]},{"name":"WS_HTTP_REQUEST_MAPPING_VERB","features":[479]},{"name":"WS_HTTP_RESPONSE_MAPPING_STATUS_CODE","features":[479]},{"name":"WS_HTTP_RESPONSE_MAPPING_STATUS_TEXT","features":[479]},{"name":"WS_HTTP_SSL_BINDING_TEMPLATE","features":[479]},{"name":"WS_HTTP_SSL_BINDING_TEMPLATE_TYPE","features":[479]},{"name":"WS_HTTP_SSL_HEADER_AUTH_BINDING_TEMPLATE","features":[479]},{"name":"WS_HTTP_SSL_HEADER_AUTH_BINDING_TEMPLATE_TYPE","features":[479]},{"name":"WS_HTTP_SSL_HEADER_AUTH_POLICY_DESCRIPTION","features":[479]},{"name":"WS_HTTP_SSL_KERBEROS_APREQ_BINDING_TEMPLATE","features":[479]},{"name":"WS_HTTP_SSL_KERBEROS_APREQ_BINDING_TEMPLATE_TYPE","features":[479]},{"name":"WS_HTTP_SSL_KERBEROS_APREQ_POLICY_DESCRIPTION","features":[479]},{"name":"WS_HTTP_SSL_KERBEROS_APREQ_SECURITY_CONTEXT_BINDING_TEMPLATE","features":[479]},{"name":"WS_HTTP_SSL_KERBEROS_APREQ_SECURITY_CONTEXT_BINDING_TEMPLATE_TYPE","features":[479]},{"name":"WS_HTTP_SSL_KERBEROS_APREQ_SECURITY_CONTEXT_POLICY_DESCRIPTION","features":[479]},{"name":"WS_HTTP_SSL_POLICY_DESCRIPTION","features":[479]},{"name":"WS_HTTP_SSL_USERNAME_BINDING_TEMPLATE","features":[479]},{"name":"WS_HTTP_SSL_USERNAME_BINDING_TEMPLATE_TYPE","features":[479]},{"name":"WS_HTTP_SSL_USERNAME_POLICY_DESCRIPTION","features":[479]},{"name":"WS_HTTP_SSL_USERNAME_SECURITY_CONTEXT_BINDING_TEMPLATE","features":[479]},{"name":"WS_HTTP_SSL_USERNAME_SECURITY_CONTEXT_BINDING_TEMPLATE_TYPE","features":[479]},{"name":"WS_HTTP_SSL_USERNAME_SECURITY_CONTEXT_POLICY_DESCRIPTION","features":[479]},{"name":"WS_HTTP_URL","features":[479]},{"name":"WS_INCLUSIVE_WITH_COMMENTS_XML_CANONICALIZATION_ALGORITHM","features":[479]},{"name":"WS_INCLUSIVE_XML_CANONICALIZATION_ALGORITHM","features":[479]},{"name":"WS_INT16_DESCRIPTION","features":[479]},{"name":"WS_INT16_TYPE","features":[479]},{"name":"WS_INT16_VALUE_TYPE","features":[479]},{"name":"WS_INT32_DESCRIPTION","features":[479]},{"name":"WS_INT32_TYPE","features":[479]},{"name":"WS_INT32_VALUE_TYPE","features":[479]},{"name":"WS_INT64_DESCRIPTION","features":[479]},{"name":"WS_INT64_TYPE","features":[479]},{"name":"WS_INT64_VALUE_TYPE","features":[479]},{"name":"WS_INT8_DESCRIPTION","features":[479]},{"name":"WS_INT8_TYPE","features":[479]},{"name":"WS_INT8_VALUE_TYPE","features":[479]},{"name":"WS_IP_VERSION","features":[479]},{"name":"WS_IP_VERSION_4","features":[479]},{"name":"WS_IP_VERSION_6","features":[479]},{"name":"WS_IP_VERSION_AUTO","features":[479]},{"name":"WS_ISSUED_TOKEN_MESSAGE_SECURITY_BINDING_CONSTRAINT","features":[308,479]},{"name":"WS_ISSUED_TOKEN_MESSAGE_SECURITY_BINDING_CONSTRAINT_TYPE","features":[479]},{"name":"WS_IS_DEFAULT_VALUE_CALLBACK","features":[308,479]},{"name":"WS_ITEM_RANGE","features":[479]},{"name":"WS_KERBEROS_APREQ_MESSAGE_SECURITY_BINDING","features":[479]},{"name":"WS_KERBEROS_APREQ_MESSAGE_SECURITY_BINDING_CONSTRAINT","features":[479]},{"name":"WS_KERBEROS_APREQ_MESSAGE_SECURITY_BINDING_CONSTRAINT_TYPE","features":[479]},{"name":"WS_KERBEROS_APREQ_MESSAGE_SECURITY_BINDING_POLICY_DESCRIPTION","features":[479]},{"name":"WS_KERBEROS_APREQ_MESSAGE_SECURITY_BINDING_TEMPLATE","features":[479]},{"name":"WS_KERBEROS_APREQ_MESSAGE_SECURITY_BINDING_TYPE","features":[479]},{"name":"WS_LISTENER","features":[479]},{"name":"WS_LISTENER_PROPERTIES","features":[479]},{"name":"WS_LISTENER_PROPERTY","features":[479]},{"name":"WS_LISTENER_PROPERTY_ASYNC_CALLBACK_MODEL","features":[479]},{"name":"WS_LISTENER_PROPERTY_CHANNEL_BINDING","features":[479]},{"name":"WS_LISTENER_PROPERTY_CHANNEL_TYPE","features":[479]},{"name":"WS_LISTENER_PROPERTY_CLOSE_TIMEOUT","features":[479]},{"name":"WS_LISTENER_PROPERTY_CONNECT_TIMEOUT","features":[479]},{"name":"WS_LISTENER_PROPERTY_CUSTOM_LISTENER_CALLBACKS","features":[479]},{"name":"WS_LISTENER_PROPERTY_CUSTOM_LISTENER_INSTANCE","features":[479]},{"name":"WS_LISTENER_PROPERTY_CUSTOM_LISTENER_PARAMETERS","features":[479]},{"name":"WS_LISTENER_PROPERTY_DISALLOWED_USER_AGENT","features":[479]},{"name":"WS_LISTENER_PROPERTY_ID","features":[479]},{"name":"WS_LISTENER_PROPERTY_IP_VERSION","features":[479]},{"name":"WS_LISTENER_PROPERTY_IS_MULTICAST","features":[479]},{"name":"WS_LISTENER_PROPERTY_LISTEN_BACKLOG","features":[479]},{"name":"WS_LISTENER_PROPERTY_MULTICAST_INTERFACES","features":[479]},{"name":"WS_LISTENER_PROPERTY_MULTICAST_LOOPBACK","features":[479]},{"name":"WS_LISTENER_PROPERTY_STATE","features":[479]},{"name":"WS_LISTENER_PROPERTY_TO_HEADER_MATCHING_OPTIONS","features":[479]},{"name":"WS_LISTENER_PROPERTY_TRANSPORT_URL_MATCHING_OPTIONS","features":[479]},{"name":"WS_LISTENER_STATE","features":[479]},{"name":"WS_LISTENER_STATE_CLOSED","features":[479]},{"name":"WS_LISTENER_STATE_CLOSING","features":[479]},{"name":"WS_LISTENER_STATE_CREATED","features":[479]},{"name":"WS_LISTENER_STATE_FAULTED","features":[479]},{"name":"WS_LISTENER_STATE_OPEN","features":[479]},{"name":"WS_LISTENER_STATE_OPENING","features":[479]},{"name":"WS_LONG_CALLBACK","features":[479]},{"name":"WS_MANUAL_COOKIE_MODE","features":[479]},{"name":"WS_MATCH_URL_DNS_FULLY_QUALIFIED_HOST","features":[479]},{"name":"WS_MATCH_URL_DNS_HOST","features":[479]},{"name":"WS_MATCH_URL_EXACT_PATH","features":[479]},{"name":"WS_MATCH_URL_HOST_ADDRESSES","features":[479]},{"name":"WS_MATCH_URL_LOCAL_HOST","features":[479]},{"name":"WS_MATCH_URL_NETBIOS_HOST","features":[479]},{"name":"WS_MATCH_URL_NO_QUERY","features":[479]},{"name":"WS_MATCH_URL_PORT","features":[479]},{"name":"WS_MATCH_URL_PREFIX_PATH","features":[479]},{"name":"WS_MATCH_URL_THIS_HOST","features":[479]},{"name":"WS_MESSAGE","features":[479]},{"name":"WS_MESSAGE_DESCRIPTION","features":[308,479]},{"name":"WS_MESSAGE_DONE_CALLBACK","features":[479]},{"name":"WS_MESSAGE_ID_HEADER","features":[479]},{"name":"WS_MESSAGE_INITIALIZATION","features":[479]},{"name":"WS_MESSAGE_PROPERTIES","features":[479]},{"name":"WS_MESSAGE_PROPERTY","features":[479]},{"name":"WS_MESSAGE_PROPERTY_ADDRESSING_VERSION","features":[479]},{"name":"WS_MESSAGE_PROPERTY_BODY_READER","features":[479]},{"name":"WS_MESSAGE_PROPERTY_BODY_WRITER","features":[479]},{"name":"WS_MESSAGE_PROPERTY_ENCODED_CERT","features":[479]},{"name":"WS_MESSAGE_PROPERTY_ENVELOPE_VERSION","features":[479]},{"name":"WS_MESSAGE_PROPERTY_HEADER_BUFFER","features":[479]},{"name":"WS_MESSAGE_PROPERTY_HEADER_POSITION","features":[479]},{"name":"WS_MESSAGE_PROPERTY_HEAP","features":[479]},{"name":"WS_MESSAGE_PROPERTY_HEAP_PROPERTIES","features":[479]},{"name":"WS_MESSAGE_PROPERTY_HTTP_HEADER_AUTH_WINDOWS_TOKEN","features":[479]},{"name":"WS_MESSAGE_PROPERTY_ID","features":[479]},{"name":"WS_MESSAGE_PROPERTY_IS_ADDRESSED","features":[479]},{"name":"WS_MESSAGE_PROPERTY_IS_FAULT","features":[479]},{"name":"WS_MESSAGE_PROPERTY_MAX_PROCESSED_HEADERS","features":[479]},{"name":"WS_MESSAGE_PROPERTY_MESSAGE_SECURITY_WINDOWS_TOKEN","features":[479]},{"name":"WS_MESSAGE_PROPERTY_PROTECTION_LEVEL","features":[479]},{"name":"WS_MESSAGE_PROPERTY_SAML_ASSERTION","features":[479]},{"name":"WS_MESSAGE_PROPERTY_SECURITY_CONTEXT","features":[479]},{"name":"WS_MESSAGE_PROPERTY_STATE","features":[479]},{"name":"WS_MESSAGE_PROPERTY_TRANSPORT_SECURITY_WINDOWS_TOKEN","features":[479]},{"name":"WS_MESSAGE_PROPERTY_USERNAME","features":[479]},{"name":"WS_MESSAGE_PROPERTY_XML_READER_PROPERTIES","features":[479]},{"name":"WS_MESSAGE_PROPERTY_XML_WRITER_PROPERTIES","features":[479]},{"name":"WS_MESSAGE_SECURITY_USAGE","features":[479]},{"name":"WS_MESSAGE_STATE","features":[479]},{"name":"WS_MESSAGE_STATE_DONE","features":[479]},{"name":"WS_MESSAGE_STATE_EMPTY","features":[479]},{"name":"WS_MESSAGE_STATE_INITIALIZED","features":[479]},{"name":"WS_MESSAGE_STATE_READING","features":[479]},{"name":"WS_MESSAGE_STATE_WRITING","features":[479]},{"name":"WS_METADATA","features":[479]},{"name":"WS_METADATA_ENDPOINT","features":[308,479]},{"name":"WS_METADATA_ENDPOINTS","features":[308,479]},{"name":"WS_METADATA_EXCHANGE_TYPE","features":[479]},{"name":"WS_METADATA_EXCHANGE_TYPE_HTTP_GET","features":[479]},{"name":"WS_METADATA_EXCHANGE_TYPE_MEX","features":[479]},{"name":"WS_METADATA_EXCHANGE_TYPE_NONE","features":[479]},{"name":"WS_METADATA_PROPERTY","features":[479]},{"name":"WS_METADATA_PROPERTY_HEAP_PROPERTIES","features":[479]},{"name":"WS_METADATA_PROPERTY_HEAP_REQUESTED_SIZE","features":[479]},{"name":"WS_METADATA_PROPERTY_HOST_NAMES","features":[479]},{"name":"WS_METADATA_PROPERTY_ID","features":[479]},{"name":"WS_METADATA_PROPERTY_MAX_DOCUMENTS","features":[479]},{"name":"WS_METADATA_PROPERTY_POLICY_PROPERTIES","features":[479]},{"name":"WS_METADATA_PROPERTY_STATE","features":[479]},{"name":"WS_METADATA_PROPERTY_VERIFY_HOST_NAMES","features":[479]},{"name":"WS_METADATA_STATE","features":[479]},{"name":"WS_METADATA_STATE_CREATED","features":[479]},{"name":"WS_METADATA_STATE_FAULTED","features":[479]},{"name":"WS_METADATA_STATE_RESOLVED","features":[479]},{"name":"WS_MINIMAL_FAULT_DISCLOSURE","features":[479]},{"name":"WS_MOVE_TO","features":[479]},{"name":"WS_MOVE_TO_BOF","features":[479]},{"name":"WS_MOVE_TO_CHILD_ELEMENT","features":[479]},{"name":"WS_MOVE_TO_CHILD_NODE","features":[479]},{"name":"WS_MOVE_TO_END_ELEMENT","features":[479]},{"name":"WS_MOVE_TO_EOF","features":[479]},{"name":"WS_MOVE_TO_FIRST_NODE","features":[479]},{"name":"WS_MOVE_TO_NEXT_ELEMENT","features":[479]},{"name":"WS_MOVE_TO_NEXT_NODE","features":[479]},{"name":"WS_MOVE_TO_PARENT_ELEMENT","features":[479]},{"name":"WS_MOVE_TO_PREVIOUS_ELEMENT","features":[479]},{"name":"WS_MOVE_TO_PREVIOUS_NODE","features":[479]},{"name":"WS_MOVE_TO_ROOT_ELEMENT","features":[479]},{"name":"WS_MUST_UNDERSTAND_HEADER_ATTRIBUTE","features":[479]},{"name":"WS_NAMEDPIPE_CHANNEL_BINDING","features":[479]},{"name":"WS_NAMEDPIPE_SSPI_TRANSPORT_SECURITY_BINDING","features":[479]},{"name":"WS_NAMEDPIPE_SSPI_TRANSPORT_SECURITY_BINDING_TYPE","features":[479]},{"name":"WS_NCRYPT_ASYMMETRIC_SECURITY_KEY_HANDLE","features":[479,392]},{"name":"WS_NCRYPT_ASYMMETRIC_SECURITY_KEY_HANDLE_TYPE","features":[479]},{"name":"WS_NETPIPE_URL","features":[479]},{"name":"WS_NETTCP_URL","features":[479]},{"name":"WS_NON_RPC_LITERAL_OPERATION","features":[479]},{"name":"WS_NO_FIELD_MAPPING","features":[479]},{"name":"WS_OPAQUE_WINDOWS_INTEGRATED_AUTH_CREDENTIAL","features":[479]},{"name":"WS_OPAQUE_WINDOWS_INTEGRATED_AUTH_CREDENTIAL_TYPE","features":[479]},{"name":"WS_OPEN_CHANNEL_CALLBACK","features":[479]},{"name":"WS_OPEN_LISTENER_CALLBACK","features":[479]},{"name":"WS_OPERATION_CANCEL_CALLBACK","features":[479]},{"name":"WS_OPERATION_CONTEXT","features":[479]},{"name":"WS_OPERATION_CONTEXT_PROPERTY_CHANNEL","features":[479]},{"name":"WS_OPERATION_CONTEXT_PROPERTY_CHANNEL_USER_STATE","features":[479]},{"name":"WS_OPERATION_CONTEXT_PROPERTY_CONTRACT_DESCRIPTION","features":[479]},{"name":"WS_OPERATION_CONTEXT_PROPERTY_ENDPOINT_ADDRESS","features":[479]},{"name":"WS_OPERATION_CONTEXT_PROPERTY_HEAP","features":[479]},{"name":"WS_OPERATION_CONTEXT_PROPERTY_HOST_USER_STATE","features":[479]},{"name":"WS_OPERATION_CONTEXT_PROPERTY_ID","features":[479]},{"name":"WS_OPERATION_CONTEXT_PROPERTY_INPUT_MESSAGE","features":[479]},{"name":"WS_OPERATION_CONTEXT_PROPERTY_LISTENER","features":[479]},{"name":"WS_OPERATION_CONTEXT_PROPERTY_OUTPUT_MESSAGE","features":[479]},{"name":"WS_OPERATION_DESCRIPTION","features":[308,479]},{"name":"WS_OPERATION_FREE_STATE_CALLBACK","features":[479]},{"name":"WS_OPERATION_STYLE","features":[479]},{"name":"WS_PARAMETER_DESCRIPTION","features":[479]},{"name":"WS_PARAMETER_TYPE","features":[479]},{"name":"WS_PARAMETER_TYPE_ARRAY","features":[479]},{"name":"WS_PARAMETER_TYPE_ARRAY_COUNT","features":[479]},{"name":"WS_PARAMETER_TYPE_MESSAGES","features":[479]},{"name":"WS_PARAMETER_TYPE_NORMAL","features":[479]},{"name":"WS_POLICY","features":[479]},{"name":"WS_POLICY_CONSTRAINTS","features":[479]},{"name":"WS_POLICY_EXTENSION","features":[479]},{"name":"WS_POLICY_EXTENSION_TYPE","features":[479]},{"name":"WS_POLICY_PROPERTIES","features":[479]},{"name":"WS_POLICY_PROPERTY","features":[479]},{"name":"WS_POLICY_PROPERTY_ID","features":[479]},{"name":"WS_POLICY_PROPERTY_MAX_ALTERNATIVES","features":[479]},{"name":"WS_POLICY_PROPERTY_MAX_DEPTH","features":[479]},{"name":"WS_POLICY_PROPERTY_MAX_EXTENSIONS","features":[479]},{"name":"WS_POLICY_PROPERTY_STATE","features":[479]},{"name":"WS_POLICY_STATE","features":[479]},{"name":"WS_POLICY_STATE_CREATED","features":[479]},{"name":"WS_POLICY_STATE_FAULTED","features":[479]},{"name":"WS_PROTECTION_LEVEL","features":[479]},{"name":"WS_PROTECTION_LEVEL_NONE","features":[479]},{"name":"WS_PROTECTION_LEVEL_SIGN","features":[479]},{"name":"WS_PROTECTION_LEVEL_SIGN_AND_ENCRYPT","features":[479]},{"name":"WS_PROXY_FAULT_LANG_ID","features":[479]},{"name":"WS_PROXY_MESSAGE_CALLBACK","features":[479]},{"name":"WS_PROXY_MESSAGE_CALLBACK_CONTEXT","features":[479]},{"name":"WS_PROXY_PROPERTY","features":[479]},{"name":"WS_PROXY_PROPERTY_CALL_TIMEOUT","features":[479]},{"name":"WS_PROXY_PROPERTY_ID","features":[479]},{"name":"WS_PROXY_PROPERTY_MAX_CALL_POOL_SIZE","features":[479]},{"name":"WS_PROXY_PROPERTY_MAX_CLOSE_TIMEOUT","features":[479]},{"name":"WS_PROXY_PROPERTY_MAX_PENDING_CALLS","features":[479]},{"name":"WS_PROXY_PROPERTY_MESSAGE_PROPERTIES","features":[479]},{"name":"WS_PROXY_PROPERTY_STATE","features":[479]},{"name":"WS_PULL_BYTES_CALLBACK","features":[479]},{"name":"WS_PUSH_BYTES_CALLBACK","features":[479]},{"name":"WS_RAW_SYMMETRIC_SECURITY_KEY_HANDLE","features":[479]},{"name":"WS_RAW_SYMMETRIC_SECURITY_KEY_HANDLE_TYPE","features":[479]},{"name":"WS_READ_CALLBACK","features":[479]},{"name":"WS_READ_MESSAGE_END_CALLBACK","features":[479]},{"name":"WS_READ_MESSAGE_START_CALLBACK","features":[479]},{"name":"WS_READ_NILLABLE_POINTER","features":[479]},{"name":"WS_READ_NILLABLE_VALUE","features":[479]},{"name":"WS_READ_OPTION","features":[479]},{"name":"WS_READ_OPTIONAL_POINTER","features":[479]},{"name":"WS_READ_REQUIRED_POINTER","features":[479]},{"name":"WS_READ_REQUIRED_VALUE","features":[479]},{"name":"WS_READ_TYPE_CALLBACK","features":[479]},{"name":"WS_RECEIVE_OPTION","features":[479]},{"name":"WS_RECEIVE_OPTIONAL_MESSAGE","features":[479]},{"name":"WS_RECEIVE_REQUIRED_MESSAGE","features":[479]},{"name":"WS_RELATES_TO_HEADER","features":[479]},{"name":"WS_RELAY_HEADER_ATTRIBUTE","features":[479]},{"name":"WS_REPEATING_ANY_ELEMENT_FIELD_MAPPING","features":[479]},{"name":"WS_REPEATING_ELEMENT_CHOICE_FIELD_MAPPING","features":[479]},{"name":"WS_REPEATING_ELEMENT_FIELD_MAPPING","features":[479]},{"name":"WS_REPEATING_HEADER","features":[479]},{"name":"WS_REPEATING_HEADER_OPTION","features":[479]},{"name":"WS_REPLY_MESSAGE","features":[479]},{"name":"WS_REPLY_TO_HEADER","features":[479]},{"name":"WS_REQUEST_MESSAGE","features":[479]},{"name":"WS_REQUEST_SECURITY_TOKEN_ACTION","features":[479]},{"name":"WS_REQUEST_SECURITY_TOKEN_ACTION_ISSUE","features":[479]},{"name":"WS_REQUEST_SECURITY_TOKEN_ACTION_NEW_CONTEXT","features":[479]},{"name":"WS_REQUEST_SECURITY_TOKEN_ACTION_RENEW_CONTEXT","features":[479]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY","features":[479]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_APPLIES_TO","features":[479]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_BEARER_KEY_TYPE_VERSION","features":[479]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_CONSTRAINT","features":[479]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_EXISTING_TOKEN","features":[479]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_ID","features":[479]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_ISSUED_TOKEN_KEY_ENTROPY","features":[479]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_ISSUED_TOKEN_KEY_SIZE","features":[479]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_ISSUED_TOKEN_KEY_TYPE","features":[479]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_ISSUED_TOKEN_TYPE","features":[479]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_LOCAL_REQUEST_PARAMETERS","features":[479]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_MESSAGE_PROPERTIES","features":[479]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_REQUEST_ACTION","features":[479]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_SECURE_CONVERSATION_VERSION","features":[479]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_SERVICE_REQUEST_PARAMETERS","features":[479]},{"name":"WS_REQUEST_SECURITY_TOKEN_PROPERTY_TRUST_VERSION","features":[479]},{"name":"WS_RESET_CHANNEL_CALLBACK","features":[479]},{"name":"WS_RESET_LISTENER_CALLBACK","features":[479]},{"name":"WS_RPC_LITERAL_OPERATION","features":[479]},{"name":"WS_RSA_ENDPOINT_IDENTITY","features":[479]},{"name":"WS_RSA_ENDPOINT_IDENTITY_TYPE","features":[479]},{"name":"WS_SAML_AUTHENTICATOR","features":[479]},{"name":"WS_SAML_AUTHENTICATOR_TYPE","features":[479]},{"name":"WS_SAML_MESSAGE_SECURITY_BINDING","features":[479]},{"name":"WS_SAML_MESSAGE_SECURITY_BINDING_TYPE","features":[479]},{"name":"WS_SECURE_CONVERSATION_VERSION","features":[479]},{"name":"WS_SECURE_CONVERSATION_VERSION_1_3","features":[479]},{"name":"WS_SECURE_CONVERSATION_VERSION_FEBRUARY_2005","features":[479]},{"name":"WS_SECURE_PROTOCOL","features":[479]},{"name":"WS_SECURE_PROTOCOL_SSL2","features":[479]},{"name":"WS_SECURE_PROTOCOL_SSL3","features":[479]},{"name":"WS_SECURE_PROTOCOL_TLS1_0","features":[479]},{"name":"WS_SECURE_PROTOCOL_TLS1_1","features":[479]},{"name":"WS_SECURE_PROTOCOL_TLS1_2","features":[479]},{"name":"WS_SECURITY_ALGORITHM_ASYMMETRIC_KEYWRAP_RSA_1_5","features":[479]},{"name":"WS_SECURITY_ALGORITHM_ASYMMETRIC_KEYWRAP_RSA_OAEP","features":[479]},{"name":"WS_SECURITY_ALGORITHM_ASYMMETRIC_SIGNATURE_DSA_SHA1","features":[479]},{"name":"WS_SECURITY_ALGORITHM_ASYMMETRIC_SIGNATURE_RSA_SHA1","features":[479]},{"name":"WS_SECURITY_ALGORITHM_ASYMMETRIC_SIGNATURE_RSA_SHA_256","features":[479]},{"name":"WS_SECURITY_ALGORITHM_ASYMMETRIC_SIGNATURE_RSA_SHA_384","features":[479]},{"name":"WS_SECURITY_ALGORITHM_ASYMMETRIC_SIGNATURE_RSA_SHA_512","features":[479]},{"name":"WS_SECURITY_ALGORITHM_CANONICALIZATION_EXCLUSIVE","features":[479]},{"name":"WS_SECURITY_ALGORITHM_CANONICALIZATION_EXCLUSIVE_WITH_COMMENTS","features":[479]},{"name":"WS_SECURITY_ALGORITHM_DEFAULT","features":[479]},{"name":"WS_SECURITY_ALGORITHM_DIGEST_SHA1","features":[479]},{"name":"WS_SECURITY_ALGORITHM_DIGEST_SHA_256","features":[479]},{"name":"WS_SECURITY_ALGORITHM_DIGEST_SHA_384","features":[479]},{"name":"WS_SECURITY_ALGORITHM_DIGEST_SHA_512","features":[479]},{"name":"WS_SECURITY_ALGORITHM_ID","features":[479]},{"name":"WS_SECURITY_ALGORITHM_KEY_DERIVATION_P_SHA1","features":[479]},{"name":"WS_SECURITY_ALGORITHM_PROPERTY","features":[479]},{"name":"WS_SECURITY_ALGORITHM_PROPERTY_ID","features":[479]},{"name":"WS_SECURITY_ALGORITHM_SUITE","features":[479]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME","features":[479]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC128","features":[479]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC128_RSA15","features":[479]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC128_SHA256","features":[479]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC128_SHA256_RSA15","features":[479]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC192","features":[479]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC192_RSA15","features":[479]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC192_SHA256","features":[479]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC192_SHA256_RSA15","features":[479]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC256","features":[479]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC256_RSA15","features":[479]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC256_SHA256","features":[479]},{"name":"WS_SECURITY_ALGORITHM_SUITE_NAME_BASIC256_SHA256_RSA15","features":[479]},{"name":"WS_SECURITY_ALGORITHM_SYMMETRIC_SIGNATURE_HMAC_SHA1","features":[479]},{"name":"WS_SECURITY_ALGORITHM_SYMMETRIC_SIGNATURE_HMAC_SHA_256","features":[479]},{"name":"WS_SECURITY_ALGORITHM_SYMMETRIC_SIGNATURE_HMAC_SHA_384","features":[479]},{"name":"WS_SECURITY_ALGORITHM_SYMMETRIC_SIGNATURE_HMAC_SHA_512","features":[479]},{"name":"WS_SECURITY_BEARER_KEY_TYPE_VERSION","features":[479]},{"name":"WS_SECURITY_BEARER_KEY_TYPE_VERSION_1_3_ERRATA_01","features":[479]},{"name":"WS_SECURITY_BEARER_KEY_TYPE_VERSION_1_3_ORIGINAL_SCHEMA","features":[479]},{"name":"WS_SECURITY_BEARER_KEY_TYPE_VERSION_1_3_ORIGINAL_SPECIFICATION","features":[479]},{"name":"WS_SECURITY_BINDING","features":[479]},{"name":"WS_SECURITY_BINDING_CONSTRAINT","features":[479]},{"name":"WS_SECURITY_BINDING_CONSTRAINT_TYPE","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTIES","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_ALLOWED_IMPERSONATION_LEVEL","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_ALLOW_ANONYMOUS_CLIENTS","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_CERTIFICATE_VALIDATION_CALLBACK_CONTEXT","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_CERT_FAILURES_TO_IGNORE","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_CONSTRAINT","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_DISABLE_CERT_REVOCATION_CHECK","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_DISALLOWED_SECURE_PROTOCOLS","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_HTTP_HEADER_AUTH_BASIC_REALM","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_HTTP_HEADER_AUTH_DIGEST_DOMAIN","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_HTTP_HEADER_AUTH_DIGEST_REALM","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_HTTP_HEADER_AUTH_SCHEME","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_HTTP_HEADER_AUTH_TARGET","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_ID","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_MESSAGE_PROPERTIES","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_REQUIRE_SERVER_AUTH","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_REQUIRE_SSL_CLIENT_CERT","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_SECURE_CONVERSATION_VERSION","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_SECURITY_CONTEXT_KEY_ENTROPY_MODE","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_SECURITY_CONTEXT_KEY_SIZE","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_SECURITY_CONTEXT_MAX_ACTIVE_CONTEXTS","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_SECURITY_CONTEXT_MAX_PENDING_CONTEXTS","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_SECURITY_CONTEXT_RENEWAL_INTERVAL","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_SECURITY_CONTEXT_ROLLOVER_INTERVAL","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_SECURITY_CONTEXT_SUPPORT_RENEW","features":[479]},{"name":"WS_SECURITY_BINDING_PROPERTY_WINDOWS_INTEGRATED_AUTH_PACKAGE","features":[479]},{"name":"WS_SECURITY_BINDING_TYPE","features":[479]},{"name":"WS_SECURITY_CONSTRAINTS","features":[479]},{"name":"WS_SECURITY_CONTEXT","features":[479]},{"name":"WS_SECURITY_CONTEXT_MESSAGE_SECURITY_BINDING","features":[479]},{"name":"WS_SECURITY_CONTEXT_MESSAGE_SECURITY_BINDING_CONSTRAINT","features":[479]},{"name":"WS_SECURITY_CONTEXT_MESSAGE_SECURITY_BINDING_CONSTRAINT_TYPE","features":[479]},{"name":"WS_SECURITY_CONTEXT_MESSAGE_SECURITY_BINDING_POLICY_DESCRIPTION","features":[479]},{"name":"WS_SECURITY_CONTEXT_MESSAGE_SECURITY_BINDING_TEMPLATE","features":[479]},{"name":"WS_SECURITY_CONTEXT_MESSAGE_SECURITY_BINDING_TYPE","features":[479]},{"name":"WS_SECURITY_CONTEXT_PROPERTY","features":[479]},{"name":"WS_SECURITY_CONTEXT_PROPERTY_ID","features":[479]},{"name":"WS_SECURITY_CONTEXT_PROPERTY_IDENTIFIER","features":[479]},{"name":"WS_SECURITY_CONTEXT_PROPERTY_MESSAGE_SECURITY_WINDOWS_TOKEN","features":[479]},{"name":"WS_SECURITY_CONTEXT_PROPERTY_SAML_ASSERTION","features":[479]},{"name":"WS_SECURITY_CONTEXT_PROPERTY_USERNAME","features":[479]},{"name":"WS_SECURITY_CONTEXT_SECURITY_BINDING_POLICY_DESCRIPTION","features":[479]},{"name":"WS_SECURITY_CONTEXT_SECURITY_BINDING_TEMPLATE","features":[479]},{"name":"WS_SECURITY_DESCRIPTION","features":[479]},{"name":"WS_SECURITY_HEADER_LAYOUT","features":[479]},{"name":"WS_SECURITY_HEADER_LAYOUT_LAX","features":[479]},{"name":"WS_SECURITY_HEADER_LAYOUT_LAX_WITH_TIMESTAMP_FIRST","features":[479]},{"name":"WS_SECURITY_HEADER_LAYOUT_LAX_WITH_TIMESTAMP_LAST","features":[479]},{"name":"WS_SECURITY_HEADER_LAYOUT_STRICT","features":[479]},{"name":"WS_SECURITY_HEADER_VERSION","features":[479]},{"name":"WS_SECURITY_HEADER_VERSION_1_0","features":[479]},{"name":"WS_SECURITY_HEADER_VERSION_1_1","features":[479]},{"name":"WS_SECURITY_KEY_ENTROPY_MODE","features":[479]},{"name":"WS_SECURITY_KEY_ENTROPY_MODE_CLIENT_ONLY","features":[479]},{"name":"WS_SECURITY_KEY_ENTROPY_MODE_COMBINED","features":[479]},{"name":"WS_SECURITY_KEY_ENTROPY_MODE_SERVER_ONLY","features":[479]},{"name":"WS_SECURITY_KEY_HANDLE","features":[479]},{"name":"WS_SECURITY_KEY_HANDLE_TYPE","features":[479]},{"name":"WS_SECURITY_KEY_TYPE","features":[479]},{"name":"WS_SECURITY_KEY_TYPE_ASYMMETRIC","features":[479]},{"name":"WS_SECURITY_KEY_TYPE_NONE","features":[479]},{"name":"WS_SECURITY_KEY_TYPE_SYMMETRIC","features":[479]},{"name":"WS_SECURITY_PROPERTIES","features":[479]},{"name":"WS_SECURITY_PROPERTY","features":[479]},{"name":"WS_SECURITY_PROPERTY_ALGORITHM_SUITE","features":[479]},{"name":"WS_SECURITY_PROPERTY_ALGORITHM_SUITE_NAME","features":[479]},{"name":"WS_SECURITY_PROPERTY_CONSTRAINT","features":[479]},{"name":"WS_SECURITY_PROPERTY_EXTENDED_PROTECTION_POLICY","features":[479]},{"name":"WS_SECURITY_PROPERTY_EXTENDED_PROTECTION_SCENARIO","features":[479]},{"name":"WS_SECURITY_PROPERTY_ID","features":[479]},{"name":"WS_SECURITY_PROPERTY_MAX_ALLOWED_CLOCK_SKEW","features":[479]},{"name":"WS_SECURITY_PROPERTY_MAX_ALLOWED_LATENCY","features":[479]},{"name":"WS_SECURITY_PROPERTY_SECURITY_HEADER_LAYOUT","features":[479]},{"name":"WS_SECURITY_PROPERTY_SECURITY_HEADER_VERSION","features":[479]},{"name":"WS_SECURITY_PROPERTY_SERVICE_IDENTITIES","features":[479]},{"name":"WS_SECURITY_PROPERTY_TIMESTAMP_USAGE","features":[479]},{"name":"WS_SECURITY_PROPERTY_TIMESTAMP_VALIDITY_DURATION","features":[479]},{"name":"WS_SECURITY_PROPERTY_TRANSPORT_PROTECTION_LEVEL","features":[479]},{"name":"WS_SECURITY_TIMESTAMP_USAGE","features":[479]},{"name":"WS_SECURITY_TIMESTAMP_USAGE_ALWAYS","features":[479]},{"name":"WS_SECURITY_TIMESTAMP_USAGE_NEVER","features":[479]},{"name":"WS_SECURITY_TIMESTAMP_USAGE_REQUESTS_ONLY","features":[479]},{"name":"WS_SECURITY_TOKEN","features":[479]},{"name":"WS_SECURITY_TOKEN_PROPERTY_ATTACHED_REFERENCE_XML","features":[479]},{"name":"WS_SECURITY_TOKEN_PROPERTY_ID","features":[479]},{"name":"WS_SECURITY_TOKEN_PROPERTY_KEY_TYPE","features":[479]},{"name":"WS_SECURITY_TOKEN_PROPERTY_SERIALIZED_XML","features":[479]},{"name":"WS_SECURITY_TOKEN_PROPERTY_SYMMETRIC_KEY","features":[479]},{"name":"WS_SECURITY_TOKEN_PROPERTY_UNATTACHED_REFERENCE_XML","features":[479]},{"name":"WS_SECURITY_TOKEN_PROPERTY_VALID_FROM_TIME","features":[479]},{"name":"WS_SECURITY_TOKEN_PROPERTY_VALID_TILL_TIME","features":[479]},{"name":"WS_SECURITY_TOKEN_REFERENCE_MODE","features":[479]},{"name":"WS_SECURITY_TOKEN_REFERENCE_MODE_CERT_THUMBPRINT","features":[479]},{"name":"WS_SECURITY_TOKEN_REFERENCE_MODE_LOCAL_ID","features":[479]},{"name":"WS_SECURITY_TOKEN_REFERENCE_MODE_SAML_ASSERTION_ID","features":[479]},{"name":"WS_SECURITY_TOKEN_REFERENCE_MODE_SECURITY_CONTEXT_ID","features":[479]},{"name":"WS_SECURITY_TOKEN_REFERENCE_MODE_XML_BUFFER","features":[479]},{"name":"WS_SERVICE_ACCEPT_CHANNEL_CALLBACK","features":[479]},{"name":"WS_SERVICE_CANCEL_REASON","features":[479]},{"name":"WS_SERVICE_CHANNEL_FAULTED","features":[479]},{"name":"WS_SERVICE_CLOSE_CHANNEL_CALLBACK","features":[479]},{"name":"WS_SERVICE_CONTRACT","features":[308,479]},{"name":"WS_SERVICE_ENDPOINT","features":[308,479]},{"name":"WS_SERVICE_ENDPOINT_METADATA","features":[308,479]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY","features":[479]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_ACCEPT_CHANNEL_CALLBACK","features":[479]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_BODY_HEAP_MAX_SIZE","features":[479]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_BODY_HEAP_TRIM_SIZE","features":[479]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_CHECK_MUST_UNDERSTAND","features":[479]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_CLOSE_CHANNEL_CALLBACK","features":[479]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_ID","features":[479]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_LISTENER_PROPERTIES","features":[479]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_MAX_ACCEPTING_CHANNELS","features":[479]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_MAX_CALL_POOL_SIZE","features":[479]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_MAX_CHANNELS","features":[479]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_MAX_CHANNEL_POOL_SIZE","features":[479]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_MAX_CONCURRENCY","features":[479]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_MESSAGE_PROPERTIES","features":[479]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_METADATA","features":[479]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_METADATA_EXCHANGE_TYPE","features":[479]},{"name":"WS_SERVICE_ENDPOINT_PROPERTY_METADATA_EXCHANGE_URL_SUFFIX","features":[479]},{"name":"WS_SERVICE_HOST","features":[479]},{"name":"WS_SERVICE_HOST_ABORT","features":[479]},{"name":"WS_SERVICE_HOST_STATE","features":[479]},{"name":"WS_SERVICE_HOST_STATE_CLOSED","features":[479]},{"name":"WS_SERVICE_HOST_STATE_CLOSING","features":[479]},{"name":"WS_SERVICE_HOST_STATE_CREATED","features":[479]},{"name":"WS_SERVICE_HOST_STATE_FAULTED","features":[479]},{"name":"WS_SERVICE_HOST_STATE_OPEN","features":[479]},{"name":"WS_SERVICE_HOST_STATE_OPENING","features":[479]},{"name":"WS_SERVICE_MESSAGE_RECEIVE_CALLBACK","features":[479]},{"name":"WS_SERVICE_METADATA","features":[308,479]},{"name":"WS_SERVICE_METADATA_DOCUMENT","features":[308,479]},{"name":"WS_SERVICE_OPERATION_MESSAGE_NILLABLE_ELEMENT","features":[479]},{"name":"WS_SERVICE_PROPERTY","features":[479]},{"name":"WS_SERVICE_PROPERTY_ACCEPT_CALLBACK","features":[479]},{"name":"WS_SERVICE_PROPERTY_CLOSE_CALLBACK","features":[479]},{"name":"WS_SERVICE_PROPERTY_CLOSE_TIMEOUT","features":[479]},{"name":"WS_SERVICE_PROPERTY_FAULT_DISCLOSURE","features":[479]},{"name":"WS_SERVICE_PROPERTY_FAULT_LANGID","features":[479]},{"name":"WS_SERVICE_PROPERTY_HOST_STATE","features":[479]},{"name":"WS_SERVICE_PROPERTY_HOST_USER_STATE","features":[479]},{"name":"WS_SERVICE_PROPERTY_ID","features":[479]},{"name":"WS_SERVICE_PROPERTY_METADATA","features":[479]},{"name":"WS_SERVICE_PROXY","features":[479]},{"name":"WS_SERVICE_PROXY_STATE","features":[479]},{"name":"WS_SERVICE_PROXY_STATE_CLOSED","features":[479]},{"name":"WS_SERVICE_PROXY_STATE_CLOSING","features":[479]},{"name":"WS_SERVICE_PROXY_STATE_CREATED","features":[479]},{"name":"WS_SERVICE_PROXY_STATE_FAULTED","features":[479]},{"name":"WS_SERVICE_PROXY_STATE_OPEN","features":[479]},{"name":"WS_SERVICE_PROXY_STATE_OPENING","features":[479]},{"name":"WS_SERVICE_SECURITY_CALLBACK","features":[308,479]},{"name":"WS_SERVICE_SECURITY_IDENTITIES","features":[479]},{"name":"WS_SERVICE_STUB_CALLBACK","features":[479]},{"name":"WS_SET_CHANNEL_PROPERTY_CALLBACK","features":[479]},{"name":"WS_SET_LISTENER_PROPERTY_CALLBACK","features":[479]},{"name":"WS_SHORT_CALLBACK","features":[479]},{"name":"WS_SHUTDOWN_SESSION_CHANNEL_CALLBACK","features":[479]},{"name":"WS_SINGLETON_HEADER","features":[479]},{"name":"WS_SOAPUDP_URL","features":[479]},{"name":"WS_SPN_ENDPOINT_IDENTITY","features":[479]},{"name":"WS_SPN_ENDPOINT_IDENTITY_TYPE","features":[479]},{"name":"WS_SSL_TRANSPORT_SECURITY_BINDING","features":[479]},{"name":"WS_SSL_TRANSPORT_SECURITY_BINDING_CONSTRAINT","features":[308,479]},{"name":"WS_SSL_TRANSPORT_SECURITY_BINDING_CONSTRAINT_TYPE","features":[479]},{"name":"WS_SSL_TRANSPORT_SECURITY_BINDING_POLICY_DESCRIPTION","features":[479]},{"name":"WS_SSL_TRANSPORT_SECURITY_BINDING_TEMPLATE","features":[479]},{"name":"WS_SSL_TRANSPORT_SECURITY_BINDING_TYPE","features":[479]},{"name":"WS_SSPI_TRANSPORT_SECURITY_BINDING_POLICY_DESCRIPTION","features":[479]},{"name":"WS_STREAMED_INPUT_TRANSFER_MODE","features":[479]},{"name":"WS_STREAMED_OUTPUT_TRANSFER_MODE","features":[479]},{"name":"WS_STREAMED_TRANSFER_MODE","features":[479]},{"name":"WS_STRING","features":[479]},{"name":"WS_STRING_DESCRIPTION","features":[479]},{"name":"WS_STRING_TYPE","features":[479]},{"name":"WS_STRING_USERNAME_CREDENTIAL","features":[479]},{"name":"WS_STRING_USERNAME_CREDENTIAL_TYPE","features":[479]},{"name":"WS_STRING_WINDOWS_INTEGRATED_AUTH_CREDENTIAL","features":[479]},{"name":"WS_STRING_WINDOWS_INTEGRATED_AUTH_CREDENTIAL_TYPE","features":[479]},{"name":"WS_STRUCT_ABSTRACT","features":[479]},{"name":"WS_STRUCT_DESCRIPTION","features":[308,479]},{"name":"WS_STRUCT_IGNORE_TRAILING_ELEMENT_CONTENT","features":[479]},{"name":"WS_STRUCT_IGNORE_UNHANDLED_ATTRIBUTES","features":[479]},{"name":"WS_STRUCT_TYPE","features":[479]},{"name":"WS_SUBJECT_NAME_CERT_CREDENTIAL","features":[479]},{"name":"WS_SUBJECT_NAME_CERT_CREDENTIAL_TYPE","features":[479]},{"name":"WS_SUPPORTING_MESSAGE_SECURITY_USAGE","features":[479]},{"name":"WS_TCP_BINDING_TEMPLATE","features":[479]},{"name":"WS_TCP_BINDING_TEMPLATE_TYPE","features":[479]},{"name":"WS_TCP_CHANNEL_BINDING","features":[479]},{"name":"WS_TCP_POLICY_DESCRIPTION","features":[479]},{"name":"WS_TCP_SSPI_BINDING_TEMPLATE","features":[479]},{"name":"WS_TCP_SSPI_BINDING_TEMPLATE_TYPE","features":[479]},{"name":"WS_TCP_SSPI_KERBEROS_APREQ_BINDING_TEMPLATE","features":[479]},{"name":"WS_TCP_SSPI_KERBEROS_APREQ_BINDING_TEMPLATE_TYPE","features":[479]},{"name":"WS_TCP_SSPI_KERBEROS_APREQ_POLICY_DESCRIPTION","features":[479]},{"name":"WS_TCP_SSPI_KERBEROS_APREQ_SECURITY_CONTEXT_BINDING_TEMPLATE","features":[479]},{"name":"WS_TCP_SSPI_KERBEROS_APREQ_SECURITY_CONTEXT_BINDING_TEMPLATE_TYPE","features":[479]},{"name":"WS_TCP_SSPI_KERBEROS_APREQ_SECURITY_CONTEXT_POLICY_DESCRIPTION","features":[479]},{"name":"WS_TCP_SSPI_POLICY_DESCRIPTION","features":[479]},{"name":"WS_TCP_SSPI_TRANSPORT_SECURITY_BINDING","features":[479]},{"name":"WS_TCP_SSPI_TRANSPORT_SECURITY_BINDING_CONSTRAINT","features":[479]},{"name":"WS_TCP_SSPI_TRANSPORT_SECURITY_BINDING_CONSTRAINT_TYPE","features":[479]},{"name":"WS_TCP_SSPI_TRANSPORT_SECURITY_BINDING_TEMPLATE","features":[479]},{"name":"WS_TCP_SSPI_TRANSPORT_SECURITY_BINDING_TYPE","features":[479]},{"name":"WS_TCP_SSPI_USERNAME_BINDING_TEMPLATE","features":[479]},{"name":"WS_TCP_SSPI_USERNAME_BINDING_TEMPLATE_TYPE","features":[479]},{"name":"WS_TCP_SSPI_USERNAME_POLICY_DESCRIPTION","features":[479]},{"name":"WS_TCP_SSPI_USERNAME_SECURITY_CONTEXT_BINDING_TEMPLATE","features":[479]},{"name":"WS_TCP_SSPI_USERNAME_SECURITY_CONTEXT_BINDING_TEMPLATE_TYPE","features":[479]},{"name":"WS_TCP_SSPI_USERNAME_SECURITY_CONTEXT_POLICY_DESCRIPTION","features":[479]},{"name":"WS_TEXT_FIELD_MAPPING","features":[479]},{"name":"WS_THUMBPRINT_CERT_CREDENTIAL","features":[479]},{"name":"WS_THUMBPRINT_CERT_CREDENTIAL_TYPE","features":[479]},{"name":"WS_TIMESPAN","features":[479]},{"name":"WS_TIMESPAN_DESCRIPTION","features":[479]},{"name":"WS_TIMESPAN_TYPE","features":[479]},{"name":"WS_TIMESPAN_VALUE_TYPE","features":[479]},{"name":"WS_TO_HEADER","features":[479]},{"name":"WS_TRACE_API","features":[479]},{"name":"WS_TRACE_API_ABANDON_MESSAGE","features":[479]},{"name":"WS_TRACE_API_ABORT_CALL","features":[479]},{"name":"WS_TRACE_API_ABORT_CHANNEL","features":[479]},{"name":"WS_TRACE_API_ABORT_LISTENER","features":[479]},{"name":"WS_TRACE_API_ABORT_SERVICE_HOST","features":[479]},{"name":"WS_TRACE_API_ABORT_SERVICE_PROXY","features":[479]},{"name":"WS_TRACE_API_ACCEPT_CHANNEL","features":[479]},{"name":"WS_TRACE_API_ADDRESS_MESSAGE","features":[479]},{"name":"WS_TRACE_API_ADD_CUSTOM_HEADER","features":[479]},{"name":"WS_TRACE_API_ADD_ERROR_STRING","features":[479]},{"name":"WS_TRACE_API_ADD_MAPPED_HEADER","features":[479]},{"name":"WS_TRACE_API_ALLOC","features":[479]},{"name":"WS_TRACE_API_ASYNC_EXECUTE","features":[479]},{"name":"WS_TRACE_API_CALL","features":[479]},{"name":"WS_TRACE_API_CHECK_MUST_UNDERSTAND_HEADERS","features":[479]},{"name":"WS_TRACE_API_CLOSE_CHANNEL","features":[479]},{"name":"WS_TRACE_API_CLOSE_LISTENER","features":[479]},{"name":"WS_TRACE_API_CLOSE_SERVICE_HOST","features":[479]},{"name":"WS_TRACE_API_CLOSE_SERVICE_PROXY","features":[479]},{"name":"WS_TRACE_API_COMBINE_URL","features":[479]},{"name":"WS_TRACE_API_COPY_ERROR","features":[479]},{"name":"WS_TRACE_API_COPY_NODE","features":[479]},{"name":"WS_TRACE_API_CREATE_CHANNEL","features":[479]},{"name":"WS_TRACE_API_CREATE_CHANNEL_FOR_LISTENER","features":[479]},{"name":"WS_TRACE_API_CREATE_ERROR","features":[479]},{"name":"WS_TRACE_API_CREATE_FAULT_FROM_ERROR","features":[479]},{"name":"WS_TRACE_API_CREATE_HEAP","features":[479]},{"name":"WS_TRACE_API_CREATE_LISTENER","features":[479]},{"name":"WS_TRACE_API_CREATE_MESSAGE","features":[479]},{"name":"WS_TRACE_API_CREATE_MESSAGE_FOR_CHANNEL","features":[479]},{"name":"WS_TRACE_API_CREATE_METADATA","features":[479]},{"name":"WS_TRACE_API_CREATE_READER","features":[479]},{"name":"WS_TRACE_API_CREATE_SERVICE_HOST","features":[479]},{"name":"WS_TRACE_API_CREATE_SERVICE_PROXY","features":[479]},{"name":"WS_TRACE_API_CREATE_WRITER","features":[479]},{"name":"WS_TRACE_API_CREATE_XML_BUFFER","features":[479]},{"name":"WS_TRACE_API_CREATE_XML_SECURITY_TOKEN","features":[479]},{"name":"WS_TRACE_API_DATETIME_TO_FILETIME","features":[479]},{"name":"WS_TRACE_API_DECODE_URL","features":[479]},{"name":"WS_TRACE_API_DUMP_MEMORY","features":[479]},{"name":"WS_TRACE_API_ENCODE_URL","features":[479]},{"name":"WS_TRACE_API_END_READER_CANONICALIZATION","features":[479]},{"name":"WS_TRACE_API_END_WRITER_CANONICALIZATION","features":[479]},{"name":"WS_TRACE_API_FILETIME_TO_DATETIME","features":[479]},{"name":"WS_TRACE_API_FILL_BODY","features":[479]},{"name":"WS_TRACE_API_FILL_READER","features":[479]},{"name":"WS_TRACE_API_FIND_ATTRIBUTE","features":[479]},{"name":"WS_TRACE_API_FLUSH_BODY","features":[479]},{"name":"WS_TRACE_API_FLUSH_WRITER","features":[479]},{"name":"WS_TRACE_API_FREE_CHANNEL","features":[479]},{"name":"WS_TRACE_API_FREE_ERROR","features":[479]},{"name":"WS_TRACE_API_FREE_HEAP","features":[479]},{"name":"WS_TRACE_API_FREE_LISTENER","features":[479]},{"name":"WS_TRACE_API_FREE_MESSAGE","features":[479]},{"name":"WS_TRACE_API_FREE_METADATA","features":[479]},{"name":"WS_TRACE_API_FREE_SECURITY_TOKEN","features":[479]},{"name":"WS_TRACE_API_FREE_SERVICE_HOST","features":[479]},{"name":"WS_TRACE_API_FREE_SERVICE_PROXY","features":[479]},{"name":"WS_TRACE_API_FREE_XML_READER","features":[479]},{"name":"WS_TRACE_API_FREE_XML_WRITER","features":[479]},{"name":"WS_TRACE_API_GET_CHANNEL_PROPERTY","features":[479]},{"name":"WS_TRACE_API_GET_CONTEXT_PROPERTY","features":[479]},{"name":"WS_TRACE_API_GET_CUSTOM_HEADER","features":[479]},{"name":"WS_TRACE_API_GET_DICTIONARY","features":[479]},{"name":"WS_TRACE_API_GET_ERROR_PROPERTY","features":[479]},{"name":"WS_TRACE_API_GET_ERROR_STRING","features":[479]},{"name":"WS_TRACE_API_GET_FAULT_ERROR_DETAIL","features":[479]},{"name":"WS_TRACE_API_GET_FAULT_ERROR_PROPERTY","features":[479]},{"name":"WS_TRACE_API_GET_HEADER","features":[479]},{"name":"WS_TRACE_API_GET_HEADER_ATTRIBUTES","features":[479]},{"name":"WS_TRACE_API_GET_HEAP_PROPERTY","features":[479]},{"name":"WS_TRACE_API_GET_LISTENER_PROPERTY","features":[479]},{"name":"WS_TRACE_API_GET_MAPPED_HEADER","features":[479]},{"name":"WS_TRACE_API_GET_MESSAGE_PROPERTY","features":[479]},{"name":"WS_TRACE_API_GET_METADATA_ENDPOINTS","features":[479]},{"name":"WS_TRACE_API_GET_METADATA_PROPERTY","features":[479]},{"name":"WS_TRACE_API_GET_MISSING_METADATA_DOCUMENT_ADDRESS","features":[479]},{"name":"WS_TRACE_API_GET_POLICY_ALTERNATIVE_COUNT","features":[479]},{"name":"WS_TRACE_API_GET_POLICY_PROPERTY","features":[479]},{"name":"WS_TRACE_API_GET_READER_NODE","features":[479]},{"name":"WS_TRACE_API_GET_READER_POSITION","features":[479]},{"name":"WS_TRACE_API_GET_READER_PROPERTY","features":[479]},{"name":"WS_TRACE_API_GET_SECURITY_CONTEXT_PROPERTY","features":[479]},{"name":"WS_TRACE_API_GET_SECURITY_TOKEN_PROPERTY","features":[479]},{"name":"WS_TRACE_API_GET_SERVICE_HOST_PROPERTY","features":[479]},{"name":"WS_TRACE_API_GET_SERVICE_PROXY_PROPERTY","features":[479]},{"name":"WS_TRACE_API_GET_WRITER_POSITION","features":[479]},{"name":"WS_TRACE_API_GET_WRITER_PROPERTY","features":[479]},{"name":"WS_TRACE_API_GET_XML_ATTRIBUTE","features":[479]},{"name":"WS_TRACE_API_INITIALIZE_MESSAGE","features":[479]},{"name":"WS_TRACE_API_MARK_HEADER_AS_UNDERSTOOD","features":[479]},{"name":"WS_TRACE_API_MATCH_POLICY_ALTERNATIVE","features":[479]},{"name":"WS_TRACE_API_MOVE_READER","features":[479]},{"name":"WS_TRACE_API_MOVE_WRITER","features":[479]},{"name":"WS_TRACE_API_NAMESPACE_FROM_PREFIX","features":[479]},{"name":"WS_TRACE_API_NONE","features":[479]},{"name":"WS_TRACE_API_OPEN_CHANNEL","features":[479]},{"name":"WS_TRACE_API_OPEN_LISTENER","features":[479]},{"name":"WS_TRACE_API_OPEN_SERVICE_HOST","features":[479]},{"name":"WS_TRACE_API_OPEN_SERVICE_PROXY","features":[479]},{"name":"WS_TRACE_API_PREFIX_FROM_NAMESPACE","features":[479]},{"name":"WS_TRACE_API_PULL_BYTES","features":[479]},{"name":"WS_TRACE_API_PUSH_BYTES","features":[479]},{"name":"WS_TRACE_API_READ_ARRAY","features":[479]},{"name":"WS_TRACE_API_READ_ATTRIBUTE_TYPE","features":[479]},{"name":"WS_TRACE_API_READ_BODY","features":[479]},{"name":"WS_TRACE_API_READ_BYTES","features":[479]},{"name":"WS_TRACE_API_READ_CHARS","features":[479]},{"name":"WS_TRACE_API_READ_CHARS_UTF8","features":[479]},{"name":"WS_TRACE_API_READ_ELEMENT_TYPE","features":[479]},{"name":"WS_TRACE_API_READ_ELEMENT_VALUE","features":[479]},{"name":"WS_TRACE_API_READ_ENDPOINT_ADDRESS_EXTENSION","features":[479]},{"name":"WS_TRACE_API_READ_END_ATTRIBUTE","features":[479]},{"name":"WS_TRACE_API_READ_END_ELEMENT","features":[479]},{"name":"WS_TRACE_API_READ_ENVELOPE_END","features":[479]},{"name":"WS_TRACE_API_READ_ENVELOPE_START","features":[479]},{"name":"WS_TRACE_API_READ_MESSAGE_END","features":[479]},{"name":"WS_TRACE_API_READ_MESSAGE_START","features":[479]},{"name":"WS_TRACE_API_READ_METADATA","features":[479]},{"name":"WS_TRACE_API_READ_NODE","features":[479]},{"name":"WS_TRACE_API_READ_QUALIFIED_NAME","features":[479]},{"name":"WS_TRACE_API_READ_START_ATTRIBUTE","features":[479]},{"name":"WS_TRACE_API_READ_START_ELEMENT","features":[479]},{"name":"WS_TRACE_API_READ_TO_START_ELEMENT","features":[479]},{"name":"WS_TRACE_API_READ_TYPE","features":[479]},{"name":"WS_TRACE_API_READ_XML_BUFFER","features":[479]},{"name":"WS_TRACE_API_READ_XML_BUFFER_FROM_BYTES","features":[479]},{"name":"WS_TRACE_API_RECEIVE_MESSAGE","features":[479]},{"name":"WS_TRACE_API_REMOVE_CUSTOM_HEADER","features":[479]},{"name":"WS_TRACE_API_REMOVE_HEADER","features":[479]},{"name":"WS_TRACE_API_REMOVE_MAPPED_HEADER","features":[479]},{"name":"WS_TRACE_API_REMOVE_NODE","features":[479]},{"name":"WS_TRACE_API_REQUEST_REPLY","features":[479]},{"name":"WS_TRACE_API_REQUEST_SECURITY_TOKEN","features":[479]},{"name":"WS_TRACE_API_RESET_CHANNEL","features":[479]},{"name":"WS_TRACE_API_RESET_ERROR","features":[479]},{"name":"WS_TRACE_API_RESET_HEAP","features":[479]},{"name":"WS_TRACE_API_RESET_LISTENER","features":[479]},{"name":"WS_TRACE_API_RESET_MESSAGE","features":[479]},{"name":"WS_TRACE_API_RESET_METADATA","features":[479]},{"name":"WS_TRACE_API_RESET_SERVICE_HOST","features":[479]},{"name":"WS_TRACE_API_RESET_SERVICE_PROXY","features":[479]},{"name":"WS_TRACE_API_REVOKE_SECURITY_CONTEXT","features":[479]},{"name":"WS_TRACE_API_SEND_FAULT_MESSAGE_FOR_ERROR","features":[479]},{"name":"WS_TRACE_API_SEND_MESSAGE","features":[479]},{"name":"WS_TRACE_API_SEND_REPLY_MESSAGE","features":[479]},{"name":"WS_TRACE_API_SERVICE_REGISTER_FOR_CANCEL","features":[479]},{"name":"WS_TRACE_API_SET_AUTOFAIL","features":[479]},{"name":"WS_TRACE_API_SET_CHANNEL_PROPERTY","features":[479]},{"name":"WS_TRACE_API_SET_ERROR_PROPERTY","features":[479]},{"name":"WS_TRACE_API_SET_FAULT_ERROR_DETAIL","features":[479]},{"name":"WS_TRACE_API_SET_FAULT_ERROR_PROPERTY","features":[479]},{"name":"WS_TRACE_API_SET_HEADER","features":[479]},{"name":"WS_TRACE_API_SET_INPUT","features":[479]},{"name":"WS_TRACE_API_SET_INPUT_TO_BUFFER","features":[479]},{"name":"WS_TRACE_API_SET_LISTENER_PROPERTY","features":[479]},{"name":"WS_TRACE_API_SET_MESSAGE_PROPERTY","features":[479]},{"name":"WS_TRACE_API_SET_OUTPUT","features":[479]},{"name":"WS_TRACE_API_SET_OUTPUT_TO_BUFFER","features":[479]},{"name":"WS_TRACE_API_SET_READER_POSITION","features":[479]},{"name":"WS_TRACE_API_SET_WRITER_POSITION","features":[479]},{"name":"WS_TRACE_API_SHUTDOWN_SESSION_CHANNEL","features":[479]},{"name":"WS_TRACE_API_SKIP_NODE","features":[479]},{"name":"WS_TRACE_API_START_READER_CANONICALIZATION","features":[479]},{"name":"WS_TRACE_API_START_WRITER_CANONICALIZATION","features":[479]},{"name":"WS_TRACE_API_TRIM_XML_WHITESPACE","features":[479]},{"name":"WS_TRACE_API_VERIFY_XML_NCNAME","features":[479]},{"name":"WS_TRACE_API_WRITE_ARRAY","features":[479]},{"name":"WS_TRACE_API_WRITE_ATTRIBUTE_TYPE","features":[479]},{"name":"WS_TRACE_API_WRITE_BODY","features":[479]},{"name":"WS_TRACE_API_WRITE_BYTES","features":[479]},{"name":"WS_TRACE_API_WRITE_CHARS","features":[479]},{"name":"WS_TRACE_API_WRITE_CHARS_UTF8","features":[479]},{"name":"WS_TRACE_API_WRITE_ELEMENT_TYPE","features":[479]},{"name":"WS_TRACE_API_WRITE_END_ATTRIBUTE","features":[479]},{"name":"WS_TRACE_API_WRITE_END_CDATA","features":[479]},{"name":"WS_TRACE_API_WRITE_END_ELEMENT","features":[479]},{"name":"WS_TRACE_API_WRITE_END_START_ELEMENT","features":[479]},{"name":"WS_TRACE_API_WRITE_ENVELOPE_END","features":[479]},{"name":"WS_TRACE_API_WRITE_ENVELOPE_START","features":[479]},{"name":"WS_TRACE_API_WRITE_MESSAGE_END","features":[479]},{"name":"WS_TRACE_API_WRITE_MESSAGE_START","features":[479]},{"name":"WS_TRACE_API_WRITE_NODE","features":[479]},{"name":"WS_TRACE_API_WRITE_QUALIFIED_NAME","features":[479]},{"name":"WS_TRACE_API_WRITE_START_ATTRIBUTE","features":[479]},{"name":"WS_TRACE_API_WRITE_START_CDATA","features":[479]},{"name":"WS_TRACE_API_WRITE_START_ELEMENT","features":[479]},{"name":"WS_TRACE_API_WRITE_TEXT","features":[479]},{"name":"WS_TRACE_API_WRITE_TYPE","features":[479]},{"name":"WS_TRACE_API_WRITE_VALUE","features":[479]},{"name":"WS_TRACE_API_WRITE_XMLNS_ATTRIBUTE","features":[479]},{"name":"WS_TRACE_API_WRITE_XML_BUFFER","features":[479]},{"name":"WS_TRACE_API_WRITE_XML_BUFFER_TO_BYTES","features":[479]},{"name":"WS_TRACE_API_WS_CREATE_SERVICE_HOST_FROM_TEMPLATE","features":[479]},{"name":"WS_TRACE_API_WS_CREATE_SERVICE_PROXY_FROM_TEMPLATE","features":[479]},{"name":"WS_TRACE_API_XML_STRING_EQUALS","features":[479]},{"name":"WS_TRANSFER_MODE","features":[479]},{"name":"WS_TRUST_VERSION","features":[479]},{"name":"WS_TRUST_VERSION_1_3","features":[479]},{"name":"WS_TRUST_VERSION_FEBRUARY_2005","features":[479]},{"name":"WS_TYPE","features":[479]},{"name":"WS_TYPE_ATTRIBUTE_FIELD_MAPPING","features":[479]},{"name":"WS_TYPE_MAPPING","features":[479]},{"name":"WS_UDP_CHANNEL_BINDING","features":[479]},{"name":"WS_UINT16_DESCRIPTION","features":[479]},{"name":"WS_UINT16_TYPE","features":[479]},{"name":"WS_UINT16_VALUE_TYPE","features":[479]},{"name":"WS_UINT32_DESCRIPTION","features":[479]},{"name":"WS_UINT32_TYPE","features":[479]},{"name":"WS_UINT32_VALUE_TYPE","features":[479]},{"name":"WS_UINT64_DESCRIPTION","features":[479]},{"name":"WS_UINT64_TYPE","features":[479]},{"name":"WS_UINT64_VALUE_TYPE","features":[479]},{"name":"WS_UINT8_DESCRIPTION","features":[479]},{"name":"WS_UINT8_TYPE","features":[479]},{"name":"WS_UINT8_VALUE_TYPE","features":[479]},{"name":"WS_UNION_DESCRIPTION","features":[308,479]},{"name":"WS_UNION_FIELD_DESCRIPTION","features":[308,479]},{"name":"WS_UNION_TYPE","features":[479]},{"name":"WS_UNIQUE_ID","features":[479]},{"name":"WS_UNIQUE_ID_DESCRIPTION","features":[479]},{"name":"WS_UNIQUE_ID_TYPE","features":[479]},{"name":"WS_UNKNOWN_ENDPOINT_IDENTITY","features":[479]},{"name":"WS_UNKNOWN_ENDPOINT_IDENTITY_TYPE","features":[479]},{"name":"WS_UPN_ENDPOINT_IDENTITY","features":[479]},{"name":"WS_UPN_ENDPOINT_IDENTITY_TYPE","features":[479]},{"name":"WS_URL","features":[479]},{"name":"WS_URL_FLAGS_ALLOW_HOST_WILDCARDS","features":[479]},{"name":"WS_URL_FLAGS_NO_PATH_COLLAPSE","features":[479]},{"name":"WS_URL_FLAGS_ZERO_TERMINATE","features":[479]},{"name":"WS_URL_HTTPS_SCHEME_TYPE","features":[479]},{"name":"WS_URL_HTTP_SCHEME_TYPE","features":[479]},{"name":"WS_URL_NETPIPE_SCHEME_TYPE","features":[479]},{"name":"WS_URL_NETTCP_SCHEME_TYPE","features":[479]},{"name":"WS_URL_SCHEME_TYPE","features":[479]},{"name":"WS_URL_SOAPUDP_SCHEME_TYPE","features":[479]},{"name":"WS_USERNAME_CREDENTIAL","features":[479]},{"name":"WS_USERNAME_CREDENTIAL_TYPE","features":[479]},{"name":"WS_USERNAME_MESSAGE_SECURITY_BINDING","features":[479]},{"name":"WS_USERNAME_MESSAGE_SECURITY_BINDING_CONSTRAINT","features":[479]},{"name":"WS_USERNAME_MESSAGE_SECURITY_BINDING_CONSTRAINT_TYPE","features":[479]},{"name":"WS_USERNAME_MESSAGE_SECURITY_BINDING_POLICY_DESCRIPTION","features":[479]},{"name":"WS_USERNAME_MESSAGE_SECURITY_BINDING_TEMPLATE","features":[479]},{"name":"WS_USERNAME_MESSAGE_SECURITY_BINDING_TYPE","features":[479]},{"name":"WS_UTF8_ARRAY_DESCRIPTION","features":[479]},{"name":"WS_UTF8_ARRAY_TYPE","features":[479]},{"name":"WS_VALIDATE_PASSWORD_CALLBACK","features":[479]},{"name":"WS_VALIDATE_SAML_CALLBACK","features":[479]},{"name":"WS_VALUE_TYPE","features":[479]},{"name":"WS_VOID_DESCRIPTION","features":[479]},{"name":"WS_VOID_TYPE","features":[479]},{"name":"WS_WINDOWS_INTEGRATED_AUTH_CREDENTIAL","features":[479]},{"name":"WS_WINDOWS_INTEGRATED_AUTH_CREDENTIAL_TYPE","features":[479]},{"name":"WS_WINDOWS_INTEGRATED_AUTH_PACKAGE","features":[479]},{"name":"WS_WINDOWS_INTEGRATED_AUTH_PACKAGE_KERBEROS","features":[479]},{"name":"WS_WINDOWS_INTEGRATED_AUTH_PACKAGE_NTLM","features":[479]},{"name":"WS_WINDOWS_INTEGRATED_AUTH_PACKAGE_SPNEGO","features":[479]},{"name":"WS_WRITE_CALLBACK","features":[479]},{"name":"WS_WRITE_MESSAGE_END_CALLBACK","features":[479]},{"name":"WS_WRITE_MESSAGE_START_CALLBACK","features":[479]},{"name":"WS_WRITE_NILLABLE_POINTER","features":[479]},{"name":"WS_WRITE_NILLABLE_VALUE","features":[479]},{"name":"WS_WRITE_OPTION","features":[479]},{"name":"WS_WRITE_REQUIRED_POINTER","features":[479]},{"name":"WS_WRITE_REQUIRED_VALUE","features":[479]},{"name":"WS_WRITE_TYPE_CALLBACK","features":[479]},{"name":"WS_WSZ_DESCRIPTION","features":[479]},{"name":"WS_WSZ_TYPE","features":[479]},{"name":"WS_XML_ATTRIBUTE","features":[308,479]},{"name":"WS_XML_ATTRIBUTE_FIELD_MAPPING","features":[479]},{"name":"WS_XML_BASE64_TEXT","features":[479]},{"name":"WS_XML_BOOL_TEXT","features":[308,479]},{"name":"WS_XML_BUFFER","features":[479]},{"name":"WS_XML_BUFFER_PROPERTY","features":[479]},{"name":"WS_XML_BUFFER_PROPERTY_ID","features":[479]},{"name":"WS_XML_BUFFER_TYPE","features":[479]},{"name":"WS_XML_CANONICALIZATION_ALGORITHM","features":[479]},{"name":"WS_XML_CANONICALIZATION_INCLUSIVE_PREFIXES","features":[308,479]},{"name":"WS_XML_CANONICALIZATION_PROPERTY","features":[479]},{"name":"WS_XML_CANONICALIZATION_PROPERTY_ALGORITHM","features":[479]},{"name":"WS_XML_CANONICALIZATION_PROPERTY_ID","features":[479]},{"name":"WS_XML_CANONICALIZATION_PROPERTY_INCLUSIVE_PREFIXES","features":[479]},{"name":"WS_XML_CANONICALIZATION_PROPERTY_OMITTED_ELEMENT","features":[479]},{"name":"WS_XML_CANONICALIZATION_PROPERTY_OUTPUT_BUFFER_SIZE","features":[479]},{"name":"WS_XML_COMMENT_NODE","features":[308,479]},{"name":"WS_XML_DATETIME_TEXT","features":[479]},{"name":"WS_XML_DECIMAL_TEXT","features":[308,479]},{"name":"WS_XML_DICTIONARY","features":[308,479]},{"name":"WS_XML_DOUBLE_TEXT","features":[479]},{"name":"WS_XML_ELEMENT_NODE","features":[308,479]},{"name":"WS_XML_FLOAT_TEXT","features":[479]},{"name":"WS_XML_GUID_TEXT","features":[479]},{"name":"WS_XML_INT32_TEXT","features":[479]},{"name":"WS_XML_INT64_TEXT","features":[479]},{"name":"WS_XML_LIST_TEXT","features":[479]},{"name":"WS_XML_NODE","features":[479]},{"name":"WS_XML_NODE_POSITION","features":[479]},{"name":"WS_XML_NODE_TYPE","features":[479]},{"name":"WS_XML_NODE_TYPE_BOF","features":[479]},{"name":"WS_XML_NODE_TYPE_CDATA","features":[479]},{"name":"WS_XML_NODE_TYPE_COMMENT","features":[479]},{"name":"WS_XML_NODE_TYPE_ELEMENT","features":[479]},{"name":"WS_XML_NODE_TYPE_END_CDATA","features":[479]},{"name":"WS_XML_NODE_TYPE_END_ELEMENT","features":[479]},{"name":"WS_XML_NODE_TYPE_EOF","features":[479]},{"name":"WS_XML_NODE_TYPE_TEXT","features":[479]},{"name":"WS_XML_QNAME","features":[308,479]},{"name":"WS_XML_QNAME_DESCRIPTION","features":[479]},{"name":"WS_XML_QNAME_TEXT","features":[308,479]},{"name":"WS_XML_QNAME_TYPE","features":[479]},{"name":"WS_XML_READER","features":[479]},{"name":"WS_XML_READER_BINARY_ENCODING","features":[308,479]},{"name":"WS_XML_READER_BUFFER_INPUT","features":[479]},{"name":"WS_XML_READER_ENCODING","features":[479]},{"name":"WS_XML_READER_ENCODING_TYPE","features":[479]},{"name":"WS_XML_READER_ENCODING_TYPE_BINARY","features":[479]},{"name":"WS_XML_READER_ENCODING_TYPE_MTOM","features":[479]},{"name":"WS_XML_READER_ENCODING_TYPE_RAW","features":[479]},{"name":"WS_XML_READER_ENCODING_TYPE_TEXT","features":[479]},{"name":"WS_XML_READER_INPUT","features":[479]},{"name":"WS_XML_READER_INPUT_TYPE","features":[479]},{"name":"WS_XML_READER_INPUT_TYPE_BUFFER","features":[479]},{"name":"WS_XML_READER_INPUT_TYPE_STREAM","features":[479]},{"name":"WS_XML_READER_MTOM_ENCODING","features":[308,479]},{"name":"WS_XML_READER_PROPERTIES","features":[479]},{"name":"WS_XML_READER_PROPERTY","features":[479]},{"name":"WS_XML_READER_PROPERTY_ALLOW_FRAGMENT","features":[479]},{"name":"WS_XML_READER_PROPERTY_ALLOW_INVALID_CHARACTER_REFERENCES","features":[479]},{"name":"WS_XML_READER_PROPERTY_CHARSET","features":[479]},{"name":"WS_XML_READER_PROPERTY_COLUMN","features":[479]},{"name":"WS_XML_READER_PROPERTY_ID","features":[479]},{"name":"WS_XML_READER_PROPERTY_IN_ATTRIBUTE","features":[479]},{"name":"WS_XML_READER_PROPERTY_MAX_ATTRIBUTES","features":[479]},{"name":"WS_XML_READER_PROPERTY_MAX_DEPTH","features":[479]},{"name":"WS_XML_READER_PROPERTY_MAX_MIME_PARTS","features":[479]},{"name":"WS_XML_READER_PROPERTY_MAX_NAMESPACES","features":[479]},{"name":"WS_XML_READER_PROPERTY_READ_DECLARATION","features":[479]},{"name":"WS_XML_READER_PROPERTY_ROW","features":[479]},{"name":"WS_XML_READER_PROPERTY_STREAM_BUFFER_SIZE","features":[479]},{"name":"WS_XML_READER_PROPERTY_STREAM_MAX_MIME_HEADERS_SIZE","features":[479]},{"name":"WS_XML_READER_PROPERTY_STREAM_MAX_ROOT_MIME_PART_SIZE","features":[479]},{"name":"WS_XML_READER_PROPERTY_UTF8_TRIM_SIZE","features":[479]},{"name":"WS_XML_READER_RAW_ENCODING","features":[479]},{"name":"WS_XML_READER_STREAM_INPUT","features":[479]},{"name":"WS_XML_READER_TEXT_ENCODING","features":[479]},{"name":"WS_XML_SECURITY_TOKEN_PROPERTY","features":[479]},{"name":"WS_XML_SECURITY_TOKEN_PROPERTY_ATTACHED_REFERENCE","features":[479]},{"name":"WS_XML_SECURITY_TOKEN_PROPERTY_ID","features":[479]},{"name":"WS_XML_SECURITY_TOKEN_PROPERTY_UNATTACHED_REFERENCE","features":[479]},{"name":"WS_XML_SECURITY_TOKEN_PROPERTY_VALID_FROM_TIME","features":[479]},{"name":"WS_XML_SECURITY_TOKEN_PROPERTY_VALID_TILL_TIME","features":[479]},{"name":"WS_XML_STRING","features":[308,479]},{"name":"WS_XML_STRING_DESCRIPTION","features":[479]},{"name":"WS_XML_STRING_TYPE","features":[479]},{"name":"WS_XML_TEXT","features":[479]},{"name":"WS_XML_TEXT_NODE","features":[479]},{"name":"WS_XML_TEXT_TYPE","features":[479]},{"name":"WS_XML_TEXT_TYPE_BASE64","features":[479]},{"name":"WS_XML_TEXT_TYPE_BOOL","features":[479]},{"name":"WS_XML_TEXT_TYPE_DATETIME","features":[479]},{"name":"WS_XML_TEXT_TYPE_DECIMAL","features":[479]},{"name":"WS_XML_TEXT_TYPE_DOUBLE","features":[479]},{"name":"WS_XML_TEXT_TYPE_FLOAT","features":[479]},{"name":"WS_XML_TEXT_TYPE_GUID","features":[479]},{"name":"WS_XML_TEXT_TYPE_INT32","features":[479]},{"name":"WS_XML_TEXT_TYPE_INT64","features":[479]},{"name":"WS_XML_TEXT_TYPE_LIST","features":[479]},{"name":"WS_XML_TEXT_TYPE_QNAME","features":[479]},{"name":"WS_XML_TEXT_TYPE_TIMESPAN","features":[479]},{"name":"WS_XML_TEXT_TYPE_UINT64","features":[479]},{"name":"WS_XML_TEXT_TYPE_UNIQUE_ID","features":[479]},{"name":"WS_XML_TEXT_TYPE_UTF16","features":[479]},{"name":"WS_XML_TEXT_TYPE_UTF8","features":[479]},{"name":"WS_XML_TIMESPAN_TEXT","features":[479]},{"name":"WS_XML_TOKEN_MESSAGE_SECURITY_BINDING","features":[479]},{"name":"WS_XML_TOKEN_MESSAGE_SECURITY_BINDING_TYPE","features":[479]},{"name":"WS_XML_UINT64_TEXT","features":[479]},{"name":"WS_XML_UNIQUE_ID_TEXT","features":[479]},{"name":"WS_XML_UTF16_TEXT","features":[479]},{"name":"WS_XML_UTF8_TEXT","features":[308,479]},{"name":"WS_XML_WRITER","features":[479]},{"name":"WS_XML_WRITER_BINARY_ENCODING","features":[308,479]},{"name":"WS_XML_WRITER_BUFFER_OUTPUT","features":[479]},{"name":"WS_XML_WRITER_ENCODING","features":[479]},{"name":"WS_XML_WRITER_ENCODING_TYPE","features":[479]},{"name":"WS_XML_WRITER_ENCODING_TYPE_BINARY","features":[479]},{"name":"WS_XML_WRITER_ENCODING_TYPE_MTOM","features":[479]},{"name":"WS_XML_WRITER_ENCODING_TYPE_RAW","features":[479]},{"name":"WS_XML_WRITER_ENCODING_TYPE_TEXT","features":[479]},{"name":"WS_XML_WRITER_MTOM_ENCODING","features":[308,479]},{"name":"WS_XML_WRITER_OUTPUT","features":[479]},{"name":"WS_XML_WRITER_OUTPUT_TYPE","features":[479]},{"name":"WS_XML_WRITER_OUTPUT_TYPE_BUFFER","features":[479]},{"name":"WS_XML_WRITER_OUTPUT_TYPE_STREAM","features":[479]},{"name":"WS_XML_WRITER_PROPERTIES","features":[479]},{"name":"WS_XML_WRITER_PROPERTY","features":[479]},{"name":"WS_XML_WRITER_PROPERTY_ALLOW_FRAGMENT","features":[479]},{"name":"WS_XML_WRITER_PROPERTY_ALLOW_INVALID_CHARACTER_REFERENCES","features":[479]},{"name":"WS_XML_WRITER_PROPERTY_BUFFERS","features":[479]},{"name":"WS_XML_WRITER_PROPERTY_BUFFER_MAX_SIZE","features":[479]},{"name":"WS_XML_WRITER_PROPERTY_BUFFER_TRIM_SIZE","features":[479]},{"name":"WS_XML_WRITER_PROPERTY_BYTES","features":[479]},{"name":"WS_XML_WRITER_PROPERTY_BYTES_TO_CLOSE","features":[479]},{"name":"WS_XML_WRITER_PROPERTY_BYTES_WRITTEN","features":[479]},{"name":"WS_XML_WRITER_PROPERTY_CHARSET","features":[479]},{"name":"WS_XML_WRITER_PROPERTY_COMPRESS_EMPTY_ELEMENTS","features":[479]},{"name":"WS_XML_WRITER_PROPERTY_EMIT_UNCOMPRESSED_EMPTY_ELEMENTS","features":[479]},{"name":"WS_XML_WRITER_PROPERTY_ID","features":[479]},{"name":"WS_XML_WRITER_PROPERTY_INDENT","features":[479]},{"name":"WS_XML_WRITER_PROPERTY_INITIAL_BUFFER","features":[479]},{"name":"WS_XML_WRITER_PROPERTY_IN_ATTRIBUTE","features":[479]},{"name":"WS_XML_WRITER_PROPERTY_MAX_ATTRIBUTES","features":[479]},{"name":"WS_XML_WRITER_PROPERTY_MAX_DEPTH","features":[479]},{"name":"WS_XML_WRITER_PROPERTY_MAX_MIME_PARTS_BUFFER_SIZE","features":[479]},{"name":"WS_XML_WRITER_PROPERTY_MAX_NAMESPACES","features":[479]},{"name":"WS_XML_WRITER_PROPERTY_WRITE_DECLARATION","features":[479]},{"name":"WS_XML_WRITER_RAW_ENCODING","features":[479]},{"name":"WS_XML_WRITER_STREAM_OUTPUT","features":[479]},{"name":"WS_XML_WRITER_TEXT_ENCODING","features":[479]},{"name":"WebAuthNAuthenticatorGetAssertion","features":[308,479]},{"name":"WebAuthNAuthenticatorMakeCredential","features":[308,479]},{"name":"WebAuthNCancelCurrentOperation","features":[479]},{"name":"WebAuthNDeletePlatformCredential","features":[479]},{"name":"WebAuthNFreeAssertion","features":[479]},{"name":"WebAuthNFreeCredentialAttestation","features":[308,479]},{"name":"WebAuthNFreePlatformCredentialList","features":[308,479]},{"name":"WebAuthNGetApiVersionNumber","features":[479]},{"name":"WebAuthNGetCancellationId","features":[479]},{"name":"WebAuthNGetErrorName","features":[479]},{"name":"WebAuthNGetPlatformCredentialList","features":[308,479]},{"name":"WebAuthNGetW3CExceptionDOMError","features":[479]},{"name":"WebAuthNIsUserVerifyingPlatformAuthenticatorAvailable","features":[308,479]},{"name":"WsAbandonCall","features":[479]},{"name":"WsAbandonMessage","features":[479]},{"name":"WsAbortChannel","features":[479]},{"name":"WsAbortListener","features":[479]},{"name":"WsAbortServiceHost","features":[479]},{"name":"WsAbortServiceProxy","features":[479]},{"name":"WsAcceptChannel","features":[479]},{"name":"WsAddCustomHeader","features":[308,479]},{"name":"WsAddErrorString","features":[479]},{"name":"WsAddMappedHeader","features":[308,479]},{"name":"WsAddressMessage","features":[479]},{"name":"WsAlloc","features":[479]},{"name":"WsAsyncExecute","features":[479]},{"name":"WsCall","features":[308,479]},{"name":"WsCheckMustUnderstandHeaders","features":[479]},{"name":"WsCloseChannel","features":[479]},{"name":"WsCloseListener","features":[479]},{"name":"WsCloseServiceHost","features":[479]},{"name":"WsCloseServiceProxy","features":[479]},{"name":"WsCombineUrl","features":[479]},{"name":"WsCopyError","features":[479]},{"name":"WsCopyNode","features":[479]},{"name":"WsCreateChannel","features":[479]},{"name":"WsCreateChannelForListener","features":[479]},{"name":"WsCreateError","features":[479]},{"name":"WsCreateFaultFromError","features":[308,479]},{"name":"WsCreateHeap","features":[479]},{"name":"WsCreateListener","features":[479]},{"name":"WsCreateMessage","features":[479]},{"name":"WsCreateMessageForChannel","features":[479]},{"name":"WsCreateMetadata","features":[479]},{"name":"WsCreateReader","features":[479]},{"name":"WsCreateServiceEndpointFromTemplate","features":[308,479]},{"name":"WsCreateServiceHost","features":[308,479]},{"name":"WsCreateServiceProxy","features":[479]},{"name":"WsCreateServiceProxyFromTemplate","features":[479]},{"name":"WsCreateWriter","features":[479]},{"name":"WsCreateXmlBuffer","features":[479]},{"name":"WsCreateXmlSecurityToken","features":[479]},{"name":"WsDateTimeToFileTime","features":[308,479]},{"name":"WsDecodeUrl","features":[479]},{"name":"WsEncodeUrl","features":[479]},{"name":"WsEndReaderCanonicalization","features":[479]},{"name":"WsEndWriterCanonicalization","features":[479]},{"name":"WsFileTimeToDateTime","features":[308,479]},{"name":"WsFillBody","features":[479]},{"name":"WsFillReader","features":[479]},{"name":"WsFindAttribute","features":[308,479]},{"name":"WsFlushBody","features":[479]},{"name":"WsFlushWriter","features":[479]},{"name":"WsFreeChannel","features":[479]},{"name":"WsFreeError","features":[479]},{"name":"WsFreeHeap","features":[479]},{"name":"WsFreeListener","features":[479]},{"name":"WsFreeMessage","features":[479]},{"name":"WsFreeMetadata","features":[479]},{"name":"WsFreeReader","features":[479]},{"name":"WsFreeSecurityToken","features":[479]},{"name":"WsFreeServiceHost","features":[479]},{"name":"WsFreeServiceProxy","features":[479]},{"name":"WsFreeWriter","features":[479]},{"name":"WsGetChannelProperty","features":[479]},{"name":"WsGetCustomHeader","features":[308,479]},{"name":"WsGetDictionary","features":[308,479]},{"name":"WsGetErrorProperty","features":[479]},{"name":"WsGetErrorString","features":[479]},{"name":"WsGetFaultErrorDetail","features":[308,479]},{"name":"WsGetFaultErrorProperty","features":[479]},{"name":"WsGetHeader","features":[479]},{"name":"WsGetHeaderAttributes","features":[479]},{"name":"WsGetHeapProperty","features":[479]},{"name":"WsGetListenerProperty","features":[479]},{"name":"WsGetMappedHeader","features":[308,479]},{"name":"WsGetMessageProperty","features":[479]},{"name":"WsGetMetadataEndpoints","features":[308,479]},{"name":"WsGetMetadataProperty","features":[479]},{"name":"WsGetMissingMetadataDocumentAddress","features":[479]},{"name":"WsGetNamespaceFromPrefix","features":[308,479]},{"name":"WsGetOperationContextProperty","features":[479]},{"name":"WsGetPolicyAlternativeCount","features":[479]},{"name":"WsGetPolicyProperty","features":[479]},{"name":"WsGetPrefixFromNamespace","features":[308,479]},{"name":"WsGetReaderNode","features":[479]},{"name":"WsGetReaderPosition","features":[479]},{"name":"WsGetReaderProperty","features":[479]},{"name":"WsGetSecurityContextProperty","features":[479]},{"name":"WsGetSecurityTokenProperty","features":[479]},{"name":"WsGetServiceHostProperty","features":[479]},{"name":"WsGetServiceProxyProperty","features":[479]},{"name":"WsGetWriterPosition","features":[479]},{"name":"WsGetWriterProperty","features":[479]},{"name":"WsGetXmlAttribute","features":[308,479]},{"name":"WsInitializeMessage","features":[479]},{"name":"WsMarkHeaderAsUnderstood","features":[479]},{"name":"WsMatchPolicyAlternative","features":[308,479]},{"name":"WsMoveReader","features":[308,479]},{"name":"WsMoveWriter","features":[308,479]},{"name":"WsOpenChannel","features":[479]},{"name":"WsOpenListener","features":[479]},{"name":"WsOpenServiceHost","features":[479]},{"name":"WsOpenServiceProxy","features":[479]},{"name":"WsPullBytes","features":[479]},{"name":"WsPushBytes","features":[479]},{"name":"WsReadArray","features":[308,479]},{"name":"WsReadAttribute","features":[308,479]},{"name":"WsReadBody","features":[308,479]},{"name":"WsReadBytes","features":[479]},{"name":"WsReadChars","features":[479]},{"name":"WsReadCharsUtf8","features":[479]},{"name":"WsReadElement","features":[308,479]},{"name":"WsReadEndAttribute","features":[479]},{"name":"WsReadEndElement","features":[479]},{"name":"WsReadEndpointAddressExtension","features":[479]},{"name":"WsReadEnvelopeEnd","features":[479]},{"name":"WsReadEnvelopeStart","features":[479]},{"name":"WsReadMessageEnd","features":[479]},{"name":"WsReadMessageStart","features":[479]},{"name":"WsReadMetadata","features":[479]},{"name":"WsReadNode","features":[479]},{"name":"WsReadQualifiedName","features":[308,479]},{"name":"WsReadStartAttribute","features":[479]},{"name":"WsReadStartElement","features":[479]},{"name":"WsReadToStartElement","features":[308,479]},{"name":"WsReadType","features":[479]},{"name":"WsReadValue","features":[479]},{"name":"WsReadXmlBuffer","features":[479]},{"name":"WsReadXmlBufferFromBytes","features":[479]},{"name":"WsReceiveMessage","features":[308,479]},{"name":"WsRegisterOperationForCancel","features":[479]},{"name":"WsRemoveCustomHeader","features":[308,479]},{"name":"WsRemoveHeader","features":[479]},{"name":"WsRemoveMappedHeader","features":[308,479]},{"name":"WsRemoveNode","features":[479]},{"name":"WsRequestReply","features":[308,479]},{"name":"WsRequestSecurityToken","features":[479]},{"name":"WsResetChannel","features":[479]},{"name":"WsResetError","features":[479]},{"name":"WsResetHeap","features":[479]},{"name":"WsResetListener","features":[479]},{"name":"WsResetMessage","features":[479]},{"name":"WsResetMetadata","features":[479]},{"name":"WsResetServiceHost","features":[479]},{"name":"WsResetServiceProxy","features":[479]},{"name":"WsRevokeSecurityContext","features":[479]},{"name":"WsSendFaultMessageForError","features":[479]},{"name":"WsSendMessage","features":[308,479]},{"name":"WsSendReplyMessage","features":[308,479]},{"name":"WsSetChannelProperty","features":[479]},{"name":"WsSetErrorProperty","features":[479]},{"name":"WsSetFaultErrorDetail","features":[308,479]},{"name":"WsSetFaultErrorProperty","features":[479]},{"name":"WsSetHeader","features":[479]},{"name":"WsSetInput","features":[479]},{"name":"WsSetInputToBuffer","features":[479]},{"name":"WsSetListenerProperty","features":[479]},{"name":"WsSetMessageProperty","features":[479]},{"name":"WsSetOutput","features":[479]},{"name":"WsSetOutputToBuffer","features":[479]},{"name":"WsSetReaderPosition","features":[479]},{"name":"WsSetWriterPosition","features":[479]},{"name":"WsShutdownSessionChannel","features":[479]},{"name":"WsSkipNode","features":[479]},{"name":"WsStartReaderCanonicalization","features":[479]},{"name":"WsStartWriterCanonicalization","features":[479]},{"name":"WsTrimXmlWhitespace","features":[479]},{"name":"WsVerifyXmlNCName","features":[479]},{"name":"WsWriteArray","features":[308,479]},{"name":"WsWriteAttribute","features":[308,479]},{"name":"WsWriteBody","features":[308,479]},{"name":"WsWriteBytes","features":[479]},{"name":"WsWriteChars","features":[479]},{"name":"WsWriteCharsUtf8","features":[479]},{"name":"WsWriteElement","features":[308,479]},{"name":"WsWriteEndAttribute","features":[479]},{"name":"WsWriteEndCData","features":[479]},{"name":"WsWriteEndElement","features":[479]},{"name":"WsWriteEndStartElement","features":[479]},{"name":"WsWriteEnvelopeEnd","features":[479]},{"name":"WsWriteEnvelopeStart","features":[479]},{"name":"WsWriteMessageEnd","features":[479]},{"name":"WsWriteMessageStart","features":[479]},{"name":"WsWriteNode","features":[479]},{"name":"WsWriteQualifiedName","features":[308,479]},{"name":"WsWriteStartAttribute","features":[308,479]},{"name":"WsWriteStartCData","features":[479]},{"name":"WsWriteStartElement","features":[308,479]},{"name":"WsWriteText","features":[479]},{"name":"WsWriteType","features":[479]},{"name":"WsWriteValue","features":[479]},{"name":"WsWriteXmlBuffer","features":[479]},{"name":"WsWriteXmlBufferToBytes","features":[479]},{"name":"WsWriteXmlnsAttribute","features":[308,479]},{"name":"WsXmlStringEquals","features":[308,479]}],"479":[{"name":"ACCESS_ALLOWED_ACE","features":[311]},{"name":"ACCESS_ALLOWED_CALLBACK_ACE","features":[311]},{"name":"ACCESS_ALLOWED_CALLBACK_OBJECT_ACE","features":[311]},{"name":"ACCESS_ALLOWED_OBJECT_ACE","features":[311]},{"name":"ACCESS_DENIED_ACE","features":[311]},{"name":"ACCESS_DENIED_CALLBACK_ACE","features":[311]},{"name":"ACCESS_DENIED_CALLBACK_OBJECT_ACE","features":[311]},{"name":"ACCESS_DENIED_OBJECT_ACE","features":[311]},{"name":"ACCESS_REASONS","features":[311]},{"name":"ACE_FLAGS","features":[311]},{"name":"ACE_HEADER","features":[311]},{"name":"ACE_INHERITED_OBJECT_TYPE_PRESENT","features":[311]},{"name":"ACE_OBJECT_TYPE_PRESENT","features":[311]},{"name":"ACE_REVISION","features":[311]},{"name":"ACL","features":[311]},{"name":"ACL_INFORMATION_CLASS","features":[311]},{"name":"ACL_REVISION","features":[311]},{"name":"ACL_REVISION_DS","features":[311]},{"name":"ACL_REVISION_INFORMATION","features":[311]},{"name":"ACL_SIZE_INFORMATION","features":[311]},{"name":"ATTRIBUTE_SECURITY_INFORMATION","features":[311]},{"name":"AUDIT_EVENT_TYPE","features":[311]},{"name":"AccessCheck","features":[308,311]},{"name":"AccessCheckAndAuditAlarmA","features":[308,311]},{"name":"AccessCheckAndAuditAlarmW","features":[308,311]},{"name":"AccessCheckByType","features":[308,311]},{"name":"AccessCheckByTypeAndAuditAlarmA","features":[308,311]},{"name":"AccessCheckByTypeAndAuditAlarmW","features":[308,311]},{"name":"AccessCheckByTypeResultList","features":[308,311]},{"name":"AccessCheckByTypeResultListAndAuditAlarmA","features":[308,311]},{"name":"AccessCheckByTypeResultListAndAuditAlarmByHandleA","features":[308,311]},{"name":"AccessCheckByTypeResultListAndAuditAlarmByHandleW","features":[308,311]},{"name":"AccessCheckByTypeResultListAndAuditAlarmW","features":[308,311]},{"name":"AclRevisionInformation","features":[311]},{"name":"AclSizeInformation","features":[311]},{"name":"AddAccessAllowedAce","features":[308,311]},{"name":"AddAccessAllowedAceEx","features":[308,311]},{"name":"AddAccessAllowedObjectAce","features":[308,311]},{"name":"AddAccessDeniedAce","features":[308,311]},{"name":"AddAccessDeniedAceEx","features":[308,311]},{"name":"AddAccessDeniedObjectAce","features":[308,311]},{"name":"AddAce","features":[308,311]},{"name":"AddAuditAccessAce","features":[308,311]},{"name":"AddAuditAccessAceEx","features":[308,311]},{"name":"AddAuditAccessObjectAce","features":[308,311]},{"name":"AddConditionalAce","features":[308,311]},{"name":"AddMandatoryAce","features":[308,311]},{"name":"AddResourceAttributeAce","features":[308,311]},{"name":"AddScopedPolicyIDAce","features":[308,311]},{"name":"AdjustTokenGroups","features":[308,311]},{"name":"AdjustTokenPrivileges","features":[308,311]},{"name":"AllocateAndInitializeSid","features":[308,311]},{"name":"AllocateLocallyUniqueId","features":[308,311]},{"name":"AreAllAccessesGranted","features":[308,311]},{"name":"AreAnyAccessesGranted","features":[308,311]},{"name":"AuditEventDirectoryServiceAccess","features":[311]},{"name":"AuditEventObjectAccess","features":[311]},{"name":"BACKUP_SECURITY_INFORMATION","features":[311]},{"name":"CLAIM_SECURITY_ATTRIBUTES_INFORMATION","features":[311]},{"name":"CLAIM_SECURITY_ATTRIBUTE_DISABLED","features":[311]},{"name":"CLAIM_SECURITY_ATTRIBUTE_DISABLED_BY_DEFAULT","features":[311]},{"name":"CLAIM_SECURITY_ATTRIBUTE_FLAGS","features":[311]},{"name":"CLAIM_SECURITY_ATTRIBUTE_FQBN_VALUE","features":[311]},{"name":"CLAIM_SECURITY_ATTRIBUTE_MANDATORY","features":[311]},{"name":"CLAIM_SECURITY_ATTRIBUTE_NON_INHERITABLE","features":[311]},{"name":"CLAIM_SECURITY_ATTRIBUTE_OCTET_STRING_VALUE","features":[311]},{"name":"CLAIM_SECURITY_ATTRIBUTE_RELATIVE_V1","features":[311]},{"name":"CLAIM_SECURITY_ATTRIBUTE_TYPE_BOOLEAN","features":[311]},{"name":"CLAIM_SECURITY_ATTRIBUTE_TYPE_FQBN","features":[311]},{"name":"CLAIM_SECURITY_ATTRIBUTE_TYPE_INT64","features":[311]},{"name":"CLAIM_SECURITY_ATTRIBUTE_TYPE_OCTET_STRING","features":[311]},{"name":"CLAIM_SECURITY_ATTRIBUTE_TYPE_SID","features":[311]},{"name":"CLAIM_SECURITY_ATTRIBUTE_TYPE_STRING","features":[311]},{"name":"CLAIM_SECURITY_ATTRIBUTE_TYPE_UINT64","features":[311]},{"name":"CLAIM_SECURITY_ATTRIBUTE_USE_FOR_DENY_ONLY","features":[311]},{"name":"CLAIM_SECURITY_ATTRIBUTE_V1","features":[311]},{"name":"CLAIM_SECURITY_ATTRIBUTE_VALUE_CASE_SENSITIVE","features":[311]},{"name":"CLAIM_SECURITY_ATTRIBUTE_VALUE_TYPE","features":[311]},{"name":"CONTAINER_INHERIT_ACE","features":[311]},{"name":"CREATE_RESTRICTED_TOKEN_FLAGS","features":[311]},{"name":"CVT_SECONDS","features":[311]},{"name":"CheckTokenCapability","features":[308,311]},{"name":"CheckTokenMembership","features":[308,311]},{"name":"CheckTokenMembershipEx","features":[308,311]},{"name":"ConvertToAutoInheritPrivateObjectSecurity","features":[308,311]},{"name":"CopySid","features":[308,311]},{"name":"CreatePrivateObjectSecurity","features":[308,311]},{"name":"CreatePrivateObjectSecurityEx","features":[308,311]},{"name":"CreatePrivateObjectSecurityWithMultipleInheritance","features":[308,311]},{"name":"CreateRestrictedToken","features":[308,311]},{"name":"CreateWellKnownSid","features":[308,311]},{"name":"DACL_SECURITY_INFORMATION","features":[311]},{"name":"DISABLE_MAX_PRIVILEGE","features":[311]},{"name":"DeleteAce","features":[308,311]},{"name":"DeriveCapabilitySidsFromName","features":[308,311]},{"name":"DestroyPrivateObjectSecurity","features":[308,311]},{"name":"DuplicateToken","features":[308,311]},{"name":"DuplicateTokenEx","features":[308,311]},{"name":"ENUM_PERIOD","features":[311]},{"name":"ENUM_PERIOD_DAYS","features":[311]},{"name":"ENUM_PERIOD_HOURS","features":[311]},{"name":"ENUM_PERIOD_INVALID","features":[311]},{"name":"ENUM_PERIOD_MINUTES","features":[311]},{"name":"ENUM_PERIOD_MONTHS","features":[311]},{"name":"ENUM_PERIOD_SECONDS","features":[311]},{"name":"ENUM_PERIOD_WEEKS","features":[311]},{"name":"ENUM_PERIOD_YEARS","features":[311]},{"name":"EqualDomainSid","features":[308,311]},{"name":"EqualPrefixSid","features":[308,311]},{"name":"EqualSid","features":[308,311]},{"name":"FAILED_ACCESS_ACE_FLAG","features":[311]},{"name":"FindFirstFreeAce","features":[308,311]},{"name":"FreeSid","features":[308,311]},{"name":"GENERIC_MAPPING","features":[311]},{"name":"GROUP_SECURITY_INFORMATION","features":[311]},{"name":"GetAce","features":[308,311]},{"name":"GetAclInformation","features":[308,311]},{"name":"GetAppContainerAce","features":[308,311]},{"name":"GetCachedSigningLevel","features":[308,311]},{"name":"GetFileSecurityA","features":[308,311]},{"name":"GetFileSecurityW","features":[308,311]},{"name":"GetKernelObjectSecurity","features":[308,311]},{"name":"GetLengthSid","features":[308,311]},{"name":"GetPrivateObjectSecurity","features":[308,311]},{"name":"GetSecurityDescriptorControl","features":[308,311]},{"name":"GetSecurityDescriptorDacl","features":[308,311]},{"name":"GetSecurityDescriptorGroup","features":[308,311]},{"name":"GetSecurityDescriptorLength","features":[311]},{"name":"GetSecurityDescriptorOwner","features":[308,311]},{"name":"GetSecurityDescriptorRMControl","features":[311]},{"name":"GetSecurityDescriptorSacl","features":[308,311]},{"name":"GetSidIdentifierAuthority","features":[308,311]},{"name":"GetSidLengthRequired","features":[311]},{"name":"GetSidSubAuthority","features":[308,311]},{"name":"GetSidSubAuthorityCount","features":[308,311]},{"name":"GetTokenInformation","features":[308,311]},{"name":"GetUserObjectSecurity","features":[308,311]},{"name":"GetWindowsAccountDomainSid","features":[308,311]},{"name":"HDIAGNOSTIC_DATA_QUERY_SESSION","features":[311]},{"name":"HDIAGNOSTIC_EVENT_CATEGORY_DESCRIPTION","features":[311]},{"name":"HDIAGNOSTIC_EVENT_PRODUCER_DESCRIPTION","features":[311]},{"name":"HDIAGNOSTIC_EVENT_TAG_DESCRIPTION","features":[311]},{"name":"HDIAGNOSTIC_RECORD","features":[311]},{"name":"HDIAGNOSTIC_REPORT","features":[311]},{"name":"INHERITED_ACE","features":[311]},{"name":"INHERIT_NO_PROPAGATE","features":[311]},{"name":"INHERIT_ONLY","features":[311]},{"name":"INHERIT_ONLY_ACE","features":[311]},{"name":"ImpersonateAnonymousToken","features":[308,311]},{"name":"ImpersonateLoggedOnUser","features":[308,311]},{"name":"ImpersonateSelf","features":[308,311]},{"name":"InitializeAcl","features":[308,311]},{"name":"InitializeSecurityDescriptor","features":[308,311]},{"name":"InitializeSid","features":[308,311]},{"name":"IsTokenRestricted","features":[308,311]},{"name":"IsValidAcl","features":[308,311]},{"name":"IsValidSecurityDescriptor","features":[308,311]},{"name":"IsValidSid","features":[308,311]},{"name":"IsWellKnownSid","features":[308,311]},{"name":"LABEL_SECURITY_INFORMATION","features":[311]},{"name":"LLFILETIME","features":[308,311]},{"name":"LOGON32_LOGON","features":[311]},{"name":"LOGON32_LOGON_BATCH","features":[311]},{"name":"LOGON32_LOGON_INTERACTIVE","features":[311]},{"name":"LOGON32_LOGON_NETWORK","features":[311]},{"name":"LOGON32_LOGON_NETWORK_CLEARTEXT","features":[311]},{"name":"LOGON32_LOGON_NEW_CREDENTIALS","features":[311]},{"name":"LOGON32_LOGON_SERVICE","features":[311]},{"name":"LOGON32_LOGON_UNLOCK","features":[311]},{"name":"LOGON32_PROVIDER","features":[311]},{"name":"LOGON32_PROVIDER_DEFAULT","features":[311]},{"name":"LOGON32_PROVIDER_WINNT40","features":[311]},{"name":"LOGON32_PROVIDER_WINNT50","features":[311]},{"name":"LUA_TOKEN","features":[311]},{"name":"LUID_AND_ATTRIBUTES","features":[308,311]},{"name":"LogonUserA","features":[308,311]},{"name":"LogonUserExA","features":[308,311]},{"name":"LogonUserExW","features":[308,311]},{"name":"LogonUserW","features":[308,311]},{"name":"LookupAccountNameA","features":[308,311]},{"name":"LookupAccountNameW","features":[308,311]},{"name":"LookupAccountSidA","features":[308,311]},{"name":"LookupAccountSidW","features":[308,311]},{"name":"LookupPrivilegeDisplayNameA","features":[308,311]},{"name":"LookupPrivilegeDisplayNameW","features":[308,311]},{"name":"LookupPrivilegeNameA","features":[308,311]},{"name":"LookupPrivilegeNameW","features":[308,311]},{"name":"LookupPrivilegeValueA","features":[308,311]},{"name":"LookupPrivilegeValueW","features":[308,311]},{"name":"MANDATORY_LEVEL","features":[311]},{"name":"MakeAbsoluteSD","features":[308,311]},{"name":"MakeSelfRelativeSD","features":[308,311]},{"name":"MandatoryLevelCount","features":[311]},{"name":"MandatoryLevelHigh","features":[311]},{"name":"MandatoryLevelLow","features":[311]},{"name":"MandatoryLevelMedium","features":[311]},{"name":"MandatoryLevelSecureProcess","features":[311]},{"name":"MandatoryLevelSystem","features":[311]},{"name":"MandatoryLevelUntrusted","features":[311]},{"name":"MapGenericMask","features":[311]},{"name":"MaxTokenInfoClass","features":[311]},{"name":"NCRYPT_DESCRIPTOR_HANDLE","features":[311]},{"name":"NCRYPT_STREAM_HANDLE","features":[311]},{"name":"NO_INHERITANCE","features":[311]},{"name":"NO_PROPAGATE_INHERIT_ACE","features":[311]},{"name":"OBJECT_INHERIT_ACE","features":[311]},{"name":"OBJECT_SECURITY_INFORMATION","features":[311]},{"name":"OBJECT_TYPE_LIST","features":[311]},{"name":"OWNER_SECURITY_INFORMATION","features":[311]},{"name":"ObjectCloseAuditAlarmA","features":[308,311]},{"name":"ObjectCloseAuditAlarmW","features":[308,311]},{"name":"ObjectDeleteAuditAlarmA","features":[308,311]},{"name":"ObjectDeleteAuditAlarmW","features":[308,311]},{"name":"ObjectOpenAuditAlarmA","features":[308,311]},{"name":"ObjectOpenAuditAlarmW","features":[308,311]},{"name":"ObjectPrivilegeAuditAlarmA","features":[308,311]},{"name":"ObjectPrivilegeAuditAlarmW","features":[308,311]},{"name":"PLSA_AP_CALL_PACKAGE_UNTRUSTED","features":[308,311]},{"name":"PRIVILEGE_SET","features":[308,311]},{"name":"PROTECTED_DACL_SECURITY_INFORMATION","features":[311]},{"name":"PROTECTED_SACL_SECURITY_INFORMATION","features":[311]},{"name":"PSECURITY_DESCRIPTOR","features":[311]},{"name":"PrivilegeCheck","features":[308,311]},{"name":"PrivilegedServiceAuditAlarmA","features":[308,311]},{"name":"PrivilegedServiceAuditAlarmW","features":[308,311]},{"name":"QUOTA_LIMITS","features":[311]},{"name":"QuerySecurityAccessMask","features":[311]},{"name":"RevertToSelf","features":[308,311]},{"name":"RtlConvertSidToUnicodeString","features":[308,311]},{"name":"RtlNormalizeSecurityDescriptor","features":[308,311]},{"name":"SACL_SECURITY_INFORMATION","features":[311]},{"name":"SAFER_LEVEL_HANDLE","features":[311]},{"name":"SANDBOX_INERT","features":[311]},{"name":"SCOPE_SECURITY_INFORMATION","features":[311]},{"name":"SC_HANDLE","features":[311]},{"name":"SECURITY_APP_PACKAGE_AUTHORITY","features":[311]},{"name":"SECURITY_ATTRIBUTES","features":[308,311]},{"name":"SECURITY_AUTHENTICATION_AUTHORITY","features":[311]},{"name":"SECURITY_AUTO_INHERIT_FLAGS","features":[311]},{"name":"SECURITY_CAPABILITIES","features":[308,311]},{"name":"SECURITY_CREATOR_SID_AUTHORITY","features":[311]},{"name":"SECURITY_DESCRIPTOR","features":[308,311]},{"name":"SECURITY_DESCRIPTOR_CONTROL","features":[311]},{"name":"SECURITY_DESCRIPTOR_RELATIVE","features":[311]},{"name":"SECURITY_DYNAMIC_TRACKING","features":[308,311]},{"name":"SECURITY_IMPERSONATION_LEVEL","features":[311]},{"name":"SECURITY_LOCAL_SID_AUTHORITY","features":[311]},{"name":"SECURITY_MANDATORY_LABEL_AUTHORITY","features":[311]},{"name":"SECURITY_NON_UNIQUE_AUTHORITY","features":[311]},{"name":"SECURITY_NT_AUTHORITY","features":[311]},{"name":"SECURITY_NULL_SID_AUTHORITY","features":[311]},{"name":"SECURITY_PROCESS_TRUST_AUTHORITY","features":[311]},{"name":"SECURITY_QUALITY_OF_SERVICE","features":[308,311]},{"name":"SECURITY_RESOURCE_MANAGER_AUTHORITY","features":[311]},{"name":"SECURITY_SCOPED_POLICY_ID_AUTHORITY","features":[311]},{"name":"SECURITY_STATIC_TRACKING","features":[308,311]},{"name":"SECURITY_WORLD_SID_AUTHORITY","features":[311]},{"name":"SEC_THREAD_START","features":[311]},{"name":"SEF_AVOID_OWNER_CHECK","features":[311]},{"name":"SEF_AVOID_OWNER_RESTRICTION","features":[311]},{"name":"SEF_AVOID_PRIVILEGE_CHECK","features":[311]},{"name":"SEF_DACL_AUTO_INHERIT","features":[311]},{"name":"SEF_DEFAULT_DESCRIPTOR_FOR_OBJECT","features":[311]},{"name":"SEF_DEFAULT_GROUP_FROM_PARENT","features":[311]},{"name":"SEF_DEFAULT_OWNER_FROM_PARENT","features":[311]},{"name":"SEF_MACL_NO_EXECUTE_UP","features":[311]},{"name":"SEF_MACL_NO_READ_UP","features":[311]},{"name":"SEF_MACL_NO_WRITE_UP","features":[311]},{"name":"SEF_SACL_AUTO_INHERIT","features":[311]},{"name":"SE_ACCESS_REPLY","features":[308,311]},{"name":"SE_ACCESS_REQUEST","features":[308,311]},{"name":"SE_ASSIGNPRIMARYTOKEN_NAME","features":[311]},{"name":"SE_AUDIT_NAME","features":[311]},{"name":"SE_BACKUP_NAME","features":[311]},{"name":"SE_CHANGE_NOTIFY_NAME","features":[311]},{"name":"SE_CREATE_GLOBAL_NAME","features":[311]},{"name":"SE_CREATE_PAGEFILE_NAME","features":[311]},{"name":"SE_CREATE_PERMANENT_NAME","features":[311]},{"name":"SE_CREATE_SYMBOLIC_LINK_NAME","features":[311]},{"name":"SE_CREATE_TOKEN_NAME","features":[311]},{"name":"SE_DACL_AUTO_INHERITED","features":[311]},{"name":"SE_DACL_AUTO_INHERIT_REQ","features":[311]},{"name":"SE_DACL_DEFAULTED","features":[311]},{"name":"SE_DACL_PRESENT","features":[311]},{"name":"SE_DACL_PROTECTED","features":[311]},{"name":"SE_DEBUG_NAME","features":[311]},{"name":"SE_DELEGATE_SESSION_USER_IMPERSONATE_NAME","features":[311]},{"name":"SE_ENABLE_DELEGATION_NAME","features":[311]},{"name":"SE_GROUP_DEFAULTED","features":[311]},{"name":"SE_IMPERSONATE_NAME","features":[311]},{"name":"SE_IMPERSONATION_STATE","features":[308,311]},{"name":"SE_INCREASE_QUOTA_NAME","features":[311]},{"name":"SE_INC_BASE_PRIORITY_NAME","features":[311]},{"name":"SE_INC_WORKING_SET_NAME","features":[311]},{"name":"SE_LOAD_DRIVER_NAME","features":[311]},{"name":"SE_LOCK_MEMORY_NAME","features":[311]},{"name":"SE_MACHINE_ACCOUNT_NAME","features":[311]},{"name":"SE_MANAGE_VOLUME_NAME","features":[311]},{"name":"SE_OWNER_DEFAULTED","features":[311]},{"name":"SE_PRIVILEGE_ENABLED","features":[311]},{"name":"SE_PRIVILEGE_ENABLED_BY_DEFAULT","features":[311]},{"name":"SE_PRIVILEGE_REMOVED","features":[311]},{"name":"SE_PRIVILEGE_USED_FOR_ACCESS","features":[311]},{"name":"SE_PROF_SINGLE_PROCESS_NAME","features":[311]},{"name":"SE_RELABEL_NAME","features":[311]},{"name":"SE_REMOTE_SHUTDOWN_NAME","features":[311]},{"name":"SE_RESTORE_NAME","features":[311]},{"name":"SE_RM_CONTROL_VALID","features":[311]},{"name":"SE_SACL_AUTO_INHERITED","features":[311]},{"name":"SE_SACL_AUTO_INHERIT_REQ","features":[311]},{"name":"SE_SACL_DEFAULTED","features":[311]},{"name":"SE_SACL_PRESENT","features":[311]},{"name":"SE_SACL_PROTECTED","features":[311]},{"name":"SE_SECURITY_DESCRIPTOR","features":[311]},{"name":"SE_SECURITY_NAME","features":[311]},{"name":"SE_SELF_RELATIVE","features":[311]},{"name":"SE_SHUTDOWN_NAME","features":[311]},{"name":"SE_SID","features":[311]},{"name":"SE_SYNC_AGENT_NAME","features":[311]},{"name":"SE_SYSTEMTIME_NAME","features":[311]},{"name":"SE_SYSTEM_ENVIRONMENT_NAME","features":[311]},{"name":"SE_SYSTEM_PROFILE_NAME","features":[311]},{"name":"SE_TAKE_OWNERSHIP_NAME","features":[311]},{"name":"SE_TCB_NAME","features":[311]},{"name":"SE_TIME_ZONE_NAME","features":[311]},{"name":"SE_TRUSTED_CREDMAN_ACCESS_NAME","features":[311]},{"name":"SE_UNDOCK_NAME","features":[311]},{"name":"SE_UNSOLICITED_INPUT_NAME","features":[311]},{"name":"SID","features":[311]},{"name":"SID_AND_ATTRIBUTES","features":[308,311]},{"name":"SID_AND_ATTRIBUTES_HASH","features":[308,311]},{"name":"SID_IDENTIFIER_AUTHORITY","features":[311]},{"name":"SID_NAME_USE","features":[311]},{"name":"SIGNING_LEVEL_FILE_CACHE_FLAG_NOT_VALIDATED","features":[311]},{"name":"SIGNING_LEVEL_FILE_CACHE_FLAG_VALIDATE_ONLY","features":[311]},{"name":"SIGNING_LEVEL_MICROSOFT","features":[311]},{"name":"SUB_CONTAINERS_AND_OBJECTS_INHERIT","features":[311]},{"name":"SUB_CONTAINERS_ONLY_INHERIT","features":[311]},{"name":"SUB_OBJECTS_ONLY_INHERIT","features":[311]},{"name":"SUCCESSFUL_ACCESS_ACE_FLAG","features":[311]},{"name":"SYSTEM_ACCESS_FILTER_ACE","features":[311]},{"name":"SYSTEM_ALARM_ACE","features":[311]},{"name":"SYSTEM_ALARM_CALLBACK_ACE","features":[311]},{"name":"SYSTEM_ALARM_CALLBACK_OBJECT_ACE","features":[311]},{"name":"SYSTEM_ALARM_OBJECT_ACE","features":[311]},{"name":"SYSTEM_AUDIT_ACE","features":[311]},{"name":"SYSTEM_AUDIT_CALLBACK_ACE","features":[311]},{"name":"SYSTEM_AUDIT_CALLBACK_OBJECT_ACE","features":[311]},{"name":"SYSTEM_AUDIT_OBJECT_ACE","features":[311]},{"name":"SYSTEM_AUDIT_OBJECT_ACE_FLAGS","features":[311]},{"name":"SYSTEM_MANDATORY_LABEL_ACE","features":[311]},{"name":"SYSTEM_PROCESS_TRUST_LABEL_ACE","features":[311]},{"name":"SYSTEM_RESOURCE_ATTRIBUTE_ACE","features":[311]},{"name":"SYSTEM_SCOPED_POLICY_ID_ACE","features":[311]},{"name":"SecurityAnonymous","features":[311]},{"name":"SecurityDelegation","features":[311]},{"name":"SecurityIdentification","features":[311]},{"name":"SecurityImpersonation","features":[311]},{"name":"SetAclInformation","features":[308,311]},{"name":"SetCachedSigningLevel","features":[308,311]},{"name":"SetFileSecurityA","features":[308,311]},{"name":"SetFileSecurityW","features":[308,311]},{"name":"SetKernelObjectSecurity","features":[308,311]},{"name":"SetPrivateObjectSecurity","features":[308,311]},{"name":"SetPrivateObjectSecurityEx","features":[308,311]},{"name":"SetSecurityAccessMask","features":[311]},{"name":"SetSecurityDescriptorControl","features":[308,311]},{"name":"SetSecurityDescriptorDacl","features":[308,311]},{"name":"SetSecurityDescriptorGroup","features":[308,311]},{"name":"SetSecurityDescriptorOwner","features":[308,311]},{"name":"SetSecurityDescriptorRMControl","features":[311]},{"name":"SetSecurityDescriptorSacl","features":[308,311]},{"name":"SetTokenInformation","features":[308,311]},{"name":"SetUserObjectSecurity","features":[308,311]},{"name":"SidTypeAlias","features":[311]},{"name":"SidTypeComputer","features":[311]},{"name":"SidTypeDeletedAccount","features":[311]},{"name":"SidTypeDomain","features":[311]},{"name":"SidTypeGroup","features":[311]},{"name":"SidTypeInvalid","features":[311]},{"name":"SidTypeLabel","features":[311]},{"name":"SidTypeLogonSession","features":[311]},{"name":"SidTypeUnknown","features":[311]},{"name":"SidTypeUser","features":[311]},{"name":"SidTypeWellKnownGroup","features":[311]},{"name":"TOKEN_ACCESS_INFORMATION","features":[308,311]},{"name":"TOKEN_ACCESS_MASK","features":[311]},{"name":"TOKEN_ACCESS_PSEUDO_HANDLE","features":[311]},{"name":"TOKEN_ACCESS_PSEUDO_HANDLE_WIN8","features":[311]},{"name":"TOKEN_ACCESS_SYSTEM_SECURITY","features":[311]},{"name":"TOKEN_ADJUST_DEFAULT","features":[311]},{"name":"TOKEN_ADJUST_GROUPS","features":[311]},{"name":"TOKEN_ADJUST_PRIVILEGES","features":[311]},{"name":"TOKEN_ADJUST_SESSIONID","features":[311]},{"name":"TOKEN_ALL_ACCESS","features":[311]},{"name":"TOKEN_APPCONTAINER_INFORMATION","features":[308,311]},{"name":"TOKEN_ASSIGN_PRIMARY","features":[311]},{"name":"TOKEN_AUDIT_POLICY","features":[311]},{"name":"TOKEN_CONTROL","features":[308,311]},{"name":"TOKEN_DEFAULT_DACL","features":[311]},{"name":"TOKEN_DELETE","features":[311]},{"name":"TOKEN_DEVICE_CLAIMS","features":[311]},{"name":"TOKEN_DUPLICATE","features":[311]},{"name":"TOKEN_ELEVATION","features":[311]},{"name":"TOKEN_ELEVATION_TYPE","features":[311]},{"name":"TOKEN_EXECUTE","features":[311]},{"name":"TOKEN_GROUPS","features":[308,311]},{"name":"TOKEN_GROUPS_AND_PRIVILEGES","features":[308,311]},{"name":"TOKEN_IMPERSONATE","features":[311]},{"name":"TOKEN_INFORMATION_CLASS","features":[311]},{"name":"TOKEN_LINKED_TOKEN","features":[308,311]},{"name":"TOKEN_MANDATORY_LABEL","features":[308,311]},{"name":"TOKEN_MANDATORY_POLICY","features":[311]},{"name":"TOKEN_MANDATORY_POLICY_ID","features":[311]},{"name":"TOKEN_MANDATORY_POLICY_NEW_PROCESS_MIN","features":[311]},{"name":"TOKEN_MANDATORY_POLICY_NO_WRITE_UP","features":[311]},{"name":"TOKEN_MANDATORY_POLICY_OFF","features":[311]},{"name":"TOKEN_MANDATORY_POLICY_VALID_MASK","features":[311]},{"name":"TOKEN_ORIGIN","features":[308,311]},{"name":"TOKEN_OWNER","features":[308,311]},{"name":"TOKEN_PRIMARY_GROUP","features":[308,311]},{"name":"TOKEN_PRIVILEGES","features":[308,311]},{"name":"TOKEN_PRIVILEGES_ATTRIBUTES","features":[311]},{"name":"TOKEN_QUERY","features":[311]},{"name":"TOKEN_QUERY_SOURCE","features":[311]},{"name":"TOKEN_READ","features":[311]},{"name":"TOKEN_READ_CONTROL","features":[311]},{"name":"TOKEN_SOURCE","features":[308,311]},{"name":"TOKEN_STATISTICS","features":[308,311]},{"name":"TOKEN_TRUST_CONSTRAINT_MASK","features":[311]},{"name":"TOKEN_TYPE","features":[311]},{"name":"TOKEN_USER","features":[308,311]},{"name":"TOKEN_USER_CLAIMS","features":[311]},{"name":"TOKEN_WRITE","features":[311]},{"name":"TOKEN_WRITE_DAC","features":[311]},{"name":"TOKEN_WRITE_OWNER","features":[311]},{"name":"TokenAccessInformation","features":[311]},{"name":"TokenAppContainerNumber","features":[311]},{"name":"TokenAppContainerSid","features":[311]},{"name":"TokenAuditPolicy","features":[311]},{"name":"TokenBnoIsolation","features":[311]},{"name":"TokenCapabilities","features":[311]},{"name":"TokenChildProcessFlags","features":[311]},{"name":"TokenDefaultDacl","features":[311]},{"name":"TokenDeviceClaimAttributes","features":[311]},{"name":"TokenDeviceGroups","features":[311]},{"name":"TokenElevation","features":[311]},{"name":"TokenElevationType","features":[311]},{"name":"TokenElevationTypeDefault","features":[311]},{"name":"TokenElevationTypeFull","features":[311]},{"name":"TokenElevationTypeLimited","features":[311]},{"name":"TokenGroups","features":[311]},{"name":"TokenGroupsAndPrivileges","features":[311]},{"name":"TokenHasRestrictions","features":[311]},{"name":"TokenImpersonation","features":[311]},{"name":"TokenImpersonationLevel","features":[311]},{"name":"TokenIntegrityLevel","features":[311]},{"name":"TokenIsAppContainer","features":[311]},{"name":"TokenIsAppSilo","features":[311]},{"name":"TokenIsLessPrivilegedAppContainer","features":[311]},{"name":"TokenIsRestricted","features":[311]},{"name":"TokenIsSandboxed","features":[311]},{"name":"TokenLinkedToken","features":[311]},{"name":"TokenLogonSid","features":[311]},{"name":"TokenMandatoryPolicy","features":[311]},{"name":"TokenOrigin","features":[311]},{"name":"TokenOwner","features":[311]},{"name":"TokenPrimary","features":[311]},{"name":"TokenPrimaryGroup","features":[311]},{"name":"TokenPrivateNameSpace","features":[311]},{"name":"TokenPrivileges","features":[311]},{"name":"TokenProcessTrustLevel","features":[311]},{"name":"TokenRestrictedDeviceClaimAttributes","features":[311]},{"name":"TokenRestrictedDeviceGroups","features":[311]},{"name":"TokenRestrictedSids","features":[311]},{"name":"TokenRestrictedUserClaimAttributes","features":[311]},{"name":"TokenSandBoxInert","features":[311]},{"name":"TokenSecurityAttributes","features":[311]},{"name":"TokenSessionId","features":[311]},{"name":"TokenSessionReference","features":[311]},{"name":"TokenSingletonAttributes","features":[311]},{"name":"TokenSource","features":[311]},{"name":"TokenStatistics","features":[311]},{"name":"TokenType","features":[311]},{"name":"TokenUIAccess","features":[311]},{"name":"TokenUser","features":[311]},{"name":"TokenUserClaimAttributes","features":[311]},{"name":"TokenVirtualizationAllowed","features":[311]},{"name":"TokenVirtualizationEnabled","features":[311]},{"name":"UNPROTECTED_DACL_SECURITY_INFORMATION","features":[311]},{"name":"UNPROTECTED_SACL_SECURITY_INFORMATION","features":[311]},{"name":"WELL_KNOWN_SID_TYPE","features":[311]},{"name":"WRITE_RESTRICTED","features":[311]},{"name":"WinAccountAdministratorSid","features":[311]},{"name":"WinAccountCertAdminsSid","features":[311]},{"name":"WinAccountCloneableControllersSid","features":[311]},{"name":"WinAccountComputersSid","features":[311]},{"name":"WinAccountControllersSid","features":[311]},{"name":"WinAccountDefaultSystemManagedSid","features":[311]},{"name":"WinAccountDomainAdminsSid","features":[311]},{"name":"WinAccountDomainGuestsSid","features":[311]},{"name":"WinAccountDomainUsersSid","features":[311]},{"name":"WinAccountEnterpriseAdminsSid","features":[311]},{"name":"WinAccountEnterpriseKeyAdminsSid","features":[311]},{"name":"WinAccountGuestSid","features":[311]},{"name":"WinAccountKeyAdminsSid","features":[311]},{"name":"WinAccountKrbtgtSid","features":[311]},{"name":"WinAccountPolicyAdminsSid","features":[311]},{"name":"WinAccountProtectedUsersSid","features":[311]},{"name":"WinAccountRasAndIasServersSid","features":[311]},{"name":"WinAccountReadonlyControllersSid","features":[311]},{"name":"WinAccountSchemaAdminsSid","features":[311]},{"name":"WinAnonymousSid","features":[311]},{"name":"WinApplicationPackageAuthoritySid","features":[311]},{"name":"WinAuthenticatedUserSid","features":[311]},{"name":"WinAuthenticationAuthorityAssertedSid","features":[311]},{"name":"WinAuthenticationFreshKeyAuthSid","features":[311]},{"name":"WinAuthenticationKeyPropertyAttestationSid","features":[311]},{"name":"WinAuthenticationKeyPropertyMFASid","features":[311]},{"name":"WinAuthenticationKeyTrustSid","features":[311]},{"name":"WinAuthenticationServiceAssertedSid","features":[311]},{"name":"WinBatchSid","features":[311]},{"name":"WinBuiltinAccessControlAssistanceOperatorsSid","features":[311]},{"name":"WinBuiltinAccountOperatorsSid","features":[311]},{"name":"WinBuiltinAdministratorsSid","features":[311]},{"name":"WinBuiltinAnyPackageSid","features":[311]},{"name":"WinBuiltinAuthorizationAccessSid","features":[311]},{"name":"WinBuiltinBackupOperatorsSid","features":[311]},{"name":"WinBuiltinCertSvcDComAccessGroup","features":[311]},{"name":"WinBuiltinCryptoOperatorsSid","features":[311]},{"name":"WinBuiltinDCOMUsersSid","features":[311]},{"name":"WinBuiltinDefaultSystemManagedGroupSid","features":[311]},{"name":"WinBuiltinDeviceOwnersSid","features":[311]},{"name":"WinBuiltinDomainSid","features":[311]},{"name":"WinBuiltinEventLogReadersGroup","features":[311]},{"name":"WinBuiltinGuestsSid","features":[311]},{"name":"WinBuiltinHyperVAdminsSid","features":[311]},{"name":"WinBuiltinIUsersSid","features":[311]},{"name":"WinBuiltinIncomingForestTrustBuildersSid","features":[311]},{"name":"WinBuiltinNetworkConfigurationOperatorsSid","features":[311]},{"name":"WinBuiltinPerfLoggingUsersSid","features":[311]},{"name":"WinBuiltinPerfMonitoringUsersSid","features":[311]},{"name":"WinBuiltinPowerUsersSid","features":[311]},{"name":"WinBuiltinPreWindows2000CompatibleAccessSid","features":[311]},{"name":"WinBuiltinPrintOperatorsSid","features":[311]},{"name":"WinBuiltinRDSEndpointServersSid","features":[311]},{"name":"WinBuiltinRDSManagementServersSid","features":[311]},{"name":"WinBuiltinRDSRemoteAccessServersSid","features":[311]},{"name":"WinBuiltinRemoteDesktopUsersSid","features":[311]},{"name":"WinBuiltinRemoteManagementUsersSid","features":[311]},{"name":"WinBuiltinReplicatorSid","features":[311]},{"name":"WinBuiltinStorageReplicaAdminsSid","features":[311]},{"name":"WinBuiltinSystemOperatorsSid","features":[311]},{"name":"WinBuiltinTerminalServerLicenseServersSid","features":[311]},{"name":"WinBuiltinUsersSid","features":[311]},{"name":"WinCacheablePrincipalsGroupSid","features":[311]},{"name":"WinCapabilityAppointmentsSid","features":[311]},{"name":"WinCapabilityContactsSid","features":[311]},{"name":"WinCapabilityDocumentsLibrarySid","features":[311]},{"name":"WinCapabilityEnterpriseAuthenticationSid","features":[311]},{"name":"WinCapabilityInternetClientServerSid","features":[311]},{"name":"WinCapabilityInternetClientSid","features":[311]},{"name":"WinCapabilityMusicLibrarySid","features":[311]},{"name":"WinCapabilityPicturesLibrarySid","features":[311]},{"name":"WinCapabilityPrivateNetworkClientServerSid","features":[311]},{"name":"WinCapabilityRemovableStorageSid","features":[311]},{"name":"WinCapabilitySharedUserCertificatesSid","features":[311]},{"name":"WinCapabilityVideosLibrarySid","features":[311]},{"name":"WinConsoleLogonSid","features":[311]},{"name":"WinCreatorGroupServerSid","features":[311]},{"name":"WinCreatorGroupSid","features":[311]},{"name":"WinCreatorOwnerRightsSid","features":[311]},{"name":"WinCreatorOwnerServerSid","features":[311]},{"name":"WinCreatorOwnerSid","features":[311]},{"name":"WinDialupSid","features":[311]},{"name":"WinDigestAuthenticationSid","features":[311]},{"name":"WinEnterpriseControllersSid","features":[311]},{"name":"WinEnterpriseReadonlyControllersSid","features":[311]},{"name":"WinHighLabelSid","features":[311]},{"name":"WinIUserSid","features":[311]},{"name":"WinInteractiveSid","features":[311]},{"name":"WinLocalAccountAndAdministratorSid","features":[311]},{"name":"WinLocalAccountSid","features":[311]},{"name":"WinLocalLogonSid","features":[311]},{"name":"WinLocalServiceSid","features":[311]},{"name":"WinLocalSid","features":[311]},{"name":"WinLocalSystemSid","features":[311]},{"name":"WinLogonIdsSid","features":[311]},{"name":"WinLowLabelSid","features":[311]},{"name":"WinMediumLabelSid","features":[311]},{"name":"WinMediumPlusLabelSid","features":[311]},{"name":"WinNTLMAuthenticationSid","features":[311]},{"name":"WinNetworkServiceSid","features":[311]},{"name":"WinNetworkSid","features":[311]},{"name":"WinNewEnterpriseReadonlyControllersSid","features":[311]},{"name":"WinNonCacheablePrincipalsGroupSid","features":[311]},{"name":"WinNtAuthoritySid","features":[311]},{"name":"WinNullSid","features":[311]},{"name":"WinOtherOrganizationSid","features":[311]},{"name":"WinProxySid","features":[311]},{"name":"WinRemoteLogonIdSid","features":[311]},{"name":"WinRestrictedCodeSid","features":[311]},{"name":"WinSChannelAuthenticationSid","features":[311]},{"name":"WinSelfSid","features":[311]},{"name":"WinServiceSid","features":[311]},{"name":"WinSystemLabelSid","features":[311]},{"name":"WinTerminalServerSid","features":[311]},{"name":"WinThisOrganizationCertificateSid","features":[311]},{"name":"WinThisOrganizationSid","features":[311]},{"name":"WinUntrustedLabelSid","features":[311]},{"name":"WinUserModeDriversSid","features":[311]},{"name":"WinWorldSid","features":[311]},{"name":"WinWriteRestrictedCodeSid","features":[311]},{"name":"cwcFILENAMESUFFIXMAX","features":[311]},{"name":"cwcHRESULTSTRING","features":[311]},{"name":"szLBRACE","features":[311]},{"name":"szLPAREN","features":[311]},{"name":"szRBRACE","features":[311]},{"name":"szRPAREN","features":[311]},{"name":"wszCERTENROLLSHAREPATH","features":[311]},{"name":"wszFCSAPARM_CERTFILENAMESUFFIX","features":[311]},{"name":"wszFCSAPARM_CONFIGDN","features":[311]},{"name":"wszFCSAPARM_CRLDELTAFILENAMESUFFIX","features":[311]},{"name":"wszFCSAPARM_CRLFILENAMESUFFIX","features":[311]},{"name":"wszFCSAPARM_DOMAINDN","features":[311]},{"name":"wszFCSAPARM_DSCACERTATTRIBUTE","features":[311]},{"name":"wszFCSAPARM_DSCRLATTRIBUTE","features":[311]},{"name":"wszFCSAPARM_DSCROSSCERTPAIRATTRIBUTE","features":[311]},{"name":"wszFCSAPARM_DSKRACERTATTRIBUTE","features":[311]},{"name":"wszFCSAPARM_DSUSERCERTATTRIBUTE","features":[311]},{"name":"wszFCSAPARM_SANITIZEDCANAME","features":[311]},{"name":"wszFCSAPARM_SANITIZEDCANAMEHASH","features":[311]},{"name":"wszFCSAPARM_SERVERDNSNAME","features":[311]},{"name":"wszFCSAPARM_SERVERSHORTNAME","features":[311]},{"name":"wszLBRACE","features":[311]},{"name":"wszLPAREN","features":[311]},{"name":"wszRBRACE","features":[311]},{"name":"wszRPAREN","features":[311]}],"480":[{"name":"SAFER_CODE_PROPERTIES_V1","features":[308,480,392]},{"name":"SAFER_CODE_PROPERTIES_V2","features":[308,480,392]},{"name":"SAFER_COMPUTE_TOKEN_FROM_LEVEL_FLAGS","features":[480]},{"name":"SAFER_CRITERIA_APPX_PACKAGE","features":[480]},{"name":"SAFER_CRITERIA_AUTHENTICODE","features":[480]},{"name":"SAFER_CRITERIA_IMAGEHASH","features":[480]},{"name":"SAFER_CRITERIA_IMAGEPATH","features":[480]},{"name":"SAFER_CRITERIA_IMAGEPATH_NT","features":[480]},{"name":"SAFER_CRITERIA_NOSIGNEDHASH","features":[480]},{"name":"SAFER_CRITERIA_URLZONE","features":[480]},{"name":"SAFER_HASH_IDENTIFICATION","features":[308,480,392]},{"name":"SAFER_HASH_IDENTIFICATION2","features":[308,480,392]},{"name":"SAFER_IDENTIFICATION_HEADER","features":[308,480]},{"name":"SAFER_IDENTIFICATION_TYPES","features":[480]},{"name":"SAFER_LEVELID_CONSTRAINED","features":[480]},{"name":"SAFER_LEVELID_DISALLOWED","features":[480]},{"name":"SAFER_LEVELID_FULLYTRUSTED","features":[480]},{"name":"SAFER_LEVELID_NORMALUSER","features":[480]},{"name":"SAFER_LEVELID_UNTRUSTED","features":[480]},{"name":"SAFER_LEVEL_OPEN","features":[480]},{"name":"SAFER_MAX_DESCRIPTION_SIZE","features":[480]},{"name":"SAFER_MAX_FRIENDLYNAME_SIZE","features":[480]},{"name":"SAFER_MAX_HASH_SIZE","features":[480]},{"name":"SAFER_OBJECT_INFO_CLASS","features":[480]},{"name":"SAFER_PATHNAME_IDENTIFICATION","features":[308,480]},{"name":"SAFER_POLICY_BLOCK_CLIENT_UI","features":[480]},{"name":"SAFER_POLICY_HASH_DUPLICATE","features":[480]},{"name":"SAFER_POLICY_INFO_CLASS","features":[480]},{"name":"SAFER_POLICY_JOBID_CONSTRAINED","features":[480]},{"name":"SAFER_POLICY_JOBID_MASK","features":[480]},{"name":"SAFER_POLICY_JOBID_UNTRUSTED","features":[480]},{"name":"SAFER_POLICY_ONLY_AUDIT","features":[480]},{"name":"SAFER_POLICY_ONLY_EXES","features":[480]},{"name":"SAFER_POLICY_SANDBOX_INERT","features":[480]},{"name":"SAFER_POLICY_UIFLAGS_HIDDEN","features":[480]},{"name":"SAFER_POLICY_UIFLAGS_INFORMATION_PROMPT","features":[480]},{"name":"SAFER_POLICY_UIFLAGS_MASK","features":[480]},{"name":"SAFER_POLICY_UIFLAGS_OPTION_PROMPT","features":[480]},{"name":"SAFER_SCOPEID_MACHINE","features":[480]},{"name":"SAFER_SCOPEID_USER","features":[480]},{"name":"SAFER_TOKEN_COMPARE_ONLY","features":[480]},{"name":"SAFER_TOKEN_MAKE_INERT","features":[480]},{"name":"SAFER_TOKEN_NULL_IF_EQUAL","features":[480]},{"name":"SAFER_TOKEN_WANT_FLAGS","features":[480]},{"name":"SAFER_URLZONE_IDENTIFICATION","features":[308,480]},{"name":"SRP_POLICY_APPX","features":[480]},{"name":"SRP_POLICY_DLL","features":[480]},{"name":"SRP_POLICY_EXE","features":[480]},{"name":"SRP_POLICY_MANAGEDINSTALLER","features":[480]},{"name":"SRP_POLICY_MSI","features":[480]},{"name":"SRP_POLICY_NOV2","features":[480]},{"name":"SRP_POLICY_SCRIPT","features":[480]},{"name":"SRP_POLICY_SHELL","features":[480]},{"name":"SRP_POLICY_WLDPCONFIGCI","features":[480]},{"name":"SRP_POLICY_WLDPMSI","features":[480]},{"name":"SRP_POLICY_WLDPSCRIPT","features":[480]},{"name":"SaferCloseLevel","features":[308,480]},{"name":"SaferComputeTokenFromLevel","features":[308,480]},{"name":"SaferCreateLevel","features":[308,480]},{"name":"SaferGetLevelInformation","features":[308,480]},{"name":"SaferGetPolicyInformation","features":[308,480]},{"name":"SaferIdentifyLevel","features":[308,480,392]},{"name":"SaferIdentityDefault","features":[480]},{"name":"SaferIdentityTypeCertificate","features":[480]},{"name":"SaferIdentityTypeImageHash","features":[480]},{"name":"SaferIdentityTypeImageName","features":[480]},{"name":"SaferIdentityTypeUrlZone","features":[480]},{"name":"SaferObjectAllIdentificationGuids","features":[480]},{"name":"SaferObjectBuiltin","features":[480]},{"name":"SaferObjectDefaultOwner","features":[480]},{"name":"SaferObjectDeletedPrivileges","features":[480]},{"name":"SaferObjectDescription","features":[480]},{"name":"SaferObjectDisableMaxPrivilege","features":[480]},{"name":"SaferObjectDisallowed","features":[480]},{"name":"SaferObjectExtendedError","features":[480]},{"name":"SaferObjectFriendlyName","features":[480]},{"name":"SaferObjectInvertDeletedPrivileges","features":[480]},{"name":"SaferObjectLevelId","features":[480]},{"name":"SaferObjectRestrictedSidsAdded","features":[480]},{"name":"SaferObjectRestrictedSidsInverted","features":[480]},{"name":"SaferObjectScopeId","features":[480]},{"name":"SaferObjectSidsToDisable","features":[480]},{"name":"SaferObjectSingleIdentification","features":[480]},{"name":"SaferPolicyAuthenticodeEnabled","features":[480]},{"name":"SaferPolicyDefaultLevel","features":[480]},{"name":"SaferPolicyDefaultLevelFlags","features":[480]},{"name":"SaferPolicyEnableTransparentEnforcement","features":[480]},{"name":"SaferPolicyEvaluateUserScope","features":[480]},{"name":"SaferPolicyLevelList","features":[480]},{"name":"SaferPolicyScopeFlags","features":[480]},{"name":"SaferRecordEventLogEntry","features":[308,480]},{"name":"SaferSetLevelInformation","features":[308,480]},{"name":"SaferSetPolicyInformation","features":[308,480]},{"name":"SaferiIsExecutableFileType","features":[308,480]}],"481":[{"name":"ACCEPT_SECURITY_CONTEXT_FN","features":[329,481]},{"name":"ACCOUNT_ADJUST_PRIVILEGES","features":[329]},{"name":"ACCOUNT_ADJUST_QUOTAS","features":[329]},{"name":"ACCOUNT_ADJUST_SYSTEM_ACCESS","features":[329]},{"name":"ACCOUNT_VIEW","features":[329]},{"name":"ACQUIRE_CREDENTIALS_HANDLE_FN_A","features":[329,481]},{"name":"ACQUIRE_CREDENTIALS_HANDLE_FN_W","features":[329,481]},{"name":"ADD_CREDENTIALS_FN_A","features":[329,481]},{"name":"ADD_CREDENTIALS_FN_W","features":[329,481]},{"name":"APPLY_CONTROL_TOKEN_FN","features":[329,481]},{"name":"ASC_REQ_ALLOCATE_MEMORY","features":[329]},{"name":"ASC_REQ_ALLOW_CONTEXT_REPLAY","features":[329]},{"name":"ASC_REQ_ALLOW_MISSING_BINDINGS","features":[329]},{"name":"ASC_REQ_ALLOW_NON_USER_LOGONS","features":[329]},{"name":"ASC_REQ_ALLOW_NULL_SESSION","features":[329]},{"name":"ASC_REQ_CALL_LEVEL","features":[329]},{"name":"ASC_REQ_CONFIDENTIALITY","features":[329]},{"name":"ASC_REQ_CONNECTION","features":[329]},{"name":"ASC_REQ_DATAGRAM","features":[329]},{"name":"ASC_REQ_DELEGATE","features":[329]},{"name":"ASC_REQ_EXTENDED_ERROR","features":[329]},{"name":"ASC_REQ_FLAGS","features":[329]},{"name":"ASC_REQ_FRAGMENT_SUPPLIED","features":[329]},{"name":"ASC_REQ_FRAGMENT_TO_FIT","features":[329]},{"name":"ASC_REQ_HIGH_FLAGS","features":[329]},{"name":"ASC_REQ_IDENTIFY","features":[329]},{"name":"ASC_REQ_INTEGRITY","features":[329]},{"name":"ASC_REQ_LICENSING","features":[329]},{"name":"ASC_REQ_MESSAGES","features":[329]},{"name":"ASC_REQ_MUTUAL_AUTH","features":[329]},{"name":"ASC_REQ_NO_TOKEN","features":[329]},{"name":"ASC_REQ_PROXY_BINDINGS","features":[329]},{"name":"ASC_REQ_REPLAY_DETECT","features":[329]},{"name":"ASC_REQ_SEQUENCE_DETECT","features":[329]},{"name":"ASC_REQ_SESSION_TICKET","features":[329]},{"name":"ASC_REQ_STREAM","features":[329]},{"name":"ASC_REQ_USE_DCE_STYLE","features":[329]},{"name":"ASC_REQ_USE_SESSION_KEY","features":[329]},{"name":"ASC_RET_ALLOCATED_MEMORY","features":[329]},{"name":"ASC_RET_ALLOW_CONTEXT_REPLAY","features":[329]},{"name":"ASC_RET_ALLOW_NON_USER_LOGONS","features":[329]},{"name":"ASC_RET_CALL_LEVEL","features":[329]},{"name":"ASC_RET_CONFIDENTIALITY","features":[329]},{"name":"ASC_RET_CONNECTION","features":[329]},{"name":"ASC_RET_DATAGRAM","features":[329]},{"name":"ASC_RET_DELEGATE","features":[329]},{"name":"ASC_RET_EXTENDED_ERROR","features":[329]},{"name":"ASC_RET_FRAGMENT_ONLY","features":[329]},{"name":"ASC_RET_IDENTIFY","features":[329]},{"name":"ASC_RET_INTEGRITY","features":[329]},{"name":"ASC_RET_LICENSING","features":[329]},{"name":"ASC_RET_MESSAGES","features":[329]},{"name":"ASC_RET_MUTUAL_AUTH","features":[329]},{"name":"ASC_RET_NO_ADDITIONAL_TOKEN","features":[329]},{"name":"ASC_RET_NO_TOKEN","features":[329]},{"name":"ASC_RET_NULL_SESSION","features":[329]},{"name":"ASC_RET_REPLAY_DETECT","features":[329]},{"name":"ASC_RET_SEQUENCE_DETECT","features":[329]},{"name":"ASC_RET_SESSION_TICKET","features":[329]},{"name":"ASC_RET_STREAM","features":[329]},{"name":"ASC_RET_THIRD_LEG_FAILED","features":[329]},{"name":"ASC_RET_USED_DCE_STYLE","features":[329]},{"name":"ASC_RET_USE_SESSION_KEY","features":[329]},{"name":"AUDIT_ENUMERATE_USERS","features":[329]},{"name":"AUDIT_POLICY_INFORMATION","features":[329]},{"name":"AUDIT_QUERY_MISC_POLICY","features":[329]},{"name":"AUDIT_QUERY_SYSTEM_POLICY","features":[329]},{"name":"AUDIT_QUERY_USER_POLICY","features":[329]},{"name":"AUDIT_SET_MISC_POLICY","features":[329]},{"name":"AUDIT_SET_SYSTEM_POLICY","features":[329]},{"name":"AUDIT_SET_USER_POLICY","features":[329]},{"name":"AUTH_REQ_ALLOW_ENC_TKT_IN_SKEY","features":[329]},{"name":"AUTH_REQ_ALLOW_FORWARDABLE","features":[329]},{"name":"AUTH_REQ_ALLOW_NOADDRESS","features":[329]},{"name":"AUTH_REQ_ALLOW_POSTDATE","features":[329]},{"name":"AUTH_REQ_ALLOW_PROXIABLE","features":[329]},{"name":"AUTH_REQ_ALLOW_RENEWABLE","features":[329]},{"name":"AUTH_REQ_ALLOW_S4U_DELEGATE","features":[329]},{"name":"AUTH_REQ_ALLOW_VALIDATE","features":[329]},{"name":"AUTH_REQ_OK_AS_DELEGATE","features":[329]},{"name":"AUTH_REQ_PREAUTH_REQUIRED","features":[329]},{"name":"AUTH_REQ_TRANSITIVE_TRUST","features":[329]},{"name":"AUTH_REQ_VALIDATE_CLIENT","features":[329]},{"name":"AcceptSecurityContext","features":[329,481]},{"name":"AccountDomainInformation","features":[329]},{"name":"AcquireCredentialsHandleA","features":[329,481]},{"name":"AcquireCredentialsHandleW","features":[329,481]},{"name":"AddCredentialsA","features":[329,481]},{"name":"AddCredentialsW","features":[329,481]},{"name":"AddSecurityPackageA","features":[329]},{"name":"AddSecurityPackageW","features":[329]},{"name":"ApplyControlToken","features":[329,481]},{"name":"AuditCategoryAccountLogon","features":[329]},{"name":"AuditCategoryAccountManagement","features":[329]},{"name":"AuditCategoryDetailedTracking","features":[329]},{"name":"AuditCategoryDirectoryServiceAccess","features":[329]},{"name":"AuditCategoryLogon","features":[329]},{"name":"AuditCategoryObjectAccess","features":[329]},{"name":"AuditCategoryPolicyChange","features":[329]},{"name":"AuditCategoryPrivilegeUse","features":[329]},{"name":"AuditCategorySystem","features":[329]},{"name":"AuditComputeEffectivePolicyBySid","features":[308,329]},{"name":"AuditComputeEffectivePolicyByToken","features":[308,329]},{"name":"AuditEnumerateCategories","features":[308,329]},{"name":"AuditEnumeratePerUserPolicy","features":[308,329]},{"name":"AuditEnumerateSubCategories","features":[308,329]},{"name":"AuditFree","features":[329]},{"name":"AuditLookupCategoryGuidFromCategoryId","features":[308,329]},{"name":"AuditLookupCategoryIdFromCategoryGuid","features":[308,329]},{"name":"AuditLookupCategoryNameA","features":[308,329]},{"name":"AuditLookupCategoryNameW","features":[308,329]},{"name":"AuditLookupSubCategoryNameA","features":[308,329]},{"name":"AuditLookupSubCategoryNameW","features":[308,329]},{"name":"AuditQueryGlobalSaclA","features":[308,329]},{"name":"AuditQueryGlobalSaclW","features":[308,329]},{"name":"AuditQueryPerUserPolicy","features":[308,329]},{"name":"AuditQuerySecurity","features":[308,329]},{"name":"AuditQuerySystemPolicy","features":[308,329]},{"name":"AuditSetGlobalSaclA","features":[308,329]},{"name":"AuditSetGlobalSaclW","features":[308,329]},{"name":"AuditSetPerUserPolicy","features":[308,329]},{"name":"AuditSetSecurity","features":[308,329]},{"name":"AuditSetSystemPolicy","features":[308,329]},{"name":"Audit_AccountLogon","features":[329]},{"name":"Audit_AccountLogon_CredentialValidation","features":[329]},{"name":"Audit_AccountLogon_KerbCredentialValidation","features":[329]},{"name":"Audit_AccountLogon_Kerberos","features":[329]},{"name":"Audit_AccountLogon_Others","features":[329]},{"name":"Audit_AccountManagement","features":[329]},{"name":"Audit_AccountManagement_ApplicationGroup","features":[329]},{"name":"Audit_AccountManagement_ComputerAccount","features":[329]},{"name":"Audit_AccountManagement_DistributionGroup","features":[329]},{"name":"Audit_AccountManagement_Others","features":[329]},{"name":"Audit_AccountManagement_SecurityGroup","features":[329]},{"name":"Audit_AccountManagement_UserAccount","features":[329]},{"name":"Audit_DSAccess_DSAccess","features":[329]},{"name":"Audit_DetailedTracking","features":[329]},{"name":"Audit_DetailedTracking_DpapiActivity","features":[329]},{"name":"Audit_DetailedTracking_PnpActivity","features":[329]},{"name":"Audit_DetailedTracking_ProcessCreation","features":[329]},{"name":"Audit_DetailedTracking_ProcessTermination","features":[329]},{"name":"Audit_DetailedTracking_RpcCall","features":[329]},{"name":"Audit_DetailedTracking_TokenRightAdjusted","features":[329]},{"name":"Audit_DirectoryServiceAccess","features":[329]},{"name":"Audit_DsAccess_AdAuditChanges","features":[329]},{"name":"Audit_Ds_DetailedReplication","features":[329]},{"name":"Audit_Ds_Replication","features":[329]},{"name":"Audit_Logon","features":[329]},{"name":"Audit_Logon_AccountLockout","features":[329]},{"name":"Audit_Logon_Claims","features":[329]},{"name":"Audit_Logon_Groups","features":[329]},{"name":"Audit_Logon_IPSecMainMode","features":[329]},{"name":"Audit_Logon_IPSecQuickMode","features":[329]},{"name":"Audit_Logon_IPSecUserMode","features":[329]},{"name":"Audit_Logon_Logoff","features":[329]},{"name":"Audit_Logon_Logon","features":[329]},{"name":"Audit_Logon_NPS","features":[329]},{"name":"Audit_Logon_Others","features":[329]},{"name":"Audit_Logon_SpecialLogon","features":[329]},{"name":"Audit_ObjectAccess","features":[329]},{"name":"Audit_ObjectAccess_ApplicationGenerated","features":[329]},{"name":"Audit_ObjectAccess_CbacStaging","features":[329]},{"name":"Audit_ObjectAccess_CertificationServices","features":[329]},{"name":"Audit_ObjectAccess_DetailedFileShare","features":[329]},{"name":"Audit_ObjectAccess_FileSystem","features":[329]},{"name":"Audit_ObjectAccess_FirewallConnection","features":[329]},{"name":"Audit_ObjectAccess_FirewallPacketDrops","features":[329]},{"name":"Audit_ObjectAccess_Handle","features":[329]},{"name":"Audit_ObjectAccess_Kernel","features":[329]},{"name":"Audit_ObjectAccess_Other","features":[329]},{"name":"Audit_ObjectAccess_Registry","features":[329]},{"name":"Audit_ObjectAccess_RemovableStorage","features":[329]},{"name":"Audit_ObjectAccess_Sam","features":[329]},{"name":"Audit_ObjectAccess_Share","features":[329]},{"name":"Audit_PolicyChange","features":[329]},{"name":"Audit_PolicyChange_AuditPolicy","features":[329]},{"name":"Audit_PolicyChange_AuthenticationPolicy","features":[329]},{"name":"Audit_PolicyChange_AuthorizationPolicy","features":[329]},{"name":"Audit_PolicyChange_MpsscvRulePolicy","features":[329]},{"name":"Audit_PolicyChange_Others","features":[329]},{"name":"Audit_PolicyChange_WfpIPSecPolicy","features":[329]},{"name":"Audit_PrivilegeUse","features":[329]},{"name":"Audit_PrivilegeUse_NonSensitive","features":[329]},{"name":"Audit_PrivilegeUse_Others","features":[329]},{"name":"Audit_PrivilegeUse_Sensitive","features":[329]},{"name":"Audit_System","features":[329]},{"name":"Audit_System_IPSecDriverEvents","features":[329]},{"name":"Audit_System_Integrity","features":[329]},{"name":"Audit_System_Others","features":[329]},{"name":"Audit_System_SecurityStateChange","features":[329]},{"name":"Audit_System_SecuritySubsystemExtension","features":[329]},{"name":"CENTRAL_ACCESS_POLICY","features":[308,329]},{"name":"CENTRAL_ACCESS_POLICY_ENTRY","features":[329]},{"name":"CENTRAL_ACCESS_POLICY_OWNER_RIGHTS_PRESENT_FLAG","features":[329]},{"name":"CENTRAL_ACCESS_POLICY_STAGED_FLAG","features":[329]},{"name":"CENTRAL_ACCESS_POLICY_STAGED_OWNER_RIGHTS_PRESENT_FLAG","features":[329]},{"name":"CHANGE_PASSWORD_FN_A","features":[308,329]},{"name":"CHANGE_PASSWORD_FN_W","features":[308,329]},{"name":"CLEAR_BLOCK","features":[329]},{"name":"CLEAR_BLOCK_LENGTH","features":[329]},{"name":"CLOUDAP_NAME","features":[329]},{"name":"CLOUDAP_NAME_W","features":[329]},{"name":"COMPLETE_AUTH_TOKEN_FN","features":[329,481]},{"name":"CREDP_FLAGS_CLEAR_PASSWORD","features":[329]},{"name":"CREDP_FLAGS_DONT_CACHE_TI","features":[329]},{"name":"CREDP_FLAGS_IN_PROCESS","features":[329]},{"name":"CREDP_FLAGS_TRUSTED_CALLER","features":[329]},{"name":"CREDP_FLAGS_USER_ENCRYPTED_PASSWORD","features":[329]},{"name":"CREDP_FLAGS_USE_MIDL_HEAP","features":[329]},{"name":"CREDP_FLAGS_VALIDATE_PROXY_TARGET","features":[329]},{"name":"CRED_FETCH","features":[329]},{"name":"CRED_MARSHALED_TI_SIZE_SIZE","features":[329]},{"name":"CRYPTO_SETTINGS","features":[329]},{"name":"CYPHER_BLOCK_LENGTH","features":[329]},{"name":"CertHashInfo","features":[329]},{"name":"ChangeAccountPasswordA","features":[308,329]},{"name":"ChangeAccountPasswordW","features":[308,329]},{"name":"ClOUDAP_NAME_A","features":[329]},{"name":"CollisionOther","features":[329]},{"name":"CollisionTdo","features":[329]},{"name":"CollisionXref","features":[329]},{"name":"CompleteAuthToken","features":[329,481]},{"name":"CredFetchDPAPI","features":[329]},{"name":"CredFetchDefault","features":[329]},{"name":"CredFetchForced","features":[329]},{"name":"CredFreeCredentialsFn","features":[308,329,481]},{"name":"CredMarshalTargetInfo","features":[308,329,481]},{"name":"CredReadDomainCredentialsFn","features":[308,329,481]},{"name":"CredReadFn","features":[308,329,481]},{"name":"CredUnmarshalTargetInfo","features":[308,329,481]},{"name":"CredWriteFn","features":[308,329,481]},{"name":"CrediUnmarshalandDecodeStringFn","features":[308,329]},{"name":"DECRYPT_MESSAGE_FN","features":[329,481]},{"name":"DEFAULT_TLS_SSP_NAME","features":[329]},{"name":"DEFAULT_TLS_SSP_NAME_A","features":[329]},{"name":"DEFAULT_TLS_SSP_NAME_W","features":[329]},{"name":"DELETE_SECURITY_CONTEXT_FN","features":[329,481]},{"name":"DOMAIN_LOCKOUT_ADMINS","features":[329]},{"name":"DOMAIN_NO_LM_OWF_CHANGE","features":[329]},{"name":"DOMAIN_PASSWORD_COMPLEX","features":[329]},{"name":"DOMAIN_PASSWORD_INFORMATION","features":[329]},{"name":"DOMAIN_PASSWORD_NO_ANON_CHANGE","features":[329]},{"name":"DOMAIN_PASSWORD_NO_CLEAR_CHANGE","features":[329]},{"name":"DOMAIN_PASSWORD_PROPERTIES","features":[329]},{"name":"DOMAIN_PASSWORD_STORE_CLEARTEXT","features":[329]},{"name":"DOMAIN_REFUSE_PASSWORD_CHANGE","features":[329]},{"name":"DS_INET_ADDRESS","features":[329]},{"name":"DS_NETBIOS_ADDRESS","features":[329]},{"name":"DS_UNKNOWN_ADDRESS_TYPE","features":[329]},{"name":"DecryptMessage","features":[329,481]},{"name":"DeleteSecurityContext","features":[329,481]},{"name":"DeleteSecurityPackageA","features":[329]},{"name":"DeleteSecurityPackageW","features":[329]},{"name":"DeprecatedIUMCredKey","features":[329]},{"name":"DnsDomainInformation","features":[329]},{"name":"DomainUserCredKey","features":[329]},{"name":"ENABLE_TLS_CLIENT_EARLY_START","features":[329]},{"name":"ENCRYPTED_CREDENTIALW","features":[308,329,481]},{"name":"ENCRYPT_MESSAGE_FN","features":[329,481]},{"name":"ENUMERATE_SECURITY_PACKAGES_FN_A","features":[329]},{"name":"ENUMERATE_SECURITY_PACKAGES_FN_W","features":[329]},{"name":"EXPORT_SECURITY_CONTEXT_FLAGS","features":[329]},{"name":"EXPORT_SECURITY_CONTEXT_FN","features":[329,481]},{"name":"EXTENDED_NAME_FORMAT","features":[329]},{"name":"E_RM_UNKNOWN_ERROR","features":[329]},{"name":"EncryptMessage","features":[329,481]},{"name":"EnumerateSecurityPackagesA","features":[329]},{"name":"EnumerateSecurityPackagesW","features":[329]},{"name":"ExportSecurityContext","features":[329,481]},{"name":"ExternallySuppliedCredKey","features":[329]},{"name":"FACILITY_SL_ITF","features":[329]},{"name":"FREE_CONTEXT_BUFFER_FN","features":[329]},{"name":"FREE_CREDENTIALS_HANDLE_FN","features":[329,481]},{"name":"ForestTrustBinaryInfo","features":[329]},{"name":"ForestTrustDomainInfo","features":[329]},{"name":"ForestTrustRecordTypeLast","features":[329]},{"name":"ForestTrustScannerInfo","features":[329]},{"name":"ForestTrustTopLevelName","features":[329]},{"name":"ForestTrustTopLevelNameEx","features":[329]},{"name":"FreeContextBuffer","features":[329]},{"name":"FreeCredentialsHandle","features":[329,481]},{"name":"GetComputerObjectNameA","features":[308,329]},{"name":"GetComputerObjectNameW","features":[308,329]},{"name":"GetUserNameExA","features":[308,329]},{"name":"GetUserNameExW","features":[308,329]},{"name":"ICcgDomainAuthCredentials","features":[329]},{"name":"ID_CAP_SLAPI","features":[329]},{"name":"IMPERSONATE_SECURITY_CONTEXT_FN","features":[329,481]},{"name":"IMPORT_SECURITY_CONTEXT_FN_A","features":[329,481]},{"name":"IMPORT_SECURITY_CONTEXT_FN_W","features":[329,481]},{"name":"INITIALIZE_SECURITY_CONTEXT_FN_A","features":[329,481]},{"name":"INITIALIZE_SECURITY_CONTEXT_FN_W","features":[329,481]},{"name":"INIT_SECURITY_INTERFACE_A","features":[308,329,481]},{"name":"INIT_SECURITY_INTERFACE_W","features":[308,329,481]},{"name":"ISC_REQ_ALLOCATE_MEMORY","features":[329]},{"name":"ISC_REQ_CALL_LEVEL","features":[329]},{"name":"ISC_REQ_CONFIDENTIALITY","features":[329]},{"name":"ISC_REQ_CONFIDENTIALITY_ONLY","features":[329]},{"name":"ISC_REQ_CONNECTION","features":[329]},{"name":"ISC_REQ_DATAGRAM","features":[329]},{"name":"ISC_REQ_DEFERRED_CRED_VALIDATION","features":[329]},{"name":"ISC_REQ_DELEGATE","features":[329]},{"name":"ISC_REQ_EXTENDED_ERROR","features":[329]},{"name":"ISC_REQ_FLAGS","features":[329]},{"name":"ISC_REQ_FORWARD_CREDENTIALS","features":[329]},{"name":"ISC_REQ_FRAGMENT_SUPPLIED","features":[329]},{"name":"ISC_REQ_FRAGMENT_TO_FIT","features":[329]},{"name":"ISC_REQ_HIGH_FLAGS","features":[329]},{"name":"ISC_REQ_IDENTIFY","features":[329]},{"name":"ISC_REQ_INTEGRITY","features":[329]},{"name":"ISC_REQ_MANUAL_CRED_VALIDATION","features":[329]},{"name":"ISC_REQ_MESSAGES","features":[329]},{"name":"ISC_REQ_MUTUAL_AUTH","features":[329]},{"name":"ISC_REQ_NO_INTEGRITY","features":[329]},{"name":"ISC_REQ_NO_POST_HANDSHAKE_AUTH","features":[329]},{"name":"ISC_REQ_NULL_SESSION","features":[329]},{"name":"ISC_REQ_PROMPT_FOR_CREDS","features":[329]},{"name":"ISC_REQ_REPLAY_DETECT","features":[329]},{"name":"ISC_REQ_RESERVED1","features":[329]},{"name":"ISC_REQ_SEQUENCE_DETECT","features":[329]},{"name":"ISC_REQ_STREAM","features":[329]},{"name":"ISC_REQ_UNVERIFIED_TARGET_NAME","features":[329]},{"name":"ISC_REQ_USE_DCE_STYLE","features":[329]},{"name":"ISC_REQ_USE_HTTP_STYLE","features":[329]},{"name":"ISC_REQ_USE_SESSION_KEY","features":[329]},{"name":"ISC_REQ_USE_SUPPLIED_CREDS","features":[329]},{"name":"ISC_RET_ALLOCATED_MEMORY","features":[329]},{"name":"ISC_RET_CALL_LEVEL","features":[329]},{"name":"ISC_RET_CONFIDENTIALITY","features":[329]},{"name":"ISC_RET_CONFIDENTIALITY_ONLY","features":[329]},{"name":"ISC_RET_CONNECTION","features":[329]},{"name":"ISC_RET_DATAGRAM","features":[329]},{"name":"ISC_RET_DEFERRED_CRED_VALIDATION","features":[329]},{"name":"ISC_RET_DELEGATE","features":[329]},{"name":"ISC_RET_EXTENDED_ERROR","features":[329]},{"name":"ISC_RET_FORWARD_CREDENTIALS","features":[329]},{"name":"ISC_RET_FRAGMENT_ONLY","features":[329]},{"name":"ISC_RET_IDENTIFY","features":[329]},{"name":"ISC_RET_INTEGRITY","features":[329]},{"name":"ISC_RET_INTERMEDIATE_RETURN","features":[329]},{"name":"ISC_RET_MANUAL_CRED_VALIDATION","features":[329]},{"name":"ISC_RET_MESSAGES","features":[329]},{"name":"ISC_RET_MUTUAL_AUTH","features":[329]},{"name":"ISC_RET_NO_ADDITIONAL_TOKEN","features":[329]},{"name":"ISC_RET_NO_POST_HANDSHAKE_AUTH","features":[329]},{"name":"ISC_RET_NULL_SESSION","features":[329]},{"name":"ISC_RET_REAUTHENTICATION","features":[329]},{"name":"ISC_RET_REPLAY_DETECT","features":[329]},{"name":"ISC_RET_RESERVED1","features":[329]},{"name":"ISC_RET_SEQUENCE_DETECT","features":[329]},{"name":"ISC_RET_STREAM","features":[329]},{"name":"ISC_RET_USED_COLLECTED_CREDS","features":[329]},{"name":"ISC_RET_USED_DCE_STYLE","features":[329]},{"name":"ISC_RET_USED_HTTP_STYLE","features":[329]},{"name":"ISC_RET_USED_SUPPLIED_CREDS","features":[329]},{"name":"ISC_RET_USE_SESSION_KEY","features":[329]},{"name":"ISSP_LEVEL","features":[329]},{"name":"ISSP_MODE","features":[329]},{"name":"ImpersonateSecurityContext","features":[329,481]},{"name":"ImportSecurityContextA","features":[329,481]},{"name":"ImportSecurityContextW","features":[329,481]},{"name":"InitSecurityInterfaceA","features":[308,329,481]},{"name":"InitSecurityInterfaceW","features":[308,329,481]},{"name":"InitializeSecurityContextA","features":[329,481]},{"name":"InitializeSecurityContextW","features":[329,481]},{"name":"InvalidCredKey","features":[329]},{"name":"KDC_PROXY_CACHE_ENTRY_DATA","features":[308,329]},{"name":"KDC_PROXY_SETTINGS_FLAGS_FORCEPROXY","features":[329]},{"name":"KDC_PROXY_SETTINGS_V1","features":[329]},{"name":"KERBEROS_REVISION","features":[329]},{"name":"KERBEROS_VERSION","features":[329]},{"name":"KERB_ADDRESS_TYPE","features":[329]},{"name":"KERB_ADD_BINDING_CACHE_ENTRY_EX_REQUEST","features":[329]},{"name":"KERB_ADD_BINDING_CACHE_ENTRY_REQUEST","features":[329]},{"name":"KERB_ADD_CREDENTIALS_REQUEST","features":[308,329]},{"name":"KERB_ADD_CREDENTIALS_REQUEST_EX","features":[308,329]},{"name":"KERB_AUTH_DATA","features":[329]},{"name":"KERB_BINDING_CACHE_ENTRY_DATA","features":[329]},{"name":"KERB_CERTIFICATE_HASHINFO","features":[329]},{"name":"KERB_CERTIFICATE_INFO","features":[329]},{"name":"KERB_CERTIFICATE_INFO_TYPE","features":[329]},{"name":"KERB_CERTIFICATE_LOGON","features":[329]},{"name":"KERB_CERTIFICATE_LOGON_FLAG_CHECK_DUPLICATES","features":[329]},{"name":"KERB_CERTIFICATE_LOGON_FLAG_USE_CERTIFICATE_INFO","features":[329]},{"name":"KERB_CERTIFICATE_S4U_LOGON","features":[329]},{"name":"KERB_CERTIFICATE_S4U_LOGON_FLAG_CHECK_DUPLICATES","features":[329]},{"name":"KERB_CERTIFICATE_S4U_LOGON_FLAG_CHECK_LOGONHOURS","features":[329]},{"name":"KERB_CERTIFICATE_S4U_LOGON_FLAG_FAIL_IF_NT_AUTH_POLICY_REQUIRED","features":[329]},{"name":"KERB_CERTIFICATE_S4U_LOGON_FLAG_IDENTIFY","features":[329]},{"name":"KERB_CERTIFICATE_UNLOCK_LOGON","features":[308,329]},{"name":"KERB_CHANGEPASSWORD_REQUEST","features":[308,329]},{"name":"KERB_CHECKSUM_CRC32","features":[329]},{"name":"KERB_CHECKSUM_DES_MAC","features":[329]},{"name":"KERB_CHECKSUM_DES_MAC_MD5","features":[329]},{"name":"KERB_CHECKSUM_HMAC_MD5","features":[329]},{"name":"KERB_CHECKSUM_HMAC_SHA1_96_AES128","features":[329]},{"name":"KERB_CHECKSUM_HMAC_SHA1_96_AES128_Ki","features":[329]},{"name":"KERB_CHECKSUM_HMAC_SHA1_96_AES256","features":[329]},{"name":"KERB_CHECKSUM_HMAC_SHA1_96_AES256_Ki","features":[329]},{"name":"KERB_CHECKSUM_KRB_DES_MAC","features":[329]},{"name":"KERB_CHECKSUM_KRB_DES_MAC_K","features":[329]},{"name":"KERB_CHECKSUM_LM","features":[329]},{"name":"KERB_CHECKSUM_MD25","features":[329]},{"name":"KERB_CHECKSUM_MD4","features":[329]},{"name":"KERB_CHECKSUM_MD5","features":[329]},{"name":"KERB_CHECKSUM_MD5_DES","features":[329]},{"name":"KERB_CHECKSUM_MD5_HMAC","features":[329]},{"name":"KERB_CHECKSUM_NONE","features":[329]},{"name":"KERB_CHECKSUM_RC4_MD5","features":[329]},{"name":"KERB_CHECKSUM_REAL_CRC32","features":[329]},{"name":"KERB_CHECKSUM_SHA1","features":[329]},{"name":"KERB_CHECKSUM_SHA1_NEW","features":[329]},{"name":"KERB_CHECKSUM_SHA256","features":[329]},{"name":"KERB_CHECKSUM_SHA384","features":[329]},{"name":"KERB_CHECKSUM_SHA512","features":[329]},{"name":"KERB_CLEANUP_MACHINE_PKINIT_CREDS_REQUEST","features":[308,329]},{"name":"KERB_CLOUD_KERBEROS_DEBUG_DATA","features":[329]},{"name":"KERB_CLOUD_KERBEROS_DEBUG_DATA_V0","features":[329]},{"name":"KERB_CLOUD_KERBEROS_DEBUG_DATA_VERSION","features":[329]},{"name":"KERB_CLOUD_KERBEROS_DEBUG_REQUEST","features":[308,329]},{"name":"KERB_CLOUD_KERBEROS_DEBUG_RESPONSE","features":[329]},{"name":"KERB_CRYPTO_KEY","features":[329]},{"name":"KERB_CRYPTO_KEY32","features":[329]},{"name":"KERB_CRYPTO_KEY_TYPE","features":[329]},{"name":"KERB_DECRYPT_FLAG_DEFAULT_KEY","features":[329]},{"name":"KERB_DECRYPT_REQUEST","features":[308,329]},{"name":"KERB_DECRYPT_RESPONSE","features":[329]},{"name":"KERB_ETYPE_AES128_CTS_HMAC_SHA1_96","features":[329]},{"name":"KERB_ETYPE_AES128_CTS_HMAC_SHA1_96_PLAIN","features":[329]},{"name":"KERB_ETYPE_AES256_CTS_HMAC_SHA1_96","features":[329]},{"name":"KERB_ETYPE_AES256_CTS_HMAC_SHA1_96_PLAIN","features":[329]},{"name":"KERB_ETYPE_DEFAULT","features":[329]},{"name":"KERB_ETYPE_DES3_CBC_MD5","features":[329]},{"name":"KERB_ETYPE_DES3_CBC_SHA1","features":[329]},{"name":"KERB_ETYPE_DES3_CBC_SHA1_KD","features":[329]},{"name":"KERB_ETYPE_DES_CBC_CRC","features":[329]},{"name":"KERB_ETYPE_DES_CBC_MD4","features":[329]},{"name":"KERB_ETYPE_DES_CBC_MD5","features":[329]},{"name":"KERB_ETYPE_DES_CBC_MD5_NT","features":[329]},{"name":"KERB_ETYPE_DES_EDE3_CBC_ENV","features":[329]},{"name":"KERB_ETYPE_DES_PLAIN","features":[329]},{"name":"KERB_ETYPE_DSA_SHA1_CMS","features":[329]},{"name":"KERB_ETYPE_DSA_SIGN","features":[329]},{"name":"KERB_ETYPE_NULL","features":[329]},{"name":"KERB_ETYPE_PKCS7_PUB","features":[329]},{"name":"KERB_ETYPE_RC2_CBC_ENV","features":[329]},{"name":"KERB_ETYPE_RC4_HMAC_NT","features":[329]},{"name":"KERB_ETYPE_RC4_HMAC_NT_EXP","features":[329]},{"name":"KERB_ETYPE_RC4_HMAC_OLD","features":[329]},{"name":"KERB_ETYPE_RC4_HMAC_OLD_EXP","features":[329]},{"name":"KERB_ETYPE_RC4_LM","features":[329]},{"name":"KERB_ETYPE_RC4_MD4","features":[329]},{"name":"KERB_ETYPE_RC4_PLAIN","features":[329]},{"name":"KERB_ETYPE_RC4_PLAIN2","features":[329]},{"name":"KERB_ETYPE_RC4_PLAIN_EXP","features":[329]},{"name":"KERB_ETYPE_RC4_PLAIN_OLD","features":[329]},{"name":"KERB_ETYPE_RC4_PLAIN_OLD_EXP","features":[329]},{"name":"KERB_ETYPE_RC4_SHA","features":[329]},{"name":"KERB_ETYPE_RSA_ENV","features":[329]},{"name":"KERB_ETYPE_RSA_ES_OEAP_ENV","features":[329]},{"name":"KERB_ETYPE_RSA_MD5_CMS","features":[329]},{"name":"KERB_ETYPE_RSA_PRIV","features":[329]},{"name":"KERB_ETYPE_RSA_PUB","features":[329]},{"name":"KERB_ETYPE_RSA_PUB_MD5","features":[329]},{"name":"KERB_ETYPE_RSA_PUB_SHA1","features":[329]},{"name":"KERB_ETYPE_RSA_SHA1_CMS","features":[329]},{"name":"KERB_EXTERNAL_NAME","features":[329]},{"name":"KERB_EXTERNAL_TICKET","features":[329]},{"name":"KERB_INTERACTIVE_LOGON","features":[329]},{"name":"KERB_INTERACTIVE_PROFILE","features":[329]},{"name":"KERB_INTERACTIVE_UNLOCK_LOGON","features":[308,329]},{"name":"KERB_LOGON_FLAG_ALLOW_EXPIRED_TICKET","features":[329]},{"name":"KERB_LOGON_FLAG_REDIRECTED","features":[329]},{"name":"KERB_LOGON_SUBMIT_TYPE","features":[329]},{"name":"KERB_NET_ADDRESS","features":[329]},{"name":"KERB_NET_ADDRESSES","features":[329]},{"name":"KERB_PROFILE_BUFFER_TYPE","features":[329]},{"name":"KERB_PROTOCOL_MESSAGE_TYPE","features":[329]},{"name":"KERB_PURGE_ALL_TICKETS","features":[329]},{"name":"KERB_PURGE_BINDING_CACHE_REQUEST","features":[329]},{"name":"KERB_PURGE_KDC_PROXY_CACHE_REQUEST","features":[308,329]},{"name":"KERB_PURGE_KDC_PROXY_CACHE_RESPONSE","features":[329]},{"name":"KERB_PURGE_TKT_CACHE_EX_REQUEST","features":[308,329]},{"name":"KERB_PURGE_TKT_CACHE_REQUEST","features":[308,329]},{"name":"KERB_QUERY_BINDING_CACHE_REQUEST","features":[329]},{"name":"KERB_QUERY_BINDING_CACHE_RESPONSE","features":[329]},{"name":"KERB_QUERY_DOMAIN_EXTENDED_POLICIES_REQUEST","features":[329]},{"name":"KERB_QUERY_DOMAIN_EXTENDED_POLICIES_RESPONSE","features":[329]},{"name":"KERB_QUERY_DOMAIN_EXTENDED_POLICIES_RESPONSE_FLAG_DAC_DISABLED","features":[329]},{"name":"KERB_QUERY_KDC_PROXY_CACHE_REQUEST","features":[308,329]},{"name":"KERB_QUERY_KDC_PROXY_CACHE_RESPONSE","features":[308,329]},{"name":"KERB_QUERY_S4U2PROXY_CACHE_REQUEST","features":[308,329]},{"name":"KERB_QUERY_S4U2PROXY_CACHE_RESPONSE","features":[308,329]},{"name":"KERB_QUERY_TKT_CACHE_EX2_RESPONSE","features":[329]},{"name":"KERB_QUERY_TKT_CACHE_EX3_RESPONSE","features":[329]},{"name":"KERB_QUERY_TKT_CACHE_EX_RESPONSE","features":[329]},{"name":"KERB_QUERY_TKT_CACHE_REQUEST","features":[308,329]},{"name":"KERB_QUERY_TKT_CACHE_RESPONSE","features":[329]},{"name":"KERB_REFRESH_POLICY_KDC","features":[329]},{"name":"KERB_REFRESH_POLICY_KERBEROS","features":[329]},{"name":"KERB_REFRESH_POLICY_REQUEST","features":[329]},{"name":"KERB_REFRESH_POLICY_RESPONSE","features":[329]},{"name":"KERB_REFRESH_SCCRED_GETTGT","features":[329]},{"name":"KERB_REFRESH_SCCRED_RELEASE","features":[329]},{"name":"KERB_REFRESH_SCCRED_REQUEST","features":[308,329]},{"name":"KERB_REQUEST_ADD_CREDENTIAL","features":[329]},{"name":"KERB_REQUEST_FLAGS","features":[329]},{"name":"KERB_REQUEST_REMOVE_CREDENTIAL","features":[329]},{"name":"KERB_REQUEST_REPLACE_CREDENTIAL","features":[329]},{"name":"KERB_RETRIEVE_KEY_TAB_REQUEST","features":[329]},{"name":"KERB_RETRIEVE_KEY_TAB_RESPONSE","features":[329]},{"name":"KERB_RETRIEVE_TICKET_AS_KERB_CRED","features":[329]},{"name":"KERB_RETRIEVE_TICKET_CACHE_TICKET","features":[329]},{"name":"KERB_RETRIEVE_TICKET_DEFAULT","features":[329]},{"name":"KERB_RETRIEVE_TICKET_DONT_USE_CACHE","features":[329]},{"name":"KERB_RETRIEVE_TICKET_MAX_LIFETIME","features":[329]},{"name":"KERB_RETRIEVE_TICKET_USE_CACHE_ONLY","features":[329]},{"name":"KERB_RETRIEVE_TICKET_USE_CREDHANDLE","features":[329]},{"name":"KERB_RETRIEVE_TICKET_WITH_SEC_CRED","features":[329]},{"name":"KERB_RETRIEVE_TKT_REQUEST","features":[308,329,481]},{"name":"KERB_RETRIEVE_TKT_RESPONSE","features":[329]},{"name":"KERB_S4U2PROXY_CACHE_ENTRY_INFO","features":[308,329]},{"name":"KERB_S4U2PROXY_CACHE_ENTRY_INFO_FLAG_NEGATIVE","features":[329]},{"name":"KERB_S4U2PROXY_CRED","features":[308,329]},{"name":"KERB_S4U2PROXY_CRED_FLAG_NEGATIVE","features":[329]},{"name":"KERB_S4U_LOGON","features":[329]},{"name":"KERB_S4U_LOGON_FLAG_CHECK_LOGONHOURS","features":[329]},{"name":"KERB_S4U_LOGON_FLAG_IDENTIFY","features":[329]},{"name":"KERB_SETPASSWORD_EX_REQUEST","features":[308,329,481]},{"name":"KERB_SETPASSWORD_REQUEST","features":[308,329,481]},{"name":"KERB_SETPASS_USE_CREDHANDLE","features":[329]},{"name":"KERB_SETPASS_USE_LOGONID","features":[329]},{"name":"KERB_SMART_CARD_LOGON","features":[329]},{"name":"KERB_SMART_CARD_PROFILE","features":[329]},{"name":"KERB_SMART_CARD_UNLOCK_LOGON","features":[308,329]},{"name":"KERB_SUBMIT_TKT_REQUEST","features":[308,329]},{"name":"KERB_TICKET_CACHE_INFO","features":[329]},{"name":"KERB_TICKET_CACHE_INFO_EX","features":[329]},{"name":"KERB_TICKET_CACHE_INFO_EX2","features":[329]},{"name":"KERB_TICKET_CACHE_INFO_EX3","features":[329]},{"name":"KERB_TICKET_FLAGS","features":[329]},{"name":"KERB_TICKET_FLAGS_cname_in_pa_data","features":[329]},{"name":"KERB_TICKET_FLAGS_enc_pa_rep","features":[329]},{"name":"KERB_TICKET_FLAGS_forwardable","features":[329]},{"name":"KERB_TICKET_FLAGS_forwarded","features":[329]},{"name":"KERB_TICKET_FLAGS_hw_authent","features":[329]},{"name":"KERB_TICKET_FLAGS_initial","features":[329]},{"name":"KERB_TICKET_FLAGS_invalid","features":[329]},{"name":"KERB_TICKET_FLAGS_may_postdate","features":[329]},{"name":"KERB_TICKET_FLAGS_name_canonicalize","features":[329]},{"name":"KERB_TICKET_FLAGS_ok_as_delegate","features":[329]},{"name":"KERB_TICKET_FLAGS_postdated","features":[329]},{"name":"KERB_TICKET_FLAGS_pre_authent","features":[329]},{"name":"KERB_TICKET_FLAGS_proxiable","features":[329]},{"name":"KERB_TICKET_FLAGS_proxy","features":[329]},{"name":"KERB_TICKET_FLAGS_renewable","features":[329]},{"name":"KERB_TICKET_FLAGS_reserved","features":[329]},{"name":"KERB_TICKET_FLAGS_reserved1","features":[329]},{"name":"KERB_TICKET_LOGON","features":[329]},{"name":"KERB_TICKET_PROFILE","features":[329]},{"name":"KERB_TICKET_UNLOCK_LOGON","features":[308,329]},{"name":"KERB_TRANSFER_CRED_CLEANUP_CREDENTIALS","features":[329]},{"name":"KERB_TRANSFER_CRED_REQUEST","features":[308,329]},{"name":"KERB_TRANSFER_CRED_WITH_TICKETS","features":[329]},{"name":"KERB_USE_DEFAULT_TICKET_FLAGS","features":[329]},{"name":"KERB_WRAP_NO_ENCRYPT","features":[329]},{"name":"KERN_CONTEXT_CERT_INFO_V1","features":[329]},{"name":"KRB_ANONYMOUS_STRING","features":[329]},{"name":"KRB_NT_ENTERPRISE_PRINCIPAL","features":[329]},{"name":"KRB_NT_ENT_PRINCIPAL_AND_ID","features":[329]},{"name":"KRB_NT_MS_BRANCH_ID","features":[329]},{"name":"KRB_NT_MS_PRINCIPAL","features":[329]},{"name":"KRB_NT_MS_PRINCIPAL_AND_ID","features":[329]},{"name":"KRB_NT_PRINCIPAL","features":[329]},{"name":"KRB_NT_PRINCIPAL_AND_ID","features":[329]},{"name":"KRB_NT_SRV_HST","features":[329]},{"name":"KRB_NT_SRV_INST","features":[329]},{"name":"KRB_NT_SRV_INST_AND_ID","features":[329]},{"name":"KRB_NT_SRV_XHST","features":[329]},{"name":"KRB_NT_UID","features":[329]},{"name":"KRB_NT_UNKNOWN","features":[329]},{"name":"KRB_NT_WELLKNOWN","features":[329]},{"name":"KRB_NT_X500_PRINCIPAL","features":[329]},{"name":"KRB_WELLKNOWN_STRING","features":[329]},{"name":"KSEC_CONTEXT_TYPE","features":[329]},{"name":"KSEC_LIST_ENTRY","features":[329,314]},{"name":"KSecNonPaged","features":[329]},{"name":"KSecPaged","features":[329]},{"name":"KerbAddBindingCacheEntryExMessage","features":[329]},{"name":"KerbAddBindingCacheEntryMessage","features":[329]},{"name":"KerbAddExtraCredentialsExMessage","features":[329]},{"name":"KerbAddExtraCredentialsMessage","features":[329]},{"name":"KerbCertificateLogon","features":[329]},{"name":"KerbCertificateS4ULogon","features":[329]},{"name":"KerbCertificateUnlockLogon","features":[329]},{"name":"KerbChangeMachinePasswordMessage","features":[329]},{"name":"KerbChangePasswordMessage","features":[329]},{"name":"KerbCleanupMachinePkinitCredsMessage","features":[329]},{"name":"KerbDebugRequestMessage","features":[329]},{"name":"KerbDecryptDataMessage","features":[329]},{"name":"KerbInteractiveLogon","features":[329]},{"name":"KerbInteractiveProfile","features":[329]},{"name":"KerbLuidLogon","features":[329]},{"name":"KerbNoElevationLogon","features":[329]},{"name":"KerbPinKdcMessage","features":[329]},{"name":"KerbPrintCloudKerberosDebugMessage","features":[329]},{"name":"KerbProxyLogon","features":[329]},{"name":"KerbPurgeBindingCacheMessage","features":[329]},{"name":"KerbPurgeKdcProxyCacheMessage","features":[329]},{"name":"KerbPurgeTicketCacheExMessage","features":[329]},{"name":"KerbPurgeTicketCacheMessage","features":[329]},{"name":"KerbQueryBindingCacheMessage","features":[329]},{"name":"KerbQueryDomainExtendedPoliciesMessage","features":[329]},{"name":"KerbQueryKdcProxyCacheMessage","features":[329]},{"name":"KerbQueryS4U2ProxyCacheMessage","features":[329]},{"name":"KerbQuerySupplementalCredentialsMessage","features":[329]},{"name":"KerbQueryTicketCacheEx2Message","features":[329]},{"name":"KerbQueryTicketCacheEx3Message","features":[329]},{"name":"KerbQueryTicketCacheExMessage","features":[329]},{"name":"KerbQueryTicketCacheMessage","features":[329]},{"name":"KerbRefreshPolicyMessage","features":[329]},{"name":"KerbRefreshSmartcardCredentialsMessage","features":[329]},{"name":"KerbRetrieveEncodedTicketMessage","features":[329]},{"name":"KerbRetrieveKeyTabMessage","features":[329]},{"name":"KerbRetrieveTicketMessage","features":[329]},{"name":"KerbS4ULogon","features":[329]},{"name":"KerbSetPasswordExMessage","features":[329]},{"name":"KerbSetPasswordMessage","features":[329]},{"name":"KerbSmartCardLogon","features":[329]},{"name":"KerbSmartCardProfile","features":[329]},{"name":"KerbSmartCardUnlockLogon","features":[329]},{"name":"KerbSubmitTicketMessage","features":[329]},{"name":"KerbTicketLogon","features":[329]},{"name":"KerbTicketProfile","features":[329]},{"name":"KerbTicketUnlockLogon","features":[329]},{"name":"KerbTransferCredentialsMessage","features":[329]},{"name":"KerbUnpinAllKdcsMessage","features":[329]},{"name":"KerbUpdateAddressesMessage","features":[329]},{"name":"KerbVerifyCredentialsMessage","features":[329]},{"name":"KerbVerifyPacMessage","features":[329]},{"name":"KerbWorkstationUnlockLogon","features":[329]},{"name":"KspCompleteTokenFn","features":[308,329]},{"name":"KspDeleteContextFn","features":[308,329]},{"name":"KspGetTokenFn","features":[308,329]},{"name":"KspInitContextFn","features":[308,329]},{"name":"KspInitPackageFn","features":[308,329,314]},{"name":"KspMakeSignatureFn","features":[308,329]},{"name":"KspMapHandleFn","features":[308,329]},{"name":"KspQueryAttributesFn","features":[308,329]},{"name":"KspSealMessageFn","features":[308,329]},{"name":"KspSerializeAuthDataFn","features":[308,329]},{"name":"KspSetPagingModeFn","features":[308,329]},{"name":"KspUnsealMessageFn","features":[308,329]},{"name":"KspVerifySignatureFn","features":[308,329]},{"name":"LCRED_CRED_EXISTS","features":[329]},{"name":"LCRED_STATUS_NOCRED","features":[329]},{"name":"LCRED_STATUS_UNKNOWN_ISSUER","features":[329]},{"name":"LOGON_CACHED_ACCOUNT","features":[329]},{"name":"LOGON_EXTRA_SIDS","features":[329]},{"name":"LOGON_GRACE_LOGON","features":[329]},{"name":"LOGON_GUEST","features":[329]},{"name":"LOGON_HOURS","features":[329]},{"name":"LOGON_LM_V2","features":[329]},{"name":"LOGON_MANAGED_SERVICE","features":[329]},{"name":"LOGON_NOENCRYPTION","features":[329]},{"name":"LOGON_NO_ELEVATION","features":[329]},{"name":"LOGON_NO_OPTIMIZED","features":[329]},{"name":"LOGON_NTLMV2_ENABLED","features":[329]},{"name":"LOGON_NTLM_V2","features":[329]},{"name":"LOGON_NT_V2","features":[329]},{"name":"LOGON_OPTIMIZED","features":[329]},{"name":"LOGON_PKINIT","features":[329]},{"name":"LOGON_PROFILE_PATH_RETURNED","features":[329]},{"name":"LOGON_RESOURCE_GROUPS","features":[329]},{"name":"LOGON_SERVER_TRUST_ACCOUNT","features":[329]},{"name":"LOGON_SUBAUTH_SESSION_KEY","features":[329]},{"name":"LOGON_USED_LM_PASSWORD","features":[329]},{"name":"LOGON_WINLOGON","features":[329]},{"name":"LOOKUP_TRANSLATE_NAMES","features":[329]},{"name":"LOOKUP_VIEW_LOCAL_INFORMATION","features":[329]},{"name":"LSAD_AES_BLOCK_SIZE","features":[329]},{"name":"LSAD_AES_CRYPT_SHA512_HASH_SIZE","features":[329]},{"name":"LSAD_AES_KEY_SIZE","features":[329]},{"name":"LSAD_AES_SALT_SIZE","features":[329]},{"name":"LSASETCAPS_RELOAD_FLAG","features":[329]},{"name":"LSASETCAPS_VALID_FLAG_MASK","features":[329]},{"name":"LSA_ADT_LEGACY_SECURITY_SOURCE_NAME","features":[329]},{"name":"LSA_ADT_SECURITY_SOURCE_NAME","features":[329]},{"name":"LSA_AP_NAME_CALL_PACKAGE","features":[329]},{"name":"LSA_AP_NAME_CALL_PACKAGE_PASSTHROUGH","features":[329]},{"name":"LSA_AP_NAME_CALL_PACKAGE_UNTRUSTED","features":[329]},{"name":"LSA_AP_NAME_INITIALIZE_PACKAGE","features":[329]},{"name":"LSA_AP_NAME_LOGON_TERMINATED","features":[329]},{"name":"LSA_AP_NAME_LOGON_USER","features":[329]},{"name":"LSA_AP_NAME_LOGON_USER_EX","features":[329]},{"name":"LSA_AP_NAME_LOGON_USER_EX2","features":[329]},{"name":"LSA_AP_POST_LOGON_USER","features":[308,329]},{"name":"LSA_AUTH_INFORMATION","features":[329]},{"name":"LSA_AUTH_INFORMATION_AUTH_TYPE","features":[329]},{"name":"LSA_CALL_LICENSE_SERVER","features":[329]},{"name":"LSA_DISPATCH_TABLE","features":[308,329]},{"name":"LSA_ENUMERATION_INFORMATION","features":[308,329]},{"name":"LSA_FOREST_TRUST_BINARY_DATA","features":[329]},{"name":"LSA_FOREST_TRUST_COLLISION_INFORMATION","features":[329]},{"name":"LSA_FOREST_TRUST_COLLISION_RECORD","features":[329]},{"name":"LSA_FOREST_TRUST_COLLISION_RECORD_TYPE","features":[329]},{"name":"LSA_FOREST_TRUST_DOMAIN_INFO","features":[308,329]},{"name":"LSA_FOREST_TRUST_INFORMATION","features":[308,329]},{"name":"LSA_FOREST_TRUST_INFORMATION2","features":[308,329]},{"name":"LSA_FOREST_TRUST_RECORD","features":[308,329]},{"name":"LSA_FOREST_TRUST_RECORD2","features":[308,329]},{"name":"LSA_FOREST_TRUST_RECORD_TYPE","features":[329]},{"name":"LSA_FOREST_TRUST_RECORD_TYPE_UNRECOGNIZED","features":[329]},{"name":"LSA_FOREST_TRUST_SCANNER_INFO","features":[308,329]},{"name":"LSA_FTRECORD_DISABLED_REASONS","features":[329]},{"name":"LSA_GLOBAL_SECRET_PREFIX","features":[329]},{"name":"LSA_GLOBAL_SECRET_PREFIX_LENGTH","features":[329]},{"name":"LSA_HANDLE","features":[329]},{"name":"LSA_LAST_INTER_LOGON_INFO","features":[329]},{"name":"LSA_LOCAL_SECRET_PREFIX","features":[329]},{"name":"LSA_LOCAL_SECRET_PREFIX_LENGTH","features":[329]},{"name":"LSA_LOOKUP_DISALLOW_CONNECTED_ACCOUNT_INTERNET_SID","features":[329]},{"name":"LSA_LOOKUP_DOMAIN_INFO_CLASS","features":[329]},{"name":"LSA_LOOKUP_ISOLATED_AS_LOCAL","features":[329]},{"name":"LSA_LOOKUP_PREFER_INTERNET_NAMES","features":[329]},{"name":"LSA_MACHINE_SECRET_PREFIX","features":[329]},{"name":"LSA_MAXIMUM_ENUMERATION_LENGTH","features":[329]},{"name":"LSA_MAXIMUM_SID_COUNT","features":[329]},{"name":"LSA_MODE_INDIVIDUAL_ACCOUNTS","features":[329]},{"name":"LSA_MODE_LOG_FULL","features":[329]},{"name":"LSA_MODE_MANDATORY_ACCESS","features":[329]},{"name":"LSA_MODE_PASSWORD_PROTECTED","features":[329]},{"name":"LSA_NB_DISABLED_ADMIN","features":[329]},{"name":"LSA_NB_DISABLED_CONFLICT","features":[329]},{"name":"LSA_OBJECT_ATTRIBUTES","features":[308,329]},{"name":"LSA_QUERY_CLIENT_PRELOGON_SESSION_ID","features":[329]},{"name":"LSA_REFERENCED_DOMAIN_LIST","features":[308,329]},{"name":"LSA_SCANNER_INFO_ADMIN_ALL_FLAGS","features":[329]},{"name":"LSA_SCANNER_INFO_DISABLE_AUTH_TARGET_VALIDATION","features":[329]},{"name":"LSA_SECPKG_FUNCTION_TABLE","features":[308,329,481,343]},{"name":"LSA_SECRET_MAXIMUM_COUNT","features":[329]},{"name":"LSA_SECRET_MAXIMUM_LENGTH","features":[329]},{"name":"LSA_SID_DISABLED_ADMIN","features":[329]},{"name":"LSA_SID_DISABLED_CONFLICT","features":[329]},{"name":"LSA_STRING","features":[329]},{"name":"LSA_TLN_DISABLED_ADMIN","features":[329]},{"name":"LSA_TLN_DISABLED_CONFLICT","features":[329]},{"name":"LSA_TLN_DISABLED_NEW","features":[329]},{"name":"LSA_TOKEN_INFORMATION_NULL","features":[308,329]},{"name":"LSA_TOKEN_INFORMATION_TYPE","features":[329]},{"name":"LSA_TOKEN_INFORMATION_V1","features":[308,329]},{"name":"LSA_TOKEN_INFORMATION_V3","features":[308,329]},{"name":"LSA_TRANSLATED_NAME","features":[329]},{"name":"LSA_TRANSLATED_SID","features":[329]},{"name":"LSA_TRANSLATED_SID2","features":[308,329]},{"name":"LSA_TRUST_INFORMATION","features":[308,329]},{"name":"LSA_UNICODE_STRING","features":[329]},{"name":"LocalUserCredKey","features":[329]},{"name":"LsaAddAccountRights","features":[308,329]},{"name":"LsaCallAuthenticationPackage","features":[308,329]},{"name":"LsaClose","features":[308,329]},{"name":"LsaConnectUntrusted","features":[308,329]},{"name":"LsaCreateTrustedDomainEx","features":[308,329]},{"name":"LsaDeleteTrustedDomain","features":[308,329]},{"name":"LsaDeregisterLogonProcess","features":[308,329]},{"name":"LsaEnumerateAccountRights","features":[308,329]},{"name":"LsaEnumerateAccountsWithUserRight","features":[308,329]},{"name":"LsaEnumerateLogonSessions","features":[308,329]},{"name":"LsaEnumerateTrustedDomains","features":[308,329]},{"name":"LsaEnumerateTrustedDomainsEx","features":[308,329]},{"name":"LsaFreeMemory","features":[308,329]},{"name":"LsaFreeReturnBuffer","features":[308,329]},{"name":"LsaGetAppliedCAPIDs","features":[308,329]},{"name":"LsaGetLogonSessionData","features":[308,329]},{"name":"LsaLogonUser","features":[308,329]},{"name":"LsaLookupAuthenticationPackage","features":[308,329]},{"name":"LsaLookupNames","features":[308,329]},{"name":"LsaLookupNames2","features":[308,329]},{"name":"LsaLookupSids","features":[308,329]},{"name":"LsaLookupSids2","features":[308,329]},{"name":"LsaNtStatusToWinError","features":[308,329]},{"name":"LsaOpenPolicy","features":[308,329]},{"name":"LsaOpenTrustedDomainByName","features":[308,329]},{"name":"LsaQueryCAPs","features":[308,329]},{"name":"LsaQueryDomainInformationPolicy","features":[308,329]},{"name":"LsaQueryForestTrustInformation","features":[308,329]},{"name":"LsaQueryForestTrustInformation2","features":[308,329]},{"name":"LsaQueryInformationPolicy","features":[308,329]},{"name":"LsaQueryTrustedDomainInfo","features":[308,329]},{"name":"LsaQueryTrustedDomainInfoByName","features":[308,329]},{"name":"LsaRegisterLogonProcess","features":[308,329]},{"name":"LsaRegisterPolicyChangeNotification","features":[308,329]},{"name":"LsaRemoveAccountRights","features":[308,329]},{"name":"LsaRetrievePrivateData","features":[308,329]},{"name":"LsaSetCAPs","features":[308,329]},{"name":"LsaSetDomainInformationPolicy","features":[308,329]},{"name":"LsaSetForestTrustInformation","features":[308,329]},{"name":"LsaSetForestTrustInformation2","features":[308,329]},{"name":"LsaSetInformationPolicy","features":[308,329]},{"name":"LsaSetTrustedDomainInfoByName","features":[308,329]},{"name":"LsaSetTrustedDomainInformation","features":[308,329]},{"name":"LsaStorePrivateData","features":[308,329]},{"name":"LsaTokenInformationNull","features":[329]},{"name":"LsaTokenInformationV1","features":[329]},{"name":"LsaTokenInformationV2","features":[329]},{"name":"LsaTokenInformationV3","features":[329]},{"name":"LsaUnregisterPolicyChangeNotification","features":[308,329]},{"name":"MAKE_SIGNATURE_FN","features":[329,481]},{"name":"MAXIMUM_CAPES_PER_CAP","features":[329]},{"name":"MAX_CRED_SIZE","features":[329]},{"name":"MAX_PROTOCOL_ID_SIZE","features":[329]},{"name":"MAX_RECORDS_IN_FOREST_TRUST_INFO","features":[329]},{"name":"MAX_USER_RECORDS","features":[329]},{"name":"MICROSOFT_KERBEROS_NAME","features":[329]},{"name":"MICROSOFT_KERBEROS_NAME_A","features":[329]},{"name":"MICROSOFT_KERBEROS_NAME_W","features":[329]},{"name":"MSV1_0","features":[329]},{"name":"MSV1_0_ALLOW_FORCE_GUEST","features":[329]},{"name":"MSV1_0_ALLOW_MSVCHAPV2","features":[329]},{"name":"MSV1_0_ALLOW_SERVER_TRUST_ACCOUNT","features":[329]},{"name":"MSV1_0_ALLOW_WORKSTATION_TRUST_ACCOUNT","features":[329]},{"name":"MSV1_0_AVID","features":[329]},{"name":"MSV1_0_AV_FLAG_FORCE_GUEST","features":[329]},{"name":"MSV1_0_AV_FLAG_MIC_HANDSHAKE_MESSAGES","features":[329]},{"name":"MSV1_0_AV_FLAG_UNVERIFIED_TARGET","features":[329]},{"name":"MSV1_0_AV_PAIR","features":[329]},{"name":"MSV1_0_CHALLENGE_LENGTH","features":[329]},{"name":"MSV1_0_CHANGEPASSWORD_REQUEST","features":[308,329]},{"name":"MSV1_0_CHANGEPASSWORD_RESPONSE","features":[308,329]},{"name":"MSV1_0_CHECK_LOGONHOURS_FOR_S4U","features":[329]},{"name":"MSV1_0_CLEARTEXT_PASSWORD_ALLOWED","features":[329]},{"name":"MSV1_0_CLEARTEXT_PASSWORD_SUPPLIED","features":[329]},{"name":"MSV1_0_CREDENTIAL_KEY","features":[329]},{"name":"MSV1_0_CREDENTIAL_KEY_LENGTH","features":[329]},{"name":"MSV1_0_CREDENTIAL_KEY_TYPE","features":[329]},{"name":"MSV1_0_CRED_CREDKEY_PRESENT","features":[329]},{"name":"MSV1_0_CRED_LM_PRESENT","features":[329]},{"name":"MSV1_0_CRED_NT_PRESENT","features":[329]},{"name":"MSV1_0_CRED_REMOVED","features":[329]},{"name":"MSV1_0_CRED_SHA_PRESENT","features":[329]},{"name":"MSV1_0_CRED_VERSION","features":[329]},{"name":"MSV1_0_CRED_VERSION_ARSO","features":[329]},{"name":"MSV1_0_CRED_VERSION_INVALID","features":[329]},{"name":"MSV1_0_CRED_VERSION_IUM","features":[329]},{"name":"MSV1_0_CRED_VERSION_REMOTE","features":[329]},{"name":"MSV1_0_CRED_VERSION_RESERVED_1","features":[329]},{"name":"MSV1_0_CRED_VERSION_V2","features":[329]},{"name":"MSV1_0_CRED_VERSION_V3","features":[329]},{"name":"MSV1_0_DISABLE_PERSONAL_FALLBACK","features":[329]},{"name":"MSV1_0_DONT_TRY_GUEST_ACCOUNT","features":[329]},{"name":"MSV1_0_GUEST_LOGON","features":[329]},{"name":"MSV1_0_INTERACTIVE_LOGON","features":[329]},{"name":"MSV1_0_INTERACTIVE_PROFILE","features":[329]},{"name":"MSV1_0_INTERNET_DOMAIN","features":[329]},{"name":"MSV1_0_IUM_SUPPLEMENTAL_CREDENTIAL","features":[329]},{"name":"MSV1_0_LANMAN_SESSION_KEY_LENGTH","features":[329]},{"name":"MSV1_0_LM20_LOGON","features":[329]},{"name":"MSV1_0_LM20_LOGON_PROFILE","features":[329]},{"name":"MSV1_0_LOGON_SUBMIT_TYPE","features":[329]},{"name":"MSV1_0_MAX_AVL_SIZE","features":[329]},{"name":"MSV1_0_MAX_NTLM3_LIFE","features":[329]},{"name":"MSV1_0_MNS_LOGON","features":[329]},{"name":"MSV1_0_NTLM3_OWF_LENGTH","features":[329]},{"name":"MSV1_0_NTLM3_RESPONSE","features":[329]},{"name":"MSV1_0_NTLM3_RESPONSE_LENGTH","features":[329]},{"name":"MSV1_0_OWF_PASSWORD_LENGTH","features":[329]},{"name":"MSV1_0_PACKAGE_NAME","features":[329]},{"name":"MSV1_0_PACKAGE_NAMEW","features":[329]},{"name":"MSV1_0_PASSTHROUGH_REQUEST","features":[329]},{"name":"MSV1_0_PASSTHROUGH_RESPONSE","features":[329]},{"name":"MSV1_0_PASSTHRU","features":[329]},{"name":"MSV1_0_PROFILE_BUFFER_TYPE","features":[329]},{"name":"MSV1_0_PROTOCOL_MESSAGE_TYPE","features":[329]},{"name":"MSV1_0_REMOTE_SUPPLEMENTAL_CREDENTIAL","features":[329]},{"name":"MSV1_0_RETURN_PASSWORD_EXPIRY","features":[329]},{"name":"MSV1_0_RETURN_PROFILE_PATH","features":[329]},{"name":"MSV1_0_RETURN_USER_PARAMETERS","features":[329]},{"name":"MSV1_0_S4U2SELF","features":[329]},{"name":"MSV1_0_S4U_LOGON","features":[329]},{"name":"MSV1_0_S4U_LOGON_FLAG_CHECK_LOGONHOURS","features":[329]},{"name":"MSV1_0_SHA_PASSWORD_LENGTH","features":[329]},{"name":"MSV1_0_SUBAUTHENTICATION_DLL","features":[329]},{"name":"MSV1_0_SUBAUTHENTICATION_DLL_EX","features":[329]},{"name":"MSV1_0_SUBAUTHENTICATION_DLL_IIS","features":[329]},{"name":"MSV1_0_SUBAUTHENTICATION_DLL_RAS","features":[329]},{"name":"MSV1_0_SUBAUTHENTICATION_DLL_SHIFT","features":[329]},{"name":"MSV1_0_SUBAUTHENTICATION_FLAGS","features":[329]},{"name":"MSV1_0_SUBAUTHENTICATION_KEY","features":[329]},{"name":"MSV1_0_SUBAUTHENTICATION_VALUE","features":[329]},{"name":"MSV1_0_SUBAUTH_ACCOUNT_DISABLED","features":[329]},{"name":"MSV1_0_SUBAUTH_ACCOUNT_EXPIRY","features":[329]},{"name":"MSV1_0_SUBAUTH_ACCOUNT_TYPE","features":[329]},{"name":"MSV1_0_SUBAUTH_LOCKOUT","features":[329]},{"name":"MSV1_0_SUBAUTH_LOGON","features":[329]},{"name":"MSV1_0_SUBAUTH_LOGON_HOURS","features":[329]},{"name":"MSV1_0_SUBAUTH_PASSWORD","features":[329]},{"name":"MSV1_0_SUBAUTH_PASSWORD_EXPIRY","features":[329]},{"name":"MSV1_0_SUBAUTH_REQUEST","features":[329]},{"name":"MSV1_0_SUBAUTH_RESPONSE","features":[329]},{"name":"MSV1_0_SUBAUTH_WORKSTATIONS","features":[329]},{"name":"MSV1_0_SUPPLEMENTAL_CREDENTIAL","features":[329]},{"name":"MSV1_0_SUPPLEMENTAL_CREDENTIAL_V2","features":[329]},{"name":"MSV1_0_SUPPLEMENTAL_CREDENTIAL_V3","features":[329]},{"name":"MSV1_0_TRY_GUEST_ACCOUNT_ONLY","features":[329]},{"name":"MSV1_0_TRY_SPECIFIED_DOMAIN_ONLY","features":[329]},{"name":"MSV1_0_UPDATE_LOGON_STATISTICS","features":[329]},{"name":"MSV1_0_USER_SESSION_KEY_LENGTH","features":[329]},{"name":"MSV1_0_USE_CLIENT_CHALLENGE","features":[329]},{"name":"MSV1_0_USE_DOMAIN_FOR_ROUTING_ONLY","features":[329]},{"name":"MSV1_0_VALIDATION_INFO","features":[308,329,482]},{"name":"MSV1_0_VALIDATION_KICKOFF_TIME","features":[329]},{"name":"MSV1_0_VALIDATION_LOGOFF_TIME","features":[329]},{"name":"MSV1_0_VALIDATION_LOGON_DOMAIN","features":[329]},{"name":"MSV1_0_VALIDATION_LOGON_SERVER","features":[329]},{"name":"MSV1_0_VALIDATION_SESSION_KEY","features":[329]},{"name":"MSV1_0_VALIDATION_USER_FLAGS","features":[329]},{"name":"MSV1_0_VALIDATION_USER_ID","features":[329]},{"name":"MSV_SUBAUTH_LOGON_PARAMETER_CONTROL","features":[329]},{"name":"MSV_SUB_AUTHENTICATION_FILTER","features":[329]},{"name":"MSV_SUPPLEMENTAL_CREDENTIAL_FLAGS","features":[329]},{"name":"MakeSignature","features":[329,481]},{"name":"MsV1_0CacheLogon","features":[329]},{"name":"MsV1_0CacheLookup","features":[329]},{"name":"MsV1_0CacheLookupEx","features":[329]},{"name":"MsV1_0ChangeCachedPassword","features":[329]},{"name":"MsV1_0ChangePassword","features":[329]},{"name":"MsV1_0ClearCachedCredentials","features":[329]},{"name":"MsV1_0ConfigLocalAliases","features":[329]},{"name":"MsV1_0DecryptDpapiMasterKey","features":[329]},{"name":"MsV1_0DeleteTbalSecrets","features":[329]},{"name":"MsV1_0DeriveCredential","features":[329]},{"name":"MsV1_0EnumerateUsers","features":[329]},{"name":"MsV1_0GenericPassthrough","features":[329]},{"name":"MsV1_0GetCredentialKey","features":[329]},{"name":"MsV1_0GetStrongCredentialKey","features":[329]},{"name":"MsV1_0GetUserInfo","features":[329]},{"name":"MsV1_0InteractiveLogon","features":[329]},{"name":"MsV1_0InteractiveProfile","features":[329]},{"name":"MsV1_0Lm20ChallengeRequest","features":[329]},{"name":"MsV1_0Lm20GetChallengeResponse","features":[329]},{"name":"MsV1_0Lm20Logon","features":[329]},{"name":"MsV1_0Lm20LogonProfile","features":[329]},{"name":"MsV1_0LookupToken","features":[329]},{"name":"MsV1_0LuidLogon","features":[329]},{"name":"MsV1_0NetworkLogon","features":[329]},{"name":"MsV1_0NoElevationLogon","features":[329]},{"name":"MsV1_0ProvisionTbal","features":[329]},{"name":"MsV1_0ReLogonUsers","features":[329]},{"name":"MsV1_0S4ULogon","features":[329]},{"name":"MsV1_0SetProcessOption","features":[329]},{"name":"MsV1_0SetThreadOption","features":[329]},{"name":"MsV1_0SmartCardProfile","features":[329]},{"name":"MsV1_0SubAuth","features":[329]},{"name":"MsV1_0SubAuthLogon","features":[329]},{"name":"MsV1_0TransferCred","features":[329]},{"name":"MsV1_0ValidateAuth","features":[329]},{"name":"MsV1_0VirtualLogon","features":[329]},{"name":"MsV1_0WorkstationUnlockLogon","features":[329]},{"name":"MsvAvChannelBindings","features":[329]},{"name":"MsvAvDnsComputerName","features":[329]},{"name":"MsvAvDnsDomainName","features":[329]},{"name":"MsvAvDnsTreeName","features":[329]},{"name":"MsvAvEOL","features":[329]},{"name":"MsvAvFlags","features":[329]},{"name":"MsvAvNbComputerName","features":[329]},{"name":"MsvAvNbDomainName","features":[329]},{"name":"MsvAvRestrictions","features":[329]},{"name":"MsvAvTargetName","features":[329]},{"name":"MsvAvTimestamp","features":[329]},{"name":"NEGOSSP_NAME","features":[329]},{"name":"NEGOSSP_NAME_A","features":[329]},{"name":"NEGOSSP_NAME_W","features":[329]},{"name":"NEGOTIATE_ALLOW_NTLM","features":[329]},{"name":"NEGOTIATE_CALLER_NAME_REQUEST","features":[308,329]},{"name":"NEGOTIATE_CALLER_NAME_RESPONSE","features":[329]},{"name":"NEGOTIATE_MAX_PREFIX","features":[329]},{"name":"NEGOTIATE_MESSAGES","features":[329]},{"name":"NEGOTIATE_NEG_NTLM","features":[329]},{"name":"NEGOTIATE_PACKAGE_PREFIX","features":[329]},{"name":"NEGOTIATE_PACKAGE_PREFIXES","features":[329]},{"name":"NETLOGON_GENERIC_INFO","features":[329]},{"name":"NETLOGON_INTERACTIVE_INFO","features":[329,482]},{"name":"NETLOGON_LOGON_IDENTITY_INFO","features":[329]},{"name":"NETLOGON_LOGON_INFO_CLASS","features":[329]},{"name":"NETLOGON_NETWORK_INFO","features":[329]},{"name":"NETLOGON_SERVICE_INFO","features":[329,482]},{"name":"NGC_DATA_FLAG_IS_CLOUD_TRUST_CRED","features":[329]},{"name":"NGC_DATA_FLAG_IS_SMARTCARD_DATA","features":[329]},{"name":"NGC_DATA_FLAG_KERB_CERTIFICATE_LOGON_FLAG_CHECK_DUPLICATES","features":[329]},{"name":"NGC_DATA_FLAG_KERB_CERTIFICATE_LOGON_FLAG_USE_CERTIFICATE_INFO","features":[329]},{"name":"NOTIFIER_FLAG_NEW_THREAD","features":[329]},{"name":"NOTIFIER_FLAG_ONE_SHOT","features":[329]},{"name":"NOTIFIER_FLAG_SECONDS","features":[329]},{"name":"NOTIFIER_TYPE_HANDLE_WAIT","features":[329]},{"name":"NOTIFIER_TYPE_IMMEDIATE","features":[329]},{"name":"NOTIFIER_TYPE_INTERVAL","features":[329]},{"name":"NOTIFIER_TYPE_NOTIFY_EVENT","features":[329]},{"name":"NOTIFIER_TYPE_STATE_CHANGE","features":[329]},{"name":"NOTIFY_CLASS_DOMAIN_CHANGE","features":[329]},{"name":"NOTIFY_CLASS_PACKAGE_CHANGE","features":[329]},{"name":"NOTIFY_CLASS_REGISTRY_CHANGE","features":[329]},{"name":"NOTIFY_CLASS_ROLE_CHANGE","features":[329]},{"name":"NO_LONG_NAMES","features":[329]},{"name":"NTLMSP_NAME","features":[329]},{"name":"NTLMSP_NAME_A","features":[329]},{"name":"NameCanonical","features":[329]},{"name":"NameCanonicalEx","features":[329]},{"name":"NameDisplay","features":[329]},{"name":"NameDnsDomain","features":[329]},{"name":"NameFullyQualifiedDN","features":[329]},{"name":"NameGivenName","features":[329]},{"name":"NameSamCompatible","features":[329]},{"name":"NameServicePrincipal","features":[329]},{"name":"NameSurname","features":[329]},{"name":"NameUniqueId","features":[329]},{"name":"NameUnknown","features":[329]},{"name":"NameUserPrincipal","features":[329]},{"name":"NegCallPackageMax","features":[329]},{"name":"NegEnumPackagePrefixes","features":[329]},{"name":"NegGetCallerName","features":[329]},{"name":"NegMsgReserved1","features":[329]},{"name":"NegTransferCredentials","features":[329]},{"name":"NetlogonGenericInformation","features":[329]},{"name":"NetlogonInteractiveInformation","features":[329]},{"name":"NetlogonInteractiveTransitiveInformation","features":[329]},{"name":"NetlogonNetworkInformation","features":[329]},{"name":"NetlogonNetworkTransitiveInformation","features":[329]},{"name":"NetlogonServiceInformation","features":[329]},{"name":"NetlogonServiceTransitiveInformation","features":[329]},{"name":"PCT1SP_NAME","features":[329]},{"name":"PCT1SP_NAME_A","features":[329]},{"name":"PCT1SP_NAME_W","features":[329]},{"name":"PER_USER_AUDIT_FAILURE_EXCLUDE","features":[329]},{"name":"PER_USER_AUDIT_FAILURE_INCLUDE","features":[329]},{"name":"PER_USER_AUDIT_NONE","features":[329]},{"name":"PER_USER_AUDIT_SUCCESS_EXCLUDE","features":[329]},{"name":"PER_USER_AUDIT_SUCCESS_INCLUDE","features":[329]},{"name":"PER_USER_POLICY_UNCHANGED","features":[329]},{"name":"PKSEC_CREATE_CONTEXT_LIST","features":[329]},{"name":"PKSEC_DEREFERENCE_LIST_ENTRY","features":[329,314]},{"name":"PKSEC_INSERT_LIST_ENTRY","features":[329,314]},{"name":"PKSEC_LOCATE_PKG_BY_ID","features":[329]},{"name":"PKSEC_REFERENCE_LIST_ENTRY","features":[308,329,314]},{"name":"PKSEC_SERIALIZE_SCHANNEL_AUTH_DATA","features":[308,329]},{"name":"PKSEC_SERIALIZE_WINNT_AUTH_DATA","features":[308,329]},{"name":"PKU2U_CERTIFICATE_S4U_LOGON","features":[329]},{"name":"PKU2U_CERT_BLOB","features":[329]},{"name":"PKU2U_CREDUI_CONTEXT","features":[329]},{"name":"PKU2U_LOGON_SUBMIT_TYPE","features":[329]},{"name":"PKU2U_PACKAGE_NAME","features":[329]},{"name":"PKU2U_PACKAGE_NAME_A","features":[329]},{"name":"PKU2U_PACKAGE_NAME_W","features":[329]},{"name":"PLSA_ADD_CREDENTIAL","features":[308,329]},{"name":"PLSA_ALLOCATE_CLIENT_BUFFER","features":[308,329]},{"name":"PLSA_ALLOCATE_LSA_HEAP","features":[329]},{"name":"PLSA_ALLOCATE_PRIVATE_HEAP","features":[329]},{"name":"PLSA_ALLOCATE_SHARED_MEMORY","features":[329]},{"name":"PLSA_AP_CALL_PACKAGE","features":[308,329]},{"name":"PLSA_AP_CALL_PACKAGE_PASSTHROUGH","features":[308,329]},{"name":"PLSA_AP_INITIALIZE_PACKAGE","features":[308,329]},{"name":"PLSA_AP_LOGON_TERMINATED","features":[308,329]},{"name":"PLSA_AP_LOGON_USER","features":[308,329]},{"name":"PLSA_AP_LOGON_USER_EX","features":[308,329]},{"name":"PLSA_AP_LOGON_USER_EX2","features":[308,329]},{"name":"PLSA_AP_LOGON_USER_EX3","features":[308,329]},{"name":"PLSA_AP_POST_LOGON_USER_SURROGATE","features":[308,329]},{"name":"PLSA_AP_PRE_LOGON_USER_SURROGATE","features":[308,329]},{"name":"PLSA_AUDIT_ACCOUNT_LOGON","features":[308,329]},{"name":"PLSA_AUDIT_LOGON","features":[308,329]},{"name":"PLSA_AUDIT_LOGON_EX","features":[308,329]},{"name":"PLSA_CALLBACK_FUNCTION","features":[308,329]},{"name":"PLSA_CALL_PACKAGE","features":[308,329]},{"name":"PLSA_CALL_PACKAGEEX","features":[308,329]},{"name":"PLSA_CALL_PACKAGE_PASSTHROUGH","features":[308,329]},{"name":"PLSA_CANCEL_NOTIFICATION","features":[308,329]},{"name":"PLSA_CHECK_PROTECTED_USER_BY_TOKEN","features":[308,329]},{"name":"PLSA_CLIENT_CALLBACK","features":[308,329]},{"name":"PLSA_CLOSE_SAM_USER","features":[308,329]},{"name":"PLSA_CONVERT_AUTH_DATA_TO_TOKEN","features":[308,329]},{"name":"PLSA_COPY_FROM_CLIENT_BUFFER","features":[308,329]},{"name":"PLSA_COPY_TO_CLIENT_BUFFER","features":[308,329]},{"name":"PLSA_CRACK_SINGLE_NAME","features":[308,329]},{"name":"PLSA_CREATE_LOGON_SESSION","features":[308,329]},{"name":"PLSA_CREATE_SHARED_MEMORY","features":[329]},{"name":"PLSA_CREATE_THREAD","features":[308,329,343]},{"name":"PLSA_CREATE_TOKEN","features":[308,329]},{"name":"PLSA_CREATE_TOKEN_EX","features":[308,329]},{"name":"PLSA_DELETE_CREDENTIAL","features":[308,329]},{"name":"PLSA_DELETE_LOGON_SESSION","features":[308,329]},{"name":"PLSA_DELETE_SHARED_MEMORY","features":[308,329]},{"name":"PLSA_DUPLICATE_HANDLE","features":[308,329]},{"name":"PLSA_EXPAND_AUTH_DATA_FOR_DOMAIN","features":[308,329]},{"name":"PLSA_FREE_CLIENT_BUFFER","features":[308,329]},{"name":"PLSA_FREE_LSA_HEAP","features":[329]},{"name":"PLSA_FREE_PRIVATE_HEAP","features":[329]},{"name":"PLSA_FREE_SHARED_MEMORY","features":[329]},{"name":"PLSA_GET_APP_MODE_INFO","features":[308,329]},{"name":"PLSA_GET_AUTH_DATA_FOR_USER","features":[308,329]},{"name":"PLSA_GET_CALL_INFO","features":[308,329]},{"name":"PLSA_GET_CLIENT_INFO","features":[308,329]},{"name":"PLSA_GET_CLIENT_INFO_EX","features":[308,329]},{"name":"PLSA_GET_CREDENTIALS","features":[308,329]},{"name":"PLSA_GET_EXTENDED_CALL_FLAGS","features":[308,329]},{"name":"PLSA_GET_SERVICE_ACCOUNT_PASSWORD","features":[308,329]},{"name":"PLSA_GET_USER_AUTH_DATA","features":[308,329]},{"name":"PLSA_GET_USER_CREDENTIALS","features":[308,329]},{"name":"PLSA_IMPERSONATE_CLIENT","features":[308,329]},{"name":"PLSA_LOCATE_PKG_BY_ID","features":[329]},{"name":"PLSA_MAP_BUFFER","features":[308,329]},{"name":"PLSA_OPEN_SAM_USER","features":[308,329]},{"name":"PLSA_OPEN_TOKEN_BY_LOGON_ID","features":[308,329]},{"name":"PLSA_PROTECT_MEMORY","features":[329]},{"name":"PLSA_QUERY_CLIENT_REQUEST","features":[308,329]},{"name":"PLSA_REDIRECTED_LOGON_CALLBACK","features":[308,329]},{"name":"PLSA_REDIRECTED_LOGON_CLEANUP_CALLBACK","features":[308,329]},{"name":"PLSA_REDIRECTED_LOGON_GET_LOGON_CREDS","features":[308,329]},{"name":"PLSA_REDIRECTED_LOGON_GET_SID","features":[308,329]},{"name":"PLSA_REDIRECTED_LOGON_GET_SUPP_CREDS","features":[308,329]},{"name":"PLSA_REDIRECTED_LOGON_INIT","features":[308,329]},{"name":"PLSA_REGISTER_CALLBACK","features":[308,329]},{"name":"PLSA_REGISTER_NOTIFICATION","features":[308,329,343]},{"name":"PLSA_SAVE_SUPPLEMENTAL_CREDENTIALS","features":[308,329]},{"name":"PLSA_SET_APP_MODE_INFO","features":[308,329]},{"name":"PLSA_UNLOAD_PACKAGE","features":[308,329]},{"name":"PLSA_UPDATE_PRIMARY_CREDENTIALS","features":[308,329]},{"name":"POLICY_ACCOUNT_DOMAIN_INFO","features":[308,329]},{"name":"POLICY_AUDIT_CATEGORIES_INFO","features":[329]},{"name":"POLICY_AUDIT_EVENTS_INFO","features":[308,329]},{"name":"POLICY_AUDIT_EVENT_FAILURE","features":[329]},{"name":"POLICY_AUDIT_EVENT_NONE","features":[329]},{"name":"POLICY_AUDIT_EVENT_SUCCESS","features":[329]},{"name":"POLICY_AUDIT_EVENT_TYPE","features":[329]},{"name":"POLICY_AUDIT_EVENT_UNCHANGED","features":[329]},{"name":"POLICY_AUDIT_FULL_QUERY_INFO","features":[308,329]},{"name":"POLICY_AUDIT_FULL_SET_INFO","features":[308,329]},{"name":"POLICY_AUDIT_LOG_ADMIN","features":[329]},{"name":"POLICY_AUDIT_LOG_INFO","features":[308,329]},{"name":"POLICY_AUDIT_SID_ARRAY","features":[308,329]},{"name":"POLICY_AUDIT_SUBCATEGORIES_INFO","features":[329]},{"name":"POLICY_CREATE_ACCOUNT","features":[329]},{"name":"POLICY_CREATE_PRIVILEGE","features":[329]},{"name":"POLICY_CREATE_SECRET","features":[329]},{"name":"POLICY_DEFAULT_QUOTA_INFO","features":[329]},{"name":"POLICY_DNS_DOMAIN_INFO","features":[308,329]},{"name":"POLICY_DOMAIN_EFS_INFO","features":[329]},{"name":"POLICY_DOMAIN_INFORMATION_CLASS","features":[329]},{"name":"POLICY_DOMAIN_KERBEROS_TICKET_INFO","features":[329]},{"name":"POLICY_GET_PRIVATE_INFORMATION","features":[329]},{"name":"POLICY_INFORMATION_CLASS","features":[329]},{"name":"POLICY_KERBEROS_VALIDATE_CLIENT","features":[329]},{"name":"POLICY_LOOKUP_NAMES","features":[329]},{"name":"POLICY_LSA_SERVER_ROLE","features":[329]},{"name":"POLICY_LSA_SERVER_ROLE_INFO","features":[329]},{"name":"POLICY_MACHINE_ACCT_INFO","features":[308,329]},{"name":"POLICY_MACHINE_ACCT_INFO2","features":[308,329]},{"name":"POLICY_MODIFICATION_INFO","features":[329]},{"name":"POLICY_NOTIFICATION","features":[329]},{"name":"POLICY_NOTIFICATION_INFORMATION_CLASS","features":[329]},{"name":"POLICY_PD_ACCOUNT_INFO","features":[329]},{"name":"POLICY_PRIMARY_DOMAIN_INFO","features":[308,329]},{"name":"POLICY_QOS_ALLOW_LOCAL_ROOT_CERT_STORE","features":[329]},{"name":"POLICY_QOS_DHCP_SERVER_ALLOWED","features":[329]},{"name":"POLICY_QOS_INBOUND_CONFIDENTIALITY","features":[329]},{"name":"POLICY_QOS_INBOUND_INTEGRITY","features":[329]},{"name":"POLICY_QOS_OUTBOUND_CONFIDENTIALITY","features":[329]},{"name":"POLICY_QOS_OUTBOUND_INTEGRITY","features":[329]},{"name":"POLICY_QOS_RAS_SERVER_ALLOWED","features":[329]},{"name":"POLICY_QOS_SCHANNEL_REQUIRED","features":[329]},{"name":"POLICY_REPLICA_SOURCE_INFO","features":[329]},{"name":"POLICY_SERVER_ADMIN","features":[329]},{"name":"POLICY_SET_AUDIT_REQUIREMENTS","features":[329]},{"name":"POLICY_SET_DEFAULT_QUOTA_LIMITS","features":[329]},{"name":"POLICY_TRUST_ADMIN","features":[329]},{"name":"POLICY_VIEW_AUDIT_INFORMATION","features":[329]},{"name":"POLICY_VIEW_LOCAL_INFORMATION","features":[329]},{"name":"PRIMARY_CRED_ARSO_LOGON","features":[329]},{"name":"PRIMARY_CRED_AUTH_ID","features":[329]},{"name":"PRIMARY_CRED_CACHED_INTERACTIVE_LOGON","features":[329]},{"name":"PRIMARY_CRED_CACHED_LOGON","features":[329]},{"name":"PRIMARY_CRED_CLEAR_PASSWORD","features":[329]},{"name":"PRIMARY_CRED_DO_NOT_SPLIT","features":[329]},{"name":"PRIMARY_CRED_ENCRYPTED_CREDGUARD_PASSWORD","features":[329]},{"name":"PRIMARY_CRED_ENTERPRISE_INTERNET_USER","features":[329]},{"name":"PRIMARY_CRED_EX","features":[329]},{"name":"PRIMARY_CRED_FOR_PASSWORD_CHANGE","features":[329]},{"name":"PRIMARY_CRED_INTERACTIVE_FIDO_LOGON","features":[329]},{"name":"PRIMARY_CRED_INTERACTIVE_NGC_LOGON","features":[329]},{"name":"PRIMARY_CRED_INTERACTIVE_SMARTCARD_LOGON","features":[329]},{"name":"PRIMARY_CRED_INTERNET_USER","features":[329]},{"name":"PRIMARY_CRED_LOGON_LUA","features":[329]},{"name":"PRIMARY_CRED_LOGON_NO_TCB","features":[329]},{"name":"PRIMARY_CRED_LOGON_PACKAGE_SHIFT","features":[329]},{"name":"PRIMARY_CRED_OWF_PASSWORD","features":[329]},{"name":"PRIMARY_CRED_PACKAGE_MASK","features":[329]},{"name":"PRIMARY_CRED_PACKED_CREDS","features":[329]},{"name":"PRIMARY_CRED_PROTECTED_USER","features":[329]},{"name":"PRIMARY_CRED_REFRESH_NEEDED","features":[329]},{"name":"PRIMARY_CRED_RESTRICTED_TS","features":[329]},{"name":"PRIMARY_CRED_SUPPLEMENTAL","features":[329]},{"name":"PRIMARY_CRED_TRANSFER","features":[329]},{"name":"PRIMARY_CRED_UPDATE","features":[329]},{"name":"PSAM_CREDENTIAL_UPDATE_FREE_ROUTINE","features":[329]},{"name":"PSAM_CREDENTIAL_UPDATE_NOTIFY_ROUTINE","features":[308,329]},{"name":"PSAM_CREDENTIAL_UPDATE_REGISTER_MAPPED_ENTRYPOINTS_ROUTINE","features":[308,329]},{"name":"PSAM_CREDENTIAL_UPDATE_REGISTER_ROUTINE","features":[308,329]},{"name":"PSAM_INIT_NOTIFICATION_ROUTINE","features":[308,329]},{"name":"PSAM_PASSWORD_FILTER_ROUTINE","features":[308,329]},{"name":"PSAM_PASSWORD_NOTIFICATION_ROUTINE","features":[308,329]},{"name":"PctPublicKey","features":[329]},{"name":"Pku2uCertificateS4ULogon","features":[329]},{"name":"PolicyAccountDomainInformation","features":[329]},{"name":"PolicyAuditEventsInformation","features":[329]},{"name":"PolicyAuditFullQueryInformation","features":[329]},{"name":"PolicyAuditFullSetInformation","features":[329]},{"name":"PolicyAuditLogInformation","features":[329]},{"name":"PolicyDefaultQuotaInformation","features":[329]},{"name":"PolicyDnsDomainInformation","features":[329]},{"name":"PolicyDnsDomainInformationInt","features":[329]},{"name":"PolicyDomainEfsInformation","features":[329]},{"name":"PolicyDomainKerberosTicketInformation","features":[329]},{"name":"PolicyLastEntry","features":[329]},{"name":"PolicyLocalAccountDomainInformation","features":[329]},{"name":"PolicyLsaServerRoleInformation","features":[329]},{"name":"PolicyMachineAccountInformation","features":[329]},{"name":"PolicyMachineAccountInformation2","features":[329]},{"name":"PolicyModificationInformation","features":[329]},{"name":"PolicyNotifyAccountDomainInformation","features":[329]},{"name":"PolicyNotifyAuditEventsInformation","features":[329]},{"name":"PolicyNotifyDnsDomainInformation","features":[329]},{"name":"PolicyNotifyDomainEfsInformation","features":[329]},{"name":"PolicyNotifyDomainKerberosTicketInformation","features":[329]},{"name":"PolicyNotifyGlobalSaclInformation","features":[329]},{"name":"PolicyNotifyMachineAccountPasswordInformation","features":[329]},{"name":"PolicyNotifyMax","features":[329]},{"name":"PolicyNotifyServerRoleInformation","features":[329]},{"name":"PolicyPdAccountInformation","features":[329]},{"name":"PolicyPrimaryDomainInformation","features":[329]},{"name":"PolicyReplicaSourceInformation","features":[329]},{"name":"PolicyServerRoleBackup","features":[329]},{"name":"PolicyServerRolePrimary","features":[329]},{"name":"QUERY_CONTEXT_ATTRIBUTES_EX_FN_A","features":[329,481]},{"name":"QUERY_CONTEXT_ATTRIBUTES_EX_FN_W","features":[329,481]},{"name":"QUERY_CONTEXT_ATTRIBUTES_FN_A","features":[329,481]},{"name":"QUERY_CONTEXT_ATTRIBUTES_FN_W","features":[329,481]},{"name":"QUERY_CREDENTIALS_ATTRIBUTES_EX_FN_A","features":[329,481]},{"name":"QUERY_CREDENTIALS_ATTRIBUTES_EX_FN_W","features":[329,481]},{"name":"QUERY_CREDENTIALS_ATTRIBUTES_FN_A","features":[329,481]},{"name":"QUERY_CREDENTIALS_ATTRIBUTES_FN_W","features":[329,481]},{"name":"QUERY_SECURITY_CONTEXT_TOKEN_FN","features":[329,481]},{"name":"QUERY_SECURITY_PACKAGE_INFO_FN_A","features":[329]},{"name":"QUERY_SECURITY_PACKAGE_INFO_FN_W","features":[329]},{"name":"QueryContextAttributesA","features":[329,481]},{"name":"QueryContextAttributesExA","features":[329,481]},{"name":"QueryContextAttributesExW","features":[329,481]},{"name":"QueryContextAttributesW","features":[329,481]},{"name":"QueryCredentialsAttributesA","features":[329,481]},{"name":"QueryCredentialsAttributesExA","features":[329,481]},{"name":"QueryCredentialsAttributesExW","features":[329,481]},{"name":"QueryCredentialsAttributesW","features":[329,481]},{"name":"QuerySecurityContextToken","features":[329,481]},{"name":"QuerySecurityPackageInfoA","features":[329]},{"name":"QuerySecurityPackageInfoW","features":[329]},{"name":"RCRED_CRED_EXISTS","features":[329]},{"name":"RCRED_STATUS_NOCRED","features":[329]},{"name":"RCRED_STATUS_UNKNOWN_ISSUER","features":[329]},{"name":"REVERT_SECURITY_CONTEXT_FN","features":[329,481]},{"name":"RTL_ENCRYPT_MEMORY_SIZE","features":[329]},{"name":"RTL_ENCRYPT_OPTION_CROSS_PROCESS","features":[329]},{"name":"RTL_ENCRYPT_OPTION_FOR_SYSTEM","features":[329]},{"name":"RTL_ENCRYPT_OPTION_SAME_LOGON","features":[329]},{"name":"RevertSecurityContext","features":[329,481]},{"name":"RtlDecryptMemory","features":[308,329]},{"name":"RtlEncryptMemory","features":[308,329]},{"name":"RtlGenRandom","features":[308,329]},{"name":"SAM_CREDENTIAL_UPDATE_FREE_ROUTINE","features":[329]},{"name":"SAM_CREDENTIAL_UPDATE_NOTIFY_ROUTINE","features":[329]},{"name":"SAM_CREDENTIAL_UPDATE_REGISTER_MAPPED_ENTRYPOINTS_ROUTINE","features":[329]},{"name":"SAM_CREDENTIAL_UPDATE_REGISTER_ROUTINE","features":[329]},{"name":"SAM_DAYS_PER_WEEK","features":[329]},{"name":"SAM_INIT_NOTIFICATION_ROUTINE","features":[329]},{"name":"SAM_PASSWORD_CHANGE_NOTIFY_ROUTINE","features":[329]},{"name":"SAM_PASSWORD_FILTER_ROUTINE","features":[329]},{"name":"SAM_REGISTER_MAPPING_ELEMENT","features":[308,329]},{"name":"SAM_REGISTER_MAPPING_LIST","features":[308,329]},{"name":"SAM_REGISTER_MAPPING_TABLE","features":[308,329]},{"name":"SASL_AUTHZID_STATE","features":[329]},{"name":"SASL_OPTION_AUTHZ_PROCESSING","features":[329]},{"name":"SASL_OPTION_AUTHZ_STRING","features":[329]},{"name":"SASL_OPTION_RECV_SIZE","features":[329]},{"name":"SASL_OPTION_SEND_SIZE","features":[329]},{"name":"SCHANNEL_ALERT","features":[329]},{"name":"SCHANNEL_ALERT_TOKEN","features":[329]},{"name":"SCHANNEL_ALERT_TOKEN_ALERT_TYPE","features":[329]},{"name":"SCHANNEL_CERT_HASH","features":[329]},{"name":"SCHANNEL_CERT_HASH_STORE","features":[329]},{"name":"SCHANNEL_CLIENT_SIGNATURE","features":[329,392]},{"name":"SCHANNEL_CRED","features":[308,329,392]},{"name":"SCHANNEL_CRED_FLAGS","features":[329]},{"name":"SCHANNEL_CRED_VERSION","features":[329]},{"name":"SCHANNEL_NAME","features":[329]},{"name":"SCHANNEL_NAME_A","features":[329]},{"name":"SCHANNEL_NAME_W","features":[329]},{"name":"SCHANNEL_RENEGOTIATE","features":[329]},{"name":"SCHANNEL_SECRET_PRIVKEY","features":[329]},{"name":"SCHANNEL_SECRET_TYPE_CAPI","features":[329]},{"name":"SCHANNEL_SESSION","features":[329]},{"name":"SCHANNEL_SESSION_TOKEN","features":[329]},{"name":"SCHANNEL_SESSION_TOKEN_FLAGS","features":[329]},{"name":"SCHANNEL_SHUTDOWN","features":[329]},{"name":"SCH_ALLOW_NULL_ENCRYPTION","features":[329]},{"name":"SCH_CRED","features":[329]},{"name":"SCH_CREDENTIALS","features":[308,329,392]},{"name":"SCH_CREDENTIALS_VERSION","features":[329]},{"name":"SCH_CRED_AUTO_CRED_VALIDATION","features":[329]},{"name":"SCH_CRED_CACHE_ONLY_URL_RETRIEVAL","features":[329]},{"name":"SCH_CRED_CACHE_ONLY_URL_RETRIEVAL_ON_CREATE","features":[329]},{"name":"SCH_CRED_CERT_CONTEXT","features":[329]},{"name":"SCH_CRED_DEFERRED_CRED_VALIDATION","features":[329]},{"name":"SCH_CRED_DISABLE_RECONNECTS","features":[329]},{"name":"SCH_CRED_FORMAT_CERT_CONTEXT","features":[329]},{"name":"SCH_CRED_FORMAT_CERT_HASH","features":[329]},{"name":"SCH_CRED_FORMAT_CERT_HASH_STORE","features":[329]},{"name":"SCH_CRED_IGNORE_NO_REVOCATION_CHECK","features":[329]},{"name":"SCH_CRED_IGNORE_REVOCATION_OFFLINE","features":[329]},{"name":"SCH_CRED_MANUAL_CRED_VALIDATION","features":[329]},{"name":"SCH_CRED_MAX_STORE_NAME_SIZE","features":[329]},{"name":"SCH_CRED_MAX_SUPPORTED_ALGS","features":[329]},{"name":"SCH_CRED_MAX_SUPPORTED_ALPN_IDS","features":[329]},{"name":"SCH_CRED_MAX_SUPPORTED_CERTS","features":[329]},{"name":"SCH_CRED_MAX_SUPPORTED_CHAINING_MODES","features":[329]},{"name":"SCH_CRED_MAX_SUPPORTED_CRYPTO_SETTINGS","features":[329]},{"name":"SCH_CRED_MAX_SUPPORTED_PARAMETERS","features":[329]},{"name":"SCH_CRED_MEMORY_STORE_CERT","features":[329]},{"name":"SCH_CRED_NO_DEFAULT_CREDS","features":[329]},{"name":"SCH_CRED_NO_SERVERNAME_CHECK","features":[329]},{"name":"SCH_CRED_NO_SYSTEM_MAPPER","features":[329]},{"name":"SCH_CRED_PUBLIC_CERTCHAIN","features":[329]},{"name":"SCH_CRED_RESTRICTED_ROOTS","features":[329]},{"name":"SCH_CRED_REVOCATION_CHECK_CACHE_ONLY","features":[329]},{"name":"SCH_CRED_REVOCATION_CHECK_CHAIN","features":[329]},{"name":"SCH_CRED_REVOCATION_CHECK_CHAIN_EXCLUDE_ROOT","features":[329]},{"name":"SCH_CRED_REVOCATION_CHECK_END_CERT","features":[329]},{"name":"SCH_CRED_SECRET_CAPI","features":[329]},{"name":"SCH_CRED_SECRET_PRIVKEY","features":[329]},{"name":"SCH_CRED_SNI_CREDENTIAL","features":[329]},{"name":"SCH_CRED_SNI_ENABLE_OCSP","features":[329]},{"name":"SCH_CRED_USE_DEFAULT_CREDS","features":[329]},{"name":"SCH_CRED_V1","features":[329]},{"name":"SCH_CRED_V2","features":[329]},{"name":"SCH_CRED_V3","features":[329]},{"name":"SCH_CRED_VERSION","features":[329]},{"name":"SCH_CRED_X509_CAPI","features":[329]},{"name":"SCH_CRED_X509_CERTCHAIN","features":[329]},{"name":"SCH_DISABLE_RECONNECTS","features":[329]},{"name":"SCH_EXTENSIONS_OPTIONS_NONE","features":[329]},{"name":"SCH_EXTENSION_DATA","features":[329]},{"name":"SCH_MACHINE_CERT_HASH","features":[329]},{"name":"SCH_MAX_EXT_SUBSCRIPTIONS","features":[329]},{"name":"SCH_NO_RECORD_HEADER","features":[329]},{"name":"SCH_SEND_AUX_RECORD","features":[329]},{"name":"SCH_SEND_ROOT_CERT","features":[329]},{"name":"SCH_USE_DTLS_ONLY","features":[329]},{"name":"SCH_USE_PRESHAREDKEY_ONLY","features":[329]},{"name":"SCH_USE_STRONG_CRYPTO","features":[329]},{"name":"SECBUFFER_ALERT","features":[329]},{"name":"SECBUFFER_APPLICATION_PROTOCOLS","features":[329]},{"name":"SECBUFFER_ATTRMASK","features":[329]},{"name":"SECBUFFER_CERTIFICATE_REQUEST_CONTEXT","features":[329]},{"name":"SECBUFFER_CHANGE_PASS_RESPONSE","features":[329]},{"name":"SECBUFFER_CHANNEL_BINDINGS","features":[329]},{"name":"SECBUFFER_CHANNEL_BINDINGS_RESULT","features":[329]},{"name":"SECBUFFER_DATA","features":[329]},{"name":"SECBUFFER_DTLS_MTU","features":[329]},{"name":"SECBUFFER_EMPTY","features":[329]},{"name":"SECBUFFER_EXTRA","features":[329]},{"name":"SECBUFFER_FLAGS","features":[329]},{"name":"SECBUFFER_KERNEL_MAP","features":[329]},{"name":"SECBUFFER_MECHLIST","features":[329]},{"name":"SECBUFFER_MECHLIST_SIGNATURE","features":[329]},{"name":"SECBUFFER_MISSING","features":[329]},{"name":"SECBUFFER_NEGOTIATION_INFO","features":[329]},{"name":"SECBUFFER_PADDING","features":[329]},{"name":"SECBUFFER_PKG_PARAMS","features":[329]},{"name":"SECBUFFER_PRESHARED_KEY","features":[329]},{"name":"SECBUFFER_PRESHARED_KEY_IDENTITY","features":[329]},{"name":"SECBUFFER_READONLY","features":[329]},{"name":"SECBUFFER_READONLY_WITH_CHECKSUM","features":[329]},{"name":"SECBUFFER_RESERVED","features":[329]},{"name":"SECBUFFER_SEND_GENERIC_TLS_EXTENSION","features":[329]},{"name":"SECBUFFER_SRTP_MASTER_KEY_IDENTIFIER","features":[329]},{"name":"SECBUFFER_SRTP_PROTECTION_PROFILES","features":[329]},{"name":"SECBUFFER_STREAM","features":[329]},{"name":"SECBUFFER_STREAM_HEADER","features":[329]},{"name":"SECBUFFER_STREAM_TRAILER","features":[329]},{"name":"SECBUFFER_SUBSCRIBE_GENERIC_TLS_EXTENSION","features":[329]},{"name":"SECBUFFER_TARGET","features":[329]},{"name":"SECBUFFER_TARGET_HOST","features":[329]},{"name":"SECBUFFER_TOKEN","features":[329]},{"name":"SECBUFFER_TOKEN_BINDING","features":[329]},{"name":"SECBUFFER_TRAFFIC_SECRETS","features":[329]},{"name":"SECBUFFER_UNMAPPED","features":[329]},{"name":"SECBUFFER_VERSION","features":[329]},{"name":"SECPKGCONTEXT_CIPHERINFO_V1","features":[329]},{"name":"SECPKGCONTEXT_CONNECTION_INFO_EX_V1","features":[329]},{"name":"SECPKG_ANSI_ATTRIBUTE","features":[329]},{"name":"SECPKG_APP_MODE_INFO","features":[308,329]},{"name":"SECPKG_ATTR","features":[329]},{"name":"SECPKG_ATTR_ACCESS_TOKEN","features":[329]},{"name":"SECPKG_ATTR_APPLICATION_PROTOCOL","features":[329]},{"name":"SECPKG_ATTR_APP_DATA","features":[329]},{"name":"SECPKG_ATTR_AUTHENTICATION_ID","features":[329]},{"name":"SECPKG_ATTR_AUTHORITY","features":[329]},{"name":"SECPKG_ATTR_CC_POLICY_RESULT","features":[329]},{"name":"SECPKG_ATTR_CERT_CHECK_RESULT","features":[329]},{"name":"SECPKG_ATTR_CERT_CHECK_RESULT_INPROC","features":[329]},{"name":"SECPKG_ATTR_CERT_TRUST_STATUS","features":[329]},{"name":"SECPKG_ATTR_CIPHER_INFO","features":[329]},{"name":"SECPKG_ATTR_CIPHER_STRENGTHS","features":[329]},{"name":"SECPKG_ATTR_CLIENT_CERT_POLICY","features":[329]},{"name":"SECPKG_ATTR_CLIENT_SPECIFIED_TARGET","features":[329]},{"name":"SECPKG_ATTR_CONNECTION_INFO","features":[329]},{"name":"SECPKG_ATTR_CONNECTION_INFO_EX","features":[329]},{"name":"SECPKG_ATTR_CONTEXT_DELETED","features":[329]},{"name":"SECPKG_ATTR_CREDENTIAL_NAME","features":[329]},{"name":"SECPKG_ATTR_CREDS","features":[329]},{"name":"SECPKG_ATTR_CREDS_2","features":[329]},{"name":"SECPKG_ATTR_C_ACCESS_TOKEN","features":[329]},{"name":"SECPKG_ATTR_C_FULL_ACCESS_TOKEN","features":[329]},{"name":"SECPKG_ATTR_DCE_INFO","features":[329]},{"name":"SECPKG_ATTR_DTLS_MTU","features":[329]},{"name":"SECPKG_ATTR_EAP_KEY_BLOCK","features":[329]},{"name":"SECPKG_ATTR_EAP_PRF_INFO","features":[329]},{"name":"SECPKG_ATTR_EARLY_START","features":[329]},{"name":"SECPKG_ATTR_ENDPOINT_BINDINGS","features":[329]},{"name":"SECPKG_ATTR_FLAGS","features":[329]},{"name":"SECPKG_ATTR_ISSUER_LIST","features":[329]},{"name":"SECPKG_ATTR_ISSUER_LIST_EX","features":[329]},{"name":"SECPKG_ATTR_IS_LOOPBACK","features":[329]},{"name":"SECPKG_ATTR_KEYING_MATERIAL","features":[329]},{"name":"SECPKG_ATTR_KEYING_MATERIAL_INFO","features":[329]},{"name":"SECPKG_ATTR_KEYING_MATERIAL_INPROC","features":[329]},{"name":"SECPKG_ATTR_KEYING_MATERIAL_TOKEN_BINDING","features":[329]},{"name":"SECPKG_ATTR_KEY_INFO","features":[329]},{"name":"SECPKG_ATTR_LAST_CLIENT_TOKEN_STATUS","features":[329]},{"name":"SECPKG_ATTR_LCT_STATUS","features":[329]},{"name":"SECPKG_ATTR_LIFESPAN","features":[329]},{"name":"SECPKG_ATTR_LOCAL_CERT_CONTEXT","features":[329]},{"name":"SECPKG_ATTR_LOCAL_CERT_INFO","features":[329]},{"name":"SECPKG_ATTR_LOCAL_CRED","features":[329]},{"name":"SECPKG_ATTR_LOGOFF_TIME","features":[329]},{"name":"SECPKG_ATTR_MAPPED_CRED_ATTR","features":[329]},{"name":"SECPKG_ATTR_NAMES","features":[329]},{"name":"SECPKG_ATTR_NATIVE_NAMES","features":[329]},{"name":"SECPKG_ATTR_NEGOTIATED_TLS_EXTENSIONS","features":[329]},{"name":"SECPKG_ATTR_NEGOTIATION_INFO","features":[329]},{"name":"SECPKG_ATTR_NEGOTIATION_PACKAGE","features":[329]},{"name":"SECPKG_ATTR_NEGO_INFO_FLAG_NO_KERBEROS","features":[329]},{"name":"SECPKG_ATTR_NEGO_INFO_FLAG_NO_NTLM","features":[329]},{"name":"SECPKG_ATTR_NEGO_KEYS","features":[329]},{"name":"SECPKG_ATTR_NEGO_PKG_INFO","features":[329]},{"name":"SECPKG_ATTR_NEGO_STATUS","features":[329]},{"name":"SECPKG_ATTR_PACKAGE_INFO","features":[329]},{"name":"SECPKG_ATTR_PASSWORD_EXPIRY","features":[329]},{"name":"SECPKG_ATTR_PROMPTING_NEEDED","features":[329]},{"name":"SECPKG_ATTR_PROTO_INFO","features":[329]},{"name":"SECPKG_ATTR_REMOTE_CERTIFICATES","features":[329]},{"name":"SECPKG_ATTR_REMOTE_CERT_CHAIN","features":[329]},{"name":"SECPKG_ATTR_REMOTE_CERT_CONTEXT","features":[329]},{"name":"SECPKG_ATTR_REMOTE_CRED","features":[329]},{"name":"SECPKG_ATTR_ROOT_STORE","features":[329]},{"name":"SECPKG_ATTR_SASL_CONTEXT","features":[329]},{"name":"SECPKG_ATTR_SERIALIZED_REMOTE_CERT_CONTEXT","features":[329]},{"name":"SECPKG_ATTR_SERIALIZED_REMOTE_CERT_CONTEXT_INPROC","features":[329]},{"name":"SECPKG_ATTR_SERVER_AUTH_FLAGS","features":[329]},{"name":"SECPKG_ATTR_SESSION_INFO","features":[329]},{"name":"SECPKG_ATTR_SESSION_KEY","features":[329]},{"name":"SECPKG_ATTR_SESSION_TICKET_KEYS","features":[329]},{"name":"SECPKG_ATTR_SIZES","features":[329]},{"name":"SECPKG_ATTR_SRTP_PARAMETERS","features":[329]},{"name":"SECPKG_ATTR_STREAM_SIZES","features":[329]},{"name":"SECPKG_ATTR_SUBJECT_SECURITY_ATTRIBUTES","features":[329]},{"name":"SECPKG_ATTR_SUPPORTED_ALGS","features":[329]},{"name":"SECPKG_ATTR_SUPPORTED_PROTOCOLS","features":[329]},{"name":"SECPKG_ATTR_SUPPORTED_SIGNATURES","features":[329]},{"name":"SECPKG_ATTR_TARGET","features":[329]},{"name":"SECPKG_ATTR_TARGET_INFORMATION","features":[329]},{"name":"SECPKG_ATTR_THUNK_ALL","features":[329]},{"name":"SECPKG_ATTR_TOKEN_BINDING","features":[329]},{"name":"SECPKG_ATTR_UI_INFO","features":[329]},{"name":"SECPKG_ATTR_UNIQUE_BINDINGS","features":[329]},{"name":"SECPKG_ATTR_USER_FLAGS","features":[329]},{"name":"SECPKG_ATTR_USE_NCRYPT","features":[329]},{"name":"SECPKG_ATTR_USE_VALIDATED","features":[329]},{"name":"SECPKG_BYTE_VECTOR","features":[329]},{"name":"SECPKG_CALLFLAGS_APPCONTAINER","features":[329]},{"name":"SECPKG_CALLFLAGS_APPCONTAINER_AUTHCAPABLE","features":[329]},{"name":"SECPKG_CALLFLAGS_APPCONTAINER_UPNCAPABLE","features":[329]},{"name":"SECPKG_CALLFLAGS_FORCE_SUPPLIED","features":[329]},{"name":"SECPKG_CALL_ANSI","features":[329]},{"name":"SECPKG_CALL_ASYNC_UPDATE","features":[329]},{"name":"SECPKG_CALL_BUFFER_MARSHAL","features":[329]},{"name":"SECPKG_CALL_CLEANUP","features":[329]},{"name":"SECPKG_CALL_CLOUDAP_CONNECT","features":[329]},{"name":"SECPKG_CALL_INFO","features":[329]},{"name":"SECPKG_CALL_IN_PROC","features":[329]},{"name":"SECPKG_CALL_IS_TCB","features":[329]},{"name":"SECPKG_CALL_KERNEL_MODE","features":[329]},{"name":"SECPKG_CALL_NEGO","features":[329]},{"name":"SECPKG_CALL_NEGO_EXTENDER","features":[329]},{"name":"SECPKG_CALL_NETWORK_ONLY","features":[329]},{"name":"SECPKG_CALL_PACKAGE_MESSAGE_TYPE","features":[329]},{"name":"SECPKG_CALL_PACKAGE_PIN_DC_REQUEST","features":[329]},{"name":"SECPKG_CALL_PACKAGE_TRANSFER_CRED_REQUEST","features":[308,329]},{"name":"SECPKG_CALL_PACKAGE_TRANSFER_CRED_REQUEST_FLAG_CLEANUP_CREDENTIALS","features":[329]},{"name":"SECPKG_CALL_PACKAGE_TRANSFER_CRED_REQUEST_FLAG_OPTIMISTIC_LOGON","features":[329]},{"name":"SECPKG_CALL_PACKAGE_TRANSFER_CRED_REQUEST_FLAG_TO_SSO_SESSION","features":[329]},{"name":"SECPKG_CALL_PACKAGE_UNPIN_ALL_DCS_REQUEST","features":[329]},{"name":"SECPKG_CALL_PROCESS_TERM","features":[329]},{"name":"SECPKG_CALL_RECURSIVE","features":[329]},{"name":"SECPKG_CALL_SYSTEM_PROC","features":[329]},{"name":"SECPKG_CALL_THREAD_TERM","features":[329]},{"name":"SECPKG_CALL_UNLOCK","features":[329]},{"name":"SECPKG_CALL_URGENT","features":[329]},{"name":"SECPKG_CALL_WINLOGON","features":[329]},{"name":"SECPKG_CALL_WOWA32","features":[329]},{"name":"SECPKG_CALL_WOWCLIENT","features":[329]},{"name":"SECPKG_CALL_WOWX86","features":[329]},{"name":"SECPKG_CLIENT_INFO","features":[308,329]},{"name":"SECPKG_CLIENT_INFO_EX","features":[308,329]},{"name":"SECPKG_CLIENT_PROCESS_TERMINATED","features":[329]},{"name":"SECPKG_CLIENT_THREAD_TERMINATED","features":[329]},{"name":"SECPKG_CONTEXT_EXPORT_DELETE_OLD","features":[329]},{"name":"SECPKG_CONTEXT_EXPORT_RESET_NEW","features":[329]},{"name":"SECPKG_CONTEXT_EXPORT_TO_KERNEL","features":[329]},{"name":"SECPKG_CONTEXT_THUNKS","features":[329]},{"name":"SECPKG_CRED","features":[329]},{"name":"SECPKG_CREDENTIAL","features":[308,329]},{"name":"SECPKG_CREDENTIAL_ATTRIBUTE","features":[329]},{"name":"SECPKG_CREDENTIAL_FLAGS_CALLER_HAS_TCB","features":[329]},{"name":"SECPKG_CREDENTIAL_FLAGS_CREDMAN_CRED","features":[329]},{"name":"SECPKG_CREDENTIAL_VERSION","features":[329]},{"name":"SECPKG_CRED_ATTR_CERT","features":[329]},{"name":"SECPKG_CRED_ATTR_KDC_PROXY_SETTINGS","features":[329]},{"name":"SECPKG_CRED_ATTR_NAMES","features":[329]},{"name":"SECPKG_CRED_ATTR_PAC_BYPASS","features":[329]},{"name":"SECPKG_CRED_ATTR_SSI_PROVIDER","features":[329]},{"name":"SECPKG_CRED_AUTOLOGON_RESTRICTED","features":[329]},{"name":"SECPKG_CRED_BOTH","features":[329]},{"name":"SECPKG_CRED_CLASS","features":[329]},{"name":"SECPKG_CRED_DEFAULT","features":[329]},{"name":"SECPKG_CRED_INBOUND","features":[329]},{"name":"SECPKG_CRED_OUTBOUND","features":[329]},{"name":"SECPKG_CRED_PROCESS_POLICY_ONLY","features":[329]},{"name":"SECPKG_CRED_RESERVED","features":[329]},{"name":"SECPKG_DLL_FUNCTIONS","features":[308,329]},{"name":"SECPKG_EVENT_NOTIFY","features":[329]},{"name":"SECPKG_EVENT_PACKAGE_CHANGE","features":[329]},{"name":"SECPKG_EVENT_ROLE_CHANGE","features":[329]},{"name":"SECPKG_EXTENDED_INFORMATION","features":[329]},{"name":"SECPKG_EXTENDED_INFORMATION_CLASS","features":[329]},{"name":"SECPKG_EXTRA_OIDS","features":[329]},{"name":"SECPKG_FLAG_ACCEPT_WIN32_NAME","features":[329]},{"name":"SECPKG_FLAG_APPCONTAINER_CHECKS","features":[329]},{"name":"SECPKG_FLAG_APPCONTAINER_PASSTHROUGH","features":[329]},{"name":"SECPKG_FLAG_APPLY_LOOPBACK","features":[329]},{"name":"SECPKG_FLAG_ASCII_BUFFERS","features":[329]},{"name":"SECPKG_FLAG_CLIENT_ONLY","features":[329]},{"name":"SECPKG_FLAG_CONNECTION","features":[329]},{"name":"SECPKG_FLAG_CREDENTIAL_ISOLATION_ENABLED","features":[329]},{"name":"SECPKG_FLAG_DATAGRAM","features":[329]},{"name":"SECPKG_FLAG_DELEGATION","features":[329]},{"name":"SECPKG_FLAG_EXTENDED_ERROR","features":[329]},{"name":"SECPKG_FLAG_FRAGMENT","features":[329]},{"name":"SECPKG_FLAG_GSS_COMPATIBLE","features":[329]},{"name":"SECPKG_FLAG_IMPERSONATION","features":[329]},{"name":"SECPKG_FLAG_INTEGRITY","features":[329]},{"name":"SECPKG_FLAG_LOGON","features":[329]},{"name":"SECPKG_FLAG_MULTI_REQUIRED","features":[329]},{"name":"SECPKG_FLAG_MUTUAL_AUTH","features":[329]},{"name":"SECPKG_FLAG_NEGOTIABLE","features":[329]},{"name":"SECPKG_FLAG_NEGOTIABLE2","features":[329]},{"name":"SECPKG_FLAG_NEGO_EXTENDER","features":[329]},{"name":"SECPKG_FLAG_PRIVACY","features":[329]},{"name":"SECPKG_FLAG_READONLY_WITH_CHECKSUM","features":[329]},{"name":"SECPKG_FLAG_RESTRICTED_TOKENS","features":[329]},{"name":"SECPKG_FLAG_STREAM","features":[329]},{"name":"SECPKG_FLAG_TOKEN_ONLY","features":[329]},{"name":"SECPKG_FUNCTION_TABLE","features":[308,329,481,343]},{"name":"SECPKG_GSS_INFO","features":[329]},{"name":"SECPKG_ID_NONE","features":[329]},{"name":"SECPKG_INTERFACE_VERSION","features":[329]},{"name":"SECPKG_INTERFACE_VERSION_10","features":[329]},{"name":"SECPKG_INTERFACE_VERSION_11","features":[329]},{"name":"SECPKG_INTERFACE_VERSION_2","features":[329]},{"name":"SECPKG_INTERFACE_VERSION_3","features":[329]},{"name":"SECPKG_INTERFACE_VERSION_4","features":[329]},{"name":"SECPKG_INTERFACE_VERSION_5","features":[329]},{"name":"SECPKG_INTERFACE_VERSION_6","features":[329]},{"name":"SECPKG_INTERFACE_VERSION_7","features":[329]},{"name":"SECPKG_INTERFACE_VERSION_8","features":[329]},{"name":"SECPKG_INTERFACE_VERSION_9","features":[329]},{"name":"SECPKG_KERNEL_FUNCTIONS","features":[308,329,314]},{"name":"SECPKG_KERNEL_FUNCTION_TABLE","features":[308,329,314]},{"name":"SECPKG_LSAMODEINIT_NAME","features":[329]},{"name":"SECPKG_MAX_OID_LENGTH","features":[329]},{"name":"SECPKG_MSVAV_FLAGS_VALID","features":[329]},{"name":"SECPKG_MSVAV_TIMESTAMP_VALID","features":[329]},{"name":"SECPKG_MUTUAL_AUTH_LEVEL","features":[329]},{"name":"SECPKG_NAME_TYPE","features":[329]},{"name":"SECPKG_NEGO2_INFO","features":[329]},{"name":"SECPKG_NEGOTIATION_COMPLETE","features":[329]},{"name":"SECPKG_NEGOTIATION_DIRECT","features":[329]},{"name":"SECPKG_NEGOTIATION_IN_PROGRESS","features":[329]},{"name":"SECPKG_NEGOTIATION_OPTIMISTIC","features":[329]},{"name":"SECPKG_NEGOTIATION_TRY_MULTICRED","features":[329]},{"name":"SECPKG_NTLM_TARGETINFO","features":[308,329]},{"name":"SECPKG_OPTIONS_PERMANENT","features":[329]},{"name":"SECPKG_OPTIONS_TYPE_LSA","features":[329]},{"name":"SECPKG_OPTIONS_TYPE_SSPI","features":[329]},{"name":"SECPKG_OPTIONS_TYPE_UNKNOWN","features":[329]},{"name":"SECPKG_PACKAGE_CHANGE_LOAD","features":[329]},{"name":"SECPKG_PACKAGE_CHANGE_SELECT","features":[329]},{"name":"SECPKG_PACKAGE_CHANGE_TYPE","features":[329]},{"name":"SECPKG_PACKAGE_CHANGE_UNLOAD","features":[329]},{"name":"SECPKG_PARAMETERS","features":[308,329]},{"name":"SECPKG_POST_LOGON_USER_INFO","features":[308,329]},{"name":"SECPKG_PRIMARY_CRED","features":[308,329]},{"name":"SECPKG_PRIMARY_CRED_EX","features":[308,329]},{"name":"SECPKG_PRIMARY_CRED_EX_FLAGS_EX_DELEGATION_TOKEN","features":[329]},{"name":"SECPKG_REDIRECTED_LOGON_BUFFER","features":[308,329]},{"name":"SECPKG_REDIRECTED_LOGON_GUID_INITIALIZER","features":[329]},{"name":"SECPKG_SERIALIZED_OID","features":[329]},{"name":"SECPKG_SESSIONINFO_TYPE","features":[329]},{"name":"SECPKG_SHORT_VECTOR","features":[329]},{"name":"SECPKG_STATE_CRED_ISOLATION_ENABLED","features":[329]},{"name":"SECPKG_STATE_DOMAIN_CONTROLLER","features":[329]},{"name":"SECPKG_STATE_ENCRYPTION_PERMITTED","features":[329]},{"name":"SECPKG_STATE_RESERVED_1","features":[329]},{"name":"SECPKG_STATE_STANDALONE","features":[329]},{"name":"SECPKG_STATE_STRONG_ENCRYPTION_PERMITTED","features":[329]},{"name":"SECPKG_STATE_WORKSTATION","features":[329]},{"name":"SECPKG_SUPPLEMENTAL_CRED","features":[329]},{"name":"SECPKG_SUPPLEMENTAL_CRED_ARRAY","features":[329]},{"name":"SECPKG_SUPPLIED_CREDENTIAL","features":[329]},{"name":"SECPKG_SURROGATE_LOGON","features":[308,329]},{"name":"SECPKG_SURROGATE_LOGON_ENTRY","features":[329]},{"name":"SECPKG_SURROGATE_LOGON_VERSION_1","features":[329]},{"name":"SECPKG_TARGETINFO","features":[308,329]},{"name":"SECPKG_UNICODE_ATTRIBUTE","features":[329]},{"name":"SECPKG_USERMODEINIT_NAME","features":[329]},{"name":"SECPKG_USER_FUNCTION_TABLE","features":[308,329]},{"name":"SECPKG_WOW_CLIENT_DLL","features":[329]},{"name":"SECQOP_WRAP_NO_ENCRYPT","features":[329]},{"name":"SECQOP_WRAP_OOB_DATA","features":[329]},{"name":"SECRET_QUERY_VALUE","features":[329]},{"name":"SECRET_SET_VALUE","features":[329]},{"name":"SECURITY_ENTRYPOINT","features":[329]},{"name":"SECURITY_ENTRYPOINT16","features":[329]},{"name":"SECURITY_ENTRYPOINT_ANSI","features":[329]},{"name":"SECURITY_ENTRYPOINT_ANSIA","features":[329]},{"name":"SECURITY_ENTRYPOINT_ANSIW","features":[329]},{"name":"SECURITY_LOGON_SESSION_DATA","features":[308,329]},{"name":"SECURITY_LOGON_TYPE","features":[329]},{"name":"SECURITY_NATIVE_DREP","features":[329]},{"name":"SECURITY_NETWORK_DREP","features":[329]},{"name":"SECURITY_PACKAGE_OPTIONS","features":[329]},{"name":"SECURITY_PACKAGE_OPTIONS_TYPE","features":[329]},{"name":"SECURITY_STRING","features":[329]},{"name":"SECURITY_SUPPORT_PROVIDER_INTERFACE_VERSION","features":[329]},{"name":"SECURITY_SUPPORT_PROVIDER_INTERFACE_VERSION_2","features":[329]},{"name":"SECURITY_SUPPORT_PROVIDER_INTERFACE_VERSION_3","features":[329]},{"name":"SECURITY_SUPPORT_PROVIDER_INTERFACE_VERSION_4","features":[329]},{"name":"SECURITY_SUPPORT_PROVIDER_INTERFACE_VERSION_5","features":[329]},{"name":"SECURITY_USER_DATA","features":[308,329]},{"name":"SEC_APPLICATION_PROTOCOLS","features":[329]},{"name":"SEC_APPLICATION_PROTOCOL_LIST","features":[329]},{"name":"SEC_APPLICATION_PROTOCOL_NEGOTIATION_EXT","features":[329]},{"name":"SEC_APPLICATION_PROTOCOL_NEGOTIATION_STATUS","features":[329]},{"name":"SEC_CERTIFICATE_REQUEST_CONTEXT","features":[329]},{"name":"SEC_CHANNEL_BINDINGS","features":[329]},{"name":"SEC_CHANNEL_BINDINGS_AUDIT_BINDINGS","features":[329]},{"name":"SEC_CHANNEL_BINDINGS_EX","features":[329]},{"name":"SEC_CHANNEL_BINDINGS_RESULT","features":[329]},{"name":"SEC_CHANNEL_BINDINGS_RESULT_ABSENT","features":[329]},{"name":"SEC_CHANNEL_BINDINGS_RESULT_CLIENT_SUPPORT","features":[329]},{"name":"SEC_CHANNEL_BINDINGS_RESULT_NOTVALID_MISMATCH","features":[329]},{"name":"SEC_CHANNEL_BINDINGS_RESULT_NOTVALID_MISSING","features":[329]},{"name":"SEC_CHANNEL_BINDINGS_RESULT_VALID_MATCHED","features":[329]},{"name":"SEC_CHANNEL_BINDINGS_RESULT_VALID_MISSING","features":[329]},{"name":"SEC_CHANNEL_BINDINGS_RESULT_VALID_PROXY","features":[329]},{"name":"SEC_CHANNEL_BINDINGS_VALID_FLAGS","features":[329]},{"name":"SEC_DTLS_MTU","features":[329]},{"name":"SEC_FLAGS","features":[329]},{"name":"SEC_GET_KEY_FN","features":[329]},{"name":"SEC_NEGOTIATION_INFO","features":[329]},{"name":"SEC_PRESHAREDKEY","features":[329]},{"name":"SEC_PRESHAREDKEY_IDENTITY","features":[329]},{"name":"SEC_SRTP_MASTER_KEY_IDENTIFIER","features":[329]},{"name":"SEC_SRTP_PROTECTION_PROFILES","features":[329]},{"name":"SEC_TOKEN_BINDING","features":[329]},{"name":"SEC_TRAFFIC_SECRETS","features":[329]},{"name":"SEC_TRAFFIC_SECRET_TYPE","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY32","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_ENCRYPT_FOR_SYSTEM","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_ENCRYPT_SAME_LOGON","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_ENCRYPT_SAME_PROCESS","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_EX2","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_EX32","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_EXA","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_EXW","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_ID_PROVIDER","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_NULL_DOMAIN","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_NULL_USER","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_PROCESS_ENCRYPTED","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_RESERVED","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_SSPIPFC_CREDPROV_DO_NOT_LOAD","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_SSPIPFC_CREDPROV_DO_NOT_SAVE","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_SSPIPFC_NO_CHECKBOX","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_SSPIPFC_SAVE_CRED_BY_CALLER","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_SSPIPFC_SAVE_CRED_CHECKED","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_SSPIPFC_USE_MASK","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_SYSTEM_ENCRYPTED","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_SYSTEM_PROTECTED","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_FLAGS_USER_PROTECTED","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_INFO","features":[329,325]},{"name":"SEC_WINNT_AUTH_IDENTITY_MARSHALLED","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_ONLY","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_VERSION","features":[329]},{"name":"SEC_WINNT_AUTH_IDENTITY_VERSION_2","features":[329]},{"name":"SEND_GENERIC_TLS_EXTENSION","features":[329]},{"name":"SESSION_TICKET_INFO_V0","features":[329]},{"name":"SESSION_TICKET_INFO_VERSION","features":[329]},{"name":"SET_CONTEXT_ATTRIBUTES_FN_A","features":[329,481]},{"name":"SET_CONTEXT_ATTRIBUTES_FN_W","features":[329,481]},{"name":"SET_CREDENTIALS_ATTRIBUTES_FN_A","features":[329,481]},{"name":"SET_CREDENTIALS_ATTRIBUTES_FN_W","features":[329,481]},{"name":"SE_ADT_ACCESS_REASON","features":[329]},{"name":"SE_ADT_CLAIMS","features":[329]},{"name":"SE_ADT_OBJECT_ONLY","features":[329]},{"name":"SE_ADT_OBJECT_TYPE","features":[329]},{"name":"SE_ADT_PARAMETERS_SELF_RELATIVE","features":[329]},{"name":"SE_ADT_PARAMETERS_SEND_TO_LSA","features":[329]},{"name":"SE_ADT_PARAMETER_ARRAY","features":[329]},{"name":"SE_ADT_PARAMETER_ARRAY_ENTRY","features":[329]},{"name":"SE_ADT_PARAMETER_ARRAY_EX","features":[329]},{"name":"SE_ADT_PARAMETER_EXTENSIBLE_AUDIT","features":[329]},{"name":"SE_ADT_PARAMETER_GENERIC_AUDIT","features":[329]},{"name":"SE_ADT_PARAMETER_TYPE","features":[329]},{"name":"SE_ADT_PARAMETER_WRITE_SYNCHRONOUS","features":[329]},{"name":"SE_ADT_POLICY_AUDIT_EVENT_TYPE_EX_BEGIN","features":[329]},{"name":"SE_BATCH_LOGON_NAME","features":[329]},{"name":"SE_DENY_BATCH_LOGON_NAME","features":[329]},{"name":"SE_DENY_INTERACTIVE_LOGON_NAME","features":[329]},{"name":"SE_DENY_NETWORK_LOGON_NAME","features":[329]},{"name":"SE_DENY_REMOTE_INTERACTIVE_LOGON_NAME","features":[329]},{"name":"SE_DENY_SERVICE_LOGON_NAME","features":[329]},{"name":"SE_INTERACTIVE_LOGON_NAME","features":[329]},{"name":"SE_MAX_AUDIT_PARAMETERS","features":[329]},{"name":"SE_MAX_GENERIC_AUDIT_PARAMETERS","features":[329]},{"name":"SE_NETWORK_LOGON_NAME","features":[329]},{"name":"SE_REMOTE_INTERACTIVE_LOGON_NAME","features":[329]},{"name":"SE_SERVICE_LOGON_NAME","features":[329]},{"name":"SLAcquireGenuineTicket","features":[329]},{"name":"SLActivateProduct","features":[329]},{"name":"SLClose","features":[329]},{"name":"SLConsumeRight","features":[329]},{"name":"SLDATATYPE","features":[329]},{"name":"SLDepositOfflineConfirmationId","features":[329]},{"name":"SLDepositOfflineConfirmationIdEx","features":[329]},{"name":"SLFireEvent","features":[329]},{"name":"SLGenerateOfflineInstallationId","features":[329]},{"name":"SLGenerateOfflineInstallationIdEx","features":[329]},{"name":"SLGetApplicationInformation","features":[329]},{"name":"SLGetGenuineInformation","features":[329]},{"name":"SLGetInstalledProductKeyIds","features":[329]},{"name":"SLGetLicense","features":[329]},{"name":"SLGetLicenseFileId","features":[329]},{"name":"SLGetLicenseInformation","features":[329]},{"name":"SLGetLicensingStatusInformation","features":[329]},{"name":"SLGetPKeyId","features":[329]},{"name":"SLGetPKeyInformation","features":[329]},{"name":"SLGetPolicyInformation","features":[329]},{"name":"SLGetPolicyInformationDWORD","features":[329]},{"name":"SLGetProductSkuInformation","features":[329]},{"name":"SLGetReferralInformation","features":[329]},{"name":"SLGetSLIDList","features":[329]},{"name":"SLGetServerStatus","features":[329]},{"name":"SLGetServiceInformation","features":[329]},{"name":"SLGetWindowsInformation","features":[329]},{"name":"SLGetWindowsInformationDWORD","features":[329]},{"name":"SLIDTYPE","features":[329]},{"name":"SLInstallLicense","features":[329]},{"name":"SLInstallProofOfPurchase","features":[329]},{"name":"SLIsGenuineLocal","features":[329]},{"name":"SLLICENSINGSTATUS","features":[329]},{"name":"SLOpen","features":[329]},{"name":"SLQueryLicenseValueFromApp","features":[329]},{"name":"SLREFERRALTYPE","features":[329]},{"name":"SLRegisterEvent","features":[308,329]},{"name":"SLSetCurrentProductKey","features":[329]},{"name":"SLSetGenuineInformation","features":[329]},{"name":"SLUninstallLicense","features":[329]},{"name":"SLUninstallProofOfPurchase","features":[329]},{"name":"SLUnregisterEvent","features":[308,329]},{"name":"SL_ACTIVATION_INFO_HEADER","features":[329]},{"name":"SL_ACTIVATION_TYPE","features":[329]},{"name":"SL_ACTIVATION_TYPE_ACTIVE_DIRECTORY","features":[329]},{"name":"SL_ACTIVATION_TYPE_DEFAULT","features":[329]},{"name":"SL_AD_ACTIVATION_INFO","features":[329]},{"name":"SL_CLIENTAPI_ZONE","features":[329]},{"name":"SL_DATA_BINARY","features":[329]},{"name":"SL_DATA_DWORD","features":[329]},{"name":"SL_DATA_MULTI_SZ","features":[329]},{"name":"SL_DATA_NONE","features":[329]},{"name":"SL_DATA_SUM","features":[329]},{"name":"SL_DATA_SZ","features":[329]},{"name":"SL_DEFAULT_MIGRATION_ENCRYPTOR_URI","features":[329]},{"name":"SL_EVENT_LICENSING_STATE_CHANGED","features":[329]},{"name":"SL_EVENT_POLICY_CHANGED","features":[329]},{"name":"SL_EVENT_USER_NOTIFICATION","features":[329]},{"name":"SL_E_ACTIVATION_IN_PROGRESS","features":[329]},{"name":"SL_E_APPLICATION_POLICIES_MISSING","features":[329]},{"name":"SL_E_APPLICATION_POLICIES_NOT_LOADED","features":[329]},{"name":"SL_E_AUTHN_CANT_VERIFY","features":[329]},{"name":"SL_E_AUTHN_CHALLENGE_NOT_SET","features":[329]},{"name":"SL_E_AUTHN_MISMATCHED_KEY","features":[329]},{"name":"SL_E_AUTHN_WRONG_VERSION","features":[329]},{"name":"SL_E_BASE_SKU_NOT_AVAILABLE","features":[329]},{"name":"SL_E_BIOS_KEY","features":[329]},{"name":"SL_E_BLOCKED_PRODUCT_KEY","features":[329]},{"name":"SL_E_CHPA_ACTCONFIG_ID_NOT_FOUND","features":[329]},{"name":"SL_E_CHPA_BINDING_MAPPING_NOT_FOUND","features":[329]},{"name":"SL_E_CHPA_BINDING_NOT_FOUND","features":[329]},{"name":"SL_E_CHPA_BUSINESS_RULE_INPUT_NOT_FOUND","features":[329]},{"name":"SL_E_CHPA_DATABASE_ERROR","features":[329]},{"name":"SL_E_CHPA_DIGITALMARKER_BINDING_NOT_CONFIGURED","features":[329]},{"name":"SL_E_CHPA_DIGITALMARKER_INVALID_BINDING","features":[329]},{"name":"SL_E_CHPA_DMAK_EXTENSION_LIMIT_EXCEEDED","features":[329]},{"name":"SL_E_CHPA_DMAK_LIMIT_EXCEEDED","features":[329]},{"name":"SL_E_CHPA_DYNAMICALLY_BLOCKED_PRODUCT_KEY","features":[329]},{"name":"SL_E_CHPA_FAILED_TO_DELETE_PRODUCTKEY_BINDING","features":[329]},{"name":"SL_E_CHPA_FAILED_TO_DELETE_PRODUCT_KEY_PROPERTY","features":[329]},{"name":"SL_E_CHPA_FAILED_TO_INSERT_PRODUCTKEY_BINDING","features":[329]},{"name":"SL_E_CHPA_FAILED_TO_INSERT_PRODUCT_KEY_PROPERTY","features":[329]},{"name":"SL_E_CHPA_FAILED_TO_INSERT_PRODUCT_KEY_RECORD","features":[329]},{"name":"SL_E_CHPA_FAILED_TO_PROCESS_PRODUCT_KEY_BINDINGS_XML","features":[329]},{"name":"SL_E_CHPA_FAILED_TO_UPDATE_PRODUCTKEY_BINDING","features":[329]},{"name":"SL_E_CHPA_FAILED_TO_UPDATE_PRODUCT_KEY_PROPERTY","features":[329]},{"name":"SL_E_CHPA_FAILED_TO_UPDATE_PRODUCT_KEY_RECORD","features":[329]},{"name":"SL_E_CHPA_GENERAL_ERROR","features":[329]},{"name":"SL_E_CHPA_INVALID_ACTCONFIG_ID","features":[329]},{"name":"SL_E_CHPA_INVALID_ARGUMENT","features":[329]},{"name":"SL_E_CHPA_INVALID_BINDING","features":[329]},{"name":"SL_E_CHPA_INVALID_BINDING_URI","features":[329]},{"name":"SL_E_CHPA_INVALID_PRODUCT_DATA","features":[329]},{"name":"SL_E_CHPA_INVALID_PRODUCT_DATA_ID","features":[329]},{"name":"SL_E_CHPA_INVALID_PRODUCT_KEY","features":[329]},{"name":"SL_E_CHPA_INVALID_PRODUCT_KEY_CHAR","features":[329]},{"name":"SL_E_CHPA_INVALID_PRODUCT_KEY_FORMAT","features":[329]},{"name":"SL_E_CHPA_INVALID_PRODUCT_KEY_LENGTH","features":[329]},{"name":"SL_E_CHPA_MAXIMUM_UNLOCK_EXCEEDED","features":[329]},{"name":"SL_E_CHPA_MSCH_RESPONSE_NOT_AVAILABLE_VGA","features":[329]},{"name":"SL_E_CHPA_NETWORK_ERROR","features":[329]},{"name":"SL_E_CHPA_NO_RULES_TO_ACTIVATE","features":[329]},{"name":"SL_E_CHPA_NULL_VALUE_FOR_PROPERTY_NAME_OR_ID","features":[329]},{"name":"SL_E_CHPA_OEM_SLP_COA0","features":[329]},{"name":"SL_E_CHPA_OVERRIDE_REQUEST_NOT_FOUND","features":[329]},{"name":"SL_E_CHPA_PRODUCT_KEY_BEING_USED","features":[329]},{"name":"SL_E_CHPA_PRODUCT_KEY_BLOCKED","features":[329]},{"name":"SL_E_CHPA_PRODUCT_KEY_BLOCKED_IPLOCATION","features":[329]},{"name":"SL_E_CHPA_PRODUCT_KEY_OUT_OF_RANGE","features":[329]},{"name":"SL_E_CHPA_REISSUANCE_LIMIT_NOT_FOUND","features":[329]},{"name":"SL_E_CHPA_RESPONSE_NOT_AVAILABLE","features":[329]},{"name":"SL_E_CHPA_SYSTEM_ERROR","features":[329]},{"name":"SL_E_CHPA_TIMEBASED_ACTIVATION_AFTER_END_DATE","features":[329]},{"name":"SL_E_CHPA_TIMEBASED_ACTIVATION_BEFORE_START_DATE","features":[329]},{"name":"SL_E_CHPA_TIMEBASED_ACTIVATION_NOT_AVAILABLE","features":[329]},{"name":"SL_E_CHPA_TIMEBASED_PRODUCT_KEY_NOT_CONFIGURED","features":[329]},{"name":"SL_E_CHPA_UNKNOWN_PRODUCT_KEY_TYPE","features":[329]},{"name":"SL_E_CHPA_UNKNOWN_PROPERTY_ID","features":[329]},{"name":"SL_E_CHPA_UNKNOWN_PROPERTY_NAME","features":[329]},{"name":"SL_E_CHPA_UNSUPPORTED_PRODUCT_KEY","features":[329]},{"name":"SL_E_CIDIID_INVALID_CHECK_DIGITS","features":[329]},{"name":"SL_E_CIDIID_INVALID_DATA","features":[329]},{"name":"SL_E_CIDIID_INVALID_DATA_LENGTH","features":[329]},{"name":"SL_E_CIDIID_INVALID_VERSION","features":[329]},{"name":"SL_E_CIDIID_MISMATCHED","features":[329]},{"name":"SL_E_CIDIID_MISMATCHED_PKEY","features":[329]},{"name":"SL_E_CIDIID_NOT_BOUND","features":[329]},{"name":"SL_E_CIDIID_NOT_DEPOSITED","features":[329]},{"name":"SL_E_CIDIID_VERSION_NOT_SUPPORTED","features":[329]},{"name":"SL_E_DATATYPE_MISMATCHED","features":[329]},{"name":"SL_E_DECRYPTION_LICENSES_NOT_AVAILABLE","features":[329]},{"name":"SL_E_DEPENDENT_PROPERTY_NOT_SET","features":[329]},{"name":"SL_E_DOWNLEVEL_SETUP_KEY","features":[329]},{"name":"SL_E_DUPLICATE_POLICY","features":[329]},{"name":"SL_E_EDITION_MISMATCHED","features":[329]},{"name":"SL_E_ENGINE_DETECTED_EXPLOIT","features":[329]},{"name":"SL_E_EUL_CONSUMPTION_FAILED","features":[329]},{"name":"SL_E_EUL_NOT_AVAILABLE","features":[329]},{"name":"SL_E_EVALUATION_FAILED","features":[329]},{"name":"SL_E_EVENT_ALREADY_REGISTERED","features":[329]},{"name":"SL_E_EVENT_NOT_REGISTERED","features":[329]},{"name":"SL_E_EXTERNAL_SIGNATURE_NOT_FOUND","features":[329]},{"name":"SL_E_GRACE_TIME_EXPIRED","features":[329]},{"name":"SL_E_HEALTH_CHECK_FAILED_MUI_FILES","features":[329]},{"name":"SL_E_HEALTH_CHECK_FAILED_NEUTRAL_FILES","features":[329]},{"name":"SL_E_HWID_CHANGED","features":[329]},{"name":"SL_E_HWID_ERROR","features":[329]},{"name":"SL_E_IA_ID_MISMATCH","features":[329]},{"name":"SL_E_IA_INVALID_VIRTUALIZATION_PLATFORM","features":[329]},{"name":"SL_E_IA_MACHINE_NOT_BOUND","features":[329]},{"name":"SL_E_IA_PARENT_PARTITION_NOT_ACTIVATED","features":[329]},{"name":"SL_E_IA_THROTTLE_LIMIT_EXCEEDED","features":[329]},{"name":"SL_E_INTERNAL_ERROR","features":[329]},{"name":"SL_E_INVALID_AD_DATA","features":[329]},{"name":"SL_E_INVALID_BINDING_BLOB","features":[329]},{"name":"SL_E_INVALID_CLIENT_TOKEN","features":[329]},{"name":"SL_E_INVALID_CONTEXT","features":[329]},{"name":"SL_E_INVALID_CONTEXT_DATA","features":[329]},{"name":"SL_E_INVALID_EVENT_ID","features":[329]},{"name":"SL_E_INVALID_FILE_HASH","features":[329]},{"name":"SL_E_INVALID_GUID","features":[329]},{"name":"SL_E_INVALID_HASH","features":[329]},{"name":"SL_E_INVALID_LICENSE","features":[329]},{"name":"SL_E_INVALID_LICENSE_STATE","features":[329]},{"name":"SL_E_INVALID_LICENSE_STATE_BREACH_GRACE","features":[329]},{"name":"SL_E_INVALID_LICENSE_STATE_BREACH_GRACE_EXPIRED","features":[329]},{"name":"SL_E_INVALID_OEM_OR_VOLUME_BINDING_DATA","features":[329]},{"name":"SL_E_INVALID_OFFLINE_BLOB","features":[329]},{"name":"SL_E_INVALID_OSVERSION_TEMPLATEID","features":[329]},{"name":"SL_E_INVALID_OS_FOR_PRODUCT_KEY","features":[329]},{"name":"SL_E_INVALID_PACKAGE","features":[329]},{"name":"SL_E_INVALID_PACKAGE_VERSION","features":[329]},{"name":"SL_E_INVALID_PKEY","features":[329]},{"name":"SL_E_INVALID_PRODUCT_KEY","features":[329]},{"name":"SL_E_INVALID_PRODUCT_KEY_TYPE","features":[329]},{"name":"SL_E_INVALID_RSDP_COUNT","features":[329]},{"name":"SL_E_INVALID_RULESET_RULE","features":[329]},{"name":"SL_E_INVALID_RUNNING_MODE","features":[329]},{"name":"SL_E_INVALID_TEMPLATE_ID","features":[329]},{"name":"SL_E_INVALID_TOKEN_DATA","features":[329]},{"name":"SL_E_INVALID_USE_OF_ADD_ON_PKEY","features":[329]},{"name":"SL_E_INVALID_XML_BLOB","features":[329]},{"name":"SL_E_IP_LOCATION_FALIED","features":[329]},{"name":"SL_E_ISSUANCE_LICENSE_NOT_INSTALLED","features":[329]},{"name":"SL_E_LICENSE_AUTHORIZATION_FAILED","features":[329]},{"name":"SL_E_LICENSE_DECRYPTION_FAILED","features":[329]},{"name":"SL_E_LICENSE_FILE_NOT_INSTALLED","features":[329]},{"name":"SL_E_LICENSE_INVALID_ADDON_INFO","features":[329]},{"name":"SL_E_LICENSE_MANAGEMENT_DATA_DUPLICATED","features":[329]},{"name":"SL_E_LICENSE_MANAGEMENT_DATA_NOT_FOUND","features":[329]},{"name":"SL_E_LICENSE_NOT_BOUND","features":[329]},{"name":"SL_E_LICENSE_SERVER_URL_NOT_FOUND","features":[329]},{"name":"SL_E_LICENSE_SIGNATURE_VERIFICATION_FAILED","features":[329]},{"name":"SL_E_LUA_ACCESSDENIED","features":[329]},{"name":"SL_E_MISMATCHED_APPID","features":[329]},{"name":"SL_E_MISMATCHED_KEY_TYPES","features":[329]},{"name":"SL_E_MISMATCHED_PID","features":[329]},{"name":"SL_E_MISMATCHED_PKEY_RANGE","features":[329]},{"name":"SL_E_MISMATCHED_PRODUCT_SKU","features":[329]},{"name":"SL_E_MISMATCHED_SECURITY_PROCESSOR","features":[329]},{"name":"SL_E_MISSING_OVERRIDE_ONLY_ATTRIBUTE","features":[329]},{"name":"SL_E_NONGENUINE_GRACE_TIME_EXPIRED","features":[329]},{"name":"SL_E_NONGENUINE_GRACE_TIME_EXPIRED_2","features":[329]},{"name":"SL_E_NON_GENUINE_STATUS_LAST","features":[329]},{"name":"SL_E_NOTIFICATION_BREACH_DETECTED","features":[329]},{"name":"SL_E_NOTIFICATION_GRACE_EXPIRED","features":[329]},{"name":"SL_E_NOTIFICATION_OTHER_REASONS","features":[329]},{"name":"SL_E_NOT_ACTIVATED","features":[329]},{"name":"SL_E_NOT_EVALUATED","features":[329]},{"name":"SL_E_NOT_GENUINE","features":[329]},{"name":"SL_E_NOT_SUPPORTED","features":[329]},{"name":"SL_E_NO_PID_CONFIG_DATA","features":[329]},{"name":"SL_E_NO_PRODUCT_KEY_FOUND","features":[329]},{"name":"SL_E_OEM_KEY_EDITION_MISMATCH","features":[329]},{"name":"SL_E_OFFLINE_GENUINE_BLOB_NOT_FOUND","features":[329]},{"name":"SL_E_OFFLINE_GENUINE_BLOB_REVOKED","features":[329]},{"name":"SL_E_OFFLINE_VALIDATION_BLOB_PARAM_NOT_FOUND","features":[329]},{"name":"SL_E_OPERATION_NOT_ALLOWED","features":[329]},{"name":"SL_E_OUT_OF_TOLERANCE","features":[329]},{"name":"SL_E_PKEY_INTERNAL_ERROR","features":[329]},{"name":"SL_E_PKEY_INVALID_ALGORITHM","features":[329]},{"name":"SL_E_PKEY_INVALID_CONFIG","features":[329]},{"name":"SL_E_PKEY_INVALID_KEYCHANGE1","features":[329]},{"name":"SL_E_PKEY_INVALID_KEYCHANGE2","features":[329]},{"name":"SL_E_PKEY_INVALID_KEYCHANGE3","features":[329]},{"name":"SL_E_PKEY_INVALID_UNIQUEID","features":[329]},{"name":"SL_E_PKEY_INVALID_UPGRADE","features":[329]},{"name":"SL_E_PKEY_NOT_INSTALLED","features":[329]},{"name":"SL_E_PLUGIN_INVALID_MANIFEST","features":[329]},{"name":"SL_E_PLUGIN_NOT_REGISTERED","features":[329]},{"name":"SL_E_POLICY_CACHE_INVALID","features":[329]},{"name":"SL_E_POLICY_OTHERINFO_MISMATCH","features":[329]},{"name":"SL_E_PRODUCT_KEY_INSTALLATION_NOT_ALLOWED","features":[329]},{"name":"SL_E_PRODUCT_SKU_NOT_INSTALLED","features":[329]},{"name":"SL_E_PRODUCT_UNIQUENESS_GROUP_ID_INVALID","features":[329]},{"name":"SL_E_PROXY_KEY_NOT_FOUND","features":[329]},{"name":"SL_E_PROXY_POLICY_NOT_UPDATED","features":[329]},{"name":"SL_E_PUBLISHING_LICENSE_NOT_INSTALLED","features":[329]},{"name":"SL_E_RAC_NOT_AVAILABLE","features":[329]},{"name":"SL_E_RIGHT_NOT_CONSUMED","features":[329]},{"name":"SL_E_RIGHT_NOT_GRANTED","features":[329]},{"name":"SL_E_SECURE_STORE_ID_MISMATCH","features":[329]},{"name":"SL_E_SERVICE_RUNNING","features":[329]},{"name":"SL_E_SERVICE_STOPPING","features":[329]},{"name":"SL_E_SFS_BAD_TOKEN_EXT","features":[329]},{"name":"SL_E_SFS_BAD_TOKEN_NAME","features":[329]},{"name":"SL_E_SFS_DUPLICATE_TOKEN_NAME","features":[329]},{"name":"SL_E_SFS_FILE_READ_ERROR","features":[329]},{"name":"SL_E_SFS_FILE_WRITE_ERROR","features":[329]},{"name":"SL_E_SFS_INVALID_FD_TABLE","features":[329]},{"name":"SL_E_SFS_INVALID_FILE_POSITION","features":[329]},{"name":"SL_E_SFS_INVALID_FS_HEADER","features":[329]},{"name":"SL_E_SFS_INVALID_FS_VERSION","features":[329]},{"name":"SL_E_SFS_INVALID_SYNC","features":[329]},{"name":"SL_E_SFS_INVALID_TOKEN_DATA_HASH","features":[329]},{"name":"SL_E_SFS_INVALID_TOKEN_DESCRIPTOR","features":[329]},{"name":"SL_E_SFS_NO_ACTIVE_TRANSACTION","features":[329]},{"name":"SL_E_SFS_TOKEN_SIZE_MISMATCH","features":[329]},{"name":"SL_E_SLP_BAD_FORMAT","features":[329]},{"name":"SL_E_SLP_INVALID_MARKER_VERSION","features":[329]},{"name":"SL_E_SLP_MISSING_ACPI_SLIC","features":[329]},{"name":"SL_E_SLP_MISSING_SLP_MARKER","features":[329]},{"name":"SL_E_SLP_NOT_SIGNED","features":[329]},{"name":"SL_E_SLP_OEM_CERT_MISSING","features":[329]},{"name":"SL_E_SOFTMOD_EXPLOIT_DETECTED","features":[329]},{"name":"SL_E_SPC_NOT_AVAILABLE","features":[329]},{"name":"SL_E_SRV_AUTHORIZATION_FAILED","features":[329]},{"name":"SL_E_SRV_BUSINESS_TOKEN_ENTRY_NOT_FOUND","features":[329]},{"name":"SL_E_SRV_CLIENT_CLOCK_OUT_OF_SYNC","features":[329]},{"name":"SL_E_SRV_GENERAL_ERROR","features":[329]},{"name":"SL_E_SRV_INVALID_BINDING","features":[329]},{"name":"SL_E_SRV_INVALID_LICENSE_STRUCTURE","features":[329]},{"name":"SL_E_SRV_INVALID_PAYLOAD","features":[329]},{"name":"SL_E_SRV_INVALID_PRODUCT_KEY_LICENSE","features":[329]},{"name":"SL_E_SRV_INVALID_PUBLISH_LICENSE","features":[329]},{"name":"SL_E_SRV_INVALID_RIGHTS_ACCOUNT_LICENSE","features":[329]},{"name":"SL_E_SRV_INVALID_SECURITY_PROCESSOR_LICENSE","features":[329]},{"name":"SL_E_SRV_SERVER_PONG","features":[329]},{"name":"SL_E_STORE_UPGRADE_TOKEN_NOT_AUTHORIZED","features":[329]},{"name":"SL_E_STORE_UPGRADE_TOKEN_NOT_PRS_SIGNED","features":[329]},{"name":"SL_E_STORE_UPGRADE_TOKEN_REQUIRED","features":[329]},{"name":"SL_E_STORE_UPGRADE_TOKEN_WRONG_EDITION","features":[329]},{"name":"SL_E_STORE_UPGRADE_TOKEN_WRONG_PID","features":[329]},{"name":"SL_E_STORE_UPGRADE_TOKEN_WRONG_VERSION","features":[329]},{"name":"SL_E_TAMPER_DETECTED","features":[329]},{"name":"SL_E_TAMPER_RECOVERY_REQUIRES_ACTIVATION","features":[329]},{"name":"SL_E_TKA_CERT_CNG_NOT_AVAILABLE","features":[329]},{"name":"SL_E_TKA_CERT_NOT_FOUND","features":[329]},{"name":"SL_E_TKA_CHALLENGE_EXPIRED","features":[329]},{"name":"SL_E_TKA_CHALLENGE_MISMATCH","features":[329]},{"name":"SL_E_TKA_CRITERIA_MISMATCH","features":[329]},{"name":"SL_E_TKA_FAILED_GRANT_PARSING","features":[329]},{"name":"SL_E_TKA_GRANT_NOT_FOUND","features":[329]},{"name":"SL_E_TKA_INVALID_BLOB","features":[329]},{"name":"SL_E_TKA_INVALID_CERTIFICATE","features":[329]},{"name":"SL_E_TKA_INVALID_CERT_CHAIN","features":[329]},{"name":"SL_E_TKA_INVALID_SKU_ID","features":[329]},{"name":"SL_E_TKA_INVALID_SMARTCARD","features":[329]},{"name":"SL_E_TKA_INVALID_THUMBPRINT","features":[329]},{"name":"SL_E_TKA_SILENT_ACTIVATION_FAILURE","features":[329]},{"name":"SL_E_TKA_SOFT_CERT_DISALLOWED","features":[329]},{"name":"SL_E_TKA_SOFT_CERT_INVALID","features":[329]},{"name":"SL_E_TKA_TAMPERED_CERT_CHAIN","features":[329]},{"name":"SL_E_TKA_THUMBPRINT_CERT_NOT_FOUND","features":[329]},{"name":"SL_E_TKA_TPID_MISMATCH","features":[329]},{"name":"SL_E_TOKEN_STORE_INVALID_STATE","features":[329]},{"name":"SL_E_TOKSTO_ALREADY_INITIALIZED","features":[329]},{"name":"SL_E_TOKSTO_CANT_ACQUIRE_MUTEX","features":[329]},{"name":"SL_E_TOKSTO_CANT_CREATE_FILE","features":[329]},{"name":"SL_E_TOKSTO_CANT_CREATE_MUTEX","features":[329]},{"name":"SL_E_TOKSTO_CANT_PARSE_PROPERTIES","features":[329]},{"name":"SL_E_TOKSTO_CANT_READ_FILE","features":[329]},{"name":"SL_E_TOKSTO_CANT_WRITE_TO_FILE","features":[329]},{"name":"SL_E_TOKSTO_INVALID_FILE","features":[329]},{"name":"SL_E_TOKSTO_NOT_INITIALIZED","features":[329]},{"name":"SL_E_TOKSTO_NO_ID_SET","features":[329]},{"name":"SL_E_TOKSTO_NO_PROPERTIES","features":[329]},{"name":"SL_E_TOKSTO_NO_TOKEN_DATA","features":[329]},{"name":"SL_E_TOKSTO_PROPERTY_NOT_FOUND","features":[329]},{"name":"SL_E_TOKSTO_TOKEN_NOT_FOUND","features":[329]},{"name":"SL_E_USE_LICENSE_NOT_INSTALLED","features":[329]},{"name":"SL_E_VALIDATION_BLOB_PARAM_NOT_FOUND","features":[329]},{"name":"SL_E_VALIDATION_BLOCKED_PRODUCT_KEY","features":[329]},{"name":"SL_E_VALIDATION_INVALID_PRODUCT_KEY","features":[329]},{"name":"SL_E_VALIDITY_PERIOD_EXPIRED","features":[329]},{"name":"SL_E_VALIDITY_TIME_EXPIRED","features":[329]},{"name":"SL_E_VALUE_NOT_FOUND","features":[329]},{"name":"SL_E_VL_AD_AO_NAME_TOO_LONG","features":[329]},{"name":"SL_E_VL_AD_AO_NOT_FOUND","features":[329]},{"name":"SL_E_VL_AD_SCHEMA_VERSION_NOT_SUPPORTED","features":[329]},{"name":"SL_E_VL_BINDING_SERVICE_NOT_ENABLED","features":[329]},{"name":"SL_E_VL_BINDING_SERVICE_UNAVAILABLE","features":[329]},{"name":"SL_E_VL_INFO_PRODUCT_USER_RIGHT","features":[329]},{"name":"SL_E_VL_INVALID_TIMESTAMP","features":[329]},{"name":"SL_E_VL_KEY_MANAGEMENT_SERVICE_ID_MISMATCH","features":[329]},{"name":"SL_E_VL_KEY_MANAGEMENT_SERVICE_NOT_ACTIVATED","features":[329]},{"name":"SL_E_VL_KEY_MANAGEMENT_SERVICE_VM_NOT_SUPPORTED","features":[329]},{"name":"SL_E_VL_MACHINE_NOT_BOUND","features":[329]},{"name":"SL_E_VL_NOT_ENOUGH_COUNT","features":[329]},{"name":"SL_E_VL_NOT_WINDOWS_SLP","features":[329]},{"name":"SL_E_WINDOWS_INVALID_LICENSE_STATE","features":[329]},{"name":"SL_E_WINDOWS_VERSION_MISMATCH","features":[329]},{"name":"SL_GENUINE_STATE","features":[329]},{"name":"SL_GEN_STATE_INVALID_LICENSE","features":[329]},{"name":"SL_GEN_STATE_IS_GENUINE","features":[329]},{"name":"SL_GEN_STATE_LAST","features":[329]},{"name":"SL_GEN_STATE_OFFLINE","features":[329]},{"name":"SL_GEN_STATE_TAMPERED","features":[329]},{"name":"SL_ID_ALL_LICENSES","features":[329]},{"name":"SL_ID_ALL_LICENSE_FILES","features":[329]},{"name":"SL_ID_APPLICATION","features":[329]},{"name":"SL_ID_LAST","features":[329]},{"name":"SL_ID_LICENSE","features":[329]},{"name":"SL_ID_LICENSE_FILE","features":[329]},{"name":"SL_ID_PKEY","features":[329]},{"name":"SL_ID_PRODUCT_SKU","features":[329]},{"name":"SL_ID_STORE_TOKEN","features":[329]},{"name":"SL_INFO_KEY_ACTIVE_PLUGINS","features":[329]},{"name":"SL_INFO_KEY_AUTHOR","features":[329]},{"name":"SL_INFO_KEY_BIOS_OA2_MINOR_VERSION","features":[329]},{"name":"SL_INFO_KEY_BIOS_PKEY","features":[329]},{"name":"SL_INFO_KEY_BIOS_PKEY_DESCRIPTION","features":[329]},{"name":"SL_INFO_KEY_BIOS_PKEY_PKPN","features":[329]},{"name":"SL_INFO_KEY_BIOS_SLIC_STATE","features":[329]},{"name":"SL_INFO_KEY_CHANNEL","features":[329]},{"name":"SL_INFO_KEY_DESCRIPTION","features":[329]},{"name":"SL_INFO_KEY_DIGITAL_PID","features":[329]},{"name":"SL_INFO_KEY_DIGITAL_PID2","features":[329]},{"name":"SL_INFO_KEY_IS_KMS","features":[329]},{"name":"SL_INFO_KEY_IS_PRS","features":[329]},{"name":"SL_INFO_KEY_KMS_CURRENT_COUNT","features":[329]},{"name":"SL_INFO_KEY_KMS_FAILED_REQUESTS","features":[329]},{"name":"SL_INFO_KEY_KMS_LICENSED_REQUESTS","features":[329]},{"name":"SL_INFO_KEY_KMS_NON_GENUINE_GRACE_REQUESTS","features":[329]},{"name":"SL_INFO_KEY_KMS_NOTIFICATION_REQUESTS","features":[329]},{"name":"SL_INFO_KEY_KMS_OOB_GRACE_REQUESTS","features":[329]},{"name":"SL_INFO_KEY_KMS_OOT_GRACE_REQUESTS","features":[329]},{"name":"SL_INFO_KEY_KMS_REQUIRED_CLIENT_COUNT","features":[329]},{"name":"SL_INFO_KEY_KMS_TOTAL_REQUESTS","features":[329]},{"name":"SL_INFO_KEY_KMS_UNLICENSED_REQUESTS","features":[329]},{"name":"SL_INFO_KEY_LICENSE_TYPE","features":[329]},{"name":"SL_INFO_KEY_LICENSOR_URL","features":[329]},{"name":"SL_INFO_KEY_NAME","features":[329]},{"name":"SL_INFO_KEY_PARTIAL_PRODUCT_KEY","features":[329]},{"name":"SL_INFO_KEY_PRODUCT_KEY_ACTIVATION_URL","features":[329]},{"name":"SL_INFO_KEY_PRODUCT_SKU_ID","features":[329]},{"name":"SL_INFO_KEY_RIGHT_ACCOUNT_ACTIVATION_URL","features":[329]},{"name":"SL_INFO_KEY_SECURE_PROCESSOR_ACTIVATION_URL","features":[329]},{"name":"SL_INFO_KEY_SECURE_STORE_ID","features":[329]},{"name":"SL_INFO_KEY_SYSTEM_STATE","features":[329]},{"name":"SL_INFO_KEY_USE_LICENSE_ACTIVATION_URL","features":[329]},{"name":"SL_INFO_KEY_VERSION","features":[329]},{"name":"SL_INTERNAL_ZONE","features":[329]},{"name":"SL_I_NONGENUINE_GRACE_PERIOD","features":[329]},{"name":"SL_I_NONGENUINE_GRACE_PERIOD_2","features":[329]},{"name":"SL_I_OOB_GRACE_PERIOD","features":[329]},{"name":"SL_I_OOT_GRACE_PERIOD","features":[329]},{"name":"SL_I_PERPETUAL_OOB_GRACE_PERIOD","features":[329]},{"name":"SL_I_STORE_BASED_ACTIVATION","features":[329]},{"name":"SL_I_TIMEBASED_EXTENDED_GRACE_PERIOD","features":[329]},{"name":"SL_I_TIMEBASED_VALIDITY_PERIOD","features":[329]},{"name":"SL_LICENSING_STATUS","features":[329]},{"name":"SL_LICENSING_STATUS_IN_GRACE_PERIOD","features":[329]},{"name":"SL_LICENSING_STATUS_LAST","features":[329]},{"name":"SL_LICENSING_STATUS_LICENSED","features":[329]},{"name":"SL_LICENSING_STATUS_NOTIFICATION","features":[329]},{"name":"SL_LICENSING_STATUS_UNLICENSED","features":[329]},{"name":"SL_MDOLLAR_ZONE","features":[329]},{"name":"SL_MSCH_ZONE","features":[329]},{"name":"SL_NONGENUINE_UI_OPTIONS","features":[329]},{"name":"SL_PKEY_DETECT","features":[329]},{"name":"SL_PKEY_MS2005","features":[329]},{"name":"SL_PKEY_MS2009","features":[329]},{"name":"SL_POLICY_EVALUATION_MODE_ENABLED","features":[329]},{"name":"SL_PROP_ACTIVATION_VALIDATION_IN_PROGRESS","features":[329]},{"name":"SL_PROP_BRT_COMMIT","features":[329]},{"name":"SL_PROP_BRT_DATA","features":[329]},{"name":"SL_PROP_GENUINE_RESULT","features":[329]},{"name":"SL_PROP_GET_GENUINE_AUTHZ","features":[329]},{"name":"SL_PROP_GET_GENUINE_SERVER_AUTHZ","features":[329]},{"name":"SL_PROP_LAST_ACT_ATTEMPT_HRESULT","features":[329]},{"name":"SL_PROP_LAST_ACT_ATTEMPT_SERVER_FLAGS","features":[329]},{"name":"SL_PROP_LAST_ACT_ATTEMPT_TIME","features":[329]},{"name":"SL_PROP_NONGENUINE_GRACE_FLAG","features":[329]},{"name":"SL_REARM_REBOOT_REQUIRED","features":[329]},{"name":"SL_REFERRALTYPE_APPID","features":[329]},{"name":"SL_REFERRALTYPE_BEST_MATCH","features":[329]},{"name":"SL_REFERRALTYPE_OVERRIDE_APPID","features":[329]},{"name":"SL_REFERRALTYPE_OVERRIDE_SKUID","features":[329]},{"name":"SL_REFERRALTYPE_SKUID","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_CIDIID_INVALID_CHECK_DIGITS","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_CIDIID_INVALID_DATA","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_CIDIID_INVALID_DATA_LENGTH","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_CIDIID_INVALID_VERSION","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_DIGITALMARKER_BINDING_NOT_CONFIGURED","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_DIGITALMARKER_INVALID_BINDING","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_DMAK_EXTENSION_LIMIT_EXCEEDED","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_DMAK_LIMIT_EXCEEDED","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_DMAK_OVERRIDE_LIMIT_REACHED","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_FREE_OFFER_EXPIRED","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_INVALID_ACTCONFIG_ID","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_INVALID_ARGUMENT","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_INVALID_BINDING","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_INVALID_BINDING_URI","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_INVALID_PRODUCT_DATA","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_INVALID_PRODUCT_DATA_ID","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_INVALID_PRODUCT_KEY","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_INVALID_PRODUCT_KEY_FORMAT","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_INVALID_PRODUCT_KEY_LENGTH","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_MAXIMUM_UNLOCK_EXCEEDED","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_NO_RULES_TO_ACTIVATE","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_OEM_SLP_COA0","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_OSR_DEVICE_BLOCKED","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_OSR_DEVICE_THROTTLED","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_OSR_DONOR_HWID_NO_ENTITLEMENT","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_OSR_GENERIC_ERROR","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_OSR_GP_DISABLED","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_OSR_HARDWARE_BLOCKED","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_OSR_LICENSE_BLOCKED","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_OSR_LICENSE_THROTTLED","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_OSR_NOT_ADMIN","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_OSR_NO_ASSOCIATION","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_OSR_USER_BLOCKED","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_OSR_USER_THROTTLED","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_PRODUCT_KEY_BLOCKED","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_PRODUCT_KEY_BLOCKED_IPLOCATION","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_PRODUCT_KEY_OUT_OF_RANGE","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_ROT_OVERRIDE_LIMIT_REACHED","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_TIMEBASED_ACTIVATION_AFTER_END_DATE","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_TIMEBASED_ACTIVATION_BEFORE_START_DATE","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_TIMEBASED_ACTIVATION_NOT_AVAILABLE","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_TIMEBASED_PRODUCT_KEY_NOT_CONFIGURED","features":[329]},{"name":"SL_REMAPPING_MDOLLAR_UNSUPPORTED_PRODUCT_KEY","features":[329]},{"name":"SL_REMAPPING_SP_PUB_API_BAD_GET_INFO_QUERY","features":[329]},{"name":"SL_REMAPPING_SP_PUB_API_HANDLE_NOT_COMMITED","features":[329]},{"name":"SL_REMAPPING_SP_PUB_API_INVALID_ALGORITHM_TYPE","features":[329]},{"name":"SL_REMAPPING_SP_PUB_API_INVALID_HANDLE","features":[329]},{"name":"SL_REMAPPING_SP_PUB_API_INVALID_KEY_LENGTH","features":[329]},{"name":"SL_REMAPPING_SP_PUB_API_INVALID_LICENSE","features":[329]},{"name":"SL_REMAPPING_SP_PUB_API_NO_AES_PROVIDER","features":[329]},{"name":"SL_REMAPPING_SP_PUB_API_TOO_MANY_LOADED_ENVIRONMENTS","features":[329]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_HASH_FINALIZED","features":[329]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_INVALID_BLOCK","features":[329]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_INVALID_BLOCKLENGTH","features":[329]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_INVALID_CIPHER","features":[329]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_INVALID_CIPHERMODE","features":[329]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_INVALID_FORMAT","features":[329]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_INVALID_KEYLENGTH","features":[329]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_INVALID_PADDING","features":[329]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_INVALID_SIGNATURE","features":[329]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_INVALID_SIGNATURELENGTH","features":[329]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_KEY_NOT_AVAILABLE","features":[329]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_KEY_NOT_FOUND","features":[329]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_NOT_BLOCK_ALIGNED","features":[329]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_UNKNOWN_ATTRIBUTEID","features":[329]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_UNKNOWN_HASHID","features":[329]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_UNKNOWN_KEYID","features":[329]},{"name":"SL_REMAPPING_SP_PUB_CRYPTO_UNKNOWN_PROVIDERID","features":[329]},{"name":"SL_REMAPPING_SP_PUB_GENERAL_NOT_INITIALIZED","features":[329]},{"name":"SL_REMAPPING_SP_PUB_KM_CACHE_IDENTICAL","features":[329]},{"name":"SL_REMAPPING_SP_PUB_KM_CACHE_POLICY_CHANGED","features":[329]},{"name":"SL_REMAPPING_SP_PUB_KM_CACHE_TAMPER","features":[329]},{"name":"SL_REMAPPING_SP_PUB_KM_CACHE_TAMPER_RESTORE_FAILED","features":[329]},{"name":"SL_REMAPPING_SP_PUB_PROXY_SOFT_TAMPER","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TAMPER_MODULE_AUTHENTICATION","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TAMPER_SECURITY_PROCESSOR_PATCHED","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TIMER_ALREADY_EXISTS","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TIMER_EXPIRED","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TIMER_NAME_SIZE_TOO_BIG","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TIMER_NOT_FOUND","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TIMER_READ_ONLY","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TRUSTED_TIME_OK","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TS_ACCESS_DENIED","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TS_ATTRIBUTE_NOT_FOUND","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TS_ATTRIBUTE_READ_ONLY","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TS_DATA_SIZE_TOO_BIG","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TS_ENTRY_KEY_ALREADY_EXISTS","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TS_ENTRY_KEY_NOT_FOUND","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TS_ENTRY_KEY_SIZE_TOO_BIG","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TS_ENTRY_READ_ONLY","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TS_FULL","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TS_INVALID_HW_BINDING","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TS_MAX_REARM_REACHED","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TS_NAMESPACE_IN_USE","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TS_NAMESPACE_NOT_FOUND","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TS_REARMED","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TS_RECREATED","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TS_TAMPERED","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TS_TAMPERED_BREADCRUMB_GENERATION","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TS_TAMPERED_BREADCRUMB_LOAD_INVALID","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TS_TAMPERED_DATA_BREADCRUMB_MISMATCH","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TS_TAMPERED_DATA_VERSION_MISMATCH","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TS_TAMPERED_INVALID_DATA","features":[329]},{"name":"SL_REMAPPING_SP_PUB_TS_TAMPERED_NO_DATA","features":[329]},{"name":"SL_REMAPPING_SP_STATUS_ALREADY_EXISTS","features":[329]},{"name":"SL_REMAPPING_SP_STATUS_DEBUGGER_DETECTED","features":[329]},{"name":"SL_REMAPPING_SP_STATUS_GENERIC_FAILURE","features":[329]},{"name":"SL_REMAPPING_SP_STATUS_INSUFFICIENT_BUFFER","features":[329]},{"name":"SL_REMAPPING_SP_STATUS_INVALIDARG","features":[329]},{"name":"SL_REMAPPING_SP_STATUS_INVALIDDATA","features":[329]},{"name":"SL_REMAPPING_SP_STATUS_INVALID_SPAPI_CALL","features":[329]},{"name":"SL_REMAPPING_SP_STATUS_INVALID_SPAPI_VERSION","features":[329]},{"name":"SL_REMAPPING_SP_STATUS_NO_MORE_DATA","features":[329]},{"name":"SL_REMAPPING_SP_STATUS_PUSHKEY_CONFLICT","features":[329]},{"name":"SL_REMAPPING_SP_STATUS_SYSTEM_TIME_SKEWED","features":[329]},{"name":"SL_SERVER_ZONE","features":[329]},{"name":"SL_SYSTEM_POLICY_INFORMATION","features":[329]},{"name":"SL_SYSTEM_STATE_REBOOT_POLICY_FOUND","features":[329]},{"name":"SL_SYSTEM_STATE_TAMPERED","features":[329]},{"name":"SPP_MIGRATION_GATHER_ACTIVATED_WINDOWS_STATE","features":[329]},{"name":"SPP_MIGRATION_GATHER_ALL","features":[329]},{"name":"SPP_MIGRATION_GATHER_MIGRATABLE_APPS","features":[329]},{"name":"SP_ACCEPT_CREDENTIALS_NAME","features":[329]},{"name":"SP_PROT_ALL","features":[329]},{"name":"SP_PROT_DTLS1_0_CLIENT","features":[329]},{"name":"SP_PROT_DTLS1_0_SERVER","features":[329]},{"name":"SP_PROT_DTLS1_2_CLIENT","features":[329]},{"name":"SP_PROT_DTLS1_2_SERVER","features":[329]},{"name":"SP_PROT_DTLS_CLIENT","features":[329]},{"name":"SP_PROT_DTLS_SERVER","features":[329]},{"name":"SP_PROT_NONE","features":[329]},{"name":"SP_PROT_PCT1_CLIENT","features":[329]},{"name":"SP_PROT_PCT1_SERVER","features":[329]},{"name":"SP_PROT_SSL2_CLIENT","features":[329]},{"name":"SP_PROT_SSL2_SERVER","features":[329]},{"name":"SP_PROT_SSL3_CLIENT","features":[329]},{"name":"SP_PROT_SSL3_SERVER","features":[329]},{"name":"SP_PROT_TLS1_0_CLIENT","features":[329]},{"name":"SP_PROT_TLS1_0_SERVER","features":[329]},{"name":"SP_PROT_TLS1_1_CLIENT","features":[329]},{"name":"SP_PROT_TLS1_1_SERVER","features":[329]},{"name":"SP_PROT_TLS1_2_CLIENT","features":[329]},{"name":"SP_PROT_TLS1_2_SERVER","features":[329]},{"name":"SP_PROT_TLS1_3PLUS_CLIENT","features":[329]},{"name":"SP_PROT_TLS1_3PLUS_SERVER","features":[329]},{"name":"SP_PROT_TLS1_3_CLIENT","features":[329]},{"name":"SP_PROT_TLS1_3_SERVER","features":[329]},{"name":"SP_PROT_TLS1_CLIENT","features":[329]},{"name":"SP_PROT_TLS1_SERVER","features":[329]},{"name":"SP_PROT_UNI_CLIENT","features":[329]},{"name":"SP_PROT_UNI_SERVER","features":[329]},{"name":"SR_SECURITY_DESCRIPTOR","features":[329]},{"name":"SSL2SP_NAME","features":[329]},{"name":"SSL2SP_NAME_A","features":[329]},{"name":"SSL2SP_NAME_W","features":[329]},{"name":"SSL3SP_NAME","features":[329]},{"name":"SSL3SP_NAME_A","features":[329]},{"name":"SSL3SP_NAME_W","features":[329]},{"name":"SSL_CRACK_CERTIFICATE_FN","features":[308,329,392]},{"name":"SSL_CRACK_CERTIFICATE_NAME","features":[329]},{"name":"SSL_CREDENTIAL_CERTIFICATE","features":[329]},{"name":"SSL_EMPTY_CACHE_FN_A","features":[308,329]},{"name":"SSL_EMPTY_CACHE_FN_W","features":[308,329]},{"name":"SSL_FREE_CERTIFICATE_FN","features":[308,329,392]},{"name":"SSL_FREE_CERTIFICATE_NAME","features":[329]},{"name":"SSL_SESSION_DISABLE_RECONNECTS","features":[329]},{"name":"SSL_SESSION_ENABLE_RECONNECTS","features":[329]},{"name":"SSL_SESSION_RECONNECT","features":[329]},{"name":"SSPIPFC_CREDPROV_DO_NOT_LOAD","features":[329]},{"name":"SSPIPFC_CREDPROV_DO_NOT_SAVE","features":[329]},{"name":"SSPIPFC_NO_CHECKBOX","features":[329]},{"name":"SSPIPFC_SAVE_CRED_BY_CALLER","features":[329]},{"name":"SSPIPFC_USE_CREDUIBROKER","features":[329]},{"name":"SUBSCRIBE_GENERIC_TLS_EXTENSION","features":[329]},{"name":"SZ_ALG_MAX_SIZE","features":[329]},{"name":"SaslAcceptSecurityContext","features":[329,481]},{"name":"SaslEnumerateProfilesA","features":[329]},{"name":"SaslEnumerateProfilesW","features":[329]},{"name":"SaslGetContextOption","features":[329,481]},{"name":"SaslGetProfilePackageA","features":[329]},{"name":"SaslGetProfilePackageW","features":[329]},{"name":"SaslIdentifyPackageA","features":[329]},{"name":"SaslIdentifyPackageW","features":[329]},{"name":"SaslInitializeSecurityContextA","features":[329,481]},{"name":"SaslInitializeSecurityContextW","features":[329,481]},{"name":"SaslSetContextOption","features":[329,481]},{"name":"Sasl_AuthZIDForbidden","features":[329]},{"name":"Sasl_AuthZIDProcessed","features":[329]},{"name":"SchGetExtensionsOptions","features":[329]},{"name":"SeAdtParmTypeAccessMask","features":[329]},{"name":"SeAdtParmTypeAccessReason","features":[329]},{"name":"SeAdtParmTypeClaims","features":[329]},{"name":"SeAdtParmTypeDateTime","features":[329]},{"name":"SeAdtParmTypeDuration","features":[329]},{"name":"SeAdtParmTypeFileSpec","features":[329]},{"name":"SeAdtParmTypeGuid","features":[329]},{"name":"SeAdtParmTypeHexInt64","features":[329]},{"name":"SeAdtParmTypeHexUlong","features":[329]},{"name":"SeAdtParmTypeLogonHours","features":[329]},{"name":"SeAdtParmTypeLogonId","features":[329]},{"name":"SeAdtParmTypeLogonIdAsSid","features":[329]},{"name":"SeAdtParmTypeLogonIdEx","features":[329]},{"name":"SeAdtParmTypeLogonIdNoSid","features":[329]},{"name":"SeAdtParmTypeLuid","features":[329]},{"name":"SeAdtParmTypeMessage","features":[329]},{"name":"SeAdtParmTypeMultiSzString","features":[329]},{"name":"SeAdtParmTypeNoLogonId","features":[329]},{"name":"SeAdtParmTypeNoUac","features":[329]},{"name":"SeAdtParmTypeNone","features":[329]},{"name":"SeAdtParmTypeObjectTypes","features":[329]},{"name":"SeAdtParmTypePrivs","features":[329]},{"name":"SeAdtParmTypePtr","features":[329]},{"name":"SeAdtParmTypeResourceAttribute","features":[329]},{"name":"SeAdtParmTypeSD","features":[329]},{"name":"SeAdtParmTypeSid","features":[329]},{"name":"SeAdtParmTypeSidList","features":[329]},{"name":"SeAdtParmTypeSockAddr","features":[329]},{"name":"SeAdtParmTypeSockAddrNoPort","features":[329]},{"name":"SeAdtParmTypeStagingReason","features":[329]},{"name":"SeAdtParmTypeString","features":[329]},{"name":"SeAdtParmTypeStringList","features":[329]},{"name":"SeAdtParmTypeTime","features":[329]},{"name":"SeAdtParmTypeUlong","features":[329]},{"name":"SeAdtParmTypeUlongNoConv","features":[329]},{"name":"SeAdtParmTypeUserAccountControl","features":[329]},{"name":"SecApplicationProtocolNegotiationExt_ALPN","features":[329]},{"name":"SecApplicationProtocolNegotiationExt_NPN","features":[329]},{"name":"SecApplicationProtocolNegotiationExt_None","features":[329]},{"name":"SecApplicationProtocolNegotiationStatus_None","features":[329]},{"name":"SecApplicationProtocolNegotiationStatus_SelectedClientOnly","features":[329]},{"name":"SecApplicationProtocolNegotiationStatus_Success","features":[329]},{"name":"SecBuffer","features":[329]},{"name":"SecBufferDesc","features":[329]},{"name":"SecDelegationType","features":[329]},{"name":"SecDirectory","features":[329]},{"name":"SecFull","features":[329]},{"name":"SecNameAlternateId","features":[329]},{"name":"SecNameDN","features":[329]},{"name":"SecNameFlat","features":[329]},{"name":"SecNameSPN","features":[329]},{"name":"SecNameSamCompatible","features":[329]},{"name":"SecObject","features":[329]},{"name":"SecPkgAttrLastClientTokenMaybe","features":[329]},{"name":"SecPkgAttrLastClientTokenNo","features":[329]},{"name":"SecPkgAttrLastClientTokenYes","features":[329]},{"name":"SecPkgCallPackageMaxMessage","features":[329]},{"name":"SecPkgCallPackageMinMessage","features":[329]},{"name":"SecPkgCallPackagePinDcMessage","features":[329]},{"name":"SecPkgCallPackageTransferCredMessage","features":[329]},{"name":"SecPkgCallPackageUnpinAllDcsMessage","features":[329]},{"name":"SecPkgContext_AccessToken","features":[329]},{"name":"SecPkgContext_ApplicationProtocol","features":[329]},{"name":"SecPkgContext_AuthorityA","features":[329]},{"name":"SecPkgContext_AuthorityW","features":[329]},{"name":"SecPkgContext_AuthzID","features":[329]},{"name":"SecPkgContext_Bindings","features":[329]},{"name":"SecPkgContext_CertInfo","features":[329]},{"name":"SecPkgContext_CertificateValidationResult","features":[329]},{"name":"SecPkgContext_Certificates","features":[329]},{"name":"SecPkgContext_CipherInfo","features":[329]},{"name":"SecPkgContext_ClientCertPolicyResult","features":[329]},{"name":"SecPkgContext_ClientSpecifiedTarget","features":[329]},{"name":"SecPkgContext_ConnectionInfo","features":[329,392]},{"name":"SecPkgContext_ConnectionInfoEx","features":[329]},{"name":"SecPkgContext_CredInfo","features":[329]},{"name":"SecPkgContext_CredentialNameA","features":[329]},{"name":"SecPkgContext_CredentialNameW","features":[329]},{"name":"SecPkgContext_DceInfo","features":[329]},{"name":"SecPkgContext_EapKeyBlock","features":[329]},{"name":"SecPkgContext_EapPrfInfo","features":[329]},{"name":"SecPkgContext_EarlyStart","features":[329]},{"name":"SecPkgContext_Flags","features":[329]},{"name":"SecPkgContext_IssuerListInfoEx","features":[329,392]},{"name":"SecPkgContext_KeyInfoA","features":[329]},{"name":"SecPkgContext_KeyInfoW","features":[329]},{"name":"SecPkgContext_KeyingMaterial","features":[329]},{"name":"SecPkgContext_KeyingMaterialInfo","features":[329]},{"name":"SecPkgContext_KeyingMaterial_Inproc","features":[329]},{"name":"SecPkgContext_LastClientTokenStatus","features":[329]},{"name":"SecPkgContext_Lifespan","features":[329]},{"name":"SecPkgContext_LocalCredentialInfo","features":[329]},{"name":"SecPkgContext_LogoffTime","features":[329]},{"name":"SecPkgContext_MappedCredAttr","features":[329]},{"name":"SecPkgContext_NamesA","features":[329]},{"name":"SecPkgContext_NamesW","features":[329]},{"name":"SecPkgContext_NativeNamesA","features":[329]},{"name":"SecPkgContext_NativeNamesW","features":[329]},{"name":"SecPkgContext_NegoKeys","features":[329]},{"name":"SecPkgContext_NegoPackageInfo","features":[329]},{"name":"SecPkgContext_NegoStatus","features":[329]},{"name":"SecPkgContext_NegotiatedTlsExtensions","features":[329]},{"name":"SecPkgContext_NegotiationInfoA","features":[329]},{"name":"SecPkgContext_NegotiationInfoW","features":[329]},{"name":"SecPkgContext_PackageInfoA","features":[329]},{"name":"SecPkgContext_PackageInfoW","features":[329]},{"name":"SecPkgContext_PasswordExpiry","features":[329]},{"name":"SecPkgContext_ProtoInfoA","features":[329]},{"name":"SecPkgContext_ProtoInfoW","features":[329]},{"name":"SecPkgContext_RemoteCredentialInfo","features":[329]},{"name":"SecPkgContext_SaslContext","features":[329]},{"name":"SecPkgContext_SessionAppData","features":[329]},{"name":"SecPkgContext_SessionInfo","features":[329]},{"name":"SecPkgContext_SessionKey","features":[329]},{"name":"SecPkgContext_Sizes","features":[329]},{"name":"SecPkgContext_SrtpParameters","features":[329]},{"name":"SecPkgContext_StreamSizes","features":[329]},{"name":"SecPkgContext_SubjectAttributes","features":[329]},{"name":"SecPkgContext_SupportedSignatures","features":[329]},{"name":"SecPkgContext_Target","features":[329]},{"name":"SecPkgContext_TargetInformation","features":[329]},{"name":"SecPkgContext_TokenBinding","features":[329]},{"name":"SecPkgContext_UiInfo","features":[308,329]},{"name":"SecPkgContext_UserFlags","features":[329]},{"name":"SecPkgCredClass_Ephemeral","features":[329]},{"name":"SecPkgCredClass_Explicit","features":[329]},{"name":"SecPkgCredClass_None","features":[329]},{"name":"SecPkgCredClass_PersistedGeneric","features":[329]},{"name":"SecPkgCredClass_PersistedSpecific","features":[329]},{"name":"SecPkgCred_CipherStrengths","features":[329]},{"name":"SecPkgCred_ClientCertPolicy","features":[308,329]},{"name":"SecPkgCred_SessionTicketKey","features":[329]},{"name":"SecPkgCred_SessionTicketKeys","features":[329]},{"name":"SecPkgCred_SupportedAlgs","features":[329,392]},{"name":"SecPkgCred_SupportedProtocols","features":[329]},{"name":"SecPkgCredentials_Cert","features":[329]},{"name":"SecPkgCredentials_KdcProxySettingsW","features":[329]},{"name":"SecPkgCredentials_NamesA","features":[329]},{"name":"SecPkgCredentials_NamesW","features":[329]},{"name":"SecPkgCredentials_SSIProviderA","features":[329]},{"name":"SecPkgCredentials_SSIProviderW","features":[329]},{"name":"SecPkgInfoA","features":[329]},{"name":"SecPkgInfoW","features":[329]},{"name":"SecService","features":[329]},{"name":"SecSessionPrimaryCred","features":[329]},{"name":"SecTrafficSecret_Client","features":[329]},{"name":"SecTrafficSecret_None","features":[329]},{"name":"SecTrafficSecret_Server","features":[329]},{"name":"SecTree","features":[329]},{"name":"SecpkgContextThunks","features":[329]},{"name":"SecpkgExtraOids","features":[329]},{"name":"SecpkgGssInfo","features":[329]},{"name":"SecpkgMaxInfo","features":[329]},{"name":"SecpkgMutualAuthLevel","features":[329]},{"name":"SecpkgNego2Info","features":[329]},{"name":"SecpkgWowClientDll","features":[329]},{"name":"SecurityFunctionTableA","features":[308,329,481]},{"name":"SecurityFunctionTableW","features":[308,329,481]},{"name":"SendSAS","features":[308,329]},{"name":"SetContextAttributesA","features":[329,481]},{"name":"SetContextAttributesW","features":[329,481]},{"name":"SetCredentialsAttributesA","features":[329,481]},{"name":"SetCredentialsAttributesW","features":[329,481]},{"name":"SpAcceptCredentialsFn","features":[308,329]},{"name":"SpAcceptLsaModeContextFn","features":[308,329]},{"name":"SpAcquireCredentialsHandleFn","features":[308,329]},{"name":"SpAddCredentialsFn","features":[308,329]},{"name":"SpApplyControlTokenFn","features":[308,329]},{"name":"SpChangeAccountPasswordFn","features":[308,329]},{"name":"SpCompleteAuthTokenFn","features":[308,329]},{"name":"SpDeleteContextFn","features":[308,329]},{"name":"SpDeleteCredentialsFn","features":[308,329]},{"name":"SpExchangeMetaDataFn","features":[308,329]},{"name":"SpExportSecurityContextFn","features":[308,329]},{"name":"SpExtractTargetInfoFn","features":[308,329]},{"name":"SpFormatCredentialsFn","features":[308,329]},{"name":"SpFreeCredentialsHandleFn","features":[308,329]},{"name":"SpGetContextTokenFn","features":[308,329]},{"name":"SpGetCredUIContextFn","features":[308,329]},{"name":"SpGetCredentialsFn","features":[308,329]},{"name":"SpGetExtendedInformationFn","features":[308,329]},{"name":"SpGetInfoFn","features":[308,329]},{"name":"SpGetRemoteCredGuardLogonBufferFn","features":[308,329]},{"name":"SpGetRemoteCredGuardSupplementalCredsFn","features":[308,329]},{"name":"SpGetTbalSupplementalCredsFn","features":[308,329]},{"name":"SpGetUserInfoFn","features":[308,329]},{"name":"SpImportSecurityContextFn","features":[308,329]},{"name":"SpInitLsaModeContextFn","features":[308,329]},{"name":"SpInitUserModeContextFn","features":[308,329]},{"name":"SpInitializeFn","features":[308,329,481,343]},{"name":"SpInstanceInitFn","features":[308,329]},{"name":"SpLsaModeInitializeFn","features":[308,329,481,343]},{"name":"SpMakeSignatureFn","features":[308,329]},{"name":"SpMarshalAttributeDataFn","features":[308,329]},{"name":"SpMarshallSupplementalCredsFn","features":[308,329]},{"name":"SpQueryContextAttributesFn","features":[308,329]},{"name":"SpQueryCredentialsAttributesFn","features":[308,329]},{"name":"SpQueryMetaDataFn","features":[308,329]},{"name":"SpSaveCredentialsFn","features":[308,329]},{"name":"SpSealMessageFn","features":[308,329]},{"name":"SpSetContextAttributesFn","features":[308,329]},{"name":"SpSetCredentialsAttributesFn","features":[308,329]},{"name":"SpSetExtendedInformationFn","features":[308,329]},{"name":"SpShutdownFn","features":[308,329]},{"name":"SpUnsealMessageFn","features":[308,329]},{"name":"SpUpdateCredentialsFn","features":[308,329]},{"name":"SpUserModeInitializeFn","features":[308,329]},{"name":"SpValidateTargetInfoFn","features":[308,329]},{"name":"SpVerifySignatureFn","features":[308,329]},{"name":"SslCrackCertificate","features":[308,329,392]},{"name":"SslDeserializeCertificateStore","features":[308,329,392]},{"name":"SslDeserializeCertificateStoreFn","features":[308,329,392]},{"name":"SslEmptyCacheA","features":[308,329]},{"name":"SslEmptyCacheW","features":[308,329]},{"name":"SslFreeCertificate","features":[308,329,392]},{"name":"SslGenerateRandomBits","features":[329]},{"name":"SslGetExtensions","features":[329]},{"name":"SslGetExtensionsFn","features":[329]},{"name":"SslGetMaximumKeySize","features":[329]},{"name":"SslGetServerIdentity","features":[329]},{"name":"SslGetServerIdentityFn","features":[329]},{"name":"SspiCompareAuthIdentities","features":[308,329]},{"name":"SspiCopyAuthIdentity","features":[329]},{"name":"SspiDecryptAuthIdentity","features":[329]},{"name":"SspiDecryptAuthIdentityEx","features":[329]},{"name":"SspiEncodeAuthIdentityAsStrings","features":[329]},{"name":"SspiEncodeStringsAsAuthIdentity","features":[329]},{"name":"SspiEncryptAuthIdentity","features":[329]},{"name":"SspiEncryptAuthIdentityEx","features":[329]},{"name":"SspiExcludePackage","features":[329]},{"name":"SspiFreeAuthIdentity","features":[329]},{"name":"SspiGetTargetHostName","features":[329]},{"name":"SspiIsAuthIdentityEncrypted","features":[308,329]},{"name":"SspiIsPromptingNeeded","features":[308,329]},{"name":"SspiLocalFree","features":[329]},{"name":"SspiMarshalAuthIdentity","features":[329]},{"name":"SspiPrepareForCredRead","features":[329]},{"name":"SspiPrepareForCredWrite","features":[329]},{"name":"SspiPromptForCredentialsA","features":[329]},{"name":"SspiPromptForCredentialsW","features":[329]},{"name":"SspiSetChannelBindingFlags","features":[329]},{"name":"SspiUnmarshalAuthIdentity","features":[329]},{"name":"SspiValidateAuthIdentity","features":[329]},{"name":"SspiZeroAuthIdentity","features":[329]},{"name":"TLS1SP_NAME","features":[329]},{"name":"TLS1SP_NAME_A","features":[329]},{"name":"TLS1SP_NAME_W","features":[329]},{"name":"TLS1_ALERT_ACCESS_DENIED","features":[329]},{"name":"TLS1_ALERT_BAD_CERTIFICATE","features":[329]},{"name":"TLS1_ALERT_BAD_RECORD_MAC","features":[329]},{"name":"TLS1_ALERT_CERTIFICATE_EXPIRED","features":[329]},{"name":"TLS1_ALERT_CERTIFICATE_REVOKED","features":[329]},{"name":"TLS1_ALERT_CERTIFICATE_UNKNOWN","features":[329]},{"name":"TLS1_ALERT_CLOSE_NOTIFY","features":[329]},{"name":"TLS1_ALERT_DECODE_ERROR","features":[329]},{"name":"TLS1_ALERT_DECOMPRESSION_FAIL","features":[329]},{"name":"TLS1_ALERT_DECRYPTION_FAILED","features":[329]},{"name":"TLS1_ALERT_DECRYPT_ERROR","features":[329]},{"name":"TLS1_ALERT_EXPORT_RESTRICTION","features":[329]},{"name":"TLS1_ALERT_FATAL","features":[329]},{"name":"TLS1_ALERT_HANDSHAKE_FAILURE","features":[329]},{"name":"TLS1_ALERT_ILLEGAL_PARAMETER","features":[329]},{"name":"TLS1_ALERT_INSUFFIENT_SECURITY","features":[329]},{"name":"TLS1_ALERT_INTERNAL_ERROR","features":[329]},{"name":"TLS1_ALERT_NO_APP_PROTOCOL","features":[329]},{"name":"TLS1_ALERT_NO_RENEGOTIATION","features":[329]},{"name":"TLS1_ALERT_PROTOCOL_VERSION","features":[329]},{"name":"TLS1_ALERT_RECORD_OVERFLOW","features":[329]},{"name":"TLS1_ALERT_UNEXPECTED_MESSAGE","features":[329]},{"name":"TLS1_ALERT_UNKNOWN_CA","features":[329]},{"name":"TLS1_ALERT_UNKNOWN_PSK_IDENTITY","features":[329]},{"name":"TLS1_ALERT_UNSUPPORTED_CERT","features":[329]},{"name":"TLS1_ALERT_UNSUPPORTED_EXT","features":[329]},{"name":"TLS1_ALERT_USER_CANCELED","features":[329]},{"name":"TLS1_ALERT_WARNING","features":[329]},{"name":"TLS_EXTENSION_SUBSCRIPTION","features":[329]},{"name":"TLS_PARAMETERS","features":[329]},{"name":"TLS_PARAMS_OPTIONAL","features":[329]},{"name":"TOKENBINDING_EXTENSION_FORMAT","features":[329]},{"name":"TOKENBINDING_EXTENSION_FORMAT_UNDEFINED","features":[329]},{"name":"TOKENBINDING_IDENTIFIER","features":[329]},{"name":"TOKENBINDING_KEY_PARAMETERS_TYPE","features":[329]},{"name":"TOKENBINDING_KEY_PARAMETERS_TYPE_ANYEXISTING","features":[329]},{"name":"TOKENBINDING_KEY_PARAMETERS_TYPE_ECDSAP256","features":[329]},{"name":"TOKENBINDING_KEY_PARAMETERS_TYPE_RSA2048_PKCS","features":[329]},{"name":"TOKENBINDING_KEY_PARAMETERS_TYPE_RSA2048_PSS","features":[329]},{"name":"TOKENBINDING_KEY_TYPES","features":[329]},{"name":"TOKENBINDING_RESULT_DATA","features":[329]},{"name":"TOKENBINDING_RESULT_LIST","features":[329]},{"name":"TOKENBINDING_TYPE","features":[329]},{"name":"TOKENBINDING_TYPE_PROVIDED","features":[329]},{"name":"TOKENBINDING_TYPE_REFERRED","features":[329]},{"name":"TRUSTED_CONTROLLERS_INFO","features":[329]},{"name":"TRUSTED_DOMAIN_AUTH_INFORMATION","features":[329]},{"name":"TRUSTED_DOMAIN_FULL_INFORMATION","features":[308,329]},{"name":"TRUSTED_DOMAIN_FULL_INFORMATION2","features":[308,329]},{"name":"TRUSTED_DOMAIN_INFORMATION_EX","features":[308,329]},{"name":"TRUSTED_DOMAIN_INFORMATION_EX2","features":[308,329]},{"name":"TRUSTED_DOMAIN_NAME_INFO","features":[329]},{"name":"TRUSTED_DOMAIN_SUPPORTED_ENCRYPTION_TYPES","features":[329]},{"name":"TRUSTED_DOMAIN_TRUST_ATTRIBUTES","features":[329]},{"name":"TRUSTED_DOMAIN_TRUST_DIRECTION","features":[329]},{"name":"TRUSTED_DOMAIN_TRUST_TYPE","features":[329]},{"name":"TRUSTED_INFORMATION_CLASS","features":[329]},{"name":"TRUSTED_PASSWORD_INFO","features":[329]},{"name":"TRUSTED_POSIX_OFFSET_INFO","features":[329]},{"name":"TRUSTED_QUERY_AUTH","features":[329]},{"name":"TRUSTED_QUERY_CONTROLLERS","features":[329]},{"name":"TRUSTED_QUERY_DOMAIN_NAME","features":[329]},{"name":"TRUSTED_QUERY_POSIX","features":[329]},{"name":"TRUSTED_SET_AUTH","features":[329]},{"name":"TRUSTED_SET_CONTROLLERS","features":[329]},{"name":"TRUSTED_SET_POSIX","features":[329]},{"name":"TRUST_ATTRIBUTES_USER","features":[329]},{"name":"TRUST_ATTRIBUTES_VALID","features":[329]},{"name":"TRUST_ATTRIBUTE_CROSS_ORGANIZATION","features":[329]},{"name":"TRUST_ATTRIBUTE_CROSS_ORGANIZATION_ENABLE_TGT_DELEGATION","features":[329]},{"name":"TRUST_ATTRIBUTE_CROSS_ORGANIZATION_NO_TGT_DELEGATION","features":[329]},{"name":"TRUST_ATTRIBUTE_DISABLE_AUTH_TARGET_VALIDATION","features":[329]},{"name":"TRUST_ATTRIBUTE_FILTER_SIDS","features":[329]},{"name":"TRUST_ATTRIBUTE_FOREST_TRANSITIVE","features":[329]},{"name":"TRUST_ATTRIBUTE_NON_TRANSITIVE","features":[329]},{"name":"TRUST_ATTRIBUTE_PIM_TRUST","features":[329]},{"name":"TRUST_ATTRIBUTE_QUARANTINED_DOMAIN","features":[329]},{"name":"TRUST_ATTRIBUTE_TREAT_AS_EXTERNAL","features":[329]},{"name":"TRUST_ATTRIBUTE_TREE_PARENT","features":[329]},{"name":"TRUST_ATTRIBUTE_TREE_ROOT","features":[329]},{"name":"TRUST_ATTRIBUTE_TRUST_USES_AES_KEYS","features":[329]},{"name":"TRUST_ATTRIBUTE_TRUST_USES_RC4_ENCRYPTION","features":[329]},{"name":"TRUST_ATTRIBUTE_UPLEVEL_ONLY","features":[329]},{"name":"TRUST_ATTRIBUTE_WITHIN_FOREST","features":[329]},{"name":"TRUST_AUTH_TYPE_CLEAR","features":[329]},{"name":"TRUST_AUTH_TYPE_NONE","features":[329]},{"name":"TRUST_AUTH_TYPE_NT4OWF","features":[329]},{"name":"TRUST_AUTH_TYPE_VERSION","features":[329]},{"name":"TRUST_DIRECTION_BIDIRECTIONAL","features":[329]},{"name":"TRUST_DIRECTION_DISABLED","features":[329]},{"name":"TRUST_DIRECTION_INBOUND","features":[329]},{"name":"TRUST_DIRECTION_OUTBOUND","features":[329]},{"name":"TRUST_TYPE_AAD","features":[329]},{"name":"TRUST_TYPE_DCE","features":[329]},{"name":"TRUST_TYPE_DOWNLEVEL","features":[329]},{"name":"TRUST_TYPE_MIT","features":[329]},{"name":"TRUST_TYPE_UPLEVEL","features":[329]},{"name":"TlsHashAlgorithm_Md5","features":[329]},{"name":"TlsHashAlgorithm_None","features":[329]},{"name":"TlsHashAlgorithm_Sha1","features":[329]},{"name":"TlsHashAlgorithm_Sha224","features":[329]},{"name":"TlsHashAlgorithm_Sha256","features":[329]},{"name":"TlsHashAlgorithm_Sha384","features":[329]},{"name":"TlsHashAlgorithm_Sha512","features":[329]},{"name":"TlsParametersCngAlgUsageCertSig","features":[329]},{"name":"TlsParametersCngAlgUsageCipher","features":[329]},{"name":"TlsParametersCngAlgUsageDigest","features":[329]},{"name":"TlsParametersCngAlgUsageKeyExchange","features":[329]},{"name":"TlsParametersCngAlgUsageSignature","features":[329]},{"name":"TlsSignatureAlgorithm_Anonymous","features":[329]},{"name":"TlsSignatureAlgorithm_Dsa","features":[329]},{"name":"TlsSignatureAlgorithm_Ecdsa","features":[329]},{"name":"TlsSignatureAlgorithm_Rsa","features":[329]},{"name":"TokenBindingDeleteAllBindings","features":[329]},{"name":"TokenBindingDeleteBinding","features":[329]},{"name":"TokenBindingGenerateBinding","features":[329]},{"name":"TokenBindingGenerateID","features":[329]},{"name":"TokenBindingGenerateIDForUri","features":[329]},{"name":"TokenBindingGenerateMessage","features":[329]},{"name":"TokenBindingGetHighestSupportedVersion","features":[329]},{"name":"TokenBindingGetKeyTypesClient","features":[329]},{"name":"TokenBindingGetKeyTypesServer","features":[329]},{"name":"TokenBindingVerifyMessage","features":[329]},{"name":"TranslateNameA","features":[308,329]},{"name":"TranslateNameW","features":[308,329]},{"name":"TrustedControllersInformation","features":[329]},{"name":"TrustedDomainAuthInformation","features":[329]},{"name":"TrustedDomainAuthInformationInternal","features":[329]},{"name":"TrustedDomainAuthInformationInternalAes","features":[329]},{"name":"TrustedDomainFullInformation","features":[329]},{"name":"TrustedDomainFullInformation2Internal","features":[329]},{"name":"TrustedDomainFullInformationInternal","features":[329]},{"name":"TrustedDomainFullInformationInternalAes","features":[329]},{"name":"TrustedDomainInformationBasic","features":[329]},{"name":"TrustedDomainInformationEx","features":[329]},{"name":"TrustedDomainInformationEx2Internal","features":[329]},{"name":"TrustedDomainNameInformation","features":[329]},{"name":"TrustedDomainSupportedEncryptionTypes","features":[329]},{"name":"TrustedPasswordInformation","features":[329]},{"name":"TrustedPosixOffsetInformation","features":[329]},{"name":"UNDERSTANDS_LONG_NAMES","features":[329]},{"name":"UNISP_NAME","features":[329]},{"name":"UNISP_NAME_A","features":[329]},{"name":"UNISP_NAME_W","features":[329]},{"name":"UNISP_RPC_ID","features":[329]},{"name":"USER_ACCOUNT_AUTO_LOCKED","features":[329]},{"name":"USER_ACCOUNT_DISABLED","features":[329]},{"name":"USER_ALL_INFORMATION","features":[308,329]},{"name":"USER_ALL_PARAMETERS","features":[329]},{"name":"USER_DONT_EXPIRE_PASSWORD","features":[329]},{"name":"USER_DONT_REQUIRE_PREAUTH","features":[329]},{"name":"USER_ENCRYPTED_TEXT_PASSWORD_ALLOWED","features":[329]},{"name":"USER_HOME_DIRECTORY_REQUIRED","features":[329]},{"name":"USER_INTERDOMAIN_TRUST_ACCOUNT","features":[329]},{"name":"USER_MNS_LOGON_ACCOUNT","features":[329]},{"name":"USER_NORMAL_ACCOUNT","features":[329]},{"name":"USER_NOT_DELEGATED","features":[329]},{"name":"USER_NO_AUTH_DATA_REQUIRED","features":[329]},{"name":"USER_PARTIAL_SECRETS_ACCOUNT","features":[329]},{"name":"USER_PASSWORD_EXPIRED","features":[329]},{"name":"USER_PASSWORD_NOT_REQUIRED","features":[329]},{"name":"USER_SERVER_TRUST_ACCOUNT","features":[329]},{"name":"USER_SESSION_KEY","features":[329,482]},{"name":"USER_SMARTCARD_REQUIRED","features":[329]},{"name":"USER_TEMP_DUPLICATE_ACCOUNT","features":[329]},{"name":"USER_TRUSTED_FOR_DELEGATION","features":[329]},{"name":"USER_TRUSTED_TO_AUTHENTICATE_FOR_DELEGATION","features":[329]},{"name":"USER_USE_AES_KEYS","features":[329]},{"name":"USER_USE_DES_KEY_ONLY","features":[329]},{"name":"USER_WORKSTATION_TRUST_ACCOUNT","features":[329]},{"name":"VERIFY_SIGNATURE_FN","features":[329,481]},{"name":"VerifySignature","features":[329,481]},{"name":"WDIGEST_SP_NAME","features":[329]},{"name":"WDIGEST_SP_NAME_A","features":[329]},{"name":"WDIGEST_SP_NAME_W","features":[329]},{"name":"WINDOWS_SLID","features":[329]},{"name":"X509Certificate","features":[308,329,392]},{"name":"_FACILITY_WINDOWS_STORE","features":[329]},{"name":"_HMAPPER","features":[329]},{"name":"eTlsAlgorithmUsage","features":[329]},{"name":"eTlsHashAlgorithm","features":[329]},{"name":"eTlsSignatureAlgorithm","features":[329]}],"482":[{"name":"ACCOUNT_STATE","features":[483]},{"name":"AsyncIAssociatedIdentityProvider","features":[483]},{"name":"AsyncIConnectedIdentityProvider","features":[483]},{"name":"AsyncIIdentityAdvise","features":[483]},{"name":"AsyncIIdentityAuthentication","features":[483]},{"name":"AsyncIIdentityProvider","features":[483]},{"name":"AsyncIIdentityStore","features":[483]},{"name":"AsyncIIdentityStoreEx","features":[483]},{"name":"CIdentityProfileHandler","features":[483]},{"name":"CONNECTING","features":[483]},{"name":"CONNECT_COMPLETED","features":[483]},{"name":"CoClassIdentityStore","features":[483]},{"name":"IAssociatedIdentityProvider","features":[483]},{"name":"IConnectedIdentityProvider","features":[483]},{"name":"IDENTITIES_ALL","features":[483]},{"name":"IDENTITIES_ME_ONLY","features":[483]},{"name":"IDENTITY_ASSOCIATED","features":[483]},{"name":"IDENTITY_CONNECTED","features":[483]},{"name":"IDENTITY_CREATED","features":[483]},{"name":"IDENTITY_DELETED","features":[483]},{"name":"IDENTITY_DISASSOCIATED","features":[483]},{"name":"IDENTITY_DISCONNECTED","features":[483]},{"name":"IDENTITY_IMPORTED","features":[483]},{"name":"IDENTITY_KEYWORD_ASSOCIATED","features":[483]},{"name":"IDENTITY_KEYWORD_CONNECTED","features":[483]},{"name":"IDENTITY_KEYWORD_HOMEGROUP","features":[483]},{"name":"IDENTITY_KEYWORD_LOCAL","features":[483]},{"name":"IDENTITY_PROPCHANGED","features":[483]},{"name":"IDENTITY_TYPE","features":[483]},{"name":"IDENTITY_URL","features":[483]},{"name":"IDENTITY_URL_ACCOUNT_SETTINGS","features":[483]},{"name":"IDENTITY_URL_CHANGE_PASSWORD_WIZARD","features":[483]},{"name":"IDENTITY_URL_CONNECT_WIZARD","features":[483]},{"name":"IDENTITY_URL_CREATE_ACCOUNT_WIZARD","features":[483]},{"name":"IDENTITY_URL_IFEXISTS_WIZARD","features":[483]},{"name":"IDENTITY_URL_RESTORE_WIZARD","features":[483]},{"name":"IDENTITY_URL_SIGN_IN_WIZARD","features":[483]},{"name":"IIdentityAdvise","features":[483]},{"name":"IIdentityAuthentication","features":[483]},{"name":"IIdentityProvider","features":[483]},{"name":"IIdentityStore","features":[483]},{"name":"IIdentityStoreEx","features":[483]},{"name":"IdentityUpdateEvent","features":[483]},{"name":"NOT_CONNECTED","features":[483]},{"name":"OID_OAssociatedIdentityProviderObject","features":[483]},{"name":"STR_COMPLETE_ACCOUNT","features":[483]},{"name":"STR_MODERN_SETTINGS_ADD_USER","features":[483]},{"name":"STR_NTH_USER_FIRST_AUTH","features":[483]},{"name":"STR_OUT_OF_BOX_EXPERIENCE","features":[483]},{"name":"STR_OUT_OF_BOX_UPGRADE_EXPERIENCE","features":[483]},{"name":"STR_PROPERTY_STORE","features":[483]},{"name":"STR_USER_NAME","features":[483]}],"483":[{"name":"ACCCTRL_DEFAULT_PROVIDER","features":[484]},{"name":"ACCCTRL_DEFAULT_PROVIDERA","features":[484]},{"name":"ACCCTRL_DEFAULT_PROVIDERW","features":[484]},{"name":"ACCESS_MODE","features":[484]},{"name":"ACTRL_ACCESSA","features":[484]},{"name":"ACTRL_ACCESSW","features":[484]},{"name":"ACTRL_ACCESS_ALLOWED","features":[484]},{"name":"ACTRL_ACCESS_DENIED","features":[484]},{"name":"ACTRL_ACCESS_ENTRYA","features":[484]},{"name":"ACTRL_ACCESS_ENTRYW","features":[484]},{"name":"ACTRL_ACCESS_ENTRY_ACCESS_FLAGS","features":[484]},{"name":"ACTRL_ACCESS_ENTRY_LISTA","features":[484]},{"name":"ACTRL_ACCESS_ENTRY_LISTW","features":[484]},{"name":"ACTRL_ACCESS_INFOA","features":[484]},{"name":"ACTRL_ACCESS_INFOW","features":[484]},{"name":"ACTRL_ACCESS_NO_OPTIONS","features":[484]},{"name":"ACTRL_ACCESS_PROTECTED","features":[484]},{"name":"ACTRL_ACCESS_SUPPORTS_OBJECT_ENTRIES","features":[484]},{"name":"ACTRL_AUDIT_FAILURE","features":[484]},{"name":"ACTRL_AUDIT_SUCCESS","features":[484]},{"name":"ACTRL_CHANGE_ACCESS","features":[484]},{"name":"ACTRL_CHANGE_OWNER","features":[484]},{"name":"ACTRL_CONTROL_INFOA","features":[484]},{"name":"ACTRL_CONTROL_INFOW","features":[484]},{"name":"ACTRL_DELETE","features":[484]},{"name":"ACTRL_DIR_CREATE_CHILD","features":[484]},{"name":"ACTRL_DIR_CREATE_OBJECT","features":[484]},{"name":"ACTRL_DIR_DELETE_CHILD","features":[484]},{"name":"ACTRL_DIR_LIST","features":[484]},{"name":"ACTRL_DIR_TRAVERSE","features":[484]},{"name":"ACTRL_FILE_APPEND","features":[484]},{"name":"ACTRL_FILE_CREATE_PIPE","features":[484]},{"name":"ACTRL_FILE_EXECUTE","features":[484]},{"name":"ACTRL_FILE_READ","features":[484]},{"name":"ACTRL_FILE_READ_ATTRIB","features":[484]},{"name":"ACTRL_FILE_READ_PROP","features":[484]},{"name":"ACTRL_FILE_WRITE","features":[484]},{"name":"ACTRL_FILE_WRITE_ATTRIB","features":[484]},{"name":"ACTRL_FILE_WRITE_PROP","features":[484]},{"name":"ACTRL_KERNEL_ALERT","features":[484]},{"name":"ACTRL_KERNEL_CONTROL","features":[484]},{"name":"ACTRL_KERNEL_DIMPERSONATE","features":[484]},{"name":"ACTRL_KERNEL_DUP_HANDLE","features":[484]},{"name":"ACTRL_KERNEL_GET_CONTEXT","features":[484]},{"name":"ACTRL_KERNEL_GET_INFO","features":[484]},{"name":"ACTRL_KERNEL_IMPERSONATE","features":[484]},{"name":"ACTRL_KERNEL_PROCESS","features":[484]},{"name":"ACTRL_KERNEL_SET_CONTEXT","features":[484]},{"name":"ACTRL_KERNEL_SET_INFO","features":[484]},{"name":"ACTRL_KERNEL_TERMINATE","features":[484]},{"name":"ACTRL_KERNEL_THREAD","features":[484]},{"name":"ACTRL_KERNEL_TOKEN","features":[484]},{"name":"ACTRL_KERNEL_VM","features":[484]},{"name":"ACTRL_KERNEL_VM_READ","features":[484]},{"name":"ACTRL_KERNEL_VM_WRITE","features":[484]},{"name":"ACTRL_OVERLAPPED","features":[308,484]},{"name":"ACTRL_PERM_1","features":[484]},{"name":"ACTRL_PERM_10","features":[484]},{"name":"ACTRL_PERM_11","features":[484]},{"name":"ACTRL_PERM_12","features":[484]},{"name":"ACTRL_PERM_13","features":[484]},{"name":"ACTRL_PERM_14","features":[484]},{"name":"ACTRL_PERM_15","features":[484]},{"name":"ACTRL_PERM_16","features":[484]},{"name":"ACTRL_PERM_17","features":[484]},{"name":"ACTRL_PERM_18","features":[484]},{"name":"ACTRL_PERM_19","features":[484]},{"name":"ACTRL_PERM_2","features":[484]},{"name":"ACTRL_PERM_20","features":[484]},{"name":"ACTRL_PERM_3","features":[484]},{"name":"ACTRL_PERM_4","features":[484]},{"name":"ACTRL_PERM_5","features":[484]},{"name":"ACTRL_PERM_6","features":[484]},{"name":"ACTRL_PERM_7","features":[484]},{"name":"ACTRL_PERM_8","features":[484]},{"name":"ACTRL_PERM_9","features":[484]},{"name":"ACTRL_PRINT_JADMIN","features":[484]},{"name":"ACTRL_PRINT_PADMIN","features":[484]},{"name":"ACTRL_PRINT_PUSE","features":[484]},{"name":"ACTRL_PRINT_SADMIN","features":[484]},{"name":"ACTRL_PRINT_SLIST","features":[484]},{"name":"ACTRL_PROPERTY_ENTRYA","features":[484]},{"name":"ACTRL_PROPERTY_ENTRYW","features":[484]},{"name":"ACTRL_READ_CONTROL","features":[484]},{"name":"ACTRL_REG_CREATE_CHILD","features":[484]},{"name":"ACTRL_REG_LINK","features":[484]},{"name":"ACTRL_REG_LIST","features":[484]},{"name":"ACTRL_REG_NOTIFY","features":[484]},{"name":"ACTRL_REG_QUERY","features":[484]},{"name":"ACTRL_REG_SET","features":[484]},{"name":"ACTRL_RESERVED","features":[484]},{"name":"ACTRL_STD_RIGHTS_ALL","features":[484]},{"name":"ACTRL_SVC_GET_INFO","features":[484]},{"name":"ACTRL_SVC_INTERROGATE","features":[484]},{"name":"ACTRL_SVC_LIST","features":[484]},{"name":"ACTRL_SVC_PAUSE","features":[484]},{"name":"ACTRL_SVC_SET_INFO","features":[484]},{"name":"ACTRL_SVC_START","features":[484]},{"name":"ACTRL_SVC_STATUS","features":[484]},{"name":"ACTRL_SVC_STOP","features":[484]},{"name":"ACTRL_SVC_UCONTROL","features":[484]},{"name":"ACTRL_SYNCHRONIZE","features":[484]},{"name":"ACTRL_SYSTEM_ACCESS","features":[484]},{"name":"ACTRL_WIN_CLIPBRD","features":[484]},{"name":"ACTRL_WIN_CREATE","features":[484]},{"name":"ACTRL_WIN_EXIT","features":[484]},{"name":"ACTRL_WIN_GLOBAL_ATOMS","features":[484]},{"name":"ACTRL_WIN_LIST","features":[484]},{"name":"ACTRL_WIN_LIST_DESK","features":[484]},{"name":"ACTRL_WIN_READ_ATTRIBS","features":[484]},{"name":"ACTRL_WIN_SCREEN","features":[484]},{"name":"ACTRL_WIN_WRITE_ATTRIBS","features":[484]},{"name":"APF_AuditFailure","features":[484]},{"name":"APF_AuditSuccess","features":[484]},{"name":"APF_ValidFlags","features":[484]},{"name":"APT_Guid","features":[484]},{"name":"APT_Int64","features":[484]},{"name":"APT_IpAddress","features":[484]},{"name":"APT_LogonId","features":[484]},{"name":"APT_LogonIdWithSid","features":[484]},{"name":"APT_Luid","features":[484]},{"name":"APT_None","features":[484]},{"name":"APT_ObjectTypeList","features":[484]},{"name":"APT_Pointer","features":[484]},{"name":"APT_Sid","features":[484]},{"name":"APT_String","features":[484]},{"name":"APT_Time","features":[484]},{"name":"APT_Ulong","features":[484]},{"name":"AP_ParamTypeBits","features":[484]},{"name":"AP_ParamTypeMask","features":[484]},{"name":"AUDIT_IP_ADDRESS","features":[484]},{"name":"AUDIT_OBJECT_TYPE","features":[484]},{"name":"AUDIT_OBJECT_TYPES","features":[484]},{"name":"AUDIT_PARAM","features":[484]},{"name":"AUDIT_PARAMS","features":[484]},{"name":"AUDIT_PARAM_TYPE","features":[484]},{"name":"AUDIT_TYPE_LEGACY","features":[484]},{"name":"AUDIT_TYPE_WMI","features":[484]},{"name":"AUTHZP_WPD_EVENT","features":[484]},{"name":"AUTHZ_ACCESS_CHECK_FLAGS","features":[484]},{"name":"AUTHZ_ACCESS_CHECK_NO_DEEP_COPY_SD","features":[484]},{"name":"AUTHZ_ACCESS_CHECK_RESULTS_HANDLE","features":[484]},{"name":"AUTHZ_ACCESS_REPLY","features":[484]},{"name":"AUTHZ_ACCESS_REQUEST","features":[308,484]},{"name":"AUTHZ_ALLOW_MULTIPLE_SOURCE_INSTANCES","features":[484]},{"name":"AUTHZ_AUDIT_EVENT_HANDLE","features":[484]},{"name":"AUTHZ_AUDIT_EVENT_INFORMATION_CLASS","features":[484]},{"name":"AUTHZ_AUDIT_EVENT_TYPE_HANDLE","features":[484]},{"name":"AUTHZ_AUDIT_EVENT_TYPE_LEGACY","features":[484]},{"name":"AUTHZ_AUDIT_EVENT_TYPE_OLD","features":[308,484]},{"name":"AUTHZ_AUDIT_EVENT_TYPE_UNION","features":[484]},{"name":"AUTHZ_AUDIT_INSTANCE_INFORMATION","features":[484]},{"name":"AUTHZ_CAP_CHANGE_SUBSCRIPTION_HANDLE","features":[484]},{"name":"AUTHZ_CLIENT_CONTEXT_HANDLE","features":[484]},{"name":"AUTHZ_COMPUTE_PRIVILEGES","features":[484]},{"name":"AUTHZ_CONTEXT_INFORMATION_CLASS","features":[484]},{"name":"AUTHZ_FLAG_ALLOW_MULTIPLE_SOURCE_INSTANCES","features":[484]},{"name":"AUTHZ_GENERATE_FAILURE_AUDIT","features":[484]},{"name":"AUTHZ_GENERATE_RESULTS","features":[484]},{"name":"AUTHZ_GENERATE_SUCCESS_AUDIT","features":[484]},{"name":"AUTHZ_INITIALIZE_OBJECT_ACCESS_AUDIT_EVENT_FLAGS","features":[484]},{"name":"AUTHZ_INIT_INFO","features":[308,484]},{"name":"AUTHZ_INIT_INFO_VERSION_V1","features":[484]},{"name":"AUTHZ_MIGRATED_LEGACY_PUBLISHER","features":[484]},{"name":"AUTHZ_NO_ALLOC_STRINGS","features":[484]},{"name":"AUTHZ_NO_FAILURE_AUDIT","features":[484]},{"name":"AUTHZ_NO_SUCCESS_AUDIT","features":[484]},{"name":"AUTHZ_REGISTRATION_OBJECT_TYPE_NAME_OFFSET","features":[484]},{"name":"AUTHZ_REQUIRE_S4U_LOGON","features":[484]},{"name":"AUTHZ_RESOURCE_MANAGER_FLAGS","features":[484]},{"name":"AUTHZ_RESOURCE_MANAGER_HANDLE","features":[484]},{"name":"AUTHZ_RM_FLAG_INITIALIZE_UNDER_IMPERSONATION","features":[484]},{"name":"AUTHZ_RM_FLAG_NO_AUDIT","features":[484]},{"name":"AUTHZ_RM_FLAG_NO_CENTRAL_ACCESS_POLICIES","features":[484]},{"name":"AUTHZ_RPC_INIT_INFO_CLIENT","features":[484]},{"name":"AUTHZ_RPC_INIT_INFO_CLIENT_VERSION_V1","features":[484]},{"name":"AUTHZ_SECURITY_ATTRIBUTES_INFORMATION","features":[484]},{"name":"AUTHZ_SECURITY_ATTRIBUTES_INFORMATION_VERSION","features":[484]},{"name":"AUTHZ_SECURITY_ATTRIBUTES_INFORMATION_VERSION_V1","features":[484]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_FLAGS","features":[484]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_FQBN_VALUE","features":[484]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_NON_INHERITABLE","features":[484]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_OCTET_STRING_VALUE","features":[484]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_OPERATION","features":[484]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_OPERATION_ADD","features":[484]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_OPERATION_DELETE","features":[484]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_OPERATION_NONE","features":[484]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_OPERATION_REPLACE","features":[484]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_OPERATION_REPLACE_ALL","features":[484]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_TYPE_BOOLEAN","features":[484]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_TYPE_FQBN","features":[484]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_TYPE_INT64","features":[484]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_TYPE_INVALID","features":[484]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_TYPE_OCTET_STRING","features":[484]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_TYPE_SID","features":[484]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_TYPE_STRING","features":[484]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_TYPE_UINT64","features":[484]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_V1","features":[484]},{"name":"AUTHZ_SECURITY_ATTRIBUTE_VALUE_CASE_SENSITIVE","features":[484]},{"name":"AUTHZ_SECURITY_EVENT_PROVIDER_HANDLE","features":[484]},{"name":"AUTHZ_SID_OPERATION","features":[484]},{"name":"AUTHZ_SID_OPERATION_ADD","features":[484]},{"name":"AUTHZ_SID_OPERATION_DELETE","features":[484]},{"name":"AUTHZ_SID_OPERATION_NONE","features":[484]},{"name":"AUTHZ_SID_OPERATION_REPLACE","features":[484]},{"name":"AUTHZ_SID_OPERATION_REPLACE_ALL","features":[484]},{"name":"AUTHZ_SKIP_TOKEN_GROUPS","features":[484]},{"name":"AUTHZ_SOURCE_SCHEMA_REGISTRATION","features":[484]},{"name":"AUTHZ_WPD_CATEGORY_FLAG","features":[484]},{"name":"AZ_AZSTORE_DEFAULT_DOMAIN_TIMEOUT","features":[484]},{"name":"AZ_AZSTORE_DEFAULT_MAX_SCRIPT_ENGINES","features":[484]},{"name":"AZ_AZSTORE_DEFAULT_SCRIPT_ENGINE_TIMEOUT","features":[484]},{"name":"AZ_AZSTORE_FLAG_AUDIT_IS_CRITICAL","features":[484]},{"name":"AZ_AZSTORE_FLAG_BATCH_UPDATE","features":[484]},{"name":"AZ_AZSTORE_FLAG_CREATE","features":[484]},{"name":"AZ_AZSTORE_FLAG_MANAGE_ONLY_PASSIVE_SUBMIT","features":[484]},{"name":"AZ_AZSTORE_FLAG_MANAGE_STORE_ONLY","features":[484]},{"name":"AZ_AZSTORE_FORCE_APPLICATION_CLOSE","features":[484]},{"name":"AZ_AZSTORE_MIN_DOMAIN_TIMEOUT","features":[484]},{"name":"AZ_AZSTORE_MIN_SCRIPT_ENGINE_TIMEOUT","features":[484]},{"name":"AZ_AZSTORE_NT6_FUNCTION_LEVEL","features":[484]},{"name":"AZ_CLIENT_CONTEXT_GET_GROUPS_STORE_LEVEL_ONLY","features":[484]},{"name":"AZ_CLIENT_CONTEXT_GET_GROUP_RECURSIVE","features":[484]},{"name":"AZ_CLIENT_CONTEXT_SKIP_GROUP","features":[484]},{"name":"AZ_CLIENT_CONTEXT_SKIP_LDAP_QUERY","features":[484]},{"name":"AZ_GROUPTYPE_BASIC","features":[484]},{"name":"AZ_GROUPTYPE_BIZRULE","features":[484]},{"name":"AZ_GROUPTYPE_LDAP_QUERY","features":[484]},{"name":"AZ_MAX_APPLICATION_DATA_LENGTH","features":[484]},{"name":"AZ_MAX_APPLICATION_NAME_LENGTH","features":[484]},{"name":"AZ_MAX_APPLICATION_VERSION_LENGTH","features":[484]},{"name":"AZ_MAX_BIZRULE_STRING","features":[484]},{"name":"AZ_MAX_DESCRIPTION_LENGTH","features":[484]},{"name":"AZ_MAX_GROUP_BIZRULE_IMPORTED_PATH_LENGTH","features":[484]},{"name":"AZ_MAX_GROUP_BIZRULE_LANGUAGE_LENGTH","features":[484]},{"name":"AZ_MAX_GROUP_BIZRULE_LENGTH","features":[484]},{"name":"AZ_MAX_GROUP_LDAP_QUERY_LENGTH","features":[484]},{"name":"AZ_MAX_GROUP_NAME_LENGTH","features":[484]},{"name":"AZ_MAX_NAME_LENGTH","features":[484]},{"name":"AZ_MAX_OPERATION_NAME_LENGTH","features":[484]},{"name":"AZ_MAX_POLICY_URL_LENGTH","features":[484]},{"name":"AZ_MAX_ROLE_NAME_LENGTH","features":[484]},{"name":"AZ_MAX_SCOPE_NAME_LENGTH","features":[484]},{"name":"AZ_MAX_TASK_BIZRULE_IMPORTED_PATH_LENGTH","features":[484]},{"name":"AZ_MAX_TASK_BIZRULE_LANGUAGE_LENGTH","features":[484]},{"name":"AZ_MAX_TASK_BIZRULE_LENGTH","features":[484]},{"name":"AZ_MAX_TASK_NAME_LENGTH","features":[484]},{"name":"AZ_PROP_APPLICATION_AUTHZ_INTERFACE_CLSID","features":[484]},{"name":"AZ_PROP_APPLICATION_BIZRULE_ENABLED","features":[484]},{"name":"AZ_PROP_APPLICATION_DATA","features":[484]},{"name":"AZ_PROP_APPLICATION_NAME","features":[484]},{"name":"AZ_PROP_APPLICATION_VERSION","features":[484]},{"name":"AZ_PROP_APPLY_STORE_SACL","features":[484]},{"name":"AZ_PROP_AZSTORE_DOMAIN_TIMEOUT","features":[484]},{"name":"AZ_PROP_AZSTORE_MAJOR_VERSION","features":[484]},{"name":"AZ_PROP_AZSTORE_MAX_SCRIPT_ENGINES","features":[484]},{"name":"AZ_PROP_AZSTORE_MINOR_VERSION","features":[484]},{"name":"AZ_PROP_AZSTORE_SCRIPT_ENGINE_TIMEOUT","features":[484]},{"name":"AZ_PROP_AZSTORE_TARGET_MACHINE","features":[484]},{"name":"AZ_PROP_AZTORE_IS_ADAM_INSTANCE","features":[484]},{"name":"AZ_PROP_CHILD_CREATE","features":[484]},{"name":"AZ_PROP_CLIENT_CONTEXT_LDAP_QUERY_DN","features":[484]},{"name":"AZ_PROP_CLIENT_CONTEXT_ROLE_FOR_ACCESS_CHECK","features":[484]},{"name":"AZ_PROP_CLIENT_CONTEXT_USER_CANONICAL","features":[484]},{"name":"AZ_PROP_CLIENT_CONTEXT_USER_DISPLAY","features":[484]},{"name":"AZ_PROP_CLIENT_CONTEXT_USER_DN","features":[484]},{"name":"AZ_PROP_CLIENT_CONTEXT_USER_DNS_SAM_COMPAT","features":[484]},{"name":"AZ_PROP_CLIENT_CONTEXT_USER_GUID","features":[484]},{"name":"AZ_PROP_CLIENT_CONTEXT_USER_SAM_COMPAT","features":[484]},{"name":"AZ_PROP_CLIENT_CONTEXT_USER_UPN","features":[484]},{"name":"AZ_PROP_CONSTANTS","features":[484]},{"name":"AZ_PROP_DELEGATED_POLICY_USERS","features":[484]},{"name":"AZ_PROP_DELEGATED_POLICY_USERS_NAME","features":[484]},{"name":"AZ_PROP_DESCRIPTION","features":[484]},{"name":"AZ_PROP_GENERATE_AUDITS","features":[484]},{"name":"AZ_PROP_GROUP_APP_MEMBERS","features":[484]},{"name":"AZ_PROP_GROUP_APP_NON_MEMBERS","features":[484]},{"name":"AZ_PROP_GROUP_BIZRULE","features":[484]},{"name":"AZ_PROP_GROUP_BIZRULE_IMPORTED_PATH","features":[484]},{"name":"AZ_PROP_GROUP_BIZRULE_LANGUAGE","features":[484]},{"name":"AZ_PROP_GROUP_LDAP_QUERY","features":[484]},{"name":"AZ_PROP_GROUP_MEMBERS","features":[484]},{"name":"AZ_PROP_GROUP_MEMBERS_NAME","features":[484]},{"name":"AZ_PROP_GROUP_NON_MEMBERS","features":[484]},{"name":"AZ_PROP_GROUP_NON_MEMBERS_NAME","features":[484]},{"name":"AZ_PROP_GROUP_TYPE","features":[484]},{"name":"AZ_PROP_NAME","features":[484]},{"name":"AZ_PROP_OPERATION_ID","features":[484]},{"name":"AZ_PROP_POLICY_ADMINS","features":[484]},{"name":"AZ_PROP_POLICY_ADMINS_NAME","features":[484]},{"name":"AZ_PROP_POLICY_READERS","features":[484]},{"name":"AZ_PROP_POLICY_READERS_NAME","features":[484]},{"name":"AZ_PROP_ROLE_APP_MEMBERS","features":[484]},{"name":"AZ_PROP_ROLE_MEMBERS","features":[484]},{"name":"AZ_PROP_ROLE_MEMBERS_NAME","features":[484]},{"name":"AZ_PROP_ROLE_OPERATIONS","features":[484]},{"name":"AZ_PROP_ROLE_TASKS","features":[484]},{"name":"AZ_PROP_SCOPE_BIZRULES_WRITABLE","features":[484]},{"name":"AZ_PROP_SCOPE_CAN_BE_DELEGATED","features":[484]},{"name":"AZ_PROP_TASK_BIZRULE","features":[484]},{"name":"AZ_PROP_TASK_BIZRULE_IMPORTED_PATH","features":[484]},{"name":"AZ_PROP_TASK_BIZRULE_LANGUAGE","features":[484]},{"name":"AZ_PROP_TASK_IS_ROLE_DEFINITION","features":[484]},{"name":"AZ_PROP_TASK_OPERATIONS","features":[484]},{"name":"AZ_PROP_TASK_TASKS","features":[484]},{"name":"AZ_PROP_WRITABLE","features":[484]},{"name":"AZ_SUBMIT_FLAG_ABORT","features":[484]},{"name":"AZ_SUBMIT_FLAG_FLUSH","features":[484]},{"name":"AuthzAccessCheck","features":[308,484]},{"name":"AuthzAddSidsToContext","features":[308,484]},{"name":"AuthzAuditEventInfoAdditionalInfo","features":[484]},{"name":"AuthzAuditEventInfoFlags","features":[484]},{"name":"AuthzAuditEventInfoObjectName","features":[484]},{"name":"AuthzAuditEventInfoObjectType","features":[484]},{"name":"AuthzAuditEventInfoOperationType","features":[484]},{"name":"AuthzCachedAccessCheck","features":[308,484]},{"name":"AuthzContextInfoAll","features":[484]},{"name":"AuthzContextInfoAppContainerSid","features":[484]},{"name":"AuthzContextInfoAuthenticationId","features":[484]},{"name":"AuthzContextInfoCapabilitySids","features":[484]},{"name":"AuthzContextInfoDeviceClaims","features":[484]},{"name":"AuthzContextInfoDeviceSids","features":[484]},{"name":"AuthzContextInfoExpirationTime","features":[484]},{"name":"AuthzContextInfoGroupsSids","features":[484]},{"name":"AuthzContextInfoIdentifier","features":[484]},{"name":"AuthzContextInfoPrivileges","features":[484]},{"name":"AuthzContextInfoRestrictedSids","features":[484]},{"name":"AuthzContextInfoSecurityAttributes","features":[484]},{"name":"AuthzContextInfoServerContext","features":[484]},{"name":"AuthzContextInfoSource","features":[484]},{"name":"AuthzContextInfoUserClaims","features":[484]},{"name":"AuthzContextInfoUserSid","features":[484]},{"name":"AuthzEnumerateSecurityEventSources","features":[308,484]},{"name":"AuthzEvaluateSacl","features":[308,484]},{"name":"AuthzFreeAuditEvent","features":[308,484]},{"name":"AuthzFreeCentralAccessPolicyCache","features":[308,484]},{"name":"AuthzFreeContext","features":[308,484]},{"name":"AuthzFreeHandle","features":[308,484]},{"name":"AuthzFreeResourceManager","features":[308,484]},{"name":"AuthzGetInformationFromContext","features":[308,484]},{"name":"AuthzInitializeCompoundContext","features":[308,484]},{"name":"AuthzInitializeContextFromAuthzContext","features":[308,484]},{"name":"AuthzInitializeContextFromSid","features":[308,484]},{"name":"AuthzInitializeContextFromToken","features":[308,484]},{"name":"AuthzInitializeObjectAccessAuditEvent","features":[308,484]},{"name":"AuthzInitializeObjectAccessAuditEvent2","features":[308,484]},{"name":"AuthzInitializeRemoteResourceManager","features":[308,484]},{"name":"AuthzInitializeResourceManager","features":[308,484]},{"name":"AuthzInitializeResourceManagerEx","features":[308,484]},{"name":"AuthzInstallSecurityEventSource","features":[308,484]},{"name":"AuthzModifyClaims","features":[308,484]},{"name":"AuthzModifySecurityAttributes","features":[308,484]},{"name":"AuthzModifySids","features":[308,484]},{"name":"AuthzOpenObjectAudit","features":[308,484]},{"name":"AuthzRegisterCapChangeNotification","features":[308,484,343]},{"name":"AuthzRegisterSecurityEventSource","features":[308,484]},{"name":"AuthzReportSecurityEvent","features":[308,484]},{"name":"AuthzReportSecurityEventFromParams","features":[308,484]},{"name":"AuthzSetAppContainerInformation","features":[308,484]},{"name":"AuthzUninstallSecurityEventSource","features":[308,484]},{"name":"AuthzUnregisterCapChangeNotification","features":[308,484]},{"name":"AuthzUnregisterSecurityEventSource","features":[308,484]},{"name":"AzAuthorizationStore","features":[484]},{"name":"AzBizRuleContext","features":[484]},{"name":"AzPrincipalLocator","features":[484]},{"name":"BuildExplicitAccessWithNameA","features":[484]},{"name":"BuildExplicitAccessWithNameW","features":[484]},{"name":"BuildImpersonateExplicitAccessWithNameA","features":[484]},{"name":"BuildImpersonateExplicitAccessWithNameW","features":[484]},{"name":"BuildImpersonateTrusteeA","features":[484]},{"name":"BuildImpersonateTrusteeW","features":[484]},{"name":"BuildSecurityDescriptorA","features":[308,484]},{"name":"BuildSecurityDescriptorW","features":[308,484]},{"name":"BuildTrusteeWithNameA","features":[484]},{"name":"BuildTrusteeWithNameW","features":[484]},{"name":"BuildTrusteeWithObjectsAndNameA","features":[484]},{"name":"BuildTrusteeWithObjectsAndNameW","features":[484]},{"name":"BuildTrusteeWithObjectsAndSidA","features":[308,484]},{"name":"BuildTrusteeWithObjectsAndSidW","features":[308,484]},{"name":"BuildTrusteeWithSidA","features":[308,484]},{"name":"BuildTrusteeWithSidW","features":[308,484]},{"name":"ConvertSecurityDescriptorToStringSecurityDescriptorA","features":[308,484]},{"name":"ConvertSecurityDescriptorToStringSecurityDescriptorW","features":[308,484]},{"name":"ConvertSidToStringSidA","features":[308,484]},{"name":"ConvertSidToStringSidW","features":[308,484]},{"name":"ConvertStringSecurityDescriptorToSecurityDescriptorA","features":[308,484]},{"name":"ConvertStringSecurityDescriptorToSecurityDescriptorW","features":[308,484]},{"name":"ConvertStringSidToSidA","features":[308,484]},{"name":"ConvertStringSidToSidW","features":[308,484]},{"name":"DENY_ACCESS","features":[484]},{"name":"EXPLICIT_ACCESS_A","features":[484]},{"name":"EXPLICIT_ACCESS_W","features":[484]},{"name":"FN_OBJECT_MGR_FUNCTS","features":[484]},{"name":"FN_PROGRESS","features":[308,484]},{"name":"FreeInheritedFromArray","features":[308,484]},{"name":"GRANT_ACCESS","features":[484]},{"name":"GetAuditedPermissionsFromAclA","features":[308,484]},{"name":"GetAuditedPermissionsFromAclW","features":[308,484]},{"name":"GetEffectiveRightsFromAclA","features":[308,484]},{"name":"GetEffectiveRightsFromAclW","features":[308,484]},{"name":"GetExplicitEntriesFromAclA","features":[308,484]},{"name":"GetExplicitEntriesFromAclW","features":[308,484]},{"name":"GetInheritanceSourceA","features":[308,484]},{"name":"GetInheritanceSourceW","features":[308,484]},{"name":"GetMultipleTrusteeA","features":[484]},{"name":"GetMultipleTrusteeOperationA","features":[484]},{"name":"GetMultipleTrusteeOperationW","features":[484]},{"name":"GetMultipleTrusteeW","features":[484]},{"name":"GetNamedSecurityInfoA","features":[308,484]},{"name":"GetNamedSecurityInfoW","features":[308,484]},{"name":"GetSecurityInfo","features":[308,484]},{"name":"GetTrusteeFormA","features":[484]},{"name":"GetTrusteeFormW","features":[484]},{"name":"GetTrusteeNameA","features":[484]},{"name":"GetTrusteeNameW","features":[484]},{"name":"GetTrusteeTypeA","features":[484]},{"name":"GetTrusteeTypeW","features":[484]},{"name":"IAzApplication","features":[484,359]},{"name":"IAzApplication2","features":[484,359]},{"name":"IAzApplication3","features":[484,359]},{"name":"IAzApplicationGroup","features":[484,359]},{"name":"IAzApplicationGroup2","features":[484,359]},{"name":"IAzApplicationGroups","features":[484,359]},{"name":"IAzApplications","features":[484,359]},{"name":"IAzAuthorizationStore","features":[484,359]},{"name":"IAzAuthorizationStore2","features":[484,359]},{"name":"IAzAuthorizationStore3","features":[484,359]},{"name":"IAzBizRuleContext","features":[484,359]},{"name":"IAzBizRuleInterfaces","features":[484,359]},{"name":"IAzBizRuleParameters","features":[484,359]},{"name":"IAzClientContext","features":[484,359]},{"name":"IAzClientContext2","features":[484,359]},{"name":"IAzClientContext3","features":[484,359]},{"name":"IAzNameResolver","features":[484,359]},{"name":"IAzObjectPicker","features":[484,359]},{"name":"IAzOperation","features":[484,359]},{"name":"IAzOperation2","features":[484,359]},{"name":"IAzOperations","features":[484,359]},{"name":"IAzPrincipalLocator","features":[484,359]},{"name":"IAzRole","features":[484,359]},{"name":"IAzRoleAssignment","features":[484,359]},{"name":"IAzRoleAssignments","features":[484,359]},{"name":"IAzRoleDefinition","features":[484,359]},{"name":"IAzRoleDefinitions","features":[484,359]},{"name":"IAzRoles","features":[484,359]},{"name":"IAzScope","features":[484,359]},{"name":"IAzScope2","features":[484,359]},{"name":"IAzScopes","features":[484,359]},{"name":"IAzTask","features":[484,359]},{"name":"IAzTask2","features":[484,359]},{"name":"IAzTasks","features":[484,359]},{"name":"INHERITED_ACCESS_ENTRY","features":[484]},{"name":"INHERITED_FROMA","features":[484]},{"name":"INHERITED_FROMW","features":[484]},{"name":"INHERITED_GRANDPARENT","features":[484]},{"name":"INHERITED_PARENT","features":[484]},{"name":"LookupSecurityDescriptorPartsA","features":[308,484]},{"name":"LookupSecurityDescriptorPartsW","features":[308,484]},{"name":"MULTIPLE_TRUSTEE_OPERATION","features":[484]},{"name":"NOT_USED_ACCESS","features":[484]},{"name":"NO_MULTIPLE_TRUSTEE","features":[484]},{"name":"OBJECTS_AND_NAME_A","features":[484]},{"name":"OBJECTS_AND_NAME_W","features":[484]},{"name":"OBJECTS_AND_SID","features":[484]},{"name":"OLESCRIPT_E_SYNTAX","features":[484]},{"name":"PFN_AUTHZ_COMPUTE_DYNAMIC_GROUPS","features":[308,484]},{"name":"PFN_AUTHZ_DYNAMIC_ACCESS_CHECK","features":[308,484]},{"name":"PFN_AUTHZ_FREE_CENTRAL_ACCESS_POLICY","features":[484]},{"name":"PFN_AUTHZ_FREE_DYNAMIC_GROUPS","features":[308,484]},{"name":"PFN_AUTHZ_GET_CENTRAL_ACCESS_POLICY","features":[308,484]},{"name":"PROG_INVOKE_SETTING","features":[484]},{"name":"ProgressCancelOperation","features":[484]},{"name":"ProgressInvokeEveryObject","features":[484]},{"name":"ProgressInvokeNever","features":[484]},{"name":"ProgressInvokeOnError","features":[484]},{"name":"ProgressInvokePrePostError","features":[484]},{"name":"ProgressRetryOperation","features":[484]},{"name":"REVOKE_ACCESS","features":[484]},{"name":"SDDL_ACCESS_ALLOWED","features":[484]},{"name":"SDDL_ACCESS_CONTROL_ASSISTANCE_OPS","features":[484]},{"name":"SDDL_ACCESS_DENIED","features":[484]},{"name":"SDDL_ACCESS_FILTER","features":[484]},{"name":"SDDL_ACCOUNT_OPERATORS","features":[484]},{"name":"SDDL_ACE_BEGIN","features":[484]},{"name":"SDDL_ACE_COND_ATTRIBUTE_PREFIX","features":[484]},{"name":"SDDL_ACE_COND_BEGIN","features":[484]},{"name":"SDDL_ACE_COND_BLOB_PREFIX","features":[484]},{"name":"SDDL_ACE_COND_DEVICE_ATTRIBUTE_PREFIX","features":[484]},{"name":"SDDL_ACE_COND_END","features":[484]},{"name":"SDDL_ACE_COND_RESOURCE_ATTRIBUTE_PREFIX","features":[484]},{"name":"SDDL_ACE_COND_SID_PREFIX","features":[484]},{"name":"SDDL_ACE_COND_TOKEN_ATTRIBUTE_PREFIX","features":[484]},{"name":"SDDL_ACE_COND_USER_ATTRIBUTE_PREFIX","features":[484]},{"name":"SDDL_ACE_END","features":[484]},{"name":"SDDL_ALARM","features":[484]},{"name":"SDDL_ALIAS_PREW2KCOMPACC","features":[484]},{"name":"SDDL_ALIAS_SIZE","features":[484]},{"name":"SDDL_ALL_APP_PACKAGES","features":[484]},{"name":"SDDL_ANONYMOUS","features":[484]},{"name":"SDDL_AUDIT","features":[484]},{"name":"SDDL_AUDIT_FAILURE","features":[484]},{"name":"SDDL_AUDIT_SUCCESS","features":[484]},{"name":"SDDL_AUTHENTICATED_USERS","features":[484]},{"name":"SDDL_AUTHORITY_ASSERTED","features":[484]},{"name":"SDDL_AUTO_INHERITED","features":[484]},{"name":"SDDL_AUTO_INHERIT_REQ","features":[484]},{"name":"SDDL_BACKUP_OPERATORS","features":[484]},{"name":"SDDL_BLOB","features":[484]},{"name":"SDDL_BOOLEAN","features":[484]},{"name":"SDDL_BUILTIN_ADMINISTRATORS","features":[484]},{"name":"SDDL_BUILTIN_GUESTS","features":[484]},{"name":"SDDL_BUILTIN_USERS","features":[484]},{"name":"SDDL_CALLBACK_ACCESS_ALLOWED","features":[484]},{"name":"SDDL_CALLBACK_ACCESS_DENIED","features":[484]},{"name":"SDDL_CALLBACK_AUDIT","features":[484]},{"name":"SDDL_CALLBACK_OBJECT_ACCESS_ALLOWED","features":[484]},{"name":"SDDL_CERTSVC_DCOM_ACCESS","features":[484]},{"name":"SDDL_CERT_SERV_ADMINISTRATORS","features":[484]},{"name":"SDDL_CLONEABLE_CONTROLLERS","features":[484]},{"name":"SDDL_CONTAINER_INHERIT","features":[484]},{"name":"SDDL_CONTROL_ACCESS","features":[484]},{"name":"SDDL_CREATE_CHILD","features":[484]},{"name":"SDDL_CREATOR_GROUP","features":[484]},{"name":"SDDL_CREATOR_OWNER","features":[484]},{"name":"SDDL_CRITICAL","features":[484]},{"name":"SDDL_CRYPTO_OPERATORS","features":[484]},{"name":"SDDL_DACL","features":[484]},{"name":"SDDL_DELETE_CHILD","features":[484]},{"name":"SDDL_DELETE_TREE","features":[484]},{"name":"SDDL_DELIMINATOR","features":[484]},{"name":"SDDL_DOMAIN_ADMINISTRATORS","features":[484]},{"name":"SDDL_DOMAIN_COMPUTERS","features":[484]},{"name":"SDDL_DOMAIN_DOMAIN_CONTROLLERS","features":[484]},{"name":"SDDL_DOMAIN_GUESTS","features":[484]},{"name":"SDDL_DOMAIN_USERS","features":[484]},{"name":"SDDL_ENTERPRISE_ADMINS","features":[484]},{"name":"SDDL_ENTERPRISE_DOMAIN_CONTROLLERS","features":[484]},{"name":"SDDL_ENTERPRISE_KEY_ADMINS","features":[484]},{"name":"SDDL_ENTERPRISE_RO_DCs","features":[484]},{"name":"SDDL_EVENT_LOG_READERS","features":[484]},{"name":"SDDL_EVERYONE","features":[484]},{"name":"SDDL_FILE_ALL","features":[484]},{"name":"SDDL_FILE_EXECUTE","features":[484]},{"name":"SDDL_FILE_READ","features":[484]},{"name":"SDDL_FILE_WRITE","features":[484]},{"name":"SDDL_GENERIC_ALL","features":[484]},{"name":"SDDL_GENERIC_EXECUTE","features":[484]},{"name":"SDDL_GENERIC_READ","features":[484]},{"name":"SDDL_GENERIC_WRITE","features":[484]},{"name":"SDDL_GROUP","features":[484]},{"name":"SDDL_GROUP_POLICY_ADMINS","features":[484]},{"name":"SDDL_HYPER_V_ADMINS","features":[484]},{"name":"SDDL_IIS_USERS","features":[484]},{"name":"SDDL_INHERITED","features":[484]},{"name":"SDDL_INHERIT_ONLY","features":[484]},{"name":"SDDL_INT","features":[484]},{"name":"SDDL_INTERACTIVE","features":[484]},{"name":"SDDL_KEY_ADMINS","features":[484]},{"name":"SDDL_KEY_ALL","features":[484]},{"name":"SDDL_KEY_EXECUTE","features":[484]},{"name":"SDDL_KEY_READ","features":[484]},{"name":"SDDL_KEY_WRITE","features":[484]},{"name":"SDDL_LIST_CHILDREN","features":[484]},{"name":"SDDL_LIST_OBJECT","features":[484]},{"name":"SDDL_LOCAL_ADMIN","features":[484]},{"name":"SDDL_LOCAL_GUEST","features":[484]},{"name":"SDDL_LOCAL_SERVICE","features":[484]},{"name":"SDDL_LOCAL_SYSTEM","features":[484]},{"name":"SDDL_MANDATORY_LABEL","features":[484]},{"name":"SDDL_ML_HIGH","features":[484]},{"name":"SDDL_ML_LOW","features":[484]},{"name":"SDDL_ML_MEDIUM","features":[484]},{"name":"SDDL_ML_MEDIUM_PLUS","features":[484]},{"name":"SDDL_ML_SYSTEM","features":[484]},{"name":"SDDL_NETWORK","features":[484]},{"name":"SDDL_NETWORK_CONFIGURATION_OPS","features":[484]},{"name":"SDDL_NETWORK_SERVICE","features":[484]},{"name":"SDDL_NO_EXECUTE_UP","features":[484]},{"name":"SDDL_NO_PROPAGATE","features":[484]},{"name":"SDDL_NO_READ_UP","features":[484]},{"name":"SDDL_NO_WRITE_UP","features":[484]},{"name":"SDDL_NULL_ACL","features":[484]},{"name":"SDDL_OBJECT_ACCESS_ALLOWED","features":[484]},{"name":"SDDL_OBJECT_ACCESS_DENIED","features":[484]},{"name":"SDDL_OBJECT_ALARM","features":[484]},{"name":"SDDL_OBJECT_AUDIT","features":[484]},{"name":"SDDL_OBJECT_INHERIT","features":[484]},{"name":"SDDL_OWNER","features":[484]},{"name":"SDDL_OWNER_RIGHTS","features":[484]},{"name":"SDDL_PERFLOG_USERS","features":[484]},{"name":"SDDL_PERFMON_USERS","features":[484]},{"name":"SDDL_PERSONAL_SELF","features":[484]},{"name":"SDDL_POWER_USERS","features":[484]},{"name":"SDDL_PRINTER_OPERATORS","features":[484]},{"name":"SDDL_PROCESS_TRUST_LABEL","features":[484]},{"name":"SDDL_PROTECTED","features":[484]},{"name":"SDDL_PROTECTED_USERS","features":[484]},{"name":"SDDL_RAS_SERVERS","features":[484]},{"name":"SDDL_RDS_ENDPOINT_SERVERS","features":[484]},{"name":"SDDL_RDS_MANAGEMENT_SERVERS","features":[484]},{"name":"SDDL_RDS_REMOTE_ACCESS_SERVERS","features":[484]},{"name":"SDDL_READ_CONTROL","features":[484]},{"name":"SDDL_READ_PROPERTY","features":[484]},{"name":"SDDL_REMOTE_DESKTOP","features":[484]},{"name":"SDDL_REMOTE_MANAGEMENT_USERS","features":[484]},{"name":"SDDL_REPLICATOR","features":[484]},{"name":"SDDL_RESOURCE_ATTRIBUTE","features":[484]},{"name":"SDDL_RESTRICTED_CODE","features":[484]},{"name":"SDDL_REVISION","features":[484]},{"name":"SDDL_REVISION_1","features":[484]},{"name":"SDDL_SACL","features":[484]},{"name":"SDDL_SCHEMA_ADMINISTRATORS","features":[484]},{"name":"SDDL_SCOPED_POLICY_ID","features":[484]},{"name":"SDDL_SELF_WRITE","features":[484]},{"name":"SDDL_SEPERATOR","features":[484]},{"name":"SDDL_SERVER_OPERATORS","features":[484]},{"name":"SDDL_SERVICE","features":[484]},{"name":"SDDL_SERVICE_ASSERTED","features":[484]},{"name":"SDDL_SID","features":[484]},{"name":"SDDL_SPACE","features":[484]},{"name":"SDDL_STANDARD_DELETE","features":[484]},{"name":"SDDL_TRUST_PROTECTED_FILTER","features":[484]},{"name":"SDDL_UINT","features":[484]},{"name":"SDDL_USER_MODE_DRIVERS","features":[484]},{"name":"SDDL_WRITE_DAC","features":[484]},{"name":"SDDL_WRITE_OWNER","features":[484]},{"name":"SDDL_WRITE_PROPERTY","features":[484]},{"name":"SDDL_WRITE_RESTRICTED_CODE","features":[484]},{"name":"SDDL_WSTRING","features":[484]},{"name":"SET_ACCESS","features":[484]},{"name":"SET_AUDIT_FAILURE","features":[484]},{"name":"SET_AUDIT_SUCCESS","features":[484]},{"name":"SE_DS_OBJECT","features":[484]},{"name":"SE_DS_OBJECT_ALL","features":[484]},{"name":"SE_FILE_OBJECT","features":[484]},{"name":"SE_KERNEL_OBJECT","features":[484]},{"name":"SE_LMSHARE","features":[484]},{"name":"SE_OBJECT_TYPE","features":[484]},{"name":"SE_PRINTER","features":[484]},{"name":"SE_PROVIDER_DEFINED_OBJECT","features":[484]},{"name":"SE_REGISTRY_KEY","features":[484]},{"name":"SE_REGISTRY_WOW64_32KEY","features":[484]},{"name":"SE_REGISTRY_WOW64_64KEY","features":[484]},{"name":"SE_SERVICE","features":[484]},{"name":"SE_UNKNOWN_OBJECT_TYPE","features":[484]},{"name":"SE_WINDOW_OBJECT","features":[484]},{"name":"SE_WMIGUID_OBJECT","features":[484]},{"name":"SetEntriesInAclA","features":[308,484]},{"name":"SetEntriesInAclW","features":[308,484]},{"name":"SetNamedSecurityInfoA","features":[308,484]},{"name":"SetNamedSecurityInfoW","features":[308,484]},{"name":"SetSecurityInfo","features":[308,484]},{"name":"TREE_SEC_INFO","features":[484]},{"name":"TREE_SEC_INFO_RESET","features":[484]},{"name":"TREE_SEC_INFO_RESET_KEEP_EXPLICIT","features":[484]},{"name":"TREE_SEC_INFO_SET","features":[484]},{"name":"TRUSTEE_A","features":[484]},{"name":"TRUSTEE_ACCESSA","features":[484]},{"name":"TRUSTEE_ACCESSW","features":[484]},{"name":"TRUSTEE_ACCESS_ALL","features":[484]},{"name":"TRUSTEE_ACCESS_ALLOWED","features":[484]},{"name":"TRUSTEE_ACCESS_EXPLICIT","features":[484]},{"name":"TRUSTEE_ACCESS_READ","features":[484]},{"name":"TRUSTEE_ACCESS_WRITE","features":[484]},{"name":"TRUSTEE_BAD_FORM","features":[484]},{"name":"TRUSTEE_FORM","features":[484]},{"name":"TRUSTEE_IS_ALIAS","features":[484]},{"name":"TRUSTEE_IS_COMPUTER","features":[484]},{"name":"TRUSTEE_IS_DELETED","features":[484]},{"name":"TRUSTEE_IS_DOMAIN","features":[484]},{"name":"TRUSTEE_IS_GROUP","features":[484]},{"name":"TRUSTEE_IS_IMPERSONATE","features":[484]},{"name":"TRUSTEE_IS_INVALID","features":[484]},{"name":"TRUSTEE_IS_NAME","features":[484]},{"name":"TRUSTEE_IS_OBJECTS_AND_NAME","features":[484]},{"name":"TRUSTEE_IS_OBJECTS_AND_SID","features":[484]},{"name":"TRUSTEE_IS_SID","features":[484]},{"name":"TRUSTEE_IS_UNKNOWN","features":[484]},{"name":"TRUSTEE_IS_USER","features":[484]},{"name":"TRUSTEE_IS_WELL_KNOWN_GROUP","features":[484]},{"name":"TRUSTEE_TYPE","features":[484]},{"name":"TRUSTEE_W","features":[484]},{"name":"TreeResetNamedSecurityInfoA","features":[308,484]},{"name":"TreeResetNamedSecurityInfoW","features":[308,484]},{"name":"TreeSetNamedSecurityInfoA","features":[308,484]},{"name":"TreeSetNamedSecurityInfoW","features":[308,484]},{"name":"_AUTHZ_SS_MAXSIZE","features":[484]}],"484":[{"name":"CFSTR_ACLUI_SID_INFO_LIST","features":[485]},{"name":"CreateSecurityPage","features":[485,358]},{"name":"DOBJ_COND_NTACLS","features":[485]},{"name":"DOBJ_RES_CONT","features":[485]},{"name":"DOBJ_RES_ROOT","features":[485]},{"name":"DOBJ_RIBBON_LAUNCH","features":[485]},{"name":"DOBJ_VOL_NTACLS","features":[485]},{"name":"EFFPERM_RESULT_LIST","features":[308,485]},{"name":"EditSecurity","features":[308,485]},{"name":"EditSecurityAdvanced","features":[308,485]},{"name":"IEffectivePermission","features":[485]},{"name":"IEffectivePermission2","features":[485]},{"name":"ISecurityInformation","features":[485]},{"name":"ISecurityInformation2","features":[485]},{"name":"ISecurityInformation3","features":[485]},{"name":"ISecurityInformation4","features":[485]},{"name":"ISecurityObjectTypeInfo","features":[485]},{"name":"SECURITY_INFO_PAGE_FLAGS","features":[485]},{"name":"SECURITY_OBJECT","features":[308,485]},{"name":"SECURITY_OBJECT_ID_CENTRAL_ACCESS_RULE","features":[485]},{"name":"SECURITY_OBJECT_ID_CENTRAL_POLICY","features":[485]},{"name":"SECURITY_OBJECT_ID_OBJECT_SD","features":[485]},{"name":"SECURITY_OBJECT_ID_SHARE","features":[485]},{"name":"SID_INFO","features":[308,485]},{"name":"SID_INFO_LIST","features":[308,485]},{"name":"SI_ACCESS","features":[485]},{"name":"SI_ACCESS_CONTAINER","features":[485]},{"name":"SI_ACCESS_GENERAL","features":[485]},{"name":"SI_ACCESS_PROPERTY","features":[485]},{"name":"SI_ACCESS_SPECIFIC","features":[485]},{"name":"SI_ADVANCED","features":[485]},{"name":"SI_AUDITS_ELEVATION_REQUIRED","features":[485]},{"name":"SI_CONTAINER","features":[485]},{"name":"SI_DISABLE_DENY_ACE","features":[485]},{"name":"SI_EDIT_AUDITS","features":[485]},{"name":"SI_EDIT_EFFECTIVE","features":[485]},{"name":"SI_EDIT_OWNER","features":[485]},{"name":"SI_EDIT_PERMS","features":[485]},{"name":"SI_EDIT_PROPERTIES","features":[485]},{"name":"SI_ENABLE_CENTRAL_POLICY","features":[485]},{"name":"SI_ENABLE_EDIT_ATTRIBUTE_CONDITION","features":[485]},{"name":"SI_INHERIT_TYPE","features":[485]},{"name":"SI_MAY_WRITE","features":[485]},{"name":"SI_NO_ACL_PROTECT","features":[485]},{"name":"SI_NO_ADDITIONAL_PERMISSION","features":[485]},{"name":"SI_NO_TREE_APPLY","features":[485]},{"name":"SI_OBJECT_GUID","features":[485]},{"name":"SI_OBJECT_INFO","features":[308,485]},{"name":"SI_OBJECT_INFO_FLAGS","features":[485]},{"name":"SI_OWNER_ELEVATION_REQUIRED","features":[485]},{"name":"SI_OWNER_READONLY","features":[485]},{"name":"SI_OWNER_RECURSE","features":[485]},{"name":"SI_PAGE_ACTIVATED","features":[485]},{"name":"SI_PAGE_ADVPERM","features":[485]},{"name":"SI_PAGE_AUDIT","features":[485]},{"name":"SI_PAGE_EFFECTIVE","features":[485]},{"name":"SI_PAGE_OWNER","features":[485]},{"name":"SI_PAGE_PERM","features":[485]},{"name":"SI_PAGE_SHARE","features":[485]},{"name":"SI_PAGE_TAKEOWNERSHIP","features":[485]},{"name":"SI_PAGE_TITLE","features":[485]},{"name":"SI_PAGE_TYPE","features":[485]},{"name":"SI_PERMS_ELEVATION_REQUIRED","features":[485]},{"name":"SI_READONLY","features":[485]},{"name":"SI_RESET","features":[485]},{"name":"SI_RESET_DACL","features":[485]},{"name":"SI_RESET_DACL_TREE","features":[485]},{"name":"SI_RESET_OWNER","features":[485]},{"name":"SI_RESET_SACL","features":[485]},{"name":"SI_RESET_SACL_TREE","features":[485]},{"name":"SI_SCOPE_ELEVATION_REQUIRED","features":[485]},{"name":"SI_SERVER_IS_DC","features":[485]},{"name":"SI_SHOW_AUDIT_ACTIVATED","features":[485]},{"name":"SI_SHOW_CENTRAL_POLICY_ACTIVATED","features":[485]},{"name":"SI_SHOW_DEFAULT","features":[485]},{"name":"SI_SHOW_EFFECTIVE_ACTIVATED","features":[485]},{"name":"SI_SHOW_OWNER_ACTIVATED","features":[485]},{"name":"SI_SHOW_PERM_ACTIVATED","features":[485]},{"name":"SI_SHOW_SHARE_ACTIVATED","features":[485]},{"name":"SI_VIEW_ONLY","features":[485]}],"485":[{"name":"CCF_SCESVC_ATTACHMENT","features":[486]},{"name":"CCF_SCESVC_ATTACHMENT_DATA","features":[486]},{"name":"ISceSvcAttachmentData","features":[486]},{"name":"ISceSvcAttachmentPersistInfo","features":[486]},{"name":"PFSCE_FREE_INFO","features":[486]},{"name":"PFSCE_LOG_INFO","features":[486]},{"name":"PFSCE_QUERY_INFO","features":[308,486]},{"name":"PFSCE_SET_INFO","features":[308,486]},{"name":"PF_ConfigAnalyzeService","features":[308,486]},{"name":"PF_UpdateService","features":[308,486]},{"name":"SCESTATUS_ACCESS_DENIED","features":[486]},{"name":"SCESTATUS_ALREADY_RUNNING","features":[486]},{"name":"SCESTATUS_BAD_FORMAT","features":[486]},{"name":"SCESTATUS_BUFFER_TOO_SMALL","features":[486]},{"name":"SCESTATUS_CANT_DELETE","features":[486]},{"name":"SCESTATUS_EXCEPTION_IN_SERVER","features":[486]},{"name":"SCESTATUS_INVALID_DATA","features":[486]},{"name":"SCESTATUS_INVALID_PARAMETER","features":[486]},{"name":"SCESTATUS_MOD_NOT_FOUND","features":[486]},{"name":"SCESTATUS_NOT_ENOUGH_RESOURCE","features":[486]},{"name":"SCESTATUS_NO_MAPPING","features":[486]},{"name":"SCESTATUS_NO_TEMPLATE_GIVEN","features":[486]},{"name":"SCESTATUS_OBJECT_EXIST","features":[486]},{"name":"SCESTATUS_OTHER_ERROR","features":[486]},{"name":"SCESTATUS_PREFIX_OVERFLOW","features":[486]},{"name":"SCESTATUS_PROFILE_NOT_FOUND","features":[486]},{"name":"SCESTATUS_RECORD_NOT_FOUND","features":[486]},{"name":"SCESTATUS_SERVICE_NOT_SUPPORT","features":[486]},{"name":"SCESTATUS_SUCCESS","features":[486]},{"name":"SCESTATUS_TRUST_FAIL","features":[486]},{"name":"SCESVC_ANALYSIS_INFO","features":[486]},{"name":"SCESVC_ANALYSIS_LINE","features":[486]},{"name":"SCESVC_CALLBACK_INFO","features":[308,486]},{"name":"SCESVC_CONFIGURATION_INFO","features":[486]},{"name":"SCESVC_CONFIGURATION_LINE","features":[486]},{"name":"SCESVC_ENUMERATION_MAX","features":[486]},{"name":"SCESVC_INFO_TYPE","features":[486]},{"name":"SCE_LOG_ERR_LEVEL","features":[486]},{"name":"SCE_LOG_LEVEL_ALWAYS","features":[486]},{"name":"SCE_LOG_LEVEL_DEBUG","features":[486]},{"name":"SCE_LOG_LEVEL_DETAIL","features":[486]},{"name":"SCE_LOG_LEVEL_ERROR","features":[486]},{"name":"SCE_ROOT_PATH","features":[486]},{"name":"SceSvcAnalysisInfo","features":[486]},{"name":"SceSvcConfigurationInfo","features":[486]},{"name":"SceSvcInternalUse","features":[486]},{"name":"SceSvcMergedPolicyInfo","features":[486]},{"name":"cNodetypeSceAnalysisServices","features":[486]},{"name":"cNodetypeSceEventLog","features":[486]},{"name":"cNodetypeSceTemplateServices","features":[486]},{"name":"lstruuidNodetypeSceAnalysisServices","features":[486]},{"name":"lstruuidNodetypeSceEventLog","features":[486]},{"name":"lstruuidNodetypeSceTemplateServices","features":[486]},{"name":"struuidNodetypeSceAnalysisServices","features":[486]},{"name":"struuidNodetypeSceEventLog","features":[486]},{"name":"struuidNodetypeSceTemplateServices","features":[486]}],"486":[{"name":"BINARY_BLOB_CREDENTIAL_INFO","features":[481]},{"name":"BinaryBlobCredential","features":[481]},{"name":"BinaryBlobForSystem","features":[481]},{"name":"CERT_CREDENTIAL_INFO","features":[481]},{"name":"CERT_HASH_LENGTH","features":[481]},{"name":"CREDENTIALA","features":[308,481]},{"name":"CREDENTIALW","features":[308,481]},{"name":"CREDENTIAL_ATTRIBUTEA","features":[481]},{"name":"CREDENTIAL_ATTRIBUTEW","features":[481]},{"name":"CREDENTIAL_TARGET_INFORMATIONA","features":[481]},{"name":"CREDENTIAL_TARGET_INFORMATIONW","features":[481]},{"name":"CREDSPP_SUBMIT_TYPE","features":[481]},{"name":"CREDSSP_CRED","features":[481]},{"name":"CREDSSP_CRED_EX","features":[481]},{"name":"CREDSSP_CRED_EX_VERSION","features":[481]},{"name":"CREDSSP_FLAG_REDIRECT","features":[481]},{"name":"CREDSSP_NAME","features":[481]},{"name":"CREDSSP_SERVER_AUTH_CERTIFICATE","features":[481]},{"name":"CREDSSP_SERVER_AUTH_LOOPBACK","features":[481]},{"name":"CREDSSP_SERVER_AUTH_NEGOTIATE","features":[481]},{"name":"CREDUIWIN_AUTHPACKAGE_ONLY","features":[481]},{"name":"CREDUIWIN_CHECKBOX","features":[481]},{"name":"CREDUIWIN_DOWNLEVEL_HELLO_AS_SMART_CARD","features":[481]},{"name":"CREDUIWIN_ENUMERATE_ADMINS","features":[481]},{"name":"CREDUIWIN_ENUMERATE_CURRENT_USER","features":[481]},{"name":"CREDUIWIN_FLAGS","features":[481]},{"name":"CREDUIWIN_GENERIC","features":[481]},{"name":"CREDUIWIN_IGNORE_CLOUDAUTHORITY_NAME","features":[481]},{"name":"CREDUIWIN_IN_CRED_ONLY","features":[481]},{"name":"CREDUIWIN_PACK_32_WOW","features":[481]},{"name":"CREDUIWIN_PREPROMPTING","features":[481]},{"name":"CREDUIWIN_SECURE_PROMPT","features":[481]},{"name":"CREDUI_FLAGS","features":[481]},{"name":"CREDUI_FLAGS_ALWAYS_SHOW_UI","features":[481]},{"name":"CREDUI_FLAGS_COMPLETE_USERNAME","features":[481]},{"name":"CREDUI_FLAGS_DO_NOT_PERSIST","features":[481]},{"name":"CREDUI_FLAGS_EXCLUDE_CERTIFICATES","features":[481]},{"name":"CREDUI_FLAGS_EXPECT_CONFIRMATION","features":[481]},{"name":"CREDUI_FLAGS_GENERIC_CREDENTIALS","features":[481]},{"name":"CREDUI_FLAGS_INCORRECT_PASSWORD","features":[481]},{"name":"CREDUI_FLAGS_KEEP_USERNAME","features":[481]},{"name":"CREDUI_FLAGS_PASSWORD_ONLY_OK","features":[481]},{"name":"CREDUI_FLAGS_PERSIST","features":[481]},{"name":"CREDUI_FLAGS_REQUEST_ADMINISTRATOR","features":[481]},{"name":"CREDUI_FLAGS_REQUIRE_CERTIFICATE","features":[481]},{"name":"CREDUI_FLAGS_REQUIRE_SMARTCARD","features":[481]},{"name":"CREDUI_FLAGS_SERVER_CREDENTIAL","features":[481]},{"name":"CREDUI_FLAGS_SHOW_SAVE_CHECK_BOX","features":[481]},{"name":"CREDUI_FLAGS_USERNAME_TARGET_CREDENTIALS","features":[481]},{"name":"CREDUI_FLAGS_VALIDATE_USERNAME","features":[481]},{"name":"CREDUI_INFOA","features":[308,319,481]},{"name":"CREDUI_INFOW","features":[308,319,481]},{"name":"CREDUI_MAX_CAPTION_LENGTH","features":[481]},{"name":"CREDUI_MAX_DOMAIN_TARGET_LENGTH","features":[481]},{"name":"CREDUI_MAX_GENERIC_TARGET_LENGTH","features":[481]},{"name":"CREDUI_MAX_MESSAGE_LENGTH","features":[481]},{"name":"CREDUI_MAX_USERNAME_LENGTH","features":[481]},{"name":"CRED_ALLOW_NAME_RESOLUTION","features":[481]},{"name":"CRED_CACHE_TARGET_INFORMATION","features":[481]},{"name":"CRED_ENUMERATE_ALL_CREDENTIALS","features":[481]},{"name":"CRED_ENUMERATE_FLAGS","features":[481]},{"name":"CRED_FLAGS","features":[481]},{"name":"CRED_FLAGS_NGC_CERT","features":[481]},{"name":"CRED_FLAGS_OWF_CRED_BLOB","features":[481]},{"name":"CRED_FLAGS_PASSWORD_FOR_CERT","features":[481]},{"name":"CRED_FLAGS_PROMPT_NOW","features":[481]},{"name":"CRED_FLAGS_REQUIRE_CONFIRMATION","features":[481]},{"name":"CRED_FLAGS_USERNAME_TARGET","features":[481]},{"name":"CRED_FLAGS_VALID_FLAGS","features":[481]},{"name":"CRED_FLAGS_VALID_INPUT_FLAGS","features":[481]},{"name":"CRED_FLAGS_VSM_PROTECTED","features":[481]},{"name":"CRED_FLAGS_WILDCARD_MATCH","features":[481]},{"name":"CRED_LOGON_TYPES_MASK","features":[481]},{"name":"CRED_MARSHAL_TYPE","features":[481]},{"name":"CRED_MAX_ATTRIBUTES","features":[481]},{"name":"CRED_MAX_CREDENTIAL_BLOB_SIZE","features":[481]},{"name":"CRED_MAX_DOMAIN_TARGET_NAME_LENGTH","features":[481]},{"name":"CRED_MAX_GENERIC_TARGET_NAME_LENGTH","features":[481]},{"name":"CRED_MAX_STRING_LENGTH","features":[481]},{"name":"CRED_MAX_TARGETNAME_ATTRIBUTE_LENGTH","features":[481]},{"name":"CRED_MAX_TARGETNAME_NAMESPACE_LENGTH","features":[481]},{"name":"CRED_MAX_USERNAME_LENGTH","features":[481]},{"name":"CRED_MAX_VALUE_SIZE","features":[481]},{"name":"CRED_PACK_FLAGS","features":[481]},{"name":"CRED_PACK_GENERIC_CREDENTIALS","features":[481]},{"name":"CRED_PACK_ID_PROVIDER_CREDENTIALS","features":[481]},{"name":"CRED_PACK_PROTECTED_CREDENTIALS","features":[481]},{"name":"CRED_PACK_WOW_BUFFER","features":[481]},{"name":"CRED_PERSIST","features":[481]},{"name":"CRED_PERSIST_ENTERPRISE","features":[481]},{"name":"CRED_PERSIST_LOCAL_MACHINE","features":[481]},{"name":"CRED_PERSIST_NONE","features":[481]},{"name":"CRED_PERSIST_SESSION","features":[481]},{"name":"CRED_PRESERVE_CREDENTIAL_BLOB","features":[481]},{"name":"CRED_PROTECTION_TYPE","features":[481]},{"name":"CRED_PROTECT_AS_SELF","features":[481]},{"name":"CRED_PROTECT_TO_SYSTEM","features":[481]},{"name":"CRED_SESSION_WILDCARD_NAME","features":[481]},{"name":"CRED_SESSION_WILDCARD_NAME_A","features":[481]},{"name":"CRED_SESSION_WILDCARD_NAME_W","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_BATCH","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_BATCH_A","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_BATCH_W","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_CACHEDINTERACTIVE","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_CACHEDINTERACTIVE_A","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_CACHEDINTERACTIVE_W","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_INTERACTIVE","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_INTERACTIVE_A","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_INTERACTIVE_W","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_NAME","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_NAME_A","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_NAME_W","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_NETWORK","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_NETWORKCLEARTEXT","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_NETWORKCLEARTEXT_A","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_NETWORKCLEARTEXT_W","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_NETWORK_A","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_NETWORK_W","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_REMOTEINTERACTIVE","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_REMOTEINTERACTIVE_A","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_REMOTEINTERACTIVE_W","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_SERVICE","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_SERVICE_A","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_SERVICE_W","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_TARGET","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_TARGET_A","features":[481]},{"name":"CRED_TARGETNAME_ATTRIBUTE_TARGET_W","features":[481]},{"name":"CRED_TARGETNAME_DOMAIN_NAMESPACE","features":[481]},{"name":"CRED_TARGETNAME_DOMAIN_NAMESPACE_A","features":[481]},{"name":"CRED_TARGETNAME_DOMAIN_NAMESPACE_W","features":[481]},{"name":"CRED_TARGETNAME_LEGACYGENERIC_NAMESPACE_A","features":[481]},{"name":"CRED_TARGETNAME_LEGACYGENERIC_NAMESPACE_W","features":[481]},{"name":"CRED_TI_CREATE_EXPLICIT_CRED","features":[481]},{"name":"CRED_TI_DNSTREE_IS_DFS_SERVER","features":[481]},{"name":"CRED_TI_DOMAIN_FORMAT_UNKNOWN","features":[481]},{"name":"CRED_TI_ONLY_PASSWORD_REQUIRED","features":[481]},{"name":"CRED_TI_SERVER_FORMAT_UNKNOWN","features":[481]},{"name":"CRED_TI_USERNAME_TARGET","features":[481]},{"name":"CRED_TI_VALID_FLAGS","features":[481]},{"name":"CRED_TI_WORKGROUP_MEMBER","features":[481]},{"name":"CRED_TYPE","features":[481]},{"name":"CRED_TYPE_DOMAIN_CERTIFICATE","features":[481]},{"name":"CRED_TYPE_DOMAIN_EXTENDED","features":[481]},{"name":"CRED_TYPE_DOMAIN_PASSWORD","features":[481]},{"name":"CRED_TYPE_DOMAIN_VISIBLE_PASSWORD","features":[481]},{"name":"CRED_TYPE_GENERIC","features":[481]},{"name":"CRED_TYPE_GENERIC_CERTIFICATE","features":[481]},{"name":"CRED_TYPE_MAXIMUM","features":[481]},{"name":"CRED_TYPE_MAXIMUM_EX","features":[481]},{"name":"CRED_UNPROTECT_ALLOW_TO_SYSTEM","features":[481]},{"name":"CRED_UNPROTECT_AS_SELF","features":[481]},{"name":"CertCredential","features":[481]},{"name":"CredDeleteA","features":[308,481]},{"name":"CredDeleteW","features":[308,481]},{"name":"CredEnumerateA","features":[308,481]},{"name":"CredEnumerateW","features":[308,481]},{"name":"CredFindBestCredentialA","features":[308,481]},{"name":"CredFindBestCredentialW","features":[308,481]},{"name":"CredForSystemProtection","features":[481]},{"name":"CredFree","features":[481]},{"name":"CredGetSessionTypes","features":[308,481]},{"name":"CredGetTargetInfoA","features":[308,481]},{"name":"CredGetTargetInfoW","features":[308,481]},{"name":"CredIsMarshaledCredentialA","features":[308,481]},{"name":"CredIsMarshaledCredentialW","features":[308,481]},{"name":"CredIsProtectedA","features":[308,481]},{"name":"CredIsProtectedW","features":[308,481]},{"name":"CredMarshalCredentialA","features":[308,481]},{"name":"CredMarshalCredentialW","features":[308,481]},{"name":"CredPackAuthenticationBufferA","features":[308,481]},{"name":"CredPackAuthenticationBufferW","features":[308,481]},{"name":"CredProtectA","features":[308,481]},{"name":"CredProtectW","features":[308,481]},{"name":"CredReadA","features":[308,481]},{"name":"CredReadDomainCredentialsA","features":[308,481]},{"name":"CredReadDomainCredentialsW","features":[308,481]},{"name":"CredReadW","features":[308,481]},{"name":"CredRenameA","features":[308,481]},{"name":"CredRenameW","features":[308,481]},{"name":"CredTrustedProtection","features":[481]},{"name":"CredUICmdLinePromptForCredentialsA","features":[308,481]},{"name":"CredUICmdLinePromptForCredentialsW","features":[308,481]},{"name":"CredUIConfirmCredentialsA","features":[308,481]},{"name":"CredUIConfirmCredentialsW","features":[308,481]},{"name":"CredUIParseUserNameA","features":[481]},{"name":"CredUIParseUserNameW","features":[481]},{"name":"CredUIPromptForCredentialsA","features":[308,319,481]},{"name":"CredUIPromptForCredentialsW","features":[308,319,481]},{"name":"CredUIPromptForWindowsCredentialsA","features":[308,319,481]},{"name":"CredUIPromptForWindowsCredentialsW","features":[308,319,481]},{"name":"CredUIReadSSOCredW","features":[481]},{"name":"CredUIStoreSSOCredW","features":[308,481]},{"name":"CredUnPackAuthenticationBufferA","features":[308,481]},{"name":"CredUnPackAuthenticationBufferW","features":[308,481]},{"name":"CredUnmarshalCredentialA","features":[308,481]},{"name":"CredUnmarshalCredentialW","features":[308,481]},{"name":"CredUnprotectA","features":[308,481]},{"name":"CredUnprotectW","features":[308,481]},{"name":"CredUnprotected","features":[481]},{"name":"CredUserProtection","features":[481]},{"name":"CredWriteA","features":[308,481]},{"name":"CredWriteDomainCredentialsA","features":[308,481]},{"name":"CredWriteDomainCredentialsW","features":[308,481]},{"name":"CredWriteW","features":[308,481]},{"name":"CredsspCertificateCreds","features":[481]},{"name":"CredsspCredEx","features":[481]},{"name":"CredsspPasswordCreds","features":[481]},{"name":"CredsspSchannelCreds","features":[481]},{"name":"CredsspSubmitBufferBoth","features":[481]},{"name":"CredsspSubmitBufferBothOld","features":[481]},{"name":"FILE_DEVICE_SMARTCARD","features":[481]},{"name":"GUID_DEVINTERFACE_SMARTCARD_READER","features":[481]},{"name":"GetOpenCardNameA","features":[308,481]},{"name":"GetOpenCardNameW","features":[308,481]},{"name":"KeyCredentialManagerFreeInformation","features":[481]},{"name":"KeyCredentialManagerGetInformation","features":[481]},{"name":"KeyCredentialManagerGetOperationErrorStates","features":[308,481]},{"name":"KeyCredentialManagerInfo","features":[481]},{"name":"KeyCredentialManagerOperationErrorStateCertificateFailure","features":[481]},{"name":"KeyCredentialManagerOperationErrorStateDeviceJoinFailure","features":[481]},{"name":"KeyCredentialManagerOperationErrorStateHardwareFailure","features":[481]},{"name":"KeyCredentialManagerOperationErrorStateNone","features":[481]},{"name":"KeyCredentialManagerOperationErrorStatePinExistsFailure","features":[481]},{"name":"KeyCredentialManagerOperationErrorStatePolicyFailure","features":[481]},{"name":"KeyCredentialManagerOperationErrorStateRemoteSessionFailure","features":[481]},{"name":"KeyCredentialManagerOperationErrorStateTokenFailure","features":[481]},{"name":"KeyCredentialManagerOperationErrorStates","features":[481]},{"name":"KeyCredentialManagerOperationType","features":[481]},{"name":"KeyCredentialManagerPinChange","features":[481]},{"name":"KeyCredentialManagerPinReset","features":[481]},{"name":"KeyCredentialManagerProvisioning","features":[481]},{"name":"KeyCredentialManagerShowUIOperation","features":[308,481]},{"name":"LPOCNCHKPROC","features":[308,481]},{"name":"LPOCNCONNPROCA","features":[481]},{"name":"LPOCNCONNPROCW","features":[481]},{"name":"LPOCNDSCPROC","features":[481]},{"name":"MAXIMUM_ATTR_STRING_LENGTH","features":[481]},{"name":"MAXIMUM_SMARTCARD_READERS","features":[481]},{"name":"OPENCARDNAMEA","features":[308,481]},{"name":"OPENCARDNAMEW","features":[308,481]},{"name":"OPENCARDNAME_EXA","features":[308,481,370]},{"name":"OPENCARDNAME_EXW","features":[308,481,370]},{"name":"OPENCARD_SEARCH_CRITERIAA","features":[308,481]},{"name":"OPENCARD_SEARCH_CRITERIAW","features":[308,481]},{"name":"READER_SEL_REQUEST","features":[481]},{"name":"READER_SEL_REQUEST_MATCH_TYPE","features":[481]},{"name":"READER_SEL_RESPONSE","features":[481]},{"name":"RSR_MATCH_TYPE_ALL_CARDS","features":[481]},{"name":"RSR_MATCH_TYPE_READER_AND_CONTAINER","features":[481]},{"name":"RSR_MATCH_TYPE_SERIAL_NUMBER","features":[481]},{"name":"SCARD_ABSENT","features":[481]},{"name":"SCARD_ALL_READERS","features":[481]},{"name":"SCARD_ATRMASK","features":[481]},{"name":"SCARD_ATR_LENGTH","features":[481]},{"name":"SCARD_AUDIT_CHV_FAILURE","features":[481]},{"name":"SCARD_AUDIT_CHV_SUCCESS","features":[481]},{"name":"SCARD_CLASS_COMMUNICATIONS","features":[481]},{"name":"SCARD_CLASS_ICC_STATE","features":[481]},{"name":"SCARD_CLASS_IFD_PROTOCOL","features":[481]},{"name":"SCARD_CLASS_MECHANICAL","features":[481]},{"name":"SCARD_CLASS_PERF","features":[481]},{"name":"SCARD_CLASS_POWER_MGMT","features":[481]},{"name":"SCARD_CLASS_PROTOCOL","features":[481]},{"name":"SCARD_CLASS_SECURITY","features":[481]},{"name":"SCARD_CLASS_SYSTEM","features":[481]},{"name":"SCARD_CLASS_VENDOR_DEFINED","features":[481]},{"name":"SCARD_CLASS_VENDOR_INFO","features":[481]},{"name":"SCARD_COLD_RESET","features":[481]},{"name":"SCARD_DEFAULT_READERS","features":[481]},{"name":"SCARD_EJECT_CARD","features":[481]},{"name":"SCARD_IO_REQUEST","features":[481]},{"name":"SCARD_LEAVE_CARD","features":[481]},{"name":"SCARD_LOCAL_READERS","features":[481]},{"name":"SCARD_NEGOTIABLE","features":[481]},{"name":"SCARD_POWERED","features":[481]},{"name":"SCARD_POWER_DOWN","features":[481]},{"name":"SCARD_PRESENT","features":[481]},{"name":"SCARD_PROTOCOL_DEFAULT","features":[481]},{"name":"SCARD_PROTOCOL_OPTIMAL","features":[481]},{"name":"SCARD_PROTOCOL_RAW","features":[481]},{"name":"SCARD_PROTOCOL_T0","features":[481]},{"name":"SCARD_PROTOCOL_T1","features":[481]},{"name":"SCARD_PROTOCOL_UNDEFINED","features":[481]},{"name":"SCARD_PROVIDER_CSP","features":[481]},{"name":"SCARD_PROVIDER_KSP","features":[481]},{"name":"SCARD_PROVIDER_PRIMARY","features":[481]},{"name":"SCARD_READERSTATEA","features":[481]},{"name":"SCARD_READERSTATEW","features":[481]},{"name":"SCARD_READER_CONFISCATES","features":[481]},{"name":"SCARD_READER_CONTACTLESS","features":[481]},{"name":"SCARD_READER_EJECTS","features":[481]},{"name":"SCARD_READER_SWALLOWS","features":[481]},{"name":"SCARD_READER_TYPE_EMBEDDEDSE","features":[481]},{"name":"SCARD_READER_TYPE_IDE","features":[481]},{"name":"SCARD_READER_TYPE_KEYBOARD","features":[481]},{"name":"SCARD_READER_TYPE_NFC","features":[481]},{"name":"SCARD_READER_TYPE_NGC","features":[481]},{"name":"SCARD_READER_TYPE_PARALELL","features":[481]},{"name":"SCARD_READER_TYPE_PCMCIA","features":[481]},{"name":"SCARD_READER_TYPE_SCSI","features":[481]},{"name":"SCARD_READER_TYPE_SERIAL","features":[481]},{"name":"SCARD_READER_TYPE_TPM","features":[481]},{"name":"SCARD_READER_TYPE_UICC","features":[481]},{"name":"SCARD_READER_TYPE_USB","features":[481]},{"name":"SCARD_READER_TYPE_VENDOR","features":[481]},{"name":"SCARD_RESET_CARD","features":[481]},{"name":"SCARD_SCOPE","features":[481]},{"name":"SCARD_SCOPE_SYSTEM","features":[481]},{"name":"SCARD_SCOPE_TERMINAL","features":[481]},{"name":"SCARD_SCOPE_USER","features":[481]},{"name":"SCARD_SHARE_DIRECT","features":[481]},{"name":"SCARD_SHARE_EXCLUSIVE","features":[481]},{"name":"SCARD_SHARE_SHARED","features":[481]},{"name":"SCARD_SPECIFIC","features":[481]},{"name":"SCARD_STATE","features":[481]},{"name":"SCARD_STATE_ATRMATCH","features":[481]},{"name":"SCARD_STATE_CHANGED","features":[481]},{"name":"SCARD_STATE_EMPTY","features":[481]},{"name":"SCARD_STATE_EXCLUSIVE","features":[481]},{"name":"SCARD_STATE_IGNORE","features":[481]},{"name":"SCARD_STATE_INUSE","features":[481]},{"name":"SCARD_STATE_MUTE","features":[481]},{"name":"SCARD_STATE_PRESENT","features":[481]},{"name":"SCARD_STATE_UNAVAILABLE","features":[481]},{"name":"SCARD_STATE_UNAWARE","features":[481]},{"name":"SCARD_STATE_UNKNOWN","features":[481]},{"name":"SCARD_STATE_UNPOWERED","features":[481]},{"name":"SCARD_SWALLOWED","features":[481]},{"name":"SCARD_SYSTEM_READERS","features":[481]},{"name":"SCARD_T0_CMD_LENGTH","features":[481]},{"name":"SCARD_T0_COMMAND","features":[481]},{"name":"SCARD_T0_HEADER_LENGTH","features":[481]},{"name":"SCARD_T0_REQUEST","features":[481]},{"name":"SCARD_T1_EPILOGUE_LENGTH","features":[481]},{"name":"SCARD_T1_EPILOGUE_LENGTH_LRC","features":[481]},{"name":"SCARD_T1_MAX_IFS","features":[481]},{"name":"SCARD_T1_PROLOGUE_LENGTH","features":[481]},{"name":"SCARD_T1_REQUEST","features":[481]},{"name":"SCARD_UNKNOWN","features":[481]},{"name":"SCARD_UNPOWER_CARD","features":[481]},{"name":"SCARD_WARM_RESET","features":[481]},{"name":"SCERR_NOCARDNAME","features":[481]},{"name":"SCERR_NOGUIDS","features":[481]},{"name":"SC_DLG_FORCE_UI","features":[481]},{"name":"SC_DLG_MINIMAL_UI","features":[481]},{"name":"SC_DLG_NO_UI","features":[481]},{"name":"SCardAccessStartedEvent","features":[308,481]},{"name":"SCardAddReaderToGroupA","features":[481]},{"name":"SCardAddReaderToGroupW","features":[481]},{"name":"SCardAudit","features":[481]},{"name":"SCardBeginTransaction","features":[481]},{"name":"SCardCancel","features":[481]},{"name":"SCardConnectA","features":[481]},{"name":"SCardConnectW","features":[481]},{"name":"SCardControl","features":[481]},{"name":"SCardDisconnect","features":[481]},{"name":"SCardDlgExtendedError","features":[481]},{"name":"SCardEndTransaction","features":[481]},{"name":"SCardEstablishContext","features":[481]},{"name":"SCardForgetCardTypeA","features":[481]},{"name":"SCardForgetCardTypeW","features":[481]},{"name":"SCardForgetReaderA","features":[481]},{"name":"SCardForgetReaderGroupA","features":[481]},{"name":"SCardForgetReaderGroupW","features":[481]},{"name":"SCardForgetReaderW","features":[481]},{"name":"SCardFreeMemory","features":[481]},{"name":"SCardGetAttrib","features":[481]},{"name":"SCardGetCardTypeProviderNameA","features":[481]},{"name":"SCardGetCardTypeProviderNameW","features":[481]},{"name":"SCardGetDeviceTypeIdA","features":[481]},{"name":"SCardGetDeviceTypeIdW","features":[481]},{"name":"SCardGetProviderIdA","features":[481]},{"name":"SCardGetProviderIdW","features":[481]},{"name":"SCardGetReaderDeviceInstanceIdA","features":[481]},{"name":"SCardGetReaderDeviceInstanceIdW","features":[481]},{"name":"SCardGetReaderIconA","features":[481]},{"name":"SCardGetReaderIconW","features":[481]},{"name":"SCardGetStatusChangeA","features":[481]},{"name":"SCardGetStatusChangeW","features":[481]},{"name":"SCardGetTransmitCount","features":[481]},{"name":"SCardIntroduceCardTypeA","features":[481]},{"name":"SCardIntroduceCardTypeW","features":[481]},{"name":"SCardIntroduceReaderA","features":[481]},{"name":"SCardIntroduceReaderGroupA","features":[481]},{"name":"SCardIntroduceReaderGroupW","features":[481]},{"name":"SCardIntroduceReaderW","features":[481]},{"name":"SCardIsValidContext","features":[481]},{"name":"SCardListCardsA","features":[481]},{"name":"SCardListCardsW","features":[481]},{"name":"SCardListInterfacesA","features":[481]},{"name":"SCardListInterfacesW","features":[481]},{"name":"SCardListReaderGroupsA","features":[481]},{"name":"SCardListReaderGroupsW","features":[481]},{"name":"SCardListReadersA","features":[481]},{"name":"SCardListReadersW","features":[481]},{"name":"SCardListReadersWithDeviceInstanceIdA","features":[481]},{"name":"SCardListReadersWithDeviceInstanceIdW","features":[481]},{"name":"SCardLocateCardsA","features":[481]},{"name":"SCardLocateCardsByATRA","features":[481]},{"name":"SCardLocateCardsByATRW","features":[481]},{"name":"SCardLocateCardsW","features":[481]},{"name":"SCardReadCacheA","features":[481]},{"name":"SCardReadCacheW","features":[481]},{"name":"SCardReconnect","features":[481]},{"name":"SCardReleaseContext","features":[481]},{"name":"SCardReleaseStartedEvent","features":[481]},{"name":"SCardRemoveReaderFromGroupA","features":[481]},{"name":"SCardRemoveReaderFromGroupW","features":[481]},{"name":"SCardSetAttrib","features":[481]},{"name":"SCardSetCardTypeProviderNameA","features":[481]},{"name":"SCardSetCardTypeProviderNameW","features":[481]},{"name":"SCardState","features":[481]},{"name":"SCardStatusA","features":[481]},{"name":"SCardStatusW","features":[481]},{"name":"SCardTransmit","features":[481]},{"name":"SCardUIDlgSelectCardA","features":[308,481,370]},{"name":"SCardUIDlgSelectCardW","features":[308,481,370]},{"name":"SCardWriteCacheA","features":[481]},{"name":"SCardWriteCacheW","features":[481]},{"name":"SECPKG_ALT_ATTR","features":[481]},{"name":"SECPKG_ATTR_C_FULL_IDENT_TOKEN","features":[481]},{"name":"STATUS_ACCOUNT_DISABLED","features":[308,481]},{"name":"STATUS_ACCOUNT_EXPIRED","features":[308,481]},{"name":"STATUS_ACCOUNT_LOCKED_OUT","features":[308,481]},{"name":"STATUS_ACCOUNT_RESTRICTION","features":[308,481]},{"name":"STATUS_AUTHENTICATION_FIREWALL_FAILED","features":[308,481]},{"name":"STATUS_DOWNGRADE_DETECTED","features":[308,481]},{"name":"STATUS_LOGON_FAILURE","features":[308,481]},{"name":"STATUS_LOGON_TYPE_NOT_GRANTED","features":[308,481]},{"name":"STATUS_NO_SUCH_LOGON_SESSION","features":[308,481]},{"name":"STATUS_NO_SUCH_USER","features":[308,481]},{"name":"STATUS_PASSWORD_EXPIRED","features":[308,481]},{"name":"STATUS_PASSWORD_MUST_CHANGE","features":[308,481]},{"name":"STATUS_WRONG_PASSWORD","features":[308,481]},{"name":"SecHandle","features":[481]},{"name":"SecPkgContext_ClientCreds","features":[481]},{"name":"TS_SSP_NAME","features":[481]},{"name":"TS_SSP_NAME_A","features":[481]},{"name":"USERNAME_TARGET_CREDENTIAL_INFO","features":[481]},{"name":"UsernameForPackedCredentials","features":[481]},{"name":"UsernameTargetCredential","features":[481]},{"name":"szOID_TS_KP_TS_SERVER_AUTH","features":[481]}],"487":[{"name":"ALG_CLASS_ALL","features":[392]},{"name":"ALG_CLASS_ANY","features":[392]},{"name":"ALG_CLASS_DATA_ENCRYPT","features":[392]},{"name":"ALG_CLASS_HASH","features":[392]},{"name":"ALG_CLASS_KEY_EXCHANGE","features":[392]},{"name":"ALG_CLASS_MSG_ENCRYPT","features":[392]},{"name":"ALG_CLASS_SIGNATURE","features":[392]},{"name":"ALG_ID","features":[392]},{"name":"ALG_SID_3DES","features":[392]},{"name":"ALG_SID_3DES_112","features":[392]},{"name":"ALG_SID_AES","features":[392]},{"name":"ALG_SID_AES_128","features":[392]},{"name":"ALG_SID_AES_192","features":[392]},{"name":"ALG_SID_AES_256","features":[392]},{"name":"ALG_SID_AGREED_KEY_ANY","features":[392]},{"name":"ALG_SID_ANY","features":[392]},{"name":"ALG_SID_CAST","features":[392]},{"name":"ALG_SID_CYLINK_MEK","features":[392]},{"name":"ALG_SID_DES","features":[392]},{"name":"ALG_SID_DESX","features":[392]},{"name":"ALG_SID_DH_EPHEM","features":[392]},{"name":"ALG_SID_DH_SANDF","features":[392]},{"name":"ALG_SID_DSS_ANY","features":[392]},{"name":"ALG_SID_DSS_DMS","features":[392]},{"name":"ALG_SID_DSS_PKCS","features":[392]},{"name":"ALG_SID_ECDH","features":[392]},{"name":"ALG_SID_ECDH_EPHEM","features":[392]},{"name":"ALG_SID_ECDSA","features":[392]},{"name":"ALG_SID_ECMQV","features":[392]},{"name":"ALG_SID_EXAMPLE","features":[392]},{"name":"ALG_SID_HASH_REPLACE_OWF","features":[392]},{"name":"ALG_SID_HMAC","features":[392]},{"name":"ALG_SID_IDEA","features":[392]},{"name":"ALG_SID_KEA","features":[392]},{"name":"ALG_SID_MAC","features":[392]},{"name":"ALG_SID_MD2","features":[392]},{"name":"ALG_SID_MD4","features":[392]},{"name":"ALG_SID_MD5","features":[392]},{"name":"ALG_SID_PCT1_MASTER","features":[392]},{"name":"ALG_SID_RC2","features":[392]},{"name":"ALG_SID_RC4","features":[392]},{"name":"ALG_SID_RC5","features":[392]},{"name":"ALG_SID_RIPEMD","features":[392]},{"name":"ALG_SID_RIPEMD160","features":[392]},{"name":"ALG_SID_RSA_ANY","features":[392]},{"name":"ALG_SID_RSA_ENTRUST","features":[392]},{"name":"ALG_SID_RSA_MSATWORK","features":[392]},{"name":"ALG_SID_RSA_PGP","features":[392]},{"name":"ALG_SID_RSA_PKCS","features":[392]},{"name":"ALG_SID_SAFERSK128","features":[392]},{"name":"ALG_SID_SAFERSK64","features":[392]},{"name":"ALG_SID_SCHANNEL_ENC_KEY","features":[392]},{"name":"ALG_SID_SCHANNEL_MAC_KEY","features":[392]},{"name":"ALG_SID_SCHANNEL_MASTER_HASH","features":[392]},{"name":"ALG_SID_SEAL","features":[392]},{"name":"ALG_SID_SHA","features":[392]},{"name":"ALG_SID_SHA1","features":[392]},{"name":"ALG_SID_SHA_256","features":[392]},{"name":"ALG_SID_SHA_384","features":[392]},{"name":"ALG_SID_SHA_512","features":[392]},{"name":"ALG_SID_SKIPJACK","features":[392]},{"name":"ALG_SID_SSL2_MASTER","features":[392]},{"name":"ALG_SID_SSL3SHAMD5","features":[392]},{"name":"ALG_SID_SSL3_MASTER","features":[392]},{"name":"ALG_SID_TEK","features":[392]},{"name":"ALG_SID_THIRDPARTY_ANY","features":[392]},{"name":"ALG_SID_TLS1PRF","features":[392]},{"name":"ALG_SID_TLS1_MASTER","features":[392]},{"name":"ALG_TYPE_ANY","features":[392]},{"name":"ALG_TYPE_BLOCK","features":[392]},{"name":"ALG_TYPE_DH","features":[392]},{"name":"ALG_TYPE_DSS","features":[392]},{"name":"ALG_TYPE_ECDH","features":[392]},{"name":"ALG_TYPE_RSA","features":[392]},{"name":"ALG_TYPE_SECURECHANNEL","features":[392]},{"name":"ALG_TYPE_STREAM","features":[392]},{"name":"ALG_TYPE_THIRDPARTY","features":[392]},{"name":"AT_KEYEXCHANGE","features":[392]},{"name":"AT_SIGNATURE","features":[392]},{"name":"AUDIT_CARD_DELETE","features":[392]},{"name":"AUDIT_CARD_IMPORT","features":[392]},{"name":"AUDIT_CARD_WRITTEN","features":[392]},{"name":"AUDIT_SERVICE_IDLE_STOP","features":[392]},{"name":"AUDIT_STORE_DELETE","features":[392]},{"name":"AUDIT_STORE_EXPORT","features":[392]},{"name":"AUDIT_STORE_IMPORT","features":[392]},{"name":"AUTHENTICODE_EXTRA_CERT_CHAIN_POLICY_PARA","features":[392]},{"name":"AUTHENTICODE_EXTRA_CERT_CHAIN_POLICY_STATUS","features":[308,392]},{"name":"AUTHENTICODE_TS_EXTRA_CERT_CHAIN_POLICY_PARA","features":[308,392]},{"name":"AUTHTYPE_CLIENT","features":[392]},{"name":"AUTHTYPE_SERVER","features":[392]},{"name":"BASIC_CONSTRAINTS_CERT_CHAIN_POLICY_CA_FLAG","features":[392]},{"name":"BASIC_CONSTRAINTS_CERT_CHAIN_POLICY_END_ENTITY_FLAG","features":[392]},{"name":"BCRYPTBUFFER_VERSION","features":[392]},{"name":"BCRYPTGENRANDOM_FLAGS","features":[392]},{"name":"BCRYPT_3DES_112_ALGORITHM","features":[392]},{"name":"BCRYPT_3DES_112_CBC_ALG_HANDLE","features":[392]},{"name":"BCRYPT_3DES_112_CFB_ALG_HANDLE","features":[392]},{"name":"BCRYPT_3DES_112_ECB_ALG_HANDLE","features":[392]},{"name":"BCRYPT_3DES_ALGORITHM","features":[392]},{"name":"BCRYPT_3DES_CBC_ALG_HANDLE","features":[392]},{"name":"BCRYPT_3DES_CFB_ALG_HANDLE","features":[392]},{"name":"BCRYPT_3DES_ECB_ALG_HANDLE","features":[392]},{"name":"BCRYPT_AES_ALGORITHM","features":[392]},{"name":"BCRYPT_AES_CBC_ALG_HANDLE","features":[392]},{"name":"BCRYPT_AES_CCM_ALG_HANDLE","features":[392]},{"name":"BCRYPT_AES_CFB_ALG_HANDLE","features":[392]},{"name":"BCRYPT_AES_CMAC_ALGORITHM","features":[392]},{"name":"BCRYPT_AES_CMAC_ALG_HANDLE","features":[392]},{"name":"BCRYPT_AES_ECB_ALG_HANDLE","features":[392]},{"name":"BCRYPT_AES_GCM_ALG_HANDLE","features":[392]},{"name":"BCRYPT_AES_GMAC_ALGORITHM","features":[392]},{"name":"BCRYPT_AES_GMAC_ALG_HANDLE","features":[392]},{"name":"BCRYPT_AES_WRAP_KEY_BLOB","features":[392]},{"name":"BCRYPT_ALGORITHM_IDENTIFIER","features":[392]},{"name":"BCRYPT_ALGORITHM_NAME","features":[392]},{"name":"BCRYPT_ALG_HANDLE","features":[392]},{"name":"BCRYPT_ALG_HANDLE_HMAC_FLAG","features":[392]},{"name":"BCRYPT_ASYMMETRIC_ENCRYPTION_INTERFACE","features":[392]},{"name":"BCRYPT_ASYMMETRIC_ENCRYPTION_OPERATION","features":[392]},{"name":"BCRYPT_AUTHENTICATED_CIPHER_MODE_INFO","features":[392]},{"name":"BCRYPT_AUTHENTICATED_CIPHER_MODE_INFO_VERSION","features":[392]},{"name":"BCRYPT_AUTH_MODE_CHAIN_CALLS_FLAG","features":[392]},{"name":"BCRYPT_AUTH_MODE_IN_PROGRESS_FLAG","features":[392]},{"name":"BCRYPT_AUTH_TAG_LENGTH","features":[392]},{"name":"BCRYPT_BLOCK_LENGTH","features":[392]},{"name":"BCRYPT_BLOCK_PADDING","features":[392]},{"name":"BCRYPT_BLOCK_SIZE_LIST","features":[392]},{"name":"BCRYPT_BUFFERS_LOCKED_FLAG","features":[392]},{"name":"BCRYPT_CAPI_AES_FLAG","features":[392]},{"name":"BCRYPT_CAPI_KDF_ALGORITHM","features":[392]},{"name":"BCRYPT_CAPI_KDF_ALG_HANDLE","features":[392]},{"name":"BCRYPT_CHACHA20_POLY1305_ALGORITHM","features":[392]},{"name":"BCRYPT_CHACHA20_POLY1305_ALG_HANDLE","features":[392]},{"name":"BCRYPT_CHAINING_MODE","features":[392]},{"name":"BCRYPT_CHAIN_MODE_CBC","features":[392]},{"name":"BCRYPT_CHAIN_MODE_CCM","features":[392]},{"name":"BCRYPT_CHAIN_MODE_CFB","features":[392]},{"name":"BCRYPT_CHAIN_MODE_ECB","features":[392]},{"name":"BCRYPT_CHAIN_MODE_GCM","features":[392]},{"name":"BCRYPT_CHAIN_MODE_NA","features":[392]},{"name":"BCRYPT_CIPHER_INTERFACE","features":[392]},{"name":"BCRYPT_CIPHER_OPERATION","features":[392]},{"name":"BCRYPT_DESX_ALGORITHM","features":[392]},{"name":"BCRYPT_DESX_CBC_ALG_HANDLE","features":[392]},{"name":"BCRYPT_DESX_CFB_ALG_HANDLE","features":[392]},{"name":"BCRYPT_DESX_ECB_ALG_HANDLE","features":[392]},{"name":"BCRYPT_DES_ALGORITHM","features":[392]},{"name":"BCRYPT_DES_CBC_ALG_HANDLE","features":[392]},{"name":"BCRYPT_DES_CFB_ALG_HANDLE","features":[392]},{"name":"BCRYPT_DES_ECB_ALG_HANDLE","features":[392]},{"name":"BCRYPT_DH_ALGORITHM","features":[392]},{"name":"BCRYPT_DH_ALG_HANDLE","features":[392]},{"name":"BCRYPT_DH_KEY_BLOB","features":[392]},{"name":"BCRYPT_DH_KEY_BLOB_MAGIC","features":[392]},{"name":"BCRYPT_DH_PARAMETERS","features":[392]},{"name":"BCRYPT_DH_PARAMETERS_MAGIC","features":[392]},{"name":"BCRYPT_DH_PARAMETER_HEADER","features":[392]},{"name":"BCRYPT_DH_PRIVATE_BLOB","features":[392]},{"name":"BCRYPT_DH_PRIVATE_MAGIC","features":[392]},{"name":"BCRYPT_DH_PUBLIC_BLOB","features":[392]},{"name":"BCRYPT_DH_PUBLIC_MAGIC","features":[392]},{"name":"BCRYPT_DSA_ALGORITHM","features":[392]},{"name":"BCRYPT_DSA_ALG_HANDLE","features":[392]},{"name":"BCRYPT_DSA_KEY_BLOB","features":[392]},{"name":"BCRYPT_DSA_KEY_BLOB_V2","features":[392]},{"name":"BCRYPT_DSA_MAGIC","features":[392]},{"name":"BCRYPT_DSA_PARAMETERS","features":[392]},{"name":"BCRYPT_DSA_PARAMETERS_MAGIC","features":[392]},{"name":"BCRYPT_DSA_PARAMETERS_MAGIC_V2","features":[392]},{"name":"BCRYPT_DSA_PARAMETER_HEADER","features":[392]},{"name":"BCRYPT_DSA_PARAMETER_HEADER_V2","features":[392]},{"name":"BCRYPT_DSA_PRIVATE_BLOB","features":[392]},{"name":"BCRYPT_DSA_PRIVATE_MAGIC","features":[392]},{"name":"BCRYPT_DSA_PRIVATE_MAGIC_V2","features":[392]},{"name":"BCRYPT_DSA_PUBLIC_BLOB","features":[392]},{"name":"BCRYPT_DSA_PUBLIC_MAGIC","features":[392]},{"name":"BCRYPT_DSA_PUBLIC_MAGIC_V2","features":[392]},{"name":"BCRYPT_ECCFULLKEY_BLOB","features":[392]},{"name":"BCRYPT_ECCFULLPRIVATE_BLOB","features":[392]},{"name":"BCRYPT_ECCFULLPUBLIC_BLOB","features":[392]},{"name":"BCRYPT_ECCKEY_BLOB","features":[392]},{"name":"BCRYPT_ECCPRIVATE_BLOB","features":[392]},{"name":"BCRYPT_ECCPUBLIC_BLOB","features":[392]},{"name":"BCRYPT_ECC_CURVE_25519","features":[392]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP160R1","features":[392]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP160T1","features":[392]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP192R1","features":[392]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP192T1","features":[392]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP224R1","features":[392]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP224T1","features":[392]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP256R1","features":[392]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP256T1","features":[392]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP320R1","features":[392]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP320T1","features":[392]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP384R1","features":[392]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP384T1","features":[392]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP512R1","features":[392]},{"name":"BCRYPT_ECC_CURVE_BRAINPOOLP512T1","features":[392]},{"name":"BCRYPT_ECC_CURVE_EC192WAPI","features":[392]},{"name":"BCRYPT_ECC_CURVE_NAME","features":[392]},{"name":"BCRYPT_ECC_CURVE_NAMES","features":[392]},{"name":"BCRYPT_ECC_CURVE_NAME_LIST","features":[392]},{"name":"BCRYPT_ECC_CURVE_NISTP192","features":[392]},{"name":"BCRYPT_ECC_CURVE_NISTP224","features":[392]},{"name":"BCRYPT_ECC_CURVE_NISTP256","features":[392]},{"name":"BCRYPT_ECC_CURVE_NISTP384","features":[392]},{"name":"BCRYPT_ECC_CURVE_NISTP521","features":[392]},{"name":"BCRYPT_ECC_CURVE_NUMSP256T1","features":[392]},{"name":"BCRYPT_ECC_CURVE_NUMSP384T1","features":[392]},{"name":"BCRYPT_ECC_CURVE_NUMSP512T1","features":[392]},{"name":"BCRYPT_ECC_CURVE_SECP160K1","features":[392]},{"name":"BCRYPT_ECC_CURVE_SECP160R1","features":[392]},{"name":"BCRYPT_ECC_CURVE_SECP160R2","features":[392]},{"name":"BCRYPT_ECC_CURVE_SECP192K1","features":[392]},{"name":"BCRYPT_ECC_CURVE_SECP192R1","features":[392]},{"name":"BCRYPT_ECC_CURVE_SECP224K1","features":[392]},{"name":"BCRYPT_ECC_CURVE_SECP224R1","features":[392]},{"name":"BCRYPT_ECC_CURVE_SECP256K1","features":[392]},{"name":"BCRYPT_ECC_CURVE_SECP256R1","features":[392]},{"name":"BCRYPT_ECC_CURVE_SECP384R1","features":[392]},{"name":"BCRYPT_ECC_CURVE_SECP521R1","features":[392]},{"name":"BCRYPT_ECC_CURVE_WTLS12","features":[392]},{"name":"BCRYPT_ECC_CURVE_WTLS7","features":[392]},{"name":"BCRYPT_ECC_CURVE_WTLS9","features":[392]},{"name":"BCRYPT_ECC_CURVE_X962P192V1","features":[392]},{"name":"BCRYPT_ECC_CURVE_X962P192V2","features":[392]},{"name":"BCRYPT_ECC_CURVE_X962P192V3","features":[392]},{"name":"BCRYPT_ECC_CURVE_X962P239V1","features":[392]},{"name":"BCRYPT_ECC_CURVE_X962P239V2","features":[392]},{"name":"BCRYPT_ECC_CURVE_X962P239V3","features":[392]},{"name":"BCRYPT_ECC_CURVE_X962P256V1","features":[392]},{"name":"BCRYPT_ECC_FULLKEY_BLOB_V1","features":[392]},{"name":"BCRYPT_ECC_PARAMETERS","features":[392]},{"name":"BCRYPT_ECC_PARAMETERS_MAGIC","features":[392]},{"name":"BCRYPT_ECC_PRIME_MONTGOMERY_CURVE","features":[392]},{"name":"BCRYPT_ECC_PRIME_SHORT_WEIERSTRASS_CURVE","features":[392]},{"name":"BCRYPT_ECC_PRIME_TWISTED_EDWARDS_CURVE","features":[392]},{"name":"BCRYPT_ECDH_ALGORITHM","features":[392]},{"name":"BCRYPT_ECDH_ALG_HANDLE","features":[392]},{"name":"BCRYPT_ECDH_P256_ALGORITHM","features":[392]},{"name":"BCRYPT_ECDH_P256_ALG_HANDLE","features":[392]},{"name":"BCRYPT_ECDH_P384_ALGORITHM","features":[392]},{"name":"BCRYPT_ECDH_P384_ALG_HANDLE","features":[392]},{"name":"BCRYPT_ECDH_P521_ALGORITHM","features":[392]},{"name":"BCRYPT_ECDH_P521_ALG_HANDLE","features":[392]},{"name":"BCRYPT_ECDH_PRIVATE_GENERIC_MAGIC","features":[392]},{"name":"BCRYPT_ECDH_PRIVATE_P256_MAGIC","features":[392]},{"name":"BCRYPT_ECDH_PRIVATE_P384_MAGIC","features":[392]},{"name":"BCRYPT_ECDH_PRIVATE_P521_MAGIC","features":[392]},{"name":"BCRYPT_ECDH_PUBLIC_GENERIC_MAGIC","features":[392]},{"name":"BCRYPT_ECDH_PUBLIC_P256_MAGIC","features":[392]},{"name":"BCRYPT_ECDH_PUBLIC_P384_MAGIC","features":[392]},{"name":"BCRYPT_ECDH_PUBLIC_P521_MAGIC","features":[392]},{"name":"BCRYPT_ECDSA_ALGORITHM","features":[392]},{"name":"BCRYPT_ECDSA_ALG_HANDLE","features":[392]},{"name":"BCRYPT_ECDSA_P256_ALGORITHM","features":[392]},{"name":"BCRYPT_ECDSA_P256_ALG_HANDLE","features":[392]},{"name":"BCRYPT_ECDSA_P384_ALGORITHM","features":[392]},{"name":"BCRYPT_ECDSA_P384_ALG_HANDLE","features":[392]},{"name":"BCRYPT_ECDSA_P521_ALGORITHM","features":[392]},{"name":"BCRYPT_ECDSA_P521_ALG_HANDLE","features":[392]},{"name":"BCRYPT_ECDSA_PRIVATE_GENERIC_MAGIC","features":[392]},{"name":"BCRYPT_ECDSA_PRIVATE_P256_MAGIC","features":[392]},{"name":"BCRYPT_ECDSA_PRIVATE_P384_MAGIC","features":[392]},{"name":"BCRYPT_ECDSA_PRIVATE_P521_MAGIC","features":[392]},{"name":"BCRYPT_ECDSA_PUBLIC_GENERIC_MAGIC","features":[392]},{"name":"BCRYPT_ECDSA_PUBLIC_P256_MAGIC","features":[392]},{"name":"BCRYPT_ECDSA_PUBLIC_P384_MAGIC","features":[392]},{"name":"BCRYPT_ECDSA_PUBLIC_P521_MAGIC","features":[392]},{"name":"BCRYPT_EFFECTIVE_KEY_LENGTH","features":[392]},{"name":"BCRYPT_ENABLE_INCOMPATIBLE_FIPS_CHECKS","features":[392]},{"name":"BCRYPT_EXTENDED_KEYSIZE","features":[392]},{"name":"BCRYPT_FLAGS","features":[392]},{"name":"BCRYPT_GENERATE_IV","features":[392]},{"name":"BCRYPT_GLOBAL_PARAMETERS","features":[392]},{"name":"BCRYPT_HANDLE","features":[392]},{"name":"BCRYPT_HASH_BLOCK_LENGTH","features":[392]},{"name":"BCRYPT_HASH_HANDLE","features":[392]},{"name":"BCRYPT_HASH_INTERFACE","features":[392]},{"name":"BCRYPT_HASH_INTERFACE_MAJORVERSION_2","features":[392]},{"name":"BCRYPT_HASH_LENGTH","features":[392]},{"name":"BCRYPT_HASH_OID_LIST","features":[392]},{"name":"BCRYPT_HASH_OPERATION","features":[392]},{"name":"BCRYPT_HASH_OPERATION_FINISH_HASH","features":[392]},{"name":"BCRYPT_HASH_OPERATION_HASH_DATA","features":[392]},{"name":"BCRYPT_HASH_OPERATION_TYPE","features":[392]},{"name":"BCRYPT_HASH_REUSABLE_FLAG","features":[392]},{"name":"BCRYPT_HKDF_ALGORITHM","features":[392]},{"name":"BCRYPT_HKDF_ALG_HANDLE","features":[392]},{"name":"BCRYPT_HKDF_HASH_ALGORITHM","features":[392]},{"name":"BCRYPT_HKDF_PRK_AND_FINALIZE","features":[392]},{"name":"BCRYPT_HKDF_SALT_AND_FINALIZE","features":[392]},{"name":"BCRYPT_HMAC_MD2_ALG_HANDLE","features":[392]},{"name":"BCRYPT_HMAC_MD4_ALG_HANDLE","features":[392]},{"name":"BCRYPT_HMAC_MD5_ALG_HANDLE","features":[392]},{"name":"BCRYPT_HMAC_SHA1_ALG_HANDLE","features":[392]},{"name":"BCRYPT_HMAC_SHA256_ALG_HANDLE","features":[392]},{"name":"BCRYPT_HMAC_SHA384_ALG_HANDLE","features":[392]},{"name":"BCRYPT_HMAC_SHA512_ALG_HANDLE","features":[392]},{"name":"BCRYPT_INITIALIZATION_VECTOR","features":[392]},{"name":"BCRYPT_INTERFACE","features":[392]},{"name":"BCRYPT_INTERFACE_VERSION","features":[392]},{"name":"BCRYPT_IS_IFX_TPM_WEAK_KEY","features":[392]},{"name":"BCRYPT_IS_KEYED_HASH","features":[392]},{"name":"BCRYPT_IS_REUSABLE_HASH","features":[392]},{"name":"BCRYPT_KDF_HASH","features":[392]},{"name":"BCRYPT_KDF_HKDF","features":[392]},{"name":"BCRYPT_KDF_HMAC","features":[392]},{"name":"BCRYPT_KDF_RAW_SECRET","features":[392]},{"name":"BCRYPT_KDF_SP80056A_CONCAT","features":[392]},{"name":"BCRYPT_KDF_TLS_PRF","features":[392]},{"name":"BCRYPT_KEY_BLOB","features":[392]},{"name":"BCRYPT_KEY_DATA_BLOB","features":[392]},{"name":"BCRYPT_KEY_DATA_BLOB_HEADER","features":[392]},{"name":"BCRYPT_KEY_DATA_BLOB_MAGIC","features":[392]},{"name":"BCRYPT_KEY_DATA_BLOB_VERSION1","features":[392]},{"name":"BCRYPT_KEY_DERIVATION_INTERFACE","features":[392]},{"name":"BCRYPT_KEY_DERIVATION_OPERATION","features":[392]},{"name":"BCRYPT_KEY_HANDLE","features":[392]},{"name":"BCRYPT_KEY_LENGTH","features":[392]},{"name":"BCRYPT_KEY_LENGTHS","features":[392]},{"name":"BCRYPT_KEY_LENGTHS_STRUCT","features":[392]},{"name":"BCRYPT_KEY_OBJECT_LENGTH","features":[392]},{"name":"BCRYPT_KEY_STRENGTH","features":[392]},{"name":"BCRYPT_KEY_VALIDATION_RANGE","features":[392]},{"name":"BCRYPT_KEY_VALIDATION_RANGE_AND_ORDER","features":[392]},{"name":"BCRYPT_KEY_VALIDATION_REGENERATE","features":[392]},{"name":"BCRYPT_MD2_ALGORITHM","features":[392]},{"name":"BCRYPT_MD2_ALG_HANDLE","features":[392]},{"name":"BCRYPT_MD4_ALGORITHM","features":[392]},{"name":"BCRYPT_MD4_ALG_HANDLE","features":[392]},{"name":"BCRYPT_MD5_ALGORITHM","features":[392]},{"name":"BCRYPT_MD5_ALG_HANDLE","features":[392]},{"name":"BCRYPT_MESSAGE_BLOCK_LENGTH","features":[392]},{"name":"BCRYPT_MULTI_FLAG","features":[392]},{"name":"BCRYPT_MULTI_HASH_OPERATION","features":[392]},{"name":"BCRYPT_MULTI_OBJECT_LENGTH","features":[392]},{"name":"BCRYPT_MULTI_OBJECT_LENGTH_STRUCT","features":[392]},{"name":"BCRYPT_MULTI_OPERATION_TYPE","features":[392]},{"name":"BCRYPT_NO_CURVE_GENERATION_ALG_ID","features":[392]},{"name":"BCRYPT_NO_KEY_VALIDATION","features":[392]},{"name":"BCRYPT_OAEP_PADDING_INFO","features":[392]},{"name":"BCRYPT_OBJECT_ALIGNMENT","features":[392]},{"name":"BCRYPT_OBJECT_LENGTH","features":[392]},{"name":"BCRYPT_OID","features":[392]},{"name":"BCRYPT_OID_LIST","features":[392]},{"name":"BCRYPT_OPAQUE_KEY_BLOB","features":[392]},{"name":"BCRYPT_OPEN_ALGORITHM_PROVIDER_FLAGS","features":[392]},{"name":"BCRYPT_OPERATION","features":[392]},{"name":"BCRYPT_OPERATION_TYPE_HASH","features":[392]},{"name":"BCRYPT_PADDING_SCHEMES","features":[392]},{"name":"BCRYPT_PAD_NONE","features":[392]},{"name":"BCRYPT_PAD_OAEP","features":[392]},{"name":"BCRYPT_PAD_PKCS1","features":[392]},{"name":"BCRYPT_PAD_PKCS1_OPTIONAL_HASH_OID","features":[392]},{"name":"BCRYPT_PAD_PSS","features":[392]},{"name":"BCRYPT_PBKDF2_ALGORITHM","features":[392]},{"name":"BCRYPT_PBKDF2_ALG_HANDLE","features":[392]},{"name":"BCRYPT_PCP_PLATFORM_TYPE_PROPERTY","features":[392]},{"name":"BCRYPT_PCP_PROVIDER_VERSION_PROPERTY","features":[392]},{"name":"BCRYPT_PKCS1_PADDING_INFO","features":[392]},{"name":"BCRYPT_PRIMITIVE_TYPE","features":[392]},{"name":"BCRYPT_PRIVATE_KEY","features":[392]},{"name":"BCRYPT_PRIVATE_KEY_BLOB","features":[392]},{"name":"BCRYPT_PRIVATE_KEY_FLAG","features":[392]},{"name":"BCRYPT_PROVIDER_HANDLE","features":[392]},{"name":"BCRYPT_PROVIDER_NAME","features":[392]},{"name":"BCRYPT_PROV_DISPATCH","features":[392]},{"name":"BCRYPT_PSS_PADDING_INFO","features":[392]},{"name":"BCRYPT_PUBLIC_KEY_BLOB","features":[392]},{"name":"BCRYPT_PUBLIC_KEY_FLAG","features":[392]},{"name":"BCRYPT_PUBLIC_KEY_LENGTH","features":[392]},{"name":"BCRYPT_QUERY_PROVIDER_MODE","features":[392]},{"name":"BCRYPT_RC2_ALGORITHM","features":[392]},{"name":"BCRYPT_RC2_CBC_ALG_HANDLE","features":[392]},{"name":"BCRYPT_RC2_CFB_ALG_HANDLE","features":[392]},{"name":"BCRYPT_RC2_ECB_ALG_HANDLE","features":[392]},{"name":"BCRYPT_RC4_ALGORITHM","features":[392]},{"name":"BCRYPT_RC4_ALG_HANDLE","features":[392]},{"name":"BCRYPT_RESOLVE_PROVIDERS_FLAGS","features":[392]},{"name":"BCRYPT_RNG_ALGORITHM","features":[392]},{"name":"BCRYPT_RNG_ALG_HANDLE","features":[392]},{"name":"BCRYPT_RNG_DUAL_EC_ALGORITHM","features":[392]},{"name":"BCRYPT_RNG_FIPS186_DSA_ALGORITHM","features":[392]},{"name":"BCRYPT_RNG_INTERFACE","features":[392]},{"name":"BCRYPT_RNG_OPERATION","features":[392]},{"name":"BCRYPT_RNG_USE_ENTROPY_IN_BUFFER","features":[392]},{"name":"BCRYPT_RSAFULLPRIVATE_BLOB","features":[392]},{"name":"BCRYPT_RSAFULLPRIVATE_MAGIC","features":[392]},{"name":"BCRYPT_RSAKEY_BLOB","features":[392]},{"name":"BCRYPT_RSAKEY_BLOB_MAGIC","features":[392]},{"name":"BCRYPT_RSAPRIVATE_BLOB","features":[392]},{"name":"BCRYPT_RSAPRIVATE_MAGIC","features":[392]},{"name":"BCRYPT_RSAPUBLIC_BLOB","features":[392]},{"name":"BCRYPT_RSAPUBLIC_MAGIC","features":[392]},{"name":"BCRYPT_RSA_ALGORITHM","features":[392]},{"name":"BCRYPT_RSA_ALG_HANDLE","features":[392]},{"name":"BCRYPT_RSA_SIGN_ALGORITHM","features":[392]},{"name":"BCRYPT_RSA_SIGN_ALG_HANDLE","features":[392]},{"name":"BCRYPT_SECRET_AGREEMENT_INTERFACE","features":[392]},{"name":"BCRYPT_SECRET_AGREEMENT_OPERATION","features":[392]},{"name":"BCRYPT_SECRET_HANDLE","features":[392]},{"name":"BCRYPT_SHA1_ALGORITHM","features":[392]},{"name":"BCRYPT_SHA1_ALG_HANDLE","features":[392]},{"name":"BCRYPT_SHA256_ALGORITHM","features":[392]},{"name":"BCRYPT_SHA256_ALG_HANDLE","features":[392]},{"name":"BCRYPT_SHA384_ALGORITHM","features":[392]},{"name":"BCRYPT_SHA384_ALG_HANDLE","features":[392]},{"name":"BCRYPT_SHA512_ALGORITHM","features":[392]},{"name":"BCRYPT_SHA512_ALG_HANDLE","features":[392]},{"name":"BCRYPT_SIGNATURE_INTERFACE","features":[392]},{"name":"BCRYPT_SIGNATURE_LENGTH","features":[392]},{"name":"BCRYPT_SIGNATURE_OPERATION","features":[392]},{"name":"BCRYPT_SP800108_CTR_HMAC_ALGORITHM","features":[392]},{"name":"BCRYPT_SP800108_CTR_HMAC_ALG_HANDLE","features":[392]},{"name":"BCRYPT_SP80056A_CONCAT_ALGORITHM","features":[392]},{"name":"BCRYPT_SP80056A_CONCAT_ALG_HANDLE","features":[392]},{"name":"BCRYPT_SUPPORTED_PAD_OAEP","features":[392]},{"name":"BCRYPT_SUPPORTED_PAD_PKCS1_ENC","features":[392]},{"name":"BCRYPT_SUPPORTED_PAD_PKCS1_SIG","features":[392]},{"name":"BCRYPT_SUPPORTED_PAD_PSS","features":[392]},{"name":"BCRYPT_SUPPORTED_PAD_ROUTER","features":[392]},{"name":"BCRYPT_TABLE","features":[392]},{"name":"BCRYPT_TLS1_1_KDF_ALGORITHM","features":[392]},{"name":"BCRYPT_TLS1_1_KDF_ALG_HANDLE","features":[392]},{"name":"BCRYPT_TLS1_2_KDF_ALGORITHM","features":[392]},{"name":"BCRYPT_TLS1_2_KDF_ALG_HANDLE","features":[392]},{"name":"BCRYPT_TLS_CBC_HMAC_VERIFY_FLAG","features":[392]},{"name":"BCRYPT_USE_SYSTEM_PREFERRED_RNG","features":[392]},{"name":"BCRYPT_XTS_AES_ALGORITHM","features":[392]},{"name":"BCRYPT_XTS_AES_ALG_HANDLE","features":[392]},{"name":"BCryptAddContextFunction","features":[308,392]},{"name":"BCryptBuffer","features":[392]},{"name":"BCryptBufferDesc","features":[392]},{"name":"BCryptCloseAlgorithmProvider","features":[308,392]},{"name":"BCryptConfigureContext","features":[308,392]},{"name":"BCryptConfigureContextFunction","features":[308,392]},{"name":"BCryptCreateContext","features":[308,392]},{"name":"BCryptCreateHash","features":[308,392]},{"name":"BCryptCreateMultiHash","features":[308,392]},{"name":"BCryptDecrypt","features":[308,392]},{"name":"BCryptDeleteContext","features":[308,392]},{"name":"BCryptDeriveKey","features":[308,392]},{"name":"BCryptDeriveKeyCapi","features":[308,392]},{"name":"BCryptDeriveKeyPBKDF2","features":[308,392]},{"name":"BCryptDestroyHash","features":[308,392]},{"name":"BCryptDestroyKey","features":[308,392]},{"name":"BCryptDestroySecret","features":[308,392]},{"name":"BCryptDuplicateHash","features":[308,392]},{"name":"BCryptDuplicateKey","features":[308,392]},{"name":"BCryptEncrypt","features":[308,392]},{"name":"BCryptEnumAlgorithms","features":[308,392]},{"name":"BCryptEnumContextFunctionProviders","features":[308,392]},{"name":"BCryptEnumContextFunctions","features":[308,392]},{"name":"BCryptEnumContexts","features":[308,392]},{"name":"BCryptEnumProviders","features":[308,392]},{"name":"BCryptEnumRegisteredProviders","features":[308,392]},{"name":"BCryptExportKey","features":[308,392]},{"name":"BCryptFinalizeKeyPair","features":[308,392]},{"name":"BCryptFinishHash","features":[308,392]},{"name":"BCryptFreeBuffer","features":[392]},{"name":"BCryptGenRandom","features":[308,392]},{"name":"BCryptGenerateKeyPair","features":[308,392]},{"name":"BCryptGenerateSymmetricKey","features":[308,392]},{"name":"BCryptGetFipsAlgorithmMode","features":[308,392]},{"name":"BCryptGetProperty","features":[308,392]},{"name":"BCryptHash","features":[308,392]},{"name":"BCryptHashData","features":[308,392]},{"name":"BCryptImportKey","features":[308,392]},{"name":"BCryptImportKeyPair","features":[308,392]},{"name":"BCryptKeyDerivation","features":[308,392]},{"name":"BCryptOpenAlgorithmProvider","features":[308,392]},{"name":"BCryptProcessMultiOperations","features":[308,392]},{"name":"BCryptQueryContextConfiguration","features":[308,392]},{"name":"BCryptQueryContextFunctionConfiguration","features":[308,392]},{"name":"BCryptQueryContextFunctionProperty","features":[308,392]},{"name":"BCryptQueryProviderRegistration","features":[308,392]},{"name":"BCryptRegisterConfigChangeNotify","features":[308,392]},{"name":"BCryptRemoveContextFunction","features":[308,392]},{"name":"BCryptResolveProviders","features":[308,392]},{"name":"BCryptSecretAgreement","features":[308,392]},{"name":"BCryptSetContextFunctionProperty","features":[308,392]},{"name":"BCryptSetProperty","features":[308,392]},{"name":"BCryptSignHash","features":[308,392]},{"name":"BCryptUnregisterConfigChangeNotify","features":[308,392]},{"name":"BCryptVerifySignature","features":[308,392]},{"name":"CALG_3DES","features":[392]},{"name":"CALG_3DES_112","features":[392]},{"name":"CALG_AES","features":[392]},{"name":"CALG_AES_128","features":[392]},{"name":"CALG_AES_192","features":[392]},{"name":"CALG_AES_256","features":[392]},{"name":"CALG_AGREEDKEY_ANY","features":[392]},{"name":"CALG_CYLINK_MEK","features":[392]},{"name":"CALG_DES","features":[392]},{"name":"CALG_DESX","features":[392]},{"name":"CALG_DH_EPHEM","features":[392]},{"name":"CALG_DH_SF","features":[392]},{"name":"CALG_DSS_SIGN","features":[392]},{"name":"CALG_ECDH","features":[392]},{"name":"CALG_ECDH_EPHEM","features":[392]},{"name":"CALG_ECDSA","features":[392]},{"name":"CALG_ECMQV","features":[392]},{"name":"CALG_HASH_REPLACE_OWF","features":[392]},{"name":"CALG_HMAC","features":[392]},{"name":"CALG_HUGHES_MD5","features":[392]},{"name":"CALG_KEA_KEYX","features":[392]},{"name":"CALG_MAC","features":[392]},{"name":"CALG_MD2","features":[392]},{"name":"CALG_MD4","features":[392]},{"name":"CALG_MD5","features":[392]},{"name":"CALG_NO_SIGN","features":[392]},{"name":"CALG_NULLCIPHER","features":[392]},{"name":"CALG_OID_INFO_CNG_ONLY","features":[392]},{"name":"CALG_OID_INFO_PARAMETERS","features":[392]},{"name":"CALG_PCT1_MASTER","features":[392]},{"name":"CALG_RC2","features":[392]},{"name":"CALG_RC4","features":[392]},{"name":"CALG_RC5","features":[392]},{"name":"CALG_RSA_KEYX","features":[392]},{"name":"CALG_RSA_SIGN","features":[392]},{"name":"CALG_SCHANNEL_ENC_KEY","features":[392]},{"name":"CALG_SCHANNEL_MAC_KEY","features":[392]},{"name":"CALG_SCHANNEL_MASTER_HASH","features":[392]},{"name":"CALG_SEAL","features":[392]},{"name":"CALG_SHA","features":[392]},{"name":"CALG_SHA1","features":[392]},{"name":"CALG_SHA_256","features":[392]},{"name":"CALG_SHA_384","features":[392]},{"name":"CALG_SHA_512","features":[392]},{"name":"CALG_SKIPJACK","features":[392]},{"name":"CALG_SSL2_MASTER","features":[392]},{"name":"CALG_SSL3_MASTER","features":[392]},{"name":"CALG_SSL3_SHAMD5","features":[392]},{"name":"CALG_TEK","features":[392]},{"name":"CALG_THIRDPARTY_CIPHER","features":[392]},{"name":"CALG_THIRDPARTY_HASH","features":[392]},{"name":"CALG_THIRDPARTY_KEY_EXCHANGE","features":[392]},{"name":"CALG_THIRDPARTY_SIGNATURE","features":[392]},{"name":"CALG_TLS1PRF","features":[392]},{"name":"CALG_TLS1_MASTER","features":[392]},{"name":"CASetupProperty","features":[392]},{"name":"CCertSrvSetup","features":[392]},{"name":"CCertSrvSetupKeyInformation","features":[392]},{"name":"CCertificateEnrollmentPolicyServerSetup","features":[392]},{"name":"CCertificateEnrollmentServerSetup","features":[392]},{"name":"CEPSetupProperty","features":[392]},{"name":"CERTIFICATE_CHAIN_BLOB","features":[392]},{"name":"CERT_ACCESS_DESCRIPTION","features":[392]},{"name":"CERT_ACCESS_STATE_GP_SYSTEM_STORE_FLAG","features":[392]},{"name":"CERT_ACCESS_STATE_LM_SYSTEM_STORE_FLAG","features":[392]},{"name":"CERT_ACCESS_STATE_PROP_ID","features":[392]},{"name":"CERT_ACCESS_STATE_SHARED_USER_FLAG","features":[392]},{"name":"CERT_ACCESS_STATE_SYSTEM_STORE_FLAG","features":[392]},{"name":"CERT_ACCESS_STATE_WRITE_PERSIST_FLAG","features":[392]},{"name":"CERT_AIA_URL_RETRIEVED_PROP_ID","features":[392]},{"name":"CERT_ALT_NAME_EDI_PARTY_NAME","features":[392]},{"name":"CERT_ALT_NAME_ENTRY","features":[392]},{"name":"CERT_ALT_NAME_ENTRY_ERR_INDEX_MASK","features":[392]},{"name":"CERT_ALT_NAME_ENTRY_ERR_INDEX_SHIFT","features":[392]},{"name":"CERT_ALT_NAME_INFO","features":[392]},{"name":"CERT_ALT_NAME_VALUE_ERR_INDEX_MASK","features":[392]},{"name":"CERT_ALT_NAME_VALUE_ERR_INDEX_SHIFT","features":[392]},{"name":"CERT_ALT_NAME_X400_ADDRESS","features":[392]},{"name":"CERT_ARCHIVED_KEY_HASH_PROP_ID","features":[392]},{"name":"CERT_ARCHIVED_PROP_ID","features":[392]},{"name":"CERT_AUTHORITY_INFO_ACCESS","features":[392]},{"name":"CERT_AUTHORITY_INFO_ACCESS_PROP_ID","features":[392]},{"name":"CERT_AUTHORITY_KEY_ID2_INFO","features":[392]},{"name":"CERT_AUTHORITY_KEY_ID_INFO","features":[392]},{"name":"CERT_AUTH_ROOT_AUTO_UPDATE_DISABLE_PARTIAL_CHAIN_LOGGING_FLAG","features":[392]},{"name":"CERT_AUTH_ROOT_AUTO_UPDATE_DISABLE_UNTRUSTED_ROOT_LOGGING_FLAG","features":[392]},{"name":"CERT_AUTH_ROOT_AUTO_UPDATE_ENCODED_CTL_VALUE_NAME","features":[392]},{"name":"CERT_AUTH_ROOT_AUTO_UPDATE_FLAGS_VALUE_NAME","features":[392]},{"name":"CERT_AUTH_ROOT_AUTO_UPDATE_LAST_SYNC_TIME_VALUE_NAME","features":[392]},{"name":"CERT_AUTH_ROOT_AUTO_UPDATE_ROOT_DIR_URL_VALUE_NAME","features":[392]},{"name":"CERT_AUTH_ROOT_AUTO_UPDATE_SYNC_DELTA_TIME_VALUE_NAME","features":[392]},{"name":"CERT_AUTH_ROOT_CAB_FILENAME","features":[392]},{"name":"CERT_AUTH_ROOT_CERT_EXT","features":[392]},{"name":"CERT_AUTH_ROOT_CTL_FILENAME","features":[392]},{"name":"CERT_AUTH_ROOT_CTL_FILENAME_A","features":[392]},{"name":"CERT_AUTH_ROOT_SEQ_FILENAME","features":[392]},{"name":"CERT_AUTH_ROOT_SHA256_HASH_PROP_ID","features":[392]},{"name":"CERT_AUTO_ENROLL_PROP_ID","features":[392]},{"name":"CERT_AUTO_ENROLL_RETRY_PROP_ID","features":[392]},{"name":"CERT_AUTO_UPDATE_DISABLE_RANDOM_QUERY_STRING_FLAG","features":[392]},{"name":"CERT_AUTO_UPDATE_ROOT_DIR_URL_VALUE_NAME","features":[392]},{"name":"CERT_AUTO_UPDATE_SYNC_FROM_DIR_URL_VALUE_NAME","features":[392]},{"name":"CERT_BACKED_UP_PROP_ID","features":[392]},{"name":"CERT_BASIC_CONSTRAINTS2_INFO","features":[308,392]},{"name":"CERT_BASIC_CONSTRAINTS_INFO","features":[308,392]},{"name":"CERT_BIOMETRIC_DATA","features":[392]},{"name":"CERT_BIOMETRIC_DATA_TYPE","features":[392]},{"name":"CERT_BIOMETRIC_EXT_INFO","features":[392]},{"name":"CERT_BIOMETRIC_OID_DATA_CHOICE","features":[392]},{"name":"CERT_BIOMETRIC_PICTURE_TYPE","features":[392]},{"name":"CERT_BIOMETRIC_PREDEFINED_DATA_CHOICE","features":[392]},{"name":"CERT_BIOMETRIC_SIGNATURE_TYPE","features":[392]},{"name":"CERT_BUNDLE_CERTIFICATE","features":[392]},{"name":"CERT_BUNDLE_CRL","features":[392]},{"name":"CERT_CASE_INSENSITIVE_IS_RDN_ATTRS_FLAG","features":[392]},{"name":"CERT_CA_DISABLE_CRL_PROP_ID","features":[392]},{"name":"CERT_CA_OCSP_AUTHORITY_INFO_ACCESS_PROP_ID","features":[392]},{"name":"CERT_CA_SUBJECT_FLAG","features":[392]},{"name":"CERT_CEP_PROP_ID","features":[392]},{"name":"CERT_CHAIN","features":[392]},{"name":"CERT_CHAIN_AUTO_CURRENT_USER","features":[392]},{"name":"CERT_CHAIN_AUTO_FLAGS_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_AUTO_FLUSH_DISABLE_FLAG","features":[392]},{"name":"CERT_CHAIN_AUTO_FLUSH_FIRST_DELTA_SECONDS_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_AUTO_FLUSH_NEXT_DELTA_SECONDS_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_AUTO_HPKP_RULE_INFO","features":[392]},{"name":"CERT_CHAIN_AUTO_IMPERSONATED","features":[392]},{"name":"CERT_CHAIN_AUTO_LOCAL_MACHINE","features":[392]},{"name":"CERT_CHAIN_AUTO_LOG_CREATE_FLAG","features":[392]},{"name":"CERT_CHAIN_AUTO_LOG_FILE_NAME_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_AUTO_LOG_FLUSH_FLAG","features":[392]},{"name":"CERT_CHAIN_AUTO_LOG_FREE_FLAG","features":[392]},{"name":"CERT_CHAIN_AUTO_NETWORK_INFO","features":[392]},{"name":"CERT_CHAIN_AUTO_PINRULE_INFO","features":[392]},{"name":"CERT_CHAIN_AUTO_PROCESS_INFO","features":[392]},{"name":"CERT_CHAIN_AUTO_SERIAL_LOCAL_MACHINE","features":[392]},{"name":"CERT_CHAIN_CACHE_END_CERT","features":[392]},{"name":"CERT_CHAIN_CACHE_ONLY_URL_RETRIEVAL","features":[392]},{"name":"CERT_CHAIN_CACHE_RESYNC_FILETIME_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_CONFIG_REGPATH","features":[392]},{"name":"CERT_CHAIN_CONTEXT","features":[308,392]},{"name":"CERT_CHAIN_CRL_VALIDITY_EXT_PERIOD_HOURS_DEFAULT","features":[392]},{"name":"CERT_CHAIN_CRL_VALIDITY_EXT_PERIOD_HOURS_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_CROSS_CERT_DOWNLOAD_INTERVAL_HOURS_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_DEFAULT_CONFIG_SUBDIR","features":[392]},{"name":"CERT_CHAIN_DISABLE_AIA","features":[392]},{"name":"CERT_CHAIN_DISABLE_AIA_URL_RETRIEVAL_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_DISABLE_ALL_EKU_WEAK_FLAG","features":[392]},{"name":"CERT_CHAIN_DISABLE_AUTH_ROOT_AUTO_UPDATE","features":[392]},{"name":"CERT_CHAIN_DISABLE_AUTO_FLUSH_PROCESS_NAME_LIST_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_DISABLE_CA_NAME_CONSTRAINTS_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_DISABLE_CODE_SIGNING_WEAK_FLAG","features":[392]},{"name":"CERT_CHAIN_DISABLE_ECC_PARA_FLAG","features":[392]},{"name":"CERT_CHAIN_DISABLE_FILE_HASH_WEAK_FLAG","features":[392]},{"name":"CERT_CHAIN_DISABLE_MANDATORY_BASIC_CONSTRAINTS_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_DISABLE_MD2_MD4","features":[392]},{"name":"CERT_CHAIN_DISABLE_MOTW_CODE_SIGNING_WEAK_FLAG","features":[392]},{"name":"CERT_CHAIN_DISABLE_MOTW_FILE_HASH_WEAK_FLAG","features":[392]},{"name":"CERT_CHAIN_DISABLE_MOTW_TIMESTAMP_HASH_WEAK_FLAG","features":[392]},{"name":"CERT_CHAIN_DISABLE_MOTW_TIMESTAMP_WEAK_FLAG","features":[392]},{"name":"CERT_CHAIN_DISABLE_MY_PEER_TRUST","features":[392]},{"name":"CERT_CHAIN_DISABLE_OPT_IN_SERVER_AUTH_WEAK_FLAG","features":[392]},{"name":"CERT_CHAIN_DISABLE_PASS1_QUALITY_FILTERING","features":[392]},{"name":"CERT_CHAIN_DISABLE_SERIAL_CHAIN_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_DISABLE_SERVER_AUTH_WEAK_FLAG","features":[392]},{"name":"CERT_CHAIN_DISABLE_SYNC_WITH_SSL_TIME_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_DISABLE_TIMESTAMP_HASH_WEAK_FLAG","features":[392]},{"name":"CERT_CHAIN_DISABLE_TIMESTAMP_WEAK_FLAG","features":[392]},{"name":"CERT_CHAIN_DISABLE_UNSUPPORTED_CRITICAL_EXTENSIONS_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_ELEMENT","features":[308,392]},{"name":"CERT_CHAIN_ENABLE_ALL_EKU_HYGIENE_FLAG","features":[392]},{"name":"CERT_CHAIN_ENABLE_CACHE_AUTO_UPDATE","features":[392]},{"name":"CERT_CHAIN_ENABLE_CODE_SIGNING_HYGIENE_FLAG","features":[392]},{"name":"CERT_CHAIN_ENABLE_DISALLOWED_CA","features":[392]},{"name":"CERT_CHAIN_ENABLE_MD2_MD4_FLAG","features":[392]},{"name":"CERT_CHAIN_ENABLE_MOTW_CODE_SIGNING_HYGIENE_FLAG","features":[392]},{"name":"CERT_CHAIN_ENABLE_MOTW_TIMESTAMP_HYGIENE_FLAG","features":[392]},{"name":"CERT_CHAIN_ENABLE_ONLY_WEAK_LOGGING_FLAG","features":[392]},{"name":"CERT_CHAIN_ENABLE_PEER_TRUST","features":[392]},{"name":"CERT_CHAIN_ENABLE_SERVER_AUTH_HYGIENE_FLAG","features":[392]},{"name":"CERT_CHAIN_ENABLE_SHARE_STORE","features":[392]},{"name":"CERT_CHAIN_ENABLE_TIMESTAMP_HYGIENE_FLAG","features":[392]},{"name":"CERT_CHAIN_ENABLE_WEAK_LOGGING_FLAG","features":[392]},{"name":"CERT_CHAIN_ENABLE_WEAK_RSA_ROOT_FLAG","features":[392]},{"name":"CERT_CHAIN_ENABLE_WEAK_SETTINGS_FLAG","features":[392]},{"name":"CERT_CHAIN_ENABLE_WEAK_SIGNATURE_FLAGS_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_ENGINE_CONFIG","features":[392]},{"name":"CERT_CHAIN_EXCLUSIVE_ENABLE_CA_FLAG","features":[392]},{"name":"CERT_CHAIN_FIND_BY_ISSUER","features":[392]},{"name":"CERT_CHAIN_FIND_BY_ISSUER_CACHE_ONLY_FLAG","features":[392]},{"name":"CERT_CHAIN_FIND_BY_ISSUER_CACHE_ONLY_URL_FLAG","features":[392]},{"name":"CERT_CHAIN_FIND_BY_ISSUER_COMPARE_KEY_FLAG","features":[392]},{"name":"CERT_CHAIN_FIND_BY_ISSUER_COMPLEX_CHAIN_FLAG","features":[392]},{"name":"CERT_CHAIN_FIND_BY_ISSUER_LOCAL_MACHINE_FLAG","features":[392]},{"name":"CERT_CHAIN_FIND_BY_ISSUER_NO_KEY_FLAG","features":[392]},{"name":"CERT_CHAIN_FIND_BY_ISSUER_PARA","features":[308,392]},{"name":"CERT_CHAIN_HAS_MOTW","features":[392]},{"name":"CERT_CHAIN_MAX_AIA_URL_COUNT_IN_CERT_DEFAULT","features":[392]},{"name":"CERT_CHAIN_MAX_AIA_URL_COUNT_IN_CERT_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_MAX_AIA_URL_RETRIEVAL_BYTE_COUNT_DEFAULT","features":[392]},{"name":"CERT_CHAIN_MAX_AIA_URL_RETRIEVAL_BYTE_COUNT_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_MAX_AIA_URL_RETRIEVAL_CERT_COUNT_DEFAULT","features":[392]},{"name":"CERT_CHAIN_MAX_AIA_URL_RETRIEVAL_CERT_COUNT_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_MAX_AIA_URL_RETRIEVAL_COUNT_PER_CHAIN_DEFAULT","features":[392]},{"name":"CERT_CHAIN_MAX_AIA_URL_RETRIEVAL_COUNT_PER_CHAIN_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_MAX_SSL_TIME_UPDATED_EVENT_COUNT_DEFAULT","features":[392]},{"name":"CERT_CHAIN_MAX_SSL_TIME_UPDATED_EVENT_COUNT_DISABLE","features":[392]},{"name":"CERT_CHAIN_MAX_SSL_TIME_UPDATED_EVENT_COUNT_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_MAX_URL_RETRIEVAL_BYTE_COUNT_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_MIN_PUB_KEY_BIT_LENGTH_DISABLE","features":[392]},{"name":"CERT_CHAIN_MIN_RSA_PUB_KEY_BIT_LENGTH_DEFAULT","features":[392]},{"name":"CERT_CHAIN_MIN_RSA_PUB_KEY_BIT_LENGTH_DISABLE","features":[392]},{"name":"CERT_CHAIN_MIN_RSA_PUB_KEY_BIT_LENGTH_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_MOTW_IGNORE_AFTER_TIME_WEAK_FLAG","features":[392]},{"name":"CERT_CHAIN_OCSP_VALIDITY_SECONDS_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_ONLY_ADDITIONAL_AND_AUTH_ROOT","features":[392]},{"name":"CERT_CHAIN_OPTIONS_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_OPTION_DISABLE_AIA_URL_RETRIEVAL","features":[392]},{"name":"CERT_CHAIN_OPTION_ENABLE_SIA_URL_RETRIEVAL","features":[392]},{"name":"CERT_CHAIN_OPT_IN_WEAK_FLAGS","features":[392]},{"name":"CERT_CHAIN_OPT_IN_WEAK_SIGNATURE","features":[392]},{"name":"CERT_CHAIN_PARA","features":[392]},{"name":"CERT_CHAIN_POLICY_ALLOW_TESTROOT_FLAG","features":[392]},{"name":"CERT_CHAIN_POLICY_ALLOW_UNKNOWN_CA_FLAG","features":[392]},{"name":"CERT_CHAIN_POLICY_AUTHENTICODE","features":[392]},{"name":"CERT_CHAIN_POLICY_AUTHENTICODE_TS","features":[392]},{"name":"CERT_CHAIN_POLICY_BASE","features":[392]},{"name":"CERT_CHAIN_POLICY_BASIC_CONSTRAINTS","features":[392]},{"name":"CERT_CHAIN_POLICY_EV","features":[392]},{"name":"CERT_CHAIN_POLICY_FLAGS","features":[392]},{"name":"CERT_CHAIN_POLICY_IGNORE_ALL_NOT_TIME_VALID_FLAGS","features":[392]},{"name":"CERT_CHAIN_POLICY_IGNORE_ALL_REV_UNKNOWN_FLAGS","features":[392]},{"name":"CERT_CHAIN_POLICY_IGNORE_CA_REV_UNKNOWN_FLAG","features":[392]},{"name":"CERT_CHAIN_POLICY_IGNORE_CTL_NOT_TIME_VALID_FLAG","features":[392]},{"name":"CERT_CHAIN_POLICY_IGNORE_CTL_SIGNER_REV_UNKNOWN_FLAG","features":[392]},{"name":"CERT_CHAIN_POLICY_IGNORE_END_REV_UNKNOWN_FLAG","features":[392]},{"name":"CERT_CHAIN_POLICY_IGNORE_INVALID_BASIC_CONSTRAINTS_FLAG","features":[392]},{"name":"CERT_CHAIN_POLICY_IGNORE_INVALID_NAME_FLAG","features":[392]},{"name":"CERT_CHAIN_POLICY_IGNORE_INVALID_POLICY_FLAG","features":[392]},{"name":"CERT_CHAIN_POLICY_IGNORE_NOT_SUPPORTED_CRITICAL_EXT_FLAG","features":[392]},{"name":"CERT_CHAIN_POLICY_IGNORE_NOT_TIME_NESTED_FLAG","features":[392]},{"name":"CERT_CHAIN_POLICY_IGNORE_NOT_TIME_VALID_FLAG","features":[392]},{"name":"CERT_CHAIN_POLICY_IGNORE_PEER_TRUST_FLAG","features":[392]},{"name":"CERT_CHAIN_POLICY_IGNORE_ROOT_REV_UNKNOWN_FLAG","features":[392]},{"name":"CERT_CHAIN_POLICY_IGNORE_WEAK_SIGNATURE_FLAG","features":[392]},{"name":"CERT_CHAIN_POLICY_IGNORE_WRONG_USAGE_FLAG","features":[392]},{"name":"CERT_CHAIN_POLICY_MICROSOFT_ROOT","features":[392]},{"name":"CERT_CHAIN_POLICY_NT_AUTH","features":[392]},{"name":"CERT_CHAIN_POLICY_PARA","features":[392]},{"name":"CERT_CHAIN_POLICY_SSL","features":[392]},{"name":"CERT_CHAIN_POLICY_SSL_F12","features":[392]},{"name":"CERT_CHAIN_POLICY_SSL_F12_ERROR_LEVEL","features":[392]},{"name":"CERT_CHAIN_POLICY_SSL_F12_NONE_CATEGORY","features":[392]},{"name":"CERT_CHAIN_POLICY_SSL_F12_ROOT_PROGRAM_CATEGORY","features":[392]},{"name":"CERT_CHAIN_POLICY_SSL_F12_SUCCESS_LEVEL","features":[392]},{"name":"CERT_CHAIN_POLICY_SSL_F12_WARNING_LEVEL","features":[392]},{"name":"CERT_CHAIN_POLICY_SSL_F12_WEAK_CRYPTO_CATEGORY","features":[392]},{"name":"CERT_CHAIN_POLICY_SSL_HPKP_HEADER","features":[392]},{"name":"CERT_CHAIN_POLICY_SSL_KEY_PIN","features":[392]},{"name":"CERT_CHAIN_POLICY_SSL_KEY_PIN_MISMATCH_ERROR","features":[392]},{"name":"CERT_CHAIN_POLICY_SSL_KEY_PIN_MISMATCH_WARNING","features":[392]},{"name":"CERT_CHAIN_POLICY_SSL_KEY_PIN_MITM_ERROR","features":[392]},{"name":"CERT_CHAIN_POLICY_SSL_KEY_PIN_MITM_WARNING","features":[392]},{"name":"CERT_CHAIN_POLICY_SSL_KEY_PIN_SUCCESS","features":[392]},{"name":"CERT_CHAIN_POLICY_STATUS","features":[392]},{"name":"CERT_CHAIN_POLICY_THIRD_PARTY_ROOT","features":[392]},{"name":"CERT_CHAIN_POLICY_TRUST_TESTROOT_FLAG","features":[392]},{"name":"CERT_CHAIN_RETURN_LOWER_QUALITY_CONTEXTS","features":[392]},{"name":"CERT_CHAIN_REVOCATION_ACCUMULATIVE_TIMEOUT","features":[392]},{"name":"CERT_CHAIN_REVOCATION_CHECK_CACHE_ONLY","features":[392]},{"name":"CERT_CHAIN_REVOCATION_CHECK_CHAIN","features":[392]},{"name":"CERT_CHAIN_REVOCATION_CHECK_CHAIN_EXCLUDE_ROOT","features":[392]},{"name":"CERT_CHAIN_REVOCATION_CHECK_END_CERT","features":[392]},{"name":"CERT_CHAIN_REVOCATION_CHECK_OCSP_CERT","features":[392]},{"name":"CERT_CHAIN_REV_ACCUMULATIVE_URL_RETRIEVAL_TIMEOUT_MILLISECONDS_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_SERIAL_CHAIN_LOG_FILE_NAME_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_SSL_HANDSHAKE_LOG_FILE_NAME_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_STRONG_SIGN_DISABLE_END_CHECK_FLAG","features":[392]},{"name":"CERT_CHAIN_THREAD_STORE_SYNC","features":[392]},{"name":"CERT_CHAIN_TIMESTAMP_TIME","features":[392]},{"name":"CERT_CHAIN_URL_RETRIEVAL_TIMEOUT_MILLISECONDS_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_USE_LOCAL_MACHINE_STORE","features":[392]},{"name":"CERT_CHAIN_WEAK_AFTER_TIME_NAME","features":[392]},{"name":"CERT_CHAIN_WEAK_ALL_CONFIG_NAME","features":[392]},{"name":"CERT_CHAIN_WEAK_FILE_HASH_AFTER_TIME_NAME","features":[392]},{"name":"CERT_CHAIN_WEAK_FLAGS_NAME","features":[392]},{"name":"CERT_CHAIN_WEAK_HYGIENE_NAME","features":[392]},{"name":"CERT_CHAIN_WEAK_MIN_BIT_LENGTH_NAME","features":[392]},{"name":"CERT_CHAIN_WEAK_PREFIX_NAME","features":[392]},{"name":"CERT_CHAIN_WEAK_RSA_PUB_KEY_TIME_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_WEAK_SHA256_ALLOW_NAME","features":[392]},{"name":"CERT_CHAIN_WEAK_SIGNATURE_LOG_DIR_VALUE_NAME","features":[392]},{"name":"CERT_CHAIN_WEAK_THIRD_PARTY_CONFIG_NAME","features":[392]},{"name":"CERT_CHAIN_WEAK_TIMESTAMP_HASH_AFTER_TIME_NAME","features":[392]},{"name":"CERT_CLOSE_STORE_CHECK_FLAG","features":[392]},{"name":"CERT_CLOSE_STORE_FORCE_FLAG","features":[392]},{"name":"CERT_CLR_DELETE_KEY_PROP_ID","features":[392]},{"name":"CERT_COMPARE_ANY","features":[392]},{"name":"CERT_COMPARE_ATTR","features":[392]},{"name":"CERT_COMPARE_CERT_ID","features":[392]},{"name":"CERT_COMPARE_CROSS_CERT_DIST_POINTS","features":[392]},{"name":"CERT_COMPARE_CTL_USAGE","features":[392]},{"name":"CERT_COMPARE_ENHKEY_USAGE","features":[392]},{"name":"CERT_COMPARE_EXISTING","features":[392]},{"name":"CERT_COMPARE_HASH","features":[392]},{"name":"CERT_COMPARE_HASH_STR","features":[392]},{"name":"CERT_COMPARE_HAS_PRIVATE_KEY","features":[392]},{"name":"CERT_COMPARE_ISSUER_OF","features":[392]},{"name":"CERT_COMPARE_KEY_IDENTIFIER","features":[392]},{"name":"CERT_COMPARE_KEY_SPEC","features":[392]},{"name":"CERT_COMPARE_MASK","features":[392]},{"name":"CERT_COMPARE_MD5_HASH","features":[392]},{"name":"CERT_COMPARE_NAME","features":[392]},{"name":"CERT_COMPARE_NAME_STR_A","features":[392]},{"name":"CERT_COMPARE_NAME_STR_W","features":[392]},{"name":"CERT_COMPARE_PROPERTY","features":[392]},{"name":"CERT_COMPARE_PUBKEY_MD5_HASH","features":[392]},{"name":"CERT_COMPARE_PUBLIC_KEY","features":[392]},{"name":"CERT_COMPARE_SHA1_HASH","features":[392]},{"name":"CERT_COMPARE_SHIFT","features":[392]},{"name":"CERT_COMPARE_SIGNATURE_HASH","features":[392]},{"name":"CERT_COMPARE_SUBJECT_CERT","features":[392]},{"name":"CERT_COMPARE_SUBJECT_INFO_ACCESS","features":[392]},{"name":"CERT_CONTEXT","features":[308,392]},{"name":"CERT_CONTEXT_REVOCATION_TYPE","features":[392]},{"name":"CERT_CONTROL_STORE_FLAGS","features":[392]},{"name":"CERT_CREATE_CONTEXT_NOCOPY_FLAG","features":[392]},{"name":"CERT_CREATE_CONTEXT_NO_ENTRY_FLAG","features":[392]},{"name":"CERT_CREATE_CONTEXT_NO_HCRYPTMSG_FLAG","features":[392]},{"name":"CERT_CREATE_CONTEXT_PARA","features":[308,392]},{"name":"CERT_CREATE_CONTEXT_SORTED_FLAG","features":[392]},{"name":"CERT_CREATE_SELFSIGN_FLAGS","features":[392]},{"name":"CERT_CREATE_SELFSIGN_NO_KEY_INFO","features":[392]},{"name":"CERT_CREATE_SELFSIGN_NO_SIGN","features":[392]},{"name":"CERT_CRL_CONTEXT_PAIR","features":[308,392]},{"name":"CERT_CRL_SIGN_KEY_USAGE","features":[392]},{"name":"CERT_CROSS_CERT_DIST_POINTS_PROP_ID","features":[392]},{"name":"CERT_CTL_USAGE_PROP_ID","features":[392]},{"name":"CERT_DATA_ENCIPHERMENT_KEY_USAGE","features":[392]},{"name":"CERT_DATE_STAMP_PROP_ID","features":[392]},{"name":"CERT_DECIPHER_ONLY_KEY_USAGE","features":[392]},{"name":"CERT_DEFAULT_OID_PUBLIC_KEY_SIGN","features":[392]},{"name":"CERT_DEFAULT_OID_PUBLIC_KEY_XCHG","features":[392]},{"name":"CERT_DESCRIPTION_PROP_ID","features":[392]},{"name":"CERT_DH_PARAMETERS","features":[392]},{"name":"CERT_DIGITAL_SIGNATURE_KEY_USAGE","features":[392]},{"name":"CERT_DISABLE_PIN_RULES_AUTO_UPDATE_VALUE_NAME","features":[392]},{"name":"CERT_DISABLE_ROOT_AUTO_UPDATE_VALUE_NAME","features":[392]},{"name":"CERT_DISALLOWED_CA_FILETIME_PROP_ID","features":[392]},{"name":"CERT_DISALLOWED_CERT_AUTO_UPDATE_ENCODED_CTL_VALUE_NAME","features":[392]},{"name":"CERT_DISALLOWED_CERT_AUTO_UPDATE_LAST_SYNC_TIME_VALUE_NAME","features":[392]},{"name":"CERT_DISALLOWED_CERT_AUTO_UPDATE_LIST_IDENTIFIER","features":[392]},{"name":"CERT_DISALLOWED_CERT_AUTO_UPDATE_SYNC_DELTA_TIME_VALUE_NAME","features":[392]},{"name":"CERT_DISALLOWED_CERT_CAB_FILENAME","features":[392]},{"name":"CERT_DISALLOWED_CERT_CTL_FILENAME","features":[392]},{"name":"CERT_DISALLOWED_CERT_CTL_FILENAME_A","features":[392]},{"name":"CERT_DISALLOWED_ENHKEY_USAGE_PROP_ID","features":[392]},{"name":"CERT_DISALLOWED_FILETIME_PROP_ID","features":[392]},{"name":"CERT_DSS_PARAMETERS","features":[392]},{"name":"CERT_DSS_R_LEN","features":[392]},{"name":"CERT_DSS_S_LEN","features":[392]},{"name":"CERT_ECC_SIGNATURE","features":[392]},{"name":"CERT_EFSBLOB_VALUE_NAME","features":[392]},{"name":"CERT_EFS_PROP_ID","features":[392]},{"name":"CERT_ENABLE_DISALLOWED_CERT_AUTO_UPDATE_VALUE_NAME","features":[392]},{"name":"CERT_ENCIPHER_ONLY_KEY_USAGE","features":[392]},{"name":"CERT_ENCODING_TYPE_MASK","features":[392]},{"name":"CERT_END_ENTITY_SUBJECT_FLAG","features":[392]},{"name":"CERT_ENHKEY_USAGE_PROP_ID","features":[392]},{"name":"CERT_ENROLLMENT_PROP_ID","features":[392]},{"name":"CERT_EXCLUDED_SUBTREE_BIT","features":[392]},{"name":"CERT_EXTENDED_ERROR_INFO_PROP_ID","features":[392]},{"name":"CERT_EXTENSION","features":[308,392]},{"name":"CERT_EXTENSIONS","features":[308,392]},{"name":"CERT_FILE_HASH_USE_TYPE","features":[392]},{"name":"CERT_FILE_STORE_COMMIT_ENABLE_FLAG","features":[392]},{"name":"CERT_FIND_ANY","features":[392]},{"name":"CERT_FIND_CERT_ID","features":[392]},{"name":"CERT_FIND_CHAIN_IN_STORE_FLAGS","features":[392]},{"name":"CERT_FIND_CROSS_CERT_DIST_POINTS","features":[392]},{"name":"CERT_FIND_CTL_USAGE","features":[392]},{"name":"CERT_FIND_ENHKEY_USAGE","features":[392]},{"name":"CERT_FIND_EXISTING","features":[392]},{"name":"CERT_FIND_EXT_ONLY_CTL_USAGE_FLAG","features":[392]},{"name":"CERT_FIND_EXT_ONLY_ENHKEY_USAGE_FLAG","features":[392]},{"name":"CERT_FIND_FLAGS","features":[392]},{"name":"CERT_FIND_HASH","features":[392]},{"name":"CERT_FIND_HASH_STR","features":[392]},{"name":"CERT_FIND_HAS_PRIVATE_KEY","features":[392]},{"name":"CERT_FIND_ISSUER_ATTR","features":[392]},{"name":"CERT_FIND_ISSUER_NAME","features":[392]},{"name":"CERT_FIND_ISSUER_OF","features":[392]},{"name":"CERT_FIND_ISSUER_STR","features":[392]},{"name":"CERT_FIND_ISSUER_STR_A","features":[392]},{"name":"CERT_FIND_ISSUER_STR_W","features":[392]},{"name":"CERT_FIND_KEY_IDENTIFIER","features":[392]},{"name":"CERT_FIND_KEY_SPEC","features":[392]},{"name":"CERT_FIND_MD5_HASH","features":[392]},{"name":"CERT_FIND_NO_CTL_USAGE_FLAG","features":[392]},{"name":"CERT_FIND_NO_ENHKEY_USAGE_FLAG","features":[392]},{"name":"CERT_FIND_OPTIONAL_CTL_USAGE_FLAG","features":[392]},{"name":"CERT_FIND_OPTIONAL_ENHKEY_USAGE_FLAG","features":[392]},{"name":"CERT_FIND_OR_CTL_USAGE_FLAG","features":[392]},{"name":"CERT_FIND_OR_ENHKEY_USAGE_FLAG","features":[392]},{"name":"CERT_FIND_PROPERTY","features":[392]},{"name":"CERT_FIND_PROP_ONLY_CTL_USAGE_FLAG","features":[392]},{"name":"CERT_FIND_PROP_ONLY_ENHKEY_USAGE_FLAG","features":[392]},{"name":"CERT_FIND_PUBKEY_MD5_HASH","features":[392]},{"name":"CERT_FIND_PUBLIC_KEY","features":[392]},{"name":"CERT_FIND_SHA1_HASH","features":[392]},{"name":"CERT_FIND_SIGNATURE_HASH","features":[392]},{"name":"CERT_FIND_SUBJECT_ATTR","features":[392]},{"name":"CERT_FIND_SUBJECT_CERT","features":[392]},{"name":"CERT_FIND_SUBJECT_INFO_ACCESS","features":[392]},{"name":"CERT_FIND_SUBJECT_NAME","features":[392]},{"name":"CERT_FIND_SUBJECT_STR","features":[392]},{"name":"CERT_FIND_SUBJECT_STR_A","features":[392]},{"name":"CERT_FIND_SUBJECT_STR_W","features":[392]},{"name":"CERT_FIND_TYPE","features":[392]},{"name":"CERT_FIND_VALID_CTL_USAGE_FLAG","features":[392]},{"name":"CERT_FIND_VALID_ENHKEY_USAGE_FLAG","features":[392]},{"name":"CERT_FIRST_RESERVED_PROP_ID","features":[392]},{"name":"CERT_FIRST_USER_PROP_ID","features":[392]},{"name":"CERT_FORTEZZA_DATA_PROP","features":[392]},{"name":"CERT_FORTEZZA_DATA_PROP_ID","features":[392]},{"name":"CERT_FRIENDLY_NAME_PROP_ID","features":[392]},{"name":"CERT_GENERAL_SUBTREE","features":[308,392]},{"name":"CERT_GROUP_POLICY_SYSTEM_STORE_REGPATH","features":[392]},{"name":"CERT_HASHED_URL","features":[392]},{"name":"CERT_HASH_PROP_ID","features":[392]},{"name":"CERT_HCRYPTPROV_OR_NCRYPT_KEY_HANDLE_PROP_ID","features":[392]},{"name":"CERT_HCRYPTPROV_TRANSFER_PROP_ID","features":[392]},{"name":"CERT_ID","features":[392]},{"name":"CERT_ID_ISSUER_SERIAL_NUMBER","features":[392]},{"name":"CERT_ID_KEY_IDENTIFIER","features":[392]},{"name":"CERT_ID_OPTION","features":[392]},{"name":"CERT_ID_SHA1_HASH","features":[392]},{"name":"CERT_IE30_RESERVED_PROP_ID","features":[392]},{"name":"CERT_IE_DIRTY_FLAGS_REGPATH","features":[392]},{"name":"CERT_INFO","features":[308,392]},{"name":"CERT_INFO_EXTENSION_FLAG","features":[392]},{"name":"CERT_INFO_ISSUER_FLAG","features":[392]},{"name":"CERT_INFO_ISSUER_UNIQUE_ID_FLAG","features":[392]},{"name":"CERT_INFO_NOT_AFTER_FLAG","features":[392]},{"name":"CERT_INFO_NOT_BEFORE_FLAG","features":[392]},{"name":"CERT_INFO_SERIAL_NUMBER_FLAG","features":[392]},{"name":"CERT_INFO_SIGNATURE_ALGORITHM_FLAG","features":[392]},{"name":"CERT_INFO_SUBJECT_FLAG","features":[392]},{"name":"CERT_INFO_SUBJECT_PUBLIC_KEY_INFO_FLAG","features":[392]},{"name":"CERT_INFO_SUBJECT_UNIQUE_ID_FLAG","features":[392]},{"name":"CERT_INFO_VERSION_FLAG","features":[392]},{"name":"CERT_ISOLATED_KEY_PROP_ID","features":[392]},{"name":"CERT_ISSUER_CHAIN_PUB_KEY_CNG_ALG_BIT_LENGTH_PROP_ID","features":[392]},{"name":"CERT_ISSUER_CHAIN_SIGN_HASH_CNG_ALG_PROP_ID","features":[392]},{"name":"CERT_ISSUER_PUBLIC_KEY_MD5_HASH_PROP_ID","features":[392]},{"name":"CERT_ISSUER_PUB_KEY_BIT_LENGTH_PROP_ID","features":[392]},{"name":"CERT_ISSUER_SERIAL_NUMBER","features":[392]},{"name":"CERT_ISSUER_SERIAL_NUMBER_MD5_HASH_PROP_ID","features":[392]},{"name":"CERT_KEYGEN_REQUEST_INFO","features":[392]},{"name":"CERT_KEYGEN_REQUEST_V1","features":[392]},{"name":"CERT_KEY_AGREEMENT_KEY_USAGE","features":[392]},{"name":"CERT_KEY_ATTRIBUTES_INFO","features":[308,392]},{"name":"CERT_KEY_CERT_SIGN_KEY_USAGE","features":[392]},{"name":"CERT_KEY_CLASSIFICATION_PROP_ID","features":[392]},{"name":"CERT_KEY_CONTEXT","features":[392]},{"name":"CERT_KEY_CONTEXT_PROP_ID","features":[392]},{"name":"CERT_KEY_ENCIPHERMENT_KEY_USAGE","features":[392]},{"name":"CERT_KEY_IDENTIFIER_PROP_ID","features":[392]},{"name":"CERT_KEY_PROV_HANDLE_PROP_ID","features":[392]},{"name":"CERT_KEY_PROV_INFO_PROP_ID","features":[392]},{"name":"CERT_KEY_REPAIR_ATTEMPTED_PROP_ID","features":[392]},{"name":"CERT_KEY_SPEC","features":[392]},{"name":"CERT_KEY_SPEC_PROP_ID","features":[392]},{"name":"CERT_KEY_USAGE_RESTRICTION_INFO","features":[392]},{"name":"CERT_LAST_RESERVED_PROP_ID","features":[392]},{"name":"CERT_LAST_USER_PROP_ID","features":[392]},{"name":"CERT_LDAP_STORE_AREC_EXCLUSIVE_FLAG","features":[392]},{"name":"CERT_LDAP_STORE_OPENED_FLAG","features":[392]},{"name":"CERT_LDAP_STORE_OPENED_PARA","features":[392]},{"name":"CERT_LDAP_STORE_SIGN_FLAG","features":[392]},{"name":"CERT_LDAP_STORE_UNBIND_FLAG","features":[392]},{"name":"CERT_LOCAL_MACHINE_SYSTEM_STORE_REGPATH","features":[392]},{"name":"CERT_LOGOTYPE_AUDIO","features":[392]},{"name":"CERT_LOGOTYPE_AUDIO_INFO","features":[392]},{"name":"CERT_LOGOTYPE_BITS_IMAGE_RESOLUTION_CHOICE","features":[392]},{"name":"CERT_LOGOTYPE_CHOICE","features":[392]},{"name":"CERT_LOGOTYPE_COLOR_IMAGE_INFO_CHOICE","features":[392]},{"name":"CERT_LOGOTYPE_DATA","features":[392]},{"name":"CERT_LOGOTYPE_DETAILS","features":[392]},{"name":"CERT_LOGOTYPE_DIRECT_INFO_CHOICE","features":[392]},{"name":"CERT_LOGOTYPE_EXT_INFO","features":[392]},{"name":"CERT_LOGOTYPE_GRAY_SCALE_IMAGE_INFO_CHOICE","features":[392]},{"name":"CERT_LOGOTYPE_IMAGE","features":[392]},{"name":"CERT_LOGOTYPE_IMAGE_INFO","features":[392]},{"name":"CERT_LOGOTYPE_IMAGE_INFO_TYPE","features":[392]},{"name":"CERT_LOGOTYPE_INDIRECT_INFO_CHOICE","features":[392]},{"name":"CERT_LOGOTYPE_INFO","features":[392]},{"name":"CERT_LOGOTYPE_NO_IMAGE_RESOLUTION_CHOICE","features":[392]},{"name":"CERT_LOGOTYPE_OPTION","features":[392]},{"name":"CERT_LOGOTYPE_REFERENCE","features":[392]},{"name":"CERT_LOGOTYPE_TABLE_SIZE_IMAGE_RESOLUTION_CHOICE","features":[392]},{"name":"CERT_MD5_HASH_PROP_ID","features":[392]},{"name":"CERT_NAME_ATTR_TYPE","features":[392]},{"name":"CERT_NAME_CONSTRAINTS_INFO","features":[308,392]},{"name":"CERT_NAME_DISABLE_IE4_UTF8_FLAG","features":[392]},{"name":"CERT_NAME_DNS_TYPE","features":[392]},{"name":"CERT_NAME_EMAIL_TYPE","features":[392]},{"name":"CERT_NAME_FRIENDLY_DISPLAY_TYPE","features":[392]},{"name":"CERT_NAME_INFO","features":[392]},{"name":"CERT_NAME_ISSUER_FLAG","features":[392]},{"name":"CERT_NAME_RDN_TYPE","features":[392]},{"name":"CERT_NAME_SEARCH_ALL_NAMES_FLAG","features":[392]},{"name":"CERT_NAME_SIMPLE_DISPLAY_TYPE","features":[392]},{"name":"CERT_NAME_STR_COMMA_FLAG","features":[392]},{"name":"CERT_NAME_STR_CRLF_FLAG","features":[392]},{"name":"CERT_NAME_STR_DISABLE_IE4_UTF8_FLAG","features":[392]},{"name":"CERT_NAME_STR_DISABLE_UTF8_DIR_STR_FLAG","features":[392]},{"name":"CERT_NAME_STR_ENABLE_PUNYCODE_FLAG","features":[392]},{"name":"CERT_NAME_STR_ENABLE_T61_UNICODE_FLAG","features":[392]},{"name":"CERT_NAME_STR_ENABLE_UTF8_UNICODE_FLAG","features":[392]},{"name":"CERT_NAME_STR_FORCE_UTF8_DIR_STR_FLAG","features":[392]},{"name":"CERT_NAME_STR_FORWARD_FLAG","features":[392]},{"name":"CERT_NAME_STR_NO_PLUS_FLAG","features":[392]},{"name":"CERT_NAME_STR_NO_QUOTING_FLAG","features":[392]},{"name":"CERT_NAME_STR_REVERSE_FLAG","features":[392]},{"name":"CERT_NAME_STR_SEMICOLON_FLAG","features":[392]},{"name":"CERT_NAME_UPN_TYPE","features":[392]},{"name":"CERT_NAME_URL_TYPE","features":[392]},{"name":"CERT_NAME_VALUE","features":[392]},{"name":"CERT_NCRYPT_KEY_HANDLE_PROP_ID","features":[392]},{"name":"CERT_NCRYPT_KEY_HANDLE_TRANSFER_PROP_ID","features":[392]},{"name":"CERT_NCRYPT_KEY_SPEC","features":[392]},{"name":"CERT_NEW_KEY_PROP_ID","features":[392]},{"name":"CERT_NEXT_UPDATE_LOCATION_PROP_ID","features":[392]},{"name":"CERT_NONCOMPLIANT_ROOT_URL_PROP_ID","features":[392]},{"name":"CERT_NON_REPUDIATION_KEY_USAGE","features":[392]},{"name":"CERT_NOT_BEFORE_ENHKEY_USAGE_PROP_ID","features":[392]},{"name":"CERT_NOT_BEFORE_FILETIME_PROP_ID","features":[392]},{"name":"CERT_NO_AUTO_EXPIRE_CHECK_PROP_ID","features":[392]},{"name":"CERT_NO_EXPIRE_NOTIFICATION_PROP_ID","features":[392]},{"name":"CERT_OCM_SUBCOMPONENTS_LOCAL_MACHINE_REGPATH","features":[392]},{"name":"CERT_OCM_SUBCOMPONENTS_ROOT_AUTO_UPDATE_VALUE_NAME","features":[392]},{"name":"CERT_OCSP_CACHE_PREFIX_PROP_ID","features":[392]},{"name":"CERT_OCSP_MUST_STAPLE_PROP_ID","features":[392]},{"name":"CERT_OCSP_RESPONSE_PROP_ID","features":[392]},{"name":"CERT_OFFLINE_CRL_SIGN_KEY_USAGE","features":[392]},{"name":"CERT_OID_NAME_STR","features":[392]},{"name":"CERT_OPEN_STORE_FLAGS","features":[392]},{"name":"CERT_OR_CRL_BLOB","features":[392]},{"name":"CERT_OR_CRL_BUNDLE","features":[392]},{"name":"CERT_OTHER_LOGOTYPE_INFO","features":[392]},{"name":"CERT_OTHER_NAME","features":[392]},{"name":"CERT_PAIR","features":[392]},{"name":"CERT_PHYSICAL_STORE_ADD_ENABLE_FLAG","features":[392]},{"name":"CERT_PHYSICAL_STORE_AUTH_ROOT_NAME","features":[392]},{"name":"CERT_PHYSICAL_STORE_DEFAULT_NAME","features":[392]},{"name":"CERT_PHYSICAL_STORE_DS_USER_CERTIFICATE_NAME","features":[392]},{"name":"CERT_PHYSICAL_STORE_ENTERPRISE_NAME","features":[392]},{"name":"CERT_PHYSICAL_STORE_GROUP_POLICY_NAME","features":[392]},{"name":"CERT_PHYSICAL_STORE_INFO","features":[392]},{"name":"CERT_PHYSICAL_STORE_INSERT_COMPUTER_NAME_ENABLE_FLAG","features":[392]},{"name":"CERT_PHYSICAL_STORE_LOCAL_MACHINE_GROUP_POLICY_NAME","features":[392]},{"name":"CERT_PHYSICAL_STORE_LOCAL_MACHINE_NAME","features":[392]},{"name":"CERT_PHYSICAL_STORE_OPEN_DISABLE_FLAG","features":[392]},{"name":"CERT_PHYSICAL_STORE_PREDEFINED_ENUM_FLAG","features":[392]},{"name":"CERT_PHYSICAL_STORE_REMOTE_OPEN_DISABLE_FLAG","features":[392]},{"name":"CERT_PHYSICAL_STORE_SMART_CARD_NAME","features":[392]},{"name":"CERT_PIN_RULES_AUTO_UPDATE_ENCODED_CTL_VALUE_NAME","features":[392]},{"name":"CERT_PIN_RULES_AUTO_UPDATE_LAST_SYNC_TIME_VALUE_NAME","features":[392]},{"name":"CERT_PIN_RULES_AUTO_UPDATE_LIST_IDENTIFIER","features":[392]},{"name":"CERT_PIN_RULES_AUTO_UPDATE_SYNC_DELTA_TIME_VALUE_NAME","features":[392]},{"name":"CERT_PIN_RULES_CAB_FILENAME","features":[392]},{"name":"CERT_PIN_RULES_CTL_FILENAME","features":[392]},{"name":"CERT_PIN_RULES_CTL_FILENAME_A","features":[392]},{"name":"CERT_PIN_SHA256_HASH_PROP_ID","features":[392]},{"name":"CERT_POLICIES_INFO","features":[392]},{"name":"CERT_POLICY95_QUALIFIER1","features":[392]},{"name":"CERT_POLICY_CONSTRAINTS_INFO","features":[308,392]},{"name":"CERT_POLICY_ID","features":[392]},{"name":"CERT_POLICY_INFO","features":[392]},{"name":"CERT_POLICY_MAPPING","features":[392]},{"name":"CERT_POLICY_MAPPINGS_INFO","features":[392]},{"name":"CERT_POLICY_QUALIFIER_INFO","features":[392]},{"name":"CERT_POLICY_QUALIFIER_NOTICE_REFERENCE","features":[392]},{"name":"CERT_POLICY_QUALIFIER_USER_NOTICE","features":[392]},{"name":"CERT_PRIVATE_KEY_VALIDITY","features":[308,392]},{"name":"CERT_PROT_ROOT_DISABLE_CURRENT_USER_FLAG","features":[392]},{"name":"CERT_PROT_ROOT_DISABLE_LM_AUTH_FLAG","features":[392]},{"name":"CERT_PROT_ROOT_DISABLE_NOT_DEFINED_NAME_CONSTRAINT_FLAG","features":[392]},{"name":"CERT_PROT_ROOT_DISABLE_NT_AUTH_REQUIRED_FLAG","features":[392]},{"name":"CERT_PROT_ROOT_DISABLE_PEER_TRUST","features":[392]},{"name":"CERT_PROT_ROOT_FLAGS_VALUE_NAME","features":[392]},{"name":"CERT_PROT_ROOT_INHIBIT_ADD_AT_INIT_FLAG","features":[392]},{"name":"CERT_PROT_ROOT_INHIBIT_PURGE_LM_FLAG","features":[392]},{"name":"CERT_PROT_ROOT_ONLY_LM_GPT_FLAG","features":[392]},{"name":"CERT_PROT_ROOT_PEER_USAGES_VALUE_NAME","features":[392]},{"name":"CERT_PROT_ROOT_PEER_USAGES_VALUE_NAME_A","features":[392]},{"name":"CERT_PUBKEY_ALG_PARA_PROP_ID","features":[392]},{"name":"CERT_PUBKEY_HASH_RESERVED_PROP_ID","features":[392]},{"name":"CERT_PUBLIC_KEY_INFO","features":[392]},{"name":"CERT_PUB_KEY_CNG_ALG_BIT_LENGTH_PROP_ID","features":[392]},{"name":"CERT_PVK_FILE_PROP_ID","features":[392]},{"name":"CERT_QC_STATEMENT","features":[392]},{"name":"CERT_QC_STATEMENTS_EXT_INFO","features":[392]},{"name":"CERT_QUERY_CONTENT_CERT","features":[392]},{"name":"CERT_QUERY_CONTENT_CERT_PAIR","features":[392]},{"name":"CERT_QUERY_CONTENT_CRL","features":[392]},{"name":"CERT_QUERY_CONTENT_CTL","features":[392]},{"name":"CERT_QUERY_CONTENT_FLAG_ALL","features":[392]},{"name":"CERT_QUERY_CONTENT_FLAG_ALL_ISSUER_CERT","features":[392]},{"name":"CERT_QUERY_CONTENT_FLAG_CERT","features":[392]},{"name":"CERT_QUERY_CONTENT_FLAG_CERT_PAIR","features":[392]},{"name":"CERT_QUERY_CONTENT_FLAG_CRL","features":[392]},{"name":"CERT_QUERY_CONTENT_FLAG_CTL","features":[392]},{"name":"CERT_QUERY_CONTENT_FLAG_PFX","features":[392]},{"name":"CERT_QUERY_CONTENT_FLAG_PFX_AND_LOAD","features":[392]},{"name":"CERT_QUERY_CONTENT_FLAG_PKCS10","features":[392]},{"name":"CERT_QUERY_CONTENT_FLAG_PKCS7_SIGNED","features":[392]},{"name":"CERT_QUERY_CONTENT_FLAG_PKCS7_SIGNED_EMBED","features":[392]},{"name":"CERT_QUERY_CONTENT_FLAG_PKCS7_UNSIGNED","features":[392]},{"name":"CERT_QUERY_CONTENT_FLAG_SERIALIZED_CERT","features":[392]},{"name":"CERT_QUERY_CONTENT_FLAG_SERIALIZED_CRL","features":[392]},{"name":"CERT_QUERY_CONTENT_FLAG_SERIALIZED_CTL","features":[392]},{"name":"CERT_QUERY_CONTENT_FLAG_SERIALIZED_STORE","features":[392]},{"name":"CERT_QUERY_CONTENT_PFX","features":[392]},{"name":"CERT_QUERY_CONTENT_PFX_AND_LOAD","features":[392]},{"name":"CERT_QUERY_CONTENT_PKCS10","features":[392]},{"name":"CERT_QUERY_CONTENT_PKCS7_SIGNED","features":[392]},{"name":"CERT_QUERY_CONTENT_PKCS7_SIGNED_EMBED","features":[392]},{"name":"CERT_QUERY_CONTENT_PKCS7_UNSIGNED","features":[392]},{"name":"CERT_QUERY_CONTENT_SERIALIZED_CERT","features":[392]},{"name":"CERT_QUERY_CONTENT_SERIALIZED_CRL","features":[392]},{"name":"CERT_QUERY_CONTENT_SERIALIZED_CTL","features":[392]},{"name":"CERT_QUERY_CONTENT_SERIALIZED_STORE","features":[392]},{"name":"CERT_QUERY_CONTENT_TYPE","features":[392]},{"name":"CERT_QUERY_CONTENT_TYPE_FLAGS","features":[392]},{"name":"CERT_QUERY_ENCODING_TYPE","features":[392]},{"name":"CERT_QUERY_FORMAT_ASN_ASCII_HEX_ENCODED","features":[392]},{"name":"CERT_QUERY_FORMAT_BASE64_ENCODED","features":[392]},{"name":"CERT_QUERY_FORMAT_BINARY","features":[392]},{"name":"CERT_QUERY_FORMAT_FLAG_ALL","features":[392]},{"name":"CERT_QUERY_FORMAT_FLAG_ASN_ASCII_HEX_ENCODED","features":[392]},{"name":"CERT_QUERY_FORMAT_FLAG_BASE64_ENCODED","features":[392]},{"name":"CERT_QUERY_FORMAT_FLAG_BINARY","features":[392]},{"name":"CERT_QUERY_FORMAT_TYPE","features":[392]},{"name":"CERT_QUERY_FORMAT_TYPE_FLAGS","features":[392]},{"name":"CERT_QUERY_OBJECT_BLOB","features":[392]},{"name":"CERT_QUERY_OBJECT_FILE","features":[392]},{"name":"CERT_QUERY_OBJECT_TYPE","features":[392]},{"name":"CERT_RDN","features":[392]},{"name":"CERT_RDN_ANY_TYPE","features":[392]},{"name":"CERT_RDN_ATTR","features":[392]},{"name":"CERT_RDN_ATTR_VALUE_TYPE","features":[392]},{"name":"CERT_RDN_BMP_STRING","features":[392]},{"name":"CERT_RDN_DISABLE_CHECK_TYPE_FLAG","features":[392]},{"name":"CERT_RDN_DISABLE_IE4_UTF8_FLAG","features":[392]},{"name":"CERT_RDN_ENABLE_PUNYCODE_FLAG","features":[392]},{"name":"CERT_RDN_ENABLE_T61_UNICODE_FLAG","features":[392]},{"name":"CERT_RDN_ENABLE_UTF8_UNICODE_FLAG","features":[392]},{"name":"CERT_RDN_ENCODED_BLOB","features":[392]},{"name":"CERT_RDN_FLAGS_MASK","features":[392]},{"name":"CERT_RDN_FORCE_UTF8_UNICODE_FLAG","features":[392]},{"name":"CERT_RDN_GENERAL_STRING","features":[392]},{"name":"CERT_RDN_GRAPHIC_STRING","features":[392]},{"name":"CERT_RDN_IA5_STRING","features":[392]},{"name":"CERT_RDN_INT4_STRING","features":[392]},{"name":"CERT_RDN_ISO646_STRING","features":[392]},{"name":"CERT_RDN_NUMERIC_STRING","features":[392]},{"name":"CERT_RDN_OCTET_STRING","features":[392]},{"name":"CERT_RDN_PRINTABLE_STRING","features":[392]},{"name":"CERT_RDN_T61_STRING","features":[392]},{"name":"CERT_RDN_TELETEX_STRING","features":[392]},{"name":"CERT_RDN_TYPE_MASK","features":[392]},{"name":"CERT_RDN_UNICODE_STRING","features":[392]},{"name":"CERT_RDN_UNIVERSAL_STRING","features":[392]},{"name":"CERT_RDN_UTF8_STRING","features":[392]},{"name":"CERT_RDN_VIDEOTEX_STRING","features":[392]},{"name":"CERT_RDN_VISIBLE_STRING","features":[392]},{"name":"CERT_REGISTRY_STORE_CLIENT_GPT_FLAG","features":[392]},{"name":"CERT_REGISTRY_STORE_CLIENT_GPT_PARA","features":[392,369]},{"name":"CERT_REGISTRY_STORE_EXTERNAL_FLAG","features":[392]},{"name":"CERT_REGISTRY_STORE_LM_GPT_FLAG","features":[392]},{"name":"CERT_REGISTRY_STORE_MY_IE_DIRTY_FLAG","features":[392]},{"name":"CERT_REGISTRY_STORE_REMOTE_FLAG","features":[392]},{"name":"CERT_REGISTRY_STORE_ROAMING_FLAG","features":[392]},{"name":"CERT_REGISTRY_STORE_ROAMING_PARA","features":[392,369]},{"name":"CERT_REGISTRY_STORE_SERIALIZED_FLAG","features":[392]},{"name":"CERT_RENEWAL_PROP_ID","features":[392]},{"name":"CERT_REQUEST_INFO","features":[392]},{"name":"CERT_REQUEST_ORIGINATOR_PROP_ID","features":[392]},{"name":"CERT_REQUEST_V1","features":[392]},{"name":"CERT_RETRIEVE_BIOMETRIC_PREDEFINED_BASE_TYPE","features":[392]},{"name":"CERT_RETRIEVE_COMMUNITY_LOGO","features":[392]},{"name":"CERT_RETRIEVE_ISSUER_LOGO","features":[392]},{"name":"CERT_RETRIEVE_SUBJECT_LOGO","features":[392]},{"name":"CERT_RETR_BEHAVIOR_FILE_VALUE_NAME","features":[392]},{"name":"CERT_RETR_BEHAVIOR_INET_AUTH_VALUE_NAME","features":[392]},{"name":"CERT_RETR_BEHAVIOR_INET_STATUS_VALUE_NAME","features":[392]},{"name":"CERT_RETR_BEHAVIOR_LDAP_VALUE_NAME","features":[392]},{"name":"CERT_REVOCATION_CHAIN_PARA","features":[308,392]},{"name":"CERT_REVOCATION_CRL_INFO","features":[308,392]},{"name":"CERT_REVOCATION_INFO","features":[308,392]},{"name":"CERT_REVOCATION_PARA","features":[308,392]},{"name":"CERT_REVOCATION_STATUS","features":[308,392]},{"name":"CERT_REVOCATION_STATUS_REASON","features":[392]},{"name":"CERT_ROOT_PROGRAM_CERT_POLICIES_PROP_ID","features":[392]},{"name":"CERT_ROOT_PROGRAM_CHAIN_POLICIES_PROP_ID","features":[392]},{"name":"CERT_ROOT_PROGRAM_FLAGS","features":[392]},{"name":"CERT_ROOT_PROGRAM_FLAG_ADDRESS","features":[392]},{"name":"CERT_ROOT_PROGRAM_FLAG_LSC","features":[392]},{"name":"CERT_ROOT_PROGRAM_FLAG_ORG","features":[392]},{"name":"CERT_ROOT_PROGRAM_FLAG_OU","features":[392]},{"name":"CERT_ROOT_PROGRAM_FLAG_SUBJECT_LOGO","features":[392]},{"name":"CERT_ROOT_PROGRAM_NAME_CONSTRAINTS_PROP_ID","features":[392]},{"name":"CERT_RSA_PUBLIC_KEY_OBJID","features":[392]},{"name":"CERT_SCARD_PIN_ID_PROP_ID","features":[392]},{"name":"CERT_SCARD_PIN_INFO_PROP_ID","features":[392]},{"name":"CERT_SCEP_CA_CERT_PROP_ID","features":[392]},{"name":"CERT_SCEP_ENCRYPT_HASH_CNG_ALG_PROP_ID","features":[392]},{"name":"CERT_SCEP_FLAGS_PROP_ID","features":[392]},{"name":"CERT_SCEP_GUID_PROP_ID","features":[392]},{"name":"CERT_SCEP_NONCE_PROP_ID","features":[392]},{"name":"CERT_SCEP_RA_ENCRYPTION_CERT_PROP_ID","features":[392]},{"name":"CERT_SCEP_RA_SIGNATURE_CERT_PROP_ID","features":[392]},{"name":"CERT_SCEP_SERVER_CERTS_PROP_ID","features":[392]},{"name":"CERT_SCEP_SIGNER_CERT_PROP_ID","features":[392]},{"name":"CERT_SELECT_ALLOW_DUPLICATES","features":[392]},{"name":"CERT_SELECT_ALLOW_EXPIRED","features":[392]},{"name":"CERT_SELECT_BY_ENHKEY_USAGE","features":[392]},{"name":"CERT_SELECT_BY_EXTENSION","features":[392]},{"name":"CERT_SELECT_BY_FRIENDLYNAME","features":[392]},{"name":"CERT_SELECT_BY_ISSUER_ATTR","features":[392]},{"name":"CERT_SELECT_BY_ISSUER_DISPLAYNAME","features":[392]},{"name":"CERT_SELECT_BY_ISSUER_NAME","features":[392]},{"name":"CERT_SELECT_BY_KEY_USAGE","features":[392]},{"name":"CERT_SELECT_BY_POLICY_OID","features":[392]},{"name":"CERT_SELECT_BY_PROV_NAME","features":[392]},{"name":"CERT_SELECT_BY_PUBLIC_KEY","features":[392]},{"name":"CERT_SELECT_BY_SUBJECT_ATTR","features":[392]},{"name":"CERT_SELECT_BY_SUBJECT_HOST_NAME","features":[392]},{"name":"CERT_SELECT_BY_THUMBPRINT","features":[392]},{"name":"CERT_SELECT_BY_TLS_SIGNATURES","features":[392]},{"name":"CERT_SELECT_CHAIN_PARA","features":[308,392]},{"name":"CERT_SELECT_CRITERIA","features":[392]},{"name":"CERT_SELECT_CRITERIA_TYPE","features":[392]},{"name":"CERT_SELECT_DISALLOW_SELFSIGNED","features":[392]},{"name":"CERT_SELECT_HARDWARE_ONLY","features":[392]},{"name":"CERT_SELECT_HAS_KEY_FOR_KEY_EXCHANGE","features":[392]},{"name":"CERT_SELECT_HAS_KEY_FOR_SIGNATURE","features":[392]},{"name":"CERT_SELECT_HAS_PRIVATE_KEY","features":[392]},{"name":"CERT_SELECT_IGNORE_AUTOSELECT","features":[392]},{"name":"CERT_SELECT_MAX_PARA","features":[392]},{"name":"CERT_SELECT_TRUSTED_ROOT","features":[392]},{"name":"CERT_SEND_AS_TRUSTED_ISSUER_PROP_ID","features":[392]},{"name":"CERT_SERIALIZABLE_KEY_CONTEXT_PROP_ID","features":[392]},{"name":"CERT_SERIAL_CHAIN_PROP_ID","features":[392]},{"name":"CERT_SERVER_OCSP_RESPONSE_ASYNC_FLAG","features":[392]},{"name":"CERT_SERVER_OCSP_RESPONSE_CONTEXT","features":[392]},{"name":"CERT_SERVER_OCSP_RESPONSE_OPEN_PARA","features":[308,392]},{"name":"CERT_SERVER_OCSP_RESPONSE_OPEN_PARA_READ_FLAG","features":[392]},{"name":"CERT_SERVER_OCSP_RESPONSE_OPEN_PARA_WRITE_FLAG","features":[392]},{"name":"CERT_SET_KEY_CONTEXT_PROP_ID","features":[392]},{"name":"CERT_SET_KEY_PROV_HANDLE_PROP_ID","features":[392]},{"name":"CERT_SET_PROPERTY_IGNORE_PERSIST_ERROR_FLAG","features":[392]},{"name":"CERT_SET_PROPERTY_INHIBIT_PERSIST_FLAG","features":[392]},{"name":"CERT_SHA1_HASH_PROP_ID","features":[392]},{"name":"CERT_SHA256_HASH_PROP_ID","features":[392]},{"name":"CERT_SIGNATURE_HASH_PROP_ID","features":[392]},{"name":"CERT_SIGNED_CONTENT_INFO","features":[392]},{"name":"CERT_SIGN_HASH_CNG_ALG_PROP_ID","features":[392]},{"name":"CERT_SIMPLE_CHAIN","features":[308,392]},{"name":"CERT_SIMPLE_NAME_STR","features":[392]},{"name":"CERT_SMART_CARD_DATA_PROP_ID","features":[392]},{"name":"CERT_SMART_CARD_READER_NON_REMOVABLE_PROP_ID","features":[392]},{"name":"CERT_SMART_CARD_READER_PROP_ID","features":[392]},{"name":"CERT_SMART_CARD_ROOT_INFO_PROP_ID","features":[392]},{"name":"CERT_SOURCE_LOCATION_PROP_ID","features":[392]},{"name":"CERT_SOURCE_URL_PROP_ID","features":[392]},{"name":"CERT_SRV_OCSP_RESP_MAX_BEFORE_NEXT_UPDATE_SECONDS_VALUE_NAME","features":[392]},{"name":"CERT_SRV_OCSP_RESP_MAX_SYNC_CERT_FILE_SECONDS_VALUE_NAME","features":[392]},{"name":"CERT_SRV_OCSP_RESP_MIN_AFTER_NEXT_UPDATE_SECONDS_VALUE_NAME","features":[392]},{"name":"CERT_SRV_OCSP_RESP_MIN_BEFORE_NEXT_UPDATE_SECONDS_VALUE_NAME","features":[392]},{"name":"CERT_SRV_OCSP_RESP_MIN_SYNC_CERT_FILE_SECONDS_DEFAULT","features":[392]},{"name":"CERT_SRV_OCSP_RESP_MIN_SYNC_CERT_FILE_SECONDS_VALUE_NAME","features":[392]},{"name":"CERT_SRV_OCSP_RESP_MIN_VALIDITY_SECONDS_VALUE_NAME","features":[392]},{"name":"CERT_SRV_OCSP_RESP_URL_RETRIEVAL_TIMEOUT_MILLISECONDS_VALUE_NAME","features":[392]},{"name":"CERT_STORE_ADD_ALWAYS","features":[392]},{"name":"CERT_STORE_ADD_NEW","features":[392]},{"name":"CERT_STORE_ADD_NEWER","features":[392]},{"name":"CERT_STORE_ADD_NEWER_INHERIT_PROPERTIES","features":[392]},{"name":"CERT_STORE_ADD_REPLACE_EXISTING","features":[392]},{"name":"CERT_STORE_ADD_REPLACE_EXISTING_INHERIT_PROPERTIES","features":[392]},{"name":"CERT_STORE_ADD_USE_EXISTING","features":[392]},{"name":"CERT_STORE_BACKUP_RESTORE_FLAG","features":[392]},{"name":"CERT_STORE_BASE_CRL_FLAG","features":[392]},{"name":"CERT_STORE_CERTIFICATE_CONTEXT","features":[392]},{"name":"CERT_STORE_CREATE_NEW_FLAG","features":[392]},{"name":"CERT_STORE_CRL_CONTEXT","features":[392]},{"name":"CERT_STORE_CTL_CONTEXT","features":[392]},{"name":"CERT_STORE_CTRL_AUTO_RESYNC","features":[392]},{"name":"CERT_STORE_CTRL_CANCEL_NOTIFY","features":[392]},{"name":"CERT_STORE_CTRL_COMMIT","features":[392]},{"name":"CERT_STORE_CTRL_COMMIT_CLEAR_FLAG","features":[392]},{"name":"CERT_STORE_CTRL_COMMIT_FORCE_FLAG","features":[392]},{"name":"CERT_STORE_CTRL_INHIBIT_DUPLICATE_HANDLE_FLAG","features":[392]},{"name":"CERT_STORE_CTRL_NOTIFY_CHANGE","features":[392]},{"name":"CERT_STORE_CTRL_RESYNC","features":[392]},{"name":"CERT_STORE_DEFER_CLOSE_UNTIL_LAST_FREE_FLAG","features":[392]},{"name":"CERT_STORE_DELETE_FLAG","features":[392]},{"name":"CERT_STORE_DELTA_CRL_FLAG","features":[392]},{"name":"CERT_STORE_ENUM_ARCHIVED_FLAG","features":[392]},{"name":"CERT_STORE_LOCALIZED_NAME_PROP_ID","features":[392]},{"name":"CERT_STORE_MANIFOLD_FLAG","features":[392]},{"name":"CERT_STORE_MAXIMUM_ALLOWED_FLAG","features":[392]},{"name":"CERT_STORE_NO_CRL_FLAG","features":[392]},{"name":"CERT_STORE_NO_CRYPT_RELEASE_FLAG","features":[392]},{"name":"CERT_STORE_NO_ISSUER_FLAG","features":[392]},{"name":"CERT_STORE_OPEN_EXISTING_FLAG","features":[392]},{"name":"CERT_STORE_PROV_CLOSE_FUNC","features":[392]},{"name":"CERT_STORE_PROV_COLLECTION","features":[392]},{"name":"CERT_STORE_PROV_CONTROL_FUNC","features":[392]},{"name":"CERT_STORE_PROV_DELETED_FLAG","features":[392]},{"name":"CERT_STORE_PROV_DELETE_CERT_FUNC","features":[392]},{"name":"CERT_STORE_PROV_DELETE_CRL_FUNC","features":[392]},{"name":"CERT_STORE_PROV_DELETE_CTL_FUNC","features":[392]},{"name":"CERT_STORE_PROV_EXTERNAL_FLAG","features":[392]},{"name":"CERT_STORE_PROV_FILE","features":[392]},{"name":"CERT_STORE_PROV_FILENAME","features":[392]},{"name":"CERT_STORE_PROV_FILENAME_A","features":[392]},{"name":"CERT_STORE_PROV_FILENAME_W","features":[392]},{"name":"CERT_STORE_PROV_FIND_CERT_FUNC","features":[392]},{"name":"CERT_STORE_PROV_FIND_CRL_FUNC","features":[392]},{"name":"CERT_STORE_PROV_FIND_CTL_FUNC","features":[392]},{"name":"CERT_STORE_PROV_FIND_INFO","features":[392]},{"name":"CERT_STORE_PROV_FLAGS","features":[392]},{"name":"CERT_STORE_PROV_FREE_FIND_CERT_FUNC","features":[392]},{"name":"CERT_STORE_PROV_FREE_FIND_CRL_FUNC","features":[392]},{"name":"CERT_STORE_PROV_FREE_FIND_CTL_FUNC","features":[392]},{"name":"CERT_STORE_PROV_GET_CERT_PROPERTY_FUNC","features":[392]},{"name":"CERT_STORE_PROV_GET_CRL_PROPERTY_FUNC","features":[392]},{"name":"CERT_STORE_PROV_GET_CTL_PROPERTY_FUNC","features":[392]},{"name":"CERT_STORE_PROV_GP_SYSTEM_STORE_FLAG","features":[392]},{"name":"CERT_STORE_PROV_INFO","features":[392]},{"name":"CERT_STORE_PROV_LDAP","features":[392]},{"name":"CERT_STORE_PROV_LDAP_W","features":[392]},{"name":"CERT_STORE_PROV_LM_SYSTEM_STORE_FLAG","features":[392]},{"name":"CERT_STORE_PROV_MEMORY","features":[392]},{"name":"CERT_STORE_PROV_MSG","features":[392]},{"name":"CERT_STORE_PROV_NO_PERSIST_FLAG","features":[392]},{"name":"CERT_STORE_PROV_PHYSICAL","features":[392]},{"name":"CERT_STORE_PROV_PHYSICAL_W","features":[392]},{"name":"CERT_STORE_PROV_PKCS12","features":[392]},{"name":"CERT_STORE_PROV_PKCS7","features":[392]},{"name":"CERT_STORE_PROV_READ_CERT_FUNC","features":[392]},{"name":"CERT_STORE_PROV_READ_CRL_FUNC","features":[392]},{"name":"CERT_STORE_PROV_READ_CTL_FUNC","features":[392]},{"name":"CERT_STORE_PROV_REG","features":[392]},{"name":"CERT_STORE_PROV_SERIALIZED","features":[392]},{"name":"CERT_STORE_PROV_SET_CERT_PROPERTY_FUNC","features":[392]},{"name":"CERT_STORE_PROV_SET_CRL_PROPERTY_FUNC","features":[392]},{"name":"CERT_STORE_PROV_SET_CTL_PROPERTY_FUNC","features":[392]},{"name":"CERT_STORE_PROV_SHARED_USER_FLAG","features":[392]},{"name":"CERT_STORE_PROV_SMART_CARD","features":[392]},{"name":"CERT_STORE_PROV_SMART_CARD_W","features":[392]},{"name":"CERT_STORE_PROV_SYSTEM","features":[392]},{"name":"CERT_STORE_PROV_SYSTEM_A","features":[392]},{"name":"CERT_STORE_PROV_SYSTEM_REGISTRY","features":[392]},{"name":"CERT_STORE_PROV_SYSTEM_REGISTRY_A","features":[392]},{"name":"CERT_STORE_PROV_SYSTEM_REGISTRY_W","features":[392]},{"name":"CERT_STORE_PROV_SYSTEM_STORE_FLAG","features":[392]},{"name":"CERT_STORE_PROV_SYSTEM_W","features":[392]},{"name":"CERT_STORE_PROV_WRITE_ADD_FLAG","features":[392]},{"name":"CERT_STORE_PROV_WRITE_CERT_FUNC","features":[392]},{"name":"CERT_STORE_PROV_WRITE_CRL_FUNC","features":[392]},{"name":"CERT_STORE_PROV_WRITE_CTL_FUNC","features":[392]},{"name":"CERT_STORE_READONLY_FLAG","features":[392]},{"name":"CERT_STORE_REVOCATION_FLAG","features":[392]},{"name":"CERT_STORE_SAVE_AS","features":[392]},{"name":"CERT_STORE_SAVE_AS_PKCS12","features":[392]},{"name":"CERT_STORE_SAVE_AS_PKCS7","features":[392]},{"name":"CERT_STORE_SAVE_AS_STORE","features":[392]},{"name":"CERT_STORE_SAVE_TO","features":[392]},{"name":"CERT_STORE_SAVE_TO_FILE","features":[392]},{"name":"CERT_STORE_SAVE_TO_FILENAME","features":[392]},{"name":"CERT_STORE_SAVE_TO_FILENAME_A","features":[392]},{"name":"CERT_STORE_SAVE_TO_FILENAME_W","features":[392]},{"name":"CERT_STORE_SAVE_TO_MEMORY","features":[392]},{"name":"CERT_STORE_SET_LOCALIZED_NAME_FLAG","features":[392]},{"name":"CERT_STORE_SHARE_CONTEXT_FLAG","features":[392]},{"name":"CERT_STORE_SHARE_STORE_FLAG","features":[392]},{"name":"CERT_STORE_SIGNATURE_FLAG","features":[392]},{"name":"CERT_STORE_TIME_VALIDITY_FLAG","features":[392]},{"name":"CERT_STORE_UNSAFE_PHYSICAL_FLAG","features":[392]},{"name":"CERT_STORE_UPDATE_KEYID_FLAG","features":[392]},{"name":"CERT_STRING_TYPE","features":[392]},{"name":"CERT_STRONG_SIGN_ECDSA_ALGORITHM","features":[392]},{"name":"CERT_STRONG_SIGN_ENABLE_CRL_CHECK","features":[392]},{"name":"CERT_STRONG_SIGN_ENABLE_OCSP_CHECK","features":[392]},{"name":"CERT_STRONG_SIGN_FLAGS","features":[392]},{"name":"CERT_STRONG_SIGN_OID_INFO_CHOICE","features":[392]},{"name":"CERT_STRONG_SIGN_PARA","features":[392]},{"name":"CERT_STRONG_SIGN_SERIALIZED_INFO","features":[392]},{"name":"CERT_STRONG_SIGN_SERIALIZED_INFO_CHOICE","features":[392]},{"name":"CERT_SUBJECT_DISABLE_CRL_PROP_ID","features":[392]},{"name":"CERT_SUBJECT_INFO_ACCESS_PROP_ID","features":[392]},{"name":"CERT_SUBJECT_NAME_MD5_HASH_PROP_ID","features":[392]},{"name":"CERT_SUBJECT_OCSP_AUTHORITY_INFO_ACCESS_PROP_ID","features":[392]},{"name":"CERT_SUBJECT_PUBLIC_KEY_MD5_HASH_PROP_ID","features":[392]},{"name":"CERT_SUBJECT_PUB_KEY_BIT_LENGTH_PROP_ID","features":[392]},{"name":"CERT_SUPPORTED_ALGORITHM_INFO","features":[392]},{"name":"CERT_SYSTEM_STORE_CURRENT_SERVICE_ID","features":[392]},{"name":"CERT_SYSTEM_STORE_CURRENT_USER_GROUP_POLICY_ID","features":[392]},{"name":"CERT_SYSTEM_STORE_CURRENT_USER_ID","features":[392]},{"name":"CERT_SYSTEM_STORE_DEFER_READ_FLAG","features":[392]},{"name":"CERT_SYSTEM_STORE_FLAGS","features":[392]},{"name":"CERT_SYSTEM_STORE_INFO","features":[392]},{"name":"CERT_SYSTEM_STORE_LOCAL_MACHINE_ENTERPRISE_ID","features":[392]},{"name":"CERT_SYSTEM_STORE_LOCAL_MACHINE_GROUP_POLICY_ID","features":[392]},{"name":"CERT_SYSTEM_STORE_LOCAL_MACHINE_ID","features":[392]},{"name":"CERT_SYSTEM_STORE_LOCAL_MACHINE_WCOS_ID","features":[392]},{"name":"CERT_SYSTEM_STORE_LOCATION_MASK","features":[392]},{"name":"CERT_SYSTEM_STORE_LOCATION_SHIFT","features":[392]},{"name":"CERT_SYSTEM_STORE_MASK","features":[392]},{"name":"CERT_SYSTEM_STORE_RELOCATE_FLAG","features":[392]},{"name":"CERT_SYSTEM_STORE_RELOCATE_PARA","features":[392,369]},{"name":"CERT_SYSTEM_STORE_SERVICES_ID","features":[392]},{"name":"CERT_SYSTEM_STORE_UNPROTECTED_FLAG","features":[392]},{"name":"CERT_SYSTEM_STORE_USERS_ID","features":[392]},{"name":"CERT_TEMPLATE_EXT","features":[308,392]},{"name":"CERT_TIMESTAMP_HASH_USE_TYPE","features":[392]},{"name":"CERT_TPM_SPECIFICATION_INFO","features":[392]},{"name":"CERT_TRUST_AUTO_UPDATE_CA_REVOCATION","features":[392]},{"name":"CERT_TRUST_AUTO_UPDATE_END_REVOCATION","features":[392]},{"name":"CERT_TRUST_BEFORE_DISALLOWED_CA_FILETIME","features":[392]},{"name":"CERT_TRUST_CTL_IS_NOT_SIGNATURE_VALID","features":[392]},{"name":"CERT_TRUST_CTL_IS_NOT_TIME_VALID","features":[392]},{"name":"CERT_TRUST_CTL_IS_NOT_VALID_FOR_USAGE","features":[392]},{"name":"CERT_TRUST_HAS_ALLOW_WEAK_SIGNATURE","features":[392]},{"name":"CERT_TRUST_HAS_AUTO_UPDATE_WEAK_SIGNATURE","features":[392]},{"name":"CERT_TRUST_HAS_CRL_VALIDITY_EXTENDED","features":[392]},{"name":"CERT_TRUST_HAS_EXACT_MATCH_ISSUER","features":[392]},{"name":"CERT_TRUST_HAS_EXCLUDED_NAME_CONSTRAINT","features":[392]},{"name":"CERT_TRUST_HAS_ISSUANCE_CHAIN_POLICY","features":[392]},{"name":"CERT_TRUST_HAS_KEY_MATCH_ISSUER","features":[392]},{"name":"CERT_TRUST_HAS_NAME_MATCH_ISSUER","features":[392]},{"name":"CERT_TRUST_HAS_NOT_DEFINED_NAME_CONSTRAINT","features":[392]},{"name":"CERT_TRUST_HAS_NOT_PERMITTED_NAME_CONSTRAINT","features":[392]},{"name":"CERT_TRUST_HAS_NOT_SUPPORTED_CRITICAL_EXT","features":[392]},{"name":"CERT_TRUST_HAS_NOT_SUPPORTED_NAME_CONSTRAINT","features":[392]},{"name":"CERT_TRUST_HAS_PREFERRED_ISSUER","features":[392]},{"name":"CERT_TRUST_HAS_VALID_NAME_CONSTRAINTS","features":[392]},{"name":"CERT_TRUST_HAS_WEAK_HYGIENE","features":[392]},{"name":"CERT_TRUST_HAS_WEAK_SIGNATURE","features":[392]},{"name":"CERT_TRUST_INVALID_BASIC_CONSTRAINTS","features":[392]},{"name":"CERT_TRUST_INVALID_EXTENSION","features":[392]},{"name":"CERT_TRUST_INVALID_NAME_CONSTRAINTS","features":[392]},{"name":"CERT_TRUST_INVALID_POLICY_CONSTRAINTS","features":[392]},{"name":"CERT_TRUST_IS_CA_TRUSTED","features":[392]},{"name":"CERT_TRUST_IS_COMPLEX_CHAIN","features":[392]},{"name":"CERT_TRUST_IS_CYCLIC","features":[392]},{"name":"CERT_TRUST_IS_EXPLICIT_DISTRUST","features":[392]},{"name":"CERT_TRUST_IS_FROM_EXCLUSIVE_TRUST_STORE","features":[392]},{"name":"CERT_TRUST_IS_KEY_ROLLOVER","features":[392]},{"name":"CERT_TRUST_IS_NOT_SIGNATURE_VALID","features":[392]},{"name":"CERT_TRUST_IS_NOT_TIME_NESTED","features":[392]},{"name":"CERT_TRUST_IS_NOT_TIME_VALID","features":[392]},{"name":"CERT_TRUST_IS_NOT_VALID_FOR_USAGE","features":[392]},{"name":"CERT_TRUST_IS_OFFLINE_REVOCATION","features":[392]},{"name":"CERT_TRUST_IS_PARTIAL_CHAIN","features":[392]},{"name":"CERT_TRUST_IS_PEER_TRUSTED","features":[392]},{"name":"CERT_TRUST_IS_REVOKED","features":[392]},{"name":"CERT_TRUST_IS_SELF_SIGNED","features":[392]},{"name":"CERT_TRUST_IS_UNTRUSTED_ROOT","features":[392]},{"name":"CERT_TRUST_LIST_INFO","features":[308,392]},{"name":"CERT_TRUST_NO_ERROR","features":[392]},{"name":"CERT_TRUST_NO_ISSUANCE_CHAIN_POLICY","features":[392]},{"name":"CERT_TRUST_NO_OCSP_FAILOVER_TO_CRL","features":[392]},{"name":"CERT_TRUST_NO_TIME_CHECK","features":[392]},{"name":"CERT_TRUST_PUB_ALLOW_END_USER_TRUST","features":[392]},{"name":"CERT_TRUST_PUB_ALLOW_ENTERPRISE_ADMIN_TRUST","features":[392]},{"name":"CERT_TRUST_PUB_ALLOW_MACHINE_ADMIN_TRUST","features":[392]},{"name":"CERT_TRUST_PUB_ALLOW_TRUST_MASK","features":[392]},{"name":"CERT_TRUST_PUB_AUTHENTICODE_FLAGS_VALUE_NAME","features":[392]},{"name":"CERT_TRUST_PUB_CHECK_PUBLISHER_REV_FLAG","features":[392]},{"name":"CERT_TRUST_PUB_CHECK_TIMESTAMP_REV_FLAG","features":[392]},{"name":"CERT_TRUST_REVOCATION_STATUS_UNKNOWN","features":[392]},{"name":"CERT_TRUST_SSL_HANDSHAKE_OCSP","features":[392]},{"name":"CERT_TRUST_SSL_RECONNECT_OCSP","features":[392]},{"name":"CERT_TRUST_SSL_TIME_VALID","features":[392]},{"name":"CERT_TRUST_SSL_TIME_VALID_OCSP","features":[392]},{"name":"CERT_TRUST_STATUS","features":[392]},{"name":"CERT_UNICODE_ATTR_ERR_INDEX_MASK","features":[392]},{"name":"CERT_UNICODE_ATTR_ERR_INDEX_SHIFT","features":[392]},{"name":"CERT_UNICODE_IS_RDN_ATTRS_FLAG","features":[392]},{"name":"CERT_UNICODE_RDN_ERR_INDEX_MASK","features":[392]},{"name":"CERT_UNICODE_RDN_ERR_INDEX_SHIFT","features":[392]},{"name":"CERT_UNICODE_VALUE_ERR_INDEX_MASK","features":[392]},{"name":"CERT_UNICODE_VALUE_ERR_INDEX_SHIFT","features":[392]},{"name":"CERT_USAGE_MATCH","features":[392]},{"name":"CERT_V1","features":[392]},{"name":"CERT_V2","features":[392]},{"name":"CERT_V3","features":[392]},{"name":"CERT_VERIFY_ALLOW_MORE_USAGE_FLAG","features":[392]},{"name":"CERT_VERIFY_CACHE_ONLY_BASED_REVOCATION","features":[392]},{"name":"CERT_VERIFY_INHIBIT_CTL_UPDATE_FLAG","features":[392]},{"name":"CERT_VERIFY_NO_TIME_CHECK_FLAG","features":[392]},{"name":"CERT_VERIFY_REV_ACCUMULATIVE_TIMEOUT_FLAG","features":[392]},{"name":"CERT_VERIFY_REV_CHAIN_FLAG","features":[392]},{"name":"CERT_VERIFY_REV_NO_OCSP_FAILOVER_TO_CRL_FLAG","features":[392]},{"name":"CERT_VERIFY_REV_SERVER_OCSP_FLAG","features":[392]},{"name":"CERT_VERIFY_REV_SERVER_OCSP_WIRE_ONLY_FLAG","features":[392]},{"name":"CERT_VERIFY_TRUSTED_SIGNERS_FLAG","features":[392]},{"name":"CERT_VERIFY_UPDATED_CTL_FLAG","features":[392]},{"name":"CERT_X500_NAME_STR","features":[392]},{"name":"CERT_X942_DH_PARAMETERS","features":[392]},{"name":"CERT_X942_DH_VALIDATION_PARAMS","features":[392]},{"name":"CERT_XML_NAME_STR","features":[392]},{"name":"CESSetupProperty","features":[392]},{"name":"CLAIMLIST","features":[392]},{"name":"CMC_ADD_ATTRIBUTES","features":[392]},{"name":"CMC_ADD_ATTRIBUTES_INFO","features":[392]},{"name":"CMC_ADD_EXTENSIONS","features":[392]},{"name":"CMC_ADD_EXTENSIONS_INFO","features":[308,392]},{"name":"CMC_DATA","features":[392]},{"name":"CMC_DATA_INFO","features":[392]},{"name":"CMC_FAIL_BAD_ALG","features":[392]},{"name":"CMC_FAIL_BAD_CERT_ID","features":[392]},{"name":"CMC_FAIL_BAD_IDENTITY","features":[392]},{"name":"CMC_FAIL_BAD_MESSAGE_CHECK","features":[392]},{"name":"CMC_FAIL_BAD_REQUEST","features":[392]},{"name":"CMC_FAIL_BAD_TIME","features":[392]},{"name":"CMC_FAIL_INTERNAL_CA_ERROR","features":[392]},{"name":"CMC_FAIL_MUST_ARCHIVE_KEYS","features":[392]},{"name":"CMC_FAIL_NO_KEY_REUSE","features":[392]},{"name":"CMC_FAIL_POP_FAILED","features":[392]},{"name":"CMC_FAIL_POP_REQUIRED","features":[392]},{"name":"CMC_FAIL_TRY_LATER","features":[392]},{"name":"CMC_FAIL_UNSUPORTED_EXT","features":[392]},{"name":"CMC_OTHER_INFO_FAIL_CHOICE","features":[392]},{"name":"CMC_OTHER_INFO_NO_CHOICE","features":[392]},{"name":"CMC_OTHER_INFO_PEND_CHOICE","features":[392]},{"name":"CMC_PEND_INFO","features":[308,392]},{"name":"CMC_RESPONSE","features":[392]},{"name":"CMC_RESPONSE_INFO","features":[392]},{"name":"CMC_STATUS","features":[392]},{"name":"CMC_STATUS_CONFIRM_REQUIRED","features":[392]},{"name":"CMC_STATUS_FAILED","features":[392]},{"name":"CMC_STATUS_INFO","features":[308,392]},{"name":"CMC_STATUS_NO_SUPPORT","features":[392]},{"name":"CMC_STATUS_PENDING","features":[392]},{"name":"CMC_STATUS_SUCCESS","features":[392]},{"name":"CMC_TAGGED_ATTRIBUTE","features":[392]},{"name":"CMC_TAGGED_CERT_REQUEST","features":[392]},{"name":"CMC_TAGGED_CERT_REQUEST_CHOICE","features":[392]},{"name":"CMC_TAGGED_CONTENT_INFO","features":[392]},{"name":"CMC_TAGGED_OTHER_MSG","features":[392]},{"name":"CMC_TAGGED_REQUEST","features":[392]},{"name":"CMSCEPSetup","features":[392]},{"name":"CMSG_ATTR_CERT_COUNT_PARAM","features":[392]},{"name":"CMSG_ATTR_CERT_PARAM","features":[392]},{"name":"CMSG_AUTHENTICATED_ATTRIBUTES_FLAG","features":[392]},{"name":"CMSG_BARE_CONTENT_FLAG","features":[392]},{"name":"CMSG_BARE_CONTENT_PARAM","features":[392]},{"name":"CMSG_CERT_COUNT_PARAM","features":[392]},{"name":"CMSG_CERT_PARAM","features":[392]},{"name":"CMSG_CMS_ENCAPSULATED_CONTENT_FLAG","features":[392]},{"name":"CMSG_CMS_ENCAPSULATED_CTL_FLAG","features":[392]},{"name":"CMSG_CMS_RECIPIENT_COUNT_PARAM","features":[392]},{"name":"CMSG_CMS_RECIPIENT_ENCRYPTED_KEY_INDEX_PARAM","features":[392]},{"name":"CMSG_CMS_RECIPIENT_INDEX_PARAM","features":[392]},{"name":"CMSG_CMS_RECIPIENT_INFO","features":[308,392]},{"name":"CMSG_CMS_RECIPIENT_INFO_PARAM","features":[392]},{"name":"CMSG_CMS_SIGNER_INFO","features":[392]},{"name":"CMSG_CMS_SIGNER_INFO_PARAM","features":[392]},{"name":"CMSG_CNG_CONTENT_DECRYPT_INFO","features":[392]},{"name":"CMSG_COMPUTED_HASH_PARAM","features":[392]},{"name":"CMSG_CONTENTS_OCTETS_FLAG","features":[392]},{"name":"CMSG_CONTENT_ENCRYPT_FREE_OBJID_FLAG","features":[392]},{"name":"CMSG_CONTENT_ENCRYPT_FREE_PARA_FLAG","features":[392]},{"name":"CMSG_CONTENT_ENCRYPT_INFO","features":[308,392]},{"name":"CMSG_CONTENT_ENCRYPT_PAD_ENCODED_LEN_FLAG","features":[392]},{"name":"CMSG_CONTENT_ENCRYPT_RELEASE_CONTEXT_FLAG","features":[392]},{"name":"CMSG_CONTENT_PARAM","features":[392]},{"name":"CMSG_CRL_COUNT_PARAM","features":[392]},{"name":"CMSG_CRL_PARAM","features":[392]},{"name":"CMSG_CRYPT_RELEASE_CONTEXT_FLAG","features":[392]},{"name":"CMSG_CTRL_ADD_ATTR_CERT","features":[392]},{"name":"CMSG_CTRL_ADD_CERT","features":[392]},{"name":"CMSG_CTRL_ADD_CMS_SIGNER_INFO","features":[392]},{"name":"CMSG_CTRL_ADD_CRL","features":[392]},{"name":"CMSG_CTRL_ADD_SIGNER","features":[392]},{"name":"CMSG_CTRL_ADD_SIGNER_UNAUTH_ATTR","features":[392]},{"name":"CMSG_CTRL_ADD_SIGNER_UNAUTH_ATTR_PARA","features":[392]},{"name":"CMSG_CTRL_DECRYPT","features":[392]},{"name":"CMSG_CTRL_DECRYPT_PARA","features":[392]},{"name":"CMSG_CTRL_DEL_ATTR_CERT","features":[392]},{"name":"CMSG_CTRL_DEL_CERT","features":[392]},{"name":"CMSG_CTRL_DEL_CRL","features":[392]},{"name":"CMSG_CTRL_DEL_SIGNER","features":[392]},{"name":"CMSG_CTRL_DEL_SIGNER_UNAUTH_ATTR","features":[392]},{"name":"CMSG_CTRL_DEL_SIGNER_UNAUTH_ATTR_PARA","features":[392]},{"name":"CMSG_CTRL_ENABLE_STRONG_SIGNATURE","features":[392]},{"name":"CMSG_CTRL_KEY_AGREE_DECRYPT","features":[392]},{"name":"CMSG_CTRL_KEY_AGREE_DECRYPT_PARA","features":[308,392]},{"name":"CMSG_CTRL_KEY_TRANS_DECRYPT","features":[392]},{"name":"CMSG_CTRL_KEY_TRANS_DECRYPT_PARA","features":[392]},{"name":"CMSG_CTRL_MAIL_LIST_DECRYPT","features":[392]},{"name":"CMSG_CTRL_MAIL_LIST_DECRYPT_PARA","features":[308,392]},{"name":"CMSG_CTRL_VERIFY_HASH","features":[392]},{"name":"CMSG_CTRL_VERIFY_SIGNATURE","features":[392]},{"name":"CMSG_CTRL_VERIFY_SIGNATURE_EX","features":[392]},{"name":"CMSG_CTRL_VERIFY_SIGNATURE_EX_PARA","features":[392]},{"name":"CMSG_DATA","features":[392]},{"name":"CMSG_DEFAULT_INSTALLABLE_FUNC_OID","features":[392]},{"name":"CMSG_DETACHED_FLAG","features":[392]},{"name":"CMSG_ENCODED_MESSAGE","features":[392]},{"name":"CMSG_ENCODED_SIGNER","features":[392]},{"name":"CMSG_ENCODE_HASHED_SUBJECT_IDENTIFIER_FLAG","features":[392]},{"name":"CMSG_ENCODE_SORTED_CTL_FLAG","features":[392]},{"name":"CMSG_ENCODING_TYPE_MASK","features":[392]},{"name":"CMSG_ENCRYPTED","features":[392]},{"name":"CMSG_ENCRYPTED_DIGEST","features":[392]},{"name":"CMSG_ENCRYPTED_ENCODE_INFO","features":[392]},{"name":"CMSG_ENCRYPT_PARAM","features":[392]},{"name":"CMSG_ENVELOPED","features":[392]},{"name":"CMSG_ENVELOPED_DATA_CMS_VERSION","features":[392]},{"name":"CMSG_ENVELOPED_DATA_PKCS_1_5_VERSION","features":[392]},{"name":"CMSG_ENVELOPED_DATA_V0","features":[392]},{"name":"CMSG_ENVELOPED_DATA_V2","features":[392]},{"name":"CMSG_ENVELOPED_ENCODE_INFO","features":[308,392]},{"name":"CMSG_ENVELOPED_RECIPIENT_V0","features":[392]},{"name":"CMSG_ENVELOPED_RECIPIENT_V2","features":[392]},{"name":"CMSG_ENVELOPED_RECIPIENT_V3","features":[392]},{"name":"CMSG_ENVELOPED_RECIPIENT_V4","features":[392]},{"name":"CMSG_ENVELOPE_ALGORITHM_PARAM","features":[392]},{"name":"CMSG_HASHED","features":[392]},{"name":"CMSG_HASHED_DATA_CMS_VERSION","features":[392]},{"name":"CMSG_HASHED_DATA_PKCS_1_5_VERSION","features":[392]},{"name":"CMSG_HASHED_DATA_V0","features":[392]},{"name":"CMSG_HASHED_DATA_V2","features":[392]},{"name":"CMSG_HASHED_ENCODE_INFO","features":[392]},{"name":"CMSG_HASH_ALGORITHM_PARAM","features":[392]},{"name":"CMSG_HASH_DATA_PARAM","features":[392]},{"name":"CMSG_INDEFINITE_LENGTH","features":[392]},{"name":"CMSG_INNER_CONTENT_TYPE_PARAM","features":[392]},{"name":"CMSG_KEY_AGREE_ENCRYPT_FREE_MATERIAL_FLAG","features":[392]},{"name":"CMSG_KEY_AGREE_ENCRYPT_FREE_OBJID_FLAG","features":[392]},{"name":"CMSG_KEY_AGREE_ENCRYPT_FREE_PARA_FLAG","features":[392]},{"name":"CMSG_KEY_AGREE_ENCRYPT_FREE_PUBKEY_ALG_FLAG","features":[392]},{"name":"CMSG_KEY_AGREE_ENCRYPT_FREE_PUBKEY_BITS_FLAG","features":[392]},{"name":"CMSG_KEY_AGREE_ENCRYPT_FREE_PUBKEY_PARA_FLAG","features":[392]},{"name":"CMSG_KEY_AGREE_ENCRYPT_INFO","features":[392]},{"name":"CMSG_KEY_AGREE_EPHEMERAL_KEY_CHOICE","features":[392]},{"name":"CMSG_KEY_AGREE_KEY_ENCRYPT_INFO","features":[392]},{"name":"CMSG_KEY_AGREE_OPTION","features":[392]},{"name":"CMSG_KEY_AGREE_ORIGINATOR","features":[392]},{"name":"CMSG_KEY_AGREE_ORIGINATOR_CERT","features":[392]},{"name":"CMSG_KEY_AGREE_ORIGINATOR_PUBLIC_KEY","features":[392]},{"name":"CMSG_KEY_AGREE_RECIPIENT","features":[392]},{"name":"CMSG_KEY_AGREE_RECIPIENT_ENCODE_INFO","features":[308,392]},{"name":"CMSG_KEY_AGREE_RECIPIENT_INFO","features":[308,392]},{"name":"CMSG_KEY_AGREE_STATIC_KEY_CHOICE","features":[392]},{"name":"CMSG_KEY_AGREE_VERSION","features":[392]},{"name":"CMSG_KEY_TRANS_CMS_VERSION","features":[392]},{"name":"CMSG_KEY_TRANS_ENCRYPT_FREE_OBJID_FLAG","features":[392]},{"name":"CMSG_KEY_TRANS_ENCRYPT_FREE_PARA_FLAG","features":[392]},{"name":"CMSG_KEY_TRANS_ENCRYPT_INFO","features":[392]},{"name":"CMSG_KEY_TRANS_PKCS_1_5_VERSION","features":[392]},{"name":"CMSG_KEY_TRANS_RECIPIENT","features":[392]},{"name":"CMSG_KEY_TRANS_RECIPIENT_ENCODE_INFO","features":[392]},{"name":"CMSG_KEY_TRANS_RECIPIENT_INFO","features":[392]},{"name":"CMSG_LENGTH_ONLY_FLAG","features":[392]},{"name":"CMSG_MAIL_LIST_ENCRYPT_FREE_OBJID_FLAG","features":[392]},{"name":"CMSG_MAIL_LIST_ENCRYPT_FREE_PARA_FLAG","features":[392]},{"name":"CMSG_MAIL_LIST_ENCRYPT_INFO","features":[392]},{"name":"CMSG_MAIL_LIST_HANDLE_KEY_CHOICE","features":[392]},{"name":"CMSG_MAIL_LIST_RECIPIENT","features":[392]},{"name":"CMSG_MAIL_LIST_RECIPIENT_ENCODE_INFO","features":[308,392]},{"name":"CMSG_MAIL_LIST_RECIPIENT_INFO","features":[308,392]},{"name":"CMSG_MAIL_LIST_VERSION","features":[392]},{"name":"CMSG_MAX_LENGTH_FLAG","features":[392]},{"name":"CMSG_OID_CAPI1_EXPORT_KEY_AGREE_FUNC","features":[392]},{"name":"CMSG_OID_CAPI1_EXPORT_KEY_TRANS_FUNC","features":[392]},{"name":"CMSG_OID_CAPI1_EXPORT_MAIL_LIST_FUNC","features":[392]},{"name":"CMSG_OID_CAPI1_GEN_CONTENT_ENCRYPT_KEY_FUNC","features":[392]},{"name":"CMSG_OID_CAPI1_IMPORT_KEY_AGREE_FUNC","features":[392]},{"name":"CMSG_OID_CAPI1_IMPORT_KEY_TRANS_FUNC","features":[392]},{"name":"CMSG_OID_CAPI1_IMPORT_MAIL_LIST_FUNC","features":[392]},{"name":"CMSG_OID_CNG_EXPORT_KEY_AGREE_FUNC","features":[392]},{"name":"CMSG_OID_CNG_EXPORT_KEY_TRANS_FUNC","features":[392]},{"name":"CMSG_OID_CNG_GEN_CONTENT_ENCRYPT_KEY_FUNC","features":[392]},{"name":"CMSG_OID_CNG_IMPORT_CONTENT_ENCRYPT_KEY_FUNC","features":[392]},{"name":"CMSG_OID_CNG_IMPORT_KEY_AGREE_FUNC","features":[392]},{"name":"CMSG_OID_CNG_IMPORT_KEY_TRANS_FUNC","features":[392]},{"name":"CMSG_OID_EXPORT_ENCRYPT_KEY_FUNC","features":[392]},{"name":"CMSG_OID_EXPORT_KEY_AGREE_FUNC","features":[392]},{"name":"CMSG_OID_EXPORT_KEY_TRANS_FUNC","features":[392]},{"name":"CMSG_OID_EXPORT_MAIL_LIST_FUNC","features":[392]},{"name":"CMSG_OID_GEN_CONTENT_ENCRYPT_KEY_FUNC","features":[392]},{"name":"CMSG_OID_GEN_ENCRYPT_KEY_FUNC","features":[392]},{"name":"CMSG_OID_IMPORT_ENCRYPT_KEY_FUNC","features":[392]},{"name":"CMSG_OID_IMPORT_KEY_AGREE_FUNC","features":[392]},{"name":"CMSG_OID_IMPORT_KEY_TRANS_FUNC","features":[392]},{"name":"CMSG_OID_IMPORT_MAIL_LIST_FUNC","features":[392]},{"name":"CMSG_RC2_AUX_INFO","features":[392]},{"name":"CMSG_RC4_AUX_INFO","features":[392]},{"name":"CMSG_RC4_NO_SALT_FLAG","features":[392]},{"name":"CMSG_RECIPIENT_COUNT_PARAM","features":[392]},{"name":"CMSG_RECIPIENT_ENCODE_INFO","features":[308,392]},{"name":"CMSG_RECIPIENT_ENCRYPTED_KEY_ENCODE_INFO","features":[308,392]},{"name":"CMSG_RECIPIENT_ENCRYPTED_KEY_INFO","features":[308,392]},{"name":"CMSG_RECIPIENT_INDEX_PARAM","features":[392]},{"name":"CMSG_RECIPIENT_INFO_PARAM","features":[392]},{"name":"CMSG_SIGNED","features":[392]},{"name":"CMSG_SIGNED_AND_ENVELOPED","features":[392]},{"name":"CMSG_SIGNED_AND_ENVELOPED_ENCODE_INFO","features":[308,392]},{"name":"CMSG_SIGNED_DATA_CMS_VERSION","features":[392]},{"name":"CMSG_SIGNED_DATA_NO_SIGN_FLAG","features":[392]},{"name":"CMSG_SIGNED_DATA_PKCS_1_5_VERSION","features":[392]},{"name":"CMSG_SIGNED_DATA_V1","features":[392]},{"name":"CMSG_SIGNED_DATA_V3","features":[392]},{"name":"CMSG_SIGNED_ENCODE_INFO","features":[308,392]},{"name":"CMSG_SIGNER_AUTH_ATTR_PARAM","features":[392]},{"name":"CMSG_SIGNER_CERT_ID_PARAM","features":[392]},{"name":"CMSG_SIGNER_CERT_INFO_PARAM","features":[392]},{"name":"CMSG_SIGNER_COUNT_PARAM","features":[392]},{"name":"CMSG_SIGNER_ENCODE_INFO","features":[308,392]},{"name":"CMSG_SIGNER_HASH_ALGORITHM_PARAM","features":[392]},{"name":"CMSG_SIGNER_INFO","features":[392]},{"name":"CMSG_SIGNER_INFO_CMS_VERSION","features":[392]},{"name":"CMSG_SIGNER_INFO_PARAM","features":[392]},{"name":"CMSG_SIGNER_INFO_PKCS_1_5_VERSION","features":[392]},{"name":"CMSG_SIGNER_INFO_V1","features":[392]},{"name":"CMSG_SIGNER_INFO_V3","features":[392]},{"name":"CMSG_SIGNER_ONLY_FLAG","features":[392]},{"name":"CMSG_SIGNER_UNAUTH_ATTR_PARAM","features":[392]},{"name":"CMSG_SP3_COMPATIBLE_AUX_INFO","features":[392]},{"name":"CMSG_SP3_COMPATIBLE_ENCRYPT_FLAG","features":[392]},{"name":"CMSG_STREAM_INFO","features":[308,392]},{"name":"CMSG_TRUSTED_SIGNER_FLAG","features":[392]},{"name":"CMSG_TYPE_PARAM","features":[392]},{"name":"CMSG_UNPROTECTED_ATTR_PARAM","features":[392]},{"name":"CMSG_USE_SIGNER_INDEX_FLAG","features":[392]},{"name":"CMSG_VERIFY_COUNTER_SIGN_ENABLE_STRONG_FLAG","features":[392]},{"name":"CMSG_VERIFY_SIGNER_CERT","features":[392]},{"name":"CMSG_VERIFY_SIGNER_CHAIN","features":[392]},{"name":"CMSG_VERIFY_SIGNER_NULL","features":[392]},{"name":"CMSG_VERIFY_SIGNER_PUBKEY","features":[392]},{"name":"CMSG_VERSION_PARAM","features":[392]},{"name":"CMS_DH_KEY_INFO","features":[392]},{"name":"CMS_KEY_INFO","features":[392]},{"name":"CMS_SIGNER_INFO","features":[392]},{"name":"CNG_RSA_PRIVATE_KEY_BLOB","features":[392]},{"name":"CNG_RSA_PUBLIC_KEY_BLOB","features":[392]},{"name":"CONTEXT_OID_CAPI2_ANY","features":[392]},{"name":"CONTEXT_OID_CERTIFICATE","features":[392]},{"name":"CONTEXT_OID_CREATE_OBJECT_CONTEXT_FUNC","features":[392]},{"name":"CONTEXT_OID_CRL","features":[392]},{"name":"CONTEXT_OID_CTL","features":[392]},{"name":"CONTEXT_OID_OCSP_RESP","features":[392]},{"name":"CONTEXT_OID_PKCS7","features":[392]},{"name":"CPS_URLS","features":[392]},{"name":"CREDENTIAL_OID_PASSWORD_CREDENTIALS","features":[392]},{"name":"CREDENTIAL_OID_PASSWORD_CREDENTIALS_A","features":[392]},{"name":"CREDENTIAL_OID_PASSWORD_CREDENTIALS_W","features":[392]},{"name":"CRL_CONTEXT","features":[308,392]},{"name":"CRL_DIST_POINT","features":[392]},{"name":"CRL_DIST_POINTS_INFO","features":[392]},{"name":"CRL_DIST_POINT_ERR_CRL_ISSUER_BIT","features":[392]},{"name":"CRL_DIST_POINT_ERR_INDEX_MASK","features":[392]},{"name":"CRL_DIST_POINT_ERR_INDEX_SHIFT","features":[392]},{"name":"CRL_DIST_POINT_FULL_NAME","features":[392]},{"name":"CRL_DIST_POINT_ISSUER_RDN_NAME","features":[392]},{"name":"CRL_DIST_POINT_NAME","features":[392]},{"name":"CRL_DIST_POINT_NO_NAME","features":[392]},{"name":"CRL_ENTRY","features":[308,392]},{"name":"CRL_FIND_ANY","features":[392]},{"name":"CRL_FIND_EXISTING","features":[392]},{"name":"CRL_FIND_ISSUED_BY","features":[392]},{"name":"CRL_FIND_ISSUED_BY_AKI_FLAG","features":[392]},{"name":"CRL_FIND_ISSUED_BY_BASE_FLAG","features":[392]},{"name":"CRL_FIND_ISSUED_BY_DELTA_FLAG","features":[392]},{"name":"CRL_FIND_ISSUED_BY_SIGNATURE_FLAG","features":[392]},{"name":"CRL_FIND_ISSUED_FOR","features":[392]},{"name":"CRL_FIND_ISSUED_FOR_PARA","features":[308,392]},{"name":"CRL_FIND_ISSUED_FOR_SET_STRONG_PROPERTIES_FLAG","features":[392]},{"name":"CRL_INFO","features":[308,392]},{"name":"CRL_ISSUING_DIST_POINT","features":[308,392]},{"name":"CRL_REASON_AA_COMPROMISE","features":[392]},{"name":"CRL_REASON_AA_COMPROMISE_FLAG","features":[392]},{"name":"CRL_REASON_AFFILIATION_CHANGED","features":[392]},{"name":"CRL_REASON_AFFILIATION_CHANGED_FLAG","features":[392]},{"name":"CRL_REASON_CA_COMPROMISE","features":[392]},{"name":"CRL_REASON_CA_COMPROMISE_FLAG","features":[392]},{"name":"CRL_REASON_CERTIFICATE_HOLD","features":[392]},{"name":"CRL_REASON_CERTIFICATE_HOLD_FLAG","features":[392]},{"name":"CRL_REASON_CESSATION_OF_OPERATION","features":[392]},{"name":"CRL_REASON_CESSATION_OF_OPERATION_FLAG","features":[392]},{"name":"CRL_REASON_KEY_COMPROMISE","features":[392]},{"name":"CRL_REASON_KEY_COMPROMISE_FLAG","features":[392]},{"name":"CRL_REASON_PRIVILEGE_WITHDRAWN","features":[392]},{"name":"CRL_REASON_PRIVILEGE_WITHDRAWN_FLAG","features":[392]},{"name":"CRL_REASON_REMOVE_FROM_CRL","features":[392]},{"name":"CRL_REASON_SUPERSEDED","features":[392]},{"name":"CRL_REASON_SUPERSEDED_FLAG","features":[392]},{"name":"CRL_REASON_UNSPECIFIED","features":[392]},{"name":"CRL_REASON_UNUSED_FLAG","features":[392]},{"name":"CRL_REVOCATION_INFO","features":[308,392]},{"name":"CRL_V1","features":[392]},{"name":"CRL_V2","features":[392]},{"name":"CROSS_CERT_DIST_POINTS_INFO","features":[392]},{"name":"CROSS_CERT_DIST_POINT_ERR_INDEX_MASK","features":[392]},{"name":"CROSS_CERT_DIST_POINT_ERR_INDEX_SHIFT","features":[392]},{"name":"CRYPTNET_CACHED_OCSP_SWITCH_TO_CRL_COUNT_DEFAULT","features":[392]},{"name":"CRYPTNET_CACHED_OCSP_SWITCH_TO_CRL_COUNT_VALUE_NAME","features":[392]},{"name":"CRYPTNET_CRL_BEFORE_OCSP_ENABLE","features":[392]},{"name":"CRYPTNET_CRL_PRE_FETCH_DISABLE_INFORMATION_EVENTS_VALUE_NAME","features":[392]},{"name":"CRYPTNET_CRL_PRE_FETCH_LOG_FILE_NAME_VALUE_NAME","features":[392]},{"name":"CRYPTNET_CRL_PRE_FETCH_MAX_AGE_SECONDS_VALUE_NAME","features":[392]},{"name":"CRYPTNET_CRL_PRE_FETCH_MIN_AFTER_NEXT_UPDATE_SECONDS_VALUE_NAME","features":[392]},{"name":"CRYPTNET_CRL_PRE_FETCH_MIN_BEFORE_NEXT_UPDATE_SECONDS_VALUE_NAME","features":[392]},{"name":"CRYPTNET_CRL_PRE_FETCH_PROCESS_NAME_LIST_VALUE_NAME","features":[392]},{"name":"CRYPTNET_CRL_PRE_FETCH_PUBLISH_BEFORE_NEXT_UPDATE_SECONDS_VALUE_NAME","features":[392]},{"name":"CRYPTNET_CRL_PRE_FETCH_PUBLISH_RANDOM_INTERVAL_SECONDS_VALUE_NAME","features":[392]},{"name":"CRYPTNET_CRL_PRE_FETCH_TIMEOUT_SECONDS_VALUE_NAME","features":[392]},{"name":"CRYPTNET_CRL_PRE_FETCH_URL_LIST_VALUE_NAME","features":[392]},{"name":"CRYPTNET_MAX_CACHED_OCSP_PER_CRL_COUNT_DEFAULT","features":[392]},{"name":"CRYPTNET_MAX_CACHED_OCSP_PER_CRL_COUNT_VALUE_NAME","features":[392]},{"name":"CRYPTNET_OCSP_AFTER_CRL_DISABLE","features":[392]},{"name":"CRYPTNET_PRE_FETCH_AFTER_CURRENT_TIME_PRE_FETCH_PERIOD_SECONDS_VALUE_NAME","features":[392]},{"name":"CRYPTNET_PRE_FETCH_AFTER_PUBLISH_PRE_FETCH_DIVISOR_DEFAULT","features":[392]},{"name":"CRYPTNET_PRE_FETCH_AFTER_PUBLISH_PRE_FETCH_DIVISOR_VALUE_NAME","features":[392]},{"name":"CRYPTNET_PRE_FETCH_BEFORE_NEXT_UPDATE_PRE_FETCH_DIVISOR_DEFAULT","features":[392]},{"name":"CRYPTNET_PRE_FETCH_BEFORE_NEXT_UPDATE_PRE_FETCH_DIVISOR_VALUE_NAME","features":[392]},{"name":"CRYPTNET_PRE_FETCH_MAX_AFTER_NEXT_UPDATE_PRE_FETCH_PERIOD_SECONDS_VALUE_NAME","features":[392]},{"name":"CRYPTNET_PRE_FETCH_MAX_MAX_AGE_SECONDS_VALUE_NAME","features":[392]},{"name":"CRYPTNET_PRE_FETCH_MIN_AFTER_NEXT_UPDATE_PRE_FETCH_PERIOD_SECONDS_VALUE_NAME","features":[392]},{"name":"CRYPTNET_PRE_FETCH_MIN_BEFORE_NEXT_UPDATE_PRE_FETCH_PERIOD_SECONDS_VALUE_NAME","features":[392]},{"name":"CRYPTNET_PRE_FETCH_MIN_MAX_AGE_SECONDS_VALUE_NAME","features":[392]},{"name":"CRYPTNET_PRE_FETCH_MIN_OCSP_VALIDITY_PERIOD_SECONDS_VALUE_NAME","features":[392]},{"name":"CRYPTNET_PRE_FETCH_RETRIEVAL_TIMEOUT_SECONDS_VALUE_NAME","features":[392]},{"name":"CRYPTNET_PRE_FETCH_SCAN_AFTER_TRIGGER_DELAY_SECONDS_DEFAULT","features":[392]},{"name":"CRYPTNET_PRE_FETCH_SCAN_AFTER_TRIGGER_DELAY_SECONDS_VALUE_NAME","features":[392]},{"name":"CRYPTNET_PRE_FETCH_TRIGGER_DISABLE","features":[392]},{"name":"CRYPTNET_PRE_FETCH_TRIGGER_PERIOD_SECONDS_VALUE_NAME","features":[392]},{"name":"CRYPTNET_PRE_FETCH_VALIDITY_PERIOD_AFTER_NEXT_UPDATE_PRE_FETCH_DIVISOR_DEFAULT","features":[392]},{"name":"CRYPTNET_PRE_FETCH_VALIDITY_PERIOD_AFTER_NEXT_UPDATE_PRE_FETCH_DIVISOR_VALUE_NAME","features":[392]},{"name":"CRYPTNET_URL_CACHE_DEFAULT_FLUSH","features":[392]},{"name":"CRYPTNET_URL_CACHE_DEFAULT_FLUSH_EXEMPT_SECONDS_VALUE_NAME","features":[392]},{"name":"CRYPTNET_URL_CACHE_DISABLE_FLUSH","features":[392]},{"name":"CRYPTNET_URL_CACHE_FLUSH_INFO","features":[308,392]},{"name":"CRYPTNET_URL_CACHE_PRE_FETCH_AUTOROOT_CAB","features":[392]},{"name":"CRYPTNET_URL_CACHE_PRE_FETCH_BLOB","features":[392]},{"name":"CRYPTNET_URL_CACHE_PRE_FETCH_CRL","features":[392]},{"name":"CRYPTNET_URL_CACHE_PRE_FETCH_DISALLOWED_CERT_CAB","features":[392]},{"name":"CRYPTNET_URL_CACHE_PRE_FETCH_INFO","features":[308,392]},{"name":"CRYPTNET_URL_CACHE_PRE_FETCH_NONE","features":[392]},{"name":"CRYPTNET_URL_CACHE_PRE_FETCH_OCSP","features":[392]},{"name":"CRYPTNET_URL_CACHE_PRE_FETCH_PIN_RULES_CAB","features":[392]},{"name":"CRYPTNET_URL_CACHE_RESPONSE_HTTP","features":[392]},{"name":"CRYPTNET_URL_CACHE_RESPONSE_INFO","features":[308,392]},{"name":"CRYPTNET_URL_CACHE_RESPONSE_NONE","features":[392]},{"name":"CRYPTNET_URL_CACHE_RESPONSE_VALIDATED","features":[392]},{"name":"CRYPTPROTECTMEMORY_BLOCK_SIZE","features":[392]},{"name":"CRYPTPROTECTMEMORY_CROSS_PROCESS","features":[392]},{"name":"CRYPTPROTECTMEMORY_SAME_LOGON","features":[392]},{"name":"CRYPTPROTECTMEMORY_SAME_PROCESS","features":[392]},{"name":"CRYPTPROTECT_AUDIT","features":[392]},{"name":"CRYPTPROTECT_CRED_REGENERATE","features":[392]},{"name":"CRYPTPROTECT_CRED_SYNC","features":[392]},{"name":"CRYPTPROTECT_DEFAULT_PROVIDER","features":[392]},{"name":"CRYPTPROTECT_FIRST_RESERVED_FLAGVAL","features":[392]},{"name":"CRYPTPROTECT_LAST_RESERVED_FLAGVAL","features":[392]},{"name":"CRYPTPROTECT_LOCAL_MACHINE","features":[392]},{"name":"CRYPTPROTECT_NO_RECOVERY","features":[392]},{"name":"CRYPTPROTECT_PROMPTSTRUCT","features":[308,392]},{"name":"CRYPTPROTECT_PROMPT_ON_PROTECT","features":[392]},{"name":"CRYPTPROTECT_PROMPT_ON_UNPROTECT","features":[392]},{"name":"CRYPTPROTECT_PROMPT_REQUIRE_STRONG","features":[392]},{"name":"CRYPTPROTECT_PROMPT_RESERVED","features":[392]},{"name":"CRYPTPROTECT_PROMPT_STRONG","features":[392]},{"name":"CRYPTPROTECT_UI_FORBIDDEN","features":[392]},{"name":"CRYPTPROTECT_VERIFY_PROTECTION","features":[392]},{"name":"CRYPT_3DES_KEY_STATE","features":[392]},{"name":"CRYPT_ACCUMULATIVE_TIMEOUT","features":[392]},{"name":"CRYPT_ACQUIRE_ALLOW_NCRYPT_KEY_FLAG","features":[392]},{"name":"CRYPT_ACQUIRE_CACHE_FLAG","features":[392]},{"name":"CRYPT_ACQUIRE_COMPARE_KEY_FLAG","features":[392]},{"name":"CRYPT_ACQUIRE_FLAGS","features":[392]},{"name":"CRYPT_ACQUIRE_NCRYPT_KEY_FLAGS_MASK","features":[392]},{"name":"CRYPT_ACQUIRE_NO_HEALING","features":[392]},{"name":"CRYPT_ACQUIRE_ONLY_NCRYPT_KEY_FLAG","features":[392]},{"name":"CRYPT_ACQUIRE_PREFER_NCRYPT_KEY_FLAG","features":[392]},{"name":"CRYPT_ACQUIRE_SILENT_FLAG","features":[392]},{"name":"CRYPT_ACQUIRE_USE_PROV_INFO_FLAG","features":[392]},{"name":"CRYPT_ACQUIRE_WINDOW_HANDLE_FLAG","features":[392]},{"name":"CRYPT_AES_128_KEY_STATE","features":[392]},{"name":"CRYPT_AES_256_KEY_STATE","features":[392]},{"name":"CRYPT_AIA_RETRIEVAL","features":[392]},{"name":"CRYPT_ALGORITHM_IDENTIFIER","features":[392]},{"name":"CRYPT_ALL_FUNCTIONS","features":[392]},{"name":"CRYPT_ALL_PROVIDERS","features":[392]},{"name":"CRYPT_ANY","features":[392]},{"name":"CRYPT_ARCHIVABLE","features":[392]},{"name":"CRYPT_ARCHIVE","features":[392]},{"name":"CRYPT_ASN_ENCODING","features":[392]},{"name":"CRYPT_ASYNC_RETRIEVAL","features":[392]},{"name":"CRYPT_ASYNC_RETRIEVAL_COMPLETION","features":[392]},{"name":"CRYPT_ATTRIBUTE","features":[392]},{"name":"CRYPT_ATTRIBUTES","features":[392]},{"name":"CRYPT_ATTRIBUTE_TYPE_VALUE","features":[392]},{"name":"CRYPT_BIT_BLOB","features":[392]},{"name":"CRYPT_BLOB_ARRAY","features":[392]},{"name":"CRYPT_BLOB_VER3","features":[392]},{"name":"CRYPT_CACHE_ONLY_RETRIEVAL","features":[392]},{"name":"CRYPT_CHECK_FRESHNESS_TIME_VALIDITY","features":[392]},{"name":"CRYPT_CONTENT_INFO","features":[392]},{"name":"CRYPT_CONTENT_INFO_SEQUENCE_OF_ANY","features":[392]},{"name":"CRYPT_CONTEXTS","features":[392]},{"name":"CRYPT_CONTEXT_CONFIG","features":[392]},{"name":"CRYPT_CONTEXT_CONFIG_FLAGS","features":[392]},{"name":"CRYPT_CONTEXT_FUNCTIONS","features":[392]},{"name":"CRYPT_CONTEXT_FUNCTION_CONFIG","features":[392]},{"name":"CRYPT_CONTEXT_FUNCTION_PROVIDERS","features":[392]},{"name":"CRYPT_CREATE_IV","features":[392]},{"name":"CRYPT_CREATE_NEW_FLUSH_ENTRY","features":[392]},{"name":"CRYPT_CREATE_SALT","features":[392]},{"name":"CRYPT_CREDENTIALS","features":[392]},{"name":"CRYPT_CSP_PROVIDER","features":[392]},{"name":"CRYPT_DATA_KEY","features":[392]},{"name":"CRYPT_DECODE_ALLOC_FLAG","features":[392]},{"name":"CRYPT_DECODE_ENABLE_PUNYCODE_FLAG","features":[392]},{"name":"CRYPT_DECODE_ENABLE_UTF8PERCENT_FLAG","features":[392]},{"name":"CRYPT_DECODE_NOCOPY_FLAG","features":[392]},{"name":"CRYPT_DECODE_NO_SIGNATURE_BYTE_REVERSAL_FLAG","features":[392]},{"name":"CRYPT_DECODE_PARA","features":[392]},{"name":"CRYPT_DECODE_SHARE_OID_STRING_FLAG","features":[392]},{"name":"CRYPT_DECODE_TO_BE_SIGNED_FLAG","features":[392]},{"name":"CRYPT_DECRYPT","features":[392]},{"name":"CRYPT_DECRYPT_MESSAGE_PARA","features":[392]},{"name":"CRYPT_DECRYPT_RSA_NO_PADDING_CHECK","features":[392]},{"name":"CRYPT_DEFAULT_CONTAINER_OPTIONAL","features":[392]},{"name":"CRYPT_DEFAULT_CONTEXT","features":[392]},{"name":"CRYPT_DEFAULT_CONTEXT_AUTO_RELEASE_FLAG","features":[392]},{"name":"CRYPT_DEFAULT_CONTEXT_CERT_SIGN_OID","features":[392]},{"name":"CRYPT_DEFAULT_CONTEXT_FLAGS","features":[392]},{"name":"CRYPT_DEFAULT_CONTEXT_MULTI_CERT_SIGN_OID","features":[392]},{"name":"CRYPT_DEFAULT_CONTEXT_MULTI_OID_PARA","features":[392]},{"name":"CRYPT_DEFAULT_CONTEXT_PROCESS_FLAG","features":[392]},{"name":"CRYPT_DEFAULT_CONTEXT_TYPE","features":[392]},{"name":"CRYPT_DEFAULT_OID","features":[392]},{"name":"CRYPT_DELETEKEYSET","features":[392]},{"name":"CRYPT_DELETE_DEFAULT","features":[392]},{"name":"CRYPT_DELETE_KEYSET","features":[392]},{"name":"CRYPT_DESTROYKEY","features":[392]},{"name":"CRYPT_DES_KEY_STATE","features":[392]},{"name":"CRYPT_DOMAIN","features":[392]},{"name":"CRYPT_DONT_CACHE_RESULT","features":[392]},{"name":"CRYPT_DONT_CHECK_TIME_VALIDITY","features":[392]},{"name":"CRYPT_DONT_VERIFY_SIGNATURE","features":[392]},{"name":"CRYPT_ECC_CMS_SHARED_INFO","features":[392]},{"name":"CRYPT_ECC_CMS_SHARED_INFO_SUPPPUBINFO_BYTE_LENGTH","features":[392]},{"name":"CRYPT_ECC_PRIVATE_KEY_INFO","features":[392]},{"name":"CRYPT_ECC_PRIVATE_KEY_INFO_v1","features":[392]},{"name":"CRYPT_ENABLE_FILE_RETRIEVAL","features":[392]},{"name":"CRYPT_ENABLE_SSL_REVOCATION_RETRIEVAL","features":[392]},{"name":"CRYPT_ENCODE_ALLOC_FLAG","features":[392]},{"name":"CRYPT_ENCODE_DECODE_NONE","features":[392]},{"name":"CRYPT_ENCODE_ENABLE_PUNYCODE_FLAG","features":[392]},{"name":"CRYPT_ENCODE_ENABLE_UTF8PERCENT_FLAG","features":[392]},{"name":"CRYPT_ENCODE_NO_SIGNATURE_BYTE_REVERSAL_FLAG","features":[392]},{"name":"CRYPT_ENCODE_OBJECT_FLAGS","features":[392]},{"name":"CRYPT_ENCODE_PARA","features":[392]},{"name":"CRYPT_ENCRYPT","features":[392]},{"name":"CRYPT_ENCRYPTED_PRIVATE_KEY_INFO","features":[392]},{"name":"CRYPT_ENCRYPT_ALG_OID_GROUP_ID","features":[392]},{"name":"CRYPT_ENCRYPT_MESSAGE_PARA","features":[392]},{"name":"CRYPT_ENHKEY_USAGE_OID_GROUP_ID","features":[392]},{"name":"CRYPT_ENROLLMENT_NAME_VALUE_PAIR","features":[392]},{"name":"CRYPT_EXCLUSIVE","features":[392]},{"name":"CRYPT_EXPORT","features":[392]},{"name":"CRYPT_EXPORTABLE","features":[392]},{"name":"CRYPT_EXPORT_KEY","features":[392]},{"name":"CRYPT_EXT_OR_ATTR_OID_GROUP_ID","features":[392]},{"name":"CRYPT_FAILED","features":[392]},{"name":"CRYPT_FASTSGC","features":[392]},{"name":"CRYPT_FIND_FLAGS","features":[392]},{"name":"CRYPT_FIND_MACHINE_KEYSET_FLAG","features":[392]},{"name":"CRYPT_FIND_SILENT_KEYSET_FLAG","features":[392]},{"name":"CRYPT_FIND_USER_KEYSET_FLAG","features":[392]},{"name":"CRYPT_FIRST","features":[392]},{"name":"CRYPT_FIRST_ALG_OID_GROUP_ID","features":[392]},{"name":"CRYPT_FLAG_IPSEC","features":[392]},{"name":"CRYPT_FLAG_PCT1","features":[392]},{"name":"CRYPT_FLAG_SIGNING","features":[392]},{"name":"CRYPT_FLAG_SSL2","features":[392]},{"name":"CRYPT_FLAG_SSL3","features":[392]},{"name":"CRYPT_FLAG_TLS1","features":[392]},{"name":"CRYPT_FORCE_KEY_PROTECTION_HIGH","features":[392]},{"name":"CRYPT_FORMAT_COMMA","features":[392]},{"name":"CRYPT_FORMAT_CRLF","features":[392]},{"name":"CRYPT_FORMAT_OID","features":[392]},{"name":"CRYPT_FORMAT_RDN_CRLF","features":[392]},{"name":"CRYPT_FORMAT_RDN_REVERSE","features":[392]},{"name":"CRYPT_FORMAT_RDN_SEMICOLON","features":[392]},{"name":"CRYPT_FORMAT_RDN_UNQUOTE","features":[392]},{"name":"CRYPT_FORMAT_SEMICOLON","features":[392]},{"name":"CRYPT_FORMAT_SIMPLE","features":[392]},{"name":"CRYPT_FORMAT_STR_MULTI_LINE","features":[392]},{"name":"CRYPT_FORMAT_STR_NO_HEX","features":[392]},{"name":"CRYPT_FORMAT_X509","features":[392]},{"name":"CRYPT_GET_INSTALLED_OID_FUNC_FLAG","features":[392]},{"name":"CRYPT_GET_TIME_VALID_OBJECT_EXTRA_INFO","features":[308,392]},{"name":"CRYPT_GET_URL_FLAGS","features":[392]},{"name":"CRYPT_GET_URL_FROM_AUTH_ATTRIBUTE","features":[392]},{"name":"CRYPT_GET_URL_FROM_EXTENSION","features":[392]},{"name":"CRYPT_GET_URL_FROM_PROPERTY","features":[392]},{"name":"CRYPT_GET_URL_FROM_UNAUTH_ATTRIBUTE","features":[392]},{"name":"CRYPT_HASH_ALG_OID_GROUP_ID","features":[392]},{"name":"CRYPT_HASH_INFO","features":[392]},{"name":"CRYPT_HASH_MESSAGE_PARA","features":[392]},{"name":"CRYPT_HTTP_POST_RETRIEVAL","features":[392]},{"name":"CRYPT_IMAGE_REF","features":[392]},{"name":"CRYPT_IMAGE_REF_FLAGS","features":[392]},{"name":"CRYPT_IMAGE_REG","features":[392]},{"name":"CRYPT_IMPL_HARDWARE","features":[392]},{"name":"CRYPT_IMPL_MIXED","features":[392]},{"name":"CRYPT_IMPL_REMOVABLE","features":[392]},{"name":"CRYPT_IMPL_SOFTWARE","features":[392]},{"name":"CRYPT_IMPL_UNKNOWN","features":[392]},{"name":"CRYPT_IMPORT_KEY","features":[392]},{"name":"CRYPT_IMPORT_PUBLIC_KEY_FLAGS","features":[392]},{"name":"CRYPT_INITIATOR","features":[392]},{"name":"CRYPT_INSTALL_OID_FUNC_BEFORE_FLAG","features":[392]},{"name":"CRYPT_INSTALL_OID_INFO_BEFORE_FLAG","features":[392]},{"name":"CRYPT_INTEGER_BLOB","features":[392]},{"name":"CRYPT_INTERFACE_REG","features":[392]},{"name":"CRYPT_IPSEC_HMAC_KEY","features":[392]},{"name":"CRYPT_KDF_OID_GROUP_ID","features":[392]},{"name":"CRYPT_KEEP_TIME_VALID","features":[392]},{"name":"CRYPT_KEK","features":[392]},{"name":"CRYPT_KEYID_ALLOC_FLAG","features":[392]},{"name":"CRYPT_KEYID_DELETE_FLAG","features":[392]},{"name":"CRYPT_KEYID_MACHINE_FLAG","features":[392]},{"name":"CRYPT_KEYID_SET_NEW_FLAG","features":[392]},{"name":"CRYPT_KEY_FLAGS","features":[392]},{"name":"CRYPT_KEY_PARAM_ID","features":[392]},{"name":"CRYPT_KEY_PROV_INFO","features":[392]},{"name":"CRYPT_KEY_PROV_PARAM","features":[392]},{"name":"CRYPT_KEY_SIGN_MESSAGE_PARA","features":[392]},{"name":"CRYPT_KEY_VERIFY_MESSAGE_PARA","features":[392]},{"name":"CRYPT_KM","features":[392]},{"name":"CRYPT_LAST_ALG_OID_GROUP_ID","features":[392]},{"name":"CRYPT_LAST_OID_GROUP_ID","features":[392]},{"name":"CRYPT_LDAP_AREC_EXCLUSIVE_RETRIEVAL","features":[392]},{"name":"CRYPT_LDAP_INSERT_ENTRY_ATTRIBUTE","features":[392]},{"name":"CRYPT_LDAP_SCOPE_BASE_ONLY_RETRIEVAL","features":[392]},{"name":"CRYPT_LDAP_SIGN_RETRIEVAL","features":[392]},{"name":"CRYPT_LITTLE_ENDIAN","features":[392]},{"name":"CRYPT_LOCAL","features":[392]},{"name":"CRYPT_LOCALIZED_NAME_ENCODING_TYPE","features":[392]},{"name":"CRYPT_LOCALIZED_NAME_OID","features":[392]},{"name":"CRYPT_MAC","features":[392]},{"name":"CRYPT_MACHINE_DEFAULT","features":[392]},{"name":"CRYPT_MACHINE_KEYSET","features":[392]},{"name":"CRYPT_MASK_GEN_ALGORITHM","features":[392]},{"name":"CRYPT_MATCH_ANY_ENCODING_TYPE","features":[392]},{"name":"CRYPT_MESSAGE_BARE_CONTENT_OUT_FLAG","features":[392]},{"name":"CRYPT_MESSAGE_ENCAPSULATED_CONTENT_OUT_FLAG","features":[392]},{"name":"CRYPT_MESSAGE_KEYID_RECIPIENT_FLAG","features":[392]},{"name":"CRYPT_MESSAGE_KEYID_SIGNER_FLAG","features":[392]},{"name":"CRYPT_MESSAGE_SILENT_KEYSET_FLAG","features":[392]},{"name":"CRYPT_MIN_DEPENDENCIES","features":[392]},{"name":"CRYPT_MM","features":[392]},{"name":"CRYPT_MODE_CBC","features":[392]},{"name":"CRYPT_MODE_CBCI","features":[392]},{"name":"CRYPT_MODE_CBCOFM","features":[392]},{"name":"CRYPT_MODE_CBCOFMI","features":[392]},{"name":"CRYPT_MODE_CFB","features":[392]},{"name":"CRYPT_MODE_CFBP","features":[392]},{"name":"CRYPT_MODE_CTS","features":[392]},{"name":"CRYPT_MODE_ECB","features":[392]},{"name":"CRYPT_MODE_OFB","features":[392]},{"name":"CRYPT_MODE_OFBP","features":[392]},{"name":"CRYPT_MSG_TYPE","features":[392]},{"name":"CRYPT_NDR_ENCODING","features":[392]},{"name":"CRYPT_NEWKEYSET","features":[392]},{"name":"CRYPT_NEXT","features":[392]},{"name":"CRYPT_NOHASHOID","features":[392]},{"name":"CRYPT_NOT_MODIFIED_RETRIEVAL","features":[392]},{"name":"CRYPT_NO_AUTH_RETRIEVAL","features":[392]},{"name":"CRYPT_NO_OCSP_FAILOVER_TO_CRL_RETRIEVAL","features":[392]},{"name":"CRYPT_NO_SALT","features":[392]},{"name":"CRYPT_OAEP","features":[392]},{"name":"CRYPT_OBJECT_LOCATOR_FIRST_RESERVED_USER_NAME_TYPE","features":[392]},{"name":"CRYPT_OBJECT_LOCATOR_LAST_RESERVED_NAME_TYPE","features":[392]},{"name":"CRYPT_OBJECT_LOCATOR_LAST_RESERVED_USER_NAME_TYPE","features":[392]},{"name":"CRYPT_OBJECT_LOCATOR_PROVIDER_TABLE","features":[308,392]},{"name":"CRYPT_OBJECT_LOCATOR_RELEASE_DLL_UNLOAD","features":[392]},{"name":"CRYPT_OBJECT_LOCATOR_RELEASE_PROCESS_EXIT","features":[392]},{"name":"CRYPT_OBJECT_LOCATOR_RELEASE_REASON","features":[392]},{"name":"CRYPT_OBJECT_LOCATOR_RELEASE_SERVICE_STOP","features":[392]},{"name":"CRYPT_OBJECT_LOCATOR_RELEASE_SYSTEM_SHUTDOWN","features":[392]},{"name":"CRYPT_OBJECT_LOCATOR_SPN_NAME_TYPE","features":[392]},{"name":"CRYPT_OBJID_TABLE","features":[392]},{"name":"CRYPT_OCSP_ONLY_RETRIEVAL","features":[392]},{"name":"CRYPT_OFFLINE_CHECK_RETRIEVAL","features":[392]},{"name":"CRYPT_OID_CREATE_COM_OBJECT_FUNC","features":[392]},{"name":"CRYPT_OID_DECODE_OBJECT_EX_FUNC","features":[392]},{"name":"CRYPT_OID_DECODE_OBJECT_FUNC","features":[392]},{"name":"CRYPT_OID_DISABLE_SEARCH_DS_FLAG","features":[392]},{"name":"CRYPT_OID_ENCODE_OBJECT_EX_FUNC","features":[392]},{"name":"CRYPT_OID_ENCODE_OBJECT_FUNC","features":[392]},{"name":"CRYPT_OID_ENUM_PHYSICAL_STORE_FUNC","features":[392]},{"name":"CRYPT_OID_ENUM_SYSTEM_STORE_FUNC","features":[392]},{"name":"CRYPT_OID_EXPORT_PRIVATE_KEY_INFO_FUNC","features":[392]},{"name":"CRYPT_OID_EXPORT_PUBLIC_KEY_INFO_EX2_FUNC","features":[392]},{"name":"CRYPT_OID_EXPORT_PUBLIC_KEY_INFO_FROM_BCRYPT_HANDLE_FUNC","features":[392]},{"name":"CRYPT_OID_EXPORT_PUBLIC_KEY_INFO_FUNC","features":[392]},{"name":"CRYPT_OID_EXTRACT_ENCODED_SIGNATURE_PARAMETERS_FUNC","features":[392]},{"name":"CRYPT_OID_FIND_LOCALIZED_NAME_FUNC","features":[392]},{"name":"CRYPT_OID_FIND_OID_INFO_FUNC","features":[392]},{"name":"CRYPT_OID_FORMAT_OBJECT_FUNC","features":[392]},{"name":"CRYPT_OID_FUNC_ENTRY","features":[392]},{"name":"CRYPT_OID_IMPORT_PRIVATE_KEY_INFO_FUNC","features":[392]},{"name":"CRYPT_OID_IMPORT_PUBLIC_KEY_INFO_EX2_FUNC","features":[392]},{"name":"CRYPT_OID_IMPORT_PUBLIC_KEY_INFO_FUNC","features":[392]},{"name":"CRYPT_OID_INFO","features":[392]},{"name":"CRYPT_OID_INFO_ALGID_KEY","features":[392]},{"name":"CRYPT_OID_INFO_CNG_ALGID_KEY","features":[392]},{"name":"CRYPT_OID_INFO_CNG_SIGN_KEY","features":[392]},{"name":"CRYPT_OID_INFO_ECC_PARAMETERS_ALGORITHM","features":[392]},{"name":"CRYPT_OID_INFO_ECC_WRAP_PARAMETERS_ALGORITHM","features":[392]},{"name":"CRYPT_OID_INFO_HASH_PARAMETERS_ALGORITHM","features":[392]},{"name":"CRYPT_OID_INFO_MGF1_PARAMETERS_ALGORITHM","features":[392]},{"name":"CRYPT_OID_INFO_NAME_KEY","features":[392]},{"name":"CRYPT_OID_INFO_NO_PARAMETERS_ALGORITHM","features":[392]},{"name":"CRYPT_OID_INFO_NO_SIGN_ALGORITHM","features":[392]},{"name":"CRYPT_OID_INFO_OAEP_PARAMETERS_ALGORITHM","features":[392]},{"name":"CRYPT_OID_INFO_OID_GROUP_BIT_LEN_MASK","features":[392]},{"name":"CRYPT_OID_INFO_OID_GROUP_BIT_LEN_SHIFT","features":[392]},{"name":"CRYPT_OID_INFO_OID_KEY","features":[392]},{"name":"CRYPT_OID_INFO_OID_KEY_FLAGS_MASK","features":[392]},{"name":"CRYPT_OID_INFO_PUBKEY_ENCRYPT_KEY_FLAG","features":[392]},{"name":"CRYPT_OID_INFO_PUBKEY_SIGN_KEY_FLAG","features":[392]},{"name":"CRYPT_OID_INFO_SIGN_KEY","features":[392]},{"name":"CRYPT_OID_INHIBIT_SIGNATURE_FORMAT_FLAG","features":[392]},{"name":"CRYPT_OID_NO_NULL_ALGORITHM_PARA_FLAG","features":[392]},{"name":"CRYPT_OID_OPEN_STORE_PROV_FUNC","features":[392]},{"name":"CRYPT_OID_OPEN_SYSTEM_STORE_PROV_FUNC","features":[392]},{"name":"CRYPT_OID_PREFER_CNG_ALGID_FLAG","features":[392]},{"name":"CRYPT_OID_PUBKEY_ENCRYPT_ONLY_FLAG","features":[392]},{"name":"CRYPT_OID_PUBKEY_SIGN_ONLY_FLAG","features":[392]},{"name":"CRYPT_OID_REGISTER_PHYSICAL_STORE_FUNC","features":[392]},{"name":"CRYPT_OID_REGISTER_SYSTEM_STORE_FUNC","features":[392]},{"name":"CRYPT_OID_REGPATH","features":[392]},{"name":"CRYPT_OID_REG_DLL_VALUE_NAME","features":[392]},{"name":"CRYPT_OID_REG_ENCODING_TYPE_PREFIX","features":[392]},{"name":"CRYPT_OID_REG_FLAGS_VALUE_NAME","features":[392]},{"name":"CRYPT_OID_REG_FUNC_NAME_VALUE_NAME","features":[392]},{"name":"CRYPT_OID_REG_FUNC_NAME_VALUE_NAME_A","features":[392]},{"name":"CRYPT_OID_SIGN_AND_ENCODE_HASH_FUNC","features":[392]},{"name":"CRYPT_OID_SYSTEM_STORE_LOCATION_VALUE_NAME","features":[392]},{"name":"CRYPT_OID_UNREGISTER_PHYSICAL_STORE_FUNC","features":[392]},{"name":"CRYPT_OID_UNREGISTER_SYSTEM_STORE_FUNC","features":[392]},{"name":"CRYPT_OID_USE_CURVE_NAME_FOR_ENCODE_FLAG","features":[392]},{"name":"CRYPT_OID_USE_CURVE_PARAMETERS_FOR_ENCODE_FLAG","features":[392]},{"name":"CRYPT_OID_USE_PUBKEY_PARA_FOR_PKCS7_FLAG","features":[392]},{"name":"CRYPT_OID_VERIFY_CERTIFICATE_CHAIN_POLICY_FUNC","features":[392]},{"name":"CRYPT_OID_VERIFY_CTL_USAGE_FUNC","features":[392]},{"name":"CRYPT_OID_VERIFY_ENCODED_SIGNATURE_FUNC","features":[392]},{"name":"CRYPT_OID_VERIFY_REVOCATION_FUNC","features":[392]},{"name":"CRYPT_ONLINE","features":[392]},{"name":"CRYPT_OVERRIDE","features":[392]},{"name":"CRYPT_OVERWRITE","features":[392]},{"name":"CRYPT_OWF_REPL_LM_HASH","features":[392]},{"name":"CRYPT_PARAM_ASYNC_RETRIEVAL_COMPLETION","features":[392]},{"name":"CRYPT_PARAM_CANCEL_ASYNC_RETRIEVAL","features":[392]},{"name":"CRYPT_PASSWORD_CREDENTIALSA","features":[392]},{"name":"CRYPT_PASSWORD_CREDENTIALSW","features":[392]},{"name":"CRYPT_PKCS12_PBE_PARAMS","features":[392]},{"name":"CRYPT_PKCS8_EXPORT_PARAMS","features":[308,392]},{"name":"CRYPT_PKCS8_IMPORT_PARAMS","features":[308,392]},{"name":"CRYPT_POLICY_OID_GROUP_ID","features":[392]},{"name":"CRYPT_PREGEN","features":[392]},{"name":"CRYPT_PRIORITY_BOTTOM","features":[392]},{"name":"CRYPT_PRIORITY_TOP","features":[392]},{"name":"CRYPT_PRIVATE_KEY_INFO","features":[392]},{"name":"CRYPT_PROCESS_ISOLATE","features":[392]},{"name":"CRYPT_PROPERTY_REF","features":[392]},{"name":"CRYPT_PROVIDERS","features":[392]},{"name":"CRYPT_PROVIDER_REF","features":[392]},{"name":"CRYPT_PROVIDER_REFS","features":[392]},{"name":"CRYPT_PROVIDER_REG","features":[392]},{"name":"CRYPT_PROXY_CACHE_RETRIEVAL","features":[392]},{"name":"CRYPT_PSOURCE_ALGORITHM","features":[392]},{"name":"CRYPT_PSTORE","features":[392]},{"name":"CRYPT_PUBKEY_ALG_OID_GROUP_ID","features":[392]},{"name":"CRYPT_RANDOM_QUERY_STRING_RETRIEVAL","features":[392]},{"name":"CRYPT_RC2_128BIT_VERSION","features":[392]},{"name":"CRYPT_RC2_40BIT_VERSION","features":[392]},{"name":"CRYPT_RC2_56BIT_VERSION","features":[392]},{"name":"CRYPT_RC2_64BIT_VERSION","features":[392]},{"name":"CRYPT_RC2_CBC_PARAMETERS","features":[308,392]},{"name":"CRYPT_RC4_KEY_STATE","features":[392]},{"name":"CRYPT_RDN_ATTR_OID_GROUP_ID","features":[392]},{"name":"CRYPT_READ","features":[392]},{"name":"CRYPT_RECIPIENT","features":[392]},{"name":"CRYPT_REGISTER_FIRST_INDEX","features":[392]},{"name":"CRYPT_REGISTER_LAST_INDEX","features":[392]},{"name":"CRYPT_RETRIEVE_AUX_INFO","features":[308,392]},{"name":"CRYPT_RETRIEVE_MAX_ERROR_CONTENT_LENGTH","features":[392]},{"name":"CRYPT_RETRIEVE_MULTIPLE_OBJECTS","features":[392]},{"name":"CRYPT_RSAES_OAEP_PARAMETERS","features":[392]},{"name":"CRYPT_RSA_SSA_PSS_PARAMETERS","features":[392]},{"name":"CRYPT_SECRETDIGEST","features":[392]},{"name":"CRYPT_SEC_DESCR","features":[392]},{"name":"CRYPT_SEQUENCE_OF_ANY","features":[392]},{"name":"CRYPT_SERVER","features":[392]},{"name":"CRYPT_SET_HASH_PARAM","features":[392]},{"name":"CRYPT_SET_PROV_PARAM_ID","features":[392]},{"name":"CRYPT_SF","features":[392]},{"name":"CRYPT_SGC","features":[392]},{"name":"CRYPT_SGCKEY","features":[392]},{"name":"CRYPT_SGC_ENUM","features":[392]},{"name":"CRYPT_SIGN_ALG_OID_GROUP_ID","features":[392]},{"name":"CRYPT_SIGN_MESSAGE_PARA","features":[308,392]},{"name":"CRYPT_SILENT","features":[392]},{"name":"CRYPT_SMART_CARD_ROOT_INFO","features":[392]},{"name":"CRYPT_SMIME_CAPABILITIES","features":[392]},{"name":"CRYPT_SMIME_CAPABILITY","features":[392]},{"name":"CRYPT_SORTED_CTL_ENCODE_HASHED_SUBJECT_IDENTIFIER_FLAG","features":[392]},{"name":"CRYPT_SSL2_FALLBACK","features":[392]},{"name":"CRYPT_STICKY_CACHE_RETRIEVAL","features":[392]},{"name":"CRYPT_STRING","features":[392]},{"name":"CRYPT_STRING_ANY","features":[392]},{"name":"CRYPT_STRING_BASE64","features":[392]},{"name":"CRYPT_STRING_BASE64HEADER","features":[392]},{"name":"CRYPT_STRING_BASE64REQUESTHEADER","features":[392]},{"name":"CRYPT_STRING_BASE64URI","features":[392]},{"name":"CRYPT_STRING_BASE64X509CRLHEADER","features":[392]},{"name":"CRYPT_STRING_BASE64_ANY","features":[392]},{"name":"CRYPT_STRING_BINARY","features":[392]},{"name":"CRYPT_STRING_ENCODEMASK","features":[392]},{"name":"CRYPT_STRING_HASHDATA","features":[392]},{"name":"CRYPT_STRING_HEX","features":[392]},{"name":"CRYPT_STRING_HEXADDR","features":[392]},{"name":"CRYPT_STRING_HEXASCII","features":[392]},{"name":"CRYPT_STRING_HEXASCIIADDR","features":[392]},{"name":"CRYPT_STRING_HEXRAW","features":[392]},{"name":"CRYPT_STRING_HEX_ANY","features":[392]},{"name":"CRYPT_STRING_NOCR","features":[392]},{"name":"CRYPT_STRING_NOCRLF","features":[392]},{"name":"CRYPT_STRING_PERCENTESCAPE","features":[392]},{"name":"CRYPT_STRING_RESERVED100","features":[392]},{"name":"CRYPT_STRING_RESERVED200","features":[392]},{"name":"CRYPT_STRING_STRICT","features":[392]},{"name":"CRYPT_SUCCEED","features":[392]},{"name":"CRYPT_TEMPLATE_OID_GROUP_ID","features":[392]},{"name":"CRYPT_TIMESTAMP_ACCURACY","features":[392]},{"name":"CRYPT_TIMESTAMP_CONTEXT","features":[308,392]},{"name":"CRYPT_TIMESTAMP_INFO","features":[308,392]},{"name":"CRYPT_TIMESTAMP_PARA","features":[308,392]},{"name":"CRYPT_TIMESTAMP_REQUEST","features":[308,392]},{"name":"CRYPT_TIMESTAMP_RESPONSE","features":[392]},{"name":"CRYPT_TIMESTAMP_RESPONSE_STATUS","features":[392]},{"name":"CRYPT_TIMESTAMP_VERSION","features":[392]},{"name":"CRYPT_TIME_STAMP_REQUEST_INFO","features":[392]},{"name":"CRYPT_TYPE2_FORMAT","features":[392]},{"name":"CRYPT_UI_PROMPT","features":[392]},{"name":"CRYPT_UM","features":[392]},{"name":"CRYPT_UNICODE_NAME_DECODE_DISABLE_IE4_UTF8_FLAG","features":[392]},{"name":"CRYPT_UNICODE_NAME_ENCODE_DISABLE_CHECK_TYPE_FLAG","features":[392]},{"name":"CRYPT_UNICODE_NAME_ENCODE_ENABLE_T61_UNICODE_FLAG","features":[392]},{"name":"CRYPT_UNICODE_NAME_ENCODE_ENABLE_UTF8_UNICODE_FLAG","features":[392]},{"name":"CRYPT_UNICODE_NAME_ENCODE_FORCE_UTF8_UNICODE_FLAG","features":[392]},{"name":"CRYPT_UPDATE_KEY","features":[392]},{"name":"CRYPT_URL_ARRAY","features":[392]},{"name":"CRYPT_URL_INFO","features":[392]},{"name":"CRYPT_USERDATA","features":[392]},{"name":"CRYPT_USER_DEFAULT","features":[392]},{"name":"CRYPT_USER_KEYSET","features":[392]},{"name":"CRYPT_USER_PROTECTED","features":[392]},{"name":"CRYPT_USER_PROTECTED_STRONG","features":[392]},{"name":"CRYPT_VERIFYCONTEXT","features":[392]},{"name":"CRYPT_VERIFY_CERT_FLAGS","features":[392]},{"name":"CRYPT_VERIFY_CERT_SIGN_CHECK_WEAK_HASH_FLAG","features":[392]},{"name":"CRYPT_VERIFY_CERT_SIGN_DISABLE_MD2_MD4_FLAG","features":[392]},{"name":"CRYPT_VERIFY_CERT_SIGN_ISSUER_CERT","features":[392]},{"name":"CRYPT_VERIFY_CERT_SIGN_ISSUER_CHAIN","features":[392]},{"name":"CRYPT_VERIFY_CERT_SIGN_ISSUER_NULL","features":[392]},{"name":"CRYPT_VERIFY_CERT_SIGN_ISSUER_PUBKEY","features":[392]},{"name":"CRYPT_VERIFY_CERT_SIGN_RETURN_STRONG_PROPERTIES_FLAG","features":[392]},{"name":"CRYPT_VERIFY_CERT_SIGN_SET_STRONG_PROPERTIES_FLAG","features":[392]},{"name":"CRYPT_VERIFY_CERT_SIGN_STRONG_PROPERTIES_INFO","features":[392]},{"name":"CRYPT_VERIFY_CERT_SIGN_SUBJECT_BLOB","features":[392]},{"name":"CRYPT_VERIFY_CERT_SIGN_SUBJECT_CERT","features":[392]},{"name":"CRYPT_VERIFY_CERT_SIGN_SUBJECT_CRL","features":[392]},{"name":"CRYPT_VERIFY_CERT_SIGN_SUBJECT_OCSP_BASIC_SIGNED_RESPONSE","features":[392]},{"name":"CRYPT_VERIFY_CERT_SIGN_WEAK_HASH_INFO","features":[392]},{"name":"CRYPT_VERIFY_CONTEXT_SIGNATURE","features":[392]},{"name":"CRYPT_VERIFY_DATA_HASH","features":[392]},{"name":"CRYPT_VERIFY_MESSAGE_PARA","features":[308,392]},{"name":"CRYPT_VOLATILE","features":[392]},{"name":"CRYPT_WIRE_ONLY_RETRIEVAL","features":[392]},{"name":"CRYPT_WRITE","features":[392]},{"name":"CRYPT_X931_FORMAT","features":[392]},{"name":"CRYPT_X942_COUNTER_BYTE_LENGTH","features":[392]},{"name":"CRYPT_X942_KEY_LENGTH_BYTE_LENGTH","features":[392]},{"name":"CRYPT_X942_OTHER_INFO","features":[392]},{"name":"CRYPT_XML_ALGORITHM","features":[392]},{"name":"CRYPT_XML_ALGORITHM_INFO","features":[392]},{"name":"CRYPT_XML_ALGORITHM_INFO_FIND_BY_CNG_ALGID","features":[392]},{"name":"CRYPT_XML_ALGORITHM_INFO_FIND_BY_CNG_SIGN_ALGID","features":[392]},{"name":"CRYPT_XML_ALGORITHM_INFO_FIND_BY_NAME","features":[392]},{"name":"CRYPT_XML_ALGORITHM_INFO_FIND_BY_URI","features":[392]},{"name":"CRYPT_XML_BLOB","features":[392]},{"name":"CRYPT_XML_BLOB_MAX","features":[392]},{"name":"CRYPT_XML_CHARSET","features":[392]},{"name":"CRYPT_XML_CHARSET_AUTO","features":[392]},{"name":"CRYPT_XML_CHARSET_UTF16BE","features":[392]},{"name":"CRYPT_XML_CHARSET_UTF16LE","features":[392]},{"name":"CRYPT_XML_CHARSET_UTF8","features":[392]},{"name":"CRYPT_XML_CRYPTOGRAPHIC_INTERFACE","features":[392]},{"name":"CRYPT_XML_DATA_BLOB","features":[392]},{"name":"CRYPT_XML_DATA_PROVIDER","features":[392]},{"name":"CRYPT_XML_DIGEST_REFERENCE_DATA_TRANSFORMED","features":[392]},{"name":"CRYPT_XML_DIGEST_VALUE_MAX","features":[392]},{"name":"CRYPT_XML_DOC_CTXT","features":[392]},{"name":"CRYPT_XML_E_ALGORITHM","features":[392]},{"name":"CRYPT_XML_E_BASE","features":[392]},{"name":"CRYPT_XML_E_ENCODING","features":[392]},{"name":"CRYPT_XML_E_HANDLE","features":[392]},{"name":"CRYPT_XML_E_HASH_FAILED","features":[392]},{"name":"CRYPT_XML_E_INVALID_DIGEST","features":[392]},{"name":"CRYPT_XML_E_INVALID_KEYVALUE","features":[392]},{"name":"CRYPT_XML_E_INVALID_SIGNATURE","features":[392]},{"name":"CRYPT_XML_E_LARGE","features":[392]},{"name":"CRYPT_XML_E_LAST","features":[392]},{"name":"CRYPT_XML_E_NON_UNIQUE_ID","features":[392]},{"name":"CRYPT_XML_E_OPERATION","features":[392]},{"name":"CRYPT_XML_E_SIGNER","features":[392]},{"name":"CRYPT_XML_E_SIGN_FAILED","features":[392]},{"name":"CRYPT_XML_E_TOO_MANY_SIGNATURES","features":[392]},{"name":"CRYPT_XML_E_TOO_MANY_TRANSFORMS","features":[392]},{"name":"CRYPT_XML_E_TRANSFORM","features":[392]},{"name":"CRYPT_XML_E_UNEXPECTED_XML","features":[392]},{"name":"CRYPT_XML_E_UNRESOLVED_REFERENCE","features":[392]},{"name":"CRYPT_XML_E_VERIFY_FAILED","features":[392]},{"name":"CRYPT_XML_FLAGS","features":[392]},{"name":"CRYPT_XML_FLAG_ADD_OBJECT_CREATE_COPY","features":[392]},{"name":"CRYPT_XML_FLAG_ALWAYS_RETURN_ENCODED_OBJECT","features":[392]},{"name":"CRYPT_XML_FLAG_CREATE_REFERENCE_AS_OBJECT","features":[392]},{"name":"CRYPT_XML_FLAG_DISABLE_EXTENSIONS","features":[392]},{"name":"CRYPT_XML_FLAG_ECDSA_DSIG11","features":[392]},{"name":"CRYPT_XML_FLAG_ENFORCE_ID_NAME_FORMAT","features":[392]},{"name":"CRYPT_XML_FLAG_ENFORCE_ID_NCNAME_FORMAT","features":[392]},{"name":"CRYPT_XML_FLAG_NO_SERIALIZE","features":[392]},{"name":"CRYPT_XML_GROUP_ID","features":[392]},{"name":"CRYPT_XML_GROUP_ID_HASH","features":[392]},{"name":"CRYPT_XML_GROUP_ID_SIGN","features":[392]},{"name":"CRYPT_XML_ID_MAX","features":[392]},{"name":"CRYPT_XML_ISSUER_SERIAL","features":[392]},{"name":"CRYPT_XML_KEYINFO_PARAM","features":[392]},{"name":"CRYPT_XML_KEYINFO_SPEC","features":[392]},{"name":"CRYPT_XML_KEYINFO_SPEC_ENCODED","features":[392]},{"name":"CRYPT_XML_KEYINFO_SPEC_NONE","features":[392]},{"name":"CRYPT_XML_KEYINFO_SPEC_PARAM","features":[392]},{"name":"CRYPT_XML_KEYINFO_TYPE","features":[392]},{"name":"CRYPT_XML_KEYINFO_TYPE_CUSTOM","features":[392]},{"name":"CRYPT_XML_KEYINFO_TYPE_KEYNAME","features":[392]},{"name":"CRYPT_XML_KEYINFO_TYPE_KEYVALUE","features":[392]},{"name":"CRYPT_XML_KEYINFO_TYPE_RETRIEVAL","features":[392]},{"name":"CRYPT_XML_KEYINFO_TYPE_X509DATA","features":[392]},{"name":"CRYPT_XML_KEY_DSA_KEY_VALUE","features":[392]},{"name":"CRYPT_XML_KEY_ECDSA_KEY_VALUE","features":[392]},{"name":"CRYPT_XML_KEY_INFO","features":[392]},{"name":"CRYPT_XML_KEY_INFO_ITEM","features":[392]},{"name":"CRYPT_XML_KEY_RSA_KEY_VALUE","features":[392]},{"name":"CRYPT_XML_KEY_VALUE","features":[392]},{"name":"CRYPT_XML_KEY_VALUE_TYPE","features":[392]},{"name":"CRYPT_XML_KEY_VALUE_TYPE_CUSTOM","features":[392]},{"name":"CRYPT_XML_KEY_VALUE_TYPE_DSA","features":[392]},{"name":"CRYPT_XML_KEY_VALUE_TYPE_ECDSA","features":[392]},{"name":"CRYPT_XML_KEY_VALUE_TYPE_RSA","features":[392]},{"name":"CRYPT_XML_OBJECT","features":[392]},{"name":"CRYPT_XML_OBJECTS_MAX","features":[392]},{"name":"CRYPT_XML_PROPERTY","features":[392]},{"name":"CRYPT_XML_PROPERTY_DOC_DECLARATION","features":[392]},{"name":"CRYPT_XML_PROPERTY_ID","features":[392]},{"name":"CRYPT_XML_PROPERTY_MAX_HEAP_SIZE","features":[392]},{"name":"CRYPT_XML_PROPERTY_MAX_SIGNATURES","features":[392]},{"name":"CRYPT_XML_PROPERTY_SIGNATURE_LOCATION","features":[392]},{"name":"CRYPT_XML_PROPERTY_XML_OUTPUT_CHARSET","features":[392]},{"name":"CRYPT_XML_REFERENCE","features":[392]},{"name":"CRYPT_XML_REFERENCES","features":[392]},{"name":"CRYPT_XML_REFERENCES_MAX","features":[392]},{"name":"CRYPT_XML_SIGNATURE","features":[392]},{"name":"CRYPT_XML_SIGNATURES_MAX","features":[392]},{"name":"CRYPT_XML_SIGNATURE_VALUE_MAX","features":[392]},{"name":"CRYPT_XML_SIGNED_INFO","features":[392]},{"name":"CRYPT_XML_SIGN_ADD_KEYVALUE","features":[392]},{"name":"CRYPT_XML_STATUS","features":[392]},{"name":"CRYPT_XML_STATUS_DIGESTING","features":[392]},{"name":"CRYPT_XML_STATUS_DIGEST_VALID","features":[392]},{"name":"CRYPT_XML_STATUS_ERROR_DIGEST_INVALID","features":[392]},{"name":"CRYPT_XML_STATUS_ERROR_KEYINFO_NOT_PARSED","features":[392]},{"name":"CRYPT_XML_STATUS_ERROR_NOT_RESOLVED","features":[392]},{"name":"CRYPT_XML_STATUS_ERROR_NOT_SUPPORTED_ALGORITHM","features":[392]},{"name":"CRYPT_XML_STATUS_ERROR_NOT_SUPPORTED_TRANSFORM","features":[392]},{"name":"CRYPT_XML_STATUS_ERROR_SIGNATURE_INVALID","features":[392]},{"name":"CRYPT_XML_STATUS_ERROR_STATUS","features":[392]},{"name":"CRYPT_XML_STATUS_INFO_STATUS","features":[392]},{"name":"CRYPT_XML_STATUS_INTERNAL_REFERENCE","features":[392]},{"name":"CRYPT_XML_STATUS_KEY_AVAILABLE","features":[392]},{"name":"CRYPT_XML_STATUS_NO_ERROR","features":[392]},{"name":"CRYPT_XML_STATUS_OPENED_TO_ENCODE","features":[392]},{"name":"CRYPT_XML_STATUS_SIGNATURE_VALID","features":[392]},{"name":"CRYPT_XML_TRANSFORM_CHAIN_CONFIG","features":[392]},{"name":"CRYPT_XML_TRANSFORM_FLAGS","features":[392]},{"name":"CRYPT_XML_TRANSFORM_INFO","features":[392]},{"name":"CRYPT_XML_TRANSFORM_MAX","features":[392]},{"name":"CRYPT_XML_TRANSFORM_ON_NODESET","features":[392]},{"name":"CRYPT_XML_TRANSFORM_ON_STREAM","features":[392]},{"name":"CRYPT_XML_TRANSFORM_URI_QUERY_STRING","features":[392]},{"name":"CRYPT_XML_X509DATA","features":[392]},{"name":"CRYPT_XML_X509DATA_ITEM","features":[392]},{"name":"CRYPT_XML_X509DATA_TYPE","features":[392]},{"name":"CRYPT_XML_X509DATA_TYPE_CERTIFICATE","features":[392]},{"name":"CRYPT_XML_X509DATA_TYPE_CRL","features":[392]},{"name":"CRYPT_XML_X509DATA_TYPE_CUSTOM","features":[392]},{"name":"CRYPT_XML_X509DATA_TYPE_ISSUER_SERIAL","features":[392]},{"name":"CRYPT_XML_X509DATA_TYPE_SKI","features":[392]},{"name":"CRYPT_XML_X509DATA_TYPE_SUBJECT_NAME","features":[392]},{"name":"CRYPT_Y_ONLY","features":[392]},{"name":"CTL_ANY_SUBJECT_INFO","features":[392]},{"name":"CTL_ANY_SUBJECT_TYPE","features":[392]},{"name":"CTL_CERT_SUBJECT_TYPE","features":[392]},{"name":"CTL_CONTEXT","features":[308,392]},{"name":"CTL_ENTRY","features":[392]},{"name":"CTL_ENTRY_FROM_PROP_CHAIN_FLAG","features":[392]},{"name":"CTL_FIND_ANY","features":[392]},{"name":"CTL_FIND_EXISTING","features":[392]},{"name":"CTL_FIND_MD5_HASH","features":[392]},{"name":"CTL_FIND_NO_LIST_ID_CBDATA","features":[392]},{"name":"CTL_FIND_SAME_USAGE_FLAG","features":[392]},{"name":"CTL_FIND_SHA1_HASH","features":[392]},{"name":"CTL_FIND_SUBJECT","features":[392]},{"name":"CTL_FIND_SUBJECT_PARA","features":[308,392]},{"name":"CTL_FIND_USAGE","features":[392]},{"name":"CTL_FIND_USAGE_PARA","features":[308,392]},{"name":"CTL_INFO","features":[308,392]},{"name":"CTL_USAGE","features":[392]},{"name":"CTL_USAGE_MATCH","features":[392]},{"name":"CTL_V1","features":[392]},{"name":"CTL_VERIFY_USAGE_PARA","features":[392]},{"name":"CTL_VERIFY_USAGE_STATUS","features":[308,392]},{"name":"CUR_BLOB_VERSION","features":[392]},{"name":"CertAddCRLContextToStore","features":[308,392]},{"name":"CertAddCRLLinkToStore","features":[308,392]},{"name":"CertAddCTLContextToStore","features":[308,392]},{"name":"CertAddCTLLinkToStore","features":[308,392]},{"name":"CertAddCertificateContextToStore","features":[308,392]},{"name":"CertAddCertificateLinkToStore","features":[308,392]},{"name":"CertAddEncodedCRLToStore","features":[308,392]},{"name":"CertAddEncodedCTLToStore","features":[308,392]},{"name":"CertAddEncodedCertificateToStore","features":[308,392]},{"name":"CertAddEncodedCertificateToSystemStoreA","features":[308,392]},{"name":"CertAddEncodedCertificateToSystemStoreW","features":[308,392]},{"name":"CertAddEnhancedKeyUsageIdentifier","features":[308,392]},{"name":"CertAddRefServerOcspResponse","features":[392]},{"name":"CertAddRefServerOcspResponseContext","features":[392]},{"name":"CertAddSerializedElementToStore","features":[308,392]},{"name":"CertAddStoreToCollection","features":[308,392]},{"name":"CertAlgIdToOID","features":[392]},{"name":"CertCloseServerOcspResponse","features":[392]},{"name":"CertCloseStore","features":[308,392]},{"name":"CertCompareCertificate","features":[308,392]},{"name":"CertCompareCertificateName","features":[308,392]},{"name":"CertCompareIntegerBlob","features":[308,392]},{"name":"CertComparePublicKeyInfo","features":[308,392]},{"name":"CertControlStore","features":[308,392]},{"name":"CertCreateCRLContext","features":[308,392]},{"name":"CertCreateCTLContext","features":[308,392]},{"name":"CertCreateCTLEntryFromCertificateContextProperties","features":[308,392]},{"name":"CertCreateCertificateChainEngine","features":[308,392]},{"name":"CertCreateCertificateContext","features":[308,392]},{"name":"CertCreateContext","features":[308,392]},{"name":"CertCreateSelfSignCertificate","features":[308,392]},{"name":"CertDeleteCRLFromStore","features":[308,392]},{"name":"CertDeleteCTLFromStore","features":[308,392]},{"name":"CertDeleteCertificateFromStore","features":[308,392]},{"name":"CertDuplicateCRLContext","features":[308,392]},{"name":"CertDuplicateCTLContext","features":[308,392]},{"name":"CertDuplicateCertificateChain","features":[308,392]},{"name":"CertDuplicateCertificateContext","features":[308,392]},{"name":"CertDuplicateStore","features":[392]},{"name":"CertEnumCRLContextProperties","features":[308,392]},{"name":"CertEnumCRLsInStore","features":[308,392]},{"name":"CertEnumCTLContextProperties","features":[308,392]},{"name":"CertEnumCTLsInStore","features":[308,392]},{"name":"CertEnumCertificateContextProperties","features":[308,392]},{"name":"CertEnumCertificatesInStore","features":[308,392]},{"name":"CertEnumPhysicalStore","features":[308,392]},{"name":"CertEnumSubjectInSortedCTL","features":[308,392]},{"name":"CertEnumSystemStore","features":[308,392]},{"name":"CertEnumSystemStoreLocation","features":[308,392]},{"name":"CertFindAttribute","features":[392]},{"name":"CertFindCRLInStore","features":[308,392]},{"name":"CertFindCTLInStore","features":[308,392]},{"name":"CertFindCertificateInCRL","features":[308,392]},{"name":"CertFindCertificateInStore","features":[308,392]},{"name":"CertFindChainInStore","features":[308,392]},{"name":"CertFindExtension","features":[308,392]},{"name":"CertFindRDNAttr","features":[392]},{"name":"CertFindSubjectInCTL","features":[308,392]},{"name":"CertFindSubjectInSortedCTL","features":[308,392]},{"name":"CertFreeCRLContext","features":[308,392]},{"name":"CertFreeCTLContext","features":[308,392]},{"name":"CertFreeCertificateChain","features":[308,392]},{"name":"CertFreeCertificateChainEngine","features":[392]},{"name":"CertFreeCertificateChainList","features":[308,392]},{"name":"CertFreeCertificateContext","features":[308,392]},{"name":"CertFreeServerOcspResponseContext","features":[392]},{"name":"CertGetCRLContextProperty","features":[308,392]},{"name":"CertGetCRLFromStore","features":[308,392]},{"name":"CertGetCTLContextProperty","features":[308,392]},{"name":"CertGetCertificateChain","features":[308,392]},{"name":"CertGetCertificateContextProperty","features":[308,392]},{"name":"CertGetEnhancedKeyUsage","features":[308,392]},{"name":"CertGetIntendedKeyUsage","features":[308,392]},{"name":"CertGetIssuerCertificateFromStore","features":[308,392]},{"name":"CertGetNameStringA","features":[308,392]},{"name":"CertGetNameStringW","features":[308,392]},{"name":"CertGetPublicKeyLength","features":[392]},{"name":"CertGetServerOcspResponseContext","features":[392]},{"name":"CertGetStoreProperty","features":[308,392]},{"name":"CertGetSubjectCertificateFromStore","features":[308,392]},{"name":"CertGetValidUsages","features":[308,392]},{"name":"CertIsRDNAttrsInCertificateName","features":[308,392]},{"name":"CertIsStrongHashToSign","features":[308,392]},{"name":"CertIsValidCRLForCertificate","features":[308,392]},{"name":"CertIsWeakHash","features":[308,392]},{"name":"CertKeyType","features":[392]},{"name":"CertNameToStrA","features":[392]},{"name":"CertNameToStrW","features":[392]},{"name":"CertOIDToAlgId","features":[392]},{"name":"CertOpenServerOcspResponse","features":[308,392]},{"name":"CertOpenStore","features":[392]},{"name":"CertOpenSystemStoreA","features":[392]},{"name":"CertOpenSystemStoreW","features":[392]},{"name":"CertRDNValueToStrA","features":[392]},{"name":"CertRDNValueToStrW","features":[392]},{"name":"CertRegisterPhysicalStore","features":[308,392]},{"name":"CertRegisterSystemStore","features":[308,392]},{"name":"CertRemoveEnhancedKeyUsageIdentifier","features":[308,392]},{"name":"CertRemoveStoreFromCollection","features":[392]},{"name":"CertResyncCertificateChainEngine","features":[308,392]},{"name":"CertRetrieveLogoOrBiometricInfo","features":[308,392]},{"name":"CertSaveStore","features":[308,392]},{"name":"CertSelectCertificateChains","features":[308,392]},{"name":"CertSerializeCRLStoreElement","features":[308,392]},{"name":"CertSerializeCTLStoreElement","features":[308,392]},{"name":"CertSerializeCertificateStoreElement","features":[308,392]},{"name":"CertSetCRLContextProperty","features":[308,392]},{"name":"CertSetCTLContextProperty","features":[308,392]},{"name":"CertSetCertificateContextPropertiesFromCTLEntry","features":[308,392]},{"name":"CertSetCertificateContextProperty","features":[308,392]},{"name":"CertSetEnhancedKeyUsage","features":[308,392]},{"name":"CertSetStoreProperty","features":[308,392]},{"name":"CertStrToNameA","features":[308,392]},{"name":"CertStrToNameW","features":[308,392]},{"name":"CertUnregisterPhysicalStore","features":[308,392]},{"name":"CertUnregisterSystemStore","features":[308,392]},{"name":"CertVerifyCRLRevocation","features":[308,392]},{"name":"CertVerifyCRLTimeValidity","features":[308,392]},{"name":"CertVerifyCTLUsage","features":[308,392]},{"name":"CertVerifyCertificateChainPolicy","features":[308,392]},{"name":"CertVerifyRevocation","features":[308,392]},{"name":"CertVerifySubjectCertificateContext","features":[308,392]},{"name":"CertVerifyTimeValidity","features":[308,392]},{"name":"CertVerifyValidityNesting","features":[308,392]},{"name":"CloseCryptoHandle","features":[392]},{"name":"CryptAcquireCertificatePrivateKey","features":[308,392]},{"name":"CryptAcquireContextA","features":[308,392]},{"name":"CryptAcquireContextW","features":[308,392]},{"name":"CryptBinaryToStringA","features":[308,392]},{"name":"CryptBinaryToStringW","features":[308,392]},{"name":"CryptCloseAsyncHandle","features":[308,392]},{"name":"CryptContextAddRef","features":[308,392]},{"name":"CryptCreateAsyncHandle","features":[308,392]},{"name":"CryptCreateHash","features":[308,392]},{"name":"CryptCreateKeyIdentifierFromCSP","features":[308,392]},{"name":"CryptDecodeMessage","features":[308,392]},{"name":"CryptDecodeObject","features":[308,392]},{"name":"CryptDecodeObjectEx","features":[308,392]},{"name":"CryptDecrypt","features":[308,392]},{"name":"CryptDecryptAndVerifyMessageSignature","features":[308,392]},{"name":"CryptDecryptMessage","features":[308,392]},{"name":"CryptDeriveKey","features":[308,392]},{"name":"CryptDestroyHash","features":[308,392]},{"name":"CryptDestroyKey","features":[308,392]},{"name":"CryptDuplicateHash","features":[308,392]},{"name":"CryptDuplicateKey","features":[308,392]},{"name":"CryptEncodeObject","features":[308,392]},{"name":"CryptEncodeObjectEx","features":[308,392]},{"name":"CryptEncrypt","features":[308,392]},{"name":"CryptEncryptMessage","features":[308,392]},{"name":"CryptEnumKeyIdentifierProperties","features":[308,392]},{"name":"CryptEnumOIDFunction","features":[308,392]},{"name":"CryptEnumOIDInfo","features":[308,392]},{"name":"CryptEnumProviderTypesA","features":[308,392]},{"name":"CryptEnumProviderTypesW","features":[308,392]},{"name":"CryptEnumProvidersA","features":[308,392]},{"name":"CryptEnumProvidersW","features":[308,392]},{"name":"CryptExportKey","features":[308,392]},{"name":"CryptExportPKCS8","features":[308,392]},{"name":"CryptExportPublicKeyInfo","features":[308,392]},{"name":"CryptExportPublicKeyInfoEx","features":[308,392]},{"name":"CryptExportPublicKeyInfoFromBCryptKeyHandle","features":[308,392]},{"name":"CryptFindCertificateKeyProvInfo","features":[308,392]},{"name":"CryptFindLocalizedName","features":[392]},{"name":"CryptFindOIDInfo","features":[392]},{"name":"CryptFormatObject","features":[308,392]},{"name":"CryptFreeOIDFunctionAddress","features":[308,392]},{"name":"CryptGenKey","features":[308,392]},{"name":"CryptGenRandom","features":[308,392]},{"name":"CryptGetAsyncParam","features":[308,392]},{"name":"CryptGetDefaultOIDDllList","features":[308,392]},{"name":"CryptGetDefaultOIDFunctionAddress","features":[308,392]},{"name":"CryptGetDefaultProviderA","features":[308,392]},{"name":"CryptGetDefaultProviderW","features":[308,392]},{"name":"CryptGetHashParam","features":[308,392]},{"name":"CryptGetKeyIdentifierProperty","features":[308,392]},{"name":"CryptGetKeyParam","features":[308,392]},{"name":"CryptGetMessageCertificates","features":[392]},{"name":"CryptGetMessageSignerCount","features":[392]},{"name":"CryptGetOIDFunctionAddress","features":[308,392]},{"name":"CryptGetOIDFunctionValue","features":[308,392]},{"name":"CryptGetObjectUrl","features":[308,392]},{"name":"CryptGetProvParam","features":[308,392]},{"name":"CryptGetUserKey","features":[308,392]},{"name":"CryptHashCertificate","features":[308,392]},{"name":"CryptHashCertificate2","features":[308,392]},{"name":"CryptHashData","features":[308,392]},{"name":"CryptHashMessage","features":[308,392]},{"name":"CryptHashPublicKeyInfo","features":[308,392]},{"name":"CryptHashSessionKey","features":[308,392]},{"name":"CryptHashToBeSigned","features":[308,392]},{"name":"CryptImportKey","features":[308,392]},{"name":"CryptImportPKCS8","features":[308,392]},{"name":"CryptImportPublicKeyInfo","features":[308,392]},{"name":"CryptImportPublicKeyInfoEx","features":[308,392]},{"name":"CryptImportPublicKeyInfoEx2","features":[308,392]},{"name":"CryptInitOIDFunctionSet","features":[392]},{"name":"CryptInstallCancelRetrieval","features":[308,392]},{"name":"CryptInstallDefaultContext","features":[308,392]},{"name":"CryptInstallOIDFunctionAddress","features":[308,392]},{"name":"CryptMemAlloc","features":[392]},{"name":"CryptMemFree","features":[392]},{"name":"CryptMemRealloc","features":[392]},{"name":"CryptMsgCalculateEncodedLength","features":[392]},{"name":"CryptMsgClose","features":[308,392]},{"name":"CryptMsgControl","features":[308,392]},{"name":"CryptMsgCountersign","features":[308,392]},{"name":"CryptMsgCountersignEncoded","features":[308,392]},{"name":"CryptMsgDuplicate","features":[392]},{"name":"CryptMsgEncodeAndSignCTL","features":[308,392]},{"name":"CryptMsgGetAndVerifySigner","features":[308,392]},{"name":"CryptMsgGetParam","features":[308,392]},{"name":"CryptMsgOpenToDecode","features":[308,392]},{"name":"CryptMsgOpenToEncode","features":[308,392]},{"name":"CryptMsgSignCTL","features":[308,392]},{"name":"CryptMsgUpdate","features":[308,392]},{"name":"CryptMsgVerifyCountersignatureEncoded","features":[308,392]},{"name":"CryptMsgVerifyCountersignatureEncodedEx","features":[308,392]},{"name":"CryptProtectData","features":[308,392]},{"name":"CryptProtectMemory","features":[308,392]},{"name":"CryptQueryObject","features":[308,392]},{"name":"CryptRegisterDefaultOIDFunction","features":[308,392]},{"name":"CryptRegisterOIDFunction","features":[308,392]},{"name":"CryptRegisterOIDInfo","features":[308,392]},{"name":"CryptReleaseContext","features":[308,392]},{"name":"CryptRetrieveObjectByUrlA","features":[308,392]},{"name":"CryptRetrieveObjectByUrlW","features":[308,392]},{"name":"CryptRetrieveTimeStamp","features":[308,392]},{"name":"CryptSetAsyncParam","features":[308,392]},{"name":"CryptSetHashParam","features":[308,392]},{"name":"CryptSetKeyIdentifierProperty","features":[308,392]},{"name":"CryptSetKeyParam","features":[308,392]},{"name":"CryptSetOIDFunctionValue","features":[308,392,369]},{"name":"CryptSetProvParam","features":[308,392]},{"name":"CryptSetProviderA","features":[308,392]},{"name":"CryptSetProviderExA","features":[308,392]},{"name":"CryptSetProviderExW","features":[308,392]},{"name":"CryptSetProviderW","features":[308,392]},{"name":"CryptSignAndEncodeCertificate","features":[308,392]},{"name":"CryptSignAndEncryptMessage","features":[308,392]},{"name":"CryptSignCertificate","features":[308,392]},{"name":"CryptSignHashA","features":[308,392]},{"name":"CryptSignHashW","features":[308,392]},{"name":"CryptSignMessage","features":[308,392]},{"name":"CryptSignMessageWithKey","features":[308,392]},{"name":"CryptStringToBinaryA","features":[308,392]},{"name":"CryptStringToBinaryW","features":[308,392]},{"name":"CryptUninstallCancelRetrieval","features":[308,392]},{"name":"CryptUninstallDefaultContext","features":[308,392]},{"name":"CryptUnprotectData","features":[308,392]},{"name":"CryptUnprotectMemory","features":[308,392]},{"name":"CryptUnregisterDefaultOIDFunction","features":[308,392]},{"name":"CryptUnregisterOIDFunction","features":[308,392]},{"name":"CryptUnregisterOIDInfo","features":[308,392]},{"name":"CryptUpdateProtectedState","features":[308,392]},{"name":"CryptVerifyCertificateSignature","features":[308,392]},{"name":"CryptVerifyCertificateSignatureEx","features":[308,392]},{"name":"CryptVerifyDetachedMessageHash","features":[308,392]},{"name":"CryptVerifyDetachedMessageSignature","features":[308,392]},{"name":"CryptVerifyMessageHash","features":[308,392]},{"name":"CryptVerifyMessageSignature","features":[308,392]},{"name":"CryptVerifyMessageSignatureWithKey","features":[308,392]},{"name":"CryptVerifySignatureA","features":[308,392]},{"name":"CryptVerifySignatureW","features":[308,392]},{"name":"CryptVerifyTimeStampSignature","features":[308,392]},{"name":"CryptXmlAddObject","features":[392]},{"name":"CryptXmlClose","features":[392]},{"name":"CryptXmlCreateReference","features":[392]},{"name":"CryptXmlDigestReference","features":[392]},{"name":"CryptXmlDllCloseDigest","features":[392]},{"name":"CryptXmlDllCreateDigest","features":[392]},{"name":"CryptXmlDllCreateKey","features":[392]},{"name":"CryptXmlDllDigestData","features":[392]},{"name":"CryptXmlDllEncodeAlgorithm","features":[392]},{"name":"CryptXmlDllEncodeKeyValue","features":[392]},{"name":"CryptXmlDllFinalizeDigest","features":[392]},{"name":"CryptXmlDllGetAlgorithmInfo","features":[392]},{"name":"CryptXmlDllGetInterface","features":[392]},{"name":"CryptXmlDllSignData","features":[392]},{"name":"CryptXmlDllVerifySignature","features":[392]},{"name":"CryptXmlEncode","features":[392]},{"name":"CryptXmlEnumAlgorithmInfo","features":[308,392]},{"name":"CryptXmlFindAlgorithmInfo","features":[392]},{"name":"CryptXmlGetAlgorithmInfo","features":[392]},{"name":"CryptXmlGetDocContext","features":[392]},{"name":"CryptXmlGetReference","features":[392]},{"name":"CryptXmlGetSignature","features":[392]},{"name":"CryptXmlGetStatus","features":[392]},{"name":"CryptXmlGetTransforms","features":[392]},{"name":"CryptXmlImportPublicKey","features":[392]},{"name":"CryptXmlOpenToDecode","features":[392]},{"name":"CryptXmlOpenToEncode","features":[392]},{"name":"CryptXmlSetHMACSecret","features":[392]},{"name":"CryptXmlSign","features":[392]},{"name":"CryptXmlVerifySignature","features":[392]},{"name":"DSAFIPSVERSION_ENUM","features":[392]},{"name":"DSA_FIPS186_2","features":[392]},{"name":"DSA_FIPS186_3","features":[392]},{"name":"DSA_HASH_ALGORITHM_SHA1","features":[392]},{"name":"DSA_HASH_ALGORITHM_SHA256","features":[392]},{"name":"DSA_HASH_ALGORITHM_SHA512","features":[392]},{"name":"DSSSEED","features":[392]},{"name":"Decrypt","features":[308,392]},{"name":"Direction","features":[392]},{"name":"DirectionDecrypt","features":[392]},{"name":"DirectionEncrypt","features":[392]},{"name":"ECC_CMS_SHARED_INFO","features":[392]},{"name":"ECC_CURVE_ALG_ID_ENUM","features":[392]},{"name":"ECC_CURVE_TYPE_ENUM","features":[392]},{"name":"ENDPOINTADDRESS","features":[392]},{"name":"ENDPOINTADDRESS2","features":[392]},{"name":"ENUM_CEPSETUPPROP_AUTHENTICATION","features":[392]},{"name":"ENUM_CEPSETUPPROP_CAINFORMATION","features":[392]},{"name":"ENUM_CEPSETUPPROP_CHALLENGEURL","features":[392]},{"name":"ENUM_CEPSETUPPROP_EXCHANGEKEYINFORMATION","features":[392]},{"name":"ENUM_CEPSETUPPROP_KEYBASED_RENEWAL","features":[392]},{"name":"ENUM_CEPSETUPPROP_MSCEPURL","features":[392]},{"name":"ENUM_CEPSETUPPROP_RANAME_CITY","features":[392]},{"name":"ENUM_CEPSETUPPROP_RANAME_CN","features":[392]},{"name":"ENUM_CEPSETUPPROP_RANAME_COMPANY","features":[392]},{"name":"ENUM_CEPSETUPPROP_RANAME_COUNTRY","features":[392]},{"name":"ENUM_CEPSETUPPROP_RANAME_DEPT","features":[392]},{"name":"ENUM_CEPSETUPPROP_RANAME_EMAIL","features":[392]},{"name":"ENUM_CEPSETUPPROP_RANAME_STATE","features":[392]},{"name":"ENUM_CEPSETUPPROP_SIGNINGKEYINFORMATION","features":[392]},{"name":"ENUM_CEPSETUPPROP_SSLCERTHASH","features":[392]},{"name":"ENUM_CEPSETUPPROP_URL","features":[392]},{"name":"ENUM_CEPSETUPPROP_USECHALLENGE","features":[392]},{"name":"ENUM_CEPSETUPPROP_USELOCALSYSTEM","features":[392]},{"name":"ENUM_CESSETUPPROP_ALLOW_KEYBASED_RENEWAL","features":[392]},{"name":"ENUM_CESSETUPPROP_AUTHENTICATION","features":[392]},{"name":"ENUM_CESSETUPPROP_CACONFIG","features":[392]},{"name":"ENUM_CESSETUPPROP_RENEWALONLY","features":[392]},{"name":"ENUM_CESSETUPPROP_SSLCERTHASH","features":[392]},{"name":"ENUM_CESSETUPPROP_URL","features":[392]},{"name":"ENUM_CESSETUPPROP_USE_IISAPPPOOLIDENTITY","features":[392]},{"name":"ENUM_SETUPPROP_CADSSUFFIX","features":[392]},{"name":"ENUM_SETUPPROP_CAKEYINFORMATION","features":[392]},{"name":"ENUM_SETUPPROP_CANAME","features":[392]},{"name":"ENUM_SETUPPROP_CATYPE","features":[392]},{"name":"ENUM_SETUPPROP_DATABASEDIRECTORY","features":[392]},{"name":"ENUM_SETUPPROP_EXPIRATIONDATE","features":[392]},{"name":"ENUM_SETUPPROP_INTERACTIVE","features":[392]},{"name":"ENUM_SETUPPROP_INVALID","features":[392]},{"name":"ENUM_SETUPPROP_LOGDIRECTORY","features":[392]},{"name":"ENUM_SETUPPROP_PARENTCAMACHINE","features":[392]},{"name":"ENUM_SETUPPROP_PARENTCANAME","features":[392]},{"name":"ENUM_SETUPPROP_PRESERVEDATABASE","features":[392]},{"name":"ENUM_SETUPPROP_REQUESTFILE","features":[392]},{"name":"ENUM_SETUPPROP_SHAREDFOLDER","features":[392]},{"name":"ENUM_SETUPPROP_VALIDITYPERIOD","features":[392]},{"name":"ENUM_SETUPPROP_VALIDITYPERIODUNIT","features":[392]},{"name":"ENUM_SETUPPROP_WEBCAMACHINE","features":[392]},{"name":"ENUM_SETUPPROP_WEBCANAME","features":[392]},{"name":"EV_EXTRA_CERT_CHAIN_POLICY_PARA","features":[392]},{"name":"EV_EXTRA_CERT_CHAIN_POLICY_STATUS","features":[392]},{"name":"EXPORT_PRIVATE_KEYS","features":[392]},{"name":"EXPO_OFFLOAD_FUNC_NAME","features":[392]},{"name":"EXPO_OFFLOAD_REG_VALUE","features":[392]},{"name":"E_ICARD_ARGUMENT","features":[392]},{"name":"E_ICARD_COMMUNICATION","features":[392]},{"name":"E_ICARD_DATA_ACCESS","features":[392]},{"name":"E_ICARD_EXPORT","features":[392]},{"name":"E_ICARD_FAIL","features":[392]},{"name":"E_ICARD_FAILED_REQUIRED_CLAIMS","features":[392]},{"name":"E_ICARD_IDENTITY","features":[392]},{"name":"E_ICARD_IMPORT","features":[392]},{"name":"E_ICARD_INFORMATIONCARD","features":[392]},{"name":"E_ICARD_INVALID_PROOF_KEY","features":[392]},{"name":"E_ICARD_LOGOVALIDATION","features":[392]},{"name":"E_ICARD_MISSING_APPLIESTO","features":[392]},{"name":"E_ICARD_PASSWORDVALIDATION","features":[392]},{"name":"E_ICARD_POLICY","features":[392]},{"name":"E_ICARD_PROCESSDIED","features":[392]},{"name":"E_ICARD_REFRESH_REQUIRED","features":[392]},{"name":"E_ICARD_REQUEST","features":[392]},{"name":"E_ICARD_SERVICE","features":[392]},{"name":"E_ICARD_SERVICEBUSY","features":[392]},{"name":"E_ICARD_SHUTTINGDOWN","features":[392]},{"name":"E_ICARD_STOREKEY","features":[392]},{"name":"E_ICARD_STORE_IMPORT","features":[392]},{"name":"E_ICARD_TOKENCREATION","features":[392]},{"name":"E_ICARD_TRUSTEXCHANGE","features":[392]},{"name":"E_ICARD_UI_INITIALIZATION","features":[392]},{"name":"E_ICARD_UNKNOWN_REFERENCE","features":[392]},{"name":"E_ICARD_UNTRUSTED","features":[392]},{"name":"E_ICARD_USERCANCELLED","features":[392]},{"name":"Encrypt","features":[308,392]},{"name":"FindCertsByIssuer","features":[392]},{"name":"FreeToken","features":[308,392]},{"name":"GENERIC_XML_TOKEN","features":[308,392]},{"name":"GenerateDerivedKey","features":[392]},{"name":"GetBrowserToken","features":[392]},{"name":"GetCryptoTransform","features":[392]},{"name":"GetKeyedHash","features":[392]},{"name":"GetToken","features":[308,392]},{"name":"HASHALGORITHM_ENUM","features":[392]},{"name":"HCERTCHAINENGINE","features":[392]},{"name":"HCERTSTORE","features":[392]},{"name":"HCERTSTOREPROV","features":[392]},{"name":"HCRYPTASYNC","features":[392]},{"name":"HCRYPTPROV_LEGACY","features":[392]},{"name":"HCRYPTPROV_OR_NCRYPT_KEY_HANDLE","features":[392]},{"name":"HMAC_INFO","features":[392]},{"name":"HP_ALGID","features":[392]},{"name":"HP_HASHSIZE","features":[392]},{"name":"HP_HASHVAL","features":[392]},{"name":"HP_HMAC_INFO","features":[392]},{"name":"HP_TLS1PRF_LABEL","features":[392]},{"name":"HP_TLS1PRF_SEED","features":[392]},{"name":"HTTPSPOLICY_CALLBACK_DATA_AUTH_TYPE","features":[392]},{"name":"HTTPSPolicyCallbackData","features":[392]},{"name":"HandleType","features":[392]},{"name":"HashCore","features":[392]},{"name":"HashFinal","features":[392]},{"name":"ICertSrvSetup","features":[392,359]},{"name":"ICertSrvSetupKeyInformation","features":[392,359]},{"name":"ICertSrvSetupKeyInformationCollection","features":[392,359]},{"name":"ICertificateEnrollmentPolicyServerSetup","features":[392,359]},{"name":"ICertificateEnrollmentServerSetup","features":[392,359]},{"name":"IFX_RSA_KEYGEN_VUL_AFFECTED_LEVEL_1","features":[392]},{"name":"IFX_RSA_KEYGEN_VUL_AFFECTED_LEVEL_2","features":[392]},{"name":"IFX_RSA_KEYGEN_VUL_NOT_AFFECTED","features":[392]},{"name":"IMSCEPSetup","features":[392,359]},{"name":"INFORMATIONCARD_ASYMMETRIC_CRYPTO_PARAMETERS","features":[392]},{"name":"INFORMATIONCARD_CRYPTO_HANDLE","features":[392]},{"name":"INFORMATIONCARD_HASH_CRYPTO_PARAMETERS","features":[308,392]},{"name":"INFORMATIONCARD_SYMMETRIC_CRYPTO_PARAMETERS","features":[392]},{"name":"INFORMATIONCARD_TRANSFORM_CRYPTO_PARAMETERS","features":[308,392]},{"name":"INTERNATIONAL_USAGE","features":[392]},{"name":"ImportInformationCard","features":[392]},{"name":"KDF_ALGORITHMID","features":[392]},{"name":"KDF_CONTEXT","features":[392]},{"name":"KDF_GENERIC_PARAMETER","features":[392]},{"name":"KDF_HASH_ALGORITHM","features":[392]},{"name":"KDF_HKDF_INFO","features":[392]},{"name":"KDF_HKDF_SALT","features":[392]},{"name":"KDF_HMAC_KEY","features":[392]},{"name":"KDF_ITERATION_COUNT","features":[392]},{"name":"KDF_KEYBITLENGTH","features":[392]},{"name":"KDF_LABEL","features":[392]},{"name":"KDF_PARTYUINFO","features":[392]},{"name":"KDF_PARTYVINFO","features":[392]},{"name":"KDF_SALT","features":[392]},{"name":"KDF_SECRET_APPEND","features":[392]},{"name":"KDF_SECRET_HANDLE","features":[392]},{"name":"KDF_SECRET_PREPEND","features":[392]},{"name":"KDF_SUPPPRIVINFO","features":[392]},{"name":"KDF_SUPPPUBINFO","features":[392]},{"name":"KDF_TLS_PRF_LABEL","features":[392]},{"name":"KDF_TLS_PRF_PROTOCOL","features":[392]},{"name":"KDF_TLS_PRF_SEED","features":[392]},{"name":"KDF_USE_SECRET_AS_HMAC_KEY_FLAG","features":[392]},{"name":"KEYSTATEBLOB","features":[392]},{"name":"KEY_LENGTH_MASK","features":[392]},{"name":"KEY_TYPE_SUBTYPE","features":[392]},{"name":"KP_ADMIN_PIN","features":[392]},{"name":"KP_ALGID","features":[392]},{"name":"KP_BLOCKLEN","features":[392]},{"name":"KP_CERTIFICATE","features":[392]},{"name":"KP_CLEAR_KEY","features":[392]},{"name":"KP_CLIENT_RANDOM","features":[392]},{"name":"KP_CMS_DH_KEY_INFO","features":[392]},{"name":"KP_CMS_KEY_INFO","features":[392]},{"name":"KP_EFFECTIVE_KEYLEN","features":[392]},{"name":"KP_G","features":[392]},{"name":"KP_GET_USE_COUNT","features":[392]},{"name":"KP_HIGHEST_VERSION","features":[392]},{"name":"KP_INFO","features":[392]},{"name":"KP_IV","features":[392]},{"name":"KP_KEYEXCHANGE_PIN","features":[392]},{"name":"KP_KEYLEN","features":[392]},{"name":"KP_KEYVAL","features":[392]},{"name":"KP_MODE","features":[392]},{"name":"KP_MODE_BITS","features":[392]},{"name":"KP_OAEP_PARAMS","features":[392]},{"name":"KP_P","features":[392]},{"name":"KP_PADDING","features":[392]},{"name":"KP_PERMISSIONS","features":[392]},{"name":"KP_PIN_ID","features":[392]},{"name":"KP_PIN_INFO","features":[392]},{"name":"KP_PRECOMP_MD5","features":[392]},{"name":"KP_PRECOMP_SHA","features":[392]},{"name":"KP_PREHASH","features":[392]},{"name":"KP_PUB_EX_LEN","features":[392]},{"name":"KP_PUB_EX_VAL","features":[392]},{"name":"KP_PUB_PARAMS","features":[392]},{"name":"KP_Q","features":[392]},{"name":"KP_RA","features":[392]},{"name":"KP_RB","features":[392]},{"name":"KP_ROUNDS","features":[392]},{"name":"KP_RP","features":[392]},{"name":"KP_SALT","features":[392]},{"name":"KP_SALT_EX","features":[392]},{"name":"KP_SCHANNEL_ALG","features":[392]},{"name":"KP_SERVER_RANDOM","features":[392]},{"name":"KP_SIGNATURE_PIN","features":[392]},{"name":"KP_VERIFY_PARAMS","features":[392]},{"name":"KP_X","features":[392]},{"name":"KP_Y","features":[392]},{"name":"KeyTypeHardware","features":[392]},{"name":"KeyTypeOther","features":[392]},{"name":"KeyTypePassport","features":[392]},{"name":"KeyTypePassportRemote","features":[392]},{"name":"KeyTypePassportSmartCard","features":[392]},{"name":"KeyTypePhysicalSmartCard","features":[392]},{"name":"KeyTypeSelfSigned","features":[392]},{"name":"KeyTypeSoftware","features":[392]},{"name":"KeyTypeVirtualSmartCard","features":[392]},{"name":"LEGACY_DH_PRIVATE_BLOB","features":[392]},{"name":"LEGACY_DH_PUBLIC_BLOB","features":[392]},{"name":"LEGACY_DSA_PRIVATE_BLOB","features":[392]},{"name":"LEGACY_DSA_PUBLIC_BLOB","features":[392]},{"name":"LEGACY_DSA_V2_PRIVATE_BLOB","features":[392]},{"name":"LEGACY_DSA_V2_PUBLIC_BLOB","features":[392]},{"name":"LEGACY_RSAPRIVATE_BLOB","features":[392]},{"name":"LEGACY_RSAPUBLIC_BLOB","features":[392]},{"name":"MAXUIDLEN","features":[392]},{"name":"MICROSOFT_ROOT_CERT_CHAIN_POLICY_CHECK_APPLICATION_ROOT_FLAG","features":[392]},{"name":"MICROSOFT_ROOT_CERT_CHAIN_POLICY_DISABLE_FLIGHT_ROOT_FLAG","features":[392]},{"name":"MICROSOFT_ROOT_CERT_CHAIN_POLICY_ENABLE_TEST_ROOT_FLAG","features":[392]},{"name":"MSCEPSetupProperty","features":[392]},{"name":"MS_DEF_DH_SCHANNEL_PROV","features":[392]},{"name":"MS_DEF_DH_SCHANNEL_PROV_A","features":[392]},{"name":"MS_DEF_DH_SCHANNEL_PROV_W","features":[392]},{"name":"MS_DEF_DSS_DH_PROV","features":[392]},{"name":"MS_DEF_DSS_DH_PROV_A","features":[392]},{"name":"MS_DEF_DSS_DH_PROV_W","features":[392]},{"name":"MS_DEF_DSS_PROV","features":[392]},{"name":"MS_DEF_DSS_PROV_A","features":[392]},{"name":"MS_DEF_DSS_PROV_W","features":[392]},{"name":"MS_DEF_PROV","features":[392]},{"name":"MS_DEF_PROV_A","features":[392]},{"name":"MS_DEF_PROV_W","features":[392]},{"name":"MS_DEF_RSA_SCHANNEL_PROV","features":[392]},{"name":"MS_DEF_RSA_SCHANNEL_PROV_A","features":[392]},{"name":"MS_DEF_RSA_SCHANNEL_PROV_W","features":[392]},{"name":"MS_DEF_RSA_SIG_PROV","features":[392]},{"name":"MS_DEF_RSA_SIG_PROV_A","features":[392]},{"name":"MS_DEF_RSA_SIG_PROV_W","features":[392]},{"name":"MS_ENHANCED_PROV","features":[392]},{"name":"MS_ENHANCED_PROV_A","features":[392]},{"name":"MS_ENHANCED_PROV_W","features":[392]},{"name":"MS_ENH_DSS_DH_PROV","features":[392]},{"name":"MS_ENH_DSS_DH_PROV_A","features":[392]},{"name":"MS_ENH_DSS_DH_PROV_W","features":[392]},{"name":"MS_ENH_RSA_AES_PROV","features":[392]},{"name":"MS_ENH_RSA_AES_PROV_A","features":[392]},{"name":"MS_ENH_RSA_AES_PROV_W","features":[392]},{"name":"MS_ENH_RSA_AES_PROV_XP","features":[392]},{"name":"MS_ENH_RSA_AES_PROV_XP_A","features":[392]},{"name":"MS_ENH_RSA_AES_PROV_XP_W","features":[392]},{"name":"MS_KEY_PROTECTION_PROVIDER","features":[392]},{"name":"MS_KEY_STORAGE_PROVIDER","features":[392]},{"name":"MS_NGC_KEY_STORAGE_PROVIDER","features":[392]},{"name":"MS_PLATFORM_CRYPTO_PROVIDER","features":[392]},{"name":"MS_PLATFORM_KEY_STORAGE_PROVIDER","features":[392]},{"name":"MS_PRIMITIVE_PROVIDER","features":[392]},{"name":"MS_SCARD_PROV","features":[392]},{"name":"MS_SCARD_PROV_A","features":[392]},{"name":"MS_SCARD_PROV_W","features":[392]},{"name":"MS_SMART_CARD_KEY_STORAGE_PROVIDER","features":[392]},{"name":"MS_STRONG_PROV","features":[392]},{"name":"MS_STRONG_PROV_A","features":[392]},{"name":"MS_STRONG_PROV_W","features":[392]},{"name":"ManageCardSpace","features":[392]},{"name":"NCRYPTBUFFER_ATTESTATIONSTATEMENT_BLOB","features":[392]},{"name":"NCRYPTBUFFER_ATTESTATION_CLAIM_CHALLENGE_REQUIRED","features":[392]},{"name":"NCRYPTBUFFER_ATTESTATION_CLAIM_TYPE","features":[392]},{"name":"NCRYPTBUFFER_CERT_BLOB","features":[392]},{"name":"NCRYPTBUFFER_CLAIM_IDBINDING_NONCE","features":[392]},{"name":"NCRYPTBUFFER_CLAIM_KEYATTESTATION_NONCE","features":[392]},{"name":"NCRYPTBUFFER_DATA","features":[392]},{"name":"NCRYPTBUFFER_ECC_CURVE_NAME","features":[392]},{"name":"NCRYPTBUFFER_ECC_PARAMETERS","features":[392]},{"name":"NCRYPTBUFFER_EMPTY","features":[392]},{"name":"NCRYPTBUFFER_KEY_PROPERTY_FLAGS","features":[392]},{"name":"NCRYPTBUFFER_PKCS_ALG_ID","features":[392]},{"name":"NCRYPTBUFFER_PKCS_ALG_OID","features":[392]},{"name":"NCRYPTBUFFER_PKCS_ALG_PARAM","features":[392]},{"name":"NCRYPTBUFFER_PKCS_ATTRS","features":[392]},{"name":"NCRYPTBUFFER_PKCS_KEY_NAME","features":[392]},{"name":"NCRYPTBUFFER_PKCS_OID","features":[392]},{"name":"NCRYPTBUFFER_PKCS_SECRET","features":[392]},{"name":"NCRYPTBUFFER_PROTECTION_DESCRIPTOR_STRING","features":[392]},{"name":"NCRYPTBUFFER_PROTECTION_FLAGS","features":[392]},{"name":"NCRYPTBUFFER_SSL_CLEAR_KEY","features":[392]},{"name":"NCRYPTBUFFER_SSL_CLIENT_RANDOM","features":[392]},{"name":"NCRYPTBUFFER_SSL_HIGHEST_VERSION","features":[392]},{"name":"NCRYPTBUFFER_SSL_KEY_ARG_DATA","features":[392]},{"name":"NCRYPTBUFFER_SSL_SERVER_RANDOM","features":[392]},{"name":"NCRYPTBUFFER_SSL_SESSION_HASH","features":[392]},{"name":"NCRYPTBUFFER_TPM_PLATFORM_CLAIM_NONCE","features":[392]},{"name":"NCRYPTBUFFER_TPM_PLATFORM_CLAIM_PCR_MASK","features":[392]},{"name":"NCRYPTBUFFER_TPM_PLATFORM_CLAIM_STATIC_CREATE","features":[392]},{"name":"NCRYPTBUFFER_TPM_SEAL_NO_DA_PROTECTION","features":[392]},{"name":"NCRYPTBUFFER_TPM_SEAL_PASSWORD","features":[392]},{"name":"NCRYPTBUFFER_TPM_SEAL_POLICYINFO","features":[392]},{"name":"NCRYPTBUFFER_TPM_SEAL_TICKET","features":[392]},{"name":"NCRYPTBUFFER_VERSION","features":[392]},{"name":"NCRYPTBUFFER_VSM_KEY_ATTESTATION_CLAIM_RESTRICTIONS","features":[392]},{"name":"NCRYPT_3DES_112_ALGORITHM","features":[392]},{"name":"NCRYPT_3DES_ALGORITHM","features":[392]},{"name":"NCRYPT_AES_ALGORITHM","features":[392]},{"name":"NCRYPT_AES_ALGORITHM_GROUP","features":[392]},{"name":"NCRYPT_ALGORITHM_GROUP_PROPERTY","features":[392]},{"name":"NCRYPT_ALGORITHM_NAME_CLASS","features":[392]},{"name":"NCRYPT_ALGORITHM_PROPERTY","features":[392]},{"name":"NCRYPT_ALLOC_PARA","features":[392]},{"name":"NCRYPT_ALLOW_ALL_USAGES","features":[392]},{"name":"NCRYPT_ALLOW_ARCHIVING_FLAG","features":[392]},{"name":"NCRYPT_ALLOW_DECRYPT_FLAG","features":[392]},{"name":"NCRYPT_ALLOW_EXPORT_FLAG","features":[392]},{"name":"NCRYPT_ALLOW_KEY_AGREEMENT_FLAG","features":[392]},{"name":"NCRYPT_ALLOW_KEY_IMPORT_FLAG","features":[392]},{"name":"NCRYPT_ALLOW_PLAINTEXT_ARCHIVING_FLAG","features":[392]},{"name":"NCRYPT_ALLOW_PLAINTEXT_EXPORT_FLAG","features":[392]},{"name":"NCRYPT_ALLOW_SIGNING_FLAG","features":[392]},{"name":"NCRYPT_ALLOW_SILENT_KEY_ACCESS","features":[392]},{"name":"NCRYPT_ALTERNATE_KEY_STORAGE_LOCATION_PROPERTY","features":[392]},{"name":"NCRYPT_ASSOCIATED_ECDH_KEY","features":[392]},{"name":"NCRYPT_ASYMMETRIC_ENCRYPTION_INTERFACE","features":[392]},{"name":"NCRYPT_ASYMMETRIC_ENCRYPTION_OPERATION","features":[392]},{"name":"NCRYPT_ATTESTATION_FLAG","features":[392]},{"name":"NCRYPT_AUTHORITY_KEY_FLAG","features":[392]},{"name":"NCRYPT_AUTH_TAG_LENGTH","features":[392]},{"name":"NCRYPT_BLOCK_LENGTH_PROPERTY","features":[392]},{"name":"NCRYPT_CAPI_KDF_ALGORITHM","features":[392]},{"name":"NCRYPT_CERTIFICATE_PROPERTY","features":[392]},{"name":"NCRYPT_CHAINING_MODE_PROPERTY","features":[392]},{"name":"NCRYPT_CHANGEPASSWORD_PROPERTY","features":[392]},{"name":"NCRYPT_CIPHER_BLOCK_PADDING_FLAG","features":[392]},{"name":"NCRYPT_CIPHER_KEY_BLOB","features":[392]},{"name":"NCRYPT_CIPHER_KEY_BLOB_MAGIC","features":[392]},{"name":"NCRYPT_CIPHER_NO_PADDING_FLAG","features":[392]},{"name":"NCRYPT_CIPHER_OPERATION","features":[392]},{"name":"NCRYPT_CIPHER_OTHER_PADDING_FLAG","features":[392]},{"name":"NCRYPT_CIPHER_PADDING_INFO","features":[392]},{"name":"NCRYPT_CLAIM_AUTHORITY_AND_SUBJECT","features":[392]},{"name":"NCRYPT_CLAIM_AUTHORITY_ONLY","features":[392]},{"name":"NCRYPT_CLAIM_PLATFORM","features":[392]},{"name":"NCRYPT_CLAIM_SUBJECT_ONLY","features":[392]},{"name":"NCRYPT_CLAIM_UNKNOWN","features":[392]},{"name":"NCRYPT_CLAIM_VSM_KEY_ATTESTATION_STATEMENT","features":[392]},{"name":"NCRYPT_CLAIM_WEB_AUTH_SUBJECT_ONLY","features":[392]},{"name":"NCRYPT_DESCR_DELIMITER_AND","features":[392]},{"name":"NCRYPT_DESCR_DELIMITER_OR","features":[392]},{"name":"NCRYPT_DESCR_EQUAL","features":[392]},{"name":"NCRYPT_DESX_ALGORITHM","features":[392]},{"name":"NCRYPT_DES_ALGORITHM","features":[392]},{"name":"NCRYPT_DES_ALGORITHM_GROUP","features":[392]},{"name":"NCRYPT_DH_ALGORITHM","features":[392]},{"name":"NCRYPT_DH_ALGORITHM_GROUP","features":[392]},{"name":"NCRYPT_DH_PARAMETERS_PROPERTY","features":[392]},{"name":"NCRYPT_DISMISS_UI_TIMEOUT_SEC_PROPERTY","features":[392]},{"name":"NCRYPT_DO_NOT_FINALIZE_FLAG","features":[392]},{"name":"NCRYPT_DSA_ALGORITHM","features":[392]},{"name":"NCRYPT_DSA_ALGORITHM_GROUP","features":[392]},{"name":"NCRYPT_ECC_CURVE_NAME_LIST_PROPERTY","features":[392]},{"name":"NCRYPT_ECC_CURVE_NAME_PROPERTY","features":[392]},{"name":"NCRYPT_ECC_PARAMETERS_PROPERTY","features":[392]},{"name":"NCRYPT_ECDH_ALGORITHM","features":[392]},{"name":"NCRYPT_ECDH_ALGORITHM_GROUP","features":[392]},{"name":"NCRYPT_ECDH_P256_ALGORITHM","features":[392]},{"name":"NCRYPT_ECDH_P384_ALGORITHM","features":[392]},{"name":"NCRYPT_ECDH_P521_ALGORITHM","features":[392]},{"name":"NCRYPT_ECDSA_ALGORITHM","features":[392]},{"name":"NCRYPT_ECDSA_ALGORITHM_GROUP","features":[392]},{"name":"NCRYPT_ECDSA_P256_ALGORITHM","features":[392]},{"name":"NCRYPT_ECDSA_P384_ALGORITHM","features":[392]},{"name":"NCRYPT_ECDSA_P521_ALGORITHM","features":[392]},{"name":"NCRYPT_EXPORTED_ISOLATED_KEY_ENVELOPE","features":[392]},{"name":"NCRYPT_EXPORTED_ISOLATED_KEY_HEADER","features":[392]},{"name":"NCRYPT_EXPORTED_ISOLATED_KEY_HEADER_CURRENT_VERSION","features":[392]},{"name":"NCRYPT_EXPORTED_ISOLATED_KEY_HEADER_V0","features":[392]},{"name":"NCRYPT_EXPORT_LEGACY_FLAG","features":[392]},{"name":"NCRYPT_EXPORT_POLICY_PROPERTY","features":[392]},{"name":"NCRYPT_EXTENDED_ERRORS_FLAG","features":[392]},{"name":"NCRYPT_FLAGS","features":[392]},{"name":"NCRYPT_HANDLE","features":[392]},{"name":"NCRYPT_HASH_HANDLE","features":[392]},{"name":"NCRYPT_HASH_OPERATION","features":[392]},{"name":"NCRYPT_HMAC_SHA256_ALGORITHM","features":[392]},{"name":"NCRYPT_IGNORE_DEVICE_STATE_FLAG","features":[392]},{"name":"NCRYPT_IMPL_HARDWARE_FLAG","features":[392]},{"name":"NCRYPT_IMPL_HARDWARE_RNG_FLAG","features":[392]},{"name":"NCRYPT_IMPL_REMOVABLE_FLAG","features":[392]},{"name":"NCRYPT_IMPL_SOFTWARE_FLAG","features":[392]},{"name":"NCRYPT_IMPL_TYPE_PROPERTY","features":[392]},{"name":"NCRYPT_IMPL_VIRTUAL_ISOLATION_FLAG","features":[392]},{"name":"NCRYPT_INITIALIZATION_VECTOR","features":[392]},{"name":"NCRYPT_ISOLATED_KEY_ATTESTED_ATTRIBUTES","features":[392]},{"name":"NCRYPT_ISOLATED_KEY_ATTESTED_ATTRIBUTES_CURRENT_VERSION","features":[392]},{"name":"NCRYPT_ISOLATED_KEY_ATTESTED_ATTRIBUTES_V0","features":[392]},{"name":"NCRYPT_ISOLATED_KEY_ENVELOPE_BLOB","features":[392]},{"name":"NCRYPT_ISOLATED_KEY_FLAG_CREATED_IN_ISOLATION","features":[392]},{"name":"NCRYPT_ISOLATED_KEY_FLAG_IMPORT_ONLY","features":[392]},{"name":"NCRYPT_KDF_KEY_BLOB","features":[392]},{"name":"NCRYPT_KDF_KEY_BLOB_MAGIC","features":[392]},{"name":"NCRYPT_KDF_SECRET_VALUE","features":[392]},{"name":"NCRYPT_KEY_ACCESS_POLICY_BLOB","features":[392]},{"name":"NCRYPT_KEY_ACCESS_POLICY_PROPERTY","features":[392]},{"name":"NCRYPT_KEY_ACCESS_POLICY_VERSION","features":[392]},{"name":"NCRYPT_KEY_ATTEST_MAGIC","features":[392]},{"name":"NCRYPT_KEY_ATTEST_PADDING_INFO","features":[392]},{"name":"NCRYPT_KEY_BLOB_HEADER","features":[392]},{"name":"NCRYPT_KEY_DERIVATION_GROUP","features":[392]},{"name":"NCRYPT_KEY_DERIVATION_INTERFACE","features":[392]},{"name":"NCRYPT_KEY_DERIVATION_OPERATION","features":[392]},{"name":"NCRYPT_KEY_HANDLE","features":[392]},{"name":"NCRYPT_KEY_PROTECTION_ALGORITHM_CERTIFICATE","features":[392]},{"name":"NCRYPT_KEY_PROTECTION_ALGORITHM_LOCAL","features":[392]},{"name":"NCRYPT_KEY_PROTECTION_ALGORITHM_LOCKEDCREDENTIALS","features":[392]},{"name":"NCRYPT_KEY_PROTECTION_ALGORITHM_SDDL","features":[392]},{"name":"NCRYPT_KEY_PROTECTION_ALGORITHM_SID","features":[392]},{"name":"NCRYPT_KEY_PROTECTION_ALGORITHM_WEBCREDENTIALS","features":[392]},{"name":"NCRYPT_KEY_PROTECTION_CERT_CERTBLOB","features":[392]},{"name":"NCRYPT_KEY_PROTECTION_CERT_HASHID","features":[392]},{"name":"NCRYPT_KEY_PROTECTION_INTERFACE","features":[392]},{"name":"NCRYPT_KEY_PROTECTION_LOCAL_LOGON","features":[392]},{"name":"NCRYPT_KEY_PROTECTION_LOCAL_MACHINE","features":[392]},{"name":"NCRYPT_KEY_PROTECTION_LOCAL_USER","features":[392]},{"name":"NCRYPT_KEY_STORAGE_ALGORITHM","features":[392]},{"name":"NCRYPT_KEY_STORAGE_INTERFACE","features":[392]},{"name":"NCRYPT_KEY_TYPE_PROPERTY","features":[392]},{"name":"NCRYPT_KEY_USAGE_PROPERTY","features":[392]},{"name":"NCRYPT_LAST_MODIFIED_PROPERTY","features":[392]},{"name":"NCRYPT_LENGTHS_PROPERTY","features":[392]},{"name":"NCRYPT_LENGTH_PROPERTY","features":[392]},{"name":"NCRYPT_MACHINE_KEY_FLAG","features":[392]},{"name":"NCRYPT_MAX_ALG_ID_LENGTH","features":[392]},{"name":"NCRYPT_MAX_KEY_NAME_LENGTH","features":[392]},{"name":"NCRYPT_MAX_NAME_LENGTH_PROPERTY","features":[392]},{"name":"NCRYPT_MAX_PROPERTY_DATA","features":[392]},{"name":"NCRYPT_MAX_PROPERTY_NAME","features":[392]},{"name":"NCRYPT_MD2_ALGORITHM","features":[392]},{"name":"NCRYPT_MD4_ALGORITHM","features":[392]},{"name":"NCRYPT_MD5_ALGORITHM","features":[392]},{"name":"NCRYPT_NAMED_DESCRIPTOR_FLAG","features":[392]},{"name":"NCRYPT_NAME_PROPERTY","features":[392]},{"name":"NCRYPT_NO_CACHED_PASSWORD","features":[392]},{"name":"NCRYPT_NO_KEY_VALIDATION","features":[392]},{"name":"NCRYPT_NO_PADDING_FLAG","features":[392]},{"name":"NCRYPT_OPAQUETRANSPORT_BLOB","features":[392]},{"name":"NCRYPT_OPERATION","features":[392]},{"name":"NCRYPT_OVERWRITE_KEY_FLAG","features":[392]},{"name":"NCRYPT_PAD_CIPHER_FLAG","features":[392]},{"name":"NCRYPT_PAD_OAEP_FLAG","features":[392]},{"name":"NCRYPT_PAD_PKCS1_FLAG","features":[392]},{"name":"NCRYPT_PAD_PSS_FLAG","features":[392]},{"name":"NCRYPT_PBKDF2_ALGORITHM","features":[392]},{"name":"NCRYPT_PCP_ALTERNATE_KEY_STORAGE_LOCATION_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_CHANGEPASSWORD_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_ECC_EKCERT_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_ECC_EKNVCERT_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_ECC_EKPUB_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_EKCERT_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_EKNVCERT_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_EKPUB_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_ENCRYPTION_KEY","features":[392]},{"name":"NCRYPT_PCP_EXPORT_ALLOWED_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_HMACVERIFICATION_KEY","features":[392]},{"name":"NCRYPT_PCP_HMAC_AUTH_NONCE","features":[392]},{"name":"NCRYPT_PCP_HMAC_AUTH_POLICYINFO","features":[392]},{"name":"NCRYPT_PCP_HMAC_AUTH_POLICYREF","features":[392]},{"name":"NCRYPT_PCP_HMAC_AUTH_SIGNATURE","features":[392]},{"name":"NCRYPT_PCP_HMAC_AUTH_SIGNATURE_INFO","features":[392]},{"name":"NCRYPT_PCP_HMAC_AUTH_TICKET","features":[392]},{"name":"NCRYPT_PCP_IDENTITY_KEY","features":[392]},{"name":"NCRYPT_PCP_INTERMEDIATE_CA_EKCERT_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_KEYATTESTATION_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_KEY_CREATIONHASH_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_KEY_CREATIONTICKET_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_KEY_USAGE_POLICY_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_MIGRATIONPASSWORD_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_NO_DA_PROTECTION_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_PASSWORD_REQUIRED_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_PCRTABLE_ALGORITHM_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_PCRTABLE_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_PLATFORMHANDLE_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_PLATFORM_BINDING_PCRALGID_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_PLATFORM_BINDING_PCRDIGESTLIST_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_PLATFORM_BINDING_PCRDIGEST_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_PLATFORM_BINDING_PCRMASK_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_PLATFORM_TYPE_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_PROVIDERHANDLE_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_PROVIDER_VERSION_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_PSS_SALT_SIZE_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_RAW_POLICYDIGEST_INFO","features":[392]},{"name":"NCRYPT_PCP_RAW_POLICYDIGEST_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_RSA_EKCERT_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_RSA_EKNVCERT_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_RSA_EKPUB_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_RSA_SCHEME_HASH_ALG_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_RSA_SCHEME_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_SESSIONID_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_SIGNATURE_KEY","features":[392]},{"name":"NCRYPT_PCP_SRKPUB_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_STORAGEPARENT_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_STORAGE_KEY","features":[392]},{"name":"NCRYPT_PCP_SYMMETRIC_KEYBITS_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_TPM12_IDACTIVATION_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_TPM12_IDBINDING_DYNAMIC_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_TPM12_IDBINDING_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_TPM2BNAME_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_TPM_FW_VERSION_INFO","features":[392]},{"name":"NCRYPT_PCP_TPM_FW_VERSION_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_TPM_IFX_RSA_KEYGEN_PROHIBITED_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_TPM_IFX_RSA_KEYGEN_VULNERABILITY_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_TPM_MANUFACTURER_ID_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_TPM_VERSION_PROPERTY","features":[392]},{"name":"NCRYPT_PCP_TPM_WEB_AUTHN_ATTESTATION_STATEMENT","features":[392]},{"name":"NCRYPT_PCP_USAGEAUTH_PROPERTY","features":[392]},{"name":"NCRYPT_PERSIST_FLAG","features":[392]},{"name":"NCRYPT_PERSIST_ONLY_FLAG","features":[392]},{"name":"NCRYPT_PIN_CACHE_APPLICATION_IMAGE_PROPERTY","features":[392]},{"name":"NCRYPT_PIN_CACHE_APPLICATION_STATUS_PROPERTY","features":[392]},{"name":"NCRYPT_PIN_CACHE_APPLICATION_TICKET_BYTE_LENGTH","features":[392]},{"name":"NCRYPT_PIN_CACHE_APPLICATION_TICKET_PROPERTY","features":[392]},{"name":"NCRYPT_PIN_CACHE_CLEAR_FOR_CALLING_PROCESS_OPTION","features":[392]},{"name":"NCRYPT_PIN_CACHE_CLEAR_PROPERTY","features":[392]},{"name":"NCRYPT_PIN_CACHE_DISABLE_DPL_FLAG","features":[392]},{"name":"NCRYPT_PIN_CACHE_FLAGS_PROPERTY","features":[392]},{"name":"NCRYPT_PIN_CACHE_FREE_APPLICATION_TICKET_PROPERTY","features":[392]},{"name":"NCRYPT_PIN_CACHE_IS_GESTURE_REQUIRED_PROPERTY","features":[392]},{"name":"NCRYPT_PIN_CACHE_PIN_PROPERTY","features":[392]},{"name":"NCRYPT_PIN_CACHE_REQUIRE_GESTURE_FLAG","features":[392]},{"name":"NCRYPT_PIN_PROMPT_PROPERTY","features":[392]},{"name":"NCRYPT_PIN_PROPERTY","features":[392]},{"name":"NCRYPT_PKCS7_ENVELOPE_BLOB","features":[392]},{"name":"NCRYPT_PKCS8_PRIVATE_KEY_BLOB","features":[392]},{"name":"NCRYPT_PLATFORM_ATTEST_MAGIC","features":[392]},{"name":"NCRYPT_PLATFORM_ATTEST_PADDING_INFO","features":[392]},{"name":"NCRYPT_PREFER_VIRTUAL_ISOLATION_FLAG","features":[392]},{"name":"NCRYPT_PROTECTED_KEY_BLOB","features":[392]},{"name":"NCRYPT_PROTECTED_KEY_BLOB_MAGIC","features":[392]},{"name":"NCRYPT_PROTECTION_INFO_TYPE_DESCRIPTOR_STRING","features":[392]},{"name":"NCRYPT_PROTECT_STREAM_INFO","features":[308,392]},{"name":"NCRYPT_PROTECT_STREAM_INFO_EX","features":[308,392]},{"name":"NCRYPT_PROTECT_TO_LOCAL_SYSTEM","features":[392]},{"name":"NCRYPT_PROVIDER_HANDLE_PROPERTY","features":[392]},{"name":"NCRYPT_PROV_HANDLE","features":[392]},{"name":"NCRYPT_PUBLIC_LENGTH_PROPERTY","features":[392]},{"name":"NCRYPT_RC2_ALGORITHM","features":[392]},{"name":"NCRYPT_RC2_ALGORITHM_GROUP","features":[392]},{"name":"NCRYPT_READER_ICON_PROPERTY","features":[392]},{"name":"NCRYPT_READER_PROPERTY","features":[392]},{"name":"NCRYPT_REGISTER_NOTIFY_FLAG","features":[392]},{"name":"NCRYPT_REQUIRE_KDS_LRPC_BIND_FLAG","features":[392]},{"name":"NCRYPT_ROOT_CERTSTORE_PROPERTY","features":[392]},{"name":"NCRYPT_RSA_ALGORITHM","features":[392]},{"name":"NCRYPT_RSA_ALGORITHM_GROUP","features":[392]},{"name":"NCRYPT_RSA_SIGN_ALGORITHM","features":[392]},{"name":"NCRYPT_SCARD_NGC_KEY_NAME","features":[392]},{"name":"NCRYPT_SCARD_PIN_ID","features":[392]},{"name":"NCRYPT_SCARD_PIN_INFO","features":[392]},{"name":"NCRYPT_SCHANNEL_INTERFACE","features":[392]},{"name":"NCRYPT_SCHANNEL_SIGNATURE_INTERFACE","features":[392]},{"name":"NCRYPT_SEALING_FLAG","features":[392]},{"name":"NCRYPT_SECRET_AGREEMENT_INTERFACE","features":[392]},{"name":"NCRYPT_SECRET_AGREEMENT_OPERATION","features":[392]},{"name":"NCRYPT_SECRET_HANDLE","features":[392]},{"name":"NCRYPT_SECURE_PIN_PROPERTY","features":[392]},{"name":"NCRYPT_SECURITY_DESCR_PROPERTY","features":[392]},{"name":"NCRYPT_SECURITY_DESCR_SUPPORT_PROPERTY","features":[392]},{"name":"NCRYPT_SHA1_ALGORITHM","features":[392]},{"name":"NCRYPT_SHA256_ALGORITHM","features":[392]},{"name":"NCRYPT_SHA384_ALGORITHM","features":[392]},{"name":"NCRYPT_SHA512_ALGORITHM","features":[392]},{"name":"NCRYPT_SIGNATURE_INTERFACE","features":[392]},{"name":"NCRYPT_SIGNATURE_LENGTH_PROPERTY","features":[392]},{"name":"NCRYPT_SIGNATURE_OPERATION","features":[392]},{"name":"NCRYPT_SILENT_FLAG","features":[392]},{"name":"NCRYPT_SMARTCARD_GUID_PROPERTY","features":[392]},{"name":"NCRYPT_SP800108_CTR_HMAC_ALGORITHM","features":[392]},{"name":"NCRYPT_SP80056A_CONCAT_ALGORITHM","features":[392]},{"name":"NCRYPT_SUPPORTED_LENGTHS","features":[392]},{"name":"NCRYPT_TPM12_PROVIDER","features":[392]},{"name":"NCRYPT_TPM_LOADABLE_KEY_BLOB","features":[392]},{"name":"NCRYPT_TPM_LOADABLE_KEY_BLOB_HEADER","features":[392]},{"name":"NCRYPT_TPM_LOADABLE_KEY_BLOB_MAGIC","features":[392]},{"name":"NCRYPT_TPM_PAD_PSS_IGNORE_SALT","features":[392]},{"name":"NCRYPT_TPM_PLATFORM_ATTESTATION_STATEMENT","features":[392]},{"name":"NCRYPT_TPM_PLATFORM_ATTESTATION_STATEMENT_CURRENT_VERSION","features":[392]},{"name":"NCRYPT_TPM_PLATFORM_ATTESTATION_STATEMENT_V0","features":[392]},{"name":"NCRYPT_TPM_PSS_SALT_SIZE_HASHSIZE","features":[392]},{"name":"NCRYPT_TPM_PSS_SALT_SIZE_MAXIMUM","features":[392]},{"name":"NCRYPT_TPM_PSS_SALT_SIZE_UNKNOWN","features":[392]},{"name":"NCRYPT_TREAT_NIST_AS_GENERIC_ECC_FLAG","features":[392]},{"name":"NCRYPT_UI_APPCONTAINER_ACCESS_MEDIUM_FLAG","features":[392]},{"name":"NCRYPT_UI_FINGERPRINT_PROTECTION_FLAG","features":[392]},{"name":"NCRYPT_UI_FORCE_HIGH_PROTECTION_FLAG","features":[392]},{"name":"NCRYPT_UI_POLICY","features":[392]},{"name":"NCRYPT_UI_POLICY_PROPERTY","features":[392]},{"name":"NCRYPT_UI_PROTECT_KEY_FLAG","features":[392]},{"name":"NCRYPT_UNIQUE_NAME_PROPERTY","features":[392]},{"name":"NCRYPT_UNPROTECT_NO_DECRYPT","features":[392]},{"name":"NCRYPT_UNREGISTER_NOTIFY_FLAG","features":[392]},{"name":"NCRYPT_USER_CERTSTORE_PROPERTY","features":[392]},{"name":"NCRYPT_USE_CONTEXT_PROPERTY","features":[392]},{"name":"NCRYPT_USE_COUNT_ENABLED_PROPERTY","features":[392]},{"name":"NCRYPT_USE_COUNT_PROPERTY","features":[392]},{"name":"NCRYPT_USE_PER_BOOT_KEY_FLAG","features":[392]},{"name":"NCRYPT_USE_PER_BOOT_KEY_PROPERTY","features":[392]},{"name":"NCRYPT_USE_VIRTUAL_ISOLATION_FLAG","features":[392]},{"name":"NCRYPT_USE_VIRTUAL_ISOLATION_PROPERTY","features":[392]},{"name":"NCRYPT_VERSION_PROPERTY","features":[392]},{"name":"NCRYPT_VSM_KEY_ATTESTATION_CLAIM_RESTRICTIONS","features":[392]},{"name":"NCRYPT_VSM_KEY_ATTESTATION_CLAIM_RESTRICTIONS_CURRENT_VERSION","features":[392]},{"name":"NCRYPT_VSM_KEY_ATTESTATION_CLAIM_RESTRICTIONS_V0","features":[392]},{"name":"NCRYPT_VSM_KEY_ATTESTATION_STATEMENT","features":[392]},{"name":"NCRYPT_VSM_KEY_ATTESTATION_STATEMENT_CURRENT_VERSION","features":[392]},{"name":"NCRYPT_VSM_KEY_ATTESTATION_STATEMENT_V0","features":[392]},{"name":"NCRYPT_WINDOW_HANDLE_PROPERTY","features":[392]},{"name":"NCRYPT_WRITE_KEY_TO_LEGACY_STORE_FLAG","features":[392]},{"name":"NCryptAlgorithmName","features":[392]},{"name":"NCryptCloseProtectionDescriptor","features":[392]},{"name":"NCryptCreateClaim","features":[392]},{"name":"NCryptCreatePersistedKey","features":[392]},{"name":"NCryptCreateProtectionDescriptor","features":[392]},{"name":"NCryptDecrypt","features":[392]},{"name":"NCryptDeleteKey","features":[392]},{"name":"NCryptDeriveKey","features":[392]},{"name":"NCryptEncrypt","features":[392]},{"name":"NCryptEnumAlgorithms","features":[392]},{"name":"NCryptEnumKeys","features":[392]},{"name":"NCryptEnumStorageProviders","features":[392]},{"name":"NCryptExportKey","features":[392]},{"name":"NCryptFinalizeKey","features":[392]},{"name":"NCryptFreeBuffer","features":[392]},{"name":"NCryptFreeObject","features":[392]},{"name":"NCryptGetProperty","features":[392]},{"name":"NCryptGetProtectionDescriptorInfo","features":[392]},{"name":"NCryptImportKey","features":[392]},{"name":"NCryptIsAlgSupported","features":[392]},{"name":"NCryptIsKeyHandle","features":[308,392]},{"name":"NCryptKeyDerivation","features":[392]},{"name":"NCryptKeyName","features":[392]},{"name":"NCryptNotifyChangeKey","features":[308,392]},{"name":"NCryptOpenKey","features":[392]},{"name":"NCryptOpenStorageProvider","features":[392]},{"name":"NCryptProtectSecret","features":[308,392]},{"name":"NCryptProviderName","features":[392]},{"name":"NCryptQueryProtectionDescriptorName","features":[392]},{"name":"NCryptRegisterProtectionDescriptorName","features":[392]},{"name":"NCryptSecretAgreement","features":[392]},{"name":"NCryptSetProperty","features":[392]},{"name":"NCryptSignHash","features":[392]},{"name":"NCryptStreamClose","features":[392]},{"name":"NCryptStreamOpenToProtect","features":[308,392]},{"name":"NCryptStreamOpenToUnprotect","features":[308,392]},{"name":"NCryptStreamOpenToUnprotectEx","features":[308,392]},{"name":"NCryptStreamUpdate","features":[308,392]},{"name":"NCryptTranslateHandle","features":[392]},{"name":"NCryptUnprotectSecret","features":[308,392]},{"name":"NCryptVerifyClaim","features":[392]},{"name":"NCryptVerifySignature","features":[392]},{"name":"NETSCAPE_SIGN_CA_CERT_TYPE","features":[392]},{"name":"NETSCAPE_SIGN_CERT_TYPE","features":[392]},{"name":"NETSCAPE_SMIME_CA_CERT_TYPE","features":[392]},{"name":"NETSCAPE_SMIME_CERT_TYPE","features":[392]},{"name":"NETSCAPE_SSL_CA_CERT_TYPE","features":[392]},{"name":"NETSCAPE_SSL_CLIENT_AUTH_CERT_TYPE","features":[392]},{"name":"NETSCAPE_SSL_SERVER_AUTH_CERT_TYPE","features":[392]},{"name":"OCSP_BASIC_BY_KEY_RESPONDER_ID","features":[392]},{"name":"OCSP_BASIC_BY_NAME_RESPONDER_ID","features":[392]},{"name":"OCSP_BASIC_GOOD_CERT_STATUS","features":[392]},{"name":"OCSP_BASIC_RESPONSE","features":[392]},{"name":"OCSP_BASIC_RESPONSE_ENTRY","features":[308,392]},{"name":"OCSP_BASIC_RESPONSE_INFO","features":[308,392]},{"name":"OCSP_BASIC_RESPONSE_V1","features":[392]},{"name":"OCSP_BASIC_REVOKED_CERT_STATUS","features":[392]},{"name":"OCSP_BASIC_REVOKED_INFO","features":[308,392]},{"name":"OCSP_BASIC_SIGNED_RESPONSE","features":[392]},{"name":"OCSP_BASIC_SIGNED_RESPONSE_INFO","features":[392]},{"name":"OCSP_BASIC_UNKNOWN_CERT_STATUS","features":[392]},{"name":"OCSP_CERT_ID","features":[392]},{"name":"OCSP_INTERNAL_ERROR_RESPONSE","features":[392]},{"name":"OCSP_MALFORMED_REQUEST_RESPONSE","features":[392]},{"name":"OCSP_REQUEST","features":[392]},{"name":"OCSP_REQUEST_ENTRY","features":[308,392]},{"name":"OCSP_REQUEST_INFO","features":[308,392]},{"name":"OCSP_REQUEST_V1","features":[392]},{"name":"OCSP_RESPONSE","features":[392]},{"name":"OCSP_RESPONSE_INFO","features":[392]},{"name":"OCSP_SIGNATURE_INFO","features":[392]},{"name":"OCSP_SIGNED_REQUEST","features":[392]},{"name":"OCSP_SIGNED_REQUEST_INFO","features":[392]},{"name":"OCSP_SIG_REQUIRED_RESPONSE","features":[392]},{"name":"OCSP_SUCCESSFUL_RESPONSE","features":[392]},{"name":"OCSP_TRY_LATER_RESPONSE","features":[392]},{"name":"OCSP_UNAUTHORIZED_RESPONSE","features":[392]},{"name":"OPAQUEKEYBLOB","features":[392]},{"name":"PCRYPT_DECRYPT_PRIVATE_KEY_FUNC","features":[308,392]},{"name":"PCRYPT_ENCRYPT_PRIVATE_KEY_FUNC","features":[308,392]},{"name":"PCRYPT_RESOLVE_HCRYPTPROV_FUNC","features":[308,392]},{"name":"PFNCryptStreamOutputCallback","features":[308,392]},{"name":"PFNCryptStreamOutputCallbackEx","features":[308,392]},{"name":"PFN_AUTHENTICODE_DIGEST_SIGN","features":[308,392]},{"name":"PFN_AUTHENTICODE_DIGEST_SIGN_EX","features":[308,392]},{"name":"PFN_AUTHENTICODE_DIGEST_SIGN_EX_WITHFILEHANDLE","features":[308,392]},{"name":"PFN_AUTHENTICODE_DIGEST_SIGN_WITHFILEHANDLE","features":[308,392]},{"name":"PFN_CANCEL_ASYNC_RETRIEVAL_FUNC","features":[308,392]},{"name":"PFN_CERT_CHAIN_FIND_BY_ISSUER_CALLBACK","features":[308,392]},{"name":"PFN_CERT_CREATE_CONTEXT_SORT_FUNC","features":[308,392]},{"name":"PFN_CERT_DLL_OPEN_STORE_PROV_FUNC","features":[308,392]},{"name":"PFN_CERT_ENUM_PHYSICAL_STORE","features":[308,392]},{"name":"PFN_CERT_ENUM_SYSTEM_STORE","features":[308,392]},{"name":"PFN_CERT_ENUM_SYSTEM_STORE_LOCATION","features":[308,392]},{"name":"PFN_CERT_IS_WEAK_HASH","features":[308,392]},{"name":"PFN_CERT_SERVER_OCSP_RESPONSE_UPDATE_CALLBACK","features":[308,392]},{"name":"PFN_CERT_STORE_PROV_CLOSE","features":[392]},{"name":"PFN_CERT_STORE_PROV_CONTROL","features":[308,392]},{"name":"PFN_CERT_STORE_PROV_DELETE_CERT","features":[308,392]},{"name":"PFN_CERT_STORE_PROV_DELETE_CRL","features":[308,392]},{"name":"PFN_CERT_STORE_PROV_DELETE_CTL","features":[308,392]},{"name":"PFN_CERT_STORE_PROV_FIND_CERT","features":[308,392]},{"name":"PFN_CERT_STORE_PROV_FIND_CRL","features":[308,392]},{"name":"PFN_CERT_STORE_PROV_FIND_CTL","features":[308,392]},{"name":"PFN_CERT_STORE_PROV_FREE_FIND_CERT","features":[308,392]},{"name":"PFN_CERT_STORE_PROV_FREE_FIND_CRL","features":[308,392]},{"name":"PFN_CERT_STORE_PROV_FREE_FIND_CTL","features":[308,392]},{"name":"PFN_CERT_STORE_PROV_GET_CERT_PROPERTY","features":[308,392]},{"name":"PFN_CERT_STORE_PROV_GET_CRL_PROPERTY","features":[308,392]},{"name":"PFN_CERT_STORE_PROV_GET_CTL_PROPERTY","features":[308,392]},{"name":"PFN_CERT_STORE_PROV_READ_CERT","features":[308,392]},{"name":"PFN_CERT_STORE_PROV_READ_CRL","features":[308,392]},{"name":"PFN_CERT_STORE_PROV_READ_CTL","features":[308,392]},{"name":"PFN_CERT_STORE_PROV_SET_CERT_PROPERTY","features":[308,392]},{"name":"PFN_CERT_STORE_PROV_SET_CRL_PROPERTY","features":[308,392]},{"name":"PFN_CERT_STORE_PROV_SET_CTL_PROPERTY","features":[308,392]},{"name":"PFN_CERT_STORE_PROV_WRITE_CERT","features":[308,392]},{"name":"PFN_CERT_STORE_PROV_WRITE_CRL","features":[308,392]},{"name":"PFN_CERT_STORE_PROV_WRITE_CTL","features":[308,392]},{"name":"PFN_CMSG_ALLOC","features":[392]},{"name":"PFN_CMSG_CNG_IMPORT_CONTENT_ENCRYPT_KEY","features":[308,392]},{"name":"PFN_CMSG_CNG_IMPORT_KEY_AGREE","features":[308,392]},{"name":"PFN_CMSG_CNG_IMPORT_KEY_TRANS","features":[308,392]},{"name":"PFN_CMSG_EXPORT_ENCRYPT_KEY","features":[308,392]},{"name":"PFN_CMSG_EXPORT_KEY_AGREE","features":[308,392]},{"name":"PFN_CMSG_EXPORT_KEY_TRANS","features":[308,392]},{"name":"PFN_CMSG_EXPORT_MAIL_LIST","features":[308,392]},{"name":"PFN_CMSG_FREE","features":[392]},{"name":"PFN_CMSG_GEN_CONTENT_ENCRYPT_KEY","features":[308,392]},{"name":"PFN_CMSG_GEN_ENCRYPT_KEY","features":[308,392]},{"name":"PFN_CMSG_IMPORT_ENCRYPT_KEY","features":[308,392]},{"name":"PFN_CMSG_IMPORT_KEY_AGREE","features":[308,392]},{"name":"PFN_CMSG_IMPORT_KEY_TRANS","features":[308,392]},{"name":"PFN_CMSG_IMPORT_MAIL_LIST","features":[308,392]},{"name":"PFN_CMSG_STREAM_OUTPUT","features":[308,392]},{"name":"PFN_CRYPT_ALLOC","features":[392]},{"name":"PFN_CRYPT_ASYNC_PARAM_FREE_FUNC","features":[392]},{"name":"PFN_CRYPT_ASYNC_RETRIEVAL_COMPLETION_FUNC","features":[392]},{"name":"PFN_CRYPT_CANCEL_RETRIEVAL","features":[308,392]},{"name":"PFN_CRYPT_ENUM_KEYID_PROP","features":[308,392]},{"name":"PFN_CRYPT_ENUM_OID_FUNC","features":[308,392]},{"name":"PFN_CRYPT_ENUM_OID_INFO","features":[308,392]},{"name":"PFN_CRYPT_EXPORT_PUBLIC_KEY_INFO_EX2_FUNC","features":[308,392]},{"name":"PFN_CRYPT_EXPORT_PUBLIC_KEY_INFO_FROM_BCRYPT_HANDLE_FUNC","features":[308,392]},{"name":"PFN_CRYPT_EXTRACT_ENCODED_SIGNATURE_PARAMETERS_FUNC","features":[308,392]},{"name":"PFN_CRYPT_FREE","features":[392]},{"name":"PFN_CRYPT_GET_SIGNER_CERTIFICATE","features":[308,392]},{"name":"PFN_CRYPT_OBJECT_LOCATOR_PROVIDER_FLUSH","features":[308,392]},{"name":"PFN_CRYPT_OBJECT_LOCATOR_PROVIDER_FREE","features":[392]},{"name":"PFN_CRYPT_OBJECT_LOCATOR_PROVIDER_FREE_IDENTIFIER","features":[392]},{"name":"PFN_CRYPT_OBJECT_LOCATOR_PROVIDER_FREE_PASSWORD","features":[392]},{"name":"PFN_CRYPT_OBJECT_LOCATOR_PROVIDER_GET","features":[308,392]},{"name":"PFN_CRYPT_OBJECT_LOCATOR_PROVIDER_INITIALIZE","features":[308,392]},{"name":"PFN_CRYPT_OBJECT_LOCATOR_PROVIDER_RELEASE","features":[392]},{"name":"PFN_CRYPT_SIGN_AND_ENCODE_HASH_FUNC","features":[308,392]},{"name":"PFN_CRYPT_VERIFY_ENCODED_SIGNATURE_FUNC","features":[308,392]},{"name":"PFN_CRYPT_XML_CREATE_TRANSFORM","features":[392]},{"name":"PFN_CRYPT_XML_DATA_PROVIDER_CLOSE","features":[392]},{"name":"PFN_CRYPT_XML_DATA_PROVIDER_READ","features":[392]},{"name":"PFN_CRYPT_XML_ENUM_ALG_INFO","features":[308,392]},{"name":"PFN_CRYPT_XML_WRITE_CALLBACK","features":[392]},{"name":"PFN_EXPORT_PRIV_KEY_FUNC","features":[308,392]},{"name":"PFN_FREE_ENCODED_OBJECT_FUNC","features":[392]},{"name":"PFN_IMPORT_PRIV_KEY_FUNC","features":[308,392]},{"name":"PFN_IMPORT_PUBLIC_KEY_INFO_EX2_FUNC","features":[308,392]},{"name":"PFN_NCRYPT_ALLOC","features":[392]},{"name":"PFN_NCRYPT_FREE","features":[392]},{"name":"PFXExportCertStore","features":[308,392]},{"name":"PFXExportCertStoreEx","features":[308,392]},{"name":"PFXImportCertStore","features":[392]},{"name":"PFXIsPFXBlob","features":[308,392]},{"name":"PFXVerifyPassword","features":[308,392]},{"name":"PKCS12_ALLOW_OVERWRITE_KEY","features":[392]},{"name":"PKCS12_ALWAYS_CNG_KSP","features":[392]},{"name":"PKCS12_CONFIG_REGPATH","features":[392]},{"name":"PKCS12_DISABLE_ENCRYPT_CERTIFICATES","features":[392]},{"name":"PKCS12_ENCRYPT_CERTIFICATES","features":[392]},{"name":"PKCS12_ENCRYPT_CERTIFICATES_VALUE_NAME","features":[392]},{"name":"PKCS12_EXPORT_ECC_CURVE_OID","features":[392]},{"name":"PKCS12_EXPORT_ECC_CURVE_PARAMETERS","features":[392]},{"name":"PKCS12_EXPORT_PBES2_PARAMS","features":[392]},{"name":"PKCS12_EXPORT_RESERVED_MASK","features":[392]},{"name":"PKCS12_EXPORT_SILENT","features":[392]},{"name":"PKCS12_IMPORT_RESERVED_MASK","features":[392]},{"name":"PKCS12_IMPORT_SILENT","features":[392]},{"name":"PKCS12_INCLUDE_EXTENDED_PROPERTIES","features":[392]},{"name":"PKCS12_NO_PERSIST_KEY","features":[392]},{"name":"PKCS12_ONLY_CERTIFICATES","features":[392]},{"name":"PKCS12_ONLY_CERTIFICATES_CONTAINER_NAME","features":[392]},{"name":"PKCS12_ONLY_CERTIFICATES_PROVIDER_NAME","features":[392]},{"name":"PKCS12_ONLY_CERTIFICATES_PROVIDER_TYPE","features":[392]},{"name":"PKCS12_ONLY_NOT_ENCRYPTED_CERTIFICATES","features":[392]},{"name":"PKCS12_PBES2_ALG_AES256_SHA256","features":[392]},{"name":"PKCS12_PBES2_EXPORT_PARAMS","features":[392]},{"name":"PKCS12_PBKDF2_ID_HMAC_SHA1","features":[392]},{"name":"PKCS12_PBKDF2_ID_HMAC_SHA256","features":[392]},{"name":"PKCS12_PBKDF2_ID_HMAC_SHA384","features":[392]},{"name":"PKCS12_PBKDF2_ID_HMAC_SHA512","features":[392]},{"name":"PKCS12_PREFER_CNG_KSP","features":[392]},{"name":"PKCS12_PROTECT_TO_DOMAIN_SIDS","features":[392]},{"name":"PKCS12_VIRTUAL_ISOLATION_KEY","features":[392]},{"name":"PKCS5_PADDING","features":[392]},{"name":"PKCS7_SIGNER_INFO","features":[392]},{"name":"PKCS_7_ASN_ENCODING","features":[392]},{"name":"PKCS_7_NDR_ENCODING","features":[392]},{"name":"PKCS_ATTRIBUTE","features":[392]},{"name":"PKCS_ATTRIBUTES","features":[392]},{"name":"PKCS_CONTENT_INFO","features":[392]},{"name":"PKCS_CONTENT_INFO_SEQUENCE_OF_ANY","features":[392]},{"name":"PKCS_CTL","features":[392]},{"name":"PKCS_ENCRYPTED_PRIVATE_KEY_INFO","features":[392]},{"name":"PKCS_PRIVATE_KEY_INFO","features":[392]},{"name":"PKCS_RC2_CBC_PARAMETERS","features":[392]},{"name":"PKCS_RSAES_OAEP_PARAMETERS","features":[392]},{"name":"PKCS_RSA_PRIVATE_KEY","features":[392]},{"name":"PKCS_RSA_SSA_PSS_PARAMETERS","features":[392]},{"name":"PKCS_RSA_SSA_PSS_TRAILER_FIELD_BC","features":[392]},{"name":"PKCS_SMIME_CAPABILITIES","features":[392]},{"name":"PKCS_SORTED_CTL","features":[392]},{"name":"PKCS_TIME_REQUEST","features":[392]},{"name":"PKCS_UTC_TIME","features":[392]},{"name":"PLAINTEXTKEYBLOB","features":[392]},{"name":"POLICY_ELEMENT","features":[308,392]},{"name":"PP_ADMIN_PIN","features":[392]},{"name":"PP_APPLI_CERT","features":[392]},{"name":"PP_CERTCHAIN","features":[392]},{"name":"PP_CHANGE_PASSWORD","features":[392]},{"name":"PP_CLIENT_HWND","features":[392]},{"name":"PP_CONTAINER","features":[392]},{"name":"PP_CONTEXT_INFO","features":[392]},{"name":"PP_CRYPT_COUNT_KEY_USE","features":[392]},{"name":"PP_DELETEKEY","features":[392]},{"name":"PP_DISMISS_PIN_UI_SEC","features":[392]},{"name":"PP_ENUMALGS","features":[392]},{"name":"PP_ENUMALGS_EX","features":[392]},{"name":"PP_ENUMCONTAINERS","features":[392]},{"name":"PP_ENUMELECTROOTS","features":[392]},{"name":"PP_ENUMEX_SIGNING_PROT","features":[392]},{"name":"PP_ENUMMANDROOTS","features":[392]},{"name":"PP_IMPTYPE","features":[392]},{"name":"PP_IS_PFX_EPHEMERAL","features":[392]},{"name":"PP_KEYEXCHANGE_ALG","features":[392]},{"name":"PP_KEYEXCHANGE_KEYSIZE","features":[392]},{"name":"PP_KEYEXCHANGE_PIN","features":[392]},{"name":"PP_KEYSET_SEC_DESCR","features":[392]},{"name":"PP_KEYSET_TYPE","features":[392]},{"name":"PP_KEYSPEC","features":[392]},{"name":"PP_KEYSTORAGE","features":[392]},{"name":"PP_KEYX_KEYSIZE_INC","features":[392]},{"name":"PP_KEY_TYPE_SUBTYPE","features":[392]},{"name":"PP_NAME","features":[392]},{"name":"PP_PIN_PROMPT_STRING","features":[392]},{"name":"PP_PROVTYPE","features":[392]},{"name":"PP_ROOT_CERTSTORE","features":[392]},{"name":"PP_SECURE_KEYEXCHANGE_PIN","features":[392]},{"name":"PP_SECURE_SIGNATURE_PIN","features":[392]},{"name":"PP_SESSION_KEYSIZE","features":[392]},{"name":"PP_SGC_INFO","features":[392]},{"name":"PP_SIGNATURE_ALG","features":[392]},{"name":"PP_SIGNATURE_KEYSIZE","features":[392]},{"name":"PP_SIGNATURE_PIN","features":[392]},{"name":"PP_SIG_KEYSIZE_INC","features":[392]},{"name":"PP_SMARTCARD_GUID","features":[392]},{"name":"PP_SMARTCARD_READER","features":[392]},{"name":"PP_SMARTCARD_READER_ICON","features":[392]},{"name":"PP_SYM_KEYSIZE","features":[392]},{"name":"PP_UI_PROMPT","features":[392]},{"name":"PP_UNIQUE_CONTAINER","features":[392]},{"name":"PP_USER_CERTSTORE","features":[392]},{"name":"PP_USE_HARDWARE_RNG","features":[392]},{"name":"PP_VERSION","features":[392]},{"name":"PRIVATEKEYBLOB","features":[392]},{"name":"PRIVKEYVER3","features":[392]},{"name":"PROV_DH_SCHANNEL","features":[392]},{"name":"PROV_DSS","features":[392]},{"name":"PROV_DSS_DH","features":[392]},{"name":"PROV_EC_ECDSA_FULL","features":[392]},{"name":"PROV_EC_ECDSA_SIG","features":[392]},{"name":"PROV_EC_ECNRA_FULL","features":[392]},{"name":"PROV_EC_ECNRA_SIG","features":[392]},{"name":"PROV_ENUMALGS","features":[392]},{"name":"PROV_ENUMALGS_EX","features":[392]},{"name":"PROV_FORTEZZA","features":[392]},{"name":"PROV_INTEL_SEC","features":[392]},{"name":"PROV_MS_EXCHANGE","features":[392]},{"name":"PROV_REPLACE_OWF","features":[392]},{"name":"PROV_RNG","features":[392]},{"name":"PROV_RSA_AES","features":[392]},{"name":"PROV_RSA_FULL","features":[392]},{"name":"PROV_RSA_SCHANNEL","features":[392]},{"name":"PROV_RSA_SIG","features":[392]},{"name":"PROV_SPYRUS_LYNKS","features":[392]},{"name":"PROV_SSL","features":[392]},{"name":"PROV_STT_ACQ","features":[392]},{"name":"PROV_STT_BRND","features":[392]},{"name":"PROV_STT_ISS","features":[392]},{"name":"PROV_STT_MER","features":[392]},{"name":"PROV_STT_ROOT","features":[392]},{"name":"PUBKEY","features":[392]},{"name":"PUBKEYVER3","features":[392]},{"name":"PUBLICKEYBLOB","features":[392]},{"name":"PUBLICKEYBLOBEX","features":[392]},{"name":"PUBLICKEYSTRUC","features":[392]},{"name":"PVK_TYPE_FILE_NAME","features":[392]},{"name":"PVK_TYPE_KEYCONTAINER","features":[392]},{"name":"PaddingMode","features":[392]},{"name":"ProcessPrng","features":[308,392]},{"name":"RANDOM_PADDING","features":[392]},{"name":"RECIPIENTPOLICY","features":[392]},{"name":"RECIPIENTPOLICY2","features":[392]},{"name":"RECIPIENTPOLICYV1","features":[392]},{"name":"RECIPIENTPOLICYV2","features":[392]},{"name":"REPORT_NOT_ABLE_TO_EXPORT_PRIVATE_KEY","features":[392]},{"name":"REPORT_NO_PRIVATE_KEY","features":[392]},{"name":"REVOCATION_OID_CRL_REVOCATION","features":[392]},{"name":"ROOT_INFO_LUID","features":[392]},{"name":"RSA1024BIT_KEY","features":[392]},{"name":"RSAPUBKEY","features":[392]},{"name":"RSA_CSP_PUBLICKEYBLOB","features":[392]},{"name":"SCHANNEL_ALG","features":[392]},{"name":"SCHANNEL_ENC_KEY","features":[392]},{"name":"SCHANNEL_MAC_KEY","features":[392]},{"name":"SCHEME_OID_RETRIEVE_ENCODED_OBJECTW_FUNC","features":[392]},{"name":"SCHEME_OID_RETRIEVE_ENCODED_OBJECT_FUNC","features":[392]},{"name":"SIGNATURE_RESOURCE_NUMBER","features":[392]},{"name":"SIGNER_ATTR_AUTHCODE","features":[308,392]},{"name":"SIGNER_AUTHCODE_ATTR","features":[392]},{"name":"SIGNER_BLOB_INFO","features":[392]},{"name":"SIGNER_CERT","features":[308,392]},{"name":"SIGNER_CERT_CHOICE","features":[392]},{"name":"SIGNER_CERT_POLICY","features":[392]},{"name":"SIGNER_CERT_POLICY_CHAIN","features":[392]},{"name":"SIGNER_CERT_POLICY_CHAIN_NO_ROOT","features":[392]},{"name":"SIGNER_CERT_POLICY_SPC","features":[392]},{"name":"SIGNER_CERT_POLICY_STORE","features":[392]},{"name":"SIGNER_CERT_SPC_CHAIN","features":[392]},{"name":"SIGNER_CERT_SPC_FILE","features":[392]},{"name":"SIGNER_CERT_STORE","features":[392]},{"name":"SIGNER_CERT_STORE_INFO","features":[308,392]},{"name":"SIGNER_CONTEXT","features":[392]},{"name":"SIGNER_DIGEST_SIGN_INFO","features":[308,392]},{"name":"SIGNER_DIGEST_SIGN_INFO_V1","features":[308,392]},{"name":"SIGNER_DIGEST_SIGN_INFO_V2","features":[308,392]},{"name":"SIGNER_FILE_INFO","features":[308,392]},{"name":"SIGNER_NO_ATTR","features":[392]},{"name":"SIGNER_PRIVATE_KEY_CHOICE","features":[392]},{"name":"SIGNER_PROVIDER_INFO","features":[392]},{"name":"SIGNER_SIGNATURE_ATTRIBUTE_CHOICE","features":[392]},{"name":"SIGNER_SIGNATURE_INFO","features":[308,392]},{"name":"SIGNER_SIGN_FLAGS","features":[392]},{"name":"SIGNER_SPC_CHAIN_INFO","features":[392]},{"name":"SIGNER_SUBJECT_BLOB","features":[392]},{"name":"SIGNER_SUBJECT_CHOICE","features":[392]},{"name":"SIGNER_SUBJECT_FILE","features":[392]},{"name":"SIGNER_SUBJECT_INFO","features":[308,392]},{"name":"SIGNER_TIMESTAMP_AUTHENTICODE","features":[392]},{"name":"SIGNER_TIMESTAMP_FLAGS","features":[392]},{"name":"SIGNER_TIMESTAMP_RFC3161","features":[392]},{"name":"SIG_APPEND","features":[392]},{"name":"SIMPLEBLOB","features":[392]},{"name":"SITE_PIN_RULES_ALL_SUBDOMAINS_FLAG","features":[392]},{"name":"SORTED_CTL_EXT_HASHED_SUBJECT_IDENTIFIER_FLAG","features":[392]},{"name":"SPC_DIGEST_GENERATE_FLAG","features":[392]},{"name":"SPC_DIGEST_SIGN_EX_FLAG","features":[392]},{"name":"SPC_DIGEST_SIGN_FLAG","features":[392]},{"name":"SPC_EXC_PE_PAGE_HASHES_FLAG","features":[392]},{"name":"SPC_INC_PE_DEBUG_INFO_FLAG","features":[392]},{"name":"SPC_INC_PE_IMPORT_ADDR_TABLE_FLAG","features":[392]},{"name":"SPC_INC_PE_PAGE_HASHES_FLAG","features":[392]},{"name":"SPC_INC_PE_RESOURCES_FLAG","features":[392]},{"name":"SSL_ECCKEY_BLOB","features":[392]},{"name":"SSL_ECCPUBLIC_BLOB","features":[392]},{"name":"SSL_F12_ERROR_TEXT_LENGTH","features":[392]},{"name":"SSL_F12_EXTRA_CERT_CHAIN_POLICY_STATUS","features":[392]},{"name":"SSL_HPKP_HEADER_COUNT","features":[392]},{"name":"SSL_HPKP_HEADER_EXTRA_CERT_CHAIN_POLICY_PARA","features":[392]},{"name":"SSL_HPKP_PKP_HEADER_INDEX","features":[392]},{"name":"SSL_HPKP_PKP_RO_HEADER_INDEX","features":[392]},{"name":"SSL_KEY_PIN_ERROR_TEXT_LENGTH","features":[392]},{"name":"SSL_KEY_PIN_EXTRA_CERT_CHAIN_POLICY_PARA","features":[392]},{"name":"SSL_KEY_PIN_EXTRA_CERT_CHAIN_POLICY_STATUS","features":[392]},{"name":"SSL_OBJECT_LOCATOR_CERT_VALIDATION_CONFIG_FUNC","features":[392]},{"name":"SSL_OBJECT_LOCATOR_ISSUER_LIST_FUNC","features":[392]},{"name":"SSL_OBJECT_LOCATOR_PFX_FUNC","features":[392]},{"name":"SYMMETRICWRAPKEYBLOB","features":[392]},{"name":"SignError","features":[392]},{"name":"SignHash","features":[392]},{"name":"SignerFreeSignerContext","features":[392]},{"name":"SignerSign","features":[308,392]},{"name":"SignerSignEx","features":[308,392]},{"name":"SignerSignEx2","features":[308,392]},{"name":"SignerSignEx3","features":[308,392]},{"name":"SignerTimeStamp","features":[308,392]},{"name":"SignerTimeStampEx","features":[308,392]},{"name":"SignerTimeStampEx2","features":[308,392]},{"name":"SignerTimeStampEx3","features":[308,392]},{"name":"SystemPrng","features":[308,392]},{"name":"TIMESTAMP_DONT_HASH_DATA","features":[392]},{"name":"TIMESTAMP_FAILURE_BAD_ALG","features":[392]},{"name":"TIMESTAMP_FAILURE_BAD_FORMAT","features":[392]},{"name":"TIMESTAMP_FAILURE_BAD_REQUEST","features":[392]},{"name":"TIMESTAMP_FAILURE_EXTENSION_NOT_SUPPORTED","features":[392]},{"name":"TIMESTAMP_FAILURE_INFO_NOT_AVAILABLE","features":[392]},{"name":"TIMESTAMP_FAILURE_POLICY_NOT_SUPPORTED","features":[392]},{"name":"TIMESTAMP_FAILURE_SYSTEM_FAILURE","features":[392]},{"name":"TIMESTAMP_FAILURE_TIME_NOT_AVAILABLE","features":[392]},{"name":"TIMESTAMP_INFO","features":[392]},{"name":"TIMESTAMP_NO_AUTH_RETRIEVAL","features":[392]},{"name":"TIMESTAMP_REQUEST","features":[392]},{"name":"TIMESTAMP_RESPONSE","features":[392]},{"name":"TIMESTAMP_STATUS_GRANTED","features":[392]},{"name":"TIMESTAMP_STATUS_GRANTED_WITH_MODS","features":[392]},{"name":"TIMESTAMP_STATUS_REJECTED","features":[392]},{"name":"TIMESTAMP_STATUS_REVOCATION_WARNING","features":[392]},{"name":"TIMESTAMP_STATUS_REVOKED","features":[392]},{"name":"TIMESTAMP_STATUS_WAITING","features":[392]},{"name":"TIMESTAMP_VERIFY_CONTEXT_SIGNATURE","features":[392]},{"name":"TIMESTAMP_VERSION","features":[392]},{"name":"TIME_VALID_OID_FLUSH_CRL","features":[392]},{"name":"TIME_VALID_OID_FLUSH_CRL_FROM_CERT","features":[392]},{"name":"TIME_VALID_OID_FLUSH_CTL","features":[392]},{"name":"TIME_VALID_OID_FLUSH_FRESHEST_CRL_FROM_CERT","features":[392]},{"name":"TIME_VALID_OID_FLUSH_FRESHEST_CRL_FROM_CRL","features":[392]},{"name":"TIME_VALID_OID_FLUSH_OBJECT_FUNC","features":[392]},{"name":"TIME_VALID_OID_GET_CRL","features":[392]},{"name":"TIME_VALID_OID_GET_CRL_FROM_CERT","features":[392]},{"name":"TIME_VALID_OID_GET_CTL","features":[392]},{"name":"TIME_VALID_OID_GET_FRESHEST_CRL_FROM_CERT","features":[392]},{"name":"TIME_VALID_OID_GET_FRESHEST_CRL_FROM_CRL","features":[392]},{"name":"TIME_VALID_OID_GET_OBJECT_FUNC","features":[392]},{"name":"TPM_RSA_SRK_SEAL_KEY","features":[392]},{"name":"TransformBlock","features":[392]},{"name":"TransformFinalBlock","features":[392]},{"name":"URL_OID_CERTIFICATE_CRL_DIST_POINT","features":[392]},{"name":"URL_OID_CERTIFICATE_CRL_DIST_POINT_AND_OCSP","features":[392]},{"name":"URL_OID_CERTIFICATE_FRESHEST_CRL","features":[392]},{"name":"URL_OID_CERTIFICATE_ISSUER","features":[392]},{"name":"URL_OID_CERTIFICATE_OCSP","features":[392]},{"name":"URL_OID_CERTIFICATE_OCSP_AND_CRL_DIST_POINT","features":[392]},{"name":"URL_OID_CERTIFICATE_ONLY_OCSP","features":[392]},{"name":"URL_OID_CRL_FRESHEST_CRL","features":[392]},{"name":"URL_OID_CRL_ISSUER","features":[392]},{"name":"URL_OID_CROSS_CERT_DIST_POINT","features":[392]},{"name":"URL_OID_CROSS_CERT_SUBJECT_INFO_ACCESS","features":[392]},{"name":"URL_OID_CTL_ISSUER","features":[392]},{"name":"URL_OID_CTL_NEXT_UPDATE","features":[392]},{"name":"URL_OID_GET_OBJECT_URL_FUNC","features":[392]},{"name":"USAGE_MATCH_TYPE_AND","features":[392]},{"name":"USAGE_MATCH_TYPE_OR","features":[392]},{"name":"VerifyHash","features":[308,392]},{"name":"X509_ALGORITHM_IDENTIFIER","features":[392]},{"name":"X509_ALTERNATE_NAME","features":[392]},{"name":"X509_ANY_STRING","features":[392]},{"name":"X509_ASN_ENCODING","features":[392]},{"name":"X509_AUTHORITY_INFO_ACCESS","features":[392]},{"name":"X509_AUTHORITY_KEY_ID","features":[392]},{"name":"X509_AUTHORITY_KEY_ID2","features":[392]},{"name":"X509_BASIC_CONSTRAINTS","features":[392]},{"name":"X509_BASIC_CONSTRAINTS2","features":[392]},{"name":"X509_BIOMETRIC_EXT","features":[392]},{"name":"X509_BITS","features":[392]},{"name":"X509_BITS_WITHOUT_TRAILING_ZEROES","features":[392]},{"name":"X509_CERT","features":[392]},{"name":"X509_CERTIFICATE_TEMPLATE","features":[392]},{"name":"X509_CERT_BUNDLE","features":[392]},{"name":"X509_CERT_CRL_TO_BE_SIGNED","features":[392]},{"name":"X509_CERT_PAIR","features":[392]},{"name":"X509_CERT_POLICIES","features":[392]},{"name":"X509_CERT_REQUEST_TO_BE_SIGNED","features":[392]},{"name":"X509_CERT_TO_BE_SIGNED","features":[392]},{"name":"X509_CHOICE_OF_TIME","features":[392]},{"name":"X509_CRL_DIST_POINTS","features":[392]},{"name":"X509_CRL_REASON_CODE","features":[392]},{"name":"X509_CROSS_CERT_DIST_POINTS","features":[392]},{"name":"X509_DH_PARAMETERS","features":[392]},{"name":"X509_DH_PUBLICKEY","features":[392]},{"name":"X509_DSS_PARAMETERS","features":[392]},{"name":"X509_DSS_PUBLICKEY","features":[392]},{"name":"X509_DSS_SIGNATURE","features":[392]},{"name":"X509_ECC_PARAMETERS","features":[392]},{"name":"X509_ECC_PRIVATE_KEY","features":[392]},{"name":"X509_ECC_SIGNATURE","features":[392]},{"name":"X509_ENHANCED_KEY_USAGE","features":[392]},{"name":"X509_ENUMERATED","features":[392]},{"name":"X509_EXTENSIONS","features":[392]},{"name":"X509_INTEGER","features":[392]},{"name":"X509_ISSUING_DIST_POINT","features":[392]},{"name":"X509_KEYGEN_REQUEST_TO_BE_SIGNED","features":[392]},{"name":"X509_KEY_ATTRIBUTES","features":[392]},{"name":"X509_KEY_USAGE","features":[392]},{"name":"X509_KEY_USAGE_RESTRICTION","features":[392]},{"name":"X509_LOGOTYPE_EXT","features":[392]},{"name":"X509_MULTI_BYTE_INTEGER","features":[392]},{"name":"X509_MULTI_BYTE_UINT","features":[392]},{"name":"X509_NAME","features":[392]},{"name":"X509_NAME_CONSTRAINTS","features":[392]},{"name":"X509_NAME_VALUE","features":[392]},{"name":"X509_NDR_ENCODING","features":[392]},{"name":"X509_OBJECT_IDENTIFIER","features":[392]},{"name":"X509_OCTET_STRING","features":[392]},{"name":"X509_PKIX_POLICY_QUALIFIER_USERNOTICE","features":[392]},{"name":"X509_POLICY_CONSTRAINTS","features":[392]},{"name":"X509_POLICY_MAPPINGS","features":[392]},{"name":"X509_PUBLIC_KEY_INFO","features":[392]},{"name":"X509_QC_STATEMENTS_EXT","features":[392]},{"name":"X509_SEQUENCE_OF_ANY","features":[392]},{"name":"X509_SUBJECT_DIR_ATTRS","features":[392]},{"name":"X509_SUBJECT_INFO_ACCESS","features":[392]},{"name":"X509_UNICODE_ANY_STRING","features":[392]},{"name":"X509_UNICODE_NAME","features":[392]},{"name":"X509_UNICODE_NAME_VALUE","features":[392]},{"name":"X942_DH_PARAMETERS","features":[392]},{"name":"X942_OTHER_INFO","features":[392]},{"name":"ZERO_PADDING","features":[392]},{"name":"cPRIV_KEY_CACHE_MAX_ITEMS_DEFAULT","features":[392]},{"name":"cPRIV_KEY_CACHE_PURGE_INTERVAL_SECONDS_DEFAULT","features":[392]},{"name":"dwFORCE_KEY_PROTECTION_DISABLED","features":[392]},{"name":"dwFORCE_KEY_PROTECTION_HIGH","features":[392]},{"name":"dwFORCE_KEY_PROTECTION_USER_SELECT","features":[392]},{"name":"szFORCE_KEY_PROTECTION","features":[392]},{"name":"szKEY_CACHE_ENABLED","features":[392]},{"name":"szKEY_CACHE_SECONDS","features":[392]},{"name":"szKEY_CRYPTOAPI_PRIVATE_KEY_OPTIONS","features":[392]},{"name":"szOIDVerisign_FailInfo","features":[392]},{"name":"szOIDVerisign_MessageType","features":[392]},{"name":"szOIDVerisign_PkiStatus","features":[392]},{"name":"szOIDVerisign_RecipientNonce","features":[392]},{"name":"szOIDVerisign_SenderNonce","features":[392]},{"name":"szOIDVerisign_TransactionID","features":[392]},{"name":"szOID_ANSI_X942","features":[392]},{"name":"szOID_ANSI_X942_DH","features":[392]},{"name":"szOID_ANY_APPLICATION_POLICY","features":[392]},{"name":"szOID_ANY_CERT_POLICY","features":[392]},{"name":"szOID_ANY_ENHANCED_KEY_USAGE","features":[392]},{"name":"szOID_APPLICATION_CERT_POLICIES","features":[392]},{"name":"szOID_APPLICATION_POLICY_CONSTRAINTS","features":[392]},{"name":"szOID_APPLICATION_POLICY_MAPPINGS","features":[392]},{"name":"szOID_ARCHIVED_KEY_ATTR","features":[392]},{"name":"szOID_ARCHIVED_KEY_CERT_HASH","features":[392]},{"name":"szOID_ATTEST_WHQL_CRYPTO","features":[392]},{"name":"szOID_ATTR_PLATFORM_SPECIFICATION","features":[392]},{"name":"szOID_ATTR_SUPPORTED_ALGORITHMS","features":[392]},{"name":"szOID_ATTR_TPM_SECURITY_ASSERTIONS","features":[392]},{"name":"szOID_ATTR_TPM_SPECIFICATION","features":[392]},{"name":"szOID_AUTHORITY_INFO_ACCESS","features":[392]},{"name":"szOID_AUTHORITY_KEY_IDENTIFIER","features":[392]},{"name":"szOID_AUTHORITY_KEY_IDENTIFIER2","features":[392]},{"name":"szOID_AUTHORITY_REVOCATION_LIST","features":[392]},{"name":"szOID_AUTO_ENROLL_CTL_USAGE","features":[392]},{"name":"szOID_BACKGROUND_OTHER_LOGOTYPE","features":[392]},{"name":"szOID_BASIC_CONSTRAINTS","features":[392]},{"name":"szOID_BASIC_CONSTRAINTS2","features":[392]},{"name":"szOID_BIOMETRIC_EXT","features":[392]},{"name":"szOID_BIOMETRIC_SIGNING","features":[392]},{"name":"szOID_BUSINESS_CATEGORY","features":[392]},{"name":"szOID_CA_CERTIFICATE","features":[392]},{"name":"szOID_CERTIFICATE_REVOCATION_LIST","features":[392]},{"name":"szOID_CERTIFICATE_TEMPLATE","features":[392]},{"name":"szOID_CERTSRV_CA_VERSION","features":[392]},{"name":"szOID_CERTSRV_CROSSCA_VERSION","features":[392]},{"name":"szOID_CERTSRV_PREVIOUS_CERT_HASH","features":[392]},{"name":"szOID_CERT_DISALLOWED_CA_FILETIME_PROP_ID","features":[392]},{"name":"szOID_CERT_DISALLOWED_FILETIME_PROP_ID","features":[392]},{"name":"szOID_CERT_EXTENSIONS","features":[392]},{"name":"szOID_CERT_ISSUER_SERIAL_NUMBER_MD5_HASH_PROP_ID","features":[392]},{"name":"szOID_CERT_KEY_IDENTIFIER_PROP_ID","features":[392]},{"name":"szOID_CERT_MANIFOLD","features":[392]},{"name":"szOID_CERT_MD5_HASH_PROP_ID","features":[392]},{"name":"szOID_CERT_POLICIES","features":[392]},{"name":"szOID_CERT_POLICIES_95","features":[392]},{"name":"szOID_CERT_POLICIES_95_QUALIFIER1","features":[392]},{"name":"szOID_CERT_PROP_ID_PREFIX","features":[392]},{"name":"szOID_CERT_SIGNATURE_HASH_PROP_ID","features":[392]},{"name":"szOID_CERT_STRONG_KEY_OS_1","features":[392]},{"name":"szOID_CERT_STRONG_KEY_OS_CURRENT","features":[392]},{"name":"szOID_CERT_STRONG_KEY_OS_PREFIX","features":[392]},{"name":"szOID_CERT_STRONG_SIGN_OS_1","features":[392]},{"name":"szOID_CERT_STRONG_SIGN_OS_CURRENT","features":[392]},{"name":"szOID_CERT_STRONG_SIGN_OS_PREFIX","features":[392]},{"name":"szOID_CERT_SUBJECT_NAME_MD5_HASH_PROP_ID","features":[392]},{"name":"szOID_CMC","features":[392]},{"name":"szOID_CMC_ADD_ATTRIBUTES","features":[392]},{"name":"szOID_CMC_ADD_EXTENSIONS","features":[392]},{"name":"szOID_CMC_DATA_RETURN","features":[392]},{"name":"szOID_CMC_DECRYPTED_POP","features":[392]},{"name":"szOID_CMC_ENCRYPTED_POP","features":[392]},{"name":"szOID_CMC_GET_CERT","features":[392]},{"name":"szOID_CMC_GET_CRL","features":[392]},{"name":"szOID_CMC_IDENTIFICATION","features":[392]},{"name":"szOID_CMC_IDENTITY_PROOF","features":[392]},{"name":"szOID_CMC_ID_CONFIRM_CERT_ACCEPTANCE","features":[392]},{"name":"szOID_CMC_ID_POP_LINK_RANDOM","features":[392]},{"name":"szOID_CMC_ID_POP_LINK_WITNESS","features":[392]},{"name":"szOID_CMC_LRA_POP_WITNESS","features":[392]},{"name":"szOID_CMC_QUERY_PENDING","features":[392]},{"name":"szOID_CMC_RECIPIENT_NONCE","features":[392]},{"name":"szOID_CMC_REG_INFO","features":[392]},{"name":"szOID_CMC_RESPONSE_INFO","features":[392]},{"name":"szOID_CMC_REVOKE_REQUEST","features":[392]},{"name":"szOID_CMC_SENDER_NONCE","features":[392]},{"name":"szOID_CMC_STATUS_INFO","features":[392]},{"name":"szOID_CMC_TRANSACTION_ID","features":[392]},{"name":"szOID_CN_ECDSA_SHA256","features":[392]},{"name":"szOID_COMMON_NAME","features":[392]},{"name":"szOID_COUNTRY_NAME","features":[392]},{"name":"szOID_CRL_DIST_POINTS","features":[392]},{"name":"szOID_CRL_NEXT_PUBLISH","features":[392]},{"name":"szOID_CRL_NUMBER","features":[392]},{"name":"szOID_CRL_REASON_CODE","features":[392]},{"name":"szOID_CRL_SELF_CDP","features":[392]},{"name":"szOID_CRL_VIRTUAL_BASE","features":[392]},{"name":"szOID_CROSS_CERTIFICATE_PAIR","features":[392]},{"name":"szOID_CROSS_CERT_DIST_POINTS","features":[392]},{"name":"szOID_CTL","features":[392]},{"name":"szOID_CT_CERT_SCTLIST","features":[392]},{"name":"szOID_CT_PKI_DATA","features":[392]},{"name":"szOID_CT_PKI_RESPONSE","features":[392]},{"name":"szOID_DELTA_CRL_INDICATOR","features":[392]},{"name":"szOID_DESCRIPTION","features":[392]},{"name":"szOID_DESTINATION_INDICATOR","features":[392]},{"name":"szOID_DEVICE_SERIAL_NUMBER","features":[392]},{"name":"szOID_DH_SINGLE_PASS_STDDH_SHA1_KDF","features":[392]},{"name":"szOID_DH_SINGLE_PASS_STDDH_SHA256_KDF","features":[392]},{"name":"szOID_DH_SINGLE_PASS_STDDH_SHA384_KDF","features":[392]},{"name":"szOID_DISALLOWED_HASH","features":[392]},{"name":"szOID_DISALLOWED_LIST","features":[392]},{"name":"szOID_DN_QUALIFIER","features":[392]},{"name":"szOID_DOMAIN_COMPONENT","features":[392]},{"name":"szOID_DRM","features":[392]},{"name":"szOID_DRM_INDIVIDUALIZATION","features":[392]},{"name":"szOID_DS","features":[392]},{"name":"szOID_DSALG","features":[392]},{"name":"szOID_DSALG_CRPT","features":[392]},{"name":"szOID_DSALG_HASH","features":[392]},{"name":"szOID_DSALG_RSA","features":[392]},{"name":"szOID_DSALG_SIGN","features":[392]},{"name":"szOID_DS_EMAIL_REPLICATION","features":[392]},{"name":"szOID_DYNAMIC_CODE_GEN_SIGNER","features":[392]},{"name":"szOID_ECC_CURVE_BRAINPOOLP160R1","features":[392]},{"name":"szOID_ECC_CURVE_BRAINPOOLP160T1","features":[392]},{"name":"szOID_ECC_CURVE_BRAINPOOLP192R1","features":[392]},{"name":"szOID_ECC_CURVE_BRAINPOOLP192T1","features":[392]},{"name":"szOID_ECC_CURVE_BRAINPOOLP224R1","features":[392]},{"name":"szOID_ECC_CURVE_BRAINPOOLP224T1","features":[392]},{"name":"szOID_ECC_CURVE_BRAINPOOLP256R1","features":[392]},{"name":"szOID_ECC_CURVE_BRAINPOOLP256T1","features":[392]},{"name":"szOID_ECC_CURVE_BRAINPOOLP320R1","features":[392]},{"name":"szOID_ECC_CURVE_BRAINPOOLP320T1","features":[392]},{"name":"szOID_ECC_CURVE_BRAINPOOLP384R1","features":[392]},{"name":"szOID_ECC_CURVE_BRAINPOOLP384T1","features":[392]},{"name":"szOID_ECC_CURVE_BRAINPOOLP512R1","features":[392]},{"name":"szOID_ECC_CURVE_BRAINPOOLP512T1","features":[392]},{"name":"szOID_ECC_CURVE_EC192WAPI","features":[392]},{"name":"szOID_ECC_CURVE_NISTP192","features":[392]},{"name":"szOID_ECC_CURVE_NISTP224","features":[392]},{"name":"szOID_ECC_CURVE_NISTP256","features":[392]},{"name":"szOID_ECC_CURVE_NISTP384","features":[392]},{"name":"szOID_ECC_CURVE_NISTP521","features":[392]},{"name":"szOID_ECC_CURVE_P256","features":[392]},{"name":"szOID_ECC_CURVE_P384","features":[392]},{"name":"szOID_ECC_CURVE_P521","features":[392]},{"name":"szOID_ECC_CURVE_SECP160K1","features":[392]},{"name":"szOID_ECC_CURVE_SECP160R1","features":[392]},{"name":"szOID_ECC_CURVE_SECP160R2","features":[392]},{"name":"szOID_ECC_CURVE_SECP192K1","features":[392]},{"name":"szOID_ECC_CURVE_SECP192R1","features":[392]},{"name":"szOID_ECC_CURVE_SECP224K1","features":[392]},{"name":"szOID_ECC_CURVE_SECP224R1","features":[392]},{"name":"szOID_ECC_CURVE_SECP256K1","features":[392]},{"name":"szOID_ECC_CURVE_SECP256R1","features":[392]},{"name":"szOID_ECC_CURVE_SECP384R1","features":[392]},{"name":"szOID_ECC_CURVE_SECP521R1","features":[392]},{"name":"szOID_ECC_CURVE_WTLS12","features":[392]},{"name":"szOID_ECC_CURVE_WTLS7","features":[392]},{"name":"szOID_ECC_CURVE_WTLS9","features":[392]},{"name":"szOID_ECC_CURVE_X962P192V1","features":[392]},{"name":"szOID_ECC_CURVE_X962P192V2","features":[392]},{"name":"szOID_ECC_CURVE_X962P192V3","features":[392]},{"name":"szOID_ECC_CURVE_X962P239V1","features":[392]},{"name":"szOID_ECC_CURVE_X962P239V2","features":[392]},{"name":"szOID_ECC_CURVE_X962P239V3","features":[392]},{"name":"szOID_ECC_CURVE_X962P256V1","features":[392]},{"name":"szOID_ECC_PUBLIC_KEY","features":[392]},{"name":"szOID_ECDSA_SHA1","features":[392]},{"name":"szOID_ECDSA_SHA256","features":[392]},{"name":"szOID_ECDSA_SHA384","features":[392]},{"name":"szOID_ECDSA_SHA512","features":[392]},{"name":"szOID_ECDSA_SPECIFIED","features":[392]},{"name":"szOID_EFS_RECOVERY","features":[392]},{"name":"szOID_EMBEDDED_NT_CRYPTO","features":[392]},{"name":"szOID_ENCLAVE_SIGNING","features":[392]},{"name":"szOID_ENCRYPTED_KEY_HASH","features":[392]},{"name":"szOID_ENHANCED_KEY_USAGE","features":[392]},{"name":"szOID_ENROLLMENT_AGENT","features":[392]},{"name":"szOID_ENROLLMENT_CSP_PROVIDER","features":[392]},{"name":"szOID_ENROLLMENT_NAME_VALUE_PAIR","features":[392]},{"name":"szOID_ENROLL_AIK_INFO","features":[392]},{"name":"szOID_ENROLL_ATTESTATION_CHALLENGE","features":[392]},{"name":"szOID_ENROLL_ATTESTATION_STATEMENT","features":[392]},{"name":"szOID_ENROLL_CAXCHGCERT_HASH","features":[392]},{"name":"szOID_ENROLL_CERTTYPE_EXTENSION","features":[392]},{"name":"szOID_ENROLL_EKPUB_CHALLENGE","features":[392]},{"name":"szOID_ENROLL_EKVERIFYCERT","features":[392]},{"name":"szOID_ENROLL_EKVERIFYCREDS","features":[392]},{"name":"szOID_ENROLL_EKVERIFYKEY","features":[392]},{"name":"szOID_ENROLL_EK_CA_KEYID","features":[392]},{"name":"szOID_ENROLL_EK_INFO","features":[392]},{"name":"szOID_ENROLL_ENCRYPTION_ALGORITHM","features":[392]},{"name":"szOID_ENROLL_KEY_AFFINITY","features":[392]},{"name":"szOID_ENROLL_KSP_NAME","features":[392]},{"name":"szOID_ENROLL_SCEP_CHALLENGE_ANSWER","features":[392]},{"name":"szOID_ENROLL_SCEP_CLIENT_REQUEST","features":[392]},{"name":"szOID_ENROLL_SCEP_ERROR","features":[392]},{"name":"szOID_ENROLL_SCEP_SERVER_MESSAGE","features":[392]},{"name":"szOID_ENROLL_SCEP_SERVER_SECRET","features":[392]},{"name":"szOID_ENROLL_SCEP_SERVER_STATE","features":[392]},{"name":"szOID_ENROLL_SCEP_SIGNER_HASH","features":[392]},{"name":"szOID_ENTERPRISE_OID_ROOT","features":[392]},{"name":"szOID_EV_RDN_COUNTRY","features":[392]},{"name":"szOID_EV_RDN_LOCALE","features":[392]},{"name":"szOID_EV_RDN_STATE_OR_PROVINCE","features":[392]},{"name":"szOID_EV_WHQL_CRYPTO","features":[392]},{"name":"szOID_FACSIMILE_TELEPHONE_NUMBER","features":[392]},{"name":"szOID_FRESHEST_CRL","features":[392]},{"name":"szOID_GIVEN_NAME","features":[392]},{"name":"szOID_HPKP_DOMAIN_NAME_CTL","features":[392]},{"name":"szOID_HPKP_HEADER_VALUE_CTL","features":[392]},{"name":"szOID_INFOSEC","features":[392]},{"name":"szOID_INFOSEC_SuiteAConfidentiality","features":[392]},{"name":"szOID_INFOSEC_SuiteAIntegrity","features":[392]},{"name":"szOID_INFOSEC_SuiteAKMandSig","features":[392]},{"name":"szOID_INFOSEC_SuiteAKeyManagement","features":[392]},{"name":"szOID_INFOSEC_SuiteASignature","features":[392]},{"name":"szOID_INFOSEC_SuiteATokenProtection","features":[392]},{"name":"szOID_INFOSEC_mosaicConfidentiality","features":[392]},{"name":"szOID_INFOSEC_mosaicIntegrity","features":[392]},{"name":"szOID_INFOSEC_mosaicKMandSig","features":[392]},{"name":"szOID_INFOSEC_mosaicKMandUpdSig","features":[392]},{"name":"szOID_INFOSEC_mosaicKeyManagement","features":[392]},{"name":"szOID_INFOSEC_mosaicSignature","features":[392]},{"name":"szOID_INFOSEC_mosaicTokenProtection","features":[392]},{"name":"szOID_INFOSEC_mosaicUpdatedInteg","features":[392]},{"name":"szOID_INFOSEC_mosaicUpdatedSig","features":[392]},{"name":"szOID_INFOSEC_sdnsConfidentiality","features":[392]},{"name":"szOID_INFOSEC_sdnsIntegrity","features":[392]},{"name":"szOID_INFOSEC_sdnsKMandSig","features":[392]},{"name":"szOID_INFOSEC_sdnsKeyManagement","features":[392]},{"name":"szOID_INFOSEC_sdnsSignature","features":[392]},{"name":"szOID_INFOSEC_sdnsTokenProtection","features":[392]},{"name":"szOID_INHIBIT_ANY_POLICY","features":[392]},{"name":"szOID_INITIALS","features":[392]},{"name":"szOID_INTERNATIONALIZED_EMAIL_ADDRESS","features":[392]},{"name":"szOID_INTERNATIONAL_ISDN_NUMBER","features":[392]},{"name":"szOID_IPSEC_KP_IKE_INTERMEDIATE","features":[392]},{"name":"szOID_ISSUED_CERT_HASH","features":[392]},{"name":"szOID_ISSUER_ALT_NAME","features":[392]},{"name":"szOID_ISSUER_ALT_NAME2","features":[392]},{"name":"szOID_ISSUING_DIST_POINT","features":[392]},{"name":"szOID_IUM_SIGNING","features":[392]},{"name":"szOID_KEYID_RDN","features":[392]},{"name":"szOID_KEY_ATTRIBUTES","features":[392]},{"name":"szOID_KEY_USAGE","features":[392]},{"name":"szOID_KEY_USAGE_RESTRICTION","features":[392]},{"name":"szOID_KP_CA_EXCHANGE","features":[392]},{"name":"szOID_KP_CSP_SIGNATURE","features":[392]},{"name":"szOID_KP_CTL_USAGE_SIGNING","features":[392]},{"name":"szOID_KP_DOCUMENT_SIGNING","features":[392]},{"name":"szOID_KP_EFS","features":[392]},{"name":"szOID_KP_FLIGHT_SIGNING","features":[392]},{"name":"szOID_KP_KERNEL_MODE_CODE_SIGNING","features":[392]},{"name":"szOID_KP_KERNEL_MODE_HAL_EXTENSION_SIGNING","features":[392]},{"name":"szOID_KP_KERNEL_MODE_TRUSTED_BOOT_SIGNING","features":[392]},{"name":"szOID_KP_KEY_RECOVERY","features":[392]},{"name":"szOID_KP_KEY_RECOVERY_AGENT","features":[392]},{"name":"szOID_KP_LIFETIME_SIGNING","features":[392]},{"name":"szOID_KP_MOBILE_DEVICE_SOFTWARE","features":[392]},{"name":"szOID_KP_PRIVACY_CA","features":[392]},{"name":"szOID_KP_QUALIFIED_SUBORDINATION","features":[392]},{"name":"szOID_KP_SMARTCARD_LOGON","features":[392]},{"name":"szOID_KP_SMART_DISPLAY","features":[392]},{"name":"szOID_KP_TIME_STAMP_SIGNING","features":[392]},{"name":"szOID_KP_TPM_AIK_CERTIFICATE","features":[392]},{"name":"szOID_KP_TPM_EK_CERTIFICATE","features":[392]},{"name":"szOID_KP_TPM_PLATFORM_CERTIFICATE","features":[392]},{"name":"szOID_LEGACY_POLICY_MAPPINGS","features":[392]},{"name":"szOID_LICENSES","features":[392]},{"name":"szOID_LICENSE_SERVER","features":[392]},{"name":"szOID_LOCALITY_NAME","features":[392]},{"name":"szOID_LOCAL_MACHINE_KEYSET","features":[392]},{"name":"szOID_LOGOTYPE_EXT","features":[392]},{"name":"szOID_LOYALTY_OTHER_LOGOTYPE","features":[392]},{"name":"szOID_MEMBER","features":[392]},{"name":"szOID_MICROSOFT_PUBLISHER_SIGNER","features":[392]},{"name":"szOID_NAME_CONSTRAINTS","features":[392]},{"name":"szOID_NETSCAPE","features":[392]},{"name":"szOID_NETSCAPE_BASE_URL","features":[392]},{"name":"szOID_NETSCAPE_CA_POLICY_URL","features":[392]},{"name":"szOID_NETSCAPE_CA_REVOCATION_URL","features":[392]},{"name":"szOID_NETSCAPE_CERT_EXTENSION","features":[392]},{"name":"szOID_NETSCAPE_CERT_RENEWAL_URL","features":[392]},{"name":"szOID_NETSCAPE_CERT_SEQUENCE","features":[392]},{"name":"szOID_NETSCAPE_CERT_TYPE","features":[392]},{"name":"szOID_NETSCAPE_COMMENT","features":[392]},{"name":"szOID_NETSCAPE_DATA_TYPE","features":[392]},{"name":"szOID_NETSCAPE_REVOCATION_URL","features":[392]},{"name":"szOID_NETSCAPE_SSL_SERVER_NAME","features":[392]},{"name":"szOID_NEXT_UPDATE_LOCATION","features":[392]},{"name":"szOID_NIST_AES128_CBC","features":[392]},{"name":"szOID_NIST_AES128_WRAP","features":[392]},{"name":"szOID_NIST_AES192_CBC","features":[392]},{"name":"szOID_NIST_AES192_WRAP","features":[392]},{"name":"szOID_NIST_AES256_CBC","features":[392]},{"name":"szOID_NIST_AES256_WRAP","features":[392]},{"name":"szOID_NIST_sha256","features":[392]},{"name":"szOID_NIST_sha384","features":[392]},{"name":"szOID_NIST_sha512","features":[392]},{"name":"szOID_NT5_CRYPTO","features":[392]},{"name":"szOID_NTDS_CA_SECURITY_EXT","features":[392]},{"name":"szOID_NTDS_OBJECTSID","features":[392]},{"name":"szOID_NTDS_REPLICATION","features":[392]},{"name":"szOID_NT_PRINCIPAL_NAME","features":[392]},{"name":"szOID_OEM_WHQL_CRYPTO","features":[392]},{"name":"szOID_OIW","features":[392]},{"name":"szOID_OIWDIR","features":[392]},{"name":"szOID_OIWDIR_CRPT","features":[392]},{"name":"szOID_OIWDIR_HASH","features":[392]},{"name":"szOID_OIWDIR_SIGN","features":[392]},{"name":"szOID_OIWDIR_md2","features":[392]},{"name":"szOID_OIWDIR_md2RSA","features":[392]},{"name":"szOID_OIWSEC","features":[392]},{"name":"szOID_OIWSEC_desCBC","features":[392]},{"name":"szOID_OIWSEC_desCFB","features":[392]},{"name":"szOID_OIWSEC_desECB","features":[392]},{"name":"szOID_OIWSEC_desEDE","features":[392]},{"name":"szOID_OIWSEC_desMAC","features":[392]},{"name":"szOID_OIWSEC_desOFB","features":[392]},{"name":"szOID_OIWSEC_dhCommMod","features":[392]},{"name":"szOID_OIWSEC_dsa","features":[392]},{"name":"szOID_OIWSEC_dsaComm","features":[392]},{"name":"szOID_OIWSEC_dsaCommSHA","features":[392]},{"name":"szOID_OIWSEC_dsaCommSHA1","features":[392]},{"name":"szOID_OIWSEC_dsaSHA1","features":[392]},{"name":"szOID_OIWSEC_keyHashSeal","features":[392]},{"name":"szOID_OIWSEC_md2RSASign","features":[392]},{"name":"szOID_OIWSEC_md4RSA","features":[392]},{"name":"szOID_OIWSEC_md4RSA2","features":[392]},{"name":"szOID_OIWSEC_md5RSA","features":[392]},{"name":"szOID_OIWSEC_md5RSASign","features":[392]},{"name":"szOID_OIWSEC_mdc2","features":[392]},{"name":"szOID_OIWSEC_mdc2RSA","features":[392]},{"name":"szOID_OIWSEC_rsaSign","features":[392]},{"name":"szOID_OIWSEC_rsaXchg","features":[392]},{"name":"szOID_OIWSEC_sha","features":[392]},{"name":"szOID_OIWSEC_sha1","features":[392]},{"name":"szOID_OIWSEC_sha1RSASign","features":[392]},{"name":"szOID_OIWSEC_shaDSA","features":[392]},{"name":"szOID_OIWSEC_shaRSA","features":[392]},{"name":"szOID_ORGANIZATIONAL_UNIT_NAME","features":[392]},{"name":"szOID_ORGANIZATION_NAME","features":[392]},{"name":"szOID_OS_VERSION","features":[392]},{"name":"szOID_OWNER","features":[392]},{"name":"szOID_PHYSICAL_DELIVERY_OFFICE_NAME","features":[392]},{"name":"szOID_PIN_RULES_CTL","features":[392]},{"name":"szOID_PIN_RULES_DOMAIN_NAME","features":[392]},{"name":"szOID_PIN_RULES_EXT","features":[392]},{"name":"szOID_PIN_RULES_LOG_END_DATE_EXT","features":[392]},{"name":"szOID_PIN_RULES_SIGNER","features":[392]},{"name":"szOID_PKCS","features":[392]},{"name":"szOID_PKCS_1","features":[392]},{"name":"szOID_PKCS_10","features":[392]},{"name":"szOID_PKCS_12","features":[392]},{"name":"szOID_PKCS_12_EXTENDED_ATTRIBUTES","features":[392]},{"name":"szOID_PKCS_12_FRIENDLY_NAME_ATTR","features":[392]},{"name":"szOID_PKCS_12_KEY_PROVIDER_NAME_ATTR","features":[392]},{"name":"szOID_PKCS_12_LOCAL_KEY_ID","features":[392]},{"name":"szOID_PKCS_12_PROTECTED_PASSWORD_SECRET_BAG_TYPE_ID","features":[392]},{"name":"szOID_PKCS_12_PbeIds","features":[392]},{"name":"szOID_PKCS_12_pbeWithSHA1And128BitRC2","features":[392]},{"name":"szOID_PKCS_12_pbeWithSHA1And128BitRC4","features":[392]},{"name":"szOID_PKCS_12_pbeWithSHA1And2KeyTripleDES","features":[392]},{"name":"szOID_PKCS_12_pbeWithSHA1And3KeyTripleDES","features":[392]},{"name":"szOID_PKCS_12_pbeWithSHA1And40BitRC2","features":[392]},{"name":"szOID_PKCS_12_pbeWithSHA1And40BitRC4","features":[392]},{"name":"szOID_PKCS_2","features":[392]},{"name":"szOID_PKCS_3","features":[392]},{"name":"szOID_PKCS_4","features":[392]},{"name":"szOID_PKCS_5","features":[392]},{"name":"szOID_PKCS_5_PBES2","features":[392]},{"name":"szOID_PKCS_5_PBKDF2","features":[392]},{"name":"szOID_PKCS_6","features":[392]},{"name":"szOID_PKCS_7","features":[392]},{"name":"szOID_PKCS_7_DATA","features":[392]},{"name":"szOID_PKCS_7_DIGESTED","features":[392]},{"name":"szOID_PKCS_7_ENCRYPTED","features":[392]},{"name":"szOID_PKCS_7_ENVELOPED","features":[392]},{"name":"szOID_PKCS_7_SIGNED","features":[392]},{"name":"szOID_PKCS_7_SIGNEDANDENVELOPED","features":[392]},{"name":"szOID_PKCS_8","features":[392]},{"name":"szOID_PKCS_9","features":[392]},{"name":"szOID_PKCS_9_CONTENT_TYPE","features":[392]},{"name":"szOID_PKCS_9_MESSAGE_DIGEST","features":[392]},{"name":"szOID_PKINIT_KP_KDC","features":[392]},{"name":"szOID_PKIX","features":[392]},{"name":"szOID_PKIX_ACC_DESCR","features":[392]},{"name":"szOID_PKIX_CA_ISSUERS","features":[392]},{"name":"szOID_PKIX_CA_REPOSITORY","features":[392]},{"name":"szOID_PKIX_KP","features":[392]},{"name":"szOID_PKIX_KP_CLIENT_AUTH","features":[392]},{"name":"szOID_PKIX_KP_CODE_SIGNING","features":[392]},{"name":"szOID_PKIX_KP_EMAIL_PROTECTION","features":[392]},{"name":"szOID_PKIX_KP_IPSEC_END_SYSTEM","features":[392]},{"name":"szOID_PKIX_KP_IPSEC_TUNNEL","features":[392]},{"name":"szOID_PKIX_KP_IPSEC_USER","features":[392]},{"name":"szOID_PKIX_KP_OCSP_SIGNING","features":[392]},{"name":"szOID_PKIX_KP_SERVER_AUTH","features":[392]},{"name":"szOID_PKIX_KP_TIMESTAMP_SIGNING","features":[392]},{"name":"szOID_PKIX_NO_SIGNATURE","features":[392]},{"name":"szOID_PKIX_OCSP","features":[392]},{"name":"szOID_PKIX_OCSP_BASIC_SIGNED_RESPONSE","features":[392]},{"name":"szOID_PKIX_OCSP_NOCHECK","features":[392]},{"name":"szOID_PKIX_OCSP_NONCE","features":[392]},{"name":"szOID_PKIX_PE","features":[392]},{"name":"szOID_PKIX_POLICY_QUALIFIER_CPS","features":[392]},{"name":"szOID_PKIX_POLICY_QUALIFIER_USERNOTICE","features":[392]},{"name":"szOID_PKIX_TIME_STAMPING","features":[392]},{"name":"szOID_PLATFORM_MANIFEST_BINARY_ID","features":[392]},{"name":"szOID_POLICY_CONSTRAINTS","features":[392]},{"name":"szOID_POLICY_MAPPINGS","features":[392]},{"name":"szOID_POSTAL_ADDRESS","features":[392]},{"name":"szOID_POSTAL_CODE","features":[392]},{"name":"szOID_POST_OFFICE_BOX","features":[392]},{"name":"szOID_PREFERRED_DELIVERY_METHOD","features":[392]},{"name":"szOID_PRESENTATION_ADDRESS","features":[392]},{"name":"szOID_PRIVATEKEY_USAGE_PERIOD","features":[392]},{"name":"szOID_PRODUCT_UPDATE","features":[392]},{"name":"szOID_PROTECTED_PROCESS_LIGHT_SIGNER","features":[392]},{"name":"szOID_PROTECTED_PROCESS_SIGNER","features":[392]},{"name":"szOID_QC_EU_COMPLIANCE","features":[392]},{"name":"szOID_QC_SSCD","features":[392]},{"name":"szOID_QC_STATEMENTS_EXT","features":[392]},{"name":"szOID_RDN_DUMMY_SIGNER","features":[392]},{"name":"szOID_RDN_TCG_PLATFORM_MANUFACTURER","features":[392]},{"name":"szOID_RDN_TCG_PLATFORM_MODEL","features":[392]},{"name":"szOID_RDN_TCG_PLATFORM_VERSION","features":[392]},{"name":"szOID_RDN_TPM_MANUFACTURER","features":[392]},{"name":"szOID_RDN_TPM_MODEL","features":[392]},{"name":"szOID_RDN_TPM_VERSION","features":[392]},{"name":"szOID_REASON_CODE_HOLD","features":[392]},{"name":"szOID_REGISTERED_ADDRESS","features":[392]},{"name":"szOID_REMOVE_CERTIFICATE","features":[392]},{"name":"szOID_RENEWAL_CERTIFICATE","features":[392]},{"name":"szOID_REQUEST_CLIENT_INFO","features":[392]},{"name":"szOID_REQUIRE_CERT_CHAIN_POLICY","features":[392]},{"name":"szOID_REVOKED_LIST_SIGNER","features":[392]},{"name":"szOID_RFC3161_counterSign","features":[392]},{"name":"szOID_RFC3161v21_counterSign","features":[392]},{"name":"szOID_RFC3161v21_thumbprints","features":[392]},{"name":"szOID_ROLE_OCCUPANT","features":[392]},{"name":"szOID_ROOT_LIST_SIGNER","features":[392]},{"name":"szOID_ROOT_PROGRAM_AUTO_UPDATE_CA_REVOCATION","features":[392]},{"name":"szOID_ROOT_PROGRAM_AUTO_UPDATE_END_REVOCATION","features":[392]},{"name":"szOID_ROOT_PROGRAM_FLAGS","features":[392]},{"name":"szOID_ROOT_PROGRAM_NO_OCSP_FAILOVER_TO_CRL","features":[392]},{"name":"szOID_RSA","features":[392]},{"name":"szOID_RSAES_OAEP","features":[392]},{"name":"szOID_RSA_DES_EDE3_CBC","features":[392]},{"name":"szOID_RSA_DH","features":[392]},{"name":"szOID_RSA_ENCRYPT","features":[392]},{"name":"szOID_RSA_HASH","features":[392]},{"name":"szOID_RSA_MD2","features":[392]},{"name":"szOID_RSA_MD2RSA","features":[392]},{"name":"szOID_RSA_MD4","features":[392]},{"name":"szOID_RSA_MD4RSA","features":[392]},{"name":"szOID_RSA_MD5","features":[392]},{"name":"szOID_RSA_MD5RSA","features":[392]},{"name":"szOID_RSA_MGF1","features":[392]},{"name":"szOID_RSA_PSPECIFIED","features":[392]},{"name":"szOID_RSA_RC2CBC","features":[392]},{"name":"szOID_RSA_RC4","features":[392]},{"name":"szOID_RSA_RC5_CBCPad","features":[392]},{"name":"szOID_RSA_RSA","features":[392]},{"name":"szOID_RSA_SETOAEP_RSA","features":[392]},{"name":"szOID_RSA_SHA1RSA","features":[392]},{"name":"szOID_RSA_SHA256RSA","features":[392]},{"name":"szOID_RSA_SHA384RSA","features":[392]},{"name":"szOID_RSA_SHA512RSA","features":[392]},{"name":"szOID_RSA_SMIMECapabilities","features":[392]},{"name":"szOID_RSA_SMIMEalg","features":[392]},{"name":"szOID_RSA_SMIMEalgCMS3DESwrap","features":[392]},{"name":"szOID_RSA_SMIMEalgCMSRC2wrap","features":[392]},{"name":"szOID_RSA_SMIMEalgESDH","features":[392]},{"name":"szOID_RSA_SSA_PSS","features":[392]},{"name":"szOID_RSA_certExtensions","features":[392]},{"name":"szOID_RSA_challengePwd","features":[392]},{"name":"szOID_RSA_contentType","features":[392]},{"name":"szOID_RSA_counterSign","features":[392]},{"name":"szOID_RSA_data","features":[392]},{"name":"szOID_RSA_digestedData","features":[392]},{"name":"szOID_RSA_emailAddr","features":[392]},{"name":"szOID_RSA_encryptedData","features":[392]},{"name":"szOID_RSA_envelopedData","features":[392]},{"name":"szOID_RSA_extCertAttrs","features":[392]},{"name":"szOID_RSA_hashedData","features":[392]},{"name":"szOID_RSA_messageDigest","features":[392]},{"name":"szOID_RSA_preferSignedData","features":[392]},{"name":"szOID_RSA_signEnvData","features":[392]},{"name":"szOID_RSA_signedData","features":[392]},{"name":"szOID_RSA_signingTime","features":[392]},{"name":"szOID_RSA_unstructAddr","features":[392]},{"name":"szOID_RSA_unstructName","features":[392]},{"name":"szOID_SEARCH_GUIDE","features":[392]},{"name":"szOID_SEE_ALSO","features":[392]},{"name":"szOID_SERIALIZED","features":[392]},{"name":"szOID_SERVER_GATED_CRYPTO","features":[392]},{"name":"szOID_SGC_NETSCAPE","features":[392]},{"name":"szOID_SITE_PIN_RULES_FLAGS_ATTR","features":[392]},{"name":"szOID_SITE_PIN_RULES_INDEX_ATTR","features":[392]},{"name":"szOID_SORTED_CTL","features":[392]},{"name":"szOID_STATE_OR_PROVINCE_NAME","features":[392]},{"name":"szOID_STREET_ADDRESS","features":[392]},{"name":"szOID_SUBJECT_ALT_NAME","features":[392]},{"name":"szOID_SUBJECT_ALT_NAME2","features":[392]},{"name":"szOID_SUBJECT_DIR_ATTRS","features":[392]},{"name":"szOID_SUBJECT_INFO_ACCESS","features":[392]},{"name":"szOID_SUBJECT_KEY_IDENTIFIER","features":[392]},{"name":"szOID_SUPPORTED_APPLICATION_CONTEXT","features":[392]},{"name":"szOID_SUR_NAME","features":[392]},{"name":"szOID_SYNC_ROOT_CTL_EXT","features":[392]},{"name":"szOID_TELEPHONE_NUMBER","features":[392]},{"name":"szOID_TELETEXT_TERMINAL_IDENTIFIER","features":[392]},{"name":"szOID_TELEX_NUMBER","features":[392]},{"name":"szOID_TIMESTAMP_TOKEN","features":[392]},{"name":"szOID_TITLE","features":[392]},{"name":"szOID_TLS_FEATURES_EXT","features":[392]},{"name":"szOID_USER_CERTIFICATE","features":[392]},{"name":"szOID_USER_PASSWORD","features":[392]},{"name":"szOID_VERISIGN_BITSTRING_6_13","features":[392]},{"name":"szOID_VERISIGN_ISS_STRONG_CRYPTO","features":[392]},{"name":"szOID_VERISIGN_ONSITE_JURISDICTION_HASH","features":[392]},{"name":"szOID_VERISIGN_PRIVATE_6_9","features":[392]},{"name":"szOID_WHQL_CRYPTO","features":[392]},{"name":"szOID_WINDOWS_KITS_SIGNER","features":[392]},{"name":"szOID_WINDOWS_RT_SIGNER","features":[392]},{"name":"szOID_WINDOWS_SOFTWARE_EXTENSION_SIGNER","features":[392]},{"name":"szOID_WINDOWS_STORE_SIGNER","features":[392]},{"name":"szOID_WINDOWS_TCB_SIGNER","features":[392]},{"name":"szOID_WINDOWS_THIRD_PARTY_COMPONENT_SIGNER","features":[392]},{"name":"szOID_X21_ADDRESS","features":[392]},{"name":"szOID_X957","features":[392]},{"name":"szOID_X957_DSA","features":[392]},{"name":"szOID_X957_SHA1DSA","features":[392]},{"name":"szOID_YESNO_TRUST_ATTR","features":[392]},{"name":"szPRIV_KEY_CACHE_MAX_ITEMS","features":[392]},{"name":"szPRIV_KEY_CACHE_PURGE_INTERVAL_SECONDS","features":[392]},{"name":"sz_CERT_STORE_PROV_COLLECTION","features":[392]},{"name":"sz_CERT_STORE_PROV_FILENAME","features":[392]},{"name":"sz_CERT_STORE_PROV_FILENAME_W","features":[392]},{"name":"sz_CERT_STORE_PROV_LDAP","features":[392]},{"name":"sz_CERT_STORE_PROV_LDAP_W","features":[392]},{"name":"sz_CERT_STORE_PROV_MEMORY","features":[392]},{"name":"sz_CERT_STORE_PROV_PHYSICAL","features":[392]},{"name":"sz_CERT_STORE_PROV_PHYSICAL_W","features":[392]},{"name":"sz_CERT_STORE_PROV_PKCS12","features":[392]},{"name":"sz_CERT_STORE_PROV_PKCS7","features":[392]},{"name":"sz_CERT_STORE_PROV_SERIALIZED","features":[392]},{"name":"sz_CERT_STORE_PROV_SMART_CARD","features":[392]},{"name":"sz_CERT_STORE_PROV_SMART_CARD_W","features":[392]},{"name":"sz_CERT_STORE_PROV_SYSTEM","features":[392]},{"name":"sz_CERT_STORE_PROV_SYSTEM_REGISTRY","features":[392]},{"name":"sz_CERT_STORE_PROV_SYSTEM_REGISTRY_W","features":[392]},{"name":"sz_CERT_STORE_PROV_SYSTEM_W","features":[392]},{"name":"wszURI_CANONICALIZATION_C14N","features":[392]},{"name":"wszURI_CANONICALIZATION_C14NC","features":[392]},{"name":"wszURI_CANONICALIZATION_EXSLUSIVE_C14N","features":[392]},{"name":"wszURI_CANONICALIZATION_EXSLUSIVE_C14NC","features":[392]},{"name":"wszURI_NTDS_OBJECTSID_PREFIX","features":[392]},{"name":"wszURI_TRANSFORM_XPATH","features":[392]},{"name":"wszURI_XMLNS_DIGSIG_BASE64","features":[392]},{"name":"wszURI_XMLNS_DIGSIG_DSA_SHA1","features":[392]},{"name":"wszURI_XMLNS_DIGSIG_ECDSA_SHA1","features":[392]},{"name":"wszURI_XMLNS_DIGSIG_ECDSA_SHA256","features":[392]},{"name":"wszURI_XMLNS_DIGSIG_ECDSA_SHA384","features":[392]},{"name":"wszURI_XMLNS_DIGSIG_ECDSA_SHA512","features":[392]},{"name":"wszURI_XMLNS_DIGSIG_HMAC_SHA1","features":[392]},{"name":"wszURI_XMLNS_DIGSIG_HMAC_SHA256","features":[392]},{"name":"wszURI_XMLNS_DIGSIG_HMAC_SHA384","features":[392]},{"name":"wszURI_XMLNS_DIGSIG_HMAC_SHA512","features":[392]},{"name":"wszURI_XMLNS_DIGSIG_RSA_SHA1","features":[392]},{"name":"wszURI_XMLNS_DIGSIG_RSA_SHA256","features":[392]},{"name":"wszURI_XMLNS_DIGSIG_RSA_SHA384","features":[392]},{"name":"wszURI_XMLNS_DIGSIG_RSA_SHA512","features":[392]},{"name":"wszURI_XMLNS_DIGSIG_SHA1","features":[392]},{"name":"wszURI_XMLNS_DIGSIG_SHA256","features":[392]},{"name":"wszURI_XMLNS_DIGSIG_SHA384","features":[392]},{"name":"wszURI_XMLNS_DIGSIG_SHA512","features":[392]},{"name":"wszURI_XMLNS_TRANSFORM_BASE64","features":[392]},{"name":"wszURI_XMLNS_TRANSFORM_ENVELOPED","features":[392]},{"name":"wszXMLNS_DIGSIG","features":[392]},{"name":"wszXMLNS_DIGSIG_Id","features":[392]},{"name":"wszXMLNS_DIGSIG_SignatureProperties","features":[392]}],"488":[{"name":"CATALOG_INFO","features":[487]},{"name":"CRYPTCATATTRIBUTE","features":[487]},{"name":"CRYPTCATCDF","features":[308,487]},{"name":"CRYPTCATMEMBER","features":[308,487,488]},{"name":"CRYPTCATSTORE","features":[308,487]},{"name":"CRYPTCAT_ADDCATALOG_HARDLINK","features":[487]},{"name":"CRYPTCAT_ADDCATALOG_NONE","features":[487]},{"name":"CRYPTCAT_ATTR_AUTHENTICATED","features":[487]},{"name":"CRYPTCAT_ATTR_DATAASCII","features":[487]},{"name":"CRYPTCAT_ATTR_DATABASE64","features":[487]},{"name":"CRYPTCAT_ATTR_DATAREPLACE","features":[487]},{"name":"CRYPTCAT_ATTR_NAMEASCII","features":[487]},{"name":"CRYPTCAT_ATTR_NAMEOBJID","features":[487]},{"name":"CRYPTCAT_ATTR_NO_AUTO_COMPAT_ENTRY","features":[487]},{"name":"CRYPTCAT_ATTR_UNAUTHENTICATED","features":[487]},{"name":"CRYPTCAT_E_AREA_ATTRIBUTE","features":[487]},{"name":"CRYPTCAT_E_AREA_HEADER","features":[487]},{"name":"CRYPTCAT_E_AREA_MEMBER","features":[487]},{"name":"CRYPTCAT_E_CDF_ATTR_TOOFEWVALUES","features":[487]},{"name":"CRYPTCAT_E_CDF_ATTR_TYPECOMBO","features":[487]},{"name":"CRYPTCAT_E_CDF_BAD_GUID_CONV","features":[487]},{"name":"CRYPTCAT_E_CDF_DUPLICATE","features":[487]},{"name":"CRYPTCAT_E_CDF_MEMBER_FILENOTFOUND","features":[487]},{"name":"CRYPTCAT_E_CDF_MEMBER_FILE_PATH","features":[487]},{"name":"CRYPTCAT_E_CDF_MEMBER_INDIRECTDATA","features":[487]},{"name":"CRYPTCAT_E_CDF_TAGNOTFOUND","features":[487]},{"name":"CRYPTCAT_E_CDF_UNSUPPORTED","features":[487]},{"name":"CRYPTCAT_FILEEXT","features":[487]},{"name":"CRYPTCAT_MAX_MEMBERTAG","features":[487]},{"name":"CRYPTCAT_MEMBER_SORTED","features":[487]},{"name":"CRYPTCAT_OPEN_ALWAYS","features":[487]},{"name":"CRYPTCAT_OPEN_CREATENEW","features":[487]},{"name":"CRYPTCAT_OPEN_EXCLUDE_PAGE_HASHES","features":[487]},{"name":"CRYPTCAT_OPEN_EXISTING","features":[487]},{"name":"CRYPTCAT_OPEN_FLAGS","features":[487]},{"name":"CRYPTCAT_OPEN_FLAGS_MASK","features":[487]},{"name":"CRYPTCAT_OPEN_INCLUDE_PAGE_HASHES","features":[487]},{"name":"CRYPTCAT_OPEN_NO_CONTENT_HCRYPTMSG","features":[487]},{"name":"CRYPTCAT_OPEN_SORTED","features":[487]},{"name":"CRYPTCAT_OPEN_VERIFYSIGHASH","features":[487]},{"name":"CRYPTCAT_VERSION","features":[487]},{"name":"CRYPTCAT_VERSION_1","features":[487]},{"name":"CRYPTCAT_VERSION_2","features":[487]},{"name":"CryptCATAdminAcquireContext","features":[308,487]},{"name":"CryptCATAdminAcquireContext2","features":[308,487]},{"name":"CryptCATAdminAddCatalog","features":[487]},{"name":"CryptCATAdminCalcHashFromFileHandle","features":[308,487]},{"name":"CryptCATAdminCalcHashFromFileHandle2","features":[308,487]},{"name":"CryptCATAdminEnumCatalogFromHash","features":[487]},{"name":"CryptCATAdminPauseServiceForBackup","features":[308,487]},{"name":"CryptCATAdminReleaseCatalogContext","features":[308,487]},{"name":"CryptCATAdminReleaseContext","features":[308,487]},{"name":"CryptCATAdminRemoveCatalog","features":[308,487]},{"name":"CryptCATAdminResolveCatalogPath","features":[308,487]},{"name":"CryptCATAllocSortedMemberInfo","features":[308,487,488]},{"name":"CryptCATCDFClose","features":[308,487]},{"name":"CryptCATCDFEnumAttributes","features":[308,487,488]},{"name":"CryptCATCDFEnumCatAttributes","features":[308,487]},{"name":"CryptCATCDFEnumMembers","features":[308,487,488]},{"name":"CryptCATCDFOpen","features":[308,487]},{"name":"CryptCATCatalogInfoFromContext","features":[308,487]},{"name":"CryptCATClose","features":[308,487]},{"name":"CryptCATEnumerateAttr","features":[308,487,488]},{"name":"CryptCATEnumerateCatAttr","features":[308,487]},{"name":"CryptCATEnumerateMember","features":[308,487,488]},{"name":"CryptCATFreeSortedMemberInfo","features":[308,487,488]},{"name":"CryptCATGetAttrInfo","features":[308,487,488]},{"name":"CryptCATGetCatAttrInfo","features":[308,487]},{"name":"CryptCATGetMemberInfo","features":[308,487,488]},{"name":"CryptCATHandleFromStore","features":[308,487]},{"name":"CryptCATOpen","features":[308,487]},{"name":"CryptCATPersistStore","features":[308,487]},{"name":"CryptCATPutAttrInfo","features":[308,487,488]},{"name":"CryptCATPutCatAttrInfo","features":[308,487]},{"name":"CryptCATPutMemberInfo","features":[308,487,488]},{"name":"CryptCATStoreFromHandle","features":[308,487]},{"name":"IsCatalogFile","features":[308,487]},{"name":"MS_ADDINFO_CATALOGMEMBER","features":[308,487,488]},{"name":"PFN_CDF_PARSE_ERROR_CALLBACK","features":[487]},{"name":"szOID_CATALOG_LIST","features":[487]},{"name":"szOID_CATALOG_LIST_MEMBER","features":[487]},{"name":"szOID_CATALOG_LIST_MEMBER2","features":[487]}],"489":[{"name":"ADDED_CERT_TYPE","features":[489]},{"name":"AlgorithmFlags","features":[489]},{"name":"AlgorithmFlagsNone","features":[489]},{"name":"AlgorithmFlagsWrap","features":[489]},{"name":"AlgorithmOperationFlags","features":[489]},{"name":"AlgorithmType","features":[489]},{"name":"AllowNoOutstandingRequest","features":[489]},{"name":"AllowNone","features":[489]},{"name":"AllowUntrustedCertificate","features":[489]},{"name":"AllowUntrustedRoot","features":[489]},{"name":"AllowedKeySignature","features":[489]},{"name":"AllowedNullSignature","features":[489]},{"name":"AlternativeNameType","features":[489]},{"name":"CAIF_DSENTRY","features":[489]},{"name":"CAIF_LOCAL","features":[489]},{"name":"CAIF_REGISTRY","features":[489]},{"name":"CAIF_REGISTRYPARENT","features":[489]},{"name":"CAIF_SHAREDFOLDERENTRY","features":[489]},{"name":"CAINFO","features":[489]},{"name":"CAPATHLENGTH_INFINITE","features":[489]},{"name":"CAPropCertificate","features":[489]},{"name":"CAPropCertificateTypes","features":[489]},{"name":"CAPropCommonName","features":[489]},{"name":"CAPropDNSName","features":[489]},{"name":"CAPropDescription","features":[489]},{"name":"CAPropDistinguishedName","features":[489]},{"name":"CAPropRenewalOnly","features":[489]},{"name":"CAPropSanitizedName","features":[489]},{"name":"CAPropSanitizedShortName","features":[489]},{"name":"CAPropSecurity","features":[489]},{"name":"CAPropSiteName","features":[489]},{"name":"CAPropWebServers","features":[489]},{"name":"CA_ACCESS_ADMIN","features":[489]},{"name":"CA_ACCESS_AUDITOR","features":[489]},{"name":"CA_ACCESS_ENROLL","features":[489]},{"name":"CA_ACCESS_MASKROLES","features":[489]},{"name":"CA_ACCESS_OFFICER","features":[489]},{"name":"CA_ACCESS_OPERATOR","features":[489]},{"name":"CA_ACCESS_READ","features":[489]},{"name":"CA_CRL_BASE","features":[489]},{"name":"CA_CRL_DELTA","features":[489]},{"name":"CA_CRL_REPUBLISH","features":[489]},{"name":"CA_DISP_ERROR","features":[489]},{"name":"CA_DISP_INCOMPLETE","features":[489]},{"name":"CA_DISP_INVALID","features":[489]},{"name":"CA_DISP_REVOKED","features":[489]},{"name":"CA_DISP_UNDER_SUBMISSION","features":[489]},{"name":"CA_DISP_VALID","features":[489]},{"name":"CAlternativeName","features":[489]},{"name":"CAlternativeNames","features":[489]},{"name":"CBinaryConverter","features":[489]},{"name":"CCLOCKSKEWMINUTESDEFAULT","features":[489]},{"name":"CC_DEFAULTCONFIG","features":[489]},{"name":"CC_FIRSTCONFIG","features":[489]},{"name":"CC_LOCALACTIVECONFIG","features":[489]},{"name":"CC_LOCALCONFIG","features":[489]},{"name":"CC_UIPICKCONFIG","features":[489]},{"name":"CC_UIPICKCONFIGSKIPLOCALCA","features":[489]},{"name":"CCertAdmin","features":[489]},{"name":"CCertConfig","features":[489]},{"name":"CCertEncodeAltName","features":[489]},{"name":"CCertEncodeBitString","features":[489]},{"name":"CCertEncodeCRLDistInfo","features":[489]},{"name":"CCertEncodeDateArray","features":[489]},{"name":"CCertEncodeLongArray","features":[489]},{"name":"CCertEncodeStringArray","features":[489]},{"name":"CCertGetConfig","features":[489]},{"name":"CCertProperties","features":[489]},{"name":"CCertProperty","features":[489]},{"name":"CCertPropertyArchived","features":[489]},{"name":"CCertPropertyArchivedKeyHash","features":[489]},{"name":"CCertPropertyAutoEnroll","features":[489]},{"name":"CCertPropertyBackedUp","features":[489]},{"name":"CCertPropertyDescription","features":[489]},{"name":"CCertPropertyEnrollment","features":[489]},{"name":"CCertPropertyEnrollmentPolicyServer","features":[489]},{"name":"CCertPropertyFriendlyName","features":[489]},{"name":"CCertPropertyKeyProvInfo","features":[489]},{"name":"CCertPropertyRenewal","features":[489]},{"name":"CCertPropertyRequestOriginator","features":[489]},{"name":"CCertPropertySHA1Hash","features":[489]},{"name":"CCertRequest","features":[489]},{"name":"CCertServerExit","features":[489]},{"name":"CCertServerPolicy","features":[489]},{"name":"CCertView","features":[489]},{"name":"CCertificateAttestationChallenge","features":[489]},{"name":"CCertificatePolicies","features":[489]},{"name":"CCertificatePolicy","features":[489]},{"name":"CCryptAttribute","features":[489]},{"name":"CCryptAttributes","features":[489]},{"name":"CCspInformation","features":[489]},{"name":"CCspInformations","features":[489]},{"name":"CCspStatus","features":[489]},{"name":"CDR_EXPIRED","features":[489]},{"name":"CDR_REQUEST_LAST_CHANGED","features":[489]},{"name":"CERTADMIN_GET_ROLES_FLAGS","features":[489]},{"name":"CERTENROLL_INDEX_BASE","features":[489]},{"name":"CERTENROLL_OBJECTID","features":[489]},{"name":"CERTENROLL_PROPERTYID","features":[489]},{"name":"CERTTRANSBLOB","features":[489]},{"name":"CERTVIEWRESTRICTION","features":[489]},{"name":"CERT_ALT_NAME","features":[489]},{"name":"CERT_ALT_NAME_DIRECTORY_NAME","features":[489]},{"name":"CERT_ALT_NAME_DNS_NAME","features":[489]},{"name":"CERT_ALT_NAME_IP_ADDRESS","features":[489]},{"name":"CERT_ALT_NAME_OTHER_NAME","features":[489]},{"name":"CERT_ALT_NAME_REGISTERED_ID","features":[489]},{"name":"CERT_ALT_NAME_RFC822_NAME","features":[489]},{"name":"CERT_ALT_NAME_URL","features":[489]},{"name":"CERT_CREATE_REQUEST_FLAGS","features":[489]},{"name":"CERT_DELETE_ROW_FLAGS","features":[489]},{"name":"CERT_EXIT_EVENT_MASK","features":[489]},{"name":"CERT_GET_CONFIG_FLAGS","features":[489]},{"name":"CERT_IMPORT_FLAGS","features":[489]},{"name":"CERT_PROPERTY_TYPE","features":[489]},{"name":"CERT_REQUEST_OUT_TYPE","features":[489]},{"name":"CERT_VIEW_COLUMN_INDEX","features":[489]},{"name":"CERT_VIEW_SEEK_OPERATOR_FLAGS","features":[489]},{"name":"CEnroll","features":[489]},{"name":"CEnroll2","features":[489]},{"name":"CMM_READONLY","features":[489]},{"name":"CMM_REFRESHONLY","features":[489]},{"name":"CObjectId","features":[489]},{"name":"CObjectIds","features":[489]},{"name":"CPF_BADURL_ERROR","features":[489]},{"name":"CPF_BASE","features":[489]},{"name":"CPF_CASTORE_ERROR","features":[489]},{"name":"CPF_COMPLETE","features":[489]},{"name":"CPF_DELTA","features":[489]},{"name":"CPF_FILE_ERROR","features":[489]},{"name":"CPF_FTP_ERROR","features":[489]},{"name":"CPF_HTTP_ERROR","features":[489]},{"name":"CPF_LDAP_ERROR","features":[489]},{"name":"CPF_MANUAL","features":[489]},{"name":"CPF_POSTPONED_BASE_FILE_ERROR","features":[489]},{"name":"CPF_POSTPONED_BASE_LDAP_ERROR","features":[489]},{"name":"CPF_SHADOW","features":[489]},{"name":"CPF_SIGNATURE_ERROR","features":[489]},{"name":"CPolicyQualifier","features":[489]},{"name":"CPolicyQualifiers","features":[489]},{"name":"CRLF_ALLOW_REQUEST_ATTRIBUTE_SUBJECT","features":[489]},{"name":"CRLF_BUILD_ROOTCA_CRLENTRIES_BASEDONKEY","features":[489]},{"name":"CRLF_CRLNUMBER_CRITICAL","features":[489]},{"name":"CRLF_DELETE_EXPIRED_CRLS","features":[489]},{"name":"CRLF_DELTA_USE_OLDEST_UNEXPIRED_BASE","features":[489]},{"name":"CRLF_DISABLE_CHAIN_VERIFICATION","features":[489]},{"name":"CRLF_DISABLE_RDN_REORDER","features":[489]},{"name":"CRLF_DISABLE_ROOT_CROSS_CERTS","features":[489]},{"name":"CRLF_ENFORCE_ENROLLMENT_AGENT","features":[489]},{"name":"CRLF_IGNORE_CROSS_CERT_TRUST_ERROR","features":[489]},{"name":"CRLF_IGNORE_INVALID_POLICIES","features":[489]},{"name":"CRLF_IGNORE_UNKNOWN_CMC_ATTRIBUTES","features":[489]},{"name":"CRLF_LOG_FULL_RESPONSE","features":[489]},{"name":"CRLF_PRESERVE_EXPIRED_CA_CERTS","features":[489]},{"name":"CRLF_PRESERVE_REVOKED_CA_CERTS","features":[489]},{"name":"CRLF_PUBLISH_EXPIRED_CERT_CRLS","features":[489]},{"name":"CRLF_REBUILD_MODIFIED_SUBJECT_ONLY","features":[489]},{"name":"CRLF_REVCHECK_IGNORE_NOREVCHECK","features":[489]},{"name":"CRLF_REVCHECK_IGNORE_OFFLINE","features":[489]},{"name":"CRLF_SAVE_FAILED_CERTS","features":[489]},{"name":"CRLF_USE_CROSS_CERT_TEMPLATE","features":[489]},{"name":"CRLF_USE_XCHG_CERT_TEMPLATE","features":[489]},{"name":"CRLRevocationReason","features":[489]},{"name":"CRYPT_ENUM_ALL_PROVIDERS","features":[489]},{"name":"CR_DISP","features":[489]},{"name":"CR_DISP_DENIED","features":[489]},{"name":"CR_DISP_ERROR","features":[489]},{"name":"CR_DISP_INCOMPLETE","features":[489]},{"name":"CR_DISP_ISSUED","features":[489]},{"name":"CR_DISP_ISSUED_OUT_OF_BAND","features":[489]},{"name":"CR_DISP_REVOKED","features":[489]},{"name":"CR_DISP_UNDER_SUBMISSION","features":[489]},{"name":"CR_FLG_CACROSSCERT","features":[489]},{"name":"CR_FLG_CAXCHGCERT","features":[489]},{"name":"CR_FLG_CHALLENGEPENDING","features":[489]},{"name":"CR_FLG_CHALLENGESATISFIED","features":[489]},{"name":"CR_FLG_DEFINEDCACERT","features":[489]},{"name":"CR_FLG_ENFORCEUTF8","features":[489]},{"name":"CR_FLG_ENROLLONBEHALFOF","features":[489]},{"name":"CR_FLG_FORCETELETEX","features":[489]},{"name":"CR_FLG_FORCEUTF8","features":[489]},{"name":"CR_FLG_PUBLISHERROR","features":[489]},{"name":"CR_FLG_RENEWAL","features":[489]},{"name":"CR_FLG_SUBJECTUNMODIFIED","features":[489]},{"name":"CR_FLG_TRUSTEKCERT","features":[489]},{"name":"CR_FLG_TRUSTEKKEY","features":[489]},{"name":"CR_FLG_TRUSTONUSE","features":[489]},{"name":"CR_FLG_VALIDENCRYPTEDKEYHASH","features":[489]},{"name":"CR_GEMT_DEFAULT","features":[489]},{"name":"CR_GEMT_HRESULT_STRING","features":[489]},{"name":"CR_GEMT_HTTP_ERROR","features":[489]},{"name":"CR_IN_BASE64","features":[489]},{"name":"CR_IN_BASE64HEADER","features":[489]},{"name":"CR_IN_BINARY","features":[489]},{"name":"CR_IN_CERTIFICATETRANSPARENCY","features":[489]},{"name":"CR_IN_CHALLENGERESPONSE","features":[489]},{"name":"CR_IN_CLIENTIDNONE","features":[489]},{"name":"CR_IN_CMC","features":[489]},{"name":"CR_IN_CONNECTONLY","features":[489]},{"name":"CR_IN_CRLS","features":[489]},{"name":"CR_IN_ENCODEANY","features":[489]},{"name":"CR_IN_ENCODEMASK","features":[489]},{"name":"CR_IN_FORMATANY","features":[489]},{"name":"CR_IN_FORMATMASK","features":[489]},{"name":"CR_IN_FULLRESPONSE","features":[489]},{"name":"CR_IN_HTTP","features":[489]},{"name":"CR_IN_KEYGEN","features":[489]},{"name":"CR_IN_MACHINE","features":[489]},{"name":"CR_IN_PKCS10","features":[489]},{"name":"CR_IN_PKCS7","features":[489]},{"name":"CR_IN_RETURNCHALLENGE","features":[489]},{"name":"CR_IN_ROBO","features":[489]},{"name":"CR_IN_RPC","features":[489]},{"name":"CR_IN_SCEP","features":[489]},{"name":"CR_IN_SCEPPOST","features":[489]},{"name":"CR_IN_SIGNEDCERTIFICATETIMESTAMPLIST","features":[489]},{"name":"CR_OUT_BASE64","features":[489]},{"name":"CR_OUT_BASE64HEADER","features":[489]},{"name":"CR_OUT_BASE64REQUESTHEADER","features":[489]},{"name":"CR_OUT_BASE64X509CRLHEADER","features":[489]},{"name":"CR_OUT_BINARY","features":[489]},{"name":"CR_OUT_CHAIN","features":[489]},{"name":"CR_OUT_CRLS","features":[489]},{"name":"CR_OUT_ENCODEMASK","features":[489]},{"name":"CR_OUT_HEX","features":[489]},{"name":"CR_OUT_HEXADDR","features":[489]},{"name":"CR_OUT_HEXASCII","features":[489]},{"name":"CR_OUT_HEXASCIIADDR","features":[489]},{"name":"CR_OUT_HEXRAW","features":[489]},{"name":"CR_OUT_NOCR","features":[489]},{"name":"CR_OUT_NOCRLF","features":[489]},{"name":"CR_PROP_ADVANCEDSERVER","features":[489]},{"name":"CR_PROP_BASECRL","features":[489]},{"name":"CR_PROP_BASECRLPUBLISHSTATUS","features":[489]},{"name":"CR_PROP_CABACKWARDCROSSCERT","features":[489]},{"name":"CR_PROP_CABACKWARDCROSSCERTSTATE","features":[489]},{"name":"CR_PROP_CACERTSTATE","features":[489]},{"name":"CR_PROP_CACERTSTATUSCODE","features":[489]},{"name":"CR_PROP_CACERTVERSION","features":[489]},{"name":"CR_PROP_CAFORWARDCROSSCERT","features":[489]},{"name":"CR_PROP_CAFORWARDCROSSCERTSTATE","features":[489]},{"name":"CR_PROP_CANAME","features":[489]},{"name":"CR_PROP_CAPROPIDMAX","features":[489]},{"name":"CR_PROP_CASIGCERT","features":[489]},{"name":"CR_PROP_CASIGCERTCHAIN","features":[489]},{"name":"CR_PROP_CASIGCERTCOUNT","features":[489]},{"name":"CR_PROP_CASIGCERTCRLCHAIN","features":[489]},{"name":"CR_PROP_CATYPE","features":[489]},{"name":"CR_PROP_CAXCHGCERT","features":[489]},{"name":"CR_PROP_CAXCHGCERTCHAIN","features":[489]},{"name":"CR_PROP_CAXCHGCERTCOUNT","features":[489]},{"name":"CR_PROP_CAXCHGCERTCRLCHAIN","features":[489]},{"name":"CR_PROP_CERTAIAOCSPURLS","features":[489]},{"name":"CR_PROP_CERTAIAURLS","features":[489]},{"name":"CR_PROP_CERTCDPURLS","features":[489]},{"name":"CR_PROP_CRLSTATE","features":[489]},{"name":"CR_PROP_DELTACRL","features":[489]},{"name":"CR_PROP_DELTACRLPUBLISHSTATUS","features":[489]},{"name":"CR_PROP_DNSNAME","features":[489]},{"name":"CR_PROP_EXITCOUNT","features":[489]},{"name":"CR_PROP_EXITDESCRIPTION","features":[489]},{"name":"CR_PROP_FILEVERSION","features":[489]},{"name":"CR_PROP_KRACERT","features":[489]},{"name":"CR_PROP_KRACERTCOUNT","features":[489]},{"name":"CR_PROP_KRACERTSTATE","features":[489]},{"name":"CR_PROP_KRACERTUSEDCOUNT","features":[489]},{"name":"CR_PROP_LOCALENAME","features":[489]},{"name":"CR_PROP_NONE","features":[489]},{"name":"CR_PROP_PARENTCA","features":[489]},{"name":"CR_PROP_POLICYDESCRIPTION","features":[489]},{"name":"CR_PROP_PRODUCTVERSION","features":[489]},{"name":"CR_PROP_ROLESEPARATIONENABLED","features":[489]},{"name":"CR_PROP_SANITIZEDCANAME","features":[489]},{"name":"CR_PROP_SANITIZEDCASHORTNAME","features":[489]},{"name":"CR_PROP_SCEPMAX","features":[489]},{"name":"CR_PROP_SCEPMIN","features":[489]},{"name":"CR_PROP_SCEPSERVERCAPABILITIES","features":[489]},{"name":"CR_PROP_SCEPSERVERCERTS","features":[489]},{"name":"CR_PROP_SCEPSERVERCERTSCHAIN","features":[489]},{"name":"CR_PROP_SHAREDFOLDER","features":[489]},{"name":"CR_PROP_SUBJECTTEMPLATE_OIDS","features":[489]},{"name":"CR_PROP_TEMPLATES","features":[489]},{"name":"CSBACKUP_DISABLE_INCREMENTAL","features":[489]},{"name":"CSBACKUP_TYPE","features":[489]},{"name":"CSBACKUP_TYPE_FULL","features":[489]},{"name":"CSBACKUP_TYPE_LOGS_ONLY","features":[489]},{"name":"CSBACKUP_TYPE_MASK","features":[489]},{"name":"CSBFT_DATABASE_DIRECTORY","features":[489]},{"name":"CSBFT_DIRECTORY","features":[489]},{"name":"CSBFT_LOG_DIRECTORY","features":[489]},{"name":"CSCONTROL_RESTART","features":[489]},{"name":"CSCONTROL_SHUTDOWN","features":[489]},{"name":"CSCONTROL_SUSPEND","features":[489]},{"name":"CSEDB_RSTMAPW","features":[489]},{"name":"CSRESTORE_TYPE_CATCHUP","features":[489]},{"name":"CSRESTORE_TYPE_FULL","features":[489]},{"name":"CSRESTORE_TYPE_MASK","features":[489]},{"name":"CSRESTORE_TYPE_ONLINE","features":[489]},{"name":"CSURL_ADDTOCERTCDP","features":[489]},{"name":"CSURL_ADDTOCERTOCSP","features":[489]},{"name":"CSURL_ADDTOCRLCDP","features":[489]},{"name":"CSURL_ADDTOFRESHESTCRL","features":[489]},{"name":"CSURL_ADDTOIDP","features":[489]},{"name":"CSURL_PUBLISHRETRY","features":[489]},{"name":"CSURL_SERVERPUBLISH","features":[489]},{"name":"CSURL_SERVERPUBLISHDELTA","features":[489]},{"name":"CSVER_MAJOR","features":[489]},{"name":"CSVER_MAJOR_LONGHORN","features":[489]},{"name":"CSVER_MAJOR_THRESHOLD","features":[489]},{"name":"CSVER_MAJOR_WHISTLER","features":[489]},{"name":"CSVER_MAJOR_WIN2K","features":[489]},{"name":"CSVER_MAJOR_WIN7","features":[489]},{"name":"CSVER_MAJOR_WIN8","features":[489]},{"name":"CSVER_MAJOR_WINBLUE","features":[489]},{"name":"CSVER_MINOR","features":[489]},{"name":"CSVER_MINOR_LONGHORN_BETA1","features":[489]},{"name":"CSVER_MINOR_THRESHOLD","features":[489]},{"name":"CSVER_MINOR_WHISTLER_BETA2","features":[489]},{"name":"CSVER_MINOR_WHISTLER_BETA3","features":[489]},{"name":"CSVER_MINOR_WIN2K","features":[489]},{"name":"CSVER_MINOR_WIN7","features":[489]},{"name":"CSVER_MINOR_WIN8","features":[489]},{"name":"CSVER_MINOR_WINBLUE","features":[489]},{"name":"CSignerCertificate","features":[489]},{"name":"CSmimeCapabilities","features":[489]},{"name":"CSmimeCapability","features":[489]},{"name":"CVIEWAGEMINUTESDEFAULT","features":[489]},{"name":"CVRC_COLUMN","features":[489]},{"name":"CVRC_COLUMN_MASK","features":[489]},{"name":"CVRC_COLUMN_RESULT","features":[489]},{"name":"CVRC_COLUMN_SCHEMA","features":[489]},{"name":"CVRC_COLUMN_VALUE","features":[489]},{"name":"CVRC_TABLE","features":[489]},{"name":"CVRC_TABLE_ATTRIBUTES","features":[489]},{"name":"CVRC_TABLE_CRL","features":[489]},{"name":"CVRC_TABLE_EXTENSIONS","features":[489]},{"name":"CVRC_TABLE_MASK","features":[489]},{"name":"CVRC_TABLE_REQCERT","features":[489]},{"name":"CVRC_TABLE_SHIFT","features":[489]},{"name":"CVR_SEEK_EQ","features":[489]},{"name":"CVR_SEEK_GE","features":[489]},{"name":"CVR_SEEK_GT","features":[489]},{"name":"CVR_SEEK_LE","features":[489]},{"name":"CVR_SEEK_LT","features":[489]},{"name":"CVR_SEEK_MASK","features":[489]},{"name":"CVR_SEEK_NODELTA","features":[489]},{"name":"CVR_SEEK_NONE","features":[489]},{"name":"CVR_SORT_ASCEND","features":[489]},{"name":"CVR_SORT_DESCEND","features":[489]},{"name":"CVR_SORT_NONE","features":[489]},{"name":"CV_COLUMN_ATTRIBUTE_DEFAULT","features":[489]},{"name":"CV_COLUMN_CRL_DEFAULT","features":[489]},{"name":"CV_COLUMN_EXTENSION_DEFAULT","features":[489]},{"name":"CV_COLUMN_LOG_DEFAULT","features":[489]},{"name":"CV_COLUMN_LOG_FAILED_DEFAULT","features":[489]},{"name":"CV_COLUMN_LOG_REVOKED_DEFAULT","features":[489]},{"name":"CV_COLUMN_QUEUE_DEFAULT","features":[489]},{"name":"CV_OUT_BASE64","features":[489]},{"name":"CV_OUT_BASE64HEADER","features":[489]},{"name":"CV_OUT_BASE64REQUESTHEADER","features":[489]},{"name":"CV_OUT_BASE64X509CRLHEADER","features":[489]},{"name":"CV_OUT_BINARY","features":[489]},{"name":"CV_OUT_ENCODEMASK","features":[489]},{"name":"CV_OUT_HEX","features":[489]},{"name":"CV_OUT_HEXADDR","features":[489]},{"name":"CV_OUT_HEXASCII","features":[489]},{"name":"CV_OUT_HEXASCIIADDR","features":[489]},{"name":"CV_OUT_HEXRAW","features":[489]},{"name":"CV_OUT_NOCR","features":[489]},{"name":"CV_OUT_NOCRLF","features":[489]},{"name":"CX500DistinguishedName","features":[489]},{"name":"CX509Attribute","features":[489]},{"name":"CX509AttributeArchiveKey","features":[489]},{"name":"CX509AttributeArchiveKeyHash","features":[489]},{"name":"CX509AttributeClientId","features":[489]},{"name":"CX509AttributeCspProvider","features":[489]},{"name":"CX509AttributeExtensions","features":[489]},{"name":"CX509AttributeOSVersion","features":[489]},{"name":"CX509AttributeRenewalCertificate","features":[489]},{"name":"CX509Attributes","features":[489]},{"name":"CX509CertificateRequestCertificate","features":[489]},{"name":"CX509CertificateRequestCmc","features":[489]},{"name":"CX509CertificateRequestPkcs10","features":[489]},{"name":"CX509CertificateRequestPkcs7","features":[489]},{"name":"CX509CertificateRevocationList","features":[489]},{"name":"CX509CertificateRevocationListEntries","features":[489]},{"name":"CX509CertificateRevocationListEntry","features":[489]},{"name":"CX509CertificateTemplateADWritable","features":[489]},{"name":"CX509EndorsementKey","features":[489]},{"name":"CX509Enrollment","features":[489]},{"name":"CX509EnrollmentHelper","features":[489]},{"name":"CX509EnrollmentPolicyActiveDirectory","features":[489]},{"name":"CX509EnrollmentPolicyWebService","features":[489]},{"name":"CX509EnrollmentWebClassFactory","features":[489]},{"name":"CX509Extension","features":[489]},{"name":"CX509ExtensionAlternativeNames","features":[489]},{"name":"CX509ExtensionAuthorityKeyIdentifier","features":[489]},{"name":"CX509ExtensionBasicConstraints","features":[489]},{"name":"CX509ExtensionCertificatePolicies","features":[489]},{"name":"CX509ExtensionEnhancedKeyUsage","features":[489]},{"name":"CX509ExtensionKeyUsage","features":[489]},{"name":"CX509ExtensionMSApplicationPolicies","features":[489]},{"name":"CX509ExtensionSmimeCapabilities","features":[489]},{"name":"CX509ExtensionSubjectKeyIdentifier","features":[489]},{"name":"CX509ExtensionTemplate","features":[489]},{"name":"CX509ExtensionTemplateName","features":[489]},{"name":"CX509Extensions","features":[489]},{"name":"CX509MachineEnrollmentFactory","features":[489]},{"name":"CX509NameValuePair","features":[489]},{"name":"CX509PolicyServerListManager","features":[489]},{"name":"CX509PolicyServerUrl","features":[489]},{"name":"CX509PrivateKey","features":[489]},{"name":"CX509PublicKey","features":[489]},{"name":"CX509SCEPEnrollment","features":[489]},{"name":"CX509SCEPEnrollmentHelper","features":[489]},{"name":"CertSrvBackupClose","features":[489]},{"name":"CertSrvBackupEnd","features":[489]},{"name":"CertSrvBackupFree","features":[489]},{"name":"CertSrvBackupGetBackupLogsW","features":[489]},{"name":"CertSrvBackupGetDatabaseNamesW","features":[489]},{"name":"CertSrvBackupGetDynamicFileListW","features":[489]},{"name":"CertSrvBackupOpenFileW","features":[489]},{"name":"CertSrvBackupPrepareW","features":[489]},{"name":"CertSrvBackupRead","features":[489]},{"name":"CertSrvBackupTruncateLogs","features":[489]},{"name":"CertSrvIsServerOnlineW","features":[308,489]},{"name":"CertSrvRestoreEnd","features":[489]},{"name":"CertSrvRestoreGetDatabaseLocationsW","features":[489]},{"name":"CertSrvRestorePrepareW","features":[489]},{"name":"CertSrvRestoreRegisterComplete","features":[489]},{"name":"CertSrvRestoreRegisterThroughFile","features":[489]},{"name":"CertSrvRestoreRegisterW","features":[489]},{"name":"CertSrvServerControlW","features":[489]},{"name":"ClientIdAutoEnroll","features":[489]},{"name":"ClientIdAutoEnroll2003","features":[489]},{"name":"ClientIdCertReq","features":[489]},{"name":"ClientIdCertReq2003","features":[489]},{"name":"ClientIdDefaultRequest","features":[489]},{"name":"ClientIdEOBO","features":[489]},{"name":"ClientIdNone","features":[489]},{"name":"ClientIdRequestWizard","features":[489]},{"name":"ClientIdTest","features":[489]},{"name":"ClientIdUserStart","features":[489]},{"name":"ClientIdWinRT","features":[489]},{"name":"ClientIdWizard2003","features":[489]},{"name":"ClientIdXEnroll2003","features":[489]},{"name":"CommitFlagDeleteTemplate","features":[489]},{"name":"CommitFlagSaveTemplateGenerateOID","features":[489]},{"name":"CommitFlagSaveTemplateOverwrite","features":[489]},{"name":"CommitFlagSaveTemplateUseCurrentOID","features":[489]},{"name":"CommitTemplateFlags","features":[489]},{"name":"ContextAdministratorForceMachine","features":[489]},{"name":"ContextMachine","features":[489]},{"name":"ContextNone","features":[489]},{"name":"ContextUser","features":[489]},{"name":"DBFLAGS_CHECKPOINTDEPTH60MB","features":[489]},{"name":"DBFLAGS_CIRCULARLOGGING","features":[489]},{"name":"DBFLAGS_CREATEIFNEEDED","features":[489]},{"name":"DBFLAGS_DISABLESNAPSHOTBACKUP","features":[489]},{"name":"DBFLAGS_ENABLEVOLATILEREQUESTS","features":[489]},{"name":"DBFLAGS_LAZYFLUSH","features":[489]},{"name":"DBFLAGS_LOGBUFFERSHUGE","features":[489]},{"name":"DBFLAGS_LOGBUFFERSLARGE","features":[489]},{"name":"DBFLAGS_LOGFILESIZE16MB","features":[489]},{"name":"DBFLAGS_MAXCACHESIZEX100","features":[489]},{"name":"DBFLAGS_MULTITHREADTRANSACTIONS","features":[489]},{"name":"DBFLAGS_READONLY","features":[489]},{"name":"DBG_CERTSRV","features":[489]},{"name":"DBSESSIONCOUNTDEFAULT","features":[489]},{"name":"DB_DISP_ACTIVE","features":[489]},{"name":"DB_DISP_CA_CERT","features":[489]},{"name":"DB_DISP_CA_CERT_CHAIN","features":[489]},{"name":"DB_DISP_DENIED","features":[489]},{"name":"DB_DISP_ERROR","features":[489]},{"name":"DB_DISP_FOREIGN","features":[489]},{"name":"DB_DISP_ISSUED","features":[489]},{"name":"DB_DISP_KRA_CERT","features":[489]},{"name":"DB_DISP_LOG_FAILED_MIN","features":[489]},{"name":"DB_DISP_LOG_MIN","features":[489]},{"name":"DB_DISP_PENDING","features":[489]},{"name":"DB_DISP_QUEUE_MAX","features":[489]},{"name":"DB_DISP_REVOKED","features":[489]},{"name":"DefaultNone","features":[489]},{"name":"DefaultPolicyServer","features":[489]},{"name":"DelayRetryAction","features":[489]},{"name":"DelayRetryLong","features":[489]},{"name":"DelayRetryNone","features":[489]},{"name":"DelayRetryPastSuccess","features":[489]},{"name":"DelayRetryShort","features":[489]},{"name":"DelayRetrySuccess","features":[489]},{"name":"DelayRetryUnknown","features":[489]},{"name":"DisableGroupPolicyList","features":[489]},{"name":"DisableUserServerList","features":[489]},{"name":"DisplayNo","features":[489]},{"name":"DisplayYes","features":[489]},{"name":"EANR_SUPPRESS_IA5CONVERSION","features":[489]},{"name":"EAN_NAMEOBJECTID","features":[489]},{"name":"EDITF_ADDOLDCERTTYPE","features":[489]},{"name":"EDITF_ADDOLDKEYUSAGE","features":[489]},{"name":"EDITF_ATTRIBUTECA","features":[489]},{"name":"EDITF_ATTRIBUTEEKU","features":[489]},{"name":"EDITF_ATTRIBUTEENDDATE","features":[489]},{"name":"EDITF_ATTRIBUTESUBJECTALTNAME2","features":[489]},{"name":"EDITF_AUDITCERTTEMPLATELOAD","features":[489]},{"name":"EDITF_BASICCONSTRAINTSCA","features":[489]},{"name":"EDITF_BASICCONSTRAINTSCRITICAL","features":[489]},{"name":"EDITF_DISABLEEXTENSIONLIST","features":[489]},{"name":"EDITF_DISABLELDAPPACKAGELIST","features":[489]},{"name":"EDITF_DISABLEOLDOSCNUPN","features":[489]},{"name":"EDITF_EMAILOPTIONAL","features":[489]},{"name":"EDITF_ENABLEAKICRITICAL","features":[489]},{"name":"EDITF_ENABLEAKIISSUERNAME","features":[489]},{"name":"EDITF_ENABLEAKIISSUERSERIAL","features":[489]},{"name":"EDITF_ENABLEAKIKEYID","features":[489]},{"name":"EDITF_ENABLECHASECLIENTDC","features":[489]},{"name":"EDITF_ENABLEDEFAULTSMIME","features":[489]},{"name":"EDITF_ENABLEKEYENCIPHERMENTCACERT","features":[489]},{"name":"EDITF_ENABLELDAPREFERRALS","features":[489]},{"name":"EDITF_ENABLEOCSPREVNOCHECK","features":[489]},{"name":"EDITF_ENABLERENEWONBEHALFOF","features":[489]},{"name":"EDITF_ENABLEREQUESTEXTENSIONS","features":[489]},{"name":"EDITF_ENABLEUPNMAP","features":[489]},{"name":"EDITF_IGNOREREQUESTERGROUP","features":[489]},{"name":"EDITF_REQUESTEXTENSIONLIST","features":[489]},{"name":"EDITF_SERVERUPGRADED","features":[489]},{"name":"ENUMEXT_OBJECTID","features":[489]},{"name":"ENUM_CATYPES","features":[489]},{"name":"ENUM_CERT_COLUMN_VALUE_FLAGS","features":[489]},{"name":"ENUM_ENTERPRISE_ROOTCA","features":[489]},{"name":"ENUM_ENTERPRISE_SUBCA","features":[489]},{"name":"ENUM_STANDALONE_ROOTCA","features":[489]},{"name":"ENUM_STANDALONE_SUBCA","features":[489]},{"name":"ENUM_UNKNOWN_CA","features":[489]},{"name":"EXITEVENT_CERTDENIED","features":[489]},{"name":"EXITEVENT_CERTIMPORTED","features":[489]},{"name":"EXITEVENT_CERTISSUED","features":[489]},{"name":"EXITEVENT_CERTPENDING","features":[489]},{"name":"EXITEVENT_CERTRETRIEVEPENDING","features":[489]},{"name":"EXITEVENT_CERTREVOKED","features":[489]},{"name":"EXITEVENT_CRLISSUED","features":[489]},{"name":"EXITEVENT_INVALID","features":[489]},{"name":"EXITEVENT_SHUTDOWN","features":[489]},{"name":"EXITEVENT_STARTUP","features":[489]},{"name":"EXITPUB_ACTIVEDIRECTORY","features":[489]},{"name":"EXITPUB_DEFAULT_ENTERPRISE","features":[489]},{"name":"EXITPUB_DEFAULT_STANDALONE","features":[489]},{"name":"EXITPUB_FILE","features":[489]},{"name":"EXITPUB_REMOVEOLDCERTS","features":[489]},{"name":"EXTENSION_CRITICAL_FLAG","features":[489]},{"name":"EXTENSION_DELETE_FLAG","features":[489]},{"name":"EXTENSION_DISABLE_FLAG","features":[489]},{"name":"EXTENSION_ORIGIN_ADMIN","features":[489]},{"name":"EXTENSION_ORIGIN_CACERT","features":[489]},{"name":"EXTENSION_ORIGIN_CMC","features":[489]},{"name":"EXTENSION_ORIGIN_IMPORTEDCERT","features":[489]},{"name":"EXTENSION_ORIGIN_MASK","features":[489]},{"name":"EXTENSION_ORIGIN_PKCS7","features":[489]},{"name":"EXTENSION_ORIGIN_POLICY","features":[489]},{"name":"EXTENSION_ORIGIN_RENEWALCERT","features":[489]},{"name":"EXTENSION_ORIGIN_REQUEST","features":[489]},{"name":"EXTENSION_ORIGIN_SERVER","features":[489]},{"name":"EXTENSION_POLICY_MASK","features":[489]},{"name":"EncodingType","features":[489]},{"name":"EnrollDenied","features":[489]},{"name":"EnrollError","features":[489]},{"name":"EnrollPended","features":[489]},{"name":"EnrollPrompt","features":[489]},{"name":"EnrollSkipped","features":[489]},{"name":"EnrollUIDeferredEnrollmentRequired","features":[489]},{"name":"EnrollUnknown","features":[489]},{"name":"Enrolled","features":[489]},{"name":"EnrollmentAddOCSPNoCheck","features":[489]},{"name":"EnrollmentAddTemplateName","features":[489]},{"name":"EnrollmentAllowEnrollOnBehalfOf","features":[489]},{"name":"EnrollmentAutoEnrollment","features":[489]},{"name":"EnrollmentAutoEnrollmentCheckUserDSCertificate","features":[489]},{"name":"EnrollmentCAProperty","features":[489]},{"name":"EnrollmentCertificateIssuancePoliciesFromRequest","features":[489]},{"name":"EnrollmentDisplayStatus","features":[489]},{"name":"EnrollmentDomainAuthenticationNotRequired","features":[489]},{"name":"EnrollmentEnrollStatus","features":[489]},{"name":"EnrollmentIncludeBasicConstraintsForEECerts","features":[489]},{"name":"EnrollmentIncludeSymmetricAlgorithms","features":[489]},{"name":"EnrollmentNoRevocationInfoInCerts","features":[489]},{"name":"EnrollmentPendAllRequests","features":[489]},{"name":"EnrollmentPolicyFlags","features":[489]},{"name":"EnrollmentPolicyServerPropertyFlags","features":[489]},{"name":"EnrollmentPreviousApprovalKeyBasedValidateReenrollment","features":[489]},{"name":"EnrollmentPreviousApprovalValidateReenrollment","features":[489]},{"name":"EnrollmentPublishToDS","features":[489]},{"name":"EnrollmentPublishToKRAContainer","features":[489]},{"name":"EnrollmentRemoveInvalidCertificateFromPersonalStore","features":[489]},{"name":"EnrollmentReuseKeyOnFullSmartCard","features":[489]},{"name":"EnrollmentSelectionStatus","features":[489]},{"name":"EnrollmentSkipAutoRenewal","features":[489]},{"name":"EnrollmentTemplateProperty","features":[489]},{"name":"EnrollmentUserInteractionRequired","features":[489]},{"name":"ExportCAs","features":[489]},{"name":"ExportOIDs","features":[489]},{"name":"ExportTemplates","features":[489]},{"name":"FNCERTSRVBACKUPCLOSE","features":[489]},{"name":"FNCERTSRVBACKUPEND","features":[489]},{"name":"FNCERTSRVBACKUPFREE","features":[489]},{"name":"FNCERTSRVBACKUPGETBACKUPLOGSW","features":[489]},{"name":"FNCERTSRVBACKUPGETDATABASENAMESW","features":[489]},{"name":"FNCERTSRVBACKUPGETDYNAMICFILELISTW","features":[489]},{"name":"FNCERTSRVBACKUPOPENFILEW","features":[489]},{"name":"FNCERTSRVBACKUPPREPAREW","features":[489]},{"name":"FNCERTSRVBACKUPREAD","features":[489]},{"name":"FNCERTSRVBACKUPTRUNCATELOGS","features":[489]},{"name":"FNCERTSRVISSERVERONLINEW","features":[308,489]},{"name":"FNCERTSRVRESTOREEND","features":[489]},{"name":"FNCERTSRVRESTOREGETDATABASELOCATIONSW","features":[489]},{"name":"FNCERTSRVRESTOREPREPAREW","features":[489]},{"name":"FNCERTSRVRESTOREREGISTERCOMPLETE","features":[489]},{"name":"FNCERTSRVRESTOREREGISTERW","features":[489]},{"name":"FNCERTSRVSERVERCONTROLW","features":[489]},{"name":"FNIMPORTPFXTOPROVIDER","features":[308,489]},{"name":"FNIMPORTPFXTOPROVIDERFREEDATA","features":[308,489]},{"name":"FR_PROP_ATTESTATIONCHALLENGE","features":[489]},{"name":"FR_PROP_ATTESTATIONPROVIDERNAME","features":[489]},{"name":"FR_PROP_BODYPARTSTRING","features":[489]},{"name":"FR_PROP_CAEXCHANGECERTIFICATE","features":[489]},{"name":"FR_PROP_CAEXCHANGECERTIFICATECHAIN","features":[489]},{"name":"FR_PROP_CAEXCHANGECERTIFICATECRLCHAIN","features":[489]},{"name":"FR_PROP_CAEXCHANGECERTIFICATEHASH","features":[489]},{"name":"FR_PROP_CLAIMCHALLENGE","features":[489]},{"name":"FR_PROP_ENCRYPTEDKEYHASH","features":[489]},{"name":"FR_PROP_FAILINFO","features":[489]},{"name":"FR_PROP_FULLRESPONSE","features":[489]},{"name":"FR_PROP_FULLRESPONSENOPKCS7","features":[489]},{"name":"FR_PROP_ISSUEDCERTIFICATE","features":[489]},{"name":"FR_PROP_ISSUEDCERTIFICATECHAIN","features":[489]},{"name":"FR_PROP_ISSUEDCERTIFICATECRLCHAIN","features":[489]},{"name":"FR_PROP_ISSUEDCERTIFICATEHASH","features":[489]},{"name":"FR_PROP_NONE","features":[489]},{"name":"FR_PROP_OTHERINFOCHOICE","features":[489]},{"name":"FR_PROP_PENDINFOTIME","features":[489]},{"name":"FR_PROP_PENDINFOTOKEN","features":[489]},{"name":"FR_PROP_STATUS","features":[489]},{"name":"FR_PROP_STATUSINFOCOUNT","features":[489]},{"name":"FR_PROP_STATUSSTRING","features":[489]},{"name":"FULL_RESPONSE_PROPERTY_ID","features":[489]},{"name":"GeneralCA","features":[489]},{"name":"GeneralCrossCA","features":[489]},{"name":"GeneralDefault","features":[489]},{"name":"GeneralDonotPersist","features":[489]},{"name":"GeneralMachineType","features":[489]},{"name":"GeneralModified","features":[489]},{"name":"IAlternativeName","features":[489,359]},{"name":"IAlternativeNames","features":[489,359]},{"name":"IBinaryConverter","features":[489,359]},{"name":"IBinaryConverter2","features":[489,359]},{"name":"ICEnroll","features":[489,359]},{"name":"ICEnroll2","features":[489,359]},{"name":"ICEnroll3","features":[489,359]},{"name":"ICEnroll4","features":[489,359]},{"name":"ICF_ALLOWFOREIGN","features":[489]},{"name":"ICF_EXISTINGROW","features":[489]},{"name":"ICertAdmin","features":[489,359]},{"name":"ICertAdmin2","features":[489,359]},{"name":"ICertConfig","features":[489,359]},{"name":"ICertConfig2","features":[489,359]},{"name":"ICertEncodeAltName","features":[489,359]},{"name":"ICertEncodeAltName2","features":[489,359]},{"name":"ICertEncodeBitString","features":[489,359]},{"name":"ICertEncodeBitString2","features":[489,359]},{"name":"ICertEncodeCRLDistInfo","features":[489,359]},{"name":"ICertEncodeCRLDistInfo2","features":[489,359]},{"name":"ICertEncodeDateArray","features":[489,359]},{"name":"ICertEncodeDateArray2","features":[489,359]},{"name":"ICertEncodeLongArray","features":[489,359]},{"name":"ICertEncodeLongArray2","features":[489,359]},{"name":"ICertEncodeStringArray","features":[489,359]},{"name":"ICertEncodeStringArray2","features":[489,359]},{"name":"ICertExit","features":[489,359]},{"name":"ICertExit2","features":[489,359]},{"name":"ICertGetConfig","features":[489,359]},{"name":"ICertManageModule","features":[489,359]},{"name":"ICertPolicy","features":[489,359]},{"name":"ICertPolicy2","features":[489,359]},{"name":"ICertProperties","features":[489,359]},{"name":"ICertProperty","features":[489,359]},{"name":"ICertPropertyArchived","features":[489,359]},{"name":"ICertPropertyArchivedKeyHash","features":[489,359]},{"name":"ICertPropertyAutoEnroll","features":[489,359]},{"name":"ICertPropertyBackedUp","features":[489,359]},{"name":"ICertPropertyDescription","features":[489,359]},{"name":"ICertPropertyEnrollment","features":[489,359]},{"name":"ICertPropertyEnrollmentPolicyServer","features":[489,359]},{"name":"ICertPropertyFriendlyName","features":[489,359]},{"name":"ICertPropertyKeyProvInfo","features":[489,359]},{"name":"ICertPropertyRenewal","features":[489,359]},{"name":"ICertPropertyRequestOriginator","features":[489,359]},{"name":"ICertPropertySHA1Hash","features":[489,359]},{"name":"ICertRequest","features":[489,359]},{"name":"ICertRequest2","features":[489,359]},{"name":"ICertRequest3","features":[489,359]},{"name":"ICertRequestD","features":[489]},{"name":"ICertRequestD2","features":[489]},{"name":"ICertServerExit","features":[489,359]},{"name":"ICertServerPolicy","features":[489,359]},{"name":"ICertView","features":[489,359]},{"name":"ICertView2","features":[489,359]},{"name":"ICertificateAttestationChallenge","features":[489,359]},{"name":"ICertificateAttestationChallenge2","features":[489,359]},{"name":"ICertificatePolicies","features":[489,359]},{"name":"ICertificatePolicy","features":[489,359]},{"name":"ICertificationAuthorities","features":[489,359]},{"name":"ICertificationAuthority","features":[489,359]},{"name":"ICryptAttribute","features":[489,359]},{"name":"ICryptAttributes","features":[489,359]},{"name":"ICspAlgorithm","features":[489,359]},{"name":"ICspAlgorithms","features":[489,359]},{"name":"ICspInformation","features":[489,359]},{"name":"ICspInformations","features":[489,359]},{"name":"ICspStatus","features":[489,359]},{"name":"ICspStatuses","features":[489,359]},{"name":"IEnroll","features":[489]},{"name":"IEnroll2","features":[489]},{"name":"IEnroll4","features":[489]},{"name":"IEnumCERTVIEWATTRIBUTE","features":[489,359]},{"name":"IEnumCERTVIEWCOLUMN","features":[489,359]},{"name":"IEnumCERTVIEWEXTENSION","features":[489,359]},{"name":"IEnumCERTVIEWROW","features":[489,359]},{"name":"IF_ENABLEADMINASAUDITOR","features":[489]},{"name":"IF_ENABLEEXITKEYRETRIEVAL","features":[489]},{"name":"IF_ENFORCEENCRYPTICERTADMIN","features":[489]},{"name":"IF_ENFORCEENCRYPTICERTREQUEST","features":[489]},{"name":"IF_LOCKICERTREQUEST","features":[489]},{"name":"IF_NOLOCALICERTADMIN","features":[489]},{"name":"IF_NOLOCALICERTADMINBACKUP","features":[489]},{"name":"IF_NOLOCALICERTREQUEST","features":[489]},{"name":"IF_NOREMOTEICERTADMIN","features":[489]},{"name":"IF_NOREMOTEICERTADMINBACKUP","features":[489]},{"name":"IF_NOREMOTEICERTREQUEST","features":[489]},{"name":"IF_NORPCICERTREQUEST","features":[489]},{"name":"IF_NOSNAPSHOTBACKUP","features":[489]},{"name":"IKF_OVERWRITE","features":[489]},{"name":"INDESPolicy","features":[489]},{"name":"IOCSPAdmin","features":[489,359]},{"name":"IOCSPCAConfiguration","features":[489,359]},{"name":"IOCSPCAConfigurationCollection","features":[489,359]},{"name":"IOCSPProperty","features":[489,359]},{"name":"IOCSPPropertyCollection","features":[489,359]},{"name":"IObjectId","features":[489,359]},{"name":"IObjectIds","features":[489,359]},{"name":"IPolicyQualifier","features":[489,359]},{"name":"IPolicyQualifiers","features":[489,359]},{"name":"ISSCERT_DEFAULT_DS","features":[489]},{"name":"ISSCERT_DEFAULT_NODS","features":[489]},{"name":"ISSCERT_ENABLE","features":[489]},{"name":"ISSCERT_FILEURL_OLD","features":[489]},{"name":"ISSCERT_FTPURL_OLD","features":[489]},{"name":"ISSCERT_HTTPURL_OLD","features":[489]},{"name":"ISSCERT_LDAPURL_OLD","features":[489]},{"name":"ISSCERT_URLMASK_OLD","features":[489]},{"name":"ISignerCertificate","features":[489,359]},{"name":"ISignerCertificates","features":[489,359]},{"name":"ISmimeCapabilities","features":[489,359]},{"name":"ISmimeCapability","features":[489,359]},{"name":"IX500DistinguishedName","features":[489,359]},{"name":"IX509Attribute","features":[489,359]},{"name":"IX509AttributeArchiveKey","features":[489,359]},{"name":"IX509AttributeArchiveKeyHash","features":[489,359]},{"name":"IX509AttributeClientId","features":[489,359]},{"name":"IX509AttributeCspProvider","features":[489,359]},{"name":"IX509AttributeExtensions","features":[489,359]},{"name":"IX509AttributeOSVersion","features":[489,359]},{"name":"IX509AttributeRenewalCertificate","features":[489,359]},{"name":"IX509Attributes","features":[489,359]},{"name":"IX509CertificateRequest","features":[489,359]},{"name":"IX509CertificateRequestCertificate","features":[489,359]},{"name":"IX509CertificateRequestCertificate2","features":[489,359]},{"name":"IX509CertificateRequestCmc","features":[489,359]},{"name":"IX509CertificateRequestCmc2","features":[489,359]},{"name":"IX509CertificateRequestPkcs10","features":[489,359]},{"name":"IX509CertificateRequestPkcs10V2","features":[489,359]},{"name":"IX509CertificateRequestPkcs10V3","features":[489,359]},{"name":"IX509CertificateRequestPkcs10V4","features":[489,359]},{"name":"IX509CertificateRequestPkcs7","features":[489,359]},{"name":"IX509CertificateRequestPkcs7V2","features":[489,359]},{"name":"IX509CertificateRevocationList","features":[489,359]},{"name":"IX509CertificateRevocationListEntries","features":[489,359]},{"name":"IX509CertificateRevocationListEntry","features":[489,359]},{"name":"IX509CertificateTemplate","features":[489,359]},{"name":"IX509CertificateTemplateWritable","features":[489,359]},{"name":"IX509CertificateTemplates","features":[489,359]},{"name":"IX509EndorsementKey","features":[489,359]},{"name":"IX509Enrollment","features":[489,359]},{"name":"IX509Enrollment2","features":[489,359]},{"name":"IX509EnrollmentHelper","features":[489,359]},{"name":"IX509EnrollmentPolicyServer","features":[489,359]},{"name":"IX509EnrollmentStatus","features":[489,359]},{"name":"IX509EnrollmentWebClassFactory","features":[489,359]},{"name":"IX509Extension","features":[489,359]},{"name":"IX509ExtensionAlternativeNames","features":[489,359]},{"name":"IX509ExtensionAuthorityKeyIdentifier","features":[489,359]},{"name":"IX509ExtensionBasicConstraints","features":[489,359]},{"name":"IX509ExtensionCertificatePolicies","features":[489,359]},{"name":"IX509ExtensionEnhancedKeyUsage","features":[489,359]},{"name":"IX509ExtensionKeyUsage","features":[489,359]},{"name":"IX509ExtensionMSApplicationPolicies","features":[489,359]},{"name":"IX509ExtensionSmimeCapabilities","features":[489,359]},{"name":"IX509ExtensionSubjectKeyIdentifier","features":[489,359]},{"name":"IX509ExtensionTemplate","features":[489,359]},{"name":"IX509ExtensionTemplateName","features":[489,359]},{"name":"IX509Extensions","features":[489,359]},{"name":"IX509MachineEnrollmentFactory","features":[489,359]},{"name":"IX509NameValuePair","features":[489,359]},{"name":"IX509NameValuePairs","features":[489,359]},{"name":"IX509PolicyServerListManager","features":[489,359]},{"name":"IX509PolicyServerUrl","features":[489,359]},{"name":"IX509PrivateKey","features":[489,359]},{"name":"IX509PrivateKey2","features":[489,359]},{"name":"IX509PublicKey","features":[489,359]},{"name":"IX509SCEPEnrollment","features":[489,359]},{"name":"IX509SCEPEnrollment2","features":[489,359]},{"name":"IX509SCEPEnrollmentHelper","features":[489,359]},{"name":"IX509SignatureInformation","features":[489,359]},{"name":"ImportExportable","features":[489]},{"name":"ImportExportableEncrypted","features":[489]},{"name":"ImportForceOverwrite","features":[489]},{"name":"ImportInstallCertificate","features":[489]},{"name":"ImportInstallChain","features":[489]},{"name":"ImportInstallChainAndRoot","features":[489]},{"name":"ImportMachineContext","features":[489]},{"name":"ImportNoUserProtected","features":[489]},{"name":"ImportNone","features":[489]},{"name":"ImportPFXFlags","features":[489]},{"name":"ImportSaveProperties","features":[489]},{"name":"ImportSilent","features":[489]},{"name":"ImportUserProtected","features":[489]},{"name":"ImportUserProtectedHigh","features":[489]},{"name":"InheritDefault","features":[489]},{"name":"InheritExtensionsFlag","features":[489]},{"name":"InheritKeyMask","features":[489]},{"name":"InheritNewDefaultKey","features":[489]},{"name":"InheritNewSimilarKey","features":[489]},{"name":"InheritNone","features":[489]},{"name":"InheritPrivateKey","features":[489]},{"name":"InheritPublicKey","features":[489]},{"name":"InheritRenewalCertificateFlag","features":[489]},{"name":"InheritReserved80000000","features":[489]},{"name":"InheritSubjectAltNameFlag","features":[489]},{"name":"InheritSubjectFlag","features":[489]},{"name":"InheritTemplateFlag","features":[489]},{"name":"InheritValidityPeriodFlag","features":[489]},{"name":"InnerRequestLevel","features":[489]},{"name":"InstallResponseRestrictionFlags","features":[489]},{"name":"KRAF_DISABLEUSEDEFAULTPROVIDER","features":[489]},{"name":"KRAF_ENABLEARCHIVEALL","features":[489]},{"name":"KRAF_ENABLEFOREIGN","features":[489]},{"name":"KRAF_SAVEBADREQUESTKEY","features":[489]},{"name":"KRA_DISP_EXPIRED","features":[489]},{"name":"KRA_DISP_INVALID","features":[489]},{"name":"KRA_DISP_NOTFOUND","features":[489]},{"name":"KRA_DISP_NOTLOADED","features":[489]},{"name":"KRA_DISP_REVOKED","features":[489]},{"name":"KRA_DISP_UNTRUSTED","features":[489]},{"name":"KRA_DISP_VALID","features":[489]},{"name":"KR_ENABLE_MACHINE","features":[489]},{"name":"KR_ENABLE_USER","features":[489]},{"name":"KeyAttestationClaimType","features":[489]},{"name":"KeyIdentifierHashAlgorithm","features":[489]},{"name":"LDAPF_SIGNDISABLE","features":[489]},{"name":"LDAPF_SSLENABLE","features":[489]},{"name":"LevelInnermost","features":[489]},{"name":"LevelNext","features":[489]},{"name":"LevelSafe","features":[489]},{"name":"LevelUnsafe","features":[489]},{"name":"LoadOptionCacheOnly","features":[489]},{"name":"LoadOptionDefault","features":[489]},{"name":"LoadOptionRegisterForADChanges","features":[489]},{"name":"LoadOptionReload","features":[489]},{"name":"OCSPAdmin","features":[489]},{"name":"OCSPPropertyCollection","features":[489]},{"name":"OCSPRequestFlag","features":[489]},{"name":"OCSPSigningFlag","features":[489]},{"name":"OCSP_RF_REJECT_SIGNED_REQUESTS","features":[489]},{"name":"OCSP_SF_ALLOW_NONCE_EXTENSION","features":[489]},{"name":"OCSP_SF_ALLOW_SIGNINGCERT_AUTOENROLLMENT","features":[489]},{"name":"OCSP_SF_ALLOW_SIGNINGCERT_AUTORENEWAL","features":[489]},{"name":"OCSP_SF_AUTODISCOVER_SIGNINGCERT","features":[489]},{"name":"OCSP_SF_FORCE_SIGNINGCERT_ISSUER_ISCA","features":[489]},{"name":"OCSP_SF_MANUAL_ASSIGN_SIGNINGCERT","features":[489]},{"name":"OCSP_SF_RESPONDER_ID_KEYHASH","features":[489]},{"name":"OCSP_SF_RESPONDER_ID_NAME","features":[489]},{"name":"OCSP_SF_SILENT","features":[489]},{"name":"OCSP_SF_USE_CACERT","features":[489]},{"name":"ObjectIdGroupId","features":[489]},{"name":"ObjectIdPublicKeyFlags","features":[489]},{"name":"PENDING_REQUEST_DESIRED_PROPERTY","features":[489]},{"name":"PFXExportChainNoRoot","features":[489]},{"name":"PFXExportChainWithRoot","features":[489]},{"name":"PFXExportEEOnly","features":[489]},{"name":"PFXExportOptions","features":[489]},{"name":"PROCFLG_ENFORCEGOODKEYS","features":[489]},{"name":"PROCFLG_NONE","features":[489]},{"name":"PROPCALLER_ADMIN","features":[489]},{"name":"PROPCALLER_EXIT","features":[489]},{"name":"PROPCALLER_MASK","features":[489]},{"name":"PROPCALLER_POLICY","features":[489]},{"name":"PROPCALLER_REQUEST","features":[489]},{"name":"PROPCALLER_SERVER","features":[489]},{"name":"PROPFLAGS_INDEXED","features":[489]},{"name":"PROPTYPE_BINARY","features":[489]},{"name":"PROPTYPE_DATE","features":[489]},{"name":"PROPTYPE_LONG","features":[489]},{"name":"PROPTYPE_MASK","features":[489]},{"name":"PROPTYPE_STRING","features":[489]},{"name":"Pkcs10AllowedSignatureTypes","features":[489]},{"name":"PolicyQualifierType","features":[489]},{"name":"PolicyQualifierTypeFlags","features":[489]},{"name":"PolicyQualifierTypeUnknown","features":[489]},{"name":"PolicyQualifierTypeUrl","features":[489]},{"name":"PolicyQualifierTypeUserNotice","features":[489]},{"name":"PolicyServerUrlFlags","features":[489]},{"name":"PolicyServerUrlPropertyID","features":[489]},{"name":"PrivateKeyAttestMask","features":[489]},{"name":"PrivateKeyAttestNone","features":[489]},{"name":"PrivateKeyAttestPreferred","features":[489]},{"name":"PrivateKeyAttestRequired","features":[489]},{"name":"PrivateKeyAttestWithoutPolicy","features":[489]},{"name":"PrivateKeyClientVersionMask","features":[489]},{"name":"PrivateKeyClientVersionShift","features":[489]},{"name":"PrivateKeyEKTrustOnUse","features":[489]},{"name":"PrivateKeyEKValidateCert","features":[489]},{"name":"PrivateKeyEKValidateKey","features":[489]},{"name":"PrivateKeyExportable","features":[489]},{"name":"PrivateKeyHelloKspKey","features":[489]},{"name":"PrivateKeyHelloLogonKey","features":[489]},{"name":"PrivateKeyRequireAlternateSignatureAlgorithm","features":[489]},{"name":"PrivateKeyRequireArchival","features":[489]},{"name":"PrivateKeyRequireSameKeyRenewal","features":[489]},{"name":"PrivateKeyRequireStrongKeyProtection","features":[489]},{"name":"PrivateKeyServerVersionMask","features":[489]},{"name":"PrivateKeyServerVersionShift","features":[489]},{"name":"PrivateKeyUseLegacyProvider","features":[489]},{"name":"PsFriendlyName","features":[489]},{"name":"PsPolicyID","features":[489]},{"name":"PsfAllowUnTrustedCA","features":[489]},{"name":"PsfAutoEnrollmentEnabled","features":[489]},{"name":"PsfLocationGroupPolicy","features":[489]},{"name":"PsfLocationRegistry","features":[489]},{"name":"PsfNone","features":[489]},{"name":"PsfUseClientId","features":[489]},{"name":"PstAcquirePrivateKey","features":[308,489]},{"name":"PstGetCertificateChain","features":[308,329,489]},{"name":"PstGetCertificates","features":[308,489]},{"name":"PstGetTrustAnchors","features":[308,329,489]},{"name":"PstGetTrustAnchorsEx","features":[308,329,489]},{"name":"PstGetUserNameForCertificate","features":[308,489]},{"name":"PstMapCertificate","features":[308,329,489]},{"name":"PstValidate","features":[308,489]},{"name":"REQDISP_DEFAULT_ENTERPRISE","features":[489]},{"name":"REQDISP_DENY","features":[489]},{"name":"REQDISP_ISSUE","features":[489]},{"name":"REQDISP_MASK","features":[489]},{"name":"REQDISP_PENDING","features":[489]},{"name":"REQDISP_PENDINGFIRST","features":[489]},{"name":"REQDISP_USEREQUESTATTRIBUTE","features":[489]},{"name":"REVEXT_ASPENABLE","features":[489]},{"name":"REVEXT_CDPENABLE","features":[489]},{"name":"REVEXT_CDPFILEURL_OLD","features":[489]},{"name":"REVEXT_CDPFTPURL_OLD","features":[489]},{"name":"REVEXT_CDPHTTPURL_OLD","features":[489]},{"name":"REVEXT_CDPLDAPURL_OLD","features":[489]},{"name":"REVEXT_CDPURLMASK_OLD","features":[489]},{"name":"REVEXT_DEFAULT_DS","features":[489]},{"name":"REVEXT_DEFAULT_NODS","features":[489]},{"name":"RequestClientInfoClientId","features":[489]},{"name":"SCEPDispositionFailure","features":[489]},{"name":"SCEPDispositionPending","features":[489]},{"name":"SCEPDispositionPendingChallenge","features":[489]},{"name":"SCEPDispositionSuccess","features":[489]},{"name":"SCEPDispositionUnknown","features":[489]},{"name":"SCEPFailBadAlgorithm","features":[489]},{"name":"SCEPFailBadCertId","features":[489]},{"name":"SCEPFailBadMessageCheck","features":[489]},{"name":"SCEPFailBadRequest","features":[489]},{"name":"SCEPFailBadTime","features":[489]},{"name":"SCEPFailUnknown","features":[489]},{"name":"SCEPMessageCertResponse","features":[489]},{"name":"SCEPMessageClaimChallengeAnswer","features":[489]},{"name":"SCEPMessageGetCRL","features":[489]},{"name":"SCEPMessageGetCert","features":[489]},{"name":"SCEPMessageGetCertInitial","features":[489]},{"name":"SCEPMessagePKCSRequest","features":[489]},{"name":"SCEPMessageUnknown","features":[489]},{"name":"SCEPProcessDefault","features":[489]},{"name":"SCEPProcessSkipCertInstall","features":[489]},{"name":"SETUP_ATTEMPT_VROOT_CREATE","features":[489]},{"name":"SETUP_CLIENT_FLAG","features":[489]},{"name":"SETUP_CREATEDB_FLAG","features":[489]},{"name":"SETUP_DCOM_SECURITY_UPDATED_FLAG","features":[489]},{"name":"SETUP_DENIED_FLAG","features":[489]},{"name":"SETUP_FORCECRL_FLAG","features":[489]},{"name":"SETUP_ONLINE_FLAG","features":[489]},{"name":"SETUP_REQUEST_FLAG","features":[489]},{"name":"SETUP_SECURITY_CHANGED","features":[489]},{"name":"SETUP_SERVER_FLAG","features":[489]},{"name":"SETUP_SERVER_IS_UP_TO_DATE_FLAG","features":[489]},{"name":"SETUP_SERVER_UPGRADED_FLAG","features":[489]},{"name":"SETUP_SUSPEND_FLAG","features":[489]},{"name":"SETUP_UPDATE_CAOBJECT_SVRTYPE","features":[489]},{"name":"SETUP_W2K_SECURITY_NOT_UPGRADED_FLAG","features":[489]},{"name":"SKIHashCapiSha1","features":[489]},{"name":"SKIHashDefault","features":[489]},{"name":"SKIHashHPKP","features":[489]},{"name":"SKIHashSha1","features":[489]},{"name":"SKIHashSha256","features":[489]},{"name":"SelectedNo","features":[489]},{"name":"SelectedYes","features":[489]},{"name":"SubjectAlternativeNameEnrolleeSupplies","features":[489]},{"name":"SubjectAlternativeNameRequireDNS","features":[489]},{"name":"SubjectAlternativeNameRequireDirectoryGUID","features":[489]},{"name":"SubjectAlternativeNameRequireDomainDNS","features":[489]},{"name":"SubjectAlternativeNameRequireEmail","features":[489]},{"name":"SubjectAlternativeNameRequireSPN","features":[489]},{"name":"SubjectAlternativeNameRequireUPN","features":[489]},{"name":"SubjectNameAndAlternativeNameOldCertSupplies","features":[489]},{"name":"SubjectNameEnrolleeSupplies","features":[489]},{"name":"SubjectNameRequireCommonName","features":[489]},{"name":"SubjectNameRequireDNS","features":[489]},{"name":"SubjectNameRequireDirectoryPath","features":[489]},{"name":"SubjectNameRequireEmail","features":[489]},{"name":"TP_MACHINEPOLICY","features":[489]},{"name":"TemplatePropAsymmetricAlgorithm","features":[489]},{"name":"TemplatePropCertificatePolicies","features":[489]},{"name":"TemplatePropCommonName","features":[489]},{"name":"TemplatePropCryptoProviders","features":[489]},{"name":"TemplatePropDescription","features":[489]},{"name":"TemplatePropEKUs","features":[489]},{"name":"TemplatePropEnrollmentFlags","features":[489]},{"name":"TemplatePropExtensions","features":[489]},{"name":"TemplatePropFriendlyName","features":[489]},{"name":"TemplatePropGeneralFlags","features":[489]},{"name":"TemplatePropHashAlgorithm","features":[489]},{"name":"TemplatePropKeySecurityDescriptor","features":[489]},{"name":"TemplatePropKeySpec","features":[489]},{"name":"TemplatePropKeyUsage","features":[489]},{"name":"TemplatePropMajorRevision","features":[489]},{"name":"TemplatePropMinimumKeySize","features":[489]},{"name":"TemplatePropMinorRevision","features":[489]},{"name":"TemplatePropOID","features":[489]},{"name":"TemplatePropPrivateKeyFlags","features":[489]},{"name":"TemplatePropRACertificatePolicies","features":[489]},{"name":"TemplatePropRAEKUs","features":[489]},{"name":"TemplatePropRASignatureCount","features":[489]},{"name":"TemplatePropRenewalPeriod","features":[489]},{"name":"TemplatePropSchemaVersion","features":[489]},{"name":"TemplatePropSecurityDescriptor","features":[489]},{"name":"TemplatePropSubjectNameFlags","features":[489]},{"name":"TemplatePropSupersede","features":[489]},{"name":"TemplatePropSymmetricAlgorithm","features":[489]},{"name":"TemplatePropSymmetricKeyLength","features":[489]},{"name":"TemplatePropV1ApplicationPolicy","features":[489]},{"name":"TemplatePropValidityPeriod","features":[489]},{"name":"TypeAny","features":[489]},{"name":"TypeCertificate","features":[489]},{"name":"TypeCmc","features":[489]},{"name":"TypePkcs10","features":[489]},{"name":"TypePkcs7","features":[489]},{"name":"VR_INSTANT_BAD","features":[489]},{"name":"VR_INSTANT_OK","features":[489]},{"name":"VR_PENDING","features":[489]},{"name":"VerifyAllowUI","features":[489]},{"name":"VerifyNone","features":[489]},{"name":"VerifySilent","features":[489]},{"name":"VerifySmartCardNone","features":[489]},{"name":"VerifySmartCardSilent","features":[489]},{"name":"WebEnrollmentFlags","features":[489]},{"name":"WebSecurityLevel","features":[489]},{"name":"X500NameFlags","features":[489]},{"name":"X509AuthAnonymous","features":[489]},{"name":"X509AuthCertificate","features":[489]},{"name":"X509AuthKerberos","features":[489]},{"name":"X509AuthNone","features":[489]},{"name":"X509AuthUsername","features":[489]},{"name":"X509CertificateEnrollmentContext","features":[489]},{"name":"X509CertificateTemplateEnrollmentFlag","features":[489]},{"name":"X509CertificateTemplateGeneralFlag","features":[489]},{"name":"X509CertificateTemplatePrivateKeyFlag","features":[489]},{"name":"X509CertificateTemplateSubjectNameFlag","features":[489]},{"name":"X509EnrollmentAuthFlags","features":[489]},{"name":"X509EnrollmentPolicyExportFlags","features":[489]},{"name":"X509EnrollmentPolicyLoadOption","features":[489]},{"name":"X509HardwareKeyUsageFlags","features":[489]},{"name":"X509KeyParametersExportType","features":[489]},{"name":"X509KeySpec","features":[489]},{"name":"X509KeyUsageFlags","features":[489]},{"name":"X509PrivateKeyExportFlags","features":[489]},{"name":"X509PrivateKeyProtection","features":[489]},{"name":"X509PrivateKeyUsageFlags","features":[489]},{"name":"X509PrivateKeyVerify","features":[489]},{"name":"X509ProviderType","features":[489]},{"name":"X509RequestInheritOptions","features":[489]},{"name":"X509RequestType","features":[489]},{"name":"X509SCEPDisposition","features":[489]},{"name":"X509SCEPFailInfo","features":[489]},{"name":"X509SCEPMessageType","features":[489]},{"name":"X509SCEPProcessMessageFlags","features":[489]},{"name":"XCN_AT_KEYEXCHANGE","features":[489]},{"name":"XCN_AT_NONE","features":[489]},{"name":"XCN_AT_SIGNATURE","features":[489]},{"name":"XCN_BCRYPT_ASYMMETRIC_ENCRYPTION_INTERFACE","features":[489]},{"name":"XCN_BCRYPT_CIPHER_INTERFACE","features":[489]},{"name":"XCN_BCRYPT_HASH_INTERFACE","features":[489]},{"name":"XCN_BCRYPT_KEY_DERIVATION_INTERFACE","features":[489]},{"name":"XCN_BCRYPT_RNG_INTERFACE","features":[489]},{"name":"XCN_BCRYPT_SECRET_AGREEMENT_INTERFACE","features":[489]},{"name":"XCN_BCRYPT_SIGNATURE_INTERFACE","features":[489]},{"name":"XCN_BCRYPT_UNKNOWN_INTERFACE","features":[489]},{"name":"XCN_CERT_ACCESS_STATE_PROP_ID","features":[489]},{"name":"XCN_CERT_AIA_URL_RETRIEVED_PROP_ID","features":[489]},{"name":"XCN_CERT_ALT_NAME_DIRECTORY_NAME","features":[489]},{"name":"XCN_CERT_ALT_NAME_DNS_NAME","features":[489]},{"name":"XCN_CERT_ALT_NAME_EDI_PARTY_NAME","features":[489]},{"name":"XCN_CERT_ALT_NAME_GUID","features":[489]},{"name":"XCN_CERT_ALT_NAME_IP_ADDRESS","features":[489]},{"name":"XCN_CERT_ALT_NAME_OTHER_NAME","features":[489]},{"name":"XCN_CERT_ALT_NAME_REGISTERED_ID","features":[489]},{"name":"XCN_CERT_ALT_NAME_RFC822_NAME","features":[489]},{"name":"XCN_CERT_ALT_NAME_UNKNOWN","features":[489]},{"name":"XCN_CERT_ALT_NAME_URL","features":[489]},{"name":"XCN_CERT_ALT_NAME_USER_PRINCIPLE_NAME","features":[489]},{"name":"XCN_CERT_ALT_NAME_X400_ADDRESS","features":[489]},{"name":"XCN_CERT_ARCHIVED_KEY_HASH_PROP_ID","features":[489]},{"name":"XCN_CERT_ARCHIVED_PROP_ID","features":[489]},{"name":"XCN_CERT_AUTHORITY_INFO_ACCESS_PROP_ID","features":[489]},{"name":"XCN_CERT_AUTH_ROOT_SHA256_HASH_PROP_ID","features":[489]},{"name":"XCN_CERT_AUTO_ENROLL_PROP_ID","features":[489]},{"name":"XCN_CERT_AUTO_ENROLL_RETRY_PROP_ID","features":[489]},{"name":"XCN_CERT_BACKED_UP_PROP_ID","features":[489]},{"name":"XCN_CERT_CA_DISABLE_CRL_PROP_ID","features":[489]},{"name":"XCN_CERT_CA_OCSP_AUTHORITY_INFO_ACCESS_PROP_ID","features":[489]},{"name":"XCN_CERT_CEP_PROP_ID","features":[489]},{"name":"XCN_CERT_CERT_NOT_BEFORE_ENHKEY_USAGE_PROP_ID","features":[489]},{"name":"XCN_CERT_CLR_DELETE_KEY_PROP_ID","features":[489]},{"name":"XCN_CERT_CRL_SIGN_KEY_USAGE","features":[489]},{"name":"XCN_CERT_CROSS_CERT_DIST_POINTS_PROP_ID","features":[489]},{"name":"XCN_CERT_CTL_USAGE_PROP_ID","features":[489]},{"name":"XCN_CERT_DATA_ENCIPHERMENT_KEY_USAGE","features":[489]},{"name":"XCN_CERT_DATE_STAMP_PROP_ID","features":[489]},{"name":"XCN_CERT_DECIPHER_ONLY_KEY_USAGE","features":[489]},{"name":"XCN_CERT_DESCRIPTION_PROP_ID","features":[489]},{"name":"XCN_CERT_DIGITAL_SIGNATURE_KEY_USAGE","features":[489]},{"name":"XCN_CERT_DISALLOWED_ENHKEY_USAGE_PROP_ID","features":[489]},{"name":"XCN_CERT_DISALLOWED_FILETIME_PROP_ID","features":[489]},{"name":"XCN_CERT_EFS_PROP_ID","features":[489]},{"name":"XCN_CERT_ENCIPHER_ONLY_KEY_USAGE","features":[489]},{"name":"XCN_CERT_ENHKEY_USAGE_PROP_ID","features":[489]},{"name":"XCN_CERT_ENROLLMENT_PROP_ID","features":[489]},{"name":"XCN_CERT_EXTENDED_ERROR_INFO_PROP_ID","features":[489]},{"name":"XCN_CERT_FIRST_RESERVED_PROP_ID","features":[489]},{"name":"XCN_CERT_FIRST_USER_PROP_ID","features":[489]},{"name":"XCN_CERT_FORTEZZA_DATA_PROP_ID","features":[489]},{"name":"XCN_CERT_FRIENDLY_NAME_PROP_ID","features":[489]},{"name":"XCN_CERT_HASH_PROP_ID","features":[489]},{"name":"XCN_CERT_HCRYPTPROV_OR_NCRYPT_KEY_HANDLE_PROP_ID","features":[489]},{"name":"XCN_CERT_HCRYPTPROV_TRANSFER_PROP_ID","features":[489]},{"name":"XCN_CERT_IE30_RESERVED_PROP_ID","features":[489]},{"name":"XCN_CERT_ISOLATED_KEY_PROP_ID","features":[489]},{"name":"XCN_CERT_ISSUER_CHAIN_PUB_KEY_CNG_ALG_BIT_LENGTH_PROP_ID","features":[489]},{"name":"XCN_CERT_ISSUER_CHAIN_SIGN_HASH_CNG_ALG_PROP_ID","features":[489]},{"name":"XCN_CERT_ISSUER_PUBLIC_KEY_MD5_HASH_PROP_ID","features":[489]},{"name":"XCN_CERT_ISSUER_PUB_KEY_BIT_LENGTH_PROP_ID","features":[489]},{"name":"XCN_CERT_ISSUER_SERIAL_NUMBER_MD5_HASH_PROP_ID","features":[489]},{"name":"XCN_CERT_KEY_AGREEMENT_KEY_USAGE","features":[489]},{"name":"XCN_CERT_KEY_CERT_SIGN_KEY_USAGE","features":[489]},{"name":"XCN_CERT_KEY_CLASSIFICATION_PROP_ID","features":[489]},{"name":"XCN_CERT_KEY_CONTEXT_PROP_ID","features":[489]},{"name":"XCN_CERT_KEY_ENCIPHERMENT_KEY_USAGE","features":[489]},{"name":"XCN_CERT_KEY_IDENTIFIER_PROP_ID","features":[489]},{"name":"XCN_CERT_KEY_PROV_HANDLE_PROP_ID","features":[489]},{"name":"XCN_CERT_KEY_PROV_INFO_PROP_ID","features":[489]},{"name":"XCN_CERT_KEY_REPAIR_ATTEMPTED_PROP_ID","features":[489]},{"name":"XCN_CERT_KEY_SPEC_PROP_ID","features":[489]},{"name":"XCN_CERT_LAST_RESERVED_PROP_ID","features":[489]},{"name":"XCN_CERT_LAST_USER_PROP_ID","features":[489]},{"name":"XCN_CERT_MD5_HASH_PROP_ID","features":[489]},{"name":"XCN_CERT_NAME_STR_AMBIGUOUS_SEPARATOR_FLAGS","features":[489]},{"name":"XCN_CERT_NAME_STR_COMMA_FLAG","features":[489]},{"name":"XCN_CERT_NAME_STR_CRLF_FLAG","features":[489]},{"name":"XCN_CERT_NAME_STR_DISABLE_IE4_UTF8_FLAG","features":[489]},{"name":"XCN_CERT_NAME_STR_DISABLE_UTF8_DIR_STR_FLAG","features":[489]},{"name":"XCN_CERT_NAME_STR_DS_ESCAPED","features":[489]},{"name":"XCN_CERT_NAME_STR_ENABLE_PUNYCODE_FLAG","features":[489]},{"name":"XCN_CERT_NAME_STR_ENABLE_T61_UNICODE_FLAG","features":[489]},{"name":"XCN_CERT_NAME_STR_ENABLE_UTF8_UNICODE_FLAG","features":[489]},{"name":"XCN_CERT_NAME_STR_FORCE_UTF8_DIR_STR_FLAG","features":[489]},{"name":"XCN_CERT_NAME_STR_FORWARD_FLAG","features":[489]},{"name":"XCN_CERT_NAME_STR_NONE","features":[489]},{"name":"XCN_CERT_NAME_STR_NO_PLUS_FLAG","features":[489]},{"name":"XCN_CERT_NAME_STR_NO_QUOTING_FLAG","features":[489]},{"name":"XCN_CERT_NAME_STR_REVERSE_FLAG","features":[489]},{"name":"XCN_CERT_NAME_STR_SEMICOLON_FLAG","features":[489]},{"name":"XCN_CERT_NCRYPT_KEY_HANDLE_PROP_ID","features":[489]},{"name":"XCN_CERT_NCRYPT_KEY_HANDLE_TRANSFER_PROP_ID","features":[489]},{"name":"XCN_CERT_NEW_KEY_PROP_ID","features":[489]},{"name":"XCN_CERT_NEXT_UPDATE_LOCATION_PROP_ID","features":[489]},{"name":"XCN_CERT_NONCOMPLIANT_ROOT_URL_PROP_ID","features":[489]},{"name":"XCN_CERT_NON_REPUDIATION_KEY_USAGE","features":[489]},{"name":"XCN_CERT_NOT_BEFORE_FILETIME_PROP_ID","features":[489]},{"name":"XCN_CERT_NO_AUTO_EXPIRE_CHECK_PROP_ID","features":[489]},{"name":"XCN_CERT_NO_EXPIRE_NOTIFICATION_PROP_ID","features":[489]},{"name":"XCN_CERT_NO_KEY_USAGE","features":[489]},{"name":"XCN_CERT_OCSP_CACHE_PREFIX_PROP_ID","features":[489]},{"name":"XCN_CERT_OCSP_RESPONSE_PROP_ID","features":[489]},{"name":"XCN_CERT_OFFLINE_CRL_SIGN_KEY_USAGE","features":[489]},{"name":"XCN_CERT_OID_NAME_STR","features":[489]},{"name":"XCN_CERT_PIN_SHA256_HASH_PROP_ID","features":[489]},{"name":"XCN_CERT_PUBKEY_ALG_PARA_PROP_ID","features":[489]},{"name":"XCN_CERT_PUBKEY_HASH_RESERVED_PROP_ID","features":[489]},{"name":"XCN_CERT_PUB_KEY_CNG_ALG_BIT_LENGTH_PROP_ID","features":[489]},{"name":"XCN_CERT_PVK_FILE_PROP_ID","features":[489]},{"name":"XCN_CERT_RENEWAL_PROP_ID","features":[489]},{"name":"XCN_CERT_REQUEST_ORIGINATOR_PROP_ID","features":[489]},{"name":"XCN_CERT_ROOT_PROGRAM_CERT_POLICIES_PROP_ID","features":[489]},{"name":"XCN_CERT_ROOT_PROGRAM_CHAIN_POLICIES_PROP_ID","features":[489]},{"name":"XCN_CERT_ROOT_PROGRAM_NAME_CONSTRAINTS_PROP_ID","features":[489]},{"name":"XCN_CERT_SCARD_PIN_ID_PROP_ID","features":[489]},{"name":"XCN_CERT_SCARD_PIN_INFO_PROP_ID","features":[489]},{"name":"XCN_CERT_SCEP_CA_CERT_PROP_ID","features":[489]},{"name":"XCN_CERT_SCEP_ENCRYPT_HASH_CNG_ALG_PROP_ID","features":[489]},{"name":"XCN_CERT_SCEP_FLAGS_PROP_ID","features":[489]},{"name":"XCN_CERT_SCEP_GUID_PROP_ID","features":[489]},{"name":"XCN_CERT_SCEP_NONCE_PROP_ID","features":[489]},{"name":"XCN_CERT_SCEP_RA_ENCRYPTION_CERT_PROP_ID","features":[489]},{"name":"XCN_CERT_SCEP_RA_SIGNATURE_CERT_PROP_ID","features":[489]},{"name":"XCN_CERT_SCEP_SERVER_CERTS_PROP_ID","features":[489]},{"name":"XCN_CERT_SCEP_SIGNER_CERT_PROP_ID","features":[489]},{"name":"XCN_CERT_SEND_AS_TRUSTED_ISSUER_PROP_ID","features":[489]},{"name":"XCN_CERT_SERIALIZABLE_KEY_CONTEXT_PROP_ID","features":[489]},{"name":"XCN_CERT_SERIAL_CHAIN_PROP_ID","features":[489]},{"name":"XCN_CERT_SHA1_HASH_PROP_ID","features":[489]},{"name":"XCN_CERT_SHA256_HASH_PROP_ID","features":[489]},{"name":"XCN_CERT_SIGNATURE_HASH_PROP_ID","features":[489]},{"name":"XCN_CERT_SIGN_HASH_CNG_ALG_PROP_ID","features":[489]},{"name":"XCN_CERT_SIMPLE_NAME_STR","features":[489]},{"name":"XCN_CERT_SMART_CARD_DATA_PROP_ID","features":[489]},{"name":"XCN_CERT_SMART_CARD_READER_NON_REMOVABLE_PROP_ID","features":[489]},{"name":"XCN_CERT_SMART_CARD_READER_PROP_ID","features":[489]},{"name":"XCN_CERT_SMART_CARD_ROOT_INFO_PROP_ID","features":[489]},{"name":"XCN_CERT_SOURCE_LOCATION_PROP_ID","features":[489]},{"name":"XCN_CERT_SOURCE_URL_PROP_ID","features":[489]},{"name":"XCN_CERT_STORE_LOCALIZED_NAME_PROP_ID","features":[489]},{"name":"XCN_CERT_SUBJECT_DISABLE_CRL_PROP_ID","features":[489]},{"name":"XCN_CERT_SUBJECT_INFO_ACCESS_PROP_ID","features":[489]},{"name":"XCN_CERT_SUBJECT_NAME_MD5_HASH_PROP_ID","features":[489]},{"name":"XCN_CERT_SUBJECT_OCSP_AUTHORITY_INFO_ACCESS_PROP_ID","features":[489]},{"name":"XCN_CERT_SUBJECT_PUBLIC_KEY_MD5_HASH_PROP_ID","features":[489]},{"name":"XCN_CERT_SUBJECT_PUB_KEY_BIT_LENGTH_PROP_ID","features":[489]},{"name":"XCN_CERT_X500_NAME_STR","features":[489]},{"name":"XCN_CERT_XML_NAME_STR","features":[489]},{"name":"XCN_CRL_REASON_AA_COMPROMISE","features":[489]},{"name":"XCN_CRL_REASON_AFFILIATION_CHANGED","features":[489]},{"name":"XCN_CRL_REASON_CA_COMPROMISE","features":[489]},{"name":"XCN_CRL_REASON_CERTIFICATE_HOLD","features":[489]},{"name":"XCN_CRL_REASON_CESSATION_OF_OPERATION","features":[489]},{"name":"XCN_CRL_REASON_KEY_COMPROMISE","features":[489]},{"name":"XCN_CRL_REASON_PRIVILEGE_WITHDRAWN","features":[489]},{"name":"XCN_CRL_REASON_REMOVE_FROM_CRL","features":[489]},{"name":"XCN_CRL_REASON_SUPERSEDED","features":[489]},{"name":"XCN_CRL_REASON_UNSPECIFIED","features":[489]},{"name":"XCN_CRYPT_ANY_GROUP_ID","features":[489]},{"name":"XCN_CRYPT_ENCRYPT_ALG_OID_GROUP_ID","features":[489]},{"name":"XCN_CRYPT_ENHKEY_USAGE_OID_GROUP_ID","features":[489]},{"name":"XCN_CRYPT_EXT_OR_ATTR_OID_GROUP_ID","features":[489]},{"name":"XCN_CRYPT_FIRST_ALG_OID_GROUP_ID","features":[489]},{"name":"XCN_CRYPT_GROUP_ID_MASK","features":[489]},{"name":"XCN_CRYPT_HASH_ALG_OID_GROUP_ID","features":[489]},{"name":"XCN_CRYPT_KDF_OID_GROUP_ID","features":[489]},{"name":"XCN_CRYPT_KEY_LENGTH_MASK","features":[489]},{"name":"XCN_CRYPT_LAST_ALG_OID_GROUP_ID","features":[489]},{"name":"XCN_CRYPT_LAST_OID_GROUP_ID","features":[489]},{"name":"XCN_CRYPT_OID_DISABLE_SEARCH_DS_FLAG","features":[489]},{"name":"XCN_CRYPT_OID_INFO_OID_GROUP_BIT_LEN_MASK","features":[489]},{"name":"XCN_CRYPT_OID_INFO_OID_GROUP_BIT_LEN_SHIFT","features":[489]},{"name":"XCN_CRYPT_OID_INFO_PUBKEY_ANY","features":[489]},{"name":"XCN_CRYPT_OID_INFO_PUBKEY_ENCRYPT_KEY_FLAG","features":[489]},{"name":"XCN_CRYPT_OID_INFO_PUBKEY_SIGN_KEY_FLAG","features":[489]},{"name":"XCN_CRYPT_OID_PREFER_CNG_ALGID_FLAG","features":[489]},{"name":"XCN_CRYPT_OID_USE_CURVE_NAME_FOR_ENCODE_FLAG","features":[489]},{"name":"XCN_CRYPT_OID_USE_CURVE_NONE","features":[489]},{"name":"XCN_CRYPT_OID_USE_CURVE_PARAMETERS_FOR_ENCODE_FLAG","features":[489]},{"name":"XCN_CRYPT_POLICY_OID_GROUP_ID","features":[489]},{"name":"XCN_CRYPT_PUBKEY_ALG_OID_GROUP_ID","features":[489]},{"name":"XCN_CRYPT_RDN_ATTR_OID_GROUP_ID","features":[489]},{"name":"XCN_CRYPT_SIGN_ALG_OID_GROUP_ID","features":[489]},{"name":"XCN_CRYPT_STRING_ANY","features":[489]},{"name":"XCN_CRYPT_STRING_BASE64","features":[489]},{"name":"XCN_CRYPT_STRING_BASE64HEADER","features":[489]},{"name":"XCN_CRYPT_STRING_BASE64REQUESTHEADER","features":[489]},{"name":"XCN_CRYPT_STRING_BASE64URI","features":[489]},{"name":"XCN_CRYPT_STRING_BASE64X509CRLHEADER","features":[489]},{"name":"XCN_CRYPT_STRING_BASE64_ANY","features":[489]},{"name":"XCN_CRYPT_STRING_BINARY","features":[489]},{"name":"XCN_CRYPT_STRING_CHAIN","features":[489]},{"name":"XCN_CRYPT_STRING_ENCODEMASK","features":[489]},{"name":"XCN_CRYPT_STRING_HASHDATA","features":[489]},{"name":"XCN_CRYPT_STRING_HEX","features":[489]},{"name":"XCN_CRYPT_STRING_HEXADDR","features":[489]},{"name":"XCN_CRYPT_STRING_HEXASCII","features":[489]},{"name":"XCN_CRYPT_STRING_HEXASCIIADDR","features":[489]},{"name":"XCN_CRYPT_STRING_HEXRAW","features":[489]},{"name":"XCN_CRYPT_STRING_HEX_ANY","features":[489]},{"name":"XCN_CRYPT_STRING_NOCR","features":[489]},{"name":"XCN_CRYPT_STRING_NOCRLF","features":[489]},{"name":"XCN_CRYPT_STRING_PERCENTESCAPE","features":[489]},{"name":"XCN_CRYPT_STRING_STRICT","features":[489]},{"name":"XCN_CRYPT_STRING_TEXT","features":[489]},{"name":"XCN_CRYPT_TEMPLATE_OID_GROUP_ID","features":[489]},{"name":"XCN_NCRYPT_ALLOW_ALL_USAGES","features":[489]},{"name":"XCN_NCRYPT_ALLOW_ARCHIVING_FLAG","features":[489]},{"name":"XCN_NCRYPT_ALLOW_DECRYPT_FLAG","features":[489]},{"name":"XCN_NCRYPT_ALLOW_EXPORT_FLAG","features":[489]},{"name":"XCN_NCRYPT_ALLOW_EXPORT_NONE","features":[489]},{"name":"XCN_NCRYPT_ALLOW_KEY_AGREEMENT_FLAG","features":[489]},{"name":"XCN_NCRYPT_ALLOW_KEY_IMPORT_FLAG","features":[489]},{"name":"XCN_NCRYPT_ALLOW_PLAINTEXT_ARCHIVING_FLAG","features":[489]},{"name":"XCN_NCRYPT_ALLOW_PLAINTEXT_EXPORT_FLAG","features":[489]},{"name":"XCN_NCRYPT_ALLOW_SIGNING_FLAG","features":[489]},{"name":"XCN_NCRYPT_ALLOW_USAGES_NONE","features":[489]},{"name":"XCN_NCRYPT_ANY_ASYMMETRIC_OPERATION","features":[489]},{"name":"XCN_NCRYPT_ASYMMETRIC_ENCRYPTION_OPERATION","features":[489]},{"name":"XCN_NCRYPT_CIPHER_OPERATION","features":[489]},{"name":"XCN_NCRYPT_CLAIM_AUTHORITY_AND_SUBJECT","features":[489]},{"name":"XCN_NCRYPT_CLAIM_AUTHORITY_ONLY","features":[489]},{"name":"XCN_NCRYPT_CLAIM_NONE","features":[489]},{"name":"XCN_NCRYPT_CLAIM_SUBJECT_ONLY","features":[489]},{"name":"XCN_NCRYPT_CLAIM_UNKNOWN","features":[489]},{"name":"XCN_NCRYPT_EXACT_MATCH_OPERATION","features":[489]},{"name":"XCN_NCRYPT_HASH_OPERATION","features":[489]},{"name":"XCN_NCRYPT_KEY_DERIVATION_OPERATION","features":[489]},{"name":"XCN_NCRYPT_NO_OPERATION","features":[489]},{"name":"XCN_NCRYPT_PCP_ENCRYPTION_KEY","features":[489]},{"name":"XCN_NCRYPT_PCP_GENERIC_KEY","features":[489]},{"name":"XCN_NCRYPT_PCP_IDENTITY_KEY","features":[489]},{"name":"XCN_NCRYPT_PCP_NONE","features":[489]},{"name":"XCN_NCRYPT_PCP_SIGNATURE_KEY","features":[489]},{"name":"XCN_NCRYPT_PCP_STORAGE_KEY","features":[489]},{"name":"XCN_NCRYPT_PREFERENCE_MASK_OPERATION","features":[489]},{"name":"XCN_NCRYPT_PREFER_NON_SIGNATURE_OPERATION","features":[489]},{"name":"XCN_NCRYPT_PREFER_SIGNATURE_ONLY_OPERATION","features":[489]},{"name":"XCN_NCRYPT_RNG_OPERATION","features":[489]},{"name":"XCN_NCRYPT_SECRET_AGREEMENT_OPERATION","features":[489]},{"name":"XCN_NCRYPT_SIGNATURE_OPERATION","features":[489]},{"name":"XCN_NCRYPT_TPM12_PROVIDER","features":[489]},{"name":"XCN_NCRYPT_UI_APPCONTAINER_ACCESS_MEDIUM_FLAG","features":[489]},{"name":"XCN_NCRYPT_UI_FINGERPRINT_PROTECTION_FLAG","features":[489]},{"name":"XCN_NCRYPT_UI_FORCE_HIGH_PROTECTION_FLAG","features":[489]},{"name":"XCN_NCRYPT_UI_NO_PROTECTION_FLAG","features":[489]},{"name":"XCN_NCRYPT_UI_PROTECT_KEY_FLAG","features":[489]},{"name":"XCN_OIDVerisign_FailInfo","features":[489]},{"name":"XCN_OIDVerisign_MessageType","features":[489]},{"name":"XCN_OIDVerisign_PkiStatus","features":[489]},{"name":"XCN_OIDVerisign_RecipientNonce","features":[489]},{"name":"XCN_OIDVerisign_SenderNonce","features":[489]},{"name":"XCN_OIDVerisign_TransactionID","features":[489]},{"name":"XCN_OID_ANSI_X942","features":[489]},{"name":"XCN_OID_ANSI_X942_DH","features":[489]},{"name":"XCN_OID_ANY_APPLICATION_POLICY","features":[489]},{"name":"XCN_OID_ANY_CERT_POLICY","features":[489]},{"name":"XCN_OID_ANY_ENHANCED_KEY_USAGE","features":[489]},{"name":"XCN_OID_APPLICATION_CERT_POLICIES","features":[489]},{"name":"XCN_OID_APPLICATION_POLICY_CONSTRAINTS","features":[489]},{"name":"XCN_OID_APPLICATION_POLICY_MAPPINGS","features":[489]},{"name":"XCN_OID_ARCHIVED_KEY_ATTR","features":[489]},{"name":"XCN_OID_ARCHIVED_KEY_CERT_HASH","features":[489]},{"name":"XCN_OID_ATTR_SUPPORTED_ALGORITHMS","features":[489]},{"name":"XCN_OID_ATTR_TPM_SECURITY_ASSERTIONS","features":[489]},{"name":"XCN_OID_ATTR_TPM_SPECIFICATION","features":[489]},{"name":"XCN_OID_AUTHORITY_INFO_ACCESS","features":[489]},{"name":"XCN_OID_AUTHORITY_KEY_IDENTIFIER","features":[489]},{"name":"XCN_OID_AUTHORITY_KEY_IDENTIFIER2","features":[489]},{"name":"XCN_OID_AUTHORITY_REVOCATION_LIST","features":[489]},{"name":"XCN_OID_AUTO_ENROLL_CTL_USAGE","features":[489]},{"name":"XCN_OID_BACKGROUND_OTHER_LOGOTYPE","features":[489]},{"name":"XCN_OID_BASIC_CONSTRAINTS","features":[489]},{"name":"XCN_OID_BASIC_CONSTRAINTS2","features":[489]},{"name":"XCN_OID_BIOMETRIC_EXT","features":[489]},{"name":"XCN_OID_BUSINESS_CATEGORY","features":[489]},{"name":"XCN_OID_CA_CERTIFICATE","features":[489]},{"name":"XCN_OID_CERTIFICATE_REVOCATION_LIST","features":[489]},{"name":"XCN_OID_CERTIFICATE_TEMPLATE","features":[489]},{"name":"XCN_OID_CERTSRV_CA_VERSION","features":[489]},{"name":"XCN_OID_CERTSRV_CROSSCA_VERSION","features":[489]},{"name":"XCN_OID_CERTSRV_PREVIOUS_CERT_HASH","features":[489]},{"name":"XCN_OID_CERT_DISALLOWED_FILETIME_PROP_ID","features":[489]},{"name":"XCN_OID_CERT_EXTENSIONS","features":[489]},{"name":"XCN_OID_CERT_ISSUER_SERIAL_NUMBER_MD5_HASH_PROP_ID","features":[489]},{"name":"XCN_OID_CERT_KEY_IDENTIFIER_PROP_ID","features":[489]},{"name":"XCN_OID_CERT_MANIFOLD","features":[489]},{"name":"XCN_OID_CERT_MD5_HASH_PROP_ID","features":[489]},{"name":"XCN_OID_CERT_POLICIES","features":[489]},{"name":"XCN_OID_CERT_POLICIES_95","features":[489]},{"name":"XCN_OID_CERT_POLICIES_95_QUALIFIER1","features":[489]},{"name":"XCN_OID_CERT_PROP_ID_PREFIX","features":[489]},{"name":"XCN_OID_CERT_SIGNATURE_HASH_PROP_ID","features":[489]},{"name":"XCN_OID_CERT_STRONG_KEY_OS_1","features":[489]},{"name":"XCN_OID_CERT_STRONG_KEY_OS_CURRENT","features":[489]},{"name":"XCN_OID_CERT_STRONG_KEY_OS_PREFIX","features":[489]},{"name":"XCN_OID_CERT_STRONG_SIGN_OS_1","features":[489]},{"name":"XCN_OID_CERT_STRONG_SIGN_OS_CURRENT","features":[489]},{"name":"XCN_OID_CERT_STRONG_SIGN_OS_PREFIX","features":[489]},{"name":"XCN_OID_CERT_SUBJECT_NAME_MD5_HASH_PROP_ID","features":[489]},{"name":"XCN_OID_CMC","features":[489]},{"name":"XCN_OID_CMC_ADD_ATTRIBUTES","features":[489]},{"name":"XCN_OID_CMC_ADD_EXTENSIONS","features":[489]},{"name":"XCN_OID_CMC_DATA_RETURN","features":[489]},{"name":"XCN_OID_CMC_DECRYPTED_POP","features":[489]},{"name":"XCN_OID_CMC_ENCRYPTED_POP","features":[489]},{"name":"XCN_OID_CMC_GET_CERT","features":[489]},{"name":"XCN_OID_CMC_GET_CRL","features":[489]},{"name":"XCN_OID_CMC_IDENTIFICATION","features":[489]},{"name":"XCN_OID_CMC_IDENTITY_PROOF","features":[489]},{"name":"XCN_OID_CMC_ID_CONFIRM_CERT_ACCEPTANCE","features":[489]},{"name":"XCN_OID_CMC_ID_POP_LINK_RANDOM","features":[489]},{"name":"XCN_OID_CMC_ID_POP_LINK_WITNESS","features":[489]},{"name":"XCN_OID_CMC_LRA_POP_WITNESS","features":[489]},{"name":"XCN_OID_CMC_QUERY_PENDING","features":[489]},{"name":"XCN_OID_CMC_RECIPIENT_NONCE","features":[489]},{"name":"XCN_OID_CMC_REG_INFO","features":[489]},{"name":"XCN_OID_CMC_RESPONSE_INFO","features":[489]},{"name":"XCN_OID_CMC_REVOKE_REQUEST","features":[489]},{"name":"XCN_OID_CMC_SENDER_NONCE","features":[489]},{"name":"XCN_OID_CMC_STATUS_INFO","features":[489]},{"name":"XCN_OID_CMC_TRANSACTION_ID","features":[489]},{"name":"XCN_OID_COMMON_NAME","features":[489]},{"name":"XCN_OID_COUNTRY_NAME","features":[489]},{"name":"XCN_OID_CRL_DIST_POINTS","features":[489]},{"name":"XCN_OID_CRL_NEXT_PUBLISH","features":[489]},{"name":"XCN_OID_CRL_NUMBER","features":[489]},{"name":"XCN_OID_CRL_REASON_CODE","features":[489]},{"name":"XCN_OID_CRL_SELF_CDP","features":[489]},{"name":"XCN_OID_CRL_VIRTUAL_BASE","features":[489]},{"name":"XCN_OID_CROSS_CERTIFICATE_PAIR","features":[489]},{"name":"XCN_OID_CROSS_CERT_DIST_POINTS","features":[489]},{"name":"XCN_OID_CTL","features":[489]},{"name":"XCN_OID_CT_PKI_DATA","features":[489]},{"name":"XCN_OID_CT_PKI_RESPONSE","features":[489]},{"name":"XCN_OID_DELTA_CRL_INDICATOR","features":[489]},{"name":"XCN_OID_DESCRIPTION","features":[489]},{"name":"XCN_OID_DESTINATION_INDICATOR","features":[489]},{"name":"XCN_OID_DEVICE_SERIAL_NUMBER","features":[489]},{"name":"XCN_OID_DH_SINGLE_PASS_STDDH_SHA1_KDF","features":[489]},{"name":"XCN_OID_DH_SINGLE_PASS_STDDH_SHA256_KDF","features":[489]},{"name":"XCN_OID_DH_SINGLE_PASS_STDDH_SHA384_KDF","features":[489]},{"name":"XCN_OID_DISALLOWED_HASH","features":[489]},{"name":"XCN_OID_DISALLOWED_LIST","features":[489]},{"name":"XCN_OID_DN_QUALIFIER","features":[489]},{"name":"XCN_OID_DOMAIN_COMPONENT","features":[489]},{"name":"XCN_OID_DRM","features":[489]},{"name":"XCN_OID_DRM_INDIVIDUALIZATION","features":[489]},{"name":"XCN_OID_DS","features":[489]},{"name":"XCN_OID_DSALG","features":[489]},{"name":"XCN_OID_DSALG_CRPT","features":[489]},{"name":"XCN_OID_DSALG_HASH","features":[489]},{"name":"XCN_OID_DSALG_RSA","features":[489]},{"name":"XCN_OID_DSALG_SIGN","features":[489]},{"name":"XCN_OID_DS_EMAIL_REPLICATION","features":[489]},{"name":"XCN_OID_ECC_CURVE_P256","features":[489]},{"name":"XCN_OID_ECC_CURVE_P384","features":[489]},{"name":"XCN_OID_ECC_CURVE_P521","features":[489]},{"name":"XCN_OID_ECC_PUBLIC_KEY","features":[489]},{"name":"XCN_OID_ECDSA_SHA1","features":[489]},{"name":"XCN_OID_ECDSA_SHA256","features":[489]},{"name":"XCN_OID_ECDSA_SHA384","features":[489]},{"name":"XCN_OID_ECDSA_SHA512","features":[489]},{"name":"XCN_OID_ECDSA_SPECIFIED","features":[489]},{"name":"XCN_OID_EFS_RECOVERY","features":[489]},{"name":"XCN_OID_EMBEDDED_NT_CRYPTO","features":[489]},{"name":"XCN_OID_ENCRYPTED_KEY_HASH","features":[489]},{"name":"XCN_OID_ENHANCED_KEY_USAGE","features":[489]},{"name":"XCN_OID_ENROLLMENT_AGENT","features":[489]},{"name":"XCN_OID_ENROLLMENT_CSP_PROVIDER","features":[489]},{"name":"XCN_OID_ENROLLMENT_NAME_VALUE_PAIR","features":[489]},{"name":"XCN_OID_ENROLL_ATTESTATION_CHALLENGE","features":[489]},{"name":"XCN_OID_ENROLL_ATTESTATION_STATEMENT","features":[489]},{"name":"XCN_OID_ENROLL_CAXCHGCERT_HASH","features":[489]},{"name":"XCN_OID_ENROLL_CERTTYPE_EXTENSION","features":[489]},{"name":"XCN_OID_ENROLL_EKPUB_CHALLENGE","features":[489]},{"name":"XCN_OID_ENROLL_EKVERIFYCERT","features":[489]},{"name":"XCN_OID_ENROLL_EKVERIFYCREDS","features":[489]},{"name":"XCN_OID_ENROLL_EKVERIFYKEY","features":[489]},{"name":"XCN_OID_ENROLL_EK_INFO","features":[489]},{"name":"XCN_OID_ENROLL_ENCRYPTION_ALGORITHM","features":[489]},{"name":"XCN_OID_ENROLL_KSP_NAME","features":[489]},{"name":"XCN_OID_ENROLL_SCEP_ERROR","features":[489]},{"name":"XCN_OID_ENTERPRISE_OID_ROOT","features":[489]},{"name":"XCN_OID_EV_RDN_COUNTRY","features":[489]},{"name":"XCN_OID_EV_RDN_LOCALE","features":[489]},{"name":"XCN_OID_EV_RDN_STATE_OR_PROVINCE","features":[489]},{"name":"XCN_OID_FACSIMILE_TELEPHONE_NUMBER","features":[489]},{"name":"XCN_OID_FRESHEST_CRL","features":[489]},{"name":"XCN_OID_GIVEN_NAME","features":[489]},{"name":"XCN_OID_INFOSEC","features":[489]},{"name":"XCN_OID_INFOSEC_SuiteAConfidentiality","features":[489]},{"name":"XCN_OID_INFOSEC_SuiteAIntegrity","features":[489]},{"name":"XCN_OID_INFOSEC_SuiteAKMandSig","features":[489]},{"name":"XCN_OID_INFOSEC_SuiteAKeyManagement","features":[489]},{"name":"XCN_OID_INFOSEC_SuiteASignature","features":[489]},{"name":"XCN_OID_INFOSEC_SuiteATokenProtection","features":[489]},{"name":"XCN_OID_INFOSEC_mosaicConfidentiality","features":[489]},{"name":"XCN_OID_INFOSEC_mosaicIntegrity","features":[489]},{"name":"XCN_OID_INFOSEC_mosaicKMandSig","features":[489]},{"name":"XCN_OID_INFOSEC_mosaicKMandUpdSig","features":[489]},{"name":"XCN_OID_INFOSEC_mosaicKeyManagement","features":[489]},{"name":"XCN_OID_INFOSEC_mosaicSignature","features":[489]},{"name":"XCN_OID_INFOSEC_mosaicTokenProtection","features":[489]},{"name":"XCN_OID_INFOSEC_mosaicUpdatedInteg","features":[489]},{"name":"XCN_OID_INFOSEC_mosaicUpdatedSig","features":[489]},{"name":"XCN_OID_INFOSEC_sdnsConfidentiality","features":[489]},{"name":"XCN_OID_INFOSEC_sdnsIntegrity","features":[489]},{"name":"XCN_OID_INFOSEC_sdnsKMandSig","features":[489]},{"name":"XCN_OID_INFOSEC_sdnsKeyManagement","features":[489]},{"name":"XCN_OID_INFOSEC_sdnsSignature","features":[489]},{"name":"XCN_OID_INFOSEC_sdnsTokenProtection","features":[489]},{"name":"XCN_OID_INHIBIT_ANY_POLICY","features":[489]},{"name":"XCN_OID_INITIALS","features":[489]},{"name":"XCN_OID_INTERNATIONALIZED_EMAIL_ADDRESS","features":[489]},{"name":"XCN_OID_INTERNATIONAL_ISDN_NUMBER","features":[489]},{"name":"XCN_OID_IPSEC_KP_IKE_INTERMEDIATE","features":[489]},{"name":"XCN_OID_ISSUED_CERT_HASH","features":[489]},{"name":"XCN_OID_ISSUER_ALT_NAME","features":[489]},{"name":"XCN_OID_ISSUER_ALT_NAME2","features":[489]},{"name":"XCN_OID_ISSUING_DIST_POINT","features":[489]},{"name":"XCN_OID_KEYID_RDN","features":[489]},{"name":"XCN_OID_KEY_ATTRIBUTES","features":[489]},{"name":"XCN_OID_KEY_USAGE","features":[489]},{"name":"XCN_OID_KEY_USAGE_RESTRICTION","features":[489]},{"name":"XCN_OID_KP_CA_EXCHANGE","features":[489]},{"name":"XCN_OID_KP_CSP_SIGNATURE","features":[489]},{"name":"XCN_OID_KP_CTL_USAGE_SIGNING","features":[489]},{"name":"XCN_OID_KP_DOCUMENT_SIGNING","features":[489]},{"name":"XCN_OID_KP_EFS","features":[489]},{"name":"XCN_OID_KP_KERNEL_MODE_CODE_SIGNING","features":[489]},{"name":"XCN_OID_KP_KERNEL_MODE_HAL_EXTENSION_SIGNING","features":[489]},{"name":"XCN_OID_KP_KERNEL_MODE_TRUSTED_BOOT_SIGNING","features":[489]},{"name":"XCN_OID_KP_KEY_RECOVERY","features":[489]},{"name":"XCN_OID_KP_KEY_RECOVERY_AGENT","features":[489]},{"name":"XCN_OID_KP_LIFETIME_SIGNING","features":[489]},{"name":"XCN_OID_KP_MOBILE_DEVICE_SOFTWARE","features":[489]},{"name":"XCN_OID_KP_QUALIFIED_SUBORDINATION","features":[489]},{"name":"XCN_OID_KP_SMARTCARD_LOGON","features":[489]},{"name":"XCN_OID_KP_SMART_DISPLAY","features":[489]},{"name":"XCN_OID_KP_TIME_STAMP_SIGNING","features":[489]},{"name":"XCN_OID_KP_TPM_AIK_CERTIFICATE","features":[489]},{"name":"XCN_OID_KP_TPM_EK_CERTIFICATE","features":[489]},{"name":"XCN_OID_KP_TPM_PLATFORM_CERTIFICATE","features":[489]},{"name":"XCN_OID_LEGACY_POLICY_MAPPINGS","features":[489]},{"name":"XCN_OID_LICENSES","features":[489]},{"name":"XCN_OID_LICENSE_SERVER","features":[489]},{"name":"XCN_OID_LOCALITY_NAME","features":[489]},{"name":"XCN_OID_LOCAL_MACHINE_KEYSET","features":[489]},{"name":"XCN_OID_LOGOTYPE_EXT","features":[489]},{"name":"XCN_OID_LOYALTY_OTHER_LOGOTYPE","features":[489]},{"name":"XCN_OID_MEMBER","features":[489]},{"name":"XCN_OID_NAME_CONSTRAINTS","features":[489]},{"name":"XCN_OID_NETSCAPE","features":[489]},{"name":"XCN_OID_NETSCAPE_BASE_URL","features":[489]},{"name":"XCN_OID_NETSCAPE_CA_POLICY_URL","features":[489]},{"name":"XCN_OID_NETSCAPE_CA_REVOCATION_URL","features":[489]},{"name":"XCN_OID_NETSCAPE_CERT_EXTENSION","features":[489]},{"name":"XCN_OID_NETSCAPE_CERT_RENEWAL_URL","features":[489]},{"name":"XCN_OID_NETSCAPE_CERT_SEQUENCE","features":[489]},{"name":"XCN_OID_NETSCAPE_CERT_TYPE","features":[489]},{"name":"XCN_OID_NETSCAPE_COMMENT","features":[489]},{"name":"XCN_OID_NETSCAPE_DATA_TYPE","features":[489]},{"name":"XCN_OID_NETSCAPE_REVOCATION_URL","features":[489]},{"name":"XCN_OID_NETSCAPE_SSL_SERVER_NAME","features":[489]},{"name":"XCN_OID_NEXT_UPDATE_LOCATION","features":[489]},{"name":"XCN_OID_NIST_AES128_CBC","features":[489]},{"name":"XCN_OID_NIST_AES128_WRAP","features":[489]},{"name":"XCN_OID_NIST_AES192_CBC","features":[489]},{"name":"XCN_OID_NIST_AES192_WRAP","features":[489]},{"name":"XCN_OID_NIST_AES256_CBC","features":[489]},{"name":"XCN_OID_NIST_AES256_WRAP","features":[489]},{"name":"XCN_OID_NIST_sha256","features":[489]},{"name":"XCN_OID_NIST_sha384","features":[489]},{"name":"XCN_OID_NIST_sha512","features":[489]},{"name":"XCN_OID_NONE","features":[489]},{"name":"XCN_OID_NT5_CRYPTO","features":[489]},{"name":"XCN_OID_NTDS_REPLICATION","features":[489]},{"name":"XCN_OID_NT_PRINCIPAL_NAME","features":[489]},{"name":"XCN_OID_OEM_WHQL_CRYPTO","features":[489]},{"name":"XCN_OID_OIW","features":[489]},{"name":"XCN_OID_OIWDIR","features":[489]},{"name":"XCN_OID_OIWDIR_CRPT","features":[489]},{"name":"XCN_OID_OIWDIR_HASH","features":[489]},{"name":"XCN_OID_OIWDIR_SIGN","features":[489]},{"name":"XCN_OID_OIWDIR_md2","features":[489]},{"name":"XCN_OID_OIWDIR_md2RSA","features":[489]},{"name":"XCN_OID_OIWSEC","features":[489]},{"name":"XCN_OID_OIWSEC_desCBC","features":[489]},{"name":"XCN_OID_OIWSEC_desCFB","features":[489]},{"name":"XCN_OID_OIWSEC_desECB","features":[489]},{"name":"XCN_OID_OIWSEC_desEDE","features":[489]},{"name":"XCN_OID_OIWSEC_desMAC","features":[489]},{"name":"XCN_OID_OIWSEC_desOFB","features":[489]},{"name":"XCN_OID_OIWSEC_dhCommMod","features":[489]},{"name":"XCN_OID_OIWSEC_dsa","features":[489]},{"name":"XCN_OID_OIWSEC_dsaComm","features":[489]},{"name":"XCN_OID_OIWSEC_dsaCommSHA","features":[489]},{"name":"XCN_OID_OIWSEC_dsaCommSHA1","features":[489]},{"name":"XCN_OID_OIWSEC_dsaSHA1","features":[489]},{"name":"XCN_OID_OIWSEC_keyHashSeal","features":[489]},{"name":"XCN_OID_OIWSEC_md2RSASign","features":[489]},{"name":"XCN_OID_OIWSEC_md4RSA","features":[489]},{"name":"XCN_OID_OIWSEC_md4RSA2","features":[489]},{"name":"XCN_OID_OIWSEC_md5RSA","features":[489]},{"name":"XCN_OID_OIWSEC_md5RSASign","features":[489]},{"name":"XCN_OID_OIWSEC_mdc2","features":[489]},{"name":"XCN_OID_OIWSEC_mdc2RSA","features":[489]},{"name":"XCN_OID_OIWSEC_rsaSign","features":[489]},{"name":"XCN_OID_OIWSEC_rsaXchg","features":[489]},{"name":"XCN_OID_OIWSEC_sha","features":[489]},{"name":"XCN_OID_OIWSEC_sha1","features":[489]},{"name":"XCN_OID_OIWSEC_sha1RSASign","features":[489]},{"name":"XCN_OID_OIWSEC_shaDSA","features":[489]},{"name":"XCN_OID_OIWSEC_shaRSA","features":[489]},{"name":"XCN_OID_ORGANIZATIONAL_UNIT_NAME","features":[489]},{"name":"XCN_OID_ORGANIZATION_NAME","features":[489]},{"name":"XCN_OID_OS_VERSION","features":[489]},{"name":"XCN_OID_OWNER","features":[489]},{"name":"XCN_OID_PHYSICAL_DELIVERY_OFFICE_NAME","features":[489]},{"name":"XCN_OID_PKCS","features":[489]},{"name":"XCN_OID_PKCS_1","features":[489]},{"name":"XCN_OID_PKCS_10","features":[489]},{"name":"XCN_OID_PKCS_12","features":[489]},{"name":"XCN_OID_PKCS_12_EXTENDED_ATTRIBUTES","features":[489]},{"name":"XCN_OID_PKCS_12_FRIENDLY_NAME_ATTR","features":[489]},{"name":"XCN_OID_PKCS_12_KEY_PROVIDER_NAME_ATTR","features":[489]},{"name":"XCN_OID_PKCS_12_LOCAL_KEY_ID","features":[489]},{"name":"XCN_OID_PKCS_12_PROTECTED_PASSWORD_SECRET_BAG_TYPE_ID","features":[489]},{"name":"XCN_OID_PKCS_12_PbeIds","features":[489]},{"name":"XCN_OID_PKCS_12_pbeWithSHA1And128BitRC2","features":[489]},{"name":"XCN_OID_PKCS_12_pbeWithSHA1And128BitRC4","features":[489]},{"name":"XCN_OID_PKCS_12_pbeWithSHA1And2KeyTripleDES","features":[489]},{"name":"XCN_OID_PKCS_12_pbeWithSHA1And3KeyTripleDES","features":[489]},{"name":"XCN_OID_PKCS_12_pbeWithSHA1And40BitRC2","features":[489]},{"name":"XCN_OID_PKCS_12_pbeWithSHA1And40BitRC4","features":[489]},{"name":"XCN_OID_PKCS_2","features":[489]},{"name":"XCN_OID_PKCS_3","features":[489]},{"name":"XCN_OID_PKCS_4","features":[489]},{"name":"XCN_OID_PKCS_5","features":[489]},{"name":"XCN_OID_PKCS_6","features":[489]},{"name":"XCN_OID_PKCS_7","features":[489]},{"name":"XCN_OID_PKCS_7_DATA","features":[489]},{"name":"XCN_OID_PKCS_7_DIGESTED","features":[489]},{"name":"XCN_OID_PKCS_7_ENCRYPTED","features":[489]},{"name":"XCN_OID_PKCS_7_ENVELOPED","features":[489]},{"name":"XCN_OID_PKCS_7_SIGNED","features":[489]},{"name":"XCN_OID_PKCS_7_SIGNEDANDENVELOPED","features":[489]},{"name":"XCN_OID_PKCS_8","features":[489]},{"name":"XCN_OID_PKCS_9","features":[489]},{"name":"XCN_OID_PKCS_9_CONTENT_TYPE","features":[489]},{"name":"XCN_OID_PKCS_9_MESSAGE_DIGEST","features":[489]},{"name":"XCN_OID_PKINIT_KP_KDC","features":[489]},{"name":"XCN_OID_PKIX","features":[489]},{"name":"XCN_OID_PKIX_ACC_DESCR","features":[489]},{"name":"XCN_OID_PKIX_CA_ISSUERS","features":[489]},{"name":"XCN_OID_PKIX_CA_REPOSITORY","features":[489]},{"name":"XCN_OID_PKIX_KP","features":[489]},{"name":"XCN_OID_PKIX_KP_CLIENT_AUTH","features":[489]},{"name":"XCN_OID_PKIX_KP_CODE_SIGNING","features":[489]},{"name":"XCN_OID_PKIX_KP_EMAIL_PROTECTION","features":[489]},{"name":"XCN_OID_PKIX_KP_IPSEC_END_SYSTEM","features":[489]},{"name":"XCN_OID_PKIX_KP_IPSEC_TUNNEL","features":[489]},{"name":"XCN_OID_PKIX_KP_IPSEC_USER","features":[489]},{"name":"XCN_OID_PKIX_KP_OCSP_SIGNING","features":[489]},{"name":"XCN_OID_PKIX_KP_SERVER_AUTH","features":[489]},{"name":"XCN_OID_PKIX_KP_TIMESTAMP_SIGNING","features":[489]},{"name":"XCN_OID_PKIX_NO_SIGNATURE","features":[489]},{"name":"XCN_OID_PKIX_OCSP","features":[489]},{"name":"XCN_OID_PKIX_OCSP_BASIC_SIGNED_RESPONSE","features":[489]},{"name":"XCN_OID_PKIX_OCSP_NOCHECK","features":[489]},{"name":"XCN_OID_PKIX_OCSP_NONCE","features":[489]},{"name":"XCN_OID_PKIX_PE","features":[489]},{"name":"XCN_OID_PKIX_POLICY_QUALIFIER_CPS","features":[489]},{"name":"XCN_OID_PKIX_POLICY_QUALIFIER_USERNOTICE","features":[489]},{"name":"XCN_OID_PKIX_TIME_STAMPING","features":[489]},{"name":"XCN_OID_POLICY_CONSTRAINTS","features":[489]},{"name":"XCN_OID_POLICY_MAPPINGS","features":[489]},{"name":"XCN_OID_POSTAL_ADDRESS","features":[489]},{"name":"XCN_OID_POSTAL_CODE","features":[489]},{"name":"XCN_OID_POST_OFFICE_BOX","features":[489]},{"name":"XCN_OID_PREFERRED_DELIVERY_METHOD","features":[489]},{"name":"XCN_OID_PRESENTATION_ADDRESS","features":[489]},{"name":"XCN_OID_PRIVATEKEY_USAGE_PERIOD","features":[489]},{"name":"XCN_OID_PRODUCT_UPDATE","features":[489]},{"name":"XCN_OID_QC_EU_COMPLIANCE","features":[489]},{"name":"XCN_OID_QC_SSCD","features":[489]},{"name":"XCN_OID_QC_STATEMENTS_EXT","features":[489]},{"name":"XCN_OID_RDN_DUMMY_SIGNER","features":[489]},{"name":"XCN_OID_RDN_TPM_MANUFACTURER","features":[489]},{"name":"XCN_OID_RDN_TPM_MODEL","features":[489]},{"name":"XCN_OID_RDN_TPM_VERSION","features":[489]},{"name":"XCN_OID_REASON_CODE_HOLD","features":[489]},{"name":"XCN_OID_REGISTERED_ADDRESS","features":[489]},{"name":"XCN_OID_REMOVE_CERTIFICATE","features":[489]},{"name":"XCN_OID_RENEWAL_CERTIFICATE","features":[489]},{"name":"XCN_OID_REQUEST_CLIENT_INFO","features":[489]},{"name":"XCN_OID_REQUIRE_CERT_CHAIN_POLICY","features":[489]},{"name":"XCN_OID_REVOKED_LIST_SIGNER","features":[489]},{"name":"XCN_OID_RFC3161_counterSign","features":[489]},{"name":"XCN_OID_ROLE_OCCUPANT","features":[489]},{"name":"XCN_OID_ROOT_LIST_SIGNER","features":[489]},{"name":"XCN_OID_ROOT_PROGRAM_AUTO_UPDATE_CA_REVOCATION","features":[489]},{"name":"XCN_OID_ROOT_PROGRAM_AUTO_UPDATE_END_REVOCATION","features":[489]},{"name":"XCN_OID_ROOT_PROGRAM_FLAGS","features":[489]},{"name":"XCN_OID_ROOT_PROGRAM_NO_OCSP_FAILOVER_TO_CRL","features":[489]},{"name":"XCN_OID_RSA","features":[489]},{"name":"XCN_OID_RSAES_OAEP","features":[489]},{"name":"XCN_OID_RSA_DES_EDE3_CBC","features":[489]},{"name":"XCN_OID_RSA_DH","features":[489]},{"name":"XCN_OID_RSA_ENCRYPT","features":[489]},{"name":"XCN_OID_RSA_HASH","features":[489]},{"name":"XCN_OID_RSA_MD2","features":[489]},{"name":"XCN_OID_RSA_MD2RSA","features":[489]},{"name":"XCN_OID_RSA_MD4","features":[489]},{"name":"XCN_OID_RSA_MD4RSA","features":[489]},{"name":"XCN_OID_RSA_MD5","features":[489]},{"name":"XCN_OID_RSA_MD5RSA","features":[489]},{"name":"XCN_OID_RSA_MGF1","features":[489]},{"name":"XCN_OID_RSA_PSPECIFIED","features":[489]},{"name":"XCN_OID_RSA_RC2CBC","features":[489]},{"name":"XCN_OID_RSA_RC4","features":[489]},{"name":"XCN_OID_RSA_RC5_CBCPad","features":[489]},{"name":"XCN_OID_RSA_RSA","features":[489]},{"name":"XCN_OID_RSA_SETOAEP_RSA","features":[489]},{"name":"XCN_OID_RSA_SHA1RSA","features":[489]},{"name":"XCN_OID_RSA_SHA256RSA","features":[489]},{"name":"XCN_OID_RSA_SHA384RSA","features":[489]},{"name":"XCN_OID_RSA_SHA512RSA","features":[489]},{"name":"XCN_OID_RSA_SMIMECapabilities","features":[489]},{"name":"XCN_OID_RSA_SMIMEalg","features":[489]},{"name":"XCN_OID_RSA_SMIMEalgCMS3DESwrap","features":[489]},{"name":"XCN_OID_RSA_SMIMEalgCMSRC2wrap","features":[489]},{"name":"XCN_OID_RSA_SMIMEalgESDH","features":[489]},{"name":"XCN_OID_RSA_SSA_PSS","features":[489]},{"name":"XCN_OID_RSA_certExtensions","features":[489]},{"name":"XCN_OID_RSA_challengePwd","features":[489]},{"name":"XCN_OID_RSA_contentType","features":[489]},{"name":"XCN_OID_RSA_counterSign","features":[489]},{"name":"XCN_OID_RSA_data","features":[489]},{"name":"XCN_OID_RSA_digestedData","features":[489]},{"name":"XCN_OID_RSA_emailAddr","features":[489]},{"name":"XCN_OID_RSA_encryptedData","features":[489]},{"name":"XCN_OID_RSA_envelopedData","features":[489]},{"name":"XCN_OID_RSA_extCertAttrs","features":[489]},{"name":"XCN_OID_RSA_hashedData","features":[489]},{"name":"XCN_OID_RSA_messageDigest","features":[489]},{"name":"XCN_OID_RSA_preferSignedData","features":[489]},{"name":"XCN_OID_RSA_signEnvData","features":[489]},{"name":"XCN_OID_RSA_signedData","features":[489]},{"name":"XCN_OID_RSA_signingTime","features":[489]},{"name":"XCN_OID_RSA_unstructAddr","features":[489]},{"name":"XCN_OID_RSA_unstructName","features":[489]},{"name":"XCN_OID_SEARCH_GUIDE","features":[489]},{"name":"XCN_OID_SEE_ALSO","features":[489]},{"name":"XCN_OID_SERIALIZED","features":[489]},{"name":"XCN_OID_SERVER_GATED_CRYPTO","features":[489]},{"name":"XCN_OID_SGC_NETSCAPE","features":[489]},{"name":"XCN_OID_SORTED_CTL","features":[489]},{"name":"XCN_OID_STATE_OR_PROVINCE_NAME","features":[489]},{"name":"XCN_OID_STREET_ADDRESS","features":[489]},{"name":"XCN_OID_SUBJECT_ALT_NAME","features":[489]},{"name":"XCN_OID_SUBJECT_ALT_NAME2","features":[489]},{"name":"XCN_OID_SUBJECT_DIR_ATTRS","features":[489]},{"name":"XCN_OID_SUBJECT_INFO_ACCESS","features":[489]},{"name":"XCN_OID_SUBJECT_KEY_IDENTIFIER","features":[489]},{"name":"XCN_OID_SUPPORTED_APPLICATION_CONTEXT","features":[489]},{"name":"XCN_OID_SUR_NAME","features":[489]},{"name":"XCN_OID_TELEPHONE_NUMBER","features":[489]},{"name":"XCN_OID_TELETEXT_TERMINAL_IDENTIFIER","features":[489]},{"name":"XCN_OID_TELEX_NUMBER","features":[489]},{"name":"XCN_OID_TIMESTAMP_TOKEN","features":[489]},{"name":"XCN_OID_TITLE","features":[489]},{"name":"XCN_OID_USER_CERTIFICATE","features":[489]},{"name":"XCN_OID_USER_PASSWORD","features":[489]},{"name":"XCN_OID_VERISIGN_BITSTRING_6_13","features":[489]},{"name":"XCN_OID_VERISIGN_ISS_STRONG_CRYPTO","features":[489]},{"name":"XCN_OID_VERISIGN_ONSITE_JURISDICTION_HASH","features":[489]},{"name":"XCN_OID_VERISIGN_PRIVATE_6_9","features":[489]},{"name":"XCN_OID_WHQL_CRYPTO","features":[489]},{"name":"XCN_OID_X21_ADDRESS","features":[489]},{"name":"XCN_OID_X957","features":[489]},{"name":"XCN_OID_X957_DSA","features":[489]},{"name":"XCN_OID_X957_SHA1DSA","features":[489]},{"name":"XCN_OID_YESNO_TRUST_ATTR","features":[489]},{"name":"XCN_PROPERTYID_NONE","features":[489]},{"name":"XCN_PROV_DH_SCHANNEL","features":[489]},{"name":"XCN_PROV_DSS","features":[489]},{"name":"XCN_PROV_DSS_DH","features":[489]},{"name":"XCN_PROV_EC_ECDSA_FULL","features":[489]},{"name":"XCN_PROV_EC_ECDSA_SIG","features":[489]},{"name":"XCN_PROV_EC_ECNRA_FULL","features":[489]},{"name":"XCN_PROV_EC_ECNRA_SIG","features":[489]},{"name":"XCN_PROV_FORTEZZA","features":[489]},{"name":"XCN_PROV_INTEL_SEC","features":[489]},{"name":"XCN_PROV_MS_EXCHANGE","features":[489]},{"name":"XCN_PROV_NONE","features":[489]},{"name":"XCN_PROV_REPLACE_OWF","features":[489]},{"name":"XCN_PROV_RNG","features":[489]},{"name":"XCN_PROV_RSA_AES","features":[489]},{"name":"XCN_PROV_RSA_FULL","features":[489]},{"name":"XCN_PROV_RSA_SCHANNEL","features":[489]},{"name":"XCN_PROV_RSA_SIG","features":[489]},{"name":"XCN_PROV_SPYRUS_LYNKS","features":[489]},{"name":"XCN_PROV_SSL","features":[489]},{"name":"XECI_AUTOENROLL","features":[489]},{"name":"XECI_CERTREQ","features":[489]},{"name":"XECI_DISABLE","features":[489]},{"name":"XECI_REQWIZARD","features":[489]},{"name":"XECI_XENROLL","features":[489]},{"name":"XECP_STRING_PROPERTY","features":[489]},{"name":"XECR_CMC","features":[489]},{"name":"XECR_PKCS10_V1_5","features":[489]},{"name":"XECR_PKCS10_V2_0","features":[489]},{"name":"XECR_PKCS7","features":[489]},{"name":"XECT_EXTENSION_V1","features":[489]},{"name":"XECT_EXTENSION_V2","features":[489]},{"name":"XEKL_KEYSIZE","features":[489]},{"name":"XEKL_KEYSIZE_DEFAULT","features":[489]},{"name":"XEKL_KEYSIZE_INC","features":[489]},{"name":"XEKL_KEYSIZE_MAX","features":[489]},{"name":"XEKL_KEYSIZE_MIN","features":[489]},{"name":"XEKL_KEYSPEC","features":[489]},{"name":"XEKL_KEYSPEC_KEYX","features":[489]},{"name":"XEKL_KEYSPEC_SIG","features":[489]},{"name":"XEPR_CADNS","features":[489]},{"name":"XEPR_CAFRIENDLYNAME","features":[489]},{"name":"XEPR_CANAME","features":[489]},{"name":"XEPR_DATE","features":[489]},{"name":"XEPR_ENUM_FIRST","features":[489]},{"name":"XEPR_HASH","features":[489]},{"name":"XEPR_REQUESTID","features":[489]},{"name":"XEPR_TEMPLATENAME","features":[489]},{"name":"XEPR_V1TEMPLATENAME","features":[489]},{"name":"XEPR_V2TEMPLATEOID","features":[489]},{"name":"XEPR_VERSION","features":[489]},{"name":"dwCAXCHGOVERLAPPERIODCOUNTDEFAULT","features":[489]},{"name":"dwCAXCHGVALIDITYPERIODCOUNTDEFAULT","features":[489]},{"name":"dwCRLDELTAOVERLAPPERIODCOUNTDEFAULT","features":[489]},{"name":"dwCRLDELTAPERIODCOUNTDEFAULT","features":[489]},{"name":"dwCRLOVERLAPPERIODCOUNTDEFAULT","features":[489]},{"name":"dwCRLPERIODCOUNTDEFAULT","features":[489]},{"name":"dwVALIDITYPERIODCOUNTDEFAULT_ENTERPRISE","features":[489]},{"name":"dwVALIDITYPERIODCOUNTDEFAULT_ROOT","features":[489]},{"name":"dwVALIDITYPERIODCOUNTDEFAULT_STANDALONE","features":[489]},{"name":"szBACKUPANNOTATION","features":[489]},{"name":"szDBBASENAMEPARM","features":[489]},{"name":"szNAMESEPARATORDEFAULT","features":[489]},{"name":"szPROPASNTAG","features":[489]},{"name":"szRESTOREANNOTATION","features":[489]},{"name":"wszAT_EKCERTINF","features":[489]},{"name":"wszAT_TESTROOT","features":[489]},{"name":"wszCAPOLICYFILE","features":[489]},{"name":"wszCERTEXITMODULE_POSTFIX","features":[489]},{"name":"wszCERTIFICATETRANSPARENCYFLAGS","features":[489]},{"name":"wszCERTMANAGE_SUFFIX","features":[489]},{"name":"wszCERTPOLICYMODULE_POSTFIX","features":[489]},{"name":"wszCERT_TYPE","features":[489]},{"name":"wszCERT_TYPE_CLIENT","features":[489]},{"name":"wszCERT_TYPE_CODESIGN","features":[489]},{"name":"wszCERT_TYPE_CUSTOMER","features":[489]},{"name":"wszCERT_TYPE_MERCHANT","features":[489]},{"name":"wszCERT_TYPE_PAYMENT","features":[489]},{"name":"wszCERT_TYPE_SERVER","features":[489]},{"name":"wszCERT_VERSION","features":[489]},{"name":"wszCERT_VERSION_1","features":[489]},{"name":"wszCERT_VERSION_2","features":[489]},{"name":"wszCERT_VERSION_3","features":[489]},{"name":"wszCLASS_CERTADMIN","features":[489]},{"name":"wszCLASS_CERTCONFIG","features":[489]},{"name":"wszCLASS_CERTDBMEM","features":[489]},{"name":"wszCLASS_CERTENCODE","features":[489]},{"name":"wszCLASS_CERTGETCONFIG","features":[489]},{"name":"wszCLASS_CERTREQUEST","features":[489]},{"name":"wszCLASS_CERTSERVEREXIT","features":[489]},{"name":"wszCLASS_CERTSERVERPOLICY","features":[489]},{"name":"wszCLASS_CERTVIEW","features":[489]},{"name":"wszCMM_PROP_COPYRIGHT","features":[489]},{"name":"wszCMM_PROP_DESCRIPTION","features":[489]},{"name":"wszCMM_PROP_DISPLAY_HWND","features":[489]},{"name":"wszCMM_PROP_FILEVER","features":[489]},{"name":"wszCMM_PROP_ISMULTITHREADED","features":[489]},{"name":"wszCMM_PROP_NAME","features":[489]},{"name":"wszCMM_PROP_PRODUCTVER","features":[489]},{"name":"wszCNGENCRYPTIONALGORITHM","features":[489]},{"name":"wszCNGHASHALGORITHM","features":[489]},{"name":"wszCNGPUBLICKEYALGORITHM","features":[489]},{"name":"wszCONFIG_AUTHORITY","features":[489]},{"name":"wszCONFIG_COMMENT","features":[489]},{"name":"wszCONFIG_COMMONNAME","features":[489]},{"name":"wszCONFIG_CONFIG","features":[489]},{"name":"wszCONFIG_COUNTRY","features":[489]},{"name":"wszCONFIG_DESCRIPTION","features":[489]},{"name":"wszCONFIG_EXCHANGECERTIFICATE","features":[489]},{"name":"wszCONFIG_FLAGS","features":[489]},{"name":"wszCONFIG_LOCALITY","features":[489]},{"name":"wszCONFIG_ORGANIZATION","features":[489]},{"name":"wszCONFIG_ORGUNIT","features":[489]},{"name":"wszCONFIG_SANITIZEDNAME","features":[489]},{"name":"wszCONFIG_SANITIZEDSHORTNAME","features":[489]},{"name":"wszCONFIG_SERVER","features":[489]},{"name":"wszCONFIG_SHORTNAME","features":[489]},{"name":"wszCONFIG_SIGNATURECERTIFICATE","features":[489]},{"name":"wszCONFIG_STATE","features":[489]},{"name":"wszCONFIG_WEBENROLLMENTSERVERS","features":[489]},{"name":"wszCRLPUBLISHRETRYCOUNT","features":[489]},{"name":"wszCRTFILENAMEEXT","features":[489]},{"name":"wszDATFILENAMEEXT","features":[489]},{"name":"wszDBBACKUPCERTBACKDAT","features":[489]},{"name":"wszDBBACKUPSUBDIR","features":[489]},{"name":"wszDBFILENAMEEXT","features":[489]},{"name":"wszENCRYPTIONALGORITHM","features":[489]},{"name":"wszENROLLMENTAGENTRIGHTS","features":[489]},{"name":"wszHASHALGORITHM","features":[489]},{"name":"wszINFKEY_ALTERNATESIGNATUREALGORITHM","features":[489]},{"name":"wszINFKEY_ATTESTPRIVATEKEY","features":[489]},{"name":"wszINFKEY_CACAPABILITIES","features":[489]},{"name":"wszINFKEY_CACERTS","features":[489]},{"name":"wszINFKEY_CATHUMBPRINT","features":[489]},{"name":"wszINFKEY_CCDPSYNCDELTATIME","features":[489]},{"name":"wszINFKEY_CHALLENGEPASSWORD","features":[489]},{"name":"wszINFKEY_CONTINUE","features":[489]},{"name":"wszINFKEY_CRITICAL","features":[489]},{"name":"wszINFKEY_CRLDELTAPERIODCOUNT","features":[489]},{"name":"wszINFKEY_CRLDELTAPERIODSTRING","features":[489]},{"name":"wszINFKEY_CRLPERIODCOUNT","features":[489]},{"name":"wszINFKEY_CRLPERIODSTRING","features":[489]},{"name":"wszINFKEY_DIRECTORYNAME","features":[489]},{"name":"wszINFKEY_DNS","features":[489]},{"name":"wszINFKEY_ECCKEYPARAMETERS","features":[489]},{"name":"wszINFKEY_ECCKEYPARAMETERSTYPE","features":[489]},{"name":"wszINFKEY_ECCKEYPARAMETERS_A","features":[489]},{"name":"wszINFKEY_ECCKEYPARAMETERS_B","features":[489]},{"name":"wszINFKEY_ECCKEYPARAMETERS_BASE","features":[489]},{"name":"wszINFKEY_ECCKEYPARAMETERS_COFACTOR","features":[489]},{"name":"wszINFKEY_ECCKEYPARAMETERS_ORDER","features":[489]},{"name":"wszINFKEY_ECCKEYPARAMETERS_P","features":[489]},{"name":"wszINFKEY_ECCKEYPARAMETERS_SEED","features":[489]},{"name":"wszINFKEY_EMAIL","features":[489]},{"name":"wszINFKEY_EMPTY","features":[489]},{"name":"wszINFKEY_ENABLEKEYCOUNTING","features":[489]},{"name":"wszINFKEY_ENCRYPTIONALGORITHM","features":[489]},{"name":"wszINFKEY_ENCRYPTIONLENGTH","features":[489]},{"name":"wszINFKEY_EXCLUDE","features":[489]},{"name":"wszINFKEY_EXPORTABLE","features":[489]},{"name":"wszINFKEY_EXPORTABLEENCRYPTED","features":[489]},{"name":"wszINFKEY_FLAGS","features":[489]},{"name":"wszINFKEY_FORCEUTF8","features":[489]},{"name":"wszINFKEY_FRIENDLYNAME","features":[489]},{"name":"wszINFKEY_HASHALGORITHM","features":[489]},{"name":"wszINFKEY_INCLUDE","features":[489]},{"name":"wszINFKEY_INHIBITPOLICYMAPPING","features":[489]},{"name":"wszINFKEY_IPADDRESS","features":[489]},{"name":"wszINFKEY_KEYALGORITHM","features":[489]},{"name":"wszINFKEY_KEYALGORITHMPARMETERS","features":[489]},{"name":"wszINFKEY_KEYCONTAINER","features":[489]},{"name":"wszINFKEY_KEYLENGTH","features":[489]},{"name":"wszINFKEY_KEYPROTECTION","features":[489]},{"name":"wszINFKEY_KEYUSAGEEXTENSION","features":[489]},{"name":"wszINFKEY_KEYUSAGEPROPERTY","features":[489]},{"name":"wszINFKEY_LEGACYKEYSPEC","features":[489]},{"name":"wszINFKEY_LOADDEFAULTTEMPLATES","features":[489]},{"name":"wszINFKEY_MACHINEKEYSET","features":[489]},{"name":"wszINFKEY_NOTAFTER","features":[489]},{"name":"wszINFKEY_NOTBEFORE","features":[489]},{"name":"wszINFKEY_NOTICE","features":[489]},{"name":"wszINFKEY_OID","features":[489]},{"name":"wszINFKEY_OTHERNAME","features":[489]},{"name":"wszINFKEY_PATHLENGTH","features":[489]},{"name":"wszINFKEY_POLICIES","features":[489]},{"name":"wszINFKEY_PRIVATEKEYARCHIVE","features":[489]},{"name":"wszINFKEY_PROVIDERNAME","features":[489]},{"name":"wszINFKEY_PROVIDERTYPE","features":[489]},{"name":"wszINFKEY_PUBLICKEY","features":[489]},{"name":"wszINFKEY_PUBLICKEYPARAMETERS","features":[489]},{"name":"wszINFKEY_READERNAME","features":[489]},{"name":"wszINFKEY_REGISTEREDID","features":[489]},{"name":"wszINFKEY_RENEWALCERT","features":[489]},{"name":"wszINFKEY_RENEWALKEYLENGTH","features":[489]},{"name":"wszINFKEY_RENEWALVALIDITYPERIODCOUNT","features":[489]},{"name":"wszINFKEY_RENEWALVALIDITYPERIODSTRING","features":[489]},{"name":"wszINFKEY_REQUESTTYPE","features":[489]},{"name":"wszINFKEY_REQUIREEXPLICITPOLICY","features":[489]},{"name":"wszINFKEY_SECURITYDESCRIPTOR","features":[489]},{"name":"wszINFKEY_SERIALNUMBER","features":[489]},{"name":"wszINFKEY_SHOWALLCSPS","features":[489]},{"name":"wszINFKEY_SILENT","features":[489]},{"name":"wszINFKEY_SMIME","features":[489]},{"name":"wszINFKEY_SUBJECT","features":[489]},{"name":"wszINFKEY_SUBJECTNAMEFLAGS","features":[489]},{"name":"wszINFKEY_SUBTREE","features":[489]},{"name":"wszINFKEY_SUPPRESSDEFAULTS","features":[489]},{"name":"wszINFKEY_UICONTEXTMESSAGE","features":[489]},{"name":"wszINFKEY_UPN","features":[489]},{"name":"wszINFKEY_URL","features":[489]},{"name":"wszINFKEY_USEEXISTINGKEY","features":[489]},{"name":"wszINFKEY_USERPROTECTED","features":[489]},{"name":"wszINFKEY_UTF8","features":[489]},{"name":"wszINFKEY_X500NAMEFLAGS","features":[489]},{"name":"wszINFSECTION_AIA","features":[489]},{"name":"wszINFSECTION_APPLICATIONPOLICYCONSTRAINTS","features":[489]},{"name":"wszINFSECTION_APPLICATIONPOLICYMAPPINGS","features":[489]},{"name":"wszINFSECTION_APPLICATIONPOLICYSTATEMENT","features":[489]},{"name":"wszINFSECTION_BASICCONSTRAINTS","features":[489]},{"name":"wszINFSECTION_CAPOLICY","features":[489]},{"name":"wszINFSECTION_CCDP","features":[489]},{"name":"wszINFSECTION_CDP","features":[489]},{"name":"wszINFSECTION_CERTSERVER","features":[489]},{"name":"wszINFSECTION_EKU","features":[489]},{"name":"wszINFSECTION_EXTENSIONS","features":[489]},{"name":"wszINFSECTION_NAMECONSTRAINTS","features":[489]},{"name":"wszINFSECTION_NEWREQUEST","features":[489]},{"name":"wszINFSECTION_POLICYCONSTRAINTS","features":[489]},{"name":"wszINFSECTION_POLICYMAPPINGS","features":[489]},{"name":"wszINFSECTION_POLICYSTATEMENT","features":[489]},{"name":"wszINFSECTION_PROPERTIES","features":[489]},{"name":"wszINFSECTION_REQUESTATTRIBUTES","features":[489]},{"name":"wszINFVALUE_ENDORSEMENTKEY","features":[489]},{"name":"wszINFVALUE_REQUESTTYPE_CERT","features":[489]},{"name":"wszINFVALUE_REQUESTTYPE_CMC","features":[489]},{"name":"wszINFVALUE_REQUESTTYPE_PKCS10","features":[489]},{"name":"wszINFVALUE_REQUESTTYPE_PKCS7","features":[489]},{"name":"wszINFVALUE_REQUESTTYPE_SCEP","features":[489]},{"name":"wszLDAPSESSIONOPTIONVALUE","features":[489]},{"name":"wszLOCALIZEDTIMEPERIODUNITS","features":[489]},{"name":"wszLOGFILENAMEEXT","features":[489]},{"name":"wszLOGPATH","features":[489]},{"name":"wszMACHINEKEYSET","features":[489]},{"name":"wszMICROSOFTCERTMODULE_PREFIX","features":[489]},{"name":"wszNETSCAPEREVOCATIONTYPE","features":[489]},{"name":"wszOCSPCAPROP_CACERTIFICATE","features":[489]},{"name":"wszOCSPCAPROP_CACONFIG","features":[489]},{"name":"wszOCSPCAPROP_CSPNAME","features":[489]},{"name":"wszOCSPCAPROP_ERRORCODE","features":[489]},{"name":"wszOCSPCAPROP_HASHALGORITHMID","features":[489]},{"name":"wszOCSPCAPROP_KEYSPEC","features":[489]},{"name":"wszOCSPCAPROP_LOCALREVOCATIONINFORMATION","features":[489]},{"name":"wszOCSPCAPROP_PROVIDERCLSID","features":[489]},{"name":"wszOCSPCAPROP_PROVIDERPROPERTIES","features":[489]},{"name":"wszOCSPCAPROP_REMINDERDURATION","features":[489]},{"name":"wszOCSPCAPROP_SIGNINGCERTIFICATE","features":[489]},{"name":"wszOCSPCAPROP_SIGNINGCERTIFICATETEMPLATE","features":[489]},{"name":"wszOCSPCAPROP_SIGNINGFLAGS","features":[489]},{"name":"wszOCSPCOMMONPROP_MAXINCOMINGMESSAGESIZE","features":[489]},{"name":"wszOCSPCOMMONPROP_MAXNUMOFREQUESTENTRIES","features":[489]},{"name":"wszOCSPCOMMONPROP_REQFLAGS","features":[489]},{"name":"wszOCSPISAPIPROP_DEBUG","features":[489]},{"name":"wszOCSPISAPIPROP_MAXAGE","features":[489]},{"name":"wszOCSPISAPIPROP_MAXNUMOFCACHEENTRIES","features":[489]},{"name":"wszOCSPISAPIPROP_NUMOFBACKENDCONNECTIONS","features":[489]},{"name":"wszOCSPISAPIPROP_NUMOFTHREADS","features":[489]},{"name":"wszOCSPISAPIPROP_REFRESHRATE","features":[489]},{"name":"wszOCSPISAPIPROP_VIRTUALROOTNAME","features":[489]},{"name":"wszOCSPPROP_ARRAYCONTROLLER","features":[489]},{"name":"wszOCSPPROP_ARRAYMEMBERS","features":[489]},{"name":"wszOCSPPROP_AUDITFILTER","features":[489]},{"name":"wszOCSPPROP_DEBUG","features":[489]},{"name":"wszOCSPPROP_ENROLLPOLLINTERVAL","features":[489]},{"name":"wszOCSPPROP_LOGLEVEL","features":[489]},{"name":"wszOCSPREVPROP_BASECRL","features":[489]},{"name":"wszOCSPREVPROP_BASECRLURLS","features":[489]},{"name":"wszOCSPREVPROP_CRLURLTIMEOUT","features":[489]},{"name":"wszOCSPREVPROP_DELTACRL","features":[489]},{"name":"wszOCSPREVPROP_DELTACRLURLS","features":[489]},{"name":"wszOCSPREVPROP_ERRORCODE","features":[489]},{"name":"wszOCSPREVPROP_REFRESHTIMEOUT","features":[489]},{"name":"wszOCSPREVPROP_SERIALNUMBERSDIRS","features":[489]},{"name":"wszPERIODDAYS","features":[489]},{"name":"wszPERIODHOURS","features":[489]},{"name":"wszPERIODMINUTES","features":[489]},{"name":"wszPERIODMONTHS","features":[489]},{"name":"wszPERIODSECONDS","features":[489]},{"name":"wszPERIODWEEKS","features":[489]},{"name":"wszPERIODYEARS","features":[489]},{"name":"wszPFXFILENAMEEXT","features":[489]},{"name":"wszPROPATTESTATIONCHALLENGE","features":[489]},{"name":"wszPROPATTRIBNAME","features":[489]},{"name":"wszPROPATTRIBREQUESTID","features":[489]},{"name":"wszPROPATTRIBVALUE","features":[489]},{"name":"wszPROPCALLERNAME","features":[489]},{"name":"wszPROPCATYPE","features":[489]},{"name":"wszPROPCERTCLIENTMACHINE","features":[489]},{"name":"wszPROPCERTCOUNT","features":[489]},{"name":"wszPROPCERTIFICATEENROLLMENTFLAGS","features":[489]},{"name":"wszPROPCERTIFICATEGENERALFLAGS","features":[489]},{"name":"wszPROPCERTIFICATEHASH","features":[489]},{"name":"wszPROPCERTIFICATENOTAFTERDATE","features":[489]},{"name":"wszPROPCERTIFICATENOTBEFOREDATE","features":[489]},{"name":"wszPROPCERTIFICATEPRIVATEKEYFLAGS","features":[489]},{"name":"wszPROPCERTIFICATEPUBLICKEYALGORITHM","features":[489]},{"name":"wszPROPCERTIFICATEPUBLICKEYLENGTH","features":[489]},{"name":"wszPROPCERTIFICATERAWPUBLICKEY","features":[489]},{"name":"wszPROPCERTIFICATERAWPUBLICKEYALGORITHMPARAMETERS","features":[489]},{"name":"wszPROPCERTIFICATERAWSMIMECAPABILITIES","features":[489]},{"name":"wszPROPCERTIFICATEREQUESTID","features":[489]},{"name":"wszPROPCERTIFICATESERIALNUMBER","features":[489]},{"name":"wszPROPCERTIFICATESUBJECTKEYIDENTIFIER","features":[489]},{"name":"wszPROPCERTIFICATETEMPLATE","features":[489]},{"name":"wszPROPCERTIFICATETYPE","features":[489]},{"name":"wszPROPCERTIFICATEUPN","features":[489]},{"name":"wszPROPCERTSTATE","features":[489]},{"name":"wszPROPCERTSUFFIX","features":[489]},{"name":"wszPROPCERTTEMPLATE","features":[489]},{"name":"wszPROPCERTTYPE","features":[489]},{"name":"wszPROPCERTUSAGE","features":[489]},{"name":"wszPROPCHALLENGE","features":[489]},{"name":"wszPROPCLIENTBROWSERMACHINE","features":[489]},{"name":"wszPROPCLIENTDCDNS","features":[489]},{"name":"wszPROPCOMMONNAME","features":[489]},{"name":"wszPROPCONFIGDN","features":[489]},{"name":"wszPROPCOUNTRY","features":[489]},{"name":"wszPROPCRITICALTAG","features":[489]},{"name":"wszPROPCRLCOUNT","features":[489]},{"name":"wszPROPCRLEFFECTIVE","features":[489]},{"name":"wszPROPCRLINDEX","features":[489]},{"name":"wszPROPCRLLASTPUBLISHED","features":[489]},{"name":"wszPROPCRLMINBASE","features":[489]},{"name":"wszPROPCRLNAMEID","features":[489]},{"name":"wszPROPCRLNEXTPUBLISH","features":[489]},{"name":"wszPROPCRLNEXTUPDATE","features":[489]},{"name":"wszPROPCRLNUMBER","features":[489]},{"name":"wszPROPCRLPROPAGATIONCOMPLETE","features":[489]},{"name":"wszPROPCRLPUBLISHATTEMPTS","features":[489]},{"name":"wszPROPCRLPUBLISHERROR","features":[489]},{"name":"wszPROPCRLPUBLISHFLAGS","features":[489]},{"name":"wszPROPCRLPUBLISHSTATUSCODE","features":[489]},{"name":"wszPROPCRLRAWCRL","features":[489]},{"name":"wszPROPCRLROWID","features":[489]},{"name":"wszPROPCRLSTATE","features":[489]},{"name":"wszPROPCRLSUFFIX","features":[489]},{"name":"wszPROPCRLTHISPUBLISH","features":[489]},{"name":"wszPROPCRLTHISUPDATE","features":[489]},{"name":"wszPROPCROSSFOREST","features":[489]},{"name":"wszPROPDCNAME","features":[489]},{"name":"wszPROPDECIMALTAG","features":[489]},{"name":"wszPROPDELTACRLSDISABLED","features":[489]},{"name":"wszPROPDEVICESERIALNUMBER","features":[489]},{"name":"wszPROPDISPOSITION","features":[489]},{"name":"wszPROPDISPOSITIONDENY","features":[489]},{"name":"wszPROPDISPOSITIONPENDING","features":[489]},{"name":"wszPROPDISTINGUISHEDNAME","features":[489]},{"name":"wszPROPDN","features":[489]},{"name":"wszPROPDNS","features":[489]},{"name":"wszPROPDOMAINCOMPONENT","features":[489]},{"name":"wszPROPDOMAINDN","features":[489]},{"name":"wszPROPEMAIL","features":[489]},{"name":"wszPROPENDORSEMENTCERTIFICATEHASH","features":[489]},{"name":"wszPROPENDORSEMENTKEYHASH","features":[489]},{"name":"wszPROPEVENTLOGERROR","features":[489]},{"name":"wszPROPEVENTLOGEXHAUSTIVE","features":[489]},{"name":"wszPROPEVENTLOGTERSE","features":[489]},{"name":"wszPROPEVENTLOGVERBOSE","features":[489]},{"name":"wszPROPEVENTLOGWARNING","features":[489]},{"name":"wszPROPEXITCERTFILE","features":[489]},{"name":"wszPROPEXPECTEDCHALLENGE","features":[489]},{"name":"wszPROPEXPIRATIONDATE","features":[489]},{"name":"wszPROPEXTFLAGS","features":[489]},{"name":"wszPROPEXTNAME","features":[489]},{"name":"wszPROPEXTRAWVALUE","features":[489]},{"name":"wszPROPEXTREQUESTID","features":[489]},{"name":"wszPROPFILETAG","features":[489]},{"name":"wszPROPGIVENNAME","features":[489]},{"name":"wszPROPGUID","features":[489]},{"name":"wszPROPHEXTAG","features":[489]},{"name":"wszPROPINITIALS","features":[489]},{"name":"wszPROPIPADDRESS","features":[489]},{"name":"wszPROPKEYARCHIVED","features":[489]},{"name":"wszPROPLOCALITY","features":[489]},{"name":"wszPROPLOGLEVEL","features":[489]},{"name":"wszPROPMACHINEDNSNAME","features":[489]},{"name":"wszPROPMODULEREGLOC","features":[489]},{"name":"wszPROPNAMETYPE","features":[489]},{"name":"wszPROPOCTETTAG","features":[489]},{"name":"wszPROPOFFICER","features":[489]},{"name":"wszPROPOID","features":[489]},{"name":"wszPROPORGANIZATION","features":[489]},{"name":"wszPROPORGUNIT","features":[489]},{"name":"wszPROPPUBLISHEXPIREDCERTINCRL","features":[489]},{"name":"wszPROPRAWCACERTIFICATE","features":[489]},{"name":"wszPROPRAWCERTIFICATE","features":[489]},{"name":"wszPROPRAWCRL","features":[489]},{"name":"wszPROPRAWDELTACRL","features":[489]},{"name":"wszPROPRAWNAME","features":[489]},{"name":"wszPROPRAWPRECERTIFICATE","features":[489]},{"name":"wszPROPREQUESTARCHIVEDKEY","features":[489]},{"name":"wszPROPREQUESTATTRIBUTES","features":[489]},{"name":"wszPROPREQUESTCSPPROVIDER","features":[489]},{"name":"wszPROPREQUESTDISPOSITION","features":[489]},{"name":"wszPROPREQUESTDISPOSITIONMESSAGE","features":[489]},{"name":"wszPROPREQUESTDOT","features":[489]},{"name":"wszPROPREQUESTERCAACCESS","features":[489]},{"name":"wszPROPREQUESTERDN","features":[489]},{"name":"wszPROPREQUESTERNAME","features":[489]},{"name":"wszPROPREQUESTERNAMEFROMOLDCERTIFICATE","features":[489]},{"name":"wszPROPREQUESTERSAMNAME","features":[489]},{"name":"wszPROPREQUESTERUPN","features":[489]},{"name":"wszPROPREQUESTFLAGS","features":[489]},{"name":"wszPROPREQUESTKEYRECOVERYHASHES","features":[489]},{"name":"wszPROPREQUESTMACHINEDNS","features":[489]},{"name":"wszPROPREQUESTOSVERSION","features":[489]},{"name":"wszPROPREQUESTRAWARCHIVEDKEY","features":[489]},{"name":"wszPROPREQUESTRAWOLDCERTIFICATE","features":[489]},{"name":"wszPROPREQUESTRAWREQUEST","features":[489]},{"name":"wszPROPREQUESTREQUESTID","features":[489]},{"name":"wszPROPREQUESTRESOLVEDWHEN","features":[489]},{"name":"wszPROPREQUESTREVOKEDEFFECTIVEWHEN","features":[489]},{"name":"wszPROPREQUESTREVOKEDREASON","features":[489]},{"name":"wszPROPREQUESTREVOKEDWHEN","features":[489]},{"name":"wszPROPREQUESTSTATUSCODE","features":[489]},{"name":"wszPROPREQUESTSUBMITTEDWHEN","features":[489]},{"name":"wszPROPREQUESTTYPE","features":[489]},{"name":"wszPROPSANITIZEDCANAME","features":[489]},{"name":"wszPROPSANITIZEDSHORTNAME","features":[489]},{"name":"wszPROPSEAUDITFILTER","features":[489]},{"name":"wszPROPSEAUDITID","features":[489]},{"name":"wszPROPSERVERUPGRADED","features":[489]},{"name":"wszPROPSESSIONCOUNT","features":[489]},{"name":"wszPROPSIGNERAPPLICATIONPOLICIES","features":[489]},{"name":"wszPROPSIGNERPOLICIES","features":[489]},{"name":"wszPROPSTATE","features":[489]},{"name":"wszPROPSTREETADDRESS","features":[489]},{"name":"wszPROPSUBJECTALTNAME2","features":[489]},{"name":"wszPROPSUBJECTDOT","features":[489]},{"name":"wszPROPSURNAME","features":[489]},{"name":"wszPROPTEMPLATECHANGESEQUENCENUMBER","features":[489]},{"name":"wszPROPTEXTTAG","features":[489]},{"name":"wszPROPTITLE","features":[489]},{"name":"wszPROPUNSTRUCTUREDADDRESS","features":[489]},{"name":"wszPROPUNSTRUCTUREDNAME","features":[489]},{"name":"wszPROPUPN","features":[489]},{"name":"wszPROPURL","features":[489]},{"name":"wszPROPUSEDS","features":[489]},{"name":"wszPROPUSERDN","features":[489]},{"name":"wszPROPUTF8TAG","features":[489]},{"name":"wszPROPVALIDITYPERIODCOUNT","features":[489]},{"name":"wszPROPVALIDITYPERIODSTRING","features":[489]},{"name":"wszPROPVOLATILEMODE","features":[489]},{"name":"wszREGACTIVE","features":[489]},{"name":"wszREGAELOGLEVEL_OLD","features":[489]},{"name":"wszREGAIKCLOUDCAURL","features":[489]},{"name":"wszREGAIKKEYALGORITHM","features":[489]},{"name":"wszREGAIKKEYLENGTH","features":[489]},{"name":"wszREGALLPROVIDERS","features":[489]},{"name":"wszREGALTERNATEPUBLISHDOMAINS","features":[489]},{"name":"wszREGALTERNATESIGNATUREALGORITHM","features":[489]},{"name":"wszREGAUDITFILTER","features":[489]},{"name":"wszREGB2ICERTMANAGEMODULE","features":[489]},{"name":"wszREGBACKUPLOGDIRECTORY","features":[489]},{"name":"wszREGCACERTFILENAME","features":[489]},{"name":"wszREGCACERTHASH","features":[489]},{"name":"wszREGCACERTPUBLICATIONURLS","features":[489]},{"name":"wszREGCADESCRIPTION","features":[489]},{"name":"wszREGCAPATHLENGTH","features":[489]},{"name":"wszREGCASECURITY","features":[489]},{"name":"wszREGCASERIALNUMBER","features":[489]},{"name":"wszREGCASERVERNAME","features":[489]},{"name":"wszREGCATYPE","features":[489]},{"name":"wszREGCAUSEDS","features":[489]},{"name":"wszREGCAXCHGCERTHASH","features":[489]},{"name":"wszREGCAXCHGOVERLAPPERIODCOUNT","features":[489]},{"name":"wszREGCAXCHGOVERLAPPERIODSTRING","features":[489]},{"name":"wszREGCAXCHGVALIDITYPERIODCOUNT","features":[489]},{"name":"wszREGCAXCHGVALIDITYPERIODSTRING","features":[489]},{"name":"wszREGCERTENROLLCOMPATIBLE","features":[489]},{"name":"wszREGCERTIFICATETRANSPARENCYINFOOID","features":[489]},{"name":"wszREGCERTPUBLISHFLAGS","features":[489]},{"name":"wszREGCERTSRVDEBUG","features":[489]},{"name":"wszREGCHECKPOINTFILE","features":[489]},{"name":"wszREGCLOCKSKEWMINUTES","features":[489]},{"name":"wszREGCOMMONNAME","features":[489]},{"name":"wszREGCRLATTEMPTREPUBLISH","features":[489]},{"name":"wszREGCRLDELTANEXTPUBLISH","features":[489]},{"name":"wszREGCRLDELTAOVERLAPPERIODCOUNT","features":[489]},{"name":"wszREGCRLDELTAOVERLAPPERIODSTRING","features":[489]},{"name":"wszREGCRLDELTAPERIODCOUNT","features":[489]},{"name":"wszREGCRLDELTAPERIODSTRING","features":[489]},{"name":"wszREGCRLEDITFLAGS","features":[489]},{"name":"wszREGCRLFLAGS","features":[489]},{"name":"wszREGCRLNEXTPUBLISH","features":[489]},{"name":"wszREGCRLOVERLAPPERIODCOUNT","features":[489]},{"name":"wszREGCRLOVERLAPPERIODSTRING","features":[489]},{"name":"wszREGCRLPATH_OLD","features":[489]},{"name":"wszREGCRLPERIODCOUNT","features":[489]},{"name":"wszREGCRLPERIODSTRING","features":[489]},{"name":"wszREGCRLPUBLICATIONURLS","features":[489]},{"name":"wszREGDATABASERECOVERED","features":[489]},{"name":"wszREGDBDIRECTORY","features":[489]},{"name":"wszREGDBFLAGS","features":[489]},{"name":"wszREGDBLASTFULLBACKUP","features":[489]},{"name":"wszREGDBLASTINCREMENTALBACKUP","features":[489]},{"name":"wszREGDBLASTRECOVERY","features":[489]},{"name":"wszREGDBLOGDIRECTORY","features":[489]},{"name":"wszREGDBMAXREADSESSIONCOUNT","features":[489]},{"name":"wszREGDBSESSIONCOUNT","features":[489]},{"name":"wszREGDBSYSDIRECTORY","features":[489]},{"name":"wszREGDBTEMPDIRECTORY","features":[489]},{"name":"wszREGDEFAULTSMIME","features":[489]},{"name":"wszREGDIRECTORY","features":[489]},{"name":"wszREGDISABLEEXTENSIONLIST","features":[489]},{"name":"wszREGDSCONFIGDN","features":[489]},{"name":"wszREGDSDOMAINDN","features":[489]},{"name":"wszREGEDITFLAGS","features":[489]},{"name":"wszREGEKPUBLISTDIRECTORIES","features":[489]},{"name":"wszREGEKUOIDSFORPUBLISHEXPIREDCERTINCRL","features":[489]},{"name":"wszREGEKUOIDSFORVOLATILEREQUESTS","features":[489]},{"name":"wszREGENABLED","features":[489]},{"name":"wszREGENABLEDEKUFORDEFINEDCACERT","features":[489]},{"name":"wszREGENABLEENROLLEEREQUESTEXTENSIONLIST","features":[489]},{"name":"wszREGENABLEREQUESTEXTENSIONLIST","features":[489]},{"name":"wszREGENFORCEX500NAMELENGTHS","features":[489]},{"name":"wszREGENROLLFLAGS","features":[489]},{"name":"wszREGEXITBODYARG","features":[489]},{"name":"wszREGEXITBODYFORMAT","features":[489]},{"name":"wszREGEXITCRLISSUEDKEY","features":[489]},{"name":"wszREGEXITDENIEDKEY","features":[489]},{"name":"wszREGEXITIMPORTEDKEY","features":[489]},{"name":"wszREGEXITISSUEDKEY","features":[489]},{"name":"wszREGEXITPENDINGKEY","features":[489]},{"name":"wszREGEXITPROPNOTFOUND","features":[489]},{"name":"wszREGEXITREVOKEDKEY","features":[489]},{"name":"wszREGEXITSHUTDOWNKEY","features":[489]},{"name":"wszREGEXITSMTPAUTHENTICATE","features":[489]},{"name":"wszREGEXITSMTPCC","features":[489]},{"name":"wszREGEXITSMTPEVENTFILTER","features":[489]},{"name":"wszREGEXITSMTPFROM","features":[489]},{"name":"wszREGEXITSMTPKEY","features":[489]},{"name":"wszREGEXITSMTPSERVER","features":[489]},{"name":"wszREGEXITSMTPTEMPLATES","features":[489]},{"name":"wszREGEXITSMTPTO","features":[489]},{"name":"wszREGEXITSTARTUPKEY","features":[489]},{"name":"wszREGEXITTITLEARG","features":[489]},{"name":"wszREGEXITTITLEFORMAT","features":[489]},{"name":"wszREGFILEISSUERCERTURL_OLD","features":[489]},{"name":"wszREGFILEREVOCATIONCRLURL_OLD","features":[489]},{"name":"wszREGFORCETELETEX","features":[489]},{"name":"wszREGFTPISSUERCERTURL_OLD","features":[489]},{"name":"wszREGFTPREVOCATIONCRLURL_OLD","features":[489]},{"name":"wszREGHIGHLOGNUMBER","features":[489]},{"name":"wszREGHIGHSERIAL","features":[489]},{"name":"wszREGINTERFACEFLAGS","features":[489]},{"name":"wszREGISSUERCERTURLFLAGS","features":[489]},{"name":"wszREGISSUERCERTURL_OLD","features":[489]},{"name":"wszREGKEYBASE","features":[489]},{"name":"wszREGKEYCERTSVCPATH","features":[489]},{"name":"wszREGKEYCONFIG","features":[489]},{"name":"wszREGKEYCSP","features":[489]},{"name":"wszREGKEYDBPARAMETERS","features":[489]},{"name":"wszREGKEYENCRYPTIONCSP","features":[489]},{"name":"wszREGKEYENROLLMENT","features":[489]},{"name":"wszREGKEYEXITMODULES","features":[489]},{"name":"wszREGKEYGROUPPOLICYENROLLMENT","features":[489]},{"name":"wszREGKEYNOSYSTEMCERTSVCPATH","features":[489]},{"name":"wszREGKEYPOLICYMODULES","features":[489]},{"name":"wszREGKEYREPAIR","features":[489]},{"name":"wszREGKEYRESTOREINPROGRESS","features":[489]},{"name":"wszREGKEYSIZE","features":[489]},{"name":"wszREGKRACERTCOUNT","features":[489]},{"name":"wszREGKRACERTHASH","features":[489]},{"name":"wszREGKRAFLAGS","features":[489]},{"name":"wszREGLDAPFLAGS","features":[489]},{"name":"wszREGLDAPISSUERCERTURL_OLD","features":[489]},{"name":"wszREGLDAPREVOCATIONCRLURL_OLD","features":[489]},{"name":"wszREGLDAPREVOCATIONDNTEMPLATE_OLD","features":[489]},{"name":"wszREGLDAPREVOCATIONDN_OLD","features":[489]},{"name":"wszREGLDAPSESSIONOPTIONS","features":[489]},{"name":"wszREGLOGLEVEL","features":[489]},{"name":"wszREGLOGPATH","features":[489]},{"name":"wszREGLOWLOGNUMBER","features":[489]},{"name":"wszREGMAXINCOMINGALLOCSIZE","features":[489]},{"name":"wszREGMAXINCOMINGMESSAGESIZE","features":[489]},{"name":"wszREGMAXPENDINGREQUESTDAYS","features":[489]},{"name":"wszREGMAXSCTLISTSIZE","features":[489]},{"name":"wszREGNAMESEPARATOR","features":[489]},{"name":"wszREGNETSCAPECERTTYPE","features":[489]},{"name":"wszREGOFFICERRIGHTS","features":[489]},{"name":"wszREGPARENTCAMACHINE","features":[489]},{"name":"wszREGPARENTCANAME","features":[489]},{"name":"wszREGPOLICYFLAGS","features":[489]},{"name":"wszREGPRESERVESCEPDUMMYCERTS","features":[489]},{"name":"wszREGPROCESSINGFLAGS","features":[489]},{"name":"wszREGPROVIDER","features":[489]},{"name":"wszREGPROVIDERTYPE","features":[489]},{"name":"wszREGREQUESTDISPOSITION","features":[489]},{"name":"wszREGREQUESTFILENAME","features":[489]},{"name":"wszREGREQUESTID","features":[489]},{"name":"wszREGREQUESTKEYCONTAINER","features":[489]},{"name":"wszREGREQUESTKEYINDEX","features":[489]},{"name":"wszREGRESTOREMAP","features":[489]},{"name":"wszREGRESTOREMAPCOUNT","features":[489]},{"name":"wszREGRESTORESTATUS","features":[489]},{"name":"wszREGREVOCATIONCRLURL_OLD","features":[489]},{"name":"wszREGREVOCATIONTYPE","features":[489]},{"name":"wszREGREVOCATIONURL","features":[489]},{"name":"wszREGROLESEPARATIONENABLED","features":[489]},{"name":"wszREGSETUPSTATUS","features":[489]},{"name":"wszREGSP4DEFAULTCONFIGURATION","features":[489]},{"name":"wszREGSP4KEYSETNAME","features":[489]},{"name":"wszREGSP4NAMES","features":[489]},{"name":"wszREGSP4QUERIES","features":[489]},{"name":"wszREGSP4SUBJECTNAMESEPARATOR","features":[489]},{"name":"wszREGSUBJECTALTNAME","features":[489]},{"name":"wszREGSUBJECTALTNAME2","features":[489]},{"name":"wszREGSUBJECTTEMPLATE","features":[489]},{"name":"wszREGSYMMETRICKEYSIZE","features":[489]},{"name":"wszREGUNICODE","features":[489]},{"name":"wszREGUPNMAP","features":[489]},{"name":"wszREGUSEDEFINEDCACERTINREQ","features":[489]},{"name":"wszREGVALIDITYPERIODCOUNT","features":[489]},{"name":"wszREGVALIDITYPERIODSTRING","features":[489]},{"name":"wszREGVERIFYFLAGS","features":[489]},{"name":"wszREGVERSION","features":[489]},{"name":"wszREGVIEWAGEMINUTES","features":[489]},{"name":"wszREGVIEWIDLEMINUTES","features":[489]},{"name":"wszREGWEBCLIENTCAMACHINE","features":[489]},{"name":"wszREGWEBCLIENTCANAME","features":[489]},{"name":"wszREGWEBCLIENTCATYPE","features":[489]},{"name":"wszSECUREDATTRIBUTES","features":[489]},{"name":"wszSERVICE_NAME","features":[489]},{"name":"wszzDEFAULTSIGNEDATTRIBUTES","features":[489]}],"490":[{"name":"CryptSIPAddProvider","features":[308,488]},{"name":"CryptSIPCreateIndirectData","features":[308,487,488]},{"name":"CryptSIPGetCaps","features":[308,487,488]},{"name":"CryptSIPGetSealedDigest","features":[308,487,488]},{"name":"CryptSIPGetSignedDataMsg","features":[308,487,488]},{"name":"CryptSIPLoad","features":[308,487,488]},{"name":"CryptSIPPutSignedDataMsg","features":[308,487,488]},{"name":"CryptSIPRemoveProvider","features":[308,488]},{"name":"CryptSIPRemoveSignedDataMsg","features":[308,487,488]},{"name":"CryptSIPRetrieveSubjectGuid","features":[308,488]},{"name":"CryptSIPRetrieveSubjectGuidForCatalogFile","features":[308,488]},{"name":"CryptSIPVerifyIndirectData","features":[308,487,488]},{"name":"MSSIP_ADDINFO_BLOB","features":[488]},{"name":"MSSIP_ADDINFO_CATMEMBER","features":[488]},{"name":"MSSIP_ADDINFO_FLAT","features":[488]},{"name":"MSSIP_ADDINFO_NONE","features":[488]},{"name":"MSSIP_ADDINFO_NONMSSIP","features":[488]},{"name":"MSSIP_FLAGS_MULTI_HASH","features":[488]},{"name":"MSSIP_FLAGS_PROHIBIT_RESIZE_ON_CREATE","features":[488]},{"name":"MSSIP_FLAGS_USE_CATALOG","features":[488]},{"name":"MS_ADDINFO_BLOB","features":[488]},{"name":"MS_ADDINFO_FLAT","features":[488]},{"name":"SIP_ADD_NEWPROVIDER","features":[488]},{"name":"SIP_CAP_FLAG_SEALING","features":[488]},{"name":"SIP_CAP_SET_CUR_VER","features":[488]},{"name":"SIP_CAP_SET_V2","features":[308,488]},{"name":"SIP_CAP_SET_V3","features":[308,488]},{"name":"SIP_CAP_SET_VERSION_2","features":[488]},{"name":"SIP_CAP_SET_VERSION_3","features":[488]},{"name":"SIP_DISPATCH_INFO","features":[308,487,488]},{"name":"SIP_INDIRECT_DATA","features":[488]},{"name":"SIP_MAX_MAGIC_NUMBER","features":[488]},{"name":"SIP_SUBJECTINFO","features":[308,487,488]},{"name":"SPC_MARKER_CHECK_CURRENTLY_SUPPORTED_FLAGS","features":[488]},{"name":"SPC_MARKER_CHECK_SKIP_SIP_INDIRECT_DATA_FLAG","features":[488]},{"name":"SPC_RELAXED_PE_MARKER_CHECK","features":[488]},{"name":"pCryptSIPCreateIndirectData","features":[308,487,488]},{"name":"pCryptSIPGetCaps","features":[308,487,488]},{"name":"pCryptSIPGetSealedDigest","features":[308,487,488]},{"name":"pCryptSIPGetSignedDataMsg","features":[308,487,488]},{"name":"pCryptSIPPutSignedDataMsg","features":[308,487,488]},{"name":"pCryptSIPRemoveSignedDataMsg","features":[308,487,488]},{"name":"pCryptSIPVerifyIndirectData","features":[308,487,488]},{"name":"pfnIsFileSupported","features":[308,488]},{"name":"pfnIsFileSupportedName","features":[308,488]}],"491":[{"name":"ACTION_REVOCATION_DEFAULT_CACHE","features":[490]},{"name":"ACTION_REVOCATION_DEFAULT_ONLINE","features":[490]},{"name":"CERTVIEW_CRYPTUI_LPARAM","features":[490]},{"name":"CERT_CERTIFICATE_ACTION_VERIFY","features":[490]},{"name":"CERT_CREDENTIAL_PROVIDER_ID","features":[490]},{"name":"CERT_DISPWELL_DISTRUST_ADD_CA_CERT","features":[490]},{"name":"CERT_DISPWELL_DISTRUST_ADD_LEAF_CERT","features":[490]},{"name":"CERT_DISPWELL_DISTRUST_CA_CERT","features":[490]},{"name":"CERT_DISPWELL_DISTRUST_LEAF_CERT","features":[490]},{"name":"CERT_DISPWELL_SELECT","features":[490]},{"name":"CERT_DISPWELL_TRUST_ADD_CA_CERT","features":[490]},{"name":"CERT_DISPWELL_TRUST_ADD_LEAF_CERT","features":[490]},{"name":"CERT_DISPWELL_TRUST_CA_CERT","features":[490]},{"name":"CERT_DISPWELL_TRUST_LEAF_CERT","features":[490]},{"name":"CERT_FILTER_DATA","features":[490]},{"name":"CERT_FILTER_EXTENSION_MATCH","features":[490]},{"name":"CERT_FILTER_INCLUDE_V1_CERTS","features":[490]},{"name":"CERT_FILTER_ISSUER_CERTS_ONLY","features":[490]},{"name":"CERT_FILTER_KEY_EXISTS","features":[490]},{"name":"CERT_FILTER_LEAF_CERTS_ONLY","features":[490]},{"name":"CERT_FILTER_OP_EQUALITY","features":[490]},{"name":"CERT_FILTER_OP_EXISTS","features":[490]},{"name":"CERT_FILTER_OP_NOT_EXISTS","features":[490]},{"name":"CERT_FILTER_VALID_SIGNATURE","features":[490]},{"name":"CERT_FILTER_VALID_TIME_RANGE","features":[490]},{"name":"CERT_SELECTUI_INPUT","features":[308,490]},{"name":"CERT_SELECT_STRUCT_A","features":[308,490]},{"name":"CERT_SELECT_STRUCT_FLAGS","features":[490]},{"name":"CERT_SELECT_STRUCT_W","features":[308,490]},{"name":"CERT_TRUST_DO_FULL_SEARCH","features":[490]},{"name":"CERT_TRUST_DO_FULL_TRUST","features":[490]},{"name":"CERT_TRUST_MASK","features":[490]},{"name":"CERT_TRUST_PERMIT_MISSING_CRLS","features":[490]},{"name":"CERT_VALIDITY_AFTER_END","features":[490]},{"name":"CERT_VALIDITY_BEFORE_START","features":[490]},{"name":"CERT_VALIDITY_CERTIFICATE_REVOKED","features":[490]},{"name":"CERT_VALIDITY_CRL_OUT_OF_DATE","features":[490]},{"name":"CERT_VALIDITY_EXPLICITLY_DISTRUSTED","features":[490]},{"name":"CERT_VALIDITY_EXTENDED_USAGE_FAILURE","features":[490]},{"name":"CERT_VALIDITY_ISSUER_DISTRUST","features":[490]},{"name":"CERT_VALIDITY_ISSUER_INVALID","features":[490]},{"name":"CERT_VALIDITY_KEY_USAGE_EXT_FAILURE","features":[490]},{"name":"CERT_VALIDITY_MASK_TRUST","features":[490]},{"name":"CERT_VALIDITY_MASK_VALIDITY","features":[490]},{"name":"CERT_VALIDITY_NAME_CONSTRAINTS_FAILURE","features":[490]},{"name":"CERT_VALIDITY_NO_CRL_FOUND","features":[490]},{"name":"CERT_VALIDITY_NO_ISSUER_CERT_FOUND","features":[490]},{"name":"CERT_VALIDITY_NO_TRUST_DATA","features":[490]},{"name":"CERT_VALIDITY_OTHER_ERROR","features":[490]},{"name":"CERT_VALIDITY_OTHER_EXTENSION_FAILURE","features":[490]},{"name":"CERT_VALIDITY_PERIOD_NESTING_FAILURE","features":[490]},{"name":"CERT_VALIDITY_SIGNATURE_FAILS","features":[490]},{"name":"CERT_VALIDITY_UNKNOWN_CRITICAL_EXTENSION","features":[490]},{"name":"CERT_VERIFY_CERTIFICATE_TRUST","features":[308,490]},{"name":"CERT_VIEWPROPERTIES_STRUCT_A","features":[308,319,490,358,370]},{"name":"CERT_VIEWPROPERTIES_STRUCT_FLAGS","features":[490]},{"name":"CERT_VIEWPROPERTIES_STRUCT_W","features":[308,319,490,358,370]},{"name":"CM_ADD_CERT_STORES","features":[490]},{"name":"CM_ENABLEHOOK","features":[490]},{"name":"CM_ENABLETEMPLATE","features":[490]},{"name":"CM_HIDE_ADVANCEPAGE","features":[490]},{"name":"CM_HIDE_DETAILPAGE","features":[490]},{"name":"CM_HIDE_TRUSTPAGE","features":[490]},{"name":"CM_NO_EDITTRUST","features":[490]},{"name":"CM_NO_NAMECHANGE","features":[490]},{"name":"CM_SHOW_HELP","features":[490]},{"name":"CM_SHOW_HELPICON","features":[490]},{"name":"CM_VIEWFLAGS_MASK","features":[490]},{"name":"CRYPTDLG_ACTION_MASK","features":[490]},{"name":"CRYPTDLG_CACHE_ONLY_URL_RETRIEVAL","features":[490]},{"name":"CRYPTDLG_DISABLE_AIA","features":[490]},{"name":"CRYPTDLG_POLICY_MASK","features":[490]},{"name":"CRYPTDLG_REVOCATION_CACHE","features":[490]},{"name":"CRYPTDLG_REVOCATION_DEFAULT","features":[490]},{"name":"CRYPTDLG_REVOCATION_NONE","features":[490]},{"name":"CRYPTDLG_REVOCATION_ONLINE","features":[490]},{"name":"CRYPTUI_ACCEPT_DECLINE_STYLE","features":[490]},{"name":"CRYPTUI_CACHE_ONLY_URL_RETRIEVAL","features":[490]},{"name":"CRYPTUI_CERT_MGR_PUBLISHER_TAB","features":[490]},{"name":"CRYPTUI_CERT_MGR_SINGLE_TAB_FLAG","features":[490]},{"name":"CRYPTUI_CERT_MGR_STRUCT","features":[308,490]},{"name":"CRYPTUI_CERT_MGR_TAB_MASK","features":[490]},{"name":"CRYPTUI_DISABLE_ADDTOSTORE","features":[490]},{"name":"CRYPTUI_DISABLE_EDITPROPERTIES","features":[490]},{"name":"CRYPTUI_DISABLE_EXPORT","features":[490]},{"name":"CRYPTUI_DISABLE_HTMLLINK","features":[490]},{"name":"CRYPTUI_DISABLE_ISSUERSTATEMENT","features":[490]},{"name":"CRYPTUI_DONT_OPEN_STORES","features":[490]},{"name":"CRYPTUI_ENABLE_ADDTOSTORE","features":[490]},{"name":"CRYPTUI_ENABLE_EDITPROPERTIES","features":[490]},{"name":"CRYPTUI_ENABLE_REVOCATION_CHECKING","features":[490]},{"name":"CRYPTUI_ENABLE_REVOCATION_CHECK_CHAIN","features":[490]},{"name":"CRYPTUI_ENABLE_REVOCATION_CHECK_CHAIN_EXCLUDE_ROOT","features":[490]},{"name":"CRYPTUI_ENABLE_REVOCATION_CHECK_END_CERT","features":[490]},{"name":"CRYPTUI_HIDE_DETAILPAGE","features":[490]},{"name":"CRYPTUI_HIDE_HIERARCHYPAGE","features":[490]},{"name":"CRYPTUI_IGNORE_UNTRUSTED_ROOT","features":[490]},{"name":"CRYPTUI_INITDIALOG_STRUCT","features":[308,490]},{"name":"CRYPTUI_ONLY_OPEN_ROOT_STORE","features":[490]},{"name":"CRYPTUI_SELECT_EXPIRATION_COLUMN","features":[490]},{"name":"CRYPTUI_SELECT_FRIENDLYNAME_COLUMN","features":[490]},{"name":"CRYPTUI_SELECT_INTENDEDUSE_COLUMN","features":[490]},{"name":"CRYPTUI_SELECT_ISSUEDBY_COLUMN","features":[490]},{"name":"CRYPTUI_SELECT_ISSUEDTO_COLUMN","features":[490]},{"name":"CRYPTUI_SELECT_LOCATION_COLUMN","features":[490]},{"name":"CRYPTUI_VIEWCERTIFICATE_FLAGS","features":[490]},{"name":"CRYPTUI_VIEWCERTIFICATE_STRUCTA","features":[308,319,487,488,490,491,358,370]},{"name":"CRYPTUI_VIEWCERTIFICATE_STRUCTW","features":[308,319,487,488,490,491,358,370]},{"name":"CRYPTUI_WARN_REMOTE_TRUST","features":[490]},{"name":"CRYPTUI_WARN_UNTRUSTED_ROOT","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_ADDITIONAL_CERT_CHOICE","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_ADD_CHAIN","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_ADD_CHAIN_NO_ROOT","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_ADD_NONE","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_BLOB_INFO","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_CERT","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_CERT_PVK_INFO","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_COMMERCIAL","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_CONTEXT","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_EXCLUDE_PAGE_HASHES","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_EXTENDED_INFO","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_INCLUDE_PAGE_HASHES","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_INDIVIDUAL","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_INFO","features":[308,490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_NONE","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_PVK","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_PVK_FILE","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_PVK_FILE_INFO","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_PVK_OPTION","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_PVK_PROV","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_SIG_TYPE","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_STORE","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_STORE_INFO","features":[308,490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_SUBJECT","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_SUBJECT_BLOB","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_SUBJECT_FILE","features":[490]},{"name":"CRYPTUI_WIZ_DIGITAL_SIGN_SUBJECT_NONE","features":[490]},{"name":"CRYPTUI_WIZ_EXPORT_CERTCONTEXT_INFO","features":[308,490]},{"name":"CRYPTUI_WIZ_EXPORT_CERT_CONTEXT","features":[490]},{"name":"CRYPTUI_WIZ_EXPORT_CERT_STORE","features":[490]},{"name":"CRYPTUI_WIZ_EXPORT_CERT_STORE_CERTIFICATES_ONLY","features":[490]},{"name":"CRYPTUI_WIZ_EXPORT_CRL_CONTEXT","features":[490]},{"name":"CRYPTUI_WIZ_EXPORT_CTL_CONTEXT","features":[490]},{"name":"CRYPTUI_WIZ_EXPORT_FORMAT","features":[490]},{"name":"CRYPTUI_WIZ_EXPORT_FORMAT_BASE64","features":[490]},{"name":"CRYPTUI_WIZ_EXPORT_FORMAT_CRL","features":[490]},{"name":"CRYPTUI_WIZ_EXPORT_FORMAT_CTL","features":[490]},{"name":"CRYPTUI_WIZ_EXPORT_FORMAT_DER","features":[490]},{"name":"CRYPTUI_WIZ_EXPORT_FORMAT_PFX","features":[490]},{"name":"CRYPTUI_WIZ_EXPORT_FORMAT_PKCS7","features":[490]},{"name":"CRYPTUI_WIZ_EXPORT_FORMAT_SERIALIZED_CERT_STORE","features":[490]},{"name":"CRYPTUI_WIZ_EXPORT_INFO","features":[308,490]},{"name":"CRYPTUI_WIZ_EXPORT_NO_DELETE_PRIVATE_KEY","features":[490]},{"name":"CRYPTUI_WIZ_EXPORT_PRIVATE_KEY","features":[490]},{"name":"CRYPTUI_WIZ_EXPORT_SUBJECT","features":[490]},{"name":"CRYPTUI_WIZ_FLAGS","features":[490]},{"name":"CRYPTUI_WIZ_IGNORE_NO_UI_FLAG_FOR_CSPS","features":[490]},{"name":"CRYPTUI_WIZ_IMPORT_ALLOW_CERT","features":[490]},{"name":"CRYPTUI_WIZ_IMPORT_ALLOW_CRL","features":[490]},{"name":"CRYPTUI_WIZ_IMPORT_ALLOW_CTL","features":[490]},{"name":"CRYPTUI_WIZ_IMPORT_NO_CHANGE_DEST_STORE","features":[490]},{"name":"CRYPTUI_WIZ_IMPORT_REMOTE_DEST_STORE","features":[490]},{"name":"CRYPTUI_WIZ_IMPORT_SRC_INFO","features":[308,490]},{"name":"CRYPTUI_WIZ_IMPORT_SUBJECT_CERT_CONTEXT","features":[490]},{"name":"CRYPTUI_WIZ_IMPORT_SUBJECT_CERT_STORE","features":[490]},{"name":"CRYPTUI_WIZ_IMPORT_SUBJECT_CRL_CONTEXT","features":[490]},{"name":"CRYPTUI_WIZ_IMPORT_SUBJECT_CTL_CONTEXT","features":[490]},{"name":"CRYPTUI_WIZ_IMPORT_SUBJECT_FILE","features":[490]},{"name":"CRYPTUI_WIZ_IMPORT_SUBJECT_OPTION","features":[490]},{"name":"CRYPTUI_WIZ_IMPORT_TO_CURRENTUSER","features":[490]},{"name":"CRYPTUI_WIZ_IMPORT_TO_LOCALMACHINE","features":[490]},{"name":"CRYPTUI_WIZ_NO_UI","features":[490]},{"name":"CRYPTUI_WIZ_NO_UI_EXCEPT_CSP","features":[490]},{"name":"CRYTPDLG_FLAGS_MASK","features":[490]},{"name":"CSS_ALLOWMULTISELECT","features":[490]},{"name":"CSS_ENABLEHOOK","features":[490]},{"name":"CSS_ENABLETEMPLATE","features":[490]},{"name":"CSS_ENABLETEMPLATEHANDLE","features":[490]},{"name":"CSS_HIDE_PROPERTIES","features":[490]},{"name":"CSS_SELECTCERT_MASK","features":[490]},{"name":"CSS_SHOW_HELP","features":[490]},{"name":"CTL_MODIFY_REQUEST","features":[308,490]},{"name":"CTL_MODIFY_REQUEST_ADD_NOT_TRUSTED","features":[490]},{"name":"CTL_MODIFY_REQUEST_ADD_TRUSTED","features":[490]},{"name":"CTL_MODIFY_REQUEST_OPERATION","features":[490]},{"name":"CTL_MODIFY_REQUEST_REMOVE","features":[490]},{"name":"CertSelectionGetSerializedBlob","features":[308,490]},{"name":"CryptUIDlgCertMgr","features":[308,490]},{"name":"CryptUIDlgSelectCertificateFromStore","features":[308,490]},{"name":"CryptUIDlgViewCertificateA","features":[308,319,487,488,490,491,358,370]},{"name":"CryptUIDlgViewCertificateW","features":[308,319,487,488,490,491,358,370]},{"name":"CryptUIDlgViewContext","features":[308,490]},{"name":"CryptUIWizDigitalSign","features":[308,490]},{"name":"CryptUIWizExport","features":[308,490]},{"name":"CryptUIWizFreeDigitalSignContext","features":[308,490]},{"name":"CryptUIWizImport","features":[308,490]},{"name":"PFNCFILTERPROC","features":[308,490]},{"name":"PFNCMFILTERPROC","features":[308,490]},{"name":"PFNCMHOOKPROC","features":[308,490]},{"name":"PFNTRUSTHELPER","features":[308,490]},{"name":"POLICY_IGNORE_NON_CRITICAL_BC","features":[490]},{"name":"SELCERT_ALGORITHM","features":[490]},{"name":"SELCERT_CERTLIST","features":[490]},{"name":"SELCERT_FINEPRINT","features":[490]},{"name":"SELCERT_ISSUED_TO","features":[490]},{"name":"SELCERT_PROPERTIES","features":[490]},{"name":"SELCERT_SERIAL_NUM","features":[490]},{"name":"SELCERT_THUMBPRINT","features":[490]},{"name":"SELCERT_VALIDITY","features":[490]},{"name":"szCERT_CERTIFICATE_ACTION_VERIFY","features":[490]}],"492":[{"name":"AllUserData","features":[492]},{"name":"CurrentUserData","features":[492]},{"name":"DIAGNOSTIC_DATA_EVENT_BINARY_STATS","features":[492]},{"name":"DIAGNOSTIC_DATA_EVENT_CATEGORY_DESCRIPTION","features":[492]},{"name":"DIAGNOSTIC_DATA_EVENT_PRODUCER_DESCRIPTION","features":[492]},{"name":"DIAGNOSTIC_DATA_EVENT_TAG_DESCRIPTION","features":[492]},{"name":"DIAGNOSTIC_DATA_EVENT_TAG_STATS","features":[492]},{"name":"DIAGNOSTIC_DATA_EVENT_TRANSCRIPT_CONFIGURATION","features":[492]},{"name":"DIAGNOSTIC_DATA_GENERAL_STATS","features":[492]},{"name":"DIAGNOSTIC_DATA_RECORD","features":[308,492]},{"name":"DIAGNOSTIC_DATA_SEARCH_CRITERIA","features":[308,492]},{"name":"DIAGNOSTIC_REPORT_DATA","features":[308,492]},{"name":"DIAGNOSTIC_REPORT_PARAMETER","features":[492]},{"name":"DIAGNOSTIC_REPORT_SIGNATURE","features":[492]},{"name":"DdqAccessLevel","features":[492]},{"name":"DdqCancelDiagnosticRecordOperation","features":[492]},{"name":"DdqCloseSession","features":[492]},{"name":"DdqCreateSession","features":[492]},{"name":"DdqExtractDiagnosticReport","features":[492]},{"name":"DdqFreeDiagnosticRecordLocaleTags","features":[492]},{"name":"DdqFreeDiagnosticRecordPage","features":[492]},{"name":"DdqFreeDiagnosticRecordProducerCategories","features":[492]},{"name":"DdqFreeDiagnosticRecordProducers","features":[492]},{"name":"DdqFreeDiagnosticReport","features":[492]},{"name":"DdqGetDiagnosticDataAccessLevelAllowed","features":[492]},{"name":"DdqGetDiagnosticRecordAtIndex","features":[308,492]},{"name":"DdqGetDiagnosticRecordBinaryDistribution","features":[492]},{"name":"DdqGetDiagnosticRecordCategoryAtIndex","features":[492]},{"name":"DdqGetDiagnosticRecordCategoryCount","features":[492]},{"name":"DdqGetDiagnosticRecordCount","features":[492]},{"name":"DdqGetDiagnosticRecordLocaleTagAtIndex","features":[492]},{"name":"DdqGetDiagnosticRecordLocaleTagCount","features":[492]},{"name":"DdqGetDiagnosticRecordLocaleTags","features":[492]},{"name":"DdqGetDiagnosticRecordPage","features":[308,492]},{"name":"DdqGetDiagnosticRecordPayload","features":[492]},{"name":"DdqGetDiagnosticRecordProducerAtIndex","features":[492]},{"name":"DdqGetDiagnosticRecordProducerCategories","features":[492]},{"name":"DdqGetDiagnosticRecordProducerCount","features":[492]},{"name":"DdqGetDiagnosticRecordProducers","features":[492]},{"name":"DdqGetDiagnosticRecordStats","features":[308,492]},{"name":"DdqGetDiagnosticRecordSummary","features":[492]},{"name":"DdqGetDiagnosticRecordTagDistribution","features":[492]},{"name":"DdqGetDiagnosticReport","features":[492]},{"name":"DdqGetDiagnosticReportAtIndex","features":[308,492]},{"name":"DdqGetDiagnosticReportCount","features":[492]},{"name":"DdqGetDiagnosticReportStoreReportCount","features":[492]},{"name":"DdqGetSessionAccessLevel","features":[492]},{"name":"DdqGetTranscriptConfiguration","features":[492]},{"name":"DdqIsDiagnosticRecordSampledIn","features":[308,492]},{"name":"DdqSetTranscriptConfiguration","features":[492]},{"name":"NoData","features":[492]}],"493":[{"name":"DSCreateISecurityInfoObject","features":[308,485,493]},{"name":"DSCreateISecurityInfoObjectEx","features":[308,485,493]},{"name":"DSCreateSecurityPage","features":[308,493,358]},{"name":"DSEditSecurity","features":[308,493]},{"name":"DSSI_IS_ROOT","features":[493]},{"name":"DSSI_NO_ACCESS_CHECK","features":[493]},{"name":"DSSI_NO_EDIT_OWNER","features":[493]},{"name":"DSSI_NO_EDIT_SACL","features":[493]},{"name":"DSSI_NO_FILTER","features":[493]},{"name":"DSSI_NO_READONLY_MESSAGE","features":[493]},{"name":"DSSI_READ_ONLY","features":[493]},{"name":"PFNDSCREATEISECINFO","features":[308,485,493]},{"name":"PFNDSCREATEISECINFOEX","features":[308,485,493]},{"name":"PFNDSCREATESECPAGE","features":[308,493,358]},{"name":"PFNDSEDITSECURITY","features":[308,493]},{"name":"PFNREADOBJECTSECURITY","features":[308,493]},{"name":"PFNWRITEOBJECTSECURITY","features":[308,493]}],"494":[{"name":"ENTERPRISE_DATA_POLICIES","features":[494]},{"name":"ENTERPRISE_POLICY_ALLOWED","features":[494]},{"name":"ENTERPRISE_POLICY_ENLIGHTENED","features":[494]},{"name":"ENTERPRISE_POLICY_EXEMPT","features":[494]},{"name":"ENTERPRISE_POLICY_NONE","features":[494]},{"name":"FILE_UNPROTECT_OPTIONS","features":[494]},{"name":"HTHREAD_NETWORK_CONTEXT","features":[308,494]},{"name":"IProtectionPolicyManagerInterop","features":[494]},{"name":"IProtectionPolicyManagerInterop2","features":[494]},{"name":"IProtectionPolicyManagerInterop3","features":[494]},{"name":"ProtectFileToEnterpriseIdentity","features":[494]},{"name":"SRPHOSTING_TYPE","features":[494]},{"name":"SRPHOSTING_TYPE_NONE","features":[494]},{"name":"SRPHOSTING_TYPE_WINHTTP","features":[494]},{"name":"SRPHOSTING_TYPE_WININET","features":[494]},{"name":"SRPHOSTING_VERSION","features":[494]},{"name":"SRPHOSTING_VERSION1","features":[494]},{"name":"SrpCloseThreadNetworkContext","features":[308,494]},{"name":"SrpCreateThreadNetworkContext","features":[308,494]},{"name":"SrpDisablePermissiveModeFileEncryption","features":[494]},{"name":"SrpDoesPolicyAllowAppExecution","features":[308,494,495]},{"name":"SrpEnablePermissiveModeFileEncryption","features":[494]},{"name":"SrpGetEnterpriseIds","features":[308,494]},{"name":"SrpGetEnterprisePolicy","features":[308,494]},{"name":"SrpHostingInitialize","features":[494]},{"name":"SrpHostingTerminate","features":[494]},{"name":"SrpIsTokenService","features":[308,494]},{"name":"SrpSetTokenEnterpriseId","features":[308,494]},{"name":"UnprotectFile","features":[494]}],"495":[{"name":"CERTIFICATE_HASH_LENGTH","features":[462]},{"name":"EAPACTION_Authenticate","features":[462]},{"name":"EAPACTION_Done","features":[462]},{"name":"EAPACTION_IndicateIdentity","features":[462]},{"name":"EAPACTION_IndicateTLV","features":[462]},{"name":"EAPACTION_NoAction","features":[462]},{"name":"EAPACTION_Send","features":[462]},{"name":"EAPACTION_SendAndDone","features":[462]},{"name":"EAPACTION_SendWithTimeout","features":[462]},{"name":"EAPACTION_SendWithTimeoutInteractive","features":[462]},{"name":"EAPCODE_Failure","features":[462]},{"name":"EAPCODE_Request","features":[462]},{"name":"EAPCODE_Response","features":[462]},{"name":"EAPCODE_Success","features":[462]},{"name":"EAPHOST_AUTH_INFO","features":[462]},{"name":"EAPHOST_AUTH_STATUS","features":[462]},{"name":"EAPHOST_IDENTITY_UI_PARAMS","features":[462]},{"name":"EAPHOST_INTERACTIVE_UI_PARAMS","features":[462]},{"name":"EAPHOST_METHOD_API_VERSION","features":[462]},{"name":"EAPHOST_PEER_API_VERSION","features":[462]},{"name":"EAP_ATTRIBUTE","features":[462]},{"name":"EAP_ATTRIBUTES","features":[462]},{"name":"EAP_ATTRIBUTE_TYPE","features":[462]},{"name":"EAP_AUTHENTICATOR_METHOD_ROUTINES","features":[462]},{"name":"EAP_AUTHENTICATOR_SEND_TIMEOUT","features":[462]},{"name":"EAP_AUTHENTICATOR_SEND_TIMEOUT_BASIC","features":[462]},{"name":"EAP_AUTHENTICATOR_SEND_TIMEOUT_INTERACTIVE","features":[462]},{"name":"EAP_AUTHENTICATOR_SEND_TIMEOUT_NONE","features":[462]},{"name":"EAP_AUTHENTICATOR_VALUENAME_CONFIGUI","features":[462]},{"name":"EAP_AUTHENTICATOR_VALUENAME_DLL_PATH","features":[462]},{"name":"EAP_AUTHENTICATOR_VALUENAME_FRIENDLY_NAME","features":[462]},{"name":"EAP_AUTHENTICATOR_VALUENAME_PROPERTIES","features":[462]},{"name":"EAP_CERTIFICATE_CREDENTIAL","features":[462]},{"name":"EAP_CONFIG_INPUT_FIELD_ARRAY","features":[462]},{"name":"EAP_CONFIG_INPUT_FIELD_DATA","features":[462]},{"name":"EAP_CONFIG_INPUT_FIELD_PROPS_DEFAULT","features":[462]},{"name":"EAP_CONFIG_INPUT_FIELD_PROPS_NON_DISPLAYABLE","features":[462]},{"name":"EAP_CONFIG_INPUT_FIELD_PROPS_NON_PERSIST","features":[462]},{"name":"EAP_CONFIG_INPUT_FIELD_TYPE","features":[462]},{"name":"EAP_CREDENTIAL_VERSION","features":[462]},{"name":"EAP_CRED_EXPIRY_REQ","features":[462]},{"name":"EAP_EMPTY_CREDENTIAL","features":[462]},{"name":"EAP_ERROR","features":[462]},{"name":"EAP_E_AUTHENTICATION_FAILED","features":[462]},{"name":"EAP_E_CERT_STORE_INACCESSIBLE","features":[462]},{"name":"EAP_E_EAPHOST_EAPQEC_INACCESSIBLE","features":[462]},{"name":"EAP_E_EAPHOST_FIRST","features":[462]},{"name":"EAP_E_EAPHOST_IDENTITY_UNKNOWN","features":[462]},{"name":"EAP_E_EAPHOST_LAST","features":[462]},{"name":"EAP_E_EAPHOST_METHOD_INVALID_PACKET","features":[462]},{"name":"EAP_E_EAPHOST_METHOD_NOT_INSTALLED","features":[462]},{"name":"EAP_E_EAPHOST_METHOD_OPERATION_NOT_SUPPORTED","features":[462]},{"name":"EAP_E_EAPHOST_REMOTE_INVALID_PACKET","features":[462]},{"name":"EAP_E_EAPHOST_THIRDPARTY_METHOD_HOST_RESET","features":[462]},{"name":"EAP_E_EAPHOST_XML_MALFORMED","features":[462]},{"name":"EAP_E_METHOD_CONFIG_DOES_NOT_SUPPORT_SSO","features":[462]},{"name":"EAP_E_NO_SMART_CARD_READER","features":[462]},{"name":"EAP_E_SERVER_CERT_EXPIRED","features":[462]},{"name":"EAP_E_SERVER_CERT_INVALID","features":[462]},{"name":"EAP_E_SERVER_CERT_NOT_FOUND","features":[462]},{"name":"EAP_E_SERVER_CERT_OTHER_ERROR","features":[462]},{"name":"EAP_E_SERVER_CERT_REVOKED","features":[462]},{"name":"EAP_E_SERVER_FIRST","features":[462]},{"name":"EAP_E_SERVER_LAST","features":[462]},{"name":"EAP_E_SERVER_ROOT_CERT_FIRST","features":[462]},{"name":"EAP_E_SERVER_ROOT_CERT_INVALID","features":[462]},{"name":"EAP_E_SERVER_ROOT_CERT_LAST","features":[462]},{"name":"EAP_E_SERVER_ROOT_CERT_NAME_REQUIRED","features":[462]},{"name":"EAP_E_SERVER_ROOT_CERT_NOT_FOUND","features":[462]},{"name":"EAP_E_SIM_NOT_VALID","features":[462]},{"name":"EAP_E_USER_CERT_EXPIRED","features":[462]},{"name":"EAP_E_USER_CERT_INVALID","features":[462]},{"name":"EAP_E_USER_CERT_NOT_FOUND","features":[462]},{"name":"EAP_E_USER_CERT_OTHER_ERROR","features":[462]},{"name":"EAP_E_USER_CERT_REJECTED","features":[462]},{"name":"EAP_E_USER_CERT_REVOKED","features":[462]},{"name":"EAP_E_USER_CREDENTIALS_REJECTED","features":[462]},{"name":"EAP_E_USER_FIRST","features":[462]},{"name":"EAP_E_USER_LAST","features":[462]},{"name":"EAP_E_USER_NAME_PASSWORD_REJECTED","features":[462]},{"name":"EAP_E_USER_ROOT_CERT_EXPIRED","features":[462]},{"name":"EAP_E_USER_ROOT_CERT_FIRST","features":[462]},{"name":"EAP_E_USER_ROOT_CERT_INVALID","features":[462]},{"name":"EAP_E_USER_ROOT_CERT_LAST","features":[462]},{"name":"EAP_E_USER_ROOT_CERT_NOT_FOUND","features":[462]},{"name":"EAP_FLAG_CONFG_READONLY","features":[462]},{"name":"EAP_FLAG_FULL_AUTH","features":[462]},{"name":"EAP_FLAG_GUEST_ACCESS","features":[462]},{"name":"EAP_FLAG_LOGON","features":[462]},{"name":"EAP_FLAG_MACHINE_AUTH","features":[462]},{"name":"EAP_FLAG_NON_INTERACTIVE","features":[462]},{"name":"EAP_FLAG_ONLY_EAP_TLS","features":[462]},{"name":"EAP_FLAG_PREFER_ALT_CREDENTIALS","features":[462]},{"name":"EAP_FLAG_PREVIEW","features":[462]},{"name":"EAP_FLAG_PRE_LOGON","features":[462]},{"name":"EAP_FLAG_RESUME_FROM_HIBERNATE","features":[462]},{"name":"EAP_FLAG_Reserved1","features":[462]},{"name":"EAP_FLAG_Reserved2","features":[462]},{"name":"EAP_FLAG_Reserved3","features":[462]},{"name":"EAP_FLAG_Reserved4","features":[462]},{"name":"EAP_FLAG_Reserved5","features":[462]},{"name":"EAP_FLAG_Reserved6","features":[462]},{"name":"EAP_FLAG_Reserved7","features":[462]},{"name":"EAP_FLAG_Reserved8","features":[462]},{"name":"EAP_FLAG_Reserved9","features":[462]},{"name":"EAP_FLAG_SERVER_VALIDATION_REQUIRED","features":[462]},{"name":"EAP_FLAG_SUPRESS_UI","features":[462]},{"name":"EAP_FLAG_USER_AUTH","features":[462]},{"name":"EAP_FLAG_VPN","features":[462]},{"name":"EAP_GROUP_MASK","features":[462]},{"name":"EAP_INTERACTIVE_UI_DATA","features":[462]},{"name":"EAP_INTERACTIVE_UI_DATA_TYPE","features":[462]},{"name":"EAP_INTERACTIVE_UI_DATA_VERSION","features":[462]},{"name":"EAP_INVALID_PACKET","features":[462]},{"name":"EAP_I_EAPHOST_EAP_NEGOTIATION_FAILED","features":[462]},{"name":"EAP_I_EAPHOST_FIRST","features":[462]},{"name":"EAP_I_EAPHOST_LAST","features":[462]},{"name":"EAP_I_USER_ACCOUNT_OTHER_ERROR","features":[462]},{"name":"EAP_I_USER_FIRST","features":[462]},{"name":"EAP_I_USER_LAST","features":[462]},{"name":"EAP_METHOD_AUTHENTICATOR_CONFIG_IS_IDENTITY_PRIVACY","features":[462]},{"name":"EAP_METHOD_AUTHENTICATOR_RESPONSE_ACTION","features":[462]},{"name":"EAP_METHOD_AUTHENTICATOR_RESPONSE_AUTHENTICATE","features":[462]},{"name":"EAP_METHOD_AUTHENTICATOR_RESPONSE_DISCARD","features":[462]},{"name":"EAP_METHOD_AUTHENTICATOR_RESPONSE_HANDLE_IDENTITY","features":[462]},{"name":"EAP_METHOD_AUTHENTICATOR_RESPONSE_RESPOND","features":[462]},{"name":"EAP_METHOD_AUTHENTICATOR_RESPONSE_RESULT","features":[462]},{"name":"EAP_METHOD_AUTHENTICATOR_RESPONSE_SEND","features":[462]},{"name":"EAP_METHOD_AUTHENTICATOR_RESULT","features":[308,462]},{"name":"EAP_METHOD_INFO","features":[462]},{"name":"EAP_METHOD_INFO_ARRAY","features":[462]},{"name":"EAP_METHOD_INFO_ARRAY_EX","features":[462]},{"name":"EAP_METHOD_INFO_EX","features":[462]},{"name":"EAP_METHOD_INVALID_PACKET","features":[462]},{"name":"EAP_METHOD_PROPERTY","features":[308,462]},{"name":"EAP_METHOD_PROPERTY_ARRAY","features":[308,462]},{"name":"EAP_METHOD_PROPERTY_TYPE","features":[462]},{"name":"EAP_METHOD_PROPERTY_VALUE","features":[308,462]},{"name":"EAP_METHOD_PROPERTY_VALUE_BOOL","features":[308,462]},{"name":"EAP_METHOD_PROPERTY_VALUE_DWORD","features":[462]},{"name":"EAP_METHOD_PROPERTY_VALUE_STRING","features":[462]},{"name":"EAP_METHOD_PROPERTY_VALUE_TYPE","features":[462]},{"name":"EAP_METHOD_TYPE","features":[462]},{"name":"EAP_PEER_FLAG_GUEST_ACCESS","features":[462]},{"name":"EAP_PEER_FLAG_HEALTH_STATE_CHANGE","features":[462]},{"name":"EAP_PEER_METHOD_ROUTINES","features":[462]},{"name":"EAP_PEER_VALUENAME_CONFIGUI","features":[462]},{"name":"EAP_PEER_VALUENAME_DLL_PATH","features":[462]},{"name":"EAP_PEER_VALUENAME_FRIENDLY_NAME","features":[462]},{"name":"EAP_PEER_VALUENAME_IDENTITY","features":[462]},{"name":"EAP_PEER_VALUENAME_INTERACTIVEUI","features":[462]},{"name":"EAP_PEER_VALUENAME_INVOKE_NAMEDLG","features":[462]},{"name":"EAP_PEER_VALUENAME_INVOKE_PWDDLG","features":[462]},{"name":"EAP_PEER_VALUENAME_PROPERTIES","features":[462]},{"name":"EAP_PEER_VALUENAME_REQUIRE_CONFIGUI","features":[462]},{"name":"EAP_REGISTRY_LOCATION","features":[462]},{"name":"EAP_SIM_CREDENTIAL","features":[462]},{"name":"EAP_TYPE","features":[462]},{"name":"EAP_UI_DATA_FORMAT","features":[462]},{"name":"EAP_UI_INPUT_FIELD_PROPS_DEFAULT","features":[462]},{"name":"EAP_UI_INPUT_FIELD_PROPS_NON_DISPLAYABLE","features":[462]},{"name":"EAP_UI_INPUT_FIELD_PROPS_NON_PERSIST","features":[462]},{"name":"EAP_UI_INPUT_FIELD_PROPS_READ_ONLY","features":[462]},{"name":"EAP_USERNAME_PASSWORD_CREDENTIAL","features":[462]},{"name":"EAP_VALUENAME_PROPERTIES","features":[462]},{"name":"EAP_WINLOGON_CREDENTIAL","features":[462]},{"name":"EapCertificateCredential","features":[462]},{"name":"EapCode","features":[462]},{"name":"EapCodeFailure","features":[462]},{"name":"EapCodeMaximum","features":[462]},{"name":"EapCodeMinimum","features":[462]},{"name":"EapCodeRequest","features":[462]},{"name":"EapCodeResponse","features":[462]},{"name":"EapCodeSuccess","features":[462]},{"name":"EapConfigInputEdit","features":[462]},{"name":"EapConfigInputNetworkPassword","features":[462]},{"name":"EapConfigInputNetworkUsername","features":[462]},{"name":"EapConfigInputPSK","features":[462]},{"name":"EapConfigInputPassword","features":[462]},{"name":"EapConfigInputPin","features":[462]},{"name":"EapConfigInputUsername","features":[462]},{"name":"EapConfigSmartCardError","features":[462]},{"name":"EapConfigSmartCardUsername","features":[462]},{"name":"EapCredExpiryReq","features":[462]},{"name":"EapCredExpiryResp","features":[462]},{"name":"EapCredLogonReq","features":[462]},{"name":"EapCredLogonResp","features":[462]},{"name":"EapCredReq","features":[462]},{"name":"EapCredResp","features":[462]},{"name":"EapCredential","features":[462]},{"name":"EapCredentialType","features":[462]},{"name":"EapCredentialTypeData","features":[462]},{"name":"EapHostAuthFailed","features":[462]},{"name":"EapHostAuthIdentityExchange","features":[462]},{"name":"EapHostAuthInProgress","features":[462]},{"name":"EapHostAuthNegotiatingType","features":[462]},{"name":"EapHostAuthNotStarted","features":[462]},{"name":"EapHostAuthSucceeded","features":[462]},{"name":"EapHostInvalidSession","features":[462]},{"name":"EapHostNapInfo","features":[462]},{"name":"EapHostPeerAuthParams","features":[462]},{"name":"EapHostPeerAuthStatus","features":[462]},{"name":"EapHostPeerBeginSession","features":[308,462]},{"name":"EapHostPeerClearConnection","features":[462]},{"name":"EapHostPeerConfigBlob2Xml","features":[361,462,359]},{"name":"EapHostPeerConfigXml2Blob","features":[361,462,359]},{"name":"EapHostPeerCredentialsXml2Blob","features":[361,462,359]},{"name":"EapHostPeerEndSession","features":[462]},{"name":"EapHostPeerFreeEapError","features":[462]},{"name":"EapHostPeerFreeErrorMemory","features":[462]},{"name":"EapHostPeerFreeMemory","features":[462]},{"name":"EapHostPeerFreeRuntimeMemory","features":[462]},{"name":"EapHostPeerGetAuthStatus","features":[462]},{"name":"EapHostPeerGetDataToUnplumbCredentials","features":[308,462]},{"name":"EapHostPeerGetEncryptedPassword","features":[462]},{"name":"EapHostPeerGetIdentity","features":[308,462]},{"name":"EapHostPeerGetMethodProperties","features":[308,462]},{"name":"EapHostPeerGetMethods","features":[462]},{"name":"EapHostPeerGetResponseAttributes","features":[462]},{"name":"EapHostPeerGetResult","features":[308,462]},{"name":"EapHostPeerGetSendPacket","features":[462]},{"name":"EapHostPeerGetUIContext","features":[462]},{"name":"EapHostPeerIdentity","features":[462]},{"name":"EapHostPeerIdentityExtendedInfo","features":[462]},{"name":"EapHostPeerInitialize","features":[462]},{"name":"EapHostPeerInvokeConfigUI","features":[308,462]},{"name":"EapHostPeerInvokeIdentityUI","features":[308,462]},{"name":"EapHostPeerInvokeInteractiveUI","features":[308,462]},{"name":"EapHostPeerMethodResult","features":[308,462]},{"name":"EapHostPeerMethodResultAltSuccessReceived","features":[462]},{"name":"EapHostPeerMethodResultFromMethod","features":[462]},{"name":"EapHostPeerMethodResultReason","features":[462]},{"name":"EapHostPeerMethodResultTimeout","features":[462]},{"name":"EapHostPeerProcessReceivedPacket","features":[462]},{"name":"EapHostPeerQueryCredentialInputFields","features":[308,462]},{"name":"EapHostPeerQueryInteractiveUIInputFields","features":[462]},{"name":"EapHostPeerQueryUIBlobFromInteractiveUIInputFields","features":[462]},{"name":"EapHostPeerQueryUserBlobFromCredentialInputFields","features":[308,462]},{"name":"EapHostPeerResponseAction","features":[462]},{"name":"EapHostPeerResponseDiscard","features":[462]},{"name":"EapHostPeerResponseInvokeUi","features":[462]},{"name":"EapHostPeerResponseNone","features":[462]},{"name":"EapHostPeerResponseRespond","features":[462]},{"name":"EapHostPeerResponseResult","features":[462]},{"name":"EapHostPeerResponseSend","features":[462]},{"name":"EapHostPeerResponseStartAuthentication","features":[462]},{"name":"EapHostPeerSetResponseAttributes","features":[462]},{"name":"EapHostPeerSetUIContext","features":[462]},{"name":"EapHostPeerUninitialize","features":[462]},{"name":"EapPacket","features":[462]},{"name":"EapPeerMethodOutput","features":[308,462]},{"name":"EapPeerMethodResponseAction","features":[462]},{"name":"EapPeerMethodResponseActionDiscard","features":[462]},{"name":"EapPeerMethodResponseActionInvokeUI","features":[462]},{"name":"EapPeerMethodResponseActionNone","features":[462]},{"name":"EapPeerMethodResponseActionRespond","features":[462]},{"name":"EapPeerMethodResponseActionResult","features":[462]},{"name":"EapPeerMethodResponseActionSend","features":[462]},{"name":"EapPeerMethodResult","features":[308,392,462]},{"name":"EapPeerMethodResultFailure","features":[462]},{"name":"EapPeerMethodResultReason","features":[462]},{"name":"EapPeerMethodResultSuccess","features":[462]},{"name":"EapPeerMethodResultUnknown","features":[462]},{"name":"EapSimCredential","features":[462]},{"name":"EapUsernamePasswordCredential","features":[462]},{"name":"FACILITY_EAP_MESSAGE","features":[462]},{"name":"GUID_EapHost_Cause_CertStoreInaccessible","features":[462]},{"name":"GUID_EapHost_Cause_EapNegotiationFailed","features":[462]},{"name":"GUID_EapHost_Cause_EapQecInaccessible","features":[462]},{"name":"GUID_EapHost_Cause_Generic_AuthFailure","features":[462]},{"name":"GUID_EapHost_Cause_IdentityUnknown","features":[462]},{"name":"GUID_EapHost_Cause_MethodDLLNotFound","features":[462]},{"name":"GUID_EapHost_Cause_MethodDoesNotSupportOperation","features":[462]},{"name":"GUID_EapHost_Cause_Method_Config_Does_Not_Support_Sso","features":[462]},{"name":"GUID_EapHost_Cause_No_SmartCardReader_Found","features":[462]},{"name":"GUID_EapHost_Cause_Server_CertExpired","features":[462]},{"name":"GUID_EapHost_Cause_Server_CertInvalid","features":[462]},{"name":"GUID_EapHost_Cause_Server_CertNotFound","features":[462]},{"name":"GUID_EapHost_Cause_Server_CertOtherError","features":[462]},{"name":"GUID_EapHost_Cause_Server_CertRevoked","features":[462]},{"name":"GUID_EapHost_Cause_Server_Root_CertNameRequired","features":[462]},{"name":"GUID_EapHost_Cause_Server_Root_CertNotFound","features":[462]},{"name":"GUID_EapHost_Cause_SimNotValid","features":[462]},{"name":"GUID_EapHost_Cause_ThirdPartyMethod_Host_Reset","features":[462]},{"name":"GUID_EapHost_Cause_User_Account_OtherProblem","features":[462]},{"name":"GUID_EapHost_Cause_User_CertExpired","features":[462]},{"name":"GUID_EapHost_Cause_User_CertInvalid","features":[462]},{"name":"GUID_EapHost_Cause_User_CertNotFound","features":[462]},{"name":"GUID_EapHost_Cause_User_CertOtherError","features":[462]},{"name":"GUID_EapHost_Cause_User_CertRejected","features":[462]},{"name":"GUID_EapHost_Cause_User_CertRevoked","features":[462]},{"name":"GUID_EapHost_Cause_User_CredsRejected","features":[462]},{"name":"GUID_EapHost_Cause_User_Root_CertExpired","features":[462]},{"name":"GUID_EapHost_Cause_User_Root_CertInvalid","features":[462]},{"name":"GUID_EapHost_Cause_User_Root_CertNotFound","features":[462]},{"name":"GUID_EapHost_Cause_XmlMalformed","features":[462]},{"name":"GUID_EapHost_Default","features":[462]},{"name":"GUID_EapHost_Help_ObtainingCerts","features":[462]},{"name":"GUID_EapHost_Help_Troubleshooting","features":[462]},{"name":"GUID_EapHost_Repair_ContactAdmin_AuthFailure","features":[462]},{"name":"GUID_EapHost_Repair_ContactAdmin_CertNameAbsent","features":[462]},{"name":"GUID_EapHost_Repair_ContactAdmin_CertStoreInaccessible","features":[462]},{"name":"GUID_EapHost_Repair_ContactAdmin_IdentityUnknown","features":[462]},{"name":"GUID_EapHost_Repair_ContactAdmin_InvalidUserAccount","features":[462]},{"name":"GUID_EapHost_Repair_ContactAdmin_InvalidUserCert","features":[462]},{"name":"GUID_EapHost_Repair_ContactAdmin_MethodNotFound","features":[462]},{"name":"GUID_EapHost_Repair_ContactAdmin_NegotiationFailed","features":[462]},{"name":"GUID_EapHost_Repair_ContactAdmin_NoSmartCardReader","features":[462]},{"name":"GUID_EapHost_Repair_ContactAdmin_RootCertInvalid","features":[462]},{"name":"GUID_EapHost_Repair_ContactAdmin_RootCertNotFound","features":[462]},{"name":"GUID_EapHost_Repair_ContactAdmin_RootExpired","features":[462]},{"name":"GUID_EapHost_Repair_ContactSysadmin","features":[462]},{"name":"GUID_EapHost_Repair_Method_Not_Support_Sso","features":[462]},{"name":"GUID_EapHost_Repair_No_ValidSim_Found","features":[462]},{"name":"GUID_EapHost_Repair_RestartNap","features":[462]},{"name":"GUID_EapHost_Repair_Retry_Authentication","features":[462]},{"name":"GUID_EapHost_Repair_Server_ClientSelectServerCert","features":[462]},{"name":"GUID_EapHost_Repair_User_AuthFailure","features":[462]},{"name":"GUID_EapHost_Repair_User_GetNewCert","features":[462]},{"name":"GUID_EapHost_Repair_User_SelectValidCert","features":[462]},{"name":"IAccountingProviderConfig","features":[462]},{"name":"IAuthenticationProviderConfig","features":[462]},{"name":"IEAPProviderConfig","features":[462]},{"name":"IEAPProviderConfig2","features":[462]},{"name":"IEAPProviderConfig3","features":[462]},{"name":"IRouterProtocolConfig","features":[462]},{"name":"ISOLATION_STATE","features":[462]},{"name":"ISOLATION_STATE_IN_PROBATION","features":[462]},{"name":"ISOLATION_STATE_NOT_RESTRICTED","features":[462]},{"name":"ISOLATION_STATE_RESTRICTED_ACCESS","features":[462]},{"name":"ISOLATION_STATE_UNKNOWN","features":[462]},{"name":"LEGACY_IDENTITY_UI_PARAMS","features":[462]},{"name":"LEGACY_INTERACTIVE_UI_PARAMS","features":[462]},{"name":"MAXEAPCODE","features":[462]},{"name":"MAX_EAP_CONFIG_INPUT_FIELD_LENGTH","features":[462]},{"name":"MAX_EAP_CONFIG_INPUT_FIELD_VALUE_LENGTH","features":[462]},{"name":"NCRYPT_PIN_CACHE_PIN_BYTE_LENGTH","features":[462]},{"name":"NgcTicketContext","features":[308,392,462]},{"name":"NotificationHandler","features":[462]},{"name":"PPP_EAP_ACTION","features":[462]},{"name":"PPP_EAP_INFO","features":[462]},{"name":"PPP_EAP_INPUT","features":[308,462]},{"name":"PPP_EAP_OUTPUT","features":[308,392,462]},{"name":"PPP_EAP_PACKET","features":[462]},{"name":"RAS_AUTH_ATTRIBUTE","features":[462]},{"name":"RAS_AUTH_ATTRIBUTE_TYPE","features":[462]},{"name":"RAS_EAP_FLAG_8021X_AUTH","features":[462]},{"name":"RAS_EAP_FLAG_ALTERNATIVE_USER_DB","features":[462]},{"name":"RAS_EAP_FLAG_CONFG_READONLY","features":[462]},{"name":"RAS_EAP_FLAG_FIRST_LINK","features":[462]},{"name":"RAS_EAP_FLAG_GUEST_ACCESS","features":[462]},{"name":"RAS_EAP_FLAG_HOSTED_IN_PEAP","features":[462]},{"name":"RAS_EAP_FLAG_LOGON","features":[462]},{"name":"RAS_EAP_FLAG_MACHINE_AUTH","features":[462]},{"name":"RAS_EAP_FLAG_NON_INTERACTIVE","features":[462]},{"name":"RAS_EAP_FLAG_PEAP_FORCE_FULL_AUTH","features":[462]},{"name":"RAS_EAP_FLAG_PEAP_UPFRONT","features":[462]},{"name":"RAS_EAP_FLAG_PREVIEW","features":[462]},{"name":"RAS_EAP_FLAG_PRE_LOGON","features":[462]},{"name":"RAS_EAP_FLAG_RESERVED","features":[462]},{"name":"RAS_EAP_FLAG_RESUME_FROM_HIBERNATE","features":[462]},{"name":"RAS_EAP_FLAG_ROUTER","features":[462]},{"name":"RAS_EAP_FLAG_SAVE_CREDMAN","features":[462]},{"name":"RAS_EAP_FLAG_SERVER_VALIDATION_REQUIRED","features":[462]},{"name":"RAS_EAP_REGISTRY_LOCATION","features":[462]},{"name":"RAS_EAP_ROLE_AUTHENTICATEE","features":[462]},{"name":"RAS_EAP_ROLE_AUTHENTICATOR","features":[462]},{"name":"RAS_EAP_ROLE_EXCLUDE_IN_EAP","features":[462]},{"name":"RAS_EAP_ROLE_EXCLUDE_IN_PEAP","features":[462]},{"name":"RAS_EAP_ROLE_EXCLUDE_IN_VPN","features":[462]},{"name":"RAS_EAP_VALUENAME_CONFIGUI","features":[462]},{"name":"RAS_EAP_VALUENAME_CONFIG_CLSID","features":[462]},{"name":"RAS_EAP_VALUENAME_DEFAULT_DATA","features":[462]},{"name":"RAS_EAP_VALUENAME_ENCRYPTION","features":[462]},{"name":"RAS_EAP_VALUENAME_FILTER_INNERMETHODS","features":[462]},{"name":"RAS_EAP_VALUENAME_FRIENDLY_NAME","features":[462]},{"name":"RAS_EAP_VALUENAME_IDENTITY","features":[462]},{"name":"RAS_EAP_VALUENAME_INTERACTIVEUI","features":[462]},{"name":"RAS_EAP_VALUENAME_INVOKE_NAMEDLG","features":[462]},{"name":"RAS_EAP_VALUENAME_INVOKE_PWDDLG","features":[462]},{"name":"RAS_EAP_VALUENAME_ISTUNNEL_METHOD","features":[462]},{"name":"RAS_EAP_VALUENAME_PATH","features":[462]},{"name":"RAS_EAP_VALUENAME_PER_POLICY_CONFIG","features":[462]},{"name":"RAS_EAP_VALUENAME_REQUIRE_CONFIGUI","features":[462]},{"name":"RAS_EAP_VALUENAME_ROLES_SUPPORTED","features":[462]},{"name":"RAS_EAP_VALUENAME_STANDALONE_SUPPORTED","features":[462]},{"name":"eapPropCertifiedMethod","features":[462]},{"name":"eapPropChannelBinding","features":[462]},{"name":"eapPropCipherSuiteNegotiation","features":[462]},{"name":"eapPropConfidentiality","features":[462]},{"name":"eapPropCryptoBinding","features":[462]},{"name":"eapPropDictionaryAttackResistance","features":[462]},{"name":"eapPropFastReconnect","features":[462]},{"name":"eapPropFragmentation","features":[462]},{"name":"eapPropHiddenMethod","features":[462]},{"name":"eapPropIdentityPrivacy","features":[462]},{"name":"eapPropIntegrity","features":[462]},{"name":"eapPropKeyDerivation","features":[462]},{"name":"eapPropKeyStrength1024","features":[462]},{"name":"eapPropKeyStrength128","features":[462]},{"name":"eapPropKeyStrength256","features":[462]},{"name":"eapPropKeyStrength512","features":[462]},{"name":"eapPropKeyStrength64","features":[462]},{"name":"eapPropMachineAuth","features":[462]},{"name":"eapPropMethodChaining","features":[462]},{"name":"eapPropMppeEncryption","features":[462]},{"name":"eapPropMutualAuth","features":[462]},{"name":"eapPropNap","features":[462]},{"name":"eapPropReplayProtection","features":[462]},{"name":"eapPropReserved","features":[462]},{"name":"eapPropSessionIndependence","features":[462]},{"name":"eapPropSharedStateEquivalence","features":[462]},{"name":"eapPropStandalone","features":[462]},{"name":"eapPropSupportsConfig","features":[462]},{"name":"eapPropTunnelMethod","features":[462]},{"name":"eapPropUserAuth","features":[462]},{"name":"eatARAPChallengeResponse","features":[462]},{"name":"eatARAPFeatures","features":[462]},{"name":"eatARAPGuestLogon","features":[462]},{"name":"eatARAPPassword","features":[462]},{"name":"eatARAPSecurity","features":[462]},{"name":"eatARAPSecurityData","features":[462]},{"name":"eatARAPZoneAccess","features":[462]},{"name":"eatAcctAuthentic","features":[462]},{"name":"eatAcctDelayTime","features":[462]},{"name":"eatAcctEventTimeStamp","features":[462]},{"name":"eatAcctInputOctets","features":[462]},{"name":"eatAcctInputPackets","features":[462]},{"name":"eatAcctInterimInterval","features":[462]},{"name":"eatAcctLinkCount","features":[462]},{"name":"eatAcctMultiSessionId","features":[462]},{"name":"eatAcctOutputOctets","features":[462]},{"name":"eatAcctOutputPackets","features":[462]},{"name":"eatAcctSessionId","features":[462]},{"name":"eatAcctSessionTime","features":[462]},{"name":"eatAcctStatusType","features":[462]},{"name":"eatAcctTerminateCause","features":[462]},{"name":"eatCallbackId","features":[462]},{"name":"eatCallbackNumber","features":[462]},{"name":"eatCalledStationId","features":[462]},{"name":"eatCallingStationId","features":[462]},{"name":"eatCertificateOID","features":[462]},{"name":"eatCertificateThumbprint","features":[462]},{"name":"eatClass","features":[462]},{"name":"eatClearTextPassword","features":[462]},{"name":"eatConfigurationToken","features":[462]},{"name":"eatConnectInfo","features":[462]},{"name":"eatCredentialsChanged","features":[462]},{"name":"eatEAPConfiguration","features":[462]},{"name":"eatEAPMessage","features":[462]},{"name":"eatEAPTLV","features":[462]},{"name":"eatEMSK","features":[462]},{"name":"eatFastRoamedSession","features":[462]},{"name":"eatFilterId","features":[462]},{"name":"eatFramedAppleTalkLink","features":[462]},{"name":"eatFramedAppleTalkNetwork","features":[462]},{"name":"eatFramedAppleTalkZone","features":[462]},{"name":"eatFramedCompression","features":[462]},{"name":"eatFramedIPAddress","features":[462]},{"name":"eatFramedIPNetmask","features":[462]},{"name":"eatFramedIPXNetwork","features":[462]},{"name":"eatFramedIPv6Pool","features":[462]},{"name":"eatFramedIPv6Prefix","features":[462]},{"name":"eatFramedIPv6Route","features":[462]},{"name":"eatFramedInterfaceId","features":[462]},{"name":"eatFramedMTU","features":[462]},{"name":"eatFramedProtocol","features":[462]},{"name":"eatFramedRoute","features":[462]},{"name":"eatFramedRouting","features":[462]},{"name":"eatIdleTimeout","features":[462]},{"name":"eatInnerEapMethodType","features":[462]},{"name":"eatLoginIPHost","features":[462]},{"name":"eatLoginIPv6Host","features":[462]},{"name":"eatLoginLATGroup","features":[462]},{"name":"eatLoginLATNode","features":[462]},{"name":"eatLoginLATPort","features":[462]},{"name":"eatLoginLATService","features":[462]},{"name":"eatLoginService","features":[462]},{"name":"eatLoginTCPPort","features":[462]},{"name":"eatMD5CHAPChallenge","features":[462]},{"name":"eatMD5CHAPPassword","features":[462]},{"name":"eatMethodId","features":[462]},{"name":"eatMinimum","features":[462]},{"name":"eatNASIPAddress","features":[462]},{"name":"eatNASIPv6Address","features":[462]},{"name":"eatNASIdentifier","features":[462]},{"name":"eatNASPort","features":[462]},{"name":"eatNASPortType","features":[462]},{"name":"eatPEAPEmbeddedEAPTypeId","features":[462]},{"name":"eatPEAPFastRoamedSession","features":[462]},{"name":"eatPasswordRetry","features":[462]},{"name":"eatPeerId","features":[462]},{"name":"eatPortLimit","features":[462]},{"name":"eatPrompt","features":[462]},{"name":"eatProxyState","features":[462]},{"name":"eatQuarantineSoH","features":[462]},{"name":"eatReplyMessage","features":[462]},{"name":"eatReserved","features":[462]},{"name":"eatServerId","features":[462]},{"name":"eatServiceType","features":[462]},{"name":"eatSessionId","features":[462]},{"name":"eatSessionTimeout","features":[462]},{"name":"eatSignature","features":[462]},{"name":"eatState","features":[462]},{"name":"eatTerminationAction","features":[462]},{"name":"eatTunnelClientEndpoint","features":[462]},{"name":"eatTunnelMediumType","features":[462]},{"name":"eatTunnelServerEndpoint","features":[462]},{"name":"eatTunnelType","features":[462]},{"name":"eatUnassigned17","features":[462]},{"name":"eatUnassigned21","features":[462]},{"name":"eatUserName","features":[462]},{"name":"eatUserPassword","features":[462]},{"name":"eatVendorSpecific","features":[462]},{"name":"emptLegacyMethodPropertyFlag","features":[462]},{"name":"emptPropCertifiedMethod","features":[462]},{"name":"emptPropChannelBinding","features":[462]},{"name":"emptPropCipherSuiteNegotiation","features":[462]},{"name":"emptPropConfidentiality","features":[462]},{"name":"emptPropCryptoBinding","features":[462]},{"name":"emptPropDictionaryAttackResistance","features":[462]},{"name":"emptPropFastReconnect","features":[462]},{"name":"emptPropFragmentation","features":[462]},{"name":"emptPropHiddenMethod","features":[462]},{"name":"emptPropIdentityPrivacy","features":[462]},{"name":"emptPropIntegrity","features":[462]},{"name":"emptPropKeyDerivation","features":[462]},{"name":"emptPropKeyStrength1024","features":[462]},{"name":"emptPropKeyStrength128","features":[462]},{"name":"emptPropKeyStrength256","features":[462]},{"name":"emptPropKeyStrength512","features":[462]},{"name":"emptPropKeyStrength64","features":[462]},{"name":"emptPropMachineAuth","features":[462]},{"name":"emptPropMethodChaining","features":[462]},{"name":"emptPropMppeEncryption","features":[462]},{"name":"emptPropMutualAuth","features":[462]},{"name":"emptPropNap","features":[462]},{"name":"emptPropReplayProtection","features":[462]},{"name":"emptPropSessionIndependence","features":[462]},{"name":"emptPropSharedStateEquivalence","features":[462]},{"name":"emptPropStandalone","features":[462]},{"name":"emptPropSupportsConfig","features":[462]},{"name":"emptPropTunnelMethod","features":[462]},{"name":"emptPropUserAuth","features":[462]},{"name":"emptPropVendorSpecific","features":[462]},{"name":"empvtBool","features":[462]},{"name":"empvtDword","features":[462]},{"name":"empvtString","features":[462]},{"name":"raatARAPChallenge","features":[462]},{"name":"raatARAPChallengeResponse","features":[462]},{"name":"raatARAPFeatures","features":[462]},{"name":"raatARAPGuestLogon","features":[462]},{"name":"raatARAPNewPassword","features":[462]},{"name":"raatARAPOldPassword","features":[462]},{"name":"raatARAPPassword","features":[462]},{"name":"raatARAPPasswordChangeReason","features":[462]},{"name":"raatARAPSecurity","features":[462]},{"name":"raatARAPSecurityData","features":[462]},{"name":"raatARAPZoneAccess","features":[462]},{"name":"raatAcctAuthentic","features":[462]},{"name":"raatAcctDelayTime","features":[462]},{"name":"raatAcctEventTimeStamp","features":[462]},{"name":"raatAcctInputOctets","features":[462]},{"name":"raatAcctInputPackets","features":[462]},{"name":"raatAcctInterimInterval","features":[462]},{"name":"raatAcctLinkCount","features":[462]},{"name":"raatAcctMultiSessionId","features":[462]},{"name":"raatAcctOutputOctets","features":[462]},{"name":"raatAcctOutputPackets","features":[462]},{"name":"raatAcctSessionId","features":[462]},{"name":"raatAcctSessionTime","features":[462]},{"name":"raatAcctStatusType","features":[462]},{"name":"raatAcctTerminateCause","features":[462]},{"name":"raatCallbackId","features":[462]},{"name":"raatCallbackNumber","features":[462]},{"name":"raatCalledStationId","features":[462]},{"name":"raatCallingStationId","features":[462]},{"name":"raatCertificateOID","features":[462]},{"name":"raatCertificateThumbprint","features":[462]},{"name":"raatClass","features":[462]},{"name":"raatConfigurationToken","features":[462]},{"name":"raatConnectInfo","features":[462]},{"name":"raatCredentialsChanged","features":[462]},{"name":"raatEAPConfiguration","features":[462]},{"name":"raatEAPMessage","features":[462]},{"name":"raatEAPTLV","features":[462]},{"name":"raatEMSK","features":[462]},{"name":"raatFastRoamedSession","features":[462]},{"name":"raatFilterId","features":[462]},{"name":"raatFramedAppleTalkLink","features":[462]},{"name":"raatFramedAppleTalkNetwork","features":[462]},{"name":"raatFramedAppleTalkZone","features":[462]},{"name":"raatFramedCompression","features":[462]},{"name":"raatFramedIPAddress","features":[462]},{"name":"raatFramedIPNetmask","features":[462]},{"name":"raatFramedIPXNetwork","features":[462]},{"name":"raatFramedIPv6Pool","features":[462]},{"name":"raatFramedIPv6Prefix","features":[462]},{"name":"raatFramedIPv6Route","features":[462]},{"name":"raatFramedInterfaceId","features":[462]},{"name":"raatFramedMTU","features":[462]},{"name":"raatFramedProtocol","features":[462]},{"name":"raatFramedRoute","features":[462]},{"name":"raatFramedRouting","features":[462]},{"name":"raatIdleTimeout","features":[462]},{"name":"raatInnerEAPTypeId","features":[462]},{"name":"raatLoginIPHost","features":[462]},{"name":"raatLoginIPv6Host","features":[462]},{"name":"raatLoginLATGroup","features":[462]},{"name":"raatLoginLATNode","features":[462]},{"name":"raatLoginLATPort","features":[462]},{"name":"raatLoginLATService","features":[462]},{"name":"raatLoginService","features":[462]},{"name":"raatLoginTCPPort","features":[462]},{"name":"raatMD5CHAPChallenge","features":[462]},{"name":"raatMD5CHAPPassword","features":[462]},{"name":"raatMethodId","features":[462]},{"name":"raatMinimum","features":[462]},{"name":"raatNASIPAddress","features":[462]},{"name":"raatNASIPv6Address","features":[462]},{"name":"raatNASIdentifier","features":[462]},{"name":"raatNASPort","features":[462]},{"name":"raatNASPortType","features":[462]},{"name":"raatPEAPEmbeddedEAPTypeId","features":[462]},{"name":"raatPEAPFastRoamedSession","features":[462]},{"name":"raatPasswordRetry","features":[462]},{"name":"raatPeerId","features":[462]},{"name":"raatPortLimit","features":[462]},{"name":"raatPrompt","features":[462]},{"name":"raatProxyState","features":[462]},{"name":"raatReplyMessage","features":[462]},{"name":"raatReserved","features":[462]},{"name":"raatServerId","features":[462]},{"name":"raatServiceType","features":[462]},{"name":"raatSessionId","features":[462]},{"name":"raatSessionTimeout","features":[462]},{"name":"raatSignature","features":[462]},{"name":"raatState","features":[462]},{"name":"raatTerminationAction","features":[462]},{"name":"raatTunnelClientEndpoint","features":[462]},{"name":"raatTunnelMediumType","features":[462]},{"name":"raatTunnelServerEndpoint","features":[462]},{"name":"raatTunnelType","features":[462]},{"name":"raatUnassigned17","features":[462]},{"name":"raatUnassigned21","features":[462]},{"name":"raatUserName","features":[462]},{"name":"raatUserPassword","features":[462]},{"name":"raatVendorSpecific","features":[462]}],"496":[{"name":"CreateAppContainerProfile","features":[308,496]},{"name":"DeleteAppContainerProfile","features":[496]},{"name":"DeriveAppContainerSidFromAppContainerName","features":[308,496]},{"name":"DeriveRestrictedAppContainerSidFromAppContainerSidAndRestrictedName","features":[308,496]},{"name":"GetAppContainerFolderPath","features":[496]},{"name":"GetAppContainerNamedObjectPath","features":[308,496]},{"name":"GetAppContainerRegistryLocation","features":[496,369]},{"name":"IIsolatedAppLauncher","features":[496]},{"name":"IIsolatedProcessLauncher","features":[496]},{"name":"IIsolatedProcessLauncher2","features":[496]},{"name":"IsCrossIsolatedEnvironmentClipboardContent","features":[308,496]},{"name":"IsProcessInIsolatedContainer","features":[308,496]},{"name":"IsProcessInIsolatedWindowsEnvironment","features":[308,496]},{"name":"IsProcessInWDAGContainer","features":[308,496]},{"name":"IsolatedAppLauncher","features":[496]},{"name":"IsolatedAppLauncherTelemetryParameters","features":[308,496]},{"name":"WDAG_CLIPBOARD_TAG","features":[496]}],"497":[{"name":"LicenseKeyAlreadyExists","features":[497]},{"name":"LicenseKeyCorrupted","features":[497]},{"name":"LicenseKeyNotFound","features":[497]},{"name":"LicenseKeyUnprotected","features":[497]},{"name":"LicenseProtectionStatus","features":[497]},{"name":"RegisterLicenseKeyWithExpiration","features":[497]},{"name":"Success","features":[497]},{"name":"ValidateLicenseKeyProtection","features":[308,497]}],"498":[{"name":"ComponentTypeEnforcementClientRp","features":[498]},{"name":"ComponentTypeEnforcementClientSoH","features":[498]},{"name":"CorrelationId","features":[308,498]},{"name":"CountedString","features":[498]},{"name":"ExtendedIsolationState","features":[498]},{"name":"FailureCategory","features":[498]},{"name":"FailureCategoryMapping","features":[308,498]},{"name":"FixupInfo","features":[498]},{"name":"FixupState","features":[498]},{"name":"Ipv4Address","features":[498]},{"name":"Ipv6Address","features":[498]},{"name":"IsolationInfo","features":[308,498]},{"name":"IsolationInfoEx","features":[308,498]},{"name":"IsolationState","features":[498]},{"name":"NapComponentRegistrationInfo","features":[308,498]},{"name":"NapNotifyType","features":[498]},{"name":"NapTracingLevel","features":[498]},{"name":"NetworkSoH","features":[498]},{"name":"PrivateData","features":[498]},{"name":"RemoteConfigurationType","features":[498]},{"name":"ResultCodes","features":[498]},{"name":"SoH","features":[498]},{"name":"SoHAttribute","features":[498]},{"name":"SystemHealthAgentState","features":[498]},{"name":"extendedIsolationStateInfected","features":[498]},{"name":"extendedIsolationStateNoData","features":[498]},{"name":"extendedIsolationStateTransition","features":[498]},{"name":"extendedIsolationStateUnknown","features":[498]},{"name":"failureCategoryClientCommunication","features":[498]},{"name":"failureCategoryClientComponent","features":[498]},{"name":"failureCategoryCount","features":[498]},{"name":"failureCategoryNone","features":[498]},{"name":"failureCategoryOther","features":[498]},{"name":"failureCategoryServerCommunication","features":[498]},{"name":"failureCategoryServerComponent","features":[498]},{"name":"fixupStateCouldNotUpdate","features":[498]},{"name":"fixupStateInProgress","features":[498]},{"name":"fixupStateSuccess","features":[498]},{"name":"freshSoHRequest","features":[498]},{"name":"isolationStateInProbation","features":[498]},{"name":"isolationStateNotRestricted","features":[498]},{"name":"isolationStateRestrictedAccess","features":[498]},{"name":"maxConnectionCountPerEnforcer","features":[498]},{"name":"maxEnforcerCount","features":[498]},{"name":"maxNetworkSoHSize","features":[498]},{"name":"maxPrivateDataSize","features":[498]},{"name":"maxSoHAttributeCount","features":[498]},{"name":"maxSoHAttributeSize","features":[498]},{"name":"maxStringLength","features":[498]},{"name":"maxSystemHealthEntityCount","features":[498]},{"name":"minNetworkSoHSize","features":[498]},{"name":"napNotifyTypeQuarState","features":[498]},{"name":"napNotifyTypeServiceState","features":[498]},{"name":"napNotifyTypeUnknown","features":[498]},{"name":"percentageNotSupported","features":[498]},{"name":"remoteConfigTypeConfigBlob","features":[498]},{"name":"remoteConfigTypeMachine","features":[498]},{"name":"shaFixup","features":[498]},{"name":"tracingLevelAdvanced","features":[498]},{"name":"tracingLevelBasic","features":[498]},{"name":"tracingLevelDebug","features":[498]},{"name":"tracingLevelUndefined","features":[498]}],"499":[{"name":"ITpmVirtualSmartCardManager","features":[499]},{"name":"ITpmVirtualSmartCardManager2","features":[499]},{"name":"ITpmVirtualSmartCardManager3","features":[499]},{"name":"ITpmVirtualSmartCardManagerStatusCallback","features":[499]},{"name":"RemoteTpmVirtualSmartCardManager","features":[499]},{"name":"TPMVSCMGR_ERROR","features":[499]},{"name":"TPMVSCMGR_ERROR_CARD_CREATE","features":[499]},{"name":"TPMVSCMGR_ERROR_CARD_DESTROY","features":[499]},{"name":"TPMVSCMGR_ERROR_GENERATE_FILESYSTEM","features":[499]},{"name":"TPMVSCMGR_ERROR_GENERATE_LOCATE_READER","features":[499]},{"name":"TPMVSCMGR_ERROR_IMPERSONATION","features":[499]},{"name":"TPMVSCMGR_ERROR_PIN_COMPLEXITY","features":[499]},{"name":"TPMVSCMGR_ERROR_READER_COUNT_LIMIT","features":[499]},{"name":"TPMVSCMGR_ERROR_TERMINAL_SERVICES_SESSION","features":[499]},{"name":"TPMVSCMGR_ERROR_VGIDSSIMULATOR_CREATE","features":[499]},{"name":"TPMVSCMGR_ERROR_VGIDSSIMULATOR_DESTROY","features":[499]},{"name":"TPMVSCMGR_ERROR_VGIDSSIMULATOR_INITIALIZE","features":[499]},{"name":"TPMVSCMGR_ERROR_VGIDSSIMULATOR_READ_PROPERTY","features":[499]},{"name":"TPMVSCMGR_ERROR_VGIDSSIMULATOR_WRITE_PROPERTY","features":[499]},{"name":"TPMVSCMGR_ERROR_VREADER_CREATE","features":[499]},{"name":"TPMVSCMGR_ERROR_VREADER_DESTROY","features":[499]},{"name":"TPMVSCMGR_ERROR_VREADER_INITIALIZE","features":[499]},{"name":"TPMVSCMGR_ERROR_VTPMSMARTCARD_CREATE","features":[499]},{"name":"TPMVSCMGR_ERROR_VTPMSMARTCARD_DESTROY","features":[499]},{"name":"TPMVSCMGR_ERROR_VTPMSMARTCARD_INITIALIZE","features":[499]},{"name":"TPMVSCMGR_STATUS","features":[499]},{"name":"TPMVSCMGR_STATUS_CARD_CREATED","features":[499]},{"name":"TPMVSCMGR_STATUS_CARD_DESTROYED","features":[499]},{"name":"TPMVSCMGR_STATUS_GENERATE_AUTHENTICATING","features":[499]},{"name":"TPMVSCMGR_STATUS_GENERATE_RUNNING","features":[499]},{"name":"TPMVSCMGR_STATUS_GENERATE_WAITING","features":[499]},{"name":"TPMVSCMGR_STATUS_VGIDSSIMULATOR_CREATING","features":[499]},{"name":"TPMVSCMGR_STATUS_VGIDSSIMULATOR_DESTROYING","features":[499]},{"name":"TPMVSCMGR_STATUS_VGIDSSIMULATOR_INITIALIZING","features":[499]},{"name":"TPMVSCMGR_STATUS_VREADER_CREATING","features":[499]},{"name":"TPMVSCMGR_STATUS_VREADER_DESTROYING","features":[499]},{"name":"TPMVSCMGR_STATUS_VREADER_INITIALIZING","features":[499]},{"name":"TPMVSCMGR_STATUS_VTPMSMARTCARD_CREATING","features":[499]},{"name":"TPMVSCMGR_STATUS_VTPMSMARTCARD_DESTROYING","features":[499]},{"name":"TPMVSCMGR_STATUS_VTPMSMARTCARD_INITIALIZING","features":[499]},{"name":"TPMVSC_ATTESTATION_AIK_AND_CERTIFICATE","features":[499]},{"name":"TPMVSC_ATTESTATION_AIK_ONLY","features":[499]},{"name":"TPMVSC_ATTESTATION_NONE","features":[499]},{"name":"TPMVSC_ATTESTATION_TYPE","features":[499]},{"name":"TPMVSC_DEFAULT_ADMIN_ALGORITHM_ID","features":[499]},{"name":"TpmVirtualSmartCardManager","features":[499]}],"500":[{"name":"CAT_MEMBERINFO","features":[491]},{"name":"CAT_MEMBERINFO2","features":[491]},{"name":"CAT_MEMBERINFO2_OBJID","features":[491]},{"name":"CAT_MEMBERINFO2_STRUCT","features":[491]},{"name":"CAT_MEMBERINFO_OBJID","features":[491]},{"name":"CAT_MEMBERINFO_STRUCT","features":[491]},{"name":"CAT_NAMEVALUE","features":[392,491]},{"name":"CAT_NAMEVALUE_OBJID","features":[491]},{"name":"CAT_NAMEVALUE_STRUCT","features":[491]},{"name":"CCPI_RESULT_ALLOW","features":[491]},{"name":"CCPI_RESULT_AUDIT","features":[491]},{"name":"CCPI_RESULT_DENY","features":[491]},{"name":"CERT_CONFIDENCE_AUTHIDEXT","features":[491]},{"name":"CERT_CONFIDENCE_HIGHEST","features":[491]},{"name":"CERT_CONFIDENCE_HYGIENE","features":[491]},{"name":"CERT_CONFIDENCE_SIG","features":[491]},{"name":"CERT_CONFIDENCE_TIME","features":[491]},{"name":"CERT_CONFIDENCE_TIMENEST","features":[491]},{"name":"CONFIG_CI_ACTION_VERIFY","features":[491]},{"name":"CONFIG_CI_PROV_INFO","features":[308,392,491]},{"name":"CONFIG_CI_PROV_INFO_RESULT","features":[308,491]},{"name":"CONFIG_CI_PROV_INFO_RESULT2","features":[308,491]},{"name":"CPD_CHOICE_SIP","features":[491]},{"name":"CPD_RETURN_LOWER_QUALITY_CHAINS","features":[491]},{"name":"CPD_REVOCATION_CHECK_CHAIN","features":[491]},{"name":"CPD_REVOCATION_CHECK_CHAIN_EXCLUDE_ROOT","features":[491]},{"name":"CPD_REVOCATION_CHECK_END_CERT","features":[491]},{"name":"CPD_REVOCATION_CHECK_NONE","features":[491]},{"name":"CPD_RFC3161v21","features":[491]},{"name":"CPD_UISTATE_MODE_ALLOW","features":[491]},{"name":"CPD_UISTATE_MODE_BLOCK","features":[491]},{"name":"CPD_UISTATE_MODE_MASK","features":[491]},{"name":"CPD_UISTATE_MODE_PROMPT","features":[491]},{"name":"CPD_USE_NT5_CHAIN_FLAG","features":[491]},{"name":"CRYPT_PROVIDER_CERT","features":[308,392,491]},{"name":"CRYPT_PROVIDER_DATA","features":[308,487,488,491]},{"name":"CRYPT_PROVIDER_DEFUSAGE","features":[491]},{"name":"CRYPT_PROVIDER_FUNCTIONS","features":[308,487,488,491]},{"name":"CRYPT_PROVIDER_PRIVDATA","features":[491]},{"name":"CRYPT_PROVIDER_REGDEFUSAGE","features":[491]},{"name":"CRYPT_PROVIDER_SGNR","features":[308,392,491]},{"name":"CRYPT_PROVIDER_SIGSTATE","features":[308,392,491]},{"name":"CRYPT_PROVUI_DATA","features":[491]},{"name":"CRYPT_PROVUI_FUNCS","features":[308,487,488,491]},{"name":"CRYPT_REGISTER_ACTIONID","features":[491]},{"name":"CRYPT_TRUST_REG_ENTRY","features":[491]},{"name":"DRIVER_ACTION_VERIFY","features":[491]},{"name":"DRIVER_CLEANUPPOLICY_FUNCTION","features":[491]},{"name":"DRIVER_FINALPOLPROV_FUNCTION","features":[491]},{"name":"DRIVER_INITPROV_FUNCTION","features":[491]},{"name":"DRIVER_VER_INFO","features":[308,392,491]},{"name":"DRIVER_VER_MAJORMINOR","features":[491]},{"name":"DWACTION_ALLOCANDFILL","features":[491]},{"name":"DWACTION_FREE","features":[491]},{"name":"GENERIC_CHAIN_CERTTRUST_FUNCTION","features":[491]},{"name":"GENERIC_CHAIN_FINALPOLICY_FUNCTION","features":[491]},{"name":"HTTPSPROV_ACTION","features":[491]},{"name":"HTTPS_CERTTRUST_FUNCTION","features":[491]},{"name":"HTTPS_CHKCERT_FUNCTION","features":[491]},{"name":"HTTPS_FINALPOLICY_FUNCTION","features":[491]},{"name":"INTENT_TO_SEAL_ATTRIBUTE","features":[308,491]},{"name":"INTENT_TO_SEAL_ATTRIBUTE_STRUCT","features":[491]},{"name":"OFFICESIGN_ACTION_VERIFY","features":[491]},{"name":"OFFICE_CLEANUPPOLICY_FUNCTION","features":[491]},{"name":"OFFICE_INITPROV_FUNCTION","features":[491]},{"name":"OFFICE_POLICY_PROVIDER_DLL_NAME","features":[491]},{"name":"OpenPersonalTrustDBDialog","features":[308,491]},{"name":"OpenPersonalTrustDBDialogEx","features":[308,491]},{"name":"PFN_ALLOCANDFILLDEFUSAGE","features":[308,491]},{"name":"PFN_CPD_ADD_CERT","features":[308,487,488,491]},{"name":"PFN_CPD_ADD_PRIVDATA","features":[308,487,488,491]},{"name":"PFN_CPD_ADD_SGNR","features":[308,487,488,491]},{"name":"PFN_CPD_ADD_STORE","features":[308,487,488,491]},{"name":"PFN_CPD_MEM_ALLOC","features":[491]},{"name":"PFN_CPD_MEM_FREE","features":[491]},{"name":"PFN_FREEDEFUSAGE","features":[308,491]},{"name":"PFN_PROVIDER_CERTCHKPOLICY_CALL","features":[308,487,488,491]},{"name":"PFN_PROVIDER_CERTTRUST_CALL","features":[308,487,488,491]},{"name":"PFN_PROVIDER_CLEANUP_CALL","features":[308,487,488,491]},{"name":"PFN_PROVIDER_FINALPOLICY_CALL","features":[308,487,488,491]},{"name":"PFN_PROVIDER_INIT_CALL","features":[308,487,488,491]},{"name":"PFN_PROVIDER_OBJTRUST_CALL","features":[308,487,488,491]},{"name":"PFN_PROVIDER_SIGTRUST_CALL","features":[308,487,488,491]},{"name":"PFN_PROVIDER_TESTFINALPOLICY_CALL","features":[308,487,488,491]},{"name":"PFN_PROVUI_CALL","features":[308,487,488,491]},{"name":"PFN_WTD_GENERIC_CHAIN_POLICY_CALLBACK","features":[308,487,488,491]},{"name":"PROVDATA_SIP","features":[308,487,488,491]},{"name":"SEALING_SIGNATURE_ATTRIBUTE","features":[392,491]},{"name":"SEALING_SIGNATURE_ATTRIBUTE_STRUCT","features":[491]},{"name":"SEALING_TIMESTAMP_ATTRIBUTE","features":[392,491]},{"name":"SEALING_TIMESTAMP_ATTRIBUTE_STRUCT","features":[491]},{"name":"SGNR_TYPE_TIMESTAMP","features":[491]},{"name":"SPC_CAB_DATA_OBJID","features":[491]},{"name":"SPC_CAB_DATA_STRUCT","features":[491]},{"name":"SPC_CERT_EXTENSIONS_OBJID","features":[491]},{"name":"SPC_COMMERCIAL_SP_KEY_PURPOSE_OBJID","features":[491]},{"name":"SPC_COMMON_NAME_OBJID","features":[491]},{"name":"SPC_ENCRYPTED_DIGEST_RETRY_COUNT_OBJID","features":[491]},{"name":"SPC_FILE_LINK_CHOICE","features":[491]},{"name":"SPC_FINANCIAL_CRITERIA","features":[308,491]},{"name":"SPC_FINANCIAL_CRITERIA_OBJID","features":[491]},{"name":"SPC_FINANCIAL_CRITERIA_STRUCT","features":[491]},{"name":"SPC_GLUE_RDN_OBJID","features":[491]},{"name":"SPC_IMAGE","features":[392,491]},{"name":"SPC_INDIRECT_DATA_CONTENT","features":[392,491]},{"name":"SPC_INDIRECT_DATA_CONTENT_STRUCT","features":[491]},{"name":"SPC_INDIRECT_DATA_OBJID","features":[491]},{"name":"SPC_INDIVIDUAL_SP_KEY_PURPOSE_OBJID","features":[491]},{"name":"SPC_JAVA_CLASS_DATA_OBJID","features":[491]},{"name":"SPC_JAVA_CLASS_DATA_STRUCT","features":[491]},{"name":"SPC_LINK","features":[392,491]},{"name":"SPC_LINK_OBJID","features":[491]},{"name":"SPC_LINK_STRUCT","features":[491]},{"name":"SPC_MINIMAL_CRITERIA_OBJID","features":[491]},{"name":"SPC_MINIMAL_CRITERIA_STRUCT","features":[491]},{"name":"SPC_MONIKER_LINK_CHOICE","features":[491]},{"name":"SPC_NATURAL_AUTH_PLUGIN_OBJID","features":[491]},{"name":"SPC_PE_IMAGE_DATA","features":[392,491]},{"name":"SPC_PE_IMAGE_DATA_OBJID","features":[491]},{"name":"SPC_PE_IMAGE_DATA_STRUCT","features":[491]},{"name":"SPC_PE_IMAGE_PAGE_HASHES_V1_OBJID","features":[491]},{"name":"SPC_PE_IMAGE_PAGE_HASHES_V2_OBJID","features":[491]},{"name":"SPC_RAW_FILE_DATA_OBJID","features":[491]},{"name":"SPC_RELAXED_PE_MARKER_CHECK_OBJID","features":[491]},{"name":"SPC_SERIALIZED_OBJECT","features":[392,491]},{"name":"SPC_SIGINFO","features":[491]},{"name":"SPC_SIGINFO_OBJID","features":[491]},{"name":"SPC_SIGINFO_STRUCT","features":[491]},{"name":"SPC_SP_AGENCY_INFO","features":[392,491]},{"name":"SPC_SP_AGENCY_INFO_OBJID","features":[491]},{"name":"SPC_SP_AGENCY_INFO_STRUCT","features":[491]},{"name":"SPC_SP_OPUS_INFO","features":[392,491]},{"name":"SPC_SP_OPUS_INFO_OBJID","features":[491]},{"name":"SPC_SP_OPUS_INFO_STRUCT","features":[491]},{"name":"SPC_STATEMENT_TYPE","features":[491]},{"name":"SPC_STATEMENT_TYPE_OBJID","features":[491]},{"name":"SPC_STATEMENT_TYPE_STRUCT","features":[491]},{"name":"SPC_STRUCTURED_STORAGE_DATA_OBJID","features":[491]},{"name":"SPC_TIME_STAMP_REQUEST_OBJID","features":[491]},{"name":"SPC_URL_LINK_CHOICE","features":[491]},{"name":"SPC_UUID_LENGTH","features":[491]},{"name":"SPC_WINDOWS_HELLO_COMPATIBILITY_OBJID","features":[491]},{"name":"SP_CHKCERT_FUNCTION","features":[491]},{"name":"SP_CLEANUPPOLICY_FUNCTION","features":[491]},{"name":"SP_FINALPOLICY_FUNCTION","features":[491]},{"name":"SP_GENERIC_CERT_INIT_FUNCTION","features":[491]},{"name":"SP_INIT_FUNCTION","features":[491]},{"name":"SP_OBJTRUST_FUNCTION","features":[491]},{"name":"SP_POLICY_PROVIDER_DLL_NAME","features":[491]},{"name":"SP_SIGTRUST_FUNCTION","features":[491]},{"name":"SP_TESTDUMPPOLICY_FUNCTION_TEST","features":[491]},{"name":"TRUSTERROR_MAX_STEPS","features":[491]},{"name":"TRUSTERROR_STEP_CATALOGFILE","features":[491]},{"name":"TRUSTERROR_STEP_CERTSTORE","features":[491]},{"name":"TRUSTERROR_STEP_FILEIO","features":[491]},{"name":"TRUSTERROR_STEP_FINAL_CERTCHKPROV","features":[491]},{"name":"TRUSTERROR_STEP_FINAL_CERTPROV","features":[491]},{"name":"TRUSTERROR_STEP_FINAL_INITPROV","features":[491]},{"name":"TRUSTERROR_STEP_FINAL_OBJPROV","features":[491]},{"name":"TRUSTERROR_STEP_FINAL_POLICYPROV","features":[491]},{"name":"TRUSTERROR_STEP_FINAL_SIGPROV","features":[491]},{"name":"TRUSTERROR_STEP_FINAL_UIPROV","features":[491]},{"name":"TRUSTERROR_STEP_FINAL_WVTINIT","features":[491]},{"name":"TRUSTERROR_STEP_MESSAGE","features":[491]},{"name":"TRUSTERROR_STEP_MSG_CERTCHAIN","features":[491]},{"name":"TRUSTERROR_STEP_MSG_COUNTERSIGCERT","features":[491]},{"name":"TRUSTERROR_STEP_MSG_COUNTERSIGINFO","features":[491]},{"name":"TRUSTERROR_STEP_MSG_INNERCNT","features":[491]},{"name":"TRUSTERROR_STEP_MSG_INNERCNTTYPE","features":[491]},{"name":"TRUSTERROR_STEP_MSG_SIGNERCERT","features":[491]},{"name":"TRUSTERROR_STEP_MSG_SIGNERCOUNT","features":[491]},{"name":"TRUSTERROR_STEP_MSG_SIGNERINFO","features":[491]},{"name":"TRUSTERROR_STEP_MSG_STORE","features":[491]},{"name":"TRUSTERROR_STEP_SIP","features":[491]},{"name":"TRUSTERROR_STEP_SIPSUBJINFO","features":[491]},{"name":"TRUSTERROR_STEP_VERIFY_MSGHASH","features":[491]},{"name":"TRUSTERROR_STEP_VERIFY_MSGINDIRECTDATA","features":[491]},{"name":"TRUSTERROR_STEP_WVTPARAMS","features":[491]},{"name":"WINTRUST_ACTION_GENERIC_CERT_VERIFY","features":[491]},{"name":"WINTRUST_ACTION_GENERIC_CHAIN_VERIFY","features":[491]},{"name":"WINTRUST_ACTION_GENERIC_VERIFY_V2","features":[491]},{"name":"WINTRUST_ACTION_TRUSTPROVIDER_TEST","features":[491]},{"name":"WINTRUST_BLOB_INFO","features":[491]},{"name":"WINTRUST_CATALOG_INFO","features":[308,392,491]},{"name":"WINTRUST_CERT_INFO","features":[308,392,491]},{"name":"WINTRUST_CONFIG_REGPATH","features":[491]},{"name":"WINTRUST_DATA","features":[308,392,491]},{"name":"WINTRUST_DATA_PROVIDER_FLAGS","features":[491]},{"name":"WINTRUST_DATA_REVOCATION_CHECKS","features":[491]},{"name":"WINTRUST_DATA_STATE_ACTION","features":[491]},{"name":"WINTRUST_DATA_UICHOICE","features":[491]},{"name":"WINTRUST_DATA_UICONTEXT","features":[491]},{"name":"WINTRUST_DATA_UNION_CHOICE","features":[491]},{"name":"WINTRUST_FILE_INFO","features":[308,491]},{"name":"WINTRUST_GET_DEFAULT_FOR_USAGE_ACTION","features":[491]},{"name":"WINTRUST_MAX_HASH_BYTES_TO_MAP_DEFAULT","features":[491]},{"name":"WINTRUST_MAX_HASH_BYTES_TO_MAP_VALUE_NAME","features":[491]},{"name":"WINTRUST_MAX_HEADER_BYTES_TO_MAP_DEFAULT","features":[491]},{"name":"WINTRUST_MAX_HEADER_BYTES_TO_MAP_VALUE_NAME","features":[491]},{"name":"WINTRUST_POLICY_FLAGS","features":[491]},{"name":"WINTRUST_SGNR_INFO","features":[392,491]},{"name":"WINTRUST_SIGNATURE_SETTINGS","features":[392,491]},{"name":"WINTRUST_SIGNATURE_SETTINGS_FLAGS","features":[491]},{"name":"WIN_CERTIFICATE","features":[491]},{"name":"WIN_CERT_REVISION_1_0","features":[491]},{"name":"WIN_CERT_REVISION_2_0","features":[491]},{"name":"WIN_CERT_TYPE_PKCS_SIGNED_DATA","features":[491]},{"name":"WIN_CERT_TYPE_RESERVED_1","features":[491]},{"name":"WIN_CERT_TYPE_TS_STACK_SIGNED","features":[491]},{"name":"WIN_CERT_TYPE_X509","features":[491]},{"name":"WIN_SPUB_ACTION_NT_ACTIVATE_IMAGE","features":[491]},{"name":"WIN_SPUB_ACTION_PUBLISHED_SOFTWARE","features":[491]},{"name":"WIN_SPUB_ACTION_TRUSTED_PUBLISHER","features":[491]},{"name":"WIN_SPUB_TRUSTED_PUBLISHER_DATA","features":[308,491]},{"name":"WIN_TRUST_ACTDATA_CONTEXT_WITH_SUBJECT","features":[308,491]},{"name":"WIN_TRUST_ACTDATA_SUBJECT_ONLY","features":[491]},{"name":"WIN_TRUST_SUBJECT_FILE","features":[308,491]},{"name":"WIN_TRUST_SUBJECT_FILE_AND_DISPLAY","features":[308,491]},{"name":"WIN_TRUST_SUBJTYPE_CABINET","features":[491]},{"name":"WIN_TRUST_SUBJTYPE_CABINETEX","features":[491]},{"name":"WIN_TRUST_SUBJTYPE_JAVA_CLASS","features":[491]},{"name":"WIN_TRUST_SUBJTYPE_JAVA_CLASSEX","features":[491]},{"name":"WIN_TRUST_SUBJTYPE_OLE_STORAGE","features":[491]},{"name":"WIN_TRUST_SUBJTYPE_PE_IMAGE","features":[491]},{"name":"WIN_TRUST_SUBJTYPE_PE_IMAGEEX","features":[491]},{"name":"WIN_TRUST_SUBJTYPE_RAW_FILE","features":[491]},{"name":"WIN_TRUST_SUBJTYPE_RAW_FILEEX","features":[491]},{"name":"WSS_CERTTRUST_SUPPORT","features":[491]},{"name":"WSS_GET_SECONDARY_SIG_COUNT","features":[491]},{"name":"WSS_INPUT_FLAG_MASK","features":[491]},{"name":"WSS_OBJTRUST_SUPPORT","features":[491]},{"name":"WSS_OUTPUT_FLAG_MASK","features":[491]},{"name":"WSS_OUT_FILE_SUPPORTS_SEAL","features":[491]},{"name":"WSS_OUT_HAS_SEALING_INTENT","features":[491]},{"name":"WSS_OUT_SEALING_STATUS_VERIFIED","features":[491]},{"name":"WSS_SIGTRUST_SUPPORT","features":[491]},{"name":"WSS_VERIFY_SEALING","features":[491]},{"name":"WSS_VERIFY_SPECIFIC","features":[491]},{"name":"WTCI_DONT_OPEN_STORES","features":[491]},{"name":"WTCI_OPEN_ONLY_ROOT","features":[491]},{"name":"WTCI_USE_LOCAL_MACHINE","features":[491]},{"name":"WTD_CACHE_ONLY_URL_RETRIEVAL","features":[491]},{"name":"WTD_CHOICE_BLOB","features":[491]},{"name":"WTD_CHOICE_CATALOG","features":[491]},{"name":"WTD_CHOICE_CERT","features":[491]},{"name":"WTD_CHOICE_FILE","features":[491]},{"name":"WTD_CHOICE_SIGNER","features":[491]},{"name":"WTD_CODE_INTEGRITY_DRIVER_MODE","features":[491]},{"name":"WTD_DISABLE_MD2_MD4","features":[491]},{"name":"WTD_GENERIC_CHAIN_POLICY_CREATE_INFO","features":[392,491]},{"name":"WTD_GENERIC_CHAIN_POLICY_DATA","features":[308,487,488,491]},{"name":"WTD_GENERIC_CHAIN_POLICY_SIGNER_INFO","features":[308,392,491]},{"name":"WTD_HASH_ONLY_FLAG","features":[491]},{"name":"WTD_LIFETIME_SIGNING_FLAG","features":[491]},{"name":"WTD_MOTW","features":[491]},{"name":"WTD_NO_IE4_CHAIN_FLAG","features":[491]},{"name":"WTD_NO_POLICY_USAGE_FLAG","features":[491]},{"name":"WTD_PROV_FLAGS_MASK","features":[491]},{"name":"WTD_REVOCATION_CHECK_CHAIN","features":[491]},{"name":"WTD_REVOCATION_CHECK_CHAIN_EXCLUDE_ROOT","features":[491]},{"name":"WTD_REVOCATION_CHECK_END_CERT","features":[491]},{"name":"WTD_REVOCATION_CHECK_NONE","features":[491]},{"name":"WTD_REVOKE_NONE","features":[491]},{"name":"WTD_REVOKE_WHOLECHAIN","features":[491]},{"name":"WTD_SAFER_FLAG","features":[491]},{"name":"WTD_STATEACTION_AUTO_CACHE","features":[491]},{"name":"WTD_STATEACTION_AUTO_CACHE_FLUSH","features":[491]},{"name":"WTD_STATEACTION_CLOSE","features":[491]},{"name":"WTD_STATEACTION_IGNORE","features":[491]},{"name":"WTD_STATEACTION_VERIFY","features":[491]},{"name":"WTD_UICONTEXT_EXECUTE","features":[491]},{"name":"WTD_UICONTEXT_INSTALL","features":[491]},{"name":"WTD_UI_ALL","features":[491]},{"name":"WTD_UI_NOBAD","features":[491]},{"name":"WTD_UI_NOGOOD","features":[491]},{"name":"WTD_UI_NONE","features":[491]},{"name":"WTD_USE_DEFAULT_OSVER_CHECK","features":[491]},{"name":"WTD_USE_IE4_TRUST_FLAG","features":[491]},{"name":"WTHelperCertCheckValidSignature","features":[308,487,488,491]},{"name":"WTHelperCertIsSelfSigned","features":[308,392,491]},{"name":"WTHelperGetProvCertFromChain","features":[308,392,491]},{"name":"WTHelperGetProvPrivateDataFromChain","features":[308,487,488,491]},{"name":"WTHelperGetProvSignerFromChain","features":[308,487,488,491]},{"name":"WTHelperProvDataFromStateData","features":[308,487,488,491]},{"name":"WTPF_ALLOWONLYPERTRUST","features":[491]},{"name":"WTPF_IGNOREEXPIRATION","features":[491]},{"name":"WTPF_IGNOREREVOCATIONONTS","features":[491]},{"name":"WTPF_IGNOREREVOKATION","features":[491]},{"name":"WTPF_OFFLINEOKNBU_COM","features":[491]},{"name":"WTPF_OFFLINEOKNBU_IND","features":[491]},{"name":"WTPF_OFFLINEOK_COM","features":[491]},{"name":"WTPF_OFFLINEOK_IND","features":[491]},{"name":"WTPF_TESTCANBEVALID","features":[491]},{"name":"WTPF_TRUSTTEST","features":[491]},{"name":"WTPF_VERIFY_V1_OFF","features":[491]},{"name":"WT_ADD_ACTION_ID_RET_RESULT_FLAG","features":[491]},{"name":"WT_CURRENT_VERSION","features":[491]},{"name":"WT_PROVIDER_CERTTRUST_FUNCTION","features":[491]},{"name":"WT_PROVIDER_DLL_NAME","features":[491]},{"name":"WT_TRUSTDBDIALOG_NO_UI_FLAG","features":[491]},{"name":"WT_TRUSTDBDIALOG_ONLY_PUB_TAB_FLAG","features":[491]},{"name":"WT_TRUSTDBDIALOG_WRITE_IEAK_STORE_FLAG","features":[491]},{"name":"WT_TRUSTDBDIALOG_WRITE_LEGACY_REG_FLAG","features":[491]},{"name":"WinVerifyTrust","features":[308,491]},{"name":"WinVerifyTrustEx","features":[308,392,491]},{"name":"WintrustAddActionID","features":[308,491]},{"name":"WintrustAddDefaultForUsage","features":[308,491]},{"name":"WintrustGetDefaultForUsage","features":[308,491]},{"name":"WintrustGetRegPolicyFlags","features":[491]},{"name":"WintrustLoadFunctionPointers","features":[308,487,488,491]},{"name":"WintrustRemoveActionID","features":[308,491]},{"name":"WintrustSetDefaultIncludePEPageHashes","features":[308,491]},{"name":"WintrustSetRegPolicyFlags","features":[308,491]},{"name":"szOID_ENHANCED_HASH","features":[491]},{"name":"szOID_INTENT_TO_SEAL","features":[491]},{"name":"szOID_NESTED_SIGNATURE","features":[491]},{"name":"szOID_PKCS_9_SEQUENCE_NUMBER","features":[491]},{"name":"szOID_SEALING_SIGNATURE","features":[491]},{"name":"szOID_SEALING_TIMESTAMP","features":[491]},{"name":"szOID_TRUSTED_CLIENT_AUTH_CA_LIST","features":[491]},{"name":"szOID_TRUSTED_CODESIGNING_CA_LIST","features":[491]},{"name":"szOID_TRUSTED_SERVER_AUTH_CA_LIST","features":[491]}],"501":[{"name":"PFNMSGECALLBACK","features":[308,500]},{"name":"PWLX_ASSIGN_SHELL_PROTECTION","features":[308,500]},{"name":"PWLX_CHANGE_PASSWORD_NOTIFY","features":[308,500]},{"name":"PWLX_CHANGE_PASSWORD_NOTIFY_EX","features":[308,500]},{"name":"PWLX_CLOSE_USER_DESKTOP","features":[308,500,501]},{"name":"PWLX_CREATE_USER_DESKTOP","features":[308,500,501]},{"name":"PWLX_DIALOG_BOX","features":[308,500,370]},{"name":"PWLX_DIALOG_BOX_INDIRECT","features":[308,500,370]},{"name":"PWLX_DIALOG_BOX_INDIRECT_PARAM","features":[308,500,370]},{"name":"PWLX_DIALOG_BOX_PARAM","features":[308,500,370]},{"name":"PWLX_DISCONNECT","features":[308,500]},{"name":"PWLX_GET_OPTION","features":[308,500]},{"name":"PWLX_GET_SOURCE_DESKTOP","features":[308,500,501]},{"name":"PWLX_MESSAGE_BOX","features":[308,500]},{"name":"PWLX_QUERY_CLIENT_CREDENTIALS","features":[308,500]},{"name":"PWLX_QUERY_CONSOLESWITCH_CREDENTIALS","features":[308,500]},{"name":"PWLX_QUERY_IC_CREDENTIALS","features":[308,500]},{"name":"PWLX_QUERY_TERMINAL_SERVICES_DATA","features":[308,500]},{"name":"PWLX_QUERY_TS_LOGON_CREDENTIALS","features":[308,500]},{"name":"PWLX_SAS_NOTIFY","features":[308,500]},{"name":"PWLX_SET_CONTEXT_POINTER","features":[308,500]},{"name":"PWLX_SET_OPTION","features":[308,500]},{"name":"PWLX_SET_RETURN_DESKTOP","features":[308,500,501]},{"name":"PWLX_SET_TIMEOUT","features":[308,500]},{"name":"PWLX_SWITCH_DESKTOP_TO_USER","features":[308,500]},{"name":"PWLX_SWITCH_DESKTOP_TO_WINLOGON","features":[308,500]},{"name":"PWLX_USE_CTRL_ALT_DEL","features":[308,500]},{"name":"PWLX_WIN31_MIGRATE","features":[308,500]},{"name":"STATUSMSG_OPTION_NOANIMATION","features":[500]},{"name":"STATUSMSG_OPTION_SETFOREGROUND","features":[500]},{"name":"WLX_CLIENT_CREDENTIALS_INFO_V1_0","features":[308,500]},{"name":"WLX_CLIENT_CREDENTIALS_INFO_V2_0","features":[308,500]},{"name":"WLX_CONSOLESWITCHCREDENTIAL_TYPE_V1_0","features":[500]},{"name":"WLX_CONSOLESWITCH_CREDENTIALS_INFO_V1_0","features":[308,500]},{"name":"WLX_CREATE_INSTANCE_ONLY","features":[500]},{"name":"WLX_CREATE_USER","features":[500]},{"name":"WLX_CREDENTIAL_TYPE_V1_0","features":[500]},{"name":"WLX_CREDENTIAL_TYPE_V2_0","features":[500]},{"name":"WLX_CURRENT_VERSION","features":[500]},{"name":"WLX_DESKTOP","features":[500,501]},{"name":"WLX_DESKTOP_HANDLE","features":[500]},{"name":"WLX_DESKTOP_NAME","features":[500]},{"name":"WLX_DIRECTORY_LENGTH","features":[500]},{"name":"WLX_DISPATCH_VERSION_1_0","features":[308,500,370]},{"name":"WLX_DISPATCH_VERSION_1_1","features":[308,500,501,370]},{"name":"WLX_DISPATCH_VERSION_1_2","features":[308,500,501,370]},{"name":"WLX_DISPATCH_VERSION_1_3","features":[308,500,501,370]},{"name":"WLX_DISPATCH_VERSION_1_4","features":[308,500,501,370]},{"name":"WLX_DLG_INPUT_TIMEOUT","features":[500]},{"name":"WLX_DLG_SAS","features":[500]},{"name":"WLX_DLG_SCREEN_SAVER_TIMEOUT","features":[500]},{"name":"WLX_DLG_USER_LOGOFF","features":[500]},{"name":"WLX_LOGON_OPT_NO_PROFILE","features":[500]},{"name":"WLX_MPR_NOTIFY_INFO","features":[500]},{"name":"WLX_NOTIFICATION_INFO","features":[308,500,501]},{"name":"WLX_OPTION_CONTEXT_POINTER","features":[500]},{"name":"WLX_OPTION_DISPATCH_TABLE_SIZE","features":[500]},{"name":"WLX_OPTION_FORCE_LOGOFF_TIME","features":[500]},{"name":"WLX_OPTION_IGNORE_AUTO_LOGON","features":[500]},{"name":"WLX_OPTION_NO_SWITCH_ON_SAS","features":[500]},{"name":"WLX_OPTION_SMART_CARD_INFO","features":[500]},{"name":"WLX_OPTION_SMART_CARD_PRESENT","features":[500]},{"name":"WLX_OPTION_USE_CTRL_ALT_DEL","features":[500]},{"name":"WLX_OPTION_USE_SMART_CARD","features":[500]},{"name":"WLX_PROFILE_TYPE_V1_0","features":[500]},{"name":"WLX_PROFILE_TYPE_V2_0","features":[500]},{"name":"WLX_PROFILE_V1_0","features":[500]},{"name":"WLX_PROFILE_V2_0","features":[500]},{"name":"WLX_SAS_ACTION_DELAYED_FORCE_LOGOFF","features":[500]},{"name":"WLX_SAS_ACTION_FORCE_LOGOFF","features":[500]},{"name":"WLX_SAS_ACTION_LOCK_WKSTA","features":[500]},{"name":"WLX_SAS_ACTION_LOGOFF","features":[500]},{"name":"WLX_SAS_ACTION_LOGON","features":[500]},{"name":"WLX_SAS_ACTION_NONE","features":[500]},{"name":"WLX_SAS_ACTION_PWD_CHANGED","features":[500]},{"name":"WLX_SAS_ACTION_RECONNECTED","features":[500]},{"name":"WLX_SAS_ACTION_SHUTDOWN","features":[500]},{"name":"WLX_SAS_ACTION_SHUTDOWN_HIBERNATE","features":[500]},{"name":"WLX_SAS_ACTION_SHUTDOWN_POWER_OFF","features":[500]},{"name":"WLX_SAS_ACTION_SHUTDOWN_REBOOT","features":[500]},{"name":"WLX_SAS_ACTION_SHUTDOWN_SLEEP","features":[500]},{"name":"WLX_SAS_ACTION_SHUTDOWN_SLEEP2","features":[500]},{"name":"WLX_SAS_ACTION_SWITCH_CONSOLE","features":[500]},{"name":"WLX_SAS_ACTION_TASKLIST","features":[500]},{"name":"WLX_SAS_ACTION_UNLOCK_WKSTA","features":[500]},{"name":"WLX_SAS_TYPE_AUTHENTICATED","features":[500]},{"name":"WLX_SAS_TYPE_CTRL_ALT_DEL","features":[500]},{"name":"WLX_SAS_TYPE_MAX_MSFT_VALUE","features":[500]},{"name":"WLX_SAS_TYPE_SCRNSVR_ACTIVITY","features":[500]},{"name":"WLX_SAS_TYPE_SCRNSVR_TIMEOUT","features":[500]},{"name":"WLX_SAS_TYPE_SC_FIRST_READER_ARRIVED","features":[500]},{"name":"WLX_SAS_TYPE_SC_INSERT","features":[500]},{"name":"WLX_SAS_TYPE_SC_LAST_READER_REMOVED","features":[500]},{"name":"WLX_SAS_TYPE_SC_REMOVE","features":[500]},{"name":"WLX_SAS_TYPE_SWITCHUSER","features":[500]},{"name":"WLX_SAS_TYPE_TIMEOUT","features":[500]},{"name":"WLX_SAS_TYPE_USER_LOGOFF","features":[500]},{"name":"WLX_SC_NOTIFICATION_INFO","features":[500]},{"name":"WLX_SHUTDOWN_TYPE","features":[500]},{"name":"WLX_TERMINAL_SERVICES_DATA","features":[500]},{"name":"WLX_VERSION_1_0","features":[500]},{"name":"WLX_VERSION_1_1","features":[500]},{"name":"WLX_VERSION_1_2","features":[500]},{"name":"WLX_VERSION_1_3","features":[500]},{"name":"WLX_VERSION_1_4","features":[500]},{"name":"WLX_WM_SAS","features":[500]}],"502":[{"name":"CB_MAX_CABINET_NAME","features":[502]},{"name":"CB_MAX_CAB_PATH","features":[502]},{"name":"CB_MAX_DISK","features":[502]},{"name":"CB_MAX_DISK_NAME","features":[502]},{"name":"CB_MAX_FILENAME","features":[502]},{"name":"CCAB","features":[502]},{"name":"ERF","features":[308,502]},{"name":"FCIAddFile","features":[308,502]},{"name":"FCICreate","features":[308,502]},{"name":"FCIDestroy","features":[308,502]},{"name":"FCIERROR","features":[502]},{"name":"FCIERR_ALLOC_FAIL","features":[502]},{"name":"FCIERR_BAD_COMPR_TYPE","features":[502]},{"name":"FCIERR_CAB_FILE","features":[502]},{"name":"FCIERR_CAB_FORMAT_LIMIT","features":[502]},{"name":"FCIERR_MCI_FAIL","features":[502]},{"name":"FCIERR_NONE","features":[502]},{"name":"FCIERR_OPEN_SRC","features":[502]},{"name":"FCIERR_READ_SRC","features":[502]},{"name":"FCIERR_TEMP_FILE","features":[502]},{"name":"FCIERR_USER_ABORT","features":[502]},{"name":"FCIFlushCabinet","features":[308,502]},{"name":"FCIFlushFolder","features":[308,502]},{"name":"FDICABINETINFO","features":[308,502]},{"name":"FDICREATE_CPU_TYPE","features":[502]},{"name":"FDICopy","features":[308,502]},{"name":"FDICreate","features":[308,502]},{"name":"FDIDECRYPT","features":[308,502]},{"name":"FDIDECRYPTTYPE","features":[502]},{"name":"FDIDestroy","features":[308,502]},{"name":"FDIERROR","features":[502]},{"name":"FDIERROR_ALLOC_FAIL","features":[502]},{"name":"FDIERROR_BAD_COMPR_TYPE","features":[502]},{"name":"FDIERROR_CABINET_NOT_FOUND","features":[502]},{"name":"FDIERROR_CORRUPT_CABINET","features":[502]},{"name":"FDIERROR_EOF","features":[502]},{"name":"FDIERROR_MDI_FAIL","features":[502]},{"name":"FDIERROR_NONE","features":[502]},{"name":"FDIERROR_NOT_A_CABINET","features":[502]},{"name":"FDIERROR_RESERVE_MISMATCH","features":[502]},{"name":"FDIERROR_TARGET_FILE","features":[502]},{"name":"FDIERROR_UNKNOWN_CABINET_VERSION","features":[502]},{"name":"FDIERROR_USER_ABORT","features":[502]},{"name":"FDIERROR_WRONG_CABINET","features":[502]},{"name":"FDIIsCabinet","features":[308,502]},{"name":"FDINOTIFICATION","features":[502]},{"name":"FDINOTIFICATIONTYPE","features":[502]},{"name":"FDISPILLFILE","features":[502]},{"name":"FDISPILLFILE","features":[502]},{"name":"FDITruncateCabinet","features":[308,502]},{"name":"INCLUDED_FCI","features":[502]},{"name":"INCLUDED_FDI","features":[502]},{"name":"INCLUDED_TYPES_FCI_FDI","features":[502]},{"name":"PFNALLOC","features":[502]},{"name":"PFNCLOSE","features":[502]},{"name":"PFNFCIALLOC","features":[502]},{"name":"PFNFCICLOSE","features":[502]},{"name":"PFNFCIDELETE","features":[502]},{"name":"PFNFCIFILEPLACED","features":[308,502]},{"name":"PFNFCIFREE","features":[502]},{"name":"PFNFCIGETNEXTCABINET","features":[308,502]},{"name":"PFNFCIGETOPENINFO","features":[502]},{"name":"PFNFCIGETTEMPFILE","features":[308,502]},{"name":"PFNFCIOPEN","features":[502]},{"name":"PFNFCIREAD","features":[502]},{"name":"PFNFCISEEK","features":[502]},{"name":"PFNFCISTATUS","features":[502]},{"name":"PFNFCIWRITE","features":[502]},{"name":"PFNFDIDECRYPT","features":[308,502]},{"name":"PFNFDINOTIFY","features":[502]},{"name":"PFNFREE","features":[502]},{"name":"PFNOPEN","features":[502]},{"name":"PFNREAD","features":[502]},{"name":"PFNSEEK","features":[502]},{"name":"PFNWRITE","features":[502]},{"name":"_A_EXEC","features":[502]},{"name":"_A_NAME_IS_UTF","features":[502]},{"name":"cpu80286","features":[502]},{"name":"cpu80386","features":[502]},{"name":"cpuUNKNOWN","features":[502]},{"name":"fdidtDECRYPT","features":[502]},{"name":"fdidtNEW_CABINET","features":[502]},{"name":"fdidtNEW_FOLDER","features":[502]},{"name":"fdintCABINET_INFO","features":[502]},{"name":"fdintCLOSE_FILE_INFO","features":[502]},{"name":"fdintCOPY_FILE","features":[502]},{"name":"fdintENUMERATE","features":[502]},{"name":"fdintNEXT_CABINET","features":[502]},{"name":"fdintPARTIAL_FILE","features":[502]},{"name":"statusCabinet","features":[502]},{"name":"statusFile","features":[502]},{"name":"statusFolder","features":[502]},{"name":"tcompBAD","features":[502]},{"name":"tcompLZX_WINDOW_HI","features":[502]},{"name":"tcompLZX_WINDOW_LO","features":[502]},{"name":"tcompMASK_LZX_WINDOW","features":[502]},{"name":"tcompMASK_QUANTUM_LEVEL","features":[502]},{"name":"tcompMASK_QUANTUM_MEM","features":[502]},{"name":"tcompMASK_RESERVED","features":[502]},{"name":"tcompMASK_TYPE","features":[502]},{"name":"tcompQUANTUM_LEVEL_HI","features":[502]},{"name":"tcompQUANTUM_LEVEL_LO","features":[502]},{"name":"tcompQUANTUM_MEM_HI","features":[502]},{"name":"tcompQUANTUM_MEM_LO","features":[502]},{"name":"tcompSHIFT_LZX_WINDOW","features":[502]},{"name":"tcompSHIFT_QUANTUM_LEVEL","features":[502]},{"name":"tcompSHIFT_QUANTUM_MEM","features":[502]},{"name":"tcompTYPE_LZX","features":[502]},{"name":"tcompTYPE_MSZIP","features":[502]},{"name":"tcompTYPE_NONE","features":[502]},{"name":"tcompTYPE_QUANTUM","features":[502]}],"503":[{"name":"CF_CALLBACK","features":[503,504]},{"name":"CF_CALLBACK_CANCEL_FLAGS","features":[503]},{"name":"CF_CALLBACK_CANCEL_FLAG_IO_ABORTED","features":[503]},{"name":"CF_CALLBACK_CANCEL_FLAG_IO_TIMEOUT","features":[503]},{"name":"CF_CALLBACK_CANCEL_FLAG_NONE","features":[503]},{"name":"CF_CALLBACK_CLOSE_COMPLETION_FLAGS","features":[503]},{"name":"CF_CALLBACK_CLOSE_COMPLETION_FLAG_DELETED","features":[503]},{"name":"CF_CALLBACK_CLOSE_COMPLETION_FLAG_NONE","features":[503]},{"name":"CF_CALLBACK_DEHYDRATE_COMPLETION_FLAGS","features":[503]},{"name":"CF_CALLBACK_DEHYDRATE_COMPLETION_FLAG_BACKGROUND","features":[503]},{"name":"CF_CALLBACK_DEHYDRATE_COMPLETION_FLAG_DEHYDRATED","features":[503]},{"name":"CF_CALLBACK_DEHYDRATE_COMPLETION_FLAG_NONE","features":[503]},{"name":"CF_CALLBACK_DEHYDRATE_FLAGS","features":[503]},{"name":"CF_CALLBACK_DEHYDRATE_FLAG_BACKGROUND","features":[503]},{"name":"CF_CALLBACK_DEHYDRATE_FLAG_NONE","features":[503]},{"name":"CF_CALLBACK_DEHYDRATION_REASON","features":[503]},{"name":"CF_CALLBACK_DEHYDRATION_REASON_NONE","features":[503]},{"name":"CF_CALLBACK_DEHYDRATION_REASON_SYSTEM_INACTIVITY","features":[503]},{"name":"CF_CALLBACK_DEHYDRATION_REASON_SYSTEM_LOW_SPACE","features":[503]},{"name":"CF_CALLBACK_DEHYDRATION_REASON_SYSTEM_OS_UPGRADE","features":[503]},{"name":"CF_CALLBACK_DEHYDRATION_REASON_USER_MANUAL","features":[503]},{"name":"CF_CALLBACK_DELETE_COMPLETION_FLAGS","features":[503]},{"name":"CF_CALLBACK_DELETE_COMPLETION_FLAG_NONE","features":[503]},{"name":"CF_CALLBACK_DELETE_FLAGS","features":[503]},{"name":"CF_CALLBACK_DELETE_FLAG_IS_DIRECTORY","features":[503]},{"name":"CF_CALLBACK_DELETE_FLAG_IS_UNDELETE","features":[503]},{"name":"CF_CALLBACK_DELETE_FLAG_NONE","features":[503]},{"name":"CF_CALLBACK_FETCH_DATA_FLAGS","features":[503]},{"name":"CF_CALLBACK_FETCH_DATA_FLAG_EXPLICIT_HYDRATION","features":[503]},{"name":"CF_CALLBACK_FETCH_DATA_FLAG_NONE","features":[503]},{"name":"CF_CALLBACK_FETCH_DATA_FLAG_RECOVERY","features":[503]},{"name":"CF_CALLBACK_FETCH_PLACEHOLDERS_FLAGS","features":[503]},{"name":"CF_CALLBACK_FETCH_PLACEHOLDERS_FLAG_NONE","features":[503]},{"name":"CF_CALLBACK_INFO","features":[503,504]},{"name":"CF_CALLBACK_OPEN_COMPLETION_FLAGS","features":[503]},{"name":"CF_CALLBACK_OPEN_COMPLETION_FLAG_NONE","features":[503]},{"name":"CF_CALLBACK_OPEN_COMPLETION_FLAG_PLACEHOLDER_UNKNOWN","features":[503]},{"name":"CF_CALLBACK_OPEN_COMPLETION_FLAG_PLACEHOLDER_UNSUPPORTED","features":[503]},{"name":"CF_CALLBACK_PARAMETERS","features":[503]},{"name":"CF_CALLBACK_REGISTRATION","features":[503,504]},{"name":"CF_CALLBACK_RENAME_COMPLETION_FLAGS","features":[503]},{"name":"CF_CALLBACK_RENAME_COMPLETION_FLAG_NONE","features":[503]},{"name":"CF_CALLBACK_RENAME_FLAGS","features":[503]},{"name":"CF_CALLBACK_RENAME_FLAG_IS_DIRECTORY","features":[503]},{"name":"CF_CALLBACK_RENAME_FLAG_NONE","features":[503]},{"name":"CF_CALLBACK_RENAME_FLAG_SOURCE_IN_SCOPE","features":[503]},{"name":"CF_CALLBACK_RENAME_FLAG_TARGET_IN_SCOPE","features":[503]},{"name":"CF_CALLBACK_TYPE","features":[503]},{"name":"CF_CALLBACK_TYPE_CANCEL_FETCH_DATA","features":[503]},{"name":"CF_CALLBACK_TYPE_CANCEL_FETCH_PLACEHOLDERS","features":[503]},{"name":"CF_CALLBACK_TYPE_FETCH_DATA","features":[503]},{"name":"CF_CALLBACK_TYPE_FETCH_PLACEHOLDERS","features":[503]},{"name":"CF_CALLBACK_TYPE_NONE","features":[503]},{"name":"CF_CALLBACK_TYPE_NOTIFY_DEHYDRATE","features":[503]},{"name":"CF_CALLBACK_TYPE_NOTIFY_DEHYDRATE_COMPLETION","features":[503]},{"name":"CF_CALLBACK_TYPE_NOTIFY_DELETE","features":[503]},{"name":"CF_CALLBACK_TYPE_NOTIFY_DELETE_COMPLETION","features":[503]},{"name":"CF_CALLBACK_TYPE_NOTIFY_FILE_CLOSE_COMPLETION","features":[503]},{"name":"CF_CALLBACK_TYPE_NOTIFY_FILE_OPEN_COMPLETION","features":[503]},{"name":"CF_CALLBACK_TYPE_NOTIFY_RENAME","features":[503]},{"name":"CF_CALLBACK_TYPE_NOTIFY_RENAME_COMPLETION","features":[503]},{"name":"CF_CALLBACK_TYPE_VALIDATE_DATA","features":[503]},{"name":"CF_CALLBACK_VALIDATE_DATA_FLAGS","features":[503]},{"name":"CF_CALLBACK_VALIDATE_DATA_FLAG_EXPLICIT_HYDRATION","features":[503]},{"name":"CF_CALLBACK_VALIDATE_DATA_FLAG_NONE","features":[503]},{"name":"CF_CONNECTION_KEY","features":[503]},{"name":"CF_CONNECT_FLAGS","features":[503]},{"name":"CF_CONNECT_FLAG_BLOCK_SELF_IMPLICIT_HYDRATION","features":[503]},{"name":"CF_CONNECT_FLAG_NONE","features":[503]},{"name":"CF_CONNECT_FLAG_REQUIRE_FULL_FILE_PATH","features":[503]},{"name":"CF_CONNECT_FLAG_REQUIRE_PROCESS_INFO","features":[503]},{"name":"CF_CONVERT_FLAGS","features":[503]},{"name":"CF_CONVERT_FLAG_ALWAYS_FULL","features":[503]},{"name":"CF_CONVERT_FLAG_DEHYDRATE","features":[503]},{"name":"CF_CONVERT_FLAG_ENABLE_ON_DEMAND_POPULATION","features":[503]},{"name":"CF_CONVERT_FLAG_FORCE_CONVERT_TO_CLOUD_FILE","features":[503]},{"name":"CF_CONVERT_FLAG_MARK_IN_SYNC","features":[503]},{"name":"CF_CONVERT_FLAG_NONE","features":[503]},{"name":"CF_CREATE_FLAGS","features":[503]},{"name":"CF_CREATE_FLAG_NONE","features":[503]},{"name":"CF_CREATE_FLAG_STOP_ON_ERROR","features":[503]},{"name":"CF_DEHYDRATE_FLAGS","features":[503]},{"name":"CF_DEHYDRATE_FLAG_BACKGROUND","features":[503]},{"name":"CF_DEHYDRATE_FLAG_NONE","features":[503]},{"name":"CF_FILE_RANGE","features":[503]},{"name":"CF_FS_METADATA","features":[503,327]},{"name":"CF_HARDLINK_POLICY","features":[503]},{"name":"CF_HARDLINK_POLICY_ALLOWED","features":[503]},{"name":"CF_HARDLINK_POLICY_NONE","features":[503]},{"name":"CF_HYDRATE_FLAGS","features":[503]},{"name":"CF_HYDRATE_FLAG_NONE","features":[503]},{"name":"CF_HYDRATION_POLICY","features":[503]},{"name":"CF_HYDRATION_POLICY_ALWAYS_FULL","features":[503]},{"name":"CF_HYDRATION_POLICY_FULL","features":[503]},{"name":"CF_HYDRATION_POLICY_MODIFIER","features":[503]},{"name":"CF_HYDRATION_POLICY_MODIFIER_ALLOW_FULL_RESTART_HYDRATION","features":[503]},{"name":"CF_HYDRATION_POLICY_MODIFIER_AUTO_DEHYDRATION_ALLOWED","features":[503]},{"name":"CF_HYDRATION_POLICY_MODIFIER_NONE","features":[503]},{"name":"CF_HYDRATION_POLICY_MODIFIER_STREAMING_ALLOWED","features":[503]},{"name":"CF_HYDRATION_POLICY_MODIFIER_VALIDATION_REQUIRED","features":[503]},{"name":"CF_HYDRATION_POLICY_PARTIAL","features":[503]},{"name":"CF_HYDRATION_POLICY_PRIMARY","features":[503]},{"name":"CF_HYDRATION_POLICY_PROGRESSIVE","features":[503]},{"name":"CF_INSYNC_POLICY","features":[503]},{"name":"CF_INSYNC_POLICY_NONE","features":[503]},{"name":"CF_INSYNC_POLICY_PRESERVE_INSYNC_FOR_SYNC_ENGINE","features":[503]},{"name":"CF_INSYNC_POLICY_TRACK_ALL","features":[503]},{"name":"CF_INSYNC_POLICY_TRACK_DIRECTORY_ALL","features":[503]},{"name":"CF_INSYNC_POLICY_TRACK_DIRECTORY_CREATION_TIME","features":[503]},{"name":"CF_INSYNC_POLICY_TRACK_DIRECTORY_HIDDEN_ATTRIBUTE","features":[503]},{"name":"CF_INSYNC_POLICY_TRACK_DIRECTORY_LAST_WRITE_TIME","features":[503]},{"name":"CF_INSYNC_POLICY_TRACK_DIRECTORY_READONLY_ATTRIBUTE","features":[503]},{"name":"CF_INSYNC_POLICY_TRACK_DIRECTORY_SYSTEM_ATTRIBUTE","features":[503]},{"name":"CF_INSYNC_POLICY_TRACK_FILE_ALL","features":[503]},{"name":"CF_INSYNC_POLICY_TRACK_FILE_CREATION_TIME","features":[503]},{"name":"CF_INSYNC_POLICY_TRACK_FILE_HIDDEN_ATTRIBUTE","features":[503]},{"name":"CF_INSYNC_POLICY_TRACK_FILE_LAST_WRITE_TIME","features":[503]},{"name":"CF_INSYNC_POLICY_TRACK_FILE_READONLY_ATTRIBUTE","features":[503]},{"name":"CF_INSYNC_POLICY_TRACK_FILE_SYSTEM_ATTRIBUTE","features":[503]},{"name":"CF_IN_SYNC_STATE","features":[503]},{"name":"CF_IN_SYNC_STATE_IN_SYNC","features":[503]},{"name":"CF_IN_SYNC_STATE_NOT_IN_SYNC","features":[503]},{"name":"CF_MAX_PRIORITY_HINT","features":[503]},{"name":"CF_MAX_PROVIDER_NAME_LENGTH","features":[503]},{"name":"CF_MAX_PROVIDER_VERSION_LENGTH","features":[503]},{"name":"CF_OPEN_FILE_FLAGS","features":[503]},{"name":"CF_OPEN_FILE_FLAG_DELETE_ACCESS","features":[503]},{"name":"CF_OPEN_FILE_FLAG_EXCLUSIVE","features":[503]},{"name":"CF_OPEN_FILE_FLAG_FOREGROUND","features":[503]},{"name":"CF_OPEN_FILE_FLAG_NONE","features":[503]},{"name":"CF_OPEN_FILE_FLAG_WRITE_ACCESS","features":[503]},{"name":"CF_OPERATION_ACK_DATA_FLAGS","features":[503]},{"name":"CF_OPERATION_ACK_DATA_FLAG_NONE","features":[503]},{"name":"CF_OPERATION_ACK_DEHYDRATE_FLAGS","features":[503]},{"name":"CF_OPERATION_ACK_DEHYDRATE_FLAG_NONE","features":[503]},{"name":"CF_OPERATION_ACK_DELETE_FLAGS","features":[503]},{"name":"CF_OPERATION_ACK_DELETE_FLAG_NONE","features":[503]},{"name":"CF_OPERATION_ACK_RENAME_FLAGS","features":[503]},{"name":"CF_OPERATION_ACK_RENAME_FLAG_NONE","features":[503]},{"name":"CF_OPERATION_INFO","features":[503,504]},{"name":"CF_OPERATION_PARAMETERS","features":[308,503,327]},{"name":"CF_OPERATION_RESTART_HYDRATION_FLAGS","features":[503]},{"name":"CF_OPERATION_RESTART_HYDRATION_FLAG_MARK_IN_SYNC","features":[503]},{"name":"CF_OPERATION_RESTART_HYDRATION_FLAG_NONE","features":[503]},{"name":"CF_OPERATION_RETRIEVE_DATA_FLAGS","features":[503]},{"name":"CF_OPERATION_RETRIEVE_DATA_FLAG_NONE","features":[503]},{"name":"CF_OPERATION_TRANSFER_DATA_FLAGS","features":[503]},{"name":"CF_OPERATION_TRANSFER_DATA_FLAG_NONE","features":[503]},{"name":"CF_OPERATION_TRANSFER_PLACEHOLDERS_FLAGS","features":[503]},{"name":"CF_OPERATION_TRANSFER_PLACEHOLDERS_FLAG_DISABLE_ON_DEMAND_POPULATION","features":[503]},{"name":"CF_OPERATION_TRANSFER_PLACEHOLDERS_FLAG_NONE","features":[503]},{"name":"CF_OPERATION_TRANSFER_PLACEHOLDERS_FLAG_STOP_ON_ERROR","features":[503]},{"name":"CF_OPERATION_TYPE","features":[503]},{"name":"CF_OPERATION_TYPE_ACK_DATA","features":[503]},{"name":"CF_OPERATION_TYPE_ACK_DEHYDRATE","features":[503]},{"name":"CF_OPERATION_TYPE_ACK_DELETE","features":[503]},{"name":"CF_OPERATION_TYPE_ACK_RENAME","features":[503]},{"name":"CF_OPERATION_TYPE_RESTART_HYDRATION","features":[503]},{"name":"CF_OPERATION_TYPE_RETRIEVE_DATA","features":[503]},{"name":"CF_OPERATION_TYPE_TRANSFER_DATA","features":[503]},{"name":"CF_OPERATION_TYPE_TRANSFER_PLACEHOLDERS","features":[503]},{"name":"CF_PIN_STATE","features":[503]},{"name":"CF_PIN_STATE_EXCLUDED","features":[503]},{"name":"CF_PIN_STATE_INHERIT","features":[503]},{"name":"CF_PIN_STATE_PINNED","features":[503]},{"name":"CF_PIN_STATE_UNPINNED","features":[503]},{"name":"CF_PIN_STATE_UNSPECIFIED","features":[503]},{"name":"CF_PLACEHOLDER_BASIC_INFO","features":[503]},{"name":"CF_PLACEHOLDER_CREATE_FLAGS","features":[503]},{"name":"CF_PLACEHOLDER_CREATE_FLAG_ALWAYS_FULL","features":[503]},{"name":"CF_PLACEHOLDER_CREATE_FLAG_DISABLE_ON_DEMAND_POPULATION","features":[503]},{"name":"CF_PLACEHOLDER_CREATE_FLAG_MARK_IN_SYNC","features":[503]},{"name":"CF_PLACEHOLDER_CREATE_FLAG_NONE","features":[503]},{"name":"CF_PLACEHOLDER_CREATE_FLAG_SUPERSEDE","features":[503]},{"name":"CF_PLACEHOLDER_CREATE_INFO","features":[503,327]},{"name":"CF_PLACEHOLDER_INFO_BASIC","features":[503]},{"name":"CF_PLACEHOLDER_INFO_CLASS","features":[503]},{"name":"CF_PLACEHOLDER_INFO_STANDARD","features":[503]},{"name":"CF_PLACEHOLDER_MANAGEMENT_POLICY","features":[503]},{"name":"CF_PLACEHOLDER_MANAGEMENT_POLICY_CONVERT_TO_UNRESTRICTED","features":[503]},{"name":"CF_PLACEHOLDER_MANAGEMENT_POLICY_CREATE_UNRESTRICTED","features":[503]},{"name":"CF_PLACEHOLDER_MANAGEMENT_POLICY_DEFAULT","features":[503]},{"name":"CF_PLACEHOLDER_MANAGEMENT_POLICY_UPDATE_UNRESTRICTED","features":[503]},{"name":"CF_PLACEHOLDER_MAX_FILE_IDENTITY_LENGTH","features":[503]},{"name":"CF_PLACEHOLDER_RANGE_INFO_CLASS","features":[503]},{"name":"CF_PLACEHOLDER_RANGE_INFO_MODIFIED","features":[503]},{"name":"CF_PLACEHOLDER_RANGE_INFO_ONDISK","features":[503]},{"name":"CF_PLACEHOLDER_RANGE_INFO_VALIDATED","features":[503]},{"name":"CF_PLACEHOLDER_STANDARD_INFO","features":[503]},{"name":"CF_PLACEHOLDER_STATE","features":[503]},{"name":"CF_PLACEHOLDER_STATE_ESSENTIAL_PROP_PRESENT","features":[503]},{"name":"CF_PLACEHOLDER_STATE_INVALID","features":[503]},{"name":"CF_PLACEHOLDER_STATE_IN_SYNC","features":[503]},{"name":"CF_PLACEHOLDER_STATE_NO_STATES","features":[503]},{"name":"CF_PLACEHOLDER_STATE_PARTIAL","features":[503]},{"name":"CF_PLACEHOLDER_STATE_PARTIALLY_ON_DISK","features":[503]},{"name":"CF_PLACEHOLDER_STATE_PLACEHOLDER","features":[503]},{"name":"CF_PLACEHOLDER_STATE_SYNC_ROOT","features":[503]},{"name":"CF_PLATFORM_INFO","features":[503]},{"name":"CF_POPULATION_POLICY","features":[503]},{"name":"CF_POPULATION_POLICY_ALWAYS_FULL","features":[503]},{"name":"CF_POPULATION_POLICY_FULL","features":[503]},{"name":"CF_POPULATION_POLICY_MODIFIER","features":[503]},{"name":"CF_POPULATION_POLICY_MODIFIER_NONE","features":[503]},{"name":"CF_POPULATION_POLICY_PARTIAL","features":[503]},{"name":"CF_POPULATION_POLICY_PRIMARY","features":[503]},{"name":"CF_PROCESS_INFO","features":[503]},{"name":"CF_PROVIDER_STATUS_CLEAR_FLAGS","features":[503]},{"name":"CF_PROVIDER_STATUS_CONNECTIVITY_LOST","features":[503]},{"name":"CF_PROVIDER_STATUS_DISCONNECTED","features":[503]},{"name":"CF_PROVIDER_STATUS_ERROR","features":[503]},{"name":"CF_PROVIDER_STATUS_IDLE","features":[503]},{"name":"CF_PROVIDER_STATUS_POPULATE_CONTENT","features":[503]},{"name":"CF_PROVIDER_STATUS_POPULATE_METADATA","features":[503]},{"name":"CF_PROVIDER_STATUS_POPULATE_NAMESPACE","features":[503]},{"name":"CF_PROVIDER_STATUS_SYNC_FULL","features":[503]},{"name":"CF_PROVIDER_STATUS_SYNC_INCREMENTAL","features":[503]},{"name":"CF_PROVIDER_STATUS_TERMINATED","features":[503]},{"name":"CF_REGISTER_FLAGS","features":[503]},{"name":"CF_REGISTER_FLAG_DISABLE_ON_DEMAND_POPULATION_ON_ROOT","features":[503]},{"name":"CF_REGISTER_FLAG_MARK_IN_SYNC_ON_ROOT","features":[503]},{"name":"CF_REGISTER_FLAG_NONE","features":[503]},{"name":"CF_REGISTER_FLAG_UPDATE","features":[503]},{"name":"CF_REQUEST_KEY_DEFAULT","features":[503]},{"name":"CF_REVERT_FLAGS","features":[503]},{"name":"CF_REVERT_FLAG_NONE","features":[503]},{"name":"CF_SET_IN_SYNC_FLAGS","features":[503]},{"name":"CF_SET_IN_SYNC_FLAG_NONE","features":[503]},{"name":"CF_SET_PIN_FLAGS","features":[503]},{"name":"CF_SET_PIN_FLAG_NONE","features":[503]},{"name":"CF_SET_PIN_FLAG_RECURSE","features":[503]},{"name":"CF_SET_PIN_FLAG_RECURSE_ONLY","features":[503]},{"name":"CF_SET_PIN_FLAG_RECURSE_STOP_ON_ERROR","features":[503]},{"name":"CF_SYNC_POLICIES","features":[503]},{"name":"CF_SYNC_PROVIDER_STATUS","features":[503]},{"name":"CF_SYNC_REGISTRATION","features":[503]},{"name":"CF_SYNC_ROOT_BASIC_INFO","features":[503]},{"name":"CF_SYNC_ROOT_INFO_BASIC","features":[503]},{"name":"CF_SYNC_ROOT_INFO_CLASS","features":[503]},{"name":"CF_SYNC_ROOT_INFO_PROVIDER","features":[503]},{"name":"CF_SYNC_ROOT_INFO_STANDARD","features":[503]},{"name":"CF_SYNC_ROOT_PROVIDER_INFO","features":[503]},{"name":"CF_SYNC_ROOT_STANDARD_INFO","features":[503]},{"name":"CF_SYNC_STATUS","features":[503]},{"name":"CF_UPDATE_FLAGS","features":[503]},{"name":"CF_UPDATE_FLAG_ALLOW_PARTIAL","features":[503]},{"name":"CF_UPDATE_FLAG_ALWAYS_FULL","features":[503]},{"name":"CF_UPDATE_FLAG_CLEAR_IN_SYNC","features":[503]},{"name":"CF_UPDATE_FLAG_DEHYDRATE","features":[503]},{"name":"CF_UPDATE_FLAG_DISABLE_ON_DEMAND_POPULATION","features":[503]},{"name":"CF_UPDATE_FLAG_ENABLE_ON_DEMAND_POPULATION","features":[503]},{"name":"CF_UPDATE_FLAG_MARK_IN_SYNC","features":[503]},{"name":"CF_UPDATE_FLAG_NONE","features":[503]},{"name":"CF_UPDATE_FLAG_PASSTHROUGH_FS_METADATA","features":[503]},{"name":"CF_UPDATE_FLAG_REMOVE_FILE_IDENTITY","features":[503]},{"name":"CF_UPDATE_FLAG_REMOVE_PROPERTY","features":[503]},{"name":"CF_UPDATE_FLAG_VERIFY_IN_SYNC","features":[503]},{"name":"CfCloseHandle","features":[308,503]},{"name":"CfConnectSyncRoot","features":[503,504]},{"name":"CfConvertToPlaceholder","features":[308,503,313]},{"name":"CfCreatePlaceholders","features":[503,327]},{"name":"CfDehydratePlaceholder","features":[308,503,313]},{"name":"CfDisconnectSyncRoot","features":[503]},{"name":"CfExecute","features":[308,503,327,504]},{"name":"CfGetCorrelationVector","features":[308,503,504]},{"name":"CfGetPlaceholderInfo","features":[308,503]},{"name":"CfGetPlaceholderRangeInfo","features":[308,503]},{"name":"CfGetPlaceholderRangeInfoForHydration","features":[503]},{"name":"CfGetPlaceholderStateFromAttributeTag","features":[503]},{"name":"CfGetPlaceholderStateFromFileInfo","features":[503,327]},{"name":"CfGetPlaceholderStateFromFindData","features":[308,503,327]},{"name":"CfGetPlatformInfo","features":[503]},{"name":"CfGetSyncRootInfoByHandle","features":[308,503]},{"name":"CfGetSyncRootInfoByPath","features":[503]},{"name":"CfGetTransferKey","features":[308,503]},{"name":"CfGetWin32HandleFromProtectedHandle","features":[308,503]},{"name":"CfHydratePlaceholder","features":[308,503,313]},{"name":"CfOpenFileWithOplock","features":[308,503]},{"name":"CfQuerySyncProviderStatus","features":[503]},{"name":"CfReferenceProtectedHandle","features":[308,503]},{"name":"CfRegisterSyncRoot","features":[503]},{"name":"CfReleaseProtectedHandle","features":[308,503]},{"name":"CfReleaseTransferKey","features":[308,503]},{"name":"CfReportProviderProgress","features":[503]},{"name":"CfReportProviderProgress2","features":[503]},{"name":"CfReportSyncStatus","features":[503]},{"name":"CfRevertPlaceholder","features":[308,503,313]},{"name":"CfSetCorrelationVector","features":[308,503,504]},{"name":"CfSetInSyncState","features":[308,503]},{"name":"CfSetPinState","features":[308,503,313]},{"name":"CfUnregisterSyncRoot","features":[503]},{"name":"CfUpdatePlaceholder","features":[308,503,327,313]},{"name":"CfUpdateSyncProviderStatus","features":[503]}],"504":[{"name":"COMPRESSOR_HANDLE","features":[505]},{"name":"COMPRESS_ALGORITHM","features":[505]},{"name":"COMPRESS_ALGORITHM_INVALID","features":[505]},{"name":"COMPRESS_ALGORITHM_LZMS","features":[505]},{"name":"COMPRESS_ALGORITHM_MAX","features":[505]},{"name":"COMPRESS_ALGORITHM_MSZIP","features":[505]},{"name":"COMPRESS_ALGORITHM_NULL","features":[505]},{"name":"COMPRESS_ALGORITHM_XPRESS","features":[505]},{"name":"COMPRESS_ALGORITHM_XPRESS_HUFF","features":[505]},{"name":"COMPRESS_ALLOCATION_ROUTINES","features":[505]},{"name":"COMPRESS_INFORMATION_CLASS","features":[505]},{"name":"COMPRESS_INFORMATION_CLASS_BLOCK_SIZE","features":[505]},{"name":"COMPRESS_INFORMATION_CLASS_INVALID","features":[505]},{"name":"COMPRESS_INFORMATION_CLASS_LEVEL","features":[505]},{"name":"COMPRESS_RAW","features":[505]},{"name":"CloseCompressor","features":[308,505]},{"name":"CloseDecompressor","features":[308,505]},{"name":"Compress","features":[308,505]},{"name":"CreateCompressor","features":[308,505]},{"name":"CreateDecompressor","features":[308,505]},{"name":"Decompress","features":[308,505]},{"name":"PFN_COMPRESS_ALLOCATE","features":[505]},{"name":"PFN_COMPRESS_FREE","features":[505]},{"name":"QueryCompressorInformation","features":[308,505]},{"name":"QueryDecompressorInformation","features":[308,505]},{"name":"ResetCompressor","features":[308,505]},{"name":"ResetDecompressor","features":[308,505]},{"name":"SetCompressorInformation","features":[308,505]},{"name":"SetDecompressorInformation","features":[308,505]}],"505":[{"name":"DDP_FILE_EXTENT","features":[506]},{"name":"DEDUP_BACKUP_SUPPORT_PARAM_TYPE","features":[506]},{"name":"DEDUP_CHUNKLIB_MAX_CHUNKS_ENUM","features":[506]},{"name":"DEDUP_CHUNK_INFO_HASH32","features":[506]},{"name":"DEDUP_CONTAINER_EXTENT","features":[506]},{"name":"DEDUP_PT_AvgChunkSizeBytes","features":[506]},{"name":"DEDUP_PT_DisableStrongHashComputation","features":[506]},{"name":"DEDUP_PT_InvariantChunking","features":[506]},{"name":"DEDUP_PT_MaxChunkSizeBytes","features":[506]},{"name":"DEDUP_PT_MinChunkSizeBytes","features":[506]},{"name":"DEDUP_RECONSTRUCT_OPTIMIZED","features":[506]},{"name":"DEDUP_RECONSTRUCT_UNOPTIMIZED","features":[506]},{"name":"DEDUP_SET_PARAM_TYPE","features":[506]},{"name":"DedupBackupSupport","features":[506]},{"name":"DedupChunk","features":[506]},{"name":"DedupChunkFlags","features":[506]},{"name":"DedupChunkFlags_Compressed","features":[506]},{"name":"DedupChunkFlags_None","features":[506]},{"name":"DedupChunkingAlgorithm","features":[506]},{"name":"DedupChunkingAlgorithm_Unknonwn","features":[506]},{"name":"DedupChunkingAlgorithm_V1","features":[506]},{"name":"DedupCompressionAlgorithm","features":[506]},{"name":"DedupCompressionAlgorithm_Unknonwn","features":[506]},{"name":"DedupCompressionAlgorithm_Xpress","features":[506]},{"name":"DedupDataPort","features":[506]},{"name":"DedupDataPortManagerOption","features":[506]},{"name":"DedupDataPortManagerOption_AutoStart","features":[506]},{"name":"DedupDataPortManagerOption_None","features":[506]},{"name":"DedupDataPortManagerOption_SkipReconciliation","features":[506]},{"name":"DedupDataPortRequestStatus","features":[506]},{"name":"DedupDataPortRequestStatus_Complete","features":[506]},{"name":"DedupDataPortRequestStatus_Failed","features":[506]},{"name":"DedupDataPortRequestStatus_Partial","features":[506]},{"name":"DedupDataPortRequestStatus_Processing","features":[506]},{"name":"DedupDataPortRequestStatus_Queued","features":[506]},{"name":"DedupDataPortRequestStatus_Unknown","features":[506]},{"name":"DedupDataPortVolumeStatus","features":[506]},{"name":"DedupDataPortVolumeStatus_Initializing","features":[506]},{"name":"DedupDataPortVolumeStatus_Maintenance","features":[506]},{"name":"DedupDataPortVolumeStatus_NotAvailable","features":[506]},{"name":"DedupDataPortVolumeStatus_NotEnabled","features":[506]},{"name":"DedupDataPortVolumeStatus_Ready","features":[506]},{"name":"DedupDataPortVolumeStatus_Shutdown","features":[506]},{"name":"DedupDataPortVolumeStatus_Unknown","features":[506]},{"name":"DedupHash","features":[506]},{"name":"DedupHashingAlgorithm","features":[506]},{"name":"DedupHashingAlgorithm_Unknonwn","features":[506]},{"name":"DedupHashingAlgorithm_V1","features":[506]},{"name":"DedupStream","features":[506]},{"name":"DedupStreamEntry","features":[506]},{"name":"IDedupBackupSupport","features":[506]},{"name":"IDedupChunkLibrary","features":[506]},{"name":"IDedupDataPort","features":[506]},{"name":"IDedupDataPortManager","features":[506]},{"name":"IDedupIterateChunksHash32","features":[506]},{"name":"IDedupReadFileCallback","features":[506]}],"506":[{"name":"DFS_ADD_VOLUME","features":[507]},{"name":"DFS_FORCE_REMOVE","features":[507]},{"name":"DFS_GET_PKT_ENTRY_STATE_ARG","features":[507]},{"name":"DFS_INFO_1","features":[507]},{"name":"DFS_INFO_100","features":[507]},{"name":"DFS_INFO_101","features":[507]},{"name":"DFS_INFO_102","features":[507]},{"name":"DFS_INFO_103","features":[507]},{"name":"DFS_INFO_104","features":[507]},{"name":"DFS_INFO_105","features":[507]},{"name":"DFS_INFO_106","features":[507]},{"name":"DFS_INFO_107","features":[311,507]},{"name":"DFS_INFO_150","features":[311,507]},{"name":"DFS_INFO_1_32","features":[507]},{"name":"DFS_INFO_2","features":[507]},{"name":"DFS_INFO_200","features":[507]},{"name":"DFS_INFO_2_32","features":[507]},{"name":"DFS_INFO_3","features":[507]},{"name":"DFS_INFO_300","features":[507]},{"name":"DFS_INFO_3_32","features":[507]},{"name":"DFS_INFO_4","features":[507]},{"name":"DFS_INFO_4_32","features":[507]},{"name":"DFS_INFO_5","features":[507]},{"name":"DFS_INFO_50","features":[507]},{"name":"DFS_INFO_6","features":[507]},{"name":"DFS_INFO_7","features":[507]},{"name":"DFS_INFO_8","features":[311,507]},{"name":"DFS_INFO_9","features":[311,507]},{"name":"DFS_MOVE_FLAG_REPLACE_IF_EXISTS","features":[507]},{"name":"DFS_NAMESPACE_VERSION_ORIGIN","features":[507]},{"name":"DFS_NAMESPACE_VERSION_ORIGIN_COMBINED","features":[507]},{"name":"DFS_NAMESPACE_VERSION_ORIGIN_DOMAIN","features":[507]},{"name":"DFS_NAMESPACE_VERSION_ORIGIN_SERVER","features":[507]},{"name":"DFS_PROPERTY_FLAG_ABDE","features":[507]},{"name":"DFS_PROPERTY_FLAG_CLUSTER_ENABLED","features":[507]},{"name":"DFS_PROPERTY_FLAG_INSITE_REFERRALS","features":[507]},{"name":"DFS_PROPERTY_FLAG_ROOT_SCALABILITY","features":[507]},{"name":"DFS_PROPERTY_FLAG_SITE_COSTING","features":[507]},{"name":"DFS_PROPERTY_FLAG_TARGET_FAILBACK","features":[507]},{"name":"DFS_RESTORE_VOLUME","features":[507]},{"name":"DFS_SITELIST_INFO","features":[507]},{"name":"DFS_SITENAME_INFO","features":[507]},{"name":"DFS_SITE_PRIMARY","features":[507]},{"name":"DFS_STORAGE_FLAVOR_UNUSED2","features":[507]},{"name":"DFS_STORAGE_INFO","features":[507]},{"name":"DFS_STORAGE_INFO_0_32","features":[507]},{"name":"DFS_STORAGE_INFO_1","features":[507]},{"name":"DFS_STORAGE_STATES","features":[507]},{"name":"DFS_STORAGE_STATE_ACTIVE","features":[507]},{"name":"DFS_STORAGE_STATE_OFFLINE","features":[507]},{"name":"DFS_STORAGE_STATE_ONLINE","features":[507]},{"name":"DFS_SUPPORTED_NAMESPACE_VERSION_INFO","features":[507]},{"name":"DFS_TARGET_PRIORITY","features":[507]},{"name":"DFS_TARGET_PRIORITY_CLASS","features":[507]},{"name":"DFS_VOLUME_FLAVORS","features":[507]},{"name":"DFS_VOLUME_FLAVOR_AD_BLOB","features":[507]},{"name":"DFS_VOLUME_FLAVOR_STANDALONE","features":[507]},{"name":"DFS_VOLUME_FLAVOR_UNUSED1","features":[507]},{"name":"DFS_VOLUME_STATES","features":[507]},{"name":"DFS_VOLUME_STATE_FORCE_SYNC","features":[507]},{"name":"DFS_VOLUME_STATE_INCONSISTENT","features":[507]},{"name":"DFS_VOLUME_STATE_OFFLINE","features":[507]},{"name":"DFS_VOLUME_STATE_OK","features":[507]},{"name":"DFS_VOLUME_STATE_ONLINE","features":[507]},{"name":"DFS_VOLUME_STATE_RESYNCHRONIZE","features":[507]},{"name":"DFS_VOLUME_STATE_STANDBY","features":[507]},{"name":"DfsGlobalHighPriorityClass","features":[507]},{"name":"DfsGlobalLowPriorityClass","features":[507]},{"name":"DfsInvalidPriorityClass","features":[507]},{"name":"DfsSiteCostHighPriorityClass","features":[507]},{"name":"DfsSiteCostLowPriorityClass","features":[507]},{"name":"DfsSiteCostNormalPriorityClass","features":[507]},{"name":"FSCTL_DFS_BASE","features":[507]},{"name":"FSCTL_DFS_GET_PKT_ENTRY_STATE","features":[507]},{"name":"NET_DFS_SETDC_FLAGS","features":[507]},{"name":"NET_DFS_SETDC_INITPKT","features":[507]},{"name":"NET_DFS_SETDC_TIMEOUT","features":[507]},{"name":"NetDfsAdd","features":[507]},{"name":"NetDfsAddFtRoot","features":[507]},{"name":"NetDfsAddRootTarget","features":[507]},{"name":"NetDfsAddStdRoot","features":[507]},{"name":"NetDfsEnum","features":[507]},{"name":"NetDfsGetClientInfo","features":[507]},{"name":"NetDfsGetFtContainerSecurity","features":[311,507]},{"name":"NetDfsGetInfo","features":[507]},{"name":"NetDfsGetSecurity","features":[311,507]},{"name":"NetDfsGetStdContainerSecurity","features":[311,507]},{"name":"NetDfsGetSupportedNamespaceVersion","features":[507]},{"name":"NetDfsMove","features":[507]},{"name":"NetDfsRemove","features":[507]},{"name":"NetDfsRemoveFtRoot","features":[507]},{"name":"NetDfsRemoveFtRootForced","features":[507]},{"name":"NetDfsRemoveRootTarget","features":[507]},{"name":"NetDfsRemoveStdRoot","features":[507]},{"name":"NetDfsSetClientInfo","features":[507]},{"name":"NetDfsSetFtContainerSecurity","features":[311,507]},{"name":"NetDfsSetInfo","features":[507]},{"name":"NetDfsSetSecurity","features":[311,507]},{"name":"NetDfsSetStdContainerSecurity","features":[311,507]}],"507":[{"name":"ACT_AUTHORIZATION_STATE","features":[508]},{"name":"ACT_AUTHORIZATION_STATE_VALUE","features":[508]},{"name":"ACT_AUTHORIZED","features":[508]},{"name":"ACT_AUTHORIZE_ON_RESUME","features":[508]},{"name":"ACT_AUTHORIZE_ON_SESSION_UNLOCK","features":[508]},{"name":"ACT_UNAUTHORIZED","features":[508]},{"name":"ACT_UNAUTHORIZE_ON_SESSION_LOCK","features":[508]},{"name":"ACT_UNAUTHORIZE_ON_SUSPEND","features":[508]},{"name":"APPUSERMODEL_STARTPINOPTION_DEFAULT","features":[508]},{"name":"APPUSERMODEL_STARTPINOPTION_NOPINONINSTALL","features":[508]},{"name":"APPUSERMODEL_STARTPINOPTION_USERPINNED","features":[508]},{"name":"AUDIO_CHANNELCOUNT_MONO","features":[508]},{"name":"AUDIO_CHANNELCOUNT_STEREO","features":[508]},{"name":"BLUETOOTH_ADDRESS_TYPE_PUBLIC","features":[508]},{"name":"BLUETOOTH_ADDRESS_TYPE_RANDOM","features":[508]},{"name":"BLUETOOTH_CACHED_MODE_UNCACHED","features":[508]},{"name":"BLUETOOTH_CACHE_MODE_CACHED","features":[508]},{"name":"CERT_CAPABILITY_ASYMMETRIC_KEY_CRYPTOGRAPHY","features":[508]},{"name":"CERT_CAPABILITY_CERTIFICATE_SUPPORT","features":[508]},{"name":"CERT_CAPABILITY_HASH_ALG","features":[508]},{"name":"CERT_CAPABILITY_OPTIONAL_FEATURES","features":[508]},{"name":"CERT_CAPABILITY_SIGNATURE_ALG","features":[508]},{"name":"CERT_MAX_CAPABILITY","features":[508]},{"name":"CERT_RSASSA_PSS_SHA1_OID","features":[508]},{"name":"CERT_RSASSA_PSS_SHA256_OID","features":[508]},{"name":"CERT_RSASSA_PSS_SHA384_OID","features":[508]},{"name":"CERT_RSASSA_PSS_SHA512_OID","features":[508]},{"name":"CERT_RSA_1024_OID","features":[508]},{"name":"CERT_RSA_2048_OID","features":[508]},{"name":"CERT_RSA_3072_OID","features":[508]},{"name":"CERT_TYPE_ASCh","features":[508]},{"name":"CERT_TYPE_ASCm","features":[508]},{"name":"CERT_TYPE_EMPTY","features":[508]},{"name":"CERT_TYPE_HCh","features":[508]},{"name":"CERT_TYPE_PCp","features":[508]},{"name":"CERT_TYPE_SIGNER","features":[508]},{"name":"CERT_VALIDATION_POLICY_BASIC","features":[508]},{"name":"CERT_VALIDATION_POLICY_EXTENDED","features":[508]},{"name":"CERT_VALIDATION_POLICY_NONE","features":[508]},{"name":"CERT_VALIDATION_POLICY_RESERVED","features":[508]},{"name":"CREATOROPENWITHUIOPTION_HIDDEN","features":[508]},{"name":"CREATOROPENWITHUIOPTION_VISIBLE","features":[508]},{"name":"ENHANCED_STORAGE_AUTHN_STATE_AUTHENTICATED","features":[508]},{"name":"ENHANCED_STORAGE_AUTHN_STATE_AUTHENTICATION_DENIED","features":[508]},{"name":"ENHANCED_STORAGE_AUTHN_STATE_DEVICE_ERROR","features":[508]},{"name":"ENHANCED_STORAGE_AUTHN_STATE_NOT_AUTHENTICATED","features":[508]},{"name":"ENHANCED_STORAGE_AUTHN_STATE_NO_AUTHENTICATION_REQUIRED","features":[508]},{"name":"ENHANCED_STORAGE_AUTHN_STATE_UNKNOWN","features":[508]},{"name":"ENHANCED_STORAGE_CAPABILITY_ASYMMETRIC_KEY_CRYPTOGRAPHY","features":[508,379]},{"name":"ENHANCED_STORAGE_CAPABILITY_CERTIFICATE_EXTENSION_PARSING","features":[508,379]},{"name":"ENHANCED_STORAGE_CAPABILITY_HASH_ALGS","features":[508,379]},{"name":"ENHANCED_STORAGE_CAPABILITY_RENDER_USER_DATA_UNUSABLE","features":[508,379]},{"name":"ENHANCED_STORAGE_CAPABILITY_SIGNING_ALGS","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_CERT_ADMIN_CERTIFICATE_AUTHENTICATION","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_CERT_CREATE_CERTIFICATE_REQUEST","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_CERT_DEVICE_CERTIFICATE_AUTHENTICATION","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_CERT_GET_ACT_FRIENDLY_NAME","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_CERT_GET_CERTIFICATE","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_CERT_GET_CERTIFICATE_COUNT","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_CERT_GET_SILO_CAPABILITIES","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_CERT_GET_SILO_CAPABILITY","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_CERT_GET_SILO_GUID","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_CERT_HOST_CERTIFICATE_AUTHENTICATION","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_CERT_INITIALIZE_TO_MANUFACTURER_STATE","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_CERT_SET_CERTIFICATE","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_CERT_UNAUTHENTICATION","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_PASSWORD_AUTHORIZE_ACT_ACCESS","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_PASSWORD_CHANGE_PASSWORD","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_PASSWORD_CONFIG_ADMINISTRATOR","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_PASSWORD_CREATE_USER","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_PASSWORD_DELETE_USER","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_PASSWORD_INITIALIZE_USER_PASSWORD","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_PASSWORD_QUERY_INFORMATION","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_PASSWORD_START_INITIALIZE_TO_MANUFACTURER_STATE","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_PASSWORD_UNAUTHORIZE_ACT_ACCESS","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_SILO_ENUMERATE_SILOS","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_SILO_GET_AUTHENTICATION_STATE","features":[508,379]},{"name":"ENHANCED_STORAGE_COMMAND_SILO_IS_AUTHENTICATION_SILO","features":[508,379]},{"name":"ENHANCED_STORAGE_PASSWORD_SILO_INFORMATION","features":[308,508]},{"name":"ENHANCED_STORAGE_PROPERTY_ADMIN_HINT","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_AUTHENTICATION_STATE","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_CERTIFICATE","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_CERTIFICATE_ACT_FRIENDLY_NAME","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_CERTIFICATE_CAPABILITY_TYPE","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_CERTIFICATE_INDEX","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_CERTIFICATE_LENGTH","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_CERTIFICATE_REQUEST","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_CERTIFICATE_SILO_CAPABILITIES","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_CERTIFICATE_SILO_CAPABILITY","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_CERTIFICATE_SILO_GUID","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_CERTIFICATE_TYPE","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_IS_AUTHENTICATION_SILO","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_MAX_AUTH_FAILURES","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_MAX_CERTIFICATE_COUNT","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_NEW_PASSWORD","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_NEW_PASSWORD_INDICATOR","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_NEXT_CERTIFICATE_INDEX","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_NEXT_CERTIFICATE_OF_TYPE_INDEX","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_OLD_PASSWORD","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_PASSWORD","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_PASSWORD_INDICATOR","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_PASSWORD_SILO_INFO","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_QUERY_SILO_RESULTS","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_QUERY_SILO_TYPE","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_SECURITY_IDENTIFIER","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_SIGNER_CERTIFICATE_INDEX","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_SILO_FRIENDLYNAME_SPECIFIED","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_SILO_NAME","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_STORED_CERTIFICATE_COUNT","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_TEMPORARY_UNAUTHENTICATION","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_USER_HINT","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_USER_NAME","features":[508,379]},{"name":"ENHANCED_STORAGE_PROPERTY_VALIDATION_POLICY","features":[508,379]},{"name":"ES_AUTHN_ERROR_END","features":[508]},{"name":"ES_AUTHN_ERROR_START","features":[508]},{"name":"ES_E_AUTHORIZED_UNEXPECTED","features":[508]},{"name":"ES_E_BAD_SEQUENCE","features":[508]},{"name":"ES_E_CHALLENGE_MISMATCH","features":[508]},{"name":"ES_E_CHALLENGE_SIZE_MISMATCH","features":[508]},{"name":"ES_E_DEVICE_DIGEST_MISSING","features":[508]},{"name":"ES_E_FRIENDLY_NAME_TOO_LONG","features":[508]},{"name":"ES_E_GROUP_POLICY_FORBIDDEN_OPERATION","features":[508]},{"name":"ES_E_GROUP_POLICY_FORBIDDEN_USE","features":[508]},{"name":"ES_E_INCOMPLETE_COMMAND","features":[508]},{"name":"ES_E_INCONSISTENT_PARAM_LENGTH","features":[508]},{"name":"ES_E_INVALID_CAPABILITY","features":[508]},{"name":"ES_E_INVALID_FIELD_IDENTIFIER","features":[508]},{"name":"ES_E_INVALID_PARAM_COMBINATION","features":[508]},{"name":"ES_E_INVALID_PARAM_LENGTH","features":[508]},{"name":"ES_E_INVALID_RESPONSE","features":[508]},{"name":"ES_E_INVALID_SILO","features":[508]},{"name":"ES_E_NOT_AUTHORIZED_UNEXPECTED","features":[508]},{"name":"ES_E_NO_AUTHENTICATION_REQUIRED","features":[508]},{"name":"ES_E_NO_PROBE","features":[508]},{"name":"ES_E_OTHER_SECURITY_PROTOCOL_ACTIVE","features":[508]},{"name":"ES_E_PASSWORD_HINT_TOO_LONG","features":[508]},{"name":"ES_E_PASSWORD_TOO_LONG","features":[508]},{"name":"ES_E_PROVISIONED_UNEXPECTED","features":[508]},{"name":"ES_E_SILO_NAME_TOO_LONG","features":[508]},{"name":"ES_E_UNKNOWN_DIGEST_ALGORITHM","features":[508]},{"name":"ES_E_UNPROVISIONED_HARDWARE","features":[508]},{"name":"ES_E_UNSUPPORTED_HARDWARE","features":[508]},{"name":"ES_GENERAL_ERROR_END","features":[508]},{"name":"ES_GENERAL_ERROR_START","features":[508]},{"name":"ES_PW_SILO_ERROR_END","features":[508]},{"name":"ES_PW_SILO_ERROR_START","features":[508]},{"name":"ES_RESERVED_COM_ERROR_END","features":[508]},{"name":"ES_RESERVED_COM_ERROR_START","features":[508]},{"name":"ES_RESERVED_SILO_ERROR_END","features":[508]},{"name":"ES_RESERVED_SILO_ERROR_START","features":[508]},{"name":"ES_RESERVED_SILO_SPECIFIC_ERROR_END","features":[508]},{"name":"ES_RESERVED_SILO_SPECIFIC_ERROR_START","features":[508]},{"name":"ES_VENDOR_ERROR_END","features":[508]},{"name":"ES_VENDOR_ERROR_START","features":[508]},{"name":"EnhancedStorageACT","features":[508]},{"name":"EnhancedStorageSilo","features":[508]},{"name":"EnhancedStorageSiloAction","features":[508]},{"name":"EnumEnhancedStorageACT","features":[508]},{"name":"FACILITY_ENHANCED_STORAGE","features":[508]},{"name":"FILEOFFLINEAVAILABILITYSTATUS_COMPLETE","features":[508]},{"name":"FILEOFFLINEAVAILABILITYSTATUS_COMPLETE_PINNED","features":[508]},{"name":"FILEOFFLINEAVAILABILITYSTATUS_EXCLUDED","features":[508]},{"name":"FILEOFFLINEAVAILABILITYSTATUS_FOLDER_EMPTY","features":[508]},{"name":"FILEOFFLINEAVAILABILITYSTATUS_NOTAVAILABLEOFFLINE","features":[508]},{"name":"FILEOFFLINEAVAILABILITYSTATUS_PARTIAL","features":[508]},{"name":"FLAGSTATUS_COMPLETED","features":[508]},{"name":"FLAGSTATUS_FOLLOWUP","features":[508]},{"name":"FLAGSTATUS_NOTFLAGGED","features":[508]},{"name":"GUID_DEVINTERFACE_ENHANCED_STORAGE_SILO","features":[508]},{"name":"HOMEGROUPING_FREQUENT","features":[508]},{"name":"HOMEGROUPING_PINNED","features":[508]},{"name":"HOMEGROUPING_RECENT","features":[508]},{"name":"HOMEGROUPING_RECOMMENDATIONS","features":[508]},{"name":"HOMEGROUPING_UNSPECIFIED","features":[508]},{"name":"IEnhancedStorageACT","features":[508]},{"name":"IEnhancedStorageACT2","features":[508]},{"name":"IEnhancedStorageACT3","features":[508]},{"name":"IEnhancedStorageSilo","features":[508]},{"name":"IEnhancedStorageSiloAction","features":[508]},{"name":"IEnumEnhancedStorageACT","features":[508]},{"name":"IMPORTANCE_HIGH_MAX","features":[508]},{"name":"IMPORTANCE_HIGH_MIN","features":[508]},{"name":"IMPORTANCE_HIGH_SET","features":[508]},{"name":"IMPORTANCE_LOW_MAX","features":[508]},{"name":"IMPORTANCE_LOW_MIN","features":[508]},{"name":"IMPORTANCE_LOW_SET","features":[508]},{"name":"IMPORTANCE_NORMAL_MAX","features":[508]},{"name":"IMPORTANCE_NORMAL_MIN","features":[508]},{"name":"IMPORTANCE_NORMAL_SET","features":[508]},{"name":"ISDEFAULTSAVE_BOTH","features":[508]},{"name":"ISDEFAULTSAVE_NONE","features":[508]},{"name":"ISDEFAULTSAVE_NONOWNER","features":[508]},{"name":"ISDEFAULTSAVE_OWNER","features":[508]},{"name":"KIND_CALENDAR","features":[508]},{"name":"KIND_COMMUNICATION","features":[508]},{"name":"KIND_CONTACT","features":[508]},{"name":"KIND_DOCUMENT","features":[508]},{"name":"KIND_EMAIL","features":[508]},{"name":"KIND_FEED","features":[508]},{"name":"KIND_FOLDER","features":[508]},{"name":"KIND_GAME","features":[508]},{"name":"KIND_INSTANTMESSAGE","features":[508]},{"name":"KIND_JOURNAL","features":[508]},{"name":"KIND_LINK","features":[508]},{"name":"KIND_MOVIE","features":[508]},{"name":"KIND_MUSIC","features":[508]},{"name":"KIND_NOTE","features":[508]},{"name":"KIND_PICTURE","features":[508]},{"name":"KIND_PLAYLIST","features":[508]},{"name":"KIND_PROGRAM","features":[508]},{"name":"KIND_RECORDEDTV","features":[508]},{"name":"KIND_SEARCHFOLDER","features":[508]},{"name":"KIND_TASK","features":[508]},{"name":"KIND_UNKNOWN","features":[508]},{"name":"KIND_VIDEO","features":[508]},{"name":"KIND_WEBHISTORY","features":[508]},{"name":"LAYOUTPATTERN_CVMFB_ALPHA","features":[508]},{"name":"LAYOUTPATTERN_CVMFB_BETA","features":[508]},{"name":"LAYOUTPATTERN_CVMFB_DELTA","features":[508]},{"name":"LAYOUTPATTERN_CVMFB_GAMMA","features":[508]},{"name":"LAYOUTPATTERN_CVMFS_ALPHA","features":[508]},{"name":"LAYOUTPATTERN_CVMFS_BETA","features":[508]},{"name":"LAYOUTPATTERN_CVMFS_DELTA","features":[508]},{"name":"LAYOUTPATTERN_CVMFS_GAMMA","features":[508]},{"name":"LINK_STATUS_BROKEN","features":[508]},{"name":"LINK_STATUS_RESOLVED","features":[508]},{"name":"OFFLINEAVAILABILITY_ALWAYS_AVAILABLE","features":[508]},{"name":"OFFLINEAVAILABILITY_AVAILABLE","features":[508]},{"name":"OFFLINEAVAILABILITY_NOT_AVAILABLE","features":[508]},{"name":"OFFLINESTATUS_OFFLINE","features":[508]},{"name":"OFFLINESTATUS_OFFLINE_ERROR","features":[508]},{"name":"OFFLINESTATUS_OFFLINE_FORCED","features":[508]},{"name":"OFFLINESTATUS_OFFLINE_ITEM_VERSION_CONFLICT","features":[508]},{"name":"OFFLINESTATUS_OFFLINE_SLOW","features":[508]},{"name":"OFFLINESTATUS_OFFLINE_SUSPENDED","features":[508]},{"name":"OFFLINESTATUS_ONLINE","features":[508]},{"name":"PHOTO_CONTRAST_HARD","features":[508]},{"name":"PHOTO_CONTRAST_NORMAL","features":[508]},{"name":"PHOTO_CONTRAST_SOFT","features":[508]},{"name":"PHOTO_EXPOSUREPROGRAM_ACTION","features":[508]},{"name":"PHOTO_EXPOSUREPROGRAM_APERTURE","features":[508]},{"name":"PHOTO_EXPOSUREPROGRAM_CREATIVE","features":[508]},{"name":"PHOTO_EXPOSUREPROGRAM_LANDSCAPE","features":[508]},{"name":"PHOTO_EXPOSUREPROGRAM_MANUAL","features":[508]},{"name":"PHOTO_EXPOSUREPROGRAM_NORMAL","features":[508]},{"name":"PHOTO_EXPOSUREPROGRAM_PORTRAIT","features":[508]},{"name":"PHOTO_EXPOSUREPROGRAM_SHUTTER","features":[508]},{"name":"PHOTO_EXPOSUREPROGRAM_UNKNOWN","features":[508]},{"name":"PHOTO_FLASH_FLASH","features":[508]},{"name":"PHOTO_FLASH_FLASH_AUTO","features":[508]},{"name":"PHOTO_FLASH_FLASH_AUTO_NORETURNLIGHT","features":[508]},{"name":"PHOTO_FLASH_FLASH_AUTO_REDEYE","features":[508]},{"name":"PHOTO_FLASH_FLASH_AUTO_REDEYE_NORETURNLIGHT","features":[508]},{"name":"PHOTO_FLASH_FLASH_AUTO_REDEYE_RETURNLIGHT","features":[508]},{"name":"PHOTO_FLASH_FLASH_AUTO_RETURNLIGHT","features":[508]},{"name":"PHOTO_FLASH_FLASH_COMPULSORY","features":[508]},{"name":"PHOTO_FLASH_FLASH_COMPULSORY_NORETURNLIGHT","features":[508]},{"name":"PHOTO_FLASH_FLASH_COMPULSORY_REDEYE","features":[508]},{"name":"PHOTO_FLASH_FLASH_COMPULSORY_REDEYE_NORETURNLIGHT","features":[508]},{"name":"PHOTO_FLASH_FLASH_COMPULSORY_REDEYE_RETURNLIGHT","features":[508]},{"name":"PHOTO_FLASH_FLASH_COMPULSORY_RETURNLIGHT","features":[508]},{"name":"PHOTO_FLASH_FLASH_REDEYE","features":[508]},{"name":"PHOTO_FLASH_FLASH_REDEYE_NORETURNLIGHT","features":[508]},{"name":"PHOTO_FLASH_FLASH_REDEYE_RETURNLIGHT","features":[508]},{"name":"PHOTO_FLASH_NOFUNCTION","features":[508]},{"name":"PHOTO_FLASH_NONE","features":[508]},{"name":"PHOTO_FLASH_NONE_AUTO","features":[508]},{"name":"PHOTO_FLASH_NONE_COMPULSORY","features":[508]},{"name":"PHOTO_FLASH_WITHOUTSTROBE","features":[508]},{"name":"PHOTO_FLASH_WITHSTROBE","features":[508]},{"name":"PHOTO_GAINCONTROL_HIGHGAINDOWN","features":[508]},{"name":"PHOTO_GAINCONTROL_HIGHGAINUP","features":[508]},{"name":"PHOTO_GAINCONTROL_LOWGAINDOWN","features":[508]},{"name":"PHOTO_GAINCONTROL_LOWGAINUP","features":[508]},{"name":"PHOTO_GAINCONTROL_NONE","features":[508]},{"name":"PHOTO_LIGHTSOURCE_D55","features":[508]},{"name":"PHOTO_LIGHTSOURCE_D65","features":[508]},{"name":"PHOTO_LIGHTSOURCE_D75","features":[508]},{"name":"PHOTO_LIGHTSOURCE_DAYLIGHT","features":[508]},{"name":"PHOTO_LIGHTSOURCE_FLUORESCENT","features":[508]},{"name":"PHOTO_LIGHTSOURCE_STANDARD_A","features":[508]},{"name":"PHOTO_LIGHTSOURCE_STANDARD_B","features":[508]},{"name":"PHOTO_LIGHTSOURCE_STANDARD_C","features":[508]},{"name":"PHOTO_LIGHTSOURCE_TUNGSTEN","features":[508]},{"name":"PHOTO_LIGHTSOURCE_UNKNOWN","features":[508]},{"name":"PHOTO_PROGRAMMODE_ACTION","features":[508]},{"name":"PHOTO_PROGRAMMODE_APERTURE","features":[508]},{"name":"PHOTO_PROGRAMMODE_CREATIVE","features":[508]},{"name":"PHOTO_PROGRAMMODE_LANDSCAPE","features":[508]},{"name":"PHOTO_PROGRAMMODE_MANUAL","features":[508]},{"name":"PHOTO_PROGRAMMODE_NORMAL","features":[508]},{"name":"PHOTO_PROGRAMMODE_NOTDEFINED","features":[508]},{"name":"PHOTO_PROGRAMMODE_PORTRAIT","features":[508]},{"name":"PHOTO_PROGRAMMODE_SHUTTER","features":[508]},{"name":"PHOTO_SATURATION_HIGH","features":[508]},{"name":"PHOTO_SATURATION_LOW","features":[508]},{"name":"PHOTO_SATURATION_NORMAL","features":[508]},{"name":"PHOTO_SHARPNESS_HARD","features":[508]},{"name":"PHOTO_SHARPNESS_NORMAL","features":[508]},{"name":"PHOTO_SHARPNESS_SOFT","features":[508]},{"name":"PHOTO_WHITEBALANCE_AUTO","features":[508]},{"name":"PHOTO_WHITEBALANCE_MANUAL","features":[508]},{"name":"PKEY_AcquisitionID","features":[508,379]},{"name":"PKEY_ActivityInfo","features":[508,379]},{"name":"PKEY_Address_Country","features":[508,379]},{"name":"PKEY_Address_CountryCode","features":[508,379]},{"name":"PKEY_Address_Region","features":[508,379]},{"name":"PKEY_Address_RegionCode","features":[508,379]},{"name":"PKEY_Address_Town","features":[508,379]},{"name":"PKEY_AppUserModel_ExcludeFromShowInNewInstall","features":[508,379]},{"name":"PKEY_AppUserModel_ID","features":[508,379]},{"name":"PKEY_AppUserModel_IsDestListSeparator","features":[508,379]},{"name":"PKEY_AppUserModel_IsDualMode","features":[508,379]},{"name":"PKEY_AppUserModel_PreventPinning","features":[508,379]},{"name":"PKEY_AppUserModel_RelaunchCommand","features":[508,379]},{"name":"PKEY_AppUserModel_RelaunchDisplayNameResource","features":[508,379]},{"name":"PKEY_AppUserModel_RelaunchIconResource","features":[508,379]},{"name":"PKEY_AppUserModel_SettingsCommand","features":[508,379]},{"name":"PKEY_AppUserModel_StartPinOption","features":[508,379]},{"name":"PKEY_AppUserModel_ToastActivatorCLSID","features":[508,379]},{"name":"PKEY_AppUserModel_UninstallCommand","features":[508,379]},{"name":"PKEY_AppUserModel_VisualElementsManifestHintPath","features":[508,379]},{"name":"PKEY_AppZoneIdentifier","features":[508,379]},{"name":"PKEY_ApplicationDefinedProperties","features":[508,379]},{"name":"PKEY_ApplicationName","features":[508,379]},{"name":"PKEY_Audio_ChannelCount","features":[508,379]},{"name":"PKEY_Audio_Compression","features":[508,379]},{"name":"PKEY_Audio_EncodingBitrate","features":[508,379]},{"name":"PKEY_Audio_Format","features":[508,379]},{"name":"PKEY_Audio_IsVariableBitRate","features":[508,379]},{"name":"PKEY_Audio_PeakValue","features":[508,379]},{"name":"PKEY_Audio_SampleRate","features":[508,379]},{"name":"PKEY_Audio_SampleSize","features":[508,379]},{"name":"PKEY_Audio_StreamName","features":[508,379]},{"name":"PKEY_Audio_StreamNumber","features":[508,379]},{"name":"PKEY_Author","features":[508,379]},{"name":"PKEY_CachedFileUpdaterContentIdForConflictResolution","features":[508,379]},{"name":"PKEY_CachedFileUpdaterContentIdForStream","features":[508,379]},{"name":"PKEY_Calendar_Duration","features":[508,379]},{"name":"PKEY_Calendar_IsOnline","features":[508,379]},{"name":"PKEY_Calendar_IsRecurring","features":[508,379]},{"name":"PKEY_Calendar_Location","features":[508,379]},{"name":"PKEY_Calendar_OptionalAttendeeAddresses","features":[508,379]},{"name":"PKEY_Calendar_OptionalAttendeeNames","features":[508,379]},{"name":"PKEY_Calendar_OrganizerAddress","features":[508,379]},{"name":"PKEY_Calendar_OrganizerName","features":[508,379]},{"name":"PKEY_Calendar_ReminderTime","features":[508,379]},{"name":"PKEY_Calendar_RequiredAttendeeAddresses","features":[508,379]},{"name":"PKEY_Calendar_RequiredAttendeeNames","features":[508,379]},{"name":"PKEY_Calendar_Resources","features":[508,379]},{"name":"PKEY_Calendar_ResponseStatus","features":[508,379]},{"name":"PKEY_Calendar_ShowTimeAs","features":[508,379]},{"name":"PKEY_Calendar_ShowTimeAsText","features":[508,379]},{"name":"PKEY_Capacity","features":[508,379]},{"name":"PKEY_Category","features":[508,379]},{"name":"PKEY_Comment","features":[508,379]},{"name":"PKEY_Communication_AccountName","features":[508,379]},{"name":"PKEY_Communication_DateItemExpires","features":[508,379]},{"name":"PKEY_Communication_Direction","features":[508,379]},{"name":"PKEY_Communication_FollowupIconIndex","features":[508,379]},{"name":"PKEY_Communication_HeaderItem","features":[508,379]},{"name":"PKEY_Communication_PolicyTag","features":[508,379]},{"name":"PKEY_Communication_SecurityFlags","features":[508,379]},{"name":"PKEY_Communication_Suffix","features":[508,379]},{"name":"PKEY_Communication_TaskStatus","features":[508,379]},{"name":"PKEY_Communication_TaskStatusText","features":[508,379]},{"name":"PKEY_Company","features":[508,379]},{"name":"PKEY_ComputerName","features":[508,379]},{"name":"PKEY_Computer_DecoratedFreeSpace","features":[508,379]},{"name":"PKEY_Contact_AccountPictureDynamicVideo","features":[508,379]},{"name":"PKEY_Contact_AccountPictureLarge","features":[508,379]},{"name":"PKEY_Contact_AccountPictureSmall","features":[508,379]},{"name":"PKEY_Contact_Anniversary","features":[508,379]},{"name":"PKEY_Contact_AssistantName","features":[508,379]},{"name":"PKEY_Contact_AssistantTelephone","features":[508,379]},{"name":"PKEY_Contact_Birthday","features":[508,379]},{"name":"PKEY_Contact_BusinessAddress","features":[508,379]},{"name":"PKEY_Contact_BusinessAddress1Country","features":[508,379]},{"name":"PKEY_Contact_BusinessAddress1Locality","features":[508,379]},{"name":"PKEY_Contact_BusinessAddress1PostalCode","features":[508,379]},{"name":"PKEY_Contact_BusinessAddress1Region","features":[508,379]},{"name":"PKEY_Contact_BusinessAddress1Street","features":[508,379]},{"name":"PKEY_Contact_BusinessAddress2Country","features":[508,379]},{"name":"PKEY_Contact_BusinessAddress2Locality","features":[508,379]},{"name":"PKEY_Contact_BusinessAddress2PostalCode","features":[508,379]},{"name":"PKEY_Contact_BusinessAddress2Region","features":[508,379]},{"name":"PKEY_Contact_BusinessAddress2Street","features":[508,379]},{"name":"PKEY_Contact_BusinessAddress3Country","features":[508,379]},{"name":"PKEY_Contact_BusinessAddress3Locality","features":[508,379]},{"name":"PKEY_Contact_BusinessAddress3PostalCode","features":[508,379]},{"name":"PKEY_Contact_BusinessAddress3Region","features":[508,379]},{"name":"PKEY_Contact_BusinessAddress3Street","features":[508,379]},{"name":"PKEY_Contact_BusinessAddressCity","features":[508,379]},{"name":"PKEY_Contact_BusinessAddressCountry","features":[508,379]},{"name":"PKEY_Contact_BusinessAddressPostOfficeBox","features":[508,379]},{"name":"PKEY_Contact_BusinessAddressPostalCode","features":[508,379]},{"name":"PKEY_Contact_BusinessAddressState","features":[508,379]},{"name":"PKEY_Contact_BusinessAddressStreet","features":[508,379]},{"name":"PKEY_Contact_BusinessEmailAddresses","features":[508,379]},{"name":"PKEY_Contact_BusinessFaxNumber","features":[508,379]},{"name":"PKEY_Contact_BusinessHomePage","features":[508,379]},{"name":"PKEY_Contact_BusinessTelephone","features":[508,379]},{"name":"PKEY_Contact_CallbackTelephone","features":[508,379]},{"name":"PKEY_Contact_CarTelephone","features":[508,379]},{"name":"PKEY_Contact_Children","features":[508,379]},{"name":"PKEY_Contact_CompanyMainTelephone","features":[508,379]},{"name":"PKEY_Contact_ConnectedServiceDisplayName","features":[508,379]},{"name":"PKEY_Contact_ConnectedServiceIdentities","features":[508,379]},{"name":"PKEY_Contact_ConnectedServiceName","features":[508,379]},{"name":"PKEY_Contact_ConnectedServiceSupportedActions","features":[508,379]},{"name":"PKEY_Contact_DataSuppliers","features":[508,379]},{"name":"PKEY_Contact_Department","features":[508,379]},{"name":"PKEY_Contact_DisplayBusinessPhoneNumbers","features":[508,379]},{"name":"PKEY_Contact_DisplayHomePhoneNumbers","features":[508,379]},{"name":"PKEY_Contact_DisplayMobilePhoneNumbers","features":[508,379]},{"name":"PKEY_Contact_DisplayOtherPhoneNumbers","features":[508,379]},{"name":"PKEY_Contact_EmailAddress","features":[508,379]},{"name":"PKEY_Contact_EmailAddress2","features":[508,379]},{"name":"PKEY_Contact_EmailAddress3","features":[508,379]},{"name":"PKEY_Contact_EmailAddresses","features":[508,379]},{"name":"PKEY_Contact_EmailName","features":[508,379]},{"name":"PKEY_Contact_FileAsName","features":[508,379]},{"name":"PKEY_Contact_FirstName","features":[508,379]},{"name":"PKEY_Contact_FullName","features":[508,379]},{"name":"PKEY_Contact_Gender","features":[508,379]},{"name":"PKEY_Contact_GenderValue","features":[508,379]},{"name":"PKEY_Contact_Hobbies","features":[508,379]},{"name":"PKEY_Contact_HomeAddress","features":[508,379]},{"name":"PKEY_Contact_HomeAddress1Country","features":[508,379]},{"name":"PKEY_Contact_HomeAddress1Locality","features":[508,379]},{"name":"PKEY_Contact_HomeAddress1PostalCode","features":[508,379]},{"name":"PKEY_Contact_HomeAddress1Region","features":[508,379]},{"name":"PKEY_Contact_HomeAddress1Street","features":[508,379]},{"name":"PKEY_Contact_HomeAddress2Country","features":[508,379]},{"name":"PKEY_Contact_HomeAddress2Locality","features":[508,379]},{"name":"PKEY_Contact_HomeAddress2PostalCode","features":[508,379]},{"name":"PKEY_Contact_HomeAddress2Region","features":[508,379]},{"name":"PKEY_Contact_HomeAddress2Street","features":[508,379]},{"name":"PKEY_Contact_HomeAddress3Country","features":[508,379]},{"name":"PKEY_Contact_HomeAddress3Locality","features":[508,379]},{"name":"PKEY_Contact_HomeAddress3PostalCode","features":[508,379]},{"name":"PKEY_Contact_HomeAddress3Region","features":[508,379]},{"name":"PKEY_Contact_HomeAddress3Street","features":[508,379]},{"name":"PKEY_Contact_HomeAddressCity","features":[508,379]},{"name":"PKEY_Contact_HomeAddressCountry","features":[508,379]},{"name":"PKEY_Contact_HomeAddressPostOfficeBox","features":[508,379]},{"name":"PKEY_Contact_HomeAddressPostalCode","features":[508,379]},{"name":"PKEY_Contact_HomeAddressState","features":[508,379]},{"name":"PKEY_Contact_HomeAddressStreet","features":[508,379]},{"name":"PKEY_Contact_HomeEmailAddresses","features":[508,379]},{"name":"PKEY_Contact_HomeFaxNumber","features":[508,379]},{"name":"PKEY_Contact_HomeTelephone","features":[508,379]},{"name":"PKEY_Contact_IMAddress","features":[508,379]},{"name":"PKEY_Contact_Initials","features":[508,379]},{"name":"PKEY_Contact_JA_CompanyNamePhonetic","features":[508,379]},{"name":"PKEY_Contact_JA_FirstNamePhonetic","features":[508,379]},{"name":"PKEY_Contact_JA_LastNamePhonetic","features":[508,379]},{"name":"PKEY_Contact_JobInfo1CompanyAddress","features":[508,379]},{"name":"PKEY_Contact_JobInfo1CompanyName","features":[508,379]},{"name":"PKEY_Contact_JobInfo1Department","features":[508,379]},{"name":"PKEY_Contact_JobInfo1Manager","features":[508,379]},{"name":"PKEY_Contact_JobInfo1OfficeLocation","features":[508,379]},{"name":"PKEY_Contact_JobInfo1Title","features":[508,379]},{"name":"PKEY_Contact_JobInfo1YomiCompanyName","features":[508,379]},{"name":"PKEY_Contact_JobInfo2CompanyAddress","features":[508,379]},{"name":"PKEY_Contact_JobInfo2CompanyName","features":[508,379]},{"name":"PKEY_Contact_JobInfo2Department","features":[508,379]},{"name":"PKEY_Contact_JobInfo2Manager","features":[508,379]},{"name":"PKEY_Contact_JobInfo2OfficeLocation","features":[508,379]},{"name":"PKEY_Contact_JobInfo2Title","features":[508,379]},{"name":"PKEY_Contact_JobInfo2YomiCompanyName","features":[508,379]},{"name":"PKEY_Contact_JobInfo3CompanyAddress","features":[508,379]},{"name":"PKEY_Contact_JobInfo3CompanyName","features":[508,379]},{"name":"PKEY_Contact_JobInfo3Department","features":[508,379]},{"name":"PKEY_Contact_JobInfo3Manager","features":[508,379]},{"name":"PKEY_Contact_JobInfo3OfficeLocation","features":[508,379]},{"name":"PKEY_Contact_JobInfo3Title","features":[508,379]},{"name":"PKEY_Contact_JobInfo3YomiCompanyName","features":[508,379]},{"name":"PKEY_Contact_JobTitle","features":[508,379]},{"name":"PKEY_Contact_Label","features":[508,379]},{"name":"PKEY_Contact_LastName","features":[508,379]},{"name":"PKEY_Contact_MailingAddress","features":[508,379]},{"name":"PKEY_Contact_MiddleName","features":[508,379]},{"name":"PKEY_Contact_MobileTelephone","features":[508,379]},{"name":"PKEY_Contact_NickName","features":[508,379]},{"name":"PKEY_Contact_OfficeLocation","features":[508,379]},{"name":"PKEY_Contact_OtherAddress","features":[508,379]},{"name":"PKEY_Contact_OtherAddress1Country","features":[508,379]},{"name":"PKEY_Contact_OtherAddress1Locality","features":[508,379]},{"name":"PKEY_Contact_OtherAddress1PostalCode","features":[508,379]},{"name":"PKEY_Contact_OtherAddress1Region","features":[508,379]},{"name":"PKEY_Contact_OtherAddress1Street","features":[508,379]},{"name":"PKEY_Contact_OtherAddress2Country","features":[508,379]},{"name":"PKEY_Contact_OtherAddress2Locality","features":[508,379]},{"name":"PKEY_Contact_OtherAddress2PostalCode","features":[508,379]},{"name":"PKEY_Contact_OtherAddress2Region","features":[508,379]},{"name":"PKEY_Contact_OtherAddress2Street","features":[508,379]},{"name":"PKEY_Contact_OtherAddress3Country","features":[508,379]},{"name":"PKEY_Contact_OtherAddress3Locality","features":[508,379]},{"name":"PKEY_Contact_OtherAddress3PostalCode","features":[508,379]},{"name":"PKEY_Contact_OtherAddress3Region","features":[508,379]},{"name":"PKEY_Contact_OtherAddress3Street","features":[508,379]},{"name":"PKEY_Contact_OtherAddressCity","features":[508,379]},{"name":"PKEY_Contact_OtherAddressCountry","features":[508,379]},{"name":"PKEY_Contact_OtherAddressPostOfficeBox","features":[508,379]},{"name":"PKEY_Contact_OtherAddressPostalCode","features":[508,379]},{"name":"PKEY_Contact_OtherAddressState","features":[508,379]},{"name":"PKEY_Contact_OtherAddressStreet","features":[508,379]},{"name":"PKEY_Contact_OtherEmailAddresses","features":[508,379]},{"name":"PKEY_Contact_PagerTelephone","features":[508,379]},{"name":"PKEY_Contact_PersonalTitle","features":[508,379]},{"name":"PKEY_Contact_PhoneNumbersCanonical","features":[508,379]},{"name":"PKEY_Contact_Prefix","features":[508,379]},{"name":"PKEY_Contact_PrimaryAddressCity","features":[508,379]},{"name":"PKEY_Contact_PrimaryAddressCountry","features":[508,379]},{"name":"PKEY_Contact_PrimaryAddressPostOfficeBox","features":[508,379]},{"name":"PKEY_Contact_PrimaryAddressPostalCode","features":[508,379]},{"name":"PKEY_Contact_PrimaryAddressState","features":[508,379]},{"name":"PKEY_Contact_PrimaryAddressStreet","features":[508,379]},{"name":"PKEY_Contact_PrimaryEmailAddress","features":[508,379]},{"name":"PKEY_Contact_PrimaryTelephone","features":[508,379]},{"name":"PKEY_Contact_Profession","features":[508,379]},{"name":"PKEY_Contact_SpouseName","features":[508,379]},{"name":"PKEY_Contact_Suffix","features":[508,379]},{"name":"PKEY_Contact_TTYTDDTelephone","features":[508,379]},{"name":"PKEY_Contact_TelexNumber","features":[508,379]},{"name":"PKEY_Contact_WebPage","features":[508,379]},{"name":"PKEY_Contact_Webpage2","features":[508,379]},{"name":"PKEY_Contact_Webpage3","features":[508,379]},{"name":"PKEY_ContainedItems","features":[508,379]},{"name":"PKEY_ContentId","features":[508,379]},{"name":"PKEY_ContentStatus","features":[508,379]},{"name":"PKEY_ContentType","features":[508,379]},{"name":"PKEY_ContentUri","features":[508,379]},{"name":"PKEY_Copyright","features":[508,379]},{"name":"PKEY_CreatorAppId","features":[508,379]},{"name":"PKEY_CreatorOpenWithUIOptions","features":[508,379]},{"name":"PKEY_DRM_DatePlayExpires","features":[508,379]},{"name":"PKEY_DRM_DatePlayStarts","features":[508,379]},{"name":"PKEY_DRM_Description","features":[508,379]},{"name":"PKEY_DRM_IsDisabled","features":[508,379]},{"name":"PKEY_DRM_IsProtected","features":[508,379]},{"name":"PKEY_DRM_PlayCount","features":[508,379]},{"name":"PKEY_DataObjectFormat","features":[508,379]},{"name":"PKEY_DateAccessed","features":[508,379]},{"name":"PKEY_DateAcquired","features":[508,379]},{"name":"PKEY_DateArchived","features":[508,379]},{"name":"PKEY_DateCompleted","features":[508,379]},{"name":"PKEY_DateCreated","features":[508,379]},{"name":"PKEY_DateImported","features":[508,379]},{"name":"PKEY_DateModified","features":[508,379]},{"name":"PKEY_DefaultSaveLocationDisplay","features":[508,379]},{"name":"PKEY_DescriptionID","features":[508,379]},{"name":"PKEY_DeviceInterface_Bluetooth_DeviceAddress","features":[508,379]},{"name":"PKEY_DeviceInterface_Bluetooth_Flags","features":[508,379]},{"name":"PKEY_DeviceInterface_Bluetooth_LastConnectedTime","features":[508,379]},{"name":"PKEY_DeviceInterface_Bluetooth_Manufacturer","features":[508,379]},{"name":"PKEY_DeviceInterface_Bluetooth_ModelNumber","features":[508,379]},{"name":"PKEY_DeviceInterface_Bluetooth_ProductId","features":[508,379]},{"name":"PKEY_DeviceInterface_Bluetooth_ProductVersion","features":[508,379]},{"name":"PKEY_DeviceInterface_Bluetooth_ServiceGuid","features":[508,379]},{"name":"PKEY_DeviceInterface_Bluetooth_VendorId","features":[508,379]},{"name":"PKEY_DeviceInterface_Bluetooth_VendorIdSource","features":[508,379]},{"name":"PKEY_DeviceInterface_Hid_IsReadOnly","features":[508,379]},{"name":"PKEY_DeviceInterface_Hid_ProductId","features":[508,379]},{"name":"PKEY_DeviceInterface_Hid_UsageId","features":[508,379]},{"name":"PKEY_DeviceInterface_Hid_UsagePage","features":[508,379]},{"name":"PKEY_DeviceInterface_Hid_VendorId","features":[508,379]},{"name":"PKEY_DeviceInterface_Hid_VersionNumber","features":[508,379]},{"name":"PKEY_DeviceInterface_PrinterDriverDirectory","features":[508,379]},{"name":"PKEY_DeviceInterface_PrinterDriverName","features":[508,379]},{"name":"PKEY_DeviceInterface_PrinterEnumerationFlag","features":[508,379]},{"name":"PKEY_DeviceInterface_PrinterName","features":[508,379]},{"name":"PKEY_DeviceInterface_PrinterPortName","features":[508,379]},{"name":"PKEY_DeviceInterface_Proximity_SupportsNfc","features":[508,379]},{"name":"PKEY_DeviceInterface_Serial_PortName","features":[508,379]},{"name":"PKEY_DeviceInterface_Serial_UsbProductId","features":[508,379]},{"name":"PKEY_DeviceInterface_Serial_UsbVendorId","features":[508,379]},{"name":"PKEY_DeviceInterface_WinUsb_DeviceInterfaceClasses","features":[508,379]},{"name":"PKEY_DeviceInterface_WinUsb_UsbClass","features":[508,379]},{"name":"PKEY_DeviceInterface_WinUsb_UsbProductId","features":[508,379]},{"name":"PKEY_DeviceInterface_WinUsb_UsbProtocol","features":[508,379]},{"name":"PKEY_DeviceInterface_WinUsb_UsbSubClass","features":[508,379]},{"name":"PKEY_DeviceInterface_WinUsb_UsbVendorId","features":[508,379]},{"name":"PKEY_Device_PrinterURL","features":[508,379]},{"name":"PKEY_Devices_AepContainer_CanPair","features":[508,379]},{"name":"PKEY_Devices_AepContainer_Categories","features":[508,379]},{"name":"PKEY_Devices_AepContainer_Children","features":[508,379]},{"name":"PKEY_Devices_AepContainer_ContainerId","features":[508,379]},{"name":"PKEY_Devices_AepContainer_DialProtocol_InstalledApplications","features":[508,379]},{"name":"PKEY_Devices_AepContainer_IsPaired","features":[508,379]},{"name":"PKEY_Devices_AepContainer_IsPresent","features":[508,379]},{"name":"PKEY_Devices_AepContainer_Manufacturer","features":[508,379]},{"name":"PKEY_Devices_AepContainer_ModelIds","features":[508,379]},{"name":"PKEY_Devices_AepContainer_ModelName","features":[508,379]},{"name":"PKEY_Devices_AepContainer_ProtocolIds","features":[508,379]},{"name":"PKEY_Devices_AepContainer_SupportedUriSchemes","features":[508,379]},{"name":"PKEY_Devices_AepContainer_SupportsAudio","features":[508,379]},{"name":"PKEY_Devices_AepContainer_SupportsCapturing","features":[508,379]},{"name":"PKEY_Devices_AepContainer_SupportsImages","features":[508,379]},{"name":"PKEY_Devices_AepContainer_SupportsInformation","features":[508,379]},{"name":"PKEY_Devices_AepContainer_SupportsLimitedDiscovery","features":[508,379]},{"name":"PKEY_Devices_AepContainer_SupportsNetworking","features":[508,379]},{"name":"PKEY_Devices_AepContainer_SupportsObjectTransfer","features":[508,379]},{"name":"PKEY_Devices_AepContainer_SupportsPositioning","features":[508,379]},{"name":"PKEY_Devices_AepContainer_SupportsRendering","features":[508,379]},{"name":"PKEY_Devices_AepContainer_SupportsTelephony","features":[508,379]},{"name":"PKEY_Devices_AepContainer_SupportsVideo","features":[508,379]},{"name":"PKEY_Devices_AepService_AepId","features":[508,379]},{"name":"PKEY_Devices_AepService_Bluetooth_CacheMode","features":[508,379]},{"name":"PKEY_Devices_AepService_Bluetooth_ServiceGuid","features":[508,379]},{"name":"PKEY_Devices_AepService_Bluetooth_TargetDevice","features":[508,379]},{"name":"PKEY_Devices_AepService_ContainerId","features":[508,379]},{"name":"PKEY_Devices_AepService_FriendlyName","features":[508,379]},{"name":"PKEY_Devices_AepService_IoT_ServiceInterfaces","features":[508,379]},{"name":"PKEY_Devices_AepService_ParentAepIsPaired","features":[508,379]},{"name":"PKEY_Devices_AepService_ProtocolId","features":[508,379]},{"name":"PKEY_Devices_AepService_ServiceClassId","features":[508,379]},{"name":"PKEY_Devices_AepService_ServiceId","features":[508,379]},{"name":"PKEY_Devices_Aep_AepId","features":[508,379]},{"name":"PKEY_Devices_Aep_Bluetooth_Cod_Major","features":[508,379]},{"name":"PKEY_Devices_Aep_Bluetooth_Cod_Minor","features":[508,379]},{"name":"PKEY_Devices_Aep_Bluetooth_Cod_Services_Audio","features":[508,379]},{"name":"PKEY_Devices_Aep_Bluetooth_Cod_Services_Capturing","features":[508,379]},{"name":"PKEY_Devices_Aep_Bluetooth_Cod_Services_Information","features":[508,379]},{"name":"PKEY_Devices_Aep_Bluetooth_Cod_Services_LimitedDiscovery","features":[508,379]},{"name":"PKEY_Devices_Aep_Bluetooth_Cod_Services_Networking","features":[508,379]},{"name":"PKEY_Devices_Aep_Bluetooth_Cod_Services_ObjectXfer","features":[508,379]},{"name":"PKEY_Devices_Aep_Bluetooth_Cod_Services_Positioning","features":[508,379]},{"name":"PKEY_Devices_Aep_Bluetooth_Cod_Services_Rendering","features":[508,379]},{"name":"PKEY_Devices_Aep_Bluetooth_Cod_Services_Telephony","features":[508,379]},{"name":"PKEY_Devices_Aep_Bluetooth_LastSeenTime","features":[508,379]},{"name":"PKEY_Devices_Aep_Bluetooth_Le_AddressType","features":[508,379]},{"name":"PKEY_Devices_Aep_Bluetooth_Le_Appearance","features":[508,379]},{"name":"PKEY_Devices_Aep_Bluetooth_Le_Appearance_Category","features":[508,379]},{"name":"PKEY_Devices_Aep_Bluetooth_Le_Appearance_Subcategory","features":[508,379]},{"name":"PKEY_Devices_Aep_Bluetooth_Le_IsConnectable","features":[508,379]},{"name":"PKEY_Devices_Aep_CanPair","features":[508,379]},{"name":"PKEY_Devices_Aep_Category","features":[508,379]},{"name":"PKEY_Devices_Aep_ContainerId","features":[508,379]},{"name":"PKEY_Devices_Aep_DeviceAddress","features":[508,379]},{"name":"PKEY_Devices_Aep_IsConnected","features":[508,379]},{"name":"PKEY_Devices_Aep_IsPaired","features":[508,379]},{"name":"PKEY_Devices_Aep_IsPresent","features":[508,379]},{"name":"PKEY_Devices_Aep_Manufacturer","features":[508,379]},{"name":"PKEY_Devices_Aep_ModelId","features":[508,379]},{"name":"PKEY_Devices_Aep_ModelName","features":[508,379]},{"name":"PKEY_Devices_Aep_PointOfService_ConnectionTypes","features":[508,379]},{"name":"PKEY_Devices_Aep_ProtocolId","features":[508,379]},{"name":"PKEY_Devices_Aep_SignalStrength","features":[508,379]},{"name":"PKEY_Devices_AppPackageFamilyName","features":[508,379]},{"name":"PKEY_Devices_AudioDevice_Microphone_IsFarField","features":[508,379]},{"name":"PKEY_Devices_AudioDevice_Microphone_SensitivityInDbfs","features":[508,379]},{"name":"PKEY_Devices_AudioDevice_Microphone_SensitivityInDbfs2","features":[508,379]},{"name":"PKEY_Devices_AudioDevice_Microphone_SignalToNoiseRatioInDb","features":[508,379]},{"name":"PKEY_Devices_AudioDevice_RawProcessingSupported","features":[508,379]},{"name":"PKEY_Devices_AudioDevice_SpeechProcessingSupported","features":[508,379]},{"name":"PKEY_Devices_BatteryLife","features":[508,379]},{"name":"PKEY_Devices_BatteryPlusCharging","features":[508,379]},{"name":"PKEY_Devices_BatteryPlusChargingText","features":[508,379]},{"name":"PKEY_Devices_Category","features":[508,379]},{"name":"PKEY_Devices_CategoryGroup","features":[508,379]},{"name":"PKEY_Devices_CategoryIds","features":[508,379]},{"name":"PKEY_Devices_CategoryPlural","features":[508,379]},{"name":"PKEY_Devices_ChallengeAep","features":[508,379]},{"name":"PKEY_Devices_ChargingState","features":[508,379]},{"name":"PKEY_Devices_Children","features":[508,379]},{"name":"PKEY_Devices_ClassGuid","features":[508,379]},{"name":"PKEY_Devices_CompatibleIds","features":[508,379]},{"name":"PKEY_Devices_Connected","features":[508,379]},{"name":"PKEY_Devices_ContainerId","features":[508,379]},{"name":"PKEY_Devices_DefaultTooltip","features":[508,379]},{"name":"PKEY_Devices_DevObjectType","features":[508,379]},{"name":"PKEY_Devices_DeviceCapabilities","features":[508,379]},{"name":"PKEY_Devices_DeviceCharacteristics","features":[508,379]},{"name":"PKEY_Devices_DeviceDescription1","features":[508,379]},{"name":"PKEY_Devices_DeviceDescription2","features":[508,379]},{"name":"PKEY_Devices_DeviceHasProblem","features":[508,379]},{"name":"PKEY_Devices_DeviceInstanceId","features":[508,379]},{"name":"PKEY_Devices_DeviceManufacturer","features":[508,379]},{"name":"PKEY_Devices_DialProtocol_InstalledApplications","features":[508,379]},{"name":"PKEY_Devices_DiscoveryMethod","features":[508,379]},{"name":"PKEY_Devices_Dnssd_Domain","features":[508,379]},{"name":"PKEY_Devices_Dnssd_FullName","features":[508,379]},{"name":"PKEY_Devices_Dnssd_HostName","features":[508,379]},{"name":"PKEY_Devices_Dnssd_InstanceName","features":[508,379]},{"name":"PKEY_Devices_Dnssd_NetworkAdapterId","features":[508,379]},{"name":"PKEY_Devices_Dnssd_PortNumber","features":[508,379]},{"name":"PKEY_Devices_Dnssd_Priority","features":[508,379]},{"name":"PKEY_Devices_Dnssd_ServiceName","features":[508,379]},{"name":"PKEY_Devices_Dnssd_TextAttributes","features":[508,379]},{"name":"PKEY_Devices_Dnssd_Ttl","features":[508,379]},{"name":"PKEY_Devices_Dnssd_Weight","features":[508,379]},{"name":"PKEY_Devices_FriendlyName","features":[508,379]},{"name":"PKEY_Devices_FunctionPaths","features":[508,379]},{"name":"PKEY_Devices_GlyphIcon","features":[508,379]},{"name":"PKEY_Devices_HardwareIds","features":[508,379]},{"name":"PKEY_Devices_Icon","features":[508,379]},{"name":"PKEY_Devices_InLocalMachineContainer","features":[508,379]},{"name":"PKEY_Devices_InterfaceClassGuid","features":[508,379]},{"name":"PKEY_Devices_InterfaceEnabled","features":[508,379]},{"name":"PKEY_Devices_InterfacePaths","features":[508,379]},{"name":"PKEY_Devices_IpAddress","features":[508,379]},{"name":"PKEY_Devices_IsDefault","features":[508,379]},{"name":"PKEY_Devices_IsNetworkConnected","features":[508,379]},{"name":"PKEY_Devices_IsShared","features":[508,379]},{"name":"PKEY_Devices_IsSoftwareInstalling","features":[508,379]},{"name":"PKEY_Devices_LaunchDeviceStageFromExplorer","features":[508,379]},{"name":"PKEY_Devices_LocalMachine","features":[508,379]},{"name":"PKEY_Devices_LocationPaths","features":[508,379]},{"name":"PKEY_Devices_Manufacturer","features":[508,379]},{"name":"PKEY_Devices_MetadataPath","features":[508,379]},{"name":"PKEY_Devices_MicrophoneArray_Geometry","features":[508,379]},{"name":"PKEY_Devices_MissedCalls","features":[508,379]},{"name":"PKEY_Devices_ModelId","features":[508,379]},{"name":"PKEY_Devices_ModelName","features":[508,379]},{"name":"PKEY_Devices_ModelNumber","features":[508,379]},{"name":"PKEY_Devices_NetworkName","features":[508,379]},{"name":"PKEY_Devices_NetworkType","features":[508,379]},{"name":"PKEY_Devices_NetworkedTooltip","features":[508,379]},{"name":"PKEY_Devices_NewPictures","features":[508,379]},{"name":"PKEY_Devices_NotWorkingProperly","features":[508,379]},{"name":"PKEY_Devices_Notification","features":[508,379]},{"name":"PKEY_Devices_NotificationStore","features":[508,379]},{"name":"PKEY_Devices_Notifications_LowBattery","features":[508,379]},{"name":"PKEY_Devices_Notifications_MissedCall","features":[508,379]},{"name":"PKEY_Devices_Notifications_NewMessage","features":[508,379]},{"name":"PKEY_Devices_Notifications_NewVoicemail","features":[508,379]},{"name":"PKEY_Devices_Notifications_StorageFull","features":[508,379]},{"name":"PKEY_Devices_Notifications_StorageFullLinkText","features":[508,379]},{"name":"PKEY_Devices_Paired","features":[508,379]},{"name":"PKEY_Devices_Panel_PanelGroup","features":[508,379]},{"name":"PKEY_Devices_Panel_PanelId","features":[508,379]},{"name":"PKEY_Devices_Parent","features":[508,379]},{"name":"PKEY_Devices_PhoneLineTransportDevice_Connected","features":[508,379]},{"name":"PKEY_Devices_PhysicalDeviceLocation","features":[508,379]},{"name":"PKEY_Devices_PlaybackPositionPercent","features":[508,379]},{"name":"PKEY_Devices_PlaybackState","features":[508,379]},{"name":"PKEY_Devices_PlaybackTitle","features":[508,379]},{"name":"PKEY_Devices_Present","features":[508,379]},{"name":"PKEY_Devices_PresentationUrl","features":[508,379]},{"name":"PKEY_Devices_PrimaryCategory","features":[508,379]},{"name":"PKEY_Devices_RemainingDuration","features":[508,379]},{"name":"PKEY_Devices_RestrictedInterface","features":[508,379]},{"name":"PKEY_Devices_Roaming","features":[508,379]},{"name":"PKEY_Devices_SafeRemovalRequired","features":[508,379]},{"name":"PKEY_Devices_SchematicName","features":[508,379]},{"name":"PKEY_Devices_ServiceAddress","features":[508,379]},{"name":"PKEY_Devices_ServiceId","features":[508,379]},{"name":"PKEY_Devices_SharedTooltip","features":[508,379]},{"name":"PKEY_Devices_SignalStrength","features":[508,379]},{"name":"PKEY_Devices_SmartCards_ReaderKind","features":[508,379]},{"name":"PKEY_Devices_Status","features":[508,379]},{"name":"PKEY_Devices_Status1","features":[508,379]},{"name":"PKEY_Devices_Status2","features":[508,379]},{"name":"PKEY_Devices_StorageCapacity","features":[508,379]},{"name":"PKEY_Devices_StorageFreeSpace","features":[508,379]},{"name":"PKEY_Devices_StorageFreeSpacePercent","features":[508,379]},{"name":"PKEY_Devices_TextMessages","features":[508,379]},{"name":"PKEY_Devices_Voicemail","features":[508,379]},{"name":"PKEY_Devices_WiFiDirectServices_AdvertisementId","features":[508,379]},{"name":"PKEY_Devices_WiFiDirectServices_RequestServiceInformation","features":[508,379]},{"name":"PKEY_Devices_WiFiDirectServices_ServiceAddress","features":[508,379]},{"name":"PKEY_Devices_WiFiDirectServices_ServiceConfigMethods","features":[508,379]},{"name":"PKEY_Devices_WiFiDirectServices_ServiceInformation","features":[508,379]},{"name":"PKEY_Devices_WiFiDirectServices_ServiceName","features":[508,379]},{"name":"PKEY_Devices_WiFiDirect_DeviceAddress","features":[508,379]},{"name":"PKEY_Devices_WiFiDirect_GroupId","features":[508,379]},{"name":"PKEY_Devices_WiFiDirect_InformationElements","features":[508,379]},{"name":"PKEY_Devices_WiFiDirect_InterfaceAddress","features":[508,379]},{"name":"PKEY_Devices_WiFiDirect_InterfaceGuid","features":[508,379]},{"name":"PKEY_Devices_WiFiDirect_IsConnected","features":[508,379]},{"name":"PKEY_Devices_WiFiDirect_IsLegacyDevice","features":[508,379]},{"name":"PKEY_Devices_WiFiDirect_IsMiracastLcpSupported","features":[508,379]},{"name":"PKEY_Devices_WiFiDirect_IsVisible","features":[508,379]},{"name":"PKEY_Devices_WiFiDirect_MiracastVersion","features":[508,379]},{"name":"PKEY_Devices_WiFiDirect_Services","features":[508,379]},{"name":"PKEY_Devices_WiFiDirect_SupportedChannelList","features":[508,379]},{"name":"PKEY_Devices_WiFi_InterfaceGuid","features":[508,379]},{"name":"PKEY_Devices_WiaDeviceType","features":[508,379]},{"name":"PKEY_Devices_WinPhone8CameraFlags","features":[508,379]},{"name":"PKEY_Devices_Wwan_InterfaceGuid","features":[508,379]},{"name":"PKEY_Document_ByteCount","features":[508,379]},{"name":"PKEY_Document_CharacterCount","features":[508,379]},{"name":"PKEY_Document_ClientID","features":[508,379]},{"name":"PKEY_Document_Contributor","features":[508,379]},{"name":"PKEY_Document_DateCreated","features":[508,379]},{"name":"PKEY_Document_DatePrinted","features":[508,379]},{"name":"PKEY_Document_DateSaved","features":[508,379]},{"name":"PKEY_Document_Division","features":[508,379]},{"name":"PKEY_Document_DocumentID","features":[508,379]},{"name":"PKEY_Document_HiddenSlideCount","features":[508,379]},{"name":"PKEY_Document_LastAuthor","features":[508,379]},{"name":"PKEY_Document_LineCount","features":[508,379]},{"name":"PKEY_Document_Manager","features":[508,379]},{"name":"PKEY_Document_MultimediaClipCount","features":[508,379]},{"name":"PKEY_Document_NoteCount","features":[508,379]},{"name":"PKEY_Document_PageCount","features":[508,379]},{"name":"PKEY_Document_ParagraphCount","features":[508,379]},{"name":"PKEY_Document_PresentationFormat","features":[508,379]},{"name":"PKEY_Document_RevisionNumber","features":[508,379]},{"name":"PKEY_Document_Security","features":[508,379]},{"name":"PKEY_Document_SlideCount","features":[508,379]},{"name":"PKEY_Document_Template","features":[508,379]},{"name":"PKEY_Document_TotalEditingTime","features":[508,379]},{"name":"PKEY_Document_Version","features":[508,379]},{"name":"PKEY_Document_WordCount","features":[508,379]},{"name":"PKEY_DueDate","features":[508,379]},{"name":"PKEY_EdgeGesture_DisableTouchWhenFullscreen","features":[508,379]},{"name":"PKEY_EndDate","features":[508,379]},{"name":"PKEY_ExpandoProperties","features":[508,379]},{"name":"PKEY_FileAllocationSize","features":[508,379]},{"name":"PKEY_FileAttributes","features":[508,379]},{"name":"PKEY_FileCount","features":[508,379]},{"name":"PKEY_FileDescription","features":[508,379]},{"name":"PKEY_FileExtension","features":[508,379]},{"name":"PKEY_FileFRN","features":[508,379]},{"name":"PKEY_FileName","features":[508,379]},{"name":"PKEY_FileOfflineAvailabilityStatus","features":[508,379]},{"name":"PKEY_FileOwner","features":[508,379]},{"name":"PKEY_FilePlaceholderStatus","features":[508,379]},{"name":"PKEY_FileVersion","features":[508,379]},{"name":"PKEY_FindData","features":[508,379]},{"name":"PKEY_FlagColor","features":[508,379]},{"name":"PKEY_FlagColorText","features":[508,379]},{"name":"PKEY_FlagStatus","features":[508,379]},{"name":"PKEY_FlagStatusText","features":[508,379]},{"name":"PKEY_FolderKind","features":[508,379]},{"name":"PKEY_FolderNameDisplay","features":[508,379]},{"name":"PKEY_FreeSpace","features":[508,379]},{"name":"PKEY_FullText","features":[508,379]},{"name":"PKEY_GPS_Altitude","features":[508,379]},{"name":"PKEY_GPS_AltitudeDenominator","features":[508,379]},{"name":"PKEY_GPS_AltitudeNumerator","features":[508,379]},{"name":"PKEY_GPS_AltitudeRef","features":[508,379]},{"name":"PKEY_GPS_AreaInformation","features":[508,379]},{"name":"PKEY_GPS_DOP","features":[508,379]},{"name":"PKEY_GPS_DOPDenominator","features":[508,379]},{"name":"PKEY_GPS_DOPNumerator","features":[508,379]},{"name":"PKEY_GPS_Date","features":[508,379]},{"name":"PKEY_GPS_DestBearing","features":[508,379]},{"name":"PKEY_GPS_DestBearingDenominator","features":[508,379]},{"name":"PKEY_GPS_DestBearingNumerator","features":[508,379]},{"name":"PKEY_GPS_DestBearingRef","features":[508,379]},{"name":"PKEY_GPS_DestDistance","features":[508,379]},{"name":"PKEY_GPS_DestDistanceDenominator","features":[508,379]},{"name":"PKEY_GPS_DestDistanceNumerator","features":[508,379]},{"name":"PKEY_GPS_DestDistanceRef","features":[508,379]},{"name":"PKEY_GPS_DestLatitude","features":[508,379]},{"name":"PKEY_GPS_DestLatitudeDenominator","features":[508,379]},{"name":"PKEY_GPS_DestLatitudeNumerator","features":[508,379]},{"name":"PKEY_GPS_DestLatitudeRef","features":[508,379]},{"name":"PKEY_GPS_DestLongitude","features":[508,379]},{"name":"PKEY_GPS_DestLongitudeDenominator","features":[508,379]},{"name":"PKEY_GPS_DestLongitudeNumerator","features":[508,379]},{"name":"PKEY_GPS_DestLongitudeRef","features":[508,379]},{"name":"PKEY_GPS_Differential","features":[508,379]},{"name":"PKEY_GPS_ImgDirection","features":[508,379]},{"name":"PKEY_GPS_ImgDirectionDenominator","features":[508,379]},{"name":"PKEY_GPS_ImgDirectionNumerator","features":[508,379]},{"name":"PKEY_GPS_ImgDirectionRef","features":[508,379]},{"name":"PKEY_GPS_Latitude","features":[508,379]},{"name":"PKEY_GPS_LatitudeDecimal","features":[508,379]},{"name":"PKEY_GPS_LatitudeDenominator","features":[508,379]},{"name":"PKEY_GPS_LatitudeNumerator","features":[508,379]},{"name":"PKEY_GPS_LatitudeRef","features":[508,379]},{"name":"PKEY_GPS_Longitude","features":[508,379]},{"name":"PKEY_GPS_LongitudeDecimal","features":[508,379]},{"name":"PKEY_GPS_LongitudeDenominator","features":[508,379]},{"name":"PKEY_GPS_LongitudeNumerator","features":[508,379]},{"name":"PKEY_GPS_LongitudeRef","features":[508,379]},{"name":"PKEY_GPS_MapDatum","features":[508,379]},{"name":"PKEY_GPS_MeasureMode","features":[508,379]},{"name":"PKEY_GPS_ProcessingMethod","features":[508,379]},{"name":"PKEY_GPS_Satellites","features":[508,379]},{"name":"PKEY_GPS_Speed","features":[508,379]},{"name":"PKEY_GPS_SpeedDenominator","features":[508,379]},{"name":"PKEY_GPS_SpeedNumerator","features":[508,379]},{"name":"PKEY_GPS_SpeedRef","features":[508,379]},{"name":"PKEY_GPS_Status","features":[508,379]},{"name":"PKEY_GPS_Track","features":[508,379]},{"name":"PKEY_GPS_TrackDenominator","features":[508,379]},{"name":"PKEY_GPS_TrackNumerator","features":[508,379]},{"name":"PKEY_GPS_TrackRef","features":[508,379]},{"name":"PKEY_GPS_VersionID","features":[508,379]},{"name":"PKEY_HighKeywords","features":[508,379]},{"name":"PKEY_History_SelectionCount","features":[508,379]},{"name":"PKEY_History_TargetUrlHostName","features":[508,379]},{"name":"PKEY_History_VisitCount","features":[508,379]},{"name":"PKEY_Home_Grouping","features":[508,379]},{"name":"PKEY_Home_IsPinned","features":[508,379]},{"name":"PKEY_Home_ItemFolderPathDisplay","features":[508,379]},{"name":"PKEY_Identity","features":[508,379]},{"name":"PKEY_IdentityProvider_Name","features":[508,379]},{"name":"PKEY_IdentityProvider_Picture","features":[508,379]},{"name":"PKEY_Identity_Blob","features":[508,379]},{"name":"PKEY_Identity_DisplayName","features":[508,379]},{"name":"PKEY_Identity_InternetSid","features":[508,379]},{"name":"PKEY_Identity_IsMeIdentity","features":[508,379]},{"name":"PKEY_Identity_KeyProviderContext","features":[508,379]},{"name":"PKEY_Identity_KeyProviderName","features":[508,379]},{"name":"PKEY_Identity_LogonStatusString","features":[508,379]},{"name":"PKEY_Identity_PrimaryEmailAddress","features":[508,379]},{"name":"PKEY_Identity_PrimarySid","features":[508,379]},{"name":"PKEY_Identity_ProviderData","features":[508,379]},{"name":"PKEY_Identity_ProviderID","features":[508,379]},{"name":"PKEY_Identity_QualifiedUserName","features":[508,379]},{"name":"PKEY_Identity_UniqueID","features":[508,379]},{"name":"PKEY_Identity_UserName","features":[508,379]},{"name":"PKEY_ImageParsingName","features":[508,379]},{"name":"PKEY_Image_BitDepth","features":[508,379]},{"name":"PKEY_Image_ColorSpace","features":[508,379]},{"name":"PKEY_Image_CompressedBitsPerPixel","features":[508,379]},{"name":"PKEY_Image_CompressedBitsPerPixelDenominator","features":[508,379]},{"name":"PKEY_Image_CompressedBitsPerPixelNumerator","features":[508,379]},{"name":"PKEY_Image_Compression","features":[508,379]},{"name":"PKEY_Image_CompressionText","features":[508,379]},{"name":"PKEY_Image_Dimensions","features":[508,379]},{"name":"PKEY_Image_HorizontalResolution","features":[508,379]},{"name":"PKEY_Image_HorizontalSize","features":[508,379]},{"name":"PKEY_Image_ImageID","features":[508,379]},{"name":"PKEY_Image_ResolutionUnit","features":[508,379]},{"name":"PKEY_Image_VerticalResolution","features":[508,379]},{"name":"PKEY_Image_VerticalSize","features":[508,379]},{"name":"PKEY_Importance","features":[508,379]},{"name":"PKEY_ImportanceText","features":[508,379]},{"name":"PKEY_InfoTipText","features":[508,379]},{"name":"PKEY_InternalName","features":[508,379]},{"name":"PKEY_IsAttachment","features":[508,379]},{"name":"PKEY_IsDefaultNonOwnerSaveLocation","features":[508,379]},{"name":"PKEY_IsDefaultSaveLocation","features":[508,379]},{"name":"PKEY_IsDeleted","features":[508,379]},{"name":"PKEY_IsEncrypted","features":[508,379]},{"name":"PKEY_IsFlagged","features":[508,379]},{"name":"PKEY_IsFlaggedComplete","features":[508,379]},{"name":"PKEY_IsIncomplete","features":[508,379]},{"name":"PKEY_IsLocationSupported","features":[508,379]},{"name":"PKEY_IsPinnedToNameSpaceTree","features":[508,379]},{"name":"PKEY_IsRead","features":[508,379]},{"name":"PKEY_IsSearchOnlyItem","features":[508,379]},{"name":"PKEY_IsSendToTarget","features":[508,379]},{"name":"PKEY_IsShared","features":[508,379]},{"name":"PKEY_ItemAuthors","features":[508,379]},{"name":"PKEY_ItemClassType","features":[508,379]},{"name":"PKEY_ItemDate","features":[508,379]},{"name":"PKEY_ItemFolderNameDisplay","features":[508,379]},{"name":"PKEY_ItemFolderPathDisplay","features":[508,379]},{"name":"PKEY_ItemFolderPathDisplayNarrow","features":[508,379]},{"name":"PKEY_ItemName","features":[508,379]},{"name":"PKEY_ItemNameDisplay","features":[508,379]},{"name":"PKEY_ItemNameDisplayWithoutExtension","features":[508,379]},{"name":"PKEY_ItemNamePrefix","features":[508,379]},{"name":"PKEY_ItemNameSortOverride","features":[508,379]},{"name":"PKEY_ItemParticipants","features":[508,379]},{"name":"PKEY_ItemPathDisplay","features":[508,379]},{"name":"PKEY_ItemPathDisplayNarrow","features":[508,379]},{"name":"PKEY_ItemSubType","features":[508,379]},{"name":"PKEY_ItemType","features":[508,379]},{"name":"PKEY_ItemTypeText","features":[508,379]},{"name":"PKEY_ItemUrl","features":[508,379]},{"name":"PKEY_Journal_Contacts","features":[508,379]},{"name":"PKEY_Journal_EntryType","features":[508,379]},{"name":"PKEY_Keywords","features":[508,379]},{"name":"PKEY_Kind","features":[508,379]},{"name":"PKEY_KindText","features":[508,379]},{"name":"PKEY_Language","features":[508,379]},{"name":"PKEY_LastSyncError","features":[508,379]},{"name":"PKEY_LastSyncWarning","features":[508,379]},{"name":"PKEY_LastWriterPackageFamilyName","features":[508,379]},{"name":"PKEY_LayoutPattern_ContentViewModeForBrowse","features":[508,379]},{"name":"PKEY_LayoutPattern_ContentViewModeForSearch","features":[508,379]},{"name":"PKEY_LibraryLocationsCount","features":[508,379]},{"name":"PKEY_Link_Arguments","features":[508,379]},{"name":"PKEY_Link_Comment","features":[508,379]},{"name":"PKEY_Link_DateVisited","features":[508,379]},{"name":"PKEY_Link_Description","features":[508,379]},{"name":"PKEY_Link_FeedItemLocalId","features":[508,379]},{"name":"PKEY_Link_Status","features":[508,379]},{"name":"PKEY_Link_TargetExtension","features":[508,379]},{"name":"PKEY_Link_TargetParsingPath","features":[508,379]},{"name":"PKEY_Link_TargetSFGAOFlags","features":[508,379]},{"name":"PKEY_Link_TargetSFGAOFlagsStrings","features":[508,379]},{"name":"PKEY_Link_TargetUrl","features":[508,379]},{"name":"PKEY_Link_TargetUrlHostName","features":[508,379]},{"name":"PKEY_Link_TargetUrlPath","features":[508,379]},{"name":"PKEY_LocationEmptyString","features":[508,379]},{"name":"PKEY_LowKeywords","features":[508,379]},{"name":"PKEY_MIMEType","features":[508,379]},{"name":"PKEY_Media_AuthorUrl","features":[508,379]},{"name":"PKEY_Media_AverageLevel","features":[508,379]},{"name":"PKEY_Media_ClassPrimaryID","features":[508,379]},{"name":"PKEY_Media_ClassSecondaryID","features":[508,379]},{"name":"PKEY_Media_CollectionGroupID","features":[508,379]},{"name":"PKEY_Media_CollectionID","features":[508,379]},{"name":"PKEY_Media_ContentDistributor","features":[508,379]},{"name":"PKEY_Media_ContentID","features":[508,379]},{"name":"PKEY_Media_CreatorApplication","features":[508,379]},{"name":"PKEY_Media_CreatorApplicationVersion","features":[508,379]},{"name":"PKEY_Media_DVDID","features":[508,379]},{"name":"PKEY_Media_DateEncoded","features":[508,379]},{"name":"PKEY_Media_DateReleased","features":[508,379]},{"name":"PKEY_Media_DlnaProfileID","features":[508,379]},{"name":"PKEY_Media_Duration","features":[508,379]},{"name":"PKEY_Media_EncodedBy","features":[508,379]},{"name":"PKEY_Media_EncodingSettings","features":[508,379]},{"name":"PKEY_Media_EpisodeNumber","features":[508,379]},{"name":"PKEY_Media_FrameCount","features":[508,379]},{"name":"PKEY_Media_MCDI","features":[508,379]},{"name":"PKEY_Media_MetadataContentProvider","features":[508,379]},{"name":"PKEY_Media_Producer","features":[508,379]},{"name":"PKEY_Media_PromotionUrl","features":[508,379]},{"name":"PKEY_Media_ProtectionType","features":[508,379]},{"name":"PKEY_Media_ProviderRating","features":[508,379]},{"name":"PKEY_Media_ProviderStyle","features":[508,379]},{"name":"PKEY_Media_Publisher","features":[508,379]},{"name":"PKEY_Media_SeasonNumber","features":[508,379]},{"name":"PKEY_Media_SeriesName","features":[508,379]},{"name":"PKEY_Media_SubTitle","features":[508,379]},{"name":"PKEY_Media_SubscriptionContentId","features":[508,379]},{"name":"PKEY_Media_ThumbnailLargePath","features":[508,379]},{"name":"PKEY_Media_ThumbnailLargeUri","features":[508,379]},{"name":"PKEY_Media_ThumbnailSmallPath","features":[508,379]},{"name":"PKEY_Media_ThumbnailSmallUri","features":[508,379]},{"name":"PKEY_Media_UniqueFileIdentifier","features":[508,379]},{"name":"PKEY_Media_UserNoAutoInfo","features":[508,379]},{"name":"PKEY_Media_UserWebUrl","features":[508,379]},{"name":"PKEY_Media_Writer","features":[508,379]},{"name":"PKEY_Media_Year","features":[508,379]},{"name":"PKEY_MediumKeywords","features":[508,379]},{"name":"PKEY_Message_AttachmentContents","features":[508,379]},{"name":"PKEY_Message_AttachmentNames","features":[508,379]},{"name":"PKEY_Message_BccAddress","features":[508,379]},{"name":"PKEY_Message_BccName","features":[508,379]},{"name":"PKEY_Message_CcAddress","features":[508,379]},{"name":"PKEY_Message_CcName","features":[508,379]},{"name":"PKEY_Message_ConversationID","features":[508,379]},{"name":"PKEY_Message_ConversationIndex","features":[508,379]},{"name":"PKEY_Message_DateReceived","features":[508,379]},{"name":"PKEY_Message_DateSent","features":[508,379]},{"name":"PKEY_Message_Flags","features":[508,379]},{"name":"PKEY_Message_FromAddress","features":[508,379]},{"name":"PKEY_Message_FromName","features":[508,379]},{"name":"PKEY_Message_HasAttachments","features":[508,379]},{"name":"PKEY_Message_IsFwdOrReply","features":[508,379]},{"name":"PKEY_Message_MessageClass","features":[508,379]},{"name":"PKEY_Message_Participants","features":[508,379]},{"name":"PKEY_Message_ProofInProgress","features":[508,379]},{"name":"PKEY_Message_SenderAddress","features":[508,379]},{"name":"PKEY_Message_SenderName","features":[508,379]},{"name":"PKEY_Message_Store","features":[508,379]},{"name":"PKEY_Message_ToAddress","features":[508,379]},{"name":"PKEY_Message_ToDoFlags","features":[508,379]},{"name":"PKEY_Message_ToDoTitle","features":[508,379]},{"name":"PKEY_Message_ToName","features":[508,379]},{"name":"PKEY_MileageInformation","features":[508,379]},{"name":"PKEY_MsGraph_CompositeId","features":[508,379]},{"name":"PKEY_MsGraph_DriveId","features":[508,379]},{"name":"PKEY_MsGraph_ItemId","features":[508,379]},{"name":"PKEY_MsGraph_RecommendationReason","features":[508,379]},{"name":"PKEY_MsGraph_RecommendationReferenceId","features":[508,379]},{"name":"PKEY_MsGraph_RecommendationResultSourceId","features":[508,379]},{"name":"PKEY_MsGraph_WebAccountId","features":[508,379]},{"name":"PKEY_Music_AlbumArtist","features":[508,379]},{"name":"PKEY_Music_AlbumArtistSortOverride","features":[508,379]},{"name":"PKEY_Music_AlbumID","features":[508,379]},{"name":"PKEY_Music_AlbumTitle","features":[508,379]},{"name":"PKEY_Music_AlbumTitleSortOverride","features":[508,379]},{"name":"PKEY_Music_Artist","features":[508,379]},{"name":"PKEY_Music_ArtistSortOverride","features":[508,379]},{"name":"PKEY_Music_BeatsPerMinute","features":[508,379]},{"name":"PKEY_Music_Composer","features":[508,379]},{"name":"PKEY_Music_ComposerSortOverride","features":[508,379]},{"name":"PKEY_Music_Conductor","features":[508,379]},{"name":"PKEY_Music_ContentGroupDescription","features":[508,379]},{"name":"PKEY_Music_DiscNumber","features":[508,379]},{"name":"PKEY_Music_DisplayArtist","features":[508,379]},{"name":"PKEY_Music_Genre","features":[508,379]},{"name":"PKEY_Music_InitialKey","features":[508,379]},{"name":"PKEY_Music_IsCompilation","features":[508,379]},{"name":"PKEY_Music_Lyrics","features":[508,379]},{"name":"PKEY_Music_Mood","features":[508,379]},{"name":"PKEY_Music_PartOfSet","features":[508,379]},{"name":"PKEY_Music_Period","features":[508,379]},{"name":"PKEY_Music_SynchronizedLyrics","features":[508,379]},{"name":"PKEY_Music_TrackNumber","features":[508,379]},{"name":"PKEY_NamespaceCLSID","features":[508,379]},{"name":"PKEY_Note_Color","features":[508,379]},{"name":"PKEY_Note_ColorText","features":[508,379]},{"name":"PKEY_Null","features":[508,379]},{"name":"PKEY_OfflineAvailability","features":[508,379]},{"name":"PKEY_OfflineStatus","features":[508,379]},{"name":"PKEY_OriginalFileName","features":[508,379]},{"name":"PKEY_OwnerSID","features":[508,379]},{"name":"PKEY_ParentalRating","features":[508,379]},{"name":"PKEY_ParentalRatingReason","features":[508,379]},{"name":"PKEY_ParentalRatingsOrganization","features":[508,379]},{"name":"PKEY_ParsingBindContext","features":[508,379]},{"name":"PKEY_ParsingName","features":[508,379]},{"name":"PKEY_ParsingPath","features":[508,379]},{"name":"PKEY_PerceivedType","features":[508,379]},{"name":"PKEY_PercentFull","features":[508,379]},{"name":"PKEY_Photo_Aperture","features":[508,379]},{"name":"PKEY_Photo_ApertureDenominator","features":[508,379]},{"name":"PKEY_Photo_ApertureNumerator","features":[508,379]},{"name":"PKEY_Photo_Brightness","features":[508,379]},{"name":"PKEY_Photo_BrightnessDenominator","features":[508,379]},{"name":"PKEY_Photo_BrightnessNumerator","features":[508,379]},{"name":"PKEY_Photo_CameraManufacturer","features":[508,379]},{"name":"PKEY_Photo_CameraModel","features":[508,379]},{"name":"PKEY_Photo_CameraSerialNumber","features":[508,379]},{"name":"PKEY_Photo_Contrast","features":[508,379]},{"name":"PKEY_Photo_ContrastText","features":[508,379]},{"name":"PKEY_Photo_DateTaken","features":[508,379]},{"name":"PKEY_Photo_DigitalZoom","features":[508,379]},{"name":"PKEY_Photo_DigitalZoomDenominator","features":[508,379]},{"name":"PKEY_Photo_DigitalZoomNumerator","features":[508,379]},{"name":"PKEY_Photo_EXIFVersion","features":[508,379]},{"name":"PKEY_Photo_Event","features":[508,379]},{"name":"PKEY_Photo_ExposureBias","features":[508,379]},{"name":"PKEY_Photo_ExposureBiasDenominator","features":[508,379]},{"name":"PKEY_Photo_ExposureBiasNumerator","features":[508,379]},{"name":"PKEY_Photo_ExposureIndex","features":[508,379]},{"name":"PKEY_Photo_ExposureIndexDenominator","features":[508,379]},{"name":"PKEY_Photo_ExposureIndexNumerator","features":[508,379]},{"name":"PKEY_Photo_ExposureProgram","features":[508,379]},{"name":"PKEY_Photo_ExposureProgramText","features":[508,379]},{"name":"PKEY_Photo_ExposureTime","features":[508,379]},{"name":"PKEY_Photo_ExposureTimeDenominator","features":[508,379]},{"name":"PKEY_Photo_ExposureTimeNumerator","features":[508,379]},{"name":"PKEY_Photo_FNumber","features":[508,379]},{"name":"PKEY_Photo_FNumberDenominator","features":[508,379]},{"name":"PKEY_Photo_FNumberNumerator","features":[508,379]},{"name":"PKEY_Photo_Flash","features":[508,379]},{"name":"PKEY_Photo_FlashEnergy","features":[508,379]},{"name":"PKEY_Photo_FlashEnergyDenominator","features":[508,379]},{"name":"PKEY_Photo_FlashEnergyNumerator","features":[508,379]},{"name":"PKEY_Photo_FlashManufacturer","features":[508,379]},{"name":"PKEY_Photo_FlashModel","features":[508,379]},{"name":"PKEY_Photo_FlashText","features":[508,379]},{"name":"PKEY_Photo_FocalLength","features":[508,379]},{"name":"PKEY_Photo_FocalLengthDenominator","features":[508,379]},{"name":"PKEY_Photo_FocalLengthInFilm","features":[508,379]},{"name":"PKEY_Photo_FocalLengthNumerator","features":[508,379]},{"name":"PKEY_Photo_FocalPlaneXResolution","features":[508,379]},{"name":"PKEY_Photo_FocalPlaneXResolutionDenominator","features":[508,379]},{"name":"PKEY_Photo_FocalPlaneXResolutionNumerator","features":[508,379]},{"name":"PKEY_Photo_FocalPlaneYResolution","features":[508,379]},{"name":"PKEY_Photo_FocalPlaneYResolutionDenominator","features":[508,379]},{"name":"PKEY_Photo_FocalPlaneYResolutionNumerator","features":[508,379]},{"name":"PKEY_Photo_GainControl","features":[508,379]},{"name":"PKEY_Photo_GainControlDenominator","features":[508,379]},{"name":"PKEY_Photo_GainControlNumerator","features":[508,379]},{"name":"PKEY_Photo_GainControlText","features":[508,379]},{"name":"PKEY_Photo_ISOSpeed","features":[508,379]},{"name":"PKEY_Photo_LensManufacturer","features":[508,379]},{"name":"PKEY_Photo_LensModel","features":[508,379]},{"name":"PKEY_Photo_LightSource","features":[508,379]},{"name":"PKEY_Photo_MakerNote","features":[508,379]},{"name":"PKEY_Photo_MakerNoteOffset","features":[508,379]},{"name":"PKEY_Photo_MaxAperture","features":[508,379]},{"name":"PKEY_Photo_MaxApertureDenominator","features":[508,379]},{"name":"PKEY_Photo_MaxApertureNumerator","features":[508,379]},{"name":"PKEY_Photo_MeteringMode","features":[508,379]},{"name":"PKEY_Photo_MeteringModeText","features":[508,379]},{"name":"PKEY_Photo_Orientation","features":[508,379]},{"name":"PKEY_Photo_OrientationText","features":[508,379]},{"name":"PKEY_Photo_PeopleNames","features":[508,379]},{"name":"PKEY_Photo_PhotometricInterpretation","features":[508,379]},{"name":"PKEY_Photo_PhotometricInterpretationText","features":[508,379]},{"name":"PKEY_Photo_ProgramMode","features":[508,379]},{"name":"PKEY_Photo_ProgramModeText","features":[508,379]},{"name":"PKEY_Photo_RelatedSoundFile","features":[508,379]},{"name":"PKEY_Photo_Saturation","features":[508,379]},{"name":"PKEY_Photo_SaturationText","features":[508,379]},{"name":"PKEY_Photo_Sharpness","features":[508,379]},{"name":"PKEY_Photo_SharpnessText","features":[508,379]},{"name":"PKEY_Photo_ShutterSpeed","features":[508,379]},{"name":"PKEY_Photo_ShutterSpeedDenominator","features":[508,379]},{"name":"PKEY_Photo_ShutterSpeedNumerator","features":[508,379]},{"name":"PKEY_Photo_SubjectDistance","features":[508,379]},{"name":"PKEY_Photo_SubjectDistanceDenominator","features":[508,379]},{"name":"PKEY_Photo_SubjectDistanceNumerator","features":[508,379]},{"name":"PKEY_Photo_TagViewAggregate","features":[508,379]},{"name":"PKEY_Photo_TranscodedForSync","features":[508,379]},{"name":"PKEY_Photo_WhiteBalance","features":[508,379]},{"name":"PKEY_Photo_WhiteBalanceText","features":[508,379]},{"name":"PKEY_Priority","features":[508,379]},{"name":"PKEY_PriorityText","features":[508,379]},{"name":"PKEY_Project","features":[508,379]},{"name":"PKEY_PropGroup_Advanced","features":[508,379]},{"name":"PKEY_PropGroup_Audio","features":[508,379]},{"name":"PKEY_PropGroup_Calendar","features":[508,379]},{"name":"PKEY_PropGroup_Camera","features":[508,379]},{"name":"PKEY_PropGroup_Contact","features":[508,379]},{"name":"PKEY_PropGroup_Content","features":[508,379]},{"name":"PKEY_PropGroup_Description","features":[508,379]},{"name":"PKEY_PropGroup_FileSystem","features":[508,379]},{"name":"PKEY_PropGroup_GPS","features":[508,379]},{"name":"PKEY_PropGroup_General","features":[508,379]},{"name":"PKEY_PropGroup_Image","features":[508,379]},{"name":"PKEY_PropGroup_Media","features":[508,379]},{"name":"PKEY_PropGroup_MediaAdvanced","features":[508,379]},{"name":"PKEY_PropGroup_Message","features":[508,379]},{"name":"PKEY_PropGroup_Music","features":[508,379]},{"name":"PKEY_PropGroup_Origin","features":[508,379]},{"name":"PKEY_PropGroup_PhotoAdvanced","features":[508,379]},{"name":"PKEY_PropGroup_RecordedTV","features":[508,379]},{"name":"PKEY_PropGroup_Video","features":[508,379]},{"name":"PKEY_PropList_ConflictPrompt","features":[508,379]},{"name":"PKEY_PropList_ContentViewModeForBrowse","features":[508,379]},{"name":"PKEY_PropList_ContentViewModeForSearch","features":[508,379]},{"name":"PKEY_PropList_ExtendedTileInfo","features":[508,379]},{"name":"PKEY_PropList_FileOperationPrompt","features":[508,379]},{"name":"PKEY_PropList_FullDetails","features":[508,379]},{"name":"PKEY_PropList_InfoTip","features":[508,379]},{"name":"PKEY_PropList_NonPersonal","features":[508,379]},{"name":"PKEY_PropList_PreviewDetails","features":[508,379]},{"name":"PKEY_PropList_PreviewTitle","features":[508,379]},{"name":"PKEY_PropList_QuickTip","features":[508,379]},{"name":"PKEY_PropList_TileInfo","features":[508,379]},{"name":"PKEY_PropList_XPDetailsPanel","features":[508,379]},{"name":"PKEY_ProviderItemID","features":[508,379]},{"name":"PKEY_Rating","features":[508,379]},{"name":"PKEY_RatingText","features":[508,379]},{"name":"PKEY_RecordedTV_ChannelNumber","features":[508,379]},{"name":"PKEY_RecordedTV_Credits","features":[508,379]},{"name":"PKEY_RecordedTV_DateContentExpires","features":[508,379]},{"name":"PKEY_RecordedTV_EpisodeName","features":[508,379]},{"name":"PKEY_RecordedTV_IsATSCContent","features":[508,379]},{"name":"PKEY_RecordedTV_IsClosedCaptioningAvailable","features":[508,379]},{"name":"PKEY_RecordedTV_IsDTVContent","features":[508,379]},{"name":"PKEY_RecordedTV_IsHDContent","features":[508,379]},{"name":"PKEY_RecordedTV_IsRepeatBroadcast","features":[508,379]},{"name":"PKEY_RecordedTV_IsSAP","features":[508,379]},{"name":"PKEY_RecordedTV_NetworkAffiliation","features":[508,379]},{"name":"PKEY_RecordedTV_OriginalBroadcastDate","features":[508,379]},{"name":"PKEY_RecordedTV_ProgramDescription","features":[508,379]},{"name":"PKEY_RecordedTV_RecordingTime","features":[508,379]},{"name":"PKEY_RecordedTV_StationCallSign","features":[508,379]},{"name":"PKEY_RecordedTV_StationName","features":[508,379]},{"name":"PKEY_RemoteConflictingFile","features":[508,379]},{"name":"PKEY_SFGAOFlags","features":[508,379]},{"name":"PKEY_Search_AutoSummary","features":[508,379]},{"name":"PKEY_Search_ContainerHash","features":[508,379]},{"name":"PKEY_Search_Contents","features":[508,379]},{"name":"PKEY_Search_EntryID","features":[508,379]},{"name":"PKEY_Search_ExtendedProperties","features":[508,379]},{"name":"PKEY_Search_GatherTime","features":[508,379]},{"name":"PKEY_Search_HitCount","features":[508,379]},{"name":"PKEY_Search_IsClosedDirectory","features":[508,379]},{"name":"PKEY_Search_IsFullyContained","features":[508,379]},{"name":"PKEY_Search_QueryFocusedSummary","features":[508,379]},{"name":"PKEY_Search_QueryFocusedSummaryWithFallback","features":[508,379]},{"name":"PKEY_Search_QueryPropertyHits","features":[508,379]},{"name":"PKEY_Search_Rank","features":[508,379]},{"name":"PKEY_Search_Store","features":[508,379]},{"name":"PKEY_Search_UrlToIndex","features":[508,379]},{"name":"PKEY_Search_UrlToIndexWithModificationTime","features":[508,379]},{"name":"PKEY_Security_AllowedEnterpriseDataProtectionIdentities","features":[508,379]},{"name":"PKEY_Security_EncryptionOwners","features":[508,379]},{"name":"PKEY_Security_EncryptionOwnersDisplay","features":[508,379]},{"name":"PKEY_Sensitivity","features":[508,379]},{"name":"PKEY_SensitivityText","features":[508,379]},{"name":"PKEY_ShareUserRating","features":[508,379]},{"name":"PKEY_SharedWith","features":[508,379]},{"name":"PKEY_SharingStatus","features":[508,379]},{"name":"PKEY_Shell_OmitFromView","features":[508,379]},{"name":"PKEY_Shell_SFGAOFlagsStrings","features":[508,379]},{"name":"PKEY_SimpleRating","features":[508,379]},{"name":"PKEY_Size","features":[508,379]},{"name":"PKEY_SoftwareUsed","features":[508,379]},{"name":"PKEY_Software_DateLastUsed","features":[508,379]},{"name":"PKEY_Software_ProductName","features":[508,379]},{"name":"PKEY_SourceItem","features":[508,379]},{"name":"PKEY_SourcePackageFamilyName","features":[508,379]},{"name":"PKEY_StartDate","features":[508,379]},{"name":"PKEY_Status","features":[508,379]},{"name":"PKEY_StatusBarSelectedItemCount","features":[508,379]},{"name":"PKEY_StatusBarViewItemCount","features":[508,379]},{"name":"PKEY_StorageProviderCallerVersionInformation","features":[508,379]},{"name":"PKEY_StorageProviderError","features":[508,379]},{"name":"PKEY_StorageProviderFileChecksum","features":[508,379]},{"name":"PKEY_StorageProviderFileCreatedBy","features":[508,379]},{"name":"PKEY_StorageProviderFileFlags","features":[508,379]},{"name":"PKEY_StorageProviderFileHasConflict","features":[508,379]},{"name":"PKEY_StorageProviderFileIdentifier","features":[508,379]},{"name":"PKEY_StorageProviderFileModifiedBy","features":[508,379]},{"name":"PKEY_StorageProviderFileRemoteUri","features":[508,379]},{"name":"PKEY_StorageProviderFileVersion","features":[508,379]},{"name":"PKEY_StorageProviderFileVersionWaterline","features":[508,379]},{"name":"PKEY_StorageProviderId","features":[508,379]},{"name":"PKEY_StorageProviderShareStatuses","features":[508,379]},{"name":"PKEY_StorageProviderSharingStatus","features":[508,379]},{"name":"PKEY_StorageProviderState","features":[508,379]},{"name":"PKEY_StorageProviderStatus","features":[508,379]},{"name":"PKEY_StorageProviderTransferProgress","features":[508,379]},{"name":"PKEY_StorageProviderUIStatus","features":[508,379]},{"name":"PKEY_Storage_Portable","features":[508,379]},{"name":"PKEY_Storage_RemovableMedia","features":[508,379]},{"name":"PKEY_Storage_SystemCritical","features":[508,379]},{"name":"PKEY_Subject","features":[508,379]},{"name":"PKEY_Supplemental_Album","features":[508,379]},{"name":"PKEY_Supplemental_AlbumID","features":[508,379]},{"name":"PKEY_Supplemental_Location","features":[508,379]},{"name":"PKEY_Supplemental_Person","features":[508,379]},{"name":"PKEY_Supplemental_ResourceId","features":[508,379]},{"name":"PKEY_Supplemental_Tag","features":[508,379]},{"name":"PKEY_SyncTransferStatus","features":[508,379]},{"name":"PKEY_Sync_Comments","features":[508,379]},{"name":"PKEY_Sync_ConflictDescription","features":[508,379]},{"name":"PKEY_Sync_ConflictFirstLocation","features":[508,379]},{"name":"PKEY_Sync_ConflictSecondLocation","features":[508,379]},{"name":"PKEY_Sync_HandlerCollectionID","features":[508,379]},{"name":"PKEY_Sync_HandlerID","features":[508,379]},{"name":"PKEY_Sync_HandlerName","features":[508,379]},{"name":"PKEY_Sync_HandlerType","features":[508,379]},{"name":"PKEY_Sync_HandlerTypeLabel","features":[508,379]},{"name":"PKEY_Sync_ItemID","features":[508,379]},{"name":"PKEY_Sync_ItemName","features":[508,379]},{"name":"PKEY_Sync_ProgressPercentage","features":[508,379]},{"name":"PKEY_Sync_State","features":[508,379]},{"name":"PKEY_Sync_Status","features":[508,379]},{"name":"PKEY_Task_BillingInformation","features":[508,379]},{"name":"PKEY_Task_CompletionStatus","features":[508,379]},{"name":"PKEY_Task_Owner","features":[508,379]},{"name":"PKEY_Thumbnail","features":[508,379]},{"name":"PKEY_ThumbnailCacheId","features":[508,379]},{"name":"PKEY_ThumbnailStream","features":[508,379]},{"name":"PKEY_Title","features":[508,379]},{"name":"PKEY_TitleSortOverride","features":[508,379]},{"name":"PKEY_TotalFileSize","features":[508,379]},{"name":"PKEY_Trademarks","features":[508,379]},{"name":"PKEY_TransferOrder","features":[508,379]},{"name":"PKEY_TransferPosition","features":[508,379]},{"name":"PKEY_TransferSize","features":[508,379]},{"name":"PKEY_Video_Compression","features":[508,379]},{"name":"PKEY_Video_Director","features":[508,379]},{"name":"PKEY_Video_EncodingBitrate","features":[508,379]},{"name":"PKEY_Video_FourCC","features":[508,379]},{"name":"PKEY_Video_FrameHeight","features":[508,379]},{"name":"PKEY_Video_FrameRate","features":[508,379]},{"name":"PKEY_Video_FrameWidth","features":[508,379]},{"name":"PKEY_Video_HorizontalAspectRatio","features":[508,379]},{"name":"PKEY_Video_IsSpherical","features":[508,379]},{"name":"PKEY_Video_IsStereo","features":[508,379]},{"name":"PKEY_Video_Orientation","features":[508,379]},{"name":"PKEY_Video_SampleSize","features":[508,379]},{"name":"PKEY_Video_StreamName","features":[508,379]},{"name":"PKEY_Video_StreamNumber","features":[508,379]},{"name":"PKEY_Video_TotalBitrate","features":[508,379]},{"name":"PKEY_Video_TranscodedForSync","features":[508,379]},{"name":"PKEY_Video_VerticalAspectRatio","features":[508,379]},{"name":"PKEY_VolumeId","features":[508,379]},{"name":"PKEY_Volume_FileSystem","features":[508,379]},{"name":"PKEY_Volume_IsMappedDrive","features":[508,379]},{"name":"PKEY_Volume_IsRoot","features":[508,379]},{"name":"PKEY_ZoneIdentifier","features":[508,379]},{"name":"PLAYBACKSTATE_NOMEDIA","features":[508]},{"name":"PLAYBACKSTATE_PAUSED","features":[508]},{"name":"PLAYBACKSTATE_PLAYING","features":[508]},{"name":"PLAYBACKSTATE_RECORDING","features":[508]},{"name":"PLAYBACKSTATE_RECORDINGPAUSED","features":[508]},{"name":"PLAYBACKSTATE_STOPPED","features":[508]},{"name":"PLAYBACKSTATE_TRANSITIONING","features":[508]},{"name":"PLAYBACKSTATE_UNKNOWN","features":[508]},{"name":"RATING_FIVE_STARS_MAX","features":[508]},{"name":"RATING_FIVE_STARS_MIN","features":[508]},{"name":"RATING_FIVE_STARS_SET","features":[508]},{"name":"RATING_FOUR_STARS_MAX","features":[508]},{"name":"RATING_FOUR_STARS_MIN","features":[508]},{"name":"RATING_FOUR_STARS_SET","features":[508]},{"name":"RATING_ONE_STAR_MAX","features":[508]},{"name":"RATING_ONE_STAR_MIN","features":[508]},{"name":"RATING_ONE_STAR_SET","features":[508]},{"name":"RATING_THREE_STARS_MAX","features":[508]},{"name":"RATING_THREE_STARS_MIN","features":[508]},{"name":"RATING_THREE_STARS_SET","features":[508]},{"name":"RATING_TWO_STARS_MAX","features":[508]},{"name":"RATING_TWO_STARS_MIN","features":[508]},{"name":"RATING_TWO_STARS_SET","features":[508]},{"name":"SFGAOSTR_BROWSABLE","features":[508]},{"name":"SFGAOSTR_FILEANC","features":[508]},{"name":"SFGAOSTR_FILESYS","features":[508]},{"name":"SFGAOSTR_FOLDER","features":[508]},{"name":"SFGAOSTR_HIDDEN","features":[508]},{"name":"SFGAOSTR_LINK","features":[508]},{"name":"SFGAOSTR_NONENUM","features":[508]},{"name":"SFGAOSTR_PLACEHOLDER","features":[508]},{"name":"SFGAOSTR_STORAGEANC","features":[508]},{"name":"SFGAOSTR_STREAM","features":[508]},{"name":"SFGAOSTR_SUPERHIDDEN","features":[508]},{"name":"SFGAOSTR_SYSTEM","features":[508]},{"name":"SHARINGSTATUS_NOTSHARED","features":[508]},{"name":"SHARINGSTATUS_PRIVATE","features":[508]},{"name":"SHARINGSTATUS_SHARED","features":[508]},{"name":"SILO_INFO","features":[508]},{"name":"STORAGEPROVIDERSTATE_ERROR","features":[508]},{"name":"STORAGEPROVIDERSTATE_EXCLUDED","features":[508]},{"name":"STORAGEPROVIDERSTATE_IN_SYNC","features":[508]},{"name":"STORAGEPROVIDERSTATE_NONE","features":[508]},{"name":"STORAGEPROVIDERSTATE_PENDING_DOWNLOAD","features":[508]},{"name":"STORAGEPROVIDERSTATE_PENDING_UNSPECIFIED","features":[508]},{"name":"STORAGEPROVIDERSTATE_PENDING_UPLOAD","features":[508]},{"name":"STORAGEPROVIDERSTATE_PINNED","features":[508]},{"name":"STORAGEPROVIDERSTATE_SPARSE","features":[508]},{"name":"STORAGEPROVIDERSTATE_TRANSFERRING","features":[508]},{"name":"STORAGEPROVIDERSTATE_WARNING","features":[508]},{"name":"STORAGE_PROVIDER_SHARE_STATUS_GROUP","features":[508]},{"name":"STORAGE_PROVIDER_SHARE_STATUS_OWNER","features":[508]},{"name":"STORAGE_PROVIDER_SHARE_STATUS_PRIVATE","features":[508]},{"name":"STORAGE_PROVIDER_SHARE_STATUS_PUBLIC","features":[508]},{"name":"STORAGE_PROVIDER_SHARE_STATUS_SHARED","features":[508]},{"name":"STORAGE_PROVIDER_SHARINGSTATUS_NOTSHARED","features":[508]},{"name":"STORAGE_PROVIDER_SHARINGSTATUS_PRIVATE","features":[508]},{"name":"STORAGE_PROVIDER_SHARINGSTATUS_PUBLIC","features":[508]},{"name":"STORAGE_PROVIDER_SHARINGSTATUS_PUBLIC_COOWNED","features":[508]},{"name":"STORAGE_PROVIDER_SHARINGSTATUS_PUBLIC_OWNED","features":[508]},{"name":"STORAGE_PROVIDER_SHARINGSTATUS_SHARED","features":[508]},{"name":"STORAGE_PROVIDER_SHARINGSTATUS_SHARED_COOWNED","features":[508]},{"name":"STORAGE_PROVIDER_SHARINGSTATUS_SHARED_OWNED","features":[508]},{"name":"SYNC_HANDLERTYPE_COMPUTERS","features":[508]},{"name":"SYNC_HANDLERTYPE_DEVICES","features":[508]},{"name":"SYNC_HANDLERTYPE_FOLDERS","features":[508]},{"name":"SYNC_HANDLERTYPE_OTHER","features":[508]},{"name":"SYNC_HANDLERTYPE_PROGRAMS","features":[508]},{"name":"SYNC_HANDLERTYPE_WEBSERVICES","features":[508]},{"name":"SYNC_STATE_ERROR","features":[508]},{"name":"SYNC_STATE_IDLE","features":[508]},{"name":"SYNC_STATE_NOTSETUP","features":[508]},{"name":"SYNC_STATE_PENDING","features":[508]},{"name":"SYNC_STATE_SYNCING","features":[508]},{"name":"SYNC_STATE_SYNCNOTRUN","features":[508]},{"name":"WPD_CATEGORY_ENHANCED_STORAGE","features":[508]}],"508":[{"name":"BackupCancelled","features":[509]},{"name":"BackupInvalidStopReason","features":[509]},{"name":"BackupLimitUserBusyMachineOnAC","features":[509]},{"name":"BackupLimitUserBusyMachineOnDC","features":[509]},{"name":"BackupLimitUserIdleMachineOnDC","features":[509]},{"name":"FHCFG_E_CONFIGURATION_PREVIOUSLY_LOADED","features":[509]},{"name":"FHCFG_E_CONFIG_ALREADY_EXISTS","features":[509]},{"name":"FHCFG_E_CONFIG_FILE_NOT_FOUND","features":[509]},{"name":"FHCFG_E_CORRUPT_CONFIG_FILE","features":[509]},{"name":"FHCFG_E_INVALID_REHYDRATION_STATE","features":[509]},{"name":"FHCFG_E_LEGACY_BACKUP_NOT_FOUND","features":[509]},{"name":"FHCFG_E_LEGACY_BACKUP_USER_EXCLUDED","features":[509]},{"name":"FHCFG_E_LEGACY_TARGET_UNSUPPORTED","features":[509]},{"name":"FHCFG_E_LEGACY_TARGET_VALIDATION_UNSUPPORTED","features":[509]},{"name":"FHCFG_E_NO_VALID_CONFIGURATION_LOADED","features":[509]},{"name":"FHCFG_E_RECOMMENDATION_CHANGE_NOT_ALLOWED","features":[509]},{"name":"FHCFG_E_TARGET_CANNOT_BE_USED","features":[509]},{"name":"FHCFG_E_TARGET_NOT_CONFIGURED","features":[509]},{"name":"FHCFG_E_TARGET_NOT_CONNECTED","features":[509]},{"name":"FHCFG_E_TARGET_NOT_ENOUGH_FREE_SPACE","features":[509]},{"name":"FHCFG_E_TARGET_REHYDRATED_ELSEWHERE","features":[509]},{"name":"FHCFG_E_TARGET_VERIFICATION_FAILED","features":[509]},{"name":"FHSVC_E_BACKUP_BLOCKED","features":[509]},{"name":"FHSVC_E_CONFIG_DISABLED","features":[509]},{"name":"FHSVC_E_CONFIG_DISABLED_GP","features":[509]},{"name":"FHSVC_E_CONFIG_REHYDRATING","features":[509]},{"name":"FHSVC_E_FATAL_CONFIG_ERROR","features":[509]},{"name":"FHSVC_E_NOT_CONFIGURED","features":[509]},{"name":"FH_ACCESS_DENIED","features":[509]},{"name":"FH_BACKUP_STATUS","features":[509]},{"name":"FH_CURRENT_DEFAULT","features":[509]},{"name":"FH_DEVICE_VALIDATION_RESULT","features":[509]},{"name":"FH_DRIVE_FIXED","features":[509]},{"name":"FH_DRIVE_REMOTE","features":[509]},{"name":"FH_DRIVE_REMOVABLE","features":[509]},{"name":"FH_DRIVE_UNKNOWN","features":[509]},{"name":"FH_FOLDER","features":[509]},{"name":"FH_FREQUENCY","features":[509]},{"name":"FH_INVALID_DRIVE_TYPE","features":[509]},{"name":"FH_LIBRARY","features":[509]},{"name":"FH_LOCAL_POLICY_TYPE","features":[509]},{"name":"FH_NAMESPACE_EXISTS","features":[509]},{"name":"FH_PROTECTED_ITEM_CATEGORY","features":[509]},{"name":"FH_READ_ONLY_PERMISSION","features":[509]},{"name":"FH_RETENTION_AGE","features":[509]},{"name":"FH_RETENTION_AGE_BASED","features":[509]},{"name":"FH_RETENTION_DISABLED","features":[509]},{"name":"FH_RETENTION_TYPE","features":[509]},{"name":"FH_RETENTION_TYPES","features":[509]},{"name":"FH_RETENTION_UNLIMITED","features":[509]},{"name":"FH_STATE_BACKUP_NOT_SUPPORTED","features":[509]},{"name":"FH_STATE_DISABLED_BY_GP","features":[509]},{"name":"FH_STATE_FATAL_CONFIG_ERROR","features":[509]},{"name":"FH_STATE_MIGRATING","features":[509]},{"name":"FH_STATE_NOT_TRACKED","features":[509]},{"name":"FH_STATE_NO_ERROR","features":[509]},{"name":"FH_STATE_OFF","features":[509]},{"name":"FH_STATE_REHYDRATING","features":[509]},{"name":"FH_STATE_RUNNING","features":[509]},{"name":"FH_STATE_STAGING_FULL","features":[509]},{"name":"FH_STATE_TARGET_ABSENT","features":[509]},{"name":"FH_STATE_TARGET_ACCESS_DENIED","features":[509]},{"name":"FH_STATE_TARGET_FS_LIMITATION","features":[509]},{"name":"FH_STATE_TARGET_FULL","features":[509]},{"name":"FH_STATE_TARGET_FULL_RETENTION_MAX","features":[509]},{"name":"FH_STATE_TARGET_LOW_SPACE","features":[509]},{"name":"FH_STATE_TARGET_LOW_SPACE_RETENTION_MAX","features":[509]},{"name":"FH_STATE_TARGET_VOLUME_DIRTY","features":[509]},{"name":"FH_STATE_TOO_MUCH_BEHIND","features":[509]},{"name":"FH_STATUS_DISABLED","features":[509]},{"name":"FH_STATUS_DISABLED_BY_GP","features":[509]},{"name":"FH_STATUS_ENABLED","features":[509]},{"name":"FH_STATUS_REHYDRATING","features":[509]},{"name":"FH_TARGET_DRIVE_TYPE","features":[509]},{"name":"FH_TARGET_DRIVE_TYPES","features":[509]},{"name":"FH_TARGET_NAME","features":[509]},{"name":"FH_TARGET_PART_OF_LIBRARY","features":[509]},{"name":"FH_TARGET_PROPERTY_TYPE","features":[509]},{"name":"FH_TARGET_URL","features":[509]},{"name":"FH_VALID_TARGET","features":[509]},{"name":"FhBackupStopReason","features":[509]},{"name":"FhConfigMgr","features":[509]},{"name":"FhReassociation","features":[509]},{"name":"FhServiceBlockBackup","features":[509,340]},{"name":"FhServiceClosePipe","features":[509,340]},{"name":"FhServiceOpenPipe","features":[308,509,340]},{"name":"FhServiceReloadConfiguration","features":[509,340]},{"name":"FhServiceStartBackup","features":[308,509,340]},{"name":"FhServiceStopBackup","features":[308,509,340]},{"name":"FhServiceUnblockBackup","features":[509,340]},{"name":"IFhConfigMgr","features":[509]},{"name":"IFhReassociation","features":[509]},{"name":"IFhScopeIterator","features":[509]},{"name":"IFhTarget","features":[509]},{"name":"MAX_BACKUP_STATUS","features":[509]},{"name":"MAX_LOCAL_POLICY","features":[509]},{"name":"MAX_PROTECTED_ITEM_CATEGORY","features":[509]},{"name":"MAX_RETENTION_TYPE","features":[509]},{"name":"MAX_TARGET_PROPERTY","features":[509]},{"name":"MAX_VALIDATION_RESULT","features":[509]}],"509":[{"name":"AdSyncTask","features":[510]},{"name":"AdrClientDisplayFlags","features":[510]},{"name":"AdrClientDisplayFlags_AllowEmailRequests","features":[510]},{"name":"AdrClientDisplayFlags_ShowDeviceTroubleshooting","features":[510]},{"name":"AdrClientErrorType","features":[510]},{"name":"AdrClientErrorType_AccessDenied","features":[510]},{"name":"AdrClientErrorType_FileNotFound","features":[510]},{"name":"AdrClientErrorType_Unknown","features":[510]},{"name":"AdrClientFlags","features":[510]},{"name":"AdrClientFlags_FailForLocalPaths","features":[510]},{"name":"AdrClientFlags_FailIfNotDomainJoined","features":[510]},{"name":"AdrClientFlags_FailIfNotSupportedByServer","features":[510]},{"name":"AdrClientFlags_None","features":[510]},{"name":"AdrEmailFlags","features":[510]},{"name":"AdrEmailFlags_GenerateEventLog","features":[510]},{"name":"AdrEmailFlags_IncludeDeviceClaims","features":[510]},{"name":"AdrEmailFlags_IncludeUserInfo","features":[510]},{"name":"AdrEmailFlags_PutAdminOnToLine","features":[510]},{"name":"AdrEmailFlags_PutDataOwnerOnToLine","features":[510]},{"name":"DIFsrmClassificationEvents","features":[510,359]},{"name":"FSRM_DISPID_FEATURE_CLASSIFICATION","features":[510]},{"name":"FSRM_DISPID_FEATURE_FILESCREEN","features":[510]},{"name":"FSRM_DISPID_FEATURE_GENERAL","features":[510]},{"name":"FSRM_DISPID_FEATURE_MASK","features":[510]},{"name":"FSRM_DISPID_FEATURE_PIPELINE","features":[510]},{"name":"FSRM_DISPID_FEATURE_QUOTA","features":[510]},{"name":"FSRM_DISPID_FEATURE_REPORTS","features":[510]},{"name":"FSRM_DISPID_INTERFACE_A_MASK","features":[510]},{"name":"FSRM_DISPID_INTERFACE_B_MASK","features":[510]},{"name":"FSRM_DISPID_INTERFACE_C_MASK","features":[510]},{"name":"FSRM_DISPID_INTERFACE_D_MASK","features":[510]},{"name":"FSRM_DISPID_IS_PROPERTY","features":[510]},{"name":"FSRM_DISPID_METHOD_NUM_MASK","features":[510]},{"name":"FSRM_E_ADR_MAX_EMAILS_SENT","features":[510]},{"name":"FSRM_E_ADR_NOT_DOMAIN_JOINED","features":[510]},{"name":"FSRM_E_ADR_PATH_IS_LOCAL","features":[510]},{"name":"FSRM_E_ADR_SRV_NOT_SUPPORTED","features":[510]},{"name":"FSRM_E_ALREADY_EXISTS","features":[510]},{"name":"FSRM_E_AUTO_QUOTA","features":[510]},{"name":"FSRM_E_CACHE_INVALID","features":[510]},{"name":"FSRM_E_CACHE_MODULE_ALREADY_EXISTS","features":[510]},{"name":"FSRM_E_CANNOT_AGGREGATE","features":[510]},{"name":"FSRM_E_CANNOT_ALLOW_REPARSE_POINT_TAG","features":[510]},{"name":"FSRM_E_CANNOT_CHANGE_PROPERTY_TYPE","features":[510]},{"name":"FSRM_E_CANNOT_CREATE_TEMP_COPY","features":[510]},{"name":"FSRM_E_CANNOT_DELETE_SYSTEM_PROPERTY","features":[510]},{"name":"FSRM_E_CANNOT_REMOVE_READONLY","features":[510]},{"name":"FSRM_E_CANNOT_RENAME_PROPERTY","features":[510]},{"name":"FSRM_E_CANNOT_STORE_PROPERTIES","features":[510]},{"name":"FSRM_E_CANNOT_USE_DELETED_PROPERTY","features":[510]},{"name":"FSRM_E_CANNOT_USE_DEPRECATED_PROPERTY","features":[510]},{"name":"FSRM_E_CLASSIFICATION_ALREADY_RUNNING","features":[510]},{"name":"FSRM_E_CLASSIFICATION_CANCELED","features":[510]},{"name":"FSRM_E_CLASSIFICATION_NOT_RUNNING","features":[510]},{"name":"FSRM_E_CLASSIFICATION_PARTIAL_BATCH","features":[510]},{"name":"FSRM_E_CLASSIFICATION_SCAN_FAIL","features":[510]},{"name":"FSRM_E_CLASSIFICATION_TIMEOUT","features":[510]},{"name":"FSRM_E_CLUSTER_NOT_RUNNING","features":[510]},{"name":"FSRM_E_CSC_PATH_NOT_SUPPORTED","features":[510]},{"name":"FSRM_E_DIFFERENT_CLUSTER_GROUP","features":[510]},{"name":"FSRM_E_DRIVER_NOT_READY","features":[510]},{"name":"FSRM_E_DUPLICATE_NAME","features":[510]},{"name":"FSRM_E_EMAIL_NOT_SENT","features":[510]},{"name":"FSRM_E_ENUM_PROPERTIES_FAILED","features":[510]},{"name":"FSRM_E_ERROR_NOT_ENABLED","features":[510]},{"name":"FSRM_E_EXPIRATION_PATH_NOT_WRITEABLE","features":[510]},{"name":"FSRM_E_EXPIRATION_PATH_TOO_LONG","features":[510]},{"name":"FSRM_E_EXPIRATION_VOLUME_NOT_NTFS","features":[510]},{"name":"FSRM_E_FAIL_BATCH","features":[510]},{"name":"FSRM_E_FILE_ENCRYPTED","features":[510]},{"name":"FSRM_E_FILE_IN_USE","features":[510]},{"name":"FSRM_E_FILE_MANAGEMENT_ACTION_GET_EXITCODE_FAILED","features":[510]},{"name":"FSRM_E_FILE_MANAGEMENT_ACTION_TIMEOUT","features":[510]},{"name":"FSRM_E_FILE_MANAGEMENT_EXPIRATION_DIR_IN_SCOPE","features":[510]},{"name":"FSRM_E_FILE_MANAGEMENT_JOB_ALREADY_EXISTS","features":[510]},{"name":"FSRM_E_FILE_MANAGEMENT_JOB_ALREADY_RUNNING","features":[510]},{"name":"FSRM_E_FILE_MANAGEMENT_JOB_CUSTOM","features":[510]},{"name":"FSRM_E_FILE_MANAGEMENT_JOB_DEPRECATED","features":[510]},{"name":"FSRM_E_FILE_MANAGEMENT_JOB_EXPIRATION","features":[510]},{"name":"FSRM_E_FILE_MANAGEMENT_JOB_INVALID_CONTINUOUS_CONFIG","features":[510]},{"name":"FSRM_E_FILE_MANAGEMENT_JOB_MAX_FILE_CONDITIONS","features":[510]},{"name":"FSRM_E_FILE_MANAGEMENT_JOB_NOTIFICATION","features":[510]},{"name":"FSRM_E_FILE_MANAGEMENT_JOB_NOT_LEGACY_ACCESSIBLE","features":[510]},{"name":"FSRM_E_FILE_MANAGEMENT_JOB_RMS","features":[510]},{"name":"FSRM_E_FILE_OPEN_ERROR","features":[510]},{"name":"FSRM_E_FILE_SYSTEM_CORRUPT","features":[510]},{"name":"FSRM_E_INCOMPATIBLE_FORMAT","features":[510]},{"name":"FSRM_E_INPROC_MODULE_BLOCKED","features":[510]},{"name":"FSRM_E_INSECURE_PATH","features":[510]},{"name":"FSRM_E_INSUFFICIENT_DISK","features":[510]},{"name":"FSRM_E_INVALID_AD_CLAIM","features":[510]},{"name":"FSRM_E_INVALID_COMBINATION","features":[510]},{"name":"FSRM_E_INVALID_DATASCREEN_DEFINITION","features":[510]},{"name":"FSRM_E_INVALID_EMAIL_ADDRESS","features":[510]},{"name":"FSRM_E_INVALID_FILEGROUP_DEFINITION","features":[510]},{"name":"FSRM_E_INVALID_FILENAME","features":[510]},{"name":"FSRM_E_INVALID_FOLDER_PROPERTY_STORE","features":[510]},{"name":"FSRM_E_INVALID_IMPORT_VERSION","features":[510]},{"name":"FSRM_E_INVALID_LIMIT","features":[510]},{"name":"FSRM_E_INVALID_NAME","features":[510]},{"name":"FSRM_E_INVALID_PATH","features":[510]},{"name":"FSRM_E_INVALID_REPORT_DESC","features":[510]},{"name":"FSRM_E_INVALID_REPORT_FORMAT","features":[510]},{"name":"FSRM_E_INVALID_SCHEDULER_ARGUMENT","features":[510]},{"name":"FSRM_E_INVALID_SMTP_SERVER","features":[510]},{"name":"FSRM_E_INVALID_TEXT","features":[510]},{"name":"FSRM_E_INVALID_USER","features":[510]},{"name":"FSRM_E_LAST_ACCESS_UPDATE_DISABLED","features":[510]},{"name":"FSRM_E_LEGACY_SCHEDULE","features":[510]},{"name":"FSRM_E_LOADING_DISABLED_MODULE","features":[510]},{"name":"FSRM_E_LONG_CMDLINE","features":[510]},{"name":"FSRM_E_MAX_PROPERTY_DEFINITIONS","features":[510]},{"name":"FSRM_E_MESSAGE_LIMIT_EXCEEDED","features":[510]},{"name":"FSRM_E_MODULE_INITIALIZATION","features":[510]},{"name":"FSRM_E_MODULE_INVALID_PARAM","features":[510]},{"name":"FSRM_E_MODULE_SESSION_INITIALIZATION","features":[510]},{"name":"FSRM_E_MODULE_TIMEOUT","features":[510]},{"name":"FSRM_E_NOT_CLUSTER_VOLUME","features":[510]},{"name":"FSRM_E_NOT_FOUND","features":[510]},{"name":"FSRM_E_NOT_SUPPORTED","features":[510]},{"name":"FSRM_E_NO_EMAIL_ADDRESS","features":[510]},{"name":"FSRM_E_NO_PROPERTY_VALUE","features":[510]},{"name":"FSRM_E_OBJECT_IN_USE","features":[510]},{"name":"FSRM_E_OUT_OF_RANGE","features":[510]},{"name":"FSRM_E_PARTIAL_CLASSIFICATION_PROPERTY_NOT_FOUND","features":[510]},{"name":"FSRM_E_PATH_NOT_FOUND","features":[510]},{"name":"FSRM_E_PATH_NOT_IN_NAMESPACE","features":[510]},{"name":"FSRM_E_PERSIST_PROPERTIES_FAILED","features":[510]},{"name":"FSRM_E_PERSIST_PROPERTIES_FAILED_ENCRYPTED","features":[510]},{"name":"FSRM_E_PROPERTY_DELETED","features":[510]},{"name":"FSRM_E_PROPERTY_MUST_APPLY_TO_FILES","features":[510]},{"name":"FSRM_E_PROPERTY_MUST_APPLY_TO_FOLDERS","features":[510]},{"name":"FSRM_E_PROPERTY_MUST_BE_GLOBAL","features":[510]},{"name":"FSRM_E_PROPERTY_MUST_BE_SECURE","features":[510]},{"name":"FSRM_E_REBUILDING_FODLER_TYPE_INDEX","features":[510]},{"name":"FSRM_E_REPORT_GENERATION_ERR","features":[510]},{"name":"FSRM_E_REPORT_JOB_ALREADY_RUNNING","features":[510]},{"name":"FSRM_E_REPORT_TASK_TRIGGER","features":[510]},{"name":"FSRM_E_REPORT_TYPE_ALREADY_EXISTS","features":[510]},{"name":"FSRM_E_REQD_PARAM_MISSING","features":[510]},{"name":"FSRM_E_RMS_NO_PROTECTORS_INSTALLED","features":[510]},{"name":"FSRM_E_RMS_NO_PROTECTOR_INSTALLED_FOR_FILE","features":[510]},{"name":"FSRM_E_RMS_TEMPLATE_NOT_FOUND","features":[510]},{"name":"FSRM_E_SECURE_PROPERTIES_NOT_SUPPORTED","features":[510]},{"name":"FSRM_E_SET_PROPERTY_FAILED","features":[510]},{"name":"FSRM_E_SHADOW_COPY","features":[510]},{"name":"FSRM_E_STORE_NOT_INSTALLED","features":[510]},{"name":"FSRM_E_SYNC_TASK_HAD_ERRORS","features":[510]},{"name":"FSRM_E_SYNC_TASK_TIMEOUT","features":[510]},{"name":"FSRM_E_TEXTREADER_FILENAME_TOO_LONG","features":[510]},{"name":"FSRM_E_TEXTREADER_IFILTER_CLSID_MALFORMED","features":[510]},{"name":"FSRM_E_TEXTREADER_IFILTER_NOT_FOUND","features":[510]},{"name":"FSRM_E_TEXTREADER_NOT_INITIALIZED","features":[510]},{"name":"FSRM_E_TEXTREADER_STREAM_ERROR","features":[510]},{"name":"FSRM_E_UNEXPECTED","features":[510]},{"name":"FSRM_E_UNSECURE_LINK_TO_HOSTED_MODULE","features":[510]},{"name":"FSRM_E_VOLUME_OFFLINE","features":[510]},{"name":"FSRM_E_VOLUME_UNSUPPORTED","features":[510]},{"name":"FSRM_E_WMI_FAILURE","features":[510]},{"name":"FSRM_E_XML_CORRUPTED","features":[510]},{"name":"FSRM_S_CLASSIFICATION_SCAN_FAILURES","features":[510]},{"name":"FSRM_S_PARTIAL_BATCH","features":[510]},{"name":"FSRM_S_PARTIAL_CLASSIFICATION","features":[510]},{"name":"FsrmAccessDeniedRemediationClient","features":[510]},{"name":"FsrmAccountType","features":[510]},{"name":"FsrmAccountType_Automatic","features":[510]},{"name":"FsrmAccountType_External","features":[510]},{"name":"FsrmAccountType_InProc","features":[510]},{"name":"FsrmAccountType_LocalService","features":[510]},{"name":"FsrmAccountType_LocalSystem","features":[510]},{"name":"FsrmAccountType_NetworkService","features":[510]},{"name":"FsrmAccountType_Unknown","features":[510]},{"name":"FsrmActionType","features":[510]},{"name":"FsrmActionType_Command","features":[510]},{"name":"FsrmActionType_Email","features":[510]},{"name":"FsrmActionType_EventLog","features":[510]},{"name":"FsrmActionType_Report","features":[510]},{"name":"FsrmActionType_Unknown","features":[510]},{"name":"FsrmClassificationLoggingFlags","features":[510]},{"name":"FsrmClassificationLoggingFlags_ClassificationsInLogFile","features":[510]},{"name":"FsrmClassificationLoggingFlags_ClassificationsInSystemLog","features":[510]},{"name":"FsrmClassificationLoggingFlags_ErrorsInLogFile","features":[510]},{"name":"FsrmClassificationLoggingFlags_ErrorsInSystemLog","features":[510]},{"name":"FsrmClassificationLoggingFlags_None","features":[510]},{"name":"FsrmClassificationManager","features":[510]},{"name":"FsrmCollectionState","features":[510]},{"name":"FsrmCollectionState_Cancelled","features":[510]},{"name":"FsrmCollectionState_Committing","features":[510]},{"name":"FsrmCollectionState_Complete","features":[510]},{"name":"FsrmCollectionState_Fetching","features":[510]},{"name":"FsrmCommitOptions","features":[510]},{"name":"FsrmCommitOptions_Asynchronous","features":[510]},{"name":"FsrmCommitOptions_None","features":[510]},{"name":"FsrmDaysNotSpecified","features":[510]},{"name":"FsrmEnumOptions","features":[510]},{"name":"FsrmEnumOptions_Asynchronous","features":[510]},{"name":"FsrmEnumOptions_CheckRecycleBin","features":[510]},{"name":"FsrmEnumOptions_IncludeClusterNodes","features":[510]},{"name":"FsrmEnumOptions_IncludeDeprecatedObjects","features":[510]},{"name":"FsrmEnumOptions_None","features":[510]},{"name":"FsrmEventType","features":[510]},{"name":"FsrmEventType_Error","features":[510]},{"name":"FsrmEventType_Information","features":[510]},{"name":"FsrmEventType_Unknown","features":[510]},{"name":"FsrmEventType_Warning","features":[510]},{"name":"FsrmExecutionOption","features":[510]},{"name":"FsrmExecutionOption_EvaluateUnset","features":[510]},{"name":"FsrmExecutionOption_ReEvaluate_ConsiderExistingValue","features":[510]},{"name":"FsrmExecutionOption_ReEvaluate_IgnoreExistingValue","features":[510]},{"name":"FsrmExecutionOption_Unknown","features":[510]},{"name":"FsrmExportImport","features":[510]},{"name":"FsrmFileConditionType","features":[510]},{"name":"FsrmFileConditionType_Property","features":[510]},{"name":"FsrmFileConditionType_Unknown","features":[510]},{"name":"FsrmFileGroupManager","features":[510]},{"name":"FsrmFileManagementJobManager","features":[510]},{"name":"FsrmFileManagementLoggingFlags","features":[510]},{"name":"FsrmFileManagementLoggingFlags_Audit","features":[510]},{"name":"FsrmFileManagementLoggingFlags_Error","features":[510]},{"name":"FsrmFileManagementLoggingFlags_Information","features":[510]},{"name":"FsrmFileManagementLoggingFlags_None","features":[510]},{"name":"FsrmFileManagementType","features":[510]},{"name":"FsrmFileManagementType_Custom","features":[510]},{"name":"FsrmFileManagementType_Expiration","features":[510]},{"name":"FsrmFileManagementType_Rms","features":[510]},{"name":"FsrmFileManagementType_Unknown","features":[510]},{"name":"FsrmFileScreenFlags","features":[510]},{"name":"FsrmFileScreenFlags_Enforce","features":[510]},{"name":"FsrmFileScreenManager","features":[510]},{"name":"FsrmFileScreenTemplateManager","features":[510]},{"name":"FsrmFileStreamingInterfaceType","features":[510]},{"name":"FsrmFileStreamingInterfaceType_ILockBytes","features":[510]},{"name":"FsrmFileStreamingInterfaceType_IStream","features":[510]},{"name":"FsrmFileStreamingInterfaceType_Unknown","features":[510]},{"name":"FsrmFileStreamingMode","features":[510]},{"name":"FsrmFileStreamingMode_Read","features":[510]},{"name":"FsrmFileStreamingMode_Unknown","features":[510]},{"name":"FsrmFileStreamingMode_Write","features":[510]},{"name":"FsrmFileSystemPropertyId","features":[510]},{"name":"FsrmFileSystemPropertyId_DateCreated","features":[510]},{"name":"FsrmFileSystemPropertyId_DateLastAccessed","features":[510]},{"name":"FsrmFileSystemPropertyId_DateLastModified","features":[510]},{"name":"FsrmFileSystemPropertyId_DateNow","features":[510]},{"name":"FsrmFileSystemPropertyId_FileName","features":[510]},{"name":"FsrmFileSystemPropertyId_Undefined","features":[510]},{"name":"FsrmGetFilePropertyOptions","features":[510]},{"name":"FsrmGetFilePropertyOptions_FailOnPersistErrors","features":[510]},{"name":"FsrmGetFilePropertyOptions_NoRuleEvaluation","features":[510]},{"name":"FsrmGetFilePropertyOptions_None","features":[510]},{"name":"FsrmGetFilePropertyOptions_Persistent","features":[510]},{"name":"FsrmGetFilePropertyOptions_SkipOrphaned","features":[510]},{"name":"FsrmMaxExcludeFolders","features":[510]},{"name":"FsrmMaxNumberPropertyDefinitions","features":[510]},{"name":"FsrmMaxNumberThresholds","features":[510]},{"name":"FsrmMaxThresholdValue","features":[510]},{"name":"FsrmMinQuotaLimit","features":[510]},{"name":"FsrmMinThresholdValue","features":[510]},{"name":"FsrmPathMapper","features":[510]},{"name":"FsrmPipelineModuleConnector","features":[510]},{"name":"FsrmPipelineModuleType","features":[510]},{"name":"FsrmPipelineModuleType_Classifier","features":[510]},{"name":"FsrmPipelineModuleType_Storage","features":[510]},{"name":"FsrmPipelineModuleType_Unknown","features":[510]},{"name":"FsrmPropertyBagField","features":[510]},{"name":"FsrmPropertyBagField_AccessVolume","features":[510]},{"name":"FsrmPropertyBagField_VolumeGuidName","features":[510]},{"name":"FsrmPropertyBagFlags","features":[510]},{"name":"FsrmPropertyBagFlags_FailedClassifyingProperties","features":[510]},{"name":"FsrmPropertyBagFlags_FailedLoadingProperties","features":[510]},{"name":"FsrmPropertyBagFlags_FailedSavingProperties","features":[510]},{"name":"FsrmPropertyBagFlags_UpdatedByClassifier","features":[510]},{"name":"FsrmPropertyConditionType","features":[510]},{"name":"FsrmPropertyConditionType_Contain","features":[510]},{"name":"FsrmPropertyConditionType_ContainedIn","features":[510]},{"name":"FsrmPropertyConditionType_EndWith","features":[510]},{"name":"FsrmPropertyConditionType_Equal","features":[510]},{"name":"FsrmPropertyConditionType_Exist","features":[510]},{"name":"FsrmPropertyConditionType_GreaterThan","features":[510]},{"name":"FsrmPropertyConditionType_LessThan","features":[510]},{"name":"FsrmPropertyConditionType_MatchesPattern","features":[510]},{"name":"FsrmPropertyConditionType_NotEqual","features":[510]},{"name":"FsrmPropertyConditionType_NotExist","features":[510]},{"name":"FsrmPropertyConditionType_PrefixOf","features":[510]},{"name":"FsrmPropertyConditionType_StartWith","features":[510]},{"name":"FsrmPropertyConditionType_SuffixOf","features":[510]},{"name":"FsrmPropertyConditionType_Unknown","features":[510]},{"name":"FsrmPropertyDefinitionAppliesTo","features":[510]},{"name":"FsrmPropertyDefinitionAppliesTo_Files","features":[510]},{"name":"FsrmPropertyDefinitionAppliesTo_Folders","features":[510]},{"name":"FsrmPropertyDefinitionFlags","features":[510]},{"name":"FsrmPropertyDefinitionFlags_Deprecated","features":[510]},{"name":"FsrmPropertyDefinitionFlags_Global","features":[510]},{"name":"FsrmPropertyDefinitionFlags_Secure","features":[510]},{"name":"FsrmPropertyDefinitionType","features":[510]},{"name":"FsrmPropertyDefinitionType_Bool","features":[510]},{"name":"FsrmPropertyDefinitionType_Date","features":[510]},{"name":"FsrmPropertyDefinitionType_Int","features":[510]},{"name":"FsrmPropertyDefinitionType_MultiChoiceList","features":[510]},{"name":"FsrmPropertyDefinitionType_MultiString","features":[510]},{"name":"FsrmPropertyDefinitionType_OrderedList","features":[510]},{"name":"FsrmPropertyDefinitionType_SingleChoiceList","features":[510]},{"name":"FsrmPropertyDefinitionType_String","features":[510]},{"name":"FsrmPropertyDefinitionType_Unknown","features":[510]},{"name":"FsrmPropertyFlags","features":[510]},{"name":"FsrmPropertyFlags_AggregationFailed","features":[510]},{"name":"FsrmPropertyFlags_Deleted","features":[510]},{"name":"FsrmPropertyFlags_Existing","features":[510]},{"name":"FsrmPropertyFlags_ExplicitValueDeleted","features":[510]},{"name":"FsrmPropertyFlags_FailedClassifyingProperties","features":[510]},{"name":"FsrmPropertyFlags_FailedLoadingProperties","features":[510]},{"name":"FsrmPropertyFlags_FailedSavingProperties","features":[510]},{"name":"FsrmPropertyFlags_Inherited","features":[510]},{"name":"FsrmPropertyFlags_Manual","features":[510]},{"name":"FsrmPropertyFlags_None","features":[510]},{"name":"FsrmPropertyFlags_Orphaned","features":[510]},{"name":"FsrmPropertyFlags_PersistentMask","features":[510]},{"name":"FsrmPropertyFlags_PolicyDerived","features":[510]},{"name":"FsrmPropertyFlags_PropertyDeletedFromClear","features":[510]},{"name":"FsrmPropertyFlags_PropertySourceMask","features":[510]},{"name":"FsrmPropertyFlags_Reclassified","features":[510]},{"name":"FsrmPropertyFlags_RetrievedFromCache","features":[510]},{"name":"FsrmPropertyFlags_RetrievedFromStorage","features":[510]},{"name":"FsrmPropertyFlags_Secure","features":[510]},{"name":"FsrmPropertyFlags_SetByClassifier","features":[510]},{"name":"FsrmPropertyValueType","features":[510]},{"name":"FsrmPropertyValueType_DateOffset","features":[510]},{"name":"FsrmPropertyValueType_Literal","features":[510]},{"name":"FsrmPropertyValueType_Undefined","features":[510]},{"name":"FsrmQuotaFlags","features":[510]},{"name":"FsrmQuotaFlags_Disable","features":[510]},{"name":"FsrmQuotaFlags_Enforce","features":[510]},{"name":"FsrmQuotaFlags_StatusIncomplete","features":[510]},{"name":"FsrmQuotaFlags_StatusRebuilding","features":[510]},{"name":"FsrmQuotaManager","features":[510]},{"name":"FsrmQuotaTemplateManager","features":[510]},{"name":"FsrmReportFilter","features":[510]},{"name":"FsrmReportFilter_FileGroups","features":[510]},{"name":"FsrmReportFilter_MaxAgeDays","features":[510]},{"name":"FsrmReportFilter_MinAgeDays","features":[510]},{"name":"FsrmReportFilter_MinQuotaUsage","features":[510]},{"name":"FsrmReportFilter_MinSize","features":[510]},{"name":"FsrmReportFilter_NamePattern","features":[510]},{"name":"FsrmReportFilter_Owners","features":[510]},{"name":"FsrmReportFilter_Property","features":[510]},{"name":"FsrmReportFormat","features":[510]},{"name":"FsrmReportFormat_Csv","features":[510]},{"name":"FsrmReportFormat_DHtml","features":[510]},{"name":"FsrmReportFormat_Html","features":[510]},{"name":"FsrmReportFormat_Txt","features":[510]},{"name":"FsrmReportFormat_Unknown","features":[510]},{"name":"FsrmReportFormat_Xml","features":[510]},{"name":"FsrmReportGenerationContext","features":[510]},{"name":"FsrmReportGenerationContext_IncidentReport","features":[510]},{"name":"FsrmReportGenerationContext_InteractiveReport","features":[510]},{"name":"FsrmReportGenerationContext_ScheduledReport","features":[510]},{"name":"FsrmReportGenerationContext_Undefined","features":[510]},{"name":"FsrmReportLimit","features":[510]},{"name":"FsrmReportLimit_MaxDuplicateGroups","features":[510]},{"name":"FsrmReportLimit_MaxFileGroups","features":[510]},{"name":"FsrmReportLimit_MaxFileScreenEvents","features":[510]},{"name":"FsrmReportLimit_MaxFiles","features":[510]},{"name":"FsrmReportLimit_MaxFilesPerDuplGroup","features":[510]},{"name":"FsrmReportLimit_MaxFilesPerFileGroup","features":[510]},{"name":"FsrmReportLimit_MaxFilesPerOwner","features":[510]},{"name":"FsrmReportLimit_MaxFilesPerPropertyValue","features":[510]},{"name":"FsrmReportLimit_MaxFolders","features":[510]},{"name":"FsrmReportLimit_MaxOwners","features":[510]},{"name":"FsrmReportLimit_MaxPropertyValues","features":[510]},{"name":"FsrmReportLimit_MaxQuotas","features":[510]},{"name":"FsrmReportManager","features":[510]},{"name":"FsrmReportRunningStatus","features":[510]},{"name":"FsrmReportRunningStatus_NotRunning","features":[510]},{"name":"FsrmReportRunningStatus_Queued","features":[510]},{"name":"FsrmReportRunningStatus_Running","features":[510]},{"name":"FsrmReportRunningStatus_Unknown","features":[510]},{"name":"FsrmReportScheduler","features":[510]},{"name":"FsrmReportType","features":[510]},{"name":"FsrmReportType_AutomaticClassification","features":[510]},{"name":"FsrmReportType_DuplicateFiles","features":[510]},{"name":"FsrmReportType_Expiration","features":[510]},{"name":"FsrmReportType_ExportReport","features":[510]},{"name":"FsrmReportType_FileScreenAudit","features":[510]},{"name":"FsrmReportType_FilesByOwner","features":[510]},{"name":"FsrmReportType_FilesByProperty","features":[510]},{"name":"FsrmReportType_FilesByType","features":[510]},{"name":"FsrmReportType_FoldersByProperty","features":[510]},{"name":"FsrmReportType_LargeFiles","features":[510]},{"name":"FsrmReportType_LeastRecentlyAccessed","features":[510]},{"name":"FsrmReportType_MostRecentlyAccessed","features":[510]},{"name":"FsrmReportType_QuotaUsage","features":[510]},{"name":"FsrmReportType_Unknown","features":[510]},{"name":"FsrmRuleFlags","features":[510]},{"name":"FsrmRuleFlags_ClearAutomaticallyClassifiedProperty","features":[510]},{"name":"FsrmRuleFlags_ClearManuallyClassifiedProperty","features":[510]},{"name":"FsrmRuleFlags_Disabled","features":[510]},{"name":"FsrmRuleFlags_Invalid","features":[510]},{"name":"FsrmRuleType","features":[510]},{"name":"FsrmRuleType_Classification","features":[510]},{"name":"FsrmRuleType_Generic","features":[510]},{"name":"FsrmRuleType_Unknown","features":[510]},{"name":"FsrmSetting","features":[510]},{"name":"FsrmStorageModuleCaps","features":[510]},{"name":"FsrmStorageModuleCaps_CanGet","features":[510]},{"name":"FsrmStorageModuleCaps_CanHandleDirectories","features":[510]},{"name":"FsrmStorageModuleCaps_CanHandleFiles","features":[510]},{"name":"FsrmStorageModuleCaps_CanSet","features":[510]},{"name":"FsrmStorageModuleCaps_Unknown","features":[510]},{"name":"FsrmStorageModuleType","features":[510]},{"name":"FsrmStorageModuleType_Cache","features":[510]},{"name":"FsrmStorageModuleType_Database","features":[510]},{"name":"FsrmStorageModuleType_InFile","features":[510]},{"name":"FsrmStorageModuleType_System","features":[510]},{"name":"FsrmStorageModuleType_Unknown","features":[510]},{"name":"FsrmTemplateApplyOptions","features":[510]},{"name":"FsrmTemplateApplyOptions_ApplyToDerivedAll","features":[510]},{"name":"FsrmTemplateApplyOptions_ApplyToDerivedMatching","features":[510]},{"name":"IFsrmAccessDeniedRemediationClient","features":[510,359]},{"name":"IFsrmAction","features":[510,359]},{"name":"IFsrmActionCommand","features":[510,359]},{"name":"IFsrmActionEmail","features":[510,359]},{"name":"IFsrmActionEmail2","features":[510,359]},{"name":"IFsrmActionEventLog","features":[510,359]},{"name":"IFsrmActionReport","features":[510,359]},{"name":"IFsrmAutoApplyQuota","features":[510,359]},{"name":"IFsrmClassificationManager","features":[510,359]},{"name":"IFsrmClassificationManager2","features":[510,359]},{"name":"IFsrmClassificationRule","features":[510,359]},{"name":"IFsrmClassifierModuleDefinition","features":[510,359]},{"name":"IFsrmClassifierModuleImplementation","features":[510,359]},{"name":"IFsrmCollection","features":[510,359]},{"name":"IFsrmCommittableCollection","features":[510,359]},{"name":"IFsrmDerivedObjectsResult","features":[510,359]},{"name":"IFsrmExportImport","features":[510,359]},{"name":"IFsrmFileCondition","features":[510,359]},{"name":"IFsrmFileConditionProperty","features":[510,359]},{"name":"IFsrmFileGroup","features":[510,359]},{"name":"IFsrmFileGroupImported","features":[510,359]},{"name":"IFsrmFileGroupManager","features":[510,359]},{"name":"IFsrmFileManagementJob","features":[510,359]},{"name":"IFsrmFileManagementJobManager","features":[510,359]},{"name":"IFsrmFileScreen","features":[510,359]},{"name":"IFsrmFileScreenBase","features":[510,359]},{"name":"IFsrmFileScreenException","features":[510,359]},{"name":"IFsrmFileScreenManager","features":[510,359]},{"name":"IFsrmFileScreenTemplate","features":[510,359]},{"name":"IFsrmFileScreenTemplateImported","features":[510,359]},{"name":"IFsrmFileScreenTemplateManager","features":[510,359]},{"name":"IFsrmMutableCollection","features":[510,359]},{"name":"IFsrmObject","features":[510,359]},{"name":"IFsrmPathMapper","features":[510,359]},{"name":"IFsrmPipelineModuleConnector","features":[510,359]},{"name":"IFsrmPipelineModuleDefinition","features":[510,359]},{"name":"IFsrmPipelineModuleImplementation","features":[510,359]},{"name":"IFsrmProperty","features":[510,359]},{"name":"IFsrmPropertyBag","features":[510,359]},{"name":"IFsrmPropertyBag2","features":[510,359]},{"name":"IFsrmPropertyCondition","features":[510,359]},{"name":"IFsrmPropertyDefinition","features":[510,359]},{"name":"IFsrmPropertyDefinition2","features":[510,359]},{"name":"IFsrmPropertyDefinitionValue","features":[510,359]},{"name":"IFsrmQuota","features":[510,359]},{"name":"IFsrmQuotaBase","features":[510,359]},{"name":"IFsrmQuotaManager","features":[510,359]},{"name":"IFsrmQuotaManagerEx","features":[510,359]},{"name":"IFsrmQuotaObject","features":[510,359]},{"name":"IFsrmQuotaTemplate","features":[510,359]},{"name":"IFsrmQuotaTemplateImported","features":[510,359]},{"name":"IFsrmQuotaTemplateManager","features":[510,359]},{"name":"IFsrmReport","features":[510,359]},{"name":"IFsrmReportJob","features":[510,359]},{"name":"IFsrmReportManager","features":[510,359]},{"name":"IFsrmReportScheduler","features":[510,359]},{"name":"IFsrmRule","features":[510,359]},{"name":"IFsrmSetting","features":[510,359]},{"name":"IFsrmStorageModuleDefinition","features":[510,359]},{"name":"IFsrmStorageModuleImplementation","features":[510,359]},{"name":"MessageSizeLimit","features":[510]}],"510":[{"name":"ACCESS_ALL","features":[327]},{"name":"ACCESS_ATRIB","features":[327]},{"name":"ACCESS_CREATE","features":[327]},{"name":"ACCESS_DELETE","features":[327]},{"name":"ACCESS_EXEC","features":[327]},{"name":"ACCESS_PERM","features":[327]},{"name":"ACCESS_READ","features":[327]},{"name":"ACCESS_WRITE","features":[327]},{"name":"AddLogContainer","features":[308,327]},{"name":"AddLogContainerSet","features":[308,327]},{"name":"AddUsersToEncryptedFile","features":[311,327]},{"name":"AdvanceLogBase","features":[308,327,313]},{"name":"AlignReservedLog","features":[308,327]},{"name":"AllocReservedLog","features":[308,327]},{"name":"AreFileApisANSI","features":[308,327]},{"name":"AreShortNamesEnabled","features":[308,327]},{"name":"BACKUP_ALTERNATE_DATA","features":[327]},{"name":"BACKUP_DATA","features":[327]},{"name":"BACKUP_EA_DATA","features":[327]},{"name":"BACKUP_LINK","features":[327]},{"name":"BACKUP_OBJECT_ID","features":[327]},{"name":"BACKUP_PROPERTY_DATA","features":[327]},{"name":"BACKUP_REPARSE_DATA","features":[327]},{"name":"BACKUP_SECURITY_DATA","features":[327]},{"name":"BACKUP_SPARSE_BLOCK","features":[327]},{"name":"BACKUP_TXFS_DATA","features":[327]},{"name":"BY_HANDLE_FILE_INFORMATION","features":[308,327]},{"name":"BackupRead","features":[308,327]},{"name":"BackupSeek","features":[308,327]},{"name":"BackupWrite","features":[308,327]},{"name":"BuildIoRingCancelRequest","features":[308,327]},{"name":"BuildIoRingFlushFile","features":[308,327]},{"name":"BuildIoRingReadFile","features":[308,327]},{"name":"BuildIoRingRegisterBuffers","features":[327]},{"name":"BuildIoRingRegisterFileHandles","features":[308,327]},{"name":"BuildIoRingWriteFile","features":[308,327]},{"name":"BusType1394","features":[327]},{"name":"BusTypeAta","features":[327]},{"name":"BusTypeAtapi","features":[327]},{"name":"BusTypeFibre","features":[327]},{"name":"BusTypeFileBackedVirtual","features":[327]},{"name":"BusTypeMax","features":[327]},{"name":"BusTypeMaxReserved","features":[327]},{"name":"BusTypeMmc","features":[327]},{"name":"BusTypeNvme","features":[327]},{"name":"BusTypeRAID","features":[327]},{"name":"BusTypeSCM","features":[327]},{"name":"BusTypeSas","features":[327]},{"name":"BusTypeSata","features":[327]},{"name":"BusTypeScsi","features":[327]},{"name":"BusTypeSd","features":[327]},{"name":"BusTypeSpaces","features":[327]},{"name":"BusTypeSsa","features":[327]},{"name":"BusTypeUfs","features":[327]},{"name":"BusTypeUnknown","features":[327]},{"name":"BusTypeUsb","features":[327]},{"name":"BusTypeVirtual","features":[327]},{"name":"BusTypeiScsi","features":[327]},{"name":"CACHE_ACCESS_CHECK","features":[308,311,327]},{"name":"CACHE_DESTROY_CALLBACK","features":[327]},{"name":"CACHE_KEY_COMPARE","features":[327]},{"name":"CACHE_KEY_HASH","features":[327]},{"name":"CACHE_READ_CALLBACK","features":[308,327]},{"name":"CALLBACK_CHUNK_FINISHED","features":[327]},{"name":"CALLBACK_STREAM_SWITCH","features":[327]},{"name":"CLAIMMEDIALABEL","features":[327]},{"name":"CLAIMMEDIALABELEX","features":[327]},{"name":"CLFS_BASELOG_EXTENSION","features":[327]},{"name":"CLFS_BLOCK_ALLOCATION","features":[327]},{"name":"CLFS_BLOCK_DEALLOCATION","features":[327]},{"name":"CLFS_CONTAINER_RELATIVE_PREFIX","features":[327]},{"name":"CLFS_CONTAINER_STREAM_PREFIX","features":[327]},{"name":"CLFS_CONTEXT_MODE","features":[327]},{"name":"CLFS_FLAG","features":[327]},{"name":"CLFS_FLAG_FILTER_INTERMEDIATE_LEVEL","features":[327]},{"name":"CLFS_FLAG_FILTER_TOP_LEVEL","features":[327]},{"name":"CLFS_FLAG_FORCE_APPEND","features":[327]},{"name":"CLFS_FLAG_FORCE_FLUSH","features":[327]},{"name":"CLFS_FLAG_HIDDEN_SYSTEM_LOG","features":[327]},{"name":"CLFS_FLAG_IGNORE_SHARE_ACCESS","features":[327]},{"name":"CLFS_FLAG_MINIFILTER_LEVEL","features":[327]},{"name":"CLFS_FLAG_NON_REENTRANT_FILTER","features":[327]},{"name":"CLFS_FLAG_NO_FLAGS","features":[327]},{"name":"CLFS_FLAG_READ_IN_PROGRESS","features":[327]},{"name":"CLFS_FLAG_REENTRANT_FILE_SYSTEM","features":[327]},{"name":"CLFS_FLAG_REENTRANT_FILTER","features":[327]},{"name":"CLFS_FLAG_USE_RESERVATION","features":[327]},{"name":"CLFS_IOSTATS_CLASS","features":[327]},{"name":"CLFS_LOG_ARCHIVE_MODE","features":[327]},{"name":"CLFS_LOG_NAME_INFORMATION","features":[327]},{"name":"CLFS_MARSHALLING_FLAG_DISABLE_BUFF_INIT","features":[327]},{"name":"CLFS_MARSHALLING_FLAG_NONE","features":[327]},{"name":"CLFS_MAX_CONTAINER_INFO","features":[327]},{"name":"CLFS_MGMT_CLIENT_REGISTRATION_VERSION","features":[327]},{"name":"CLFS_MGMT_NOTIFICATION","features":[327]},{"name":"CLFS_MGMT_NOTIFICATION_TYPE","features":[327]},{"name":"CLFS_MGMT_POLICY","features":[327]},{"name":"CLFS_MGMT_POLICY_TYPE","features":[327]},{"name":"CLFS_MGMT_POLICY_VERSION","features":[327]},{"name":"CLFS_NODE_ID","features":[327]},{"name":"CLFS_PHYSICAL_LSN_INFORMATION","features":[327]},{"name":"CLFS_SCAN_BACKWARD","features":[327]},{"name":"CLFS_SCAN_BUFFERED","features":[327]},{"name":"CLFS_SCAN_CLOSE","features":[327]},{"name":"CLFS_SCAN_FORWARD","features":[327]},{"name":"CLFS_SCAN_INIT","features":[327]},{"name":"CLFS_SCAN_INITIALIZED","features":[327]},{"name":"CLFS_STREAM_ID_INFORMATION","features":[327]},{"name":"CLSID_DiskQuotaControl","features":[327]},{"name":"CLS_ARCHIVE_DESCRIPTOR","features":[327]},{"name":"CLS_CONTAINER_INFORMATION","features":[327]},{"name":"CLS_CONTEXT_MODE","features":[327]},{"name":"CLS_INFORMATION","features":[327]},{"name":"CLS_IOSTATS_CLASS","features":[327]},{"name":"CLS_IO_STATISTICS","features":[327]},{"name":"CLS_IO_STATISTICS_HEADER","features":[327]},{"name":"CLS_LOG_INFORMATION_CLASS","features":[327]},{"name":"CLS_LSN","features":[327]},{"name":"CLS_SCAN_CONTEXT","features":[308,327]},{"name":"CLS_WRITE_ENTRY","features":[327]},{"name":"COMPRESSION_FORMAT","features":[327]},{"name":"COMPRESSION_FORMAT_DEFAULT","features":[327]},{"name":"COMPRESSION_FORMAT_LZNT1","features":[327]},{"name":"COMPRESSION_FORMAT_NONE","features":[327]},{"name":"COMPRESSION_FORMAT_XP10","features":[327]},{"name":"COMPRESSION_FORMAT_XPRESS","features":[327]},{"name":"COMPRESSION_FORMAT_XPRESS_HUFF","features":[327]},{"name":"CONNECTION_INFO_0","features":[327]},{"name":"CONNECTION_INFO_1","features":[327]},{"name":"COPYFILE2_CALLBACK_CHUNK_FINISHED","features":[327]},{"name":"COPYFILE2_CALLBACK_CHUNK_STARTED","features":[327]},{"name":"COPYFILE2_CALLBACK_ERROR","features":[327]},{"name":"COPYFILE2_CALLBACK_MAX","features":[327]},{"name":"COPYFILE2_CALLBACK_NONE","features":[327]},{"name":"COPYFILE2_CALLBACK_POLL_CONTINUE","features":[327]},{"name":"COPYFILE2_CALLBACK_STREAM_FINISHED","features":[327]},{"name":"COPYFILE2_CALLBACK_STREAM_STARTED","features":[327]},{"name":"COPYFILE2_COPY_PHASE","features":[327]},{"name":"COPYFILE2_EXTENDED_PARAMETERS","features":[308,327]},{"name":"COPYFILE2_EXTENDED_PARAMETERS_V2","features":[308,327]},{"name":"COPYFILE2_MESSAGE","features":[308,327]},{"name":"COPYFILE2_MESSAGE_ACTION","features":[327]},{"name":"COPYFILE2_MESSAGE_TYPE","features":[327]},{"name":"COPYFILE2_PHASE_MAX","features":[327]},{"name":"COPYFILE2_PHASE_NAMEGRAFT_COPY","features":[327]},{"name":"COPYFILE2_PHASE_NONE","features":[327]},{"name":"COPYFILE2_PHASE_PREPARE_DEST","features":[327]},{"name":"COPYFILE2_PHASE_PREPARE_SOURCE","features":[327]},{"name":"COPYFILE2_PHASE_READ_SOURCE","features":[327]},{"name":"COPYFILE2_PHASE_SERVER_COPY","features":[327]},{"name":"COPYFILE2_PHASE_WRITE_DESTINATION","features":[327]},{"name":"COPYFILE2_PROGRESS_CANCEL","features":[327]},{"name":"COPYFILE2_PROGRESS_CONTINUE","features":[327]},{"name":"COPYFILE2_PROGRESS_PAUSE","features":[327]},{"name":"COPYFILE2_PROGRESS_QUIET","features":[327]},{"name":"COPYFILE2_PROGRESS_STOP","features":[327]},{"name":"CREATEFILE2_EXTENDED_PARAMETERS","features":[308,311,327]},{"name":"CREATE_ALWAYS","features":[327]},{"name":"CREATE_NEW","features":[327]},{"name":"CREATE_TAPE_PARTITION_METHOD","features":[327]},{"name":"CRM_PROTOCOL_DYNAMIC_MARSHAL_INFO","features":[327]},{"name":"CRM_PROTOCOL_EXPLICIT_MARSHAL_ONLY","features":[327]},{"name":"CRM_PROTOCOL_MAXIMUM_OPTION","features":[327]},{"name":"CSC_CACHE_AUTO_REINT","features":[327]},{"name":"CSC_CACHE_MANUAL_REINT","features":[327]},{"name":"CSC_CACHE_NONE","features":[327]},{"name":"CSC_CACHE_VDO","features":[327]},{"name":"CSC_MASK","features":[327]},{"name":"CSC_MASK_EXT","features":[327]},{"name":"CSV_BLOCK_AND_FILE_CACHE_CALLBACK_VERSION","features":[327]},{"name":"CSV_BLOCK_CACHE_CALLBACK_VERSION","features":[327]},{"name":"CheckNameLegalDOS8Dot3A","features":[308,327]},{"name":"CheckNameLegalDOS8Dot3W","features":[308,327]},{"name":"ClfsClientRecord","features":[327]},{"name":"ClfsContainerActive","features":[327]},{"name":"ClfsContainerActivePendingDelete","features":[327]},{"name":"ClfsContainerInactive","features":[327]},{"name":"ClfsContainerInitializing","features":[327]},{"name":"ClfsContainerPendingArchive","features":[327]},{"name":"ClfsContainerPendingArchiveAndDelete","features":[327]},{"name":"ClfsContextForward","features":[327]},{"name":"ClfsContextNone","features":[327]},{"name":"ClfsContextPrevious","features":[327]},{"name":"ClfsContextUndoNext","features":[327]},{"name":"ClfsDataRecord","features":[327]},{"name":"ClfsIoStatsDefault","features":[327]},{"name":"ClfsIoStatsMax","features":[327]},{"name":"ClfsLogArchiveDisabled","features":[327]},{"name":"ClfsLogArchiveEnabled","features":[327]},{"name":"ClfsLogBasicInformation","features":[327]},{"name":"ClfsLogBasicInformationPhysical","features":[327]},{"name":"ClfsLogPhysicalLsnInformation","features":[327]},{"name":"ClfsLogPhysicalNameInformation","features":[327]},{"name":"ClfsLogStreamIdentifierInformation","features":[327]},{"name":"ClfsLogSystemMarkingInformation","features":[327]},{"name":"ClfsMgmtAdvanceTailNotification","features":[327]},{"name":"ClfsMgmtLogFullHandlerNotification","features":[327]},{"name":"ClfsMgmtLogUnpinnedNotification","features":[327]},{"name":"ClfsMgmtLogWriteNotification","features":[327]},{"name":"ClfsMgmtPolicyAutoGrow","features":[327]},{"name":"ClfsMgmtPolicyAutoShrink","features":[327]},{"name":"ClfsMgmtPolicyGrowthRate","features":[327]},{"name":"ClfsMgmtPolicyInvalid","features":[327]},{"name":"ClfsMgmtPolicyLogTail","features":[327]},{"name":"ClfsMgmtPolicyMaximumSize","features":[327]},{"name":"ClfsMgmtPolicyMinimumSize","features":[327]},{"name":"ClfsMgmtPolicyNewContainerExtension","features":[327]},{"name":"ClfsMgmtPolicyNewContainerPrefix","features":[327]},{"name":"ClfsMgmtPolicyNewContainerSize","features":[327]},{"name":"ClfsMgmtPolicyNewContainerSuffix","features":[327]},{"name":"ClfsNullRecord","features":[327]},{"name":"ClfsRestartRecord","features":[327]},{"name":"CloseAndResetLogFile","features":[308,327]},{"name":"CloseEncryptedFileRaw","features":[327]},{"name":"CloseIoRing","features":[327]},{"name":"ClsContainerActive","features":[327]},{"name":"ClsContainerActivePendingDelete","features":[327]},{"name":"ClsContainerInactive","features":[327]},{"name":"ClsContainerInitializing","features":[327]},{"name":"ClsContainerPendingArchive","features":[327]},{"name":"ClsContainerPendingArchiveAndDelete","features":[327]},{"name":"ClsContextForward","features":[327]},{"name":"ClsContextNone","features":[327]},{"name":"ClsContextPrevious","features":[327]},{"name":"ClsContextUndoNext","features":[327]},{"name":"ClsIoStatsDefault","features":[327]},{"name":"ClsIoStatsMax","features":[327]},{"name":"CommitComplete","features":[308,327]},{"name":"CommitEnlistment","features":[308,327]},{"name":"CommitTransaction","features":[308,327]},{"name":"CommitTransactionAsync","features":[308,327]},{"name":"CompareFileTime","features":[308,327]},{"name":"CopyFile2","features":[308,327]},{"name":"CopyFileA","features":[308,327]},{"name":"CopyFileExA","features":[308,327]},{"name":"CopyFileExW","features":[308,327]},{"name":"CopyFileFromAppW","features":[308,327]},{"name":"CopyFileTransactedA","features":[308,327]},{"name":"CopyFileTransactedW","features":[308,327]},{"name":"CopyFileW","features":[308,327]},{"name":"CopyLZFile","features":[327]},{"name":"CreateDirectoryA","features":[308,311,327]},{"name":"CreateDirectoryExA","features":[308,311,327]},{"name":"CreateDirectoryExW","features":[308,311,327]},{"name":"CreateDirectoryFromAppW","features":[308,311,327]},{"name":"CreateDirectoryTransactedA","features":[308,311,327]},{"name":"CreateDirectoryTransactedW","features":[308,311,327]},{"name":"CreateDirectoryW","features":[308,311,327]},{"name":"CreateEnlistment","features":[308,311,327]},{"name":"CreateFile2","features":[308,311,327]},{"name":"CreateFile2FromAppW","features":[308,311,327]},{"name":"CreateFileA","features":[308,311,327]},{"name":"CreateFileFromAppW","features":[308,311,327]},{"name":"CreateFileTransactedA","features":[308,311,327]},{"name":"CreateFileTransactedW","features":[308,311,327]},{"name":"CreateFileW","features":[308,311,327]},{"name":"CreateHardLinkA","features":[308,311,327]},{"name":"CreateHardLinkTransactedA","features":[308,311,327]},{"name":"CreateHardLinkTransactedW","features":[308,311,327]},{"name":"CreateHardLinkW","features":[308,311,327]},{"name":"CreateIoRing","features":[327]},{"name":"CreateLogContainerScanContext","features":[308,327,313]},{"name":"CreateLogFile","features":[308,311,327]},{"name":"CreateLogMarshallingArea","features":[308,327]},{"name":"CreateResourceManager","features":[308,311,327]},{"name":"CreateSymbolicLinkA","features":[308,327]},{"name":"CreateSymbolicLinkTransactedA","features":[308,327]},{"name":"CreateSymbolicLinkTransactedW","features":[308,327]},{"name":"CreateSymbolicLinkW","features":[308,327]},{"name":"CreateTapePartition","features":[308,327]},{"name":"CreateTransaction","features":[308,311,327]},{"name":"CreateTransactionManager","features":[308,311,327]},{"name":"DDD_EXACT_MATCH_ON_REMOVE","features":[327]},{"name":"DDD_LUID_BROADCAST_DRIVE","features":[327]},{"name":"DDD_NO_BROADCAST_SYSTEM","features":[327]},{"name":"DDD_RAW_TARGET_PATH","features":[327]},{"name":"DDD_REMOVE_DEFINITION","features":[327]},{"name":"DEFINE_DOS_DEVICE_FLAGS","features":[327]},{"name":"DELETE","features":[327]},{"name":"DISKQUOTA_FILESTATE_INCOMPLETE","features":[327]},{"name":"DISKQUOTA_FILESTATE_MASK","features":[327]},{"name":"DISKQUOTA_FILESTATE_REBUILDING","features":[327]},{"name":"DISKQUOTA_LOGFLAG_USER_LIMIT","features":[327]},{"name":"DISKQUOTA_LOGFLAG_USER_THRESHOLD","features":[327]},{"name":"DISKQUOTA_STATE_DISABLED","features":[327]},{"name":"DISKQUOTA_STATE_ENFORCE","features":[327]},{"name":"DISKQUOTA_STATE_MASK","features":[327]},{"name":"DISKQUOTA_STATE_TRACK","features":[327]},{"name":"DISKQUOTA_USERNAME_RESOLVE","features":[327]},{"name":"DISKQUOTA_USERNAME_RESOLVE_ASYNC","features":[327]},{"name":"DISKQUOTA_USERNAME_RESOLVE_NONE","features":[327]},{"name":"DISKQUOTA_USERNAME_RESOLVE_SYNC","features":[327]},{"name":"DISKQUOTA_USER_ACCOUNT_DELETED","features":[327]},{"name":"DISKQUOTA_USER_ACCOUNT_INVALID","features":[327]},{"name":"DISKQUOTA_USER_ACCOUNT_RESOLVED","features":[327]},{"name":"DISKQUOTA_USER_ACCOUNT_UNAVAILABLE","features":[327]},{"name":"DISKQUOTA_USER_ACCOUNT_UNKNOWN","features":[327]},{"name":"DISKQUOTA_USER_ACCOUNT_UNRESOLVED","features":[327]},{"name":"DISKQUOTA_USER_INFORMATION","features":[327]},{"name":"DISK_SPACE_INFORMATION","features":[327]},{"name":"DecryptFileA","features":[308,327]},{"name":"DecryptFileW","features":[308,327]},{"name":"DefineDosDeviceA","features":[308,327]},{"name":"DefineDosDeviceW","features":[308,327]},{"name":"DeleteFileA","features":[308,327]},{"name":"DeleteFileFromAppW","features":[308,327]},{"name":"DeleteFileTransactedA","features":[308,327]},{"name":"DeleteFileTransactedW","features":[308,327]},{"name":"DeleteFileW","features":[308,327]},{"name":"DeleteLogByHandle","features":[308,327]},{"name":"DeleteLogFile","features":[308,327]},{"name":"DeleteLogMarshallingArea","features":[308,327]},{"name":"DeleteVolumeMountPointA","features":[308,327]},{"name":"DeleteVolumeMountPointW","features":[308,327]},{"name":"DeregisterManageableLogClient","features":[308,327]},{"name":"DuplicateEncryptionInfoFile","features":[308,311,327]},{"name":"EA_CONTAINER_NAME","features":[327]},{"name":"EA_CONTAINER_SIZE","features":[327]},{"name":"EFS_CERTIFICATE_BLOB","features":[327]},{"name":"EFS_COMPATIBILITY_INFO","features":[327]},{"name":"EFS_COMPATIBILITY_VERSION_NCRYPT_PROTECTOR","features":[327]},{"name":"EFS_COMPATIBILITY_VERSION_PFILE_PROTECTOR","features":[327]},{"name":"EFS_DECRYPTION_STATUS_INFO","features":[327]},{"name":"EFS_EFS_SUBVER_EFS_CERT","features":[327]},{"name":"EFS_ENCRYPTION_STATUS_INFO","features":[308,327]},{"name":"EFS_HASH_BLOB","features":[327]},{"name":"EFS_KEY_INFO","features":[392,327]},{"name":"EFS_METADATA_ADD_USER","features":[327]},{"name":"EFS_METADATA_GENERAL_OP","features":[327]},{"name":"EFS_METADATA_REMOVE_USER","features":[327]},{"name":"EFS_METADATA_REPLACE_USER","features":[327]},{"name":"EFS_PFILE_SUBVER_APPX","features":[327]},{"name":"EFS_PFILE_SUBVER_RMS","features":[327]},{"name":"EFS_PIN_BLOB","features":[327]},{"name":"EFS_RPC_BLOB","features":[327]},{"name":"EFS_SUBVER_UNKNOWN","features":[327]},{"name":"EFS_VERSION_INFO","features":[327]},{"name":"ENCRYPTED_FILE_METADATA_SIGNATURE","features":[311,327]},{"name":"ENCRYPTION_CERTIFICATE","features":[311,327]},{"name":"ENCRYPTION_CERTIFICATE_HASH","features":[311,327]},{"name":"ENCRYPTION_CERTIFICATE_HASH_LIST","features":[311,327]},{"name":"ENCRYPTION_CERTIFICATE_LIST","features":[311,327]},{"name":"ENCRYPTION_PROTECTOR","features":[311,327]},{"name":"ENCRYPTION_PROTECTOR_LIST","features":[311,327]},{"name":"ENLISTMENT_MAXIMUM_OPTION","features":[327]},{"name":"ENLISTMENT_OBJECT_PATH","features":[327]},{"name":"ENLISTMENT_SUPERIOR","features":[327]},{"name":"ERASE_TAPE_TYPE","features":[327]},{"name":"EncryptFileA","features":[308,327]},{"name":"EncryptFileW","features":[308,327]},{"name":"EncryptionDisable","features":[308,327]},{"name":"EraseTape","features":[308,327]},{"name":"ExtendedFileIdType","features":[327]},{"name":"FCACHE_CREATE_CALLBACK","features":[308,327]},{"name":"FCACHE_RICHCREATE_CALLBACK","features":[308,327]},{"name":"FH_OVERLAPPED","features":[308,327]},{"name":"FILE_ACCESS_RIGHTS","features":[327]},{"name":"FILE_ACTION","features":[327]},{"name":"FILE_ACTION_ADDED","features":[327]},{"name":"FILE_ACTION_MODIFIED","features":[327]},{"name":"FILE_ACTION_REMOVED","features":[327]},{"name":"FILE_ACTION_RENAMED_NEW_NAME","features":[327]},{"name":"FILE_ACTION_RENAMED_OLD_NAME","features":[327]},{"name":"FILE_ADD_FILE","features":[327]},{"name":"FILE_ADD_SUBDIRECTORY","features":[327]},{"name":"FILE_ALIGNMENT_INFO","features":[327]},{"name":"FILE_ALLOCATION_INFO","features":[327]},{"name":"FILE_ALL_ACCESS","features":[327]},{"name":"FILE_APPEND_DATA","features":[327]},{"name":"FILE_ATTRIBUTE_ARCHIVE","features":[327]},{"name":"FILE_ATTRIBUTE_COMPRESSED","features":[327]},{"name":"FILE_ATTRIBUTE_DEVICE","features":[327]},{"name":"FILE_ATTRIBUTE_DIRECTORY","features":[327]},{"name":"FILE_ATTRIBUTE_EA","features":[327]},{"name":"FILE_ATTRIBUTE_ENCRYPTED","features":[327]},{"name":"FILE_ATTRIBUTE_HIDDEN","features":[327]},{"name":"FILE_ATTRIBUTE_INTEGRITY_STREAM","features":[327]},{"name":"FILE_ATTRIBUTE_NORMAL","features":[327]},{"name":"FILE_ATTRIBUTE_NOT_CONTENT_INDEXED","features":[327]},{"name":"FILE_ATTRIBUTE_NO_SCRUB_DATA","features":[327]},{"name":"FILE_ATTRIBUTE_OFFLINE","features":[327]},{"name":"FILE_ATTRIBUTE_PINNED","features":[327]},{"name":"FILE_ATTRIBUTE_READONLY","features":[327]},{"name":"FILE_ATTRIBUTE_RECALL_ON_DATA_ACCESS","features":[327]},{"name":"FILE_ATTRIBUTE_RECALL_ON_OPEN","features":[327]},{"name":"FILE_ATTRIBUTE_REPARSE_POINT","features":[327]},{"name":"FILE_ATTRIBUTE_SPARSE_FILE","features":[327]},{"name":"FILE_ATTRIBUTE_SYSTEM","features":[327]},{"name":"FILE_ATTRIBUTE_TAG_INFO","features":[327]},{"name":"FILE_ATTRIBUTE_TEMPORARY","features":[327]},{"name":"FILE_ATTRIBUTE_UNPINNED","features":[327]},{"name":"FILE_ATTRIBUTE_VIRTUAL","features":[327]},{"name":"FILE_BASIC_INFO","features":[327]},{"name":"FILE_BEGIN","features":[327]},{"name":"FILE_COMPRESSION_INFO","features":[327]},{"name":"FILE_CREATE_PIPE_INSTANCE","features":[327]},{"name":"FILE_CREATION_DISPOSITION","features":[327]},{"name":"FILE_CURRENT","features":[327]},{"name":"FILE_DELETE_CHILD","features":[327]},{"name":"FILE_DEVICE_CD_ROM","features":[327]},{"name":"FILE_DEVICE_DISK","features":[327]},{"name":"FILE_DEVICE_DVD","features":[327]},{"name":"FILE_DEVICE_TAPE","features":[327]},{"name":"FILE_DEVICE_TYPE","features":[327]},{"name":"FILE_DISPOSITION_FLAG_DELETE","features":[327]},{"name":"FILE_DISPOSITION_FLAG_DO_NOT_DELETE","features":[327]},{"name":"FILE_DISPOSITION_FLAG_FORCE_IMAGE_SECTION_CHECK","features":[327]},{"name":"FILE_DISPOSITION_FLAG_IGNORE_READONLY_ATTRIBUTE","features":[327]},{"name":"FILE_DISPOSITION_FLAG_ON_CLOSE","features":[327]},{"name":"FILE_DISPOSITION_FLAG_POSIX_SEMANTICS","features":[327]},{"name":"FILE_DISPOSITION_INFO","features":[308,327]},{"name":"FILE_DISPOSITION_INFO_EX","features":[327]},{"name":"FILE_DISPOSITION_INFO_EX_FLAGS","features":[327]},{"name":"FILE_END","features":[327]},{"name":"FILE_END_OF_FILE_INFO","features":[327]},{"name":"FILE_EXECUTE","features":[327]},{"name":"FILE_EXTENT","features":[327]},{"name":"FILE_FLAGS_AND_ATTRIBUTES","features":[327]},{"name":"FILE_FLAG_BACKUP_SEMANTICS","features":[327]},{"name":"FILE_FLAG_DELETE_ON_CLOSE","features":[327]},{"name":"FILE_FLAG_FIRST_PIPE_INSTANCE","features":[327]},{"name":"FILE_FLAG_NO_BUFFERING","features":[327]},{"name":"FILE_FLAG_OPEN_NO_RECALL","features":[327]},{"name":"FILE_FLAG_OPEN_REPARSE_POINT","features":[327]},{"name":"FILE_FLAG_OVERLAPPED","features":[327]},{"name":"FILE_FLAG_POSIX_SEMANTICS","features":[327]},{"name":"FILE_FLAG_RANDOM_ACCESS","features":[327]},{"name":"FILE_FLAG_SEQUENTIAL_SCAN","features":[327]},{"name":"FILE_FLAG_SESSION_AWARE","features":[327]},{"name":"FILE_FLAG_WRITE_THROUGH","features":[327]},{"name":"FILE_FLUSH_DATA","features":[327]},{"name":"FILE_FLUSH_DEFAULT","features":[327]},{"name":"FILE_FLUSH_MIN_METADATA","features":[327]},{"name":"FILE_FLUSH_MODE","features":[327]},{"name":"FILE_FLUSH_NO_SYNC","features":[327]},{"name":"FILE_FULL_DIR_INFO","features":[327]},{"name":"FILE_GENERIC_EXECUTE","features":[327]},{"name":"FILE_GENERIC_READ","features":[327]},{"name":"FILE_GENERIC_WRITE","features":[327]},{"name":"FILE_ID_128","features":[327]},{"name":"FILE_ID_BOTH_DIR_INFO","features":[327]},{"name":"FILE_ID_DESCRIPTOR","features":[327]},{"name":"FILE_ID_EXTD_DIR_INFO","features":[327]},{"name":"FILE_ID_INFO","features":[327]},{"name":"FILE_ID_TYPE","features":[327]},{"name":"FILE_INFO_2","features":[327]},{"name":"FILE_INFO_3","features":[327]},{"name":"FILE_INFO_BY_HANDLE_CLASS","features":[327]},{"name":"FILE_INFO_FLAGS_PERMISSIONS","features":[327]},{"name":"FILE_IO_PRIORITY_HINT_INFO","features":[327]},{"name":"FILE_LIST_DIRECTORY","features":[327]},{"name":"FILE_NAME_INFO","features":[327]},{"name":"FILE_NAME_NORMALIZED","features":[327]},{"name":"FILE_NAME_OPENED","features":[327]},{"name":"FILE_NOTIFY_CHANGE","features":[327]},{"name":"FILE_NOTIFY_CHANGE_ATTRIBUTES","features":[327]},{"name":"FILE_NOTIFY_CHANGE_CREATION","features":[327]},{"name":"FILE_NOTIFY_CHANGE_DIR_NAME","features":[327]},{"name":"FILE_NOTIFY_CHANGE_FILE_NAME","features":[327]},{"name":"FILE_NOTIFY_CHANGE_LAST_ACCESS","features":[327]},{"name":"FILE_NOTIFY_CHANGE_LAST_WRITE","features":[327]},{"name":"FILE_NOTIFY_CHANGE_SECURITY","features":[327]},{"name":"FILE_NOTIFY_CHANGE_SIZE","features":[327]},{"name":"FILE_NOTIFY_EXTENDED_INFORMATION","features":[327]},{"name":"FILE_NOTIFY_INFORMATION","features":[327]},{"name":"FILE_PROVIDER_COMPRESSION_LZX","features":[327]},{"name":"FILE_PROVIDER_COMPRESSION_XPRESS16K","features":[327]},{"name":"FILE_PROVIDER_COMPRESSION_XPRESS4K","features":[327]},{"name":"FILE_PROVIDER_COMPRESSION_XPRESS8K","features":[327]},{"name":"FILE_READ_ATTRIBUTES","features":[327]},{"name":"FILE_READ_DATA","features":[327]},{"name":"FILE_READ_EA","features":[327]},{"name":"FILE_REMOTE_PROTOCOL_INFO","features":[327]},{"name":"FILE_RENAME_INFO","features":[308,327]},{"name":"FILE_SEGMENT_ELEMENT","features":[327]},{"name":"FILE_SHARE_DELETE","features":[327]},{"name":"FILE_SHARE_MODE","features":[327]},{"name":"FILE_SHARE_NONE","features":[327]},{"name":"FILE_SHARE_READ","features":[327]},{"name":"FILE_SHARE_WRITE","features":[327]},{"name":"FILE_STANDARD_INFO","features":[308,327]},{"name":"FILE_STORAGE_INFO","features":[327]},{"name":"FILE_STREAM_INFO","features":[327]},{"name":"FILE_TRAVERSE","features":[327]},{"name":"FILE_TYPE","features":[327]},{"name":"FILE_TYPE_CHAR","features":[327]},{"name":"FILE_TYPE_DISK","features":[327]},{"name":"FILE_TYPE_PIPE","features":[327]},{"name":"FILE_TYPE_REMOTE","features":[327]},{"name":"FILE_TYPE_UNKNOWN","features":[327]},{"name":"FILE_VER_GET_LOCALISED","features":[327]},{"name":"FILE_VER_GET_NEUTRAL","features":[327]},{"name":"FILE_VER_GET_PREFETCHED","features":[327]},{"name":"FILE_WRITE_ATTRIBUTES","features":[327]},{"name":"FILE_WRITE_DATA","features":[327]},{"name":"FILE_WRITE_EA","features":[327]},{"name":"FILE_WRITE_FLAGS","features":[327]},{"name":"FILE_WRITE_FLAGS_NONE","features":[327]},{"name":"FILE_WRITE_FLAGS_WRITE_THROUGH","features":[327]},{"name":"FINDEX_INFO_LEVELS","features":[327]},{"name":"FINDEX_SEARCH_OPS","features":[327]},{"name":"FIND_FIRST_EX_CASE_SENSITIVE","features":[327]},{"name":"FIND_FIRST_EX_FLAGS","features":[327]},{"name":"FIND_FIRST_EX_LARGE_FETCH","features":[327]},{"name":"FIND_FIRST_EX_ON_DISK_ENTRIES_ONLY","features":[327]},{"name":"FIO_CONTEXT","features":[308,327]},{"name":"FileAlignmentInfo","features":[327]},{"name":"FileAllocationInfo","features":[327]},{"name":"FileAttributeTagInfo","features":[327]},{"name":"FileBasicInfo","features":[327]},{"name":"FileCaseSensitiveInfo","features":[327]},{"name":"FileCompressionInfo","features":[327]},{"name":"FileDispositionInfo","features":[327]},{"name":"FileDispositionInfoEx","features":[327]},{"name":"FileEncryptionStatusA","features":[308,327]},{"name":"FileEncryptionStatusW","features":[308,327]},{"name":"FileEndOfFileInfo","features":[327]},{"name":"FileFullDirectoryInfo","features":[327]},{"name":"FileFullDirectoryRestartInfo","features":[327]},{"name":"FileIdBothDirectoryInfo","features":[327]},{"name":"FileIdBothDirectoryRestartInfo","features":[327]},{"name":"FileIdExtdDirectoryInfo","features":[327]},{"name":"FileIdExtdDirectoryRestartInfo","features":[327]},{"name":"FileIdInfo","features":[327]},{"name":"FileIdType","features":[327]},{"name":"FileIoPriorityHintInfo","features":[327]},{"name":"FileNameInfo","features":[327]},{"name":"FileNormalizedNameInfo","features":[327]},{"name":"FileRemoteProtocolInfo","features":[327]},{"name":"FileRenameInfo","features":[327]},{"name":"FileRenameInfoEx","features":[327]},{"name":"FileStandardInfo","features":[327]},{"name":"FileStorageInfo","features":[327]},{"name":"FileStreamInfo","features":[327]},{"name":"FileTimeToLocalFileTime","features":[308,327]},{"name":"FindClose","features":[308,327]},{"name":"FindCloseChangeNotification","features":[308,327]},{"name":"FindExInfoBasic","features":[327]},{"name":"FindExInfoMaxInfoLevel","features":[327]},{"name":"FindExInfoStandard","features":[327]},{"name":"FindExSearchLimitToDevices","features":[327]},{"name":"FindExSearchLimitToDirectories","features":[327]},{"name":"FindExSearchMaxSearchOp","features":[327]},{"name":"FindExSearchNameMatch","features":[327]},{"name":"FindFirstChangeNotificationA","features":[308,327]},{"name":"FindFirstChangeNotificationW","features":[308,327]},{"name":"FindFirstFileA","features":[308,327]},{"name":"FindFirstFileExA","features":[308,327]},{"name":"FindFirstFileExFromAppW","features":[308,327]},{"name":"FindFirstFileExW","features":[308,327]},{"name":"FindFirstFileNameTransactedW","features":[308,327]},{"name":"FindFirstFileNameW","features":[308,327]},{"name":"FindFirstFileTransactedA","features":[308,327]},{"name":"FindFirstFileTransactedW","features":[308,327]},{"name":"FindFirstFileW","features":[308,327]},{"name":"FindFirstStreamTransactedW","features":[308,327]},{"name":"FindFirstStreamW","features":[308,327]},{"name":"FindFirstVolumeA","features":[308,327]},{"name":"FindFirstVolumeMountPointA","features":[308,327]},{"name":"FindFirstVolumeMountPointW","features":[308,327]},{"name":"FindFirstVolumeW","features":[308,327]},{"name":"FindNextChangeNotification","features":[308,327]},{"name":"FindNextFileA","features":[308,327]},{"name":"FindNextFileNameW","features":[308,327]},{"name":"FindNextFileW","features":[308,327]},{"name":"FindNextStreamW","features":[308,327]},{"name":"FindNextVolumeA","features":[308,327]},{"name":"FindNextVolumeMountPointA","features":[308,327]},{"name":"FindNextVolumeMountPointW","features":[308,327]},{"name":"FindNextVolumeW","features":[308,327]},{"name":"FindStreamInfoMaxInfoLevel","features":[327]},{"name":"FindStreamInfoStandard","features":[327]},{"name":"FindVolumeClose","features":[308,327]},{"name":"FindVolumeMountPointClose","features":[308,327]},{"name":"FlushFileBuffers","features":[308,327]},{"name":"FlushLogBuffers","features":[308,327,313]},{"name":"FlushLogToLsn","features":[308,327,313]},{"name":"FreeEncryptedFileMetadata","features":[327]},{"name":"FreeEncryptionCertificateHashList","features":[311,327]},{"name":"FreeReservedLog","features":[308,327]},{"name":"GETFINALPATHNAMEBYHANDLE_FLAGS","features":[327]},{"name":"GET_FILEEX_INFO_LEVELS","features":[327]},{"name":"GET_FILE_VERSION_INFO_FLAGS","features":[327]},{"name":"GET_TAPE_DRIVE_INFORMATION","features":[327]},{"name":"GET_TAPE_DRIVE_PARAMETERS_OPERATION","features":[327]},{"name":"GET_TAPE_MEDIA_INFORMATION","features":[327]},{"name":"GetBinaryTypeA","features":[308,327]},{"name":"GetBinaryTypeW","features":[308,327]},{"name":"GetCompressedFileSizeA","features":[327]},{"name":"GetCompressedFileSizeTransactedA","features":[308,327]},{"name":"GetCompressedFileSizeTransactedW","features":[308,327]},{"name":"GetCompressedFileSizeW","features":[327]},{"name":"GetCurrentClockTransactionManager","features":[308,327]},{"name":"GetDiskFreeSpaceA","features":[308,327]},{"name":"GetDiskFreeSpaceExA","features":[308,327]},{"name":"GetDiskFreeSpaceExW","features":[308,327]},{"name":"GetDiskFreeSpaceW","features":[308,327]},{"name":"GetDiskSpaceInformationA","features":[327]},{"name":"GetDiskSpaceInformationW","features":[327]},{"name":"GetDriveTypeA","features":[327]},{"name":"GetDriveTypeW","features":[327]},{"name":"GetEncryptedFileMetadata","features":[327]},{"name":"GetEnlistmentId","features":[308,327]},{"name":"GetEnlistmentRecoveryInformation","features":[308,327]},{"name":"GetExpandedNameA","features":[327]},{"name":"GetExpandedNameW","features":[327]},{"name":"GetFileAttributesA","features":[327]},{"name":"GetFileAttributesExA","features":[308,327]},{"name":"GetFileAttributesExFromAppW","features":[308,327]},{"name":"GetFileAttributesExW","features":[308,327]},{"name":"GetFileAttributesTransactedA","features":[308,327]},{"name":"GetFileAttributesTransactedW","features":[308,327]},{"name":"GetFileAttributesW","features":[327]},{"name":"GetFileBandwidthReservation","features":[308,327]},{"name":"GetFileExInfoStandard","features":[327]},{"name":"GetFileExMaxInfoLevel","features":[327]},{"name":"GetFileInformationByHandle","features":[308,327]},{"name":"GetFileInformationByHandleEx","features":[308,327]},{"name":"GetFileSize","features":[308,327]},{"name":"GetFileSizeEx","features":[308,327]},{"name":"GetFileTime","features":[308,327]},{"name":"GetFileType","features":[308,327]},{"name":"GetFileVersionInfoA","features":[308,327]},{"name":"GetFileVersionInfoExA","features":[308,327]},{"name":"GetFileVersionInfoExW","features":[308,327]},{"name":"GetFileVersionInfoSizeA","features":[327]},{"name":"GetFileVersionInfoSizeExA","features":[327]},{"name":"GetFileVersionInfoSizeExW","features":[327]},{"name":"GetFileVersionInfoSizeW","features":[327]},{"name":"GetFileVersionInfoW","features":[308,327]},{"name":"GetFinalPathNameByHandleA","features":[308,327]},{"name":"GetFinalPathNameByHandleW","features":[308,327]},{"name":"GetFullPathNameA","features":[327]},{"name":"GetFullPathNameTransactedA","features":[308,327]},{"name":"GetFullPathNameTransactedW","features":[308,327]},{"name":"GetFullPathNameW","features":[327]},{"name":"GetIoRingInfo","features":[327]},{"name":"GetLogContainerName","features":[308,327]},{"name":"GetLogFileInformation","features":[308,327]},{"name":"GetLogIoStatistics","features":[308,327]},{"name":"GetLogReservationInfo","features":[308,327]},{"name":"GetLogicalDriveStringsA","features":[327]},{"name":"GetLogicalDriveStringsW","features":[327]},{"name":"GetLogicalDrives","features":[327]},{"name":"GetLongPathNameA","features":[327]},{"name":"GetLongPathNameTransactedA","features":[308,327]},{"name":"GetLongPathNameTransactedW","features":[308,327]},{"name":"GetLongPathNameW","features":[327]},{"name":"GetNextLogArchiveExtent","features":[308,327]},{"name":"GetNotificationResourceManager","features":[308,327]},{"name":"GetNotificationResourceManagerAsync","features":[308,327,313]},{"name":"GetShortPathNameA","features":[327]},{"name":"GetShortPathNameW","features":[327]},{"name":"GetTapeParameters","features":[308,327]},{"name":"GetTapePosition","features":[308,327]},{"name":"GetTapeStatus","features":[308,327]},{"name":"GetTempFileNameA","features":[327]},{"name":"GetTempFileNameW","features":[327]},{"name":"GetTempPath2A","features":[327]},{"name":"GetTempPath2W","features":[327]},{"name":"GetTempPathA","features":[327]},{"name":"GetTempPathW","features":[327]},{"name":"GetTransactionId","features":[308,327]},{"name":"GetTransactionInformation","features":[308,327]},{"name":"GetTransactionManagerId","features":[308,327]},{"name":"GetVolumeInformationA","features":[308,327]},{"name":"GetVolumeInformationByHandleW","features":[308,327]},{"name":"GetVolumeInformationW","features":[308,327]},{"name":"GetVolumeNameForVolumeMountPointA","features":[308,327]},{"name":"GetVolumeNameForVolumeMountPointW","features":[308,327]},{"name":"GetVolumePathNameA","features":[308,327]},{"name":"GetVolumePathNameW","features":[308,327]},{"name":"GetVolumePathNamesForVolumeNameA","features":[308,327]},{"name":"GetVolumePathNamesForVolumeNameW","features":[308,327]},{"name":"HIORING","features":[327]},{"name":"HandleLogFull","features":[308,327]},{"name":"IDiskQuotaControl","features":[327,359]},{"name":"IDiskQuotaEvents","features":[327]},{"name":"IDiskQuotaUser","features":[327]},{"name":"IDiskQuotaUserBatch","features":[327]},{"name":"IEnumDiskQuotaUsers","features":[327]},{"name":"INVALID_FILE_ATTRIBUTES","features":[327]},{"name":"INVALID_FILE_SIZE","features":[327]},{"name":"INVALID_SET_FILE_POINTER","features":[327]},{"name":"IOCTL_VOLUME_ALLOCATE_BC_STREAM","features":[327]},{"name":"IOCTL_VOLUME_BASE","features":[327]},{"name":"IOCTL_VOLUME_BC_VERSION","features":[327]},{"name":"IOCTL_VOLUME_FREE_BC_STREAM","features":[327]},{"name":"IOCTL_VOLUME_GET_BC_PROPERTIES","features":[327]},{"name":"IOCTL_VOLUME_GET_CSVBLOCKCACHE_CALLBACK","features":[327]},{"name":"IOCTL_VOLUME_GET_GPT_ATTRIBUTES","features":[327]},{"name":"IOCTL_VOLUME_GET_VOLUME_DISK_EXTENTS","features":[327]},{"name":"IOCTL_VOLUME_IS_CLUSTERED","features":[327]},{"name":"IOCTL_VOLUME_IS_CSV","features":[327]},{"name":"IOCTL_VOLUME_IS_DYNAMIC","features":[327]},{"name":"IOCTL_VOLUME_IS_IO_CAPABLE","features":[327]},{"name":"IOCTL_VOLUME_IS_OFFLINE","features":[327]},{"name":"IOCTL_VOLUME_IS_PARTITION","features":[327]},{"name":"IOCTL_VOLUME_LOGICAL_TO_PHYSICAL","features":[327]},{"name":"IOCTL_VOLUME_OFFLINE","features":[327]},{"name":"IOCTL_VOLUME_ONLINE","features":[327]},{"name":"IOCTL_VOLUME_PHYSICAL_TO_LOGICAL","features":[327]},{"name":"IOCTL_VOLUME_POST_ONLINE","features":[327]},{"name":"IOCTL_VOLUME_PREPARE_FOR_CRITICAL_IO","features":[327]},{"name":"IOCTL_VOLUME_PREPARE_FOR_SHRINK","features":[327]},{"name":"IOCTL_VOLUME_QUERY_ALLOCATION_HINT","features":[327]},{"name":"IOCTL_VOLUME_QUERY_FAILOVER_SET","features":[327]},{"name":"IOCTL_VOLUME_QUERY_MINIMUM_SHRINK_SIZE","features":[327]},{"name":"IOCTL_VOLUME_QUERY_VOLUME_NUMBER","features":[327]},{"name":"IOCTL_VOLUME_READ_PLEX","features":[327]},{"name":"IOCTL_VOLUME_SET_GPT_ATTRIBUTES","features":[327]},{"name":"IOCTL_VOLUME_SUPPORTS_ONLINE_OFFLINE","features":[327]},{"name":"IOCTL_VOLUME_UPDATE_PROPERTIES","features":[327]},{"name":"IORING_BUFFER_INFO","features":[327]},{"name":"IORING_BUFFER_REF","features":[327]},{"name":"IORING_CAPABILITIES","features":[327]},{"name":"IORING_CQE","features":[327]},{"name":"IORING_CREATE_ADVISORY_FLAGS","features":[327]},{"name":"IORING_CREATE_ADVISORY_FLAGS_NONE","features":[327]},{"name":"IORING_CREATE_FLAGS","features":[327]},{"name":"IORING_CREATE_REQUIRED_FLAGS","features":[327]},{"name":"IORING_CREATE_REQUIRED_FLAGS_NONE","features":[327]},{"name":"IORING_FEATURE_FLAGS","features":[327]},{"name":"IORING_FEATURE_FLAGS_NONE","features":[327]},{"name":"IORING_FEATURE_SET_COMPLETION_EVENT","features":[327]},{"name":"IORING_FEATURE_UM_EMULATION","features":[327]},{"name":"IORING_HANDLE_REF","features":[308,327]},{"name":"IORING_INFO","features":[327]},{"name":"IORING_OP_CANCEL","features":[327]},{"name":"IORING_OP_CODE","features":[327]},{"name":"IORING_OP_FLUSH","features":[327]},{"name":"IORING_OP_NOP","features":[327]},{"name":"IORING_OP_READ","features":[327]},{"name":"IORING_OP_REGISTER_BUFFERS","features":[327]},{"name":"IORING_OP_REGISTER_FILES","features":[327]},{"name":"IORING_OP_WRITE","features":[327]},{"name":"IORING_REF_KIND","features":[327]},{"name":"IORING_REF_RAW","features":[327]},{"name":"IORING_REF_REGISTERED","features":[327]},{"name":"IORING_REGISTERED_BUFFER","features":[327]},{"name":"IORING_SQE_FLAGS","features":[327]},{"name":"IORING_VERSION","features":[327]},{"name":"IORING_VERSION_1","features":[327]},{"name":"IORING_VERSION_2","features":[327]},{"name":"IORING_VERSION_3","features":[327]},{"name":"IORING_VERSION_INVALID","features":[327]},{"name":"IOSQE_FLAGS_DRAIN_PRECEDING_OPS","features":[327]},{"name":"IOSQE_FLAGS_NONE","features":[327]},{"name":"InstallLogPolicy","features":[308,327]},{"name":"IoPriorityHintLow","features":[327]},{"name":"IoPriorityHintNormal","features":[327]},{"name":"IoPriorityHintVeryLow","features":[327]},{"name":"IsIoRingOpSupported","features":[308,327]},{"name":"KCRM_MARSHAL_HEADER","features":[327]},{"name":"KCRM_PROTOCOL_BLOB","features":[327]},{"name":"KCRM_TRANSACTION_BLOB","features":[327]},{"name":"KTM_MARSHAL_BLOB_VERSION_MAJOR","features":[327]},{"name":"KTM_MARSHAL_BLOB_VERSION_MINOR","features":[327]},{"name":"LOCKFILE_EXCLUSIVE_LOCK","features":[327]},{"name":"LOCKFILE_FAIL_IMMEDIATELY","features":[327]},{"name":"LOCK_FILE_FLAGS","features":[327]},{"name":"LOG_MANAGEMENT_CALLBACKS","features":[308,327]},{"name":"LOG_POLICY_OVERWRITE","features":[327]},{"name":"LOG_POLICY_PERSIST","features":[327]},{"name":"LPPROGRESS_ROUTINE","features":[308,327]},{"name":"LPPROGRESS_ROUTINE_CALLBACK_REASON","features":[327]},{"name":"LZClose","features":[327]},{"name":"LZCopy","features":[327]},{"name":"LZDone","features":[327]},{"name":"LZERROR_BADINHANDLE","features":[327]},{"name":"LZERROR_BADOUTHANDLE","features":[327]},{"name":"LZERROR_BADVALUE","features":[327]},{"name":"LZERROR_GLOBALLOC","features":[327]},{"name":"LZERROR_GLOBLOCK","features":[327]},{"name":"LZERROR_READ","features":[327]},{"name":"LZERROR_UNKNOWNALG","features":[327]},{"name":"LZERROR_WRITE","features":[327]},{"name":"LZInit","features":[327]},{"name":"LZOPENFILE_STYLE","features":[327]},{"name":"LZOpenFileA","features":[327]},{"name":"LZOpenFileW","features":[327]},{"name":"LZRead","features":[327]},{"name":"LZSeek","features":[327]},{"name":"LZStart","features":[327]},{"name":"LocalFileTimeToFileTime","features":[308,327]},{"name":"LockFile","features":[308,327]},{"name":"LockFileEx","features":[308,327,313]},{"name":"LogTailAdvanceFailure","features":[308,327]},{"name":"LsnBlockOffset","features":[327]},{"name":"LsnContainer","features":[327]},{"name":"LsnCreate","features":[327]},{"name":"LsnEqual","features":[308,327]},{"name":"LsnGreater","features":[308,327]},{"name":"LsnIncrement","features":[327]},{"name":"LsnInvalid","features":[308,327]},{"name":"LsnLess","features":[308,327]},{"name":"LsnNull","features":[308,327]},{"name":"LsnRecordSequence","features":[327]},{"name":"MAXIMUM_REPARSE_DATA_BUFFER_SIZE","features":[327]},{"name":"MAXMEDIALABEL","features":[327]},{"name":"MAX_RESOURCEMANAGER_DESCRIPTION_LENGTH","features":[327]},{"name":"MAX_SID_SIZE","features":[327]},{"name":"MAX_TRANSACTION_DESCRIPTION_LENGTH","features":[327]},{"name":"MOVEFILE_COPY_ALLOWED","features":[327]},{"name":"MOVEFILE_CREATE_HARDLINK","features":[327]},{"name":"MOVEFILE_DELAY_UNTIL_REBOOT","features":[327]},{"name":"MOVEFILE_FAIL_IF_NOT_TRACKABLE","features":[327]},{"name":"MOVEFILE_REPLACE_EXISTING","features":[327]},{"name":"MOVEFILE_WRITE_THROUGH","features":[327]},{"name":"MOVE_FILE_FLAGS","features":[327]},{"name":"MaximumFileIdType","features":[327]},{"name":"MaximumFileInfoByHandleClass","features":[327]},{"name":"MaximumIoPriorityHintType","features":[327]},{"name":"MediaLabelInfo","features":[327]},{"name":"MoveFileA","features":[308,327]},{"name":"MoveFileExA","features":[308,327]},{"name":"MoveFileExW","features":[308,327]},{"name":"MoveFileFromAppW","features":[308,327]},{"name":"MoveFileTransactedA","features":[308,327]},{"name":"MoveFileTransactedW","features":[308,327]},{"name":"MoveFileW","features":[308,327]},{"name":"MoveFileWithProgressA","features":[308,327]},{"name":"MoveFileWithProgressW","features":[308,327]},{"name":"NAME_CACHE_CONTEXT","features":[327]},{"name":"NTMSMLI_MAXAPPDESCR","features":[327]},{"name":"NTMSMLI_MAXIDSIZE","features":[327]},{"name":"NTMSMLI_MAXTYPE","features":[327]},{"name":"NTMS_ALLOCATE_ERROR_IF_UNAVAILABLE","features":[327]},{"name":"NTMS_ALLOCATE_FROMSCRATCH","features":[327]},{"name":"NTMS_ALLOCATE_NEW","features":[327]},{"name":"NTMS_ALLOCATE_NEXT","features":[327]},{"name":"NTMS_ALLOCATION_INFORMATION","features":[327]},{"name":"NTMS_APPLICATIONNAME_LENGTH","features":[327]},{"name":"NTMS_ASYNCOP_MOUNT","features":[327]},{"name":"NTMS_ASYNCSTATE_COMPLETE","features":[327]},{"name":"NTMS_ASYNCSTATE_INPROCESS","features":[327]},{"name":"NTMS_ASYNCSTATE_QUEUED","features":[327]},{"name":"NTMS_ASYNCSTATE_WAIT_OPERATOR","features":[327]},{"name":"NTMS_ASYNCSTATE_WAIT_RESOURCE","features":[327]},{"name":"NTMS_ASYNC_IO","features":[308,327]},{"name":"NTMS_BARCODESTATE_OK","features":[327]},{"name":"NTMS_BARCODESTATE_UNREADABLE","features":[327]},{"name":"NTMS_BARCODE_LENGTH","features":[327]},{"name":"NTMS_CHANGER","features":[327]},{"name":"NTMS_CHANGERINFORMATIONA","features":[327]},{"name":"NTMS_CHANGERINFORMATIONW","features":[327]},{"name":"NTMS_CHANGERTYPEINFORMATIONA","features":[327]},{"name":"NTMS_CHANGERTYPEINFORMATIONW","features":[327]},{"name":"NTMS_CHANGER_TYPE","features":[327]},{"name":"NTMS_COMPUTER","features":[327]},{"name":"NTMS_COMPUTERINFORMATION","features":[327]},{"name":"NTMS_COMPUTERNAME_LENGTH","features":[327]},{"name":"NTMS_CONTROL_ACCESS","features":[327]},{"name":"NTMS_CREATE_NEW","features":[327]},{"name":"NTMS_DEALLOCATE_TOSCRATCH","features":[327]},{"name":"NTMS_DESCRIPTION_LENGTH","features":[327]},{"name":"NTMS_DEVICENAME_LENGTH","features":[327]},{"name":"NTMS_DISMOUNT_DEFERRED","features":[327]},{"name":"NTMS_DISMOUNT_IMMEDIATE","features":[327]},{"name":"NTMS_DOORSTATE_CLOSED","features":[327]},{"name":"NTMS_DOORSTATE_OPEN","features":[327]},{"name":"NTMS_DOORSTATE_UNKNOWN","features":[327]},{"name":"NTMS_DRIVE","features":[327]},{"name":"NTMS_DRIVEINFORMATIONA","features":[308,327]},{"name":"NTMS_DRIVEINFORMATIONW","features":[308,327]},{"name":"NTMS_DRIVESTATE_BEING_CLEANED","features":[327]},{"name":"NTMS_DRIVESTATE_DISMOUNTABLE","features":[327]},{"name":"NTMS_DRIVESTATE_DISMOUNTED","features":[327]},{"name":"NTMS_DRIVESTATE_LOADED","features":[327]},{"name":"NTMS_DRIVESTATE_MOUNTED","features":[327]},{"name":"NTMS_DRIVESTATE_UNLOADED","features":[327]},{"name":"NTMS_DRIVETYPEINFORMATIONA","features":[327]},{"name":"NTMS_DRIVETYPEINFORMATIONW","features":[327]},{"name":"NTMS_DRIVE_TYPE","features":[327]},{"name":"NTMS_EJECT_ASK_USER","features":[327]},{"name":"NTMS_EJECT_FORCE","features":[327]},{"name":"NTMS_EJECT_IMMEDIATE","features":[327]},{"name":"NTMS_EJECT_QUEUE","features":[327]},{"name":"NTMS_EJECT_START","features":[327]},{"name":"NTMS_EJECT_STOP","features":[327]},{"name":"NTMS_ENUM_DEFAULT","features":[327]},{"name":"NTMS_ENUM_ROOTPOOL","features":[327]},{"name":"NTMS_ERROR_ON_DUPLICATE","features":[327]},{"name":"NTMS_EVENT_COMPLETE","features":[327]},{"name":"NTMS_EVENT_SIGNAL","features":[327]},{"name":"NTMS_FILESYSTEM_INFO","features":[327]},{"name":"NTMS_I1_LIBRARYINFORMATION","features":[308,327]},{"name":"NTMS_I1_LIBREQUESTINFORMATIONA","features":[308,327]},{"name":"NTMS_I1_LIBREQUESTINFORMATIONW","features":[308,327]},{"name":"NTMS_I1_MESSAGE_LENGTH","features":[327]},{"name":"NTMS_I1_OBJECTINFORMATIONA","features":[308,327]},{"name":"NTMS_I1_OBJECTINFORMATIONW","features":[308,327]},{"name":"NTMS_I1_OPREQUESTINFORMATIONA","features":[308,327]},{"name":"NTMS_I1_OPREQUESTINFORMATIONW","features":[308,327]},{"name":"NTMS_I1_PARTITIONINFORMATIONA","features":[327]},{"name":"NTMS_I1_PARTITIONINFORMATIONW","features":[327]},{"name":"NTMS_I1_PMIDINFORMATIONA","features":[327]},{"name":"NTMS_I1_PMIDINFORMATIONW","features":[327]},{"name":"NTMS_IEDOOR","features":[327]},{"name":"NTMS_IEDOORINFORMATION","features":[327]},{"name":"NTMS_IEPORT","features":[327]},{"name":"NTMS_IEPORTINFORMATION","features":[327]},{"name":"NTMS_INITIALIZING","features":[327]},{"name":"NTMS_INJECT_RETRACT","features":[327]},{"name":"NTMS_INJECT_START","features":[327]},{"name":"NTMS_INJECT_STARTMANY","features":[327]},{"name":"NTMS_INJECT_STOP","features":[327]},{"name":"NTMS_INVENTORY_DEFAULT","features":[327]},{"name":"NTMS_INVENTORY_FAST","features":[327]},{"name":"NTMS_INVENTORY_MAX","features":[327]},{"name":"NTMS_INVENTORY_NONE","features":[327]},{"name":"NTMS_INVENTORY_OMID","features":[327]},{"name":"NTMS_INVENTORY_SLOT","features":[327]},{"name":"NTMS_INVENTORY_STOP","features":[327]},{"name":"NTMS_LIBRARY","features":[327]},{"name":"NTMS_LIBRARYFLAG_AUTODETECTCHANGE","features":[327]},{"name":"NTMS_LIBRARYFLAG_CLEANERPRESENT","features":[327]},{"name":"NTMS_LIBRARYFLAG_FIXEDOFFLINE","features":[327]},{"name":"NTMS_LIBRARYFLAG_IGNORECLEANERUSESREMAINING","features":[327]},{"name":"NTMS_LIBRARYFLAG_RECOGNIZECLEANERBARCODE","features":[327]},{"name":"NTMS_LIBRARYINFORMATION","features":[308,327]},{"name":"NTMS_LIBRARYTYPE_OFFLINE","features":[327]},{"name":"NTMS_LIBRARYTYPE_ONLINE","features":[327]},{"name":"NTMS_LIBRARYTYPE_STANDALONE","features":[327]},{"name":"NTMS_LIBRARYTYPE_UNKNOWN","features":[327]},{"name":"NTMS_LIBREQFLAGS_NOAUTOPURGE","features":[327]},{"name":"NTMS_LIBREQFLAGS_NOFAILEDPURGE","features":[327]},{"name":"NTMS_LIBREQUEST","features":[327]},{"name":"NTMS_LIBREQUESTINFORMATIONA","features":[308,327]},{"name":"NTMS_LIBREQUESTINFORMATIONW","features":[308,327]},{"name":"NTMS_LMIDINFORMATION","features":[327]},{"name":"NTMS_LM_CANCELLED","features":[327]},{"name":"NTMS_LM_CLASSIFY","features":[327]},{"name":"NTMS_LM_CLEANDRIVE","features":[327]},{"name":"NTMS_LM_DEFERRED","features":[327]},{"name":"NTMS_LM_DEFFERED","features":[327]},{"name":"NTMS_LM_DISABLECHANGER","features":[327]},{"name":"NTMS_LM_DISABLEDRIVE","features":[327]},{"name":"NTMS_LM_DISABLELIBRARY","features":[327]},{"name":"NTMS_LM_DISABLEMEDIA","features":[327]},{"name":"NTMS_LM_DISMOUNT","features":[327]},{"name":"NTMS_LM_DOORACCESS","features":[327]},{"name":"NTMS_LM_EJECT","features":[327]},{"name":"NTMS_LM_EJECTCLEANER","features":[327]},{"name":"NTMS_LM_ENABLECHANGER","features":[327]},{"name":"NTMS_LM_ENABLEDRIVE","features":[327]},{"name":"NTMS_LM_ENABLELIBRARY","features":[327]},{"name":"NTMS_LM_ENABLEMEDIA","features":[327]},{"name":"NTMS_LM_FAILED","features":[327]},{"name":"NTMS_LM_INJECT","features":[327]},{"name":"NTMS_LM_INJECTCLEANER","features":[327]},{"name":"NTMS_LM_INPROCESS","features":[327]},{"name":"NTMS_LM_INVALID","features":[327]},{"name":"NTMS_LM_INVENTORY","features":[327]},{"name":"NTMS_LM_MAXWORKITEM","features":[327]},{"name":"NTMS_LM_MOUNT","features":[327]},{"name":"NTMS_LM_PASSED","features":[327]},{"name":"NTMS_LM_PROCESSOMID","features":[327]},{"name":"NTMS_LM_QUEUED","features":[327]},{"name":"NTMS_LM_RELEASECLEANER","features":[327]},{"name":"NTMS_LM_REMOVE","features":[327]},{"name":"NTMS_LM_RESERVECLEANER","features":[327]},{"name":"NTMS_LM_STOPPED","features":[327]},{"name":"NTMS_LM_UPDATEOMID","features":[327]},{"name":"NTMS_LM_WAITING","features":[327]},{"name":"NTMS_LM_WRITESCRATCH","features":[327]},{"name":"NTMS_LOGICAL_MEDIA","features":[327]},{"name":"NTMS_MAXATTR_LENGTH","features":[327]},{"name":"NTMS_MAXATTR_NAMELEN","features":[327]},{"name":"NTMS_MEDIAPOOLINFORMATION","features":[327]},{"name":"NTMS_MEDIARW_READONLY","features":[327]},{"name":"NTMS_MEDIARW_REWRITABLE","features":[327]},{"name":"NTMS_MEDIARW_UNKNOWN","features":[327]},{"name":"NTMS_MEDIARW_WRITEONCE","features":[327]},{"name":"NTMS_MEDIASTATE_IDLE","features":[327]},{"name":"NTMS_MEDIASTATE_INUSE","features":[327]},{"name":"NTMS_MEDIASTATE_LOADED","features":[327]},{"name":"NTMS_MEDIASTATE_MOUNTED","features":[327]},{"name":"NTMS_MEDIASTATE_OPERROR","features":[327]},{"name":"NTMS_MEDIASTATE_OPREQ","features":[327]},{"name":"NTMS_MEDIASTATE_UNLOADED","features":[327]},{"name":"NTMS_MEDIATYPEINFORMATION","features":[327]},{"name":"NTMS_MEDIA_POOL","features":[327]},{"name":"NTMS_MEDIA_TYPE","features":[327]},{"name":"NTMS_MESSAGE_LENGTH","features":[327]},{"name":"NTMS_MODIFY_ACCESS","features":[327]},{"name":"NTMS_MOUNT_ERROR_IF_OFFLINE","features":[327]},{"name":"NTMS_MOUNT_ERROR_IF_UNAVAILABLE","features":[327]},{"name":"NTMS_MOUNT_ERROR_NOT_AVAILABLE","features":[327]},{"name":"NTMS_MOUNT_ERROR_OFFLINE","features":[327]},{"name":"NTMS_MOUNT_INFORMATION","features":[327]},{"name":"NTMS_MOUNT_NOWAIT","features":[327]},{"name":"NTMS_MOUNT_READ","features":[327]},{"name":"NTMS_MOUNT_SPECIFIC_DRIVE","features":[327]},{"name":"NTMS_MOUNT_WRITE","features":[327]},{"name":"NTMS_NEEDS_SERVICE","features":[327]},{"name":"NTMS_NOTIFICATIONINFORMATION","features":[327]},{"name":"NTMS_NOT_PRESENT","features":[327]},{"name":"NTMS_NUMBER_OF_OBJECT_TYPES","features":[327]},{"name":"NTMS_OBJECT","features":[327]},{"name":"NTMS_OBJECTINFORMATIONA","features":[308,327]},{"name":"NTMS_OBJECTINFORMATIONW","features":[308,327]},{"name":"NTMS_OBJECTNAME_LENGTH","features":[327]},{"name":"NTMS_OBJ_DELETE","features":[327]},{"name":"NTMS_OBJ_INSERT","features":[327]},{"name":"NTMS_OBJ_UPDATE","features":[327]},{"name":"NTMS_OMIDLABELID_LENGTH","features":[327]},{"name":"NTMS_OMIDLABELINFO_LENGTH","features":[327]},{"name":"NTMS_OMIDLABELTYPE_LENGTH","features":[327]},{"name":"NTMS_OMID_TYPE","features":[327]},{"name":"NTMS_OMID_TYPE_FILESYSTEM_INFO","features":[327]},{"name":"NTMS_OMID_TYPE_RAW_LABEL","features":[327]},{"name":"NTMS_OPEN_ALWAYS","features":[327]},{"name":"NTMS_OPEN_EXISTING","features":[327]},{"name":"NTMS_OPREQFLAGS_NOALERTS","features":[327]},{"name":"NTMS_OPREQFLAGS_NOAUTOPURGE","features":[327]},{"name":"NTMS_OPREQFLAGS_NOFAILEDPURGE","features":[327]},{"name":"NTMS_OPREQFLAGS_NOTRAYICON","features":[327]},{"name":"NTMS_OPREQUEST","features":[327]},{"name":"NTMS_OPREQUESTINFORMATIONA","features":[308,327]},{"name":"NTMS_OPREQUESTINFORMATIONW","features":[308,327]},{"name":"NTMS_OPREQ_CLEANER","features":[327]},{"name":"NTMS_OPREQ_DEVICESERVICE","features":[327]},{"name":"NTMS_OPREQ_MESSAGE","features":[327]},{"name":"NTMS_OPREQ_MOVEMEDIA","features":[327]},{"name":"NTMS_OPREQ_NEWMEDIA","features":[327]},{"name":"NTMS_OPREQ_UNKNOWN","features":[327]},{"name":"NTMS_OPSTATE_ACTIVE","features":[327]},{"name":"NTMS_OPSTATE_COMPLETE","features":[327]},{"name":"NTMS_OPSTATE_INPROGRESS","features":[327]},{"name":"NTMS_OPSTATE_REFUSED","features":[327]},{"name":"NTMS_OPSTATE_SUBMITTED","features":[327]},{"name":"NTMS_OPSTATE_UNKNOWN","features":[327]},{"name":"NTMS_PARTITION","features":[327]},{"name":"NTMS_PARTITIONINFORMATIONA","features":[327]},{"name":"NTMS_PARTITIONINFORMATIONW","features":[327]},{"name":"NTMS_PARTSTATE_ALLOCATED","features":[327]},{"name":"NTMS_PARTSTATE_AVAILABLE","features":[327]},{"name":"NTMS_PARTSTATE_COMPLETE","features":[327]},{"name":"NTMS_PARTSTATE_DECOMMISSIONED","features":[327]},{"name":"NTMS_PARTSTATE_FOREIGN","features":[327]},{"name":"NTMS_PARTSTATE_IMPORT","features":[327]},{"name":"NTMS_PARTSTATE_INCOMPATIBLE","features":[327]},{"name":"NTMS_PARTSTATE_RESERVED","features":[327]},{"name":"NTMS_PARTSTATE_UNKNOWN","features":[327]},{"name":"NTMS_PARTSTATE_UNPREPARED","features":[327]},{"name":"NTMS_PHYSICAL_MEDIA","features":[327]},{"name":"NTMS_PMIDINFORMATIONA","features":[327]},{"name":"NTMS_PMIDINFORMATIONW","features":[327]},{"name":"NTMS_POOLHIERARCHY_LENGTH","features":[327]},{"name":"NTMS_POOLPOLICY_KEEPOFFLINEIMPORT","features":[327]},{"name":"NTMS_POOLPOLICY_PURGEOFFLINESCRATCH","features":[327]},{"name":"NTMS_POOLTYPE_APPLICATION","features":[327]},{"name":"NTMS_POOLTYPE_FOREIGN","features":[327]},{"name":"NTMS_POOLTYPE_IMPORT","features":[327]},{"name":"NTMS_POOLTYPE_SCRATCH","features":[327]},{"name":"NTMS_POOLTYPE_UNKNOWN","features":[327]},{"name":"NTMS_PORTCONTENT_EMPTY","features":[327]},{"name":"NTMS_PORTCONTENT_FULL","features":[327]},{"name":"NTMS_PORTCONTENT_UNKNOWN","features":[327]},{"name":"NTMS_PORTPOSITION_EXTENDED","features":[327]},{"name":"NTMS_PORTPOSITION_RETRACTED","features":[327]},{"name":"NTMS_PORTPOSITION_UNKNOWN","features":[327]},{"name":"NTMS_PRIORITY_DEFAULT","features":[327]},{"name":"NTMS_PRIORITY_HIGH","features":[327]},{"name":"NTMS_PRIORITY_HIGHEST","features":[327]},{"name":"NTMS_PRIORITY_LOW","features":[327]},{"name":"NTMS_PRIORITY_LOWEST","features":[327]},{"name":"NTMS_PRIORITY_NORMAL","features":[327]},{"name":"NTMS_PRODUCTNAME_LENGTH","features":[327]},{"name":"NTMS_READY","features":[327]},{"name":"NTMS_REVISION_LENGTH","features":[327]},{"name":"NTMS_SEQUENCE_LENGTH","features":[327]},{"name":"NTMS_SERIALNUMBER_LENGTH","features":[327]},{"name":"NTMS_SESSION_QUERYEXPEDITE","features":[327]},{"name":"NTMS_SLOTSTATE_EMPTY","features":[327]},{"name":"NTMS_SLOTSTATE_FULL","features":[327]},{"name":"NTMS_SLOTSTATE_NEEDSINVENTORY","features":[327]},{"name":"NTMS_SLOTSTATE_NOTPRESENT","features":[327]},{"name":"NTMS_SLOTSTATE_UNKNOWN","features":[327]},{"name":"NTMS_STORAGESLOT","features":[327]},{"name":"NTMS_STORAGESLOTINFORMATION","features":[327]},{"name":"NTMS_UIDEST_ADD","features":[327]},{"name":"NTMS_UIDEST_DELETE","features":[327]},{"name":"NTMS_UIDEST_DELETEALL","features":[327]},{"name":"NTMS_UIOPERATION_MAX","features":[327]},{"name":"NTMS_UITYPE_ERR","features":[327]},{"name":"NTMS_UITYPE_INFO","features":[327]},{"name":"NTMS_UITYPE_INVALID","features":[327]},{"name":"NTMS_UITYPE_MAX","features":[327]},{"name":"NTMS_UITYPE_REQ","features":[327]},{"name":"NTMS_UI_DESTINATION","features":[327]},{"name":"NTMS_UNKNOWN","features":[327]},{"name":"NTMS_UNKNOWN_DRIVE","features":[327]},{"name":"NTMS_USERNAME_LENGTH","features":[327]},{"name":"NTMS_USE_ACCESS","features":[327]},{"name":"NTMS_VENDORNAME_LENGTH","features":[327]},{"name":"NetConnectionEnum","features":[327]},{"name":"NetFileClose","features":[327]},{"name":"NetFileEnum","features":[327]},{"name":"NetFileGetInfo","features":[327]},{"name":"NetServerAliasAdd","features":[327]},{"name":"NetServerAliasDel","features":[327]},{"name":"NetServerAliasEnum","features":[327]},{"name":"NetSessionDel","features":[327]},{"name":"NetSessionEnum","features":[327]},{"name":"NetSessionGetInfo","features":[327]},{"name":"NetShareAdd","features":[327]},{"name":"NetShareCheck","features":[327]},{"name":"NetShareDel","features":[327]},{"name":"NetShareDelEx","features":[327]},{"name":"NetShareDelSticky","features":[327]},{"name":"NetShareEnum","features":[327]},{"name":"NetShareEnumSticky","features":[327]},{"name":"NetShareGetInfo","features":[327]},{"name":"NetShareSetInfo","features":[327]},{"name":"NetStatisticsGet","features":[327]},{"name":"NtmsAccessMask","features":[327]},{"name":"NtmsAllocateOptions","features":[327]},{"name":"NtmsAllocationPolicy","features":[327]},{"name":"NtmsAsyncOperations","features":[327]},{"name":"NtmsAsyncStatus","features":[327]},{"name":"NtmsBarCodeState","features":[327]},{"name":"NtmsCreateNtmsMediaOptions","features":[327]},{"name":"NtmsCreateOptions","features":[327]},{"name":"NtmsDeallocationPolicy","features":[327]},{"name":"NtmsDismountOptions","features":[327]},{"name":"NtmsDoorState","features":[327]},{"name":"NtmsDriveState","features":[327]},{"name":"NtmsDriveType","features":[327]},{"name":"NtmsEjectOperation","features":[327]},{"name":"NtmsEnumerateOption","features":[327]},{"name":"NtmsInjectOperation","features":[327]},{"name":"NtmsInventoryMethod","features":[327]},{"name":"NtmsLibRequestFlags","features":[327]},{"name":"NtmsLibraryFlags","features":[327]},{"name":"NtmsLibraryType","features":[327]},{"name":"NtmsLmOperation","features":[327]},{"name":"NtmsLmState","features":[327]},{"name":"NtmsMediaPoolPolicy","features":[327]},{"name":"NtmsMediaState","features":[327]},{"name":"NtmsMountOptions","features":[327]},{"name":"NtmsMountPriority","features":[327]},{"name":"NtmsNotificationOperations","features":[327]},{"name":"NtmsObjectsTypes","features":[327]},{"name":"NtmsOpRequestFlags","features":[327]},{"name":"NtmsOperationalState","features":[327]},{"name":"NtmsOpreqCommand","features":[327]},{"name":"NtmsOpreqState","features":[327]},{"name":"NtmsPartitionState","features":[327]},{"name":"NtmsPoolType","features":[327]},{"name":"NtmsPortContent","features":[327]},{"name":"NtmsPortPosition","features":[327]},{"name":"NtmsReadWriteCharacteristics","features":[327]},{"name":"NtmsSessionOptions","features":[327]},{"name":"NtmsSlotState","features":[327]},{"name":"NtmsUIOperations","features":[327]},{"name":"NtmsUITypes","features":[327]},{"name":"OFSTRUCT","features":[327]},{"name":"OF_CANCEL","features":[327]},{"name":"OF_CREATE","features":[327]},{"name":"OF_DELETE","features":[327]},{"name":"OF_EXIST","features":[327]},{"name":"OF_PARSE","features":[327]},{"name":"OF_PROMPT","features":[327]},{"name":"OF_READ","features":[327]},{"name":"OF_READWRITE","features":[327]},{"name":"OF_REOPEN","features":[327]},{"name":"OF_SHARE_COMPAT","features":[327]},{"name":"OF_SHARE_DENY_NONE","features":[327]},{"name":"OF_SHARE_DENY_READ","features":[327]},{"name":"OF_SHARE_DENY_WRITE","features":[327]},{"name":"OF_SHARE_EXCLUSIVE","features":[327]},{"name":"OF_VERIFY","features":[327]},{"name":"OF_WRITE","features":[327]},{"name":"OPEN_ALWAYS","features":[327]},{"name":"OPEN_EXISTING","features":[327]},{"name":"ObjectIdType","features":[327]},{"name":"OpenEncryptedFileRawA","features":[327]},{"name":"OpenEncryptedFileRawW","features":[327]},{"name":"OpenEnlistment","features":[308,327]},{"name":"OpenFile","features":[327]},{"name":"OpenFileById","features":[308,311,327]},{"name":"OpenResourceManager","features":[308,327]},{"name":"OpenTransaction","features":[308,327]},{"name":"OpenTransactionManager","features":[308,327]},{"name":"OpenTransactionManagerById","features":[308,327]},{"name":"PARTITION_BASIC_DATA_GUID","features":[327]},{"name":"PARTITION_BSP_GUID","features":[327]},{"name":"PARTITION_CLUSTER_GUID","features":[327]},{"name":"PARTITION_DPP_GUID","features":[327]},{"name":"PARTITION_ENTRY_UNUSED_GUID","features":[327]},{"name":"PARTITION_LDM_DATA_GUID","features":[327]},{"name":"PARTITION_LDM_METADATA_GUID","features":[327]},{"name":"PARTITION_LEGACY_BL_GUID","features":[327]},{"name":"PARTITION_LEGACY_BL_GUID_BACKUP","features":[327]},{"name":"PARTITION_MAIN_OS_GUID","features":[327]},{"name":"PARTITION_MSFT_RECOVERY_GUID","features":[327]},{"name":"PARTITION_MSFT_RESERVED_GUID","features":[327]},{"name":"PARTITION_MSFT_SNAPSHOT_GUID","features":[327]},{"name":"PARTITION_OS_DATA_GUID","features":[327]},{"name":"PARTITION_PATCH_GUID","features":[327]},{"name":"PARTITION_PRE_INSTALLED_GUID","features":[327]},{"name":"PARTITION_SBL_CACHE_HDD_GUID","features":[327]},{"name":"PARTITION_SBL_CACHE_SSD_GUID","features":[327]},{"name":"PARTITION_SBL_CACHE_SSD_RESERVED_GUID","features":[327]},{"name":"PARTITION_SERVICING_FILES_GUID","features":[327]},{"name":"PARTITION_SERVICING_METADATA_GUID","features":[327]},{"name":"PARTITION_SERVICING_RESERVE_GUID","features":[327]},{"name":"PARTITION_SERVICING_STAGING_ROOT_GUID","features":[327]},{"name":"PARTITION_SPACES_DATA_GUID","features":[327]},{"name":"PARTITION_SPACES_GUID","features":[327]},{"name":"PARTITION_SYSTEM_GUID","features":[327]},{"name":"PARTITION_WINDOWS_SYSTEM_GUID","features":[327]},{"name":"PCLFS_COMPLETION_ROUTINE","features":[327]},{"name":"PCOPYFILE2_PROGRESS_ROUTINE","features":[308,327]},{"name":"PERM_FILE_CREATE","features":[327]},{"name":"PERM_FILE_READ","features":[327]},{"name":"PERM_FILE_WRITE","features":[327]},{"name":"PFE_EXPORT_FUNC","features":[327]},{"name":"PFE_IMPORT_FUNC","features":[327]},{"name":"PFN_IO_COMPLETION","features":[308,327]},{"name":"PIPE_ACCESS_DUPLEX","features":[327]},{"name":"PIPE_ACCESS_INBOUND","features":[327]},{"name":"PIPE_ACCESS_OUTBOUND","features":[327]},{"name":"PLOG_FULL_HANDLER_CALLBACK","features":[308,327]},{"name":"PLOG_TAIL_ADVANCE_CALLBACK","features":[308,327]},{"name":"PLOG_UNPINNED_CALLBACK","features":[308,327]},{"name":"PREPARE_TAPE_OPERATION","features":[327]},{"name":"PRIORITY_HINT","features":[327]},{"name":"PopIoRingCompletion","features":[327]},{"name":"PrePrepareComplete","features":[308,327]},{"name":"PrePrepareEnlistment","features":[308,327]},{"name":"PrepareComplete","features":[308,327]},{"name":"PrepareEnlistment","features":[308,327]},{"name":"PrepareLogArchive","features":[308,327]},{"name":"PrepareTape","features":[308,327]},{"name":"QUIC","features":[327]},{"name":"QueryDosDeviceA","features":[327]},{"name":"QueryDosDeviceW","features":[327]},{"name":"QueryIoRingCapabilities","features":[327]},{"name":"QueryLogPolicy","features":[308,327]},{"name":"QueryRecoveryAgentsOnEncryptedFile","features":[311,327]},{"name":"QueryUsersOnEncryptedFile","features":[311,327]},{"name":"READ_CONTROL","features":[327]},{"name":"READ_DIRECTORY_NOTIFY_INFORMATION_CLASS","features":[327]},{"name":"REPARSE_GUID_DATA_BUFFER","features":[327]},{"name":"REPLACEFILE_IGNORE_ACL_ERRORS","features":[327]},{"name":"REPLACEFILE_IGNORE_MERGE_ERRORS","features":[327]},{"name":"REPLACEFILE_WRITE_THROUGH","features":[327]},{"name":"REPLACE_FILE_FLAGS","features":[327]},{"name":"RESOURCE_MANAGER_COMMUNICATION","features":[327]},{"name":"RESOURCE_MANAGER_MAXIMUM_OPTION","features":[327]},{"name":"RESOURCE_MANAGER_OBJECT_PATH","features":[327]},{"name":"RESOURCE_MANAGER_VOLATILE","features":[327]},{"name":"ReOpenFile","features":[308,327]},{"name":"ReadDirectoryChangesExW","features":[308,327,313]},{"name":"ReadDirectoryChangesW","features":[308,327,313]},{"name":"ReadDirectoryNotifyExtendedInformation","features":[327]},{"name":"ReadDirectoryNotifyFullInformation","features":[327]},{"name":"ReadDirectoryNotifyInformation","features":[327]},{"name":"ReadDirectoryNotifyMaximumInformation","features":[327]},{"name":"ReadEncryptedFileRaw","features":[327]},{"name":"ReadFile","features":[308,327,313]},{"name":"ReadFileEx","features":[308,327,313]},{"name":"ReadFileScatter","features":[308,327,313]},{"name":"ReadLogArchiveMetadata","features":[308,327]},{"name":"ReadLogNotification","features":[308,327,313]},{"name":"ReadLogRecord","features":[308,327,313]},{"name":"ReadLogRestartArea","features":[308,327,313]},{"name":"ReadNextLogRecord","features":[308,327,313]},{"name":"ReadOnlyEnlistment","features":[308,327]},{"name":"ReadPreviousLogRestartArea","features":[308,327,313]},{"name":"RecoverEnlistment","features":[308,327]},{"name":"RecoverResourceManager","features":[308,327]},{"name":"RecoverTransactionManager","features":[308,327]},{"name":"RegisterForLogWriteNotification","features":[308,327]},{"name":"RegisterManageableLogClient","features":[308,327]},{"name":"RemoveDirectoryA","features":[308,327]},{"name":"RemoveDirectoryFromAppW","features":[308,327]},{"name":"RemoveDirectoryTransactedA","features":[308,327]},{"name":"RemoveDirectoryTransactedW","features":[308,327]},{"name":"RemoveDirectoryW","features":[308,327]},{"name":"RemoveLogContainer","features":[308,327]},{"name":"RemoveLogContainerSet","features":[308,327]},{"name":"RemoveLogPolicy","features":[308,327]},{"name":"RemoveUsersFromEncryptedFile","features":[311,327]},{"name":"RenameTransactionManager","features":[308,327]},{"name":"ReplaceFileA","features":[308,327]},{"name":"ReplaceFileFromAppW","features":[308,327]},{"name":"ReplaceFileW","features":[308,327]},{"name":"ReserveAndAppendLog","features":[308,327,313]},{"name":"ReserveAndAppendLogAligned","features":[308,327,313]},{"name":"RollbackComplete","features":[308,327]},{"name":"RollbackEnlistment","features":[308,327]},{"name":"RollbackTransaction","features":[308,327]},{"name":"RollbackTransactionAsync","features":[308,327]},{"name":"RollforwardTransactionManager","features":[308,327]},{"name":"SECURITY_ANONYMOUS","features":[327]},{"name":"SECURITY_CONTEXT_TRACKING","features":[327]},{"name":"SECURITY_DELEGATION","features":[327]},{"name":"SECURITY_EFFECTIVE_ONLY","features":[327]},{"name":"SECURITY_IDENTIFICATION","features":[327]},{"name":"SECURITY_IMPERSONATION","features":[327]},{"name":"SECURITY_SQOS_PRESENT","features":[327]},{"name":"SECURITY_VALID_SQOS_FLAGS","features":[327]},{"name":"SERVER_ALIAS_INFO_0","features":[308,327]},{"name":"SERVER_CERTIFICATE_INFO_0","features":[327]},{"name":"SERVER_CERTIFICATE_TYPE","features":[327]},{"name":"SESI1_NUM_ELEMENTS","features":[327]},{"name":"SESI2_NUM_ELEMENTS","features":[327]},{"name":"SESSION_INFO_0","features":[327]},{"name":"SESSION_INFO_1","features":[327]},{"name":"SESSION_INFO_10","features":[327]},{"name":"SESSION_INFO_2","features":[327]},{"name":"SESSION_INFO_502","features":[327]},{"name":"SESSION_INFO_USER_FLAGS","features":[327]},{"name":"SESS_GUEST","features":[327]},{"name":"SESS_NOENCRYPTION","features":[327]},{"name":"SET_FILE_POINTER_MOVE_METHOD","features":[327]},{"name":"SET_TAPE_DRIVE_INFORMATION","features":[327]},{"name":"SET_TAPE_MEDIA_INFORMATION","features":[327]},{"name":"SHARE_CURRENT_USES_PARMNUM","features":[327]},{"name":"SHARE_FILE_SD_PARMNUM","features":[327]},{"name":"SHARE_INFO_0","features":[327]},{"name":"SHARE_INFO_1","features":[327]},{"name":"SHARE_INFO_1004","features":[327]},{"name":"SHARE_INFO_1005","features":[327]},{"name":"SHARE_INFO_1006","features":[327]},{"name":"SHARE_INFO_1501","features":[311,327]},{"name":"SHARE_INFO_1503","features":[327]},{"name":"SHARE_INFO_2","features":[327]},{"name":"SHARE_INFO_501","features":[327]},{"name":"SHARE_INFO_502","features":[311,327]},{"name":"SHARE_INFO_503","features":[311,327]},{"name":"SHARE_INFO_PERMISSIONS","features":[327]},{"name":"SHARE_MAX_USES_PARMNUM","features":[327]},{"name":"SHARE_NETNAME_PARMNUM","features":[327]},{"name":"SHARE_PASSWD_PARMNUM","features":[327]},{"name":"SHARE_PATH_PARMNUM","features":[327]},{"name":"SHARE_PERMISSIONS_PARMNUM","features":[327]},{"name":"SHARE_QOS_POLICY_PARMNUM","features":[327]},{"name":"SHARE_REMARK_PARMNUM","features":[327]},{"name":"SHARE_SERVER_PARMNUM","features":[327]},{"name":"SHARE_TYPE","features":[327]},{"name":"SHARE_TYPE_PARMNUM","features":[327]},{"name":"SHI1005_FLAGS_ACCESS_BASED_DIRECTORY_ENUM","features":[327]},{"name":"SHI1005_FLAGS_ALLOW_NAMESPACE_CACHING","features":[327]},{"name":"SHI1005_FLAGS_CLUSTER_MANAGED","features":[327]},{"name":"SHI1005_FLAGS_COMPRESS_DATA","features":[327]},{"name":"SHI1005_FLAGS_DFS","features":[327]},{"name":"SHI1005_FLAGS_DFS_ROOT","features":[327]},{"name":"SHI1005_FLAGS_DISABLE_CLIENT_BUFFERING","features":[327]},{"name":"SHI1005_FLAGS_DISABLE_DIRECTORY_HANDLE_LEASING","features":[327]},{"name":"SHI1005_FLAGS_ENABLE_CA","features":[327]},{"name":"SHI1005_FLAGS_ENABLE_HASH","features":[327]},{"name":"SHI1005_FLAGS_ENCRYPT_DATA","features":[327]},{"name":"SHI1005_FLAGS_FORCE_LEVELII_OPLOCK","features":[327]},{"name":"SHI1005_FLAGS_FORCE_SHARED_DELETE","features":[327]},{"name":"SHI1005_FLAGS_IDENTITY_REMOTING","features":[327]},{"name":"SHI1005_FLAGS_ISOLATED_TRANSPORT","features":[327]},{"name":"SHI1005_FLAGS_RESERVED","features":[327]},{"name":"SHI1005_FLAGS_RESTRICT_EXCLUSIVE_OPENS","features":[327]},{"name":"SHI1_NUM_ELEMENTS","features":[327]},{"name":"SHI2_NUM_ELEMENTS","features":[327]},{"name":"SHI_USES_UNLIMITED","features":[327]},{"name":"SPECIFIC_RIGHTS_ALL","features":[327]},{"name":"STANDARD_RIGHTS_ALL","features":[327]},{"name":"STANDARD_RIGHTS_EXECUTE","features":[327]},{"name":"STANDARD_RIGHTS_READ","features":[327]},{"name":"STANDARD_RIGHTS_REQUIRED","features":[327]},{"name":"STANDARD_RIGHTS_WRITE","features":[327]},{"name":"STATSOPT_CLR","features":[327]},{"name":"STAT_SERVER_0","features":[327]},{"name":"STAT_WORKSTATION_0","features":[327]},{"name":"STORAGE_BUS_TYPE","features":[327]},{"name":"STREAM_INFO_LEVELS","features":[327]},{"name":"STYPE_DEVICE","features":[327]},{"name":"STYPE_DISKTREE","features":[327]},{"name":"STYPE_IPC","features":[327]},{"name":"STYPE_MASK","features":[327]},{"name":"STYPE_PRINTQ","features":[327]},{"name":"STYPE_RESERVED1","features":[327]},{"name":"STYPE_RESERVED2","features":[327]},{"name":"STYPE_RESERVED3","features":[327]},{"name":"STYPE_RESERVED4","features":[327]},{"name":"STYPE_RESERVED5","features":[327]},{"name":"STYPE_RESERVED_ALL","features":[327]},{"name":"STYPE_SPECIAL","features":[327]},{"name":"STYPE_TEMPORARY","features":[327]},{"name":"SYMBOLIC_LINK_FLAGS","features":[327]},{"name":"SYMBOLIC_LINK_FLAG_ALLOW_UNPRIVILEGED_CREATE","features":[327]},{"name":"SYMBOLIC_LINK_FLAG_DIRECTORY","features":[327]},{"name":"SYNCHRONIZE","features":[327]},{"name":"ScanLogContainers","features":[308,327]},{"name":"SearchPathA","features":[327]},{"name":"SearchPathW","features":[327]},{"name":"SetEncryptedFileMetadata","features":[311,327]},{"name":"SetEndOfFile","features":[308,327]},{"name":"SetEndOfLog","features":[308,327,313]},{"name":"SetEnlistmentRecoveryInformation","features":[308,327]},{"name":"SetFileApisToANSI","features":[327]},{"name":"SetFileApisToOEM","features":[327]},{"name":"SetFileAttributesA","features":[308,327]},{"name":"SetFileAttributesFromAppW","features":[308,327]},{"name":"SetFileAttributesTransactedA","features":[308,327]},{"name":"SetFileAttributesTransactedW","features":[308,327]},{"name":"SetFileAttributesW","features":[308,327]},{"name":"SetFileBandwidthReservation","features":[308,327]},{"name":"SetFileCompletionNotificationModes","features":[308,327]},{"name":"SetFileInformationByHandle","features":[308,327]},{"name":"SetFileIoOverlappedRange","features":[308,327]},{"name":"SetFilePointer","features":[308,327]},{"name":"SetFilePointerEx","features":[308,327]},{"name":"SetFileShortNameA","features":[308,327]},{"name":"SetFileShortNameW","features":[308,327]},{"name":"SetFileTime","features":[308,327]},{"name":"SetFileValidData","features":[308,327]},{"name":"SetIoRingCompletionEvent","features":[308,327]},{"name":"SetLogArchiveMode","features":[308,327]},{"name":"SetLogArchiveTail","features":[308,327]},{"name":"SetLogFileSizeWithPolicy","features":[308,327]},{"name":"SetResourceManagerCompletionPort","features":[308,327]},{"name":"SetSearchPathMode","features":[308,327]},{"name":"SetTapeParameters","features":[308,327]},{"name":"SetTapePosition","features":[308,327]},{"name":"SetTransactionInformation","features":[308,327]},{"name":"SetUserFileEncryptionKey","features":[311,327]},{"name":"SetUserFileEncryptionKeyEx","features":[311,327]},{"name":"SetVolumeLabelA","features":[308,327]},{"name":"SetVolumeLabelW","features":[308,327]},{"name":"SetVolumeMountPointA","features":[308,327]},{"name":"SetVolumeMountPointW","features":[308,327]},{"name":"SinglePhaseReject","features":[308,327]},{"name":"SubmitIoRing","features":[327]},{"name":"TAPEMARK_TYPE","features":[327]},{"name":"TAPE_ABSOLUTE_BLOCK","features":[327]},{"name":"TAPE_ABSOLUTE_POSITION","features":[327]},{"name":"TAPE_ERASE","features":[308,327]},{"name":"TAPE_ERASE_LONG","features":[327]},{"name":"TAPE_ERASE_SHORT","features":[327]},{"name":"TAPE_FILEMARKS","features":[327]},{"name":"TAPE_FIXED_PARTITIONS","features":[327]},{"name":"TAPE_FORMAT","features":[327]},{"name":"TAPE_GET_POSITION","features":[327]},{"name":"TAPE_INFORMATION_TYPE","features":[327]},{"name":"TAPE_INITIATOR_PARTITIONS","features":[327]},{"name":"TAPE_LOAD","features":[327]},{"name":"TAPE_LOCK","features":[327]},{"name":"TAPE_LOGICAL_BLOCK","features":[327]},{"name":"TAPE_LOGICAL_POSITION","features":[327]},{"name":"TAPE_LONG_FILEMARKS","features":[327]},{"name":"TAPE_POSITION_METHOD","features":[327]},{"name":"TAPE_POSITION_TYPE","features":[327]},{"name":"TAPE_PREPARE","features":[308,327]},{"name":"TAPE_REWIND","features":[327]},{"name":"TAPE_SELECT_PARTITIONS","features":[327]},{"name":"TAPE_SETMARKS","features":[327]},{"name":"TAPE_SET_POSITION","features":[308,327]},{"name":"TAPE_SHORT_FILEMARKS","features":[327]},{"name":"TAPE_SPACE_END_OF_DATA","features":[327]},{"name":"TAPE_SPACE_FILEMARKS","features":[327]},{"name":"TAPE_SPACE_RELATIVE_BLOCKS","features":[327]},{"name":"TAPE_SPACE_SEQUENTIAL_FMKS","features":[327]},{"name":"TAPE_SPACE_SEQUENTIAL_SMKS","features":[327]},{"name":"TAPE_SPACE_SETMARKS","features":[327]},{"name":"TAPE_TENSION","features":[327]},{"name":"TAPE_UNLOAD","features":[327]},{"name":"TAPE_UNLOCK","features":[327]},{"name":"TAPE_WRITE_MARKS","features":[308,327]},{"name":"TRANSACTIONMANAGER_OBJECT_PATH","features":[327]},{"name":"TRANSACTION_DO_NOT_PROMOTE","features":[327]},{"name":"TRANSACTION_MANAGER_COMMIT_DEFAULT","features":[327]},{"name":"TRANSACTION_MANAGER_COMMIT_LOWEST","features":[327]},{"name":"TRANSACTION_MANAGER_COMMIT_SYSTEM_HIVES","features":[327]},{"name":"TRANSACTION_MANAGER_COMMIT_SYSTEM_VOLUME","features":[327]},{"name":"TRANSACTION_MANAGER_CORRUPT_FOR_PROGRESS","features":[327]},{"name":"TRANSACTION_MANAGER_CORRUPT_FOR_RECOVERY","features":[327]},{"name":"TRANSACTION_MANAGER_MAXIMUM_OPTION","features":[327]},{"name":"TRANSACTION_MANAGER_VOLATILE","features":[327]},{"name":"TRANSACTION_MAXIMUM_OPTION","features":[327]},{"name":"TRANSACTION_NOTIFICATION","features":[327]},{"name":"TRANSACTION_NOTIFICATION_MARSHAL_ARGUMENT","features":[327]},{"name":"TRANSACTION_NOTIFICATION_PROPAGATE_ARGUMENT","features":[327]},{"name":"TRANSACTION_NOTIFICATION_RECOVERY_ARGUMENT","features":[327]},{"name":"TRANSACTION_NOTIFICATION_SAVEPOINT_ARGUMENT","features":[327]},{"name":"TRANSACTION_NOTIFICATION_TM_ONLINE_ARGUMENT","features":[327]},{"name":"TRANSACTION_NOTIFICATION_TM_ONLINE_FLAG_IS_CLUSTERED","features":[327]},{"name":"TRANSACTION_NOTIFY_COMMIT","features":[327]},{"name":"TRANSACTION_NOTIFY_COMMIT_COMPLETE","features":[327]},{"name":"TRANSACTION_NOTIFY_COMMIT_FINALIZE","features":[327]},{"name":"TRANSACTION_NOTIFY_COMMIT_REQUEST","features":[327]},{"name":"TRANSACTION_NOTIFY_DELEGATE_COMMIT","features":[327]},{"name":"TRANSACTION_NOTIFY_ENLIST_MASK","features":[327]},{"name":"TRANSACTION_NOTIFY_ENLIST_PREPREPARE","features":[327]},{"name":"TRANSACTION_NOTIFY_INDOUBT","features":[327]},{"name":"TRANSACTION_NOTIFY_LAST_RECOVER","features":[327]},{"name":"TRANSACTION_NOTIFY_MARSHAL","features":[327]},{"name":"TRANSACTION_NOTIFY_MASK","features":[327]},{"name":"TRANSACTION_NOTIFY_PREPARE","features":[327]},{"name":"TRANSACTION_NOTIFY_PREPARE_COMPLETE","features":[327]},{"name":"TRANSACTION_NOTIFY_PREPREPARE","features":[327]},{"name":"TRANSACTION_NOTIFY_PREPREPARE_COMPLETE","features":[327]},{"name":"TRANSACTION_NOTIFY_PROMOTE","features":[327]},{"name":"TRANSACTION_NOTIFY_PROMOTE_NEW","features":[327]},{"name":"TRANSACTION_NOTIFY_PROPAGATE_PULL","features":[327]},{"name":"TRANSACTION_NOTIFY_PROPAGATE_PUSH","features":[327]},{"name":"TRANSACTION_NOTIFY_RECOVER","features":[327]},{"name":"TRANSACTION_NOTIFY_RECOVER_QUERY","features":[327]},{"name":"TRANSACTION_NOTIFY_REQUEST_OUTCOME","features":[327]},{"name":"TRANSACTION_NOTIFY_RM_DISCONNECTED","features":[327]},{"name":"TRANSACTION_NOTIFY_ROLLBACK","features":[327]},{"name":"TRANSACTION_NOTIFY_ROLLBACK_COMPLETE","features":[327]},{"name":"TRANSACTION_NOTIFY_SINGLE_PHASE_COMMIT","features":[327]},{"name":"TRANSACTION_NOTIFY_TM_ONLINE","features":[327]},{"name":"TRANSACTION_OBJECT_PATH","features":[327]},{"name":"TRANSACTION_OUTCOME","features":[327]},{"name":"TRUNCATE_EXISTING","features":[327]},{"name":"TXFS_MINIVERSION","features":[327]},{"name":"TXFS_MINIVERSION_COMMITTED_VIEW","features":[327]},{"name":"TXFS_MINIVERSION_DEFAULT_VIEW","features":[327]},{"name":"TXFS_MINIVERSION_DIRTY_VIEW","features":[327]},{"name":"TXF_ID","features":[327]},{"name":"TXF_LOG_RECORD_AFFECTED_FILE","features":[327]},{"name":"TXF_LOG_RECORD_BASE","features":[327]},{"name":"TXF_LOG_RECORD_GENERIC_TYPE_ABORT","features":[327]},{"name":"TXF_LOG_RECORD_GENERIC_TYPE_COMMIT","features":[327]},{"name":"TXF_LOG_RECORD_GENERIC_TYPE_DATA","features":[327]},{"name":"TXF_LOG_RECORD_GENERIC_TYPE_PREPARE","features":[327]},{"name":"TXF_LOG_RECORD_TRUNCATE","features":[327]},{"name":"TXF_LOG_RECORD_TYPE","features":[327]},{"name":"TXF_LOG_RECORD_TYPE_AFFECTED_FILE","features":[327]},{"name":"TXF_LOG_RECORD_TYPE_TRUNCATE","features":[327]},{"name":"TXF_LOG_RECORD_TYPE_WRITE","features":[327]},{"name":"TXF_LOG_RECORD_WRITE","features":[327]},{"name":"TerminateLogArchive","features":[308,327]},{"name":"TerminateReadLog","features":[308,327]},{"name":"TransactionOutcomeAborted","features":[327]},{"name":"TransactionOutcomeCommitted","features":[327]},{"name":"TransactionOutcomeUndetermined","features":[327]},{"name":"TruncateLog","features":[308,327,313]},{"name":"TxfGetThreadMiniVersionForCreate","features":[327]},{"name":"TxfLogCreateFileReadContext","features":[308,327]},{"name":"TxfLogCreateRangeReadContext","features":[308,327]},{"name":"TxfLogDestroyReadContext","features":[308,327]},{"name":"TxfLogReadRecords","features":[308,327]},{"name":"TxfLogRecordGetFileName","features":[308,327]},{"name":"TxfLogRecordGetGenericType","features":[308,327]},{"name":"TxfReadMetadataInfo","features":[308,327]},{"name":"TxfSetThreadMiniVersionForCreate","features":[327]},{"name":"UnlockFile","features":[308,327]},{"name":"UnlockFileEx","features":[308,327,313]},{"name":"VER_FIND_FILE_FLAGS","features":[327]},{"name":"VER_FIND_FILE_STATUS","features":[327]},{"name":"VER_INSTALL_FILE_FLAGS","features":[327]},{"name":"VER_INSTALL_FILE_STATUS","features":[327]},{"name":"VFFF_ISSHAREDFILE","features":[327]},{"name":"VFF_BUFFTOOSMALL","features":[327]},{"name":"VFF_CURNEDEST","features":[327]},{"name":"VFF_FILEINUSE","features":[327]},{"name":"VFT2_DRV_COMM","features":[327]},{"name":"VFT2_DRV_DISPLAY","features":[327]},{"name":"VFT2_DRV_INPUTMETHOD","features":[327]},{"name":"VFT2_DRV_INSTALLABLE","features":[327]},{"name":"VFT2_DRV_KEYBOARD","features":[327]},{"name":"VFT2_DRV_LANGUAGE","features":[327]},{"name":"VFT2_DRV_MOUSE","features":[327]},{"name":"VFT2_DRV_NETWORK","features":[327]},{"name":"VFT2_DRV_PRINTER","features":[327]},{"name":"VFT2_DRV_SOUND","features":[327]},{"name":"VFT2_DRV_SYSTEM","features":[327]},{"name":"VFT2_DRV_VERSIONED_PRINTER","features":[327]},{"name":"VFT2_FONT_RASTER","features":[327]},{"name":"VFT2_FONT_TRUETYPE","features":[327]},{"name":"VFT2_FONT_VECTOR","features":[327]},{"name":"VFT2_UNKNOWN","features":[327]},{"name":"VFT_APP","features":[327]},{"name":"VFT_DLL","features":[327]},{"name":"VFT_DRV","features":[327]},{"name":"VFT_FONT","features":[327]},{"name":"VFT_STATIC_LIB","features":[327]},{"name":"VFT_UNKNOWN","features":[327]},{"name":"VFT_VXD","features":[327]},{"name":"VIFF_DONTDELETEOLD","features":[327]},{"name":"VIFF_FORCEINSTALL","features":[327]},{"name":"VIF_ACCESSVIOLATION","features":[327]},{"name":"VIF_BUFFTOOSMALL","features":[327]},{"name":"VIF_CANNOTCREATE","features":[327]},{"name":"VIF_CANNOTDELETE","features":[327]},{"name":"VIF_CANNOTDELETECUR","features":[327]},{"name":"VIF_CANNOTLOADCABINET","features":[327]},{"name":"VIF_CANNOTLOADLZ32","features":[327]},{"name":"VIF_CANNOTREADDST","features":[327]},{"name":"VIF_CANNOTREADSRC","features":[327]},{"name":"VIF_CANNOTRENAME","features":[327]},{"name":"VIF_DIFFCODEPG","features":[327]},{"name":"VIF_DIFFLANG","features":[327]},{"name":"VIF_DIFFTYPE","features":[327]},{"name":"VIF_FILEINUSE","features":[327]},{"name":"VIF_MISMATCH","features":[327]},{"name":"VIF_OUTOFMEMORY","features":[327]},{"name":"VIF_OUTOFSPACE","features":[327]},{"name":"VIF_SHARINGVIOLATION","features":[327]},{"name":"VIF_SRCOLD","features":[327]},{"name":"VIF_TEMPFILE","features":[327]},{"name":"VIF_WRITEPROT","features":[327]},{"name":"VOLUME_ALLOCATE_BC_STREAM_INPUT","features":[308,327]},{"name":"VOLUME_ALLOCATE_BC_STREAM_OUTPUT","features":[327]},{"name":"VOLUME_ALLOCATION_HINT_INPUT","features":[327]},{"name":"VOLUME_ALLOCATION_HINT_OUTPUT","features":[327]},{"name":"VOLUME_CRITICAL_IO","features":[327]},{"name":"VOLUME_FAILOVER_SET","features":[327]},{"name":"VOLUME_GET_BC_PROPERTIES_INPUT","features":[327]},{"name":"VOLUME_GET_BC_PROPERTIES_OUTPUT","features":[327]},{"name":"VOLUME_LOGICAL_OFFSET","features":[327]},{"name":"VOLUME_NAME_DOS","features":[327]},{"name":"VOLUME_NAME_GUID","features":[327]},{"name":"VOLUME_NAME_NONE","features":[327]},{"name":"VOLUME_NAME_NT","features":[327]},{"name":"VOLUME_NUMBER","features":[327]},{"name":"VOLUME_PHYSICAL_OFFSET","features":[327]},{"name":"VOLUME_PHYSICAL_OFFSETS","features":[327]},{"name":"VOLUME_READ_PLEX_INPUT","features":[327]},{"name":"VOLUME_SET_GPT_ATTRIBUTES_INFORMATION","features":[308,327]},{"name":"VOLUME_SHRINK_INFO","features":[327]},{"name":"VOS_DOS","features":[327]},{"name":"VOS_DOS_WINDOWS16","features":[327]},{"name":"VOS_DOS_WINDOWS32","features":[327]},{"name":"VOS_NT","features":[327]},{"name":"VOS_NT_WINDOWS32","features":[327]},{"name":"VOS_OS216","features":[327]},{"name":"VOS_OS216_PM16","features":[327]},{"name":"VOS_OS232","features":[327]},{"name":"VOS_OS232_PM32","features":[327]},{"name":"VOS_UNKNOWN","features":[327]},{"name":"VOS_WINCE","features":[327]},{"name":"VOS__BASE","features":[327]},{"name":"VOS__PM16","features":[327]},{"name":"VOS__PM32","features":[327]},{"name":"VOS__WINDOWS16","features":[327]},{"name":"VOS__WINDOWS32","features":[327]},{"name":"VS_FFI_FILEFLAGSMASK","features":[327]},{"name":"VS_FFI_SIGNATURE","features":[327]},{"name":"VS_FFI_STRUCVERSION","features":[327]},{"name":"VS_FF_DEBUG","features":[327]},{"name":"VS_FF_INFOINFERRED","features":[327]},{"name":"VS_FF_PATCHED","features":[327]},{"name":"VS_FF_PRERELEASE","features":[327]},{"name":"VS_FF_PRIVATEBUILD","features":[327]},{"name":"VS_FF_SPECIALBUILD","features":[327]},{"name":"VS_FIXEDFILEINFO","features":[327]},{"name":"VS_FIXEDFILEINFO_FILE_FLAGS","features":[327]},{"name":"VS_FIXEDFILEINFO_FILE_OS","features":[327]},{"name":"VS_FIXEDFILEINFO_FILE_SUBTYPE","features":[327]},{"name":"VS_FIXEDFILEINFO_FILE_TYPE","features":[327]},{"name":"VS_USER_DEFINED","features":[327]},{"name":"VS_VERSION_INFO","features":[327]},{"name":"ValidateLog","features":[308,311,327]},{"name":"VerFindFileA","features":[327]},{"name":"VerFindFileW","features":[327]},{"name":"VerInstallFileA","features":[327]},{"name":"VerInstallFileW","features":[327]},{"name":"VerLanguageNameA","features":[327]},{"name":"VerLanguageNameW","features":[327]},{"name":"VerQueryValueA","features":[308,327]},{"name":"VerQueryValueW","features":[308,327]},{"name":"WIM_BOOT_NOT_OS_WIM","features":[327]},{"name":"WIM_BOOT_OS_WIM","features":[327]},{"name":"WIM_ENTRY_FLAG_NOT_ACTIVE","features":[327]},{"name":"WIM_ENTRY_FLAG_SUSPENDED","features":[327]},{"name":"WIM_ENTRY_INFO","features":[327]},{"name":"WIM_EXTERNAL_FILE_INFO","features":[327]},{"name":"WIM_EXTERNAL_FILE_INFO_FLAG_NOT_ACTIVE","features":[327]},{"name":"WIM_EXTERNAL_FILE_INFO_FLAG_SUSPENDED","features":[327]},{"name":"WIM_PROVIDER_HASH_SIZE","features":[327]},{"name":"WIN32_FILE_ATTRIBUTE_DATA","features":[308,327]},{"name":"WIN32_FIND_DATAA","features":[308,327]},{"name":"WIN32_FIND_DATAW","features":[308,327]},{"name":"WIN32_FIND_STREAM_DATA","features":[327]},{"name":"WIN32_STREAM_ID","features":[327]},{"name":"WINEFS_SETUSERKEY_SET_CAPABILITIES","features":[327]},{"name":"WIN_STREAM_ID","features":[327]},{"name":"WOF_FILE_COMPRESSION_INFO_V0","features":[327]},{"name":"WOF_FILE_COMPRESSION_INFO_V1","features":[327]},{"name":"WOF_PROVIDER_FILE","features":[327]},{"name":"WOF_PROVIDER_WIM","features":[327]},{"name":"WRITE_DAC","features":[327]},{"name":"WRITE_OWNER","features":[327]},{"name":"WofEnumEntries","features":[308,327]},{"name":"WofEnumEntryProc","features":[308,327]},{"name":"WofEnumFilesProc","features":[308,327]},{"name":"WofFileEnumFiles","features":[308,327]},{"name":"WofGetDriverVersion","features":[308,327]},{"name":"WofIsExternalFile","features":[308,327]},{"name":"WofSetFileDataLocation","features":[308,327]},{"name":"WofShouldCompressBinaries","features":[308,327]},{"name":"WofWimAddEntry","features":[327]},{"name":"WofWimEnumFiles","features":[308,327]},{"name":"WofWimRemoveEntry","features":[327]},{"name":"WofWimSuspendEntry","features":[327]},{"name":"WofWimUpdateEntry","features":[327]},{"name":"Wow64DisableWow64FsRedirection","features":[308,327]},{"name":"Wow64EnableWow64FsRedirection","features":[308,327]},{"name":"Wow64RevertWow64FsRedirection","features":[308,327]},{"name":"WriteEncryptedFileRaw","features":[327]},{"name":"WriteFile","features":[308,327,313]},{"name":"WriteFileEx","features":[308,327,313]},{"name":"WriteFileGather","features":[308,327,313]},{"name":"WriteLogRestartArea","features":[308,327,313]},{"name":"WriteTapemark","features":[308,327]},{"name":"_FT_TYPES_DEFINITION_","features":[327]}],"511":[{"name":"BlockRange","features":[511]},{"name":"BlockRangeList","features":[511]},{"name":"BootOptions","features":[511]},{"name":"CATID_SMTP_DNSRESOLVERRECORDSINK","features":[511]},{"name":"CATID_SMTP_DSN","features":[511]},{"name":"CATID_SMTP_GET_AUX_DOMAIN_INFO_FLAGS","features":[511]},{"name":"CATID_SMTP_LOG","features":[511]},{"name":"CATID_SMTP_MAXMSGSIZE","features":[511]},{"name":"CATID_SMTP_MSGTRACKLOG","features":[511]},{"name":"CATID_SMTP_ON_BEFORE_DATA","features":[511]},{"name":"CATID_SMTP_ON_INBOUND_COMMAND","features":[511]},{"name":"CATID_SMTP_ON_MESSAGE_START","features":[511]},{"name":"CATID_SMTP_ON_PER_RECIPIENT","features":[511]},{"name":"CATID_SMTP_ON_SERVER_RESPONSE","features":[511]},{"name":"CATID_SMTP_ON_SESSION_END","features":[511]},{"name":"CATID_SMTP_ON_SESSION_START","features":[511]},{"name":"CATID_SMTP_STORE_DRIVER","features":[511]},{"name":"CATID_SMTP_TRANSPORT_CATEGORIZE","features":[511]},{"name":"CATID_SMTP_TRANSPORT_POSTCATEGORIZE","features":[511]},{"name":"CATID_SMTP_TRANSPORT_PRECATEGORIZE","features":[511]},{"name":"CATID_SMTP_TRANSPORT_ROUTER","features":[511]},{"name":"CATID_SMTP_TRANSPORT_SUBMISSION","features":[511]},{"name":"CLSID_SmtpCat","features":[511]},{"name":"CloseIMsgSession","features":[511]},{"name":"DDiscFormat2DataEvents","features":[511,359]},{"name":"DDiscFormat2EraseEvents","features":[511,359]},{"name":"DDiscFormat2RawCDEvents","features":[511,359]},{"name":"DDiscFormat2TrackAtOnceEvents","features":[511,359]},{"name":"DDiscMaster2Events","features":[511,359]},{"name":"DFileSystemImageEvents","features":[511,359]},{"name":"DFileSystemImageImportEvents","features":[511,359]},{"name":"DISC_RECORDER_STATE_FLAGS","features":[511]},{"name":"DISPID_DDISCFORMAT2DATAEVENTS_UPDATE","features":[511]},{"name":"DISPID_DDISCFORMAT2RAWCDEVENTS_UPDATE","features":[511]},{"name":"DISPID_DDISCFORMAT2TAOEVENTS_UPDATE","features":[511]},{"name":"DISPID_DDISCMASTER2EVENTS_DEVICEADDED","features":[511]},{"name":"DISPID_DDISCMASTER2EVENTS_DEVICEREMOVED","features":[511]},{"name":"DISPID_DFILESYSTEMIMAGEEVENTS_UPDATE","features":[511]},{"name":"DISPID_DFILESYSTEMIMAGEIMPORTEVENTS_UPDATEIMPORT","features":[511]},{"name":"DISPID_DWRITEENGINE2EVENTS_UPDATE","features":[511]},{"name":"DISPID_IBLOCKRANGELIST_BLOCKRANGES","features":[511]},{"name":"DISPID_IBLOCKRANGE_ENDLBA","features":[511]},{"name":"DISPID_IBLOCKRANGE_STARTLBA","features":[511]},{"name":"DISPID_IDISCFORMAT2DATAEVENTARGS_CURRENTACTION","features":[511]},{"name":"DISPID_IDISCFORMAT2DATAEVENTARGS_ELAPSEDTIME","features":[511]},{"name":"DISPID_IDISCFORMAT2DATAEVENTARGS_ESTIMATEDREMAININGTIME","features":[511]},{"name":"DISPID_IDISCFORMAT2DATAEVENTARGS_ESTIMATEDTOTALTIME","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_BUFFERUNDERRUNFREEDISABLED","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_CANCELWRITE","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_CLIENTNAME","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_CURRENTMEDIASTATUS","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_CURRENTMEDIATYPE","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_CURRENTROTATIONTYPEISPURECAV","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_CURRENTWRITESPEED","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_DISABLEDVDCOMPATIBILITYMODE","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_FORCEMEDIATOBECLOSED","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_FORCEOVERWRITE","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_FREESECTORS","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_LASTSECTOROFPREVIOUSSESSION","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_MUTLISESSIONINTERFACES","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_NEXTWRITABLEADDRESS","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_POSTGAPALREADYINIMAGE","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_RECORDER","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_REQUESTEDROTATIONTYPEISPURECAV","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_REQUESTEDWRITESPEED","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_SETWRITESPEED","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_STARTSECTOROFPREVIOUSSESSION","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_SUPPORTEDWRITESPEEDDESCRIPTORS","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_SUPPORTEDWRITESPEEDS","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_TOTALSECTORS","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_WRITE","features":[511]},{"name":"DISPID_IDISCFORMAT2DATA_WRITEPROTECTSTATUS","features":[511]},{"name":"DISPID_IDISCFORMAT2ERASEEVENTS_UPDATE","features":[511]},{"name":"DISPID_IDISCFORMAT2ERASE_CLIENTNAME","features":[511]},{"name":"DISPID_IDISCFORMAT2ERASE_ERASEMEDIA","features":[511]},{"name":"DISPID_IDISCFORMAT2ERASE_FULLERASE","features":[511]},{"name":"DISPID_IDISCFORMAT2ERASE_MEDIATYPE","features":[511]},{"name":"DISPID_IDISCFORMAT2ERASE_RECORDER","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCDEVENTARGS_CURRENTACTION","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCDEVENTARGS_CURRENTTRACKNUMBER","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCDEVENTARGS_ELAPSEDTIME","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCDEVENTARGS_ESTIMATEDREMAININGTIME","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCDEVENTARGS_ESTIMATEDTOTALTIME","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCD_BUFFERUNDERRUNFREEDISABLED","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCD_CANCELWRITE","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCD_CLIENTNAME","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCD_CURRENTMEDIATYPE","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCD_CURRENTROTATIONTYPEISPURECAV","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCD_CURRENTWRITESPEED","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCD_LASTPOSSIBLESTARTOFLEADOUT","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCD_PREPAREMEDIA","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCD_RECORDER","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCD_RELEASEMEDIA","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCD_REQUESTEDDATASECTORTYPE","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCD_REQUESTEDROTATIONTYPEISPURECAV","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCD_REQUESTEDWRITESPEED","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCD_SETWRITESPEED","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCD_STARTOFNEXTSESSION","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCD_SUPPORTEDDATASECTORTYPES","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCD_SUPPORTEDWRITESPEEDDESCRIPTORS","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCD_SUPPORTEDWRITESPEEDS","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCD_WRITEMEDIA","features":[511]},{"name":"DISPID_IDISCFORMAT2RAWCD_WRITEMEDIAWITHVALIDATION","features":[511]},{"name":"DISPID_IDISCFORMAT2TAOEVENTARGS_CURRENTACTION","features":[511]},{"name":"DISPID_IDISCFORMAT2TAOEVENTARGS_CURRENTTRACKNUMBER","features":[511]},{"name":"DISPID_IDISCFORMAT2TAOEVENTARGS_ELAPSEDTIME","features":[511]},{"name":"DISPID_IDISCFORMAT2TAOEVENTARGS_ESTIMATEDREMAININGTIME","features":[511]},{"name":"DISPID_IDISCFORMAT2TAOEVENTARGS_ESTIMATEDTOTALTIME","features":[511]},{"name":"DISPID_IDISCFORMAT2TAO_ADDAUDIOTRACK","features":[511]},{"name":"DISPID_IDISCFORMAT2TAO_BUFFERUNDERRUNFREEDISABLED","features":[511]},{"name":"DISPID_IDISCFORMAT2TAO_CANCELADDTRACK","features":[511]},{"name":"DISPID_IDISCFORMAT2TAO_CLIENTNAME","features":[511]},{"name":"DISPID_IDISCFORMAT2TAO_CURRENTMEDIATYPE","features":[511]},{"name":"DISPID_IDISCFORMAT2TAO_CURRENTROTATIONTYPEISPURECAV","features":[511]},{"name":"DISPID_IDISCFORMAT2TAO_CURRENTWRITESPEED","features":[511]},{"name":"DISPID_IDISCFORMAT2TAO_DONOTFINALIZEMEDIA","features":[511]},{"name":"DISPID_IDISCFORMAT2TAO_EXPECTEDTABLEOFCONTENTS","features":[511]},{"name":"DISPID_IDISCFORMAT2TAO_FINISHMEDIA","features":[511]},{"name":"DISPID_IDISCFORMAT2TAO_FREESECTORSONMEDIA","features":[511]},{"name":"DISPID_IDISCFORMAT2TAO_NUMBEROFEXISTINGTRACKS","features":[511]},{"name":"DISPID_IDISCFORMAT2TAO_PREPAREMEDIA","features":[511]},{"name":"DISPID_IDISCFORMAT2TAO_RECORDER","features":[511]},{"name":"DISPID_IDISCFORMAT2TAO_REQUESTEDROTATIONTYPEISPURECAV","features":[511]},{"name":"DISPID_IDISCFORMAT2TAO_REQUESTEDWRITESPEED","features":[511]},{"name":"DISPID_IDISCFORMAT2TAO_SETWRITESPEED","features":[511]},{"name":"DISPID_IDISCFORMAT2TAO_SUPPORTEDWRITESPEEDDESCRIPTORS","features":[511]},{"name":"DISPID_IDISCFORMAT2TAO_SUPPORTEDWRITESPEEDS","features":[511]},{"name":"DISPID_IDISCFORMAT2TAO_TOTALSECTORSONMEDIA","features":[511]},{"name":"DISPID_IDISCFORMAT2TAO_USEDSECTORSONMEDIA","features":[511]},{"name":"DISPID_IDISCFORMAT2_MEDIAHEURISTICALLYBLANK","features":[511]},{"name":"DISPID_IDISCFORMAT2_MEDIAPHYSICALLYBLANK","features":[511]},{"name":"DISPID_IDISCFORMAT2_MEDIASUPPORTED","features":[511]},{"name":"DISPID_IDISCFORMAT2_RECORDERSUPPORTED","features":[511]},{"name":"DISPID_IDISCFORMAT2_SUPPORTEDMEDIATYPES","features":[511]},{"name":"DISPID_IDISCRECORDER2_ACQUIREEXCLUSIVEACCESS","features":[511]},{"name":"DISPID_IDISCRECORDER2_ACTIVEDISCRECORDER","features":[511]},{"name":"DISPID_IDISCRECORDER2_CLOSETRAY","features":[511]},{"name":"DISPID_IDISCRECORDER2_CURRENTFEATUREPAGES","features":[511]},{"name":"DISPID_IDISCRECORDER2_CURRENTPROFILES","features":[511]},{"name":"DISPID_IDISCRECORDER2_DEVICECANLOADMEDIA","features":[511]},{"name":"DISPID_IDISCRECORDER2_DISABLEMCN","features":[511]},{"name":"DISPID_IDISCRECORDER2_EJECTMEDIA","features":[511]},{"name":"DISPID_IDISCRECORDER2_ENABLEMCN","features":[511]},{"name":"DISPID_IDISCRECORDER2_EXCLUSIVEACCESSOWNER","features":[511]},{"name":"DISPID_IDISCRECORDER2_INITIALIZEDISCRECORDER","features":[511]},{"name":"DISPID_IDISCRECORDER2_LEGACYDEVICENUMBER","features":[511]},{"name":"DISPID_IDISCRECORDER2_PRODUCTID","features":[511]},{"name":"DISPID_IDISCRECORDER2_PRODUCTREVISION","features":[511]},{"name":"DISPID_IDISCRECORDER2_RELEASEEXCLUSIVEACCESS","features":[511]},{"name":"DISPID_IDISCRECORDER2_SUPPORTEDFEATUREPAGES","features":[511]},{"name":"DISPID_IDISCRECORDER2_SUPPORTEDMODEPAGES","features":[511]},{"name":"DISPID_IDISCRECORDER2_SUPPORTEDPROFILES","features":[511]},{"name":"DISPID_IDISCRECORDER2_VENDORID","features":[511]},{"name":"DISPID_IDISCRECORDER2_VOLUMENAME","features":[511]},{"name":"DISPID_IDISCRECORDER2_VOLUMEPATHNAMES","features":[511]},{"name":"DISPID_IMULTISESSION_FIRSTDATASESSION","features":[511]},{"name":"DISPID_IMULTISESSION_FREESECTORS","features":[511]},{"name":"DISPID_IMULTISESSION_IMPORTRECORDER","features":[511]},{"name":"DISPID_IMULTISESSION_INUSE","features":[511]},{"name":"DISPID_IMULTISESSION_LASTSECTOROFPREVIOUSSESSION","features":[511]},{"name":"DISPID_IMULTISESSION_LASTWRITTENADDRESS","features":[511]},{"name":"DISPID_IMULTISESSION_NEXTWRITABLEADDRESS","features":[511]},{"name":"DISPID_IMULTISESSION_SECTORSONMEDIA","features":[511]},{"name":"DISPID_IMULTISESSION_STARTSECTOROFPREVIOUSSESSION","features":[511]},{"name":"DISPID_IMULTISESSION_SUPPORTEDONCURRENTMEDIA","features":[511]},{"name":"DISPID_IMULTISESSION_WRITEUNITSIZE","features":[511]},{"name":"DISPID_IRAWCDIMAGECREATOR_ADDSPECIALPREGAP","features":[511]},{"name":"DISPID_IRAWCDIMAGECREATOR_ADDSUBCODERWGENERATOR","features":[511]},{"name":"DISPID_IRAWCDIMAGECREATOR_ADDTRACK","features":[511]},{"name":"DISPID_IRAWCDIMAGECREATOR_CREATERESULTIMAGE","features":[511]},{"name":"DISPID_IRAWCDIMAGECREATOR_DISABLEGAPLESSAUDIO","features":[511]},{"name":"DISPID_IRAWCDIMAGECREATOR_EXPECTEDTABLEOFCONTENTS","features":[511]},{"name":"DISPID_IRAWCDIMAGECREATOR_MEDIACATALOGNUMBER","features":[511]},{"name":"DISPID_IRAWCDIMAGECREATOR_NUMBEROFEXISTINGTRACKS","features":[511]},{"name":"DISPID_IRAWCDIMAGECREATOR_RESULTINGIMAGETYPE","features":[511]},{"name":"DISPID_IRAWCDIMAGECREATOR_STARTINGTRACKNUMBER","features":[511]},{"name":"DISPID_IRAWCDIMAGECREATOR_STARTOFLEADOUT","features":[511]},{"name":"DISPID_IRAWCDIMAGECREATOR_STARTOFLEADOUTLIMIT","features":[511]},{"name":"DISPID_IRAWCDIMAGECREATOR_TRACKINFO","features":[511]},{"name":"DISPID_IRAWCDIMAGECREATOR_USEDSECTORSONDISC","features":[511]},{"name":"DISPID_IRAWCDTRACKINFO_AUDIOHASPREEMPHASIS","features":[511]},{"name":"DISPID_IRAWCDTRACKINFO_DIGITALAUDIOCOPYSETTING","features":[511]},{"name":"DISPID_IRAWCDTRACKINFO_ISRC","features":[511]},{"name":"DISPID_IRAWCDTRACKINFO_SECTORCOUNT","features":[511]},{"name":"DISPID_IRAWCDTRACKINFO_SECTORTYPE","features":[511]},{"name":"DISPID_IRAWCDTRACKINFO_STARTINGLBA","features":[511]},{"name":"DISPID_IRAWCDTRACKINFO_TRACKNUMBER","features":[511]},{"name":"DISPID_IWRITEENGINE2EVENTARGS_FREESYSTEMBUFFER","features":[511]},{"name":"DISPID_IWRITEENGINE2EVENTARGS_LASTREADLBA","features":[511]},{"name":"DISPID_IWRITEENGINE2EVENTARGS_LASTWRITTENLBA","features":[511]},{"name":"DISPID_IWRITEENGINE2EVENTARGS_SECTORCOUNT","features":[511]},{"name":"DISPID_IWRITEENGINE2EVENTARGS_STARTLBA","features":[511]},{"name":"DISPID_IWRITEENGINE2EVENTARGS_TOTALDEVICEBUFFER","features":[511]},{"name":"DISPID_IWRITEENGINE2EVENTARGS_TOTALSYSTEMBUFFER","features":[511]},{"name":"DISPID_IWRITEENGINE2EVENTARGS_USEDDEVICEBUFFER","features":[511]},{"name":"DISPID_IWRITEENGINE2EVENTARGS_USEDSYSTEMBUFFER","features":[511]},{"name":"DISPID_IWRITEENGINE2_BYTESPERSECTOR","features":[511]},{"name":"DISPID_IWRITEENGINE2_CANCELWRITE","features":[511]},{"name":"DISPID_IWRITEENGINE2_DISCRECORDER","features":[511]},{"name":"DISPID_IWRITEENGINE2_ENDINGSECTORSPERSECOND","features":[511]},{"name":"DISPID_IWRITEENGINE2_STARTINGSECTORSPERSECOND","features":[511]},{"name":"DISPID_IWRITEENGINE2_USESTREAMINGWRITE12","features":[511]},{"name":"DISPID_IWRITEENGINE2_WRITEINPROGRESS","features":[511]},{"name":"DISPID_IWRITEENGINE2_WRITESECTION","features":[511]},{"name":"DWriteEngine2Events","features":[511,359]},{"name":"Emulation12MFloppy","features":[511]},{"name":"Emulation144MFloppy","features":[511]},{"name":"Emulation288MFloppy","features":[511]},{"name":"EmulationHardDisk","features":[511]},{"name":"EmulationNone","features":[511]},{"name":"EmulationType","features":[511]},{"name":"EnumFsiItems","features":[511]},{"name":"EnumProgressItems","features":[511]},{"name":"FileSystemImageResult","features":[511]},{"name":"FsiDirectoryItem","features":[511]},{"name":"FsiFileItem","features":[511]},{"name":"FsiFileSystemISO9660","features":[511]},{"name":"FsiFileSystemJoliet","features":[511]},{"name":"FsiFileSystemNone","features":[511]},{"name":"FsiFileSystemUDF","features":[511]},{"name":"FsiFileSystemUnknown","features":[511]},{"name":"FsiFileSystems","features":[511]},{"name":"FsiItemDirectory","features":[511]},{"name":"FsiItemFile","features":[511]},{"name":"FsiItemNotFound","features":[511]},{"name":"FsiItemType","features":[511]},{"name":"FsiNamedStreams","features":[511]},{"name":"FsiStream","features":[511]},{"name":"GUID_SMTPSVC_SOURCE","features":[511]},{"name":"GUID_SMTP_SOURCE_TYPE","features":[511]},{"name":"GetAttribIMsgOnIStg","features":[511,389]},{"name":"IBlockRange","features":[511,359]},{"name":"IBlockRangeList","features":[511,359]},{"name":"IBootOptions","features":[511,359]},{"name":"IBurnVerification","features":[511]},{"name":"IDiscFormat2","features":[511,359]},{"name":"IDiscFormat2Data","features":[511,359]},{"name":"IDiscFormat2DataEventArgs","features":[511,359]},{"name":"IDiscFormat2Erase","features":[511,359]},{"name":"IDiscFormat2RawCD","features":[511,359]},{"name":"IDiscFormat2RawCDEventArgs","features":[511,359]},{"name":"IDiscFormat2TrackAtOnce","features":[511,359]},{"name":"IDiscFormat2TrackAtOnceEventArgs","features":[511,359]},{"name":"IDiscMaster","features":[511]},{"name":"IDiscMaster2","features":[511,359]},{"name":"IDiscMasterProgressEvents","features":[511]},{"name":"IDiscRecorder","features":[511]},{"name":"IDiscRecorder2","features":[511,359]},{"name":"IDiscRecorder2Ex","features":[511]},{"name":"IEnumDiscMasterFormats","features":[511]},{"name":"IEnumDiscRecorders","features":[511]},{"name":"IEnumFsiItems","features":[511]},{"name":"IEnumProgressItems","features":[511]},{"name":"IFileSystemImage","features":[511,359]},{"name":"IFileSystemImage2","features":[511,359]},{"name":"IFileSystemImage3","features":[511,359]},{"name":"IFileSystemImageResult","features":[511,359]},{"name":"IFileSystemImageResult2","features":[511,359]},{"name":"IFsiDirectoryItem","features":[511,359]},{"name":"IFsiDirectoryItem2","features":[511,359]},{"name":"IFsiFileItem","features":[511,359]},{"name":"IFsiFileItem2","features":[511,359]},{"name":"IFsiItem","features":[511,359]},{"name":"IFsiNamedStreams","features":[511,359]},{"name":"IIsoImageManager","features":[511,359]},{"name":"IJolietDiscMaster","features":[511]},{"name":"IMAPI2FS_BOOT_ENTRY_COUNT_MAX","features":[511]},{"name":"IMAPI2FS_FullVersion_STR","features":[511]},{"name":"IMAPI2FS_FullVersion_WSTR","features":[511]},{"name":"IMAPI2FS_MajorVersion","features":[511]},{"name":"IMAPI2FS_MinorVersion","features":[511]},{"name":"IMAPI2_DEFAULT_COMMAND_TIMEOUT","features":[511]},{"name":"IMAPILib2_MajorVersion","features":[511]},{"name":"IMAPILib2_MinorVersion","features":[511]},{"name":"IMAPI_BURN_VERIFICATION_FULL","features":[511]},{"name":"IMAPI_BURN_VERIFICATION_LEVEL","features":[511]},{"name":"IMAPI_BURN_VERIFICATION_NONE","features":[511]},{"name":"IMAPI_BURN_VERIFICATION_QUICK","features":[511]},{"name":"IMAPI_CD_SECTOR_AUDIO","features":[511]},{"name":"IMAPI_CD_SECTOR_MODE1","features":[511]},{"name":"IMAPI_CD_SECTOR_MODE1RAW","features":[511]},{"name":"IMAPI_CD_SECTOR_MODE2FORM0","features":[511]},{"name":"IMAPI_CD_SECTOR_MODE2FORM0RAW","features":[511]},{"name":"IMAPI_CD_SECTOR_MODE2FORM1","features":[511]},{"name":"IMAPI_CD_SECTOR_MODE2FORM1RAW","features":[511]},{"name":"IMAPI_CD_SECTOR_MODE2FORM2","features":[511]},{"name":"IMAPI_CD_SECTOR_MODE2FORM2RAW","features":[511]},{"name":"IMAPI_CD_SECTOR_MODE_ZERO","features":[511]},{"name":"IMAPI_CD_SECTOR_TYPE","features":[511]},{"name":"IMAPI_CD_TRACK_DIGITAL_COPY_PERMITTED","features":[511]},{"name":"IMAPI_CD_TRACK_DIGITAL_COPY_PROHIBITED","features":[511]},{"name":"IMAPI_CD_TRACK_DIGITAL_COPY_SCMS","features":[511]},{"name":"IMAPI_CD_TRACK_DIGITAL_COPY_SETTING","features":[511]},{"name":"IMAPI_E_ALREADYOPEN","features":[511]},{"name":"IMAPI_E_BADJOLIETNAME","features":[511]},{"name":"IMAPI_E_BOOTIMAGE_AND_NONBLANK_DISC","features":[511]},{"name":"IMAPI_E_CANNOT_WRITE_TO_MEDIA","features":[511]},{"name":"IMAPI_E_COMPRESSEDSTASH","features":[511]},{"name":"IMAPI_E_DEVICE_INVALIDTYPE","features":[511]},{"name":"IMAPI_E_DEVICE_NOPROPERTIES","features":[511]},{"name":"IMAPI_E_DEVICE_NOTACCESSIBLE","features":[511]},{"name":"IMAPI_E_DEVICE_NOTPRESENT","features":[511]},{"name":"IMAPI_E_DEVICE_STILL_IN_USE","features":[511]},{"name":"IMAPI_E_DISCFULL","features":[511]},{"name":"IMAPI_E_DISCINFO","features":[511]},{"name":"IMAPI_E_ENCRYPTEDSTASH","features":[511]},{"name":"IMAPI_E_FILEACCESS","features":[511]},{"name":"IMAPI_E_FILEEXISTS","features":[511]},{"name":"IMAPI_E_FILESYSTEM","features":[511]},{"name":"IMAPI_E_GENERIC","features":[511]},{"name":"IMAPI_E_INITIALIZE_ENDWRITE","features":[511]},{"name":"IMAPI_E_INITIALIZE_WRITE","features":[511]},{"name":"IMAPI_E_INVALIDIMAGE","features":[511]},{"name":"IMAPI_E_LOSS_OF_STREAMING","features":[511]},{"name":"IMAPI_E_MEDIUM_INVALIDTYPE","features":[511]},{"name":"IMAPI_E_MEDIUM_NOTPRESENT","features":[511]},{"name":"IMAPI_E_NOACTIVEFORMAT","features":[511]},{"name":"IMAPI_E_NOACTIVERECORDER","features":[511]},{"name":"IMAPI_E_NOTENOUGHDISKFORSTASH","features":[511]},{"name":"IMAPI_E_NOTINITIALIZED","features":[511]},{"name":"IMAPI_E_NOTOPENED","features":[511]},{"name":"IMAPI_E_REMOVABLESTASH","features":[511]},{"name":"IMAPI_E_STASHINUSE","features":[511]},{"name":"IMAPI_E_TRACKNOTOPEN","features":[511]},{"name":"IMAPI_E_TRACKOPEN","features":[511]},{"name":"IMAPI_E_TRACK_NOT_BIG_ENOUGH","features":[511]},{"name":"IMAPI_E_USERABORT","features":[511]},{"name":"IMAPI_E_WRONGDISC","features":[511]},{"name":"IMAPI_E_WRONGFORMAT","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_AACS","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_BD_PSEUDO_OVERWRITE","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_BD_READ","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_BD_WRITE","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_CDRW_CAV_WRITE","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_CD_ANALOG_PLAY","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_CD_MASTERING","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_CD_MULTIREAD","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_CD_READ","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_CD_RW_MEDIA_WRITE_SUPPORT","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_CD_TRACK_AT_ONCE","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_CORE","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_DISC_CONTROL_BLOCKS","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_DOUBLE_DENSITY_CD_READ","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_DOUBLE_DENSITY_CD_RW_WRITE","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_DOUBLE_DENSITY_CD_R_WRITE","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_DVD_CPRM","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_DVD_CSS","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_DVD_DASH_WRITE","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_DVD_PLUS_R","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_DVD_PLUS_RW","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_DVD_PLUS_R_DUAL_LAYER","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_DVD_READ","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_EMBEDDED_CHANGER","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_ENHANCED_DEFECT_REPORTING","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_FIRMWARE_INFORMATION","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_FORMATTABLE","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_HARDWARE_DEFECT_MANAGEMENT","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_HD_DVD_READ","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_HD_DVD_WRITE","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_INCREMENTAL_STREAMING_WRITABLE","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_LAYER_JUMP_RECORDING","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_LOGICAL_UNIT_SERIAL_NUMBER","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_MEDIA_SERIAL_NUMBER","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_MICROCODE_UPDATE","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_MORPHING","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_MRW","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_POWER_MANAGEMENT","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_PROFILE_LIST","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_RANDOMLY_READABLE","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_RANDOMLY_WRITABLE","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_REAL_TIME_STREAMING","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_REMOVABLE_MEDIUM","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_RESTRICTED_OVERWRITE","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_RIGID_RESTRICTED_OVERWRITE","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_SECTOR_ERASABLE","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_SMART","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_TIMEOUT","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_VCPS","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_WRITE_ONCE","features":[511]},{"name":"IMAPI_FEATURE_PAGE_TYPE_WRITE_PROTECT","features":[511]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE","features":[511]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_APPENDABLE","features":[511]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_BLANK","features":[511]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_DAMAGED","features":[511]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_ERASE_REQUIRED","features":[511]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_FINALIZED","features":[511]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_FINAL_SESSION","features":[511]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_INFORMATIONAL_MASK","features":[511]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_NON_EMPTY_SESSION","features":[511]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_OVERWRITE_ONLY","features":[511]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_RANDOMLY_WRITABLE","features":[511]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_UNKNOWN","features":[511]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_UNSUPPORTED_MASK","features":[511]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_UNSUPPORTED_MEDIA","features":[511]},{"name":"IMAPI_FORMAT2_DATA_MEDIA_STATE_WRITE_PROTECTED","features":[511]},{"name":"IMAPI_FORMAT2_DATA_WRITE_ACTION","features":[511]},{"name":"IMAPI_FORMAT2_DATA_WRITE_ACTION_CALIBRATING_POWER","features":[511]},{"name":"IMAPI_FORMAT2_DATA_WRITE_ACTION_COMPLETED","features":[511]},{"name":"IMAPI_FORMAT2_DATA_WRITE_ACTION_FINALIZATION","features":[511]},{"name":"IMAPI_FORMAT2_DATA_WRITE_ACTION_FORMATTING_MEDIA","features":[511]},{"name":"IMAPI_FORMAT2_DATA_WRITE_ACTION_INITIALIZING_HARDWARE","features":[511]},{"name":"IMAPI_FORMAT2_DATA_WRITE_ACTION_VALIDATING_MEDIA","features":[511]},{"name":"IMAPI_FORMAT2_DATA_WRITE_ACTION_VERIFYING","features":[511]},{"name":"IMAPI_FORMAT2_DATA_WRITE_ACTION_WRITING_DATA","features":[511]},{"name":"IMAPI_FORMAT2_RAW_CD_DATA_SECTOR_TYPE","features":[511]},{"name":"IMAPI_FORMAT2_RAW_CD_SUBCODE_IS_COOKED","features":[511]},{"name":"IMAPI_FORMAT2_RAW_CD_SUBCODE_IS_RAW","features":[511]},{"name":"IMAPI_FORMAT2_RAW_CD_SUBCODE_PQ_ONLY","features":[511]},{"name":"IMAPI_FORMAT2_RAW_CD_WRITE_ACTION","features":[511]},{"name":"IMAPI_FORMAT2_RAW_CD_WRITE_ACTION_FINISHING","features":[511]},{"name":"IMAPI_FORMAT2_RAW_CD_WRITE_ACTION_PREPARING","features":[511]},{"name":"IMAPI_FORMAT2_RAW_CD_WRITE_ACTION_UNKNOWN","features":[511]},{"name":"IMAPI_FORMAT2_RAW_CD_WRITE_ACTION_WRITING","features":[511]},{"name":"IMAPI_FORMAT2_TAO_WRITE_ACTION","features":[511]},{"name":"IMAPI_FORMAT2_TAO_WRITE_ACTION_FINISHING","features":[511]},{"name":"IMAPI_FORMAT2_TAO_WRITE_ACTION_PREPARING","features":[511]},{"name":"IMAPI_FORMAT2_TAO_WRITE_ACTION_UNKNOWN","features":[511]},{"name":"IMAPI_FORMAT2_TAO_WRITE_ACTION_VERIFYING","features":[511]},{"name":"IMAPI_FORMAT2_TAO_WRITE_ACTION_WRITING","features":[511]},{"name":"IMAPI_MEDIA_PHYSICAL_TYPE","features":[511]},{"name":"IMAPI_MEDIA_TYPE_BDR","features":[511]},{"name":"IMAPI_MEDIA_TYPE_BDRE","features":[511]},{"name":"IMAPI_MEDIA_TYPE_BDROM","features":[511]},{"name":"IMAPI_MEDIA_TYPE_CDR","features":[511]},{"name":"IMAPI_MEDIA_TYPE_CDROM","features":[511]},{"name":"IMAPI_MEDIA_TYPE_CDRW","features":[511]},{"name":"IMAPI_MEDIA_TYPE_DISK","features":[511]},{"name":"IMAPI_MEDIA_TYPE_DVDDASHR","features":[511]},{"name":"IMAPI_MEDIA_TYPE_DVDDASHRW","features":[511]},{"name":"IMAPI_MEDIA_TYPE_DVDDASHR_DUALLAYER","features":[511]},{"name":"IMAPI_MEDIA_TYPE_DVDPLUSR","features":[511]},{"name":"IMAPI_MEDIA_TYPE_DVDPLUSRW","features":[511]},{"name":"IMAPI_MEDIA_TYPE_DVDPLUSRW_DUALLAYER","features":[511]},{"name":"IMAPI_MEDIA_TYPE_DVDPLUSR_DUALLAYER","features":[511]},{"name":"IMAPI_MEDIA_TYPE_DVDRAM","features":[511]},{"name":"IMAPI_MEDIA_TYPE_DVDROM","features":[511]},{"name":"IMAPI_MEDIA_TYPE_HDDVDR","features":[511]},{"name":"IMAPI_MEDIA_TYPE_HDDVDRAM","features":[511]},{"name":"IMAPI_MEDIA_TYPE_HDDVDROM","features":[511]},{"name":"IMAPI_MEDIA_TYPE_MAX","features":[511]},{"name":"IMAPI_MEDIA_TYPE_UNKNOWN","features":[511]},{"name":"IMAPI_MEDIA_WRITE_PROTECT_STATE","features":[511]},{"name":"IMAPI_MODE_PAGE_REQUEST_TYPE","features":[511]},{"name":"IMAPI_MODE_PAGE_REQUEST_TYPE_CHANGEABLE_VALUES","features":[511]},{"name":"IMAPI_MODE_PAGE_REQUEST_TYPE_CURRENT_VALUES","features":[511]},{"name":"IMAPI_MODE_PAGE_REQUEST_TYPE_DEFAULT_VALUES","features":[511]},{"name":"IMAPI_MODE_PAGE_REQUEST_TYPE_SAVED_VALUES","features":[511]},{"name":"IMAPI_MODE_PAGE_TYPE","features":[511]},{"name":"IMAPI_MODE_PAGE_TYPE_CACHING","features":[511]},{"name":"IMAPI_MODE_PAGE_TYPE_INFORMATIONAL_EXCEPTIONS","features":[511]},{"name":"IMAPI_MODE_PAGE_TYPE_LEGACY_CAPABILITIES","features":[511]},{"name":"IMAPI_MODE_PAGE_TYPE_MRW","features":[511]},{"name":"IMAPI_MODE_PAGE_TYPE_POWER_CONDITION","features":[511]},{"name":"IMAPI_MODE_PAGE_TYPE_READ_WRITE_ERROR_RECOVERY","features":[511]},{"name":"IMAPI_MODE_PAGE_TYPE_TIMEOUT_AND_PROTECT","features":[511]},{"name":"IMAPI_MODE_PAGE_TYPE_WRITE_PARAMETERS","features":[511]},{"name":"IMAPI_PROFILE_TYPE","features":[511]},{"name":"IMAPI_PROFILE_TYPE_AS_MO","features":[511]},{"name":"IMAPI_PROFILE_TYPE_BD_REWRITABLE","features":[511]},{"name":"IMAPI_PROFILE_TYPE_BD_ROM","features":[511]},{"name":"IMAPI_PROFILE_TYPE_BD_R_RANDOM_RECORDING","features":[511]},{"name":"IMAPI_PROFILE_TYPE_BD_R_SEQUENTIAL","features":[511]},{"name":"IMAPI_PROFILE_TYPE_CDROM","features":[511]},{"name":"IMAPI_PROFILE_TYPE_CD_RECORDABLE","features":[511]},{"name":"IMAPI_PROFILE_TYPE_CD_REWRITABLE","features":[511]},{"name":"IMAPI_PROFILE_TYPE_DDCDROM","features":[511]},{"name":"IMAPI_PROFILE_TYPE_DDCD_RECORDABLE","features":[511]},{"name":"IMAPI_PROFILE_TYPE_DDCD_REWRITABLE","features":[511]},{"name":"IMAPI_PROFILE_TYPE_DVDROM","features":[511]},{"name":"IMAPI_PROFILE_TYPE_DVD_DASH_RECORDABLE","features":[511]},{"name":"IMAPI_PROFILE_TYPE_DVD_DASH_REWRITABLE","features":[511]},{"name":"IMAPI_PROFILE_TYPE_DVD_DASH_RW_SEQUENTIAL","features":[511]},{"name":"IMAPI_PROFILE_TYPE_DVD_DASH_R_DUAL_LAYER_JUMP","features":[511]},{"name":"IMAPI_PROFILE_TYPE_DVD_DASH_R_DUAL_SEQUENTIAL","features":[511]},{"name":"IMAPI_PROFILE_TYPE_DVD_PLUS_R","features":[511]},{"name":"IMAPI_PROFILE_TYPE_DVD_PLUS_RW","features":[511]},{"name":"IMAPI_PROFILE_TYPE_DVD_PLUS_RW_DUAL","features":[511]},{"name":"IMAPI_PROFILE_TYPE_DVD_PLUS_R_DUAL","features":[511]},{"name":"IMAPI_PROFILE_TYPE_DVD_RAM","features":[511]},{"name":"IMAPI_PROFILE_TYPE_HD_DVD_RAM","features":[511]},{"name":"IMAPI_PROFILE_TYPE_HD_DVD_RECORDABLE","features":[511]},{"name":"IMAPI_PROFILE_TYPE_HD_DVD_ROM","features":[511]},{"name":"IMAPI_PROFILE_TYPE_INVALID","features":[511]},{"name":"IMAPI_PROFILE_TYPE_MO_ERASABLE","features":[511]},{"name":"IMAPI_PROFILE_TYPE_MO_WRITE_ONCE","features":[511]},{"name":"IMAPI_PROFILE_TYPE_NON_REMOVABLE_DISK","features":[511]},{"name":"IMAPI_PROFILE_TYPE_NON_STANDARD","features":[511]},{"name":"IMAPI_PROFILE_TYPE_REMOVABLE_DISK","features":[511]},{"name":"IMAPI_READ_TRACK_ADDRESS_TYPE","features":[511]},{"name":"IMAPI_READ_TRACK_ADDRESS_TYPE_LBA","features":[511]},{"name":"IMAPI_READ_TRACK_ADDRESS_TYPE_SESSION","features":[511]},{"name":"IMAPI_READ_TRACK_ADDRESS_TYPE_TRACK","features":[511]},{"name":"IMAPI_SECTORS_PER_SECOND_AT_1X_BD","features":[511]},{"name":"IMAPI_SECTORS_PER_SECOND_AT_1X_CD","features":[511]},{"name":"IMAPI_SECTORS_PER_SECOND_AT_1X_DVD","features":[511]},{"name":"IMAPI_SECTORS_PER_SECOND_AT_1X_HD_DVD","features":[511]},{"name":"IMAPI_SECTOR_SIZE","features":[511]},{"name":"IMAPI_S_BUFFER_TO_SMALL","features":[511]},{"name":"IMAPI_S_PROPERTIESIGNORED","features":[511]},{"name":"IMAPI_WRITEPROTECTED_BY_CARTRIDGE","features":[511]},{"name":"IMAPI_WRITEPROTECTED_BY_DISC_CONTROL_BLOCK","features":[511]},{"name":"IMAPI_WRITEPROTECTED_BY_MEDIA_SPECIFIC_REASON","features":[511]},{"name":"IMAPI_WRITEPROTECTED_BY_SOFTWARE_WRITE_PROTECT","features":[511]},{"name":"IMAPI_WRITEPROTECTED_READ_ONLY_MEDIA","features":[511]},{"name":"IMAPI_WRITEPROTECTED_UNTIL_POWERDOWN","features":[511]},{"name":"IMMPID_CPV_AFTER__","features":[511]},{"name":"IMMPID_CPV_BEFORE__","features":[511]},{"name":"IMMPID_CPV_ENUM","features":[511]},{"name":"IMMPID_CP_START","features":[511]},{"name":"IMMPID_MPV_AFTER__","features":[511]},{"name":"IMMPID_MPV_BEFORE__","features":[511]},{"name":"IMMPID_MPV_ENUM","features":[511]},{"name":"IMMPID_MPV_MESSAGE_CREATION_FLAGS","features":[511]},{"name":"IMMPID_MPV_MESSAGE_OPEN_HANDLES","features":[511]},{"name":"IMMPID_MPV_STORE_DRIVER_HANDLE","features":[511]},{"name":"IMMPID_MPV_TOTAL_OPEN_CONTENT_HANDLES","features":[511]},{"name":"IMMPID_MPV_TOTAL_OPEN_HANDLES","features":[511]},{"name":"IMMPID_MPV_TOTAL_OPEN_PROPERTY_STREAM_HANDLES","features":[511]},{"name":"IMMPID_MP_AFTER__","features":[511]},{"name":"IMMPID_MP_ARRIVAL_FILETIME","features":[511]},{"name":"IMMPID_MP_ARRIVAL_TIME","features":[511]},{"name":"IMMPID_MP_AUTHENTICATED_USER_NAME","features":[511]},{"name":"IMMPID_MP_BEFORE__","features":[511]},{"name":"IMMPID_MP_BINARYMIME_OPTION","features":[511]},{"name":"IMMPID_MP_CHUNKING_OPTION","features":[511]},{"name":"IMMPID_MP_CLIENT_AUTH_TYPE","features":[511]},{"name":"IMMPID_MP_CLIENT_AUTH_USER","features":[511]},{"name":"IMMPID_MP_CONNECTION_IP_ADDRESS","features":[511]},{"name":"IMMPID_MP_CONNECTION_SERVER_IP_ADDRESS","features":[511]},{"name":"IMMPID_MP_CONNECTION_SERVER_PORT","features":[511]},{"name":"IMMPID_MP_CONTENT_FILE_NAME","features":[511]},{"name":"IMMPID_MP_CONTENT_TYPE","features":[511]},{"name":"IMMPID_MP_CRC_GLOBAL","features":[511]},{"name":"IMMPID_MP_CRC_RECIPS","features":[511]},{"name":"IMMPID_MP_DEFERRED_DELIVERY_FILETIME","features":[511]},{"name":"IMMPID_MP_DOMAIN_LIST","features":[511]},{"name":"IMMPID_MP_DSN_ENVID_VALUE","features":[511]},{"name":"IMMPID_MP_DSN_RET_VALUE","features":[511]},{"name":"IMMPID_MP_EIGHTBIT_MIME_OPTION","features":[511]},{"name":"IMMPID_MP_ENCRYPTION_TYPE","features":[511]},{"name":"IMMPID_MP_ENUM","features":[511]},{"name":"IMMPID_MP_ERROR_CODE","features":[511]},{"name":"IMMPID_MP_EXPIRE_DELAY","features":[511]},{"name":"IMMPID_MP_EXPIRE_NDR","features":[511]},{"name":"IMMPID_MP_FOUND_EMBEDDED_CRLF_DOT_CRLF","features":[511]},{"name":"IMMPID_MP_FROM_ADDRESS","features":[511]},{"name":"IMMPID_MP_HELO_DOMAIN","features":[511]},{"name":"IMMPID_MP_HR_CAT_STATUS","features":[511]},{"name":"IMMPID_MP_INBOUND_MAIL_FROM_AUTH","features":[511]},{"name":"IMMPID_MP_LOCAL_EXPIRE_DELAY","features":[511]},{"name":"IMMPID_MP_LOCAL_EXPIRE_NDR","features":[511]},{"name":"IMMPID_MP_MESSAGE_STATUS","features":[511]},{"name":"IMMPID_MP_MSGCLASS","features":[511]},{"name":"IMMPID_MP_MSG_GUID","features":[511]},{"name":"IMMPID_MP_MSG_SIZE_HINT","features":[511]},{"name":"IMMPID_MP_NUM_RECIPIENTS","features":[511]},{"name":"IMMPID_MP_ORIGINAL_ARRIVAL_TIME","features":[511]},{"name":"IMMPID_MP_PICKUP_FILE_NAME","features":[511]},{"name":"IMMPID_MP_RECIPIENT_LIST","features":[511]},{"name":"IMMPID_MP_REMOTE_AUTHENTICATION_TYPE","features":[511]},{"name":"IMMPID_MP_REMOTE_SERVER_DSN_CAPABLE","features":[511]},{"name":"IMMPID_MP_RFC822_BCC_ADDRESS","features":[511]},{"name":"IMMPID_MP_RFC822_CC_ADDRESS","features":[511]},{"name":"IMMPID_MP_RFC822_FROM_ADDRESS","features":[511]},{"name":"IMMPID_MP_RFC822_MSG_ID","features":[511]},{"name":"IMMPID_MP_RFC822_MSG_SUBJECT","features":[511]},{"name":"IMMPID_MP_RFC822_TO_ADDRESS","features":[511]},{"name":"IMMPID_MP_SCANNED_FOR_CRLF_DOT_CRLF","features":[511]},{"name":"IMMPID_MP_SENDER_ADDRESS","features":[511]},{"name":"IMMPID_MP_SENDER_ADDRESS_LEGACY_EX_DN","features":[511]},{"name":"IMMPID_MP_SENDER_ADDRESS_OTHER","features":[511]},{"name":"IMMPID_MP_SENDER_ADDRESS_SMTP","features":[511]},{"name":"IMMPID_MP_SENDER_ADDRESS_X400","features":[511]},{"name":"IMMPID_MP_SENDER_ADDRESS_X500","features":[511]},{"name":"IMMPID_MP_SERVER_NAME","features":[511]},{"name":"IMMPID_MP_SERVER_VERSION","features":[511]},{"name":"IMMPID_MP_SUPERSEDES_MSG_GUID","features":[511]},{"name":"IMMPID_MP_X_PRIORITY","features":[511]},{"name":"IMMPID_NMP_AFTER__","features":[511]},{"name":"IMMPID_NMP_BEFORE__","features":[511]},{"name":"IMMPID_NMP_ENUM","features":[511]},{"name":"IMMPID_NMP_HEADERS","features":[511]},{"name":"IMMPID_NMP_NEWSGROUP_LIST","features":[511]},{"name":"IMMPID_NMP_NNTP_APPROVED_HEADER","features":[511]},{"name":"IMMPID_NMP_NNTP_PROCESSING","features":[511]},{"name":"IMMPID_NMP_POST_TOKEN","features":[511]},{"name":"IMMPID_NMP_PRIMARY_ARTID","features":[511]},{"name":"IMMPID_NMP_PRIMARY_GROUP","features":[511]},{"name":"IMMPID_NMP_SECONDARY_ARTNUM","features":[511]},{"name":"IMMPID_NMP_SECONDARY_GROUPS","features":[511]},{"name":"IMMPID_RPV_AFTER__","features":[511]},{"name":"IMMPID_RPV_BEFORE__","features":[511]},{"name":"IMMPID_RPV_DONT_DELIVER","features":[511]},{"name":"IMMPID_RPV_ENUM","features":[511]},{"name":"IMMPID_RPV_NO_NAME_COLLISIONS","features":[511]},{"name":"IMMPID_RP_ADDRESS","features":[511]},{"name":"IMMPID_RP_ADDRESS_OTHER","features":[511]},{"name":"IMMPID_RP_ADDRESS_SMTP","features":[511]},{"name":"IMMPID_RP_ADDRESS_TYPE","features":[511]},{"name":"IMMPID_RP_ADDRESS_TYPE_SMTP","features":[511]},{"name":"IMMPID_RP_ADDRESS_X400","features":[511]},{"name":"IMMPID_RP_ADDRESS_X500","features":[511]},{"name":"IMMPID_RP_AFTER__","features":[511]},{"name":"IMMPID_RP_BEFORE__","features":[511]},{"name":"IMMPID_RP_DISPLAY_NAME","features":[511]},{"name":"IMMPID_RP_DOMAIN","features":[511]},{"name":"IMMPID_RP_DSN_NOTIFY_INVALID","features":[511]},{"name":"IMMPID_RP_DSN_NOTIFY_SUCCESS","features":[511]},{"name":"IMMPID_RP_DSN_NOTIFY_VALUE","features":[511]},{"name":"IMMPID_RP_DSN_ORCPT_VALUE","features":[511]},{"name":"IMMPID_RP_DSN_PRE_CAT_ADDRESS","features":[511]},{"name":"IMMPID_RP_ENUM","features":[511]},{"name":"IMMPID_RP_ERROR_CODE","features":[511]},{"name":"IMMPID_RP_ERROR_STRING","features":[511]},{"name":"IMMPID_RP_LEGACY_EX_DN","features":[511]},{"name":"IMMPID_RP_MDB_GUID","features":[511]},{"name":"IMMPID_RP_RECIPIENT_FLAGS","features":[511]},{"name":"IMMPID_RP_SMTP_STATUS_STRING","features":[511]},{"name":"IMMPID_RP_USER_GUID","features":[511]},{"name":"IMMP_MPV_STORE_DRIVER_HANDLE","features":[511]},{"name":"IMultisession","features":[511,359]},{"name":"IMultisessionRandomWrite","features":[511,359]},{"name":"IMultisessionSequential","features":[511,359]},{"name":"IMultisessionSequential2","features":[511,359]},{"name":"IProgressItem","features":[511,359]},{"name":"IProgressItems","features":[511,359]},{"name":"IRawCDImageCreator","features":[511,359]},{"name":"IRawCDImageTrackInfo","features":[511,359]},{"name":"IRedbookDiscMaster","features":[511]},{"name":"IStreamConcatenate","features":[511,359]},{"name":"IStreamInterleave","features":[511,359]},{"name":"IStreamPseudoRandomBased","features":[511,359]},{"name":"IWriteEngine2","features":[511,359]},{"name":"IWriteEngine2EventArgs","features":[511,359]},{"name":"IWriteSpeedDescriptor","features":[511,359]},{"name":"LPMSGSESS","features":[511]},{"name":"MEDIA_BLANK","features":[511]},{"name":"MEDIA_CDDA_CDROM","features":[511]},{"name":"MEDIA_CD_EXTRA","features":[511]},{"name":"MEDIA_CD_I","features":[511]},{"name":"MEDIA_CD_OTHER","features":[511]},{"name":"MEDIA_CD_ROM_XA","features":[511]},{"name":"MEDIA_FLAGS","features":[511]},{"name":"MEDIA_FORMAT_UNUSABLE_BY_IMAPI","features":[511]},{"name":"MEDIA_RW","features":[511]},{"name":"MEDIA_SPECIAL","features":[511]},{"name":"MEDIA_TYPES","features":[511]},{"name":"MEDIA_WRITABLE","features":[511]},{"name":"MPV_INBOUND_CUTOFF_EXCEEDED","features":[511]},{"name":"MPV_WRITE_CONTENT","features":[511]},{"name":"MP_MSGCLASS_DELIVERY_REPORT","features":[511]},{"name":"MP_MSGCLASS_NONDELIVERY_REPORT","features":[511]},{"name":"MP_MSGCLASS_REPLICATION","features":[511]},{"name":"MP_MSGCLASS_SYSTEM","features":[511]},{"name":"MP_STATUS_ABANDON_DELIVERY","features":[511]},{"name":"MP_STATUS_ABORT_DELIVERY","features":[511]},{"name":"MP_STATUS_BAD_MAIL","features":[511]},{"name":"MP_STATUS_CATEGORIZED","features":[511]},{"name":"MP_STATUS_RETRY","features":[511]},{"name":"MP_STATUS_SUBMITTED","features":[511]},{"name":"MP_STATUS_SUCCESS","features":[511]},{"name":"MSDiscMasterObj","features":[511]},{"name":"MSDiscRecorderObj","features":[511]},{"name":"MSEnumDiscRecordersObj","features":[511]},{"name":"MSGCALLRELEASE","features":[511,389]},{"name":"MapStorageSCode","features":[511]},{"name":"MsftDiscFormat2Data","features":[511]},{"name":"MsftDiscFormat2Erase","features":[511]},{"name":"MsftDiscFormat2RawCD","features":[511]},{"name":"MsftDiscFormat2TrackAtOnce","features":[511]},{"name":"MsftDiscMaster2","features":[511]},{"name":"MsftDiscRecorder2","features":[511]},{"name":"MsftFileSystemImage","features":[511]},{"name":"MsftIsoImageManager","features":[511]},{"name":"MsftMultisessionRandomWrite","features":[511]},{"name":"MsftMultisessionSequential","features":[511]},{"name":"MsftRawCDImageCreator","features":[511]},{"name":"MsftStreamConcatenate","features":[511]},{"name":"MsftStreamInterleave","features":[511]},{"name":"MsftStreamPrng001","features":[511]},{"name":"MsftStreamZero","features":[511]},{"name":"MsftWriteEngine2","features":[511]},{"name":"MsftWriteSpeedDescriptor","features":[511]},{"name":"NMP_PROCESS_CONTROL","features":[511]},{"name":"NMP_PROCESS_MODERATOR","features":[511]},{"name":"NMP_PROCESS_POST","features":[511]},{"name":"OpenIMsgOnIStg","features":[511,389,432]},{"name":"OpenIMsgSession","features":[511,359]},{"name":"PlatformEFI","features":[511]},{"name":"PlatformId","features":[511]},{"name":"PlatformMac","features":[511]},{"name":"PlatformPowerPC","features":[511]},{"name":"PlatformX86","features":[511]},{"name":"ProgressItem","features":[511]},{"name":"ProgressItems","features":[511]},{"name":"RECORDER_BURNING","features":[511]},{"name":"RECORDER_CDR","features":[511]},{"name":"RECORDER_CDRW","features":[511]},{"name":"RECORDER_DOING_NOTHING","features":[511]},{"name":"RECORDER_OPENED","features":[511]},{"name":"RECORDER_TYPES","features":[511]},{"name":"RP_DELIVERED","features":[511]},{"name":"RP_DSN_HANDLED","features":[511]},{"name":"RP_DSN_NOTIFY_DELAY","features":[511]},{"name":"RP_DSN_NOTIFY_FAILURE","features":[511]},{"name":"RP_DSN_NOTIFY_INVALID","features":[511]},{"name":"RP_DSN_NOTIFY_MASK","features":[511]},{"name":"RP_DSN_NOTIFY_NEVER","features":[511]},{"name":"RP_DSN_NOTIFY_SUCCESS","features":[511]},{"name":"RP_DSN_SENT_DELAYED","features":[511]},{"name":"RP_DSN_SENT_DELIVERED","features":[511]},{"name":"RP_DSN_SENT_EXPANDED","features":[511]},{"name":"RP_DSN_SENT_NDR","features":[511]},{"name":"RP_DSN_SENT_RELAYED","features":[511]},{"name":"RP_ENPANDED","features":[511]},{"name":"RP_ERROR_CONTEXT_CAT","features":[511]},{"name":"RP_ERROR_CONTEXT_MTA","features":[511]},{"name":"RP_ERROR_CONTEXT_STORE","features":[511]},{"name":"RP_EXPANDED","features":[511]},{"name":"RP_FAILED","features":[511]},{"name":"RP_GENERAL_FAILURE","features":[511]},{"name":"RP_HANDLED","features":[511]},{"name":"RP_RECIP_FLAGS_RESERVED","features":[511]},{"name":"RP_REMOTE_MTA_NO_DSN","features":[511]},{"name":"RP_UNRESOLVED","features":[511]},{"name":"RP_VOLATILE_FLAGS_MASK","features":[511]},{"name":"SPropAttrArray","features":[511]},{"name":"SZ_PROGID_SMTPCAT","features":[511]},{"name":"SetAttribIMsgOnIStg","features":[511,389]},{"name":"tagIMMPID_CPV_STRUCT","features":[511]},{"name":"tagIMMPID_GUIDLIST_ITEM","features":[511]},{"name":"tagIMMPID_MPV_STRUCT","features":[511]},{"name":"tagIMMPID_MP_STRUCT","features":[511]},{"name":"tagIMMPID_NMP_STRUCT","features":[511]},{"name":"tagIMMPID_RPV_STRUCT","features":[511]},{"name":"tagIMMPID_RP_STRUCT","features":[511]}],"512":[{"name":"BindIFilterFromStorage","features":[512,432]},{"name":"BindIFilterFromStream","features":[512,359]},{"name":"CHUNKSTATE","features":[512]},{"name":"CHUNK_BREAKTYPE","features":[512]},{"name":"CHUNK_EOC","features":[512]},{"name":"CHUNK_EOP","features":[512]},{"name":"CHUNK_EOS","features":[512]},{"name":"CHUNK_EOW","features":[512]},{"name":"CHUNK_FILTER_OWNED_VALUE","features":[512]},{"name":"CHUNK_NO_BREAK","features":[512]},{"name":"CHUNK_TEXT","features":[512]},{"name":"CHUNK_VALUE","features":[512]},{"name":"CIADMIN","features":[512]},{"name":"CICAT_ALL_OPENED","features":[512]},{"name":"CICAT_GET_STATE","features":[512]},{"name":"CICAT_NO_QUERY","features":[512]},{"name":"CICAT_READONLY","features":[512]},{"name":"CICAT_STOPPED","features":[512]},{"name":"CICAT_WRITABLE","features":[512]},{"name":"CINULLCATALOG","features":[512]},{"name":"CI_PROVIDER_ALL","features":[512]},{"name":"CI_PROVIDER_INDEXING_SERVICE","features":[512]},{"name":"CI_PROVIDER_MSSEARCH","features":[512]},{"name":"CI_STATE","features":[512]},{"name":"CI_STATE_ANNEALING_MERGE","features":[512]},{"name":"CI_STATE_BATTERY_POLICY","features":[512]},{"name":"CI_STATE_BATTERY_POWER","features":[512]},{"name":"CI_STATE_CONTENT_SCAN_REQUIRED","features":[512]},{"name":"CI_STATE_DELETION_MERGE","features":[512]},{"name":"CI_STATE_HIGH_CPU","features":[512]},{"name":"CI_STATE_HIGH_IO","features":[512]},{"name":"CI_STATE_INDEX_MIGRATION_MERGE","features":[512]},{"name":"CI_STATE_LOW_DISK","features":[512]},{"name":"CI_STATE_LOW_MEMORY","features":[512]},{"name":"CI_STATE_MASTER_MERGE","features":[512]},{"name":"CI_STATE_MASTER_MERGE_PAUSED","features":[512]},{"name":"CI_STATE_READING_USNS","features":[512]},{"name":"CI_STATE_READ_ONLY","features":[512]},{"name":"CI_STATE_RECOVERING","features":[512]},{"name":"CI_STATE_SCANNING","features":[512]},{"name":"CI_STATE_SHADOW_MERGE","features":[512]},{"name":"CI_STATE_STARTING","features":[512]},{"name":"CI_STATE_USER_ACTIVE","features":[512]},{"name":"CI_VERSION_WDS30","features":[512]},{"name":"CI_VERSION_WDS40","features":[512]},{"name":"CI_VERSION_WIN70","features":[512]},{"name":"CLSID_INDEX_SERVER_DSO","features":[512]},{"name":"DBID","features":[512]},{"name":"DBID","features":[512]},{"name":"DBKINDENUM","features":[512]},{"name":"DBKIND_GUID","features":[512]},{"name":"DBKIND_GUID_NAME","features":[512]},{"name":"DBKIND_GUID_PROPID","features":[512]},{"name":"DBKIND_NAME","features":[512]},{"name":"DBKIND_PGUID_NAME","features":[512]},{"name":"DBKIND_PGUID_PROPID","features":[512]},{"name":"DBKIND_PROPID","features":[512]},{"name":"DBPROPSET_CIFRMWRKCORE_EXT","features":[512]},{"name":"DBPROPSET_FSCIFRMWRK_EXT","features":[512]},{"name":"DBPROPSET_MSIDXS_ROWSETEXT","features":[512]},{"name":"DBPROPSET_QUERYEXT","features":[512]},{"name":"DBPROPSET_SESS_QUERYEXT","features":[512]},{"name":"DBPROP_APPLICATION_NAME","features":[512]},{"name":"DBPROP_CATALOGLISTID","features":[512]},{"name":"DBPROP_CI_CATALOG_NAME","features":[512]},{"name":"DBPROP_CI_DEPTHS","features":[512]},{"name":"DBPROP_CI_EXCLUDE_SCOPES","features":[512]},{"name":"DBPROP_CI_INCLUDE_SCOPES","features":[512]},{"name":"DBPROP_CI_PROVIDER","features":[512]},{"name":"DBPROP_CI_QUERY_TYPE","features":[512]},{"name":"DBPROP_CI_SCOPE_FLAGS","features":[512]},{"name":"DBPROP_CI_SECURITY_ID","features":[512]},{"name":"DBPROP_CLIENT_CLSID","features":[512]},{"name":"DBPROP_DEFAULT_EQUALS_BEHAVIOR","features":[512]},{"name":"DBPROP_DEFERCATALOGVERIFICATION","features":[512]},{"name":"DBPROP_DEFERNONINDEXEDTRIMMING","features":[512]},{"name":"DBPROP_DONOTCOMPUTEEXPENSIVEPROPS","features":[512]},{"name":"DBPROP_ENABLEROWSETEVENTS","features":[512]},{"name":"DBPROP_FIRSTROWS","features":[512]},{"name":"DBPROP_FREETEXTANYTERM","features":[512]},{"name":"DBPROP_FREETEXTUSESTEMMING","features":[512]},{"name":"DBPROP_GENERATEPARSETREE","features":[512]},{"name":"DBPROP_GENERICOPTIONS_STRING","features":[512]},{"name":"DBPROP_IGNORENOISEONLYCLAUSES","features":[512]},{"name":"DBPROP_IGNORESBRI","features":[512]},{"name":"DBPROP_MACHINE","features":[512]},{"name":"DBPROP_USECONTENTINDEX","features":[512]},{"name":"DBPROP_USEEXTENDEDDBTYPES","features":[512]},{"name":"DBSETFUNC_ALL","features":[512]},{"name":"DBSETFUNC_DISTINCT","features":[512]},{"name":"DBSETFUNC_NONE","features":[512]},{"name":"FILTERREGION","features":[512]},{"name":"FILTER_E_ACCESS","features":[512]},{"name":"FILTER_E_EMBEDDING_UNAVAILABLE","features":[512]},{"name":"FILTER_E_END_OF_CHUNKS","features":[512]},{"name":"FILTER_E_LINK_UNAVAILABLE","features":[512]},{"name":"FILTER_E_NO_MORE_TEXT","features":[512]},{"name":"FILTER_E_NO_MORE_VALUES","features":[512]},{"name":"FILTER_E_NO_TEXT","features":[512]},{"name":"FILTER_E_NO_VALUES","features":[512]},{"name":"FILTER_E_PASSWORD","features":[512]},{"name":"FILTER_E_UNKNOWNFORMAT","features":[512]},{"name":"FILTER_S_LAST_TEXT","features":[512]},{"name":"FILTER_S_LAST_VALUES","features":[512]},{"name":"FILTER_W_MONIKER_CLIPPED","features":[512]},{"name":"FULLPROPSPEC","features":[512,432]},{"name":"GENERATE_METHOD_EXACT","features":[512]},{"name":"GENERATE_METHOD_INFLECT","features":[512]},{"name":"GENERATE_METHOD_PREFIX","features":[512]},{"name":"IFILTER_FLAGS","features":[512]},{"name":"IFILTER_FLAGS_OLE_PROPERTIES","features":[512]},{"name":"IFILTER_INIT","features":[512]},{"name":"IFILTER_INIT_APPLY_CRAWL_ATTRIBUTES","features":[512]},{"name":"IFILTER_INIT_APPLY_INDEX_ATTRIBUTES","features":[512]},{"name":"IFILTER_INIT_APPLY_OTHER_ATTRIBUTES","features":[512]},{"name":"IFILTER_INIT_CANON_HYPHENS","features":[512]},{"name":"IFILTER_INIT_CANON_PARAGRAPHS","features":[512]},{"name":"IFILTER_INIT_CANON_SPACES","features":[512]},{"name":"IFILTER_INIT_DISABLE_EMBEDDED","features":[512]},{"name":"IFILTER_INIT_EMIT_FORMATTING","features":[512]},{"name":"IFILTER_INIT_FILTER_AGGRESSIVE_BREAK","features":[512]},{"name":"IFILTER_INIT_FILTER_OWNED_VALUE_OK","features":[512]},{"name":"IFILTER_INIT_HARD_LINE_BREAKS","features":[512]},{"name":"IFILTER_INIT_INDEXING_ONLY","features":[512]},{"name":"IFILTER_INIT_SEARCH_LINKS","features":[512]},{"name":"IFilter","features":[512]},{"name":"IPhraseSink","features":[512]},{"name":"LIFF_FORCE_TEXT_FILTER_FALLBACK","features":[512]},{"name":"LIFF_IMPLEMENT_TEXT_FILTER_FALLBACK_POLICY","features":[512]},{"name":"LIFF_LOAD_DEFINED_FILTER","features":[512]},{"name":"LoadIFilter","features":[512]},{"name":"LoadIFilterEx","features":[512]},{"name":"MSIDXSPROP_COMMAND_LOCALE_STRING","features":[512]},{"name":"MSIDXSPROP_MAX_RANK","features":[512]},{"name":"MSIDXSPROP_PARSE_TREE","features":[512]},{"name":"MSIDXSPROP_QUERY_RESTRICTION","features":[512]},{"name":"MSIDXSPROP_RESULTS_FOUND","features":[512]},{"name":"MSIDXSPROP_ROWSETQUERYSTATUS","features":[512]},{"name":"MSIDXSPROP_SAME_SORTORDER_USED","features":[512]},{"name":"MSIDXSPROP_SERVER_NLSVERSION","features":[512]},{"name":"MSIDXSPROP_SERVER_NLSVER_DEFINED","features":[512]},{"name":"MSIDXSPROP_SERVER_VERSION","features":[512]},{"name":"MSIDXSPROP_SERVER_WINVER_MAJOR","features":[512]},{"name":"MSIDXSPROP_SERVER_WINVER_MINOR","features":[512]},{"name":"MSIDXSPROP_WHEREID","features":[512]},{"name":"NOT_AN_ERROR","features":[512]},{"name":"PID_FILENAME","features":[512]},{"name":"PROPID_QUERY_ALL","features":[512]},{"name":"PROPID_QUERY_HITCOUNT","features":[512]},{"name":"PROPID_QUERY_LASTSEENTIME","features":[512]},{"name":"PROPID_QUERY_RANK","features":[512]},{"name":"PROPID_QUERY_RANKVECTOR","features":[512]},{"name":"PROPID_QUERY_UNFILTERED","features":[512]},{"name":"PROPID_QUERY_VIRTUALPATH","features":[512]},{"name":"PROPID_QUERY_WORKID","features":[512]},{"name":"PROPID_STG_CONTENTS","features":[512]},{"name":"PROXIMITY_UNIT_CHAPTER","features":[512]},{"name":"PROXIMITY_UNIT_PARAGRAPH","features":[512]},{"name":"PROXIMITY_UNIT_SENTENCE","features":[512]},{"name":"PROXIMITY_UNIT_WORD","features":[512]},{"name":"PSGUID_FILENAME","features":[512]},{"name":"QUERY_DEEP","features":[512]},{"name":"QUERY_PHYSICAL_PATH","features":[512]},{"name":"QUERY_SHALLOW","features":[512]},{"name":"QUERY_VIRTUAL_PATH","features":[512]},{"name":"SCOPE_FLAG_DEEP","features":[512]},{"name":"SCOPE_FLAG_INCLUDE","features":[512]},{"name":"SCOPE_FLAG_MASK","features":[512]},{"name":"SCOPE_TYPE_MASK","features":[512]},{"name":"SCOPE_TYPE_VPATH","features":[512]},{"name":"SCOPE_TYPE_WINPATH","features":[512]},{"name":"STAT_BUSY","features":[512]},{"name":"STAT_CHUNK","features":[512,432]},{"name":"STAT_COALESCE_COMP_ALL_NOISE","features":[512]},{"name":"STAT_CONTENT_OUT_OF_DATE","features":[512]},{"name":"STAT_CONTENT_QUERY_INCOMPLETE","features":[512]},{"name":"STAT_DONE","features":[512]},{"name":"STAT_ERROR","features":[512]},{"name":"STAT_MISSING_PROP_IN_RELDOC","features":[512]},{"name":"STAT_MISSING_RELDOC","features":[512]},{"name":"STAT_NOISE_WORDS","features":[512]},{"name":"STAT_PARTIAL_SCOPE","features":[512]},{"name":"STAT_REFRESH","features":[512]},{"name":"STAT_REFRESH_INCOMPLETE","features":[512]},{"name":"STAT_RELDOC_ACCESS_DENIED","features":[512]},{"name":"STAT_SHARING_VIOLATION","features":[512]},{"name":"STAT_TIME_LIMIT_EXCEEDED","features":[512]},{"name":"VECTOR_RANK_DICE","features":[512]},{"name":"VECTOR_RANK_INNER","features":[512]},{"name":"VECTOR_RANK_JACCARD","features":[512]},{"name":"VECTOR_RANK_MAX","features":[512]},{"name":"VECTOR_RANK_MIN","features":[512]},{"name":"WORDREP_BREAK_EOC","features":[512]},{"name":"WORDREP_BREAK_EOP","features":[512]},{"name":"WORDREP_BREAK_EOS","features":[512]},{"name":"WORDREP_BREAK_EOW","features":[512]},{"name":"WORDREP_BREAK_TYPE","features":[512]}],"513":[{"name":"FILTER_AGGREGATE_BASIC_INFORMATION","features":[331]},{"name":"FILTER_AGGREGATE_STANDARD_INFORMATION","features":[331]},{"name":"FILTER_FULL_INFORMATION","features":[331]},{"name":"FILTER_INFORMATION_CLASS","features":[331]},{"name":"FILTER_MESSAGE_HEADER","features":[331]},{"name":"FILTER_NAME_MAX_CHARS","features":[331]},{"name":"FILTER_REPLY_HEADER","features":[308,331]},{"name":"FILTER_VOLUME_BASIC_INFORMATION","features":[331]},{"name":"FILTER_VOLUME_INFORMATION_CLASS","features":[331]},{"name":"FILTER_VOLUME_STANDARD_INFORMATION","features":[331]},{"name":"FLTFL_AGGREGATE_INFO_IS_LEGACYFILTER","features":[331]},{"name":"FLTFL_AGGREGATE_INFO_IS_MINIFILTER","features":[331]},{"name":"FLTFL_ASI_IS_LEGACYFILTER","features":[331]},{"name":"FLTFL_ASI_IS_MINIFILTER","features":[331]},{"name":"FLTFL_IASIL_DETACHED_VOLUME","features":[331]},{"name":"FLTFL_IASIM_DETACHED_VOLUME","features":[331]},{"name":"FLTFL_IASI_IS_LEGACYFILTER","features":[331]},{"name":"FLTFL_IASI_IS_MINIFILTER","features":[331]},{"name":"FLTFL_VSI_DETACHED_VOLUME","features":[331]},{"name":"FLT_FILESYSTEM_TYPE","features":[331]},{"name":"FLT_FSTYPE_BSUDF","features":[331]},{"name":"FLT_FSTYPE_CDFS","features":[331]},{"name":"FLT_FSTYPE_CIMFS","features":[331]},{"name":"FLT_FSTYPE_CSVFS","features":[331]},{"name":"FLT_FSTYPE_EXFAT","features":[331]},{"name":"FLT_FSTYPE_FAT","features":[331]},{"name":"FLT_FSTYPE_FS_REC","features":[331]},{"name":"FLT_FSTYPE_GPFS","features":[331]},{"name":"FLT_FSTYPE_INCD","features":[331]},{"name":"FLT_FSTYPE_INCD_FAT","features":[331]},{"name":"FLT_FSTYPE_LANMAN","features":[331]},{"name":"FLT_FSTYPE_MSFS","features":[331]},{"name":"FLT_FSTYPE_MS_NETWARE","features":[331]},{"name":"FLT_FSTYPE_MUP","features":[331]},{"name":"FLT_FSTYPE_NETWARE","features":[331]},{"name":"FLT_FSTYPE_NFS","features":[331]},{"name":"FLT_FSTYPE_NPFS","features":[331]},{"name":"FLT_FSTYPE_NTFS","features":[331]},{"name":"FLT_FSTYPE_OPENAFS","features":[331]},{"name":"FLT_FSTYPE_PSFS","features":[331]},{"name":"FLT_FSTYPE_RAW","features":[331]},{"name":"FLT_FSTYPE_RDPDR","features":[331]},{"name":"FLT_FSTYPE_REFS","features":[331]},{"name":"FLT_FSTYPE_ROXIO_UDF1","features":[331]},{"name":"FLT_FSTYPE_ROXIO_UDF2","features":[331]},{"name":"FLT_FSTYPE_ROXIO_UDF3","features":[331]},{"name":"FLT_FSTYPE_RSFX","features":[331]},{"name":"FLT_FSTYPE_TACIT","features":[331]},{"name":"FLT_FSTYPE_UDFS","features":[331]},{"name":"FLT_FSTYPE_UNKNOWN","features":[331]},{"name":"FLT_FSTYPE_WEBDAV","features":[331]},{"name":"FLT_PORT_FLAG_SYNC_HANDLE","features":[331]},{"name":"FilterAggregateBasicInformation","features":[331]},{"name":"FilterAggregateStandardInformation","features":[331]},{"name":"FilterAttach","features":[331]},{"name":"FilterAttachAtAltitude","features":[331]},{"name":"FilterClose","features":[331]},{"name":"FilterConnectCommunicationPort","features":[308,311,331]},{"name":"FilterCreate","features":[331]},{"name":"FilterDetach","features":[331]},{"name":"FilterFindClose","features":[308,331]},{"name":"FilterFindFirst","features":[308,331]},{"name":"FilterFindNext","features":[308,331]},{"name":"FilterFullInformation","features":[331]},{"name":"FilterGetDosName","features":[331]},{"name":"FilterGetInformation","features":[331]},{"name":"FilterGetMessage","features":[308,331,313]},{"name":"FilterInstanceClose","features":[331]},{"name":"FilterInstanceCreate","features":[331]},{"name":"FilterInstanceFindClose","features":[308,331]},{"name":"FilterInstanceFindFirst","features":[308,331]},{"name":"FilterInstanceFindNext","features":[308,331]},{"name":"FilterInstanceGetInformation","features":[331]},{"name":"FilterLoad","features":[331]},{"name":"FilterReplyMessage","features":[308,331]},{"name":"FilterSendMessage","features":[308,331]},{"name":"FilterUnload","features":[331]},{"name":"FilterVolumeBasicInformation","features":[331]},{"name":"FilterVolumeFindClose","features":[308,331]},{"name":"FilterVolumeFindFirst","features":[308,331]},{"name":"FilterVolumeFindNext","features":[308,331]},{"name":"FilterVolumeInstanceFindClose","features":[308,331]},{"name":"FilterVolumeInstanceFindFirst","features":[308,331]},{"name":"FilterVolumeInstanceFindNext","features":[308,331]},{"name":"FilterVolumeStandardInformation","features":[331]},{"name":"HFILTER","features":[331]},{"name":"HFILTER_INSTANCE","features":[331]},{"name":"INSTANCE_AGGREGATE_STANDARD_INFORMATION","features":[331]},{"name":"INSTANCE_BASIC_INFORMATION","features":[331]},{"name":"INSTANCE_FULL_INFORMATION","features":[331]},{"name":"INSTANCE_INFORMATION_CLASS","features":[331]},{"name":"INSTANCE_NAME_MAX_CHARS","features":[331]},{"name":"INSTANCE_PARTIAL_INFORMATION","features":[331]},{"name":"InstanceAggregateStandardInformation","features":[331]},{"name":"InstanceBasicInformation","features":[331]},{"name":"InstanceFullInformation","features":[331]},{"name":"InstancePartialInformation","features":[331]},{"name":"VOLUME_NAME_MAX_CHARS","features":[331]},{"name":"WNNC_CRED_MANAGER","features":[331]},{"name":"WNNC_NET_10NET","features":[331]},{"name":"WNNC_NET_3IN1","features":[331]},{"name":"WNNC_NET_9P","features":[331]},{"name":"WNNC_NET_9TILES","features":[331]},{"name":"WNNC_NET_APPLETALK","features":[331]},{"name":"WNNC_NET_AS400","features":[331]},{"name":"WNNC_NET_AURISTOR_FS","features":[331]},{"name":"WNNC_NET_AVID","features":[331]},{"name":"WNNC_NET_AVID1","features":[331]},{"name":"WNNC_NET_BMC","features":[331]},{"name":"WNNC_NET_BWNFS","features":[331]},{"name":"WNNC_NET_CLEARCASE","features":[331]},{"name":"WNNC_NET_COGENT","features":[331]},{"name":"WNNC_NET_CSC","features":[331]},{"name":"WNNC_NET_DAV","features":[331]},{"name":"WNNC_NET_DCE","features":[331]},{"name":"WNNC_NET_DECORB","features":[331]},{"name":"WNNC_NET_DFS","features":[331]},{"name":"WNNC_NET_DISTINCT","features":[331]},{"name":"WNNC_NET_DOCUSHARE","features":[331]},{"name":"WNNC_NET_DOCUSPACE","features":[331]},{"name":"WNNC_NET_DRIVEONWEB","features":[331]},{"name":"WNNC_NET_EXIFS","features":[331]},{"name":"WNNC_NET_EXTENDNET","features":[331]},{"name":"WNNC_NET_FARALLON","features":[331]},{"name":"WNNC_NET_FJ_REDIR","features":[331]},{"name":"WNNC_NET_FOXBAT","features":[331]},{"name":"WNNC_NET_FRONTIER","features":[331]},{"name":"WNNC_NET_FTP_NFS","features":[331]},{"name":"WNNC_NET_GOOGLE","features":[331]},{"name":"WNNC_NET_HOB_NFS","features":[331]},{"name":"WNNC_NET_IBMAL","features":[331]},{"name":"WNNC_NET_INTERGRAPH","features":[331]},{"name":"WNNC_NET_KNOWARE","features":[331]},{"name":"WNNC_NET_KWNP","features":[331]},{"name":"WNNC_NET_LANMAN","features":[331]},{"name":"WNNC_NET_LANSTEP","features":[331]},{"name":"WNNC_NET_LANTASTIC","features":[331]},{"name":"WNNC_NET_LIFENET","features":[331]},{"name":"WNNC_NET_LOCK","features":[331]},{"name":"WNNC_NET_LOCUS","features":[331]},{"name":"WNNC_NET_MANGOSOFT","features":[331]},{"name":"WNNC_NET_MASFAX","features":[331]},{"name":"WNNC_NET_MFILES","features":[331]},{"name":"WNNC_NET_MSNET","features":[331]},{"name":"WNNC_NET_MS_NFS","features":[331]},{"name":"WNNC_NET_NDFS","features":[331]},{"name":"WNNC_NET_NETWARE","features":[331]},{"name":"WNNC_NET_OBJECT_DIRE","features":[331]},{"name":"WNNC_NET_OPENAFS","features":[331]},{"name":"WNNC_NET_PATHWORKS","features":[331]},{"name":"WNNC_NET_POWERLAN","features":[331]},{"name":"WNNC_NET_PROTSTOR","features":[331]},{"name":"WNNC_NET_QUINCY","features":[331]},{"name":"WNNC_NET_RDR2SAMPLE","features":[331]},{"name":"WNNC_NET_RIVERFRONT1","features":[331]},{"name":"WNNC_NET_RIVERFRONT2","features":[331]},{"name":"WNNC_NET_RSFX","features":[331]},{"name":"WNNC_NET_SECUREAGENT","features":[331]},{"name":"WNNC_NET_SERNET","features":[331]},{"name":"WNNC_NET_SHIVA","features":[331]},{"name":"WNNC_NET_SMB","features":[331]},{"name":"WNNC_NET_SRT","features":[331]},{"name":"WNNC_NET_STAC","features":[331]},{"name":"WNNC_NET_SUN_PC_NFS","features":[331]},{"name":"WNNC_NET_SYMFONET","features":[331]},{"name":"WNNC_NET_TERMSRV","features":[331]},{"name":"WNNC_NET_TWINS","features":[331]},{"name":"WNNC_NET_VINES","features":[331]},{"name":"WNNC_NET_VMWARE","features":[331]},{"name":"WNNC_NET_YAHOO","features":[331]},{"name":"WNNC_NET_ZENWORKS","features":[331]}],"514":[{"name":"ATA_FLAGS_48BIT_COMMAND","features":[339]},{"name":"ATA_FLAGS_DATA_IN","features":[339]},{"name":"ATA_FLAGS_DATA_OUT","features":[339]},{"name":"ATA_FLAGS_DRDY_REQUIRED","features":[339]},{"name":"ATA_FLAGS_NO_MULTIPLE","features":[339]},{"name":"ATA_FLAGS_USE_DMA","features":[339]},{"name":"ATA_PASS_THROUGH_DIRECT","features":[339]},{"name":"ATA_PASS_THROUGH_DIRECT32","features":[339]},{"name":"ATA_PASS_THROUGH_EX","features":[339]},{"name":"ATA_PASS_THROUGH_EX32","features":[339]},{"name":"AddISNSServerA","features":[339]},{"name":"AddISNSServerW","features":[339]},{"name":"AddIScsiConnectionA","features":[339]},{"name":"AddIScsiConnectionW","features":[339]},{"name":"AddIScsiSendTargetPortalA","features":[339]},{"name":"AddIScsiSendTargetPortalW","features":[339]},{"name":"AddIScsiStaticTargetA","features":[308,339]},{"name":"AddIScsiStaticTargetW","features":[308,339]},{"name":"AddPersistentIScsiDeviceA","features":[339]},{"name":"AddPersistentIScsiDeviceW","features":[339]},{"name":"AddRadiusServerA","features":[339]},{"name":"AddRadiusServerW","features":[339]},{"name":"ClearPersistentIScsiDevices","features":[339]},{"name":"DD_SCSI_DEVICE_NAME","features":[339]},{"name":"DSM_NOTIFICATION_REQUEST_BLOCK","features":[339]},{"name":"DUMP_DRIVER","features":[339]},{"name":"DUMP_DRIVER_EX","features":[339]},{"name":"DUMP_DRIVER_NAME_LENGTH","features":[339]},{"name":"DUMP_EX_FLAG_DRIVER_FULL_PATH_SUPPORT","features":[339]},{"name":"DUMP_EX_FLAG_RESUME_SUPPORT","features":[339]},{"name":"DUMP_EX_FLAG_SUPPORT_64BITMEMORY","features":[339]},{"name":"DUMP_EX_FLAG_SUPPORT_DD_TELEMETRY","features":[339]},{"name":"DUMP_POINTERS","features":[308,339]},{"name":"DUMP_POINTERS_EX","features":[308,339]},{"name":"DUMP_POINTERS_VERSION","features":[339]},{"name":"DUMP_POINTERS_VERSION_1","features":[339]},{"name":"DUMP_POINTERS_VERSION_2","features":[339]},{"name":"DUMP_POINTERS_VERSION_3","features":[339]},{"name":"DUMP_POINTERS_VERSION_4","features":[339]},{"name":"DiscoveryMechanisms","features":[339]},{"name":"FILE_DEVICE_SCSI","features":[339]},{"name":"FIRMWARE_FUNCTION_ACTIVATE","features":[339]},{"name":"FIRMWARE_FUNCTION_DOWNLOAD","features":[339]},{"name":"FIRMWARE_FUNCTION_GET_INFO","features":[339]},{"name":"FIRMWARE_REQUEST_BLOCK","features":[339]},{"name":"FIRMWARE_REQUEST_BLOCK_STRUCTURE_VERSION","features":[339]},{"name":"FIRMWARE_REQUEST_FLAG_CONTROLLER","features":[339]},{"name":"FIRMWARE_REQUEST_FLAG_FIRST_SEGMENT","features":[339]},{"name":"FIRMWARE_REQUEST_FLAG_LAST_SEGMENT","features":[339]},{"name":"FIRMWARE_REQUEST_FLAG_REPLACE_EXISTING_IMAGE","features":[339]},{"name":"FIRMWARE_REQUEST_FLAG_SWITCH_TO_EXISTING_FIRMWARE","features":[339]},{"name":"FIRMWARE_STATUS_COMMAND_ABORT","features":[339]},{"name":"FIRMWARE_STATUS_CONTROLLER_ERROR","features":[339]},{"name":"FIRMWARE_STATUS_DEVICE_ERROR","features":[339]},{"name":"FIRMWARE_STATUS_END_OF_MEDIA","features":[339]},{"name":"FIRMWARE_STATUS_ERROR","features":[339]},{"name":"FIRMWARE_STATUS_ID_NOT_FOUND","features":[339]},{"name":"FIRMWARE_STATUS_ILLEGAL_LENGTH","features":[339]},{"name":"FIRMWARE_STATUS_ILLEGAL_REQUEST","features":[339]},{"name":"FIRMWARE_STATUS_INPUT_BUFFER_TOO_BIG","features":[339]},{"name":"FIRMWARE_STATUS_INTERFACE_CRC_ERROR","features":[339]},{"name":"FIRMWARE_STATUS_INVALID_IMAGE","features":[339]},{"name":"FIRMWARE_STATUS_INVALID_PARAMETER","features":[339]},{"name":"FIRMWARE_STATUS_INVALID_SLOT","features":[339]},{"name":"FIRMWARE_STATUS_MEDIA_CHANGE","features":[339]},{"name":"FIRMWARE_STATUS_MEDIA_CHANGE_REQUEST","features":[339]},{"name":"FIRMWARE_STATUS_OUTPUT_BUFFER_TOO_SMALL","features":[339]},{"name":"FIRMWARE_STATUS_POWER_CYCLE_REQUIRED","features":[339]},{"name":"FIRMWARE_STATUS_SUCCESS","features":[339]},{"name":"FIRMWARE_STATUS_UNCORRECTABLE_DATA_ERROR","features":[339]},{"name":"GetDevicesForIScsiSessionA","features":[339,328]},{"name":"GetDevicesForIScsiSessionW","features":[339,328]},{"name":"GetIScsiIKEInfoA","features":[339]},{"name":"GetIScsiIKEInfoW","features":[339]},{"name":"GetIScsiInitiatorNodeNameA","features":[339]},{"name":"GetIScsiInitiatorNodeNameW","features":[339]},{"name":"GetIScsiSessionListA","features":[339]},{"name":"GetIScsiSessionListEx","features":[308,339]},{"name":"GetIScsiSessionListW","features":[339]},{"name":"GetIScsiTargetInformationA","features":[339]},{"name":"GetIScsiTargetInformationW","features":[339]},{"name":"GetIScsiVersionInformation","features":[339]},{"name":"HYBRID_DEMOTE_BY_SIZE","features":[339]},{"name":"HYBRID_DIRTY_THRESHOLDS","features":[339]},{"name":"HYBRID_FUNCTION_DEMOTE_BY_SIZE","features":[339]},{"name":"HYBRID_FUNCTION_DISABLE_CACHING_MEDIUM","features":[339]},{"name":"HYBRID_FUNCTION_ENABLE_CACHING_MEDIUM","features":[339]},{"name":"HYBRID_FUNCTION_GET_INFO","features":[339]},{"name":"HYBRID_FUNCTION_SET_DIRTY_THRESHOLD","features":[339]},{"name":"HYBRID_INFORMATION","features":[308,339]},{"name":"HYBRID_REQUEST_BLOCK","features":[339]},{"name":"HYBRID_REQUEST_BLOCK_STRUCTURE_VERSION","features":[339]},{"name":"HYBRID_REQUEST_INFO_STRUCTURE_VERSION","features":[339]},{"name":"HYBRID_STATUS_ENABLE_REFCOUNT_HOLD","features":[339]},{"name":"HYBRID_STATUS_ILLEGAL_REQUEST","features":[339]},{"name":"HYBRID_STATUS_INVALID_PARAMETER","features":[339]},{"name":"HYBRID_STATUS_OUTPUT_BUFFER_TOO_SMALL","features":[339]},{"name":"HYBRID_STATUS_SUCCESS","features":[339]},{"name":"IDE_IO_CONTROL","features":[339]},{"name":"ID_FQDN","features":[339]},{"name":"ID_IPV4_ADDR","features":[339]},{"name":"ID_IPV6_ADDR","features":[339]},{"name":"ID_USER_FQDN","features":[339]},{"name":"IKE_AUTHENTICATION_INFORMATION","features":[339]},{"name":"IKE_AUTHENTICATION_METHOD","features":[339]},{"name":"IKE_AUTHENTICATION_PRESHARED_KEY","features":[339]},{"name":"IKE_AUTHENTICATION_PRESHARED_KEY_METHOD","features":[339]},{"name":"IOCTL_ATA_MINIPORT","features":[339]},{"name":"IOCTL_ATA_PASS_THROUGH","features":[339]},{"name":"IOCTL_ATA_PASS_THROUGH_DIRECT","features":[339]},{"name":"IOCTL_IDE_PASS_THROUGH","features":[339]},{"name":"IOCTL_MINIPORT_PROCESS_SERVICE_IRP","features":[339]},{"name":"IOCTL_MINIPORT_SIGNATURE_DSM_GENERAL","features":[339]},{"name":"IOCTL_MINIPORT_SIGNATURE_DSM_NOTIFICATION","features":[339]},{"name":"IOCTL_MINIPORT_SIGNATURE_ENDURANCE_INFO","features":[339]},{"name":"IOCTL_MINIPORT_SIGNATURE_FIRMWARE","features":[339]},{"name":"IOCTL_MINIPORT_SIGNATURE_HYBRDISK","features":[339]},{"name":"IOCTL_MINIPORT_SIGNATURE_QUERY_PHYSICAL_TOPOLOGY","features":[339]},{"name":"IOCTL_MINIPORT_SIGNATURE_QUERY_PROTOCOL","features":[339]},{"name":"IOCTL_MINIPORT_SIGNATURE_QUERY_TEMPERATURE","features":[339]},{"name":"IOCTL_MINIPORT_SIGNATURE_SCSIDISK","features":[339]},{"name":"IOCTL_MINIPORT_SIGNATURE_SET_PROTOCOL","features":[339]},{"name":"IOCTL_MINIPORT_SIGNATURE_SET_TEMPERATURE_THRESHOLD","features":[339]},{"name":"IOCTL_MPIO_PASS_THROUGH_PATH","features":[339]},{"name":"IOCTL_MPIO_PASS_THROUGH_PATH_DIRECT","features":[339]},{"name":"IOCTL_MPIO_PASS_THROUGH_PATH_DIRECT_EX","features":[339]},{"name":"IOCTL_MPIO_PASS_THROUGH_PATH_EX","features":[339]},{"name":"IOCTL_SCSI_BASE","features":[339]},{"name":"IOCTL_SCSI_FREE_DUMP_POINTERS","features":[339]},{"name":"IOCTL_SCSI_GET_ADDRESS","features":[339]},{"name":"IOCTL_SCSI_GET_CAPABILITIES","features":[339]},{"name":"IOCTL_SCSI_GET_DUMP_POINTERS","features":[339]},{"name":"IOCTL_SCSI_GET_INQUIRY_DATA","features":[339]},{"name":"IOCTL_SCSI_MINIPORT","features":[339]},{"name":"IOCTL_SCSI_PASS_THROUGH","features":[339]},{"name":"IOCTL_SCSI_PASS_THROUGH_DIRECT","features":[339]},{"name":"IOCTL_SCSI_PASS_THROUGH_DIRECT_EX","features":[339]},{"name":"IOCTL_SCSI_PASS_THROUGH_EX","features":[339]},{"name":"IOCTL_SCSI_RESCAN_BUS","features":[339]},{"name":"IO_SCSI_CAPABILITIES","features":[308,339]},{"name":"ISCSI_AUTH_TYPES","features":[339]},{"name":"ISCSI_CHAP_AUTH_TYPE","features":[339]},{"name":"ISCSI_CONNECTION_INFOA","features":[339]},{"name":"ISCSI_CONNECTION_INFOW","features":[339]},{"name":"ISCSI_CONNECTION_INFO_EX","features":[339]},{"name":"ISCSI_DEVICE_ON_SESSIONA","features":[339,328]},{"name":"ISCSI_DEVICE_ON_SESSIONW","features":[339,328]},{"name":"ISCSI_DIGEST_TYPES","features":[339]},{"name":"ISCSI_DIGEST_TYPE_CRC32C","features":[339]},{"name":"ISCSI_DIGEST_TYPE_NONE","features":[339]},{"name":"ISCSI_LOGIN_FLAG_ALLOW_PORTAL_HOPPING","features":[339]},{"name":"ISCSI_LOGIN_FLAG_MULTIPATH_ENABLED","features":[339]},{"name":"ISCSI_LOGIN_FLAG_REQUIRE_IPSEC","features":[339]},{"name":"ISCSI_LOGIN_FLAG_RESERVED1","features":[339]},{"name":"ISCSI_LOGIN_FLAG_USE_RADIUS_RESPONSE","features":[339]},{"name":"ISCSI_LOGIN_FLAG_USE_RADIUS_VERIFICATION","features":[339]},{"name":"ISCSI_LOGIN_OPTIONS","features":[339]},{"name":"ISCSI_LOGIN_OPTIONS_AUTH_TYPE","features":[339]},{"name":"ISCSI_LOGIN_OPTIONS_DATA_DIGEST","features":[339]},{"name":"ISCSI_LOGIN_OPTIONS_DEFAULT_TIME_2_RETAIN","features":[339]},{"name":"ISCSI_LOGIN_OPTIONS_DEFAULT_TIME_2_WAIT","features":[339]},{"name":"ISCSI_LOGIN_OPTIONS_HEADER_DIGEST","features":[339]},{"name":"ISCSI_LOGIN_OPTIONS_MAXIMUM_CONNECTIONS","features":[339]},{"name":"ISCSI_LOGIN_OPTIONS_PASSWORD","features":[339]},{"name":"ISCSI_LOGIN_OPTIONS_USERNAME","features":[339]},{"name":"ISCSI_LOGIN_OPTIONS_VERSION","features":[339]},{"name":"ISCSI_MUTUAL_CHAP_AUTH_TYPE","features":[339]},{"name":"ISCSI_NO_AUTH_TYPE","features":[339]},{"name":"ISCSI_SECURITY_FLAG_AGGRESSIVE_MODE_ENABLED","features":[339]},{"name":"ISCSI_SECURITY_FLAG_IKE_IPSEC_ENABLED","features":[339]},{"name":"ISCSI_SECURITY_FLAG_MAIN_MODE_ENABLED","features":[339]},{"name":"ISCSI_SECURITY_FLAG_PFS_ENABLED","features":[339]},{"name":"ISCSI_SECURITY_FLAG_TRANSPORT_MODE_PREFERRED","features":[339]},{"name":"ISCSI_SECURITY_FLAG_TUNNEL_MODE_PREFERRED","features":[339]},{"name":"ISCSI_SECURITY_FLAG_VALID","features":[339]},{"name":"ISCSI_SESSION_INFOA","features":[339]},{"name":"ISCSI_SESSION_INFOW","features":[339]},{"name":"ISCSI_SESSION_INFO_EX","features":[308,339]},{"name":"ISCSI_TARGET_FLAG_HIDE_STATIC_TARGET","features":[339]},{"name":"ISCSI_TARGET_FLAG_MERGE_TARGET_INFORMATION","features":[339]},{"name":"ISCSI_TARGET_MAPPINGA","features":[339]},{"name":"ISCSI_TARGET_MAPPINGW","features":[339]},{"name":"ISCSI_TARGET_PORTALA","features":[339]},{"name":"ISCSI_TARGET_PORTALW","features":[339]},{"name":"ISCSI_TARGET_PORTAL_GROUPA","features":[339]},{"name":"ISCSI_TARGET_PORTAL_GROUPW","features":[339]},{"name":"ISCSI_TARGET_PORTAL_INFOA","features":[339]},{"name":"ISCSI_TARGET_PORTAL_INFOW","features":[339]},{"name":"ISCSI_TARGET_PORTAL_INFO_EXA","features":[339]},{"name":"ISCSI_TARGET_PORTAL_INFO_EXW","features":[339]},{"name":"ISCSI_TCP_PROTOCOL_TYPE","features":[339]},{"name":"ISCSI_UNIQUE_SESSION_ID","features":[339]},{"name":"ISCSI_VERSION_INFO","features":[339]},{"name":"InitiatorName","features":[339]},{"name":"LoginIScsiTargetA","features":[308,339]},{"name":"LoginIScsiTargetW","features":[308,339]},{"name":"LoginOptions","features":[339]},{"name":"LogoutIScsiTarget","features":[339]},{"name":"MAX_ISCSI_ALIAS_LEN","features":[339]},{"name":"MAX_ISCSI_DISCOVERY_DOMAIN_LEN","features":[339]},{"name":"MAX_ISCSI_HBANAME_LEN","features":[339]},{"name":"MAX_ISCSI_NAME_LEN","features":[339]},{"name":"MAX_ISCSI_PORTAL_ADDRESS_LEN","features":[339]},{"name":"MAX_ISCSI_PORTAL_ALIAS_LEN","features":[339]},{"name":"MAX_ISCSI_PORTAL_NAME_LEN","features":[339]},{"name":"MAX_ISCSI_TEXT_ADDRESS_LEN","features":[339]},{"name":"MAX_RADIUS_ADDRESS_LEN","features":[339]},{"name":"MINIPORT_DSM_NOTIFICATION_VERSION","features":[339]},{"name":"MINIPORT_DSM_NOTIFICATION_VERSION_1","features":[339]},{"name":"MINIPORT_DSM_NOTIFY_FLAG_BEGIN","features":[339]},{"name":"MINIPORT_DSM_NOTIFY_FLAG_END","features":[339]},{"name":"MINIPORT_DSM_PROFILE_CRASHDUMP_FILE","features":[339]},{"name":"MINIPORT_DSM_PROFILE_HIBERNATION_FILE","features":[339]},{"name":"MINIPORT_DSM_PROFILE_PAGE_FILE","features":[339]},{"name":"MINIPORT_DSM_PROFILE_UNKNOWN","features":[339]},{"name":"MPIO_IOCTL_FLAG_INVOLVE_DSM","features":[339]},{"name":"MPIO_IOCTL_FLAG_USE_PATHID","features":[339]},{"name":"MPIO_IOCTL_FLAG_USE_SCSIADDRESS","features":[339]},{"name":"MPIO_PASS_THROUGH_PATH","features":[339]},{"name":"MPIO_PASS_THROUGH_PATH32","features":[339]},{"name":"MPIO_PASS_THROUGH_PATH32_EX","features":[339]},{"name":"MPIO_PASS_THROUGH_PATH_DIRECT","features":[339]},{"name":"MPIO_PASS_THROUGH_PATH_DIRECT32","features":[339]},{"name":"MPIO_PASS_THROUGH_PATH_DIRECT32_EX","features":[339]},{"name":"MPIO_PASS_THROUGH_PATH_DIRECT_EX","features":[339]},{"name":"MPIO_PASS_THROUGH_PATH_EX","features":[339]},{"name":"MP_DEVICE_DATA_SET_RANGE","features":[339]},{"name":"MP_STORAGE_DIAGNOSTIC_LEVEL","features":[339]},{"name":"MP_STORAGE_DIAGNOSTIC_TARGET_TYPE","features":[339]},{"name":"MpStorageDiagnosticLevelDefault","features":[339]},{"name":"MpStorageDiagnosticLevelMax","features":[339]},{"name":"MpStorageDiagnosticTargetTypeHbaFirmware","features":[339]},{"name":"MpStorageDiagnosticTargetTypeMax","features":[339]},{"name":"MpStorageDiagnosticTargetTypeMiniport","features":[339]},{"name":"MpStorageDiagnosticTargetTypeUndefined","features":[339]},{"name":"NRB_FUNCTION_ADD_LBAS_PINNED_SET","features":[339]},{"name":"NRB_FUNCTION_FLUSH_NVCACHE","features":[339]},{"name":"NRB_FUNCTION_NVCACHE_INFO","features":[339]},{"name":"NRB_FUNCTION_NVCACHE_POWER_MODE_RETURN","features":[339]},{"name":"NRB_FUNCTION_NVCACHE_POWER_MODE_SET","features":[339]},{"name":"NRB_FUNCTION_NVSEPARATED_FLUSH","features":[339]},{"name":"NRB_FUNCTION_NVSEPARATED_INFO","features":[339]},{"name":"NRB_FUNCTION_NVSEPARATED_WB_DISABLE","features":[339]},{"name":"NRB_FUNCTION_NVSEPARATED_WB_REVERT_DEFAULT","features":[339]},{"name":"NRB_FUNCTION_PASS_HINT_PAYLOAD","features":[339]},{"name":"NRB_FUNCTION_QUERY_ASCENDER_STATUS","features":[339]},{"name":"NRB_FUNCTION_QUERY_CACHE_MISS","features":[339]},{"name":"NRB_FUNCTION_QUERY_HYBRID_DISK_STATUS","features":[339]},{"name":"NRB_FUNCTION_QUERY_PINNED_SET","features":[339]},{"name":"NRB_FUNCTION_REMOVE_LBAS_PINNED_SET","features":[339]},{"name":"NRB_FUNCTION_SPINDLE_STATUS","features":[339]},{"name":"NRB_ILLEGAL_REQUEST","features":[339]},{"name":"NRB_INPUT_DATA_OVERRUN","features":[339]},{"name":"NRB_INPUT_DATA_UNDERRUN","features":[339]},{"name":"NRB_INVALID_PARAMETER","features":[339]},{"name":"NRB_OUTPUT_DATA_OVERRUN","features":[339]},{"name":"NRB_OUTPUT_DATA_UNDERRUN","features":[339]},{"name":"NRB_SUCCESS","features":[339]},{"name":"NTSCSI_UNICODE_STRING","features":[339]},{"name":"NVCACHE_HINT_PAYLOAD","features":[339]},{"name":"NVCACHE_PRIORITY_LEVEL_DESCRIPTOR","features":[339]},{"name":"NVCACHE_REQUEST_BLOCK","features":[339]},{"name":"NVCACHE_STATUS","features":[339]},{"name":"NVCACHE_TYPE","features":[339]},{"name":"NVSEPWriteCacheTypeNone","features":[339]},{"name":"NVSEPWriteCacheTypeUnknown","features":[339]},{"name":"NVSEPWriteCacheTypeWriteBack","features":[339]},{"name":"NVSEPWriteCacheTypeWriteThrough","features":[339]},{"name":"NV_FEATURE_PARAMETER","features":[339]},{"name":"NV_SEP_CACHE_PARAMETER","features":[339]},{"name":"NV_SEP_CACHE_PARAMETER_VERSION","features":[339]},{"name":"NV_SEP_CACHE_PARAMETER_VERSION_1","features":[339]},{"name":"NV_SEP_WRITE_CACHE_TYPE","features":[339]},{"name":"NvCacheStatusDisabled","features":[339]},{"name":"NvCacheStatusDisabling","features":[339]},{"name":"NvCacheStatusEnabled","features":[339]},{"name":"NvCacheStatusUnknown","features":[339]},{"name":"NvCacheTypeNone","features":[339]},{"name":"NvCacheTypeUnknown","features":[339]},{"name":"NvCacheTypeWriteBack","features":[339]},{"name":"NvCacheTypeWriteThrough","features":[339]},{"name":"PDUMP_DEVICE_POWERON_ROUTINE","features":[339]},{"name":"PERSISTENT_ISCSI_LOGIN_INFOA","features":[308,339]},{"name":"PERSISTENT_ISCSI_LOGIN_INFOW","features":[308,339]},{"name":"PersistentTargetMappings","features":[339]},{"name":"PortalGroups","features":[339]},{"name":"ProtocolType","features":[339]},{"name":"RefreshISNSServerA","features":[339]},{"name":"RefreshISNSServerW","features":[339]},{"name":"RefreshIScsiSendTargetPortalA","features":[339]},{"name":"RefreshIScsiSendTargetPortalW","features":[339]},{"name":"RemoveISNSServerA","features":[339]},{"name":"RemoveISNSServerW","features":[339]},{"name":"RemoveIScsiConnection","features":[339]},{"name":"RemoveIScsiPersistentTargetA","features":[339]},{"name":"RemoveIScsiPersistentTargetW","features":[339]},{"name":"RemoveIScsiSendTargetPortalA","features":[339]},{"name":"RemoveIScsiSendTargetPortalW","features":[339]},{"name":"RemoveIScsiStaticTargetA","features":[339]},{"name":"RemoveIScsiStaticTargetW","features":[339]},{"name":"RemovePersistentIScsiDeviceA","features":[339]},{"name":"RemovePersistentIScsiDeviceW","features":[339]},{"name":"RemoveRadiusServerA","features":[339]},{"name":"RemoveRadiusServerW","features":[339]},{"name":"ReportActiveIScsiTargetMappingsA","features":[339]},{"name":"ReportActiveIScsiTargetMappingsW","features":[339]},{"name":"ReportISNSServerListA","features":[339]},{"name":"ReportISNSServerListW","features":[339]},{"name":"ReportIScsiInitiatorListA","features":[339]},{"name":"ReportIScsiInitiatorListW","features":[339]},{"name":"ReportIScsiPersistentLoginsA","features":[308,339]},{"name":"ReportIScsiPersistentLoginsW","features":[308,339]},{"name":"ReportIScsiSendTargetPortalsA","features":[339]},{"name":"ReportIScsiSendTargetPortalsExA","features":[339]},{"name":"ReportIScsiSendTargetPortalsExW","features":[339]},{"name":"ReportIScsiSendTargetPortalsW","features":[339]},{"name":"ReportIScsiTargetPortalsA","features":[339]},{"name":"ReportIScsiTargetPortalsW","features":[339]},{"name":"ReportIScsiTargetsA","features":[308,339]},{"name":"ReportIScsiTargetsW","features":[308,339]},{"name":"ReportPersistentIScsiDevicesA","features":[339]},{"name":"ReportPersistentIScsiDevicesW","features":[339]},{"name":"ReportRadiusServerListA","features":[339]},{"name":"ReportRadiusServerListW","features":[339]},{"name":"SCSI_ADAPTER_BUS_INFO","features":[339]},{"name":"SCSI_ADDRESS","features":[339]},{"name":"SCSI_BUS_DATA","features":[339]},{"name":"SCSI_INQUIRY_DATA","features":[308,339]},{"name":"SCSI_IOCTL_DATA_BIDIRECTIONAL","features":[339]},{"name":"SCSI_IOCTL_DATA_IN","features":[339]},{"name":"SCSI_IOCTL_DATA_OUT","features":[339]},{"name":"SCSI_IOCTL_DATA_UNSPECIFIED","features":[339]},{"name":"SCSI_LUN_LIST","features":[339]},{"name":"SCSI_PASS_THROUGH","features":[339]},{"name":"SCSI_PASS_THROUGH32","features":[339]},{"name":"SCSI_PASS_THROUGH32_EX","features":[339]},{"name":"SCSI_PASS_THROUGH_DIRECT","features":[339]},{"name":"SCSI_PASS_THROUGH_DIRECT32","features":[339]},{"name":"SCSI_PASS_THROUGH_DIRECT32_EX","features":[339]},{"name":"SCSI_PASS_THROUGH_DIRECT_EX","features":[339]},{"name":"SCSI_PASS_THROUGH_EX","features":[339]},{"name":"SRB_IO_CONTROL","features":[339]},{"name":"STORAGE_DIAGNOSTIC_MP_REQUEST","features":[339]},{"name":"STORAGE_DIAGNOSTIC_STATUS_BUFFER_TOO_SMALL","features":[339]},{"name":"STORAGE_DIAGNOSTIC_STATUS_INVALID_PARAMETER","features":[339]},{"name":"STORAGE_DIAGNOSTIC_STATUS_INVALID_SIGNATURE","features":[339]},{"name":"STORAGE_DIAGNOSTIC_STATUS_INVALID_TARGET_TYPE","features":[339]},{"name":"STORAGE_DIAGNOSTIC_STATUS_MORE_DATA","features":[339]},{"name":"STORAGE_DIAGNOSTIC_STATUS_SUCCESS","features":[339]},{"name":"STORAGE_DIAGNOSTIC_STATUS_UNSUPPORTED_VERSION","features":[339]},{"name":"STORAGE_ENDURANCE_DATA_DESCRIPTOR","features":[339]},{"name":"STORAGE_ENDURANCE_INFO","features":[339]},{"name":"STORAGE_FIRMWARE_ACTIVATE","features":[339]},{"name":"STORAGE_FIRMWARE_ACTIVATE_STRUCTURE_VERSION","features":[339]},{"name":"STORAGE_FIRMWARE_DOWNLOAD","features":[339]},{"name":"STORAGE_FIRMWARE_DOWNLOAD_STRUCTURE_VERSION","features":[339]},{"name":"STORAGE_FIRMWARE_DOWNLOAD_STRUCTURE_VERSION_V2","features":[339]},{"name":"STORAGE_FIRMWARE_DOWNLOAD_V2","features":[339]},{"name":"STORAGE_FIRMWARE_INFO","features":[308,339]},{"name":"STORAGE_FIRMWARE_INFO_INVALID_SLOT","features":[339]},{"name":"STORAGE_FIRMWARE_INFO_STRUCTURE_VERSION","features":[339]},{"name":"STORAGE_FIRMWARE_INFO_STRUCTURE_VERSION_V2","features":[339]},{"name":"STORAGE_FIRMWARE_INFO_V2","features":[308,339]},{"name":"STORAGE_FIRMWARE_SLOT_INFO","features":[308,339]},{"name":"STORAGE_FIRMWARE_SLOT_INFO_V2","features":[308,339]},{"name":"STORAGE_FIRMWARE_SLOT_INFO_V2_REVISION_LENGTH","features":[339]},{"name":"ScsiRawInterfaceGuid","features":[339]},{"name":"SendScsiInquiry","features":[339]},{"name":"SendScsiReadCapacity","features":[339]},{"name":"SendScsiReportLuns","features":[339]},{"name":"SetIScsiGroupPresharedKey","features":[308,339]},{"name":"SetIScsiIKEInfoA","features":[308,339]},{"name":"SetIScsiIKEInfoW","features":[308,339]},{"name":"SetIScsiInitiatorCHAPSharedSecret","features":[339]},{"name":"SetIScsiInitiatorNodeNameA","features":[339]},{"name":"SetIScsiInitiatorNodeNameW","features":[339]},{"name":"SetIScsiInitiatorRADIUSSharedSecret","features":[339]},{"name":"SetIScsiTunnelModeOuterAddressA","features":[308,339]},{"name":"SetIScsiTunnelModeOuterAddressW","features":[308,339]},{"name":"SetupPersistentIScsiDevices","features":[339]},{"name":"SetupPersistentIScsiVolumes","features":[339]},{"name":"TARGETPROTOCOLTYPE","features":[339]},{"name":"TARGET_INFORMATION_CLASS","features":[339]},{"name":"TargetAlias","features":[339]},{"name":"TargetFlags","features":[339]},{"name":"WmiScsiAddressGuid","features":[339]},{"name":"_ADAPTER_OBJECT","features":[339]}],"515":[{"name":"JET_BASE_NAME_LENGTH","features":[513]},{"name":"JET_BKINFO","features":[513]},{"name":"JET_BKLOGTIME","features":[513]},{"name":"JET_CALLBACK","features":[513,514]},{"name":"JET_COLUMNBASE_A","features":[513]},{"name":"JET_COLUMNBASE_W","features":[513]},{"name":"JET_COLUMNCREATE_A","features":[513]},{"name":"JET_COLUMNCREATE_W","features":[513]},{"name":"JET_COLUMNDEF","features":[513]},{"name":"JET_COLUMNLIST","features":[513,514]},{"name":"JET_COMMIT_ID","features":[513]},{"name":"JET_COMMIT_ID","features":[513]},{"name":"JET_CONDITIONALCOLUMN_A","features":[513]},{"name":"JET_CONDITIONALCOLUMN_W","features":[513]},{"name":"JET_CONVERT_A","features":[513]},{"name":"JET_CONVERT_W","features":[513]},{"name":"JET_ColInfoGrbitMinimalInfo","features":[513]},{"name":"JET_ColInfoGrbitNonDerivedColumnsOnly","features":[513]},{"name":"JET_ColInfoGrbitSortByColumnid","features":[513]},{"name":"JET_DBINFOMISC","features":[513]},{"name":"JET_DBINFOMISC2","features":[513]},{"name":"JET_DBINFOMISC3","features":[513]},{"name":"JET_DBINFOMISC4","features":[513]},{"name":"JET_DBINFOUPGRADE","features":[513]},{"name":"JET_DbInfoCollate","features":[513]},{"name":"JET_DbInfoConnect","features":[513]},{"name":"JET_DbInfoCountry","features":[513]},{"name":"JET_DbInfoCp","features":[513]},{"name":"JET_DbInfoDBInUse","features":[513]},{"name":"JET_DbInfoFileType","features":[513]},{"name":"JET_DbInfoFilename","features":[513]},{"name":"JET_DbInfoFilesize","features":[513]},{"name":"JET_DbInfoFilesizeOnDisk","features":[513]},{"name":"JET_DbInfoIsam","features":[513]},{"name":"JET_DbInfoLCID","features":[513]},{"name":"JET_DbInfoLangid","features":[513]},{"name":"JET_DbInfoMisc","features":[513]},{"name":"JET_DbInfoOptions","features":[513]},{"name":"JET_DbInfoPageSize","features":[513]},{"name":"JET_DbInfoSpaceAvailable","features":[513]},{"name":"JET_DbInfoSpaceOwned","features":[513]},{"name":"JET_DbInfoTransactions","features":[513]},{"name":"JET_DbInfoUpgrade","features":[513]},{"name":"JET_DbInfoVersion","features":[513]},{"name":"JET_ENUMCOLUMN","features":[513]},{"name":"JET_ENUMCOLUMNID","features":[513]},{"name":"JET_ENUMCOLUMNVALUE","features":[513]},{"name":"JET_ERRCAT","features":[513]},{"name":"JET_ERRINFOBASIC_W","features":[513]},{"name":"JET_EventLoggingDisable","features":[513]},{"name":"JET_EventLoggingLevelHigh","features":[513]},{"name":"JET_EventLoggingLevelLow","features":[513]},{"name":"JET_EventLoggingLevelMax","features":[513]},{"name":"JET_EventLoggingLevelMedium","features":[513]},{"name":"JET_EventLoggingLevelMin","features":[513]},{"name":"JET_ExceptionFailFast","features":[513]},{"name":"JET_ExceptionMsgBox","features":[513]},{"name":"JET_ExceptionNone","features":[513]},{"name":"JET_INDEXCHECKING","features":[513]},{"name":"JET_INDEXCREATE2_A","features":[513]},{"name":"JET_INDEXCREATE2_W","features":[513]},{"name":"JET_INDEXCREATE3_A","features":[513]},{"name":"JET_INDEXCREATE3_W","features":[513]},{"name":"JET_INDEXCREATE_A","features":[513]},{"name":"JET_INDEXCREATE_W","features":[513]},{"name":"JET_INDEXID","features":[513]},{"name":"JET_INDEXID","features":[513]},{"name":"JET_INDEXLIST","features":[513,514]},{"name":"JET_INDEXRANGE","features":[513,514]},{"name":"JET_INDEX_COLUMN","features":[513]},{"name":"JET_INDEX_RANGE","features":[513]},{"name":"JET_INSTANCE_INFO_A","features":[513,514]},{"name":"JET_INSTANCE_INFO_W","features":[513,514]},{"name":"JET_IOPriorityLow","features":[513]},{"name":"JET_IOPriorityNormal","features":[513]},{"name":"JET_IndexCheckingDeferToOpenTable","features":[513]},{"name":"JET_IndexCheckingMax","features":[513]},{"name":"JET_IndexCheckingOff","features":[513]},{"name":"JET_IndexCheckingOn","features":[513]},{"name":"JET_LGPOS","features":[513]},{"name":"JET_LOGINFO_A","features":[513]},{"name":"JET_LOGINFO_W","features":[513]},{"name":"JET_LOGTIME","features":[513]},{"name":"JET_LS","features":[513]},{"name":"JET_MAX_COMPUTERNAME_LENGTH","features":[513]},{"name":"JET_MoveFirst","features":[513]},{"name":"JET_MoveLast","features":[513]},{"name":"JET_MovePrevious","features":[513]},{"name":"JET_OBJECTINFO","features":[513]},{"name":"JET_OBJECTINFO","features":[513]},{"name":"JET_OBJECTLIST","features":[513,514]},{"name":"JET_OPENTEMPORARYTABLE","features":[513,514]},{"name":"JET_OPENTEMPORARYTABLE2","features":[513,514]},{"name":"JET_OPERATIONCONTEXT","features":[513]},{"name":"JET_OSSNAPID","features":[513]},{"name":"JET_OnlineDefragAll","features":[513]},{"name":"JET_OnlineDefragAllOBSOLETE","features":[513]},{"name":"JET_OnlineDefragDatabases","features":[513]},{"name":"JET_OnlineDefragDisable","features":[513]},{"name":"JET_OnlineDefragSpaceTrees","features":[513]},{"name":"JET_PFNDURABLECOMMITCALLBACK","features":[513,514]},{"name":"JET_PFNREALLOC","features":[513]},{"name":"JET_PFNSTATUS","features":[513,514]},{"name":"JET_RECORDLIST","features":[513,514]},{"name":"JET_RECPOS","features":[513]},{"name":"JET_RECPOS2","features":[513]},{"name":"JET_RECPOS2","features":[513]},{"name":"JET_RECSIZE","features":[513]},{"name":"JET_RECSIZE","features":[513]},{"name":"JET_RECSIZE2","features":[513]},{"name":"JET_RECSIZE2","features":[513]},{"name":"JET_RELOP","features":[513]},{"name":"JET_RETINFO","features":[513]},{"name":"JET_RETRIEVECOLUMN","features":[513]},{"name":"JET_RSTINFO_A","features":[513,514]},{"name":"JET_RSTINFO_W","features":[513,514]},{"name":"JET_RSTMAP_A","features":[513]},{"name":"JET_RSTMAP_W","features":[513]},{"name":"JET_SETCOLUMN","features":[513]},{"name":"JET_SETINFO","features":[513]},{"name":"JET_SETSYSPARAM_A","features":[513,514]},{"name":"JET_SETSYSPARAM_W","features":[513,514]},{"name":"JET_SIGNATURE","features":[513]},{"name":"JET_SNPROG","features":[513]},{"name":"JET_SPACEHINTS","features":[513]},{"name":"JET_TABLECREATE2_A","features":[513,514]},{"name":"JET_TABLECREATE2_W","features":[513,514]},{"name":"JET_TABLECREATE3_A","features":[513,514]},{"name":"JET_TABLECREATE3_W","features":[513,514]},{"name":"JET_TABLECREATE4_A","features":[513,514]},{"name":"JET_TABLECREATE4_W","features":[513,514]},{"name":"JET_TABLECREATE_A","features":[513,514]},{"name":"JET_TABLECREATE_W","features":[513,514]},{"name":"JET_THREADSTATS","features":[513]},{"name":"JET_THREADSTATS2","features":[513]},{"name":"JET_THREADSTATS2","features":[513]},{"name":"JET_TUPLELIMITS","features":[513]},{"name":"JET_UNICODEINDEX","features":[513]},{"name":"JET_UNICODEINDEX2","features":[513]},{"name":"JET_USERDEFINEDDEFAULT_A","features":[513]},{"name":"JET_USERDEFINEDDEFAULT_W","features":[513]},{"name":"JET_VERSION","features":[513]},{"name":"JET_bitAbortSnapshot","features":[513]},{"name":"JET_bitAllDatabasesSnapshot","features":[513]},{"name":"JET_bitBackupAtomic","features":[513]},{"name":"JET_bitBackupEndAbort","features":[513]},{"name":"JET_bitBackupEndNormal","features":[513]},{"name":"JET_bitBackupIncremental","features":[513]},{"name":"JET_bitBackupSnapshot","features":[513]},{"name":"JET_bitBackupTruncateDone","features":[513]},{"name":"JET_bitBookmarkPermitVirtualCurrency","features":[513]},{"name":"JET_bitCheckUniqueness","features":[513]},{"name":"JET_bitColumnAutoincrement","features":[513]},{"name":"JET_bitColumnCompressed","features":[513]},{"name":"JET_bitColumnDeleteOnZero","features":[513]},{"name":"JET_bitColumnEscrowUpdate","features":[513]},{"name":"JET_bitColumnFinalize","features":[513]},{"name":"JET_bitColumnFixed","features":[513]},{"name":"JET_bitColumnMaybeNull","features":[513]},{"name":"JET_bitColumnMultiValued","features":[513]},{"name":"JET_bitColumnNotNULL","features":[513]},{"name":"JET_bitColumnTTDescending","features":[513]},{"name":"JET_bitColumnTTKey","features":[513]},{"name":"JET_bitColumnTagged","features":[513]},{"name":"JET_bitColumnUnversioned","features":[513]},{"name":"JET_bitColumnUpdatable","features":[513]},{"name":"JET_bitColumnUserDefinedDefault","features":[513]},{"name":"JET_bitColumnVersion","features":[513]},{"name":"JET_bitCommitLazyFlush","features":[513]},{"name":"JET_bitCompactRepair","features":[513]},{"name":"JET_bitCompactStats","features":[513]},{"name":"JET_bitConfigStoreReadControlDefault","features":[513]},{"name":"JET_bitConfigStoreReadControlDisableAll","features":[513]},{"name":"JET_bitConfigStoreReadControlInhibitRead","features":[513]},{"name":"JET_bitContinueAfterThaw","features":[513]},{"name":"JET_bitCopySnapshot","features":[513]},{"name":"JET_bitCreateHintAppendSequential","features":[513]},{"name":"JET_bitCreateHintHotpointSequential","features":[513]},{"name":"JET_bitDbDeleteCorruptIndexes","features":[513]},{"name":"JET_bitDbDeleteUnicodeIndexes","features":[513]},{"name":"JET_bitDbEnableBackgroundMaintenance","features":[513]},{"name":"JET_bitDbExclusive","features":[513]},{"name":"JET_bitDbOverwriteExisting","features":[513]},{"name":"JET_bitDbPurgeCacheOnAttach","features":[513]},{"name":"JET_bitDbReadOnly","features":[513]},{"name":"JET_bitDbRecoveryOff","features":[513]},{"name":"JET_bitDbShadowingOff","features":[513]},{"name":"JET_bitDbUpgrade","features":[513]},{"name":"JET_bitDefragmentAvailSpaceTreesOnly","features":[513]},{"name":"JET_bitDefragmentBTree","features":[513]},{"name":"JET_bitDefragmentBatchStart","features":[513]},{"name":"JET_bitDefragmentBatchStop","features":[513]},{"name":"JET_bitDefragmentNoPartialMerges","features":[513]},{"name":"JET_bitDeleteColumnIgnoreTemplateColumns","features":[513]},{"name":"JET_bitDeleteHintTableSequential","features":[513]},{"name":"JET_bitDumpCacheIncludeCachedPages","features":[513]},{"name":"JET_bitDumpCacheIncludeCorruptedPages","features":[513]},{"name":"JET_bitDumpCacheIncludeDirtyPages","features":[513]},{"name":"JET_bitDumpCacheMaximum","features":[513]},{"name":"JET_bitDumpCacheMinimum","features":[513]},{"name":"JET_bitDumpCacheNoDecommit","features":[513]},{"name":"JET_bitDumpMaximum","features":[513]},{"name":"JET_bitDumpMinimum","features":[513]},{"name":"JET_bitDurableCommitCallbackLogUnavailable","features":[513]},{"name":"JET_bitESE98FileNames","features":[513]},{"name":"JET_bitEightDotThreeSoftCompat","features":[513]},{"name":"JET_bitEnumerateCompressOutput","features":[513]},{"name":"JET_bitEnumerateCopy","features":[513]},{"name":"JET_bitEnumerateIgnoreDefault","features":[513]},{"name":"JET_bitEnumerateIgnoreUserDefinedDefault","features":[513]},{"name":"JET_bitEnumerateInRecordOnly","features":[513]},{"name":"JET_bitEnumeratePresenceOnly","features":[513]},{"name":"JET_bitEnumerateTaggedOnly","features":[513]},{"name":"JET_bitEscrowNoRollback","features":[513]},{"name":"JET_bitExplicitPrepare","features":[513]},{"name":"JET_bitForceDetach","features":[513]},{"name":"JET_bitForceNewLog","features":[513]},{"name":"JET_bitFullColumnEndLimit","features":[513]},{"name":"JET_bitFullColumnStartLimit","features":[513]},{"name":"JET_bitHungIOEvent","features":[513]},{"name":"JET_bitIdleCompact","features":[513]},{"name":"JET_bitIdleFlushBuffers","features":[513]},{"name":"JET_bitIdleStatus","features":[513]},{"name":"JET_bitIncrementalSnapshot","features":[513]},{"name":"JET_bitIndexColumnMustBeNonNull","features":[513]},{"name":"JET_bitIndexColumnMustBeNull","features":[513]},{"name":"JET_bitIndexCrossProduct","features":[513]},{"name":"JET_bitIndexDisallowNull","features":[513]},{"name":"JET_bitIndexDisallowTruncation","features":[513]},{"name":"JET_bitIndexDotNetGuid","features":[513]},{"name":"JET_bitIndexEmpty","features":[513]},{"name":"JET_bitIndexIgnoreAnyNull","features":[513]},{"name":"JET_bitIndexIgnoreFirstNull","features":[513]},{"name":"JET_bitIndexIgnoreNull","features":[513]},{"name":"JET_bitIndexImmutableStructure","features":[513]},{"name":"JET_bitIndexKeyMost","features":[513]},{"name":"JET_bitIndexLazyFlush","features":[513]},{"name":"JET_bitIndexNestedTable","features":[513]},{"name":"JET_bitIndexPrimary","features":[513]},{"name":"JET_bitIndexSortNullsHigh","features":[513]},{"name":"JET_bitIndexTupleLimits","features":[513]},{"name":"JET_bitIndexTuples","features":[513]},{"name":"JET_bitIndexUnicode","features":[513]},{"name":"JET_bitIndexUnique","features":[513]},{"name":"JET_bitIndexUnversioned","features":[513]},{"name":"JET_bitKeepDbAttachedAtEndOfRecovery","features":[513]},{"name":"JET_bitKeyAscending","features":[513]},{"name":"JET_bitKeyDataZeroLength","features":[513]},{"name":"JET_bitKeyDescending","features":[513]},{"name":"JET_bitLSCursor","features":[513]},{"name":"JET_bitLSReset","features":[513]},{"name":"JET_bitLSTable","features":[513]},{"name":"JET_bitLogStreamMustExist","features":[513]},{"name":"JET_bitMoveFirst","features":[513]},{"name":"JET_bitMoveKeyNE","features":[513]},{"name":"JET_bitNewKey","features":[513]},{"name":"JET_bitNoMove","features":[513]},{"name":"JET_bitNormalizedKey","features":[513]},{"name":"JET_bitObjectSystem","features":[513]},{"name":"JET_bitObjectTableDerived","features":[513]},{"name":"JET_bitObjectTableFixedDDL","features":[513]},{"name":"JET_bitObjectTableNoFixedVarColumnsInDerivedTables","features":[513]},{"name":"JET_bitObjectTableTemplate","features":[513]},{"name":"JET_bitPartialColumnEndLimit","features":[513]},{"name":"JET_bitPartialColumnStartLimit","features":[513]},{"name":"JET_bitPrereadBackward","features":[513]},{"name":"JET_bitPrereadFirstPage","features":[513]},{"name":"JET_bitPrereadForward","features":[513]},{"name":"JET_bitPrereadNormalizedKey","features":[513]},{"name":"JET_bitRangeInclusive","features":[513]},{"name":"JET_bitRangeInstantDuration","features":[513]},{"name":"JET_bitRangeRemove","features":[513]},{"name":"JET_bitRangeUpperLimit","features":[513]},{"name":"JET_bitReadLock","features":[513]},{"name":"JET_bitRecordInIndex","features":[513]},{"name":"JET_bitRecordNotInIndex","features":[513]},{"name":"JET_bitRecordSizeInCopyBuffer","features":[513]},{"name":"JET_bitRecordSizeLocal","features":[513]},{"name":"JET_bitRecordSizeRunningTotal","features":[513]},{"name":"JET_bitRecoveryWithoutUndo","features":[513]},{"name":"JET_bitReplayIgnoreLostLogs","features":[513]},{"name":"JET_bitReplayIgnoreMissingDB","features":[513]},{"name":"JET_bitReplayMissingMapEntryDB","features":[513]},{"name":"JET_bitResizeDatabaseOnlyGrow","features":[513]},{"name":"JET_bitResizeDatabaseOnlyShrink","features":[513]},{"name":"JET_bitRetrieveCopy","features":[513]},{"name":"JET_bitRetrieveFromIndex","features":[513]},{"name":"JET_bitRetrieveFromPrimaryBookmark","features":[513]},{"name":"JET_bitRetrieveHintReserve1","features":[513]},{"name":"JET_bitRetrieveHintReserve2","features":[513]},{"name":"JET_bitRetrieveHintReserve3","features":[513]},{"name":"JET_bitRetrieveHintTableScanBackward","features":[513]},{"name":"JET_bitRetrieveHintTableScanForward","features":[513]},{"name":"JET_bitRetrieveIgnoreDefault","features":[513]},{"name":"JET_bitRetrieveNull","features":[513]},{"name":"JET_bitRetrieveTag","features":[513]},{"name":"JET_bitRetrieveTuple","features":[513]},{"name":"JET_bitRollbackAll","features":[513]},{"name":"JET_bitSeekEQ","features":[513]},{"name":"JET_bitSeekGE","features":[513]},{"name":"JET_bitSeekGT","features":[513]},{"name":"JET_bitSeekLE","features":[513]},{"name":"JET_bitSeekLT","features":[513]},{"name":"JET_bitSetAppendLV","features":[513]},{"name":"JET_bitSetCompressed","features":[513]},{"name":"JET_bitSetContiguousLV","features":[513]},{"name":"JET_bitSetIndexRange","features":[513]},{"name":"JET_bitSetIntrinsicLV","features":[513]},{"name":"JET_bitSetOverwriteLV","features":[513]},{"name":"JET_bitSetRevertToDefaultValue","features":[513]},{"name":"JET_bitSetSeparateLV","features":[513]},{"name":"JET_bitSetSizeLV","features":[513]},{"name":"JET_bitSetUncompressed","features":[513]},{"name":"JET_bitSetUniqueMultiValues","features":[513]},{"name":"JET_bitSetUniqueNormalizedMultiValues","features":[513]},{"name":"JET_bitSetZeroLength","features":[513]},{"name":"JET_bitShrinkDatabaseOff","features":[513]},{"name":"JET_bitShrinkDatabaseOn","features":[513]},{"name":"JET_bitShrinkDatabaseRealtime","features":[513]},{"name":"JET_bitShrinkDatabaseTrim","features":[513]},{"name":"JET_bitSpaceHintsUtilizeParentSpace","features":[513]},{"name":"JET_bitStopServiceAll","features":[513]},{"name":"JET_bitStopServiceBackgroundUserTasks","features":[513]},{"name":"JET_bitStopServiceQuiesceCaches","features":[513]},{"name":"JET_bitStopServiceResume","features":[513]},{"name":"JET_bitStrLimit","features":[513]},{"name":"JET_bitSubStrLimit","features":[513]},{"name":"JET_bitTTDotNetGuid","features":[513]},{"name":"JET_bitTTErrorOnDuplicateInsertion","features":[513]},{"name":"JET_bitTTForceMaterialization","features":[513]},{"name":"JET_bitTTForwardOnly","features":[513]},{"name":"JET_bitTTIndexed","features":[513]},{"name":"JET_bitTTIntrinsicLVsOnly","features":[513]},{"name":"JET_bitTTScrollable","features":[513]},{"name":"JET_bitTTSortNullsHigh","features":[513]},{"name":"JET_bitTTUnique","features":[513]},{"name":"JET_bitTTUpdatable","features":[513]},{"name":"JET_bitTableClass1","features":[513]},{"name":"JET_bitTableClass10","features":[513]},{"name":"JET_bitTableClass11","features":[513]},{"name":"JET_bitTableClass12","features":[513]},{"name":"JET_bitTableClass13","features":[513]},{"name":"JET_bitTableClass14","features":[513]},{"name":"JET_bitTableClass15","features":[513]},{"name":"JET_bitTableClass2","features":[513]},{"name":"JET_bitTableClass3","features":[513]},{"name":"JET_bitTableClass4","features":[513]},{"name":"JET_bitTableClass5","features":[513]},{"name":"JET_bitTableClass6","features":[513]},{"name":"JET_bitTableClass7","features":[513]},{"name":"JET_bitTableClass8","features":[513]},{"name":"JET_bitTableClass9","features":[513]},{"name":"JET_bitTableClassMask","features":[513]},{"name":"JET_bitTableClassNone","features":[513]},{"name":"JET_bitTableCreateFixedDDL","features":[513]},{"name":"JET_bitTableCreateImmutableStructure","features":[513]},{"name":"JET_bitTableCreateNoFixedVarColumnsInDerivedTables","features":[513]},{"name":"JET_bitTableCreateTemplateTable","features":[513]},{"name":"JET_bitTableDenyRead","features":[513]},{"name":"JET_bitTableDenyWrite","features":[513]},{"name":"JET_bitTableInfoBookmark","features":[513]},{"name":"JET_bitTableInfoRollback","features":[513]},{"name":"JET_bitTableInfoUpdatable","features":[513]},{"name":"JET_bitTableNoCache","features":[513]},{"name":"JET_bitTableOpportuneRead","features":[513]},{"name":"JET_bitTablePermitDDL","features":[513]},{"name":"JET_bitTablePreread","features":[513]},{"name":"JET_bitTableReadOnly","features":[513]},{"name":"JET_bitTableSequential","features":[513]},{"name":"JET_bitTableUpdatable","features":[513]},{"name":"JET_bitTermAbrupt","features":[513]},{"name":"JET_bitTermComplete","features":[513]},{"name":"JET_bitTermDirty","features":[513]},{"name":"JET_bitTermStopBackup","features":[513]},{"name":"JET_bitTransactionReadOnly","features":[513]},{"name":"JET_bitTruncateLogsAfterRecovery","features":[513]},{"name":"JET_bitUpdateCheckESE97Compatibility","features":[513]},{"name":"JET_bitWaitAllLevel0Commit","features":[513]},{"name":"JET_bitWaitLastLevel0Commit","features":[513]},{"name":"JET_bitWriteLock","features":[513]},{"name":"JET_bitZeroLength","features":[513]},{"name":"JET_cbBookmarkMost","features":[513]},{"name":"JET_cbColumnLVPageOverhead","features":[513]},{"name":"JET_cbColumnMost","features":[513]},{"name":"JET_cbFullNameMost","features":[513]},{"name":"JET_cbKeyMost","features":[513]},{"name":"JET_cbKeyMost2KBytePage","features":[513]},{"name":"JET_cbKeyMost4KBytePage","features":[513]},{"name":"JET_cbKeyMost8KBytePage","features":[513]},{"name":"JET_cbKeyMostMin","features":[513]},{"name":"JET_cbLVColumnMost","features":[513]},{"name":"JET_cbLVDefaultValueMost","features":[513]},{"name":"JET_cbLimitKeyMost","features":[513]},{"name":"JET_cbNameMost","features":[513]},{"name":"JET_cbPrimaryKeyMost","features":[513]},{"name":"JET_cbSecondaryKeyMost","features":[513]},{"name":"JET_cbtypAfterDelete","features":[513]},{"name":"JET_cbtypAfterInsert","features":[513]},{"name":"JET_cbtypAfterReplace","features":[513]},{"name":"JET_cbtypBeforeDelete","features":[513]},{"name":"JET_cbtypBeforeInsert","features":[513]},{"name":"JET_cbtypBeforeReplace","features":[513]},{"name":"JET_cbtypFinalize","features":[513]},{"name":"JET_cbtypFreeCursorLS","features":[513]},{"name":"JET_cbtypFreeTableLS","features":[513]},{"name":"JET_cbtypNull","features":[513]},{"name":"JET_cbtypOnlineDefragCompleted","features":[513]},{"name":"JET_cbtypUserDefinedDefaultValue","features":[513]},{"name":"JET_ccolFixedMost","features":[513]},{"name":"JET_ccolKeyMost","features":[513]},{"name":"JET_ccolMost","features":[513]},{"name":"JET_ccolTaggedMost","features":[513]},{"name":"JET_ccolVarMost","features":[513]},{"name":"JET_coltypBinary","features":[513]},{"name":"JET_coltypBit","features":[513]},{"name":"JET_coltypCurrency","features":[513]},{"name":"JET_coltypDateTime","features":[513]},{"name":"JET_coltypGUID","features":[513]},{"name":"JET_coltypIEEEDouble","features":[513]},{"name":"JET_coltypIEEESingle","features":[513]},{"name":"JET_coltypLong","features":[513]},{"name":"JET_coltypLongBinary","features":[513]},{"name":"JET_coltypLongLong","features":[513]},{"name":"JET_coltypLongText","features":[513]},{"name":"JET_coltypMax","features":[513]},{"name":"JET_coltypNil","features":[513]},{"name":"JET_coltypSLV","features":[513]},{"name":"JET_coltypShort","features":[513]},{"name":"JET_coltypText","features":[513]},{"name":"JET_coltypUnsignedByte","features":[513]},{"name":"JET_coltypUnsignedLong","features":[513]},{"name":"JET_coltypUnsignedLongLong","features":[513]},{"name":"JET_coltypUnsignedShort","features":[513]},{"name":"JET_configDefault","features":[513]},{"name":"JET_configDynamicMediumMemory","features":[513]},{"name":"JET_configHighConcurrencyScaling","features":[513]},{"name":"JET_configLowDiskFootprint","features":[513]},{"name":"JET_configLowMemory","features":[513]},{"name":"JET_configLowPower","features":[513]},{"name":"JET_configMediumDiskFootprint","features":[513]},{"name":"JET_configRemoveQuotas","features":[513]},{"name":"JET_configRunSilent","features":[513]},{"name":"JET_configSSDProfileIO","features":[513]},{"name":"JET_configUnthrottledMemory","features":[513]},{"name":"JET_dbstateBeingConverted","features":[513]},{"name":"JET_dbstateCleanShutdown","features":[513]},{"name":"JET_dbstateDirtyShutdown","features":[513]},{"name":"JET_dbstateForceDetach","features":[513]},{"name":"JET_dbstateJustCreated","features":[513]},{"name":"JET_errAccessDenied","features":[513]},{"name":"JET_errAfterInitialization","features":[513]},{"name":"JET_errAlreadyInitialized","features":[513]},{"name":"JET_errAlreadyPrepared","features":[513]},{"name":"JET_errAttachedDatabaseMismatch","features":[513]},{"name":"JET_errBackupAbortByServer","features":[513]},{"name":"JET_errBackupDirectoryNotEmpty","features":[513]},{"name":"JET_errBackupInProgress","features":[513]},{"name":"JET_errBackupNotAllowedYet","features":[513]},{"name":"JET_errBadBackupDatabaseSize","features":[513]},{"name":"JET_errBadBookmark","features":[513]},{"name":"JET_errBadCheckpointSignature","features":[513]},{"name":"JET_errBadColumnId","features":[513]},{"name":"JET_errBadDbSignature","features":[513]},{"name":"JET_errBadEmptyPage","features":[513]},{"name":"JET_errBadItagSequence","features":[513]},{"name":"JET_errBadLineCount","features":[513]},{"name":"JET_errBadLogSignature","features":[513]},{"name":"JET_errBadLogVersion","features":[513]},{"name":"JET_errBadPageLink","features":[513]},{"name":"JET_errBadParentPageLink","features":[513]},{"name":"JET_errBadPatchPage","features":[513]},{"name":"JET_errBadRestoreTargetInstance","features":[513]},{"name":"JET_errBufferTooSmall","features":[513]},{"name":"JET_errCallbackFailed","features":[513]},{"name":"JET_errCallbackNotResolved","features":[513]},{"name":"JET_errCannotAddFixedVarColumnToDerivedTable","features":[513]},{"name":"JET_errCannotBeTagged","features":[513]},{"name":"JET_errCannotDeleteSystemTable","features":[513]},{"name":"JET_errCannotDeleteTempTable","features":[513]},{"name":"JET_errCannotDeleteTemplateTable","features":[513]},{"name":"JET_errCannotDisableVersioning","features":[513]},{"name":"JET_errCannotIndex","features":[513]},{"name":"JET_errCannotIndexOnEncryptedColumn","features":[513]},{"name":"JET_errCannotLogDuringRecoveryRedo","features":[513]},{"name":"JET_errCannotMaterializeForwardOnlySort","features":[513]},{"name":"JET_errCannotNestDDL","features":[513]},{"name":"JET_errCannotSeparateIntrinsicLV","features":[513]},{"name":"JET_errCatalogCorrupted","features":[513]},{"name":"JET_errCheckpointCorrupt","features":[513]},{"name":"JET_errCheckpointDepthTooDeep","features":[513]},{"name":"JET_errCheckpointFileNotFound","features":[513]},{"name":"JET_errClientRequestToStopJetService","features":[513]},{"name":"JET_errColumnCannotBeCompressed","features":[513]},{"name":"JET_errColumnCannotBeEncrypted","features":[513]},{"name":"JET_errColumnDoesNotFit","features":[513]},{"name":"JET_errColumnDuplicate","features":[513]},{"name":"JET_errColumnInRelationship","features":[513]},{"name":"JET_errColumnInUse","features":[513]},{"name":"JET_errColumnIndexed","features":[513]},{"name":"JET_errColumnLong","features":[513]},{"name":"JET_errColumnNoChunk","features":[513]},{"name":"JET_errColumnNoEncryptionKey","features":[513]},{"name":"JET_errColumnNotFound","features":[513]},{"name":"JET_errColumnNotUpdatable","features":[513]},{"name":"JET_errColumnRedundant","features":[513]},{"name":"JET_errColumnTooBig","features":[513]},{"name":"JET_errCommittedLogFileCorrupt","features":[513]},{"name":"JET_errCommittedLogFilesMissing","features":[513]},{"name":"JET_errConsistentTimeMismatch","features":[513]},{"name":"JET_errContainerNotEmpty","features":[513]},{"name":"JET_errDDLNotInheritable","features":[513]},{"name":"JET_errDataHasChanged","features":[513]},{"name":"JET_errDatabase200Format","features":[513]},{"name":"JET_errDatabase400Format","features":[513]},{"name":"JET_errDatabase500Format","features":[513]},{"name":"JET_errDatabaseAlreadyRunningMaintenance","features":[513]},{"name":"JET_errDatabaseAlreadyUpgraded","features":[513]},{"name":"JET_errDatabaseAttachedForRecovery","features":[513]},{"name":"JET_errDatabaseBufferDependenciesCorrupted","features":[513]},{"name":"JET_errDatabaseCorrupted","features":[513]},{"name":"JET_errDatabaseCorruptedNoRepair","features":[513]},{"name":"JET_errDatabaseDirtyShutdown","features":[513]},{"name":"JET_errDatabaseDuplicate","features":[513]},{"name":"JET_errDatabaseFileReadOnly","features":[513]},{"name":"JET_errDatabaseIdInUse","features":[513]},{"name":"JET_errDatabaseInUse","features":[513]},{"name":"JET_errDatabaseIncompleteUpgrade","features":[513]},{"name":"JET_errDatabaseInconsistent","features":[513]},{"name":"JET_errDatabaseInvalidName","features":[513]},{"name":"JET_errDatabaseInvalidPages","features":[513]},{"name":"JET_errDatabaseInvalidPath","features":[513]},{"name":"JET_errDatabaseLeakInSpace","features":[513]},{"name":"JET_errDatabaseLocked","features":[513]},{"name":"JET_errDatabaseLogSetMismatch","features":[513]},{"name":"JET_errDatabaseNotFound","features":[513]},{"name":"JET_errDatabaseNotReady","features":[513]},{"name":"JET_errDatabasePatchFileMismatch","features":[513]},{"name":"JET_errDatabaseSharingViolation","features":[513]},{"name":"JET_errDatabaseSignInUse","features":[513]},{"name":"JET_errDatabaseStreamingFileMismatch","features":[513]},{"name":"JET_errDatabaseUnavailable","features":[513]},{"name":"JET_errDatabasesNotFromSameSnapshot","features":[513]},{"name":"JET_errDbTimeBeyondMaxRequired","features":[513]},{"name":"JET_errDbTimeCorrupted","features":[513]},{"name":"JET_errDbTimeTooNew","features":[513]},{"name":"JET_errDbTimeTooOld","features":[513]},{"name":"JET_errDecompressionFailed","features":[513]},{"name":"JET_errDecryptionFailed","features":[513]},{"name":"JET_errDefaultValueTooBig","features":[513]},{"name":"JET_errDeleteBackupFileFail","features":[513]},{"name":"JET_errDensityInvalid","features":[513]},{"name":"JET_errDerivedColumnCorruption","features":[513]},{"name":"JET_errDirtyShutdown","features":[513]},{"name":"JET_errDisabledFunctionality","features":[513]},{"name":"JET_errDiskFull","features":[513]},{"name":"JET_errDiskIO","features":[513]},{"name":"JET_errDiskReadVerificationFailure","features":[513]},{"name":"JET_errEncryptionBadItag","features":[513]},{"name":"JET_errEndingRestoreLogTooLow","features":[513]},{"name":"JET_errEngineFormatVersionNoLongerSupportedTooLow","features":[513]},{"name":"JET_errEngineFormatVersionNotYetImplementedTooHigh","features":[513]},{"name":"JET_errEngineFormatVersionParamTooLowForRequestedFeature","features":[513]},{"name":"JET_errEngineFormatVersionSpecifiedTooLowForDatabaseVersion","features":[513]},{"name":"JET_errEngineFormatVersionSpecifiedTooLowForLogVersion","features":[513]},{"name":"JET_errEntryPointNotFound","features":[513]},{"name":"JET_errExclusiveTableLockRequired","features":[513]},{"name":"JET_errExistingLogFileHasBadSignature","features":[513]},{"name":"JET_errExistingLogFileIsNotContiguous","features":[513]},{"name":"JET_errFeatureNotAvailable","features":[513]},{"name":"JET_errFileAccessDenied","features":[513]},{"name":"JET_errFileAlreadyExists","features":[513]},{"name":"JET_errFileClose","features":[513]},{"name":"JET_errFileCompressed","features":[513]},{"name":"JET_errFileIOAbort","features":[513]},{"name":"JET_errFileIOBeyondEOF","features":[513]},{"name":"JET_errFileIOFail","features":[513]},{"name":"JET_errFileIORetry","features":[513]},{"name":"JET_errFileIOSparse","features":[513]},{"name":"JET_errFileInvalidType","features":[513]},{"name":"JET_errFileNotFound","features":[513]},{"name":"JET_errFileSystemCorruption","features":[513]},{"name":"JET_errFilteredMoveNotSupported","features":[513]},{"name":"JET_errFixedDDL","features":[513]},{"name":"JET_errFixedInheritedDDL","features":[513]},{"name":"JET_errFlushMapDatabaseMismatch","features":[513]},{"name":"JET_errFlushMapUnrecoverable","features":[513]},{"name":"JET_errFlushMapVersionUnsupported","features":[513]},{"name":"JET_errForceDetachNotAllowed","features":[513]},{"name":"JET_errGivenLogFileHasBadSignature","features":[513]},{"name":"JET_errGivenLogFileIsNotContiguous","features":[513]},{"name":"JET_errIllegalOperation","features":[513]},{"name":"JET_errInTransaction","features":[513]},{"name":"JET_errIndexBuildCorrupted","features":[513]},{"name":"JET_errIndexCantBuild","features":[513]},{"name":"JET_errIndexDuplicate","features":[513]},{"name":"JET_errIndexHasPrimary","features":[513]},{"name":"JET_errIndexInUse","features":[513]},{"name":"JET_errIndexInvalidDef","features":[513]},{"name":"JET_errIndexMustStay","features":[513]},{"name":"JET_errIndexNotFound","features":[513]},{"name":"JET_errIndexTuplesCannotRetrieveFromIndex","features":[513]},{"name":"JET_errIndexTuplesInvalidLimits","features":[513]},{"name":"JET_errIndexTuplesKeyTooSmall","features":[513]},{"name":"JET_errIndexTuplesNonUniqueOnly","features":[513]},{"name":"JET_errIndexTuplesOneColumnOnly","features":[513]},{"name":"JET_errIndexTuplesSecondaryIndexOnly","features":[513]},{"name":"JET_errIndexTuplesTextBinaryColumnsOnly","features":[513]},{"name":"JET_errIndexTuplesTextColumnsOnly","features":[513]},{"name":"JET_errIndexTuplesTooManyColumns","features":[513]},{"name":"JET_errIndexTuplesVarSegMacNotAllowed","features":[513]},{"name":"JET_errInitInProgress","features":[513]},{"name":"JET_errInstanceNameInUse","features":[513]},{"name":"JET_errInstanceUnavailable","features":[513]},{"name":"JET_errInstanceUnavailableDueToFatalLogDiskFull","features":[513]},{"name":"JET_errInternalError","features":[513]},{"name":"JET_errInvalidBackup","features":[513]},{"name":"JET_errInvalidBackupSequence","features":[513]},{"name":"JET_errInvalidBookmark","features":[513]},{"name":"JET_errInvalidBufferSize","features":[513]},{"name":"JET_errInvalidCodePage","features":[513]},{"name":"JET_errInvalidColumnType","features":[513]},{"name":"JET_errInvalidCountry","features":[513]},{"name":"JET_errInvalidCreateDbVersion","features":[513]},{"name":"JET_errInvalidCreateIndex","features":[513]},{"name":"JET_errInvalidDatabase","features":[513]},{"name":"JET_errInvalidDatabaseId","features":[513]},{"name":"JET_errInvalidDatabaseVersion","features":[513]},{"name":"JET_errInvalidDbparamId","features":[513]},{"name":"JET_errInvalidFilename","features":[513]},{"name":"JET_errInvalidGrbit","features":[513]},{"name":"JET_errInvalidIndexId","features":[513]},{"name":"JET_errInvalidInstance","features":[513]},{"name":"JET_errInvalidLCMapStringFlags","features":[513]},{"name":"JET_errInvalidLVChunkSize","features":[513]},{"name":"JET_errInvalidLanguageId","features":[513]},{"name":"JET_errInvalidLogDirectory","features":[513]},{"name":"JET_errInvalidLogSequence","features":[513]},{"name":"JET_errInvalidLoggedOperation","features":[513]},{"name":"JET_errInvalidName","features":[513]},{"name":"JET_errInvalidObject","features":[513]},{"name":"JET_errInvalidOnSort","features":[513]},{"name":"JET_errInvalidOperation","features":[513]},{"name":"JET_errInvalidParameter","features":[513]},{"name":"JET_errInvalidPath","features":[513]},{"name":"JET_errInvalidPlaceholderColumn","features":[513]},{"name":"JET_errInvalidPreread","features":[513]},{"name":"JET_errInvalidSesid","features":[513]},{"name":"JET_errInvalidSesparamId","features":[513]},{"name":"JET_errInvalidSettings","features":[513]},{"name":"JET_errInvalidSystemPath","features":[513]},{"name":"JET_errInvalidTableId","features":[513]},{"name":"JET_errKeyBoundary","features":[513]},{"name":"JET_errKeyDuplicate","features":[513]},{"name":"JET_errKeyIsMade","features":[513]},{"name":"JET_errKeyNotMade","features":[513]},{"name":"JET_errKeyTooBig","features":[513]},{"name":"JET_errKeyTruncated","features":[513]},{"name":"JET_errLSAlreadySet","features":[513]},{"name":"JET_errLSCallbackNotSpecified","features":[513]},{"name":"JET_errLSNotSet","features":[513]},{"name":"JET_errLVCorrupted","features":[513]},{"name":"JET_errLanguageNotSupported","features":[513]},{"name":"JET_errLinkNotSupported","features":[513]},{"name":"JET_errLogBufferTooSmall","features":[513]},{"name":"JET_errLogCorruptDuringHardRecovery","features":[513]},{"name":"JET_errLogCorruptDuringHardRestore","features":[513]},{"name":"JET_errLogCorrupted","features":[513]},{"name":"JET_errLogDisabledDueToRecoveryFailure","features":[513]},{"name":"JET_errLogDiskFull","features":[513]},{"name":"JET_errLogFileCorrupt","features":[513]},{"name":"JET_errLogFileNotCopied","features":[513]},{"name":"JET_errLogFilePathInUse","features":[513]},{"name":"JET_errLogFileSizeMismatch","features":[513]},{"name":"JET_errLogFileSizeMismatchDatabasesConsistent","features":[513]},{"name":"JET_errLogGenerationMismatch","features":[513]},{"name":"JET_errLogReadVerifyFailure","features":[513]},{"name":"JET_errLogSectorSizeMismatch","features":[513]},{"name":"JET_errLogSectorSizeMismatchDatabasesConsistent","features":[513]},{"name":"JET_errLogSequenceChecksumMismatch","features":[513]},{"name":"JET_errLogSequenceEnd","features":[513]},{"name":"JET_errLogSequenceEndDatabasesConsistent","features":[513]},{"name":"JET_errLogTornWriteDuringHardRecovery","features":[513]},{"name":"JET_errLogTornWriteDuringHardRestore","features":[513]},{"name":"JET_errLogWriteFail","features":[513]},{"name":"JET_errLoggingDisabled","features":[513]},{"name":"JET_errMakeBackupDirectoryFail","features":[513]},{"name":"JET_errMissingCurrentLogFiles","features":[513]},{"name":"JET_errMissingFileToBackup","features":[513]},{"name":"JET_errMissingFullBackup","features":[513]},{"name":"JET_errMissingLogFile","features":[513]},{"name":"JET_errMissingPatchPage","features":[513]},{"name":"JET_errMissingPreviousLogFile","features":[513]},{"name":"JET_errMissingRestoreLogFiles","features":[513]},{"name":"JET_errMultiValuedColumnMustBeTagged","features":[513]},{"name":"JET_errMultiValuedDuplicate","features":[513]},{"name":"JET_errMultiValuedDuplicateAfterTruncation","features":[513]},{"name":"JET_errMultiValuedIndexViolation","features":[513]},{"name":"JET_errMustBeSeparateLongValue","features":[513]},{"name":"JET_errMustDisableLoggingForDbUpgrade","features":[513]},{"name":"JET_errMustRollback","features":[513]},{"name":"JET_errNTSystemCallFailed","features":[513]},{"name":"JET_errNoBackup","features":[513]},{"name":"JET_errNoBackupDirectory","features":[513]},{"name":"JET_errNoCurrentIndex","features":[513]},{"name":"JET_errNoCurrentRecord","features":[513]},{"name":"JET_errNodeCorrupted","features":[513]},{"name":"JET_errNotInTransaction","features":[513]},{"name":"JET_errNotInitialized","features":[513]},{"name":"JET_errNullInvalid","features":[513]},{"name":"JET_errNullKeyDisallowed","features":[513]},{"name":"JET_errOSSnapshotInvalidSequence","features":[513]},{"name":"JET_errOSSnapshotInvalidSnapId","features":[513]},{"name":"JET_errOSSnapshotNotAllowed","features":[513]},{"name":"JET_errOSSnapshotTimeOut","features":[513]},{"name":"JET_errObjectDuplicate","features":[513]},{"name":"JET_errObjectNotFound","features":[513]},{"name":"JET_errOneDatabasePerSession","features":[513]},{"name":"JET_errOutOfAutoincrementValues","features":[513]},{"name":"JET_errOutOfBuffers","features":[513]},{"name":"JET_errOutOfCursors","features":[513]},{"name":"JET_errOutOfDatabaseSpace","features":[513]},{"name":"JET_errOutOfDbtimeValues","features":[513]},{"name":"JET_errOutOfFileHandles","features":[513]},{"name":"JET_errOutOfLongValueIDs","features":[513]},{"name":"JET_errOutOfMemory","features":[513]},{"name":"JET_errOutOfObjectIDs","features":[513]},{"name":"JET_errOutOfSequentialIndexValues","features":[513]},{"name":"JET_errOutOfSessions","features":[513]},{"name":"JET_errOutOfThreads","features":[513]},{"name":"JET_errPageBoundary","features":[513]},{"name":"JET_errPageInitializedMismatch","features":[513]},{"name":"JET_errPageNotInitialized","features":[513]},{"name":"JET_errPageSizeMismatch","features":[513]},{"name":"JET_errPageTagCorrupted","features":[513]},{"name":"JET_errPartiallyAttachedDB","features":[513]},{"name":"JET_errPatchFileMissing","features":[513]},{"name":"JET_errPermissionDenied","features":[513]},{"name":"JET_errPreviousVersion","features":[513]},{"name":"JET_errPrimaryIndexCorrupted","features":[513]},{"name":"JET_errReadLostFlushVerifyFailure","features":[513]},{"name":"JET_errReadPgnoVerifyFailure","features":[513]},{"name":"JET_errReadVerifyFailure","features":[513]},{"name":"JET_errRecordDeleted","features":[513]},{"name":"JET_errRecordFormatConversionFailed","features":[513]},{"name":"JET_errRecordNoCopy","features":[513]},{"name":"JET_errRecordNotDeleted","features":[513]},{"name":"JET_errRecordNotFound","features":[513]},{"name":"JET_errRecordPrimaryChanged","features":[513]},{"name":"JET_errRecordTooBig","features":[513]},{"name":"JET_errRecordTooBigForBackwardCompatibility","features":[513]},{"name":"JET_errRecoveredWithErrors","features":[513]},{"name":"JET_errRecoveredWithoutUndo","features":[513]},{"name":"JET_errRecoveredWithoutUndoDatabasesConsistent","features":[513]},{"name":"JET_errRecoveryVerifyFailure","features":[513]},{"name":"JET_errRedoAbruptEnded","features":[513]},{"name":"JET_errRequiredLogFilesMissing","features":[513]},{"name":"JET_errRestoreInProgress","features":[513]},{"name":"JET_errRestoreOfNonBackupDatabase","features":[513]},{"name":"JET_errRfsFailure","features":[513]},{"name":"JET_errRfsNotArmed","features":[513]},{"name":"JET_errRollbackError","features":[513]},{"name":"JET_errRollbackRequired","features":[513]},{"name":"JET_errRunningInMultiInstanceMode","features":[513]},{"name":"JET_errRunningInOneInstanceMode","features":[513]},{"name":"JET_errSPAvailExtCacheOutOfMemory","features":[513]},{"name":"JET_errSPAvailExtCacheOutOfSync","features":[513]},{"name":"JET_errSPAvailExtCorrupted","features":[513]},{"name":"JET_errSPOwnExtCorrupted","features":[513]},{"name":"JET_errSecondaryIndexCorrupted","features":[513]},{"name":"JET_errSectorSizeNotSupported","features":[513]},{"name":"JET_errSeparatedLongValue","features":[513]},{"name":"JET_errSesidTableIdMismatch","features":[513]},{"name":"JET_errSessionContextAlreadySet","features":[513]},{"name":"JET_errSessionContextNotSetByThisThread","features":[513]},{"name":"JET_errSessionInUse","features":[513]},{"name":"JET_errSessionSharingViolation","features":[513]},{"name":"JET_errSessionWriteConflict","features":[513]},{"name":"JET_errSoftRecoveryOnBackupDatabase","features":[513]},{"name":"JET_errSoftRecoveryOnSnapshot","features":[513]},{"name":"JET_errSpaceHintsInvalid","features":[513]},{"name":"JET_errStartingRestoreLogTooHigh","features":[513]},{"name":"JET_errStreamingDataNotLogged","features":[513]},{"name":"JET_errSuccess","features":[513]},{"name":"JET_errSystemParameterConflict","features":[513]},{"name":"JET_errSystemParamsAlreadySet","features":[513]},{"name":"JET_errSystemPathInUse","features":[513]},{"name":"JET_errTableDuplicate","features":[513]},{"name":"JET_errTableInUse","features":[513]},{"name":"JET_errTableLocked","features":[513]},{"name":"JET_errTableNotEmpty","features":[513]},{"name":"JET_errTaggedNotNULL","features":[513]},{"name":"JET_errTaskDropped","features":[513]},{"name":"JET_errTempFileOpenError","features":[513]},{"name":"JET_errTempPathInUse","features":[513]},{"name":"JET_errTermInProgress","features":[513]},{"name":"JET_errTooManyActiveUsers","features":[513]},{"name":"JET_errTooManyAttachedDatabases","features":[513]},{"name":"JET_errTooManyColumns","features":[513]},{"name":"JET_errTooManyIO","features":[513]},{"name":"JET_errTooManyIndexes","features":[513]},{"name":"JET_errTooManyInstances","features":[513]},{"name":"JET_errTooManyKeys","features":[513]},{"name":"JET_errTooManyMempoolEntries","features":[513]},{"name":"JET_errTooManyOpenDatabases","features":[513]},{"name":"JET_errTooManyOpenIndexes","features":[513]},{"name":"JET_errTooManyOpenTables","features":[513]},{"name":"JET_errTooManyOpenTablesAndCleanupTimedOut","features":[513]},{"name":"JET_errTooManyRecords","features":[513]},{"name":"JET_errTooManySorts","features":[513]},{"name":"JET_errTooManySplits","features":[513]},{"name":"JET_errTransReadOnly","features":[513]},{"name":"JET_errTransTooDeep","features":[513]},{"name":"JET_errTransactionTooLong","features":[513]},{"name":"JET_errTransactionsNotReadyDuringRecovery","features":[513]},{"name":"JET_errUnicodeLanguageValidationFailure","features":[513]},{"name":"JET_errUnicodeNormalizationNotSupported","features":[513]},{"name":"JET_errUnicodeTranslationBufferTooSmall","features":[513]},{"name":"JET_errUnicodeTranslationFail","features":[513]},{"name":"JET_errUnloadableOSFunctionality","features":[513]},{"name":"JET_errUpdateMustVersion","features":[513]},{"name":"JET_errUpdateNotPrepared","features":[513]},{"name":"JET_errVersionStoreEntryTooBig","features":[513]},{"name":"JET_errVersionStoreOutOfMemory","features":[513]},{"name":"JET_errVersionStoreOutOfMemoryAndCleanupTimedOut","features":[513]},{"name":"JET_errWriteConflict","features":[513]},{"name":"JET_errWriteConflictPrimaryIndex","features":[513]},{"name":"JET_errcatApi","features":[513]},{"name":"JET_errcatCorruption","features":[513]},{"name":"JET_errcatData","features":[513]},{"name":"JET_errcatDisk","features":[513]},{"name":"JET_errcatError","features":[513]},{"name":"JET_errcatFatal","features":[513]},{"name":"JET_errcatFragmentation","features":[513]},{"name":"JET_errcatIO","features":[513]},{"name":"JET_errcatInconsistent","features":[513]},{"name":"JET_errcatMax","features":[513]},{"name":"JET_errcatMemory","features":[513]},{"name":"JET_errcatObsolete","features":[513]},{"name":"JET_errcatOperation","features":[513]},{"name":"JET_errcatQuota","features":[513]},{"name":"JET_errcatResource","features":[513]},{"name":"JET_errcatState","features":[513]},{"name":"JET_errcatUnknown","features":[513]},{"name":"JET_errcatUsage","features":[513]},{"name":"JET_filetypeCheckpoint","features":[513]},{"name":"JET_filetypeDatabase","features":[513]},{"name":"JET_filetypeFlushMap","features":[513]},{"name":"JET_filetypeLog","features":[513]},{"name":"JET_filetypeTempDatabase","features":[513]},{"name":"JET_filetypeUnknown","features":[513]},{"name":"JET_objtypNil","features":[513]},{"name":"JET_objtypTable","features":[513]},{"name":"JET_paramAccessDeniedRetryPeriod","features":[513]},{"name":"JET_paramAlternateDatabaseRecoveryPath","features":[513]},{"name":"JET_paramBaseName","features":[513]},{"name":"JET_paramBatchIOBufferMax","features":[513]},{"name":"JET_paramCachePriority","features":[513]},{"name":"JET_paramCacheSize","features":[513]},{"name":"JET_paramCacheSizeMax","features":[513]},{"name":"JET_paramCacheSizeMin","features":[513]},{"name":"JET_paramCachedClosedTables","features":[513]},{"name":"JET_paramCheckFormatWhenOpenFail","features":[513]},{"name":"JET_paramCheckpointDepthMax","features":[513]},{"name":"JET_paramCheckpointIOMax","features":[513]},{"name":"JET_paramCircularLog","features":[513]},{"name":"JET_paramCleanupMismatchedLogFiles","features":[513]},{"name":"JET_paramCommitDefault","features":[513]},{"name":"JET_paramConfigStoreSpec","features":[513]},{"name":"JET_paramConfiguration","features":[513]},{"name":"JET_paramCreatePathIfNotExist","features":[513]},{"name":"JET_paramDatabasePageSize","features":[513]},{"name":"JET_paramDbExtensionSize","features":[513]},{"name":"JET_paramDbScanIntervalMaxSec","features":[513]},{"name":"JET_paramDbScanIntervalMinSec","features":[513]},{"name":"JET_paramDbScanThrottle","features":[513]},{"name":"JET_paramDefragmentSequentialBTrees","features":[513]},{"name":"JET_paramDefragmentSequentialBTreesDensityCheckFrequency","features":[513]},{"name":"JET_paramDeleteOldLogs","features":[513]},{"name":"JET_paramDeleteOutOfRangeLogs","features":[513]},{"name":"JET_paramDisableCallbacks","features":[513]},{"name":"JET_paramDisablePerfmon","features":[513]},{"name":"JET_paramDurableCommitCallback","features":[513]},{"name":"JET_paramEnableAdvanced","features":[513]},{"name":"JET_paramEnableDBScanInRecovery","features":[513]},{"name":"JET_paramEnableDBScanSerialization","features":[513]},{"name":"JET_paramEnableFileCache","features":[513]},{"name":"JET_paramEnableIndexChecking","features":[513]},{"name":"JET_paramEnableIndexCleanup","features":[513]},{"name":"JET_paramEnableOnlineDefrag","features":[513]},{"name":"JET_paramEnablePersistedCallbacks","features":[513]},{"name":"JET_paramEnableRBS","features":[513]},{"name":"JET_paramEnableShrinkDatabase","features":[513]},{"name":"JET_paramEnableSqm","features":[513]},{"name":"JET_paramEnableTempTableVersioning","features":[513]},{"name":"JET_paramEnableViewCache","features":[513]},{"name":"JET_paramErrorToString","features":[513]},{"name":"JET_paramEventLogCache","features":[513]},{"name":"JET_paramEventLoggingLevel","features":[513]},{"name":"JET_paramEventSource","features":[513]},{"name":"JET_paramEventSourceKey","features":[513]},{"name":"JET_paramExceptionAction","features":[513]},{"name":"JET_paramGlobalMinVerPages","features":[513]},{"name":"JET_paramHungIOActions","features":[513]},{"name":"JET_paramHungIOThreshold","features":[513]},{"name":"JET_paramIOPriority","features":[513]},{"name":"JET_paramIOThrottlingTimeQuanta","features":[513]},{"name":"JET_paramIgnoreLogVersion","features":[513]},{"name":"JET_paramIndexTupleIncrement","features":[513]},{"name":"JET_paramIndexTupleStart","features":[513]},{"name":"JET_paramIndexTuplesLengthMax","features":[513]},{"name":"JET_paramIndexTuplesLengthMin","features":[513]},{"name":"JET_paramIndexTuplesToIndexMax","features":[513]},{"name":"JET_paramKeyMost","features":[513]},{"name":"JET_paramLRUKCorrInterval","features":[513]},{"name":"JET_paramLRUKHistoryMax","features":[513]},{"name":"JET_paramLRUKPolicy","features":[513]},{"name":"JET_paramLRUKTimeout","features":[513]},{"name":"JET_paramLRUKTrxCorrInterval","features":[513]},{"name":"JET_paramLVChunkSizeMost","features":[513]},{"name":"JET_paramLegacyFileNames","features":[513]},{"name":"JET_paramLogBuffers","features":[513]},{"name":"JET_paramLogCheckpointPeriod","features":[513]},{"name":"JET_paramLogFileCreateAsynch","features":[513]},{"name":"JET_paramLogFilePath","features":[513]},{"name":"JET_paramLogFileSize","features":[513]},{"name":"JET_paramLogWaitingUserMax","features":[513]},{"name":"JET_paramMaxCoalesceReadGapSize","features":[513]},{"name":"JET_paramMaxCoalesceReadSize","features":[513]},{"name":"JET_paramMaxCoalesceWriteGapSize","features":[513]},{"name":"JET_paramMaxCoalesceWriteSize","features":[513]},{"name":"JET_paramMaxColtyp","features":[513]},{"name":"JET_paramMaxCursors","features":[513]},{"name":"JET_paramMaxInstances","features":[513]},{"name":"JET_paramMaxOpenTables","features":[513]},{"name":"JET_paramMaxSessions","features":[513]},{"name":"JET_paramMaxTemporaryTables","features":[513]},{"name":"JET_paramMaxTransactionSize","features":[513]},{"name":"JET_paramMaxValueInvalid","features":[513]},{"name":"JET_paramMaxVerPages","features":[513]},{"name":"JET_paramMinDataForXpress","features":[513]},{"name":"JET_paramNoInformationEvent","features":[513]},{"name":"JET_paramOSSnapshotTimeout","features":[513]},{"name":"JET_paramOneDatabasePerSession","features":[513]},{"name":"JET_paramOutstandingIOMax","features":[513]},{"name":"JET_paramPageFragment","features":[513]},{"name":"JET_paramPageHintCacheSize","features":[513]},{"name":"JET_paramPageTempDBMin","features":[513]},{"name":"JET_paramPerfmonRefreshInterval","features":[513]},{"name":"JET_paramPreferredMaxOpenTables","features":[513]},{"name":"JET_paramPreferredVerPages","features":[513]},{"name":"JET_paramPrereadIOMax","features":[513]},{"name":"JET_paramProcessFriendlyName","features":[513]},{"name":"JET_paramRBSFilePath","features":[513]},{"name":"JET_paramRecordUpgradeDirtyLevel","features":[513]},{"name":"JET_paramRecovery","features":[513]},{"name":"JET_paramRuntimeCallback","features":[513]},{"name":"JET_paramStartFlushThreshold","features":[513]},{"name":"JET_paramStopFlushThreshold","features":[513]},{"name":"JET_paramSystemPath","features":[513]},{"name":"JET_paramTableClass10Name","features":[513]},{"name":"JET_paramTableClass11Name","features":[513]},{"name":"JET_paramTableClass12Name","features":[513]},{"name":"JET_paramTableClass13Name","features":[513]},{"name":"JET_paramTableClass14Name","features":[513]},{"name":"JET_paramTableClass15Name","features":[513]},{"name":"JET_paramTableClass1Name","features":[513]},{"name":"JET_paramTableClass2Name","features":[513]},{"name":"JET_paramTableClass3Name","features":[513]},{"name":"JET_paramTableClass4Name","features":[513]},{"name":"JET_paramTableClass5Name","features":[513]},{"name":"JET_paramTableClass6Name","features":[513]},{"name":"JET_paramTableClass7Name","features":[513]},{"name":"JET_paramTableClass8Name","features":[513]},{"name":"JET_paramTableClass9Name","features":[513]},{"name":"JET_paramTempPath","features":[513]},{"name":"JET_paramUnicodeIndexDefault","features":[513]},{"name":"JET_paramUseFlushForWriteDurability","features":[513]},{"name":"JET_paramVerPageSize","features":[513]},{"name":"JET_paramVersionStoreTaskQueueMax","features":[513]},{"name":"JET_paramWaitLogFlush","features":[513]},{"name":"JET_paramWaypointLatency","features":[513]},{"name":"JET_paramZeroDatabaseDuringBackup","features":[513]},{"name":"JET_prepCancel","features":[513]},{"name":"JET_prepInsert","features":[513]},{"name":"JET_prepInsertCopy","features":[513]},{"name":"JET_prepInsertCopyDeleteOriginal","features":[513]},{"name":"JET_prepInsertCopyReplaceOriginal","features":[513]},{"name":"JET_prepReplace","features":[513]},{"name":"JET_prepReplaceNoLock","features":[513]},{"name":"JET_relopBitmaskEqualsZero","features":[513]},{"name":"JET_relopBitmaskNotEqualsZero","features":[513]},{"name":"JET_relopEquals","features":[513]},{"name":"JET_relopGreaterThan","features":[513]},{"name":"JET_relopGreaterThanOrEqual","features":[513]},{"name":"JET_relopLessThan","features":[513]},{"name":"JET_relopLessThanOrEqual","features":[513]},{"name":"JET_relopNotEquals","features":[513]},{"name":"JET_relopPrefixEquals","features":[513]},{"name":"JET_sesparamCommitDefault","features":[513]},{"name":"JET_sesparamCorrelationID","features":[513]},{"name":"JET_sesparamMaxValueInvalid","features":[513]},{"name":"JET_sesparamOperationContext","features":[513]},{"name":"JET_sesparamTransactionLevel","features":[513]},{"name":"JET_snpBackup","features":[513]},{"name":"JET_snpCompact","features":[513]},{"name":"JET_snpRepair","features":[513]},{"name":"JET_snpRestore","features":[513]},{"name":"JET_snpScrub","features":[513]},{"name":"JET_snpUpgrade","features":[513]},{"name":"JET_snpUpgradeRecordFormat","features":[513]},{"name":"JET_sntBegin","features":[513]},{"name":"JET_sntComplete","features":[513]},{"name":"JET_sntFail","features":[513]},{"name":"JET_sntProgress","features":[513]},{"name":"JET_sntRequirements","features":[513]},{"name":"JET_sqmDisable","features":[513]},{"name":"JET_sqmEnable","features":[513]},{"name":"JET_sqmFromCEIP","features":[513]},{"name":"JET_wrnBufferTruncated","features":[513]},{"name":"JET_wrnCallbackNotRegistered","features":[513]},{"name":"JET_wrnColumnDefault","features":[513]},{"name":"JET_wrnColumnMaxTruncated","features":[513]},{"name":"JET_wrnColumnMoreTags","features":[513]},{"name":"JET_wrnColumnNotInRecord","features":[513]},{"name":"JET_wrnColumnNotLocal","features":[513]},{"name":"JET_wrnColumnNull","features":[513]},{"name":"JET_wrnColumnPresent","features":[513]},{"name":"JET_wrnColumnReference","features":[513]},{"name":"JET_wrnColumnSetNull","features":[513]},{"name":"JET_wrnColumnSingleValue","features":[513]},{"name":"JET_wrnColumnSkipped","features":[513]},{"name":"JET_wrnColumnTruncated","features":[513]},{"name":"JET_wrnCommittedLogFilesLost","features":[513]},{"name":"JET_wrnCommittedLogFilesRemoved","features":[513]},{"name":"JET_wrnCopyLongValue","features":[513]},{"name":"JET_wrnCorruptIndexDeleted","features":[513]},{"name":"JET_wrnDataHasChanged","features":[513]},{"name":"JET_wrnDatabaseAttached","features":[513]},{"name":"JET_wrnDatabaseRepaired","features":[513]},{"name":"JET_wrnDefragAlreadyRunning","features":[513]},{"name":"JET_wrnDefragNotRunning","features":[513]},{"name":"JET_wrnExistingLogFileHasBadSignature","features":[513]},{"name":"JET_wrnExistingLogFileIsNotContiguous","features":[513]},{"name":"JET_wrnFileOpenReadOnly","features":[513]},{"name":"JET_wrnFinishWithUndo","features":[513]},{"name":"JET_wrnIdleFull","features":[513]},{"name":"JET_wrnKeyChanged","features":[513]},{"name":"JET_wrnNoErrorInfo","features":[513]},{"name":"JET_wrnNoIdleActivity","features":[513]},{"name":"JET_wrnNoWriteLock","features":[513]},{"name":"JET_wrnNyi","features":[513]},{"name":"JET_wrnPrimaryIndexOutOfDate","features":[513]},{"name":"JET_wrnRemainingVersions","features":[513]},{"name":"JET_wrnSecondaryIndexOutOfDate","features":[513]},{"name":"JET_wrnSeekNotEqual","features":[513]},{"name":"JET_wrnSeparateLongValue","features":[513]},{"name":"JET_wrnShrinkNotPossible","features":[513]},{"name":"JET_wrnSkipThisRecord","features":[513]},{"name":"JET_wrnSortOverflow","features":[513]},{"name":"JET_wrnTableEmpty","features":[513]},{"name":"JET_wrnTableInUseBySystem","features":[513]},{"name":"JET_wrnTargetInstanceRunning","features":[513]},{"name":"JET_wrnUniqueKey","features":[513]},{"name":"JET_wszConfigStoreReadControl","features":[513]},{"name":"JET_wszConfigStoreRelPathSysParamDefault","features":[513]},{"name":"JET_wszConfigStoreRelPathSysParamOverride","features":[513]},{"name":"JetAddColumnA","features":[513,514]},{"name":"JetAddColumnW","features":[513,514]},{"name":"JetAttachDatabase2A","features":[513,514]},{"name":"JetAttachDatabase2W","features":[513,514]},{"name":"JetAttachDatabaseA","features":[513,514]},{"name":"JetAttachDatabaseW","features":[513,514]},{"name":"JetBackupA","features":[513,514]},{"name":"JetBackupInstanceA","features":[513,514]},{"name":"JetBackupInstanceW","features":[513,514]},{"name":"JetBackupW","features":[513,514]},{"name":"JetBeginExternalBackup","features":[513]},{"name":"JetBeginExternalBackupInstance","features":[513,514]},{"name":"JetBeginSessionA","features":[513,514]},{"name":"JetBeginSessionW","features":[513,514]},{"name":"JetBeginTransaction","features":[513,514]},{"name":"JetBeginTransaction2","features":[513,514]},{"name":"JetBeginTransaction3","features":[513,514]},{"name":"JetCloseDatabase","features":[513,514]},{"name":"JetCloseFile","features":[513,514]},{"name":"JetCloseFileInstance","features":[513,514]},{"name":"JetCloseTable","features":[513,514]},{"name":"JetCommitTransaction","features":[513,514]},{"name":"JetCommitTransaction2","features":[513,514]},{"name":"JetCompactA","features":[513,514]},{"name":"JetCompactW","features":[513,514]},{"name":"JetComputeStats","features":[513,514]},{"name":"JetConfigureProcessForCrashDump","features":[513]},{"name":"JetCreateDatabase2A","features":[513,514]},{"name":"JetCreateDatabase2W","features":[513,514]},{"name":"JetCreateDatabaseA","features":[513,514]},{"name":"JetCreateDatabaseW","features":[513,514]},{"name":"JetCreateIndex2A","features":[513,514]},{"name":"JetCreateIndex2W","features":[513,514]},{"name":"JetCreateIndex3A","features":[513,514]},{"name":"JetCreateIndex3W","features":[513,514]},{"name":"JetCreateIndex4A","features":[513,514]},{"name":"JetCreateIndex4W","features":[513,514]},{"name":"JetCreateIndexA","features":[513,514]},{"name":"JetCreateIndexW","features":[513,514]},{"name":"JetCreateInstance2A","features":[513,514]},{"name":"JetCreateInstance2W","features":[513,514]},{"name":"JetCreateInstanceA","features":[513,514]},{"name":"JetCreateInstanceW","features":[513,514]},{"name":"JetCreateTableA","features":[513,514]},{"name":"JetCreateTableColumnIndex2A","features":[513,514]},{"name":"JetCreateTableColumnIndex2W","features":[513,514]},{"name":"JetCreateTableColumnIndex3A","features":[513,514]},{"name":"JetCreateTableColumnIndex3W","features":[513,514]},{"name":"JetCreateTableColumnIndex4A","features":[513,514]},{"name":"JetCreateTableColumnIndex4W","features":[513,514]},{"name":"JetCreateTableColumnIndexA","features":[513,514]},{"name":"JetCreateTableColumnIndexW","features":[513,514]},{"name":"JetCreateTableW","features":[513,514]},{"name":"JetDefragment2A","features":[513,514]},{"name":"JetDefragment2W","features":[513,514]},{"name":"JetDefragment3A","features":[513,514]},{"name":"JetDefragment3W","features":[513,514]},{"name":"JetDefragmentA","features":[513,514]},{"name":"JetDefragmentW","features":[513,514]},{"name":"JetDelete","features":[513,514]},{"name":"JetDeleteColumn2A","features":[513,514]},{"name":"JetDeleteColumn2W","features":[513,514]},{"name":"JetDeleteColumnA","features":[513,514]},{"name":"JetDeleteColumnW","features":[513,514]},{"name":"JetDeleteIndexA","features":[513,514]},{"name":"JetDeleteIndexW","features":[513,514]},{"name":"JetDeleteTableA","features":[513,514]},{"name":"JetDeleteTableW","features":[513,514]},{"name":"JetDetachDatabase2A","features":[513,514]},{"name":"JetDetachDatabase2W","features":[513,514]},{"name":"JetDetachDatabaseA","features":[513,514]},{"name":"JetDetachDatabaseW","features":[513,514]},{"name":"JetDupCursor","features":[513,514]},{"name":"JetDupSession","features":[513,514]},{"name":"JetEnableMultiInstanceA","features":[513,514]},{"name":"JetEnableMultiInstanceW","features":[513,514]},{"name":"JetEndExternalBackup","features":[513]},{"name":"JetEndExternalBackupInstance","features":[513,514]},{"name":"JetEndExternalBackupInstance2","features":[513,514]},{"name":"JetEndSession","features":[513,514]},{"name":"JetEnumerateColumns","features":[513,514]},{"name":"JetEscrowUpdate","features":[513,514]},{"name":"JetExternalRestore2A","features":[513,514]},{"name":"JetExternalRestore2W","features":[513,514]},{"name":"JetExternalRestoreA","features":[513,514]},{"name":"JetExternalRestoreW","features":[513,514]},{"name":"JetFreeBuffer","features":[513]},{"name":"JetGetAttachInfoA","features":[513]},{"name":"JetGetAttachInfoInstanceA","features":[513,514]},{"name":"JetGetAttachInfoInstanceW","features":[513,514]},{"name":"JetGetAttachInfoW","features":[513]},{"name":"JetGetBookmark","features":[513,514]},{"name":"JetGetColumnInfoA","features":[513,514]},{"name":"JetGetColumnInfoW","features":[513,514]},{"name":"JetGetCurrentIndexA","features":[513,514]},{"name":"JetGetCurrentIndexW","features":[513,514]},{"name":"JetGetCursorInfo","features":[513,514]},{"name":"JetGetDatabaseFileInfoA","features":[513]},{"name":"JetGetDatabaseFileInfoW","features":[513]},{"name":"JetGetDatabaseInfoA","features":[513,514]},{"name":"JetGetDatabaseInfoW","features":[513,514]},{"name":"JetGetErrorInfoW","features":[513]},{"name":"JetGetIndexInfoA","features":[513,514]},{"name":"JetGetIndexInfoW","features":[513,514]},{"name":"JetGetInstanceInfoA","features":[513,514]},{"name":"JetGetInstanceInfoW","features":[513,514]},{"name":"JetGetInstanceMiscInfo","features":[513,514]},{"name":"JetGetLS","features":[513,514]},{"name":"JetGetLock","features":[513,514]},{"name":"JetGetLogInfoA","features":[513]},{"name":"JetGetLogInfoInstance2A","features":[513,514]},{"name":"JetGetLogInfoInstance2W","features":[513,514]},{"name":"JetGetLogInfoInstanceA","features":[513,514]},{"name":"JetGetLogInfoInstanceW","features":[513,514]},{"name":"JetGetLogInfoW","features":[513]},{"name":"JetGetObjectInfoA","features":[513,514]},{"name":"JetGetObjectInfoW","features":[513,514]},{"name":"JetGetRecordPosition","features":[513,514]},{"name":"JetGetRecordSize","features":[513,514]},{"name":"JetGetRecordSize2","features":[513,514]},{"name":"JetGetSecondaryIndexBookmark","features":[513,514]},{"name":"JetGetSessionParameter","features":[513,514]},{"name":"JetGetSystemParameterA","features":[513,514]},{"name":"JetGetSystemParameterW","features":[513,514]},{"name":"JetGetTableColumnInfoA","features":[513,514]},{"name":"JetGetTableColumnInfoW","features":[513,514]},{"name":"JetGetTableIndexInfoA","features":[513,514]},{"name":"JetGetTableIndexInfoW","features":[513,514]},{"name":"JetGetTableInfoA","features":[513,514]},{"name":"JetGetTableInfoW","features":[513,514]},{"name":"JetGetThreadStats","features":[513]},{"name":"JetGetTruncateLogInfoInstanceA","features":[513,514]},{"name":"JetGetTruncateLogInfoInstanceW","features":[513,514]},{"name":"JetGetVersion","features":[513,514]},{"name":"JetGotoBookmark","features":[513,514]},{"name":"JetGotoPosition","features":[513,514]},{"name":"JetGotoSecondaryIndexBookmark","features":[513,514]},{"name":"JetGrowDatabase","features":[513,514]},{"name":"JetIdle","features":[513,514]},{"name":"JetIndexRecordCount","features":[513,514]},{"name":"JetInit","features":[513,514]},{"name":"JetInit2","features":[513,514]},{"name":"JetInit3A","features":[513,514]},{"name":"JetInit3W","features":[513,514]},{"name":"JetIntersectIndexes","features":[513,514]},{"name":"JetMakeKey","features":[513,514]},{"name":"JetMove","features":[513,514]},{"name":"JetOSSnapshotAbort","features":[513]},{"name":"JetOSSnapshotEnd","features":[513]},{"name":"JetOSSnapshotFreezeA","features":[513,514]},{"name":"JetOSSnapshotFreezeW","features":[513,514]},{"name":"JetOSSnapshotGetFreezeInfoA","features":[513,514]},{"name":"JetOSSnapshotGetFreezeInfoW","features":[513,514]},{"name":"JetOSSnapshotPrepare","features":[513]},{"name":"JetOSSnapshotPrepareInstance","features":[513,514]},{"name":"JetOSSnapshotThaw","features":[513]},{"name":"JetOSSnapshotTruncateLog","features":[513]},{"name":"JetOSSnapshotTruncateLogInstance","features":[513,514]},{"name":"JetOpenDatabaseA","features":[513,514]},{"name":"JetOpenDatabaseW","features":[513,514]},{"name":"JetOpenFileA","features":[513,514]},{"name":"JetOpenFileInstanceA","features":[513,514]},{"name":"JetOpenFileInstanceW","features":[513,514]},{"name":"JetOpenFileW","features":[513,514]},{"name":"JetOpenTableA","features":[513,514]},{"name":"JetOpenTableW","features":[513,514]},{"name":"JetOpenTempTable","features":[513,514]},{"name":"JetOpenTempTable2","features":[513,514]},{"name":"JetOpenTempTable3","features":[513,514]},{"name":"JetOpenTemporaryTable","features":[513,514]},{"name":"JetOpenTemporaryTable2","features":[513,514]},{"name":"JetPrepareUpdate","features":[513,514]},{"name":"JetPrereadIndexRanges","features":[513,514]},{"name":"JetPrereadKeys","features":[513,514]},{"name":"JetReadFile","features":[513,514]},{"name":"JetReadFileInstance","features":[513,514]},{"name":"JetRegisterCallback","features":[513,514]},{"name":"JetRenameColumnA","features":[513,514]},{"name":"JetRenameColumnW","features":[513,514]},{"name":"JetRenameTableA","features":[513,514]},{"name":"JetRenameTableW","features":[513,514]},{"name":"JetResetSessionContext","features":[513,514]},{"name":"JetResetTableSequential","features":[513,514]},{"name":"JetResizeDatabase","features":[513,514]},{"name":"JetRestore2A","features":[513,514]},{"name":"JetRestore2W","features":[513,514]},{"name":"JetRestoreA","features":[513,514]},{"name":"JetRestoreInstanceA","features":[513,514]},{"name":"JetRestoreInstanceW","features":[513,514]},{"name":"JetRestoreW","features":[513,514]},{"name":"JetRetrieveColumn","features":[513,514]},{"name":"JetRetrieveColumns","features":[513,514]},{"name":"JetRetrieveKey","features":[513,514]},{"name":"JetRollback","features":[513,514]},{"name":"JetSeek","features":[513,514]},{"name":"JetSetColumn","features":[513,514]},{"name":"JetSetColumnDefaultValueA","features":[513,514]},{"name":"JetSetColumnDefaultValueW","features":[513,514]},{"name":"JetSetColumns","features":[513,514]},{"name":"JetSetCurrentIndex2A","features":[513,514]},{"name":"JetSetCurrentIndex2W","features":[513,514]},{"name":"JetSetCurrentIndex3A","features":[513,514]},{"name":"JetSetCurrentIndex3W","features":[513,514]},{"name":"JetSetCurrentIndex4A","features":[513,514]},{"name":"JetSetCurrentIndex4W","features":[513,514]},{"name":"JetSetCurrentIndexA","features":[513,514]},{"name":"JetSetCurrentIndexW","features":[513,514]},{"name":"JetSetCursorFilter","features":[513,514]},{"name":"JetSetDatabaseSizeA","features":[513,514]},{"name":"JetSetDatabaseSizeW","features":[513,514]},{"name":"JetSetIndexRange","features":[513,514]},{"name":"JetSetLS","features":[513,514]},{"name":"JetSetSessionContext","features":[513,514]},{"name":"JetSetSessionParameter","features":[513,514]},{"name":"JetSetSystemParameterA","features":[513,514]},{"name":"JetSetSystemParameterW","features":[513,514]},{"name":"JetSetTableSequential","features":[513,514]},{"name":"JetStopBackup","features":[513]},{"name":"JetStopBackupInstance","features":[513,514]},{"name":"JetStopService","features":[513]},{"name":"JetStopServiceInstance","features":[513,514]},{"name":"JetStopServiceInstance2","features":[513,514]},{"name":"JetTerm","features":[513,514]},{"name":"JetTerm2","features":[513,514]},{"name":"JetTruncateLog","features":[513]},{"name":"JetTruncateLogInstance","features":[513,514]},{"name":"JetUnregisterCallback","features":[513,514]},{"name":"JetUpdate","features":[513,514]},{"name":"JetUpdate2","features":[513,514]},{"name":"cColumnInfoCols","features":[513]},{"name":"cIndexInfoCols","features":[513]},{"name":"cObjectInfoCols","features":[513]},{"name":"wrnBTNotVisibleAccumulated","features":[513]},{"name":"wrnBTNotVisibleRejected","features":[513]}],"516":[{"name":"ACTIVE_LATENCY_CONFIGURATION","features":[515]},{"name":"BUCKET_COUNTER","features":[515]},{"name":"DEBUG_BIT_FIELD","features":[515]},{"name":"DSSD_POWER_STATE_DESCRIPTOR","features":[515]},{"name":"FIRMWARE_ACTIVATION_HISTORY_ENTRY","features":[515]},{"name":"FIRMWARE_ACTIVATION_HISTORY_ENTRY_VERSION_1","features":[515]},{"name":"GUID_MFND_CHILD_CONTROLLER_EVENT_LOG_PAGE","features":[515]},{"name":"GUID_MFND_CHILD_CONTROLLER_EVENT_LOG_PAGEGuid","features":[515]},{"name":"GUID_OCP_DEVICE_DEVICE_CAPABILITIES","features":[515]},{"name":"GUID_OCP_DEVICE_DEVICE_CAPABILITIESGuid","features":[515]},{"name":"GUID_OCP_DEVICE_ERROR_RECOVERY","features":[515]},{"name":"GUID_OCP_DEVICE_ERROR_RECOVERYGuid","features":[515]},{"name":"GUID_OCP_DEVICE_FIRMWARE_ACTIVATION_HISTORY","features":[515]},{"name":"GUID_OCP_DEVICE_FIRMWARE_ACTIVATION_HISTORYGuid","features":[515]},{"name":"GUID_OCP_DEVICE_LATENCY_MONITOR","features":[515]},{"name":"GUID_OCP_DEVICE_LATENCY_MONITORGuid","features":[515]},{"name":"GUID_OCP_DEVICE_SMART_INFORMATION","features":[515]},{"name":"GUID_OCP_DEVICE_SMART_INFORMATIONGuid","features":[515]},{"name":"GUID_OCP_DEVICE_TCG_CONFIGURATION","features":[515]},{"name":"GUID_OCP_DEVICE_TCG_CONFIGURATIONGuid","features":[515]},{"name":"GUID_OCP_DEVICE_TCG_HISTORY","features":[515]},{"name":"GUID_OCP_DEVICE_TCG_HISTORYGuid","features":[515]},{"name":"GUID_OCP_DEVICE_UNSUPPORTED_REQUIREMENTS","features":[515]},{"name":"GUID_OCP_DEVICE_UNSUPPORTED_REQUIREMENTSGuid","features":[515]},{"name":"GUID_WCS_DEVICE_ERROR_RECOVERY","features":[515]},{"name":"GUID_WCS_DEVICE_ERROR_RECOVERYGuid","features":[515]},{"name":"GUID_WCS_DEVICE_SMART_ATTRIBUTES","features":[515]},{"name":"GUID_WCS_DEVICE_SMART_ATTRIBUTESGuid","features":[515]},{"name":"LATENCY_MONITOR_FEATURE_STATUS","features":[515]},{"name":"LATENCY_STAMP","features":[515]},{"name":"LATENCY_STAMP_UNITS","features":[515]},{"name":"MEASURED_LATENCY","features":[515]},{"name":"NVME_ACCESS_FREQUENCIES","features":[515]},{"name":"NVME_ACCESS_FREQUENCY_FR_WRITE_FR_READ","features":[515]},{"name":"NVME_ACCESS_FREQUENCY_FR_WRITE_INFR_READ","features":[515]},{"name":"NVME_ACCESS_FREQUENCY_INFR_WRITE_FR_READ","features":[515]},{"name":"NVME_ACCESS_FREQUENCY_INFR_WRITE_INFR_READ","features":[515]},{"name":"NVME_ACCESS_FREQUENCY_NONE","features":[515]},{"name":"NVME_ACCESS_FREQUENCY_ONE_TIME_READ","features":[515]},{"name":"NVME_ACCESS_FREQUENCY_SPECULATIVE_READ","features":[515]},{"name":"NVME_ACCESS_FREQUENCY_TYPICAL","features":[515]},{"name":"NVME_ACCESS_FREQUENCY_WILL_BE_OVERWRITTEN","features":[515]},{"name":"NVME_ACCESS_LATENCIES","features":[515]},{"name":"NVME_ACCESS_LATENCY_IDLE","features":[515]},{"name":"NVME_ACCESS_LATENCY_LOW","features":[515]},{"name":"NVME_ACCESS_LATENCY_NONE","features":[515]},{"name":"NVME_ACCESS_LATENCY_NORMAL","features":[515]},{"name":"NVME_ACTIVE_NAMESPACE_ID_LIST","features":[515]},{"name":"NVME_ADMIN_COMMANDS","features":[515]},{"name":"NVME_ADMIN_COMMAND_ABORT","features":[515]},{"name":"NVME_ADMIN_COMMAND_ASYNC_EVENT_REQUEST","features":[515]},{"name":"NVME_ADMIN_COMMAND_CREATE_IO_CQ","features":[515]},{"name":"NVME_ADMIN_COMMAND_CREATE_IO_SQ","features":[515]},{"name":"NVME_ADMIN_COMMAND_DELETE_IO_CQ","features":[515]},{"name":"NVME_ADMIN_COMMAND_DELETE_IO_SQ","features":[515]},{"name":"NVME_ADMIN_COMMAND_DEVICE_SELF_TEST","features":[515]},{"name":"NVME_ADMIN_COMMAND_DIRECTIVE_RECEIVE","features":[515]},{"name":"NVME_ADMIN_COMMAND_DIRECTIVE_SEND","features":[515]},{"name":"NVME_ADMIN_COMMAND_DOORBELL_BUFFER_CONFIG","features":[515]},{"name":"NVME_ADMIN_COMMAND_FIRMWARE_ACTIVATE","features":[515]},{"name":"NVME_ADMIN_COMMAND_FIRMWARE_COMMIT","features":[515]},{"name":"NVME_ADMIN_COMMAND_FIRMWARE_IMAGE_DOWNLOAD","features":[515]},{"name":"NVME_ADMIN_COMMAND_FORMAT_NVM","features":[515]},{"name":"NVME_ADMIN_COMMAND_GET_FEATURES","features":[515]},{"name":"NVME_ADMIN_COMMAND_GET_LBA_STATUS","features":[515]},{"name":"NVME_ADMIN_COMMAND_GET_LOG_PAGE","features":[515]},{"name":"NVME_ADMIN_COMMAND_IDENTIFY","features":[515]},{"name":"NVME_ADMIN_COMMAND_NAMESPACE_ATTACHMENT","features":[515]},{"name":"NVME_ADMIN_COMMAND_NAMESPACE_MANAGEMENT","features":[515]},{"name":"NVME_ADMIN_COMMAND_NVME_MI_RECEIVE","features":[515]},{"name":"NVME_ADMIN_COMMAND_NVME_MI_SEND","features":[515]},{"name":"NVME_ADMIN_COMMAND_SANITIZE","features":[515]},{"name":"NVME_ADMIN_COMMAND_SECURITY_RECEIVE","features":[515]},{"name":"NVME_ADMIN_COMMAND_SECURITY_SEND","features":[515]},{"name":"NVME_ADMIN_COMMAND_SET_FEATURES","features":[515]},{"name":"NVME_ADMIN_COMMAND_VIRTUALIZATION_MANAGEMENT","features":[515]},{"name":"NVME_ADMIN_COMPLETION_QUEUE_BASE_ADDRESS","features":[515]},{"name":"NVME_ADMIN_QUEUE_ATTRIBUTES","features":[515]},{"name":"NVME_ADMIN_SUBMISSION_QUEUE_BASE_ADDRESS","features":[515]},{"name":"NVME_AMS_OPTION","features":[515]},{"name":"NVME_AMS_ROUND_ROBIN","features":[515]},{"name":"NVME_AMS_WEIGHTED_ROUND_ROBIN_URGENT","features":[515]},{"name":"NVME_ASYNC_ERROR_DIAG_FAILURE","features":[515]},{"name":"NVME_ASYNC_ERROR_FIRMWARE_IMAGE_LOAD_ERROR","features":[515]},{"name":"NVME_ASYNC_ERROR_INVALID_DOORBELL_WRITE_VALUE","features":[515]},{"name":"NVME_ASYNC_ERROR_INVALID_SUBMISSION_QUEUE","features":[515]},{"name":"NVME_ASYNC_ERROR_PERSISTENT_INTERNAL_DEVICE_ERROR","features":[515]},{"name":"NVME_ASYNC_ERROR_TRANSIENT_INTERNAL_DEVICE_ERROR","features":[515]},{"name":"NVME_ASYNC_EVENT_ERROR_STATUS_CODES","features":[515]},{"name":"NVME_ASYNC_EVENT_HEALTH_STATUS_CODES","features":[515]},{"name":"NVME_ASYNC_EVENT_IO_COMMAND_SET_STATUS_CODES","features":[515]},{"name":"NVME_ASYNC_EVENT_NOTICE_CODES","features":[515]},{"name":"NVME_ASYNC_EVENT_TYPES","features":[515]},{"name":"NVME_ASYNC_EVENT_TYPE_ERROR_STATUS","features":[515]},{"name":"NVME_ASYNC_EVENT_TYPE_HEALTH_STATUS","features":[515]},{"name":"NVME_ASYNC_EVENT_TYPE_IO_COMMAND_SET_STATUS","features":[515]},{"name":"NVME_ASYNC_EVENT_TYPE_NOTICE","features":[515]},{"name":"NVME_ASYNC_EVENT_TYPE_VENDOR_SPECIFIC","features":[515]},{"name":"NVME_ASYNC_EVENT_TYPE_VENDOR_SPECIFIC_CODES","features":[515]},{"name":"NVME_ASYNC_EVENT_TYPE_VENDOR_SPECIFIC_DEVICE_PANIC","features":[515]},{"name":"NVME_ASYNC_EVENT_TYPE_VENDOR_SPECIFIC_RESERVED","features":[515]},{"name":"NVME_ASYNC_HEALTH_NVM_SUBSYSTEM_RELIABILITY","features":[515]},{"name":"NVME_ASYNC_HEALTH_SPARE_BELOW_THRESHOLD","features":[515]},{"name":"NVME_ASYNC_HEALTH_TEMPERATURE_THRESHOLD","features":[515]},{"name":"NVME_ASYNC_IO_CMD_SANITIZE_OPERATION_COMPLETED","features":[515]},{"name":"NVME_ASYNC_IO_CMD_SANITIZE_OPERATION_COMPLETED_WITH_UNEXPECTED_DEALLOCATION","features":[515]},{"name":"NVME_ASYNC_IO_CMD_SET_RESERVATION_LOG_PAGE_AVAILABLE","features":[515]},{"name":"NVME_ASYNC_NOTICE_ASYMMETRIC_ACCESS_CHANGE","features":[515]},{"name":"NVME_ASYNC_NOTICE_ENDURANCE_GROUP_EVENT_AGGREGATE_LOG_CHANGE","features":[515]},{"name":"NVME_ASYNC_NOTICE_FIRMWARE_ACTIVATION_STARTING","features":[515]},{"name":"NVME_ASYNC_NOTICE_LBA_STATUS_INFORMATION_ALERT","features":[515]},{"name":"NVME_ASYNC_NOTICE_NAMESPACE_ATTRIBUTE_CHANGED","features":[515]},{"name":"NVME_ASYNC_NOTICE_PREDICTABLE_LATENCY_EVENT_AGGREGATE_LOG_CHANGE","features":[515]},{"name":"NVME_ASYNC_NOTICE_TELEMETRY_LOG_CHANGED","features":[515]},{"name":"NVME_ASYNC_NOTICE_ZONE_DESCRIPTOR_CHANGED","features":[515]},{"name":"NVME_AUTO_POWER_STATE_TRANSITION_ENTRY","features":[515]},{"name":"NVME_CC_SHN_ABRUPT_SHUTDOWN","features":[515]},{"name":"NVME_CC_SHN_NORMAL_SHUTDOWN","features":[515]},{"name":"NVME_CC_SHN_NO_NOTIFICATION","features":[515]},{"name":"NVME_CC_SHN_SHUTDOWN_NOTIFICATIONS","features":[515]},{"name":"NVME_CDW0_FEATURE_ENABLE_IEEE1667_SILO","features":[515]},{"name":"NVME_CDW0_FEATURE_ERROR_INJECTION","features":[515]},{"name":"NVME_CDW0_FEATURE_READONLY_WRITETHROUGH_MODE","features":[515]},{"name":"NVME_CDW0_RESERVATION_PERSISTENCE","features":[515]},{"name":"NVME_CDW10_ABORT","features":[515]},{"name":"NVME_CDW10_CREATE_IO_QUEUE","features":[515]},{"name":"NVME_CDW10_DATASET_MANAGEMENT","features":[515]},{"name":"NVME_CDW10_DIRECTIVE_RECEIVE","features":[515]},{"name":"NVME_CDW10_DIRECTIVE_SEND","features":[515]},{"name":"NVME_CDW10_FIRMWARE_ACTIVATE","features":[515]},{"name":"NVME_CDW10_FIRMWARE_DOWNLOAD","features":[515]},{"name":"NVME_CDW10_FORMAT_NVM","features":[515]},{"name":"NVME_CDW10_GET_FEATURES","features":[515]},{"name":"NVME_CDW10_GET_LOG_PAGE","features":[515]},{"name":"NVME_CDW10_GET_LOG_PAGE_V13","features":[515]},{"name":"NVME_CDW10_IDENTIFY","features":[515]},{"name":"NVME_CDW10_RESERVATION_ACQUIRE","features":[515]},{"name":"NVME_CDW10_RESERVATION_REGISTER","features":[515]},{"name":"NVME_CDW10_RESERVATION_RELEASE","features":[515]},{"name":"NVME_CDW10_RESERVATION_REPORT","features":[515]},{"name":"NVME_CDW10_SANITIZE","features":[515]},{"name":"NVME_CDW10_SECURITY_SEND_RECEIVE","features":[515]},{"name":"NVME_CDW10_SET_FEATURES","features":[515]},{"name":"NVME_CDW10_ZONE_APPEND","features":[515]},{"name":"NVME_CDW10_ZONE_MANAGEMENT_RECEIVE","features":[515]},{"name":"NVME_CDW10_ZONE_MANAGEMENT_SEND","features":[515]},{"name":"NVME_CDW11_CREATE_IO_CQ","features":[515]},{"name":"NVME_CDW11_CREATE_IO_SQ","features":[515]},{"name":"NVME_CDW11_DATASET_MANAGEMENT","features":[515]},{"name":"NVME_CDW11_DIRECTIVE_RECEIVE","features":[515]},{"name":"NVME_CDW11_DIRECTIVE_SEND","features":[515]},{"name":"NVME_CDW11_FEATURES","features":[515]},{"name":"NVME_CDW11_FEATURE_ARBITRATION","features":[515]},{"name":"NVME_CDW11_FEATURE_ASYNC_EVENT_CONFIG","features":[515]},{"name":"NVME_CDW11_FEATURE_AUTO_POWER_STATE_TRANSITION","features":[515]},{"name":"NVME_CDW11_FEATURE_CLEAR_FW_UPDATE_HISTORY","features":[515]},{"name":"NVME_CDW11_FEATURE_CLEAR_PCIE_CORRECTABLE_ERROR_COUNTERS","features":[515]},{"name":"NVME_CDW11_FEATURE_ENABLE_IEEE1667_SILO","features":[515]},{"name":"NVME_CDW11_FEATURE_ERROR_RECOVERY","features":[515]},{"name":"NVME_CDW11_FEATURE_GET_HOST_METADATA","features":[515]},{"name":"NVME_CDW11_FEATURE_HOST_IDENTIFIER","features":[515]},{"name":"NVME_CDW11_FEATURE_HOST_MEMORY_BUFFER","features":[515]},{"name":"NVME_CDW11_FEATURE_INTERRUPT_COALESCING","features":[515]},{"name":"NVME_CDW11_FEATURE_INTERRUPT_VECTOR_CONFIG","features":[515]},{"name":"NVME_CDW11_FEATURE_IO_COMMAND_SET_PROFILE","features":[515]},{"name":"NVME_CDW11_FEATURE_LBA_RANGE_TYPE","features":[515]},{"name":"NVME_CDW11_FEATURE_NON_OPERATIONAL_POWER_STATE","features":[515]},{"name":"NVME_CDW11_FEATURE_NUMBER_OF_QUEUES","features":[515]},{"name":"NVME_CDW11_FEATURE_POWER_MANAGEMENT","features":[515]},{"name":"NVME_CDW11_FEATURE_READONLY_WRITETHROUGH_MODE","features":[515]},{"name":"NVME_CDW11_FEATURE_RESERVATION_NOTIFICATION_MASK","features":[515]},{"name":"NVME_CDW11_FEATURE_RESERVATION_PERSISTENCE","features":[515]},{"name":"NVME_CDW11_FEATURE_SET_HOST_METADATA","features":[515]},{"name":"NVME_CDW11_FEATURE_SUPPORTED_CAPABILITY","features":[515]},{"name":"NVME_CDW11_FEATURE_TEMPERATURE_THRESHOLD","features":[515]},{"name":"NVME_CDW11_FEATURE_VOLATILE_WRITE_CACHE","features":[515]},{"name":"NVME_CDW11_FEATURE_WRITE_ATOMICITY_NORMAL","features":[515]},{"name":"NVME_CDW11_FIRMWARE_DOWNLOAD","features":[515]},{"name":"NVME_CDW11_GET_LOG_PAGE","features":[515]},{"name":"NVME_CDW11_IDENTIFY","features":[515]},{"name":"NVME_CDW11_RESERVATION_REPORT","features":[515]},{"name":"NVME_CDW11_SANITIZE","features":[515]},{"name":"NVME_CDW11_SECURITY_RECEIVE","features":[515]},{"name":"NVME_CDW11_SECURITY_SEND","features":[515]},{"name":"NVME_CDW12_DIRECTIVE_RECEIVE","features":[515]},{"name":"NVME_CDW12_DIRECTIVE_RECEIVE_STREAMS_ALLOCATE_RESOURCES","features":[515]},{"name":"NVME_CDW12_DIRECTIVE_SEND","features":[515]},{"name":"NVME_CDW12_DIRECTIVE_SEND_IDENTIFY_ENABLE_DIRECTIVE","features":[515]},{"name":"NVME_CDW12_FEATURES","features":[515]},{"name":"NVME_CDW12_FEATURE_HOST_MEMORY_BUFFER","features":[515]},{"name":"NVME_CDW12_GET_LOG_PAGE","features":[515]},{"name":"NVME_CDW12_READ_WRITE","features":[515]},{"name":"NVME_CDW12_ZONE_APPEND","features":[515]},{"name":"NVME_CDW13_FEATURES","features":[515]},{"name":"NVME_CDW13_FEATURE_HOST_MEMORY_BUFFER","features":[515]},{"name":"NVME_CDW13_GET_LOG_PAGE","features":[515]},{"name":"NVME_CDW13_READ_WRITE","features":[515]},{"name":"NVME_CDW13_ZONE_MANAGEMENT_RECEIVE","features":[515]},{"name":"NVME_CDW13_ZONE_MANAGEMENT_SEND","features":[515]},{"name":"NVME_CDW14_FEATURES","features":[515]},{"name":"NVME_CDW14_FEATURE_HOST_MEMORY_BUFFER","features":[515]},{"name":"NVME_CDW14_GET_LOG_PAGE","features":[515]},{"name":"NVME_CDW15_FEATURES","features":[515]},{"name":"NVME_CDW15_FEATURE_HOST_MEMORY_BUFFER","features":[515]},{"name":"NVME_CDW15_READ_WRITE","features":[515]},{"name":"NVME_CDW15_ZONE_APPEND","features":[515]},{"name":"NVME_CHANGED_NAMESPACE_LIST_LOG","features":[515]},{"name":"NVME_CHANGED_ZONE_LIST_LOG","features":[515]},{"name":"NVME_CMBSZ_SIZE_UNITS","features":[515]},{"name":"NVME_CMBSZ_SIZE_UNITS_16MB","features":[515]},{"name":"NVME_CMBSZ_SIZE_UNITS_1MB","features":[515]},{"name":"NVME_CMBSZ_SIZE_UNITS_256MB","features":[515]},{"name":"NVME_CMBSZ_SIZE_UNITS_4GB","features":[515]},{"name":"NVME_CMBSZ_SIZE_UNITS_4KB","features":[515]},{"name":"NVME_CMBSZ_SIZE_UNITS_64GB","features":[515]},{"name":"NVME_CMBSZ_SIZE_UNITS_64KB","features":[515]},{"name":"NVME_COMMAND","features":[515]},{"name":"NVME_COMMAND_DWORD0","features":[515]},{"name":"NVME_COMMAND_EFFECTS_DATA","features":[515]},{"name":"NVME_COMMAND_EFFECTS_LOG","features":[515]},{"name":"NVME_COMMAND_EFFECT_SBUMISSION_EXECUTION_LIMITS","features":[515]},{"name":"NVME_COMMAND_EFFECT_SBUMISSION_EXECUTION_LIMIT_NONE","features":[515]},{"name":"NVME_COMMAND_EFFECT_SBUMISSION_EXECUTION_LIMIT_SINGLE_PER_CONTROLLER","features":[515]},{"name":"NVME_COMMAND_EFFECT_SBUMISSION_EXECUTION_LIMIT_SINGLE_PER_NAMESPACE","features":[515]},{"name":"NVME_COMMAND_SET_IDENTIFIERS","features":[515]},{"name":"NVME_COMMAND_SET_KEY_VALUE","features":[515]},{"name":"NVME_COMMAND_SET_NVM","features":[515]},{"name":"NVME_COMMAND_SET_ZONED_NAMESPACE","features":[515]},{"name":"NVME_COMMAND_STATUS","features":[515]},{"name":"NVME_COMPLETION_DW0_ASYNC_EVENT_REQUEST","features":[515]},{"name":"NVME_COMPLETION_DW0_DIRECTIVE_RECEIVE_STREAMS_ALLOCATE_RESOURCES","features":[515]},{"name":"NVME_COMPLETION_ENTRY","features":[515]},{"name":"NVME_COMPLETION_QUEUE_HEAD_DOORBELL","features":[515]},{"name":"NVME_CONTEXT_ATTRIBUTES","features":[515]},{"name":"NVME_CONTROLLER_CAPABILITIES","features":[515]},{"name":"NVME_CONTROLLER_CONFIGURATION","features":[515]},{"name":"NVME_CONTROLLER_LIST","features":[515]},{"name":"NVME_CONTROLLER_MEMORY_BUFFER_LOCATION","features":[515]},{"name":"NVME_CONTROLLER_MEMORY_BUFFER_SIZE","features":[515]},{"name":"NVME_CONTROLLER_METADATA_CHIPSET_DRIVER_NAME","features":[515]},{"name":"NVME_CONTROLLER_METADATA_CHIPSET_DRIVER_VERSION","features":[515]},{"name":"NVME_CONTROLLER_METADATA_DISPLAY_DRIVER_NAME","features":[515]},{"name":"NVME_CONTROLLER_METADATA_DISPLAY_DRIVER_VERSION","features":[515]},{"name":"NVME_CONTROLLER_METADATA_ELEMENT_TYPES","features":[515]},{"name":"NVME_CONTROLLER_METADATA_FIRMWARE_VERSION","features":[515]},{"name":"NVME_CONTROLLER_METADATA_HOST_DETERMINED_FAILURE_RECORD","features":[515]},{"name":"NVME_CONTROLLER_METADATA_OPERATING_SYSTEM_CONTROLLER_NAME","features":[515]},{"name":"NVME_CONTROLLER_METADATA_OPERATING_SYSTEM_DRIVER_FILENAME","features":[515]},{"name":"NVME_CONTROLLER_METADATA_OPERATING_SYSTEM_DRIVER_NAME","features":[515]},{"name":"NVME_CONTROLLER_METADATA_OPERATING_SYSTEM_DRIVER_VERSION","features":[515]},{"name":"NVME_CONTROLLER_METADATA_OPERATING_SYSTEM_NAME_AND_BUILD","features":[515]},{"name":"NVME_CONTROLLER_METADATA_PREBOOT_CONTROLLER_NAME","features":[515]},{"name":"NVME_CONTROLLER_METADATA_PREBOOT_DRIVER_NAME","features":[515]},{"name":"NVME_CONTROLLER_METADATA_PREBOOT_DRIVER_VERSION","features":[515]},{"name":"NVME_CONTROLLER_METADATA_SYSTEM_PROCESSOR_MODEL","features":[515]},{"name":"NVME_CONTROLLER_METADATA_SYSTEM_PRODUCT_NAME","features":[515]},{"name":"NVME_CONTROLLER_REGISTERS","features":[515]},{"name":"NVME_CONTROLLER_STATUS","features":[515]},{"name":"NVME_CSS_ADMIN_COMMAND_SET_ONLY","features":[515]},{"name":"NVME_CSS_ALL_SUPPORTED_IO_COMMAND_SET","features":[515]},{"name":"NVME_CSS_COMMAND_SETS","features":[515]},{"name":"NVME_CSS_NVM_COMMAND_SET","features":[515]},{"name":"NVME_CSTS_SHST_NO_SHUTDOWN","features":[515]},{"name":"NVME_CSTS_SHST_SHUTDOWN_COMPLETED","features":[515]},{"name":"NVME_CSTS_SHST_SHUTDOWN_IN_PROCESS","features":[515]},{"name":"NVME_CSTS_SHST_SHUTDOWN_STATUS","features":[515]},{"name":"NVME_DEVICE_SELF_TEST_LOG","features":[515]},{"name":"NVME_DEVICE_SELF_TEST_RESULT_DATA","features":[515]},{"name":"NVME_DIRECTIVE_IDENTIFY_RETURN_PARAMETERS","features":[515]},{"name":"NVME_DIRECTIVE_IDENTIFY_RETURN_PARAMETERS_DESCRIPTOR","features":[515]},{"name":"NVME_DIRECTIVE_RECEIVE_IDENTIFY_OPERATIONS","features":[515]},{"name":"NVME_DIRECTIVE_RECEIVE_IDENTIFY_OPERATION_RETURN_PARAMETERS","features":[515]},{"name":"NVME_DIRECTIVE_RECEIVE_STREAMS_OPERATIONS","features":[515]},{"name":"NVME_DIRECTIVE_RECEIVE_STREAMS_OPERATION_ALLOCATE_RESOURCES","features":[515]},{"name":"NVME_DIRECTIVE_RECEIVE_STREAMS_OPERATION_GET_STATUS","features":[515]},{"name":"NVME_DIRECTIVE_RECEIVE_STREAMS_OPERATION_RETURN_PARAMETERS","features":[515]},{"name":"NVME_DIRECTIVE_SEND_IDENTIFY_OPERATIONS","features":[515]},{"name":"NVME_DIRECTIVE_SEND_IDENTIFY_OPERATION_ENABLE_DIRECTIVE","features":[515]},{"name":"NVME_DIRECTIVE_SEND_STREAMS_OPERATIONS","features":[515]},{"name":"NVME_DIRECTIVE_SEND_STREAMS_OPERATION_RELEASE_IDENTIFIER","features":[515]},{"name":"NVME_DIRECTIVE_SEND_STREAMS_OPERATION_RELEASE_RESOURCES","features":[515]},{"name":"NVME_DIRECTIVE_STREAMS_GET_STATUS_DATA","features":[515]},{"name":"NVME_DIRECTIVE_STREAMS_RETURN_PARAMETERS","features":[515]},{"name":"NVME_DIRECTIVE_TYPES","features":[515]},{"name":"NVME_DIRECTIVE_TYPE_IDENTIFY","features":[515]},{"name":"NVME_DIRECTIVE_TYPE_STREAMS","features":[515]},{"name":"NVME_ENDURANCE_GROUP_LOG","features":[515]},{"name":"NVME_ERROR_INFO_LOG","features":[515]},{"name":"NVME_ERROR_INJECTION_ENTRY","features":[515]},{"name":"NVME_ERROR_INJECTION_TYPES","features":[515]},{"name":"NVME_ERROR_INJECTION_TYPE_DEVICE_PANIC_CPU_CONTROLLER_HANG","features":[515]},{"name":"NVME_ERROR_INJECTION_TYPE_DEVICE_PANIC_DRAM_CORRUPTION_CRITICAL","features":[515]},{"name":"NVME_ERROR_INJECTION_TYPE_DEVICE_PANIC_DRAM_CORRUPTION_NONCRITICAL","features":[515]},{"name":"NVME_ERROR_INJECTION_TYPE_DEVICE_PANIC_HW_MALFUNCTION","features":[515]},{"name":"NVME_ERROR_INJECTION_TYPE_DEVICE_PANIC_LOGICAL_FW_ERROR","features":[515]},{"name":"NVME_ERROR_INJECTION_TYPE_DEVICE_PANIC_NAND_CORRUPTION","features":[515]},{"name":"NVME_ERROR_INJECTION_TYPE_DEVICE_PANIC_NAND_HANG","features":[515]},{"name":"NVME_ERROR_INJECTION_TYPE_DEVICE_PANIC_PLP_DEFECT","features":[515]},{"name":"NVME_ERROR_INJECTION_TYPE_DEVICE_PANIC_SRAM_CORRUPTION","features":[515]},{"name":"NVME_ERROR_INJECTION_TYPE_MAX","features":[515]},{"name":"NVME_ERROR_INJECTION_TYPE_RESERVED0","features":[515]},{"name":"NVME_ERROR_INJECTION_TYPE_RESERVED1","features":[515]},{"name":"NVME_EXTENDED_HOST_IDENTIFIER_SIZE","features":[515]},{"name":"NVME_EXTENDED_REPORT_ZONE_INFO","features":[515]},{"name":"NVME_FEATURES","features":[515]},{"name":"NVME_FEATURE_ARBITRATION","features":[515]},{"name":"NVME_FEATURE_ASYNC_EVENT_CONFIG","features":[515]},{"name":"NVME_FEATURE_AUTONOMOUS_POWER_STATE_TRANSITION","features":[515]},{"name":"NVME_FEATURE_CLEAR_FW_UPDATE_HISTORY","features":[515]},{"name":"NVME_FEATURE_CLEAR_PCIE_CORRECTABLE_ERROR_COUNTERS","features":[515]},{"name":"NVME_FEATURE_CONTROLLER_METADATA","features":[515]},{"name":"NVME_FEATURE_ENABLE_IEEE1667_SILO","features":[515]},{"name":"NVME_FEATURE_ENDURANCE_GROUP_EVENT_CONFIG","features":[515]},{"name":"NVME_FEATURE_ENHANCED_CONTROLLER_METADATA","features":[515]},{"name":"NVME_FEATURE_ERROR_INJECTION","features":[515]},{"name":"NVME_FEATURE_ERROR_RECOVERY","features":[515]},{"name":"NVME_FEATURE_HOST_BEHAVIOR_SUPPORT","features":[515]},{"name":"NVME_FEATURE_HOST_CONTROLLED_THERMAL_MANAGEMENT","features":[515]},{"name":"NVME_FEATURE_HOST_IDENTIFIER_DATA","features":[515]},{"name":"NVME_FEATURE_HOST_MEMORY_BUFFER","features":[515]},{"name":"NVME_FEATURE_HOST_METADATA_DATA","features":[515]},{"name":"NVME_FEATURE_INTERRUPT_COALESCING","features":[515]},{"name":"NVME_FEATURE_INTERRUPT_VECTOR_CONFIG","features":[515]},{"name":"NVME_FEATURE_IO_COMMAND_SET_PROFILE","features":[515]},{"name":"NVME_FEATURE_KEEP_ALIVE","features":[515]},{"name":"NVME_FEATURE_LBA_RANGE_TYPE","features":[515]},{"name":"NVME_FEATURE_LBA_STATUS_INFORMATION_REPORT_INTERVAL","features":[515]},{"name":"NVME_FEATURE_NAMESPACE_METADATA","features":[515]},{"name":"NVME_FEATURE_NONOPERATIONAL_POWER_STATE","features":[515]},{"name":"NVME_FEATURE_NUMBER_OF_QUEUES","features":[515]},{"name":"NVME_FEATURE_NVM_HOST_IDENTIFIER","features":[515]},{"name":"NVME_FEATURE_NVM_NAMESPACE_WRITE_PROTECTION_CONFIG","features":[515]},{"name":"NVME_FEATURE_NVM_RESERVATION_NOTIFICATION_MASK","features":[515]},{"name":"NVME_FEATURE_NVM_RESERVATION_PERSISTANCE","features":[515]},{"name":"NVME_FEATURE_NVM_SOFTWARE_PROGRESS_MARKER","features":[515]},{"name":"NVME_FEATURE_PLP_HEALTH_MONITOR","features":[515]},{"name":"NVME_FEATURE_POWER_MANAGEMENT","features":[515]},{"name":"NVME_FEATURE_PREDICTABLE_LATENCY_MODE_CONFIG","features":[515]},{"name":"NVME_FEATURE_PREDICTABLE_LATENCY_MODE_WINDOW","features":[515]},{"name":"NVME_FEATURE_READONLY_WRITETHROUGH_MODE","features":[515]},{"name":"NVME_FEATURE_READ_RECOVERY_LEVEL_CONFIG","features":[515]},{"name":"NVME_FEATURE_SANITIZE_CONFIG","features":[515]},{"name":"NVME_FEATURE_TEMPERATURE_THRESHOLD","features":[515]},{"name":"NVME_FEATURE_TIMESTAMP","features":[515]},{"name":"NVME_FEATURE_VALUE_CODES","features":[515]},{"name":"NVME_FEATURE_VALUE_CURRENT","features":[515]},{"name":"NVME_FEATURE_VALUE_DEFAULT","features":[515]},{"name":"NVME_FEATURE_VALUE_SAVED","features":[515]},{"name":"NVME_FEATURE_VALUE_SUPPORTED_CAPABILITIES","features":[515]},{"name":"NVME_FEATURE_VOLATILE_WRITE_CACHE","features":[515]},{"name":"NVME_FEATURE_WRITE_ATOMICITY","features":[515]},{"name":"NVME_FIRMWARE_ACTIVATE_ACTIONS","features":[515]},{"name":"NVME_FIRMWARE_ACTIVATE_ACTION_ACTIVATE","features":[515]},{"name":"NVME_FIRMWARE_ACTIVATE_ACTION_DOWNLOAD_TO_SLOT","features":[515]},{"name":"NVME_FIRMWARE_ACTIVATE_ACTION_DOWNLOAD_TO_SLOT_AND_ACTIVATE","features":[515]},{"name":"NVME_FIRMWARE_ACTIVATE_ACTION_DOWNLOAD_TO_SLOT_AND_ACTIVATE_IMMEDIATE","features":[515]},{"name":"NVME_FIRMWARE_SLOT_INFO_LOG","features":[515]},{"name":"NVME_FUSED_OPERATION_CODES","features":[515]},{"name":"NVME_FUSED_OPERATION_FIRST_CMD","features":[515]},{"name":"NVME_FUSED_OPERATION_NORMAL","features":[515]},{"name":"NVME_FUSED_OPERATION_SECOND_CMD","features":[515]},{"name":"NVME_HEALTH_INFO_LOG","features":[515]},{"name":"NVME_HOST_IDENTIFIER_SIZE","features":[515]},{"name":"NVME_HOST_MEMORY_BUFFER_DESCRIPTOR_ENTRY","features":[515]},{"name":"NVME_HOST_METADATA_ADD_ENTRY_MULTIPLE","features":[515]},{"name":"NVME_HOST_METADATA_ADD_REPLACE_ENTRY","features":[515]},{"name":"NVME_HOST_METADATA_DELETE_ENTRY_MULTIPLE","features":[515]},{"name":"NVME_HOST_METADATA_ELEMENT_ACTIONS","features":[515]},{"name":"NVME_HOST_METADATA_ELEMENT_DESCRIPTOR","features":[515]},{"name":"NVME_IDENTIFIER_TYPE","features":[515]},{"name":"NVME_IDENTIFIER_TYPE_CSI","features":[515]},{"name":"NVME_IDENTIFIER_TYPE_CSI_LENGTH","features":[515]},{"name":"NVME_IDENTIFIER_TYPE_EUI64","features":[515]},{"name":"NVME_IDENTIFIER_TYPE_EUI64_LENGTH","features":[515]},{"name":"NVME_IDENTIFIER_TYPE_LENGTH","features":[515]},{"name":"NVME_IDENTIFIER_TYPE_NGUID","features":[515]},{"name":"NVME_IDENTIFIER_TYPE_NGUID_LENGTH","features":[515]},{"name":"NVME_IDENTIFIER_TYPE_UUID","features":[515]},{"name":"NVME_IDENTIFIER_TYPE_UUID_LENGTH","features":[515]},{"name":"NVME_IDENTIFY_CNS_ACTIVE_NAMESPACES","features":[515]},{"name":"NVME_IDENTIFY_CNS_ACTIVE_NAMESPACE_LIST_IO_COMMAND_SET","features":[515]},{"name":"NVME_IDENTIFY_CNS_ALLOCATED_NAMESPACE","features":[515]},{"name":"NVME_IDENTIFY_CNS_ALLOCATED_NAMESPACE_IO_COMMAND_SET","features":[515]},{"name":"NVME_IDENTIFY_CNS_ALLOCATED_NAMESPACE_LIST","features":[515]},{"name":"NVME_IDENTIFY_CNS_ALLOCATED_NAMSPACE_LIST_IO_COMMAND_SET","features":[515]},{"name":"NVME_IDENTIFY_CNS_CODES","features":[515]},{"name":"NVME_IDENTIFY_CNS_CONTROLLER","features":[515]},{"name":"NVME_IDENTIFY_CNS_CONTROLLER_LIST_OF_NSID","features":[515]},{"name":"NVME_IDENTIFY_CNS_CONTROLLER_LIST_OF_NVM_SUBSYSTEM","features":[515]},{"name":"NVME_IDENTIFY_CNS_DESCRIPTOR_NAMESPACE","features":[515]},{"name":"NVME_IDENTIFY_CNS_DESCRIPTOR_NAMESPACE_SIZE","features":[515]},{"name":"NVME_IDENTIFY_CNS_DOMAIN_LIST","features":[515]},{"name":"NVME_IDENTIFY_CNS_ENDURANCE_GROUP_LIST","features":[515]},{"name":"NVME_IDENTIFY_CNS_IO_COMMAND_SET","features":[515]},{"name":"NVME_IDENTIFY_CNS_NAMESPACE_GRANULARITY_LIST","features":[515]},{"name":"NVME_IDENTIFY_CNS_NVM_SET","features":[515]},{"name":"NVME_IDENTIFY_CNS_PRIMARY_CONTROLLER_CAPABILITIES","features":[515]},{"name":"NVME_IDENTIFY_CNS_SECONDARY_CONTROLLER_LIST","features":[515]},{"name":"NVME_IDENTIFY_CNS_SPECIFIC_CONTROLLER_IO_COMMAND_SET","features":[515]},{"name":"NVME_IDENTIFY_CNS_SPECIFIC_NAMESPACE","features":[515]},{"name":"NVME_IDENTIFY_CNS_SPECIFIC_NAMESPACE_IO_COMMAND_SET","features":[515]},{"name":"NVME_IDENTIFY_CNS_UUID_LIST","features":[515]},{"name":"NVME_IDENTIFY_CONTROLLER_DATA","features":[515]},{"name":"NVME_IDENTIFY_IO_COMMAND_SET","features":[515]},{"name":"NVME_IDENTIFY_NAMESPACE_DATA","features":[515]},{"name":"NVME_IDENTIFY_NAMESPACE_DESCRIPTOR","features":[515]},{"name":"NVME_IDENTIFY_NVM_SPECIFIC_CONTROLLER_IO_COMMAND_SET","features":[515]},{"name":"NVME_IDENTIFY_SPECIFIC_NAMESPACE_IO_COMMAND_SET","features":[515]},{"name":"NVME_IDENTIFY_ZNS_SPECIFIC_CONTROLLER_IO_COMMAND_SET","features":[515]},{"name":"NVME_IO_COMMAND_SET_COMBINATION_REJECTED","features":[515]},{"name":"NVME_IO_COMMAND_SET_INVALID","features":[515]},{"name":"NVME_IO_COMMAND_SET_NOT_ENABLED","features":[515]},{"name":"NVME_IO_COMMAND_SET_NOT_SUPPORTED","features":[515]},{"name":"NVME_LBA_FORMAT","features":[515]},{"name":"NVME_LBA_RANGE","features":[515]},{"name":"NVME_LBA_RANGET_TYPE_ENTRY","features":[515]},{"name":"NVME_LBA_RANGE_TYPES","features":[515]},{"name":"NVME_LBA_RANGE_TYPE_CACHE","features":[515]},{"name":"NVME_LBA_RANGE_TYPE_FILESYSTEM","features":[515]},{"name":"NVME_LBA_RANGE_TYPE_PAGE_SWAP_FILE","features":[515]},{"name":"NVME_LBA_RANGE_TYPE_RAID","features":[515]},{"name":"NVME_LBA_RANGE_TYPE_RESERVED","features":[515]},{"name":"NVME_LBA_ZONE_FORMAT","features":[515]},{"name":"NVME_LOG_PAGES","features":[515]},{"name":"NVME_LOG_PAGE_ASYMMETRIC_NAMESPACE_ACCESS","features":[515]},{"name":"NVME_LOG_PAGE_CHANGED_NAMESPACE_LIST","features":[515]},{"name":"NVME_LOG_PAGE_CHANGED_ZONE_LIST","features":[515]},{"name":"NVME_LOG_PAGE_COMMAND_EFFECTS","features":[515]},{"name":"NVME_LOG_PAGE_DEVICE_SELF_TEST","features":[515]},{"name":"NVME_LOG_PAGE_ENDURANCE_GROUP_EVENT_AGGREGATE","features":[515]},{"name":"NVME_LOG_PAGE_ENDURANCE_GROUP_INFORMATION","features":[515]},{"name":"NVME_LOG_PAGE_ERROR_INFO","features":[515]},{"name":"NVME_LOG_PAGE_FIRMWARE_SLOT_INFO","features":[515]},{"name":"NVME_LOG_PAGE_HEALTH_INFO","features":[515]},{"name":"NVME_LOG_PAGE_LBA_STATUS_INFORMATION","features":[515]},{"name":"NVME_LOG_PAGE_OCP_DEVICE_CAPABILITIES","features":[515]},{"name":"NVME_LOG_PAGE_OCP_DEVICE_ERROR_RECOVERY","features":[515]},{"name":"NVME_LOG_PAGE_OCP_DEVICE_SMART_INFORMATION","features":[515]},{"name":"NVME_LOG_PAGE_OCP_FIRMWARE_ACTIVATION_HISTORY","features":[515]},{"name":"NVME_LOG_PAGE_OCP_LATENCY_MONITOR","features":[515]},{"name":"NVME_LOG_PAGE_OCP_TCG_CONFIGURATION","features":[515]},{"name":"NVME_LOG_PAGE_OCP_TCG_HISTORY","features":[515]},{"name":"NVME_LOG_PAGE_OCP_UNSUPPORTED_REQUIREMENTS","features":[515]},{"name":"NVME_LOG_PAGE_PERSISTENT_EVENT_LOG","features":[515]},{"name":"NVME_LOG_PAGE_PREDICTABLE_LATENCY_EVENT_AGGREGATE","features":[515]},{"name":"NVME_LOG_PAGE_PREDICTABLE_LATENCY_NVM_SET","features":[515]},{"name":"NVME_LOG_PAGE_RESERVATION_NOTIFICATION","features":[515]},{"name":"NVME_LOG_PAGE_SANITIZE_STATUS","features":[515]},{"name":"NVME_LOG_PAGE_TELEMETRY_CTLR_INITIATED","features":[515]},{"name":"NVME_LOG_PAGE_TELEMETRY_HOST_INITIATED","features":[515]},{"name":"NVME_MAX_HOST_IDENTIFIER_SIZE","features":[515]},{"name":"NVME_MAX_LOG_SIZE","features":[515]},{"name":"NVME_MEDIA_ADDITIONALLY_MODIFIED_AFTER_SANITIZE_NOT_DEFINED","features":[515]},{"name":"NVME_MEDIA_ADDITIONALLY_MOFIDIED_AFTER_SANITIZE","features":[515]},{"name":"NVME_MEDIA_NOT_ADDITIONALLY_MODIFIED_AFTER_SANITIZE","features":[515]},{"name":"NVME_NAMESPACE_ALL","features":[515]},{"name":"NVME_NAMESPACE_METADATA_ELEMENT_TYPES","features":[515]},{"name":"NVME_NAMESPACE_METADATA_OPERATING_SYSTEM_NAMESPACE_NAME","features":[515]},{"name":"NVME_NAMESPACE_METADATA_OPERATING_SYSTEM_NAMESPACE_NAME_QUALIFIER_1","features":[515]},{"name":"NVME_NAMESPACE_METADATA_OPERATING_SYSTEM_NAMESPACE_NAME_QUALIFIER_2","features":[515]},{"name":"NVME_NAMESPACE_METADATA_PREBOOT_NAMESPACE_NAME","features":[515]},{"name":"NVME_NO_DEALLOCATE_MODIFIES_MEDIA_AFTER_SANITIZE","features":[515]},{"name":"NVME_NVM_COMMANDS","features":[515]},{"name":"NVME_NVM_COMMAND_COMPARE","features":[515]},{"name":"NVME_NVM_COMMAND_COPY","features":[515]},{"name":"NVME_NVM_COMMAND_DATASET_MANAGEMENT","features":[515]},{"name":"NVME_NVM_COMMAND_FLUSH","features":[515]},{"name":"NVME_NVM_COMMAND_READ","features":[515]},{"name":"NVME_NVM_COMMAND_RESERVATION_ACQUIRE","features":[515]},{"name":"NVME_NVM_COMMAND_RESERVATION_REGISTER","features":[515]},{"name":"NVME_NVM_COMMAND_RESERVATION_RELEASE","features":[515]},{"name":"NVME_NVM_COMMAND_RESERVATION_REPORT","features":[515]},{"name":"NVME_NVM_COMMAND_VERIFY","features":[515]},{"name":"NVME_NVM_COMMAND_WRITE","features":[515]},{"name":"NVME_NVM_COMMAND_WRITE_UNCORRECTABLE","features":[515]},{"name":"NVME_NVM_COMMAND_WRITE_ZEROES","features":[515]},{"name":"NVME_NVM_COMMAND_ZONE_APPEND","features":[515]},{"name":"NVME_NVM_COMMAND_ZONE_MANAGEMENT_RECEIVE","features":[515]},{"name":"NVME_NVM_COMMAND_ZONE_MANAGEMENT_SEND","features":[515]},{"name":"NVME_NVM_QUEUE_PRIORITIES","features":[515]},{"name":"NVME_NVM_QUEUE_PRIORITY_HIGH","features":[515]},{"name":"NVME_NVM_QUEUE_PRIORITY_LOW","features":[515]},{"name":"NVME_NVM_QUEUE_PRIORITY_MEDIUM","features":[515]},{"name":"NVME_NVM_QUEUE_PRIORITY_URGENT","features":[515]},{"name":"NVME_NVM_SUBSYSTEM_RESET","features":[515]},{"name":"NVME_OCP_DEVICE_CAPABILITIES_LOG","features":[515]},{"name":"NVME_OCP_DEVICE_CAPABILITIES_LOG_VERSION_1","features":[515]},{"name":"NVME_OCP_DEVICE_ERROR_RECOVERY_LOG_V2","features":[515]},{"name":"NVME_OCP_DEVICE_ERROR_RECOVERY_LOG_VERSION_2","features":[515]},{"name":"NVME_OCP_DEVICE_FIRMWARE_ACTIVATION_HISTORY_LOG","features":[515]},{"name":"NVME_OCP_DEVICE_FIRMWARE_ACTIVATION_HISTORY_LOG_VERSION_1","features":[515]},{"name":"NVME_OCP_DEVICE_LATENCY_MONITOR_LOG","features":[515]},{"name":"NVME_OCP_DEVICE_LATENCY_MONITOR_LOG_VERSION_1","features":[515]},{"name":"NVME_OCP_DEVICE_SMART_INFORMATION_LOG_V3","features":[515]},{"name":"NVME_OCP_DEVICE_SMART_INFORMATION_LOG_VERSION_3","features":[515]},{"name":"NVME_OCP_DEVICE_TCG_CONFIGURATION_LOG","features":[515]},{"name":"NVME_OCP_DEVICE_TCG_CONFIGURATION_LOG_VERSION_1","features":[515]},{"name":"NVME_OCP_DEVICE_TCG_HISTORY_LOG","features":[515]},{"name":"NVME_OCP_DEVICE_TCG_HISTORY_LOG_VERSION_1","features":[515]},{"name":"NVME_OCP_DEVICE_UNSUPPORTED_REQUIREMENTS_LOG","features":[515]},{"name":"NVME_OCP_DEVICE_UNSUPPORTED_REQUIREMENTS_LOG_VERSION_1","features":[515]},{"name":"NVME_PERSISTENT_EVENT_LOG_EVENT_HEADER","features":[515]},{"name":"NVME_PERSISTENT_EVENT_LOG_EVENT_TYPES","features":[515]},{"name":"NVME_PERSISTENT_EVENT_LOG_HEADER","features":[515]},{"name":"NVME_PERSISTENT_EVENT_TYPE_CHANGE_NAMESPACE","features":[515]},{"name":"NVME_PERSISTENT_EVENT_TYPE_FIRMWARE_COMMIT","features":[515]},{"name":"NVME_PERSISTENT_EVENT_TYPE_FORMAT_NVM_COMPLETION","features":[515]},{"name":"NVME_PERSISTENT_EVENT_TYPE_FORMAT_NVM_START","features":[515]},{"name":"NVME_PERSISTENT_EVENT_TYPE_MAX","features":[515]},{"name":"NVME_PERSISTENT_EVENT_TYPE_NVM_SUBSYSTEM_HARDWARE_ERROR","features":[515]},{"name":"NVME_PERSISTENT_EVENT_TYPE_POWER_ON_OR_RESET","features":[515]},{"name":"NVME_PERSISTENT_EVENT_TYPE_RESERVED0","features":[515]},{"name":"NVME_PERSISTENT_EVENT_TYPE_RESERVED1_BEGIN","features":[515]},{"name":"NVME_PERSISTENT_EVENT_TYPE_RESERVED1_END","features":[515]},{"name":"NVME_PERSISTENT_EVENT_TYPE_RESERVED2_BEGIN","features":[515]},{"name":"NVME_PERSISTENT_EVENT_TYPE_RESERVED2_END","features":[515]},{"name":"NVME_PERSISTENT_EVENT_TYPE_SANITIZE_COMPLETION","features":[515]},{"name":"NVME_PERSISTENT_EVENT_TYPE_SANITIZE_START","features":[515]},{"name":"NVME_PERSISTENT_EVENT_TYPE_SET_FEATURE","features":[515]},{"name":"NVME_PERSISTENT_EVENT_TYPE_SMART_HEALTH_LOG_SNAPSHOT","features":[515]},{"name":"NVME_PERSISTENT_EVENT_TYPE_TCG_DEFINED","features":[515]},{"name":"NVME_PERSISTENT_EVENT_TYPE_TELEMETRY_LOG_CREATED","features":[515]},{"name":"NVME_PERSISTENT_EVENT_TYPE_THERMAL_EXCURSION","features":[515]},{"name":"NVME_PERSISTENT_EVENT_TYPE_TIMESTAMP_CHANGE","features":[515]},{"name":"NVME_PERSISTENT_EVENT_TYPE_VENDOR_SPECIFIC_EVENT","features":[515]},{"name":"NVME_POWER_STATE_DESC","features":[515]},{"name":"NVME_PROTECTION_INFORMATION_NOT_ENABLED","features":[515]},{"name":"NVME_PROTECTION_INFORMATION_TYPE1","features":[515]},{"name":"NVME_PROTECTION_INFORMATION_TYPE2","features":[515]},{"name":"NVME_PROTECTION_INFORMATION_TYPE3","features":[515]},{"name":"NVME_PROTECTION_INFORMATION_TYPES","features":[515]},{"name":"NVME_PRP_ENTRY","features":[515]},{"name":"NVME_REGISTERED_CONTROLLER_DATA","features":[515]},{"name":"NVME_REGISTERED_CONTROLLER_EXTENDED_DATA","features":[515]},{"name":"NVME_REPORT_ZONE_INFO","features":[515]},{"name":"NVME_RESERVATION_ACQUIRE_ACTIONS","features":[515]},{"name":"NVME_RESERVATION_ACQUIRE_ACTION_ACQUIRE","features":[515]},{"name":"NVME_RESERVATION_ACQUIRE_ACTION_PREEMPT","features":[515]},{"name":"NVME_RESERVATION_ACQUIRE_ACTION_PREEMPT_AND_ABORT","features":[515]},{"name":"NVME_RESERVATION_ACQUIRE_DATA_STRUCTURE","features":[515]},{"name":"NVME_RESERVATION_NOTIFICATION_LOG","features":[515]},{"name":"NVME_RESERVATION_NOTIFICATION_TYPES","features":[515]},{"name":"NVME_RESERVATION_NOTIFICATION_TYPE_EMPTY_LOG_PAGE","features":[515]},{"name":"NVME_RESERVATION_NOTIFICATION_TYPE_REGISTRATION_PREEMPTED","features":[515]},{"name":"NVME_RESERVATION_NOTIFICATION_TYPE_REGISTRATION_RELEASED","features":[515]},{"name":"NVME_RESERVATION_NOTIFICATION_TYPE_RESERVATION_PREEPMPTED","features":[515]},{"name":"NVME_RESERVATION_REGISTER_ACTIONS","features":[515]},{"name":"NVME_RESERVATION_REGISTER_ACTION_REGISTER","features":[515]},{"name":"NVME_RESERVATION_REGISTER_ACTION_REPLACE","features":[515]},{"name":"NVME_RESERVATION_REGISTER_ACTION_UNREGISTER","features":[515]},{"name":"NVME_RESERVATION_REGISTER_DATA_STRUCTURE","features":[515]},{"name":"NVME_RESERVATION_REGISTER_PTPL_STATE_CHANGES","features":[515]},{"name":"NVME_RESERVATION_REGISTER_PTPL_STATE_NO_CHANGE","features":[515]},{"name":"NVME_RESERVATION_REGISTER_PTPL_STATE_RESERVED","features":[515]},{"name":"NVME_RESERVATION_REGISTER_PTPL_STATE_SET_TO_0","features":[515]},{"name":"NVME_RESERVATION_REGISTER_PTPL_STATE_SET_TO_1","features":[515]},{"name":"NVME_RESERVATION_RELEASE_ACTIONS","features":[515]},{"name":"NVME_RESERVATION_RELEASE_ACTION_CLEAR","features":[515]},{"name":"NVME_RESERVATION_RELEASE_ACTION_RELEASE","features":[515]},{"name":"NVME_RESERVATION_RELEASE_DATA_STRUCTURE","features":[515]},{"name":"NVME_RESERVATION_REPORT_STATUS_DATA_STRUCTURE","features":[515]},{"name":"NVME_RESERVATION_REPORT_STATUS_EXTENDED_DATA_STRUCTURE","features":[515]},{"name":"NVME_RESERVATION_REPORT_STATUS_HEADER","features":[515]},{"name":"NVME_RESERVATION_TYPES","features":[515]},{"name":"NVME_RESERVATION_TYPE_EXCLUSIVE_ACCESS","features":[515]},{"name":"NVME_RESERVATION_TYPE_EXCLUSIVE_ACCESS_ALL_REGISTRANTS","features":[515]},{"name":"NVME_RESERVATION_TYPE_EXCLUSIVE_ACCESS_REGISTRANTS_ONLY","features":[515]},{"name":"NVME_RESERVATION_TYPE_RESERVED","features":[515]},{"name":"NVME_RESERVATION_TYPE_WRITE_EXCLUSIVE","features":[515]},{"name":"NVME_RESERVATION_TYPE_WRITE_EXCLUSIVE_ALL_REGISTRANTS","features":[515]},{"name":"NVME_RESERVATION_TYPE_WRITE_EXCLUSIVE_REGISTRANTS_ONLY","features":[515]},{"name":"NVME_SANITIZE_ACTION","features":[515]},{"name":"NVME_SANITIZE_ACTION_EXIT_FAILURE_MODE","features":[515]},{"name":"NVME_SANITIZE_ACTION_RESERVED","features":[515]},{"name":"NVME_SANITIZE_ACTION_START_BLOCK_ERASE_SANITIZE","features":[515]},{"name":"NVME_SANITIZE_ACTION_START_CRYPTO_ERASE_SANITIZE","features":[515]},{"name":"NVME_SANITIZE_ACTION_START_OVERWRITE_SANITIZE","features":[515]},{"name":"NVME_SANITIZE_OPERATION_FAILED","features":[515]},{"name":"NVME_SANITIZE_OPERATION_IN_PROGRESS","features":[515]},{"name":"NVME_SANITIZE_OPERATION_NONE","features":[515]},{"name":"NVME_SANITIZE_OPERATION_STATUS","features":[515]},{"name":"NVME_SANITIZE_OPERATION_SUCCEEDED","features":[515]},{"name":"NVME_SANITIZE_OPERATION_SUCCEEDED_WITH_FORCED_DEALLOCATION","features":[515]},{"name":"NVME_SANITIZE_STATUS","features":[515]},{"name":"NVME_SANITIZE_STATUS_LOG","features":[515]},{"name":"NVME_SCSI_NAME_STRING","features":[515]},{"name":"NVME_SECURE_ERASE_CRYPTOGRAPHIC","features":[515]},{"name":"NVME_SECURE_ERASE_NONE","features":[515]},{"name":"NVME_SECURE_ERASE_SETTINGS","features":[515]},{"name":"NVME_SECURE_ERASE_USER_DATA","features":[515]},{"name":"NVME_SET_ATTRIBUTES_ENTRY","features":[515]},{"name":"NVME_STATE_ZSC","features":[515]},{"name":"NVME_STATE_ZSE","features":[515]},{"name":"NVME_STATE_ZSEO","features":[515]},{"name":"NVME_STATE_ZSF","features":[515]},{"name":"NVME_STATE_ZSIO","features":[515]},{"name":"NVME_STATE_ZSO","features":[515]},{"name":"NVME_STATE_ZSRO","features":[515]},{"name":"NVME_STATUS_ABORT_COMMAND_LIMIT_EXCEEDED","features":[515]},{"name":"NVME_STATUS_ANA_ATTACH_FAILED","features":[515]},{"name":"NVME_STATUS_ASYNC_EVENT_REQUEST_LIMIT_EXCEEDED","features":[515]},{"name":"NVME_STATUS_ATOMIC_WRITE_UNIT_EXCEEDED","features":[515]},{"name":"NVME_STATUS_BOOT_PARTITION_WRITE_PROHIBITED","features":[515]},{"name":"NVME_STATUS_COMMAND_ABORTED_DUE_TO_FAILED_FUSED_COMMAND","features":[515]},{"name":"NVME_STATUS_COMMAND_ABORTED_DUE_TO_FAILED_MISSING_COMMAND","features":[515]},{"name":"NVME_STATUS_COMMAND_ABORTED_DUE_TO_POWER_LOSS_NOTIFICATION","features":[515]},{"name":"NVME_STATUS_COMMAND_ABORTED_DUE_TO_PREEMPT_ABORT","features":[515]},{"name":"NVME_STATUS_COMMAND_ABORTED_DUE_TO_SQ_DELETION","features":[515]},{"name":"NVME_STATUS_COMMAND_ABORT_REQUESTED","features":[515]},{"name":"NVME_STATUS_COMMAND_ID_CONFLICT","features":[515]},{"name":"NVME_STATUS_COMMAND_SEQUENCE_ERROR","features":[515]},{"name":"NVME_STATUS_COMMAND_SPECIFIC_CODES","features":[515]},{"name":"NVME_STATUS_COMPLETION_QUEUE_INVALID","features":[515]},{"name":"NVME_STATUS_CONTROLLER_LIST_INVALID","features":[515]},{"name":"NVME_STATUS_DATA_SGL_LENGTH_INVALID","features":[515]},{"name":"NVME_STATUS_DATA_TRANSFER_ERROR","features":[515]},{"name":"NVME_STATUS_DEVICE_SELF_TEST_IN_PROGRESS","features":[515]},{"name":"NVME_STATUS_DIRECTIVE_ID_INVALID","features":[515]},{"name":"NVME_STATUS_DIRECTIVE_TYPE_INVALID","features":[515]},{"name":"NVME_STATUS_FEATURE_ID_NOT_SAVEABLE","features":[515]},{"name":"NVME_STATUS_FEATURE_NOT_CHANGEABLE","features":[515]},{"name":"NVME_STATUS_FEATURE_NOT_NAMESPACE_SPECIFIC","features":[515]},{"name":"NVME_STATUS_FIRMWARE_ACTIVATION_PROHIBITED","features":[515]},{"name":"NVME_STATUS_FIRMWARE_ACTIVATION_REQUIRES_CONVENTIONAL_RESET","features":[515]},{"name":"NVME_STATUS_FIRMWARE_ACTIVATION_REQUIRES_MAX_TIME_VIOLATION","features":[515]},{"name":"NVME_STATUS_FIRMWARE_ACTIVATION_REQUIRES_NVM_SUBSYSTEM_RESET","features":[515]},{"name":"NVME_STATUS_FIRMWARE_ACTIVATION_REQUIRES_RESET","features":[515]},{"name":"NVME_STATUS_FORMAT_IN_PROGRESS","features":[515]},{"name":"NVME_STATUS_GENERIC_COMMAND_CODES","features":[515]},{"name":"NVME_STATUS_HOST_IDENTIFIER_INCONSISTENT_FORMAT","features":[515]},{"name":"NVME_STATUS_INTERNAL_DEVICE_ERROR","features":[515]},{"name":"NVME_STATUS_INVALID_ANA_GROUP_IDENTIFIER","features":[515]},{"name":"NVME_STATUS_INVALID_COMMAND_OPCODE","features":[515]},{"name":"NVME_STATUS_INVALID_CONTROLLER_IDENTIFIER","features":[515]},{"name":"NVME_STATUS_INVALID_FIELD_IN_COMMAND","features":[515]},{"name":"NVME_STATUS_INVALID_FIRMWARE_IMAGE","features":[515]},{"name":"NVME_STATUS_INVALID_FIRMWARE_SLOT","features":[515]},{"name":"NVME_STATUS_INVALID_FORMAT","features":[515]},{"name":"NVME_STATUS_INVALID_INTERRUPT_VECTOR","features":[515]},{"name":"NVME_STATUS_INVALID_LOG_PAGE","features":[515]},{"name":"NVME_STATUS_INVALID_NAMESPACE_OR_FORMAT","features":[515]},{"name":"NVME_STATUS_INVALID_NUMBER_OF_CONTROLLER_RESOURCES","features":[515]},{"name":"NVME_STATUS_INVALID_NUMBER_OF_SGL_DESCR","features":[515]},{"name":"NVME_STATUS_INVALID_QUEUE_DELETION","features":[515]},{"name":"NVME_STATUS_INVALID_QUEUE_IDENTIFIER","features":[515]},{"name":"NVME_STATUS_INVALID_RESOURCE_IDENTIFIER","features":[515]},{"name":"NVME_STATUS_INVALID_SECONDARY_CONTROLLER_STATE","features":[515]},{"name":"NVME_STATUS_INVALID_SGL_LAST_SEGMENT_DESCR","features":[515]},{"name":"NVME_STATUS_INVALID_USE_OF_CONTROLLER_MEMORY_BUFFER","features":[515]},{"name":"NVME_STATUS_KEEP_ALIVE_TIMEOUT_EXPIRED","features":[515]},{"name":"NVME_STATUS_KEEP_ALIVE_TIMEOUT_INVALID","features":[515]},{"name":"NVME_STATUS_MAX_QUEUE_SIZE_EXCEEDED","features":[515]},{"name":"NVME_STATUS_MEDIA_ERROR_CODES","features":[515]},{"name":"NVME_STATUS_METADATA_SGL_LENGTH_INVALID","features":[515]},{"name":"NVME_STATUS_NAMESPACE_ALREADY_ATTACHED","features":[515]},{"name":"NVME_STATUS_NAMESPACE_IDENTIFIER_UNAVAILABLE","features":[515]},{"name":"NVME_STATUS_NAMESPACE_INSUFFICIENT_CAPACITY","features":[515]},{"name":"NVME_STATUS_NAMESPACE_IS_PRIVATE","features":[515]},{"name":"NVME_STATUS_NAMESPACE_NOT_ATTACHED","features":[515]},{"name":"NVME_STATUS_NAMESPACE_THIN_PROVISIONING_NOT_SUPPORTED","features":[515]},{"name":"NVME_STATUS_NVM_ACCESS_DENIED","features":[515]},{"name":"NVME_STATUS_NVM_ATTEMPTED_WRITE_TO_READ_ONLY_RANGE","features":[515]},{"name":"NVME_STATUS_NVM_CAPACITY_EXCEEDED","features":[515]},{"name":"NVME_STATUS_NVM_COMMAND_SIZE_LIMIT_EXCEEDED","features":[515]},{"name":"NVME_STATUS_NVM_COMPARE_FAILURE","features":[515]},{"name":"NVME_STATUS_NVM_CONFLICTING_ATTRIBUTES","features":[515]},{"name":"NVME_STATUS_NVM_DEALLOCATED_OR_UNWRITTEN_LOGICAL_BLOCK","features":[515]},{"name":"NVME_STATUS_NVM_END_TO_END_APPLICATION_TAG_CHECK_ERROR","features":[515]},{"name":"NVME_STATUS_NVM_END_TO_END_GUARD_CHECK_ERROR","features":[515]},{"name":"NVME_STATUS_NVM_END_TO_END_REFERENCE_TAG_CHECK_ERROR","features":[515]},{"name":"NVME_STATUS_NVM_INVALID_PROTECTION_INFORMATION","features":[515]},{"name":"NVME_STATUS_NVM_LBA_OUT_OF_RANGE","features":[515]},{"name":"NVME_STATUS_NVM_NAMESPACE_NOT_READY","features":[515]},{"name":"NVME_STATUS_NVM_RESERVATION_CONFLICT","features":[515]},{"name":"NVME_STATUS_NVM_UNRECOVERED_READ_ERROR","features":[515]},{"name":"NVME_STATUS_NVM_WRITE_FAULT","features":[515]},{"name":"NVME_STATUS_OPERATION_DENIED","features":[515]},{"name":"NVME_STATUS_OVERLAPPING_RANGE","features":[515]},{"name":"NVME_STATUS_PRP_OFFSET_INVALID","features":[515]},{"name":"NVME_STATUS_RESERVED","features":[515]},{"name":"NVME_STATUS_SANITIZE_FAILED","features":[515]},{"name":"NVME_STATUS_SANITIZE_IN_PROGRESS","features":[515]},{"name":"NVME_STATUS_SANITIZE_PROHIBITED_ON_PERSISTENT_MEMORY","features":[515]},{"name":"NVME_STATUS_SGL_DATA_BLOCK_GRANULARITY_INVALID","features":[515]},{"name":"NVME_STATUS_SGL_DESCR_TYPE_INVALID","features":[515]},{"name":"NVME_STATUS_SGL_OFFSET_INVALID","features":[515]},{"name":"NVME_STATUS_STREAM_RESOURCE_ALLOCATION_FAILED","features":[515]},{"name":"NVME_STATUS_SUCCESS_COMPLETION","features":[515]},{"name":"NVME_STATUS_TYPES","features":[515]},{"name":"NVME_STATUS_TYPE_COMMAND_SPECIFIC","features":[515]},{"name":"NVME_STATUS_TYPE_GENERIC_COMMAND","features":[515]},{"name":"NVME_STATUS_TYPE_MEDIA_ERROR","features":[515]},{"name":"NVME_STATUS_TYPE_VENDOR_SPECIFIC","features":[515]},{"name":"NVME_STATUS_ZONE_BOUNDARY_ERROR","features":[515]},{"name":"NVME_STATUS_ZONE_FULL","features":[515]},{"name":"NVME_STATUS_ZONE_INVALID_FORMAT","features":[515]},{"name":"NVME_STATUS_ZONE_INVALID_STATE_TRANSITION","features":[515]},{"name":"NVME_STATUS_ZONE_INVALID_WRITE","features":[515]},{"name":"NVME_STATUS_ZONE_OFFLINE","features":[515]},{"name":"NVME_STATUS_ZONE_READ_ONLY","features":[515]},{"name":"NVME_STATUS_ZONE_TOO_MANY_ACTIVE","features":[515]},{"name":"NVME_STATUS_ZONE_TOO_MANY_OPEN","features":[515]},{"name":"NVME_STREAMS_GET_STATUS_MAX_IDS","features":[515]},{"name":"NVME_STREAMS_ID_MAX","features":[515]},{"name":"NVME_STREAMS_ID_MIN","features":[515]},{"name":"NVME_SUBMISSION_QUEUE_TAIL_DOORBELL","features":[515]},{"name":"NVME_TELEMETRY_CONTROLLER_INITIATED_LOG","features":[515]},{"name":"NVME_TELEMETRY_DATA_BLOCK_SIZE","features":[515]},{"name":"NVME_TELEMETRY_HOST_INITIATED_LOG","features":[515]},{"name":"NVME_TEMPERATURE_OVER_THRESHOLD","features":[515]},{"name":"NVME_TEMPERATURE_THRESHOLD_TYPES","features":[515]},{"name":"NVME_TEMPERATURE_UNDER_THRESHOLD","features":[515]},{"name":"NVME_VENDOR_LOG_PAGES","features":[515]},{"name":"NVME_VERSION","features":[515]},{"name":"NVME_WCS_DEVICE_CAPABILITIES","features":[515]},{"name":"NVME_WCS_DEVICE_ERROR_RECOVERY_LOG","features":[515]},{"name":"NVME_WCS_DEVICE_ERROR_RECOVERY_LOG_VERSION_1","features":[515]},{"name":"NVME_WCS_DEVICE_RECOVERY_ACTION1","features":[515]},{"name":"NVME_WCS_DEVICE_RECOVERY_ACTION2","features":[515]},{"name":"NVME_WCS_DEVICE_RESET_ACTION","features":[515]},{"name":"NVME_WCS_DEVICE_SMART_ATTRIBUTES_LOG","features":[515]},{"name":"NVME_WCS_DEVICE_SMART_ATTRIBUTES_LOG_V2","features":[515]},{"name":"NVME_WCS_DEVICE_SMART_ATTRIBUTES_LOG_VERSION_2","features":[515]},{"name":"NVME_ZONE_DESCRIPTOR","features":[515]},{"name":"NVME_ZONE_DESCRIPTOR_EXTENSION","features":[515]},{"name":"NVME_ZONE_EXTENDED_REPORT_ZONE_DESC","features":[515]},{"name":"NVME_ZONE_RECEIVE_ACTION","features":[515]},{"name":"NVME_ZONE_RECEIVE_ACTION_SPECIFIC","features":[515]},{"name":"NVME_ZONE_RECEIVE_EXTENDED_REPORT_ZONES","features":[515]},{"name":"NVME_ZONE_RECEIVE_REPORT_ZONES","features":[515]},{"name":"NVME_ZONE_SEND_ACTION","features":[515]},{"name":"NVME_ZONE_SEND_CLOSE","features":[515]},{"name":"NVME_ZONE_SEND_FINISH","features":[515]},{"name":"NVME_ZONE_SEND_OFFLINE","features":[515]},{"name":"NVME_ZONE_SEND_OPEN","features":[515]},{"name":"NVME_ZONE_SEND_RESET","features":[515]},{"name":"NVME_ZONE_SEND_SET_ZONE_DESCRIPTOR","features":[515]},{"name":"NVME_ZRA_ALL_ZONES","features":[515]},{"name":"NVME_ZRA_CLOSED_STATE_ZONES","features":[515]},{"name":"NVME_ZRA_EMPTY_STATE_ZONES","features":[515]},{"name":"NVME_ZRA_EO_STATE_ZONES","features":[515]},{"name":"NVME_ZRA_FULL_STATE_ZONES","features":[515]},{"name":"NVME_ZRA_IO_STATE_ZONES","features":[515]},{"name":"NVME_ZRA_OFFLINE_STATE_ZONES","features":[515]},{"name":"NVME_ZRA_RO_STATE_ZONES","features":[515]},{"name":"NVM_RESERVATION_CAPABILITIES","features":[515]},{"name":"NVM_SET_LIST","features":[515]},{"name":"NVMeDeviceRecovery1Max","features":[515]},{"name":"NVMeDeviceRecovery2Max","features":[515]},{"name":"NVMeDeviceRecoveryControllerReset","features":[515]},{"name":"NVMeDeviceRecoveryDeviceReplacement","features":[515]},{"name":"NVMeDeviceRecoveryFormatNVM","features":[515]},{"name":"NVMeDeviceRecoveryNoAction","features":[515]},{"name":"NVMeDeviceRecoveryPERST","features":[515]},{"name":"NVMeDeviceRecoveryPcieFunctionReset","features":[515]},{"name":"NVMeDeviceRecoveryPcieHotReset","features":[515]},{"name":"NVMeDeviceRecoveryPowerCycle","features":[515]},{"name":"NVMeDeviceRecoverySanitize","features":[515]},{"name":"NVMeDeviceRecoverySubsystemReset","features":[515]},{"name":"NVMeDeviceRecoveryVendorAnalysis","features":[515]},{"name":"NVMeDeviceRecoveryVendorSpecificCommand","features":[515]},{"name":"TCG_ACTIVATE_METHOD_SPECIFIC","features":[515]},{"name":"TCG_ASSIGN_METHOD_SPECIFIC","features":[515]},{"name":"TCG_AUTH_METHOD_SPECIFIC","features":[515]},{"name":"TCG_BLOCKSID_METHOD_SPECIFIC","features":[515]},{"name":"TCG_HISTORY_ENTRY","features":[515]},{"name":"TCG_HISTORY_ENTRY_VERSION_1","features":[515]},{"name":"TCG_REACTIVATE_METHOD_SPECIFIC","features":[515]},{"name":"UNSUPPORTED_REQUIREMENT","features":[515]},{"name":"ZONE_STATE","features":[515]}],"517":[{"name":"IEnumOfflineFilesItems","features":[516]},{"name":"IEnumOfflineFilesSettings","features":[516]},{"name":"IOfflineFilesCache","features":[516]},{"name":"IOfflineFilesCache2","features":[516]},{"name":"IOfflineFilesChangeInfo","features":[516]},{"name":"IOfflineFilesConnectionInfo","features":[516]},{"name":"IOfflineFilesDirectoryItem","features":[516]},{"name":"IOfflineFilesDirtyInfo","features":[516]},{"name":"IOfflineFilesErrorInfo","features":[516]},{"name":"IOfflineFilesEvents","features":[516]},{"name":"IOfflineFilesEvents2","features":[516]},{"name":"IOfflineFilesEvents3","features":[516]},{"name":"IOfflineFilesEvents4","features":[516]},{"name":"IOfflineFilesEventsFilter","features":[516]},{"name":"IOfflineFilesFileItem","features":[516]},{"name":"IOfflineFilesFileSysInfo","features":[516]},{"name":"IOfflineFilesGhostInfo","features":[516]},{"name":"IOfflineFilesItem","features":[516]},{"name":"IOfflineFilesItemContainer","features":[516]},{"name":"IOfflineFilesItemFilter","features":[516]},{"name":"IOfflineFilesPinInfo","features":[516]},{"name":"IOfflineFilesPinInfo2","features":[516]},{"name":"IOfflineFilesProgress","features":[516]},{"name":"IOfflineFilesServerItem","features":[516]},{"name":"IOfflineFilesSetting","features":[516]},{"name":"IOfflineFilesShareInfo","features":[516]},{"name":"IOfflineFilesShareItem","features":[516]},{"name":"IOfflineFilesSimpleProgress","features":[516]},{"name":"IOfflineFilesSuspend","features":[516]},{"name":"IOfflineFilesSuspendInfo","features":[516]},{"name":"IOfflineFilesSyncConflictHandler","features":[516]},{"name":"IOfflineFilesSyncErrorInfo","features":[516]},{"name":"IOfflineFilesSyncErrorItemInfo","features":[516]},{"name":"IOfflineFilesSyncProgress","features":[516]},{"name":"IOfflineFilesTransparentCacheInfo","features":[516]},{"name":"OFFLINEFILES_CACHING_MODE","features":[516]},{"name":"OFFLINEFILES_CACHING_MODE_AUTO_DOC","features":[516]},{"name":"OFFLINEFILES_CACHING_MODE_AUTO_PROGANDDOC","features":[516]},{"name":"OFFLINEFILES_CACHING_MODE_MANUAL","features":[516]},{"name":"OFFLINEFILES_CACHING_MODE_NOCACHING","features":[516]},{"name":"OFFLINEFILES_CACHING_MODE_NONE","features":[516]},{"name":"OFFLINEFILES_CHANGES_LOCAL_ATTRIBUTES","features":[516]},{"name":"OFFLINEFILES_CHANGES_LOCAL_SIZE","features":[516]},{"name":"OFFLINEFILES_CHANGES_LOCAL_TIME","features":[516]},{"name":"OFFLINEFILES_CHANGES_NONE","features":[516]},{"name":"OFFLINEFILES_CHANGES_REMOTE_ATTRIBUTES","features":[516]},{"name":"OFFLINEFILES_CHANGES_REMOTE_SIZE","features":[516]},{"name":"OFFLINEFILES_CHANGES_REMOTE_TIME","features":[516]},{"name":"OFFLINEFILES_COMPARE","features":[516]},{"name":"OFFLINEFILES_COMPARE_EQ","features":[516]},{"name":"OFFLINEFILES_COMPARE_GT","features":[516]},{"name":"OFFLINEFILES_COMPARE_GTE","features":[516]},{"name":"OFFLINEFILES_COMPARE_LT","features":[516]},{"name":"OFFLINEFILES_COMPARE_LTE","features":[516]},{"name":"OFFLINEFILES_COMPARE_NEQ","features":[516]},{"name":"OFFLINEFILES_CONNECT_STATE","features":[516]},{"name":"OFFLINEFILES_CONNECT_STATE_OFFLINE","features":[516]},{"name":"OFFLINEFILES_CONNECT_STATE_ONLINE","features":[516]},{"name":"OFFLINEFILES_CONNECT_STATE_PARTLY_TRANSPARENTLY_CACHED","features":[516]},{"name":"OFFLINEFILES_CONNECT_STATE_TRANSPARENTLY_CACHED","features":[516]},{"name":"OFFLINEFILES_CONNECT_STATE_UNKNOWN","features":[516]},{"name":"OFFLINEFILES_DELETE_FLAG_ADMIN","features":[516]},{"name":"OFFLINEFILES_DELETE_FLAG_DELMODIFIED","features":[516]},{"name":"OFFLINEFILES_DELETE_FLAG_NOAUTOCACHED","features":[516]},{"name":"OFFLINEFILES_DELETE_FLAG_NOPINNED","features":[516]},{"name":"OFFLINEFILES_ENCRYPTION_CONTROL_FLAG_ASYNCPROGRESS","features":[516]},{"name":"OFFLINEFILES_ENCRYPTION_CONTROL_FLAG_BACKGROUND","features":[516]},{"name":"OFFLINEFILES_ENCRYPTION_CONTROL_FLAG_CONSOLE","features":[516]},{"name":"OFFLINEFILES_ENCRYPTION_CONTROL_FLAG_INTERACTIVE","features":[516]},{"name":"OFFLINEFILES_ENCRYPTION_CONTROL_FLAG_LOWPRIORITY","features":[516]},{"name":"OFFLINEFILES_ENUM_FLAT","features":[516]},{"name":"OFFLINEFILES_ENUM_FLAT_FILESONLY","features":[516]},{"name":"OFFLINEFILES_EVENTS","features":[516]},{"name":"OFFLINEFILES_EVENT_BACKGROUNDSYNCBEGIN","features":[516]},{"name":"OFFLINEFILES_EVENT_BACKGROUNDSYNCEND","features":[516]},{"name":"OFFLINEFILES_EVENT_CACHEEVICTBEGIN","features":[516]},{"name":"OFFLINEFILES_EVENT_CACHEEVICTEND","features":[516]},{"name":"OFFLINEFILES_EVENT_CACHEISCORRUPTED","features":[516]},{"name":"OFFLINEFILES_EVENT_CACHEISFULL","features":[516]},{"name":"OFFLINEFILES_EVENT_CACHEMOVED","features":[516]},{"name":"OFFLINEFILES_EVENT_DATALOST","features":[516]},{"name":"OFFLINEFILES_EVENT_ENABLED","features":[516]},{"name":"OFFLINEFILES_EVENT_ENCRYPTIONCHANGED","features":[516]},{"name":"OFFLINEFILES_EVENT_ITEMADDEDTOCACHE","features":[516]},{"name":"OFFLINEFILES_EVENT_ITEMAVAILABLEOFFLINE","features":[516]},{"name":"OFFLINEFILES_EVENT_ITEMDELETEDFROMCACHE","features":[516]},{"name":"OFFLINEFILES_EVENT_ITEMDISCONNECTED","features":[516]},{"name":"OFFLINEFILES_EVENT_ITEMMODIFIED","features":[516]},{"name":"OFFLINEFILES_EVENT_ITEMNOTAVAILABLEOFFLINE","features":[516]},{"name":"OFFLINEFILES_EVENT_ITEMNOTPINNED","features":[516]},{"name":"OFFLINEFILES_EVENT_ITEMPINNED","features":[516]},{"name":"OFFLINEFILES_EVENT_ITEMRECONNECTBEGIN","features":[516]},{"name":"OFFLINEFILES_EVENT_ITEMRECONNECTED","features":[516]},{"name":"OFFLINEFILES_EVENT_ITEMRECONNECTEND","features":[516]},{"name":"OFFLINEFILES_EVENT_ITEMRENAMED","features":[516]},{"name":"OFFLINEFILES_EVENT_NETTRANSPORTARRIVED","features":[516]},{"name":"OFFLINEFILES_EVENT_NONETTRANSPORTS","features":[516]},{"name":"OFFLINEFILES_EVENT_PING","features":[516]},{"name":"OFFLINEFILES_EVENT_POLICYCHANGEDETECTED","features":[516]},{"name":"OFFLINEFILES_EVENT_PREFERENCECHANGEDETECTED","features":[516]},{"name":"OFFLINEFILES_EVENT_PREFETCHCLOSEHANDLEBEGIN","features":[516]},{"name":"OFFLINEFILES_EVENT_PREFETCHCLOSEHANDLEEND","features":[516]},{"name":"OFFLINEFILES_EVENT_PREFETCHFILEBEGIN","features":[516]},{"name":"OFFLINEFILES_EVENT_PREFETCHFILEEND","features":[516]},{"name":"OFFLINEFILES_EVENT_SETTINGSCHANGESAPPLIED","features":[516]},{"name":"OFFLINEFILES_EVENT_SYNCBEGIN","features":[516]},{"name":"OFFLINEFILES_EVENT_SYNCCONFLICTRECADDED","features":[516]},{"name":"OFFLINEFILES_EVENT_SYNCCONFLICTRECREMOVED","features":[516]},{"name":"OFFLINEFILES_EVENT_SYNCCONFLICTRECUPDATED","features":[516]},{"name":"OFFLINEFILES_EVENT_SYNCEND","features":[516]},{"name":"OFFLINEFILES_EVENT_SYNCFILERESULT","features":[516]},{"name":"OFFLINEFILES_EVENT_TRANSPARENTCACHEITEMNOTIFY","features":[516]},{"name":"OFFLINEFILES_ITEM_COPY","features":[516]},{"name":"OFFLINEFILES_ITEM_COPY_LOCAL","features":[516]},{"name":"OFFLINEFILES_ITEM_COPY_ORIGINAL","features":[516]},{"name":"OFFLINEFILES_ITEM_COPY_REMOTE","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_CREATED","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_DELETED","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_DIRECTORY","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_DIRTY","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_FILE","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_GHOST","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_GUEST_ANYACCESS","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_GUEST_READ","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_GUEST_WRITE","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_MODIFIED","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_MODIFIED_ATTRIBUTES","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_MODIFIED_DATA","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_OFFLINE","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_ONLINE","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_OTHER_ANYACCESS","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_OTHER_READ","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_OTHER_WRITE","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_PINNED","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_PINNED_COMPUTER","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_PINNED_OTHERS","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_PINNED_USER","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_SPARSE","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_SUSPENDED","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_USER_ANYACCESS","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_USER_READ","features":[516]},{"name":"OFFLINEFILES_ITEM_FILTER_FLAG_USER_WRITE","features":[516]},{"name":"OFFLINEFILES_ITEM_QUERY_ADMIN","features":[516]},{"name":"OFFLINEFILES_ITEM_QUERY_ATTEMPT_TRANSITIONONLINE","features":[516]},{"name":"OFFLINEFILES_ITEM_QUERY_CONNECTIONSTATE","features":[516]},{"name":"OFFLINEFILES_ITEM_QUERY_INCLUDETRANSPARENTCACHE","features":[516]},{"name":"OFFLINEFILES_ITEM_QUERY_LOCALDIRTYBYTECOUNT","features":[516]},{"name":"OFFLINEFILES_ITEM_QUERY_REMOTEDIRTYBYTECOUNT","features":[516]},{"name":"OFFLINEFILES_ITEM_QUERY_REMOTEINFO","features":[516]},{"name":"OFFLINEFILES_ITEM_TIME","features":[516]},{"name":"OFFLINEFILES_ITEM_TIME_CREATION","features":[516]},{"name":"OFFLINEFILES_ITEM_TIME_LASTACCESS","features":[516]},{"name":"OFFLINEFILES_ITEM_TIME_LASTWRITE","features":[516]},{"name":"OFFLINEFILES_ITEM_TYPE","features":[516]},{"name":"OFFLINEFILES_ITEM_TYPE_DIRECTORY","features":[516]},{"name":"OFFLINEFILES_ITEM_TYPE_FILE","features":[516]},{"name":"OFFLINEFILES_ITEM_TYPE_SERVER","features":[516]},{"name":"OFFLINEFILES_ITEM_TYPE_SHARE","features":[516]},{"name":"OFFLINEFILES_NUM_EVENTS","features":[516]},{"name":"OFFLINEFILES_OFFLINE_REASON","features":[516]},{"name":"OFFLINEFILES_OFFLINE_REASON_CONNECTION_ERROR","features":[516]},{"name":"OFFLINEFILES_OFFLINE_REASON_CONNECTION_FORCED","features":[516]},{"name":"OFFLINEFILES_OFFLINE_REASON_CONNECTION_SLOW","features":[516]},{"name":"OFFLINEFILES_OFFLINE_REASON_ITEM_SUSPENDED","features":[516]},{"name":"OFFLINEFILES_OFFLINE_REASON_ITEM_VERSION_CONFLICT","features":[516]},{"name":"OFFLINEFILES_OFFLINE_REASON_NOT_APPLICABLE","features":[516]},{"name":"OFFLINEFILES_OFFLINE_REASON_UNKNOWN","features":[516]},{"name":"OFFLINEFILES_OP_ABORT","features":[516]},{"name":"OFFLINEFILES_OP_CONTINUE","features":[516]},{"name":"OFFLINEFILES_OP_RESPONSE","features":[516]},{"name":"OFFLINEFILES_OP_RETRY","features":[516]},{"name":"OFFLINEFILES_PATHFILTER_CHILD","features":[516]},{"name":"OFFLINEFILES_PATHFILTER_DESCENDENT","features":[516]},{"name":"OFFLINEFILES_PATHFILTER_MATCH","features":[516]},{"name":"OFFLINEFILES_PATHFILTER_SELF","features":[516]},{"name":"OFFLINEFILES_PATHFILTER_SELFORCHILD","features":[516]},{"name":"OFFLINEFILES_PATHFILTER_SELFORDESCENDENT","features":[516]},{"name":"OFFLINEFILES_PINLINKTARGETS_ALWAYS","features":[516]},{"name":"OFFLINEFILES_PINLINKTARGETS_EXPLICIT","features":[516]},{"name":"OFFLINEFILES_PINLINKTARGETS_NEVER","features":[516]},{"name":"OFFLINEFILES_PIN_CONTROL_FLAG_ASYNCPROGRESS","features":[516]},{"name":"OFFLINEFILES_PIN_CONTROL_FLAG_BACKGROUND","features":[516]},{"name":"OFFLINEFILES_PIN_CONTROL_FLAG_CONSOLE","features":[516]},{"name":"OFFLINEFILES_PIN_CONTROL_FLAG_FILL","features":[516]},{"name":"OFFLINEFILES_PIN_CONTROL_FLAG_FORALL","features":[516]},{"name":"OFFLINEFILES_PIN_CONTROL_FLAG_FORREDIR","features":[516]},{"name":"OFFLINEFILES_PIN_CONTROL_FLAG_FORUSER","features":[516]},{"name":"OFFLINEFILES_PIN_CONTROL_FLAG_FORUSER_POLICY","features":[516]},{"name":"OFFLINEFILES_PIN_CONTROL_FLAG_INTERACTIVE","features":[516]},{"name":"OFFLINEFILES_PIN_CONTROL_FLAG_LOWPRIORITY","features":[516]},{"name":"OFFLINEFILES_PIN_CONTROL_FLAG_PINLINKTARGETS","features":[516]},{"name":"OFFLINEFILES_SETTING_PinLinkTargets","features":[516]},{"name":"OFFLINEFILES_SETTING_SCOPE_COMPUTER","features":[516]},{"name":"OFFLINEFILES_SETTING_SCOPE_USER","features":[516]},{"name":"OFFLINEFILES_SETTING_VALUE_2DIM_ARRAY_BSTR_BSTR","features":[516]},{"name":"OFFLINEFILES_SETTING_VALUE_2DIM_ARRAY_BSTR_UI4","features":[516]},{"name":"OFFLINEFILES_SETTING_VALUE_BSTR","features":[516]},{"name":"OFFLINEFILES_SETTING_VALUE_BSTR_DBLNULTERM","features":[516]},{"name":"OFFLINEFILES_SETTING_VALUE_TYPE","features":[516]},{"name":"OFFLINEFILES_SETTING_VALUE_UI4","features":[516]},{"name":"OFFLINEFILES_SYNC_CONFLICT_ABORT","features":[516]},{"name":"OFFLINEFILES_SYNC_CONFLICT_RESOLVE","features":[516]},{"name":"OFFLINEFILES_SYNC_CONFLICT_RESOLVE_KEEPALLCHANGES","features":[516]},{"name":"OFFLINEFILES_SYNC_CONFLICT_RESOLVE_KEEPLATEST","features":[516]},{"name":"OFFLINEFILES_SYNC_CONFLICT_RESOLVE_KEEPLOCAL","features":[516]},{"name":"OFFLINEFILES_SYNC_CONFLICT_RESOLVE_KEEPREMOTE","features":[516]},{"name":"OFFLINEFILES_SYNC_CONFLICT_RESOLVE_LOG","features":[516]},{"name":"OFFLINEFILES_SYNC_CONFLICT_RESOLVE_NONE","features":[516]},{"name":"OFFLINEFILES_SYNC_CONFLICT_RESOLVE_NUMCODES","features":[516]},{"name":"OFFLINEFILES_SYNC_CONFLICT_RESOLVE_SKIP","features":[516]},{"name":"OFFLINEFILES_SYNC_CONTROL_CR_DEFAULT","features":[516]},{"name":"OFFLINEFILES_SYNC_CONTROL_CR_KEEPLATEST","features":[516]},{"name":"OFFLINEFILES_SYNC_CONTROL_CR_KEEPLOCAL","features":[516]},{"name":"OFFLINEFILES_SYNC_CONTROL_CR_KEEPREMOTE","features":[516]},{"name":"OFFLINEFILES_SYNC_CONTROL_CR_MASK","features":[516]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_ASYNCPROGRESS","features":[516]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_BACKGROUND","features":[516]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_CONSOLE","features":[516]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_FILLSPARSE","features":[516]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_INTERACTIVE","features":[516]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_LOWPRIORITY","features":[516]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_NONEWFILESOUT","features":[516]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_PINFORALL","features":[516]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_PINFORREDIR","features":[516]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_PINFORUSER","features":[516]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_PINFORUSER_POLICY","features":[516]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_PINLINKTARGETS","features":[516]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_PINNEWFILES","features":[516]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_SKIPSUSPENDEDDIRS","features":[516]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_SYNCIN","features":[516]},{"name":"OFFLINEFILES_SYNC_CONTROL_FLAG_SYNCOUT","features":[516]},{"name":"OFFLINEFILES_SYNC_ITEM_CHANGE_ATTRIBUTES","features":[516]},{"name":"OFFLINEFILES_SYNC_ITEM_CHANGE_CHANGETIME","features":[516]},{"name":"OFFLINEFILES_SYNC_ITEM_CHANGE_FILESIZE","features":[516]},{"name":"OFFLINEFILES_SYNC_ITEM_CHANGE_NONE","features":[516]},{"name":"OFFLINEFILES_SYNC_ITEM_CHANGE_WRITETIME","features":[516]},{"name":"OFFLINEFILES_SYNC_OPERATION","features":[516]},{"name":"OFFLINEFILES_SYNC_OPERATION_CREATE_COPY_ON_CLIENT","features":[516]},{"name":"OFFLINEFILES_SYNC_OPERATION_CREATE_COPY_ON_SERVER","features":[516]},{"name":"OFFLINEFILES_SYNC_OPERATION_DELETE_CLIENT_COPY","features":[516]},{"name":"OFFLINEFILES_SYNC_OPERATION_DELETE_SERVER_COPY","features":[516]},{"name":"OFFLINEFILES_SYNC_OPERATION_PIN","features":[516]},{"name":"OFFLINEFILES_SYNC_OPERATION_PREPARE","features":[516]},{"name":"OFFLINEFILES_SYNC_OPERATION_SYNC_TO_CLIENT","features":[516]},{"name":"OFFLINEFILES_SYNC_OPERATION_SYNC_TO_SERVER","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_DeletedOnClient_DirChangedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_DeletedOnClient_DirOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_DeletedOnClient_FileChangedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_DeletedOnClient_FileOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_DirChangedOnClient","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_DirChangedOnClient_ChangedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_DirChangedOnClient_DeletedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_DirChangedOnClient_FileChangedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_DirChangedOnClient_FileOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_DirChangedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_DirCreatedOnClient_DeletedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_DirCreatedOnClient_DirChangedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_DirCreatedOnClient_DirOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_DirCreatedOnClient_FileChangedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_DirCreatedOnClient_FileOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_DirCreatedOnClient_NoServerCopy","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_DirDeletedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_DirOnClient_FileChangedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_DirOnClient_FileOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_DirOnClient_NoServerCopy","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_DirRenamedOnClient","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_DirRenamedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_DirSparseOnClient","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileChangedOnClient","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileChangedOnClient_ChangedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileChangedOnClient_DeletedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileChangedOnClient_DirChangedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileChangedOnClient_DirOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileChangedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileCreatedOnClient_DeletedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileCreatedOnClient_DirChangedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileCreatedOnClient_DirOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileCreatedOnClient_FileChangedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileCreatedOnClient_FileOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileCreatedOnClient_NoServerCopy","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileDeletedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileOnClient_DirOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileOnClient_NoServerCopy","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileRenamedOnClient","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileRenamedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileReplacedAndDeletedOnClient_DirChangedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileReplacedAndDeletedOnClient_DirOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileReplacedAndDeletedOnClient_FileChangedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileReplacedAndDeletedOnClient_FileOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileSparseOnClient","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileSparseOnClient_ChangedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileSparseOnClient_DeletedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileSparseOnClient_DirChangedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_FileSparseOnClient_DirOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_LOCAL_KNOWN","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_NUMSTATES","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_NoClientCopy_DirChangedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_NoClientCopy_DirOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_NoClientCopy_FileChangedOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_NoClientCopy_FileOnServer","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_REMOTE_KNOWN","features":[516]},{"name":"OFFLINEFILES_SYNC_STATE_Stable","features":[516]},{"name":"OFFLINEFILES_TRANSITION_FLAG_CONSOLE","features":[516]},{"name":"OFFLINEFILES_TRANSITION_FLAG_INTERACTIVE","features":[516]},{"name":"OfflineFilesCache","features":[516]},{"name":"OfflineFilesEnable","features":[308,516]},{"name":"OfflineFilesQueryStatus","features":[308,516]},{"name":"OfflineFilesQueryStatusEx","features":[308,516]},{"name":"OfflineFilesSetting","features":[516]},{"name":"OfflineFilesStart","features":[516]}],"518":[{"name":"OPERATION_END_DISCARD","features":[517]},{"name":"OPERATION_END_PARAMETERS","features":[517]},{"name":"OPERATION_END_PARAMETERS_FLAGS","features":[517]},{"name":"OPERATION_START_FLAGS","features":[517]},{"name":"OPERATION_START_PARAMETERS","features":[517]},{"name":"OPERATION_START_TRACE_CURRENT_THREAD","features":[517]},{"name":"OperationEnd","features":[308,517]},{"name":"OperationStart","features":[308,517]}],"519":[{"name":"APPLICATION_USER_MODEL_ID_MAX_LENGTH","features":[495]},{"name":"APPLICATION_USER_MODEL_ID_MIN_LENGTH","features":[495]},{"name":"APPX_BUNDLE_FOOTPRINT_FILE_TYPE","features":[495]},{"name":"APPX_BUNDLE_FOOTPRINT_FILE_TYPE_BLOCKMAP","features":[495]},{"name":"APPX_BUNDLE_FOOTPRINT_FILE_TYPE_FIRST","features":[495]},{"name":"APPX_BUNDLE_FOOTPRINT_FILE_TYPE_LAST","features":[495]},{"name":"APPX_BUNDLE_FOOTPRINT_FILE_TYPE_MANIFEST","features":[495]},{"name":"APPX_BUNDLE_FOOTPRINT_FILE_TYPE_SIGNATURE","features":[495]},{"name":"APPX_BUNDLE_PAYLOAD_PACKAGE_TYPE","features":[495]},{"name":"APPX_BUNDLE_PAYLOAD_PACKAGE_TYPE_APPLICATION","features":[495]},{"name":"APPX_BUNDLE_PAYLOAD_PACKAGE_TYPE_RESOURCE","features":[495]},{"name":"APPX_CAPABILITIES","features":[495]},{"name":"APPX_CAPABILITY_APPOINTMENTS","features":[495]},{"name":"APPX_CAPABILITY_CLASS_ALL","features":[495]},{"name":"APPX_CAPABILITY_CLASS_CUSTOM","features":[495]},{"name":"APPX_CAPABILITY_CLASS_DEFAULT","features":[495]},{"name":"APPX_CAPABILITY_CLASS_GENERAL","features":[495]},{"name":"APPX_CAPABILITY_CLASS_RESTRICTED","features":[495]},{"name":"APPX_CAPABILITY_CLASS_TYPE","features":[495]},{"name":"APPX_CAPABILITY_CLASS_WINDOWS","features":[495]},{"name":"APPX_CAPABILITY_CONTACTS","features":[495]},{"name":"APPX_CAPABILITY_DOCUMENTS_LIBRARY","features":[495]},{"name":"APPX_CAPABILITY_ENTERPRISE_AUTHENTICATION","features":[495]},{"name":"APPX_CAPABILITY_INTERNET_CLIENT","features":[495]},{"name":"APPX_CAPABILITY_INTERNET_CLIENT_SERVER","features":[495]},{"name":"APPX_CAPABILITY_MUSIC_LIBRARY","features":[495]},{"name":"APPX_CAPABILITY_PICTURES_LIBRARY","features":[495]},{"name":"APPX_CAPABILITY_PRIVATE_NETWORK_CLIENT_SERVER","features":[495]},{"name":"APPX_CAPABILITY_REMOVABLE_STORAGE","features":[495]},{"name":"APPX_CAPABILITY_SHARED_USER_CERTIFICATES","features":[495]},{"name":"APPX_CAPABILITY_VIDEOS_LIBRARY","features":[495]},{"name":"APPX_COMPRESSION_OPTION","features":[495]},{"name":"APPX_COMPRESSION_OPTION_FAST","features":[495]},{"name":"APPX_COMPRESSION_OPTION_MAXIMUM","features":[495]},{"name":"APPX_COMPRESSION_OPTION_NONE","features":[495]},{"name":"APPX_COMPRESSION_OPTION_NORMAL","features":[495]},{"name":"APPX_COMPRESSION_OPTION_SUPERFAST","features":[495]},{"name":"APPX_ENCRYPTED_EXEMPTIONS","features":[495]},{"name":"APPX_ENCRYPTED_PACKAGE_OPTIONS","features":[495]},{"name":"APPX_ENCRYPTED_PACKAGE_OPTION_DIFFUSION","features":[495]},{"name":"APPX_ENCRYPTED_PACKAGE_OPTION_NONE","features":[495]},{"name":"APPX_ENCRYPTED_PACKAGE_OPTION_PAGE_HASHING","features":[495]},{"name":"APPX_ENCRYPTED_PACKAGE_SETTINGS","features":[308,495,359]},{"name":"APPX_ENCRYPTED_PACKAGE_SETTINGS2","features":[495,359]},{"name":"APPX_FOOTPRINT_FILE_TYPE","features":[495]},{"name":"APPX_FOOTPRINT_FILE_TYPE_BLOCKMAP","features":[495]},{"name":"APPX_FOOTPRINT_FILE_TYPE_CODEINTEGRITY","features":[495]},{"name":"APPX_FOOTPRINT_FILE_TYPE_CONTENTGROUPMAP","features":[495]},{"name":"APPX_FOOTPRINT_FILE_TYPE_MANIFEST","features":[495]},{"name":"APPX_FOOTPRINT_FILE_TYPE_SIGNATURE","features":[495]},{"name":"APPX_KEY_INFO","features":[495]},{"name":"APPX_PACKAGE_ARCHITECTURE","features":[495]},{"name":"APPX_PACKAGE_ARCHITECTURE2","features":[495]},{"name":"APPX_PACKAGE_ARCHITECTURE2_ARM","features":[495]},{"name":"APPX_PACKAGE_ARCHITECTURE2_ARM64","features":[495]},{"name":"APPX_PACKAGE_ARCHITECTURE2_NEUTRAL","features":[495]},{"name":"APPX_PACKAGE_ARCHITECTURE2_UNKNOWN","features":[495]},{"name":"APPX_PACKAGE_ARCHITECTURE2_X64","features":[495]},{"name":"APPX_PACKAGE_ARCHITECTURE2_X86","features":[495]},{"name":"APPX_PACKAGE_ARCHITECTURE2_X86_ON_ARM64","features":[495]},{"name":"APPX_PACKAGE_ARCHITECTURE_ARM","features":[495]},{"name":"APPX_PACKAGE_ARCHITECTURE_ARM64","features":[495]},{"name":"APPX_PACKAGE_ARCHITECTURE_NEUTRAL","features":[495]},{"name":"APPX_PACKAGE_ARCHITECTURE_X64","features":[495]},{"name":"APPX_PACKAGE_ARCHITECTURE_X86","features":[495]},{"name":"APPX_PACKAGE_EDITOR_UPDATE_PACKAGE_MANIFEST_OPTIONS","features":[495]},{"name":"APPX_PACKAGE_EDITOR_UPDATE_PACKAGE_MANIFEST_OPTION_LOCALIZED","features":[495]},{"name":"APPX_PACKAGE_EDITOR_UPDATE_PACKAGE_MANIFEST_OPTION_NONE","features":[495]},{"name":"APPX_PACKAGE_EDITOR_UPDATE_PACKAGE_MANIFEST_OPTION_SKIP_VALIDATION","features":[495]},{"name":"APPX_PACKAGE_EDITOR_UPDATE_PACKAGE_OPTION","features":[495]},{"name":"APPX_PACKAGE_EDITOR_UPDATE_PACKAGE_OPTION_APPEND_DELTA","features":[495]},{"name":"APPX_PACKAGE_SETTINGS","features":[308,495,359]},{"name":"APPX_PACKAGE_WRITER_PAYLOAD_STREAM","features":[495,359]},{"name":"APPX_PACKAGING_CONTEXT_CHANGE_TYPE","features":[495]},{"name":"APPX_PACKAGING_CONTEXT_CHANGE_TYPE_CHANGE","features":[495]},{"name":"APPX_PACKAGING_CONTEXT_CHANGE_TYPE_DETAILS","features":[495]},{"name":"APPX_PACKAGING_CONTEXT_CHANGE_TYPE_END","features":[495]},{"name":"APPX_PACKAGING_CONTEXT_CHANGE_TYPE_START","features":[495]},{"name":"ActivatePackageVirtualizationContext","features":[495]},{"name":"AddPackageDependency","features":[495]},{"name":"AddPackageDependencyOptions","features":[495]},{"name":"AddPackageDependencyOptions_None","features":[495]},{"name":"AddPackageDependencyOptions_PrependIfRankCollision","features":[495]},{"name":"AppPolicyClrCompat","features":[495]},{"name":"AppPolicyClrCompat_ClassicDesktop","features":[495]},{"name":"AppPolicyClrCompat_Other","features":[495]},{"name":"AppPolicyClrCompat_PackagedDesktop","features":[495]},{"name":"AppPolicyClrCompat_Universal","features":[495]},{"name":"AppPolicyCreateFileAccess","features":[495]},{"name":"AppPolicyCreateFileAccess_Full","features":[495]},{"name":"AppPolicyCreateFileAccess_Limited","features":[495]},{"name":"AppPolicyGetClrCompat","features":[308,495]},{"name":"AppPolicyGetCreateFileAccess","features":[308,495]},{"name":"AppPolicyGetLifecycleManagement","features":[308,495]},{"name":"AppPolicyGetMediaFoundationCodecLoading","features":[308,495]},{"name":"AppPolicyGetProcessTerminationMethod","features":[308,495]},{"name":"AppPolicyGetShowDeveloperDiagnostic","features":[308,495]},{"name":"AppPolicyGetThreadInitializationType","features":[308,495]},{"name":"AppPolicyGetWindowingModel","features":[308,495]},{"name":"AppPolicyLifecycleManagement","features":[495]},{"name":"AppPolicyLifecycleManagement_Managed","features":[495]},{"name":"AppPolicyLifecycleManagement_Unmanaged","features":[495]},{"name":"AppPolicyMediaFoundationCodecLoading","features":[495]},{"name":"AppPolicyMediaFoundationCodecLoading_All","features":[495]},{"name":"AppPolicyMediaFoundationCodecLoading_InboxOnly","features":[495]},{"name":"AppPolicyProcessTerminationMethod","features":[495]},{"name":"AppPolicyProcessTerminationMethod_ExitProcess","features":[495]},{"name":"AppPolicyProcessTerminationMethod_TerminateProcess","features":[495]},{"name":"AppPolicyShowDeveloperDiagnostic","features":[495]},{"name":"AppPolicyShowDeveloperDiagnostic_None","features":[495]},{"name":"AppPolicyShowDeveloperDiagnostic_ShowUI","features":[495]},{"name":"AppPolicyThreadInitializationType","features":[495]},{"name":"AppPolicyThreadInitializationType_InitializeWinRT","features":[495]},{"name":"AppPolicyThreadInitializationType_None","features":[495]},{"name":"AppPolicyWindowingModel","features":[495]},{"name":"AppPolicyWindowingModel_ClassicDesktop","features":[495]},{"name":"AppPolicyWindowingModel_ClassicPhone","features":[495]},{"name":"AppPolicyWindowingModel_None","features":[495]},{"name":"AppPolicyWindowingModel_Universal","features":[495]},{"name":"AppxBundleFactory","features":[495]},{"name":"AppxEncryptionFactory","features":[495]},{"name":"AppxFactory","features":[495]},{"name":"AppxPackageEditor","features":[495]},{"name":"AppxPackagingDiagnosticEventSinkManager","features":[495]},{"name":"CheckIsMSIXPackage","features":[308,495]},{"name":"ClosePackageInfo","features":[308,495]},{"name":"CreatePackageDependencyOptions","features":[495]},{"name":"CreatePackageDependencyOptions_DoNotVerifyDependencyResolution","features":[495]},{"name":"CreatePackageDependencyOptions_None","features":[495]},{"name":"CreatePackageDependencyOptions_ScopeIsSystem","features":[495]},{"name":"CreatePackageVirtualizationContext","features":[495]},{"name":"DX_FEATURE_LEVEL","features":[495]},{"name":"DX_FEATURE_LEVEL_10","features":[495]},{"name":"DX_FEATURE_LEVEL_11","features":[495]},{"name":"DX_FEATURE_LEVEL_9","features":[495]},{"name":"DX_FEATURE_LEVEL_UNSPECIFIED","features":[495]},{"name":"DeactivatePackageVirtualizationContext","features":[495]},{"name":"DeletePackageDependency","features":[495]},{"name":"DuplicatePackageVirtualizationContext","features":[495]},{"name":"FindPackagesByPackageFamily","features":[308,495]},{"name":"FormatApplicationUserModelId","features":[308,495]},{"name":"GetApplicationUserModelId","features":[308,495]},{"name":"GetApplicationUserModelIdFromToken","features":[308,495]},{"name":"GetCurrentApplicationUserModelId","features":[308,495]},{"name":"GetCurrentPackageFamilyName","features":[308,495]},{"name":"GetCurrentPackageFullName","features":[308,495]},{"name":"GetCurrentPackageId","features":[308,495]},{"name":"GetCurrentPackageInfo","features":[308,495]},{"name":"GetCurrentPackageInfo2","features":[308,495]},{"name":"GetCurrentPackageInfo3","features":[495]},{"name":"GetCurrentPackagePath","features":[308,495]},{"name":"GetCurrentPackagePath2","features":[308,495]},{"name":"GetCurrentPackageVirtualizationContext","features":[495]},{"name":"GetIdForPackageDependencyContext","features":[495]},{"name":"GetPackageApplicationIds","features":[308,495]},{"name":"GetPackageFamilyName","features":[308,495]},{"name":"GetPackageFamilyNameFromToken","features":[308,495]},{"name":"GetPackageFullName","features":[308,495]},{"name":"GetPackageFullNameFromToken","features":[308,495]},{"name":"GetPackageGraphRevisionId","features":[495]},{"name":"GetPackageId","features":[308,495]},{"name":"GetPackageInfo","features":[308,495]},{"name":"GetPackageInfo2","features":[308,495]},{"name":"GetPackagePath","features":[308,495]},{"name":"GetPackagePathByFullName","features":[308,495]},{"name":"GetPackagePathByFullName2","features":[308,495]},{"name":"GetPackagesByPackageFamily","features":[308,495]},{"name":"GetProcessesInVirtualizationContext","features":[308,495]},{"name":"GetResolvedPackageFullNameForPackageDependency","features":[495]},{"name":"GetStagedPackageOrigin","features":[308,495]},{"name":"GetStagedPackagePathByFullName","features":[308,495]},{"name":"GetStagedPackagePathByFullName2","features":[308,495]},{"name":"IAppxAppInstallerReader","features":[495]},{"name":"IAppxBlockMapBlock","features":[495]},{"name":"IAppxBlockMapBlocksEnumerator","features":[495]},{"name":"IAppxBlockMapFile","features":[495]},{"name":"IAppxBlockMapFilesEnumerator","features":[495]},{"name":"IAppxBlockMapReader","features":[495]},{"name":"IAppxBundleFactory","features":[495]},{"name":"IAppxBundleFactory2","features":[495]},{"name":"IAppxBundleManifestOptionalBundleInfo","features":[495]},{"name":"IAppxBundleManifestOptionalBundleInfoEnumerator","features":[495]},{"name":"IAppxBundleManifestPackageInfo","features":[495]},{"name":"IAppxBundleManifestPackageInfo2","features":[495]},{"name":"IAppxBundleManifestPackageInfo3","features":[495]},{"name":"IAppxBundleManifestPackageInfo4","features":[495]},{"name":"IAppxBundleManifestPackageInfoEnumerator","features":[495]},{"name":"IAppxBundleManifestReader","features":[495]},{"name":"IAppxBundleManifestReader2","features":[495]},{"name":"IAppxBundleReader","features":[495]},{"name":"IAppxBundleWriter","features":[495]},{"name":"IAppxBundleWriter2","features":[495]},{"name":"IAppxBundleWriter3","features":[495]},{"name":"IAppxBundleWriter4","features":[495]},{"name":"IAppxContentGroup","features":[495]},{"name":"IAppxContentGroupFilesEnumerator","features":[495]},{"name":"IAppxContentGroupMapReader","features":[495]},{"name":"IAppxContentGroupMapWriter","features":[495]},{"name":"IAppxContentGroupsEnumerator","features":[495]},{"name":"IAppxDigestProvider","features":[495]},{"name":"IAppxEncryptedBundleWriter","features":[495]},{"name":"IAppxEncryptedBundleWriter2","features":[495]},{"name":"IAppxEncryptedBundleWriter3","features":[495]},{"name":"IAppxEncryptedPackageWriter","features":[495]},{"name":"IAppxEncryptedPackageWriter2","features":[495]},{"name":"IAppxEncryptionFactory","features":[495]},{"name":"IAppxEncryptionFactory2","features":[495]},{"name":"IAppxEncryptionFactory3","features":[495]},{"name":"IAppxEncryptionFactory4","features":[495]},{"name":"IAppxEncryptionFactory5","features":[495]},{"name":"IAppxFactory","features":[495]},{"name":"IAppxFactory2","features":[495]},{"name":"IAppxFactory3","features":[495]},{"name":"IAppxFile","features":[495]},{"name":"IAppxFilesEnumerator","features":[495]},{"name":"IAppxManifestApplication","features":[495]},{"name":"IAppxManifestApplicationsEnumerator","features":[495]},{"name":"IAppxManifestCapabilitiesEnumerator","features":[495]},{"name":"IAppxManifestDeviceCapabilitiesEnumerator","features":[495]},{"name":"IAppxManifestDriverConstraint","features":[495]},{"name":"IAppxManifestDriverConstraintsEnumerator","features":[495]},{"name":"IAppxManifestDriverDependenciesEnumerator","features":[495]},{"name":"IAppxManifestDriverDependency","features":[495]},{"name":"IAppxManifestHostRuntimeDependenciesEnumerator","features":[495]},{"name":"IAppxManifestHostRuntimeDependency","features":[495]},{"name":"IAppxManifestHostRuntimeDependency2","features":[495]},{"name":"IAppxManifestMainPackageDependenciesEnumerator","features":[495]},{"name":"IAppxManifestMainPackageDependency","features":[495]},{"name":"IAppxManifestOSPackageDependenciesEnumerator","features":[495]},{"name":"IAppxManifestOSPackageDependency","features":[495]},{"name":"IAppxManifestOptionalPackageInfo","features":[495]},{"name":"IAppxManifestPackageDependenciesEnumerator","features":[495]},{"name":"IAppxManifestPackageDependency","features":[495]},{"name":"IAppxManifestPackageDependency2","features":[495]},{"name":"IAppxManifestPackageDependency3","features":[495]},{"name":"IAppxManifestPackageId","features":[495]},{"name":"IAppxManifestPackageId2","features":[495]},{"name":"IAppxManifestProperties","features":[495]},{"name":"IAppxManifestQualifiedResource","features":[495]},{"name":"IAppxManifestQualifiedResourcesEnumerator","features":[495]},{"name":"IAppxManifestReader","features":[495]},{"name":"IAppxManifestReader2","features":[495]},{"name":"IAppxManifestReader3","features":[495]},{"name":"IAppxManifestReader4","features":[495]},{"name":"IAppxManifestReader5","features":[495]},{"name":"IAppxManifestReader6","features":[495]},{"name":"IAppxManifestReader7","features":[495]},{"name":"IAppxManifestResourcesEnumerator","features":[495]},{"name":"IAppxManifestTargetDeviceFamiliesEnumerator","features":[495]},{"name":"IAppxManifestTargetDeviceFamily","features":[495]},{"name":"IAppxPackageEditor","features":[495]},{"name":"IAppxPackageReader","features":[495]},{"name":"IAppxPackageWriter","features":[495]},{"name":"IAppxPackageWriter2","features":[495]},{"name":"IAppxPackageWriter3","features":[495]},{"name":"IAppxPackagingDiagnosticEventSink","features":[495]},{"name":"IAppxPackagingDiagnosticEventSinkManager","features":[495]},{"name":"IAppxSourceContentGroupMapReader","features":[495]},{"name":"OpenPackageInfoByFullName","features":[308,495]},{"name":"OpenPackageInfoByFullNameForUser","features":[308,495]},{"name":"PACKAGEDEPENDENCY_CONTEXT","features":[495]},{"name":"PACKAGE_APPLICATIONS_MAX_COUNT","features":[495]},{"name":"PACKAGE_APPLICATIONS_MIN_COUNT","features":[495]},{"name":"PACKAGE_ARCHITECTURE_MAX_LENGTH","features":[495]},{"name":"PACKAGE_ARCHITECTURE_MIN_LENGTH","features":[495]},{"name":"PACKAGE_DEPENDENCY_RANK_DEFAULT","features":[495]},{"name":"PACKAGE_FAMILY_MAX_RESOURCE_PACKAGES","features":[495]},{"name":"PACKAGE_FAMILY_MIN_RESOURCE_PACKAGES","features":[495]},{"name":"PACKAGE_FAMILY_NAME_MAX_LENGTH","features":[495]},{"name":"PACKAGE_FAMILY_NAME_MIN_LENGTH","features":[495]},{"name":"PACKAGE_FILTER_ALL_LOADED","features":[495]},{"name":"PACKAGE_FILTER_BUNDLE","features":[495]},{"name":"PACKAGE_FILTER_DIRECT","features":[495]},{"name":"PACKAGE_FILTER_DYNAMIC","features":[495]},{"name":"PACKAGE_FILTER_HEAD","features":[495]},{"name":"PACKAGE_FILTER_HOSTRUNTIME","features":[495]},{"name":"PACKAGE_FILTER_IS_IN_RELATED_SET","features":[495]},{"name":"PACKAGE_FILTER_OPTIONAL","features":[495]},{"name":"PACKAGE_FILTER_RESOURCE","features":[495]},{"name":"PACKAGE_FILTER_STATIC","features":[495]},{"name":"PACKAGE_FULL_NAME_MAX_LENGTH","features":[495]},{"name":"PACKAGE_FULL_NAME_MIN_LENGTH","features":[495]},{"name":"PACKAGE_GRAPH_MAX_SIZE","features":[495]},{"name":"PACKAGE_GRAPH_MIN_SIZE","features":[495]},{"name":"PACKAGE_ID","features":[495]},{"name":"PACKAGE_ID","features":[495]},{"name":"PACKAGE_INFO","features":[495]},{"name":"PACKAGE_INFO","features":[495]},{"name":"PACKAGE_INFORMATION_BASIC","features":[495]},{"name":"PACKAGE_INFORMATION_FULL","features":[495]},{"name":"PACKAGE_MAX_DEPENDENCIES","features":[495]},{"name":"PACKAGE_MIN_DEPENDENCIES","features":[495]},{"name":"PACKAGE_NAME_MAX_LENGTH","features":[495]},{"name":"PACKAGE_NAME_MIN_LENGTH","features":[495]},{"name":"PACKAGE_PROPERTY_BUNDLE","features":[495]},{"name":"PACKAGE_PROPERTY_DEVELOPMENT_MODE","features":[495]},{"name":"PACKAGE_PROPERTY_DYNAMIC","features":[495]},{"name":"PACKAGE_PROPERTY_FRAMEWORK","features":[495]},{"name":"PACKAGE_PROPERTY_HOSTRUNTIME","features":[495]},{"name":"PACKAGE_PROPERTY_IS_IN_RELATED_SET","features":[495]},{"name":"PACKAGE_PROPERTY_OPTIONAL","features":[495]},{"name":"PACKAGE_PROPERTY_RESOURCE","features":[495]},{"name":"PACKAGE_PROPERTY_STATIC","features":[495]},{"name":"PACKAGE_PUBLISHERID_MAX_LENGTH","features":[495]},{"name":"PACKAGE_PUBLISHERID_MIN_LENGTH","features":[495]},{"name":"PACKAGE_PUBLISHER_MAX_LENGTH","features":[495]},{"name":"PACKAGE_PUBLISHER_MIN_LENGTH","features":[495]},{"name":"PACKAGE_RELATIVE_APPLICATION_ID_MAX_LENGTH","features":[495]},{"name":"PACKAGE_RELATIVE_APPLICATION_ID_MIN_LENGTH","features":[495]},{"name":"PACKAGE_RESOURCEID_MAX_LENGTH","features":[495]},{"name":"PACKAGE_RESOURCEID_MIN_LENGTH","features":[495]},{"name":"PACKAGE_VERSION","features":[495]},{"name":"PACKAGE_VERSION_MAX_LENGTH","features":[495]},{"name":"PACKAGE_VERSION_MIN_LENGTH","features":[495]},{"name":"PACKAGE_VIRTUALIZATION_CONTEXT_HANDLE","features":[495]},{"name":"PackageDependencyLifetimeKind","features":[495]},{"name":"PackageDependencyLifetimeKind_FilePath","features":[495]},{"name":"PackageDependencyLifetimeKind_Process","features":[495]},{"name":"PackageDependencyLifetimeKind_RegistryKey","features":[495]},{"name":"PackageDependencyProcessorArchitectures","features":[495]},{"name":"PackageDependencyProcessorArchitectures_Arm","features":[495]},{"name":"PackageDependencyProcessorArchitectures_Arm64","features":[495]},{"name":"PackageDependencyProcessorArchitectures_Neutral","features":[495]},{"name":"PackageDependencyProcessorArchitectures_None","features":[495]},{"name":"PackageDependencyProcessorArchitectures_X64","features":[495]},{"name":"PackageDependencyProcessorArchitectures_X86","features":[495]},{"name":"PackageDependencyProcessorArchitectures_X86A64","features":[495]},{"name":"PackageFamilyNameFromFullName","features":[308,495]},{"name":"PackageFamilyNameFromId","features":[308,495]},{"name":"PackageFullNameFromId","features":[308,495]},{"name":"PackageIdFromFullName","features":[308,495]},{"name":"PackageInfo3Type","features":[495]},{"name":"PackageInfo3Type_PackageInfoGeneration","features":[495]},{"name":"PackageNameAndPublisherIdFromFamilyName","features":[308,495]},{"name":"PackageOrigin","features":[495]},{"name":"PackageOrigin_DeveloperSigned","features":[495]},{"name":"PackageOrigin_DeveloperUnsigned","features":[495]},{"name":"PackageOrigin_Inbox","features":[495]},{"name":"PackageOrigin_LineOfBusiness","features":[495]},{"name":"PackageOrigin_Store","features":[495]},{"name":"PackageOrigin_Unknown","features":[495]},{"name":"PackageOrigin_Unsigned","features":[495]},{"name":"PackagePathType","features":[495]},{"name":"PackagePathType_Effective","features":[495]},{"name":"PackagePathType_EffectiveExternal","features":[495]},{"name":"PackagePathType_Install","features":[495]},{"name":"PackagePathType_MachineExternal","features":[495]},{"name":"PackagePathType_Mutable","features":[495]},{"name":"PackagePathType_UserExternal","features":[495]},{"name":"ParseApplicationUserModelId","features":[308,495]},{"name":"ReleasePackageVirtualizationContext","features":[495]},{"name":"RemovePackageDependency","features":[495]},{"name":"TryCreatePackageDependency","features":[308,495]},{"name":"VerifyApplicationUserModelId","features":[308,495]},{"name":"VerifyPackageFamilyName","features":[308,495]},{"name":"VerifyPackageFullName","features":[308,495]},{"name":"VerifyPackageId","features":[308,495]},{"name":"VerifyPackageRelativeApplicationId","features":[308,495]},{"name":"_PACKAGE_INFO_REFERENCE","features":[495]}],"520":[{"name":"IOpcCertificateEnumerator","features":[518]},{"name":"IOpcCertificateSet","features":[518]},{"name":"IOpcDigitalSignature","features":[518]},{"name":"IOpcDigitalSignatureEnumerator","features":[518]},{"name":"IOpcDigitalSignatureManager","features":[518]},{"name":"IOpcFactory","features":[518]},{"name":"IOpcPackage","features":[518]},{"name":"IOpcPart","features":[518]},{"name":"IOpcPartEnumerator","features":[518]},{"name":"IOpcPartSet","features":[518]},{"name":"IOpcPartUri","features":[518,359]},{"name":"IOpcRelationship","features":[518]},{"name":"IOpcRelationshipEnumerator","features":[518]},{"name":"IOpcRelationshipSelector","features":[518]},{"name":"IOpcRelationshipSelectorEnumerator","features":[518]},{"name":"IOpcRelationshipSelectorSet","features":[518]},{"name":"IOpcRelationshipSet","features":[518]},{"name":"IOpcSignatureCustomObject","features":[518]},{"name":"IOpcSignatureCustomObjectEnumerator","features":[518]},{"name":"IOpcSignatureCustomObjectSet","features":[518]},{"name":"IOpcSignaturePartReference","features":[518]},{"name":"IOpcSignaturePartReferenceEnumerator","features":[518]},{"name":"IOpcSignaturePartReferenceSet","features":[518]},{"name":"IOpcSignatureReference","features":[518]},{"name":"IOpcSignatureReferenceEnumerator","features":[518]},{"name":"IOpcSignatureReferenceSet","features":[518]},{"name":"IOpcSignatureRelationshipReference","features":[518]},{"name":"IOpcSignatureRelationshipReferenceEnumerator","features":[518]},{"name":"IOpcSignatureRelationshipReferenceSet","features":[518]},{"name":"IOpcSigningOptions","features":[518]},{"name":"IOpcUri","features":[518,359]},{"name":"OPC_CACHE_ON_ACCESS","features":[518]},{"name":"OPC_CANONICALIZATION_C14N","features":[518]},{"name":"OPC_CANONICALIZATION_C14N_WITH_COMMENTS","features":[518]},{"name":"OPC_CANONICALIZATION_METHOD","features":[518]},{"name":"OPC_CANONICALIZATION_NONE","features":[518]},{"name":"OPC_CERTIFICATE_EMBEDDING_OPTION","features":[518]},{"name":"OPC_CERTIFICATE_IN_CERTIFICATE_PART","features":[518]},{"name":"OPC_CERTIFICATE_IN_SIGNATURE_PART","features":[518]},{"name":"OPC_CERTIFICATE_NOT_EMBEDDED","features":[518]},{"name":"OPC_COMPRESSION_FAST","features":[518]},{"name":"OPC_COMPRESSION_MAXIMUM","features":[518]},{"name":"OPC_COMPRESSION_NONE","features":[518]},{"name":"OPC_COMPRESSION_NORMAL","features":[518]},{"name":"OPC_COMPRESSION_OPTIONS","features":[518]},{"name":"OPC_COMPRESSION_SUPERFAST","features":[518]},{"name":"OPC_E_CONFLICTING_SETTINGS","features":[518]},{"name":"OPC_E_COULD_NOT_RECOVER","features":[518]},{"name":"OPC_E_DS_DEFAULT_DIGEST_METHOD_NOT_SET","features":[518]},{"name":"OPC_E_DS_DIGEST_VALUE_ERROR","features":[518]},{"name":"OPC_E_DS_DUPLICATE_PACKAGE_OBJECT_REFERENCES","features":[518]},{"name":"OPC_E_DS_DUPLICATE_SIGNATURE_ORIGIN_RELATIONSHIP","features":[518]},{"name":"OPC_E_DS_DUPLICATE_SIGNATURE_PROPERTY_ELEMENT","features":[518]},{"name":"OPC_E_DS_EXTERNAL_SIGNATURE","features":[518]},{"name":"OPC_E_DS_EXTERNAL_SIGNATURE_REFERENCE","features":[518]},{"name":"OPC_E_DS_INVALID_CANONICALIZATION_METHOD","features":[518]},{"name":"OPC_E_DS_INVALID_CERTIFICATE_RELATIONSHIP","features":[518]},{"name":"OPC_E_DS_INVALID_OPC_SIGNATURE_TIME_FORMAT","features":[518]},{"name":"OPC_E_DS_INVALID_RELATIONSHIPS_SIGNING_OPTION","features":[518]},{"name":"OPC_E_DS_INVALID_RELATIONSHIP_TRANSFORM_XML","features":[518]},{"name":"OPC_E_DS_INVALID_SIGNATURE_COUNT","features":[518]},{"name":"OPC_E_DS_INVALID_SIGNATURE_ORIGIN_RELATIONSHIP","features":[518]},{"name":"OPC_E_DS_INVALID_SIGNATURE_XML","features":[518]},{"name":"OPC_E_DS_MISSING_CANONICALIZATION_TRANSFORM","features":[518]},{"name":"OPC_E_DS_MISSING_CERTIFICATE_PART","features":[518]},{"name":"OPC_E_DS_MISSING_PACKAGE_OBJECT_REFERENCE","features":[518]},{"name":"OPC_E_DS_MISSING_SIGNATURE_ALGORITHM","features":[518]},{"name":"OPC_E_DS_MISSING_SIGNATURE_ORIGIN_PART","features":[518]},{"name":"OPC_E_DS_MISSING_SIGNATURE_PART","features":[518]},{"name":"OPC_E_DS_MISSING_SIGNATURE_PROPERTIES_ELEMENT","features":[518]},{"name":"OPC_E_DS_MISSING_SIGNATURE_PROPERTY_ELEMENT","features":[518]},{"name":"OPC_E_DS_MISSING_SIGNATURE_TIME_PROPERTY","features":[518]},{"name":"OPC_E_DS_MULTIPLE_RELATIONSHIP_TRANSFORMS","features":[518]},{"name":"OPC_E_DS_PACKAGE_REFERENCE_URI_RESERVED","features":[518]},{"name":"OPC_E_DS_REFERENCE_MISSING_CONTENT_TYPE","features":[518]},{"name":"OPC_E_DS_SIGNATURE_CORRUPT","features":[518]},{"name":"OPC_E_DS_SIGNATURE_METHOD_NOT_SET","features":[518]},{"name":"OPC_E_DS_SIGNATURE_ORIGIN_EXISTS","features":[518]},{"name":"OPC_E_DS_SIGNATURE_PROPERTY_MISSING_TARGET","features":[518]},{"name":"OPC_E_DS_SIGNATURE_REFERENCE_MISSING_URI","features":[518]},{"name":"OPC_E_DS_UNSIGNED_PACKAGE","features":[518]},{"name":"OPC_E_DUPLICATE_DEFAULT_EXTENSION","features":[518]},{"name":"OPC_E_DUPLICATE_OVERRIDE_PART","features":[518]},{"name":"OPC_E_DUPLICATE_PART","features":[518]},{"name":"OPC_E_DUPLICATE_PIECE","features":[518]},{"name":"OPC_E_DUPLICATE_RELATIONSHIP","features":[518]},{"name":"OPC_E_ENUM_CANNOT_MOVE_NEXT","features":[518]},{"name":"OPC_E_ENUM_CANNOT_MOVE_PREVIOUS","features":[518]},{"name":"OPC_E_ENUM_COLLECTION_CHANGED","features":[518]},{"name":"OPC_E_ENUM_INVALID_POSITION","features":[518]},{"name":"OPC_E_INVALID_CONTENT_TYPE","features":[518]},{"name":"OPC_E_INVALID_CONTENT_TYPE_XML","features":[518]},{"name":"OPC_E_INVALID_DEFAULT_EXTENSION","features":[518]},{"name":"OPC_E_INVALID_OVERRIDE_PART_NAME","features":[518]},{"name":"OPC_E_INVALID_PIECE","features":[518]},{"name":"OPC_E_INVALID_RELATIONSHIP_ID","features":[518]},{"name":"OPC_E_INVALID_RELATIONSHIP_TARGET","features":[518]},{"name":"OPC_E_INVALID_RELATIONSHIP_TARGET_MODE","features":[518]},{"name":"OPC_E_INVALID_RELATIONSHIP_TYPE","features":[518]},{"name":"OPC_E_INVALID_RELS_XML","features":[518]},{"name":"OPC_E_INVALID_XML_ENCODING","features":[518]},{"name":"OPC_E_MC_INCONSISTENT_PRESERVE_ATTRIBUTES","features":[518]},{"name":"OPC_E_MC_INCONSISTENT_PRESERVE_ELEMENTS","features":[518]},{"name":"OPC_E_MC_INCONSISTENT_PROCESS_CONTENT","features":[518]},{"name":"OPC_E_MC_INVALID_ATTRIBUTES_ON_IGNORABLE_ELEMENT","features":[518]},{"name":"OPC_E_MC_INVALID_ENUM_TYPE","features":[518]},{"name":"OPC_E_MC_INVALID_PREFIX_LIST","features":[518]},{"name":"OPC_E_MC_INVALID_QNAME_LIST","features":[518]},{"name":"OPC_E_MC_INVALID_XMLNS_ATTRIBUTE","features":[518]},{"name":"OPC_E_MC_MISSING_CHOICE","features":[518]},{"name":"OPC_E_MC_MISSING_REQUIRES_ATTR","features":[518]},{"name":"OPC_E_MC_MULTIPLE_FALLBACK_ELEMENTS","features":[518]},{"name":"OPC_E_MC_NESTED_ALTERNATE_CONTENT","features":[518]},{"name":"OPC_E_MC_UNEXPECTED_ATTR","features":[518]},{"name":"OPC_E_MC_UNEXPECTED_CHOICE","features":[518]},{"name":"OPC_E_MC_UNEXPECTED_ELEMENT","features":[518]},{"name":"OPC_E_MC_UNEXPECTED_REQUIRES_ATTR","features":[518]},{"name":"OPC_E_MC_UNKNOWN_NAMESPACE","features":[518]},{"name":"OPC_E_MC_UNKNOWN_PREFIX","features":[518]},{"name":"OPC_E_MISSING_CONTENT_TYPES","features":[518]},{"name":"OPC_E_MISSING_PIECE","features":[518]},{"name":"OPC_E_NONCONFORMING_CONTENT_TYPES_XML","features":[518]},{"name":"OPC_E_NONCONFORMING_RELS_XML","features":[518]},{"name":"OPC_E_NONCONFORMING_URI","features":[518]},{"name":"OPC_E_NO_SUCH_PART","features":[518]},{"name":"OPC_E_NO_SUCH_RELATIONSHIP","features":[518]},{"name":"OPC_E_NO_SUCH_SETTINGS","features":[518]},{"name":"OPC_E_PART_CANNOT_BE_DIRECTORY","features":[518]},{"name":"OPC_E_RELATIONSHIP_URI_REQUIRED","features":[518]},{"name":"OPC_E_RELATIVE_URI_REQUIRED","features":[518]},{"name":"OPC_E_UNEXPECTED_CONTENT_TYPE","features":[518]},{"name":"OPC_E_UNSUPPORTED_PACKAGE","features":[518]},{"name":"OPC_E_ZIP_CENTRAL_DIRECTORY_TOO_LARGE","features":[518]},{"name":"OPC_E_ZIP_COMMENT_TOO_LARGE","features":[518]},{"name":"OPC_E_ZIP_COMPRESSION_FAILED","features":[518]},{"name":"OPC_E_ZIP_CORRUPTED_ARCHIVE","features":[518]},{"name":"OPC_E_ZIP_DECOMPRESSION_FAILED","features":[518]},{"name":"OPC_E_ZIP_DUPLICATE_NAME","features":[518]},{"name":"OPC_E_ZIP_EXTRA_FIELDS_TOO_LARGE","features":[518]},{"name":"OPC_E_ZIP_FILE_HEADER_TOO_LARGE","features":[518]},{"name":"OPC_E_ZIP_INCONSISTENT_DIRECTORY","features":[518]},{"name":"OPC_E_ZIP_INCONSISTENT_FILEITEM","features":[518]},{"name":"OPC_E_ZIP_INCORRECT_DATA_SIZE","features":[518]},{"name":"OPC_E_ZIP_MISSING_DATA_DESCRIPTOR","features":[518]},{"name":"OPC_E_ZIP_MISSING_END_OF_CENTRAL_DIRECTORY","features":[518]},{"name":"OPC_E_ZIP_NAME_TOO_LARGE","features":[518]},{"name":"OPC_E_ZIP_REQUIRES_64_BIT","features":[518]},{"name":"OPC_E_ZIP_UNSUPPORTEDARCHIVE","features":[518]},{"name":"OPC_READ_DEFAULT","features":[518]},{"name":"OPC_READ_FLAGS","features":[518]},{"name":"OPC_RELATIONSHIPS_SIGNING_OPTION","features":[518]},{"name":"OPC_RELATIONSHIP_SELECTOR","features":[518]},{"name":"OPC_RELATIONSHIP_SELECT_BY_ID","features":[518]},{"name":"OPC_RELATIONSHIP_SELECT_BY_TYPE","features":[518]},{"name":"OPC_RELATIONSHIP_SIGN_PART","features":[518]},{"name":"OPC_RELATIONSHIP_SIGN_USING_SELECTORS","features":[518]},{"name":"OPC_SIGNATURE_INVALID","features":[518]},{"name":"OPC_SIGNATURE_TIME_FORMAT","features":[518]},{"name":"OPC_SIGNATURE_TIME_FORMAT_DAYS","features":[518]},{"name":"OPC_SIGNATURE_TIME_FORMAT_MILLISECONDS","features":[518]},{"name":"OPC_SIGNATURE_TIME_FORMAT_MINUTES","features":[518]},{"name":"OPC_SIGNATURE_TIME_FORMAT_MONTHS","features":[518]},{"name":"OPC_SIGNATURE_TIME_FORMAT_SECONDS","features":[518]},{"name":"OPC_SIGNATURE_TIME_FORMAT_YEARS","features":[518]},{"name":"OPC_SIGNATURE_VALID","features":[518]},{"name":"OPC_SIGNATURE_VALIDATION_RESULT","features":[518]},{"name":"OPC_STREAM_IO_MODE","features":[518]},{"name":"OPC_STREAM_IO_READ","features":[518]},{"name":"OPC_STREAM_IO_WRITE","features":[518]},{"name":"OPC_URI_TARGET_MODE","features":[518]},{"name":"OPC_URI_TARGET_MODE_EXTERNAL","features":[518]},{"name":"OPC_URI_TARGET_MODE_INTERNAL","features":[518]},{"name":"OPC_VALIDATE_ON_LOAD","features":[518]},{"name":"OPC_WRITE_DEFAULT","features":[518]},{"name":"OPC_WRITE_FLAGS","features":[518]},{"name":"OPC_WRITE_FORCE_ZIP32","features":[518]},{"name":"OpcFactory","features":[518]}],"521":[{"name":"PRJ_CALLBACKS","features":[308,519]},{"name":"PRJ_CALLBACK_DATA","features":[519]},{"name":"PRJ_CALLBACK_DATA_FLAGS","features":[519]},{"name":"PRJ_CANCEL_COMMAND_CB","features":[519]},{"name":"PRJ_CB_DATA_FLAG_ENUM_RESTART_SCAN","features":[519]},{"name":"PRJ_CB_DATA_FLAG_ENUM_RETURN_SINGLE_ENTRY","features":[519]},{"name":"PRJ_COMPLETE_COMMAND_EXTENDED_PARAMETERS","features":[519]},{"name":"PRJ_COMPLETE_COMMAND_TYPE","features":[519]},{"name":"PRJ_COMPLETE_COMMAND_TYPE_ENUMERATION","features":[519]},{"name":"PRJ_COMPLETE_COMMAND_TYPE_NOTIFICATION","features":[519]},{"name":"PRJ_DIR_ENTRY_BUFFER_HANDLE","features":[519]},{"name":"PRJ_END_DIRECTORY_ENUMERATION_CB","features":[519]},{"name":"PRJ_EXTENDED_INFO","features":[519]},{"name":"PRJ_EXT_INFO_TYPE","features":[519]},{"name":"PRJ_EXT_INFO_TYPE_SYMLINK","features":[519]},{"name":"PRJ_FILE_BASIC_INFO","features":[308,519]},{"name":"PRJ_FILE_STATE","features":[519]},{"name":"PRJ_FILE_STATE_DIRTY_PLACEHOLDER","features":[519]},{"name":"PRJ_FILE_STATE_FULL","features":[519]},{"name":"PRJ_FILE_STATE_HYDRATED_PLACEHOLDER","features":[519]},{"name":"PRJ_FILE_STATE_PLACEHOLDER","features":[519]},{"name":"PRJ_FILE_STATE_TOMBSTONE","features":[519]},{"name":"PRJ_FLAG_NONE","features":[519]},{"name":"PRJ_FLAG_USE_NEGATIVE_PATH_CACHE","features":[519]},{"name":"PRJ_GET_DIRECTORY_ENUMERATION_CB","features":[519]},{"name":"PRJ_GET_FILE_DATA_CB","features":[519]},{"name":"PRJ_GET_PLACEHOLDER_INFO_CB","features":[519]},{"name":"PRJ_NAMESPACE_VIRTUALIZATION_CONTEXT","features":[519]},{"name":"PRJ_NOTIFICATION","features":[519]},{"name":"PRJ_NOTIFICATION_CB","features":[308,519]},{"name":"PRJ_NOTIFICATION_FILE_HANDLE_CLOSED_FILE_DELETED","features":[519]},{"name":"PRJ_NOTIFICATION_FILE_HANDLE_CLOSED_FILE_MODIFIED","features":[519]},{"name":"PRJ_NOTIFICATION_FILE_HANDLE_CLOSED_NO_MODIFICATION","features":[519]},{"name":"PRJ_NOTIFICATION_FILE_OPENED","features":[519]},{"name":"PRJ_NOTIFICATION_FILE_OVERWRITTEN","features":[519]},{"name":"PRJ_NOTIFICATION_FILE_PRE_CONVERT_TO_FULL","features":[519]},{"name":"PRJ_NOTIFICATION_FILE_RENAMED","features":[519]},{"name":"PRJ_NOTIFICATION_HARDLINK_CREATED","features":[519]},{"name":"PRJ_NOTIFICATION_MAPPING","features":[519]},{"name":"PRJ_NOTIFICATION_NEW_FILE_CREATED","features":[519]},{"name":"PRJ_NOTIFICATION_PARAMETERS","features":[308,519]},{"name":"PRJ_NOTIFICATION_PRE_DELETE","features":[519]},{"name":"PRJ_NOTIFICATION_PRE_RENAME","features":[519]},{"name":"PRJ_NOTIFICATION_PRE_SET_HARDLINK","features":[519]},{"name":"PRJ_NOTIFY_FILE_HANDLE_CLOSED_FILE_DELETED","features":[519]},{"name":"PRJ_NOTIFY_FILE_HANDLE_CLOSED_FILE_MODIFIED","features":[519]},{"name":"PRJ_NOTIFY_FILE_HANDLE_CLOSED_NO_MODIFICATION","features":[519]},{"name":"PRJ_NOTIFY_FILE_OPENED","features":[519]},{"name":"PRJ_NOTIFY_FILE_OVERWRITTEN","features":[519]},{"name":"PRJ_NOTIFY_FILE_PRE_CONVERT_TO_FULL","features":[519]},{"name":"PRJ_NOTIFY_FILE_RENAMED","features":[519]},{"name":"PRJ_NOTIFY_HARDLINK_CREATED","features":[519]},{"name":"PRJ_NOTIFY_NEW_FILE_CREATED","features":[519]},{"name":"PRJ_NOTIFY_NONE","features":[519]},{"name":"PRJ_NOTIFY_PRE_DELETE","features":[519]},{"name":"PRJ_NOTIFY_PRE_RENAME","features":[519]},{"name":"PRJ_NOTIFY_PRE_SET_HARDLINK","features":[519]},{"name":"PRJ_NOTIFY_SUPPRESS_NOTIFICATIONS","features":[519]},{"name":"PRJ_NOTIFY_TYPES","features":[519]},{"name":"PRJ_NOTIFY_USE_EXISTING_MASK","features":[519]},{"name":"PRJ_PLACEHOLDER_ID","features":[519]},{"name":"PRJ_PLACEHOLDER_ID_LENGTH","features":[519]},{"name":"PRJ_PLACEHOLDER_INFO","features":[308,519]},{"name":"PRJ_PLACEHOLDER_VERSION_INFO","features":[519]},{"name":"PRJ_QUERY_FILE_NAME_CB","features":[519]},{"name":"PRJ_STARTVIRTUALIZING_FLAGS","features":[519]},{"name":"PRJ_STARTVIRTUALIZING_OPTIONS","features":[519]},{"name":"PRJ_START_DIRECTORY_ENUMERATION_CB","features":[519]},{"name":"PRJ_UPDATE_ALLOW_DIRTY_DATA","features":[519]},{"name":"PRJ_UPDATE_ALLOW_DIRTY_METADATA","features":[519]},{"name":"PRJ_UPDATE_ALLOW_READ_ONLY","features":[519]},{"name":"PRJ_UPDATE_ALLOW_TOMBSTONE","features":[519]},{"name":"PRJ_UPDATE_FAILURE_CAUSES","features":[519]},{"name":"PRJ_UPDATE_FAILURE_CAUSE_DIRTY_DATA","features":[519]},{"name":"PRJ_UPDATE_FAILURE_CAUSE_DIRTY_METADATA","features":[519]},{"name":"PRJ_UPDATE_FAILURE_CAUSE_NONE","features":[519]},{"name":"PRJ_UPDATE_FAILURE_CAUSE_READ_ONLY","features":[519]},{"name":"PRJ_UPDATE_FAILURE_CAUSE_TOMBSTONE","features":[519]},{"name":"PRJ_UPDATE_MAX_VAL","features":[519]},{"name":"PRJ_UPDATE_NONE","features":[519]},{"name":"PRJ_UPDATE_RESERVED1","features":[519]},{"name":"PRJ_UPDATE_RESERVED2","features":[519]},{"name":"PRJ_UPDATE_TYPES","features":[519]},{"name":"PRJ_VIRTUALIZATION_INSTANCE_INFO","features":[519]},{"name":"PrjAllocateAlignedBuffer","features":[519]},{"name":"PrjClearNegativePathCache","features":[519]},{"name":"PrjCompleteCommand","features":[519]},{"name":"PrjDeleteFile","features":[519]},{"name":"PrjDoesNameContainWildCards","features":[308,519]},{"name":"PrjFileNameCompare","features":[519]},{"name":"PrjFileNameMatch","features":[308,519]},{"name":"PrjFillDirEntryBuffer","features":[308,519]},{"name":"PrjFillDirEntryBuffer2","features":[308,519]},{"name":"PrjFreeAlignedBuffer","features":[519]},{"name":"PrjGetOnDiskFileState","features":[519]},{"name":"PrjGetVirtualizationInstanceInfo","features":[519]},{"name":"PrjMarkDirectoryAsPlaceholder","features":[519]},{"name":"PrjStartVirtualizing","features":[308,519]},{"name":"PrjStopVirtualizing","features":[519]},{"name":"PrjUpdateFileIfNeeded","features":[308,519]},{"name":"PrjWriteFileData","features":[519]},{"name":"PrjWritePlaceholderInfo","features":[308,519]},{"name":"PrjWritePlaceholderInfo2","features":[308,519]}],"522":[{"name":"JET_API_PTR","features":[514]},{"name":"JET_HANDLE","features":[514]},{"name":"JET_INSTANCE","features":[514]},{"name":"JET_SESID","features":[514]},{"name":"JET_TABLEID","features":[514]}],"523":[{"name":"APPLY_SNAPSHOT_VHDSET_FLAG","features":[520]},{"name":"APPLY_SNAPSHOT_VHDSET_FLAG_NONE","features":[520]},{"name":"APPLY_SNAPSHOT_VHDSET_FLAG_WRITEABLE","features":[520]},{"name":"APPLY_SNAPSHOT_VHDSET_PARAMETERS","features":[520]},{"name":"APPLY_SNAPSHOT_VHDSET_VERSION","features":[520]},{"name":"APPLY_SNAPSHOT_VHDSET_VERSION_1","features":[520]},{"name":"APPLY_SNAPSHOT_VHDSET_VERSION_UNSPECIFIED","features":[520]},{"name":"ATTACH_VIRTUAL_DISK_FLAG","features":[520]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_AT_BOOT","features":[520]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_BYPASS_DEFAULT_ENCRYPTION_POLICY","features":[520]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_NONE","features":[520]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_NON_PNP","features":[520]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_NO_DRIVE_LETTER","features":[520]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_NO_LOCAL_HOST","features":[520]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_NO_SECURITY_DESCRIPTOR","features":[520]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_PERMANENT_LIFETIME","features":[520]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_READ_ONLY","features":[520]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_REGISTER_VOLUME","features":[520]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_RESTRICTED_RANGE","features":[520]},{"name":"ATTACH_VIRTUAL_DISK_FLAG_SINGLE_PARTITION","features":[520]},{"name":"ATTACH_VIRTUAL_DISK_PARAMETERS","features":[520]},{"name":"ATTACH_VIRTUAL_DISK_VERSION","features":[520]},{"name":"ATTACH_VIRTUAL_DISK_VERSION_1","features":[520]},{"name":"ATTACH_VIRTUAL_DISK_VERSION_2","features":[520]},{"name":"ATTACH_VIRTUAL_DISK_VERSION_UNSPECIFIED","features":[520]},{"name":"AddVirtualDiskParent","features":[308,520]},{"name":"ApplySnapshotVhdSet","features":[308,520]},{"name":"AttachVirtualDisk","features":[308,311,520,313]},{"name":"BreakMirrorVirtualDisk","features":[308,520]},{"name":"COMPACT_VIRTUAL_DISK_FLAG","features":[520]},{"name":"COMPACT_VIRTUAL_DISK_FLAG_NONE","features":[520]},{"name":"COMPACT_VIRTUAL_DISK_FLAG_NO_BLOCK_MOVES","features":[520]},{"name":"COMPACT_VIRTUAL_DISK_FLAG_NO_ZERO_SCAN","features":[520]},{"name":"COMPACT_VIRTUAL_DISK_PARAMETERS","features":[520]},{"name":"COMPACT_VIRTUAL_DISK_VERSION","features":[520]},{"name":"COMPACT_VIRTUAL_DISK_VERSION_1","features":[520]},{"name":"COMPACT_VIRTUAL_DISK_VERSION_UNSPECIFIED","features":[520]},{"name":"CREATE_VIRTUAL_DISK_FLAG","features":[520]},{"name":"CREATE_VIRTUAL_DISK_FLAG_CREATE_BACKING_STORAGE","features":[520]},{"name":"CREATE_VIRTUAL_DISK_FLAG_DO_NOT_COPY_METADATA_FROM_PARENT","features":[520]},{"name":"CREATE_VIRTUAL_DISK_FLAG_FULL_PHYSICAL_ALLOCATION","features":[520]},{"name":"CREATE_VIRTUAL_DISK_FLAG_NONE","features":[520]},{"name":"CREATE_VIRTUAL_DISK_FLAG_PMEM_COMPATIBLE","features":[520]},{"name":"CREATE_VIRTUAL_DISK_FLAG_PRESERVE_PARENT_CHANGE_TRACKING_STATE","features":[520]},{"name":"CREATE_VIRTUAL_DISK_FLAG_PREVENT_WRITES_TO_SOURCE_DISK","features":[520]},{"name":"CREATE_VIRTUAL_DISK_FLAG_SPARSE_FILE","features":[520]},{"name":"CREATE_VIRTUAL_DISK_FLAG_SUPPORT_COMPRESSED_VOLUMES","features":[520]},{"name":"CREATE_VIRTUAL_DISK_FLAG_SUPPORT_SPARSE_FILES_ANY_FS","features":[520]},{"name":"CREATE_VIRTUAL_DISK_FLAG_USE_CHANGE_TRACKING_SOURCE_LIMIT","features":[520]},{"name":"CREATE_VIRTUAL_DISK_FLAG_VHD_SET_USE_ORIGINAL_BACKING_STORAGE","features":[520]},{"name":"CREATE_VIRTUAL_DISK_PARAMETERS","features":[520]},{"name":"CREATE_VIRTUAL_DISK_PARAMETERS_DEFAULT_BLOCK_SIZE","features":[520]},{"name":"CREATE_VIRTUAL_DISK_PARAMETERS_DEFAULT_SECTOR_SIZE","features":[520]},{"name":"CREATE_VIRTUAL_DISK_VERSION","features":[520]},{"name":"CREATE_VIRTUAL_DISK_VERSION_1","features":[520]},{"name":"CREATE_VIRTUAL_DISK_VERSION_2","features":[520]},{"name":"CREATE_VIRTUAL_DISK_VERSION_3","features":[520]},{"name":"CREATE_VIRTUAL_DISK_VERSION_4","features":[520]},{"name":"CREATE_VIRTUAL_DISK_VERSION_UNSPECIFIED","features":[520]},{"name":"CompactVirtualDisk","features":[308,520,313]},{"name":"CompleteForkVirtualDisk","features":[308,520]},{"name":"CreateVirtualDisk","features":[308,311,520,313]},{"name":"DELETE_SNAPSHOT_VHDSET_FLAG","features":[520]},{"name":"DELETE_SNAPSHOT_VHDSET_FLAG_NONE","features":[520]},{"name":"DELETE_SNAPSHOT_VHDSET_FLAG_PERSIST_RCT","features":[520]},{"name":"DELETE_SNAPSHOT_VHDSET_PARAMETERS","features":[520]},{"name":"DELETE_SNAPSHOT_VHDSET_VERSION","features":[520]},{"name":"DELETE_SNAPSHOT_VHDSET_VERSION_1","features":[520]},{"name":"DELETE_SNAPSHOT_VHDSET_VERSION_UNSPECIFIED","features":[520]},{"name":"DEPENDENT_DISK_FLAG","features":[520]},{"name":"DEPENDENT_DISK_FLAG_ALWAYS_ALLOW_SPARSE","features":[520]},{"name":"DEPENDENT_DISK_FLAG_FULLY_ALLOCATED","features":[520]},{"name":"DEPENDENT_DISK_FLAG_MULT_BACKING_FILES","features":[520]},{"name":"DEPENDENT_DISK_FLAG_NONE","features":[520]},{"name":"DEPENDENT_DISK_FLAG_NO_DRIVE_LETTER","features":[520]},{"name":"DEPENDENT_DISK_FLAG_NO_HOST_DISK","features":[520]},{"name":"DEPENDENT_DISK_FLAG_PARENT","features":[520]},{"name":"DEPENDENT_DISK_FLAG_PERMANENT_LIFETIME","features":[520]},{"name":"DEPENDENT_DISK_FLAG_READ_ONLY","features":[520]},{"name":"DEPENDENT_DISK_FLAG_REMOTE","features":[520]},{"name":"DEPENDENT_DISK_FLAG_REMOVABLE","features":[520]},{"name":"DEPENDENT_DISK_FLAG_SUPPORT_COMPRESSED_VOLUMES","features":[520]},{"name":"DEPENDENT_DISK_FLAG_SUPPORT_ENCRYPTED_FILES","features":[520]},{"name":"DEPENDENT_DISK_FLAG_SYSTEM_VOLUME","features":[520]},{"name":"DEPENDENT_DISK_FLAG_SYSTEM_VOLUME_PARENT","features":[520]},{"name":"DETACH_VIRTUAL_DISK_FLAG","features":[520]},{"name":"DETACH_VIRTUAL_DISK_FLAG_NONE","features":[520]},{"name":"DeleteSnapshotVhdSet","features":[308,520]},{"name":"DeleteVirtualDiskMetadata","features":[308,520]},{"name":"DetachVirtualDisk","features":[308,520]},{"name":"EXPAND_VIRTUAL_DISK_FLAG","features":[520]},{"name":"EXPAND_VIRTUAL_DISK_FLAG_NONE","features":[520]},{"name":"EXPAND_VIRTUAL_DISK_FLAG_NOTIFY_CHANGE","features":[520]},{"name":"EXPAND_VIRTUAL_DISK_PARAMETERS","features":[520]},{"name":"EXPAND_VIRTUAL_DISK_VERSION","features":[520]},{"name":"EXPAND_VIRTUAL_DISK_VERSION_1","features":[520]},{"name":"EXPAND_VIRTUAL_DISK_VERSION_UNSPECIFIED","features":[520]},{"name":"EnumerateVirtualDiskMetadata","features":[308,520]},{"name":"ExpandVirtualDisk","features":[308,520,313]},{"name":"FORK_VIRTUAL_DISK_FLAG","features":[520]},{"name":"FORK_VIRTUAL_DISK_FLAG_EXISTING_FILE","features":[520]},{"name":"FORK_VIRTUAL_DISK_FLAG_NONE","features":[520]},{"name":"FORK_VIRTUAL_DISK_PARAMETERS","features":[520]},{"name":"FORK_VIRTUAL_DISK_VERSION","features":[520]},{"name":"FORK_VIRTUAL_DISK_VERSION_1","features":[520]},{"name":"FORK_VIRTUAL_DISK_VERSION_UNSPECIFIED","features":[520]},{"name":"ForkVirtualDisk","features":[308,520,313]},{"name":"GET_STORAGE_DEPENDENCY_FLAG","features":[520]},{"name":"GET_STORAGE_DEPENDENCY_FLAG_DISK_HANDLE","features":[520]},{"name":"GET_STORAGE_DEPENDENCY_FLAG_HOST_VOLUMES","features":[520]},{"name":"GET_STORAGE_DEPENDENCY_FLAG_NONE","features":[520]},{"name":"GET_VIRTUAL_DISK_INFO","features":[308,520]},{"name":"GET_VIRTUAL_DISK_INFO_CHANGE_TRACKING_STATE","features":[520]},{"name":"GET_VIRTUAL_DISK_INFO_FRAGMENTATION","features":[520]},{"name":"GET_VIRTUAL_DISK_INFO_IDENTIFIER","features":[520]},{"name":"GET_VIRTUAL_DISK_INFO_IS_4K_ALIGNED","features":[520]},{"name":"GET_VIRTUAL_DISK_INFO_IS_LOADED","features":[520]},{"name":"GET_VIRTUAL_DISK_INFO_PARENT_IDENTIFIER","features":[520]},{"name":"GET_VIRTUAL_DISK_INFO_PARENT_LOCATION","features":[520]},{"name":"GET_VIRTUAL_DISK_INFO_PARENT_TIMESTAMP","features":[520]},{"name":"GET_VIRTUAL_DISK_INFO_PHYSICAL_DISK","features":[520]},{"name":"GET_VIRTUAL_DISK_INFO_PROVIDER_SUBTYPE","features":[520]},{"name":"GET_VIRTUAL_DISK_INFO_SIZE","features":[520]},{"name":"GET_VIRTUAL_DISK_INFO_SMALLEST_SAFE_VIRTUAL_SIZE","features":[520]},{"name":"GET_VIRTUAL_DISK_INFO_UNSPECIFIED","features":[520]},{"name":"GET_VIRTUAL_DISK_INFO_VERSION","features":[520]},{"name":"GET_VIRTUAL_DISK_INFO_VHD_PHYSICAL_SECTOR_SIZE","features":[520]},{"name":"GET_VIRTUAL_DISK_INFO_VIRTUAL_DISK_ID","features":[520]},{"name":"GET_VIRTUAL_DISK_INFO_VIRTUAL_STORAGE_TYPE","features":[520]},{"name":"GetAllAttachedVirtualDiskPhysicalPaths","features":[308,520]},{"name":"GetStorageDependencyInformation","features":[308,520]},{"name":"GetVirtualDiskInformation","features":[308,520]},{"name":"GetVirtualDiskMetadata","features":[308,520]},{"name":"GetVirtualDiskOperationProgress","features":[308,520,313]},{"name":"GetVirtualDiskPhysicalPath","features":[308,520]},{"name":"MERGE_VIRTUAL_DISK_DEFAULT_MERGE_DEPTH","features":[520]},{"name":"MERGE_VIRTUAL_DISK_FLAG","features":[520]},{"name":"MERGE_VIRTUAL_DISK_FLAG_NONE","features":[520]},{"name":"MERGE_VIRTUAL_DISK_PARAMETERS","features":[520]},{"name":"MERGE_VIRTUAL_DISK_VERSION","features":[520]},{"name":"MERGE_VIRTUAL_DISK_VERSION_1","features":[520]},{"name":"MERGE_VIRTUAL_DISK_VERSION_2","features":[520]},{"name":"MERGE_VIRTUAL_DISK_VERSION_UNSPECIFIED","features":[520]},{"name":"MIRROR_VIRTUAL_DISK_FLAG","features":[520]},{"name":"MIRROR_VIRTUAL_DISK_FLAG_ENABLE_SMB_COMPRESSION","features":[520]},{"name":"MIRROR_VIRTUAL_DISK_FLAG_EXISTING_FILE","features":[520]},{"name":"MIRROR_VIRTUAL_DISK_FLAG_IS_LIVE_MIGRATION","features":[520]},{"name":"MIRROR_VIRTUAL_DISK_FLAG_NONE","features":[520]},{"name":"MIRROR_VIRTUAL_DISK_FLAG_SKIP_MIRROR_ACTIVATION","features":[520]},{"name":"MIRROR_VIRTUAL_DISK_PARAMETERS","features":[520]},{"name":"MIRROR_VIRTUAL_DISK_VERSION","features":[520]},{"name":"MIRROR_VIRTUAL_DISK_VERSION_1","features":[520]},{"name":"MIRROR_VIRTUAL_DISK_VERSION_UNSPECIFIED","features":[520]},{"name":"MODIFY_VHDSET_DEFAULT_SNAPSHOT_PATH","features":[520]},{"name":"MODIFY_VHDSET_FLAG","features":[520]},{"name":"MODIFY_VHDSET_FLAG_NONE","features":[520]},{"name":"MODIFY_VHDSET_FLAG_WRITEABLE_SNAPSHOT","features":[520]},{"name":"MODIFY_VHDSET_PARAMETERS","features":[520]},{"name":"MODIFY_VHDSET_REMOVE_SNAPSHOT","features":[520]},{"name":"MODIFY_VHDSET_SNAPSHOT_PATH","features":[520]},{"name":"MODIFY_VHDSET_UNSPECIFIED","features":[520]},{"name":"MODIFY_VHDSET_VERSION","features":[520]},{"name":"MergeVirtualDisk","features":[308,520,313]},{"name":"MirrorVirtualDisk","features":[308,520,313]},{"name":"ModifyVhdSet","features":[308,520]},{"name":"OPEN_VIRTUAL_DISK_FLAG","features":[520]},{"name":"OPEN_VIRTUAL_DISK_FLAG_BLANK_FILE","features":[520]},{"name":"OPEN_VIRTUAL_DISK_FLAG_BOOT_DRIVE","features":[520]},{"name":"OPEN_VIRTUAL_DISK_FLAG_CACHED_IO","features":[520]},{"name":"OPEN_VIRTUAL_DISK_FLAG_CUSTOM_DIFF_CHAIN","features":[520]},{"name":"OPEN_VIRTUAL_DISK_FLAG_IGNORE_RELATIVE_PARENT_LOCATOR","features":[520]},{"name":"OPEN_VIRTUAL_DISK_FLAG_NONE","features":[520]},{"name":"OPEN_VIRTUAL_DISK_FLAG_NO_PARENTS","features":[520]},{"name":"OPEN_VIRTUAL_DISK_FLAG_NO_WRITE_HARDENING","features":[520]},{"name":"OPEN_VIRTUAL_DISK_FLAG_PARENT_CACHED_IO","features":[520]},{"name":"OPEN_VIRTUAL_DISK_FLAG_SUPPORT_COMPRESSED_VOLUMES","features":[520]},{"name":"OPEN_VIRTUAL_DISK_FLAG_SUPPORT_ENCRYPTED_FILES","features":[520]},{"name":"OPEN_VIRTUAL_DISK_FLAG_SUPPORT_SPARSE_FILES_ANY_FS","features":[520]},{"name":"OPEN_VIRTUAL_DISK_FLAG_VHDSET_FILE_ONLY","features":[520]},{"name":"OPEN_VIRTUAL_DISK_PARAMETERS","features":[308,520]},{"name":"OPEN_VIRTUAL_DISK_RW_DEPTH_DEFAULT","features":[520]},{"name":"OPEN_VIRTUAL_DISK_VERSION","features":[520]},{"name":"OPEN_VIRTUAL_DISK_VERSION_1","features":[520]},{"name":"OPEN_VIRTUAL_DISK_VERSION_2","features":[520]},{"name":"OPEN_VIRTUAL_DISK_VERSION_3","features":[520]},{"name":"OPEN_VIRTUAL_DISK_VERSION_UNSPECIFIED","features":[520]},{"name":"OpenVirtualDisk","features":[308,520]},{"name":"QUERY_CHANGES_VIRTUAL_DISK_FLAG","features":[520]},{"name":"QUERY_CHANGES_VIRTUAL_DISK_FLAG_NONE","features":[520]},{"name":"QUERY_CHANGES_VIRTUAL_DISK_RANGE","features":[520]},{"name":"QueryChangesVirtualDisk","features":[308,520]},{"name":"RAW_SCSI_VIRTUAL_DISK_FLAG","features":[520]},{"name":"RAW_SCSI_VIRTUAL_DISK_FLAG_NONE","features":[520]},{"name":"RAW_SCSI_VIRTUAL_DISK_PARAMETERS","features":[308,520]},{"name":"RAW_SCSI_VIRTUAL_DISK_RESPONSE","features":[520]},{"name":"RAW_SCSI_VIRTUAL_DISK_VERSION","features":[520]},{"name":"RAW_SCSI_VIRTUAL_DISK_VERSION_1","features":[520]},{"name":"RAW_SCSI_VIRTUAL_DISK_VERSION_UNSPECIFIED","features":[520]},{"name":"RESIZE_VIRTUAL_DISK_FLAG","features":[520]},{"name":"RESIZE_VIRTUAL_DISK_FLAG_ALLOW_UNSAFE_VIRTUAL_SIZE","features":[520]},{"name":"RESIZE_VIRTUAL_DISK_FLAG_NONE","features":[520]},{"name":"RESIZE_VIRTUAL_DISK_FLAG_RESIZE_TO_SMALLEST_SAFE_VIRTUAL_SIZE","features":[520]},{"name":"RESIZE_VIRTUAL_DISK_PARAMETERS","features":[520]},{"name":"RESIZE_VIRTUAL_DISK_VERSION","features":[520]},{"name":"RESIZE_VIRTUAL_DISK_VERSION_1","features":[520]},{"name":"RESIZE_VIRTUAL_DISK_VERSION_UNSPECIFIED","features":[520]},{"name":"RawSCSIVirtualDisk","features":[308,520]},{"name":"ResizeVirtualDisk","features":[308,520,313]},{"name":"SET_VIRTUAL_DISK_INFO","features":[308,520]},{"name":"SET_VIRTUAL_DISK_INFO_CHANGE_TRACKING_STATE","features":[520]},{"name":"SET_VIRTUAL_DISK_INFO_IDENTIFIER","features":[520]},{"name":"SET_VIRTUAL_DISK_INFO_PARENT_LOCATOR","features":[520]},{"name":"SET_VIRTUAL_DISK_INFO_PARENT_PATH","features":[520]},{"name":"SET_VIRTUAL_DISK_INFO_PARENT_PATH_WITH_DEPTH","features":[520]},{"name":"SET_VIRTUAL_DISK_INFO_PHYSICAL_SECTOR_SIZE","features":[520]},{"name":"SET_VIRTUAL_DISK_INFO_UNSPECIFIED","features":[520]},{"name":"SET_VIRTUAL_DISK_INFO_VERSION","features":[520]},{"name":"SET_VIRTUAL_DISK_INFO_VIRTUAL_DISK_ID","features":[520]},{"name":"STORAGE_DEPENDENCY_INFO","features":[520]},{"name":"STORAGE_DEPENDENCY_INFO_TYPE_1","features":[520]},{"name":"STORAGE_DEPENDENCY_INFO_TYPE_2","features":[520]},{"name":"STORAGE_DEPENDENCY_INFO_VERSION","features":[520]},{"name":"STORAGE_DEPENDENCY_INFO_VERSION_1","features":[520]},{"name":"STORAGE_DEPENDENCY_INFO_VERSION_2","features":[520]},{"name":"STORAGE_DEPENDENCY_INFO_VERSION_UNSPECIFIED","features":[520]},{"name":"SetVirtualDiskInformation","features":[308,520]},{"name":"SetVirtualDiskMetadata","features":[308,520]},{"name":"TAKE_SNAPSHOT_VHDSET_FLAG","features":[520]},{"name":"TAKE_SNAPSHOT_VHDSET_FLAG_NONE","features":[520]},{"name":"TAKE_SNAPSHOT_VHDSET_FLAG_WRITEABLE","features":[520]},{"name":"TAKE_SNAPSHOT_VHDSET_PARAMETERS","features":[520]},{"name":"TAKE_SNAPSHOT_VHDSET_VERSION","features":[520]},{"name":"TAKE_SNAPSHOT_VHDSET_VERSION_1","features":[520]},{"name":"TAKE_SNAPSHOT_VHDSET_VERSION_UNSPECIFIED","features":[520]},{"name":"TakeSnapshotVhdSet","features":[308,520]},{"name":"VIRTUAL_DISK_ACCESS_ALL","features":[520]},{"name":"VIRTUAL_DISK_ACCESS_ATTACH_RO","features":[520]},{"name":"VIRTUAL_DISK_ACCESS_ATTACH_RW","features":[520]},{"name":"VIRTUAL_DISK_ACCESS_CREATE","features":[520]},{"name":"VIRTUAL_DISK_ACCESS_DETACH","features":[520]},{"name":"VIRTUAL_DISK_ACCESS_GET_INFO","features":[520]},{"name":"VIRTUAL_DISK_ACCESS_MASK","features":[520]},{"name":"VIRTUAL_DISK_ACCESS_METAOPS","features":[520]},{"name":"VIRTUAL_DISK_ACCESS_NONE","features":[520]},{"name":"VIRTUAL_DISK_ACCESS_READ","features":[520]},{"name":"VIRTUAL_DISK_ACCESS_WRITABLE","features":[520]},{"name":"VIRTUAL_DISK_MAXIMUM_CHANGE_TRACKING_ID_LENGTH","features":[520]},{"name":"VIRTUAL_DISK_PROGRESS","features":[520]},{"name":"VIRTUAL_STORAGE_TYPE","features":[520]},{"name":"VIRTUAL_STORAGE_TYPE_DEVICE_ISO","features":[520]},{"name":"VIRTUAL_STORAGE_TYPE_DEVICE_UNKNOWN","features":[520]},{"name":"VIRTUAL_STORAGE_TYPE_DEVICE_VHD","features":[520]},{"name":"VIRTUAL_STORAGE_TYPE_DEVICE_VHDSET","features":[520]},{"name":"VIRTUAL_STORAGE_TYPE_DEVICE_VHDX","features":[520]},{"name":"VIRTUAL_STORAGE_TYPE_VENDOR_MICROSOFT","features":[520]},{"name":"VIRTUAL_STORAGE_TYPE_VENDOR_UNKNOWN","features":[520]}],"524":[{"name":"BeepAlarm","features":[521]},{"name":"BlinkLight","features":[521]},{"name":"CHANGE_ATTRIBUTES_PARAMETERS","features":[308,521]},{"name":"CHANGE_PARTITION_TYPE_PARAMETERS","features":[521]},{"name":"CLSID_VdsLoader","features":[521]},{"name":"CLSID_VdsService","features":[521]},{"name":"CREATE_PARTITION_PARAMETERS","features":[308,521]},{"name":"GPT_PARTITION_NAME_LENGTH","features":[521]},{"name":"IEnumVdsObject","features":[521]},{"name":"IVdsAdmin","features":[521]},{"name":"IVdsAdvancedDisk","features":[521]},{"name":"IVdsAdvancedDisk2","features":[521]},{"name":"IVdsAdvancedDisk3","features":[521]},{"name":"IVdsAdviseSink","features":[521]},{"name":"IVdsAsync","features":[521]},{"name":"IVdsController","features":[521]},{"name":"IVdsControllerControllerPort","features":[521]},{"name":"IVdsControllerPort","features":[521]},{"name":"IVdsCreatePartitionEx","features":[521]},{"name":"IVdsDisk","features":[521]},{"name":"IVdsDisk2","features":[521]},{"name":"IVdsDisk3","features":[521]},{"name":"IVdsDiskOnline","features":[521]},{"name":"IVdsDiskPartitionMF","features":[521]},{"name":"IVdsDiskPartitionMF2","features":[521]},{"name":"IVdsDrive","features":[521]},{"name":"IVdsDrive2","features":[521]},{"name":"IVdsHbaPort","features":[521]},{"name":"IVdsHwProvider","features":[521]},{"name":"IVdsHwProviderPrivate","features":[521]},{"name":"IVdsHwProviderPrivateMpio","features":[521]},{"name":"IVdsHwProviderStoragePools","features":[521]},{"name":"IVdsHwProviderType","features":[521]},{"name":"IVdsHwProviderType2","features":[521]},{"name":"IVdsIscsiInitiatorAdapter","features":[521]},{"name":"IVdsIscsiInitiatorPortal","features":[521]},{"name":"IVdsIscsiPortal","features":[521]},{"name":"IVdsIscsiPortalGroup","features":[521]},{"name":"IVdsIscsiPortalLocal","features":[521]},{"name":"IVdsIscsiTarget","features":[521]},{"name":"IVdsLun","features":[521]},{"name":"IVdsLun2","features":[521]},{"name":"IVdsLunControllerPorts","features":[521]},{"name":"IVdsLunIscsi","features":[521]},{"name":"IVdsLunMpio","features":[521]},{"name":"IVdsLunNaming","features":[521]},{"name":"IVdsLunNumber","features":[521]},{"name":"IVdsLunPlex","features":[521]},{"name":"IVdsMaintenance","features":[521]},{"name":"IVdsOpenVDisk","features":[521]},{"name":"IVdsPack","features":[521]},{"name":"IVdsPack2","features":[521]},{"name":"IVdsProvider","features":[521]},{"name":"IVdsProviderPrivate","features":[521]},{"name":"IVdsProviderSupport","features":[521]},{"name":"IVdsRemovable","features":[521]},{"name":"IVdsService","features":[521]},{"name":"IVdsServiceHba","features":[521]},{"name":"IVdsServiceInitialization","features":[521]},{"name":"IVdsServiceIscsi","features":[521]},{"name":"IVdsServiceLoader","features":[521]},{"name":"IVdsServiceSAN","features":[521]},{"name":"IVdsServiceSw","features":[521]},{"name":"IVdsServiceUninstallDisk","features":[521]},{"name":"IVdsStoragePool","features":[521]},{"name":"IVdsSubSystem","features":[521]},{"name":"IVdsSubSystem2","features":[521]},{"name":"IVdsSubSystemImportTarget","features":[521]},{"name":"IVdsSubSystemInterconnect","features":[521]},{"name":"IVdsSubSystemIscsi","features":[521]},{"name":"IVdsSubSystemNaming","features":[521]},{"name":"IVdsSwProvider","features":[521]},{"name":"IVdsVDisk","features":[521]},{"name":"IVdsVdProvider","features":[521]},{"name":"IVdsVolume","features":[521]},{"name":"IVdsVolume2","features":[521]},{"name":"IVdsVolumeMF","features":[521]},{"name":"IVdsVolumeMF2","features":[521]},{"name":"IVdsVolumeMF3","features":[521]},{"name":"IVdsVolumeOnline","features":[521]},{"name":"IVdsVolumePlex","features":[521]},{"name":"IVdsVolumeShrink","features":[521]},{"name":"MAX_FS_ALLOWED_CLUSTER_SIZES_SIZE","features":[521]},{"name":"MAX_FS_FORMAT_SUPPORT_NAME_SIZE","features":[521]},{"name":"MAX_FS_NAME_SIZE","features":[521]},{"name":"Ping","features":[521]},{"name":"SpinDown","features":[521]},{"name":"SpinUp","features":[521]},{"name":"VDSBusType1394","features":[521]},{"name":"VDSBusTypeAta","features":[521]},{"name":"VDSBusTypeAtapi","features":[521]},{"name":"VDSBusTypeFibre","features":[521]},{"name":"VDSBusTypeFileBackedVirtual","features":[521]},{"name":"VDSBusTypeMax","features":[521]},{"name":"VDSBusTypeMaxReserved","features":[521]},{"name":"VDSBusTypeMmc","features":[521]},{"name":"VDSBusTypeNVMe","features":[521]},{"name":"VDSBusTypeRAID","features":[521]},{"name":"VDSBusTypeSas","features":[521]},{"name":"VDSBusTypeSata","features":[521]},{"name":"VDSBusTypeScm","features":[521]},{"name":"VDSBusTypeScsi","features":[521]},{"name":"VDSBusTypeSd","features":[521]},{"name":"VDSBusTypeSpaces","features":[521]},{"name":"VDSBusTypeSsa","features":[521]},{"name":"VDSBusTypeUfs","features":[521]},{"name":"VDSBusTypeUnknown","features":[521]},{"name":"VDSBusTypeUsb","features":[521]},{"name":"VDSBusTypeVirtual","features":[521]},{"name":"VDSBusTypeiScsi","features":[521]},{"name":"VDSDiskOfflineReasonCollision","features":[521]},{"name":"VDSDiskOfflineReasonDIScan","features":[521]},{"name":"VDSDiskOfflineReasonLostDataPersistence","features":[521]},{"name":"VDSDiskOfflineReasonNone","features":[521]},{"name":"VDSDiskOfflineReasonPolicy","features":[521]},{"name":"VDSDiskOfflineReasonRedundantPath","features":[521]},{"name":"VDSDiskOfflineReasonResourceExhaustion","features":[521]},{"name":"VDSDiskOfflineReasonSnapshot","features":[521]},{"name":"VDSDiskOfflineReasonWriteFailure","features":[521]},{"name":"VDSStorageIdCodeSetAscii","features":[521]},{"name":"VDSStorageIdCodeSetBinary","features":[521]},{"name":"VDSStorageIdCodeSetReserved","features":[521]},{"name":"VDSStorageIdCodeSetUtf8","features":[521]},{"name":"VDSStorageIdTypeEUI64","features":[521]},{"name":"VDSStorageIdTypeFCPHName","features":[521]},{"name":"VDSStorageIdTypeLogicalUnitGroup","features":[521]},{"name":"VDSStorageIdTypeMD5LogicalUnitIdentifier","features":[521]},{"name":"VDSStorageIdTypePortRelative","features":[521]},{"name":"VDSStorageIdTypeScsiNameString","features":[521]},{"name":"VDSStorageIdTypeTargetPortGroup","features":[521]},{"name":"VDSStorageIdTypeVendorId","features":[521]},{"name":"VDSStorageIdTypeVendorSpecific","features":[521]},{"name":"VDS_ADVANCEDDISK_PROP","features":[521]},{"name":"VDS_ASYNCOUT_ADDLUNPLEX","features":[521]},{"name":"VDS_ASYNCOUT_ADDPORTAL","features":[521]},{"name":"VDS_ASYNCOUT_ADDVOLUMEPLEX","features":[521]},{"name":"VDS_ASYNCOUT_ATTACH_VDISK","features":[521]},{"name":"VDS_ASYNCOUT_BREAKVOLUMEPLEX","features":[521]},{"name":"VDS_ASYNCOUT_CLEAN","features":[521]},{"name":"VDS_ASYNCOUT_COMPACT_VDISK","features":[521]},{"name":"VDS_ASYNCOUT_CREATELUN","features":[521]},{"name":"VDS_ASYNCOUT_CREATEPARTITION","features":[521]},{"name":"VDS_ASYNCOUT_CREATEPORTALGROUP","features":[521]},{"name":"VDS_ASYNCOUT_CREATETARGET","features":[521]},{"name":"VDS_ASYNCOUT_CREATEVOLUME","features":[521]},{"name":"VDS_ASYNCOUT_CREATE_VDISK","features":[521]},{"name":"VDS_ASYNCOUT_DELETEPORTALGROUP","features":[521]},{"name":"VDS_ASYNCOUT_DELETETARGET","features":[521]},{"name":"VDS_ASYNCOUT_EXPAND_VDISK","features":[521]},{"name":"VDS_ASYNCOUT_EXTENDLUN","features":[521]},{"name":"VDS_ASYNCOUT_EXTENDVOLUME","features":[521]},{"name":"VDS_ASYNCOUT_FORMAT","features":[521]},{"name":"VDS_ASYNCOUT_LOGINTOTARGET","features":[521]},{"name":"VDS_ASYNCOUT_LOGOUTFROMTARGET","features":[521]},{"name":"VDS_ASYNCOUT_MERGE_VDISK","features":[521]},{"name":"VDS_ASYNCOUT_RECOVERLUN","features":[521]},{"name":"VDS_ASYNCOUT_RECOVERPACK","features":[521]},{"name":"VDS_ASYNCOUT_REMOVELUNPLEX","features":[521]},{"name":"VDS_ASYNCOUT_REMOVEPORTAL","features":[521]},{"name":"VDS_ASYNCOUT_REMOVEVOLUMEPLEX","features":[521]},{"name":"VDS_ASYNCOUT_REPAIRVOLUMEPLEX","features":[521]},{"name":"VDS_ASYNCOUT_REPLACEDISK","features":[521]},{"name":"VDS_ASYNCOUT_SHRINKLUN","features":[521]},{"name":"VDS_ASYNCOUT_SHRINKVOLUME","features":[521]},{"name":"VDS_ASYNCOUT_UNKNOWN","features":[521]},{"name":"VDS_ASYNC_OUTPUT","features":[521]},{"name":"VDS_ASYNC_OUTPUT_TYPE","features":[521]},{"name":"VDS_ATTACH_VIRTUAL_DISK_FLAG_USE_FILE_ACL","features":[521]},{"name":"VDS_CONTROLLER_NOTIFICATION","features":[521]},{"name":"VDS_CONTROLLER_PROP","features":[521]},{"name":"VDS_CONTROLLER_STATUS","features":[521]},{"name":"VDS_CREATE_VDISK_PARAMETERS","features":[521]},{"name":"VDS_CS_FAILED","features":[521]},{"name":"VDS_CS_NOT_READY","features":[521]},{"name":"VDS_CS_OFFLINE","features":[521]},{"name":"VDS_CS_ONLINE","features":[521]},{"name":"VDS_CS_REMOVED","features":[521]},{"name":"VDS_CS_UNKNOWN","features":[521]},{"name":"VDS_DET_CLUSTER","features":[521]},{"name":"VDS_DET_DATA","features":[521]},{"name":"VDS_DET_ESP","features":[521]},{"name":"VDS_DET_FREE","features":[521]},{"name":"VDS_DET_LDM","features":[521]},{"name":"VDS_DET_MSR","features":[521]},{"name":"VDS_DET_OEM","features":[521]},{"name":"VDS_DET_UNKNOWN","features":[521]},{"name":"VDS_DET_UNUSABLE","features":[521]},{"name":"VDS_DF_AUDIO_CD","features":[521]},{"name":"VDS_DF_BOOT_DISK","features":[521]},{"name":"VDS_DF_BOOT_FROM_DISK","features":[521]},{"name":"VDS_DF_CLUSTERED","features":[521]},{"name":"VDS_DF_CRASHDUMP_DISK","features":[521]},{"name":"VDS_DF_CURRENT_READ_ONLY","features":[521]},{"name":"VDS_DF_DYNAMIC","features":[521]},{"name":"VDS_DF_HAS_ARC_PATH","features":[521]},{"name":"VDS_DF_HIBERNATIONFILE_DISK","features":[521]},{"name":"VDS_DF_HOTSPARE","features":[521]},{"name":"VDS_DF_MASKED","features":[521]},{"name":"VDS_DF_PAGEFILE_DISK","features":[521]},{"name":"VDS_DF_READ_ONLY","features":[521]},{"name":"VDS_DF_REFS_NOT_SUPPORTED","features":[521]},{"name":"VDS_DF_RESERVE_CAPABLE","features":[521]},{"name":"VDS_DF_STYLE_CONVERTIBLE","features":[521]},{"name":"VDS_DF_SYSTEM_DISK","features":[521]},{"name":"VDS_DISK_EXTENT","features":[521]},{"name":"VDS_DISK_EXTENT_TYPE","features":[521]},{"name":"VDS_DISK_FLAG","features":[521]},{"name":"VDS_DISK_FREE_EXTENT","features":[521]},{"name":"VDS_DISK_NOTIFICATION","features":[521]},{"name":"VDS_DISK_OFFLINE_REASON","features":[521]},{"name":"VDS_DISK_PROP","features":[521]},{"name":"VDS_DISK_PROP2","features":[521]},{"name":"VDS_DISK_STATUS","features":[521]},{"name":"VDS_DLF_NON_PERSISTENT","features":[521]},{"name":"VDS_DRF_ASSIGNED","features":[521]},{"name":"VDS_DRF_HOTSPARE","features":[521]},{"name":"VDS_DRF_HOTSPARE_IN_USE","features":[521]},{"name":"VDS_DRF_HOTSPARE_STANDBY","features":[521]},{"name":"VDS_DRF_UNASSIGNED","features":[521]},{"name":"VDS_DRIVE_EXTENT","features":[308,521]},{"name":"VDS_DRIVE_FLAG","features":[521]},{"name":"VDS_DRIVE_LETTER_FLAG","features":[521]},{"name":"VDS_DRIVE_LETTER_NOTIFICATION","features":[521]},{"name":"VDS_DRIVE_LETTER_PROP","features":[308,521]},{"name":"VDS_DRIVE_NOTIFICATION","features":[521]},{"name":"VDS_DRIVE_PROP","features":[521]},{"name":"VDS_DRIVE_PROP2","features":[521]},{"name":"VDS_DRIVE_STATUS","features":[521]},{"name":"VDS_DRS_FAILED","features":[521]},{"name":"VDS_DRS_NOT_READY","features":[521]},{"name":"VDS_DRS_OFFLINE","features":[521]},{"name":"VDS_DRS_ONLINE","features":[521]},{"name":"VDS_DRS_REMOVED","features":[521]},{"name":"VDS_DRS_UNKNOWN","features":[521]},{"name":"VDS_DS_FAILED","features":[521]},{"name":"VDS_DS_MISSING","features":[521]},{"name":"VDS_DS_NOT_READY","features":[521]},{"name":"VDS_DS_NO_MEDIA","features":[521]},{"name":"VDS_DS_OFFLINE","features":[521]},{"name":"VDS_DS_ONLINE","features":[521]},{"name":"VDS_DS_UNKNOWN","features":[521]},{"name":"VDS_E_ACCESS_DENIED","features":[521]},{"name":"VDS_E_ACTIVE_PARTITION","features":[521]},{"name":"VDS_E_ADDRESSES_INCOMPLETELY_SET","features":[521]},{"name":"VDS_E_ALIGN_BEYOND_FIRST_CYLINDER","features":[521]},{"name":"VDS_E_ALIGN_IS_ZERO","features":[521]},{"name":"VDS_E_ALIGN_NOT_A_POWER_OF_TWO","features":[521]},{"name":"VDS_E_ALIGN_NOT_SECTOR_SIZE_MULTIPLE","features":[521]},{"name":"VDS_E_ALIGN_NOT_ZERO","features":[521]},{"name":"VDS_E_ALREADY_REGISTERED","features":[521]},{"name":"VDS_E_ANOTHER_CALL_IN_PROGRESS","features":[521]},{"name":"VDS_E_ASSOCIATED_LUNS_EXIST","features":[521]},{"name":"VDS_E_ASSOCIATED_PORTALS_EXIST","features":[521]},{"name":"VDS_E_ASYNC_OBJECT_FAILURE","features":[521]},{"name":"VDS_E_BAD_BOOT_DISK","features":[521]},{"name":"VDS_E_BAD_COOKIE","features":[521]},{"name":"VDS_E_BAD_LABEL","features":[521]},{"name":"VDS_E_BAD_PNP_MESSAGE","features":[521]},{"name":"VDS_E_BAD_PROVIDER_DATA","features":[521]},{"name":"VDS_E_BAD_REVISION_NUMBER","features":[521]},{"name":"VDS_E_BLOCK_CLUSTERED","features":[521]},{"name":"VDS_E_BOOT_DISK","features":[521]},{"name":"VDS_E_BOOT_PAGEFILE_DRIVE_LETTER","features":[521]},{"name":"VDS_E_BOOT_PARTITION_NUMBER_CHANGE","features":[521]},{"name":"VDS_E_CACHE_CORRUPT","features":[521]},{"name":"VDS_E_CANCEL_TOO_LATE","features":[521]},{"name":"VDS_E_CANNOT_CLEAR_VOLUME_FLAG","features":[521]},{"name":"VDS_E_CANNOT_EXTEND","features":[521]},{"name":"VDS_E_CANNOT_SHRINK","features":[521]},{"name":"VDS_E_CANT_INVALIDATE_FVE","features":[521]},{"name":"VDS_E_CANT_QUICK_FORMAT","features":[521]},{"name":"VDS_E_CLEAN_WITH_BOOTBACKING","features":[521]},{"name":"VDS_E_CLEAN_WITH_CRITICAL","features":[521]},{"name":"VDS_E_CLEAN_WITH_DATA","features":[521]},{"name":"VDS_E_CLEAN_WITH_OEM","features":[521]},{"name":"VDS_E_CLUSTER_COUNT_BEYOND_32BITS","features":[521]},{"name":"VDS_E_CLUSTER_SIZE_TOO_BIG","features":[521]},{"name":"VDS_E_CLUSTER_SIZE_TOO_SMALL","features":[521]},{"name":"VDS_E_COMPRESSION_NOT_SUPPORTED","features":[521]},{"name":"VDS_E_CONFIG_LIMIT","features":[521]},{"name":"VDS_E_CORRUPT_EXTENT_INFO","features":[521]},{"name":"VDS_E_CORRUPT_NOTIFICATION_INFO","features":[521]},{"name":"VDS_E_CORRUPT_PARTITION_INFO","features":[521]},{"name":"VDS_E_CORRUPT_VOLUME_INFO","features":[521]},{"name":"VDS_E_CRASHDUMP_DISK","features":[521]},{"name":"VDS_E_CRITICAL_PLEX","features":[521]},{"name":"VDS_E_DELETE_WITH_BOOTBACKING","features":[521]},{"name":"VDS_E_DELETE_WITH_CRITICAL","features":[521]},{"name":"VDS_E_DEVICE_IN_USE","features":[521]},{"name":"VDS_E_DISK_BEING_CLEANED","features":[521]},{"name":"VDS_E_DISK_CONFIGURATION_CORRUPTED","features":[521]},{"name":"VDS_E_DISK_CONFIGURATION_NOT_IN_SYNC","features":[521]},{"name":"VDS_E_DISK_CONFIGURATION_UPDATE_FAILED","features":[521]},{"name":"VDS_E_DISK_DYNAMIC","features":[521]},{"name":"VDS_E_DISK_HAS_BANDS","features":[521]},{"name":"VDS_E_DISK_IN_USE_BY_VOLUME","features":[521]},{"name":"VDS_E_DISK_IO_FAILING","features":[521]},{"name":"VDS_E_DISK_IS_OFFLINE","features":[521]},{"name":"VDS_E_DISK_IS_READ_ONLY","features":[521]},{"name":"VDS_E_DISK_LAYOUT_PARTITIONS_TOO_SMALL","features":[521]},{"name":"VDS_E_DISK_NOT_CONVERTIBLE","features":[521]},{"name":"VDS_E_DISK_NOT_CONVERTIBLE_SIZE","features":[521]},{"name":"VDS_E_DISK_NOT_EMPTY","features":[521]},{"name":"VDS_E_DISK_NOT_FOUND_IN_PACK","features":[521]},{"name":"VDS_E_DISK_NOT_IMPORTED","features":[521]},{"name":"VDS_E_DISK_NOT_INITIALIZED","features":[521]},{"name":"VDS_E_DISK_NOT_LOADED_TO_CACHE","features":[521]},{"name":"VDS_E_DISK_NOT_MISSING","features":[521]},{"name":"VDS_E_DISK_NOT_OFFLINE","features":[521]},{"name":"VDS_E_DISK_NOT_ONLINE","features":[521]},{"name":"VDS_E_DISK_PNP_REG_CORRUPT","features":[521]},{"name":"VDS_E_DISK_REMOVEABLE","features":[521]},{"name":"VDS_E_DISK_REMOVEABLE_NOT_EMPTY","features":[521]},{"name":"VDS_E_DISTINCT_VOLUME","features":[521]},{"name":"VDS_E_DMADMIN_CORRUPT_NOTIFICATION","features":[521]},{"name":"VDS_E_DMADMIN_METHOD_CALL_FAILED","features":[521]},{"name":"VDS_E_DMADMIN_SERVICE_CONNECTION_FAILED","features":[521]},{"name":"VDS_E_DRIVER_INTERNAL_ERROR","features":[521]},{"name":"VDS_E_DRIVER_INVALID_PARAM","features":[521]},{"name":"VDS_E_DRIVER_NO_PACK_NAME","features":[521]},{"name":"VDS_E_DRIVER_OBJECT_NOT_FOUND","features":[521]},{"name":"VDS_E_DRIVE_LETTER_NOT_FREE","features":[521]},{"name":"VDS_E_DUPLICATE_DISK","features":[521]},{"name":"VDS_E_DUP_EMPTY_PACK_GUID","features":[521]},{"name":"VDS_E_DYNAMIC_DISKS_NOT_SUPPORTED","features":[521]},{"name":"VDS_E_EXTEND_FILE_SYSTEM_FAILED","features":[521]},{"name":"VDS_E_EXTEND_MULTIPLE_DISKS_NOT_SUPPORTED","features":[521]},{"name":"VDS_E_EXTEND_TOO_MANY_CLUSTERS","features":[521]},{"name":"VDS_E_EXTEND_UNKNOWN_FILESYSTEM","features":[521]},{"name":"VDS_E_EXTENT_EXCEEDS_DISK_FREE_SPACE","features":[521]},{"name":"VDS_E_EXTENT_SIZE_LESS_THAN_MIN","features":[521]},{"name":"VDS_E_FAILED_TO_OFFLINE_DISK","features":[521]},{"name":"VDS_E_FAILED_TO_ONLINE_DISK","features":[521]},{"name":"VDS_E_FAT32_FORMAT_NOT_SUPPORTED","features":[521]},{"name":"VDS_E_FAT_FORMAT_NOT_SUPPORTED","features":[521]},{"name":"VDS_E_FAULT_TOLERANT_DISKS_NOT_SUPPORTED","features":[521]},{"name":"VDS_E_FLAG_ALREADY_SET","features":[521]},{"name":"VDS_E_FORMAT_CRITICAL","features":[521]},{"name":"VDS_E_FORMAT_NOT_SUPPORTED","features":[521]},{"name":"VDS_E_FORMAT_WITH_BOOTBACKING","features":[521]},{"name":"VDS_E_FS_NOT_DETERMINED","features":[521]},{"name":"VDS_E_GET_SAN_POLICY","features":[521]},{"name":"VDS_E_GPT_ATTRIBUTES_INVALID","features":[521]},{"name":"VDS_E_HIBERNATION_FILE_DISK","features":[521]},{"name":"VDS_E_IA64_BOOT_MIRRORED_TO_MBR","features":[521]},{"name":"VDS_E_IMPORT_SET_INCOMPLETE","features":[521]},{"name":"VDS_E_INCOMPATIBLE_FILE_SYSTEM","features":[521]},{"name":"VDS_E_INCOMPATIBLE_MEDIA","features":[521]},{"name":"VDS_E_INCORRECT_BOOT_VOLUME_EXTENT_INFO","features":[521]},{"name":"VDS_E_INCORRECT_SYSTEM_VOLUME_EXTENT_INFO","features":[521]},{"name":"VDS_E_INITIALIZED_FAILED","features":[521]},{"name":"VDS_E_INITIALIZE_NOT_CALLED","features":[521]},{"name":"VDS_E_INITIATOR_ADAPTER_NOT_FOUND","features":[521]},{"name":"VDS_E_INITIATOR_SPECIFIC_NOT_SUPPORTED","features":[521]},{"name":"VDS_E_INTERNAL_ERROR","features":[521]},{"name":"VDS_E_INVALID_BLOCK_SIZE","features":[521]},{"name":"VDS_E_INVALID_DISK","features":[521]},{"name":"VDS_E_INVALID_DISK_COUNT","features":[521]},{"name":"VDS_E_INVALID_DRIVE_LETTER","features":[521]},{"name":"VDS_E_INVALID_DRIVE_LETTER_COUNT","features":[521]},{"name":"VDS_E_INVALID_ENUMERATOR","features":[521]},{"name":"VDS_E_INVALID_EXTENT_COUNT","features":[521]},{"name":"VDS_E_INVALID_FS_FLAG","features":[521]},{"name":"VDS_E_INVALID_FS_TYPE","features":[521]},{"name":"VDS_E_INVALID_IP_ADDRESS","features":[521]},{"name":"VDS_E_INVALID_ISCSI_PATH","features":[521]},{"name":"VDS_E_INVALID_ISCSI_TARGET_NAME","features":[521]},{"name":"VDS_E_INVALID_MEMBER_COUNT","features":[521]},{"name":"VDS_E_INVALID_MEMBER_ORDER","features":[521]},{"name":"VDS_E_INVALID_OBJECT_TYPE","features":[521]},{"name":"VDS_E_INVALID_OPERATION","features":[521]},{"name":"VDS_E_INVALID_PACK","features":[521]},{"name":"VDS_E_INVALID_PARTITION_LAYOUT","features":[521]},{"name":"VDS_E_INVALID_PARTITION_STYLE","features":[521]},{"name":"VDS_E_INVALID_PARTITION_TYPE","features":[521]},{"name":"VDS_E_INVALID_PATH","features":[521]},{"name":"VDS_E_INVALID_PLEX_BLOCK_SIZE","features":[521]},{"name":"VDS_E_INVALID_PLEX_COUNT","features":[521]},{"name":"VDS_E_INVALID_PLEX_GUID","features":[521]},{"name":"VDS_E_INVALID_PLEX_ORDER","features":[521]},{"name":"VDS_E_INVALID_PLEX_TYPE","features":[521]},{"name":"VDS_E_INVALID_PORT_PATH","features":[521]},{"name":"VDS_E_INVALID_PROVIDER_CLSID","features":[521]},{"name":"VDS_E_INVALID_PROVIDER_ID","features":[521]},{"name":"VDS_E_INVALID_PROVIDER_NAME","features":[521]},{"name":"VDS_E_INVALID_PROVIDER_TYPE","features":[521]},{"name":"VDS_E_INVALID_PROVIDER_VERSION_GUID","features":[521]},{"name":"VDS_E_INVALID_PROVIDER_VERSION_STRING","features":[521]},{"name":"VDS_E_INVALID_QUERY_PROVIDER_FLAG","features":[521]},{"name":"VDS_E_INVALID_SECTOR_SIZE","features":[521]},{"name":"VDS_E_INVALID_SERVICE_FLAG","features":[521]},{"name":"VDS_E_INVALID_SHRINK_SIZE","features":[521]},{"name":"VDS_E_INVALID_SPACE","features":[521]},{"name":"VDS_E_INVALID_STATE","features":[521]},{"name":"VDS_E_INVALID_STRIPE_SIZE","features":[521]},{"name":"VDS_E_INVALID_VOLUME_FLAG","features":[521]},{"name":"VDS_E_INVALID_VOLUME_LENGTH","features":[521]},{"name":"VDS_E_INVALID_VOLUME_TYPE","features":[521]},{"name":"VDS_E_IO_ERROR","features":[521]},{"name":"VDS_E_ISCSI_CHAP_SECRET","features":[521]},{"name":"VDS_E_ISCSI_GET_IKE_INFO","features":[521]},{"name":"VDS_E_ISCSI_GROUP_PRESHARE_KEY","features":[521]},{"name":"VDS_E_ISCSI_INITIATOR_NODE_NAME","features":[521]},{"name":"VDS_E_ISCSI_LOGIN_FAILED","features":[521]},{"name":"VDS_E_ISCSI_LOGOUT_FAILED","features":[521]},{"name":"VDS_E_ISCSI_LOGOUT_INCOMPLETE","features":[521]},{"name":"VDS_E_ISCSI_SESSION_NOT_FOUND","features":[521]},{"name":"VDS_E_ISCSI_SET_IKE_INFO","features":[521]},{"name":"VDS_E_LAST_VALID_DISK","features":[521]},{"name":"VDS_E_LBN_REMAP_ENABLED_FLAG","features":[521]},{"name":"VDS_E_LDM_TIMEOUT","features":[521]},{"name":"VDS_E_LEGACY_VOLUME_FORMAT","features":[521]},{"name":"VDS_E_LOG_UPDATE","features":[521]},{"name":"VDS_E_LUN_DISK_FAILED","features":[521]},{"name":"VDS_E_LUN_DISK_MISSING","features":[521]},{"name":"VDS_E_LUN_DISK_NOT_READY","features":[521]},{"name":"VDS_E_LUN_DISK_NO_MEDIA","features":[521]},{"name":"VDS_E_LUN_DISK_READ_ONLY","features":[521]},{"name":"VDS_E_LUN_DYNAMIC","features":[521]},{"name":"VDS_E_LUN_DYNAMIC_OFFLINE","features":[521]},{"name":"VDS_E_LUN_FAILED","features":[521]},{"name":"VDS_E_LUN_NOT_READY","features":[521]},{"name":"VDS_E_LUN_OFFLINE","features":[521]},{"name":"VDS_E_LUN_SHRINK_GPT_HEADER","features":[521]},{"name":"VDS_E_LUN_UPDATE_DISK","features":[521]},{"name":"VDS_E_MAX_USABLE_MBR","features":[521]},{"name":"VDS_E_MEDIA_WRITE_PROTECTED","features":[521]},{"name":"VDS_E_MEMBER_IS_HEALTHY","features":[521]},{"name":"VDS_E_MEMBER_MISSING","features":[521]},{"name":"VDS_E_MEMBER_REGENERATING","features":[521]},{"name":"VDS_E_MEMBER_SIZE_INVALID","features":[521]},{"name":"VDS_E_MIGRATE_OPEN_VOLUME","features":[521]},{"name":"VDS_E_MIRROR_NOT_SUPPORTED","features":[521]},{"name":"VDS_E_MISSING_DISK","features":[521]},{"name":"VDS_E_MULTIPLE_DISCOVERY_DOMAINS","features":[521]},{"name":"VDS_E_MULTIPLE_PACKS","features":[521]},{"name":"VDS_E_NAME_NOT_UNIQUE","features":[521]},{"name":"VDS_E_NON_CONTIGUOUS_DATA_PARTITIONS","features":[521]},{"name":"VDS_E_NOT_AN_UNALLOCATED_DISK","features":[521]},{"name":"VDS_E_NOT_ENOUGH_DRIVE","features":[521]},{"name":"VDS_E_NOT_ENOUGH_SPACE","features":[521]},{"name":"VDS_E_NOT_SUPPORTED","features":[521]},{"name":"VDS_E_NO_DISCOVERY_DOMAIN","features":[521]},{"name":"VDS_E_NO_DISKS_FOUND","features":[521]},{"name":"VDS_E_NO_DISK_PATHNAME","features":[521]},{"name":"VDS_E_NO_DRIVELETTER_FLAG","features":[521]},{"name":"VDS_E_NO_EXTENTS_FOR_PLEX","features":[521]},{"name":"VDS_E_NO_EXTENTS_FOR_VOLUME","features":[521]},{"name":"VDS_E_NO_FREE_SPACE","features":[521]},{"name":"VDS_E_NO_HEALTHY_DISKS","features":[521]},{"name":"VDS_E_NO_IMPORT_TARGET","features":[521]},{"name":"VDS_E_NO_MAINTENANCE_MODE","features":[521]},{"name":"VDS_E_NO_MEDIA","features":[521]},{"name":"VDS_E_NO_PNP_DISK_ARRIVE","features":[521]},{"name":"VDS_E_NO_PNP_DISK_REMOVE","features":[521]},{"name":"VDS_E_NO_PNP_VOLUME_ARRIVE","features":[521]},{"name":"VDS_E_NO_PNP_VOLUME_REMOVE","features":[521]},{"name":"VDS_E_NO_POOL","features":[521]},{"name":"VDS_E_NO_POOL_CREATED","features":[521]},{"name":"VDS_E_NO_SOFTWARE_PROVIDERS_LOADED","features":[521]},{"name":"VDS_E_NO_VALID_LOG_COPIES","features":[521]},{"name":"VDS_E_NO_VOLUME_LAYOUT","features":[521]},{"name":"VDS_E_NO_VOLUME_PATHNAME","features":[521]},{"name":"VDS_E_NTFS_FORMAT_NOT_SUPPORTED","features":[521]},{"name":"VDS_E_OBJECT_DELETED","features":[521]},{"name":"VDS_E_OBJECT_EXISTS","features":[521]},{"name":"VDS_E_OBJECT_NOT_FOUND","features":[521]},{"name":"VDS_E_OBJECT_OUT_OF_SYNC","features":[521]},{"name":"VDS_E_OBJECT_STATUS_FAILED","features":[521]},{"name":"VDS_E_OFFLINE_NOT_SUPPORTED","features":[521]},{"name":"VDS_E_ONE_EXTENT_PER_DISK","features":[521]},{"name":"VDS_E_ONLINE_PACK_EXISTS","features":[521]},{"name":"VDS_E_OPERATION_CANCELED","features":[521]},{"name":"VDS_E_OPERATION_DENIED","features":[521]},{"name":"VDS_E_OPERATION_PENDING","features":[521]},{"name":"VDS_E_PACK_NAME_INVALID","features":[521]},{"name":"VDS_E_PACK_NOT_FOUND","features":[521]},{"name":"VDS_E_PACK_OFFLINE","features":[521]},{"name":"VDS_E_PACK_ONLINE","features":[521]},{"name":"VDS_E_PAGEFILE_DISK","features":[521]},{"name":"VDS_E_PARTITION_LDM","features":[521]},{"name":"VDS_E_PARTITION_LIMIT_REACHED","features":[521]},{"name":"VDS_E_PARTITION_MSR","features":[521]},{"name":"VDS_E_PARTITION_NON_DATA","features":[521]},{"name":"VDS_E_PARTITION_NOT_CYLINDER_ALIGNED","features":[521]},{"name":"VDS_E_PARTITION_NOT_EMPTY","features":[521]},{"name":"VDS_E_PARTITION_NOT_OEM","features":[521]},{"name":"VDS_E_PARTITION_OF_UNKNOWN_TYPE","features":[521]},{"name":"VDS_E_PARTITION_PROTECTED","features":[521]},{"name":"VDS_E_PARTITION_STYLE_MISMATCH","features":[521]},{"name":"VDS_E_PATH_NOT_FOUND","features":[521]},{"name":"VDS_E_PLEX_IS_HEALTHY","features":[521]},{"name":"VDS_E_PLEX_LAST_ACTIVE","features":[521]},{"name":"VDS_E_PLEX_MISSING","features":[521]},{"name":"VDS_E_PLEX_NOT_LOADED_TO_CACHE","features":[521]},{"name":"VDS_E_PLEX_REGENERATING","features":[521]},{"name":"VDS_E_PLEX_SIZE_INVALID","features":[521]},{"name":"VDS_E_PROVIDER_CACHE_CORRUPT","features":[521]},{"name":"VDS_E_PROVIDER_CACHE_OUTOFSYNC","features":[521]},{"name":"VDS_E_PROVIDER_EXITING","features":[521]},{"name":"VDS_E_PROVIDER_FAILURE","features":[521]},{"name":"VDS_E_PROVIDER_INITIALIZATION_FAILED","features":[521]},{"name":"VDS_E_PROVIDER_INTERNAL_ERROR","features":[521]},{"name":"VDS_E_PROVIDER_TYPE_NOT_SUPPORTED","features":[521]},{"name":"VDS_E_PROVIDER_VOL_DEVICE_NAME_NOT_FOUND","features":[521]},{"name":"VDS_E_PROVIDER_VOL_OPEN","features":[521]},{"name":"VDS_E_RAID5_NOT_SUPPORTED","features":[521]},{"name":"VDS_E_READONLY","features":[521]},{"name":"VDS_E_REBOOT_REQUIRED","features":[521]},{"name":"VDS_E_REFS_FORMAT_NOT_SUPPORTED","features":[521]},{"name":"VDS_E_REPAIR_VOLUMESTATE","features":[521]},{"name":"VDS_E_REQUIRES_CONTIGUOUS_DISK_SPACE","features":[521]},{"name":"VDS_E_RETRY","features":[521]},{"name":"VDS_E_REVERT_ON_CLOSE","features":[521]},{"name":"VDS_E_REVERT_ON_CLOSE_MISMATCH","features":[521]},{"name":"VDS_E_REVERT_ON_CLOSE_SET","features":[521]},{"name":"VDS_E_SECTOR_SIZE_ERROR","features":[521]},{"name":"VDS_E_SECURITY_INCOMPLETELY_SET","features":[521]},{"name":"VDS_E_SET_SAN_POLICY","features":[521]},{"name":"VDS_E_SET_TUNNEL_MODE_OUTER_ADDRESS","features":[521]},{"name":"VDS_E_SHRINK_DIRTY_VOLUME","features":[521]},{"name":"VDS_E_SHRINK_EXTEND_UNALIGNED","features":[521]},{"name":"VDS_E_SHRINK_IN_PROGRESS","features":[521]},{"name":"VDS_E_SHRINK_LUN_NOT_UNMASKED","features":[521]},{"name":"VDS_E_SHRINK_OVER_DATA","features":[521]},{"name":"VDS_E_SHRINK_SIZE_LESS_THAN_MIN","features":[521]},{"name":"VDS_E_SHRINK_SIZE_TOO_BIG","features":[521]},{"name":"VDS_E_SHRINK_UNKNOWN_FILESYSTEM","features":[521]},{"name":"VDS_E_SHRINK_USER_CANCELLED","features":[521]},{"name":"VDS_E_SOURCE_IS_TARGET_PACK","features":[521]},{"name":"VDS_E_SUBSYSTEM_ID_IS_NULL","features":[521]},{"name":"VDS_E_SYSTEM_DISK","features":[521]},{"name":"VDS_E_TARGET_PACK_NOT_EMPTY","features":[521]},{"name":"VDS_E_TARGET_PORTAL_NOT_FOUND","features":[521]},{"name":"VDS_E_TARGET_SPECIFIC_NOT_SUPPORTED","features":[521]},{"name":"VDS_E_TIMEOUT","features":[521]},{"name":"VDS_E_UNABLE_TO_FIND_BOOT_DISK","features":[521]},{"name":"VDS_E_UNABLE_TO_FIND_SYSTEM_DISK","features":[521]},{"name":"VDS_E_UNEXPECTED_DISK_LAYOUT_CHANGE","features":[521]},{"name":"VDS_E_UNRECOVERABLE_ERROR","features":[521]},{"name":"VDS_E_UNRECOVERABLE_PROVIDER_ERROR","features":[521]},{"name":"VDS_E_VDISK_INVALID_OP_STATE","features":[521]},{"name":"VDS_E_VDISK_NOT_OPEN","features":[521]},{"name":"VDS_E_VDISK_PATHNAME_INVALID","features":[521]},{"name":"VDS_E_VD_ALREADY_ATTACHED","features":[521]},{"name":"VDS_E_VD_ALREADY_COMPACTING","features":[521]},{"name":"VDS_E_VD_ALREADY_DETACHED","features":[521]},{"name":"VDS_E_VD_ALREADY_MERGING","features":[521]},{"name":"VDS_E_VD_DISK_ALREADY_EXPANDING","features":[521]},{"name":"VDS_E_VD_DISK_ALREADY_OPEN","features":[521]},{"name":"VDS_E_VD_DISK_IS_COMPACTING","features":[521]},{"name":"VDS_E_VD_DISK_IS_EXPANDING","features":[521]},{"name":"VDS_E_VD_DISK_IS_MERGING","features":[521]},{"name":"VDS_E_VD_DISK_NOT_OPEN","features":[521]},{"name":"VDS_E_VD_IS_ATTACHED","features":[521]},{"name":"VDS_E_VD_IS_BEING_ATTACHED","features":[521]},{"name":"VDS_E_VD_IS_BEING_DETACHED","features":[521]},{"name":"VDS_E_VD_NOT_ATTACHED_READONLY","features":[521]},{"name":"VDS_E_VOLUME_DISK_COUNT_MAX_EXCEEDED","features":[521]},{"name":"VDS_E_VOLUME_EXTEND_FVE","features":[521]},{"name":"VDS_E_VOLUME_EXTEND_FVE_CORRUPT","features":[521]},{"name":"VDS_E_VOLUME_EXTEND_FVE_LOCKED","features":[521]},{"name":"VDS_E_VOLUME_EXTEND_FVE_RECOVERY","features":[521]},{"name":"VDS_E_VOLUME_GUID_PATHNAME_NOT_ALLOWED","features":[521]},{"name":"VDS_E_VOLUME_HAS_PATH","features":[521]},{"name":"VDS_E_VOLUME_HIDDEN","features":[521]},{"name":"VDS_E_VOLUME_INCOMPLETE","features":[521]},{"name":"VDS_E_VOLUME_INVALID_NAME","features":[521]},{"name":"VDS_E_VOLUME_LENGTH_NOT_SECTOR_SIZE_MULTIPLE","features":[521]},{"name":"VDS_E_VOLUME_MIRRORED","features":[521]},{"name":"VDS_E_VOLUME_NOT_A_MIRROR","features":[521]},{"name":"VDS_E_VOLUME_NOT_FOUND_IN_PACK","features":[521]},{"name":"VDS_E_VOLUME_NOT_HEALTHY","features":[521]},{"name":"VDS_E_VOLUME_NOT_MOUNTED","features":[521]},{"name":"VDS_E_VOLUME_NOT_ONLINE","features":[521]},{"name":"VDS_E_VOLUME_NOT_RETAINED","features":[521]},{"name":"VDS_E_VOLUME_ON_DISK","features":[521]},{"name":"VDS_E_VOLUME_PERMANENTLY_DISMOUNTED","features":[521]},{"name":"VDS_E_VOLUME_REGENERATING","features":[521]},{"name":"VDS_E_VOLUME_RETAINED","features":[521]},{"name":"VDS_E_VOLUME_SHRINK_FVE","features":[521]},{"name":"VDS_E_VOLUME_SHRINK_FVE_CORRUPT","features":[521]},{"name":"VDS_E_VOLUME_SHRINK_FVE_LOCKED","features":[521]},{"name":"VDS_E_VOLUME_SHRINK_FVE_RECOVERY","features":[521]},{"name":"VDS_E_VOLUME_SIMPLE_SPANNED","features":[521]},{"name":"VDS_E_VOLUME_SPANS_DISKS","features":[521]},{"name":"VDS_E_VOLUME_SYNCHRONIZING","features":[521]},{"name":"VDS_E_VOLUME_TEMPORARILY_DISMOUNTED","features":[521]},{"name":"VDS_E_VOLUME_TOO_BIG","features":[521]},{"name":"VDS_E_VOLUME_TOO_SMALL","features":[521]},{"name":"VDS_FILE_SYSTEM_FLAG","features":[521]},{"name":"VDS_FILE_SYSTEM_FORMAT_SUPPORT_FLAG","features":[521]},{"name":"VDS_FILE_SYSTEM_FORMAT_SUPPORT_PROP","features":[521]},{"name":"VDS_FILE_SYSTEM_NOTIFICATION","features":[521]},{"name":"VDS_FILE_SYSTEM_PROP","features":[521]},{"name":"VDS_FILE_SYSTEM_PROP_FLAG","features":[521]},{"name":"VDS_FILE_SYSTEM_TYPE","features":[521]},{"name":"VDS_FILE_SYSTEM_TYPE_PROP","features":[521]},{"name":"VDS_FORMAT_OPTION_FLAGS","features":[521]},{"name":"VDS_FPF_COMPRESSED","features":[521]},{"name":"VDS_FSF_ALLOCATION_UNIT_128K","features":[521]},{"name":"VDS_FSF_ALLOCATION_UNIT_16K","features":[521]},{"name":"VDS_FSF_ALLOCATION_UNIT_1K","features":[521]},{"name":"VDS_FSF_ALLOCATION_UNIT_256K","features":[521]},{"name":"VDS_FSF_ALLOCATION_UNIT_2K","features":[521]},{"name":"VDS_FSF_ALLOCATION_UNIT_32K","features":[521]},{"name":"VDS_FSF_ALLOCATION_UNIT_4K","features":[521]},{"name":"VDS_FSF_ALLOCATION_UNIT_512","features":[521]},{"name":"VDS_FSF_ALLOCATION_UNIT_64K","features":[521]},{"name":"VDS_FSF_ALLOCATION_UNIT_8K","features":[521]},{"name":"VDS_FSF_SUPPORT_COMPRESS","features":[521]},{"name":"VDS_FSF_SUPPORT_EXTEND","features":[521]},{"name":"VDS_FSF_SUPPORT_FORMAT","features":[521]},{"name":"VDS_FSF_SUPPORT_MOUNT_POINT","features":[521]},{"name":"VDS_FSF_SUPPORT_QUICK_FORMAT","features":[521]},{"name":"VDS_FSF_SUPPORT_REMOVABLE_MEDIA","features":[521]},{"name":"VDS_FSF_SUPPORT_SPECIFY_LABEL","features":[521]},{"name":"VDS_FSOF_COMPRESSION","features":[521]},{"name":"VDS_FSOF_DUPLICATE_METADATA","features":[521]},{"name":"VDS_FSOF_FORCE","features":[521]},{"name":"VDS_FSOF_NONE","features":[521]},{"name":"VDS_FSOF_QUICK","features":[521]},{"name":"VDS_FSS_DEFAULT","features":[521]},{"name":"VDS_FSS_PREVIOUS_REVISION","features":[521]},{"name":"VDS_FSS_RECOMMENDED","features":[521]},{"name":"VDS_FST_CDFS","features":[521]},{"name":"VDS_FST_CSVFS","features":[521]},{"name":"VDS_FST_EXFAT","features":[521]},{"name":"VDS_FST_FAT","features":[521]},{"name":"VDS_FST_FAT32","features":[521]},{"name":"VDS_FST_NTFS","features":[521]},{"name":"VDS_FST_RAW","features":[521]},{"name":"VDS_FST_REFS","features":[521]},{"name":"VDS_FST_UDF","features":[521]},{"name":"VDS_FST_UNKNOWN","features":[521]},{"name":"VDS_HBAPORT_PROP","features":[521]},{"name":"VDS_HBAPORT_SPEED_FLAG","features":[521]},{"name":"VDS_HBAPORT_STATUS","features":[521]},{"name":"VDS_HBAPORT_TYPE","features":[521]},{"name":"VDS_HEALTH","features":[521]},{"name":"VDS_HINTS","features":[308,521]},{"name":"VDS_HINTS2","features":[308,521]},{"name":"VDS_HINT_ALLOCATEHOTSPARE","features":[521]},{"name":"VDS_HINT_BUSTYPE","features":[521]},{"name":"VDS_HINT_CONSISTENCYCHECKENABLED","features":[521]},{"name":"VDS_HINT_FASTCRASHRECOVERYREQUIRED","features":[521]},{"name":"VDS_HINT_HARDWARECHECKSUMENABLED","features":[521]},{"name":"VDS_HINT_ISYANKABLE","features":[521]},{"name":"VDS_HINT_MEDIASCANENABLED","features":[521]},{"name":"VDS_HINT_MOSTLYREADS","features":[521]},{"name":"VDS_HINT_OPTIMIZEFORSEQUENTIALREADS","features":[521]},{"name":"VDS_HINT_OPTIMIZEFORSEQUENTIALWRITES","features":[521]},{"name":"VDS_HINT_READBACKVERIFYENABLED","features":[521]},{"name":"VDS_HINT_READCACHINGENABLED","features":[521]},{"name":"VDS_HINT_REMAPENABLED","features":[521]},{"name":"VDS_HINT_USEMIRROREDCACHE","features":[521]},{"name":"VDS_HINT_WRITECACHINGENABLED","features":[521]},{"name":"VDS_HINT_WRITETHROUGHCACHINGENABLED","features":[521]},{"name":"VDS_HPS_BYPASSED","features":[521]},{"name":"VDS_HPS_DIAGNOSTICS","features":[521]},{"name":"VDS_HPS_ERROR","features":[521]},{"name":"VDS_HPS_LINKDOWN","features":[521]},{"name":"VDS_HPS_LOOPBACK","features":[521]},{"name":"VDS_HPS_OFFLINE","features":[521]},{"name":"VDS_HPS_ONLINE","features":[521]},{"name":"VDS_HPS_UNKNOWN","features":[521]},{"name":"VDS_HPT_EPORT","features":[521]},{"name":"VDS_HPT_FLPORT","features":[521]},{"name":"VDS_HPT_FPORT","features":[521]},{"name":"VDS_HPT_GPORT","features":[521]},{"name":"VDS_HPT_LPORT","features":[521]},{"name":"VDS_HPT_NLPORT","features":[521]},{"name":"VDS_HPT_NOTPRESENT","features":[521]},{"name":"VDS_HPT_NPORT","features":[521]},{"name":"VDS_HPT_OTHER","features":[521]},{"name":"VDS_HPT_PTP","features":[521]},{"name":"VDS_HPT_UNKNOWN","features":[521]},{"name":"VDS_HSF_10GBIT","features":[521]},{"name":"VDS_HSF_1GBIT","features":[521]},{"name":"VDS_HSF_2GBIT","features":[521]},{"name":"VDS_HSF_4GBIT","features":[521]},{"name":"VDS_HSF_NOT_NEGOTIATED","features":[521]},{"name":"VDS_HSF_UNKNOWN","features":[521]},{"name":"VDS_HWPROVIDER_TYPE","features":[521]},{"name":"VDS_HWT_FIBRE_CHANNEL","features":[521]},{"name":"VDS_HWT_HYBRID","features":[521]},{"name":"VDS_HWT_ISCSI","features":[521]},{"name":"VDS_HWT_PCI_RAID","features":[521]},{"name":"VDS_HWT_SAS","features":[521]},{"name":"VDS_HWT_UNKNOWN","features":[521]},{"name":"VDS_H_DEGRADED","features":[521]},{"name":"VDS_H_FAILED","features":[521]},{"name":"VDS_H_FAILED_REDUNDANCY","features":[521]},{"name":"VDS_H_FAILED_REDUNDANCY_FAILING","features":[521]},{"name":"VDS_H_FAILING","features":[521]},{"name":"VDS_H_FAILING_REDUNDANCY","features":[521]},{"name":"VDS_H_HEALTHY","features":[521]},{"name":"VDS_H_PENDING_FAILURE","features":[521]},{"name":"VDS_H_REBUILDING","features":[521]},{"name":"VDS_H_REPLACED","features":[521]},{"name":"VDS_H_STALE","features":[521]},{"name":"VDS_H_UNKNOWN","features":[521]},{"name":"VDS_IAT_CHAP","features":[521]},{"name":"VDS_IAT_MUTUAL_CHAP","features":[521]},{"name":"VDS_IAT_NONE","features":[521]},{"name":"VDS_IA_FCFS","features":[521]},{"name":"VDS_IA_FCPH","features":[521]},{"name":"VDS_IA_FCPH3","features":[521]},{"name":"VDS_IA_MAC","features":[521]},{"name":"VDS_IA_SCSI","features":[521]},{"name":"VDS_IA_UNKNOWN","features":[521]},{"name":"VDS_IIF_AGGRESSIVE_MODE","features":[521]},{"name":"VDS_IIF_IKE","features":[521]},{"name":"VDS_IIF_MAIN_MODE","features":[521]},{"name":"VDS_IIF_PFS_ENABLE","features":[521]},{"name":"VDS_IIF_TRANSPORT_MODE_PREFERRED","features":[521]},{"name":"VDS_IIF_TUNNEL_MODE_PREFERRED","features":[521]},{"name":"VDS_IIF_VALID","features":[521]},{"name":"VDS_ILF_MULTIPATH_ENABLED","features":[521]},{"name":"VDS_ILF_REQUIRE_IPSEC","features":[521]},{"name":"VDS_ILT_BOOT","features":[521]},{"name":"VDS_ILT_MANUAL","features":[521]},{"name":"VDS_ILT_PERSISTENT","features":[521]},{"name":"VDS_INPUT_DISK","features":[521]},{"name":"VDS_INTERCONNECT","features":[521]},{"name":"VDS_INTERCONNECT_ADDRESS_TYPE","features":[521]},{"name":"VDS_INTERCONNECT_FLAG","features":[521]},{"name":"VDS_IPADDRESS","features":[521]},{"name":"VDS_IPADDRESS_TYPE","features":[521]},{"name":"VDS_IPS_FAILED","features":[521]},{"name":"VDS_IPS_NOT_READY","features":[521]},{"name":"VDS_IPS_OFFLINE","features":[521]},{"name":"VDS_IPS_ONLINE","features":[521]},{"name":"VDS_IPS_UNKNOWN","features":[521]},{"name":"VDS_IPT_EMPTY","features":[521]},{"name":"VDS_IPT_IPV4","features":[521]},{"name":"VDS_IPT_IPV6","features":[521]},{"name":"VDS_IPT_TEXT","features":[521]},{"name":"VDS_ISCSI_AUTH_TYPE","features":[521]},{"name":"VDS_ISCSI_INITIATOR_ADAPTER_PROP","features":[521]},{"name":"VDS_ISCSI_INITIATOR_PORTAL_PROP","features":[521]},{"name":"VDS_ISCSI_IPSEC_FLAG","features":[521]},{"name":"VDS_ISCSI_IPSEC_KEY","features":[521]},{"name":"VDS_ISCSI_LOGIN_FLAG","features":[521]},{"name":"VDS_ISCSI_LOGIN_TYPE","features":[521]},{"name":"VDS_ISCSI_PORTALGROUP_PROP","features":[521]},{"name":"VDS_ISCSI_PORTAL_PROP","features":[521]},{"name":"VDS_ISCSI_PORTAL_STATUS","features":[521]},{"name":"VDS_ISCSI_SHARED_SECRET","features":[521]},{"name":"VDS_ISCSI_TARGET_PROP","features":[308,521]},{"name":"VDS_ITF_FIBRE_CHANNEL","features":[521]},{"name":"VDS_ITF_ISCSI","features":[521]},{"name":"VDS_ITF_PCI_RAID","features":[521]},{"name":"VDS_ITF_SAS","features":[521]},{"name":"VDS_LBF_DYN_LEAST_QUEUE_DEPTH","features":[521]},{"name":"VDS_LBF_FAILOVER","features":[521]},{"name":"VDS_LBF_LEAST_BLOCKS","features":[521]},{"name":"VDS_LBF_ROUND_ROBIN","features":[521]},{"name":"VDS_LBF_ROUND_ROBIN_WITH_SUBSET","features":[521]},{"name":"VDS_LBF_VENDOR_SPECIFIC","features":[521]},{"name":"VDS_LBF_WEIGHTED_PATHS","features":[521]},{"name":"VDS_LBP_DYN_LEAST_QUEUE_DEPTH","features":[521]},{"name":"VDS_LBP_FAILOVER","features":[521]},{"name":"VDS_LBP_LEAST_BLOCKS","features":[521]},{"name":"VDS_LBP_ROUND_ROBIN","features":[521]},{"name":"VDS_LBP_ROUND_ROBIN_WITH_SUBSET","features":[521]},{"name":"VDS_LBP_UNKNOWN","features":[521]},{"name":"VDS_LBP_VENDOR_SPECIFIC","features":[521]},{"name":"VDS_LBP_WEIGHTED_PATHS","features":[521]},{"name":"VDS_LF_CONSISTENCY_CHECK_ENABLED","features":[521]},{"name":"VDS_LF_HARDWARE_CHECKSUM_ENABLED","features":[521]},{"name":"VDS_LF_LBN_REMAP_ENABLED","features":[521]},{"name":"VDS_LF_MEDIA_SCAN_ENABLED","features":[521]},{"name":"VDS_LF_READ_BACK_VERIFY_ENABLED","features":[521]},{"name":"VDS_LF_READ_CACHE_ENABLED","features":[521]},{"name":"VDS_LF_SNAPSHOT","features":[521]},{"name":"VDS_LF_WRITE_CACHE_ENABLED","features":[521]},{"name":"VDS_LF_WRITE_THROUGH_CACHING_ENABLED","features":[521]},{"name":"VDS_LOADBALANCE_POLICY_ENUM","features":[521]},{"name":"VDS_LPF_LBN_REMAP_ENABLED","features":[521]},{"name":"VDS_LPS_FAILED","features":[521]},{"name":"VDS_LPS_NOT_READY","features":[521]},{"name":"VDS_LPS_OFFLINE","features":[521]},{"name":"VDS_LPS_ONLINE","features":[521]},{"name":"VDS_LPS_UNKNOWN","features":[521]},{"name":"VDS_LPT_PARITY","features":[521]},{"name":"VDS_LPT_RAID03","features":[521]},{"name":"VDS_LPT_RAID05","features":[521]},{"name":"VDS_LPT_RAID10","features":[521]},{"name":"VDS_LPT_RAID15","features":[521]},{"name":"VDS_LPT_RAID2","features":[521]},{"name":"VDS_LPT_RAID3","features":[521]},{"name":"VDS_LPT_RAID30","features":[521]},{"name":"VDS_LPT_RAID4","features":[521]},{"name":"VDS_LPT_RAID5","features":[521]},{"name":"VDS_LPT_RAID50","features":[521]},{"name":"VDS_LPT_RAID53","features":[521]},{"name":"VDS_LPT_RAID6","features":[521]},{"name":"VDS_LPT_RAID60","features":[521]},{"name":"VDS_LPT_SIMPLE","features":[521]},{"name":"VDS_LPT_SPAN","features":[521]},{"name":"VDS_LPT_STRIPE","features":[521]},{"name":"VDS_LPT_UNKNOWN","features":[521]},{"name":"VDS_LRM_EXCLUSIVE_RO","features":[521]},{"name":"VDS_LRM_EXCLUSIVE_RW","features":[521]},{"name":"VDS_LRM_NONE","features":[521]},{"name":"VDS_LRM_SHARED_RO","features":[521]},{"name":"VDS_LRM_SHARED_RW","features":[521]},{"name":"VDS_LS_FAILED","features":[521]},{"name":"VDS_LS_NOT_READY","features":[521]},{"name":"VDS_LS_OFFLINE","features":[521]},{"name":"VDS_LS_ONLINE","features":[521]},{"name":"VDS_LS_UNKNOWN","features":[521]},{"name":"VDS_LT_DEFAULT","features":[521]},{"name":"VDS_LT_FAULT_TOLERANT","features":[521]},{"name":"VDS_LT_MIRROR","features":[521]},{"name":"VDS_LT_NON_FAULT_TOLERANT","features":[521]},{"name":"VDS_LT_PARITY","features":[521]},{"name":"VDS_LT_RAID01","features":[521]},{"name":"VDS_LT_RAID03","features":[521]},{"name":"VDS_LT_RAID05","features":[521]},{"name":"VDS_LT_RAID10","features":[521]},{"name":"VDS_LT_RAID15","features":[521]},{"name":"VDS_LT_RAID2","features":[521]},{"name":"VDS_LT_RAID3","features":[521]},{"name":"VDS_LT_RAID30","features":[521]},{"name":"VDS_LT_RAID4","features":[521]},{"name":"VDS_LT_RAID5","features":[521]},{"name":"VDS_LT_RAID50","features":[521]},{"name":"VDS_LT_RAID51","features":[521]},{"name":"VDS_LT_RAID53","features":[521]},{"name":"VDS_LT_RAID6","features":[521]},{"name":"VDS_LT_RAID60","features":[521]},{"name":"VDS_LT_RAID61","features":[521]},{"name":"VDS_LT_SIMPLE","features":[521]},{"name":"VDS_LT_SPAN","features":[521]},{"name":"VDS_LT_STRIPE","features":[521]},{"name":"VDS_LT_UNKNOWN","features":[521]},{"name":"VDS_LUN_FLAG","features":[521]},{"name":"VDS_LUN_INFORMATION","features":[308,521]},{"name":"VDS_LUN_NOTIFICATION","features":[521]},{"name":"VDS_LUN_PLEX_FLAG","features":[521]},{"name":"VDS_LUN_PLEX_PROP","features":[521]},{"name":"VDS_LUN_PLEX_STATUS","features":[521]},{"name":"VDS_LUN_PLEX_TYPE","features":[521]},{"name":"VDS_LUN_PROP","features":[521]},{"name":"VDS_LUN_RESERVE_MODE","features":[521]},{"name":"VDS_LUN_STATUS","features":[521]},{"name":"VDS_LUN_TYPE","features":[521]},{"name":"VDS_MAINTENANCE_OPERATION","features":[521]},{"name":"VDS_MOUNT_POINT_NOTIFICATION","features":[521]},{"name":"VDS_MPS_FAILED","features":[521]},{"name":"VDS_MPS_ONLINE","features":[521]},{"name":"VDS_MPS_STANDBY","features":[521]},{"name":"VDS_MPS_UNKNOWN","features":[521]},{"name":"VDS_NF_CONTROLLER","features":[521]},{"name":"VDS_NF_CONTROLLER_ARRIVE","features":[521]},{"name":"VDS_NF_CONTROLLER_DEPART","features":[521]},{"name":"VDS_NF_CONTROLLER_MODIFY","features":[521]},{"name":"VDS_NF_CONTROLLER_REMOVED","features":[521]},{"name":"VDS_NF_DISK","features":[521]},{"name":"VDS_NF_DISK_ARRIVE","features":[521]},{"name":"VDS_NF_DISK_DEPART","features":[521]},{"name":"VDS_NF_DISK_MODIFY","features":[521]},{"name":"VDS_NF_DRIVE","features":[521]},{"name":"VDS_NF_DRIVE_ARRIVE","features":[521]},{"name":"VDS_NF_DRIVE_DEPART","features":[521]},{"name":"VDS_NF_DRIVE_LETTER_ASSIGN","features":[521]},{"name":"VDS_NF_DRIVE_LETTER_FREE","features":[521]},{"name":"VDS_NF_DRIVE_MODIFY","features":[521]},{"name":"VDS_NF_DRIVE_REMOVED","features":[521]},{"name":"VDS_NF_FILE_SYSTEM","features":[521]},{"name":"VDS_NF_FILE_SYSTEM_FORMAT_PROGRESS","features":[521]},{"name":"VDS_NF_FILE_SYSTEM_MODIFY","features":[521]},{"name":"VDS_NF_FILE_SYSTEM_SHRINKING_PROGRESS","features":[521]},{"name":"VDS_NF_LUN","features":[521]},{"name":"VDS_NF_LUN_ARRIVE","features":[521]},{"name":"VDS_NF_LUN_DEPART","features":[521]},{"name":"VDS_NF_LUN_MODIFY","features":[521]},{"name":"VDS_NF_MOUNT_POINTS_CHANGE","features":[521]},{"name":"VDS_NF_PACK","features":[521]},{"name":"VDS_NF_PACK_ARRIVE","features":[521]},{"name":"VDS_NF_PACK_DEPART","features":[521]},{"name":"VDS_NF_PACK_MODIFY","features":[521]},{"name":"VDS_NF_PARTITION_ARRIVE","features":[521]},{"name":"VDS_NF_PARTITION_DEPART","features":[521]},{"name":"VDS_NF_PARTITION_MODIFY","features":[521]},{"name":"VDS_NF_PORT","features":[521]},{"name":"VDS_NF_PORTAL_ARRIVE","features":[521]},{"name":"VDS_NF_PORTAL_DEPART","features":[521]},{"name":"VDS_NF_PORTAL_GROUP_ARRIVE","features":[521]},{"name":"VDS_NF_PORTAL_GROUP_DEPART","features":[521]},{"name":"VDS_NF_PORTAL_GROUP_MODIFY","features":[521]},{"name":"VDS_NF_PORTAL_MODIFY","features":[521]},{"name":"VDS_NF_PORT_ARRIVE","features":[521]},{"name":"VDS_NF_PORT_DEPART","features":[521]},{"name":"VDS_NF_PORT_MODIFY","features":[521]},{"name":"VDS_NF_PORT_REMOVED","features":[521]},{"name":"VDS_NF_SERVICE_OUT_OF_SYNC","features":[521]},{"name":"VDS_NF_SUB_SYSTEM_ARRIVE","features":[521]},{"name":"VDS_NF_SUB_SYSTEM_DEPART","features":[521]},{"name":"VDS_NF_SUB_SYSTEM_MODIFY","features":[521]},{"name":"VDS_NF_TARGET_ARRIVE","features":[521]},{"name":"VDS_NF_TARGET_DEPART","features":[521]},{"name":"VDS_NF_TARGET_MODIFY","features":[521]},{"name":"VDS_NF_VOLUME_ARRIVE","features":[521]},{"name":"VDS_NF_VOLUME_DEPART","features":[521]},{"name":"VDS_NF_VOLUME_MODIFY","features":[521]},{"name":"VDS_NF_VOLUME_REBUILDING_PROGRESS","features":[521]},{"name":"VDS_NOTIFICATION","features":[521]},{"name":"VDS_NOTIFICATION_TARGET_TYPE","features":[521]},{"name":"VDS_NTT_CONTROLLER","features":[521]},{"name":"VDS_NTT_DISK","features":[521]},{"name":"VDS_NTT_DRIVE","features":[521]},{"name":"VDS_NTT_DRIVE_LETTER","features":[521]},{"name":"VDS_NTT_FILE_SYSTEM","features":[521]},{"name":"VDS_NTT_LUN","features":[521]},{"name":"VDS_NTT_MOUNT_POINT","features":[521]},{"name":"VDS_NTT_PACK","features":[521]},{"name":"VDS_NTT_PARTITION","features":[521]},{"name":"VDS_NTT_PORT","features":[521]},{"name":"VDS_NTT_PORTAL","features":[521]},{"name":"VDS_NTT_PORTAL_GROUP","features":[521]},{"name":"VDS_NTT_SERVICE","features":[521]},{"name":"VDS_NTT_SUB_SYSTEM","features":[521]},{"name":"VDS_NTT_TARGET","features":[521]},{"name":"VDS_NTT_UNKNOWN","features":[521]},{"name":"VDS_NTT_VOLUME","features":[521]},{"name":"VDS_OBJECT_TYPE","features":[521]},{"name":"VDS_OT_ASYNC","features":[521]},{"name":"VDS_OT_CONTROLLER","features":[521]},{"name":"VDS_OT_DISK","features":[521]},{"name":"VDS_OT_DRIVE","features":[521]},{"name":"VDS_OT_ENUM","features":[521]},{"name":"VDS_OT_HBAPORT","features":[521]},{"name":"VDS_OT_INIT_ADAPTER","features":[521]},{"name":"VDS_OT_INIT_PORTAL","features":[521]},{"name":"VDS_OT_LUN","features":[521]},{"name":"VDS_OT_LUN_PLEX","features":[521]},{"name":"VDS_OT_OPEN_VDISK","features":[521]},{"name":"VDS_OT_PACK","features":[521]},{"name":"VDS_OT_PORT","features":[521]},{"name":"VDS_OT_PORTAL","features":[521]},{"name":"VDS_OT_PORTAL_GROUP","features":[521]},{"name":"VDS_OT_PROVIDER","features":[521]},{"name":"VDS_OT_STORAGE_POOL","features":[521]},{"name":"VDS_OT_SUB_SYSTEM","features":[521]},{"name":"VDS_OT_TARGET","features":[521]},{"name":"VDS_OT_UNKNOWN","features":[521]},{"name":"VDS_OT_VDISK","features":[521]},{"name":"VDS_OT_VOLUME","features":[521]},{"name":"VDS_OT_VOLUME_PLEX","features":[521]},{"name":"VDS_PACK_FLAG","features":[521]},{"name":"VDS_PACK_NOTIFICATION","features":[521]},{"name":"VDS_PACK_PROP","features":[521]},{"name":"VDS_PACK_STATUS","features":[521]},{"name":"VDS_PARTITION_FLAG","features":[521]},{"name":"VDS_PARTITION_INFORMATION_EX","features":[308,521]},{"name":"VDS_PARTITION_INFO_GPT","features":[521]},{"name":"VDS_PARTITION_INFO_MBR","features":[308,521]},{"name":"VDS_PARTITION_NOTIFICATION","features":[521]},{"name":"VDS_PARTITION_PROP","features":[308,521]},{"name":"VDS_PARTITION_STYLE","features":[521]},{"name":"VDS_PARTITION_STYLE_GPT","features":[521]},{"name":"VDS_PARTITION_STYLE_MBR","features":[521]},{"name":"VDS_PARTITION_STYLE_RAW","features":[521]},{"name":"VDS_PATH_ID","features":[521]},{"name":"VDS_PATH_INFO","features":[521]},{"name":"VDS_PATH_POLICY","features":[308,521]},{"name":"VDS_PATH_STATUS","features":[521]},{"name":"VDS_PF_DYNAMIC","features":[521]},{"name":"VDS_PF_INTERNAL_HARDWARE_PROVIDER","features":[521]},{"name":"VDS_PF_ONE_DISK_ONLY_PER_PACK","features":[521]},{"name":"VDS_PF_ONE_PACK_ONLINE_ONLY","features":[521]},{"name":"VDS_PF_SUPPORT_DYNAMIC","features":[521]},{"name":"VDS_PF_SUPPORT_DYNAMIC_1394","features":[521]},{"name":"VDS_PF_SUPPORT_FAULT_TOLERANT","features":[521]},{"name":"VDS_PF_SUPPORT_MIRROR","features":[521]},{"name":"VDS_PF_SUPPORT_RAID5","features":[521]},{"name":"VDS_PF_VOLUME_SPACE_MUST_BE_CONTIGUOUS","features":[521]},{"name":"VDS_PKF_CORRUPTED","features":[521]},{"name":"VDS_PKF_FOREIGN","features":[521]},{"name":"VDS_PKF_NOQUORUM","features":[521]},{"name":"VDS_PKF_ONLINE_ERROR","features":[521]},{"name":"VDS_PKF_POLICY","features":[521]},{"name":"VDS_POOL_ATTRIBUTES","features":[308,521]},{"name":"VDS_POOL_ATTRIB_ACCS_BDW_WT_HINT","features":[521]},{"name":"VDS_POOL_ATTRIB_ACCS_DIR_HINT","features":[521]},{"name":"VDS_POOL_ATTRIB_ACCS_LTNCY_HINT","features":[521]},{"name":"VDS_POOL_ATTRIB_ACCS_RNDM_HINT","features":[521]},{"name":"VDS_POOL_ATTRIB_ACCS_SIZE_HINT","features":[521]},{"name":"VDS_POOL_ATTRIB_ALLOW_SPINDOWN","features":[521]},{"name":"VDS_POOL_ATTRIB_BUSTYPE","features":[521]},{"name":"VDS_POOL_ATTRIB_CUSTOM_ATTRIB","features":[521]},{"name":"VDS_POOL_ATTRIB_DATA_AVL_HINT","features":[521]},{"name":"VDS_POOL_ATTRIB_DATA_RDNCY_DEF","features":[521]},{"name":"VDS_POOL_ATTRIB_DATA_RDNCY_MAX","features":[521]},{"name":"VDS_POOL_ATTRIB_DATA_RDNCY_MIN","features":[521]},{"name":"VDS_POOL_ATTRIB_NO_SINGLE_POF","features":[521]},{"name":"VDS_POOL_ATTRIB_NUM_CLMNS","features":[521]},{"name":"VDS_POOL_ATTRIB_NUM_CLMNS_DEF","features":[521]},{"name":"VDS_POOL_ATTRIB_NUM_CLMNS_MAX","features":[521]},{"name":"VDS_POOL_ATTRIB_NUM_CLMNS_MIN","features":[521]},{"name":"VDS_POOL_ATTRIB_PKG_RDNCY_DEF","features":[521]},{"name":"VDS_POOL_ATTRIB_PKG_RDNCY_MAX","features":[521]},{"name":"VDS_POOL_ATTRIB_PKG_RDNCY_MIN","features":[521]},{"name":"VDS_POOL_ATTRIB_RAIDTYPE","features":[521]},{"name":"VDS_POOL_ATTRIB_STOR_COST_HINT","features":[521]},{"name":"VDS_POOL_ATTRIB_STOR_EFFCY_HINT","features":[521]},{"name":"VDS_POOL_ATTRIB_STRIPE_SIZE","features":[521]},{"name":"VDS_POOL_ATTRIB_STRIPE_SIZE_DEF","features":[521]},{"name":"VDS_POOL_ATTRIB_STRIPE_SIZE_MAX","features":[521]},{"name":"VDS_POOL_ATTRIB_STRIPE_SIZE_MIN","features":[521]},{"name":"VDS_POOL_ATTRIB_THIN_PROVISION","features":[521]},{"name":"VDS_POOL_CUSTOM_ATTRIBUTES","features":[521]},{"name":"VDS_PORTAL_GROUP_NOTIFICATION","features":[521]},{"name":"VDS_PORTAL_NOTIFICATION","features":[521]},{"name":"VDS_PORT_NOTIFICATION","features":[521]},{"name":"VDS_PORT_PROP","features":[521]},{"name":"VDS_PORT_STATUS","features":[521]},{"name":"VDS_PROVIDER_FLAG","features":[521]},{"name":"VDS_PROVIDER_LBSUPPORT_FLAG","features":[521]},{"name":"VDS_PROVIDER_PROP","features":[521]},{"name":"VDS_PROVIDER_TYPE","features":[521]},{"name":"VDS_PRS_FAILED","features":[521]},{"name":"VDS_PRS_NOT_READY","features":[521]},{"name":"VDS_PRS_OFFLINE","features":[521]},{"name":"VDS_PRS_ONLINE","features":[521]},{"name":"VDS_PRS_REMOVED","features":[521]},{"name":"VDS_PRS_UNKNOWN","features":[521]},{"name":"VDS_PST_GPT","features":[521]},{"name":"VDS_PST_MBR","features":[521]},{"name":"VDS_PST_UNKNOWN","features":[521]},{"name":"VDS_PS_OFFLINE","features":[521]},{"name":"VDS_PS_ONLINE","features":[521]},{"name":"VDS_PS_UNKNOWN","features":[521]},{"name":"VDS_PTF_SYSTEM","features":[521]},{"name":"VDS_PT_HARDWARE","features":[521]},{"name":"VDS_PT_MAX","features":[521]},{"name":"VDS_PT_SOFTWARE","features":[521]},{"name":"VDS_PT_UNKNOWN","features":[521]},{"name":"VDS_PT_VIRTUALDISK","features":[521]},{"name":"VDS_QUERY_HARDWARE_PROVIDERS","features":[521]},{"name":"VDS_QUERY_PROVIDER_FLAG","features":[521]},{"name":"VDS_QUERY_SOFTWARE_PROVIDERS","features":[521]},{"name":"VDS_QUERY_VIRTUALDISK_PROVIDERS","features":[521]},{"name":"VDS_RAID_TYPE","features":[521]},{"name":"VDS_RA_REFRESH","features":[521]},{"name":"VDS_RA_RESTART","features":[521]},{"name":"VDS_RA_UNKNOWN","features":[521]},{"name":"VDS_REBUILD_PRIORITY_MAX","features":[521]},{"name":"VDS_REBUILD_PRIORITY_MIN","features":[521]},{"name":"VDS_RECOVER_ACTION","features":[521]},{"name":"VDS_REPARSE_POINT_PROP","features":[521]},{"name":"VDS_RT_RAID0","features":[521]},{"name":"VDS_RT_RAID01","features":[521]},{"name":"VDS_RT_RAID03","features":[521]},{"name":"VDS_RT_RAID05","features":[521]},{"name":"VDS_RT_RAID1","features":[521]},{"name":"VDS_RT_RAID10","features":[521]},{"name":"VDS_RT_RAID15","features":[521]},{"name":"VDS_RT_RAID2","features":[521]},{"name":"VDS_RT_RAID3","features":[521]},{"name":"VDS_RT_RAID30","features":[521]},{"name":"VDS_RT_RAID4","features":[521]},{"name":"VDS_RT_RAID5","features":[521]},{"name":"VDS_RT_RAID50","features":[521]},{"name":"VDS_RT_RAID51","features":[521]},{"name":"VDS_RT_RAID53","features":[521]},{"name":"VDS_RT_RAID6","features":[521]},{"name":"VDS_RT_RAID60","features":[521]},{"name":"VDS_RT_RAID61","features":[521]},{"name":"VDS_RT_UNKNOWN","features":[521]},{"name":"VDS_SAN_POLICY","features":[521]},{"name":"VDS_SERVICE_FLAG","features":[521]},{"name":"VDS_SERVICE_NOTIFICATION","features":[521]},{"name":"VDS_SERVICE_PROP","features":[521]},{"name":"VDS_SF_CONSISTENCY_CHECK_CAPABLE","features":[521]},{"name":"VDS_SF_DRIVE_EXTENT_CAPABLE","features":[521]},{"name":"VDS_SF_HARDWARE_CHECKSUM_CAPABLE","features":[521]},{"name":"VDS_SF_LUN_MASKING_CAPABLE","features":[521]},{"name":"VDS_SF_LUN_PLEXING_CAPABLE","features":[521]},{"name":"VDS_SF_LUN_REMAPPING_CAPABLE","features":[521]},{"name":"VDS_SF_MEDIA_SCAN_CAPABLE","features":[521]},{"name":"VDS_SF_RADIUS_CAPABLE","features":[521]},{"name":"VDS_SF_READ_BACK_VERIFY_CAPABLE","features":[521]},{"name":"VDS_SF_READ_CACHING_CAPABLE","features":[521]},{"name":"VDS_SF_SUPPORTS_AUTH_CHAP","features":[521]},{"name":"VDS_SF_SUPPORTS_AUTH_MUTUAL_CHAP","features":[521]},{"name":"VDS_SF_SUPPORTS_FAULT_TOLERANT_LUNS","features":[521]},{"name":"VDS_SF_SUPPORTS_LUN_NUMBER","features":[521]},{"name":"VDS_SF_SUPPORTS_MIRRORED_CACHE","features":[521]},{"name":"VDS_SF_SUPPORTS_MIRROR_LUNS","features":[521]},{"name":"VDS_SF_SUPPORTS_NON_FAULT_TOLERANT_LUNS","features":[521]},{"name":"VDS_SF_SUPPORTS_PARITY_LUNS","features":[521]},{"name":"VDS_SF_SUPPORTS_RAID01_LUNS","features":[521]},{"name":"VDS_SF_SUPPORTS_RAID03_LUNS","features":[521]},{"name":"VDS_SF_SUPPORTS_RAID05_LUNS","features":[521]},{"name":"VDS_SF_SUPPORTS_RAID10_LUNS","features":[521]},{"name":"VDS_SF_SUPPORTS_RAID15_LUNS","features":[521]},{"name":"VDS_SF_SUPPORTS_RAID2_LUNS","features":[521]},{"name":"VDS_SF_SUPPORTS_RAID30_LUNS","features":[521]},{"name":"VDS_SF_SUPPORTS_RAID3_LUNS","features":[521]},{"name":"VDS_SF_SUPPORTS_RAID4_LUNS","features":[521]},{"name":"VDS_SF_SUPPORTS_RAID50_LUNS","features":[521]},{"name":"VDS_SF_SUPPORTS_RAID51_LUNS","features":[521]},{"name":"VDS_SF_SUPPORTS_RAID53_LUNS","features":[521]},{"name":"VDS_SF_SUPPORTS_RAID5_LUNS","features":[521]},{"name":"VDS_SF_SUPPORTS_RAID60_LUNS","features":[521]},{"name":"VDS_SF_SUPPORTS_RAID61_LUNS","features":[521]},{"name":"VDS_SF_SUPPORTS_RAID6_LUNS","features":[521]},{"name":"VDS_SF_SUPPORTS_SIMPLE_LUNS","features":[521]},{"name":"VDS_SF_SUPPORTS_SIMPLE_TARGET_CONFIG","features":[521]},{"name":"VDS_SF_SUPPORTS_SPAN_LUNS","features":[521]},{"name":"VDS_SF_SUPPORTS_STRIPE_LUNS","features":[521]},{"name":"VDS_SF_WRITE_CACHING_CAPABLE","features":[521]},{"name":"VDS_SF_WRITE_THROUGH_CACHING_CAPABLE","features":[521]},{"name":"VDS_SPS_NOT_READY","features":[521]},{"name":"VDS_SPS_OFFLINE","features":[521]},{"name":"VDS_SPS_ONLINE","features":[521]},{"name":"VDS_SPS_UNKNOWN","features":[521]},{"name":"VDS_SPT_CONCRETE","features":[521]},{"name":"VDS_SPT_PRIMORDIAL","features":[521]},{"name":"VDS_SPT_UNKNOWN","features":[521]},{"name":"VDS_SP_MAX","features":[521]},{"name":"VDS_SP_OFFLINE","features":[521]},{"name":"VDS_SP_OFFLINE_INTERNAL","features":[521]},{"name":"VDS_SP_OFFLINE_SHARED","features":[521]},{"name":"VDS_SP_ONLINE","features":[521]},{"name":"VDS_SP_UNKNOWN","features":[521]},{"name":"VDS_SSS_FAILED","features":[521]},{"name":"VDS_SSS_NOT_READY","features":[521]},{"name":"VDS_SSS_OFFLINE","features":[521]},{"name":"VDS_SSS_ONLINE","features":[521]},{"name":"VDS_SSS_PARTIALLY_MANAGED","features":[521]},{"name":"VDS_SSS_UNKNOWN","features":[521]},{"name":"VDS_STORAGE_BUS_TYPE","features":[521]},{"name":"VDS_STORAGE_DEVICE_ID_DESCRIPTOR","features":[521]},{"name":"VDS_STORAGE_IDENTIFIER","features":[521]},{"name":"VDS_STORAGE_IDENTIFIER_CODE_SET","features":[521]},{"name":"VDS_STORAGE_IDENTIFIER_TYPE","features":[521]},{"name":"VDS_STORAGE_POOL_DRIVE_EXTENT","features":[308,521]},{"name":"VDS_STORAGE_POOL_PROP","features":[521]},{"name":"VDS_STORAGE_POOL_STATUS","features":[521]},{"name":"VDS_STORAGE_POOL_TYPE","features":[521]},{"name":"VDS_SUB_SYSTEM_FLAG","features":[521]},{"name":"VDS_SUB_SYSTEM_NOTIFICATION","features":[521]},{"name":"VDS_SUB_SYSTEM_PROP","features":[521]},{"name":"VDS_SUB_SYSTEM_PROP2","features":[521]},{"name":"VDS_SUB_SYSTEM_STATUS","features":[521]},{"name":"VDS_SUB_SYSTEM_SUPPORTED_RAID_TYPE_FLAG","features":[521]},{"name":"VDS_SVF_AUTO_MOUNT_OFF","features":[521]},{"name":"VDS_SVF_CLUSTER_SERVICE_CONFIGURED","features":[521]},{"name":"VDS_SVF_EFI","features":[521]},{"name":"VDS_SVF_OS_UNINSTALL_VALID","features":[521]},{"name":"VDS_SVF_SUPPORT_DYNAMIC","features":[521]},{"name":"VDS_SVF_SUPPORT_DYNAMIC_1394","features":[521]},{"name":"VDS_SVF_SUPPORT_FAULT_TOLERANT","features":[521]},{"name":"VDS_SVF_SUPPORT_GPT","features":[521]},{"name":"VDS_SVF_SUPPORT_MIRROR","features":[521]},{"name":"VDS_SVF_SUPPORT_RAID5","features":[521]},{"name":"VDS_SVF_SUPPORT_REFS","features":[521]},{"name":"VDS_S_ACCESS_PATH_NOT_DELETED","features":[521]},{"name":"VDS_S_ALREADY_EXISTS","features":[521]},{"name":"VDS_S_BOOT_PARTITION_NUMBER_CHANGE","features":[521]},{"name":"VDS_S_DEFAULT_PLEX_MEMBER_IDS","features":[521]},{"name":"VDS_S_DISK_DISMOUNT_FAILED","features":[521]},{"name":"VDS_S_DISK_IS_MISSING","features":[521]},{"name":"VDS_S_DISK_MOUNT_FAILED","features":[521]},{"name":"VDS_S_DISK_PARTIALLY_CLEANED","features":[521]},{"name":"VDS_S_DISMOUNT_FAILED","features":[521]},{"name":"VDS_S_EXTEND_FILE_SYSTEM_FAILED","features":[521]},{"name":"VDS_S_FS_LOCK","features":[521]},{"name":"VDS_S_GPT_BOOT_MIRRORED_TO_MBR","features":[521]},{"name":"VDS_S_IA64_BOOT_MIRRORED_TO_MBR","features":[521]},{"name":"VDS_S_IN_PROGRESS","features":[521]},{"name":"VDS_S_ISCSI_LOGIN_ALREAD_EXISTS","features":[521]},{"name":"VDS_S_ISCSI_PERSISTENT_LOGIN_MAY_NOT_BE_REMOVED","features":[521]},{"name":"VDS_S_ISCSI_SESSION_NOT_FOUND_PERSISTENT_LOGIN_REMOVED","features":[521]},{"name":"VDS_S_MBR_BOOT_MIRRORED_TO_GPT","features":[521]},{"name":"VDS_S_NAME_TRUNCATED","features":[521]},{"name":"VDS_S_NONCONFORMANT_PARTITION_INFO","features":[521]},{"name":"VDS_S_NO_NOTIFICATION","features":[521]},{"name":"VDS_S_PLEX_NOT_LOADED_TO_CACHE","features":[521]},{"name":"VDS_S_PROPERTIES_INCOMPLETE","features":[521]},{"name":"VDS_S_PROVIDER_ERROR_LOADING_CACHE","features":[521]},{"name":"VDS_S_REMOUNT_FAILED","features":[521]},{"name":"VDS_S_RESYNC_NOTIFICATION_TASK_FAILED","features":[521]},{"name":"VDS_S_STATUSES_INCOMPLETELY_SET","features":[521]},{"name":"VDS_S_SYSTEM_PARTITION","features":[521]},{"name":"VDS_S_UNABLE_TO_GET_GPT_ATTRIBUTES","features":[521]},{"name":"VDS_S_UPDATE_BOOTFILE_FAILED","features":[521]},{"name":"VDS_S_VOLUME_COMPRESS_FAILED","features":[521]},{"name":"VDS_S_VSS_FLUSH_AND_HOLD_WRITES","features":[521]},{"name":"VDS_S_VSS_RELEASE_WRITES","features":[521]},{"name":"VDS_S_WINPE_BOOTENTRY","features":[521]},{"name":"VDS_TARGET_NOTIFICATION","features":[521]},{"name":"VDS_TRANSITION_STATE","features":[521]},{"name":"VDS_TS_EXTENDING","features":[521]},{"name":"VDS_TS_RECONFIGING","features":[521]},{"name":"VDS_TS_RESTRIPING","features":[521]},{"name":"VDS_TS_SHRINKING","features":[521]},{"name":"VDS_TS_STABLE","features":[521]},{"name":"VDS_TS_UNKNOWN","features":[521]},{"name":"VDS_VDISK_PROPERTIES","features":[308,520,521]},{"name":"VDS_VDISK_STATE","features":[521]},{"name":"VDS_VERSION_SUPPORT_FLAG","features":[521]},{"name":"VDS_VF_ACTIVE","features":[521]},{"name":"VDS_VF_BACKED_BY_WIM_IMAGE","features":[521]},{"name":"VDS_VF_BACKS_BOOT_VOLUME","features":[521]},{"name":"VDS_VF_BOOT_VOLUME","features":[521]},{"name":"VDS_VF_CAN_EXTEND","features":[521]},{"name":"VDS_VF_CAN_SHRINK","features":[521]},{"name":"VDS_VF_CRASHDUMP","features":[521]},{"name":"VDS_VF_DIRTY","features":[521]},{"name":"VDS_VF_FAT32_NOT_SUPPORTED","features":[521]},{"name":"VDS_VF_FAT_NOT_SUPPORTED","features":[521]},{"name":"VDS_VF_FORMATTING","features":[521]},{"name":"VDS_VF_FVE_ENABLED","features":[521]},{"name":"VDS_VF_HIBERNATION","features":[521]},{"name":"VDS_VF_HIDDEN","features":[521]},{"name":"VDS_VF_INSTALLABLE","features":[521]},{"name":"VDS_VF_LBN_REMAP_ENABLED","features":[521]},{"name":"VDS_VF_NOT_FORMATTABLE","features":[521]},{"name":"VDS_VF_NO_DEFAULT_DRIVE_LETTER","features":[521]},{"name":"VDS_VF_NTFS_NOT_SUPPORTED","features":[521]},{"name":"VDS_VF_PAGEFILE","features":[521]},{"name":"VDS_VF_PERMANENTLY_DISMOUNTED","features":[521]},{"name":"VDS_VF_PERMANENT_DISMOUNT_SUPPORTED","features":[521]},{"name":"VDS_VF_READONLY","features":[521]},{"name":"VDS_VF_REFS_NOT_SUPPORTED","features":[521]},{"name":"VDS_VF_SHADOW_COPY","features":[521]},{"name":"VDS_VF_SYSTEM_VOLUME","features":[521]},{"name":"VDS_VOLUME_FLAG","features":[521]},{"name":"VDS_VOLUME_NOTIFICATION","features":[521]},{"name":"VDS_VOLUME_PLEX_PROP","features":[521]},{"name":"VDS_VOLUME_PLEX_STATUS","features":[521]},{"name":"VDS_VOLUME_PLEX_TYPE","features":[521]},{"name":"VDS_VOLUME_PROP","features":[521]},{"name":"VDS_VOLUME_PROP2","features":[521]},{"name":"VDS_VOLUME_STATUS","features":[521]},{"name":"VDS_VOLUME_TYPE","features":[521]},{"name":"VDS_VPS_FAILED","features":[521]},{"name":"VDS_VPS_NO_MEDIA","features":[521]},{"name":"VDS_VPS_ONLINE","features":[521]},{"name":"VDS_VPS_UNKNOWN","features":[521]},{"name":"VDS_VPT_PARITY","features":[521]},{"name":"VDS_VPT_SIMPLE","features":[521]},{"name":"VDS_VPT_SPAN","features":[521]},{"name":"VDS_VPT_STRIPE","features":[521]},{"name":"VDS_VPT_UNKNOWN","features":[521]},{"name":"VDS_VSF_1_0","features":[521]},{"name":"VDS_VSF_1_1","features":[521]},{"name":"VDS_VSF_2_0","features":[521]},{"name":"VDS_VSF_2_1","features":[521]},{"name":"VDS_VSF_3_0","features":[521]},{"name":"VDS_VST_ADDED","features":[521]},{"name":"VDS_VST_ATTACHED","features":[521]},{"name":"VDS_VST_ATTACHED_NOT_OPEN","features":[521]},{"name":"VDS_VST_ATTACH_PENDING","features":[521]},{"name":"VDS_VST_COMPACTING","features":[521]},{"name":"VDS_VST_DELETED","features":[521]},{"name":"VDS_VST_DETACH_PENDING","features":[521]},{"name":"VDS_VST_EXPANDING","features":[521]},{"name":"VDS_VST_MAX","features":[521]},{"name":"VDS_VST_MERGING","features":[521]},{"name":"VDS_VST_OPEN","features":[521]},{"name":"VDS_VST_UNKNOWN","features":[521]},{"name":"VDS_VS_FAILED","features":[521]},{"name":"VDS_VS_NO_MEDIA","features":[521]},{"name":"VDS_VS_OFFLINE","features":[521]},{"name":"VDS_VS_ONLINE","features":[521]},{"name":"VDS_VS_UNKNOWN","features":[521]},{"name":"VDS_VT_MIRROR","features":[521]},{"name":"VDS_VT_PARITY","features":[521]},{"name":"VDS_VT_SIMPLE","features":[521]},{"name":"VDS_VT_SPAN","features":[521]},{"name":"VDS_VT_STRIPE","features":[521]},{"name":"VDS_VT_UNKNOWN","features":[521]},{"name":"VDS_WWN","features":[521]},{"name":"VER_VDS_LUN_INFORMATION","features":[521]},{"name":"__VDS_PARTITION_STYLE","features":[521]}],"525":[{"name":"CreateVssExpressWriterInternal","features":[522]},{"name":"IVssAdmin","features":[522]},{"name":"IVssAdminEx","features":[522]},{"name":"IVssAsync","features":[522]},{"name":"IVssComponent","features":[522]},{"name":"IVssComponentEx","features":[522]},{"name":"IVssComponentEx2","features":[522]},{"name":"IVssCreateExpressWriterMetadata","features":[522]},{"name":"IVssCreateWriterMetadata","features":[522]},{"name":"IVssDifferentialSoftwareSnapshotMgmt","features":[522]},{"name":"IVssDifferentialSoftwareSnapshotMgmt2","features":[522]},{"name":"IVssDifferentialSoftwareSnapshotMgmt3","features":[522]},{"name":"IVssEnumMgmtObject","features":[522]},{"name":"IVssEnumObject","features":[522]},{"name":"IVssExpressWriter","features":[522]},{"name":"IVssFileShareSnapshotProvider","features":[522]},{"name":"IVssHardwareSnapshotProvider","features":[522]},{"name":"IVssHardwareSnapshotProviderEx","features":[522]},{"name":"IVssProviderCreateSnapshotSet","features":[522]},{"name":"IVssProviderNotifications","features":[522]},{"name":"IVssSnapshotMgmt","features":[522]},{"name":"IVssSnapshotMgmt2","features":[522]},{"name":"IVssSoftwareSnapshotProvider","features":[522]},{"name":"IVssWMDependency","features":[522]},{"name":"IVssWMFiledesc","features":[522]},{"name":"IVssWriterComponents","features":[522]},{"name":"VSSCoordinator","features":[522]},{"name":"VSS_ALTERNATE_WRITER_STATE","features":[522]},{"name":"VSS_APPLICATION_LEVEL","features":[522]},{"name":"VSS_APP_AUTO","features":[522]},{"name":"VSS_APP_BACK_END","features":[522]},{"name":"VSS_APP_FRONT_END","features":[522]},{"name":"VSS_APP_SYSTEM","features":[522]},{"name":"VSS_APP_SYSTEM_RM","features":[522]},{"name":"VSS_APP_UNKNOWN","features":[522]},{"name":"VSS_ASSOC_NO_MAX_SPACE","features":[522]},{"name":"VSS_ASSOC_REMOVE","features":[522]},{"name":"VSS_AWS_ALTERNATE_WRITER_EXISTS","features":[522]},{"name":"VSS_AWS_NO_ALTERNATE_WRITER","features":[522]},{"name":"VSS_AWS_THIS_IS_ALTERNATE_WRITER","features":[522]},{"name":"VSS_AWS_UNDEFINED","features":[522]},{"name":"VSS_BACKUP_SCHEMA","features":[522]},{"name":"VSS_BACKUP_TYPE","features":[522]},{"name":"VSS_BREAKEX_FLAG_MAKE_READ_WRITE","features":[522]},{"name":"VSS_BREAKEX_FLAG_MASK_LUNS","features":[522]},{"name":"VSS_BREAKEX_FLAG_REVERT_IDENTITY_ALL","features":[522]},{"name":"VSS_BREAKEX_FLAG_REVERT_IDENTITY_NONE","features":[522]},{"name":"VSS_BS_AUTHORITATIVE_RESTORE","features":[522]},{"name":"VSS_BS_COPY","features":[522]},{"name":"VSS_BS_DIFFERENTIAL","features":[522]},{"name":"VSS_BS_EXCLUSIVE_INCREMENTAL_DIFFERENTIAL","features":[522]},{"name":"VSS_BS_INCREMENTAL","features":[522]},{"name":"VSS_BS_INDEPENDENT_SYSTEM_STATE","features":[522]},{"name":"VSS_BS_LAST_MODIFY","features":[522]},{"name":"VSS_BS_LOG","features":[522]},{"name":"VSS_BS_LSN","features":[522]},{"name":"VSS_BS_RESTORE_RENAME","features":[522]},{"name":"VSS_BS_ROLLFORWARD_RESTORE","features":[522]},{"name":"VSS_BS_TIMESTAMPED","features":[522]},{"name":"VSS_BS_UNDEFINED","features":[522]},{"name":"VSS_BS_WRITER_SUPPORTS_NEW_TARGET","features":[522]},{"name":"VSS_BS_WRITER_SUPPORTS_PARALLEL_RESTORES","features":[522]},{"name":"VSS_BS_WRITER_SUPPORTS_RESTORE_WITH_MOVE","features":[522]},{"name":"VSS_BT_COPY","features":[522]},{"name":"VSS_BT_DIFFERENTIAL","features":[522]},{"name":"VSS_BT_FULL","features":[522]},{"name":"VSS_BT_INCREMENTAL","features":[522]},{"name":"VSS_BT_LOG","features":[522]},{"name":"VSS_BT_OTHER","features":[522]},{"name":"VSS_BT_UNDEFINED","features":[522]},{"name":"VSS_CF_APP_ROLLBACK_RECOVERY","features":[522]},{"name":"VSS_CF_BACKUP_RECOVERY","features":[522]},{"name":"VSS_CF_NOT_SYSTEM_STATE","features":[522]},{"name":"VSS_COMPONENT_FLAGS","features":[522]},{"name":"VSS_COMPONENT_TYPE","features":[522]},{"name":"VSS_CTX_ALL","features":[522]},{"name":"VSS_CTX_APP_ROLLBACK","features":[522]},{"name":"VSS_CTX_BACKUP","features":[522]},{"name":"VSS_CTX_CLIENT_ACCESSIBLE","features":[522]},{"name":"VSS_CTX_CLIENT_ACCESSIBLE_WRITERS","features":[522]},{"name":"VSS_CTX_FILE_SHARE_BACKUP","features":[522]},{"name":"VSS_CTX_NAS_ROLLBACK","features":[522]},{"name":"VSS_CT_DATABASE","features":[522]},{"name":"VSS_CT_FILEGROUP","features":[522]},{"name":"VSS_CT_UNDEFINED","features":[522]},{"name":"VSS_DIFF_AREA_PROP","features":[522]},{"name":"VSS_DIFF_VOLUME_PROP","features":[522]},{"name":"VSS_E_ASRERROR_CRITICAL_DISKS_TOO_SMALL","features":[522]},{"name":"VSS_E_ASRERROR_CRITICAL_DISK_CANNOT_BE_EXCLUDED","features":[522]},{"name":"VSS_E_ASRERROR_DATADISK_RDISK0","features":[522]},{"name":"VSS_E_ASRERROR_DISK_ASSIGNMENT_FAILED","features":[522]},{"name":"VSS_E_ASRERROR_DISK_RECREATION_FAILED","features":[522]},{"name":"VSS_E_ASRERROR_DYNAMIC_VHD_NOT_SUPPORTED","features":[522]},{"name":"VSS_E_ASRERROR_FIXED_PHYSICAL_DISK_AVAILABLE_AFTER_DISK_EXCLUSION","features":[522]},{"name":"VSS_E_ASRERROR_MISSING_DYNDISK","features":[522]},{"name":"VSS_E_ASRERROR_NO_ARCPATH","features":[522]},{"name":"VSS_E_ASRERROR_NO_PHYSICAL_DISK_AVAILABLE","features":[522]},{"name":"VSS_E_ASRERROR_RDISK0_TOOSMALL","features":[522]},{"name":"VSS_E_ASRERROR_RDISK_FOR_SYSTEM_DISK_NOT_FOUND","features":[522]},{"name":"VSS_E_ASRERROR_SHARED_CRIDISK","features":[522]},{"name":"VSS_E_ASRERROR_SYSTEM_PARTITION_HIDDEN","features":[522]},{"name":"VSS_E_AUTORECOVERY_FAILED","features":[522]},{"name":"VSS_E_BAD_STATE","features":[522]},{"name":"VSS_E_BREAK_REVERT_ID_FAILED","features":[522]},{"name":"VSS_E_CANNOT_REVERT_DISKID","features":[522]},{"name":"VSS_E_CLUSTER_ERROR","features":[522]},{"name":"VSS_E_CLUSTER_TIMEOUT","features":[522]},{"name":"VSS_E_CORRUPT_XML_DOCUMENT","features":[522]},{"name":"VSS_E_CRITICAL_VOLUME_ON_INVALID_DISK","features":[522]},{"name":"VSS_E_DYNAMIC_DISK_ERROR","features":[522]},{"name":"VSS_E_FLUSH_WRITES_TIMEOUT","features":[522]},{"name":"VSS_E_FSS_TIMEOUT","features":[522]},{"name":"VSS_E_HOLD_WRITES_TIMEOUT","features":[522]},{"name":"VSS_E_INSUFFICIENT_STORAGE","features":[522]},{"name":"VSS_E_INVALID_XML_DOCUMENT","features":[522]},{"name":"VSS_E_LEGACY_PROVIDER","features":[522]},{"name":"VSS_E_MAXIMUM_DIFFAREA_ASSOCIATIONS_REACHED","features":[522]},{"name":"VSS_E_MAXIMUM_NUMBER_OF_REMOTE_MACHINES_REACHED","features":[522]},{"name":"VSS_E_MAXIMUM_NUMBER_OF_SNAPSHOTS_REACHED","features":[522]},{"name":"VSS_E_MAXIMUM_NUMBER_OF_VOLUMES_REACHED","features":[522]},{"name":"VSS_E_MISSING_DISK","features":[522]},{"name":"VSS_E_MISSING_HIDDEN_VOLUME","features":[522]},{"name":"VSS_E_MISSING_VOLUME","features":[522]},{"name":"VSS_E_NESTED_VOLUME_LIMIT","features":[522]},{"name":"VSS_E_NONTRANSPORTABLE_BCD","features":[522]},{"name":"VSS_E_NOT_SUPPORTED","features":[522]},{"name":"VSS_E_NO_SNAPSHOTS_IMPORTED","features":[522]},{"name":"VSS_E_OBJECT_ALREADY_EXISTS","features":[522]},{"name":"VSS_E_OBJECT_NOT_FOUND","features":[522]},{"name":"VSS_E_PROVIDER_ALREADY_REGISTERED","features":[522]},{"name":"VSS_E_PROVIDER_IN_USE","features":[522]},{"name":"VSS_E_PROVIDER_NOT_REGISTERED","features":[522]},{"name":"VSS_E_PROVIDER_VETO","features":[522]},{"name":"VSS_E_REBOOT_REQUIRED","features":[522]},{"name":"VSS_E_REMOTE_SERVER_UNAVAILABLE","features":[522]},{"name":"VSS_E_REMOTE_SERVER_UNSUPPORTED","features":[522]},{"name":"VSS_E_RESYNC_IN_PROGRESS","features":[522]},{"name":"VSS_E_REVERT_IN_PROGRESS","features":[522]},{"name":"VSS_E_REVERT_VOLUME_LOST","features":[522]},{"name":"VSS_E_SNAPSHOT_NOT_IN_SET","features":[522]},{"name":"VSS_E_SNAPSHOT_SET_IN_PROGRESS","features":[522]},{"name":"VSS_E_SOME_SNAPSHOTS_NOT_IMPORTED","features":[522]},{"name":"VSS_E_TRANSACTION_FREEZE_TIMEOUT","features":[522]},{"name":"VSS_E_TRANSACTION_THAW_TIMEOUT","features":[522]},{"name":"VSS_E_UNEXPECTED","features":[522]},{"name":"VSS_E_UNEXPECTED_PROVIDER_ERROR","features":[522]},{"name":"VSS_E_UNEXPECTED_WRITER_ERROR","features":[522]},{"name":"VSS_E_UNSELECTED_VOLUME","features":[522]},{"name":"VSS_E_UNSUPPORTED_CONTEXT","features":[522]},{"name":"VSS_E_VOLUME_IN_USE","features":[522]},{"name":"VSS_E_VOLUME_NOT_LOCAL","features":[522]},{"name":"VSS_E_VOLUME_NOT_SUPPORTED","features":[522]},{"name":"VSS_E_VOLUME_NOT_SUPPORTED_BY_PROVIDER","features":[522]},{"name":"VSS_E_WRITERERROR_INCONSISTENTSNAPSHOT","features":[522]},{"name":"VSS_E_WRITERERROR_NONRETRYABLE","features":[522]},{"name":"VSS_E_WRITERERROR_OUTOFRESOURCES","features":[522]},{"name":"VSS_E_WRITERERROR_PARTIAL_FAILURE","features":[522]},{"name":"VSS_E_WRITERERROR_RECOVERY_FAILED","features":[522]},{"name":"VSS_E_WRITERERROR_RETRYABLE","features":[522]},{"name":"VSS_E_WRITERERROR_TIMEOUT","features":[522]},{"name":"VSS_E_WRITER_ALREADY_SUBSCRIBED","features":[522]},{"name":"VSS_E_WRITER_INFRASTRUCTURE","features":[522]},{"name":"VSS_E_WRITER_NOT_RESPONDING","features":[522]},{"name":"VSS_E_WRITER_STATUS_NOT_AVAILABLE","features":[522]},{"name":"VSS_FILE_RESTORE_STATUS","features":[522]},{"name":"VSS_FILE_SPEC_BACKUP_TYPE","features":[522]},{"name":"VSS_FSBT_ALL_BACKUP_REQUIRED","features":[522]},{"name":"VSS_FSBT_ALL_SNAPSHOT_REQUIRED","features":[522]},{"name":"VSS_FSBT_CREATED_DURING_BACKUP","features":[522]},{"name":"VSS_FSBT_DIFFERENTIAL_BACKUP_REQUIRED","features":[522]},{"name":"VSS_FSBT_DIFFERENTIAL_SNAPSHOT_REQUIRED","features":[522]},{"name":"VSS_FSBT_FULL_BACKUP_REQUIRED","features":[522]},{"name":"VSS_FSBT_FULL_SNAPSHOT_REQUIRED","features":[522]},{"name":"VSS_FSBT_INCREMENTAL_BACKUP_REQUIRED","features":[522]},{"name":"VSS_FSBT_INCREMENTAL_SNAPSHOT_REQUIRED","features":[522]},{"name":"VSS_FSBT_LOG_BACKUP_REQUIRED","features":[522]},{"name":"VSS_FSBT_LOG_SNAPSHOT_REQUIRED","features":[522]},{"name":"VSS_HARDWARE_OPTIONS","features":[522]},{"name":"VSS_MGMT_OBJECT_DIFF_AREA","features":[522]},{"name":"VSS_MGMT_OBJECT_DIFF_VOLUME","features":[522]},{"name":"VSS_MGMT_OBJECT_PROP","features":[522]},{"name":"VSS_MGMT_OBJECT_TYPE","features":[522]},{"name":"VSS_MGMT_OBJECT_UNION","features":[522]},{"name":"VSS_MGMT_OBJECT_UNKNOWN","features":[522]},{"name":"VSS_MGMT_OBJECT_VOLUME","features":[522]},{"name":"VSS_OBJECT_NONE","features":[522]},{"name":"VSS_OBJECT_PROP","features":[522]},{"name":"VSS_OBJECT_PROVIDER","features":[522]},{"name":"VSS_OBJECT_SNAPSHOT","features":[522]},{"name":"VSS_OBJECT_SNAPSHOT_SET","features":[522]},{"name":"VSS_OBJECT_TYPE","features":[522]},{"name":"VSS_OBJECT_TYPE_COUNT","features":[522]},{"name":"VSS_OBJECT_UNION","features":[522]},{"name":"VSS_OBJECT_UNKNOWN","features":[522]},{"name":"VSS_ONLUNSTATECHANGE_DO_MASK_LUNS","features":[522]},{"name":"VSS_ONLUNSTATECHANGE_NOTIFY_LUN_POST_RECOVERY","features":[522]},{"name":"VSS_ONLUNSTATECHANGE_NOTIFY_LUN_PRE_RECOVERY","features":[522]},{"name":"VSS_ONLUNSTATECHANGE_NOTIFY_READ_WRITE","features":[522]},{"name":"VSS_PROTECTION_FAULT","features":[522]},{"name":"VSS_PROTECTION_FAULT_COW_READ_FAILURE","features":[522]},{"name":"VSS_PROTECTION_FAULT_COW_WRITE_FAILURE","features":[522]},{"name":"VSS_PROTECTION_FAULT_DESTROY_ALL_SNAPSHOTS","features":[522]},{"name":"VSS_PROTECTION_FAULT_DIFF_AREA_FULL","features":[522]},{"name":"VSS_PROTECTION_FAULT_DIFF_AREA_MISSING","features":[522]},{"name":"VSS_PROTECTION_FAULT_DIFF_AREA_REMOVED","features":[522]},{"name":"VSS_PROTECTION_FAULT_EXTERNAL_WRITER_TO_DIFF_AREA","features":[522]},{"name":"VSS_PROTECTION_FAULT_FILE_SYSTEM_FAILURE","features":[522]},{"name":"VSS_PROTECTION_FAULT_GROW_FAILED","features":[522]},{"name":"VSS_PROTECTION_FAULT_GROW_TOO_SLOW","features":[522]},{"name":"VSS_PROTECTION_FAULT_IO_FAILURE","features":[522]},{"name":"VSS_PROTECTION_FAULT_IO_FAILURE_DURING_ONLINE","features":[522]},{"name":"VSS_PROTECTION_FAULT_MAPPED_MEMORY_FAILURE","features":[522]},{"name":"VSS_PROTECTION_FAULT_MEMORY_ALLOCATION_FAILURE","features":[522]},{"name":"VSS_PROTECTION_FAULT_META_DATA_CORRUPTION","features":[522]},{"name":"VSS_PROTECTION_FAULT_MOUNT_DURING_CLUSTER_OFFLINE","features":[522]},{"name":"VSS_PROTECTION_FAULT_NONE","features":[522]},{"name":"VSS_PROTECTION_LEVEL","features":[522]},{"name":"VSS_PROTECTION_LEVEL_ORIGINAL_VOLUME","features":[522]},{"name":"VSS_PROTECTION_LEVEL_SNAPSHOT","features":[522]},{"name":"VSS_PROVIDER_CAPABILITIES","features":[522]},{"name":"VSS_PROVIDER_PROP","features":[522]},{"name":"VSS_PROVIDER_TYPE","features":[522]},{"name":"VSS_PROV_FILESHARE","features":[522]},{"name":"VSS_PROV_HARDWARE","features":[522]},{"name":"VSS_PROV_SOFTWARE","features":[522]},{"name":"VSS_PROV_SYSTEM","features":[522]},{"name":"VSS_PROV_UNKNOWN","features":[522]},{"name":"VSS_PRV_CAPABILITY_CLUSTERED","features":[522]},{"name":"VSS_PRV_CAPABILITY_COMPLIANT","features":[522]},{"name":"VSS_PRV_CAPABILITY_DIFFERENTIAL","features":[522]},{"name":"VSS_PRV_CAPABILITY_LEGACY","features":[522]},{"name":"VSS_PRV_CAPABILITY_LUN_REPOINT","features":[522]},{"name":"VSS_PRV_CAPABILITY_LUN_RESYNC","features":[522]},{"name":"VSS_PRV_CAPABILITY_MULTIPLE_IMPORT","features":[522]},{"name":"VSS_PRV_CAPABILITY_OFFLINE_CREATION","features":[522]},{"name":"VSS_PRV_CAPABILITY_PLEX","features":[522]},{"name":"VSS_PRV_CAPABILITY_RECYCLING","features":[522]},{"name":"VSS_RECOVERY_NO_VOLUME_CHECK","features":[522]},{"name":"VSS_RECOVERY_OPTIONS","features":[522]},{"name":"VSS_RECOVERY_REVERT_IDENTITY_ALL","features":[522]},{"name":"VSS_RESTOREMETHOD_ENUM","features":[522]},{"name":"VSS_RESTORE_TARGET","features":[522]},{"name":"VSS_RESTORE_TYPE","features":[522]},{"name":"VSS_RF_ALL","features":[522]},{"name":"VSS_RF_NONE","features":[522]},{"name":"VSS_RF_PARTIAL","features":[522]},{"name":"VSS_RF_UNDEFINED","features":[522]},{"name":"VSS_RME_CUSTOM","features":[522]},{"name":"VSS_RME_RESTORE_AT_REBOOT","features":[522]},{"name":"VSS_RME_RESTORE_AT_REBOOT_IF_CANNOT_REPLACE","features":[522]},{"name":"VSS_RME_RESTORE_IF_CAN_REPLACE","features":[522]},{"name":"VSS_RME_RESTORE_IF_NOT_THERE","features":[522]},{"name":"VSS_RME_RESTORE_STOP_START","features":[522]},{"name":"VSS_RME_RESTORE_TO_ALTERNATE_LOCATION","features":[522]},{"name":"VSS_RME_STOP_RESTORE_START","features":[522]},{"name":"VSS_RME_UNDEFINED","features":[522]},{"name":"VSS_ROLLFORWARD_TYPE","features":[522]},{"name":"VSS_RS_ALL","features":[522]},{"name":"VSS_RS_FAILED","features":[522]},{"name":"VSS_RS_NONE","features":[522]},{"name":"VSS_RS_UNDEFINED","features":[522]},{"name":"VSS_RTYPE_BY_COPY","features":[522]},{"name":"VSS_RTYPE_IMPORT","features":[522]},{"name":"VSS_RTYPE_OTHER","features":[522]},{"name":"VSS_RTYPE_UNDEFINED","features":[522]},{"name":"VSS_RT_ALTERNATE","features":[522]},{"name":"VSS_RT_DIRECTED","features":[522]},{"name":"VSS_RT_ORIGINAL","features":[522]},{"name":"VSS_RT_ORIGINAL_LOCATION","features":[522]},{"name":"VSS_RT_UNDEFINED","features":[522]},{"name":"VSS_SC_DISABLE_CONTENTINDEX","features":[522]},{"name":"VSS_SC_DISABLE_DEFRAG","features":[522]},{"name":"VSS_SM_ALL_FLAGS","features":[522]},{"name":"VSS_SM_BACKUP_EVENTS_FLAG","features":[522]},{"name":"VSS_SM_IO_THROTTLING_FLAG","features":[522]},{"name":"VSS_SM_POST_SNAPSHOT_FLAG","features":[522]},{"name":"VSS_SM_RESTORE_EVENTS_FLAG","features":[522]},{"name":"VSS_SNAPSHOT_COMPATIBILITY","features":[522]},{"name":"VSS_SNAPSHOT_CONTEXT","features":[522]},{"name":"VSS_SNAPSHOT_PROP","features":[522]},{"name":"VSS_SNAPSHOT_PROPERTY_ID","features":[522]},{"name":"VSS_SNAPSHOT_STATE","features":[522]},{"name":"VSS_SOURCE_TYPE","features":[522]},{"name":"VSS_SPROPID_CREATION_TIMESTAMP","features":[522]},{"name":"VSS_SPROPID_EXPOSED_NAME","features":[522]},{"name":"VSS_SPROPID_EXPOSED_PATH","features":[522]},{"name":"VSS_SPROPID_ORIGINAL_VOLUME","features":[522]},{"name":"VSS_SPROPID_ORIGINATING_MACHINE","features":[522]},{"name":"VSS_SPROPID_PROVIDER_ID","features":[522]},{"name":"VSS_SPROPID_SERVICE_MACHINE","features":[522]},{"name":"VSS_SPROPID_SNAPSHOTS_COUNT","features":[522]},{"name":"VSS_SPROPID_SNAPSHOT_ATTRIBUTES","features":[522]},{"name":"VSS_SPROPID_SNAPSHOT_DEVICE","features":[522]},{"name":"VSS_SPROPID_SNAPSHOT_ID","features":[522]},{"name":"VSS_SPROPID_SNAPSHOT_SET_ID","features":[522]},{"name":"VSS_SPROPID_STATUS","features":[522]},{"name":"VSS_SPROPID_UNKNOWN","features":[522]},{"name":"VSS_SS_ABORTED","features":[522]},{"name":"VSS_SS_COMMITTED","features":[522]},{"name":"VSS_SS_COUNT","features":[522]},{"name":"VSS_SS_CREATED","features":[522]},{"name":"VSS_SS_DELETED","features":[522]},{"name":"VSS_SS_POSTCOMMITTED","features":[522]},{"name":"VSS_SS_PRECOMMITTED","features":[522]},{"name":"VSS_SS_PREFINALCOMMITTED","features":[522]},{"name":"VSS_SS_PREPARED","features":[522]},{"name":"VSS_SS_PREPARING","features":[522]},{"name":"VSS_SS_PROCESSING_COMMIT","features":[522]},{"name":"VSS_SS_PROCESSING_POSTCOMMIT","features":[522]},{"name":"VSS_SS_PROCESSING_POSTFINALCOMMIT","features":[522]},{"name":"VSS_SS_PROCESSING_PRECOMMIT","features":[522]},{"name":"VSS_SS_PROCESSING_PREFINALCOMMIT","features":[522]},{"name":"VSS_SS_PROCESSING_PREPARE","features":[522]},{"name":"VSS_SS_UNKNOWN","features":[522]},{"name":"VSS_ST_NONTRANSACTEDDB","features":[522]},{"name":"VSS_ST_OTHER","features":[522]},{"name":"VSS_ST_TRANSACTEDDB","features":[522]},{"name":"VSS_ST_UNDEFINED","features":[522]},{"name":"VSS_SUBSCRIBE_MASK","features":[522]},{"name":"VSS_S_ASYNC_CANCELLED","features":[522]},{"name":"VSS_S_ASYNC_FINISHED","features":[522]},{"name":"VSS_S_ASYNC_PENDING","features":[522]},{"name":"VSS_S_SOME_SNAPSHOTS_NOT_IMPORTED","features":[522]},{"name":"VSS_USAGE_TYPE","features":[522]},{"name":"VSS_UT_BOOTABLESYSTEMSTATE","features":[522]},{"name":"VSS_UT_OTHER","features":[522]},{"name":"VSS_UT_SYSTEMSERVICE","features":[522]},{"name":"VSS_UT_UNDEFINED","features":[522]},{"name":"VSS_UT_USERDATA","features":[522]},{"name":"VSS_VOLSNAP_ATTR_AUTORECOVER","features":[522]},{"name":"VSS_VOLSNAP_ATTR_CLIENT_ACCESSIBLE","features":[522]},{"name":"VSS_VOLSNAP_ATTR_DELAYED_POSTSNAPSHOT","features":[522]},{"name":"VSS_VOLSNAP_ATTR_DIFFERENTIAL","features":[522]},{"name":"VSS_VOLSNAP_ATTR_EXPOSED_LOCALLY","features":[522]},{"name":"VSS_VOLSNAP_ATTR_EXPOSED_REMOTELY","features":[522]},{"name":"VSS_VOLSNAP_ATTR_FILE_SHARE","features":[522]},{"name":"VSS_VOLSNAP_ATTR_HARDWARE_ASSISTED","features":[522]},{"name":"VSS_VOLSNAP_ATTR_IMPORTED","features":[522]},{"name":"VSS_VOLSNAP_ATTR_NOT_SURFACED","features":[522]},{"name":"VSS_VOLSNAP_ATTR_NOT_TRANSACTED","features":[522]},{"name":"VSS_VOLSNAP_ATTR_NO_AUTORECOVERY","features":[522]},{"name":"VSS_VOLSNAP_ATTR_NO_AUTO_RELEASE","features":[522]},{"name":"VSS_VOLSNAP_ATTR_NO_WRITERS","features":[522]},{"name":"VSS_VOLSNAP_ATTR_PERSISTENT","features":[522]},{"name":"VSS_VOLSNAP_ATTR_PLEX","features":[522]},{"name":"VSS_VOLSNAP_ATTR_ROLLBACK_RECOVERY","features":[522]},{"name":"VSS_VOLSNAP_ATTR_TRANSPORTABLE","features":[522]},{"name":"VSS_VOLSNAP_ATTR_TXF_RECOVERY","features":[522]},{"name":"VSS_VOLUME_PROP","features":[522]},{"name":"VSS_VOLUME_PROTECTION_INFO","features":[308,522]},{"name":"VSS_VOLUME_SNAPSHOT_ATTRIBUTES","features":[522]},{"name":"VSS_WRE_ALWAYS","features":[522]},{"name":"VSS_WRE_IF_REPLACE_FAILS","features":[522]},{"name":"VSS_WRE_NEVER","features":[522]},{"name":"VSS_WRE_UNDEFINED","features":[522]},{"name":"VSS_WRITERRESTORE_ENUM","features":[522]},{"name":"VSS_WRITER_STATE","features":[522]},{"name":"VSS_WS_COUNT","features":[522]},{"name":"VSS_WS_FAILED_AT_BACKUPSHUTDOWN","features":[522]},{"name":"VSS_WS_FAILED_AT_BACKUP_COMPLETE","features":[522]},{"name":"VSS_WS_FAILED_AT_FREEZE","features":[522]},{"name":"VSS_WS_FAILED_AT_IDENTIFY","features":[522]},{"name":"VSS_WS_FAILED_AT_POST_RESTORE","features":[522]},{"name":"VSS_WS_FAILED_AT_POST_SNAPSHOT","features":[522]},{"name":"VSS_WS_FAILED_AT_PREPARE_BACKUP","features":[522]},{"name":"VSS_WS_FAILED_AT_PREPARE_SNAPSHOT","features":[522]},{"name":"VSS_WS_FAILED_AT_PRE_RESTORE","features":[522]},{"name":"VSS_WS_FAILED_AT_THAW","features":[522]},{"name":"VSS_WS_STABLE","features":[522]},{"name":"VSS_WS_UNKNOWN","features":[522]},{"name":"VSS_WS_WAITING_FOR_BACKUP_COMPLETE","features":[522]},{"name":"VSS_WS_WAITING_FOR_FREEZE","features":[522]},{"name":"VSS_WS_WAITING_FOR_POST_SNAPSHOT","features":[522]},{"name":"VSS_WS_WAITING_FOR_THAW","features":[522]},{"name":"VssSnapshotMgmt","features":[522]}],"526":[{"name":"ABORTPROC","features":[308,319,417]},{"name":"AbortDoc","features":[319,417]},{"name":"DC_BINNAMES","features":[417]},{"name":"DC_BINS","features":[417]},{"name":"DC_COLLATE","features":[417]},{"name":"DC_COLORDEVICE","features":[417]},{"name":"DC_COPIES","features":[417]},{"name":"DC_DRIVER","features":[417]},{"name":"DC_DUPLEX","features":[417]},{"name":"DC_ENUMRESOLUTIONS","features":[417]},{"name":"DC_EXTRA","features":[417]},{"name":"DC_FIELDS","features":[417]},{"name":"DC_FILEDEPENDENCIES","features":[417]},{"name":"DC_MAXEXTENT","features":[417]},{"name":"DC_MEDIAREADY","features":[417]},{"name":"DC_MEDIATYPENAMES","features":[417]},{"name":"DC_MEDIATYPES","features":[417]},{"name":"DC_MINEXTENT","features":[417]},{"name":"DC_NUP","features":[417]},{"name":"DC_ORIENTATION","features":[417]},{"name":"DC_PAPERNAMES","features":[417]},{"name":"DC_PAPERS","features":[417]},{"name":"DC_PAPERSIZE","features":[417]},{"name":"DC_PERSONALITY","features":[417]},{"name":"DC_PRINTERMEM","features":[417]},{"name":"DC_PRINTRATE","features":[417]},{"name":"DC_PRINTRATEPPM","features":[417]},{"name":"DC_PRINTRATEUNIT","features":[417]},{"name":"DC_SIZE","features":[417]},{"name":"DC_STAPLE","features":[417]},{"name":"DC_TRUETYPE","features":[417]},{"name":"DC_VERSION","features":[417]},{"name":"DOCINFOA","features":[417]},{"name":"DOCINFOW","features":[417]},{"name":"DRAWPATRECT","features":[308,417]},{"name":"DeviceCapabilitiesA","features":[308,319,417]},{"name":"DeviceCapabilitiesW","features":[308,319,417]},{"name":"EndDoc","features":[319,417]},{"name":"EndPage","features":[319,417]},{"name":"Escape","features":[319,417]},{"name":"ExtEscape","features":[319,417]},{"name":"HPTPROVIDER","features":[417]},{"name":"IXpsDocumentPackageTarget","features":[417]},{"name":"IXpsDocumentPackageTarget3D","features":[417]},{"name":"IXpsOMBrush","features":[417]},{"name":"IXpsOMCanvas","features":[417]},{"name":"IXpsOMColorProfileResource","features":[417]},{"name":"IXpsOMColorProfileResourceCollection","features":[417]},{"name":"IXpsOMCoreProperties","features":[417]},{"name":"IXpsOMDashCollection","features":[417]},{"name":"IXpsOMDictionary","features":[417]},{"name":"IXpsOMDocument","features":[417]},{"name":"IXpsOMDocumentCollection","features":[417]},{"name":"IXpsOMDocumentSequence","features":[417]},{"name":"IXpsOMDocumentStructureResource","features":[417]},{"name":"IXpsOMFontResource","features":[417]},{"name":"IXpsOMFontResourceCollection","features":[417]},{"name":"IXpsOMGeometry","features":[417]},{"name":"IXpsOMGeometryFigure","features":[417]},{"name":"IXpsOMGeometryFigureCollection","features":[417]},{"name":"IXpsOMGlyphs","features":[417]},{"name":"IXpsOMGlyphsEditor","features":[417]},{"name":"IXpsOMGradientBrush","features":[417]},{"name":"IXpsOMGradientStop","features":[417]},{"name":"IXpsOMGradientStopCollection","features":[417]},{"name":"IXpsOMImageBrush","features":[417]},{"name":"IXpsOMImageResource","features":[417]},{"name":"IXpsOMImageResourceCollection","features":[417]},{"name":"IXpsOMLinearGradientBrush","features":[417]},{"name":"IXpsOMMatrixTransform","features":[417]},{"name":"IXpsOMNameCollection","features":[417]},{"name":"IXpsOMObjectFactory","features":[417]},{"name":"IXpsOMObjectFactory1","features":[417]},{"name":"IXpsOMPackage","features":[417]},{"name":"IXpsOMPackage1","features":[417]},{"name":"IXpsOMPackageTarget","features":[417]},{"name":"IXpsOMPackageWriter","features":[417]},{"name":"IXpsOMPackageWriter3D","features":[417]},{"name":"IXpsOMPage","features":[417]},{"name":"IXpsOMPage1","features":[417]},{"name":"IXpsOMPageReference","features":[417]},{"name":"IXpsOMPageReferenceCollection","features":[417]},{"name":"IXpsOMPart","features":[417]},{"name":"IXpsOMPartResources","features":[417]},{"name":"IXpsOMPartUriCollection","features":[417]},{"name":"IXpsOMPath","features":[417]},{"name":"IXpsOMPrintTicketResource","features":[417]},{"name":"IXpsOMRadialGradientBrush","features":[417]},{"name":"IXpsOMRemoteDictionaryResource","features":[417]},{"name":"IXpsOMRemoteDictionaryResource1","features":[417]},{"name":"IXpsOMRemoteDictionaryResourceCollection","features":[417]},{"name":"IXpsOMResource","features":[417]},{"name":"IXpsOMShareable","features":[417]},{"name":"IXpsOMSignatureBlockResource","features":[417]},{"name":"IXpsOMSignatureBlockResourceCollection","features":[417]},{"name":"IXpsOMSolidColorBrush","features":[417]},{"name":"IXpsOMStoryFragmentsResource","features":[417]},{"name":"IXpsOMThumbnailGenerator","features":[417]},{"name":"IXpsOMTileBrush","features":[417]},{"name":"IXpsOMVisual","features":[417]},{"name":"IXpsOMVisualBrush","features":[417]},{"name":"IXpsOMVisualCollection","features":[417]},{"name":"IXpsSignature","features":[417]},{"name":"IXpsSignatureBlock","features":[417]},{"name":"IXpsSignatureBlockCollection","features":[417]},{"name":"IXpsSignatureCollection","features":[417]},{"name":"IXpsSignatureManager","features":[417]},{"name":"IXpsSignatureRequest","features":[417]},{"name":"IXpsSignatureRequestCollection","features":[417]},{"name":"IXpsSigningOptions","features":[417]},{"name":"PRINTER_DEVICE_CAPABILITIES","features":[417]},{"name":"PRINT_WINDOW_FLAGS","features":[417]},{"name":"PSFEATURE_CUSTPAPER","features":[417]},{"name":"PSFEATURE_OUTPUT","features":[308,417]},{"name":"PSINJECTDATA","features":[417]},{"name":"PSINJECT_BEGINDEFAULTS","features":[417]},{"name":"PSINJECT_BEGINPAGESETUP","features":[417]},{"name":"PSINJECT_BEGINPROLOG","features":[417]},{"name":"PSINJECT_BEGINSETUP","features":[417]},{"name":"PSINJECT_BEGINSTREAM","features":[417]},{"name":"PSINJECT_BOUNDINGBOX","features":[417]},{"name":"PSINJECT_COMMENTS","features":[417]},{"name":"PSINJECT_DOCNEEDEDRES","features":[417]},{"name":"PSINJECT_DOCSUPPLIEDRES","features":[417]},{"name":"PSINJECT_DOCUMENTPROCESSCOLORS","features":[417]},{"name":"PSINJECT_DOCUMENTPROCESSCOLORSATEND","features":[417]},{"name":"PSINJECT_ENDDEFAULTS","features":[417]},{"name":"PSINJECT_ENDPAGECOMMENTS","features":[417]},{"name":"PSINJECT_ENDPAGESETUP","features":[417]},{"name":"PSINJECT_ENDPROLOG","features":[417]},{"name":"PSINJECT_ENDSETUP","features":[417]},{"name":"PSINJECT_ENDSTREAM","features":[417]},{"name":"PSINJECT_EOF","features":[417]},{"name":"PSINJECT_ORIENTATION","features":[417]},{"name":"PSINJECT_PAGEBBOX","features":[417]},{"name":"PSINJECT_PAGENUMBER","features":[417]},{"name":"PSINJECT_PAGEORDER","features":[417]},{"name":"PSINJECT_PAGES","features":[417]},{"name":"PSINJECT_PAGESATEND","features":[417]},{"name":"PSINJECT_PAGETRAILER","features":[417]},{"name":"PSINJECT_PLATECOLOR","features":[417]},{"name":"PSINJECT_POINT","features":[417]},{"name":"PSINJECT_PSADOBE","features":[417]},{"name":"PSINJECT_SHOWPAGE","features":[417]},{"name":"PSINJECT_TRAILER","features":[417]},{"name":"PSINJECT_VMRESTORE","features":[417]},{"name":"PSINJECT_VMSAVE","features":[417]},{"name":"PW_CLIENTONLY","features":[417]},{"name":"PrintWindow","features":[308,319,417]},{"name":"SetAbortProc","features":[308,319,417]},{"name":"StartDocA","features":[319,417]},{"name":"StartDocW","features":[319,417]},{"name":"StartPage","features":[319,417]},{"name":"XPS_COLOR","features":[417]},{"name":"XPS_COLOR_INTERPOLATION","features":[417]},{"name":"XPS_COLOR_INTERPOLATION_SCRGBLINEAR","features":[417]},{"name":"XPS_COLOR_INTERPOLATION_SRGBLINEAR","features":[417]},{"name":"XPS_COLOR_TYPE","features":[417]},{"name":"XPS_COLOR_TYPE_CONTEXT","features":[417]},{"name":"XPS_COLOR_TYPE_SCRGB","features":[417]},{"name":"XPS_COLOR_TYPE_SRGB","features":[417]},{"name":"XPS_DASH","features":[417]},{"name":"XPS_DASH_CAP","features":[417]},{"name":"XPS_DASH_CAP_FLAT","features":[417]},{"name":"XPS_DASH_CAP_ROUND","features":[417]},{"name":"XPS_DASH_CAP_SQUARE","features":[417]},{"name":"XPS_DASH_CAP_TRIANGLE","features":[417]},{"name":"XPS_DOCUMENT_TYPE","features":[417]},{"name":"XPS_DOCUMENT_TYPE_OPENXPS","features":[417]},{"name":"XPS_DOCUMENT_TYPE_UNSPECIFIED","features":[417]},{"name":"XPS_DOCUMENT_TYPE_XPS","features":[417]},{"name":"XPS_E_ABSOLUTE_REFERENCE","features":[417]},{"name":"XPS_E_ALREADY_OWNED","features":[417]},{"name":"XPS_E_BLEED_BOX_PAGE_DIMENSIONS_NOT_IN_SYNC","features":[417]},{"name":"XPS_E_BOTH_PATHFIGURE_AND_ABBR_SYNTAX_PRESENT","features":[417]},{"name":"XPS_E_BOTH_RESOURCE_AND_SOURCEATTR_PRESENT","features":[417]},{"name":"XPS_E_CARET_OUTSIDE_STRING","features":[417]},{"name":"XPS_E_CARET_OUT_OF_ORDER","features":[417]},{"name":"XPS_E_COLOR_COMPONENT_OUT_OF_RANGE","features":[417]},{"name":"XPS_E_DICTIONARY_ITEM_NAMED","features":[417]},{"name":"XPS_E_DUPLICATE_NAMES","features":[417]},{"name":"XPS_E_DUPLICATE_RESOURCE_KEYS","features":[417]},{"name":"XPS_E_INDEX_OUT_OF_RANGE","features":[417]},{"name":"XPS_E_INVALID_BLEED_BOX","features":[417]},{"name":"XPS_E_INVALID_CONTENT_BOX","features":[417]},{"name":"XPS_E_INVALID_CONTENT_TYPE","features":[417]},{"name":"XPS_E_INVALID_FLOAT","features":[417]},{"name":"XPS_E_INVALID_FONT_URI","features":[417]},{"name":"XPS_E_INVALID_LANGUAGE","features":[417]},{"name":"XPS_E_INVALID_LOOKUP_TYPE","features":[417]},{"name":"XPS_E_INVALID_MARKUP","features":[417]},{"name":"XPS_E_INVALID_NAME","features":[417]},{"name":"XPS_E_INVALID_NUMBER_OF_COLOR_CHANNELS","features":[417]},{"name":"XPS_E_INVALID_NUMBER_OF_POINTS_IN_CURVE_SEGMENTS","features":[417]},{"name":"XPS_E_INVALID_OBFUSCATED_FONT_URI","features":[417]},{"name":"XPS_E_INVALID_PAGE_SIZE","features":[417]},{"name":"XPS_E_INVALID_RESOURCE_KEY","features":[417]},{"name":"XPS_E_INVALID_SIGNATUREBLOCK_MARKUP","features":[417]},{"name":"XPS_E_INVALID_THUMBNAIL_IMAGE_TYPE","features":[417]},{"name":"XPS_E_INVALID_XML_ENCODING","features":[417]},{"name":"XPS_E_MAPPING_OUTSIDE_INDICES","features":[417]},{"name":"XPS_E_MAPPING_OUTSIDE_STRING","features":[417]},{"name":"XPS_E_MAPPING_OUT_OF_ORDER","features":[417]},{"name":"XPS_E_MARKUP_COMPATIBILITY_ELEMENTS","features":[417]},{"name":"XPS_E_MISSING_COLORPROFILE","features":[417]},{"name":"XPS_E_MISSING_DISCARDCONTROL","features":[417]},{"name":"XPS_E_MISSING_DOCUMENT","features":[417]},{"name":"XPS_E_MISSING_DOCUMENTSEQUENCE_RELATIONSHIP","features":[417]},{"name":"XPS_E_MISSING_FONTURI","features":[417]},{"name":"XPS_E_MISSING_GLYPHS","features":[417]},{"name":"XPS_E_MISSING_IMAGE_IN_IMAGEBRUSH","features":[417]},{"name":"XPS_E_MISSING_LOOKUP","features":[417]},{"name":"XPS_E_MISSING_NAME","features":[417]},{"name":"XPS_E_MISSING_PAGE_IN_DOCUMENT","features":[417]},{"name":"XPS_E_MISSING_PAGE_IN_PAGEREFERENCE","features":[417]},{"name":"XPS_E_MISSING_PART_REFERENCE","features":[417]},{"name":"XPS_E_MISSING_PART_STREAM","features":[417]},{"name":"XPS_E_MISSING_REFERRED_DOCUMENT","features":[417]},{"name":"XPS_E_MISSING_REFERRED_PAGE","features":[417]},{"name":"XPS_E_MISSING_RELATIONSHIP_TARGET","features":[417]},{"name":"XPS_E_MISSING_RESOURCE_KEY","features":[417]},{"name":"XPS_E_MISSING_RESOURCE_RELATIONSHIP","features":[417]},{"name":"XPS_E_MISSING_RESTRICTED_FONT_RELATIONSHIP","features":[417]},{"name":"XPS_E_MISSING_SEGMENT_DATA","features":[417]},{"name":"XPS_E_MULTIPLE_DOCUMENTSEQUENCE_RELATIONSHIPS","features":[417]},{"name":"XPS_E_MULTIPLE_PRINTTICKETS_ON_DOCUMENT","features":[417]},{"name":"XPS_E_MULTIPLE_PRINTTICKETS_ON_DOCUMENTSEQUENCE","features":[417]},{"name":"XPS_E_MULTIPLE_PRINTTICKETS_ON_PAGE","features":[417]},{"name":"XPS_E_MULTIPLE_REFERENCES_TO_PART","features":[417]},{"name":"XPS_E_MULTIPLE_RESOURCES","features":[417]},{"name":"XPS_E_MULTIPLE_THUMBNAILS_ON_PACKAGE","features":[417]},{"name":"XPS_E_MULTIPLE_THUMBNAILS_ON_PAGE","features":[417]},{"name":"XPS_E_NEGATIVE_FLOAT","features":[417]},{"name":"XPS_E_NESTED_REMOTE_DICTIONARY","features":[417]},{"name":"XPS_E_NOT_ENOUGH_GRADIENT_STOPS","features":[417]},{"name":"XPS_E_NO_CUSTOM_OBJECTS","features":[417]},{"name":"XPS_E_OBJECT_DETACHED","features":[417]},{"name":"XPS_E_ODD_BIDILEVEL","features":[417]},{"name":"XPS_E_ONE_TO_ONE_MAPPING_EXPECTED","features":[417]},{"name":"XPS_E_PACKAGE_ALREADY_OPENED","features":[417]},{"name":"XPS_E_PACKAGE_NOT_OPENED","features":[417]},{"name":"XPS_E_PACKAGE_WRITER_NOT_CLOSED","features":[417]},{"name":"XPS_E_RELATIONSHIP_EXTERNAL","features":[417]},{"name":"XPS_E_RESOURCE_NOT_OWNED","features":[417]},{"name":"XPS_E_RESTRICTED_FONT_NOT_OBFUSCATED","features":[417]},{"name":"XPS_E_SIGNATUREID_DUP","features":[417]},{"name":"XPS_E_SIGREQUESTID_DUP","features":[417]},{"name":"XPS_E_STRING_TOO_LONG","features":[417]},{"name":"XPS_E_TOO_MANY_INDICES","features":[417]},{"name":"XPS_E_UNAVAILABLE_PACKAGE","features":[417]},{"name":"XPS_E_UNEXPECTED_COLORPROFILE","features":[417]},{"name":"XPS_E_UNEXPECTED_CONTENT_TYPE","features":[417]},{"name":"XPS_E_UNEXPECTED_RELATIONSHIP_TYPE","features":[417]},{"name":"XPS_E_UNEXPECTED_RESTRICTED_FONT_RELATIONSHIP","features":[417]},{"name":"XPS_E_VISUAL_CIRCULAR_REF","features":[417]},{"name":"XPS_E_XKEY_ATTR_PRESENT_OUTSIDE_RES_DICT","features":[417]},{"name":"XPS_FILL_RULE","features":[417]},{"name":"XPS_FILL_RULE_EVENODD","features":[417]},{"name":"XPS_FILL_RULE_NONZERO","features":[417]},{"name":"XPS_FONT_EMBEDDING","features":[417]},{"name":"XPS_FONT_EMBEDDING_NORMAL","features":[417]},{"name":"XPS_FONT_EMBEDDING_OBFUSCATED","features":[417]},{"name":"XPS_FONT_EMBEDDING_RESTRICTED","features":[417]},{"name":"XPS_FONT_EMBEDDING_RESTRICTED_UNOBFUSCATED","features":[417]},{"name":"XPS_GLYPH_INDEX","features":[417]},{"name":"XPS_GLYPH_MAPPING","features":[417]},{"name":"XPS_IMAGE_TYPE","features":[417]},{"name":"XPS_IMAGE_TYPE_JPEG","features":[417]},{"name":"XPS_IMAGE_TYPE_JXR","features":[417]},{"name":"XPS_IMAGE_TYPE_PNG","features":[417]},{"name":"XPS_IMAGE_TYPE_TIFF","features":[417]},{"name":"XPS_IMAGE_TYPE_WDP","features":[417]},{"name":"XPS_INTERLEAVING","features":[417]},{"name":"XPS_INTERLEAVING_OFF","features":[417]},{"name":"XPS_INTERLEAVING_ON","features":[417]},{"name":"XPS_LINE_CAP","features":[417]},{"name":"XPS_LINE_CAP_FLAT","features":[417]},{"name":"XPS_LINE_CAP_ROUND","features":[417]},{"name":"XPS_LINE_CAP_SQUARE","features":[417]},{"name":"XPS_LINE_CAP_TRIANGLE","features":[417]},{"name":"XPS_LINE_JOIN","features":[417]},{"name":"XPS_LINE_JOIN_BEVEL","features":[417]},{"name":"XPS_LINE_JOIN_MITER","features":[417]},{"name":"XPS_LINE_JOIN_ROUND","features":[417]},{"name":"XPS_MATRIX","features":[417]},{"name":"XPS_OBJECT_TYPE","features":[417]},{"name":"XPS_OBJECT_TYPE_CANVAS","features":[417]},{"name":"XPS_OBJECT_TYPE_GEOMETRY","features":[417]},{"name":"XPS_OBJECT_TYPE_GLYPHS","features":[417]},{"name":"XPS_OBJECT_TYPE_IMAGE_BRUSH","features":[417]},{"name":"XPS_OBJECT_TYPE_LINEAR_GRADIENT_BRUSH","features":[417]},{"name":"XPS_OBJECT_TYPE_MATRIX_TRANSFORM","features":[417]},{"name":"XPS_OBJECT_TYPE_PATH","features":[417]},{"name":"XPS_OBJECT_TYPE_RADIAL_GRADIENT_BRUSH","features":[417]},{"name":"XPS_OBJECT_TYPE_SOLID_COLOR_BRUSH","features":[417]},{"name":"XPS_OBJECT_TYPE_VISUAL_BRUSH","features":[417]},{"name":"XPS_POINT","features":[417]},{"name":"XPS_RECT","features":[417]},{"name":"XPS_SEGMENT_STROKE_PATTERN","features":[417]},{"name":"XPS_SEGMENT_STROKE_PATTERN_ALL","features":[417]},{"name":"XPS_SEGMENT_STROKE_PATTERN_MIXED","features":[417]},{"name":"XPS_SEGMENT_STROKE_PATTERN_NONE","features":[417]},{"name":"XPS_SEGMENT_TYPE","features":[417]},{"name":"XPS_SEGMENT_TYPE_ARC_LARGE_CLOCKWISE","features":[417]},{"name":"XPS_SEGMENT_TYPE_ARC_LARGE_COUNTERCLOCKWISE","features":[417]},{"name":"XPS_SEGMENT_TYPE_ARC_SMALL_CLOCKWISE","features":[417]},{"name":"XPS_SEGMENT_TYPE_ARC_SMALL_COUNTERCLOCKWISE","features":[417]},{"name":"XPS_SEGMENT_TYPE_BEZIER","features":[417]},{"name":"XPS_SEGMENT_TYPE_LINE","features":[417]},{"name":"XPS_SEGMENT_TYPE_QUADRATIC_BEZIER","features":[417]},{"name":"XPS_SIGNATURE_STATUS","features":[417]},{"name":"XPS_SIGNATURE_STATUS_BROKEN","features":[417]},{"name":"XPS_SIGNATURE_STATUS_INCOMPLETE","features":[417]},{"name":"XPS_SIGNATURE_STATUS_INCOMPLIANT","features":[417]},{"name":"XPS_SIGNATURE_STATUS_QUESTIONABLE","features":[417]},{"name":"XPS_SIGNATURE_STATUS_VALID","features":[417]},{"name":"XPS_SIGN_FLAGS","features":[417]},{"name":"XPS_SIGN_FLAGS_IGNORE_MARKUP_COMPATIBILITY","features":[417]},{"name":"XPS_SIGN_FLAGS_NONE","features":[417]},{"name":"XPS_SIGN_POLICY","features":[417]},{"name":"XPS_SIGN_POLICY_ALL","features":[417]},{"name":"XPS_SIGN_POLICY_CORE_PROPERTIES","features":[417]},{"name":"XPS_SIGN_POLICY_DISCARD_CONTROL","features":[417]},{"name":"XPS_SIGN_POLICY_NONE","features":[417]},{"name":"XPS_SIGN_POLICY_PRINT_TICKET","features":[417]},{"name":"XPS_SIGN_POLICY_SIGNATURE_RELATIONSHIPS","features":[417]},{"name":"XPS_SIZE","features":[417]},{"name":"XPS_SPREAD_METHOD","features":[417]},{"name":"XPS_SPREAD_METHOD_PAD","features":[417]},{"name":"XPS_SPREAD_METHOD_REFLECT","features":[417]},{"name":"XPS_SPREAD_METHOD_REPEAT","features":[417]},{"name":"XPS_STYLE_SIMULATION","features":[417]},{"name":"XPS_STYLE_SIMULATION_BOLD","features":[417]},{"name":"XPS_STYLE_SIMULATION_BOLDITALIC","features":[417]},{"name":"XPS_STYLE_SIMULATION_ITALIC","features":[417]},{"name":"XPS_STYLE_SIMULATION_NONE","features":[417]},{"name":"XPS_THUMBNAIL_SIZE","features":[417]},{"name":"XPS_THUMBNAIL_SIZE_LARGE","features":[417]},{"name":"XPS_THUMBNAIL_SIZE_MEDIUM","features":[417]},{"name":"XPS_THUMBNAIL_SIZE_SMALL","features":[417]},{"name":"XPS_THUMBNAIL_SIZE_VERYSMALL","features":[417]},{"name":"XPS_TILE_MODE","features":[417]},{"name":"XPS_TILE_MODE_FLIPX","features":[417]},{"name":"XPS_TILE_MODE_FLIPXY","features":[417]},{"name":"XPS_TILE_MODE_FLIPY","features":[417]},{"name":"XPS_TILE_MODE_NONE","features":[417]},{"name":"XPS_TILE_MODE_TILE","features":[417]},{"name":"XpsOMObjectFactory","features":[417]},{"name":"XpsOMThumbnailGenerator","features":[417]},{"name":"XpsSignatureManager","features":[417]}],"527":[{"name":"ID_DOCUMENTPACKAGETARGET_MSXPS","features":[523]},{"name":"ID_DOCUMENTPACKAGETARGET_OPENXPS","features":[523]},{"name":"ID_DOCUMENTPACKAGETARGET_OPENXPS_WITH_3D","features":[523]},{"name":"IPrintDocumentPackageStatusEvent","features":[523,359]},{"name":"IPrintDocumentPackageTarget","features":[523]},{"name":"IPrintDocumentPackageTarget2","features":[523]},{"name":"IPrintDocumentPackageTargetFactory","features":[523]},{"name":"IXpsPrintJob","features":[523]},{"name":"IXpsPrintJobStream","features":[523,359]},{"name":"PrintDocumentPackageCompletion","features":[523]},{"name":"PrintDocumentPackageCompletion_Canceled","features":[523]},{"name":"PrintDocumentPackageCompletion_Completed","features":[523]},{"name":"PrintDocumentPackageCompletion_Failed","features":[523]},{"name":"PrintDocumentPackageCompletion_InProgress","features":[523]},{"name":"PrintDocumentPackageStatus","features":[523]},{"name":"PrintDocumentPackageTarget","features":[523]},{"name":"PrintDocumentPackageTargetFactory","features":[523]},{"name":"StartXpsPrintJob","features":[308,523,359]},{"name":"StartXpsPrintJob1","features":[308,523]},{"name":"XPS_JOB_CANCELLED","features":[523]},{"name":"XPS_JOB_COMPLETED","features":[523]},{"name":"XPS_JOB_COMPLETION","features":[523]},{"name":"XPS_JOB_FAILED","features":[523]},{"name":"XPS_JOB_IN_PROGRESS","features":[523]},{"name":"XPS_JOB_STATUS","features":[523]}],"528":[{"name":"ADRENTRY","features":[308,389,359]},{"name":"ADRLIST","features":[308,389,359]},{"name":"ADRPARM","features":[308,389,359]},{"name":"BuildDisplayTable","features":[308,389,359]},{"name":"CALLERRELEASE","features":[389]},{"name":"ChangeIdleRoutine","features":[308,389]},{"name":"CreateIProp","features":[389]},{"name":"CreateTable","features":[389]},{"name":"DTBLBUTTON","features":[389]},{"name":"DTBLCHECKBOX","features":[389]},{"name":"DTBLCOMBOBOX","features":[389]},{"name":"DTBLDDLBX","features":[389]},{"name":"DTBLEDIT","features":[389]},{"name":"DTBLGROUPBOX","features":[389]},{"name":"DTBLLABEL","features":[389]},{"name":"DTBLLBX","features":[389]},{"name":"DTBLMVDDLBX","features":[389]},{"name":"DTBLMVLISTBOX","features":[389]},{"name":"DTBLPAGE","features":[389]},{"name":"DTBLRADIOBUTTON","features":[389]},{"name":"DTCTL","features":[389]},{"name":"DTPAGE","features":[389]},{"name":"DeinitMapiUtil","features":[389]},{"name":"DeregisterIdleRoutine","features":[389]},{"name":"ENTRYID","features":[389]},{"name":"ERROR_NOTIFICATION","features":[389]},{"name":"EXTENDED_NOTIFICATION","features":[389]},{"name":"E_IMAPI_BURN_VERIFICATION_FAILED","features":[389]},{"name":"E_IMAPI_DF2DATA_CLIENT_NAME_IS_NOT_VALID","features":[389]},{"name":"E_IMAPI_DF2DATA_INVALID_MEDIA_STATE","features":[389]},{"name":"E_IMAPI_DF2DATA_MEDIA_IS_NOT_SUPPORTED","features":[389]},{"name":"E_IMAPI_DF2DATA_MEDIA_NOT_BLANK","features":[389]},{"name":"E_IMAPI_DF2DATA_RECORDER_NOT_SUPPORTED","features":[389]},{"name":"E_IMAPI_DF2DATA_STREAM_NOT_SUPPORTED","features":[389]},{"name":"E_IMAPI_DF2DATA_STREAM_TOO_LARGE_FOR_CURRENT_MEDIA","features":[389]},{"name":"E_IMAPI_DF2DATA_WRITE_IN_PROGRESS","features":[389]},{"name":"E_IMAPI_DF2DATA_WRITE_NOT_IN_PROGRESS","features":[389]},{"name":"E_IMAPI_DF2RAW_CLIENT_NAME_IS_NOT_VALID","features":[389]},{"name":"E_IMAPI_DF2RAW_DATA_BLOCK_TYPE_NOT_SUPPORTED","features":[389]},{"name":"E_IMAPI_DF2RAW_MEDIA_IS_NOT_BLANK","features":[389]},{"name":"E_IMAPI_DF2RAW_MEDIA_IS_NOT_PREPARED","features":[389]},{"name":"E_IMAPI_DF2RAW_MEDIA_IS_NOT_SUPPORTED","features":[389]},{"name":"E_IMAPI_DF2RAW_MEDIA_IS_PREPARED","features":[389]},{"name":"E_IMAPI_DF2RAW_NOT_ENOUGH_SPACE","features":[389]},{"name":"E_IMAPI_DF2RAW_NO_RECORDER_SPECIFIED","features":[389]},{"name":"E_IMAPI_DF2RAW_RECORDER_NOT_SUPPORTED","features":[389]},{"name":"E_IMAPI_DF2RAW_STREAM_LEADIN_TOO_SHORT","features":[389]},{"name":"E_IMAPI_DF2RAW_STREAM_NOT_SUPPORTED","features":[389]},{"name":"E_IMAPI_DF2RAW_WRITE_IN_PROGRESS","features":[389]},{"name":"E_IMAPI_DF2RAW_WRITE_NOT_IN_PROGRESS","features":[389]},{"name":"E_IMAPI_DF2TAO_CLIENT_NAME_IS_NOT_VALID","features":[389]},{"name":"E_IMAPI_DF2TAO_INVALID_ISRC","features":[389]},{"name":"E_IMAPI_DF2TAO_INVALID_MCN","features":[389]},{"name":"E_IMAPI_DF2TAO_MEDIA_IS_NOT_BLANK","features":[389]},{"name":"E_IMAPI_DF2TAO_MEDIA_IS_NOT_PREPARED","features":[389]},{"name":"E_IMAPI_DF2TAO_MEDIA_IS_NOT_SUPPORTED","features":[389]},{"name":"E_IMAPI_DF2TAO_MEDIA_IS_PREPARED","features":[389]},{"name":"E_IMAPI_DF2TAO_NOT_ENOUGH_SPACE","features":[389]},{"name":"E_IMAPI_DF2TAO_NO_RECORDER_SPECIFIED","features":[389]},{"name":"E_IMAPI_DF2TAO_PROPERTY_FOR_BLANK_MEDIA_ONLY","features":[389]},{"name":"E_IMAPI_DF2TAO_RECORDER_NOT_SUPPORTED","features":[389]},{"name":"E_IMAPI_DF2TAO_STREAM_NOT_SUPPORTED","features":[389]},{"name":"E_IMAPI_DF2TAO_TABLE_OF_CONTENTS_EMPTY_DISC","features":[389]},{"name":"E_IMAPI_DF2TAO_TRACK_LIMIT_REACHED","features":[389]},{"name":"E_IMAPI_DF2TAO_WRITE_IN_PROGRESS","features":[389]},{"name":"E_IMAPI_DF2TAO_WRITE_NOT_IN_PROGRESS","features":[389]},{"name":"E_IMAPI_ERASE_CLIENT_NAME_IS_NOT_VALID","features":[389]},{"name":"E_IMAPI_ERASE_DISC_INFORMATION_TOO_SMALL","features":[389]},{"name":"E_IMAPI_ERASE_DRIVE_FAILED_ERASE_COMMAND","features":[389]},{"name":"E_IMAPI_ERASE_DRIVE_FAILED_SPINUP_COMMAND","features":[389]},{"name":"E_IMAPI_ERASE_MEDIA_IS_NOT_ERASABLE","features":[389]},{"name":"E_IMAPI_ERASE_MEDIA_IS_NOT_SUPPORTED","features":[389]},{"name":"E_IMAPI_ERASE_MODE_PAGE_2A_TOO_SMALL","features":[389]},{"name":"E_IMAPI_ERASE_ONLY_ONE_RECORDER_SUPPORTED","features":[389]},{"name":"E_IMAPI_ERASE_RECORDER_IN_USE","features":[389]},{"name":"E_IMAPI_ERASE_RECORDER_NOT_SUPPORTED","features":[389]},{"name":"E_IMAPI_ERASE_TOOK_LONGER_THAN_ONE_HOUR","features":[389]},{"name":"E_IMAPI_ERASE_UNEXPECTED_DRIVE_RESPONSE_DURING_ERASE","features":[389]},{"name":"E_IMAPI_LOSS_OF_STREAMING","features":[389]},{"name":"E_IMAPI_RAW_IMAGE_INSUFFICIENT_SPACE","features":[389]},{"name":"E_IMAPI_RAW_IMAGE_IS_READ_ONLY","features":[389]},{"name":"E_IMAPI_RAW_IMAGE_NO_TRACKS","features":[389]},{"name":"E_IMAPI_RAW_IMAGE_SECTOR_TYPE_NOT_SUPPORTED","features":[389]},{"name":"E_IMAPI_RAW_IMAGE_TOO_MANY_TRACKS","features":[389]},{"name":"E_IMAPI_RAW_IMAGE_TOO_MANY_TRACK_INDEXES","features":[389]},{"name":"E_IMAPI_RAW_IMAGE_TRACKS_ALREADY_ADDED","features":[389]},{"name":"E_IMAPI_RAW_IMAGE_TRACK_INDEX_NOT_FOUND","features":[389]},{"name":"E_IMAPI_RAW_IMAGE_TRACK_INDEX_OFFSET_ZERO_CANNOT_BE_CLEARED","features":[389]},{"name":"E_IMAPI_RAW_IMAGE_TRACK_INDEX_TOO_CLOSE_TO_OTHER_INDEX","features":[389]},{"name":"E_IMAPI_RECORDER_CLIENT_NAME_IS_NOT_VALID","features":[389]},{"name":"E_IMAPI_RECORDER_COMMAND_TIMEOUT","features":[389]},{"name":"E_IMAPI_RECORDER_DVD_STRUCTURE_NOT_PRESENT","features":[389]},{"name":"E_IMAPI_RECORDER_FEATURE_IS_NOT_CURRENT","features":[389]},{"name":"E_IMAPI_RECORDER_GET_CONFIGURATION_NOT_SUPPORTED","features":[389]},{"name":"E_IMAPI_RECORDER_INVALID_MODE_PARAMETERS","features":[389]},{"name":"E_IMAPI_RECORDER_INVALID_RESPONSE_FROM_DEVICE","features":[389]},{"name":"E_IMAPI_RECORDER_LOCKED","features":[389]},{"name":"E_IMAPI_RECORDER_MEDIA_BECOMING_READY","features":[389]},{"name":"E_IMAPI_RECORDER_MEDIA_BUSY","features":[389]},{"name":"E_IMAPI_RECORDER_MEDIA_FORMAT_IN_PROGRESS","features":[389]},{"name":"E_IMAPI_RECORDER_MEDIA_INCOMPATIBLE","features":[389]},{"name":"E_IMAPI_RECORDER_MEDIA_NOT_FORMATTED","features":[389]},{"name":"E_IMAPI_RECORDER_MEDIA_NO_MEDIA","features":[389]},{"name":"E_IMAPI_RECORDER_MEDIA_SPEED_MISMATCH","features":[389]},{"name":"E_IMAPI_RECORDER_MEDIA_UPSIDE_DOWN","features":[389]},{"name":"E_IMAPI_RECORDER_MEDIA_WRITE_PROTECTED","features":[389]},{"name":"E_IMAPI_RECORDER_NO_SUCH_FEATURE","features":[389]},{"name":"E_IMAPI_RECORDER_NO_SUCH_MODE_PAGE","features":[389]},{"name":"E_IMAPI_RECORDER_REQUIRED","features":[389]},{"name":"E_IMAPI_REQUEST_CANCELLED","features":[389]},{"name":"E_IMAPI_UNEXPECTED_RESPONSE_FROM_DEVICE","features":[389]},{"name":"EnableIdleRoutine","features":[308,389]},{"name":"FACILITY_IMAPI2","features":[389]},{"name":"FEqualNames","features":[308,389]},{"name":"FLATENTRY","features":[389]},{"name":"FLATENTRYLIST","features":[389]},{"name":"FLATMTSIDLIST","features":[389]},{"name":"FPropCompareProp","features":[308,389,359]},{"name":"FPropContainsProp","features":[308,389,359]},{"name":"FPropExists","features":[308,389]},{"name":"FlagList","features":[389]},{"name":"FreePadrlist","features":[308,389,359]},{"name":"FreeProws","features":[308,389,359]},{"name":"FtAddFt","features":[308,389]},{"name":"FtMulDw","features":[308,389]},{"name":"FtMulDwDw","features":[308,389]},{"name":"FtNegFt","features":[308,389]},{"name":"FtSubFt","features":[308,389]},{"name":"FtgRegisterIdleRoutine","features":[308,389]},{"name":"Gender","features":[389]},{"name":"HrAddColumns","features":[389]},{"name":"HrAddColumnsEx","features":[389]},{"name":"HrAllocAdviseSink","features":[308,389,359]},{"name":"HrDispatchNotifications","features":[389]},{"name":"HrGetOneProp","features":[308,389,359]},{"name":"HrIStorageFromStream","features":[389,432]},{"name":"HrQueryAllRows","features":[308,389,359]},{"name":"HrSetOneProp","features":[308,389,359]},{"name":"HrThisThreadAdviseSink","features":[389]},{"name":"IABContainer","features":[389]},{"name":"IAddrBook","features":[389]},{"name":"IAttach","features":[389]},{"name":"IDistList","features":[389]},{"name":"IMAPIAdviseSink","features":[389]},{"name":"IMAPIContainer","features":[389]},{"name":"IMAPIControl","features":[389]},{"name":"IMAPIFolder","features":[389]},{"name":"IMAPIProgress","features":[389]},{"name":"IMAPIProp","features":[389]},{"name":"IMAPIStatus","features":[389]},{"name":"IMAPITable","features":[389]},{"name":"IMAPI_E_BAD_MULTISESSION_PARAMETER","features":[389]},{"name":"IMAPI_E_BOOT_EMULATION_IMAGE_SIZE_MISMATCH","features":[389]},{"name":"IMAPI_E_BOOT_IMAGE_DATA","features":[389]},{"name":"IMAPI_E_BOOT_OBJECT_CONFLICT","features":[389]},{"name":"IMAPI_E_DATA_STREAM_CREATE_FAILURE","features":[389]},{"name":"IMAPI_E_DATA_STREAM_INCONSISTENCY","features":[389]},{"name":"IMAPI_E_DATA_STREAM_READ_FAILURE","features":[389]},{"name":"IMAPI_E_DATA_TOO_BIG","features":[389]},{"name":"IMAPI_E_DIRECTORY_READ_FAILURE","features":[389]},{"name":"IMAPI_E_DIR_NOT_EMPTY","features":[389]},{"name":"IMAPI_E_DIR_NOT_FOUND","features":[389]},{"name":"IMAPI_E_DISC_MISMATCH","features":[389]},{"name":"IMAPI_E_DUP_NAME","features":[389]},{"name":"IMAPI_E_EMPTY_DISC","features":[389]},{"name":"IMAPI_E_FILE_NOT_FOUND","features":[389]},{"name":"IMAPI_E_FILE_SYSTEM_CHANGE_NOT_ALLOWED","features":[389]},{"name":"IMAPI_E_FILE_SYSTEM_FEATURE_NOT_SUPPORTED","features":[389]},{"name":"IMAPI_E_FILE_SYSTEM_NOT_EMPTY","features":[389]},{"name":"IMAPI_E_FILE_SYSTEM_NOT_FOUND","features":[389]},{"name":"IMAPI_E_FILE_SYSTEM_READ_CONSISTENCY_ERROR","features":[389]},{"name":"IMAPI_E_FSI_INTERNAL_ERROR","features":[389]},{"name":"IMAPI_E_IMAGEMANAGER_IMAGE_NOT_ALIGNED","features":[389]},{"name":"IMAPI_E_IMAGEMANAGER_IMAGE_TOO_BIG","features":[389]},{"name":"IMAPI_E_IMAGEMANAGER_NO_IMAGE","features":[389]},{"name":"IMAPI_E_IMAGEMANAGER_NO_VALID_VD_FOUND","features":[389]},{"name":"IMAPI_E_IMAGE_SIZE_LIMIT","features":[389]},{"name":"IMAPI_E_IMAGE_TOO_BIG","features":[389]},{"name":"IMAPI_E_IMPORT_MEDIA_NOT_ALLOWED","features":[389]},{"name":"IMAPI_E_IMPORT_READ_FAILURE","features":[389]},{"name":"IMAPI_E_IMPORT_SEEK_FAILURE","features":[389]},{"name":"IMAPI_E_IMPORT_TYPE_COLLISION_DIRECTORY_EXISTS_AS_FILE","features":[389]},{"name":"IMAPI_E_IMPORT_TYPE_COLLISION_FILE_EXISTS_AS_DIRECTORY","features":[389]},{"name":"IMAPI_E_INCOMPATIBLE_MULTISESSION_TYPE","features":[389]},{"name":"IMAPI_E_INCOMPATIBLE_PREVIOUS_SESSION","features":[389]},{"name":"IMAPI_E_INVALID_DATE","features":[389]},{"name":"IMAPI_E_INVALID_PARAM","features":[389]},{"name":"IMAPI_E_INVALID_PATH","features":[389]},{"name":"IMAPI_E_INVALID_VOLUME_NAME","features":[389]},{"name":"IMAPI_E_INVALID_WORKING_DIRECTORY","features":[389]},{"name":"IMAPI_E_ISO9660_LEVELS","features":[389]},{"name":"IMAPI_E_ITEM_NOT_FOUND","features":[389]},{"name":"IMAPI_E_MULTISESSION_NOT_SET","features":[389]},{"name":"IMAPI_E_NOT_DIR","features":[389]},{"name":"IMAPI_E_NOT_FILE","features":[389]},{"name":"IMAPI_E_NOT_IN_FILE_SYSTEM","features":[389]},{"name":"IMAPI_E_NO_COMPATIBLE_MULTISESSION_TYPE","features":[389]},{"name":"IMAPI_E_NO_OUTPUT","features":[389]},{"name":"IMAPI_E_NO_SUPPORTED_FILE_SYSTEM","features":[389]},{"name":"IMAPI_E_NO_UNIQUE_NAME","features":[389]},{"name":"IMAPI_E_PROPERTY_NOT_ACCESSIBLE","features":[389]},{"name":"IMAPI_E_READONLY","features":[389]},{"name":"IMAPI_E_RESTRICTED_NAME_VIOLATION","features":[389]},{"name":"IMAPI_E_STASHFILE_MOVE","features":[389]},{"name":"IMAPI_E_STASHFILE_OPEN_FAILURE","features":[389]},{"name":"IMAPI_E_STASHFILE_READ_FAILURE","features":[389]},{"name":"IMAPI_E_STASHFILE_SEEK_FAILURE","features":[389]},{"name":"IMAPI_E_STASHFILE_WRITE_FAILURE","features":[389]},{"name":"IMAPI_E_TOO_MANY_DIRS","features":[389]},{"name":"IMAPI_E_UDF_NOT_WRITE_COMPATIBLE","features":[389]},{"name":"IMAPI_E_UDF_REVISION_CHANGE_NOT_ALLOWED","features":[389]},{"name":"IMAPI_E_WORKING_DIRECTORY_SPACE","features":[389]},{"name":"IMAPI_S_IMAGE_FEATURE_NOT_SUPPORTED","features":[389]},{"name":"IMailUser","features":[389]},{"name":"IMessage","features":[389]},{"name":"IMsgStore","features":[389]},{"name":"IProfSect","features":[389]},{"name":"IPropData","features":[389]},{"name":"IProviderAdmin","features":[389]},{"name":"ITableData","features":[389]},{"name":"IWABExtInit","features":[389]},{"name":"IWABObject","features":[389]},{"name":"LPALLOCATEBUFFER","features":[389]},{"name":"LPALLOCATEMORE","features":[389]},{"name":"LPCREATECONVERSATIONINDEX","features":[389]},{"name":"LPDISPATCHNOTIFICATIONS","features":[389]},{"name":"LPFNABSDI","features":[308,389]},{"name":"LPFNBUTTON","features":[389]},{"name":"LPFNDISMISS","features":[389]},{"name":"LPFREEBUFFER","features":[389]},{"name":"LPNOTIFCALLBACK","features":[308,389,359]},{"name":"LPOPENSTREAMONFILE","features":[389,359]},{"name":"LPWABACTIONITEM","features":[389]},{"name":"LPWABALLOCATEBUFFER","features":[389]},{"name":"LPWABALLOCATEMORE","features":[389]},{"name":"LPWABFREEBUFFER","features":[389]},{"name":"LPWABOPEN","features":[308,389]},{"name":"LPWABOPENEX","features":[308,389]},{"name":"LPropCompareProp","features":[308,389,359]},{"name":"LpValFindProp","features":[308,389,359]},{"name":"MAPIDeinitIdle","features":[389]},{"name":"MAPIERROR","features":[389]},{"name":"MAPIGetDefaultMalloc","features":[389,359]},{"name":"MAPIInitIdle","features":[389]},{"name":"MAPINAMEID","features":[389]},{"name":"MAPIUID","features":[389]},{"name":"MAPI_COMPOUND","features":[389]},{"name":"MAPI_DIM","features":[389]},{"name":"MAPI_ERROR_VERSION","features":[389]},{"name":"MAPI_E_CALL_FAILED","features":[389]},{"name":"MAPI_E_INTERFACE_NOT_SUPPORTED","features":[389]},{"name":"MAPI_E_INVALID_PARAMETER","features":[389]},{"name":"MAPI_E_NOT_ENOUGH_MEMORY","features":[389]},{"name":"MAPI_E_NO_ACCESS","features":[389]},{"name":"MAPI_NOTRECIP","features":[389]},{"name":"MAPI_NOTRESERVED","features":[389]},{"name":"MAPI_NOW","features":[389]},{"name":"MAPI_ONE_OFF_NO_RICH_INFO","features":[389]},{"name":"MAPI_P1","features":[389]},{"name":"MAPI_SHORTTERM","features":[389]},{"name":"MAPI_SUBMITTED","features":[389]},{"name":"MAPI_THISSESSION","features":[389]},{"name":"MAPI_USE_DEFAULT","features":[389]},{"name":"MNID_ID","features":[389]},{"name":"MNID_STRING","features":[389]},{"name":"MTSID","features":[389]},{"name":"MV_FLAG","features":[389]},{"name":"MV_INSTANCE","features":[389]},{"name":"NEWMAIL_NOTIFICATION","features":[389]},{"name":"NOTIFICATION","features":[308,389,359]},{"name":"NOTIFKEY","features":[389]},{"name":"OBJECT_NOTIFICATION","features":[389]},{"name":"OPENSTREAMONFILE","features":[389]},{"name":"OpenStreamOnFile","features":[389,359]},{"name":"PFNIDLE","features":[308,389]},{"name":"PRIHIGHEST","features":[389]},{"name":"PRILOWEST","features":[389]},{"name":"PRIUSER","features":[389]},{"name":"PROP_ID_INVALID","features":[389]},{"name":"PROP_ID_NULL","features":[389]},{"name":"PROP_ID_SECURE_MAX","features":[389]},{"name":"PROP_ID_SECURE_MIN","features":[389]},{"name":"PpropFindProp","features":[308,389,359]},{"name":"PropCopyMore","features":[308,389,359]},{"name":"RTFSync","features":[308,389]},{"name":"SAndRestriction","features":[308,389,359]},{"name":"SAppTimeArray","features":[389]},{"name":"SBinary","features":[389]},{"name":"SBinaryArray","features":[389]},{"name":"SBitMaskRestriction","features":[389]},{"name":"SCommentRestriction","features":[308,389,359]},{"name":"SComparePropsRestriction","features":[389]},{"name":"SContentRestriction","features":[308,389,359]},{"name":"SCurrencyArray","features":[389,359]},{"name":"SDateTimeArray","features":[308,389]},{"name":"SDoubleArray","features":[389]},{"name":"SERVICE_UI_ALLOWED","features":[389]},{"name":"SERVICE_UI_ALWAYS","features":[389]},{"name":"SExistRestriction","features":[389]},{"name":"SGuidArray","features":[389]},{"name":"SLPSTRArray","features":[389]},{"name":"SLargeIntegerArray","features":[389]},{"name":"SLongArray","features":[389]},{"name":"SNotRestriction","features":[308,389,359]},{"name":"SOrRestriction","features":[308,389,359]},{"name":"SPropProblem","features":[389]},{"name":"SPropProblemArray","features":[389]},{"name":"SPropTagArray","features":[389]},{"name":"SPropValue","features":[308,389,359]},{"name":"SPropertyRestriction","features":[308,389,359]},{"name":"SRealArray","features":[389]},{"name":"SRestriction","features":[308,389,359]},{"name":"SRow","features":[308,389,359]},{"name":"SRowSet","features":[308,389,359]},{"name":"SShortArray","features":[389]},{"name":"SSizeRestriction","features":[389]},{"name":"SSortOrder","features":[389]},{"name":"SSortOrderSet","features":[389]},{"name":"SSubRestriction","features":[308,389,359]},{"name":"STATUS_OBJECT_NOTIFICATION","features":[308,389,359]},{"name":"SWStringArray","features":[389]},{"name":"S_IMAPI_BOTHADJUSTED","features":[389]},{"name":"S_IMAPI_COMMAND_HAS_SENSE_DATA","features":[389]},{"name":"S_IMAPI_RAW_IMAGE_TRACK_INDEX_ALREADY_EXISTS","features":[389]},{"name":"S_IMAPI_ROTATIONADJUSTED","features":[389]},{"name":"S_IMAPI_SPEEDADJUSTED","features":[389]},{"name":"S_IMAPI_WRITE_NOT_IN_PROGRESS","features":[389]},{"name":"ScCopyNotifications","features":[308,389,359]},{"name":"ScCopyProps","features":[308,389,359]},{"name":"ScCountNotifications","features":[308,389,359]},{"name":"ScCountProps","features":[308,389,359]},{"name":"ScCreateConversationIndex","features":[389]},{"name":"ScDupPropset","features":[308,389,359]},{"name":"ScInitMapiUtil","features":[389]},{"name":"ScLocalPathFromUNC","features":[389]},{"name":"ScRelocNotifications","features":[308,389,359]},{"name":"ScRelocProps","features":[308,389,359]},{"name":"ScUNCFromLocalPath","features":[389]},{"name":"SzFindCh","features":[389]},{"name":"SzFindLastCh","features":[389]},{"name":"SzFindSz","features":[389]},{"name":"TABLE_CHANGED","features":[389]},{"name":"TABLE_ERROR","features":[389]},{"name":"TABLE_NOTIFICATION","features":[308,389,359]},{"name":"TABLE_RELOAD","features":[389]},{"name":"TABLE_RESTRICT_DONE","features":[389]},{"name":"TABLE_ROW_ADDED","features":[389]},{"name":"TABLE_ROW_DELETED","features":[389]},{"name":"TABLE_ROW_MODIFIED","features":[389]},{"name":"TABLE_SETCOL_DONE","features":[389]},{"name":"TABLE_SORT_DONE","features":[389]},{"name":"TAD_ALL_ROWS","features":[389]},{"name":"UFromSz","features":[389]},{"name":"UI_CURRENT_PROVIDER_FIRST","features":[389]},{"name":"UI_SERVICE","features":[389]},{"name":"UlAddRef","features":[389]},{"name":"UlPropSize","features":[308,389,359]},{"name":"UlRelease","features":[389]},{"name":"WABEXTDISPLAY","features":[308,389]},{"name":"WABIMPORTPARAM","features":[308,389]},{"name":"WABOBJECT_LDAPURL_RETURN_MAILUSER","features":[389]},{"name":"WABOBJECT_ME_NEW","features":[389]},{"name":"WABOBJECT_ME_NOCREATE","features":[389]},{"name":"WAB_CONTEXT_ADRLIST","features":[389]},{"name":"WAB_DISPLAY_ISNTDS","features":[389]},{"name":"WAB_DISPLAY_LDAPURL","features":[389]},{"name":"WAB_DLL_NAME","features":[389]},{"name":"WAB_DLL_PATH_KEY","features":[389]},{"name":"WAB_ENABLE_PROFILES","features":[389]},{"name":"WAB_IGNORE_PROFILES","features":[389]},{"name":"WAB_LOCAL_CONTAINERS","features":[389]},{"name":"WAB_PARAM","features":[308,389]},{"name":"WAB_PROFILE_CONTENTS","features":[389]},{"name":"WAB_USE_OE_SENDMAIL","features":[389]},{"name":"WAB_VCARD_FILE","features":[389]},{"name":"WAB_VCARD_STREAM","features":[389]},{"name":"WrapCompressedRTFStream","features":[389,359]},{"name":"WrapStoreEntryID","features":[389]},{"name":"__UPV","features":[308,389,359]},{"name":"cchProfileNameMax","features":[389]},{"name":"cchProfilePassMax","features":[389]},{"name":"fMapiUnicode","features":[389]},{"name":"genderFemale","features":[389]},{"name":"genderMale","features":[389]},{"name":"genderUnspecified","features":[389]},{"name":"hrSuccess","features":[389]},{"name":"szHrDispatchNotifications","features":[389]},{"name":"szMAPINotificationMsg","features":[389]},{"name":"szScCreateConversationIndex","features":[389]}],"529":[{"name":"AMSI_ATTRIBUTE","features":[524]},{"name":"AMSI_ATTRIBUTE_ALL_ADDRESS","features":[524]},{"name":"AMSI_ATTRIBUTE_ALL_SIZE","features":[524]},{"name":"AMSI_ATTRIBUTE_APP_NAME","features":[524]},{"name":"AMSI_ATTRIBUTE_CONTENT_ADDRESS","features":[524]},{"name":"AMSI_ATTRIBUTE_CONTENT_NAME","features":[524]},{"name":"AMSI_ATTRIBUTE_CONTENT_SIZE","features":[524]},{"name":"AMSI_ATTRIBUTE_QUIET","features":[524]},{"name":"AMSI_ATTRIBUTE_REDIRECT_CHAIN_ADDRESS","features":[524]},{"name":"AMSI_ATTRIBUTE_REDIRECT_CHAIN_SIZE","features":[524]},{"name":"AMSI_ATTRIBUTE_SESSION","features":[524]},{"name":"AMSI_RESULT","features":[524]},{"name":"AMSI_RESULT_BLOCKED_BY_ADMIN_END","features":[524]},{"name":"AMSI_RESULT_BLOCKED_BY_ADMIN_START","features":[524]},{"name":"AMSI_RESULT_CLEAN","features":[524]},{"name":"AMSI_RESULT_DETECTED","features":[524]},{"name":"AMSI_RESULT_NOT_DETECTED","features":[524]},{"name":"AMSI_UAC_MSI_ACTION","features":[524]},{"name":"AMSI_UAC_MSI_ACTION_INSTALL","features":[524]},{"name":"AMSI_UAC_MSI_ACTION_MAINTENANCE","features":[524]},{"name":"AMSI_UAC_MSI_ACTION_MAX","features":[524]},{"name":"AMSI_UAC_MSI_ACTION_UNINSTALL","features":[524]},{"name":"AMSI_UAC_MSI_ACTION_UPDATE","features":[524]},{"name":"AMSI_UAC_REQUEST_AX_INFO","features":[524]},{"name":"AMSI_UAC_REQUEST_COM_INFO","features":[524]},{"name":"AMSI_UAC_REQUEST_CONTEXT","features":[308,524]},{"name":"AMSI_UAC_REQUEST_EXE_INFO","features":[524]},{"name":"AMSI_UAC_REQUEST_MSI_INFO","features":[524]},{"name":"AMSI_UAC_REQUEST_PACKAGED_APP_INFO","features":[524]},{"name":"AMSI_UAC_REQUEST_TYPE","features":[524]},{"name":"AMSI_UAC_REQUEST_TYPE_AX","features":[524]},{"name":"AMSI_UAC_REQUEST_TYPE_COM","features":[524]},{"name":"AMSI_UAC_REQUEST_TYPE_EXE","features":[524]},{"name":"AMSI_UAC_REQUEST_TYPE_MAX","features":[524]},{"name":"AMSI_UAC_REQUEST_TYPE_MSI","features":[524]},{"name":"AMSI_UAC_REQUEST_TYPE_PACKAGED_APP","features":[524]},{"name":"AMSI_UAC_TRUST_STATE","features":[524]},{"name":"AMSI_UAC_TRUST_STATE_BLOCKED","features":[524]},{"name":"AMSI_UAC_TRUST_STATE_MAX","features":[524]},{"name":"AMSI_UAC_TRUST_STATE_TRUSTED","features":[524]},{"name":"AMSI_UAC_TRUST_STATE_UNTRUSTED","features":[524]},{"name":"AmsiCloseSession","features":[524]},{"name":"AmsiInitialize","features":[524]},{"name":"AmsiNotifyOperation","features":[524]},{"name":"AmsiOpenSession","features":[524]},{"name":"AmsiScanBuffer","features":[524]},{"name":"AmsiScanString","features":[524]},{"name":"AmsiUninitialize","features":[524]},{"name":"CAntimalware","features":[524]},{"name":"HAMSICONTEXT","features":[524]},{"name":"HAMSISESSION","features":[524]},{"name":"IAmsiStream","features":[524]},{"name":"IAntimalware","features":[524]},{"name":"IAntimalware2","features":[524]},{"name":"IAntimalwareProvider","features":[524]},{"name":"IAntimalwareProvider2","features":[524]},{"name":"IAntimalwareUacProvider","features":[524]},{"name":"InstallELAMCertificateInfo","features":[308,524]}],"530":[{"name":"ACTCTXA","features":[308,525]},{"name":"ACTCTXW","features":[308,525]},{"name":"ACTCTX_COMPATIBILITY_ELEMENT_TYPE","features":[525]},{"name":"ACTCTX_COMPATIBILITY_ELEMENT_TYPE_MAXVERSIONTESTED","features":[525]},{"name":"ACTCTX_COMPATIBILITY_ELEMENT_TYPE_MITIGATION","features":[525]},{"name":"ACTCTX_COMPATIBILITY_ELEMENT_TYPE_OS","features":[525]},{"name":"ACTCTX_COMPATIBILITY_ELEMENT_TYPE_UNKNOWN","features":[525]},{"name":"ACTCTX_REQUESTED_RUN_LEVEL","features":[525]},{"name":"ACTCTX_RUN_LEVEL_AS_INVOKER","features":[525]},{"name":"ACTCTX_RUN_LEVEL_HIGHEST_AVAILABLE","features":[525]},{"name":"ACTCTX_RUN_LEVEL_NUMBERS","features":[525]},{"name":"ACTCTX_RUN_LEVEL_REQUIRE_ADMIN","features":[525]},{"name":"ACTCTX_RUN_LEVEL_UNSPECIFIED","features":[525]},{"name":"ACTCTX_SECTION_KEYED_DATA","features":[308,525,340]},{"name":"ACTIVATION_CONTEXT_ASSEMBLY_DETAILED_INFORMATION","features":[525]},{"name":"ACTIVATION_CONTEXT_COMPATIBILITY_INFORMATION","features":[525]},{"name":"ACTIVATION_CONTEXT_DETAILED_INFORMATION","features":[525]},{"name":"ACTIVATION_CONTEXT_QUERY_INDEX","features":[525]},{"name":"ACTIVATION_CONTEXT_RUN_LEVEL_INFORMATION","features":[525]},{"name":"ADVERTISEFLAGS","features":[525]},{"name":"ADVERTISEFLAGS_MACHINEASSIGN","features":[525]},{"name":"ADVERTISEFLAGS_USERASSIGN","features":[525]},{"name":"APPLY_OPTION_FAIL_IF_CLOSE","features":[525]},{"name":"APPLY_OPTION_FAIL_IF_EXACT","features":[525]},{"name":"APPLY_OPTION_TEST_ONLY","features":[525]},{"name":"APPLY_OPTION_VALID_FLAGS","features":[525]},{"name":"ASM_BINDF_BINPATH_PROBE_ONLY","features":[525]},{"name":"ASM_BINDF_FORCE_CACHE_INSTALL","features":[525]},{"name":"ASM_BINDF_PARENT_ASM_HINT","features":[525]},{"name":"ASM_BINDF_RFS_INTEGRITY_CHECK","features":[525]},{"name":"ASM_BINDF_RFS_MODULE_CHECK","features":[525]},{"name":"ASM_BINDF_SHARED_BINPATH_HINT","features":[525]},{"name":"ASM_BIND_FLAGS","features":[525]},{"name":"ASM_CMPF_ALL","features":[525]},{"name":"ASM_CMPF_BUILD_NUMBER","features":[525]},{"name":"ASM_CMPF_CULTURE","features":[525]},{"name":"ASM_CMPF_CUSTOM","features":[525]},{"name":"ASM_CMPF_DEFAULT","features":[525]},{"name":"ASM_CMPF_MAJOR_VERSION","features":[525]},{"name":"ASM_CMPF_MINOR_VERSION","features":[525]},{"name":"ASM_CMPF_NAME","features":[525]},{"name":"ASM_CMPF_PUBLIC_KEY_TOKEN","features":[525]},{"name":"ASM_CMPF_REVISION_NUMBER","features":[525]},{"name":"ASM_CMP_FLAGS","features":[525]},{"name":"ASM_DISPLAYF_CULTURE","features":[525]},{"name":"ASM_DISPLAYF_CUSTOM","features":[525]},{"name":"ASM_DISPLAYF_LANGUAGEID","features":[525]},{"name":"ASM_DISPLAYF_PROCESSORARCHITECTURE","features":[525]},{"name":"ASM_DISPLAYF_PUBLIC_KEY","features":[525]},{"name":"ASM_DISPLAYF_PUBLIC_KEY_TOKEN","features":[525]},{"name":"ASM_DISPLAYF_VERSION","features":[525]},{"name":"ASM_DISPLAY_FLAGS","features":[525]},{"name":"ASM_NAME","features":[525]},{"name":"ASM_NAME_ALIAS","features":[525]},{"name":"ASM_NAME_BUILD_NUMBER","features":[525]},{"name":"ASM_NAME_CODEBASE_LASTMOD","features":[525]},{"name":"ASM_NAME_CODEBASE_URL","features":[525]},{"name":"ASM_NAME_CULTURE","features":[525]},{"name":"ASM_NAME_CUSTOM","features":[525]},{"name":"ASM_NAME_HASH_ALGID","features":[525]},{"name":"ASM_NAME_HASH_VALUE","features":[525]},{"name":"ASM_NAME_MAJOR_VERSION","features":[525]},{"name":"ASM_NAME_MAX_PARAMS","features":[525]},{"name":"ASM_NAME_MINOR_VERSION","features":[525]},{"name":"ASM_NAME_MVID","features":[525]},{"name":"ASM_NAME_NAME","features":[525]},{"name":"ASM_NAME_NULL_CUSTOM","features":[525]},{"name":"ASM_NAME_NULL_PUBLIC_KEY","features":[525]},{"name":"ASM_NAME_NULL_PUBLIC_KEY_TOKEN","features":[525]},{"name":"ASM_NAME_OSINFO_ARRAY","features":[525]},{"name":"ASM_NAME_PROCESSOR_ID_ARRAY","features":[525]},{"name":"ASM_NAME_PUBLIC_KEY","features":[525]},{"name":"ASM_NAME_PUBLIC_KEY_TOKEN","features":[525]},{"name":"ASM_NAME_REVISION_NUMBER","features":[525]},{"name":"ASSEMBLYINFO_FLAG_INSTALLED","features":[525]},{"name":"ASSEMBLYINFO_FLAG_PAYLOADRESIDENT","features":[525]},{"name":"ASSEMBLY_FILE_DETAILED_INFORMATION","features":[525]},{"name":"ASSEMBLY_INFO","features":[525]},{"name":"ActivateActCtx","features":[308,525]},{"name":"AddRefActCtx","features":[308,525]},{"name":"ApplyDeltaA","features":[308,525]},{"name":"ApplyDeltaB","features":[308,525]},{"name":"ApplyDeltaGetReverseB","features":[308,525]},{"name":"ApplyDeltaProvidedB","features":[308,525]},{"name":"ApplyDeltaW","features":[308,525]},{"name":"ApplyPatchToFileA","features":[308,525]},{"name":"ApplyPatchToFileByBuffers","features":[308,525]},{"name":"ApplyPatchToFileByHandles","features":[308,525]},{"name":"ApplyPatchToFileByHandlesEx","features":[308,525]},{"name":"ApplyPatchToFileExA","features":[308,525]},{"name":"ApplyPatchToFileExW","features":[308,525]},{"name":"ApplyPatchToFileW","features":[308,525]},{"name":"CANOF_PARSE_DISPLAY_NAME","features":[525]},{"name":"CANOF_SET_DEFAULT_VALUES","features":[525]},{"name":"CLSID_EvalCom2","features":[525]},{"name":"CLSID_MsmMerge2","features":[525]},{"name":"COMPATIBILITY_CONTEXT_ELEMENT","features":[525]},{"name":"CREATE_ASM_NAME_OBJ_FLAGS","features":[525]},{"name":"CreateActCtxA","features":[308,525]},{"name":"CreateActCtxW","features":[308,525]},{"name":"CreateDeltaA","features":[308,392,525]},{"name":"CreateDeltaB","features":[308,392,525]},{"name":"CreateDeltaW","features":[308,392,525]},{"name":"CreatePatchFileA","features":[308,525]},{"name":"CreatePatchFileByHandles","features":[308,525]},{"name":"CreatePatchFileByHandlesEx","features":[308,525]},{"name":"CreatePatchFileExA","features":[308,525]},{"name":"CreatePatchFileExW","features":[308,525]},{"name":"CreatePatchFileW","features":[308,525]},{"name":"DEFAULT_DISK_ID","features":[525]},{"name":"DEFAULT_FILE_SEQUENCE_START","features":[525]},{"name":"DEFAULT_MINIMUM_REQUIRED_MSI_VERSION","features":[525]},{"name":"DELTA_HASH","features":[525]},{"name":"DELTA_HEADER_INFO","features":[308,392,525]},{"name":"DELTA_INPUT","features":[308,525]},{"name":"DELTA_MAX_HASH_SIZE","features":[525]},{"name":"DELTA_OUTPUT","features":[525]},{"name":"DeactivateActCtx","features":[308,525]},{"name":"DeltaFree","features":[308,525]},{"name":"DeltaNormalizeProvidedB","features":[308,525]},{"name":"ERROR_PATCH_BIGGER_THAN_COMPRESSED","features":[525]},{"name":"ERROR_PATCH_CORRUPT","features":[525]},{"name":"ERROR_PATCH_DECODE_FAILURE","features":[525]},{"name":"ERROR_PATCH_ENCODE_FAILURE","features":[525]},{"name":"ERROR_PATCH_IMAGEHLP_FAILURE","features":[525]},{"name":"ERROR_PATCH_INVALID_OPTIONS","features":[525]},{"name":"ERROR_PATCH_NEWER_FORMAT","features":[525]},{"name":"ERROR_PATCH_NOT_AVAILABLE","features":[525]},{"name":"ERROR_PATCH_NOT_NECESSARY","features":[525]},{"name":"ERROR_PATCH_RETAIN_RANGES_DIFFER","features":[525]},{"name":"ERROR_PATCH_SAME_FILE","features":[525]},{"name":"ERROR_PATCH_WRONG_FILE","features":[525]},{"name":"ERROR_PCW_BAD_API_PATCHING_SYMBOL_FLAGS","features":[525]},{"name":"ERROR_PCW_BAD_FAMILY_RANGE_NAME","features":[525]},{"name":"ERROR_PCW_BAD_FILE_SEQUENCE_START","features":[525]},{"name":"ERROR_PCW_BAD_GUIDS_TO_REPLACE","features":[525]},{"name":"ERROR_PCW_BAD_IMAGE_FAMILY_DISKID","features":[525]},{"name":"ERROR_PCW_BAD_IMAGE_FAMILY_FILESEQSTART","features":[525]},{"name":"ERROR_PCW_BAD_IMAGE_FAMILY_NAME","features":[525]},{"name":"ERROR_PCW_BAD_IMAGE_FAMILY_SRC_PROP","features":[525]},{"name":"ERROR_PCW_BAD_MAJOR_VERSION","features":[525]},{"name":"ERROR_PCW_BAD_PATCH_GUID","features":[525]},{"name":"ERROR_PCW_BAD_PRODUCTVERSION_VALIDATION","features":[525]},{"name":"ERROR_PCW_BAD_SEQUENCE","features":[525]},{"name":"ERROR_PCW_BAD_SUPERCEDENCE","features":[525]},{"name":"ERROR_PCW_BAD_TARGET","features":[525]},{"name":"ERROR_PCW_BAD_TARGET_IMAGE_NAME","features":[525]},{"name":"ERROR_PCW_BAD_TARGET_IMAGE_PRODUCT_CODE","features":[525]},{"name":"ERROR_PCW_BAD_TARGET_IMAGE_PRODUCT_VERSION","features":[525]},{"name":"ERROR_PCW_BAD_TARGET_IMAGE_UPGRADED","features":[525]},{"name":"ERROR_PCW_BAD_TARGET_IMAGE_UPGRADE_CODE","features":[525]},{"name":"ERROR_PCW_BAD_TARGET_PRODUCT_CODE_LIST","features":[525]},{"name":"ERROR_PCW_BAD_TGT_UPD_IMAGES","features":[525]},{"name":"ERROR_PCW_BAD_TRANSFORMSET","features":[525]},{"name":"ERROR_PCW_BAD_UPGRADED_IMAGE_FAMILY","features":[525]},{"name":"ERROR_PCW_BAD_UPGRADED_IMAGE_NAME","features":[525]},{"name":"ERROR_PCW_BAD_UPGRADED_IMAGE_PRODUCT_CODE","features":[525]},{"name":"ERROR_PCW_BAD_UPGRADED_IMAGE_PRODUCT_VERSION","features":[525]},{"name":"ERROR_PCW_BAD_UPGRADED_IMAGE_UPGRADE_CODE","features":[525]},{"name":"ERROR_PCW_BAD_VERSION_STRING","features":[525]},{"name":"ERROR_PCW_BASE","features":[525]},{"name":"ERROR_PCW_CANNOT_CREATE_TABLE","features":[525]},{"name":"ERROR_PCW_CANNOT_RUN_MAKECAB","features":[525]},{"name":"ERROR_PCW_CANNOT_WRITE_DDF","features":[525]},{"name":"ERROR_PCW_CANT_COPY_FILE_TO_TEMP_FOLDER","features":[525]},{"name":"ERROR_PCW_CANT_CREATE_ONE_PATCH_FILE","features":[525]},{"name":"ERROR_PCW_CANT_CREATE_PATCH_FILE","features":[525]},{"name":"ERROR_PCW_CANT_CREATE_SUMMARY_INFO","features":[525]},{"name":"ERROR_PCW_CANT_CREATE_SUMMARY_INFO_POUND","features":[525]},{"name":"ERROR_PCW_CANT_CREATE_TEMP_FOLDER","features":[525]},{"name":"ERROR_PCW_CANT_DELETE_TEMP_FOLDER","features":[525]},{"name":"ERROR_PCW_CANT_GENERATE_SEQUENCEINFO_MAJORUPGD","features":[525]},{"name":"ERROR_PCW_CANT_GENERATE_TRANSFORM","features":[525]},{"name":"ERROR_PCW_CANT_GENERATE_TRANSFORM_POUND","features":[525]},{"name":"ERROR_PCW_CANT_OVERWRITE_PATCH","features":[525]},{"name":"ERROR_PCW_CANT_READ_FILE","features":[525]},{"name":"ERROR_PCW_CREATEFILE_LOG_FAILED","features":[525]},{"name":"ERROR_PCW_DUPLICATE_SEQUENCE_RECORD","features":[525]},{"name":"ERROR_PCW_DUP_IMAGE_FAMILY_NAME","features":[525]},{"name":"ERROR_PCW_DUP_TARGET_IMAGE_NAME","features":[525]},{"name":"ERROR_PCW_DUP_TARGET_IMAGE_PACKCODE","features":[525]},{"name":"ERROR_PCW_DUP_UPGRADED_IMAGE_NAME","features":[525]},{"name":"ERROR_PCW_DUP_UPGRADED_IMAGE_PACKCODE","features":[525]},{"name":"ERROR_PCW_ERROR_WRITING_TO_LOG","features":[525]},{"name":"ERROR_PCW_EXECUTE_VIEW","features":[525]},{"name":"ERROR_PCW_EXTFILE_BAD_FAMILY_FIELD","features":[525]},{"name":"ERROR_PCW_EXTFILE_BAD_IGNORE_LENGTHS","features":[525]},{"name":"ERROR_PCW_EXTFILE_BAD_IGNORE_OFFSETS","features":[525]},{"name":"ERROR_PCW_EXTFILE_BAD_RETAIN_OFFSETS","features":[525]},{"name":"ERROR_PCW_EXTFILE_BLANK_FILE_TABLE_KEY","features":[525]},{"name":"ERROR_PCW_EXTFILE_BLANK_PATH_TO_FILE","features":[525]},{"name":"ERROR_PCW_EXTFILE_IGNORE_COUNT_MISMATCH","features":[525]},{"name":"ERROR_PCW_EXTFILE_LONG_FILE_TABLE_KEY","features":[525]},{"name":"ERROR_PCW_EXTFILE_LONG_IGNORE_LENGTHS","features":[525]},{"name":"ERROR_PCW_EXTFILE_LONG_IGNORE_OFFSETS","features":[525]},{"name":"ERROR_PCW_EXTFILE_LONG_PATH_TO_FILE","features":[525]},{"name":"ERROR_PCW_EXTFILE_LONG_RETAIN_OFFSETS","features":[525]},{"name":"ERROR_PCW_EXTFILE_MISSING_FILE","features":[525]},{"name":"ERROR_PCW_FAILED_CREATE_TRANSFORM","features":[525]},{"name":"ERROR_PCW_FAILED_EXPAND_PATH","features":[525]},{"name":"ERROR_PCW_FAMILY_RANGE_BAD_RETAIN_LENGTHS","features":[525]},{"name":"ERROR_PCW_FAMILY_RANGE_BAD_RETAIN_OFFSETS","features":[525]},{"name":"ERROR_PCW_FAMILY_RANGE_BLANK_FILE_TABLE_KEY","features":[525]},{"name":"ERROR_PCW_FAMILY_RANGE_BLANK_RETAIN_LENGTHS","features":[525]},{"name":"ERROR_PCW_FAMILY_RANGE_BLANK_RETAIN_OFFSETS","features":[525]},{"name":"ERROR_PCW_FAMILY_RANGE_COUNT_MISMATCH","features":[525]},{"name":"ERROR_PCW_FAMILY_RANGE_LONG_FILE_TABLE_KEY","features":[525]},{"name":"ERROR_PCW_FAMILY_RANGE_LONG_RETAIN_LENGTHS","features":[525]},{"name":"ERROR_PCW_FAMILY_RANGE_LONG_RETAIN_OFFSETS","features":[525]},{"name":"ERROR_PCW_FAMILY_RANGE_NAME_TOO_LONG","features":[525]},{"name":"ERROR_PCW_IMAGE_FAMILY_NAME_TOO_LONG","features":[525]},{"name":"ERROR_PCW_IMAGE_PATH_NOT_EXIST","features":[525]},{"name":"ERROR_PCW_INTERNAL_ERROR","features":[525]},{"name":"ERROR_PCW_INVALID_LOG_LEVEL","features":[525]},{"name":"ERROR_PCW_INVALID_MAJOR_VERSION","features":[525]},{"name":"ERROR_PCW_INVALID_PARAMETER","features":[525]},{"name":"ERROR_PCW_INVALID_PATCHMETADATA_PROP","features":[525]},{"name":"ERROR_PCW_INVALID_PATCH_TYPE_SEQUENCING","features":[525]},{"name":"ERROR_PCW_INVALID_PCP_EXTERNALFILES","features":[525]},{"name":"ERROR_PCW_INVALID_PCP_FAMILYFILERANGES","features":[525]},{"name":"ERROR_PCW_INVALID_PCP_IMAGEFAMILIES","features":[525]},{"name":"ERROR_PCW_INVALID_PCP_PATCHSEQUENCE","features":[525]},{"name":"ERROR_PCW_INVALID_PCP_PROPERTIES","features":[525]},{"name":"ERROR_PCW_INVALID_PCP_PROPERTY","features":[525]},{"name":"ERROR_PCW_INVALID_PCP_TARGETFILES_OPTIONALDATA","features":[525]},{"name":"ERROR_PCW_INVALID_PCP_TARGETIMAGES","features":[525]},{"name":"ERROR_PCW_INVALID_PCP_UPGRADEDFILESTOIGNORE","features":[525]},{"name":"ERROR_PCW_INVALID_PCP_UPGRADEDFILES_OPTIONALDATA","features":[525]},{"name":"ERROR_PCW_INVALID_PCP_UPGRADEDIMAGES","features":[525]},{"name":"ERROR_PCW_INVALID_RANGE_ELEMENT","features":[525]},{"name":"ERROR_PCW_INVALID_SUPERCEDENCE","features":[525]},{"name":"ERROR_PCW_INVALID_SUPERSEDENCE_VALUE","features":[525]},{"name":"ERROR_PCW_INVALID_UI_LEVEL","features":[525]},{"name":"ERROR_PCW_LAX_VALIDATION_FLAGS","features":[525]},{"name":"ERROR_PCW_MAJOR_UPGD_WITHOUT_SEQUENCING","features":[525]},{"name":"ERROR_PCW_MATCHED_PRODUCT_VERSIONS","features":[525]},{"name":"ERROR_PCW_MISMATCHED_PRODUCT_CODES","features":[525]},{"name":"ERROR_PCW_MISMATCHED_PRODUCT_VERSIONS","features":[525]},{"name":"ERROR_PCW_MISSING_DIRECTORY_TABLE","features":[525]},{"name":"ERROR_PCW_MISSING_PATCHMETADATA","features":[525]},{"name":"ERROR_PCW_MISSING_PATCH_GUID","features":[525]},{"name":"ERROR_PCW_MISSING_PATCH_PATH","features":[525]},{"name":"ERROR_PCW_NO_UPGRADED_IMAGES_TO_PATCH","features":[525]},{"name":"ERROR_PCW_NULL_PATCHFAMILY","features":[525]},{"name":"ERROR_PCW_NULL_SEQUENCE_NUMBER","features":[525]},{"name":"ERROR_PCW_OBSOLETION_WITH_MSI30","features":[525]},{"name":"ERROR_PCW_OBSOLETION_WITH_PATCHSEQUENCE","features":[525]},{"name":"ERROR_PCW_OBSOLETION_WITH_SEQUENCE_DATA","features":[525]},{"name":"ERROR_PCW_OODS_COPYING_MSI","features":[525]},{"name":"ERROR_PCW_OPEN_VIEW","features":[525]},{"name":"ERROR_PCW_OUT_OF_MEMORY","features":[525]},{"name":"ERROR_PCW_PATCHMETADATA_PROP_NOT_SET","features":[525]},{"name":"ERROR_PCW_PCP_BAD_FORMAT","features":[525]},{"name":"ERROR_PCW_PCP_DOESNT_EXIST","features":[525]},{"name":"ERROR_PCW_SEQUENCING_BAD_TARGET","features":[525]},{"name":"ERROR_PCW_TARGET_BAD_PROD_CODE_VAL","features":[525]},{"name":"ERROR_PCW_TARGET_BAD_PROD_VALIDATE","features":[525]},{"name":"ERROR_PCW_TARGET_IMAGE_COMPRESSED","features":[525]},{"name":"ERROR_PCW_TARGET_IMAGE_NAME_TOO_LONG","features":[525]},{"name":"ERROR_PCW_TARGET_IMAGE_PATH_EMPTY","features":[525]},{"name":"ERROR_PCW_TARGET_IMAGE_PATH_NOT_EXIST","features":[525]},{"name":"ERROR_PCW_TARGET_IMAGE_PATH_NOT_MSI","features":[525]},{"name":"ERROR_PCW_TARGET_IMAGE_PATH_TOO_LONG","features":[525]},{"name":"ERROR_PCW_TARGET_MISSING_SRC_FILES","features":[525]},{"name":"ERROR_PCW_TARGET_WRONG_PRODUCT_VERSION_COMP","features":[525]},{"name":"ERROR_PCW_TFILEDATA_BAD_IGNORE_LENGTHS","features":[525]},{"name":"ERROR_PCW_TFILEDATA_BAD_IGNORE_OFFSETS","features":[525]},{"name":"ERROR_PCW_TFILEDATA_BAD_RETAIN_OFFSETS","features":[525]},{"name":"ERROR_PCW_TFILEDATA_BAD_TARGET_FIELD","features":[525]},{"name":"ERROR_PCW_TFILEDATA_BLANK_FILE_TABLE_KEY","features":[525]},{"name":"ERROR_PCW_TFILEDATA_IGNORE_COUNT_MISMATCH","features":[525]},{"name":"ERROR_PCW_TFILEDATA_LONG_FILE_TABLE_KEY","features":[525]},{"name":"ERROR_PCW_TFILEDATA_LONG_IGNORE_LENGTHS","features":[525]},{"name":"ERROR_PCW_TFILEDATA_LONG_IGNORE_OFFSETS","features":[525]},{"name":"ERROR_PCW_TFILEDATA_LONG_RETAIN_OFFSETS","features":[525]},{"name":"ERROR_PCW_TFILEDATA_MISSING_FILE_TABLE_KEY","features":[525]},{"name":"ERROR_PCW_UFILEDATA_BAD_UPGRADED_FIELD","features":[525]},{"name":"ERROR_PCW_UFILEDATA_BLANK_FILE_TABLE_KEY","features":[525]},{"name":"ERROR_PCW_UFILEDATA_LONG_FILE_TABLE_KEY","features":[525]},{"name":"ERROR_PCW_UFILEDATA_MISSING_FILE_TABLE_KEY","features":[525]},{"name":"ERROR_PCW_UFILEIGNORE_BAD_FILE_TABLE_KEY","features":[525]},{"name":"ERROR_PCW_UFILEIGNORE_BAD_UPGRADED_FIELD","features":[525]},{"name":"ERROR_PCW_UFILEIGNORE_BLANK_FILE_TABLE_KEY","features":[525]},{"name":"ERROR_PCW_UFILEIGNORE_LONG_FILE_TABLE_KEY","features":[525]},{"name":"ERROR_PCW_UNKNOWN_ERROR","features":[525]},{"name":"ERROR_PCW_UNKNOWN_INFO","features":[525]},{"name":"ERROR_PCW_UNKNOWN_WARN","features":[525]},{"name":"ERROR_PCW_UPGRADED_IMAGE_COMPRESSED","features":[525]},{"name":"ERROR_PCW_UPGRADED_IMAGE_NAME_TOO_LONG","features":[525]},{"name":"ERROR_PCW_UPGRADED_IMAGE_PATCH_PATH_NOT_EXIST","features":[525]},{"name":"ERROR_PCW_UPGRADED_IMAGE_PATCH_PATH_NOT_MSI","features":[525]},{"name":"ERROR_PCW_UPGRADED_IMAGE_PATCH_PATH_TOO_LONG","features":[525]},{"name":"ERROR_PCW_UPGRADED_IMAGE_PATH_EMPTY","features":[525]},{"name":"ERROR_PCW_UPGRADED_IMAGE_PATH_NOT_EXIST","features":[525]},{"name":"ERROR_PCW_UPGRADED_IMAGE_PATH_NOT_MSI","features":[525]},{"name":"ERROR_PCW_UPGRADED_IMAGE_PATH_TOO_LONG","features":[525]},{"name":"ERROR_PCW_UPGRADED_MISSING_SRC_FILES","features":[525]},{"name":"ERROR_PCW_VIEW_FETCH","features":[525]},{"name":"ERROR_PCW_WRITE_SUMMARY_PROPERTIES","features":[525]},{"name":"ERROR_PCW_WRONG_PATCHMETADATA_STRD_PROP","features":[525]},{"name":"ERROR_ROLLBACK_DISABLED","features":[525]},{"name":"ExtractPatchHeaderToFileA","features":[308,525]},{"name":"ExtractPatchHeaderToFileByHandles","features":[308,525]},{"name":"ExtractPatchHeaderToFileW","features":[308,525]},{"name":"FUSION_INSTALL_REFERENCE","features":[525]},{"name":"FUSION_REFCOUNT_FILEPATH_GUID","features":[525]},{"name":"FUSION_REFCOUNT_OPAQUE_STRING_GUID","features":[525]},{"name":"FUSION_REFCOUNT_UNINSTALL_SUBKEY_GUID","features":[525]},{"name":"FindActCtxSectionGuid","features":[308,525,340]},{"name":"FindActCtxSectionStringA","features":[308,525,340]},{"name":"FindActCtxSectionStringW","features":[308,525,340]},{"name":"GetCurrentActCtx","features":[308,525]},{"name":"GetDeltaInfoA","features":[308,392,525]},{"name":"GetDeltaInfoB","features":[308,392,525]},{"name":"GetDeltaInfoW","features":[308,392,525]},{"name":"GetDeltaSignatureA","features":[308,392,525]},{"name":"GetDeltaSignatureB","features":[308,392,525]},{"name":"GetDeltaSignatureW","features":[308,392,525]},{"name":"GetFilePatchSignatureA","features":[308,525]},{"name":"GetFilePatchSignatureByBuffer","features":[308,525]},{"name":"GetFilePatchSignatureByHandle","features":[308,525]},{"name":"GetFilePatchSignatureW","features":[308,525]},{"name":"IACTIONNAME_ADMIN","features":[525]},{"name":"IACTIONNAME_ADVERTISE","features":[525]},{"name":"IACTIONNAME_COLLECTUSERINFO","features":[525]},{"name":"IACTIONNAME_FIRSTRUN","features":[525]},{"name":"IACTIONNAME_INSTALL","features":[525]},{"name":"IACTIONNAME_SEQUENCE","features":[525]},{"name":"IASSEMBLYCACHEITEM_COMMIT_DISPOSITION_ALREADY_INSTALLED","features":[525]},{"name":"IASSEMBLYCACHEITEM_COMMIT_DISPOSITION_INSTALLED","features":[525]},{"name":"IASSEMBLYCACHEITEM_COMMIT_DISPOSITION_REFRESHED","features":[525]},{"name":"IASSEMBLYCACHEITEM_COMMIT_FLAG_REFRESH","features":[525]},{"name":"IASSEMBLYCACHE_UNINSTALL_DISPOSITION","features":[525]},{"name":"IASSEMBLYCACHE_UNINSTALL_DISPOSITION_ALREADY_UNINSTALLED","features":[525]},{"name":"IASSEMBLYCACHE_UNINSTALL_DISPOSITION_DELETE_PENDING","features":[525]},{"name":"IASSEMBLYCACHE_UNINSTALL_DISPOSITION_STILL_IN_USE","features":[525]},{"name":"IASSEMBLYCACHE_UNINSTALL_DISPOSITION_UNINSTALLED","features":[525]},{"name":"IAssemblyCache","features":[525]},{"name":"IAssemblyCacheItem","features":[525]},{"name":"IAssemblyName","features":[525]},{"name":"IEnumMsmDependency","features":[525]},{"name":"IEnumMsmError","features":[525]},{"name":"IEnumMsmString","features":[525]},{"name":"IMsmDependencies","features":[525,359]},{"name":"IMsmDependency","features":[525,359]},{"name":"IMsmError","features":[525,359]},{"name":"IMsmErrors","features":[525,359]},{"name":"IMsmGetFiles","features":[525,359]},{"name":"IMsmMerge","features":[525,359]},{"name":"IMsmStrings","features":[525,359]},{"name":"INFO_BASE","features":[525]},{"name":"INFO_ENTERING_PHASE_I","features":[525]},{"name":"INFO_ENTERING_PHASE_II","features":[525]},{"name":"INFO_ENTERING_PHASE_III","features":[525]},{"name":"INFO_ENTERING_PHASE_IV","features":[525]},{"name":"INFO_ENTERING_PHASE_I_VALIDATION","features":[525]},{"name":"INFO_ENTERING_PHASE_V","features":[525]},{"name":"INFO_GENERATING_METADATA","features":[525]},{"name":"INFO_PASSED_MAIN_CONTROL","features":[525]},{"name":"INFO_PATCHCACHE_FILEINFO_FAILURE","features":[525]},{"name":"INFO_PATCHCACHE_PCI_READFAILURE","features":[525]},{"name":"INFO_PATCHCACHE_PCI_WRITEFAILURE","features":[525]},{"name":"INFO_PCP_PATH","features":[525]},{"name":"INFO_PROPERTY","features":[525]},{"name":"INFO_SET_OPTIONS","features":[525]},{"name":"INFO_SUCCESSFUL_PATCH_CREATION","features":[525]},{"name":"INFO_TEMP_DIR","features":[525]},{"name":"INFO_TEMP_DIR_CLEANUP","features":[525]},{"name":"INFO_USING_USER_MSI_FOR_PATCH_TABLES","features":[525]},{"name":"INSTALLFEATUREATTRIBUTE","features":[525]},{"name":"INSTALLFEATUREATTRIBUTE_DISALLOWADVERTISE","features":[525]},{"name":"INSTALLFEATUREATTRIBUTE_FAVORADVERTISE","features":[525]},{"name":"INSTALLFEATUREATTRIBUTE_FAVORLOCAL","features":[525]},{"name":"INSTALLFEATUREATTRIBUTE_FAVORSOURCE","features":[525]},{"name":"INSTALLFEATUREATTRIBUTE_FOLLOWPARENT","features":[525]},{"name":"INSTALLFEATUREATTRIBUTE_NOUNSUPPORTEDADVERTISE","features":[525]},{"name":"INSTALLLEVEL","features":[525]},{"name":"INSTALLLEVEL_DEFAULT","features":[525]},{"name":"INSTALLLEVEL_MAXIMUM","features":[525]},{"name":"INSTALLLEVEL_MINIMUM","features":[525]},{"name":"INSTALLLOGATTRIBUTES","features":[525]},{"name":"INSTALLLOGATTRIBUTES_APPEND","features":[525]},{"name":"INSTALLLOGATTRIBUTES_FLUSHEACHLINE","features":[525]},{"name":"INSTALLLOGMODE","features":[525]},{"name":"INSTALLLOGMODE_ACTIONDATA","features":[525]},{"name":"INSTALLLOGMODE_ACTIONSTART","features":[525]},{"name":"INSTALLLOGMODE_COMMONDATA","features":[525]},{"name":"INSTALLLOGMODE_ERROR","features":[525]},{"name":"INSTALLLOGMODE_EXTRADEBUG","features":[525]},{"name":"INSTALLLOGMODE_FATALEXIT","features":[525]},{"name":"INSTALLLOGMODE_FILESINUSE","features":[525]},{"name":"INSTALLLOGMODE_INFO","features":[525]},{"name":"INSTALLLOGMODE_INITIALIZE","features":[525]},{"name":"INSTALLLOGMODE_INSTALLEND","features":[525]},{"name":"INSTALLLOGMODE_INSTALLSTART","features":[525]},{"name":"INSTALLLOGMODE_LOGONLYONERROR","features":[525]},{"name":"INSTALLLOGMODE_LOGPERFORMANCE","features":[525]},{"name":"INSTALLLOGMODE_OUTOFDISKSPACE","features":[525]},{"name":"INSTALLLOGMODE_PROGRESS","features":[525]},{"name":"INSTALLLOGMODE_PROPERTYDUMP","features":[525]},{"name":"INSTALLLOGMODE_RESOLVESOURCE","features":[525]},{"name":"INSTALLLOGMODE_RMFILESINUSE","features":[525]},{"name":"INSTALLLOGMODE_SHOWDIALOG","features":[525]},{"name":"INSTALLLOGMODE_TERMINATE","features":[525]},{"name":"INSTALLLOGMODE_USER","features":[525]},{"name":"INSTALLLOGMODE_VERBOSE","features":[525]},{"name":"INSTALLLOGMODE_WARNING","features":[525]},{"name":"INSTALLMESSAGE","features":[525]},{"name":"INSTALLMESSAGE_ACTIONDATA","features":[525]},{"name":"INSTALLMESSAGE_ACTIONSTART","features":[525]},{"name":"INSTALLMESSAGE_COMMONDATA","features":[525]},{"name":"INSTALLMESSAGE_ERROR","features":[525]},{"name":"INSTALLMESSAGE_FATALEXIT","features":[525]},{"name":"INSTALLMESSAGE_FILESINUSE","features":[525]},{"name":"INSTALLMESSAGE_INFO","features":[525]},{"name":"INSTALLMESSAGE_INITIALIZE","features":[525]},{"name":"INSTALLMESSAGE_INSTALLEND","features":[525]},{"name":"INSTALLMESSAGE_INSTALLSTART","features":[525]},{"name":"INSTALLMESSAGE_OUTOFDISKSPACE","features":[525]},{"name":"INSTALLMESSAGE_PERFORMANCE","features":[525]},{"name":"INSTALLMESSAGE_PROGRESS","features":[525]},{"name":"INSTALLMESSAGE_RESOLVESOURCE","features":[525]},{"name":"INSTALLMESSAGE_RMFILESINUSE","features":[525]},{"name":"INSTALLMESSAGE_SHOWDIALOG","features":[525]},{"name":"INSTALLMESSAGE_TERMINATE","features":[525]},{"name":"INSTALLMESSAGE_TYPEMASK","features":[525]},{"name":"INSTALLMESSAGE_USER","features":[525]},{"name":"INSTALLMESSAGE_WARNING","features":[525]},{"name":"INSTALLMODE","features":[525]},{"name":"INSTALLMODE_DEFAULT","features":[525]},{"name":"INSTALLMODE_EXISTING","features":[525]},{"name":"INSTALLMODE_NODETECTION","features":[525]},{"name":"INSTALLMODE_NODETECTION_ANY","features":[525]},{"name":"INSTALLMODE_NOSOURCERESOLUTION","features":[525]},{"name":"INSTALLPROPERTY_ASSIGNMENTTYPE","features":[525]},{"name":"INSTALLPROPERTY_AUTHORIZED_LUA_APP","features":[525]},{"name":"INSTALLPROPERTY_DISKPROMPT","features":[525]},{"name":"INSTALLPROPERTY_DISPLAYNAME","features":[525]},{"name":"INSTALLPROPERTY_HELPLINK","features":[525]},{"name":"INSTALLPROPERTY_HELPTELEPHONE","features":[525]},{"name":"INSTALLPROPERTY_INSTALLDATE","features":[525]},{"name":"INSTALLPROPERTY_INSTALLEDLANGUAGE","features":[525]},{"name":"INSTALLPROPERTY_INSTALLEDPRODUCTNAME","features":[525]},{"name":"INSTALLPROPERTY_INSTALLLOCATION","features":[525]},{"name":"INSTALLPROPERTY_INSTALLSOURCE","features":[525]},{"name":"INSTALLPROPERTY_INSTANCETYPE","features":[525]},{"name":"INSTALLPROPERTY_LANGUAGE","features":[525]},{"name":"INSTALLPROPERTY_LASTUSEDSOURCE","features":[525]},{"name":"INSTALLPROPERTY_LASTUSEDTYPE","features":[525]},{"name":"INSTALLPROPERTY_LOCALPACKAGE","features":[525]},{"name":"INSTALLPROPERTY_LUAENABLED","features":[525]},{"name":"INSTALLPROPERTY_MEDIAPACKAGEPATH","features":[525]},{"name":"INSTALLPROPERTY_MOREINFOURL","features":[525]},{"name":"INSTALLPROPERTY_PACKAGECODE","features":[525]},{"name":"INSTALLPROPERTY_PACKAGENAME","features":[525]},{"name":"INSTALLPROPERTY_PATCHSTATE","features":[525]},{"name":"INSTALLPROPERTY_PATCHTYPE","features":[525]},{"name":"INSTALLPROPERTY_PRODUCTICON","features":[525]},{"name":"INSTALLPROPERTY_PRODUCTID","features":[525]},{"name":"INSTALLPROPERTY_PRODUCTNAME","features":[525]},{"name":"INSTALLPROPERTY_PRODUCTSTATE","features":[525]},{"name":"INSTALLPROPERTY_PUBLISHER","features":[525]},{"name":"INSTALLPROPERTY_REGCOMPANY","features":[525]},{"name":"INSTALLPROPERTY_REGOWNER","features":[525]},{"name":"INSTALLPROPERTY_TRANSFORMS","features":[525]},{"name":"INSTALLPROPERTY_UNINSTALLABLE","features":[525]},{"name":"INSTALLPROPERTY_URLINFOABOUT","features":[525]},{"name":"INSTALLPROPERTY_URLUPDATEINFO","features":[525]},{"name":"INSTALLPROPERTY_VERSION","features":[525]},{"name":"INSTALLPROPERTY_VERSIONMAJOR","features":[525]},{"name":"INSTALLPROPERTY_VERSIONMINOR","features":[525]},{"name":"INSTALLPROPERTY_VERSIONSTRING","features":[525]},{"name":"INSTALLSTATE","features":[525]},{"name":"INSTALLSTATE_ABSENT","features":[525]},{"name":"INSTALLSTATE_ADVERTISED","features":[525]},{"name":"INSTALLSTATE_BADCONFIG","features":[525]},{"name":"INSTALLSTATE_BROKEN","features":[525]},{"name":"INSTALLSTATE_DEFAULT","features":[525]},{"name":"INSTALLSTATE_INCOMPLETE","features":[525]},{"name":"INSTALLSTATE_INVALIDARG","features":[525]},{"name":"INSTALLSTATE_LOCAL","features":[525]},{"name":"INSTALLSTATE_MOREDATA","features":[525]},{"name":"INSTALLSTATE_NOTUSED","features":[525]},{"name":"INSTALLSTATE_REMOVED","features":[525]},{"name":"INSTALLSTATE_SOURCE","features":[525]},{"name":"INSTALLSTATE_SOURCEABSENT","features":[525]},{"name":"INSTALLSTATE_UNKNOWN","features":[525]},{"name":"INSTALLTYPE","features":[525]},{"name":"INSTALLTYPE_DEFAULT","features":[525]},{"name":"INSTALLTYPE_NETWORK_IMAGE","features":[525]},{"name":"INSTALLTYPE_SINGLE_INSTANCE","features":[525]},{"name":"INSTALLUILEVEL","features":[525]},{"name":"INSTALLUILEVEL_BASIC","features":[525]},{"name":"INSTALLUILEVEL_DEFAULT","features":[525]},{"name":"INSTALLUILEVEL_ENDDIALOG","features":[525]},{"name":"INSTALLUILEVEL_FULL","features":[525]},{"name":"INSTALLUILEVEL_HIDECANCEL","features":[525]},{"name":"INSTALLUILEVEL_NOCHANGE","features":[525]},{"name":"INSTALLUILEVEL_NONE","features":[525]},{"name":"INSTALLUILEVEL_PROGRESSONLY","features":[525]},{"name":"INSTALLUILEVEL_REDUCED","features":[525]},{"name":"INSTALLUILEVEL_SOURCERESONLY","features":[525]},{"name":"INSTALLUILEVEL_UACONLY","features":[525]},{"name":"INSTALLUI_HANDLERA","features":[525]},{"name":"INSTALLUI_HANDLERW","features":[525]},{"name":"IPMApplicationInfo","features":[525]},{"name":"IPMApplicationInfoEnumerator","features":[525]},{"name":"IPMBackgroundServiceAgentInfo","features":[525]},{"name":"IPMBackgroundServiceAgentInfoEnumerator","features":[525]},{"name":"IPMBackgroundWorkerInfo","features":[525]},{"name":"IPMBackgroundWorkerInfoEnumerator","features":[525]},{"name":"IPMDeploymentManager","features":[525]},{"name":"IPMEnumerationManager","features":[525]},{"name":"IPMExtensionCachedFileUpdaterInfo","features":[525]},{"name":"IPMExtensionContractInfo","features":[525]},{"name":"IPMExtensionFileExtensionInfo","features":[525]},{"name":"IPMExtensionFileOpenPickerInfo","features":[525]},{"name":"IPMExtensionFileSavePickerInfo","features":[525]},{"name":"IPMExtensionInfo","features":[525]},{"name":"IPMExtensionInfoEnumerator","features":[525]},{"name":"IPMExtensionProtocolInfo","features":[525]},{"name":"IPMExtensionShareTargetInfo","features":[525]},{"name":"IPMLiveTileJobInfo","features":[525]},{"name":"IPMLiveTileJobInfoEnumerator","features":[525]},{"name":"IPMTaskInfo","features":[525]},{"name":"IPMTaskInfoEnumerator","features":[525]},{"name":"IPMTileInfo","features":[525]},{"name":"IPMTileInfoEnumerator","features":[525]},{"name":"IPMTilePropertyEnumerator","features":[525]},{"name":"IPMTilePropertyInfo","features":[525]},{"name":"IPROPNAME_ACTION","features":[525]},{"name":"IPROPNAME_ADMINTOOLS_FOLDER","features":[525]},{"name":"IPROPNAME_ADMINUSER","features":[525]},{"name":"IPROPNAME_ADMIN_PROPERTIES","features":[525]},{"name":"IPROPNAME_AFTERREBOOT","features":[525]},{"name":"IPROPNAME_ALLOWEDPROPERTIES","features":[525]},{"name":"IPROPNAME_ALLUSERS","features":[525]},{"name":"IPROPNAME_APPDATA_FOLDER","features":[525]},{"name":"IPROPNAME_ARM","features":[525]},{"name":"IPROPNAME_ARM64","features":[525]},{"name":"IPROPNAME_ARPAUTHORIZEDCDFPREFIX","features":[525]},{"name":"IPROPNAME_ARPCOMMENTS","features":[525]},{"name":"IPROPNAME_ARPCONTACT","features":[525]},{"name":"IPROPNAME_ARPHELPLINK","features":[525]},{"name":"IPROPNAME_ARPHELPTELEPHONE","features":[525]},{"name":"IPROPNAME_ARPINSTALLLOCATION","features":[525]},{"name":"IPROPNAME_ARPNOMODIFY","features":[525]},{"name":"IPROPNAME_ARPNOREMOVE","features":[525]},{"name":"IPROPNAME_ARPNOREPAIR","features":[525]},{"name":"IPROPNAME_ARPPRODUCTICON","features":[525]},{"name":"IPROPNAME_ARPREADME","features":[525]},{"name":"IPROPNAME_ARPSETTINGSIDENTIFIER","features":[525]},{"name":"IPROPNAME_ARPSHIMFLAGS","features":[525]},{"name":"IPROPNAME_ARPSHIMSERVICEPACKLEVEL","features":[525]},{"name":"IPROPNAME_ARPSHIMVERSIONNT","features":[525]},{"name":"IPROPNAME_ARPSIZE","features":[525]},{"name":"IPROPNAME_ARPSYSTEMCOMPONENT","features":[525]},{"name":"IPROPNAME_ARPURLINFOABOUT","features":[525]},{"name":"IPROPNAME_ARPURLUPDATEINFO","features":[525]},{"name":"IPROPNAME_AVAILABLEFREEREG","features":[525]},{"name":"IPROPNAME_BORDERSIDE","features":[525]},{"name":"IPROPNAME_BORDERTOP","features":[525]},{"name":"IPROPNAME_CAPTIONHEIGHT","features":[525]},{"name":"IPROPNAME_CARRYINGNDP","features":[525]},{"name":"IPROPNAME_CHECKCRCS","features":[525]},{"name":"IPROPNAME_COLORBITS","features":[525]},{"name":"IPROPNAME_COMMONAPPDATA_FOLDER","features":[525]},{"name":"IPROPNAME_COMMONFILES64_FOLDER","features":[525]},{"name":"IPROPNAME_COMMONFILES_FOLDER","features":[525]},{"name":"IPROPNAME_COMPANYNAME","features":[525]},{"name":"IPROPNAME_COMPONENTADDDEFAULT","features":[525]},{"name":"IPROPNAME_COMPONENTADDLOCAL","features":[525]},{"name":"IPROPNAME_COMPONENTADDSOURCE","features":[525]},{"name":"IPROPNAME_COMPUTERNAME","features":[525]},{"name":"IPROPNAME_COSTINGCOMPLETE","features":[525]},{"name":"IPROPNAME_CUSTOMACTIONDATA","features":[525]},{"name":"IPROPNAME_DATE","features":[525]},{"name":"IPROPNAME_DATETIME","features":[525]},{"name":"IPROPNAME_DEFAULTUIFONT","features":[525]},{"name":"IPROPNAME_DESKTOP_FOLDER","features":[525]},{"name":"IPROPNAME_DISABLEADVTSHORTCUTS","features":[525]},{"name":"IPROPNAME_DISABLEROLLBACK","features":[525]},{"name":"IPROPNAME_DISKPROMPT","features":[525]},{"name":"IPROPNAME_ENABLEUSERCONTROL","features":[525]},{"name":"IPROPNAME_ENFORCE_UPGRADE_COMPONENT_RULES","features":[525]},{"name":"IPROPNAME_EXECUTEACTION","features":[525]},{"name":"IPROPNAME_EXECUTEMODE","features":[525]},{"name":"IPROPNAME_FAVORITES_FOLDER","features":[525]},{"name":"IPROPNAME_FEATUREADDDEFAULT","features":[525]},{"name":"IPROPNAME_FEATUREADDLOCAL","features":[525]},{"name":"IPROPNAME_FEATUREADDSOURCE","features":[525]},{"name":"IPROPNAME_FEATUREADVERTISE","features":[525]},{"name":"IPROPNAME_FEATUREREMOVE","features":[525]},{"name":"IPROPNAME_FILEADDDEFAULT","features":[525]},{"name":"IPROPNAME_FILEADDLOCAL","features":[525]},{"name":"IPROPNAME_FILEADDSOURCE","features":[525]},{"name":"IPROPNAME_FONTS_FOLDER","features":[525]},{"name":"IPROPNAME_HIDDEN_PROPERTIES","features":[525]},{"name":"IPROPNAME_HIDECANCEL","features":[525]},{"name":"IPROPNAME_IA64","features":[525]},{"name":"IPROPNAME_INSTALLED","features":[525]},{"name":"IPROPNAME_INSTALLLANGUAGE","features":[525]},{"name":"IPROPNAME_INSTALLLEVEL","features":[525]},{"name":"IPROPNAME_INSTALLPERUSER","features":[525]},{"name":"IPROPNAME_INTEL","features":[525]},{"name":"IPROPNAME_INTEL64","features":[525]},{"name":"IPROPNAME_INTERNALINSTALLEDPERUSER","features":[525]},{"name":"IPROPNAME_ISADMINPACKAGE","features":[525]},{"name":"IPROPNAME_LEFTUNIT","features":[525]},{"name":"IPROPNAME_LIMITUI","features":[525]},{"name":"IPROPNAME_LOCALAPPDATA_FOLDER","features":[525]},{"name":"IPROPNAME_LOGACTION","features":[525]},{"name":"IPROPNAME_LOGONUSER","features":[525]},{"name":"IPROPNAME_MANUFACTURER","features":[525]},{"name":"IPROPNAME_MSIAMD64","features":[525]},{"name":"IPROPNAME_MSIDISABLEEEUI","features":[525]},{"name":"IPROPNAME_MSIDISABLELUAPATCHING","features":[525]},{"name":"IPROPNAME_MSIINSTANCEGUID","features":[525]},{"name":"IPROPNAME_MSILOGFILELOCATION","features":[525]},{"name":"IPROPNAME_MSILOGGINGMODE","features":[525]},{"name":"IPROPNAME_MSINEWINSTANCE","features":[525]},{"name":"IPROPNAME_MSINODISABLEMEDIA","features":[525]},{"name":"IPROPNAME_MSIPACKAGEDOWNLOADLOCALCOPY","features":[525]},{"name":"IPROPNAME_MSIPATCHDOWNLOADLOCALCOPY","features":[525]},{"name":"IPROPNAME_MSIPATCHREMOVE","features":[525]},{"name":"IPROPNAME_MSITABLETPC","features":[525]},{"name":"IPROPNAME_MSIX64","features":[525]},{"name":"IPROPNAME_MSI_FASTINSTALL","features":[525]},{"name":"IPROPNAME_MSI_REBOOT_PENDING","features":[525]},{"name":"IPROPNAME_MSI_RM_CONTROL","features":[525]},{"name":"IPROPNAME_MSI_RM_DISABLE_RESTART","features":[525]},{"name":"IPROPNAME_MSI_RM_SESSION_KEY","features":[525]},{"name":"IPROPNAME_MSI_RM_SHUTDOWN","features":[525]},{"name":"IPROPNAME_MSI_UAC_DEPLOYMENT_COMPLIANT","features":[525]},{"name":"IPROPNAME_MSI_UNINSTALL_SUPERSEDED_COMPONENTS","features":[525]},{"name":"IPROPNAME_MSI_USE_REAL_ADMIN_DETECTION","features":[525]},{"name":"IPROPNAME_MYPICTURES_FOLDER","features":[525]},{"name":"IPROPNAME_NETASSEMBLYSUPPORT","features":[525]},{"name":"IPROPNAME_NETHOOD_FOLDER","features":[525]},{"name":"IPROPNAME_NOCOMPANYNAME","features":[525]},{"name":"IPROPNAME_NOUSERNAME","features":[525]},{"name":"IPROPNAME_NTPRODUCTTYPE","features":[525]},{"name":"IPROPNAME_NTSUITEBACKOFFICE","features":[525]},{"name":"IPROPNAME_NTSUITEDATACENTER","features":[525]},{"name":"IPROPNAME_NTSUITEENTERPRISE","features":[525]},{"name":"IPROPNAME_NTSUITEPERSONAL","features":[525]},{"name":"IPROPNAME_NTSUITESMALLBUSINESS","features":[525]},{"name":"IPROPNAME_NTSUITESMALLBUSINESSRESTRICTED","features":[525]},{"name":"IPROPNAME_NTSUITEWEBSERVER","features":[525]},{"name":"IPROPNAME_OLEADVTSUPPORT","features":[525]},{"name":"IPROPNAME_OUTOFDISKSPACE","features":[525]},{"name":"IPROPNAME_OUTOFNORBDISKSPACE","features":[525]},{"name":"IPROPNAME_PATCH","features":[525]},{"name":"IPROPNAME_PATCHNEWPACKAGECODE","features":[525]},{"name":"IPROPNAME_PATCHNEWSUMMARYCOMMENTS","features":[525]},{"name":"IPROPNAME_PATCHNEWSUMMARYSUBJECT","features":[525]},{"name":"IPROPNAME_PERSONAL_FOLDER","features":[525]},{"name":"IPROPNAME_PHYSICALMEMORY","features":[525]},{"name":"IPROPNAME_PIDKEY","features":[525]},{"name":"IPROPNAME_PIDTEMPLATE","features":[525]},{"name":"IPROPNAME_PRESELECTED","features":[525]},{"name":"IPROPNAME_PRIMARYFOLDER","features":[525]},{"name":"IPROPNAME_PRIMARYFOLDER_PATH","features":[525]},{"name":"IPROPNAME_PRIMARYFOLDER_SPACEAVAILABLE","features":[525]},{"name":"IPROPNAME_PRIMARYFOLDER_SPACEREMAINING","features":[525]},{"name":"IPROPNAME_PRIMARYFOLDER_SPACEREQUIRED","features":[525]},{"name":"IPROPNAME_PRINTHOOD_FOLDER","features":[525]},{"name":"IPROPNAME_PRIVILEGED","features":[525]},{"name":"IPROPNAME_PRODUCTCODE","features":[525]},{"name":"IPROPNAME_PRODUCTID","features":[525]},{"name":"IPROPNAME_PRODUCTLANGUAGE","features":[525]},{"name":"IPROPNAME_PRODUCTNAME","features":[525]},{"name":"IPROPNAME_PRODUCTSTATE","features":[525]},{"name":"IPROPNAME_PRODUCTVERSION","features":[525]},{"name":"IPROPNAME_PROGRAMFILES64_FOLDER","features":[525]},{"name":"IPROPNAME_PROGRAMFILES_FOLDER","features":[525]},{"name":"IPROPNAME_PROGRAMMENU_FOLDER","features":[525]},{"name":"IPROPNAME_PROGRESSONLY","features":[525]},{"name":"IPROPNAME_PROMPTROLLBACKCOST","features":[525]},{"name":"IPROPNAME_REBOOT","features":[525]},{"name":"IPROPNAME_REBOOTPROMPT","features":[525]},{"name":"IPROPNAME_RECENT_FOLDER","features":[525]},{"name":"IPROPNAME_REDIRECTEDDLLSUPPORT","features":[525]},{"name":"IPROPNAME_REINSTALL","features":[525]},{"name":"IPROPNAME_REINSTALLMODE","features":[525]},{"name":"IPROPNAME_REMOTEADMINTS","features":[525]},{"name":"IPROPNAME_REPLACEDINUSEFILES","features":[525]},{"name":"IPROPNAME_RESTRICTEDUSERCONTROL","features":[525]},{"name":"IPROPNAME_RESUME","features":[525]},{"name":"IPROPNAME_ROLLBACKDISABLED","features":[525]},{"name":"IPROPNAME_ROOTDRIVE","features":[525]},{"name":"IPROPNAME_RUNNINGELEVATED","features":[525]},{"name":"IPROPNAME_SCREENX","features":[525]},{"name":"IPROPNAME_SCREENY","features":[525]},{"name":"IPROPNAME_SENDTO_FOLDER","features":[525]},{"name":"IPROPNAME_SEQUENCE","features":[525]},{"name":"IPROPNAME_SERVICEPACKLEVEL","features":[525]},{"name":"IPROPNAME_SERVICEPACKLEVELMINOR","features":[525]},{"name":"IPROPNAME_SHAREDWINDOWS","features":[525]},{"name":"IPROPNAME_SHELLADVTSUPPORT","features":[525]},{"name":"IPROPNAME_SHORTFILENAMES","features":[525]},{"name":"IPROPNAME_SOURCEDIR","features":[525]},{"name":"IPROPNAME_SOURCELIST","features":[525]},{"name":"IPROPNAME_SOURCERESONLY","features":[525]},{"name":"IPROPNAME_STARTMENU_FOLDER","features":[525]},{"name":"IPROPNAME_STARTUP_FOLDER","features":[525]},{"name":"IPROPNAME_SYSTEM16_FOLDER","features":[525]},{"name":"IPROPNAME_SYSTEM64_FOLDER","features":[525]},{"name":"IPROPNAME_SYSTEMLANGUAGEID","features":[525]},{"name":"IPROPNAME_SYSTEM_FOLDER","features":[525]},{"name":"IPROPNAME_TARGETDIR","features":[525]},{"name":"IPROPNAME_TEMPLATE_AMD64","features":[525]},{"name":"IPROPNAME_TEMPLATE_FOLDER","features":[525]},{"name":"IPROPNAME_TEMPLATE_X64","features":[525]},{"name":"IPROPNAME_TEMP_FOLDER","features":[525]},{"name":"IPROPNAME_TERMSERVER","features":[525]},{"name":"IPROPNAME_TEXTHEIGHT","features":[525]},{"name":"IPROPNAME_TEXTHEIGHT_CORRECTION","features":[525]},{"name":"IPROPNAME_TEXTINTERNALLEADING","features":[525]},{"name":"IPROPNAME_TIME","features":[525]},{"name":"IPROPNAME_TRANSFORMS","features":[525]},{"name":"IPROPNAME_TRANSFORMSATSOURCE","features":[525]},{"name":"IPROPNAME_TRANSFORMSSECURE","features":[525]},{"name":"IPROPNAME_TRUEADMINUSER","features":[525]},{"name":"IPROPNAME_TTCSUPPORT","features":[525]},{"name":"IPROPNAME_UACONLY","features":[525]},{"name":"IPROPNAME_UPDATESTARTED","features":[525]},{"name":"IPROPNAME_UPGRADECODE","features":[525]},{"name":"IPROPNAME_USERLANGUAGEID","features":[525]},{"name":"IPROPNAME_USERNAME","features":[525]},{"name":"IPROPNAME_USERSID","features":[525]},{"name":"IPROPNAME_VERSION9X","features":[525]},{"name":"IPROPNAME_VERSIONNT","features":[525]},{"name":"IPROPNAME_VERSIONNT64","features":[525]},{"name":"IPROPNAME_VIRTUALMEMORY","features":[525]},{"name":"IPROPNAME_WIN32ASSEMBLYSUPPORT","features":[525]},{"name":"IPROPNAME_WINDOWSBUILD","features":[525]},{"name":"IPROPNAME_WINDOWS_FOLDER","features":[525]},{"name":"IPROPNAME_WINDOWS_VOLUME","features":[525]},{"name":"IPROPVALUE_EXECUTEMODE_NONE","features":[525]},{"name":"IPROPVALUE_EXECUTEMODE_SCRIPT","features":[525]},{"name":"IPROPVALUE_FEATURE_ALL","features":[525]},{"name":"IPROPVALUE_MSI_RM_CONTROL_DISABLE","features":[525]},{"name":"IPROPVALUE_MSI_RM_CONTROL_DISABLESHUTDOWN","features":[525]},{"name":"IPROPVALUE_RBCOST_FAIL","features":[525]},{"name":"IPROPVALUE_RBCOST_PROMPT","features":[525]},{"name":"IPROPVALUE_RBCOST_SILENT","features":[525]},{"name":"IPROPVALUE__CARRYINGNDP_URTREINSTALL","features":[525]},{"name":"IPROPVALUE__CARRYINGNDP_URTUPGRADE","features":[525]},{"name":"IValidate","features":[525]},{"name":"LIBID_MsmMergeTypeLib","features":[525]},{"name":"LOGALL","features":[525]},{"name":"LOGERR","features":[525]},{"name":"LOGINFO","features":[525]},{"name":"LOGNONE","features":[525]},{"name":"LOGPERFMESSAGES","features":[525]},{"name":"LOGTOKEN_NO_LOG","features":[525]},{"name":"LOGTOKEN_SETUPAPI_APPLOG","features":[525]},{"name":"LOGTOKEN_SETUPAPI_DEVLOG","features":[525]},{"name":"LOGTOKEN_TYPE_MASK","features":[525]},{"name":"LOGTOKEN_UNSPECIFIED","features":[525]},{"name":"LOGWARN","features":[525]},{"name":"LPDISPLAYVAL","features":[308,525]},{"name":"LPEVALCOMCALLBACK","features":[308,525]},{"name":"MAX_FEATURE_CHARS","features":[525]},{"name":"MAX_GUID_CHARS","features":[525]},{"name":"MSIADVERTISEOPTIONFLAGS","features":[525]},{"name":"MSIADVERTISEOPTIONFLAGS_INSTANCE","features":[525]},{"name":"MSIARCHITECTUREFLAGS","features":[525]},{"name":"MSIARCHITECTUREFLAGS_AMD64","features":[525]},{"name":"MSIARCHITECTUREFLAGS_ARM","features":[525]},{"name":"MSIARCHITECTUREFLAGS_IA64","features":[525]},{"name":"MSIARCHITECTUREFLAGS_X86","features":[525]},{"name":"MSIASSEMBLYINFO","features":[525]},{"name":"MSIASSEMBLYINFO_NETASSEMBLY","features":[525]},{"name":"MSIASSEMBLYINFO_WIN32ASSEMBLY","features":[525]},{"name":"MSICODE","features":[525]},{"name":"MSICODE_PATCH","features":[525]},{"name":"MSICODE_PRODUCT","features":[525]},{"name":"MSICOLINFO","features":[525]},{"name":"MSICOLINFO_NAMES","features":[525]},{"name":"MSICOLINFO_TYPES","features":[525]},{"name":"MSICONDITION","features":[525]},{"name":"MSICONDITION_ERROR","features":[525]},{"name":"MSICONDITION_FALSE","features":[525]},{"name":"MSICONDITION_NONE","features":[525]},{"name":"MSICONDITION_TRUE","features":[525]},{"name":"MSICOSTTREE","features":[525]},{"name":"MSICOSTTREE_CHILDREN","features":[525]},{"name":"MSICOSTTREE_PARENTS","features":[525]},{"name":"MSICOSTTREE_RESERVED","features":[525]},{"name":"MSICOSTTREE_SELFONLY","features":[525]},{"name":"MSIDBERROR","features":[525]},{"name":"MSIDBERROR_BADCABINET","features":[525]},{"name":"MSIDBERROR_BADCASE","features":[525]},{"name":"MSIDBERROR_BADCATEGORY","features":[525]},{"name":"MSIDBERROR_BADCONDITION","features":[525]},{"name":"MSIDBERROR_BADCUSTOMSOURCE","features":[525]},{"name":"MSIDBERROR_BADDEFAULTDIR","features":[525]},{"name":"MSIDBERROR_BADFILENAME","features":[525]},{"name":"MSIDBERROR_BADFORMATTED","features":[525]},{"name":"MSIDBERROR_BADGUID","features":[525]},{"name":"MSIDBERROR_BADIDENTIFIER","features":[525]},{"name":"MSIDBERROR_BADKEYTABLE","features":[525]},{"name":"MSIDBERROR_BADLANGUAGE","features":[525]},{"name":"MSIDBERROR_BADLINK","features":[525]},{"name":"MSIDBERROR_BADLOCALIZEATTRIB","features":[525]},{"name":"MSIDBERROR_BADMAXMINVALUES","features":[525]},{"name":"MSIDBERROR_BADPATH","features":[525]},{"name":"MSIDBERROR_BADPROPERTY","features":[525]},{"name":"MSIDBERROR_BADREGPATH","features":[525]},{"name":"MSIDBERROR_BADSHORTCUT","features":[525]},{"name":"MSIDBERROR_BADTEMPLATE","features":[525]},{"name":"MSIDBERROR_BADVERSION","features":[525]},{"name":"MSIDBERROR_BADWILDCARD","features":[525]},{"name":"MSIDBERROR_DUPLICATEKEY","features":[525]},{"name":"MSIDBERROR_FUNCTIONERROR","features":[525]},{"name":"MSIDBERROR_INVALIDARG","features":[525]},{"name":"MSIDBERROR_MISSINGDATA","features":[525]},{"name":"MSIDBERROR_MOREDATA","features":[525]},{"name":"MSIDBERROR_NOERROR","features":[525]},{"name":"MSIDBERROR_NOTINSET","features":[525]},{"name":"MSIDBERROR_OVERFLOW","features":[525]},{"name":"MSIDBERROR_REQUIRED","features":[525]},{"name":"MSIDBERROR_STRINGOVERFLOW","features":[525]},{"name":"MSIDBERROR_UNDERFLOW","features":[525]},{"name":"MSIDBOPEN_CREATE","features":[525]},{"name":"MSIDBOPEN_CREATEDIRECT","features":[525]},{"name":"MSIDBOPEN_DIRECT","features":[525]},{"name":"MSIDBOPEN_PATCHFILE","features":[525]},{"name":"MSIDBOPEN_READONLY","features":[525]},{"name":"MSIDBOPEN_TRANSACT","features":[525]},{"name":"MSIDBSTATE","features":[525]},{"name":"MSIDBSTATE_ERROR","features":[525]},{"name":"MSIDBSTATE_READ","features":[525]},{"name":"MSIDBSTATE_WRITE","features":[525]},{"name":"MSIFILEHASHINFO","features":[525]},{"name":"MSIHANDLE","features":[525]},{"name":"MSIINSTALLCONTEXT","features":[525]},{"name":"MSIINSTALLCONTEXT_ALL","features":[525]},{"name":"MSIINSTALLCONTEXT_ALLUSERMANAGED","features":[525]},{"name":"MSIINSTALLCONTEXT_FIRSTVISIBLE","features":[525]},{"name":"MSIINSTALLCONTEXT_MACHINE","features":[525]},{"name":"MSIINSTALLCONTEXT_NONE","features":[525]},{"name":"MSIINSTALLCONTEXT_USERMANAGED","features":[525]},{"name":"MSIINSTALLCONTEXT_USERUNMANAGED","features":[525]},{"name":"MSIMODIFY","features":[525]},{"name":"MSIMODIFY_ASSIGN","features":[525]},{"name":"MSIMODIFY_DELETE","features":[525]},{"name":"MSIMODIFY_INSERT","features":[525]},{"name":"MSIMODIFY_INSERT_TEMPORARY","features":[525]},{"name":"MSIMODIFY_MERGE","features":[525]},{"name":"MSIMODIFY_REFRESH","features":[525]},{"name":"MSIMODIFY_REPLACE","features":[525]},{"name":"MSIMODIFY_SEEK","features":[525]},{"name":"MSIMODIFY_UPDATE","features":[525]},{"name":"MSIMODIFY_VALIDATE","features":[525]},{"name":"MSIMODIFY_VALIDATE_DELETE","features":[525]},{"name":"MSIMODIFY_VALIDATE_FIELD","features":[525]},{"name":"MSIMODIFY_VALIDATE_NEW","features":[525]},{"name":"MSIOPENPACKAGEFLAGS","features":[525]},{"name":"MSIOPENPACKAGEFLAGS_IGNOREMACHINESTATE","features":[525]},{"name":"MSIPATCHDATATYPE","features":[525]},{"name":"MSIPATCHSEQUENCEINFOA","features":[525]},{"name":"MSIPATCHSEQUENCEINFOW","features":[525]},{"name":"MSIPATCHSTATE","features":[525]},{"name":"MSIPATCHSTATE_ALL","features":[525]},{"name":"MSIPATCHSTATE_APPLIED","features":[525]},{"name":"MSIPATCHSTATE_INVALID","features":[525]},{"name":"MSIPATCHSTATE_OBSOLETED","features":[525]},{"name":"MSIPATCHSTATE_REGISTERED","features":[525]},{"name":"MSIPATCHSTATE_SUPERSEDED","features":[525]},{"name":"MSIPATCH_DATATYPE_PATCHFILE","features":[525]},{"name":"MSIPATCH_DATATYPE_XMLBLOB","features":[525]},{"name":"MSIPATCH_DATATYPE_XMLPATH","features":[525]},{"name":"MSIRUNMODE","features":[525]},{"name":"MSIRUNMODE_ADMIN","features":[525]},{"name":"MSIRUNMODE_ADVERTISE","features":[525]},{"name":"MSIRUNMODE_CABINET","features":[525]},{"name":"MSIRUNMODE_COMMIT","features":[525]},{"name":"MSIRUNMODE_LOGENABLED","features":[525]},{"name":"MSIRUNMODE_MAINTENANCE","features":[525]},{"name":"MSIRUNMODE_OPERATIONS","features":[525]},{"name":"MSIRUNMODE_REBOOTATEND","features":[525]},{"name":"MSIRUNMODE_REBOOTNOW","features":[525]},{"name":"MSIRUNMODE_RESERVED11","features":[525]},{"name":"MSIRUNMODE_RESERVED14","features":[525]},{"name":"MSIRUNMODE_RESERVED15","features":[525]},{"name":"MSIRUNMODE_ROLLBACK","features":[525]},{"name":"MSIRUNMODE_ROLLBACKENABLED","features":[525]},{"name":"MSIRUNMODE_SCHEDULED","features":[525]},{"name":"MSIRUNMODE_SOURCESHORTNAMES","features":[525]},{"name":"MSIRUNMODE_TARGETSHORTNAMES","features":[525]},{"name":"MSIRUNMODE_WINDOWS9X","features":[525]},{"name":"MSIRUNMODE_ZAWENABLED","features":[525]},{"name":"MSISOURCETYPE","features":[525]},{"name":"MSISOURCETYPE_MEDIA","features":[525]},{"name":"MSISOURCETYPE_NETWORK","features":[525]},{"name":"MSISOURCETYPE_UNKNOWN","features":[525]},{"name":"MSISOURCETYPE_URL","features":[525]},{"name":"MSITRANSACTION","features":[525]},{"name":"MSITRANSACTIONSTATE","features":[525]},{"name":"MSITRANSACTIONSTATE_COMMIT","features":[525]},{"name":"MSITRANSACTIONSTATE_ROLLBACK","features":[525]},{"name":"MSITRANSACTION_CHAIN_EMBEDDEDUI","features":[525]},{"name":"MSITRANSACTION_JOIN_EXISTING_EMBEDDEDUI","features":[525]},{"name":"MSITRANSFORM_ERROR","features":[525]},{"name":"MSITRANSFORM_ERROR_ADDEXISTINGROW","features":[525]},{"name":"MSITRANSFORM_ERROR_ADDEXISTINGTABLE","features":[525]},{"name":"MSITRANSFORM_ERROR_CHANGECODEPAGE","features":[525]},{"name":"MSITRANSFORM_ERROR_DELMISSINGROW","features":[525]},{"name":"MSITRANSFORM_ERROR_DELMISSINGTABLE","features":[525]},{"name":"MSITRANSFORM_ERROR_NONE","features":[525]},{"name":"MSITRANSFORM_ERROR_UPDATEMISSINGROW","features":[525]},{"name":"MSITRANSFORM_ERROR_VIEWTRANSFORM","features":[525]},{"name":"MSITRANSFORM_VALIDATE","features":[525]},{"name":"MSITRANSFORM_VALIDATE_LANGUAGE","features":[525]},{"name":"MSITRANSFORM_VALIDATE_MAJORVERSION","features":[525]},{"name":"MSITRANSFORM_VALIDATE_MINORVERSION","features":[525]},{"name":"MSITRANSFORM_VALIDATE_NEWEQUALBASEVERSION","features":[525]},{"name":"MSITRANSFORM_VALIDATE_NEWGREATERBASEVERSION","features":[525]},{"name":"MSITRANSFORM_VALIDATE_NEWGREATEREQUALBASEVERSION","features":[525]},{"name":"MSITRANSFORM_VALIDATE_NEWLESSBASEVERSION","features":[525]},{"name":"MSITRANSFORM_VALIDATE_NEWLESSEQUALBASEVERSION","features":[525]},{"name":"MSITRANSFORM_VALIDATE_PLATFORM","features":[525]},{"name":"MSITRANSFORM_VALIDATE_PRODUCT","features":[525]},{"name":"MSITRANSFORM_VALIDATE_UPDATEVERSION","features":[525]},{"name":"MSITRANSFORM_VALIDATE_UPGRADECODE","features":[525]},{"name":"MSI_INVALID_HASH_IS_FATAL","features":[525]},{"name":"MSI_NULL_INTEGER","features":[525]},{"name":"MsiAdvertiseProductA","features":[525]},{"name":"MsiAdvertiseProductExA","features":[525]},{"name":"MsiAdvertiseProductExW","features":[525]},{"name":"MsiAdvertiseProductW","features":[525]},{"name":"MsiAdvertiseScriptA","features":[308,525,369]},{"name":"MsiAdvertiseScriptW","features":[308,525,369]},{"name":"MsiApplyMultiplePatchesA","features":[525]},{"name":"MsiApplyMultiplePatchesW","features":[525]},{"name":"MsiApplyPatchA","features":[525]},{"name":"MsiApplyPatchW","features":[525]},{"name":"MsiBeginTransactionA","features":[308,525]},{"name":"MsiBeginTransactionW","features":[308,525]},{"name":"MsiCloseAllHandles","features":[525]},{"name":"MsiCloseHandle","features":[525]},{"name":"MsiCollectUserInfoA","features":[525]},{"name":"MsiCollectUserInfoW","features":[525]},{"name":"MsiConfigureFeatureA","features":[525]},{"name":"MsiConfigureFeatureW","features":[525]},{"name":"MsiConfigureProductA","features":[525]},{"name":"MsiConfigureProductExA","features":[525]},{"name":"MsiConfigureProductExW","features":[525]},{"name":"MsiConfigureProductW","features":[525]},{"name":"MsiCreateRecord","features":[525]},{"name":"MsiCreateTransformSummaryInfoA","features":[525]},{"name":"MsiCreateTransformSummaryInfoW","features":[525]},{"name":"MsiDatabaseApplyTransformA","features":[525]},{"name":"MsiDatabaseApplyTransformW","features":[525]},{"name":"MsiDatabaseCommit","features":[525]},{"name":"MsiDatabaseExportA","features":[525]},{"name":"MsiDatabaseExportW","features":[525]},{"name":"MsiDatabaseGenerateTransformA","features":[525]},{"name":"MsiDatabaseGenerateTransformW","features":[525]},{"name":"MsiDatabaseGetPrimaryKeysA","features":[525]},{"name":"MsiDatabaseGetPrimaryKeysW","features":[525]},{"name":"MsiDatabaseImportA","features":[525]},{"name":"MsiDatabaseImportW","features":[525]},{"name":"MsiDatabaseIsTablePersistentA","features":[525]},{"name":"MsiDatabaseIsTablePersistentW","features":[525]},{"name":"MsiDatabaseMergeA","features":[525]},{"name":"MsiDatabaseMergeW","features":[525]},{"name":"MsiDatabaseOpenViewA","features":[525]},{"name":"MsiDatabaseOpenViewW","features":[525]},{"name":"MsiDetermineApplicablePatchesA","features":[525]},{"name":"MsiDetermineApplicablePatchesW","features":[525]},{"name":"MsiDeterminePatchSequenceA","features":[525]},{"name":"MsiDeterminePatchSequenceW","features":[525]},{"name":"MsiDoActionA","features":[525]},{"name":"MsiDoActionW","features":[525]},{"name":"MsiEnableLogA","features":[525]},{"name":"MsiEnableLogW","features":[525]},{"name":"MsiEnableUIPreview","features":[525]},{"name":"MsiEndTransaction","features":[525]},{"name":"MsiEnumClientsA","features":[525]},{"name":"MsiEnumClientsExA","features":[525]},{"name":"MsiEnumClientsExW","features":[525]},{"name":"MsiEnumClientsW","features":[525]},{"name":"MsiEnumComponentCostsA","features":[525]},{"name":"MsiEnumComponentCostsW","features":[525]},{"name":"MsiEnumComponentQualifiersA","features":[525]},{"name":"MsiEnumComponentQualifiersW","features":[525]},{"name":"MsiEnumComponentsA","features":[525]},{"name":"MsiEnumComponentsExA","features":[525]},{"name":"MsiEnumComponentsExW","features":[525]},{"name":"MsiEnumComponentsW","features":[525]},{"name":"MsiEnumFeaturesA","features":[525]},{"name":"MsiEnumFeaturesW","features":[525]},{"name":"MsiEnumPatchesA","features":[525]},{"name":"MsiEnumPatchesExA","features":[525]},{"name":"MsiEnumPatchesExW","features":[525]},{"name":"MsiEnumPatchesW","features":[525]},{"name":"MsiEnumProductsA","features":[525]},{"name":"MsiEnumProductsExA","features":[525]},{"name":"MsiEnumProductsExW","features":[525]},{"name":"MsiEnumProductsW","features":[525]},{"name":"MsiEnumRelatedProductsA","features":[525]},{"name":"MsiEnumRelatedProductsW","features":[525]},{"name":"MsiEvaluateConditionA","features":[525]},{"name":"MsiEvaluateConditionW","features":[525]},{"name":"MsiExtractPatchXMLDataA","features":[525]},{"name":"MsiExtractPatchXMLDataW","features":[525]},{"name":"MsiFormatRecordA","features":[525]},{"name":"MsiFormatRecordW","features":[525]},{"name":"MsiGetActiveDatabase","features":[525]},{"name":"MsiGetComponentPathA","features":[525]},{"name":"MsiGetComponentPathExA","features":[525]},{"name":"MsiGetComponentPathExW","features":[525]},{"name":"MsiGetComponentPathW","features":[525]},{"name":"MsiGetComponentStateA","features":[525]},{"name":"MsiGetComponentStateW","features":[525]},{"name":"MsiGetDatabaseState","features":[525]},{"name":"MsiGetFeatureCostA","features":[525]},{"name":"MsiGetFeatureCostW","features":[525]},{"name":"MsiGetFeatureInfoA","features":[525]},{"name":"MsiGetFeatureInfoW","features":[525]},{"name":"MsiGetFeatureStateA","features":[525]},{"name":"MsiGetFeatureStateW","features":[525]},{"name":"MsiGetFeatureUsageA","features":[525]},{"name":"MsiGetFeatureUsageW","features":[525]},{"name":"MsiGetFeatureValidStatesA","features":[525]},{"name":"MsiGetFeatureValidStatesW","features":[525]},{"name":"MsiGetFileHashA","features":[525]},{"name":"MsiGetFileHashW","features":[525]},{"name":"MsiGetFileSignatureInformationA","features":[308,392,525]},{"name":"MsiGetFileSignatureInformationW","features":[308,392,525]},{"name":"MsiGetFileVersionA","features":[525]},{"name":"MsiGetFileVersionW","features":[525]},{"name":"MsiGetLanguage","features":[525]},{"name":"MsiGetLastErrorRecord","features":[525]},{"name":"MsiGetMode","features":[308,525]},{"name":"MsiGetPatchFileListA","features":[525]},{"name":"MsiGetPatchFileListW","features":[525]},{"name":"MsiGetPatchInfoA","features":[525]},{"name":"MsiGetPatchInfoExA","features":[525]},{"name":"MsiGetPatchInfoExW","features":[525]},{"name":"MsiGetPatchInfoW","features":[525]},{"name":"MsiGetProductCodeA","features":[525]},{"name":"MsiGetProductCodeW","features":[525]},{"name":"MsiGetProductInfoA","features":[525]},{"name":"MsiGetProductInfoExA","features":[525]},{"name":"MsiGetProductInfoExW","features":[525]},{"name":"MsiGetProductInfoFromScriptA","features":[525]},{"name":"MsiGetProductInfoFromScriptW","features":[525]},{"name":"MsiGetProductInfoW","features":[525]},{"name":"MsiGetProductPropertyA","features":[525]},{"name":"MsiGetProductPropertyW","features":[525]},{"name":"MsiGetPropertyA","features":[525]},{"name":"MsiGetPropertyW","features":[525]},{"name":"MsiGetShortcutTargetA","features":[525]},{"name":"MsiGetShortcutTargetW","features":[525]},{"name":"MsiGetSourcePathA","features":[525]},{"name":"MsiGetSourcePathW","features":[525]},{"name":"MsiGetSummaryInformationA","features":[525]},{"name":"MsiGetSummaryInformationW","features":[525]},{"name":"MsiGetTargetPathA","features":[525]},{"name":"MsiGetTargetPathW","features":[525]},{"name":"MsiGetUserInfoA","features":[525]},{"name":"MsiGetUserInfoW","features":[525]},{"name":"MsiInstallMissingComponentA","features":[525]},{"name":"MsiInstallMissingComponentW","features":[525]},{"name":"MsiInstallMissingFileA","features":[525]},{"name":"MsiInstallMissingFileW","features":[525]},{"name":"MsiInstallProductA","features":[525]},{"name":"MsiInstallProductW","features":[525]},{"name":"MsiIsProductElevatedA","features":[308,525]},{"name":"MsiIsProductElevatedW","features":[308,525]},{"name":"MsiJoinTransaction","features":[308,525]},{"name":"MsiLocateComponentA","features":[525]},{"name":"MsiLocateComponentW","features":[525]},{"name":"MsiNotifySidChangeA","features":[525]},{"name":"MsiNotifySidChangeW","features":[525]},{"name":"MsiOpenDatabaseA","features":[525]},{"name":"MsiOpenDatabaseW","features":[525]},{"name":"MsiOpenPackageA","features":[525]},{"name":"MsiOpenPackageExA","features":[525]},{"name":"MsiOpenPackageExW","features":[525]},{"name":"MsiOpenPackageW","features":[525]},{"name":"MsiOpenProductA","features":[525]},{"name":"MsiOpenProductW","features":[525]},{"name":"MsiPreviewBillboardA","features":[525]},{"name":"MsiPreviewBillboardW","features":[525]},{"name":"MsiPreviewDialogA","features":[525]},{"name":"MsiPreviewDialogW","features":[525]},{"name":"MsiProcessAdvertiseScriptA","features":[308,525,369]},{"name":"MsiProcessAdvertiseScriptW","features":[308,525,369]},{"name":"MsiProcessMessage","features":[525]},{"name":"MsiProvideAssemblyA","features":[525]},{"name":"MsiProvideAssemblyW","features":[525]},{"name":"MsiProvideComponentA","features":[525]},{"name":"MsiProvideComponentW","features":[525]},{"name":"MsiProvideQualifiedComponentA","features":[525]},{"name":"MsiProvideQualifiedComponentExA","features":[525]},{"name":"MsiProvideQualifiedComponentExW","features":[525]},{"name":"MsiProvideQualifiedComponentW","features":[525]},{"name":"MsiQueryComponentStateA","features":[525]},{"name":"MsiQueryComponentStateW","features":[525]},{"name":"MsiQueryFeatureStateA","features":[525]},{"name":"MsiQueryFeatureStateExA","features":[525]},{"name":"MsiQueryFeatureStateExW","features":[525]},{"name":"MsiQueryFeatureStateW","features":[525]},{"name":"MsiQueryProductStateA","features":[525]},{"name":"MsiQueryProductStateW","features":[525]},{"name":"MsiRecordClearData","features":[525]},{"name":"MsiRecordDataSize","features":[525]},{"name":"MsiRecordGetFieldCount","features":[525]},{"name":"MsiRecordGetInteger","features":[525]},{"name":"MsiRecordGetStringA","features":[525]},{"name":"MsiRecordGetStringW","features":[525]},{"name":"MsiRecordIsNull","features":[308,525]},{"name":"MsiRecordReadStream","features":[525]},{"name":"MsiRecordSetInteger","features":[525]},{"name":"MsiRecordSetStreamA","features":[525]},{"name":"MsiRecordSetStreamW","features":[525]},{"name":"MsiRecordSetStringA","features":[525]},{"name":"MsiRecordSetStringW","features":[525]},{"name":"MsiReinstallFeatureA","features":[525]},{"name":"MsiReinstallFeatureW","features":[525]},{"name":"MsiReinstallProductA","features":[525]},{"name":"MsiReinstallProductW","features":[525]},{"name":"MsiRemovePatchesA","features":[525]},{"name":"MsiRemovePatchesW","features":[525]},{"name":"MsiSequenceA","features":[525]},{"name":"MsiSequenceW","features":[525]},{"name":"MsiSetComponentStateA","features":[525]},{"name":"MsiSetComponentStateW","features":[525]},{"name":"MsiSetExternalUIA","features":[525]},{"name":"MsiSetExternalUIRecord","features":[525]},{"name":"MsiSetExternalUIW","features":[525]},{"name":"MsiSetFeatureAttributesA","features":[525]},{"name":"MsiSetFeatureAttributesW","features":[525]},{"name":"MsiSetFeatureStateA","features":[525]},{"name":"MsiSetFeatureStateW","features":[525]},{"name":"MsiSetInstallLevel","features":[525]},{"name":"MsiSetInternalUI","features":[308,525]},{"name":"MsiSetMode","features":[308,525]},{"name":"MsiSetPropertyA","features":[525]},{"name":"MsiSetPropertyW","features":[525]},{"name":"MsiSetTargetPathA","features":[525]},{"name":"MsiSetTargetPathW","features":[525]},{"name":"MsiSourceListAddMediaDiskA","features":[525]},{"name":"MsiSourceListAddMediaDiskW","features":[525]},{"name":"MsiSourceListAddSourceA","features":[525]},{"name":"MsiSourceListAddSourceExA","features":[525]},{"name":"MsiSourceListAddSourceExW","features":[525]},{"name":"MsiSourceListAddSourceW","features":[525]},{"name":"MsiSourceListClearAllA","features":[525]},{"name":"MsiSourceListClearAllExA","features":[525]},{"name":"MsiSourceListClearAllExW","features":[525]},{"name":"MsiSourceListClearAllW","features":[525]},{"name":"MsiSourceListClearMediaDiskA","features":[525]},{"name":"MsiSourceListClearMediaDiskW","features":[525]},{"name":"MsiSourceListClearSourceA","features":[525]},{"name":"MsiSourceListClearSourceW","features":[525]},{"name":"MsiSourceListEnumMediaDisksA","features":[525]},{"name":"MsiSourceListEnumMediaDisksW","features":[525]},{"name":"MsiSourceListEnumSourcesA","features":[525]},{"name":"MsiSourceListEnumSourcesW","features":[525]},{"name":"MsiSourceListForceResolutionA","features":[525]},{"name":"MsiSourceListForceResolutionExA","features":[525]},{"name":"MsiSourceListForceResolutionExW","features":[525]},{"name":"MsiSourceListForceResolutionW","features":[525]},{"name":"MsiSourceListGetInfoA","features":[525]},{"name":"MsiSourceListGetInfoW","features":[525]},{"name":"MsiSourceListSetInfoA","features":[525]},{"name":"MsiSourceListSetInfoW","features":[525]},{"name":"MsiSummaryInfoGetPropertyA","features":[308,525]},{"name":"MsiSummaryInfoGetPropertyCount","features":[525]},{"name":"MsiSummaryInfoGetPropertyW","features":[308,525]},{"name":"MsiSummaryInfoPersist","features":[525]},{"name":"MsiSummaryInfoSetPropertyA","features":[308,525]},{"name":"MsiSummaryInfoSetPropertyW","features":[308,525]},{"name":"MsiUseFeatureA","features":[525]},{"name":"MsiUseFeatureExA","features":[525]},{"name":"MsiUseFeatureExW","features":[525]},{"name":"MsiUseFeatureW","features":[525]},{"name":"MsiVerifyDiskSpace","features":[525]},{"name":"MsiVerifyPackageA","features":[525]},{"name":"MsiVerifyPackageW","features":[525]},{"name":"MsiViewClose","features":[525]},{"name":"MsiViewExecute","features":[525]},{"name":"MsiViewFetch","features":[525]},{"name":"MsiViewGetColumnInfo","features":[525]},{"name":"MsiViewGetErrorA","features":[525]},{"name":"MsiViewGetErrorW","features":[525]},{"name":"MsiViewModify","features":[525]},{"name":"MsmMerge","features":[525]},{"name":"NormalizeFileForPatchSignature","features":[308,525]},{"name":"PACKMAN_RUNTIME","features":[525]},{"name":"PACKMAN_RUNTIME_INVALID","features":[525]},{"name":"PACKMAN_RUNTIME_JUPITER","features":[525]},{"name":"PACKMAN_RUNTIME_MODERN_NATIVE","features":[525]},{"name":"PACKMAN_RUNTIME_NATIVE","features":[525]},{"name":"PACKMAN_RUNTIME_SILVERLIGHTMOBILE","features":[525]},{"name":"PACKMAN_RUNTIME_XNA","features":[525]},{"name":"PATCH_IGNORE_RANGE","features":[525]},{"name":"PATCH_INTERLEAVE_MAP","features":[525]},{"name":"PATCH_OLD_FILE_INFO","features":[308,525]},{"name":"PATCH_OLD_FILE_INFO_A","features":[525]},{"name":"PATCH_OLD_FILE_INFO_H","features":[308,525]},{"name":"PATCH_OLD_FILE_INFO_W","features":[525]},{"name":"PATCH_OPTION_DATA","features":[308,525]},{"name":"PATCH_OPTION_FAIL_IF_BIGGER","features":[525]},{"name":"PATCH_OPTION_FAIL_IF_SAME_FILE","features":[525]},{"name":"PATCH_OPTION_INTERLEAVE_FILES","features":[525]},{"name":"PATCH_OPTION_NO_BINDFIX","features":[525]},{"name":"PATCH_OPTION_NO_CHECKSUM","features":[525]},{"name":"PATCH_OPTION_NO_LOCKFIX","features":[525]},{"name":"PATCH_OPTION_NO_REBASE","features":[525]},{"name":"PATCH_OPTION_NO_RESTIMEFIX","features":[525]},{"name":"PATCH_OPTION_NO_TIMESTAMP","features":[525]},{"name":"PATCH_OPTION_RESERVED1","features":[525]},{"name":"PATCH_OPTION_SIGNATURE_MD5","features":[525]},{"name":"PATCH_OPTION_USE_BEST","features":[525]},{"name":"PATCH_OPTION_USE_LZX_A","features":[525]},{"name":"PATCH_OPTION_USE_LZX_B","features":[525]},{"name":"PATCH_OPTION_USE_LZX_BEST","features":[525]},{"name":"PATCH_OPTION_USE_LZX_LARGE","features":[525]},{"name":"PATCH_OPTION_VALID_FLAGS","features":[525]},{"name":"PATCH_RETAIN_RANGE","features":[525]},{"name":"PATCH_SYMBOL_NO_FAILURES","features":[525]},{"name":"PATCH_SYMBOL_NO_IMAGEHLP","features":[525]},{"name":"PATCH_SYMBOL_RESERVED1","features":[525]},{"name":"PATCH_SYMBOL_UNDECORATED_TOO","features":[525]},{"name":"PATCH_TRANSFORM_PE_IRELOC_2","features":[525]},{"name":"PATCH_TRANSFORM_PE_RESOURCE_2","features":[525]},{"name":"PID_APPNAME","features":[525]},{"name":"PID_AUTHOR","features":[525]},{"name":"PID_CHARCOUNT","features":[525]},{"name":"PID_COMMENTS","features":[525]},{"name":"PID_CREATE_DTM","features":[525]},{"name":"PID_EDITTIME","features":[525]},{"name":"PID_KEYWORDS","features":[525]},{"name":"PID_LASTAUTHOR","features":[525]},{"name":"PID_LASTPRINTED","features":[525]},{"name":"PID_LASTSAVE_DTM","features":[525]},{"name":"PID_MSIRESTRICT","features":[525]},{"name":"PID_MSISOURCE","features":[525]},{"name":"PID_MSIVERSION","features":[525]},{"name":"PID_PAGECOUNT","features":[525]},{"name":"PID_REVNUMBER","features":[525]},{"name":"PID_SUBJECT","features":[525]},{"name":"PID_TEMPLATE","features":[525]},{"name":"PID_THUMBNAIL","features":[525]},{"name":"PID_TITLE","features":[525]},{"name":"PID_WORDCOUNT","features":[525]},{"name":"PINSTALLUI_HANDLER_RECORD","features":[525]},{"name":"PMSIHANDLE","features":[525]},{"name":"PMSvc","features":[525]},{"name":"PM_ACTIVATION_POLICY","features":[525]},{"name":"PM_ACTIVATION_POLICY_INVALID","features":[525]},{"name":"PM_ACTIVATION_POLICY_MULTISESSION","features":[525]},{"name":"PM_ACTIVATION_POLICY_REPLACE","features":[525]},{"name":"PM_ACTIVATION_POLICY_REPLACESAMEPARAMS","features":[525]},{"name":"PM_ACTIVATION_POLICY_REPLACE_IGNOREFOREGROUND","features":[525]},{"name":"PM_ACTIVATION_POLICY_RESUME","features":[525]},{"name":"PM_ACTIVATION_POLICY_RESUMESAMEPARAMS","features":[525]},{"name":"PM_ACTIVATION_POLICY_UNKNOWN","features":[525]},{"name":"PM_APPLICATION_HUBTYPE","features":[525]},{"name":"PM_APPLICATION_HUBTYPE_INVALID","features":[525]},{"name":"PM_APPLICATION_HUBTYPE_MUSIC","features":[525]},{"name":"PM_APPLICATION_HUBTYPE_NONMUSIC","features":[525]},{"name":"PM_APPLICATION_INSTALL_DEBUG","features":[525]},{"name":"PM_APPLICATION_INSTALL_ENTERPRISE","features":[525]},{"name":"PM_APPLICATION_INSTALL_INVALID","features":[525]},{"name":"PM_APPLICATION_INSTALL_IN_ROM","features":[525]},{"name":"PM_APPLICATION_INSTALL_NORMAL","features":[525]},{"name":"PM_APPLICATION_INSTALL_PA","features":[525]},{"name":"PM_APPLICATION_INSTALL_TYPE","features":[525]},{"name":"PM_APPLICATION_STATE","features":[525]},{"name":"PM_APPLICATION_STATE_DISABLED_BACKING_UP","features":[525]},{"name":"PM_APPLICATION_STATE_DISABLED_ENTERPRISE","features":[525]},{"name":"PM_APPLICATION_STATE_DISABLED_MDIL_BINDING","features":[525]},{"name":"PM_APPLICATION_STATE_DISABLED_SD_CARD","features":[525]},{"name":"PM_APPLICATION_STATE_INSTALLED","features":[525]},{"name":"PM_APPLICATION_STATE_INSTALLING","features":[525]},{"name":"PM_APPLICATION_STATE_INVALID","features":[525]},{"name":"PM_APPLICATION_STATE_LICENSE_UPDATING","features":[525]},{"name":"PM_APPLICATION_STATE_MAX","features":[525]},{"name":"PM_APPLICATION_STATE_MIN","features":[525]},{"name":"PM_APPLICATION_STATE_MOVING","features":[525]},{"name":"PM_APPLICATION_STATE_UNINSTALLING","features":[525]},{"name":"PM_APPLICATION_STATE_UPDATING","features":[525]},{"name":"PM_APPTASKTYPE","features":[525]},{"name":"PM_APP_FILTER_ALL","features":[525]},{"name":"PM_APP_FILTER_ALL_INCLUDE_MODERN","features":[525]},{"name":"PM_APP_FILTER_FRAMEWORK","features":[525]},{"name":"PM_APP_FILTER_GENRE","features":[525]},{"name":"PM_APP_FILTER_HUBTYPE","features":[525]},{"name":"PM_APP_FILTER_MAX","features":[525]},{"name":"PM_APP_FILTER_NONGAMES","features":[525]},{"name":"PM_APP_FILTER_PINABLEONKIDZONE","features":[525]},{"name":"PM_APP_FILTER_VISIBLE","features":[525]},{"name":"PM_APP_GENRE","features":[525]},{"name":"PM_APP_GENRE_GAMES","features":[525]},{"name":"PM_APP_GENRE_INVALID","features":[525]},{"name":"PM_APP_GENRE_OTHER","features":[525]},{"name":"PM_BSATASKID","features":[525]},{"name":"PM_BWTASKID","features":[525]},{"name":"PM_ENUM_APP_FILTER","features":[525]},{"name":"PM_ENUM_BSA_FILTER","features":[525]},{"name":"PM_ENUM_BSA_FILTER_ALL","features":[525]},{"name":"PM_ENUM_BSA_FILTER_BY_ALL_LAUNCHONBOOT","features":[525]},{"name":"PM_ENUM_BSA_FILTER_BY_PERIODIC","features":[525]},{"name":"PM_ENUM_BSA_FILTER_BY_PRODUCTID","features":[525]},{"name":"PM_ENUM_BSA_FILTER_BY_TASKID","features":[525]},{"name":"PM_ENUM_BSA_FILTER_MAX","features":[525]},{"name":"PM_ENUM_BW_FILTER","features":[525]},{"name":"PM_ENUM_BW_FILTER_BOOTWORKER_ALL","features":[525]},{"name":"PM_ENUM_BW_FILTER_BY_TASKID","features":[525]},{"name":"PM_ENUM_BW_FILTER_MAX","features":[525]},{"name":"PM_ENUM_EXTENSION_FILTER","features":[525]},{"name":"PM_ENUM_EXTENSION_FILTER_APPCONNECT","features":[525]},{"name":"PM_ENUM_EXTENSION_FILTER_BY_CONSUMER","features":[525]},{"name":"PM_ENUM_EXTENSION_FILTER_CACHEDFILEUPDATER_ALL","features":[525]},{"name":"PM_ENUM_EXTENSION_FILTER_FILEOPENPICKER_ALL","features":[525]},{"name":"PM_ENUM_EXTENSION_FILTER_FILESAVEPICKER_ALL","features":[525]},{"name":"PM_ENUM_EXTENSION_FILTER_FTASSOC_APPLICATION_ALL","features":[525]},{"name":"PM_ENUM_EXTENSION_FILTER_FTASSOC_CONTENTTYPE_ALL","features":[525]},{"name":"PM_ENUM_EXTENSION_FILTER_FTASSOC_FILETYPE_ALL","features":[525]},{"name":"PM_ENUM_EXTENSION_FILTER_MAX","features":[525]},{"name":"PM_ENUM_EXTENSION_FILTER_PROTOCOL_ALL","features":[525]},{"name":"PM_ENUM_EXTENSION_FILTER_SHARETARGET_ALL","features":[525]},{"name":"PM_ENUM_FILTER","features":[525]},{"name":"PM_ENUM_TASK_FILTER","features":[525]},{"name":"PM_ENUM_TILE_FILTER","features":[525]},{"name":"PM_EXTENSIONCONSUMER","features":[525]},{"name":"PM_INSTALLINFO","features":[308,525]},{"name":"PM_INVOCATIONINFO","features":[525]},{"name":"PM_LIVETILE_RECURRENCE_TYPE","features":[525]},{"name":"PM_LIVETILE_RECURRENCE_TYPE_INSTANT","features":[525]},{"name":"PM_LIVETILE_RECURRENCE_TYPE_INTERVAL","features":[525]},{"name":"PM_LIVETILE_RECURRENCE_TYPE_MAX","features":[525]},{"name":"PM_LIVETILE_RECURRENCE_TYPE_ONETIME","features":[525]},{"name":"PM_LOGO_SIZE","features":[525]},{"name":"PM_LOGO_SIZE_INVALID","features":[525]},{"name":"PM_LOGO_SIZE_LARGE","features":[525]},{"name":"PM_LOGO_SIZE_MEDIUM","features":[525]},{"name":"PM_LOGO_SIZE_SMALL","features":[525]},{"name":"PM_STARTAPPBLOB","features":[308,525]},{"name":"PM_STARTTILEBLOB","features":[308,525]},{"name":"PM_STARTTILE_TYPE","features":[525]},{"name":"PM_STARTTILE_TYPE_APPLIST","features":[525]},{"name":"PM_STARTTILE_TYPE_APPLISTPRIMARY","features":[525]},{"name":"PM_STARTTILE_TYPE_INVALID","features":[525]},{"name":"PM_STARTTILE_TYPE_PRIMARY","features":[525]},{"name":"PM_STARTTILE_TYPE_SECONDARY","features":[525]},{"name":"PM_TASK_FILTER_APP_ALL","features":[525]},{"name":"PM_TASK_FILTER_APP_TASK_TYPE","features":[525]},{"name":"PM_TASK_FILTER_BGEXECUTION","features":[525]},{"name":"PM_TASK_FILTER_DEHYD_SUPRESSING","features":[525]},{"name":"PM_TASK_FILTER_MAX","features":[525]},{"name":"PM_TASK_FILTER_TASK_TYPE","features":[525]},{"name":"PM_TASK_TRANSITION","features":[525]},{"name":"PM_TASK_TRANSITION_CUSTOM","features":[525]},{"name":"PM_TASK_TRANSITION_DEFAULT","features":[525]},{"name":"PM_TASK_TRANSITION_INVALID","features":[525]},{"name":"PM_TASK_TRANSITION_NONE","features":[525]},{"name":"PM_TASK_TRANSITION_READERBOARD","features":[525]},{"name":"PM_TASK_TRANSITION_SLIDE","features":[525]},{"name":"PM_TASK_TRANSITION_SWIVEL","features":[525]},{"name":"PM_TASK_TRANSITION_TURNSTILE","features":[525]},{"name":"PM_TASK_TYPE","features":[525]},{"name":"PM_TASK_TYPE_BACKGROUNDSERVICEAGENT","features":[525]},{"name":"PM_TASK_TYPE_BACKGROUNDWORKER","features":[525]},{"name":"PM_TASK_TYPE_DEFAULT","features":[525]},{"name":"PM_TASK_TYPE_INVALID","features":[525]},{"name":"PM_TASK_TYPE_NORMAL","features":[525]},{"name":"PM_TASK_TYPE_SETTINGS","features":[525]},{"name":"PM_TILE_FILTER_APPLIST","features":[525]},{"name":"PM_TILE_FILTER_APP_ALL","features":[525]},{"name":"PM_TILE_FILTER_HUBTYPE","features":[525]},{"name":"PM_TILE_FILTER_MAX","features":[525]},{"name":"PM_TILE_FILTER_PINNED","features":[525]},{"name":"PM_TILE_HUBTYPE","features":[525]},{"name":"PM_TILE_HUBTYPE_APPLIST","features":[525]},{"name":"PM_TILE_HUBTYPE_CACHED","features":[525]},{"name":"PM_TILE_HUBTYPE_GAMES","features":[525]},{"name":"PM_TILE_HUBTYPE_INVALID","features":[525]},{"name":"PM_TILE_HUBTYPE_KIDZONE","features":[525]},{"name":"PM_TILE_HUBTYPE_LOCKSCREEN","features":[525]},{"name":"PM_TILE_HUBTYPE_MOSETTINGS","features":[525]},{"name":"PM_TILE_HUBTYPE_MUSIC","features":[525]},{"name":"PM_TILE_HUBTYPE_STARTMENU","features":[525]},{"name":"PM_TILE_SIZE","features":[525]},{"name":"PM_TILE_SIZE_INVALID","features":[525]},{"name":"PM_TILE_SIZE_LARGE","features":[525]},{"name":"PM_TILE_SIZE_MEDIUM","features":[525]},{"name":"PM_TILE_SIZE_SMALL","features":[525]},{"name":"PM_TILE_SIZE_SQUARE310X310","features":[525]},{"name":"PM_TILE_SIZE_TALL150X310","features":[525]},{"name":"PM_UPDATEINFO","features":[525]},{"name":"PM_UPDATEINFO_LEGACY","features":[525]},{"name":"PPATCH_PROGRESS_CALLBACK","features":[308,525]},{"name":"PPATCH_SYMLOAD_CALLBACK","features":[308,525]},{"name":"PROTECTED_FILE_DATA","features":[525]},{"name":"QUERYASMINFO_FLAGS","features":[525]},{"name":"QUERYASMINFO_FLAG_VALIDATE","features":[525]},{"name":"QueryActCtxSettingsW","features":[308,525]},{"name":"QueryActCtxW","features":[308,525]},{"name":"REINSTALLMODE","features":[525]},{"name":"REINSTALLMODE_FILEEQUALVERSION","features":[525]},{"name":"REINSTALLMODE_FILEEXACT","features":[525]},{"name":"REINSTALLMODE_FILEMISSING","features":[525]},{"name":"REINSTALLMODE_FILEOLDERVERSION","features":[525]},{"name":"REINSTALLMODE_FILEREPLACE","features":[525]},{"name":"REINSTALLMODE_FILEVERIFY","features":[525]},{"name":"REINSTALLMODE_MACHINEDATA","features":[525]},{"name":"REINSTALLMODE_PACKAGE","features":[525]},{"name":"REINSTALLMODE_REPAIR","features":[525]},{"name":"REINSTALLMODE_SHORTCUT","features":[525]},{"name":"REINSTALLMODE_USERDATA","features":[525]},{"name":"RESULTTYPES","features":[525]},{"name":"ReleaseActCtx","features":[308,525]},{"name":"SCRIPTFLAGS","features":[525]},{"name":"SCRIPTFLAGS_CACHEINFO","features":[525]},{"name":"SCRIPTFLAGS_MACHINEASSIGN","features":[525]},{"name":"SCRIPTFLAGS_REGDATA","features":[525]},{"name":"SCRIPTFLAGS_REGDATA_APPINFO","features":[525]},{"name":"SCRIPTFLAGS_REGDATA_CLASSINFO","features":[525]},{"name":"SCRIPTFLAGS_REGDATA_CNFGINFO","features":[525]},{"name":"SCRIPTFLAGS_REGDATA_EXTENSIONINFO","features":[525]},{"name":"SCRIPTFLAGS_SHORTCUTS","features":[525]},{"name":"SCRIPTFLAGS_VALIDATE_TRANSFORMS_LIST","features":[525]},{"name":"SFC_DISABLE_ASK","features":[525]},{"name":"SFC_DISABLE_NOPOPUPS","features":[525]},{"name":"SFC_DISABLE_NORMAL","features":[525]},{"name":"SFC_DISABLE_ONCE","features":[525]},{"name":"SFC_DISABLE_SETUP","features":[525]},{"name":"SFC_IDLE_TRIGGER","features":[525]},{"name":"SFC_QUOTA_DEFAULT","features":[525]},{"name":"SFC_SCAN_ALWAYS","features":[525]},{"name":"SFC_SCAN_IMMEDIATE","features":[525]},{"name":"SFC_SCAN_NORMAL","features":[525]},{"name":"SFC_SCAN_ONCE","features":[525]},{"name":"STATUSTYPES","features":[525]},{"name":"STREAM_FORMAT_COMPLIB_MANIFEST","features":[525]},{"name":"STREAM_FORMAT_COMPLIB_MODULE","features":[525]},{"name":"STREAM_FORMAT_WIN32_MANIFEST","features":[525]},{"name":"STREAM_FORMAT_WIN32_MODULE","features":[525]},{"name":"SfcGetNextProtectedFile","features":[308,525]},{"name":"SfcIsFileProtected","features":[308,525]},{"name":"SfcIsKeyProtected","features":[308,525,369]},{"name":"SfpVerifyFile","features":[308,525]},{"name":"TILE_TEMPLATE_AGILESTORE","features":[525]},{"name":"TILE_TEMPLATE_ALL","features":[525]},{"name":"TILE_TEMPLATE_BADGE","features":[525]},{"name":"TILE_TEMPLATE_BLOCK","features":[525]},{"name":"TILE_TEMPLATE_BLOCKANDTEXT01","features":[525]},{"name":"TILE_TEMPLATE_BLOCKANDTEXT02","features":[525]},{"name":"TILE_TEMPLATE_CALENDAR","features":[525]},{"name":"TILE_TEMPLATE_CONTACT","features":[525]},{"name":"TILE_TEMPLATE_CYCLE","features":[525]},{"name":"TILE_TEMPLATE_DEEPLINK","features":[525]},{"name":"TILE_TEMPLATE_DEFAULT","features":[525]},{"name":"TILE_TEMPLATE_FLIP","features":[525]},{"name":"TILE_TEMPLATE_FOLDER","features":[525]},{"name":"TILE_TEMPLATE_GAMES","features":[525]},{"name":"TILE_TEMPLATE_GROUP","features":[525]},{"name":"TILE_TEMPLATE_IMAGE","features":[525]},{"name":"TILE_TEMPLATE_IMAGEANDTEXT01","features":[525]},{"name":"TILE_TEMPLATE_IMAGEANDTEXT02","features":[525]},{"name":"TILE_TEMPLATE_IMAGECOLLECTION","features":[525]},{"name":"TILE_TEMPLATE_INVALID","features":[525]},{"name":"TILE_TEMPLATE_METROCOUNT","features":[525]},{"name":"TILE_TEMPLATE_METROCOUNTQUEUE","features":[525]},{"name":"TILE_TEMPLATE_MUSICVIDEO","features":[525]},{"name":"TILE_TEMPLATE_PEEKIMAGE01","features":[525]},{"name":"TILE_TEMPLATE_PEEKIMAGE02","features":[525]},{"name":"TILE_TEMPLATE_PEEKIMAGE03","features":[525]},{"name":"TILE_TEMPLATE_PEEKIMAGE04","features":[525]},{"name":"TILE_TEMPLATE_PEEKIMAGE05","features":[525]},{"name":"TILE_TEMPLATE_PEEKIMAGE06","features":[525]},{"name":"TILE_TEMPLATE_PEEKIMAGEANDTEXT01","features":[525]},{"name":"TILE_TEMPLATE_PEEKIMAGEANDTEXT02","features":[525]},{"name":"TILE_TEMPLATE_PEEKIMAGEANDTEXT03","features":[525]},{"name":"TILE_TEMPLATE_PEEKIMAGEANDTEXT04","features":[525]},{"name":"TILE_TEMPLATE_PEEKIMAGECOLLECTION01","features":[525]},{"name":"TILE_TEMPLATE_PEEKIMAGECOLLECTION02","features":[525]},{"name":"TILE_TEMPLATE_PEEKIMAGECOLLECTION03","features":[525]},{"name":"TILE_TEMPLATE_PEEKIMAGECOLLECTION04","features":[525]},{"name":"TILE_TEMPLATE_PEEKIMAGECOLLECTION05","features":[525]},{"name":"TILE_TEMPLATE_PEEKIMAGECOLLECTION06","features":[525]},{"name":"TILE_TEMPLATE_PEOPLE","features":[525]},{"name":"TILE_TEMPLATE_SEARCH","features":[525]},{"name":"TILE_TEMPLATE_SMALLIMAGEANDTEXT01","features":[525]},{"name":"TILE_TEMPLATE_SMALLIMAGEANDTEXT02","features":[525]},{"name":"TILE_TEMPLATE_SMALLIMAGEANDTEXT03","features":[525]},{"name":"TILE_TEMPLATE_SMALLIMAGEANDTEXT04","features":[525]},{"name":"TILE_TEMPLATE_SMALLIMAGEANDTEXT05","features":[525]},{"name":"TILE_TEMPLATE_TEXT01","features":[525]},{"name":"TILE_TEMPLATE_TEXT02","features":[525]},{"name":"TILE_TEMPLATE_TEXT03","features":[525]},{"name":"TILE_TEMPLATE_TEXT04","features":[525]},{"name":"TILE_TEMPLATE_TEXT05","features":[525]},{"name":"TILE_TEMPLATE_TEXT06","features":[525]},{"name":"TILE_TEMPLATE_TEXT07","features":[525]},{"name":"TILE_TEMPLATE_TEXT08","features":[525]},{"name":"TILE_TEMPLATE_TEXT09","features":[525]},{"name":"TILE_TEMPLATE_TEXT10","features":[525]},{"name":"TILE_TEMPLATE_TEXT11","features":[525]},{"name":"TILE_TEMPLATE_TILEFLYOUT01","features":[525]},{"name":"TILE_TEMPLATE_TYPE","features":[525]},{"name":"TXTLOG_BACKUP","features":[525]},{"name":"TXTLOG_CMI","features":[525]},{"name":"TXTLOG_COPYFILES","features":[525]},{"name":"TXTLOG_DEPTH_DECR","features":[525]},{"name":"TXTLOG_DEPTH_INCR","features":[525]},{"name":"TXTLOG_DETAILS","features":[525]},{"name":"TXTLOG_DEVINST","features":[525]},{"name":"TXTLOG_DEVMGR","features":[525]},{"name":"TXTLOG_DRIVER_STORE","features":[525]},{"name":"TXTLOG_DRVSETUP","features":[525]},{"name":"TXTLOG_ERROR","features":[525]},{"name":"TXTLOG_FILEQ","features":[525]},{"name":"TXTLOG_FLUSH_FILE","features":[525]},{"name":"TXTLOG_INF","features":[525]},{"name":"TXTLOG_INFDB","features":[525]},{"name":"TXTLOG_INSTALLER","features":[525]},{"name":"TXTLOG_NEWDEV","features":[525]},{"name":"TXTLOG_POLICY","features":[525]},{"name":"TXTLOG_RESERVED_FLAGS","features":[525]},{"name":"TXTLOG_SETUP","features":[525]},{"name":"TXTLOG_SETUPAPI_BITS","features":[525]},{"name":"TXTLOG_SETUPAPI_CMDLINE","features":[525]},{"name":"TXTLOG_SETUPAPI_DEVLOG","features":[525]},{"name":"TXTLOG_SIGVERIF","features":[525]},{"name":"TXTLOG_SUMMARY","features":[525]},{"name":"TXTLOG_SYSTEM_STATE_CHANGE","features":[525]},{"name":"TXTLOG_TAB_1","features":[525]},{"name":"TXTLOG_TIMESTAMP","features":[525]},{"name":"TXTLOG_UI","features":[525]},{"name":"TXTLOG_UMPNPMGR","features":[525]},{"name":"TXTLOG_UTIL","features":[525]},{"name":"TXTLOG_VENDOR","features":[525]},{"name":"TXTLOG_VERBOSE","features":[525]},{"name":"TXTLOG_VERY_VERBOSE","features":[525]},{"name":"TXTLOG_WARNING","features":[525]},{"name":"TestApplyPatchToFileA","features":[308,525]},{"name":"TestApplyPatchToFileByBuffers","features":[308,525]},{"name":"TestApplyPatchToFileByHandles","features":[308,525]},{"name":"TestApplyPatchToFileW","features":[308,525]},{"name":"UIALL","features":[525]},{"name":"UILOGBITS","features":[525]},{"name":"UINONE","features":[525]},{"name":"USERINFOSTATE","features":[525]},{"name":"USERINFOSTATE_ABSENT","features":[525]},{"name":"USERINFOSTATE_INVALIDARG","features":[525]},{"name":"USERINFOSTATE_MOREDATA","features":[525]},{"name":"USERINFOSTATE_PRESENT","features":[525]},{"name":"USERINFOSTATE_UNKNOWN","features":[525]},{"name":"WARN_BAD_MAJOR_VERSION","features":[525]},{"name":"WARN_BASE","features":[525]},{"name":"WARN_EQUAL_FILE_VERSION","features":[525]},{"name":"WARN_FILE_VERSION_DOWNREV","features":[525]},{"name":"WARN_IMPROPER_TRANSFORM_VALIDATION","features":[525]},{"name":"WARN_INVALID_TRANSFORM_VALIDATION","features":[525]},{"name":"WARN_MAJOR_UPGRADE_PATCH","features":[525]},{"name":"WARN_OBSOLETION_WITH_MSI30","features":[525]},{"name":"WARN_OBSOLETION_WITH_PATCHSEQUENCE","features":[525]},{"name":"WARN_OBSOLETION_WITH_SEQUENCE_DATA","features":[525]},{"name":"WARN_PATCHPROPERTYNOTSET","features":[525]},{"name":"WARN_PCW_MISMATCHED_PRODUCT_CODES","features":[525]},{"name":"WARN_PCW_MISMATCHED_PRODUCT_VERSIONS","features":[525]},{"name":"WARN_SEQUENCE_DATA_GENERATION_DISABLED","features":[525]},{"name":"WARN_SEQUENCE_DATA_SUPERSEDENCE_IGNORED","features":[525]},{"name":"ZombifyActCtx","features":[308,525]},{"name":"_WIN32_MSI","features":[525]},{"name":"_WIN32_MSM","features":[525]},{"name":"cchMaxInteger","features":[525]},{"name":"ieError","features":[525]},{"name":"ieInfo","features":[525]},{"name":"ieStatusCancel","features":[525]},{"name":"ieStatusCreateEngine","features":[525]},{"name":"ieStatusFail","features":[525]},{"name":"ieStatusGetCUB","features":[525]},{"name":"ieStatusICECount","features":[525]},{"name":"ieStatusMerge","features":[525]},{"name":"ieStatusRunICE","features":[525]},{"name":"ieStatusShutdown","features":[525]},{"name":"ieStatusStarting","features":[525]},{"name":"ieStatusSuccess","features":[525]},{"name":"ieStatusSummaryInfo","features":[525]},{"name":"ieUnknown","features":[525]},{"name":"ieWarning","features":[525]},{"name":"msidbAssemblyAttributes","features":[525]},{"name":"msidbAssemblyAttributesURT","features":[525]},{"name":"msidbAssemblyAttributesWin32","features":[525]},{"name":"msidbClassAttributes","features":[525]},{"name":"msidbClassAttributesRelativePath","features":[525]},{"name":"msidbComponentAttributes","features":[525]},{"name":"msidbComponentAttributes64bit","features":[525]},{"name":"msidbComponentAttributesDisableRegistryReflection","features":[525]},{"name":"msidbComponentAttributesLocalOnly","features":[525]},{"name":"msidbComponentAttributesNeverOverwrite","features":[525]},{"name":"msidbComponentAttributesODBCDataSource","features":[525]},{"name":"msidbComponentAttributesOptional","features":[525]},{"name":"msidbComponentAttributesPermanent","features":[525]},{"name":"msidbComponentAttributesRegistryKeyPath","features":[525]},{"name":"msidbComponentAttributesShared","features":[525]},{"name":"msidbComponentAttributesSharedDllRefCount","features":[525]},{"name":"msidbComponentAttributesSourceOnly","features":[525]},{"name":"msidbComponentAttributesTransitive","features":[525]},{"name":"msidbComponentAttributesUninstallOnSupersedence","features":[525]},{"name":"msidbControlAttributes","features":[525]},{"name":"msidbControlAttributesBiDi","features":[525]},{"name":"msidbControlAttributesBitmap","features":[525]},{"name":"msidbControlAttributesCDROMVolume","features":[525]},{"name":"msidbControlAttributesComboList","features":[525]},{"name":"msidbControlAttributesElevationShield","features":[525]},{"name":"msidbControlAttributesEnabled","features":[525]},{"name":"msidbControlAttributesFixedSize","features":[525]},{"name":"msidbControlAttributesFixedVolume","features":[525]},{"name":"msidbControlAttributesFloppyVolume","features":[525]},{"name":"msidbControlAttributesFormatSize","features":[525]},{"name":"msidbControlAttributesHasBorder","features":[525]},{"name":"msidbControlAttributesIcon","features":[525]},{"name":"msidbControlAttributesIconSize16","features":[525]},{"name":"msidbControlAttributesIconSize32","features":[525]},{"name":"msidbControlAttributesIconSize48","features":[525]},{"name":"msidbControlAttributesImageHandle","features":[525]},{"name":"msidbControlAttributesIndirect","features":[525]},{"name":"msidbControlAttributesInteger","features":[525]},{"name":"msidbControlAttributesLeftScroll","features":[525]},{"name":"msidbControlAttributesMultiline","features":[525]},{"name":"msidbControlAttributesNoPrefix","features":[525]},{"name":"msidbControlAttributesNoWrap","features":[525]},{"name":"msidbControlAttributesPasswordInput","features":[525]},{"name":"msidbControlAttributesProgress95","features":[525]},{"name":"msidbControlAttributesPushLike","features":[525]},{"name":"msidbControlAttributesRAMDiskVolume","features":[525]},{"name":"msidbControlAttributesRTLRO","features":[525]},{"name":"msidbControlAttributesRemoteVolume","features":[525]},{"name":"msidbControlAttributesRemovableVolume","features":[525]},{"name":"msidbControlAttributesRightAligned","features":[525]},{"name":"msidbControlAttributesSorted","features":[525]},{"name":"msidbControlAttributesSunken","features":[525]},{"name":"msidbControlAttributesTransparent","features":[525]},{"name":"msidbControlAttributesUsersLanguage","features":[525]},{"name":"msidbControlAttributesVisible","features":[525]},{"name":"msidbControlShowRollbackCost","features":[525]},{"name":"msidbCustomActionType","features":[525]},{"name":"msidbCustomActionType64BitScript","features":[525]},{"name":"msidbCustomActionTypeAsync","features":[525]},{"name":"msidbCustomActionTypeBinaryData","features":[525]},{"name":"msidbCustomActionTypeClientRepeat","features":[525]},{"name":"msidbCustomActionTypeCommit","features":[525]},{"name":"msidbCustomActionTypeContinue","features":[525]},{"name":"msidbCustomActionTypeDirectory","features":[525]},{"name":"msidbCustomActionTypeDll","features":[525]},{"name":"msidbCustomActionTypeExe","features":[525]},{"name":"msidbCustomActionTypeFirstSequence","features":[525]},{"name":"msidbCustomActionTypeHideTarget","features":[525]},{"name":"msidbCustomActionTypeInScript","features":[525]},{"name":"msidbCustomActionTypeInstall","features":[525]},{"name":"msidbCustomActionTypeJScript","features":[525]},{"name":"msidbCustomActionTypeNoImpersonate","features":[525]},{"name":"msidbCustomActionTypeOncePerProcess","features":[525]},{"name":"msidbCustomActionTypePatchUninstall","features":[525]},{"name":"msidbCustomActionTypeProperty","features":[525]},{"name":"msidbCustomActionTypeRollback","features":[525]},{"name":"msidbCustomActionTypeSourceFile","features":[525]},{"name":"msidbCustomActionTypeTSAware","features":[525]},{"name":"msidbCustomActionTypeTextData","features":[525]},{"name":"msidbCustomActionTypeVBScript","features":[525]},{"name":"msidbDialogAttributes","features":[525]},{"name":"msidbDialogAttributesBiDi","features":[525]},{"name":"msidbDialogAttributesError","features":[525]},{"name":"msidbDialogAttributesKeepModeless","features":[525]},{"name":"msidbDialogAttributesLeftScroll","features":[525]},{"name":"msidbDialogAttributesMinimize","features":[525]},{"name":"msidbDialogAttributesModal","features":[525]},{"name":"msidbDialogAttributesRTLRO","features":[525]},{"name":"msidbDialogAttributesRightAligned","features":[525]},{"name":"msidbDialogAttributesSysModal","features":[525]},{"name":"msidbDialogAttributesTrackDiskSpace","features":[525]},{"name":"msidbDialogAttributesUseCustomPalette","features":[525]},{"name":"msidbDialogAttributesVisible","features":[525]},{"name":"msidbEmbeddedHandlesBasic","features":[525]},{"name":"msidbEmbeddedUI","features":[525]},{"name":"msidbEmbeddedUIAttributes","features":[525]},{"name":"msidbFeatureAttributes","features":[525]},{"name":"msidbFeatureAttributesDisallowAdvertise","features":[525]},{"name":"msidbFeatureAttributesFavorAdvertise","features":[525]},{"name":"msidbFeatureAttributesFavorLocal","features":[525]},{"name":"msidbFeatureAttributesFavorSource","features":[525]},{"name":"msidbFeatureAttributesFollowParent","features":[525]},{"name":"msidbFeatureAttributesNoUnsupportedAdvertise","features":[525]},{"name":"msidbFeatureAttributesUIDisallowAbsent","features":[525]},{"name":"msidbFileAttributes","features":[525]},{"name":"msidbFileAttributesChecksum","features":[525]},{"name":"msidbFileAttributesCompressed","features":[525]},{"name":"msidbFileAttributesHidden","features":[525]},{"name":"msidbFileAttributesIsolatedComp","features":[525]},{"name":"msidbFileAttributesNoncompressed","features":[525]},{"name":"msidbFileAttributesPatchAdded","features":[525]},{"name":"msidbFileAttributesReadOnly","features":[525]},{"name":"msidbFileAttributesReserved0","features":[525]},{"name":"msidbFileAttributesReserved1","features":[525]},{"name":"msidbFileAttributesReserved2","features":[525]},{"name":"msidbFileAttributesReserved3","features":[525]},{"name":"msidbFileAttributesReserved4","features":[525]},{"name":"msidbFileAttributesSystem","features":[525]},{"name":"msidbFileAttributesVital","features":[525]},{"name":"msidbIniFileAction","features":[525]},{"name":"msidbIniFileActionAddLine","features":[525]},{"name":"msidbIniFileActionAddTag","features":[525]},{"name":"msidbIniFileActionCreateLine","features":[525]},{"name":"msidbIniFileActionRemoveLine","features":[525]},{"name":"msidbIniFileActionRemoveTag","features":[525]},{"name":"msidbLocatorType","features":[525]},{"name":"msidbLocatorType64bit","features":[525]},{"name":"msidbLocatorTypeDirectory","features":[525]},{"name":"msidbLocatorTypeFileName","features":[525]},{"name":"msidbLocatorTypeRawValue","features":[525]},{"name":"msidbMoveFileOptions","features":[525]},{"name":"msidbMoveFileOptionsMove","features":[525]},{"name":"msidbODBCDataSourceRegistration","features":[525]},{"name":"msidbODBCDataSourceRegistrationPerMachine","features":[525]},{"name":"msidbODBCDataSourceRegistrationPerUser","features":[525]},{"name":"msidbPatchAttributes","features":[525]},{"name":"msidbPatchAttributesNonVital","features":[525]},{"name":"msidbRegistryRoot","features":[525]},{"name":"msidbRegistryRootClassesRoot","features":[525]},{"name":"msidbRegistryRootCurrentUser","features":[525]},{"name":"msidbRegistryRootLocalMachine","features":[525]},{"name":"msidbRegistryRootUsers","features":[525]},{"name":"msidbRemoveFileInstallMode","features":[525]},{"name":"msidbRemoveFileInstallModeOnBoth","features":[525]},{"name":"msidbRemoveFileInstallModeOnInstall","features":[525]},{"name":"msidbRemoveFileInstallModeOnRemove","features":[525]},{"name":"msidbServiceConfigEvent","features":[525]},{"name":"msidbServiceConfigEventInstall","features":[525]},{"name":"msidbServiceConfigEventReinstall","features":[525]},{"name":"msidbServiceConfigEventUninstall","features":[525]},{"name":"msidbServiceControlEvent","features":[525]},{"name":"msidbServiceControlEventDelete","features":[525]},{"name":"msidbServiceControlEventStart","features":[525]},{"name":"msidbServiceControlEventStop","features":[525]},{"name":"msidbServiceControlEventUninstallDelete","features":[525]},{"name":"msidbServiceControlEventUninstallStart","features":[525]},{"name":"msidbServiceControlEventUninstallStop","features":[525]},{"name":"msidbServiceInstallErrorControl","features":[525]},{"name":"msidbServiceInstallErrorControlVital","features":[525]},{"name":"msidbSumInfoSourceType","features":[525]},{"name":"msidbSumInfoSourceTypeAdminImage","features":[525]},{"name":"msidbSumInfoSourceTypeCompressed","features":[525]},{"name":"msidbSumInfoSourceTypeLUAPackage","features":[525]},{"name":"msidbSumInfoSourceTypeSFN","features":[525]},{"name":"msidbTextStyleStyleBits","features":[525]},{"name":"msidbTextStyleStyleBitsBold","features":[525]},{"name":"msidbTextStyleStyleBitsItalic","features":[525]},{"name":"msidbTextStyleStyleBitsStrike","features":[525]},{"name":"msidbTextStyleStyleBitsUnderline","features":[525]},{"name":"msidbUpgradeAttributes","features":[525]},{"name":"msidbUpgradeAttributesIgnoreRemoveFailure","features":[525]},{"name":"msidbUpgradeAttributesLanguagesExclusive","features":[525]},{"name":"msidbUpgradeAttributesMigrateFeatures","features":[525]},{"name":"msidbUpgradeAttributesOnlyDetect","features":[525]},{"name":"msidbUpgradeAttributesVersionMaxInclusive","features":[525]},{"name":"msidbUpgradeAttributesVersionMinInclusive","features":[525]},{"name":"msifiFastInstallBits","features":[525]},{"name":"msifiFastInstallLessPrgMsg","features":[525]},{"name":"msifiFastInstallNoSR","features":[525]},{"name":"msifiFastInstallQuickCosting","features":[525]},{"name":"msirbRebootCustomActionReason","features":[525]},{"name":"msirbRebootDeferred","features":[525]},{"name":"msirbRebootForceRebootReason","features":[525]},{"name":"msirbRebootImmediate","features":[525]},{"name":"msirbRebootInUseFilesReason","features":[525]},{"name":"msirbRebootReason","features":[525]},{"name":"msirbRebootScheduleRebootReason","features":[525]},{"name":"msirbRebootType","features":[525]},{"name":"msirbRebootUndeterminedReason","features":[525]},{"name":"msmErrorDirCreate","features":[525]},{"name":"msmErrorExclusion","features":[525]},{"name":"msmErrorFeatureRequired","features":[525]},{"name":"msmErrorFileCreate","features":[525]},{"name":"msmErrorLanguageFailed","features":[525]},{"name":"msmErrorLanguageUnsupported","features":[525]},{"name":"msmErrorResequenceMerge","features":[525]},{"name":"msmErrorTableMerge","features":[525]},{"name":"msmErrorType","features":[525]}],"531":[{"name":"AVRF_BACKTRACE_INFORMATION","features":[526]},{"name":"AVRF_ENUM_RESOURCES_FLAGS_DONT_RESOLVE_TRACES","features":[526]},{"name":"AVRF_ENUM_RESOURCES_FLAGS_SUSPEND","features":[526]},{"name":"AVRF_HANDLEOPERATION_ENUMERATE_CALLBACK","features":[526]},{"name":"AVRF_HANDLE_OPERATION","features":[526]},{"name":"AVRF_HEAPALLOCATION_ENUMERATE_CALLBACK","features":[526]},{"name":"AVRF_HEAP_ALLOCATION","features":[526]},{"name":"AVRF_MAX_TRACES","features":[526]},{"name":"AVRF_RESOURCE_ENUMERATE_CALLBACK","features":[526]},{"name":"AllocationStateBusy","features":[526]},{"name":"AllocationStateFree","features":[526]},{"name":"AllocationStateUnknown","features":[526]},{"name":"AvrfResourceHandleTrace","features":[526]},{"name":"AvrfResourceHeapAllocation","features":[526]},{"name":"AvrfResourceMax","features":[526]},{"name":"HeapEnumerationEverything","features":[526]},{"name":"HeapEnumerationStop","features":[526]},{"name":"HeapFullPageHeap","features":[526]},{"name":"HeapMetadata","features":[526]},{"name":"HeapStateMask","features":[526]},{"name":"OperationDbBADREF","features":[526]},{"name":"OperationDbCLOSE","features":[526]},{"name":"OperationDbOPEN","features":[526]},{"name":"OperationDbUnused","features":[526]},{"name":"VERIFIER_ENUM_RESOURCE_FLAGS","features":[526]},{"name":"VerifierEnumerateResource","features":[308,526]},{"name":"eAvrfResourceTypes","features":[526]},{"name":"eHANDLE_TRACE_OPERATIONS","features":[526]},{"name":"eHeapAllocationState","features":[526]},{"name":"eHeapEnumerationLevel","features":[526]},{"name":"eUserAllocationState","features":[526]}],"532":[{"name":"CAccessiblityWinSAT","features":[527]},{"name":"CInitiateWinSAT","features":[527]},{"name":"CProvideWinSATVisuals","features":[527]},{"name":"CQueryAllWinSAT","features":[527]},{"name":"CQueryOEMWinSATCustomization","features":[527]},{"name":"CQueryWinSAT","features":[527]},{"name":"IAccessibleWinSAT","features":[527,359,528]},{"name":"IInitiateWinSATAssessment","features":[527]},{"name":"IProvideWinSATAssessmentInfo","features":[527,359]},{"name":"IProvideWinSATResultsInfo","features":[527,359]},{"name":"IProvideWinSATVisuals","features":[527]},{"name":"IQueryAllWinSATAssessments","features":[527,359]},{"name":"IQueryOEMWinSATCustomization","features":[527]},{"name":"IQueryRecentWinSATAssessment","features":[527,359]},{"name":"IWinSATInitiateEvents","features":[527]},{"name":"WINSAT_ASSESSMENT_CPU","features":[527]},{"name":"WINSAT_ASSESSMENT_D3D","features":[527]},{"name":"WINSAT_ASSESSMENT_DISK","features":[527]},{"name":"WINSAT_ASSESSMENT_GRAPHICS","features":[527]},{"name":"WINSAT_ASSESSMENT_MEMORY","features":[527]},{"name":"WINSAT_ASSESSMENT_STATE","features":[527]},{"name":"WINSAT_ASSESSMENT_STATE_INCOHERENT_WITH_HARDWARE","features":[527]},{"name":"WINSAT_ASSESSMENT_STATE_INVALID","features":[527]},{"name":"WINSAT_ASSESSMENT_STATE_MAX","features":[527]},{"name":"WINSAT_ASSESSMENT_STATE_MIN","features":[527]},{"name":"WINSAT_ASSESSMENT_STATE_NOT_AVAILABLE","features":[527]},{"name":"WINSAT_ASSESSMENT_STATE_UNKNOWN","features":[527]},{"name":"WINSAT_ASSESSMENT_STATE_VALID","features":[527]},{"name":"WINSAT_ASSESSMENT_TYPE","features":[527]},{"name":"WINSAT_BITMAP_SIZE","features":[527]},{"name":"WINSAT_BITMAP_SIZE_NORMAL","features":[527]},{"name":"WINSAT_BITMAP_SIZE_SMALL","features":[527]},{"name":"WINSAT_OEM_CUSTOMIZATION_STATE","features":[527]},{"name":"WINSAT_OEM_DATA_INVALID","features":[527]},{"name":"WINSAT_OEM_DATA_NON_SYS_CONFIG_MATCH","features":[527]},{"name":"WINSAT_OEM_DATA_VALID","features":[527]},{"name":"WINSAT_OEM_NO_DATA_SUPPLIED","features":[527]}],"533":[{"name":"APPDOMAIN_FORCE_TRIVIAL_WAIT_OPERATIONS","features":[529]},{"name":"APPDOMAIN_SECURITY_DEFAULT","features":[529]},{"name":"APPDOMAIN_SECURITY_FLAGS","features":[529]},{"name":"APPDOMAIN_SECURITY_FORBID_CROSSAD_REVERSE_PINVOKE","features":[529]},{"name":"APPDOMAIN_SECURITY_SANDBOXED","features":[529]},{"name":"AssemblyBindInfo","features":[529]},{"name":"BucketParamLength","features":[529]},{"name":"BucketParameterIndex","features":[529]},{"name":"BucketParameters","features":[308,529]},{"name":"BucketParamsCount","features":[529]},{"name":"CLRCreateInstance","features":[529]},{"name":"CLRCreateInstanceFnPtr","features":[529]},{"name":"CLRRuntimeHost","features":[529]},{"name":"CLR_ASSEMBLY_BUILD_VERSION","features":[529]},{"name":"CLR_ASSEMBLY_IDENTITY_FLAGS_DEFAULT","features":[529]},{"name":"CLR_ASSEMBLY_MAJOR_VERSION","features":[529]},{"name":"CLR_ASSEMBLY_MINOR_VERSION","features":[529]},{"name":"CLR_BUILD_VERSION","features":[529]},{"name":"CLR_DEBUGGING_MANAGED_EVENT_DEBUGGER_LAUNCH","features":[529]},{"name":"CLR_DEBUGGING_MANAGED_EVENT_PENDING","features":[529]},{"name":"CLR_DEBUGGING_PROCESS_FLAGS","features":[529]},{"name":"CLR_DEBUGGING_VERSION","features":[529]},{"name":"CLR_MAJOR_VERSION","features":[529]},{"name":"CLR_MINOR_VERSION","features":[529]},{"name":"CLSID_CLRDebugging","features":[529]},{"name":"CLSID_CLRDebuggingLegacy","features":[529]},{"name":"CLSID_CLRMetaHost","features":[529]},{"name":"CLSID_CLRMetaHostPolicy","features":[529]},{"name":"CLSID_CLRProfiling","features":[529]},{"name":"CLSID_CLRStrongName","features":[529]},{"name":"CLSID_RESOLUTION_DEFAULT","features":[529]},{"name":"CLSID_RESOLUTION_FLAGS","features":[529]},{"name":"CLSID_RESOLUTION_REGISTERED","features":[529]},{"name":"COR_GC_COUNTS","features":[529]},{"name":"COR_GC_MEMORYUSAGE","features":[529]},{"name":"COR_GC_STATS","features":[529]},{"name":"COR_GC_STAT_TYPES","features":[529]},{"name":"COR_GC_THREAD_HAS_PROMOTED_BYTES","features":[529]},{"name":"COR_GC_THREAD_STATS","features":[529]},{"name":"COR_GC_THREAD_STATS_TYPES","features":[529]},{"name":"CallFunctionShim","features":[529]},{"name":"CallbackThreadSetFnPtr","features":[529]},{"name":"CallbackThreadUnsetFnPtr","features":[529]},{"name":"ClrCreateManagedInstance","features":[529]},{"name":"ComCallUnmarshal","features":[529]},{"name":"ComCallUnmarshalV4","features":[529]},{"name":"CorBindToCurrentRuntime","features":[529]},{"name":"CorBindToRuntime","features":[529]},{"name":"CorBindToRuntimeByCfg","features":[529,359]},{"name":"CorBindToRuntimeEx","features":[529]},{"name":"CorBindToRuntimeHost","features":[529]},{"name":"CorExitProcess","features":[529]},{"name":"CorLaunchApplication","features":[308,529,343]},{"name":"CorMarkThreadInThreadPool","features":[529]},{"name":"CorRuntimeHost","features":[529]},{"name":"CreateDebuggingInterfaceFromVersion","features":[529]},{"name":"CreateInterfaceFnPtr","features":[529]},{"name":"CustomDumpItem","features":[529]},{"name":"DEPRECATED_CLR_API_MESG","features":[529]},{"name":"DUMP_FLAVOR_CriticalCLRState","features":[529]},{"name":"DUMP_FLAVOR_Default","features":[529]},{"name":"DUMP_FLAVOR_Mini","features":[529]},{"name":"DUMP_FLAVOR_NonHeapCLRState","features":[529]},{"name":"DUMP_ITEM_None","features":[529]},{"name":"EApiCategories","features":[529]},{"name":"EBindPolicyLevels","features":[529]},{"name":"ECLRAssemblyIdentityFlags","features":[529]},{"name":"EClrEvent","features":[529]},{"name":"EClrFailure","features":[529]},{"name":"EClrOperation","features":[529]},{"name":"EClrUnhandledException","features":[529]},{"name":"EContextType","features":[529]},{"name":"ECustomDumpFlavor","features":[529]},{"name":"ECustomDumpItemKind","features":[529]},{"name":"EHostApplicationPolicy","features":[529]},{"name":"EHostBindingPolicyModifyFlags","features":[529]},{"name":"EInitializeNewDomainFlags","features":[529]},{"name":"EMemoryAvailable","features":[529]},{"name":"EMemoryCriticalLevel","features":[529]},{"name":"EPolicyAction","features":[529]},{"name":"ESymbolReadingPolicy","features":[529]},{"name":"ETaskType","features":[529]},{"name":"Event_ClrDisabled","features":[529]},{"name":"Event_DomainUnload","features":[529]},{"name":"Event_MDAFired","features":[529]},{"name":"Event_StackOverflow","features":[529]},{"name":"FAIL_AccessViolation","features":[529]},{"name":"FAIL_CodeContract","features":[529]},{"name":"FAIL_CriticalResource","features":[529]},{"name":"FAIL_FatalRuntime","features":[529]},{"name":"FAIL_NonCriticalResource","features":[529]},{"name":"FAIL_OrphanedLock","features":[529]},{"name":"FAIL_StackOverflow","features":[529]},{"name":"FExecuteInAppDomainCallback","features":[529]},{"name":"FLockClrVersionCallback","features":[529]},{"name":"GetCLRIdentityManager","features":[529]},{"name":"GetCORRequiredVersion","features":[529]},{"name":"GetCORSystemDirectory","features":[529]},{"name":"GetCORVersion","features":[529]},{"name":"GetFileVersion","features":[529]},{"name":"GetRealProcAddress","features":[529]},{"name":"GetRequestedRuntimeInfo","features":[529]},{"name":"GetRequestedRuntimeVersion","features":[529]},{"name":"GetRequestedRuntimeVersionForCLSID","features":[529]},{"name":"GetVersionFromProcess","features":[308,529]},{"name":"HOST_APPLICATION_BINDING_POLICY","features":[529]},{"name":"HOST_BINDING_POLICY_MODIFY_CHAIN","features":[529]},{"name":"HOST_BINDING_POLICY_MODIFY_DEFAULT","features":[529]},{"name":"HOST_BINDING_POLICY_MODIFY_MAX","features":[529]},{"name":"HOST_BINDING_POLICY_MODIFY_REMOVE","features":[529]},{"name":"HOST_TYPE","features":[529]},{"name":"HOST_TYPE_APPLAUNCH","features":[529]},{"name":"HOST_TYPE_CORFLAG","features":[529]},{"name":"HOST_TYPE_DEFAULT","features":[529]},{"name":"IActionOnCLREvent","features":[529]},{"name":"IApartmentCallback","features":[529]},{"name":"IAppDomainBinding","features":[529]},{"name":"ICLRAppDomainResourceMonitor","features":[529]},{"name":"ICLRAssemblyIdentityManager","features":[529]},{"name":"ICLRAssemblyReferenceList","features":[529]},{"name":"ICLRControl","features":[529]},{"name":"ICLRDebugManager","features":[529]},{"name":"ICLRDebugging","features":[529]},{"name":"ICLRDebuggingLibraryProvider","features":[529]},{"name":"ICLRDomainManager","features":[529]},{"name":"ICLRErrorReportingManager","features":[529]},{"name":"ICLRGCManager","features":[529]},{"name":"ICLRGCManager2","features":[529]},{"name":"ICLRHostBindingPolicyManager","features":[529]},{"name":"ICLRHostProtectionManager","features":[529]},{"name":"ICLRIoCompletionManager","features":[529]},{"name":"ICLRMemoryNotificationCallback","features":[529]},{"name":"ICLRMetaHost","features":[529]},{"name":"ICLRMetaHostPolicy","features":[529]},{"name":"ICLROnEventManager","features":[529]},{"name":"ICLRPolicyManager","features":[529]},{"name":"ICLRProbingAssemblyEnum","features":[529]},{"name":"ICLRProfiling","features":[529]},{"name":"ICLRReferenceAssemblyEnum","features":[529]},{"name":"ICLRRuntimeHost","features":[529]},{"name":"ICLRRuntimeInfo","features":[529]},{"name":"ICLRStrongName","features":[529]},{"name":"ICLRStrongName2","features":[529]},{"name":"ICLRStrongName3","features":[529]},{"name":"ICLRSyncManager","features":[529]},{"name":"ICLRTask","features":[529]},{"name":"ICLRTask2","features":[529]},{"name":"ICLRTaskManager","features":[529]},{"name":"ICatalogServices","features":[529]},{"name":"ICorConfiguration","features":[529]},{"name":"ICorRuntimeHost","features":[529]},{"name":"ICorThreadpool","features":[529]},{"name":"IDebuggerInfo","features":[529]},{"name":"IDebuggerThreadControl","features":[529]},{"name":"IGCHost","features":[529]},{"name":"IGCHost2","features":[529]},{"name":"IGCHostControl","features":[529]},{"name":"IGCThreadControl","features":[529]},{"name":"IHostAssemblyManager","features":[529]},{"name":"IHostAssemblyStore","features":[529]},{"name":"IHostAutoEvent","features":[529]},{"name":"IHostControl","features":[529]},{"name":"IHostCrst","features":[529]},{"name":"IHostGCManager","features":[529]},{"name":"IHostIoCompletionManager","features":[529]},{"name":"IHostMalloc","features":[529]},{"name":"IHostManualEvent","features":[529]},{"name":"IHostMemoryManager","features":[529]},{"name":"IHostPolicyManager","features":[529]},{"name":"IHostSecurityContext","features":[529]},{"name":"IHostSecurityManager","features":[529]},{"name":"IHostSemaphore","features":[529]},{"name":"IHostSyncManager","features":[529]},{"name":"IHostTask","features":[529]},{"name":"IHostTaskManager","features":[529]},{"name":"IHostThreadpoolManager","features":[529]},{"name":"IManagedObject","features":[529]},{"name":"IObjectHandle","features":[529]},{"name":"ITypeName","features":[529]},{"name":"ITypeNameBuilder","features":[529]},{"name":"ITypeNameFactory","features":[529]},{"name":"InvalidBucketParamIndex","features":[529]},{"name":"LIBID_mscoree","features":[529]},{"name":"LoadLibraryShim","features":[308,529]},{"name":"LoadStringRC","features":[529]},{"name":"LoadStringRCEx","features":[529]},{"name":"LockClrVersion","features":[529]},{"name":"MALLOC_EXECUTABLE","features":[529]},{"name":"MALLOC_THREADSAFE","features":[529]},{"name":"MALLOC_TYPE","features":[529]},{"name":"MDAInfo","features":[529]},{"name":"METAHOST_CONFIG_FLAGS","features":[529]},{"name":"METAHOST_CONFIG_FLAGS_LEGACY_V2_ACTIVATION_POLICY_FALSE","features":[529]},{"name":"METAHOST_CONFIG_FLAGS_LEGACY_V2_ACTIVATION_POLICY_MASK","features":[529]},{"name":"METAHOST_CONFIG_FLAGS_LEGACY_V2_ACTIVATION_POLICY_TRUE","features":[529]},{"name":"METAHOST_CONFIG_FLAGS_LEGACY_V2_ACTIVATION_POLICY_UNSET","features":[529]},{"name":"METAHOST_POLICY_APPLY_UPGRADE_POLICY","features":[529]},{"name":"METAHOST_POLICY_EMULATE_EXE_LAUNCH","features":[529]},{"name":"METAHOST_POLICY_ENSURE_SKU_SUPPORTED","features":[529]},{"name":"METAHOST_POLICY_FLAGS","features":[529]},{"name":"METAHOST_POLICY_HIGHCOMPAT","features":[529]},{"name":"METAHOST_POLICY_IGNORE_ERROR_MODE","features":[529]},{"name":"METAHOST_POLICY_SHOW_ERROR_DIALOG","features":[529]},{"name":"METAHOST_POLICY_USE_PROCESS_IMAGE_PATH","features":[529]},{"name":"MaxClrEvent","features":[529]},{"name":"MaxClrFailure","features":[529]},{"name":"MaxClrOperation","features":[529]},{"name":"MaxPolicyAction","features":[529]},{"name":"ModuleBindInfo","features":[529]},{"name":"OPR_AppDomainRudeUnload","features":[529]},{"name":"OPR_AppDomainUnload","features":[529]},{"name":"OPR_FinalizerRun","features":[529]},{"name":"OPR_ProcessExit","features":[529]},{"name":"OPR_ThreadAbort","features":[529]},{"name":"OPR_ThreadRudeAbortInCriticalRegion","features":[529]},{"name":"OPR_ThreadRudeAbortInNonCriticalRegion","features":[529]},{"name":"PTLS_CALLBACK_FUNCTION","features":[529]},{"name":"Parameter1","features":[529]},{"name":"Parameter2","features":[529]},{"name":"Parameter3","features":[529]},{"name":"Parameter4","features":[529]},{"name":"Parameter5","features":[529]},{"name":"Parameter6","features":[529]},{"name":"Parameter7","features":[529]},{"name":"Parameter8","features":[529]},{"name":"Parameter9","features":[529]},{"name":"RUNTIME_INFO_DONT_RETURN_DIRECTORY","features":[529]},{"name":"RUNTIME_INFO_DONT_RETURN_VERSION","features":[529]},{"name":"RUNTIME_INFO_DONT_SHOW_ERROR_DIALOG","features":[529]},{"name":"RUNTIME_INFO_FLAGS","features":[529]},{"name":"RUNTIME_INFO_IGNORE_ERROR_MODE","features":[529]},{"name":"RUNTIME_INFO_REQUEST_AMD64","features":[529]},{"name":"RUNTIME_INFO_REQUEST_ARM64","features":[529]},{"name":"RUNTIME_INFO_REQUEST_IA64","features":[529]},{"name":"RUNTIME_INFO_REQUEST_X86","features":[529]},{"name":"RUNTIME_INFO_UPGRADE_VERSION","features":[529]},{"name":"RunDll32ShimW","features":[308,529]},{"name":"RuntimeLoadedCallbackFnPtr","features":[529]},{"name":"SO_ClrEngine","features":[529]},{"name":"SO_Managed","features":[529]},{"name":"SO_Other","features":[529]},{"name":"STARTUP_ALWAYSFLOW_IMPERSONATION","features":[529]},{"name":"STARTUP_ARM","features":[529]},{"name":"STARTUP_CONCURRENT_GC","features":[529]},{"name":"STARTUP_DISABLE_COMMITTHREADSTACK","features":[529]},{"name":"STARTUP_ETW","features":[529]},{"name":"STARTUP_FLAGS","features":[529]},{"name":"STARTUP_HOARD_GC_VM","features":[529]},{"name":"STARTUP_LEGACY_IMPERSONATION","features":[529]},{"name":"STARTUP_LOADER_OPTIMIZATION_MASK","features":[529]},{"name":"STARTUP_LOADER_OPTIMIZATION_MULTI_DOMAIN","features":[529]},{"name":"STARTUP_LOADER_OPTIMIZATION_MULTI_DOMAIN_HOST","features":[529]},{"name":"STARTUP_LOADER_OPTIMIZATION_SINGLE_DOMAIN","features":[529]},{"name":"STARTUP_LOADER_SAFEMODE","features":[529]},{"name":"STARTUP_LOADER_SETPREFERENCE","features":[529]},{"name":"STARTUP_SERVER_GC","features":[529]},{"name":"STARTUP_SINGLE_VERSION_HOSTING_INTERFACE","features":[529]},{"name":"STARTUP_TRIM_GC_COMMIT","features":[529]},{"name":"StackOverflowInfo","features":[308,529,336,314]},{"name":"StackOverflowType","features":[529]},{"name":"TT_ADUNLOAD","features":[529]},{"name":"TT_DEBUGGERHELPER","features":[529]},{"name":"TT_FINALIZER","features":[529]},{"name":"TT_GC","features":[529]},{"name":"TT_THREADPOOL_GATE","features":[529]},{"name":"TT_THREADPOOL_IOCOMPLETION","features":[529]},{"name":"TT_THREADPOOL_TIMER","features":[529]},{"name":"TT_THREADPOOL_WAIT","features":[529]},{"name":"TT_THREADPOOL_WORKER","features":[529]},{"name":"TT_UNKNOWN","features":[529]},{"name":"TT_USER","features":[529]},{"name":"TypeNameFactory","features":[529]},{"name":"WAIT_ALERTABLE","features":[529]},{"name":"WAIT_MSGPUMP","features":[529]},{"name":"WAIT_NOTINDEADLOCK","features":[529]},{"name":"WAIT_OPTION","features":[529]},{"name":"eAbortThread","features":[529]},{"name":"eAll","features":[529]},{"name":"eAppDomainCritical","features":[529]},{"name":"eCurrentContext","features":[529]},{"name":"eDisableRuntime","features":[529]},{"name":"eExitProcess","features":[529]},{"name":"eExternalProcessMgmt","features":[529]},{"name":"eExternalThreading","features":[529]},{"name":"eFastExitProcess","features":[529]},{"name":"eHostDeterminedPolicy","features":[529]},{"name":"eInitializeNewDomainFlags_NoSecurityChanges","features":[529]},{"name":"eInitializeNewDomainFlags_None","features":[529]},{"name":"eMayLeakOnAbort","features":[529]},{"name":"eMemoryAvailableHigh","features":[529]},{"name":"eMemoryAvailableLow","features":[529]},{"name":"eMemoryAvailableNeutral","features":[529]},{"name":"eNoAction","features":[529]},{"name":"eNoChecks","features":[529]},{"name":"ePolicyLevelAdmin","features":[529]},{"name":"ePolicyLevelApp","features":[529]},{"name":"ePolicyLevelHost","features":[529]},{"name":"ePolicyLevelNone","features":[529]},{"name":"ePolicyLevelPublisher","features":[529]},{"name":"ePolicyLevelRetargetable","features":[529]},{"name":"ePolicyPortability","features":[529]},{"name":"ePolicyUnifiedToCLR","features":[529]},{"name":"eProcessCritical","features":[529]},{"name":"eRestrictedContext","features":[529]},{"name":"eRudeAbortThread","features":[529]},{"name":"eRudeExitProcess","features":[529]},{"name":"eRudeUnloadAppDomain","features":[529]},{"name":"eRuntimeDeterminedPolicy","features":[529]},{"name":"eSecurityInfrastructure","features":[529]},{"name":"eSelfAffectingProcessMgmt","features":[529]},{"name":"eSelfAffectingThreading","features":[529]},{"name":"eSharedState","features":[529]},{"name":"eSymbolReadingAlways","features":[529]},{"name":"eSymbolReadingFullTrustOnly","features":[529]},{"name":"eSymbolReadingNever","features":[529]},{"name":"eSynchronization","features":[529]},{"name":"eTaskCritical","features":[529]},{"name":"eThrowException","features":[529]},{"name":"eUI","features":[529]},{"name":"eUnloadAppDomain","features":[529]}],"534":[{"name":"ADVANCED_FEATURE_FLAGS","features":[359]},{"name":"ADVF","features":[359]},{"name":"ADVFCACHE_FORCEBUILTIN","features":[359]},{"name":"ADVFCACHE_NOHANDLER","features":[359]},{"name":"ADVFCACHE_ONSAVE","features":[359]},{"name":"ADVF_DATAONSTOP","features":[359]},{"name":"ADVF_NODATA","features":[359]},{"name":"ADVF_ONLYONCE","features":[359]},{"name":"ADVF_PRIMEFIRST","features":[359]},{"name":"APPIDREGFLAGS_AAA_NO_IMPLICIT_ACTIVATE_AS_IU","features":[359]},{"name":"APPIDREGFLAGS_ACTIVATE_IUSERVER_INDESKTOP","features":[359]},{"name":"APPIDREGFLAGS_ISSUE_ACTIVATION_RPC_AT_IDENTIFY","features":[359]},{"name":"APPIDREGFLAGS_IUSERVER_ACTIVATE_IN_CLIENT_SESSION_ONLY","features":[359]},{"name":"APPIDREGFLAGS_IUSERVER_SELF_SID_IN_LAUNCH_PERMISSION","features":[359]},{"name":"APPIDREGFLAGS_IUSERVER_UNMODIFIED_LOGON_TOKEN","features":[359]},{"name":"APPIDREGFLAGS_RESERVED1","features":[359]},{"name":"APPIDREGFLAGS_RESERVED2","features":[359]},{"name":"APPIDREGFLAGS_RESERVED3","features":[359]},{"name":"APPIDREGFLAGS_RESERVED4","features":[359]},{"name":"APPIDREGFLAGS_RESERVED5","features":[359]},{"name":"APPIDREGFLAGS_RESERVED7","features":[359]},{"name":"APPIDREGFLAGS_RESERVED8","features":[359]},{"name":"APPIDREGFLAGS_RESERVED9","features":[359]},{"name":"APPIDREGFLAGS_SECURE_SERVER_PROCESS_SD_AND_BIND","features":[359]},{"name":"APTTYPE","features":[359]},{"name":"APTTYPEQUALIFIER","features":[359]},{"name":"APTTYPEQUALIFIER_APPLICATION_STA","features":[359]},{"name":"APTTYPEQUALIFIER_IMPLICIT_MTA","features":[359]},{"name":"APTTYPEQUALIFIER_NA_ON_IMPLICIT_MTA","features":[359]},{"name":"APTTYPEQUALIFIER_NA_ON_MAINSTA","features":[359]},{"name":"APTTYPEQUALIFIER_NA_ON_MTA","features":[359]},{"name":"APTTYPEQUALIFIER_NA_ON_STA","features":[359]},{"name":"APTTYPEQUALIFIER_NONE","features":[359]},{"name":"APTTYPEQUALIFIER_RESERVED_1","features":[359]},{"name":"APTTYPE_CURRENT","features":[359]},{"name":"APTTYPE_MAINSTA","features":[359]},{"name":"APTTYPE_MTA","features":[359]},{"name":"APTTYPE_NA","features":[359]},{"name":"APTTYPE_STA","features":[359]},{"name":"ASYNC_MODE_COMPATIBILITY","features":[359]},{"name":"ASYNC_MODE_DEFAULT","features":[359]},{"name":"AUTHENTICATEINFO","features":[359]},{"name":"ApplicationType","features":[359]},{"name":"AsyncIAdviseSink","features":[359]},{"name":"AsyncIAdviseSink2","features":[359]},{"name":"AsyncIMultiQI","features":[359]},{"name":"AsyncIPipeByte","features":[359]},{"name":"AsyncIPipeDouble","features":[359]},{"name":"AsyncIPipeLong","features":[359]},{"name":"AsyncIUnknown","features":[359]},{"name":"BINDINFO","features":[308,319,311,432]},{"name":"BINDINFOF","features":[359]},{"name":"BINDINFOF_URLENCODEDEXTRAINFO","features":[359]},{"name":"BINDINFOF_URLENCODESTGMEDDATA","features":[359]},{"name":"BINDPTR","features":[359,418,383]},{"name":"BIND_FLAGS","features":[359]},{"name":"BIND_JUSTTESTEXISTENCE","features":[359]},{"name":"BIND_MAYBOTHERUSER","features":[359]},{"name":"BIND_OPTS","features":[359]},{"name":"BIND_OPTS2","features":[359]},{"name":"BIND_OPTS3","features":[308,359]},{"name":"BLOB","features":[359]},{"name":"BYTE_BLOB","features":[359]},{"name":"BYTE_SIZEDARR","features":[359]},{"name":"BindMoniker","features":[359]},{"name":"CALLCONV","features":[359]},{"name":"CALLTYPE","features":[359]},{"name":"CALLTYPE_ASYNC","features":[359]},{"name":"CALLTYPE_ASYNC_CALLPENDING","features":[359]},{"name":"CALLTYPE_NESTED","features":[359]},{"name":"CALLTYPE_TOPLEVEL","features":[359]},{"name":"CALLTYPE_TOPLEVEL_CALLPENDING","features":[359]},{"name":"CATEGORYINFO","features":[359]},{"name":"CC_CDECL","features":[359]},{"name":"CC_FASTCALL","features":[359]},{"name":"CC_FPFASTCALL","features":[359]},{"name":"CC_MACPASCAL","features":[359]},{"name":"CC_MAX","features":[359]},{"name":"CC_MPWCDECL","features":[359]},{"name":"CC_MPWPASCAL","features":[359]},{"name":"CC_MSCPASCAL","features":[359]},{"name":"CC_PASCAL","features":[359]},{"name":"CC_STDCALL","features":[359]},{"name":"CC_SYSCALL","features":[359]},{"name":"CLSCTX","features":[359]},{"name":"CLSCTX_ACTIVATE_32_BIT_SERVER","features":[359]},{"name":"CLSCTX_ACTIVATE_64_BIT_SERVER","features":[359]},{"name":"CLSCTX_ACTIVATE_AAA_AS_IU","features":[359]},{"name":"CLSCTX_ACTIVATE_ARM32_SERVER","features":[359]},{"name":"CLSCTX_ACTIVATE_X86_SERVER","features":[359]},{"name":"CLSCTX_ALL","features":[359]},{"name":"CLSCTX_ALLOW_LOWER_TRUST_REGISTRATION","features":[359]},{"name":"CLSCTX_APPCONTAINER","features":[359]},{"name":"CLSCTX_DISABLE_AAA","features":[359]},{"name":"CLSCTX_ENABLE_AAA","features":[359]},{"name":"CLSCTX_ENABLE_CLOAKING","features":[359]},{"name":"CLSCTX_ENABLE_CODE_DOWNLOAD","features":[359]},{"name":"CLSCTX_FROM_DEFAULT_CONTEXT","features":[359]},{"name":"CLSCTX_INPROC_HANDLER","features":[359]},{"name":"CLSCTX_INPROC_HANDLER16","features":[359]},{"name":"CLSCTX_INPROC_SERVER","features":[359]},{"name":"CLSCTX_INPROC_SERVER16","features":[359]},{"name":"CLSCTX_LOCAL_SERVER","features":[359]},{"name":"CLSCTX_NO_CODE_DOWNLOAD","features":[359]},{"name":"CLSCTX_NO_CUSTOM_MARSHAL","features":[359]},{"name":"CLSCTX_NO_FAILURE_LOG","features":[359]},{"name":"CLSCTX_PS_DLL","features":[359]},{"name":"CLSCTX_REMOTE_SERVER","features":[359]},{"name":"CLSCTX_RESERVED1","features":[359]},{"name":"CLSCTX_RESERVED2","features":[359]},{"name":"CLSCTX_RESERVED3","features":[359]},{"name":"CLSCTX_RESERVED4","features":[359]},{"name":"CLSCTX_RESERVED5","features":[359]},{"name":"CLSCTX_RESERVED6","features":[359]},{"name":"CLSCTX_SERVER","features":[359]},{"name":"CLSIDFromProgID","features":[359]},{"name":"CLSIDFromProgIDEx","features":[359]},{"name":"CLSIDFromString","features":[359]},{"name":"COAUTHIDENTITY","features":[359]},{"name":"COAUTHINFO","features":[359]},{"name":"COINIT","features":[359]},{"name":"COINITBASE","features":[359]},{"name":"COINITBASE_MULTITHREADED","features":[359]},{"name":"COINIT_APARTMENTTHREADED","features":[359]},{"name":"COINIT_DISABLE_OLE1DDE","features":[359]},{"name":"COINIT_MULTITHREADED","features":[359]},{"name":"COINIT_SPEED_OVER_MEMORY","features":[359]},{"name":"COLE_DEFAULT_AUTHINFO","features":[359]},{"name":"COLE_DEFAULT_PRINCIPAL","features":[359]},{"name":"COMBND_RESERVED1","features":[359]},{"name":"COMBND_RESERVED2","features":[359]},{"name":"COMBND_RESERVED3","features":[359]},{"name":"COMBND_RESERVED4","features":[359]},{"name":"COMBND_RPCTIMEOUT","features":[359]},{"name":"COMBND_SERVER_LOCALITY","features":[359]},{"name":"COMGLB_APPID","features":[359]},{"name":"COMGLB_EXCEPTION_DONOT_HANDLE","features":[359]},{"name":"COMGLB_EXCEPTION_DONOT_HANDLE_ANY","features":[359]},{"name":"COMGLB_EXCEPTION_DONOT_HANDLE_FATAL","features":[359]},{"name":"COMGLB_EXCEPTION_HANDLE","features":[359]},{"name":"COMGLB_EXCEPTION_HANDLING","features":[359]},{"name":"COMGLB_FAST_RUNDOWN","features":[359]},{"name":"COMGLB_PROPERTIES_RESERVED1","features":[359]},{"name":"COMGLB_PROPERTIES_RESERVED2","features":[359]},{"name":"COMGLB_PROPERTIES_RESERVED3","features":[359]},{"name":"COMGLB_RESERVED1","features":[359]},{"name":"COMGLB_RESERVED2","features":[359]},{"name":"COMGLB_RESERVED3","features":[359]},{"name":"COMGLB_RESERVED4","features":[359]},{"name":"COMGLB_RESERVED5","features":[359]},{"name":"COMGLB_RESERVED6","features":[359]},{"name":"COMGLB_RO_SETTINGS","features":[359]},{"name":"COMGLB_RPC_THREADPOOL_SETTING","features":[359]},{"name":"COMGLB_RPC_THREADPOOL_SETTING_DEFAULT_POOL","features":[359]},{"name":"COMGLB_RPC_THREADPOOL_SETTING_PRIVATE_POOL","features":[359]},{"name":"COMGLB_STA_MODALLOOP_REMOVE_TOUCH_MESSAGES","features":[359]},{"name":"COMGLB_STA_MODALLOOP_SHARED_QUEUE_DONOT_REMOVE_INPUT_MESSAGES","features":[359]},{"name":"COMGLB_STA_MODALLOOP_SHARED_QUEUE_REMOVE_INPUT_MESSAGES","features":[359]},{"name":"COMGLB_STA_MODALLOOP_SHARED_QUEUE_REORDER_POINTER_MESSAGES","features":[359]},{"name":"COMGLB_UNMARSHALING_POLICY","features":[359]},{"name":"COMGLB_UNMARSHALING_POLICY_HYBRID","features":[359]},{"name":"COMGLB_UNMARSHALING_POLICY_NORMAL","features":[359]},{"name":"COMGLB_UNMARSHALING_POLICY_STRONG","features":[359]},{"name":"COMSD","features":[359]},{"name":"COM_RIGHTS_ACTIVATE_LOCAL","features":[359]},{"name":"COM_RIGHTS_ACTIVATE_REMOTE","features":[359]},{"name":"COM_RIGHTS_EXECUTE","features":[359]},{"name":"COM_RIGHTS_EXECUTE_LOCAL","features":[359]},{"name":"COM_RIGHTS_EXECUTE_REMOTE","features":[359]},{"name":"COM_RIGHTS_RESERVED1","features":[359]},{"name":"COM_RIGHTS_RESERVED2","features":[359]},{"name":"CONNECTDATA","features":[359]},{"name":"COSERVERINFO","features":[359]},{"name":"COWAIT_ALERTABLE","features":[359]},{"name":"COWAIT_DEFAULT","features":[359]},{"name":"COWAIT_DISPATCH_CALLS","features":[359]},{"name":"COWAIT_DISPATCH_WINDOW_MESSAGES","features":[359]},{"name":"COWAIT_FLAGS","features":[359]},{"name":"COWAIT_INPUTAVAILABLE","features":[359]},{"name":"COWAIT_WAITALL","features":[359]},{"name":"CO_DEVICE_CATALOG_COOKIE","features":[359]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTES","features":[359]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_1","features":[359]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_10","features":[359]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_11","features":[359]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_12","features":[359]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_13","features":[359]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_14","features":[359]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_15","features":[359]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_16","features":[359]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_17","features":[359]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_18","features":[359]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_2","features":[359]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_3","features":[359]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_4","features":[359]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_5","features":[359]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_6","features":[359]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_7","features":[359]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_8","features":[359]},{"name":"CO_MARSHALING_CONTEXT_ATTRIBUTE_RESERVED_9","features":[359]},{"name":"CO_MARSHALING_SOURCE_IS_APP_CONTAINER","features":[359]},{"name":"CO_MTA_USAGE_COOKIE","features":[359]},{"name":"CSPLATFORM","features":[359]},{"name":"CUSTDATA","features":[359]},{"name":"CUSTDATAITEM","features":[359]},{"name":"CWMO_DEFAULT","features":[359]},{"name":"CWMO_DISPATCH_CALLS","features":[359]},{"name":"CWMO_DISPATCH_WINDOW_MESSAGES","features":[359]},{"name":"CWMO_FLAGS","features":[359]},{"name":"CWMO_MAX_HANDLES","features":[359]},{"name":"CY","features":[359]},{"name":"CoAddRefServerProcess","features":[359]},{"name":"CoAllowSetForegroundWindow","features":[359]},{"name":"CoAllowUnmarshalerCLSID","features":[359]},{"name":"CoBuildVersion","features":[359]},{"name":"CoCancelCall","features":[359]},{"name":"CoCopyProxy","features":[359]},{"name":"CoCreateFreeThreadedMarshaler","features":[359]},{"name":"CoCreateGuid","features":[359]},{"name":"CoCreateInstance","features":[359]},{"name":"CoCreateInstanceEx","features":[359]},{"name":"CoCreateInstanceFromApp","features":[359]},{"name":"CoDecrementMTAUsage","features":[359]},{"name":"CoDisableCallCancellation","features":[359]},{"name":"CoDisconnectContext","features":[359]},{"name":"CoDisconnectObject","features":[359]},{"name":"CoDosDateTimeToFileTime","features":[308,359]},{"name":"CoEnableCallCancellation","features":[359]},{"name":"CoFileTimeNow","features":[308,359]},{"name":"CoFileTimeToDosDateTime","features":[308,359]},{"name":"CoFreeAllLibraries","features":[359]},{"name":"CoFreeLibrary","features":[308,359]},{"name":"CoFreeUnusedLibraries","features":[359]},{"name":"CoFreeUnusedLibrariesEx","features":[359]},{"name":"CoGetApartmentType","features":[359]},{"name":"CoGetCallContext","features":[359]},{"name":"CoGetCallerTID","features":[359]},{"name":"CoGetCancelObject","features":[359]},{"name":"CoGetClassObject","features":[359]},{"name":"CoGetContextToken","features":[359]},{"name":"CoGetCurrentLogicalThreadId","features":[359]},{"name":"CoGetCurrentProcess","features":[359]},{"name":"CoGetMalloc","features":[359]},{"name":"CoGetObject","features":[359]},{"name":"CoGetObjectContext","features":[359]},{"name":"CoGetPSClsid","features":[359]},{"name":"CoGetSystemSecurityPermissions","features":[311,359]},{"name":"CoGetTreatAsClass","features":[359]},{"name":"CoImpersonateClient","features":[359]},{"name":"CoIncrementMTAUsage","features":[359]},{"name":"CoInitialize","features":[359]},{"name":"CoInitializeEx","features":[359]},{"name":"CoInitializeSecurity","features":[311,359]},{"name":"CoInstall","features":[359]},{"name":"CoInvalidateRemoteMachineBindings","features":[359]},{"name":"CoIsHandlerConnected","features":[308,359]},{"name":"CoIsOle1Class","features":[308,359]},{"name":"CoLoadLibrary","features":[308,359]},{"name":"CoLockObjectExternal","features":[308,359]},{"name":"CoQueryAuthenticationServices","features":[359]},{"name":"CoQueryClientBlanket","features":[359]},{"name":"CoQueryProxyBlanket","features":[359]},{"name":"CoRegisterActivationFilter","features":[359]},{"name":"CoRegisterChannelHook","features":[359]},{"name":"CoRegisterClassObject","features":[359]},{"name":"CoRegisterDeviceCatalog","features":[359]},{"name":"CoRegisterInitializeSpy","features":[359]},{"name":"CoRegisterMallocSpy","features":[359]},{"name":"CoRegisterPSClsid","features":[359]},{"name":"CoRegisterSurrogate","features":[359]},{"name":"CoReleaseServerProcess","features":[359]},{"name":"CoResumeClassObjects","features":[359]},{"name":"CoRevertToSelf","features":[359]},{"name":"CoRevokeClassObject","features":[359]},{"name":"CoRevokeDeviceCatalog","features":[359]},{"name":"CoRevokeInitializeSpy","features":[359]},{"name":"CoRevokeMallocSpy","features":[359]},{"name":"CoSetCancelObject","features":[359]},{"name":"CoSetProxyBlanket","features":[359]},{"name":"CoSuspendClassObjects","features":[359]},{"name":"CoSwitchCallContext","features":[359]},{"name":"CoTaskMemAlloc","features":[359]},{"name":"CoTaskMemFree","features":[359]},{"name":"CoTaskMemRealloc","features":[359]},{"name":"CoTestCancel","features":[359]},{"name":"CoTreatAsClass","features":[359]},{"name":"CoUninitialize","features":[359]},{"name":"CoWaitForMultipleHandles","features":[308,359]},{"name":"CoWaitForMultipleObjects","features":[308,359]},{"name":"ComCallData","features":[359]},{"name":"ContextProperty","features":[359]},{"name":"CreateAntiMoniker","features":[359]},{"name":"CreateBindCtx","features":[359]},{"name":"CreateClassMoniker","features":[359]},{"name":"CreateDataAdviseHolder","features":[359]},{"name":"CreateDataCache","features":[359]},{"name":"CreateFileMoniker","features":[359]},{"name":"CreateGenericComposite","features":[359]},{"name":"CreateIUriBuilder","features":[359]},{"name":"CreateItemMoniker","features":[359]},{"name":"CreateObjrefMoniker","features":[359]},{"name":"CreatePointerMoniker","features":[359]},{"name":"CreateStdProgressIndicator","features":[308,359]},{"name":"CreateUri","features":[359]},{"name":"CreateUriFromMultiByteString","features":[359]},{"name":"CreateUriWithFragment","features":[359]},{"name":"DATADIR","features":[359]},{"name":"DATADIR_GET","features":[359]},{"name":"DATADIR_SET","features":[359]},{"name":"DCOMSCM_ACTIVATION_DISALLOW_UNSECURE_CALL","features":[359]},{"name":"DCOMSCM_ACTIVATION_USE_ALL_AUTHNSERVICES","features":[359]},{"name":"DCOMSCM_PING_DISALLOW_UNSECURE_CALL","features":[359]},{"name":"DCOMSCM_PING_USE_MID_AUTHNSERVICE","features":[359]},{"name":"DCOMSCM_RESOLVE_DISALLOW_UNSECURE_CALL","features":[359]},{"name":"DCOMSCM_RESOLVE_USE_ALL_AUTHNSERVICES","features":[359]},{"name":"DCOM_CALL_CANCELED","features":[359]},{"name":"DCOM_CALL_COMPLETE","features":[359]},{"name":"DCOM_CALL_STATE","features":[359]},{"name":"DCOM_NONE","features":[359]},{"name":"DESCKIND","features":[359]},{"name":"DESCKIND_FUNCDESC","features":[359]},{"name":"DESCKIND_IMPLICITAPPOBJ","features":[359]},{"name":"DESCKIND_MAX","features":[359]},{"name":"DESCKIND_NONE","features":[359]},{"name":"DESCKIND_TYPECOMP","features":[359]},{"name":"DESCKIND_VARDESC","features":[359]},{"name":"DISPATCH_FLAGS","features":[359]},{"name":"DISPATCH_METHOD","features":[359]},{"name":"DISPATCH_PROPERTYGET","features":[359]},{"name":"DISPATCH_PROPERTYPUT","features":[359]},{"name":"DISPATCH_PROPERTYPUTREF","features":[359]},{"name":"DISPPARAMS","features":[359]},{"name":"DMUS_ERRBASE","features":[359]},{"name":"DVASPECT","features":[359]},{"name":"DVASPECT_CONTENT","features":[359]},{"name":"DVASPECT_DOCPRINT","features":[359]},{"name":"DVASPECT_ICON","features":[359]},{"name":"DVASPECT_OPAQUE","features":[359]},{"name":"DVASPECT_THUMBNAIL","features":[359]},{"name":"DVASPECT_TRANSPARENT","features":[359]},{"name":"DVTARGETDEVICE","features":[359]},{"name":"DWORD_BLOB","features":[359]},{"name":"DWORD_SIZEDARR","features":[359]},{"name":"DcomChannelSetHResult","features":[359]},{"name":"ELEMDESC","features":[359,418,383]},{"name":"EOAC_ACCESS_CONTROL","features":[359]},{"name":"EOAC_ANY_AUTHORITY","features":[359]},{"name":"EOAC_APPID","features":[359]},{"name":"EOAC_AUTO_IMPERSONATE","features":[359]},{"name":"EOAC_DEFAULT","features":[359]},{"name":"EOAC_DISABLE_AAA","features":[359]},{"name":"EOAC_DYNAMIC","features":[359]},{"name":"EOAC_DYNAMIC_CLOAKING","features":[359]},{"name":"EOAC_MAKE_FULLSIC","features":[359]},{"name":"EOAC_MUTUAL_AUTH","features":[359]},{"name":"EOAC_NONE","features":[359]},{"name":"EOAC_NO_CUSTOM_MARSHAL","features":[359]},{"name":"EOAC_REQUIRE_FULLSIC","features":[359]},{"name":"EOAC_RESERVED1","features":[359]},{"name":"EOAC_SECURE_REFS","features":[359]},{"name":"EOAC_STATIC_CLOAKING","features":[359]},{"name":"EOLE_AUTHENTICATION_CAPABILITIES","features":[359]},{"name":"EXCEPINFO","features":[359]},{"name":"EXTCONN","features":[359]},{"name":"EXTCONN_CALLABLE","features":[359]},{"name":"EXTCONN_STRONG","features":[359]},{"name":"EXTCONN_WEAK","features":[359]},{"name":"FADF_AUTO","features":[359]},{"name":"FADF_BSTR","features":[359]},{"name":"FADF_DISPATCH","features":[359]},{"name":"FADF_EMBEDDED","features":[359]},{"name":"FADF_FIXEDSIZE","features":[359]},{"name":"FADF_HAVEIID","features":[359]},{"name":"FADF_HAVEVARTYPE","features":[359]},{"name":"FADF_RECORD","features":[359]},{"name":"FADF_RESERVED","features":[359]},{"name":"FADF_STATIC","features":[359]},{"name":"FADF_UNKNOWN","features":[359]},{"name":"FADF_VARIANT","features":[359]},{"name":"FLAGGED_BYTE_BLOB","features":[359]},{"name":"FLAGGED_WORD_BLOB","features":[359]},{"name":"FLAG_STGMEDIUM","features":[308,319,432]},{"name":"FORMATETC","features":[359]},{"name":"FUNCDESC","features":[359,418,383]},{"name":"FUNCFLAGS","features":[359]},{"name":"FUNCFLAG_FBINDABLE","features":[359]},{"name":"FUNCFLAG_FDEFAULTBIND","features":[359]},{"name":"FUNCFLAG_FDEFAULTCOLLELEM","features":[359]},{"name":"FUNCFLAG_FDISPLAYBIND","features":[359]},{"name":"FUNCFLAG_FHIDDEN","features":[359]},{"name":"FUNCFLAG_FIMMEDIATEBIND","features":[359]},{"name":"FUNCFLAG_FNONBROWSABLE","features":[359]},{"name":"FUNCFLAG_FREPLACEABLE","features":[359]},{"name":"FUNCFLAG_FREQUESTEDIT","features":[359]},{"name":"FUNCFLAG_FRESTRICTED","features":[359]},{"name":"FUNCFLAG_FSOURCE","features":[359]},{"name":"FUNCFLAG_FUIDEFAULT","features":[359]},{"name":"FUNCFLAG_FUSESGETLASTERROR","features":[359]},{"name":"FUNCKIND","features":[359]},{"name":"FUNC_DISPATCH","features":[359]},{"name":"FUNC_NONVIRTUAL","features":[359]},{"name":"FUNC_PUREVIRTUAL","features":[359]},{"name":"FUNC_STATIC","features":[359]},{"name":"FUNC_VIRTUAL","features":[359]},{"name":"ForcedShutdown","features":[359]},{"name":"GDI_OBJECT","features":[319,359,342]},{"name":"GLOBALOPT_EH_VALUES","features":[359]},{"name":"GLOBALOPT_PROPERTIES","features":[359]},{"name":"GLOBALOPT_RO_FLAGS","features":[359]},{"name":"GLOBALOPT_RPCTP_VALUES","features":[359]},{"name":"GLOBALOPT_UNMARSHALING_POLICY_VALUES","features":[359]},{"name":"GetClassFile","features":[359]},{"name":"GetErrorInfo","features":[359]},{"name":"GetRunningObjectTable","features":[359]},{"name":"HYPER_SIZEDARR","features":[359]},{"name":"IActivationFilter","features":[359]},{"name":"IAddrExclusionControl","features":[359]},{"name":"IAddrTrackingControl","features":[359]},{"name":"IAdviseSink","features":[359]},{"name":"IAdviseSink2","features":[359]},{"name":"IAgileObject","features":[359]},{"name":"IAsyncManager","features":[359]},{"name":"IAsyncRpcChannelBuffer","features":[359]},{"name":"IAuthenticate","features":[359]},{"name":"IAuthenticateEx","features":[359]},{"name":"IBindCtx","features":[359]},{"name":"IBindHost","features":[359]},{"name":"IBindStatusCallback","features":[359]},{"name":"IBindStatusCallbackEx","features":[359]},{"name":"IBinding","features":[359]},{"name":"IBlockingLock","features":[359]},{"name":"ICallFactory","features":[359]},{"name":"ICancelMethodCalls","features":[359]},{"name":"ICatInformation","features":[359]},{"name":"ICatRegister","features":[359]},{"name":"IChannelHook","features":[359]},{"name":"IClassActivator","features":[359]},{"name":"IClassFactory","features":[359]},{"name":"IClientSecurity","features":[359]},{"name":"IComThreadingInfo","features":[359]},{"name":"IConnectionPoint","features":[359]},{"name":"IConnectionPointContainer","features":[359]},{"name":"IContext","features":[359]},{"name":"IContextCallback","features":[359]},{"name":"IDLDESC","features":[359]},{"name":"IDLFLAGS","features":[359]},{"name":"IDLFLAG_FIN","features":[359]},{"name":"IDLFLAG_FLCID","features":[359]},{"name":"IDLFLAG_FOUT","features":[359]},{"name":"IDLFLAG_FRETVAL","features":[359]},{"name":"IDLFLAG_NONE","features":[359]},{"name":"IDataAdviseHolder","features":[359]},{"name":"IDataObject","features":[359]},{"name":"IDispatch","features":[359]},{"name":"IEnumCATEGORYINFO","features":[359]},{"name":"IEnumConnectionPoints","features":[359]},{"name":"IEnumConnections","features":[359]},{"name":"IEnumContextProps","features":[359]},{"name":"IEnumFORMATETC","features":[359]},{"name":"IEnumGUID","features":[359]},{"name":"IEnumMoniker","features":[359]},{"name":"IEnumSTATDATA","features":[359]},{"name":"IEnumString","features":[359]},{"name":"IEnumUnknown","features":[359]},{"name":"IErrorInfo","features":[359]},{"name":"IErrorLog","features":[359]},{"name":"IExternalConnection","features":[359]},{"name":"IFastRundown","features":[359]},{"name":"IForegroundTransfer","features":[359]},{"name":"IGlobalInterfaceTable","features":[359]},{"name":"IGlobalOptions","features":[359]},{"name":"IIDFromString","features":[359]},{"name":"IInitializeSpy","features":[359]},{"name":"IInternalUnknown","features":[359]},{"name":"IMPLTYPEFLAGS","features":[359]},{"name":"IMPLTYPEFLAG_FDEFAULT","features":[359]},{"name":"IMPLTYPEFLAG_FDEFAULTVTABLE","features":[359]},{"name":"IMPLTYPEFLAG_FRESTRICTED","features":[359]},{"name":"IMPLTYPEFLAG_FSOURCE","features":[359]},{"name":"IMachineGlobalObjectTable","features":[359]},{"name":"IMalloc","features":[359]},{"name":"IMallocSpy","features":[359]},{"name":"IMoniker","features":[359]},{"name":"IMultiQI","features":[359]},{"name":"INTERFACEINFO","features":[359]},{"name":"INVOKEKIND","features":[359]},{"name":"INVOKE_FUNC","features":[359]},{"name":"INVOKE_PROPERTYGET","features":[359]},{"name":"INVOKE_PROPERTYPUT","features":[359]},{"name":"INVOKE_PROPERTYPUTREF","features":[359]},{"name":"INoMarshal","features":[359]},{"name":"IOplockStorage","features":[359]},{"name":"IPSFactoryBuffer","features":[359]},{"name":"IPersist","features":[359]},{"name":"IPersistFile","features":[359]},{"name":"IPersistMemory","features":[359]},{"name":"IPersistStream","features":[359]},{"name":"IPersistStreamInit","features":[359]},{"name":"IPipeByte","features":[359]},{"name":"IPipeDouble","features":[359]},{"name":"IPipeLong","features":[359]},{"name":"IProcessInitControl","features":[359]},{"name":"IProcessLock","features":[359]},{"name":"IProgressNotify","features":[359]},{"name":"IROTData","features":[359]},{"name":"IReleaseMarshalBuffers","features":[359]},{"name":"IRpcChannelBuffer","features":[359]},{"name":"IRpcChannelBuffer2","features":[359]},{"name":"IRpcChannelBuffer3","features":[359]},{"name":"IRpcHelper","features":[359]},{"name":"IRpcOptions","features":[359]},{"name":"IRpcProxyBuffer","features":[359]},{"name":"IRpcStubBuffer","features":[359]},{"name":"IRpcSyntaxNegotiate","features":[359]},{"name":"IRunnableObject","features":[359]},{"name":"IRunningObjectTable","features":[359]},{"name":"ISequentialStream","features":[359]},{"name":"IServerSecurity","features":[359]},{"name":"IServiceProvider","features":[359]},{"name":"IStdMarshalInfo","features":[359]},{"name":"IStream","features":[359]},{"name":"ISupportAllowLowerTrustActivation","features":[359]},{"name":"ISupportErrorInfo","features":[359]},{"name":"ISurrogate","features":[359]},{"name":"ISurrogateService","features":[359]},{"name":"ISynchronize","features":[359]},{"name":"ISynchronizeContainer","features":[359]},{"name":"ISynchronizeEvent","features":[359]},{"name":"ISynchronizeHandle","features":[359]},{"name":"ISynchronizeMutex","features":[359]},{"name":"ITimeAndNoticeControl","features":[359]},{"name":"ITypeComp","features":[359]},{"name":"ITypeInfo","features":[359]},{"name":"ITypeInfo2","features":[359]},{"name":"ITypeLib","features":[359]},{"name":"ITypeLib2","features":[359]},{"name":"ITypeLibRegistration","features":[359]},{"name":"ITypeLibRegistrationReader","features":[359]},{"name":"IUnknown","features":[359]},{"name":"IUri","features":[359]},{"name":"IUriBuilder","features":[359]},{"name":"IUrlMon","features":[359]},{"name":"IWaitMultiple","features":[359]},{"name":"IdleShutdown","features":[359]},{"name":"LOCKTYPE","features":[359]},{"name":"LOCK_EXCLUSIVE","features":[359]},{"name":"LOCK_ONLYONCE","features":[359]},{"name":"LOCK_WRITE","features":[359]},{"name":"LPEXCEPFINO_DEFERRED_FILLIN","features":[359]},{"name":"LPFNCANUNLOADNOW","features":[359]},{"name":"LPFNGETCLASSOBJECT","features":[359]},{"name":"LibraryApplication","features":[359]},{"name":"MARSHALINTERFACE_MIN","features":[359]},{"name":"MAXLSN","features":[359]},{"name":"MEMCTX","features":[359]},{"name":"MEMCTX_MACSYSTEM","features":[359]},{"name":"MEMCTX_SAME","features":[359]},{"name":"MEMCTX_SHARED","features":[359]},{"name":"MEMCTX_TASK","features":[359]},{"name":"MEMCTX_UNKNOWN","features":[359]},{"name":"MKRREDUCE","features":[359]},{"name":"MKRREDUCE_ALL","features":[359]},{"name":"MKRREDUCE_ONE","features":[359]},{"name":"MKRREDUCE_THROUGHUSER","features":[359]},{"name":"MKRREDUCE_TOUSER","features":[359]},{"name":"MKSYS","features":[359]},{"name":"MKSYS_ANTIMONIKER","features":[359]},{"name":"MKSYS_CLASSMONIKER","features":[359]},{"name":"MKSYS_FILEMONIKER","features":[359]},{"name":"MKSYS_GENERICCOMPOSITE","features":[359]},{"name":"MKSYS_ITEMMONIKER","features":[359]},{"name":"MKSYS_LUAMONIKER","features":[359]},{"name":"MKSYS_NONE","features":[359]},{"name":"MKSYS_OBJREFMONIKER","features":[359]},{"name":"MKSYS_POINTERMONIKER","features":[359]},{"name":"MKSYS_SESSIONMONIKER","features":[359]},{"name":"MSHCTX","features":[359]},{"name":"MSHCTX_CONTAINER","features":[359]},{"name":"MSHCTX_CROSSCTX","features":[359]},{"name":"MSHCTX_DIFFERENTMACHINE","features":[359]},{"name":"MSHCTX_INPROC","features":[359]},{"name":"MSHCTX_LOCAL","features":[359]},{"name":"MSHCTX_NOSHAREDMEM","features":[359]},{"name":"MSHLFLAGS","features":[359]},{"name":"MSHLFLAGS_NOPING","features":[359]},{"name":"MSHLFLAGS_NORMAL","features":[359]},{"name":"MSHLFLAGS_RESERVED1","features":[359]},{"name":"MSHLFLAGS_RESERVED2","features":[359]},{"name":"MSHLFLAGS_RESERVED3","features":[359]},{"name":"MSHLFLAGS_RESERVED4","features":[359]},{"name":"MSHLFLAGS_TABLESTRONG","features":[359]},{"name":"MSHLFLAGS_TABLEWEAK","features":[359]},{"name":"MULTI_QI","features":[359]},{"name":"MachineGlobalObjectTableRegistrationToken","features":[359]},{"name":"MkParseDisplayName","features":[359]},{"name":"MonikerCommonPrefixWith","features":[359]},{"name":"MonikerRelativePathTo","features":[308,359]},{"name":"PENDINGMSG","features":[359]},{"name":"PENDINGMSG_CANCELCALL","features":[359]},{"name":"PENDINGMSG_WAITDEFPROCESS","features":[359]},{"name":"PENDINGMSG_WAITNOPROCESS","features":[359]},{"name":"PENDINGTYPE","features":[359]},{"name":"PENDINGTYPE_NESTED","features":[359]},{"name":"PENDINGTYPE_TOPLEVEL","features":[359]},{"name":"PFNCONTEXTCALL","features":[359]},{"name":"ProgIDFromCLSID","features":[359]},{"name":"QUERYCONTEXT","features":[359]},{"name":"REGCLS","features":[359]},{"name":"REGCLS_AGILE","features":[359]},{"name":"REGCLS_MULTIPLEUSE","features":[359]},{"name":"REGCLS_MULTI_SEPARATE","features":[359]},{"name":"REGCLS_SINGLEUSE","features":[359]},{"name":"REGCLS_SURROGATE","features":[359]},{"name":"REGCLS_SUSPENDED","features":[359]},{"name":"ROTFLAGS_ALLOWANYCLIENT","features":[359]},{"name":"ROTFLAGS_REGISTRATIONKEEPSALIVE","features":[359]},{"name":"ROTREGFLAGS_ALLOWANYCLIENT","features":[359]},{"name":"ROT_FLAGS","features":[359]},{"name":"RPCOLEMESSAGE","features":[359]},{"name":"RPCOPT_PROPERTIES","features":[359]},{"name":"RPCOPT_SERVER_LOCALITY_VALUES","features":[359]},{"name":"RPC_C_AUTHN_LEVEL","features":[359]},{"name":"RPC_C_AUTHN_LEVEL_CALL","features":[359]},{"name":"RPC_C_AUTHN_LEVEL_CONNECT","features":[359]},{"name":"RPC_C_AUTHN_LEVEL_DEFAULT","features":[359]},{"name":"RPC_C_AUTHN_LEVEL_NONE","features":[359]},{"name":"RPC_C_AUTHN_LEVEL_PKT","features":[359]},{"name":"RPC_C_AUTHN_LEVEL_PKT_INTEGRITY","features":[359]},{"name":"RPC_C_AUTHN_LEVEL_PKT_PRIVACY","features":[359]},{"name":"RPC_C_IMP_LEVEL","features":[359]},{"name":"RPC_C_IMP_LEVEL_ANONYMOUS","features":[359]},{"name":"RPC_C_IMP_LEVEL_DEFAULT","features":[359]},{"name":"RPC_C_IMP_LEVEL_DELEGATE","features":[359]},{"name":"RPC_C_IMP_LEVEL_IDENTIFY","features":[359]},{"name":"RPC_C_IMP_LEVEL_IMPERSONATE","features":[359]},{"name":"RemSTGMEDIUM","features":[359]},{"name":"SAFEARRAY","features":[359]},{"name":"SAFEARRAYBOUND","features":[359]},{"name":"SChannelHookCallInfo","features":[359]},{"name":"SD_ACCESSPERMISSIONS","features":[359]},{"name":"SD_ACCESSRESTRICTIONS","features":[359]},{"name":"SD_LAUNCHPERMISSIONS","features":[359]},{"name":"SD_LAUNCHRESTRICTIONS","features":[359]},{"name":"SERVERCALL","features":[359]},{"name":"SERVERCALL_ISHANDLED","features":[359]},{"name":"SERVERCALL_REJECTED","features":[359]},{"name":"SERVERCALL_RETRYLATER","features":[359]},{"name":"SERVER_LOCALITY_MACHINE_LOCAL","features":[359]},{"name":"SERVER_LOCALITY_PROCESS_LOCAL","features":[359]},{"name":"SERVER_LOCALITY_REMOTE","features":[359]},{"name":"SOLE_AUTHENTICATION_INFO","features":[359]},{"name":"SOLE_AUTHENTICATION_LIST","features":[359]},{"name":"SOLE_AUTHENTICATION_SERVICE","features":[359]},{"name":"STATDATA","features":[359]},{"name":"STATFLAG","features":[359]},{"name":"STATFLAG_DEFAULT","features":[359]},{"name":"STATFLAG_NONAME","features":[359]},{"name":"STATFLAG_NOOPEN","features":[359]},{"name":"STATSTG","features":[308,359]},{"name":"STGC","features":[359]},{"name":"STGC_CONSOLIDATE","features":[359]},{"name":"STGC_DANGEROUSLYCOMMITMERELYTODISKCACHE","features":[359]},{"name":"STGC_DEFAULT","features":[359]},{"name":"STGC_ONLYIFCURRENT","features":[359]},{"name":"STGC_OVERWRITE","features":[359]},{"name":"STGM","features":[359]},{"name":"STGMEDIUM","features":[308,319,432]},{"name":"STGM_CONVERT","features":[359]},{"name":"STGM_CREATE","features":[359]},{"name":"STGM_DELETEONRELEASE","features":[359]},{"name":"STGM_DIRECT","features":[359]},{"name":"STGM_DIRECT_SWMR","features":[359]},{"name":"STGM_FAILIFTHERE","features":[359]},{"name":"STGM_NOSCRATCH","features":[359]},{"name":"STGM_NOSNAPSHOT","features":[359]},{"name":"STGM_PRIORITY","features":[359]},{"name":"STGM_READ","features":[359]},{"name":"STGM_READWRITE","features":[359]},{"name":"STGM_SHARE_DENY_NONE","features":[359]},{"name":"STGM_SHARE_DENY_READ","features":[359]},{"name":"STGM_SHARE_DENY_WRITE","features":[359]},{"name":"STGM_SHARE_EXCLUSIVE","features":[359]},{"name":"STGM_SIMPLE","features":[359]},{"name":"STGM_TRANSACTED","features":[359]},{"name":"STGM_WRITE","features":[359]},{"name":"STGTY","features":[359]},{"name":"STGTY_LOCKBYTES","features":[359]},{"name":"STGTY_PROPERTY","features":[359]},{"name":"STGTY_REPEAT","features":[359]},{"name":"STGTY_STORAGE","features":[359]},{"name":"STGTY_STREAM","features":[359]},{"name":"STG_LAYOUT_INTERLEAVED","features":[359]},{"name":"STG_LAYOUT_SEQUENTIAL","features":[359]},{"name":"STG_TOEND","features":[359]},{"name":"STREAM_SEEK","features":[359]},{"name":"STREAM_SEEK_CUR","features":[359]},{"name":"STREAM_SEEK_END","features":[359]},{"name":"STREAM_SEEK_SET","features":[359]},{"name":"SYSKIND","features":[359]},{"name":"SYS_MAC","features":[359]},{"name":"SYS_WIN16","features":[359]},{"name":"SYS_WIN32","features":[359]},{"name":"SYS_WIN64","features":[359]},{"name":"ServerApplication","features":[359]},{"name":"SetErrorInfo","features":[359]},{"name":"ShutdownType","features":[359]},{"name":"StorageLayout","features":[359]},{"name":"StringFromCLSID","features":[359]},{"name":"StringFromGUID2","features":[359]},{"name":"StringFromIID","features":[359]},{"name":"THDTYPE","features":[359]},{"name":"THDTYPE_BLOCKMESSAGES","features":[359]},{"name":"THDTYPE_PROCESSMESSAGES","features":[359]},{"name":"TKIND_ALIAS","features":[359]},{"name":"TKIND_COCLASS","features":[359]},{"name":"TKIND_DISPATCH","features":[359]},{"name":"TKIND_ENUM","features":[359]},{"name":"TKIND_INTERFACE","features":[359]},{"name":"TKIND_MAX","features":[359]},{"name":"TKIND_MODULE","features":[359]},{"name":"TKIND_RECORD","features":[359]},{"name":"TKIND_UNION","features":[359]},{"name":"TLIBATTR","features":[359]},{"name":"TYMED","features":[359]},{"name":"TYMED_ENHMF","features":[359]},{"name":"TYMED_FILE","features":[359]},{"name":"TYMED_GDI","features":[359]},{"name":"TYMED_HGLOBAL","features":[359]},{"name":"TYMED_ISTORAGE","features":[359]},{"name":"TYMED_ISTREAM","features":[359]},{"name":"TYMED_MFPICT","features":[359]},{"name":"TYMED_NULL","features":[359]},{"name":"TYPEATTR","features":[359,418,383]},{"name":"TYPEDESC","features":[359,418,383]},{"name":"TYPEKIND","features":[359]},{"name":"TYSPEC","features":[359]},{"name":"TYSPEC_CLSID","features":[359]},{"name":"TYSPEC_FILEEXT","features":[359]},{"name":"TYSPEC_FILENAME","features":[359]},{"name":"TYSPEC_MIMETYPE","features":[359]},{"name":"TYSPEC_OBJECTID","features":[359]},{"name":"TYSPEC_PACKAGENAME","features":[359]},{"name":"TYSPEC_PROGID","features":[359]},{"name":"URI_CREATE_FLAGS","features":[359]},{"name":"Uri_CREATE_ALLOW_IMPLICIT_FILE_SCHEME","features":[359]},{"name":"Uri_CREATE_ALLOW_IMPLICIT_WILDCARD_SCHEME","features":[359]},{"name":"Uri_CREATE_ALLOW_RELATIVE","features":[359]},{"name":"Uri_CREATE_CANONICALIZE","features":[359]},{"name":"Uri_CREATE_CANONICALIZE_ABSOLUTE","features":[359]},{"name":"Uri_CREATE_CRACK_UNKNOWN_SCHEMES","features":[359]},{"name":"Uri_CREATE_DECODE_EXTRA_INFO","features":[359]},{"name":"Uri_CREATE_FILE_USE_DOS_PATH","features":[359]},{"name":"Uri_CREATE_IE_SETTINGS","features":[359]},{"name":"Uri_CREATE_NOFRAG","features":[359]},{"name":"Uri_CREATE_NORMALIZE_INTL_CHARACTERS","features":[359]},{"name":"Uri_CREATE_NO_CANONICALIZE","features":[359]},{"name":"Uri_CREATE_NO_CRACK_UNKNOWN_SCHEMES","features":[359]},{"name":"Uri_CREATE_NO_DECODE_EXTRA_INFO","features":[359]},{"name":"Uri_CREATE_NO_ENCODE_FORBIDDEN_CHARACTERS","features":[359]},{"name":"Uri_CREATE_NO_IE_SETTINGS","features":[359]},{"name":"Uri_CREATE_NO_PRE_PROCESS_HTML_URI","features":[359]},{"name":"Uri_CREATE_PRE_PROCESS_HTML_URI","features":[359]},{"name":"Uri_PROPERTY","features":[359]},{"name":"Uri_PROPERTY_ABSOLUTE_URI","features":[359]},{"name":"Uri_PROPERTY_AUTHORITY","features":[359]},{"name":"Uri_PROPERTY_DISPLAY_URI","features":[359]},{"name":"Uri_PROPERTY_DOMAIN","features":[359]},{"name":"Uri_PROPERTY_DWORD_LAST","features":[359]},{"name":"Uri_PROPERTY_DWORD_START","features":[359]},{"name":"Uri_PROPERTY_EXTENSION","features":[359]},{"name":"Uri_PROPERTY_FRAGMENT","features":[359]},{"name":"Uri_PROPERTY_HOST","features":[359]},{"name":"Uri_PROPERTY_HOST_TYPE","features":[359]},{"name":"Uri_PROPERTY_PASSWORD","features":[359]},{"name":"Uri_PROPERTY_PATH","features":[359]},{"name":"Uri_PROPERTY_PATH_AND_QUERY","features":[359]},{"name":"Uri_PROPERTY_PORT","features":[359]},{"name":"Uri_PROPERTY_QUERY","features":[359]},{"name":"Uri_PROPERTY_RAW_URI","features":[359]},{"name":"Uri_PROPERTY_SCHEME","features":[359]},{"name":"Uri_PROPERTY_SCHEME_NAME","features":[359]},{"name":"Uri_PROPERTY_STRING_LAST","features":[359]},{"name":"Uri_PROPERTY_STRING_START","features":[359]},{"name":"Uri_PROPERTY_USER_INFO","features":[359]},{"name":"Uri_PROPERTY_USER_NAME","features":[359]},{"name":"Uri_PROPERTY_ZONE","features":[359]},{"name":"VARDESC","features":[359,418,383]},{"name":"VARFLAGS","features":[359]},{"name":"VARFLAG_FBINDABLE","features":[359]},{"name":"VARFLAG_FDEFAULTBIND","features":[359]},{"name":"VARFLAG_FDEFAULTCOLLELEM","features":[359]},{"name":"VARFLAG_FDISPLAYBIND","features":[359]},{"name":"VARFLAG_FHIDDEN","features":[359]},{"name":"VARFLAG_FIMMEDIATEBIND","features":[359]},{"name":"VARFLAG_FNONBROWSABLE","features":[359]},{"name":"VARFLAG_FREADONLY","features":[359]},{"name":"VARFLAG_FREPLACEABLE","features":[359]},{"name":"VARFLAG_FREQUESTEDIT","features":[359]},{"name":"VARFLAG_FRESTRICTED","features":[359]},{"name":"VARFLAG_FSOURCE","features":[359]},{"name":"VARFLAG_FUIDEFAULT","features":[359]},{"name":"VARKIND","features":[359]},{"name":"VAR_CONST","features":[359]},{"name":"VAR_DISPATCH","features":[359]},{"name":"VAR_PERINSTANCE","features":[359]},{"name":"VAR_STATIC","features":[359]},{"name":"WORD_BLOB","features":[359]},{"name":"WORD_SIZEDARR","features":[359]},{"name":"uCLSSPEC","features":[359]},{"name":"userFLAG_STGMEDIUM","features":[319,359,342]},{"name":"userSTGMEDIUM","features":[319,359,342]}],"535":[{"name":"CALLFRAMEINFO","features":[308,530]},{"name":"CALLFRAMEPARAMINFO","features":[308,530]},{"name":"CALLFRAME_COPY","features":[530]},{"name":"CALLFRAME_COPY_INDEPENDENT","features":[530]},{"name":"CALLFRAME_COPY_NESTED","features":[530]},{"name":"CALLFRAME_FREE","features":[530]},{"name":"CALLFRAME_FREE_ALL","features":[530]},{"name":"CALLFRAME_FREE_IN","features":[530]},{"name":"CALLFRAME_FREE_INOUT","features":[530]},{"name":"CALLFRAME_FREE_NONE","features":[530]},{"name":"CALLFRAME_FREE_OUT","features":[530]},{"name":"CALLFRAME_FREE_TOP_INOUT","features":[530]},{"name":"CALLFRAME_FREE_TOP_OUT","features":[530]},{"name":"CALLFRAME_MARSHALCONTEXT","features":[308,530]},{"name":"CALLFRAME_NULL","features":[530]},{"name":"CALLFRAME_NULL_ALL","features":[530]},{"name":"CALLFRAME_NULL_INOUT","features":[530]},{"name":"CALLFRAME_NULL_NONE","features":[530]},{"name":"CALLFRAME_NULL_OUT","features":[530]},{"name":"CALLFRAME_WALK","features":[530]},{"name":"CALLFRAME_WALK_IN","features":[530]},{"name":"CALLFRAME_WALK_INOUT","features":[530]},{"name":"CALLFRAME_WALK_OUT","features":[530]},{"name":"CoGetInterceptor","features":[530]},{"name":"CoGetInterceptorFromTypeInfo","features":[530]},{"name":"ICallFrame","features":[530]},{"name":"ICallFrameEvents","features":[530]},{"name":"ICallFrameWalker","features":[530]},{"name":"ICallIndirect","features":[530]},{"name":"ICallInterceptor","features":[530]},{"name":"ICallUnmarshal","features":[530]},{"name":"IInterfaceRelated","features":[530]}],"536":[{"name":"IChannelCredentials","features":[531]}],"537":[{"name":"CEventClass","features":[532]},{"name":"CEventPublisher","features":[532]},{"name":"CEventSubscription","features":[532]},{"name":"CEventSystem","features":[532]},{"name":"COMEVENTSYSCHANGEINFO","features":[532]},{"name":"EOC_ChangeType","features":[532]},{"name":"EOC_DeletedObject","features":[532]},{"name":"EOC_ModifiedObject","features":[532]},{"name":"EOC_NewObject","features":[532]},{"name":"EventObjectChange","features":[532]},{"name":"EventObjectChange2","features":[532]},{"name":"IDontSupportEventSubscription","features":[532]},{"name":"IEnumEventObject","features":[532]},{"name":"IEventClass","features":[532]},{"name":"IEventClass2","features":[532]},{"name":"IEventControl","features":[532]},{"name":"IEventObjectChange","features":[532]},{"name":"IEventObjectChange2","features":[532]},{"name":"IEventObjectCollection","features":[532]},{"name":"IEventProperty","features":[532]},{"name":"IEventPublisher","features":[532]},{"name":"IEventSubscription","features":[532]},{"name":"IEventSystem","features":[532]},{"name":"IFiringControl","features":[532]},{"name":"IMultiInterfaceEventControl","features":[532]},{"name":"IMultiInterfacePublisherFilter","features":[532]},{"name":"IPublisherFilter","features":[532]}],"538":[{"name":"BSTR_UserFree","features":[533]},{"name":"BSTR_UserFree64","features":[533]},{"name":"BSTR_UserMarshal","features":[533]},{"name":"BSTR_UserMarshal64","features":[533]},{"name":"BSTR_UserSize","features":[533]},{"name":"BSTR_UserSize64","features":[533]},{"name":"BSTR_UserUnmarshal","features":[533]},{"name":"BSTR_UserUnmarshal64","features":[533]},{"name":"CLIPFORMAT_UserFree","features":[533]},{"name":"CLIPFORMAT_UserFree64","features":[533]},{"name":"CLIPFORMAT_UserMarshal","features":[533]},{"name":"CLIPFORMAT_UserMarshal64","features":[533]},{"name":"CLIPFORMAT_UserSize","features":[533]},{"name":"CLIPFORMAT_UserSize64","features":[533]},{"name":"CLIPFORMAT_UserUnmarshal","features":[533]},{"name":"CLIPFORMAT_UserUnmarshal64","features":[533]},{"name":"CoGetMarshalSizeMax","features":[533]},{"name":"CoGetStandardMarshal","features":[533]},{"name":"CoGetStdMarshalEx","features":[533]},{"name":"CoMarshalHresult","features":[533]},{"name":"CoMarshalInterThreadInterfaceInStream","features":[533]},{"name":"CoMarshalInterface","features":[533]},{"name":"CoReleaseMarshalData","features":[533]},{"name":"CoUnmarshalHresult","features":[533]},{"name":"CoUnmarshalInterface","features":[533]},{"name":"HACCEL_UserFree","features":[533,370]},{"name":"HACCEL_UserFree64","features":[533,370]},{"name":"HACCEL_UserMarshal","features":[533,370]},{"name":"HACCEL_UserMarshal64","features":[533,370]},{"name":"HACCEL_UserSize","features":[533,370]},{"name":"HACCEL_UserSize64","features":[533,370]},{"name":"HACCEL_UserUnmarshal","features":[533,370]},{"name":"HACCEL_UserUnmarshal64","features":[533,370]},{"name":"HBITMAP_UserFree","features":[319,533]},{"name":"HBITMAP_UserFree64","features":[319,533]},{"name":"HBITMAP_UserMarshal","features":[319,533]},{"name":"HBITMAP_UserMarshal64","features":[319,533]},{"name":"HBITMAP_UserSize","features":[319,533]},{"name":"HBITMAP_UserSize64","features":[319,533]},{"name":"HBITMAP_UserUnmarshal","features":[319,533]},{"name":"HBITMAP_UserUnmarshal64","features":[319,533]},{"name":"HDC_UserFree","features":[319,533]},{"name":"HDC_UserFree64","features":[319,533]},{"name":"HDC_UserMarshal","features":[319,533]},{"name":"HDC_UserMarshal64","features":[319,533]},{"name":"HDC_UserSize","features":[319,533]},{"name":"HDC_UserSize64","features":[319,533]},{"name":"HDC_UserUnmarshal","features":[319,533]},{"name":"HDC_UserUnmarshal64","features":[319,533]},{"name":"HGLOBAL_UserFree","features":[308,533]},{"name":"HGLOBAL_UserFree64","features":[308,533]},{"name":"HGLOBAL_UserMarshal","features":[308,533]},{"name":"HGLOBAL_UserMarshal64","features":[308,533]},{"name":"HGLOBAL_UserSize","features":[308,533]},{"name":"HGLOBAL_UserSize64","features":[308,533]},{"name":"HGLOBAL_UserUnmarshal","features":[308,533]},{"name":"HGLOBAL_UserUnmarshal64","features":[308,533]},{"name":"HICON_UserFree","features":[533,370]},{"name":"HICON_UserFree64","features":[533,370]},{"name":"HICON_UserMarshal","features":[533,370]},{"name":"HICON_UserMarshal64","features":[533,370]},{"name":"HICON_UserSize","features":[533,370]},{"name":"HICON_UserSize64","features":[533,370]},{"name":"HICON_UserUnmarshal","features":[533,370]},{"name":"HICON_UserUnmarshal64","features":[533,370]},{"name":"HMENU_UserFree","features":[533,370]},{"name":"HMENU_UserFree64","features":[533,370]},{"name":"HMENU_UserMarshal","features":[533,370]},{"name":"HMENU_UserMarshal64","features":[533,370]},{"name":"HMENU_UserSize","features":[533,370]},{"name":"HMENU_UserSize64","features":[533,370]},{"name":"HMENU_UserUnmarshal","features":[533,370]},{"name":"HMENU_UserUnmarshal64","features":[533,370]},{"name":"HPALETTE_UserFree","features":[319,533]},{"name":"HPALETTE_UserFree64","features":[319,533]},{"name":"HPALETTE_UserMarshal","features":[319,533]},{"name":"HPALETTE_UserMarshal64","features":[319,533]},{"name":"HPALETTE_UserSize","features":[319,533]},{"name":"HPALETTE_UserSize64","features":[319,533]},{"name":"HPALETTE_UserUnmarshal","features":[319,533]},{"name":"HPALETTE_UserUnmarshal64","features":[319,533]},{"name":"HWND_UserFree","features":[308,533]},{"name":"HWND_UserFree64","features":[308,533]},{"name":"HWND_UserMarshal","features":[308,533]},{"name":"HWND_UserMarshal64","features":[308,533]},{"name":"HWND_UserSize","features":[308,533]},{"name":"HWND_UserSize64","features":[308,533]},{"name":"HWND_UserUnmarshal","features":[308,533]},{"name":"HWND_UserUnmarshal64","features":[308,533]},{"name":"IMarshal","features":[533]},{"name":"IMarshal2","features":[533]},{"name":"IMarshalingStream","features":[533]},{"name":"LPSAFEARRAY_UserFree","features":[533]},{"name":"LPSAFEARRAY_UserFree64","features":[533]},{"name":"LPSAFEARRAY_UserMarshal","features":[533]},{"name":"LPSAFEARRAY_UserMarshal64","features":[533]},{"name":"LPSAFEARRAY_UserSize","features":[533]},{"name":"LPSAFEARRAY_UserSize64","features":[533]},{"name":"LPSAFEARRAY_UserUnmarshal","features":[533]},{"name":"LPSAFEARRAY_UserUnmarshal64","features":[533]},{"name":"SMEXF_HANDLER","features":[533]},{"name":"SMEXF_SERVER","features":[533]},{"name":"SNB_UserFree","features":[533]},{"name":"SNB_UserFree64","features":[533]},{"name":"SNB_UserMarshal","features":[533]},{"name":"SNB_UserMarshal64","features":[533]},{"name":"SNB_UserSize","features":[533]},{"name":"SNB_UserSize64","features":[533]},{"name":"SNB_UserUnmarshal","features":[533]},{"name":"SNB_UserUnmarshal64","features":[533]},{"name":"STDMSHLFLAGS","features":[533]},{"name":"STGMEDIUM_UserFree","features":[308,319,533,432]},{"name":"STGMEDIUM_UserFree64","features":[308,319,533,432]},{"name":"STGMEDIUM_UserMarshal","features":[308,319,533,432]},{"name":"STGMEDIUM_UserMarshal64","features":[308,319,533,432]},{"name":"STGMEDIUM_UserSize","features":[308,319,533,432]},{"name":"STGMEDIUM_UserSize64","features":[308,319,533,432]},{"name":"STGMEDIUM_UserUnmarshal","features":[308,319,533,432]},{"name":"STGMEDIUM_UserUnmarshal64","features":[308,319,533,432]}],"539":[{"name":"BSTRBLOB","features":[432]},{"name":"CABOOL","features":[308,432]},{"name":"CABSTR","features":[432]},{"name":"CABSTRBLOB","features":[432]},{"name":"CAC","features":[432]},{"name":"CACLIPDATA","features":[432]},{"name":"CACLSID","features":[432]},{"name":"CACY","features":[432]},{"name":"CADATE","features":[432]},{"name":"CADBL","features":[432]},{"name":"CAFILETIME","features":[308,432]},{"name":"CAFLT","features":[432]},{"name":"CAH","features":[432]},{"name":"CAI","features":[432]},{"name":"CAL","features":[432]},{"name":"CALPSTR","features":[432]},{"name":"CALPWSTR","features":[432]},{"name":"CAPROPVARIANT","features":[432]},{"name":"CASCODE","features":[432]},{"name":"CAUB","features":[432]},{"name":"CAUH","features":[432]},{"name":"CAUI","features":[432]},{"name":"CAUL","features":[432]},{"name":"CCH_MAX_PROPSTG_NAME","features":[432]},{"name":"CLIPDATA","features":[432]},{"name":"CWCSTORAGENAME","features":[432]},{"name":"ClearPropVariantArray","features":[432]},{"name":"CoGetInstanceFromFile","features":[432]},{"name":"CoGetInstanceFromIStorage","features":[432]},{"name":"CoGetInterfaceAndReleaseStream","features":[432]},{"name":"CreateILockBytesOnHGlobal","features":[308,432]},{"name":"CreateStreamOnHGlobal","features":[308,432]},{"name":"FmtIdToPropStgName","features":[432]},{"name":"FreePropVariantArray","features":[432]},{"name":"GetConvertStg","features":[432]},{"name":"GetHGlobalFromILockBytes","features":[308,432]},{"name":"GetHGlobalFromStream","features":[308,432]},{"name":"IDirectWriterLock","features":[432]},{"name":"IEnumSTATPROPSETSTG","features":[432]},{"name":"IEnumSTATPROPSTG","features":[432]},{"name":"IEnumSTATSTG","features":[432]},{"name":"IFillLockBytes","features":[432]},{"name":"ILayoutStorage","features":[432]},{"name":"ILockBytes","features":[432]},{"name":"IMemoryAllocator","features":[432]},{"name":"IPersistStorage","features":[432]},{"name":"IPropertyBag","features":[432]},{"name":"IPropertyBag2","features":[432]},{"name":"IPropertySetStorage","features":[432]},{"name":"IPropertyStorage","features":[432]},{"name":"IRootStorage","features":[432]},{"name":"IStorage","features":[432]},{"name":"InitPropVariantFromBooleanVector","features":[308,432]},{"name":"InitPropVariantFromBuffer","features":[432]},{"name":"InitPropVariantFromCLSID","features":[432]},{"name":"InitPropVariantFromDoubleVector","features":[432]},{"name":"InitPropVariantFromFileTime","features":[308,432]},{"name":"InitPropVariantFromFileTimeVector","features":[308,432]},{"name":"InitPropVariantFromGUIDAsString","features":[432]},{"name":"InitPropVariantFromInt16Vector","features":[432]},{"name":"InitPropVariantFromInt32Vector","features":[432]},{"name":"InitPropVariantFromInt64Vector","features":[432]},{"name":"InitPropVariantFromPropVariantVectorElem","features":[432]},{"name":"InitPropVariantFromResource","features":[308,432]},{"name":"InitPropVariantFromStringAsVector","features":[432]},{"name":"InitPropVariantFromStringVector","features":[432]},{"name":"InitPropVariantFromUInt16Vector","features":[432]},{"name":"InitPropVariantFromUInt32Vector","features":[432]},{"name":"InitPropVariantFromUInt64Vector","features":[432]},{"name":"InitPropVariantVectorFromPropVariant","features":[432]},{"name":"OLESTREAM","features":[432]},{"name":"OLESTREAMVTBL","features":[432]},{"name":"OleConvertIStorageToOLESTREAM","features":[432]},{"name":"OleConvertIStorageToOLESTREAMEx","features":[308,319,432]},{"name":"OleConvertOLESTREAMToIStorage","features":[432]},{"name":"OleConvertOLESTREAMToIStorageEx","features":[308,319,432]},{"name":"PIDDI_THUMBNAIL","features":[432]},{"name":"PIDDSI_BYTECOUNT","features":[432]},{"name":"PIDDSI_CATEGORY","features":[432]},{"name":"PIDDSI_COMPANY","features":[432]},{"name":"PIDDSI_DOCPARTS","features":[432]},{"name":"PIDDSI_HEADINGPAIR","features":[432]},{"name":"PIDDSI_HIDDENCOUNT","features":[432]},{"name":"PIDDSI_LINECOUNT","features":[432]},{"name":"PIDDSI_LINKSDIRTY","features":[432]},{"name":"PIDDSI_MANAGER","features":[432]},{"name":"PIDDSI_MMCLIPCOUNT","features":[432]},{"name":"PIDDSI_NOTECOUNT","features":[432]},{"name":"PIDDSI_PARCOUNT","features":[432]},{"name":"PIDDSI_PRESFORMAT","features":[432]},{"name":"PIDDSI_SCALE","features":[432]},{"name":"PIDDSI_SLIDECOUNT","features":[432]},{"name":"PIDMSI_COPYRIGHT","features":[432]},{"name":"PIDMSI_EDITOR","features":[432]},{"name":"PIDMSI_OWNER","features":[432]},{"name":"PIDMSI_PRODUCTION","features":[432]},{"name":"PIDMSI_PROJECT","features":[432]},{"name":"PIDMSI_RATING","features":[432]},{"name":"PIDMSI_SEQUENCE_NO","features":[432]},{"name":"PIDMSI_SOURCE","features":[432]},{"name":"PIDMSI_STATUS","features":[432]},{"name":"PIDMSI_STATUS_DRAFT","features":[432]},{"name":"PIDMSI_STATUS_EDIT","features":[432]},{"name":"PIDMSI_STATUS_FINAL","features":[432]},{"name":"PIDMSI_STATUS_INPROGRESS","features":[432]},{"name":"PIDMSI_STATUS_NEW","features":[432]},{"name":"PIDMSI_STATUS_NORMAL","features":[432]},{"name":"PIDMSI_STATUS_OTHER","features":[432]},{"name":"PIDMSI_STATUS_PRELIM","features":[432]},{"name":"PIDMSI_STATUS_PROOF","features":[432]},{"name":"PIDMSI_STATUS_REVIEW","features":[432]},{"name":"PIDMSI_STATUS_VALUE","features":[432]},{"name":"PIDMSI_SUPPLIER","features":[432]},{"name":"PIDSI_APPNAME","features":[432]},{"name":"PIDSI_AUTHOR","features":[432]},{"name":"PIDSI_CHARCOUNT","features":[432]},{"name":"PIDSI_COMMENTS","features":[432]},{"name":"PIDSI_CREATE_DTM","features":[432]},{"name":"PIDSI_DOC_SECURITY","features":[432]},{"name":"PIDSI_EDITTIME","features":[432]},{"name":"PIDSI_KEYWORDS","features":[432]},{"name":"PIDSI_LASTAUTHOR","features":[432]},{"name":"PIDSI_LASTPRINTED","features":[432]},{"name":"PIDSI_LASTSAVE_DTM","features":[432]},{"name":"PIDSI_PAGECOUNT","features":[432]},{"name":"PIDSI_REVNUMBER","features":[432]},{"name":"PIDSI_SUBJECT","features":[432]},{"name":"PIDSI_TEMPLATE","features":[432]},{"name":"PIDSI_THUMBNAIL","features":[432]},{"name":"PIDSI_TITLE","features":[432]},{"name":"PIDSI_WORDCOUNT","features":[432]},{"name":"PID_BEHAVIOR","features":[432]},{"name":"PID_CODEPAGE","features":[432]},{"name":"PID_DICTIONARY","features":[432]},{"name":"PID_FIRST_NAME_DEFAULT","features":[432]},{"name":"PID_FIRST_USABLE","features":[432]},{"name":"PID_ILLEGAL","features":[432]},{"name":"PID_LOCALE","features":[432]},{"name":"PID_MAX_READONLY","features":[432]},{"name":"PID_MIN_READONLY","features":[432]},{"name":"PID_MODIFY_TIME","features":[432]},{"name":"PID_SECURITY","features":[432]},{"name":"PROPBAG2","features":[432,383]},{"name":"PROPSETFLAG_ANSI","features":[432]},{"name":"PROPSETFLAG_CASE_SENSITIVE","features":[432]},{"name":"PROPSETFLAG_DEFAULT","features":[432]},{"name":"PROPSETFLAG_NONSIMPLE","features":[432]},{"name":"PROPSETFLAG_UNBUFFERED","features":[432]},{"name":"PROPSETHDR_OSVERSION_UNKNOWN","features":[432]},{"name":"PROPSET_BEHAVIOR_CASE_SENSITIVE","features":[432]},{"name":"PROPSPEC","features":[432]},{"name":"PROPSPEC_KIND","features":[432]},{"name":"PROPVARIANT","features":[308,432,383]},{"name":"PROPVAR_CHANGE_FLAGS","features":[432]},{"name":"PROPVAR_COMPARE_FLAGS","features":[432]},{"name":"PROPVAR_COMPARE_UNIT","features":[432]},{"name":"PRSPEC_INVALID","features":[432]},{"name":"PRSPEC_LPWSTR","features":[432]},{"name":"PRSPEC_PROPID","features":[432]},{"name":"PVCF_DEFAULT","features":[432]},{"name":"PVCF_DIGITSASNUMBERS_CASESENSITIVE","features":[432]},{"name":"PVCF_TREATEMPTYASGREATERTHAN","features":[432]},{"name":"PVCF_USESTRCMP","features":[432]},{"name":"PVCF_USESTRCMPC","features":[432]},{"name":"PVCF_USESTRCMPI","features":[432]},{"name":"PVCF_USESTRCMPIC","features":[432]},{"name":"PVCHF_ALPHABOOL","features":[432]},{"name":"PVCHF_DEFAULT","features":[432]},{"name":"PVCHF_LOCALBOOL","features":[432]},{"name":"PVCHF_NOHEXSTRING","features":[432]},{"name":"PVCHF_NOUSEROVERRIDE","features":[432]},{"name":"PVCHF_NOVALUEPROP","features":[432]},{"name":"PVCU_DAY","features":[432]},{"name":"PVCU_DEFAULT","features":[432]},{"name":"PVCU_HOUR","features":[432]},{"name":"PVCU_MINUTE","features":[432]},{"name":"PVCU_MONTH","features":[432]},{"name":"PVCU_SECOND","features":[432]},{"name":"PVCU_YEAR","features":[432]},{"name":"PropStgNameToFmtId","features":[432]},{"name":"PropVariantChangeType","features":[432,383]},{"name":"PropVariantClear","features":[432]},{"name":"PropVariantCompareEx","features":[432]},{"name":"PropVariantCopy","features":[432]},{"name":"PropVariantGetBooleanElem","features":[308,432]},{"name":"PropVariantGetDoubleElem","features":[432]},{"name":"PropVariantGetElementCount","features":[432]},{"name":"PropVariantGetFileTimeElem","features":[308,432]},{"name":"PropVariantGetInt16Elem","features":[432]},{"name":"PropVariantGetInt32Elem","features":[432]},{"name":"PropVariantGetInt64Elem","features":[432]},{"name":"PropVariantGetStringElem","features":[432]},{"name":"PropVariantGetUInt16Elem","features":[432]},{"name":"PropVariantGetUInt32Elem","features":[432]},{"name":"PropVariantGetUInt64Elem","features":[432]},{"name":"PropVariantToBSTR","features":[432]},{"name":"PropVariantToBoolean","features":[308,432]},{"name":"PropVariantToBooleanVector","features":[308,432]},{"name":"PropVariantToBooleanVectorAlloc","features":[308,432]},{"name":"PropVariantToBooleanWithDefault","features":[308,432]},{"name":"PropVariantToBuffer","features":[432]},{"name":"PropVariantToDouble","features":[432]},{"name":"PropVariantToDoubleVector","features":[432]},{"name":"PropVariantToDoubleVectorAlloc","features":[432]},{"name":"PropVariantToDoubleWithDefault","features":[432]},{"name":"PropVariantToFileTime","features":[308,432,383]},{"name":"PropVariantToFileTimeVector","features":[308,432]},{"name":"PropVariantToFileTimeVectorAlloc","features":[308,432]},{"name":"PropVariantToGUID","features":[432]},{"name":"PropVariantToInt16","features":[432]},{"name":"PropVariantToInt16Vector","features":[432]},{"name":"PropVariantToInt16VectorAlloc","features":[432]},{"name":"PropVariantToInt16WithDefault","features":[432]},{"name":"PropVariantToInt32","features":[432]},{"name":"PropVariantToInt32Vector","features":[432]},{"name":"PropVariantToInt32VectorAlloc","features":[432]},{"name":"PropVariantToInt32WithDefault","features":[432]},{"name":"PropVariantToInt64","features":[432]},{"name":"PropVariantToInt64Vector","features":[432]},{"name":"PropVariantToInt64VectorAlloc","features":[432]},{"name":"PropVariantToInt64WithDefault","features":[432]},{"name":"PropVariantToString","features":[432]},{"name":"PropVariantToStringAlloc","features":[432]},{"name":"PropVariantToStringVector","features":[432]},{"name":"PropVariantToStringVectorAlloc","features":[432]},{"name":"PropVariantToStringWithDefault","features":[432]},{"name":"PropVariantToUInt16","features":[432]},{"name":"PropVariantToUInt16Vector","features":[432]},{"name":"PropVariantToUInt16VectorAlloc","features":[432]},{"name":"PropVariantToUInt16WithDefault","features":[432]},{"name":"PropVariantToUInt32","features":[432]},{"name":"PropVariantToUInt32Vector","features":[432]},{"name":"PropVariantToUInt32VectorAlloc","features":[432]},{"name":"PropVariantToUInt32WithDefault","features":[432]},{"name":"PropVariantToUInt64","features":[432]},{"name":"PropVariantToUInt64Vector","features":[432]},{"name":"PropVariantToUInt64VectorAlloc","features":[432]},{"name":"PropVariantToUInt64WithDefault","features":[432]},{"name":"PropVariantToVariant","features":[432]},{"name":"PropVariantToWinRTPropertyValue","features":[432]},{"name":"ReadClassStg","features":[432]},{"name":"ReadClassStm","features":[432]},{"name":"ReadFmtUserTypeStg","features":[432]},{"name":"RemSNB","features":[432]},{"name":"SERIALIZEDPROPERTYVALUE","features":[432]},{"name":"STATPROPSETSTG","features":[308,432]},{"name":"STATPROPSTG","features":[432,383]},{"name":"STGFMT","features":[432]},{"name":"STGFMT_ANY","features":[432]},{"name":"STGFMT_DOCFILE","features":[432]},{"name":"STGFMT_DOCUMENT","features":[432]},{"name":"STGFMT_FILE","features":[432]},{"name":"STGFMT_NATIVE","features":[432]},{"name":"STGFMT_STORAGE","features":[432]},{"name":"STGMOVE","features":[432]},{"name":"STGMOVE_COPY","features":[432]},{"name":"STGMOVE_MOVE","features":[432]},{"name":"STGMOVE_SHALLOWCOPY","features":[432]},{"name":"STGOPTIONS","features":[432]},{"name":"STGOPTIONS_VERSION","features":[432]},{"name":"SetConvertStg","features":[308,432]},{"name":"StgConvertPropertyToVariant","features":[308,432]},{"name":"StgConvertVariantToProperty","features":[308,432]},{"name":"StgCreateDocfile","features":[432]},{"name":"StgCreateDocfileOnILockBytes","features":[432]},{"name":"StgCreatePropSetStg","features":[432]},{"name":"StgCreatePropStg","features":[432]},{"name":"StgCreateStorageEx","features":[311,432]},{"name":"StgDeserializePropVariant","features":[432]},{"name":"StgGetIFillLockBytesOnFile","features":[432]},{"name":"StgGetIFillLockBytesOnILockBytes","features":[432]},{"name":"StgIsStorageFile","features":[432]},{"name":"StgIsStorageILockBytes","features":[432]},{"name":"StgOpenAsyncDocfileOnIFillLockBytes","features":[432]},{"name":"StgOpenLayoutDocfile","features":[432]},{"name":"StgOpenPropStg","features":[432]},{"name":"StgOpenStorage","features":[432]},{"name":"StgOpenStorageEx","features":[311,432]},{"name":"StgOpenStorageOnILockBytes","features":[432]},{"name":"StgPropertyLengthAsVariant","features":[432]},{"name":"StgSerializePropVariant","features":[432]},{"name":"StgSetTimes","features":[308,432]},{"name":"VERSIONEDSTREAM","features":[432]},{"name":"VariantToPropVariant","features":[432]},{"name":"WinRTPropertyValueToPropVariant","features":[432]},{"name":"WriteClassStg","features":[432]},{"name":"WriteClassStm","features":[432]},{"name":"WriteFmtUserTypeStg","features":[432]}],"540":[{"name":"IDummyHICONIncluder","features":[534]},{"name":"IThumbnailExtractor","features":[534]}],"541":[{"name":"AUTHENTICATEF","features":[535]},{"name":"AUTHENTICATEF_BASIC","features":[535]},{"name":"AUTHENTICATEF_HTTP","features":[535]},{"name":"AUTHENTICATEF_PROXY","features":[535]},{"name":"BINDF","features":[535]},{"name":"BINDF2","features":[535]},{"name":"BINDF2_ALLOW_PROXY_CRED_PROMPT","features":[535]},{"name":"BINDF2_DISABLEAUTOCOOKIEHANDLING","features":[535]},{"name":"BINDF2_DISABLEBASICOVERHTTP","features":[535]},{"name":"BINDF2_DISABLE_HTTP_REDIRECT_CACHING","features":[535]},{"name":"BINDF2_DISABLE_HTTP_REDIRECT_XSECURITYID","features":[535]},{"name":"BINDF2_KEEP_CALLBACK_MODULE_LOADED","features":[535]},{"name":"BINDF2_READ_DATA_GREATER_THAN_4GB","features":[535]},{"name":"BINDF2_RESERVED_1","features":[535]},{"name":"BINDF2_RESERVED_10","features":[535]},{"name":"BINDF2_RESERVED_11","features":[535]},{"name":"BINDF2_RESERVED_12","features":[535]},{"name":"BINDF2_RESERVED_13","features":[535]},{"name":"BINDF2_RESERVED_14","features":[535]},{"name":"BINDF2_RESERVED_15","features":[535]},{"name":"BINDF2_RESERVED_16","features":[535]},{"name":"BINDF2_RESERVED_17","features":[535]},{"name":"BINDF2_RESERVED_2","features":[535]},{"name":"BINDF2_RESERVED_3","features":[535]},{"name":"BINDF2_RESERVED_4","features":[535]},{"name":"BINDF2_RESERVED_5","features":[535]},{"name":"BINDF2_RESERVED_6","features":[535]},{"name":"BINDF2_RESERVED_7","features":[535]},{"name":"BINDF2_RESERVED_8","features":[535]},{"name":"BINDF2_RESERVED_9","features":[535]},{"name":"BINDF2_RESERVED_A","features":[535]},{"name":"BINDF2_RESERVED_B","features":[535]},{"name":"BINDF2_RESERVED_C","features":[535]},{"name":"BINDF2_RESERVED_D","features":[535]},{"name":"BINDF2_RESERVED_E","features":[535]},{"name":"BINDF2_RESERVED_F","features":[535]},{"name":"BINDF2_SETDOWNLOADMODE","features":[535]},{"name":"BINDF_ASYNCHRONOUS","features":[535]},{"name":"BINDF_ASYNCSTORAGE","features":[535]},{"name":"BINDF_DIRECT_READ","features":[535]},{"name":"BINDF_ENFORCERESTRICTED","features":[535]},{"name":"BINDF_FORMS_SUBMIT","features":[535]},{"name":"BINDF_FREE_THREADED","features":[535]},{"name":"BINDF_FROMURLMON","features":[535]},{"name":"BINDF_FWD_BACK","features":[535]},{"name":"BINDF_GETCLASSOBJECT","features":[535]},{"name":"BINDF_GETFROMCACHE_IF_NET_FAIL","features":[535]},{"name":"BINDF_GETNEWESTVERSION","features":[535]},{"name":"BINDF_HYPERLINK","features":[535]},{"name":"BINDF_IGNORESECURITYPROBLEM","features":[535]},{"name":"BINDF_NEEDFILE","features":[535]},{"name":"BINDF_NOPROGRESSIVERENDERING","features":[535]},{"name":"BINDF_NOWRITECACHE","features":[535]},{"name":"BINDF_NO_UI","features":[535]},{"name":"BINDF_OFFLINEOPERATION","features":[535]},{"name":"BINDF_PRAGMA_NO_CACHE","features":[535]},{"name":"BINDF_PREFERDEFAULTHANDLER","features":[535]},{"name":"BINDF_PULLDATA","features":[535]},{"name":"BINDF_RESERVED_1","features":[535]},{"name":"BINDF_RESERVED_2","features":[535]},{"name":"BINDF_RESERVED_3","features":[535]},{"name":"BINDF_RESERVED_4","features":[535]},{"name":"BINDF_RESERVED_5","features":[535]},{"name":"BINDF_RESERVED_6","features":[535]},{"name":"BINDF_RESERVED_7","features":[535]},{"name":"BINDF_RESERVED_8","features":[535]},{"name":"BINDF_RESYNCHRONIZE","features":[535]},{"name":"BINDF_SILENTOPERATION","features":[535]},{"name":"BINDHANDLETYPES","features":[535]},{"name":"BINDHANDLETYPES_APPCACHE","features":[535]},{"name":"BINDHANDLETYPES_COUNT","features":[535]},{"name":"BINDHANDLETYPES_DEPENDENCY","features":[535]},{"name":"BINDINFO_OPTIONS","features":[535]},{"name":"BINDINFO_OPTIONS_ALLOWCONNECTDATA","features":[535]},{"name":"BINDINFO_OPTIONS_BINDTOOBJECT","features":[535]},{"name":"BINDINFO_OPTIONS_DISABLEAUTOREDIRECTS","features":[535]},{"name":"BINDINFO_OPTIONS_DISABLE_UTF8","features":[535]},{"name":"BINDINFO_OPTIONS_ENABLE_UTF8","features":[535]},{"name":"BINDINFO_OPTIONS_IGNOREHTTPHTTPSREDIRECTS","features":[535]},{"name":"BINDINFO_OPTIONS_IGNOREMIMETEXTPLAIN","features":[535]},{"name":"BINDINFO_OPTIONS_IGNORE_SSLERRORS_ONCE","features":[535]},{"name":"BINDINFO_OPTIONS_SECURITYOPTOUT","features":[535]},{"name":"BINDINFO_OPTIONS_SHDOCVW_NAVIGATE","features":[535]},{"name":"BINDINFO_OPTIONS_USEBINDSTRINGCREDS","features":[535]},{"name":"BINDINFO_OPTIONS_USE_IE_ENCODING","features":[535]},{"name":"BINDINFO_OPTIONS_WININETFLAG","features":[535]},{"name":"BINDINFO_WPC_DOWNLOADBLOCKED","features":[535]},{"name":"BINDINFO_WPC_LOGGING_ENABLED","features":[535]},{"name":"BINDSTATUS","features":[535]},{"name":"BINDSTATUS_64BIT_PROGRESS","features":[535]},{"name":"BINDSTATUS_ACCEPTRANGES","features":[535]},{"name":"BINDSTATUS_BEGINDOWNLOADCOMPONENTS","features":[535]},{"name":"BINDSTATUS_BEGINDOWNLOADDATA","features":[535]},{"name":"BINDSTATUS_BEGINSYNCOPERATION","features":[535]},{"name":"BINDSTATUS_BEGINUPLOADDATA","features":[535]},{"name":"BINDSTATUS_CACHECONTROL","features":[535]},{"name":"BINDSTATUS_CACHEFILENAMEAVAILABLE","features":[535]},{"name":"BINDSTATUS_CLASSIDAVAILABLE","features":[535]},{"name":"BINDSTATUS_CLASSINSTALLLOCATION","features":[535]},{"name":"BINDSTATUS_CLSIDCANINSTANTIATE","features":[535]},{"name":"BINDSTATUS_COMPACT_POLICY_RECEIVED","features":[535]},{"name":"BINDSTATUS_CONNECTING","features":[535]},{"name":"BINDSTATUS_CONTENTDISPOSITIONATTACH","features":[535]},{"name":"BINDSTATUS_CONTENTDISPOSITIONFILENAME","features":[535]},{"name":"BINDSTATUS_COOKIE_SENT","features":[535]},{"name":"BINDSTATUS_COOKIE_STATE_ACCEPT","features":[535]},{"name":"BINDSTATUS_COOKIE_STATE_DOWNGRADE","features":[535]},{"name":"BINDSTATUS_COOKIE_STATE_LEASH","features":[535]},{"name":"BINDSTATUS_COOKIE_STATE_PROMPT","features":[535]},{"name":"BINDSTATUS_COOKIE_STATE_REJECT","features":[535]},{"name":"BINDSTATUS_COOKIE_STATE_UNKNOWN","features":[535]},{"name":"BINDSTATUS_COOKIE_SUPPRESSED","features":[535]},{"name":"BINDSTATUS_DECODING","features":[535]},{"name":"BINDSTATUS_DIRECTBIND","features":[535]},{"name":"BINDSTATUS_DISPLAYNAMEAVAILABLE","features":[535]},{"name":"BINDSTATUS_DOWNLOADINGDATA","features":[535]},{"name":"BINDSTATUS_ENCODING","features":[535]},{"name":"BINDSTATUS_ENDDOWNLOADCOMPONENTS","features":[535]},{"name":"BINDSTATUS_ENDDOWNLOADDATA","features":[535]},{"name":"BINDSTATUS_ENDSYNCOPERATION","features":[535]},{"name":"BINDSTATUS_ENDUPLOADDATA","features":[535]},{"name":"BINDSTATUS_FILTERREPORTMIMETYPE","features":[535]},{"name":"BINDSTATUS_FINDINGRESOURCE","features":[535]},{"name":"BINDSTATUS_INSTALLINGCOMPONENTS","features":[535]},{"name":"BINDSTATUS_IUNKNOWNAVAILABLE","features":[535]},{"name":"BINDSTATUS_LAST","features":[535]},{"name":"BINDSTATUS_LAST_PRIVATE","features":[535]},{"name":"BINDSTATUS_LOADINGMIMEHANDLER","features":[535]},{"name":"BINDSTATUS_MIMETEXTPLAINMISMATCH","features":[535]},{"name":"BINDSTATUS_MIMETYPEAVAILABLE","features":[535]},{"name":"BINDSTATUS_P3P_HEADER","features":[535]},{"name":"BINDSTATUS_PERSISTENT_COOKIE_RECEIVED","features":[535]},{"name":"BINDSTATUS_POLICY_HREF","features":[535]},{"name":"BINDSTATUS_PROTOCOLCLASSID","features":[535]},{"name":"BINDSTATUS_PROXYDETECTING","features":[535]},{"name":"BINDSTATUS_PUBLISHERAVAILABLE","features":[535]},{"name":"BINDSTATUS_RAWMIMETYPE","features":[535]},{"name":"BINDSTATUS_REDIRECTING","features":[535]},{"name":"BINDSTATUS_RESERVED_0","features":[535]},{"name":"BINDSTATUS_RESERVED_1","features":[535]},{"name":"BINDSTATUS_RESERVED_10","features":[535]},{"name":"BINDSTATUS_RESERVED_11","features":[535]},{"name":"BINDSTATUS_RESERVED_12","features":[535]},{"name":"BINDSTATUS_RESERVED_13","features":[535]},{"name":"BINDSTATUS_RESERVED_14","features":[535]},{"name":"BINDSTATUS_RESERVED_2","features":[535]},{"name":"BINDSTATUS_RESERVED_3","features":[535]},{"name":"BINDSTATUS_RESERVED_4","features":[535]},{"name":"BINDSTATUS_RESERVED_5","features":[535]},{"name":"BINDSTATUS_RESERVED_6","features":[535]},{"name":"BINDSTATUS_RESERVED_7","features":[535]},{"name":"BINDSTATUS_RESERVED_8","features":[535]},{"name":"BINDSTATUS_RESERVED_9","features":[535]},{"name":"BINDSTATUS_RESERVED_A","features":[535]},{"name":"BINDSTATUS_RESERVED_B","features":[535]},{"name":"BINDSTATUS_RESERVED_C","features":[535]},{"name":"BINDSTATUS_RESERVED_D","features":[535]},{"name":"BINDSTATUS_RESERVED_E","features":[535]},{"name":"BINDSTATUS_RESERVED_F","features":[535]},{"name":"BINDSTATUS_SENDINGREQUEST","features":[535]},{"name":"BINDSTATUS_SERVER_MIMETYPEAVAILABLE","features":[535]},{"name":"BINDSTATUS_SESSION_COOKIES_ALLOWED","features":[535]},{"name":"BINDSTATUS_SESSION_COOKIE_RECEIVED","features":[535]},{"name":"BINDSTATUS_SNIFFED_CLASSIDAVAILABLE","features":[535]},{"name":"BINDSTATUS_SSLUX_NAVBLOCKED","features":[535]},{"name":"BINDSTATUS_UPLOADINGDATA","features":[535]},{"name":"BINDSTATUS_USINGCACHEDCOPY","features":[535]},{"name":"BINDSTATUS_VERIFIEDMIMETYPEAVAILABLE","features":[535]},{"name":"BINDSTRING","features":[535]},{"name":"BINDSTRING_ACCEPT_ENCODINGS","features":[535]},{"name":"BINDSTRING_ACCEPT_MIMES","features":[535]},{"name":"BINDSTRING_DOC_URL","features":[535]},{"name":"BINDSTRING_DOWNLOADPATH","features":[535]},{"name":"BINDSTRING_ENTERPRISE_ID","features":[535]},{"name":"BINDSTRING_EXTRA_URL","features":[535]},{"name":"BINDSTRING_FLAG_BIND_TO_OBJECT","features":[535]},{"name":"BINDSTRING_HEADERS","features":[535]},{"name":"BINDSTRING_IID","features":[535]},{"name":"BINDSTRING_INITIAL_FILENAME","features":[535]},{"name":"BINDSTRING_LANGUAGE","features":[535]},{"name":"BINDSTRING_OS","features":[535]},{"name":"BINDSTRING_PASSWORD","features":[535]},{"name":"BINDSTRING_POST_COOKIE","features":[535]},{"name":"BINDSTRING_POST_DATA_MIME","features":[535]},{"name":"BINDSTRING_PROXY_PASSWORD","features":[535]},{"name":"BINDSTRING_PROXY_USERNAME","features":[535]},{"name":"BINDSTRING_PTR_BIND_CONTEXT","features":[535]},{"name":"BINDSTRING_ROOTDOC_URL","features":[535]},{"name":"BINDSTRING_SAMESITE_COOKIE_LEVEL","features":[535]},{"name":"BINDSTRING_UA_COLOR","features":[535]},{"name":"BINDSTRING_UA_PIXELS","features":[535]},{"name":"BINDSTRING_URL","features":[535]},{"name":"BINDSTRING_USERNAME","features":[535]},{"name":"BINDSTRING_USER_AGENT","features":[535]},{"name":"BINDSTRING_XDR_ORIGIN","features":[535]},{"name":"BINDVERB","features":[535]},{"name":"BINDVERB_CUSTOM","features":[535]},{"name":"BINDVERB_GET","features":[535]},{"name":"BINDVERB_POST","features":[535]},{"name":"BINDVERB_PUT","features":[535]},{"name":"BINDVERB_RESERVED1","features":[535]},{"name":"BSCF","features":[535]},{"name":"BSCF_64BITLENGTHDOWNLOAD","features":[535]},{"name":"BSCF_AVAILABLEDATASIZEUNKNOWN","features":[535]},{"name":"BSCF_DATAFULLYAVAILABLE","features":[535]},{"name":"BSCF_FIRSTDATANOTIFICATION","features":[535]},{"name":"BSCF_INTERMEDIATEDATANOTIFICATION","features":[535]},{"name":"BSCF_LASTDATANOTIFICATION","features":[535]},{"name":"BSCF_SKIPDRAINDATAFORFILEURLS","features":[535]},{"name":"CF_NULL","features":[535]},{"name":"CIP_ACCESS_DENIED","features":[535]},{"name":"CIP_DISK_FULL","features":[535]},{"name":"CIP_EXE_SELF_REGISTERATION_TIMEOUT","features":[535]},{"name":"CIP_NAME_CONFLICT","features":[535]},{"name":"CIP_NEED_REBOOT","features":[535]},{"name":"CIP_NEED_REBOOT_UI_PERMISSION","features":[535]},{"name":"CIP_NEWER_VERSION_EXISTS","features":[535]},{"name":"CIP_OLDER_VERSION_EXISTS","features":[535]},{"name":"CIP_STATUS","features":[535]},{"name":"CIP_TRUST_VERIFICATION_COMPONENT_MISSING","features":[535]},{"name":"CIP_UNSAFE_TO_ABORT","features":[535]},{"name":"CLASSIDPROP","features":[535]},{"name":"CODEBASEHOLD","features":[535]},{"name":"CONFIRMSAFETY","features":[535]},{"name":"CONFIRMSAFETYACTION_LOADOBJECT","features":[535]},{"name":"CoGetClassObjectFromURL","features":[535]},{"name":"CoInternetCombineIUri","features":[535]},{"name":"CoInternetCombineUrl","features":[535]},{"name":"CoInternetCombineUrlEx","features":[535]},{"name":"CoInternetCompareUrl","features":[535]},{"name":"CoInternetCreateSecurityManager","features":[535]},{"name":"CoInternetCreateZoneManager","features":[535]},{"name":"CoInternetGetProtocolFlags","features":[535]},{"name":"CoInternetGetSecurityUrl","features":[535]},{"name":"CoInternetGetSecurityUrlEx","features":[535]},{"name":"CoInternetGetSession","features":[535]},{"name":"CoInternetIsFeatureEnabled","features":[535]},{"name":"CoInternetIsFeatureEnabledForIUri","features":[535]},{"name":"CoInternetIsFeatureEnabledForUrl","features":[535]},{"name":"CoInternetIsFeatureZoneElevationEnabled","features":[535]},{"name":"CoInternetParseIUri","features":[535]},{"name":"CoInternetParseUrl","features":[535]},{"name":"CoInternetQueryInfo","features":[535]},{"name":"CoInternetSetFeatureEnabled","features":[308,535]},{"name":"CompareSecurityIds","features":[535]},{"name":"CompatFlagsFromClsid","features":[535]},{"name":"CopyBindInfo","features":[308,319,311,432,535]},{"name":"CopyStgMedium","features":[308,319,432,535]},{"name":"CreateAsyncBindCtx","features":[535]},{"name":"CreateAsyncBindCtxEx","features":[535]},{"name":"CreateFormatEnumerator","features":[535]},{"name":"CreateURLMoniker","features":[535]},{"name":"CreateURLMonikerEx","features":[535]},{"name":"CreateURLMonikerEx2","features":[535]},{"name":"DATAINFO","features":[535]},{"name":"E_PENDING","features":[535]},{"name":"FEATURE_ADDON_MANAGEMENT","features":[535]},{"name":"FEATURE_BEHAVIORS","features":[535]},{"name":"FEATURE_BLOCK_INPUT_PROMPTS","features":[535]},{"name":"FEATURE_DISABLE_LEGACY_COMPRESSION","features":[535]},{"name":"FEATURE_DISABLE_MK_PROTOCOL","features":[535]},{"name":"FEATURE_DISABLE_NAVIGATION_SOUNDS","features":[535]},{"name":"FEATURE_DISABLE_TELNET_PROTOCOL","features":[535]},{"name":"FEATURE_ENTRY_COUNT","features":[535]},{"name":"FEATURE_FEEDS","features":[535]},{"name":"FEATURE_FORCE_ADDR_AND_STATUS","features":[535]},{"name":"FEATURE_GET_URL_DOM_FILEPATH_UNENCODED","features":[535]},{"name":"FEATURE_HTTP_USERNAME_PASSWORD_DISABLE","features":[535]},{"name":"FEATURE_LOCALMACHINE_LOCKDOWN","features":[535]},{"name":"FEATURE_MIME_HANDLING","features":[535]},{"name":"FEATURE_MIME_SNIFFING","features":[535]},{"name":"FEATURE_OBJECT_CACHING","features":[535]},{"name":"FEATURE_PROTOCOL_LOCKDOWN","features":[535]},{"name":"FEATURE_RESTRICT_ACTIVEXINSTALL","features":[535]},{"name":"FEATURE_RESTRICT_FILEDOWNLOAD","features":[535]},{"name":"FEATURE_SAFE_BINDTOOBJECT","features":[535]},{"name":"FEATURE_SECURITYBAND","features":[535]},{"name":"FEATURE_SSLUX","features":[535]},{"name":"FEATURE_TABBED_BROWSING","features":[535]},{"name":"FEATURE_UNC_SAVEDFILECHECK","features":[535]},{"name":"FEATURE_VALIDATE_NAVIGATE_URL","features":[535]},{"name":"FEATURE_WEBOC_POPUPMANAGEMENT","features":[535]},{"name":"FEATURE_WINDOW_RESTRICTIONS","features":[535]},{"name":"FEATURE_XMLHTTP","features":[535]},{"name":"FEATURE_ZONE_ELEVATION","features":[535]},{"name":"FIEF_FLAG_FORCE_JITUI","features":[535]},{"name":"FIEF_FLAG_PEEK","features":[535]},{"name":"FIEF_FLAG_RESERVED_0","features":[535]},{"name":"FIEF_FLAG_SKIP_INSTALLED_VERSION_CHECK","features":[535]},{"name":"FMFD_DEFAULT","features":[535]},{"name":"FMFD_ENABLEMIMESNIFFING","features":[535]},{"name":"FMFD_IGNOREMIMETEXTPLAIN","features":[535]},{"name":"FMFD_RESERVED_1","features":[535]},{"name":"FMFD_RESERVED_2","features":[535]},{"name":"FMFD_RESPECTTEXTPLAIN","features":[535]},{"name":"FMFD_RETURNUPDATEDIMGMIMES","features":[535]},{"name":"FMFD_SERVERMIME","features":[535]},{"name":"FMFD_URLASFILENAME","features":[535]},{"name":"FaultInIEFeature","features":[308,535]},{"name":"FindMediaType","features":[535]},{"name":"FindMediaTypeClass","features":[535]},{"name":"FindMimeFromData","features":[535]},{"name":"GET_FEATURE_FROM_PROCESS","features":[535]},{"name":"GET_FEATURE_FROM_REGISTRY","features":[535]},{"name":"GET_FEATURE_FROM_THREAD","features":[535]},{"name":"GET_FEATURE_FROM_THREAD_INTERNET","features":[535]},{"name":"GET_FEATURE_FROM_THREAD_INTRANET","features":[535]},{"name":"GET_FEATURE_FROM_THREAD_LOCALMACHINE","features":[535]},{"name":"GET_FEATURE_FROM_THREAD_RESTRICTED","features":[535]},{"name":"GET_FEATURE_FROM_THREAD_TRUSTED","features":[535]},{"name":"GetClassFileOrMime","features":[535]},{"name":"GetClassURL","features":[535]},{"name":"GetComponentIDFromCLSSPEC","features":[535]},{"name":"GetSoftwareUpdateInfo","features":[535]},{"name":"HIT_LOGGING_INFO","features":[308,535]},{"name":"HlinkGoBack","features":[535]},{"name":"HlinkGoForward","features":[535]},{"name":"HlinkNavigateMoniker","features":[535]},{"name":"HlinkNavigateString","features":[535]},{"name":"HlinkSimpleNavigateToMoniker","features":[535]},{"name":"HlinkSimpleNavigateToString","features":[535]},{"name":"IBindCallbackRedirect","features":[535]},{"name":"IBindHttpSecurity","features":[535]},{"name":"IBindProtocol","features":[535]},{"name":"ICatalogFileInfo","features":[535]},{"name":"ICodeInstall","features":[535]},{"name":"IDataFilter","features":[535]},{"name":"IEGetUserPrivateNamespaceName","features":[535]},{"name":"IEInstallScope","features":[535]},{"name":"IEObjectType","features":[535]},{"name":"IE_EPM_OBJECT_EVENT","features":[535]},{"name":"IE_EPM_OBJECT_FILE","features":[535]},{"name":"IE_EPM_OBJECT_MUTEX","features":[535]},{"name":"IE_EPM_OBJECT_NAMED_PIPE","features":[535]},{"name":"IE_EPM_OBJECT_REGISTRY","features":[535]},{"name":"IE_EPM_OBJECT_SEMAPHORE","features":[535]},{"name":"IE_EPM_OBJECT_SHARED_MEMORY","features":[535]},{"name":"IE_EPM_OBJECT_WAITABLE_TIMER","features":[535]},{"name":"IEncodingFilterFactory","features":[535]},{"name":"IGetBindHandle","features":[535]},{"name":"IHttpNegotiate","features":[535]},{"name":"IHttpNegotiate2","features":[535]},{"name":"IHttpNegotiate3","features":[535]},{"name":"IHttpSecurity","features":[535]},{"name":"IInternet","features":[535]},{"name":"IInternetBindInfo","features":[535]},{"name":"IInternetBindInfoEx","features":[535]},{"name":"IInternetHostSecurityManager","features":[535]},{"name":"IInternetPriority","features":[535]},{"name":"IInternetProtocol","features":[535]},{"name":"IInternetProtocolEx","features":[535]},{"name":"IInternetProtocolInfo","features":[535]},{"name":"IInternetProtocolRoot","features":[535]},{"name":"IInternetProtocolSink","features":[535]},{"name":"IInternetProtocolSinkStackable","features":[535]},{"name":"IInternetSecurityManager","features":[535]},{"name":"IInternetSecurityManagerEx","features":[535]},{"name":"IInternetSecurityManagerEx2","features":[535]},{"name":"IInternetSecurityMgrSite","features":[535]},{"name":"IInternetSession","features":[535]},{"name":"IInternetThreadSwitch","features":[535]},{"name":"IInternetZoneManager","features":[535]},{"name":"IInternetZoneManagerEx","features":[535]},{"name":"IInternetZoneManagerEx2","features":[535]},{"name":"IMonikerProp","features":[535]},{"name":"INET_E_AUTHENTICATION_REQUIRED","features":[535]},{"name":"INET_E_BLOCKED_ENHANCEDPROTECTEDMODE","features":[535]},{"name":"INET_E_BLOCKED_PLUGGABLE_PROTOCOL","features":[535]},{"name":"INET_E_BLOCKED_REDIRECT_XSECURITYID","features":[535]},{"name":"INET_E_CANNOT_CONNECT","features":[535]},{"name":"INET_E_CANNOT_INSTANTIATE_OBJECT","features":[535]},{"name":"INET_E_CANNOT_LOAD_DATA","features":[535]},{"name":"INET_E_CANNOT_LOCK_REQUEST","features":[535]},{"name":"INET_E_CANNOT_REPLACE_SFP_FILE","features":[535]},{"name":"INET_E_CODE_DOWNLOAD_DECLINED","features":[535]},{"name":"INET_E_CODE_INSTALL_BLOCKED_ARM","features":[535]},{"name":"INET_E_CODE_INSTALL_BLOCKED_BITNESS","features":[535]},{"name":"INET_E_CODE_INSTALL_BLOCKED_BY_HASH_POLICY","features":[535]},{"name":"INET_E_CODE_INSTALL_BLOCKED_IMMERSIVE","features":[535]},{"name":"INET_E_CODE_INSTALL_SUPPRESSED","features":[535]},{"name":"INET_E_CONNECTION_TIMEOUT","features":[535]},{"name":"INET_E_DATA_NOT_AVAILABLE","features":[535]},{"name":"INET_E_DEFAULT_ACTION","features":[535]},{"name":"INET_E_DOMINJECTIONVALIDATION","features":[535]},{"name":"INET_E_DOWNLOAD_BLOCKED_BY_CSP","features":[535]},{"name":"INET_E_DOWNLOAD_BLOCKED_BY_INPRIVATE","features":[535]},{"name":"INET_E_DOWNLOAD_FAILURE","features":[535]},{"name":"INET_E_ERROR_FIRST","features":[535]},{"name":"INET_E_ERROR_LAST","features":[535]},{"name":"INET_E_FORBIDFRAMING","features":[535]},{"name":"INET_E_HSTS_CERTIFICATE_ERROR","features":[535]},{"name":"INET_E_INVALID_CERTIFICATE","features":[535]},{"name":"INET_E_INVALID_REQUEST","features":[535]},{"name":"INET_E_INVALID_URL","features":[535]},{"name":"INET_E_NO_SESSION","features":[535]},{"name":"INET_E_NO_VALID_MEDIA","features":[535]},{"name":"INET_E_OBJECT_NOT_FOUND","features":[535]},{"name":"INET_E_QUERYOPTION_UNKNOWN","features":[535]},{"name":"INET_E_REDIRECTING","features":[535]},{"name":"INET_E_REDIRECT_FAILED","features":[535]},{"name":"INET_E_REDIRECT_TO_DIR","features":[535]},{"name":"INET_E_RESERVED_1","features":[535]},{"name":"INET_E_RESERVED_2","features":[535]},{"name":"INET_E_RESERVED_3","features":[535]},{"name":"INET_E_RESERVED_4","features":[535]},{"name":"INET_E_RESERVED_5","features":[535]},{"name":"INET_E_RESOURCE_NOT_FOUND","features":[535]},{"name":"INET_E_RESULT_DISPATCHED","features":[535]},{"name":"INET_E_SECURITY_PROBLEM","features":[535]},{"name":"INET_E_TERMINATED_BIND","features":[535]},{"name":"INET_E_UNKNOWN_PROTOCOL","features":[535]},{"name":"INET_E_USE_DEFAULT_PROTOCOLHANDLER","features":[535]},{"name":"INET_E_USE_DEFAULT_SETTING","features":[535]},{"name":"INET_E_USE_EXTEND_BINDING","features":[535]},{"name":"INET_E_VTAB_SWITCH_FORCE_ENGINE","features":[535]},{"name":"INET_ZONE_MANAGER_CONSTANTS","features":[535]},{"name":"INTERNETFEATURELIST","features":[535]},{"name":"IPersistMoniker","features":[535]},{"name":"ISoftDistExt","features":[535]},{"name":"IUriBuilderFactory","features":[535]},{"name":"IUriContainer","features":[535]},{"name":"IWinInetCacheHints","features":[535]},{"name":"IWinInetCacheHints2","features":[535]},{"name":"IWinInetFileStream","features":[535]},{"name":"IWinInetHttpInfo","features":[535]},{"name":"IWinInetHttpTimeouts","features":[535]},{"name":"IWinInetInfo","features":[535]},{"name":"IWindowForBindingUI","features":[535]},{"name":"IWrappedProtocol","features":[535]},{"name":"IZoneIdentifier","features":[535]},{"name":"IZoneIdentifier2","features":[535]},{"name":"IsAsyncMoniker","features":[535]},{"name":"IsLoggingEnabledA","features":[308,535]},{"name":"IsLoggingEnabledW","features":[308,535]},{"name":"IsValidURL","features":[535]},{"name":"MAX_SIZE_SECURITY_ID","features":[535]},{"name":"MAX_ZONE_DESCRIPTION","features":[535]},{"name":"MAX_ZONE_PATH","features":[535]},{"name":"MIMETYPEPROP","features":[535]},{"name":"MKSYS_URLMONIKER","features":[535]},{"name":"MK_S_ASYNCHRONOUS","features":[535]},{"name":"MONIKERPROPERTY","features":[535]},{"name":"MUTZ_ACCEPT_WILDCARD_SCHEME","features":[535]},{"name":"MUTZ_DONT_UNESCAPE","features":[535]},{"name":"MUTZ_DONT_USE_CACHE","features":[535]},{"name":"MUTZ_ENFORCERESTRICTED","features":[535]},{"name":"MUTZ_FORCE_INTRANET_FLAGS","features":[535]},{"name":"MUTZ_IGNORE_ZONE_MAPPINGS","features":[535]},{"name":"MUTZ_ISFILE","features":[535]},{"name":"MUTZ_NOSAVEDFILECHECK","features":[535]},{"name":"MUTZ_REQUIRESAVEDFILECHECK","features":[535]},{"name":"MUTZ_RESERVED","features":[535]},{"name":"MkParseDisplayNameEx","features":[535]},{"name":"OIBDG_APARTMENTTHREADED","features":[535]},{"name":"OIBDG_DATAONLY","features":[535]},{"name":"OIBDG_FLAGS","features":[535]},{"name":"ObtainUserAgentString","features":[535]},{"name":"PARSEACTION","features":[535]},{"name":"PARSE_ANCHOR","features":[535]},{"name":"PARSE_CANONICALIZE","features":[535]},{"name":"PARSE_DECODE_IS_ESCAPE","features":[535]},{"name":"PARSE_DOCUMENT","features":[535]},{"name":"PARSE_DOMAIN","features":[535]},{"name":"PARSE_ENCODE_IS_UNESCAPE","features":[535]},{"name":"PARSE_ESCAPE","features":[535]},{"name":"PARSE_FRIENDLY","features":[535]},{"name":"PARSE_LOCATION","features":[535]},{"name":"PARSE_MIME","features":[535]},{"name":"PARSE_PATH_FROM_URL","features":[535]},{"name":"PARSE_ROOTDOCUMENT","features":[535]},{"name":"PARSE_SCHEMA","features":[535]},{"name":"PARSE_SECURITY_DOMAIN","features":[535]},{"name":"PARSE_SECURITY_URL","features":[535]},{"name":"PARSE_SERVER","features":[535]},{"name":"PARSE_SITE","features":[535]},{"name":"PARSE_UNESCAPE","features":[535]},{"name":"PARSE_URL_FROM_PATH","features":[535]},{"name":"PD_FORCE_SWITCH","features":[535]},{"name":"PI_APARTMENTTHREADED","features":[535]},{"name":"PI_CLASSINSTALL","features":[535]},{"name":"PI_CLSIDLOOKUP","features":[535]},{"name":"PI_DATAPROGRESS","features":[535]},{"name":"PI_FILTER_MODE","features":[535]},{"name":"PI_FLAGS","features":[535]},{"name":"PI_FORCE_ASYNC","features":[535]},{"name":"PI_LOADAPPDIRECT","features":[535]},{"name":"PI_MIMEVERIFICATION","features":[535]},{"name":"PI_NOMIMEHANDLER","features":[535]},{"name":"PI_PARSE_URL","features":[535]},{"name":"PI_PASSONBINDCTX","features":[535]},{"name":"PI_PREFERDEFAULTHANDLER","features":[535]},{"name":"PI_SYNCHRONOUS","features":[535]},{"name":"PI_USE_WORKERTHREAD","features":[535]},{"name":"POPUPLEVELPROP","features":[535]},{"name":"PROTOCOLDATA","features":[535]},{"name":"PROTOCOLFILTERDATA","features":[535]},{"name":"PROTOCOLFLAG_NO_PICS_CHECK","features":[535]},{"name":"PROTOCOL_ARGUMENT","features":[535]},{"name":"PSUACTION","features":[535]},{"name":"PSU_DEFAULT","features":[535]},{"name":"PSU_SECURITY_URL_ONLY","features":[535]},{"name":"PUAF","features":[535]},{"name":"PUAFOUT","features":[535]},{"name":"PUAFOUT_DEFAULT","features":[535]},{"name":"PUAFOUT_ISLOCKZONEPOLICY","features":[535]},{"name":"PUAF_ACCEPT_WILDCARD_SCHEME","features":[535]},{"name":"PUAF_CHECK_TIFS","features":[535]},{"name":"PUAF_DEFAULT","features":[535]},{"name":"PUAF_DEFAULTZONEPOL","features":[535]},{"name":"PUAF_DONTCHECKBOXINDIALOG","features":[535]},{"name":"PUAF_DONT_USE_CACHE","features":[535]},{"name":"PUAF_DRAGPROTOCOLCHECK","features":[535]},{"name":"PUAF_ENFORCERESTRICTED","features":[535]},{"name":"PUAF_FORCEUI_FOREGROUND","features":[535]},{"name":"PUAF_ISFILE","features":[535]},{"name":"PUAF_LMZ_LOCKED","features":[535]},{"name":"PUAF_LMZ_UNLOCKED","features":[535]},{"name":"PUAF_NOSAVEDFILECHECK","features":[535]},{"name":"PUAF_NOUI","features":[535]},{"name":"PUAF_NOUIIFLOCKED","features":[535]},{"name":"PUAF_NPL_USE_LOCKED_IF_RESTRICTED","features":[535]},{"name":"PUAF_REQUIRESAVEDFILECHECK","features":[535]},{"name":"PUAF_RESERVED1","features":[535]},{"name":"PUAF_RESERVED2","features":[535]},{"name":"PUAF_TRUSTED","features":[535]},{"name":"PUAF_WARN_IF_DENIED","features":[535]},{"name":"QUERYOPTION","features":[535]},{"name":"QUERY_CAN_NAVIGATE","features":[535]},{"name":"QUERY_CONTENT_ENCODING","features":[535]},{"name":"QUERY_CONTENT_TYPE","features":[535]},{"name":"QUERY_EXPIRATION_DATE","features":[535]},{"name":"QUERY_IS_CACHED","features":[535]},{"name":"QUERY_IS_CACHED_AND_USABLE_OFFLINE","features":[535]},{"name":"QUERY_IS_CACHED_OR_MAPPED","features":[535]},{"name":"QUERY_IS_INSTALLEDENTRY","features":[535]},{"name":"QUERY_IS_SAFE","features":[535]},{"name":"QUERY_IS_SECURE","features":[535]},{"name":"QUERY_RECOMBINE","features":[535]},{"name":"QUERY_REFRESH","features":[535]},{"name":"QUERY_TIME_OF_LAST_CHANGE","features":[535]},{"name":"QUERY_USES_CACHE","features":[535]},{"name":"QUERY_USES_HISTORYFOLDER","features":[535]},{"name":"QUERY_USES_NETWORK","features":[535]},{"name":"REMSECURITY_ATTRIBUTES","features":[308,535]},{"name":"RegisterBindStatusCallback","features":[535]},{"name":"RegisterFormatEnumerator","features":[535]},{"name":"RegisterMediaTypeClass","features":[535]},{"name":"RegisterMediaTypes","features":[535]},{"name":"ReleaseBindInfo","features":[308,319,311,432,535]},{"name":"RemBINDINFO","features":[308,535]},{"name":"RemFORMATETC","features":[535]},{"name":"RevokeBindStatusCallback","features":[535]},{"name":"RevokeFormatEnumerator","features":[535]},{"name":"SECURITY_IE_STATE_GREEN","features":[535]},{"name":"SECURITY_IE_STATE_RED","features":[535]},{"name":"SET_FEATURE_IN_REGISTRY","features":[535]},{"name":"SET_FEATURE_ON_PROCESS","features":[535]},{"name":"SET_FEATURE_ON_THREAD","features":[535]},{"name":"SET_FEATURE_ON_THREAD_INTERNET","features":[535]},{"name":"SET_FEATURE_ON_THREAD_INTRANET","features":[535]},{"name":"SET_FEATURE_ON_THREAD_LOCALMACHINE","features":[535]},{"name":"SET_FEATURE_ON_THREAD_RESTRICTED","features":[535]},{"name":"SET_FEATURE_ON_THREAD_TRUSTED","features":[535]},{"name":"SOFTDISTINFO","features":[535]},{"name":"SOFTDIST_ADSTATE_AVAILABLE","features":[535]},{"name":"SOFTDIST_ADSTATE_DOWNLOADED","features":[535]},{"name":"SOFTDIST_ADSTATE_INSTALLED","features":[535]},{"name":"SOFTDIST_ADSTATE_NONE","features":[535]},{"name":"SOFTDIST_FLAG_DELETE_SUBSCRIPTION","features":[535]},{"name":"SOFTDIST_FLAG_USAGE_AUTOINSTALL","features":[535]},{"name":"SOFTDIST_FLAG_USAGE_EMAIL","features":[535]},{"name":"SOFTDIST_FLAG_USAGE_PRECACHE","features":[535]},{"name":"SZM_CREATE","features":[535]},{"name":"SZM_DELETE","features":[535]},{"name":"SZM_FLAGS","features":[535]},{"name":"S_ASYNCHRONOUS","features":[535]},{"name":"SetAccessForIEAppContainer","features":[308,535]},{"name":"SetSoftwareUpdateAdvertisementState","features":[535]},{"name":"StartParam","features":[535]},{"name":"TRUSTEDDOWNLOADPROP","features":[535]},{"name":"UAS_EXACTLEGACY","features":[535]},{"name":"URLACTION_ACTIVEX_ALLOW_TDC","features":[535]},{"name":"URLACTION_ACTIVEX_CONFIRM_NOOBJECTSAFETY","features":[535]},{"name":"URLACTION_ACTIVEX_CURR_MAX","features":[535]},{"name":"URLACTION_ACTIVEX_DYNSRC_VIDEO_AND_ANIMATION","features":[535]},{"name":"URLACTION_ACTIVEX_MAX","features":[535]},{"name":"URLACTION_ACTIVEX_MIN","features":[535]},{"name":"URLACTION_ACTIVEX_NO_WEBOC_SCRIPT","features":[535]},{"name":"URLACTION_ACTIVEX_OVERRIDE_DATA_SAFETY","features":[535]},{"name":"URLACTION_ACTIVEX_OVERRIDE_DOMAINLIST","features":[535]},{"name":"URLACTION_ACTIVEX_OVERRIDE_OBJECT_SAFETY","features":[535]},{"name":"URLACTION_ACTIVEX_OVERRIDE_OPTIN","features":[535]},{"name":"URLACTION_ACTIVEX_OVERRIDE_REPURPOSEDETECTION","features":[535]},{"name":"URLACTION_ACTIVEX_OVERRIDE_SCRIPT_SAFETY","features":[535]},{"name":"URLACTION_ACTIVEX_RUN","features":[535]},{"name":"URLACTION_ACTIVEX_SCRIPTLET_RUN","features":[535]},{"name":"URLACTION_ACTIVEX_TREATASUNTRUSTED","features":[535]},{"name":"URLACTION_ALLOW_ACTIVEX_FILTERING","features":[535]},{"name":"URLACTION_ALLOW_ANTIMALWARE_SCANNING_OF_ACTIVEX","features":[535]},{"name":"URLACTION_ALLOW_APEVALUATION","features":[535]},{"name":"URLACTION_ALLOW_AUDIO_VIDEO","features":[535]},{"name":"URLACTION_ALLOW_AUDIO_VIDEO_PLUGINS","features":[535]},{"name":"URLACTION_ALLOW_CROSSDOMAIN_APPCACHE_MANIFEST","features":[535]},{"name":"URLACTION_ALLOW_CROSSDOMAIN_DROP_ACROSS_WINDOWS","features":[535]},{"name":"URLACTION_ALLOW_CROSSDOMAIN_DROP_WITHIN_WINDOW","features":[535]},{"name":"URLACTION_ALLOW_CSS_EXPRESSIONS","features":[535]},{"name":"URLACTION_ALLOW_JSCRIPT_IE","features":[535]},{"name":"URLACTION_ALLOW_RENDER_LEGACY_DXTFILTERS","features":[535]},{"name":"URLACTION_ALLOW_RESTRICTEDPROTOCOLS","features":[535]},{"name":"URLACTION_ALLOW_STRUCTURED_STORAGE_SNIFFING","features":[535]},{"name":"URLACTION_ALLOW_VBSCRIPT_IE","features":[535]},{"name":"URLACTION_ALLOW_XDOMAIN_SUBFRAME_RESIZE","features":[535]},{"name":"URLACTION_ALLOW_XHR_EVALUATION","features":[535]},{"name":"URLACTION_ALLOW_ZONE_ELEVATION_OPT_OUT_ADDITION","features":[535]},{"name":"URLACTION_ALLOW_ZONE_ELEVATION_VIA_OPT_OUT","features":[535]},{"name":"URLACTION_AUTHENTICATE_CLIENT","features":[535]},{"name":"URLACTION_AUTOMATIC_ACTIVEX_UI","features":[535]},{"name":"URLACTION_AUTOMATIC_DOWNLOAD_UI","features":[535]},{"name":"URLACTION_AUTOMATIC_DOWNLOAD_UI_MIN","features":[535]},{"name":"URLACTION_BEHAVIOR_MIN","features":[535]},{"name":"URLACTION_BEHAVIOR_RUN","features":[535]},{"name":"URLACTION_CHANNEL_SOFTDIST_MAX","features":[535]},{"name":"URLACTION_CHANNEL_SOFTDIST_MIN","features":[535]},{"name":"URLACTION_CHANNEL_SOFTDIST_PERMISSIONS","features":[535]},{"name":"URLACTION_CLIENT_CERT_PROMPT","features":[535]},{"name":"URLACTION_COOKIES","features":[535]},{"name":"URLACTION_COOKIES_ENABLED","features":[535]},{"name":"URLACTION_COOKIES_SESSION","features":[535]},{"name":"URLACTION_COOKIES_SESSION_THIRD_PARTY","features":[535]},{"name":"URLACTION_COOKIES_THIRD_PARTY","features":[535]},{"name":"URLACTION_CREDENTIALS_USE","features":[535]},{"name":"URLACTION_CROSS_DOMAIN_DATA","features":[535]},{"name":"URLACTION_DOTNET_USERCONTROLS","features":[535]},{"name":"URLACTION_DOWNLOAD_CURR_MAX","features":[535]},{"name":"URLACTION_DOWNLOAD_MAX","features":[535]},{"name":"URLACTION_DOWNLOAD_MIN","features":[535]},{"name":"URLACTION_DOWNLOAD_SIGNED_ACTIVEX","features":[535]},{"name":"URLACTION_DOWNLOAD_UNSIGNED_ACTIVEX","features":[535]},{"name":"URLACTION_FEATURE_BLOCK_INPUT_PROMPTS","features":[535]},{"name":"URLACTION_FEATURE_CROSSDOMAIN_FOCUS_CHANGE","features":[535]},{"name":"URLACTION_FEATURE_DATA_BINDING","features":[535]},{"name":"URLACTION_FEATURE_FORCE_ADDR_AND_STATUS","features":[535]},{"name":"URLACTION_FEATURE_MIME_SNIFFING","features":[535]},{"name":"URLACTION_FEATURE_MIN","features":[535]},{"name":"URLACTION_FEATURE_SCRIPT_STATUS_BAR","features":[535]},{"name":"URLACTION_FEATURE_WINDOW_RESTRICTIONS","features":[535]},{"name":"URLACTION_FEATURE_ZONE_ELEVATION","features":[535]},{"name":"URLACTION_HTML_ALLOW_CROSS_DOMAIN_CANVAS","features":[535]},{"name":"URLACTION_HTML_ALLOW_CROSS_DOMAIN_TEXTTRACK","features":[535]},{"name":"URLACTION_HTML_ALLOW_CROSS_DOMAIN_WEBWORKER","features":[535]},{"name":"URLACTION_HTML_ALLOW_INDEXEDDB","features":[535]},{"name":"URLACTION_HTML_ALLOW_INJECTED_DYNAMIC_HTML","features":[535]},{"name":"URLACTION_HTML_ALLOW_WINDOW_CLOSE","features":[535]},{"name":"URLACTION_HTML_FONT_DOWNLOAD","features":[535]},{"name":"URLACTION_HTML_INCLUDE_FILE_PATH","features":[535]},{"name":"URLACTION_HTML_JAVA_RUN","features":[535]},{"name":"URLACTION_HTML_MAX","features":[535]},{"name":"URLACTION_HTML_META_REFRESH","features":[535]},{"name":"URLACTION_HTML_MIN","features":[535]},{"name":"URLACTION_HTML_MIXED_CONTENT","features":[535]},{"name":"URLACTION_HTML_REQUIRE_UTF8_DOCUMENT_CODEPAGE","features":[535]},{"name":"URLACTION_HTML_SUBFRAME_NAVIGATE","features":[535]},{"name":"URLACTION_HTML_SUBMIT_FORMS","features":[535]},{"name":"URLACTION_HTML_SUBMIT_FORMS_FROM","features":[535]},{"name":"URLACTION_HTML_SUBMIT_FORMS_TO","features":[535]},{"name":"URLACTION_HTML_USERDATA_SAVE","features":[535]},{"name":"URLACTION_INFODELIVERY_CURR_MAX","features":[535]},{"name":"URLACTION_INFODELIVERY_MAX","features":[535]},{"name":"URLACTION_INFODELIVERY_MIN","features":[535]},{"name":"URLACTION_INFODELIVERY_NO_ADDING_CHANNELS","features":[535]},{"name":"URLACTION_INFODELIVERY_NO_ADDING_SUBSCRIPTIONS","features":[535]},{"name":"URLACTION_INFODELIVERY_NO_CHANNEL_LOGGING","features":[535]},{"name":"URLACTION_INFODELIVERY_NO_EDITING_CHANNELS","features":[535]},{"name":"URLACTION_INFODELIVERY_NO_EDITING_SUBSCRIPTIONS","features":[535]},{"name":"URLACTION_INFODELIVERY_NO_REMOVING_CHANNELS","features":[535]},{"name":"URLACTION_INFODELIVERY_NO_REMOVING_SUBSCRIPTIONS","features":[535]},{"name":"URLACTION_INPRIVATE_BLOCKING","features":[535]},{"name":"URLACTION_JAVA_CURR_MAX","features":[535]},{"name":"URLACTION_JAVA_MAX","features":[535]},{"name":"URLACTION_JAVA_MIN","features":[535]},{"name":"URLACTION_JAVA_PERMISSIONS","features":[535]},{"name":"URLACTION_LOOSE_XAML","features":[535]},{"name":"URLACTION_LOWRIGHTS","features":[535]},{"name":"URLACTION_MIN","features":[535]},{"name":"URLACTION_NETWORK_CURR_MAX","features":[535]},{"name":"URLACTION_NETWORK_MAX","features":[535]},{"name":"URLACTION_NETWORK_MIN","features":[535]},{"name":"URLACTION_PLUGGABLE_PROTOCOL_XHR","features":[535]},{"name":"URLACTION_SCRIPT_CURR_MAX","features":[535]},{"name":"URLACTION_SCRIPT_JAVA_USE","features":[535]},{"name":"URLACTION_SCRIPT_MAX","features":[535]},{"name":"URLACTION_SCRIPT_MIN","features":[535]},{"name":"URLACTION_SCRIPT_NAVIGATE","features":[535]},{"name":"URLACTION_SCRIPT_OVERRIDE_SAFETY","features":[535]},{"name":"URLACTION_SCRIPT_PASTE","features":[535]},{"name":"URLACTION_SCRIPT_RUN","features":[535]},{"name":"URLACTION_SCRIPT_SAFE_ACTIVEX","features":[535]},{"name":"URLACTION_SCRIPT_XSSFILTER","features":[535]},{"name":"URLACTION_SHELL_ALLOW_CROSS_SITE_SHARE","features":[535]},{"name":"URLACTION_SHELL_CURR_MAX","features":[535]},{"name":"URLACTION_SHELL_ENHANCED_DRAGDROP_SECURITY","features":[535]},{"name":"URLACTION_SHELL_EXECUTE_HIGHRISK","features":[535]},{"name":"URLACTION_SHELL_EXECUTE_LOWRISK","features":[535]},{"name":"URLACTION_SHELL_EXECUTE_MODRISK","features":[535]},{"name":"URLACTION_SHELL_EXTENSIONSECURITY","features":[535]},{"name":"URLACTION_SHELL_FILE_DOWNLOAD","features":[535]},{"name":"URLACTION_SHELL_INSTALL_DTITEMS","features":[535]},{"name":"URLACTION_SHELL_MAX","features":[535]},{"name":"URLACTION_SHELL_MIN","features":[535]},{"name":"URLACTION_SHELL_MOVE_OR_COPY","features":[535]},{"name":"URLACTION_SHELL_POPUPMGR","features":[535]},{"name":"URLACTION_SHELL_PREVIEW","features":[535]},{"name":"URLACTION_SHELL_REMOTEQUERY","features":[535]},{"name":"URLACTION_SHELL_RTF_OBJECTS_LOAD","features":[535]},{"name":"URLACTION_SHELL_SECURE_DRAGSOURCE","features":[535]},{"name":"URLACTION_SHELL_SHARE","features":[535]},{"name":"URLACTION_SHELL_SHELLEXECUTE","features":[535]},{"name":"URLACTION_SHELL_TOCTOU_RISK","features":[535]},{"name":"URLACTION_SHELL_VERB","features":[535]},{"name":"URLACTION_SHELL_WEBVIEW_VERB","features":[535]},{"name":"URLACTION_WINDOWS_BROWSER_APPLICATIONS","features":[535]},{"name":"URLACTION_WINFX_SETUP","features":[535]},{"name":"URLACTION_XPS_DOCUMENTS","features":[535]},{"name":"URLDownloadToCacheFileA","features":[535]},{"name":"URLDownloadToCacheFileW","features":[535]},{"name":"URLDownloadToFileA","features":[535]},{"name":"URLDownloadToFileW","features":[535]},{"name":"URLMON_OPTION_URL_ENCODING","features":[535]},{"name":"URLMON_OPTION_USERAGENT","features":[535]},{"name":"URLMON_OPTION_USERAGENT_REFRESH","features":[535]},{"name":"URLMON_OPTION_USE_BINDSTRINGCREDS","features":[535]},{"name":"URLMON_OPTION_USE_BROWSERAPPSDOCUMENTS","features":[535]},{"name":"URLOSTRM_GETNEWESTVERSION","features":[535]},{"name":"URLOSTRM_USECACHEDCOPY","features":[535]},{"name":"URLOSTRM_USECACHEDCOPY_ONLY","features":[535]},{"name":"URLOpenBlockingStreamA","features":[535]},{"name":"URLOpenBlockingStreamW","features":[535]},{"name":"URLOpenPullStreamA","features":[535]},{"name":"URLOpenPullStreamW","features":[535]},{"name":"URLOpenStreamA","features":[535]},{"name":"URLOpenStreamW","features":[535]},{"name":"URLPOLICY_ACTIVEX_CHECK_LIST","features":[535]},{"name":"URLPOLICY_ALLOW","features":[535]},{"name":"URLPOLICY_AUTHENTICATE_CHALLENGE_RESPONSE","features":[535]},{"name":"URLPOLICY_AUTHENTICATE_CLEARTEXT_OK","features":[535]},{"name":"URLPOLICY_AUTHENTICATE_MUTUAL_ONLY","features":[535]},{"name":"URLPOLICY_BEHAVIOR_CHECK_LIST","features":[535]},{"name":"URLPOLICY_CHANNEL_SOFTDIST_AUTOINSTALL","features":[535]},{"name":"URLPOLICY_CHANNEL_SOFTDIST_PRECACHE","features":[535]},{"name":"URLPOLICY_CHANNEL_SOFTDIST_PROHIBIT","features":[535]},{"name":"URLPOLICY_CREDENTIALS_ANONYMOUS_ONLY","features":[535]},{"name":"URLPOLICY_CREDENTIALS_CONDITIONAL_PROMPT","features":[535]},{"name":"URLPOLICY_CREDENTIALS_MUST_PROMPT_USER","features":[535]},{"name":"URLPOLICY_CREDENTIALS_SILENT_LOGON_OK","features":[535]},{"name":"URLPOLICY_DISALLOW","features":[535]},{"name":"URLPOLICY_DONTCHECKDLGBOX","features":[535]},{"name":"URLPOLICY_JAVA_CUSTOM","features":[535]},{"name":"URLPOLICY_JAVA_HIGH","features":[535]},{"name":"URLPOLICY_JAVA_LOW","features":[535]},{"name":"URLPOLICY_JAVA_MEDIUM","features":[535]},{"name":"URLPOLICY_JAVA_PROHIBIT","features":[535]},{"name":"URLPOLICY_LOG_ON_ALLOW","features":[535]},{"name":"URLPOLICY_LOG_ON_DISALLOW","features":[535]},{"name":"URLPOLICY_MASK_PERMISSIONS","features":[535]},{"name":"URLPOLICY_NOTIFY_ON_ALLOW","features":[535]},{"name":"URLPOLICY_NOTIFY_ON_DISALLOW","features":[535]},{"name":"URLPOLICY_QUERY","features":[535]},{"name":"URLTEMPLATE","features":[535]},{"name":"URLTEMPLATE_CUSTOM","features":[535]},{"name":"URLTEMPLATE_HIGH","features":[535]},{"name":"URLTEMPLATE_LOW","features":[535]},{"name":"URLTEMPLATE_MEDHIGH","features":[535]},{"name":"URLTEMPLATE_MEDIUM","features":[535]},{"name":"URLTEMPLATE_MEDLOW","features":[535]},{"name":"URLTEMPLATE_PREDEFINED_MAX","features":[535]},{"name":"URLTEMPLATE_PREDEFINED_MIN","features":[535]},{"name":"URLZONE","features":[535]},{"name":"URLZONEREG","features":[535]},{"name":"URLZONEREG_DEFAULT","features":[535]},{"name":"URLZONEREG_HKCU","features":[535]},{"name":"URLZONEREG_HKLM","features":[535]},{"name":"URLZONE_ESC_FLAG","features":[535]},{"name":"URLZONE_INTERNET","features":[535]},{"name":"URLZONE_INTRANET","features":[535]},{"name":"URLZONE_INVALID","features":[535]},{"name":"URLZONE_LOCAL_MACHINE","features":[535]},{"name":"URLZONE_PREDEFINED_MAX","features":[535]},{"name":"URLZONE_PREDEFINED_MIN","features":[535]},{"name":"URLZONE_TRUSTED","features":[535]},{"name":"URLZONE_UNTRUSTED","features":[535]},{"name":"URLZONE_USER_MAX","features":[535]},{"name":"URLZONE_USER_MIN","features":[535]},{"name":"URL_ENCODING","features":[535]},{"name":"URL_ENCODING_DISABLE_UTF8","features":[535]},{"name":"URL_ENCODING_ENABLE_UTF8","features":[535]},{"name":"URL_ENCODING_NONE","features":[535]},{"name":"URL_MK_LEGACY","features":[535]},{"name":"URL_MK_NO_CANONICALIZE","features":[535]},{"name":"URL_MK_UNIFORM","features":[535]},{"name":"USE_SRC_URL","features":[535]},{"name":"UriBuilder_USE_ORIGINAL_FLAGS","features":[535]},{"name":"Uri_DISPLAY_IDN_HOST","features":[535]},{"name":"Uri_DISPLAY_NO_FRAGMENT","features":[535]},{"name":"Uri_DISPLAY_NO_PUNYCODE","features":[535]},{"name":"Uri_ENCODING_HOST_IS_IDN","features":[535]},{"name":"Uri_ENCODING_HOST_IS_PERCENT_ENCODED_CP","features":[535]},{"name":"Uri_ENCODING_HOST_IS_PERCENT_ENCODED_UTF8","features":[535]},{"name":"Uri_ENCODING_QUERY_AND_FRAGMENT_IS_CP","features":[535]},{"name":"Uri_ENCODING_QUERY_AND_FRAGMENT_IS_PERCENT_ENCODED_UTF8","features":[535]},{"name":"Uri_ENCODING_USER_INFO_AND_PATH_IS_CP","features":[535]},{"name":"Uri_ENCODING_USER_INFO_AND_PATH_IS_PERCENT_ENCODED_UTF8","features":[535]},{"name":"Uri_HOST_DNS","features":[535]},{"name":"Uri_HOST_IDN","features":[535]},{"name":"Uri_HOST_IPV4","features":[535]},{"name":"Uri_HOST_IPV6","features":[535]},{"name":"Uri_HOST_TYPE","features":[535]},{"name":"Uri_HOST_UNKNOWN","features":[535]},{"name":"Uri_PUNYCODE_IDN_HOST","features":[535]},{"name":"UrlMkGetSessionOption","features":[535]},{"name":"UrlMkSetSessionOption","features":[535]},{"name":"WININETINFO_OPTION_LOCK_HANDLE","features":[535]},{"name":"WriteHitLogging","features":[308,535]},{"name":"ZAFLAGS","features":[535]},{"name":"ZAFLAGS_ADD_SITES","features":[535]},{"name":"ZAFLAGS_CUSTOM_EDIT","features":[535]},{"name":"ZAFLAGS_DETECT_INTRANET","features":[535]},{"name":"ZAFLAGS_INCLUDE_INTRANET_SITES","features":[535]},{"name":"ZAFLAGS_INCLUDE_PROXY_OVERRIDE","features":[535]},{"name":"ZAFLAGS_NO_CACHE","features":[535]},{"name":"ZAFLAGS_NO_UI","features":[535]},{"name":"ZAFLAGS_REQUIRE_VERIFICATION","features":[535]},{"name":"ZAFLAGS_SUPPORTS_VERIFICATION","features":[535]},{"name":"ZAFLAGS_UNC_AS_INTRANET","features":[535]},{"name":"ZAFLAGS_USE_LOCKED_ZONES","features":[535]},{"name":"ZAFLAGS_VERIFY_TEMPLATE_SETTINGS","features":[535]},{"name":"ZONEATTRIBUTES","features":[535]}],"542":[{"name":"APPDATA","features":[536]},{"name":"APPSTATISTICS","features":[536]},{"name":"APPTYPE_LIBRARY","features":[536]},{"name":"APPTYPE_SERVER","features":[536]},{"name":"APPTYPE_SWC","features":[536]},{"name":"APPTYPE_UNKNOWN","features":[536]},{"name":"AppDomainHelper","features":[536]},{"name":"ApplicationProcessRecycleInfo","features":[308,536]},{"name":"ApplicationProcessStatistics","features":[536]},{"name":"ApplicationProcessSummary","features":[308,536]},{"name":"ApplicationSummary","features":[536]},{"name":"AutoSvcs_Error_Constants","features":[536]},{"name":"ByotServerEx","features":[536]},{"name":"CLSIDDATA","features":[536]},{"name":"CLSIDDATA2","features":[536]},{"name":"COMAdmin32BitComponent","features":[536]},{"name":"COMAdmin64BitComponent","features":[536]},{"name":"COMAdminAccessChecksApplicationComponentLevel","features":[536]},{"name":"COMAdminAccessChecksApplicationLevel","features":[536]},{"name":"COMAdminAccessChecksLevelOptions","features":[536]},{"name":"COMAdminActivationInproc","features":[536]},{"name":"COMAdminActivationLocal","features":[536]},{"name":"COMAdminActivationOptions","features":[536]},{"name":"COMAdminApplicationExportOptions","features":[536]},{"name":"COMAdminApplicationInstallOptions","features":[536]},{"name":"COMAdminAuthenticationCall","features":[536]},{"name":"COMAdminAuthenticationCapabilitiesDynamicCloaking","features":[536]},{"name":"COMAdminAuthenticationCapabilitiesNone","features":[536]},{"name":"COMAdminAuthenticationCapabilitiesOptions","features":[536]},{"name":"COMAdminAuthenticationCapabilitiesSecureReference","features":[536]},{"name":"COMAdminAuthenticationCapabilitiesStaticCloaking","features":[536]},{"name":"COMAdminAuthenticationConnect","features":[536]},{"name":"COMAdminAuthenticationDefault","features":[536]},{"name":"COMAdminAuthenticationIntegrity","features":[536]},{"name":"COMAdminAuthenticationLevelOptions","features":[536]},{"name":"COMAdminAuthenticationNone","features":[536]},{"name":"COMAdminAuthenticationPacket","features":[536]},{"name":"COMAdminAuthenticationPrivacy","features":[536]},{"name":"COMAdminCatalog","features":[536]},{"name":"COMAdminCatalogCollection","features":[536]},{"name":"COMAdminCatalogObject","features":[536]},{"name":"COMAdminCompFlagAlreadyInstalled","features":[536]},{"name":"COMAdminCompFlagCOMPlusPropertiesFound","features":[536]},{"name":"COMAdminCompFlagInterfacesFound","features":[536]},{"name":"COMAdminCompFlagNotInApplication","features":[536]},{"name":"COMAdminCompFlagProxyFound","features":[536]},{"name":"COMAdminCompFlagTypeInfoFound","features":[536]},{"name":"COMAdminComponentFlags","features":[536]},{"name":"COMAdminComponentType","features":[536]},{"name":"COMAdminErrAlreadyInstalled","features":[536]},{"name":"COMAdminErrAppDirNotFound","features":[536]},{"name":"COMAdminErrAppFileReadFail","features":[536]},{"name":"COMAdminErrAppFileVersion","features":[536]},{"name":"COMAdminErrAppFileWriteFail","features":[536]},{"name":"COMAdminErrAppNotRunning","features":[536]},{"name":"COMAdminErrApplicationExists","features":[536]},{"name":"COMAdminErrApplidMatchesClsid","features":[536]},{"name":"COMAdminErrAuthenticationLevel","features":[536]},{"name":"COMAdminErrBadPath","features":[536]},{"name":"COMAdminErrBadRegistryLibID","features":[536]},{"name":"COMAdminErrBadRegistryProgID","features":[536]},{"name":"COMAdminErrBasePartitionOnly","features":[536]},{"name":"COMAdminErrCLSIDOrIIDMismatch","features":[536]},{"name":"COMAdminErrCanNotExportAppProxy","features":[536]},{"name":"COMAdminErrCanNotExportSystemApp","features":[536]},{"name":"COMAdminErrCanNotStartApp","features":[536]},{"name":"COMAdminErrCanNotSubscribeToComponent","features":[536]},{"name":"COMAdminErrCannotCopyEventClass","features":[536]},{"name":"COMAdminErrCantCopyFile","features":[536]},{"name":"COMAdminErrCantRecycleLibraryApps","features":[536]},{"name":"COMAdminErrCantRecycleServiceApps","features":[536]},{"name":"COMAdminErrCatBitnessMismatch","features":[536]},{"name":"COMAdminErrCatPauseResumeNotSupported","features":[536]},{"name":"COMAdminErrCatServerFault","features":[536]},{"name":"COMAdminErrCatUnacceptableBitness","features":[536]},{"name":"COMAdminErrCatWrongAppBitnessBitness","features":[536]},{"name":"COMAdminErrCoReqCompInstalled","features":[536]},{"name":"COMAdminErrCompFileBadTLB","features":[536]},{"name":"COMAdminErrCompFileClassNotAvail","features":[536]},{"name":"COMAdminErrCompFileDoesNotExist","features":[536]},{"name":"COMAdminErrCompFileGetClassObj","features":[536]},{"name":"COMAdminErrCompFileLoadDLLFail","features":[536]},{"name":"COMAdminErrCompFileNoRegistrar","features":[536]},{"name":"COMAdminErrCompFileNotInstallable","features":[536]},{"name":"COMAdminErrCompMoveBadDest","features":[536]},{"name":"COMAdminErrCompMoveDest","features":[536]},{"name":"COMAdminErrCompMoveLocked","features":[536]},{"name":"COMAdminErrCompMovePrivate","features":[536]},{"name":"COMAdminErrCompMoveSource","features":[536]},{"name":"COMAdminErrComponentExists","features":[536]},{"name":"COMAdminErrDllLoadFailed","features":[536]},{"name":"COMAdminErrDllRegisterServer","features":[536]},{"name":"COMAdminErrDuplicatePartitionName","features":[536]},{"name":"COMAdminErrEventClassCannotBeSubscriber","features":[536]},{"name":"COMAdminErrImportedComponentsNotAllowed","features":[536]},{"name":"COMAdminErrInvalidPartition","features":[536]},{"name":"COMAdminErrInvalidUserids","features":[536]},{"name":"COMAdminErrKeyMissing","features":[536]},{"name":"COMAdminErrLibAppProxyIncompatible","features":[536]},{"name":"COMAdminErrMigSchemaNotFound","features":[536]},{"name":"COMAdminErrMigVersionNotSupported","features":[536]},{"name":"COMAdminErrNoRegistryCLSID","features":[536]},{"name":"COMAdminErrNoServerShare","features":[536]},{"name":"COMAdminErrNoUser","features":[536]},{"name":"COMAdminErrNotChangeable","features":[536]},{"name":"COMAdminErrNotDeletable","features":[536]},{"name":"COMAdminErrNotInRegistry","features":[536]},{"name":"COMAdminErrObjectDoesNotExist","features":[536]},{"name":"COMAdminErrObjectErrors","features":[536]},{"name":"COMAdminErrObjectExists","features":[536]},{"name":"COMAdminErrObjectInvalid","features":[536]},{"name":"COMAdminErrObjectNotPoolable","features":[536]},{"name":"COMAdminErrObjectParentMissing","features":[536]},{"name":"COMAdminErrPartitionInUse","features":[536]},{"name":"COMAdminErrPartitionMsiOnly","features":[536]},{"name":"COMAdminErrPausedProcessMayNotBeRecycled","features":[536]},{"name":"COMAdminErrProcessAlreadyRecycled","features":[536]},{"name":"COMAdminErrPropertyOverflow","features":[536]},{"name":"COMAdminErrPropertySaveFailed","features":[536]},{"name":"COMAdminErrQueuingServiceNotAvailable","features":[536]},{"name":"COMAdminErrRegFileCorrupt","features":[536]},{"name":"COMAdminErrRegdbAlreadyRunning","features":[536]},{"name":"COMAdminErrRegdbNotInitialized","features":[536]},{"name":"COMAdminErrRegdbNotOpen","features":[536]},{"name":"COMAdminErrRegdbSystemErr","features":[536]},{"name":"COMAdminErrRegisterTLB","features":[536]},{"name":"COMAdminErrRegistrarFailed","features":[536]},{"name":"COMAdminErrRemoteInterface","features":[536]},{"name":"COMAdminErrRequiresDifferentPlatform","features":[536]},{"name":"COMAdminErrRoleDoesNotExist","features":[536]},{"name":"COMAdminErrRoleExists","features":[536]},{"name":"COMAdminErrServiceNotInstalled","features":[536]},{"name":"COMAdminErrSession","features":[536]},{"name":"COMAdminErrStartAppDisabled","features":[536]},{"name":"COMAdminErrStartAppNeedsComponents","features":[536]},{"name":"COMAdminErrSystemApp","features":[536]},{"name":"COMAdminErrUserPasswdNotValid","features":[536]},{"name":"COMAdminErrorCodes","features":[536]},{"name":"COMAdminExportApplicationProxy","features":[536]},{"name":"COMAdminExportForceOverwriteOfFiles","features":[536]},{"name":"COMAdminExportIn10Format","features":[536]},{"name":"COMAdminExportNoUsers","features":[536]},{"name":"COMAdminExportUsers","features":[536]},{"name":"COMAdminFileFlagAlreadyInstalled","features":[536]},{"name":"COMAdminFileFlagBadTLB","features":[536]},{"name":"COMAdminFileFlagCOM","features":[536]},{"name":"COMAdminFileFlagClassNotAvailable","features":[536]},{"name":"COMAdminFileFlagContainsComp","features":[536]},{"name":"COMAdminFileFlagContainsPS","features":[536]},{"name":"COMAdminFileFlagContainsTLB","features":[536]},{"name":"COMAdminFileFlagDLLRegsvrFailed","features":[536]},{"name":"COMAdminFileFlagDoesNotExist","features":[536]},{"name":"COMAdminFileFlagError","features":[536]},{"name":"COMAdminFileFlagGetClassObjFailed","features":[536]},{"name":"COMAdminFileFlagLoadable","features":[536]},{"name":"COMAdminFileFlagNoRegistrar","features":[536]},{"name":"COMAdminFileFlagRegTLBFailed","features":[536]},{"name":"COMAdminFileFlagRegistrar","features":[536]},{"name":"COMAdminFileFlagRegistrarFailed","features":[536]},{"name":"COMAdminFileFlagSelfReg","features":[536]},{"name":"COMAdminFileFlagSelfUnReg","features":[536]},{"name":"COMAdminFileFlagUnloadableDLL","features":[536]},{"name":"COMAdminFileFlags","features":[536]},{"name":"COMAdminImpersonationAnonymous","features":[536]},{"name":"COMAdminImpersonationDelegate","features":[536]},{"name":"COMAdminImpersonationIdentify","features":[536]},{"name":"COMAdminImpersonationImpersonate","features":[536]},{"name":"COMAdminImpersonationLevelOptions","features":[536]},{"name":"COMAdminInUse","features":[536]},{"name":"COMAdminInUseByCatalog","features":[536]},{"name":"COMAdminInUseByRegistryClsid","features":[536]},{"name":"COMAdminInUseByRegistryProxyStub","features":[536]},{"name":"COMAdminInUseByRegistryTypeLib","features":[536]},{"name":"COMAdminInUseByRegistryUnknown","features":[536]},{"name":"COMAdminInstallForceOverwriteOfFiles","features":[536]},{"name":"COMAdminInstallNoUsers","features":[536]},{"name":"COMAdminInstallUsers","features":[536]},{"name":"COMAdminNotInUse","features":[536]},{"name":"COMAdminOS","features":[536]},{"name":"COMAdminOSNotInitialized","features":[536]},{"name":"COMAdminOSUnknown","features":[536]},{"name":"COMAdminOSWindows2000","features":[536]},{"name":"COMAdminOSWindows2000AdvancedServer","features":[536]},{"name":"COMAdminOSWindows2000Unknown","features":[536]},{"name":"COMAdminOSWindows3_1","features":[536]},{"name":"COMAdminOSWindows7DatacenterServer","features":[536]},{"name":"COMAdminOSWindows7EnterpriseServer","features":[536]},{"name":"COMAdminOSWindows7Personal","features":[536]},{"name":"COMAdminOSWindows7Professional","features":[536]},{"name":"COMAdminOSWindows7StandardServer","features":[536]},{"name":"COMAdminOSWindows7WebServer","features":[536]},{"name":"COMAdminOSWindows8DatacenterServer","features":[536]},{"name":"COMAdminOSWindows8EnterpriseServer","features":[536]},{"name":"COMAdminOSWindows8Personal","features":[536]},{"name":"COMAdminOSWindows8Professional","features":[536]},{"name":"COMAdminOSWindows8StandardServer","features":[536]},{"name":"COMAdminOSWindows8WebServer","features":[536]},{"name":"COMAdminOSWindows9x","features":[536]},{"name":"COMAdminOSWindowsBlueDatacenterServer","features":[536]},{"name":"COMAdminOSWindowsBlueEnterpriseServer","features":[536]},{"name":"COMAdminOSWindowsBluePersonal","features":[536]},{"name":"COMAdminOSWindowsBlueProfessional","features":[536]},{"name":"COMAdminOSWindowsBlueStandardServer","features":[536]},{"name":"COMAdminOSWindowsBlueWebServer","features":[536]},{"name":"COMAdminOSWindowsLonghornDatacenterServer","features":[536]},{"name":"COMAdminOSWindowsLonghornEnterpriseServer","features":[536]},{"name":"COMAdminOSWindowsLonghornPersonal","features":[536]},{"name":"COMAdminOSWindowsLonghornProfessional","features":[536]},{"name":"COMAdminOSWindowsLonghornStandardServer","features":[536]},{"name":"COMAdminOSWindowsLonghornWebServer","features":[536]},{"name":"COMAdminOSWindowsNETDatacenterServer","features":[536]},{"name":"COMAdminOSWindowsNETEnterpriseServer","features":[536]},{"name":"COMAdminOSWindowsNETStandardServer","features":[536]},{"name":"COMAdminOSWindowsNETWebServer","features":[536]},{"name":"COMAdminOSWindowsXPPersonal","features":[536]},{"name":"COMAdminOSWindowsXPProfessional","features":[536]},{"name":"COMAdminQCMessageAuthenticateOff","features":[536]},{"name":"COMAdminQCMessageAuthenticateOn","features":[536]},{"name":"COMAdminQCMessageAuthenticateOptions","features":[536]},{"name":"COMAdminQCMessageAuthenticateSecureApps","features":[536]},{"name":"COMAdminServiceContinuePending","features":[536]},{"name":"COMAdminServiceLoadBalanceRouter","features":[536]},{"name":"COMAdminServiceOptions","features":[536]},{"name":"COMAdminServicePausePending","features":[536]},{"name":"COMAdminServicePaused","features":[536]},{"name":"COMAdminServiceRunning","features":[536]},{"name":"COMAdminServiceStartPending","features":[536]},{"name":"COMAdminServiceStatusOptions","features":[536]},{"name":"COMAdminServiceStopPending","features":[536]},{"name":"COMAdminServiceStopped","features":[536]},{"name":"COMAdminServiceUnknownState","features":[536]},{"name":"COMAdminSynchronizationIgnored","features":[536]},{"name":"COMAdminSynchronizationNone","features":[536]},{"name":"COMAdminSynchronizationOptions","features":[536]},{"name":"COMAdminSynchronizationRequired","features":[536]},{"name":"COMAdminSynchronizationRequiresNew","features":[536]},{"name":"COMAdminSynchronizationSupported","features":[536]},{"name":"COMAdminThreadingModelApartment","features":[536]},{"name":"COMAdminThreadingModelBoth","features":[536]},{"name":"COMAdminThreadingModelFree","features":[536]},{"name":"COMAdminThreadingModelMain","features":[536]},{"name":"COMAdminThreadingModelNeutral","features":[536]},{"name":"COMAdminThreadingModelNotSpecified","features":[536]},{"name":"COMAdminThreadingModels","features":[536]},{"name":"COMAdminTransactionIgnored","features":[536]},{"name":"COMAdminTransactionNone","features":[536]},{"name":"COMAdminTransactionOptions","features":[536]},{"name":"COMAdminTransactionRequired","features":[536]},{"name":"COMAdminTransactionRequiresNew","features":[536]},{"name":"COMAdminTransactionSupported","features":[536]},{"name":"COMAdminTxIsolationLevelAny","features":[536]},{"name":"COMAdminTxIsolationLevelOptions","features":[536]},{"name":"COMAdminTxIsolationLevelReadCommitted","features":[536]},{"name":"COMAdminTxIsolationLevelReadUnCommitted","features":[536]},{"name":"COMAdminTxIsolationLevelRepeatableRead","features":[536]},{"name":"COMAdminTxIsolationLevelSerializable","features":[536]},{"name":"COMEvents","features":[536]},{"name":"COMPLUS_APPTYPE","features":[536]},{"name":"COMSVCSEVENTINFO","features":[536]},{"name":"CRMClerk","features":[536]},{"name":"CRMFLAGS","features":[536]},{"name":"CRMFLAG_FORGETTARGET","features":[536]},{"name":"CRMFLAG_REPLAYINPROGRESS","features":[536]},{"name":"CRMFLAG_WRITTENDURINGABORT","features":[536]},{"name":"CRMFLAG_WRITTENDURINGCOMMIT","features":[536]},{"name":"CRMFLAG_WRITTENDURINGPREPARE","features":[536]},{"name":"CRMFLAG_WRITTENDURINGRECOVERY","features":[536]},{"name":"CRMFLAG_WRITTENDURINGREPLAY","features":[536]},{"name":"CRMREGFLAGS","features":[536]},{"name":"CRMREGFLAG_ABORTPHASE","features":[536]},{"name":"CRMREGFLAG_ALLPHASES","features":[536]},{"name":"CRMREGFLAG_COMMITPHASE","features":[536]},{"name":"CRMREGFLAG_FAILIFINDOUBTSREMAIN","features":[536]},{"name":"CRMREGFLAG_PREPAREPHASE","features":[536]},{"name":"CRMRecoveryClerk","features":[536]},{"name":"CRR_ACTIVATION_LIMIT","features":[536]},{"name":"CRR_CALL_LIMIT","features":[536]},{"name":"CRR_LIFETIME_LIMIT","features":[536]},{"name":"CRR_MEMORY_LIMIT","features":[536]},{"name":"CRR_NO_REASON_SUPPLIED","features":[536]},{"name":"CRR_RECYCLED_FROM_UI","features":[536]},{"name":"CSC_BindToPoolThread","features":[536]},{"name":"CSC_Binding","features":[536]},{"name":"CSC_COMTIIntrinsicsConfig","features":[536]},{"name":"CSC_CreateTransactionIfNecessary","features":[536]},{"name":"CSC_DontUseTracker","features":[536]},{"name":"CSC_IISIntrinsicsConfig","features":[536]},{"name":"CSC_IfContainerIsSynchronized","features":[536]},{"name":"CSC_IfContainerIsTransactional","features":[536]},{"name":"CSC_Ignore","features":[536]},{"name":"CSC_Inherit","features":[536]},{"name":"CSC_InheritCOMTIIntrinsics","features":[536]},{"name":"CSC_InheritIISIntrinsics","features":[536]},{"name":"CSC_InheritPartition","features":[536]},{"name":"CSC_InheritSxs","features":[536]},{"name":"CSC_InheritanceConfig","features":[536]},{"name":"CSC_MTAThreadPool","features":[536]},{"name":"CSC_NewPartition","features":[536]},{"name":"CSC_NewSxs","features":[536]},{"name":"CSC_NewSynchronization","features":[536]},{"name":"CSC_NewSynchronizationIfNecessary","features":[536]},{"name":"CSC_NewTransaction","features":[536]},{"name":"CSC_NoBinding","features":[536]},{"name":"CSC_NoCOMTIIntrinsics","features":[536]},{"name":"CSC_NoIISIntrinsics","features":[536]},{"name":"CSC_NoPartition","features":[536]},{"name":"CSC_NoSxs","features":[536]},{"name":"CSC_NoSynchronization","features":[536]},{"name":"CSC_NoTransaction","features":[536]},{"name":"CSC_PartitionConfig","features":[536]},{"name":"CSC_STAThreadPool","features":[536]},{"name":"CSC_SxsConfig","features":[536]},{"name":"CSC_SynchronizationConfig","features":[536]},{"name":"CSC_ThreadPool","features":[536]},{"name":"CSC_ThreadPoolInherit","features":[536]},{"name":"CSC_ThreadPoolNone","features":[536]},{"name":"CSC_TrackerConfig","features":[536]},{"name":"CSC_TransactionConfig","features":[536]},{"name":"CSC_UseTracker","features":[536]},{"name":"CServiceConfig","features":[536]},{"name":"ClrAssemblyLocator","features":[536]},{"name":"CoCreateActivity","features":[536]},{"name":"CoEnterServiceDomain","features":[536]},{"name":"CoGetDefaultContext","features":[359,536]},{"name":"CoLeaveServiceDomain","features":[536]},{"name":"CoMTSLocator","features":[536]},{"name":"ComServiceEvents","features":[536]},{"name":"ComSystemAppEventData","features":[536]},{"name":"ComponentHangMonitorInfo","features":[308,536]},{"name":"ComponentStatistics","features":[536]},{"name":"ComponentSummary","features":[536]},{"name":"ContextInfo","features":[359,536]},{"name":"ContextInfo2","features":[359,536]},{"name":"CrmLogRecordRead","features":[359,536]},{"name":"CrmTransactionState","features":[536]},{"name":"DATA_NOT_AVAILABLE","features":[536]},{"name":"DUMPTYPE","features":[536]},{"name":"DUMPTYPE_FULL","features":[536]},{"name":"DUMPTYPE_MINI","features":[536]},{"name":"DUMPTYPE_NONE","features":[536]},{"name":"DispenserManager","features":[536]},{"name":"Dummy30040732","features":[536]},{"name":"EventServer","features":[536]},{"name":"GATD_INCLUDE_APPLICATION_NAME","features":[536]},{"name":"GATD_INCLUDE_CLASS_NAME","features":[536]},{"name":"GATD_INCLUDE_LIBRARY_APPS","features":[536]},{"name":"GATD_INCLUDE_PROCESS_EXE_NAME","features":[536]},{"name":"GATD_INCLUDE_SWC","features":[536]},{"name":"GUID_STRING_SIZE","features":[536]},{"name":"GetAppTrackerDataFlags","features":[536]},{"name":"GetDispenserManager","features":[536]},{"name":"GetManagedExtensions","features":[536]},{"name":"GetSecurityCallContextAppObject","features":[536]},{"name":"HANG_INFO","features":[308,536]},{"name":"IAppDomainHelper","features":[359,536]},{"name":"IAssemblyLocator","features":[359,536]},{"name":"IAsyncErrorNotify","features":[536]},{"name":"ICOMAdminCatalog","features":[359,536]},{"name":"ICOMAdminCatalog2","features":[359,536]},{"name":"ICOMLBArguments","features":[536]},{"name":"ICatalogCollection","features":[359,536]},{"name":"ICatalogObject","features":[359,536]},{"name":"ICheckSxsConfig","features":[536]},{"name":"IComActivityEvents","features":[536]},{"name":"IComApp2Events","features":[536]},{"name":"IComAppEvents","features":[536]},{"name":"IComCRMEvents","features":[536]},{"name":"IComExceptionEvents","features":[536]},{"name":"IComIdentityEvents","features":[536]},{"name":"IComInstance2Events","features":[536]},{"name":"IComInstanceEvents","features":[536]},{"name":"IComLTxEvents","features":[536]},{"name":"IComMethod2Events","features":[536]},{"name":"IComMethodEvents","features":[536]},{"name":"IComMtaThreadPoolKnobs","features":[536]},{"name":"IComObjectConstruction2Events","features":[536]},{"name":"IComObjectConstructionEvents","features":[536]},{"name":"IComObjectEvents","features":[536]},{"name":"IComObjectPool2Events","features":[536]},{"name":"IComObjectPoolEvents","features":[536]},{"name":"IComObjectPoolEvents2","features":[536]},{"name":"IComQCEvents","features":[536]},{"name":"IComResourceEvents","features":[536]},{"name":"IComSecurityEvents","features":[536]},{"name":"IComStaThreadPoolKnobs","features":[536]},{"name":"IComStaThreadPoolKnobs2","features":[536]},{"name":"IComThreadEvents","features":[536]},{"name":"IComTrackingInfoCollection","features":[536]},{"name":"IComTrackingInfoEvents","features":[536]},{"name":"IComTrackingInfoObject","features":[536]},{"name":"IComTrackingInfoProperties","features":[536]},{"name":"IComTransaction2Events","features":[536]},{"name":"IComTransactionEvents","features":[536]},{"name":"IComUserEvent","features":[536]},{"name":"IContextProperties","features":[536]},{"name":"IContextSecurityPerimeter","features":[536]},{"name":"IContextState","features":[536]},{"name":"ICreateWithLocalTransaction","features":[536]},{"name":"ICreateWithTipTransactionEx","features":[536]},{"name":"ICreateWithTransactionEx","features":[536]},{"name":"ICrmCompensator","features":[536]},{"name":"ICrmCompensatorVariants","features":[536]},{"name":"ICrmFormatLogRecords","features":[536]},{"name":"ICrmLogControl","features":[536]},{"name":"ICrmMonitor","features":[536]},{"name":"ICrmMonitorClerks","features":[359,536]},{"name":"ICrmMonitorLogRecords","features":[536]},{"name":"IDispenserDriver","features":[536]},{"name":"IDispenserManager","features":[536]},{"name":"IEnumNames","features":[536]},{"name":"IEventServerTrace","features":[359,536]},{"name":"IGetAppTrackerData","features":[536]},{"name":"IGetContextProperties","features":[536]},{"name":"IGetSecurityCallContext","features":[359,536]},{"name":"IHolder","features":[536]},{"name":"ILBEvents","features":[536]},{"name":"IMTSActivity","features":[536]},{"name":"IMTSCall","features":[536]},{"name":"IMTSLocator","features":[359,536]},{"name":"IManagedActivationEvents","features":[536]},{"name":"IManagedObjectInfo","features":[536]},{"name":"IManagedPoolAction","features":[536]},{"name":"IManagedPooledObj","features":[536]},{"name":"IMessageMover","features":[359,536]},{"name":"IMtsEventInfo","features":[359,536]},{"name":"IMtsEvents","features":[359,536]},{"name":"IMtsGrp","features":[359,536]},{"name":"IObjPool","features":[536]},{"name":"IObjectConstruct","features":[536]},{"name":"IObjectConstructString","features":[359,536]},{"name":"IObjectContext","features":[536]},{"name":"IObjectContextActivity","features":[536]},{"name":"IObjectContextInfo","features":[536]},{"name":"IObjectContextInfo2","features":[536]},{"name":"IObjectContextTip","features":[536]},{"name":"IObjectControl","features":[536]},{"name":"IPlaybackControl","features":[536]},{"name":"IPoolManager","features":[359,536]},{"name":"IProcessInitializer","features":[536]},{"name":"ISecurityCallContext","features":[359,536]},{"name":"ISecurityCallersColl","features":[359,536]},{"name":"ISecurityIdentityColl","features":[359,536]},{"name":"ISecurityProperty","features":[536]},{"name":"ISelectCOMLBServer","features":[536]},{"name":"ISendMethodEvents","features":[536]},{"name":"IServiceActivity","features":[536]},{"name":"IServiceCall","features":[536]},{"name":"IServiceComTIIntrinsicsConfig","features":[536]},{"name":"IServiceIISIntrinsicsConfig","features":[536]},{"name":"IServiceInheritanceConfig","features":[536]},{"name":"IServicePartitionConfig","features":[536]},{"name":"IServicePool","features":[536]},{"name":"IServicePoolConfig","features":[536]},{"name":"IServiceSxsConfig","features":[536]},{"name":"IServiceSynchronizationConfig","features":[536]},{"name":"IServiceSysTxnConfig","features":[536]},{"name":"IServiceThreadPoolConfig","features":[536]},{"name":"IServiceTrackerConfig","features":[536]},{"name":"IServiceTransactionConfig","features":[536]},{"name":"IServiceTransactionConfigBase","features":[536]},{"name":"ISharedProperty","features":[359,536]},{"name":"ISharedPropertyGroup","features":[359,536]},{"name":"ISharedPropertyGroupManager","features":[359,536]},{"name":"ISystemAppEventData","features":[536]},{"name":"IThreadPoolKnobs","features":[536]},{"name":"ITransactionContext","features":[359,536]},{"name":"ITransactionContextEx","features":[536]},{"name":"ITransactionProperty","features":[536]},{"name":"ITransactionProxy","features":[536]},{"name":"ITransactionResourcePool","features":[536]},{"name":"ITransactionStatus","features":[536]},{"name":"ITxProxyHolder","features":[536]},{"name":"LBEvents","features":[536]},{"name":"LockMethod","features":[536]},{"name":"LockModes","features":[536]},{"name":"LockSetGet","features":[536]},{"name":"MTSCreateActivity","features":[536]},{"name":"MTXDM_E_ENLISTRESOURCEFAILED","features":[536]},{"name":"MessageMover","features":[536]},{"name":"MtsGrp","features":[536]},{"name":"ObjectContext","features":[359,536]},{"name":"ObjectControl","features":[536]},{"name":"PoolMgr","features":[536]},{"name":"Process","features":[536]},{"name":"RECYCLE_INFO","features":[536]},{"name":"RecycleSurrogate","features":[536]},{"name":"ReleaseModes","features":[536]},{"name":"SafeRef","features":[536]},{"name":"SecurityCallContext","features":[536]},{"name":"SecurityCallers","features":[536]},{"name":"SecurityIdentity","features":[536]},{"name":"SecurityProperty","features":[359,536]},{"name":"ServicePool","features":[536]},{"name":"ServicePoolConfig","features":[536]},{"name":"SharedProperty","features":[536]},{"name":"SharedPropertyGroup","features":[536]},{"name":"SharedPropertyGroupManager","features":[536]},{"name":"Standard","features":[536]},{"name":"TRACKER_INIT_EVENT","features":[536]},{"name":"TRACKER_STARTSTOP_EVENT","features":[536]},{"name":"TRACKING_COLL_TYPE","features":[536]},{"name":"TRKCOLL_APPLICATIONS","features":[536]},{"name":"TRKCOLL_COMPONENTS","features":[536]},{"name":"TRKCOLL_PROCESSES","features":[536]},{"name":"TrackerServer","features":[536]},{"name":"TransactionContext","features":[536]},{"name":"TransactionContextEx","features":[536]},{"name":"TransactionVote","features":[536]},{"name":"TxAbort","features":[536]},{"name":"TxCommit","features":[536]},{"name":"TxState_Aborted","features":[536]},{"name":"TxState_Active","features":[536]},{"name":"TxState_Committed","features":[536]},{"name":"TxState_Indoubt","features":[536]},{"name":"comQCErrApplicationNotQueued","features":[536]},{"name":"comQCErrNoQueueableInterfaces","features":[536]},{"name":"comQCErrQueueTransactMismatch","features":[536]},{"name":"comQCErrQueuingServiceNotAvailable","features":[536]},{"name":"comqcErrBadMarshaledObject","features":[536]},{"name":"comqcErrInvalidMessage","features":[536]},{"name":"comqcErrMarshaledObjSameTxn","features":[536]},{"name":"comqcErrMsgNotAuthenticated","features":[536]},{"name":"comqcErrMsmqConnectorUsed","features":[536]},{"name":"comqcErrMsmqServiceUnavailable","features":[536]},{"name":"comqcErrMsmqSidUnavailable","features":[536]},{"name":"comqcErrOutParam","features":[536]},{"name":"comqcErrPSLoad","features":[536]},{"name":"comqcErrRecorderMarshalled","features":[536]},{"name":"comqcErrRecorderNotTrusted","features":[536]},{"name":"comqcErrWrongMsgExtension","features":[536]},{"name":"mtsErrCtxAborted","features":[536]},{"name":"mtsErrCtxAborting","features":[536]},{"name":"mtsErrCtxNoContext","features":[536]},{"name":"mtsErrCtxNoSecurity","features":[536]},{"name":"mtsErrCtxNotRegistered","features":[536]},{"name":"mtsErrCtxOldReference","features":[536]},{"name":"mtsErrCtxRoleNotFound","features":[536]},{"name":"mtsErrCtxSynchTimeout","features":[536]},{"name":"mtsErrCtxTMNotAvailable","features":[536]},{"name":"mtsErrCtxWrongThread","features":[536]}],"543":[{"name":"ALTNUMPAD_BIT","features":[373]},{"name":"ATTACH_PARENT_PROCESS","features":[373]},{"name":"AddConsoleAliasA","features":[308,373]},{"name":"AddConsoleAliasW","features":[308,373]},{"name":"AllocConsole","features":[308,373]},{"name":"AttachConsole","features":[308,373]},{"name":"BACKGROUND_BLUE","features":[373]},{"name":"BACKGROUND_GREEN","features":[373]},{"name":"BACKGROUND_INTENSITY","features":[373]},{"name":"BACKGROUND_RED","features":[373]},{"name":"CAPSLOCK_ON","features":[373]},{"name":"CHAR_INFO","features":[373]},{"name":"COMMON_LVB_GRID_HORIZONTAL","features":[373]},{"name":"COMMON_LVB_GRID_LVERTICAL","features":[373]},{"name":"COMMON_LVB_GRID_RVERTICAL","features":[373]},{"name":"COMMON_LVB_LEADING_BYTE","features":[373]},{"name":"COMMON_LVB_REVERSE_VIDEO","features":[373]},{"name":"COMMON_LVB_SBCSDBCS","features":[373]},{"name":"COMMON_LVB_TRAILING_BYTE","features":[373]},{"name":"COMMON_LVB_UNDERSCORE","features":[373]},{"name":"CONSOLECONTROL","features":[373]},{"name":"CONSOLEENDTASK","features":[308,373]},{"name":"CONSOLESETFOREGROUND","features":[308,373]},{"name":"CONSOLEWINDOWOWNER","features":[308,373]},{"name":"CONSOLE_CARET_INFO","features":[308,373]},{"name":"CONSOLE_CHARACTER_ATTRIBUTES","features":[373]},{"name":"CONSOLE_CURSOR_INFO","features":[308,373]},{"name":"CONSOLE_FONT_INFO","features":[373]},{"name":"CONSOLE_FONT_INFOEX","features":[373]},{"name":"CONSOLE_FULLSCREEN","features":[373]},{"name":"CONSOLE_FULLSCREEN_HARDWARE","features":[373]},{"name":"CONSOLE_FULLSCREEN_MODE","features":[373]},{"name":"CONSOLE_HISTORY_INFO","features":[373]},{"name":"CONSOLE_MODE","features":[373]},{"name":"CONSOLE_MOUSE_DOWN","features":[373]},{"name":"CONSOLE_MOUSE_SELECTION","features":[373]},{"name":"CONSOLE_NO_SELECTION","features":[373]},{"name":"CONSOLE_PROCESS_INFO","features":[373]},{"name":"CONSOLE_READCONSOLE_CONTROL","features":[373]},{"name":"CONSOLE_SCREEN_BUFFER_INFO","features":[373]},{"name":"CONSOLE_SCREEN_BUFFER_INFOEX","features":[308,373]},{"name":"CONSOLE_SELECTION_INFO","features":[373]},{"name":"CONSOLE_SELECTION_IN_PROGRESS","features":[373]},{"name":"CONSOLE_SELECTION_NOT_EMPTY","features":[373]},{"name":"CONSOLE_TEXTMODE_BUFFER","features":[373]},{"name":"CONSOLE_WINDOWED_MODE","features":[373]},{"name":"COORD","features":[373]},{"name":"CTRL_BREAK_EVENT","features":[373]},{"name":"CTRL_CLOSE_EVENT","features":[373]},{"name":"CTRL_C_EVENT","features":[373]},{"name":"CTRL_LOGOFF_EVENT","features":[373]},{"name":"CTRL_SHUTDOWN_EVENT","features":[373]},{"name":"ClosePseudoConsole","features":[373]},{"name":"ConsoleControl","features":[308,373]},{"name":"ConsoleEndTask","features":[373]},{"name":"ConsoleNotifyConsoleApplication","features":[373]},{"name":"ConsoleSetCaretInfo","features":[373]},{"name":"ConsoleSetForeground","features":[373]},{"name":"ConsoleSetWindowOwner","features":[373]},{"name":"CreateConsoleScreenBuffer","features":[308,311,373]},{"name":"CreatePseudoConsole","features":[308,373]},{"name":"DISABLE_NEWLINE_AUTO_RETURN","features":[373]},{"name":"DOUBLE_CLICK","features":[373]},{"name":"ENABLE_AUTO_POSITION","features":[373]},{"name":"ENABLE_ECHO_INPUT","features":[373]},{"name":"ENABLE_EXTENDED_FLAGS","features":[373]},{"name":"ENABLE_INSERT_MODE","features":[373]},{"name":"ENABLE_LINE_INPUT","features":[373]},{"name":"ENABLE_LVB_GRID_WORLDWIDE","features":[373]},{"name":"ENABLE_MOUSE_INPUT","features":[373]},{"name":"ENABLE_PROCESSED_INPUT","features":[373]},{"name":"ENABLE_PROCESSED_OUTPUT","features":[373]},{"name":"ENABLE_QUICK_EDIT_MODE","features":[373]},{"name":"ENABLE_VIRTUAL_TERMINAL_INPUT","features":[373]},{"name":"ENABLE_VIRTUAL_TERMINAL_PROCESSING","features":[373]},{"name":"ENABLE_WINDOW_INPUT","features":[373]},{"name":"ENABLE_WRAP_AT_EOL_OUTPUT","features":[373]},{"name":"ENHANCED_KEY","features":[373]},{"name":"ExpungeConsoleCommandHistoryA","features":[373]},{"name":"ExpungeConsoleCommandHistoryW","features":[373]},{"name":"FOCUS_EVENT","features":[373]},{"name":"FOCUS_EVENT_RECORD","features":[308,373]},{"name":"FOREGROUND_BLUE","features":[373]},{"name":"FOREGROUND_GREEN","features":[373]},{"name":"FOREGROUND_INTENSITY","features":[373]},{"name":"FOREGROUND_RED","features":[373]},{"name":"FROM_LEFT_1ST_BUTTON_PRESSED","features":[373]},{"name":"FROM_LEFT_2ND_BUTTON_PRESSED","features":[373]},{"name":"FROM_LEFT_3RD_BUTTON_PRESSED","features":[373]},{"name":"FROM_LEFT_4TH_BUTTON_PRESSED","features":[373]},{"name":"FillConsoleOutputAttribute","features":[308,373]},{"name":"FillConsoleOutputCharacterA","features":[308,373]},{"name":"FillConsoleOutputCharacterW","features":[308,373]},{"name":"FlushConsoleInputBuffer","features":[308,373]},{"name":"FreeConsole","features":[308,373]},{"name":"GenerateConsoleCtrlEvent","features":[308,373]},{"name":"GetConsoleAliasA","features":[373]},{"name":"GetConsoleAliasExesA","features":[373]},{"name":"GetConsoleAliasExesLengthA","features":[373]},{"name":"GetConsoleAliasExesLengthW","features":[373]},{"name":"GetConsoleAliasExesW","features":[373]},{"name":"GetConsoleAliasW","features":[373]},{"name":"GetConsoleAliasesA","features":[373]},{"name":"GetConsoleAliasesLengthA","features":[373]},{"name":"GetConsoleAliasesLengthW","features":[373]},{"name":"GetConsoleAliasesW","features":[373]},{"name":"GetConsoleCP","features":[373]},{"name":"GetConsoleCommandHistoryA","features":[373]},{"name":"GetConsoleCommandHistoryLengthA","features":[373]},{"name":"GetConsoleCommandHistoryLengthW","features":[373]},{"name":"GetConsoleCommandHistoryW","features":[373]},{"name":"GetConsoleCursorInfo","features":[308,373]},{"name":"GetConsoleDisplayMode","features":[308,373]},{"name":"GetConsoleFontSize","features":[308,373]},{"name":"GetConsoleHistoryInfo","features":[308,373]},{"name":"GetConsoleMode","features":[308,373]},{"name":"GetConsoleOriginalTitleA","features":[373]},{"name":"GetConsoleOriginalTitleW","features":[373]},{"name":"GetConsoleOutputCP","features":[373]},{"name":"GetConsoleProcessList","features":[373]},{"name":"GetConsoleScreenBufferInfo","features":[308,373]},{"name":"GetConsoleScreenBufferInfoEx","features":[308,373]},{"name":"GetConsoleSelectionInfo","features":[308,373]},{"name":"GetConsoleTitleA","features":[373]},{"name":"GetConsoleTitleW","features":[373]},{"name":"GetConsoleWindow","features":[308,373]},{"name":"GetCurrentConsoleFont","features":[308,373]},{"name":"GetCurrentConsoleFontEx","features":[308,373]},{"name":"GetLargestConsoleWindowSize","features":[308,373]},{"name":"GetNumberOfConsoleInputEvents","features":[308,373]},{"name":"GetNumberOfConsoleMouseButtons","features":[308,373]},{"name":"GetStdHandle","features":[308,373]},{"name":"HISTORY_NO_DUP_FLAG","features":[373]},{"name":"HPCON","features":[373]},{"name":"INPUT_RECORD","features":[308,373]},{"name":"KEY_EVENT","features":[373]},{"name":"KEY_EVENT_RECORD","features":[308,373]},{"name":"LEFT_ALT_PRESSED","features":[373]},{"name":"LEFT_CTRL_PRESSED","features":[373]},{"name":"MENU_EVENT","features":[373]},{"name":"MENU_EVENT_RECORD","features":[373]},{"name":"MOUSE_EVENT","features":[373]},{"name":"MOUSE_EVENT_RECORD","features":[373]},{"name":"MOUSE_HWHEELED","features":[373]},{"name":"MOUSE_MOVED","features":[373]},{"name":"MOUSE_WHEELED","features":[373]},{"name":"NLS_ALPHANUMERIC","features":[373]},{"name":"NLS_DBCSCHAR","features":[373]},{"name":"NLS_HIRAGANA","features":[373]},{"name":"NLS_IME_CONVERSION","features":[373]},{"name":"NLS_IME_DISABLE","features":[373]},{"name":"NLS_KATAKANA","features":[373]},{"name":"NLS_ROMAN","features":[373]},{"name":"NUMLOCK_ON","features":[373]},{"name":"PHANDLER_ROUTINE","features":[308,373]},{"name":"PSEUDOCONSOLE_INHERIT_CURSOR","features":[373]},{"name":"PeekConsoleInputA","features":[308,373]},{"name":"PeekConsoleInputW","features":[308,373]},{"name":"RIGHTMOST_BUTTON_PRESSED","features":[373]},{"name":"RIGHT_ALT_PRESSED","features":[373]},{"name":"RIGHT_CTRL_PRESSED","features":[373]},{"name":"ReadConsoleA","features":[308,373]},{"name":"ReadConsoleInputA","features":[308,373]},{"name":"ReadConsoleInputW","features":[308,373]},{"name":"ReadConsoleOutputA","features":[308,373]},{"name":"ReadConsoleOutputAttribute","features":[308,373]},{"name":"ReadConsoleOutputCharacterA","features":[308,373]},{"name":"ReadConsoleOutputCharacterW","features":[308,373]},{"name":"ReadConsoleOutputW","features":[308,373]},{"name":"ReadConsoleW","features":[308,373]},{"name":"Reserved1","features":[373]},{"name":"Reserved2","features":[373]},{"name":"Reserved3","features":[373]},{"name":"ResizePseudoConsole","features":[373]},{"name":"SCROLLLOCK_ON","features":[373]},{"name":"SHIFT_PRESSED","features":[373]},{"name":"SMALL_RECT","features":[373]},{"name":"STD_ERROR_HANDLE","features":[373]},{"name":"STD_HANDLE","features":[373]},{"name":"STD_INPUT_HANDLE","features":[373]},{"name":"STD_OUTPUT_HANDLE","features":[373]},{"name":"ScrollConsoleScreenBufferA","features":[308,373]},{"name":"ScrollConsoleScreenBufferW","features":[308,373]},{"name":"SetConsoleActiveScreenBuffer","features":[308,373]},{"name":"SetConsoleCP","features":[308,373]},{"name":"SetConsoleCtrlHandler","features":[308,373]},{"name":"SetConsoleCursorInfo","features":[308,373]},{"name":"SetConsoleCursorPosition","features":[308,373]},{"name":"SetConsoleDisplayMode","features":[308,373]},{"name":"SetConsoleHistoryInfo","features":[308,373]},{"name":"SetConsoleMode","features":[308,373]},{"name":"SetConsoleNumberOfCommandsA","features":[308,373]},{"name":"SetConsoleNumberOfCommandsW","features":[308,373]},{"name":"SetConsoleOutputCP","features":[308,373]},{"name":"SetConsoleScreenBufferInfoEx","features":[308,373]},{"name":"SetConsoleScreenBufferSize","features":[308,373]},{"name":"SetConsoleTextAttribute","features":[308,373]},{"name":"SetConsoleTitleA","features":[308,373]},{"name":"SetConsoleTitleW","features":[308,373]},{"name":"SetConsoleWindowInfo","features":[308,373]},{"name":"SetCurrentConsoleFontEx","features":[308,373]},{"name":"SetStdHandle","features":[308,373]},{"name":"SetStdHandleEx","features":[308,373]},{"name":"WINDOW_BUFFER_SIZE_EVENT","features":[373]},{"name":"WINDOW_BUFFER_SIZE_RECORD","features":[373]},{"name":"WriteConsoleA","features":[308,373]},{"name":"WriteConsoleInputA","features":[308,373]},{"name":"WriteConsoleInputW","features":[308,373]},{"name":"WriteConsoleOutputA","features":[308,373]},{"name":"WriteConsoleOutputAttribute","features":[308,373]},{"name":"WriteConsoleOutputCharacterA","features":[308,373]},{"name":"WriteConsoleOutputCharacterW","features":[308,373]},{"name":"WriteConsoleOutputW","features":[308,373]},{"name":"WriteConsoleW","features":[308,373]}],"544":[{"name":"CACO_DEFAULT","features":[537]},{"name":"CACO_EXTERNAL_ONLY","features":[537]},{"name":"CACO_INCLUDE_EXTERNAL","features":[537]},{"name":"CA_CREATE_EXTERNAL","features":[537]},{"name":"CA_CREATE_LOCAL","features":[537]},{"name":"CGD_ARRAY_NODE","features":[537]},{"name":"CGD_BINARY_PROPERTY","features":[537]},{"name":"CGD_DATE_PROPERTY","features":[537]},{"name":"CGD_DEFAULT","features":[537]},{"name":"CGD_STRING_PROPERTY","features":[537]},{"name":"CGD_UNKNOWN_PROPERTY","features":[537]},{"name":"CLSID_ContactAggregationManager","features":[537]},{"name":"CONTACTLABEL_PUB_AGENT","features":[537]},{"name":"CONTACTLABEL_PUB_BBS","features":[537]},{"name":"CONTACTLABEL_PUB_BUSINESS","features":[537]},{"name":"CONTACTLABEL_PUB_CAR","features":[537]},{"name":"CONTACTLABEL_PUB_CELLULAR","features":[537]},{"name":"CONTACTLABEL_PUB_DOMESTIC","features":[537]},{"name":"CONTACTLABEL_PUB_FAX","features":[537]},{"name":"CONTACTLABEL_PUB_INTERNATIONAL","features":[537]},{"name":"CONTACTLABEL_PUB_ISDN","features":[537]},{"name":"CONTACTLABEL_PUB_LOGO","features":[537]},{"name":"CONTACTLABEL_PUB_MOBILE","features":[537]},{"name":"CONTACTLABEL_PUB_MODEM","features":[537]},{"name":"CONTACTLABEL_PUB_OTHER","features":[537]},{"name":"CONTACTLABEL_PUB_PAGER","features":[537]},{"name":"CONTACTLABEL_PUB_PARCEL","features":[537]},{"name":"CONTACTLABEL_PUB_PCS","features":[537]},{"name":"CONTACTLABEL_PUB_PERSONAL","features":[537]},{"name":"CONTACTLABEL_PUB_POSTAL","features":[537]},{"name":"CONTACTLABEL_PUB_PREFERRED","features":[537]},{"name":"CONTACTLABEL_PUB_TTY","features":[537]},{"name":"CONTACTLABEL_PUB_USERTILE","features":[537]},{"name":"CONTACTLABEL_PUB_VIDEO","features":[537]},{"name":"CONTACTLABEL_PUB_VOICE","features":[537]},{"name":"CONTACTLABEL_WAB_ANNIVERSARY","features":[537]},{"name":"CONTACTLABEL_WAB_ASSISTANT","features":[537]},{"name":"CONTACTLABEL_WAB_BIRTHDAY","features":[537]},{"name":"CONTACTLABEL_WAB_CHILD","features":[537]},{"name":"CONTACTLABEL_WAB_MANAGER","features":[537]},{"name":"CONTACTLABEL_WAB_SCHOOL","features":[537]},{"name":"CONTACTLABEL_WAB_SOCIALNETWORK","features":[537]},{"name":"CONTACTLABEL_WAB_SPOUSE","features":[537]},{"name":"CONTACTLABEL_WAB_WISHLIST","features":[537]},{"name":"CONTACTPROP_PUB_CREATIONDATE","features":[537]},{"name":"CONTACTPROP_PUB_GENDER","features":[537]},{"name":"CONTACTPROP_PUB_GENDER_FEMALE","features":[537]},{"name":"CONTACTPROP_PUB_GENDER_MALE","features":[537]},{"name":"CONTACTPROP_PUB_GENDER_UNSPECIFIED","features":[537]},{"name":"CONTACTPROP_PUB_L1_CERTIFICATECOLLECTION","features":[537]},{"name":"CONTACTPROP_PUB_L1_CONTACTIDCOLLECTION","features":[537]},{"name":"CONTACTPROP_PUB_L1_DATECOLLECTION","features":[537]},{"name":"CONTACTPROP_PUB_L1_EMAILADDRESSCOLLECTION","features":[537]},{"name":"CONTACTPROP_PUB_L1_IMADDRESSCOLLECTION","features":[537]},{"name":"CONTACTPROP_PUB_L1_NAMECOLLECTION","features":[537]},{"name":"CONTACTPROP_PUB_L1_PERSONCOLLECTION","features":[537]},{"name":"CONTACTPROP_PUB_L1_PHONENUMBERCOLLECTION","features":[537]},{"name":"CONTACTPROP_PUB_L1_PHOTOCOLLECTION","features":[537]},{"name":"CONTACTPROP_PUB_L1_PHYSICALADDRESSCOLLECTION","features":[537]},{"name":"CONTACTPROP_PUB_L1_POSITIONCOLLECTION","features":[537]},{"name":"CONTACTPROP_PUB_L1_URLCOLLECTION","features":[537]},{"name":"CONTACTPROP_PUB_L2_CERTIFICATE","features":[537]},{"name":"CONTACTPROP_PUB_L2_CONTACTID","features":[537]},{"name":"CONTACTPROP_PUB_L2_DATE","features":[537]},{"name":"CONTACTPROP_PUB_L2_EMAILADDRESS","features":[537]},{"name":"CONTACTPROP_PUB_L2_IMADDRESSENTRY","features":[537]},{"name":"CONTACTPROP_PUB_L2_NAME","features":[537]},{"name":"CONTACTPROP_PUB_L2_PERSON","features":[537]},{"name":"CONTACTPROP_PUB_L2_PHONENUMBER","features":[537]},{"name":"CONTACTPROP_PUB_L2_PHOTO","features":[537]},{"name":"CONTACTPROP_PUB_L2_PHYSICALADDRESS","features":[537]},{"name":"CONTACTPROP_PUB_L2_POSITION","features":[537]},{"name":"CONTACTPROP_PUB_L2_URL","features":[537]},{"name":"CONTACTPROP_PUB_L3_ADDRESS","features":[537]},{"name":"CONTACTPROP_PUB_L3_ADDRESSLABEL","features":[537]},{"name":"CONTACTPROP_PUB_L3_ALTERNATE","features":[537]},{"name":"CONTACTPROP_PUB_L3_COMPANY","features":[537]},{"name":"CONTACTPROP_PUB_L3_COUNTRY","features":[537]},{"name":"CONTACTPROP_PUB_L3_DEPARTMENT","features":[537]},{"name":"CONTACTPROP_PUB_L3_EXTENDEDADDRESS","features":[537]},{"name":"CONTACTPROP_PUB_L3_FAMILYNAME","features":[537]},{"name":"CONTACTPROP_PUB_L3_FORMATTEDNAME","features":[537]},{"name":"CONTACTPROP_PUB_L3_GENERATION","features":[537]},{"name":"CONTACTPROP_PUB_L3_GIVENNAME","features":[537]},{"name":"CONTACTPROP_PUB_L3_JOB_TITLE","features":[537]},{"name":"CONTACTPROP_PUB_L3_LOCALITY","features":[537]},{"name":"CONTACTPROP_PUB_L3_MIDDLENAME","features":[537]},{"name":"CONTACTPROP_PUB_L3_NICKNAME","features":[537]},{"name":"CONTACTPROP_PUB_L3_NUMBER","features":[537]},{"name":"CONTACTPROP_PUB_L3_OFFICE","features":[537]},{"name":"CONTACTPROP_PUB_L3_ORGANIZATION","features":[537]},{"name":"CONTACTPROP_PUB_L3_PERSONID","features":[537]},{"name":"CONTACTPROP_PUB_L3_PHONETIC","features":[537]},{"name":"CONTACTPROP_PUB_L3_POBOX","features":[537]},{"name":"CONTACTPROP_PUB_L3_POSTALCODE","features":[537]},{"name":"CONTACTPROP_PUB_L3_PREFIX","features":[537]},{"name":"CONTACTPROP_PUB_L3_PROFESSION","features":[537]},{"name":"CONTACTPROP_PUB_L3_PROTOCOL","features":[537]},{"name":"CONTACTPROP_PUB_L3_REGION","features":[537]},{"name":"CONTACTPROP_PUB_L3_ROLE","features":[537]},{"name":"CONTACTPROP_PUB_L3_STREET","features":[537]},{"name":"CONTACTPROP_PUB_L3_SUFFIX","features":[537]},{"name":"CONTACTPROP_PUB_L3_THUMBPRINT","features":[537]},{"name":"CONTACTPROP_PUB_L3_TITLE","features":[537]},{"name":"CONTACTPROP_PUB_L3_TYPE","features":[537]},{"name":"CONTACTPROP_PUB_L3_URL","features":[537]},{"name":"CONTACTPROP_PUB_L3_VALUE","features":[537]},{"name":"CONTACTPROP_PUB_MAILER","features":[537]},{"name":"CONTACTPROP_PUB_NOTES","features":[537]},{"name":"CONTACTPROP_PUB_PROGID","features":[537]},{"name":"CONTACT_AGGREGATION_BLOB","features":[537]},{"name":"CONTACT_AGGREGATION_COLLECTION_OPTIONS","features":[537]},{"name":"CONTACT_AGGREGATION_CREATE_OR_OPEN_OPTIONS","features":[537]},{"name":"Contact","features":[537]},{"name":"ContactManager","features":[537]},{"name":"IContact","features":[537]},{"name":"IContactAggregationAggregate","features":[537]},{"name":"IContactAggregationAggregateCollection","features":[537]},{"name":"IContactAggregationContact","features":[537]},{"name":"IContactAggregationContactCollection","features":[537]},{"name":"IContactAggregationGroup","features":[537]},{"name":"IContactAggregationGroupCollection","features":[537]},{"name":"IContactAggregationLink","features":[537]},{"name":"IContactAggregationLinkCollection","features":[537]},{"name":"IContactAggregationManager","features":[537]},{"name":"IContactAggregationServerPerson","features":[537]},{"name":"IContactAggregationServerPersonCollection","features":[537]},{"name":"IContactCollection","features":[537]},{"name":"IContactManager","features":[537]},{"name":"IContactProperties","features":[537]},{"name":"IContactPropertyCollection","features":[537]}],"545":[{"name":"CORRELATION_VECTOR","features":[504]},{"name":"RTL_CORRELATION_VECTOR_STRING_LENGTH","features":[504]},{"name":"RTL_CORRELATION_VECTOR_V1_LENGTH","features":[504]},{"name":"RTL_CORRELATION_VECTOR_V1_PREFIX_LENGTH","features":[504]},{"name":"RTL_CORRELATION_VECTOR_V2_LENGTH","features":[504]},{"name":"RTL_CORRELATION_VECTOR_V2_PREFIX_LENGTH","features":[504]},{"name":"RtlExtendCorrelationVector","features":[504]},{"name":"RtlIncrementCorrelationVector","features":[504]},{"name":"RtlInitializeCorrelationVector","features":[504]},{"name":"RtlValidateCorrelationVector","features":[504]}],"546":[{"name":"APPCLASS_MASK","features":[538]},{"name":"APPCLASS_MONITOR","features":[538]},{"name":"APPCLASS_STANDARD","features":[538]},{"name":"APPCMD_CLIENTONLY","features":[538]},{"name":"APPCMD_FILTERINITS","features":[538]},{"name":"APPCMD_MASK","features":[538]},{"name":"AddAtomA","features":[538]},{"name":"AddAtomW","features":[538]},{"name":"AddClipboardFormatListener","features":[308,538]},{"name":"CADV_LATEACK","features":[538]},{"name":"CBF_FAIL_ADVISES","features":[538]},{"name":"CBF_FAIL_ALLSVRXACTIONS","features":[538]},{"name":"CBF_FAIL_CONNECTIONS","features":[538]},{"name":"CBF_FAIL_EXECUTES","features":[538]},{"name":"CBF_FAIL_POKES","features":[538]},{"name":"CBF_FAIL_REQUESTS","features":[538]},{"name":"CBF_FAIL_SELFCONNECTIONS","features":[538]},{"name":"CBF_SKIP_ALLNOTIFICATIONS","features":[538]},{"name":"CBF_SKIP_CONNECT_CONFIRMS","features":[538]},{"name":"CBF_SKIP_DISCONNECTS","features":[538]},{"name":"CBF_SKIP_REGISTRATIONS","features":[538]},{"name":"CBF_SKIP_UNREGISTRATIONS","features":[538]},{"name":"CONVCONTEXT","features":[308,311,538]},{"name":"CONVINFO","features":[308,311,538]},{"name":"CONVINFO_CONVERSATION_STATE","features":[538]},{"name":"CONVINFO_STATUS","features":[538]},{"name":"COPYDATASTRUCT","features":[538]},{"name":"CP_WINANSI","features":[538]},{"name":"CP_WINNEUTRAL","features":[538]},{"name":"CP_WINUNICODE","features":[538]},{"name":"ChangeClipboardChain","features":[308,538]},{"name":"CloseClipboard","features":[308,538]},{"name":"CountClipboardFormats","features":[538]},{"name":"DDEACK","features":[538]},{"name":"DDEADVISE","features":[538]},{"name":"DDEDATA","features":[538]},{"name":"DDELN","features":[538]},{"name":"DDEML_MSG_HOOK_DATA","features":[538]},{"name":"DDEPOKE","features":[538]},{"name":"DDEUP","features":[538]},{"name":"DDE_CLIENT_TRANSACTION_TYPE","features":[538]},{"name":"DDE_ENABLE_CALLBACK_CMD","features":[538]},{"name":"DDE_FACK","features":[538]},{"name":"DDE_FACKREQ","features":[538]},{"name":"DDE_FAPPSTATUS","features":[538]},{"name":"DDE_FBUSY","features":[538]},{"name":"DDE_FDEFERUPD","features":[538]},{"name":"DDE_FNOTPROCESSED","features":[538]},{"name":"DDE_FRELEASE","features":[538]},{"name":"DDE_FREQUESTED","features":[538]},{"name":"DDE_INITIALIZE_COMMAND","features":[538]},{"name":"DDE_NAME_SERVICE_CMD","features":[538]},{"name":"DMLERR_ADVACKTIMEOUT","features":[538]},{"name":"DMLERR_BUSY","features":[538]},{"name":"DMLERR_DATAACKTIMEOUT","features":[538]},{"name":"DMLERR_DLL_NOT_INITIALIZED","features":[538]},{"name":"DMLERR_DLL_USAGE","features":[538]},{"name":"DMLERR_EXECACKTIMEOUT","features":[538]},{"name":"DMLERR_FIRST","features":[538]},{"name":"DMLERR_INVALIDPARAMETER","features":[538]},{"name":"DMLERR_LAST","features":[538]},{"name":"DMLERR_LOW_MEMORY","features":[538]},{"name":"DMLERR_MEMORY_ERROR","features":[538]},{"name":"DMLERR_NOTPROCESSED","features":[538]},{"name":"DMLERR_NO_CONV_ESTABLISHED","features":[538]},{"name":"DMLERR_NO_ERROR","features":[538]},{"name":"DMLERR_POKEACKTIMEOUT","features":[538]},{"name":"DMLERR_POSTMSG_FAILED","features":[538]},{"name":"DMLERR_REENTRANCY","features":[538]},{"name":"DMLERR_SERVER_DIED","features":[538]},{"name":"DMLERR_SYS_ERROR","features":[538]},{"name":"DMLERR_UNADVACKTIMEOUT","features":[538]},{"name":"DMLERR_UNFOUND_QUEUE_ID","features":[538]},{"name":"DNS_FILTEROFF","features":[538]},{"name":"DNS_FILTERON","features":[538]},{"name":"DNS_REGISTER","features":[538]},{"name":"DNS_UNREGISTER","features":[538]},{"name":"DdeAbandonTransaction","features":[308,538]},{"name":"DdeAccessData","features":[538]},{"name":"DdeAddData","features":[538]},{"name":"DdeClientTransaction","features":[538]},{"name":"DdeCmpStringHandles","features":[538]},{"name":"DdeConnect","features":[308,311,538]},{"name":"DdeConnectList","features":[308,311,538]},{"name":"DdeCreateDataHandle","features":[538]},{"name":"DdeCreateStringHandleA","features":[538]},{"name":"DdeCreateStringHandleW","features":[538]},{"name":"DdeDisconnect","features":[308,538]},{"name":"DdeDisconnectList","features":[308,538]},{"name":"DdeEnableCallback","features":[308,538]},{"name":"DdeFreeDataHandle","features":[308,538]},{"name":"DdeFreeStringHandle","features":[308,538]},{"name":"DdeGetData","features":[538]},{"name":"DdeGetLastError","features":[538]},{"name":"DdeImpersonateClient","features":[308,538]},{"name":"DdeInitializeA","features":[538]},{"name":"DdeInitializeW","features":[538]},{"name":"DdeKeepStringHandle","features":[308,538]},{"name":"DdeNameService","features":[538]},{"name":"DdePostAdvise","features":[308,538]},{"name":"DdeQueryConvInfo","features":[308,311,538]},{"name":"DdeQueryNextServer","features":[538]},{"name":"DdeQueryStringA","features":[538]},{"name":"DdeQueryStringW","features":[538]},{"name":"DdeReconnect","features":[538]},{"name":"DdeSetQualityOfService","features":[308,311,538]},{"name":"DdeSetUserHandle","features":[308,538]},{"name":"DdeUnaccessData","features":[308,538]},{"name":"DdeUninitialize","features":[308,538]},{"name":"DeleteAtom","features":[538]},{"name":"EC_DISABLE","features":[538]},{"name":"EC_ENABLEALL","features":[538]},{"name":"EC_ENABLEONE","features":[538]},{"name":"EC_QUERYWAITING","features":[538]},{"name":"EmptyClipboard","features":[308,538]},{"name":"EnumClipboardFormats","features":[538]},{"name":"FindAtomA","features":[538]},{"name":"FindAtomW","features":[538]},{"name":"FreeDDElParam","features":[308,538]},{"name":"GetAtomNameA","features":[538]},{"name":"GetAtomNameW","features":[538]},{"name":"GetClipboardData","features":[308,538]},{"name":"GetClipboardFormatNameA","features":[538]},{"name":"GetClipboardFormatNameW","features":[538]},{"name":"GetClipboardOwner","features":[308,538]},{"name":"GetClipboardSequenceNumber","features":[538]},{"name":"GetClipboardViewer","features":[308,538]},{"name":"GetOpenClipboardWindow","features":[308,538]},{"name":"GetPriorityClipboardFormat","features":[538]},{"name":"GetUpdatedClipboardFormats","features":[308,538]},{"name":"GlobalAddAtomA","features":[538]},{"name":"GlobalAddAtomExA","features":[538]},{"name":"GlobalAddAtomExW","features":[538]},{"name":"GlobalAddAtomW","features":[538]},{"name":"GlobalDeleteAtom","features":[538]},{"name":"GlobalFindAtomA","features":[538]},{"name":"GlobalFindAtomW","features":[538]},{"name":"GlobalGetAtomNameA","features":[538]},{"name":"GlobalGetAtomNameW","features":[538]},{"name":"HCONV","features":[538]},{"name":"HCONVLIST","features":[538]},{"name":"HDATA_APPOWNED","features":[538]},{"name":"HDDEDATA","features":[538]},{"name":"HSZ","features":[538]},{"name":"HSZPAIR","features":[538]},{"name":"ImpersonateDdeClientWindow","features":[308,538]},{"name":"InitAtomTable","features":[308,538]},{"name":"IsClipboardFormatAvailable","features":[308,538]},{"name":"MAX_MONITORS","features":[538]},{"name":"METAFILEPICT","features":[319,538]},{"name":"MF_CALLBACKS","features":[538]},{"name":"MF_CONV","features":[538]},{"name":"MF_ERRORS","features":[538]},{"name":"MF_HSZ_INFO","features":[538]},{"name":"MF_LINKS","features":[538]},{"name":"MF_MASK","features":[538]},{"name":"MF_POSTMSGS","features":[538]},{"name":"MF_SENDMSGS","features":[538]},{"name":"MH_CLEANUP","features":[538]},{"name":"MH_CREATE","features":[538]},{"name":"MH_DELETE","features":[538]},{"name":"MH_KEEP","features":[538]},{"name":"MONCBSTRUCT","features":[308,311,538]},{"name":"MONCONVSTRUCT","features":[308,538]},{"name":"MONERRSTRUCT","features":[308,538]},{"name":"MONHSZSTRUCTA","features":[308,538]},{"name":"MONHSZSTRUCTW","features":[308,538]},{"name":"MONLINKSTRUCT","features":[308,538]},{"name":"MONMSGSTRUCT","features":[308,538]},{"name":"MSGF_DDEMGR","features":[538]},{"name":"OpenClipboard","features":[308,538]},{"name":"PFNCALLBACK","features":[538]},{"name":"PackDDElParam","features":[308,538]},{"name":"QID_SYNC","features":[538]},{"name":"RegisterClipboardFormatA","features":[538]},{"name":"RegisterClipboardFormatW","features":[538]},{"name":"RemoveClipboardFormatListener","features":[308,538]},{"name":"ReuseDDElParam","features":[308,538]},{"name":"ST_ADVISE","features":[538]},{"name":"ST_BLOCKED","features":[538]},{"name":"ST_BLOCKNEXT","features":[538]},{"name":"ST_CLIENT","features":[538]},{"name":"ST_CONNECTED","features":[538]},{"name":"ST_INLIST","features":[538]},{"name":"ST_ISLOCAL","features":[538]},{"name":"ST_ISSELF","features":[538]},{"name":"ST_TERMINATED","features":[538]},{"name":"SZDDESYS_ITEM_FORMATS","features":[538]},{"name":"SZDDESYS_ITEM_HELP","features":[538]},{"name":"SZDDESYS_ITEM_RTNMSG","features":[538]},{"name":"SZDDESYS_ITEM_STATUS","features":[538]},{"name":"SZDDESYS_ITEM_SYSITEMS","features":[538]},{"name":"SZDDESYS_ITEM_TOPICS","features":[538]},{"name":"SZDDESYS_TOPIC","features":[538]},{"name":"SZDDE_ITEM_ITEMLIST","features":[538]},{"name":"SetClipboardData","features":[308,538]},{"name":"SetClipboardViewer","features":[308,538]},{"name":"SetWinMetaFileBits","features":[319,538]},{"name":"TIMEOUT_ASYNC","features":[538]},{"name":"UnpackDDElParam","features":[308,538]},{"name":"WM_DDE_ACK","features":[538]},{"name":"WM_DDE_ADVISE","features":[538]},{"name":"WM_DDE_DATA","features":[538]},{"name":"WM_DDE_EXECUTE","features":[538]},{"name":"WM_DDE_FIRST","features":[538]},{"name":"WM_DDE_INITIATE","features":[538]},{"name":"WM_DDE_LAST","features":[538]},{"name":"WM_DDE_POKE","features":[538]},{"name":"WM_DDE_REQUEST","features":[538]},{"name":"WM_DDE_TERMINATE","features":[538]},{"name":"WM_DDE_UNADVISE","features":[538]},{"name":"XCLASS_BOOL","features":[538]},{"name":"XCLASS_DATA","features":[538]},{"name":"XCLASS_FLAGS","features":[538]},{"name":"XCLASS_MASK","features":[538]},{"name":"XCLASS_NOTIFICATION","features":[538]},{"name":"XST_ADVACKRCVD","features":[538]},{"name":"XST_ADVDATAACKRCVD","features":[538]},{"name":"XST_ADVDATASENT","features":[538]},{"name":"XST_ADVSENT","features":[538]},{"name":"XST_CONNECTED","features":[538]},{"name":"XST_DATARCVD","features":[538]},{"name":"XST_EXECACKRCVD","features":[538]},{"name":"XST_EXECSENT","features":[538]},{"name":"XST_INCOMPLETE","features":[538]},{"name":"XST_INIT1","features":[538]},{"name":"XST_INIT2","features":[538]},{"name":"XST_NULL","features":[538]},{"name":"XST_POKEACKRCVD","features":[538]},{"name":"XST_POKESENT","features":[538]},{"name":"XST_REQSENT","features":[538]},{"name":"XST_UNADVACKRCVD","features":[538]},{"name":"XST_UNADVSENT","features":[538]},{"name":"XTYPF_ACKREQ","features":[538]},{"name":"XTYPF_NOBLOCK","features":[538]},{"name":"XTYPF_NODATA","features":[538]},{"name":"XTYP_ADVDATA","features":[538]},{"name":"XTYP_ADVREQ","features":[538]},{"name":"XTYP_ADVSTART","features":[538]},{"name":"XTYP_ADVSTOP","features":[538]},{"name":"XTYP_CONNECT","features":[538]},{"name":"XTYP_CONNECT_CONFIRM","features":[538]},{"name":"XTYP_DISCONNECT","features":[538]},{"name":"XTYP_EXECUTE","features":[538]},{"name":"XTYP_MASK","features":[538]},{"name":"XTYP_MONITOR","features":[538]},{"name":"XTYP_POKE","features":[538]},{"name":"XTYP_REGISTER","features":[538]},{"name":"XTYP_REQUEST","features":[538]},{"name":"XTYP_SHIFT","features":[538]},{"name":"XTYP_UNREGISTER","features":[538]},{"name":"XTYP_WILDCONNECT","features":[538]},{"name":"XTYP_XACT_COMPLETE","features":[538]}],"547":[{"name":"CPU_ARCHITECTURE","features":[539]},{"name":"CPU_ARCHITECTURE_AMD64","features":[539]},{"name":"CPU_ARCHITECTURE_IA64","features":[539]},{"name":"CPU_ARCHITECTURE_INTEL","features":[539]},{"name":"EVT_WDSMCS_E_CP_CALLBACKS_NOT_REG","features":[539]},{"name":"EVT_WDSMCS_E_CP_CLOSE_INSTANCE_FAILED","features":[539]},{"name":"EVT_WDSMCS_E_CP_DLL_LOAD_FAILED","features":[539]},{"name":"EVT_WDSMCS_E_CP_DLL_LOAD_FAILED_CRITICAL","features":[539]},{"name":"EVT_WDSMCS_E_CP_INCOMPATIBLE_SERVER_VERSION","features":[539]},{"name":"EVT_WDSMCS_E_CP_INIT_FUNC_FAILED","features":[539]},{"name":"EVT_WDSMCS_E_CP_INIT_FUNC_MISSING","features":[539]},{"name":"EVT_WDSMCS_E_CP_MEMORY_LEAK","features":[539]},{"name":"EVT_WDSMCS_E_CP_OPEN_CONTENT_FAILED","features":[539]},{"name":"EVT_WDSMCS_E_CP_OPEN_INSTANCE_FAILED","features":[539]},{"name":"EVT_WDSMCS_E_CP_SHUTDOWN_FUNC_FAILED","features":[539]},{"name":"EVT_WDSMCS_E_DUPLICATE_MULTICAST_ADDR","features":[539]},{"name":"EVT_WDSMCS_E_NON_WDS_DUPLICATE_MULTICAST_ADDR","features":[539]},{"name":"EVT_WDSMCS_E_NSREG_CONTENT_PROVIDER_NOT_REG","features":[539]},{"name":"EVT_WDSMCS_E_NSREG_FAILURE","features":[539]},{"name":"EVT_WDSMCS_E_NSREG_NAMESPACE_EXISTS","features":[539]},{"name":"EVT_WDSMCS_E_NSREG_START_TIME_IN_PAST","features":[539]},{"name":"EVT_WDSMCS_E_PARAMETERS_READ_FAILED","features":[539]},{"name":"EVT_WDSMCS_S_PARAMETERS_READ","features":[539]},{"name":"EVT_WDSMCS_W_CP_DLL_LOAD_FAILED_NOT_CRITICAL","features":[539]},{"name":"FACILITY_WDSMCCLIENT","features":[539]},{"name":"FACILITY_WDSMCSERVER","features":[539]},{"name":"FACILITY_WDSTPTMGMT","features":[539]},{"name":"IWdsTransportCacheable","features":[359,539]},{"name":"IWdsTransportClient","features":[359,539]},{"name":"IWdsTransportCollection","features":[359,539]},{"name":"IWdsTransportConfigurationManager","features":[359,539]},{"name":"IWdsTransportConfigurationManager2","features":[359,539]},{"name":"IWdsTransportContent","features":[359,539]},{"name":"IWdsTransportContentProvider","features":[359,539]},{"name":"IWdsTransportDiagnosticsPolicy","features":[359,539]},{"name":"IWdsTransportManager","features":[359,539]},{"name":"IWdsTransportMulticastSessionPolicy","features":[359,539]},{"name":"IWdsTransportNamespace","features":[359,539]},{"name":"IWdsTransportNamespaceAutoCast","features":[359,539]},{"name":"IWdsTransportNamespaceManager","features":[359,539]},{"name":"IWdsTransportNamespaceScheduledCast","features":[359,539]},{"name":"IWdsTransportNamespaceScheduledCastAutoStart","features":[359,539]},{"name":"IWdsTransportNamespaceScheduledCastManualStart","features":[359,539]},{"name":"IWdsTransportServer","features":[359,539]},{"name":"IWdsTransportServer2","features":[359,539]},{"name":"IWdsTransportServicePolicy","features":[359,539]},{"name":"IWdsTransportServicePolicy2","features":[359,539]},{"name":"IWdsTransportSession","features":[359,539]},{"name":"IWdsTransportSetupManager","features":[359,539]},{"name":"IWdsTransportSetupManager2","features":[359,539]},{"name":"IWdsTransportTftpClient","features":[359,539]},{"name":"IWdsTransportTftpManager","features":[359,539]},{"name":"MC_SERVER_CURRENT_VERSION","features":[539]},{"name":"PFN_WDS_CLI_CALLBACK_MESSAGE_ID","features":[539]},{"name":"PFN_WdsCliCallback","features":[308,539]},{"name":"PFN_WdsCliTraceFunction","features":[539]},{"name":"PFN_WdsTransportClientReceiveContents","features":[308,539]},{"name":"PFN_WdsTransportClientReceiveMetadata","features":[308,539]},{"name":"PFN_WdsTransportClientSessionComplete","features":[308,539]},{"name":"PFN_WdsTransportClientSessionNegotiate","features":[308,539]},{"name":"PFN_WdsTransportClientSessionStart","features":[308,539]},{"name":"PFN_WdsTransportClientSessionStartEx","features":[308,539]},{"name":"PXE_ADDRESS","features":[539]},{"name":"PXE_ADDR_BROADCAST","features":[539]},{"name":"PXE_ADDR_USE_ADDR","features":[539]},{"name":"PXE_ADDR_USE_DHCP_RULES","features":[539]},{"name":"PXE_ADDR_USE_PORT","features":[539]},{"name":"PXE_BA_CUSTOM","features":[539]},{"name":"PXE_BA_IGNORE","features":[539]},{"name":"PXE_BA_NBP","features":[539]},{"name":"PXE_BA_REJECTED","features":[539]},{"name":"PXE_CALLBACK_MAX","features":[539]},{"name":"PXE_CALLBACK_RECV_REQUEST","features":[539]},{"name":"PXE_CALLBACK_SERVICE_CONTROL","features":[539]},{"name":"PXE_CALLBACK_SHUTDOWN","features":[539]},{"name":"PXE_DHCPV6_CLIENT_PORT","features":[539]},{"name":"PXE_DHCPV6_MESSAGE","features":[539]},{"name":"PXE_DHCPV6_MESSAGE_HEADER","features":[539]},{"name":"PXE_DHCPV6_NESTED_RELAY_MESSAGE","features":[539]},{"name":"PXE_DHCPV6_OPTION","features":[539]},{"name":"PXE_DHCPV6_RELAY_HOP_COUNT_LIMIT","features":[539]},{"name":"PXE_DHCPV6_RELAY_MESSAGE","features":[539]},{"name":"PXE_DHCPV6_SERVER_PORT","features":[539]},{"name":"PXE_DHCP_CLIENT_PORT","features":[539]},{"name":"PXE_DHCP_FILE_SIZE","features":[539]},{"name":"PXE_DHCP_HWAADR_SIZE","features":[539]},{"name":"PXE_DHCP_MAGIC_COOKIE_SIZE","features":[539]},{"name":"PXE_DHCP_MESSAGE","features":[539]},{"name":"PXE_DHCP_OPTION","features":[539]},{"name":"PXE_DHCP_SERVER_PORT","features":[539]},{"name":"PXE_DHCP_SERVER_SIZE","features":[539]},{"name":"PXE_GSI_SERVER_DUID","features":[539]},{"name":"PXE_GSI_TRACE_ENABLED","features":[539]},{"name":"PXE_MAX_ADDRESS","features":[539]},{"name":"PXE_PROVIDER","features":[308,539]},{"name":"PXE_PROV_ATTR_FILTER","features":[539]},{"name":"PXE_PROV_ATTR_FILTER_IPV6","features":[539]},{"name":"PXE_PROV_ATTR_IPV6_CAPABLE","features":[539]},{"name":"PXE_PROV_FILTER_ALL","features":[539]},{"name":"PXE_PROV_FILTER_DHCP_ONLY","features":[539]},{"name":"PXE_PROV_FILTER_PXE_ONLY","features":[539]},{"name":"PXE_REG_INDEX_BOTTOM","features":[539]},{"name":"PXE_REG_INDEX_TOP","features":[539]},{"name":"PXE_SERVER_PORT","features":[539]},{"name":"PXE_TRACE_ERROR","features":[539]},{"name":"PXE_TRACE_FATAL","features":[539]},{"name":"PXE_TRACE_INFO","features":[539]},{"name":"PXE_TRACE_VERBOSE","features":[539]},{"name":"PXE_TRACE_WARNING","features":[539]},{"name":"PxeAsyncRecvDone","features":[308,539]},{"name":"PxeDhcpAppendOption","features":[539]},{"name":"PxeDhcpAppendOptionRaw","features":[539]},{"name":"PxeDhcpGetOptionValue","features":[539]},{"name":"PxeDhcpGetVendorOptionValue","features":[539]},{"name":"PxeDhcpInitialize","features":[539]},{"name":"PxeDhcpIsValid","features":[308,539]},{"name":"PxeDhcpv6AppendOption","features":[539]},{"name":"PxeDhcpv6AppendOptionRaw","features":[539]},{"name":"PxeDhcpv6CreateRelayRepl","features":[539]},{"name":"PxeDhcpv6GetOptionValue","features":[539]},{"name":"PxeDhcpv6GetVendorOptionValue","features":[539]},{"name":"PxeDhcpv6Initialize","features":[539]},{"name":"PxeDhcpv6IsValid","features":[308,539]},{"name":"PxeDhcpv6ParseRelayForw","features":[539]},{"name":"PxeGetServerInfo","features":[539]},{"name":"PxeGetServerInfoEx","features":[539]},{"name":"PxePacketAllocate","features":[308,539]},{"name":"PxePacketFree","features":[308,539]},{"name":"PxeProviderEnumClose","features":[308,539]},{"name":"PxeProviderEnumFirst","features":[308,539]},{"name":"PxeProviderEnumNext","features":[308,539]},{"name":"PxeProviderFreeInfo","features":[308,539]},{"name":"PxeProviderQueryIndex","features":[539]},{"name":"PxeProviderRegister","features":[308,539,369]},{"name":"PxeProviderSetAttribute","features":[308,539]},{"name":"PxeProviderUnRegister","features":[539]},{"name":"PxeRegisterCallback","features":[308,539]},{"name":"PxeSendReply","features":[308,539]},{"name":"PxeTrace","features":[308,539]},{"name":"PxeTraceV","features":[308,539]},{"name":"TRANSPORTCLIENT_CALLBACK_ID","features":[539]},{"name":"TRANSPORTCLIENT_SESSION_INFO","features":[539]},{"name":"TRANSPORTPROVIDER_CALLBACK_ID","features":[539]},{"name":"TRANSPORTPROVIDER_CURRENT_VERSION","features":[539]},{"name":"WDSBP_OPTVAL_ACTION_ABORT","features":[539]},{"name":"WDSBP_OPTVAL_ACTION_APPROVAL","features":[539]},{"name":"WDSBP_OPTVAL_ACTION_REFERRAL","features":[539]},{"name":"WDSBP_OPTVAL_NBP_VER_7","features":[539]},{"name":"WDSBP_OPTVAL_NBP_VER_8","features":[539]},{"name":"WDSBP_OPTVAL_PXE_PROMPT_NOPROMPT","features":[539]},{"name":"WDSBP_OPTVAL_PXE_PROMPT_OPTIN","features":[539]},{"name":"WDSBP_OPTVAL_PXE_PROMPT_OPTOUT","features":[539]},{"name":"WDSBP_OPT_TYPE_BYTE","features":[539]},{"name":"WDSBP_OPT_TYPE_IP4","features":[539]},{"name":"WDSBP_OPT_TYPE_IP6","features":[539]},{"name":"WDSBP_OPT_TYPE_NONE","features":[539]},{"name":"WDSBP_OPT_TYPE_STR","features":[539]},{"name":"WDSBP_OPT_TYPE_ULONG","features":[539]},{"name":"WDSBP_OPT_TYPE_USHORT","features":[539]},{"name":"WDSBP_OPT_TYPE_WSTR","features":[539]},{"name":"WDSBP_PK_TYPE_BCD","features":[539]},{"name":"WDSBP_PK_TYPE_DHCP","features":[539]},{"name":"WDSBP_PK_TYPE_DHCPV6","features":[539]},{"name":"WDSBP_PK_TYPE_WDSNBP","features":[539]},{"name":"WDSMCCLIENT_CATEGORY","features":[539]},{"name":"WDSMCSERVER_CATEGORY","features":[539]},{"name":"WDSMCS_E_CLIENT_DOESNOT_SUPPORT_SECURITY_MODE","features":[539]},{"name":"WDSMCS_E_CLIENT_NOT_FOUND","features":[539]},{"name":"WDSMCS_E_CONTENT_NOT_FOUND","features":[539]},{"name":"WDSMCS_E_CONTENT_PROVIDER_NOT_FOUND","features":[539]},{"name":"WDSMCS_E_INCOMPATIBLE_VERSION","features":[539]},{"name":"WDSMCS_E_NAMESPACE_ALREADY_EXISTS","features":[539]},{"name":"WDSMCS_E_NAMESPACE_ALREADY_STARTED","features":[539]},{"name":"WDSMCS_E_NAMESPACE_NOT_FOUND","features":[539]},{"name":"WDSMCS_E_NAMESPACE_SHUTDOWN_IN_PROGRESS","features":[539]},{"name":"WDSMCS_E_NS_START_FAILED_NO_CLIENTS","features":[539]},{"name":"WDSMCS_E_PACKET_HAS_SECURITY","features":[539]},{"name":"WDSMCS_E_PACKET_NOT_CHECKSUMED","features":[539]},{"name":"WDSMCS_E_PACKET_NOT_HASHED","features":[539]},{"name":"WDSMCS_E_PACKET_NOT_SIGNED","features":[539]},{"name":"WDSMCS_E_REQCALLBACKS_NOT_REG","features":[539]},{"name":"WDSMCS_E_SESSION_SHUTDOWN_IN_PROGRESS","features":[539]},{"name":"WDSMCS_E_START_TIME_IN_PAST","features":[539]},{"name":"WDSTPC_E_ALREADY_COMPLETED","features":[539]},{"name":"WDSTPC_E_ALREADY_IN_LOWEST_SESSION","features":[539]},{"name":"WDSTPC_E_ALREADY_IN_PROGRESS","features":[539]},{"name":"WDSTPC_E_CALLBACKS_NOT_REG","features":[539]},{"name":"WDSTPC_E_CLIENT_DEMOTE_NOT_SUPPORTED","features":[539]},{"name":"WDSTPC_E_KICKED_FAIL","features":[539]},{"name":"WDSTPC_E_KICKED_FALLBACK","features":[539]},{"name":"WDSTPC_E_KICKED_POLICY_NOT_MET","features":[539]},{"name":"WDSTPC_E_KICKED_UNKNOWN","features":[539]},{"name":"WDSTPC_E_MULTISTREAM_NOT_ENABLED","features":[539]},{"name":"WDSTPC_E_NOT_INITIALIZED","features":[539]},{"name":"WDSTPC_E_NO_IP4_INTERFACE","features":[539]},{"name":"WDSTPC_E_UNKNOWN_ERROR","features":[539]},{"name":"WDSTPTC_E_WIM_APPLY_REQUIRES_REFERENCE_IMAGE","features":[539]},{"name":"WDSTPTMGMT_CATEGORY","features":[539]},{"name":"WDSTPTMGMT_E_CANNOT_REFRESH_DIRTY_OBJECT","features":[539]},{"name":"WDSTPTMGMT_E_CANNOT_REINITIALIZE_OBJECT","features":[539]},{"name":"WDSTPTMGMT_E_CONTENT_PROVIDER_ALREADY_REGISTERED","features":[539]},{"name":"WDSTPTMGMT_E_CONTENT_PROVIDER_NOT_REGISTERED","features":[539]},{"name":"WDSTPTMGMT_E_INVALID_AUTO_DISCONNECT_THRESHOLD","features":[539]},{"name":"WDSTPTMGMT_E_INVALID_CLASS","features":[539]},{"name":"WDSTPTMGMT_E_INVALID_CONTENT_PROVIDER_NAME","features":[539]},{"name":"WDSTPTMGMT_E_INVALID_DIAGNOSTICS_COMPONENTS","features":[539]},{"name":"WDSTPTMGMT_E_INVALID_IPV4_MULTICAST_ADDRESS","features":[539]},{"name":"WDSTPTMGMT_E_INVALID_IPV6_MULTICAST_ADDRESS","features":[539]},{"name":"WDSTPTMGMT_E_INVALID_IPV6_MULTICAST_ADDRESS_SOURCE","features":[539]},{"name":"WDSTPTMGMT_E_INVALID_IP_ADDRESS","features":[539]},{"name":"WDSTPTMGMT_E_INVALID_MULTISTREAM_STREAM_COUNT","features":[539]},{"name":"WDSTPTMGMT_E_INVALID_NAMESPACE_DATA","features":[539]},{"name":"WDSTPTMGMT_E_INVALID_NAMESPACE_NAME","features":[539]},{"name":"WDSTPTMGMT_E_INVALID_NAMESPACE_START_PARAMETERS","features":[539]},{"name":"WDSTPTMGMT_E_INVALID_NAMESPACE_START_TIME","features":[539]},{"name":"WDSTPTMGMT_E_INVALID_OPERATION","features":[539]},{"name":"WDSTPTMGMT_E_INVALID_PROPERTY","features":[539]},{"name":"WDSTPTMGMT_E_INVALID_SERVICE_IP_ADDRESS_RANGE","features":[539]},{"name":"WDSTPTMGMT_E_INVALID_SERVICE_PORT_RANGE","features":[539]},{"name":"WDSTPTMGMT_E_INVALID_SLOW_CLIENT_HANDLING_TYPE","features":[539]},{"name":"WDSTPTMGMT_E_INVALID_TFTP_MAX_BLOCKSIZE","features":[539]},{"name":"WDSTPTMGMT_E_IPV6_NOT_SUPPORTED","features":[539]},{"name":"WDSTPTMGMT_E_MULTICAST_SESSION_POLICY_NOT_SUPPORTED","features":[539]},{"name":"WDSTPTMGMT_E_NAMESPACE_ALREADY_REGISTERED","features":[539]},{"name":"WDSTPTMGMT_E_NAMESPACE_NOT_ON_SERVER","features":[539]},{"name":"WDSTPTMGMT_E_NAMESPACE_NOT_REGISTERED","features":[539]},{"name":"WDSTPTMGMT_E_NAMESPACE_READ_ONLY","features":[539]},{"name":"WDSTPTMGMT_E_NAMESPACE_REMOVED_FROM_SERVER","features":[539]},{"name":"WDSTPTMGMT_E_NETWORK_PROFILES_NOT_SUPPORTED","features":[539]},{"name":"WDSTPTMGMT_E_TFTP_MAX_BLOCKSIZE_NOT_SUPPORTED","features":[539]},{"name":"WDSTPTMGMT_E_TFTP_VAR_WINDOW_NOT_SUPPORTED","features":[539]},{"name":"WDSTPTMGMT_E_TRANSPORT_SERVER_ROLE_NOT_CONFIGURED","features":[539]},{"name":"WDSTPTMGMT_E_TRANSPORT_SERVER_UNAVAILABLE","features":[539]},{"name":"WDSTPTMGMT_E_UDP_PORT_POLICY_NOT_SUPPORTED","features":[539]},{"name":"WDSTRANSPORT_DIAGNOSTICS_COMPONENT_FLAGS","features":[539]},{"name":"WDSTRANSPORT_DISCONNECT_TYPE","features":[539]},{"name":"WDSTRANSPORT_FEATURE_FLAGS","features":[539]},{"name":"WDSTRANSPORT_IP_ADDRESS_SOURCE_TYPE","features":[539]},{"name":"WDSTRANSPORT_IP_ADDRESS_TYPE","features":[539]},{"name":"WDSTRANSPORT_NAMESPACE_TYPE","features":[539]},{"name":"WDSTRANSPORT_NETWORK_PROFILE_TYPE","features":[539]},{"name":"WDSTRANSPORT_PROTOCOL_FLAGS","features":[539]},{"name":"WDSTRANSPORT_RESOURCE_UTILIZATION_UNKNOWN","features":[539]},{"name":"WDSTRANSPORT_SERVICE_NOTIFICATION","features":[539]},{"name":"WDSTRANSPORT_SLOW_CLIENT_HANDLING_TYPE","features":[539]},{"name":"WDSTRANSPORT_TFTP_CAPABILITY","features":[539]},{"name":"WDSTRANSPORT_UDP_PORT_POLICY","features":[539]},{"name":"WDS_CLI_CRED","features":[539]},{"name":"WDS_CLI_FIRMWARE_BIOS","features":[539]},{"name":"WDS_CLI_FIRMWARE_EFI","features":[539]},{"name":"WDS_CLI_FIRMWARE_TYPE","features":[539]},{"name":"WDS_CLI_FIRMWARE_UNKNOWN","features":[539]},{"name":"WDS_CLI_IMAGE_PARAM_SPARSE_FILE","features":[539]},{"name":"WDS_CLI_IMAGE_PARAM_SUPPORTED_FIRMWARES","features":[539]},{"name":"WDS_CLI_IMAGE_PARAM_TYPE","features":[539]},{"name":"WDS_CLI_IMAGE_PARAM_UNKNOWN","features":[539]},{"name":"WDS_CLI_IMAGE_TYPE","features":[539]},{"name":"WDS_CLI_IMAGE_TYPE_UNKNOWN","features":[539]},{"name":"WDS_CLI_IMAGE_TYPE_VHD","features":[539]},{"name":"WDS_CLI_IMAGE_TYPE_VHDX","features":[539]},{"name":"WDS_CLI_IMAGE_TYPE_WIM","features":[539]},{"name":"WDS_CLI_MSG_COMPLETE","features":[539]},{"name":"WDS_CLI_MSG_PROGRESS","features":[539]},{"name":"WDS_CLI_MSG_START","features":[539]},{"name":"WDS_CLI_MSG_TEXT","features":[539]},{"name":"WDS_CLI_NO_SPARSE_FILE","features":[539]},{"name":"WDS_CLI_TRANSFER_ASYNCHRONOUS","features":[539]},{"name":"WDS_LOG_LEVEL_DISABLED","features":[539]},{"name":"WDS_LOG_LEVEL_ERROR","features":[539]},{"name":"WDS_LOG_LEVEL_INFO","features":[539]},{"name":"WDS_LOG_LEVEL_WARNING","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_APPLY_FINISHED","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_APPLY_FINISHED_2","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_APPLY_STARTED","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_APPLY_STARTED_2","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_DOMAINJOINERROR","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_DOMAINJOINERROR_2","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_DRIVER_PACKAGE_NOT_ACCESSIBLE","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_ERROR","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_FINISHED","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_GENERIC_MESSAGE","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_IMAGE_SELECTED","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_IMAGE_SELECTED2","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_IMAGE_SELECTED3","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_MAX_CODE","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_OFFLINE_DRIVER_INJECTION_END","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_OFFLINE_DRIVER_INJECTION_FAILURE","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_OFFLINE_DRIVER_INJECTION_START","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_POST_ACTIONS_END","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_POST_ACTIONS_START","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_STARTED","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_TRANSFER_DOWNGRADE","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_TRANSFER_END","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_TRANSFER_START","features":[539]},{"name":"WDS_LOG_TYPE_CLIENT_UNATTEND_MODE","features":[539]},{"name":"WDS_MC_TRACE_ERROR","features":[539]},{"name":"WDS_MC_TRACE_FATAL","features":[539]},{"name":"WDS_MC_TRACE_INFO","features":[539]},{"name":"WDS_MC_TRACE_VERBOSE","features":[539]},{"name":"WDS_MC_TRACE_WARNING","features":[539]},{"name":"WDS_TRANSPORTCLIENT_AUTH","features":[539]},{"name":"WDS_TRANSPORTCLIENT_CALLBACKS","features":[308,539]},{"name":"WDS_TRANSPORTCLIENT_CURRENT_API_VERSION","features":[539]},{"name":"WDS_TRANSPORTCLIENT_MAX_CALLBACKS","features":[539]},{"name":"WDS_TRANSPORTCLIENT_NO_AUTH","features":[539]},{"name":"WDS_TRANSPORTCLIENT_NO_CACHE","features":[539]},{"name":"WDS_TRANSPORTCLIENT_PROTOCOL_MULTICAST","features":[539]},{"name":"WDS_TRANSPORTCLIENT_RECEIVE_CONTENTS","features":[539]},{"name":"WDS_TRANSPORTCLIENT_RECEIVE_METADATA","features":[539]},{"name":"WDS_TRANSPORTCLIENT_REQUEST","features":[539]},{"name":"WDS_TRANSPORTCLIENT_REQUEST_AUTH_LEVEL","features":[539]},{"name":"WDS_TRANSPORTCLIENT_SESSION_COMPLETE","features":[539]},{"name":"WDS_TRANSPORTCLIENT_SESSION_NEGOTIATE","features":[539]},{"name":"WDS_TRANSPORTCLIENT_SESSION_START","features":[539]},{"name":"WDS_TRANSPORTCLIENT_SESSION_STARTEX","features":[539]},{"name":"WDS_TRANSPORTCLIENT_STATUS_FAILURE","features":[539]},{"name":"WDS_TRANSPORTCLIENT_STATUS_IN_PROGRESS","features":[539]},{"name":"WDS_TRANSPORTCLIENT_STATUS_SUCCESS","features":[539]},{"name":"WDS_TRANSPORTPROVIDER_CLOSE_CONTENT","features":[539]},{"name":"WDS_TRANSPORTPROVIDER_CLOSE_INSTANCE","features":[539]},{"name":"WDS_TRANSPORTPROVIDER_COMPARE_CONTENT","features":[539]},{"name":"WDS_TRANSPORTPROVIDER_CREATE_INSTANCE","features":[539]},{"name":"WDS_TRANSPORTPROVIDER_DUMP_STATE","features":[539]},{"name":"WDS_TRANSPORTPROVIDER_GET_CONTENT_METADATA","features":[539]},{"name":"WDS_TRANSPORTPROVIDER_GET_CONTENT_SIZE","features":[539]},{"name":"WDS_TRANSPORTPROVIDER_INIT_PARAMS","features":[308,539,369]},{"name":"WDS_TRANSPORTPROVIDER_MAX_CALLBACKS","features":[539]},{"name":"WDS_TRANSPORTPROVIDER_OPEN_CONTENT","features":[539]},{"name":"WDS_TRANSPORTPROVIDER_READ_CONTENT","features":[539]},{"name":"WDS_TRANSPORTPROVIDER_REFRESH_SETTINGS","features":[539]},{"name":"WDS_TRANSPORTPROVIDER_SETTINGS","features":[539]},{"name":"WDS_TRANSPORTPROVIDER_SHUTDOWN","features":[539]},{"name":"WDS_TRANSPORTPROVIDER_USER_ACCESS_CHECK","features":[539]},{"name":"WdsBpAddOption","features":[308,539]},{"name":"WdsBpCloseHandle","features":[308,539]},{"name":"WdsBpGetOptionBuffer","features":[308,539]},{"name":"WdsBpInitialize","features":[308,539]},{"name":"WdsBpParseInitialize","features":[308,539]},{"name":"WdsBpParseInitializev6","features":[308,539]},{"name":"WdsBpQueryOption","features":[308,539]},{"name":"WdsCliAuthorizeSession","features":[308,539]},{"name":"WdsCliCancelTransfer","features":[308,539]},{"name":"WdsCliClose","features":[308,539]},{"name":"WdsCliCreateSession","features":[308,539]},{"name":"WdsCliFindFirstImage","features":[308,539]},{"name":"WdsCliFindNextImage","features":[308,539]},{"name":"WdsCliFlagEnumFilterFirmware","features":[539]},{"name":"WdsCliFlagEnumFilterVersion","features":[539]},{"name":"WdsCliFreeStringArray","features":[539]},{"name":"WdsCliGetDriverQueryXml","features":[539]},{"name":"WdsCliGetEnumerationFlags","features":[308,539]},{"name":"WdsCliGetImageArchitecture","features":[308,539]},{"name":"WdsCliGetImageDescription","features":[308,539]},{"name":"WdsCliGetImageFiles","features":[308,539]},{"name":"WdsCliGetImageGroup","features":[308,539]},{"name":"WdsCliGetImageHalName","features":[308,539]},{"name":"WdsCliGetImageHandleFromFindHandle","features":[308,539]},{"name":"WdsCliGetImageHandleFromTransferHandle","features":[308,539]},{"name":"WdsCliGetImageIndex","features":[308,539]},{"name":"WdsCliGetImageLanguage","features":[308,539]},{"name":"WdsCliGetImageLanguages","features":[308,539]},{"name":"WdsCliGetImageLastModifiedTime","features":[308,539]},{"name":"WdsCliGetImageName","features":[308,539]},{"name":"WdsCliGetImageNamespace","features":[308,539]},{"name":"WdsCliGetImageParameter","features":[308,539]},{"name":"WdsCliGetImagePath","features":[308,539]},{"name":"WdsCliGetImageSize","features":[308,539]},{"name":"WdsCliGetImageType","features":[308,539]},{"name":"WdsCliGetImageVersion","features":[308,539]},{"name":"WdsCliGetTransferSize","features":[308,539]},{"name":"WdsCliInitializeLog","features":[308,539]},{"name":"WdsCliLog","features":[308,539]},{"name":"WdsCliObtainDriverPackages","features":[308,539]},{"name":"WdsCliObtainDriverPackagesEx","features":[308,539]},{"name":"WdsCliRegisterTrace","features":[539]},{"name":"WdsCliSetTransferBufferSize","features":[539]},{"name":"WdsCliTransferFile","features":[308,539]},{"name":"WdsCliTransferImage","features":[308,539]},{"name":"WdsCliWaitForTransfer","features":[308,539]},{"name":"WdsTptDiagnosticsComponentImageServer","features":[539]},{"name":"WdsTptDiagnosticsComponentMulticast","features":[539]},{"name":"WdsTptDiagnosticsComponentPxe","features":[539]},{"name":"WdsTptDiagnosticsComponentTftp","features":[539]},{"name":"WdsTptDisconnectAbort","features":[539]},{"name":"WdsTptDisconnectFallback","features":[539]},{"name":"WdsTptDisconnectUnknown","features":[539]},{"name":"WdsTptFeatureAdminPack","features":[539]},{"name":"WdsTptFeatureDeploymentServer","features":[539]},{"name":"WdsTptFeatureTransportServer","features":[539]},{"name":"WdsTptIpAddressIpv4","features":[539]},{"name":"WdsTptIpAddressIpv6","features":[539]},{"name":"WdsTptIpAddressSourceDhcp","features":[539]},{"name":"WdsTptIpAddressSourceRange","features":[539]},{"name":"WdsTptIpAddressSourceUnknown","features":[539]},{"name":"WdsTptIpAddressUnknown","features":[539]},{"name":"WdsTptNamespaceTypeAutoCast","features":[539]},{"name":"WdsTptNamespaceTypeScheduledCastAutoStart","features":[539]},{"name":"WdsTptNamespaceTypeScheduledCastManualStart","features":[539]},{"name":"WdsTptNamespaceTypeUnknown","features":[539]},{"name":"WdsTptNetworkProfile100Mbps","features":[539]},{"name":"WdsTptNetworkProfile10Mbps","features":[539]},{"name":"WdsTptNetworkProfile1Gbps","features":[539]},{"name":"WdsTptNetworkProfileCustom","features":[539]},{"name":"WdsTptNetworkProfileUnknown","features":[539]},{"name":"WdsTptProtocolMulticast","features":[539]},{"name":"WdsTptProtocolUnicast","features":[539]},{"name":"WdsTptServiceNotifyReadSettings","features":[539]},{"name":"WdsTptServiceNotifyUnknown","features":[539]},{"name":"WdsTptSlowClientHandlingAutoDisconnect","features":[539]},{"name":"WdsTptSlowClientHandlingMultistream","features":[539]},{"name":"WdsTptSlowClientHandlingNone","features":[539]},{"name":"WdsTptSlowClientHandlingUnknown","features":[539]},{"name":"WdsTptTftpCapMaximumBlockSize","features":[539]},{"name":"WdsTptTftpCapVariableWindow","features":[539]},{"name":"WdsTptUdpPortPolicyDynamic","features":[539]},{"name":"WdsTptUdpPortPolicyFixed","features":[539]},{"name":"WdsTransportCacheable","features":[539]},{"name":"WdsTransportClient","features":[539]},{"name":"WdsTransportClientAddRefBuffer","features":[539]},{"name":"WdsTransportClientCancelSession","features":[308,539]},{"name":"WdsTransportClientCancelSessionEx","features":[308,539]},{"name":"WdsTransportClientCloseSession","features":[308,539]},{"name":"WdsTransportClientCompleteReceive","features":[308,539]},{"name":"WdsTransportClientInitialize","features":[539]},{"name":"WdsTransportClientInitializeSession","features":[308,539]},{"name":"WdsTransportClientQueryStatus","features":[308,539]},{"name":"WdsTransportClientRegisterCallback","features":[308,539]},{"name":"WdsTransportClientReleaseBuffer","features":[539]},{"name":"WdsTransportClientShutdown","features":[539]},{"name":"WdsTransportClientStartSession","features":[308,539]},{"name":"WdsTransportClientWaitForCompletion","features":[308,539]},{"name":"WdsTransportCollection","features":[539]},{"name":"WdsTransportConfigurationManager","features":[539]},{"name":"WdsTransportContent","features":[539]},{"name":"WdsTransportContentProvider","features":[539]},{"name":"WdsTransportDiagnosticsPolicy","features":[539]},{"name":"WdsTransportManager","features":[539]},{"name":"WdsTransportMulticastSessionPolicy","features":[539]},{"name":"WdsTransportNamespace","features":[539]},{"name":"WdsTransportNamespaceAutoCast","features":[539]},{"name":"WdsTransportNamespaceManager","features":[539]},{"name":"WdsTransportNamespaceScheduledCast","features":[539]},{"name":"WdsTransportNamespaceScheduledCastAutoStart","features":[539]},{"name":"WdsTransportNamespaceScheduledCastManualStart","features":[539]},{"name":"WdsTransportServer","features":[539]},{"name":"WdsTransportServerAllocateBuffer","features":[308,539]},{"name":"WdsTransportServerCompleteRead","features":[308,539]},{"name":"WdsTransportServerFreeBuffer","features":[308,539]},{"name":"WdsTransportServerRegisterCallback","features":[308,539]},{"name":"WdsTransportServerTrace","features":[308,539]},{"name":"WdsTransportServerTraceV","features":[308,539]},{"name":"WdsTransportServicePolicy","features":[539]},{"name":"WdsTransportSession","features":[539]},{"name":"WdsTransportSetupManager","features":[539]},{"name":"WdsTransportTftpClient","features":[539]},{"name":"WdsTransportTftpManager","features":[539]}],"548":[{"name":"APP_FLAG_PRIVILEGED","features":[540]},{"name":"ATTENDEE_DISCONNECT_REASON","features":[540]},{"name":"ATTENDEE_DISCONNECT_REASON_APP","features":[540]},{"name":"ATTENDEE_DISCONNECT_REASON_CLI","features":[540]},{"name":"ATTENDEE_DISCONNECT_REASON_ERR","features":[540]},{"name":"ATTENDEE_DISCONNECT_REASON_MAX","features":[540]},{"name":"ATTENDEE_DISCONNECT_REASON_MIN","features":[540]},{"name":"ATTENDEE_FLAGS_LOCAL","features":[540]},{"name":"CHANNEL_ACCESS_ENUM","features":[540]},{"name":"CHANNEL_ACCESS_ENUM_NONE","features":[540]},{"name":"CHANNEL_ACCESS_ENUM_SENDRECEIVE","features":[540]},{"name":"CHANNEL_FLAGS","features":[540]},{"name":"CHANNEL_FLAGS_DYNAMIC","features":[540]},{"name":"CHANNEL_FLAGS_LEGACY","features":[540]},{"name":"CHANNEL_FLAGS_UNCOMPRESSED","features":[540]},{"name":"CHANNEL_PRIORITY","features":[540]},{"name":"CHANNEL_PRIORITY_HI","features":[540]},{"name":"CHANNEL_PRIORITY_LO","features":[540]},{"name":"CHANNEL_PRIORITY_MED","features":[540]},{"name":"CONST_ATTENDEE_ID_DEFAULT","features":[540]},{"name":"CONST_ATTENDEE_ID_EVERYONE","features":[540]},{"name":"CONST_ATTENDEE_ID_HOST","features":[540]},{"name":"CONST_CONN_INTERVAL","features":[540]},{"name":"CONST_MAX_CHANNEL_MESSAGE_SIZE","features":[540]},{"name":"CONST_MAX_CHANNEL_NAME_LEN","features":[540]},{"name":"CONST_MAX_LEGACY_CHANNEL_MESSAGE_SIZE","features":[540]},{"name":"CTRL_LEVEL","features":[540]},{"name":"CTRL_LEVEL_INTERACTIVE","features":[540]},{"name":"CTRL_LEVEL_INVALID","features":[540]},{"name":"CTRL_LEVEL_MAX","features":[540]},{"name":"CTRL_LEVEL_MIN","features":[540]},{"name":"CTRL_LEVEL_NONE","features":[540]},{"name":"CTRL_LEVEL_REQCTRL_INTERACTIVE","features":[540]},{"name":"CTRL_LEVEL_REQCTRL_VIEW","features":[540]},{"name":"CTRL_LEVEL_VIEW","features":[540]},{"name":"DISPID_RDPAPI_EVENT_ON_BOUNDING_RECT_CHANGED","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_APPFILTER_UPDATE","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_APPLICATION_CLOSE","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_APPLICATION_OPEN","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_APPLICATION_UPDATE","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_ATTENDEE_CONNECTED","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_ATTENDEE_DISCONNECTED","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_ATTENDEE_UPDATE","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_CTRLLEVEL_CHANGE_REQUEST","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_CTRLLEVEL_CHANGE_RESPONSE","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_ERROR","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_FOCUSRELEASED","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_GRAPHICS_STREAM_PAUSED","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_GRAPHICS_STREAM_RESUMED","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_SHARED_DESKTOP_SETTINGS_CHANGED","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_SHARED_RECT_CHANGED","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_STREAM_CLOSED","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_STREAM_DATARECEIVED","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_STREAM_SENDCOMPLETED","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_VIEWER_AUTHENTICATED","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_VIEWER_CONNECTED","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_VIEWER_CONNECTFAILED","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_VIEWER_DISCONNECTED","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_VIRTUAL_CHANNEL_DATARECEIVED","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_VIRTUAL_CHANNEL_JOIN","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_VIRTUAL_CHANNEL_LEAVE","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_VIRTUAL_CHANNEL_SENDCOMPLETED","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_WINDOW_CLOSE","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_WINDOW_OPEN","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_ON_WINDOW_UPDATE","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_VIEW_MOUSE_BUTTON_RECEIVED","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_VIEW_MOUSE_MOVE_RECEIVED","features":[540]},{"name":"DISPID_RDPSRAPI_EVENT_VIEW_MOUSE_WHEEL_RECEIVED","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_ADD_TOUCH_INPUT","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_BEGIN_TOUCH_FRAME","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_CLOSE","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_CONNECTTOCLIENT","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_CONNECTUSINGTRANSPORTSTREAM","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_CREATE_INVITATION","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_END_TOUCH_FRAME","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_GETFRAMEBUFFERBITS","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_GETSHAREDRECT","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_OPEN","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_PAUSE","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_REQUEST_COLOR_DEPTH_CHANGE","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_REQUEST_CONTROL","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_RESUME","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_SENDCONTROLLEVELCHANGERESPONSE","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_SEND_KEYBOARD_EVENT","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_SEND_MOUSE_BUTTON_EVENT","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_SEND_MOUSE_MOVE_EVENT","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_SEND_MOUSE_WHEEL_EVENT","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_SEND_SYNC_EVENT","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_SETSHAREDRECT","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_SET_RENDERING_SURFACE","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_SHOW_WINDOW","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_STARTREVCONNECTLISTENER","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_STREAMCLOSE","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_STREAMOPEN","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_STREAMREADDATA","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_STREAMSENDDATA","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_STREAM_ALLOCBUFFER","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_STREAM_FREEBUFFER","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_TERMINATE_CONNECTION","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_VIEWERCONNECT","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_VIEWERDISCONNECT","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_VIRTUAL_CHANNEL_CREATE","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_VIRTUAL_CHANNEL_SEND_DATA","features":[540]},{"name":"DISPID_RDPSRAPI_METHOD_VIRTUAL_CHANNEL_SET_ACCESS","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_APPFILTERENABLED","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_APPFILTER_ENABLED","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_APPFLAGS","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_APPLICATION","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_APPLICATION_FILTER","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_APPLICATION_LIST","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_APPNAME","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_ATTENDEELIMIT","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_ATTENDEES","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_ATTENDEE_FLAGS","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_CHANNELMANAGER","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_CODE","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_CONINFO","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_CONNECTION_STRING","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_COUNT","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_CTRL_LEVEL","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_DBG_CLX_CMDLINE","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_DISCONNECTED_STRING","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_DISPIDVALUE","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_FRAMEBUFFER","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_FRAMEBUFFER_BPP","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_FRAMEBUFFER_HEIGHT","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_FRAMEBUFFER_WIDTH","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_GROUP_NAME","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_ID","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_INVITATION","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_INVITATIONITEM","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_INVITATIONS","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_LOCAL_IP","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_LOCAL_PORT","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_PASSWORD","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_PEER_IP","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_PEER_PORT","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_PROTOCOL_TYPE","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_REASON","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_REMOTENAME","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_REVOKED","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_SESSION_COLORDEPTH","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_SESSION_PROPERTIES","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_SHARED","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_STREAMBUFFER_CONTEXT","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_STREAMBUFFER_FLAGS","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_STREAMBUFFER_PAYLOADOFFSET","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_STREAMBUFFER_PAYLOADSIZE","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_STREAMBUFFER_STORAGE","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_STREAMBUFFER_STORESIZE","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_USESMARTSIZING","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_VIRTUAL_CHANNEL_GETFLAGS","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_VIRTUAL_CHANNEL_GETNAME","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_VIRTUAL_CHANNEL_GETPRIORITY","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_WINDOWID","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_WINDOWNAME","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_WINDOWSHARED","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_WINDOW_LIST","features":[540]},{"name":"DISPID_RDPSRAPI_PROP_WNDFLAGS","features":[540]},{"name":"IRDPSRAPIApplication","features":[359,540]},{"name":"IRDPSRAPIApplicationFilter","features":[359,540]},{"name":"IRDPSRAPIApplicationList","features":[359,540]},{"name":"IRDPSRAPIAttendee","features":[359,540]},{"name":"IRDPSRAPIAttendeeDisconnectInfo","features":[359,540]},{"name":"IRDPSRAPIAttendeeManager","features":[359,540]},{"name":"IRDPSRAPIAudioStream","features":[540]},{"name":"IRDPSRAPIClipboardUseEvents","features":[540]},{"name":"IRDPSRAPIDebug","features":[540]},{"name":"IRDPSRAPIFrameBuffer","features":[359,540]},{"name":"IRDPSRAPIInvitation","features":[359,540]},{"name":"IRDPSRAPIInvitationManager","features":[359,540]},{"name":"IRDPSRAPIPerfCounterLogger","features":[540]},{"name":"IRDPSRAPIPerfCounterLoggingManager","features":[540]},{"name":"IRDPSRAPISessionProperties","features":[359,540]},{"name":"IRDPSRAPISharingSession","features":[359,540]},{"name":"IRDPSRAPISharingSession2","features":[359,540]},{"name":"IRDPSRAPITcpConnectionInfo","features":[359,540]},{"name":"IRDPSRAPITransportStream","features":[540]},{"name":"IRDPSRAPITransportStreamBuffer","features":[540]},{"name":"IRDPSRAPITransportStreamEvents","features":[540]},{"name":"IRDPSRAPIViewer","features":[359,540]},{"name":"IRDPSRAPIVirtualChannel","features":[359,540]},{"name":"IRDPSRAPIVirtualChannelManager","features":[359,540]},{"name":"IRDPSRAPIWindow","features":[359,540]},{"name":"IRDPSRAPIWindowList","features":[359,540]},{"name":"IRDPViewerInputSink","features":[540]},{"name":"RDPENCOMAPI_ATTENDEE_FLAGS","features":[540]},{"name":"RDPENCOMAPI_CONSTANTS","features":[540]},{"name":"RDPSRAPIApplication","features":[540]},{"name":"RDPSRAPIApplicationFilter","features":[540]},{"name":"RDPSRAPIApplicationList","features":[540]},{"name":"RDPSRAPIAttendee","features":[540]},{"name":"RDPSRAPIAttendeeDisconnectInfo","features":[540]},{"name":"RDPSRAPIAttendeeManager","features":[540]},{"name":"RDPSRAPIFrameBuffer","features":[540]},{"name":"RDPSRAPIInvitation","features":[540]},{"name":"RDPSRAPIInvitationManager","features":[540]},{"name":"RDPSRAPISessionProperties","features":[540]},{"name":"RDPSRAPITcpConnectionInfo","features":[540]},{"name":"RDPSRAPIWindow","features":[540]},{"name":"RDPSRAPIWindowList","features":[540]},{"name":"RDPSRAPI_APP_FLAGS","features":[540]},{"name":"RDPSRAPI_KBD_CODE_SCANCODE","features":[540]},{"name":"RDPSRAPI_KBD_CODE_TYPE","features":[540]},{"name":"RDPSRAPI_KBD_CODE_UNICODE","features":[540]},{"name":"RDPSRAPI_KBD_SYNC_FLAG","features":[540]},{"name":"RDPSRAPI_KBD_SYNC_FLAG_CAPS_LOCK","features":[540]},{"name":"RDPSRAPI_KBD_SYNC_FLAG_KANA_LOCK","features":[540]},{"name":"RDPSRAPI_KBD_SYNC_FLAG_NUM_LOCK","features":[540]},{"name":"RDPSRAPI_KBD_SYNC_FLAG_SCROLL_LOCK","features":[540]},{"name":"RDPSRAPI_MOUSE_BUTTON_BUTTON1","features":[540]},{"name":"RDPSRAPI_MOUSE_BUTTON_BUTTON2","features":[540]},{"name":"RDPSRAPI_MOUSE_BUTTON_BUTTON3","features":[540]},{"name":"RDPSRAPI_MOUSE_BUTTON_TYPE","features":[540]},{"name":"RDPSRAPI_MOUSE_BUTTON_XBUTTON1","features":[540]},{"name":"RDPSRAPI_MOUSE_BUTTON_XBUTTON2","features":[540]},{"name":"RDPSRAPI_MOUSE_BUTTON_XBUTTON3","features":[540]},{"name":"RDPSRAPI_WND_FLAGS","features":[540]},{"name":"RDPSession","features":[540]},{"name":"RDPTransportStreamBuffer","features":[540]},{"name":"RDPTransportStreamEvents","features":[540]},{"name":"RDPViewer","features":[540]},{"name":"WND_FLAG_PRIVILEGED","features":[540]},{"name":"_IRDPSessionEvents","features":[359,540]},{"name":"__ReferenceRemainingTypes__","features":[540]}],"549":[{"name":"AcquireDeveloperLicense","features":[308,541]},{"name":"CheckDeveloperLicense","features":[308,541]},{"name":"RemoveDeveloperLicense","features":[308,541]}],"550":[{"name":"CeipIsOptedIn","features":[308,542]}],"551":[{"name":"COR_DEBUG_IL_TO_NATIVE_MAP","features":[543]},{"name":"COR_IL_MAP","features":[308,543]},{"name":"COR_PRF_ALL","features":[543]},{"name":"COR_PRF_ALLOWABLE_AFTER_ATTACH","features":[543]},{"name":"COR_PRF_ALLOWABLE_NOTIFICATION_PROFILER","features":[543]},{"name":"COR_PRF_ASSEMBLY_REFERENCE_INFO","features":[543,544]},{"name":"COR_PRF_CACHED_FUNCTION_FOUND","features":[543]},{"name":"COR_PRF_CACHED_FUNCTION_NOT_FOUND","features":[543]},{"name":"COR_PRF_CLAUSE_CATCH","features":[543]},{"name":"COR_PRF_CLAUSE_FILTER","features":[543]},{"name":"COR_PRF_CLAUSE_FINALLY","features":[543]},{"name":"COR_PRF_CLAUSE_NONE","features":[543]},{"name":"COR_PRF_CLAUSE_TYPE","features":[543]},{"name":"COR_PRF_CODEGEN_DISABLE_ALL_OPTIMIZATIONS","features":[543]},{"name":"COR_PRF_CODEGEN_DISABLE_INLINING","features":[543]},{"name":"COR_PRF_CODEGEN_FLAGS","features":[543]},{"name":"COR_PRF_CODE_INFO","features":[543]},{"name":"COR_PRF_CORE_CLR","features":[543]},{"name":"COR_PRF_DESKTOP_CLR","features":[543]},{"name":"COR_PRF_DISABLE_ALL_NGEN_IMAGES","features":[543]},{"name":"COR_PRF_DISABLE_INLINING","features":[543]},{"name":"COR_PRF_DISABLE_OPTIMIZATIONS","features":[543]},{"name":"COR_PRF_DISABLE_TRANSPARENCY_CHECKS_UNDER_FULL_TRUST","features":[543]},{"name":"COR_PRF_ENABLE_FRAME_INFO","features":[543]},{"name":"COR_PRF_ENABLE_FUNCTION_ARGS","features":[543]},{"name":"COR_PRF_ENABLE_FUNCTION_RETVAL","features":[543]},{"name":"COR_PRF_ENABLE_INPROC_DEBUGGING","features":[543]},{"name":"COR_PRF_ENABLE_JIT_MAPS","features":[543]},{"name":"COR_PRF_ENABLE_OBJECT_ALLOCATED","features":[543]},{"name":"COR_PRF_ENABLE_REJIT","features":[543]},{"name":"COR_PRF_ENABLE_STACK_SNAPSHOT","features":[543]},{"name":"COR_PRF_EVENTPIPE_ARRAY","features":[543]},{"name":"COR_PRF_EVENTPIPE_BOOLEAN","features":[543]},{"name":"COR_PRF_EVENTPIPE_BYTE","features":[543]},{"name":"COR_PRF_EVENTPIPE_CHAR","features":[543]},{"name":"COR_PRF_EVENTPIPE_CRITICAL","features":[543]},{"name":"COR_PRF_EVENTPIPE_DATETIME","features":[543]},{"name":"COR_PRF_EVENTPIPE_DECIMAL","features":[543]},{"name":"COR_PRF_EVENTPIPE_DOUBLE","features":[543]},{"name":"COR_PRF_EVENTPIPE_ERROR","features":[543]},{"name":"COR_PRF_EVENTPIPE_GUID","features":[543]},{"name":"COR_PRF_EVENTPIPE_INFORMATIONAL","features":[543]},{"name":"COR_PRF_EVENTPIPE_INT16","features":[543]},{"name":"COR_PRF_EVENTPIPE_INT32","features":[543]},{"name":"COR_PRF_EVENTPIPE_INT64","features":[543]},{"name":"COR_PRF_EVENTPIPE_LEVEL","features":[543]},{"name":"COR_PRF_EVENTPIPE_LOGALWAYS","features":[543]},{"name":"COR_PRF_EVENTPIPE_OBJECT","features":[543]},{"name":"COR_PRF_EVENTPIPE_PARAM_DESC","features":[543]},{"name":"COR_PRF_EVENTPIPE_PARAM_TYPE","features":[543]},{"name":"COR_PRF_EVENTPIPE_PROVIDER_CONFIG","features":[543]},{"name":"COR_PRF_EVENTPIPE_SBYTE","features":[543]},{"name":"COR_PRF_EVENTPIPE_SINGLE","features":[543]},{"name":"COR_PRF_EVENTPIPE_STRING","features":[543]},{"name":"COR_PRF_EVENTPIPE_UINT16","features":[543]},{"name":"COR_PRF_EVENTPIPE_UINT32","features":[543]},{"name":"COR_PRF_EVENTPIPE_UINT64","features":[543]},{"name":"COR_PRF_EVENTPIPE_VERBOSE","features":[543]},{"name":"COR_PRF_EVENTPIPE_WARNING","features":[543]},{"name":"COR_PRF_EVENT_DATA","features":[543]},{"name":"COR_PRF_EX_CLAUSE_INFO","features":[543]},{"name":"COR_PRF_FIELD_APP_DOMAIN_STATIC","features":[543]},{"name":"COR_PRF_FIELD_CONTEXT_STATIC","features":[543]},{"name":"COR_PRF_FIELD_NOT_A_STATIC","features":[543]},{"name":"COR_PRF_FIELD_RVA_STATIC","features":[543]},{"name":"COR_PRF_FIELD_THREAD_STATIC","features":[543]},{"name":"COR_PRF_FILTER_DATA","features":[543]},{"name":"COR_PRF_FINALIZER_CRITICAL","features":[543]},{"name":"COR_PRF_FINALIZER_FLAGS","features":[543]},{"name":"COR_PRF_FUNCTION","features":[543]},{"name":"COR_PRF_FUNCTION_ARGUMENT_INFO","features":[543]},{"name":"COR_PRF_FUNCTION_ARGUMENT_RANGE","features":[543]},{"name":"COR_PRF_GC_GENERATION","features":[543]},{"name":"COR_PRF_GC_GENERATION_RANGE","features":[543]},{"name":"COR_PRF_GC_GEN_0","features":[543]},{"name":"COR_PRF_GC_GEN_1","features":[543]},{"name":"COR_PRF_GC_GEN_2","features":[543]},{"name":"COR_PRF_GC_INDUCED","features":[543]},{"name":"COR_PRF_GC_LARGE_OBJECT_HEAP","features":[543]},{"name":"COR_PRF_GC_OTHER","features":[543]},{"name":"COR_PRF_GC_PINNED_OBJECT_HEAP","features":[543]},{"name":"COR_PRF_GC_REASON","features":[543]},{"name":"COR_PRF_GC_ROOT_FINALIZER","features":[543]},{"name":"COR_PRF_GC_ROOT_FLAGS","features":[543]},{"name":"COR_PRF_GC_ROOT_HANDLE","features":[543]},{"name":"COR_PRF_GC_ROOT_INTERIOR","features":[543]},{"name":"COR_PRF_GC_ROOT_KIND","features":[543]},{"name":"COR_PRF_GC_ROOT_OTHER","features":[543]},{"name":"COR_PRF_GC_ROOT_PINNING","features":[543]},{"name":"COR_PRF_GC_ROOT_REFCOUNTED","features":[543]},{"name":"COR_PRF_GC_ROOT_STACK","features":[543]},{"name":"COR_PRF_GC_ROOT_WEAKREF","features":[543]},{"name":"COR_PRF_HANDLE_TYPE","features":[543]},{"name":"COR_PRF_HANDLE_TYPE_PINNED","features":[543]},{"name":"COR_PRF_HANDLE_TYPE_STRONG","features":[543]},{"name":"COR_PRF_HANDLE_TYPE_WEAK","features":[543]},{"name":"COR_PRF_HIGH_ADD_ASSEMBLY_REFERENCES","features":[543]},{"name":"COR_PRF_HIGH_ALLOWABLE_AFTER_ATTACH","features":[543]},{"name":"COR_PRF_HIGH_ALLOWABLE_NOTIFICATION_PROFILER","features":[543]},{"name":"COR_PRF_HIGH_BASIC_GC","features":[543]},{"name":"COR_PRF_HIGH_DISABLE_TIERED_COMPILATION","features":[543]},{"name":"COR_PRF_HIGH_IN_MEMORY_SYMBOLS_UPDATED","features":[543]},{"name":"COR_PRF_HIGH_MONITOR","features":[543]},{"name":"COR_PRF_HIGH_MONITOR_DYNAMIC_FUNCTION_UNLOADS","features":[543]},{"name":"COR_PRF_HIGH_MONITOR_EVENT_PIPE","features":[543]},{"name":"COR_PRF_HIGH_MONITOR_GC_MOVED_OBJECTS","features":[543]},{"name":"COR_PRF_HIGH_MONITOR_IMMUTABLE","features":[543]},{"name":"COR_PRF_HIGH_MONITOR_LARGEOBJECT_ALLOCATED","features":[543]},{"name":"COR_PRF_HIGH_MONITOR_NONE","features":[543]},{"name":"COR_PRF_HIGH_MONITOR_PINNEDOBJECT_ALLOCATED","features":[543]},{"name":"COR_PRF_HIGH_REQUIRE_PROFILE_IMAGE","features":[543]},{"name":"COR_PRF_JIT_CACHE","features":[543]},{"name":"COR_PRF_METHOD","features":[543]},{"name":"COR_PRF_MISC","features":[543]},{"name":"COR_PRF_MODULE_COLLECTIBLE","features":[543]},{"name":"COR_PRF_MODULE_DISK","features":[543]},{"name":"COR_PRF_MODULE_DYNAMIC","features":[543]},{"name":"COR_PRF_MODULE_FLAGS","features":[543]},{"name":"COR_PRF_MODULE_FLAT_LAYOUT","features":[543]},{"name":"COR_PRF_MODULE_NGEN","features":[543]},{"name":"COR_PRF_MODULE_RESOURCE","features":[543]},{"name":"COR_PRF_MODULE_WINDOWS_RUNTIME","features":[543]},{"name":"COR_PRF_MONITOR","features":[543]},{"name":"COR_PRF_MONITOR_ALL","features":[543]},{"name":"COR_PRF_MONITOR_APPDOMAIN_LOADS","features":[543]},{"name":"COR_PRF_MONITOR_ASSEMBLY_LOADS","features":[543]},{"name":"COR_PRF_MONITOR_CACHE_SEARCHES","features":[543]},{"name":"COR_PRF_MONITOR_CCW","features":[543]},{"name":"COR_PRF_MONITOR_CLASS_LOADS","features":[543]},{"name":"COR_PRF_MONITOR_CLR_EXCEPTIONS","features":[543]},{"name":"COR_PRF_MONITOR_CODE_TRANSITIONS","features":[543]},{"name":"COR_PRF_MONITOR_ENTERLEAVE","features":[543]},{"name":"COR_PRF_MONITOR_EXCEPTIONS","features":[543]},{"name":"COR_PRF_MONITOR_FUNCTION_UNLOADS","features":[543]},{"name":"COR_PRF_MONITOR_GC","features":[543]},{"name":"COR_PRF_MONITOR_IMMUTABLE","features":[543]},{"name":"COR_PRF_MONITOR_JIT_COMPILATION","features":[543]},{"name":"COR_PRF_MONITOR_MODULE_LOADS","features":[543]},{"name":"COR_PRF_MONITOR_NONE","features":[543]},{"name":"COR_PRF_MONITOR_OBJECT_ALLOCATED","features":[543]},{"name":"COR_PRF_MONITOR_REMOTING","features":[543]},{"name":"COR_PRF_MONITOR_REMOTING_ASYNC","features":[543]},{"name":"COR_PRF_MONITOR_REMOTING_COOKIE","features":[543]},{"name":"COR_PRF_MONITOR_SUSPENDS","features":[543]},{"name":"COR_PRF_MONITOR_THREADS","features":[543]},{"name":"COR_PRF_NONGC_HEAP_RANGE","features":[543]},{"name":"COR_PRF_REJIT_BLOCK_INLINING","features":[543]},{"name":"COR_PRF_REJIT_FLAGS","features":[543]},{"name":"COR_PRF_REJIT_INLINING_CALLBACKS","features":[543]},{"name":"COR_PRF_REQUIRE_PROFILE_IMAGE","features":[543]},{"name":"COR_PRF_RUNTIME_TYPE","features":[543]},{"name":"COR_PRF_SNAPSHOT_DEFAULT","features":[543]},{"name":"COR_PRF_SNAPSHOT_INFO","features":[543]},{"name":"COR_PRF_SNAPSHOT_REGISTER_CONTEXT","features":[543]},{"name":"COR_PRF_SNAPSHOT_X86_OPTIMIZED","features":[543]},{"name":"COR_PRF_STATIC_TYPE","features":[543]},{"name":"COR_PRF_SUSPEND_FOR_APPDOMAIN_SHUTDOWN","features":[543]},{"name":"COR_PRF_SUSPEND_FOR_CODE_PITCHING","features":[543]},{"name":"COR_PRF_SUSPEND_FOR_GC","features":[543]},{"name":"COR_PRF_SUSPEND_FOR_GC_PREP","features":[543]},{"name":"COR_PRF_SUSPEND_FOR_INPROC_DEBUGGER","features":[543]},{"name":"COR_PRF_SUSPEND_FOR_PROFILER","features":[543]},{"name":"COR_PRF_SUSPEND_FOR_REJIT","features":[543]},{"name":"COR_PRF_SUSPEND_FOR_SHUTDOWN","features":[543]},{"name":"COR_PRF_SUSPEND_OTHER","features":[543]},{"name":"COR_PRF_SUSPEND_REASON","features":[543]},{"name":"COR_PRF_TRANSITION_CALL","features":[543]},{"name":"COR_PRF_TRANSITION_REASON","features":[543]},{"name":"COR_PRF_TRANSITION_RETURN","features":[543]},{"name":"COR_PRF_USE_PROFILE_IMAGES","features":[543]},{"name":"CorDebugIlToNativeMappingTypes","features":[543]},{"name":"EPILOG","features":[543]},{"name":"EventPipeProviderCallback","features":[543]},{"name":"FunctionEnter","features":[543]},{"name":"FunctionEnter2","features":[543]},{"name":"FunctionEnter3","features":[543]},{"name":"FunctionEnter3WithInfo","features":[543]},{"name":"FunctionIDMapper","features":[308,543]},{"name":"FunctionIDMapper2","features":[308,543]},{"name":"FunctionIDOrClientID","features":[543]},{"name":"FunctionLeave","features":[543]},{"name":"FunctionLeave2","features":[543]},{"name":"FunctionLeave3","features":[543]},{"name":"FunctionLeave3WithInfo","features":[543]},{"name":"FunctionTailcall","features":[543]},{"name":"FunctionTailcall2","features":[543]},{"name":"FunctionTailcall3","features":[543]},{"name":"FunctionTailcall3WithInfo","features":[543]},{"name":"ICorProfilerAssemblyReferenceProvider","features":[543]},{"name":"ICorProfilerCallback","features":[543]},{"name":"ICorProfilerCallback10","features":[543]},{"name":"ICorProfilerCallback11","features":[543]},{"name":"ICorProfilerCallback2","features":[543]},{"name":"ICorProfilerCallback3","features":[543]},{"name":"ICorProfilerCallback4","features":[543]},{"name":"ICorProfilerCallback5","features":[543]},{"name":"ICorProfilerCallback6","features":[543]},{"name":"ICorProfilerCallback7","features":[543]},{"name":"ICorProfilerCallback8","features":[543]},{"name":"ICorProfilerCallback9","features":[543]},{"name":"ICorProfilerFunctionControl","features":[543]},{"name":"ICorProfilerFunctionEnum","features":[543]},{"name":"ICorProfilerInfo","features":[543]},{"name":"ICorProfilerInfo10","features":[543]},{"name":"ICorProfilerInfo11","features":[543]},{"name":"ICorProfilerInfo12","features":[543]},{"name":"ICorProfilerInfo13","features":[543]},{"name":"ICorProfilerInfo14","features":[543]},{"name":"ICorProfilerInfo2","features":[543]},{"name":"ICorProfilerInfo3","features":[543]},{"name":"ICorProfilerInfo4","features":[543]},{"name":"ICorProfilerInfo5","features":[543]},{"name":"ICorProfilerInfo6","features":[543]},{"name":"ICorProfilerInfo7","features":[543]},{"name":"ICorProfilerInfo8","features":[543]},{"name":"ICorProfilerInfo9","features":[543]},{"name":"ICorProfilerMethodEnum","features":[543]},{"name":"ICorProfilerModuleEnum","features":[543]},{"name":"ICorProfilerObjectEnum","features":[543]},{"name":"ICorProfilerThreadEnum","features":[543]},{"name":"IMethodMalloc","features":[543]},{"name":"NO_MAPPING","features":[543]},{"name":"ObjectReferenceCallback","features":[308,543]},{"name":"PROFILER_GLOBAL_CLASS","features":[543]},{"name":"PROFILER_GLOBAL_MODULE","features":[543]},{"name":"PROFILER_PARENT_UNKNOWN","features":[543]},{"name":"PROLOG","features":[543]},{"name":"StackSnapshotCallback","features":[543]}],"552":[{"name":"ABNORMAL_RESET_DETECTED","features":[336]},{"name":"ACPI_BIOS_ERROR","features":[336]},{"name":"ACPI_BIOS_FATAL_ERROR","features":[336]},{"name":"ACPI_DRIVER_INTERNAL","features":[336]},{"name":"ACPI_FIRMWARE_WATCHDOG_TIMEOUT","features":[336]},{"name":"ACTIVE_EX_WORKER_THREAD_TERMINATION","features":[336]},{"name":"ADDRESS","features":[336]},{"name":"ADDRESS64","features":[336]},{"name":"ADDRESS_MODE","features":[336]},{"name":"AER_BRIDGE_DESCRIPTOR_FLAGS","features":[336]},{"name":"AER_ENDPOINT_DESCRIPTOR_FLAGS","features":[336]},{"name":"AER_ROOTPORT_DESCRIPTOR_FLAGS","features":[336]},{"name":"AGP_GART_CORRUPTION","features":[336]},{"name":"AGP_ILLEGALLY_REPROGRAMMED","features":[336]},{"name":"AGP_INTERNAL","features":[336]},{"name":"AGP_INVALID_ACCESS","features":[336]},{"name":"APC_CALLBACK_DATA","features":[336,314]},{"name":"APC_INDEX_MISMATCH","features":[336]},{"name":"API_VERSION","features":[336]},{"name":"API_VERSION_NUMBER","features":[336]},{"name":"APP_TAGGING_INITIALIZATION_FAILED","features":[336]},{"name":"ARM64_NT_CONTEXT","features":[336]},{"name":"ARM64_NT_NEON128","features":[336]},{"name":"ASSIGN_DRIVE_LETTERS_FAILED","features":[336]},{"name":"ATDISK_DRIVER_INTERNAL","features":[336]},{"name":"ATTEMPTED_EXECUTE_OF_NOEXECUTE_MEMORY","features":[336]},{"name":"ATTEMPTED_SWITCH_FROM_DPC","features":[336]},{"name":"ATTEMPTED_WRITE_TO_CM_PROTECTED_STORAGE","features":[336]},{"name":"ATTEMPTED_WRITE_TO_READONLY_MEMORY","features":[336]},{"name":"AUDIT_FAILURE","features":[336]},{"name":"AZURE_DEVICE_FW_DUMP","features":[336]},{"name":"AddVectoredContinueHandler","features":[308,336,314]},{"name":"AddVectoredExceptionHandler","features":[308,336,314]},{"name":"AddrMode1616","features":[336]},{"name":"AddrMode1632","features":[336]},{"name":"AddrModeFlat","features":[336]},{"name":"AddrModeReal","features":[336]},{"name":"BAD_EXHANDLE","features":[336]},{"name":"BAD_OBJECT_HEADER","features":[336]},{"name":"BAD_POOL_CALLER","features":[336]},{"name":"BAD_POOL_HEADER","features":[336]},{"name":"BAD_SYSTEM_CONFIG_INFO","features":[336]},{"name":"BC_BLUETOOTH_VERIFIER_FAULT","features":[336]},{"name":"BC_BTHMINI_VERIFIER_FAULT","features":[336]},{"name":"BGI_DETECTED_VIOLATION","features":[336]},{"name":"BIND_ALL_IMAGES","features":[336]},{"name":"BIND_CACHE_IMPORT_DLLS","features":[336]},{"name":"BIND_NO_BOUND_IMPORTS","features":[336]},{"name":"BIND_NO_UPDATE","features":[336]},{"name":"BIND_REPORT_64BIT_VA","features":[336]},{"name":"BITLOCKER_FATAL_ERROR","features":[336]},{"name":"BLUETOOTH_ERROR_RECOVERY_LIVEDUMP","features":[336]},{"name":"BOOTING_IN_SAFEMODE_DSREPAIR","features":[336]},{"name":"BOOTING_IN_SAFEMODE_MINIMAL","features":[336]},{"name":"BOOTING_IN_SAFEMODE_NETWORK","features":[336]},{"name":"BOOTLOG_ENABLED","features":[336]},{"name":"BOOTLOG_LOADED","features":[336]},{"name":"BOOTLOG_NOT_LOADED","features":[336]},{"name":"BOOTPROC_INITIALIZATION_FAILED","features":[336]},{"name":"BOUND_IMAGE_UNSUPPORTED","features":[336]},{"name":"BREAKAWAY_CABLE_TRANSITION","features":[336]},{"name":"BUGCHECK_CONTEXT_MODIFIER","features":[336]},{"name":"BUGCHECK_ERROR","features":[336]},{"name":"BUGCODE_ID_DRIVER","features":[336]},{"name":"BUGCODE_MBBADAPTER_DRIVER","features":[336]},{"name":"BUGCODE_NDIS_DRIVER","features":[336]},{"name":"BUGCODE_NDIS_DRIVER_LIVE_DUMP","features":[336]},{"name":"BUGCODE_NETADAPTER_DRIVER","features":[336]},{"name":"BUGCODE_USB3_DRIVER","features":[336]},{"name":"BUGCODE_USB_DRIVER","features":[336]},{"name":"BUGCODE_WIFIADAPTER_DRIVER","features":[336]},{"name":"Beep","features":[308,336]},{"name":"BindExpandFileHeaders","features":[336]},{"name":"BindForwarder","features":[336]},{"name":"BindForwarder32","features":[336]},{"name":"BindForwarder64","features":[336]},{"name":"BindForwarderNOT","features":[336]},{"name":"BindForwarderNOT32","features":[336]},{"name":"BindForwarderNOT64","features":[336]},{"name":"BindImage","features":[308,336]},{"name":"BindImageComplete","features":[336]},{"name":"BindImageEx","features":[308,336]},{"name":"BindImageModified","features":[336]},{"name":"BindImportModule","features":[336]},{"name":"BindImportModuleFailed","features":[336]},{"name":"BindImportProcedure","features":[336]},{"name":"BindImportProcedure32","features":[336]},{"name":"BindImportProcedure64","features":[336]},{"name":"BindImportProcedureFailed","features":[336]},{"name":"BindMismatchedSymbols","features":[336]},{"name":"BindNoRoomInImage","features":[336]},{"name":"BindOutOfMemory","features":[336]},{"name":"BindRvaToVaFailed","features":[336]},{"name":"BindSymbolsNotUpdated","features":[336]},{"name":"CACHE_INITIALIZATION_FAILED","features":[336]},{"name":"CACHE_MANAGER","features":[336]},{"name":"CALL_HAS_NOT_RETURNED_WATCHDOG_TIMEOUT_LIVEDUMP","features":[336]},{"name":"CANCEL_STATE_IN_COMPLETED_IRP","features":[336]},{"name":"CANNOT_WRITE_CONFIGURATION","features":[336]},{"name":"CBA_CHECK_ARM_MACHINE_THUMB_TYPE_OVERRIDE","features":[336]},{"name":"CBA_CHECK_ENGOPT_DISALLOW_NETWORK_PATHS","features":[336]},{"name":"CBA_DEBUG_INFO","features":[336]},{"name":"CBA_DEFERRED_SYMBOL_LOAD_CANCEL","features":[336]},{"name":"CBA_DEFERRED_SYMBOL_LOAD_COMPLETE","features":[336]},{"name":"CBA_DEFERRED_SYMBOL_LOAD_FAILURE","features":[336]},{"name":"CBA_DEFERRED_SYMBOL_LOAD_PARTIAL","features":[336]},{"name":"CBA_DEFERRED_SYMBOL_LOAD_START","features":[336]},{"name":"CBA_DUPLICATE_SYMBOL","features":[336]},{"name":"CBA_ENGINE_PRESENT","features":[336]},{"name":"CBA_EVENT","features":[336]},{"name":"CBA_MAP_JIT_SYMBOL","features":[336]},{"name":"CBA_READ_MEMORY","features":[336]},{"name":"CBA_SET_OPTIONS","features":[336]},{"name":"CBA_SRCSRV_EVENT","features":[336]},{"name":"CBA_SRCSRV_INFO","features":[336]},{"name":"CBA_SYMBOLS_UNLOADED","features":[336]},{"name":"CBA_UPDATE_STATUS_BAR","features":[336]},{"name":"CBA_XML_LOG","features":[336]},{"name":"CDFS_FILE_SYSTEM","features":[336]},{"name":"CERT_PE_IMAGE_DIGEST_ALL_IMPORT_INFO","features":[336]},{"name":"CERT_PE_IMAGE_DIGEST_DEBUG_INFO","features":[336]},{"name":"CERT_PE_IMAGE_DIGEST_NON_PE_INFO","features":[336]},{"name":"CERT_PE_IMAGE_DIGEST_RESOURCES","features":[336]},{"name":"CERT_SECTION_TYPE_ANY","features":[336]},{"name":"CHECKSUM_MAPVIEW_FAILURE","features":[336]},{"name":"CHECKSUM_MAP_FAILURE","features":[336]},{"name":"CHECKSUM_OPEN_FAILURE","features":[336]},{"name":"CHECKSUM_SUCCESS","features":[336]},{"name":"CHECKSUM_UNICODE_FAILURE","features":[336]},{"name":"CHIPSET_DETECTED_ERROR","features":[336]},{"name":"CID_HANDLE_CREATION","features":[336]},{"name":"CID_HANDLE_DELETION","features":[336]},{"name":"CLOCK_WATCHDOG_TIMEOUT","features":[336]},{"name":"CLUSTER_CLUSPORT_STATUS_IO_TIMEOUT_LIVEDUMP","features":[336]},{"name":"CLUSTER_CSVFS_LIVEDUMP","features":[336]},{"name":"CLUSTER_CSV_CLUSSVC_DISCONNECT_WATCHDOG","features":[336]},{"name":"CLUSTER_CSV_CLUSTER_WATCHDOG_LIVEDUMP","features":[336]},{"name":"CLUSTER_CSV_SNAPSHOT_DEVICE_INFO_TIMEOUT_LIVEDUMP","features":[336]},{"name":"CLUSTER_CSV_STATE_TRANSITION_INTERVAL_TIMEOUT_LIVEDUMP","features":[336]},{"name":"CLUSTER_CSV_STATE_TRANSITION_TIMEOUT_LIVEDUMP","features":[336]},{"name":"CLUSTER_CSV_STATUS_IO_TIMEOUT_LIVEDUMP","features":[336]},{"name":"CLUSTER_CSV_VOLUME_ARRIVAL_LIVEDUMP","features":[336]},{"name":"CLUSTER_CSV_VOLUME_REMOVAL_LIVEDUMP","features":[336]},{"name":"CLUSTER_RESOURCE_CALL_TIMEOUT_LIVEDUMP","features":[336]},{"name":"CLUSTER_SVHDX_LIVEDUMP","features":[336]},{"name":"CNSS_FILE_SYSTEM_FILTER","features":[336]},{"name":"CONFIG_INITIALIZATION_FAILED","features":[336]},{"name":"CONFIG_LIST_FAILED","features":[336]},{"name":"CONNECTED_STANDBY_WATCHDOG_TIMEOUT_LIVEDUMP","features":[336]},{"name":"CONTEXT","features":[336,314]},{"name":"CONTEXT","features":[336,314]},{"name":"CONTEXT","features":[336,314]},{"name":"CONTEXT_ALL_AMD64","features":[336]},{"name":"CONTEXT_ALL_ARM","features":[336]},{"name":"CONTEXT_ALL_ARM64","features":[336]},{"name":"CONTEXT_ALL_X86","features":[336]},{"name":"CONTEXT_AMD64","features":[336]},{"name":"CONTEXT_ARM","features":[336]},{"name":"CONTEXT_ARM64","features":[336]},{"name":"CONTEXT_CONTROL_AMD64","features":[336]},{"name":"CONTEXT_CONTROL_ARM","features":[336]},{"name":"CONTEXT_CONTROL_ARM64","features":[336]},{"name":"CONTEXT_CONTROL_X86","features":[336]},{"name":"CONTEXT_DEBUG_REGISTERS_AMD64","features":[336]},{"name":"CONTEXT_DEBUG_REGISTERS_ARM","features":[336]},{"name":"CONTEXT_DEBUG_REGISTERS_ARM64","features":[336]},{"name":"CONTEXT_DEBUG_REGISTERS_X86","features":[336]},{"name":"CONTEXT_EXCEPTION_ACTIVE_AMD64","features":[336]},{"name":"CONTEXT_EXCEPTION_ACTIVE_ARM","features":[336]},{"name":"CONTEXT_EXCEPTION_ACTIVE_ARM64","features":[336]},{"name":"CONTEXT_EXCEPTION_ACTIVE_X86","features":[336]},{"name":"CONTEXT_EXCEPTION_REPORTING_AMD64","features":[336]},{"name":"CONTEXT_EXCEPTION_REPORTING_ARM","features":[336]},{"name":"CONTEXT_EXCEPTION_REPORTING_ARM64","features":[336]},{"name":"CONTEXT_EXCEPTION_REPORTING_X86","features":[336]},{"name":"CONTEXT_EXCEPTION_REQUEST_AMD64","features":[336]},{"name":"CONTEXT_EXCEPTION_REQUEST_ARM","features":[336]},{"name":"CONTEXT_EXCEPTION_REQUEST_ARM64","features":[336]},{"name":"CONTEXT_EXCEPTION_REQUEST_X86","features":[336]},{"name":"CONTEXT_EXTENDED_REGISTERS_X86","features":[336]},{"name":"CONTEXT_FLAGS","features":[336]},{"name":"CONTEXT_FLOATING_POINT_AMD64","features":[336]},{"name":"CONTEXT_FLOATING_POINT_ARM","features":[336]},{"name":"CONTEXT_FLOATING_POINT_ARM64","features":[336]},{"name":"CONTEXT_FLOATING_POINT_X86","features":[336]},{"name":"CONTEXT_FULL_AMD64","features":[336]},{"name":"CONTEXT_FULL_ARM","features":[336]},{"name":"CONTEXT_FULL_ARM64","features":[336]},{"name":"CONTEXT_FULL_X86","features":[336]},{"name":"CONTEXT_INTEGER_AMD64","features":[336]},{"name":"CONTEXT_INTEGER_ARM","features":[336]},{"name":"CONTEXT_INTEGER_ARM64","features":[336]},{"name":"CONTEXT_INTEGER_X86","features":[336]},{"name":"CONTEXT_KERNEL_CET_AMD64","features":[336]},{"name":"CONTEXT_KERNEL_DEBUGGER_AMD64","features":[336]},{"name":"CONTEXT_RET_TO_GUEST_ARM64","features":[336]},{"name":"CONTEXT_SEGMENTS_AMD64","features":[336]},{"name":"CONTEXT_SEGMENTS_X86","features":[336]},{"name":"CONTEXT_SERVICE_ACTIVE_AMD64","features":[336]},{"name":"CONTEXT_SERVICE_ACTIVE_ARM","features":[336]},{"name":"CONTEXT_SERVICE_ACTIVE_ARM64","features":[336]},{"name":"CONTEXT_SERVICE_ACTIVE_X86","features":[336]},{"name":"CONTEXT_UNWOUND_TO_CALL_AMD64","features":[336]},{"name":"CONTEXT_UNWOUND_TO_CALL_ARM","features":[336]},{"name":"CONTEXT_UNWOUND_TO_CALL_ARM64","features":[336]},{"name":"CONTEXT_X18_ARM64","features":[336]},{"name":"CONTEXT_X86","features":[336]},{"name":"CONTEXT_XSTATE_AMD64","features":[336]},{"name":"CONTEXT_XSTATE_X86","features":[336]},{"name":"COREMSGCALL_INTERNAL_ERROR","features":[336]},{"name":"COREMSG_INTERNAL_ERROR","features":[336]},{"name":"CORRUPT_ACCESS_TOKEN","features":[336]},{"name":"CPU_INFORMATION","features":[336]},{"name":"CRASHDUMP_WATCHDOG_TIMEOUT","features":[336]},{"name":"CREATE_DELETE_LOCK_NOT_LOCKED","features":[336]},{"name":"CREATE_PROCESS_DEBUG_EVENT","features":[336]},{"name":"CREATE_PROCESS_DEBUG_INFO","features":[308,336,343]},{"name":"CREATE_THREAD_DEBUG_EVENT","features":[336]},{"name":"CREATE_THREAD_DEBUG_INFO","features":[308,336,343]},{"name":"CRITICAL_INITIALIZATION_FAILURE","features":[336]},{"name":"CRITICAL_OBJECT_TERMINATION","features":[336]},{"name":"CRITICAL_PROCESS_DIED","features":[336]},{"name":"CRITICAL_SERVICE_FAILED","features":[336]},{"name":"CRITICAL_STRUCTURE_CORRUPTION","features":[336]},{"name":"CRYPTO_LIBRARY_INTERNAL_ERROR","features":[336]},{"name":"CRYPTO_SELF_TEST_FAILURE","features":[336]},{"name":"CancelCallback","features":[336]},{"name":"CheckRemoteDebuggerPresent","features":[308,336]},{"name":"CheckSumMappedFile","features":[336,338]},{"name":"CheckSumMappedFile","features":[336,338]},{"name":"CloseThreadWaitChainSession","features":[336]},{"name":"CommentStreamA","features":[336]},{"name":"CommentStreamW","features":[336]},{"name":"ContinueDebugEvent","features":[308,336]},{"name":"CopyContext","features":[308,336,314]},{"name":"DAM_WATCHDOG_TIMEOUT","features":[336]},{"name":"DATA_BUS_ERROR","features":[336]},{"name":"DATA_COHERENCY_EXCEPTION","features":[336]},{"name":"DBGHELP_DATA_REPORT_STRUCT","features":[336]},{"name":"DBGPROP_ATTRIB_ACCESS_FINAL","features":[336]},{"name":"DBGPROP_ATTRIB_ACCESS_PRIVATE","features":[336]},{"name":"DBGPROP_ATTRIB_ACCESS_PROTECTED","features":[336]},{"name":"DBGPROP_ATTRIB_ACCESS_PUBLIC","features":[336]},{"name":"DBGPROP_ATTRIB_FLAGS","features":[336]},{"name":"DBGPROP_ATTRIB_FRAME_INCATCHBLOCK","features":[336]},{"name":"DBGPROP_ATTRIB_FRAME_INFINALLYBLOCK","features":[336]},{"name":"DBGPROP_ATTRIB_FRAME_INTRYBLOCK","features":[336]},{"name":"DBGPROP_ATTRIB_HAS_EXTENDED_ATTRIBS","features":[336]},{"name":"DBGPROP_ATTRIB_NO_ATTRIB","features":[336]},{"name":"DBGPROP_ATTRIB_STORAGE_FIELD","features":[336]},{"name":"DBGPROP_ATTRIB_STORAGE_GLOBAL","features":[336]},{"name":"DBGPROP_ATTRIB_STORAGE_STATIC","features":[336]},{"name":"DBGPROP_ATTRIB_STORAGE_VIRTUAL","features":[336]},{"name":"DBGPROP_ATTRIB_TYPE_IS_CONSTANT","features":[336]},{"name":"DBGPROP_ATTRIB_TYPE_IS_SYNCHRONIZED","features":[336]},{"name":"DBGPROP_ATTRIB_TYPE_IS_VOLATILE","features":[336]},{"name":"DBGPROP_ATTRIB_VALUE_IS_EVENT","features":[336]},{"name":"DBGPROP_ATTRIB_VALUE_IS_EXPANDABLE","features":[336]},{"name":"DBGPROP_ATTRIB_VALUE_IS_FAKE","features":[336]},{"name":"DBGPROP_ATTRIB_VALUE_IS_INVALID","features":[336]},{"name":"DBGPROP_ATTRIB_VALUE_IS_METHOD","features":[336]},{"name":"DBGPROP_ATTRIB_VALUE_IS_RAW_STRING","features":[336]},{"name":"DBGPROP_ATTRIB_VALUE_IS_RETURN_VALUE","features":[336]},{"name":"DBGPROP_ATTRIB_VALUE_PENDING_MUTATION","features":[336]},{"name":"DBGPROP_ATTRIB_VALUE_READONLY","features":[336]},{"name":"DBGPROP_INFO","features":[336]},{"name":"DBGPROP_INFO_ATTRIBUTES","features":[336]},{"name":"DBGPROP_INFO_AUTOEXPAND","features":[336]},{"name":"DBGPROP_INFO_BEAUTIFY","features":[336]},{"name":"DBGPROP_INFO_CALLTOSTRING","features":[336]},{"name":"DBGPROP_INFO_DEBUGPROP","features":[336]},{"name":"DBGPROP_INFO_FULLNAME","features":[336]},{"name":"DBGPROP_INFO_NAME","features":[336]},{"name":"DBGPROP_INFO_TYPE","features":[336]},{"name":"DBGPROP_INFO_VALUE","features":[336]},{"name":"DBHHEADER_CVMISC","features":[336]},{"name":"DBHHEADER_DEBUGDIRS","features":[336]},{"name":"DBHHEADER_PDBGUID","features":[336]},{"name":"DEBUG_EVENT","features":[308,336,343]},{"name":"DEBUG_EVENT_CODE","features":[336]},{"name":"DEREF_UNKNOWN_LOGON_SESSION","features":[336]},{"name":"DEVICE_DIAGNOSTIC_LOG_LIVEDUMP","features":[336]},{"name":"DEVICE_QUEUE_NOT_BUSY","features":[336]},{"name":"DEVICE_REFERENCE_COUNT_NOT_ZERO","features":[336]},{"name":"DFSC_FILE_SYSTEM","features":[336]},{"name":"DFS_FILE_SYSTEM","features":[336]},{"name":"DIGEST_FUNCTION","features":[308,336]},{"name":"DIRECTED_FX_TRANSITION_LIVEDUMP","features":[336]},{"name":"DIRTY_MAPPED_PAGES_CONGESTION","features":[336]},{"name":"DIRTY_NOWRITE_PAGES_CONGESTION","features":[336]},{"name":"DISORDERLY_SHUTDOWN","features":[336]},{"name":"DISPATCHER_CONTEXT","features":[308,336,314]},{"name":"DISPATCHER_CONTEXT","features":[308,336,314]},{"name":"DMA_COMMON_BUFFER_VECTOR_ERROR","features":[336]},{"name":"DMP_CONTEXT_RECORD_SIZE_32","features":[336]},{"name":"DMP_CONTEXT_RECORD_SIZE_64","features":[336]},{"name":"DMP_HEADER_COMMENT_SIZE","features":[336]},{"name":"DMP_PHYSICAL_MEMORY_BLOCK_SIZE_32","features":[336]},{"name":"DMP_PHYSICAL_MEMORY_BLOCK_SIZE_64","features":[336]},{"name":"DMP_RESERVED_0_SIZE_32","features":[336]},{"name":"DMP_RESERVED_0_SIZE_64","features":[336]},{"name":"DMP_RESERVED_2_SIZE_32","features":[336]},{"name":"DMP_RESERVED_3_SIZE_32","features":[336]},{"name":"DPC_WATCHDOG_TIMEOUT","features":[336]},{"name":"DPC_WATCHDOG_VIOLATION","features":[336]},{"name":"DRIPS_SW_HW_DIVERGENCE_LIVEDUMP","features":[336]},{"name":"DRIVER_CAUGHT_MODIFYING_FREED_POOL","features":[336]},{"name":"DRIVER_CORRUPTED_EXPOOL","features":[336]},{"name":"DRIVER_CORRUPTED_MMPOOL","features":[336]},{"name":"DRIVER_CORRUPTED_SYSPTES","features":[336]},{"name":"DRIVER_INVALID_CRUNTIME_PARAMETER","features":[336]},{"name":"DRIVER_INVALID_STACK_ACCESS","features":[336]},{"name":"DRIVER_IRQL_NOT_LESS_OR_EQUAL","features":[336]},{"name":"DRIVER_LEFT_LOCKED_PAGES_IN_PROCESS","features":[336]},{"name":"DRIVER_OVERRAN_STACK_BUFFER","features":[336]},{"name":"DRIVER_PAGE_FAULT_BEYOND_END_OF_ALLOCATION","features":[336]},{"name":"DRIVER_PAGE_FAULT_BEYOND_END_OF_ALLOCATION_M","features":[336]},{"name":"DRIVER_PAGE_FAULT_IN_FREED_SPECIAL_POOL","features":[336]},{"name":"DRIVER_PNP_WATCHDOG","features":[336]},{"name":"DRIVER_PORTION_MUST_BE_NONPAGED","features":[336]},{"name":"DRIVER_POWER_STATE_FAILURE","features":[336]},{"name":"DRIVER_RETURNED_HOLDING_CANCEL_LOCK","features":[336]},{"name":"DRIVER_RETURNED_STATUS_REPARSE_FOR_VOLUME_OPEN","features":[336]},{"name":"DRIVER_UNLOADED_WITHOUT_CANCELLING_PENDING_OPERATIONS","features":[336]},{"name":"DRIVER_UNMAPPING_INVALID_VIEW","features":[336]},{"name":"DRIVER_USED_EXCESSIVE_PTES","features":[336]},{"name":"DRIVER_VERIFIER_DETECTED_VIOLATION","features":[336]},{"name":"DRIVER_VERIFIER_DETECTED_VIOLATION_LIVEDUMP","features":[336]},{"name":"DRIVER_VERIFIER_DMA_VIOLATION","features":[336]},{"name":"DRIVER_VERIFIER_IOMANAGER_VIOLATION","features":[336]},{"name":"DRIVER_VERIFIER_TRACKING_LIVE_DUMP","features":[336]},{"name":"DRIVER_VIOLATION","features":[336]},{"name":"DRIVE_EXTENDER","features":[336]},{"name":"DSLFLAG_MISMATCHED_DBG","features":[336]},{"name":"DSLFLAG_MISMATCHED_PDB","features":[336]},{"name":"DUMP_FILE_ATTRIBUTES","features":[336]},{"name":"DUMP_HEADER32","features":[308,336]},{"name":"DUMP_HEADER64","features":[308,336]},{"name":"DUMP_SUMMARY_VALID_CURRENT_USER_VA","features":[336]},{"name":"DUMP_SUMMARY_VALID_KERNEL_VA","features":[336]},{"name":"DUMP_TYPE","features":[336]},{"name":"DUMP_TYPE_AUTOMATIC","features":[336]},{"name":"DUMP_TYPE_BITMAP_FULL","features":[336]},{"name":"DUMP_TYPE_BITMAP_KERNEL","features":[336]},{"name":"DUMP_TYPE_FULL","features":[336]},{"name":"DUMP_TYPE_HEADER","features":[336]},{"name":"DUMP_TYPE_INVALID","features":[336]},{"name":"DUMP_TYPE_SUMMARY","features":[336]},{"name":"DUMP_TYPE_TRIAGE","features":[336]},{"name":"DUMP_TYPE_UNKNOWN","features":[336]},{"name":"DYNAMIC_ADD_PROCESSOR_MISMATCH","features":[336]},{"name":"DbgHelpCreateUserDump","features":[308,336]},{"name":"DbgHelpCreateUserDumpW","features":[308,336]},{"name":"DebugActiveProcess","features":[308,336]},{"name":"DebugActiveProcessStop","features":[308,336]},{"name":"DebugBreak","features":[336]},{"name":"DebugBreakProcess","features":[308,336]},{"name":"DebugPropertyInfo","features":[336]},{"name":"DebugSetProcessKillOnExit","features":[308,336]},{"name":"DecodePointer","features":[336]},{"name":"DecodeRemotePointer","features":[308,336]},{"name":"DecodeSystemPointer","features":[336]},{"name":"EFS_FATAL_ERROR","features":[336]},{"name":"ELAM_DRIVER_DETECTED_FATAL_ERROR","features":[336]},{"name":"EMPTY_THREAD_REAPER_LIST","features":[336]},{"name":"EM_INITIALIZATION_ERROR","features":[336]},{"name":"END_OF_NT_EVALUATION_PERIOD","features":[336]},{"name":"ERESOURCE_INVALID_RELEASE","features":[336]},{"name":"ERRATA_WORKAROUND_UNSUCCESSFUL","features":[336]},{"name":"ERROR_IMAGE_NOT_STRIPPED","features":[336]},{"name":"ERROR_NO_DBG_POINTER","features":[336]},{"name":"ERROR_NO_PDB_POINTER","features":[336]},{"name":"ESLFLAG_FULLPATH","features":[336]},{"name":"ESLFLAG_INLINE_SITE","features":[336]},{"name":"ESLFLAG_NEAREST","features":[336]},{"name":"ESLFLAG_NEXT","features":[336]},{"name":"ESLFLAG_PREV","features":[336]},{"name":"EVENT_SRCSPEW","features":[336]},{"name":"EVENT_SRCSPEW_END","features":[336]},{"name":"EVENT_SRCSPEW_START","features":[336]},{"name":"EVENT_TRACING_FATAL_ERROR","features":[336]},{"name":"EXCEPTION_CONTINUE_EXECUTION","features":[336]},{"name":"EXCEPTION_CONTINUE_SEARCH","features":[336]},{"name":"EXCEPTION_DEBUG_EVENT","features":[336]},{"name":"EXCEPTION_DEBUG_INFO","features":[308,336]},{"name":"EXCEPTION_EXECUTE_HANDLER","features":[336]},{"name":"EXCEPTION_ON_INVALID_STACK","features":[336]},{"name":"EXCEPTION_POINTERS","features":[308,336,314]},{"name":"EXCEPTION_RECORD","features":[308,336]},{"name":"EXCEPTION_RECORD32","features":[308,336]},{"name":"EXCEPTION_RECORD64","features":[308,336]},{"name":"EXCEPTION_SCOPE_INVALID","features":[336]},{"name":"EXFAT_FILE_SYSTEM","features":[336]},{"name":"EXIT_PROCESS_DEBUG_EVENT","features":[336]},{"name":"EXIT_PROCESS_DEBUG_INFO","features":[336]},{"name":"EXIT_THREAD_DEBUG_EVENT","features":[336]},{"name":"EXIT_THREAD_DEBUG_INFO","features":[336]},{"name":"EXRESOURCE_TIMEOUT_LIVEDUMP","features":[336]},{"name":"EXT_OUTPUT_VER","features":[336]},{"name":"EX_PROP_INFO_DEBUGEXTPROP","features":[336]},{"name":"EX_PROP_INFO_FLAGS","features":[336]},{"name":"EX_PROP_INFO_ID","features":[336]},{"name":"EX_PROP_INFO_LOCKBYTES","features":[336]},{"name":"EX_PROP_INFO_NTYPE","features":[336]},{"name":"EX_PROP_INFO_NVALUE","features":[336]},{"name":"EncodePointer","features":[336]},{"name":"EncodeRemotePointer","features":[308,336]},{"name":"EncodeSystemPointer","features":[336]},{"name":"EnumDirTree","features":[308,336]},{"name":"EnumDirTreeW","features":[308,336]},{"name":"EnumerateLoadedModules","features":[308,336]},{"name":"EnumerateLoadedModules64","features":[308,336]},{"name":"EnumerateLoadedModulesEx","features":[308,336]},{"name":"EnumerateLoadedModulesExW","features":[308,336]},{"name":"EnumerateLoadedModulesW64","features":[308,336]},{"name":"ExceptionStream","features":[336]},{"name":"ExtendedDebugPropertyInfo","features":[432,336]},{"name":"FACILITY_AAF","features":[336]},{"name":"FACILITY_ACCELERATOR","features":[336]},{"name":"FACILITY_ACS","features":[336]},{"name":"FACILITY_ACTION_QUEUE","features":[336]},{"name":"FACILITY_AUDCLNT","features":[336]},{"name":"FACILITY_AUDIO","features":[336]},{"name":"FACILITY_AUDIOSTREAMING","features":[336]},{"name":"FACILITY_BACKGROUNDCOPY","features":[336]},{"name":"FACILITY_BCD","features":[336]},{"name":"FACILITY_BLB","features":[336]},{"name":"FACILITY_BLBUI","features":[336]},{"name":"FACILITY_BLB_CLI","features":[336]},{"name":"FACILITY_BLUETOOTH_ATT","features":[336]},{"name":"FACILITY_CERT","features":[336]},{"name":"FACILITY_CMI","features":[336]},{"name":"FACILITY_CODE","features":[336]},{"name":"FACILITY_COMPLUS","features":[336]},{"name":"FACILITY_CONFIGURATION","features":[336]},{"name":"FACILITY_CONTROL","features":[336]},{"name":"FACILITY_DAF","features":[336]},{"name":"FACILITY_DEBUGGERS","features":[336]},{"name":"FACILITY_DEFRAG","features":[336]},{"name":"FACILITY_DELIVERY_OPTIMIZATION","features":[336]},{"name":"FACILITY_DEPLOYMENT_SERVICES_BINLSVC","features":[336]},{"name":"FACILITY_DEPLOYMENT_SERVICES_CONTENT_PROVIDER","features":[336]},{"name":"FACILITY_DEPLOYMENT_SERVICES_DRIVER_PROVISIONING","features":[336]},{"name":"FACILITY_DEPLOYMENT_SERVICES_IMAGING","features":[336]},{"name":"FACILITY_DEPLOYMENT_SERVICES_MANAGEMENT","features":[336]},{"name":"FACILITY_DEPLOYMENT_SERVICES_MULTICAST_CLIENT","features":[336]},{"name":"FACILITY_DEPLOYMENT_SERVICES_MULTICAST_SERVER","features":[336]},{"name":"FACILITY_DEPLOYMENT_SERVICES_PXE","features":[336]},{"name":"FACILITY_DEPLOYMENT_SERVICES_SERVER","features":[336]},{"name":"FACILITY_DEPLOYMENT_SERVICES_TFTP","features":[336]},{"name":"FACILITY_DEPLOYMENT_SERVICES_TRANSPORT_MANAGEMENT","features":[336]},{"name":"FACILITY_DEPLOYMENT_SERVICES_UTIL","features":[336]},{"name":"FACILITY_DEVICE_UPDATE_AGENT","features":[336]},{"name":"FACILITY_DIRECT2D","features":[336]},{"name":"FACILITY_DIRECT3D10","features":[336]},{"name":"FACILITY_DIRECT3D11","features":[336]},{"name":"FACILITY_DIRECT3D11_DEBUG","features":[336]},{"name":"FACILITY_DIRECT3D12","features":[336]},{"name":"FACILITY_DIRECT3D12_DEBUG","features":[336]},{"name":"FACILITY_DIRECTMUSIC","features":[336]},{"name":"FACILITY_DIRECTORYSERVICE","features":[336]},{"name":"FACILITY_DISPATCH","features":[336]},{"name":"FACILITY_DLS","features":[336]},{"name":"FACILITY_DMSERVER","features":[336]},{"name":"FACILITY_DPLAY","features":[336]},{"name":"FACILITY_DRVSERVICING","features":[336]},{"name":"FACILITY_DXCORE","features":[336]},{"name":"FACILITY_DXGI","features":[336]},{"name":"FACILITY_DXGI_DDI","features":[336]},{"name":"FACILITY_EAP","features":[336]},{"name":"FACILITY_EAS","features":[336]},{"name":"FACILITY_FVE","features":[336]},{"name":"FACILITY_FWP","features":[336]},{"name":"FACILITY_GAME","features":[336]},{"name":"FACILITY_GRAPHICS","features":[336]},{"name":"FACILITY_HSP_SERVICES","features":[336]},{"name":"FACILITY_HSP_SOFTWARE","features":[336]},{"name":"FACILITY_HTTP","features":[336]},{"name":"FACILITY_INPUT","features":[336]},{"name":"FACILITY_INTERNET","features":[336]},{"name":"FACILITY_IORING","features":[336]},{"name":"FACILITY_ITF","features":[336]},{"name":"FACILITY_JSCRIPT","features":[336]},{"name":"FACILITY_LEAP","features":[336]},{"name":"FACILITY_LINGUISTIC_SERVICES","features":[336]},{"name":"FACILITY_MBN","features":[336]},{"name":"FACILITY_MEDIASERVER","features":[336]},{"name":"FACILITY_METADIRECTORY","features":[336]},{"name":"FACILITY_MOBILE","features":[336]},{"name":"FACILITY_MSMQ","features":[336]},{"name":"FACILITY_NAP","features":[336]},{"name":"FACILITY_NDIS","features":[336]},{"name":"FACILITY_NT_BIT","features":[336]},{"name":"FACILITY_NULL","features":[336]},{"name":"FACILITY_OCP_UPDATE_AGENT","features":[336]},{"name":"FACILITY_ONLINE_ID","features":[336]},{"name":"FACILITY_OPC","features":[336]},{"name":"FACILITY_P2P","features":[336]},{"name":"FACILITY_P2P_INT","features":[336]},{"name":"FACILITY_PARSE","features":[336]},{"name":"FACILITY_PIDGENX","features":[336]},{"name":"FACILITY_PIX","features":[336]},{"name":"FACILITY_PLA","features":[336]},{"name":"FACILITY_POWERSHELL","features":[336]},{"name":"FACILITY_PRESENTATION","features":[336]},{"name":"FACILITY_QUIC","features":[336]},{"name":"FACILITY_RAS","features":[336]},{"name":"FACILITY_RESTORE","features":[336]},{"name":"FACILITY_RPC","features":[336]},{"name":"FACILITY_SCARD","features":[336]},{"name":"FACILITY_SCRIPT","features":[336]},{"name":"FACILITY_SDIAG","features":[336]},{"name":"FACILITY_SECURITY","features":[336]},{"name":"FACILITY_SERVICE_FABRIC","features":[336]},{"name":"FACILITY_SETUPAPI","features":[336]},{"name":"FACILITY_SHELL","features":[336]},{"name":"FACILITY_SOS","features":[336]},{"name":"FACILITY_SPP","features":[336]},{"name":"FACILITY_SQLITE","features":[336]},{"name":"FACILITY_SSPI","features":[336]},{"name":"FACILITY_STATEREPOSITORY","features":[336]},{"name":"FACILITY_STATE_MANAGEMENT","features":[336]},{"name":"FACILITY_STORAGE","features":[336]},{"name":"FACILITY_SXS","features":[336]},{"name":"FACILITY_SYNCENGINE","features":[336]},{"name":"FACILITY_TIERING","features":[336]},{"name":"FACILITY_TPM_SERVICES","features":[336]},{"name":"FACILITY_TPM_SOFTWARE","features":[336]},{"name":"FACILITY_TTD","features":[336]},{"name":"FACILITY_UI","features":[336]},{"name":"FACILITY_UMI","features":[336]},{"name":"FACILITY_URT","features":[336]},{"name":"FACILITY_USERMODE_COMMONLOG","features":[336]},{"name":"FACILITY_USERMODE_FILTER_MANAGER","features":[336]},{"name":"FACILITY_USERMODE_HNS","features":[336]},{"name":"FACILITY_USERMODE_HYPERVISOR","features":[336]},{"name":"FACILITY_USERMODE_LICENSING","features":[336]},{"name":"FACILITY_USERMODE_SDBUS","features":[336]},{"name":"FACILITY_USERMODE_SPACES","features":[336]},{"name":"FACILITY_USERMODE_VHD","features":[336]},{"name":"FACILITY_USERMODE_VIRTUALIZATION","features":[336]},{"name":"FACILITY_USERMODE_VOLMGR","features":[336]},{"name":"FACILITY_USERMODE_VOLSNAP","features":[336]},{"name":"FACILITY_USER_MODE_SECURITY_CORE","features":[336]},{"name":"FACILITY_USN","features":[336]},{"name":"FACILITY_UTC","features":[336]},{"name":"FACILITY_VISUALCPP","features":[336]},{"name":"FACILITY_WEB","features":[336]},{"name":"FACILITY_WEBSERVICES","features":[336]},{"name":"FACILITY_WEB_SOCKET","features":[336]},{"name":"FACILITY_WEP","features":[336]},{"name":"FACILITY_WER","features":[336]},{"name":"FACILITY_WIA","features":[336]},{"name":"FACILITY_WIN32","features":[336]},{"name":"FACILITY_WINCODEC_DWRITE_DWM","features":[336]},{"name":"FACILITY_WINDOWS","features":[336]},{"name":"FACILITY_WINDOWSUPDATE","features":[336]},{"name":"FACILITY_WINDOWS_CE","features":[336]},{"name":"FACILITY_WINDOWS_DEFENDER","features":[336]},{"name":"FACILITY_WINDOWS_SETUP","features":[336]},{"name":"FACILITY_WINDOWS_STORE","features":[336]},{"name":"FACILITY_WINML","features":[336]},{"name":"FACILITY_WINPE","features":[336]},{"name":"FACILITY_WINRM","features":[336]},{"name":"FACILITY_WMAAECMA","features":[336]},{"name":"FACILITY_WPN","features":[336]},{"name":"FACILITY_WSBAPP","features":[336]},{"name":"FACILITY_WSB_ONLINE","features":[336]},{"name":"FACILITY_XAML","features":[336]},{"name":"FACILITY_XBOX","features":[336]},{"name":"FACILITY_XPS","features":[336]},{"name":"FAST_ERESOURCE_PRECONDITION_VIOLATION","features":[336]},{"name":"FATAL_ABNORMAL_RESET_ERROR","features":[336]},{"name":"FATAL_UNHANDLED_HARD_ERROR","features":[336]},{"name":"FAT_FILE_SYSTEM","features":[336]},{"name":"FAULTY_HARDWARE_CORRUPTED_PAGE","features":[336]},{"name":"FILE_INITIALIZATION_FAILED","features":[336]},{"name":"FILE_SYSTEM","features":[336]},{"name":"FLAG_ENGINE_PRESENT","features":[336]},{"name":"FLAG_ENGOPT_DISALLOW_NETWORK_PATHS","features":[336]},{"name":"FLAG_OVERRIDE_ARM_MACHINE_TYPE","features":[336]},{"name":"FLOPPY_INTERNAL_ERROR","features":[336]},{"name":"FLTMGR_FILE_SYSTEM","features":[336]},{"name":"FORMAT_MESSAGE_ALLOCATE_BUFFER","features":[336]},{"name":"FORMAT_MESSAGE_ARGUMENT_ARRAY","features":[336]},{"name":"FORMAT_MESSAGE_FROM_HMODULE","features":[336]},{"name":"FORMAT_MESSAGE_FROM_STRING","features":[336]},{"name":"FORMAT_MESSAGE_FROM_SYSTEM","features":[336]},{"name":"FORMAT_MESSAGE_IGNORE_INSERTS","features":[336]},{"name":"FORMAT_MESSAGE_OPTIONS","features":[336]},{"name":"FPO_DATA","features":[336]},{"name":"FP_EMULATION_ERROR","features":[336]},{"name":"FSRTL_EXTRA_CREATE_PARAMETER_VIOLATION","features":[336]},{"name":"FatalAppExitA","features":[336]},{"name":"FatalAppExitW","features":[336]},{"name":"FatalExit","features":[336]},{"name":"FindDebugInfoFile","features":[308,336]},{"name":"FindDebugInfoFileEx","features":[308,336]},{"name":"FindDebugInfoFileExW","features":[308,336]},{"name":"FindExecutableImage","features":[308,336]},{"name":"FindExecutableImageEx","features":[308,336]},{"name":"FindExecutableImageExW","features":[308,336]},{"name":"FindFileInPath","features":[308,336]},{"name":"FindFileInSearchPath","features":[308,336]},{"name":"FlushInstructionCache","features":[308,336]},{"name":"FormatMessageA","features":[336]},{"name":"FormatMessageW","features":[336]},{"name":"FunctionTableStream","features":[336]},{"name":"GPIO_CONTROLLER_DRIVER_ERROR","features":[336]},{"name":"GetEnabledXStateFeatures","features":[336]},{"name":"GetErrorMode","features":[336]},{"name":"GetImageConfigInformation","features":[308,336,314,338]},{"name":"GetImageConfigInformation","features":[308,336,314,338]},{"name":"GetImageUnusedHeaderBytes","features":[308,336,314,338]},{"name":"GetSymLoadError","features":[336]},{"name":"GetThreadContext","features":[308,336,314]},{"name":"GetThreadErrorMode","features":[336]},{"name":"GetThreadSelectorEntry","features":[308,336]},{"name":"GetThreadWaitChain","features":[308,336]},{"name":"GetTimestampForLoadedLibrary","features":[308,336]},{"name":"GetXStateFeaturesMask","features":[308,336,314]},{"name":"HAL1_INITIALIZATION_FAILED","features":[336]},{"name":"HAL_BLOCKED_PROCESSOR_INTERNAL_ERROR","features":[336]},{"name":"HAL_ILLEGAL_IOMMU_PAGE_FAULT","features":[336]},{"name":"HAL_INITIALIZATION_FAILED","features":[336]},{"name":"HAL_IOMMU_INTERNAL_ERROR","features":[336]},{"name":"HAL_MEMORY_ALLOCATION","features":[336]},{"name":"HANDLE_ERROR_ON_CRITICAL_THREAD","features":[336]},{"name":"HANDLE_LIVE_DUMP","features":[336]},{"name":"HARDWARE_INTERRUPT_STORM","features":[336]},{"name":"HARDWARE_PROFILE_DOCKED_STRING","features":[336]},{"name":"HARDWARE_PROFILE_UNDOCKED_STRING","features":[336]},{"name":"HARDWARE_PROFILE_UNKNOWN_STRING","features":[336]},{"name":"HARDWARE_WATCHDOG_TIMEOUT","features":[336]},{"name":"HTTP_DRIVER_CORRUPTED","features":[336]},{"name":"HYPERGUARD_INITIALIZATION_FAILURE","features":[336]},{"name":"HYPERGUARD_VIOLATION","features":[336]},{"name":"HYPERVISOR_ERROR","features":[336]},{"name":"HandleDataStream","features":[336]},{"name":"HandleOperationListStream","features":[336]},{"name":"IDebugExtendedProperty","features":[336]},{"name":"IDebugProperty","features":[336]},{"name":"IDebugPropertyEnumType_All","features":[336]},{"name":"IDebugPropertyEnumType_Arguments","features":[336]},{"name":"IDebugPropertyEnumType_Locals","features":[336]},{"name":"IDebugPropertyEnumType_LocalsPlusArgs","features":[336]},{"name":"IDebugPropertyEnumType_Registers","features":[336]},{"name":"IEnumDebugExtendedPropertyInfo","features":[336]},{"name":"IEnumDebugPropertyInfo","features":[336]},{"name":"ILLEGAL_ATS_INITIALIZATION","features":[336]},{"name":"ILLEGAL_IOMMU_PAGE_FAULT","features":[336]},{"name":"IMAGEHLP_CBA_EVENT","features":[336]},{"name":"IMAGEHLP_CBA_EVENTW","features":[336]},{"name":"IMAGEHLP_CBA_EVENT_SEVERITY","features":[336]},{"name":"IMAGEHLP_CBA_READ_MEMORY","features":[336]},{"name":"IMAGEHLP_DEFERRED_SYMBOL_LOAD","features":[308,336]},{"name":"IMAGEHLP_DEFERRED_SYMBOL_LOAD64","features":[308,336]},{"name":"IMAGEHLP_DEFERRED_SYMBOL_LOADW64","features":[308,336]},{"name":"IMAGEHLP_DUPLICATE_SYMBOL","features":[336]},{"name":"IMAGEHLP_DUPLICATE_SYMBOL64","features":[336]},{"name":"IMAGEHLP_EXTENDED_OPTIONS","features":[336]},{"name":"IMAGEHLP_GET_TYPE_INFO_CHILDREN","features":[336]},{"name":"IMAGEHLP_GET_TYPE_INFO_FLAGS","features":[336]},{"name":"IMAGEHLP_GET_TYPE_INFO_PARAMS","features":[336]},{"name":"IMAGEHLP_GET_TYPE_INFO_UNCACHED","features":[336]},{"name":"IMAGEHLP_HD_TYPE","features":[336]},{"name":"IMAGEHLP_JIT_SYMBOLMAP","features":[336]},{"name":"IMAGEHLP_LINE","features":[336]},{"name":"IMAGEHLP_LINE64","features":[336]},{"name":"IMAGEHLP_LINEW","features":[336]},{"name":"IMAGEHLP_LINEW64","features":[336]},{"name":"IMAGEHLP_MODULE","features":[336]},{"name":"IMAGEHLP_MODULE64","features":[308,336]},{"name":"IMAGEHLP_MODULE64_EX","features":[308,336]},{"name":"IMAGEHLP_MODULEW","features":[336]},{"name":"IMAGEHLP_MODULEW64","features":[308,336]},{"name":"IMAGEHLP_MODULEW64_EX","features":[308,336]},{"name":"IMAGEHLP_MODULE_REGION_ADDITIONAL","features":[336]},{"name":"IMAGEHLP_MODULE_REGION_ALL","features":[336]},{"name":"IMAGEHLP_MODULE_REGION_DLLBASE","features":[336]},{"name":"IMAGEHLP_MODULE_REGION_DLLRANGE","features":[336]},{"name":"IMAGEHLP_MODULE_REGION_JIT","features":[336]},{"name":"IMAGEHLP_RMAP_BIG_ENDIAN","features":[336]},{"name":"IMAGEHLP_RMAP_FIXUP_ARM64X","features":[336]},{"name":"IMAGEHLP_RMAP_FIXUP_IMAGEBASE","features":[336]},{"name":"IMAGEHLP_RMAP_IGNORE_MISCOMPARE","features":[336]},{"name":"IMAGEHLP_RMAP_LOAD_RW_DATA_SECTIONS","features":[336]},{"name":"IMAGEHLP_RMAP_MAPPED_FLAT","features":[336]},{"name":"IMAGEHLP_RMAP_OMIT_SHARED_RW_DATA_SECTIONS","features":[336]},{"name":"IMAGEHLP_SF_TYPE","features":[336]},{"name":"IMAGEHLP_STACK_FRAME","features":[308,336]},{"name":"IMAGEHLP_STATUS_REASON","features":[336]},{"name":"IMAGEHLP_SYMBOL","features":[336]},{"name":"IMAGEHLP_SYMBOL64","features":[336]},{"name":"IMAGEHLP_SYMBOL64_PACKAGE","features":[336]},{"name":"IMAGEHLP_SYMBOLW","features":[336]},{"name":"IMAGEHLP_SYMBOLW64","features":[336]},{"name":"IMAGEHLP_SYMBOLW64_PACKAGE","features":[336]},{"name":"IMAGEHLP_SYMBOLW_PACKAGE","features":[336]},{"name":"IMAGEHLP_SYMBOL_FUNCTION","features":[336]},{"name":"IMAGEHLP_SYMBOL_INFO_CONSTANT","features":[336]},{"name":"IMAGEHLP_SYMBOL_INFO_FRAMERELATIVE","features":[336]},{"name":"IMAGEHLP_SYMBOL_INFO_LOCAL","features":[336]},{"name":"IMAGEHLP_SYMBOL_INFO_PARAMETER","features":[336]},{"name":"IMAGEHLP_SYMBOL_INFO_REGISTER","features":[336]},{"name":"IMAGEHLP_SYMBOL_INFO_REGRELATIVE","features":[336]},{"name":"IMAGEHLP_SYMBOL_INFO_TLSRELATIVE","features":[336]},{"name":"IMAGEHLP_SYMBOL_INFO_VALUEPRESENT","features":[336]},{"name":"IMAGEHLP_SYMBOL_PACKAGE","features":[336]},{"name":"IMAGEHLP_SYMBOL_SRC","features":[336]},{"name":"IMAGEHLP_SYMBOL_THUNK","features":[336]},{"name":"IMAGEHLP_SYMBOL_TYPE_INFO","features":[336]},{"name":"IMAGEHLP_SYMBOL_TYPE_INFO_MAX","features":[336]},{"name":"IMAGEHLP_SYMBOL_VIRTUAL","features":[336]},{"name":"IMAGE_ARM64_RUNTIME_FUNCTION_ENTRY","features":[336]},{"name":"IMAGE_COFF_SYMBOLS_HEADER","features":[336]},{"name":"IMAGE_COR20_HEADER","features":[336]},{"name":"IMAGE_DATA_DIRECTORY","features":[336]},{"name":"IMAGE_DEBUG_DIRECTORY","features":[336]},{"name":"IMAGE_DEBUG_INFORMATION","features":[308,336,314]},{"name":"IMAGE_DEBUG_TYPE","features":[336]},{"name":"IMAGE_DEBUG_TYPE_BORLAND","features":[336]},{"name":"IMAGE_DEBUG_TYPE_CODEVIEW","features":[336]},{"name":"IMAGE_DEBUG_TYPE_COFF","features":[336]},{"name":"IMAGE_DEBUG_TYPE_EXCEPTION","features":[336]},{"name":"IMAGE_DEBUG_TYPE_FIXUP","features":[336]},{"name":"IMAGE_DEBUG_TYPE_FPO","features":[336]},{"name":"IMAGE_DEBUG_TYPE_MISC","features":[336]},{"name":"IMAGE_DEBUG_TYPE_UNKNOWN","features":[336]},{"name":"IMAGE_DIRECTORY_ENTRY","features":[336]},{"name":"IMAGE_DIRECTORY_ENTRY_ARCHITECTURE","features":[336]},{"name":"IMAGE_DIRECTORY_ENTRY_BASERELOC","features":[336]},{"name":"IMAGE_DIRECTORY_ENTRY_BOUND_IMPORT","features":[336]},{"name":"IMAGE_DIRECTORY_ENTRY_COM_DESCRIPTOR","features":[336]},{"name":"IMAGE_DIRECTORY_ENTRY_DEBUG","features":[336]},{"name":"IMAGE_DIRECTORY_ENTRY_DELAY_IMPORT","features":[336]},{"name":"IMAGE_DIRECTORY_ENTRY_EXCEPTION","features":[336]},{"name":"IMAGE_DIRECTORY_ENTRY_EXPORT","features":[336]},{"name":"IMAGE_DIRECTORY_ENTRY_GLOBALPTR","features":[336]},{"name":"IMAGE_DIRECTORY_ENTRY_IAT","features":[336]},{"name":"IMAGE_DIRECTORY_ENTRY_IMPORT","features":[336]},{"name":"IMAGE_DIRECTORY_ENTRY_LOAD_CONFIG","features":[336]},{"name":"IMAGE_DIRECTORY_ENTRY_RESOURCE","features":[336]},{"name":"IMAGE_DIRECTORY_ENTRY_SECURITY","features":[336]},{"name":"IMAGE_DIRECTORY_ENTRY_TLS","features":[336]},{"name":"IMAGE_DLLCHARACTERISTICS_APPCONTAINER","features":[336]},{"name":"IMAGE_DLLCHARACTERISTICS_DYNAMIC_BASE","features":[336]},{"name":"IMAGE_DLLCHARACTERISTICS_EX_CET_COMPAT","features":[336]},{"name":"IMAGE_DLLCHARACTERISTICS_EX_CET_COMPAT_STRICT_MODE","features":[336]},{"name":"IMAGE_DLLCHARACTERISTICS_EX_CET_DYNAMIC_APIS_ALLOW_IN_PROC","features":[336]},{"name":"IMAGE_DLLCHARACTERISTICS_EX_CET_RESERVED_1","features":[336]},{"name":"IMAGE_DLLCHARACTERISTICS_EX_CET_RESERVED_2","features":[336]},{"name":"IMAGE_DLLCHARACTERISTICS_EX_CET_SET_CONTEXT_IP_VALIDATION_RELAXED_MODE","features":[336]},{"name":"IMAGE_DLLCHARACTERISTICS_FORCE_INTEGRITY","features":[336]},{"name":"IMAGE_DLLCHARACTERISTICS_GUARD_CF","features":[336]},{"name":"IMAGE_DLLCHARACTERISTICS_HIGH_ENTROPY_VA","features":[336]},{"name":"IMAGE_DLLCHARACTERISTICS_NO_BIND","features":[336]},{"name":"IMAGE_DLLCHARACTERISTICS_NO_ISOLATION","features":[336]},{"name":"IMAGE_DLLCHARACTERISTICS_NO_SEH","features":[336]},{"name":"IMAGE_DLLCHARACTERISTICS_NX_COMPAT","features":[336]},{"name":"IMAGE_DLLCHARACTERISTICS_TERMINAL_SERVER_AWARE","features":[336]},{"name":"IMAGE_DLLCHARACTERISTICS_WDM_DRIVER","features":[336]},{"name":"IMAGE_DLL_CHARACTERISTICS","features":[336]},{"name":"IMAGE_FILE_32BIT_MACHINE","features":[336]},{"name":"IMAGE_FILE_32BIT_MACHINE2","features":[336]},{"name":"IMAGE_FILE_AGGRESIVE_WS_TRIM","features":[336]},{"name":"IMAGE_FILE_AGGRESIVE_WS_TRIM2","features":[336]},{"name":"IMAGE_FILE_BYTES_REVERSED_HI","features":[336]},{"name":"IMAGE_FILE_BYTES_REVERSED_HI_2","features":[336]},{"name":"IMAGE_FILE_BYTES_REVERSED_LO","features":[336]},{"name":"IMAGE_FILE_BYTES_REVERSED_LO2","features":[336]},{"name":"IMAGE_FILE_CHARACTERISTICS","features":[336]},{"name":"IMAGE_FILE_CHARACTERISTICS2","features":[336]},{"name":"IMAGE_FILE_DEBUG_STRIPPED","features":[336]},{"name":"IMAGE_FILE_DEBUG_STRIPPED2","features":[336]},{"name":"IMAGE_FILE_DLL","features":[336]},{"name":"IMAGE_FILE_DLL_2","features":[336]},{"name":"IMAGE_FILE_EXECUTABLE_IMAGE","features":[336]},{"name":"IMAGE_FILE_EXECUTABLE_IMAGE2","features":[336]},{"name":"IMAGE_FILE_HEADER","features":[336,338]},{"name":"IMAGE_FILE_LARGE_ADDRESS_AWARE","features":[336]},{"name":"IMAGE_FILE_LARGE_ADDRESS_AWARE2","features":[336]},{"name":"IMAGE_FILE_LINE_NUMS_STRIPPED","features":[336]},{"name":"IMAGE_FILE_LINE_NUMS_STRIPPED2","features":[336]},{"name":"IMAGE_FILE_LOCAL_SYMS_STRIPPED","features":[336]},{"name":"IMAGE_FILE_LOCAL_SYMS_STRIPPED2","features":[336]},{"name":"IMAGE_FILE_NET_RUN_FROM_SWAP","features":[336]},{"name":"IMAGE_FILE_NET_RUN_FROM_SWAP2","features":[336]},{"name":"IMAGE_FILE_RELOCS_STRIPPED","features":[336]},{"name":"IMAGE_FILE_RELOCS_STRIPPED2","features":[336]},{"name":"IMAGE_FILE_REMOVABLE_RUN_FROM_SWAP","features":[336]},{"name":"IMAGE_FILE_REMOVABLE_RUN_FROM_SWAP2","features":[336]},{"name":"IMAGE_FILE_SYSTEM","features":[336]},{"name":"IMAGE_FILE_SYSTEM_2","features":[336]},{"name":"IMAGE_FILE_UP_SYSTEM_ONLY","features":[336]},{"name":"IMAGE_FILE_UP_SYSTEM_ONLY_2","features":[336]},{"name":"IMAGE_FUNCTION_ENTRY","features":[336]},{"name":"IMAGE_FUNCTION_ENTRY64","features":[336]},{"name":"IMAGE_LOAD_CONFIG_CODE_INTEGRITY","features":[336]},{"name":"IMAGE_LOAD_CONFIG_DIRECTORY32","features":[336]},{"name":"IMAGE_LOAD_CONFIG_DIRECTORY64","features":[336]},{"name":"IMAGE_NT_HEADERS32","features":[336,338]},{"name":"IMAGE_NT_HEADERS64","features":[336,338]},{"name":"IMAGE_NT_OPTIONAL_HDR32_MAGIC","features":[336]},{"name":"IMAGE_NT_OPTIONAL_HDR64_MAGIC","features":[336]},{"name":"IMAGE_NT_OPTIONAL_HDR_MAGIC","features":[336]},{"name":"IMAGE_OPTIONAL_HEADER32","features":[336]},{"name":"IMAGE_OPTIONAL_HEADER64","features":[336]},{"name":"IMAGE_OPTIONAL_HEADER_MAGIC","features":[336]},{"name":"IMAGE_ROM_HEADERS","features":[336,338]},{"name":"IMAGE_ROM_OPTIONAL_HDR_MAGIC","features":[336]},{"name":"IMAGE_ROM_OPTIONAL_HEADER","features":[336]},{"name":"IMAGE_RUNTIME_FUNCTION_ENTRY","features":[336]},{"name":"IMAGE_SCN_ALIGN_1024BYTES","features":[336]},{"name":"IMAGE_SCN_ALIGN_128BYTES","features":[336]},{"name":"IMAGE_SCN_ALIGN_16BYTES","features":[336]},{"name":"IMAGE_SCN_ALIGN_1BYTES","features":[336]},{"name":"IMAGE_SCN_ALIGN_2048BYTES","features":[336]},{"name":"IMAGE_SCN_ALIGN_256BYTES","features":[336]},{"name":"IMAGE_SCN_ALIGN_2BYTES","features":[336]},{"name":"IMAGE_SCN_ALIGN_32BYTES","features":[336]},{"name":"IMAGE_SCN_ALIGN_4096BYTES","features":[336]},{"name":"IMAGE_SCN_ALIGN_4BYTES","features":[336]},{"name":"IMAGE_SCN_ALIGN_512BYTES","features":[336]},{"name":"IMAGE_SCN_ALIGN_64BYTES","features":[336]},{"name":"IMAGE_SCN_ALIGN_8192BYTES","features":[336]},{"name":"IMAGE_SCN_ALIGN_8BYTES","features":[336]},{"name":"IMAGE_SCN_ALIGN_MASK","features":[336]},{"name":"IMAGE_SCN_CNT_CODE","features":[336]},{"name":"IMAGE_SCN_CNT_INITIALIZED_DATA","features":[336]},{"name":"IMAGE_SCN_CNT_UNINITIALIZED_DATA","features":[336]},{"name":"IMAGE_SCN_GPREL","features":[336]},{"name":"IMAGE_SCN_LNK_COMDAT","features":[336]},{"name":"IMAGE_SCN_LNK_INFO","features":[336]},{"name":"IMAGE_SCN_LNK_NRELOC_OVFL","features":[336]},{"name":"IMAGE_SCN_LNK_OTHER","features":[336]},{"name":"IMAGE_SCN_LNK_REMOVE","features":[336]},{"name":"IMAGE_SCN_MEM_16BIT","features":[336]},{"name":"IMAGE_SCN_MEM_DISCARDABLE","features":[336]},{"name":"IMAGE_SCN_MEM_EXECUTE","features":[336]},{"name":"IMAGE_SCN_MEM_FARDATA","features":[336]},{"name":"IMAGE_SCN_MEM_LOCKED","features":[336]},{"name":"IMAGE_SCN_MEM_NOT_CACHED","features":[336]},{"name":"IMAGE_SCN_MEM_NOT_PAGED","features":[336]},{"name":"IMAGE_SCN_MEM_PRELOAD","features":[336]},{"name":"IMAGE_SCN_MEM_PURGEABLE","features":[336]},{"name":"IMAGE_SCN_MEM_READ","features":[336]},{"name":"IMAGE_SCN_MEM_SHARED","features":[336]},{"name":"IMAGE_SCN_MEM_WRITE","features":[336]},{"name":"IMAGE_SCN_NO_DEFER_SPEC_EXC","features":[336]},{"name":"IMAGE_SCN_SCALE_INDEX","features":[336]},{"name":"IMAGE_SCN_TYPE_NO_PAD","features":[336]},{"name":"IMAGE_SECTION_CHARACTERISTICS","features":[336]},{"name":"IMAGE_SECTION_HEADER","features":[336]},{"name":"IMAGE_SUBSYSTEM","features":[336]},{"name":"IMAGE_SUBSYSTEM_EFI_APPLICATION","features":[336]},{"name":"IMAGE_SUBSYSTEM_EFI_BOOT_SERVICE_DRIVER","features":[336]},{"name":"IMAGE_SUBSYSTEM_EFI_ROM","features":[336]},{"name":"IMAGE_SUBSYSTEM_EFI_RUNTIME_DRIVER","features":[336]},{"name":"IMAGE_SUBSYSTEM_NATIVE","features":[336]},{"name":"IMAGE_SUBSYSTEM_NATIVE_WINDOWS","features":[336]},{"name":"IMAGE_SUBSYSTEM_OS2_CUI","features":[336]},{"name":"IMAGE_SUBSYSTEM_POSIX_CUI","features":[336]},{"name":"IMAGE_SUBSYSTEM_UNKNOWN","features":[336]},{"name":"IMAGE_SUBSYSTEM_WINDOWS_BOOT_APPLICATION","features":[336]},{"name":"IMAGE_SUBSYSTEM_WINDOWS_CE_GUI","features":[336]},{"name":"IMAGE_SUBSYSTEM_WINDOWS_CUI","features":[336]},{"name":"IMAGE_SUBSYSTEM_WINDOWS_GUI","features":[336]},{"name":"IMAGE_SUBSYSTEM_XBOX","features":[336]},{"name":"IMAGE_SUBSYSTEM_XBOX_CODE_CATALOG","features":[336]},{"name":"IMPERSONATING_WORKER_THREAD","features":[336]},{"name":"INACCESSIBLE_BOOT_DEVICE","features":[336]},{"name":"INCONSISTENT_IRP","features":[336]},{"name":"INLINE_FRAME_CONTEXT_IGNORE","features":[336]},{"name":"INLINE_FRAME_CONTEXT_INIT","features":[336]},{"name":"INSTALL_MORE_MEMORY","features":[336]},{"name":"INSTRUCTION_BUS_ERROR","features":[336]},{"name":"INSTRUCTION_COHERENCY_EXCEPTION","features":[336]},{"name":"INSUFFICIENT_SYSTEM_MAP_REGS","features":[336]},{"name":"INTERFACESAFE_FOR_UNTRUSTED_CALLER","features":[336]},{"name":"INTERFACESAFE_FOR_UNTRUSTED_DATA","features":[336]},{"name":"INTERFACE_USES_DISPEX","features":[336]},{"name":"INTERFACE_USES_SECURITY_MANAGER","features":[336]},{"name":"INTERNAL_POWER_ERROR","features":[336]},{"name":"INTERRUPT_EXCEPTION_NOT_HANDLED","features":[336]},{"name":"INTERRUPT_UNWIND_ATTEMPTED","features":[336]},{"name":"INVALID_AFFINITY_SET","features":[336]},{"name":"INVALID_ALTERNATE_SYSTEM_CALL_HANDLER_REGISTRATION","features":[336]},{"name":"INVALID_CALLBACK_STACK_ADDRESS","features":[336]},{"name":"INVALID_CANCEL_OF_FILE_OPEN","features":[336]},{"name":"INVALID_DATA_ACCESS_TRAP","features":[336]},{"name":"INVALID_DRIVER_HANDLE","features":[336]},{"name":"INVALID_EXTENDED_PROCESSOR_STATE","features":[336]},{"name":"INVALID_FLOATING_POINT_STATE","features":[336]},{"name":"INVALID_HIBERNATED_STATE","features":[336]},{"name":"INVALID_IO_BOOST_STATE","features":[336]},{"name":"INVALID_KERNEL_HANDLE","features":[336]},{"name":"INVALID_KERNEL_STACK_ADDRESS","features":[336]},{"name":"INVALID_MDL_RANGE","features":[336]},{"name":"INVALID_PROCESS_ATTACH_ATTEMPT","features":[336]},{"name":"INVALID_PROCESS_DETACH_ATTEMPT","features":[336]},{"name":"INVALID_PUSH_LOCK_FLAGS","features":[336]},{"name":"INVALID_REGION_OR_SEGMENT","features":[336]},{"name":"INVALID_RUNDOWN_PROTECTION_FLAGS","features":[336]},{"name":"INVALID_SILO_DETACH","features":[336]},{"name":"INVALID_SLOT_ALLOCATOR_FLAGS","features":[336]},{"name":"INVALID_SOFTWARE_INTERRUPT","features":[336]},{"name":"INVALID_THREAD_AFFINITY_STATE","features":[336]},{"name":"INVALID_WORK_QUEUE_ITEM","features":[336]},{"name":"IO1_INITIALIZATION_FAILED","features":[336]},{"name":"IOCTL_IPMI_INTERNAL_RECORD_SEL_EVENT","features":[336]},{"name":"IORING","features":[336]},{"name":"IO_OBJECT_INVALID","features":[336]},{"name":"IO_THREADPOOL_DEADLOCK_LIVEDUMP","features":[336]},{"name":"IObjectSafety","features":[336]},{"name":"IPI_WATCHDOG_TIMEOUT","features":[336]},{"name":"IPMI_IOCTL_INDEX","features":[336]},{"name":"IPMI_OS_SEL_RECORD","features":[336]},{"name":"IPMI_OS_SEL_RECORD_MASK","features":[336]},{"name":"IPMI_OS_SEL_RECORD_TYPE","features":[336]},{"name":"IPMI_OS_SEL_RECORD_VERSION","features":[336]},{"name":"IPMI_OS_SEL_RECORD_VERSION_1","features":[336]},{"name":"IPerPropertyBrowsing2","features":[336]},{"name":"IRQL_GT_ZERO_AT_SYSTEM_SERVICE","features":[336]},{"name":"IRQL_NOT_DISPATCH_LEVEL","features":[336]},{"name":"IRQL_NOT_GREATER_OR_EQUAL","features":[336]},{"name":"IRQL_NOT_LESS_OR_EQUAL","features":[336]},{"name":"IRQL_UNEXPECTED_VALUE","features":[336]},{"name":"ImageAddCertificate","features":[308,491,336]},{"name":"ImageDirectoryEntryToData","features":[308,336]},{"name":"ImageDirectoryEntryToDataEx","features":[308,336]},{"name":"ImageEnumerateCertificates","features":[308,336]},{"name":"ImageGetCertificateData","features":[308,491,336]},{"name":"ImageGetCertificateHeader","features":[308,491,336]},{"name":"ImageGetDigestStream","features":[308,336]},{"name":"ImageLoad","features":[308,336,314,338]},{"name":"ImageNtHeader","features":[336,338]},{"name":"ImageNtHeader","features":[336,338]},{"name":"ImageRemoveCertificate","features":[308,336]},{"name":"ImageRvaToSection","features":[336,338]},{"name":"ImageRvaToSection","features":[336,338]},{"name":"ImageRvaToVa","features":[336,338]},{"name":"ImageRvaToVa","features":[336,338]},{"name":"ImageUnload","features":[308,336,314,338]},{"name":"ImagehlpApiVersion","features":[336]},{"name":"ImagehlpApiVersionEx","features":[336]},{"name":"IncludeModuleCallback","features":[336]},{"name":"IncludeThreadCallback","features":[336]},{"name":"IncludeVmRegionCallback","features":[336]},{"name":"InitializeContext","features":[308,336,314]},{"name":"InitializeContext2","features":[308,336,314]},{"name":"IoFinishCallback","features":[336]},{"name":"IoStartCallback","features":[336]},{"name":"IoWriteAllCallback","features":[336]},{"name":"IpmiOsSelRecordTypeBugcheckData","features":[336]},{"name":"IpmiOsSelRecordTypeBugcheckRecovery","features":[336]},{"name":"IpmiOsSelRecordTypeDriver","features":[336]},{"name":"IpmiOsSelRecordTypeMax","features":[336]},{"name":"IpmiOsSelRecordTypeOther","features":[336]},{"name":"IpmiOsSelRecordTypeRaw","features":[336]},{"name":"IpmiOsSelRecordTypeWhea","features":[336]},{"name":"IpmiOsSelRecordTypeWheaErrorNmi","features":[336]},{"name":"IpmiOsSelRecordTypeWheaErrorOther","features":[336]},{"name":"IpmiOsSelRecordTypeWheaErrorPci","features":[336]},{"name":"IpmiOsSelRecordTypeWheaErrorXpfMca","features":[336]},{"name":"IptTraceStream","features":[336]},{"name":"IsDebuggerPresent","features":[308,336]},{"name":"IsProcessSnapshotCallback","features":[336]},{"name":"JavaScriptDataStream","features":[336]},{"name":"KASAN_ENLIGHTENMENT_VIOLATION","features":[336]},{"name":"KASAN_ILLEGAL_ACCESS","features":[336]},{"name":"KDHELP","features":[336]},{"name":"KDHELP64","features":[336]},{"name":"KERNEL_APC_PENDING_DURING_EXIT","features":[336]},{"name":"KERNEL_AUTO_BOOST_INVALID_LOCK_RELEASE","features":[336]},{"name":"KERNEL_AUTO_BOOST_LOCK_ACQUISITION_WITH_RAISED_IRQL","features":[336]},{"name":"KERNEL_CFG_INIT_FAILURE","features":[336]},{"name":"KERNEL_DATA_INPAGE_ERROR","features":[336]},{"name":"KERNEL_EXPAND_STACK_ACTIVE","features":[336]},{"name":"KERNEL_LOCK_ENTRY_LEAKED_ON_THREAD_TERMINATION","features":[336]},{"name":"KERNEL_MODE_EXCEPTION_NOT_HANDLED","features":[336]},{"name":"KERNEL_MODE_EXCEPTION_NOT_HANDLED_M","features":[336]},{"name":"KERNEL_MODE_HEAP_CORRUPTION","features":[336]},{"name":"KERNEL_PARTITION_REFERENCE_VIOLATION","features":[336]},{"name":"KERNEL_SECURITY_CHECK_FAILURE","features":[336]},{"name":"KERNEL_STACK_INPAGE_ERROR","features":[336]},{"name":"KERNEL_STACK_LOCKED_AT_EXIT","features":[336]},{"name":"KERNEL_STORAGE_SLOT_IN_USE","features":[336]},{"name":"KERNEL_THREAD_PRIORITY_FLOOR_VIOLATION","features":[336]},{"name":"KERNEL_WMI_INTERNAL","features":[336]},{"name":"KMODE_EXCEPTION_NOT_HANDLED","features":[336]},{"name":"KNONVOLATILE_CONTEXT_POINTERS","features":[336]},{"name":"KNONVOLATILE_CONTEXT_POINTERS","features":[336]},{"name":"KNONVOLATILE_CONTEXT_POINTERS_ARM64","features":[336]},{"name":"KernelMinidumpStatusCallback","features":[336]},{"name":"LAST_CHANCE_CALLED_FROM_KMODE","features":[336]},{"name":"LDT_ENTRY","features":[336]},{"name":"LIVE_SYSTEM_DUMP","features":[336]},{"name":"LM_SERVER_INTERNAL_ERROR","features":[336]},{"name":"LOADED_IMAGE","features":[308,336,314,338]},{"name":"LOADED_IMAGE","features":[308,336,314,338]},{"name":"LOADER_BLOCK_MISMATCH","features":[336]},{"name":"LOADER_ROLLBACK_DETECTED","features":[336]},{"name":"LOAD_DLL_DEBUG_EVENT","features":[336]},{"name":"LOAD_DLL_DEBUG_INFO","features":[308,336]},{"name":"LOCKED_PAGES_TRACKER_CORRUPTION","features":[336]},{"name":"LPCALL_BACK_USER_INTERRUPT_ROUTINE","features":[336]},{"name":"LPC_INITIALIZATION_FAILED","features":[336]},{"name":"LPTOP_LEVEL_EXCEPTION_FILTER","features":[308,336,314]},{"name":"LastReservedStream","features":[336]},{"name":"LocateXStateFeature","features":[336,314]},{"name":"M128A","features":[336]},{"name":"MACHINE_CHECK_EXCEPTION","features":[336]},{"name":"MAILSLOT_FILE_SYSTEM","features":[336]},{"name":"MANUALLY_INITIATED_BLACKSCREEN_HOTKEY_LIVE_DUMP","features":[336]},{"name":"MANUALLY_INITIATED_CRASH","features":[336]},{"name":"MANUALLY_INITIATED_CRASH1","features":[336]},{"name":"MANUALLY_INITIATED_POWER_BUTTON_HOLD","features":[336]},{"name":"MANUALLY_INITIATED_POWER_BUTTON_HOLD_LIVE_DUMP","features":[336]},{"name":"MAXIMUM_WAIT_OBJECTS_EXCEEDED","features":[336]},{"name":"MAX_SYM_NAME","features":[336]},{"name":"MBR_CHECKSUM_MISMATCH","features":[336]},{"name":"MDL_CACHE","features":[336]},{"name":"MEMORY1_INITIALIZATION_FAILED","features":[336]},{"name":"MEMORY_IMAGE_CORRUPT","features":[336]},{"name":"MEMORY_MANAGEMENT","features":[336]},{"name":"MICROCODE_REVISION_MISMATCH","features":[336]},{"name":"MINIDUMP_CALLBACK_INFORMATION","features":[308,327,336,314,326]},{"name":"MINIDUMP_CALLBACK_INFORMATION","features":[308,327,336,314,326]},{"name":"MINIDUMP_CALLBACK_INPUT","features":[308,327,336,314]},{"name":"MINIDUMP_CALLBACK_OUTPUT","features":[308,336,326]},{"name":"MINIDUMP_CALLBACK_ROUTINE","features":[308,327,336,314,326]},{"name":"MINIDUMP_CALLBACK_TYPE","features":[336]},{"name":"MINIDUMP_DIRECTORY","features":[336]},{"name":"MINIDUMP_EXCEPTION","features":[336]},{"name":"MINIDUMP_EXCEPTION_INFORMATION","features":[308,336,314]},{"name":"MINIDUMP_EXCEPTION_INFORMATION","features":[308,336,314]},{"name":"MINIDUMP_EXCEPTION_INFORMATION64","features":[308,336]},{"name":"MINIDUMP_EXCEPTION_STREAM","features":[336]},{"name":"MINIDUMP_FUNCTION_TABLE_DESCRIPTOR","features":[336]},{"name":"MINIDUMP_FUNCTION_TABLE_STREAM","features":[336]},{"name":"MINIDUMP_HANDLE_DATA_STREAM","features":[336]},{"name":"MINIDUMP_HANDLE_DESCRIPTOR","features":[336]},{"name":"MINIDUMP_HANDLE_DESCRIPTOR_2","features":[336]},{"name":"MINIDUMP_HANDLE_OBJECT_INFORMATION","features":[336]},{"name":"MINIDUMP_HANDLE_OBJECT_INFORMATION_TYPE","features":[336]},{"name":"MINIDUMP_HANDLE_OPERATION_LIST","features":[336]},{"name":"MINIDUMP_HEADER","features":[336]},{"name":"MINIDUMP_INCLUDE_MODULE_CALLBACK","features":[336]},{"name":"MINIDUMP_INCLUDE_THREAD_CALLBACK","features":[336]},{"name":"MINIDUMP_IO_CALLBACK","features":[308,336]},{"name":"MINIDUMP_LOCATION_DESCRIPTOR","features":[336]},{"name":"MINIDUMP_LOCATION_DESCRIPTOR64","features":[336]},{"name":"MINIDUMP_MEMORY64_LIST","features":[336]},{"name":"MINIDUMP_MEMORY_DESCRIPTOR","features":[336]},{"name":"MINIDUMP_MEMORY_DESCRIPTOR64","features":[336]},{"name":"MINIDUMP_MEMORY_INFO","features":[336,326]},{"name":"MINIDUMP_MEMORY_INFO_LIST","features":[336]},{"name":"MINIDUMP_MEMORY_LIST","features":[336]},{"name":"MINIDUMP_MISC1_PROCESSOR_POWER_INFO","features":[336]},{"name":"MINIDUMP_MISC1_PROCESS_ID","features":[336]},{"name":"MINIDUMP_MISC1_PROCESS_TIMES","features":[336]},{"name":"MINIDUMP_MISC3_PROCESS_EXECUTE_FLAGS","features":[336]},{"name":"MINIDUMP_MISC3_PROCESS_INTEGRITY","features":[336]},{"name":"MINIDUMP_MISC3_PROTECTED_PROCESS","features":[336]},{"name":"MINIDUMP_MISC3_TIMEZONE","features":[336]},{"name":"MINIDUMP_MISC4_BUILDSTRING","features":[336]},{"name":"MINIDUMP_MISC5_PROCESS_COOKIE","features":[336]},{"name":"MINIDUMP_MISC_INFO","features":[336]},{"name":"MINIDUMP_MISC_INFO_2","features":[336]},{"name":"MINIDUMP_MISC_INFO_3","features":[308,336,545]},{"name":"MINIDUMP_MISC_INFO_4","features":[308,336,545]},{"name":"MINIDUMP_MISC_INFO_5","features":[308,336,545]},{"name":"MINIDUMP_MISC_INFO_FLAGS","features":[336]},{"name":"MINIDUMP_MODULE","features":[327,336]},{"name":"MINIDUMP_MODULE_CALLBACK","features":[327,336]},{"name":"MINIDUMP_MODULE_LIST","features":[327,336]},{"name":"MINIDUMP_PROCESS_VM_COUNTERS","features":[336]},{"name":"MINIDUMP_PROCESS_VM_COUNTERS_1","features":[336]},{"name":"MINIDUMP_PROCESS_VM_COUNTERS_2","features":[336]},{"name":"MINIDUMP_PROCESS_VM_COUNTERS_EX","features":[336]},{"name":"MINIDUMP_PROCESS_VM_COUNTERS_EX2","features":[336]},{"name":"MINIDUMP_PROCESS_VM_COUNTERS_JOB","features":[336]},{"name":"MINIDUMP_PROCESS_VM_COUNTERS_VIRTUALSIZE","features":[336]},{"name":"MINIDUMP_READ_MEMORY_FAILURE_CALLBACK","features":[336]},{"name":"MINIDUMP_SECONDARY_FLAGS","features":[336]},{"name":"MINIDUMP_STREAM_TYPE","features":[336]},{"name":"MINIDUMP_STRING","features":[336]},{"name":"MINIDUMP_SYSMEMINFO1_BASICPERF","features":[336]},{"name":"MINIDUMP_SYSMEMINFO1_FILECACHE_TRANSITIONREPURPOSECOUNT_FLAGS","features":[336]},{"name":"MINIDUMP_SYSMEMINFO1_PERF_CCTOTALDIRTYPAGES_CCDIRTYPAGETHRESHOLD","features":[336]},{"name":"MINIDUMP_SYSMEMINFO1_PERF_RESIDENTAVAILABLEPAGES_SHAREDCOMMITPAGES","features":[336]},{"name":"MINIDUMP_SYSTEM_BASIC_INFORMATION","features":[336]},{"name":"MINIDUMP_SYSTEM_BASIC_PERFORMANCE_INFORMATION","features":[336]},{"name":"MINIDUMP_SYSTEM_FILECACHE_INFORMATION","features":[336]},{"name":"MINIDUMP_SYSTEM_INFO","features":[336,338]},{"name":"MINIDUMP_SYSTEM_MEMORY_INFO_1","features":[336]},{"name":"MINIDUMP_SYSTEM_PERFORMANCE_INFORMATION","features":[336]},{"name":"MINIDUMP_THREAD","features":[336]},{"name":"MINIDUMP_THREAD_CALLBACK","features":[308,336,314]},{"name":"MINIDUMP_THREAD_CALLBACK","features":[308,336,314]},{"name":"MINIDUMP_THREAD_EX","features":[336]},{"name":"MINIDUMP_THREAD_EX_CALLBACK","features":[308,336,314]},{"name":"MINIDUMP_THREAD_EX_CALLBACK","features":[308,336,314]},{"name":"MINIDUMP_THREAD_EX_LIST","features":[336]},{"name":"MINIDUMP_THREAD_INFO","features":[336]},{"name":"MINIDUMP_THREAD_INFO_DUMP_FLAGS","features":[336]},{"name":"MINIDUMP_THREAD_INFO_ERROR_THREAD","features":[336]},{"name":"MINIDUMP_THREAD_INFO_EXITED_THREAD","features":[336]},{"name":"MINIDUMP_THREAD_INFO_INVALID_CONTEXT","features":[336]},{"name":"MINIDUMP_THREAD_INFO_INVALID_INFO","features":[336]},{"name":"MINIDUMP_THREAD_INFO_INVALID_TEB","features":[336]},{"name":"MINIDUMP_THREAD_INFO_LIST","features":[336]},{"name":"MINIDUMP_THREAD_INFO_WRITING_THREAD","features":[336]},{"name":"MINIDUMP_THREAD_LIST","features":[336]},{"name":"MINIDUMP_THREAD_NAME","features":[336]},{"name":"MINIDUMP_THREAD_NAME_LIST","features":[336]},{"name":"MINIDUMP_TOKEN_INFO_HEADER","features":[336]},{"name":"MINIDUMP_TOKEN_INFO_LIST","features":[336]},{"name":"MINIDUMP_TYPE","features":[336]},{"name":"MINIDUMP_UNLOADED_MODULE","features":[336]},{"name":"MINIDUMP_UNLOADED_MODULE_LIST","features":[336]},{"name":"MINIDUMP_USER_RECORD","features":[336]},{"name":"MINIDUMP_USER_STREAM","features":[336]},{"name":"MINIDUMP_USER_STREAM","features":[336]},{"name":"MINIDUMP_USER_STREAM_INFORMATION","features":[336]},{"name":"MINIDUMP_USER_STREAM_INFORMATION","features":[336]},{"name":"MINIDUMP_VERSION","features":[336]},{"name":"MINIDUMP_VM_POST_READ_CALLBACK","features":[336]},{"name":"MINIDUMP_VM_PRE_READ_CALLBACK","features":[336]},{"name":"MINIDUMP_VM_QUERY_CALLBACK","features":[336]},{"name":"MISALIGNED_POINTER_PARAMETER","features":[336]},{"name":"MISMATCHED_HAL","features":[336]},{"name":"MODLOAD_CVMISC","features":[336]},{"name":"MODLOAD_DATA","features":[336]},{"name":"MODLOAD_DATA_TYPE","features":[336]},{"name":"MODLOAD_PDBGUID_PDBAGE","features":[336]},{"name":"MODULE_TYPE_INFO","features":[336]},{"name":"MODULE_WRITE_FLAGS","features":[336]},{"name":"MPSDRV_QUERY_USER","features":[336]},{"name":"MSRPC_STATE_VIOLATION","features":[336]},{"name":"MSSECCORE_ASSERTION_FAILURE","features":[336]},{"name":"MUI_NO_VALID_SYSTEM_LANGUAGE","features":[336]},{"name":"MULTIPLE_IRP_COMPLETE_REQUESTS","features":[336]},{"name":"MULTIPROCESSOR_CONFIGURATION_NOT_SUPPORTED","features":[336]},{"name":"MUP_FILE_SYSTEM","features":[336]},{"name":"MUST_SUCCEED_POOL_EMPTY","features":[336]},{"name":"MUTEX_ALREADY_OWNED","features":[336]},{"name":"MUTEX_LEVEL_NUMBER_VIOLATION","features":[336]},{"name":"MakeSureDirectoryPathExists","features":[308,336]},{"name":"MapAndLoad","features":[308,336,314,338]},{"name":"MapFileAndCheckSumA","features":[336]},{"name":"MapFileAndCheckSumW","features":[336]},{"name":"Memory64ListStream","features":[336]},{"name":"MemoryCallback","features":[336]},{"name":"MemoryInfoListStream","features":[336]},{"name":"MemoryListStream","features":[336]},{"name":"MessageBeep","features":[308,336,370]},{"name":"MiniDumpFilterMemory","features":[336]},{"name":"MiniDumpFilterModulePaths","features":[336]},{"name":"MiniDumpFilterTriage","features":[336]},{"name":"MiniDumpFilterWriteCombinedMemory","features":[336]},{"name":"MiniDumpIgnoreInaccessibleMemory","features":[336]},{"name":"MiniDumpNormal","features":[336]},{"name":"MiniDumpReadDumpStream","features":[308,336]},{"name":"MiniDumpScanInaccessiblePartialPages","features":[336]},{"name":"MiniDumpScanMemory","features":[336]},{"name":"MiniDumpValidTypeFlags","features":[336]},{"name":"MiniDumpWithAvxXStateContext","features":[336]},{"name":"MiniDumpWithCodeSegs","features":[336]},{"name":"MiniDumpWithDataSegs","features":[336]},{"name":"MiniDumpWithFullAuxiliaryState","features":[336]},{"name":"MiniDumpWithFullMemory","features":[336]},{"name":"MiniDumpWithFullMemoryInfo","features":[336]},{"name":"MiniDumpWithHandleData","features":[336]},{"name":"MiniDumpWithIndirectlyReferencedMemory","features":[336]},{"name":"MiniDumpWithIptTrace","features":[336]},{"name":"MiniDumpWithModuleHeaders","features":[336]},{"name":"MiniDumpWithPrivateReadWriteMemory","features":[336]},{"name":"MiniDumpWithPrivateWriteCopyMemory","features":[336]},{"name":"MiniDumpWithProcessThreadData","features":[336]},{"name":"MiniDumpWithThreadInfo","features":[336]},{"name":"MiniDumpWithTokenInformation","features":[336]},{"name":"MiniDumpWithUnloadedModules","features":[336]},{"name":"MiniDumpWithoutAuxiliaryState","features":[336]},{"name":"MiniDumpWithoutOptionalData","features":[336]},{"name":"MiniDumpWriteDump","features":[308,327,336,314,326]},{"name":"MiniEventInformation1","features":[336]},{"name":"MiniHandleObjectInformationNone","features":[336]},{"name":"MiniHandleObjectInformationTypeMax","features":[336]},{"name":"MiniMutantInformation1","features":[336]},{"name":"MiniMutantInformation2","features":[336]},{"name":"MiniProcessInformation1","features":[336]},{"name":"MiniProcessInformation2","features":[336]},{"name":"MiniSecondaryValidFlags","features":[336]},{"name":"MiniSecondaryWithoutPowerInfo","features":[336]},{"name":"MiniSectionInformation1","features":[336]},{"name":"MiniSemaphoreInformation1","features":[336]},{"name":"MiniThreadInformation1","features":[336]},{"name":"MiscInfoStream","features":[336]},{"name":"ModuleCallback","features":[336]},{"name":"ModuleListStream","features":[336]},{"name":"ModuleReferencedByMemory","features":[336]},{"name":"ModuleWriteCodeSegs","features":[336]},{"name":"ModuleWriteCvRecord","features":[336]},{"name":"ModuleWriteDataSeg","features":[336]},{"name":"ModuleWriteMiscRecord","features":[336]},{"name":"ModuleWriteModule","features":[336]},{"name":"ModuleWriteTlsData","features":[336]},{"name":"NDIS_INTERNAL_ERROR","features":[336]},{"name":"NDIS_NET_BUFFER_LIST_INFO_ILLEGALLY_TRANSFERRED","features":[336]},{"name":"NETIO_INVALID_POOL_CALLER","features":[336]},{"name":"NETWORK_BOOT_DUPLICATE_ADDRESS","features":[336]},{"name":"NETWORK_BOOT_INITIALIZATION_FAILED","features":[336]},{"name":"NMI_HARDWARE_FAILURE","features":[336]},{"name":"NMR_INVALID_STATE","features":[336]},{"name":"NO_BOOT_DEVICE","features":[336]},{"name":"NO_EXCEPTION_HANDLING_SUPPORT","features":[336]},{"name":"NO_MORE_IRP_STACK_LOCATIONS","features":[336]},{"name":"NO_MORE_SYSTEM_PTES","features":[336]},{"name":"NO_PAGES_AVAILABLE","features":[336]},{"name":"NO_SPIN_LOCK_AVAILABLE","features":[336]},{"name":"NO_SUCH_PARTITION","features":[336]},{"name":"NO_USER_MODE_CONTEXT","features":[336]},{"name":"NPFS_FILE_SYSTEM","features":[336]},{"name":"NTFS_FILE_SYSTEM","features":[336]},{"name":"NTHV_GUEST_ERROR","features":[336]},{"name":"NUM_SSRVOPTS","features":[336]},{"name":"NumSymTypes","features":[336]},{"name":"OBJECT1_INITIALIZATION_FAILED","features":[336]},{"name":"OBJECT_ATTRIB_ACCESS_FINAL","features":[336]},{"name":"OBJECT_ATTRIB_ACCESS_PRIVATE","features":[336]},{"name":"OBJECT_ATTRIB_ACCESS_PROTECTED","features":[336]},{"name":"OBJECT_ATTRIB_ACCESS_PUBLIC","features":[336]},{"name":"OBJECT_ATTRIB_FLAGS","features":[336]},{"name":"OBJECT_ATTRIB_HAS_EXTENDED_ATTRIBS","features":[336]},{"name":"OBJECT_ATTRIB_IS_CLASS","features":[336]},{"name":"OBJECT_ATTRIB_IS_FUNCTION","features":[336]},{"name":"OBJECT_ATTRIB_IS_INHERITED","features":[336]},{"name":"OBJECT_ATTRIB_IS_INTERFACE","features":[336]},{"name":"OBJECT_ATTRIB_IS_MACRO","features":[336]},{"name":"OBJECT_ATTRIB_IS_PROPERTY","features":[336]},{"name":"OBJECT_ATTRIB_IS_TYPE","features":[336]},{"name":"OBJECT_ATTRIB_IS_VARIABLE","features":[336]},{"name":"OBJECT_ATTRIB_NO_ATTRIB","features":[336]},{"name":"OBJECT_ATTRIB_NO_NAME","features":[336]},{"name":"OBJECT_ATTRIB_NO_TYPE","features":[336]},{"name":"OBJECT_ATTRIB_NO_VALUE","features":[336]},{"name":"OBJECT_ATTRIB_OBJECT_IS_EXPANDABLE","features":[336]},{"name":"OBJECT_ATTRIB_SLOT_IS_CATEGORY","features":[336]},{"name":"OBJECT_ATTRIB_STORAGE_FIELD","features":[336]},{"name":"OBJECT_ATTRIB_STORAGE_GLOBAL","features":[336]},{"name":"OBJECT_ATTRIB_STORAGE_STATIC","features":[336]},{"name":"OBJECT_ATTRIB_STORAGE_VIRTUAL","features":[336]},{"name":"OBJECT_ATTRIB_TYPE_HAS_CODE","features":[336]},{"name":"OBJECT_ATTRIB_TYPE_IS_CONSTANT","features":[336]},{"name":"OBJECT_ATTRIB_TYPE_IS_EXPANDABLE","features":[336]},{"name":"OBJECT_ATTRIB_TYPE_IS_OBJECT","features":[336]},{"name":"OBJECT_ATTRIB_TYPE_IS_SYNCHRONIZED","features":[336]},{"name":"OBJECT_ATTRIB_TYPE_IS_VOLATILE","features":[336]},{"name":"OBJECT_ATTRIB_VALUE_HAS_CODE","features":[336]},{"name":"OBJECT_ATTRIB_VALUE_IS_CUSTOM","features":[336]},{"name":"OBJECT_ATTRIB_VALUE_IS_ENUM","features":[336]},{"name":"OBJECT_ATTRIB_VALUE_IS_INVALID","features":[336]},{"name":"OBJECT_ATTRIB_VALUE_IS_OBJECT","features":[336]},{"name":"OBJECT_ATTRIB_VALUE_READONLY","features":[336]},{"name":"OBJECT_INITIALIZATION_FAILED","features":[336]},{"name":"OFS_FILE_SYSTEM","features":[336]},{"name":"OMAP","features":[336]},{"name":"OPEN_THREAD_WAIT_CHAIN_SESSION_FLAGS","features":[336]},{"name":"OS_DATA_TAMPERING","features":[336]},{"name":"OUTPUT_DEBUG_STRING_EVENT","features":[336]},{"name":"OUTPUT_DEBUG_STRING_INFO","features":[336]},{"name":"OpenThreadWaitChainSession","features":[308,336]},{"name":"OutputDebugStringA","features":[336]},{"name":"OutputDebugStringW","features":[336]},{"name":"PAGE_FAULT_BEYOND_END_OF_ALLOCATION","features":[336]},{"name":"PAGE_FAULT_IN_FREED_SPECIAL_POOL","features":[336]},{"name":"PAGE_FAULT_IN_NONPAGED_AREA","features":[336]},{"name":"PAGE_FAULT_IN_NONPAGED_AREA_M","features":[336]},{"name":"PAGE_FAULT_WITH_INTERRUPTS_OFF","features":[336]},{"name":"PAGE_NOT_ZERO","features":[336]},{"name":"PANIC_STACK_SWITCH","features":[336]},{"name":"PASSIVE_INTERRUPT_ERROR","features":[336]},{"name":"PCI_BUS_DRIVER_INTERNAL","features":[336]},{"name":"PCI_CONFIG_SPACE_ACCESS_FAILURE","features":[336]},{"name":"PCI_VERIFIER_DETECTED_VIOLATION","features":[336]},{"name":"PCOGETACTIVATIONSTATE","features":[336]},{"name":"PCOGETCALLSTATE","features":[336]},{"name":"PDBGHELP_CREATE_USER_DUMP_CALLBACK","features":[308,336]},{"name":"PDC_LOCK_WATCHDOG_LIVEDUMP","features":[336]},{"name":"PDC_PRIVILEGE_CHECK_LIVEDUMP","features":[336]},{"name":"PDC_UNEXPECTED_REVOCATION_LIVEDUMP","features":[336]},{"name":"PDC_WATCHDOG_TIMEOUT","features":[336]},{"name":"PDC_WATCHDOG_TIMEOUT_LIVEDUMP","features":[336]},{"name":"PENUMDIRTREE_CALLBACK","features":[308,336]},{"name":"PENUMDIRTREE_CALLBACKW","features":[308,336]},{"name":"PENUMLOADED_MODULES_CALLBACK","features":[308,336]},{"name":"PENUMLOADED_MODULES_CALLBACK64","features":[308,336]},{"name":"PENUMLOADED_MODULES_CALLBACKW64","features":[308,336]},{"name":"PENUMSOURCEFILETOKENSCALLBACK","features":[308,336]},{"name":"PFINDFILEINPATHCALLBACK","features":[308,336]},{"name":"PFINDFILEINPATHCALLBACKW","features":[308,336]},{"name":"PFIND_DEBUG_FILE_CALLBACK","features":[308,336]},{"name":"PFIND_DEBUG_FILE_CALLBACKW","features":[308,336]},{"name":"PFIND_EXE_FILE_CALLBACK","features":[308,336]},{"name":"PFIND_EXE_FILE_CALLBACKW","features":[308,336]},{"name":"PFN_LIST_CORRUPT","features":[336]},{"name":"PFN_REFERENCE_COUNT","features":[336]},{"name":"PFN_SHARE_COUNT","features":[336]},{"name":"PFUNCTION_TABLE_ACCESS_ROUTINE","features":[308,336]},{"name":"PFUNCTION_TABLE_ACCESS_ROUTINE64","features":[308,336]},{"name":"PF_DETECTED_CORRUPTION","features":[336]},{"name":"PGET_MODULE_BASE_ROUTINE","features":[308,336]},{"name":"PGET_MODULE_BASE_ROUTINE64","features":[308,336]},{"name":"PGET_RUNTIME_FUNCTION_CALLBACK","features":[336]},{"name":"PGET_RUNTIME_FUNCTION_CALLBACK","features":[336]},{"name":"PGET_TARGET_ATTRIBUTE_VALUE64","features":[308,336]},{"name":"PHASE0_EXCEPTION","features":[336]},{"name":"PHASE0_INITIALIZATION_FAILED","features":[336]},{"name":"PHASE1_INITIALIZATION_FAILED","features":[336]},{"name":"PHYSICAL_MEMORY_DESCRIPTOR32","features":[336]},{"name":"PHYSICAL_MEMORY_DESCRIPTOR64","features":[336]},{"name":"PHYSICAL_MEMORY_RUN32","features":[336]},{"name":"PHYSICAL_MEMORY_RUN64","features":[336]},{"name":"PIMAGEHLP_STATUS_ROUTINE","features":[308,336]},{"name":"PIMAGEHLP_STATUS_ROUTINE32","features":[308,336]},{"name":"PIMAGEHLP_STATUS_ROUTINE64","features":[308,336]},{"name":"PINBALL_FILE_SYSTEM","features":[336]},{"name":"PNP_DETECTED_FATAL_ERROR","features":[336]},{"name":"PNP_INTERNAL_ERROR","features":[336]},{"name":"POOL_CORRUPTION_IN_FILE_AREA","features":[336]},{"name":"PORT_DRIVER_INTERNAL","features":[336]},{"name":"POWER_FAILURE_SIMULATE","features":[336]},{"name":"PP0_INITIALIZATION_FAILED","features":[336]},{"name":"PP1_INITIALIZATION_FAILED","features":[336]},{"name":"PREAD_PROCESS_MEMORY_ROUTINE","features":[308,336]},{"name":"PREAD_PROCESS_MEMORY_ROUTINE64","features":[308,336]},{"name":"PREVIOUS_FATAL_ABNORMAL_RESET_ERROR","features":[336]},{"name":"PROCESS1_INITIALIZATION_FAILED","features":[336]},{"name":"PROCESSOR_DRIVER_INTERNAL","features":[336]},{"name":"PROCESSOR_START_TIMEOUT","features":[336]},{"name":"PROCESS_HAS_LOCKED_PAGES","features":[336]},{"name":"PROCESS_INITIALIZATION_FAILED","features":[336]},{"name":"PROFILER_CONFIGURATION_ILLEGAL","features":[336]},{"name":"PROP_INFO_ATTRIBUTES","features":[336]},{"name":"PROP_INFO_AUTOEXPAND","features":[336]},{"name":"PROP_INFO_DEBUGPROP","features":[336]},{"name":"PROP_INFO_FLAGS","features":[336]},{"name":"PROP_INFO_FULLNAME","features":[336]},{"name":"PROP_INFO_NAME","features":[336]},{"name":"PROP_INFO_TYPE","features":[336]},{"name":"PROP_INFO_VALUE","features":[336]},{"name":"PSYMBOLSERVERBYINDEXPROC","features":[308,336]},{"name":"PSYMBOLSERVERBYINDEXPROCA","features":[308,336]},{"name":"PSYMBOLSERVERBYINDEXPROCW","features":[308,336]},{"name":"PSYMBOLSERVERCALLBACKPROC","features":[308,336]},{"name":"PSYMBOLSERVERCLOSEPROC","features":[308,336]},{"name":"PSYMBOLSERVERDELTANAME","features":[308,336]},{"name":"PSYMBOLSERVERDELTANAMEW","features":[308,336]},{"name":"PSYMBOLSERVERGETINDEXSTRING","features":[308,336]},{"name":"PSYMBOLSERVERGETINDEXSTRINGW","features":[308,336]},{"name":"PSYMBOLSERVERGETOPTIONDATAPROC","features":[308,336]},{"name":"PSYMBOLSERVERGETOPTIONSPROC","features":[336]},{"name":"PSYMBOLSERVERGETSUPPLEMENT","features":[308,336]},{"name":"PSYMBOLSERVERGETSUPPLEMENTW","features":[308,336]},{"name":"PSYMBOLSERVERGETVERSION","features":[308,336]},{"name":"PSYMBOLSERVERISSTORE","features":[308,336]},{"name":"PSYMBOLSERVERISSTOREW","features":[308,336]},{"name":"PSYMBOLSERVERMESSAGEPROC","features":[308,336]},{"name":"PSYMBOLSERVEROPENPROC","features":[308,336]},{"name":"PSYMBOLSERVERPINGPROC","features":[308,336]},{"name":"PSYMBOLSERVERPINGPROCA","features":[308,336]},{"name":"PSYMBOLSERVERPINGPROCW","features":[308,336]},{"name":"PSYMBOLSERVERPINGPROCWEX","features":[308,336]},{"name":"PSYMBOLSERVERPROC","features":[308,336]},{"name":"PSYMBOLSERVERPROCA","features":[308,336]},{"name":"PSYMBOLSERVERPROCW","features":[308,336]},{"name":"PSYMBOLSERVERSETHTTPAUTHHEADER","features":[308,336]},{"name":"PSYMBOLSERVERSETOPTIONSPROC","features":[308,336]},{"name":"PSYMBOLSERVERSETOPTIONSWPROC","features":[308,336]},{"name":"PSYMBOLSERVERSTOREFILE","features":[308,336]},{"name":"PSYMBOLSERVERSTOREFILEW","features":[308,336]},{"name":"PSYMBOLSERVERSTORESUPPLEMENT","features":[308,336]},{"name":"PSYMBOLSERVERSTORESUPPLEMENTW","features":[308,336]},{"name":"PSYMBOLSERVERVERSION","features":[336]},{"name":"PSYMBOLSERVERWEXPROC","features":[308,336]},{"name":"PSYMBOL_FUNCENTRY_CALLBACK","features":[308,336]},{"name":"PSYMBOL_FUNCENTRY_CALLBACK64","features":[308,336]},{"name":"PSYMBOL_REGISTERED_CALLBACK","features":[308,336]},{"name":"PSYMBOL_REGISTERED_CALLBACK64","features":[308,336]},{"name":"PSYM_ENUMERATESYMBOLS_CALLBACK","features":[308,336]},{"name":"PSYM_ENUMERATESYMBOLS_CALLBACKW","features":[308,336]},{"name":"PSYM_ENUMLINES_CALLBACK","features":[308,336]},{"name":"PSYM_ENUMLINES_CALLBACKW","features":[308,336]},{"name":"PSYM_ENUMMODULES_CALLBACK","features":[308,336]},{"name":"PSYM_ENUMMODULES_CALLBACK64","features":[308,336]},{"name":"PSYM_ENUMMODULES_CALLBACKW64","features":[308,336]},{"name":"PSYM_ENUMPROCESSES_CALLBACK","features":[308,336]},{"name":"PSYM_ENUMSOURCEFILES_CALLBACK","features":[308,336]},{"name":"PSYM_ENUMSOURCEFILES_CALLBACKW","features":[308,336]},{"name":"PSYM_ENUMSYMBOLS_CALLBACK","features":[308,336]},{"name":"PSYM_ENUMSYMBOLS_CALLBACK64","features":[308,336]},{"name":"PSYM_ENUMSYMBOLS_CALLBACK64W","features":[308,336]},{"name":"PSYM_ENUMSYMBOLS_CALLBACKW","features":[308,336]},{"name":"PTRANSLATE_ADDRESS_ROUTINE","features":[308,336]},{"name":"PTRANSLATE_ADDRESS_ROUTINE64","features":[308,336]},{"name":"PVECTORED_EXCEPTION_HANDLER","features":[308,336,314]},{"name":"PWAITCHAINCALLBACK","features":[308,336]},{"name":"ProcessVmCountersStream","features":[336]},{"name":"QUOTA_UNDERFLOW","features":[336]},{"name":"RAMDISK_BOOT_INITIALIZATION_FAILED","features":[336]},{"name":"RDR_FILE_SYSTEM","features":[336]},{"name":"RECOM_DRIVER","features":[336]},{"name":"RECURSIVE_MACHINE_CHECK","features":[336]},{"name":"RECURSIVE_NMI","features":[336]},{"name":"REFERENCE_BY_POINTER","features":[336]},{"name":"REFMON_INITIALIZATION_FAILED","features":[336]},{"name":"REFS_FILE_SYSTEM","features":[336]},{"name":"REF_UNKNOWN_LOGON_SESSION","features":[336]},{"name":"REGISTRY_CALLBACK_DRIVER_EXCEPTION","features":[336]},{"name":"REGISTRY_ERROR","features":[336]},{"name":"REGISTRY_FILTER_DRIVER_EXCEPTION","features":[336]},{"name":"REGISTRY_LIVE_DUMP","features":[336]},{"name":"RESERVE_QUEUE_OVERFLOW","features":[336]},{"name":"RESOURCE_NOT_OWNED","features":[336]},{"name":"RESOURCE_OWNER_POINTER_INVALID","features":[336]},{"name":"RESTORE_LAST_ERROR_NAME","features":[336]},{"name":"RESTORE_LAST_ERROR_NAME_A","features":[336]},{"name":"RESTORE_LAST_ERROR_NAME_W","features":[336]},{"name":"RIP_EVENT","features":[336]},{"name":"RIP_INFO","features":[336]},{"name":"RIP_INFO_TYPE","features":[336]},{"name":"RTL_VIRTUAL_UNWIND_HANDLER_TYPE","features":[336]},{"name":"RaiseException","features":[336]},{"name":"RaiseFailFastException","features":[308,336,314]},{"name":"RangeMapAddPeImageSections","features":[308,336]},{"name":"RangeMapCreate","features":[336]},{"name":"RangeMapFree","features":[336]},{"name":"RangeMapRead","features":[308,336]},{"name":"RangeMapRemove","features":[308,336]},{"name":"RangeMapWrite","features":[308,336]},{"name":"ReBaseImage","features":[308,336]},{"name":"ReBaseImage64","features":[308,336]},{"name":"ReadMemoryFailureCallback","features":[336]},{"name":"ReadProcessMemory","features":[308,336]},{"name":"RegisterWaitChainCOMCallback","features":[336]},{"name":"RemoveInvalidModuleList","features":[308,336]},{"name":"RemoveMemoryCallback","features":[336]},{"name":"RemoveVectoredContinueHandler","features":[336]},{"name":"RemoveVectoredExceptionHandler","features":[336]},{"name":"ReportSymbolLoadSummary","features":[308,336]},{"name":"ReservedStream0","features":[336]},{"name":"ReservedStream1","features":[336]},{"name":"RtlAddFunctionTable","features":[308,336]},{"name":"RtlAddFunctionTable","features":[308,336]},{"name":"RtlAddGrowableFunctionTable","features":[336]},{"name":"RtlAddGrowableFunctionTable","features":[336]},{"name":"RtlCaptureContext","features":[336,314]},{"name":"RtlCaptureContext2","features":[336,314]},{"name":"RtlCaptureStackBackTrace","features":[336]},{"name":"RtlDeleteFunctionTable","features":[308,336]},{"name":"RtlDeleteFunctionTable","features":[308,336]},{"name":"RtlDeleteGrowableFunctionTable","features":[336]},{"name":"RtlGrowFunctionTable","features":[336]},{"name":"RtlInstallFunctionTableCallback","features":[308,336]},{"name":"RtlInstallFunctionTableCallback","features":[308,336]},{"name":"RtlLookupFunctionEntry","features":[336]},{"name":"RtlLookupFunctionEntry","features":[336]},{"name":"RtlPcToFileHeader","features":[336]},{"name":"RtlRaiseException","features":[308,336]},{"name":"RtlRestoreContext","features":[308,336,314]},{"name":"RtlUnwind","features":[308,336]},{"name":"RtlUnwindEx","features":[308,336,314]},{"name":"RtlVirtualUnwind","features":[308,336,314]},{"name":"RtlVirtualUnwind","features":[308,336,314]},{"name":"SAVER_ACCOUNTPROVSVCINITFAILURE","features":[336]},{"name":"SAVER_APPBARDISMISSAL","features":[336]},{"name":"SAVER_APPLISTUNREACHABLE","features":[336]},{"name":"SAVER_AUDIODRIVERHANG","features":[336]},{"name":"SAVER_AUXILIARYFULLDUMP","features":[336]},{"name":"SAVER_BATTERYPULLOUT","features":[336]},{"name":"SAVER_BLANKSCREEN","features":[336]},{"name":"SAVER_CALLDISMISSAL","features":[336]},{"name":"SAVER_CAPTURESERVICE","features":[336]},{"name":"SAVER_CHROMEPROCESSCRASH","features":[336]},{"name":"SAVER_DEVICEUPDATEUNSPECIFIED","features":[336]},{"name":"SAVER_GRAPHICS","features":[336]},{"name":"SAVER_INPUT","features":[336]},{"name":"SAVER_MEDIACORETESTHANG","features":[336]},{"name":"SAVER_MTBFCOMMANDHANG","features":[336]},{"name":"SAVER_MTBFCOMMANDTIMEOUT","features":[336]},{"name":"SAVER_MTBFIOERROR","features":[336]},{"name":"SAVER_MTBFPASSBUGCHECK","features":[336]},{"name":"SAVER_NAVIGATIONMODEL","features":[336]},{"name":"SAVER_NAVSERVERTIMEOUT","features":[336]},{"name":"SAVER_NONRESPONSIVEPROCESS","features":[336]},{"name":"SAVER_NOTIFICATIONDISMISSAL","features":[336]},{"name":"SAVER_OUTOFMEMORY","features":[336]},{"name":"SAVER_RENDERMOBILEUIOOM","features":[336]},{"name":"SAVER_RENDERTHREADHANG","features":[336]},{"name":"SAVER_REPORTNOTIFICATIONFAILURE","features":[336]},{"name":"SAVER_RESOURCEMANAGEMENT","features":[336]},{"name":"SAVER_RILADAPTATIONCRASH","features":[336]},{"name":"SAVER_RPCFAILURE","features":[336]},{"name":"SAVER_SICKAPPLICATION","features":[336]},{"name":"SAVER_SPEECHDISMISSAL","features":[336]},{"name":"SAVER_STARTNOTVISIBLE","features":[336]},{"name":"SAVER_UNEXPECTEDSHUTDOWN","features":[336]},{"name":"SAVER_UNSPECIFIED","features":[336]},{"name":"SAVER_WAITFORSHELLREADY","features":[336]},{"name":"SAVER_WATCHDOG","features":[336]},{"name":"SCSI_DISK_DRIVER_INTERNAL","features":[336]},{"name":"SCSI_VERIFIER_DETECTED_VIOLATION","features":[336]},{"name":"SDBUS_INTERNAL_ERROR","features":[336]},{"name":"SECURE_BOOT_VIOLATION","features":[336]},{"name":"SECURE_FAULT_UNHANDLED","features":[336]},{"name":"SECURE_KERNEL_ERROR","features":[336]},{"name":"SECURE_PCI_CONFIG_SPACE_ACCESS_VIOLATION","features":[336]},{"name":"SECURITY1_INITIALIZATION_FAILED","features":[336]},{"name":"SECURITY_INITIALIZATION_FAILED","features":[336]},{"name":"SECURITY_SYSTEM","features":[336]},{"name":"SEM_ALL_ERRORS","features":[336]},{"name":"SEM_FAILCRITICALERRORS","features":[336]},{"name":"SEM_NOALIGNMENTFAULTEXCEPT","features":[336]},{"name":"SEM_NOGPFAULTERRORBOX","features":[336]},{"name":"SEM_NOOPENFILEERRORBOX","features":[336]},{"name":"SERIAL_DRIVER_INTERNAL","features":[336]},{"name":"SESSION1_INITIALIZATION_FAILED","features":[336]},{"name":"SESSION_HAS_VALID_POOL_ON_EXIT","features":[336]},{"name":"SESSION_HAS_VALID_SPECIAL_POOL_ON_EXIT","features":[336]},{"name":"SESSION_HAS_VALID_VIEWS_ON_EXIT","features":[336]},{"name":"SETUP_FAILURE","features":[336]},{"name":"SET_ENV_VAR_FAILED","features":[336]},{"name":"SET_OF_INVALID_CONTEXT","features":[336]},{"name":"SHARED_RESOURCE_CONV_ERROR","features":[336]},{"name":"SILO_CORRUPT","features":[336]},{"name":"SLE_ERROR","features":[336]},{"name":"SLE_MINORERROR","features":[336]},{"name":"SLE_WARNING","features":[336]},{"name":"SLMFLAG_ALT_INDEX","features":[336]},{"name":"SLMFLAG_NONE","features":[336]},{"name":"SLMFLAG_NO_SYMBOLS","features":[336]},{"name":"SLMFLAG_VIRTUAL","features":[336]},{"name":"SMB_REDIRECTOR_LIVEDUMP","features":[336]},{"name":"SMB_SERVER_LIVEDUMP","features":[336]},{"name":"SOC_CRITICAL_DEVICE_REMOVED","features":[336]},{"name":"SOC_SUBSYSTEM_FAILURE","features":[336]},{"name":"SOC_SUBSYSTEM_FAILURE_LIVEDUMP","features":[336]},{"name":"SOFT_RESTART_FATAL_ERROR","features":[336]},{"name":"SOURCEFILE","features":[336]},{"name":"SOURCEFILEW","features":[336]},{"name":"SPECIAL_POOL_DETECTED_MEMORY_CORRUPTION","features":[336]},{"name":"SPIN_LOCK_ALREADY_OWNED","features":[336]},{"name":"SPIN_LOCK_INIT_FAILURE","features":[336]},{"name":"SPIN_LOCK_NOT_OWNED","features":[336]},{"name":"SPLITSYM_EXTRACT_ALL","features":[336]},{"name":"SPLITSYM_REMOVE_PRIVATE","features":[336]},{"name":"SPLITSYM_SYMBOLPATH_IS_SRC","features":[336]},{"name":"SRCCODEINFO","features":[336]},{"name":"SRCCODEINFOW","features":[336]},{"name":"SSRVACTION_CHECKSUMSTATUS","features":[336]},{"name":"SSRVACTION_EVENT","features":[336]},{"name":"SSRVACTION_EVENTW","features":[336]},{"name":"SSRVACTION_HTTPSTATUS","features":[336]},{"name":"SSRVACTION_QUERYCANCEL","features":[336]},{"name":"SSRVACTION_SIZE","features":[336]},{"name":"SSRVACTION_TRACE","features":[336]},{"name":"SSRVACTION_XMLOUTPUT","features":[336]},{"name":"SSRVOPT_CALLBACK","features":[336]},{"name":"SSRVOPT_CALLBACKW","features":[336]},{"name":"SSRVOPT_DISABLE_PING_HOST","features":[336]},{"name":"SSRVOPT_DISABLE_TIMEOUT","features":[336]},{"name":"SSRVOPT_DONT_UNCOMPRESS","features":[336]},{"name":"SSRVOPT_DOWNSTREAM_STORE","features":[336]},{"name":"SSRVOPT_DWORD","features":[336]},{"name":"SSRVOPT_DWORDPTR","features":[336]},{"name":"SSRVOPT_ENABLE_COMM_MSG","features":[336]},{"name":"SSRVOPT_FAVOR_COMPRESSED","features":[336]},{"name":"SSRVOPT_FLAT_DEFAULT_STORE","features":[336]},{"name":"SSRVOPT_GETPATH","features":[336]},{"name":"SSRVOPT_GUIDPTR","features":[336]},{"name":"SSRVOPT_MAX","features":[336]},{"name":"SSRVOPT_MESSAGE","features":[336]},{"name":"SSRVOPT_NOCOPY","features":[336]},{"name":"SSRVOPT_OLDGUIDPTR","features":[336]},{"name":"SSRVOPT_OVERWRITE","features":[336]},{"name":"SSRVOPT_PARAMTYPE","features":[336]},{"name":"SSRVOPT_PARENTWIN","features":[336]},{"name":"SSRVOPT_PROXY","features":[336]},{"name":"SSRVOPT_PROXYW","features":[336]},{"name":"SSRVOPT_RESETTOU","features":[336]},{"name":"SSRVOPT_RETRY_APP_HANG","features":[336]},{"name":"SSRVOPT_SECURE","features":[336]},{"name":"SSRVOPT_SERVICE","features":[336]},{"name":"SSRVOPT_SETCONTEXT","features":[336]},{"name":"SSRVOPT_STRING","features":[336]},{"name":"SSRVOPT_TRACE","features":[336]},{"name":"SSRVOPT_UNATTENDED","features":[336]},{"name":"SSRVOPT_URI_FILTER","features":[336]},{"name":"SSRVOPT_URI_TIERS","features":[336]},{"name":"SSRVOPT_WINHTTP","features":[336]},{"name":"SSRVOPT_WININET","features":[336]},{"name":"SSRVURI_ALL","features":[336]},{"name":"SSRVURI_COMPRESSED","features":[336]},{"name":"SSRVURI_FILEPTR","features":[336]},{"name":"SSRVURI_HTTP_COMPRESSED","features":[336]},{"name":"SSRVURI_HTTP_FILEPTR","features":[336]},{"name":"SSRVURI_HTTP_MASK","features":[336]},{"name":"SSRVURI_HTTP_NORMAL","features":[336]},{"name":"SSRVURI_NORMAL","features":[336]},{"name":"SSRVURI_UNC_COMPRESSED","features":[336]},{"name":"SSRVURI_UNC_FILEPTR","features":[336]},{"name":"SSRVURI_UNC_MASK","features":[336]},{"name":"SSRVURI_UNC_NORMAL","features":[336]},{"name":"STACKFRAME","features":[308,336]},{"name":"STACKFRAME64","features":[308,336]},{"name":"STACKFRAME_EX","features":[308,336]},{"name":"STORAGE_DEVICE_ABNORMALITY_DETECTED","features":[336]},{"name":"STORAGE_MINIPORT_ERROR","features":[336]},{"name":"STORE_DATA_STRUCTURE_CORRUPTION","features":[336]},{"name":"STREAMS_INTERNAL_ERROR","features":[336]},{"name":"SYMADDSOURCESTREAM","features":[308,336]},{"name":"SYMADDSOURCESTREAMA","features":[308,336]},{"name":"SYMBOLIC_INITIALIZATION_FAILED","features":[336]},{"name":"SYMBOL_INFO","features":[336]},{"name":"SYMBOL_INFOW","features":[336]},{"name":"SYMBOL_INFO_FLAGS","features":[336]},{"name":"SYMBOL_INFO_PACKAGE","features":[336]},{"name":"SYMBOL_INFO_PACKAGEW","features":[336]},{"name":"SYMENUM_OPTIONS_DEFAULT","features":[336]},{"name":"SYMENUM_OPTIONS_INLINE","features":[336]},{"name":"SYMFLAG_CLR_TOKEN","features":[336]},{"name":"SYMFLAG_CONSTANT","features":[336]},{"name":"SYMFLAG_EXPORT","features":[336]},{"name":"SYMFLAG_FIXUP_ARM64X","features":[336]},{"name":"SYMFLAG_FORWARDER","features":[336]},{"name":"SYMFLAG_FRAMEREL","features":[336]},{"name":"SYMFLAG_FUNCTION","features":[336]},{"name":"SYMFLAG_FUNC_NO_RETURN","features":[336]},{"name":"SYMFLAG_GLOBAL","features":[336]},{"name":"SYMFLAG_ILREL","features":[336]},{"name":"SYMFLAG_LOCAL","features":[336]},{"name":"SYMFLAG_METADATA","features":[336]},{"name":"SYMFLAG_NULL","features":[336]},{"name":"SYMFLAG_PARAMETER","features":[336]},{"name":"SYMFLAG_PUBLIC_CODE","features":[336]},{"name":"SYMFLAG_REGISTER","features":[336]},{"name":"SYMFLAG_REGREL","features":[336]},{"name":"SYMFLAG_REGREL_ALIASINDIR","features":[336]},{"name":"SYMFLAG_RESET","features":[336]},{"name":"SYMFLAG_SLOT","features":[336]},{"name":"SYMFLAG_SYNTHETIC_ZEROBASE","features":[336]},{"name":"SYMFLAG_THUNK","features":[336]},{"name":"SYMFLAG_TLSREL","features":[336]},{"name":"SYMFLAG_VALUEPRESENT","features":[336]},{"name":"SYMFLAG_VIRTUAL","features":[336]},{"name":"SYMF_CONSTANT","features":[336]},{"name":"SYMF_EXPORT","features":[336]},{"name":"SYMF_FORWARDER","features":[336]},{"name":"SYMF_FRAMEREL","features":[336]},{"name":"SYMF_FUNCTION","features":[336]},{"name":"SYMF_LOCAL","features":[336]},{"name":"SYMF_OMAP_GENERATED","features":[336]},{"name":"SYMF_OMAP_MODIFIED","features":[336]},{"name":"SYMF_PARAMETER","features":[336]},{"name":"SYMF_REGISTER","features":[336]},{"name":"SYMF_REGREL","features":[336]},{"name":"SYMF_THUNK","features":[336]},{"name":"SYMF_TLSREL","features":[336]},{"name":"SYMF_VIRTUAL","features":[336]},{"name":"SYMOPT_ALLOW_ABSOLUTE_SYMBOLS","features":[336]},{"name":"SYMOPT_ALLOW_ZERO_ADDRESS","features":[336]},{"name":"SYMOPT_AUTO_PUBLICS","features":[336]},{"name":"SYMOPT_CASE_INSENSITIVE","features":[336]},{"name":"SYMOPT_DEBUG","features":[336]},{"name":"SYMOPT_DEFERRED_LOADS","features":[336]},{"name":"SYMOPT_DISABLE_FAST_SYMBOLS","features":[336]},{"name":"SYMOPT_DISABLE_SRVSTAR_ON_STARTUP","features":[336]},{"name":"SYMOPT_DISABLE_SYMSRV_AUTODETECT","features":[336]},{"name":"SYMOPT_DISABLE_SYMSRV_TIMEOUT","features":[336]},{"name":"SYMOPT_EXACT_SYMBOLS","features":[336]},{"name":"SYMOPT_EX_DISABLEACCESSTIMEUPDATE","features":[336]},{"name":"SYMOPT_EX_LASTVALIDDEBUGDIRECTORY","features":[336]},{"name":"SYMOPT_EX_MAX","features":[336]},{"name":"SYMOPT_EX_NEVERLOADSYMBOLS","features":[336]},{"name":"SYMOPT_EX_NOIMPLICITPATTERNSEARCH","features":[336]},{"name":"SYMOPT_FAIL_CRITICAL_ERRORS","features":[336]},{"name":"SYMOPT_FAVOR_COMPRESSED","features":[336]},{"name":"SYMOPT_FLAT_DIRECTORY","features":[336]},{"name":"SYMOPT_IGNORE_CVREC","features":[336]},{"name":"SYMOPT_IGNORE_IMAGEDIR","features":[336]},{"name":"SYMOPT_IGNORE_NT_SYMPATH","features":[336]},{"name":"SYMOPT_INCLUDE_32BIT_MODULES","features":[336]},{"name":"SYMOPT_LOAD_ANYTHING","features":[336]},{"name":"SYMOPT_LOAD_LINES","features":[336]},{"name":"SYMOPT_NO_CPP","features":[336]},{"name":"SYMOPT_NO_IMAGE_SEARCH","features":[336]},{"name":"SYMOPT_NO_PROMPTS","features":[336]},{"name":"SYMOPT_NO_PUBLICS","features":[336]},{"name":"SYMOPT_NO_UNQUALIFIED_LOADS","features":[336]},{"name":"SYMOPT_OMAP_FIND_NEAREST","features":[336]},{"name":"SYMOPT_OVERWRITE","features":[336]},{"name":"SYMOPT_PUBLICS_ONLY","features":[336]},{"name":"SYMOPT_READONLY_CACHE","features":[336]},{"name":"SYMOPT_SECURE","features":[336]},{"name":"SYMOPT_SYMPATH_LAST","features":[336]},{"name":"SYMOPT_UNDNAME","features":[336]},{"name":"SYMSEARCH_ALLITEMS","features":[336]},{"name":"SYMSEARCH_GLOBALSONLY","features":[336]},{"name":"SYMSEARCH_MASKOBJS","features":[336]},{"name":"SYMSEARCH_RECURSE","features":[336]},{"name":"SYMSRV_EXTENDED_OUTPUT_DATA","features":[336]},{"name":"SYMSRV_INDEX_INFO","features":[308,336]},{"name":"SYMSRV_INDEX_INFOW","features":[308,336]},{"name":"SYMSRV_VERSION","features":[336]},{"name":"SYMSTOREOPT_ALT_INDEX","features":[336]},{"name":"SYMSTOREOPT_COMPRESS","features":[336]},{"name":"SYMSTOREOPT_OVERWRITE","features":[336]},{"name":"SYMSTOREOPT_PASS_IF_EXISTS","features":[336]},{"name":"SYMSTOREOPT_POINTER","features":[336]},{"name":"SYMSTOREOPT_RETURNINDEX","features":[336]},{"name":"SYMSTOREOPT_UNICODE","features":[336]},{"name":"SYM_FIND_ID_OPTION","features":[336]},{"name":"SYM_INLINE_COMP_DIFFERENT","features":[336]},{"name":"SYM_INLINE_COMP_ERROR","features":[336]},{"name":"SYM_INLINE_COMP_IDENTICAL","features":[336]},{"name":"SYM_INLINE_COMP_STEPIN","features":[336]},{"name":"SYM_INLINE_COMP_STEPOUT","features":[336]},{"name":"SYM_INLINE_COMP_STEPOVER","features":[336]},{"name":"SYM_LOAD_FLAGS","features":[336]},{"name":"SYM_SRV_STORE_FILE_FLAGS","features":[336]},{"name":"SYM_STKWALK_DEFAULT","features":[336]},{"name":"SYM_STKWALK_FORCE_FRAMEPTR","features":[336]},{"name":"SYM_STKWALK_ZEROEXTEND_PTRS","features":[336]},{"name":"SYM_TYPE","features":[336]},{"name":"SYNTHETIC_EXCEPTION_UNHANDLED","features":[336]},{"name":"SYNTHETIC_WATCHDOG_TIMEOUT","features":[336]},{"name":"SYSTEM_EXIT_OWNED_MUTEX","features":[336]},{"name":"SYSTEM_IMAGE_BAD_SIGNATURE","features":[336]},{"name":"SYSTEM_LICENSE_VIOLATION","features":[336]},{"name":"SYSTEM_PTE_MISUSE","features":[336]},{"name":"SYSTEM_SCAN_AT_RAISED_IRQL_CAUGHT_IMPROPER_DRIVER_UNLOAD","features":[336]},{"name":"SYSTEM_SERVICE_EXCEPTION","features":[336]},{"name":"SYSTEM_THREAD_EXCEPTION_NOT_HANDLED","features":[336]},{"name":"SYSTEM_THREAD_EXCEPTION_NOT_HANDLED_M","features":[336]},{"name":"SYSTEM_UNWIND_PREVIOUS_USER","features":[336]},{"name":"SearchTreeForFile","features":[308,336]},{"name":"SearchTreeForFileW","features":[308,336]},{"name":"SecondaryFlagsCallback","features":[336]},{"name":"SetCheckUserInterruptShared","features":[336]},{"name":"SetErrorMode","features":[336]},{"name":"SetImageConfigInformation","features":[308,336,314,338]},{"name":"SetImageConfigInformation","features":[308,336,314,338]},{"name":"SetSymLoadError","features":[336]},{"name":"SetThreadContext","features":[308,336,314]},{"name":"SetThreadErrorMode","features":[308,336]},{"name":"SetUnhandledExceptionFilter","features":[308,336,314]},{"name":"SetXStateFeaturesMask","features":[308,336,314]},{"name":"StackWalk","features":[308,336]},{"name":"StackWalk2","features":[308,336]},{"name":"StackWalk64","features":[308,336]},{"name":"StackWalkEx","features":[308,336]},{"name":"SymAddSourceStream","features":[308,336]},{"name":"SymAddSourceStreamA","features":[308,336]},{"name":"SymAddSourceStreamW","features":[308,336]},{"name":"SymAddSymbol","features":[308,336]},{"name":"SymAddSymbolW","features":[308,336]},{"name":"SymAddrIncludeInlineTrace","features":[308,336]},{"name":"SymCleanup","features":[308,336]},{"name":"SymCoff","features":[336]},{"name":"SymCompareInlineTrace","features":[308,336]},{"name":"SymCv","features":[336]},{"name":"SymDeferred","features":[336]},{"name":"SymDeleteSymbol","features":[308,336]},{"name":"SymDeleteSymbolW","features":[308,336]},{"name":"SymDia","features":[336]},{"name":"SymEnumLines","features":[308,336]},{"name":"SymEnumLinesW","features":[308,336]},{"name":"SymEnumProcesses","features":[308,336]},{"name":"SymEnumSourceFileTokens","features":[308,336]},{"name":"SymEnumSourceFiles","features":[308,336]},{"name":"SymEnumSourceFilesW","features":[308,336]},{"name":"SymEnumSourceLines","features":[308,336]},{"name":"SymEnumSourceLinesW","features":[308,336]},{"name":"SymEnumSym","features":[308,336]},{"name":"SymEnumSymbols","features":[308,336]},{"name":"SymEnumSymbolsEx","features":[308,336]},{"name":"SymEnumSymbolsExW","features":[308,336]},{"name":"SymEnumSymbolsForAddr","features":[308,336]},{"name":"SymEnumSymbolsForAddrW","features":[308,336]},{"name":"SymEnumSymbolsW","features":[308,336]},{"name":"SymEnumTypes","features":[308,336]},{"name":"SymEnumTypesByName","features":[308,336]},{"name":"SymEnumTypesByNameW","features":[308,336]},{"name":"SymEnumTypesW","features":[308,336]},{"name":"SymEnumerateModules","features":[308,336]},{"name":"SymEnumerateModules64","features":[308,336]},{"name":"SymEnumerateModulesW64","features":[308,336]},{"name":"SymEnumerateSymbols","features":[308,336]},{"name":"SymEnumerateSymbols64","features":[308,336]},{"name":"SymEnumerateSymbolsW","features":[308,336]},{"name":"SymEnumerateSymbolsW64","features":[308,336]},{"name":"SymExport","features":[336]},{"name":"SymFindDebugInfoFile","features":[308,336]},{"name":"SymFindDebugInfoFileW","features":[308,336]},{"name":"SymFindExecutableImage","features":[308,336]},{"name":"SymFindExecutableImageW","features":[308,336]},{"name":"SymFindFileInPath","features":[308,336]},{"name":"SymFindFileInPathW","features":[308,336]},{"name":"SymFromAddr","features":[308,336]},{"name":"SymFromAddrW","features":[308,336]},{"name":"SymFromIndex","features":[308,336]},{"name":"SymFromIndexW","features":[308,336]},{"name":"SymFromInlineContext","features":[308,336]},{"name":"SymFromInlineContextW","features":[308,336]},{"name":"SymFromName","features":[308,336]},{"name":"SymFromNameW","features":[308,336]},{"name":"SymFromToken","features":[308,336]},{"name":"SymFromTokenW","features":[308,336]},{"name":"SymFunctionTableAccess","features":[308,336]},{"name":"SymFunctionTableAccess64","features":[308,336]},{"name":"SymFunctionTableAccess64AccessRoutines","features":[308,336]},{"name":"SymGetExtendedOption","features":[308,336]},{"name":"SymGetFileLineOffsets64","features":[308,336]},{"name":"SymGetHomeDirectory","features":[336]},{"name":"SymGetHomeDirectoryW","features":[336]},{"name":"SymGetLineFromAddr","features":[308,336]},{"name":"SymGetLineFromAddr64","features":[308,336]},{"name":"SymGetLineFromAddrW64","features":[308,336]},{"name":"SymGetLineFromInlineContext","features":[308,336]},{"name":"SymGetLineFromInlineContextW","features":[308,336]},{"name":"SymGetLineFromName","features":[308,336]},{"name":"SymGetLineFromName64","features":[308,336]},{"name":"SymGetLineFromNameW64","features":[308,336]},{"name":"SymGetLineNext","features":[308,336]},{"name":"SymGetLineNext64","features":[308,336]},{"name":"SymGetLineNextW64","features":[308,336]},{"name":"SymGetLinePrev","features":[308,336]},{"name":"SymGetLinePrev64","features":[308,336]},{"name":"SymGetLinePrevW64","features":[308,336]},{"name":"SymGetModuleBase","features":[308,336]},{"name":"SymGetModuleBase64","features":[308,336]},{"name":"SymGetModuleInfo","features":[308,336]},{"name":"SymGetModuleInfo64","features":[308,336]},{"name":"SymGetModuleInfoW","features":[308,336]},{"name":"SymGetModuleInfoW64","features":[308,336]},{"name":"SymGetOmaps","features":[308,336]},{"name":"SymGetOptions","features":[336]},{"name":"SymGetScope","features":[308,336]},{"name":"SymGetScopeW","features":[308,336]},{"name":"SymGetSearchPath","features":[308,336]},{"name":"SymGetSearchPathW","features":[308,336]},{"name":"SymGetSourceFile","features":[308,336]},{"name":"SymGetSourceFileChecksum","features":[308,336]},{"name":"SymGetSourceFileChecksumW","features":[308,336]},{"name":"SymGetSourceFileFromToken","features":[308,336]},{"name":"SymGetSourceFileFromTokenByTokenName","features":[308,336]},{"name":"SymGetSourceFileFromTokenByTokenNameW","features":[308,336]},{"name":"SymGetSourceFileFromTokenW","features":[308,336]},{"name":"SymGetSourceFileToken","features":[308,336]},{"name":"SymGetSourceFileTokenByTokenName","features":[308,336]},{"name":"SymGetSourceFileTokenByTokenNameW","features":[308,336]},{"name":"SymGetSourceFileTokenW","features":[308,336]},{"name":"SymGetSourceFileW","features":[308,336]},{"name":"SymGetSourceVarFromToken","features":[308,336]},{"name":"SymGetSourceVarFromTokenW","features":[308,336]},{"name":"SymGetSymFromAddr","features":[308,336]},{"name":"SymGetSymFromAddr64","features":[308,336]},{"name":"SymGetSymFromName","features":[308,336]},{"name":"SymGetSymFromName64","features":[308,336]},{"name":"SymGetSymNext","features":[308,336]},{"name":"SymGetSymNext64","features":[308,336]},{"name":"SymGetSymPrev","features":[308,336]},{"name":"SymGetSymPrev64","features":[308,336]},{"name":"SymGetSymbolFile","features":[308,336]},{"name":"SymGetSymbolFileW","features":[308,336]},{"name":"SymGetTypeFromName","features":[308,336]},{"name":"SymGetTypeFromNameW","features":[308,336]},{"name":"SymGetTypeInfo","features":[308,336]},{"name":"SymGetTypeInfoEx","features":[308,336]},{"name":"SymGetUnwindInfo","features":[308,336]},{"name":"SymInitialize","features":[308,336]},{"name":"SymInitializeW","features":[308,336]},{"name":"SymLoadModule","features":[308,336]},{"name":"SymLoadModule64","features":[308,336]},{"name":"SymLoadModuleEx","features":[308,336]},{"name":"SymLoadModuleExW","features":[308,336]},{"name":"SymMatchFileName","features":[308,336]},{"name":"SymMatchFileNameW","features":[308,336]},{"name":"SymMatchString","features":[308,336]},{"name":"SymMatchStringA","features":[308,336]},{"name":"SymMatchStringW","features":[308,336]},{"name":"SymNext","features":[308,336]},{"name":"SymNextW","features":[308,336]},{"name":"SymNone","features":[336]},{"name":"SymPdb","features":[336]},{"name":"SymPrev","features":[308,336]},{"name":"SymPrevW","features":[308,336]},{"name":"SymQueryInlineTrace","features":[308,336]},{"name":"SymRefreshModuleList","features":[308,336]},{"name":"SymRegisterCallback","features":[308,336]},{"name":"SymRegisterCallback64","features":[308,336]},{"name":"SymRegisterCallbackW64","features":[308,336]},{"name":"SymRegisterFunctionEntryCallback","features":[308,336]},{"name":"SymRegisterFunctionEntryCallback64","features":[308,336]},{"name":"SymSearch","features":[308,336]},{"name":"SymSearchW","features":[308,336]},{"name":"SymSetContext","features":[308,336]},{"name":"SymSetExtendedOption","features":[308,336]},{"name":"SymSetHomeDirectory","features":[308,336]},{"name":"SymSetHomeDirectoryW","features":[308,336]},{"name":"SymSetOptions","features":[336]},{"name":"SymSetParentWindow","features":[308,336]},{"name":"SymSetScopeFromAddr","features":[308,336]},{"name":"SymSetScopeFromIndex","features":[308,336]},{"name":"SymSetScopeFromInlineContext","features":[308,336]},{"name":"SymSetSearchPath","features":[308,336]},{"name":"SymSetSearchPathW","features":[308,336]},{"name":"SymSrvDeltaName","features":[308,336]},{"name":"SymSrvDeltaNameW","features":[308,336]},{"name":"SymSrvGetFileIndexInfo","features":[308,336]},{"name":"SymSrvGetFileIndexInfoW","features":[308,336]},{"name":"SymSrvGetFileIndexString","features":[308,336]},{"name":"SymSrvGetFileIndexStringW","features":[308,336]},{"name":"SymSrvGetFileIndexes","features":[308,336]},{"name":"SymSrvGetFileIndexesW","features":[308,336]},{"name":"SymSrvGetSupplement","features":[308,336]},{"name":"SymSrvGetSupplementW","features":[308,336]},{"name":"SymSrvIsStore","features":[308,336]},{"name":"SymSrvIsStoreW","features":[308,336]},{"name":"SymSrvStoreFile","features":[308,336]},{"name":"SymSrvStoreFileW","features":[308,336]},{"name":"SymSrvStoreSupplement","features":[308,336]},{"name":"SymSrvStoreSupplementW","features":[308,336]},{"name":"SymSym","features":[336]},{"name":"SymUnDName","features":[308,336]},{"name":"SymUnDName64","features":[308,336]},{"name":"SymUnloadModule","features":[308,336]},{"name":"SymUnloadModule64","features":[308,336]},{"name":"SymVirtual","features":[336]},{"name":"SystemInfoStream","features":[336]},{"name":"SystemMemoryInfoStream","features":[336]},{"name":"TARGET_ATTRIBUTE_PACMASK","features":[336]},{"name":"TARGET_MDL_TOO_SMALL","features":[336]},{"name":"TCPIP_AOAC_NIC_ACTIVE_REFERENCE_LEAK","features":[336]},{"name":"TELEMETRY_ASSERTS_LIVEDUMP","features":[336]},{"name":"TERMINAL_SERVER_DRIVER_MADE_INCORRECT_MEMORY_REFERENCE","features":[336]},{"name":"THIRD_PARTY_FILE_SYSTEM_FAILURE","features":[336]},{"name":"THREAD_ERROR_MODE","features":[336]},{"name":"THREAD_NOT_MUTEX_OWNER","features":[336]},{"name":"THREAD_STUCK_IN_DEVICE_DRIVER","features":[336]},{"name":"THREAD_STUCK_IN_DEVICE_DRIVER_M","features":[336]},{"name":"THREAD_TERMINATE_HELD_MUTEX","features":[336]},{"name":"THREAD_WRITE_FLAGS","features":[336]},{"name":"TIMER_OR_DPC_INVALID","features":[336]},{"name":"TI_FINDCHILDREN","features":[336]},{"name":"TI_FINDCHILDREN_PARAMS","features":[336]},{"name":"TI_GET_ADDRESS","features":[336]},{"name":"TI_GET_ADDRESSOFFSET","features":[336]},{"name":"TI_GET_ARRAYINDEXTYPEID","features":[336]},{"name":"TI_GET_BASETYPE","features":[336]},{"name":"TI_GET_BITPOSITION","features":[336]},{"name":"TI_GET_CALLING_CONVENTION","features":[336]},{"name":"TI_GET_CHILDRENCOUNT","features":[336]},{"name":"TI_GET_CLASSPARENTID","features":[336]},{"name":"TI_GET_COUNT","features":[336]},{"name":"TI_GET_DATAKIND","features":[336]},{"name":"TI_GET_INDIRECTVIRTUALBASECLASS","features":[336]},{"name":"TI_GET_IS_REFERENCE","features":[336]},{"name":"TI_GET_LENGTH","features":[336]},{"name":"TI_GET_LEXICALPARENT","features":[336]},{"name":"TI_GET_NESTED","features":[336]},{"name":"TI_GET_OBJECTPOINTERTYPE","features":[336]},{"name":"TI_GET_OFFSET","features":[336]},{"name":"TI_GET_SYMINDEX","features":[336]},{"name":"TI_GET_SYMNAME","features":[336]},{"name":"TI_GET_SYMTAG","features":[336]},{"name":"TI_GET_THISADJUST","features":[336]},{"name":"TI_GET_TYPE","features":[336]},{"name":"TI_GET_TYPEID","features":[336]},{"name":"TI_GET_UDTKIND","features":[336]},{"name":"TI_GET_VALUE","features":[336]},{"name":"TI_GET_VIRTUALBASECLASS","features":[336]},{"name":"TI_GET_VIRTUALBASEDISPINDEX","features":[336]},{"name":"TI_GET_VIRTUALBASEOFFSET","features":[336]},{"name":"TI_GET_VIRTUALBASEPOINTEROFFSET","features":[336]},{"name":"TI_GET_VIRTUALBASETABLETYPE","features":[336]},{"name":"TI_GET_VIRTUALTABLESHAPEID","features":[336]},{"name":"TI_GTIEX_REQS_VALID","features":[336]},{"name":"TI_IS_CLOSE_EQUIV_TO","features":[336]},{"name":"TI_IS_EQUIV_TO","features":[336]},{"name":"TOO_MANY_RECURSIVE_FAULTS","features":[336]},{"name":"TRAP_CAUSE_UNKNOWN","features":[336]},{"name":"TTM_FATAL_ERROR","features":[336]},{"name":"TTM_WATCHDOG_TIMEOUT","features":[336]},{"name":"TerminateProcessOnMemoryExhaustion","features":[336]},{"name":"ThreadCallback","features":[336]},{"name":"ThreadExCallback","features":[336]},{"name":"ThreadExListStream","features":[336]},{"name":"ThreadInfoListStream","features":[336]},{"name":"ThreadListStream","features":[336]},{"name":"ThreadNamesStream","features":[336]},{"name":"ThreadWriteBackingStore","features":[336]},{"name":"ThreadWriteContext","features":[336]},{"name":"ThreadWriteInstructionWindow","features":[336]},{"name":"ThreadWriteStack","features":[336]},{"name":"ThreadWriteThread","features":[336]},{"name":"ThreadWriteThreadData","features":[336]},{"name":"ThreadWriteThreadInfo","features":[336]},{"name":"TokenStream","features":[336]},{"name":"TouchFileTimes","features":[308,336]},{"name":"UCMUCSI_FAILURE","features":[336]},{"name":"UCMUCSI_LIVEDUMP","features":[336]},{"name":"UDFS_FILE_SYSTEM","features":[336]},{"name":"UFX_LIVEDUMP","features":[336]},{"name":"UNDNAME_32_BIT_DECODE","features":[336]},{"name":"UNDNAME_COMPLETE","features":[336]},{"name":"UNDNAME_NAME_ONLY","features":[336]},{"name":"UNDNAME_NO_ACCESS_SPECIFIERS","features":[336]},{"name":"UNDNAME_NO_ALLOCATION_LANGUAGE","features":[336]},{"name":"UNDNAME_NO_ALLOCATION_MODEL","features":[336]},{"name":"UNDNAME_NO_ARGUMENTS","features":[336]},{"name":"UNDNAME_NO_CV_THISTYPE","features":[336]},{"name":"UNDNAME_NO_FUNCTION_RETURNS","features":[336]},{"name":"UNDNAME_NO_LEADING_UNDERSCORES","features":[336]},{"name":"UNDNAME_NO_MEMBER_TYPE","features":[336]},{"name":"UNDNAME_NO_MS_KEYWORDS","features":[336]},{"name":"UNDNAME_NO_MS_THISTYPE","features":[336]},{"name":"UNDNAME_NO_RETURN_UDT_MODEL","features":[336]},{"name":"UNDNAME_NO_SPECIAL_SYMS","features":[336]},{"name":"UNDNAME_NO_THISTYPE","features":[336]},{"name":"UNDNAME_NO_THROW_SIGNATURES","features":[336]},{"name":"UNEXPECTED_INITIALIZATION_CALL","features":[336]},{"name":"UNEXPECTED_KERNEL_MODE_TRAP","features":[336]},{"name":"UNEXPECTED_KERNEL_MODE_TRAP_M","features":[336]},{"name":"UNEXPECTED_STORE_EXCEPTION","features":[336]},{"name":"UNLOAD_DLL_DEBUG_EVENT","features":[336]},{"name":"UNLOAD_DLL_DEBUG_INFO","features":[336]},{"name":"UNMOUNTABLE_BOOT_VOLUME","features":[336]},{"name":"UNSUPPORTED_INSTRUCTION_MODE","features":[336]},{"name":"UNSUPPORTED_PROCESSOR","features":[336]},{"name":"UNWIND_HISTORY_TABLE","features":[336]},{"name":"UNWIND_HISTORY_TABLE_ENTRY","features":[336]},{"name":"UNWIND_HISTORY_TABLE_ENTRY","features":[336]},{"name":"UNWIND_ON_INVALID_STACK","features":[336]},{"name":"UNW_FLAG_CHAININFO","features":[336]},{"name":"UNW_FLAG_EHANDLER","features":[336]},{"name":"UNW_FLAG_NHANDLER","features":[336]},{"name":"UNW_FLAG_UHANDLER","features":[336]},{"name":"UP_DRIVER_ON_MP_SYSTEM","features":[336]},{"name":"USB4_HARDWARE_VIOLATION","features":[336]},{"name":"USB_DRIPS_BLOCKER_SURPRISE_REMOVAL_LIVEDUMP","features":[336]},{"name":"USER_MODE_HEALTH_MONITOR","features":[336]},{"name":"USER_MODE_HEALTH_MONITOR_LIVEDUMP","features":[336]},{"name":"UnDecorateSymbolName","features":[336]},{"name":"UnDecorateSymbolNameW","features":[336]},{"name":"UnMapAndLoad","features":[308,336,314,338]},{"name":"UnhandledExceptionFilter","features":[308,336,314]},{"name":"UnloadedModuleListStream","features":[336]},{"name":"UnusedStream","features":[336]},{"name":"UpdateDebugInfoFile","features":[308,336,338]},{"name":"UpdateDebugInfoFileEx","features":[308,336,338]},{"name":"VER_PLATFORM","features":[336]},{"name":"VER_PLATFORM_WIN32_NT","features":[336]},{"name":"VER_PLATFORM_WIN32_WINDOWS","features":[336]},{"name":"VER_PLATFORM_WIN32s","features":[336]},{"name":"VHD_BOOT_HOST_VOLUME_NOT_ENOUGH_SPACE","features":[336]},{"name":"VHD_BOOT_INITIALIZATION_FAILED","features":[336]},{"name":"VIDEO_DRIVER_DEBUG_REPORT_REQUEST","features":[336]},{"name":"VIDEO_DRIVER_INIT_FAILURE","features":[336]},{"name":"VIDEO_DWMINIT_TIMEOUT_FALLBACK_BDD","features":[336]},{"name":"VIDEO_DXGKRNL_BLACK_SCREEN_LIVEDUMP","features":[336]},{"name":"VIDEO_DXGKRNL_FATAL_ERROR","features":[336]},{"name":"VIDEO_DXGKRNL_LIVEDUMP","features":[336]},{"name":"VIDEO_DXGKRNL_SYSMM_FATAL_ERROR","features":[336]},{"name":"VIDEO_ENGINE_TIMEOUT_DETECTED","features":[336]},{"name":"VIDEO_MEMORY_MANAGEMENT_INTERNAL","features":[336]},{"name":"VIDEO_MINIPORT_BLACK_SCREEN_LIVEDUMP","features":[336]},{"name":"VIDEO_MINIPORT_FAILED_LIVEDUMP","features":[336]},{"name":"VIDEO_SCHEDULER_INTERNAL_ERROR","features":[336]},{"name":"VIDEO_SHADOW_DRIVER_FATAL_ERROR","features":[336]},{"name":"VIDEO_TDR_APPLICATION_BLOCKED","features":[336]},{"name":"VIDEO_TDR_FAILURE","features":[336]},{"name":"VIDEO_TDR_TIMEOUT_DETECTED","features":[336]},{"name":"VMBUS_LIVEDUMP","features":[336]},{"name":"VOLMGRX_INTERNAL_ERROR","features":[336]},{"name":"VOLSNAP_OVERLAPPED_TABLE_ACCESS","features":[336]},{"name":"VSL_INITIALIZATION_FAILED","features":[336]},{"name":"VmPostReadCallback","features":[336]},{"name":"VmPreReadCallback","features":[336]},{"name":"VmQueryCallback","features":[336]},{"name":"VmStartCallback","features":[336]},{"name":"WAITCHAIN_NODE_INFO","features":[308,336]},{"name":"WAIT_CHAIN_THREAD_OPTIONS","features":[336]},{"name":"WCT_ASYNC_OPEN_FLAG","features":[336]},{"name":"WCT_MAX_NODE_COUNT","features":[336]},{"name":"WCT_NETWORK_IO_FLAG","features":[336]},{"name":"WCT_OBJECT_STATUS","features":[336]},{"name":"WCT_OBJECT_TYPE","features":[336]},{"name":"WCT_OBJNAME_LENGTH","features":[336]},{"name":"WCT_OUT_OF_PROC_COM_FLAG","features":[336]},{"name":"WCT_OUT_OF_PROC_CS_FLAG","features":[336]},{"name":"WCT_OUT_OF_PROC_FLAG","features":[336]},{"name":"WDF_VIOLATION","features":[336]},{"name":"WFP_INVALID_OPERATION","features":[336]},{"name":"WHEA_AER_BRIDGE_DESCRIPTOR","features":[308,336]},{"name":"WHEA_AER_ENDPOINT_DESCRIPTOR","features":[308,336]},{"name":"WHEA_AER_ROOTPORT_DESCRIPTOR","features":[308,336]},{"name":"WHEA_BAD_PAGE_LIST_LOCATION","features":[336]},{"name":"WHEA_BAD_PAGE_LIST_MAX_SIZE","features":[336]},{"name":"WHEA_CMCI_THRESHOLD_COUNT","features":[336]},{"name":"WHEA_CMCI_THRESHOLD_POLL_COUNT","features":[336]},{"name":"WHEA_CMCI_THRESHOLD_TIME","features":[336]},{"name":"WHEA_DEVICE_DRIVER_BUFFER_SET_MAX","features":[336]},{"name":"WHEA_DEVICE_DRIVER_BUFFER_SET_MIN","features":[336]},{"name":"WHEA_DEVICE_DRIVER_BUFFER_SET_V1","features":[336]},{"name":"WHEA_DEVICE_DRIVER_CONFIG_MAX","features":[336]},{"name":"WHEA_DEVICE_DRIVER_CONFIG_MIN","features":[336]},{"name":"WHEA_DEVICE_DRIVER_CONFIG_V1","features":[336]},{"name":"WHEA_DEVICE_DRIVER_CONFIG_V2","features":[336]},{"name":"WHEA_DEVICE_DRIVER_DESCRIPTOR","features":[308,336]},{"name":"WHEA_DISABLE_DUMMY_WRITE","features":[336]},{"name":"WHEA_DISABLE_OFFLINE","features":[336]},{"name":"WHEA_DRIVER_BUFFER_SET","features":[336]},{"name":"WHEA_ERROR_SOURCE_CONFIGURATION_DD","features":[308,336]},{"name":"WHEA_ERROR_SOURCE_CONFIGURATION_DEVICE_DRIVER","features":[308,336]},{"name":"WHEA_ERROR_SOURCE_CONFIGURATION_DEVICE_DRIVER_V1","features":[308,336]},{"name":"WHEA_ERROR_SOURCE_CORRECT_DEVICE_DRIVER","features":[308,336]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR","features":[308,336]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_TYPE_AERBRIDGE","features":[336]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_TYPE_AERENDPOINT","features":[336]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_TYPE_AERROOTPORT","features":[336]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_TYPE_GENERIC","features":[336]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_TYPE_GENERIC_V2","features":[336]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_TYPE_IPFCMC","features":[336]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_TYPE_IPFCPE","features":[336]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_TYPE_IPFMCA","features":[336]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_TYPE_XPFCMC","features":[336]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_TYPE_XPFMCE","features":[336]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_TYPE_XPFNMI","features":[336]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_VERSION_10","features":[336]},{"name":"WHEA_ERROR_SOURCE_DESCRIPTOR_VERSION_11","features":[336]},{"name":"WHEA_ERROR_SOURCE_FLAG_DEFAULTSOURCE","features":[336]},{"name":"WHEA_ERROR_SOURCE_FLAG_FIRMWAREFIRST","features":[336]},{"name":"WHEA_ERROR_SOURCE_FLAG_GHES_ASSIST","features":[336]},{"name":"WHEA_ERROR_SOURCE_FLAG_GLOBAL","features":[336]},{"name":"WHEA_ERROR_SOURCE_INITIALIZE_DEVICE_DRIVER","features":[308,336]},{"name":"WHEA_ERROR_SOURCE_INVALID_RELATED_SOURCE","features":[336]},{"name":"WHEA_ERROR_SOURCE_STATE","features":[336]},{"name":"WHEA_ERROR_SOURCE_TYPE","features":[336]},{"name":"WHEA_ERROR_SOURCE_UNINITIALIZE_DEVICE_DRIVER","features":[336]},{"name":"WHEA_GENERIC_ERROR_DESCRIPTOR","features":[336]},{"name":"WHEA_GENERIC_ERROR_DESCRIPTOR_V2","features":[336]},{"name":"WHEA_INTERNAL_ERROR","features":[336]},{"name":"WHEA_IPF_CMC_DESCRIPTOR","features":[336]},{"name":"WHEA_IPF_CPE_DESCRIPTOR","features":[336]},{"name":"WHEA_IPF_MCA_DESCRIPTOR","features":[336]},{"name":"WHEA_MAX_MC_BANKS","features":[336]},{"name":"WHEA_MEM_PERSISTOFFLINE","features":[336]},{"name":"WHEA_MEM_PFA_DISABLE","features":[336]},{"name":"WHEA_MEM_PFA_PAGECOUNT","features":[336]},{"name":"WHEA_MEM_PFA_THRESHOLD","features":[336]},{"name":"WHEA_MEM_PFA_TIMEOUT","features":[336]},{"name":"WHEA_NOTIFICATION_DESCRIPTOR","features":[336]},{"name":"WHEA_NOTIFICATION_FLAGS","features":[336]},{"name":"WHEA_NOTIFICATION_TYPE_ARMV8_SEA","features":[336]},{"name":"WHEA_NOTIFICATION_TYPE_ARMV8_SEI","features":[336]},{"name":"WHEA_NOTIFICATION_TYPE_CMCI","features":[336]},{"name":"WHEA_NOTIFICATION_TYPE_EXTERNALINTERRUPT","features":[336]},{"name":"WHEA_NOTIFICATION_TYPE_EXTERNALINTERRUPT_GSIV","features":[336]},{"name":"WHEA_NOTIFICATION_TYPE_GPIO_SIGNAL","features":[336]},{"name":"WHEA_NOTIFICATION_TYPE_LOCALINTERRUPT","features":[336]},{"name":"WHEA_NOTIFICATION_TYPE_MCE","features":[336]},{"name":"WHEA_NOTIFICATION_TYPE_NMI","features":[336]},{"name":"WHEA_NOTIFICATION_TYPE_POLLED","features":[336]},{"name":"WHEA_NOTIFICATION_TYPE_SCI","features":[336]},{"name":"WHEA_NOTIFICATION_TYPE_SDEI","features":[336]},{"name":"WHEA_NOTIFY_ALL_OFFLINES","features":[336]},{"name":"WHEA_PCI_SLOT_NUMBER","features":[336]},{"name":"WHEA_PENDING_PAGE_LIST_SZ","features":[336]},{"name":"WHEA_RESTORE_CMCI_ATTEMPTS","features":[336]},{"name":"WHEA_RESTORE_CMCI_ENABLED","features":[336]},{"name":"WHEA_RESTORE_CMCI_ERR_LIMIT","features":[336]},{"name":"WHEA_ROW_FAIL_CHECK_ENABLE","features":[336]},{"name":"WHEA_ROW_FAIL_CHECK_EXTENT","features":[336]},{"name":"WHEA_ROW_FAIL_CHECK_THRESHOLD","features":[336]},{"name":"WHEA_UNCORRECTABLE_ERROR","features":[336]},{"name":"WHEA_XPF_CMC_DESCRIPTOR","features":[308,336]},{"name":"WHEA_XPF_MCE_DESCRIPTOR","features":[308,336]},{"name":"WHEA_XPF_MC_BANK_DESCRIPTOR","features":[308,336]},{"name":"WHEA_XPF_MC_BANK_STATUSFORMAT_AMD64MCA","features":[336]},{"name":"WHEA_XPF_MC_BANK_STATUSFORMAT_IA32MCA","features":[336]},{"name":"WHEA_XPF_MC_BANK_STATUSFORMAT_Intel64MCA","features":[336]},{"name":"WHEA_XPF_NMI_DESCRIPTOR","features":[308,336]},{"name":"WIN32K_ATOMIC_CHECK_FAILURE","features":[336]},{"name":"WIN32K_CALLOUT_WATCHDOG_BUGCHECK","features":[336]},{"name":"WIN32K_CALLOUT_WATCHDOG_LIVEDUMP","features":[336]},{"name":"WIN32K_CRITICAL_FAILURE","features":[336]},{"name":"WIN32K_CRITICAL_FAILURE_LIVEDUMP","features":[336]},{"name":"WIN32K_HANDLE_MANAGER","features":[336]},{"name":"WIN32K_INIT_OR_RIT_FAILURE","features":[336]},{"name":"WIN32K_POWER_WATCHDOG_TIMEOUT","features":[336]},{"name":"WIN32K_SECURITY_FAILURE","features":[336]},{"name":"WINDOWS_NT_BANNER","features":[336]},{"name":"WINDOWS_NT_CSD_STRING","features":[336]},{"name":"WINDOWS_NT_INFO_STRING","features":[336]},{"name":"WINDOWS_NT_INFO_STRING_PLURAL","features":[336]},{"name":"WINDOWS_NT_MP_STRING","features":[336]},{"name":"WINDOWS_NT_RC_STRING","features":[336]},{"name":"WINLOGON_FATAL_ERROR","features":[336]},{"name":"WINSOCK_DETECTED_HUNG_CLOSESOCKET_LIVEDUMP","features":[336]},{"name":"WORKER_INVALID","features":[336]},{"name":"WORKER_THREAD_INVALID_STATE","features":[336]},{"name":"WORKER_THREAD_RETURNED_AT_BAD_IRQL","features":[336]},{"name":"WORKER_THREAD_RETURNED_WHILE_ATTACHED_TO_SILO","features":[336]},{"name":"WORKER_THREAD_RETURNED_WITH_BAD_IO_PRIORITY","features":[336]},{"name":"WORKER_THREAD_RETURNED_WITH_BAD_PAGING_IO_PRIORITY","features":[336]},{"name":"WORKER_THREAD_RETURNED_WITH_NON_DEFAULT_WORKLOAD_CLASS","features":[336]},{"name":"WORKER_THREAD_RETURNED_WITH_SYSTEM_PAGE_PRIORITY_ACTIVE","features":[336]},{"name":"WORKER_THREAD_TEST_CONDITION","features":[336]},{"name":"WOW64_CONTEXT","features":[336]},{"name":"WOW64_CONTEXT_ALL","features":[336]},{"name":"WOW64_CONTEXT_CONTROL","features":[336]},{"name":"WOW64_CONTEXT_DEBUG_REGISTERS","features":[336]},{"name":"WOW64_CONTEXT_EXCEPTION_ACTIVE","features":[336]},{"name":"WOW64_CONTEXT_EXCEPTION_REPORTING","features":[336]},{"name":"WOW64_CONTEXT_EXCEPTION_REQUEST","features":[336]},{"name":"WOW64_CONTEXT_EXTENDED_REGISTERS","features":[336]},{"name":"WOW64_CONTEXT_FLAGS","features":[336]},{"name":"WOW64_CONTEXT_FLOATING_POINT","features":[336]},{"name":"WOW64_CONTEXT_FULL","features":[336]},{"name":"WOW64_CONTEXT_INTEGER","features":[336]},{"name":"WOW64_CONTEXT_SEGMENTS","features":[336]},{"name":"WOW64_CONTEXT_SERVICE_ACTIVE","features":[336]},{"name":"WOW64_CONTEXT_X86","features":[336]},{"name":"WOW64_CONTEXT_XSTATE","features":[336]},{"name":"WOW64_DESCRIPTOR_TABLE_ENTRY","features":[336]},{"name":"WOW64_FLOATING_SAVE_AREA","features":[336]},{"name":"WOW64_LDT_ENTRY","features":[336]},{"name":"WOW64_MAXIMUM_SUPPORTED_EXTENSION","features":[336]},{"name":"WOW64_SIZE_OF_80387_REGISTERS","features":[336]},{"name":"WVR_LIVEDUMP_APP_IO_TIMEOUT","features":[336]},{"name":"WVR_LIVEDUMP_CRITICAL_ERROR","features":[336]},{"name":"WVR_LIVEDUMP_MANUALLY_INITIATED","features":[336]},{"name":"WVR_LIVEDUMP_RECOVERY_IOCONTEXT_TIMEOUT","features":[336]},{"name":"WVR_LIVEDUMP_REPLICATION_IOCONTEXT_TIMEOUT","features":[336]},{"name":"WVR_LIVEDUMP_STATE_FAILURE","features":[336]},{"name":"WVR_LIVEDUMP_STATE_TRANSITION_TIMEOUT","features":[336]},{"name":"WaitForDebugEvent","features":[308,336,343]},{"name":"WaitForDebugEventEx","features":[308,336,343]},{"name":"WctAlpcType","features":[336]},{"name":"WctComActivationType","features":[336]},{"name":"WctComType","features":[336]},{"name":"WctCriticalSectionType","features":[336]},{"name":"WctMaxType","features":[336]},{"name":"WctMutexType","features":[336]},{"name":"WctProcessWaitType","features":[336]},{"name":"WctSendMessageType","features":[336]},{"name":"WctSmbIoType","features":[336]},{"name":"WctSocketIoType","features":[336]},{"name":"WctStatusAbandoned","features":[336]},{"name":"WctStatusBlocked","features":[336]},{"name":"WctStatusError","features":[336]},{"name":"WctStatusMax","features":[336]},{"name":"WctStatusNoAccess","features":[336]},{"name":"WctStatusNotOwned","features":[336]},{"name":"WctStatusOwned","features":[336]},{"name":"WctStatusPidOnly","features":[336]},{"name":"WctStatusPidOnlyRpcss","features":[336]},{"name":"WctStatusRunning","features":[336]},{"name":"WctStatusUnknown","features":[336]},{"name":"WctThreadType","features":[336]},{"name":"WctThreadWaitType","features":[336]},{"name":"WctUnknownType","features":[336]},{"name":"WheaErrSrcStateRemovePending","features":[336]},{"name":"WheaErrSrcStateRemoved","features":[336]},{"name":"WheaErrSrcStateStarted","features":[336]},{"name":"WheaErrSrcStateStopped","features":[336]},{"name":"WheaErrSrcTypeBMC","features":[336]},{"name":"WheaErrSrcTypeBOOT","features":[336]},{"name":"WheaErrSrcTypeCMC","features":[336]},{"name":"WheaErrSrcTypeCPE","features":[336]},{"name":"WheaErrSrcTypeDeviceDriver","features":[336]},{"name":"WheaErrSrcTypeGeneric","features":[336]},{"name":"WheaErrSrcTypeGenericV2","features":[336]},{"name":"WheaErrSrcTypeINIT","features":[336]},{"name":"WheaErrSrcTypeIPFCMC","features":[336]},{"name":"WheaErrSrcTypeIPFCPE","features":[336]},{"name":"WheaErrSrcTypeIPFMCA","features":[336]},{"name":"WheaErrSrcTypeMCE","features":[336]},{"name":"WheaErrSrcTypeMax","features":[336]},{"name":"WheaErrSrcTypeNMI","features":[336]},{"name":"WheaErrSrcTypePCIe","features":[336]},{"name":"WheaErrSrcTypePMEM","features":[336]},{"name":"WheaErrSrcTypeSCIGeneric","features":[336]},{"name":"WheaErrSrcTypeSCIGenericV2","features":[336]},{"name":"WheaErrSrcTypeSea","features":[336]},{"name":"WheaErrSrcTypeSei","features":[336]},{"name":"Wow64GetThreadContext","features":[308,336]},{"name":"Wow64GetThreadSelectorEntry","features":[308,336]},{"name":"Wow64SetThreadContext","features":[308,336]},{"name":"WriteKernelMinidumpCallback","features":[336]},{"name":"WriteProcessMemory","features":[308,336]},{"name":"XBOX_360_SYSTEM_CRASH","features":[336]},{"name":"XBOX_360_SYSTEM_CRASH_RESERVED","features":[336]},{"name":"XBOX_CORRUPTED_IMAGE","features":[336]},{"name":"XBOX_CORRUPTED_IMAGE_BASE","features":[336]},{"name":"XBOX_INVERTED_FUNCTION_TABLE_OVERFLOW","features":[336]},{"name":"XBOX_MANUALLY_INITIATED_CRASH","features":[336]},{"name":"XBOX_SECURITY_FAILUE","features":[336]},{"name":"XBOX_SHUTDOWN_WATCHDOG_TIMEOUT","features":[336]},{"name":"XBOX_VMCTRL_CS_TIMEOUT","features":[336]},{"name":"XBOX_XDS_WATCHDOG_TIMEOUT","features":[336]},{"name":"XNS_INTERNAL_ERROR","features":[336]},{"name":"XPF_MCE_FLAGS","features":[336]},{"name":"XPF_MC_BANK_FLAGS","features":[336]},{"name":"XSAVE_AREA","features":[336]},{"name":"XSAVE_AREA_HEADER","features":[336]},{"name":"XSAVE_FORMAT","features":[336]},{"name":"XSAVE_FORMAT","features":[336]},{"name":"XSTATE_CONFIGURATION","features":[336]},{"name":"XSTATE_CONFIG_FEATURE_MSC_INFO","features":[336]},{"name":"XSTATE_CONTEXT","features":[336]},{"name":"XSTATE_CONTEXT","features":[336]},{"name":"XSTATE_FEATURE","features":[336]},{"name":"ceStreamBucketParameters","features":[336]},{"name":"ceStreamDiagnosisList","features":[336]},{"name":"ceStreamException","features":[336]},{"name":"ceStreamMemoryPhysicalList","features":[336]},{"name":"ceStreamMemoryVirtualList","features":[336]},{"name":"ceStreamModuleList","features":[336]},{"name":"ceStreamNull","features":[336]},{"name":"ceStreamProcessList","features":[336]},{"name":"ceStreamProcessModuleMap","features":[336]},{"name":"ceStreamSystemInfo","features":[336]},{"name":"ceStreamThreadCallStackList","features":[336]},{"name":"ceStreamThreadContextList","features":[336]},{"name":"ceStreamThreadList","features":[336]},{"name":"hdBase","features":[336]},{"name":"hdMax","features":[336]},{"name":"hdSrc","features":[336]},{"name":"hdSym","features":[336]},{"name":"sevAttn","features":[336]},{"name":"sevFatal","features":[336]},{"name":"sevInfo","features":[336]},{"name":"sevMax","features":[336]},{"name":"sevProblem","features":[336]},{"name":"sfDbg","features":[336]},{"name":"sfImage","features":[336]},{"name":"sfMax","features":[336]},{"name":"sfMpd","features":[336]},{"name":"sfPdb","features":[336]}],"553":[{"name":"ACTIVPROF_E_PROFILER_ABSENT","features":[546]},{"name":"ACTIVPROF_E_PROFILER_PRESENT","features":[546]},{"name":"ACTIVPROF_E_UNABLE_TO_APPLY_ACTION","features":[546]},{"name":"APPBREAKFLAG_DEBUGGER_BLOCK","features":[546]},{"name":"APPBREAKFLAG_DEBUGGER_HALT","features":[546]},{"name":"APPBREAKFLAG_IN_BREAKPOINT","features":[546]},{"name":"APPBREAKFLAG_NESTED","features":[546]},{"name":"APPBREAKFLAG_STEP","features":[546]},{"name":"APPBREAKFLAG_STEPTYPE_BYTECODE","features":[546]},{"name":"APPBREAKFLAG_STEPTYPE_MACHINE","features":[546]},{"name":"APPBREAKFLAG_STEPTYPE_MASK","features":[546]},{"name":"APPBREAKFLAG_STEPTYPE_SOURCE","features":[546]},{"name":"APPLICATION_NODE_EVENT_FILTER","features":[546]},{"name":"AsyncIDebugApplicationNodeEvents","features":[546]},{"name":"BREAKPOINT_DELETED","features":[546]},{"name":"BREAKPOINT_DISABLED","features":[546]},{"name":"BREAKPOINT_ENABLED","features":[546]},{"name":"BREAKPOINT_STATE","features":[546]},{"name":"BREAKREASON","features":[546]},{"name":"BREAKREASON_BREAKPOINT","features":[546]},{"name":"BREAKREASON_DEBUGGER_BLOCK","features":[546]},{"name":"BREAKREASON_DEBUGGER_HALT","features":[546]},{"name":"BREAKREASON_ERROR","features":[546]},{"name":"BREAKREASON_HOST_INITIATED","features":[546]},{"name":"BREAKREASON_JIT","features":[546]},{"name":"BREAKREASON_LANGUAGE_INITIATED","features":[546]},{"name":"BREAKREASON_MUTATION_BREAKPOINT","features":[546]},{"name":"BREAKREASON_STEP","features":[546]},{"name":"BREAKRESUMEACTION","features":[546]},{"name":"BREAKRESUMEACTION_ABORT","features":[546]},{"name":"BREAKRESUMEACTION_CONTINUE","features":[546]},{"name":"BREAKRESUMEACTION_IGNORE","features":[546]},{"name":"BREAKRESUMEACTION_STEP_DOCUMENT","features":[546]},{"name":"BREAKRESUMEACTION_STEP_INTO","features":[546]},{"name":"BREAKRESUMEACTION_STEP_OUT","features":[546]},{"name":"BREAKRESUMEACTION_STEP_OVER","features":[546]},{"name":"CATID_ActiveScript","features":[546]},{"name":"CATID_ActiveScriptAuthor","features":[546]},{"name":"CATID_ActiveScriptEncode","features":[546]},{"name":"CATID_ActiveScriptParse","features":[546]},{"name":"CDebugDocumentHelper","features":[546]},{"name":"DEBUG_EVENT_INFO_TYPE","features":[546]},{"name":"DEBUG_STACKFRAME_TYPE","features":[546]},{"name":"DEBUG_TEXT_ALLOWBREAKPOINTS","features":[546]},{"name":"DEBUG_TEXT_ALLOWERRORREPORT","features":[546]},{"name":"DEBUG_TEXT_EVALUATETOCODECONTEXT","features":[546]},{"name":"DEBUG_TEXT_ISEXPRESSION","features":[546]},{"name":"DEBUG_TEXT_ISNONUSERCODE","features":[546]},{"name":"DEBUG_TEXT_NOSIDEEFFECTS","features":[546]},{"name":"DEBUG_TEXT_RETURNVALUE","features":[546]},{"name":"DEIT_ASMJS_FAILED","features":[546]},{"name":"DEIT_ASMJS_IN_DEBUGGING","features":[546]},{"name":"DEIT_ASMJS_SUCCEEDED","features":[546]},{"name":"DEIT_GENERAL","features":[546]},{"name":"DOCUMENTNAMETYPE","features":[546]},{"name":"DOCUMENTNAMETYPE_APPNODE","features":[546]},{"name":"DOCUMENTNAMETYPE_FILE_TAIL","features":[546]},{"name":"DOCUMENTNAMETYPE_SOURCE_MAP_URL","features":[546]},{"name":"DOCUMENTNAMETYPE_TITLE","features":[546]},{"name":"DOCUMENTNAMETYPE_UNIQUE_TITLE","features":[546]},{"name":"DOCUMENTNAMETYPE_URL","features":[546]},{"name":"DST_INTERNAL_FRAME","features":[546]},{"name":"DST_INVOCATION_FRAME","features":[546]},{"name":"DST_SCRIPT_FRAME","features":[546]},{"name":"DebugHelper","features":[546]},{"name":"DebugStackFrameDescriptor","features":[308,546]},{"name":"DebugStackFrameDescriptor64","features":[308,546]},{"name":"DefaultDebugSessionProvider","features":[546]},{"name":"ERRORRESUMEACTION","features":[546]},{"name":"ERRORRESUMEACTION_AbortCallAndReturnErrorToCaller","features":[546]},{"name":"ERRORRESUMEACTION_ReexecuteErrorStatement","features":[546]},{"name":"ERRORRESUMEACTION_SkipErrorStatement","features":[546]},{"name":"ETK_FIRST_CHANCE","features":[546]},{"name":"ETK_UNHANDLED","features":[546]},{"name":"ETK_USER_UNHANDLED","features":[546]},{"name":"E_JsDEBUG_INVALID_MEMORY_ADDRESS","features":[546]},{"name":"E_JsDEBUG_MISMATCHED_RUNTIME","features":[546]},{"name":"E_JsDEBUG_OUTSIDE_OF_VM","features":[546]},{"name":"E_JsDEBUG_RUNTIME_NOT_IN_DEBUG_MODE","features":[546]},{"name":"E_JsDEBUG_SOURCE_LOCATION_NOT_FOUND","features":[546]},{"name":"E_JsDEBUG_UNKNOWN_THREAD","features":[546]},{"name":"FACILITY_JsDEBUG","features":[546]},{"name":"FILTER_EXCLUDE_ANONYMOUS_CODE","features":[546]},{"name":"FILTER_EXCLUDE_EVAL_CODE","features":[546]},{"name":"FILTER_EXCLUDE_NOTHING","features":[546]},{"name":"GETATTRFLAG_HUMANTEXT","features":[546]},{"name":"GETATTRFLAG_THIS","features":[546]},{"name":"GETATTRTYPE_DEPSCAN","features":[546]},{"name":"GETATTRTYPE_NORMAL","features":[546]},{"name":"IActiveScript","features":[546]},{"name":"IActiveScriptAuthor","features":[546]},{"name":"IActiveScriptAuthorProcedure","features":[546]},{"name":"IActiveScriptDebug32","features":[546]},{"name":"IActiveScriptDebug64","features":[546]},{"name":"IActiveScriptEncode","features":[546]},{"name":"IActiveScriptError","features":[546]},{"name":"IActiveScriptError64","features":[546]},{"name":"IActiveScriptErrorDebug","features":[546]},{"name":"IActiveScriptErrorDebug110","features":[546]},{"name":"IActiveScriptGarbageCollector","features":[546]},{"name":"IActiveScriptHostEncode","features":[546]},{"name":"IActiveScriptParse32","features":[546]},{"name":"IActiveScriptParse64","features":[546]},{"name":"IActiveScriptParseProcedure2_32","features":[546]},{"name":"IActiveScriptParseProcedure2_64","features":[546]},{"name":"IActiveScriptParseProcedure32","features":[546]},{"name":"IActiveScriptParseProcedure64","features":[546]},{"name":"IActiveScriptParseProcedureOld32","features":[546]},{"name":"IActiveScriptParseProcedureOld64","features":[546]},{"name":"IActiveScriptProfilerCallback","features":[546]},{"name":"IActiveScriptProfilerCallback2","features":[546]},{"name":"IActiveScriptProfilerCallback3","features":[546]},{"name":"IActiveScriptProfilerControl","features":[546]},{"name":"IActiveScriptProfilerControl2","features":[546]},{"name":"IActiveScriptProfilerControl3","features":[546]},{"name":"IActiveScriptProfilerControl4","features":[546]},{"name":"IActiveScriptProfilerControl5","features":[546]},{"name":"IActiveScriptProfilerHeapEnum","features":[546]},{"name":"IActiveScriptProperty","features":[546]},{"name":"IActiveScriptSIPInfo","features":[546]},{"name":"IActiveScriptSite","features":[546]},{"name":"IActiveScriptSiteDebug32","features":[546]},{"name":"IActiveScriptSiteDebug64","features":[546]},{"name":"IActiveScriptSiteDebugEx","features":[546]},{"name":"IActiveScriptSiteInterruptPoll","features":[546]},{"name":"IActiveScriptSiteTraceInfo","features":[546]},{"name":"IActiveScriptSiteUIControl","features":[546]},{"name":"IActiveScriptSiteWindow","features":[546]},{"name":"IActiveScriptStats","features":[546]},{"name":"IActiveScriptStringCompare","features":[546]},{"name":"IActiveScriptTraceInfo","features":[546]},{"name":"IActiveScriptWinRTErrorDebug","features":[546]},{"name":"IApplicationDebugger","features":[546]},{"name":"IApplicationDebuggerUI","features":[546]},{"name":"IBindEventHandler","features":[546]},{"name":"IDebugApplication11032","features":[546]},{"name":"IDebugApplication11064","features":[546]},{"name":"IDebugApplication32","features":[546]},{"name":"IDebugApplication64","features":[546]},{"name":"IDebugApplicationNode","features":[546]},{"name":"IDebugApplicationNode100","features":[546]},{"name":"IDebugApplicationNodeEvents","features":[546]},{"name":"IDebugApplicationThread","features":[546]},{"name":"IDebugApplicationThread11032","features":[546]},{"name":"IDebugApplicationThread11064","features":[546]},{"name":"IDebugApplicationThread64","features":[546]},{"name":"IDebugApplicationThreadEvents110","features":[546]},{"name":"IDebugAsyncOperation","features":[546]},{"name":"IDebugAsyncOperationCallBack","features":[546]},{"name":"IDebugCodeContext","features":[546]},{"name":"IDebugCookie","features":[546]},{"name":"IDebugDocument","features":[546]},{"name":"IDebugDocumentContext","features":[546]},{"name":"IDebugDocumentHelper32","features":[546]},{"name":"IDebugDocumentHelper64","features":[546]},{"name":"IDebugDocumentHost","features":[546]},{"name":"IDebugDocumentInfo","features":[546]},{"name":"IDebugDocumentProvider","features":[546]},{"name":"IDebugDocumentText","features":[546]},{"name":"IDebugDocumentTextAuthor","features":[546]},{"name":"IDebugDocumentTextEvents","features":[546]},{"name":"IDebugDocumentTextExternalAuthor","features":[546]},{"name":"IDebugExpression","features":[546]},{"name":"IDebugExpressionCallBack","features":[546]},{"name":"IDebugExpressionContext","features":[546]},{"name":"IDebugFormatter","features":[546]},{"name":"IDebugHelper","features":[546]},{"name":"IDebugSessionProvider","features":[546]},{"name":"IDebugStackFrame","features":[546]},{"name":"IDebugStackFrame110","features":[546]},{"name":"IDebugStackFrameSniffer","features":[546]},{"name":"IDebugStackFrameSnifferEx32","features":[546]},{"name":"IDebugStackFrameSnifferEx64","features":[546]},{"name":"IDebugSyncOperation","features":[546]},{"name":"IDebugThreadCall32","features":[546]},{"name":"IDebugThreadCall64","features":[546]},{"name":"IEnumDebugApplicationNodes","features":[546]},{"name":"IEnumDebugCodeContexts","features":[546]},{"name":"IEnumDebugExpressionContexts","features":[546]},{"name":"IEnumDebugStackFrames","features":[546]},{"name":"IEnumDebugStackFrames64","features":[546]},{"name":"IEnumJsStackFrames","features":[546]},{"name":"IEnumRemoteDebugApplicationThreads","features":[546]},{"name":"IEnumRemoteDebugApplications","features":[546]},{"name":"IJsDebug","features":[546]},{"name":"IJsDebugBreakPoint","features":[546]},{"name":"IJsDebugDataTarget","features":[546]},{"name":"IJsDebugFrame","features":[546]},{"name":"IJsDebugProcess","features":[546]},{"name":"IJsDebugProperty","features":[546]},{"name":"IJsDebugStackWalker","features":[546]},{"name":"IJsEnumDebugProperty","features":[546]},{"name":"IMachineDebugManager","features":[546]},{"name":"IMachineDebugManagerCookie","features":[546]},{"name":"IMachineDebugManagerEvents","features":[546]},{"name":"IProcessDebugManager32","features":[546]},{"name":"IProcessDebugManager64","features":[546]},{"name":"IProvideExpressionContexts","features":[546]},{"name":"IRemoteDebugApplication","features":[546]},{"name":"IRemoteDebugApplication110","features":[546]},{"name":"IRemoteDebugApplicationEvents","features":[546]},{"name":"IRemoteDebugApplicationThread","features":[546]},{"name":"IRemoteDebugCriticalErrorEvent110","features":[546]},{"name":"IRemoteDebugInfoEvent110","features":[546]},{"name":"IScriptEntry","features":[546]},{"name":"IScriptInvocationContext","features":[546]},{"name":"IScriptNode","features":[546]},{"name":"IScriptScriptlet","features":[546]},{"name":"ISimpleConnectionPoint","features":[546]},{"name":"ITridentEventSink","features":[546]},{"name":"IWebAppDiagnosticsObjectInitialization","features":[546]},{"name":"IWebAppDiagnosticsSetup","features":[546]},{"name":"JS_NATIVE_FRAME","features":[546]},{"name":"JS_PROPERTY_ATTRIBUTES","features":[546]},{"name":"JS_PROPERTY_ATTRIBUTE_NONE","features":[546]},{"name":"JS_PROPERTY_FAKE","features":[546]},{"name":"JS_PROPERTY_FRAME_INCATCHBLOCK","features":[546]},{"name":"JS_PROPERTY_FRAME_INFINALLYBLOCK","features":[546]},{"name":"JS_PROPERTY_FRAME_INTRYBLOCK","features":[546]},{"name":"JS_PROPERTY_HAS_CHILDREN","features":[546]},{"name":"JS_PROPERTY_MEMBERS","features":[546]},{"name":"JS_PROPERTY_MEMBERS_ALL","features":[546]},{"name":"JS_PROPERTY_MEMBERS_ARGUMENTS","features":[546]},{"name":"JS_PROPERTY_METHOD","features":[546]},{"name":"JS_PROPERTY_NATIVE_WINRT_POINTER","features":[546]},{"name":"JS_PROPERTY_READONLY","features":[546]},{"name":"JsDebugPropertyInfo","features":[546]},{"name":"JsDebugReadMemoryFlags","features":[546]},{"name":"MachineDebugManager_DEBUG","features":[546]},{"name":"MachineDebugManager_RETAIL","features":[546]},{"name":"OID_JSSIP","features":[546]},{"name":"OID_VBSSIP","features":[546]},{"name":"OID_WSFSIP","features":[546]},{"name":"PROFILER_EVENT_MASK","features":[546]},{"name":"PROFILER_EVENT_MASK_TRACE_ALL","features":[546]},{"name":"PROFILER_EVENT_MASK_TRACE_ALL_WITH_DOM","features":[546]},{"name":"PROFILER_EVENT_MASK_TRACE_DOM_FUNCTION_CALL","features":[546]},{"name":"PROFILER_EVENT_MASK_TRACE_NATIVE_FUNCTION_CALL","features":[546]},{"name":"PROFILER_EVENT_MASK_TRACE_SCRIPT_FUNCTION_CALL","features":[546]},{"name":"PROFILER_HEAP_ENUM_FLAGS","features":[546]},{"name":"PROFILER_HEAP_ENUM_FLAGS_NONE","features":[546]},{"name":"PROFILER_HEAP_ENUM_FLAGS_RELATIONSHIP_SUBSTRINGS","features":[546]},{"name":"PROFILER_HEAP_ENUM_FLAGS_STORE_RELATIONSHIP_FLAGS","features":[546]},{"name":"PROFILER_HEAP_ENUM_FLAGS_SUBSTRINGS","features":[546]},{"name":"PROFILER_HEAP_OBJECT","features":[546]},{"name":"PROFILER_HEAP_OBJECT_FLAGS","features":[546]},{"name":"PROFILER_HEAP_OBJECT_FLAGS_EXTERNAL","features":[546]},{"name":"PROFILER_HEAP_OBJECT_FLAGS_EXTERNAL_DISPATCH","features":[546]},{"name":"PROFILER_HEAP_OBJECT_FLAGS_EXTERNAL_UNKNOWN","features":[546]},{"name":"PROFILER_HEAP_OBJECT_FLAGS_IS_ROOT","features":[546]},{"name":"PROFILER_HEAP_OBJECT_FLAGS_NEW_OBJECT","features":[546]},{"name":"PROFILER_HEAP_OBJECT_FLAGS_NEW_STATE_UNAVAILABLE","features":[546]},{"name":"PROFILER_HEAP_OBJECT_FLAGS_SITE_CLOSED","features":[546]},{"name":"PROFILER_HEAP_OBJECT_FLAGS_SIZE_APPROXIMATE","features":[546]},{"name":"PROFILER_HEAP_OBJECT_FLAGS_SIZE_UNAVAILABLE","features":[546]},{"name":"PROFILER_HEAP_OBJECT_FLAGS_WINRT_DELEGATE","features":[546]},{"name":"PROFILER_HEAP_OBJECT_FLAGS_WINRT_INSTANCE","features":[546]},{"name":"PROFILER_HEAP_OBJECT_FLAGS_WINRT_NAMESPACE","features":[546]},{"name":"PROFILER_HEAP_OBJECT_FLAGS_WINRT_RUNTIMECLASS","features":[546]},{"name":"PROFILER_HEAP_OBJECT_NAME_ID_UNAVAILABLE","features":[546]},{"name":"PROFILER_HEAP_OBJECT_OPTIONAL_INFO","features":[546]},{"name":"PROFILER_HEAP_OBJECT_OPTIONAL_INFO_ELEMENT_ATTRIBUTES_SIZE","features":[546]},{"name":"PROFILER_HEAP_OBJECT_OPTIONAL_INFO_ELEMENT_TEXT_CHILDREN_SIZE","features":[546]},{"name":"PROFILER_HEAP_OBJECT_OPTIONAL_INFO_FUNCTION_NAME","features":[546]},{"name":"PROFILER_HEAP_OBJECT_OPTIONAL_INFO_INDEX_PROPERTIES","features":[546]},{"name":"PROFILER_HEAP_OBJECT_OPTIONAL_INFO_INTERNAL_PROPERTY","features":[546]},{"name":"PROFILER_HEAP_OBJECT_OPTIONAL_INFO_MAP_COLLECTION_LIST","features":[546]},{"name":"PROFILER_HEAP_OBJECT_OPTIONAL_INFO_MAX_VALUE","features":[546]},{"name":"PROFILER_HEAP_OBJECT_OPTIONAL_INFO_NAME_PROPERTIES","features":[546]},{"name":"PROFILER_HEAP_OBJECT_OPTIONAL_INFO_PROTOTYPE","features":[546]},{"name":"PROFILER_HEAP_OBJECT_OPTIONAL_INFO_RELATIONSHIPS","features":[546]},{"name":"PROFILER_HEAP_OBJECT_OPTIONAL_INFO_SCOPE_LIST","features":[546]},{"name":"PROFILER_HEAP_OBJECT_OPTIONAL_INFO_SET_COLLECTION_LIST","features":[546]},{"name":"PROFILER_HEAP_OBJECT_OPTIONAL_INFO_TYPE","features":[546]},{"name":"PROFILER_HEAP_OBJECT_OPTIONAL_INFO_WEAKMAP_COLLECTION_LIST","features":[546]},{"name":"PROFILER_HEAP_OBJECT_OPTIONAL_INFO_WINRTEVENTS","features":[546]},{"name":"PROFILER_HEAP_OBJECT_RELATIONSHIP","features":[546]},{"name":"PROFILER_HEAP_OBJECT_RELATIONSHIP_FLAGS","features":[546]},{"name":"PROFILER_HEAP_OBJECT_RELATIONSHIP_FLAGS_CONST_VARIABLE","features":[546]},{"name":"PROFILER_HEAP_OBJECT_RELATIONSHIP_FLAGS_IS_GET_ACCESSOR","features":[546]},{"name":"PROFILER_HEAP_OBJECT_RELATIONSHIP_FLAGS_IS_SET_ACCESSOR","features":[546]},{"name":"PROFILER_HEAP_OBJECT_RELATIONSHIP_FLAGS_LET_VARIABLE","features":[546]},{"name":"PROFILER_HEAP_OBJECT_RELATIONSHIP_FLAGS_NONE","features":[546]},{"name":"PROFILER_HEAP_OBJECT_RELATIONSHIP_LIST","features":[546]},{"name":"PROFILER_HEAP_OBJECT_SCOPE_LIST","features":[546]},{"name":"PROFILER_HEAP_SUMMARY","features":[546]},{"name":"PROFILER_HEAP_SUMMARY_VERSION","features":[546]},{"name":"PROFILER_HEAP_SUMMARY_VERSION_1","features":[546]},{"name":"PROFILER_PROPERTY_TYPE_BSTR","features":[546]},{"name":"PROFILER_PROPERTY_TYPE_EXTERNAL_OBJECT","features":[546]},{"name":"PROFILER_PROPERTY_TYPE_HEAP_OBJECT","features":[546]},{"name":"PROFILER_PROPERTY_TYPE_NUMBER","features":[546]},{"name":"PROFILER_PROPERTY_TYPE_STRING","features":[546]},{"name":"PROFILER_PROPERTY_TYPE_SUBSTRING","features":[546]},{"name":"PROFILER_PROPERTY_TYPE_SUBSTRING_INFO","features":[546]},{"name":"PROFILER_RELATIONSHIP_INFO","features":[546]},{"name":"PROFILER_SCRIPT_TYPE","features":[546]},{"name":"PROFILER_SCRIPT_TYPE_DOM","features":[546]},{"name":"PROFILER_SCRIPT_TYPE_DYNAMIC","features":[546]},{"name":"PROFILER_SCRIPT_TYPE_NATIVE","features":[546]},{"name":"PROFILER_SCRIPT_TYPE_USER","features":[546]},{"name":"ProcessDebugManager","features":[546]},{"name":"SCRIPTGCTYPE","features":[546]},{"name":"SCRIPTGCTYPE_EXHAUSTIVE","features":[546]},{"name":"SCRIPTGCTYPE_NORMAL","features":[546]},{"name":"SCRIPTINFO_ITYPEINFO","features":[546]},{"name":"SCRIPTINFO_IUNKNOWN","features":[546]},{"name":"SCRIPTINTERRUPT_DEBUG","features":[546]},{"name":"SCRIPTINTERRUPT_RAISEEXCEPTION","features":[546]},{"name":"SCRIPTITEM_CODEONLY","features":[546]},{"name":"SCRIPTITEM_GLOBALMEMBERS","features":[546]},{"name":"SCRIPTITEM_ISPERSISTENT","features":[546]},{"name":"SCRIPTITEM_ISSOURCE","features":[546]},{"name":"SCRIPTITEM_ISVISIBLE","features":[546]},{"name":"SCRIPTITEM_NOCODE","features":[546]},{"name":"SCRIPTLANGUAGEVERSION","features":[546]},{"name":"SCRIPTLANGUAGEVERSION_5_7","features":[546]},{"name":"SCRIPTLANGUAGEVERSION_5_8","features":[546]},{"name":"SCRIPTLANGUAGEVERSION_DEFAULT","features":[546]},{"name":"SCRIPTLANGUAGEVERSION_MAX","features":[546]},{"name":"SCRIPTPROC_HOSTMANAGESSOURCE","features":[546]},{"name":"SCRIPTPROC_IMPLICIT_PARENTS","features":[546]},{"name":"SCRIPTPROC_IMPLICIT_THIS","features":[546]},{"name":"SCRIPTPROC_ISEXPRESSION","features":[546]},{"name":"SCRIPTPROC_ISXDOMAIN","features":[546]},{"name":"SCRIPTPROP_ABBREVIATE_GLOBALNAME_RESOLUTION","features":[546]},{"name":"SCRIPTPROP_BUILDNUMBER","features":[546]},{"name":"SCRIPTPROP_CATCHEXCEPTION","features":[546]},{"name":"SCRIPTPROP_CONVERSIONLCID","features":[546]},{"name":"SCRIPTPROP_DEBUGGER","features":[546]},{"name":"SCRIPTPROP_DELAYEDEVENTSINKING","features":[546]},{"name":"SCRIPTPROP_GCCONTROLSOFTCLOSE","features":[546]},{"name":"SCRIPTPROP_HACK_FIBERSUPPORT","features":[546]},{"name":"SCRIPTPROP_HACK_TRIDENTEVENTSINK","features":[546]},{"name":"SCRIPTPROP_HOSTKEEPALIVE","features":[546]},{"name":"SCRIPTPROP_HOSTSTACKREQUIRED","features":[546]},{"name":"SCRIPTPROP_INTEGERMODE","features":[546]},{"name":"SCRIPTPROP_INVOKEVERSIONING","features":[546]},{"name":"SCRIPTPROP_JITDEBUG","features":[546]},{"name":"SCRIPTPROP_MAJORVERSION","features":[546]},{"name":"SCRIPTPROP_MINORVERSION","features":[546]},{"name":"SCRIPTPROP_NAME","features":[546]},{"name":"SCRIPTPROP_SCRIPTSAREFULLYTRUSTED","features":[546]},{"name":"SCRIPTPROP_STRINGCOMPAREINSTANCE","features":[546]},{"name":"SCRIPTSTATE","features":[546]},{"name":"SCRIPTSTATE_CLOSED","features":[546]},{"name":"SCRIPTSTATE_CONNECTED","features":[546]},{"name":"SCRIPTSTATE_DISCONNECTED","features":[546]},{"name":"SCRIPTSTATE_INITIALIZED","features":[546]},{"name":"SCRIPTSTATE_STARTED","features":[546]},{"name":"SCRIPTSTATE_UNINITIALIZED","features":[546]},{"name":"SCRIPTSTAT_INSTRUCTION_COUNT","features":[546]},{"name":"SCRIPTSTAT_INTSTRUCTION_TIME","features":[546]},{"name":"SCRIPTSTAT_STATEMENT_COUNT","features":[546]},{"name":"SCRIPTSTAT_TOTAL_TIME","features":[546]},{"name":"SCRIPTTEXT_DELAYEXECUTION","features":[546]},{"name":"SCRIPTTEXT_HOSTMANAGESSOURCE","features":[546]},{"name":"SCRIPTTEXT_ISEXPRESSION","features":[546]},{"name":"SCRIPTTEXT_ISNONUSERCODE","features":[546]},{"name":"SCRIPTTEXT_ISPERSISTENT","features":[546]},{"name":"SCRIPTTEXT_ISVISIBLE","features":[546]},{"name":"SCRIPTTEXT_ISXDOMAIN","features":[546]},{"name":"SCRIPTTHREADSTATE","features":[546]},{"name":"SCRIPTTHREADSTATE_NOTINSCRIPT","features":[546]},{"name":"SCRIPTTHREADSTATE_RUNNING","features":[546]},{"name":"SCRIPTTRACEINFO","features":[546]},{"name":"SCRIPTTRACEINFO_COMCALLEND","features":[546]},{"name":"SCRIPTTRACEINFO_COMCALLSTART","features":[546]},{"name":"SCRIPTTRACEINFO_CREATEOBJEND","features":[546]},{"name":"SCRIPTTRACEINFO_CREATEOBJSTART","features":[546]},{"name":"SCRIPTTRACEINFO_GETOBJEND","features":[546]},{"name":"SCRIPTTRACEINFO_GETOBJSTART","features":[546]},{"name":"SCRIPTTRACEINFO_SCRIPTEND","features":[546]},{"name":"SCRIPTTRACEINFO_SCRIPTSTART","features":[546]},{"name":"SCRIPTTYPELIB_ISCONTROL","features":[546]},{"name":"SCRIPTTYPELIB_ISPERSISTENT","features":[546]},{"name":"SCRIPTUICHANDLING","features":[546]},{"name":"SCRIPTUICHANDLING_ALLOW","features":[546]},{"name":"SCRIPTUICHANDLING_NOUIDEFAULT","features":[546]},{"name":"SCRIPTUICHANDLING_NOUIERROR","features":[546]},{"name":"SCRIPTUICITEM","features":[546]},{"name":"SCRIPTUICITEM_INPUTBOX","features":[546]},{"name":"SCRIPTUICITEM_MSGBOX","features":[546]},{"name":"SCRIPT_CMPL_COMMIT","features":[546]},{"name":"SCRIPT_CMPL_ENUMLIST","features":[546]},{"name":"SCRIPT_CMPL_ENUM_TRIGGER","features":[546]},{"name":"SCRIPT_CMPL_GLOBALLIST","features":[546]},{"name":"SCRIPT_CMPL_MEMBERLIST","features":[546]},{"name":"SCRIPT_CMPL_MEMBER_TRIGGER","features":[546]},{"name":"SCRIPT_CMPL_NOLIST","features":[546]},{"name":"SCRIPT_CMPL_PARAMTIP","features":[546]},{"name":"SCRIPT_CMPL_PARAM_TRIGGER","features":[546]},{"name":"SCRIPT_DEBUGGER_OPTIONS","features":[546]},{"name":"SCRIPT_ENCODE_DEFAULT_LANGUAGE","features":[546]},{"name":"SCRIPT_ENCODE_NO_ASP_LANGUAGE","features":[546]},{"name":"SCRIPT_ENCODE_SECTION","features":[546]},{"name":"SCRIPT_ERROR_DEBUG_EXCEPTION_THROWN_KIND","features":[546]},{"name":"SCRIPT_E_PROPAGATE","features":[546]},{"name":"SCRIPT_E_RECORDED","features":[546]},{"name":"SCRIPT_E_REPORTED","features":[546]},{"name":"SCRIPT_INVOCATION_CONTEXT_TYPE","features":[546]},{"name":"SDO_ENABLE_FIRST_CHANCE_EXCEPTIONS","features":[546]},{"name":"SDO_ENABLE_LIBRARY_STACK_FRAME","features":[546]},{"name":"SDO_ENABLE_NONUSER_CODE_SUPPORT","features":[546]},{"name":"SDO_ENABLE_WEB_WORKER_SUPPORT","features":[546]},{"name":"SDO_NONE","features":[546]},{"name":"SICT_Event","features":[546]},{"name":"SICT_MutationObserverCheckpoint","features":[546]},{"name":"SICT_RequestAnimationFrame","features":[546]},{"name":"SICT_SetImmediate","features":[546]},{"name":"SICT_SetInterval","features":[546]},{"name":"SICT_SetTimeout","features":[546]},{"name":"SICT_ToString","features":[546]},{"name":"SICT_WWAExecAtPriority","features":[546]},{"name":"SICT_WWAExecUnsafeLocalFunction","features":[546]},{"name":"SOURCETEXT_ATTR_COMMENT","features":[546]},{"name":"SOURCETEXT_ATTR_FUNCTION_START","features":[546]},{"name":"SOURCETEXT_ATTR_HUMANTEXT","features":[546]},{"name":"SOURCETEXT_ATTR_IDENTIFIER","features":[546]},{"name":"SOURCETEXT_ATTR_KEYWORD","features":[546]},{"name":"SOURCETEXT_ATTR_MEMBERLOOKUP","features":[546]},{"name":"SOURCETEXT_ATTR_NONSOURCE","features":[546]},{"name":"SOURCETEXT_ATTR_NUMBER","features":[546]},{"name":"SOURCETEXT_ATTR_OPERATOR","features":[546]},{"name":"SOURCETEXT_ATTR_STRING","features":[546]},{"name":"SOURCETEXT_ATTR_THIS","features":[546]},{"name":"TEXT_DOCUMENT_ARRAY","features":[546]},{"name":"TEXT_DOC_ATTR_READONLY","features":[546]},{"name":"TEXT_DOC_ATTR_TYPE_PRIMARY","features":[546]},{"name":"TEXT_DOC_ATTR_TYPE_SCRIPT","features":[546]},{"name":"TEXT_DOC_ATTR_TYPE_WORKER","features":[546]},{"name":"THREAD_BLOCKED","features":[546]},{"name":"THREAD_OUT_OF_CONTEXT","features":[546]},{"name":"THREAD_STATE_RUNNING","features":[546]},{"name":"THREAD_STATE_SUSPENDED","features":[546]},{"name":"fasaCaseSensitive","features":[546]},{"name":"fasaPreferInternalHandler","features":[546]},{"name":"fasaSupportInternalHandler","features":[546]}],"554":[{"name":"ADDRESS_TYPE_INDEX_NOT_FOUND","features":[547]},{"name":"Ambiguous","features":[547]},{"name":"ArrayDimension","features":[547]},{"name":"BUSDATA","features":[547]},{"name":"CANNOT_ALLOCATE_MEMORY","features":[547]},{"name":"CKCL_DATA","features":[547]},{"name":"CKCL_LISTHEAD","features":[308,547]},{"name":"CLSID_DebugFailureAnalysisBasic","features":[547]},{"name":"CLSID_DebugFailureAnalysisKernel","features":[547]},{"name":"CLSID_DebugFailureAnalysisTarget","features":[547]},{"name":"CLSID_DebugFailureAnalysisUser","features":[547]},{"name":"CLSID_DebugFailureAnalysisWinCE","features":[547]},{"name":"CLSID_DebugFailureAnalysisXBox360","features":[547]},{"name":"CPU_INFO","features":[547]},{"name":"CPU_INFO_v1","features":[547]},{"name":"CPU_INFO_v2","features":[547]},{"name":"CROSS_PLATFORM_MAXIMUM_PROCESSORS","features":[547]},{"name":"CURRENT_KD_SECONDARY_VERSION","features":[547]},{"name":"CallingConventionCDecl","features":[547]},{"name":"CallingConventionFastCall","features":[547]},{"name":"CallingConventionKind","features":[547]},{"name":"CallingConventionStdCall","features":[547]},{"name":"CallingConventionSysCall","features":[547]},{"name":"CallingConventionThisCall","features":[547]},{"name":"CallingConventionUnknown","features":[547]},{"name":"CreateDataModelManager","features":[547]},{"name":"DBGKD_DEBUG_DATA_HEADER32","features":[547,314]},{"name":"DBGKD_DEBUG_DATA_HEADER64","features":[547,314]},{"name":"DBGKD_GET_VERSION32","features":[547]},{"name":"DBGKD_GET_VERSION64","features":[547]},{"name":"DBGKD_MAJOR_BIG","features":[547]},{"name":"DBGKD_MAJOR_CE","features":[547]},{"name":"DBGKD_MAJOR_COUNT","features":[547]},{"name":"DBGKD_MAJOR_EFI","features":[547]},{"name":"DBGKD_MAJOR_EXDI","features":[547]},{"name":"DBGKD_MAJOR_HYPERVISOR","features":[547]},{"name":"DBGKD_MAJOR_MIDORI","features":[547]},{"name":"DBGKD_MAJOR_NT","features":[547]},{"name":"DBGKD_MAJOR_NTBD","features":[547]},{"name":"DBGKD_MAJOR_SINGULARITY","features":[547]},{"name":"DBGKD_MAJOR_TNT","features":[547]},{"name":"DBGKD_MAJOR_TYPES","features":[547]},{"name":"DBGKD_MAJOR_XBOX","features":[547]},{"name":"DBGKD_SIMULATION_EXDI","features":[547]},{"name":"DBGKD_SIMULATION_NONE","features":[547]},{"name":"DBGKD_VERS_FLAG_DATA","features":[547]},{"name":"DBGKD_VERS_FLAG_HAL_IN_NTOS","features":[547]},{"name":"DBGKD_VERS_FLAG_HSS","features":[547]},{"name":"DBGKD_VERS_FLAG_MP","features":[547]},{"name":"DBGKD_VERS_FLAG_NOMM","features":[547]},{"name":"DBGKD_VERS_FLAG_PARTITIONS","features":[547]},{"name":"DBGKD_VERS_FLAG_PTR64","features":[547]},{"name":"DBG_DUMP_ADDRESS_AT_END","features":[547]},{"name":"DBG_DUMP_ADDRESS_OF_FIELD","features":[547]},{"name":"DBG_DUMP_ARRAY","features":[547]},{"name":"DBG_DUMP_BLOCK_RECURSE","features":[547]},{"name":"DBG_DUMP_CALL_FOR_EACH","features":[547]},{"name":"DBG_DUMP_COMPACT_OUT","features":[547]},{"name":"DBG_DUMP_COPY_TYPE_DATA","features":[547]},{"name":"DBG_DUMP_FIELD_ARRAY","features":[547]},{"name":"DBG_DUMP_FIELD_CALL_BEFORE_PRINT","features":[547]},{"name":"DBG_DUMP_FIELD_COPY_FIELD_DATA","features":[547]},{"name":"DBG_DUMP_FIELD_DEFAULT_STRING","features":[547]},{"name":"DBG_DUMP_FIELD_FULL_NAME","features":[547]},{"name":"DBG_DUMP_FIELD_GUID_STRING","features":[547]},{"name":"DBG_DUMP_FIELD_MULTI_STRING","features":[547]},{"name":"DBG_DUMP_FIELD_NO_CALLBACK_REQ","features":[547]},{"name":"DBG_DUMP_FIELD_NO_PRINT","features":[547]},{"name":"DBG_DUMP_FIELD_RECUR_ON_THIS","features":[547]},{"name":"DBG_DUMP_FIELD_RETURN_ADDRESS","features":[547]},{"name":"DBG_DUMP_FIELD_SIZE_IN_BITS","features":[547]},{"name":"DBG_DUMP_FIELD_UTF32_STRING","features":[547]},{"name":"DBG_DUMP_FIELD_WCHAR_STRING","features":[547]},{"name":"DBG_DUMP_FUNCTION_FORMAT","features":[547]},{"name":"DBG_DUMP_GET_SIZE_ONLY","features":[547]},{"name":"DBG_DUMP_LIST","features":[547]},{"name":"DBG_DUMP_MATCH_SIZE","features":[547]},{"name":"DBG_DUMP_NO_INDENT","features":[547]},{"name":"DBG_DUMP_NO_OFFSET","features":[547]},{"name":"DBG_DUMP_NO_PRINT","features":[547]},{"name":"DBG_DUMP_READ_PHYSICAL","features":[547]},{"name":"DBG_DUMP_VERBOSE","features":[547]},{"name":"DBG_FRAME_DEFAULT","features":[547]},{"name":"DBG_FRAME_IGNORE_INLINE","features":[547]},{"name":"DBG_RETURN_SUBTYPES","features":[547]},{"name":"DBG_RETURN_TYPE","features":[547]},{"name":"DBG_RETURN_TYPE_VALUES","features":[547]},{"name":"DBG_THREAD_ATTRIBUTES","features":[547]},{"name":"DEBUG_ADDSYNTHMOD_DEFAULT","features":[547]},{"name":"DEBUG_ADDSYNTHMOD_ZEROBASE","features":[547]},{"name":"DEBUG_ADDSYNTHSYM_DEFAULT","features":[547]},{"name":"DEBUG_ANALYSIS_PROCESSOR_INFO","features":[547]},{"name":"DEBUG_ANY_ID","features":[547]},{"name":"DEBUG_ASMOPT_DEFAULT","features":[547]},{"name":"DEBUG_ASMOPT_IGNORE_OUTPUT_WIDTH","features":[547]},{"name":"DEBUG_ASMOPT_NO_CODE_BYTES","features":[547]},{"name":"DEBUG_ASMOPT_SOURCE_LINE_NUMBER","features":[547]},{"name":"DEBUG_ASMOPT_VERBOSE","features":[547]},{"name":"DEBUG_ATTACH_DEFAULT","features":[547]},{"name":"DEBUG_ATTACH_EXDI_DRIVER","features":[547]},{"name":"DEBUG_ATTACH_EXISTING","features":[547]},{"name":"DEBUG_ATTACH_INSTALL_DRIVER","features":[547]},{"name":"DEBUG_ATTACH_INVASIVE_NO_INITIAL_BREAK","features":[547]},{"name":"DEBUG_ATTACH_INVASIVE_RESUME_PROCESS","features":[547]},{"name":"DEBUG_ATTACH_KERNEL_CONNECTION","features":[547]},{"name":"DEBUG_ATTACH_LOCAL_KERNEL","features":[547]},{"name":"DEBUG_ATTACH_NONINVASIVE","features":[547]},{"name":"DEBUG_ATTACH_NONINVASIVE_ALLOW_PARTIAL","features":[547]},{"name":"DEBUG_ATTACH_NONINVASIVE_NO_SUSPEND","features":[547]},{"name":"DEBUG_BREAKPOINT_ADDER_ONLY","features":[547]},{"name":"DEBUG_BREAKPOINT_CODE","features":[547]},{"name":"DEBUG_BREAKPOINT_DATA","features":[547]},{"name":"DEBUG_BREAKPOINT_DEFERRED","features":[547]},{"name":"DEBUG_BREAKPOINT_ENABLED","features":[547]},{"name":"DEBUG_BREAKPOINT_GO_ONLY","features":[547]},{"name":"DEBUG_BREAKPOINT_INLINE","features":[547]},{"name":"DEBUG_BREAKPOINT_ONE_SHOT","features":[547]},{"name":"DEBUG_BREAKPOINT_PARAMETERS","features":[547]},{"name":"DEBUG_BREAKPOINT_TIME","features":[547]},{"name":"DEBUG_BREAK_EXECUTE","features":[547]},{"name":"DEBUG_BREAK_IO","features":[547]},{"name":"DEBUG_BREAK_READ","features":[547]},{"name":"DEBUG_BREAK_WRITE","features":[547]},{"name":"DEBUG_CACHED_SYMBOL_INFO","features":[547]},{"name":"DEBUG_CDS_ALL","features":[547]},{"name":"DEBUG_CDS_DATA","features":[547]},{"name":"DEBUG_CDS_REFRESH","features":[547]},{"name":"DEBUG_CDS_REFRESH_ADDBREAKPOINT","features":[547]},{"name":"DEBUG_CDS_REFRESH_EVALUATE","features":[547]},{"name":"DEBUG_CDS_REFRESH_EXECUTE","features":[547]},{"name":"DEBUG_CDS_REFRESH_EXECUTECOMMANDFILE","features":[547]},{"name":"DEBUG_CDS_REFRESH_INLINESTEP","features":[547]},{"name":"DEBUG_CDS_REFRESH_INLINESTEP_PSEUDO","features":[547]},{"name":"DEBUG_CDS_REFRESH_REMOVEBREAKPOINT","features":[547]},{"name":"DEBUG_CDS_REFRESH_SETSCOPE","features":[547]},{"name":"DEBUG_CDS_REFRESH_SETSCOPEFRAMEBYINDEX","features":[547]},{"name":"DEBUG_CDS_REFRESH_SETSCOPEFROMJITDEBUGINFO","features":[547]},{"name":"DEBUG_CDS_REFRESH_SETSCOPEFROMSTOREDEVENT","features":[547]},{"name":"DEBUG_CDS_REFRESH_SETVALUE","features":[547]},{"name":"DEBUG_CDS_REFRESH_SETVALUE2","features":[547]},{"name":"DEBUG_CDS_REFRESH_WRITEPHYSICAL","features":[547]},{"name":"DEBUG_CDS_REFRESH_WRITEPHYSICAL2","features":[547]},{"name":"DEBUG_CDS_REFRESH_WRITEVIRTUAL","features":[547]},{"name":"DEBUG_CDS_REFRESH_WRITEVIRTUALUNCACHED","features":[547]},{"name":"DEBUG_CDS_REGISTERS","features":[547]},{"name":"DEBUG_CES_ALL","features":[547]},{"name":"DEBUG_CES_ASSEMBLY_OPTIONS","features":[547]},{"name":"DEBUG_CES_BREAKPOINTS","features":[547]},{"name":"DEBUG_CES_CODE_LEVEL","features":[547]},{"name":"DEBUG_CES_CURRENT_THREAD","features":[547]},{"name":"DEBUG_CES_EFFECTIVE_PROCESSOR","features":[547]},{"name":"DEBUG_CES_ENGINE_OPTIONS","features":[547]},{"name":"DEBUG_CES_EVENT_FILTERS","features":[547]},{"name":"DEBUG_CES_EXECUTION_STATUS","features":[547]},{"name":"DEBUG_CES_EXPRESSION_SYNTAX","features":[547]},{"name":"DEBUG_CES_EXTENSIONS","features":[547]},{"name":"DEBUG_CES_LOG_FILE","features":[547]},{"name":"DEBUG_CES_PROCESS_OPTIONS","features":[547]},{"name":"DEBUG_CES_RADIX","features":[547]},{"name":"DEBUG_CES_SYSTEMS","features":[547]},{"name":"DEBUG_CES_TEXT_REPLACEMENTS","features":[547]},{"name":"DEBUG_CLASS_IMAGE_FILE","features":[547]},{"name":"DEBUG_CLASS_KERNEL","features":[547]},{"name":"DEBUG_CLASS_UNINITIALIZED","features":[547]},{"name":"DEBUG_CLASS_USER_WINDOWS","features":[547]},{"name":"DEBUG_CLIENT_CDB","features":[547]},{"name":"DEBUG_CLIENT_CONTEXT","features":[547]},{"name":"DEBUG_CLIENT_KD","features":[547]},{"name":"DEBUG_CLIENT_NTKD","features":[547]},{"name":"DEBUG_CLIENT_NTSD","features":[547]},{"name":"DEBUG_CLIENT_UNKNOWN","features":[547]},{"name":"DEBUG_CLIENT_VSINT","features":[547]},{"name":"DEBUG_CLIENT_WINDBG","features":[547]},{"name":"DEBUG_CLIENT_WINIDE","features":[547]},{"name":"DEBUG_CMDEX_ADD_EVENT_STRING","features":[547]},{"name":"DEBUG_CMDEX_INVALID","features":[547]},{"name":"DEBUG_CMDEX_RESET_EVENT_STRINGS","features":[547]},{"name":"DEBUG_COMMAND_EXCEPTION_ID","features":[547]},{"name":"DEBUG_CONNECT_SESSION_DEFAULT","features":[547]},{"name":"DEBUG_CONNECT_SESSION_NO_ANNOUNCE","features":[547]},{"name":"DEBUG_CONNECT_SESSION_NO_VERSION","features":[547]},{"name":"DEBUG_CPU_MICROCODE_VERSION","features":[547]},{"name":"DEBUG_CPU_SPEED_INFO","features":[547]},{"name":"DEBUG_CREATE_PROCESS_OPTIONS","features":[547]},{"name":"DEBUG_CSS_ALL","features":[547]},{"name":"DEBUG_CSS_COLLAPSE_CHILDREN","features":[547]},{"name":"DEBUG_CSS_LOADS","features":[547]},{"name":"DEBUG_CSS_PATHS","features":[547]},{"name":"DEBUG_CSS_SCOPE","features":[547]},{"name":"DEBUG_CSS_SYMBOL_OPTIONS","features":[547]},{"name":"DEBUG_CSS_TYPE_OPTIONS","features":[547]},{"name":"DEBUG_CSS_UNLOADS","features":[547]},{"name":"DEBUG_CURRENT_DEFAULT","features":[547]},{"name":"DEBUG_CURRENT_DISASM","features":[547]},{"name":"DEBUG_CURRENT_REGISTERS","features":[547]},{"name":"DEBUG_CURRENT_SOURCE_LINE","features":[547]},{"name":"DEBUG_CURRENT_SYMBOL","features":[547]},{"name":"DEBUG_DATA_BASE_TRANSLATION_VIRTUAL_OFFSET","features":[547]},{"name":"DEBUG_DATA_BreakpointWithStatusAddr","features":[547]},{"name":"DEBUG_DATA_CmNtCSDVersionAddr","features":[547]},{"name":"DEBUG_DATA_DumpAttributes","features":[547]},{"name":"DEBUG_DATA_DumpFormatVersion","features":[547]},{"name":"DEBUG_DATA_DumpMmStorage","features":[547]},{"name":"DEBUG_DATA_DumpPowerState","features":[547]},{"name":"DEBUG_DATA_DumpWriterStatus","features":[547]},{"name":"DEBUG_DATA_DumpWriterVersion","features":[547]},{"name":"DEBUG_DATA_EtwpDebuggerData","features":[547]},{"name":"DEBUG_DATA_ExpNumberOfPagedPoolsAddr","features":[547]},{"name":"DEBUG_DATA_ExpPagedPoolDescriptorAddr","features":[547]},{"name":"DEBUG_DATA_ExpSystemResourcesListAddr","features":[547]},{"name":"DEBUG_DATA_IopErrorLogListHeadAddr","features":[547]},{"name":"DEBUG_DATA_KPCR_OFFSET","features":[547]},{"name":"DEBUG_DATA_KPRCB_OFFSET","features":[547]},{"name":"DEBUG_DATA_KTHREAD_OFFSET","features":[547]},{"name":"DEBUG_DATA_KdPrintBufferSizeAddr","features":[547]},{"name":"DEBUG_DATA_KdPrintCircularBufferAddr","features":[547]},{"name":"DEBUG_DATA_KdPrintCircularBufferEndAddr","features":[547]},{"name":"DEBUG_DATA_KdPrintCircularBufferPtrAddr","features":[547]},{"name":"DEBUG_DATA_KdPrintRolloverCountAddr","features":[547]},{"name":"DEBUG_DATA_KdPrintWritePointerAddr","features":[547]},{"name":"DEBUG_DATA_KeBugCheckCallbackListHeadAddr","features":[547]},{"name":"DEBUG_DATA_KeTimeIncrementAddr","features":[547]},{"name":"DEBUG_DATA_KeUserCallbackDispatcherAddr","features":[547]},{"name":"DEBUG_DATA_KernBase","features":[547]},{"name":"DEBUG_DATA_KernelVerifierAddr","features":[547]},{"name":"DEBUG_DATA_KiBugcheckDataAddr","features":[547]},{"name":"DEBUG_DATA_KiCallUserModeAddr","features":[547]},{"name":"DEBUG_DATA_KiNormalSystemCall","features":[547]},{"name":"DEBUG_DATA_KiProcessorBlockAddr","features":[547]},{"name":"DEBUG_DATA_MmAllocatedNonPagedPoolAddr","features":[547]},{"name":"DEBUG_DATA_MmAvailablePagesAddr","features":[547]},{"name":"DEBUG_DATA_MmBadPagesDetected","features":[547]},{"name":"DEBUG_DATA_MmDriverCommitAddr","features":[547]},{"name":"DEBUG_DATA_MmExtendedCommitAddr","features":[547]},{"name":"DEBUG_DATA_MmFreePageListHeadAddr","features":[547]},{"name":"DEBUG_DATA_MmHighestPhysicalPageAddr","features":[547]},{"name":"DEBUG_DATA_MmHighestUserAddressAddr","features":[547]},{"name":"DEBUG_DATA_MmLastUnloadedDriverAddr","features":[547]},{"name":"DEBUG_DATA_MmLoadedUserImageListAddr","features":[547]},{"name":"DEBUG_DATA_MmLowestPhysicalPageAddr","features":[547]},{"name":"DEBUG_DATA_MmMaximumNonPagedPoolInBytesAddr","features":[547]},{"name":"DEBUG_DATA_MmModifiedNoWritePageListHeadAddr","features":[547]},{"name":"DEBUG_DATA_MmModifiedPageListHeadAddr","features":[547]},{"name":"DEBUG_DATA_MmNonPagedPoolEndAddr","features":[547]},{"name":"DEBUG_DATA_MmNonPagedPoolStartAddr","features":[547]},{"name":"DEBUG_DATA_MmNonPagedSystemStartAddr","features":[547]},{"name":"DEBUG_DATA_MmNumberOfPagingFilesAddr","features":[547]},{"name":"DEBUG_DATA_MmNumberOfPhysicalPagesAddr","features":[547]},{"name":"DEBUG_DATA_MmPageSize","features":[547]},{"name":"DEBUG_DATA_MmPagedPoolCommitAddr","features":[547]},{"name":"DEBUG_DATA_MmPagedPoolEndAddr","features":[547]},{"name":"DEBUG_DATA_MmPagedPoolInformationAddr","features":[547]},{"name":"DEBUG_DATA_MmPagedPoolStartAddr","features":[547]},{"name":"DEBUG_DATA_MmPeakCommitmentAddr","features":[547]},{"name":"DEBUG_DATA_MmPfnDatabaseAddr","features":[547]},{"name":"DEBUG_DATA_MmPhysicalMemoryBlockAddr","features":[547]},{"name":"DEBUG_DATA_MmProcessCommitAddr","features":[547]},{"name":"DEBUG_DATA_MmResidentAvailablePagesAddr","features":[547]},{"name":"DEBUG_DATA_MmSessionBase","features":[547]},{"name":"DEBUG_DATA_MmSessionSize","features":[547]},{"name":"DEBUG_DATA_MmSharedCommitAddr","features":[547]},{"name":"DEBUG_DATA_MmSizeOfPagedPoolInBytesAddr","features":[547]},{"name":"DEBUG_DATA_MmSpecialPoolTagAddr","features":[547]},{"name":"DEBUG_DATA_MmStandbyPageListHeadAddr","features":[547]},{"name":"DEBUG_DATA_MmSubsectionBaseAddr","features":[547]},{"name":"DEBUG_DATA_MmSystemCacheEndAddr","features":[547]},{"name":"DEBUG_DATA_MmSystemCacheStartAddr","features":[547]},{"name":"DEBUG_DATA_MmSystemCacheWsAddr","features":[547]},{"name":"DEBUG_DATA_MmSystemParentTablePage","features":[547]},{"name":"DEBUG_DATA_MmSystemPtesEndAddr","features":[547]},{"name":"DEBUG_DATA_MmSystemPtesStartAddr","features":[547]},{"name":"DEBUG_DATA_MmSystemRangeStartAddr","features":[547]},{"name":"DEBUG_DATA_MmTotalCommitLimitAddr","features":[547]},{"name":"DEBUG_DATA_MmTotalCommitLimitMaximumAddr","features":[547]},{"name":"DEBUG_DATA_MmTotalCommittedPagesAddr","features":[547]},{"name":"DEBUG_DATA_MmTriageActionTakenAddr","features":[547]},{"name":"DEBUG_DATA_MmUnloadedDriversAddr","features":[547]},{"name":"DEBUG_DATA_MmUserProbeAddressAddr","features":[547]},{"name":"DEBUG_DATA_MmVerifierDataAddr","features":[547]},{"name":"DEBUG_DATA_MmVirtualTranslationBase","features":[547]},{"name":"DEBUG_DATA_MmZeroedPageListHeadAddr","features":[547]},{"name":"DEBUG_DATA_NonPagedPoolDescriptorAddr","features":[547]},{"name":"DEBUG_DATA_NtBuildLabAddr","features":[547]},{"name":"DEBUG_DATA_ObpRootDirectoryObjectAddr","features":[547]},{"name":"DEBUG_DATA_ObpTypeObjectTypeAddr","features":[547]},{"name":"DEBUG_DATA_OffsetEprocessDirectoryTableBase","features":[547]},{"name":"DEBUG_DATA_OffsetEprocessParentCID","features":[547]},{"name":"DEBUG_DATA_OffsetEprocessPeb","features":[547]},{"name":"DEBUG_DATA_OffsetKThreadApcProcess","features":[547]},{"name":"DEBUG_DATA_OffsetKThreadBStore","features":[547]},{"name":"DEBUG_DATA_OffsetKThreadBStoreLimit","features":[547]},{"name":"DEBUG_DATA_OffsetKThreadInitialStack","features":[547]},{"name":"DEBUG_DATA_OffsetKThreadKernelStack","features":[547]},{"name":"DEBUG_DATA_OffsetKThreadNextProcessor","features":[547]},{"name":"DEBUG_DATA_OffsetKThreadState","features":[547]},{"name":"DEBUG_DATA_OffsetKThreadTeb","features":[547]},{"name":"DEBUG_DATA_OffsetPrcbCpuType","features":[547]},{"name":"DEBUG_DATA_OffsetPrcbCurrentThread","features":[547]},{"name":"DEBUG_DATA_OffsetPrcbDpcRoutine","features":[547]},{"name":"DEBUG_DATA_OffsetPrcbMhz","features":[547]},{"name":"DEBUG_DATA_OffsetPrcbNumber","features":[547]},{"name":"DEBUG_DATA_OffsetPrcbProcessorState","features":[547]},{"name":"DEBUG_DATA_OffsetPrcbVendorString","features":[547]},{"name":"DEBUG_DATA_PROCESSOR_IDENTIFICATION","features":[547]},{"name":"DEBUG_DATA_PROCESSOR_SPEED","features":[547]},{"name":"DEBUG_DATA_PaeEnabled","features":[547]},{"name":"DEBUG_DATA_PagingLevels","features":[547]},{"name":"DEBUG_DATA_PoolTrackTableAddr","features":[547]},{"name":"DEBUG_DATA_ProductType","features":[547]},{"name":"DEBUG_DATA_PsActiveProcessHeadAddr","features":[547]},{"name":"DEBUG_DATA_PsLoadedModuleListAddr","features":[547]},{"name":"DEBUG_DATA_PspCidTableAddr","features":[547]},{"name":"DEBUG_DATA_PteBase","features":[547]},{"name":"DEBUG_DATA_SPACE_BUS_DATA","features":[547]},{"name":"DEBUG_DATA_SPACE_CONTROL","features":[547]},{"name":"DEBUG_DATA_SPACE_COUNT","features":[547]},{"name":"DEBUG_DATA_SPACE_DEBUGGER_DATA","features":[547]},{"name":"DEBUG_DATA_SPACE_IO","features":[547]},{"name":"DEBUG_DATA_SPACE_MSR","features":[547]},{"name":"DEBUG_DATA_SPACE_PHYSICAL","features":[547]},{"name":"DEBUG_DATA_SPACE_VIRTUAL","features":[547]},{"name":"DEBUG_DATA_SavedContextAddr","features":[547]},{"name":"DEBUG_DATA_SharedUserData","features":[547]},{"name":"DEBUG_DATA_SizeEProcess","features":[547]},{"name":"DEBUG_DATA_SizeEThread","features":[547]},{"name":"DEBUG_DATA_SizePrcb","features":[547]},{"name":"DEBUG_DATA_SuiteMask","features":[547]},{"name":"DEBUG_DECODE_ERROR","features":[308,547]},{"name":"DEBUG_DEVICE_OBJECT_INFO","features":[308,547]},{"name":"DEBUG_DISASM_EFFECTIVE_ADDRESS","features":[547]},{"name":"DEBUG_DISASM_MATCHING_SYMBOLS","features":[547]},{"name":"DEBUG_DISASM_SOURCE_FILE_NAME","features":[547]},{"name":"DEBUG_DISASM_SOURCE_LINE_NUMBER","features":[547]},{"name":"DEBUG_DRIVER_OBJECT_INFO","features":[547]},{"name":"DEBUG_DUMP_ACTIVE","features":[547]},{"name":"DEBUG_DUMP_DEFAULT","features":[547]},{"name":"DEBUG_DUMP_FILE_BASE","features":[547]},{"name":"DEBUG_DUMP_FILE_LOAD_FAILED_INDEX","features":[547]},{"name":"DEBUG_DUMP_FILE_ORIGINAL_CAB_INDEX","features":[547]},{"name":"DEBUG_DUMP_FILE_PAGE_FILE_DUMP","features":[547]},{"name":"DEBUG_DUMP_FULL","features":[547]},{"name":"DEBUG_DUMP_IMAGE_FILE","features":[547]},{"name":"DEBUG_DUMP_SMALL","features":[547]},{"name":"DEBUG_DUMP_TRACE_LOG","features":[547]},{"name":"DEBUG_DUMP_WINDOWS_CE","features":[547]},{"name":"DEBUG_ECREATE_PROCESS_DEFAULT","features":[547]},{"name":"DEBUG_ECREATE_PROCESS_INHERIT_HANDLES","features":[547]},{"name":"DEBUG_ECREATE_PROCESS_USE_IMPLICIT_COMMAND_LINE","features":[547]},{"name":"DEBUG_ECREATE_PROCESS_USE_VERIFIER_FLAGS","features":[547]},{"name":"DEBUG_EINDEX_FROM_CURRENT","features":[547]},{"name":"DEBUG_EINDEX_FROM_END","features":[547]},{"name":"DEBUG_EINDEX_FROM_START","features":[547]},{"name":"DEBUG_EINDEX_NAME","features":[547]},{"name":"DEBUG_END_ACTIVE_DETACH","features":[547]},{"name":"DEBUG_END_ACTIVE_TERMINATE","features":[547]},{"name":"DEBUG_END_DISCONNECT","features":[547]},{"name":"DEBUG_END_PASSIVE","features":[547]},{"name":"DEBUG_END_REENTRANT","features":[547]},{"name":"DEBUG_ENGOPT_ALL","features":[547]},{"name":"DEBUG_ENGOPT_ALLOW_NETWORK_PATHS","features":[547]},{"name":"DEBUG_ENGOPT_ALLOW_READ_ONLY_BREAKPOINTS","features":[547]},{"name":"DEBUG_ENGOPT_DEBUGGING_SENSITIVE_DATA","features":[547]},{"name":"DEBUG_ENGOPT_DISABLESQM","features":[547]},{"name":"DEBUG_ENGOPT_DISABLE_EXECUTION_COMMANDS","features":[547]},{"name":"DEBUG_ENGOPT_DISABLE_MANAGED_SUPPORT","features":[547]},{"name":"DEBUG_ENGOPT_DISABLE_MODULE_SYMBOL_LOAD","features":[547]},{"name":"DEBUG_ENGOPT_DISABLE_STEPLINES_OPTIONS","features":[547]},{"name":"DEBUG_ENGOPT_DISALLOW_IMAGE_FILE_MAPPING","features":[547]},{"name":"DEBUG_ENGOPT_DISALLOW_NETWORK_PATHS","features":[547]},{"name":"DEBUG_ENGOPT_DISALLOW_SHELL_COMMANDS","features":[547]},{"name":"DEBUG_ENGOPT_FAIL_INCOMPLETE_INFORMATION","features":[547]},{"name":"DEBUG_ENGOPT_FINAL_BREAK","features":[547]},{"name":"DEBUG_ENGOPT_IGNORE_DBGHELP_VERSION","features":[547]},{"name":"DEBUG_ENGOPT_IGNORE_EXTENSION_VERSIONS","features":[547]},{"name":"DEBUG_ENGOPT_IGNORE_LOADER_EXCEPTIONS","features":[547]},{"name":"DEBUG_ENGOPT_INITIAL_BREAK","features":[547]},{"name":"DEBUG_ENGOPT_INITIAL_MODULE_BREAK","features":[547]},{"name":"DEBUG_ENGOPT_KD_QUIET_MODE","features":[547]},{"name":"DEBUG_ENGOPT_NO_EXECUTE_REPEAT","features":[547]},{"name":"DEBUG_ENGOPT_PREFER_DML","features":[547]},{"name":"DEBUG_ENGOPT_PREFER_TRACE_FILES","features":[547]},{"name":"DEBUG_ENGOPT_RESOLVE_SHADOWED_VARIABLES","features":[547]},{"name":"DEBUG_ENGOPT_SYNCHRONIZE_BREAKPOINTS","features":[547]},{"name":"DEBUG_EVENT_BREAKPOINT","features":[547]},{"name":"DEBUG_EVENT_CHANGE_DEBUGGEE_STATE","features":[547]},{"name":"DEBUG_EVENT_CHANGE_ENGINE_STATE","features":[547]},{"name":"DEBUG_EVENT_CHANGE_SYMBOL_STATE","features":[547]},{"name":"DEBUG_EVENT_CONTEXT","features":[547]},{"name":"DEBUG_EVENT_CREATE_PROCESS","features":[547]},{"name":"DEBUG_EVENT_CREATE_THREAD","features":[547]},{"name":"DEBUG_EVENT_EXCEPTION","features":[547]},{"name":"DEBUG_EVENT_EXIT_PROCESS","features":[547]},{"name":"DEBUG_EVENT_EXIT_THREAD","features":[547]},{"name":"DEBUG_EVENT_LOAD_MODULE","features":[547]},{"name":"DEBUG_EVENT_SERVICE_EXCEPTION","features":[547]},{"name":"DEBUG_EVENT_SESSION_STATUS","features":[547]},{"name":"DEBUG_EVENT_SYSTEM_ERROR","features":[547]},{"name":"DEBUG_EVENT_UNLOAD_MODULE","features":[547]},{"name":"DEBUG_EXCEPTION_FILTER_PARAMETERS","features":[547]},{"name":"DEBUG_EXECUTE_DEFAULT","features":[547]},{"name":"DEBUG_EXECUTE_ECHO","features":[547]},{"name":"DEBUG_EXECUTE_EVENT","features":[547]},{"name":"DEBUG_EXECUTE_EXTENSION","features":[547]},{"name":"DEBUG_EXECUTE_HOTKEY","features":[547]},{"name":"DEBUG_EXECUTE_INTERNAL","features":[547]},{"name":"DEBUG_EXECUTE_MENU","features":[547]},{"name":"DEBUG_EXECUTE_NOT_LOGGED","features":[547]},{"name":"DEBUG_EXECUTE_NO_REPEAT","features":[547]},{"name":"DEBUG_EXECUTE_SCRIPT","features":[547]},{"name":"DEBUG_EXECUTE_TOOLBAR","features":[547]},{"name":"DEBUG_EXECUTE_USER_CLICKED","features":[547]},{"name":"DEBUG_EXECUTE_USER_TYPED","features":[547]},{"name":"DEBUG_EXEC_FLAGS_NONBLOCK","features":[547]},{"name":"DEBUG_EXPR_CPLUSPLUS","features":[547]},{"name":"DEBUG_EXPR_MASM","features":[547]},{"name":"DEBUG_EXTENSION_AT_ENGINE","features":[547]},{"name":"DEBUG_EXTINIT_HAS_COMMAND_HELP","features":[547]},{"name":"DEBUG_EXT_PVALUE_DEFAULT","features":[547]},{"name":"DEBUG_EXT_PVTYPE_IS_POINTER","features":[547]},{"name":"DEBUG_EXT_PVTYPE_IS_VALUE","features":[547]},{"name":"DEBUG_EXT_QVALUE_DEFAULT","features":[547]},{"name":"DEBUG_FAILURE_TYPE","features":[547]},{"name":"DEBUG_FA_ENTRY_ANSI_STRING","features":[547]},{"name":"DEBUG_FA_ENTRY_ANSI_STRINGs","features":[547]},{"name":"DEBUG_FA_ENTRY_ARRAY","features":[547]},{"name":"DEBUG_FA_ENTRY_EXTENSION_CMD","features":[547]},{"name":"DEBUG_FA_ENTRY_INSTRUCTION_OFFSET","features":[547]},{"name":"DEBUG_FA_ENTRY_NO_TYPE","features":[547]},{"name":"DEBUG_FA_ENTRY_POINTER","features":[547]},{"name":"DEBUG_FA_ENTRY_STRUCTURED_DATA","features":[547]},{"name":"DEBUG_FA_ENTRY_ULONG","features":[547]},{"name":"DEBUG_FA_ENTRY_ULONG64","features":[547]},{"name":"DEBUG_FA_ENTRY_UNICODE_STRING","features":[547]},{"name":"DEBUG_FILTER_BREAK","features":[547]},{"name":"DEBUG_FILTER_CREATE_PROCESS","features":[547]},{"name":"DEBUG_FILTER_CREATE_THREAD","features":[547]},{"name":"DEBUG_FILTER_DEBUGGEE_OUTPUT","features":[547]},{"name":"DEBUG_FILTER_EXIT_PROCESS","features":[547]},{"name":"DEBUG_FILTER_EXIT_THREAD","features":[547]},{"name":"DEBUG_FILTER_GO_HANDLED","features":[547]},{"name":"DEBUG_FILTER_GO_NOT_HANDLED","features":[547]},{"name":"DEBUG_FILTER_IGNORE","features":[547]},{"name":"DEBUG_FILTER_INITIAL_BREAKPOINT","features":[547]},{"name":"DEBUG_FILTER_INITIAL_MODULE_LOAD","features":[547]},{"name":"DEBUG_FILTER_LOAD_MODULE","features":[547]},{"name":"DEBUG_FILTER_OUTPUT","features":[547]},{"name":"DEBUG_FILTER_REMOVE","features":[547]},{"name":"DEBUG_FILTER_SECOND_CHANCE_BREAK","features":[547]},{"name":"DEBUG_FILTER_SYSTEM_ERROR","features":[547]},{"name":"DEBUG_FILTER_UNLOAD_MODULE","features":[547]},{"name":"DEBUG_FIND_SOURCE_BEST_MATCH","features":[547]},{"name":"DEBUG_FIND_SOURCE_DEFAULT","features":[547]},{"name":"DEBUG_FIND_SOURCE_FULL_PATH","features":[547]},{"name":"DEBUG_FIND_SOURCE_NO_SRCSRV","features":[547]},{"name":"DEBUG_FIND_SOURCE_TOKEN_LOOKUP","features":[547]},{"name":"DEBUG_FIND_SOURCE_WITH_CHECKSUM","features":[547]},{"name":"DEBUG_FIND_SOURCE_WITH_CHECKSUM_STRICT","features":[547]},{"name":"DEBUG_FLR_ACPI","features":[547]},{"name":"DEBUG_FLR_ACPI_BLACKBOX","features":[547]},{"name":"DEBUG_FLR_ACPI_EXTENSION","features":[547]},{"name":"DEBUG_FLR_ACPI_OBJECT","features":[547]},{"name":"DEBUG_FLR_ACPI_RESCONFLICT","features":[547]},{"name":"DEBUG_FLR_ADDITIONAL_DEBUGTEXT","features":[547]},{"name":"DEBUG_FLR_ADDITIONAL_XML","features":[547]},{"name":"DEBUG_FLR_ADD_PROCESS_IN_BUCKET","features":[547]},{"name":"DEBUG_FLR_ALUREON","features":[547]},{"name":"DEBUG_FLR_ANALYSIS_REPROCESS","features":[547]},{"name":"DEBUG_FLR_ANALYSIS_SESSION_ELAPSED_TIME","features":[547]},{"name":"DEBUG_FLR_ANALYSIS_SESSION_HOST","features":[547]},{"name":"DEBUG_FLR_ANALYSIS_SESSION_TIME","features":[547]},{"name":"DEBUG_FLR_ANALYSIS_VERSION","features":[547]},{"name":"DEBUG_FLR_ANALYZABLE_POOL_CORRUPTION","features":[547]},{"name":"DEBUG_FLR_APPKILL","features":[547]},{"name":"DEBUG_FLR_APPLICATION_VERIFIER_LOADED","features":[547]},{"name":"DEBUG_FLR_APPS_NOT_TERMINATED","features":[547]},{"name":"DEBUG_FLR_APPVERIFERFLAGS","features":[547]},{"name":"DEBUG_FLR_ARM_WRITE_AV_CAVEAT","features":[547]},{"name":"DEBUG_FLR_ASSERT_DATA","features":[547]},{"name":"DEBUG_FLR_ASSERT_FILE","features":[547]},{"name":"DEBUG_FLR_ASSERT_INSTRUCTION","features":[547]},{"name":"DEBUG_FLR_BADPAGES_DETECTED","features":[547]},{"name":"DEBUG_FLR_BAD_HANDLE","features":[547]},{"name":"DEBUG_FLR_BAD_MEMORY_REFERENCE","features":[547]},{"name":"DEBUG_FLR_BAD_OBJECT_REFERENCE","features":[547]},{"name":"DEBUG_FLR_BAD_STACK","features":[547]},{"name":"DEBUG_FLR_BLOCKED_THREAD0","features":[547]},{"name":"DEBUG_FLR_BLOCKED_THREAD1","features":[547]},{"name":"DEBUG_FLR_BLOCKED_THREAD2","features":[547]},{"name":"DEBUG_FLR_BLOCKING_PROCESSID","features":[547]},{"name":"DEBUG_FLR_BLOCKING_THREAD","features":[547]},{"name":"DEBUG_FLR_BOOST_FOLLOWUP_TO_SPECIFIC","features":[547]},{"name":"DEBUG_FLR_BOOTSTAT","features":[547]},{"name":"DEBUG_FLR_BOOTSTAT_BLACKBOX","features":[547]},{"name":"DEBUG_FLR_BUCKET_ID","features":[547]},{"name":"DEBUG_FLR_BUCKET_ID_CHECKSUM","features":[547]},{"name":"DEBUG_FLR_BUCKET_ID_FLAVOR_STR","features":[547]},{"name":"DEBUG_FLR_BUCKET_ID_FUNCTION_STR","features":[547]},{"name":"DEBUG_FLR_BUCKET_ID_FUNC_OFFSET","features":[547]},{"name":"DEBUG_FLR_BUCKET_ID_IMAGE_STR","features":[547]},{"name":"DEBUG_FLR_BUCKET_ID_MODULE_STR","features":[547]},{"name":"DEBUG_FLR_BUCKET_ID_MODVER_STR","features":[547]},{"name":"DEBUG_FLR_BUCKET_ID_OFFSET","features":[547]},{"name":"DEBUG_FLR_BUCKET_ID_PREFIX_STR","features":[547]},{"name":"DEBUG_FLR_BUCKET_ID_PRIVATE","features":[547]},{"name":"DEBUG_FLR_BUCKET_ID_TIMEDATESTAMP","features":[547]},{"name":"DEBUG_FLR_BUGCHECKING_DRIVER","features":[547]},{"name":"DEBUG_FLR_BUGCHECKING_DRIVER_IDTAG","features":[547]},{"name":"DEBUG_FLR_BUGCHECK_CODE","features":[547]},{"name":"DEBUG_FLR_BUGCHECK_DESC","features":[547]},{"name":"DEBUG_FLR_BUGCHECK_P1","features":[547]},{"name":"DEBUG_FLR_BUGCHECK_P2","features":[547]},{"name":"DEBUG_FLR_BUGCHECK_P3","features":[547]},{"name":"DEBUG_FLR_BUGCHECK_P4","features":[547]},{"name":"DEBUG_FLR_BUGCHECK_SPECIFIER","features":[547]},{"name":"DEBUG_FLR_BUGCHECK_STR","features":[547]},{"name":"DEBUG_FLR_BUILDNAME_IN_BUCKET","features":[547]},{"name":"DEBUG_FLR_BUILDOSVER_STR_deprecated","features":[547]},{"name":"DEBUG_FLR_BUILD_OS_FULL_VERSION_STRING","features":[547]},{"name":"DEBUG_FLR_BUILD_VERSION_STRING","features":[547]},{"name":"DEBUG_FLR_CANCELLATION_NOT_SUPPORTED","features":[547]},{"name":"DEBUG_FLR_CHKIMG_EXTENSION","features":[547]},{"name":"DEBUG_FLR_CHPE_PROCESS","features":[547]},{"name":"DEBUG_FLR_CLIENT_DRIVER","features":[547]},{"name":"DEBUG_FLR_COLLECT_DATA_FOR_BUCKET","features":[547]},{"name":"DEBUG_FLR_COMPUTER_NAME","features":[547]},{"name":"DEBUG_FLR_CONTEXT","features":[547]},{"name":"DEBUG_FLR_CONTEXT_COMMAND","features":[547]},{"name":"DEBUG_FLR_CONTEXT_FLAGS","features":[547]},{"name":"DEBUG_FLR_CONTEXT_FOLLOWUP_INDEX","features":[547]},{"name":"DEBUG_FLR_CONTEXT_ID","features":[547]},{"name":"DEBUG_FLR_CONTEXT_METADATA","features":[547]},{"name":"DEBUG_FLR_CONTEXT_ORDER","features":[547]},{"name":"DEBUG_FLR_CONTEXT_RESTORE_COMMAND","features":[547]},{"name":"DEBUG_FLR_CONTEXT_SYSTEM","features":[547]},{"name":"DEBUG_FLR_CORRUPTING_POOL_ADDRESS","features":[547]},{"name":"DEBUG_FLR_CORRUPTING_POOL_TAG","features":[547]},{"name":"DEBUG_FLR_CORRUPT_MODULE_LIST","features":[547]},{"name":"DEBUG_FLR_CORRUPT_SERVICE_TABLE","features":[547]},{"name":"DEBUG_FLR_COVERAGE_BUILD","features":[547]},{"name":"DEBUG_FLR_CPU_COUNT","features":[547]},{"name":"DEBUG_FLR_CPU_FAMILY","features":[547]},{"name":"DEBUG_FLR_CPU_MICROCODE_VERSION","features":[547]},{"name":"DEBUG_FLR_CPU_MICROCODE_ZERO_INTEL","features":[547]},{"name":"DEBUG_FLR_CPU_MODEL","features":[547]},{"name":"DEBUG_FLR_CPU_OVERCLOCKED","features":[547]},{"name":"DEBUG_FLR_CPU_SPEED","features":[547]},{"name":"DEBUG_FLR_CPU_STEPPING","features":[547]},{"name":"DEBUG_FLR_CPU_VENDOR","features":[547]},{"name":"DEBUG_FLR_CRITICAL_PROCESS","features":[547]},{"name":"DEBUG_FLR_CRITICAL_PROCESS_REPORTGUID","features":[547]},{"name":"DEBUG_FLR_CRITICAL_SECTION","features":[547]},{"name":"DEBUG_FLR_CURRENT_IRQL","features":[547]},{"name":"DEBUG_FLR_CUSTOMER_CRASH_COUNT","features":[547]},{"name":"DEBUG_FLR_CUSTOMREPORTTAG","features":[547]},{"name":"DEBUG_FLR_CUSTOM_ANALYSIS_TAG_MAX","features":[547]},{"name":"DEBUG_FLR_CUSTOM_ANALYSIS_TAG_MIN","features":[547]},{"name":"DEBUG_FLR_CUSTOM_COMMAND","features":[547]},{"name":"DEBUG_FLR_CUSTOM_COMMAND_OUTPUT","features":[547]},{"name":"DEBUG_FLR_DEADLOCK_INPROC","features":[547]},{"name":"DEBUG_FLR_DEADLOCK_XPROC","features":[547]},{"name":"DEBUG_FLR_DEBUG_ANALYSIS","features":[547]},{"name":"DEBUG_FLR_DEFAULT_BUCKET_ID","features":[547]},{"name":"DEBUG_FLR_DEFAULT_SOLUTION_ID","features":[547]},{"name":"DEBUG_FLR_DERIVED_WAIT_CHAIN","features":[547]},{"name":"DEBUG_FLR_DESKTOP_HEAP_MISSING","features":[547]},{"name":"DEBUG_FLR_DETOURED_IMAGE","features":[547]},{"name":"DEBUG_FLR_DEVICE_NODE","features":[547]},{"name":"DEBUG_FLR_DEVICE_OBJECT","features":[547]},{"name":"DEBUG_FLR_DISKIO_READ_FAILURE","features":[547]},{"name":"DEBUG_FLR_DISKIO_WRITE_FAILURE","features":[547]},{"name":"DEBUG_FLR_DISKSEC_ISSUEDESCSTRING_DEPRECATED","features":[547]},{"name":"DEBUG_FLR_DISKSEC_MFGID_DEPRECATED","features":[547]},{"name":"DEBUG_FLR_DISKSEC_MODEL_DEPRECATED","features":[547]},{"name":"DEBUG_FLR_DISKSEC_ORGID_DEPRECATED","features":[547]},{"name":"DEBUG_FLR_DISKSEC_PRIVATE_DATASIZE_DEPRECATED","features":[547]},{"name":"DEBUG_FLR_DISKSEC_PRIVATE_OFFSET_DEPRECATED","features":[547]},{"name":"DEBUG_FLR_DISKSEC_PRIVATE_TOTSIZE_DEPRECATED","features":[547]},{"name":"DEBUG_FLR_DISKSEC_PUBLIC_DATASIZE_DEPRECATED","features":[547]},{"name":"DEBUG_FLR_DISKSEC_PUBLIC_OFFSET_DEPRECATED","features":[547]},{"name":"DEBUG_FLR_DISKSEC_PUBLIC_TOTSIZE_DEPRECATED","features":[547]},{"name":"DEBUG_FLR_DISKSEC_REASON_DEPRECATED","features":[547]},{"name":"DEBUG_FLR_DISKSEC_TOTALSIZE_DEPRECATED","features":[547]},{"name":"DEBUG_FLR_DISK_HARDWARE_ERROR","features":[547]},{"name":"DEBUG_FLR_DPC_RUNTIME","features":[547]},{"name":"DEBUG_FLR_DPC_STACK_BASE","features":[547]},{"name":"DEBUG_FLR_DPC_TIMELIMIT","features":[547]},{"name":"DEBUG_FLR_DPC_TIMEOUT_TYPE","features":[547]},{"name":"DEBUG_FLR_DRIVER_HARDWAREID","features":[547]},{"name":"DEBUG_FLR_DRIVER_HARDWARE_DEVICE_ID","features":[547]},{"name":"DEBUG_FLR_DRIVER_HARDWARE_DEVICE_NAME","features":[547]},{"name":"DEBUG_FLR_DRIVER_HARDWARE_ID_BUS_TYPE","features":[547]},{"name":"DEBUG_FLR_DRIVER_HARDWARE_REV_ID","features":[547]},{"name":"DEBUG_FLR_DRIVER_HARDWARE_SUBSYS_ID","features":[547]},{"name":"DEBUG_FLR_DRIVER_HARDWARE_SUBVENDOR_NAME","features":[547]},{"name":"DEBUG_FLR_DRIVER_HARDWARE_VENDOR_ID","features":[547]},{"name":"DEBUG_FLR_DRIVER_HARDWARE_VENDOR_NAME","features":[547]},{"name":"DEBUG_FLR_DRIVER_OBJECT","features":[547]},{"name":"DEBUG_FLR_DRIVER_VERIFIER_IO_VIOLATION_TYPE","features":[547]},{"name":"DEBUG_FLR_DRIVER_XML_DESCRIPTION","features":[547]},{"name":"DEBUG_FLR_DRIVER_XML_MANUFACTURER","features":[547]},{"name":"DEBUG_FLR_DRIVER_XML_PRODUCTNAME","features":[547]},{"name":"DEBUG_FLR_DRIVER_XML_VERSION","features":[547]},{"name":"DEBUG_FLR_DRVPOWERSTATE_SUBCODE","features":[547]},{"name":"DEBUG_FLR_DUMPSTREAM_COMMENTA","features":[547]},{"name":"DEBUG_FLR_DUMPSTREAM_COMMENTW","features":[547]},{"name":"DEBUG_FLR_DUMP_CLASS","features":[547]},{"name":"DEBUG_FLR_DUMP_FILE_ATTRIBUTES","features":[547]},{"name":"DEBUG_FLR_DUMP_FLAGS","features":[547]},{"name":"DEBUG_FLR_DUMP_QUALIFIER","features":[547]},{"name":"DEBUG_FLR_DUMP_TYPE","features":[547]},{"name":"DEBUG_FLR_END_MESSAGE","features":[547]},{"name":"DEBUG_FLR_ERESOURCE_ADDRESS","features":[547]},{"name":"DEBUG_FLR_EVENT_CODE_DATA_MISMATCH","features":[547]},{"name":"DEBUG_FLR_EXCEPTION_CODE","features":[547]},{"name":"DEBUG_FLR_EXCEPTION_CODE_STR","features":[547]},{"name":"DEBUG_FLR_EXCEPTION_CODE_STR_deprecated","features":[547]},{"name":"DEBUG_FLR_EXCEPTION_CONTEXT_RECURSION","features":[547]},{"name":"DEBUG_FLR_EXCEPTION_DOESNOT_MATCH_CODE","features":[547]},{"name":"DEBUG_FLR_EXCEPTION_MODULE_INFO","features":[547]},{"name":"DEBUG_FLR_EXCEPTION_PARAMETER1","features":[547]},{"name":"DEBUG_FLR_EXCEPTION_PARAMETER2","features":[547]},{"name":"DEBUG_FLR_EXCEPTION_PARAMETER3","features":[547]},{"name":"DEBUG_FLR_EXCEPTION_PARAMETER4","features":[547]},{"name":"DEBUG_FLR_EXCEPTION_RECORD","features":[547]},{"name":"DEBUG_FLR_EXCEPTION_STR","features":[547]},{"name":"DEBUG_FLR_EXECUTE_ADDRESS","features":[547]},{"name":"DEBUG_FLR_FAILED_INSTRUCTION_ADDRESS","features":[547]},{"name":"DEBUG_FLR_FAILURE_ANALYSIS_SOURCE","features":[547]},{"name":"DEBUG_FLR_FAILURE_BUCKET_ID","features":[547]},{"name":"DEBUG_FLR_FAILURE_DISPLAY_NAME","features":[547]},{"name":"DEBUG_FLR_FAILURE_EXCEPTION_CODE","features":[547]},{"name":"DEBUG_FLR_FAILURE_FUNCTION_NAME","features":[547]},{"name":"DEBUG_FLR_FAILURE_ID_HASH","features":[547]},{"name":"DEBUG_FLR_FAILURE_ID_HASH_STRING","features":[547]},{"name":"DEBUG_FLR_FAILURE_ID_REPORT_LINK","features":[547]},{"name":"DEBUG_FLR_FAILURE_IMAGE_NAME","features":[547]},{"name":"DEBUG_FLR_FAILURE_LIST","features":[547]},{"name":"DEBUG_FLR_FAILURE_MODULE_NAME","features":[547]},{"name":"DEBUG_FLR_FAILURE_PROBLEM_CLASS","features":[547]},{"name":"DEBUG_FLR_FAILURE_SYMBOL_NAME","features":[547]},{"name":"DEBUG_FLR_FAULTING_INSTR_CODE","features":[547]},{"name":"DEBUG_FLR_FAULTING_IP","features":[547]},{"name":"DEBUG_FLR_FAULTING_LOCAL_VARIABLE_NAME","features":[547]},{"name":"DEBUG_FLR_FAULTING_MODULE","features":[547]},{"name":"DEBUG_FLR_FAULTING_SERVICE_NAME","features":[547]},{"name":"DEBUG_FLR_FAULTING_SOURCE_CODE","features":[547]},{"name":"DEBUG_FLR_FAULTING_SOURCE_COMMIT_ID","features":[547]},{"name":"DEBUG_FLR_FAULTING_SOURCE_CONTROL_TYPE","features":[547]},{"name":"DEBUG_FLR_FAULTING_SOURCE_FILE","features":[547]},{"name":"DEBUG_FLR_FAULTING_SOURCE_LINE","features":[547]},{"name":"DEBUG_FLR_FAULTING_SOURCE_LINE_NUMBER","features":[547]},{"name":"DEBUG_FLR_FAULTING_SOURCE_PROJECT","features":[547]},{"name":"DEBUG_FLR_FAULTING_SOURCE_REPO_ID","features":[547]},{"name":"DEBUG_FLR_FAULTING_SOURCE_REPO_URL","features":[547]},{"name":"DEBUG_FLR_FAULTING_SOURCE_SRV_COMMAND","features":[547]},{"name":"DEBUG_FLR_FAULTING_THREAD","features":[547]},{"name":"DEBUG_FLR_FAULT_THREAD_SHA1_HASH_M","features":[547]},{"name":"DEBUG_FLR_FAULT_THREAD_SHA1_HASH_MF","features":[547]},{"name":"DEBUG_FLR_FAULT_THREAD_SHA1_HASH_MFO","features":[547]},{"name":"DEBUG_FLR_FA_ADHOC_ANALYSIS_ITEMS","features":[547]},{"name":"DEBUG_FLR_FA_PERF_DATA","features":[547]},{"name":"DEBUG_FLR_FA_PERF_ELAPSED_MS","features":[547]},{"name":"DEBUG_FLR_FA_PERF_ITEM","features":[547]},{"name":"DEBUG_FLR_FA_PERF_ITEM_NAME","features":[547]},{"name":"DEBUG_FLR_FA_PERF_ITERATIONS","features":[547]},{"name":"DEBUG_FLR_FEATURE_PATH","features":[547]},{"name":"DEBUG_FLR_FILESYSTEMS_NTFS","features":[547]},{"name":"DEBUG_FLR_FILESYSTEMS_NTFS_BLACKBOX","features":[547]},{"name":"DEBUG_FLR_FILESYSTEMS_REFS","features":[547]},{"name":"DEBUG_FLR_FILESYSTEMS_REFS_BLACKBOX","features":[547]},{"name":"DEBUG_FLR_FILE_ID","features":[547]},{"name":"DEBUG_FLR_FILE_IN_CAB","features":[547]},{"name":"DEBUG_FLR_FILE_LINE","features":[547]},{"name":"DEBUG_FLR_FIXED_IN_OSVERSION","features":[547]},{"name":"DEBUG_FLR_FOLLOWUP_BEFORE_RETRACER","features":[547]},{"name":"DEBUG_FLR_FOLLOWUP_BUCKET_ID","features":[547]},{"name":"DEBUG_FLR_FOLLOWUP_CONTEXT","features":[547]},{"name":"DEBUG_FLR_FOLLOWUP_DRIVER_ONLY","features":[547]},{"name":"DEBUG_FLR_FOLLOWUP_IP","features":[547]},{"name":"DEBUG_FLR_FOLLOWUP_NAME","features":[547]},{"name":"DEBUG_FLR_FRAME_ONE_INVALID","features":[547]},{"name":"DEBUG_FLR_FRAME_SOURCE_FILE_NAME","features":[547]},{"name":"DEBUG_FLR_FRAME_SOURCE_FILE_PATH","features":[547]},{"name":"DEBUG_FLR_FRAME_SOURCE_LINE_NUMBER","features":[547]},{"name":"DEBUG_FLR_FREED_POOL_TAG","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_ANALYSIS_TEXT","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_COOKIES_MATCH_EXH","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_CORRUPTED_COOKIE","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_CORRUPTED_EBP","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_CORRUPTED_EBPESP","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_FALSE_POSITIVE","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_FRAME_COOKIE","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_FRAME_COOKIE_COMPLEMENT","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_FUNCTION","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_MANAGED","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_MANAGED_FRAMEID","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_MANAGED_THREADID","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_MEMORY_READ_ERROR","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_MISSING_ESTABLISHER_FRAME","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_MODULE_COOKIE","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_NOT_UP2DATE","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_OFF_BY_ONE_OVERRUN","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_OVERRUN_LOCAL","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_OVERRUN_LOCAL_NAME","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_POSITIVELY_CORRUPTED_EBPESP","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_POSITIVE_BUFFER_OVERFLOW","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_PROBABLY_NOT_USING_GS","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_RA_SMASHED","features":[547]},{"name":"DEBUG_FLR_GSFAILURE_UP2DATE_UNKNOWN","features":[547]},{"name":"DEBUG_FLR_HANDLE_VALUE","features":[547]},{"name":"DEBUG_FLR_HANG","features":[547]},{"name":"DEBUG_FLR_HANG_DATA_NEEDED","features":[547]},{"name":"DEBUG_FLR_HANG_REPORT_THREAD_IS_IDLE","features":[547]},{"name":"DEBUG_FLR_HARDWARE_BUCKET_TAG","features":[547]},{"name":"DEBUG_FLR_HARDWARE_ERROR","features":[547]},{"name":"DEBUG_FLR_HIGH_NONPAGED_POOL_USAGE","features":[547]},{"name":"DEBUG_FLR_HIGH_PAGED_POOL_USAGE","features":[547]},{"name":"DEBUG_FLR_HIGH_PROCESS_COMMIT","features":[547]},{"name":"DEBUG_FLR_HIGH_SERVICE_COMMIT","features":[547]},{"name":"DEBUG_FLR_HIGH_SHARED_COMMIT_USAGE","features":[547]},{"name":"DEBUG_FLR_HOLDINFO","features":[547]},{"name":"DEBUG_FLR_HOLDINFO_ACTIVE_HOLD_COUNT","features":[547]},{"name":"DEBUG_FLR_HOLDINFO_ALWAYS_HOLD","features":[547]},{"name":"DEBUG_FLR_HOLDINFO_ALWAYS_IGNORE","features":[547]},{"name":"DEBUG_FLR_HOLDINFO_HISTORIC_HOLD_COUNT","features":[547]},{"name":"DEBUG_FLR_HOLDINFO_LAST_SEEN_HOLD_DATE","features":[547]},{"name":"DEBUG_FLR_HOLDINFO_MANUAL_HOLD","features":[547]},{"name":"DEBUG_FLR_HOLDINFO_MAX_HOLD_LIMIT","features":[547]},{"name":"DEBUG_FLR_HOLDINFO_NOTIFICATION_ALIASES","features":[547]},{"name":"DEBUG_FLR_HOLDINFO_RECOMMEND_HOLD","features":[547]},{"name":"DEBUG_FLR_HOLDINFO_TENET_SOCRE","features":[547]},{"name":"DEBUG_FLR_IGNORE_BUCKET_ID_OFFSET","features":[547]},{"name":"DEBUG_FLR_IGNORE_LARGE_MODULE_CORRUPTION","features":[547]},{"name":"DEBUG_FLR_IGNORE_MODULE_HARDWARE_ID","features":[547]},{"name":"DEBUG_FLR_IMAGE_CLASS","features":[547]},{"name":"DEBUG_FLR_IMAGE_NAME","features":[547]},{"name":"DEBUG_FLR_IMAGE_TIMESTAMP","features":[547]},{"name":"DEBUG_FLR_IMAGE_VERSION","features":[547]},{"name":"DEBUG_FLR_INSTR_POINTER_CLIFAULT","features":[547]},{"name":"DEBUG_FLR_INSTR_POINTER_IN_FREE_BLOCK","features":[547]},{"name":"DEBUG_FLR_INSTR_POINTER_IN_MODULE_NOT_IN_LIST","features":[547]},{"name":"DEBUG_FLR_INSTR_POINTER_IN_PAGED_CODE","features":[547]},{"name":"DEBUG_FLR_INSTR_POINTER_IN_RESERVED_BLOCK","features":[547]},{"name":"DEBUG_FLR_INSTR_POINTER_IN_UNLOADED_MODULE","features":[547]},{"name":"DEBUG_FLR_INSTR_POINTER_IN_VM_MAPPED_MODULE","features":[547]},{"name":"DEBUG_FLR_INSTR_POINTER_MISALIGNED","features":[547]},{"name":"DEBUG_FLR_INSTR_POINTER_NOT_IN_STREAM","features":[547]},{"name":"DEBUG_FLR_INSTR_POINTER_ON_HEAP","features":[547]},{"name":"DEBUG_FLR_INSTR_POINTER_ON_STACK","features":[547]},{"name":"DEBUG_FLR_INSTR_SESSION_POOL_TAG","features":[547]},{"name":"DEBUG_FLR_INTEL_CPU_BIOS_UPGRADE_NEEDED","features":[547]},{"name":"DEBUG_FLR_INTERNAL_BUCKET_CONTINUABLE","features":[547]},{"name":"DEBUG_FLR_INTERNAL_BUCKET_HITCOUNT","features":[547]},{"name":"DEBUG_FLR_INTERNAL_BUCKET_STATUS_TEXT","features":[547]},{"name":"DEBUG_FLR_INTERNAL_BUCKET_URL","features":[547]},{"name":"DEBUG_FLR_INTERNAL_RAID_BUG","features":[547]},{"name":"DEBUG_FLR_INTERNAL_RAID_BUG_DATABASE_STRING","features":[547]},{"name":"DEBUG_FLR_INTERNAL_RESPONSE","features":[547]},{"name":"DEBUG_FLR_INTERNAL_SOLUTION_TEXT","features":[547]},{"name":"DEBUG_FLR_INVALID","features":[547]},{"name":"DEBUG_FLR_INVALID_DPC_FOUND","features":[547]},{"name":"DEBUG_FLR_INVALID_HEAP_ADDRESS","features":[547]},{"name":"DEBUG_FLR_INVALID_KERNEL_CONTEXT","features":[547]},{"name":"DEBUG_FLR_INVALID_OPCODE","features":[547]},{"name":"DEBUG_FLR_INVALID_PFN","features":[547]},{"name":"DEBUG_FLR_INVALID_USEREVENT","features":[547]},{"name":"DEBUG_FLR_INVALID_USER_CONTEXT","features":[547]},{"name":"DEBUG_FLR_IOCONTROL_CODE","features":[547]},{"name":"DEBUG_FLR_IOSB_ADDRESS","features":[547]},{"name":"DEBUG_FLR_IO_ERROR_CODE","features":[547]},{"name":"DEBUG_FLR_IRP_ADDRESS","features":[547]},{"name":"DEBUG_FLR_IRP_CANCEL_ROUTINE","features":[547]},{"name":"DEBUG_FLR_IRP_MAJOR_FN","features":[547]},{"name":"DEBUG_FLR_IRP_MINOR_FN","features":[547]},{"name":"DEBUG_FLR_KERNEL","features":[547]},{"name":"DEBUG_FLR_KERNEL_LOG_PROCESS_NAME","features":[547]},{"name":"DEBUG_FLR_KERNEL_LOG_STATUS","features":[547]},{"name":"DEBUG_FLR_KERNEL_VERIFIER_ENABLED","features":[547]},{"name":"DEBUG_FLR_KEYVALUE_ANALYSIS","features":[547]},{"name":"DEBUG_FLR_KEY_VALUES_STRING","features":[547]},{"name":"DEBUG_FLR_KEY_VALUES_VARIANT","features":[547]},{"name":"DEBUG_FLR_KM_MODULE_LIST","features":[547]},{"name":"DEBUG_FLR_LARGE_TICK_INCREMENT","features":[547]},{"name":"DEBUG_FLR_LAST_CONTROL_TRANSFER","features":[547]},{"name":"DEBUG_FLR_LCIE_ISO_AVAILABLE","features":[547]},{"name":"DEBUG_FLR_LEAKED_SESSION_POOL_TAG","features":[547]},{"name":"DEBUG_FLR_LEGACY_PAGE_TABLE_ACCESS","features":[547]},{"name":"DEBUG_FLR_LIVE_KERNEL_DUMP","features":[547]},{"name":"DEBUG_FLR_LOADERLOCK_BLOCKED_API","features":[547]},{"name":"DEBUG_FLR_LOADERLOCK_IN_WAIT_CHAIN","features":[547]},{"name":"DEBUG_FLR_LOADERLOCK_OWNER_API","features":[547]},{"name":"DEBUG_FLR_LOP_STACKHASH","features":[547]},{"name":"DEBUG_FLR_LOW_SYSTEM_COMMIT","features":[547]},{"name":"DEBUG_FLR_MACHINE_INFO_SHA1_HASH","features":[547]},{"name":"DEBUG_FLR_MANAGED_ANALYSIS_PROVIDER","features":[547]},{"name":"DEBUG_FLR_MANAGED_BITNESS_MISMATCH","features":[547]},{"name":"DEBUG_FLR_MANAGED_CODE","features":[547]},{"name":"DEBUG_FLR_MANAGED_ENGINE_MODULE","features":[547]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_ADDRESS","features":[547]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_CALLSTACK","features":[547]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_CMD","features":[547]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_CONTEXT_MESSAGE","features":[547]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_HRESULT","features":[547]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_INNER_ADDRESS","features":[547]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_INNER_CALLSTACK","features":[547]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_INNER_HRESULT","features":[547]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_INNER_MESSAGE","features":[547]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_INNER_TYPE","features":[547]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_MESSAGE","features":[547]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_MESSAGE_deprecated","features":[547]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_NESTED_ADDRESS","features":[547]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_NESTED_CALLSTACK","features":[547]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_NESTED_HRESULT","features":[547]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_NESTED_MESSAGE","features":[547]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_NESTED_TYPE","features":[547]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_OBJECT","features":[547]},{"name":"DEBUG_FLR_MANAGED_EXCEPTION_TYPE","features":[547]},{"name":"DEBUG_FLR_MANAGED_FRAME_CHAIN_CORRUPTION","features":[547]},{"name":"DEBUG_FLR_MANAGED_HRESULT_STRING","features":[547]},{"name":"DEBUG_FLR_MANAGED_KERNEL_DEBUGGER","features":[547]},{"name":"DEBUG_FLR_MANAGED_OBJECT","features":[547]},{"name":"DEBUG_FLR_MANAGED_OBJECT_NAME","features":[547]},{"name":"DEBUG_FLR_MANAGED_STACK_COMMAND","features":[547]},{"name":"DEBUG_FLR_MANAGED_STACK_STRING","features":[547]},{"name":"DEBUG_FLR_MANAGED_THREAD_CMD_CALLSTACK","features":[547]},{"name":"DEBUG_FLR_MANAGED_THREAD_CMD_STACKOBJECTS","features":[547]},{"name":"DEBUG_FLR_MANAGED_THREAD_ID","features":[547]},{"name":"DEBUG_FLR_MANUAL_BREAKIN","features":[547]},{"name":"DEBUG_FLR_MARKER_BUCKET","features":[547]},{"name":"DEBUG_FLR_MARKER_FILE","features":[547]},{"name":"DEBUG_FLR_MARKER_MODULE_FILE","features":[547]},{"name":"DEBUG_FLR_MASK_ALL","features":[547]},{"name":"DEBUG_FLR_MEMDIAG_LASTRUN_STATUS","features":[547]},{"name":"DEBUG_FLR_MEMDIAG_LASTRUN_TIME","features":[547]},{"name":"DEBUG_FLR_MEMORY_ANALYSIS","features":[547]},{"name":"DEBUG_FLR_MEMORY_CORRUPTION_SIGNATURE","features":[547]},{"name":"DEBUG_FLR_MEMORY_CORRUPTOR","features":[547]},{"name":"DEBUG_FLR_MILCORE_BREAK","features":[547]},{"name":"DEBUG_FLR_MINUTES_SINCE_LAST_EVENT","features":[547]},{"name":"DEBUG_FLR_MINUTES_SINCE_LAST_EVENT_OF_THIS_TYPE","features":[547]},{"name":"DEBUG_FLR_MISSING_CLR_SYMBOL","features":[547]},{"name":"DEBUG_FLR_MISSING_IMPORTANT_SYMBOL","features":[547]},{"name":"DEBUG_FLR_MM_INTERNAL_CODE","features":[547]},{"name":"DEBUG_FLR_MODLIST_SHA1_HASH","features":[547]},{"name":"DEBUG_FLR_MODLIST_TSCHKSUM_SHA1_HASH","features":[547]},{"name":"DEBUG_FLR_MODLIST_UNLOADED_SHA1_HASH","features":[547]},{"name":"DEBUG_FLR_MODULE_BUCKET_ID","features":[547]},{"name":"DEBUG_FLR_MODULE_LIST","features":[547]},{"name":"DEBUG_FLR_MODULE_NAME","features":[547]},{"name":"DEBUG_FLR_MODULE_PRODUCTNAME","features":[547]},{"name":"DEBUG_FLR_MOD_SPECIFIC_DATA_ONLY","features":[547]},{"name":"DEBUG_FLR_NO_ARCH_IN_BUCKET","features":[547]},{"name":"DEBUG_FLR_NO_BUGCHECK_IN_BUCKET","features":[547]},{"name":"DEBUG_FLR_NO_IMAGE_IN_BUCKET","features":[547]},{"name":"DEBUG_FLR_NO_IMAGE_TIMESTAMP_IN_BUCKET","features":[547]},{"name":"DEBUG_FLR_NTGLOBALFLAG","features":[547]},{"name":"DEBUG_FLR_ON_DPC_STACK","features":[547]},{"name":"DEBUG_FLR_ORIGINAL_CAB_NAME","features":[547]},{"name":"DEBUG_FLR_OSBUILD_deprecated","features":[547]},{"name":"DEBUG_FLR_OS_BRANCH","features":[547]},{"name":"DEBUG_FLR_OS_BUILD","features":[547]},{"name":"DEBUG_FLR_OS_BUILD_LAYERS_XML","features":[547]},{"name":"DEBUG_FLR_OS_BUILD_STRING","features":[547]},{"name":"DEBUG_FLR_OS_BUILD_TIMESTAMP_ISO","features":[547]},{"name":"DEBUG_FLR_OS_BUILD_TIMESTAMP_LAB","features":[547]},{"name":"DEBUG_FLR_OS_FLAVOR","features":[547]},{"name":"DEBUG_FLR_OS_LOCALE","features":[547]},{"name":"DEBUG_FLR_OS_LOCALE_LCID","features":[547]},{"name":"DEBUG_FLR_OS_MAJOR","features":[547]},{"name":"DEBUG_FLR_OS_MINOR","features":[547]},{"name":"DEBUG_FLR_OS_NAME","features":[547]},{"name":"DEBUG_FLR_OS_NAME_EDITION","features":[547]},{"name":"DEBUG_FLR_OS_PLATFORM_ARCH","features":[547]},{"name":"DEBUG_FLR_OS_PLATFORM_ID","features":[547]},{"name":"DEBUG_FLR_OS_PRODUCT_TYPE","features":[547]},{"name":"DEBUG_FLR_OS_REVISION","features":[547]},{"name":"DEBUG_FLR_OS_SERVICEPACK","features":[547]},{"name":"DEBUG_FLR_OS_SERVICEPACK_deprecated","features":[547]},{"name":"DEBUG_FLR_OS_SKU","features":[547]},{"name":"DEBUG_FLR_OS_SUITE_MASK","features":[547]},{"name":"DEBUG_FLR_OS_VERSION","features":[547]},{"name":"DEBUG_FLR_OS_VERSION_deprecated","features":[547]},{"name":"DEBUG_FLR_OVERLAPPED_MODULE","features":[547]},{"name":"DEBUG_FLR_OVERLAPPED_UNLOADED_MODULE","features":[547]},{"name":"DEBUG_FLR_PAGE_HASH_ERRORS","features":[547]},{"name":"DEBUG_FLR_PARAM_TYPE","features":[547]},{"name":"DEBUG_FLR_PG_MISMATCH","features":[547]},{"name":"DEBUG_FLR_PHONE_APPID","features":[547]},{"name":"DEBUG_FLR_PHONE_APPVERSION","features":[547]},{"name":"DEBUG_FLR_PHONE_BOOTLOADERVERSION","features":[547]},{"name":"DEBUG_FLR_PHONE_BUILDBRANCH","features":[547]},{"name":"DEBUG_FLR_PHONE_BUILDER","features":[547]},{"name":"DEBUG_FLR_PHONE_BUILDNUMBER","features":[547]},{"name":"DEBUG_FLR_PHONE_BUILDTIMESTAMP","features":[547]},{"name":"DEBUG_FLR_PHONE_FIRMWAREREVISION","features":[547]},{"name":"DEBUG_FLR_PHONE_HARDWAREREVISION","features":[547]},{"name":"DEBUG_FLR_PHONE_LCID","features":[547]},{"name":"DEBUG_FLR_PHONE_MCCMNC","features":[547]},{"name":"DEBUG_FLR_PHONE_OPERATOR","features":[547]},{"name":"DEBUG_FLR_PHONE_QFE","features":[547]},{"name":"DEBUG_FLR_PHONE_RADIOHARDWAREREVISION","features":[547]},{"name":"DEBUG_FLR_PHONE_RADIOSOFTWAREREVISION","features":[547]},{"name":"DEBUG_FLR_PHONE_RAM","features":[547]},{"name":"DEBUG_FLR_PHONE_REPORTGUID","features":[547]},{"name":"DEBUG_FLR_PHONE_REPORTTIMESTAMP","features":[547]},{"name":"DEBUG_FLR_PHONE_ROMVERSION","features":[547]},{"name":"DEBUG_FLR_PHONE_SKUID","features":[547]},{"name":"DEBUG_FLR_PHONE_SOCVERSION","features":[547]},{"name":"DEBUG_FLR_PHONE_SOURCE","features":[547]},{"name":"DEBUG_FLR_PHONE_SOURCEEXTERNAL","features":[547]},{"name":"DEBUG_FLR_PHONE_UIF_APPID","features":[547]},{"name":"DEBUG_FLR_PHONE_UIF_APPNAME","features":[547]},{"name":"DEBUG_FLR_PHONE_UIF_CATEGORY","features":[547]},{"name":"DEBUG_FLR_PHONE_UIF_COMMENT","features":[547]},{"name":"DEBUG_FLR_PHONE_UIF_ORIGIN","features":[547]},{"name":"DEBUG_FLR_PHONE_USERALIAS","features":[547]},{"name":"DEBUG_FLR_PHONE_VERSIONMAJOR","features":[547]},{"name":"DEBUG_FLR_PHONE_VERSIONMINOR","features":[547]},{"name":"DEBUG_FLR_PLATFORM_BUCKET_STRING","features":[547]},{"name":"DEBUG_FLR_PNP","features":[547]},{"name":"DEBUG_FLR_PNP_BLACKBOX","features":[547]},{"name":"DEBUG_FLR_PNP_IRP_ADDRESS","features":[547]},{"name":"DEBUG_FLR_PNP_IRP_ADDRESS_DEPRECATED","features":[547]},{"name":"DEBUG_FLR_PNP_TRIAGE_DATA","features":[547]},{"name":"DEBUG_FLR_PNP_TRIAGE_DATA_DEPRECATED","features":[547]},{"name":"DEBUG_FLR_POISONED_TB","features":[547]},{"name":"DEBUG_FLR_POOL_ADDRESS","features":[547]},{"name":"DEBUG_FLR_POOL_CORRUPTOR","features":[547]},{"name":"DEBUG_FLR_POSSIBLE_INVALID_CONTROL_TRANSFER","features":[547]},{"name":"DEBUG_FLR_POSSIBLE_STACK_OVERFLOW","features":[547]},{"name":"DEBUG_FLR_POWERREQUEST_ADDRESS","features":[547]},{"name":"DEBUG_FLR_PO_BLACKBOX","features":[547]},{"name":"DEBUG_FLR_PREVIOUS_IRQL","features":[547]},{"name":"DEBUG_FLR_PREVIOUS_MODE","features":[547]},{"name":"DEBUG_FLR_PRIMARY_PROBLEM_CLASS","features":[547]},{"name":"DEBUG_FLR_PRIMARY_PROBLEM_CLASS_DATA","features":[547]},{"name":"DEBUG_FLR_PROBLEM_CLASSES","features":[547]},{"name":"DEBUG_FLR_PROBLEM_CODE_PATH_HASH","features":[547]},{"name":"DEBUG_FLR_PROCESSES_ANALYSIS","features":[547]},{"name":"DEBUG_FLR_PROCESSOR_ID","features":[547]},{"name":"DEBUG_FLR_PROCESSOR_INFO","features":[547]},{"name":"DEBUG_FLR_PROCESS_BAM_CURRENT_THROTTLED","features":[547]},{"name":"DEBUG_FLR_PROCESS_BAM_PREVIOUS_THROTTLED","features":[547]},{"name":"DEBUG_FLR_PROCESS_INFO","features":[547]},{"name":"DEBUG_FLR_PROCESS_NAME","features":[547]},{"name":"DEBUG_FLR_PROCESS_OBJECT","features":[547]},{"name":"DEBUG_FLR_PROCESS_PRODUCTNAME","features":[547]},{"name":"DEBUG_FLR_RAISED_IRQL_USER_FAULT","features":[547]},{"name":"DEBUG_FLR_READ_ADDRESS","features":[547]},{"name":"DEBUG_FLR_RECURRING_STACK","features":[547]},{"name":"DEBUG_FLR_REGISTRYTXT_SOURCE","features":[547]},{"name":"DEBUG_FLR_REGISTRYTXT_STRESS_ID","features":[547]},{"name":"DEBUG_FLR_REGISTRY_DATA","features":[547]},{"name":"DEBUG_FLR_REPORT_INFO_CREATION_TIME","features":[547]},{"name":"DEBUG_FLR_REPORT_INFO_GUID","features":[547]},{"name":"DEBUG_FLR_REPORT_INFO_SOURCE","features":[547]},{"name":"DEBUG_FLR_REQUESTED_IRQL","features":[547]},{"name":"DEBUG_FLR_RESERVED","features":[547]},{"name":"DEBUG_FLR_RESOURCE_CALL_TYPE","features":[547]},{"name":"DEBUG_FLR_RESOURCE_CALL_TYPE_STR","features":[547]},{"name":"DEBUG_FLR_SCM","features":[547]},{"name":"DEBUG_FLR_SCM_BLACKBOX","features":[547]},{"name":"DEBUG_FLR_SCM_BLACKBOX_ENTRY","features":[547]},{"name":"DEBUG_FLR_SCM_BLACKBOX_ENTRY_CONTROLCODE","features":[547]},{"name":"DEBUG_FLR_SCM_BLACKBOX_ENTRY_SERVICENAME","features":[547]},{"name":"DEBUG_FLR_SCM_BLACKBOX_ENTRY_STARTTIME","features":[547]},{"name":"DEBUG_FLR_SEARCH_HANG","features":[547]},{"name":"DEBUG_FLR_SECURITY_COOKIES","features":[547]},{"name":"DEBUG_FLR_SERVICE","features":[547]},{"name":"DEBUG_FLR_SERVICETABLE_MODIFIED","features":[547]},{"name":"DEBUG_FLR_SERVICE_ANALYSIS","features":[547]},{"name":"DEBUG_FLR_SERVICE_DEPENDONGROUP","features":[547]},{"name":"DEBUG_FLR_SERVICE_DEPENDONSERVICE","features":[547]},{"name":"DEBUG_FLR_SERVICE_DESCRIPTION","features":[547]},{"name":"DEBUG_FLR_SERVICE_DISPLAYNAME","features":[547]},{"name":"DEBUG_FLR_SERVICE_GROUP","features":[547]},{"name":"DEBUG_FLR_SERVICE_NAME","features":[547]},{"name":"DEBUG_FLR_SHOW_ERRORLOG","features":[547]},{"name":"DEBUG_FLR_SHOW_LCIE_ISO_DATA","features":[547]},{"name":"DEBUG_FLR_SIMULTANEOUS_TELSVC_INSTANCES","features":[547]},{"name":"DEBUG_FLR_SIMULTANEOUS_TELWP_INSTANCES","features":[547]},{"name":"DEBUG_FLR_SINGLE_BIT_ERROR","features":[547]},{"name":"DEBUG_FLR_SINGLE_BIT_PFN_PAGE_ERROR","features":[547]},{"name":"DEBUG_FLR_SKIP_CORRUPT_MODULE_DETECTION","features":[547]},{"name":"DEBUG_FLR_SKIP_MODULE_SPECIFIC_BUCKET_INFO","features":[547]},{"name":"DEBUG_FLR_SKIP_STACK_ANALYSIS","features":[547]},{"name":"DEBUG_FLR_SM_BUFFER_HASH","features":[547]},{"name":"DEBUG_FLR_SM_COMPRESSION_FORMAT","features":[547]},{"name":"DEBUG_FLR_SM_ONEBIT_SOLUTION_COUNT","features":[547]},{"name":"DEBUG_FLR_SM_SOURCE_OFFSET","features":[547]},{"name":"DEBUG_FLR_SM_SOURCE_PFN1","features":[547]},{"name":"DEBUG_FLR_SM_SOURCE_PFN2","features":[547]},{"name":"DEBUG_FLR_SM_SOURCE_SIZE","features":[547]},{"name":"DEBUG_FLR_SM_TARGET_PFN","features":[547]},{"name":"DEBUG_FLR_SOLUTION_ID","features":[547]},{"name":"DEBUG_FLR_SOLUTION_TYPE","features":[547]},{"name":"DEBUG_FLR_SPECIAL_POOL_CORRUPTION_TYPE","features":[547]},{"name":"DEBUG_FLR_STACK","features":[547]},{"name":"DEBUG_FLR_STACKHASH_ANALYSIS","features":[547]},{"name":"DEBUG_FLR_STACKUSAGE_FUNCTION","features":[547]},{"name":"DEBUG_FLR_STACKUSAGE_FUNCTION_SIZE","features":[547]},{"name":"DEBUG_FLR_STACKUSAGE_IMAGE","features":[547]},{"name":"DEBUG_FLR_STACKUSAGE_IMAGE_SIZE","features":[547]},{"name":"DEBUG_FLR_STACKUSAGE_RECURSION_COUNT","features":[547]},{"name":"DEBUG_FLR_STACK_COMMAND","features":[547]},{"name":"DEBUG_FLR_STACK_FRAME","features":[547]},{"name":"DEBUG_FLR_STACK_FRAMES","features":[547]},{"name":"DEBUG_FLR_STACK_FRAME_FLAGS","features":[547]},{"name":"DEBUG_FLR_STACK_FRAME_FUNCTION","features":[547]},{"name":"DEBUG_FLR_STACK_FRAME_IMAGE","features":[547]},{"name":"DEBUG_FLR_STACK_FRAME_INSTRUCTION","features":[547]},{"name":"DEBUG_FLR_STACK_FRAME_MODULE","features":[547]},{"name":"DEBUG_FLR_STACK_FRAME_MODULE_BASE","features":[547]},{"name":"DEBUG_FLR_STACK_FRAME_NUMBER","features":[547]},{"name":"DEBUG_FLR_STACK_FRAME_SRC","features":[547]},{"name":"DEBUG_FLR_STACK_FRAME_SYMBOL","features":[547]},{"name":"DEBUG_FLR_STACK_FRAME_SYMBOL_OFFSET","features":[547]},{"name":"DEBUG_FLR_STACK_OVERFLOW","features":[547]},{"name":"DEBUG_FLR_STACK_POINTER_ERROR","features":[547]},{"name":"DEBUG_FLR_STACK_POINTER_MISALIGNED","features":[547]},{"name":"DEBUG_FLR_STACK_POINTER_ONEBIT_ERROR","features":[547]},{"name":"DEBUG_FLR_STACK_SHA1_HASH_M","features":[547]},{"name":"DEBUG_FLR_STACK_SHA1_HASH_MF","features":[547]},{"name":"DEBUG_FLR_STACK_SHA1_HASH_MFO","features":[547]},{"name":"DEBUG_FLR_STACK_TEXT","features":[547]},{"name":"DEBUG_FLR_STATUS_CODE","features":[547]},{"name":"DEBUG_FLR_STORAGE","features":[547]},{"name":"DEBUG_FLR_STORAGE_BLACKBOX","features":[547]},{"name":"DEBUG_FLR_STORAGE_ISSUEDESCSTRING","features":[547]},{"name":"DEBUG_FLR_STORAGE_MFGID","features":[547]},{"name":"DEBUG_FLR_STORAGE_MODEL","features":[547]},{"name":"DEBUG_FLR_STORAGE_ORGID","features":[547]},{"name":"DEBUG_FLR_STORAGE_PRIVATE_DATASIZE","features":[547]},{"name":"DEBUG_FLR_STORAGE_PRIVATE_OFFSET","features":[547]},{"name":"DEBUG_FLR_STORAGE_PRIVATE_TOTSIZE","features":[547]},{"name":"DEBUG_FLR_STORAGE_PUBLIC_DATASIZE","features":[547]},{"name":"DEBUG_FLR_STORAGE_PUBLIC_OFFSET","features":[547]},{"name":"DEBUG_FLR_STORAGE_PUBLIC_TOTSIZE","features":[547]},{"name":"DEBUG_FLR_STORAGE_REASON","features":[547]},{"name":"DEBUG_FLR_STORAGE_TOTALSIZE","features":[547]},{"name":"DEBUG_FLR_STORE_DEVELOPER_NAME","features":[547]},{"name":"DEBUG_FLR_STORE_IS_MICROSOFT_PRODUCT","features":[547]},{"name":"DEBUG_FLR_STORE_LEGACY_PARENT_PRODUCT_ID","features":[547]},{"name":"DEBUG_FLR_STORE_LEGACY_WINDOWS_PHONE_PRODUCT_ID","features":[547]},{"name":"DEBUG_FLR_STORE_LEGACY_WINDOWS_STORE_PRODUCT_ID","features":[547]},{"name":"DEBUG_FLR_STORE_LEGACY_XBOX_360_PRODUCT_ID","features":[547]},{"name":"DEBUG_FLR_STORE_LEGACY_XBOX_ONE_PRODUCT_ID","features":[547]},{"name":"DEBUG_FLR_STORE_PACKAGE_FAMILY_NAME","features":[547]},{"name":"DEBUG_FLR_STORE_PACKAGE_IDENTITY_NAME","features":[547]},{"name":"DEBUG_FLR_STORE_PREFERRED_SKU_ID","features":[547]},{"name":"DEBUG_FLR_STORE_PRIMARY_PARENT_PRODUCT_ID","features":[547]},{"name":"DEBUG_FLR_STORE_PRODUCT_DESCRIPTION","features":[547]},{"name":"DEBUG_FLR_STORE_PRODUCT_DISPLAY_NAME","features":[547]},{"name":"DEBUG_FLR_STORE_PRODUCT_EXTENDED_NAME","features":[547]},{"name":"DEBUG_FLR_STORE_PRODUCT_ID","features":[547]},{"name":"DEBUG_FLR_STORE_PUBLISHER_CERTIFICATE_NAME","features":[547]},{"name":"DEBUG_FLR_STORE_PUBLISHER_ID","features":[547]},{"name":"DEBUG_FLR_STORE_PUBLISHER_NAME","features":[547]},{"name":"DEBUG_FLR_STORE_URL_APP","features":[547]},{"name":"DEBUG_FLR_STORE_URL_APPHEALTH","features":[547]},{"name":"DEBUG_FLR_STORE_XBOX_TITLE_ID","features":[547]},{"name":"DEBUG_FLR_STREAM_ANALYSIS","features":[547]},{"name":"DEBUG_FLR_SUSPECT_CODE_PATH_HASH","features":[547]},{"name":"DEBUG_FLR_SVCHOST","features":[547]},{"name":"DEBUG_FLR_SVCHOST_GROUP","features":[547]},{"name":"DEBUG_FLR_SVCHOST_IMAGEPATH","features":[547]},{"name":"DEBUG_FLR_SVCHOST_SERVICEDLL","features":[547]},{"name":"DEBUG_FLR_SWITCH_PROCESS_CONTEXT","features":[547]},{"name":"DEBUG_FLR_SYMBOL_FROM_RAW_STACK_ADDRESS","features":[547]},{"name":"DEBUG_FLR_SYMBOL_NAME","features":[547]},{"name":"DEBUG_FLR_SYMBOL_ON_RAW_STACK","features":[547]},{"name":"DEBUG_FLR_SYMBOL_ROUTINE_NAME","features":[547]},{"name":"DEBUG_FLR_SYMBOL_STACK_INDEX","features":[547]},{"name":"DEBUG_FLR_SYSINFO_BASEBOARD_MANUFACTURER","features":[547]},{"name":"DEBUG_FLR_SYSINFO_BASEBOARD_PRODUCT","features":[547]},{"name":"DEBUG_FLR_SYSINFO_BASEBOARD_VERSION","features":[547]},{"name":"DEBUG_FLR_SYSINFO_BIOS_DATE","features":[547]},{"name":"DEBUG_FLR_SYSINFO_BIOS_VENDOR","features":[547]},{"name":"DEBUG_FLR_SYSINFO_BIOS_VERSION","features":[547]},{"name":"DEBUG_FLR_SYSINFO_SYSTEM_MANUFACTURER","features":[547]},{"name":"DEBUG_FLR_SYSINFO_SYSTEM_PRODUCT","features":[547]},{"name":"DEBUG_FLR_SYSINFO_SYSTEM_SKU","features":[547]},{"name":"DEBUG_FLR_SYSINFO_SYSTEM_VERSION","features":[547]},{"name":"DEBUG_FLR_SYSTEM_LOCALE_deprecated","features":[547]},{"name":"DEBUG_FLR_SYSXML_CHECKSUM","features":[547]},{"name":"DEBUG_FLR_SYSXML_LOCALEID","features":[547]},{"name":"DEBUG_FLR_TARGET_MODE","features":[547]},{"name":"DEBUG_FLR_TARGET_TIME","features":[547]},{"name":"DEBUG_FLR_TESTRESULTGUID","features":[547]},{"name":"DEBUG_FLR_TESTRESULTSERVER","features":[547]},{"name":"DEBUG_FLR_THREADPOOL_WAITER","features":[547]},{"name":"DEBUG_FLR_THREAD_ATTRIBUTES","features":[547]},{"name":"DEBUG_FLR_TIMELINE_ANALYSIS","features":[547]},{"name":"DEBUG_FLR_TIMELINE_TIMES","features":[547]},{"name":"DEBUG_FLR_TRAP_FRAME","features":[547]},{"name":"DEBUG_FLR_TRAP_FRAME_RECURSION","features":[547]},{"name":"DEBUG_FLR_TRIAGER_OS_BUILD_NAME","features":[547]},{"name":"DEBUG_FLR_TSS","features":[547]},{"name":"DEBUG_FLR_TWO_BIT_ERROR","features":[547]},{"name":"DEBUG_FLR_ULS_SCRIPT_EXCEPTION","features":[547]},{"name":"DEBUG_FLR_UNALIGNED_STACK_POINTER","features":[547]},{"name":"DEBUG_FLR_UNKNOWN","features":[547]},{"name":"DEBUG_FLR_UNKNOWN_MODULE","features":[547]},{"name":"DEBUG_FLR_UNRESPONSIVE_UI_FOLLOWUP_NAME","features":[547]},{"name":"DEBUG_FLR_UNRESPONSIVE_UI_PROBLEM_CLASS","features":[547]},{"name":"DEBUG_FLR_UNRESPONSIVE_UI_PROBLEM_CLASS_DATA","features":[547]},{"name":"DEBUG_FLR_UNRESPONSIVE_UI_STACK","features":[547]},{"name":"DEBUG_FLR_UNRESPONSIVE_UI_SYMBOL_NAME","features":[547]},{"name":"DEBUG_FLR_UNRESPONSIVE_UI_THREAD","features":[547]},{"name":"DEBUG_FLR_UNUSED001","features":[547]},{"name":"DEBUG_FLR_URLS","features":[547]},{"name":"DEBUG_FLR_URLS_DISCOVERED","features":[547]},{"name":"DEBUG_FLR_URL_ENTRY","features":[547]},{"name":"DEBUG_FLR_URL_LCIE_ENTRY","features":[547]},{"name":"DEBUG_FLR_URL_URLMON_ENTRY","features":[547]},{"name":"DEBUG_FLR_URL_XMLHTTPREQ_SYNC_ENTRY","features":[547]},{"name":"DEBUG_FLR_USBPORT_OCADATA","features":[547]},{"name":"DEBUG_FLR_USER","features":[547]},{"name":"DEBUG_FLR_USERBREAK_PEB_PAGEDOUT","features":[547]},{"name":"DEBUG_FLR_USERMODE_DATA","features":[547]},{"name":"DEBUG_FLR_USER_GLOBAL_ATTRIBUTES","features":[547]},{"name":"DEBUG_FLR_USER_LCID","features":[547]},{"name":"DEBUG_FLR_USER_LCID_STR","features":[547]},{"name":"DEBUG_FLR_USER_MODE_BUCKET","features":[547]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_EVENTTYPE","features":[547]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_INDEX","features":[547]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_P0","features":[547]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_P1","features":[547]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_P2","features":[547]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_P3","features":[547]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_P4","features":[547]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_P5","features":[547]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_P6","features":[547]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_P7","features":[547]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_REPORTCREATIONTIME","features":[547]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_REPORTGUID","features":[547]},{"name":"DEBUG_FLR_USER_MODE_BUCKET_STRING","features":[547]},{"name":"DEBUG_FLR_USER_NAME","features":[547]},{"name":"DEBUG_FLR_USER_PROBLEM_CLASSES","features":[547]},{"name":"DEBUG_FLR_USER_THREAD_ATTRIBUTES","features":[547]},{"name":"DEBUG_FLR_USE_DEFAULT_CONTEXT","features":[547]},{"name":"DEBUG_FLR_VERIFIER_DRIVER_ENTRY","features":[547]},{"name":"DEBUG_FLR_VERIFIER_FOUND_DEADLOCK","features":[547]},{"name":"DEBUG_FLR_VERIFIER_STOP","features":[547]},{"name":"DEBUG_FLR_VIDEO_TDR_CONTEXT","features":[547]},{"name":"DEBUG_FLR_VIRTUAL_MACHINE","features":[547]},{"name":"DEBUG_FLR_WAIT_CHAIN_COMMAND","features":[547]},{"name":"DEBUG_FLR_WATSON_GENERIC_BUCKETING_00","features":[547]},{"name":"DEBUG_FLR_WATSON_GENERIC_BUCKETING_01","features":[547]},{"name":"DEBUG_FLR_WATSON_GENERIC_BUCKETING_02","features":[547]},{"name":"DEBUG_FLR_WATSON_GENERIC_BUCKETING_03","features":[547]},{"name":"DEBUG_FLR_WATSON_GENERIC_BUCKETING_04","features":[547]},{"name":"DEBUG_FLR_WATSON_GENERIC_BUCKETING_05","features":[547]},{"name":"DEBUG_FLR_WATSON_GENERIC_BUCKETING_06","features":[547]},{"name":"DEBUG_FLR_WATSON_GENERIC_BUCKETING_07","features":[547]},{"name":"DEBUG_FLR_WATSON_GENERIC_BUCKETING_08","features":[547]},{"name":"DEBUG_FLR_WATSON_GENERIC_BUCKETING_09","features":[547]},{"name":"DEBUG_FLR_WATSON_GENERIC_EVENT_NAME","features":[547]},{"name":"DEBUG_FLR_WATSON_IBUCKET","features":[547]},{"name":"DEBUG_FLR_WATSON_IBUCKETTABLE_S1_RESP","features":[547]},{"name":"DEBUG_FLR_WATSON_IBUCKET_S1_RESP","features":[547]},{"name":"DEBUG_FLR_WATSON_MODULE","features":[547]},{"name":"DEBUG_FLR_WATSON_MODULE_OFFSET","features":[547]},{"name":"DEBUG_FLR_WATSON_MODULE_TIMESTAMP","features":[547]},{"name":"DEBUG_FLR_WATSON_MODULE_VERSION","features":[547]},{"name":"DEBUG_FLR_WATSON_PROCESS_TIMESTAMP","features":[547]},{"name":"DEBUG_FLR_WATSON_PROCESS_VERSION","features":[547]},{"name":"DEBUG_FLR_WCT_XML_AVAILABLE","features":[547]},{"name":"DEBUG_FLR_WERCOLLECTION_DEFAULTCOLLECTION_FAILURE","features":[547]},{"name":"DEBUG_FLR_WERCOLLECTION_MINIDUMP_WRITE_FAILURE","features":[547]},{"name":"DEBUG_FLR_WERCOLLECTION_PROCESSHEAPDUMP_REQUEST_FAILURE","features":[547]},{"name":"DEBUG_FLR_WERCOLLECTION_PROCESSTERMINATED","features":[547]},{"name":"DEBUG_FLR_WER_DATA_COLLECTION_INFO","features":[547]},{"name":"DEBUG_FLR_WER_MACHINE_ID","features":[547]},{"name":"DEBUG_FLR_WHEA_ERROR_RECORD","features":[547]},{"name":"DEBUG_FLR_WINLOGON_BLACKBOX","features":[547]},{"name":"DEBUG_FLR_WMI_QUERY_DATA","features":[547]},{"name":"DEBUG_FLR_WORKER_ROUTINE","features":[547]},{"name":"DEBUG_FLR_WORK_ITEM","features":[547]},{"name":"DEBUG_FLR_WORK_QUEUE_ITEM","features":[547]},{"name":"DEBUG_FLR_WQL_EVENTLOG_INFO","features":[547]},{"name":"DEBUG_FLR_WQL_EVENT_COUNT","features":[547]},{"name":"DEBUG_FLR_WRITE_ADDRESS","features":[547]},{"name":"DEBUG_FLR_WRONG_SYMBOLS","features":[547]},{"name":"DEBUG_FLR_WRONG_SYMBOLS_SIZE","features":[547]},{"name":"DEBUG_FLR_WRONG_SYMBOLS_TIMESTAMP","features":[547]},{"name":"DEBUG_FLR_XBOX_LIVE_ENVIRONMENT","features":[547]},{"name":"DEBUG_FLR_XBOX_SYSTEM_CRASHTIME","features":[547]},{"name":"DEBUG_FLR_XBOX_SYSTEM_UPTIME","features":[547]},{"name":"DEBUG_FLR_XCS_PATH","features":[547]},{"name":"DEBUG_FLR_XDV_HELP_LINK","features":[547]},{"name":"DEBUG_FLR_XDV_RULE_INFO","features":[547]},{"name":"DEBUG_FLR_XDV_STATE_VARIABLE","features":[547]},{"name":"DEBUG_FLR_XDV_VIOLATED_CONDITION","features":[547]},{"name":"DEBUG_FLR_XHCI_FIRMWARE_VERSION","features":[547]},{"name":"DEBUG_FLR_XML_APPLICATION_NAME","features":[547]},{"name":"DEBUG_FLR_XML_ATTRIBUTE","features":[547]},{"name":"DEBUG_FLR_XML_ATTRIBUTE_D1VALUE","features":[547]},{"name":"DEBUG_FLR_XML_ATTRIBUTE_D2VALUE","features":[547]},{"name":"DEBUG_FLR_XML_ATTRIBUTE_DOVALUE","features":[547]},{"name":"DEBUG_FLR_XML_ATTRIBUTE_FRAME_NUMBER","features":[547]},{"name":"DEBUG_FLR_XML_ATTRIBUTE_LIST","features":[547]},{"name":"DEBUG_FLR_XML_ATTRIBUTE_NAME","features":[547]},{"name":"DEBUG_FLR_XML_ATTRIBUTE_THREAD_INDEX","features":[547]},{"name":"DEBUG_FLR_XML_ATTRIBUTE_VALUE","features":[547]},{"name":"DEBUG_FLR_XML_ATTRIBUTE_VALUE_TYPE","features":[547]},{"name":"DEBUG_FLR_XML_ENCODED_OFFSETS","features":[547]},{"name":"DEBUG_FLR_XML_EVENTTYPE","features":[547]},{"name":"DEBUG_FLR_XML_GLOBALATTRIBUTE_LIST","features":[547]},{"name":"DEBUG_FLR_XML_MODERN_ASYNC_REQUEST_OUTSTANDING","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_BASE","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_CHECKSUM","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_COMPANY_NAME","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_DRIVER_GROUP","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_FILE_DESCRIPTION","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_FILE_FLAGS","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_FIXED_FILE_VER","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_FIXED_PROD_VER","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_IMAGE_NAME","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_IMAGE_PATH","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_INDEX","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_INTERNAL_NAME","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_NAME","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_ON_STACK","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_ORIG_FILE_NAME","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_PRODUCT_NAME","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_SIZE","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_STRING_FILE_VER","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_STRING_PROD_VER","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_SYMBOL_TYPE","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_SYMSRV_IMAGE_DETAIL","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_SYMSRV_IMAGE_ERROR","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_SYMSRV_IMAGE_SEC","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_SYMSRV_IMAGE_STATUS","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_SYMSRV_PDB_DETAIL","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_SYMSRV_PDB_ERROR","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_SYMSRV_PDB_SEC","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_SYMSRV_PDB_STATUS","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_TIMESTAMP","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_INFO_UNLOADED","features":[547]},{"name":"DEBUG_FLR_XML_MODULE_LIST","features":[547]},{"name":"DEBUG_FLR_XML_PACKAGE_MONIKER","features":[547]},{"name":"DEBUG_FLR_XML_PACKAGE_NAME","features":[547]},{"name":"DEBUG_FLR_XML_PACKAGE_RELATIVE_APPLICATION_ID","features":[547]},{"name":"DEBUG_FLR_XML_PACKAGE_VERSION","features":[547]},{"name":"DEBUG_FLR_XML_PROBLEMCLASS","features":[547]},{"name":"DEBUG_FLR_XML_PROBLEMCLASS_FRAME_NUMBER","features":[547]},{"name":"DEBUG_FLR_XML_PROBLEMCLASS_LIST","features":[547]},{"name":"DEBUG_FLR_XML_PROBLEMCLASS_NAME","features":[547]},{"name":"DEBUG_FLR_XML_PROBLEMCLASS_THREAD_INDEX","features":[547]},{"name":"DEBUG_FLR_XML_PROBLEMCLASS_VALUE","features":[547]},{"name":"DEBUG_FLR_XML_PROBLEMCLASS_VALUE_TYPE","features":[547]},{"name":"DEBUG_FLR_XML_STACK_FRAME_TRIAGE_STATUS","features":[547]},{"name":"DEBUG_FLR_XML_SYSTEMINFO","features":[547]},{"name":"DEBUG_FLR_XML_SYSTEMINFO_SYSTEMMANUFACTURER","features":[547]},{"name":"DEBUG_FLR_XML_SYSTEMINFO_SYSTEMMARKER","features":[547]},{"name":"DEBUG_FLR_XML_SYSTEMINFO_SYSTEMMODEL","features":[547]},{"name":"DEBUG_FLR_XPROC_DUMP_AVAILABLE","features":[547]},{"name":"DEBUG_FLR_XPROC_HANG","features":[547]},{"name":"DEBUG_FLR_ZEROED_STACK","features":[547]},{"name":"DEBUG_FORMAT_CAB_SECONDARY_ALL_IMAGES","features":[547]},{"name":"DEBUG_FORMAT_CAB_SECONDARY_FILES","features":[547]},{"name":"DEBUG_FORMAT_DEFAULT","features":[547]},{"name":"DEBUG_FORMAT_NO_OVERWRITE","features":[547]},{"name":"DEBUG_FORMAT_USER_SMALL_ADD_AVX_XSTATE_CONTEXT","features":[547]},{"name":"DEBUG_FORMAT_USER_SMALL_CODE_SEGMENTS","features":[547]},{"name":"DEBUG_FORMAT_USER_SMALL_DATA_SEGMENTS","features":[547]},{"name":"DEBUG_FORMAT_USER_SMALL_FILTER_MEMORY","features":[547]},{"name":"DEBUG_FORMAT_USER_SMALL_FILTER_PATHS","features":[547]},{"name":"DEBUG_FORMAT_USER_SMALL_FILTER_TRIAGE","features":[547]},{"name":"DEBUG_FORMAT_USER_SMALL_FULL_AUXILIARY_STATE","features":[547]},{"name":"DEBUG_FORMAT_USER_SMALL_FULL_MEMORY","features":[547]},{"name":"DEBUG_FORMAT_USER_SMALL_FULL_MEMORY_INFO","features":[547]},{"name":"DEBUG_FORMAT_USER_SMALL_HANDLE_DATA","features":[547]},{"name":"DEBUG_FORMAT_USER_SMALL_IGNORE_INACCESSIBLE_MEM","features":[547]},{"name":"DEBUG_FORMAT_USER_SMALL_INDIRECT_MEMORY","features":[547]},{"name":"DEBUG_FORMAT_USER_SMALL_IPT_TRACE","features":[547]},{"name":"DEBUG_FORMAT_USER_SMALL_MODULE_HEADERS","features":[547]},{"name":"DEBUG_FORMAT_USER_SMALL_NO_AUXILIARY_STATE","features":[547]},{"name":"DEBUG_FORMAT_USER_SMALL_NO_OPTIONAL_DATA","features":[547]},{"name":"DEBUG_FORMAT_USER_SMALL_PRIVATE_READ_WRITE_MEMORY","features":[547]},{"name":"DEBUG_FORMAT_USER_SMALL_PROCESS_THREAD_DATA","features":[547]},{"name":"DEBUG_FORMAT_USER_SMALL_SCAN_PARTIAL_PAGES","features":[547]},{"name":"DEBUG_FORMAT_USER_SMALL_THREAD_INFO","features":[547]},{"name":"DEBUG_FORMAT_USER_SMALL_UNLOADED_MODULES","features":[547]},{"name":"DEBUG_FORMAT_WRITE_CAB","features":[547]},{"name":"DEBUG_FRAME_DEFAULT","features":[547]},{"name":"DEBUG_FRAME_IGNORE_INLINE","features":[547]},{"name":"DEBUG_GETFNENT_DEFAULT","features":[547]},{"name":"DEBUG_GETFNENT_RAW_ENTRY_ONLY","features":[547]},{"name":"DEBUG_GETMOD_DEFAULT","features":[547]},{"name":"DEBUG_GETMOD_NO_LOADED_MODULES","features":[547]},{"name":"DEBUG_GETMOD_NO_UNLOADED_MODULES","features":[547]},{"name":"DEBUG_GET_PROC_DEFAULT","features":[547]},{"name":"DEBUG_GET_PROC_FULL_MATCH","features":[547]},{"name":"DEBUG_GET_PROC_ONLY_MATCH","features":[547]},{"name":"DEBUG_GET_PROC_SERVICE_NAME","features":[547]},{"name":"DEBUG_GET_TEXT_COMPLETIONS_IN","features":[547]},{"name":"DEBUG_GET_TEXT_COMPLETIONS_IS_DOT_COMMAND","features":[547]},{"name":"DEBUG_GET_TEXT_COMPLETIONS_IS_EXTENSION_COMMAND","features":[547]},{"name":"DEBUG_GET_TEXT_COMPLETIONS_IS_SYMBOL","features":[547]},{"name":"DEBUG_GET_TEXT_COMPLETIONS_NO_DOT_COMMANDS","features":[547]},{"name":"DEBUG_GET_TEXT_COMPLETIONS_NO_EXTENSION_COMMANDS","features":[547]},{"name":"DEBUG_GET_TEXT_COMPLETIONS_NO_SYMBOLS","features":[547]},{"name":"DEBUG_GET_TEXT_COMPLETIONS_OUT","features":[547]},{"name":"DEBUG_GSEL_ALLOW_HIGHER","features":[547]},{"name":"DEBUG_GSEL_ALLOW_LOWER","features":[547]},{"name":"DEBUG_GSEL_DEFAULT","features":[547]},{"name":"DEBUG_GSEL_INLINE_CALLSITE","features":[547]},{"name":"DEBUG_GSEL_NEAREST_ONLY","features":[547]},{"name":"DEBUG_GSEL_NO_SYMBOL_LOADS","features":[547]},{"name":"DEBUG_HANDLE_DATA_BASIC","features":[547]},{"name":"DEBUG_HANDLE_DATA_TYPE_ALL_HANDLE_OPERATIONS","features":[547]},{"name":"DEBUG_HANDLE_DATA_TYPE_BASIC","features":[547]},{"name":"DEBUG_HANDLE_DATA_TYPE_HANDLE_COUNT","features":[547]},{"name":"DEBUG_HANDLE_DATA_TYPE_MINI_EVENT_1","features":[547]},{"name":"DEBUG_HANDLE_DATA_TYPE_MINI_MUTANT_1","features":[547]},{"name":"DEBUG_HANDLE_DATA_TYPE_MINI_MUTANT_2","features":[547]},{"name":"DEBUG_HANDLE_DATA_TYPE_MINI_PROCESS_1","features":[547]},{"name":"DEBUG_HANDLE_DATA_TYPE_MINI_PROCESS_2","features":[547]},{"name":"DEBUG_HANDLE_DATA_TYPE_MINI_SECTION_1","features":[547]},{"name":"DEBUG_HANDLE_DATA_TYPE_MINI_SEMAPHORE_1","features":[547]},{"name":"DEBUG_HANDLE_DATA_TYPE_MINI_THREAD_1","features":[547]},{"name":"DEBUG_HANDLE_DATA_TYPE_OBJECT_NAME","features":[547]},{"name":"DEBUG_HANDLE_DATA_TYPE_OBJECT_NAME_WIDE","features":[547]},{"name":"DEBUG_HANDLE_DATA_TYPE_PER_HANDLE_OPERATIONS","features":[547]},{"name":"DEBUG_HANDLE_DATA_TYPE_TYPE_NAME","features":[547]},{"name":"DEBUG_HANDLE_DATA_TYPE_TYPE_NAME_WIDE","features":[547]},{"name":"DEBUG_INTERRUPT_ACTIVE","features":[547]},{"name":"DEBUG_INTERRUPT_EXIT","features":[547]},{"name":"DEBUG_INTERRUPT_PASSIVE","features":[547]},{"name":"DEBUG_IOUTPUT_ADDR_TRANSLATE","features":[547]},{"name":"DEBUG_IOUTPUT_BREAKPOINT","features":[547]},{"name":"DEBUG_IOUTPUT_EVENT","features":[547]},{"name":"DEBUG_IOUTPUT_KD_PROTOCOL","features":[547]},{"name":"DEBUG_IOUTPUT_REMOTING","features":[547]},{"name":"DEBUG_IRP_INFO","features":[547]},{"name":"DEBUG_IRP_STACK_INFO","features":[547]},{"name":"DEBUG_KERNEL_ACTIVE_DUMP","features":[547]},{"name":"DEBUG_KERNEL_CONNECTION","features":[547]},{"name":"DEBUG_KERNEL_DUMP","features":[547]},{"name":"DEBUG_KERNEL_EXDI_DRIVER","features":[547]},{"name":"DEBUG_KERNEL_FULL_DUMP","features":[547]},{"name":"DEBUG_KERNEL_IDNA","features":[547]},{"name":"DEBUG_KERNEL_INSTALL_DRIVER","features":[547]},{"name":"DEBUG_KERNEL_LOCAL","features":[547]},{"name":"DEBUG_KERNEL_REPT","features":[547]},{"name":"DEBUG_KERNEL_SMALL_DUMP","features":[547]},{"name":"DEBUG_KERNEL_TRACE_LOG","features":[547]},{"name":"DEBUG_KNOWN_STRUCT_GET_NAMES","features":[547]},{"name":"DEBUG_KNOWN_STRUCT_GET_SINGLE_LINE_OUTPUT","features":[547]},{"name":"DEBUG_KNOWN_STRUCT_SUPPRESS_TYPE_NAME","features":[547]},{"name":"DEBUG_LAST_EVENT_INFO_BREAKPOINT","features":[547]},{"name":"DEBUG_LAST_EVENT_INFO_EXCEPTION","features":[308,547]},{"name":"DEBUG_LAST_EVENT_INFO_EXIT_PROCESS","features":[547]},{"name":"DEBUG_LAST_EVENT_INFO_EXIT_THREAD","features":[547]},{"name":"DEBUG_LAST_EVENT_INFO_LOAD_MODULE","features":[547]},{"name":"DEBUG_LAST_EVENT_INFO_SERVICE_EXCEPTION","features":[547]},{"name":"DEBUG_LAST_EVENT_INFO_SYSTEM_ERROR","features":[547]},{"name":"DEBUG_LAST_EVENT_INFO_UNLOAD_MODULE","features":[547]},{"name":"DEBUG_LEVEL_ASSEMBLY","features":[547]},{"name":"DEBUG_LEVEL_SOURCE","features":[547]},{"name":"DEBUG_LIVE_USER_NON_INVASIVE","features":[547]},{"name":"DEBUG_LOG_APPEND","features":[547]},{"name":"DEBUG_LOG_DEFAULT","features":[547]},{"name":"DEBUG_LOG_DML","features":[547]},{"name":"DEBUG_LOG_UNICODE","features":[547]},{"name":"DEBUG_MANAGED_ALLOWED","features":[547]},{"name":"DEBUG_MANAGED_DISABLED","features":[547]},{"name":"DEBUG_MANAGED_DLL_LOADED","features":[547]},{"name":"DEBUG_MANRESET_DEFAULT","features":[547]},{"name":"DEBUG_MANRESET_LOAD_DLL","features":[547]},{"name":"DEBUG_MANSTR_LOADED_SUPPORT_DLL","features":[547]},{"name":"DEBUG_MANSTR_LOAD_STATUS","features":[547]},{"name":"DEBUG_MANSTR_NONE","features":[547]},{"name":"DEBUG_MODNAME_IMAGE","features":[547]},{"name":"DEBUG_MODNAME_LOADED_IMAGE","features":[547]},{"name":"DEBUG_MODNAME_MAPPED_IMAGE","features":[547]},{"name":"DEBUG_MODNAME_MODULE","features":[547]},{"name":"DEBUG_MODNAME_SYMBOL_FILE","features":[547]},{"name":"DEBUG_MODULE_AND_ID","features":[547]},{"name":"DEBUG_MODULE_EXE_MODULE","features":[547]},{"name":"DEBUG_MODULE_EXPLICIT","features":[547]},{"name":"DEBUG_MODULE_LOADED","features":[547]},{"name":"DEBUG_MODULE_PARAMETERS","features":[547]},{"name":"DEBUG_MODULE_SECONDARY","features":[547]},{"name":"DEBUG_MODULE_SYM_BAD_CHECKSUM","features":[547]},{"name":"DEBUG_MODULE_SYNTHETIC","features":[547]},{"name":"DEBUG_MODULE_UNLOADED","features":[547]},{"name":"DEBUG_MODULE_USER_MODE","features":[547]},{"name":"DEBUG_NOTIFY_SESSION_ACCESSIBLE","features":[547]},{"name":"DEBUG_NOTIFY_SESSION_ACTIVE","features":[547]},{"name":"DEBUG_NOTIFY_SESSION_INACCESSIBLE","features":[547]},{"name":"DEBUG_NOTIFY_SESSION_INACTIVE","features":[547]},{"name":"DEBUG_OFFSET_REGION","features":[547]},{"name":"DEBUG_OFFSINFO_VIRTUAL_SOURCE","features":[547]},{"name":"DEBUG_OUTCBF_COMBINED_EXPLICIT_FLUSH","features":[547]},{"name":"DEBUG_OUTCBF_DML_HAS_SPECIAL_CHARACTERS","features":[547]},{"name":"DEBUG_OUTCBF_DML_HAS_TAGS","features":[547]},{"name":"DEBUG_OUTCBI_ANY_FORMAT","features":[547]},{"name":"DEBUG_OUTCBI_DML","features":[547]},{"name":"DEBUG_OUTCBI_EXPLICIT_FLUSH","features":[547]},{"name":"DEBUG_OUTCBI_TEXT","features":[547]},{"name":"DEBUG_OUTCB_DML","features":[547]},{"name":"DEBUG_OUTCB_EXPLICIT_FLUSH","features":[547]},{"name":"DEBUG_OUTCB_TEXT","features":[547]},{"name":"DEBUG_OUTCTL_ALL_CLIENTS","features":[547]},{"name":"DEBUG_OUTCTL_ALL_OTHER_CLIENTS","features":[547]},{"name":"DEBUG_OUTCTL_AMBIENT","features":[547]},{"name":"DEBUG_OUTCTL_AMBIENT_DML","features":[547]},{"name":"DEBUG_OUTCTL_AMBIENT_TEXT","features":[547]},{"name":"DEBUG_OUTCTL_DML","features":[547]},{"name":"DEBUG_OUTCTL_IGNORE","features":[547]},{"name":"DEBUG_OUTCTL_LOG_ONLY","features":[547]},{"name":"DEBUG_OUTCTL_NOT_LOGGED","features":[547]},{"name":"DEBUG_OUTCTL_OVERRIDE_MASK","features":[547]},{"name":"DEBUG_OUTCTL_SEND_MASK","features":[547]},{"name":"DEBUG_OUTCTL_THIS_CLIENT","features":[547]},{"name":"DEBUG_OUTPUT_DEBUGGEE","features":[547]},{"name":"DEBUG_OUTPUT_DEBUGGEE_PROMPT","features":[547]},{"name":"DEBUG_OUTPUT_ERROR","features":[547]},{"name":"DEBUG_OUTPUT_EXTENSION_WARNING","features":[547]},{"name":"DEBUG_OUTPUT_IDENTITY_DEFAULT","features":[547]},{"name":"DEBUG_OUTPUT_NAME_END","features":[547]},{"name":"DEBUG_OUTPUT_NAME_END_T","features":[547]},{"name":"DEBUG_OUTPUT_NAME_END_WIDE","features":[547]},{"name":"DEBUG_OUTPUT_NORMAL","features":[547]},{"name":"DEBUG_OUTPUT_OFFSET_END","features":[547]},{"name":"DEBUG_OUTPUT_OFFSET_END_T","features":[547]},{"name":"DEBUG_OUTPUT_OFFSET_END_WIDE","features":[547]},{"name":"DEBUG_OUTPUT_PROMPT","features":[547]},{"name":"DEBUG_OUTPUT_PROMPT_REGISTERS","features":[547]},{"name":"DEBUG_OUTPUT_STATUS","features":[547]},{"name":"DEBUG_OUTPUT_SYMBOLS","features":[547]},{"name":"DEBUG_OUTPUT_SYMBOLS_DEFAULT","features":[547]},{"name":"DEBUG_OUTPUT_SYMBOLS_NO_NAMES","features":[547]},{"name":"DEBUG_OUTPUT_SYMBOLS_NO_OFFSETS","features":[547]},{"name":"DEBUG_OUTPUT_SYMBOLS_NO_TYPES","features":[547]},{"name":"DEBUG_OUTPUT_SYMBOLS_NO_VALUES","features":[547]},{"name":"DEBUG_OUTPUT_TYPE_END","features":[547]},{"name":"DEBUG_OUTPUT_TYPE_END_T","features":[547]},{"name":"DEBUG_OUTPUT_TYPE_END_WIDE","features":[547]},{"name":"DEBUG_OUTPUT_VALUE_END","features":[547]},{"name":"DEBUG_OUTPUT_VALUE_END_T","features":[547]},{"name":"DEBUG_OUTPUT_VALUE_END_WIDE","features":[547]},{"name":"DEBUG_OUTPUT_VERBOSE","features":[547]},{"name":"DEBUG_OUTPUT_WARNING","features":[547]},{"name":"DEBUG_OUTPUT_XML","features":[547]},{"name":"DEBUG_OUTSYM_ALLOW_DISPLACEMENT","features":[547]},{"name":"DEBUG_OUTSYM_DEFAULT","features":[547]},{"name":"DEBUG_OUTSYM_FORCE_OFFSET","features":[547]},{"name":"DEBUG_OUTSYM_SOURCE_LINE","features":[547]},{"name":"DEBUG_OUTTYPE_ADDRESS_AT_END","features":[547]},{"name":"DEBUG_OUTTYPE_ADDRESS_OF_FIELD","features":[547]},{"name":"DEBUG_OUTTYPE_BLOCK_RECURSE","features":[547]},{"name":"DEBUG_OUTTYPE_COMPACT_OUTPUT","features":[547]},{"name":"DEBUG_OUTTYPE_DEFAULT","features":[547]},{"name":"DEBUG_OUTTYPE_NO_INDENT","features":[547]},{"name":"DEBUG_OUTTYPE_NO_OFFSET","features":[547]},{"name":"DEBUG_OUTTYPE_VERBOSE","features":[547]},{"name":"DEBUG_OUT_TEXT_REPL_DEFAULT","features":[547]},{"name":"DEBUG_PHYSICAL_CACHED","features":[547]},{"name":"DEBUG_PHYSICAL_DEFAULT","features":[547]},{"name":"DEBUG_PHYSICAL_UNCACHED","features":[547]},{"name":"DEBUG_PHYSICAL_WRITE_COMBINED","features":[547]},{"name":"DEBUG_PNP_TRIAGE_INFO","features":[547]},{"name":"DEBUG_POOLTAG_DESCRIPTION","features":[547]},{"name":"DEBUG_POOL_DATA","features":[547]},{"name":"DEBUG_POOL_REGION","features":[547]},{"name":"DEBUG_PROCESSOR_IDENTIFICATION_ALL","features":[547]},{"name":"DEBUG_PROCESSOR_IDENTIFICATION_ALPHA","features":[547]},{"name":"DEBUG_PROCESSOR_IDENTIFICATION_AMD64","features":[547]},{"name":"DEBUG_PROCESSOR_IDENTIFICATION_ARM","features":[547]},{"name":"DEBUG_PROCESSOR_IDENTIFICATION_ARM64","features":[547]},{"name":"DEBUG_PROCESSOR_IDENTIFICATION_IA64","features":[547]},{"name":"DEBUG_PROCESSOR_IDENTIFICATION_X86","features":[547]},{"name":"DEBUG_PROCESS_DETACH_ON_EXIT","features":[547]},{"name":"DEBUG_PROCESS_ONLY_THIS_PROCESS","features":[547]},{"name":"DEBUG_PROC_DESC_DEFAULT","features":[547]},{"name":"DEBUG_PROC_DESC_NO_COMMAND_LINE","features":[547]},{"name":"DEBUG_PROC_DESC_NO_MTS_PACKAGES","features":[547]},{"name":"DEBUG_PROC_DESC_NO_PATHS","features":[547]},{"name":"DEBUG_PROC_DESC_NO_SERVICES","features":[547]},{"name":"DEBUG_PROC_DESC_NO_SESSION_ID","features":[547]},{"name":"DEBUG_PROC_DESC_NO_USER_NAME","features":[547]},{"name":"DEBUG_PROC_DESC_WITH_ARCHITECTURE","features":[547]},{"name":"DEBUG_PROC_DESC_WITH_PACKAGEFAMILY","features":[547]},{"name":"DEBUG_READ_USER_MINIDUMP_STREAM","features":[547]},{"name":"DEBUG_REGISTERS_ALL","features":[547]},{"name":"DEBUG_REGISTERS_DEFAULT","features":[547]},{"name":"DEBUG_REGISTERS_FLOAT","features":[547]},{"name":"DEBUG_REGISTERS_INT32","features":[547]},{"name":"DEBUG_REGISTERS_INT64","features":[547]},{"name":"DEBUG_REGISTER_DESCRIPTION","features":[547]},{"name":"DEBUG_REGISTER_SUB_REGISTER","features":[547]},{"name":"DEBUG_REGSRC_DEBUGGEE","features":[547]},{"name":"DEBUG_REGSRC_EXPLICIT","features":[547]},{"name":"DEBUG_REGSRC_FRAME","features":[547]},{"name":"DEBUG_REQUEST_ADD_CACHED_SYMBOL_INFO","features":[547]},{"name":"DEBUG_REQUEST_CLOSE_TOKEN","features":[547]},{"name":"DEBUG_REQUEST_CURRENT_OUTPUT_CALLBACKS_ARE_DML_AWARE","features":[547]},{"name":"DEBUG_REQUEST_DUPLICATE_TOKEN","features":[547]},{"name":"DEBUG_REQUEST_EXT_TYPED_DATA_ANSI","features":[547]},{"name":"DEBUG_REQUEST_GET_ADDITIONAL_CREATE_OPTIONS","features":[547]},{"name":"DEBUG_REQUEST_GET_CACHED_SYMBOL_INFO","features":[547]},{"name":"DEBUG_REQUEST_GET_CAPTURED_EVENT_CODE_OFFSET","features":[547]},{"name":"DEBUG_REQUEST_GET_DUMP_HEADER","features":[547]},{"name":"DEBUG_REQUEST_GET_EXTENSION_SEARCH_PATH_WIDE","features":[547]},{"name":"DEBUG_REQUEST_GET_IMAGE_ARCHITECTURE","features":[547]},{"name":"DEBUG_REQUEST_GET_INSTRUMENTATION_VERSION","features":[547]},{"name":"DEBUG_REQUEST_GET_MODULE_ARCHITECTURE","features":[547]},{"name":"DEBUG_REQUEST_GET_OFFSET_UNWIND_INFORMATION","features":[547]},{"name":"DEBUG_REQUEST_GET_TEXT_COMPLETIONS_ANSI","features":[547]},{"name":"DEBUG_REQUEST_GET_TEXT_COMPLETIONS_WIDE","features":[547]},{"name":"DEBUG_REQUEST_GET_WIN32_MAJOR_MINOR_VERSIONS","features":[547]},{"name":"DEBUG_REQUEST_INLINE_QUERY","features":[547]},{"name":"DEBUG_REQUEST_MIDORI","features":[547]},{"name":"DEBUG_REQUEST_MISC_INFORMATION","features":[547]},{"name":"DEBUG_REQUEST_OPEN_PROCESS_TOKEN","features":[547]},{"name":"DEBUG_REQUEST_OPEN_THREAD_TOKEN","features":[547]},{"name":"DEBUG_REQUEST_PROCESS_DESCRIPTORS","features":[547]},{"name":"DEBUG_REQUEST_QUERY_INFO_TOKEN","features":[547]},{"name":"DEBUG_REQUEST_READ_CAPTURED_EVENT_CODE_STREAM","features":[547]},{"name":"DEBUG_REQUEST_READ_USER_MINIDUMP_STREAM","features":[547]},{"name":"DEBUG_REQUEST_REMOVE_CACHED_SYMBOL_INFO","features":[547]},{"name":"DEBUG_REQUEST_RESUME_THREAD","features":[547]},{"name":"DEBUG_REQUEST_SET_ADDITIONAL_CREATE_OPTIONS","features":[547]},{"name":"DEBUG_REQUEST_SET_DUMP_HEADER","features":[547]},{"name":"DEBUG_REQUEST_SET_LOCAL_IMPLICIT_COMMAND_LINE","features":[547]},{"name":"DEBUG_REQUEST_SOURCE_PATH_HAS_SOURCE_SERVER","features":[547]},{"name":"DEBUG_REQUEST_TARGET_CAN_DETACH","features":[547]},{"name":"DEBUG_REQUEST_TARGET_EXCEPTION_CONTEXT","features":[547]},{"name":"DEBUG_REQUEST_TARGET_EXCEPTION_RECORD","features":[547]},{"name":"DEBUG_REQUEST_TARGET_EXCEPTION_THREAD","features":[547]},{"name":"DEBUG_REQUEST_TL_INSTRUMENTATION_AWARE","features":[547]},{"name":"DEBUG_REQUEST_WOW_MODULE","features":[547]},{"name":"DEBUG_REQUEST_WOW_PROCESS","features":[547]},{"name":"DEBUG_SCOPE_GROUP_ALL","features":[547]},{"name":"DEBUG_SCOPE_GROUP_ARGUMENTS","features":[547]},{"name":"DEBUG_SCOPE_GROUP_BY_DATAMODEL","features":[547]},{"name":"DEBUG_SCOPE_GROUP_LOCALS","features":[547]},{"name":"DEBUG_SERVERS_ALL","features":[547]},{"name":"DEBUG_SERVERS_DEBUGGER","features":[547]},{"name":"DEBUG_SERVERS_PROCESS","features":[547]},{"name":"DEBUG_SESSION_ACTIVE","features":[547]},{"name":"DEBUG_SESSION_END","features":[547]},{"name":"DEBUG_SESSION_END_SESSION_ACTIVE_DETACH","features":[547]},{"name":"DEBUG_SESSION_END_SESSION_ACTIVE_TERMINATE","features":[547]},{"name":"DEBUG_SESSION_END_SESSION_PASSIVE","features":[547]},{"name":"DEBUG_SESSION_FAILURE","features":[547]},{"name":"DEBUG_SESSION_HIBERNATE","features":[547]},{"name":"DEBUG_SESSION_REBOOT","features":[547]},{"name":"DEBUG_SMBIOS_INFO","features":[547]},{"name":"DEBUG_SOURCE_IS_STATEMENT","features":[547]},{"name":"DEBUG_SPECIFIC_FILTER_PARAMETERS","features":[547]},{"name":"DEBUG_SRCFILE_SYMBOL_CHECKSUMINFO","features":[547]},{"name":"DEBUG_SRCFILE_SYMBOL_TOKEN","features":[547]},{"name":"DEBUG_SRCFILE_SYMBOL_TOKEN_SOURCE_COMMAND_WIDE","features":[547]},{"name":"DEBUG_STACK_ARGUMENTS","features":[547]},{"name":"DEBUG_STACK_COLUMN_NAMES","features":[547]},{"name":"DEBUG_STACK_DML","features":[547]},{"name":"DEBUG_STACK_FRAME","features":[308,547]},{"name":"DEBUG_STACK_FRAME_ADDRESSES","features":[547]},{"name":"DEBUG_STACK_FRAME_ADDRESSES_RA_ONLY","features":[547]},{"name":"DEBUG_STACK_FRAME_ARCH","features":[547]},{"name":"DEBUG_STACK_FRAME_EX","features":[308,547]},{"name":"DEBUG_STACK_FRAME_MEMORY_USAGE","features":[547]},{"name":"DEBUG_STACK_FRAME_NUMBERS","features":[547]},{"name":"DEBUG_STACK_FRAME_OFFSETS","features":[547]},{"name":"DEBUG_STACK_FUNCTION_INFO","features":[547]},{"name":"DEBUG_STACK_NONVOLATILE_REGISTERS","features":[547]},{"name":"DEBUG_STACK_PARAMETERS","features":[547]},{"name":"DEBUG_STACK_PARAMETERS_NEWLINE","features":[547]},{"name":"DEBUG_STACK_PROVIDER","features":[547]},{"name":"DEBUG_STACK_SOURCE_LINE","features":[547]},{"name":"DEBUG_STATUS_BREAK","features":[547]},{"name":"DEBUG_STATUS_GO","features":[547]},{"name":"DEBUG_STATUS_GO_HANDLED","features":[547]},{"name":"DEBUG_STATUS_GO_NOT_HANDLED","features":[547]},{"name":"DEBUG_STATUS_IGNORE_EVENT","features":[547]},{"name":"DEBUG_STATUS_INSIDE_WAIT","features":[547]},{"name":"DEBUG_STATUS_MASK","features":[547]},{"name":"DEBUG_STATUS_NO_CHANGE","features":[547]},{"name":"DEBUG_STATUS_NO_DEBUGGEE","features":[547]},{"name":"DEBUG_STATUS_OUT_OF_SYNC","features":[547]},{"name":"DEBUG_STATUS_RESTART_REQUESTED","features":[547]},{"name":"DEBUG_STATUS_REVERSE_GO","features":[547]},{"name":"DEBUG_STATUS_REVERSE_STEP_BRANCH","features":[547]},{"name":"DEBUG_STATUS_REVERSE_STEP_INTO","features":[547]},{"name":"DEBUG_STATUS_REVERSE_STEP_OVER","features":[547]},{"name":"DEBUG_STATUS_STEP_BRANCH","features":[547]},{"name":"DEBUG_STATUS_STEP_INTO","features":[547]},{"name":"DEBUG_STATUS_STEP_OVER","features":[547]},{"name":"DEBUG_STATUS_TIMEOUT","features":[547]},{"name":"DEBUG_STATUS_WAIT_INPUT","features":[547]},{"name":"DEBUG_STATUS_WAIT_TIMEOUT","features":[547]},{"name":"DEBUG_SYMBOL_ENTRY","features":[547]},{"name":"DEBUG_SYMBOL_EXPANDED","features":[547]},{"name":"DEBUG_SYMBOL_EXPANSION_LEVEL_MASK","features":[547]},{"name":"DEBUG_SYMBOL_IS_ARGUMENT","features":[547]},{"name":"DEBUG_SYMBOL_IS_ARRAY","features":[547]},{"name":"DEBUG_SYMBOL_IS_FLOAT","features":[547]},{"name":"DEBUG_SYMBOL_IS_LOCAL","features":[547]},{"name":"DEBUG_SYMBOL_PARAMETERS","features":[547]},{"name":"DEBUG_SYMBOL_READ_ONLY","features":[547]},{"name":"DEBUG_SYMBOL_SOURCE_ENTRY","features":[547]},{"name":"DEBUG_SYMENT_IS_CODE","features":[547]},{"name":"DEBUG_SYMENT_IS_DATA","features":[547]},{"name":"DEBUG_SYMENT_IS_LOCAL","features":[547]},{"name":"DEBUG_SYMENT_IS_MANAGED","features":[547]},{"name":"DEBUG_SYMENT_IS_PARAMETER","features":[547]},{"name":"DEBUG_SYMENT_IS_SYNTHETIC","features":[547]},{"name":"DEBUG_SYMINFO_BREAKPOINT_SOURCE_LINE","features":[547]},{"name":"DEBUG_SYMINFO_GET_MODULE_SYMBOL_NAMES_AND_OFFSETS","features":[547]},{"name":"DEBUG_SYMINFO_GET_SYMBOL_NAME_BY_OFFSET_AND_TAG_WIDE","features":[547]},{"name":"DEBUG_SYMINFO_IMAGEHLP_MODULEW64","features":[547]},{"name":"DEBUG_SYMTYPE_CODEVIEW","features":[547]},{"name":"DEBUG_SYMTYPE_COFF","features":[547]},{"name":"DEBUG_SYMTYPE_DEFERRED","features":[547]},{"name":"DEBUG_SYMTYPE_DIA","features":[547]},{"name":"DEBUG_SYMTYPE_EXPORT","features":[547]},{"name":"DEBUG_SYMTYPE_NONE","features":[547]},{"name":"DEBUG_SYMTYPE_PDB","features":[547]},{"name":"DEBUG_SYMTYPE_SYM","features":[547]},{"name":"DEBUG_SYSOBJINFO_CURRENT_PROCESS_COOKIE","features":[547]},{"name":"DEBUG_SYSOBJINFO_THREAD_BASIC_INFORMATION","features":[547]},{"name":"DEBUG_SYSOBJINFO_THREAD_NAME_WIDE","features":[547]},{"name":"DEBUG_SYSVERSTR_BUILD","features":[547]},{"name":"DEBUG_SYSVERSTR_SERVICE_PACK","features":[547]},{"name":"DEBUG_TBINFO_AFFINITY","features":[547]},{"name":"DEBUG_TBINFO_ALL","features":[547]},{"name":"DEBUG_TBINFO_EXIT_STATUS","features":[547]},{"name":"DEBUG_TBINFO_PRIORITY","features":[547]},{"name":"DEBUG_TBINFO_PRIORITY_CLASS","features":[547]},{"name":"DEBUG_TBINFO_START_OFFSET","features":[547]},{"name":"DEBUG_TBINFO_TIMES","features":[547]},{"name":"DEBUG_THREAD_BASIC_INFORMATION","features":[547]},{"name":"DEBUG_TRIAGE_FOLLOWUP_INFO","features":[547]},{"name":"DEBUG_TRIAGE_FOLLOWUP_INFO_2","features":[547]},{"name":"DEBUG_TYPED_DATA","features":[547]},{"name":"DEBUG_TYPED_DATA_IS_IN_MEMORY","features":[547]},{"name":"DEBUG_TYPED_DATA_PHYSICAL_CACHED","features":[547]},{"name":"DEBUG_TYPED_DATA_PHYSICAL_DEFAULT","features":[547]},{"name":"DEBUG_TYPED_DATA_PHYSICAL_MEMORY","features":[547]},{"name":"DEBUG_TYPED_DATA_PHYSICAL_UNCACHED","features":[547]},{"name":"DEBUG_TYPED_DATA_PHYSICAL_WRITE_COMBINED","features":[547]},{"name":"DEBUG_TYPEOPTS_FORCERADIX_OUTPUT","features":[547]},{"name":"DEBUG_TYPEOPTS_LONGSTATUS_DISPLAY","features":[547]},{"name":"DEBUG_TYPEOPTS_MATCH_MAXSIZE","features":[547]},{"name":"DEBUG_TYPEOPTS_UNICODE_DISPLAY","features":[547]},{"name":"DEBUG_USER_WINDOWS_DUMP","features":[547]},{"name":"DEBUG_USER_WINDOWS_DUMP_WINDOWS_CE","features":[547]},{"name":"DEBUG_USER_WINDOWS_IDNA","features":[547]},{"name":"DEBUG_USER_WINDOWS_PROCESS","features":[547]},{"name":"DEBUG_USER_WINDOWS_PROCESS_SERVER","features":[547]},{"name":"DEBUG_USER_WINDOWS_REPT","features":[547]},{"name":"DEBUG_USER_WINDOWS_SMALL_DUMP","features":[547]},{"name":"DEBUG_VALUE","features":[308,547]},{"name":"DEBUG_VALUE_FLOAT128","features":[547]},{"name":"DEBUG_VALUE_FLOAT32","features":[547]},{"name":"DEBUG_VALUE_FLOAT64","features":[547]},{"name":"DEBUG_VALUE_FLOAT80","features":[547]},{"name":"DEBUG_VALUE_FLOAT82","features":[547]},{"name":"DEBUG_VALUE_INT16","features":[547]},{"name":"DEBUG_VALUE_INT32","features":[547]},{"name":"DEBUG_VALUE_INT64","features":[547]},{"name":"DEBUG_VALUE_INT8","features":[547]},{"name":"DEBUG_VALUE_INVALID","features":[547]},{"name":"DEBUG_VALUE_TYPES","features":[547]},{"name":"DEBUG_VALUE_VECTOR128","features":[547]},{"name":"DEBUG_VALUE_VECTOR64","features":[547]},{"name":"DEBUG_VSEARCH_DEFAULT","features":[547]},{"name":"DEBUG_VSEARCH_WRITABLE_ONLY","features":[547]},{"name":"DEBUG_VSOURCE_DEBUGGEE","features":[547]},{"name":"DEBUG_VSOURCE_DUMP_WITHOUT_MEMINFO","features":[547]},{"name":"DEBUG_VSOURCE_INVALID","features":[547]},{"name":"DEBUG_VSOURCE_MAPPED_IMAGE","features":[547]},{"name":"DEBUG_WAIT_DEFAULT","features":[547]},{"name":"DISK_READ_0_BYTES","features":[547]},{"name":"DISK_WRITE","features":[547]},{"name":"DUMP_HANDLE_FLAG_CID_TABLE","features":[547]},{"name":"DUMP_HANDLE_FLAG_KERNEL_TABLE","features":[547]},{"name":"DUMP_HANDLE_FLAG_PRINT_FREE_ENTRY","features":[547]},{"name":"DUMP_HANDLE_FLAG_PRINT_OBJECT","features":[547]},{"name":"DbgPoolRegionMax","features":[547]},{"name":"DbgPoolRegionNonPaged","features":[547]},{"name":"DbgPoolRegionNonPagedExpansion","features":[547]},{"name":"DbgPoolRegionPaged","features":[547]},{"name":"DbgPoolRegionSessionPaged","features":[547]},{"name":"DbgPoolRegionSpecial","features":[547]},{"name":"DbgPoolRegionUnknown","features":[547]},{"name":"DebugBaseEventCallbacks","features":[547]},{"name":"DebugBaseEventCallbacksWide","features":[547]},{"name":"DebugConnect","features":[547]},{"name":"DebugConnectWide","features":[547]},{"name":"DebugCreate","features":[547]},{"name":"DebugCreateEx","features":[547]},{"name":"ENTRY_CALLBACK","features":[547]},{"name":"ERROR_DBG_CANCELLED","features":[547]},{"name":"ERROR_DBG_TIMEOUT","features":[547]},{"name":"EXIT_ON_CONTROLC","features":[547]},{"name":"EXIT_STATUS","features":[547]},{"name":"EXTDLL_DATA_QUERY_BUILD_BINDIR","features":[547]},{"name":"EXTDLL_DATA_QUERY_BUILD_BINDIR_SYMSRV","features":[547]},{"name":"EXTDLL_DATA_QUERY_BUILD_SYMDIR","features":[547]},{"name":"EXTDLL_DATA_QUERY_BUILD_SYMDIR_SYMSRV","features":[547]},{"name":"EXTDLL_DATA_QUERY_BUILD_WOW64BINDIR","features":[547]},{"name":"EXTDLL_DATA_QUERY_BUILD_WOW64BINDIR_SYMSRV","features":[547]},{"name":"EXTDLL_DATA_QUERY_BUILD_WOW64SYMDIR","features":[547]},{"name":"EXTDLL_DATA_QUERY_BUILD_WOW64SYMDIR_SYMSRV","features":[547]},{"name":"EXTDLL_ITERATERTLBALANCEDNODES","features":[547]},{"name":"EXTDLL_QUERYDATABYTAG","features":[547]},{"name":"EXTDLL_QUERYDATABYTAGEX","features":[547]},{"name":"EXTSTACKTRACE","features":[547]},{"name":"EXTSTACKTRACE32","features":[547]},{"name":"EXTSTACKTRACE64","features":[547]},{"name":"EXTS_JOB_PROCESS_CALLBACK","features":[308,547]},{"name":"EXTS_TABLE_ENTRY_CALLBACK","features":[308,547]},{"name":"EXT_ANALYSIS_PLUGIN","features":[547]},{"name":"EXT_ANALYZER","features":[547]},{"name":"EXT_ANALYZER_FLAG_ID","features":[547]},{"name":"EXT_ANALYZER_FLAG_MOD","features":[547]},{"name":"EXT_API_VERSION","features":[547]},{"name":"EXT_API_VERSION_NUMBER","features":[547]},{"name":"EXT_API_VERSION_NUMBER32","features":[547]},{"name":"EXT_API_VERSION_NUMBER64","features":[547]},{"name":"EXT_CAB_XML_DATA","features":[547]},{"name":"EXT_DECODE_ERROR","features":[308,547]},{"name":"EXT_FIND_FILE","features":[308,547]},{"name":"EXT_FIND_FILE_ALLOW_GIVEN_PATH","features":[547]},{"name":"EXT_GET_DEBUG_FAILURE_ANALYSIS","features":[547]},{"name":"EXT_GET_ENVIRONMENT_VARIABLE","features":[547]},{"name":"EXT_GET_FAILURE_ANALYSIS","features":[547]},{"name":"EXT_GET_FA_ENTRIES_DATA","features":[547]},{"name":"EXT_GET_HANDLE_TRACE","features":[547]},{"name":"EXT_MATCH_PATTERN_A","features":[547]},{"name":"EXT_RELOAD_TRIAGER","features":[547]},{"name":"EXT_TARGET_INFO","features":[547]},{"name":"EXT_TDF_PHYSICAL_CACHED","features":[547]},{"name":"EXT_TDF_PHYSICAL_DEFAULT","features":[547]},{"name":"EXT_TDF_PHYSICAL_MEMORY","features":[547]},{"name":"EXT_TDF_PHYSICAL_UNCACHED","features":[547]},{"name":"EXT_TDF_PHYSICAL_WRITE_COMBINED","features":[547]},{"name":"EXT_TDOP","features":[547]},{"name":"EXT_TDOP_COPY","features":[547]},{"name":"EXT_TDOP_COUNT","features":[547]},{"name":"EXT_TDOP_EVALUATE","features":[547]},{"name":"EXT_TDOP_GET_ARRAY_ELEMENT","features":[547]},{"name":"EXT_TDOP_GET_DEREFERENCE","features":[547]},{"name":"EXT_TDOP_GET_FIELD","features":[547]},{"name":"EXT_TDOP_GET_FIELD_OFFSET","features":[547]},{"name":"EXT_TDOP_GET_POINTER_TO","features":[547]},{"name":"EXT_TDOP_GET_TYPE_NAME","features":[547]},{"name":"EXT_TDOP_GET_TYPE_SIZE","features":[547]},{"name":"EXT_TDOP_HAS_FIELD","features":[547]},{"name":"EXT_TDOP_OUTPUT_FULL_VALUE","features":[547]},{"name":"EXT_TDOP_OUTPUT_SIMPLE_VALUE","features":[547]},{"name":"EXT_TDOP_OUTPUT_TYPE_DEFINITION","features":[547]},{"name":"EXT_TDOP_OUTPUT_TYPE_NAME","features":[547]},{"name":"EXT_TDOP_RELEASE","features":[547]},{"name":"EXT_TDOP_SET_FROM_EXPR","features":[547]},{"name":"EXT_TDOP_SET_FROM_TYPE_ID_AND_U64","features":[547]},{"name":"EXT_TDOP_SET_FROM_U64_EXPR","features":[547]},{"name":"EXT_TDOP_SET_PTR_FROM_TYPE_ID_AND_U64","features":[547]},{"name":"EXT_TRIAGE_FOLLOWUP","features":[547]},{"name":"EXT_TYPED_DATA","features":[547]},{"name":"EXT_XML_DATA","features":[547]},{"name":"ErrorClass","features":[547]},{"name":"ErrorClassError","features":[547]},{"name":"ErrorClassWarning","features":[547]},{"name":"FAILURE_ANALYSIS_ASSUME_HANG","features":[547]},{"name":"FAILURE_ANALYSIS_AUTOBUG_PROCESSING","features":[547]},{"name":"FAILURE_ANALYSIS_AUTOSET_SYMPATH","features":[547]},{"name":"FAILURE_ANALYSIS_CALLSTACK_XML","features":[547]},{"name":"FAILURE_ANALYSIS_CALLSTACK_XML_FULL_SOURCE_INFO","features":[547]},{"name":"FAILURE_ANALYSIS_CREATE_INSTANCE","features":[547]},{"name":"FAILURE_ANALYSIS_EXCEPTION_AS_HANG","features":[547]},{"name":"FAILURE_ANALYSIS_HEAP_CORRUPTION_BLAME_FUNCTION","features":[547]},{"name":"FAILURE_ANALYSIS_IGNORE_BREAKIN","features":[547]},{"name":"FAILURE_ANALYSIS_LIVE_DEBUG_HOLD_CHECK","features":[547]},{"name":"FAILURE_ANALYSIS_MODULE_INFO_XML","features":[547]},{"name":"FAILURE_ANALYSIS_MULTI_TARGET","features":[547]},{"name":"FAILURE_ANALYSIS_NO_DB_LOOKUP","features":[547]},{"name":"FAILURE_ANALYSIS_NO_IMAGE_CORRUPTION","features":[547]},{"name":"FAILURE_ANALYSIS_PERMIT_HEAP_ACCESS_VIOLATIONS","features":[547]},{"name":"FAILURE_ANALYSIS_REGISTRY_DATA","features":[547]},{"name":"FAILURE_ANALYSIS_SET_FAILURE_CONTEXT","features":[547]},{"name":"FAILURE_ANALYSIS_SHOW_SOURCE","features":[547]},{"name":"FAILURE_ANALYSIS_SHOW_WCT_STACKS","features":[547]},{"name":"FAILURE_ANALYSIS_USER_ATTRIBUTES","features":[547]},{"name":"FAILURE_ANALYSIS_USER_ATTRIBUTES_ALL","features":[547]},{"name":"FAILURE_ANALYSIS_USER_ATTRIBUTES_FRAMES","features":[547]},{"name":"FAILURE_ANALYSIS_VERBOSE","features":[547]},{"name":"FAILURE_ANALYSIS_WMI_QUERY_DATA","features":[547]},{"name":"FAILURE_ANALYSIS_XML_FILE_OUTPUT","features":[547]},{"name":"FAILURE_ANALYSIS_XML_OUTPUT","features":[547]},{"name":"FAILURE_ANALYSIS_XSD_VERIFY","features":[547]},{"name":"FAILURE_ANALYSIS_XSLT_FILE_INPUT","features":[547]},{"name":"FAILURE_ANALYSIS_XSLT_FILE_OUTPUT","features":[547]},{"name":"FA_ENTRY","features":[547]},{"name":"FA_ENTRY_TYPE","features":[547]},{"name":"FA_EXTENSION_PLUGIN_PHASE","features":[547]},{"name":"FA_PLUGIN_INITIALIZATION","features":[547]},{"name":"FA_PLUGIN_POST_BUCKETING","features":[547]},{"name":"FA_PLUGIN_PRE_BUCKETING","features":[547]},{"name":"FA_PLUGIN_STACK_ANALYSIS","features":[547]},{"name":"FIELDS_DID_NOT_MATCH","features":[547]},{"name":"FIELD_INFO","features":[547]},{"name":"FormatBSTRString","features":[547]},{"name":"FormatEnumNameOnly","features":[547]},{"name":"FormatEscapedStringWithQuote","features":[547]},{"name":"FormatHString","features":[547]},{"name":"FormatNone","features":[547]},{"name":"FormatQuotedHString","features":[547]},{"name":"FormatQuotedString","features":[547]},{"name":"FormatQuotedUTF32String","features":[547]},{"name":"FormatQuotedUTF8String","features":[547]},{"name":"FormatQuotedUnicodeString","features":[547]},{"name":"FormatRaw","features":[547]},{"name":"FormatSingleCharacter","features":[547]},{"name":"FormatString","features":[547]},{"name":"FormatUTF32String","features":[547]},{"name":"FormatUTF8String","features":[547]},{"name":"FormatUnicodeString","features":[547]},{"name":"GET_CONTEXT_EX","features":[547]},{"name":"GET_CURRENT_PROCESS_ADDRESS","features":[547]},{"name":"GET_CURRENT_THREAD_ADDRESS","features":[547]},{"name":"GET_EXPRESSION_EX","features":[547]},{"name":"GET_INPUT_LINE","features":[547]},{"name":"GET_PEB_ADDRESS","features":[547]},{"name":"GET_SET_SYMPATH","features":[547]},{"name":"GET_TEB_ADDRESS","features":[547]},{"name":"ICodeAddressConcept","features":[547]},{"name":"IComparableConcept","features":[547]},{"name":"IDataModelConcept","features":[547]},{"name":"IDataModelManager","features":[547]},{"name":"IDataModelManager2","features":[547]},{"name":"IDataModelNameBinder","features":[547]},{"name":"IDataModelScript","features":[547]},{"name":"IDataModelScriptClient","features":[547]},{"name":"IDataModelScriptDebug","features":[547]},{"name":"IDataModelScriptDebug2","features":[547]},{"name":"IDataModelScriptDebugBreakpoint","features":[547]},{"name":"IDataModelScriptDebugBreakpointEnumerator","features":[547]},{"name":"IDataModelScriptDebugClient","features":[547]},{"name":"IDataModelScriptDebugStack","features":[547]},{"name":"IDataModelScriptDebugStackFrame","features":[547]},{"name":"IDataModelScriptDebugVariableSetEnumerator","features":[547]},{"name":"IDataModelScriptHostContext","features":[547]},{"name":"IDataModelScriptManager","features":[547]},{"name":"IDataModelScriptProvider","features":[547]},{"name":"IDataModelScriptProviderEnumerator","features":[547]},{"name":"IDataModelScriptTemplate","features":[547]},{"name":"IDataModelScriptTemplateEnumerator","features":[547]},{"name":"IDebugAdvanced","features":[547]},{"name":"IDebugAdvanced2","features":[547]},{"name":"IDebugAdvanced3","features":[547]},{"name":"IDebugAdvanced4","features":[547]},{"name":"IDebugBreakpoint","features":[547]},{"name":"IDebugBreakpoint2","features":[547]},{"name":"IDebugBreakpoint3","features":[547]},{"name":"IDebugClient","features":[547]},{"name":"IDebugClient2","features":[547]},{"name":"IDebugClient3","features":[547]},{"name":"IDebugClient4","features":[547]},{"name":"IDebugClient5","features":[547]},{"name":"IDebugClient6","features":[547]},{"name":"IDebugClient7","features":[547]},{"name":"IDebugClient8","features":[547]},{"name":"IDebugControl","features":[547]},{"name":"IDebugControl2","features":[547]},{"name":"IDebugControl3","features":[547]},{"name":"IDebugControl4","features":[547]},{"name":"IDebugControl5","features":[547]},{"name":"IDebugControl6","features":[547]},{"name":"IDebugControl7","features":[547]},{"name":"IDebugDataSpaces","features":[547]},{"name":"IDebugDataSpaces2","features":[547]},{"name":"IDebugDataSpaces3","features":[547]},{"name":"IDebugDataSpaces4","features":[547]},{"name":"IDebugEventCallbacks","features":[547]},{"name":"IDebugEventCallbacksWide","features":[547]},{"name":"IDebugEventContextCallbacks","features":[547]},{"name":"IDebugFAEntryTags","features":[547]},{"name":"IDebugFailureAnalysis","features":[547]},{"name":"IDebugFailureAnalysis2","features":[547]},{"name":"IDebugFailureAnalysis3","features":[547]},{"name":"IDebugHost","features":[547]},{"name":"IDebugHostBaseClass","features":[547]},{"name":"IDebugHostConstant","features":[547]},{"name":"IDebugHostContext","features":[547]},{"name":"IDebugHostData","features":[547]},{"name":"IDebugHostErrorSink","features":[547]},{"name":"IDebugHostEvaluator","features":[547]},{"name":"IDebugHostEvaluator2","features":[547]},{"name":"IDebugHostExtensibility","features":[547]},{"name":"IDebugHostField","features":[547]},{"name":"IDebugHostMemory","features":[547]},{"name":"IDebugHostMemory2","features":[547]},{"name":"IDebugHostModule","features":[547]},{"name":"IDebugHostModule2","features":[547]},{"name":"IDebugHostModuleSignature","features":[547]},{"name":"IDebugHostPublic","features":[547]},{"name":"IDebugHostScriptHost","features":[547]},{"name":"IDebugHostStatus","features":[547]},{"name":"IDebugHostSymbol","features":[547]},{"name":"IDebugHostSymbol2","features":[547]},{"name":"IDebugHostSymbolEnumerator","features":[547]},{"name":"IDebugHostSymbols","features":[547]},{"name":"IDebugHostType","features":[547]},{"name":"IDebugHostType2","features":[547]},{"name":"IDebugHostTypeSignature","features":[547]},{"name":"IDebugInputCallbacks","features":[547]},{"name":"IDebugOutputCallbacks","features":[547]},{"name":"IDebugOutputCallbacks2","features":[547]},{"name":"IDebugOutputCallbacksWide","features":[547]},{"name":"IDebugOutputStream","features":[547]},{"name":"IDebugPlmClient","features":[547]},{"name":"IDebugPlmClient2","features":[547]},{"name":"IDebugPlmClient3","features":[547]},{"name":"IDebugRegisters","features":[547]},{"name":"IDebugRegisters2","features":[547]},{"name":"IDebugSymbolGroup","features":[547]},{"name":"IDebugSymbolGroup2","features":[547]},{"name":"IDebugSymbols","features":[547]},{"name":"IDebugSymbols2","features":[547]},{"name":"IDebugSymbols3","features":[547]},{"name":"IDebugSymbols4","features":[547]},{"name":"IDebugSymbols5","features":[547]},{"name":"IDebugSystemObjects","features":[547]},{"name":"IDebugSystemObjects2","features":[547]},{"name":"IDebugSystemObjects3","features":[547]},{"name":"IDebugSystemObjects4","features":[547]},{"name":"IDynamicConceptProviderConcept","features":[547]},{"name":"IDynamicKeyProviderConcept","features":[547]},{"name":"IEquatableConcept","features":[547]},{"name":"IG_DISASSEMBLE_BUFFER","features":[547]},{"name":"IG_DUMP_SYMBOL_INFO","features":[547]},{"name":"IG_FIND_FILE","features":[547]},{"name":"IG_GET_ANY_MODULE_IN_RANGE","features":[547]},{"name":"IG_GET_BUS_DATA","features":[547]},{"name":"IG_GET_CACHE_SIZE","features":[547]},{"name":"IG_GET_CLR_DATA_INTERFACE","features":[547]},{"name":"IG_GET_CONTEXT_EX","features":[547]},{"name":"IG_GET_CURRENT_PROCESS","features":[547]},{"name":"IG_GET_CURRENT_PROCESS_HANDLE","features":[547]},{"name":"IG_GET_CURRENT_THREAD","features":[547]},{"name":"IG_GET_DEBUGGER_DATA","features":[547]},{"name":"IG_GET_EXCEPTION_RECORD","features":[547]},{"name":"IG_GET_EXPRESSION_EX","features":[547]},{"name":"IG_GET_INPUT_LINE","features":[547]},{"name":"IG_GET_KERNEL_VERSION","features":[547]},{"name":"IG_GET_PEB_ADDRESS","features":[547]},{"name":"IG_GET_SET_SYMPATH","features":[547]},{"name":"IG_GET_TEB_ADDRESS","features":[547]},{"name":"IG_GET_THREAD_OS_INFO","features":[547]},{"name":"IG_GET_TYPE_SIZE","features":[547]},{"name":"IG_IS_PTR64","features":[547]},{"name":"IG_KD_CONTEXT","features":[547]},{"name":"IG_KSTACK_HELP","features":[547]},{"name":"IG_LOWMEM_CHECK","features":[547]},{"name":"IG_MATCH_PATTERN_A","features":[547]},{"name":"IG_OBSOLETE_PLACEHOLDER_36","features":[547]},{"name":"IG_PHYSICAL_TO_VIRTUAL","features":[547]},{"name":"IG_POINTER_SEARCH_PHYSICAL","features":[547]},{"name":"IG_QUERY_TARGET_INTERFACE","features":[547]},{"name":"IG_READ_CONTROL_SPACE","features":[547]},{"name":"IG_READ_IO_SPACE","features":[547]},{"name":"IG_READ_IO_SPACE_EX","features":[547]},{"name":"IG_READ_MSR","features":[547]},{"name":"IG_READ_PHYSICAL","features":[547]},{"name":"IG_READ_PHYSICAL_WITH_FLAGS","features":[547]},{"name":"IG_RELOAD_SYMBOLS","features":[547]},{"name":"IG_SEARCH_MEMORY","features":[547]},{"name":"IG_SET_BUS_DATA","features":[547]},{"name":"IG_SET_THREAD","features":[547]},{"name":"IG_TRANSLATE_VIRTUAL_TO_PHYSICAL","features":[547]},{"name":"IG_TYPED_DATA","features":[547]},{"name":"IG_TYPED_DATA_OBSOLETE","features":[547]},{"name":"IG_VIRTUAL_TO_PHYSICAL","features":[547]},{"name":"IG_WRITE_CONTROL_SPACE","features":[547]},{"name":"IG_WRITE_IO_SPACE","features":[547]},{"name":"IG_WRITE_IO_SPACE_EX","features":[547]},{"name":"IG_WRITE_MSR","features":[547]},{"name":"IG_WRITE_PHYSICAL","features":[547]},{"name":"IG_WRITE_PHYSICAL_WITH_FLAGS","features":[547]},{"name":"IHostDataModelAccess","features":[547]},{"name":"IIndexableConcept","features":[547]},{"name":"IIterableConcept","features":[547]},{"name":"IKeyEnumerator","features":[547]},{"name":"IKeyStore","features":[547]},{"name":"IModelIterator","features":[547]},{"name":"IModelKeyReference","features":[547]},{"name":"IModelKeyReference2","features":[547]},{"name":"IModelMethod","features":[547]},{"name":"IModelObject","features":[547]},{"name":"IModelPropertyAccessor","features":[547]},{"name":"INCORRECT_VERSION_INFO","features":[547]},{"name":"INLINE_FRAME_CONTEXT","features":[547]},{"name":"INSUFFICIENT_SPACE_TO_COPY","features":[547]},{"name":"IOSPACE","features":[547]},{"name":"IOSPACE32","features":[547]},{"name":"IOSPACE64","features":[547]},{"name":"IOSPACE_EX","features":[547]},{"name":"IOSPACE_EX32","features":[547]},{"name":"IOSPACE_EX64","features":[547]},{"name":"IPreferredRuntimeTypeConcept","features":[547]},{"name":"IRawEnumerator","features":[547]},{"name":"IStringDisplayableConcept","features":[547]},{"name":"Identical","features":[547]},{"name":"IntrinsicBool","features":[547]},{"name":"IntrinsicChar","features":[547]},{"name":"IntrinsicChar16","features":[547]},{"name":"IntrinsicChar32","features":[547]},{"name":"IntrinsicFloat","features":[547]},{"name":"IntrinsicHRESULT","features":[547]},{"name":"IntrinsicInt","features":[547]},{"name":"IntrinsicKind","features":[547]},{"name":"IntrinsicLong","features":[547]},{"name":"IntrinsicUInt","features":[547]},{"name":"IntrinsicULong","features":[547]},{"name":"IntrinsicVoid","features":[547]},{"name":"IntrinsicWChar","features":[547]},{"name":"KDDEBUGGER_DATA32","features":[547,314]},{"name":"KDDEBUGGER_DATA64","features":[547,314]},{"name":"KDEXTS_LOCK_CALLBACKROUTINE","features":[308,547]},{"name":"KDEXTS_LOCK_CALLBACKROUTINE_DEFINED","features":[547]},{"name":"KDEXTS_LOCK_INFO","features":[308,547]},{"name":"KDEXTS_PTE_INFO","features":[547]},{"name":"KDEXT_DUMP_HANDLE_CALLBACK","features":[308,547]},{"name":"KDEXT_FILELOCK_OWNER","features":[547]},{"name":"KDEXT_HANDLE_INFORMATION","features":[308,547]},{"name":"KDEXT_PROCESS_FIND_PARAMS","features":[547]},{"name":"KDEXT_THREAD_FIND_PARAMS","features":[547]},{"name":"KD_SECONDARY_VERSION_AMD64_CONTEXT","features":[547]},{"name":"KD_SECONDARY_VERSION_AMD64_OBSOLETE_CONTEXT_1","features":[547]},{"name":"KD_SECONDARY_VERSION_AMD64_OBSOLETE_CONTEXT_2","features":[547]},{"name":"KD_SECONDARY_VERSION_DEFAULT","features":[547]},{"name":"LanguageAssembly","features":[547]},{"name":"LanguageC","features":[547]},{"name":"LanguageCPP","features":[547]},{"name":"LanguageKind","features":[547]},{"name":"LanguageUnknown","features":[547]},{"name":"LessSpecific","features":[547]},{"name":"Location","features":[547]},{"name":"LocationConstant","features":[547]},{"name":"LocationKind","features":[547]},{"name":"LocationMember","features":[547]},{"name":"LocationNone","features":[547]},{"name":"LocationStatic","features":[547]},{"name":"MAX_STACK_IN_BYTES","features":[547]},{"name":"MEMORY_READ_ERROR","features":[547]},{"name":"MODULE_ORDERS_LOADTIME","features":[547]},{"name":"MODULE_ORDERS_MASK","features":[547]},{"name":"MODULE_ORDERS_MODULENAME","features":[547]},{"name":"ModelObjectKind","features":[547]},{"name":"MoreSpecific","features":[547]},{"name":"NO_TYPE","features":[547]},{"name":"NT_STATUS_CODE","features":[547]},{"name":"NULL_FIELD_NAME","features":[547]},{"name":"NULL_SYM_DUMP_PARAM","features":[547]},{"name":"OS_INFO","features":[547]},{"name":"OS_INFO_v1","features":[547]},{"name":"OS_TYPE","features":[547]},{"name":"ObjectContext","features":[547]},{"name":"ObjectError","features":[547]},{"name":"ObjectIntrinsic","features":[547]},{"name":"ObjectKeyReference","features":[547]},{"name":"ObjectMethod","features":[547]},{"name":"ObjectNoValue","features":[547]},{"name":"ObjectPropertyAccessor","features":[547]},{"name":"ObjectSynthetic","features":[547]},{"name":"ObjectTargetObject","features":[547]},{"name":"ObjectTargetObjectReference","features":[547]},{"name":"PDEBUG_EXTENSION_CALL","features":[547]},{"name":"PDEBUG_EXTENSION_CANUNLOAD","features":[547]},{"name":"PDEBUG_EXTENSION_INITIALIZE","features":[547]},{"name":"PDEBUG_EXTENSION_KNOWN_STRUCT","features":[547]},{"name":"PDEBUG_EXTENSION_KNOWN_STRUCT_EX","features":[547]},{"name":"PDEBUG_EXTENSION_NOTIFY","features":[547]},{"name":"PDEBUG_EXTENSION_PROVIDE_VALUE","features":[547]},{"name":"PDEBUG_EXTENSION_QUERY_VALUE_NAMES","features":[547]},{"name":"PDEBUG_EXTENSION_UNINITIALIZE","features":[547]},{"name":"PDEBUG_EXTENSION_UNLOAD","features":[547]},{"name":"PDEBUG_STACK_PROVIDER_BEGINTHREADSTACKRECONSTRUCTION","features":[547]},{"name":"PDEBUG_STACK_PROVIDER_ENDTHREADSTACKRECONSTRUCTION","features":[547]},{"name":"PDEBUG_STACK_PROVIDER_FREESTACKSYMFRAMES","features":[308,547]},{"name":"PDEBUG_STACK_PROVIDER_RECONSTRUCTSTACK","features":[308,547]},{"name":"PENUMERATE_HANDLES","features":[308,547]},{"name":"PENUMERATE_HASH_TABLE","features":[308,547]},{"name":"PENUMERATE_JOB_PROCESSES","features":[308,547]},{"name":"PENUMERATE_SYSTEM_LOCKS","features":[308,547]},{"name":"PFIND_FILELOCK_OWNERINFO","features":[547]},{"name":"PFIND_MATCHING_PROCESS","features":[547]},{"name":"PFIND_MATCHING_THREAD","features":[547]},{"name":"PGET_CPU_MICROCODE_VERSION","features":[547]},{"name":"PGET_CPU_PSPEED_INFO","features":[547]},{"name":"PGET_DEVICE_OBJECT_INFO","features":[308,547]},{"name":"PGET_DRIVER_OBJECT_INFO","features":[547]},{"name":"PGET_FULL_IMAGE_NAME","features":[547]},{"name":"PGET_IRP_INFO","features":[547]},{"name":"PGET_PNP_TRIAGE_INFO","features":[547]},{"name":"PGET_POOL_DATA","features":[547]},{"name":"PGET_POOL_REGION","features":[547]},{"name":"PGET_POOL_TAG_DESCRIPTION","features":[547]},{"name":"PGET_PROCESS_COMMIT","features":[547]},{"name":"PGET_SMBIOS_INFO","features":[547]},{"name":"PHYSICAL","features":[547]},{"name":"PHYSICAL_TO_VIRTUAL","features":[547]},{"name":"PHYSICAL_WITH_FLAGS","features":[547]},{"name":"PHYS_FLAG_CACHED","features":[547]},{"name":"PHYS_FLAG_DEFAULT","features":[547]},{"name":"PHYS_FLAG_UNCACHED","features":[547]},{"name":"PHYS_FLAG_WRITE_COMBINED","features":[547]},{"name":"PKDEXTS_GET_PTE_INFO","features":[547]},{"name":"POINTER_SEARCH_PHYSICAL","features":[547]},{"name":"PROCESSORINFO","features":[547]},{"name":"PROCESS_COMMIT_USAGE","features":[547]},{"name":"PROCESS_END","features":[547]},{"name":"PROCESS_NAME_ENTRY","features":[547]},{"name":"PSYM_DUMP_FIELD_CALLBACK","features":[547]},{"name":"PTR_SEARCH_NO_SYMBOL_CHECK","features":[547]},{"name":"PTR_SEARCH_PHYS_ALL_HITS","features":[547]},{"name":"PTR_SEARCH_PHYS_PTE","features":[547]},{"name":"PTR_SEARCH_PHYS_RANGE_CHECK_ONLY","features":[547]},{"name":"PTR_SEARCH_PHYS_SIZE_SHIFT","features":[547]},{"name":"PWINDBG_CHECK_CONTROL_C","features":[547]},{"name":"PWINDBG_CHECK_VERSION","features":[547]},{"name":"PWINDBG_DISASM","features":[547]},{"name":"PWINDBG_DISASM32","features":[547]},{"name":"PWINDBG_DISASM64","features":[547]},{"name":"PWINDBG_EXTENSION_API_VERSION","features":[547]},{"name":"PWINDBG_EXTENSION_DLL_INIT","features":[547,314]},{"name":"PWINDBG_EXTENSION_DLL_INIT32","features":[547,314]},{"name":"PWINDBG_EXTENSION_DLL_INIT64","features":[547,314]},{"name":"PWINDBG_EXTENSION_ROUTINE","features":[308,547]},{"name":"PWINDBG_EXTENSION_ROUTINE32","features":[308,547]},{"name":"PWINDBG_EXTENSION_ROUTINE64","features":[308,547]},{"name":"PWINDBG_GET_EXPRESSION","features":[547]},{"name":"PWINDBG_GET_EXPRESSION32","features":[547]},{"name":"PWINDBG_GET_EXPRESSION64","features":[547]},{"name":"PWINDBG_GET_SYMBOL","features":[547]},{"name":"PWINDBG_GET_SYMBOL32","features":[547]},{"name":"PWINDBG_GET_SYMBOL64","features":[547]},{"name":"PWINDBG_GET_THREAD_CONTEXT_ROUTINE","features":[547,314]},{"name":"PWINDBG_IOCTL_ROUTINE","features":[547]},{"name":"PWINDBG_OLDKD_EXTENSION_ROUTINE","features":[547]},{"name":"PWINDBG_OLDKD_READ_PHYSICAL_MEMORY","features":[547]},{"name":"PWINDBG_OLDKD_WRITE_PHYSICAL_MEMORY","features":[547]},{"name":"PWINDBG_OLD_EXTENSION_ROUTINE","features":[547,314]},{"name":"PWINDBG_OUTPUT_ROUTINE","features":[547]},{"name":"PWINDBG_READ_PROCESS_MEMORY_ROUTINE","features":[547]},{"name":"PWINDBG_READ_PROCESS_MEMORY_ROUTINE32","features":[547]},{"name":"PWINDBG_READ_PROCESS_MEMORY_ROUTINE64","features":[547]},{"name":"PWINDBG_SET_THREAD_CONTEXT_ROUTINE","features":[547,314]},{"name":"PWINDBG_STACKTRACE_ROUTINE","features":[547]},{"name":"PWINDBG_STACKTRACE_ROUTINE32","features":[547]},{"name":"PWINDBG_STACKTRACE_ROUTINE64","features":[547]},{"name":"PWINDBG_WRITE_PROCESS_MEMORY_ROUTINE","features":[547]},{"name":"PWINDBG_WRITE_PROCESS_MEMORY_ROUTINE32","features":[547]},{"name":"PWINDBG_WRITE_PROCESS_MEMORY_ROUTINE64","features":[547]},{"name":"PointerCXHat","features":[547]},{"name":"PointerKind","features":[547]},{"name":"PointerManagedReference","features":[547]},{"name":"PointerRValueReference","features":[547]},{"name":"PointerReference","features":[547]},{"name":"PointerStandard","features":[547]},{"name":"PreferredFormat","features":[547]},{"name":"READCONTROLSPACE","features":[547]},{"name":"READCONTROLSPACE32","features":[547]},{"name":"READCONTROLSPACE64","features":[547]},{"name":"READ_WRITE_MSR","features":[547]},{"name":"RawSearchFlags","features":[547]},{"name":"RawSearchNoBases","features":[547]},{"name":"RawSearchNone","features":[547]},{"name":"SEARCHMEMORY","features":[547]},{"name":"STACK_FRAME_TYPE_IGNORE","features":[547]},{"name":"STACK_FRAME_TYPE_INIT","features":[547]},{"name":"STACK_FRAME_TYPE_INLINE","features":[547]},{"name":"STACK_FRAME_TYPE_RA","features":[547]},{"name":"STACK_FRAME_TYPE_STACK","features":[547]},{"name":"STACK_SRC_INFO","features":[547]},{"name":"STACK_SYM_FRAME_INFO","features":[308,547]},{"name":"SYMBOL_INFO_EX","features":[547]},{"name":"SYMBOL_TYPE_INDEX_NOT_FOUND","features":[547]},{"name":"SYMBOL_TYPE_INFO_NOT_FOUND","features":[547]},{"name":"SYM_DUMP_PARAM","features":[547]},{"name":"ScriptChangeKind","features":[547]},{"name":"ScriptDebugAsyncBreak","features":[547]},{"name":"ScriptDebugBreak","features":[547]},{"name":"ScriptDebugBreakpoint","features":[547]},{"name":"ScriptDebugEvent","features":[547]},{"name":"ScriptDebugEventFilter","features":[547]},{"name":"ScriptDebugEventFilterAbort","features":[547]},{"name":"ScriptDebugEventFilterEntry","features":[547]},{"name":"ScriptDebugEventFilterException","features":[547]},{"name":"ScriptDebugEventFilterUnhandledException","features":[547]},{"name":"ScriptDebugEventInformation","features":[547]},{"name":"ScriptDebugException","features":[547]},{"name":"ScriptDebugExecuting","features":[547]},{"name":"ScriptDebugNoDebugger","features":[547]},{"name":"ScriptDebugNotExecuting","features":[547]},{"name":"ScriptDebugPosition","features":[547]},{"name":"ScriptDebugState","features":[547]},{"name":"ScriptDebugStep","features":[547]},{"name":"ScriptExecutionKind","features":[547]},{"name":"ScriptExecutionNormal","features":[547]},{"name":"ScriptExecutionStepIn","features":[547]},{"name":"ScriptExecutionStepOut","features":[547]},{"name":"ScriptExecutionStepOver","features":[547]},{"name":"ScriptRename","features":[547]},{"name":"SignatureComparison","features":[547]},{"name":"Symbol","features":[547]},{"name":"SymbolBaseClass","features":[547]},{"name":"SymbolConstant","features":[547]},{"name":"SymbolData","features":[547]},{"name":"SymbolField","features":[547]},{"name":"SymbolFunction","features":[547]},{"name":"SymbolKind","features":[547]},{"name":"SymbolModule","features":[547]},{"name":"SymbolPublic","features":[547]},{"name":"SymbolSearchCaseInsensitive","features":[547]},{"name":"SymbolSearchCompletion","features":[547]},{"name":"SymbolSearchNone","features":[547]},{"name":"SymbolSearchOptions","features":[547]},{"name":"SymbolType","features":[547]},{"name":"TANALYZE_RETURN","features":[547]},{"name":"TARGET_DEBUG_INFO","features":[547]},{"name":"TARGET_DEBUG_INFO_v1","features":[547]},{"name":"TARGET_DEBUG_INFO_v2","features":[547]},{"name":"TRANSLATE_VIRTUAL_TO_PHYSICAL","features":[547]},{"name":"TRIAGE_FOLLOWUP_DEFAULT","features":[547]},{"name":"TRIAGE_FOLLOWUP_FAIL","features":[547]},{"name":"TRIAGE_FOLLOWUP_IGNORE","features":[547]},{"name":"TRIAGE_FOLLOWUP_SUCCESS","features":[547]},{"name":"TypeArray","features":[547]},{"name":"TypeEnum","features":[547]},{"name":"TypeExtendedArray","features":[547]},{"name":"TypeFunction","features":[547]},{"name":"TypeIntrinsic","features":[547]},{"name":"TypeKind","features":[547]},{"name":"TypeMemberPointer","features":[547]},{"name":"TypePointer","features":[547]},{"name":"TypeTypedef","features":[547]},{"name":"TypeUDT","features":[547]},{"name":"UNAVAILABLE_ERROR","features":[547]},{"name":"Unrelated","features":[547]},{"name":"VIRTUAL_TO_PHYSICAL","features":[547]},{"name":"VarArgsCStyle","features":[547]},{"name":"VarArgsKind","features":[547]},{"name":"VarArgsNone","features":[547]},{"name":"WDBGEXTS_ADDRESS_DEFAULT","features":[547]},{"name":"WDBGEXTS_ADDRESS_RESERVED0","features":[547]},{"name":"WDBGEXTS_ADDRESS_SEG16","features":[547]},{"name":"WDBGEXTS_ADDRESS_SEG32","features":[547]},{"name":"WDBGEXTS_CLR_DATA_INTERFACE","features":[547]},{"name":"WDBGEXTS_DISASSEMBLE_BUFFER","features":[547]},{"name":"WDBGEXTS_MODULE_IN_RANGE","features":[547]},{"name":"WDBGEXTS_QUERY_INTERFACE","features":[547]},{"name":"WDBGEXTS_THREAD_OS_INFO","features":[547]},{"name":"WINDBG_EXTENSION_APIS","features":[547,314]},{"name":"WINDBG_EXTENSION_APIS32","features":[547,314]},{"name":"WINDBG_EXTENSION_APIS64","features":[547,314]},{"name":"WINDBG_OLDKD_EXTENSION_APIS","features":[547]},{"name":"WINDBG_OLD_EXTENSION_APIS","features":[547]},{"name":"WIN_95","features":[547]},{"name":"WIN_98","features":[547]},{"name":"WIN_ME","features":[547]},{"name":"WIN_NT4","features":[547]},{"name":"WIN_NT5","features":[547]},{"name":"WIN_NT5_1","features":[547]},{"name":"WIN_NT5_2","features":[547]},{"name":"WIN_NT6_0","features":[547]},{"name":"WIN_NT6_1","features":[547]},{"name":"WIN_UNDEFINED","features":[547]},{"name":"XML_DRIVER_NODE_INFO","features":[547]},{"name":"_EXTSAPI_VER_","features":[547]},{"name":"fnDebugFailureAnalysisCreateInstance","features":[547]}],"556":[{"name":"ALPCGuid","features":[337]},{"name":"CLASSIC_EVENT_ID","features":[337]},{"name":"CLSID_TraceRelogger","features":[337]},{"name":"CONTROLTRACE_HANDLE","features":[337]},{"name":"CTraceRelogger","features":[337]},{"name":"CloseTrace","features":[308,337]},{"name":"ControlTraceA","features":[308,337]},{"name":"ControlTraceW","features":[308,337]},{"name":"CreateTraceInstanceId","features":[308,337]},{"name":"CveEventWrite","features":[337]},{"name":"DECODING_SOURCE","features":[337]},{"name":"DIAG_LOGGER_NAMEA","features":[337]},{"name":"DIAG_LOGGER_NAMEW","features":[337]},{"name":"DecodingSourceMax","features":[337]},{"name":"DecodingSourceTlg","features":[337]},{"name":"DecodingSourceWPP","features":[337]},{"name":"DecodingSourceWbem","features":[337]},{"name":"DecodingSourceXMLFile","features":[337]},{"name":"DefaultTraceSecurityGuid","features":[337]},{"name":"DiskIoGuid","features":[337]},{"name":"ENABLECALLBACK_ENABLED_STATE","features":[337]},{"name":"ENABLE_TRACE_PARAMETERS","features":[337]},{"name":"ENABLE_TRACE_PARAMETERS_V1","features":[337]},{"name":"ENABLE_TRACE_PARAMETERS_VERSION","features":[337]},{"name":"ENABLE_TRACE_PARAMETERS_VERSION_2","features":[337]},{"name":"ETW_ASCIICHAR_TYPE_VALUE","features":[337]},{"name":"ETW_ASCIISTRING_TYPE_VALUE","features":[337]},{"name":"ETW_BOOLEAN_TYPE_VALUE","features":[337]},{"name":"ETW_BOOL_TYPE_VALUE","features":[337]},{"name":"ETW_BUFFER_CALLBACK_INFORMATION","features":[308,337,545]},{"name":"ETW_BUFFER_CONTEXT","features":[337]},{"name":"ETW_BUFFER_HEADER","features":[337]},{"name":"ETW_BYTE_TYPE_VALUE","features":[337]},{"name":"ETW_CHAR_TYPE_VALUE","features":[337]},{"name":"ETW_COMPRESSION_RESUMPTION_MODE","features":[337]},{"name":"ETW_COUNTED_ANSISTRING_TYPE_VALUE","features":[337]},{"name":"ETW_COUNTED_STRING_TYPE_VALUE","features":[337]},{"name":"ETW_DATETIME_TYPE_VALUE","features":[337]},{"name":"ETW_DECIMAL_TYPE_VALUE","features":[337]},{"name":"ETW_DOUBLE_TYPE_VALUE","features":[337]},{"name":"ETW_GUID_TYPE_VALUE","features":[337]},{"name":"ETW_HIDDEN_TYPE_VALUE","features":[337]},{"name":"ETW_INT16_TYPE_VALUE","features":[337]},{"name":"ETW_INT32_TYPE_VALUE","features":[337]},{"name":"ETW_INT64_TYPE_VALUE","features":[337]},{"name":"ETW_NON_NULL_TERMINATED_STRING_TYPE_VALUE","features":[337]},{"name":"ETW_NULL_TYPE_VALUE","features":[337]},{"name":"ETW_OBJECT_TYPE_VALUE","features":[337]},{"name":"ETW_OPEN_TRACE_OPTIONS","features":[308,337,545]},{"name":"ETW_PMC_COUNTER_OWNER","features":[337]},{"name":"ETW_PMC_COUNTER_OWNERSHIP_STATUS","features":[337]},{"name":"ETW_PMC_COUNTER_OWNER_TYPE","features":[337]},{"name":"ETW_PMC_SESSION_INFO","features":[337]},{"name":"ETW_POINTER_TYPE_VALUE","features":[337]},{"name":"ETW_PROCESS_HANDLE_INFO_TYPE","features":[337]},{"name":"ETW_PROCESS_TRACE_MODES","features":[337]},{"name":"ETW_PROCESS_TRACE_MODE_NONE","features":[337]},{"name":"ETW_PROCESS_TRACE_MODE_RAW_TIMESTAMP","features":[337]},{"name":"ETW_PROVIDER_TRAIT_TYPE","features":[337]},{"name":"ETW_PTVECTOR_TYPE_VALUE","features":[337]},{"name":"ETW_REDUCED_ANSISTRING_TYPE_VALUE","features":[337]},{"name":"ETW_REDUCED_STRING_TYPE_VALUE","features":[337]},{"name":"ETW_REFRENCE_TYPE_VALUE","features":[337]},{"name":"ETW_REVERSED_COUNTED_ANSISTRING_TYPE_VALUE","features":[337]},{"name":"ETW_REVERSED_COUNTED_STRING_TYPE_VALUE","features":[337]},{"name":"ETW_SBYTE_TYPE_VALUE","features":[337]},{"name":"ETW_SID_TYPE_VALUE","features":[337]},{"name":"ETW_SINGLE_TYPE_VALUE","features":[337]},{"name":"ETW_SIZET_TYPE_VALUE","features":[337]},{"name":"ETW_STRING_TYPE_VALUE","features":[337]},{"name":"ETW_TRACE_PARTITION_INFORMATION","features":[337]},{"name":"ETW_TRACE_PARTITION_INFORMATION_V2","features":[337]},{"name":"ETW_UINT16_TYPE_VALUE","features":[337]},{"name":"ETW_UINT32_TYPE_VALUE","features":[337]},{"name":"ETW_UINT64_TYPE_VALUE","features":[337]},{"name":"ETW_VARIANT_TYPE_VALUE","features":[337]},{"name":"ETW_WMITIME_TYPE_VALUE","features":[337]},{"name":"EVENTMAP_ENTRY_VALUETYPE_STRING","features":[337]},{"name":"EVENTMAP_ENTRY_VALUETYPE_ULONG","features":[337]},{"name":"EVENTMAP_INFO_FLAG_MANIFEST_BITMAP","features":[337]},{"name":"EVENTMAP_INFO_FLAG_MANIFEST_PATTERNMAP","features":[337]},{"name":"EVENTMAP_INFO_FLAG_MANIFEST_VALUEMAP","features":[337]},{"name":"EVENTMAP_INFO_FLAG_WBEM_BITMAP","features":[337]},{"name":"EVENTMAP_INFO_FLAG_WBEM_FLAG","features":[337]},{"name":"EVENTMAP_INFO_FLAG_WBEM_NO_MAP","features":[337]},{"name":"EVENTMAP_INFO_FLAG_WBEM_VALUEMAP","features":[337]},{"name":"EVENTSECURITYOPERATION","features":[337]},{"name":"EVENT_ACTIVITY_CTRL_CREATE_ID","features":[337]},{"name":"EVENT_ACTIVITY_CTRL_CREATE_SET_ID","features":[337]},{"name":"EVENT_ACTIVITY_CTRL_GET_ID","features":[337]},{"name":"EVENT_ACTIVITY_CTRL_GET_SET_ID","features":[337]},{"name":"EVENT_ACTIVITY_CTRL_SET_ID","features":[337]},{"name":"EVENT_CONTROL_CODE_CAPTURE_STATE","features":[337]},{"name":"EVENT_CONTROL_CODE_DISABLE_PROVIDER","features":[337]},{"name":"EVENT_CONTROL_CODE_ENABLE_PROVIDER","features":[337]},{"name":"EVENT_DATA_DESCRIPTOR","features":[337]},{"name":"EVENT_DATA_DESCRIPTOR_TYPE_EVENT_METADATA","features":[337]},{"name":"EVENT_DATA_DESCRIPTOR_TYPE_NONE","features":[337]},{"name":"EVENT_DATA_DESCRIPTOR_TYPE_PROVIDER_METADATA","features":[337]},{"name":"EVENT_DATA_DESCRIPTOR_TYPE_TIMESTAMP_OVERRIDE","features":[337]},{"name":"EVENT_DESCRIPTOR","features":[337]},{"name":"EVENT_ENABLE_PROPERTY_ENABLE_KEYWORD_0","features":[337]},{"name":"EVENT_ENABLE_PROPERTY_ENABLE_SILOS","features":[337]},{"name":"EVENT_ENABLE_PROPERTY_EVENT_KEY","features":[337]},{"name":"EVENT_ENABLE_PROPERTY_EXCLUDE_INPRIVATE","features":[337]},{"name":"EVENT_ENABLE_PROPERTY_IGNORE_KEYWORD_0","features":[337]},{"name":"EVENT_ENABLE_PROPERTY_PROCESS_START_KEY","features":[337]},{"name":"EVENT_ENABLE_PROPERTY_PROVIDER_GROUP","features":[337]},{"name":"EVENT_ENABLE_PROPERTY_PSM_KEY","features":[337]},{"name":"EVENT_ENABLE_PROPERTY_SID","features":[337]},{"name":"EVENT_ENABLE_PROPERTY_SOURCE_CONTAINER_TRACKING","features":[337]},{"name":"EVENT_ENABLE_PROPERTY_STACK_TRACE","features":[337]},{"name":"EVENT_ENABLE_PROPERTY_TS_ID","features":[337]},{"name":"EVENT_EXTENDED_ITEM_EVENT_KEY","features":[337]},{"name":"EVENT_EXTENDED_ITEM_INSTANCE","features":[337]},{"name":"EVENT_EXTENDED_ITEM_PEBS_INDEX","features":[337]},{"name":"EVENT_EXTENDED_ITEM_PMC_COUNTERS","features":[337]},{"name":"EVENT_EXTENDED_ITEM_PROCESS_START_KEY","features":[337]},{"name":"EVENT_EXTENDED_ITEM_RELATED_ACTIVITYID","features":[337]},{"name":"EVENT_EXTENDED_ITEM_STACK_KEY32","features":[337]},{"name":"EVENT_EXTENDED_ITEM_STACK_KEY64","features":[337]},{"name":"EVENT_EXTENDED_ITEM_STACK_TRACE32","features":[337]},{"name":"EVENT_EXTENDED_ITEM_STACK_TRACE64","features":[337]},{"name":"EVENT_EXTENDED_ITEM_TS_ID","features":[337]},{"name":"EVENT_FIELD_TYPE","features":[337]},{"name":"EVENT_FILTER_DESCRIPTOR","features":[337]},{"name":"EVENT_FILTER_EVENT_ID","features":[308,337]},{"name":"EVENT_FILTER_EVENT_NAME","features":[308,337]},{"name":"EVENT_FILTER_HEADER","features":[337]},{"name":"EVENT_FILTER_LEVEL_KW","features":[308,337]},{"name":"EVENT_FILTER_TYPE_CONTAINER","features":[337]},{"name":"EVENT_FILTER_TYPE_EVENT_ID","features":[337]},{"name":"EVENT_FILTER_TYPE_EVENT_NAME","features":[337]},{"name":"EVENT_FILTER_TYPE_EXECUTABLE_NAME","features":[337]},{"name":"EVENT_FILTER_TYPE_NONE","features":[337]},{"name":"EVENT_FILTER_TYPE_PACKAGE_APP_ID","features":[337]},{"name":"EVENT_FILTER_TYPE_PACKAGE_ID","features":[337]},{"name":"EVENT_FILTER_TYPE_PAYLOAD","features":[337]},{"name":"EVENT_FILTER_TYPE_PID","features":[337]},{"name":"EVENT_FILTER_TYPE_SCHEMATIZED","features":[337]},{"name":"EVENT_FILTER_TYPE_STACKWALK","features":[337]},{"name":"EVENT_FILTER_TYPE_STACKWALK_LEVEL_KW","features":[337]},{"name":"EVENT_FILTER_TYPE_STACKWALK_NAME","features":[337]},{"name":"EVENT_FILTER_TYPE_SYSTEM_FLAGS","features":[337]},{"name":"EVENT_FILTER_TYPE_TRACEHANDLE","features":[337]},{"name":"EVENT_HEADER","features":[337]},{"name":"EVENT_HEADER_EXTENDED_DATA_ITEM","features":[337]},{"name":"EVENT_HEADER_EXT_TYPE_CONTAINER_ID","features":[337]},{"name":"EVENT_HEADER_EXT_TYPE_CONTROL_GUID","features":[337]},{"name":"EVENT_HEADER_EXT_TYPE_EVENT_KEY","features":[337]},{"name":"EVENT_HEADER_EXT_TYPE_EVENT_SCHEMA_TL","features":[337]},{"name":"EVENT_HEADER_EXT_TYPE_INSTANCE_INFO","features":[337]},{"name":"EVENT_HEADER_EXT_TYPE_MAX","features":[337]},{"name":"EVENT_HEADER_EXT_TYPE_PEBS_INDEX","features":[337]},{"name":"EVENT_HEADER_EXT_TYPE_PMC_COUNTERS","features":[337]},{"name":"EVENT_HEADER_EXT_TYPE_PROCESS_START_KEY","features":[337]},{"name":"EVENT_HEADER_EXT_TYPE_PROV_TRAITS","features":[337]},{"name":"EVENT_HEADER_EXT_TYPE_PSM_KEY","features":[337]},{"name":"EVENT_HEADER_EXT_TYPE_QPC_DELTA","features":[337]},{"name":"EVENT_HEADER_EXT_TYPE_RELATED_ACTIVITYID","features":[337]},{"name":"EVENT_HEADER_EXT_TYPE_SID","features":[337]},{"name":"EVENT_HEADER_EXT_TYPE_STACK_KEY32","features":[337]},{"name":"EVENT_HEADER_EXT_TYPE_STACK_KEY64","features":[337]},{"name":"EVENT_HEADER_EXT_TYPE_STACK_TRACE32","features":[337]},{"name":"EVENT_HEADER_EXT_TYPE_STACK_TRACE64","features":[337]},{"name":"EVENT_HEADER_EXT_TYPE_TS_ID","features":[337]},{"name":"EVENT_HEADER_FLAG_32_BIT_HEADER","features":[337]},{"name":"EVENT_HEADER_FLAG_64_BIT_HEADER","features":[337]},{"name":"EVENT_HEADER_FLAG_CLASSIC_HEADER","features":[337]},{"name":"EVENT_HEADER_FLAG_DECODE_GUID","features":[337]},{"name":"EVENT_HEADER_FLAG_EXTENDED_INFO","features":[337]},{"name":"EVENT_HEADER_FLAG_NO_CPUTIME","features":[337]},{"name":"EVENT_HEADER_FLAG_PRIVATE_SESSION","features":[337]},{"name":"EVENT_HEADER_FLAG_PROCESSOR_INDEX","features":[337]},{"name":"EVENT_HEADER_FLAG_STRING_ONLY","features":[337]},{"name":"EVENT_HEADER_FLAG_TRACE_MESSAGE","features":[337]},{"name":"EVENT_HEADER_PROPERTY_FORWARDED_XML","features":[337]},{"name":"EVENT_HEADER_PROPERTY_LEGACY_EVENTLOG","features":[337]},{"name":"EVENT_HEADER_PROPERTY_RELOGGABLE","features":[337]},{"name":"EVENT_HEADER_PROPERTY_XML","features":[337]},{"name":"EVENT_INFO_CLASS","features":[337]},{"name":"EVENT_INSTANCE_HEADER","features":[337]},{"name":"EVENT_INSTANCE_INFO","features":[308,337]},{"name":"EVENT_LOGGER_NAME","features":[337]},{"name":"EVENT_LOGGER_NAMEA","features":[337]},{"name":"EVENT_LOGGER_NAMEW","features":[337]},{"name":"EVENT_MAP_ENTRY","features":[337]},{"name":"EVENT_MAP_INFO","features":[337]},{"name":"EVENT_MAX_LEVEL","features":[337]},{"name":"EVENT_MIN_LEVEL","features":[337]},{"name":"EVENT_PROPERTY_INFO","features":[337]},{"name":"EVENT_RECORD","features":[337]},{"name":"EVENT_TRACE","features":[337]},{"name":"EVENT_TRACE_ADDTO_TRIAGE_DUMP","features":[337]},{"name":"EVENT_TRACE_ADD_HEADER_MODE","features":[337]},{"name":"EVENT_TRACE_BUFFERING_MODE","features":[337]},{"name":"EVENT_TRACE_COMPRESSED_MODE","features":[337]},{"name":"EVENT_TRACE_CONTROL","features":[337]},{"name":"EVENT_TRACE_CONTROL_CONVERT_TO_REALTIME","features":[337]},{"name":"EVENT_TRACE_CONTROL_FLUSH","features":[337]},{"name":"EVENT_TRACE_CONTROL_INCREMENT_FILE","features":[337]},{"name":"EVENT_TRACE_CONTROL_QUERY","features":[337]},{"name":"EVENT_TRACE_CONTROL_STOP","features":[337]},{"name":"EVENT_TRACE_CONTROL_UPDATE","features":[337]},{"name":"EVENT_TRACE_DELAY_OPEN_FILE_MODE","features":[337]},{"name":"EVENT_TRACE_FILE_MODE_APPEND","features":[337]},{"name":"EVENT_TRACE_FILE_MODE_CIRCULAR","features":[337]},{"name":"EVENT_TRACE_FILE_MODE_NEWFILE","features":[337]},{"name":"EVENT_TRACE_FILE_MODE_NONE","features":[337]},{"name":"EVENT_TRACE_FILE_MODE_PREALLOCATE","features":[337]},{"name":"EVENT_TRACE_FILE_MODE_SEQUENTIAL","features":[337]},{"name":"EVENT_TRACE_FLAG","features":[337]},{"name":"EVENT_TRACE_FLAG_ALPC","features":[337]},{"name":"EVENT_TRACE_FLAG_CSWITCH","features":[337]},{"name":"EVENT_TRACE_FLAG_DBGPRINT","features":[337]},{"name":"EVENT_TRACE_FLAG_DEBUG_EVENTS","features":[337]},{"name":"EVENT_TRACE_FLAG_DISK_FILE_IO","features":[337]},{"name":"EVENT_TRACE_FLAG_DISK_IO","features":[337]},{"name":"EVENT_TRACE_FLAG_DISK_IO_INIT","features":[337]},{"name":"EVENT_TRACE_FLAG_DISPATCHER","features":[337]},{"name":"EVENT_TRACE_FLAG_DPC","features":[337]},{"name":"EVENT_TRACE_FLAG_DRIVER","features":[337]},{"name":"EVENT_TRACE_FLAG_ENABLE_RESERVE","features":[337]},{"name":"EVENT_TRACE_FLAG_EXTENSION","features":[337]},{"name":"EVENT_TRACE_FLAG_FILE_IO","features":[337]},{"name":"EVENT_TRACE_FLAG_FILE_IO_INIT","features":[337]},{"name":"EVENT_TRACE_FLAG_FORWARD_WMI","features":[337]},{"name":"EVENT_TRACE_FLAG_IMAGE_LOAD","features":[337]},{"name":"EVENT_TRACE_FLAG_INTERRUPT","features":[337]},{"name":"EVENT_TRACE_FLAG_JOB","features":[337]},{"name":"EVENT_TRACE_FLAG_MEMORY_HARD_FAULTS","features":[337]},{"name":"EVENT_TRACE_FLAG_MEMORY_PAGE_FAULTS","features":[337]},{"name":"EVENT_TRACE_FLAG_NETWORK_TCPIP","features":[337]},{"name":"EVENT_TRACE_FLAG_NO_SYSCONFIG","features":[337]},{"name":"EVENT_TRACE_FLAG_PROCESS","features":[337]},{"name":"EVENT_TRACE_FLAG_PROCESS_COUNTERS","features":[337]},{"name":"EVENT_TRACE_FLAG_PROFILE","features":[337]},{"name":"EVENT_TRACE_FLAG_REGISTRY","features":[337]},{"name":"EVENT_TRACE_FLAG_SPLIT_IO","features":[337]},{"name":"EVENT_TRACE_FLAG_SYSTEMCALL","features":[337]},{"name":"EVENT_TRACE_FLAG_THREAD","features":[337]},{"name":"EVENT_TRACE_FLAG_VAMAP","features":[337]},{"name":"EVENT_TRACE_FLAG_VIRTUAL_ALLOC","features":[337]},{"name":"EVENT_TRACE_HEADER","features":[337]},{"name":"EVENT_TRACE_INDEPENDENT_SESSION_MODE","features":[337]},{"name":"EVENT_TRACE_LOGFILEA","features":[308,337,545]},{"name":"EVENT_TRACE_LOGFILEW","features":[308,337,545]},{"name":"EVENT_TRACE_MODE_RESERVED","features":[337]},{"name":"EVENT_TRACE_NONSTOPPABLE_MODE","features":[337]},{"name":"EVENT_TRACE_NO_PER_PROCESSOR_BUFFERING","features":[337]},{"name":"EVENT_TRACE_PERSIST_ON_HYBRID_SHUTDOWN","features":[337]},{"name":"EVENT_TRACE_PRIVATE_IN_PROC","features":[337]},{"name":"EVENT_TRACE_PRIVATE_LOGGER_MODE","features":[337]},{"name":"EVENT_TRACE_PROPERTIES","features":[308,337]},{"name":"EVENT_TRACE_PROPERTIES_V2","features":[308,337]},{"name":"EVENT_TRACE_REAL_TIME_MODE","features":[337]},{"name":"EVENT_TRACE_RELOG_MODE","features":[337]},{"name":"EVENT_TRACE_SECURE_MODE","features":[337]},{"name":"EVENT_TRACE_STOP_ON_HYBRID_SHUTDOWN","features":[337]},{"name":"EVENT_TRACE_SYSTEM_LOGGER_MODE","features":[337]},{"name":"EVENT_TRACE_TYPE_ACCEPT","features":[337]},{"name":"EVENT_TRACE_TYPE_ACKDUP","features":[337]},{"name":"EVENT_TRACE_TYPE_ACKFULL","features":[337]},{"name":"EVENT_TRACE_TYPE_ACKPART","features":[337]},{"name":"EVENT_TRACE_TYPE_CHECKPOINT","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_BOOT","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_CI_INFO","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_CPU","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_DEFRAG","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_DEVICEFAMILY","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_DPI","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_FLIGHTID","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_IDECHANNEL","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_IRQ","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_LOGICALDISK","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_MACHINEID","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_MOBILEPLATFORM","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_NETINFO","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_NIC","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_NUMANODE","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_OPTICALMEDIA","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_PHYSICALDISK","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_PHYSICALDISK_EX","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_PLATFORM","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_PNP","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_POWER","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_PROCESSOR","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_PROCESSORGROUP","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_PROCESSORNUMBER","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_SERVICES","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_VIDEO","features":[337]},{"name":"EVENT_TRACE_TYPE_CONFIG_VIRTUALIZATION","features":[337]},{"name":"EVENT_TRACE_TYPE_CONNECT","features":[337]},{"name":"EVENT_TRACE_TYPE_CONNFAIL","features":[337]},{"name":"EVENT_TRACE_TYPE_COPY_ARP","features":[337]},{"name":"EVENT_TRACE_TYPE_COPY_TCP","features":[337]},{"name":"EVENT_TRACE_TYPE_DBGID_RSDS","features":[337]},{"name":"EVENT_TRACE_TYPE_DC_END","features":[337]},{"name":"EVENT_TRACE_TYPE_DC_START","features":[337]},{"name":"EVENT_TRACE_TYPE_DEQUEUE","features":[337]},{"name":"EVENT_TRACE_TYPE_DISCONNECT","features":[337]},{"name":"EVENT_TRACE_TYPE_END","features":[337]},{"name":"EVENT_TRACE_TYPE_EXTENSION","features":[337]},{"name":"EVENT_TRACE_TYPE_FLT_POSTOP_COMPLETION","features":[337]},{"name":"EVENT_TRACE_TYPE_FLT_POSTOP_FAILURE","features":[337]},{"name":"EVENT_TRACE_TYPE_FLT_POSTOP_INIT","features":[337]},{"name":"EVENT_TRACE_TYPE_FLT_PREOP_COMPLETION","features":[337]},{"name":"EVENT_TRACE_TYPE_FLT_PREOP_FAILURE","features":[337]},{"name":"EVENT_TRACE_TYPE_FLT_PREOP_INIT","features":[337]},{"name":"EVENT_TRACE_TYPE_GUIDMAP","features":[337]},{"name":"EVENT_TRACE_TYPE_INFO","features":[337]},{"name":"EVENT_TRACE_TYPE_IO_FLUSH","features":[337]},{"name":"EVENT_TRACE_TYPE_IO_FLUSH_INIT","features":[337]},{"name":"EVENT_TRACE_TYPE_IO_READ","features":[337]},{"name":"EVENT_TRACE_TYPE_IO_READ_INIT","features":[337]},{"name":"EVENT_TRACE_TYPE_IO_REDIRECTED_INIT","features":[337]},{"name":"EVENT_TRACE_TYPE_IO_WRITE","features":[337]},{"name":"EVENT_TRACE_TYPE_IO_WRITE_INIT","features":[337]},{"name":"EVENT_TRACE_TYPE_LOAD","features":[337]},{"name":"EVENT_TRACE_TYPE_MM_AV","features":[337]},{"name":"EVENT_TRACE_TYPE_MM_COW","features":[337]},{"name":"EVENT_TRACE_TYPE_MM_DZF","features":[337]},{"name":"EVENT_TRACE_TYPE_MM_GPF","features":[337]},{"name":"EVENT_TRACE_TYPE_MM_HPF","features":[337]},{"name":"EVENT_TRACE_TYPE_MM_TF","features":[337]},{"name":"EVENT_TRACE_TYPE_OPTICAL_IO_FLUSH","features":[337]},{"name":"EVENT_TRACE_TYPE_OPTICAL_IO_FLUSH_INIT","features":[337]},{"name":"EVENT_TRACE_TYPE_OPTICAL_IO_READ","features":[337]},{"name":"EVENT_TRACE_TYPE_OPTICAL_IO_READ_INIT","features":[337]},{"name":"EVENT_TRACE_TYPE_OPTICAL_IO_WRITE","features":[337]},{"name":"EVENT_TRACE_TYPE_OPTICAL_IO_WRITE_INIT","features":[337]},{"name":"EVENT_TRACE_TYPE_RECEIVE","features":[337]},{"name":"EVENT_TRACE_TYPE_RECONNECT","features":[337]},{"name":"EVENT_TRACE_TYPE_REGCLOSE","features":[337]},{"name":"EVENT_TRACE_TYPE_REGCOMMIT","features":[337]},{"name":"EVENT_TRACE_TYPE_REGCREATE","features":[337]},{"name":"EVENT_TRACE_TYPE_REGDELETE","features":[337]},{"name":"EVENT_TRACE_TYPE_REGDELETEVALUE","features":[337]},{"name":"EVENT_TRACE_TYPE_REGENUMERATEKEY","features":[337]},{"name":"EVENT_TRACE_TYPE_REGENUMERATEVALUEKEY","features":[337]},{"name":"EVENT_TRACE_TYPE_REGFLUSH","features":[337]},{"name":"EVENT_TRACE_TYPE_REGKCBCREATE","features":[337]},{"name":"EVENT_TRACE_TYPE_REGKCBDELETE","features":[337]},{"name":"EVENT_TRACE_TYPE_REGKCBRUNDOWNBEGIN","features":[337]},{"name":"EVENT_TRACE_TYPE_REGKCBRUNDOWNEND","features":[337]},{"name":"EVENT_TRACE_TYPE_REGMOUNTHIVE","features":[337]},{"name":"EVENT_TRACE_TYPE_REGOPEN","features":[337]},{"name":"EVENT_TRACE_TYPE_REGPREPARE","features":[337]},{"name":"EVENT_TRACE_TYPE_REGQUERY","features":[337]},{"name":"EVENT_TRACE_TYPE_REGQUERYMULTIPLEVALUE","features":[337]},{"name":"EVENT_TRACE_TYPE_REGQUERYSECURITY","features":[337]},{"name":"EVENT_TRACE_TYPE_REGQUERYVALUE","features":[337]},{"name":"EVENT_TRACE_TYPE_REGROLLBACK","features":[337]},{"name":"EVENT_TRACE_TYPE_REGSETINFORMATION","features":[337]},{"name":"EVENT_TRACE_TYPE_REGSETSECURITY","features":[337]},{"name":"EVENT_TRACE_TYPE_REGSETVALUE","features":[337]},{"name":"EVENT_TRACE_TYPE_REGVIRTUALIZE","features":[337]},{"name":"EVENT_TRACE_TYPE_REPLY","features":[337]},{"name":"EVENT_TRACE_TYPE_RESUME","features":[337]},{"name":"EVENT_TRACE_TYPE_RETRANSMIT","features":[337]},{"name":"EVENT_TRACE_TYPE_SECURITY","features":[337]},{"name":"EVENT_TRACE_TYPE_SEND","features":[337]},{"name":"EVENT_TRACE_TYPE_SIDINFO","features":[337]},{"name":"EVENT_TRACE_TYPE_START","features":[337]},{"name":"EVENT_TRACE_TYPE_STOP","features":[337]},{"name":"EVENT_TRACE_TYPE_SUSPEND","features":[337]},{"name":"EVENT_TRACE_TYPE_TERMINATE","features":[337]},{"name":"EVENT_TRACE_TYPE_WINEVT_RECEIVE","features":[337]},{"name":"EVENT_TRACE_TYPE_WINEVT_SEND","features":[337]},{"name":"EVENT_TRACE_USE_GLOBAL_SEQUENCE","features":[337]},{"name":"EVENT_TRACE_USE_KBYTES_FOR_SIZE","features":[337]},{"name":"EVENT_TRACE_USE_LOCAL_SEQUENCE","features":[337]},{"name":"EVENT_TRACE_USE_NOCPUTIME","features":[337]},{"name":"EVENT_TRACE_USE_PAGED_MEMORY","features":[337]},{"name":"EVENT_TRACE_USE_PROCTIME","features":[337]},{"name":"EVENT_WRITE_FLAG_INPRIVATE","features":[337]},{"name":"EVENT_WRITE_FLAG_NO_FAULTING","features":[337]},{"name":"EnableTrace","features":[308,337]},{"name":"EnableTraceEx","features":[308,337]},{"name":"EnableTraceEx2","features":[308,337]},{"name":"EnumerateTraceGuids","features":[308,337]},{"name":"EnumerateTraceGuidsEx","features":[308,337]},{"name":"EtwCompressionModeNoDisable","features":[337]},{"name":"EtwCompressionModeNoRestart","features":[337]},{"name":"EtwCompressionModeRestart","features":[337]},{"name":"EtwPmcOwnerFree","features":[337]},{"name":"EtwPmcOwnerTagged","features":[337]},{"name":"EtwPmcOwnerTaggedWithSource","features":[337]},{"name":"EtwPmcOwnerUntagged","features":[337]},{"name":"EtwProviderTraitDecodeGuid","features":[337]},{"name":"EtwProviderTraitTypeGroup","features":[337]},{"name":"EtwProviderTraitTypeMax","features":[337]},{"name":"EtwQueryLastDroppedTimes","features":[337]},{"name":"EtwQueryLogFileHeader","features":[337]},{"name":"EtwQueryPartitionInformation","features":[337]},{"name":"EtwQueryPartitionInformationV2","features":[337]},{"name":"EtwQueryProcessHandleInfoMax","features":[337]},{"name":"EventAccessControl","features":[308,337]},{"name":"EventAccessQuery","features":[311,337]},{"name":"EventAccessRemove","features":[337]},{"name":"EventActivityIdControl","features":[337]},{"name":"EventChannelInformation","features":[337]},{"name":"EventEnabled","features":[308,337]},{"name":"EventInformationMax","features":[337]},{"name":"EventKeywordInformation","features":[337]},{"name":"EventLevelInformation","features":[337]},{"name":"EventOpcodeInformation","features":[337]},{"name":"EventProviderBinaryTrackInfo","features":[337]},{"name":"EventProviderEnabled","features":[308,337]},{"name":"EventProviderSetReserved1","features":[337]},{"name":"EventProviderSetTraits","features":[337]},{"name":"EventProviderUseDescriptorType","features":[337]},{"name":"EventRegister","features":[337]},{"name":"EventSecurityAddDACL","features":[337]},{"name":"EventSecurityAddSACL","features":[337]},{"name":"EventSecurityMax","features":[337]},{"name":"EventSecuritySetDACL","features":[337]},{"name":"EventSecuritySetSACL","features":[337]},{"name":"EventSetInformation","features":[337]},{"name":"EventTaskInformation","features":[337]},{"name":"EventTraceConfigGuid","features":[337]},{"name":"EventTraceGuid","features":[337]},{"name":"EventUnregister","features":[337]},{"name":"EventWrite","features":[337]},{"name":"EventWriteEx","features":[337]},{"name":"EventWriteString","features":[337]},{"name":"EventWriteTransfer","features":[337]},{"name":"FileIoGuid","features":[337]},{"name":"FlushTraceA","features":[308,337]},{"name":"FlushTraceW","features":[308,337]},{"name":"GLOBAL_LOGGER_NAME","features":[337]},{"name":"GLOBAL_LOGGER_NAMEA","features":[337]},{"name":"GLOBAL_LOGGER_NAMEW","features":[337]},{"name":"GetTraceEnableFlags","features":[337]},{"name":"GetTraceEnableLevel","features":[337]},{"name":"GetTraceLoggerHandle","features":[337]},{"name":"ITraceEvent","features":[337]},{"name":"ITraceEventCallback","features":[337]},{"name":"ITraceRelogger","features":[337]},{"name":"ImageLoadGuid","features":[337]},{"name":"KERNEL_LOGGER_NAME","features":[337]},{"name":"KERNEL_LOGGER_NAMEA","features":[337]},{"name":"KERNEL_LOGGER_NAMEW","features":[337]},{"name":"MAP_FLAGS","features":[337]},{"name":"MAP_VALUETYPE","features":[337]},{"name":"MAX_EVENT_DATA_DESCRIPTORS","features":[337]},{"name":"MAX_EVENT_FILTERS_COUNT","features":[337]},{"name":"MAX_EVENT_FILTER_DATA_SIZE","features":[337]},{"name":"MAX_EVENT_FILTER_EVENT_ID_COUNT","features":[337]},{"name":"MAX_EVENT_FILTER_EVENT_NAME_SIZE","features":[337]},{"name":"MAX_EVENT_FILTER_PAYLOAD_SIZE","features":[337]},{"name":"MAX_EVENT_FILTER_PID_COUNT","features":[337]},{"name":"MAX_MOF_FIELDS","features":[337]},{"name":"MAX_PAYLOAD_PREDICATES","features":[337]},{"name":"MOF_FIELD","features":[337]},{"name":"MaxEventInfo","features":[337]},{"name":"MaxTraceSetInfoClass","features":[337]},{"name":"OFFSETINSTANCEDATAANDLENGTH","features":[337]},{"name":"OpenTraceA","features":[308,337,545]},{"name":"OpenTraceFromBufferStream","features":[308,337,545]},{"name":"OpenTraceFromFile","features":[308,337,545]},{"name":"OpenTraceFromRealTimeLogger","features":[308,337,545]},{"name":"OpenTraceFromRealTimeLoggerWithAllocationOptions","features":[308,337,545]},{"name":"OpenTraceW","features":[308,337,545]},{"name":"PAYLOADFIELD_BETWEEN","features":[337]},{"name":"PAYLOADFIELD_CONTAINS","features":[337]},{"name":"PAYLOADFIELD_DOESNTCONTAIN","features":[337]},{"name":"PAYLOADFIELD_EQ","features":[337]},{"name":"PAYLOADFIELD_GE","features":[337]},{"name":"PAYLOADFIELD_GT","features":[337]},{"name":"PAYLOADFIELD_INVALID","features":[337]},{"name":"PAYLOADFIELD_IS","features":[337]},{"name":"PAYLOADFIELD_ISNOT","features":[337]},{"name":"PAYLOADFIELD_LE","features":[337]},{"name":"PAYLOADFIELD_LT","features":[337]},{"name":"PAYLOADFIELD_MODULO","features":[337]},{"name":"PAYLOADFIELD_NE","features":[337]},{"name":"PAYLOADFIELD_NOTBETWEEN","features":[337]},{"name":"PAYLOAD_FILTER_PREDICATE","features":[337]},{"name":"PAYLOAD_OPERATOR","features":[337]},{"name":"PENABLECALLBACK","features":[337]},{"name":"PETW_BUFFER_CALLBACK","features":[308,337,545]},{"name":"PETW_BUFFER_COMPLETION_CALLBACK","features":[337]},{"name":"PEVENT_CALLBACK","features":[337]},{"name":"PEVENT_RECORD_CALLBACK","features":[337]},{"name":"PEVENT_TRACE_BUFFER_CALLBACKA","features":[308,337,545]},{"name":"PEVENT_TRACE_BUFFER_CALLBACKW","features":[308,337,545]},{"name":"PROCESSTRACE_HANDLE","features":[337]},{"name":"PROCESS_TRACE_MODE_EVENT_RECORD","features":[337]},{"name":"PROCESS_TRACE_MODE_RAW_TIMESTAMP","features":[337]},{"name":"PROCESS_TRACE_MODE_REAL_TIME","features":[337]},{"name":"PROFILE_SOURCE_INFO","features":[337]},{"name":"PROPERTY_DATA_DESCRIPTOR","features":[337]},{"name":"PROPERTY_FLAGS","features":[337]},{"name":"PROVIDER_ENUMERATION_INFO","features":[337]},{"name":"PROVIDER_EVENT_INFO","features":[337]},{"name":"PROVIDER_FIELD_INFO","features":[337]},{"name":"PROVIDER_FIELD_INFOARRAY","features":[337]},{"name":"PROVIDER_FILTER_INFO","features":[337]},{"name":"PageFaultGuid","features":[337]},{"name":"PerfInfoGuid","features":[337]},{"name":"PrivateLoggerNotificationGuid","features":[337]},{"name":"ProcessGuid","features":[337]},{"name":"ProcessTrace","features":[308,337]},{"name":"ProcessTraceAddBufferToBufferStream","features":[337]},{"name":"ProcessTraceBufferDecrementReference","features":[337]},{"name":"ProcessTraceBufferIncrementReference","features":[337]},{"name":"PropertyHasCustomSchema","features":[337]},{"name":"PropertyHasTags","features":[337]},{"name":"PropertyParamCount","features":[337]},{"name":"PropertyParamFixedCount","features":[337]},{"name":"PropertyParamFixedLength","features":[337]},{"name":"PropertyParamLength","features":[337]},{"name":"PropertyStruct","features":[337]},{"name":"PropertyWBEMXmlFragment","features":[337]},{"name":"QueryAllTracesA","features":[308,337]},{"name":"QueryAllTracesW","features":[308,337]},{"name":"QueryTraceA","features":[308,337]},{"name":"QueryTraceProcessingHandle","features":[308,337]},{"name":"QueryTraceW","features":[308,337]},{"name":"RELOGSTREAM_HANDLE","features":[337]},{"name":"RegisterTraceGuidsA","features":[308,337]},{"name":"RegisterTraceGuidsW","features":[308,337]},{"name":"RegistryGuid","features":[337]},{"name":"RemoveTraceCallback","features":[308,337]},{"name":"SYSTEM_ALPC_KW_GENERAL","features":[337]},{"name":"SYSTEM_CONFIG_KW_GRAPHICS","features":[337]},{"name":"SYSTEM_CONFIG_KW_NETWORK","features":[337]},{"name":"SYSTEM_CONFIG_KW_OPTICAL","features":[337]},{"name":"SYSTEM_CONFIG_KW_PNP","features":[337]},{"name":"SYSTEM_CONFIG_KW_SERVICES","features":[337]},{"name":"SYSTEM_CONFIG_KW_STORAGE","features":[337]},{"name":"SYSTEM_CONFIG_KW_SYSTEM","features":[337]},{"name":"SYSTEM_CPU_KW_CACHE_FLUSH","features":[337]},{"name":"SYSTEM_CPU_KW_CONFIG","features":[337]},{"name":"SYSTEM_CPU_KW_SPEC_CONTROL","features":[337]},{"name":"SYSTEM_EVENT_TYPE","features":[337]},{"name":"SYSTEM_HYPERVISOR_KW_CALLOUTS","features":[337]},{"name":"SYSTEM_HYPERVISOR_KW_PROFILE","features":[337]},{"name":"SYSTEM_HYPERVISOR_KW_VTL_CHANGE","features":[337]},{"name":"SYSTEM_INTERRUPT_KW_CLOCK_INTERRUPT","features":[337]},{"name":"SYSTEM_INTERRUPT_KW_DPC","features":[337]},{"name":"SYSTEM_INTERRUPT_KW_DPC_QUEUE","features":[337]},{"name":"SYSTEM_INTERRUPT_KW_GENERAL","features":[337]},{"name":"SYSTEM_INTERRUPT_KW_IPI","features":[337]},{"name":"SYSTEM_INTERRUPT_KW_WDF_DPC","features":[337]},{"name":"SYSTEM_INTERRUPT_KW_WDF_INTERRUPT","features":[337]},{"name":"SYSTEM_IOFILTER_KW_FAILURE","features":[337]},{"name":"SYSTEM_IOFILTER_KW_FASTIO","features":[337]},{"name":"SYSTEM_IOFILTER_KW_GENERAL","features":[337]},{"name":"SYSTEM_IOFILTER_KW_INIT","features":[337]},{"name":"SYSTEM_IO_KW_CC","features":[337]},{"name":"SYSTEM_IO_KW_DISK","features":[337]},{"name":"SYSTEM_IO_KW_DISK_INIT","features":[337]},{"name":"SYSTEM_IO_KW_DRIVERS","features":[337]},{"name":"SYSTEM_IO_KW_FILE","features":[337]},{"name":"SYSTEM_IO_KW_FILENAME","features":[337]},{"name":"SYSTEM_IO_KW_NETWORK","features":[337]},{"name":"SYSTEM_IO_KW_OPTICAL","features":[337]},{"name":"SYSTEM_IO_KW_OPTICAL_INIT","features":[337]},{"name":"SYSTEM_IO_KW_SPLIT","features":[337]},{"name":"SYSTEM_LOCK_KW_SPINLOCK","features":[337]},{"name":"SYSTEM_LOCK_KW_SPINLOCK_COUNTERS","features":[337]},{"name":"SYSTEM_LOCK_KW_SYNC_OBJECTS","features":[337]},{"name":"SYSTEM_MEMORY_KW_ALL_FAULTS","features":[337]},{"name":"SYSTEM_MEMORY_KW_CONTMEM_GEN","features":[337]},{"name":"SYSTEM_MEMORY_KW_FOOTPRINT","features":[337]},{"name":"SYSTEM_MEMORY_KW_GENERAL","features":[337]},{"name":"SYSTEM_MEMORY_KW_HARD_FAULTS","features":[337]},{"name":"SYSTEM_MEMORY_KW_HEAP","features":[337]},{"name":"SYSTEM_MEMORY_KW_MEMINFO","features":[337]},{"name":"SYSTEM_MEMORY_KW_MEMINFO_WS","features":[337]},{"name":"SYSTEM_MEMORY_KW_NONTRADEABLE","features":[337]},{"name":"SYSTEM_MEMORY_KW_PFSECTION","features":[337]},{"name":"SYSTEM_MEMORY_KW_POOL","features":[337]},{"name":"SYSTEM_MEMORY_KW_REFSET","features":[337]},{"name":"SYSTEM_MEMORY_KW_SESSION","features":[337]},{"name":"SYSTEM_MEMORY_KW_VAMAP","features":[337]},{"name":"SYSTEM_MEMORY_KW_VIRTUAL_ALLOC","features":[337]},{"name":"SYSTEM_MEMORY_KW_WS","features":[337]},{"name":"SYSTEM_MEMORY_POOL_FILTER_ID","features":[337]},{"name":"SYSTEM_OBJECT_KW_GENERAL","features":[337]},{"name":"SYSTEM_OBJECT_KW_HANDLE","features":[337]},{"name":"SYSTEM_POWER_KW_GENERAL","features":[337]},{"name":"SYSTEM_POWER_KW_HIBER_RUNDOWN","features":[337]},{"name":"SYSTEM_POWER_KW_IDLE_SELECTION","features":[337]},{"name":"SYSTEM_POWER_KW_PPM_EXIT_LATENCY","features":[337]},{"name":"SYSTEM_POWER_KW_PROCESSOR_IDLE","features":[337]},{"name":"SYSTEM_PROCESS_KW_DBGPRINT","features":[337]},{"name":"SYSTEM_PROCESS_KW_DEBUG_EVENTS","features":[337]},{"name":"SYSTEM_PROCESS_KW_FREEZE","features":[337]},{"name":"SYSTEM_PROCESS_KW_GENERAL","features":[337]},{"name":"SYSTEM_PROCESS_KW_INSWAP","features":[337]},{"name":"SYSTEM_PROCESS_KW_JOB","features":[337]},{"name":"SYSTEM_PROCESS_KW_LOADER","features":[337]},{"name":"SYSTEM_PROCESS_KW_PERF_COUNTER","features":[337]},{"name":"SYSTEM_PROCESS_KW_THREAD","features":[337]},{"name":"SYSTEM_PROCESS_KW_WAKE_COUNTER","features":[337]},{"name":"SYSTEM_PROCESS_KW_WAKE_DROP","features":[337]},{"name":"SYSTEM_PROCESS_KW_WAKE_EVENT","features":[337]},{"name":"SYSTEM_PROCESS_KW_WORKER_THREAD","features":[337]},{"name":"SYSTEM_PROFILE_KW_GENERAL","features":[337]},{"name":"SYSTEM_PROFILE_KW_PMC_PROFILE","features":[337]},{"name":"SYSTEM_REGISTRY_KW_GENERAL","features":[337]},{"name":"SYSTEM_REGISTRY_KW_HIVE","features":[337]},{"name":"SYSTEM_REGISTRY_KW_NOTIFICATION","features":[337]},{"name":"SYSTEM_SCHEDULER_KW_AFFINITY","features":[337]},{"name":"SYSTEM_SCHEDULER_KW_ANTI_STARVATION","features":[337]},{"name":"SYSTEM_SCHEDULER_KW_COMPACT_CSWITCH","features":[337]},{"name":"SYSTEM_SCHEDULER_KW_CONTEXT_SWITCH","features":[337]},{"name":"SYSTEM_SCHEDULER_KW_DISPATCHER","features":[337]},{"name":"SYSTEM_SCHEDULER_KW_IDEAL_PROCESSOR","features":[337]},{"name":"SYSTEM_SCHEDULER_KW_KERNEL_QUEUE","features":[337]},{"name":"SYSTEM_SCHEDULER_KW_LOAD_BALANCER","features":[337]},{"name":"SYSTEM_SCHEDULER_KW_PRIORITY","features":[337]},{"name":"SYSTEM_SCHEDULER_KW_SHOULD_YIELD","features":[337]},{"name":"SYSTEM_SCHEDULER_KW_XSCHEDULER","features":[337]},{"name":"SYSTEM_SYSCALL_KW_GENERAL","features":[337]},{"name":"SYSTEM_TIMER_KW_CLOCK_TIMER","features":[337]},{"name":"SYSTEM_TIMER_KW_GENERAL","features":[337]},{"name":"SetTraceCallback","features":[308,337]},{"name":"SplitIoGuid","features":[337]},{"name":"StartTraceA","features":[308,337]},{"name":"StartTraceW","features":[308,337]},{"name":"StopTraceA","features":[308,337]},{"name":"StopTraceW","features":[308,337]},{"name":"SystemAlpcProviderGuid","features":[337]},{"name":"SystemConfigProviderGuid","features":[337]},{"name":"SystemCpuProviderGuid","features":[337]},{"name":"SystemHypervisorProviderGuid","features":[337]},{"name":"SystemInterruptProviderGuid","features":[337]},{"name":"SystemIoFilterProviderGuid","features":[337]},{"name":"SystemIoProviderGuid","features":[337]},{"name":"SystemLockProviderGuid","features":[337]},{"name":"SystemMemoryProviderGuid","features":[337]},{"name":"SystemObjectProviderGuid","features":[337]},{"name":"SystemPowerProviderGuid","features":[337]},{"name":"SystemProcessProviderGuid","features":[337]},{"name":"SystemProfileProviderGuid","features":[337]},{"name":"SystemRegistryProviderGuid","features":[337]},{"name":"SystemSchedulerProviderGuid","features":[337]},{"name":"SystemSyscallProviderGuid","features":[337]},{"name":"SystemTimerProviderGuid","features":[337]},{"name":"SystemTraceControlGuid","features":[337]},{"name":"TDH_CONTEXT","features":[337]},{"name":"TDH_CONTEXT_MAXIMUM","features":[337]},{"name":"TDH_CONTEXT_PDB_PATH","features":[337]},{"name":"TDH_CONTEXT_POINTERSIZE","features":[337]},{"name":"TDH_CONTEXT_TYPE","features":[337]},{"name":"TDH_CONTEXT_WPP_GMT","features":[337]},{"name":"TDH_CONTEXT_WPP_TMFFILE","features":[337]},{"name":"TDH_CONTEXT_WPP_TMFSEARCHPATH","features":[337]},{"name":"TDH_HANDLE","features":[337]},{"name":"TDH_INTYPE_ANSICHAR","features":[337]},{"name":"TDH_INTYPE_ANSISTRING","features":[337]},{"name":"TDH_INTYPE_BINARY","features":[337]},{"name":"TDH_INTYPE_BOOLEAN","features":[337]},{"name":"TDH_INTYPE_COUNTEDANSISTRING","features":[337]},{"name":"TDH_INTYPE_COUNTEDSTRING","features":[337]},{"name":"TDH_INTYPE_DOUBLE","features":[337]},{"name":"TDH_INTYPE_FILETIME","features":[337]},{"name":"TDH_INTYPE_FLOAT","features":[337]},{"name":"TDH_INTYPE_GUID","features":[337]},{"name":"TDH_INTYPE_HEXDUMP","features":[337]},{"name":"TDH_INTYPE_HEXINT32","features":[337]},{"name":"TDH_INTYPE_HEXINT64","features":[337]},{"name":"TDH_INTYPE_INT16","features":[337]},{"name":"TDH_INTYPE_INT32","features":[337]},{"name":"TDH_INTYPE_INT64","features":[337]},{"name":"TDH_INTYPE_INT8","features":[337]},{"name":"TDH_INTYPE_MANIFEST_COUNTEDANSISTRING","features":[337]},{"name":"TDH_INTYPE_MANIFEST_COUNTEDBINARY","features":[337]},{"name":"TDH_INTYPE_MANIFEST_COUNTEDSTRING","features":[337]},{"name":"TDH_INTYPE_NONNULLTERMINATEDANSISTRING","features":[337]},{"name":"TDH_INTYPE_NONNULLTERMINATEDSTRING","features":[337]},{"name":"TDH_INTYPE_NULL","features":[337]},{"name":"TDH_INTYPE_POINTER","features":[337]},{"name":"TDH_INTYPE_RESERVED24","features":[337]},{"name":"TDH_INTYPE_REVERSEDCOUNTEDANSISTRING","features":[337]},{"name":"TDH_INTYPE_REVERSEDCOUNTEDSTRING","features":[337]},{"name":"TDH_INTYPE_SID","features":[337]},{"name":"TDH_INTYPE_SIZET","features":[337]},{"name":"TDH_INTYPE_SYSTEMTIME","features":[337]},{"name":"TDH_INTYPE_UINT16","features":[337]},{"name":"TDH_INTYPE_UINT32","features":[337]},{"name":"TDH_INTYPE_UINT64","features":[337]},{"name":"TDH_INTYPE_UINT8","features":[337]},{"name":"TDH_INTYPE_UNICODECHAR","features":[337]},{"name":"TDH_INTYPE_UNICODESTRING","features":[337]},{"name":"TDH_INTYPE_WBEMSID","features":[337]},{"name":"TDH_OUTTYPE_BOOLEAN","features":[337]},{"name":"TDH_OUTTYPE_BYTE","features":[337]},{"name":"TDH_OUTTYPE_CIMDATETIME","features":[337]},{"name":"TDH_OUTTYPE_CODE_POINTER","features":[337]},{"name":"TDH_OUTTYPE_CULTURE_INSENSITIVE_DATETIME","features":[337]},{"name":"TDH_OUTTYPE_DATETIME","features":[337]},{"name":"TDH_OUTTYPE_DATETIME_UTC","features":[337]},{"name":"TDH_OUTTYPE_DOUBLE","features":[337]},{"name":"TDH_OUTTYPE_ERRORCODE","features":[337]},{"name":"TDH_OUTTYPE_ETWTIME","features":[337]},{"name":"TDH_OUTTYPE_FLOAT","features":[337]},{"name":"TDH_OUTTYPE_GUID","features":[337]},{"name":"TDH_OUTTYPE_HEXBINARY","features":[337]},{"name":"TDH_OUTTYPE_HEXINT16","features":[337]},{"name":"TDH_OUTTYPE_HEXINT32","features":[337]},{"name":"TDH_OUTTYPE_HEXINT64","features":[337]},{"name":"TDH_OUTTYPE_HEXINT8","features":[337]},{"name":"TDH_OUTTYPE_HRESULT","features":[337]},{"name":"TDH_OUTTYPE_INT","features":[337]},{"name":"TDH_OUTTYPE_IPV4","features":[337]},{"name":"TDH_OUTTYPE_IPV6","features":[337]},{"name":"TDH_OUTTYPE_JSON","features":[337]},{"name":"TDH_OUTTYPE_LONG","features":[337]},{"name":"TDH_OUTTYPE_NOPRINT","features":[337]},{"name":"TDH_OUTTYPE_NTSTATUS","features":[337]},{"name":"TDH_OUTTYPE_NULL","features":[337]},{"name":"TDH_OUTTYPE_PID","features":[337]},{"name":"TDH_OUTTYPE_PKCS7_WITH_TYPE_INFO","features":[337]},{"name":"TDH_OUTTYPE_PORT","features":[337]},{"name":"TDH_OUTTYPE_REDUCEDSTRING","features":[337]},{"name":"TDH_OUTTYPE_SHORT","features":[337]},{"name":"TDH_OUTTYPE_SOCKETADDRESS","features":[337]},{"name":"TDH_OUTTYPE_STRING","features":[337]},{"name":"TDH_OUTTYPE_TID","features":[337]},{"name":"TDH_OUTTYPE_UNSIGNEDBYTE","features":[337]},{"name":"TDH_OUTTYPE_UNSIGNEDINT","features":[337]},{"name":"TDH_OUTTYPE_UNSIGNEDLONG","features":[337]},{"name":"TDH_OUTTYPE_UNSIGNEDSHORT","features":[337]},{"name":"TDH_OUTTYPE_UTF8","features":[337]},{"name":"TDH_OUTTYPE_WIN32ERROR","features":[337]},{"name":"TDH_OUTTYPE_XML","features":[337]},{"name":"TEMPLATE_CONTROL_GUID","features":[337]},{"name":"TEMPLATE_EVENT_DATA","features":[337]},{"name":"TEMPLATE_FLAGS","features":[337]},{"name":"TEMPLATE_USER_DATA","features":[337]},{"name":"TRACELOG_ACCESS_KERNEL_LOGGER","features":[337]},{"name":"TRACELOG_ACCESS_REALTIME","features":[337]},{"name":"TRACELOG_CREATE_INPROC","features":[337]},{"name":"TRACELOG_CREATE_ONDISK","features":[337]},{"name":"TRACELOG_CREATE_REALTIME","features":[337]},{"name":"TRACELOG_GUID_ENABLE","features":[337]},{"name":"TRACELOG_JOIN_GROUP","features":[337]},{"name":"TRACELOG_LOG_EVENT","features":[337]},{"name":"TRACELOG_REGISTER_GUIDS","features":[337]},{"name":"TRACE_ENABLE_INFO","features":[337]},{"name":"TRACE_EVENT_INFO","features":[337]},{"name":"TRACE_GUID_INFO","features":[337]},{"name":"TRACE_GUID_PROPERTIES","features":[308,337]},{"name":"TRACE_GUID_REGISTRATION","features":[308,337]},{"name":"TRACE_HEADER_FLAG_LOG_WNODE","features":[337]},{"name":"TRACE_HEADER_FLAG_TRACED_GUID","features":[337]},{"name":"TRACE_HEADER_FLAG_USE_GUID_PTR","features":[337]},{"name":"TRACE_HEADER_FLAG_USE_MOF_PTR","features":[337]},{"name":"TRACE_HEADER_FLAG_USE_TIMESTAMP","features":[337]},{"name":"TRACE_LEVEL_CRITICAL","features":[337]},{"name":"TRACE_LEVEL_ERROR","features":[337]},{"name":"TRACE_LEVEL_FATAL","features":[337]},{"name":"TRACE_LEVEL_INFORMATION","features":[337]},{"name":"TRACE_LEVEL_NONE","features":[337]},{"name":"TRACE_LEVEL_RESERVED6","features":[337]},{"name":"TRACE_LEVEL_RESERVED7","features":[337]},{"name":"TRACE_LEVEL_RESERVED8","features":[337]},{"name":"TRACE_LEVEL_RESERVED9","features":[337]},{"name":"TRACE_LEVEL_VERBOSE","features":[337]},{"name":"TRACE_LEVEL_WARNING","features":[337]},{"name":"TRACE_LOGFILE_HEADER","features":[308,337,545]},{"name":"TRACE_LOGFILE_HEADER32","features":[308,337,545]},{"name":"TRACE_LOGFILE_HEADER64","features":[308,337,545]},{"name":"TRACE_MESSAGE_COMPONENTID","features":[337]},{"name":"TRACE_MESSAGE_FLAGS","features":[337]},{"name":"TRACE_MESSAGE_FLAG_MASK","features":[337]},{"name":"TRACE_MESSAGE_GUID","features":[337]},{"name":"TRACE_MESSAGE_PERFORMANCE_TIMESTAMP","features":[337]},{"name":"TRACE_MESSAGE_POINTER32","features":[337]},{"name":"TRACE_MESSAGE_POINTER64","features":[337]},{"name":"TRACE_MESSAGE_SEQUENCE","features":[337]},{"name":"TRACE_MESSAGE_SYSTEMINFO","features":[337]},{"name":"TRACE_MESSAGE_TIMESTAMP","features":[337]},{"name":"TRACE_PERIODIC_CAPTURE_STATE_INFO","features":[337]},{"name":"TRACE_PROFILE_INTERVAL","features":[337]},{"name":"TRACE_PROVIDER_FLAG_LEGACY","features":[337]},{"name":"TRACE_PROVIDER_FLAG_PRE_ENABLE","features":[337]},{"name":"TRACE_PROVIDER_INFO","features":[337]},{"name":"TRACE_PROVIDER_INSTANCE_INFO","features":[337]},{"name":"TRACE_QUERY_INFO_CLASS","features":[337]},{"name":"TRACE_STACK_CACHING_INFO","features":[308,337]},{"name":"TRACE_VERSION_INFO","features":[337]},{"name":"TcpIpGuid","features":[337]},{"name":"TdhAggregatePayloadFilters","features":[308,337]},{"name":"TdhCleanupPayloadEventFilterDescriptor","features":[337]},{"name":"TdhCloseDecodingHandle","features":[337]},{"name":"TdhCreatePayloadFilter","features":[308,337]},{"name":"TdhDeletePayloadFilter","features":[337]},{"name":"TdhEnumerateManifestProviderEvents","features":[337]},{"name":"TdhEnumerateProviderFieldInformation","features":[337]},{"name":"TdhEnumerateProviderFilters","features":[337]},{"name":"TdhEnumerateProviders","features":[337]},{"name":"TdhEnumerateProvidersForDecodingSource","features":[337]},{"name":"TdhFormatProperty","features":[337]},{"name":"TdhGetDecodingParameter","features":[337]},{"name":"TdhGetEventInformation","features":[337]},{"name":"TdhGetEventMapInformation","features":[337]},{"name":"TdhGetManifestEventInformation","features":[337]},{"name":"TdhGetProperty","features":[337]},{"name":"TdhGetPropertySize","features":[337]},{"name":"TdhGetWppMessage","features":[337]},{"name":"TdhGetWppProperty","features":[337]},{"name":"TdhLoadManifest","features":[337]},{"name":"TdhLoadManifestFromBinary","features":[337]},{"name":"TdhLoadManifestFromMemory","features":[337]},{"name":"TdhOpenDecodingHandle","features":[337]},{"name":"TdhQueryProviderFieldInformation","features":[337]},{"name":"TdhSetDecodingParameter","features":[337]},{"name":"TdhUnloadManifest","features":[337]},{"name":"TdhUnloadManifestFromMemory","features":[337]},{"name":"ThreadGuid","features":[337]},{"name":"TraceDisallowListQuery","features":[337]},{"name":"TraceEvent","features":[308,337]},{"name":"TraceEventInstance","features":[308,337]},{"name":"TraceGroupQueryInfo","features":[337]},{"name":"TraceGroupQueryList","features":[337]},{"name":"TraceGuidQueryInfo","features":[337]},{"name":"TraceGuidQueryList","features":[337]},{"name":"TraceGuidQueryProcess","features":[337]},{"name":"TraceInfoReserved15","features":[337]},{"name":"TraceLbrConfigurationInfo","features":[337]},{"name":"TraceLbrEventListInfo","features":[337]},{"name":"TraceMaxLoggersQuery","features":[337]},{"name":"TraceMaxPmcCounterQuery","features":[337]},{"name":"TraceMessage","features":[308,337]},{"name":"TraceMessageVa","features":[308,337]},{"name":"TracePeriodicCaptureStateInfo","features":[337]},{"name":"TracePeriodicCaptureStateListInfo","features":[337]},{"name":"TracePmcCounterListInfo","features":[337]},{"name":"TracePmcCounterOwners","features":[337]},{"name":"TracePmcEventListInfo","features":[337]},{"name":"TracePmcSessionInformation","features":[337]},{"name":"TraceProfileSourceConfigInfo","features":[337]},{"name":"TraceProfileSourceListInfo","features":[337]},{"name":"TraceProviderBinaryTracking","features":[337]},{"name":"TraceQueryInformation","features":[308,337]},{"name":"TraceSampledProfileIntervalInfo","features":[337]},{"name":"TraceSetDisallowList","features":[337]},{"name":"TraceSetInformation","features":[308,337]},{"name":"TraceStackCachingInfo","features":[337]},{"name":"TraceStackTracingInfo","features":[337]},{"name":"TraceStreamCount","features":[337]},{"name":"TraceSystemTraceEnableFlagsInfo","features":[337]},{"name":"TraceUnifiedStackCachingInfo","features":[337]},{"name":"TraceVersionInfo","features":[337]},{"name":"UdpIpGuid","features":[337]},{"name":"UnregisterTraceGuids","features":[337]},{"name":"UpdateTraceA","features":[308,337]},{"name":"UpdateTraceW","features":[308,337]},{"name":"WMIDPREQUEST","features":[337]},{"name":"WMIDPREQUESTCODE","features":[337]},{"name":"WMIGUID_EXECUTE","features":[337]},{"name":"WMIGUID_NOTIFICATION","features":[337]},{"name":"WMIGUID_QUERY","features":[337]},{"name":"WMIGUID_READ_DESCRIPTION","features":[337]},{"name":"WMIGUID_SET","features":[337]},{"name":"WMIREGGUIDW","features":[337]},{"name":"WMIREGINFOW","features":[337]},{"name":"WMIREG_FLAG_EVENT_ONLY_GUID","features":[337]},{"name":"WMIREG_FLAG_EXPENSIVE","features":[337]},{"name":"WMIREG_FLAG_INSTANCE_BASENAME","features":[337]},{"name":"WMIREG_FLAG_INSTANCE_LIST","features":[337]},{"name":"WMIREG_FLAG_INSTANCE_PDO","features":[337]},{"name":"WMIREG_FLAG_REMOVE_GUID","features":[337]},{"name":"WMIREG_FLAG_RESERVED1","features":[337]},{"name":"WMIREG_FLAG_RESERVED2","features":[337]},{"name":"WMIREG_FLAG_TRACED_GUID","features":[337]},{"name":"WMIREG_FLAG_TRACE_CONTROL_GUID","features":[337]},{"name":"WMI_CAPTURE_STATE","features":[337]},{"name":"WMI_DISABLE_COLLECTION","features":[337]},{"name":"WMI_DISABLE_EVENTS","features":[337]},{"name":"WMI_ENABLE_COLLECTION","features":[337]},{"name":"WMI_ENABLE_EVENTS","features":[337]},{"name":"WMI_EXECUTE_METHOD","features":[337]},{"name":"WMI_GET_ALL_DATA","features":[337]},{"name":"WMI_GET_SINGLE_INSTANCE","features":[337]},{"name":"WMI_GLOBAL_LOGGER_ID","features":[337]},{"name":"WMI_GUIDTYPE_DATA","features":[337]},{"name":"WMI_GUIDTYPE_EVENT","features":[337]},{"name":"WMI_GUIDTYPE_TRACE","features":[337]},{"name":"WMI_GUIDTYPE_TRACECONTROL","features":[337]},{"name":"WMI_REGINFO","features":[337]},{"name":"WMI_SET_SINGLE_INSTANCE","features":[337]},{"name":"WMI_SET_SINGLE_ITEM","features":[337]},{"name":"WNODE_ALL_DATA","features":[308,337]},{"name":"WNODE_EVENT_ITEM","features":[308,337]},{"name":"WNODE_EVENT_REFERENCE","features":[308,337]},{"name":"WNODE_FLAG_ALL_DATA","features":[337]},{"name":"WNODE_FLAG_ANSI_INSTANCENAMES","features":[337]},{"name":"WNODE_FLAG_EVENT_ITEM","features":[337]},{"name":"WNODE_FLAG_EVENT_REFERENCE","features":[337]},{"name":"WNODE_FLAG_FIXED_INSTANCE_SIZE","features":[337]},{"name":"WNODE_FLAG_INSTANCES_SAME","features":[337]},{"name":"WNODE_FLAG_INTERNAL","features":[337]},{"name":"WNODE_FLAG_LOG_WNODE","features":[337]},{"name":"WNODE_FLAG_METHOD_ITEM","features":[337]},{"name":"WNODE_FLAG_NO_HEADER","features":[337]},{"name":"WNODE_FLAG_PDO_INSTANCE_NAMES","features":[337]},{"name":"WNODE_FLAG_PERSIST_EVENT","features":[337]},{"name":"WNODE_FLAG_SEND_DATA_BLOCK","features":[337]},{"name":"WNODE_FLAG_SEVERITY_MASK","features":[337]},{"name":"WNODE_FLAG_SINGLE_INSTANCE","features":[337]},{"name":"WNODE_FLAG_SINGLE_ITEM","features":[337]},{"name":"WNODE_FLAG_STATIC_INSTANCE_NAMES","features":[337]},{"name":"WNODE_FLAG_TOO_SMALL","features":[337]},{"name":"WNODE_FLAG_TRACED_GUID","features":[337]},{"name":"WNODE_FLAG_USE_GUID_PTR","features":[337]},{"name":"WNODE_FLAG_USE_MOF_PTR","features":[337]},{"name":"WNODE_FLAG_USE_TIMESTAMP","features":[337]},{"name":"WNODE_FLAG_VERSIONED_PROPERTIES","features":[337]},{"name":"WNODE_HEADER","features":[308,337]},{"name":"WNODE_METHOD_ITEM","features":[308,337]},{"name":"WNODE_SINGLE_INSTANCE","features":[308,337]},{"name":"WNODE_SINGLE_ITEM","features":[308,337]},{"name":"WNODE_TOO_SMALL","features":[308,337]},{"name":"_TDH_IN_TYPE","features":[337]},{"name":"_TDH_OUT_TYPE","features":[337]}],"557":[{"name":"HPSS","features":[548]},{"name":"HPSSWALK","features":[548]},{"name":"PSS_ALLOCATOR","features":[548]},{"name":"PSS_AUXILIARY_PAGES_INFORMATION","features":[548]},{"name":"PSS_AUXILIARY_PAGE_ENTRY","features":[308,548,326]},{"name":"PSS_CAPTURE_FLAGS","features":[548]},{"name":"PSS_CAPTURE_HANDLES","features":[548]},{"name":"PSS_CAPTURE_HANDLE_BASIC_INFORMATION","features":[548]},{"name":"PSS_CAPTURE_HANDLE_NAME_INFORMATION","features":[548]},{"name":"PSS_CAPTURE_HANDLE_TRACE","features":[548]},{"name":"PSS_CAPTURE_HANDLE_TYPE_SPECIFIC_INFORMATION","features":[548]},{"name":"PSS_CAPTURE_IPT_TRACE","features":[548]},{"name":"PSS_CAPTURE_NONE","features":[548]},{"name":"PSS_CAPTURE_RESERVED_00000002","features":[548]},{"name":"PSS_CAPTURE_RESERVED_00000400","features":[548]},{"name":"PSS_CAPTURE_RESERVED_00004000","features":[548]},{"name":"PSS_CAPTURE_THREADS","features":[548]},{"name":"PSS_CAPTURE_THREAD_CONTEXT","features":[548]},{"name":"PSS_CAPTURE_THREAD_CONTEXT_EXTENDED","features":[548]},{"name":"PSS_CAPTURE_VA_CLONE","features":[548]},{"name":"PSS_CAPTURE_VA_SPACE","features":[548]},{"name":"PSS_CAPTURE_VA_SPACE_SECTION_INFORMATION","features":[548]},{"name":"PSS_CREATE_BREAKAWAY","features":[548]},{"name":"PSS_CREATE_BREAKAWAY_OPTIONAL","features":[548]},{"name":"PSS_CREATE_FORCE_BREAKAWAY","features":[548]},{"name":"PSS_CREATE_MEASURE_PERFORMANCE","features":[548]},{"name":"PSS_CREATE_RELEASE_SECTION","features":[548]},{"name":"PSS_CREATE_USE_VM_ALLOCATIONS","features":[548]},{"name":"PSS_DUPLICATE_CLOSE_SOURCE","features":[548]},{"name":"PSS_DUPLICATE_FLAGS","features":[548]},{"name":"PSS_DUPLICATE_NONE","features":[548]},{"name":"PSS_HANDLE_ENTRY","features":[308,548]},{"name":"PSS_HANDLE_FLAGS","features":[548]},{"name":"PSS_HANDLE_HAVE_BASIC_INFORMATION","features":[548]},{"name":"PSS_HANDLE_HAVE_NAME","features":[548]},{"name":"PSS_HANDLE_HAVE_TYPE","features":[548]},{"name":"PSS_HANDLE_HAVE_TYPE_SPECIFIC_INFORMATION","features":[548]},{"name":"PSS_HANDLE_INFORMATION","features":[548]},{"name":"PSS_HANDLE_NONE","features":[548]},{"name":"PSS_HANDLE_TRACE_INFORMATION","features":[308,548]},{"name":"PSS_OBJECT_TYPE","features":[548]},{"name":"PSS_OBJECT_TYPE_EVENT","features":[548]},{"name":"PSS_OBJECT_TYPE_MUTANT","features":[548]},{"name":"PSS_OBJECT_TYPE_PROCESS","features":[548]},{"name":"PSS_OBJECT_TYPE_SECTION","features":[548]},{"name":"PSS_OBJECT_TYPE_SEMAPHORE","features":[548]},{"name":"PSS_OBJECT_TYPE_THREAD","features":[548]},{"name":"PSS_OBJECT_TYPE_UNKNOWN","features":[548]},{"name":"PSS_PERFORMANCE_COUNTERS","features":[548]},{"name":"PSS_PERF_RESOLUTION","features":[548]},{"name":"PSS_PROCESS_FLAGS","features":[548]},{"name":"PSS_PROCESS_FLAGS_FROZEN","features":[548]},{"name":"PSS_PROCESS_FLAGS_NONE","features":[548]},{"name":"PSS_PROCESS_FLAGS_PROTECTED","features":[548]},{"name":"PSS_PROCESS_FLAGS_RESERVED_03","features":[548]},{"name":"PSS_PROCESS_FLAGS_RESERVED_04","features":[548]},{"name":"PSS_PROCESS_FLAGS_WOW64","features":[548]},{"name":"PSS_PROCESS_INFORMATION","features":[308,548]},{"name":"PSS_QUERY_AUXILIARY_PAGES_INFORMATION","features":[548]},{"name":"PSS_QUERY_HANDLE_INFORMATION","features":[548]},{"name":"PSS_QUERY_HANDLE_TRACE_INFORMATION","features":[548]},{"name":"PSS_QUERY_INFORMATION_CLASS","features":[548]},{"name":"PSS_QUERY_PERFORMANCE_COUNTERS","features":[548]},{"name":"PSS_QUERY_PROCESS_INFORMATION","features":[548]},{"name":"PSS_QUERY_THREAD_INFORMATION","features":[548]},{"name":"PSS_QUERY_VA_CLONE_INFORMATION","features":[548]},{"name":"PSS_QUERY_VA_SPACE_INFORMATION","features":[548]},{"name":"PSS_THREAD_ENTRY","features":[308,336,548,314]},{"name":"PSS_THREAD_FLAGS","features":[548]},{"name":"PSS_THREAD_FLAGS_NONE","features":[548]},{"name":"PSS_THREAD_FLAGS_TERMINATED","features":[548]},{"name":"PSS_THREAD_INFORMATION","features":[548]},{"name":"PSS_VA_CLONE_INFORMATION","features":[308,548]},{"name":"PSS_VA_SPACE_ENTRY","features":[548]},{"name":"PSS_VA_SPACE_INFORMATION","features":[548]},{"name":"PSS_WALK_AUXILIARY_PAGES","features":[548]},{"name":"PSS_WALK_HANDLES","features":[548]},{"name":"PSS_WALK_INFORMATION_CLASS","features":[548]},{"name":"PSS_WALK_THREADS","features":[548]},{"name":"PSS_WALK_VA_SPACE","features":[548]},{"name":"PssCaptureSnapshot","features":[308,548]},{"name":"PssDuplicateSnapshot","features":[308,548]},{"name":"PssFreeSnapshot","features":[308,548]},{"name":"PssQuerySnapshot","features":[548]},{"name":"PssWalkMarkerCreate","features":[548]},{"name":"PssWalkMarkerFree","features":[548]},{"name":"PssWalkMarkerGetPosition","features":[548]},{"name":"PssWalkMarkerSeekToBeginning","features":[548]},{"name":"PssWalkMarkerSetPosition","features":[548]},{"name":"PssWalkSnapshot","features":[548]}],"558":[{"name":"CREATE_TOOLHELP_SNAPSHOT_FLAGS","features":[549]},{"name":"CreateToolhelp32Snapshot","features":[308,549]},{"name":"HEAPENTRY32","features":[308,549]},{"name":"HEAPENTRY32_FLAGS","features":[549]},{"name":"HEAPLIST32","features":[549]},{"name":"HF32_DEFAULT","features":[549]},{"name":"HF32_SHARED","features":[549]},{"name":"Heap32First","features":[308,549]},{"name":"Heap32ListFirst","features":[308,549]},{"name":"Heap32ListNext","features":[308,549]},{"name":"Heap32Next","features":[308,549]},{"name":"LF32_FIXED","features":[549]},{"name":"LF32_FREE","features":[549]},{"name":"LF32_MOVEABLE","features":[549]},{"name":"MAX_MODULE_NAME32","features":[549]},{"name":"MODULEENTRY32","features":[308,549]},{"name":"MODULEENTRY32W","features":[308,549]},{"name":"Module32First","features":[308,549]},{"name":"Module32FirstW","features":[308,549]},{"name":"Module32Next","features":[308,549]},{"name":"Module32NextW","features":[308,549]},{"name":"PROCESSENTRY32","features":[549]},{"name":"PROCESSENTRY32W","features":[549]},{"name":"Process32First","features":[308,549]},{"name":"Process32FirstW","features":[308,549]},{"name":"Process32Next","features":[308,549]},{"name":"Process32NextW","features":[308,549]},{"name":"TH32CS_INHERIT","features":[549]},{"name":"TH32CS_SNAPALL","features":[549]},{"name":"TH32CS_SNAPHEAPLIST","features":[549]},{"name":"TH32CS_SNAPMODULE","features":[549]},{"name":"TH32CS_SNAPMODULE32","features":[549]},{"name":"TH32CS_SNAPPROCESS","features":[549]},{"name":"TH32CS_SNAPTHREAD","features":[549]},{"name":"THREADENTRY32","features":[549]},{"name":"Thread32First","features":[308,549]},{"name":"Thread32Next","features":[308,549]},{"name":"Toolhelp32ReadProcessMemory","features":[308,549]}],"559":[{"name":"MSG_category_Devices","features":[550]},{"name":"MSG_category_Disk","features":[550]},{"name":"MSG_category_Network","features":[550]},{"name":"MSG_category_Printers","features":[550]},{"name":"MSG_category_Services","features":[550]},{"name":"MSG_category_Shell","features":[550]},{"name":"MSG_category_SystemEvent","features":[550]},{"name":"MSG_channel_Application","features":[550]},{"name":"MSG_channel_ProviderMetadata","features":[550]},{"name":"MSG_channel_Security","features":[550]},{"name":"MSG_channel_System","features":[550]},{"name":"MSG_channel_TraceClassic","features":[550]},{"name":"MSG_channel_TraceLogging","features":[550]},{"name":"MSG_keyword_AnyKeyword","features":[550]},{"name":"MSG_keyword_AuditFailure","features":[550]},{"name":"MSG_keyword_AuditSuccess","features":[550]},{"name":"MSG_keyword_Classic","features":[550]},{"name":"MSG_keyword_CorrelationHint","features":[550]},{"name":"MSG_keyword_ResponseTime","features":[550]},{"name":"MSG_keyword_SQM","features":[550]},{"name":"MSG_keyword_WDIDiag","features":[550]},{"name":"MSG_level_Critical","features":[550]},{"name":"MSG_level_Error","features":[550]},{"name":"MSG_level_Informational","features":[550]},{"name":"MSG_level_LogAlways","features":[550]},{"name":"MSG_level_Verbose","features":[550]},{"name":"MSG_level_Warning","features":[550]},{"name":"MSG_opcode_DCStart","features":[550]},{"name":"MSG_opcode_DCStop","features":[550]},{"name":"MSG_opcode_Extension","features":[550]},{"name":"MSG_opcode_Info","features":[550]},{"name":"MSG_opcode_Receive","features":[550]},{"name":"MSG_opcode_Reply","features":[550]},{"name":"MSG_opcode_Resume","features":[550]},{"name":"MSG_opcode_Send","features":[550]},{"name":"MSG_opcode_Start","features":[550]},{"name":"MSG_opcode_Stop","features":[550]},{"name":"MSG_opcode_Suspend","features":[550]},{"name":"MSG_task_None","features":[550]},{"name":"WINEVENT_CHANNEL_CLASSIC_TRACE","features":[550]},{"name":"WINEVENT_CHANNEL_GLOBAL_APPLICATION","features":[550]},{"name":"WINEVENT_CHANNEL_GLOBAL_SECURITY","features":[550]},{"name":"WINEVENT_CHANNEL_GLOBAL_SYSTEM","features":[550]},{"name":"WINEVENT_CHANNEL_PROVIDERMETADATA","features":[550]},{"name":"WINEVENT_CHANNEL_TRACELOGGING","features":[550]},{"name":"WINEVENT_KEYWORD_AUDIT_FAILURE","features":[550]},{"name":"WINEVENT_KEYWORD_AUDIT_SUCCESS","features":[550]},{"name":"WINEVENT_KEYWORD_CORRELATION_HINT","features":[550]},{"name":"WINEVENT_KEYWORD_EVENTLOG_CLASSIC","features":[550]},{"name":"WINEVENT_KEYWORD_RESERVED_49","features":[550]},{"name":"WINEVENT_KEYWORD_RESERVED_56","features":[550]},{"name":"WINEVENT_KEYWORD_RESERVED_57","features":[550]},{"name":"WINEVENT_KEYWORD_RESERVED_58","features":[550]},{"name":"WINEVENT_KEYWORD_RESERVED_59","features":[550]},{"name":"WINEVENT_KEYWORD_RESERVED_60","features":[550]},{"name":"WINEVENT_KEYWORD_RESERVED_61","features":[550]},{"name":"WINEVENT_KEYWORD_RESERVED_62","features":[550]},{"name":"WINEVENT_KEYWORD_RESERVED_63","features":[550]},{"name":"WINEVENT_KEYWORD_RESPONSE_TIME","features":[550]},{"name":"WINEVENT_KEYWORD_SQM","features":[550]},{"name":"WINEVENT_KEYWORD_WDI_DIAG","features":[550]},{"name":"WINEVENT_LEVEL_CRITICAL","features":[550]},{"name":"WINEVENT_LEVEL_ERROR","features":[550]},{"name":"WINEVENT_LEVEL_INFO","features":[550]},{"name":"WINEVENT_LEVEL_LOG_ALWAYS","features":[550]},{"name":"WINEVENT_LEVEL_RESERVED_10","features":[550]},{"name":"WINEVENT_LEVEL_RESERVED_11","features":[550]},{"name":"WINEVENT_LEVEL_RESERVED_12","features":[550]},{"name":"WINEVENT_LEVEL_RESERVED_13","features":[550]},{"name":"WINEVENT_LEVEL_RESERVED_14","features":[550]},{"name":"WINEVENT_LEVEL_RESERVED_15","features":[550]},{"name":"WINEVENT_LEVEL_RESERVED_6","features":[550]},{"name":"WINEVENT_LEVEL_RESERVED_7","features":[550]},{"name":"WINEVENT_LEVEL_RESERVED_8","features":[550]},{"name":"WINEVENT_LEVEL_RESERVED_9","features":[550]},{"name":"WINEVENT_LEVEL_VERBOSE","features":[550]},{"name":"WINEVENT_LEVEL_WARNING","features":[550]},{"name":"WINEVENT_OPCODE_DC_START","features":[550]},{"name":"WINEVENT_OPCODE_DC_STOP","features":[550]},{"name":"WINEVENT_OPCODE_EXTENSION","features":[550]},{"name":"WINEVENT_OPCODE_INFO","features":[550]},{"name":"WINEVENT_OPCODE_RECEIVE","features":[550]},{"name":"WINEVENT_OPCODE_REPLY","features":[550]},{"name":"WINEVENT_OPCODE_RESERVED_241","features":[550]},{"name":"WINEVENT_OPCODE_RESERVED_242","features":[550]},{"name":"WINEVENT_OPCODE_RESERVED_243","features":[550]},{"name":"WINEVENT_OPCODE_RESERVED_244","features":[550]},{"name":"WINEVENT_OPCODE_RESERVED_245","features":[550]},{"name":"WINEVENT_OPCODE_RESERVED_246","features":[550]},{"name":"WINEVENT_OPCODE_RESERVED_247","features":[550]},{"name":"WINEVENT_OPCODE_RESERVED_248","features":[550]},{"name":"WINEVENT_OPCODE_RESERVED_249","features":[550]},{"name":"WINEVENT_OPCODE_RESERVED_250","features":[550]},{"name":"WINEVENT_OPCODE_RESERVED_251","features":[550]},{"name":"WINEVENT_OPCODE_RESERVED_252","features":[550]},{"name":"WINEVENT_OPCODE_RESERVED_253","features":[550]},{"name":"WINEVENT_OPCODE_RESERVED_254","features":[550]},{"name":"WINEVENT_OPCODE_RESERVED_255","features":[550]},{"name":"WINEVENT_OPCODE_RESUME","features":[550]},{"name":"WINEVENT_OPCODE_SEND","features":[550]},{"name":"WINEVENT_OPCODE_START","features":[550]},{"name":"WINEVENT_OPCODE_STOP","features":[550]},{"name":"WINEVENT_OPCODE_SUSPEND","features":[550]},{"name":"WINEVENT_TASK_NONE","features":[550]},{"name":"WINEVT_KEYWORD_ANY","features":[550]}],"560":[{"name":"APPLICATIONTYPE","features":[551]},{"name":"AUTHENTICATION_LEVEL","features":[551]},{"name":"BOID","features":[551]},{"name":"CLSID_MSDtcTransaction","features":[551]},{"name":"CLSID_MSDtcTransactionManager","features":[551]},{"name":"CLUSTERRESOURCE_APPLICATIONTYPE","features":[551]},{"name":"DTCINITIATEDRECOVERYWORK","features":[551]},{"name":"DTCINITIATEDRECOVERYWORK_CHECKLUSTATUS","features":[551]},{"name":"DTCINITIATEDRECOVERYWORK_TMDOWN","features":[551]},{"name":"DTCINITIATEDRECOVERYWORK_TRANS","features":[551]},{"name":"DTCINSTALL_E_CLIENT_ALREADY_INSTALLED","features":[551]},{"name":"DTCINSTALL_E_SERVER_ALREADY_INSTALLED","features":[551]},{"name":"DTCLUCOMPARESTATE","features":[551]},{"name":"DTCLUCOMPARESTATESCONFIRMATION","features":[551]},{"name":"DTCLUCOMPARESTATESCONFIRMATION_CONFIRM","features":[551]},{"name":"DTCLUCOMPARESTATESCONFIRMATION_PROTOCOL","features":[551]},{"name":"DTCLUCOMPARESTATESERROR","features":[551]},{"name":"DTCLUCOMPARESTATESERROR_PROTOCOL","features":[551]},{"name":"DTCLUCOMPARESTATESRESPONSE","features":[551]},{"name":"DTCLUCOMPARESTATESRESPONSE_OK","features":[551]},{"name":"DTCLUCOMPARESTATESRESPONSE_PROTOCOL","features":[551]},{"name":"DTCLUCOMPARESTATE_COMMITTED","features":[551]},{"name":"DTCLUCOMPARESTATE_HEURISTICCOMMITTED","features":[551]},{"name":"DTCLUCOMPARESTATE_HEURISTICMIXED","features":[551]},{"name":"DTCLUCOMPARESTATE_HEURISTICRESET","features":[551]},{"name":"DTCLUCOMPARESTATE_INDOUBT","features":[551]},{"name":"DTCLUCOMPARESTATE_RESET","features":[551]},{"name":"DTCLUXLN","features":[551]},{"name":"DTCLUXLNCONFIRMATION","features":[551]},{"name":"DTCLUXLNCONFIRMATION_COLDWARMMISMATCH","features":[551]},{"name":"DTCLUXLNCONFIRMATION_CONFIRM","features":[551]},{"name":"DTCLUXLNCONFIRMATION_LOGNAMEMISMATCH","features":[551]},{"name":"DTCLUXLNCONFIRMATION_OBSOLETE","features":[551]},{"name":"DTCLUXLNERROR","features":[551]},{"name":"DTCLUXLNERROR_COLDWARMMISMATCH","features":[551]},{"name":"DTCLUXLNERROR_LOGNAMEMISMATCH","features":[551]},{"name":"DTCLUXLNERROR_PROTOCOL","features":[551]},{"name":"DTCLUXLNRESPONSE","features":[551]},{"name":"DTCLUXLNRESPONSE_COLDWARMMISMATCH","features":[551]},{"name":"DTCLUXLNRESPONSE_LOGNAMEMISMATCH","features":[551]},{"name":"DTCLUXLNRESPONSE_OK_SENDCONFIRMATION","features":[551]},{"name":"DTCLUXLNRESPONSE_OK_SENDOURXLNBACK","features":[551]},{"name":"DTCLUXLN_COLD","features":[551]},{"name":"DTCLUXLN_WARM","features":[551]},{"name":"DTC_GET_TRANSACTION_MANAGER","features":[551]},{"name":"DTC_GET_TRANSACTION_MANAGER_EX_A","features":[551]},{"name":"DTC_GET_TRANSACTION_MANAGER_EX_W","features":[551]},{"name":"DTC_INSTALL_CLIENT","features":[551]},{"name":"DTC_INSTALL_OVERWRITE_CLIENT","features":[551]},{"name":"DTC_INSTALL_OVERWRITE_SERVER","features":[551]},{"name":"DTC_STATUS_","features":[551]},{"name":"DTC_STATUS_CONTINUING","features":[551]},{"name":"DTC_STATUS_E_CANTCONTROL","features":[551]},{"name":"DTC_STATUS_FAILED","features":[551]},{"name":"DTC_STATUS_PAUSED","features":[551]},{"name":"DTC_STATUS_PAUSING","features":[551]},{"name":"DTC_STATUS_STARTED","features":[551]},{"name":"DTC_STATUS_STARTING","features":[551]},{"name":"DTC_STATUS_STOPPED","features":[551]},{"name":"DTC_STATUS_STOPPING","features":[551]},{"name":"DTC_STATUS_UNKNOWN","features":[551]},{"name":"DtcGetTransactionManager","features":[551]},{"name":"DtcGetTransactionManagerC","features":[551]},{"name":"DtcGetTransactionManagerExA","features":[551]},{"name":"DtcGetTransactionManagerExW","features":[551]},{"name":"IDtcLuConfigure","features":[551]},{"name":"IDtcLuRecovery","features":[551]},{"name":"IDtcLuRecoveryFactory","features":[551]},{"name":"IDtcLuRecoveryInitiatedByDtc","features":[551]},{"name":"IDtcLuRecoveryInitiatedByDtcStatusWork","features":[551]},{"name":"IDtcLuRecoveryInitiatedByDtcTransWork","features":[551]},{"name":"IDtcLuRecoveryInitiatedByLu","features":[551]},{"name":"IDtcLuRecoveryInitiatedByLuWork","features":[551]},{"name":"IDtcLuRmEnlistment","features":[551]},{"name":"IDtcLuRmEnlistmentFactory","features":[551]},{"name":"IDtcLuRmEnlistmentSink","features":[551]},{"name":"IDtcLuSubordinateDtc","features":[551]},{"name":"IDtcLuSubordinateDtcFactory","features":[551]},{"name":"IDtcLuSubordinateDtcSink","features":[551]},{"name":"IDtcNetworkAccessConfig","features":[551]},{"name":"IDtcNetworkAccessConfig2","features":[551]},{"name":"IDtcNetworkAccessConfig3","features":[551]},{"name":"IDtcToXaHelper","features":[551]},{"name":"IDtcToXaHelperFactory","features":[551]},{"name":"IDtcToXaHelperSinglePipe","features":[551]},{"name":"IDtcToXaMapper","features":[551]},{"name":"IGetDispenser","features":[551]},{"name":"IKernelTransaction","features":[551]},{"name":"ILastResourceManager","features":[551]},{"name":"INCOMING_AUTHENTICATION_REQUIRED","features":[551]},{"name":"IPrepareInfo","features":[551]},{"name":"IPrepareInfo2","features":[551]},{"name":"IRMHelper","features":[551]},{"name":"IResourceManager","features":[551]},{"name":"IResourceManager2","features":[551]},{"name":"IResourceManagerFactory","features":[551]},{"name":"IResourceManagerFactory2","features":[551]},{"name":"IResourceManagerRejoinable","features":[551]},{"name":"IResourceManagerSink","features":[551]},{"name":"ISOFLAG","features":[551]},{"name":"ISOFLAG_OPTIMISTIC","features":[551]},{"name":"ISOFLAG_READONLY","features":[551]},{"name":"ISOFLAG_RETAIN_ABORT","features":[551]},{"name":"ISOFLAG_RETAIN_ABORT_DC","features":[551]},{"name":"ISOFLAG_RETAIN_ABORT_NO","features":[551]},{"name":"ISOFLAG_RETAIN_BOTH","features":[551]},{"name":"ISOFLAG_RETAIN_COMMIT","features":[551]},{"name":"ISOFLAG_RETAIN_COMMIT_DC","features":[551]},{"name":"ISOFLAG_RETAIN_COMMIT_NO","features":[551]},{"name":"ISOFLAG_RETAIN_DONTCARE","features":[551]},{"name":"ISOFLAG_RETAIN_NONE","features":[551]},{"name":"ISOLATIONLEVEL","features":[551]},{"name":"ISOLATIONLEVEL_BROWSE","features":[551]},{"name":"ISOLATIONLEVEL_CHAOS","features":[551]},{"name":"ISOLATIONLEVEL_CURSORSTABILITY","features":[551]},{"name":"ISOLATIONLEVEL_ISOLATED","features":[551]},{"name":"ISOLATIONLEVEL_READCOMMITTED","features":[551]},{"name":"ISOLATIONLEVEL_READUNCOMMITTED","features":[551]},{"name":"ISOLATIONLEVEL_REPEATABLEREAD","features":[551]},{"name":"ISOLATIONLEVEL_SERIALIZABLE","features":[551]},{"name":"ISOLATIONLEVEL_UNSPECIFIED","features":[551]},{"name":"ITipHelper","features":[551]},{"name":"ITipPullSink","features":[551]},{"name":"ITipTransaction","features":[551]},{"name":"ITmNodeName","features":[551]},{"name":"ITransaction","features":[551]},{"name":"ITransaction2","features":[551]},{"name":"ITransactionCloner","features":[551]},{"name":"ITransactionDispenser","features":[551]},{"name":"ITransactionEnlistmentAsync","features":[551]},{"name":"ITransactionExport","features":[551]},{"name":"ITransactionExportFactory","features":[551]},{"name":"ITransactionImport","features":[551]},{"name":"ITransactionImportWhereabouts","features":[551]},{"name":"ITransactionLastEnlistmentAsync","features":[551]},{"name":"ITransactionLastResourceAsync","features":[551]},{"name":"ITransactionOptions","features":[551]},{"name":"ITransactionOutcomeEvents","features":[551]},{"name":"ITransactionPhase0EnlistmentAsync","features":[551]},{"name":"ITransactionPhase0Factory","features":[551]},{"name":"ITransactionPhase0NotifyAsync","features":[551]},{"name":"ITransactionReceiver","features":[551]},{"name":"ITransactionReceiverFactory","features":[551]},{"name":"ITransactionResource","features":[551]},{"name":"ITransactionResourceAsync","features":[551]},{"name":"ITransactionTransmitter","features":[551]},{"name":"ITransactionTransmitterFactory","features":[551]},{"name":"ITransactionVoterBallotAsync2","features":[551]},{"name":"ITransactionVoterFactory2","features":[551]},{"name":"ITransactionVoterNotifyAsync2","features":[551]},{"name":"IXAConfig","features":[551]},{"name":"IXAObtainRMInfo","features":[551]},{"name":"IXATransLookup","features":[551]},{"name":"IXATransLookup2","features":[551]},{"name":"LOCAL_APPLICATIONTYPE","features":[551]},{"name":"MAXBQUALSIZE","features":[551]},{"name":"MAXGTRIDSIZE","features":[551]},{"name":"MAXINFOSIZE","features":[551]},{"name":"MAX_TRAN_DESC","features":[551]},{"name":"MUTUAL_AUTHENTICATION_REQUIRED","features":[551]},{"name":"NO_AUTHENTICATION_REQUIRED","features":[551]},{"name":"OLE_TM_CONFIG_PARAMS_V1","features":[551]},{"name":"OLE_TM_CONFIG_PARAMS_V2","features":[551]},{"name":"OLE_TM_CONFIG_VERSION_1","features":[551]},{"name":"OLE_TM_CONFIG_VERSION_2","features":[551]},{"name":"OLE_TM_FLAG_INTERNAL_TO_TM","features":[551]},{"name":"OLE_TM_FLAG_NOAGILERECOVERY","features":[551]},{"name":"OLE_TM_FLAG_NODEMANDSTART","features":[551]},{"name":"OLE_TM_FLAG_NONE","features":[551]},{"name":"OLE_TM_FLAG_QUERY_SERVICE_LOCKSTATUS","features":[551]},{"name":"PROXY_CONFIG_PARAMS","features":[551]},{"name":"RMNAMESZ","features":[551]},{"name":"TMASYNC","features":[551]},{"name":"TMENDRSCAN","features":[551]},{"name":"TMER_INVAL","features":[551]},{"name":"TMER_PROTO","features":[551]},{"name":"TMER_TMERR","features":[551]},{"name":"TMFAIL","features":[551]},{"name":"TMJOIN","features":[551]},{"name":"TMMIGRATE","features":[551]},{"name":"TMMULTIPLE","features":[551]},{"name":"TMNOFLAGS","features":[551]},{"name":"TMNOMIGRATE","features":[551]},{"name":"TMNOWAIT","features":[551]},{"name":"TMONEPHASE","features":[551]},{"name":"TMREGISTER","features":[551]},{"name":"TMRESUME","features":[551]},{"name":"TMSTARTRSCAN","features":[551]},{"name":"TMSUCCESS","features":[551]},{"name":"TMSUSPEND","features":[551]},{"name":"TMUSEASYNC","features":[551]},{"name":"TM_JOIN","features":[551]},{"name":"TM_OK","features":[551]},{"name":"TM_RESUME","features":[551]},{"name":"TX_MISC_CONSTANTS","features":[551]},{"name":"XACTCONST","features":[551]},{"name":"XACTCONST_TIMEOUTINFINITE","features":[551]},{"name":"XACTHEURISTIC","features":[551]},{"name":"XACTHEURISTIC_ABORT","features":[551]},{"name":"XACTHEURISTIC_COMMIT","features":[551]},{"name":"XACTHEURISTIC_DAMAGE","features":[551]},{"name":"XACTHEURISTIC_DANGER","features":[551]},{"name":"XACTOPT","features":[551]},{"name":"XACTRM","features":[551]},{"name":"XACTRM_NOREADONLYPREPARES","features":[551]},{"name":"XACTRM_OPTIMISTICLASTWINS","features":[551]},{"name":"XACTSTAT","features":[551]},{"name":"XACTSTATS","features":[308,551]},{"name":"XACTSTAT_ABORTED","features":[551]},{"name":"XACTSTAT_ABORTING","features":[551]},{"name":"XACTSTAT_ALL","features":[551]},{"name":"XACTSTAT_CLOSED","features":[551]},{"name":"XACTSTAT_COMMITRETAINING","features":[551]},{"name":"XACTSTAT_COMMITTED","features":[551]},{"name":"XACTSTAT_COMMITTING","features":[551]},{"name":"XACTSTAT_FORCED_ABORT","features":[551]},{"name":"XACTSTAT_FORCED_COMMIT","features":[551]},{"name":"XACTSTAT_HEURISTIC_ABORT","features":[551]},{"name":"XACTSTAT_HEURISTIC_COMMIT","features":[551]},{"name":"XACTSTAT_HEURISTIC_DAMAGE","features":[551]},{"name":"XACTSTAT_HEURISTIC_DANGER","features":[551]},{"name":"XACTSTAT_INDOUBT","features":[551]},{"name":"XACTSTAT_NONE","features":[551]},{"name":"XACTSTAT_NOTPREPARED","features":[551]},{"name":"XACTSTAT_OPEN","features":[551]},{"name":"XACTSTAT_OPENNORMAL","features":[551]},{"name":"XACTSTAT_OPENREFUSED","features":[551]},{"name":"XACTSTAT_PREPARED","features":[551]},{"name":"XACTSTAT_PREPARERETAINED","features":[551]},{"name":"XACTSTAT_PREPARERETAINING","features":[551]},{"name":"XACTSTAT_PREPARING","features":[551]},{"name":"XACTTC","features":[551]},{"name":"XACTTC_ASYNC","features":[551]},{"name":"XACTTC_ASYNC_PHASEONE","features":[551]},{"name":"XACTTC_NONE","features":[551]},{"name":"XACTTC_SYNC","features":[551]},{"name":"XACTTC_SYNC_PHASEONE","features":[551]},{"name":"XACTTC_SYNC_PHASETWO","features":[551]},{"name":"XACTTRANSINFO","features":[551]},{"name":"XACT_DTC_CONSTANTS","features":[551]},{"name":"XACT_E_CONNECTION_REQUEST_DENIED","features":[551]},{"name":"XACT_E_DUPLICATE_GUID","features":[551]},{"name":"XACT_E_DUPLICATE_LU","features":[551]},{"name":"XACT_E_DUPLICATE_TRANSID","features":[551]},{"name":"XACT_E_LRMRECOVERYALREADYDONE","features":[551]},{"name":"XACT_E_LU_BUSY","features":[551]},{"name":"XACT_E_LU_DOWN","features":[551]},{"name":"XACT_E_LU_NOT_CONNECTED","features":[551]},{"name":"XACT_E_LU_NOT_FOUND","features":[551]},{"name":"XACT_E_LU_NO_RECOVERY_PROCESS","features":[551]},{"name":"XACT_E_LU_RECOVERING","features":[551]},{"name":"XACT_E_LU_RECOVERY_MISMATCH","features":[551]},{"name":"XACT_E_NOLASTRESOURCEINTERFACE","features":[551]},{"name":"XACT_E_NOTSINGLEPHASE","features":[551]},{"name":"XACT_E_PROTOCOL","features":[551]},{"name":"XACT_E_RECOVERYALREADYDONE","features":[551]},{"name":"XACT_E_RECOVERY_FAILED","features":[551]},{"name":"XACT_E_RM_FAILURE","features":[551]},{"name":"XACT_E_RM_UNAVAILABLE","features":[551]},{"name":"XACT_E_TOOMANY_ENLISTMENTS","features":[551]},{"name":"XACT_OK_NONOTIFY","features":[551]},{"name":"XACT_S_NONOTIFY","features":[551]},{"name":"XAER_ASYNC","features":[551]},{"name":"XAER_DUPID","features":[551]},{"name":"XAER_INVAL","features":[551]},{"name":"XAER_NOTA","features":[551]},{"name":"XAER_OUTSIDE","features":[551]},{"name":"XAER_PROTO","features":[551]},{"name":"XAER_RMERR","features":[551]},{"name":"XAER_RMFAIL","features":[551]},{"name":"XA_CLOSE_EPT","features":[551]},{"name":"XA_COMMIT_EPT","features":[551]},{"name":"XA_COMPLETE_EPT","features":[551]},{"name":"XA_END_EPT","features":[551]},{"name":"XA_FMTID_DTC","features":[551]},{"name":"XA_FMTID_DTC_VER1","features":[551]},{"name":"XA_FORGET_EPT","features":[551]},{"name":"XA_HEURCOM","features":[551]},{"name":"XA_HEURHAZ","features":[551]},{"name":"XA_HEURMIX","features":[551]},{"name":"XA_HEURRB","features":[551]},{"name":"XA_NOMIGRATE","features":[551]},{"name":"XA_OK","features":[551]},{"name":"XA_OPEN_EPT","features":[551]},{"name":"XA_PREPARE_EPT","features":[551]},{"name":"XA_RBBASE","features":[551]},{"name":"XA_RBCOMMFAIL","features":[551]},{"name":"XA_RBDEADLOCK","features":[551]},{"name":"XA_RBEND","features":[551]},{"name":"XA_RBINTEGRITY","features":[551]},{"name":"XA_RBOTHER","features":[551]},{"name":"XA_RBPROTO","features":[551]},{"name":"XA_RBROLLBACK","features":[551]},{"name":"XA_RBTIMEOUT","features":[551]},{"name":"XA_RBTRANSIENT","features":[551]},{"name":"XA_RDONLY","features":[551]},{"name":"XA_RECOVER_EPT","features":[551]},{"name":"XA_RETRY","features":[551]},{"name":"XA_ROLLBACK_EPT","features":[551]},{"name":"XA_START_EPT","features":[551]},{"name":"XA_SWITCH_F_DTC","features":[551]},{"name":"XID","features":[551]},{"name":"XIDDATASIZE","features":[551]},{"name":"dwUSER_MS_SQLSERVER","features":[551]},{"name":"xa_switch_t","features":[551]}],"561":[{"name":"CallEnclave","features":[308,552]},{"name":"CreateEnclave","features":[308,552]},{"name":"CreateEnvironmentBlock","features":[308,552]},{"name":"DeleteEnclave","features":[308,552]},{"name":"DestroyEnvironmentBlock","features":[308,552]},{"name":"ENCLAVE_FLAG_DYNAMIC_DEBUG_ACTIVE","features":[552]},{"name":"ENCLAVE_FLAG_DYNAMIC_DEBUG_ENABLED","features":[552]},{"name":"ENCLAVE_FLAG_FULL_DEBUG_ENABLED","features":[552]},{"name":"ENCLAVE_IDENTITY","features":[552]},{"name":"ENCLAVE_IDENTITY_POLICY_SEAL_EXACT_CODE","features":[552]},{"name":"ENCLAVE_IDENTITY_POLICY_SEAL_INVALID","features":[552]},{"name":"ENCLAVE_IDENTITY_POLICY_SEAL_SAME_AUTHOR","features":[552]},{"name":"ENCLAVE_IDENTITY_POLICY_SEAL_SAME_FAMILY","features":[552]},{"name":"ENCLAVE_IDENTITY_POLICY_SEAL_SAME_IMAGE","features":[552]},{"name":"ENCLAVE_IDENTITY_POLICY_SEAL_SAME_PRIMARY_CODE","features":[552]},{"name":"ENCLAVE_INFORMATION","features":[552]},{"name":"ENCLAVE_REPORT_DATA_LENGTH","features":[552]},{"name":"ENCLAVE_RUNTIME_POLICY_ALLOW_DYNAMIC_DEBUG","features":[552]},{"name":"ENCLAVE_RUNTIME_POLICY_ALLOW_FULL_DEBUG","features":[552]},{"name":"ENCLAVE_SEALING_IDENTITY_POLICY","features":[552]},{"name":"ENCLAVE_UNSEAL_FLAG_STALE_KEY","features":[552]},{"name":"ENCLAVE_VBS_BASIC_KEY_FLAG_DEBUG_KEY","features":[552]},{"name":"ENCLAVE_VBS_BASIC_KEY_FLAG_FAMILY_ID","features":[552]},{"name":"ENCLAVE_VBS_BASIC_KEY_FLAG_IMAGE_ID","features":[552]},{"name":"ENCLAVE_VBS_BASIC_KEY_FLAG_MEASUREMENT","features":[552]},{"name":"ENCLAVE_VBS_BASIC_KEY_REQUEST","features":[552]},{"name":"EnclaveGetAttestationReport","features":[552]},{"name":"EnclaveGetEnclaveInformation","features":[552]},{"name":"EnclaveSealData","features":[552]},{"name":"EnclaveUnsealData","features":[552]},{"name":"EnclaveVerifyAttestationReport","features":[552]},{"name":"ExpandEnvironmentStringsA","features":[552]},{"name":"ExpandEnvironmentStringsForUserA","features":[308,552]},{"name":"ExpandEnvironmentStringsForUserW","features":[308,552]},{"name":"ExpandEnvironmentStringsW","features":[552]},{"name":"FreeEnvironmentStringsA","features":[308,552]},{"name":"FreeEnvironmentStringsW","features":[308,552]},{"name":"GetCommandLineA","features":[552]},{"name":"GetCommandLineW","features":[552]},{"name":"GetCurrentDirectoryA","features":[552]},{"name":"GetCurrentDirectoryW","features":[552]},{"name":"GetEnvironmentStrings","features":[552]},{"name":"GetEnvironmentStringsW","features":[552]},{"name":"GetEnvironmentVariableA","features":[552]},{"name":"GetEnvironmentVariableW","features":[552]},{"name":"InitializeEnclave","features":[308,552]},{"name":"IsEnclaveTypeSupported","features":[308,552]},{"name":"LoadEnclaveData","features":[308,552]},{"name":"LoadEnclaveImageA","features":[308,552]},{"name":"LoadEnclaveImageW","features":[308,552]},{"name":"NeedCurrentDirectoryForExePathA","features":[308,552]},{"name":"NeedCurrentDirectoryForExePathW","features":[308,552]},{"name":"SetCurrentDirectoryA","features":[308,552]},{"name":"SetCurrentDirectoryW","features":[308,552]},{"name":"SetEnvironmentStringsW","features":[308,552]},{"name":"SetEnvironmentVariableA","features":[308,552]},{"name":"SetEnvironmentVariableW","features":[308,552]},{"name":"TerminateEnclave","features":[308,552]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_COMMIT_PAGES","features":[552]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_CREATE_THREAD","features":[552]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_CREATE_THREAD","features":[552]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_DECOMMIT_PAGES","features":[552]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_GENERATE_KEY","features":[552]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_GENERATE_RANDOM_DATA","features":[552]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_GENERATE_REPORT","features":[552]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_GET_ENCLAVE_INFORMATION","features":[552]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_INTERRUPT_THREAD","features":[552]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_INTERRUPT_THREAD","features":[552]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_PROTECT_PAGES","features":[552]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_RETURN_FROM_ENCLAVE","features":[552]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_RETURN_FROM_EXCEPTION","features":[552]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_RETURN_FROM_EXCEPTION","features":[552]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_TERMINATE_THREAD","features":[552]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_TERMINATE_THREAD","features":[552]},{"name":"VBS_BASIC_ENCLAVE_BASIC_CALL_VERIFY_REPORT","features":[552]},{"name":"VBS_BASIC_ENCLAVE_EXCEPTION_AMD64","features":[552]},{"name":"VBS_BASIC_ENCLAVE_SYSCALL_PAGE","features":[552]},{"name":"VBS_BASIC_ENCLAVE_THREAD_DESCRIPTOR32","features":[552]},{"name":"VBS_BASIC_ENCLAVE_THREAD_DESCRIPTOR64","features":[552]},{"name":"VBS_ENCLAVE_REPORT","features":[552]},{"name":"VBS_ENCLAVE_REPORT_MODULE","features":[552]},{"name":"VBS_ENCLAVE_REPORT_PKG_HEADER","features":[552]},{"name":"VBS_ENCLAVE_REPORT_PKG_HEADER_VERSION_CURRENT","features":[552]},{"name":"VBS_ENCLAVE_REPORT_SIGNATURE_SCHEME_SHA256_RSA_PSS_SHA256","features":[552]},{"name":"VBS_ENCLAVE_REPORT_VARDATA_HEADER","features":[552]},{"name":"VBS_ENCLAVE_REPORT_VERSION_CURRENT","features":[552]},{"name":"VBS_ENCLAVE_VARDATA_INVALID","features":[552]},{"name":"VBS_ENCLAVE_VARDATA_MODULE","features":[552]}],"562":[{"name":"APPCRASH_EVENT","features":[553]},{"name":"AddERExcludedApplicationA","features":[308,553]},{"name":"AddERExcludedApplicationW","features":[308,553]},{"name":"EFaultRepRetVal","features":[553]},{"name":"E_STORE_INVALID","features":[553]},{"name":"E_STORE_MACHINE_ARCHIVE","features":[553]},{"name":"E_STORE_MACHINE_QUEUE","features":[553]},{"name":"E_STORE_USER_ARCHIVE","features":[553]},{"name":"E_STORE_USER_QUEUE","features":[553]},{"name":"HREPORT","features":[553]},{"name":"HREPORTSTORE","features":[553]},{"name":"PACKAGED_APPCRASH_EVENT","features":[553]},{"name":"PFN_WER_RUNTIME_EXCEPTION_DEBUGGER_LAUNCH","features":[308,336,553,314]},{"name":"PFN_WER_RUNTIME_EXCEPTION_EVENT","features":[308,336,553,314]},{"name":"PFN_WER_RUNTIME_EXCEPTION_EVENT_SIGNATURE","features":[308,336,553,314]},{"name":"REPORT_STORE_TYPES","features":[553]},{"name":"ReportFault","features":[308,336,553,314]},{"name":"WER_CONSENT","features":[553]},{"name":"WER_DUMP_AUXILIARY","features":[553]},{"name":"WER_DUMP_CUSTOM_OPTIONS","features":[308,553]},{"name":"WER_DUMP_CUSTOM_OPTIONS_V2","features":[308,553]},{"name":"WER_DUMP_CUSTOM_OPTIONS_V3","features":[308,553]},{"name":"WER_DUMP_MASK_START","features":[553]},{"name":"WER_DUMP_NOHEAP_ONQUEUE","features":[553]},{"name":"WER_DUMP_TYPE","features":[553]},{"name":"WER_EXCEPTION_INFORMATION","features":[308,336,553,314]},{"name":"WER_FAULT_REPORTING","features":[553]},{"name":"WER_FAULT_REPORTING_ALWAYS_SHOW_UI","features":[553]},{"name":"WER_FAULT_REPORTING_CRITICAL","features":[553]},{"name":"WER_FAULT_REPORTING_DISABLE_SNAPSHOT_CRASH","features":[553]},{"name":"WER_FAULT_REPORTING_DISABLE_SNAPSHOT_HANG","features":[553]},{"name":"WER_FAULT_REPORTING_DURABLE","features":[553]},{"name":"WER_FAULT_REPORTING_FLAG_DISABLE_THREAD_SUSPENSION","features":[553]},{"name":"WER_FAULT_REPORTING_FLAG_NOHEAP","features":[553]},{"name":"WER_FAULT_REPORTING_FLAG_NO_HEAP_ON_QUEUE","features":[553]},{"name":"WER_FAULT_REPORTING_FLAG_QUEUE","features":[553]},{"name":"WER_FAULT_REPORTING_FLAG_QUEUE_UPLOAD","features":[553]},{"name":"WER_FAULT_REPORTING_NO_UI","features":[553]},{"name":"WER_FILE","features":[553]},{"name":"WER_FILE_ANONYMOUS_DATA","features":[553]},{"name":"WER_FILE_COMPRESSED","features":[553]},{"name":"WER_FILE_DELETE_WHEN_DONE","features":[553]},{"name":"WER_FILE_TYPE","features":[553]},{"name":"WER_MAX_APPLICATION_NAME_LENGTH","features":[553]},{"name":"WER_MAX_BUCKET_ID_STRING_LENGTH","features":[553]},{"name":"WER_MAX_DESCRIPTION_LENGTH","features":[553]},{"name":"WER_MAX_EVENT_NAME_LENGTH","features":[553]},{"name":"WER_MAX_FRIENDLY_EVENT_NAME_LENGTH","features":[553]},{"name":"WER_MAX_LOCAL_DUMP_SUBPATH_LENGTH","features":[553]},{"name":"WER_MAX_PARAM_COUNT","features":[553]},{"name":"WER_MAX_PARAM_LENGTH","features":[553]},{"name":"WER_MAX_PREFERRED_MODULES","features":[553]},{"name":"WER_MAX_PREFERRED_MODULES_BUFFER","features":[553]},{"name":"WER_MAX_REGISTERED_DUMPCOLLECTION","features":[553]},{"name":"WER_MAX_REGISTERED_ENTRIES","features":[553]},{"name":"WER_MAX_REGISTERED_METADATA","features":[553]},{"name":"WER_MAX_REGISTERED_RUNTIME_EXCEPTION_MODULES","features":[553]},{"name":"WER_MAX_SIGNATURE_NAME_LENGTH","features":[553]},{"name":"WER_MAX_TOTAL_PARAM_LENGTH","features":[553]},{"name":"WER_METADATA_KEY_MAX_LENGTH","features":[553]},{"name":"WER_METADATA_VALUE_MAX_LENGTH","features":[553]},{"name":"WER_P0","features":[553]},{"name":"WER_P1","features":[553]},{"name":"WER_P2","features":[553]},{"name":"WER_P3","features":[553]},{"name":"WER_P4","features":[553]},{"name":"WER_P5","features":[553]},{"name":"WER_P6","features":[553]},{"name":"WER_P7","features":[553]},{"name":"WER_P8","features":[553]},{"name":"WER_P9","features":[553]},{"name":"WER_REGISTER_FILE_TYPE","features":[553]},{"name":"WER_REPORT_INFORMATION","features":[308,553]},{"name":"WER_REPORT_INFORMATION_V3","features":[308,553]},{"name":"WER_REPORT_INFORMATION_V4","features":[308,553]},{"name":"WER_REPORT_INFORMATION_V5","features":[308,553]},{"name":"WER_REPORT_METADATA_V1","features":[308,553]},{"name":"WER_REPORT_METADATA_V2","features":[308,553]},{"name":"WER_REPORT_METADATA_V3","features":[308,553]},{"name":"WER_REPORT_PARAMETER","features":[553]},{"name":"WER_REPORT_SIGNATURE","features":[553]},{"name":"WER_REPORT_TYPE","features":[553]},{"name":"WER_REPORT_UI","features":[553]},{"name":"WER_RUNTIME_EXCEPTION_DEBUGGER_LAUNCH","features":[553]},{"name":"WER_RUNTIME_EXCEPTION_EVENT_FUNCTION","features":[553]},{"name":"WER_RUNTIME_EXCEPTION_EVENT_SIGNATURE_FUNCTION","features":[553]},{"name":"WER_RUNTIME_EXCEPTION_INFORMATION","features":[308,336,553,314]},{"name":"WER_SUBMIT_ADD_REGISTERED_DATA","features":[553]},{"name":"WER_SUBMIT_ARCHIVE_PARAMETERS_ONLY","features":[553]},{"name":"WER_SUBMIT_BYPASS_DATA_THROTTLING","features":[553]},{"name":"WER_SUBMIT_BYPASS_NETWORK_COST_THROTTLING","features":[553]},{"name":"WER_SUBMIT_BYPASS_POWER_THROTTLING","features":[553]},{"name":"WER_SUBMIT_FLAGS","features":[553]},{"name":"WER_SUBMIT_HONOR_RECOVERY","features":[553]},{"name":"WER_SUBMIT_HONOR_RESTART","features":[553]},{"name":"WER_SUBMIT_NO_ARCHIVE","features":[553]},{"name":"WER_SUBMIT_NO_CLOSE_UI","features":[553]},{"name":"WER_SUBMIT_NO_QUEUE","features":[553]},{"name":"WER_SUBMIT_OUTOFPROCESS","features":[553]},{"name":"WER_SUBMIT_OUTOFPROCESS_ASYNC","features":[553]},{"name":"WER_SUBMIT_QUEUE","features":[553]},{"name":"WER_SUBMIT_REPORT_MACHINE_ID","features":[553]},{"name":"WER_SUBMIT_RESULT","features":[553]},{"name":"WER_SUBMIT_SHOW_DEBUG","features":[553]},{"name":"WER_SUBMIT_START_MINIMIZED","features":[553]},{"name":"WerAddExcludedApplication","features":[308,553]},{"name":"WerConsentAlwaysPrompt","features":[553]},{"name":"WerConsentApproved","features":[553]},{"name":"WerConsentDenied","features":[553]},{"name":"WerConsentMax","features":[553]},{"name":"WerConsentNotAsked","features":[553]},{"name":"WerCustomAction","features":[553]},{"name":"WerDisabled","features":[553]},{"name":"WerDisabledQueue","features":[553]},{"name":"WerDumpTypeHeapDump","features":[553]},{"name":"WerDumpTypeMax","features":[553]},{"name":"WerDumpTypeMicroDump","features":[553]},{"name":"WerDumpTypeMiniDump","features":[553]},{"name":"WerDumpTypeNone","features":[553]},{"name":"WerDumpTypeTriageDump","features":[553]},{"name":"WerFileTypeAuxiliaryDump","features":[553]},{"name":"WerFileTypeCustomDump","features":[553]},{"name":"WerFileTypeEtlTrace","features":[553]},{"name":"WerFileTypeHeapdump","features":[553]},{"name":"WerFileTypeMax","features":[553]},{"name":"WerFileTypeMicrodump","features":[553]},{"name":"WerFileTypeMinidump","features":[553]},{"name":"WerFileTypeOther","features":[553]},{"name":"WerFileTypeTriagedump","features":[553]},{"name":"WerFileTypeUserDocument","features":[553]},{"name":"WerFreeString","features":[553]},{"name":"WerGetFlags","features":[308,553]},{"name":"WerRegFileTypeMax","features":[553]},{"name":"WerRegFileTypeOther","features":[553]},{"name":"WerRegFileTypeUserDocument","features":[553]},{"name":"WerRegisterAdditionalProcess","features":[553]},{"name":"WerRegisterAppLocalDump","features":[553]},{"name":"WerRegisterCustomMetadata","features":[553]},{"name":"WerRegisterExcludedMemoryBlock","features":[553]},{"name":"WerRegisterFile","features":[553]},{"name":"WerRegisterMemoryBlock","features":[553]},{"name":"WerRegisterRuntimeExceptionModule","features":[553]},{"name":"WerRemoveExcludedApplication","features":[308,553]},{"name":"WerReportAddDump","features":[308,336,553,314]},{"name":"WerReportAddFile","features":[553]},{"name":"WerReportApplicationCrash","features":[553]},{"name":"WerReportApplicationHang","features":[553]},{"name":"WerReportAsync","features":[553]},{"name":"WerReportCancelled","features":[553]},{"name":"WerReportCloseHandle","features":[553]},{"name":"WerReportCreate","features":[308,553]},{"name":"WerReportCritical","features":[553]},{"name":"WerReportDebug","features":[553]},{"name":"WerReportFailed","features":[553]},{"name":"WerReportHang","features":[308,553]},{"name":"WerReportInvalid","features":[553]},{"name":"WerReportKernel","features":[553]},{"name":"WerReportNonCritical","features":[553]},{"name":"WerReportQueued","features":[553]},{"name":"WerReportSetParameter","features":[553]},{"name":"WerReportSetUIOption","features":[553]},{"name":"WerReportSubmit","features":[553]},{"name":"WerReportUploaded","features":[553]},{"name":"WerReportUploadedCab","features":[553]},{"name":"WerSetFlags","features":[553]},{"name":"WerStorageLocationNotFound","features":[553]},{"name":"WerStoreClose","features":[553]},{"name":"WerStoreGetFirstReportKey","features":[553]},{"name":"WerStoreGetNextReportKey","features":[553]},{"name":"WerStoreGetReportCount","features":[553]},{"name":"WerStoreGetSizeOnDisk","features":[553]},{"name":"WerStoreOpen","features":[553]},{"name":"WerStorePurge","features":[553]},{"name":"WerStoreQueryReportMetadataV1","features":[308,553]},{"name":"WerStoreQueryReportMetadataV2","features":[308,553]},{"name":"WerStoreQueryReportMetadataV3","features":[308,553]},{"name":"WerStoreUploadReport","features":[553]},{"name":"WerSubmitResultMax","features":[553]},{"name":"WerThrottled","features":[553]},{"name":"WerUIAdditionalDataDlgHeader","features":[553]},{"name":"WerUICloseDlgBody","features":[553]},{"name":"WerUICloseDlgButtonText","features":[553]},{"name":"WerUICloseDlgHeader","features":[553]},{"name":"WerUICloseText","features":[553]},{"name":"WerUIConsentDlgBody","features":[553]},{"name":"WerUIConsentDlgHeader","features":[553]},{"name":"WerUIIconFilePath","features":[553]},{"name":"WerUIMax","features":[553]},{"name":"WerUIOfflineSolutionCheckText","features":[553]},{"name":"WerUIOnlineSolutionCheckText","features":[553]},{"name":"WerUnregisterAdditionalProcess","features":[553]},{"name":"WerUnregisterAppLocalDump","features":[553]},{"name":"WerUnregisterCustomMetadata","features":[553]},{"name":"WerUnregisterExcludedMemoryBlock","features":[553]},{"name":"WerUnregisterFile","features":[553]},{"name":"WerUnregisterMemoryBlock","features":[553]},{"name":"WerUnregisterRuntimeExceptionModule","features":[553]},{"name":"frrvErr","features":[553]},{"name":"frrvErrAnotherInstance","features":[553]},{"name":"frrvErrDoubleFault","features":[553]},{"name":"frrvErrNoDW","features":[553]},{"name":"frrvErrNoMemory","features":[553]},{"name":"frrvErrTimeout","features":[553]},{"name":"frrvLaunchDebugger","features":[553]},{"name":"frrvOk","features":[553]},{"name":"frrvOkHeadless","features":[553]},{"name":"frrvOkManifest","features":[553]},{"name":"frrvOkQueued","features":[553]},{"name":"pfn_ADDEREXCLUDEDAPPLICATIONA","features":[553]},{"name":"pfn_ADDEREXCLUDEDAPPLICATIONW","features":[553]},{"name":"pfn_REPORTFAULT","features":[308,336,553,314]}],"563":[{"name":"EC_CREATE_NEW","features":[554]},{"name":"EC_OPEN_ALWAYS","features":[554]},{"name":"EC_OPEN_EXISTING","features":[554]},{"name":"EC_READ_ACCESS","features":[554]},{"name":"EC_SUBSCRIPTION_CONFIGURATION_MODE","features":[554]},{"name":"EC_SUBSCRIPTION_CONTENT_FORMAT","features":[554]},{"name":"EC_SUBSCRIPTION_CREDENTIALS_TYPE","features":[554]},{"name":"EC_SUBSCRIPTION_DELIVERY_MODE","features":[554]},{"name":"EC_SUBSCRIPTION_PROPERTY_ID","features":[554]},{"name":"EC_SUBSCRIPTION_RUNTIME_STATUS_ACTIVE_STATUS","features":[554]},{"name":"EC_SUBSCRIPTION_RUNTIME_STATUS_INFO_ID","features":[554]},{"name":"EC_SUBSCRIPTION_TYPE","features":[554]},{"name":"EC_VARIANT","features":[308,554]},{"name":"EC_VARIANT_TYPE","features":[554]},{"name":"EC_VARIANT_TYPE_ARRAY","features":[554]},{"name":"EC_VARIANT_TYPE_MASK","features":[554]},{"name":"EC_WRITE_ACCESS","features":[554]},{"name":"EcClose","features":[308,554]},{"name":"EcConfigurationModeCustom","features":[554]},{"name":"EcConfigurationModeMinBandwidth","features":[554]},{"name":"EcConfigurationModeMinLatency","features":[554]},{"name":"EcConfigurationModeNormal","features":[554]},{"name":"EcContentFormatEvents","features":[554]},{"name":"EcContentFormatRenderedText","features":[554]},{"name":"EcDeleteSubscription","features":[308,554]},{"name":"EcDeliveryModePull","features":[554]},{"name":"EcDeliveryModePush","features":[554]},{"name":"EcEnumNextSubscription","features":[308,554]},{"name":"EcGetObjectArrayProperty","features":[308,554]},{"name":"EcGetObjectArraySize","features":[308,554]},{"name":"EcGetSubscriptionProperty","features":[308,554]},{"name":"EcGetSubscriptionRunTimeStatus","features":[308,554]},{"name":"EcInsertObjectArrayElement","features":[308,554]},{"name":"EcOpenSubscription","features":[554]},{"name":"EcOpenSubscriptionEnum","features":[554]},{"name":"EcRemoveObjectArrayElement","features":[308,554]},{"name":"EcRetrySubscription","features":[308,554]},{"name":"EcRuntimeStatusActiveStatusActive","features":[554]},{"name":"EcRuntimeStatusActiveStatusDisabled","features":[554]},{"name":"EcRuntimeStatusActiveStatusInactive","features":[554]},{"name":"EcRuntimeStatusActiveStatusTrying","features":[554]},{"name":"EcSaveSubscription","features":[308,554]},{"name":"EcSetObjectArrayProperty","features":[308,554]},{"name":"EcSetSubscriptionProperty","features":[308,554]},{"name":"EcSubscriptionAllowedIssuerCAs","features":[554]},{"name":"EcSubscriptionAllowedSourceDomainComputers","features":[554]},{"name":"EcSubscriptionAllowedSubjects","features":[554]},{"name":"EcSubscriptionCommonPassword","features":[554]},{"name":"EcSubscriptionCommonUserName","features":[554]},{"name":"EcSubscriptionConfigurationMode","features":[554]},{"name":"EcSubscriptionContentFormat","features":[554]},{"name":"EcSubscriptionCredBasic","features":[554]},{"name":"EcSubscriptionCredDefault","features":[554]},{"name":"EcSubscriptionCredDigest","features":[554]},{"name":"EcSubscriptionCredLocalMachine","features":[554]},{"name":"EcSubscriptionCredNegotiate","features":[554]},{"name":"EcSubscriptionCredentialsType","features":[554]},{"name":"EcSubscriptionDeliveryMaxItems","features":[554]},{"name":"EcSubscriptionDeliveryMaxLatencyTime","features":[554]},{"name":"EcSubscriptionDeliveryMode","features":[554]},{"name":"EcSubscriptionDeniedSubjects","features":[554]},{"name":"EcSubscriptionDescription","features":[554]},{"name":"EcSubscriptionDialect","features":[554]},{"name":"EcSubscriptionEnabled","features":[554]},{"name":"EcSubscriptionEventSourceAddress","features":[554]},{"name":"EcSubscriptionEventSourceEnabled","features":[554]},{"name":"EcSubscriptionEventSourcePassword","features":[554]},{"name":"EcSubscriptionEventSourceUserName","features":[554]},{"name":"EcSubscriptionEventSources","features":[554]},{"name":"EcSubscriptionExpires","features":[554]},{"name":"EcSubscriptionHeartbeatInterval","features":[554]},{"name":"EcSubscriptionHostName","features":[554]},{"name":"EcSubscriptionLocale","features":[554]},{"name":"EcSubscriptionLogFile","features":[554]},{"name":"EcSubscriptionPropertyIdEND","features":[554]},{"name":"EcSubscriptionPublisherName","features":[554]},{"name":"EcSubscriptionQuery","features":[554]},{"name":"EcSubscriptionReadExistingEvents","features":[554]},{"name":"EcSubscriptionRunTimeStatusActive","features":[554]},{"name":"EcSubscriptionRunTimeStatusEventSources","features":[554]},{"name":"EcSubscriptionRunTimeStatusInfoIdEND","features":[554]},{"name":"EcSubscriptionRunTimeStatusLastError","features":[554]},{"name":"EcSubscriptionRunTimeStatusLastErrorMessage","features":[554]},{"name":"EcSubscriptionRunTimeStatusLastErrorTime","features":[554]},{"name":"EcSubscriptionRunTimeStatusLastHeartbeatTime","features":[554]},{"name":"EcSubscriptionRunTimeStatusNextRetryTime","features":[554]},{"name":"EcSubscriptionTransportName","features":[554]},{"name":"EcSubscriptionTransportPort","features":[554]},{"name":"EcSubscriptionType","features":[554]},{"name":"EcSubscriptionTypeCollectorInitiated","features":[554]},{"name":"EcSubscriptionTypeSourceInitiated","features":[554]},{"name":"EcSubscriptionURI","features":[554]},{"name":"EcVarObjectArrayPropertyHandle","features":[554]},{"name":"EcVarTypeBoolean","features":[554]},{"name":"EcVarTypeDateTime","features":[554]},{"name":"EcVarTypeNull","features":[554]},{"name":"EcVarTypeString","features":[554]},{"name":"EcVarTypeUInt32","features":[554]}],"564":[{"name":"BackupEventLogA","features":[308,555]},{"name":"BackupEventLogW","features":[308,555]},{"name":"ClearEventLogA","features":[308,555]},{"name":"ClearEventLogW","features":[308,555]},{"name":"CloseEventLog","features":[308,555]},{"name":"DeregisterEventSource","features":[308,555]},{"name":"EVENTLOGRECORD","features":[555]},{"name":"EVENTLOG_AUDIT_FAILURE","features":[555]},{"name":"EVENTLOG_AUDIT_SUCCESS","features":[555]},{"name":"EVENTLOG_ERROR_TYPE","features":[555]},{"name":"EVENTLOG_FULL_INFORMATION","features":[555]},{"name":"EVENTLOG_INFORMATION_TYPE","features":[555]},{"name":"EVENTLOG_SEEK_READ","features":[555]},{"name":"EVENTLOG_SEQUENTIAL_READ","features":[555]},{"name":"EVENTLOG_SUCCESS","features":[555]},{"name":"EVENTLOG_WARNING_TYPE","features":[555]},{"name":"EVENTSFORLOGFILE","features":[555]},{"name":"EVT_ALL_ACCESS","features":[555]},{"name":"EVT_CHANNEL_CLOCK_TYPE","features":[555]},{"name":"EVT_CHANNEL_CONFIG_PROPERTY_ID","features":[555]},{"name":"EVT_CHANNEL_ISOLATION_TYPE","features":[555]},{"name":"EVT_CHANNEL_REFERENCE_FLAGS","features":[555]},{"name":"EVT_CHANNEL_SID_TYPE","features":[555]},{"name":"EVT_CHANNEL_TYPE","features":[555]},{"name":"EVT_CLEAR_ACCESS","features":[555]},{"name":"EVT_EVENT_METADATA_PROPERTY_ID","features":[555]},{"name":"EVT_EVENT_PROPERTY_ID","features":[555]},{"name":"EVT_EXPORTLOG_FLAGS","features":[555]},{"name":"EVT_FORMAT_MESSAGE_FLAGS","features":[555]},{"name":"EVT_HANDLE","features":[555]},{"name":"EVT_LOGIN_CLASS","features":[555]},{"name":"EVT_LOG_PROPERTY_ID","features":[555]},{"name":"EVT_OPEN_LOG_FLAGS","features":[555]},{"name":"EVT_PUBLISHER_METADATA_PROPERTY_ID","features":[555]},{"name":"EVT_QUERY_FLAGS","features":[555]},{"name":"EVT_QUERY_PROPERTY_ID","features":[555]},{"name":"EVT_READ_ACCESS","features":[555]},{"name":"EVT_RENDER_CONTEXT_FLAGS","features":[555]},{"name":"EVT_RENDER_FLAGS","features":[555]},{"name":"EVT_RPC_LOGIN","features":[555]},{"name":"EVT_RPC_LOGIN_FLAGS","features":[555]},{"name":"EVT_SEEK_FLAGS","features":[555]},{"name":"EVT_SUBSCRIBE_CALLBACK","features":[555]},{"name":"EVT_SUBSCRIBE_FLAGS","features":[555]},{"name":"EVT_SUBSCRIBE_NOTIFY_ACTION","features":[555]},{"name":"EVT_SYSTEM_PROPERTY_ID","features":[555]},{"name":"EVT_VARIANT","features":[308,555]},{"name":"EVT_VARIANT_TYPE","features":[555]},{"name":"EVT_VARIANT_TYPE_ARRAY","features":[555]},{"name":"EVT_VARIANT_TYPE_MASK","features":[555]},{"name":"EVT_WRITE_ACCESS","features":[555]},{"name":"EventMetadataEventChannel","features":[555]},{"name":"EventMetadataEventID","features":[555]},{"name":"EventMetadataEventKeyword","features":[555]},{"name":"EventMetadataEventLevel","features":[555]},{"name":"EventMetadataEventMessageID","features":[555]},{"name":"EventMetadataEventOpcode","features":[555]},{"name":"EventMetadataEventTask","features":[555]},{"name":"EventMetadataEventTemplate","features":[555]},{"name":"EventMetadataEventVersion","features":[555]},{"name":"EvtArchiveExportedLog","features":[308,555]},{"name":"EvtCancel","features":[308,555]},{"name":"EvtChannelClockTypeQPC","features":[555]},{"name":"EvtChannelClockTypeSystemTime","features":[555]},{"name":"EvtChannelConfigAccess","features":[555]},{"name":"EvtChannelConfigClassicEventlog","features":[555]},{"name":"EvtChannelConfigEnabled","features":[555]},{"name":"EvtChannelConfigIsolation","features":[555]},{"name":"EvtChannelConfigOwningPublisher","features":[555]},{"name":"EvtChannelConfigPropertyIdEND","features":[555]},{"name":"EvtChannelConfigType","features":[555]},{"name":"EvtChannelIsolationTypeApplication","features":[555]},{"name":"EvtChannelIsolationTypeCustom","features":[555]},{"name":"EvtChannelIsolationTypeSystem","features":[555]},{"name":"EvtChannelLoggingConfigAutoBackup","features":[555]},{"name":"EvtChannelLoggingConfigLogFilePath","features":[555]},{"name":"EvtChannelLoggingConfigMaxSize","features":[555]},{"name":"EvtChannelLoggingConfigRetention","features":[555]},{"name":"EvtChannelPublisherList","features":[555]},{"name":"EvtChannelPublishingConfigBufferSize","features":[555]},{"name":"EvtChannelPublishingConfigClockType","features":[555]},{"name":"EvtChannelPublishingConfigControlGuid","features":[555]},{"name":"EvtChannelPublishingConfigFileMax","features":[555]},{"name":"EvtChannelPublishingConfigKeywords","features":[555]},{"name":"EvtChannelPublishingConfigLatency","features":[555]},{"name":"EvtChannelPublishingConfigLevel","features":[555]},{"name":"EvtChannelPublishingConfigMaxBuffers","features":[555]},{"name":"EvtChannelPublishingConfigMinBuffers","features":[555]},{"name":"EvtChannelPublishingConfigSidType","features":[555]},{"name":"EvtChannelReferenceImported","features":[555]},{"name":"EvtChannelSidTypeNone","features":[555]},{"name":"EvtChannelSidTypePublishing","features":[555]},{"name":"EvtChannelTypeAdmin","features":[555]},{"name":"EvtChannelTypeAnalytic","features":[555]},{"name":"EvtChannelTypeDebug","features":[555]},{"name":"EvtChannelTypeOperational","features":[555]},{"name":"EvtClearLog","features":[308,555]},{"name":"EvtClose","features":[308,555]},{"name":"EvtCreateBookmark","features":[555]},{"name":"EvtCreateRenderContext","features":[555]},{"name":"EvtEventMetadataPropertyIdEND","features":[555]},{"name":"EvtEventPath","features":[555]},{"name":"EvtEventPropertyIdEND","features":[555]},{"name":"EvtEventQueryIDs","features":[555]},{"name":"EvtExportLog","features":[308,555]},{"name":"EvtExportLogChannelPath","features":[555]},{"name":"EvtExportLogFilePath","features":[555]},{"name":"EvtExportLogOverwrite","features":[555]},{"name":"EvtExportLogTolerateQueryErrors","features":[555]},{"name":"EvtFormatMessage","features":[308,555]},{"name":"EvtFormatMessageChannel","features":[555]},{"name":"EvtFormatMessageEvent","features":[555]},{"name":"EvtFormatMessageId","features":[555]},{"name":"EvtFormatMessageKeyword","features":[555]},{"name":"EvtFormatMessageLevel","features":[555]},{"name":"EvtFormatMessageOpcode","features":[555]},{"name":"EvtFormatMessageProvider","features":[555]},{"name":"EvtFormatMessageTask","features":[555]},{"name":"EvtFormatMessageXml","features":[555]},{"name":"EvtGetChannelConfigProperty","features":[308,555]},{"name":"EvtGetEventInfo","features":[308,555]},{"name":"EvtGetEventMetadataProperty","features":[308,555]},{"name":"EvtGetExtendedStatus","features":[555]},{"name":"EvtGetLogInfo","features":[308,555]},{"name":"EvtGetObjectArrayProperty","features":[308,555]},{"name":"EvtGetObjectArraySize","features":[308,555]},{"name":"EvtGetPublisherMetadataProperty","features":[308,555]},{"name":"EvtGetQueryInfo","features":[308,555]},{"name":"EvtLogAttributes","features":[555]},{"name":"EvtLogCreationTime","features":[555]},{"name":"EvtLogFileSize","features":[555]},{"name":"EvtLogFull","features":[555]},{"name":"EvtLogLastAccessTime","features":[555]},{"name":"EvtLogLastWriteTime","features":[555]},{"name":"EvtLogNumberOfLogRecords","features":[555]},{"name":"EvtLogOldestRecordNumber","features":[555]},{"name":"EvtNext","features":[308,555]},{"name":"EvtNextChannelPath","features":[308,555]},{"name":"EvtNextEventMetadata","features":[555]},{"name":"EvtNextPublisherId","features":[308,555]},{"name":"EvtOpenChannelConfig","features":[555]},{"name":"EvtOpenChannelEnum","features":[555]},{"name":"EvtOpenChannelPath","features":[555]},{"name":"EvtOpenEventMetadataEnum","features":[555]},{"name":"EvtOpenFilePath","features":[555]},{"name":"EvtOpenLog","features":[555]},{"name":"EvtOpenPublisherEnum","features":[555]},{"name":"EvtOpenPublisherMetadata","features":[555]},{"name":"EvtOpenSession","features":[555]},{"name":"EvtPublisherMetadataChannelReferenceFlags","features":[555]},{"name":"EvtPublisherMetadataChannelReferenceID","features":[555]},{"name":"EvtPublisherMetadataChannelReferenceIndex","features":[555]},{"name":"EvtPublisherMetadataChannelReferenceMessageID","features":[555]},{"name":"EvtPublisherMetadataChannelReferencePath","features":[555]},{"name":"EvtPublisherMetadataChannelReferences","features":[555]},{"name":"EvtPublisherMetadataHelpLink","features":[555]},{"name":"EvtPublisherMetadataKeywordMessageID","features":[555]},{"name":"EvtPublisherMetadataKeywordName","features":[555]},{"name":"EvtPublisherMetadataKeywordValue","features":[555]},{"name":"EvtPublisherMetadataKeywords","features":[555]},{"name":"EvtPublisherMetadataLevelMessageID","features":[555]},{"name":"EvtPublisherMetadataLevelName","features":[555]},{"name":"EvtPublisherMetadataLevelValue","features":[555]},{"name":"EvtPublisherMetadataLevels","features":[555]},{"name":"EvtPublisherMetadataMessageFilePath","features":[555]},{"name":"EvtPublisherMetadataOpcodeMessageID","features":[555]},{"name":"EvtPublisherMetadataOpcodeName","features":[555]},{"name":"EvtPublisherMetadataOpcodeValue","features":[555]},{"name":"EvtPublisherMetadataOpcodes","features":[555]},{"name":"EvtPublisherMetadataParameterFilePath","features":[555]},{"name":"EvtPublisherMetadataPropertyIdEND","features":[555]},{"name":"EvtPublisherMetadataPublisherGuid","features":[555]},{"name":"EvtPublisherMetadataPublisherMessageID","features":[555]},{"name":"EvtPublisherMetadataResourceFilePath","features":[555]},{"name":"EvtPublisherMetadataTaskEventGuid","features":[555]},{"name":"EvtPublisherMetadataTaskMessageID","features":[555]},{"name":"EvtPublisherMetadataTaskName","features":[555]},{"name":"EvtPublisherMetadataTaskValue","features":[555]},{"name":"EvtPublisherMetadataTasks","features":[555]},{"name":"EvtQuery","features":[555]},{"name":"EvtQueryChannelPath","features":[555]},{"name":"EvtQueryFilePath","features":[555]},{"name":"EvtQueryForwardDirection","features":[555]},{"name":"EvtQueryNames","features":[555]},{"name":"EvtQueryPropertyIdEND","features":[555]},{"name":"EvtQueryReverseDirection","features":[555]},{"name":"EvtQueryStatuses","features":[555]},{"name":"EvtQueryTolerateQueryErrors","features":[555]},{"name":"EvtRender","features":[308,555]},{"name":"EvtRenderBookmark","features":[555]},{"name":"EvtRenderContextSystem","features":[555]},{"name":"EvtRenderContextUser","features":[555]},{"name":"EvtRenderContextValues","features":[555]},{"name":"EvtRenderEventValues","features":[555]},{"name":"EvtRenderEventXml","features":[555]},{"name":"EvtRpcLogin","features":[555]},{"name":"EvtRpcLoginAuthDefault","features":[555]},{"name":"EvtRpcLoginAuthKerberos","features":[555]},{"name":"EvtRpcLoginAuthNTLM","features":[555]},{"name":"EvtRpcLoginAuthNegotiate","features":[555]},{"name":"EvtSaveChannelConfig","features":[308,555]},{"name":"EvtSeek","features":[308,555]},{"name":"EvtSeekOriginMask","features":[555]},{"name":"EvtSeekRelativeToBookmark","features":[555]},{"name":"EvtSeekRelativeToCurrent","features":[555]},{"name":"EvtSeekRelativeToFirst","features":[555]},{"name":"EvtSeekRelativeToLast","features":[555]},{"name":"EvtSeekStrict","features":[555]},{"name":"EvtSetChannelConfigProperty","features":[308,555]},{"name":"EvtSubscribe","features":[308,555]},{"name":"EvtSubscribeActionDeliver","features":[555]},{"name":"EvtSubscribeActionError","features":[555]},{"name":"EvtSubscribeOriginMask","features":[555]},{"name":"EvtSubscribeStartAfterBookmark","features":[555]},{"name":"EvtSubscribeStartAtOldestRecord","features":[555]},{"name":"EvtSubscribeStrict","features":[555]},{"name":"EvtSubscribeToFutureEvents","features":[555]},{"name":"EvtSubscribeTolerateQueryErrors","features":[555]},{"name":"EvtSystemActivityID","features":[555]},{"name":"EvtSystemChannel","features":[555]},{"name":"EvtSystemComputer","features":[555]},{"name":"EvtSystemEventID","features":[555]},{"name":"EvtSystemEventRecordId","features":[555]},{"name":"EvtSystemKeywords","features":[555]},{"name":"EvtSystemLevel","features":[555]},{"name":"EvtSystemOpcode","features":[555]},{"name":"EvtSystemProcessID","features":[555]},{"name":"EvtSystemPropertyIdEND","features":[555]},{"name":"EvtSystemProviderGuid","features":[555]},{"name":"EvtSystemProviderName","features":[555]},{"name":"EvtSystemQualifiers","features":[555]},{"name":"EvtSystemRelatedActivityID","features":[555]},{"name":"EvtSystemTask","features":[555]},{"name":"EvtSystemThreadID","features":[555]},{"name":"EvtSystemTimeCreated","features":[555]},{"name":"EvtSystemUserID","features":[555]},{"name":"EvtSystemVersion","features":[555]},{"name":"EvtUpdateBookmark","features":[308,555]},{"name":"EvtVarTypeAnsiString","features":[555]},{"name":"EvtVarTypeBinary","features":[555]},{"name":"EvtVarTypeBoolean","features":[555]},{"name":"EvtVarTypeByte","features":[555]},{"name":"EvtVarTypeDouble","features":[555]},{"name":"EvtVarTypeEvtHandle","features":[555]},{"name":"EvtVarTypeEvtXml","features":[555]},{"name":"EvtVarTypeFileTime","features":[555]},{"name":"EvtVarTypeGuid","features":[555]},{"name":"EvtVarTypeHexInt32","features":[555]},{"name":"EvtVarTypeHexInt64","features":[555]},{"name":"EvtVarTypeInt16","features":[555]},{"name":"EvtVarTypeInt32","features":[555]},{"name":"EvtVarTypeInt64","features":[555]},{"name":"EvtVarTypeNull","features":[555]},{"name":"EvtVarTypeSByte","features":[555]},{"name":"EvtVarTypeSid","features":[555]},{"name":"EvtVarTypeSingle","features":[555]},{"name":"EvtVarTypeSizeT","features":[555]},{"name":"EvtVarTypeString","features":[555]},{"name":"EvtVarTypeSysTime","features":[555]},{"name":"EvtVarTypeUInt16","features":[555]},{"name":"EvtVarTypeUInt32","features":[555]},{"name":"EvtVarTypeUInt64","features":[555]},{"name":"GetEventLogInformation","features":[308,555]},{"name":"GetNumberOfEventLogRecords","features":[308,555]},{"name":"GetOldestEventLogRecord","features":[308,555]},{"name":"NotifyChangeEventLog","features":[308,555]},{"name":"OpenBackupEventLogA","features":[308,555]},{"name":"OpenBackupEventLogW","features":[308,555]},{"name":"OpenEventLogA","features":[308,555]},{"name":"OpenEventLogW","features":[308,555]},{"name":"READ_EVENT_LOG_READ_FLAGS","features":[555]},{"name":"REPORT_EVENT_TYPE","features":[555]},{"name":"ReadEventLogA","features":[308,555]},{"name":"ReadEventLogW","features":[308,555]},{"name":"RegisterEventSourceA","features":[308,555]},{"name":"RegisterEventSourceW","features":[308,555]},{"name":"ReportEventA","features":[308,555]},{"name":"ReportEventW","features":[308,555]}],"565":[{"name":"CONNECTION_AOL","features":[556]},{"name":"CONNECTION_LAN","features":[556]},{"name":"CONNECTION_WAN","features":[556]},{"name":"ISensLogon","features":[359,556]},{"name":"ISensLogon2","features":[359,556]},{"name":"ISensNetwork","features":[359,556]},{"name":"ISensOnNow","features":[359,556]},{"name":"IsDestinationReachableA","features":[308,556]},{"name":"IsDestinationReachableW","features":[308,556]},{"name":"IsNetworkAlive","features":[308,556]},{"name":"NETWORK_ALIVE_AOL","features":[556]},{"name":"NETWORK_ALIVE_INTERNET","features":[556]},{"name":"NETWORK_ALIVE_LAN","features":[556]},{"name":"NETWORK_ALIVE_WAN","features":[556]},{"name":"QOCINFO","features":[556]},{"name":"SENS","features":[556]},{"name":"SENSGUID_EVENTCLASS_LOGON","features":[556]},{"name":"SENSGUID_EVENTCLASS_LOGON2","features":[556]},{"name":"SENSGUID_EVENTCLASS_NETWORK","features":[556]},{"name":"SENSGUID_EVENTCLASS_ONNOW","features":[556]},{"name":"SENSGUID_PUBLISHER","features":[556]},{"name":"SENSGUID_SUBSCRIBER_LCE","features":[556]},{"name":"SENSGUID_SUBSCRIBER_WININET","features":[556]},{"name":"SENS_CONNECTION_TYPE","features":[556]},{"name":"SENS_QOCINFO","features":[556]}],"566":[{"name":"ABSENT","features":[557]},{"name":"ADMXCOMMENTS_EXTENSION_GUID","features":[557]},{"name":"APPNAME","features":[557]},{"name":"APPSTATE","features":[557]},{"name":"ASSIGNED","features":[557]},{"name":"BrowseForGPO","features":[308,557]},{"name":"CLSID_GPESnapIn","features":[557]},{"name":"CLSID_GroupPolicyObject","features":[557]},{"name":"CLSID_RSOPSnapIn","features":[557]},{"name":"COMCLASS","features":[557]},{"name":"CommandLineFromMsiDescriptor","features":[557]},{"name":"CreateGPOLink","features":[308,557]},{"name":"DeleteAllGPOLinks","features":[557]},{"name":"DeleteGPOLink","features":[557]},{"name":"EnterCriticalPolicySection","features":[308,557]},{"name":"ExportRSoPData","features":[557]},{"name":"FILEEXT","features":[557]},{"name":"FLAG_ASSUME_COMP_WQLFILTER_TRUE","features":[557]},{"name":"FLAG_ASSUME_SLOW_LINK","features":[557]},{"name":"FLAG_ASSUME_USER_WQLFILTER_TRUE","features":[557]},{"name":"FLAG_FORCE_CREATENAMESPACE","features":[557]},{"name":"FLAG_LOOPBACK_MERGE","features":[557]},{"name":"FLAG_LOOPBACK_REPLACE","features":[557]},{"name":"FLAG_NO_COMPUTER","features":[557]},{"name":"FLAG_NO_CSE_INVOKE","features":[557]},{"name":"FLAG_NO_GPO_FILTER","features":[557]},{"name":"FLAG_NO_USER","features":[557]},{"name":"FLAG_PLANNING_MODE","features":[557]},{"name":"FreeGPOListA","features":[308,557]},{"name":"FreeGPOListW","features":[308,557]},{"name":"GPC_BLOCK_POLICY","features":[557]},{"name":"GPHintDomain","features":[557]},{"name":"GPHintMachine","features":[557]},{"name":"GPHintOrganizationalUnit","features":[557]},{"name":"GPHintSite","features":[557]},{"name":"GPHintUnknown","features":[557]},{"name":"GPLinkDomain","features":[557]},{"name":"GPLinkMachine","features":[557]},{"name":"GPLinkOrganizationalUnit","features":[557]},{"name":"GPLinkSite","features":[557]},{"name":"GPLinkUnknown","features":[557]},{"name":"GPM","features":[557]},{"name":"GPMAsyncCancel","features":[557]},{"name":"GPMBackup","features":[557]},{"name":"GPMBackupCollection","features":[557]},{"name":"GPMBackupDir","features":[557]},{"name":"GPMBackupDirEx","features":[557]},{"name":"GPMBackupType","features":[557]},{"name":"GPMCSECollection","features":[557]},{"name":"GPMClientSideExtension","features":[557]},{"name":"GPMConstants","features":[557]},{"name":"GPMDestinationOption","features":[557]},{"name":"GPMDomain","features":[557]},{"name":"GPMEntryType","features":[557]},{"name":"GPMGPO","features":[557]},{"name":"GPMGPOCollection","features":[557]},{"name":"GPMGPOLink","features":[557]},{"name":"GPMGPOLinksCollection","features":[557]},{"name":"GPMMapEntry","features":[557]},{"name":"GPMMapEntryCollection","features":[557]},{"name":"GPMMigrationTable","features":[557]},{"name":"GPMPermission","features":[557]},{"name":"GPMPermissionType","features":[557]},{"name":"GPMRSOP","features":[557]},{"name":"GPMRSOPMode","features":[557]},{"name":"GPMReportType","features":[557]},{"name":"GPMReportingOptions","features":[557]},{"name":"GPMResult","features":[557]},{"name":"GPMSOM","features":[557]},{"name":"GPMSOMCollection","features":[557]},{"name":"GPMSOMType","features":[557]},{"name":"GPMSearchCriteria","features":[557]},{"name":"GPMSearchOperation","features":[557]},{"name":"GPMSearchProperty","features":[557]},{"name":"GPMSecurityInfo","features":[557]},{"name":"GPMSitesContainer","features":[557]},{"name":"GPMStarterGPOBackup","features":[557]},{"name":"GPMStarterGPOBackupCollection","features":[557]},{"name":"GPMStarterGPOCollection","features":[557]},{"name":"GPMStarterGPOType","features":[557]},{"name":"GPMStatusMessage","features":[557]},{"name":"GPMStatusMsgCollection","features":[557]},{"name":"GPMTemplate","features":[557]},{"name":"GPMTrustee","features":[557]},{"name":"GPMWMIFilter","features":[557]},{"name":"GPMWMIFilterCollection","features":[557]},{"name":"GPM_DONOTUSE_W2KDC","features":[557]},{"name":"GPM_DONOT_VALIDATEDC","features":[557]},{"name":"GPM_MIGRATIONTABLE_ONLY","features":[557]},{"name":"GPM_PROCESS_SECURITY","features":[557]},{"name":"GPM_USE_ANYDC","features":[557]},{"name":"GPM_USE_PDC","features":[557]},{"name":"GPOBROWSEINFO","features":[308,557]},{"name":"GPOTypeDS","features":[557]},{"name":"GPOTypeLocal","features":[557]},{"name":"GPOTypeLocalGroup","features":[557]},{"name":"GPOTypeLocalUser","features":[557]},{"name":"GPOTypeRemote","features":[557]},{"name":"GPO_BROWSE_DISABLENEW","features":[557]},{"name":"GPO_BROWSE_INITTOALL","features":[557]},{"name":"GPO_BROWSE_NOCOMPUTERS","features":[557]},{"name":"GPO_BROWSE_NODSGPOS","features":[557]},{"name":"GPO_BROWSE_NOUSERGPOS","features":[557]},{"name":"GPO_BROWSE_OPENBUTTON","features":[557]},{"name":"GPO_BROWSE_SENDAPPLYONEDIT","features":[557]},{"name":"GPO_FLAG_DISABLE","features":[557]},{"name":"GPO_FLAG_FORCE","features":[557]},{"name":"GPO_INFO_FLAG_ASYNC_FOREGROUND","features":[557]},{"name":"GPO_INFO_FLAG_BACKGROUND","features":[557]},{"name":"GPO_INFO_FLAG_FORCED_REFRESH","features":[557]},{"name":"GPO_INFO_FLAG_LINKTRANSITION","features":[557]},{"name":"GPO_INFO_FLAG_LOGRSOP_TRANSITION","features":[557]},{"name":"GPO_INFO_FLAG_MACHINE","features":[557]},{"name":"GPO_INFO_FLAG_NOCHANGES","features":[557]},{"name":"GPO_INFO_FLAG_SAFEMODE_BOOT","features":[557]},{"name":"GPO_INFO_FLAG_SLOWLINK","features":[557]},{"name":"GPO_INFO_FLAG_VERBOSE","features":[557]},{"name":"GPO_LINK","features":[557]},{"name":"GPO_LIST_FLAG_MACHINE","features":[557]},{"name":"GPO_LIST_FLAG_NO_SECURITYFILTERS","features":[557]},{"name":"GPO_LIST_FLAG_NO_WMIFILTERS","features":[557]},{"name":"GPO_LIST_FLAG_SITEONLY","features":[557]},{"name":"GPO_OPEN_FLAGS","features":[557]},{"name":"GPO_OPEN_LOAD_REGISTRY","features":[557]},{"name":"GPO_OPEN_READ_ONLY","features":[557]},{"name":"GPO_OPTIONS","features":[557]},{"name":"GPO_OPTION_DISABLE_MACHINE","features":[557]},{"name":"GPO_OPTION_DISABLE_USER","features":[557]},{"name":"GPO_SECTION","features":[557]},{"name":"GPO_SECTION_MACHINE","features":[557]},{"name":"GPO_SECTION_ROOT","features":[557]},{"name":"GPO_SECTION_USER","features":[557]},{"name":"GP_DLLNAME","features":[557]},{"name":"GP_ENABLEASYNCHRONOUSPROCESSING","features":[557]},{"name":"GP_MAXNOGPOLISTCHANGESINTERVAL","features":[557]},{"name":"GP_NOBACKGROUNDPOLICY","features":[557]},{"name":"GP_NOGPOLISTCHANGES","features":[557]},{"name":"GP_NOMACHINEPOLICY","features":[557]},{"name":"GP_NOSLOWLINK","features":[557]},{"name":"GP_NOTIFYLINKTRANSITION","features":[557]},{"name":"GP_NOUSERPOLICY","features":[557]},{"name":"GP_PERUSERLOCALSETTINGS","features":[557]},{"name":"GP_PROCESSGROUPPOLICY","features":[557]},{"name":"GP_REQUIRESSUCCESSFULREGISTRY","features":[557]},{"name":"GROUP_POLICY_HINT_TYPE","features":[557]},{"name":"GROUP_POLICY_OBJECTA","features":[308,557]},{"name":"GROUP_POLICY_OBJECTW","features":[308,557]},{"name":"GROUP_POLICY_OBJECT_TYPE","features":[557]},{"name":"GROUP_POLICY_TRIGGER_EVENT_PROVIDER_GUID","features":[557]},{"name":"GenerateGPNotification","features":[308,557]},{"name":"GetAppliedGPOListA","features":[308,557]},{"name":"GetAppliedGPOListW","features":[308,557]},{"name":"GetGPOListA","features":[308,557]},{"name":"GetGPOListW","features":[308,557]},{"name":"GetLocalManagedApplicationData","features":[557]},{"name":"GetLocalManagedApplications","features":[308,557]},{"name":"GetManagedApplicationCategories","features":[557,469]},{"name":"GetManagedApplications","features":[308,557]},{"name":"IGPEInformation","features":[557]},{"name":"IGPM","features":[359,557]},{"name":"IGPM2","features":[359,557]},{"name":"IGPMAsyncCancel","features":[359,557]},{"name":"IGPMAsyncProgress","features":[359,557]},{"name":"IGPMBackup","features":[359,557]},{"name":"IGPMBackupCollection","features":[359,557]},{"name":"IGPMBackupDir","features":[359,557]},{"name":"IGPMBackupDirEx","features":[359,557]},{"name":"IGPMCSECollection","features":[359,557]},{"name":"IGPMClientSideExtension","features":[359,557]},{"name":"IGPMConstants","features":[359,557]},{"name":"IGPMConstants2","features":[359,557]},{"name":"IGPMDomain","features":[359,557]},{"name":"IGPMDomain2","features":[359,557]},{"name":"IGPMDomain3","features":[359,557]},{"name":"IGPMGPO","features":[359,557]},{"name":"IGPMGPO2","features":[359,557]},{"name":"IGPMGPO3","features":[359,557]},{"name":"IGPMGPOCollection","features":[359,557]},{"name":"IGPMGPOLink","features":[359,557]},{"name":"IGPMGPOLinksCollection","features":[359,557]},{"name":"IGPMMapEntry","features":[359,557]},{"name":"IGPMMapEntryCollection","features":[359,557]},{"name":"IGPMMigrationTable","features":[359,557]},{"name":"IGPMPermission","features":[359,557]},{"name":"IGPMRSOP","features":[359,557]},{"name":"IGPMResult","features":[359,557]},{"name":"IGPMSOM","features":[359,557]},{"name":"IGPMSOMCollection","features":[359,557]},{"name":"IGPMSearchCriteria","features":[359,557]},{"name":"IGPMSecurityInfo","features":[359,557]},{"name":"IGPMSitesContainer","features":[359,557]},{"name":"IGPMStarterGPO","features":[359,557]},{"name":"IGPMStarterGPOBackup","features":[359,557]},{"name":"IGPMStarterGPOBackupCollection","features":[359,557]},{"name":"IGPMStarterGPOCollection","features":[359,557]},{"name":"IGPMStatusMessage","features":[359,557]},{"name":"IGPMStatusMsgCollection","features":[359,557]},{"name":"IGPMTrustee","features":[359,557]},{"name":"IGPMWMIFilter","features":[359,557]},{"name":"IGPMWMIFilterCollection","features":[359,557]},{"name":"IGroupPolicyObject","features":[557]},{"name":"INSTALLDATA","features":[557]},{"name":"INSTALLSPEC","features":[557]},{"name":"INSTALLSPECTYPE","features":[557]},{"name":"IRSOPInformation","features":[557]},{"name":"ImportRSoPData","features":[557]},{"name":"InstallApplication","features":[557]},{"name":"LOCALMANAGEDAPPLICATION","features":[557]},{"name":"LOCALSTATE_ASSIGNED","features":[557]},{"name":"LOCALSTATE_ORPHANED","features":[557]},{"name":"LOCALSTATE_POLICYREMOVE_ORPHAN","features":[557]},{"name":"LOCALSTATE_POLICYREMOVE_UNINSTALL","features":[557]},{"name":"LOCALSTATE_PUBLISHED","features":[557]},{"name":"LOCALSTATE_UNINSTALLED","features":[557]},{"name":"LOCALSTATE_UNINSTALL_UNMANAGED","features":[557]},{"name":"LeaveCriticalPolicySection","features":[308,557]},{"name":"MACHINE_POLICY_PRESENT_TRIGGER_GUID","features":[557]},{"name":"MANAGEDAPPLICATION","features":[308,557]},{"name":"MANAGED_APPS_FROMCATEGORY","features":[557]},{"name":"MANAGED_APPS_INFOLEVEL_DEFAULT","features":[557]},{"name":"MANAGED_APPS_USERAPPLICATIONS","features":[557]},{"name":"MANAGED_APPTYPE_SETUPEXE","features":[557]},{"name":"MANAGED_APPTYPE_UNSUPPORTED","features":[557]},{"name":"MANAGED_APPTYPE_WINDOWSINSTALLER","features":[557]},{"name":"NODEID_Machine","features":[557]},{"name":"NODEID_MachineSWSettings","features":[557]},{"name":"NODEID_RSOPMachine","features":[557]},{"name":"NODEID_RSOPMachineSWSettings","features":[557]},{"name":"NODEID_RSOPUser","features":[557]},{"name":"NODEID_RSOPUserSWSettings","features":[557]},{"name":"NODEID_User","features":[557]},{"name":"NODEID_UserSWSettings","features":[557]},{"name":"PFNGENERATEGROUPPOLICY","features":[308,359,557,558]},{"name":"PFNPROCESSGROUPPOLICY","features":[308,557,369]},{"name":"PFNPROCESSGROUPPOLICYEX","features":[308,557,369,558]},{"name":"PFNSTATUSMESSAGECALLBACK","features":[308,557]},{"name":"PI_APPLYPOLICY","features":[557]},{"name":"PI_NOUI","features":[557]},{"name":"POLICYSETTINGSTATUSINFO","features":[308,557]},{"name":"PROGID","features":[557]},{"name":"PT_MANDATORY","features":[557]},{"name":"PT_ROAMING","features":[557]},{"name":"PT_ROAMING_PREEXISTING","features":[557]},{"name":"PT_TEMPORARY","features":[557]},{"name":"PUBLISHED","features":[557]},{"name":"ProcessGroupPolicyCompleted","features":[557]},{"name":"ProcessGroupPolicyCompletedEx","features":[557]},{"name":"REGISTRY_EXTENSION_GUID","features":[557]},{"name":"RP_FORCE","features":[557]},{"name":"RP_SYNC","features":[557]},{"name":"RSOPApplied","features":[557]},{"name":"RSOPFailed","features":[557]},{"name":"RSOPIgnored","features":[557]},{"name":"RSOPSubsettingFailed","features":[557]},{"name":"RSOPUnspecified","features":[557]},{"name":"RSOP_COMPUTER_ACCESS_DENIED","features":[557]},{"name":"RSOP_INFO_FLAG_DIAGNOSTIC_MODE","features":[557]},{"name":"RSOP_NO_COMPUTER","features":[557]},{"name":"RSOP_NO_USER","features":[557]},{"name":"RSOP_PLANNING_ASSUME_COMP_WQLFILTER_TRUE","features":[557]},{"name":"RSOP_PLANNING_ASSUME_LOOPBACK_MERGE","features":[557]},{"name":"RSOP_PLANNING_ASSUME_LOOPBACK_REPLACE","features":[557]},{"name":"RSOP_PLANNING_ASSUME_SLOW_LINK","features":[557]},{"name":"RSOP_PLANNING_ASSUME_USER_WQLFILTER_TRUE","features":[557]},{"name":"RSOP_TARGET","features":[308,359,557,558]},{"name":"RSOP_TEMPNAMESPACE_EXISTS","features":[557]},{"name":"RSOP_USER_ACCESS_DENIED","features":[557]},{"name":"RefreshPolicy","features":[308,557]},{"name":"RefreshPolicyEx","features":[308,557]},{"name":"RegisterGPNotification","features":[308,557]},{"name":"RsopAccessCheckByType","features":[308,311,557]},{"name":"RsopFileAccessCheck","features":[308,557]},{"name":"RsopResetPolicySettingStatus","features":[557,558]},{"name":"RsopSetPolicySettingStatus","features":[308,557,558]},{"name":"SETTINGSTATUS","features":[557]},{"name":"USER_POLICY_PRESENT_TRIGGER_GUID","features":[557]},{"name":"UninstallApplication","features":[557]},{"name":"UnregisterGPNotification","features":[308,557]},{"name":"backupMostRecent","features":[557]},{"name":"gpoComputerExtensions","features":[557]},{"name":"gpoDisplayName","features":[557]},{"name":"gpoDomain","features":[557]},{"name":"gpoEffectivePermissions","features":[557]},{"name":"gpoID","features":[557]},{"name":"gpoPermissions","features":[557]},{"name":"gpoUserExtensions","features":[557]},{"name":"gpoWMIFilter","features":[557]},{"name":"opContains","features":[557]},{"name":"opDestinationByRelativeName","features":[557]},{"name":"opDestinationNone","features":[557]},{"name":"opDestinationSameAsSource","features":[557]},{"name":"opDestinationSet","features":[557]},{"name":"opEquals","features":[557]},{"name":"opNotContains","features":[557]},{"name":"opNotEquals","features":[557]},{"name":"opReportComments","features":[557]},{"name":"opReportLegacy","features":[557]},{"name":"permGPOApply","features":[557]},{"name":"permGPOCustom","features":[557]},{"name":"permGPOEdit","features":[557]},{"name":"permGPOEditSecurityAndDelete","features":[557]},{"name":"permGPORead","features":[557]},{"name":"permSOMGPOCreate","features":[557]},{"name":"permSOMLink","features":[557]},{"name":"permSOMLogging","features":[557]},{"name":"permSOMPlanning","features":[557]},{"name":"permSOMStarterGPOCreate","features":[557]},{"name":"permSOMWMICreate","features":[557]},{"name":"permSOMWMIFullControl","features":[557]},{"name":"permStarterGPOCustom","features":[557]},{"name":"permStarterGPOEdit","features":[557]},{"name":"permStarterGPOFullControl","features":[557]},{"name":"permStarterGPORead","features":[557]},{"name":"permWMIFilterCustom","features":[557]},{"name":"permWMIFilterEdit","features":[557]},{"name":"permWMIFilterFullControl","features":[557]},{"name":"repClientHealthRefreshXML","features":[557]},{"name":"repClientHealthXML","features":[557]},{"name":"repHTML","features":[557]},{"name":"repInfraRefreshXML","features":[557]},{"name":"repInfraXML","features":[557]},{"name":"repXML","features":[557]},{"name":"rsopLogging","features":[557]},{"name":"rsopPlanning","features":[557]},{"name":"rsopUnknown","features":[557]},{"name":"somDomain","features":[557]},{"name":"somLinks","features":[557]},{"name":"somOU","features":[557]},{"name":"somSite","features":[557]},{"name":"starterGPODisplayName","features":[557]},{"name":"starterGPODomain","features":[557]},{"name":"starterGPOEffectivePermissions","features":[557]},{"name":"starterGPOID","features":[557]},{"name":"starterGPOPermissions","features":[557]},{"name":"typeComputer","features":[557]},{"name":"typeCustom","features":[557]},{"name":"typeGPO","features":[557]},{"name":"typeGlobalGroup","features":[557]},{"name":"typeLocalGroup","features":[557]},{"name":"typeStarterGPO","features":[557]},{"name":"typeSystem","features":[557]},{"name":"typeUNCPath","features":[557]},{"name":"typeUniversalGroup","features":[557]},{"name":"typeUnknown","features":[557]},{"name":"typeUser","features":[557]}],"567":[{"name":"HCS_CALLBACK","features":[559]}],"568":[{"name":"HCN_NOTIFICATIONS","features":[560]},{"name":"HCN_NOTIFICATION_CALLBACK","features":[560]},{"name":"HCN_PORT_ACCESS","features":[560]},{"name":"HCN_PORT_ACCESS_EXCLUSIVE","features":[560]},{"name":"HCN_PORT_ACCESS_SHARED","features":[560]},{"name":"HCN_PORT_PROTOCOL","features":[560]},{"name":"HCN_PORT_PROTOCOL_BOTH","features":[560]},{"name":"HCN_PORT_PROTOCOL_TCP","features":[560]},{"name":"HCN_PORT_PROTOCOL_UDP","features":[560]},{"name":"HCN_PORT_RANGE_ENTRY","features":[560]},{"name":"HCN_PORT_RANGE_RESERVATION","features":[560]},{"name":"HcnCloseEndpoint","features":[560]},{"name":"HcnCloseGuestNetworkService","features":[560]},{"name":"HcnCloseLoadBalancer","features":[560]},{"name":"HcnCloseNamespace","features":[560]},{"name":"HcnCloseNetwork","features":[560]},{"name":"HcnCreateEndpoint","features":[560]},{"name":"HcnCreateGuestNetworkService","features":[560]},{"name":"HcnCreateLoadBalancer","features":[560]},{"name":"HcnCreateNamespace","features":[560]},{"name":"HcnCreateNetwork","features":[560]},{"name":"HcnDeleteEndpoint","features":[560]},{"name":"HcnDeleteGuestNetworkService","features":[560]},{"name":"HcnDeleteLoadBalancer","features":[560]},{"name":"HcnDeleteNamespace","features":[560]},{"name":"HcnDeleteNetwork","features":[560]},{"name":"HcnEnumerateEndpoints","features":[560]},{"name":"HcnEnumerateGuestNetworkPortReservations","features":[560]},{"name":"HcnEnumerateLoadBalancers","features":[560]},{"name":"HcnEnumerateNamespaces","features":[560]},{"name":"HcnEnumerateNetworks","features":[560]},{"name":"HcnFreeGuestNetworkPortReservations","features":[560]},{"name":"HcnModifyEndpoint","features":[560]},{"name":"HcnModifyGuestNetworkService","features":[560]},{"name":"HcnModifyLoadBalancer","features":[560]},{"name":"HcnModifyNamespace","features":[560]},{"name":"HcnModifyNetwork","features":[560]},{"name":"HcnNotificationFlagsReserved","features":[560]},{"name":"HcnNotificationGuestNetworkServiceCreate","features":[560]},{"name":"HcnNotificationGuestNetworkServiceDelete","features":[560]},{"name":"HcnNotificationGuestNetworkServiceInterfaceStateChanged","features":[560]},{"name":"HcnNotificationGuestNetworkServiceStateChanged","features":[560]},{"name":"HcnNotificationInvalid","features":[560]},{"name":"HcnNotificationNamespaceCreate","features":[560]},{"name":"HcnNotificationNamespaceDelete","features":[560]},{"name":"HcnNotificationNetworkCreate","features":[560]},{"name":"HcnNotificationNetworkDelete","features":[560]},{"name":"HcnNotificationNetworkEndpointAttached","features":[560]},{"name":"HcnNotificationNetworkEndpointDetached","features":[560]},{"name":"HcnNotificationNetworkPreCreate","features":[560]},{"name":"HcnNotificationNetworkPreDelete","features":[560]},{"name":"HcnNotificationServiceDisconnect","features":[560]},{"name":"HcnOpenEndpoint","features":[560]},{"name":"HcnOpenLoadBalancer","features":[560]},{"name":"HcnOpenNamespace","features":[560]},{"name":"HcnOpenNetwork","features":[560]},{"name":"HcnQueryEndpointAddresses","features":[560]},{"name":"HcnQueryEndpointProperties","features":[560]},{"name":"HcnQueryEndpointStats","features":[560]},{"name":"HcnQueryLoadBalancerProperties","features":[560]},{"name":"HcnQueryNamespaceProperties","features":[560]},{"name":"HcnQueryNetworkProperties","features":[560]},{"name":"HcnRegisterGuestNetworkServiceCallback","features":[560]},{"name":"HcnRegisterServiceCallback","features":[560]},{"name":"HcnReleaseGuestNetworkServicePortReservationHandle","features":[308,560]},{"name":"HcnReserveGuestNetworkServicePort","features":[308,560]},{"name":"HcnReserveGuestNetworkServicePortRange","features":[308,560]},{"name":"HcnUnregisterGuestNetworkServiceCallback","features":[560]},{"name":"HcnUnregisterServiceCallback","features":[560]}],"569":[{"name":"HCS_CREATE_OPTIONS","features":[561]},{"name":"HCS_CREATE_OPTIONS_1","features":[308,311,561]},{"name":"HCS_EVENT","features":[561]},{"name":"HCS_EVENT_CALLBACK","features":[561]},{"name":"HCS_EVENT_OPTIONS","features":[561]},{"name":"HCS_EVENT_TYPE","features":[561]},{"name":"HCS_NOTIFICATIONS","features":[561]},{"name":"HCS_NOTIFICATION_CALLBACK","features":[561]},{"name":"HCS_NOTIFICATION_FLAGS","features":[561]},{"name":"HCS_OPERATION","features":[561]},{"name":"HCS_OPERATION_COMPLETION","features":[561]},{"name":"HCS_OPERATION_OPTIONS","features":[561]},{"name":"HCS_OPERATION_TYPE","features":[561]},{"name":"HCS_PROCESS","features":[561]},{"name":"HCS_PROCESS_INFORMATION","features":[308,561]},{"name":"HCS_RESOURCE_TYPE","features":[561]},{"name":"HCS_SYSTEM","features":[561]},{"name":"HcsAddResourceToOperation","features":[308,561]},{"name":"HcsAttachLayerStorageFilter","features":[561]},{"name":"HcsCancelOperation","features":[561]},{"name":"HcsCloseComputeSystem","features":[561]},{"name":"HcsCloseOperation","features":[561]},{"name":"HcsCloseProcess","features":[561]},{"name":"HcsCrashComputeSystem","features":[561]},{"name":"HcsCreateComputeSystem","features":[308,311,561]},{"name":"HcsCreateComputeSystemInNamespace","features":[561]},{"name":"HcsCreateEmptyGuestStateFile","features":[561]},{"name":"HcsCreateEmptyRuntimeStateFile","features":[561]},{"name":"HcsCreateOperation","features":[561]},{"name":"HcsCreateOperationWithNotifications","features":[561]},{"name":"HcsCreateOptions_1","features":[561]},{"name":"HcsCreateProcess","features":[308,311,561]},{"name":"HcsDestroyLayer","features":[561]},{"name":"HcsDetachLayerStorageFilter","features":[561]},{"name":"HcsEnumerateComputeSystems","features":[561]},{"name":"HcsEnumerateComputeSystemsInNamespace","features":[561]},{"name":"HcsEventGroupOperationInfo","features":[561]},{"name":"HcsEventGroupVmLifecycle","features":[561]},{"name":"HcsEventInvalid","features":[561]},{"name":"HcsEventOperationCallback","features":[561]},{"name":"HcsEventOptionEnableOperationCallbacks","features":[561]},{"name":"HcsEventOptionEnableVmLifecycle","features":[561]},{"name":"HcsEventOptionNone","features":[561]},{"name":"HcsEventProcessExited","features":[561]},{"name":"HcsEventServiceDisconnect","features":[561]},{"name":"HcsEventSystemCrashInitiated","features":[561]},{"name":"HcsEventSystemCrashReport","features":[561]},{"name":"HcsEventSystemExited","features":[561]},{"name":"HcsEventSystemGuestConnectionClosed","features":[561]},{"name":"HcsEventSystemRdpEnhancedModeStateChanged","features":[561]},{"name":"HcsEventSystemSiloJobCreated","features":[561]},{"name":"HcsExportLayer","features":[561]},{"name":"HcsExportLegacyWritableLayer","features":[561]},{"name":"HcsFormatWritableLayerVhd","features":[308,561]},{"name":"HcsGetComputeSystemFromOperation","features":[561]},{"name":"HcsGetComputeSystemProperties","features":[561]},{"name":"HcsGetLayerVhdMountPath","features":[308,561]},{"name":"HcsGetOperationContext","features":[561]},{"name":"HcsGetOperationId","features":[561]},{"name":"HcsGetOperationResult","features":[561]},{"name":"HcsGetOperationResultAndProcessInfo","features":[308,561]},{"name":"HcsGetOperationType","features":[561]},{"name":"HcsGetProcessFromOperation","features":[561]},{"name":"HcsGetProcessInfo","features":[561]},{"name":"HcsGetProcessProperties","features":[561]},{"name":"HcsGetProcessorCompatibilityFromSavedState","features":[561]},{"name":"HcsGetServiceProperties","features":[561]},{"name":"HcsGrantVmAccess","features":[561]},{"name":"HcsGrantVmGroupAccess","features":[561]},{"name":"HcsImportLayer","features":[561]},{"name":"HcsInitializeLegacyWritableLayer","features":[561]},{"name":"HcsInitializeWritableLayer","features":[561]},{"name":"HcsModifyComputeSystem","features":[308,561]},{"name":"HcsModifyProcess","features":[561]},{"name":"HcsModifyServiceSettings","features":[561]},{"name":"HcsNotificationFlagFailure","features":[561]},{"name":"HcsNotificationFlagSuccess","features":[561]},{"name":"HcsNotificationFlagsReserved","features":[561]},{"name":"HcsNotificationInvalid","features":[561]},{"name":"HcsNotificationOperationProgressUpdate","features":[561]},{"name":"HcsNotificationProcessExited","features":[561]},{"name":"HcsNotificationServiceDisconnect","features":[561]},{"name":"HcsNotificationSystemCrashInitiated","features":[561]},{"name":"HcsNotificationSystemCrashReport","features":[561]},{"name":"HcsNotificationSystemCreateCompleted","features":[561]},{"name":"HcsNotificationSystemExited","features":[561]},{"name":"HcsNotificationSystemGetPropertiesCompleted","features":[561]},{"name":"HcsNotificationSystemGuestConnectionClosed","features":[561]},{"name":"HcsNotificationSystemModifyCompleted","features":[561]},{"name":"HcsNotificationSystemOperationCompletion","features":[561]},{"name":"HcsNotificationSystemPassThru","features":[561]},{"name":"HcsNotificationSystemPauseCompleted","features":[561]},{"name":"HcsNotificationSystemRdpEnhancedModeStateChanged","features":[561]},{"name":"HcsNotificationSystemResumeCompleted","features":[561]},{"name":"HcsNotificationSystemSaveCompleted","features":[561]},{"name":"HcsNotificationSystemShutdownCompleted","features":[561]},{"name":"HcsNotificationSystemShutdownFailed","features":[561]},{"name":"HcsNotificationSystemSiloJobCreated","features":[561]},{"name":"HcsNotificationSystemStartCompleted","features":[561]},{"name":"HcsOpenComputeSystem","features":[561]},{"name":"HcsOpenComputeSystemInNamespace","features":[561]},{"name":"HcsOpenProcess","features":[561]},{"name":"HcsOperationOptionNone","features":[561]},{"name":"HcsOperationOptionProgressUpdate","features":[561]},{"name":"HcsOperationTypeCrash","features":[561]},{"name":"HcsOperationTypeCreate","features":[561]},{"name":"HcsOperationTypeCreateProcess","features":[561]},{"name":"HcsOperationTypeEnumerate","features":[561]},{"name":"HcsOperationTypeGetProcessInfo","features":[561]},{"name":"HcsOperationTypeGetProcessProperties","features":[561]},{"name":"HcsOperationTypeGetProperties","features":[561]},{"name":"HcsOperationTypeModify","features":[561]},{"name":"HcsOperationTypeModifyProcess","features":[561]},{"name":"HcsOperationTypeNone","features":[561]},{"name":"HcsOperationTypePause","features":[561]},{"name":"HcsOperationTypeResume","features":[561]},{"name":"HcsOperationTypeSave","features":[561]},{"name":"HcsOperationTypeShutdown","features":[561]},{"name":"HcsOperationTypeSignalProcess","features":[561]},{"name":"HcsOperationTypeStart","features":[561]},{"name":"HcsOperationTypeTerminate","features":[561]},{"name":"HcsPauseComputeSystem","features":[561]},{"name":"HcsResourceTypeFile","features":[561]},{"name":"HcsResourceTypeJob","features":[561]},{"name":"HcsResourceTypeNone","features":[561]},{"name":"HcsResumeComputeSystem","features":[561]},{"name":"HcsRevokeVmAccess","features":[561]},{"name":"HcsRevokeVmGroupAccess","features":[561]},{"name":"HcsSaveComputeSystem","features":[561]},{"name":"HcsSetComputeSystemCallback","features":[561]},{"name":"HcsSetOperationCallback","features":[561]},{"name":"HcsSetOperationContext","features":[561]},{"name":"HcsSetProcessCallback","features":[561]},{"name":"HcsSetupBaseOSLayer","features":[308,561]},{"name":"HcsSetupBaseOSVolume","features":[561]},{"name":"HcsShutDownComputeSystem","features":[561]},{"name":"HcsSignalProcess","features":[561]},{"name":"HcsStartComputeSystem","features":[561]},{"name":"HcsSubmitWerReport","features":[561]},{"name":"HcsTerminateComputeSystem","features":[561]},{"name":"HcsTerminateProcess","features":[561]},{"name":"HcsWaitForComputeSystemExit","features":[561]},{"name":"HcsWaitForOperationResult","features":[561]},{"name":"HcsWaitForOperationResultAndProcessInfo","features":[308,561]},{"name":"HcsWaitForProcessExit","features":[561]}],"570":[{"name":"ARM64_RegisterActlrEl1","features":[562]},{"name":"ARM64_RegisterAmairEl1","features":[562]},{"name":"ARM64_RegisterCntkctlEl1","features":[562]},{"name":"ARM64_RegisterCntvCtlEl0","features":[562]},{"name":"ARM64_RegisterCntvCvalEl0","features":[562]},{"name":"ARM64_RegisterContextIdrEl1","features":[562]},{"name":"ARM64_RegisterCpacrEl1","features":[562]},{"name":"ARM64_RegisterCpsr","features":[562]},{"name":"ARM64_RegisterCsselrEl1","features":[562]},{"name":"ARM64_RegisterElrEl1","features":[562]},{"name":"ARM64_RegisterEsrEl1","features":[562]},{"name":"ARM64_RegisterFarEl1","features":[562]},{"name":"ARM64_RegisterFpControl","features":[562]},{"name":"ARM64_RegisterFpStatus","features":[562]},{"name":"ARM64_RegisterMairEl1","features":[562]},{"name":"ARM64_RegisterMax","features":[562]},{"name":"ARM64_RegisterParEl1","features":[562]},{"name":"ARM64_RegisterPc","features":[562]},{"name":"ARM64_RegisterQ0","features":[562]},{"name":"ARM64_RegisterQ1","features":[562]},{"name":"ARM64_RegisterQ10","features":[562]},{"name":"ARM64_RegisterQ11","features":[562]},{"name":"ARM64_RegisterQ12","features":[562]},{"name":"ARM64_RegisterQ13","features":[562]},{"name":"ARM64_RegisterQ14","features":[562]},{"name":"ARM64_RegisterQ15","features":[562]},{"name":"ARM64_RegisterQ16","features":[562]},{"name":"ARM64_RegisterQ17","features":[562]},{"name":"ARM64_RegisterQ18","features":[562]},{"name":"ARM64_RegisterQ19","features":[562]},{"name":"ARM64_RegisterQ2","features":[562]},{"name":"ARM64_RegisterQ20","features":[562]},{"name":"ARM64_RegisterQ21","features":[562]},{"name":"ARM64_RegisterQ22","features":[562]},{"name":"ARM64_RegisterQ23","features":[562]},{"name":"ARM64_RegisterQ24","features":[562]},{"name":"ARM64_RegisterQ25","features":[562]},{"name":"ARM64_RegisterQ26","features":[562]},{"name":"ARM64_RegisterQ27","features":[562]},{"name":"ARM64_RegisterQ28","features":[562]},{"name":"ARM64_RegisterQ29","features":[562]},{"name":"ARM64_RegisterQ3","features":[562]},{"name":"ARM64_RegisterQ30","features":[562]},{"name":"ARM64_RegisterQ31","features":[562]},{"name":"ARM64_RegisterQ4","features":[562]},{"name":"ARM64_RegisterQ5","features":[562]},{"name":"ARM64_RegisterQ6","features":[562]},{"name":"ARM64_RegisterQ7","features":[562]},{"name":"ARM64_RegisterQ8","features":[562]},{"name":"ARM64_RegisterQ9","features":[562]},{"name":"ARM64_RegisterSctlrEl1","features":[562]},{"name":"ARM64_RegisterSpEl0","features":[562]},{"name":"ARM64_RegisterSpEl1","features":[562]},{"name":"ARM64_RegisterSpsrEl1","features":[562]},{"name":"ARM64_RegisterTcrEl1","features":[562]},{"name":"ARM64_RegisterTpidrEl0","features":[562]},{"name":"ARM64_RegisterTpidrEl1","features":[562]},{"name":"ARM64_RegisterTpidrroEl0","features":[562]},{"name":"ARM64_RegisterTtbr0El1","features":[562]},{"name":"ARM64_RegisterTtbr1El1","features":[562]},{"name":"ARM64_RegisterVbarEl1","features":[562]},{"name":"ARM64_RegisterX0","features":[562]},{"name":"ARM64_RegisterX1","features":[562]},{"name":"ARM64_RegisterX10","features":[562]},{"name":"ARM64_RegisterX11","features":[562]},{"name":"ARM64_RegisterX12","features":[562]},{"name":"ARM64_RegisterX13","features":[562]},{"name":"ARM64_RegisterX14","features":[562]},{"name":"ARM64_RegisterX15","features":[562]},{"name":"ARM64_RegisterX16","features":[562]},{"name":"ARM64_RegisterX17","features":[562]},{"name":"ARM64_RegisterX18","features":[562]},{"name":"ARM64_RegisterX19","features":[562]},{"name":"ARM64_RegisterX2","features":[562]},{"name":"ARM64_RegisterX20","features":[562]},{"name":"ARM64_RegisterX21","features":[562]},{"name":"ARM64_RegisterX22","features":[562]},{"name":"ARM64_RegisterX23","features":[562]},{"name":"ARM64_RegisterX24","features":[562]},{"name":"ARM64_RegisterX25","features":[562]},{"name":"ARM64_RegisterX26","features":[562]},{"name":"ARM64_RegisterX27","features":[562]},{"name":"ARM64_RegisterX28","features":[562]},{"name":"ARM64_RegisterX3","features":[562]},{"name":"ARM64_RegisterX4","features":[562]},{"name":"ARM64_RegisterX5","features":[562]},{"name":"ARM64_RegisterX6","features":[562]},{"name":"ARM64_RegisterX7","features":[562]},{"name":"ARM64_RegisterX8","features":[562]},{"name":"ARM64_RegisterX9","features":[562]},{"name":"ARM64_RegisterXFp","features":[562]},{"name":"ARM64_RegisterXLr","features":[562]},{"name":"ApplyGuestMemoryFix","features":[562]},{"name":"ApplyPendingSavedStateFileReplayLog","features":[562]},{"name":"Arch_Armv8","features":[562]},{"name":"Arch_Unknown","features":[562]},{"name":"Arch_x64","features":[562]},{"name":"Arch_x86","features":[562]},{"name":"CallStackUnwind","features":[562]},{"name":"DOS_IMAGE_INFO","features":[562]},{"name":"FOUND_IMAGE_CALLBACK","features":[308,562]},{"name":"FindSavedStateSymbolFieldInType","features":[308,562]},{"name":"ForceActiveVirtualTrustLevel","features":[562]},{"name":"ForceArchitecture","features":[562]},{"name":"ForceNestedHostMode","features":[308,562]},{"name":"ForcePagingMode","features":[562]},{"name":"GPA_MEMORY_CHUNK","features":[562]},{"name":"GUEST_OS_INFO","features":[562]},{"name":"GUEST_OS_MICROSOFT_IDS","features":[562]},{"name":"GUEST_OS_OPENSOURCE_IDS","features":[562]},{"name":"GUEST_OS_VENDOR","features":[562]},{"name":"GUEST_SYMBOLS_PROVIDER_DEBUG_INFO_CALLBACK","features":[562]},{"name":"GUID_DEVINTERFACE_VM_GENCOUNTER","features":[562]},{"name":"GetActiveVirtualTrustLevel","features":[562]},{"name":"GetArchitecture","features":[562]},{"name":"GetEnabledVirtualTrustLevels","features":[562]},{"name":"GetGuestEnabledVirtualTrustLevels","features":[562]},{"name":"GetGuestOsInfo","features":[562]},{"name":"GetGuestPhysicalMemoryChunks","features":[562]},{"name":"GetGuestRawSavedMemorySize","features":[562]},{"name":"GetMemoryBlockCacheLimit","features":[562]},{"name":"GetNestedVirtualizationMode","features":[308,562]},{"name":"GetPagingMode","features":[562]},{"name":"GetRegisterValue","features":[562]},{"name":"GetSavedStateSymbolFieldInfo","features":[562]},{"name":"GetSavedStateSymbolProviderHandle","features":[308,562]},{"name":"GetSavedStateSymbolTypeSize","features":[562]},{"name":"GetVpCount","features":[562]},{"name":"GuestOsMicrosoftMSDOS","features":[562]},{"name":"GuestOsMicrosoftUndefined","features":[562]},{"name":"GuestOsMicrosoftWindows3x","features":[562]},{"name":"GuestOsMicrosoftWindows9x","features":[562]},{"name":"GuestOsMicrosoftWindowsCE","features":[562]},{"name":"GuestOsMicrosoftWindowsNT","features":[562]},{"name":"GuestOsOpenSourceFreeBSD","features":[562]},{"name":"GuestOsOpenSourceIllumos","features":[562]},{"name":"GuestOsOpenSourceLinux","features":[562]},{"name":"GuestOsOpenSourceUndefined","features":[562]},{"name":"GuestOsOpenSourceXen","features":[562]},{"name":"GuestOsVendorHPE","features":[562]},{"name":"GuestOsVendorLANCOM","features":[562]},{"name":"GuestOsVendorMicrosoft","features":[562]},{"name":"GuestOsVendorUndefined","features":[562]},{"name":"GuestPhysicalAddressToRawSavedMemoryOffset","features":[562]},{"name":"GuestVirtualAddressToPhysicalAddress","features":[562]},{"name":"HDV_DEVICE_HOST_FLAGS","features":[562]},{"name":"HDV_DEVICE_TYPE","features":[562]},{"name":"HDV_DOORBELL_FLAGS","features":[562]},{"name":"HDV_DOORBELL_FLAG_TRIGGER_ANY_VALUE","features":[562]},{"name":"HDV_DOORBELL_FLAG_TRIGGER_SIZE_ANY","features":[562]},{"name":"HDV_DOORBELL_FLAG_TRIGGER_SIZE_BYTE","features":[562]},{"name":"HDV_DOORBELL_FLAG_TRIGGER_SIZE_DWORD","features":[562]},{"name":"HDV_DOORBELL_FLAG_TRIGGER_SIZE_QWORD","features":[562]},{"name":"HDV_DOORBELL_FLAG_TRIGGER_SIZE_WORD","features":[562]},{"name":"HDV_MMIO_MAPPING_FLAGS","features":[562]},{"name":"HDV_PCI_BAR0","features":[562]},{"name":"HDV_PCI_BAR1","features":[562]},{"name":"HDV_PCI_BAR2","features":[562]},{"name":"HDV_PCI_BAR3","features":[562]},{"name":"HDV_PCI_BAR4","features":[562]},{"name":"HDV_PCI_BAR5","features":[562]},{"name":"HDV_PCI_BAR_COUNT","features":[562]},{"name":"HDV_PCI_BAR_SELECTOR","features":[562]},{"name":"HDV_PCI_DEVICE_GET_DETAILS","features":[562]},{"name":"HDV_PCI_DEVICE_INITIALIZE","features":[562]},{"name":"HDV_PCI_DEVICE_INTERFACE","features":[562]},{"name":"HDV_PCI_DEVICE_SET_CONFIGURATION","features":[562]},{"name":"HDV_PCI_DEVICE_START","features":[562]},{"name":"HDV_PCI_DEVICE_STOP","features":[562]},{"name":"HDV_PCI_DEVICE_TEARDOWN","features":[562]},{"name":"HDV_PCI_INTERFACE_VERSION","features":[562]},{"name":"HDV_PCI_PNP_ID","features":[562]},{"name":"HDV_PCI_READ_CONFIG_SPACE","features":[562]},{"name":"HDV_PCI_READ_INTERCEPTED_MEMORY","features":[562]},{"name":"HDV_PCI_WRITE_CONFIG_SPACE","features":[562]},{"name":"HDV_PCI_WRITE_INTERCEPTED_MEMORY","features":[562]},{"name":"HVSOCKET_ADDRESS_FLAG_PASSTHRU","features":[562]},{"name":"HVSOCKET_ADDRESS_INFO","features":[562]},{"name":"HVSOCKET_CONNECTED_SUSPEND","features":[562]},{"name":"HVSOCKET_CONNECT_TIMEOUT","features":[562]},{"name":"HVSOCKET_CONNECT_TIMEOUT_MAX","features":[562]},{"name":"HVSOCKET_HIGH_VTL","features":[562]},{"name":"HV_GUID_BROADCAST","features":[562]},{"name":"HV_GUID_CHILDREN","features":[562]},{"name":"HV_GUID_LOOPBACK","features":[562]},{"name":"HV_GUID_PARENT","features":[562]},{"name":"HV_GUID_SILOHOST","features":[562]},{"name":"HV_GUID_VSOCK_TEMPLATE","features":[562]},{"name":"HV_GUID_ZERO","features":[562]},{"name":"HV_PROTOCOL_RAW","features":[562]},{"name":"HdvCreateDeviceInstance","features":[562]},{"name":"HdvCreateGuestMemoryAperture","features":[308,562]},{"name":"HdvCreateSectionBackedMmioRange","features":[308,562]},{"name":"HdvDeliverGuestInterrupt","features":[562]},{"name":"HdvDestroyGuestMemoryAperture","features":[562]},{"name":"HdvDestroySectionBackedMmioRange","features":[562]},{"name":"HdvDeviceHostFlagInitializeComSecurity","features":[562]},{"name":"HdvDeviceHostFlagNone","features":[562]},{"name":"HdvDeviceTypePCI","features":[562]},{"name":"HdvDeviceTypeUndefined","features":[562]},{"name":"HdvInitializeDeviceHost","features":[561,562]},{"name":"HdvInitializeDeviceHostEx","features":[561,562]},{"name":"HdvMmioMappingFlagExecutable","features":[562]},{"name":"HdvMmioMappingFlagNone","features":[562]},{"name":"HdvMmioMappingFlagWriteable","features":[562]},{"name":"HdvPciDeviceInterfaceVersion1","features":[562]},{"name":"HdvPciDeviceInterfaceVersionInvalid","features":[562]},{"name":"HdvReadGuestMemory","features":[562]},{"name":"HdvRegisterDoorbell","features":[308,562]},{"name":"HdvTeardownDeviceHost","features":[562]},{"name":"HdvUnregisterDoorbell","features":[562]},{"name":"HdvWriteGuestMemory","features":[562]},{"name":"IOCTL_VMGENCOUNTER_READ","features":[562]},{"name":"InKernelSpace","features":[308,562]},{"name":"IsActiveVirtualTrustLevelEnabled","features":[308,562]},{"name":"IsNestedVirtualizationEnabled","features":[308,562]},{"name":"LoadSavedStateFile","features":[562]},{"name":"LoadSavedStateFiles","features":[562]},{"name":"LoadSavedStateModuleSymbols","features":[562]},{"name":"LoadSavedStateModuleSymbolsEx","features":[562]},{"name":"LoadSavedStateSymbolProvider","features":[308,562]},{"name":"LocateSavedStateFiles","features":[562]},{"name":"MODULE_INFO","features":[562]},{"name":"PAGING_MODE","features":[562]},{"name":"Paging_32Bit","features":[562]},{"name":"Paging_Armv8","features":[562]},{"name":"Paging_Invalid","features":[562]},{"name":"Paging_Long","features":[562]},{"name":"Paging_NonPaged","features":[562]},{"name":"Paging_Pae","features":[562]},{"name":"ProcessorVendor_Amd","features":[562]},{"name":"ProcessorVendor_Arm","features":[562]},{"name":"ProcessorVendor_Hygon","features":[562]},{"name":"ProcessorVendor_Intel","features":[562]},{"name":"ProcessorVendor_Unknown","features":[562]},{"name":"REGISTER_ID","features":[562]},{"name":"ReadGuestPhysicalAddress","features":[562]},{"name":"ReadGuestRawSavedMemory","features":[562]},{"name":"ReadSavedStateGlobalVariable","features":[562]},{"name":"ReleaseSavedStateFiles","features":[562]},{"name":"ReleaseSavedStateSymbolProvider","features":[562]},{"name":"ResolveSavedStateGlobalVariableAddress","features":[562]},{"name":"SOCKADDR_HV","features":[321,562]},{"name":"ScanMemoryForDosImages","features":[308,562]},{"name":"SetMemoryBlockCacheLimit","features":[562]},{"name":"SetSavedStateSymbolProviderDebugInfoCallback","features":[562]},{"name":"VIRTUAL_PROCESSOR_ARCH","features":[562]},{"name":"VIRTUAL_PROCESSOR_REGISTER","features":[562]},{"name":"VIRTUAL_PROCESSOR_VENDOR","features":[562]},{"name":"VM_GENCOUNTER","features":[562]},{"name":"VM_GENCOUNTER_SYMBOLIC_LINK_NAME","features":[562]},{"name":"WHV_ACCESS_GPA_CONTROLS","features":[562]},{"name":"WHV_ADVISE_GPA_RANGE","features":[562]},{"name":"WHV_ADVISE_GPA_RANGE_CODE","features":[562]},{"name":"WHV_ADVISE_GPA_RANGE_POPULATE","features":[562]},{"name":"WHV_ADVISE_GPA_RANGE_POPULATE_FLAGS","features":[562]},{"name":"WHV_ALLOCATE_VPCI_RESOURCE_FLAGS","features":[562]},{"name":"WHV_ANY_VP","features":[562]},{"name":"WHV_CACHE_TYPE","features":[562]},{"name":"WHV_CAPABILITY","features":[308,562]},{"name":"WHV_CAPABILITY_CODE","features":[562]},{"name":"WHV_CAPABILITY_FEATURES","features":[562]},{"name":"WHV_CAPABILITY_PROCESSOR_FREQUENCY_CAP","features":[562]},{"name":"WHV_CPUID_OUTPUT","features":[562]},{"name":"WHV_CREATE_VPCI_DEVICE_FLAGS","features":[562]},{"name":"WHV_DOORBELL_MATCH_DATA","features":[562]},{"name":"WHV_EMULATOR_CALLBACKS","features":[562]},{"name":"WHV_EMULATOR_GET_VIRTUAL_PROCESSOR_REGISTERS_CALLBACK","features":[562]},{"name":"WHV_EMULATOR_IO_ACCESS_INFO","features":[562]},{"name":"WHV_EMULATOR_IO_PORT_CALLBACK","features":[562]},{"name":"WHV_EMULATOR_MEMORY_ACCESS_INFO","features":[562]},{"name":"WHV_EMULATOR_MEMORY_CALLBACK","features":[562]},{"name":"WHV_EMULATOR_SET_VIRTUAL_PROCESSOR_REGISTERS_CALLBACK","features":[562]},{"name":"WHV_EMULATOR_STATUS","features":[562]},{"name":"WHV_EMULATOR_TRANSLATE_GVA_PAGE_CALLBACK","features":[562]},{"name":"WHV_EXCEPTION_TYPE","features":[562]},{"name":"WHV_EXTENDED_VM_EXITS","features":[562]},{"name":"WHV_HYPERCALL_CONTEXT","features":[562]},{"name":"WHV_HYPERCALL_CONTEXT_MAX_XMM_REGISTERS","features":[562]},{"name":"WHV_INTERNAL_ACTIVITY_REGISTER","features":[562]},{"name":"WHV_INTERRUPT_CONTROL","features":[562]},{"name":"WHV_INTERRUPT_DESTINATION_MODE","features":[562]},{"name":"WHV_INTERRUPT_TRIGGER_MODE","features":[562]},{"name":"WHV_INTERRUPT_TYPE","features":[562]},{"name":"WHV_MAP_GPA_RANGE_FLAGS","features":[562]},{"name":"WHV_MAX_DEVICE_ID_SIZE_IN_CHARS","features":[562]},{"name":"WHV_MEMORY_ACCESS_CONTEXT","features":[562]},{"name":"WHV_MEMORY_ACCESS_INFO","features":[562]},{"name":"WHV_MEMORY_ACCESS_TYPE","features":[562]},{"name":"WHV_MEMORY_RANGE_ENTRY","features":[562]},{"name":"WHV_MSR_ACTION","features":[562]},{"name":"WHV_MSR_ACTION_ENTRY","features":[562]},{"name":"WHV_NOTIFICATION_PORT_PARAMETERS","features":[562]},{"name":"WHV_NOTIFICATION_PORT_PROPERTY_CODE","features":[562]},{"name":"WHV_NOTIFICATION_PORT_TYPE","features":[562]},{"name":"WHV_PARTITION_COUNTER_SET","features":[562]},{"name":"WHV_PARTITION_HANDLE","features":[562]},{"name":"WHV_PARTITION_MEMORY_COUNTERS","features":[562]},{"name":"WHV_PARTITION_PROPERTY","features":[308,562]},{"name":"WHV_PARTITION_PROPERTY_CODE","features":[562]},{"name":"WHV_PROCESSOR_APIC_COUNTERS","features":[562]},{"name":"WHV_PROCESSOR_COUNTER_SET","features":[562]},{"name":"WHV_PROCESSOR_EVENT_COUNTERS","features":[562]},{"name":"WHV_PROCESSOR_FEATURES","features":[562]},{"name":"WHV_PROCESSOR_FEATURES1","features":[562]},{"name":"WHV_PROCESSOR_FEATURES_BANKS","features":[562]},{"name":"WHV_PROCESSOR_FEATURES_BANKS_COUNT","features":[562]},{"name":"WHV_PROCESSOR_INTERCEPT_COUNTER","features":[562]},{"name":"WHV_PROCESSOR_INTERCEPT_COUNTERS","features":[562]},{"name":"WHV_PROCESSOR_PERFMON_FEATURES","features":[562]},{"name":"WHV_PROCESSOR_RUNTIME_COUNTERS","features":[562]},{"name":"WHV_PROCESSOR_SYNTHETIC_FEATURES_COUNTERS","features":[562]},{"name":"WHV_PROCESSOR_VENDOR","features":[562]},{"name":"WHV_PROCESSOR_XSAVE_FEATURES","features":[562]},{"name":"WHV_READ_WRITE_GPA_RANGE_MAX_SIZE","features":[562]},{"name":"WHV_REGISTER_NAME","features":[562]},{"name":"WHV_REGISTER_VALUE","features":[562]},{"name":"WHV_RUN_VP_CANCELED_CONTEXT","features":[562]},{"name":"WHV_RUN_VP_CANCEL_REASON","features":[562]},{"name":"WHV_RUN_VP_EXIT_CONTEXT","features":[562]},{"name":"WHV_RUN_VP_EXIT_REASON","features":[562]},{"name":"WHV_SCHEDULER_FEATURES","features":[562]},{"name":"WHV_SRIOV_RESOURCE_DESCRIPTOR","features":[308,562]},{"name":"WHV_SYNIC_EVENT_PARAMETERS","features":[562]},{"name":"WHV_SYNIC_MESSAGE_SIZE","features":[562]},{"name":"WHV_SYNIC_SINT_DELIVERABLE_CONTEXT","features":[562]},{"name":"WHV_SYNTHETIC_PROCESSOR_FEATURES","features":[562]},{"name":"WHV_SYNTHETIC_PROCESSOR_FEATURES_BANKS","features":[562]},{"name":"WHV_SYNTHETIC_PROCESSOR_FEATURES_BANKS_COUNT","features":[562]},{"name":"WHV_TRANSLATE_GVA_FLAGS","features":[562]},{"name":"WHV_TRANSLATE_GVA_RESULT","features":[562]},{"name":"WHV_TRANSLATE_GVA_RESULT_CODE","features":[562]},{"name":"WHV_TRIGGER_PARAMETERS","features":[562]},{"name":"WHV_TRIGGER_TYPE","features":[562]},{"name":"WHV_UINT128","features":[562]},{"name":"WHV_VIRTUAL_PROCESSOR_PROPERTY","features":[562]},{"name":"WHV_VIRTUAL_PROCESSOR_PROPERTY_CODE","features":[562]},{"name":"WHV_VIRTUAL_PROCESSOR_STATE_TYPE","features":[562]},{"name":"WHV_VPCI_DEVICE_NOTIFICATION","features":[562]},{"name":"WHV_VPCI_DEVICE_NOTIFICATION_TYPE","features":[562]},{"name":"WHV_VPCI_DEVICE_PROPERTY_CODE","features":[562]},{"name":"WHV_VPCI_DEVICE_REGISTER","features":[562]},{"name":"WHV_VPCI_DEVICE_REGISTER_SPACE","features":[562]},{"name":"WHV_VPCI_HARDWARE_IDS","features":[562]},{"name":"WHV_VPCI_INTERRUPT_TARGET","features":[562]},{"name":"WHV_VPCI_INTERRUPT_TARGET_FLAGS","features":[562]},{"name":"WHV_VPCI_MMIO_MAPPING","features":[562]},{"name":"WHV_VPCI_MMIO_RANGE_FLAGS","features":[562]},{"name":"WHV_VPCI_PROBED_BARS","features":[562]},{"name":"WHV_VPCI_TYPE0_BAR_COUNT","features":[562]},{"name":"WHV_VP_EXCEPTION_CONTEXT","features":[562]},{"name":"WHV_VP_EXCEPTION_INFO","features":[562]},{"name":"WHV_VP_EXIT_CONTEXT","features":[562]},{"name":"WHV_X64_APIC_EOI_CONTEXT","features":[562]},{"name":"WHV_X64_APIC_INIT_SIPI_CONTEXT","features":[562]},{"name":"WHV_X64_APIC_SMI_CONTEXT","features":[562]},{"name":"WHV_X64_APIC_WRITE_CONTEXT","features":[562]},{"name":"WHV_X64_APIC_WRITE_TYPE","features":[562]},{"name":"WHV_X64_CPUID_ACCESS_CONTEXT","features":[562]},{"name":"WHV_X64_CPUID_RESULT","features":[562]},{"name":"WHV_X64_CPUID_RESULT2","features":[562]},{"name":"WHV_X64_CPUID_RESULT2_FLAGS","features":[562]},{"name":"WHV_X64_DELIVERABILITY_NOTIFICATIONS_REGISTER","features":[562]},{"name":"WHV_X64_FP_CONTROL_STATUS_REGISTER","features":[562]},{"name":"WHV_X64_FP_REGISTER","features":[562]},{"name":"WHV_X64_INTERRUPTION_DELIVERABLE_CONTEXT","features":[562]},{"name":"WHV_X64_INTERRUPT_STATE_REGISTER","features":[562]},{"name":"WHV_X64_IO_PORT_ACCESS_CONTEXT","features":[562]},{"name":"WHV_X64_IO_PORT_ACCESS_INFO","features":[562]},{"name":"WHV_X64_LOCAL_APIC_EMULATION_MODE","features":[562]},{"name":"WHV_X64_MSR_ACCESS_CONTEXT","features":[562]},{"name":"WHV_X64_MSR_ACCESS_INFO","features":[562]},{"name":"WHV_X64_MSR_EXIT_BITMAP","features":[562]},{"name":"WHV_X64_PENDING_DEBUG_EXCEPTION","features":[562]},{"name":"WHV_X64_PENDING_EVENT_TYPE","features":[562]},{"name":"WHV_X64_PENDING_EXCEPTION_EVENT","features":[562]},{"name":"WHV_X64_PENDING_EXT_INT_EVENT","features":[562]},{"name":"WHV_X64_PENDING_INTERRUPTION_REGISTER","features":[562]},{"name":"WHV_X64_PENDING_INTERRUPTION_TYPE","features":[562]},{"name":"WHV_X64_RDTSC_CONTEXT","features":[562]},{"name":"WHV_X64_RDTSC_INFO","features":[562]},{"name":"WHV_X64_SEGMENT_REGISTER","features":[562]},{"name":"WHV_X64_TABLE_REGISTER","features":[562]},{"name":"WHV_X64_UNSUPPORTED_FEATURE_CODE","features":[562]},{"name":"WHV_X64_UNSUPPORTED_FEATURE_CONTEXT","features":[562]},{"name":"WHV_X64_VP_EXECUTION_STATE","features":[562]},{"name":"WHV_X64_XMM_CONTROL_STATUS_REGISTER","features":[562]},{"name":"WHvAcceptPartitionMigration","features":[308,562]},{"name":"WHvAdviseGpaRange","features":[562]},{"name":"WHvAdviseGpaRangeCodePin","features":[562]},{"name":"WHvAdviseGpaRangeCodePopulate","features":[562]},{"name":"WHvAdviseGpaRangeCodeUnpin","features":[562]},{"name":"WHvAllocateVpciResource","features":[308,562]},{"name":"WHvAllocateVpciResourceFlagAllowDirectP2P","features":[562]},{"name":"WHvAllocateVpciResourceFlagNone","features":[562]},{"name":"WHvCacheTypeUncached","features":[562]},{"name":"WHvCacheTypeWriteBack","features":[562]},{"name":"WHvCacheTypeWriteCombining","features":[562]},{"name":"WHvCacheTypeWriteThrough","features":[562]},{"name":"WHvCancelPartitionMigration","features":[562]},{"name":"WHvCancelRunVirtualProcessor","features":[562]},{"name":"WHvCapabilityCodeExceptionExitBitmap","features":[562]},{"name":"WHvCapabilityCodeExtendedVmExits","features":[562]},{"name":"WHvCapabilityCodeFeatures","features":[562]},{"name":"WHvCapabilityCodeGpaRangePopulateFlags","features":[562]},{"name":"WHvCapabilityCodeHypervisorPresent","features":[562]},{"name":"WHvCapabilityCodeInterruptClockFrequency","features":[562]},{"name":"WHvCapabilityCodeProcessorClFlushSize","features":[562]},{"name":"WHvCapabilityCodeProcessorClockFrequency","features":[562]},{"name":"WHvCapabilityCodeProcessorFeatures","features":[562]},{"name":"WHvCapabilityCodeProcessorFeaturesBanks","features":[562]},{"name":"WHvCapabilityCodeProcessorFrequencyCap","features":[562]},{"name":"WHvCapabilityCodeProcessorPerfmonFeatures","features":[562]},{"name":"WHvCapabilityCodeProcessorVendor","features":[562]},{"name":"WHvCapabilityCodeProcessorXsaveFeatures","features":[562]},{"name":"WHvCapabilityCodeSchedulerFeatures","features":[562]},{"name":"WHvCapabilityCodeSyntheticProcessorFeaturesBanks","features":[562]},{"name":"WHvCapabilityCodeX64MsrExitBitmap","features":[562]},{"name":"WHvCompletePartitionMigration","features":[562]},{"name":"WHvCreateNotificationPort","features":[308,562]},{"name":"WHvCreatePartition","features":[562]},{"name":"WHvCreateTrigger","features":[308,562]},{"name":"WHvCreateVirtualProcessor","features":[562]},{"name":"WHvCreateVirtualProcessor2","features":[562]},{"name":"WHvCreateVpciDevice","features":[308,562]},{"name":"WHvCreateVpciDeviceFlagNone","features":[562]},{"name":"WHvCreateVpciDeviceFlagPhysicallyBacked","features":[562]},{"name":"WHvCreateVpciDeviceFlagUseLogicalInterrupts","features":[562]},{"name":"WHvDeleteNotificationPort","features":[562]},{"name":"WHvDeletePartition","features":[562]},{"name":"WHvDeleteTrigger","features":[562]},{"name":"WHvDeleteVirtualProcessor","features":[562]},{"name":"WHvDeleteVpciDevice","features":[562]},{"name":"WHvEmulatorCreateEmulator","features":[562]},{"name":"WHvEmulatorDestroyEmulator","features":[562]},{"name":"WHvEmulatorTryIoEmulation","features":[562]},{"name":"WHvEmulatorTryMmioEmulation","features":[562]},{"name":"WHvGetCapability","features":[562]},{"name":"WHvGetInterruptTargetVpSet","features":[562]},{"name":"WHvGetPartitionCounters","features":[562]},{"name":"WHvGetPartitionProperty","features":[562]},{"name":"WHvGetVirtualProcessorCounters","features":[562]},{"name":"WHvGetVirtualProcessorCpuidOutput","features":[562]},{"name":"WHvGetVirtualProcessorInterruptControllerState","features":[562]},{"name":"WHvGetVirtualProcessorInterruptControllerState2","features":[562]},{"name":"WHvGetVirtualProcessorRegisters","features":[562]},{"name":"WHvGetVirtualProcessorState","features":[562]},{"name":"WHvGetVirtualProcessorXsaveState","features":[562]},{"name":"WHvGetVpciDeviceInterruptTarget","features":[562]},{"name":"WHvGetVpciDeviceNotification","features":[562]},{"name":"WHvGetVpciDeviceProperty","features":[562]},{"name":"WHvMapGpaRange","features":[562]},{"name":"WHvMapGpaRange2","features":[308,562]},{"name":"WHvMapGpaRangeFlagExecute","features":[562]},{"name":"WHvMapGpaRangeFlagNone","features":[562]},{"name":"WHvMapGpaRangeFlagRead","features":[562]},{"name":"WHvMapGpaRangeFlagTrackDirtyPages","features":[562]},{"name":"WHvMapGpaRangeFlagWrite","features":[562]},{"name":"WHvMapVpciDeviceInterrupt","features":[562]},{"name":"WHvMapVpciDeviceMmioRanges","features":[562]},{"name":"WHvMemoryAccessExecute","features":[562]},{"name":"WHvMemoryAccessRead","features":[562]},{"name":"WHvMemoryAccessWrite","features":[562]},{"name":"WHvMsrActionArchitectureDefault","features":[562]},{"name":"WHvMsrActionExit","features":[562]},{"name":"WHvMsrActionIgnoreWriteReadZero","features":[562]},{"name":"WHvNotificationPortPropertyPreferredTargetDuration","features":[562]},{"name":"WHvNotificationPortPropertyPreferredTargetVp","features":[562]},{"name":"WHvNotificationPortTypeDoorbell","features":[562]},{"name":"WHvNotificationPortTypeEvent","features":[562]},{"name":"WHvPartitionCounterSetMemory","features":[562]},{"name":"WHvPartitionPropertyCodeAllowDeviceAssignment","features":[562]},{"name":"WHvPartitionPropertyCodeApicRemoteReadSupport","features":[562]},{"name":"WHvPartitionPropertyCodeCpuCap","features":[562]},{"name":"WHvPartitionPropertyCodeCpuGroupId","features":[562]},{"name":"WHvPartitionPropertyCodeCpuReserve","features":[562]},{"name":"WHvPartitionPropertyCodeCpuWeight","features":[562]},{"name":"WHvPartitionPropertyCodeCpuidExitList","features":[562]},{"name":"WHvPartitionPropertyCodeCpuidResultList","features":[562]},{"name":"WHvPartitionPropertyCodeCpuidResultList2","features":[562]},{"name":"WHvPartitionPropertyCodeDisableSmt","features":[562]},{"name":"WHvPartitionPropertyCodeExceptionExitBitmap","features":[562]},{"name":"WHvPartitionPropertyCodeExtendedVmExits","features":[562]},{"name":"WHvPartitionPropertyCodeInterruptClockFrequency","features":[562]},{"name":"WHvPartitionPropertyCodeLocalApicEmulationMode","features":[562]},{"name":"WHvPartitionPropertyCodeMsrActionList","features":[562]},{"name":"WHvPartitionPropertyCodeNestedVirtualization","features":[562]},{"name":"WHvPartitionPropertyCodePrimaryNumaNode","features":[562]},{"name":"WHvPartitionPropertyCodeProcessorClFlushSize","features":[562]},{"name":"WHvPartitionPropertyCodeProcessorClockFrequency","features":[562]},{"name":"WHvPartitionPropertyCodeProcessorCount","features":[562]},{"name":"WHvPartitionPropertyCodeProcessorFeatures","features":[562]},{"name":"WHvPartitionPropertyCodeProcessorFeaturesBanks","features":[562]},{"name":"WHvPartitionPropertyCodeProcessorFrequencyCap","features":[562]},{"name":"WHvPartitionPropertyCodeProcessorPerfmonFeatures","features":[562]},{"name":"WHvPartitionPropertyCodeProcessorXsaveFeatures","features":[562]},{"name":"WHvPartitionPropertyCodeReferenceTime","features":[562]},{"name":"WHvPartitionPropertyCodeSeparateSecurityDomain","features":[562]},{"name":"WHvPartitionPropertyCodeSyntheticProcessorFeaturesBanks","features":[562]},{"name":"WHvPartitionPropertyCodeUnimplementedMsrAction","features":[562]},{"name":"WHvPartitionPropertyCodeX64MsrExitBitmap","features":[562]},{"name":"WHvPostVirtualProcessorSynicMessage","features":[562]},{"name":"WHvProcessorCounterSetApic","features":[562]},{"name":"WHvProcessorCounterSetEvents","features":[562]},{"name":"WHvProcessorCounterSetIntercepts","features":[562]},{"name":"WHvProcessorCounterSetRuntime","features":[562]},{"name":"WHvProcessorCounterSetSyntheticFeatures","features":[562]},{"name":"WHvProcessorVendorAmd","features":[562]},{"name":"WHvProcessorVendorHygon","features":[562]},{"name":"WHvProcessorVendorIntel","features":[562]},{"name":"WHvQueryGpaRangeDirtyBitmap","features":[562]},{"name":"WHvReadGpaRange","features":[562]},{"name":"WHvReadVpciDeviceRegister","features":[562]},{"name":"WHvRegisterEom","features":[562]},{"name":"WHvRegisterGuestOsId","features":[562]},{"name":"WHvRegisterInternalActivityState","features":[562]},{"name":"WHvRegisterInterruptState","features":[562]},{"name":"WHvRegisterPartitionDoorbellEvent","features":[308,562]},{"name":"WHvRegisterPendingEvent","features":[562]},{"name":"WHvRegisterPendingInterruption","features":[562]},{"name":"WHvRegisterReferenceTsc","features":[562]},{"name":"WHvRegisterReferenceTscSequence","features":[562]},{"name":"WHvRegisterScontrol","features":[562]},{"name":"WHvRegisterSiefp","features":[562]},{"name":"WHvRegisterSimp","features":[562]},{"name":"WHvRegisterSint0","features":[562]},{"name":"WHvRegisterSint1","features":[562]},{"name":"WHvRegisterSint10","features":[562]},{"name":"WHvRegisterSint11","features":[562]},{"name":"WHvRegisterSint12","features":[562]},{"name":"WHvRegisterSint13","features":[562]},{"name":"WHvRegisterSint14","features":[562]},{"name":"WHvRegisterSint15","features":[562]},{"name":"WHvRegisterSint2","features":[562]},{"name":"WHvRegisterSint3","features":[562]},{"name":"WHvRegisterSint4","features":[562]},{"name":"WHvRegisterSint5","features":[562]},{"name":"WHvRegisterSint6","features":[562]},{"name":"WHvRegisterSint7","features":[562]},{"name":"WHvRegisterSint8","features":[562]},{"name":"WHvRegisterSint9","features":[562]},{"name":"WHvRegisterSversion","features":[562]},{"name":"WHvRegisterVpAssistPage","features":[562]},{"name":"WHvRegisterVpRuntime","features":[562]},{"name":"WHvRequestInterrupt","features":[562]},{"name":"WHvRequestVpciDeviceInterrupt","features":[562]},{"name":"WHvResetPartition","features":[562]},{"name":"WHvResumePartitionTime","features":[562]},{"name":"WHvRetargetVpciDeviceInterrupt","features":[562]},{"name":"WHvRunVirtualProcessor","features":[562]},{"name":"WHvRunVpCancelReasonUser","features":[562]},{"name":"WHvRunVpExitReasonCanceled","features":[562]},{"name":"WHvRunVpExitReasonException","features":[562]},{"name":"WHvRunVpExitReasonHypercall","features":[562]},{"name":"WHvRunVpExitReasonInvalidVpRegisterValue","features":[562]},{"name":"WHvRunVpExitReasonMemoryAccess","features":[562]},{"name":"WHvRunVpExitReasonNone","features":[562]},{"name":"WHvRunVpExitReasonSynicSintDeliverable","features":[562]},{"name":"WHvRunVpExitReasonUnrecoverableException","features":[562]},{"name":"WHvRunVpExitReasonUnsupportedFeature","features":[562]},{"name":"WHvRunVpExitReasonX64ApicEoi","features":[562]},{"name":"WHvRunVpExitReasonX64ApicInitSipiTrap","features":[562]},{"name":"WHvRunVpExitReasonX64ApicSmiTrap","features":[562]},{"name":"WHvRunVpExitReasonX64ApicWriteTrap","features":[562]},{"name":"WHvRunVpExitReasonX64Cpuid","features":[562]},{"name":"WHvRunVpExitReasonX64Halt","features":[562]},{"name":"WHvRunVpExitReasonX64InterruptWindow","features":[562]},{"name":"WHvRunVpExitReasonX64IoPortAccess","features":[562]},{"name":"WHvRunVpExitReasonX64MsrAccess","features":[562]},{"name":"WHvRunVpExitReasonX64Rdtsc","features":[562]},{"name":"WHvSetNotificationPortProperty","features":[562]},{"name":"WHvSetPartitionProperty","features":[562]},{"name":"WHvSetVirtualProcessorInterruptControllerState","features":[562]},{"name":"WHvSetVirtualProcessorInterruptControllerState2","features":[562]},{"name":"WHvSetVirtualProcessorRegisters","features":[562]},{"name":"WHvSetVirtualProcessorState","features":[562]},{"name":"WHvSetVirtualProcessorXsaveState","features":[562]},{"name":"WHvSetVpciDevicePowerState","features":[562,315]},{"name":"WHvSetupPartition","features":[562]},{"name":"WHvSignalVirtualProcessorSynicEvent","features":[308,562]},{"name":"WHvStartPartitionMigration","features":[308,562]},{"name":"WHvSuspendPartitionTime","features":[562]},{"name":"WHvTranslateGva","features":[562]},{"name":"WHvTranslateGvaFlagEnforceSmap","features":[562]},{"name":"WHvTranslateGvaFlagNone","features":[562]},{"name":"WHvTranslateGvaFlagOverrideSmap","features":[562]},{"name":"WHvTranslateGvaFlagPrivilegeExempt","features":[562]},{"name":"WHvTranslateGvaFlagSetPageTableBits","features":[562]},{"name":"WHvTranslateGvaFlagValidateExecute","features":[562]},{"name":"WHvTranslateGvaFlagValidateRead","features":[562]},{"name":"WHvTranslateGvaFlagValidateWrite","features":[562]},{"name":"WHvTranslateGvaResultGpaIllegalOverlayAccess","features":[562]},{"name":"WHvTranslateGvaResultGpaNoReadAccess","features":[562]},{"name":"WHvTranslateGvaResultGpaNoWriteAccess","features":[562]},{"name":"WHvTranslateGvaResultGpaUnmapped","features":[562]},{"name":"WHvTranslateGvaResultIntercept","features":[562]},{"name":"WHvTranslateGvaResultInvalidPageTableFlags","features":[562]},{"name":"WHvTranslateGvaResultPageNotPresent","features":[562]},{"name":"WHvTranslateGvaResultPrivilegeViolation","features":[562]},{"name":"WHvTranslateGvaResultSuccess","features":[562]},{"name":"WHvTriggerTypeDeviceInterrupt","features":[562]},{"name":"WHvTriggerTypeInterrupt","features":[562]},{"name":"WHvTriggerTypeSynicEvent","features":[562]},{"name":"WHvUnmapGpaRange","features":[562]},{"name":"WHvUnmapVpciDeviceInterrupt","features":[562]},{"name":"WHvUnmapVpciDeviceMmioRanges","features":[562]},{"name":"WHvUnregisterPartitionDoorbellEvent","features":[562]},{"name":"WHvUnsupportedFeatureIntercept","features":[562]},{"name":"WHvUnsupportedFeatureTaskSwitchTss","features":[562]},{"name":"WHvUpdateTriggerParameters","features":[562]},{"name":"WHvVirtualProcessorPropertyCodeNumaNode","features":[562]},{"name":"WHvVirtualProcessorStateTypeInterruptControllerState2","features":[562]},{"name":"WHvVirtualProcessorStateTypeSynicEventFlagPage","features":[562]},{"name":"WHvVirtualProcessorStateTypeSynicMessagePage","features":[562]},{"name":"WHvVirtualProcessorStateTypeSynicTimerState","features":[562]},{"name":"WHvVirtualProcessorStateTypeXsaveState","features":[562]},{"name":"WHvVpciBar0","features":[562]},{"name":"WHvVpciBar1","features":[562]},{"name":"WHvVpciBar2","features":[562]},{"name":"WHvVpciBar3","features":[562]},{"name":"WHvVpciBar4","features":[562]},{"name":"WHvVpciBar5","features":[562]},{"name":"WHvVpciConfigSpace","features":[562]},{"name":"WHvVpciDeviceNotificationMmioRemapping","features":[562]},{"name":"WHvVpciDeviceNotificationSurpriseRemoval","features":[562]},{"name":"WHvVpciDeviceNotificationUndefined","features":[562]},{"name":"WHvVpciDevicePropertyCodeHardwareIDs","features":[562]},{"name":"WHvVpciDevicePropertyCodeProbedBARs","features":[562]},{"name":"WHvVpciDevicePropertyCodeUndefined","features":[562]},{"name":"WHvVpciInterruptTargetFlagMulticast","features":[562]},{"name":"WHvVpciInterruptTargetFlagNone","features":[562]},{"name":"WHvVpciMmioRangeFlagReadAccess","features":[562]},{"name":"WHvVpciMmioRangeFlagWriteAccess","features":[562]},{"name":"WHvWriteGpaRange","features":[562]},{"name":"WHvWriteVpciDeviceRegister","features":[562]},{"name":"WHvX64ApicWriteTypeDfr","features":[562]},{"name":"WHvX64ApicWriteTypeLdr","features":[562]},{"name":"WHvX64ApicWriteTypeLint0","features":[562]},{"name":"WHvX64ApicWriteTypeLint1","features":[562]},{"name":"WHvX64ApicWriteTypeSvr","features":[562]},{"name":"WHvX64CpuidResult2FlagSubleafSpecific","features":[562]},{"name":"WHvX64CpuidResult2FlagVpSpecific","features":[562]},{"name":"WHvX64ExceptionTypeAlignmentCheckFault","features":[562]},{"name":"WHvX64ExceptionTypeBoundRangeFault","features":[562]},{"name":"WHvX64ExceptionTypeBreakpointTrap","features":[562]},{"name":"WHvX64ExceptionTypeDebugTrapOrFault","features":[562]},{"name":"WHvX64ExceptionTypeDeviceNotAvailableFault","features":[562]},{"name":"WHvX64ExceptionTypeDivideErrorFault","features":[562]},{"name":"WHvX64ExceptionTypeDoubleFaultAbort","features":[562]},{"name":"WHvX64ExceptionTypeFloatingPointErrorFault","features":[562]},{"name":"WHvX64ExceptionTypeGeneralProtectionFault","features":[562]},{"name":"WHvX64ExceptionTypeInvalidOpcodeFault","features":[562]},{"name":"WHvX64ExceptionTypeInvalidTaskStateSegmentFault","features":[562]},{"name":"WHvX64ExceptionTypeMachineCheckAbort","features":[562]},{"name":"WHvX64ExceptionTypeOverflowTrap","features":[562]},{"name":"WHvX64ExceptionTypePageFault","features":[562]},{"name":"WHvX64ExceptionTypeSegmentNotPresentFault","features":[562]},{"name":"WHvX64ExceptionTypeSimdFloatingPointFault","features":[562]},{"name":"WHvX64ExceptionTypeStackFault","features":[562]},{"name":"WHvX64InterruptDestinationModeLogical","features":[562]},{"name":"WHvX64InterruptDestinationModePhysical","features":[562]},{"name":"WHvX64InterruptTriggerModeEdge","features":[562]},{"name":"WHvX64InterruptTriggerModeLevel","features":[562]},{"name":"WHvX64InterruptTypeFixed","features":[562]},{"name":"WHvX64InterruptTypeInit","features":[562]},{"name":"WHvX64InterruptTypeLocalInt1","features":[562]},{"name":"WHvX64InterruptTypeLowestPriority","features":[562]},{"name":"WHvX64InterruptTypeNmi","features":[562]},{"name":"WHvX64InterruptTypeSipi","features":[562]},{"name":"WHvX64LocalApicEmulationModeNone","features":[562]},{"name":"WHvX64LocalApicEmulationModeX2Apic","features":[562]},{"name":"WHvX64LocalApicEmulationModeXApic","features":[562]},{"name":"WHvX64PendingEventException","features":[562]},{"name":"WHvX64PendingEventExtInt","features":[562]},{"name":"WHvX64PendingException","features":[562]},{"name":"WHvX64PendingInterrupt","features":[562]},{"name":"WHvX64PendingNmi","features":[562]},{"name":"WHvX64RegisterACount","features":[562]},{"name":"WHvX64RegisterApicBase","features":[562]},{"name":"WHvX64RegisterApicCurrentCount","features":[562]},{"name":"WHvX64RegisterApicDivide","features":[562]},{"name":"WHvX64RegisterApicEoi","features":[562]},{"name":"WHvX64RegisterApicEse","features":[562]},{"name":"WHvX64RegisterApicIcr","features":[562]},{"name":"WHvX64RegisterApicId","features":[562]},{"name":"WHvX64RegisterApicInitCount","features":[562]},{"name":"WHvX64RegisterApicIrr0","features":[562]},{"name":"WHvX64RegisterApicIrr1","features":[562]},{"name":"WHvX64RegisterApicIrr2","features":[562]},{"name":"WHvX64RegisterApicIrr3","features":[562]},{"name":"WHvX64RegisterApicIrr4","features":[562]},{"name":"WHvX64RegisterApicIrr5","features":[562]},{"name":"WHvX64RegisterApicIrr6","features":[562]},{"name":"WHvX64RegisterApicIrr7","features":[562]},{"name":"WHvX64RegisterApicIsr0","features":[562]},{"name":"WHvX64RegisterApicIsr1","features":[562]},{"name":"WHvX64RegisterApicIsr2","features":[562]},{"name":"WHvX64RegisterApicIsr3","features":[562]},{"name":"WHvX64RegisterApicIsr4","features":[562]},{"name":"WHvX64RegisterApicIsr5","features":[562]},{"name":"WHvX64RegisterApicIsr6","features":[562]},{"name":"WHvX64RegisterApicIsr7","features":[562]},{"name":"WHvX64RegisterApicLdr","features":[562]},{"name":"WHvX64RegisterApicLvtError","features":[562]},{"name":"WHvX64RegisterApicLvtLint0","features":[562]},{"name":"WHvX64RegisterApicLvtLint1","features":[562]},{"name":"WHvX64RegisterApicLvtPerfmon","features":[562]},{"name":"WHvX64RegisterApicLvtThermal","features":[562]},{"name":"WHvX64RegisterApicLvtTimer","features":[562]},{"name":"WHvX64RegisterApicPpr","features":[562]},{"name":"WHvX64RegisterApicSelfIpi","features":[562]},{"name":"WHvX64RegisterApicSpurious","features":[562]},{"name":"WHvX64RegisterApicTmr0","features":[562]},{"name":"WHvX64RegisterApicTmr1","features":[562]},{"name":"WHvX64RegisterApicTmr2","features":[562]},{"name":"WHvX64RegisterApicTmr3","features":[562]},{"name":"WHvX64RegisterApicTmr4","features":[562]},{"name":"WHvX64RegisterApicTmr5","features":[562]},{"name":"WHvX64RegisterApicTmr6","features":[562]},{"name":"WHvX64RegisterApicTmr7","features":[562]},{"name":"WHvX64RegisterApicTpr","features":[562]},{"name":"WHvX64RegisterApicVersion","features":[562]},{"name":"WHvX64RegisterBndcfgs","features":[562]},{"name":"WHvX64RegisterCr0","features":[562]},{"name":"WHvX64RegisterCr2","features":[562]},{"name":"WHvX64RegisterCr3","features":[562]},{"name":"WHvX64RegisterCr4","features":[562]},{"name":"WHvX64RegisterCr8","features":[562]},{"name":"WHvX64RegisterCs","features":[562]},{"name":"WHvX64RegisterCstar","features":[562]},{"name":"WHvX64RegisterDeliverabilityNotifications","features":[562]},{"name":"WHvX64RegisterDr0","features":[562]},{"name":"WHvX64RegisterDr1","features":[562]},{"name":"WHvX64RegisterDr2","features":[562]},{"name":"WHvX64RegisterDr3","features":[562]},{"name":"WHvX64RegisterDr6","features":[562]},{"name":"WHvX64RegisterDr7","features":[562]},{"name":"WHvX64RegisterDs","features":[562]},{"name":"WHvX64RegisterEfer","features":[562]},{"name":"WHvX64RegisterEs","features":[562]},{"name":"WHvX64RegisterFpControlStatus","features":[562]},{"name":"WHvX64RegisterFpMmx0","features":[562]},{"name":"WHvX64RegisterFpMmx1","features":[562]},{"name":"WHvX64RegisterFpMmx2","features":[562]},{"name":"WHvX64RegisterFpMmx3","features":[562]},{"name":"WHvX64RegisterFpMmx4","features":[562]},{"name":"WHvX64RegisterFpMmx5","features":[562]},{"name":"WHvX64RegisterFpMmx6","features":[562]},{"name":"WHvX64RegisterFpMmx7","features":[562]},{"name":"WHvX64RegisterFs","features":[562]},{"name":"WHvX64RegisterGdtr","features":[562]},{"name":"WHvX64RegisterGs","features":[562]},{"name":"WHvX64RegisterHypercall","features":[562]},{"name":"WHvX64RegisterIdtr","features":[562]},{"name":"WHvX64RegisterInitialApicId","features":[562]},{"name":"WHvX64RegisterInterruptSspTableAddr","features":[562]},{"name":"WHvX64RegisterKernelGsBase","features":[562]},{"name":"WHvX64RegisterLdtr","features":[562]},{"name":"WHvX64RegisterLstar","features":[562]},{"name":"WHvX64RegisterMCount","features":[562]},{"name":"WHvX64RegisterMsrMtrrCap","features":[562]},{"name":"WHvX64RegisterMsrMtrrDefType","features":[562]},{"name":"WHvX64RegisterMsrMtrrFix16k80000","features":[562]},{"name":"WHvX64RegisterMsrMtrrFix16kA0000","features":[562]},{"name":"WHvX64RegisterMsrMtrrFix4kC0000","features":[562]},{"name":"WHvX64RegisterMsrMtrrFix4kC8000","features":[562]},{"name":"WHvX64RegisterMsrMtrrFix4kD0000","features":[562]},{"name":"WHvX64RegisterMsrMtrrFix4kD8000","features":[562]},{"name":"WHvX64RegisterMsrMtrrFix4kE0000","features":[562]},{"name":"WHvX64RegisterMsrMtrrFix4kE8000","features":[562]},{"name":"WHvX64RegisterMsrMtrrFix4kF0000","features":[562]},{"name":"WHvX64RegisterMsrMtrrFix4kF8000","features":[562]},{"name":"WHvX64RegisterMsrMtrrFix64k00000","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysBase0","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysBase1","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysBase2","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysBase3","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysBase4","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysBase5","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysBase6","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysBase7","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysBase8","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysBase9","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysBaseA","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysBaseB","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysBaseC","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysBaseD","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysBaseE","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysBaseF","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysMask0","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysMask1","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysMask2","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysMask3","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysMask4","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysMask5","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysMask6","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysMask7","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysMask8","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysMask9","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysMaskA","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysMaskB","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysMaskC","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysMaskD","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysMaskE","features":[562]},{"name":"WHvX64RegisterMsrMtrrPhysMaskF","features":[562]},{"name":"WHvX64RegisterPat","features":[562]},{"name":"WHvX64RegisterPendingDebugException","features":[562]},{"name":"WHvX64RegisterPl0Ssp","features":[562]},{"name":"WHvX64RegisterPl1Ssp","features":[562]},{"name":"WHvX64RegisterPl2Ssp","features":[562]},{"name":"WHvX64RegisterPl3Ssp","features":[562]},{"name":"WHvX64RegisterPredCmd","features":[562]},{"name":"WHvX64RegisterR10","features":[562]},{"name":"WHvX64RegisterR11","features":[562]},{"name":"WHvX64RegisterR12","features":[562]},{"name":"WHvX64RegisterR13","features":[562]},{"name":"WHvX64RegisterR14","features":[562]},{"name":"WHvX64RegisterR15","features":[562]},{"name":"WHvX64RegisterR8","features":[562]},{"name":"WHvX64RegisterR9","features":[562]},{"name":"WHvX64RegisterRax","features":[562]},{"name":"WHvX64RegisterRbp","features":[562]},{"name":"WHvX64RegisterRbx","features":[562]},{"name":"WHvX64RegisterRcx","features":[562]},{"name":"WHvX64RegisterRdi","features":[562]},{"name":"WHvX64RegisterRdx","features":[562]},{"name":"WHvX64RegisterRflags","features":[562]},{"name":"WHvX64RegisterRip","features":[562]},{"name":"WHvX64RegisterRsi","features":[562]},{"name":"WHvX64RegisterRsp","features":[562]},{"name":"WHvX64RegisterSCet","features":[562]},{"name":"WHvX64RegisterSfmask","features":[562]},{"name":"WHvX64RegisterSpecCtrl","features":[562]},{"name":"WHvX64RegisterSs","features":[562]},{"name":"WHvX64RegisterSsp","features":[562]},{"name":"WHvX64RegisterStar","features":[562]},{"name":"WHvX64RegisterSysenterCs","features":[562]},{"name":"WHvX64RegisterSysenterEip","features":[562]},{"name":"WHvX64RegisterSysenterEsp","features":[562]},{"name":"WHvX64RegisterTr","features":[562]},{"name":"WHvX64RegisterTsc","features":[562]},{"name":"WHvX64RegisterTscAdjust","features":[562]},{"name":"WHvX64RegisterTscAux","features":[562]},{"name":"WHvX64RegisterTscDeadline","features":[562]},{"name":"WHvX64RegisterTscVirtualOffset","features":[562]},{"name":"WHvX64RegisterTsxCtrl","features":[562]},{"name":"WHvX64RegisterUCet","features":[562]},{"name":"WHvX64RegisterUmwaitControl","features":[562]},{"name":"WHvX64RegisterVirtualCr0","features":[562]},{"name":"WHvX64RegisterVirtualCr3","features":[562]},{"name":"WHvX64RegisterVirtualCr4","features":[562]},{"name":"WHvX64RegisterVirtualCr8","features":[562]},{"name":"WHvX64RegisterXCr0","features":[562]},{"name":"WHvX64RegisterXfd","features":[562]},{"name":"WHvX64RegisterXfdErr","features":[562]},{"name":"WHvX64RegisterXmm0","features":[562]},{"name":"WHvX64RegisterXmm1","features":[562]},{"name":"WHvX64RegisterXmm10","features":[562]},{"name":"WHvX64RegisterXmm11","features":[562]},{"name":"WHvX64RegisterXmm12","features":[562]},{"name":"WHvX64RegisterXmm13","features":[562]},{"name":"WHvX64RegisterXmm14","features":[562]},{"name":"WHvX64RegisterXmm15","features":[562]},{"name":"WHvX64RegisterXmm2","features":[562]},{"name":"WHvX64RegisterXmm3","features":[562]},{"name":"WHvX64RegisterXmm4","features":[562]},{"name":"WHvX64RegisterXmm5","features":[562]},{"name":"WHvX64RegisterXmm6","features":[562]},{"name":"WHvX64RegisterXmm7","features":[562]},{"name":"WHvX64RegisterXmm8","features":[562]},{"name":"WHvX64RegisterXmm9","features":[562]},{"name":"WHvX64RegisterXmmControlStatus","features":[562]},{"name":"WHvX64RegisterXss","features":[562]},{"name":"X64_RegisterCr0","features":[562]},{"name":"X64_RegisterCr2","features":[562]},{"name":"X64_RegisterCr3","features":[562]},{"name":"X64_RegisterCr4","features":[562]},{"name":"X64_RegisterCr8","features":[562]},{"name":"X64_RegisterCs","features":[562]},{"name":"X64_RegisterDr0","features":[562]},{"name":"X64_RegisterDr1","features":[562]},{"name":"X64_RegisterDr2","features":[562]},{"name":"X64_RegisterDr3","features":[562]},{"name":"X64_RegisterDr6","features":[562]},{"name":"X64_RegisterDr7","features":[562]},{"name":"X64_RegisterDs","features":[562]},{"name":"X64_RegisterEfer","features":[562]},{"name":"X64_RegisterEs","features":[562]},{"name":"X64_RegisterFpControlStatus","features":[562]},{"name":"X64_RegisterFpMmx0","features":[562]},{"name":"X64_RegisterFpMmx1","features":[562]},{"name":"X64_RegisterFpMmx2","features":[562]},{"name":"X64_RegisterFpMmx3","features":[562]},{"name":"X64_RegisterFpMmx4","features":[562]},{"name":"X64_RegisterFpMmx5","features":[562]},{"name":"X64_RegisterFpMmx6","features":[562]},{"name":"X64_RegisterFpMmx7","features":[562]},{"name":"X64_RegisterFs","features":[562]},{"name":"X64_RegisterGdtr","features":[562]},{"name":"X64_RegisterGs","features":[562]},{"name":"X64_RegisterIdtr","features":[562]},{"name":"X64_RegisterLdtr","features":[562]},{"name":"X64_RegisterMax","features":[562]},{"name":"X64_RegisterR10","features":[562]},{"name":"X64_RegisterR11","features":[562]},{"name":"X64_RegisterR12","features":[562]},{"name":"X64_RegisterR13","features":[562]},{"name":"X64_RegisterR14","features":[562]},{"name":"X64_RegisterR15","features":[562]},{"name":"X64_RegisterR8","features":[562]},{"name":"X64_RegisterR9","features":[562]},{"name":"X64_RegisterRFlags","features":[562]},{"name":"X64_RegisterRax","features":[562]},{"name":"X64_RegisterRbp","features":[562]},{"name":"X64_RegisterRbx","features":[562]},{"name":"X64_RegisterRcx","features":[562]},{"name":"X64_RegisterRdi","features":[562]},{"name":"X64_RegisterRdx","features":[562]},{"name":"X64_RegisterRip","features":[562]},{"name":"X64_RegisterRsi","features":[562]},{"name":"X64_RegisterRsp","features":[562]},{"name":"X64_RegisterSs","features":[562]},{"name":"X64_RegisterTr","features":[562]},{"name":"X64_RegisterXmm0","features":[562]},{"name":"X64_RegisterXmm1","features":[562]},{"name":"X64_RegisterXmm10","features":[562]},{"name":"X64_RegisterXmm11","features":[562]},{"name":"X64_RegisterXmm12","features":[562]},{"name":"X64_RegisterXmm13","features":[562]},{"name":"X64_RegisterXmm14","features":[562]},{"name":"X64_RegisterXmm15","features":[562]},{"name":"X64_RegisterXmm2","features":[562]},{"name":"X64_RegisterXmm3","features":[562]},{"name":"X64_RegisterXmm4","features":[562]},{"name":"X64_RegisterXmm5","features":[562]},{"name":"X64_RegisterXmm6","features":[562]},{"name":"X64_RegisterXmm7","features":[562]},{"name":"X64_RegisterXmm8","features":[562]},{"name":"X64_RegisterXmm9","features":[562]},{"name":"X64_RegisterXmmControlStatus","features":[562]}],"571":[{"name":"BindIoCompletionCallback","features":[308,313]},{"name":"CancelIo","features":[308,313]},{"name":"CancelIoEx","features":[308,313]},{"name":"CancelSynchronousIo","features":[308,313]},{"name":"CreateIoCompletionPort","features":[308,313]},{"name":"DeviceIoControl","features":[308,313]},{"name":"GetOverlappedResult","features":[308,313]},{"name":"GetOverlappedResultEx","features":[308,313]},{"name":"GetQueuedCompletionStatus","features":[308,313]},{"name":"GetQueuedCompletionStatusEx","features":[308,313]},{"name":"IO_STATUS_BLOCK","features":[308,313]},{"name":"LPOVERLAPPED_COMPLETION_ROUTINE","features":[308,313]},{"name":"OVERLAPPED","features":[308,313]},{"name":"OVERLAPPED_ENTRY","features":[308,313]},{"name":"PIO_APC_ROUTINE","features":[308,313]},{"name":"PostQueuedCompletionStatus","features":[308,313]}],"572":[{"name":"ADMINDATA_MAX_NAME_LEN","features":[563]},{"name":"ALL_METADATA","features":[563]},{"name":"APPCTR_MD_ID_BEGIN_RESERVED","features":[563]},{"name":"APPCTR_MD_ID_END_RESERVED","features":[563]},{"name":"APPSTATUS_NOTDEFINED","features":[563]},{"name":"APPSTATUS_RUNNING","features":[563]},{"name":"APPSTATUS_STOPPED","features":[563]},{"name":"ASP_MD_ID_BEGIN_RESERVED","features":[563]},{"name":"ASP_MD_ID_END_RESERVED","features":[563]},{"name":"ASP_MD_SERVER_BASE","features":[563]},{"name":"ASP_MD_UT_APP","features":[563]},{"name":"AsyncIFtpAuthenticationProvider","features":[563]},{"name":"AsyncIFtpAuthorizationProvider","features":[563]},{"name":"AsyncIFtpHomeDirectoryProvider","features":[563]},{"name":"AsyncIFtpLogProvider","features":[563]},{"name":"AsyncIFtpPostprocessProvider","features":[563]},{"name":"AsyncIFtpPreprocessProvider","features":[563]},{"name":"AsyncIFtpRoleProvider","features":[563]},{"name":"AsyncIMSAdminBaseSinkW","features":[563]},{"name":"BINARY_METADATA","features":[563]},{"name":"CERT_CONTEXT_EX","features":[308,392,563]},{"name":"CLSID_IImgCtx","features":[563]},{"name":"CLSID_IisServiceControl","features":[563]},{"name":"CLSID_MSAdminBase_W","features":[563]},{"name":"CLSID_Request","features":[563]},{"name":"CLSID_Response","features":[563]},{"name":"CLSID_ScriptingContext","features":[563]},{"name":"CLSID_Server","features":[563]},{"name":"CLSID_Session","features":[563]},{"name":"CLSID_WamAdmin","features":[563]},{"name":"CONFIGURATION_ENTRY","features":[563]},{"name":"DISPID_HTTPREQUEST_ABORT","features":[563]},{"name":"DISPID_HTTPREQUEST_BASE","features":[563]},{"name":"DISPID_HTTPREQUEST_GETALLRESPONSEHEADERS","features":[563]},{"name":"DISPID_HTTPREQUEST_GETRESPONSEHEADER","features":[563]},{"name":"DISPID_HTTPREQUEST_OPEN","features":[563]},{"name":"DISPID_HTTPREQUEST_OPTION","features":[563]},{"name":"DISPID_HTTPREQUEST_RESPONSEBODY","features":[563]},{"name":"DISPID_HTTPREQUEST_RESPONSESTREAM","features":[563]},{"name":"DISPID_HTTPREQUEST_RESPONSETEXT","features":[563]},{"name":"DISPID_HTTPREQUEST_SEND","features":[563]},{"name":"DISPID_HTTPREQUEST_SETAUTOLOGONPOLICY","features":[563]},{"name":"DISPID_HTTPREQUEST_SETCLIENTCERTIFICATE","features":[563]},{"name":"DISPID_HTTPREQUEST_SETCREDENTIALS","features":[563]},{"name":"DISPID_HTTPREQUEST_SETPROXY","features":[563]},{"name":"DISPID_HTTPREQUEST_SETREQUESTHEADER","features":[563]},{"name":"DISPID_HTTPREQUEST_SETTIMEOUTS","features":[563]},{"name":"DISPID_HTTPREQUEST_STATUS","features":[563]},{"name":"DISPID_HTTPREQUEST_STATUSTEXT","features":[563]},{"name":"DISPID_HTTPREQUEST_WAITFORRESPONSE","features":[563]},{"name":"DWN_COLORMODE","features":[563]},{"name":"DWN_DOWNLOADONLY","features":[563]},{"name":"DWN_FORCEDITHER","features":[563]},{"name":"DWN_MIRRORIMAGE","features":[563]},{"name":"DWN_RAWIMAGE","features":[563]},{"name":"DWORD_METADATA","features":[563]},{"name":"EXPANDSZ_METADATA","features":[563]},{"name":"EXTENSION_CONTROL_BLOCK","features":[308,563]},{"name":"FP_MD_ID_BEGIN_RESERVED","features":[563]},{"name":"FP_MD_ID_END_RESERVED","features":[563]},{"name":"FTP_ACCESS","features":[563]},{"name":"FTP_ACCESS_NONE","features":[563]},{"name":"FTP_ACCESS_READ","features":[563]},{"name":"FTP_ACCESS_READ_WRITE","features":[563]},{"name":"FTP_ACCESS_WRITE","features":[563]},{"name":"FTP_PROCESS_CLOSE_SESSION","features":[563]},{"name":"FTP_PROCESS_CONTINUE","features":[563]},{"name":"FTP_PROCESS_REJECT_COMMAND","features":[563]},{"name":"FTP_PROCESS_STATUS","features":[563]},{"name":"FTP_PROCESS_TERMINATE_SESSION","features":[563]},{"name":"FtpProvider","features":[563]},{"name":"GUID_IIS_ALL_TRACE_PROVIDERS","features":[563]},{"name":"GUID_IIS_ASPNET_TRACE_PROVIDER","features":[563]},{"name":"GUID_IIS_ASP_TRACE_TRACE_PROVIDER","features":[563]},{"name":"GUID_IIS_ISAPI_TRACE_PROVIDER","features":[563]},{"name":"GUID_IIS_WWW_GLOBAL_TRACE_PROVIDER","features":[563]},{"name":"GUID_IIS_WWW_SERVER_TRACE_PROVIDER","features":[563]},{"name":"GUID_IIS_WWW_SERVER_V2_TRACE_PROVIDER","features":[563]},{"name":"GetExtensionVersion","features":[308,563]},{"name":"GetFilterVersion","features":[308,563]},{"name":"HCONN","features":[563]},{"name":"HSE_APPEND_LOG_PARAMETER","features":[563]},{"name":"HSE_APP_FLAG_IN_PROCESS","features":[563]},{"name":"HSE_APP_FLAG_ISOLATED_OOP","features":[563]},{"name":"HSE_APP_FLAG_POOLED_OOP","features":[563]},{"name":"HSE_CUSTOM_ERROR_INFO","features":[308,563]},{"name":"HSE_EXEC_UNICODE_URL_INFO","features":[308,563]},{"name":"HSE_EXEC_UNICODE_URL_USER_INFO","features":[308,563]},{"name":"HSE_EXEC_URL_DISABLE_CUSTOM_ERROR","features":[563]},{"name":"HSE_EXEC_URL_ENTITY_INFO","features":[563]},{"name":"HSE_EXEC_URL_HTTP_CACHE_ELIGIBLE","features":[563]},{"name":"HSE_EXEC_URL_IGNORE_CURRENT_INTERCEPTOR","features":[563]},{"name":"HSE_EXEC_URL_IGNORE_VALIDATION_AND_RANGE","features":[563]},{"name":"HSE_EXEC_URL_INFO","features":[308,563]},{"name":"HSE_EXEC_URL_NO_HEADERS","features":[563]},{"name":"HSE_EXEC_URL_SSI_CMD","features":[563]},{"name":"HSE_EXEC_URL_STATUS","features":[563]},{"name":"HSE_EXEC_URL_USER_INFO","features":[308,563]},{"name":"HSE_IO_ASYNC","features":[563]},{"name":"HSE_IO_CACHE_RESPONSE","features":[563]},{"name":"HSE_IO_DISCONNECT_AFTER_SEND","features":[563]},{"name":"HSE_IO_FINAL_SEND","features":[563]},{"name":"HSE_IO_NODELAY","features":[563]},{"name":"HSE_IO_SEND_HEADERS","features":[563]},{"name":"HSE_IO_SYNC","features":[563]},{"name":"HSE_IO_TRY_SKIP_CUSTOM_ERRORS","features":[563]},{"name":"HSE_LOG_BUFFER_LEN","features":[563]},{"name":"HSE_MAX_EXT_DLL_NAME_LEN","features":[563]},{"name":"HSE_REQ_ABORTIVE_CLOSE","features":[563]},{"name":"HSE_REQ_ASYNC_READ_CLIENT","features":[563]},{"name":"HSE_REQ_BASE","features":[563]},{"name":"HSE_REQ_CANCEL_IO","features":[563]},{"name":"HSE_REQ_CLOSE_CONNECTION","features":[563]},{"name":"HSE_REQ_DONE_WITH_SESSION","features":[563]},{"name":"HSE_REQ_END_RESERVED","features":[563]},{"name":"HSE_REQ_EXEC_UNICODE_URL","features":[563]},{"name":"HSE_REQ_EXEC_URL","features":[563]},{"name":"HSE_REQ_GET_ANONYMOUS_TOKEN","features":[563]},{"name":"HSE_REQ_GET_CACHE_INVALIDATION_CALLBACK","features":[563]},{"name":"HSE_REQ_GET_CERT_INFO_EX","features":[563]},{"name":"HSE_REQ_GET_CHANNEL_BINDING_TOKEN","features":[563]},{"name":"HSE_REQ_GET_CONFIG_OBJECT","features":[563]},{"name":"HSE_REQ_GET_EXEC_URL_STATUS","features":[563]},{"name":"HSE_REQ_GET_IMPERSONATION_TOKEN","features":[563]},{"name":"HSE_REQ_GET_PROTOCOL_MANAGER_CUSTOM_INTERFACE_CALLBACK","features":[563]},{"name":"HSE_REQ_GET_SSPI_INFO","features":[563]},{"name":"HSE_REQ_GET_TRACE_INFO","features":[563]},{"name":"HSE_REQ_GET_TRACE_INFO_EX","features":[563]},{"name":"HSE_REQ_GET_UNICODE_ANONYMOUS_TOKEN","features":[563]},{"name":"HSE_REQ_GET_WORKER_PROCESS_SETTINGS","features":[563]},{"name":"HSE_REQ_IO_COMPLETION","features":[563]},{"name":"HSE_REQ_IS_CONNECTED","features":[563]},{"name":"HSE_REQ_IS_IN_PROCESS","features":[563]},{"name":"HSE_REQ_IS_KEEP_CONN","features":[563]},{"name":"HSE_REQ_MAP_UNICODE_URL_TO_PATH","features":[563]},{"name":"HSE_REQ_MAP_UNICODE_URL_TO_PATH_EX","features":[563]},{"name":"HSE_REQ_MAP_URL_TO_PATH","features":[563]},{"name":"HSE_REQ_MAP_URL_TO_PATH_EX","features":[563]},{"name":"HSE_REQ_NORMALIZE_URL","features":[563]},{"name":"HSE_REQ_RAISE_TRACE_EVENT","features":[563]},{"name":"HSE_REQ_REFRESH_ISAPI_ACL","features":[563]},{"name":"HSE_REQ_REPORT_UNHEALTHY","features":[563]},{"name":"HSE_REQ_SEND_CUSTOM_ERROR","features":[563]},{"name":"HSE_REQ_SEND_RESPONSE_HEADER","features":[563]},{"name":"HSE_REQ_SEND_RESPONSE_HEADER_EX","features":[563]},{"name":"HSE_REQ_SEND_URL","features":[563]},{"name":"HSE_REQ_SEND_URL_REDIRECT_RESP","features":[563]},{"name":"HSE_REQ_SET_FLUSH_FLAG","features":[563]},{"name":"HSE_REQ_TRANSMIT_FILE","features":[563]},{"name":"HSE_REQ_VECTOR_SEND","features":[563]},{"name":"HSE_RESPONSE_VECTOR","features":[563]},{"name":"HSE_SEND_HEADER_EX_INFO","features":[308,563]},{"name":"HSE_STATUS_ERROR","features":[563]},{"name":"HSE_STATUS_PENDING","features":[563]},{"name":"HSE_STATUS_SUCCESS","features":[563]},{"name":"HSE_STATUS_SUCCESS_AND_KEEP_CONN","features":[563]},{"name":"HSE_TERM_ADVISORY_UNLOAD","features":[563]},{"name":"HSE_TERM_MUST_UNLOAD","features":[563]},{"name":"HSE_TF_INFO","features":[308,563]},{"name":"HSE_TRACE_INFO","features":[308,563]},{"name":"HSE_UNICODE_URL_MAPEX_INFO","features":[563]},{"name":"HSE_URL_FLAGS_DONT_CACHE","features":[563]},{"name":"HSE_URL_FLAGS_EXECUTE","features":[563]},{"name":"HSE_URL_FLAGS_MAP_CERT","features":[563]},{"name":"HSE_URL_FLAGS_MASK","features":[563]},{"name":"HSE_URL_FLAGS_NEGO_CERT","features":[563]},{"name":"HSE_URL_FLAGS_READ","features":[563]},{"name":"HSE_URL_FLAGS_REQUIRE_CERT","features":[563]},{"name":"HSE_URL_FLAGS_SCRIPT","features":[563]},{"name":"HSE_URL_FLAGS_SSL","features":[563]},{"name":"HSE_URL_FLAGS_SSL128","features":[563]},{"name":"HSE_URL_FLAGS_WRITE","features":[563]},{"name":"HSE_URL_MAPEX_INFO","features":[563]},{"name":"HSE_VECTOR_ELEMENT","features":[563]},{"name":"HSE_VECTOR_ELEMENT_TYPE_FILE_HANDLE","features":[563]},{"name":"HSE_VECTOR_ELEMENT_TYPE_MEMORY_BUFFER","features":[563]},{"name":"HSE_VERSION_INFO","features":[563]},{"name":"HSE_VERSION_MAJOR","features":[563]},{"name":"HSE_VERSION_MINOR","features":[563]},{"name":"HTTP_FILTER_ACCESS_DENIED","features":[563]},{"name":"HTTP_FILTER_AUTHENT","features":[563]},{"name":"HTTP_FILTER_AUTH_COMPLETE_INFO","features":[308,563]},{"name":"HTTP_FILTER_CONTEXT","features":[308,563]},{"name":"HTTP_FILTER_LOG","features":[563]},{"name":"HTTP_FILTER_PREPROC_HEADERS","features":[563]},{"name":"HTTP_FILTER_RAW_DATA","features":[563]},{"name":"HTTP_FILTER_URL_MAP","features":[563]},{"name":"HTTP_FILTER_URL_MAP_EX","features":[563]},{"name":"HTTP_FILTER_VERSION","features":[563]},{"name":"HTTP_TRACE_CONFIGURATION","features":[308,563]},{"name":"HTTP_TRACE_EVENT","features":[563]},{"name":"HTTP_TRACE_EVENT_FLAG_STATIC_DESCRIPTIVE_FIELDS","features":[563]},{"name":"HTTP_TRACE_EVENT_ITEM","features":[563]},{"name":"HTTP_TRACE_LEVEL_END","features":[563]},{"name":"HTTP_TRACE_LEVEL_START","features":[563]},{"name":"HTTP_TRACE_TYPE","features":[563]},{"name":"HTTP_TRACE_TYPE_BOOL","features":[563]},{"name":"HTTP_TRACE_TYPE_BYTE","features":[563]},{"name":"HTTP_TRACE_TYPE_CHAR","features":[563]},{"name":"HTTP_TRACE_TYPE_LONG","features":[563]},{"name":"HTTP_TRACE_TYPE_LONGLONG","features":[563]},{"name":"HTTP_TRACE_TYPE_LPCGUID","features":[563]},{"name":"HTTP_TRACE_TYPE_LPCSTR","features":[563]},{"name":"HTTP_TRACE_TYPE_LPCWSTR","features":[563]},{"name":"HTTP_TRACE_TYPE_SHORT","features":[563]},{"name":"HTTP_TRACE_TYPE_ULONG","features":[563]},{"name":"HTTP_TRACE_TYPE_ULONGLONG","features":[563]},{"name":"HTTP_TRACE_TYPE_USHORT","features":[563]},{"name":"HttpExtensionProc","features":[308,563]},{"name":"HttpFilterProc","features":[308,563]},{"name":"IADMEXT","features":[563]},{"name":"IFtpAuthenticationProvider","features":[563]},{"name":"IFtpAuthorizationProvider","features":[563]},{"name":"IFtpHomeDirectoryProvider","features":[563]},{"name":"IFtpLogProvider","features":[563]},{"name":"IFtpPostprocessProvider","features":[563]},{"name":"IFtpPreprocessProvider","features":[563]},{"name":"IFtpProviderConstruct","features":[563]},{"name":"IFtpRoleProvider","features":[563]},{"name":"IISADMIN_EXTENSIONS_CLSID_MD_KEY","features":[563]},{"name":"IISADMIN_EXTENSIONS_CLSID_MD_KEYA","features":[563]},{"name":"IISADMIN_EXTENSIONS_CLSID_MD_KEYW","features":[563]},{"name":"IISADMIN_EXTENSIONS_REG_KEY","features":[563]},{"name":"IISADMIN_EXTENSIONS_REG_KEYA","features":[563]},{"name":"IISADMIN_EXTENSIONS_REG_KEYW","features":[563]},{"name":"IIS_CLASS_CERTMAPPER","features":[563]},{"name":"IIS_CLASS_CERTMAPPER_W","features":[563]},{"name":"IIS_CLASS_COMPRESS_SCHEME","features":[563]},{"name":"IIS_CLASS_COMPRESS_SCHEMES","features":[563]},{"name":"IIS_CLASS_COMPRESS_SCHEMES_W","features":[563]},{"name":"IIS_CLASS_COMPRESS_SCHEME_W","features":[563]},{"name":"IIS_CLASS_COMPUTER","features":[563]},{"name":"IIS_CLASS_COMPUTER_W","features":[563]},{"name":"IIS_CLASS_FILTER","features":[563]},{"name":"IIS_CLASS_FILTERS","features":[563]},{"name":"IIS_CLASS_FILTERS_W","features":[563]},{"name":"IIS_CLASS_FILTER_W","features":[563]},{"name":"IIS_CLASS_FTP_INFO","features":[563]},{"name":"IIS_CLASS_FTP_INFO_W","features":[563]},{"name":"IIS_CLASS_FTP_SERVER","features":[563]},{"name":"IIS_CLASS_FTP_SERVER_W","features":[563]},{"name":"IIS_CLASS_FTP_SERVICE","features":[563]},{"name":"IIS_CLASS_FTP_SERVICE_W","features":[563]},{"name":"IIS_CLASS_FTP_VDIR","features":[563]},{"name":"IIS_CLASS_FTP_VDIR_W","features":[563]},{"name":"IIS_CLASS_LOG_MODULE","features":[563]},{"name":"IIS_CLASS_LOG_MODULES","features":[563]},{"name":"IIS_CLASS_LOG_MODULES_W","features":[563]},{"name":"IIS_CLASS_LOG_MODULE_W","features":[563]},{"name":"IIS_CLASS_MIMEMAP","features":[563]},{"name":"IIS_CLASS_MIMEMAP_W","features":[563]},{"name":"IIS_CLASS_WEB_DIR","features":[563]},{"name":"IIS_CLASS_WEB_DIR_W","features":[563]},{"name":"IIS_CLASS_WEB_FILE","features":[563]},{"name":"IIS_CLASS_WEB_FILE_W","features":[563]},{"name":"IIS_CLASS_WEB_INFO","features":[563]},{"name":"IIS_CLASS_WEB_INFO_W","features":[563]},{"name":"IIS_CLASS_WEB_SERVER","features":[563]},{"name":"IIS_CLASS_WEB_SERVER_W","features":[563]},{"name":"IIS_CLASS_WEB_SERVICE","features":[563]},{"name":"IIS_CLASS_WEB_SERVICE_W","features":[563]},{"name":"IIS_CLASS_WEB_VDIR","features":[563]},{"name":"IIS_CLASS_WEB_VDIR_W","features":[563]},{"name":"IIS_MD_ADSI_METAID_BEGIN","features":[563]},{"name":"IIS_MD_ADSI_SCHEMA_PATH_A","features":[563]},{"name":"IIS_MD_ADSI_SCHEMA_PATH_W","features":[563]},{"name":"IIS_MD_APPPOOL_BASE","features":[563]},{"name":"IIS_MD_APP_BASE","features":[563]},{"name":"IIS_MD_FILE_PROP_BASE","features":[563]},{"name":"IIS_MD_FTP_BASE","features":[563]},{"name":"IIS_MD_GLOBAL_BASE","features":[563]},{"name":"IIS_MD_HTTP_BASE","features":[563]},{"name":"IIS_MD_ID_BEGIN_RESERVED","features":[563]},{"name":"IIS_MD_ID_END_RESERVED","features":[563]},{"name":"IIS_MD_INSTANCE_ROOT","features":[563]},{"name":"IIS_MD_ISAPI_FILTERS","features":[563]},{"name":"IIS_MD_LOCAL_MACHINE_PATH","features":[563]},{"name":"IIS_MD_LOGCUSTOM_BASE","features":[563]},{"name":"IIS_MD_LOGCUSTOM_LAST","features":[563]},{"name":"IIS_MD_LOG_BASE","features":[563]},{"name":"IIS_MD_LOG_LAST","features":[563]},{"name":"IIS_MD_SERVER_BASE","features":[563]},{"name":"IIS_MD_SSL_BASE","features":[563]},{"name":"IIS_MD_SVC_INFO_PATH","features":[563]},{"name":"IIS_MD_UT_END_RESERVED","features":[563]},{"name":"IIS_MD_UT_FILE","features":[563]},{"name":"IIS_MD_UT_SERVER","features":[563]},{"name":"IIS_MD_UT_WAM","features":[563]},{"name":"IIS_MD_VR_BASE","features":[563]},{"name":"IIS_WEBSOCKET","features":[563]},{"name":"IIS_WEBSOCKET_SERVER_VARIABLE","features":[563]},{"name":"IMAP_MD_ID_BEGIN_RESERVED","features":[563]},{"name":"IMAP_MD_ID_END_RESERVED","features":[563]},{"name":"IMGANIM_ANIMATED","features":[563]},{"name":"IMGANIM_MASK","features":[563]},{"name":"IMGBITS_MASK","features":[563]},{"name":"IMGBITS_NONE","features":[563]},{"name":"IMGBITS_PARTIAL","features":[563]},{"name":"IMGBITS_TOTAL","features":[563]},{"name":"IMGCHG_ANIMATE","features":[563]},{"name":"IMGCHG_COMPLETE","features":[563]},{"name":"IMGCHG_MASK","features":[563]},{"name":"IMGCHG_SIZE","features":[563]},{"name":"IMGCHG_VIEW","features":[563]},{"name":"IMGLOAD_COMPLETE","features":[563]},{"name":"IMGLOAD_ERROR","features":[563]},{"name":"IMGLOAD_LOADING","features":[563]},{"name":"IMGLOAD_MASK","features":[563]},{"name":"IMGLOAD_NOTLOADED","features":[563]},{"name":"IMGLOAD_STOPPED","features":[563]},{"name":"IMGTRANS_MASK","features":[563]},{"name":"IMGTRANS_OPAQUE","features":[563]},{"name":"IMSAdminBase2W","features":[563]},{"name":"IMSAdminBase3W","features":[563]},{"name":"IMSAdminBaseSinkW","features":[563]},{"name":"IMSAdminBaseW","features":[563]},{"name":"IMSImpExpHelpW","features":[563]},{"name":"INVALID_END_METADATA","features":[563]},{"name":"LIBID_ASPTypeLibrary","features":[563]},{"name":"LIBID_IISRSTALib","features":[563]},{"name":"LIBID_WAMREGLib","features":[563]},{"name":"LOGGING_PARAMETERS","features":[563]},{"name":"MB_DONT_IMPERSONATE","features":[563]},{"name":"MD_ACCESS_EXECUTE","features":[563]},{"name":"MD_ACCESS_MAP_CERT","features":[563]},{"name":"MD_ACCESS_MASK","features":[563]},{"name":"MD_ACCESS_NEGO_CERT","features":[563]},{"name":"MD_ACCESS_NO_PHYSICAL_DIR","features":[563]},{"name":"MD_ACCESS_NO_REMOTE_EXECUTE","features":[563]},{"name":"MD_ACCESS_NO_REMOTE_READ","features":[563]},{"name":"MD_ACCESS_NO_REMOTE_SCRIPT","features":[563]},{"name":"MD_ACCESS_NO_REMOTE_WRITE","features":[563]},{"name":"MD_ACCESS_PERM","features":[563]},{"name":"MD_ACCESS_READ","features":[563]},{"name":"MD_ACCESS_REQUIRE_CERT","features":[563]},{"name":"MD_ACCESS_SCRIPT","features":[563]},{"name":"MD_ACCESS_SOURCE","features":[563]},{"name":"MD_ACCESS_SSL","features":[563]},{"name":"MD_ACCESS_SSL128","features":[563]},{"name":"MD_ACCESS_WRITE","features":[563]},{"name":"MD_ACR_ENUM_KEYS","features":[563]},{"name":"MD_ACR_READ","features":[563]},{"name":"MD_ACR_RESTRICTED_WRITE","features":[563]},{"name":"MD_ACR_UNSECURE_PROPS_READ","features":[563]},{"name":"MD_ACR_WRITE","features":[563]},{"name":"MD_ACR_WRITE_DAC","features":[563]},{"name":"MD_ADMIN_ACL","features":[563]},{"name":"MD_ADMIN_INSTANCE","features":[563]},{"name":"MD_ADV_CACHE_TTL","features":[563]},{"name":"MD_ADV_NOTIFY_PWD_EXP_IN_DAYS","features":[563]},{"name":"MD_AD_CONNECTIONS_PASSWORD","features":[563]},{"name":"MD_AD_CONNECTIONS_USERNAME","features":[563]},{"name":"MD_ALLOW_ANONYMOUS","features":[563]},{"name":"MD_ALLOW_KEEPALIVES","features":[563]},{"name":"MD_ALLOW_PATH_INFO_FOR_SCRIPT_MAPPINGS","features":[563]},{"name":"MD_ALLOW_REPLACE_ON_RENAME","features":[563]},{"name":"MD_ANONYMOUS_ONLY","features":[563]},{"name":"MD_ANONYMOUS_PWD","features":[563]},{"name":"MD_ANONYMOUS_USER_NAME","features":[563]},{"name":"MD_ANONYMOUS_USE_SUBAUTH","features":[563]},{"name":"MD_APPPOOL_32_BIT_APP_ON_WIN64","features":[563]},{"name":"MD_APPPOOL_ALLOW_TRANSIENT_REGISTRATION","features":[563]},{"name":"MD_APPPOOL_APPPOOL_ID","features":[563]},{"name":"MD_APPPOOL_AUTO_SHUTDOWN_EXE","features":[563]},{"name":"MD_APPPOOL_AUTO_SHUTDOWN_PARAMS","features":[563]},{"name":"MD_APPPOOL_AUTO_START","features":[563]},{"name":"MD_APPPOOL_COMMAND","features":[563]},{"name":"MD_APPPOOL_COMMAND_START","features":[563]},{"name":"MD_APPPOOL_COMMAND_STOP","features":[563]},{"name":"MD_APPPOOL_DISALLOW_OVERLAPPING_ROTATION","features":[563]},{"name":"MD_APPPOOL_DISALLOW_ROTATION_ON_CONFIG_CHANGE","features":[563]},{"name":"MD_APPPOOL_EMULATION_ON_WINARM64","features":[563]},{"name":"MD_APPPOOL_IDENTITY_TYPE","features":[563]},{"name":"MD_APPPOOL_IDENTITY_TYPE_LOCALSERVICE","features":[563]},{"name":"MD_APPPOOL_IDENTITY_TYPE_LOCALSYSTEM","features":[563]},{"name":"MD_APPPOOL_IDENTITY_TYPE_NETWORKSERVICE","features":[563]},{"name":"MD_APPPOOL_IDENTITY_TYPE_SPECIFICUSER","features":[563]},{"name":"MD_APPPOOL_IDLE_TIMEOUT","features":[563]},{"name":"MD_APPPOOL_MANAGED_PIPELINE_MODE","features":[563]},{"name":"MD_APPPOOL_MANAGED_RUNTIME_VERSION","features":[563]},{"name":"MD_APPPOOL_MAX_PROCESS_COUNT","features":[563]},{"name":"MD_APPPOOL_ORPHAN_ACTION_EXE","features":[563]},{"name":"MD_APPPOOL_ORPHAN_ACTION_PARAMS","features":[563]},{"name":"MD_APPPOOL_ORPHAN_PROCESSES_FOR_DEBUGGING","features":[563]},{"name":"MD_APPPOOL_PERIODIC_RESTART_CONNECTIONS","features":[563]},{"name":"MD_APPPOOL_PERIODIC_RESTART_MEMORY","features":[563]},{"name":"MD_APPPOOL_PERIODIC_RESTART_PRIVATE_MEMORY","features":[563]},{"name":"MD_APPPOOL_PERIODIC_RESTART_REQUEST_COUNT","features":[563]},{"name":"MD_APPPOOL_PERIODIC_RESTART_SCHEDULE","features":[563]},{"name":"MD_APPPOOL_PERIODIC_RESTART_TIME","features":[563]},{"name":"MD_APPPOOL_PINGING_ENABLED","features":[563]},{"name":"MD_APPPOOL_PING_INTERVAL","features":[563]},{"name":"MD_APPPOOL_PING_RESPONSE_TIMELIMIT","features":[563]},{"name":"MD_APPPOOL_RAPID_FAIL_PROTECTION_ENABLED","features":[563]},{"name":"MD_APPPOOL_SHUTDOWN_TIMELIMIT","features":[563]},{"name":"MD_APPPOOL_SMP_AFFINITIZED","features":[563]},{"name":"MD_APPPOOL_SMP_AFFINITIZED_PROCESSOR_MASK","features":[563]},{"name":"MD_APPPOOL_STARTUP_TIMELIMIT","features":[563]},{"name":"MD_APPPOOL_STATE","features":[563]},{"name":"MD_APPPOOL_STATE_STARTED","features":[563]},{"name":"MD_APPPOOL_STATE_STARTING","features":[563]},{"name":"MD_APPPOOL_STATE_STOPPED","features":[563]},{"name":"MD_APPPOOL_STATE_STOPPING","features":[563]},{"name":"MD_APPPOOL_UL_APPPOOL_QUEUE_LENGTH","features":[563]},{"name":"MD_APP_ALLOW_TRANSIENT_REGISTRATION","features":[563]},{"name":"MD_APP_APPPOOL_ID","features":[563]},{"name":"MD_APP_AUTO_START","features":[563]},{"name":"MD_APP_DEPENDENCIES","features":[563]},{"name":"MD_APP_FRIENDLY_NAME","features":[563]},{"name":"MD_APP_ISOLATED","features":[563]},{"name":"MD_APP_OOP_RECOVER_LIMIT","features":[563]},{"name":"MD_APP_PACKAGE_ID","features":[563]},{"name":"MD_APP_PACKAGE_NAME","features":[563]},{"name":"MD_APP_PERIODIC_RESTART_REQUESTS","features":[563]},{"name":"MD_APP_PERIODIC_RESTART_SCHEDULE","features":[563]},{"name":"MD_APP_PERIODIC_RESTART_TIME","features":[563]},{"name":"MD_APP_POOL_LOG_EVENT_ON_PROCESSMODEL","features":[563]},{"name":"MD_APP_POOL_LOG_EVENT_ON_RECYCLE","features":[563]},{"name":"MD_APP_POOL_PROCESSMODEL_IDLE_TIMEOUT","features":[563]},{"name":"MD_APP_POOL_RECYCLE_CONFIG_CHANGE","features":[563]},{"name":"MD_APP_POOL_RECYCLE_ISAPI_UNHEALTHY","features":[563]},{"name":"MD_APP_POOL_RECYCLE_MEMORY","features":[563]},{"name":"MD_APP_POOL_RECYCLE_ON_DEMAND","features":[563]},{"name":"MD_APP_POOL_RECYCLE_PRIVATE_MEMORY","features":[563]},{"name":"MD_APP_POOL_RECYCLE_REQUESTS","features":[563]},{"name":"MD_APP_POOL_RECYCLE_SCHEDULE","features":[563]},{"name":"MD_APP_POOL_RECYCLE_TIME","features":[563]},{"name":"MD_APP_ROOT","features":[563]},{"name":"MD_APP_SHUTDOWN_TIME_LIMIT","features":[563]},{"name":"MD_APP_TRACE_URL_LIST","features":[563]},{"name":"MD_APP_WAM_CLSID","features":[563]},{"name":"MD_ASP_ALLOWOUTOFPROCCMPNTS","features":[563]},{"name":"MD_ASP_ALLOWOUTOFPROCCOMPONENTS","features":[563]},{"name":"MD_ASP_ALLOWSESSIONSTATE","features":[563]},{"name":"MD_ASP_BUFFERINGON","features":[563]},{"name":"MD_ASP_BUFFER_LIMIT","features":[563]},{"name":"MD_ASP_CALCLINENUMBER","features":[563]},{"name":"MD_ASP_CODEPAGE","features":[563]},{"name":"MD_ASP_DISKTEMPLATECACHEDIRECTORY","features":[563]},{"name":"MD_ASP_ENABLEAPPLICATIONRESTART","features":[563]},{"name":"MD_ASP_ENABLEASPHTMLFALLBACK","features":[563]},{"name":"MD_ASP_ENABLECHUNKEDENCODING","features":[563]},{"name":"MD_ASP_ENABLECLIENTDEBUG","features":[563]},{"name":"MD_ASP_ENABLEPARENTPATHS","features":[563]},{"name":"MD_ASP_ENABLESERVERDEBUG","features":[563]},{"name":"MD_ASP_ENABLETYPELIBCACHE","features":[563]},{"name":"MD_ASP_ERRORSTONTLOG","features":[563]},{"name":"MD_ASP_EXCEPTIONCATCHENABLE","features":[563]},{"name":"MD_ASP_EXECUTEINMTA","features":[563]},{"name":"MD_ASP_ID_LAST","features":[563]},{"name":"MD_ASP_KEEPSESSIONIDSECURE","features":[563]},{"name":"MD_ASP_LCID","features":[563]},{"name":"MD_ASP_LOGERRORREQUESTS","features":[563]},{"name":"MD_ASP_MAXDISKTEMPLATECACHEFILES","features":[563]},{"name":"MD_ASP_MAXREQUESTENTITY","features":[563]},{"name":"MD_ASP_MAX_REQUEST_ENTITY_ALLOWED","features":[563]},{"name":"MD_ASP_MEMFREEFACTOR","features":[563]},{"name":"MD_ASP_MINUSEDBLOCKS","features":[563]},{"name":"MD_ASP_PROCESSORTHREADMAX","features":[563]},{"name":"MD_ASP_QUEUECONNECTIONTESTTIME","features":[563]},{"name":"MD_ASP_QUEUETIMEOUT","features":[563]},{"name":"MD_ASP_REQEUSTQUEUEMAX","features":[563]},{"name":"MD_ASP_RUN_ONEND_ANON","features":[563]},{"name":"MD_ASP_SCRIPTENGINECACHEMAX","features":[563]},{"name":"MD_ASP_SCRIPTERRORMESSAGE","features":[563]},{"name":"MD_ASP_SCRIPTERRORSSENTTOBROWSER","features":[563]},{"name":"MD_ASP_SCRIPTFILECACHESIZE","features":[563]},{"name":"MD_ASP_SCRIPTLANGUAGE","features":[563]},{"name":"MD_ASP_SCRIPTLANGUAGELIST","features":[563]},{"name":"MD_ASP_SCRIPTTIMEOUT","features":[563]},{"name":"MD_ASP_SERVICE_ENABLE_SXS","features":[563]},{"name":"MD_ASP_SERVICE_ENABLE_TRACKER","features":[563]},{"name":"MD_ASP_SERVICE_FLAGS","features":[563]},{"name":"MD_ASP_SERVICE_FLAG_FUSION","features":[563]},{"name":"MD_ASP_SERVICE_FLAG_PARTITIONS","features":[563]},{"name":"MD_ASP_SERVICE_FLAG_TRACKER","features":[563]},{"name":"MD_ASP_SERVICE_PARTITION_ID","features":[563]},{"name":"MD_ASP_SERVICE_SXS_NAME","features":[563]},{"name":"MD_ASP_SERVICE_USE_PARTITION","features":[563]},{"name":"MD_ASP_SESSIONMAX","features":[563]},{"name":"MD_ASP_SESSIONTIMEOUT","features":[563]},{"name":"MD_ASP_THREADGATEENABLED","features":[563]},{"name":"MD_ASP_THREADGATELOADHIGH","features":[563]},{"name":"MD_ASP_THREADGATELOADLOW","features":[563]},{"name":"MD_ASP_THREADGATESLEEPDELAY","features":[563]},{"name":"MD_ASP_THREADGATESLEEPMAX","features":[563]},{"name":"MD_ASP_THREADGATETIMESLICE","features":[563]},{"name":"MD_ASP_TRACKTHREADINGMODEL","features":[563]},{"name":"MD_AUTHORIZATION","features":[563]},{"name":"MD_AUTHORIZATION_PERSISTENCE","features":[563]},{"name":"MD_AUTH_ADVNOTIFY_DISABLE","features":[563]},{"name":"MD_AUTH_ANONYMOUS","features":[563]},{"name":"MD_AUTH_BASIC","features":[563]},{"name":"MD_AUTH_CHANGE_DISABLE","features":[563]},{"name":"MD_AUTH_CHANGE_FLAGS","features":[563]},{"name":"MD_AUTH_CHANGE_UNSECURE","features":[563]},{"name":"MD_AUTH_CHANGE_URL","features":[563]},{"name":"MD_AUTH_EXPIRED_UNSECUREURL","features":[563]},{"name":"MD_AUTH_EXPIRED_URL","features":[563]},{"name":"MD_AUTH_MD5","features":[563]},{"name":"MD_AUTH_NT","features":[563]},{"name":"MD_AUTH_PASSPORT","features":[563]},{"name":"MD_AUTH_SINGLEREQUEST","features":[563]},{"name":"MD_AUTH_SINGLEREQUESTALWAYSIFPROXY","features":[563]},{"name":"MD_AUTH_SINGLEREQUESTIFPROXY","features":[563]},{"name":"MD_BACKUP_FORCE_BACKUP","features":[563]},{"name":"MD_BACKUP_HIGHEST_VERSION","features":[563]},{"name":"MD_BACKUP_MAX_LEN","features":[563]},{"name":"MD_BACKUP_MAX_VERSION","features":[563]},{"name":"MD_BACKUP_NEXT_VERSION","features":[563]},{"name":"MD_BACKUP_OVERWRITE","features":[563]},{"name":"MD_BACKUP_SAVE_FIRST","features":[563]},{"name":"MD_BANNER_MESSAGE","features":[563]},{"name":"MD_BINDINGS","features":[563]},{"name":"MD_CACHE_EXTENSIONS","features":[563]},{"name":"MD_CAL_AUTH_RESERVE_TIMEOUT","features":[563]},{"name":"MD_CAL_SSL_RESERVE_TIMEOUT","features":[563]},{"name":"MD_CAL_VC_PER_CONNECT","features":[563]},{"name":"MD_CAL_W3_ERROR","features":[563]},{"name":"MD_CC_MAX_AGE","features":[563]},{"name":"MD_CC_NO_CACHE","features":[563]},{"name":"MD_CC_OTHER","features":[563]},{"name":"MD_CENTRAL_W3C_LOGGING_ENABLED","features":[563]},{"name":"MD_CERT_CACHE_RETRIEVAL_ONLY","features":[563]},{"name":"MD_CERT_CHECK_REVOCATION_FRESHNESS_TIME","features":[563]},{"name":"MD_CERT_NO_REVOC_CHECK","features":[563]},{"name":"MD_CERT_NO_USAGE_CHECK","features":[563]},{"name":"MD_CGI_RESTRICTION_LIST","features":[563]},{"name":"MD_CHANGE_OBJECT_W","features":[563]},{"name":"MD_CHANGE_TYPE_ADD_OBJECT","features":[563]},{"name":"MD_CHANGE_TYPE_DELETE_DATA","features":[563]},{"name":"MD_CHANGE_TYPE_DELETE_OBJECT","features":[563]},{"name":"MD_CHANGE_TYPE_RENAME_OBJECT","features":[563]},{"name":"MD_CHANGE_TYPE_RESTORE","features":[563]},{"name":"MD_CHANGE_TYPE_SET_DATA","features":[563]},{"name":"MD_COMMENTS","features":[563]},{"name":"MD_CONNECTION_TIMEOUT","features":[563]},{"name":"MD_CPU_ACTION","features":[563]},{"name":"MD_CPU_APP_ENABLED","features":[563]},{"name":"MD_CPU_CGI_ENABLED","features":[563]},{"name":"MD_CPU_CGI_LIMIT","features":[563]},{"name":"MD_CPU_DISABLE_ALL_LOGGING","features":[563]},{"name":"MD_CPU_ENABLE_ACTIVE_PROCS","features":[563]},{"name":"MD_CPU_ENABLE_ALL_PROC_LOGGING","features":[563]},{"name":"MD_CPU_ENABLE_APP_LOGGING","features":[563]},{"name":"MD_CPU_ENABLE_CGI_LOGGING","features":[563]},{"name":"MD_CPU_ENABLE_EVENT","features":[563]},{"name":"MD_CPU_ENABLE_KERNEL_TIME","features":[563]},{"name":"MD_CPU_ENABLE_LOGGING","features":[563]},{"name":"MD_CPU_ENABLE_PAGE_FAULTS","features":[563]},{"name":"MD_CPU_ENABLE_PROC_TYPE","features":[563]},{"name":"MD_CPU_ENABLE_TERMINATED_PROCS","features":[563]},{"name":"MD_CPU_ENABLE_TOTAL_PROCS","features":[563]},{"name":"MD_CPU_ENABLE_USER_TIME","features":[563]},{"name":"MD_CPU_KILL_W3WP","features":[563]},{"name":"MD_CPU_LIMIT","features":[563]},{"name":"MD_CPU_LIMITS_ENABLED","features":[563]},{"name":"MD_CPU_LIMIT_LOGEVENT","features":[563]},{"name":"MD_CPU_LIMIT_PAUSE","features":[563]},{"name":"MD_CPU_LIMIT_PRIORITY","features":[563]},{"name":"MD_CPU_LIMIT_PROCSTOP","features":[563]},{"name":"MD_CPU_LOGGING_INTERVAL","features":[563]},{"name":"MD_CPU_LOGGING_MASK","features":[563]},{"name":"MD_CPU_LOGGING_OPTIONS","features":[563]},{"name":"MD_CPU_NO_ACTION","features":[563]},{"name":"MD_CPU_RESET_INTERVAL","features":[563]},{"name":"MD_CPU_THROTTLE","features":[563]},{"name":"MD_CPU_TRACE","features":[563]},{"name":"MD_CREATE_PROCESS_AS_USER","features":[563]},{"name":"MD_CREATE_PROC_NEW_CONSOLE","features":[563]},{"name":"MD_CUSTOM_DEPLOYMENT_DATA","features":[563]},{"name":"MD_CUSTOM_ERROR","features":[563]},{"name":"MD_CUSTOM_ERROR_DESC","features":[563]},{"name":"MD_DEFAULT_BACKUP_LOCATION","features":[563]},{"name":"MD_DEFAULT_LOAD_FILE","features":[563]},{"name":"MD_DEFAULT_LOGON_DOMAIN","features":[563]},{"name":"MD_DEMAND_START_THRESHOLD","features":[563]},{"name":"MD_DIRBROW_ENABLED","features":[563]},{"name":"MD_DIRBROW_LOADDEFAULT","features":[563]},{"name":"MD_DIRBROW_LONG_DATE","features":[563]},{"name":"MD_DIRBROW_SHOW_DATE","features":[563]},{"name":"MD_DIRBROW_SHOW_EXTENSION","features":[563]},{"name":"MD_DIRBROW_SHOW_SIZE","features":[563]},{"name":"MD_DIRBROW_SHOW_TIME","features":[563]},{"name":"MD_DIRECTORY_BROWSING","features":[563]},{"name":"MD_DISABLE_SOCKET_POOLING","features":[563]},{"name":"MD_DONT_LOG","features":[563]},{"name":"MD_DOWNLEVEL_ADMIN_INSTANCE","features":[563]},{"name":"MD_DO_REVERSE_DNS","features":[563]},{"name":"MD_ENABLEDPROTOCOLS","features":[563]},{"name":"MD_ENABLE_URL_AUTHORIZATION","features":[563]},{"name":"MD_ERROR_CANNOT_REMOVE_SECURE_ATTRIBUTE","features":[563]},{"name":"MD_ERROR_DATA_NOT_FOUND","features":[563]},{"name":"MD_ERROR_IISAO_INVALID_SCHEMA","features":[563]},{"name":"MD_ERROR_INVALID_VERSION","features":[563]},{"name":"MD_ERROR_NOT_INITIALIZED","features":[563]},{"name":"MD_ERROR_NO_SESSION_KEY","features":[563]},{"name":"MD_ERROR_READ_METABASE_FILE","features":[563]},{"name":"MD_ERROR_SECURE_CHANNEL_FAILURE","features":[563]},{"name":"MD_ERROR_SUB400_INVALID_CONTENT_LENGTH","features":[563]},{"name":"MD_ERROR_SUB400_INVALID_DEPTH","features":[563]},{"name":"MD_ERROR_SUB400_INVALID_DESTINATION","features":[563]},{"name":"MD_ERROR_SUB400_INVALID_IF","features":[563]},{"name":"MD_ERROR_SUB400_INVALID_LOCK_TOKEN","features":[563]},{"name":"MD_ERROR_SUB400_INVALID_OVERWRITE","features":[563]},{"name":"MD_ERROR_SUB400_INVALID_REQUEST_BODY","features":[563]},{"name":"MD_ERROR_SUB400_INVALID_TIMEOUT","features":[563]},{"name":"MD_ERROR_SUB400_INVALID_TRANSLATE","features":[563]},{"name":"MD_ERROR_SUB400_INVALID_WEBSOCKET_REQUEST","features":[563]},{"name":"MD_ERROR_SUB400_INVALID_XFF_HEADER","features":[563]},{"name":"MD_ERROR_SUB401_APPLICATION","features":[563]},{"name":"MD_ERROR_SUB401_FILTER","features":[563]},{"name":"MD_ERROR_SUB401_LOGON","features":[563]},{"name":"MD_ERROR_SUB401_LOGON_ACL","features":[563]},{"name":"MD_ERROR_SUB401_LOGON_CONFIG","features":[563]},{"name":"MD_ERROR_SUB401_URLAUTH_POLICY","features":[563]},{"name":"MD_ERROR_SUB403_ADDR_REJECT","features":[563]},{"name":"MD_ERROR_SUB403_APPPOOL_DENIED","features":[563]},{"name":"MD_ERROR_SUB403_CAL_EXCEEDED","features":[563]},{"name":"MD_ERROR_SUB403_CERT_BAD","features":[563]},{"name":"MD_ERROR_SUB403_CERT_REQUIRED","features":[563]},{"name":"MD_ERROR_SUB403_CERT_REVOKED","features":[563]},{"name":"MD_ERROR_SUB403_CERT_TIME_INVALID","features":[563]},{"name":"MD_ERROR_SUB403_DIR_LIST_DENIED","features":[563]},{"name":"MD_ERROR_SUB403_EXECUTE_ACCESS_DENIED","features":[563]},{"name":"MD_ERROR_SUB403_INFINITE_DEPTH_DENIED","features":[563]},{"name":"MD_ERROR_SUB403_INSUFFICIENT_PRIVILEGE_FOR_CGI","features":[563]},{"name":"MD_ERROR_SUB403_INVALID_CNFG","features":[563]},{"name":"MD_ERROR_SUB403_LOCK_TOKEN_REQUIRED","features":[563]},{"name":"MD_ERROR_SUB403_MAPPER_DENY_ACCESS","features":[563]},{"name":"MD_ERROR_SUB403_PASSPORT_LOGIN_FAILURE","features":[563]},{"name":"MD_ERROR_SUB403_PWD_CHANGE","features":[563]},{"name":"MD_ERROR_SUB403_READ_ACCESS_DENIED","features":[563]},{"name":"MD_ERROR_SUB403_SITE_ACCESS_DENIED","features":[563]},{"name":"MD_ERROR_SUB403_SOURCE_ACCESS_DENIED","features":[563]},{"name":"MD_ERROR_SUB403_SSL128_REQUIRED","features":[563]},{"name":"MD_ERROR_SUB403_SSL_REQUIRED","features":[563]},{"name":"MD_ERROR_SUB403_TOO_MANY_USERS","features":[563]},{"name":"MD_ERROR_SUB403_VALIDATION_FAILURE","features":[563]},{"name":"MD_ERROR_SUB403_WRITE_ACCESS_DENIED","features":[563]},{"name":"MD_ERROR_SUB404_DENIED_BY_FILTERING_RULE","features":[563]},{"name":"MD_ERROR_SUB404_DENIED_BY_MIMEMAP","features":[563]},{"name":"MD_ERROR_SUB404_DENIED_BY_POLICY","features":[563]},{"name":"MD_ERROR_SUB404_FILE_ATTRIBUTE_HIDDEN","features":[563]},{"name":"MD_ERROR_SUB404_FILE_EXTENSION_DENIED","features":[563]},{"name":"MD_ERROR_SUB404_HIDDEN_SEGMENT","features":[563]},{"name":"MD_ERROR_SUB404_NO_HANDLER","features":[563]},{"name":"MD_ERROR_SUB404_PRECONDITIONED_HANDLER","features":[563]},{"name":"MD_ERROR_SUB404_QUERY_STRING_SEQUENCE_DENIED","features":[563]},{"name":"MD_ERROR_SUB404_QUERY_STRING_TOO_LONG","features":[563]},{"name":"MD_ERROR_SUB404_SITE_NOT_FOUND","features":[563]},{"name":"MD_ERROR_SUB404_STATICFILE_DAV","features":[563]},{"name":"MD_ERROR_SUB404_TOO_MANY_URL_SEGMENTS","features":[563]},{"name":"MD_ERROR_SUB404_URL_DOUBLE_ESCAPED","features":[563]},{"name":"MD_ERROR_SUB404_URL_HAS_HIGH_BIT_CHARS","features":[563]},{"name":"MD_ERROR_SUB404_URL_SEQUENCE_DENIED","features":[563]},{"name":"MD_ERROR_SUB404_URL_TOO_LONG","features":[563]},{"name":"MD_ERROR_SUB404_VERB_DENIED","features":[563]},{"name":"MD_ERROR_SUB413_CONTENT_LENGTH_TOO_LARGE","features":[563]},{"name":"MD_ERROR_SUB423_LOCK_TOKEN_SUBMITTED","features":[563]},{"name":"MD_ERROR_SUB423_NO_CONFLICTING_LOCK","features":[563]},{"name":"MD_ERROR_SUB500_ASPNET_HANDLERS","features":[563]},{"name":"MD_ERROR_SUB500_ASPNET_IMPERSONATION","features":[563]},{"name":"MD_ERROR_SUB500_ASPNET_MODULES","features":[563]},{"name":"MD_ERROR_SUB500_BAD_METADATA","features":[563]},{"name":"MD_ERROR_SUB500_HANDLERS_MODULE","features":[563]},{"name":"MD_ERROR_SUB500_UNC_ACCESS","features":[563]},{"name":"MD_ERROR_SUB500_URLAUTH_NO_SCOPE","features":[563]},{"name":"MD_ERROR_SUB500_URLAUTH_NO_STORE","features":[563]},{"name":"MD_ERROR_SUB500_URLAUTH_STORE_ERROR","features":[563]},{"name":"MD_ERROR_SUB502_ARR_CONNECTION_ERROR","features":[563]},{"name":"MD_ERROR_SUB502_ARR_NO_SERVER","features":[563]},{"name":"MD_ERROR_SUB502_PREMATURE_EXIT","features":[563]},{"name":"MD_ERROR_SUB502_TIMEOUT","features":[563]},{"name":"MD_ERROR_SUB503_APP_CONCURRENT","features":[563]},{"name":"MD_ERROR_SUB503_ASPNET_QUEUE_FULL","features":[563]},{"name":"MD_ERROR_SUB503_CONNECTION_LIMIT","features":[563]},{"name":"MD_ERROR_SUB503_CPU_LIMIT","features":[563]},{"name":"MD_ERROR_SUB503_FASTCGI_QUEUE_FULL","features":[563]},{"name":"MD_EXIT_MESSAGE","features":[563]},{"name":"MD_EXPORT_INHERITED","features":[563]},{"name":"MD_EXPORT_NODE_ONLY","features":[563]},{"name":"MD_EXTLOG_BYTES_RECV","features":[563]},{"name":"MD_EXTLOG_BYTES_SENT","features":[563]},{"name":"MD_EXTLOG_CLIENT_IP","features":[563]},{"name":"MD_EXTLOG_COMPUTER_NAME","features":[563]},{"name":"MD_EXTLOG_COOKIE","features":[563]},{"name":"MD_EXTLOG_DATE","features":[563]},{"name":"MD_EXTLOG_HOST","features":[563]},{"name":"MD_EXTLOG_HTTP_STATUS","features":[563]},{"name":"MD_EXTLOG_HTTP_SUB_STATUS","features":[563]},{"name":"MD_EXTLOG_METHOD","features":[563]},{"name":"MD_EXTLOG_PROTOCOL_VERSION","features":[563]},{"name":"MD_EXTLOG_REFERER","features":[563]},{"name":"MD_EXTLOG_SERVER_IP","features":[563]},{"name":"MD_EXTLOG_SERVER_PORT","features":[563]},{"name":"MD_EXTLOG_SITE_NAME","features":[563]},{"name":"MD_EXTLOG_TIME","features":[563]},{"name":"MD_EXTLOG_TIME_TAKEN","features":[563]},{"name":"MD_EXTLOG_URI_QUERY","features":[563]},{"name":"MD_EXTLOG_URI_STEM","features":[563]},{"name":"MD_EXTLOG_USERNAME","features":[563]},{"name":"MD_EXTLOG_USER_AGENT","features":[563]},{"name":"MD_EXTLOG_WIN32_STATUS","features":[563]},{"name":"MD_FILTER_DESCRIPTION","features":[563]},{"name":"MD_FILTER_ENABLED","features":[563]},{"name":"MD_FILTER_ENABLE_CACHE","features":[563]},{"name":"MD_FILTER_FLAGS","features":[563]},{"name":"MD_FILTER_IMAGE_PATH","features":[563]},{"name":"MD_FILTER_LOAD_ORDER","features":[563]},{"name":"MD_FILTER_STATE","features":[563]},{"name":"MD_FILTER_STATE_LOADED","features":[563]},{"name":"MD_FILTER_STATE_UNLOADED","features":[563]},{"name":"MD_FOOTER_DOCUMENT","features":[563]},{"name":"MD_FOOTER_ENABLED","features":[563]},{"name":"MD_FRONTPAGE_WEB","features":[563]},{"name":"MD_FTPS_128_BITS","features":[563]},{"name":"MD_FTPS_ALLOW_CCC","features":[563]},{"name":"MD_FTPS_SECURE_ANONYMOUS","features":[563]},{"name":"MD_FTPS_SECURE_CONTROL_CHANNEL","features":[563]},{"name":"MD_FTPS_SECURE_DATA_CHANNEL","features":[563]},{"name":"MD_FTP_KEEP_PARTIAL_UPLOADS","features":[563]},{"name":"MD_FTP_LOG_IN_UTF_8","features":[563]},{"name":"MD_FTP_PASV_RESPONSE_IP","features":[563]},{"name":"MD_FTP_UTF8_FILE_NAMES","features":[563]},{"name":"MD_GLOBAL_BINARY_LOGGING_ENABLED","features":[563]},{"name":"MD_GLOBAL_BINSCHEMATIMESTAMP","features":[563]},{"name":"MD_GLOBAL_CHANGE_NUMBER","features":[563]},{"name":"MD_GLOBAL_EDIT_WHILE_RUNNING_MAJOR_VERSION_NUMBER","features":[563]},{"name":"MD_GLOBAL_EDIT_WHILE_RUNNING_MINOR_VERSION_NUMBER","features":[563]},{"name":"MD_GLOBAL_LOG_IN_UTF_8","features":[563]},{"name":"MD_GLOBAL_SESSIONKEY","features":[563]},{"name":"MD_GLOBAL_STANDARD_APP_MODE_ENABLED","features":[563]},{"name":"MD_GLOBAL_XMLSCHEMATIMESTAMP","features":[563]},{"name":"MD_GREETING_MESSAGE","features":[563]},{"name":"MD_HC_CACHE_CONTROL_HEADER","features":[563]},{"name":"MD_HC_COMPRESSION_BUFFER_SIZE","features":[563]},{"name":"MD_HC_COMPRESSION_DIRECTORY","features":[563]},{"name":"MD_HC_COMPRESSION_DLL","features":[563]},{"name":"MD_HC_CREATE_FLAGS","features":[563]},{"name":"MD_HC_DO_DISK_SPACE_LIMITING","features":[563]},{"name":"MD_HC_DO_DYNAMIC_COMPRESSION","features":[563]},{"name":"MD_HC_DO_NAMESPACE_DYNAMIC_COMPRESSION","features":[563]},{"name":"MD_HC_DO_NAMESPACE_STATIC_COMPRESSION","features":[563]},{"name":"MD_HC_DO_ON_DEMAND_COMPRESSION","features":[563]},{"name":"MD_HC_DO_STATIC_COMPRESSION","features":[563]},{"name":"MD_HC_DYNAMIC_COMPRESSION_LEVEL","features":[563]},{"name":"MD_HC_EXPIRES_HEADER","features":[563]},{"name":"MD_HC_FILES_DELETED_PER_DISK_FREE","features":[563]},{"name":"MD_HC_FILE_EXTENSIONS","features":[563]},{"name":"MD_HC_IO_BUFFER_SIZE","features":[563]},{"name":"MD_HC_MAX_DISK_SPACE_USAGE","features":[563]},{"name":"MD_HC_MAX_QUEUE_LENGTH","features":[563]},{"name":"MD_HC_MIME_TYPE","features":[563]},{"name":"MD_HC_MIN_FILE_SIZE_FOR_COMP","features":[563]},{"name":"MD_HC_NO_COMPRESSION_FOR_HTTP_10","features":[563]},{"name":"MD_HC_NO_COMPRESSION_FOR_PROXIES","features":[563]},{"name":"MD_HC_NO_COMPRESSION_FOR_RANGE","features":[563]},{"name":"MD_HC_ON_DEMAND_COMP_LEVEL","features":[563]},{"name":"MD_HC_PRIORITY","features":[563]},{"name":"MD_HC_SCRIPT_FILE_EXTENSIONS","features":[563]},{"name":"MD_HC_SEND_CACHE_HEADERS","features":[563]},{"name":"MD_HEADER_WAIT_TIMEOUT","features":[563]},{"name":"MD_HISTORY_LATEST","features":[563]},{"name":"MD_HTTPERRORS_EXISTING_RESPONSE","features":[563]},{"name":"MD_HTTP_CUSTOM","features":[563]},{"name":"MD_HTTP_EXPIRES","features":[563]},{"name":"MD_HTTP_FORWARDER_CUSTOM","features":[563]},{"name":"MD_HTTP_PICS","features":[563]},{"name":"MD_HTTP_REDIRECT","features":[563]},{"name":"MD_IISADMIN_EXTENSIONS","features":[563]},{"name":"MD_IMPORT_INHERITED","features":[563]},{"name":"MD_IMPORT_MERGE","features":[563]},{"name":"MD_IMPORT_NODE_ONLY","features":[563]},{"name":"MD_INSERT_PATH_STRING","features":[563]},{"name":"MD_INSERT_PATH_STRINGA","features":[563]},{"name":"MD_IN_PROCESS_ISAPI_APPS","features":[563]},{"name":"MD_IP_SEC","features":[563]},{"name":"MD_ISAPI_RESTRICTION_LIST","features":[563]},{"name":"MD_IS_CONTENT_INDEXED","features":[563]},{"name":"MD_KEY_TYPE","features":[563]},{"name":"MD_LEVELS_TO_SCAN","features":[563]},{"name":"MD_LOAD_BALANCER_CAPABILITIES","features":[563]},{"name":"MD_LOAD_BALANCER_CAPABILITIES_BASIC","features":[563]},{"name":"MD_LOAD_BALANCER_CAPABILITIES_SOPHISTICATED","features":[563]},{"name":"MD_LOCATION","features":[563]},{"name":"MD_LOGCUSTOM_DATATYPE_DOUBLE","features":[563]},{"name":"MD_LOGCUSTOM_DATATYPE_FLOAT","features":[563]},{"name":"MD_LOGCUSTOM_DATATYPE_INT","features":[563]},{"name":"MD_LOGCUSTOM_DATATYPE_LONG","features":[563]},{"name":"MD_LOGCUSTOM_DATATYPE_LPSTR","features":[563]},{"name":"MD_LOGCUSTOM_DATATYPE_LPWSTR","features":[563]},{"name":"MD_LOGCUSTOM_DATATYPE_UINT","features":[563]},{"name":"MD_LOGCUSTOM_DATATYPE_ULONG","features":[563]},{"name":"MD_LOGCUSTOM_PROPERTY_DATATYPE","features":[563]},{"name":"MD_LOGCUSTOM_PROPERTY_HEADER","features":[563]},{"name":"MD_LOGCUSTOM_PROPERTY_ID","features":[563]},{"name":"MD_LOGCUSTOM_PROPERTY_MASK","features":[563]},{"name":"MD_LOGCUSTOM_PROPERTY_NAME","features":[563]},{"name":"MD_LOGCUSTOM_PROPERTY_NODE_ID","features":[563]},{"name":"MD_LOGCUSTOM_SERVICES_STRING","features":[563]},{"name":"MD_LOGEXT_FIELD_MASK","features":[563]},{"name":"MD_LOGEXT_FIELD_MASK2","features":[563]},{"name":"MD_LOGFILE_DIRECTORY","features":[563]},{"name":"MD_LOGFILE_LOCALTIME_ROLLOVER","features":[563]},{"name":"MD_LOGFILE_PERIOD","features":[563]},{"name":"MD_LOGFILE_PERIOD_DAILY","features":[563]},{"name":"MD_LOGFILE_PERIOD_HOURLY","features":[563]},{"name":"MD_LOGFILE_PERIOD_MAXSIZE","features":[563]},{"name":"MD_LOGFILE_PERIOD_MONTHLY","features":[563]},{"name":"MD_LOGFILE_PERIOD_NONE","features":[563]},{"name":"MD_LOGFILE_PERIOD_WEEKLY","features":[563]},{"name":"MD_LOGFILE_TRUNCATE_SIZE","features":[563]},{"name":"MD_LOGON_BATCH","features":[563]},{"name":"MD_LOGON_INTERACTIVE","features":[563]},{"name":"MD_LOGON_METHOD","features":[563]},{"name":"MD_LOGON_NETWORK","features":[563]},{"name":"MD_LOGON_NETWORK_CLEARTEXT","features":[563]},{"name":"MD_LOGSQL_DATA_SOURCES","features":[563]},{"name":"MD_LOGSQL_PASSWORD","features":[563]},{"name":"MD_LOGSQL_TABLE_NAME","features":[563]},{"name":"MD_LOGSQL_USER_NAME","features":[563]},{"name":"MD_LOG_ANONYMOUS","features":[563]},{"name":"MD_LOG_NONANONYMOUS","features":[563]},{"name":"MD_LOG_PLUGINS_AVAILABLE","features":[563]},{"name":"MD_LOG_PLUGIN_MOD_ID","features":[563]},{"name":"MD_LOG_PLUGIN_ORDER","features":[563]},{"name":"MD_LOG_PLUGIN_UI_ID","features":[563]},{"name":"MD_LOG_TYPE","features":[563]},{"name":"MD_LOG_TYPE_DISABLED","features":[563]},{"name":"MD_LOG_TYPE_ENABLED","features":[563]},{"name":"MD_LOG_UNUSED1","features":[563]},{"name":"MD_MAX_BANDWIDTH","features":[563]},{"name":"MD_MAX_BANDWIDTH_BLOCKED","features":[563]},{"name":"MD_MAX_CHANGE_ENTRIES","features":[563]},{"name":"MD_MAX_CLIENTS_MESSAGE","features":[563]},{"name":"MD_MAX_CONNECTIONS","features":[563]},{"name":"MD_MAX_ENDPOINT_CONNECTIONS","features":[563]},{"name":"MD_MAX_ERROR_FILES","features":[563]},{"name":"MD_MAX_GLOBAL_BANDWIDTH","features":[563]},{"name":"MD_MAX_GLOBAL_CONNECTIONS","features":[563]},{"name":"MD_MAX_REQUEST_ENTITY_ALLOWED","features":[563]},{"name":"MD_MD_SERVER_SS_AUTH_MAPPING","features":[563]},{"name":"MD_METADATA_ID_REGISTRATION","features":[563]},{"name":"MD_MIME_MAP","features":[563]},{"name":"MD_MIN_FILE_BYTES_PER_SEC","features":[563]},{"name":"MD_MSDOS_DIR_OUTPUT","features":[563]},{"name":"MD_NETLOGON_WKS_DNS","features":[563]},{"name":"MD_NETLOGON_WKS_IP","features":[563]},{"name":"MD_NETLOGON_WKS_NONE","features":[563]},{"name":"MD_NET_LOGON_WKS","features":[563]},{"name":"MD_NOTIFEXAUTH_NTLMSSL","features":[563]},{"name":"MD_NOTIFY_ACCESS_DENIED","features":[563]},{"name":"MD_NOTIFY_AUTHENTICATION","features":[563]},{"name":"MD_NOTIFY_AUTH_COMPLETE","features":[563]},{"name":"MD_NOTIFY_END_OF_NET_SESSION","features":[563]},{"name":"MD_NOTIFY_END_OF_REQUEST","features":[563]},{"name":"MD_NOTIFY_LOG","features":[563]},{"name":"MD_NOTIFY_NONSECURE_PORT","features":[563]},{"name":"MD_NOTIFY_ORDER_DEFAULT","features":[563]},{"name":"MD_NOTIFY_ORDER_HIGH","features":[563]},{"name":"MD_NOTIFY_ORDER_LOW","features":[563]},{"name":"MD_NOTIFY_ORDER_MEDIUM","features":[563]},{"name":"MD_NOTIFY_PREPROC_HEADERS","features":[563]},{"name":"MD_NOTIFY_READ_RAW_DATA","features":[563]},{"name":"MD_NOTIFY_SECURE_PORT","features":[563]},{"name":"MD_NOTIFY_SEND_RAW_DATA","features":[563]},{"name":"MD_NOTIFY_SEND_RESPONSE","features":[563]},{"name":"MD_NOTIFY_URL_MAP","features":[563]},{"name":"MD_NOT_DELETABLE","features":[563]},{"name":"MD_NTAUTHENTICATION_PROVIDERS","features":[563]},{"name":"MD_PASSIVE_PORT_RANGE","features":[563]},{"name":"MD_PASSPORT_NEED_MAPPING","features":[563]},{"name":"MD_PASSPORT_NO_MAPPING","features":[563]},{"name":"MD_PASSPORT_REQUIRE_AD_MAPPING","features":[563]},{"name":"MD_PASSPORT_TRY_MAPPING","features":[563]},{"name":"MD_POOL_IDC_TIMEOUT","features":[563]},{"name":"MD_PROCESS_NTCR_IF_LOGGED_ON","features":[563]},{"name":"MD_PUT_READ_SIZE","features":[563]},{"name":"MD_RAPID_FAIL_PROTECTION_INTERVAL","features":[563]},{"name":"MD_RAPID_FAIL_PROTECTION_MAX_CRASHES","features":[563]},{"name":"MD_REALM","features":[563]},{"name":"MD_REDIRECT_HEADERS","features":[563]},{"name":"MD_RESTRICTION_LIST_CUSTOM_DESC","features":[563]},{"name":"MD_ROOT_ENABLE_EDIT_WHILE_RUNNING","features":[563]},{"name":"MD_ROOT_ENABLE_HISTORY","features":[563]},{"name":"MD_ROOT_MAX_HISTORY_FILES","features":[563]},{"name":"MD_SCHEMA_METAID","features":[563]},{"name":"MD_SCRIPTMAPFLAG_ALLOWED_ON_READ_DIR","features":[563]},{"name":"MD_SCRIPTMAPFLAG_CHECK_PATH_INFO","features":[563]},{"name":"MD_SCRIPTMAPFLAG_SCRIPT","features":[563]},{"name":"MD_SCRIPT_MAPS","features":[563]},{"name":"MD_SCRIPT_TIMEOUT","features":[563]},{"name":"MD_SECURE_BINDINGS","features":[563]},{"name":"MD_SECURITY_SETUP_REQUIRED","features":[563]},{"name":"MD_SERVER_AUTOSTART","features":[563]},{"name":"MD_SERVER_BINDINGS","features":[563]},{"name":"MD_SERVER_COMMAND","features":[563]},{"name":"MD_SERVER_COMMAND_CONTINUE","features":[563]},{"name":"MD_SERVER_COMMAND_PAUSE","features":[563]},{"name":"MD_SERVER_COMMAND_START","features":[563]},{"name":"MD_SERVER_COMMAND_STOP","features":[563]},{"name":"MD_SERVER_COMMENT","features":[563]},{"name":"MD_SERVER_CONFIGURATION_INFO","features":[563]},{"name":"MD_SERVER_CONFIG_ALLOW_ENCRYPT","features":[563]},{"name":"MD_SERVER_CONFIG_AUTO_PW_SYNC","features":[563]},{"name":"MD_SERVER_CONFIG_SSL_128","features":[563]},{"name":"MD_SERVER_CONFIG_SSL_40","features":[563]},{"name":"MD_SERVER_LISTEN_BACKLOG","features":[563]},{"name":"MD_SERVER_LISTEN_TIMEOUT","features":[563]},{"name":"MD_SERVER_SIZE","features":[563]},{"name":"MD_SERVER_SIZE_LARGE","features":[563]},{"name":"MD_SERVER_SIZE_MEDIUM","features":[563]},{"name":"MD_SERVER_SIZE_SMALL","features":[563]},{"name":"MD_SERVER_STATE","features":[563]},{"name":"MD_SERVER_STATE_CONTINUING","features":[563]},{"name":"MD_SERVER_STATE_PAUSED","features":[563]},{"name":"MD_SERVER_STATE_PAUSING","features":[563]},{"name":"MD_SERVER_STATE_STARTED","features":[563]},{"name":"MD_SERVER_STATE_STARTING","features":[563]},{"name":"MD_SERVER_STATE_STOPPED","features":[563]},{"name":"MD_SERVER_STATE_STOPPING","features":[563]},{"name":"MD_SET_HOST_NAME","features":[563]},{"name":"MD_SHOW_4_DIGIT_YEAR","features":[563]},{"name":"MD_SSI_EXEC_DISABLED","features":[563]},{"name":"MD_SSL_ACCESS_PERM","features":[563]},{"name":"MD_SSL_ALWAYS_NEGO_CLIENT_CERT","features":[563]},{"name":"MD_SSL_KEY_PASSWORD","features":[563]},{"name":"MD_SSL_KEY_REQUEST","features":[563]},{"name":"MD_SSL_PRIVATE_KEY","features":[563]},{"name":"MD_SSL_PUBLIC_KEY","features":[563]},{"name":"MD_SSL_USE_DS_MAPPER","features":[563]},{"name":"MD_STOP_LISTENING","features":[563]},{"name":"MD_SUPPRESS_DEFAULT_BANNER","features":[563]},{"name":"MD_UPLOAD_READAHEAD_SIZE","features":[563]},{"name":"MD_URL_AUTHORIZATION_IMPERSONATION_LEVEL","features":[563]},{"name":"MD_URL_AUTHORIZATION_SCOPE_NAME","features":[563]},{"name":"MD_URL_AUTHORIZATION_STORE_NAME","features":[563]},{"name":"MD_USER_ISOLATION","features":[563]},{"name":"MD_USER_ISOLATION_AD","features":[563]},{"name":"MD_USER_ISOLATION_BASIC","features":[563]},{"name":"MD_USER_ISOLATION_LAST","features":[563]},{"name":"MD_USER_ISOLATION_NONE","features":[563]},{"name":"MD_USE_DIGEST_SSP","features":[563]},{"name":"MD_USE_HOST_NAME","features":[563]},{"name":"MD_VR_IGNORE_TRANSLATE","features":[563]},{"name":"MD_VR_NO_CACHE","features":[563]},{"name":"MD_VR_PASSTHROUGH","features":[563]},{"name":"MD_VR_PASSWORD","features":[563]},{"name":"MD_VR_PATH","features":[563]},{"name":"MD_VR_USERNAME","features":[563]},{"name":"MD_WAM_PWD","features":[563]},{"name":"MD_WAM_USER_NAME","features":[563]},{"name":"MD_WARNING_DUP_NAME","features":[563]},{"name":"MD_WARNING_INVALID_DATA","features":[563]},{"name":"MD_WARNING_PATH_NOT_FOUND","features":[563]},{"name":"MD_WARNING_PATH_NOT_INSERTED","features":[563]},{"name":"MD_WARNING_SAVE_FAILED","features":[563]},{"name":"MD_WEBDAV_MAX_ATTRIBUTES_PER_ELEMENT","features":[563]},{"name":"MD_WEB_SVC_EXT_RESTRICTION_LIST","features":[563]},{"name":"MD_WIN32_ERROR","features":[563]},{"name":"METADATATYPES","features":[563]},{"name":"METADATA_DONT_EXPAND","features":[563]},{"name":"METADATA_GETALL_INTERNAL_RECORD","features":[563]},{"name":"METADATA_GETALL_RECORD","features":[563]},{"name":"METADATA_HANDLE_INFO","features":[563]},{"name":"METADATA_INHERIT","features":[563]},{"name":"METADATA_INSERT_PATH","features":[563]},{"name":"METADATA_ISINHERITED","features":[563]},{"name":"METADATA_LOCAL_MACHINE_ONLY","features":[563]},{"name":"METADATA_MASTER_ROOT_HANDLE","features":[563]},{"name":"METADATA_MAX_NAME_LEN","features":[563]},{"name":"METADATA_NON_SECURE_ONLY","features":[563]},{"name":"METADATA_NO_ATTRIBUTES","features":[563]},{"name":"METADATA_PARTIAL_PATH","features":[563]},{"name":"METADATA_PERMISSION_READ","features":[563]},{"name":"METADATA_PERMISSION_WRITE","features":[563]},{"name":"METADATA_RECORD","features":[563]},{"name":"METADATA_REFERENCE","features":[563]},{"name":"METADATA_SECURE","features":[563]},{"name":"METADATA_VOLATILE","features":[563]},{"name":"MSCS_MD_ID_BEGIN_RESERVED","features":[563]},{"name":"MSCS_MD_ID_END_RESERVED","features":[563]},{"name":"MULTISZ_METADATA","features":[563]},{"name":"NNTP_MD_ID_BEGIN_RESERVED","features":[563]},{"name":"NNTP_MD_ID_END_RESERVED","features":[563]},{"name":"PFN_GETEXTENSIONVERSION","features":[308,563]},{"name":"PFN_HSE_CACHE_INVALIDATION_CALLBACK","features":[563]},{"name":"PFN_HSE_GET_PROTOCOL_MANAGER_CUSTOM_INTERFACE_CALLBACK","features":[563]},{"name":"PFN_HSE_IO_COMPLETION","features":[308,563]},{"name":"PFN_HTTPEXTENSIONPROC","features":[308,563]},{"name":"PFN_IIS_GETSERVERVARIABLE","features":[308,563]},{"name":"PFN_IIS_READCLIENT","features":[308,563]},{"name":"PFN_IIS_SERVERSUPPORTFUNCTION","features":[308,563]},{"name":"PFN_IIS_WRITECLIENT","features":[308,563]},{"name":"PFN_TERMINATEEXTENSION","features":[308,563]},{"name":"PFN_WEB_CORE_ACTIVATE","features":[563]},{"name":"PFN_WEB_CORE_SET_METADATA_DLL_ENTRY","features":[563]},{"name":"PFN_WEB_CORE_SHUTDOWN","features":[563]},{"name":"POP3_MD_ID_BEGIN_RESERVED","features":[563]},{"name":"POP3_MD_ID_END_RESERVED","features":[563]},{"name":"POST_PROCESS_PARAMETERS","features":[308,563]},{"name":"PRE_PROCESS_PARAMETERS","features":[308,563]},{"name":"SF_DENIED_APPLICATION","features":[563]},{"name":"SF_DENIED_BY_CONFIG","features":[563]},{"name":"SF_DENIED_FILTER","features":[563]},{"name":"SF_DENIED_LOGON","features":[563]},{"name":"SF_DENIED_RESOURCE","features":[563]},{"name":"SF_MAX_AUTH_TYPE","features":[563]},{"name":"SF_MAX_FILTER_DESC_LEN","features":[563]},{"name":"SF_MAX_PASSWORD","features":[563]},{"name":"SF_MAX_USERNAME","features":[563]},{"name":"SF_NOTIFY_ACCESS_DENIED","features":[563]},{"name":"SF_NOTIFY_AUTHENTICATION","features":[563]},{"name":"SF_NOTIFY_AUTH_COMPLETE","features":[563]},{"name":"SF_NOTIFY_END_OF_NET_SESSION","features":[563]},{"name":"SF_NOTIFY_END_OF_REQUEST","features":[563]},{"name":"SF_NOTIFY_LOG","features":[563]},{"name":"SF_NOTIFY_NONSECURE_PORT","features":[563]},{"name":"SF_NOTIFY_ORDER_DEFAULT","features":[563]},{"name":"SF_NOTIFY_ORDER_HIGH","features":[563]},{"name":"SF_NOTIFY_ORDER_LOW","features":[563]},{"name":"SF_NOTIFY_ORDER_MEDIUM","features":[563]},{"name":"SF_NOTIFY_PREPROC_HEADERS","features":[563]},{"name":"SF_NOTIFY_READ_RAW_DATA","features":[563]},{"name":"SF_NOTIFY_SECURE_PORT","features":[563]},{"name":"SF_NOTIFY_SEND_RAW_DATA","features":[563]},{"name":"SF_NOTIFY_SEND_RESPONSE","features":[563]},{"name":"SF_NOTIFY_URL_MAP","features":[563]},{"name":"SF_PROPERTY_IIS","features":[563]},{"name":"SF_PROPERTY_INSTANCE_NUM_ID","features":[563]},{"name":"SF_PROPERTY_SSL_CTXT","features":[563]},{"name":"SF_REQ_ADD_HEADERS_ON_DENIAL","features":[563]},{"name":"SF_REQ_DISABLE_NOTIFICATIONS","features":[563]},{"name":"SF_REQ_GET_CONNID","features":[563]},{"name":"SF_REQ_GET_PROPERTY","features":[563]},{"name":"SF_REQ_NORMALIZE_URL","features":[563]},{"name":"SF_REQ_SEND_RESPONSE_HEADER","features":[563]},{"name":"SF_REQ_SET_CERTIFICATE_INFO","features":[563]},{"name":"SF_REQ_SET_NEXT_READ_SIZE","features":[563]},{"name":"SF_REQ_SET_PROXY_INFO","features":[563]},{"name":"SF_REQ_TYPE","features":[563]},{"name":"SF_STATUS_REQ_ERROR","features":[563]},{"name":"SF_STATUS_REQ_FINISHED","features":[563]},{"name":"SF_STATUS_REQ_FINISHED_KEEP_CONN","features":[563]},{"name":"SF_STATUS_REQ_HANDLED_NOTIFICATION","features":[563]},{"name":"SF_STATUS_REQ_NEXT_NOTIFICATION","features":[563]},{"name":"SF_STATUS_REQ_READ_NEXT","features":[563]},{"name":"SF_STATUS_TYPE","features":[563]},{"name":"SMTP_MD_ID_BEGIN_RESERVED","features":[563]},{"name":"SMTP_MD_ID_END_RESERVED","features":[563]},{"name":"STRING_METADATA","features":[563]},{"name":"USER_MD_ID_BASE_RESERVED","features":[563]},{"name":"WAM_MD_ID_BEGIN_RESERVED","features":[563]},{"name":"WAM_MD_ID_END_RESERVED","features":[563]},{"name":"WAM_MD_SERVER_BASE","features":[563]},{"name":"WEBDAV_MD_SERVER_BASE","features":[563]},{"name":"WEB_CORE_ACTIVATE_DLL_ENTRY","features":[563]},{"name":"WEB_CORE_DLL_NAME","features":[563]},{"name":"WEB_CORE_SET_METADATA_DLL_ENTRY","features":[563]},{"name":"WEB_CORE_SHUTDOWN_DLL_ENTRY","features":[563]}],"573":[{"name":"ABL_5_WO","features":[328]},{"name":"ADR_1","features":[328]},{"name":"ADR_2","features":[328]},{"name":"AIT1_8mm","features":[328]},{"name":"AIT_8mm","features":[328]},{"name":"AME_8mm","features":[328]},{"name":"ASSERT_ALTERNATE","features":[328]},{"name":"ASSERT_PRIMARY","features":[328]},{"name":"ASYNC_DUPLICATE_EXTENTS_STATUS","features":[328]},{"name":"ATAPI_ID_CMD","features":[328]},{"name":"AVATAR_F2","features":[328]},{"name":"AllElements","features":[328]},{"name":"AtaDataTypeIdentify","features":[328]},{"name":"AtaDataTypeLogPage","features":[328]},{"name":"AtaDataTypeUnknown","features":[328]},{"name":"BIN_COUNT","features":[328]},{"name":"BIN_RANGE","features":[328]},{"name":"BIN_RESULTS","features":[328]},{"name":"BIN_TYPES","features":[328]},{"name":"BOOT_AREA_INFO","features":[328]},{"name":"BULK_SECURITY_TEST_DATA","features":[328]},{"name":"CAP_ATAPI_ID_CMD","features":[328]},{"name":"CAP_ATA_ID_CMD","features":[328]},{"name":"CAP_SMART_CMD","features":[328]},{"name":"CDB_SIZE","features":[328]},{"name":"CD_R","features":[328]},{"name":"CD_ROM","features":[328]},{"name":"CD_RW","features":[328]},{"name":"CHANGER_BAR_CODE_SCANNER_INSTALLED","features":[328]},{"name":"CHANGER_CARTRIDGE_MAGAZINE","features":[328]},{"name":"CHANGER_CLEANER_ACCESS_NOT_VALID","features":[328]},{"name":"CHANGER_CLEANER_AUTODISMOUNT","features":[328]},{"name":"CHANGER_CLEANER_OPS_NOT_SUPPORTED","features":[328]},{"name":"CHANGER_CLEANER_SLOT","features":[328]},{"name":"CHANGER_CLOSE_IEPORT","features":[328]},{"name":"CHANGER_DEVICE_PROBLEM_TYPE","features":[328]},{"name":"CHANGER_DEVICE_REINITIALIZE_CAPABLE","features":[328]},{"name":"CHANGER_DRIVE_CLEANING_REQUIRED","features":[328]},{"name":"CHANGER_DRIVE_EMPTY_ON_DOOR_ACCESS","features":[328]},{"name":"CHANGER_ELEMENT","features":[328]},{"name":"CHANGER_ELEMENT_LIST","features":[328]},{"name":"CHANGER_ELEMENT_STATUS","features":[328]},{"name":"CHANGER_ELEMENT_STATUS_EX","features":[328]},{"name":"CHANGER_ELEMENT_STATUS_FLAGS","features":[328]},{"name":"CHANGER_EXCHANGE_MEDIA","features":[328]},{"name":"CHANGER_EXCHANGE_MEDIUM","features":[308,328]},{"name":"CHANGER_FEATURES","features":[328]},{"name":"CHANGER_IEPORT_USER_CONTROL_CLOSE","features":[328]},{"name":"CHANGER_IEPORT_USER_CONTROL_OPEN","features":[328]},{"name":"CHANGER_INITIALIZE_ELEMENT_STATUS","features":[308,328]},{"name":"CHANGER_INIT_ELEM_STAT_WITH_RANGE","features":[328]},{"name":"CHANGER_KEYPAD_ENABLE_DISABLE","features":[328]},{"name":"CHANGER_LOCK_UNLOCK","features":[328]},{"name":"CHANGER_MEDIUM_FLIP","features":[328]},{"name":"CHANGER_MOVE_EXTENDS_IEPORT","features":[328]},{"name":"CHANGER_MOVE_MEDIUM","features":[308,328]},{"name":"CHANGER_MOVE_RETRACTS_IEPORT","features":[328]},{"name":"CHANGER_OPEN_IEPORT","features":[328]},{"name":"CHANGER_POSITION_TO_ELEMENT","features":[328]},{"name":"CHANGER_PREDISMOUNT_ALIGN_TO_DRIVE","features":[328]},{"name":"CHANGER_PREDISMOUNT_ALIGN_TO_SLOT","features":[328]},{"name":"CHANGER_PREDISMOUNT_EJECT_REQUIRED","features":[328]},{"name":"CHANGER_PREMOUNT_EJECT_REQUIRED","features":[328]},{"name":"CHANGER_PRODUCT_DATA","features":[328]},{"name":"CHANGER_READ_ELEMENT_STATUS","features":[308,328]},{"name":"CHANGER_REPORT_IEPORT_STATE","features":[328]},{"name":"CHANGER_RESERVED_BIT","features":[328]},{"name":"CHANGER_RTN_MEDIA_TO_ORIGINAL_ADDR","features":[328]},{"name":"CHANGER_SEND_VOLUME_TAG_INFORMATION","features":[328]},{"name":"CHANGER_SERIAL_NUMBER_VALID","features":[328]},{"name":"CHANGER_SET_ACCESS","features":[328]},{"name":"CHANGER_SET_POSITION","features":[308,328]},{"name":"CHANGER_SLOTS_USE_TRAYS","features":[328]},{"name":"CHANGER_STATUS_NON_VOLATILE","features":[328]},{"name":"CHANGER_STORAGE_DRIVE","features":[328]},{"name":"CHANGER_STORAGE_IEPORT","features":[328]},{"name":"CHANGER_STORAGE_SLOT","features":[328]},{"name":"CHANGER_STORAGE_TRANSPORT","features":[328]},{"name":"CHANGER_TO_DRIVE","features":[328]},{"name":"CHANGER_TO_IEPORT","features":[328]},{"name":"CHANGER_TO_SLOT","features":[328]},{"name":"CHANGER_TO_TRANSPORT","features":[328]},{"name":"CHANGER_TRUE_EXCHANGE_CAPABLE","features":[328]},{"name":"CHANGER_VOLUME_ASSERT","features":[328]},{"name":"CHANGER_VOLUME_IDENTIFICATION","features":[328]},{"name":"CHANGER_VOLUME_REPLACE","features":[328]},{"name":"CHANGER_VOLUME_SEARCH","features":[328]},{"name":"CHANGER_VOLUME_UNDEFINE","features":[328]},{"name":"CHECKSUM_TYPE_CRC32","features":[328]},{"name":"CHECKSUM_TYPE_CRC64","features":[328]},{"name":"CHECKSUM_TYPE_ECC","features":[328]},{"name":"CHECKSUM_TYPE_FIRST_UNUSED_TYPE","features":[328]},{"name":"CHECKSUM_TYPE_NONE","features":[328]},{"name":"CHECKSUM_TYPE_SHA256","features":[328]},{"name":"CLASS_MEDIA_CHANGE_CONTEXT","features":[328]},{"name":"CLEANER_CARTRIDGE","features":[328]},{"name":"CLUSTER_RANGE","features":[328]},{"name":"CONTAINER_ROOT_INFO_FLAG_BIND_DO_NOT_MAP_NAME","features":[328]},{"name":"CONTAINER_ROOT_INFO_FLAG_BIND_EXCEPTION_ROOT","features":[328]},{"name":"CONTAINER_ROOT_INFO_FLAG_BIND_ROOT","features":[328]},{"name":"CONTAINER_ROOT_INFO_FLAG_BIND_TARGET_ROOT","features":[328]},{"name":"CONTAINER_ROOT_INFO_FLAG_LAYER_ROOT","features":[328]},{"name":"CONTAINER_ROOT_INFO_FLAG_SCRATCH_ROOT","features":[328]},{"name":"CONTAINER_ROOT_INFO_FLAG_UNION_LAYER_ROOT","features":[328]},{"name":"CONTAINER_ROOT_INFO_FLAG_VIRTUALIZATION_EXCEPTION_ROOT","features":[328]},{"name":"CONTAINER_ROOT_INFO_FLAG_VIRTUALIZATION_ROOT","features":[328]},{"name":"CONTAINER_ROOT_INFO_FLAG_VIRTUALIZATION_TARGET_ROOT","features":[328]},{"name":"CONTAINER_ROOT_INFO_INPUT","features":[328]},{"name":"CONTAINER_ROOT_INFO_OUTPUT","features":[328]},{"name":"CONTAINER_ROOT_INFO_VALID_FLAGS","features":[328]},{"name":"CONTAINER_VOLUME_STATE","features":[328]},{"name":"CONTAINER_VOLUME_STATE_HOSTING_CONTAINER","features":[328]},{"name":"COPYFILE_SIS_FLAGS","features":[328]},{"name":"COPYFILE_SIS_LINK","features":[328]},{"name":"COPYFILE_SIS_REPLACE","features":[328]},{"name":"CREATE_DISK","features":[328]},{"name":"CREATE_DISK_GPT","features":[328]},{"name":"CREATE_DISK_MBR","features":[328]},{"name":"CREATE_USN_JOURNAL_DATA","features":[328]},{"name":"CSVFS_DISK_CONNECTIVITY","features":[328]},{"name":"CSV_CONTROL_OP","features":[328]},{"name":"CSV_CONTROL_PARAM","features":[328]},{"name":"CSV_INVALID_DEVICE_NUMBER","features":[328]},{"name":"CSV_IS_OWNED_BY_CSVFS","features":[308,328]},{"name":"CSV_MGMTLOCK_CHECK_VOLUME_REDIRECTED","features":[328]},{"name":"CSV_MGMT_LOCK","features":[328]},{"name":"CSV_NAMESPACE_INFO","features":[328]},{"name":"CSV_QUERY_FILE_REVISION","features":[328]},{"name":"CSV_QUERY_FILE_REVISION_FILE_ID_128","features":[327,328]},{"name":"CSV_QUERY_MDS_PATH","features":[328]},{"name":"CSV_QUERY_MDS_PATH_FLAG_CSV_DIRECT_IO_ENABLED","features":[328]},{"name":"CSV_QUERY_MDS_PATH_FLAG_SMB_BYPASS_CSV_ENABLED","features":[328]},{"name":"CSV_QUERY_MDS_PATH_FLAG_STORAGE_ON_THIS_NODE_IS_CONNECTED","features":[328]},{"name":"CSV_QUERY_MDS_PATH_V2","features":[328]},{"name":"CSV_QUERY_MDS_PATH_V2_VERSION_1","features":[328]},{"name":"CSV_QUERY_REDIRECT_STATE","features":[308,328]},{"name":"CSV_QUERY_VETO_FILE_DIRECT_IO_OUTPUT","features":[328]},{"name":"CSV_QUERY_VOLUME_ID","features":[328]},{"name":"CSV_QUERY_VOLUME_REDIRECT_STATE","features":[308,328]},{"name":"CSV_SET_VOLUME_ID","features":[328]},{"name":"CYGNET_12_WO","features":[328]},{"name":"ChangerDoor","features":[328]},{"name":"ChangerDrive","features":[328]},{"name":"ChangerIEPort","features":[328]},{"name":"ChangerKeypad","features":[328]},{"name":"ChangerMaxElement","features":[328]},{"name":"ChangerSlot","features":[328]},{"name":"ChangerTransport","features":[328]},{"name":"CsvControlDisableCaching","features":[328]},{"name":"CsvControlEnableCaching","features":[328]},{"name":"CsvControlEnableUSNRangeModificationTracking","features":[328]},{"name":"CsvControlGetCsvFsMdsPathV2","features":[328]},{"name":"CsvControlMarkHandleLocalVolumeMount","features":[328]},{"name":"CsvControlQueryFileRevision","features":[328]},{"name":"CsvControlQueryFileRevisionFileId128","features":[328]},{"name":"CsvControlQueryMdsPath","features":[328]},{"name":"CsvControlQueryMdsPathNoPause","features":[328]},{"name":"CsvControlQueryRedirectState","features":[328]},{"name":"CsvControlQueryVolumeId","features":[328]},{"name":"CsvControlQueryVolumeRedirectState","features":[328]},{"name":"CsvControlSetVolumeId","features":[328]},{"name":"CsvControlStartForceDFO","features":[328]},{"name":"CsvControlStartRedirectFile","features":[328]},{"name":"CsvControlStopForceDFO","features":[328]},{"name":"CsvControlStopRedirectFile","features":[328]},{"name":"CsvControlUnmarkHandleLocalVolumeMount","features":[328]},{"name":"CsvFsDiskConnectivityAllNodes","features":[328]},{"name":"CsvFsDiskConnectivityMdsNodeOnly","features":[328]},{"name":"CsvFsDiskConnectivityNone","features":[328]},{"name":"CsvFsDiskConnectivitySubsetOfNodes","features":[328]},{"name":"DAX_ALLOC_ALIGNMENT_FLAG_FALLBACK_SPECIFIED","features":[328]},{"name":"DAX_ALLOC_ALIGNMENT_FLAG_MANDATORY","features":[328]},{"name":"DDS_4mm","features":[328]},{"name":"DDUMP_FLAG_DATA_READ_FROM_DEVICE","features":[328]},{"name":"DECRYPTION_STATUS_BUFFER","features":[308,328]},{"name":"DELETE_USN_JOURNAL_DATA","features":[328]},{"name":"DETECTION_TYPE","features":[328]},{"name":"DEVICEDUMP_CAP_PRIVATE_SECTION","features":[328]},{"name":"DEVICEDUMP_CAP_RESTRICTED_SECTION","features":[328]},{"name":"DEVICEDUMP_COLLECTION_TYPEIDE_NOTIFICATION_TYPE","features":[328]},{"name":"DEVICEDUMP_MAX_IDSTRING","features":[328]},{"name":"DEVICEDUMP_PRIVATE_SUBSECTION","features":[328]},{"name":"DEVICEDUMP_PUBLIC_SUBSECTION","features":[328]},{"name":"DEVICEDUMP_RESTRICTED_SUBSECTION","features":[328]},{"name":"DEVICEDUMP_SECTION_HEADER","features":[328]},{"name":"DEVICEDUMP_STORAGEDEVICE_DATA","features":[328]},{"name":"DEVICEDUMP_STORAGESTACK_PUBLIC_DUMP","features":[328]},{"name":"DEVICEDUMP_STORAGESTACK_PUBLIC_STATE_RECORD","features":[328]},{"name":"DEVICEDUMP_STRUCTURE_VERSION","features":[328]},{"name":"DEVICEDUMP_STRUCTURE_VERSION_V1","features":[328]},{"name":"DEVICEDUMP_SUBSECTION_POINTER","features":[328]},{"name":"DEVICE_COPY_OFFLOAD_DESCRIPTOR","features":[328]},{"name":"DEVICE_DATA_SET_LBP_STATE_PARAMETERS","features":[328]},{"name":"DEVICE_DATA_SET_LBP_STATE_PARAMETERS_VERSION_V1","features":[328]},{"name":"DEVICE_DATA_SET_LB_PROVISIONING_STATE","features":[328]},{"name":"DEVICE_DATA_SET_LB_PROVISIONING_STATE_V2","features":[328]},{"name":"DEVICE_DATA_SET_RANGE","features":[328]},{"name":"DEVICE_DATA_SET_REPAIR_OUTPUT","features":[328]},{"name":"DEVICE_DATA_SET_REPAIR_PARAMETERS","features":[328]},{"name":"DEVICE_DATA_SET_SCRUB_EX_OUTPUT","features":[328]},{"name":"DEVICE_DATA_SET_SCRUB_OUTPUT","features":[328]},{"name":"DEVICE_DATA_SET_TOPOLOGY_ID_QUERY_OUTPUT","features":[328]},{"name":"DEVICE_DSM_CONVERSION_OUTPUT","features":[328]},{"name":"DEVICE_DSM_DEFINITION","features":[308,328]},{"name":"DEVICE_DSM_FLAG_ALLOCATION_CONSOLIDATEABLE_ONLY","features":[328]},{"name":"DEVICE_DSM_FLAG_ENTIRE_DATA_SET_RANGE","features":[328]},{"name":"DEVICE_DSM_FLAG_PHYSICAL_ADDRESSES_OMIT_TOTAL_RANGES","features":[328]},{"name":"DEVICE_DSM_FLAG_REPAIR_INPUT_TOPOLOGY_ID_PRESENT","features":[328]},{"name":"DEVICE_DSM_FLAG_REPAIR_OUTPUT_PARITY_EXTENT","features":[328]},{"name":"DEVICE_DSM_FLAG_SCRUB_OUTPUT_PARITY_EXTENT","features":[328]},{"name":"DEVICE_DSM_FLAG_SCRUB_SKIP_IN_SYNC","features":[328]},{"name":"DEVICE_DSM_FLAG_TRIM_BYPASS_RZAT","features":[328]},{"name":"DEVICE_DSM_FLAG_TRIM_NOT_FS_ALLOCATED","features":[328]},{"name":"DEVICE_DSM_FREE_SPACE_OUTPUT","features":[328]},{"name":"DEVICE_DSM_LOST_QUERY_OUTPUT","features":[328]},{"name":"DEVICE_DSM_LOST_QUERY_PARAMETERS","features":[328]},{"name":"DEVICE_DSM_NOTIFICATION_PARAMETERS","features":[328]},{"name":"DEVICE_DSM_NOTIFY_FLAG_BEGIN","features":[328]},{"name":"DEVICE_DSM_NOTIFY_FLAG_END","features":[328]},{"name":"DEVICE_DSM_NVCACHE_CHANGE_PRIORITY_PARAMETERS","features":[328]},{"name":"DEVICE_DSM_OFFLOAD_READ_PARAMETERS","features":[328]},{"name":"DEVICE_DSM_OFFLOAD_WRITE_PARAMETERS","features":[328]},{"name":"DEVICE_DSM_PARAMETERS_V1","features":[328]},{"name":"DEVICE_DSM_PHYSICAL_ADDRESSES_OUTPUT","features":[328]},{"name":"DEVICE_DSM_PHYSICAL_ADDRESSES_OUTPUT_V1","features":[328]},{"name":"DEVICE_DSM_PHYSICAL_ADDRESSES_OUTPUT_VERSION_V1","features":[328]},{"name":"DEVICE_DSM_RANGE_ERROR_INFO","features":[328]},{"name":"DEVICE_DSM_RANGE_ERROR_INFO_VERSION_V1","features":[328]},{"name":"DEVICE_DSM_RANGE_ERROR_OUTPUT_V1","features":[328]},{"name":"DEVICE_DSM_REPORT_ZONES_DATA","features":[308,328]},{"name":"DEVICE_DSM_REPORT_ZONES_PARAMETERS","features":[328]},{"name":"DEVICE_DSM_TIERING_QUERY_INPUT","features":[328]},{"name":"DEVICE_DSM_TIERING_QUERY_OUTPUT","features":[328]},{"name":"DEVICE_INTERNAL_STATUS_DATA","features":[328]},{"name":"DEVICE_INTERNAL_STATUS_DATA_REQUEST_TYPE","features":[328]},{"name":"DEVICE_INTERNAL_STATUS_DATA_SET","features":[328]},{"name":"DEVICE_LB_PROVISIONING_DESCRIPTOR","features":[328]},{"name":"DEVICE_LOCATION","features":[328]},{"name":"DEVICE_MANAGE_DATA_SET_ATTRIBUTES","features":[328]},{"name":"DEVICE_MANAGE_DATA_SET_ATTRIBUTES_OUTPUT","features":[328]},{"name":"DEVICE_MEDIA_INFO","features":[327,328]},{"name":"DEVICE_POWER_DESCRIPTOR","features":[308,328]},{"name":"DEVICE_SEEK_PENALTY_DESCRIPTOR","features":[308,328]},{"name":"DEVICE_STORAGE_ADDRESS_RANGE","features":[328]},{"name":"DEVICE_STORAGE_NO_ERRORS","features":[328]},{"name":"DEVICE_STORAGE_RANGE_ATTRIBUTES","features":[328]},{"name":"DEVICE_TRIM_DESCRIPTOR","features":[308,328]},{"name":"DEVICE_WRITE_AGGREGATION_DESCRIPTOR","features":[308,328]},{"name":"DEVPKEY_Storage_Disk_Number","features":[341,328]},{"name":"DEVPKEY_Storage_Gpt_Name","features":[341,328]},{"name":"DEVPKEY_Storage_Gpt_Type","features":[341,328]},{"name":"DEVPKEY_Storage_Mbr_Type","features":[341,328]},{"name":"DEVPKEY_Storage_Partition_Number","features":[341,328]},{"name":"DEVPKEY_Storage_Portable","features":[341,328]},{"name":"DEVPKEY_Storage_Removable_Media","features":[341,328]},{"name":"DEVPKEY_Storage_System_Critical","features":[341,328]},{"name":"DISABLE_SMART","features":[328]},{"name":"DISK_ATTRIBUTE_OFFLINE","features":[328]},{"name":"DISK_ATTRIBUTE_READ_ONLY","features":[328]},{"name":"DISK_BINNING","features":[328]},{"name":"DISK_CACHE_INFORMATION","features":[308,328]},{"name":"DISK_CACHE_RETENTION_PRIORITY","features":[328]},{"name":"DISK_CONTROLLER_NUMBER","features":[328]},{"name":"DISK_DETECTION_INFO","features":[328]},{"name":"DISK_EXTENT","features":[328]},{"name":"DISK_EX_INT13_INFO","features":[328]},{"name":"DISK_GEOMETRY","features":[328]},{"name":"DISK_GEOMETRY_EX","features":[328]},{"name":"DISK_GROW_PARTITION","features":[328]},{"name":"DISK_HISTOGRAM","features":[328]},{"name":"DISK_INT13_INFO","features":[328]},{"name":"DISK_LOGGING","features":[328]},{"name":"DISK_LOGGING_DUMP","features":[328]},{"name":"DISK_LOGGING_START","features":[328]},{"name":"DISK_LOGGING_STOP","features":[328]},{"name":"DISK_PARTITION_INFO","features":[328]},{"name":"DISK_PERFORMANCE","features":[328]},{"name":"DISK_RECORD","features":[308,328]},{"name":"DLT","features":[328]},{"name":"DMI","features":[328]},{"name":"DRIVERSTATUS","features":[328]},{"name":"DRIVE_LAYOUT_INFORMATION","features":[308,328]},{"name":"DRIVE_LAYOUT_INFORMATION_EX","features":[308,328]},{"name":"DRIVE_LAYOUT_INFORMATION_GPT","features":[328]},{"name":"DRIVE_LAYOUT_INFORMATION_MBR","features":[328]},{"name":"DST_L","features":[328]},{"name":"DST_M","features":[328]},{"name":"DST_S","features":[328]},{"name":"DUPLICATE_EXTENTS_DATA","features":[308,328]},{"name":"DUPLICATE_EXTENTS_DATA32","features":[328]},{"name":"DUPLICATE_EXTENTS_DATA_EX","features":[308,328]},{"name":"DUPLICATE_EXTENTS_DATA_EX32","features":[328]},{"name":"DUPLICATE_EXTENTS_DATA_EX_ASYNC","features":[328]},{"name":"DUPLICATE_EXTENTS_DATA_EX_SOURCE_ATOMIC","features":[328]},{"name":"DUPLICATE_EXTENTS_STATE","features":[328]},{"name":"DVD_R","features":[328]},{"name":"DVD_RAM","features":[328]},{"name":"DVD_ROM","features":[328]},{"name":"DVD_RW","features":[328]},{"name":"DV_6mm","features":[328]},{"name":"DetectExInt13","features":[328]},{"name":"DetectInt13","features":[328]},{"name":"DetectNone","features":[328]},{"name":"DeviceCurrentInternalStatusData","features":[328]},{"name":"DeviceCurrentInternalStatusDataHeader","features":[328]},{"name":"DeviceDsmActionFlag_NonDestructive","features":[328]},{"name":"DeviceInternalStatusDataRequestTypeUndefined","features":[328]},{"name":"DeviceProblemCHMError","features":[328]},{"name":"DeviceProblemCHMMoveError","features":[328]},{"name":"DeviceProblemCHMZeroError","features":[328]},{"name":"DeviceProblemCalibrationError","features":[328]},{"name":"DeviceProblemCartridgeEjectError","features":[328]},{"name":"DeviceProblemCartridgeInsertError","features":[328]},{"name":"DeviceProblemDoorOpen","features":[328]},{"name":"DeviceProblemDriveError","features":[328]},{"name":"DeviceProblemGripperError","features":[328]},{"name":"DeviceProblemHardware","features":[328]},{"name":"DeviceProblemNone","features":[328]},{"name":"DeviceProblemPositionError","features":[328]},{"name":"DeviceProblemSensorError","features":[328]},{"name":"DeviceProblemTargetFailure","features":[328]},{"name":"DeviceSavedInternalStatusData","features":[328]},{"name":"DeviceSavedInternalStatusDataHeader","features":[328]},{"name":"DeviceStatusDataSet1","features":[328]},{"name":"DeviceStatusDataSet2","features":[328]},{"name":"DeviceStatusDataSet3","features":[328]},{"name":"DeviceStatusDataSet4","features":[328]},{"name":"DeviceStatusDataSetMax","features":[328]},{"name":"DeviceStatusDataSetUndefined","features":[328]},{"name":"DiskHealthHealthy","features":[328]},{"name":"DiskHealthMax","features":[328]},{"name":"DiskHealthUnhealthy","features":[328]},{"name":"DiskHealthUnknown","features":[328]},{"name":"DiskHealthWarning","features":[328]},{"name":"DiskOpReasonBackgroundOperation","features":[328]},{"name":"DiskOpReasonComponent","features":[328]},{"name":"DiskOpReasonConfiguration","features":[328]},{"name":"DiskOpReasonDataPersistenceLossImminent","features":[328]},{"name":"DiskOpReasonDeviceController","features":[328]},{"name":"DiskOpReasonDisabledByPlatform","features":[328]},{"name":"DiskOpReasonEnergySource","features":[328]},{"name":"DiskOpReasonHealthCheck","features":[328]},{"name":"DiskOpReasonInvalidFirmware","features":[328]},{"name":"DiskOpReasonIo","features":[328]},{"name":"DiskOpReasonLostData","features":[328]},{"name":"DiskOpReasonLostDataPersistence","features":[328]},{"name":"DiskOpReasonLostWritePersistence","features":[328]},{"name":"DiskOpReasonMax","features":[328]},{"name":"DiskOpReasonMedia","features":[328]},{"name":"DiskOpReasonMediaController","features":[328]},{"name":"DiskOpReasonNVDIMM_N","features":[328]},{"name":"DiskOpReasonScsiSenseCode","features":[328]},{"name":"DiskOpReasonThresholdExceeded","features":[328]},{"name":"DiskOpReasonUnknown","features":[328]},{"name":"DiskOpReasonWritePersistenceLossImminent","features":[328]},{"name":"DiskOpStatusHardwareError","features":[328]},{"name":"DiskOpStatusInService","features":[328]},{"name":"DiskOpStatusMissing","features":[328]},{"name":"DiskOpStatusNone","features":[328]},{"name":"DiskOpStatusNotUsable","features":[328]},{"name":"DiskOpStatusOk","features":[328]},{"name":"DiskOpStatusPredictingFailure","features":[328]},{"name":"DiskOpStatusTransientError","features":[328]},{"name":"DiskOpStatusUnknown","features":[328]},{"name":"EFS_TRACKED_OFFSET_HEADER_FLAG","features":[328]},{"name":"ELEMENT_STATUS_ACCESS","features":[328]},{"name":"ELEMENT_STATUS_AVOLTAG","features":[328]},{"name":"ELEMENT_STATUS_EXCEPT","features":[328]},{"name":"ELEMENT_STATUS_EXENAB","features":[328]},{"name":"ELEMENT_STATUS_FULL","features":[328]},{"name":"ELEMENT_STATUS_ID_VALID","features":[328]},{"name":"ELEMENT_STATUS_IMPEXP","features":[328]},{"name":"ELEMENT_STATUS_INENAB","features":[328]},{"name":"ELEMENT_STATUS_INVERT","features":[328]},{"name":"ELEMENT_STATUS_LUN_VALID","features":[328]},{"name":"ELEMENT_STATUS_NOT_BUS","features":[328]},{"name":"ELEMENT_STATUS_PRODUCT_DATA","features":[328]},{"name":"ELEMENT_STATUS_PVOLTAG","features":[328]},{"name":"ELEMENT_STATUS_SVALID","features":[328]},{"name":"ELEMENT_TYPE","features":[328]},{"name":"ENABLE_DISABLE_AUTOSAVE","features":[328]},{"name":"ENABLE_DISABLE_AUTO_OFFLINE","features":[328]},{"name":"ENABLE_SMART","features":[328]},{"name":"ENCRYPTED_DATA_INFO","features":[328]},{"name":"ENCRYPTED_DATA_INFO_SPARSE_FILE","features":[328]},{"name":"ENCRYPTION_BUFFER","features":[328]},{"name":"ENCRYPTION_FORMAT_DEFAULT","features":[328]},{"name":"ENCRYPTION_KEY_CTRL_INPUT","features":[328]},{"name":"ERROR_DRIVE_NOT_INSTALLED","features":[328]},{"name":"ERROR_HISTORY_DIRECTORY_ENTRY_DEFAULT_COUNT","features":[328]},{"name":"ERROR_INIT_STATUS_NEEDED","features":[328]},{"name":"ERROR_LABEL_QUESTIONABLE","features":[328]},{"name":"ERROR_LABEL_UNREADABLE","features":[328]},{"name":"ERROR_SLOT_NOT_PRESENT","features":[328]},{"name":"ERROR_TRAY_MALFUNCTION","features":[328]},{"name":"ERROR_UNHANDLED_ERROR","features":[328]},{"name":"EXECUTE_OFFLINE_DIAGS","features":[328]},{"name":"EXFAT_STATISTICS","features":[328]},{"name":"EXTENDED_ENCRYPTED_DATA_INFO","features":[328]},{"name":"EXTEND_IEPORT","features":[328]},{"name":"EqualPriority","features":[328]},{"name":"F3_120M_512","features":[328]},{"name":"F3_128Mb_512","features":[328]},{"name":"F3_1Pt23_1024","features":[328]},{"name":"F3_1Pt2_512","features":[328]},{"name":"F3_1Pt44_512","features":[328]},{"name":"F3_200Mb_512","features":[328]},{"name":"F3_20Pt8_512","features":[328]},{"name":"F3_230Mb_512","features":[328]},{"name":"F3_240M_512","features":[328]},{"name":"F3_2Pt88_512","features":[328]},{"name":"F3_32M_512","features":[328]},{"name":"F3_640_512","features":[328]},{"name":"F3_720_512","features":[328]},{"name":"F5_160_512","features":[328]},{"name":"F5_180_512","features":[328]},{"name":"F5_1Pt23_1024","features":[328]},{"name":"F5_1Pt2_512","features":[328]},{"name":"F5_320_1024","features":[328]},{"name":"F5_320_512","features":[328]},{"name":"F5_360_512","features":[328]},{"name":"F5_640_512","features":[328]},{"name":"F5_720_512","features":[328]},{"name":"F8_256_128","features":[328]},{"name":"FAT_STATISTICS","features":[328]},{"name":"FILESYSTEM_STATISTICS","features":[328]},{"name":"FILESYSTEM_STATISTICS_EX","features":[328]},{"name":"FILESYSTEM_STATISTICS_TYPE","features":[328]},{"name":"FILESYSTEM_STATISTICS_TYPE_EXFAT","features":[328]},{"name":"FILESYSTEM_STATISTICS_TYPE_FAT","features":[328]},{"name":"FILESYSTEM_STATISTICS_TYPE_NTFS","features":[328]},{"name":"FILESYSTEM_STATISTICS_TYPE_REFS","features":[328]},{"name":"FILE_ALLOCATED_RANGE_BUFFER","features":[328]},{"name":"FILE_ANY_ACCESS","features":[328]},{"name":"FILE_CLEAR_ENCRYPTION","features":[328]},{"name":"FILE_DESIRED_STORAGE_CLASS_INFORMATION","features":[328]},{"name":"FILE_DEVICE_8042_PORT","features":[328]},{"name":"FILE_DEVICE_ACPI","features":[328]},{"name":"FILE_DEVICE_BATTERY","features":[328]},{"name":"FILE_DEVICE_BEEP","features":[328]},{"name":"FILE_DEVICE_BIOMETRIC","features":[328]},{"name":"FILE_DEVICE_BLUETOOTH","features":[328]},{"name":"FILE_DEVICE_BUS_EXTENDER","features":[328]},{"name":"FILE_DEVICE_CD_ROM_FILE_SYSTEM","features":[328]},{"name":"FILE_DEVICE_CHANGER","features":[328]},{"name":"FILE_DEVICE_CONSOLE","features":[328]},{"name":"FILE_DEVICE_CONTROLLER","features":[328]},{"name":"FILE_DEVICE_CRYPT_PROVIDER","features":[328]},{"name":"FILE_DEVICE_DATALINK","features":[328]},{"name":"FILE_DEVICE_DEVAPI","features":[328]},{"name":"FILE_DEVICE_DFS","features":[328]},{"name":"FILE_DEVICE_DFS_FILE_SYSTEM","features":[328]},{"name":"FILE_DEVICE_DFS_VOLUME","features":[328]},{"name":"FILE_DEVICE_DISK_FILE_SYSTEM","features":[328]},{"name":"FILE_DEVICE_EHSTOR","features":[328]},{"name":"FILE_DEVICE_EVENT_COLLECTOR","features":[328]},{"name":"FILE_DEVICE_FILE_SYSTEM","features":[328]},{"name":"FILE_DEVICE_FIPS","features":[328]},{"name":"FILE_DEVICE_FULLSCREEN_VIDEO","features":[328]},{"name":"FILE_DEVICE_GPIO","features":[328]},{"name":"FILE_DEVICE_HOLOGRAPHIC","features":[328]},{"name":"FILE_DEVICE_INFINIBAND","features":[328]},{"name":"FILE_DEVICE_INPORT_PORT","features":[328]},{"name":"FILE_DEVICE_KEYBOARD","features":[328]},{"name":"FILE_DEVICE_KS","features":[328]},{"name":"FILE_DEVICE_KSEC","features":[328]},{"name":"FILE_DEVICE_MAILSLOT","features":[328]},{"name":"FILE_DEVICE_MASS_STORAGE","features":[328]},{"name":"FILE_DEVICE_MIDI_IN","features":[328]},{"name":"FILE_DEVICE_MIDI_OUT","features":[328]},{"name":"FILE_DEVICE_MODEM","features":[328]},{"name":"FILE_DEVICE_MOUSE","features":[328]},{"name":"FILE_DEVICE_MT_COMPOSITE","features":[328]},{"name":"FILE_DEVICE_MT_TRANSPORT","features":[328]},{"name":"FILE_DEVICE_MULTI_UNC_PROVIDER","features":[328]},{"name":"FILE_DEVICE_NAMED_PIPE","features":[328]},{"name":"FILE_DEVICE_NETWORK","features":[328]},{"name":"FILE_DEVICE_NETWORK_BROWSER","features":[328]},{"name":"FILE_DEVICE_NETWORK_FILE_SYSTEM","features":[328]},{"name":"FILE_DEVICE_NETWORK_REDIRECTOR","features":[328]},{"name":"FILE_DEVICE_NFP","features":[328]},{"name":"FILE_DEVICE_NULL","features":[328]},{"name":"FILE_DEVICE_NVDIMM","features":[328]},{"name":"FILE_DEVICE_PARALLEL_PORT","features":[328]},{"name":"FILE_DEVICE_PERSISTENT_MEMORY","features":[328]},{"name":"FILE_DEVICE_PHYSICAL_NETCARD","features":[328]},{"name":"FILE_DEVICE_PMI","features":[328]},{"name":"FILE_DEVICE_POINT_OF_SERVICE","features":[328]},{"name":"FILE_DEVICE_PRINTER","features":[328]},{"name":"FILE_DEVICE_PRM","features":[328]},{"name":"FILE_DEVICE_SCANNER","features":[328]},{"name":"FILE_DEVICE_SCREEN","features":[328]},{"name":"FILE_DEVICE_SDFXHCI","features":[328]},{"name":"FILE_DEVICE_SERENUM","features":[328]},{"name":"FILE_DEVICE_SERIAL_MOUSE_PORT","features":[328]},{"name":"FILE_DEVICE_SERIAL_PORT","features":[328]},{"name":"FILE_DEVICE_SMB","features":[328]},{"name":"FILE_DEVICE_SOUND","features":[328]},{"name":"FILE_DEVICE_SOUNDWIRE","features":[328]},{"name":"FILE_DEVICE_STORAGE_REPLICATION","features":[328]},{"name":"FILE_DEVICE_STREAMS","features":[328]},{"name":"FILE_DEVICE_SYSENV","features":[328]},{"name":"FILE_DEVICE_TAPE_FILE_SYSTEM","features":[328]},{"name":"FILE_DEVICE_TERMSRV","features":[328]},{"name":"FILE_DEVICE_TRANSPORT","features":[328]},{"name":"FILE_DEVICE_TRUST_ENV","features":[328]},{"name":"FILE_DEVICE_UCM","features":[328]},{"name":"FILE_DEVICE_UCMTCPCI","features":[328]},{"name":"FILE_DEVICE_UCMUCSI","features":[328]},{"name":"FILE_DEVICE_UNKNOWN","features":[328]},{"name":"FILE_DEVICE_USB4","features":[328]},{"name":"FILE_DEVICE_USBEX","features":[328]},{"name":"FILE_DEVICE_VDM","features":[328]},{"name":"FILE_DEVICE_VIDEO","features":[328]},{"name":"FILE_DEVICE_VIRTUAL_BLOCK","features":[328]},{"name":"FILE_DEVICE_VIRTUAL_DISK","features":[328]},{"name":"FILE_DEVICE_VMBUS","features":[328]},{"name":"FILE_DEVICE_WAVE_IN","features":[328]},{"name":"FILE_DEVICE_WAVE_OUT","features":[328]},{"name":"FILE_DEVICE_WPD","features":[328]},{"name":"FILE_FS_PERSISTENT_VOLUME_INFORMATION","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_ATTRIBUTE_NON_RESIDENT","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_ATTRIBUTE_NOT_FOUND","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_ATTRIBUTE_TOO_SMALL","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_CLUSTERS_ALREADY_IN_USE","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_DENY_DEFRAG","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_FILE_RECORD_IS_BASE_RECORD","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_FILE_RECORD_NOT_BASE_RECORD","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_FILE_RECORD_NOT_EXIST","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_FILE_RECORD_NOT_IN_USE","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_FILE_RECORD_NOT_ORPHAN","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_FILE_RECORD_REUSED","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_INDEX_ENTRY_MISMATCH","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_INVALID_ARRAY_LENGTH_COUNT","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_INVALID_LCN","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_INVALID_ORPHAN_RECOVERY_NAME","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_INVALID_PARENT","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_INVALID_RUN_LENGTH","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_INVALID_VCN","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_LCN_NOT_EXIST","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_MULTIPLE_FILE_NAME_ATTRIBUTES","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_NAME_CONFLICT","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_NOTHING_WRONG","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_NOT_IMPLEMENTED","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_ORPHAN","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_ORPHAN_GENERATED","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_OUT_OF_GENERIC_NAMES","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_OUT_OF_RESOURCE","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_PARENT_FILE_RECORD_NOT_BASE_RECORD","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_PARENT_FILE_RECORD_NOT_EXIST","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_PARENT_FILE_RECORD_NOT_INDEX","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_PARENT_FILE_RECORD_NOT_IN_USE","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_PARENT_FILE_RECORD_REUSED","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_POTENTIAL_CROSSLINK","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_PREVIOUS_PARENT_STILL_VALID","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_RECURSIVELY_CORRUPTED","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_REPAIRED","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_REPAIR_DISABLED","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_SID_MISMATCH","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_SID_VALID","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_STALE_INFORMATION","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_SYSTEM_FILE","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_UNABLE_TO_REPAIR","features":[328]},{"name":"FILE_INITIATE_REPAIR_HINT1_VALID_INDEX_ENTRY","features":[328]},{"name":"FILE_INITIATE_REPAIR_OUTPUT_BUFFER","features":[328]},{"name":"FILE_LAYOUT_ENTRY","features":[328]},{"name":"FILE_LAYOUT_INFO_ENTRY","features":[328]},{"name":"FILE_LAYOUT_NAME_ENTRY","features":[328]},{"name":"FILE_LAYOUT_NAME_ENTRY_DOS","features":[328]},{"name":"FILE_LAYOUT_NAME_ENTRY_PRIMARY","features":[328]},{"name":"FILE_LEVEL_TRIM","features":[328]},{"name":"FILE_LEVEL_TRIM_OUTPUT","features":[328]},{"name":"FILE_LEVEL_TRIM_RANGE","features":[328]},{"name":"FILE_MAKE_COMPATIBLE_BUFFER","features":[308,328]},{"name":"FILE_OBJECTID_BUFFER","features":[328]},{"name":"FILE_PREFETCH","features":[328]},{"name":"FILE_PREFETCH_EX","features":[328]},{"name":"FILE_PREFETCH_TYPE_FOR_CREATE","features":[328]},{"name":"FILE_PREFETCH_TYPE_FOR_CREATE_EX","features":[328]},{"name":"FILE_PREFETCH_TYPE_FOR_DIRENUM","features":[328]},{"name":"FILE_PREFETCH_TYPE_FOR_DIRENUM_EX","features":[328]},{"name":"FILE_PREFETCH_TYPE_MAX","features":[328]},{"name":"FILE_PROVIDER_COMPRESSION_MAXIMUM","features":[328]},{"name":"FILE_PROVIDER_CURRENT_VERSION","features":[328]},{"name":"FILE_PROVIDER_EXTERNAL_INFO_V0","features":[328]},{"name":"FILE_PROVIDER_EXTERNAL_INFO_V1","features":[328]},{"name":"FILE_PROVIDER_FLAG_COMPRESS_ON_WRITE","features":[328]},{"name":"FILE_PROVIDER_SINGLE_FILE","features":[328]},{"name":"FILE_QUERY_ON_DISK_VOL_INFO_BUFFER","features":[328]},{"name":"FILE_QUERY_SPARING_BUFFER","features":[308,328]},{"name":"FILE_READ_ACCESS","features":[328]},{"name":"FILE_REFERENCE_RANGE","features":[328]},{"name":"FILE_REGION_INFO","features":[328]},{"name":"FILE_REGION_INPUT","features":[328]},{"name":"FILE_REGION_OUTPUT","features":[328]},{"name":"FILE_REGION_USAGE_HUGE_PAGE_ALIGNMENT","features":[328]},{"name":"FILE_REGION_USAGE_LARGE_PAGE_ALIGNMENT","features":[328]},{"name":"FILE_REGION_USAGE_OTHER_PAGE_ALIGNMENT","features":[328]},{"name":"FILE_REGION_USAGE_QUERY_ALIGNMENT","features":[328]},{"name":"FILE_REGION_USAGE_VALID_CACHED_DATA","features":[328]},{"name":"FILE_REGION_USAGE_VALID_NONCACHED_DATA","features":[328]},{"name":"FILE_SET_DEFECT_MGMT_BUFFER","features":[308,328]},{"name":"FILE_SET_ENCRYPTION","features":[328]},{"name":"FILE_SET_SPARSE_BUFFER","features":[308,328]},{"name":"FILE_SPECIAL_ACCESS","features":[328]},{"name":"FILE_STORAGE_TIER","features":[328]},{"name":"FILE_STORAGE_TIER_CLASS","features":[328]},{"name":"FILE_STORAGE_TIER_DESCRIPTION_LENGTH","features":[328]},{"name":"FILE_STORAGE_TIER_FLAGS","features":[328]},{"name":"FILE_STORAGE_TIER_FLAG_NO_SEEK_PENALTY","features":[328]},{"name":"FILE_STORAGE_TIER_FLAG_PARITY","features":[328]},{"name":"FILE_STORAGE_TIER_FLAG_READ_CACHE","features":[328]},{"name":"FILE_STORAGE_TIER_FLAG_SMR","features":[328]},{"name":"FILE_STORAGE_TIER_FLAG_WRITE_BACK_CACHE","features":[328]},{"name":"FILE_STORAGE_TIER_MEDIA_TYPE","features":[328]},{"name":"FILE_STORAGE_TIER_NAME_LENGTH","features":[328]},{"name":"FILE_STORAGE_TIER_REGION","features":[328]},{"name":"FILE_SYSTEM_RECOGNITION_INFORMATION","features":[328]},{"name":"FILE_TYPE_NOTIFICATION_FLAG_USAGE_BEGIN","features":[328]},{"name":"FILE_TYPE_NOTIFICATION_FLAG_USAGE_END","features":[328]},{"name":"FILE_TYPE_NOTIFICATION_GUID_CRASHDUMP_FILE","features":[328]},{"name":"FILE_TYPE_NOTIFICATION_GUID_HIBERNATION_FILE","features":[328]},{"name":"FILE_TYPE_NOTIFICATION_GUID_PAGE_FILE","features":[328]},{"name":"FILE_TYPE_NOTIFICATION_INPUT","features":[328]},{"name":"FILE_WRITE_ACCESS","features":[328]},{"name":"FILE_ZERO_DATA_INFORMATION","features":[328]},{"name":"FILE_ZERO_DATA_INFORMATION_EX","features":[328]},{"name":"FILE_ZERO_DATA_INFORMATION_FLAG_PRESERVE_CACHED_DATA","features":[328]},{"name":"FIND_BY_SID_DATA","features":[311,328]},{"name":"FIND_BY_SID_OUTPUT","features":[328]},{"name":"FLAG_USN_TRACK_MODIFIED_RANGES_ENABLE","features":[328]},{"name":"FORMAT_EX_PARAMETERS","features":[328]},{"name":"FORMAT_PARAMETERS","features":[328]},{"name":"FSBPIO_INFL_None","features":[328]},{"name":"FSBPIO_INFL_SKIP_STORAGE_STACK_QUERY","features":[328]},{"name":"FSBPIO_OUTFL_COMPATIBLE_STORAGE_DRIVER","features":[328]},{"name":"FSBPIO_OUTFL_FILTER_ATTACH_BLOCKED","features":[328]},{"name":"FSBPIO_OUTFL_None","features":[328]},{"name":"FSBPIO_OUTFL_STREAM_BYPASS_PAUSED","features":[328]},{"name":"FSBPIO_OUTFL_VOLUME_STACK_BYPASS_PAUSED","features":[328]},{"name":"FSCTL_ADD_OVERLAY","features":[328]},{"name":"FSCTL_ADVANCE_FILE_ID","features":[328]},{"name":"FSCTL_ALLOW_EXTENDED_DASD_IO","features":[328]},{"name":"FSCTL_CLEAN_VOLUME_METADATA","features":[328]},{"name":"FSCTL_CLEAR_ALL_LCN_WEAK_REFERENCES","features":[328]},{"name":"FSCTL_CLEAR_LCN_WEAK_REFERENCE","features":[328]},{"name":"FSCTL_CORRUPTION_HANDLING","features":[328]},{"name":"FSCTL_CREATE_LCN_WEAK_REFERENCE","features":[328]},{"name":"FSCTL_CREATE_OR_GET_OBJECT_ID","features":[328]},{"name":"FSCTL_CREATE_USN_JOURNAL","features":[328]},{"name":"FSCTL_CSC_INTERNAL","features":[328]},{"name":"FSCTL_CSV_CONTROL","features":[328]},{"name":"FSCTL_CSV_GET_VOLUME_NAME_FOR_VOLUME_MOUNT_POINT","features":[328]},{"name":"FSCTL_CSV_GET_VOLUME_PATH_NAME","features":[328]},{"name":"FSCTL_CSV_GET_VOLUME_PATH_NAMES_FOR_VOLUME_NAME","features":[328]},{"name":"FSCTL_CSV_H_BREAKING_SYNC_TUNNEL_REQUEST","features":[328]},{"name":"FSCTL_CSV_INTERNAL","features":[328]},{"name":"FSCTL_CSV_MGMT_LOCK","features":[328]},{"name":"FSCTL_CSV_QUERY_DOWN_LEVEL_FILE_SYSTEM_CHARACTERISTICS","features":[328]},{"name":"FSCTL_CSV_QUERY_VETO_FILE_DIRECT_IO","features":[328]},{"name":"FSCTL_CSV_SYNC_TUNNEL_REQUEST","features":[328]},{"name":"FSCTL_CSV_TUNNEL_REQUEST","features":[328]},{"name":"FSCTL_DELETE_CORRUPTED_REFS_CONTAINER","features":[328]},{"name":"FSCTL_DELETE_EXTERNAL_BACKING","features":[328]},{"name":"FSCTL_DELETE_OBJECT_ID","features":[328]},{"name":"FSCTL_DELETE_REPARSE_POINT","features":[328]},{"name":"FSCTL_DELETE_USN_JOURNAL","features":[328]},{"name":"FSCTL_DFSR_SET_GHOST_HANDLE_STATE","features":[328]},{"name":"FSCTL_DISABLE_LOCAL_BUFFERING","features":[328]},{"name":"FSCTL_DISMOUNT_VOLUME","features":[328]},{"name":"FSCTL_DUPLICATE_CLUSTER","features":[328]},{"name":"FSCTL_DUPLICATE_EXTENTS_TO_FILE","features":[328]},{"name":"FSCTL_DUPLICATE_EXTENTS_TO_FILE_EX","features":[328]},{"name":"FSCTL_ENABLE_PER_IO_FLAGS","features":[328]},{"name":"FSCTL_ENABLE_UPGRADE","features":[328]},{"name":"FSCTL_ENCRYPTION_FSCTL_IO","features":[328]},{"name":"FSCTL_ENCRYPTION_KEY_CONTROL","features":[328]},{"name":"FSCTL_ENUM_EXTERNAL_BACKING","features":[328]},{"name":"FSCTL_ENUM_OVERLAY","features":[328]},{"name":"FSCTL_ENUM_USN_DATA","features":[328]},{"name":"FSCTL_EXTEND_VOLUME","features":[328]},{"name":"FSCTL_FILESYSTEM_GET_STATISTICS","features":[328]},{"name":"FSCTL_FILESYSTEM_GET_STATISTICS_EX","features":[328]},{"name":"FSCTL_FILE_LEVEL_TRIM","features":[328]},{"name":"FSCTL_FILE_PREFETCH","features":[328]},{"name":"FSCTL_FILE_TYPE_NOTIFICATION","features":[328]},{"name":"FSCTL_FIND_FILES_BY_SID","features":[328]},{"name":"FSCTL_GET_BOOT_AREA_INFO","features":[328]},{"name":"FSCTL_GET_COMPRESSION","features":[328]},{"name":"FSCTL_GET_EXTERNAL_BACKING","features":[328]},{"name":"FSCTL_GET_FILTER_FILE_IDENTIFIER","features":[328]},{"name":"FSCTL_GET_INTEGRITY_INFORMATION","features":[328]},{"name":"FSCTL_GET_INTEGRITY_INFORMATION_BUFFER","features":[328]},{"name":"FSCTL_GET_NTFS_FILE_RECORD","features":[328]},{"name":"FSCTL_GET_NTFS_VOLUME_DATA","features":[328]},{"name":"FSCTL_GET_OBJECT_ID","features":[328]},{"name":"FSCTL_GET_REFS_VOLUME_DATA","features":[328]},{"name":"FSCTL_GET_REPAIR","features":[328]},{"name":"FSCTL_GET_REPARSE_POINT","features":[328]},{"name":"FSCTL_GET_RETRIEVAL_POINTERS","features":[328]},{"name":"FSCTL_GET_RETRIEVAL_POINTERS_AND_REFCOUNT","features":[328]},{"name":"FSCTL_GET_RETRIEVAL_POINTER_BASE","features":[328]},{"name":"FSCTL_GET_RETRIEVAL_POINTER_COUNT","features":[328]},{"name":"FSCTL_GET_VOLUME_BITMAP","features":[328]},{"name":"FSCTL_GET_WOF_VERSION","features":[328]},{"name":"FSCTL_GHOST_FILE_EXTENTS","features":[328]},{"name":"FSCTL_HCS_ASYNC_TUNNEL_REQUEST","features":[328]},{"name":"FSCTL_HCS_SYNC_NO_WRITE_TUNNEL_REQUEST","features":[328]},{"name":"FSCTL_HCS_SYNC_TUNNEL_REQUEST","features":[328]},{"name":"FSCTL_INITIATE_FILE_METADATA_OPTIMIZATION","features":[328]},{"name":"FSCTL_INITIATE_REPAIR","features":[328]},{"name":"FSCTL_INTEGRITY_FLAG_CHECKSUM_ENFORCEMENT_OFF","features":[328]},{"name":"FSCTL_INVALIDATE_VOLUMES","features":[328]},{"name":"FSCTL_IS_CSV_FILE","features":[328]},{"name":"FSCTL_IS_FILE_ON_CSV_VOLUME","features":[328]},{"name":"FSCTL_IS_PATHNAME_VALID","features":[328]},{"name":"FSCTL_IS_VOLUME_DIRTY","features":[328]},{"name":"FSCTL_IS_VOLUME_MOUNTED","features":[328]},{"name":"FSCTL_IS_VOLUME_OWNED_BYCSVFS","features":[328]},{"name":"FSCTL_LMR_QUERY_INFO","features":[328]},{"name":"FSCTL_LOCK_VOLUME","features":[328]},{"name":"FSCTL_LOOKUP_STREAM_FROM_CLUSTER","features":[328]},{"name":"FSCTL_MAKE_MEDIA_COMPATIBLE","features":[328]},{"name":"FSCTL_MANAGE_BYPASS_IO","features":[328]},{"name":"FSCTL_MARK_AS_SYSTEM_HIVE","features":[328]},{"name":"FSCTL_MARK_HANDLE","features":[328]},{"name":"FSCTL_MARK_VOLUME_DIRTY","features":[328]},{"name":"FSCTL_MOVE_FILE","features":[328]},{"name":"FSCTL_NOTIFY_DATA_CHANGE","features":[328]},{"name":"FSCTL_NOTIFY_STORAGE_SPACE_ALLOCATION","features":[328]},{"name":"FSCTL_OFFLOAD_READ","features":[328]},{"name":"FSCTL_OFFLOAD_READ_INPUT","features":[328]},{"name":"FSCTL_OFFLOAD_READ_OUTPUT","features":[328]},{"name":"FSCTL_OFFLOAD_WRITE","features":[328]},{"name":"FSCTL_OFFLOAD_WRITE_INPUT","features":[328]},{"name":"FSCTL_OFFLOAD_WRITE_OUTPUT","features":[328]},{"name":"FSCTL_OPBATCH_ACK_CLOSE_PENDING","features":[328]},{"name":"FSCTL_OPLOCK_BREAK_ACKNOWLEDGE","features":[328]},{"name":"FSCTL_OPLOCK_BREAK_ACK_NO_2","features":[328]},{"name":"FSCTL_OPLOCK_BREAK_NOTIFY","features":[328]},{"name":"FSCTL_QUERY_ALLOCATED_RANGES","features":[328]},{"name":"FSCTL_QUERY_ASYNC_DUPLICATE_EXTENTS_STATUS","features":[328]},{"name":"FSCTL_QUERY_BAD_RANGES","features":[328]},{"name":"FSCTL_QUERY_DEPENDENT_VOLUME","features":[328]},{"name":"FSCTL_QUERY_DIRECT_ACCESS_EXTENTS","features":[328]},{"name":"FSCTL_QUERY_DIRECT_IMAGE_ORIGINAL_BASE","features":[328]},{"name":"FSCTL_QUERY_EXTENT_READ_CACHE_INFO","features":[328]},{"name":"FSCTL_QUERY_FAT_BPB","features":[328]},{"name":"FSCTL_QUERY_FAT_BPB_BUFFER","features":[328]},{"name":"FSCTL_QUERY_FILE_LAYOUT","features":[328]},{"name":"FSCTL_QUERY_FILE_METADATA_OPTIMIZATION","features":[328]},{"name":"FSCTL_QUERY_FILE_REGIONS","features":[328]},{"name":"FSCTL_QUERY_FILE_SYSTEM_RECOGNITION","features":[328]},{"name":"FSCTL_QUERY_GHOSTED_FILE_EXTENTS","features":[328]},{"name":"FSCTL_QUERY_LCN_WEAK_REFERENCE","features":[328]},{"name":"FSCTL_QUERY_ON_DISK_VOLUME_INFO","features":[328]},{"name":"FSCTL_QUERY_PAGEFILE_ENCRYPTION","features":[328]},{"name":"FSCTL_QUERY_PERSISTENT_VOLUME_STATE","features":[328]},{"name":"FSCTL_QUERY_REFS_SMR_VOLUME_INFO","features":[328]},{"name":"FSCTL_QUERY_REFS_VOLUME_COUNTER_INFO","features":[328]},{"name":"FSCTL_QUERY_REGION_INFO","features":[328]},{"name":"FSCTL_QUERY_REGION_INFO_INPUT","features":[328]},{"name":"FSCTL_QUERY_REGION_INFO_OUTPUT","features":[328]},{"name":"FSCTL_QUERY_RETRIEVAL_POINTERS","features":[328]},{"name":"FSCTL_QUERY_SHARED_VIRTUAL_DISK_SUPPORT","features":[328]},{"name":"FSCTL_QUERY_SPARING_INFO","features":[328]},{"name":"FSCTL_QUERY_STORAGE_CLASSES","features":[328]},{"name":"FSCTL_QUERY_STORAGE_CLASSES_OUTPUT","features":[328]},{"name":"FSCTL_QUERY_USN_JOURNAL","features":[328]},{"name":"FSCTL_QUERY_VOLUME_CONTAINER_STATE","features":[328]},{"name":"FSCTL_QUERY_VOLUME_NUMA_INFO","features":[328]},{"name":"FSCTL_READ_FILE_USN_DATA","features":[328]},{"name":"FSCTL_READ_FROM_PLEX","features":[328]},{"name":"FSCTL_READ_RAW_ENCRYPTED","features":[328]},{"name":"FSCTL_READ_UNPRIVILEGED_USN_JOURNAL","features":[328]},{"name":"FSCTL_READ_USN_JOURNAL","features":[328]},{"name":"FSCTL_REARRANGE_FILE","features":[328]},{"name":"FSCTL_RECALL_FILE","features":[328]},{"name":"FSCTL_REFS_CHECKPOINT_VOLUME","features":[328]},{"name":"FSCTL_REFS_DEALLOCATE_RANGES","features":[328]},{"name":"FSCTL_REFS_DEALLOCATE_RANGES_EX","features":[328]},{"name":"FSCTL_REFS_QUERY_VOLUME_COMPRESSION_INFO","features":[328]},{"name":"FSCTL_REFS_QUERY_VOLUME_DEDUP_INFO","features":[328]},{"name":"FSCTL_REFS_QUERY_VOLUME_IO_METRICS_INFO","features":[328]},{"name":"FSCTL_REFS_QUERY_VOLUME_TOTAL_SHARED_LCNS","features":[328]},{"name":"FSCTL_REFS_SET_VOLUME_COMPRESSION_INFO","features":[328]},{"name":"FSCTL_REFS_SET_VOLUME_DEDUP_INFO","features":[328]},{"name":"FSCTL_REFS_SET_VOLUME_IO_METRICS_INFO","features":[328]},{"name":"FSCTL_REFS_STREAM_SNAPSHOT_MANAGEMENT","features":[328]},{"name":"FSCTL_REMOVE_OVERLAY","features":[328]},{"name":"FSCTL_REPAIR_COPIES","features":[328]},{"name":"FSCTL_REQUEST_BATCH_OPLOCK","features":[328]},{"name":"FSCTL_REQUEST_FILTER_OPLOCK","features":[328]},{"name":"FSCTL_REQUEST_OPLOCK","features":[328]},{"name":"FSCTL_REQUEST_OPLOCK_LEVEL_1","features":[328]},{"name":"FSCTL_REQUEST_OPLOCK_LEVEL_2","features":[328]},{"name":"FSCTL_RESET_VOLUME_ALLOCATION_HINTS","features":[328]},{"name":"FSCTL_RKF_INTERNAL","features":[328]},{"name":"FSCTL_SCRUB_DATA","features":[328]},{"name":"FSCTL_SCRUB_UNDISCOVERABLE_ID","features":[328]},{"name":"FSCTL_SD_GLOBAL_CHANGE","features":[328]},{"name":"FSCTL_SECURITY_ID_CHECK","features":[328]},{"name":"FSCTL_SET_BOOTLOADER_ACCESSED","features":[328]},{"name":"FSCTL_SET_CACHED_RUNS_STATE","features":[328]},{"name":"FSCTL_SET_COMPRESSION","features":[328]},{"name":"FSCTL_SET_DAX_ALLOC_ALIGNMENT_HINT","features":[328]},{"name":"FSCTL_SET_DEFECT_MANAGEMENT","features":[328]},{"name":"FSCTL_SET_ENCRYPTION","features":[328]},{"name":"FSCTL_SET_EXTERNAL_BACKING","features":[328]},{"name":"FSCTL_SET_INTEGRITY_INFORMATION","features":[328]},{"name":"FSCTL_SET_INTEGRITY_INFORMATION_BUFFER","features":[328]},{"name":"FSCTL_SET_INTEGRITY_INFORMATION_BUFFER_EX","features":[328]},{"name":"FSCTL_SET_INTEGRITY_INFORMATION_EX","features":[328]},{"name":"FSCTL_SET_LAYER_ROOT","features":[328]},{"name":"FSCTL_SET_OBJECT_ID","features":[328]},{"name":"FSCTL_SET_OBJECT_ID_EXTENDED","features":[328]},{"name":"FSCTL_SET_PERSISTENT_VOLUME_STATE","features":[328]},{"name":"FSCTL_SET_PURGE_FAILURE_MODE","features":[328]},{"name":"FSCTL_SET_REFS_FILE_STRICTLY_SEQUENTIAL","features":[328]},{"name":"FSCTL_SET_REFS_SMR_VOLUME_GC_PARAMETERS","features":[328]},{"name":"FSCTL_SET_REPAIR","features":[328]},{"name":"FSCTL_SET_REPARSE_POINT","features":[328]},{"name":"FSCTL_SET_REPARSE_POINT_EX","features":[328]},{"name":"FSCTL_SET_SHORT_NAME_BEHAVIOR","features":[328]},{"name":"FSCTL_SET_SPARSE","features":[328]},{"name":"FSCTL_SET_VOLUME_COMPRESSION_STATE","features":[328]},{"name":"FSCTL_SET_ZERO_DATA","features":[328]},{"name":"FSCTL_SET_ZERO_ON_DEALLOCATION","features":[328]},{"name":"FSCTL_SHRINK_VOLUME","features":[328]},{"name":"FSCTL_SHUFFLE_FILE","features":[328]},{"name":"FSCTL_SIS_COPYFILE","features":[328]},{"name":"FSCTL_SIS_LINK_FILES","features":[328]},{"name":"FSCTL_SMB_SHARE_FLUSH_AND_PURGE","features":[328]},{"name":"FSCTL_SPARSE_OVERALLOCATE","features":[328]},{"name":"FSCTL_SSDI_STORAGE_REQUEST","features":[328]},{"name":"FSCTL_START_VIRTUALIZATION_INSTANCE","features":[328]},{"name":"FSCTL_START_VIRTUALIZATION_INSTANCE_EX","features":[328]},{"name":"FSCTL_STORAGE_QOS_CONTROL","features":[328]},{"name":"FSCTL_STREAMS_ASSOCIATE_ID","features":[328]},{"name":"FSCTL_STREAMS_QUERY_ID","features":[328]},{"name":"FSCTL_STREAMS_QUERY_PARAMETERS","features":[328]},{"name":"FSCTL_SUSPEND_OVERLAY","features":[328]},{"name":"FSCTL_SVHDX_ASYNC_TUNNEL_REQUEST","features":[328]},{"name":"FSCTL_SVHDX_SET_INITIATOR_INFORMATION","features":[328]},{"name":"FSCTL_SVHDX_SYNC_TUNNEL_REQUEST","features":[328]},{"name":"FSCTL_TXFS_CREATE_MINIVERSION","features":[328]},{"name":"FSCTL_TXFS_CREATE_SECONDARY_RM","features":[328]},{"name":"FSCTL_TXFS_GET_METADATA_INFO","features":[328]},{"name":"FSCTL_TXFS_GET_TRANSACTED_VERSION","features":[328]},{"name":"FSCTL_TXFS_LIST_TRANSACTIONS","features":[328]},{"name":"FSCTL_TXFS_LIST_TRANSACTION_LOCKED_FILES","features":[328]},{"name":"FSCTL_TXFS_MODIFY_RM","features":[328]},{"name":"FSCTL_TXFS_QUERY_RM_INFORMATION","features":[328]},{"name":"FSCTL_TXFS_READ_BACKUP_INFORMATION","features":[328]},{"name":"FSCTL_TXFS_READ_BACKUP_INFORMATION2","features":[328]},{"name":"FSCTL_TXFS_ROLLFORWARD_REDO","features":[328]},{"name":"FSCTL_TXFS_ROLLFORWARD_UNDO","features":[328]},{"name":"FSCTL_TXFS_SAVEPOINT_INFORMATION","features":[328]},{"name":"FSCTL_TXFS_SHUTDOWN_RM","features":[328]},{"name":"FSCTL_TXFS_START_RM","features":[328]},{"name":"FSCTL_TXFS_TRANSACTION_ACTIVE","features":[328]},{"name":"FSCTL_TXFS_WRITE_BACKUP_INFORMATION","features":[328]},{"name":"FSCTL_TXFS_WRITE_BACKUP_INFORMATION2","features":[328]},{"name":"FSCTL_UNLOCK_VOLUME","features":[328]},{"name":"FSCTL_UNMAP_SPACE","features":[328]},{"name":"FSCTL_UPDATE_OVERLAY","features":[328]},{"name":"FSCTL_UPGRADE_VOLUME","features":[328]},{"name":"FSCTL_USN_TRACK_MODIFIED_RANGES","features":[328]},{"name":"FSCTL_VIRTUAL_STORAGE_PASSTHROUGH","features":[328]},{"name":"FSCTL_VIRTUAL_STORAGE_QUERY_PROPERTY","features":[328]},{"name":"FSCTL_VIRTUAL_STORAGE_SET_BEHAVIOR","features":[328]},{"name":"FSCTL_WAIT_FOR_REPAIR","features":[328]},{"name":"FSCTL_WRITE_RAW_ENCRYPTED","features":[328]},{"name":"FSCTL_WRITE_USN_CLOSE_RECORD","features":[328]},{"name":"FSCTL_WRITE_USN_REASON","features":[328]},{"name":"FS_BPIO_INFLAGS","features":[328]},{"name":"FS_BPIO_INFO","features":[328]},{"name":"FS_BPIO_INPUT","features":[328]},{"name":"FS_BPIO_OPERATIONS","features":[328]},{"name":"FS_BPIO_OP_DISABLE","features":[328]},{"name":"FS_BPIO_OP_ENABLE","features":[328]},{"name":"FS_BPIO_OP_GET_INFO","features":[328]},{"name":"FS_BPIO_OP_MAX_OPERATION","features":[328]},{"name":"FS_BPIO_OP_QUERY","features":[328]},{"name":"FS_BPIO_OP_STREAM_PAUSE","features":[328]},{"name":"FS_BPIO_OP_STREAM_RESUME","features":[328]},{"name":"FS_BPIO_OP_VOLUME_STACK_PAUSE","features":[328]},{"name":"FS_BPIO_OP_VOLUME_STACK_RESUME","features":[328]},{"name":"FS_BPIO_OUTFLAGS","features":[328]},{"name":"FS_BPIO_OUTPUT","features":[328]},{"name":"FS_BPIO_RESULTS","features":[328]},{"name":"FW_ISSUEID_NO_ISSUE","features":[328]},{"name":"FW_ISSUEID_UNKNOWN","features":[328]},{"name":"FileSnapStateInactive","features":[328]},{"name":"FileSnapStateSource","features":[328]},{"name":"FileSnapStateTarget","features":[328]},{"name":"FileStorageTierClassCapacity","features":[328]},{"name":"FileStorageTierClassMax","features":[328]},{"name":"FileStorageTierClassPerformance","features":[328]},{"name":"FileStorageTierClassUnspecified","features":[328]},{"name":"FileStorageTierMediaTypeDisk","features":[328]},{"name":"FileStorageTierMediaTypeMax","features":[328]},{"name":"FileStorageTierMediaTypeScm","features":[328]},{"name":"FileStorageTierMediaTypeSsd","features":[328]},{"name":"FileStorageTierMediaTypeUnspecified","features":[328]},{"name":"FixedMedia","features":[328]},{"name":"FormFactor1_8","features":[328]},{"name":"FormFactor1_8Less","features":[328]},{"name":"FormFactor2_5","features":[328]},{"name":"FormFactor3_5","features":[328]},{"name":"FormFactorDimm","features":[328]},{"name":"FormFactorEmbedded","features":[328]},{"name":"FormFactorM_2","features":[328]},{"name":"FormFactorMemoryCard","features":[328]},{"name":"FormFactorPCIeBoard","features":[328]},{"name":"FormFactorUnknown","features":[328]},{"name":"FormFactormSata","features":[328]},{"name":"GETVERSIONINPARAMS","features":[328]},{"name":"GET_CHANGER_PARAMETERS","features":[328]},{"name":"GET_CHANGER_PARAMETERS_FEATURES1","features":[328]},{"name":"GET_DEVICE_INTERNAL_STATUS_DATA_REQUEST","features":[328]},{"name":"GET_DISK_ATTRIBUTES","features":[328]},{"name":"GET_FILTER_FILE_IDENTIFIER_INPUT","features":[328]},{"name":"GET_FILTER_FILE_IDENTIFIER_OUTPUT","features":[328]},{"name":"GET_LENGTH_INFORMATION","features":[328]},{"name":"GET_MEDIA_TYPES","features":[327,328]},{"name":"GET_VOLUME_BITMAP_FLAG_MASK_METADATA","features":[328]},{"name":"GPT_ATTRIBUTES","features":[328]},{"name":"GPT_ATTRIBUTE_LEGACY_BIOS_BOOTABLE","features":[328]},{"name":"GPT_ATTRIBUTE_NO_BLOCK_IO_PROTOCOL","features":[328]},{"name":"GPT_ATTRIBUTE_PLATFORM_REQUIRED","features":[328]},{"name":"GPT_BASIC_DATA_ATTRIBUTE_DAX","features":[328]},{"name":"GPT_BASIC_DATA_ATTRIBUTE_HIDDEN","features":[328]},{"name":"GPT_BASIC_DATA_ATTRIBUTE_NO_DRIVE_LETTER","features":[328]},{"name":"GPT_BASIC_DATA_ATTRIBUTE_OFFLINE","features":[328]},{"name":"GPT_BASIC_DATA_ATTRIBUTE_READ_ONLY","features":[328]},{"name":"GPT_BASIC_DATA_ATTRIBUTE_SERVICE","features":[328]},{"name":"GPT_BASIC_DATA_ATTRIBUTE_SHADOW_COPY","features":[328]},{"name":"GPT_SPACES_ATTRIBUTE_NO_METADATA","features":[328]},{"name":"GP_LOG_PAGE_DESCRIPTOR","features":[328]},{"name":"GUID_DEVICEDUMP_DRIVER_STORAGE_PORT","features":[328]},{"name":"GUID_DEVICEDUMP_STORAGE_DEVICE","features":[328]},{"name":"GUID_DEVINTERFACE_CDCHANGER","features":[328]},{"name":"GUID_DEVINTERFACE_CDROM","features":[328]},{"name":"GUID_DEVINTERFACE_COMPORT","features":[328]},{"name":"GUID_DEVINTERFACE_DISK","features":[328]},{"name":"GUID_DEVINTERFACE_FLOPPY","features":[328]},{"name":"GUID_DEVINTERFACE_HIDDEN_VOLUME","features":[328]},{"name":"GUID_DEVINTERFACE_MEDIUMCHANGER","features":[328]},{"name":"GUID_DEVINTERFACE_PARTITION","features":[328]},{"name":"GUID_DEVINTERFACE_SCM_PHYSICAL_DEVICE","features":[328]},{"name":"GUID_DEVINTERFACE_SERENUM_BUS_ENUMERATOR","features":[328]},{"name":"GUID_DEVINTERFACE_SERVICE_VOLUME","features":[328]},{"name":"GUID_DEVINTERFACE_SES","features":[328]},{"name":"GUID_DEVINTERFACE_STORAGEPORT","features":[328]},{"name":"GUID_DEVINTERFACE_TAPE","features":[328]},{"name":"GUID_DEVINTERFACE_UNIFIED_ACCESS_RPMB","features":[328]},{"name":"GUID_DEVINTERFACE_VMLUN","features":[328]},{"name":"GUID_DEVINTERFACE_VOLUME","features":[328]},{"name":"GUID_DEVINTERFACE_WRITEONCEDISK","features":[328]},{"name":"GUID_DEVINTERFACE_ZNSDISK","features":[328]},{"name":"GUID_SCM_PD_HEALTH_NOTIFICATION","features":[328]},{"name":"GUID_SCM_PD_PASSTHROUGH_INVDIMM","features":[328]},{"name":"HISTOGRAM_BUCKET","features":[328]},{"name":"HIST_NO_OF_BUCKETS","features":[328]},{"name":"HITACHI_12_WO","features":[328]},{"name":"HealthStatusDisabled","features":[328]},{"name":"HealthStatusFailed","features":[328]},{"name":"HealthStatusNormal","features":[328]},{"name":"HealthStatusThrottled","features":[328]},{"name":"HealthStatusUnknown","features":[328]},{"name":"HealthStatusWarning","features":[328]},{"name":"IBM_3480","features":[328]},{"name":"IBM_3490E","features":[328]},{"name":"IBM_Magstar_3590","features":[328]},{"name":"IBM_Magstar_MP","features":[328]},{"name":"IDENTIFY_BUFFER_SIZE","features":[328]},{"name":"IDEREGS","features":[328]},{"name":"ID_CMD","features":[328]},{"name":"IOCTL_CHANGER_BASE","features":[328]},{"name":"IOCTL_CHANGER_EXCHANGE_MEDIUM","features":[328]},{"name":"IOCTL_CHANGER_GET_ELEMENT_STATUS","features":[328]},{"name":"IOCTL_CHANGER_GET_PARAMETERS","features":[328]},{"name":"IOCTL_CHANGER_GET_PRODUCT_DATA","features":[328]},{"name":"IOCTL_CHANGER_GET_STATUS","features":[328]},{"name":"IOCTL_CHANGER_INITIALIZE_ELEMENT_STATUS","features":[328]},{"name":"IOCTL_CHANGER_MOVE_MEDIUM","features":[328]},{"name":"IOCTL_CHANGER_QUERY_VOLUME_TAGS","features":[328]},{"name":"IOCTL_CHANGER_REINITIALIZE_TRANSPORT","features":[328]},{"name":"IOCTL_CHANGER_SET_ACCESS","features":[328]},{"name":"IOCTL_CHANGER_SET_POSITION","features":[328]},{"name":"IOCTL_DISK_BASE","features":[328]},{"name":"IOCTL_DISK_CHECK_VERIFY","features":[328]},{"name":"IOCTL_DISK_CONTROLLER_NUMBER","features":[328]},{"name":"IOCTL_DISK_CREATE_DISK","features":[328]},{"name":"IOCTL_DISK_DELETE_DRIVE_LAYOUT","features":[328]},{"name":"IOCTL_DISK_EJECT_MEDIA","features":[328]},{"name":"IOCTL_DISK_FIND_NEW_DEVICES","features":[328]},{"name":"IOCTL_DISK_FORMAT_DRIVE","features":[328]},{"name":"IOCTL_DISK_FORMAT_TRACKS","features":[328]},{"name":"IOCTL_DISK_FORMAT_TRACKS_EX","features":[328]},{"name":"IOCTL_DISK_GET_CACHE_INFORMATION","features":[328]},{"name":"IOCTL_DISK_GET_DISK_ATTRIBUTES","features":[328]},{"name":"IOCTL_DISK_GET_DRIVE_GEOMETRY","features":[328]},{"name":"IOCTL_DISK_GET_DRIVE_GEOMETRY_EX","features":[328]},{"name":"IOCTL_DISK_GET_DRIVE_LAYOUT","features":[328]},{"name":"IOCTL_DISK_GET_DRIVE_LAYOUT_EX","features":[328]},{"name":"IOCTL_DISK_GET_LENGTH_INFO","features":[328]},{"name":"IOCTL_DISK_GET_MEDIA_TYPES","features":[328]},{"name":"IOCTL_DISK_GET_PARTITION_INFO","features":[328]},{"name":"IOCTL_DISK_GET_PARTITION_INFO_EX","features":[328]},{"name":"IOCTL_DISK_GET_WRITE_CACHE_STATE","features":[328]},{"name":"IOCTL_DISK_GROW_PARTITION","features":[328]},{"name":"IOCTL_DISK_HISTOGRAM_DATA","features":[328]},{"name":"IOCTL_DISK_HISTOGRAM_RESET","features":[328]},{"name":"IOCTL_DISK_HISTOGRAM_STRUCTURE","features":[328]},{"name":"IOCTL_DISK_IS_WRITABLE","features":[328]},{"name":"IOCTL_DISK_LOAD_MEDIA","features":[328]},{"name":"IOCTL_DISK_LOGGING","features":[328]},{"name":"IOCTL_DISK_MEDIA_REMOVAL","features":[328]},{"name":"IOCTL_DISK_PERFORMANCE","features":[328]},{"name":"IOCTL_DISK_PERFORMANCE_OFF","features":[328]},{"name":"IOCTL_DISK_REASSIGN_BLOCKS","features":[328]},{"name":"IOCTL_DISK_REASSIGN_BLOCKS_EX","features":[328]},{"name":"IOCTL_DISK_RELEASE","features":[328]},{"name":"IOCTL_DISK_REQUEST_DATA","features":[328]},{"name":"IOCTL_DISK_REQUEST_STRUCTURE","features":[328]},{"name":"IOCTL_DISK_RESERVE","features":[328]},{"name":"IOCTL_DISK_RESET_SNAPSHOT_INFO","features":[328]},{"name":"IOCTL_DISK_SENSE_DEVICE","features":[328]},{"name":"IOCTL_DISK_SET_CACHE_INFORMATION","features":[328]},{"name":"IOCTL_DISK_SET_DISK_ATTRIBUTES","features":[328]},{"name":"IOCTL_DISK_SET_DRIVE_LAYOUT","features":[328]},{"name":"IOCTL_DISK_SET_DRIVE_LAYOUT_EX","features":[328]},{"name":"IOCTL_DISK_SET_PARTITION_INFO","features":[328]},{"name":"IOCTL_DISK_SET_PARTITION_INFO_EX","features":[328]},{"name":"IOCTL_DISK_UPDATE_DRIVE_SIZE","features":[328]},{"name":"IOCTL_DISK_UPDATE_PROPERTIES","features":[328]},{"name":"IOCTL_DISK_VERIFY","features":[328]},{"name":"IOCTL_SCMBUS_BASE","features":[328]},{"name":"IOCTL_SCMBUS_DEVICE_FUNCTION_BASE","features":[328]},{"name":"IOCTL_SCM_BUS_GET_LOGICAL_DEVICES","features":[328]},{"name":"IOCTL_SCM_BUS_GET_PHYSICAL_DEVICES","features":[328]},{"name":"IOCTL_SCM_BUS_GET_REGIONS","features":[328]},{"name":"IOCTL_SCM_BUS_QUERY_PROPERTY","features":[328]},{"name":"IOCTL_SCM_BUS_REFRESH_NAMESPACE","features":[328]},{"name":"IOCTL_SCM_BUS_RUNTIME_FW_ACTIVATE","features":[328]},{"name":"IOCTL_SCM_BUS_SET_PROPERTY","features":[328]},{"name":"IOCTL_SCM_LD_GET_INTERLEAVE_SET","features":[328]},{"name":"IOCTL_SCM_LOGICAL_DEVICE_FUNCTION_BASE","features":[328]},{"name":"IOCTL_SCM_PD_FIRMWARE_ACTIVATE","features":[328]},{"name":"IOCTL_SCM_PD_FIRMWARE_DOWNLOAD","features":[328]},{"name":"IOCTL_SCM_PD_PASSTHROUGH","features":[328]},{"name":"IOCTL_SCM_PD_QUERY_PROPERTY","features":[328]},{"name":"IOCTL_SCM_PD_REINITIALIZE_MEDIA","features":[328]},{"name":"IOCTL_SCM_PD_SET_PROPERTY","features":[328]},{"name":"IOCTL_SCM_PD_UPDATE_MANAGEMENT_STATUS","features":[328]},{"name":"IOCTL_SCM_PHYSICAL_DEVICE_FUNCTION_BASE","features":[328]},{"name":"IOCTL_SERENUM_EXPOSE_HARDWARE","features":[328]},{"name":"IOCTL_SERENUM_GET_PORT_NAME","features":[328]},{"name":"IOCTL_SERENUM_PORT_DESC","features":[328]},{"name":"IOCTL_SERENUM_REMOVE_HARDWARE","features":[328]},{"name":"IOCTL_SERIAL_LSRMST_INSERT","features":[328]},{"name":"IOCTL_STORAGE_ALLOCATE_BC_STREAM","features":[328]},{"name":"IOCTL_STORAGE_ATTRIBUTE_MANAGEMENT","features":[328]},{"name":"IOCTL_STORAGE_BASE","features":[328]},{"name":"IOCTL_STORAGE_BC_VERSION","features":[328]},{"name":"IOCTL_STORAGE_BREAK_RESERVATION","features":[328]},{"name":"IOCTL_STORAGE_CHECK_PRIORITY_HINT_SUPPORT","features":[328]},{"name":"IOCTL_STORAGE_CHECK_VERIFY","features":[328]},{"name":"IOCTL_STORAGE_CHECK_VERIFY2","features":[328]},{"name":"IOCTL_STORAGE_DEVICE_POWER_CAP","features":[328]},{"name":"IOCTL_STORAGE_DEVICE_TELEMETRY_NOTIFY","features":[328]},{"name":"IOCTL_STORAGE_DEVICE_TELEMETRY_QUERY_CAPS","features":[328]},{"name":"IOCTL_STORAGE_DIAGNOSTIC","features":[328]},{"name":"IOCTL_STORAGE_EJECTION_CONTROL","features":[328]},{"name":"IOCTL_STORAGE_EJECT_MEDIA","features":[328]},{"name":"IOCTL_STORAGE_ENABLE_IDLE_POWER","features":[328]},{"name":"IOCTL_STORAGE_EVENT_NOTIFICATION","features":[328]},{"name":"IOCTL_STORAGE_FAILURE_PREDICTION_CONFIG","features":[328]},{"name":"IOCTL_STORAGE_FIND_NEW_DEVICES","features":[328]},{"name":"IOCTL_STORAGE_FIRMWARE_ACTIVATE","features":[328]},{"name":"IOCTL_STORAGE_FIRMWARE_DOWNLOAD","features":[328]},{"name":"IOCTL_STORAGE_FIRMWARE_GET_INFO","features":[328]},{"name":"IOCTL_STORAGE_FREE_BC_STREAM","features":[328]},{"name":"IOCTL_STORAGE_GET_BC_PROPERTIES","features":[328]},{"name":"IOCTL_STORAGE_GET_COUNTERS","features":[328]},{"name":"IOCTL_STORAGE_GET_DEVICE_INTERNAL_LOG","features":[328]},{"name":"IOCTL_STORAGE_GET_DEVICE_NUMBER","features":[328]},{"name":"IOCTL_STORAGE_GET_DEVICE_NUMBER_EX","features":[328]},{"name":"IOCTL_STORAGE_GET_DEVICE_TELEMETRY","features":[328]},{"name":"IOCTL_STORAGE_GET_DEVICE_TELEMETRY_RAW","features":[328]},{"name":"IOCTL_STORAGE_GET_HOTPLUG_INFO","features":[328]},{"name":"IOCTL_STORAGE_GET_IDLE_POWERUP_REASON","features":[328]},{"name":"IOCTL_STORAGE_GET_LB_PROVISIONING_MAP_RESOURCES","features":[328]},{"name":"IOCTL_STORAGE_GET_MEDIA_SERIAL_NUMBER","features":[328]},{"name":"IOCTL_STORAGE_GET_MEDIA_TYPES","features":[328]},{"name":"IOCTL_STORAGE_GET_MEDIA_TYPES_EX","features":[328]},{"name":"IOCTL_STORAGE_GET_PHYSICAL_ELEMENT_STATUS","features":[328]},{"name":"IOCTL_STORAGE_LOAD_MEDIA","features":[328]},{"name":"IOCTL_STORAGE_LOAD_MEDIA2","features":[328]},{"name":"IOCTL_STORAGE_MANAGE_BYPASS_IO","features":[328]},{"name":"IOCTL_STORAGE_MANAGE_DATA_SET_ATTRIBUTES","features":[328]},{"name":"IOCTL_STORAGE_MCN_CONTROL","features":[328]},{"name":"IOCTL_STORAGE_MEDIA_REMOVAL","features":[328]},{"name":"IOCTL_STORAGE_PERSISTENT_RESERVE_IN","features":[328]},{"name":"IOCTL_STORAGE_PERSISTENT_RESERVE_OUT","features":[328]},{"name":"IOCTL_STORAGE_POWER_ACTIVE","features":[328]},{"name":"IOCTL_STORAGE_POWER_IDLE","features":[328]},{"name":"IOCTL_STORAGE_PREDICT_FAILURE","features":[328]},{"name":"IOCTL_STORAGE_PROTOCOL_COMMAND","features":[328]},{"name":"IOCTL_STORAGE_QUERY_PROPERTY","features":[328]},{"name":"IOCTL_STORAGE_READ_CAPACITY","features":[328]},{"name":"IOCTL_STORAGE_REINITIALIZE_MEDIA","features":[328]},{"name":"IOCTL_STORAGE_RELEASE","features":[328]},{"name":"IOCTL_STORAGE_REMOVE_ELEMENT_AND_TRUNCATE","features":[328]},{"name":"IOCTL_STORAGE_RESERVE","features":[328]},{"name":"IOCTL_STORAGE_RESET_BUS","features":[328]},{"name":"IOCTL_STORAGE_RESET_DEVICE","features":[328]},{"name":"IOCTL_STORAGE_RPMB_COMMAND","features":[328]},{"name":"IOCTL_STORAGE_SET_HOTPLUG_INFO","features":[328]},{"name":"IOCTL_STORAGE_SET_PROPERTY","features":[328]},{"name":"IOCTL_STORAGE_SET_TEMPERATURE_THRESHOLD","features":[328]},{"name":"IOCTL_STORAGE_START_DATA_INTEGRITY_CHECK","features":[328]},{"name":"IOCTL_STORAGE_STOP_DATA_INTEGRITY_CHECK","features":[328]},{"name":"IOMEGA_JAZ","features":[328]},{"name":"IOMEGA_ZIP","features":[328]},{"name":"IO_IRP_EXT_TRACK_OFFSET_HEADER","features":[328]},{"name":"KODAK_14_WO","features":[328]},{"name":"KeepPrefetchedData","features":[328]},{"name":"KeepReadData","features":[328]},{"name":"LMRQuerySessionInfo","features":[328]},{"name":"LMR_QUERY_INFO_CLASS","features":[328]},{"name":"LMR_QUERY_INFO_PARAM","features":[328]},{"name":"LMR_QUERY_SESSION_INFO","features":[328]},{"name":"LOCK_ELEMENT","features":[328]},{"name":"LOCK_UNLOCK_DOOR","features":[328]},{"name":"LOCK_UNLOCK_IEPORT","features":[328]},{"name":"LOCK_UNLOCK_KEYPAD","features":[328]},{"name":"LOOKUP_STREAM_FROM_CLUSTER_ENTRY","features":[328]},{"name":"LOOKUP_STREAM_FROM_CLUSTER_ENTRY_ATTRIBUTE_DATA","features":[328]},{"name":"LOOKUP_STREAM_FROM_CLUSTER_ENTRY_ATTRIBUTE_INDEX","features":[328]},{"name":"LOOKUP_STREAM_FROM_CLUSTER_ENTRY_ATTRIBUTE_MASK","features":[328]},{"name":"LOOKUP_STREAM_FROM_CLUSTER_ENTRY_ATTRIBUTE_SYSTEM","features":[328]},{"name":"LOOKUP_STREAM_FROM_CLUSTER_ENTRY_FLAG_DENY_DEFRAG_SET","features":[328]},{"name":"LOOKUP_STREAM_FROM_CLUSTER_ENTRY_FLAG_FS_SYSTEM_FILE","features":[328]},{"name":"LOOKUP_STREAM_FROM_CLUSTER_ENTRY_FLAG_PAGE_FILE","features":[328]},{"name":"LOOKUP_STREAM_FROM_CLUSTER_ENTRY_FLAG_TXF_SYSTEM_FILE","features":[328]},{"name":"LOOKUP_STREAM_FROM_CLUSTER_INPUT","features":[328]},{"name":"LOOKUP_STREAM_FROM_CLUSTER_OUTPUT","features":[328]},{"name":"LTO_Accelis","features":[328]},{"name":"LTO_Ultrium","features":[328]},{"name":"MARK_HANDLE_CLOUD_SYNC","features":[328]},{"name":"MARK_HANDLE_DISABLE_FILE_METADATA_OPTIMIZATION","features":[328]},{"name":"MARK_HANDLE_ENABLE_CPU_CACHE","features":[328]},{"name":"MARK_HANDLE_ENABLE_USN_SOURCE_ON_PAGING_IO","features":[328]},{"name":"MARK_HANDLE_FILTER_METADATA","features":[328]},{"name":"MARK_HANDLE_INFO","features":[308,328]},{"name":"MARK_HANDLE_INFO32","features":[328]},{"name":"MARK_HANDLE_NOT_READ_COPY","features":[328]},{"name":"MARK_HANDLE_NOT_REALTIME","features":[328]},{"name":"MARK_HANDLE_NOT_TXF_SYSTEM_LOG","features":[328]},{"name":"MARK_HANDLE_PROTECT_CLUSTERS","features":[328]},{"name":"MARK_HANDLE_READ_COPY","features":[328]},{"name":"MARK_HANDLE_REALTIME","features":[328]},{"name":"MARK_HANDLE_RETURN_PURGE_FAILURE","features":[328]},{"name":"MARK_HANDLE_SKIP_COHERENCY_SYNC_DISALLOW_WRITES","features":[328]},{"name":"MARK_HANDLE_SUPPRESS_VOLUME_OPEN_FLUSH","features":[328]},{"name":"MARK_HANDLE_TXF_SYSTEM_LOG","features":[328]},{"name":"MAXIMUM_ENCRYPTION_VALUE","features":[328]},{"name":"MAX_FW_BUCKET_ID_LENGTH","features":[328]},{"name":"MAX_INTERFACE_CODES","features":[328]},{"name":"MAX_VOLUME_ID_SIZE","features":[328]},{"name":"MAX_VOLUME_TEMPLATE_SIZE","features":[328]},{"name":"MEDIA_CURRENTLY_MOUNTED","features":[328]},{"name":"MEDIA_ERASEABLE","features":[328]},{"name":"MEDIA_READ_ONLY","features":[328]},{"name":"MEDIA_READ_WRITE","features":[328]},{"name":"MEDIA_TYPE","features":[328]},{"name":"MEDIA_WRITE_ONCE","features":[328]},{"name":"MEDIA_WRITE_PROTECTED","features":[328]},{"name":"METHOD_BUFFERED","features":[328]},{"name":"METHOD_DIRECT_FROM_HARDWARE","features":[328]},{"name":"METHOD_DIRECT_TO_HARDWARE","features":[328]},{"name":"METHOD_IN_DIRECT","features":[328]},{"name":"METHOD_NEITHER","features":[328]},{"name":"METHOD_OUT_DIRECT","features":[328]},{"name":"MFT_ENUM_DATA_V0","features":[328]},{"name":"MFT_ENUM_DATA_V1","features":[328]},{"name":"MOVE_FILE_DATA","features":[308,328]},{"name":"MOVE_FILE_DATA32","features":[328]},{"name":"MOVE_FILE_RECORD_DATA","features":[308,328]},{"name":"MO_3_RW","features":[328]},{"name":"MO_5_LIMDOW","features":[328]},{"name":"MO_5_RW","features":[328]},{"name":"MO_5_WO","features":[328]},{"name":"MO_NFR_525","features":[328]},{"name":"MP2_8mm","features":[328]},{"name":"MP_8mm","features":[328]},{"name":"MiniQic","features":[328]},{"name":"NCTP","features":[328]},{"name":"NIKON_12_RW","features":[328]},{"name":"NTFS_EXTENDED_VOLUME_DATA","features":[328]},{"name":"NTFS_FILE_RECORD_INPUT_BUFFER","features":[328]},{"name":"NTFS_FILE_RECORD_OUTPUT_BUFFER","features":[328]},{"name":"NTFS_STATISTICS","features":[328]},{"name":"NTFS_STATISTICS_EX","features":[328]},{"name":"NTFS_VOLUME_DATA_BUFFER","features":[328]},{"name":"NVMeDataTypeFeature","features":[328]},{"name":"NVMeDataTypeIdentify","features":[328]},{"name":"NVMeDataTypeLogPage","features":[328]},{"name":"NVMeDataTypeUnknown","features":[328]},{"name":"OBSOLETE_DISK_GET_WRITE_CACHE_STATE","features":[328]},{"name":"OBSOLETE_IOCTL_STORAGE_RESET_BUS","features":[328]},{"name":"OBSOLETE_IOCTL_STORAGE_RESET_DEVICE","features":[328]},{"name":"OFFLOAD_READ_FLAG_ALL_ZERO_BEYOND_CURRENT_RANGE","features":[328]},{"name":"OPLOCK_LEVEL_CACHE_HANDLE","features":[328]},{"name":"OPLOCK_LEVEL_CACHE_READ","features":[328]},{"name":"OPLOCK_LEVEL_CACHE_WRITE","features":[328]},{"name":"PARTIITON_OS_DATA","features":[328]},{"name":"PARTITION_BSP","features":[328]},{"name":"PARTITION_DM","features":[328]},{"name":"PARTITION_DPP","features":[328]},{"name":"PARTITION_ENTRY_UNUSED","features":[328]},{"name":"PARTITION_EXTENDED","features":[328]},{"name":"PARTITION_EZDRIVE","features":[328]},{"name":"PARTITION_FAT32","features":[328]},{"name":"PARTITION_FAT32_XINT13","features":[328]},{"name":"PARTITION_FAT_12","features":[328]},{"name":"PARTITION_FAT_16","features":[328]},{"name":"PARTITION_GPT","features":[328]},{"name":"PARTITION_HUGE","features":[328]},{"name":"PARTITION_IFS","features":[328]},{"name":"PARTITION_INFORMATION","features":[308,328]},{"name":"PARTITION_INFORMATION_EX","features":[308,328]},{"name":"PARTITION_INFORMATION_GPT","features":[328]},{"name":"PARTITION_INFORMATION_MBR","features":[308,328]},{"name":"PARTITION_LDM","features":[328]},{"name":"PARTITION_MAIN_OS","features":[328]},{"name":"PARTITION_MSFT_RECOVERY","features":[328]},{"name":"PARTITION_NTFT","features":[328]},{"name":"PARTITION_OS2BOOTMGR","features":[328]},{"name":"PARTITION_PREP","features":[328]},{"name":"PARTITION_PRE_INSTALLED","features":[328]},{"name":"PARTITION_SPACES","features":[328]},{"name":"PARTITION_SPACES_DATA","features":[328]},{"name":"PARTITION_STYLE","features":[328]},{"name":"PARTITION_STYLE_GPT","features":[328]},{"name":"PARTITION_STYLE_MBR","features":[328]},{"name":"PARTITION_STYLE_RAW","features":[328]},{"name":"PARTITION_SYSTEM","features":[328]},{"name":"PARTITION_UNIX","features":[328]},{"name":"PARTITION_WINDOWS_SYSTEM","features":[328]},{"name":"PARTITION_XENIX_1","features":[328]},{"name":"PARTITION_XENIX_2","features":[328]},{"name":"PARTITION_XINT13","features":[328]},{"name":"PARTITION_XINT13_EXTENDED","features":[328]},{"name":"PATHNAME_BUFFER","features":[328]},{"name":"PC_5_RW","features":[328]},{"name":"PC_5_WO","features":[328]},{"name":"PD_5_RW","features":[328]},{"name":"PERF_BIN","features":[328]},{"name":"PERSISTENT_RESERVE_COMMAND","features":[328]},{"name":"PERSISTENT_VOLUME_STATE_BACKED_BY_WIM","features":[328]},{"name":"PERSISTENT_VOLUME_STATE_CHKDSK_RAN_ONCE","features":[328]},{"name":"PERSISTENT_VOLUME_STATE_CONTAINS_BACKING_WIM","features":[328]},{"name":"PERSISTENT_VOLUME_STATE_DAX_FORMATTED","features":[328]},{"name":"PERSISTENT_VOLUME_STATE_DEV_VOLUME","features":[328]},{"name":"PERSISTENT_VOLUME_STATE_GLOBAL_METADATA_NO_SEEK_PENALTY","features":[328]},{"name":"PERSISTENT_VOLUME_STATE_LOCAL_METADATA_NO_SEEK_PENALTY","features":[328]},{"name":"PERSISTENT_VOLUME_STATE_MODIFIED_BY_CHKDSK","features":[328]},{"name":"PERSISTENT_VOLUME_STATE_NO_HEAT_GATHERING","features":[328]},{"name":"PERSISTENT_VOLUME_STATE_NO_WRITE_AUTO_TIERING","features":[328]},{"name":"PERSISTENT_VOLUME_STATE_REALLOCATE_ALL_DATA_WRITES","features":[328]},{"name":"PERSISTENT_VOLUME_STATE_SHORT_NAME_CREATION_DISABLED","features":[328]},{"name":"PERSISTENT_VOLUME_STATE_TRUSTED_VOLUME","features":[328]},{"name":"PERSISTENT_VOLUME_STATE_TXF_DISABLED","features":[328]},{"name":"PERSISTENT_VOLUME_STATE_VOLUME_SCRUB_DISABLED","features":[328]},{"name":"PHILIPS_12_WO","features":[328]},{"name":"PHYSICAL_ELEMENT_STATUS","features":[328]},{"name":"PHYSICAL_ELEMENT_STATUS_DESCRIPTOR","features":[328]},{"name":"PHYSICAL_ELEMENT_STATUS_REQUEST","features":[328]},{"name":"PINNACLE_APEX_5_RW","features":[328]},{"name":"PIO_IRP_EXT_PROCESS_TRACKED_OFFSET_CALLBACK","features":[328]},{"name":"PLEX_READ_DATA_REQUEST","features":[328]},{"name":"PREVENT_MEDIA_REMOVAL","features":[308,328]},{"name":"PRODUCT_ID_LENGTH","features":[328]},{"name":"PROJFS_PROTOCOL_VERSION","features":[328]},{"name":"PropertyExistsQuery","features":[328]},{"name":"PropertyExistsSet","features":[328]},{"name":"PropertyMaskQuery","features":[328]},{"name":"PropertyQueryMaxDefined","features":[328]},{"name":"PropertySetMaxDefined","features":[328]},{"name":"PropertyStandardQuery","features":[328]},{"name":"PropertyStandardSet","features":[328]},{"name":"ProtocolTypeAta","features":[328]},{"name":"ProtocolTypeMaxReserved","features":[328]},{"name":"ProtocolTypeNvme","features":[328]},{"name":"ProtocolTypeProprietary","features":[328]},{"name":"ProtocolTypeScsi","features":[328]},{"name":"ProtocolTypeSd","features":[328]},{"name":"ProtocolTypeUfs","features":[328]},{"name":"ProtocolTypeUnknown","features":[328]},{"name":"QIC","features":[328]},{"name":"QUERY_BAD_RANGES_INPUT","features":[328]},{"name":"QUERY_BAD_RANGES_INPUT_RANGE","features":[328]},{"name":"QUERY_BAD_RANGES_OUTPUT","features":[328]},{"name":"QUERY_BAD_RANGES_OUTPUT_RANGE","features":[328]},{"name":"QUERY_DEPENDENT_VOLUME_REQUEST_FLAG_GUEST_VOLUMES","features":[328]},{"name":"QUERY_DEPENDENT_VOLUME_REQUEST_FLAG_HOST_VOLUMES","features":[328]},{"name":"QUERY_FILE_LAYOUT_FILTER_TYPE","features":[328]},{"name":"QUERY_FILE_LAYOUT_FILTER_TYPE_CLUSTERS","features":[328]},{"name":"QUERY_FILE_LAYOUT_FILTER_TYPE_FILEID","features":[328]},{"name":"QUERY_FILE_LAYOUT_FILTER_TYPE_NONE","features":[328]},{"name":"QUERY_FILE_LAYOUT_FILTER_TYPE_STORAGE_RESERVE_ID","features":[328]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_EXTENTS","features":[328]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_EXTRA_INFO","features":[328]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_FILES_WITH_DSC_ATTRIBUTE","features":[328]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_FULL_PATH_IN_NAMES","features":[328]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_NAMES","features":[328]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_ONLY_FILES_WITH_SPECIFIC_ATTRIBUTES","features":[328]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_STREAMS","features":[328]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_STREAMS_WITH_NO_CLUSTERS_ALLOCATED","features":[328]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_STREAM_INFORMATION","features":[328]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_STREAM_INFORMATION_FOR_DATA_ATTRIBUTE","features":[328]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_STREAM_INFORMATION_FOR_DSC_ATTRIBUTE","features":[328]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_STREAM_INFORMATION_FOR_EA_ATTRIBUTE","features":[328]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_STREAM_INFORMATION_FOR_EFS_ATTRIBUTE","features":[328]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_STREAM_INFORMATION_FOR_REPARSE_ATTRIBUTE","features":[328]},{"name":"QUERY_FILE_LAYOUT_INCLUDE_STREAM_INFORMATION_FOR_TXF_ATTRIBUTE","features":[328]},{"name":"QUERY_FILE_LAYOUT_INPUT","features":[328]},{"name":"QUERY_FILE_LAYOUT_NUM_FILTER_TYPES","features":[328]},{"name":"QUERY_FILE_LAYOUT_OUTPUT","features":[328]},{"name":"QUERY_FILE_LAYOUT_REPARSE_DATA_INVALID","features":[328]},{"name":"QUERY_FILE_LAYOUT_REPARSE_TAG_INVALID","features":[328]},{"name":"QUERY_FILE_LAYOUT_RESTART","features":[328]},{"name":"QUERY_FILE_LAYOUT_SINGLE_INSTANCED","features":[328]},{"name":"QUERY_STORAGE_CLASSES_FLAGS_MEASURE_READ","features":[328]},{"name":"QUERY_STORAGE_CLASSES_FLAGS_MEASURE_WRITE","features":[328]},{"name":"QUERY_STORAGE_CLASSES_FLAGS_NO_DEFRAG_VOLUME","features":[328]},{"name":"READ_ATTRIBUTES","features":[328]},{"name":"READ_ATTRIBUTE_BUFFER_SIZE","features":[328]},{"name":"READ_COMPRESSION_INFO_VALID","features":[328]},{"name":"READ_COPY_NUMBER_BYPASS_CACHE_FLAG","features":[328]},{"name":"READ_COPY_NUMBER_KEY","features":[328]},{"name":"READ_ELEMENT_ADDRESS_INFO","features":[328]},{"name":"READ_FILE_USN_DATA","features":[328]},{"name":"READ_THRESHOLDS","features":[328]},{"name":"READ_THRESHOLD_BUFFER_SIZE","features":[328]},{"name":"READ_USN_JOURNAL_DATA_V0","features":[328]},{"name":"READ_USN_JOURNAL_DATA_V1","features":[328]},{"name":"REASSIGN_BLOCKS","features":[328]},{"name":"REASSIGN_BLOCKS_EX","features":[328]},{"name":"RECOVERED_READS_VALID","features":[328]},{"name":"RECOVERED_WRITES_VALID","features":[328]},{"name":"REFS_SMR_VOLUME_GC_ACTION","features":[328]},{"name":"REFS_SMR_VOLUME_GC_METHOD","features":[328]},{"name":"REFS_SMR_VOLUME_GC_PARAMETERS","features":[328]},{"name":"REFS_SMR_VOLUME_GC_PARAMETERS_VERSION_V1","features":[328]},{"name":"REFS_SMR_VOLUME_GC_STATE","features":[328]},{"name":"REFS_SMR_VOLUME_INFO_OUTPUT","features":[328]},{"name":"REFS_SMR_VOLUME_INFO_OUTPUT_VERSION_V0","features":[328]},{"name":"REFS_SMR_VOLUME_INFO_OUTPUT_VERSION_V1","features":[328]},{"name":"REFS_VOLUME_DATA_BUFFER","features":[328]},{"name":"REMOVE_ELEMENT_AND_TRUNCATE_REQUEST","features":[328]},{"name":"REPAIR_COPIES_INPUT","features":[328]},{"name":"REPAIR_COPIES_OUTPUT","features":[328]},{"name":"REPLACE_ALTERNATE","features":[328]},{"name":"REPLACE_PRIMARY","features":[328]},{"name":"REQUEST_OPLOCK_CURRENT_VERSION","features":[328]},{"name":"REQUEST_OPLOCK_INPUT_BUFFER","features":[328]},{"name":"REQUEST_OPLOCK_INPUT_FLAG_ACK","features":[328]},{"name":"REQUEST_OPLOCK_INPUT_FLAG_COMPLETE_ACK_ON_CLOSE","features":[328]},{"name":"REQUEST_OPLOCK_INPUT_FLAG_REQUEST","features":[328]},{"name":"REQUEST_OPLOCK_OUTPUT_BUFFER","features":[328]},{"name":"REQUEST_OPLOCK_OUTPUT_FLAG_ACK_REQUIRED","features":[328]},{"name":"REQUEST_OPLOCK_OUTPUT_FLAG_MODES_PROVIDED","features":[328]},{"name":"REQUEST_OPLOCK_OUTPUT_FLAG_WRITABLE_SECTION_PRESENT","features":[328]},{"name":"REQUEST_RAW_ENCRYPTED_DATA","features":[328]},{"name":"RETRACT_IEPORT","features":[328]},{"name":"RETRIEVAL_POINTERS_AND_REFCOUNT_BUFFER","features":[328]},{"name":"RETRIEVAL_POINTERS_BUFFER","features":[328]},{"name":"RETRIEVAL_POINTER_BASE","features":[328]},{"name":"RETRIEVAL_POINTER_COUNT","features":[328]},{"name":"RETURN_SMART_STATUS","features":[328]},{"name":"REVISION_LENGTH","features":[328]},{"name":"RemovableMedia","features":[328]},{"name":"RequestLocation","features":[328]},{"name":"RequestSize","features":[328]},{"name":"SAIT","features":[328]},{"name":"SAVE_ATTRIBUTE_VALUES","features":[328]},{"name":"SCM_BUS_DEDICATED_MEMORY_DEVICES_INFO","features":[328]},{"name":"SCM_BUS_DEDICATED_MEMORY_DEVICE_INFO","features":[328]},{"name":"SCM_BUS_DEDICATED_MEMORY_STATE","features":[308,328]},{"name":"SCM_BUS_FIRMWARE_ACTIVATION_STATE","features":[328]},{"name":"SCM_BUS_PROPERTY_ID","features":[328]},{"name":"SCM_BUS_PROPERTY_QUERY","features":[328]},{"name":"SCM_BUS_PROPERTY_SET","features":[328]},{"name":"SCM_BUS_QUERY_TYPE","features":[328]},{"name":"SCM_BUS_RUNTIME_FW_ACTIVATION_INFO","features":[308,328]},{"name":"SCM_BUS_SET_TYPE","features":[328]},{"name":"SCM_INTERLEAVED_PD_INFO","features":[328]},{"name":"SCM_LD_INTERLEAVE_SET_INFO","features":[328]},{"name":"SCM_LOGICAL_DEVICES","features":[328]},{"name":"SCM_LOGICAL_DEVICE_INSTANCE","features":[328]},{"name":"SCM_MAX_SYMLINK_LEN_IN_CHARS","features":[328]},{"name":"SCM_PD_DESCRIPTOR_HEADER","features":[328]},{"name":"SCM_PD_DEVICE_HANDLE","features":[328]},{"name":"SCM_PD_DEVICE_INFO","features":[328]},{"name":"SCM_PD_DEVICE_SPECIFIC_INFO","features":[328]},{"name":"SCM_PD_DEVICE_SPECIFIC_PROPERTY","features":[328]},{"name":"SCM_PD_FIRMWARE_ACTIVATE","features":[328]},{"name":"SCM_PD_FIRMWARE_ACTIVATION_STATE","features":[328]},{"name":"SCM_PD_FIRMWARE_DOWNLOAD","features":[328]},{"name":"SCM_PD_FIRMWARE_INFO","features":[328]},{"name":"SCM_PD_FIRMWARE_LAST_DOWNLOAD","features":[328]},{"name":"SCM_PD_FIRMWARE_REVISION_LENGTH_BYTES","features":[328]},{"name":"SCM_PD_FIRMWARE_SLOT_INFO","features":[328]},{"name":"SCM_PD_FRU_ID_STRING","features":[328]},{"name":"SCM_PD_HEALTH_NOTIFICATION_DATA","features":[328]},{"name":"SCM_PD_HEALTH_STATUS","features":[328]},{"name":"SCM_PD_LAST_FW_ACTIVATION_STATUS","features":[328]},{"name":"SCM_PD_LOCATION_STRING","features":[328]},{"name":"SCM_PD_MANAGEMENT_STATUS","features":[328]},{"name":"SCM_PD_MAX_OPERATIONAL_STATUS","features":[328]},{"name":"SCM_PD_MEDIA_REINITIALIZATION_STATUS","features":[328]},{"name":"SCM_PD_OPERATIONAL_STATUS","features":[328]},{"name":"SCM_PD_OPERATIONAL_STATUS_REASON","features":[328]},{"name":"SCM_PD_PASSTHROUGH_INPUT","features":[328]},{"name":"SCM_PD_PASSTHROUGH_INVDIMM_INPUT","features":[328]},{"name":"SCM_PD_PASSTHROUGH_INVDIMM_OUTPUT","features":[328]},{"name":"SCM_PD_PASSTHROUGH_OUTPUT","features":[328]},{"name":"SCM_PD_PROPERTY_ID","features":[328]},{"name":"SCM_PD_PROPERTY_NAME_LENGTH_IN_CHARS","features":[328]},{"name":"SCM_PD_PROPERTY_QUERY","features":[328]},{"name":"SCM_PD_PROPERTY_SET","features":[328]},{"name":"SCM_PD_QUERY_TYPE","features":[328]},{"name":"SCM_PD_REINITIALIZE_MEDIA_INPUT","features":[328]},{"name":"SCM_PD_REINITIALIZE_MEDIA_OUTPUT","features":[328]},{"name":"SCM_PD_RUNTIME_FW_ACTIVATION_ARM_STATE","features":[308,328]},{"name":"SCM_PD_RUNTIME_FW_ACTIVATION_INFO","features":[328]},{"name":"SCM_PD_SET_TYPE","features":[328]},{"name":"SCM_PHYSICAL_DEVICES","features":[328]},{"name":"SCM_PHYSICAL_DEVICE_INSTANCE","features":[328]},{"name":"SCM_REGION","features":[328]},{"name":"SCM_REGIONS","features":[328]},{"name":"SCM_REGION_FLAG","features":[328]},{"name":"SD_CHANGE_MACHINE_SID_INPUT","features":[328]},{"name":"SD_CHANGE_MACHINE_SID_OUTPUT","features":[328]},{"name":"SD_ENUM_SDS_ENTRY","features":[328]},{"name":"SD_ENUM_SDS_INPUT","features":[328]},{"name":"SD_ENUM_SDS_OUTPUT","features":[328]},{"name":"SD_GLOBAL_CHANGE_INPUT","features":[328]},{"name":"SD_GLOBAL_CHANGE_OUTPUT","features":[328]},{"name":"SD_GLOBAL_CHANGE_TYPE_ENUM_SDS","features":[328]},{"name":"SD_GLOBAL_CHANGE_TYPE_MACHINE_SID","features":[328]},{"name":"SD_GLOBAL_CHANGE_TYPE_QUERY_STATS","features":[328]},{"name":"SD_QUERY_STATS_INPUT","features":[328]},{"name":"SD_QUERY_STATS_OUTPUT","features":[328]},{"name":"SEARCH_ALL","features":[328]},{"name":"SEARCH_ALL_NO_SEQ","features":[328]},{"name":"SEARCH_ALTERNATE","features":[328]},{"name":"SEARCH_ALT_NO_SEQ","features":[328]},{"name":"SEARCH_PRIMARY","features":[328]},{"name":"SEARCH_PRI_NO_SEQ","features":[328]},{"name":"SENDCMDINPARAMS","features":[328]},{"name":"SENDCMDOUTPARAMS","features":[328]},{"name":"SERIAL_IOC_FCR_DMA_MODE","features":[328]},{"name":"SERIAL_IOC_FCR_FIFO_ENABLE","features":[328]},{"name":"SERIAL_IOC_FCR_RCVR_RESET","features":[328]},{"name":"SERIAL_IOC_FCR_RCVR_TRIGGER_LSB","features":[328]},{"name":"SERIAL_IOC_FCR_RCVR_TRIGGER_MSB","features":[328]},{"name":"SERIAL_IOC_FCR_RES1","features":[328]},{"name":"SERIAL_IOC_FCR_RES2","features":[328]},{"name":"SERIAL_IOC_FCR_XMIT_RESET","features":[328]},{"name":"SERIAL_IOC_MCR_DTR","features":[328]},{"name":"SERIAL_IOC_MCR_LOOP","features":[328]},{"name":"SERIAL_IOC_MCR_OUT1","features":[328]},{"name":"SERIAL_IOC_MCR_OUT2","features":[328]},{"name":"SERIAL_IOC_MCR_RTS","features":[328]},{"name":"SERIAL_NUMBER_LENGTH","features":[328]},{"name":"SET_DAX_ALLOC_ALIGNMENT_HINT_INPUT","features":[328]},{"name":"SET_DISK_ATTRIBUTES","features":[308,328]},{"name":"SET_PARTITION_INFORMATION","features":[328]},{"name":"SET_PARTITION_INFORMATION_EX","features":[328]},{"name":"SET_PURGE_FAILURE_MODE_DISABLED","features":[328]},{"name":"SET_PURGE_FAILURE_MODE_ENABLED","features":[328]},{"name":"SET_PURGE_FAILURE_MODE_INPUT","features":[328]},{"name":"SET_REPAIR_DISABLED_AND_BUGCHECK_ON_CORRUPT","features":[328]},{"name":"SET_REPAIR_ENABLED","features":[328]},{"name":"SET_REPAIR_VALID_MASK","features":[328]},{"name":"SET_REPAIR_WARN_ABOUT_DATA_LOSS","features":[328]},{"name":"SHRINK_VOLUME_INFORMATION","features":[328]},{"name":"SHRINK_VOLUME_REQUEST_TYPES","features":[328]},{"name":"SI_COPYFILE","features":[328]},{"name":"SMART_ABORT_OFFLINE_SELFTEST","features":[328]},{"name":"SMART_CMD","features":[328]},{"name":"SMART_CYL_HI","features":[328]},{"name":"SMART_CYL_LOW","features":[328]},{"name":"SMART_ERROR_NO_MEM","features":[328]},{"name":"SMART_EXTENDED_SELFTEST_CAPTIVE","features":[328]},{"name":"SMART_EXTENDED_SELFTEST_OFFLINE","features":[328]},{"name":"SMART_GET_VERSION","features":[328]},{"name":"SMART_IDE_ERROR","features":[328]},{"name":"SMART_INVALID_BUFFER","features":[328]},{"name":"SMART_INVALID_COMMAND","features":[328]},{"name":"SMART_INVALID_DRIVE","features":[328]},{"name":"SMART_INVALID_FLAG","features":[328]},{"name":"SMART_INVALID_IOCTL","features":[328]},{"name":"SMART_INVALID_REGISTER","features":[328]},{"name":"SMART_LOG_SECTOR_SIZE","features":[328]},{"name":"SMART_NOT_SUPPORTED","features":[328]},{"name":"SMART_NO_ERROR","features":[328]},{"name":"SMART_NO_IDE_DEVICE","features":[328]},{"name":"SMART_OFFLINE_ROUTINE_OFFLINE","features":[328]},{"name":"SMART_RCV_DRIVE_DATA","features":[328]},{"name":"SMART_RCV_DRIVE_DATA_EX","features":[328]},{"name":"SMART_READ_LOG","features":[328]},{"name":"SMART_SEND_DRIVE_COMMAND","features":[328]},{"name":"SMART_SHORT_SELFTEST_CAPTIVE","features":[328]},{"name":"SMART_SHORT_SELFTEST_OFFLINE","features":[328]},{"name":"SMART_WRITE_LOG","features":[328]},{"name":"SMB_SHARE_FLUSH_AND_PURGE_INPUT","features":[328]},{"name":"SMB_SHARE_FLUSH_AND_PURGE_OUTPUT","features":[328]},{"name":"SONY_12_WO","features":[328]},{"name":"SONY_D2","features":[328]},{"name":"SONY_DTF","features":[328]},{"name":"SPACES_TRACKED_OFFSET_HEADER_FLAG","features":[328]},{"name":"SRB_TYPE_SCSI_REQUEST_BLOCK","features":[328]},{"name":"SRB_TYPE_STORAGE_REQUEST_BLOCK","features":[328]},{"name":"STARTING_LCN_INPUT_BUFFER","features":[328]},{"name":"STARTING_LCN_INPUT_BUFFER_EX","features":[328]},{"name":"STARTING_VCN_INPUT_BUFFER","features":[328]},{"name":"STK_9840","features":[328]},{"name":"STK_9940","features":[328]},{"name":"STK_DATA_D3","features":[328]},{"name":"STORAGE_ACCESS_ALIGNMENT_DESCRIPTOR","features":[328]},{"name":"STORAGE_ADAPTER_DESCRIPTOR","features":[308,328]},{"name":"STORAGE_ADAPTER_SERIAL_NUMBER","features":[328]},{"name":"STORAGE_ADAPTER_SERIAL_NUMBER_V1_MAX_LENGTH","features":[328]},{"name":"STORAGE_ADDRESS_TYPE_BTL8","features":[328]},{"name":"STORAGE_ALLOCATE_BC_STREAM_INPUT","features":[308,328]},{"name":"STORAGE_ALLOCATE_BC_STREAM_OUTPUT","features":[328]},{"name":"STORAGE_ASSOCIATION_TYPE","features":[328]},{"name":"STORAGE_ATTRIBUTE_ASYNC_EVENT_NOTIFICATION","features":[328]},{"name":"STORAGE_ATTRIBUTE_BLOCK_IO","features":[328]},{"name":"STORAGE_ATTRIBUTE_BYTE_ADDRESSABLE_IO","features":[328]},{"name":"STORAGE_ATTRIBUTE_DYNAMIC_PERSISTENCE","features":[328]},{"name":"STORAGE_ATTRIBUTE_MGMT","features":[328]},{"name":"STORAGE_ATTRIBUTE_MGMT_ACTION","features":[328]},{"name":"STORAGE_ATTRIBUTE_PERF_SIZE_INDEPENDENT","features":[328]},{"name":"STORAGE_ATTRIBUTE_VOLATILE","features":[328]},{"name":"STORAGE_BREAK_RESERVATION_REQUEST","features":[328]},{"name":"STORAGE_BUS_RESET_REQUEST","features":[328]},{"name":"STORAGE_COMPONENT_HEALTH_STATUS","features":[328]},{"name":"STORAGE_COMPONENT_ROLE_CACHE","features":[328]},{"name":"STORAGE_COMPONENT_ROLE_DATA","features":[328]},{"name":"STORAGE_COMPONENT_ROLE_TIERING","features":[328]},{"name":"STORAGE_COUNTER","features":[328]},{"name":"STORAGE_COUNTERS","features":[328]},{"name":"STORAGE_COUNTER_TYPE","features":[328]},{"name":"STORAGE_CRASH_TELEMETRY_REGKEY","features":[328]},{"name":"STORAGE_CRYPTO_ALGORITHM_ID","features":[328]},{"name":"STORAGE_CRYPTO_CAPABILITY","features":[328]},{"name":"STORAGE_CRYPTO_CAPABILITY_VERSION_1","features":[328]},{"name":"STORAGE_CRYPTO_DESCRIPTOR","features":[328]},{"name":"STORAGE_CRYPTO_DESCRIPTOR_VERSION_1","features":[328]},{"name":"STORAGE_CRYPTO_KEY_SIZE","features":[328]},{"name":"STORAGE_DESCRIPTOR_HEADER","features":[328]},{"name":"STORAGE_DEVICE_ATTRIBUTES_DESCRIPTOR","features":[328]},{"name":"STORAGE_DEVICE_DESCRIPTOR","features":[308,327,328]},{"name":"STORAGE_DEVICE_FAULT_DOMAIN_DESCRIPTOR","features":[328]},{"name":"STORAGE_DEVICE_FLAGS_PAGE_83_DEVICEGUID","features":[328]},{"name":"STORAGE_DEVICE_FLAGS_RANDOM_DEVICEGUID_REASON_CONFLICT","features":[328]},{"name":"STORAGE_DEVICE_FLAGS_RANDOM_DEVICEGUID_REASON_NOHWID","features":[328]},{"name":"STORAGE_DEVICE_FORM_FACTOR","features":[328]},{"name":"STORAGE_DEVICE_ID_DESCRIPTOR","features":[328]},{"name":"STORAGE_DEVICE_IO_CAPABILITY_DESCRIPTOR","features":[328]},{"name":"STORAGE_DEVICE_LED_STATE_DESCRIPTOR","features":[328]},{"name":"STORAGE_DEVICE_LOCATION_DESCRIPTOR","features":[328]},{"name":"STORAGE_DEVICE_MANAGEMENT_STATUS","features":[328]},{"name":"STORAGE_DEVICE_MAX_OPERATIONAL_STATUS","features":[328]},{"name":"STORAGE_DEVICE_NUMA_NODE_UNKNOWN","features":[328]},{"name":"STORAGE_DEVICE_NUMA_PROPERTY","features":[328]},{"name":"STORAGE_DEVICE_NUMBER","features":[328]},{"name":"STORAGE_DEVICE_NUMBERS","features":[328]},{"name":"STORAGE_DEVICE_NUMBER_EX","features":[328]},{"name":"STORAGE_DEVICE_POWER_CAP","features":[328]},{"name":"STORAGE_DEVICE_POWER_CAP_UNITS","features":[328]},{"name":"STORAGE_DEVICE_POWER_CAP_VERSION_V1","features":[328]},{"name":"STORAGE_DEVICE_RESILIENCY_DESCRIPTOR","features":[328]},{"name":"STORAGE_DEVICE_SELF_ENCRYPTION_PROPERTY","features":[308,328]},{"name":"STORAGE_DEVICE_SELF_ENCRYPTION_PROPERTY_V2","features":[308,328]},{"name":"STORAGE_DEVICE_TELEMETRY_REGKEY","features":[328]},{"name":"STORAGE_DEVICE_TIERING_DESCRIPTOR","features":[328]},{"name":"STORAGE_DEVICE_UNSAFE_SHUTDOWN_COUNT","features":[328]},{"name":"STORAGE_DIAGNOSTIC_DATA","features":[328]},{"name":"STORAGE_DIAGNOSTIC_FLAG_ADAPTER_REQUEST","features":[328]},{"name":"STORAGE_DIAGNOSTIC_LEVEL","features":[328]},{"name":"STORAGE_DIAGNOSTIC_REQUEST","features":[328]},{"name":"STORAGE_DIAGNOSTIC_TARGET_TYPE","features":[328]},{"name":"STORAGE_DISK_HEALTH_STATUS","features":[328]},{"name":"STORAGE_DISK_OPERATIONAL_STATUS","features":[328]},{"name":"STORAGE_ENCRYPTION_TYPE","features":[328]},{"name":"STORAGE_EVENT_DEVICE_OPERATION","features":[328]},{"name":"STORAGE_EVENT_DEVICE_STATUS","features":[328]},{"name":"STORAGE_EVENT_MEDIA_STATUS","features":[328]},{"name":"STORAGE_EVENT_NOTIFICATION","features":[328]},{"name":"STORAGE_EVENT_NOTIFICATION_VERSION_V1","features":[328]},{"name":"STORAGE_FAILURE_PREDICTION_CONFIG","features":[308,328]},{"name":"STORAGE_FAILURE_PREDICTION_CONFIG_V1","features":[328]},{"name":"STORAGE_FRU_ID_DESCRIPTOR","features":[328]},{"name":"STORAGE_GET_BC_PROPERTIES_OUTPUT","features":[328]},{"name":"STORAGE_HOTPLUG_INFO","features":[308,328]},{"name":"STORAGE_HW_ENDURANCE_DATA_DESCRIPTOR","features":[328]},{"name":"STORAGE_HW_ENDURANCE_INFO","features":[328]},{"name":"STORAGE_HW_FIRMWARE_ACTIVATE","features":[328]},{"name":"STORAGE_HW_FIRMWARE_DOWNLOAD","features":[328]},{"name":"STORAGE_HW_FIRMWARE_DOWNLOAD_V2","features":[328]},{"name":"STORAGE_HW_FIRMWARE_INFO","features":[308,328]},{"name":"STORAGE_HW_FIRMWARE_INFO_QUERY","features":[328]},{"name":"STORAGE_HW_FIRMWARE_INVALID_SLOT","features":[328]},{"name":"STORAGE_HW_FIRMWARE_REQUEST_FLAG_CONTROLLER","features":[328]},{"name":"STORAGE_HW_FIRMWARE_REQUEST_FLAG_FIRST_SEGMENT","features":[328]},{"name":"STORAGE_HW_FIRMWARE_REQUEST_FLAG_LAST_SEGMENT","features":[328]},{"name":"STORAGE_HW_FIRMWARE_REQUEST_FLAG_REPLACE_EXISTING_IMAGE","features":[328]},{"name":"STORAGE_HW_FIRMWARE_REQUEST_FLAG_SWITCH_TO_EXISTING_FIRMWARE","features":[328]},{"name":"STORAGE_HW_FIRMWARE_REVISION_LENGTH","features":[328]},{"name":"STORAGE_HW_FIRMWARE_SLOT_INFO","features":[328]},{"name":"STORAGE_IDENTIFIER","features":[328]},{"name":"STORAGE_IDENTIFIER_CODE_SET","features":[328]},{"name":"STORAGE_IDENTIFIER_TYPE","features":[328]},{"name":"STORAGE_IDLE_POWER","features":[328]},{"name":"STORAGE_IDLE_POWERUP_REASON","features":[328]},{"name":"STORAGE_IDLE_POWERUP_REASON_VERSION_V1","features":[328]},{"name":"STORAGE_ID_NAA_FORMAT","features":[328]},{"name":"STORAGE_LB_PROVISIONING_MAP_RESOURCES","features":[328]},{"name":"STORAGE_MEDIA_SERIAL_NUMBER_DATA","features":[328]},{"name":"STORAGE_MEDIA_TYPE","features":[328]},{"name":"STORAGE_MEDIUM_PRODUCT_TYPE_DESCRIPTOR","features":[328]},{"name":"STORAGE_MINIPORT_DESCRIPTOR","features":[308,328]},{"name":"STORAGE_OFFLOAD_MAX_TOKEN_LENGTH","features":[328]},{"name":"STORAGE_OFFLOAD_READ_OUTPUT","features":[328]},{"name":"STORAGE_OFFLOAD_READ_RANGE_TRUNCATED","features":[328]},{"name":"STORAGE_OFFLOAD_TOKEN","features":[328]},{"name":"STORAGE_OFFLOAD_TOKEN_ID_LENGTH","features":[328]},{"name":"STORAGE_OFFLOAD_TOKEN_INVALID","features":[328]},{"name":"STORAGE_OFFLOAD_TOKEN_TYPE_ZERO_DATA","features":[328]},{"name":"STORAGE_OFFLOAD_WRITE_OUTPUT","features":[328]},{"name":"STORAGE_OFFLOAD_WRITE_RANGE_TRUNCATED","features":[328]},{"name":"STORAGE_OPERATIONAL_REASON","features":[328]},{"name":"STORAGE_OPERATIONAL_STATUS_REASON","features":[328]},{"name":"STORAGE_PHYSICAL_ADAPTER_DATA","features":[308,328]},{"name":"STORAGE_PHYSICAL_DEVICE_DATA","features":[328]},{"name":"STORAGE_PHYSICAL_NODE_DATA","features":[328]},{"name":"STORAGE_PHYSICAL_TOPOLOGY_DESCRIPTOR","features":[328]},{"name":"STORAGE_PORT_CODE_SET","features":[328]},{"name":"STORAGE_POWERUP_REASON_TYPE","features":[328]},{"name":"STORAGE_PREDICT_FAILURE","features":[328]},{"name":"STORAGE_PRIORITY_HINT_SUPPORT","features":[328]},{"name":"STORAGE_PRIORITY_HINT_SUPPORTED","features":[328]},{"name":"STORAGE_PROPERTY_ID","features":[328]},{"name":"STORAGE_PROPERTY_QUERY","features":[328]},{"name":"STORAGE_PROPERTY_SET","features":[328]},{"name":"STORAGE_PROTOCOL_ATA_DATA_TYPE","features":[328]},{"name":"STORAGE_PROTOCOL_COMMAND","features":[328]},{"name":"STORAGE_PROTOCOL_COMMAND_FLAG_ADAPTER_REQUEST","features":[328]},{"name":"STORAGE_PROTOCOL_COMMAND_LENGTH_NVME","features":[328]},{"name":"STORAGE_PROTOCOL_DATA_DESCRIPTOR","features":[328]},{"name":"STORAGE_PROTOCOL_DATA_DESCRIPTOR_EXT","features":[328]},{"name":"STORAGE_PROTOCOL_DATA_SUBVALUE_GET_LOG_PAGE","features":[328]},{"name":"STORAGE_PROTOCOL_NVME_DATA_TYPE","features":[328]},{"name":"STORAGE_PROTOCOL_SPECIFIC_DATA","features":[328]},{"name":"STORAGE_PROTOCOL_SPECIFIC_DATA_EXT","features":[328]},{"name":"STORAGE_PROTOCOL_SPECIFIC_NVME_ADMIN_COMMAND","features":[328]},{"name":"STORAGE_PROTOCOL_SPECIFIC_NVME_NVM_COMMAND","features":[328]},{"name":"STORAGE_PROTOCOL_STATUS_BUSY","features":[328]},{"name":"STORAGE_PROTOCOL_STATUS_DATA_OVERRUN","features":[328]},{"name":"STORAGE_PROTOCOL_STATUS_ERROR","features":[328]},{"name":"STORAGE_PROTOCOL_STATUS_INSUFFICIENT_RESOURCES","features":[328]},{"name":"STORAGE_PROTOCOL_STATUS_INVALID_REQUEST","features":[328]},{"name":"STORAGE_PROTOCOL_STATUS_NOT_SUPPORTED","features":[328]},{"name":"STORAGE_PROTOCOL_STATUS_NO_DEVICE","features":[328]},{"name":"STORAGE_PROTOCOL_STATUS_PENDING","features":[328]},{"name":"STORAGE_PROTOCOL_STATUS_SUCCESS","features":[328]},{"name":"STORAGE_PROTOCOL_STATUS_THROTTLED_REQUEST","features":[328]},{"name":"STORAGE_PROTOCOL_STRUCTURE_VERSION","features":[328]},{"name":"STORAGE_PROTOCOL_TYPE","features":[328]},{"name":"STORAGE_PROTOCOL_UFS_DATA_TYPE","features":[328]},{"name":"STORAGE_QUERY_DEPENDENT_VOLUME_LEV1_ENTRY","features":[520,328]},{"name":"STORAGE_QUERY_DEPENDENT_VOLUME_LEV2_ENTRY","features":[520,328]},{"name":"STORAGE_QUERY_DEPENDENT_VOLUME_REQUEST","features":[328]},{"name":"STORAGE_QUERY_DEPENDENT_VOLUME_RESPONSE","features":[520,328]},{"name":"STORAGE_QUERY_TYPE","features":[328]},{"name":"STORAGE_READ_CAPACITY","features":[328]},{"name":"STORAGE_REINITIALIZE_MEDIA","features":[328]},{"name":"STORAGE_RESERVE_ID","features":[328]},{"name":"STORAGE_RPMB_COMMAND_TYPE","features":[328]},{"name":"STORAGE_RPMB_DATA_FRAME","features":[328]},{"name":"STORAGE_RPMB_DESCRIPTOR","features":[328]},{"name":"STORAGE_RPMB_DESCRIPTOR_VERSION_1","features":[328]},{"name":"STORAGE_RPMB_FRAME_TYPE","features":[328]},{"name":"STORAGE_RPMB_MINIMUM_RELIABLE_WRITE_SIZE","features":[328]},{"name":"STORAGE_SANITIZE_METHOD","features":[328]},{"name":"STORAGE_SET_TYPE","features":[328]},{"name":"STORAGE_SPEC_VERSION","features":[328]},{"name":"STORAGE_SUPPORTED_FEATURES_BYPASS_IO","features":[328]},{"name":"STORAGE_SUPPORTED_FEATURES_MASK","features":[328]},{"name":"STORAGE_TEMPERATURE_DATA_DESCRIPTOR","features":[308,328]},{"name":"STORAGE_TEMPERATURE_INFO","features":[308,328]},{"name":"STORAGE_TEMPERATURE_THRESHOLD","features":[308,328]},{"name":"STORAGE_TEMPERATURE_THRESHOLD_FLAG_ADAPTER_REQUEST","features":[328]},{"name":"STORAGE_TEMPERATURE_VALUE_NOT_REPORTED","features":[328]},{"name":"STORAGE_TIER","features":[328]},{"name":"STORAGE_TIER_CLASS","features":[328]},{"name":"STORAGE_TIER_DESCRIPTION_LENGTH","features":[328]},{"name":"STORAGE_TIER_FLAG_NO_SEEK_PENALTY","features":[328]},{"name":"STORAGE_TIER_FLAG_PARITY","features":[328]},{"name":"STORAGE_TIER_FLAG_READ_CACHE","features":[328]},{"name":"STORAGE_TIER_FLAG_SMR","features":[328]},{"name":"STORAGE_TIER_FLAG_WRITE_BACK_CACHE","features":[328]},{"name":"STORAGE_TIER_MEDIA_TYPE","features":[328]},{"name":"STORAGE_TIER_NAME_LENGTH","features":[328]},{"name":"STORAGE_TIER_REGION","features":[328]},{"name":"STORAGE_WRITE_CACHE_PROPERTY","features":[308,328]},{"name":"STORAGE_ZONED_DEVICE_DESCRIPTOR","features":[308,328]},{"name":"STORAGE_ZONED_DEVICE_TYPES","features":[328]},{"name":"STORAGE_ZONES_ATTRIBUTES","features":[328]},{"name":"STORAGE_ZONE_CONDITION","features":[328]},{"name":"STORAGE_ZONE_DESCRIPTOR","features":[308,328]},{"name":"STORAGE_ZONE_GROUP","features":[328]},{"name":"STORAGE_ZONE_TYPES","features":[328]},{"name":"STORATTRIBUTE_MANAGEMENT_STATE","features":[328]},{"name":"STORATTRIBUTE_NONE","features":[328]},{"name":"STREAMS_ASSOCIATE_ID_CLEAR","features":[328]},{"name":"STREAMS_ASSOCIATE_ID_INPUT_BUFFER","features":[328]},{"name":"STREAMS_ASSOCIATE_ID_SET","features":[328]},{"name":"STREAMS_INVALID_ID","features":[328]},{"name":"STREAMS_MAX_ID","features":[328]},{"name":"STREAMS_QUERY_ID_OUTPUT_BUFFER","features":[328]},{"name":"STREAMS_QUERY_PARAMETERS_OUTPUT_BUFFER","features":[328]},{"name":"STREAM_CLEAR_ENCRYPTION","features":[328]},{"name":"STREAM_EXTENT_ENTRY","features":[328]},{"name":"STREAM_EXTENT_ENTRY_ALL_EXTENTS","features":[328]},{"name":"STREAM_EXTENT_ENTRY_AS_RETRIEVAL_POINTERS","features":[328]},{"name":"STREAM_INFORMATION_ENTRY","features":[328]},{"name":"STREAM_LAYOUT_ENTRY","features":[328]},{"name":"STREAM_LAYOUT_ENTRY_HAS_INFORMATION","features":[328]},{"name":"STREAM_LAYOUT_ENTRY_IMMOVABLE","features":[328]},{"name":"STREAM_LAYOUT_ENTRY_NO_CLUSTERS_ALLOCATED","features":[328]},{"name":"STREAM_LAYOUT_ENTRY_PINNED","features":[328]},{"name":"STREAM_LAYOUT_ENTRY_RESIDENT","features":[328]},{"name":"STREAM_SET_ENCRYPTION","features":[328]},{"name":"SYQUEST_EZ135","features":[328]},{"name":"SYQUEST_EZFLYER","features":[328]},{"name":"SYQUEST_SYJET","features":[328]},{"name":"ScmBusFirmwareActivationState_Armed","features":[328]},{"name":"ScmBusFirmwareActivationState_Busy","features":[328]},{"name":"ScmBusFirmwareActivationState_Idle","features":[328]},{"name":"ScmBusProperty_DedicatedMemoryInfo","features":[328]},{"name":"ScmBusProperty_DedicatedMemoryState","features":[328]},{"name":"ScmBusProperty_Max","features":[328]},{"name":"ScmBusProperty_RuntimeFwActivationInfo","features":[328]},{"name":"ScmBusQuery_Descriptor","features":[328]},{"name":"ScmBusQuery_IsSupported","features":[328]},{"name":"ScmBusQuery_Max","features":[328]},{"name":"ScmBusSet_Descriptor","features":[328]},{"name":"ScmBusSet_IsSupported","features":[328]},{"name":"ScmBusSet_Max","features":[328]},{"name":"ScmPdFirmwareActivationState_Armed","features":[328]},{"name":"ScmPdFirmwareActivationState_Busy","features":[328]},{"name":"ScmPdFirmwareActivationState_Idle","features":[328]},{"name":"ScmPdLastFwActivaitonStatus_ActivationInProgress","features":[328]},{"name":"ScmPdLastFwActivaitonStatus_FwUnsupported","features":[328]},{"name":"ScmPdLastFwActivaitonStatus_Retry","features":[328]},{"name":"ScmPdLastFwActivaitonStatus_UnknownError","features":[328]},{"name":"ScmPdLastFwActivationStatus_ColdRebootRequired","features":[328]},{"name":"ScmPdLastFwActivationStatus_FwNotFound","features":[328]},{"name":"ScmPdLastFwActivationStatus_None","features":[328]},{"name":"ScmPdLastFwActivationStatus_Success","features":[328]},{"name":"ScmPhysicalDeviceHealth_Healthy","features":[328]},{"name":"ScmPhysicalDeviceHealth_Max","features":[328]},{"name":"ScmPhysicalDeviceHealth_Unhealthy","features":[328]},{"name":"ScmPhysicalDeviceHealth_Unknown","features":[328]},{"name":"ScmPhysicalDeviceHealth_Warning","features":[328]},{"name":"ScmPhysicalDeviceOpReason_BackgroundOperation","features":[328]},{"name":"ScmPhysicalDeviceOpReason_Component","features":[328]},{"name":"ScmPhysicalDeviceOpReason_Configuration","features":[328]},{"name":"ScmPhysicalDeviceOpReason_DataPersistenceLossImminent","features":[328]},{"name":"ScmPhysicalDeviceOpReason_DeviceController","features":[328]},{"name":"ScmPhysicalDeviceOpReason_DisabledByPlatform","features":[328]},{"name":"ScmPhysicalDeviceOpReason_EnergySource","features":[328]},{"name":"ScmPhysicalDeviceOpReason_ExcessiveTemperature","features":[328]},{"name":"ScmPhysicalDeviceOpReason_FatalError","features":[328]},{"name":"ScmPhysicalDeviceOpReason_HealthCheck","features":[328]},{"name":"ScmPhysicalDeviceOpReason_InternalFailure","features":[328]},{"name":"ScmPhysicalDeviceOpReason_InvalidFirmware","features":[328]},{"name":"ScmPhysicalDeviceOpReason_LostData","features":[328]},{"name":"ScmPhysicalDeviceOpReason_LostDataPersistence","features":[328]},{"name":"ScmPhysicalDeviceOpReason_LostWritePersistence","features":[328]},{"name":"ScmPhysicalDeviceOpReason_Max","features":[328]},{"name":"ScmPhysicalDeviceOpReason_Media","features":[328]},{"name":"ScmPhysicalDeviceOpReason_MediaController","features":[328]},{"name":"ScmPhysicalDeviceOpReason_MediaRemainingSpareBlock","features":[328]},{"name":"ScmPhysicalDeviceOpReason_PerformanceDegradation","features":[328]},{"name":"ScmPhysicalDeviceOpReason_PermanentError","features":[328]},{"name":"ScmPhysicalDeviceOpReason_ThresholdExceeded","features":[328]},{"name":"ScmPhysicalDeviceOpReason_Unknown","features":[328]},{"name":"ScmPhysicalDeviceOpReason_WritePersistenceLossImminent","features":[328]},{"name":"ScmPhysicalDeviceOpStatus_HardwareError","features":[328]},{"name":"ScmPhysicalDeviceOpStatus_InService","features":[328]},{"name":"ScmPhysicalDeviceOpStatus_Max","features":[328]},{"name":"ScmPhysicalDeviceOpStatus_Missing","features":[328]},{"name":"ScmPhysicalDeviceOpStatus_NotUsable","features":[328]},{"name":"ScmPhysicalDeviceOpStatus_Ok","features":[328]},{"name":"ScmPhysicalDeviceOpStatus_PredictingFailure","features":[328]},{"name":"ScmPhysicalDeviceOpStatus_TransientError","features":[328]},{"name":"ScmPhysicalDeviceOpStatus_Unknown","features":[328]},{"name":"ScmPhysicalDeviceProperty_DeviceHandle","features":[328]},{"name":"ScmPhysicalDeviceProperty_DeviceInfo","features":[328]},{"name":"ScmPhysicalDeviceProperty_DeviceSpecificInfo","features":[328]},{"name":"ScmPhysicalDeviceProperty_FirmwareInfo","features":[328]},{"name":"ScmPhysicalDeviceProperty_FruIdString","features":[328]},{"name":"ScmPhysicalDeviceProperty_LocationString","features":[328]},{"name":"ScmPhysicalDeviceProperty_ManagementStatus","features":[328]},{"name":"ScmPhysicalDeviceProperty_Max","features":[328]},{"name":"ScmPhysicalDeviceProperty_RuntimeFwActivationArmState","features":[328]},{"name":"ScmPhysicalDeviceProperty_RuntimeFwActivationInfo","features":[328]},{"name":"ScmPhysicalDeviceQuery_Descriptor","features":[328]},{"name":"ScmPhysicalDeviceQuery_IsSupported","features":[328]},{"name":"ScmPhysicalDeviceQuery_Max","features":[328]},{"name":"ScmPhysicalDeviceReinit_ColdBootNeeded","features":[328]},{"name":"ScmPhysicalDeviceReinit_Max","features":[328]},{"name":"ScmPhysicalDeviceReinit_RebootNeeded","features":[328]},{"name":"ScmPhysicalDeviceReinit_Success","features":[328]},{"name":"ScmPhysicalDeviceSet_Descriptor","features":[328]},{"name":"ScmPhysicalDeviceSet_IsSupported","features":[328]},{"name":"ScmPhysicalDeviceSet_Max","features":[328]},{"name":"ScmRegionFlagLabel","features":[328]},{"name":"ScmRegionFlagNone","features":[328]},{"name":"ShrinkAbort","features":[328]},{"name":"ShrinkCommit","features":[328]},{"name":"ShrinkPrepare","features":[328]},{"name":"SmrGcActionPause","features":[328]},{"name":"SmrGcActionStart","features":[328]},{"name":"SmrGcActionStartFullSpeed","features":[328]},{"name":"SmrGcActionStop","features":[328]},{"name":"SmrGcMethodCompaction","features":[328]},{"name":"SmrGcMethodCompression","features":[328]},{"name":"SmrGcMethodRotation","features":[328]},{"name":"SmrGcStateActive","features":[328]},{"name":"SmrGcStateActiveFullSpeed","features":[328]},{"name":"SmrGcStateInactive","features":[328]},{"name":"SmrGcStatePaused","features":[328]},{"name":"StorAttributeMgmt_ClearAttribute","features":[328]},{"name":"StorAttributeMgmt_ResetAttribute","features":[328]},{"name":"StorAttributeMgmt_SetAttribute","features":[328]},{"name":"StorRpmbAuthenticatedDeviceConfigRead","features":[328]},{"name":"StorRpmbAuthenticatedDeviceConfigWrite","features":[328]},{"name":"StorRpmbAuthenticatedRead","features":[328]},{"name":"StorRpmbAuthenticatedWrite","features":[328]},{"name":"StorRpmbProgramAuthKey","features":[328]},{"name":"StorRpmbQueryWriteCounter","features":[328]},{"name":"StorRpmbReadResultRequest","features":[328]},{"name":"StorageAccessAlignmentProperty","features":[328]},{"name":"StorageAdapterCryptoProperty","features":[328]},{"name":"StorageAdapterPhysicalTopologyProperty","features":[328]},{"name":"StorageAdapterProperty","features":[328]},{"name":"StorageAdapterProtocolSpecificProperty","features":[328]},{"name":"StorageAdapterRpmbProperty","features":[328]},{"name":"StorageAdapterSerialNumberProperty","features":[328]},{"name":"StorageAdapterTemperatureProperty","features":[328]},{"name":"StorageCounterTypeFlushLatency100NSMax","features":[328]},{"name":"StorageCounterTypeLoadUnloadCycleCount","features":[328]},{"name":"StorageCounterTypeLoadUnloadCycleCountMax","features":[328]},{"name":"StorageCounterTypeManufactureDate","features":[328]},{"name":"StorageCounterTypeMax","features":[328]},{"name":"StorageCounterTypePowerOnHours","features":[328]},{"name":"StorageCounterTypeReadErrorsCorrected","features":[328]},{"name":"StorageCounterTypeReadErrorsTotal","features":[328]},{"name":"StorageCounterTypeReadErrorsUncorrected","features":[328]},{"name":"StorageCounterTypeReadLatency100NSMax","features":[328]},{"name":"StorageCounterTypeStartStopCycleCount","features":[328]},{"name":"StorageCounterTypeStartStopCycleCountMax","features":[328]},{"name":"StorageCounterTypeTemperatureCelsius","features":[328]},{"name":"StorageCounterTypeTemperatureCelsiusMax","features":[328]},{"name":"StorageCounterTypeUnknown","features":[328]},{"name":"StorageCounterTypeWearPercentage","features":[328]},{"name":"StorageCounterTypeWearPercentageMax","features":[328]},{"name":"StorageCounterTypeWearPercentageWarning","features":[328]},{"name":"StorageCounterTypeWriteErrorsCorrected","features":[328]},{"name":"StorageCounterTypeWriteErrorsTotal","features":[328]},{"name":"StorageCounterTypeWriteErrorsUncorrected","features":[328]},{"name":"StorageCounterTypeWriteLatency100NSMax","features":[328]},{"name":"StorageCryptoAlgorithmAESECB","features":[328]},{"name":"StorageCryptoAlgorithmBitlockerAESCBC","features":[328]},{"name":"StorageCryptoAlgorithmESSIVAESCBC","features":[328]},{"name":"StorageCryptoAlgorithmMax","features":[328]},{"name":"StorageCryptoAlgorithmUnknown","features":[328]},{"name":"StorageCryptoAlgorithmXTSAES","features":[328]},{"name":"StorageCryptoKeySize128Bits","features":[328]},{"name":"StorageCryptoKeySize192Bits","features":[328]},{"name":"StorageCryptoKeySize256Bits","features":[328]},{"name":"StorageCryptoKeySize512Bits","features":[328]},{"name":"StorageCryptoKeySizeUnknown","features":[328]},{"name":"StorageDeviceAttributesProperty","features":[328]},{"name":"StorageDeviceCopyOffloadProperty","features":[328]},{"name":"StorageDeviceDeviceTelemetryProperty","features":[328]},{"name":"StorageDeviceEnduranceProperty","features":[328]},{"name":"StorageDeviceIdProperty","features":[328]},{"name":"StorageDeviceIoCapabilityProperty","features":[328]},{"name":"StorageDeviceLBProvisioningProperty","features":[328]},{"name":"StorageDeviceLedStateProperty","features":[328]},{"name":"StorageDeviceLocationProperty","features":[328]},{"name":"StorageDeviceManagementStatus","features":[328]},{"name":"StorageDeviceMediumProductType","features":[328]},{"name":"StorageDeviceNumaProperty","features":[328]},{"name":"StorageDevicePhysicalTopologyProperty","features":[328]},{"name":"StorageDevicePowerCapUnitsMilliwatts","features":[328]},{"name":"StorageDevicePowerCapUnitsPercent","features":[328]},{"name":"StorageDevicePowerProperty","features":[328]},{"name":"StorageDeviceProperty","features":[328]},{"name":"StorageDeviceProtocolSpecificProperty","features":[328]},{"name":"StorageDeviceResiliencyProperty","features":[328]},{"name":"StorageDeviceSeekPenaltyProperty","features":[328]},{"name":"StorageDeviceSelfEncryptionProperty","features":[328]},{"name":"StorageDeviceTemperatureProperty","features":[328]},{"name":"StorageDeviceTrimProperty","features":[328]},{"name":"StorageDeviceUniqueIdProperty","features":[328]},{"name":"StorageDeviceUnsafeShutdownCount","features":[328]},{"name":"StorageDeviceWriteAggregationProperty","features":[328]},{"name":"StorageDeviceWriteCacheProperty","features":[328]},{"name":"StorageDeviceZonedDeviceProperty","features":[328]},{"name":"StorageDiagnosticLevelDefault","features":[328]},{"name":"StorageDiagnosticLevelMax","features":[328]},{"name":"StorageDiagnosticTargetTypeHbaFirmware","features":[328]},{"name":"StorageDiagnosticTargetTypeMax","features":[328]},{"name":"StorageDiagnosticTargetTypeMiniport","features":[328]},{"name":"StorageDiagnosticTargetTypePort","features":[328]},{"name":"StorageDiagnosticTargetTypeUndefined","features":[328]},{"name":"StorageEncryptionTypeEDrive","features":[328]},{"name":"StorageEncryptionTypeTcgOpal","features":[328]},{"name":"StorageEncryptionTypeUnknown","features":[328]},{"name":"StorageFruIdProperty","features":[328]},{"name":"StorageIdAssocDevice","features":[328]},{"name":"StorageIdAssocPort","features":[328]},{"name":"StorageIdAssocTarget","features":[328]},{"name":"StorageIdCodeSetAscii","features":[328]},{"name":"StorageIdCodeSetBinary","features":[328]},{"name":"StorageIdCodeSetReserved","features":[328]},{"name":"StorageIdCodeSetUtf8","features":[328]},{"name":"StorageIdNAAFormatIEEEERegisteredExtended","features":[328]},{"name":"StorageIdNAAFormatIEEEExtended","features":[328]},{"name":"StorageIdNAAFormatIEEERegistered","features":[328]},{"name":"StorageIdTypeEUI64","features":[328]},{"name":"StorageIdTypeFCPHName","features":[328]},{"name":"StorageIdTypeLogicalUnitGroup","features":[328]},{"name":"StorageIdTypeMD5LogicalUnitIdentifier","features":[328]},{"name":"StorageIdTypePortRelative","features":[328]},{"name":"StorageIdTypeScsiNameString","features":[328]},{"name":"StorageIdTypeTargetPortGroup","features":[328]},{"name":"StorageIdTypeVendorId","features":[328]},{"name":"StorageIdTypeVendorSpecific","features":[328]},{"name":"StorageMiniportProperty","features":[328]},{"name":"StoragePortCodeSetATAport","features":[328]},{"name":"StoragePortCodeSetReserved","features":[328]},{"name":"StoragePortCodeSetSBP2port","features":[328]},{"name":"StoragePortCodeSetSCSIport","features":[328]},{"name":"StoragePortCodeSetSDport","features":[328]},{"name":"StoragePortCodeSetSpaceport","features":[328]},{"name":"StoragePortCodeSetStorport","features":[328]},{"name":"StoragePortCodeSetUSBport","features":[328]},{"name":"StoragePowerupDeviceAttention","features":[328]},{"name":"StoragePowerupIO","features":[328]},{"name":"StoragePowerupUnknown","features":[328]},{"name":"StorageReserveIdHard","features":[328]},{"name":"StorageReserveIdMax","features":[328]},{"name":"StorageReserveIdNone","features":[328]},{"name":"StorageReserveIdSoft","features":[328]},{"name":"StorageReserveIdUpdateScratch","features":[328]},{"name":"StorageRpmbFrameTypeMax","features":[328]},{"name":"StorageRpmbFrameTypeStandard","features":[328]},{"name":"StorageRpmbFrameTypeUnknown","features":[328]},{"name":"StorageSanitizeMethodBlockErase","features":[328]},{"name":"StorageSanitizeMethodCryptoErase","features":[328]},{"name":"StorageSanitizeMethodDefault","features":[328]},{"name":"StorageTierClassCapacity","features":[328]},{"name":"StorageTierClassMax","features":[328]},{"name":"StorageTierClassPerformance","features":[328]},{"name":"StorageTierClassUnspecified","features":[328]},{"name":"StorageTierMediaTypeDisk","features":[328]},{"name":"StorageTierMediaTypeMax","features":[328]},{"name":"StorageTierMediaTypeScm","features":[328]},{"name":"StorageTierMediaTypeSsd","features":[328]},{"name":"StorageTierMediaTypeUnspecified","features":[328]},{"name":"TAPE_GET_STATISTICS","features":[328]},{"name":"TAPE_RESET_STATISTICS","features":[328]},{"name":"TAPE_RETURN_ENV_INFO","features":[328]},{"name":"TAPE_RETURN_STATISTICS","features":[328]},{"name":"TAPE_STATISTICS","features":[328]},{"name":"TCCollectionApplicationRequested","features":[328]},{"name":"TCCollectionBugCheck","features":[328]},{"name":"TCCollectionDeviceRequested","features":[328]},{"name":"TC_DEVICEDUMP_SUBSECTION_DESC_LENGTH","features":[328]},{"name":"TC_PUBLIC_DATA_TYPE_ATAGP","features":[328]},{"name":"TC_PUBLIC_DATA_TYPE_ATASMART","features":[328]},{"name":"TC_PUBLIC_DEVICEDUMP_CONTENT_GPLOG","features":[328]},{"name":"TC_PUBLIC_DEVICEDUMP_CONTENT_GPLOG_MAX","features":[328]},{"name":"TC_PUBLIC_DEVICEDUMP_CONTENT_SMART","features":[328]},{"name":"TELEMETRY_COMMAND_SIZE","features":[328]},{"name":"TXFS_CREATE_MINIVERSION_INFO","features":[328]},{"name":"TXFS_GET_METADATA_INFO_OUT","features":[328]},{"name":"TXFS_GET_TRANSACTED_VERSION","features":[328]},{"name":"TXFS_LIST_TRANSACTIONS","features":[328]},{"name":"TXFS_LIST_TRANSACTIONS_ENTRY","features":[328]},{"name":"TXFS_LIST_TRANSACTION_LOCKED_FILES","features":[328]},{"name":"TXFS_LIST_TRANSACTION_LOCKED_FILES_ENTRY","features":[328]},{"name":"TXFS_LIST_TRANSACTION_LOCKED_FILES_ENTRY_FLAG_CREATED","features":[328]},{"name":"TXFS_LIST_TRANSACTION_LOCKED_FILES_ENTRY_FLAG_DELETED","features":[328]},{"name":"TXFS_LOGGING_MODE_FULL","features":[328]},{"name":"TXFS_LOGGING_MODE_SIMPLE","features":[328]},{"name":"TXFS_MODIFY_RM","features":[328]},{"name":"TXFS_QUERY_RM_INFORMATION","features":[328]},{"name":"TXFS_READ_BACKUP_INFORMATION_OUT","features":[328]},{"name":"TXFS_RMF_LAGS","features":[328]},{"name":"TXFS_RM_FLAG_DO_NOT_RESET_RM_AT_NEXT_START","features":[328]},{"name":"TXFS_RM_FLAG_ENFORCE_MINIMUM_SIZE","features":[328]},{"name":"TXFS_RM_FLAG_GROW_LOG","features":[328]},{"name":"TXFS_RM_FLAG_LOGGING_MODE","features":[328]},{"name":"TXFS_RM_FLAG_LOG_AUTO_SHRINK_PERCENTAGE","features":[328]},{"name":"TXFS_RM_FLAG_LOG_CONTAINER_COUNT_MAX","features":[328]},{"name":"TXFS_RM_FLAG_LOG_CONTAINER_COUNT_MIN","features":[328]},{"name":"TXFS_RM_FLAG_LOG_GROWTH_INCREMENT_NUM_CONTAINERS","features":[328]},{"name":"TXFS_RM_FLAG_LOG_GROWTH_INCREMENT_PERCENT","features":[328]},{"name":"TXFS_RM_FLAG_LOG_NO_CONTAINER_COUNT_MAX","features":[328]},{"name":"TXFS_RM_FLAG_LOG_NO_CONTAINER_COUNT_MIN","features":[328]},{"name":"TXFS_RM_FLAG_PREFER_AVAILABILITY","features":[328]},{"name":"TXFS_RM_FLAG_PREFER_CONSISTENCY","features":[328]},{"name":"TXFS_RM_FLAG_PRESERVE_CHANGES","features":[328]},{"name":"TXFS_RM_FLAG_RENAME_RM","features":[328]},{"name":"TXFS_RM_FLAG_RESET_RM_AT_NEXT_START","features":[328]},{"name":"TXFS_RM_FLAG_SHRINK_LOG","features":[328]},{"name":"TXFS_RM_STATE_ACTIVE","features":[328]},{"name":"TXFS_RM_STATE_NOT_STARTED","features":[328]},{"name":"TXFS_RM_STATE_SHUTTING_DOWN","features":[328]},{"name":"TXFS_RM_STATE_STARTING","features":[328]},{"name":"TXFS_ROLLFORWARD_REDO_FLAG_USE_LAST_REDO_LSN","features":[328]},{"name":"TXFS_ROLLFORWARD_REDO_FLAG_USE_LAST_VIRTUAL_CLOCK","features":[328]},{"name":"TXFS_ROLLFORWARD_REDO_INFORMATION","features":[328]},{"name":"TXFS_SAVEPOINT_CLEAR","features":[328]},{"name":"TXFS_SAVEPOINT_CLEAR_ALL","features":[328]},{"name":"TXFS_SAVEPOINT_INFORMATION","features":[308,328]},{"name":"TXFS_SAVEPOINT_ROLLBACK","features":[328]},{"name":"TXFS_SAVEPOINT_SET","features":[328]},{"name":"TXFS_START_RM_FLAG_LOGGING_MODE","features":[328]},{"name":"TXFS_START_RM_FLAG_LOG_AUTO_SHRINK_PERCENTAGE","features":[328]},{"name":"TXFS_START_RM_FLAG_LOG_CONTAINER_COUNT_MAX","features":[328]},{"name":"TXFS_START_RM_FLAG_LOG_CONTAINER_COUNT_MIN","features":[328]},{"name":"TXFS_START_RM_FLAG_LOG_CONTAINER_SIZE","features":[328]},{"name":"TXFS_START_RM_FLAG_LOG_GROWTH_INCREMENT_NUM_CONTAINERS","features":[328]},{"name":"TXFS_START_RM_FLAG_LOG_GROWTH_INCREMENT_PERCENT","features":[328]},{"name":"TXFS_START_RM_FLAG_LOG_NO_CONTAINER_COUNT_MAX","features":[328]},{"name":"TXFS_START_RM_FLAG_LOG_NO_CONTAINER_COUNT_MIN","features":[328]},{"name":"TXFS_START_RM_FLAG_PREFER_AVAILABILITY","features":[328]},{"name":"TXFS_START_RM_FLAG_PREFER_CONSISTENCY","features":[328]},{"name":"TXFS_START_RM_FLAG_PRESERVE_CHANGES","features":[328]},{"name":"TXFS_START_RM_FLAG_RECOVER_BEST_EFFORT","features":[328]},{"name":"TXFS_START_RM_INFORMATION","features":[328]},{"name":"TXFS_TRANSACTED_VERSION_NONTRANSACTED","features":[328]},{"name":"TXFS_TRANSACTED_VERSION_UNCOMMITTED","features":[328]},{"name":"TXFS_TRANSACTION_ACTIVE_INFO","features":[308,328]},{"name":"TXFS_TRANSACTION_STATE_ACTIVE","features":[328]},{"name":"TXFS_TRANSACTION_STATE_NONE","features":[328]},{"name":"TXFS_TRANSACTION_STATE_NOTACTIVE","features":[328]},{"name":"TXFS_TRANSACTION_STATE_PREPARED","features":[328]},{"name":"TXFS_WRITE_BACKUP_INFORMATION","features":[328]},{"name":"Travan","features":[328]},{"name":"UNDEFINE_ALTERNATE","features":[328]},{"name":"UNDEFINE_PRIMARY","features":[328]},{"name":"UNLOCK_ELEMENT","features":[328]},{"name":"UNRECOVERED_READS_VALID","features":[328]},{"name":"UNRECOVERED_WRITES_VALID","features":[328]},{"name":"USN_DELETE_FLAGS","features":[328]},{"name":"USN_DELETE_FLAG_DELETE","features":[328]},{"name":"USN_DELETE_FLAG_NOTIFY","features":[328]},{"name":"USN_DELETE_VALID_FLAGS","features":[328]},{"name":"USN_JOURNAL_DATA_V0","features":[328]},{"name":"USN_JOURNAL_DATA_V1","features":[328]},{"name":"USN_JOURNAL_DATA_V2","features":[328]},{"name":"USN_PAGE_SIZE","features":[328]},{"name":"USN_RANGE_TRACK_OUTPUT","features":[328]},{"name":"USN_REASON_BASIC_INFO_CHANGE","features":[328]},{"name":"USN_REASON_CLOSE","features":[328]},{"name":"USN_REASON_COMPRESSION_CHANGE","features":[328]},{"name":"USN_REASON_DATA_EXTEND","features":[328]},{"name":"USN_REASON_DATA_OVERWRITE","features":[328]},{"name":"USN_REASON_DATA_TRUNCATION","features":[328]},{"name":"USN_REASON_DESIRED_STORAGE_CLASS_CHANGE","features":[328]},{"name":"USN_REASON_EA_CHANGE","features":[328]},{"name":"USN_REASON_ENCRYPTION_CHANGE","features":[328]},{"name":"USN_REASON_FILE_CREATE","features":[328]},{"name":"USN_REASON_FILE_DELETE","features":[328]},{"name":"USN_REASON_HARD_LINK_CHANGE","features":[328]},{"name":"USN_REASON_INDEXABLE_CHANGE","features":[328]},{"name":"USN_REASON_INTEGRITY_CHANGE","features":[328]},{"name":"USN_REASON_NAMED_DATA_EXTEND","features":[328]},{"name":"USN_REASON_NAMED_DATA_OVERWRITE","features":[328]},{"name":"USN_REASON_NAMED_DATA_TRUNCATION","features":[328]},{"name":"USN_REASON_OBJECT_ID_CHANGE","features":[328]},{"name":"USN_REASON_RENAME_NEW_NAME","features":[328]},{"name":"USN_REASON_RENAME_OLD_NAME","features":[328]},{"name":"USN_REASON_REPARSE_POINT_CHANGE","features":[328]},{"name":"USN_REASON_SECURITY_CHANGE","features":[328]},{"name":"USN_REASON_STREAM_CHANGE","features":[328]},{"name":"USN_REASON_TRANSACTED_CHANGE","features":[328]},{"name":"USN_RECORD_COMMON_HEADER","features":[328]},{"name":"USN_RECORD_EXTENT","features":[328]},{"name":"USN_RECORD_UNION","features":[327,328]},{"name":"USN_RECORD_V2","features":[328]},{"name":"USN_RECORD_V3","features":[327,328]},{"name":"USN_RECORD_V4","features":[327,328]},{"name":"USN_SOURCE_AUXILIARY_DATA","features":[328]},{"name":"USN_SOURCE_CLIENT_REPLICATION_MANAGEMENT","features":[328]},{"name":"USN_SOURCE_DATA_MANAGEMENT","features":[328]},{"name":"USN_SOURCE_INFO_ID","features":[328]},{"name":"USN_SOURCE_REPLICATION_MANAGEMENT","features":[328]},{"name":"USN_TRACK_MODIFIED_RANGES","features":[328]},{"name":"UfsDataTypeMax","features":[328]},{"name":"UfsDataTypeQueryAttribute","features":[328]},{"name":"UfsDataTypeQueryDescriptor","features":[328]},{"name":"UfsDataTypeQueryDmeAttribute","features":[328]},{"name":"UfsDataTypeQueryDmePeerAttribute","features":[328]},{"name":"UfsDataTypeQueryFlag","features":[328]},{"name":"UfsDataTypeUnknown","features":[328]},{"name":"Unknown","features":[328]},{"name":"VALID_NTFT","features":[328]},{"name":"VENDOR_ID_LENGTH","features":[328]},{"name":"VERIFY_INFORMATION","features":[328]},{"name":"VIRTUALIZATION_INSTANCE_INFO_INPUT","features":[328]},{"name":"VIRTUALIZATION_INSTANCE_INFO_INPUT_EX","features":[328]},{"name":"VIRTUALIZATION_INSTANCE_INFO_OUTPUT","features":[328]},{"name":"VIRTUAL_STORAGE_BEHAVIOR_CODE","features":[328]},{"name":"VIRTUAL_STORAGE_SET_BEHAVIOR_INPUT","features":[328]},{"name":"VOLUME_BITMAP_BUFFER","features":[328]},{"name":"VOLUME_DISK_EXTENTS","features":[328]},{"name":"VOLUME_GET_GPT_ATTRIBUTES_INFORMATION","features":[328]},{"name":"VOLUME_IS_DIRTY","features":[328]},{"name":"VOLUME_SESSION_OPEN","features":[328]},{"name":"VOLUME_UPGRADE_SCHEDULED","features":[328]},{"name":"VXATape","features":[328]},{"name":"VXATape_1","features":[328]},{"name":"VXATape_2","features":[328]},{"name":"VirtualStorageBehaviorCacheWriteBack","features":[328]},{"name":"VirtualStorageBehaviorCacheWriteThrough","features":[328]},{"name":"VirtualStorageBehaviorRestartIoProcessing","features":[328]},{"name":"VirtualStorageBehaviorStopIoProcessing","features":[328]},{"name":"VirtualStorageBehaviorUndefined","features":[328]},{"name":"WIM_PROVIDER_ADD_OVERLAY_INPUT","features":[328]},{"name":"WIM_PROVIDER_CURRENT_VERSION","features":[328]},{"name":"WIM_PROVIDER_EXTERNAL_FLAG_NOT_ACTIVE","features":[328]},{"name":"WIM_PROVIDER_EXTERNAL_FLAG_SUSPENDED","features":[328]},{"name":"WIM_PROVIDER_EXTERNAL_INFO","features":[328]},{"name":"WIM_PROVIDER_OVERLAY_ENTRY","features":[328]},{"name":"WIM_PROVIDER_REMOVE_OVERLAY_INPUT","features":[328]},{"name":"WIM_PROVIDER_SUSPEND_OVERLAY_INPUT","features":[328]},{"name":"WIM_PROVIDER_UPDATE_OVERLAY_INPUT","features":[328]},{"name":"WMI_DISK_GEOMETRY_GUID","features":[328]},{"name":"WOF_CURRENT_VERSION","features":[328]},{"name":"WOF_EXTERNAL_FILE_ID","features":[327,328]},{"name":"WOF_EXTERNAL_INFO","features":[328]},{"name":"WOF_PROVIDER_CLOUD","features":[328]},{"name":"WOF_VERSION_INFO","features":[328]},{"name":"WRITE_CACHE_CHANGE","features":[328]},{"name":"WRITE_CACHE_ENABLE","features":[328]},{"name":"WRITE_CACHE_TYPE","features":[328]},{"name":"WRITE_COMPRESSION_INFO_VALID","features":[328]},{"name":"WRITE_THROUGH","features":[328]},{"name":"WRITE_USN_REASON_INPUT","features":[328]},{"name":"WriteCacheChangeUnknown","features":[328]},{"name":"WriteCacheChangeable","features":[328]},{"name":"WriteCacheDisabled","features":[328]},{"name":"WriteCacheEnableUnknown","features":[328]},{"name":"WriteCacheEnabled","features":[328]},{"name":"WriteCacheNotChangeable","features":[328]},{"name":"WriteCacheTypeNone","features":[328]},{"name":"WriteCacheTypeUnknown","features":[328]},{"name":"WriteCacheTypeWriteBack","features":[328]},{"name":"WriteCacheTypeWriteThrough","features":[328]},{"name":"WriteThroughNotSupported","features":[328]},{"name":"WriteThroughSupported","features":[328]},{"name":"WriteThroughUnknown","features":[328]},{"name":"ZoneConditionClosed","features":[328]},{"name":"ZoneConditionConventional","features":[328]},{"name":"ZoneConditionEmpty","features":[328]},{"name":"ZoneConditionExplicitlyOpened","features":[328]},{"name":"ZoneConditionFull","features":[328]},{"name":"ZoneConditionImplicitlyOpened","features":[328]},{"name":"ZoneConditionOffline","features":[328]},{"name":"ZoneConditionReadOnly","features":[328]},{"name":"ZoneTypeConventional","features":[328]},{"name":"ZoneTypeMax","features":[328]},{"name":"ZoneTypeSequentialWritePreferred","features":[328]},{"name":"ZoneTypeSequentialWriteRequired","features":[328]},{"name":"ZoneTypeUnknown","features":[328]},{"name":"ZonedDeviceTypeDeviceManaged","features":[328]},{"name":"ZonedDeviceTypeHostAware","features":[328]},{"name":"ZonedDeviceTypeHostManaged","features":[328]},{"name":"ZonedDeviceTypeUnknown","features":[328]},{"name":"ZonesAttributeTypeAndLengthMayDifferent","features":[328]},{"name":"ZonesAttributeTypeMayDifferentLengthSame","features":[328]},{"name":"ZonesAttributeTypeSameLastZoneLengthDifferent","features":[328]},{"name":"ZonesAttributeTypeSameLengthSame","features":[328]}],"574":[{"name":"AssignProcessToJobObject","features":[308,564]},{"name":"CreateJobObjectA","features":[308,311,564]},{"name":"CreateJobObjectW","features":[308,311,564]},{"name":"CreateJobSet","features":[308,564]},{"name":"FreeMemoryJobObject","features":[564]},{"name":"IsProcessInJob","features":[308,564]},{"name":"JOBOBJECTINFOCLASS","features":[564]},{"name":"JOBOBJECT_ASSOCIATE_COMPLETION_PORT","features":[308,564]},{"name":"JOBOBJECT_BASIC_ACCOUNTING_INFORMATION","features":[564]},{"name":"JOBOBJECT_BASIC_AND_IO_ACCOUNTING_INFORMATION","features":[564,343]},{"name":"JOBOBJECT_BASIC_LIMIT_INFORMATION","features":[564]},{"name":"JOBOBJECT_BASIC_PROCESS_ID_LIST","features":[564]},{"name":"JOBOBJECT_BASIC_UI_RESTRICTIONS","features":[564]},{"name":"JOBOBJECT_CPU_RATE_CONTROL_INFORMATION","features":[564]},{"name":"JOBOBJECT_END_OF_JOB_TIME_INFORMATION","features":[564]},{"name":"JOBOBJECT_EXTENDED_LIMIT_INFORMATION","features":[564,343]},{"name":"JOBOBJECT_IO_ATTRIBUTION_CONTROL_DISABLE","features":[564]},{"name":"JOBOBJECT_IO_ATTRIBUTION_CONTROL_ENABLE","features":[564]},{"name":"JOBOBJECT_IO_ATTRIBUTION_CONTROL_FLAGS","features":[564]},{"name":"JOBOBJECT_IO_ATTRIBUTION_CONTROL_VALID_FLAGS","features":[564]},{"name":"JOBOBJECT_IO_ATTRIBUTION_INFORMATION","features":[564]},{"name":"JOBOBJECT_IO_ATTRIBUTION_STATS","features":[564]},{"name":"JOBOBJECT_IO_RATE_CONTROL_INFORMATION","features":[564]},{"name":"JOBOBJECT_IO_RATE_CONTROL_INFORMATION_NATIVE_V1","features":[564]},{"name":"JOBOBJECT_IO_RATE_CONTROL_INFORMATION_NATIVE_V2","features":[564]},{"name":"JOBOBJECT_IO_RATE_CONTROL_INFORMATION_NATIVE_V3","features":[564]},{"name":"JOBOBJECT_JOBSET_INFORMATION","features":[564]},{"name":"JOBOBJECT_LIMIT_VIOLATION_INFORMATION","features":[564]},{"name":"JOBOBJECT_LIMIT_VIOLATION_INFORMATION_2","features":[564]},{"name":"JOBOBJECT_NET_RATE_CONTROL_INFORMATION","features":[564]},{"name":"JOBOBJECT_NOTIFICATION_LIMIT_INFORMATION","features":[564]},{"name":"JOBOBJECT_NOTIFICATION_LIMIT_INFORMATION_2","features":[564]},{"name":"JOBOBJECT_RATE_CONTROL_TOLERANCE","features":[564]},{"name":"JOBOBJECT_RATE_CONTROL_TOLERANCE_INTERVAL","features":[564]},{"name":"JOBOBJECT_SECURITY_LIMIT_INFORMATION","features":[308,311,564]},{"name":"JOB_OBJECT_BASIC_LIMIT_VALID_FLAGS","features":[564]},{"name":"JOB_OBJECT_CPU_RATE_CONTROL","features":[564]},{"name":"JOB_OBJECT_CPU_RATE_CONTROL_ENABLE","features":[564]},{"name":"JOB_OBJECT_CPU_RATE_CONTROL_HARD_CAP","features":[564]},{"name":"JOB_OBJECT_CPU_RATE_CONTROL_MIN_MAX_RATE","features":[564]},{"name":"JOB_OBJECT_CPU_RATE_CONTROL_NOTIFY","features":[564]},{"name":"JOB_OBJECT_CPU_RATE_CONTROL_VALID_FLAGS","features":[564]},{"name":"JOB_OBJECT_CPU_RATE_CONTROL_WEIGHT_BASED","features":[564]},{"name":"JOB_OBJECT_EXTENDED_LIMIT_VALID_FLAGS","features":[564]},{"name":"JOB_OBJECT_IO_RATE_CONTROL_ENABLE","features":[564]},{"name":"JOB_OBJECT_IO_RATE_CONTROL_FLAGS","features":[564]},{"name":"JOB_OBJECT_IO_RATE_CONTROL_FORCE_UNIT_ACCESS_ALL","features":[564]},{"name":"JOB_OBJECT_IO_RATE_CONTROL_FORCE_UNIT_ACCESS_ON_SOFT_CAP","features":[564]},{"name":"JOB_OBJECT_IO_RATE_CONTROL_STANDALONE_VOLUME","features":[564]},{"name":"JOB_OBJECT_IO_RATE_CONTROL_VALID_FLAGS","features":[564]},{"name":"JOB_OBJECT_LIMIT","features":[564]},{"name":"JOB_OBJECT_LIMIT_ACTIVE_PROCESS","features":[564]},{"name":"JOB_OBJECT_LIMIT_AFFINITY","features":[564]},{"name":"JOB_OBJECT_LIMIT_BREAKAWAY_OK","features":[564]},{"name":"JOB_OBJECT_LIMIT_CPU_RATE_CONTROL","features":[564]},{"name":"JOB_OBJECT_LIMIT_DIE_ON_UNHANDLED_EXCEPTION","features":[564]},{"name":"JOB_OBJECT_LIMIT_IO_RATE_CONTROL","features":[564]},{"name":"JOB_OBJECT_LIMIT_JOB_MEMORY","features":[564]},{"name":"JOB_OBJECT_LIMIT_JOB_MEMORY_HIGH","features":[564]},{"name":"JOB_OBJECT_LIMIT_JOB_MEMORY_LOW","features":[564]},{"name":"JOB_OBJECT_LIMIT_JOB_READ_BYTES","features":[564]},{"name":"JOB_OBJECT_LIMIT_JOB_TIME","features":[564]},{"name":"JOB_OBJECT_LIMIT_JOB_WRITE_BYTES","features":[564]},{"name":"JOB_OBJECT_LIMIT_KILL_ON_JOB_CLOSE","features":[564]},{"name":"JOB_OBJECT_LIMIT_NET_RATE_CONTROL","features":[564]},{"name":"JOB_OBJECT_LIMIT_PRESERVE_JOB_TIME","features":[564]},{"name":"JOB_OBJECT_LIMIT_PRIORITY_CLASS","features":[564]},{"name":"JOB_OBJECT_LIMIT_PROCESS_MEMORY","features":[564]},{"name":"JOB_OBJECT_LIMIT_PROCESS_TIME","features":[564]},{"name":"JOB_OBJECT_LIMIT_RATE_CONTROL","features":[564]},{"name":"JOB_OBJECT_LIMIT_SCHEDULING_CLASS","features":[564]},{"name":"JOB_OBJECT_LIMIT_SILENT_BREAKAWAY_OK","features":[564]},{"name":"JOB_OBJECT_LIMIT_SUBSET_AFFINITY","features":[564]},{"name":"JOB_OBJECT_LIMIT_VALID_FLAGS","features":[564]},{"name":"JOB_OBJECT_LIMIT_WORKINGSET","features":[564]},{"name":"JOB_OBJECT_NET_RATE_CONTROL_DSCP_TAG","features":[564]},{"name":"JOB_OBJECT_NET_RATE_CONTROL_ENABLE","features":[564]},{"name":"JOB_OBJECT_NET_RATE_CONTROL_FLAGS","features":[564]},{"name":"JOB_OBJECT_NET_RATE_CONTROL_MAX_BANDWIDTH","features":[564]},{"name":"JOB_OBJECT_NET_RATE_CONTROL_VALID_FLAGS","features":[564]},{"name":"JOB_OBJECT_NOTIFICATION_LIMIT_VALID_FLAGS","features":[564]},{"name":"JOB_OBJECT_POST_AT_END_OF_JOB","features":[564]},{"name":"JOB_OBJECT_SECURITY","features":[564]},{"name":"JOB_OBJECT_SECURITY_FILTER_TOKENS","features":[564]},{"name":"JOB_OBJECT_SECURITY_NO_ADMIN","features":[564]},{"name":"JOB_OBJECT_SECURITY_ONLY_TOKEN","features":[564]},{"name":"JOB_OBJECT_SECURITY_RESTRICTED_TOKEN","features":[564]},{"name":"JOB_OBJECT_SECURITY_VALID_FLAGS","features":[564]},{"name":"JOB_OBJECT_TERMINATE_AT_END_ACTION","features":[564]},{"name":"JOB_OBJECT_TERMINATE_AT_END_OF_JOB","features":[564]},{"name":"JOB_OBJECT_UILIMIT","features":[564]},{"name":"JOB_OBJECT_UILIMIT_DESKTOP","features":[564]},{"name":"JOB_OBJECT_UILIMIT_DISPLAYSETTINGS","features":[564]},{"name":"JOB_OBJECT_UILIMIT_EXITWINDOWS","features":[564]},{"name":"JOB_OBJECT_UILIMIT_GLOBALATOMS","features":[564]},{"name":"JOB_OBJECT_UILIMIT_HANDLES","features":[564]},{"name":"JOB_OBJECT_UILIMIT_NONE","features":[564]},{"name":"JOB_OBJECT_UILIMIT_READCLIPBOARD","features":[564]},{"name":"JOB_OBJECT_UILIMIT_SYSTEMPARAMETERS","features":[564]},{"name":"JOB_OBJECT_UILIMIT_WRITECLIPBOARD","features":[564]},{"name":"JOB_SET_ARRAY","features":[308,564]},{"name":"JobObjectAssociateCompletionPortInformation","features":[564]},{"name":"JobObjectBasicAccountingInformation","features":[564]},{"name":"JobObjectBasicAndIoAccountingInformation","features":[564]},{"name":"JobObjectBasicLimitInformation","features":[564]},{"name":"JobObjectBasicProcessIdList","features":[564]},{"name":"JobObjectBasicUIRestrictions","features":[564]},{"name":"JobObjectCompletionCounter","features":[564]},{"name":"JobObjectCompletionFilter","features":[564]},{"name":"JobObjectCpuRateControlInformation","features":[564]},{"name":"JobObjectCreateSilo","features":[564]},{"name":"JobObjectEndOfJobTimeInformation","features":[564]},{"name":"JobObjectExtendedLimitInformation","features":[564]},{"name":"JobObjectGroupInformation","features":[564]},{"name":"JobObjectGroupInformationEx","features":[564]},{"name":"JobObjectJobSetInformation","features":[564]},{"name":"JobObjectLimitViolationInformation","features":[564]},{"name":"JobObjectLimitViolationInformation2","features":[564]},{"name":"JobObjectNetRateControlInformation","features":[564]},{"name":"JobObjectNotificationLimitInformation","features":[564]},{"name":"JobObjectNotificationLimitInformation2","features":[564]},{"name":"JobObjectReserved10Information","features":[564]},{"name":"JobObjectReserved11Information","features":[564]},{"name":"JobObjectReserved12Information","features":[564]},{"name":"JobObjectReserved13Information","features":[564]},{"name":"JobObjectReserved14Information","features":[564]},{"name":"JobObjectReserved15Information","features":[564]},{"name":"JobObjectReserved16Information","features":[564]},{"name":"JobObjectReserved17Information","features":[564]},{"name":"JobObjectReserved18Information","features":[564]},{"name":"JobObjectReserved19Information","features":[564]},{"name":"JobObjectReserved1Information","features":[564]},{"name":"JobObjectReserved20Information","features":[564]},{"name":"JobObjectReserved21Information","features":[564]},{"name":"JobObjectReserved22Information","features":[564]},{"name":"JobObjectReserved23Information","features":[564]},{"name":"JobObjectReserved24Information","features":[564]},{"name":"JobObjectReserved25Information","features":[564]},{"name":"JobObjectReserved26Information","features":[564]},{"name":"JobObjectReserved27Information","features":[564]},{"name":"JobObjectReserved2Information","features":[564]},{"name":"JobObjectReserved3Information","features":[564]},{"name":"JobObjectReserved4Information","features":[564]},{"name":"JobObjectReserved5Information","features":[564]},{"name":"JobObjectReserved6Information","features":[564]},{"name":"JobObjectReserved7Information","features":[564]},{"name":"JobObjectReserved8Information","features":[564]},{"name":"JobObjectReserved9Information","features":[564]},{"name":"JobObjectSecurityLimitInformation","features":[564]},{"name":"JobObjectSiloBasicInformation","features":[564]},{"name":"MaxJobObjectInfoClass","features":[564]},{"name":"OpenJobObjectA","features":[308,564]},{"name":"OpenJobObjectW","features":[308,564]},{"name":"QueryInformationJobObject","features":[308,564]},{"name":"QueryIoRateControlInformationJobObject","features":[308,564]},{"name":"SetInformationJobObject","features":[308,564]},{"name":"SetIoRateControlInformationJobObject","features":[308,564]},{"name":"TerminateJobObject","features":[308,564]},{"name":"ToleranceHigh","features":[564]},{"name":"ToleranceIntervalLong","features":[564]},{"name":"ToleranceIntervalMedium","features":[564]},{"name":"ToleranceIntervalShort","features":[564]},{"name":"ToleranceLow","features":[564]},{"name":"ToleranceMedium","features":[564]},{"name":"UserHandleGrantAccess","features":[308,564]}],"575":[{"name":"JS_SOURCE_CONTEXT_NONE","features":[565]},{"name":"JsAddRef","features":[565]},{"name":"JsArray","features":[565]},{"name":"JsBackgroundWorkItemCallback","features":[565]},{"name":"JsBeforeCollectCallback","features":[565]},{"name":"JsBoolToBoolean","features":[565]},{"name":"JsBoolean","features":[565]},{"name":"JsBooleanToBool","features":[565]},{"name":"JsCallFunction","features":[565]},{"name":"JsCollectGarbage","features":[565]},{"name":"JsConstructObject","features":[565]},{"name":"JsConvertValueToBoolean","features":[565]},{"name":"JsConvertValueToNumber","features":[565]},{"name":"JsConvertValueToObject","features":[565]},{"name":"JsConvertValueToString","features":[565]},{"name":"JsCreateArray","features":[565]},{"name":"JsCreateContext","features":[546,565]},{"name":"JsCreateContext","features":[546,565]},{"name":"JsCreateError","features":[565]},{"name":"JsCreateExternalObject","features":[565]},{"name":"JsCreateFunction","features":[565]},{"name":"JsCreateObject","features":[565]},{"name":"JsCreateRangeError","features":[565]},{"name":"JsCreateReferenceError","features":[565]},{"name":"JsCreateRuntime","features":[565]},{"name":"JsCreateSyntaxError","features":[565]},{"name":"JsCreateTypeError","features":[565]},{"name":"JsCreateURIError","features":[565]},{"name":"JsDefineProperty","features":[565]},{"name":"JsDeleteIndexedProperty","features":[565]},{"name":"JsDeleteProperty","features":[565]},{"name":"JsDisableRuntimeExecution","features":[565]},{"name":"JsDisposeRuntime","features":[565]},{"name":"JsDoubleToNumber","features":[565]},{"name":"JsEnableRuntimeExecution","features":[565]},{"name":"JsEnumerateHeap","features":[546,565]},{"name":"JsEquals","features":[565]},{"name":"JsError","features":[565]},{"name":"JsErrorAlreadyDebuggingContext","features":[565]},{"name":"JsErrorAlreadyProfilingContext","features":[565]},{"name":"JsErrorArgumentNotObject","features":[565]},{"name":"JsErrorBadSerializedScript","features":[565]},{"name":"JsErrorCannotDisableExecution","features":[565]},{"name":"JsErrorCannotSerializeDebugScript","features":[565]},{"name":"JsErrorCategoryEngine","features":[565]},{"name":"JsErrorCategoryFatal","features":[565]},{"name":"JsErrorCategoryScript","features":[565]},{"name":"JsErrorCategoryUsage","features":[565]},{"name":"JsErrorCode","features":[565]},{"name":"JsErrorFatal","features":[565]},{"name":"JsErrorHeapEnumInProgress","features":[565]},{"name":"JsErrorIdleNotEnabled","features":[565]},{"name":"JsErrorInDisabledState","features":[565]},{"name":"JsErrorInExceptionState","features":[565]},{"name":"JsErrorInProfileCallback","features":[565]},{"name":"JsErrorInThreadServiceCallback","features":[565]},{"name":"JsErrorInvalidArgument","features":[565]},{"name":"JsErrorNoCurrentContext","features":[565]},{"name":"JsErrorNotImplemented","features":[565]},{"name":"JsErrorNullArgument","features":[565]},{"name":"JsErrorOutOfMemory","features":[565]},{"name":"JsErrorRuntimeInUse","features":[565]},{"name":"JsErrorScriptCompile","features":[565]},{"name":"JsErrorScriptEvalDisabled","features":[565]},{"name":"JsErrorScriptException","features":[565]},{"name":"JsErrorScriptTerminated","features":[565]},{"name":"JsErrorWrongThread","features":[565]},{"name":"JsFinalizeCallback","features":[565]},{"name":"JsFunction","features":[565]},{"name":"JsGetAndClearException","features":[565]},{"name":"JsGetCurrentContext","features":[565]},{"name":"JsGetExtensionAllowed","features":[565]},{"name":"JsGetExternalData","features":[565]},{"name":"JsGetFalseValue","features":[565]},{"name":"JsGetGlobalObject","features":[565]},{"name":"JsGetIndexedProperty","features":[565]},{"name":"JsGetNullValue","features":[565]},{"name":"JsGetOwnPropertyDescriptor","features":[565]},{"name":"JsGetOwnPropertyNames","features":[565]},{"name":"JsGetProperty","features":[565]},{"name":"JsGetPropertyIdFromName","features":[565]},{"name":"JsGetPropertyNameFromId","features":[565]},{"name":"JsGetPrototype","features":[565]},{"name":"JsGetRuntime","features":[565]},{"name":"JsGetRuntimeMemoryLimit","features":[565]},{"name":"JsGetRuntimeMemoryUsage","features":[565]},{"name":"JsGetStringLength","features":[565]},{"name":"JsGetTrueValue","features":[565]},{"name":"JsGetUndefinedValue","features":[565]},{"name":"JsGetValueType","features":[565]},{"name":"JsHasException","features":[565]},{"name":"JsHasExternalData","features":[565]},{"name":"JsHasIndexedProperty","features":[565]},{"name":"JsHasProperty","features":[565]},{"name":"JsIdle","features":[565]},{"name":"JsIntToNumber","features":[565]},{"name":"JsIsEnumeratingHeap","features":[565]},{"name":"JsIsRuntimeExecutionDisabled","features":[565]},{"name":"JsMemoryAllocate","features":[565]},{"name":"JsMemoryAllocationCallback","features":[565]},{"name":"JsMemoryEventType","features":[565]},{"name":"JsMemoryFailure","features":[565]},{"name":"JsMemoryFree","features":[565]},{"name":"JsNativeFunction","features":[565]},{"name":"JsNoError","features":[565]},{"name":"JsNull","features":[565]},{"name":"JsNumber","features":[565]},{"name":"JsNumberToDouble","features":[565]},{"name":"JsObject","features":[565]},{"name":"JsParseScript","features":[565]},{"name":"JsParseSerializedScript","features":[565]},{"name":"JsPointerToString","features":[565]},{"name":"JsPreventExtension","features":[565]},{"name":"JsRelease","features":[565]},{"name":"JsRunScript","features":[565]},{"name":"JsRunSerializedScript","features":[565]},{"name":"JsRuntimeAttributeAllowScriptInterrupt","features":[565]},{"name":"JsRuntimeAttributeDisableBackgroundWork","features":[565]},{"name":"JsRuntimeAttributeDisableEval","features":[565]},{"name":"JsRuntimeAttributeDisableNativeCodeGeneration","features":[565]},{"name":"JsRuntimeAttributeEnableIdleProcessing","features":[565]},{"name":"JsRuntimeAttributeNone","features":[565]},{"name":"JsRuntimeAttributes","features":[565]},{"name":"JsRuntimeVersion","features":[565]},{"name":"JsRuntimeVersion10","features":[565]},{"name":"JsRuntimeVersion11","features":[565]},{"name":"JsRuntimeVersionEdge","features":[565]},{"name":"JsSerializeScript","features":[565]},{"name":"JsSetCurrentContext","features":[565]},{"name":"JsSetException","features":[565]},{"name":"JsSetExternalData","features":[565]},{"name":"JsSetIndexedProperty","features":[565]},{"name":"JsSetProperty","features":[565]},{"name":"JsSetPrototype","features":[565]},{"name":"JsSetRuntimeBeforeCollectCallback","features":[565]},{"name":"JsSetRuntimeMemoryAllocationCallback","features":[565]},{"name":"JsSetRuntimeMemoryLimit","features":[565]},{"name":"JsStartDebugging","features":[546,565]},{"name":"JsStartDebugging","features":[546,565]},{"name":"JsStartProfiling","features":[546,565]},{"name":"JsStopProfiling","features":[565]},{"name":"JsStrictEquals","features":[565]},{"name":"JsString","features":[565]},{"name":"JsStringToPointer","features":[565]},{"name":"JsThreadServiceCallback","features":[565]},{"name":"JsUndefined","features":[565]},{"name":"JsValueToVariant","features":[565]},{"name":"JsValueType","features":[565]},{"name":"JsVariantToValue","features":[565]}],"576":[{"name":"BackOffice","features":[314]},{"name":"Blade","features":[314]},{"name":"COMPARTMENT_ID","features":[314]},{"name":"CSTRING","features":[314]},{"name":"CommunicationServer","features":[314]},{"name":"ComputeServer","features":[314]},{"name":"DEFAULT_COMPARTMENT_ID","features":[314]},{"name":"DataCenter","features":[314]},{"name":"EVENT_TYPE","features":[314]},{"name":"EXCEPTION_DISPOSITION","features":[314]},{"name":"EXCEPTION_REGISTRATION_RECORD","features":[308,336,314]},{"name":"EXCEPTION_ROUTINE","features":[308,336,314]},{"name":"EmbeddedNT","features":[314]},{"name":"EmbeddedRestricted","features":[314]},{"name":"Enterprise","features":[314]},{"name":"ExceptionCollidedUnwind","features":[314]},{"name":"ExceptionContinueExecution","features":[314]},{"name":"ExceptionContinueSearch","features":[314]},{"name":"ExceptionNestedException","features":[314]},{"name":"FLOATING_SAVE_AREA","features":[314]},{"name":"FLOATING_SAVE_AREA","features":[314]},{"name":"LIST_ENTRY","features":[314]},{"name":"LIST_ENTRY32","features":[314]},{"name":"LIST_ENTRY64","features":[314]},{"name":"MAXUCHAR","features":[314]},{"name":"MAXULONG","features":[314]},{"name":"MAXUSHORT","features":[314]},{"name":"MaxSuiteType","features":[314]},{"name":"MultiUserTS","features":[314]},{"name":"NT_PRODUCT_TYPE","features":[314]},{"name":"NT_TIB","features":[308,336,314]},{"name":"NULL64","features":[314]},{"name":"NotificationEvent","features":[314]},{"name":"NotificationTimer","features":[314]},{"name":"NtProductLanManNt","features":[314]},{"name":"NtProductServer","features":[314]},{"name":"NtProductWinNt","features":[314]},{"name":"OBJECTID","features":[314]},{"name":"OBJ_CASE_INSENSITIVE","features":[314]},{"name":"OBJ_DONT_REPARSE","features":[314]},{"name":"OBJ_EXCLUSIVE","features":[314]},{"name":"OBJ_FORCE_ACCESS_CHECK","features":[314]},{"name":"OBJ_HANDLE_TAGBITS","features":[314]},{"name":"OBJ_IGNORE_IMPERSONATED_DEVICEMAP","features":[314]},{"name":"OBJ_INHERIT","features":[314]},{"name":"OBJ_KERNEL_HANDLE","features":[314]},{"name":"OBJ_OPENIF","features":[314]},{"name":"OBJ_OPENLINK","features":[314]},{"name":"OBJ_PERMANENT","features":[314]},{"name":"OBJ_VALID_ATTRIBUTES","features":[314]},{"name":"PROCESSOR_NUMBER","features":[314]},{"name":"Personal","features":[314]},{"name":"PhoneNT","features":[314]},{"name":"QUAD","features":[314]},{"name":"RTL_BALANCED_NODE","features":[314]},{"name":"RTL_BALANCED_NODE_RESERVED_PARENT_MASK","features":[314]},{"name":"RtlFirstEntrySList","features":[314]},{"name":"RtlInitializeSListHead","features":[314]},{"name":"RtlInterlockedFlushSList","features":[314]},{"name":"RtlInterlockedPopEntrySList","features":[314]},{"name":"RtlInterlockedPushEntrySList","features":[314]},{"name":"RtlInterlockedPushListSListEx","features":[314]},{"name":"RtlQueryDepthSList","features":[314]},{"name":"SINGLE_LIST_ENTRY","features":[314]},{"name":"SINGLE_LIST_ENTRY32","features":[314]},{"name":"SLIST_ENTRY","features":[314]},{"name":"SLIST_HEADER","features":[314]},{"name":"SLIST_HEADER","features":[314]},{"name":"SLIST_HEADER","features":[314]},{"name":"STRING","features":[314]},{"name":"STRING32","features":[314]},{"name":"STRING64","features":[314]},{"name":"SUITE_TYPE","features":[314]},{"name":"SecurityAppliance","features":[314]},{"name":"SingleUserTS","features":[314]},{"name":"SmallBusiness","features":[314]},{"name":"SmallBusinessRestricted","features":[314]},{"name":"StorageServer","features":[314]},{"name":"SynchronizationEvent","features":[314]},{"name":"SynchronizationTimer","features":[314]},{"name":"TIMER_TYPE","features":[314]},{"name":"TerminalServer","features":[314]},{"name":"UNSPECIFIED_COMPARTMENT_ID","features":[314]},{"name":"WAIT_TYPE","features":[314]},{"name":"WHServer","features":[314]},{"name":"WNF_STATE_NAME","features":[314]},{"name":"WaitAll","features":[314]},{"name":"WaitAny","features":[314]},{"name":"WaitDequeue","features":[314]},{"name":"WaitDpc","features":[314]},{"name":"WaitNotification","features":[314]}],"577":[{"name":"AddDllDirectory","features":[566]},{"name":"BeginUpdateResourceA","features":[308,566]},{"name":"BeginUpdateResourceW","features":[308,566]},{"name":"CURRENT_IMPORT_REDIRECTION_VERSION","features":[566]},{"name":"DONT_RESOLVE_DLL_REFERENCES","features":[566]},{"name":"DisableThreadLibraryCalls","features":[308,566]},{"name":"ENUMRESLANGPROCA","features":[308,566]},{"name":"ENUMRESLANGPROCW","features":[308,566]},{"name":"ENUMRESNAMEPROCA","features":[308,566]},{"name":"ENUMRESNAMEPROCW","features":[308,566]},{"name":"ENUMRESTYPEPROCA","features":[308,566]},{"name":"ENUMRESTYPEPROCW","features":[308,566]},{"name":"ENUMUILANG","features":[566]},{"name":"EndUpdateResourceA","features":[308,566]},{"name":"EndUpdateResourceW","features":[308,566]},{"name":"EnumResourceLanguagesA","features":[308,566]},{"name":"EnumResourceLanguagesExA","features":[308,566]},{"name":"EnumResourceLanguagesExW","features":[308,566]},{"name":"EnumResourceLanguagesW","features":[308,566]},{"name":"EnumResourceNamesA","features":[308,566]},{"name":"EnumResourceNamesExA","features":[308,566]},{"name":"EnumResourceNamesExW","features":[308,566]},{"name":"EnumResourceNamesW","features":[308,566]},{"name":"EnumResourceTypesA","features":[308,566]},{"name":"EnumResourceTypesExA","features":[308,566]},{"name":"EnumResourceTypesExW","features":[308,566]},{"name":"EnumResourceTypesW","features":[308,566]},{"name":"FIND_RESOURCE_DIRECTORY_LANGUAGES","features":[566]},{"name":"FIND_RESOURCE_DIRECTORY_NAMES","features":[566]},{"name":"FIND_RESOURCE_DIRECTORY_TYPES","features":[566]},{"name":"FindResourceA","features":[308,566]},{"name":"FindResourceExA","features":[308,566]},{"name":"FindResourceExW","features":[308,566]},{"name":"FindResourceW","features":[308,566]},{"name":"FreeLibraryAndExitThread","features":[308,566]},{"name":"FreeResource","features":[308,566]},{"name":"GET_MODULE_HANDLE_EX_FLAG_FROM_ADDRESS","features":[566]},{"name":"GET_MODULE_HANDLE_EX_FLAG_PIN","features":[566]},{"name":"GET_MODULE_HANDLE_EX_FLAG_UNCHANGED_REFCOUNT","features":[566]},{"name":"GetDllDirectoryA","features":[566]},{"name":"GetDllDirectoryW","features":[566]},{"name":"GetModuleFileNameA","features":[308,566]},{"name":"GetModuleFileNameW","features":[308,566]},{"name":"GetModuleHandleA","features":[308,566]},{"name":"GetModuleHandleExA","features":[308,566]},{"name":"GetModuleHandleExW","features":[308,566]},{"name":"GetModuleHandleW","features":[308,566]},{"name":"GetProcAddress","features":[308,566]},{"name":"LOAD_IGNORE_CODE_AUTHZ_LEVEL","features":[566]},{"name":"LOAD_LIBRARY_AS_DATAFILE","features":[566]},{"name":"LOAD_LIBRARY_AS_DATAFILE_EXCLUSIVE","features":[566]},{"name":"LOAD_LIBRARY_AS_IMAGE_RESOURCE","features":[566]},{"name":"LOAD_LIBRARY_FLAGS","features":[566]},{"name":"LOAD_LIBRARY_OS_INTEGRITY_CONTINUITY","features":[566]},{"name":"LOAD_LIBRARY_REQUIRE_SIGNED_TARGET","features":[566]},{"name":"LOAD_LIBRARY_SAFE_CURRENT_DIRS","features":[566]},{"name":"LOAD_LIBRARY_SEARCH_APPLICATION_DIR","features":[566]},{"name":"LOAD_LIBRARY_SEARCH_DEFAULT_DIRS","features":[566]},{"name":"LOAD_LIBRARY_SEARCH_DLL_LOAD_DIR","features":[566]},{"name":"LOAD_LIBRARY_SEARCH_SYSTEM32","features":[566]},{"name":"LOAD_LIBRARY_SEARCH_SYSTEM32_NO_FORWARDER","features":[566]},{"name":"LOAD_LIBRARY_SEARCH_USER_DIRS","features":[566]},{"name":"LOAD_WITH_ALTERED_SEARCH_PATH","features":[566]},{"name":"LoadLibraryA","features":[308,566]},{"name":"LoadLibraryExA","features":[308,566]},{"name":"LoadLibraryExW","features":[308,566]},{"name":"LoadLibraryW","features":[308,566]},{"name":"LoadModule","features":[566]},{"name":"LoadPackagedLibrary","features":[308,566]},{"name":"LoadResource","features":[308,566]},{"name":"LockResource","features":[308,566]},{"name":"PGET_MODULE_HANDLE_EXA","features":[308,566]},{"name":"PGET_MODULE_HANDLE_EXW","features":[308,566]},{"name":"REDIRECTION_DESCRIPTOR","features":[566]},{"name":"REDIRECTION_FUNCTION_DESCRIPTOR","features":[566]},{"name":"RESOURCE_ENUM_LN","features":[566]},{"name":"RESOURCE_ENUM_MODULE_EXACT","features":[566]},{"name":"RESOURCE_ENUM_MUI","features":[566]},{"name":"RESOURCE_ENUM_MUI_SYSTEM","features":[566]},{"name":"RESOURCE_ENUM_VALIDATE","features":[566]},{"name":"RemoveDllDirectory","features":[308,566]},{"name":"SUPPORT_LANG_NUMBER","features":[566]},{"name":"SetDefaultDllDirectories","features":[308,566]},{"name":"SetDllDirectoryA","features":[308,566]},{"name":"SetDllDirectoryW","features":[308,566]},{"name":"SizeofResource","features":[308,566]},{"name":"UpdateResourceA","features":[308,566]},{"name":"UpdateResourceW","features":[308,566]}],"578":[{"name":"CreateMailslotA","features":[308,311,567]},{"name":"CreateMailslotW","features":[308,311,567]},{"name":"GetMailslotInfo","features":[308,567]},{"name":"SetMailslotInfo","features":[308,567]}],"579":[{"name":"LPMAPIADDRESS","features":[568]},{"name":"LPMAPIDELETEMAIL","features":[568]},{"name":"LPMAPIDETAILS","features":[568]},{"name":"LPMAPIFINDNEXT","features":[568]},{"name":"LPMAPIFREEBUFFER","features":[568]},{"name":"LPMAPILOGOFF","features":[568]},{"name":"LPMAPILOGON","features":[568]},{"name":"LPMAPIREADMAIL","features":[568]},{"name":"LPMAPIRESOLVENAME","features":[568]},{"name":"LPMAPISAVEMAIL","features":[568]},{"name":"LPMAPISENDDOCUMENTS","features":[568]},{"name":"LPMAPISENDMAIL","features":[568]},{"name":"LPMAPISENDMAILW","features":[568]},{"name":"MAPIFreeBuffer","features":[568]},{"name":"MAPI_AB_NOMODIFY","features":[568]},{"name":"MAPI_BCC","features":[568]},{"name":"MAPI_BODY_AS_FILE","features":[568]},{"name":"MAPI_CC","features":[568]},{"name":"MAPI_DIALOG","features":[568]},{"name":"MAPI_ENVELOPE_ONLY","features":[568]},{"name":"MAPI_EXTENDED","features":[568]},{"name":"MAPI_E_ACCESS_DENIED","features":[568]},{"name":"MAPI_E_AMBIGUOUS_RECIPIENT","features":[568]},{"name":"MAPI_E_AMBIG_RECIP","features":[568]},{"name":"MAPI_E_ATTACHMENT_NOT_FOUND","features":[568]},{"name":"MAPI_E_ATTACHMENT_OPEN_FAILURE","features":[568]},{"name":"MAPI_E_ATTACHMENT_TOO_LARGE","features":[568]},{"name":"MAPI_E_ATTACHMENT_WRITE_FAILURE","features":[568]},{"name":"MAPI_E_BAD_RECIPTYPE","features":[568]},{"name":"MAPI_E_DISK_FULL","features":[568]},{"name":"MAPI_E_FAILURE","features":[568]},{"name":"MAPI_E_INSUFFICIENT_MEMORY","features":[568]},{"name":"MAPI_E_INVALID_EDITFIELDS","features":[568]},{"name":"MAPI_E_INVALID_MESSAGE","features":[568]},{"name":"MAPI_E_INVALID_RECIPS","features":[568]},{"name":"MAPI_E_INVALID_SESSION","features":[568]},{"name":"MAPI_E_LOGIN_FAILURE","features":[568]},{"name":"MAPI_E_LOGON_FAILURE","features":[568]},{"name":"MAPI_E_MESSAGE_IN_USE","features":[568]},{"name":"MAPI_E_NETWORK_FAILURE","features":[568]},{"name":"MAPI_E_NOT_SUPPORTED","features":[568]},{"name":"MAPI_E_NO_MESSAGES","features":[568]},{"name":"MAPI_E_TEXT_TOO_LARGE","features":[568]},{"name":"MAPI_E_TOO_MANY_FILES","features":[568]},{"name":"MAPI_E_TOO_MANY_RECIPIENTS","features":[568]},{"name":"MAPI_E_TOO_MANY_SESSIONS","features":[568]},{"name":"MAPI_E_TYPE_NOT_SUPPORTED","features":[568]},{"name":"MAPI_E_UNICODE_NOT_SUPPORTED","features":[568]},{"name":"MAPI_E_UNKNOWN_RECIPIENT","features":[568]},{"name":"MAPI_E_USER_ABORT","features":[568]},{"name":"MAPI_FORCE_DOWNLOAD","features":[568]},{"name":"MAPI_FORCE_UNICODE","features":[568]},{"name":"MAPI_GUARANTEE_FIFO","features":[568]},{"name":"MAPI_LOGON_UI","features":[568]},{"name":"MAPI_LONG_MSGID","features":[568]},{"name":"MAPI_NEW_SESSION","features":[568]},{"name":"MAPI_OLE","features":[568]},{"name":"MAPI_OLE_STATIC","features":[568]},{"name":"MAPI_ORIG","features":[568]},{"name":"MAPI_PASSWORD_UI","features":[568]},{"name":"MAPI_PEEK","features":[568]},{"name":"MAPI_RECEIPT_REQUESTED","features":[568]},{"name":"MAPI_SENT","features":[568]},{"name":"MAPI_SUPPRESS_ATTACH","features":[568]},{"name":"MAPI_TO","features":[568]},{"name":"MAPI_UNREAD","features":[568]},{"name":"MAPI_UNREAD_ONLY","features":[568]},{"name":"MAPI_USER_ABORT","features":[568]},{"name":"MapiFileDesc","features":[568]},{"name":"MapiFileDescW","features":[568]},{"name":"MapiFileTagExt","features":[568]},{"name":"MapiMessage","features":[568]},{"name":"MapiMessageW","features":[568]},{"name":"MapiRecipDesc","features":[568]},{"name":"MapiRecipDescW","features":[568]},{"name":"SUCCESS_SUCCESS","features":[568]}],"580":[{"name":"AddSecureMemoryCacheCallback","features":[308,326]},{"name":"AllocateUserPhysicalPages","features":[308,326]},{"name":"AllocateUserPhysicalPages2","features":[308,326]},{"name":"AllocateUserPhysicalPagesNuma","features":[308,326]},{"name":"AtlThunkData_t","features":[326]},{"name":"CFG_CALL_TARGET_INFO","features":[326]},{"name":"CreateFileMapping2","features":[308,311,326]},{"name":"CreateFileMappingA","features":[308,311,326]},{"name":"CreateFileMappingFromApp","features":[308,311,326]},{"name":"CreateFileMappingNumaA","features":[308,311,326]},{"name":"CreateFileMappingNumaW","features":[308,311,326]},{"name":"CreateFileMappingW","features":[308,311,326]},{"name":"CreateMemoryResourceNotification","features":[308,326]},{"name":"DiscardVirtualMemory","features":[326]},{"name":"FILE_CACHE_MAX_HARD_DISABLE","features":[326]},{"name":"FILE_CACHE_MAX_HARD_ENABLE","features":[326]},{"name":"FILE_CACHE_MIN_HARD_DISABLE","features":[326]},{"name":"FILE_CACHE_MIN_HARD_ENABLE","features":[326]},{"name":"FILE_MAP","features":[326]},{"name":"FILE_MAP_ALL_ACCESS","features":[326]},{"name":"FILE_MAP_COPY","features":[326]},{"name":"FILE_MAP_EXECUTE","features":[326]},{"name":"FILE_MAP_LARGE_PAGES","features":[326]},{"name":"FILE_MAP_READ","features":[326]},{"name":"FILE_MAP_RESERVE","features":[326]},{"name":"FILE_MAP_TARGETS_INVALID","features":[326]},{"name":"FILE_MAP_WRITE","features":[326]},{"name":"FlushViewOfFile","features":[308,326]},{"name":"FreeUserPhysicalPages","features":[308,326]},{"name":"GHND","features":[326]},{"name":"GLOBAL_ALLOC_FLAGS","features":[326]},{"name":"GMEM_FIXED","features":[326]},{"name":"GMEM_MOVEABLE","features":[326]},{"name":"GMEM_ZEROINIT","features":[326]},{"name":"GPTR","features":[326]},{"name":"GetLargePageMinimum","features":[326]},{"name":"GetMemoryErrorHandlingCapabilities","features":[308,326]},{"name":"GetProcessHeap","features":[308,326]},{"name":"GetProcessHeaps","features":[308,326]},{"name":"GetProcessWorkingSetSizeEx","features":[308,326]},{"name":"GetSystemFileCacheSize","features":[308,326]},{"name":"GetWriteWatch","features":[326]},{"name":"GlobalAlloc","features":[308,326]},{"name":"GlobalFlags","features":[308,326]},{"name":"GlobalHandle","features":[308,326]},{"name":"GlobalLock","features":[308,326]},{"name":"GlobalReAlloc","features":[308,326]},{"name":"GlobalSize","features":[308,326]},{"name":"GlobalUnlock","features":[308,326]},{"name":"HEAP_CREATE_ALIGN_16","features":[326]},{"name":"HEAP_CREATE_ENABLE_EXECUTE","features":[326]},{"name":"HEAP_CREATE_ENABLE_TRACING","features":[326]},{"name":"HEAP_CREATE_HARDENED","features":[326]},{"name":"HEAP_CREATE_SEGMENT_HEAP","features":[326]},{"name":"HEAP_DISABLE_COALESCE_ON_FREE","features":[326]},{"name":"HEAP_FLAGS","features":[326]},{"name":"HEAP_FREE_CHECKING_ENABLED","features":[326]},{"name":"HEAP_GENERATE_EXCEPTIONS","features":[326]},{"name":"HEAP_GROWABLE","features":[326]},{"name":"HEAP_INFORMATION_CLASS","features":[326]},{"name":"HEAP_MAXIMUM_TAG","features":[326]},{"name":"HEAP_NONE","features":[326]},{"name":"HEAP_NO_SERIALIZE","features":[326]},{"name":"HEAP_PSEUDO_TAG_FLAG","features":[326]},{"name":"HEAP_REALLOC_IN_PLACE_ONLY","features":[326]},{"name":"HEAP_SUMMARY","features":[326]},{"name":"HEAP_TAG_SHIFT","features":[326]},{"name":"HEAP_TAIL_CHECKING_ENABLED","features":[326]},{"name":"HEAP_ZERO_MEMORY","features":[326]},{"name":"HeapAlloc","features":[308,326]},{"name":"HeapCompact","features":[308,326]},{"name":"HeapCompatibilityInformation","features":[326]},{"name":"HeapCreate","features":[308,326]},{"name":"HeapDestroy","features":[308,326]},{"name":"HeapEnableTerminationOnCorruption","features":[326]},{"name":"HeapFree","features":[308,326]},{"name":"HeapLock","features":[308,326]},{"name":"HeapOptimizeResources","features":[326]},{"name":"HeapQueryInformation","features":[308,326]},{"name":"HeapReAlloc","features":[308,326]},{"name":"HeapSetInformation","features":[308,326]},{"name":"HeapSize","features":[308,326]},{"name":"HeapSummary","features":[308,326]},{"name":"HeapTag","features":[326]},{"name":"HeapUnlock","features":[308,326]},{"name":"HeapValidate","features":[308,326]},{"name":"HeapWalk","features":[308,326]},{"name":"HighMemoryResourceNotification","features":[326]},{"name":"IsBadCodePtr","features":[308,326]},{"name":"IsBadReadPtr","features":[308,326]},{"name":"IsBadStringPtrA","features":[308,326]},{"name":"IsBadStringPtrW","features":[308,326]},{"name":"IsBadWritePtr","features":[308,326]},{"name":"LHND","features":[326]},{"name":"LMEM_FIXED","features":[326]},{"name":"LMEM_MOVEABLE","features":[326]},{"name":"LMEM_ZEROINIT","features":[326]},{"name":"LOCAL_ALLOC_FLAGS","features":[326]},{"name":"LPTR","features":[326]},{"name":"LocalAlloc","features":[308,326]},{"name":"LocalFlags","features":[308,326]},{"name":"LocalHandle","features":[308,326]},{"name":"LocalLock","features":[308,326]},{"name":"LocalReAlloc","features":[308,326]},{"name":"LocalSize","features":[308,326]},{"name":"LocalUnlock","features":[308,326]},{"name":"LowMemoryResourceNotification","features":[326]},{"name":"MEHC_PATROL_SCRUBBER_PRESENT","features":[326]},{"name":"MEMORY_BASIC_INFORMATION","features":[326]},{"name":"MEMORY_BASIC_INFORMATION","features":[326]},{"name":"MEMORY_BASIC_INFORMATION32","features":[326]},{"name":"MEMORY_BASIC_INFORMATION64","features":[326]},{"name":"MEMORY_MAPPED_VIEW_ADDRESS","features":[326]},{"name":"MEMORY_PARTITION_DEDICATED_MEMORY_ATTRIBUTE","features":[326]},{"name":"MEMORY_PARTITION_DEDICATED_MEMORY_INFORMATION","features":[326]},{"name":"MEMORY_RESOURCE_NOTIFICATION_TYPE","features":[326]},{"name":"MEM_ADDRESS_REQUIREMENTS","features":[326]},{"name":"MEM_COMMIT","features":[326]},{"name":"MEM_DECOMMIT","features":[326]},{"name":"MEM_DEDICATED_ATTRIBUTE_TYPE","features":[326]},{"name":"MEM_EXTENDED_PARAMETER","features":[308,326]},{"name":"MEM_EXTENDED_PARAMETER_TYPE","features":[326]},{"name":"MEM_FREE","features":[326]},{"name":"MEM_IMAGE","features":[326]},{"name":"MEM_LARGE_PAGES","features":[326]},{"name":"MEM_MAPPED","features":[326]},{"name":"MEM_PRESERVE_PLACEHOLDER","features":[326]},{"name":"MEM_PRIVATE","features":[326]},{"name":"MEM_RELEASE","features":[326]},{"name":"MEM_REPLACE_PLACEHOLDER","features":[326]},{"name":"MEM_RESERVE","features":[326]},{"name":"MEM_RESERVE_PLACEHOLDER","features":[326]},{"name":"MEM_RESET","features":[326]},{"name":"MEM_RESET_UNDO","features":[326]},{"name":"MEM_SECTION_EXTENDED_PARAMETER_TYPE","features":[326]},{"name":"MEM_UNMAP_NONE","features":[326]},{"name":"MEM_UNMAP_WITH_TRANSIENT_BOOST","features":[326]},{"name":"MapUserPhysicalPages","features":[308,326]},{"name":"MapUserPhysicalPagesScatter","features":[308,326]},{"name":"MapViewOfFile","features":[308,326]},{"name":"MapViewOfFile3","features":[308,326]},{"name":"MapViewOfFile3FromApp","features":[308,326]},{"name":"MapViewOfFileEx","features":[308,326]},{"name":"MapViewOfFileExNuma","features":[308,326]},{"name":"MapViewOfFileFromApp","features":[308,326]},{"name":"MapViewOfFileNuma2","features":[308,326]},{"name":"MemDedicatedAttributeMax","features":[326]},{"name":"MemDedicatedAttributeReadBandwidth","features":[326]},{"name":"MemDedicatedAttributeReadLatency","features":[326]},{"name":"MemDedicatedAttributeWriteBandwidth","features":[326]},{"name":"MemDedicatedAttributeWriteLatency","features":[326]},{"name":"MemExtendedParameterAddressRequirements","features":[326]},{"name":"MemExtendedParameterAttributeFlags","features":[326]},{"name":"MemExtendedParameterImageMachine","features":[326]},{"name":"MemExtendedParameterInvalidType","features":[326]},{"name":"MemExtendedParameterMax","features":[326]},{"name":"MemExtendedParameterNumaNode","features":[326]},{"name":"MemExtendedParameterPartitionHandle","features":[326]},{"name":"MemExtendedParameterUserPhysicalHandle","features":[326]},{"name":"MemSectionExtendedParameterInvalidType","features":[326]},{"name":"MemSectionExtendedParameterMax","features":[326]},{"name":"MemSectionExtendedParameterNumaNode","features":[326]},{"name":"MemSectionExtendedParameterSigningLevel","features":[326]},{"name":"MemSectionExtendedParameterUserPhysicalFlags","features":[326]},{"name":"MemoryPartitionDedicatedMemoryInfo","features":[326]},{"name":"MemoryPartitionInfo","features":[326]},{"name":"MemoryRegionInfo","features":[326]},{"name":"NONZEROLHND","features":[326]},{"name":"NONZEROLPTR","features":[326]},{"name":"OFFER_PRIORITY","features":[326]},{"name":"OfferVirtualMemory","features":[326]},{"name":"OpenDedicatedMemoryPartition","features":[308,326]},{"name":"OpenFileMappingA","features":[308,326]},{"name":"OpenFileMappingFromApp","features":[308,326]},{"name":"OpenFileMappingW","features":[308,326]},{"name":"PAGE_ENCLAVE_DECOMMIT","features":[326]},{"name":"PAGE_ENCLAVE_MASK","features":[326]},{"name":"PAGE_ENCLAVE_SS_FIRST","features":[326]},{"name":"PAGE_ENCLAVE_SS_REST","features":[326]},{"name":"PAGE_ENCLAVE_THREAD_CONTROL","features":[326]},{"name":"PAGE_ENCLAVE_UNVALIDATED","features":[326]},{"name":"PAGE_EXECUTE","features":[326]},{"name":"PAGE_EXECUTE_READ","features":[326]},{"name":"PAGE_EXECUTE_READWRITE","features":[326]},{"name":"PAGE_EXECUTE_WRITECOPY","features":[326]},{"name":"PAGE_GRAPHICS_COHERENT","features":[326]},{"name":"PAGE_GRAPHICS_EXECUTE","features":[326]},{"name":"PAGE_GRAPHICS_EXECUTE_READ","features":[326]},{"name":"PAGE_GRAPHICS_EXECUTE_READWRITE","features":[326]},{"name":"PAGE_GRAPHICS_NOACCESS","features":[326]},{"name":"PAGE_GRAPHICS_NOCACHE","features":[326]},{"name":"PAGE_GRAPHICS_READONLY","features":[326]},{"name":"PAGE_GRAPHICS_READWRITE","features":[326]},{"name":"PAGE_GUARD","features":[326]},{"name":"PAGE_NOACCESS","features":[326]},{"name":"PAGE_NOCACHE","features":[326]},{"name":"PAGE_PROTECTION_FLAGS","features":[326]},{"name":"PAGE_READONLY","features":[326]},{"name":"PAGE_READWRITE","features":[326]},{"name":"PAGE_REVERT_TO_FILE_MAP","features":[326]},{"name":"PAGE_TARGETS_INVALID","features":[326]},{"name":"PAGE_TARGETS_NO_UPDATE","features":[326]},{"name":"PAGE_TYPE","features":[326]},{"name":"PAGE_WRITECOMBINE","features":[326]},{"name":"PAGE_WRITECOPY","features":[326]},{"name":"PBAD_MEMORY_CALLBACK_ROUTINE","features":[326]},{"name":"PROCESS_HEAP_ENTRY","features":[308,326]},{"name":"PSECURE_MEMORY_CACHE_CALLBACK","features":[308,326]},{"name":"PrefetchVirtualMemory","features":[308,326]},{"name":"QUOTA_LIMITS_HARDWS_MAX_DISABLE","features":[326]},{"name":"QUOTA_LIMITS_HARDWS_MAX_ENABLE","features":[326]},{"name":"QUOTA_LIMITS_HARDWS_MIN_DISABLE","features":[326]},{"name":"QUOTA_LIMITS_HARDWS_MIN_ENABLE","features":[326]},{"name":"QueryMemoryResourceNotification","features":[308,326]},{"name":"QueryPartitionInformation","features":[308,326]},{"name":"QueryVirtualMemoryInformation","features":[308,326]},{"name":"ReclaimVirtualMemory","features":[326]},{"name":"RegisterBadMemoryNotification","features":[326]},{"name":"RemoveSecureMemoryCacheCallback","features":[308,326]},{"name":"ResetWriteWatch","features":[326]},{"name":"RtlCompareMemory","features":[326]},{"name":"RtlCrc32","features":[326]},{"name":"RtlCrc64","features":[326]},{"name":"RtlIsZeroMemory","features":[308,326]},{"name":"SECTION_ALL_ACCESS","features":[326]},{"name":"SECTION_EXTEND_SIZE","features":[326]},{"name":"SECTION_FLAGS","features":[326]},{"name":"SECTION_MAP_EXECUTE","features":[326]},{"name":"SECTION_MAP_EXECUTE_EXPLICIT","features":[326]},{"name":"SECTION_MAP_READ","features":[326]},{"name":"SECTION_MAP_WRITE","features":[326]},{"name":"SECTION_QUERY","features":[326]},{"name":"SEC_64K_PAGES","features":[326]},{"name":"SEC_COMMIT","features":[326]},{"name":"SEC_FILE","features":[326]},{"name":"SEC_IMAGE","features":[326]},{"name":"SEC_IMAGE_NO_EXECUTE","features":[326]},{"name":"SEC_LARGE_PAGES","features":[326]},{"name":"SEC_NOCACHE","features":[326]},{"name":"SEC_PARTITION_OWNER_HANDLE","features":[326]},{"name":"SEC_PROTECTED_IMAGE","features":[326]},{"name":"SEC_RESERVE","features":[326]},{"name":"SEC_WRITECOMBINE","features":[326]},{"name":"SETPROCESSWORKINGSETSIZEEX_FLAGS","features":[326]},{"name":"SetProcessValidCallTargets","features":[308,326]},{"name":"SetProcessValidCallTargetsForMappedView","features":[308,326]},{"name":"SetProcessWorkingSetSizeEx","features":[308,326]},{"name":"SetSystemFileCacheSize","features":[308,326]},{"name":"UNMAP_VIEW_OF_FILE_FLAGS","features":[326]},{"name":"UnmapViewOfFile","features":[308,326]},{"name":"UnmapViewOfFile2","features":[308,326]},{"name":"UnmapViewOfFileEx","features":[308,326]},{"name":"UnregisterBadMemoryNotification","features":[308,326]},{"name":"VIRTUAL_ALLOCATION_TYPE","features":[326]},{"name":"VIRTUAL_FREE_TYPE","features":[326]},{"name":"VirtualAlloc","features":[326]},{"name":"VirtualAlloc2","features":[308,326]},{"name":"VirtualAlloc2FromApp","features":[308,326]},{"name":"VirtualAllocEx","features":[308,326]},{"name":"VirtualAllocExNuma","features":[308,326]},{"name":"VirtualAllocFromApp","features":[326]},{"name":"VirtualFree","features":[308,326]},{"name":"VirtualFreeEx","features":[308,326]},{"name":"VirtualLock","features":[308,326]},{"name":"VirtualProtect","features":[308,326]},{"name":"VirtualProtectEx","features":[308,326]},{"name":"VirtualProtectFromApp","features":[308,326]},{"name":"VirtualQuery","features":[326]},{"name":"VirtualQueryEx","features":[308,326]},{"name":"VirtualUnlock","features":[308,326]},{"name":"VirtualUnlockEx","features":[308,326]},{"name":"VmOfferPriorityBelowNormal","features":[326]},{"name":"VmOfferPriorityLow","features":[326]},{"name":"VmOfferPriorityNormal","features":[326]},{"name":"VmOfferPriorityVeryLow","features":[326]},{"name":"WIN32_MEMORY_INFORMATION_CLASS","features":[326]},{"name":"WIN32_MEMORY_PARTITION_INFORMATION","features":[326]},{"name":"WIN32_MEMORY_PARTITION_INFORMATION_CLASS","features":[326]},{"name":"WIN32_MEMORY_RANGE_ENTRY","features":[326]},{"name":"WIN32_MEMORY_REGION_INFORMATION","features":[326]}],"581":[{"name":"NV_MEMORY_RANGE","features":[569]},{"name":"RtlDrainNonVolatileFlush","features":[569]},{"name":"RtlFillNonVolatileMemory","features":[569]},{"name":"RtlFlushNonVolatileMemory","features":[569]},{"name":"RtlFlushNonVolatileMemoryRanges","features":[569]},{"name":"RtlFreeNonVolatileToken","features":[569]},{"name":"RtlGetNonVolatileToken","features":[569]},{"name":"RtlWriteNonVolatileMemory","features":[569]}],"582":[{"name":"DEFAULT_M_ACKNOWLEDGE","features":[570]},{"name":"DEFAULT_M_APPSPECIFIC","features":[570]},{"name":"DEFAULT_M_AUTH_LEVEL","features":[570]},{"name":"DEFAULT_M_DELIVERY","features":[570]},{"name":"DEFAULT_M_JOURNAL","features":[570]},{"name":"DEFAULT_M_LOOKUPID","features":[570]},{"name":"DEFAULT_M_PRIORITY","features":[570]},{"name":"DEFAULT_M_PRIV_LEVEL","features":[570]},{"name":"DEFAULT_M_SENDERID_TYPE","features":[570]},{"name":"DEFAULT_Q_AUTHENTICATE","features":[570]},{"name":"DEFAULT_Q_BASEPRIORITY","features":[570]},{"name":"DEFAULT_Q_JOURNAL","features":[570]},{"name":"DEFAULT_Q_JOURNAL_QUOTA","features":[570]},{"name":"DEFAULT_Q_PRIV_LEVEL","features":[570]},{"name":"DEFAULT_Q_QUOTA","features":[570]},{"name":"DEFAULT_Q_TRANSACTION","features":[570]},{"name":"FOREIGN_STATUS","features":[570]},{"name":"IMSMQApplication","features":[359,570]},{"name":"IMSMQApplication2","features":[359,570]},{"name":"IMSMQApplication3","features":[359,570]},{"name":"IMSMQCollection","features":[359,570]},{"name":"IMSMQCoordinatedTransactionDispenser","features":[359,570]},{"name":"IMSMQCoordinatedTransactionDispenser2","features":[359,570]},{"name":"IMSMQCoordinatedTransactionDispenser3","features":[359,570]},{"name":"IMSMQDestination","features":[359,570]},{"name":"IMSMQEvent","features":[359,570]},{"name":"IMSMQEvent2","features":[359,570]},{"name":"IMSMQEvent3","features":[359,570]},{"name":"IMSMQManagement","features":[359,570]},{"name":"IMSMQMessage","features":[359,570]},{"name":"IMSMQMessage2","features":[359,570]},{"name":"IMSMQMessage3","features":[359,570]},{"name":"IMSMQMessage4","features":[359,570]},{"name":"IMSMQOutgoingQueueManagement","features":[359,570]},{"name":"IMSMQPrivateDestination","features":[359,570]},{"name":"IMSMQPrivateEvent","features":[359,570]},{"name":"IMSMQQuery","features":[359,570]},{"name":"IMSMQQuery2","features":[359,570]},{"name":"IMSMQQuery3","features":[359,570]},{"name":"IMSMQQuery4","features":[359,570]},{"name":"IMSMQQueue","features":[359,570]},{"name":"IMSMQQueue2","features":[359,570]},{"name":"IMSMQQueue3","features":[359,570]},{"name":"IMSMQQueue4","features":[359,570]},{"name":"IMSMQQueueInfo","features":[359,570]},{"name":"IMSMQQueueInfo2","features":[359,570]},{"name":"IMSMQQueueInfo3","features":[359,570]},{"name":"IMSMQQueueInfo4","features":[359,570]},{"name":"IMSMQQueueInfos","features":[359,570]},{"name":"IMSMQQueueInfos2","features":[359,570]},{"name":"IMSMQQueueInfos3","features":[359,570]},{"name":"IMSMQQueueInfos4","features":[359,570]},{"name":"IMSMQQueueManagement","features":[359,570]},{"name":"IMSMQTransaction","features":[359,570]},{"name":"IMSMQTransaction2","features":[359,570]},{"name":"IMSMQTransaction3","features":[359,570]},{"name":"IMSMQTransactionDispenser","features":[359,570]},{"name":"IMSMQTransactionDispenser2","features":[359,570]},{"name":"IMSMQTransactionDispenser3","features":[359,570]},{"name":"LONG_LIVED","features":[570]},{"name":"MACHINE_ACTION_CONNECT","features":[570]},{"name":"MACHINE_ACTION_DISCONNECT","features":[570]},{"name":"MACHINE_ACTION_TIDY","features":[570]},{"name":"MGMT_QUEUE_CORRECT_TYPE","features":[570]},{"name":"MGMT_QUEUE_FOREIGN_TYPE","features":[570]},{"name":"MGMT_QUEUE_INCORRECT_TYPE","features":[570]},{"name":"MGMT_QUEUE_LOCAL_LOCATION","features":[570]},{"name":"MGMT_QUEUE_NOT_FOREIGN_TYPE","features":[570]},{"name":"MGMT_QUEUE_NOT_TRANSACTIONAL_TYPE","features":[570]},{"name":"MGMT_QUEUE_REMOTE_LOCATION","features":[570]},{"name":"MGMT_QUEUE_STATE_CONNECTED","features":[570]},{"name":"MGMT_QUEUE_STATE_DISCONNECTED","features":[570]},{"name":"MGMT_QUEUE_STATE_DISCONNECTING","features":[570]},{"name":"MGMT_QUEUE_STATE_LOCAL","features":[570]},{"name":"MGMT_QUEUE_STATE_LOCKED","features":[570]},{"name":"MGMT_QUEUE_STATE_NEED_VALIDATE","features":[570]},{"name":"MGMT_QUEUE_STATE_NONACTIVE","features":[570]},{"name":"MGMT_QUEUE_STATE_ONHOLD","features":[570]},{"name":"MGMT_QUEUE_STATE_WAITING","features":[570]},{"name":"MGMT_QUEUE_TRANSACTIONAL_TYPE","features":[570]},{"name":"MGMT_QUEUE_TYPE_CONNECTOR","features":[570]},{"name":"MGMT_QUEUE_TYPE_MACHINE","features":[570]},{"name":"MGMT_QUEUE_TYPE_MULTICAST","features":[570]},{"name":"MGMT_QUEUE_TYPE_PRIVATE","features":[570]},{"name":"MGMT_QUEUE_TYPE_PUBLIC","features":[570]},{"name":"MGMT_QUEUE_UNKNOWN_TYPE","features":[570]},{"name":"MO_MACHINE_TOKEN","features":[570]},{"name":"MO_QUEUE_TOKEN","features":[570]},{"name":"MQACCESS","features":[570]},{"name":"MQADsPathToFormatName","features":[570]},{"name":"MQAUTHENTICATE","features":[570]},{"name":"MQBeginTransaction","features":[551,570]},{"name":"MQCALG","features":[570]},{"name":"MQCERT_REGISTER","features":[570]},{"name":"MQCERT_REGISTER_ALWAYS","features":[570]},{"name":"MQCERT_REGISTER_IF_NOT_EXIST","features":[570]},{"name":"MQCOLUMNSET","features":[570]},{"name":"MQCONN_BIND_SOCKET_FAILURE","features":[570]},{"name":"MQCONN_CONNECT_SOCKET_FAILURE","features":[570]},{"name":"MQCONN_CREATE_SOCKET_FAILURE","features":[570]},{"name":"MQCONN_ESTABLISH_PACKET_RECEIVED","features":[570]},{"name":"MQCONN_INVALID_SERVER_CERT","features":[570]},{"name":"MQCONN_LIMIT_REACHED","features":[570]},{"name":"MQCONN_NAME_RESOLUTION_FAILURE","features":[570]},{"name":"MQCONN_NOFAILURE","features":[570]},{"name":"MQCONN_NOT_READY","features":[570]},{"name":"MQCONN_OUT_OF_MEMORY","features":[570]},{"name":"MQCONN_PING_FAILURE","features":[570]},{"name":"MQCONN_READY","features":[570]},{"name":"MQCONN_REFUSED_BY_OTHER_SIDE","features":[570]},{"name":"MQCONN_ROUTING_FAILURE","features":[570]},{"name":"MQCONN_SEND_FAILURE","features":[570]},{"name":"MQCONN_TCP_NOT_ENABLED","features":[570]},{"name":"MQCONN_UNKNOWN_FAILURE","features":[570]},{"name":"MQCloseCursor","features":[308,570]},{"name":"MQCloseQueue","features":[570]},{"name":"MQConnectionState","features":[570]},{"name":"MQCreateCursor","features":[308,570]},{"name":"MQCreateQueue","features":[311,570]},{"name":"MQDEFAULT","features":[570]},{"name":"MQDeleteQueue","features":[570]},{"name":"MQERROR","features":[570]},{"name":"MQFreeMemory","features":[570]},{"name":"MQFreeSecurityContext","features":[308,570]},{"name":"MQGetMachineProperties","features":[570]},{"name":"MQGetOverlappedResult","features":[308,313,570]},{"name":"MQGetPrivateComputerInformation","features":[570]},{"name":"MQGetQueueProperties","features":[570]},{"name":"MQGetQueueSecurity","features":[311,570]},{"name":"MQGetSecurityContext","features":[308,570]},{"name":"MQGetSecurityContextEx","features":[308,570]},{"name":"MQHandleToFormatName","features":[570]},{"name":"MQInstanceToFormatName","features":[570]},{"name":"MQJOURNAL","features":[570]},{"name":"MQLocateBegin","features":[308,570]},{"name":"MQLocateEnd","features":[308,570]},{"name":"MQLocateNext","features":[308,570]},{"name":"MQMAX","features":[570]},{"name":"MQMGMTPROPS","features":[570]},{"name":"MQMSGACKNOWLEDGEMENT","features":[570]},{"name":"MQMSGAUTHENTICATION","features":[570]},{"name":"MQMSGAUTHLEVEL","features":[570]},{"name":"MQMSGCLASS","features":[570]},{"name":"MQMSGCURSOR","features":[570]},{"name":"MQMSGDELIVERY","features":[570]},{"name":"MQMSGIDSIZE","features":[570]},{"name":"MQMSGJOURNAL","features":[570]},{"name":"MQMSGMAX","features":[570]},{"name":"MQMSGPRIVLEVEL","features":[570]},{"name":"MQMSGPROPS","features":[570]},{"name":"MQMSGSENDERIDTYPE","features":[570]},{"name":"MQMSGTRACE","features":[570]},{"name":"MQMSG_ACKNOWLEDGMENT_FULL_REACH_QUEUE","features":[570]},{"name":"MQMSG_ACKNOWLEDGMENT_FULL_RECEIVE","features":[570]},{"name":"MQMSG_ACKNOWLEDGMENT_NACK_REACH_QUEUE","features":[570]},{"name":"MQMSG_ACKNOWLEDGMENT_NACK_RECEIVE","features":[570]},{"name":"MQMSG_ACKNOWLEDGMENT_NEG_ARRIVAL","features":[570]},{"name":"MQMSG_ACKNOWLEDGMENT_NEG_RECEIVE","features":[570]},{"name":"MQMSG_ACKNOWLEDGMENT_NONE","features":[570]},{"name":"MQMSG_ACKNOWLEDGMENT_POS_ARRIVAL","features":[570]},{"name":"MQMSG_ACKNOWLEDGMENT_POS_RECEIVE","features":[570]},{"name":"MQMSG_AUTHENTICATED_QM_MESSAGE","features":[570]},{"name":"MQMSG_AUTHENTICATED_SIG10","features":[570]},{"name":"MQMSG_AUTHENTICATED_SIG20","features":[570]},{"name":"MQMSG_AUTHENTICATED_SIG30","features":[570]},{"name":"MQMSG_AUTHENTICATED_SIGXML","features":[570]},{"name":"MQMSG_AUTHENTICATION_NOT_REQUESTED","features":[570]},{"name":"MQMSG_AUTHENTICATION_REQUESTED","features":[570]},{"name":"MQMSG_AUTHENTICATION_REQUESTED_EX","features":[570]},{"name":"MQMSG_AUTH_LEVEL_ALWAYS","features":[570]},{"name":"MQMSG_AUTH_LEVEL_MSMQ10","features":[570]},{"name":"MQMSG_AUTH_LEVEL_MSMQ20","features":[570]},{"name":"MQMSG_AUTH_LEVEL_NONE","features":[570]},{"name":"MQMSG_AUTH_LEVEL_SIG10","features":[570]},{"name":"MQMSG_AUTH_LEVEL_SIG20","features":[570]},{"name":"MQMSG_AUTH_LEVEL_SIG30","features":[570]},{"name":"MQMSG_CALG_DES","features":[570]},{"name":"MQMSG_CALG_DSS_SIGN","features":[570]},{"name":"MQMSG_CALG_MAC","features":[570]},{"name":"MQMSG_CALG_MD2","features":[570]},{"name":"MQMSG_CALG_MD4","features":[570]},{"name":"MQMSG_CALG_MD5","features":[570]},{"name":"MQMSG_CALG_RC2","features":[570]},{"name":"MQMSG_CALG_RC4","features":[570]},{"name":"MQMSG_CALG_RSA_KEYX","features":[570]},{"name":"MQMSG_CALG_RSA_SIGN","features":[570]},{"name":"MQMSG_CALG_SEAL","features":[570]},{"name":"MQMSG_CALG_SHA","features":[570]},{"name":"MQMSG_CALG_SHA1","features":[570]},{"name":"MQMSG_CLASS_ACK_REACH_QUEUE","features":[570]},{"name":"MQMSG_CLASS_ACK_RECEIVE","features":[570]},{"name":"MQMSG_CLASS_NACK_ACCESS_DENIED","features":[570]},{"name":"MQMSG_CLASS_NACK_BAD_DST_Q","features":[570]},{"name":"MQMSG_CLASS_NACK_BAD_ENCRYPTION","features":[570]},{"name":"MQMSG_CLASS_NACK_BAD_SIGNATURE","features":[570]},{"name":"MQMSG_CLASS_NACK_COULD_NOT_ENCRYPT","features":[570]},{"name":"MQMSG_CLASS_NACK_HOP_COUNT_EXCEEDED","features":[570]},{"name":"MQMSG_CLASS_NACK_NOT_TRANSACTIONAL_MSG","features":[570]},{"name":"MQMSG_CLASS_NACK_NOT_TRANSACTIONAL_Q","features":[570]},{"name":"MQMSG_CLASS_NACK_PURGED","features":[570]},{"name":"MQMSG_CLASS_NACK_Q_DELETED","features":[570]},{"name":"MQMSG_CLASS_NACK_Q_EXCEED_QUOTA","features":[570]},{"name":"MQMSG_CLASS_NACK_Q_PURGED","features":[570]},{"name":"MQMSG_CLASS_NACK_REACH_QUEUE_TIMEOUT","features":[570]},{"name":"MQMSG_CLASS_NACK_RECEIVE_TIMEOUT","features":[570]},{"name":"MQMSG_CLASS_NACK_RECEIVE_TIMEOUT_AT_SENDER","features":[570]},{"name":"MQMSG_CLASS_NACK_SOURCE_COMPUTER_GUID_CHANGED","features":[570]},{"name":"MQMSG_CLASS_NACK_UNSUPPORTED_CRYPTO_PROVIDER","features":[570]},{"name":"MQMSG_CLASS_NORMAL","features":[570]},{"name":"MQMSG_CLASS_REPORT","features":[570]},{"name":"MQMSG_CORRELATIONID_SIZE","features":[570]},{"name":"MQMSG_CURRENT","features":[570]},{"name":"MQMSG_DEADLETTER","features":[570]},{"name":"MQMSG_DELIVERY_EXPRESS","features":[570]},{"name":"MQMSG_DELIVERY_RECOVERABLE","features":[570]},{"name":"MQMSG_FIRST","features":[570]},{"name":"MQMSG_FIRST_IN_XACT","features":[570]},{"name":"MQMSG_JOURNAL","features":[570]},{"name":"MQMSG_JOURNAL_NONE","features":[570]},{"name":"MQMSG_LAST_IN_XACT","features":[570]},{"name":"MQMSG_MSGID_SIZE","features":[570]},{"name":"MQMSG_NEXT","features":[570]},{"name":"MQMSG_NOT_FIRST_IN_XACT","features":[570]},{"name":"MQMSG_NOT_LAST_IN_XACT","features":[570]},{"name":"MQMSG_PRIV_LEVEL_BODY_AES","features":[570]},{"name":"MQMSG_PRIV_LEVEL_BODY_BASE","features":[570]},{"name":"MQMSG_PRIV_LEVEL_BODY_ENHANCED","features":[570]},{"name":"MQMSG_PRIV_LEVEL_NONE","features":[570]},{"name":"MQMSG_SENDERID_TYPE_NONE","features":[570]},{"name":"MQMSG_SENDERID_TYPE_SID","features":[570]},{"name":"MQMSG_SEND_ROUTE_TO_REPORT_QUEUE","features":[570]},{"name":"MQMSG_TRACE_NONE","features":[570]},{"name":"MQMSG_XACTID_SIZE","features":[570]},{"name":"MQMarkMessageRejected","features":[308,570]},{"name":"MQMgmtAction","features":[570]},{"name":"MQMgmtGetInfo","features":[570]},{"name":"MQMoveMessage","features":[551,570]},{"name":"MQOpenQueue","features":[570]},{"name":"MQPRIORITY","features":[570]},{"name":"MQPRIVATEPROPS","features":[570]},{"name":"MQPRIVLEVEL","features":[570]},{"name":"MQPROPERTYRESTRICTION","features":[570]},{"name":"MQPathNameToFormatName","features":[570]},{"name":"MQPurgeQueue","features":[570]},{"name":"MQQMPROPS","features":[570]},{"name":"MQQUEUEACCESSMASK","features":[570]},{"name":"MQQUEUEPROPS","features":[570]},{"name":"MQRESTRICTION","features":[570]},{"name":"MQReceiveMessage","features":[308,551,313,570]},{"name":"MQReceiveMessageByLookupId","features":[308,551,313,570]},{"name":"MQRegisterCertificate","features":[570]},{"name":"MQSEC_CHANGE_QUEUE_PERMISSIONS","features":[570]},{"name":"MQSEC_DELETE_JOURNAL_MESSAGE","features":[570]},{"name":"MQSEC_DELETE_MESSAGE","features":[570]},{"name":"MQSEC_DELETE_QUEUE","features":[570]},{"name":"MQSEC_GET_QUEUE_PERMISSIONS","features":[570]},{"name":"MQSEC_GET_QUEUE_PROPERTIES","features":[570]},{"name":"MQSEC_PEEK_MESSAGE","features":[570]},{"name":"MQSEC_QUEUE_GENERIC_ALL","features":[570]},{"name":"MQSEC_QUEUE_GENERIC_EXECUTE","features":[570]},{"name":"MQSEC_QUEUE_GENERIC_READ","features":[570]},{"name":"MQSEC_QUEUE_GENERIC_WRITE","features":[570]},{"name":"MQSEC_RECEIVE_JOURNAL_MESSAGE","features":[570]},{"name":"MQSEC_RECEIVE_MESSAGE","features":[570]},{"name":"MQSEC_SET_QUEUE_PROPERTIES","features":[570]},{"name":"MQSEC_TAKE_QUEUE_OWNERSHIP","features":[570]},{"name":"MQSEC_WRITE_MESSAGE","features":[570]},{"name":"MQSHARE","features":[570]},{"name":"MQSORTKEY","features":[570]},{"name":"MQSORTSET","features":[570]},{"name":"MQSendMessage","features":[551,570]},{"name":"MQSetQueueProperties","features":[570]},{"name":"MQSetQueueSecurity","features":[311,570]},{"name":"MQTRANSACTION","features":[570]},{"name":"MQTRANSACTIONAL","features":[570]},{"name":"MQWARNING","features":[570]},{"name":"MQ_ACTION_PEEK_CURRENT","features":[570]},{"name":"MQ_ACTION_PEEK_NEXT","features":[570]},{"name":"MQ_ACTION_RECEIVE","features":[570]},{"name":"MQ_ADMIN_ACCESS","features":[570]},{"name":"MQ_AUTHENTICATE","features":[570]},{"name":"MQ_AUTHENTICATE_NONE","features":[570]},{"name":"MQ_CORRUPTED_QUEUE_WAS_DELETED","features":[570]},{"name":"MQ_DENY_NONE","features":[570]},{"name":"MQ_DENY_RECEIVE_SHARE","features":[570]},{"name":"MQ_ERROR","features":[570]},{"name":"MQ_ERROR_ACCESS_DENIED","features":[570]},{"name":"MQ_ERROR_BAD_SECURITY_CONTEXT","features":[570]},{"name":"MQ_ERROR_BAD_XML_FORMAT","features":[570]},{"name":"MQ_ERROR_BUFFER_OVERFLOW","features":[570]},{"name":"MQ_ERROR_CANNOT_CREATE_CERT_STORE","features":[570]},{"name":"MQ_ERROR_CANNOT_CREATE_HASH_EX","features":[570]},{"name":"MQ_ERROR_CANNOT_CREATE_ON_GC","features":[570]},{"name":"MQ_ERROR_CANNOT_CREATE_PSC_OBJECTS","features":[570]},{"name":"MQ_ERROR_CANNOT_DELETE_PSC_OBJECTS","features":[570]},{"name":"MQ_ERROR_CANNOT_GET_DN","features":[570]},{"name":"MQ_ERROR_CANNOT_GRANT_ADD_GUID","features":[570]},{"name":"MQ_ERROR_CANNOT_HASH_DATA_EX","features":[570]},{"name":"MQ_ERROR_CANNOT_IMPERSONATE_CLIENT","features":[570]},{"name":"MQ_ERROR_CANNOT_JOIN_DOMAIN","features":[570]},{"name":"MQ_ERROR_CANNOT_LOAD_MQAD","features":[570]},{"name":"MQ_ERROR_CANNOT_LOAD_MQDSSRV","features":[570]},{"name":"MQ_ERROR_CANNOT_LOAD_MSMQOCM","features":[570]},{"name":"MQ_ERROR_CANNOT_OPEN_CERT_STORE","features":[570]},{"name":"MQ_ERROR_CANNOT_SET_CRYPTO_SEC_DESCR","features":[570]},{"name":"MQ_ERROR_CANNOT_SIGN_DATA_EX","features":[570]},{"name":"MQ_ERROR_CANNOT_UPDATE_PSC_OBJECTS","features":[570]},{"name":"MQ_ERROR_CANT_CREATE_CERT_STORE","features":[570]},{"name":"MQ_ERROR_CANT_OPEN_CERT_STORE","features":[570]},{"name":"MQ_ERROR_CANT_RESOLVE_SITES","features":[570]},{"name":"MQ_ERROR_CERTIFICATE_NOT_PROVIDED","features":[570]},{"name":"MQ_ERROR_COMPUTER_DOES_NOT_SUPPORT_ENCRYPTION","features":[570]},{"name":"MQ_ERROR_CORRUPTED_INTERNAL_CERTIFICATE","features":[570]},{"name":"MQ_ERROR_CORRUPTED_PERSONAL_CERT_STORE","features":[570]},{"name":"MQ_ERROR_CORRUPTED_SECURITY_DATA","features":[570]},{"name":"MQ_ERROR_COULD_NOT_GET_ACCOUNT_INFO","features":[570]},{"name":"MQ_ERROR_COULD_NOT_GET_USER_SID","features":[570]},{"name":"MQ_ERROR_DELETE_CN_IN_USE","features":[570]},{"name":"MQ_ERROR_DEPEND_WKS_LICENSE_OVERFLOW","features":[570]},{"name":"MQ_ERROR_DS_BIND_ROOT_FOREST","features":[570]},{"name":"MQ_ERROR_DS_ERROR","features":[570]},{"name":"MQ_ERROR_DS_IS_FULL","features":[570]},{"name":"MQ_ERROR_DS_LOCAL_USER","features":[570]},{"name":"MQ_ERROR_DTC_CONNECT","features":[570]},{"name":"MQ_ERROR_ENCRYPTION_PROVIDER_NOT_SUPPORTED","features":[570]},{"name":"MQ_ERROR_FAIL_VERIFY_SIGNATURE_EX","features":[570]},{"name":"MQ_ERROR_FORMATNAME_BUFFER_TOO_SMALL","features":[570]},{"name":"MQ_ERROR_GC_NEEDED","features":[570]},{"name":"MQ_ERROR_GUID_NOT_MATCHING","features":[570]},{"name":"MQ_ERROR_ILLEGAL_CONTEXT","features":[570]},{"name":"MQ_ERROR_ILLEGAL_CURSOR_ACTION","features":[570]},{"name":"MQ_ERROR_ILLEGAL_ENTERPRISE_OPERATION","features":[570]},{"name":"MQ_ERROR_ILLEGAL_FORMATNAME","features":[570]},{"name":"MQ_ERROR_ILLEGAL_MQCOLUMNS","features":[570]},{"name":"MQ_ERROR_ILLEGAL_MQPRIVATEPROPS","features":[570]},{"name":"MQ_ERROR_ILLEGAL_MQQMPROPS","features":[570]},{"name":"MQ_ERROR_ILLEGAL_MQQUEUEPROPS","features":[570]},{"name":"MQ_ERROR_ILLEGAL_OPERATION","features":[570]},{"name":"MQ_ERROR_ILLEGAL_PROPERTY_SIZE","features":[570]},{"name":"MQ_ERROR_ILLEGAL_PROPERTY_VALUE","features":[570]},{"name":"MQ_ERROR_ILLEGAL_PROPERTY_VT","features":[570]},{"name":"MQ_ERROR_ILLEGAL_PROPID","features":[570]},{"name":"MQ_ERROR_ILLEGAL_QUEUE_PATHNAME","features":[570]},{"name":"MQ_ERROR_ILLEGAL_RELATION","features":[570]},{"name":"MQ_ERROR_ILLEGAL_RESTRICTION_PROPID","features":[570]},{"name":"MQ_ERROR_ILLEGAL_SECURITY_DESCRIPTOR","features":[570]},{"name":"MQ_ERROR_ILLEGAL_SORT","features":[570]},{"name":"MQ_ERROR_ILLEGAL_SORT_PROPID","features":[570]},{"name":"MQ_ERROR_ILLEGAL_USER","features":[570]},{"name":"MQ_ERROR_INSUFFICIENT_PROPERTIES","features":[570]},{"name":"MQ_ERROR_INSUFFICIENT_RESOURCES","features":[570]},{"name":"MQ_ERROR_INTERNAL_USER_CERT_EXIST","features":[570]},{"name":"MQ_ERROR_INVALID_CERTIFICATE","features":[570]},{"name":"MQ_ERROR_INVALID_HANDLE","features":[570]},{"name":"MQ_ERROR_INVALID_OWNER","features":[570]},{"name":"MQ_ERROR_INVALID_PARAMETER","features":[570]},{"name":"MQ_ERROR_IO_TIMEOUT","features":[570]},{"name":"MQ_ERROR_LABEL_BUFFER_TOO_SMALL","features":[570]},{"name":"MQ_ERROR_LABEL_TOO_LONG","features":[570]},{"name":"MQ_ERROR_MACHINE_EXISTS","features":[570]},{"name":"MQ_ERROR_MACHINE_NOT_FOUND","features":[570]},{"name":"MQ_ERROR_MESSAGE_ALREADY_RECEIVED","features":[570]},{"name":"MQ_ERROR_MESSAGE_LOCKED_UNDER_TRANSACTION","features":[570]},{"name":"MQ_ERROR_MESSAGE_NOT_AUTHENTICATED","features":[570]},{"name":"MQ_ERROR_MESSAGE_NOT_FOUND","features":[570]},{"name":"MQ_ERROR_MESSAGE_STORAGE_FAILED","features":[570]},{"name":"MQ_ERROR_MISSING_CONNECTOR_TYPE","features":[570]},{"name":"MQ_ERROR_MQIS_READONLY_MODE","features":[570]},{"name":"MQ_ERROR_MQIS_SERVER_EMPTY","features":[570]},{"name":"MQ_ERROR_MULTI_SORT_KEYS","features":[570]},{"name":"MQ_ERROR_NOT_A_CORRECT_OBJECT_CLASS","features":[570]},{"name":"MQ_ERROR_NOT_SUPPORTED_BY_DEPENDENT_CLIENTS","features":[570]},{"name":"MQ_ERROR_NO_DS","features":[570]},{"name":"MQ_ERROR_NO_ENTRY_POINT_MSMQOCM","features":[570]},{"name":"MQ_ERROR_NO_GC_IN_DOMAIN","features":[570]},{"name":"MQ_ERROR_NO_INTERNAL_USER_CERT","features":[570]},{"name":"MQ_ERROR_NO_MQUSER_OU","features":[570]},{"name":"MQ_ERROR_NO_MSMQ_SERVERS_ON_DC","features":[570]},{"name":"MQ_ERROR_NO_MSMQ_SERVERS_ON_GC","features":[570]},{"name":"MQ_ERROR_NO_RESPONSE_FROM_OBJECT_SERVER","features":[570]},{"name":"MQ_ERROR_OBJECT_SERVER_NOT_AVAILABLE","features":[570]},{"name":"MQ_ERROR_OPERATION_CANCELLED","features":[570]},{"name":"MQ_ERROR_OPERATION_NOT_SUPPORTED_BY_REMOTE_COMPUTER","features":[570]},{"name":"MQ_ERROR_PRIVILEGE_NOT_HELD","features":[570]},{"name":"MQ_ERROR_PROPERTIES_CONFLICT","features":[570]},{"name":"MQ_ERROR_PROPERTY","features":[570]},{"name":"MQ_ERROR_PROPERTY_NOTALLOWED","features":[570]},{"name":"MQ_ERROR_PROV_NAME_BUFFER_TOO_SMALL","features":[570]},{"name":"MQ_ERROR_PUBLIC_KEY_DOES_NOT_EXIST","features":[570]},{"name":"MQ_ERROR_PUBLIC_KEY_NOT_FOUND","features":[570]},{"name":"MQ_ERROR_QUEUE_DELETED","features":[570]},{"name":"MQ_ERROR_QUEUE_EXISTS","features":[570]},{"name":"MQ_ERROR_QUEUE_NOT_ACTIVE","features":[570]},{"name":"MQ_ERROR_QUEUE_NOT_AVAILABLE","features":[570]},{"name":"MQ_ERROR_QUEUE_NOT_FOUND","features":[570]},{"name":"MQ_ERROR_Q_ADS_PROPERTY_NOT_SUPPORTED","features":[570]},{"name":"MQ_ERROR_Q_DNS_PROPERTY_NOT_SUPPORTED","features":[570]},{"name":"MQ_ERROR_REMOTE_MACHINE_NOT_AVAILABLE","features":[570]},{"name":"MQ_ERROR_RESOLVE_ADDRESS","features":[570]},{"name":"MQ_ERROR_RESULT_BUFFER_TOO_SMALL","features":[570]},{"name":"MQ_ERROR_SECURITY_DESCRIPTOR_TOO_SMALL","features":[570]},{"name":"MQ_ERROR_SENDERID_BUFFER_TOO_SMALL","features":[570]},{"name":"MQ_ERROR_SENDER_CERT_BUFFER_TOO_SMALL","features":[570]},{"name":"MQ_ERROR_SERVICE_NOT_AVAILABLE","features":[570]},{"name":"MQ_ERROR_SHARING_VIOLATION","features":[570]},{"name":"MQ_ERROR_SIGNATURE_BUFFER_TOO_SMALL","features":[570]},{"name":"MQ_ERROR_STALE_HANDLE","features":[570]},{"name":"MQ_ERROR_SYMM_KEY_BUFFER_TOO_SMALL","features":[570]},{"name":"MQ_ERROR_TOO_MANY_PROPERTIES","features":[570]},{"name":"MQ_ERROR_TRANSACTION_ENLIST","features":[570]},{"name":"MQ_ERROR_TRANSACTION_IMPORT","features":[570]},{"name":"MQ_ERROR_TRANSACTION_SEQUENCE","features":[570]},{"name":"MQ_ERROR_TRANSACTION_USAGE","features":[570]},{"name":"MQ_ERROR_UNINITIALIZED_OBJECT","features":[570]},{"name":"MQ_ERROR_UNSUPPORTED_ACCESS_MODE","features":[570]},{"name":"MQ_ERROR_UNSUPPORTED_CLASS","features":[570]},{"name":"MQ_ERROR_UNSUPPORTED_FORMATNAME_OPERATION","features":[570]},{"name":"MQ_ERROR_UNSUPPORTED_OPERATION","features":[570]},{"name":"MQ_ERROR_USER_BUFFER_TOO_SMALL","features":[570]},{"name":"MQ_ERROR_WKS_CANT_SERVE_CLIENT","features":[570]},{"name":"MQ_ERROR_WRITE_NOT_ALLOWED","features":[570]},{"name":"MQ_INFORMATION_DUPLICATE_PROPERTY","features":[570]},{"name":"MQ_INFORMATION_FORMATNAME_BUFFER_TOO_SMALL","features":[570]},{"name":"MQ_INFORMATION_ILLEGAL_PROPERTY","features":[570]},{"name":"MQ_INFORMATION_INTERNAL_USER_CERT_EXIST","features":[570]},{"name":"MQ_INFORMATION_OPERATION_PENDING","features":[570]},{"name":"MQ_INFORMATION_OWNER_IGNORED","features":[570]},{"name":"MQ_INFORMATION_PROPERTY","features":[570]},{"name":"MQ_INFORMATION_PROPERTY_IGNORED","features":[570]},{"name":"MQ_INFORMATION_UNSUPPORTED_PROPERTY","features":[570]},{"name":"MQ_JOURNAL","features":[570]},{"name":"MQ_JOURNAL_NONE","features":[570]},{"name":"MQ_LOOKUP_PEEK_CURRENT","features":[570]},{"name":"MQ_LOOKUP_PEEK_FIRST","features":[570]},{"name":"MQ_LOOKUP_PEEK_LAST","features":[570]},{"name":"MQ_LOOKUP_PEEK_NEXT","features":[570]},{"name":"MQ_LOOKUP_PEEK_PREV","features":[570]},{"name":"MQ_LOOKUP_RECEIVE_ALLOW_PEEK","features":[570]},{"name":"MQ_LOOKUP_RECEIVE_CURRENT","features":[570]},{"name":"MQ_LOOKUP_RECEIVE_FIRST","features":[570]},{"name":"MQ_LOOKUP_RECEIVE_LAST","features":[570]},{"name":"MQ_LOOKUP_RECEIVE_NEXT","features":[570]},{"name":"MQ_LOOKUP_RECEIVE_PREV","features":[570]},{"name":"MQ_MAX_MSG_LABEL_LEN","features":[570]},{"name":"MQ_MAX_PRIORITY","features":[570]},{"name":"MQ_MAX_Q_LABEL_LEN","features":[570]},{"name":"MQ_MAX_Q_NAME_LEN","features":[570]},{"name":"MQ_MIN_PRIORITY","features":[570]},{"name":"MQ_MOVE_ACCESS","features":[570]},{"name":"MQ_MTS_TRANSACTION","features":[570]},{"name":"MQ_NO_TRANSACTION","features":[570]},{"name":"MQ_OK","features":[570]},{"name":"MQ_PEEK_ACCESS","features":[570]},{"name":"MQ_PRIV_LEVEL_BODY","features":[570]},{"name":"MQ_PRIV_LEVEL_NONE","features":[570]},{"name":"MQ_PRIV_LEVEL_OPTIONAL","features":[570]},{"name":"MQ_QTYPE_REPORT","features":[570]},{"name":"MQ_QTYPE_TEST","features":[570]},{"name":"MQ_QUEUE_STATE_CONNECTED","features":[570]},{"name":"MQ_QUEUE_STATE_DISCONNECTED","features":[570]},{"name":"MQ_QUEUE_STATE_DISCONNECTING","features":[570]},{"name":"MQ_QUEUE_STATE_LOCAL_CONNECTION","features":[570]},{"name":"MQ_QUEUE_STATE_LOCKED","features":[570]},{"name":"MQ_QUEUE_STATE_NEEDVALIDATE","features":[570]},{"name":"MQ_QUEUE_STATE_NONACTIVE","features":[570]},{"name":"MQ_QUEUE_STATE_ONHOLD","features":[570]},{"name":"MQ_QUEUE_STATE_WAITING","features":[570]},{"name":"MQ_RECEIVE_ACCESS","features":[570]},{"name":"MQ_SEND_ACCESS","features":[570]},{"name":"MQ_SINGLE_MESSAGE","features":[570]},{"name":"MQ_STATUS_FOREIGN","features":[570]},{"name":"MQ_STATUS_NOT_FOREIGN","features":[570]},{"name":"MQ_STATUS_UNKNOWN","features":[570]},{"name":"MQ_TRANSACTIONAL","features":[570]},{"name":"MQ_TRANSACTIONAL_NONE","features":[570]},{"name":"MQ_TYPE_CONNECTOR","features":[570]},{"name":"MQ_TYPE_MACHINE","features":[570]},{"name":"MQ_TYPE_MULTICAST","features":[570]},{"name":"MQ_TYPE_PRIVATE","features":[570]},{"name":"MQ_TYPE_PUBLIC","features":[570]},{"name":"MQ_XACT_STATUS_NOT_XACT","features":[570]},{"name":"MQ_XACT_STATUS_UNKNOWN","features":[570]},{"name":"MQ_XACT_STATUS_XACT","features":[570]},{"name":"MQ_XA_TRANSACTION","features":[570]},{"name":"MSMQApplication","features":[570]},{"name":"MSMQCollection","features":[570]},{"name":"MSMQCoordinatedTransactionDispenser","features":[570]},{"name":"MSMQDestination","features":[570]},{"name":"MSMQEvent","features":[570]},{"name":"MSMQManagement","features":[570]},{"name":"MSMQMessage","features":[570]},{"name":"MSMQOutgoingQueueManagement","features":[570]},{"name":"MSMQQuery","features":[570]},{"name":"MSMQQueue","features":[570]},{"name":"MSMQQueueInfo","features":[570]},{"name":"MSMQQueueInfos","features":[570]},{"name":"MSMQQueueManagement","features":[570]},{"name":"MSMQTransaction","features":[570]},{"name":"MSMQTransactionDispenser","features":[570]},{"name":"MSMQ_CONNECTED","features":[570]},{"name":"MSMQ_DISCONNECTED","features":[570]},{"name":"PMQRECEIVECALLBACK","features":[308,313,570]},{"name":"PREQ","features":[570]},{"name":"PRGE","features":[570]},{"name":"PRGT","features":[570]},{"name":"PRLE","features":[570]},{"name":"PRLT","features":[570]},{"name":"PRNE","features":[570]},{"name":"PROPID_MGMT_MSMQ_ACTIVEQUEUES","features":[570]},{"name":"PROPID_MGMT_MSMQ_BASE","features":[570]},{"name":"PROPID_MGMT_MSMQ_BYTES_IN_ALL_QUEUES","features":[570]},{"name":"PROPID_MGMT_MSMQ_CONNECTED","features":[570]},{"name":"PROPID_MGMT_MSMQ_DSSERVER","features":[570]},{"name":"PROPID_MGMT_MSMQ_PRIVATEQ","features":[570]},{"name":"PROPID_MGMT_MSMQ_TYPE","features":[570]},{"name":"PROPID_MGMT_QUEUE_BASE","features":[570]},{"name":"PROPID_MGMT_QUEUE_BYTES_IN_JOURNAL","features":[570]},{"name":"PROPID_MGMT_QUEUE_BYTES_IN_QUEUE","features":[570]},{"name":"PROPID_MGMT_QUEUE_CONNECTION_HISTORY","features":[570]},{"name":"PROPID_MGMT_QUEUE_EOD_FIRST_NON_ACK","features":[570]},{"name":"PROPID_MGMT_QUEUE_EOD_LAST_ACK","features":[570]},{"name":"PROPID_MGMT_QUEUE_EOD_LAST_ACK_COUNT","features":[570]},{"name":"PROPID_MGMT_QUEUE_EOD_LAST_ACK_TIME","features":[570]},{"name":"PROPID_MGMT_QUEUE_EOD_LAST_NON_ACK","features":[570]},{"name":"PROPID_MGMT_QUEUE_EOD_NEXT_SEQ","features":[570]},{"name":"PROPID_MGMT_QUEUE_EOD_NO_ACK_COUNT","features":[570]},{"name":"PROPID_MGMT_QUEUE_EOD_NO_READ_COUNT","features":[570]},{"name":"PROPID_MGMT_QUEUE_EOD_RESEND_COUNT","features":[570]},{"name":"PROPID_MGMT_QUEUE_EOD_RESEND_INTERVAL","features":[570]},{"name":"PROPID_MGMT_QUEUE_EOD_RESEND_TIME","features":[570]},{"name":"PROPID_MGMT_QUEUE_EOD_SOURCE_INFO","features":[570]},{"name":"PROPID_MGMT_QUEUE_FOREIGN","features":[570]},{"name":"PROPID_MGMT_QUEUE_FORMATNAME","features":[570]},{"name":"PROPID_MGMT_QUEUE_JOURNAL_MESSAGE_COUNT","features":[570]},{"name":"PROPID_MGMT_QUEUE_JOURNAL_USED_QUOTA","features":[570]},{"name":"PROPID_MGMT_QUEUE_LOCATION","features":[570]},{"name":"PROPID_MGMT_QUEUE_MESSAGE_COUNT","features":[570]},{"name":"PROPID_MGMT_QUEUE_NEXTHOPS","features":[570]},{"name":"PROPID_MGMT_QUEUE_PATHNAME","features":[570]},{"name":"PROPID_MGMT_QUEUE_STATE","features":[570]},{"name":"PROPID_MGMT_QUEUE_SUBQUEUE_COUNT","features":[570]},{"name":"PROPID_MGMT_QUEUE_SUBQUEUE_NAMES","features":[570]},{"name":"PROPID_MGMT_QUEUE_TYPE","features":[570]},{"name":"PROPID_MGMT_QUEUE_USED_QUOTA","features":[570]},{"name":"PROPID_MGMT_QUEUE_XACT","features":[570]},{"name":"PROPID_M_ABORT_COUNT","features":[570]},{"name":"PROPID_M_ACKNOWLEDGE","features":[570]},{"name":"PROPID_M_ADMIN_QUEUE","features":[570]},{"name":"PROPID_M_ADMIN_QUEUE_LEN","features":[570]},{"name":"PROPID_M_APPSPECIFIC","features":[570]},{"name":"PROPID_M_ARRIVEDTIME","features":[570]},{"name":"PROPID_M_AUTHENTICATED","features":[570]},{"name":"PROPID_M_AUTHENTICATED_EX","features":[570]},{"name":"PROPID_M_AUTH_LEVEL","features":[570]},{"name":"PROPID_M_BASE","features":[570]},{"name":"PROPID_M_BODY","features":[570]},{"name":"PROPID_M_BODY_SIZE","features":[570]},{"name":"PROPID_M_BODY_TYPE","features":[570]},{"name":"PROPID_M_CLASS","features":[570]},{"name":"PROPID_M_COMPOUND_MESSAGE","features":[570]},{"name":"PROPID_M_COMPOUND_MESSAGE_SIZE","features":[570]},{"name":"PROPID_M_CONNECTOR_TYPE","features":[570]},{"name":"PROPID_M_CORRELATIONID","features":[570]},{"name":"PROPID_M_CORRELATIONID_SIZE","features":[570]},{"name":"PROPID_M_DEADLETTER_QUEUE","features":[570]},{"name":"PROPID_M_DEADLETTER_QUEUE_LEN","features":[570]},{"name":"PROPID_M_DELIVERY","features":[570]},{"name":"PROPID_M_DEST_FORMAT_NAME","features":[570]},{"name":"PROPID_M_DEST_FORMAT_NAME_LEN","features":[570]},{"name":"PROPID_M_DEST_QUEUE","features":[570]},{"name":"PROPID_M_DEST_QUEUE_LEN","features":[570]},{"name":"PROPID_M_DEST_SYMM_KEY","features":[570]},{"name":"PROPID_M_DEST_SYMM_KEY_LEN","features":[570]},{"name":"PROPID_M_ENCRYPTION_ALG","features":[570]},{"name":"PROPID_M_EXTENSION","features":[570]},{"name":"PROPID_M_EXTENSION_LEN","features":[570]},{"name":"PROPID_M_FIRST_IN_XACT","features":[570]},{"name":"PROPID_M_HASH_ALG","features":[570]},{"name":"PROPID_M_JOURNAL","features":[570]},{"name":"PROPID_M_LABEL","features":[570]},{"name":"PROPID_M_LABEL_LEN","features":[570]},{"name":"PROPID_M_LAST_IN_XACT","features":[570]},{"name":"PROPID_M_LAST_MOVE_TIME","features":[570]},{"name":"PROPID_M_LOOKUPID","features":[570]},{"name":"PROPID_M_MOVE_COUNT","features":[570]},{"name":"PROPID_M_MSGID","features":[570]},{"name":"PROPID_M_MSGID_SIZE","features":[570]},{"name":"PROPID_M_PRIORITY","features":[570]},{"name":"PROPID_M_PRIV_LEVEL","features":[570]},{"name":"PROPID_M_PROV_NAME","features":[570]},{"name":"PROPID_M_PROV_NAME_LEN","features":[570]},{"name":"PROPID_M_PROV_TYPE","features":[570]},{"name":"PROPID_M_RESP_FORMAT_NAME","features":[570]},{"name":"PROPID_M_RESP_FORMAT_NAME_LEN","features":[570]},{"name":"PROPID_M_RESP_QUEUE","features":[570]},{"name":"PROPID_M_RESP_QUEUE_LEN","features":[570]},{"name":"PROPID_M_SECURITY_CONTEXT","features":[570]},{"name":"PROPID_M_SENDERID","features":[570]},{"name":"PROPID_M_SENDERID_LEN","features":[570]},{"name":"PROPID_M_SENDERID_TYPE","features":[570]},{"name":"PROPID_M_SENDER_CERT","features":[570]},{"name":"PROPID_M_SENDER_CERT_LEN","features":[570]},{"name":"PROPID_M_SENTTIME","features":[570]},{"name":"PROPID_M_SIGNATURE","features":[570]},{"name":"PROPID_M_SIGNATURE_LEN","features":[570]},{"name":"PROPID_M_SOAP_BODY","features":[570]},{"name":"PROPID_M_SOAP_ENVELOPE","features":[570]},{"name":"PROPID_M_SOAP_ENVELOPE_LEN","features":[570]},{"name":"PROPID_M_SOAP_HEADER","features":[570]},{"name":"PROPID_M_SRC_MACHINE_ID","features":[570]},{"name":"PROPID_M_TIME_TO_BE_RECEIVED","features":[570]},{"name":"PROPID_M_TIME_TO_REACH_QUEUE","features":[570]},{"name":"PROPID_M_TRACE","features":[570]},{"name":"PROPID_M_VERSION","features":[570]},{"name":"PROPID_M_XACTID","features":[570]},{"name":"PROPID_M_XACTID_SIZE","features":[570]},{"name":"PROPID_M_XACT_STATUS_QUEUE","features":[570]},{"name":"PROPID_M_XACT_STATUS_QUEUE_LEN","features":[570]},{"name":"PROPID_PC_BASE","features":[570]},{"name":"PROPID_PC_DS_ENABLED","features":[570]},{"name":"PROPID_PC_VERSION","features":[570]},{"name":"PROPID_QM_BASE","features":[570]},{"name":"PROPID_QM_CONNECTION","features":[570]},{"name":"PROPID_QM_ENCRYPTION_PK","features":[570]},{"name":"PROPID_QM_ENCRYPTION_PK_AES","features":[570]},{"name":"PROPID_QM_ENCRYPTION_PK_BASE","features":[570]},{"name":"PROPID_QM_ENCRYPTION_PK_ENHANCED","features":[570]},{"name":"PROPID_QM_MACHINE_ID","features":[570]},{"name":"PROPID_QM_PATHNAME","features":[570]},{"name":"PROPID_QM_PATHNAME_DNS","features":[570]},{"name":"PROPID_QM_SITE_ID","features":[570]},{"name":"PROPID_Q_ADS_PATH","features":[570]},{"name":"PROPID_Q_AUTHENTICATE","features":[570]},{"name":"PROPID_Q_BASE","features":[570]},{"name":"PROPID_Q_BASEPRIORITY","features":[570]},{"name":"PROPID_Q_CREATE_TIME","features":[570]},{"name":"PROPID_Q_INSTANCE","features":[570]},{"name":"PROPID_Q_JOURNAL","features":[570]},{"name":"PROPID_Q_JOURNAL_QUOTA","features":[570]},{"name":"PROPID_Q_LABEL","features":[570]},{"name":"PROPID_Q_MODIFY_TIME","features":[570]},{"name":"PROPID_Q_MULTICAST_ADDRESS","features":[570]},{"name":"PROPID_Q_PATHNAME","features":[570]},{"name":"PROPID_Q_PATHNAME_DNS","features":[570]},{"name":"PROPID_Q_PRIV_LEVEL","features":[570]},{"name":"PROPID_Q_QUOTA","features":[570]},{"name":"PROPID_Q_TRANSACTION","features":[570]},{"name":"PROPID_Q_TYPE","features":[570]},{"name":"QUERY_SORTASCEND","features":[570]},{"name":"QUERY_SORTDESCEND","features":[570]},{"name":"QUEUE_ACTION_EOD_RESEND","features":[570]},{"name":"QUEUE_ACTION_PAUSE","features":[570]},{"name":"QUEUE_ACTION_RESUME","features":[570]},{"name":"QUEUE_STATE","features":[570]},{"name":"QUEUE_TYPE","features":[570]},{"name":"RELOPS","features":[570]},{"name":"REL_EQ","features":[570]},{"name":"REL_GE","features":[570]},{"name":"REL_GT","features":[570]},{"name":"REL_LE","features":[570]},{"name":"REL_LT","features":[570]},{"name":"REL_NEQ","features":[570]},{"name":"REL_NOP","features":[570]},{"name":"SEQUENCE_INFO","features":[570]},{"name":"XACT_STATUS","features":[570]},{"name":"_DMSMQEventEvents","features":[359,570]}],"583":[{"name":"PERCEPTIONFIELD_StateStream_TimeStamps","features":[571]},{"name":"PERCEPTION_PAYLOAD_FIELD","features":[571]},{"name":"PERCEPTION_STATE_STREAM_TIMESTAMPS","features":[571]}],"584":[{"name":"AUTO_WIDTH","features":[572]},{"name":"AppEvents","features":[359,572]},{"name":"AppEventsDHTMLConnector","features":[572]},{"name":"Application","features":[572]},{"name":"BUTTONPRESSED","features":[572]},{"name":"CCM_COMMANDID_MASK_CONSTANTS","features":[572]},{"name":"CCM_COMMANDID_MASK_RESERVED","features":[572]},{"name":"CCM_INSERTIONALLOWED","features":[572]},{"name":"CCM_INSERTIONALLOWED_NEW","features":[572]},{"name":"CCM_INSERTIONALLOWED_TASK","features":[572]},{"name":"CCM_INSERTIONALLOWED_TOP","features":[572]},{"name":"CCM_INSERTIONALLOWED_VIEW","features":[572]},{"name":"CCM_INSERTIONPOINTID","features":[572]},{"name":"CCM_INSERTIONPOINTID_3RDPARTY_NEW","features":[572]},{"name":"CCM_INSERTIONPOINTID_3RDPARTY_TASK","features":[572]},{"name":"CCM_INSERTIONPOINTID_MASK_ADD_3RDPARTY","features":[572]},{"name":"CCM_INSERTIONPOINTID_MASK_ADD_PRIMARY","features":[572]},{"name":"CCM_INSERTIONPOINTID_MASK_CREATE_PRIMARY","features":[572]},{"name":"CCM_INSERTIONPOINTID_MASK_FLAGINDEX","features":[572]},{"name":"CCM_INSERTIONPOINTID_MASK_RESERVED","features":[572]},{"name":"CCM_INSERTIONPOINTID_MASK_SHARED","features":[572]},{"name":"CCM_INSERTIONPOINTID_MASK_SPECIAL","features":[572]},{"name":"CCM_INSERTIONPOINTID_PRIMARY_HELP","features":[572]},{"name":"CCM_INSERTIONPOINTID_PRIMARY_NEW","features":[572]},{"name":"CCM_INSERTIONPOINTID_PRIMARY_TASK","features":[572]},{"name":"CCM_INSERTIONPOINTID_PRIMARY_TOP","features":[572]},{"name":"CCM_INSERTIONPOINTID_PRIMARY_VIEW","features":[572]},{"name":"CCM_INSERTIONPOINTID_ROOT_MENU","features":[572]},{"name":"CCM_SPECIAL","features":[572]},{"name":"CCM_SPECIAL_DEFAULT_ITEM","features":[572]},{"name":"CCM_SPECIAL_INSERTION_POINT","features":[572]},{"name":"CCM_SPECIAL_SEPARATOR","features":[572]},{"name":"CCM_SPECIAL_SUBMENU","features":[572]},{"name":"CCM_SPECIAL_TESTONLY","features":[572]},{"name":"CCT_RESULT","features":[572]},{"name":"CCT_SCOPE","features":[572]},{"name":"CCT_SNAPIN_MANAGER","features":[572]},{"name":"CCT_UNINITIALIZED","features":[572]},{"name":"CHECKED","features":[572]},{"name":"COMBOBOXBAR","features":[572]},{"name":"CONTEXTMENUITEM","features":[572]},{"name":"CONTEXTMENUITEM2","features":[572]},{"name":"Column","features":[359,572]},{"name":"Columns","features":[359,572]},{"name":"ConsolePower","features":[572]},{"name":"ContextMenu","features":[359,572]},{"name":"DATA_OBJECT_TYPES","features":[572]},{"name":"Document","features":[359,572]},{"name":"DocumentMode_Author","features":[572]},{"name":"DocumentMode_User","features":[572]},{"name":"DocumentMode_User_MDI","features":[572]},{"name":"DocumentMode_User_SDI","features":[572]},{"name":"ENABLED","features":[572]},{"name":"ExportListOptions_Default","features":[572]},{"name":"ExportListOptions_SelectedItemsOnly","features":[572]},{"name":"ExportListOptions_TabDelimited","features":[572]},{"name":"ExportListOptions_Unicode","features":[572]},{"name":"Extension","features":[359,572]},{"name":"Extensions","features":[359,572]},{"name":"Frame","features":[359,572]},{"name":"HDI_HIDDEN","features":[572]},{"name":"HIDDEN","features":[572]},{"name":"HIDE_COLUMN","features":[572]},{"name":"IColumnData","features":[572]},{"name":"IComponent","features":[572]},{"name":"IComponent2","features":[572]},{"name":"IComponentData","features":[572]},{"name":"IComponentData2","features":[572]},{"name":"IConsole","features":[572]},{"name":"IConsole2","features":[572]},{"name":"IConsole3","features":[572]},{"name":"IConsoleNameSpace","features":[572]},{"name":"IConsoleNameSpace2","features":[572]},{"name":"IConsolePower","features":[572]},{"name":"IConsolePowerSink","features":[572]},{"name":"IConsoleVerb","features":[572]},{"name":"IContextMenuCallback","features":[572]},{"name":"IContextMenuCallback2","features":[572]},{"name":"IContextMenuProvider","features":[572]},{"name":"IControlbar","features":[572]},{"name":"IDisplayHelp","features":[572]},{"name":"IEnumTASK","features":[572]},{"name":"IExtendContextMenu","features":[572]},{"name":"IExtendControlbar","features":[572]},{"name":"IExtendPropertySheet","features":[572]},{"name":"IExtendPropertySheet2","features":[572]},{"name":"IExtendTaskPad","features":[572]},{"name":"IExtendView","features":[572]},{"name":"IHeaderCtrl","features":[572]},{"name":"IHeaderCtrl2","features":[572]},{"name":"IImageList","features":[572]},{"name":"ILSIF_LEAVE_LARGE_ICON","features":[572]},{"name":"ILSIF_LEAVE_SMALL_ICON","features":[572]},{"name":"IMMCVersionInfo","features":[572]},{"name":"IMenuButton","features":[572]},{"name":"IMessageView","features":[572]},{"name":"INDETERMINATE","features":[572]},{"name":"INodeProperties","features":[572]},{"name":"IPropertySheetCallback","features":[572]},{"name":"IPropertySheetProvider","features":[572]},{"name":"IRequiredExtensions","features":[572]},{"name":"IResultData","features":[572]},{"name":"IResultData2","features":[572]},{"name":"IResultDataCompare","features":[572]},{"name":"IResultDataCompareEx","features":[572]},{"name":"IResultOwnerData","features":[572]},{"name":"ISnapinAbout","features":[572]},{"name":"ISnapinHelp","features":[572]},{"name":"ISnapinHelp2","features":[572]},{"name":"ISnapinProperties","features":[572]},{"name":"ISnapinPropertiesCallback","features":[572]},{"name":"IStringTable","features":[572]},{"name":"IToolbar","features":[572]},{"name":"IViewExtensionCallback","features":[572]},{"name":"IconIdentifier","features":[572]},{"name":"Icon_Error","features":[572]},{"name":"Icon_First","features":[572]},{"name":"Icon_Information","features":[572]},{"name":"Icon_Last","features":[572]},{"name":"Icon_None","features":[572]},{"name":"Icon_Question","features":[572]},{"name":"Icon_Warning","features":[572]},{"name":"ListMode_Detail","features":[572]},{"name":"ListMode_Filtered","features":[572]},{"name":"ListMode_Large_Icons","features":[572]},{"name":"ListMode_List","features":[572]},{"name":"ListMode_Small_Icons","features":[572]},{"name":"MENUBUTTON","features":[572]},{"name":"MENUBUTTONDATA","features":[572]},{"name":"MFCC_DISABLE","features":[572]},{"name":"MFCC_ENABLE","features":[572]},{"name":"MFCC_VALUE_CHANGE","features":[572]},{"name":"MMCBUTTON","features":[572]},{"name":"MMCC_STANDARD_VIEW_SELECT","features":[572]},{"name":"MMCLV_AUTO","features":[572]},{"name":"MMCLV_NOICON","features":[572]},{"name":"MMCLV_NOPARAM","features":[572]},{"name":"MMCLV_NOPTR","features":[572]},{"name":"MMCLV_UPDATE_NOINVALIDATEALL","features":[572]},{"name":"MMCLV_UPDATE_NOSCROLL","features":[572]},{"name":"MMCLV_VIEWSTYLE_FILTERED","features":[572]},{"name":"MMCLV_VIEWSTYLE_ICON","features":[572]},{"name":"MMCLV_VIEWSTYLE_LIST","features":[572]},{"name":"MMCLV_VIEWSTYLE_REPORT","features":[572]},{"name":"MMCLV_VIEWSTYLE_SMALLICON","features":[572]},{"name":"MMCN_ACTIVATE","features":[572]},{"name":"MMCN_ADD_IMAGES","features":[572]},{"name":"MMCN_BTN_CLICK","features":[572]},{"name":"MMCN_CANPASTE_OUTOFPROC","features":[572]},{"name":"MMCN_CLICK","features":[572]},{"name":"MMCN_COLUMNS_CHANGED","features":[572]},{"name":"MMCN_COLUMN_CLICK","features":[572]},{"name":"MMCN_CONTEXTHELP","features":[572]},{"name":"MMCN_CONTEXTMENU","features":[572]},{"name":"MMCN_CUTORMOVE","features":[572]},{"name":"MMCN_DBLCLICK","features":[572]},{"name":"MMCN_DELETE","features":[572]},{"name":"MMCN_DESELECT_ALL","features":[572]},{"name":"MMCN_EXPAND","features":[572]},{"name":"MMCN_EXPANDSYNC","features":[572]},{"name":"MMCN_FILTERBTN_CLICK","features":[572]},{"name":"MMCN_FILTER_CHANGE","features":[572]},{"name":"MMCN_HELP","features":[572]},{"name":"MMCN_INITOCX","features":[572]},{"name":"MMCN_LISTPAD","features":[572]},{"name":"MMCN_MENU_BTNCLICK","features":[572]},{"name":"MMCN_MINIMIZED","features":[572]},{"name":"MMCN_PASTE","features":[572]},{"name":"MMCN_PRELOAD","features":[572]},{"name":"MMCN_PRINT","features":[572]},{"name":"MMCN_PROPERTY_CHANGE","features":[572]},{"name":"MMCN_QUERY_PASTE","features":[572]},{"name":"MMCN_REFRESH","features":[572]},{"name":"MMCN_REMOVE_CHILDREN","features":[572]},{"name":"MMCN_RENAME","features":[572]},{"name":"MMCN_RESTORE_VIEW","features":[572]},{"name":"MMCN_SELECT","features":[572]},{"name":"MMCN_SHOW","features":[572]},{"name":"MMCN_SNAPINHELP","features":[572]},{"name":"MMCN_VIEW_CHANGE","features":[572]},{"name":"MMCVersionInfo","features":[572]},{"name":"MMC_ACTION_ID","features":[572]},{"name":"MMC_ACTION_LINK","features":[572]},{"name":"MMC_ACTION_SCRIPT","features":[572]},{"name":"MMC_ACTION_TYPE","features":[572]},{"name":"MMC_ACTION_UNINITIALIZED","features":[572]},{"name":"MMC_BUTTON_STATE","features":[572]},{"name":"MMC_COLUMN_DATA","features":[572]},{"name":"MMC_COLUMN_SET_DATA","features":[572]},{"name":"MMC_CONSOLE_VERB","features":[572]},{"name":"MMC_CONTROL_TYPE","features":[572]},{"name":"MMC_DEFAULT_OPERATION_COPY","features":[572]},{"name":"MMC_ENSUREFOCUSVISIBLE","features":[572]},{"name":"MMC_EXPANDSYNC_STRUCT","features":[308,572]},{"name":"MMC_EXT_VIEW_DATA","features":[308,572]},{"name":"MMC_FILTERDATA","features":[572]},{"name":"MMC_FILTER_CHANGE_CODE","features":[572]},{"name":"MMC_FILTER_NOVALUE","features":[572]},{"name":"MMC_FILTER_TYPE","features":[572]},{"name":"MMC_IMAGECALLBACK","features":[572]},{"name":"MMC_INT_FILTER","features":[572]},{"name":"MMC_ITEM_OVERLAY_STATE_MASK","features":[572]},{"name":"MMC_ITEM_OVERLAY_STATE_SHIFT","features":[572]},{"name":"MMC_ITEM_STATE_MASK","features":[572]},{"name":"MMC_LISTPAD_INFO","features":[572]},{"name":"MMC_MENU_COMMAND_IDS","features":[572]},{"name":"MMC_MULTI_SELECT_COOKIE","features":[572]},{"name":"MMC_NODEID_SLOW_RETRIEVAL","features":[572]},{"name":"MMC_NOSORTHEADER","features":[572]},{"name":"MMC_NOTIFY_TYPE","features":[572]},{"name":"MMC_NW_OPTION_CUSTOMTITLE","features":[572]},{"name":"MMC_NW_OPTION_NOACTIONPANE","features":[572]},{"name":"MMC_NW_OPTION_NONE","features":[572]},{"name":"MMC_NW_OPTION_NOPERSIST","features":[572]},{"name":"MMC_NW_OPTION_NOSCOPEPANE","features":[572]},{"name":"MMC_NW_OPTION_NOTOOLBARS","features":[572]},{"name":"MMC_NW_OPTION_SHORTTITLE","features":[572]},{"name":"MMC_PROPACT_CHANGING","features":[572]},{"name":"MMC_PROPACT_DELETING","features":[572]},{"name":"MMC_PROPACT_INITIALIZED","features":[572]},{"name":"MMC_PROPERTY_ACTION","features":[572]},{"name":"MMC_PROP_CHANGEAFFECTSUI","features":[572]},{"name":"MMC_PROP_MODIFIABLE","features":[572]},{"name":"MMC_PROP_PERSIST","features":[572]},{"name":"MMC_PROP_REMOVABLE","features":[572]},{"name":"MMC_PSO_HASHELP","features":[572]},{"name":"MMC_PSO_NEWWIZARDTYPE","features":[572]},{"name":"MMC_PSO_NOAPPLYNOW","features":[572]},{"name":"MMC_PSO_NO_PROPTITLE","features":[572]},{"name":"MMC_RESTORE_VIEW","features":[572]},{"name":"MMC_RESULT_VIEW_STYLE","features":[572]},{"name":"MMC_SCOPE_ITEM_STATE","features":[572]},{"name":"MMC_SCOPE_ITEM_STATE_BOLD","features":[572]},{"name":"MMC_SCOPE_ITEM_STATE_EXPANDEDONCE","features":[572]},{"name":"MMC_SCOPE_ITEM_STATE_NORMAL","features":[572]},{"name":"MMC_SHOWSELALWAYS","features":[572]},{"name":"MMC_SINGLESEL","features":[572]},{"name":"MMC_SNAPIN_PROPERTY","features":[572]},{"name":"MMC_SORT_DATA","features":[572]},{"name":"MMC_SORT_SET_DATA","features":[572]},{"name":"MMC_STRING_FILTER","features":[572]},{"name":"MMC_TASK","features":[572]},{"name":"MMC_TASK_DISPLAY_BITMAP","features":[572]},{"name":"MMC_TASK_DISPLAY_OBJECT","features":[572]},{"name":"MMC_TASK_DISPLAY_SYMBOL","features":[572]},{"name":"MMC_TASK_DISPLAY_TYPE","features":[572]},{"name":"MMC_TASK_DISPLAY_TYPE_BITMAP","features":[572]},{"name":"MMC_TASK_DISPLAY_TYPE_CHOCOLATE_GIF","features":[572]},{"name":"MMC_TASK_DISPLAY_TYPE_SYMBOL","features":[572]},{"name":"MMC_TASK_DISPLAY_TYPE_VANILLA_GIF","features":[572]},{"name":"MMC_TASK_DISPLAY_UNINITIALIZED","features":[572]},{"name":"MMC_VER","features":[572]},{"name":"MMC_VERB_COPY","features":[572]},{"name":"MMC_VERB_CUT","features":[572]},{"name":"MMC_VERB_DELETE","features":[572]},{"name":"MMC_VERB_FIRST","features":[572]},{"name":"MMC_VERB_LAST","features":[572]},{"name":"MMC_VERB_MAX","features":[572]},{"name":"MMC_VERB_NONE","features":[572]},{"name":"MMC_VERB_OPEN","features":[572]},{"name":"MMC_VERB_PASTE","features":[572]},{"name":"MMC_VERB_PRINT","features":[572]},{"name":"MMC_VERB_PROPERTIES","features":[572]},{"name":"MMC_VERB_REFRESH","features":[572]},{"name":"MMC_VERB_RENAME","features":[572]},{"name":"MMC_VIEW_OPTIONS_CREATENEW","features":[572]},{"name":"MMC_VIEW_OPTIONS_EXCLUDE_SCOPE_ITEMS_FROM_LIST","features":[572]},{"name":"MMC_VIEW_OPTIONS_FILTERED","features":[572]},{"name":"MMC_VIEW_OPTIONS_LEXICAL_SORT","features":[572]},{"name":"MMC_VIEW_OPTIONS_MULTISELECT","features":[572]},{"name":"MMC_VIEW_OPTIONS_NOLISTVIEWS","features":[572]},{"name":"MMC_VIEW_OPTIONS_NONE","features":[572]},{"name":"MMC_VIEW_OPTIONS_OWNERDATALIST","features":[572]},{"name":"MMC_VIEW_OPTIONS_USEFONTLINKING","features":[572]},{"name":"MMC_VIEW_TYPE","features":[572]},{"name":"MMC_VIEW_TYPE_HTML","features":[572]},{"name":"MMC_VIEW_TYPE_LIST","features":[572]},{"name":"MMC_VIEW_TYPE_OCX","features":[572]},{"name":"MMC_VISIBLE_COLUMNS","features":[572]},{"name":"MMC_WINDOW_COOKIE","features":[572]},{"name":"MenuItem","features":[359,572]},{"name":"Node","features":[359,572]},{"name":"Nodes","features":[359,572]},{"name":"Properties","features":[359,572]},{"name":"Property","features":[359,572]},{"name":"RDCI_ScopeItem","features":[572]},{"name":"RDCOMPARE","features":[308,572]},{"name":"RDITEMHDR","features":[308,572]},{"name":"RDI_IMAGE","features":[572]},{"name":"RDI_INDENT","features":[572]},{"name":"RDI_INDEX","features":[572]},{"name":"RDI_PARAM","features":[572]},{"name":"RDI_STATE","features":[572]},{"name":"RDI_STR","features":[572]},{"name":"RESULTDATAITEM","features":[308,572]},{"name":"RESULTFINDINFO","features":[572]},{"name":"RESULT_VIEW_TYPE_INFO","features":[572]},{"name":"RFI_PARTIAL","features":[572]},{"name":"RFI_WRAP","features":[572]},{"name":"RSI_DESCENDING","features":[572]},{"name":"RSI_NOSORTICON","features":[572]},{"name":"RVTI_HTML_OPTIONS_NOLISTVIEW","features":[572]},{"name":"RVTI_HTML_OPTIONS_NONE","features":[572]},{"name":"RVTI_LIST_OPTIONS_ALLOWPASTE","features":[572]},{"name":"RVTI_LIST_OPTIONS_EXCLUDE_SCOPE_ITEMS_FROM_LIST","features":[572]},{"name":"RVTI_LIST_OPTIONS_FILTERED","features":[572]},{"name":"RVTI_LIST_OPTIONS_LEXICAL_SORT","features":[572]},{"name":"RVTI_LIST_OPTIONS_MULTISELECT","features":[572]},{"name":"RVTI_LIST_OPTIONS_NONE","features":[572]},{"name":"RVTI_LIST_OPTIONS_OWNERDATALIST","features":[572]},{"name":"RVTI_LIST_OPTIONS_USEFONTLINKING","features":[572]},{"name":"RVTI_MISC_OPTIONS_NOLISTVIEWS","features":[572]},{"name":"RVTI_OCX_OPTIONS_CACHE_OCX","features":[572]},{"name":"RVTI_OCX_OPTIONS_NOLISTVIEW","features":[572]},{"name":"RVTI_OCX_OPTIONS_NONE","features":[572]},{"name":"SCOPEDATAITEM","features":[308,572]},{"name":"SColumnSetID","features":[572]},{"name":"SDI_CHILDREN","features":[572]},{"name":"SDI_FIRST","features":[572]},{"name":"SDI_IMAGE","features":[572]},{"name":"SDI_NEXT","features":[572]},{"name":"SDI_OPENIMAGE","features":[572]},{"name":"SDI_PARAM","features":[572]},{"name":"SDI_PARENT","features":[572]},{"name":"SDI_PREVIOUS","features":[572]},{"name":"SDI_STATE","features":[572]},{"name":"SDI_STR","features":[572]},{"name":"SMMCDataObjects","features":[359,572]},{"name":"SMMCObjectTypes","features":[572]},{"name":"SNodeID","features":[572]},{"name":"SNodeID2","features":[572]},{"name":"SPECIAL_COOKIE_MAX","features":[572]},{"name":"SPECIAL_COOKIE_MIN","features":[572]},{"name":"SPECIAL_DOBJ_MAX","features":[572]},{"name":"SPECIAL_DOBJ_MIN","features":[572]},{"name":"ScopeNamespace","features":[359,572]},{"name":"SnapIn","features":[359,572]},{"name":"SnapIns","features":[359,572]},{"name":"SortOrder_Ascending","features":[572]},{"name":"SortOrder_Descending","features":[572]},{"name":"TOOLBAR","features":[572]},{"name":"View","features":[359,572]},{"name":"ViewOption_ActionPaneHidden","features":[572]},{"name":"ViewOption_Default","features":[572]},{"name":"ViewOption_NoToolBars","features":[572]},{"name":"ViewOption_NotPersistable","features":[572]},{"name":"ViewOption_ScopeTreeHidden","features":[572]},{"name":"Views","features":[359,572]},{"name":"_AppEvents","features":[359,572]},{"name":"_Application","features":[359,572]},{"name":"_ColumnSortOrder","features":[572]},{"name":"_DocumentMode","features":[572]},{"name":"_EventConnector","features":[359,572]},{"name":"_ExportListOptions","features":[572]},{"name":"_ListViewMode","features":[572]},{"name":"_ViewOptions","features":[572]}],"585":[{"name":"ACTIVATEFLAGS","features":[418]},{"name":"ACTIVATE_WINDOWLESS","features":[418]},{"name":"ACTIVEOBJECT_FLAGS","features":[418]},{"name":"ACTIVEOBJECT_STRONG","features":[418]},{"name":"ACTIVEOBJECT_WEAK","features":[418]},{"name":"ARRAYDESC","features":[359,418,383]},{"name":"BINDSPEED","features":[418]},{"name":"BINDSPEED_IMMEDIATE","features":[418]},{"name":"BINDSPEED_INDEFINITE","features":[418]},{"name":"BINDSPEED_MODERATE","features":[418]},{"name":"BUSY_DIALOG_FLAGS","features":[418]},{"name":"BZ_DISABLECANCELBUTTON","features":[418]},{"name":"BZ_DISABLERETRYBUTTON","features":[418]},{"name":"BZ_DISABLESWITCHTOBUTTON","features":[418]},{"name":"BZ_NOTRESPONDINGDIALOG","features":[418]},{"name":"BstrFromVector","features":[359,418]},{"name":"CADWORD","features":[418]},{"name":"CALPOLESTR","features":[418]},{"name":"CAUUID","features":[418]},{"name":"CF_BITMAP","features":[418]},{"name":"CF_CONVERTONLY","features":[418]},{"name":"CF_DIB","features":[418]},{"name":"CF_DIBV5","features":[418]},{"name":"CF_DIF","features":[418]},{"name":"CF_DISABLEACTIVATEAS","features":[418]},{"name":"CF_DISABLEDISPLAYASICON","features":[418]},{"name":"CF_DSPBITMAP","features":[418]},{"name":"CF_DSPENHMETAFILE","features":[418]},{"name":"CF_DSPMETAFILEPICT","features":[418]},{"name":"CF_DSPTEXT","features":[418]},{"name":"CF_ENHMETAFILE","features":[418]},{"name":"CF_GDIOBJFIRST","features":[418]},{"name":"CF_GDIOBJLAST","features":[418]},{"name":"CF_HDROP","features":[418]},{"name":"CF_HIDECHANGEICON","features":[418]},{"name":"CF_LOCALE","features":[418]},{"name":"CF_MAX","features":[418]},{"name":"CF_METAFILEPICT","features":[418]},{"name":"CF_OEMTEXT","features":[418]},{"name":"CF_OWNERDISPLAY","features":[418]},{"name":"CF_PALETTE","features":[418]},{"name":"CF_PENDATA","features":[418]},{"name":"CF_PRIVATEFIRST","features":[418]},{"name":"CF_PRIVATELAST","features":[418]},{"name":"CF_RIFF","features":[418]},{"name":"CF_SELECTACTIVATEAS","features":[418]},{"name":"CF_SELECTCONVERTTO","features":[418]},{"name":"CF_SETACTIVATEDEFAULT","features":[418]},{"name":"CF_SETCONVERTDEFAULT","features":[418]},{"name":"CF_SHOWHELPBUTTON","features":[418]},{"name":"CF_SYLK","features":[418]},{"name":"CF_TEXT","features":[418]},{"name":"CF_TIFF","features":[418]},{"name":"CF_UNICODETEXT","features":[418]},{"name":"CF_WAVE","features":[418]},{"name":"CHANGEKIND","features":[418]},{"name":"CHANGEKIND_ADDMEMBER","features":[418]},{"name":"CHANGEKIND_CHANGEFAILED","features":[418]},{"name":"CHANGEKIND_DELETEMEMBER","features":[418]},{"name":"CHANGEKIND_GENERAL","features":[418]},{"name":"CHANGEKIND_INVALIDATE","features":[418]},{"name":"CHANGEKIND_MAX","features":[418]},{"name":"CHANGEKIND_SETDOCUMENTATION","features":[418]},{"name":"CHANGEKIND_SETNAMES","features":[418]},{"name":"CHANGE_ICON_FLAGS","features":[418]},{"name":"CHANGE_SOURCE_FLAGS","features":[418]},{"name":"CIF_SELECTCURRENT","features":[418]},{"name":"CIF_SELECTDEFAULT","features":[418]},{"name":"CIF_SELECTFROMFILE","features":[418]},{"name":"CIF_SHOWHELP","features":[418]},{"name":"CIF_USEICONEXE","features":[418]},{"name":"CLEANLOCALSTORAGE","features":[418]},{"name":"CLIPBOARD_FORMAT","features":[418]},{"name":"CLSID_CColorPropPage","features":[418]},{"name":"CLSID_CFontPropPage","features":[418]},{"name":"CLSID_CPicturePropPage","features":[418]},{"name":"CLSID_ConvertVBX","features":[418]},{"name":"CLSID_PersistPropset","features":[418]},{"name":"CLSID_StdFont","features":[418]},{"name":"CLSID_StdPicture","features":[418]},{"name":"CONNECT_E_ADVISELIMIT","features":[418]},{"name":"CONNECT_E_CANNOTCONNECT","features":[418]},{"name":"CONNECT_E_FIRST","features":[418]},{"name":"CONNECT_E_LAST","features":[418]},{"name":"CONNECT_E_NOCONNECTION","features":[418]},{"name":"CONNECT_E_OVERRIDDEN","features":[418]},{"name":"CONNECT_S_FIRST","features":[418]},{"name":"CONNECT_S_LAST","features":[418]},{"name":"CONTROLINFO","features":[418,370]},{"name":"CSF_EXPLORER","features":[418]},{"name":"CSF_ONLYGETSOURCE","features":[418]},{"name":"CSF_SHOWHELP","features":[418]},{"name":"CSF_VALIDSOURCE","features":[418]},{"name":"CTL_E_ILLEGALFUNCTIONCALL","features":[418]},{"name":"CTRLINFO","features":[418]},{"name":"CTRLINFO_EATS_ESCAPE","features":[418]},{"name":"CTRLINFO_EATS_RETURN","features":[418]},{"name":"ClearCustData","features":[359,418]},{"name":"CreateDispTypeInfo","features":[359,418,383]},{"name":"CreateErrorInfo","features":[418]},{"name":"CreateOleAdviseHolder","features":[418]},{"name":"CreateStdDispatch","features":[359,418]},{"name":"CreateTypeLib","features":[359,418]},{"name":"CreateTypeLib2","features":[359,418]},{"name":"DD_DEFDRAGDELAY","features":[418]},{"name":"DD_DEFDRAGMINDIST","features":[418]},{"name":"DD_DEFSCROLLDELAY","features":[418]},{"name":"DD_DEFSCROLLINSET","features":[418]},{"name":"DD_DEFSCROLLINTERVAL","features":[418]},{"name":"DISCARDCACHE","features":[418]},{"name":"DISCARDCACHE_NOSAVE","features":[418]},{"name":"DISCARDCACHE_SAVEIFDIRTY","features":[418]},{"name":"DISPATCH_CONSTRUCT","features":[418]},{"name":"DISPID_ABOUTBOX","features":[418]},{"name":"DISPID_ACCELERATOR","features":[418]},{"name":"DISPID_ADDITEM","features":[418]},{"name":"DISPID_AMBIENT_APPEARANCE","features":[418]},{"name":"DISPID_AMBIENT_AUTOCLIP","features":[418]},{"name":"DISPID_AMBIENT_BACKCOLOR","features":[418]},{"name":"DISPID_AMBIENT_CHARSET","features":[418]},{"name":"DISPID_AMBIENT_CODEPAGE","features":[418]},{"name":"DISPID_AMBIENT_DISPLAYASDEFAULT","features":[418]},{"name":"DISPID_AMBIENT_DISPLAYNAME","features":[418]},{"name":"DISPID_AMBIENT_FONT","features":[418]},{"name":"DISPID_AMBIENT_FORECOLOR","features":[418]},{"name":"DISPID_AMBIENT_LOCALEID","features":[418]},{"name":"DISPID_AMBIENT_MESSAGEREFLECT","features":[418]},{"name":"DISPID_AMBIENT_PALETTE","features":[418]},{"name":"DISPID_AMBIENT_RIGHTTOLEFT","features":[418]},{"name":"DISPID_AMBIENT_SCALEUNITS","features":[418]},{"name":"DISPID_AMBIENT_SHOWGRABHANDLES","features":[418]},{"name":"DISPID_AMBIENT_SHOWHATCHING","features":[418]},{"name":"DISPID_AMBIENT_SUPPORTSMNEMONICS","features":[418]},{"name":"DISPID_AMBIENT_TEXTALIGN","features":[418]},{"name":"DISPID_AMBIENT_TOPTOBOTTOM","features":[418]},{"name":"DISPID_AMBIENT_TRANSFERPRIORITY","features":[418]},{"name":"DISPID_AMBIENT_UIDEAD","features":[418]},{"name":"DISPID_AMBIENT_USERMODE","features":[418]},{"name":"DISPID_APPEARANCE","features":[418]},{"name":"DISPID_AUTOSIZE","features":[418]},{"name":"DISPID_BACKCOLOR","features":[418]},{"name":"DISPID_BACKSTYLE","features":[418]},{"name":"DISPID_BORDERCOLOR","features":[418]},{"name":"DISPID_BORDERSTYLE","features":[418]},{"name":"DISPID_BORDERVISIBLE","features":[418]},{"name":"DISPID_BORDERWIDTH","features":[418]},{"name":"DISPID_CAPTION","features":[418]},{"name":"DISPID_CLEAR","features":[418]},{"name":"DISPID_CLICK","features":[418]},{"name":"DISPID_CLICK_VALUE","features":[418]},{"name":"DISPID_COLLECT","features":[418]},{"name":"DISPID_COLUMN","features":[418]},{"name":"DISPID_CONSTRUCTOR","features":[418]},{"name":"DISPID_DBLCLICK","features":[418]},{"name":"DISPID_DESTRUCTOR","features":[418]},{"name":"DISPID_DISPLAYSTYLE","features":[418]},{"name":"DISPID_DOCLICK","features":[418]},{"name":"DISPID_DRAWMODE","features":[418]},{"name":"DISPID_DRAWSTYLE","features":[418]},{"name":"DISPID_DRAWWIDTH","features":[418]},{"name":"DISPID_Delete","features":[418]},{"name":"DISPID_ENABLED","features":[418]},{"name":"DISPID_ENTERKEYBEHAVIOR","features":[418]},{"name":"DISPID_ERROREVENT","features":[418]},{"name":"DISPID_EVALUATE","features":[418]},{"name":"DISPID_FILLCOLOR","features":[418]},{"name":"DISPID_FILLSTYLE","features":[418]},{"name":"DISPID_FONT","features":[418]},{"name":"DISPID_FONT_BOLD","features":[418]},{"name":"DISPID_FONT_CHANGED","features":[418]},{"name":"DISPID_FONT_CHARSET","features":[418]},{"name":"DISPID_FONT_ITALIC","features":[418]},{"name":"DISPID_FONT_NAME","features":[418]},{"name":"DISPID_FONT_SIZE","features":[418]},{"name":"DISPID_FONT_STRIKE","features":[418]},{"name":"DISPID_FONT_UNDER","features":[418]},{"name":"DISPID_FONT_WEIGHT","features":[418]},{"name":"DISPID_FORECOLOR","features":[418]},{"name":"DISPID_GROUPNAME","features":[418]},{"name":"DISPID_HWND","features":[418]},{"name":"DISPID_IMEMODE","features":[418]},{"name":"DISPID_KEYDOWN","features":[418]},{"name":"DISPID_KEYPRESS","features":[418]},{"name":"DISPID_KEYUP","features":[418]},{"name":"DISPID_LIST","features":[418]},{"name":"DISPID_LISTCOUNT","features":[418]},{"name":"DISPID_LISTINDEX","features":[418]},{"name":"DISPID_MAXLENGTH","features":[418]},{"name":"DISPID_MOUSEDOWN","features":[418]},{"name":"DISPID_MOUSEICON","features":[418]},{"name":"DISPID_MOUSEMOVE","features":[418]},{"name":"DISPID_MOUSEPOINTER","features":[418]},{"name":"DISPID_MOUSEUP","features":[418]},{"name":"DISPID_MULTILINE","features":[418]},{"name":"DISPID_MULTISELECT","features":[418]},{"name":"DISPID_NEWENUM","features":[418]},{"name":"DISPID_NUMBEROFCOLUMNS","features":[418]},{"name":"DISPID_NUMBEROFROWS","features":[418]},{"name":"DISPID_Name","features":[418]},{"name":"DISPID_Object","features":[418]},{"name":"DISPID_PASSWORDCHAR","features":[418]},{"name":"DISPID_PICTURE","features":[418]},{"name":"DISPID_PICT_HANDLE","features":[418]},{"name":"DISPID_PICT_HEIGHT","features":[418]},{"name":"DISPID_PICT_HPAL","features":[418]},{"name":"DISPID_PICT_RENDER","features":[418]},{"name":"DISPID_PICT_TYPE","features":[418]},{"name":"DISPID_PICT_WIDTH","features":[418]},{"name":"DISPID_PROPERTYPUT","features":[418]},{"name":"DISPID_Parent","features":[418]},{"name":"DISPID_READYSTATE","features":[418]},{"name":"DISPID_READYSTATECHANGE","features":[418]},{"name":"DISPID_REFRESH","features":[418]},{"name":"DISPID_REMOVEITEM","features":[418]},{"name":"DISPID_RIGHTTOLEFT","features":[418]},{"name":"DISPID_SCROLLBARS","features":[418]},{"name":"DISPID_SELECTED","features":[418]},{"name":"DISPID_SELLENGTH","features":[418]},{"name":"DISPID_SELSTART","features":[418]},{"name":"DISPID_SELTEXT","features":[418]},{"name":"DISPID_STARTENUM","features":[418]},{"name":"DISPID_TABKEYBEHAVIOR","features":[418]},{"name":"DISPID_TABSTOP","features":[418]},{"name":"DISPID_TEXT","features":[418]},{"name":"DISPID_THIS","features":[418]},{"name":"DISPID_TOPTOBOTTOM","features":[418]},{"name":"DISPID_UNKNOWN","features":[418]},{"name":"DISPID_VALID","features":[418]},{"name":"DISPID_VALUE","features":[418]},{"name":"DISPID_WORDWRAP","features":[418]},{"name":"DOCMISC","features":[418]},{"name":"DOCMISC_CANCREATEMULTIPLEVIEWS","features":[418]},{"name":"DOCMISC_CANTOPENEDIT","features":[418]},{"name":"DOCMISC_NOFILESUPPORT","features":[418]},{"name":"DOCMISC_SUPPORTCOMPLEXRECTANGLES","features":[418]},{"name":"DROPEFFECT","features":[418]},{"name":"DROPEFFECT_COPY","features":[418]},{"name":"DROPEFFECT_LINK","features":[418]},{"name":"DROPEFFECT_MOVE","features":[418]},{"name":"DROPEFFECT_NONE","features":[418]},{"name":"DROPEFFECT_SCROLL","features":[418]},{"name":"DVASPECTINFO","features":[418]},{"name":"DVASPECTINFOFLAG","features":[418]},{"name":"DVASPECTINFOFLAG_CANOPTIMIZE","features":[418]},{"name":"DVEXTENTINFO","features":[308,418]},{"name":"DVEXTENTMODE","features":[418]},{"name":"DVEXTENT_CONTENT","features":[418]},{"name":"DVEXTENT_INTEGRAL","features":[418]},{"name":"DispCallFunc","features":[359,418,383]},{"name":"DispGetIDsOfNames","features":[359,418]},{"name":"DispGetParam","features":[359,418,383]},{"name":"DispInvoke","features":[359,418]},{"name":"DoDragDrop","features":[359,418]},{"name":"EDIT_LINKS_FLAGS","features":[418]},{"name":"ELF_DISABLECANCELLINK","features":[418]},{"name":"ELF_DISABLECHANGESOURCE","features":[418]},{"name":"ELF_DISABLEOPENSOURCE","features":[418]},{"name":"ELF_DISABLEUPDATENOW","features":[418]},{"name":"ELF_SHOWHELP","features":[418]},{"name":"EMBDHLP_CREATENOW","features":[418]},{"name":"EMBDHLP_DELAYCREATE","features":[418]},{"name":"EMBDHLP_FLAGS","features":[418]},{"name":"EMBDHLP_INPROC_HANDLER","features":[418]},{"name":"EMBDHLP_INPROC_SERVER","features":[418]},{"name":"ENUM_CONTROLS_WHICH_FLAGS","features":[418]},{"name":"FDEX_PROP_FLAGS","features":[418]},{"name":"FONTDESC","features":[308,359,418]},{"name":"GCW_WCH_SIBLING","features":[418]},{"name":"GC_WCH_ALL","features":[418]},{"name":"GC_WCH_CONTAINED","features":[418]},{"name":"GC_WCH_CONTAINER","features":[418]},{"name":"GC_WCH_FONLYAFTER","features":[418]},{"name":"GC_WCH_FONLYBEFORE","features":[418]},{"name":"GC_WCH_FREVERSEDIR","features":[418]},{"name":"GC_WCH_FSELECTED","features":[418]},{"name":"GC_WCH_SIBLING","features":[418]},{"name":"GUIDKIND","features":[418]},{"name":"GUIDKIND_DEFAULT_SOURCE_DISP_IID","features":[418]},{"name":"GUID_CHECKVALUEEXCLUSIVE","features":[418]},{"name":"GUID_COLOR","features":[418]},{"name":"GUID_FONTBOLD","features":[418]},{"name":"GUID_FONTITALIC","features":[418]},{"name":"GUID_FONTNAME","features":[418]},{"name":"GUID_FONTSIZE","features":[418]},{"name":"GUID_FONTSTRIKETHROUGH","features":[418]},{"name":"GUID_FONTUNDERSCORE","features":[418]},{"name":"GUID_HANDLE","features":[418]},{"name":"GUID_HIMETRIC","features":[418]},{"name":"GUID_OPTIONVALUEEXCLUSIVE","features":[418]},{"name":"GUID_TRISTATE","features":[418]},{"name":"GUID_XPOS","features":[418]},{"name":"GUID_XPOSPIXEL","features":[418]},{"name":"GUID_XSIZE","features":[418]},{"name":"GUID_XSIZEPIXEL","features":[418]},{"name":"GUID_YPOS","features":[418]},{"name":"GUID_YPOSPIXEL","features":[418]},{"name":"GUID_YSIZE","features":[418]},{"name":"GUID_YSIZEPIXEL","features":[418]},{"name":"GetActiveObject","features":[418]},{"name":"GetAltMonthNames","features":[418]},{"name":"GetRecordInfoFromGuids","features":[418]},{"name":"GetRecordInfoFromTypeInfo","features":[359,418]},{"name":"HITRESULT","features":[418]},{"name":"HITRESULT_CLOSE","features":[418]},{"name":"HITRESULT_HIT","features":[418]},{"name":"HITRESULT_OUTSIDE","features":[418]},{"name":"HITRESULT_TRANSPARENT","features":[418]},{"name":"HRGN_UserFree","features":[319,418]},{"name":"HRGN_UserFree64","features":[319,418]},{"name":"HRGN_UserMarshal","features":[319,418]},{"name":"HRGN_UserMarshal64","features":[319,418]},{"name":"HRGN_UserSize","features":[319,418]},{"name":"HRGN_UserSize64","features":[319,418]},{"name":"HRGN_UserUnmarshal","features":[319,418]},{"name":"HRGN_UserUnmarshal64","features":[319,418]},{"name":"IAdviseSinkEx","features":[359,418]},{"name":"ICanHandleException","features":[418]},{"name":"IClassFactory2","features":[359,418]},{"name":"IContinue","features":[418]},{"name":"IContinueCallback","features":[418]},{"name":"ICreateErrorInfo","features":[418]},{"name":"ICreateTypeInfo","features":[418]},{"name":"ICreateTypeInfo2","features":[418]},{"name":"ICreateTypeLib","features":[418]},{"name":"ICreateTypeLib2","features":[418]},{"name":"IDC_BZ_ICON","features":[418]},{"name":"IDC_BZ_MESSAGE1","features":[418]},{"name":"IDC_BZ_RETRY","features":[418]},{"name":"IDC_BZ_SWITCHTO","features":[418]},{"name":"IDC_CI_BROWSE","features":[418]},{"name":"IDC_CI_CURRENT","features":[418]},{"name":"IDC_CI_CURRENTICON","features":[418]},{"name":"IDC_CI_DEFAULT","features":[418]},{"name":"IDC_CI_DEFAULTICON","features":[418]},{"name":"IDC_CI_FROMFILE","features":[418]},{"name":"IDC_CI_FROMFILEEDIT","features":[418]},{"name":"IDC_CI_GROUP","features":[418]},{"name":"IDC_CI_ICONDISPLAY","features":[418]},{"name":"IDC_CI_ICONLIST","features":[418]},{"name":"IDC_CI_LABEL","features":[418]},{"name":"IDC_CI_LABELEDIT","features":[418]},{"name":"IDC_CV_ACTIVATEAS","features":[418]},{"name":"IDC_CV_ACTIVATELIST","features":[418]},{"name":"IDC_CV_CHANGEICON","features":[418]},{"name":"IDC_CV_CONVERTLIST","features":[418]},{"name":"IDC_CV_CONVERTTO","features":[418]},{"name":"IDC_CV_DISPLAYASICON","features":[418]},{"name":"IDC_CV_ICONDISPLAY","features":[418]},{"name":"IDC_CV_OBJECTTYPE","features":[418]},{"name":"IDC_CV_RESULTTEXT","features":[418]},{"name":"IDC_EL_AUTOMATIC","features":[418]},{"name":"IDC_EL_CANCELLINK","features":[418]},{"name":"IDC_EL_CHANGESOURCE","features":[418]},{"name":"IDC_EL_COL1","features":[418]},{"name":"IDC_EL_COL2","features":[418]},{"name":"IDC_EL_COL3","features":[418]},{"name":"IDC_EL_LINKSLISTBOX","features":[418]},{"name":"IDC_EL_LINKSOURCE","features":[418]},{"name":"IDC_EL_LINKTYPE","features":[418]},{"name":"IDC_EL_MANUAL","features":[418]},{"name":"IDC_EL_OPENSOURCE","features":[418]},{"name":"IDC_EL_UPDATENOW","features":[418]},{"name":"IDC_GP_CONVERT","features":[418]},{"name":"IDC_GP_OBJECTICON","features":[418]},{"name":"IDC_GP_OBJECTLOCATION","features":[418]},{"name":"IDC_GP_OBJECTNAME","features":[418]},{"name":"IDC_GP_OBJECTSIZE","features":[418]},{"name":"IDC_GP_OBJECTTYPE","features":[418]},{"name":"IDC_IO_ADDCONTROL","features":[418]},{"name":"IDC_IO_CHANGEICON","features":[418]},{"name":"IDC_IO_CONTROLTYPELIST","features":[418]},{"name":"IDC_IO_CREATEFROMFILE","features":[418]},{"name":"IDC_IO_CREATENEW","features":[418]},{"name":"IDC_IO_DISPLAYASICON","features":[418]},{"name":"IDC_IO_FILE","features":[418]},{"name":"IDC_IO_FILEDISPLAY","features":[418]},{"name":"IDC_IO_FILETEXT","features":[418]},{"name":"IDC_IO_FILETYPE","features":[418]},{"name":"IDC_IO_ICONDISPLAY","features":[418]},{"name":"IDC_IO_INSERTCONTROL","features":[418]},{"name":"IDC_IO_LINKFILE","features":[418]},{"name":"IDC_IO_OBJECTTYPELIST","features":[418]},{"name":"IDC_IO_OBJECTTYPETEXT","features":[418]},{"name":"IDC_IO_RESULTIMAGE","features":[418]},{"name":"IDC_IO_RESULTTEXT","features":[418]},{"name":"IDC_LP_AUTOMATIC","features":[418]},{"name":"IDC_LP_BREAKLINK","features":[418]},{"name":"IDC_LP_CHANGESOURCE","features":[418]},{"name":"IDC_LP_DATE","features":[418]},{"name":"IDC_LP_LINKSOURCE","features":[418]},{"name":"IDC_LP_MANUAL","features":[418]},{"name":"IDC_LP_OPENSOURCE","features":[418]},{"name":"IDC_LP_TIME","features":[418]},{"name":"IDC_LP_UPDATENOW","features":[418]},{"name":"IDC_OLEUIHELP","features":[418]},{"name":"IDC_PS_CHANGEICON","features":[418]},{"name":"IDC_PS_DISPLAYASICON","features":[418]},{"name":"IDC_PS_DISPLAYLIST","features":[418]},{"name":"IDC_PS_ICONDISPLAY","features":[418]},{"name":"IDC_PS_PASTE","features":[418]},{"name":"IDC_PS_PASTELINK","features":[418]},{"name":"IDC_PS_PASTELINKLIST","features":[418]},{"name":"IDC_PS_PASTELIST","features":[418]},{"name":"IDC_PS_RESULTIMAGE","features":[418]},{"name":"IDC_PS_RESULTTEXT","features":[418]},{"name":"IDC_PS_SOURCETEXT","features":[418]},{"name":"IDC_PU_CONVERT","features":[418]},{"name":"IDC_PU_ICON","features":[418]},{"name":"IDC_PU_LINKS","features":[418]},{"name":"IDC_PU_TEXT","features":[418]},{"name":"IDC_UL_METER","features":[418]},{"name":"IDC_UL_PERCENT","features":[418]},{"name":"IDC_UL_PROGRESS","features":[418]},{"name":"IDC_UL_STOP","features":[418]},{"name":"IDC_VP_ASICON","features":[418]},{"name":"IDC_VP_CHANGEICON","features":[418]},{"name":"IDC_VP_EDITABLE","features":[418]},{"name":"IDC_VP_ICONDISPLAY","features":[418]},{"name":"IDC_VP_PERCENT","features":[418]},{"name":"IDC_VP_RELATIVE","features":[418]},{"name":"IDC_VP_RESULTIMAGE","features":[418]},{"name":"IDC_VP_SCALETXT","features":[418]},{"name":"IDC_VP_SPIN","features":[418]},{"name":"IDD_BUSY","features":[418]},{"name":"IDD_CANNOTUPDATELINK","features":[418]},{"name":"IDD_CHANGEICON","features":[418]},{"name":"IDD_CHANGEICONBROWSE","features":[418]},{"name":"IDD_CHANGESOURCE","features":[418]},{"name":"IDD_CHANGESOURCE4","features":[418]},{"name":"IDD_CONVERT","features":[418]},{"name":"IDD_CONVERT4","features":[418]},{"name":"IDD_CONVERTONLY","features":[418]},{"name":"IDD_CONVERTONLY4","features":[418]},{"name":"IDD_EDITLINKS","features":[418]},{"name":"IDD_EDITLINKS4","features":[418]},{"name":"IDD_GNRLPROPS","features":[418]},{"name":"IDD_GNRLPROPS4","features":[418]},{"name":"IDD_INSERTFILEBROWSE","features":[418]},{"name":"IDD_INSERTOBJECT","features":[418]},{"name":"IDD_LINKPROPS","features":[418]},{"name":"IDD_LINKPROPS4","features":[418]},{"name":"IDD_LINKSOURCEUNAVAILABLE","features":[418]},{"name":"IDD_LINKTYPECHANGED","features":[418]},{"name":"IDD_LINKTYPECHANGEDA","features":[418]},{"name":"IDD_LINKTYPECHANGEDW","features":[418]},{"name":"IDD_OUTOFMEMORY","features":[418]},{"name":"IDD_PASTESPECIAL","features":[418]},{"name":"IDD_PASTESPECIAL4","features":[418]},{"name":"IDD_SERVERNOTFOUND","features":[418]},{"name":"IDD_SERVERNOTREG","features":[418]},{"name":"IDD_SERVERNOTREGA","features":[418]},{"name":"IDD_SERVERNOTREGW","features":[418]},{"name":"IDD_UPDATELINKS","features":[418]},{"name":"IDD_VIEWPROPS","features":[418]},{"name":"ID_BROWSE_ADDCONTROL","features":[418]},{"name":"ID_BROWSE_CHANGEICON","features":[418]},{"name":"ID_BROWSE_CHANGESOURCE","features":[418]},{"name":"ID_BROWSE_INSERTFILE","features":[418]},{"name":"ID_DEFAULTINST","features":[418]},{"name":"IDispError","features":[418]},{"name":"IDispatchEx","features":[359,418]},{"name":"IDropSource","features":[418]},{"name":"IDropSourceNotify","features":[418]},{"name":"IDropTarget","features":[418]},{"name":"IEnterpriseDropTarget","features":[418]},{"name":"IEnumOLEVERB","features":[418]},{"name":"IEnumOleDocumentViews","features":[418]},{"name":"IEnumOleUndoUnits","features":[418]},{"name":"IEnumVARIANT","features":[418]},{"name":"IFont","features":[418]},{"name":"IFontDisp","features":[359,418]},{"name":"IFontEventsDisp","features":[359,418]},{"name":"IGNOREMIME","features":[418]},{"name":"IGNOREMIME_PROMPT","features":[418]},{"name":"IGNOREMIME_TEXT","features":[418]},{"name":"IGetOleObject","features":[418]},{"name":"IGetVBAObject","features":[418]},{"name":"INSERT_OBJECT_FLAGS","features":[418]},{"name":"INSTALL_SCOPE_INVALID","features":[418]},{"name":"INSTALL_SCOPE_MACHINE","features":[418]},{"name":"INSTALL_SCOPE_USER","features":[418]},{"name":"INTERFACEDATA","features":[359,418,383]},{"name":"IOF_CHECKDISPLAYASICON","features":[418]},{"name":"IOF_CHECKLINK","features":[418]},{"name":"IOF_CREATEFILEOBJECT","features":[418]},{"name":"IOF_CREATELINKOBJECT","features":[418]},{"name":"IOF_CREATENEWOBJECT","features":[418]},{"name":"IOF_DISABLEDISPLAYASICON","features":[418]},{"name":"IOF_DISABLELINK","features":[418]},{"name":"IOF_HIDECHANGEICON","features":[418]},{"name":"IOF_SELECTCREATECONTROL","features":[418]},{"name":"IOF_SELECTCREATEFROMFILE","features":[418]},{"name":"IOF_SELECTCREATENEW","features":[418]},{"name":"IOF_SHOWHELP","features":[418]},{"name":"IOF_SHOWINSERTCONTROL","features":[418]},{"name":"IOF_VERIFYSERVERSEXIST","features":[418]},{"name":"IObjectIdentity","features":[418]},{"name":"IObjectWithSite","features":[418]},{"name":"IOleAdviseHolder","features":[418]},{"name":"IOleCache","features":[418]},{"name":"IOleCache2","features":[418]},{"name":"IOleCacheControl","features":[418]},{"name":"IOleClientSite","features":[418]},{"name":"IOleCommandTarget","features":[418]},{"name":"IOleContainer","features":[418]},{"name":"IOleControl","features":[418]},{"name":"IOleControlSite","features":[418]},{"name":"IOleDocument","features":[418]},{"name":"IOleDocumentSite","features":[418]},{"name":"IOleDocumentView","features":[418]},{"name":"IOleInPlaceActiveObject","features":[418]},{"name":"IOleInPlaceFrame","features":[418]},{"name":"IOleInPlaceObject","features":[418]},{"name":"IOleInPlaceObjectWindowless","features":[418]},{"name":"IOleInPlaceSite","features":[418]},{"name":"IOleInPlaceSiteEx","features":[418]},{"name":"IOleInPlaceSiteWindowless","features":[418]},{"name":"IOleInPlaceUIWindow","features":[418]},{"name":"IOleItemContainer","features":[418]},{"name":"IOleLink","features":[418]},{"name":"IOleObject","features":[418]},{"name":"IOleParentUndoUnit","features":[418]},{"name":"IOleUILinkContainerA","features":[418]},{"name":"IOleUILinkContainerW","features":[418]},{"name":"IOleUILinkInfoA","features":[418]},{"name":"IOleUILinkInfoW","features":[418]},{"name":"IOleUIObjInfoA","features":[418]},{"name":"IOleUIObjInfoW","features":[418]},{"name":"IOleUndoManager","features":[418]},{"name":"IOleUndoUnit","features":[418]},{"name":"IOleWindow","features":[418]},{"name":"IParseDisplayName","features":[418]},{"name":"IPerPropertyBrowsing","features":[418]},{"name":"IPersistPropertyBag","features":[359,418]},{"name":"IPersistPropertyBag2","features":[359,418]},{"name":"IPicture","features":[418]},{"name":"IPicture2","features":[418]},{"name":"IPictureDisp","features":[359,418]},{"name":"IPointerInactive","features":[418]},{"name":"IPrint","features":[418]},{"name":"IPropertyNotifySink","features":[418]},{"name":"IPropertyPage","features":[418]},{"name":"IPropertyPage2","features":[418]},{"name":"IPropertyPageSite","features":[418]},{"name":"IProtectFocus","features":[418]},{"name":"IProtectedModeMenuServices","features":[418]},{"name":"IProvideClassInfo","features":[418]},{"name":"IProvideClassInfo2","features":[418]},{"name":"IProvideMultipleClassInfo","features":[418]},{"name":"IProvideRuntimeContext","features":[418]},{"name":"IQuickActivate","features":[418]},{"name":"IRecordInfo","features":[418]},{"name":"ISimpleFrameSite","features":[418]},{"name":"ISpecifyPropertyPages","features":[418]},{"name":"ITypeChangeEvents","features":[418]},{"name":"ITypeFactory","features":[418]},{"name":"ITypeMarshal","features":[418]},{"name":"IVBFormat","features":[418]},{"name":"IVBGetControl","features":[418]},{"name":"IVariantChangeType","features":[418]},{"name":"IViewObject","features":[418]},{"name":"IViewObject2","features":[418]},{"name":"IViewObjectEx","features":[418]},{"name":"IZoomEvents","features":[418]},{"name":"IsAccelerator","features":[308,418,370]},{"name":"KEYMODIFIERS","features":[418]},{"name":"KEYMOD_ALT","features":[418]},{"name":"KEYMOD_CONTROL","features":[418]},{"name":"KEYMOD_SHIFT","features":[418]},{"name":"LHashValOfNameSys","features":[359,418]},{"name":"LHashValOfNameSysA","features":[359,418]},{"name":"LIBFLAGS","features":[418]},{"name":"LIBFLAG_FCONTROL","features":[418]},{"name":"LIBFLAG_FHASDISKIMAGE","features":[418]},{"name":"LIBFLAG_FHIDDEN","features":[418]},{"name":"LIBFLAG_FRESTRICTED","features":[418]},{"name":"LICINFO","features":[308,418]},{"name":"LOAD_PICTURE_FLAGS","features":[418]},{"name":"LOAD_TLB_AS_32BIT","features":[418]},{"name":"LOAD_TLB_AS_64BIT","features":[418]},{"name":"LOCALE_USE_NLS","features":[418]},{"name":"LPFNOLEUIHOOK","features":[308,418]},{"name":"LP_COLOR","features":[418]},{"name":"LP_DEFAULT","features":[418]},{"name":"LP_MONOCHROME","features":[418]},{"name":"LP_VGACOLOR","features":[418]},{"name":"LoadRegTypeLib","features":[359,418]},{"name":"LoadTypeLib","features":[359,418]},{"name":"LoadTypeLibEx","features":[359,418]},{"name":"MEDIAPLAYBACK_PAUSE","features":[418]},{"name":"MEDIAPLAYBACK_PAUSE_AND_SUSPEND","features":[418]},{"name":"MEDIAPLAYBACK_RESUME","features":[418]},{"name":"MEDIAPLAYBACK_RESUME_FROM_SUSPEND","features":[418]},{"name":"MEDIAPLAYBACK_STATE","features":[418]},{"name":"MEMBERID_NIL","features":[418]},{"name":"METHODDATA","features":[359,418,383]},{"name":"MK_ALT","features":[418]},{"name":"MSOCMDERR_E_CANCELED","features":[418]},{"name":"MSOCMDERR_E_DISABLED","features":[418]},{"name":"MSOCMDERR_E_FIRST","features":[418]},{"name":"MSOCMDERR_E_NOHELP","features":[418]},{"name":"MSOCMDERR_E_NOTSUPPORTED","features":[418]},{"name":"MSOCMDERR_E_UNKNOWNGROUP","features":[418]},{"name":"MULTICLASSINFO_FLAGS","features":[418]},{"name":"MULTICLASSINFO_GETIIDPRIMARY","features":[418]},{"name":"MULTICLASSINFO_GETIIDSOURCE","features":[418]},{"name":"MULTICLASSINFO_GETNUMRESERVEDDISPIDS","features":[418]},{"name":"MULTICLASSINFO_GETTYPEINFO","features":[418]},{"name":"NUMPARSE","features":[418]},{"name":"NUMPARSE_FLAGS","features":[418]},{"name":"NUMPRS_CURRENCY","features":[418]},{"name":"NUMPRS_DECIMAL","features":[418]},{"name":"NUMPRS_EXPONENT","features":[418]},{"name":"NUMPRS_HEX_OCT","features":[418]},{"name":"NUMPRS_INEXACT","features":[418]},{"name":"NUMPRS_LEADING_MINUS","features":[418]},{"name":"NUMPRS_LEADING_PLUS","features":[418]},{"name":"NUMPRS_LEADING_WHITE","features":[418]},{"name":"NUMPRS_NEG","features":[418]},{"name":"NUMPRS_PARENS","features":[418]},{"name":"NUMPRS_STD","features":[418]},{"name":"NUMPRS_THOUSANDS","features":[418]},{"name":"NUMPRS_TRAILING_MINUS","features":[418]},{"name":"NUMPRS_TRAILING_PLUS","features":[418]},{"name":"NUMPRS_TRAILING_WHITE","features":[418]},{"name":"NUMPRS_USE_ALL","features":[418]},{"name":"OBJECTDESCRIPTOR","features":[308,418]},{"name":"OBJECT_PROPERTIES_FLAGS","features":[418]},{"name":"OCM__BASE","features":[418]},{"name":"OCPFIPARAMS","features":[308,418]},{"name":"OF_GET","features":[418]},{"name":"OF_HANDLER","features":[418]},{"name":"OF_SET","features":[418]},{"name":"OLECLOSE","features":[418]},{"name":"OLECLOSE_NOSAVE","features":[418]},{"name":"OLECLOSE_PROMPTSAVE","features":[418]},{"name":"OLECLOSE_SAVEIFDIRTY","features":[418]},{"name":"OLECMD","features":[418]},{"name":"OLECMDARGINDEX_ACTIVEXINSTALL_CLSID","features":[418]},{"name":"OLECMDARGINDEX_ACTIVEXINSTALL_DISPLAYNAME","features":[418]},{"name":"OLECMDARGINDEX_ACTIVEXINSTALL_INSTALLSCOPE","features":[418]},{"name":"OLECMDARGINDEX_ACTIVEXINSTALL_PUBLISHER","features":[418]},{"name":"OLECMDARGINDEX_ACTIVEXINSTALL_SOURCEURL","features":[418]},{"name":"OLECMDARGINDEX_SHOWPAGEACTIONMENU_HWND","features":[418]},{"name":"OLECMDARGINDEX_SHOWPAGEACTIONMENU_X","features":[418]},{"name":"OLECMDARGINDEX_SHOWPAGEACTIONMENU_Y","features":[418]},{"name":"OLECMDERR_E_CANCELED","features":[418]},{"name":"OLECMDERR_E_DISABLED","features":[418]},{"name":"OLECMDERR_E_FIRST","features":[418]},{"name":"OLECMDERR_E_NOHELP","features":[418]},{"name":"OLECMDERR_E_NOTSUPPORTED","features":[418]},{"name":"OLECMDERR_E_UNKNOWNGROUP","features":[418]},{"name":"OLECMDEXECOPT","features":[418]},{"name":"OLECMDEXECOPT_DODEFAULT","features":[418]},{"name":"OLECMDEXECOPT_DONTPROMPTUSER","features":[418]},{"name":"OLECMDEXECOPT_PROMPTUSER","features":[418]},{"name":"OLECMDEXECOPT_SHOWHELP","features":[418]},{"name":"OLECMDF","features":[418]},{"name":"OLECMDF_DEFHIDEONCTXTMENU","features":[418]},{"name":"OLECMDF_ENABLED","features":[418]},{"name":"OLECMDF_INVISIBLE","features":[418]},{"name":"OLECMDF_LATCHED","features":[418]},{"name":"OLECMDF_NINCHED","features":[418]},{"name":"OLECMDF_SUPPORTED","features":[418]},{"name":"OLECMDID","features":[418]},{"name":"OLECMDIDF_BROWSERSTATE_BLOCKEDVERSION","features":[418]},{"name":"OLECMDIDF_BROWSERSTATE_DESKTOPHTMLDIALOG","features":[418]},{"name":"OLECMDIDF_BROWSERSTATE_EXTENSIONSOFF","features":[418]},{"name":"OLECMDIDF_BROWSERSTATE_IESECURITY","features":[418]},{"name":"OLECMDIDF_BROWSERSTATE_PROTECTEDMODE_OFF","features":[418]},{"name":"OLECMDIDF_BROWSERSTATE_REQUIRESACTIVEX","features":[418]},{"name":"OLECMDIDF_BROWSERSTATE_RESET","features":[418]},{"name":"OLECMDIDF_OPTICAL_ZOOM_NOLAYOUT","features":[418]},{"name":"OLECMDIDF_OPTICAL_ZOOM_NOPERSIST","features":[418]},{"name":"OLECMDIDF_OPTICAL_ZOOM_NOTRANSIENT","features":[418]},{"name":"OLECMDIDF_OPTICAL_ZOOM_RELOADFORNEWTAB","features":[418]},{"name":"OLECMDIDF_PAGEACTION_ACTIVEXDISALLOW","features":[418]},{"name":"OLECMDIDF_PAGEACTION_ACTIVEXINSTALL","features":[418]},{"name":"OLECMDIDF_PAGEACTION_ACTIVEXTRUSTFAIL","features":[418]},{"name":"OLECMDIDF_PAGEACTION_ACTIVEXUNSAFE","features":[418]},{"name":"OLECMDIDF_PAGEACTION_ACTIVEXUSERAPPROVAL","features":[418]},{"name":"OLECMDIDF_PAGEACTION_ACTIVEXUSERDISABLE","features":[418]},{"name":"OLECMDIDF_PAGEACTION_ACTIVEX_EPM_INCOMPATIBLE","features":[418]},{"name":"OLECMDIDF_PAGEACTION_EXTENSION_COMPAT_BLOCKED","features":[418]},{"name":"OLECMDIDF_PAGEACTION_FILEDOWNLOAD","features":[418]},{"name":"OLECMDIDF_PAGEACTION_GENERIC_STATE","features":[418]},{"name":"OLECMDIDF_PAGEACTION_INTRANETZONEREQUEST","features":[418]},{"name":"OLECMDIDF_PAGEACTION_INVALID_CERT","features":[418]},{"name":"OLECMDIDF_PAGEACTION_LOCALMACHINE","features":[418]},{"name":"OLECMDIDF_PAGEACTION_MIMETEXTPLAIN","features":[418]},{"name":"OLECMDIDF_PAGEACTION_MIXEDCONTENT","features":[418]},{"name":"OLECMDIDF_PAGEACTION_NORESETACTIVEX","features":[418]},{"name":"OLECMDIDF_PAGEACTION_POPUPALLOWED","features":[418]},{"name":"OLECMDIDF_PAGEACTION_POPUPWINDOW","features":[418]},{"name":"OLECMDIDF_PAGEACTION_PROTLOCKDOWNDENY","features":[418]},{"name":"OLECMDIDF_PAGEACTION_PROTLOCKDOWNINTERNET","features":[418]},{"name":"OLECMDIDF_PAGEACTION_PROTLOCKDOWNINTRANET","features":[418]},{"name":"OLECMDIDF_PAGEACTION_PROTLOCKDOWNLOCALMACHINE","features":[418]},{"name":"OLECMDIDF_PAGEACTION_PROTLOCKDOWNRESTRICTED","features":[418]},{"name":"OLECMDIDF_PAGEACTION_PROTLOCKDOWNTRUSTED","features":[418]},{"name":"OLECMDIDF_PAGEACTION_RESET","features":[418]},{"name":"OLECMDIDF_PAGEACTION_SCRIPTNAVIGATE","features":[418]},{"name":"OLECMDIDF_PAGEACTION_SCRIPTNAVIGATE_ACTIVEXINSTALL","features":[418]},{"name":"OLECMDIDF_PAGEACTION_SCRIPTNAVIGATE_ACTIVEXUSERAPPROVAL","features":[418]},{"name":"OLECMDIDF_PAGEACTION_SCRIPTPROMPT","features":[418]},{"name":"OLECMDIDF_PAGEACTION_SPOOFABLEIDNHOST","features":[418]},{"name":"OLECMDIDF_PAGEACTION_WPCBLOCKED","features":[418]},{"name":"OLECMDIDF_PAGEACTION_WPCBLOCKED_ACTIVEX","features":[418]},{"name":"OLECMDIDF_PAGEACTION_XSSFILTERED","features":[418]},{"name":"OLECMDIDF_REFRESH_CLEARUSERINPUT","features":[418]},{"name":"OLECMDIDF_REFRESH_COMPLETELY","features":[418]},{"name":"OLECMDIDF_REFRESH_CONTINUE","features":[418]},{"name":"OLECMDIDF_REFRESH_IFEXPIRED","features":[418]},{"name":"OLECMDIDF_REFRESH_LEVELMASK","features":[418]},{"name":"OLECMDIDF_REFRESH_NORMAL","features":[418]},{"name":"OLECMDIDF_REFRESH_NO_CACHE","features":[418]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_ACTIVEXINSTALL","features":[418]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_ALLOW_VERSION","features":[418]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_FILEDOWNLOAD","features":[418]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_INVALID_CERT","features":[418]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_LOCALMACHINE","features":[418]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_MIXEDCONTENT","features":[418]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_POPUPWINDOW","features":[418]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_PROTLOCKDOWNINTERNET","features":[418]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_PROTLOCKDOWNINTRANET","features":[418]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_PROTLOCKDOWNLOCALMACHINE","features":[418]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_PROTLOCKDOWNRESTRICTED","features":[418]},{"name":"OLECMDIDF_REFRESH_PAGEACTION_PROTLOCKDOWNTRUSTED","features":[418]},{"name":"OLECMDIDF_REFRESH_PROMPTIFOFFLINE","features":[418]},{"name":"OLECMDIDF_REFRESH_RELOAD","features":[418]},{"name":"OLECMDIDF_REFRESH_SKIPBEFOREUNLOADEVENT","features":[418]},{"name":"OLECMDIDF_REFRESH_THROUGHSCRIPT","features":[418]},{"name":"OLECMDIDF_VIEWPORTMODE_EXCLUDE_VISUAL_BOTTOM","features":[418]},{"name":"OLECMDIDF_VIEWPORTMODE_EXCLUDE_VISUAL_BOTTOM_VALID","features":[418]},{"name":"OLECMDIDF_VIEWPORTMODE_FIXED_LAYOUT_WIDTH","features":[418]},{"name":"OLECMDIDF_VIEWPORTMODE_FIXED_LAYOUT_WIDTH_VALID","features":[418]},{"name":"OLECMDIDF_WINDOWSTATE_ENABLED","features":[418]},{"name":"OLECMDIDF_WINDOWSTATE_ENABLED_VALID","features":[418]},{"name":"OLECMDIDF_WINDOWSTATE_USERVISIBLE","features":[418]},{"name":"OLECMDIDF_WINDOWSTATE_USERVISIBLE_VALID","features":[418]},{"name":"OLECMDID_ACTIVEXINSTALLSCOPE","features":[418]},{"name":"OLECMDID_ADDTRAVELENTRY","features":[418]},{"name":"OLECMDID_ALLOWUILESSSAVEAS","features":[418]},{"name":"OLECMDID_BROWSERSTATEFLAG","features":[418]},{"name":"OLECMDID_CLEARSELECTION","features":[418]},{"name":"OLECMDID_CLOSE","features":[418]},{"name":"OLECMDID_COPY","features":[418]},{"name":"OLECMDID_CUT","features":[418]},{"name":"OLECMDID_DELETE","features":[418]},{"name":"OLECMDID_DONTDOWNLOADCSS","features":[418]},{"name":"OLECMDID_ENABLE_INTERACTION","features":[418]},{"name":"OLECMDID_ENABLE_VISIBILITY","features":[418]},{"name":"OLECMDID_EXITFULLSCREEN","features":[418]},{"name":"OLECMDID_FIND","features":[418]},{"name":"OLECMDID_FOCUSVIEWCONTROLS","features":[418]},{"name":"OLECMDID_FOCUSVIEWCONTROLSQUERY","features":[418]},{"name":"OLECMDID_GETPRINTTEMPLATE","features":[418]},{"name":"OLECMDID_GETUSERSCALABLE","features":[418]},{"name":"OLECMDID_GETZOOMRANGE","features":[418]},{"name":"OLECMDID_HIDETOOLBARS","features":[418]},{"name":"OLECMDID_HTTPEQUIV","features":[418]},{"name":"OLECMDID_HTTPEQUIV_DONE","features":[418]},{"name":"OLECMDID_LAYOUT_VIEWPORT_WIDTH","features":[418]},{"name":"OLECMDID_MEDIA_PLAYBACK","features":[418]},{"name":"OLECMDID_NEW","features":[418]},{"name":"OLECMDID_ONBEFOREUNLOAD","features":[418]},{"name":"OLECMDID_ONTOOLBARACTIVATED","features":[418]},{"name":"OLECMDID_ONUNLOAD","features":[418]},{"name":"OLECMDID_OPEN","features":[418]},{"name":"OLECMDID_OPTICAL_GETZOOMRANGE","features":[418]},{"name":"OLECMDID_OPTICAL_ZOOM","features":[418]},{"name":"OLECMDID_OPTICAL_ZOOMFLAG","features":[418]},{"name":"OLECMDID_PAGEACTIONBLOCKED","features":[418]},{"name":"OLECMDID_PAGEACTIONFLAG","features":[418]},{"name":"OLECMDID_PAGEACTIONUIQUERY","features":[418]},{"name":"OLECMDID_PAGEAVAILABLE","features":[418]},{"name":"OLECMDID_PAGESETUP","features":[418]},{"name":"OLECMDID_PASTE","features":[418]},{"name":"OLECMDID_PASTESPECIAL","features":[418]},{"name":"OLECMDID_POPSTATEEVENT","features":[418]},{"name":"OLECMDID_PREREFRESH","features":[418]},{"name":"OLECMDID_PRINT","features":[418]},{"name":"OLECMDID_PRINT2","features":[418]},{"name":"OLECMDID_PRINTPREVIEW","features":[418]},{"name":"OLECMDID_PRINTPREVIEW2","features":[418]},{"name":"OLECMDID_PROPERTIES","features":[418]},{"name":"OLECMDID_PROPERTYBAG2","features":[418]},{"name":"OLECMDID_REDO","features":[418]},{"name":"OLECMDID_REFRESH","features":[418]},{"name":"OLECMDID_REFRESHFLAG","features":[418]},{"name":"OLECMDID_SAVE","features":[418]},{"name":"OLECMDID_SAVEAS","features":[418]},{"name":"OLECMDID_SAVECOPYAS","features":[418]},{"name":"OLECMDID_SCROLLCOMPLETE","features":[418]},{"name":"OLECMDID_SELECTALL","features":[418]},{"name":"OLECMDID_SETDOWNLOADSTATE","features":[418]},{"name":"OLECMDID_SETFAVICON","features":[418]},{"name":"OLECMDID_SETPRINTTEMPLATE","features":[418]},{"name":"OLECMDID_SETPROGRESSMAX","features":[418]},{"name":"OLECMDID_SETPROGRESSPOS","features":[418]},{"name":"OLECMDID_SETPROGRESSTEXT","features":[418]},{"name":"OLECMDID_SETTITLE","features":[418]},{"name":"OLECMDID_SET_HOST_FULLSCREENMODE","features":[418]},{"name":"OLECMDID_SHOWFIND","features":[418]},{"name":"OLECMDID_SHOWMESSAGE","features":[418]},{"name":"OLECMDID_SHOWMESSAGE_BLOCKABLE","features":[418]},{"name":"OLECMDID_SHOWPAGEACTIONMENU","features":[418]},{"name":"OLECMDID_SHOWPAGESETUP","features":[418]},{"name":"OLECMDID_SHOWPRINT","features":[418]},{"name":"OLECMDID_SHOWSCRIPTERROR","features":[418]},{"name":"OLECMDID_SHOWTASKDLG","features":[418]},{"name":"OLECMDID_SHOWTASKDLG_BLOCKABLE","features":[418]},{"name":"OLECMDID_SPELL","features":[418]},{"name":"OLECMDID_STOP","features":[418]},{"name":"OLECMDID_STOPDOWNLOAD","features":[418]},{"name":"OLECMDID_UNDO","features":[418]},{"name":"OLECMDID_UPDATEBACKFORWARDSTATE","features":[418]},{"name":"OLECMDID_UPDATECOMMANDS","features":[418]},{"name":"OLECMDID_UPDATEPAGESTATUS","features":[418]},{"name":"OLECMDID_UPDATETRAVELENTRY","features":[418]},{"name":"OLECMDID_UPDATETRAVELENTRY_DATARECOVERY","features":[418]},{"name":"OLECMDID_UPDATE_CARET","features":[418]},{"name":"OLECMDID_USER_OPTICAL_ZOOM","features":[418]},{"name":"OLECMDID_VIEWPORT_MODE","features":[418]},{"name":"OLECMDID_VIEWPORT_MODE_FLAG","features":[418]},{"name":"OLECMDID_VISUAL_VIEWPORT_EXCLUDE_BOTTOM","features":[418]},{"name":"OLECMDID_WINDOWSTATECHANGED","features":[418]},{"name":"OLECMDID_WINDOWSTATE_FLAG","features":[418]},{"name":"OLECMDID_ZOOM","features":[418]},{"name":"OLECMDTEXT","features":[418]},{"name":"OLECMDTEXTF","features":[418]},{"name":"OLECMDTEXTF_NAME","features":[418]},{"name":"OLECMDTEXTF_NONE","features":[418]},{"name":"OLECMDTEXTF_STATUS","features":[418]},{"name":"OLECMD_TASKDLGID_ONBEFOREUNLOAD","features":[418]},{"name":"OLECONTF","features":[418]},{"name":"OLECONTF_EMBEDDINGS","features":[418]},{"name":"OLECONTF_LINKS","features":[418]},{"name":"OLECONTF_ONLYIFRUNNING","features":[418]},{"name":"OLECONTF_ONLYUSER","features":[418]},{"name":"OLECONTF_OTHERS","features":[418]},{"name":"OLECREATE","features":[418]},{"name":"OLECREATE_LEAVERUNNING","features":[418]},{"name":"OLECREATE_ZERO","features":[418]},{"name":"OLEDCFLAGS","features":[418]},{"name":"OLEDC_NODRAW","features":[418]},{"name":"OLEDC_OFFSCREEN","features":[418]},{"name":"OLEDC_PAINTBKGND","features":[418]},{"name":"OLEGETMONIKER","features":[418]},{"name":"OLEGETMONIKER_FORCEASSIGN","features":[418]},{"name":"OLEGETMONIKER_ONLYIFTHERE","features":[418]},{"name":"OLEGETMONIKER_TEMPFORUSER","features":[418]},{"name":"OLEGETMONIKER_UNASSIGN","features":[418]},{"name":"OLEINPLACEFRAMEINFO","features":[308,418,370]},{"name":"OLEIVERB","features":[418]},{"name":"OLEIVERB_DISCARDUNDOSTATE","features":[418]},{"name":"OLEIVERB_HIDE","features":[418]},{"name":"OLEIVERB_INPLACEACTIVATE","features":[418]},{"name":"OLEIVERB_OPEN","features":[418]},{"name":"OLEIVERB_PRIMARY","features":[418]},{"name":"OLEIVERB_PROPERTIES","features":[418]},{"name":"OLEIVERB_SHOW","features":[418]},{"name":"OLEIVERB_UIACTIVATE","features":[418]},{"name":"OLELINKBIND","features":[418]},{"name":"OLELINKBIND_EVENIFCLASSDIFF","features":[418]},{"name":"OLEMENUGROUPWIDTHS","features":[418]},{"name":"OLEMISC","features":[418]},{"name":"OLEMISC_ACTIVATEWHENVISIBLE","features":[418]},{"name":"OLEMISC_ACTSLIKEBUTTON","features":[418]},{"name":"OLEMISC_ACTSLIKELABEL","features":[418]},{"name":"OLEMISC_ALIGNABLE","features":[418]},{"name":"OLEMISC_ALWAYSRUN","features":[418]},{"name":"OLEMISC_CANLINKBYOLE1","features":[418]},{"name":"OLEMISC_CANTLINKINSIDE","features":[418]},{"name":"OLEMISC_IGNOREACTIVATEWHENVISIBLE","features":[418]},{"name":"OLEMISC_IMEMODE","features":[418]},{"name":"OLEMISC_INSERTNOTREPLACE","features":[418]},{"name":"OLEMISC_INSIDEOUT","features":[418]},{"name":"OLEMISC_INVISIBLEATRUNTIME","features":[418]},{"name":"OLEMISC_ISLINKOBJECT","features":[418]},{"name":"OLEMISC_NOUIACTIVATE","features":[418]},{"name":"OLEMISC_ONLYICONIC","features":[418]},{"name":"OLEMISC_RECOMPOSEONRESIZE","features":[418]},{"name":"OLEMISC_RENDERINGISDEVICEINDEPENDENT","features":[418]},{"name":"OLEMISC_SETCLIENTSITEFIRST","features":[418]},{"name":"OLEMISC_SIMPLEFRAME","features":[418]},{"name":"OLEMISC_STATIC","features":[418]},{"name":"OLEMISC_SUPPORTSMULTILEVELUNDO","features":[418]},{"name":"OLEMISC_WANTSTOMENUMERGE","features":[418]},{"name":"OLERENDER","features":[418]},{"name":"OLERENDER_ASIS","features":[418]},{"name":"OLERENDER_DRAW","features":[418]},{"name":"OLERENDER_FORMAT","features":[418]},{"name":"OLERENDER_NONE","features":[418]},{"name":"OLESTDDELIM","features":[418]},{"name":"OLESTREAMQUERYCONVERTOLELINKCALLBACK","features":[418]},{"name":"OLESTREAM_CONVERSION_DEFAULT","features":[418]},{"name":"OLESTREAM_CONVERSION_DISABLEOLELINK","features":[418]},{"name":"OLEUIBUSYA","features":[308,421,418]},{"name":"OLEUIBUSYW","features":[308,421,418]},{"name":"OLEUICHANGEICONA","features":[308,418]},{"name":"OLEUICHANGEICONW","features":[308,418]},{"name":"OLEUICHANGESOURCEA","features":[308,418,439]},{"name":"OLEUICHANGESOURCEW","features":[308,418,439]},{"name":"OLEUICONVERTA","features":[308,418]},{"name":"OLEUICONVERTW","features":[308,418]},{"name":"OLEUIEDITLINKSA","features":[308,418]},{"name":"OLEUIEDITLINKSW","features":[308,418]},{"name":"OLEUIGNRLPROPSA","features":[308,319,418,358,370]},{"name":"OLEUIGNRLPROPSW","features":[308,319,418,358,370]},{"name":"OLEUIINSERTOBJECTA","features":[308,432,418]},{"name":"OLEUIINSERTOBJECTW","features":[308,432,418]},{"name":"OLEUILINKPROPSA","features":[308,319,418,358,370]},{"name":"OLEUILINKPROPSW","features":[308,319,418,358,370]},{"name":"OLEUIOBJECTPROPSA","features":[308,319,418,358,370]},{"name":"OLEUIOBJECTPROPSW","features":[308,319,418,358,370]},{"name":"OLEUIPASTEENTRYA","features":[359,418]},{"name":"OLEUIPASTEENTRYW","features":[359,418]},{"name":"OLEUIPASTEFLAG","features":[418]},{"name":"OLEUIPASTESPECIALA","features":[308,359,418]},{"name":"OLEUIPASTESPECIALW","features":[308,359,418]},{"name":"OLEUIPASTE_ENABLEICON","features":[418]},{"name":"OLEUIPASTE_LINKANYTYPE","features":[418]},{"name":"OLEUIPASTE_LINKTYPE1","features":[418]},{"name":"OLEUIPASTE_LINKTYPE2","features":[418]},{"name":"OLEUIPASTE_LINKTYPE3","features":[418]},{"name":"OLEUIPASTE_LINKTYPE4","features":[418]},{"name":"OLEUIPASTE_LINKTYPE5","features":[418]},{"name":"OLEUIPASTE_LINKTYPE6","features":[418]},{"name":"OLEUIPASTE_LINKTYPE7","features":[418]},{"name":"OLEUIPASTE_LINKTYPE8","features":[418]},{"name":"OLEUIPASTE_PASTE","features":[418]},{"name":"OLEUIPASTE_PASTEONLY","features":[418]},{"name":"OLEUIVIEWPROPSA","features":[308,319,418,358,370]},{"name":"OLEUIVIEWPROPSW","features":[308,319,418,358,370]},{"name":"OLEUI_BZERR_HTASKINVALID","features":[418]},{"name":"OLEUI_BZ_CALLUNBLOCKED","features":[418]},{"name":"OLEUI_BZ_RETRYSELECTED","features":[418]},{"name":"OLEUI_BZ_SWITCHTOSELECTED","features":[418]},{"name":"OLEUI_CANCEL","features":[418]},{"name":"OLEUI_CIERR_MUSTHAVECLSID","features":[418]},{"name":"OLEUI_CIERR_MUSTHAVECURRENTMETAFILE","features":[418]},{"name":"OLEUI_CIERR_SZICONEXEINVALID","features":[418]},{"name":"OLEUI_CSERR_FROMNOTNULL","features":[418]},{"name":"OLEUI_CSERR_LINKCNTRINVALID","features":[418]},{"name":"OLEUI_CSERR_LINKCNTRNULL","features":[418]},{"name":"OLEUI_CSERR_SOURCEINVALID","features":[418]},{"name":"OLEUI_CSERR_SOURCENULL","features":[418]},{"name":"OLEUI_CSERR_SOURCEPARSEERROR","features":[418]},{"name":"OLEUI_CSERR_SOURCEPARSERROR","features":[418]},{"name":"OLEUI_CSERR_TONOTNULL","features":[418]},{"name":"OLEUI_CTERR_CBFORMATINVALID","features":[418]},{"name":"OLEUI_CTERR_CLASSIDINVALID","features":[418]},{"name":"OLEUI_CTERR_DVASPECTINVALID","features":[418]},{"name":"OLEUI_CTERR_HMETAPICTINVALID","features":[418]},{"name":"OLEUI_CTERR_STRINGINVALID","features":[418]},{"name":"OLEUI_ELERR_LINKCNTRINVALID","features":[418]},{"name":"OLEUI_ELERR_LINKCNTRNULL","features":[418]},{"name":"OLEUI_ERR_CBSTRUCTINCORRECT","features":[418]},{"name":"OLEUI_ERR_DIALOGFAILURE","features":[418]},{"name":"OLEUI_ERR_FINDTEMPLATEFAILURE","features":[418]},{"name":"OLEUI_ERR_GLOBALMEMALLOC","features":[418]},{"name":"OLEUI_ERR_HINSTANCEINVALID","features":[418]},{"name":"OLEUI_ERR_HRESOURCEINVALID","features":[418]},{"name":"OLEUI_ERR_HWNDOWNERINVALID","features":[418]},{"name":"OLEUI_ERR_LOADSTRING","features":[418]},{"name":"OLEUI_ERR_LOADTEMPLATEFAILURE","features":[418]},{"name":"OLEUI_ERR_LOCALMEMALLOC","features":[418]},{"name":"OLEUI_ERR_LPFNHOOKINVALID","features":[418]},{"name":"OLEUI_ERR_LPSZCAPTIONINVALID","features":[418]},{"name":"OLEUI_ERR_LPSZTEMPLATEINVALID","features":[418]},{"name":"OLEUI_ERR_OLEMEMALLOC","features":[418]},{"name":"OLEUI_ERR_STANDARDMAX","features":[418]},{"name":"OLEUI_ERR_STANDARDMIN","features":[418]},{"name":"OLEUI_ERR_STRUCTUREINVALID","features":[418]},{"name":"OLEUI_ERR_STRUCTURENULL","features":[418]},{"name":"OLEUI_FALSE","features":[418]},{"name":"OLEUI_GPERR_CBFORMATINVALID","features":[418]},{"name":"OLEUI_GPERR_CLASSIDINVALID","features":[418]},{"name":"OLEUI_GPERR_LPCLSIDEXCLUDEINVALID","features":[418]},{"name":"OLEUI_GPERR_STRINGINVALID","features":[418]},{"name":"OLEUI_IOERR_ARRLINKTYPESINVALID","features":[418]},{"name":"OLEUI_IOERR_ARRPASTEENTRIESINVALID","features":[418]},{"name":"OLEUI_IOERR_CCHFILEINVALID","features":[418]},{"name":"OLEUI_IOERR_HICONINVALID","features":[418]},{"name":"OLEUI_IOERR_LPCLSIDEXCLUDEINVALID","features":[418]},{"name":"OLEUI_IOERR_LPFORMATETCINVALID","features":[418]},{"name":"OLEUI_IOERR_LPIOLECLIENTSITEINVALID","features":[418]},{"name":"OLEUI_IOERR_LPISTORAGEINVALID","features":[418]},{"name":"OLEUI_IOERR_LPSZFILEINVALID","features":[418]},{"name":"OLEUI_IOERR_LPSZLABELINVALID","features":[418]},{"name":"OLEUI_IOERR_PPVOBJINVALID","features":[418]},{"name":"OLEUI_IOERR_SCODEHASERROR","features":[418]},{"name":"OLEUI_IOERR_SRCDATAOBJECTINVALID","features":[418]},{"name":"OLEUI_LPERR_LINKCNTRINVALID","features":[418]},{"name":"OLEUI_LPERR_LINKCNTRNULL","features":[418]},{"name":"OLEUI_OK","features":[418]},{"name":"OLEUI_OPERR_DLGPROCNOTNULL","features":[418]},{"name":"OLEUI_OPERR_INVALIDPAGES","features":[418]},{"name":"OLEUI_OPERR_LINKINFOINVALID","features":[418]},{"name":"OLEUI_OPERR_LPARAMNOTZERO","features":[418]},{"name":"OLEUI_OPERR_NOTSUPPORTED","features":[418]},{"name":"OLEUI_OPERR_OBJINFOINVALID","features":[418]},{"name":"OLEUI_OPERR_PAGESINCORRECT","features":[418]},{"name":"OLEUI_OPERR_PROPERTYSHEET","features":[418]},{"name":"OLEUI_OPERR_PROPSHEETINVALID","features":[418]},{"name":"OLEUI_OPERR_PROPSHEETNULL","features":[418]},{"name":"OLEUI_OPERR_PROPSINVALID","features":[418]},{"name":"OLEUI_OPERR_SUBPROPINVALID","features":[418]},{"name":"OLEUI_OPERR_SUBPROPNULL","features":[418]},{"name":"OLEUI_OPERR_SUPPROP","features":[418]},{"name":"OLEUI_PSERR_CLIPBOARDCHANGED","features":[418]},{"name":"OLEUI_PSERR_GETCLIPBOARDFAILED","features":[418]},{"name":"OLEUI_QUERY_GETCLASSID","features":[418]},{"name":"OLEUI_QUERY_LINKBROKEN","features":[418]},{"name":"OLEUI_SUCCESS","features":[418]},{"name":"OLEUI_VPERR_DVASPECTINVALID","features":[418]},{"name":"OLEUI_VPERR_METAPICTINVALID","features":[418]},{"name":"OLEUPDATE","features":[418]},{"name":"OLEUPDATE_ALWAYS","features":[418]},{"name":"OLEUPDATE_ONCALL","features":[418]},{"name":"OLEVERB","features":[418,370]},{"name":"OLEVERBATTRIB","features":[418]},{"name":"OLEVERBATTRIB_NEVERDIRTIES","features":[418]},{"name":"OLEVERBATTRIB_ONCONTAINERMENU","features":[418]},{"name":"OLEVERB_PRIMARY","features":[418]},{"name":"OLEWHICHMK","features":[418]},{"name":"OLEWHICHMK_CONTAINER","features":[418]},{"name":"OLEWHICHMK_OBJFULL","features":[418]},{"name":"OLEWHICHMK_OBJREL","features":[418]},{"name":"OLE_HANDLE","features":[418]},{"name":"OLE_TRISTATE","features":[418]},{"name":"OPF_DISABLECONVERT","features":[418]},{"name":"OPF_NOFILLDEFAULT","features":[418]},{"name":"OPF_OBJECTISLINK","features":[418]},{"name":"OPF_SHOWHELP","features":[418]},{"name":"OT_EMBEDDED","features":[418]},{"name":"OT_LINK","features":[418]},{"name":"OT_STATIC","features":[418]},{"name":"OaBuildVersion","features":[418]},{"name":"OaEnablePerUserTLibRegistration","features":[418]},{"name":"OleBuildVersion","features":[418]},{"name":"OleConvertOLESTREAMToIStorage2","features":[432,418]},{"name":"OleConvertOLESTREAMToIStorageEx2","features":[308,319,432,418]},{"name":"OleCreate","features":[432,418]},{"name":"OleCreateDefaultHandler","features":[418]},{"name":"OleCreateEmbeddingHelper","features":[359,418]},{"name":"OleCreateEx","features":[432,418]},{"name":"OleCreateFontIndirect","features":[308,359,418]},{"name":"OleCreateFromData","features":[432,418]},{"name":"OleCreateFromDataEx","features":[432,418]},{"name":"OleCreateFromFile","features":[432,418]},{"name":"OleCreateFromFileEx","features":[432,418]},{"name":"OleCreateLink","features":[432,418]},{"name":"OleCreateLinkEx","features":[432,418]},{"name":"OleCreateLinkFromData","features":[432,418]},{"name":"OleCreateLinkFromDataEx","features":[432,418]},{"name":"OleCreateLinkToFile","features":[432,418]},{"name":"OleCreateLinkToFileEx","features":[432,418]},{"name":"OleCreateMenuDescriptor","features":[418,370]},{"name":"OleCreatePictureIndirect","features":[308,319,418,370]},{"name":"OleCreatePropertyFrame","features":[308,418]},{"name":"OleCreatePropertyFrameIndirect","features":[308,418]},{"name":"OleCreateStaticFromData","features":[432,418]},{"name":"OleDestroyMenuDescriptor","features":[418]},{"name":"OleDoAutoConvert","features":[432,418]},{"name":"OleDraw","features":[308,319,418]},{"name":"OleDuplicateData","features":[308,326,418]},{"name":"OleFlushClipboard","features":[418]},{"name":"OleGetAutoConvert","features":[418]},{"name":"OleGetClipboard","features":[359,418]},{"name":"OleGetClipboardWithEnterpriseInfo","features":[359,418]},{"name":"OleGetIconOfClass","features":[308,418]},{"name":"OleGetIconOfFile","features":[308,418]},{"name":"OleIconToCursor","features":[308,418,370]},{"name":"OleInitialize","features":[418]},{"name":"OleIsCurrentClipboard","features":[359,418]},{"name":"OleIsRunning","features":[308,418]},{"name":"OleLoad","features":[432,418]},{"name":"OleLoadFromStream","features":[359,418]},{"name":"OleLoadPicture","features":[308,359,418]},{"name":"OleLoadPictureEx","features":[308,359,418]},{"name":"OleLoadPictureFile","features":[359,418]},{"name":"OleLoadPictureFileEx","features":[359,418]},{"name":"OleLoadPicturePath","features":[418]},{"name":"OleLockRunning","features":[308,418]},{"name":"OleMetafilePictFromIconAndLabel","features":[308,418,370]},{"name":"OleNoteObjectVisible","features":[308,418]},{"name":"OleQueryCreateFromData","features":[359,418]},{"name":"OleQueryLinkFromData","features":[359,418]},{"name":"OleRegEnumFormatEtc","features":[359,418]},{"name":"OleRegEnumVerbs","features":[418]},{"name":"OleRegGetMiscStatus","features":[418]},{"name":"OleRegGetUserType","features":[418]},{"name":"OleRun","features":[418]},{"name":"OleSave","features":[308,432,418]},{"name":"OleSavePictureFile","features":[359,418]},{"name":"OleSaveToStream","features":[359,418]},{"name":"OleSetAutoConvert","features":[418]},{"name":"OleSetClipboard","features":[359,418]},{"name":"OleSetContainedObject","features":[308,418]},{"name":"OleSetMenuDescriptor","features":[308,418]},{"name":"OleTranslateAccelerator","features":[308,418,370]},{"name":"OleTranslateColor","features":[308,319,418]},{"name":"OleUIAddVerbMenuA","features":[308,418,370]},{"name":"OleUIAddVerbMenuW","features":[308,418,370]},{"name":"OleUIBusyA","features":[308,421,418]},{"name":"OleUIBusyW","features":[308,421,418]},{"name":"OleUICanConvertOrActivateAs","features":[308,418]},{"name":"OleUIChangeIconA","features":[308,418]},{"name":"OleUIChangeIconW","features":[308,418]},{"name":"OleUIChangeSourceA","features":[308,418,439]},{"name":"OleUIChangeSourceW","features":[308,418,439]},{"name":"OleUIConvertA","features":[308,418]},{"name":"OleUIConvertW","features":[308,418]},{"name":"OleUIEditLinksA","features":[308,418]},{"name":"OleUIEditLinksW","features":[308,418]},{"name":"OleUIInsertObjectA","features":[308,432,418]},{"name":"OleUIInsertObjectW","features":[308,432,418]},{"name":"OleUIObjectPropertiesA","features":[308,319,418,358,370]},{"name":"OleUIObjectPropertiesW","features":[308,319,418,358,370]},{"name":"OleUIPasteSpecialA","features":[308,359,418]},{"name":"OleUIPasteSpecialW","features":[308,359,418]},{"name":"OleUIPromptUserA","features":[308,418]},{"name":"OleUIPromptUserW","features":[308,418]},{"name":"OleUIUpdateLinksA","features":[308,418]},{"name":"OleUIUpdateLinksW","features":[308,418]},{"name":"OleUninitialize","features":[418]},{"name":"PAGEACTION_UI","features":[418]},{"name":"PAGEACTION_UI_DEFAULT","features":[418]},{"name":"PAGEACTION_UI_MODAL","features":[418]},{"name":"PAGEACTION_UI_MODELESS","features":[418]},{"name":"PAGEACTION_UI_SILENT","features":[418]},{"name":"PAGERANGE","features":[418]},{"name":"PAGESET","features":[308,418]},{"name":"PARAMDATA","features":[418,383]},{"name":"PARAMDESC","features":[418]},{"name":"PARAMDESCEX","features":[418]},{"name":"PARAMFLAGS","features":[418]},{"name":"PARAMFLAG_FHASCUSTDATA","features":[418]},{"name":"PARAMFLAG_FHASDEFAULT","features":[418]},{"name":"PARAMFLAG_FIN","features":[418]},{"name":"PARAMFLAG_FLCID","features":[418]},{"name":"PARAMFLAG_FOPT","features":[418]},{"name":"PARAMFLAG_FOUT","features":[418]},{"name":"PARAMFLAG_FRETVAL","features":[418]},{"name":"PARAMFLAG_NONE","features":[418]},{"name":"PASTE_SPECIAL_FLAGS","features":[418]},{"name":"PERPROP_E_FIRST","features":[418]},{"name":"PERPROP_E_LAST","features":[418]},{"name":"PERPROP_E_NOPAGEAVAILABLE","features":[418]},{"name":"PERPROP_S_FIRST","features":[418]},{"name":"PERPROP_S_LAST","features":[418]},{"name":"PICTDESC","features":[319,418,370]},{"name":"PICTUREATTRIBUTES","features":[418]},{"name":"PICTURE_SCALABLE","features":[418]},{"name":"PICTURE_TRANSPARENT","features":[418]},{"name":"PICTYPE","features":[418]},{"name":"PICTYPE_BITMAP","features":[418]},{"name":"PICTYPE_ENHMETAFILE","features":[418]},{"name":"PICTYPE_ICON","features":[418]},{"name":"PICTYPE_METAFILE","features":[418]},{"name":"PICTYPE_NONE","features":[418]},{"name":"PICTYPE_UNINITIALIZED","features":[418]},{"name":"POINTERINACTIVE","features":[418]},{"name":"POINTERINACTIVE_ACTIVATEONDRAG","features":[418]},{"name":"POINTERINACTIVE_ACTIVATEONENTRY","features":[418]},{"name":"POINTERINACTIVE_DEACTIVATEONLEAVE","features":[418]},{"name":"POINTF","features":[418]},{"name":"PRINTFLAG","features":[418]},{"name":"PRINTFLAG_DONTACTUALLYPRINT","features":[418]},{"name":"PRINTFLAG_FORCEPROPERTIES","features":[418]},{"name":"PRINTFLAG_MAYBOTHERUSER","features":[418]},{"name":"PRINTFLAG_PRINTTOFILE","features":[418]},{"name":"PRINTFLAG_PROMPTUSER","features":[418]},{"name":"PRINTFLAG_RECOMPOSETODEVICE","features":[418]},{"name":"PRINTFLAG_USERMAYCHANGEPRINTER","features":[418]},{"name":"PROPBAG2_TYPE","features":[418]},{"name":"PROPBAG2_TYPE_DATA","features":[418]},{"name":"PROPBAG2_TYPE_MONIKER","features":[418]},{"name":"PROPBAG2_TYPE_OBJECT","features":[418]},{"name":"PROPBAG2_TYPE_STORAGE","features":[418]},{"name":"PROPBAG2_TYPE_STREAM","features":[418]},{"name":"PROPBAG2_TYPE_UNDEFINED","features":[418]},{"name":"PROPBAG2_TYPE_URL","features":[418]},{"name":"PROPPAGEINFO","features":[308,418]},{"name":"PROPPAGESTATUS","features":[418]},{"name":"PROPPAGESTATUS_CLEAN","features":[418]},{"name":"PROPPAGESTATUS_DIRTY","features":[418]},{"name":"PROPPAGESTATUS_VALIDATE","features":[418]},{"name":"PROP_HWND_CHGICONDLG","features":[418]},{"name":"PSF_CHECKDISPLAYASICON","features":[418]},{"name":"PSF_DISABLEDISPLAYASICON","features":[418]},{"name":"PSF_HIDECHANGEICON","features":[418]},{"name":"PSF_NOREFRESHDATAOBJECT","features":[418]},{"name":"PSF_SELECTPASTE","features":[418]},{"name":"PSF_SELECTPASTELINK","features":[418]},{"name":"PSF_SHOWHELP","features":[418]},{"name":"PSF_STAYONCLIPBOARDCHANGE","features":[418]},{"name":"PS_MAXLINKTYPES","features":[418]},{"name":"QACONTAINER","features":[319,359,418]},{"name":"QACONTAINERFLAGS","features":[418]},{"name":"QACONTAINER_AUTOCLIP","features":[418]},{"name":"QACONTAINER_DISPLAYASDEFAULT","features":[418]},{"name":"QACONTAINER_MESSAGEREFLECT","features":[418]},{"name":"QACONTAINER_SHOWGRABHANDLES","features":[418]},{"name":"QACONTAINER_SHOWHATCHING","features":[418]},{"name":"QACONTAINER_SUPPORTSMNEMONICS","features":[418]},{"name":"QACONTAINER_UIDEAD","features":[418]},{"name":"QACONTAINER_USERMODE","features":[418]},{"name":"QACONTROL","features":[418]},{"name":"QueryPathOfRegTypeLib","features":[418]},{"name":"READYSTATE","features":[418]},{"name":"READYSTATE_COMPLETE","features":[418]},{"name":"READYSTATE_INTERACTIVE","features":[418]},{"name":"READYSTATE_LOADED","features":[418]},{"name":"READYSTATE_LOADING","features":[418]},{"name":"READYSTATE_UNINITIALIZED","features":[418]},{"name":"REGKIND","features":[418]},{"name":"REGKIND_DEFAULT","features":[418]},{"name":"REGKIND_NONE","features":[418]},{"name":"REGKIND_REGISTER","features":[418]},{"name":"RegisterActiveObject","features":[418]},{"name":"RegisterDragDrop","features":[308,418]},{"name":"RegisterTypeLib","features":[359,418]},{"name":"RegisterTypeLibForUser","features":[359,418]},{"name":"ReleaseStgMedium","features":[308,319,432,418]},{"name":"RevokeActiveObject","features":[418]},{"name":"RevokeDragDrop","features":[308,418]},{"name":"SAFEARRAYUNION","features":[308,359,418]},{"name":"SAFEARR_BRECORD","features":[418]},{"name":"SAFEARR_BSTR","features":[359,418]},{"name":"SAFEARR_DISPATCH","features":[359,418]},{"name":"SAFEARR_HAVEIID","features":[418]},{"name":"SAFEARR_UNKNOWN","features":[418]},{"name":"SAFEARR_VARIANT","features":[308,359,418]},{"name":"SELFREG_E_CLASS","features":[418]},{"name":"SELFREG_E_FIRST","features":[418]},{"name":"SELFREG_E_LAST","features":[418]},{"name":"SELFREG_E_TYPELIB","features":[418]},{"name":"SELFREG_S_FIRST","features":[418]},{"name":"SELFREG_S_LAST","features":[418]},{"name":"SF_BSTR","features":[418]},{"name":"SF_DISPATCH","features":[418]},{"name":"SF_ERROR","features":[418]},{"name":"SF_HAVEIID","features":[418]},{"name":"SF_I1","features":[418]},{"name":"SF_I2","features":[418]},{"name":"SF_I4","features":[418]},{"name":"SF_I8","features":[418]},{"name":"SF_RECORD","features":[418]},{"name":"SF_TYPE","features":[418]},{"name":"SF_UNKNOWN","features":[418]},{"name":"SF_VARIANT","features":[418]},{"name":"SID_GetCaller","features":[418]},{"name":"SID_ProvideRuntimeContext","features":[418]},{"name":"SID_VariantConversion","features":[418]},{"name":"STDOLE2_LCID","features":[418]},{"name":"STDOLE2_MAJORVERNUM","features":[418]},{"name":"STDOLE2_MINORVERNUM","features":[418]},{"name":"STDOLE_LCID","features":[418]},{"name":"STDOLE_MAJORVERNUM","features":[418]},{"name":"STDOLE_MINORVERNUM","features":[418]},{"name":"STDOLE_TLB","features":[418]},{"name":"STDTYPE_TLB","features":[418]},{"name":"SZOLEUI_MSG_ADDCONTROL","features":[418]},{"name":"SZOLEUI_MSG_BROWSE","features":[418]},{"name":"SZOLEUI_MSG_BROWSE_OFN","features":[418]},{"name":"SZOLEUI_MSG_CHANGEICON","features":[418]},{"name":"SZOLEUI_MSG_CHANGESOURCE","features":[418]},{"name":"SZOLEUI_MSG_CLOSEBUSYDIALOG","features":[418]},{"name":"SZOLEUI_MSG_CONVERT","features":[418]},{"name":"SZOLEUI_MSG_ENDDIALOG","features":[418]},{"name":"SZOLEUI_MSG_HELP","features":[418]},{"name":"SafeArrayAccessData","features":[359,418]},{"name":"SafeArrayAddRef","features":[359,418]},{"name":"SafeArrayAllocData","features":[359,418]},{"name":"SafeArrayAllocDescriptor","features":[359,418]},{"name":"SafeArrayAllocDescriptorEx","features":[359,418,383]},{"name":"SafeArrayCopy","features":[359,418]},{"name":"SafeArrayCopyData","features":[359,418]},{"name":"SafeArrayCreate","features":[359,418,383]},{"name":"SafeArrayCreateEx","features":[359,418,383]},{"name":"SafeArrayCreateVector","features":[359,418,383]},{"name":"SafeArrayCreateVectorEx","features":[359,418,383]},{"name":"SafeArrayDestroy","features":[359,418]},{"name":"SafeArrayDestroyData","features":[359,418]},{"name":"SafeArrayDestroyDescriptor","features":[359,418]},{"name":"SafeArrayGetDim","features":[359,418]},{"name":"SafeArrayGetElement","features":[359,418]},{"name":"SafeArrayGetElemsize","features":[359,418]},{"name":"SafeArrayGetIID","features":[359,418]},{"name":"SafeArrayGetLBound","features":[359,418]},{"name":"SafeArrayGetRecordInfo","features":[359,418]},{"name":"SafeArrayGetUBound","features":[359,418]},{"name":"SafeArrayGetVartype","features":[359,418,383]},{"name":"SafeArrayLock","features":[359,418]},{"name":"SafeArrayPtrOfIndex","features":[359,418]},{"name":"SafeArrayPutElement","features":[359,418]},{"name":"SafeArrayRedim","features":[359,418]},{"name":"SafeArrayReleaseData","features":[418]},{"name":"SafeArrayReleaseDescriptor","features":[359,418]},{"name":"SafeArraySetIID","features":[359,418]},{"name":"SafeArraySetRecordInfo","features":[359,418]},{"name":"SafeArrayUnaccessData","features":[359,418]},{"name":"SafeArrayUnlock","features":[359,418]},{"name":"TIFLAGS_EXTENDDISPATCHONLY","features":[418]},{"name":"TYPEFLAGS","features":[418]},{"name":"TYPEFLAG_FAGGREGATABLE","features":[418]},{"name":"TYPEFLAG_FAPPOBJECT","features":[418]},{"name":"TYPEFLAG_FCANCREATE","features":[418]},{"name":"TYPEFLAG_FCONTROL","features":[418]},{"name":"TYPEFLAG_FDISPATCHABLE","features":[418]},{"name":"TYPEFLAG_FDUAL","features":[418]},{"name":"TYPEFLAG_FHIDDEN","features":[418]},{"name":"TYPEFLAG_FLICENSED","features":[418]},{"name":"TYPEFLAG_FNONEXTENSIBLE","features":[418]},{"name":"TYPEFLAG_FOLEAUTOMATION","features":[418]},{"name":"TYPEFLAG_FPREDECLID","features":[418]},{"name":"TYPEFLAG_FPROXY","features":[418]},{"name":"TYPEFLAG_FREPLACEABLE","features":[418]},{"name":"TYPEFLAG_FRESTRICTED","features":[418]},{"name":"TYPEFLAG_FREVERSEBIND","features":[418]},{"name":"UASFLAGS","features":[418]},{"name":"UAS_BLOCKED","features":[418]},{"name":"UAS_MASK","features":[418]},{"name":"UAS_NOPARENTENABLE","features":[418]},{"name":"UAS_NORMAL","features":[418]},{"name":"UDATE","features":[308,418]},{"name":"UI_CONVERT_FLAGS","features":[418]},{"name":"UPDFCACHE_ALL","features":[418]},{"name":"UPDFCACHE_ALLBUTNODATACACHE","features":[418]},{"name":"UPDFCACHE_FLAGS","features":[418]},{"name":"UPDFCACHE_IFBLANK","features":[418]},{"name":"UPDFCACHE_IFBLANKORONSAVECACHE","features":[418]},{"name":"UPDFCACHE_NODATACACHE","features":[418]},{"name":"UPDFCACHE_NORMALCACHE","features":[418]},{"name":"UPDFCACHE_ONLYIFBLANK","features":[418]},{"name":"UPDFCACHE_ONSAVECACHE","features":[418]},{"name":"UPDFCACHE_ONSTOPCACHE","features":[418]},{"name":"USERCLASSTYPE","features":[418]},{"name":"USERCLASSTYPE_APPNAME","features":[418]},{"name":"USERCLASSTYPE_FULL","features":[418]},{"name":"USERCLASSTYPE_SHORT","features":[418]},{"name":"UnRegisterTypeLib","features":[359,418]},{"name":"UnRegisterTypeLibForUser","features":[359,418]},{"name":"VARCMP","features":[418]},{"name":"VARCMP_EQ","features":[418]},{"name":"VARCMP_GT","features":[418]},{"name":"VARCMP_LT","features":[418]},{"name":"VARCMP_NULL","features":[418]},{"name":"VARFORMAT_FIRST_DAY","features":[418]},{"name":"VARFORMAT_FIRST_DAY_FRIDAY","features":[418]},{"name":"VARFORMAT_FIRST_DAY_MONDAY","features":[418]},{"name":"VARFORMAT_FIRST_DAY_SATURDAY","features":[418]},{"name":"VARFORMAT_FIRST_DAY_SUNDAY","features":[418]},{"name":"VARFORMAT_FIRST_DAY_SYSTEMDEFAULT","features":[418]},{"name":"VARFORMAT_FIRST_DAY_THURSDAY","features":[418]},{"name":"VARFORMAT_FIRST_DAY_TUESDAY","features":[418]},{"name":"VARFORMAT_FIRST_DAY_WEDNESDAY","features":[418]},{"name":"VARFORMAT_FIRST_WEEK","features":[418]},{"name":"VARFORMAT_FIRST_WEEK_CONTAINS_JANUARY_FIRST","features":[418]},{"name":"VARFORMAT_FIRST_WEEK_HAS_SEVEN_DAYS","features":[418]},{"name":"VARFORMAT_FIRST_WEEK_LARGER_HALF_IN_CURRENT_YEAR","features":[418]},{"name":"VARFORMAT_FIRST_WEEK_SYSTEMDEFAULT","features":[418]},{"name":"VARFORMAT_GROUP","features":[418]},{"name":"VARFORMAT_GROUP_NOTTHOUSANDS","features":[418]},{"name":"VARFORMAT_GROUP_SYSTEMDEFAULT","features":[418]},{"name":"VARFORMAT_GROUP_THOUSANDS","features":[418]},{"name":"VARFORMAT_LEADING_DIGIT","features":[418]},{"name":"VARFORMAT_LEADING_DIGIT_INCLUDED","features":[418]},{"name":"VARFORMAT_LEADING_DIGIT_NOTINCLUDED","features":[418]},{"name":"VARFORMAT_LEADING_DIGIT_SYSTEMDEFAULT","features":[418]},{"name":"VARFORMAT_NAMED_FORMAT","features":[418]},{"name":"VARFORMAT_NAMED_FORMAT_GENERALDATE","features":[418]},{"name":"VARFORMAT_NAMED_FORMAT_LONGDATE","features":[418]},{"name":"VARFORMAT_NAMED_FORMAT_LONGTIME","features":[418]},{"name":"VARFORMAT_NAMED_FORMAT_SHORTDATE","features":[418]},{"name":"VARFORMAT_NAMED_FORMAT_SHORTTIME","features":[418]},{"name":"VARFORMAT_PARENTHESES","features":[418]},{"name":"VARFORMAT_PARENTHESES_NOTUSED","features":[418]},{"name":"VARFORMAT_PARENTHESES_SYSTEMDEFAULT","features":[418]},{"name":"VARFORMAT_PARENTHESES_USED","features":[418]},{"name":"VAR_CALENDAR_GREGORIAN","features":[418]},{"name":"VAR_CALENDAR_HIJRI","features":[418]},{"name":"VAR_CALENDAR_THAI","features":[418]},{"name":"VAR_DATEVALUEONLY","features":[418]},{"name":"VAR_FORMAT_NOSUBSTITUTE","features":[418]},{"name":"VAR_FOURDIGITYEARS","features":[418]},{"name":"VAR_LOCALBOOL","features":[418]},{"name":"VAR_TIMEVALUEONLY","features":[418]},{"name":"VAR_VALIDDATE","features":[418]},{"name":"VIEWSTATUS","features":[418]},{"name":"VIEWSTATUS_3DSURFACE","features":[418]},{"name":"VIEWSTATUS_DVASPECTOPAQUE","features":[418]},{"name":"VIEWSTATUS_DVASPECTTRANSPARENT","features":[418]},{"name":"VIEWSTATUS_OPAQUE","features":[418]},{"name":"VIEWSTATUS_SOLIDBKGND","features":[418]},{"name":"VIEWSTATUS_SURFACE","features":[418]},{"name":"VIEW_OBJECT_PROPERTIES_FLAGS","features":[418]},{"name":"VPF_DISABLERELATIVE","features":[418]},{"name":"VPF_DISABLESCALE","features":[418]},{"name":"VPF_SELECTRELATIVE","features":[418]},{"name":"VTDATEGRE_MAX","features":[418]},{"name":"VTDATEGRE_MIN","features":[418]},{"name":"VT_BLOB_PROPSET","features":[418]},{"name":"VT_STORED_PROPSET","features":[418]},{"name":"VT_STREAMED_PROPSET","features":[418]},{"name":"VT_VERBOSE_ENUM","features":[418]},{"name":"VarAbs","features":[418]},{"name":"VarAdd","features":[418]},{"name":"VarAnd","features":[418]},{"name":"VarBoolFromCy","features":[308,359,418]},{"name":"VarBoolFromDate","features":[308,418]},{"name":"VarBoolFromDec","features":[308,418]},{"name":"VarBoolFromDisp","features":[308,359,418]},{"name":"VarBoolFromI1","features":[308,418]},{"name":"VarBoolFromI2","features":[308,418]},{"name":"VarBoolFromI4","features":[308,418]},{"name":"VarBoolFromI8","features":[308,418]},{"name":"VarBoolFromR4","features":[308,418]},{"name":"VarBoolFromR8","features":[308,418]},{"name":"VarBoolFromStr","features":[308,418]},{"name":"VarBoolFromUI1","features":[308,418]},{"name":"VarBoolFromUI2","features":[308,418]},{"name":"VarBoolFromUI4","features":[308,418]},{"name":"VarBoolFromUI8","features":[308,418]},{"name":"VarBstrCat","features":[418]},{"name":"VarBstrCmp","features":[418]},{"name":"VarBstrFromBool","features":[308,418]},{"name":"VarBstrFromCy","features":[359,418]},{"name":"VarBstrFromDate","features":[418]},{"name":"VarBstrFromDec","features":[308,418]},{"name":"VarBstrFromDisp","features":[359,418]},{"name":"VarBstrFromI1","features":[418]},{"name":"VarBstrFromI2","features":[418]},{"name":"VarBstrFromI4","features":[418]},{"name":"VarBstrFromI8","features":[418]},{"name":"VarBstrFromR4","features":[418]},{"name":"VarBstrFromR8","features":[418]},{"name":"VarBstrFromUI1","features":[418]},{"name":"VarBstrFromUI2","features":[418]},{"name":"VarBstrFromUI4","features":[418]},{"name":"VarBstrFromUI8","features":[418]},{"name":"VarCat","features":[418]},{"name":"VarCmp","features":[418]},{"name":"VarCyAbs","features":[359,418]},{"name":"VarCyAdd","features":[359,418]},{"name":"VarCyCmp","features":[359,418]},{"name":"VarCyCmpR8","features":[359,418]},{"name":"VarCyFix","features":[359,418]},{"name":"VarCyFromBool","features":[308,359,418]},{"name":"VarCyFromDate","features":[359,418]},{"name":"VarCyFromDec","features":[308,359,418]},{"name":"VarCyFromDisp","features":[359,418]},{"name":"VarCyFromI1","features":[359,418]},{"name":"VarCyFromI2","features":[359,418]},{"name":"VarCyFromI4","features":[359,418]},{"name":"VarCyFromI8","features":[359,418]},{"name":"VarCyFromR4","features":[359,418]},{"name":"VarCyFromR8","features":[359,418]},{"name":"VarCyFromStr","features":[359,418]},{"name":"VarCyFromUI1","features":[359,418]},{"name":"VarCyFromUI2","features":[359,418]},{"name":"VarCyFromUI4","features":[359,418]},{"name":"VarCyFromUI8","features":[359,418]},{"name":"VarCyInt","features":[359,418]},{"name":"VarCyMul","features":[359,418]},{"name":"VarCyMulI4","features":[359,418]},{"name":"VarCyMulI8","features":[359,418]},{"name":"VarCyNeg","features":[359,418]},{"name":"VarCyRound","features":[359,418]},{"name":"VarCySub","features":[359,418]},{"name":"VarDateFromBool","features":[308,418]},{"name":"VarDateFromCy","features":[359,418]},{"name":"VarDateFromDec","features":[308,418]},{"name":"VarDateFromDisp","features":[359,418]},{"name":"VarDateFromI1","features":[418]},{"name":"VarDateFromI2","features":[418]},{"name":"VarDateFromI4","features":[418]},{"name":"VarDateFromI8","features":[418]},{"name":"VarDateFromR4","features":[418]},{"name":"VarDateFromR8","features":[418]},{"name":"VarDateFromStr","features":[418]},{"name":"VarDateFromUI1","features":[418]},{"name":"VarDateFromUI2","features":[418]},{"name":"VarDateFromUI4","features":[418]},{"name":"VarDateFromUI8","features":[418]},{"name":"VarDateFromUdate","features":[308,418]},{"name":"VarDateFromUdateEx","features":[308,418]},{"name":"VarDecAbs","features":[308,418]},{"name":"VarDecAdd","features":[308,418]},{"name":"VarDecCmp","features":[308,418]},{"name":"VarDecCmpR8","features":[308,418]},{"name":"VarDecDiv","features":[308,418]},{"name":"VarDecFix","features":[308,418]},{"name":"VarDecFromBool","features":[308,418]},{"name":"VarDecFromCy","features":[308,359,418]},{"name":"VarDecFromDate","features":[308,418]},{"name":"VarDecFromDisp","features":[308,359,418]},{"name":"VarDecFromI1","features":[308,418]},{"name":"VarDecFromI2","features":[308,418]},{"name":"VarDecFromI4","features":[308,418]},{"name":"VarDecFromI8","features":[308,418]},{"name":"VarDecFromR4","features":[308,418]},{"name":"VarDecFromR8","features":[308,418]},{"name":"VarDecFromStr","features":[308,418]},{"name":"VarDecFromUI1","features":[308,418]},{"name":"VarDecFromUI2","features":[308,418]},{"name":"VarDecFromUI4","features":[308,418]},{"name":"VarDecFromUI8","features":[308,418]},{"name":"VarDecInt","features":[308,418]},{"name":"VarDecMul","features":[308,418]},{"name":"VarDecNeg","features":[308,418]},{"name":"VarDecRound","features":[308,418]},{"name":"VarDecSub","features":[308,418]},{"name":"VarDiv","features":[418]},{"name":"VarEqv","features":[418]},{"name":"VarFix","features":[418]},{"name":"VarFormat","features":[418]},{"name":"VarFormatCurrency","features":[418]},{"name":"VarFormatDateTime","features":[418]},{"name":"VarFormatFromTokens","features":[418]},{"name":"VarFormatNumber","features":[418]},{"name":"VarFormatPercent","features":[418]},{"name":"VarI1FromBool","features":[308,418]},{"name":"VarI1FromCy","features":[359,418]},{"name":"VarI1FromDate","features":[418]},{"name":"VarI1FromDec","features":[308,418]},{"name":"VarI1FromDisp","features":[359,418]},{"name":"VarI1FromI2","features":[418]},{"name":"VarI1FromI4","features":[418]},{"name":"VarI1FromI8","features":[418]},{"name":"VarI1FromR4","features":[418]},{"name":"VarI1FromR8","features":[418]},{"name":"VarI1FromStr","features":[418]},{"name":"VarI1FromUI1","features":[418]},{"name":"VarI1FromUI2","features":[418]},{"name":"VarI1FromUI4","features":[418]},{"name":"VarI1FromUI8","features":[418]},{"name":"VarI2FromBool","features":[308,418]},{"name":"VarI2FromCy","features":[359,418]},{"name":"VarI2FromDate","features":[418]},{"name":"VarI2FromDec","features":[308,418]},{"name":"VarI2FromDisp","features":[359,418]},{"name":"VarI2FromI1","features":[418]},{"name":"VarI2FromI4","features":[418]},{"name":"VarI2FromI8","features":[418]},{"name":"VarI2FromR4","features":[418]},{"name":"VarI2FromR8","features":[418]},{"name":"VarI2FromStr","features":[418]},{"name":"VarI2FromUI1","features":[418]},{"name":"VarI2FromUI2","features":[418]},{"name":"VarI2FromUI4","features":[418]},{"name":"VarI2FromUI8","features":[418]},{"name":"VarI4FromBool","features":[308,418]},{"name":"VarI4FromCy","features":[359,418]},{"name":"VarI4FromDate","features":[418]},{"name":"VarI4FromDec","features":[308,418]},{"name":"VarI4FromDisp","features":[359,418]},{"name":"VarI4FromI1","features":[418]},{"name":"VarI4FromI2","features":[418]},{"name":"VarI4FromI8","features":[418]},{"name":"VarI4FromR4","features":[418]},{"name":"VarI4FromR8","features":[418]},{"name":"VarI4FromStr","features":[418]},{"name":"VarI4FromUI1","features":[418]},{"name":"VarI4FromUI2","features":[418]},{"name":"VarI4FromUI4","features":[418]},{"name":"VarI4FromUI8","features":[418]},{"name":"VarI8FromBool","features":[308,418]},{"name":"VarI8FromCy","features":[359,418]},{"name":"VarI8FromDate","features":[418]},{"name":"VarI8FromDec","features":[308,418]},{"name":"VarI8FromDisp","features":[359,418]},{"name":"VarI8FromI1","features":[418]},{"name":"VarI8FromI2","features":[418]},{"name":"VarI8FromR4","features":[418]},{"name":"VarI8FromR8","features":[418]},{"name":"VarI8FromStr","features":[418]},{"name":"VarI8FromUI1","features":[418]},{"name":"VarI8FromUI2","features":[418]},{"name":"VarI8FromUI4","features":[418]},{"name":"VarI8FromUI8","features":[418]},{"name":"VarIdiv","features":[418]},{"name":"VarImp","features":[418]},{"name":"VarInt","features":[418]},{"name":"VarMod","features":[418]},{"name":"VarMonthName","features":[418]},{"name":"VarMul","features":[418]},{"name":"VarNeg","features":[418]},{"name":"VarNot","features":[418]},{"name":"VarNumFromParseNum","features":[418]},{"name":"VarOr","features":[418]},{"name":"VarParseNumFromStr","features":[418]},{"name":"VarPow","features":[418]},{"name":"VarR4CmpR8","features":[418]},{"name":"VarR4FromBool","features":[308,418]},{"name":"VarR4FromCy","features":[359,418]},{"name":"VarR4FromDate","features":[418]},{"name":"VarR4FromDec","features":[308,418]},{"name":"VarR4FromDisp","features":[359,418]},{"name":"VarR4FromI1","features":[418]},{"name":"VarR4FromI2","features":[418]},{"name":"VarR4FromI4","features":[418]},{"name":"VarR4FromI8","features":[418]},{"name":"VarR4FromR8","features":[418]},{"name":"VarR4FromStr","features":[418]},{"name":"VarR4FromUI1","features":[418]},{"name":"VarR4FromUI2","features":[418]},{"name":"VarR4FromUI4","features":[418]},{"name":"VarR4FromUI8","features":[418]},{"name":"VarR8FromBool","features":[308,418]},{"name":"VarR8FromCy","features":[359,418]},{"name":"VarR8FromDate","features":[418]},{"name":"VarR8FromDec","features":[308,418]},{"name":"VarR8FromDisp","features":[359,418]},{"name":"VarR8FromI1","features":[418]},{"name":"VarR8FromI2","features":[418]},{"name":"VarR8FromI4","features":[418]},{"name":"VarR8FromI8","features":[418]},{"name":"VarR8FromR4","features":[418]},{"name":"VarR8FromStr","features":[418]},{"name":"VarR8FromUI1","features":[418]},{"name":"VarR8FromUI2","features":[418]},{"name":"VarR8FromUI4","features":[418]},{"name":"VarR8FromUI8","features":[418]},{"name":"VarR8Pow","features":[418]},{"name":"VarR8Round","features":[418]},{"name":"VarRound","features":[418]},{"name":"VarSub","features":[418]},{"name":"VarTokenizeFormatString","features":[418]},{"name":"VarUI1FromBool","features":[308,418]},{"name":"VarUI1FromCy","features":[359,418]},{"name":"VarUI1FromDate","features":[418]},{"name":"VarUI1FromDec","features":[308,418]},{"name":"VarUI1FromDisp","features":[359,418]},{"name":"VarUI1FromI1","features":[418]},{"name":"VarUI1FromI2","features":[418]},{"name":"VarUI1FromI4","features":[418]},{"name":"VarUI1FromI8","features":[418]},{"name":"VarUI1FromR4","features":[418]},{"name":"VarUI1FromR8","features":[418]},{"name":"VarUI1FromStr","features":[418]},{"name":"VarUI1FromUI2","features":[418]},{"name":"VarUI1FromUI4","features":[418]},{"name":"VarUI1FromUI8","features":[418]},{"name":"VarUI2FromBool","features":[308,418]},{"name":"VarUI2FromCy","features":[359,418]},{"name":"VarUI2FromDate","features":[418]},{"name":"VarUI2FromDec","features":[308,418]},{"name":"VarUI2FromDisp","features":[359,418]},{"name":"VarUI2FromI1","features":[418]},{"name":"VarUI2FromI2","features":[418]},{"name":"VarUI2FromI4","features":[418]},{"name":"VarUI2FromI8","features":[418]},{"name":"VarUI2FromR4","features":[418]},{"name":"VarUI2FromR8","features":[418]},{"name":"VarUI2FromStr","features":[418]},{"name":"VarUI2FromUI1","features":[418]},{"name":"VarUI2FromUI4","features":[418]},{"name":"VarUI2FromUI8","features":[418]},{"name":"VarUI4FromBool","features":[308,418]},{"name":"VarUI4FromCy","features":[359,418]},{"name":"VarUI4FromDate","features":[418]},{"name":"VarUI4FromDec","features":[308,418]},{"name":"VarUI4FromDisp","features":[359,418]},{"name":"VarUI4FromI1","features":[418]},{"name":"VarUI4FromI2","features":[418]},{"name":"VarUI4FromI4","features":[418]},{"name":"VarUI4FromI8","features":[418]},{"name":"VarUI4FromR4","features":[418]},{"name":"VarUI4FromR8","features":[418]},{"name":"VarUI4FromStr","features":[418]},{"name":"VarUI4FromUI1","features":[418]},{"name":"VarUI4FromUI2","features":[418]},{"name":"VarUI4FromUI8","features":[418]},{"name":"VarUI8FromBool","features":[308,418]},{"name":"VarUI8FromCy","features":[359,418]},{"name":"VarUI8FromDate","features":[418]},{"name":"VarUI8FromDec","features":[308,418]},{"name":"VarUI8FromDisp","features":[359,418]},{"name":"VarUI8FromI1","features":[418]},{"name":"VarUI8FromI2","features":[418]},{"name":"VarUI8FromI8","features":[418]},{"name":"VarUI8FromR4","features":[418]},{"name":"VarUI8FromR8","features":[418]},{"name":"VarUI8FromStr","features":[418]},{"name":"VarUI8FromUI1","features":[418]},{"name":"VarUI8FromUI2","features":[418]},{"name":"VarUI8FromUI4","features":[418]},{"name":"VarUdateFromDate","features":[308,418]},{"name":"VarWeekdayName","features":[418]},{"name":"VarXor","features":[418]},{"name":"VectorFromBstr","features":[359,418]},{"name":"WIN32","features":[418]},{"name":"WPCSETTING","features":[418]},{"name":"WPCSETTING_FILEDOWNLOAD_BLOCKED","features":[418]},{"name":"WPCSETTING_LOGGING_ENABLED","features":[418]},{"name":"XFORMCOORDS","features":[418]},{"name":"XFORMCOORDS_CONTAINERTOHIMETRIC","features":[418]},{"name":"XFORMCOORDS_EVENTCOMPAT","features":[418]},{"name":"XFORMCOORDS_HIMETRICTOCONTAINER","features":[418]},{"name":"XFORMCOORDS_POSITION","features":[418]},{"name":"XFORMCOORDS_SIZE","features":[418]},{"name":"_wireBRECORD","features":[418]},{"name":"_wireSAFEARRAY","features":[308,359,418]},{"name":"_wireVARIANT","features":[308,359,418]},{"name":"fdexEnumAll","features":[418]},{"name":"fdexEnumDefault","features":[418]},{"name":"fdexNameCaseInsensitive","features":[418]},{"name":"fdexNameCaseSensitive","features":[418]},{"name":"fdexNameEnsure","features":[418]},{"name":"fdexNameImplicit","features":[418]},{"name":"fdexNameInternal","features":[418]},{"name":"fdexNameNoDynamicProperties","features":[418]},{"name":"fdexPropCanCall","features":[418]},{"name":"fdexPropCanConstruct","features":[418]},{"name":"fdexPropCanGet","features":[418]},{"name":"fdexPropCanPut","features":[418]},{"name":"fdexPropCanPutRef","features":[418]},{"name":"fdexPropCanSourceEvents","features":[418]},{"name":"fdexPropCannotCall","features":[418]},{"name":"fdexPropCannotConstruct","features":[418]},{"name":"fdexPropCannotGet","features":[418]},{"name":"fdexPropCannotPut","features":[418]},{"name":"fdexPropCannotPutRef","features":[418]},{"name":"fdexPropCannotSourceEvents","features":[418]},{"name":"fdexPropDynamicType","features":[418]},{"name":"fdexPropNoSideEffects","features":[418]},{"name":"triChecked","features":[418]},{"name":"triGray","features":[418]},{"name":"triUnchecked","features":[418]}],"586":[{"name":"ARRAY_SEP_CHAR","features":[573]},{"name":"FACILITY_WPC","features":[573]},{"name":"IWPCGamesSettings","features":[573]},{"name":"IWPCProviderConfig","features":[573]},{"name":"IWPCProviderState","features":[573]},{"name":"IWPCProviderSupport","features":[573]},{"name":"IWPCSettings","features":[573]},{"name":"IWPCWebSettings","features":[573]},{"name":"IWindowsParentalControls","features":[573]},{"name":"IWindowsParentalControlsCore","features":[573]},{"name":"MSG_Event_AppBlocked","features":[573]},{"name":"MSG_Event_AppOverride","features":[573]},{"name":"MSG_Event_Application","features":[573]},{"name":"MSG_Event_ComputerUsage","features":[573]},{"name":"MSG_Event_ContentUsage","features":[573]},{"name":"MSG_Event_Custom","features":[573]},{"name":"MSG_Event_EmailContact","features":[573]},{"name":"MSG_Event_EmailReceived","features":[573]},{"name":"MSG_Event_EmailSent","features":[573]},{"name":"MSG_Event_FileDownload","features":[573]},{"name":"MSG_Event_GameStart","features":[573]},{"name":"MSG_Event_IMContact","features":[573]},{"name":"MSG_Event_IMFeature","features":[573]},{"name":"MSG_Event_IMInvitation","features":[573]},{"name":"MSG_Event_IMJoin","features":[573]},{"name":"MSG_Event_IMLeave","features":[573]},{"name":"MSG_Event_MediaPlayback","features":[573]},{"name":"MSG_Event_SettingChange","features":[573]},{"name":"MSG_Event_UrlVisit","features":[573]},{"name":"MSG_Event_WebOverride","features":[573]},{"name":"MSG_Event_WebsiteVisit","features":[573]},{"name":"MSG_Keyword_ThirdParty","features":[573]},{"name":"MSG_Keyword_WPC","features":[573]},{"name":"MSG_Opcode_Launch","features":[573]},{"name":"MSG_Opcode_Locate","features":[573]},{"name":"MSG_Opcode_Modify","features":[573]},{"name":"MSG_Opcode_System","features":[573]},{"name":"MSG_Opcode_Web","features":[573]},{"name":"MSG_Publisher_Name","features":[573]},{"name":"MSG_Task_AppBlocked","features":[573]},{"name":"MSG_Task_AppOverride","features":[573]},{"name":"MSG_Task_Application","features":[573]},{"name":"MSG_Task_ComputerUsage","features":[573]},{"name":"MSG_Task_ContentUsage","features":[573]},{"name":"MSG_Task_Custom","features":[573]},{"name":"MSG_Task_EmailContact","features":[573]},{"name":"MSG_Task_EmailReceived","features":[573]},{"name":"MSG_Task_EmailSent","features":[573]},{"name":"MSG_Task_FileDownload","features":[573]},{"name":"MSG_Task_GameStart","features":[573]},{"name":"MSG_Task_IMContact","features":[573]},{"name":"MSG_Task_IMFeature","features":[573]},{"name":"MSG_Task_IMInvitation","features":[573]},{"name":"MSG_Task_IMJoin","features":[573]},{"name":"MSG_Task_IMLeave","features":[573]},{"name":"MSG_Task_MediaPlayback","features":[573]},{"name":"MSG_Task_SettingChange","features":[573]},{"name":"MSG_Task_UrlVisit","features":[573]},{"name":"MSG_Task_WebOverride","features":[573]},{"name":"MSG_Task_WebsiteVisit","features":[573]},{"name":"WPCCHANNEL","features":[573]},{"name":"WPCEVENT_APPLICATION_value","features":[573]},{"name":"WPCEVENT_APPOVERRIDE_value","features":[573]},{"name":"WPCEVENT_COMPUTERUSAGE_value","features":[573]},{"name":"WPCEVENT_CONTENTUSAGE_value","features":[573]},{"name":"WPCEVENT_CUSTOM_value","features":[573]},{"name":"WPCEVENT_EMAIL_CONTACT_value","features":[573]},{"name":"WPCEVENT_EMAIL_RECEIVED_value","features":[573]},{"name":"WPCEVENT_EMAIL_SENT_value","features":[573]},{"name":"WPCEVENT_GAME_START_value","features":[573]},{"name":"WPCEVENT_IM_CONTACT_value","features":[573]},{"name":"WPCEVENT_IM_FEATURE_value","features":[573]},{"name":"WPCEVENT_IM_INVITATION_value","features":[573]},{"name":"WPCEVENT_IM_JOIN_value","features":[573]},{"name":"WPCEVENT_IM_LEAVE_value","features":[573]},{"name":"WPCEVENT_MEDIA_PLAYBACK_value","features":[573]},{"name":"WPCEVENT_SYSTEM_APPBLOCKED_value","features":[573]},{"name":"WPCEVENT_SYS_SETTINGCHANGE_value","features":[573]},{"name":"WPCEVENT_WEBOVERRIDE_value","features":[573]},{"name":"WPCEVENT_WEB_FILEDOWNLOAD_value","features":[573]},{"name":"WPCEVENT_WEB_URLVISIT_value","features":[573]},{"name":"WPCEVENT_WEB_WEBSITEVISIT_value","features":[573]},{"name":"WPCFLAG_APPLICATION","features":[573]},{"name":"WPCFLAG_APPS_RESTRICTED","features":[573]},{"name":"WPCFLAG_GAMES_BLOCKED","features":[573]},{"name":"WPCFLAG_GAMES_RESTRICTED","features":[573]},{"name":"WPCFLAG_HOURS_RESTRICTED","features":[573]},{"name":"WPCFLAG_IM_FEATURE","features":[573]},{"name":"WPCFLAG_IM_FEATURE_ALL","features":[573]},{"name":"WPCFLAG_IM_FEATURE_AUDIO","features":[573]},{"name":"WPCFLAG_IM_FEATURE_FILESWAP","features":[573]},{"name":"WPCFLAG_IM_FEATURE_GAME","features":[573]},{"name":"WPCFLAG_IM_FEATURE_NONE","features":[573]},{"name":"WPCFLAG_IM_FEATURE_SENDING","features":[573]},{"name":"WPCFLAG_IM_FEATURE_SMS","features":[573]},{"name":"WPCFLAG_IM_FEATURE_URLSWAP","features":[573]},{"name":"WPCFLAG_IM_FEATURE_VIDEO","features":[573]},{"name":"WPCFLAG_IM_LEAVE","features":[573]},{"name":"WPCFLAG_IM_LEAVE_CONVERSATION_END","features":[573]},{"name":"WPCFLAG_IM_LEAVE_FORCED","features":[573]},{"name":"WPCFLAG_IM_LEAVE_NORMAL","features":[573]},{"name":"WPCFLAG_ISBLOCKED","features":[573]},{"name":"WPCFLAG_ISBLOCKED_ATTACHMENTBLOCKED","features":[573]},{"name":"WPCFLAG_ISBLOCKED_BADPASS","features":[573]},{"name":"WPCFLAG_ISBLOCKED_CATEGORYBLOCKED","features":[573]},{"name":"WPCFLAG_ISBLOCKED_CATEGORYNOTINLIST","features":[573]},{"name":"WPCFLAG_ISBLOCKED_CONTACTBLOCKED","features":[573]},{"name":"WPCFLAG_ISBLOCKED_DESCRIPTORBLOCKED","features":[573]},{"name":"WPCFLAG_ISBLOCKED_DOWNLOADBLOCKED","features":[573]},{"name":"WPCFLAG_ISBLOCKED_EMAILBLOCKED","features":[573]},{"name":"WPCFLAG_ISBLOCKED_EXPLICITBLOCK","features":[573]},{"name":"WPCFLAG_ISBLOCKED_FEATUREBLOCKED","features":[573]},{"name":"WPCFLAG_ISBLOCKED_GAMESBLOCKED","features":[573]},{"name":"WPCFLAG_ISBLOCKED_IMBLOCKED","features":[573]},{"name":"WPCFLAG_ISBLOCKED_INTERNALERROR","features":[573]},{"name":"WPCFLAG_ISBLOCKED_MAXHOURS","features":[573]},{"name":"WPCFLAG_ISBLOCKED_MEDIAPLAYBACKBLOCKED","features":[573]},{"name":"WPCFLAG_ISBLOCKED_NOACCESS","features":[573]},{"name":"WPCFLAG_ISBLOCKED_NOTBLOCKED","features":[573]},{"name":"WPCFLAG_ISBLOCKED_NOTEXPLICITLYALLOWED","features":[573]},{"name":"WPCFLAG_ISBLOCKED_NOTINLIST","features":[573]},{"name":"WPCFLAG_ISBLOCKED_NOTKIDS","features":[573]},{"name":"WPCFLAG_ISBLOCKED_RATINGBLOCKED","features":[573]},{"name":"WPCFLAG_ISBLOCKED_RECEIVERBLOCKED","features":[573]},{"name":"WPCFLAG_ISBLOCKED_SENDERBLOCKED","features":[573]},{"name":"WPCFLAG_ISBLOCKED_SETTINGSCHANGEBLOCKED","features":[573]},{"name":"WPCFLAG_ISBLOCKED_SPECHOURS","features":[573]},{"name":"WPCFLAG_ISBLOCKED_UNRATED","features":[573]},{"name":"WPCFLAG_ISBLOCKED_WEBBLOCKED","features":[573]},{"name":"WPCFLAG_LOGGING_REQUIRED","features":[573]},{"name":"WPCFLAG_LOGOFF_TYPE","features":[573]},{"name":"WPCFLAG_LOGOFF_TYPE_FORCEDFUS","features":[573]},{"name":"WPCFLAG_LOGOFF_TYPE_FUS","features":[573]},{"name":"WPCFLAG_LOGOFF_TYPE_LOGOUT","features":[573]},{"name":"WPCFLAG_LOGOFF_TYPE_RESTART","features":[573]},{"name":"WPCFLAG_LOGOFF_TYPE_SHUTDOWN","features":[573]},{"name":"WPCFLAG_NO_RESTRICTION","features":[573]},{"name":"WPCFLAG_OVERRIDE","features":[573]},{"name":"WPCFLAG_RESTRICTION","features":[573]},{"name":"WPCFLAG_TIME_ALLOWANCE_RESTRICTED","features":[573]},{"name":"WPCFLAG_VISIBILITY","features":[573]},{"name":"WPCFLAG_WEB_FILTERED","features":[573]},{"name":"WPCFLAG_WEB_SETTING","features":[573]},{"name":"WPCFLAG_WEB_SETTING_DOWNLOADSBLOCKED","features":[573]},{"name":"WPCFLAG_WEB_SETTING_NOTBLOCKED","features":[573]},{"name":"WPCFLAG_WPC_HIDDEN","features":[573]},{"name":"WPCFLAG_WPC_VISIBLE","features":[573]},{"name":"WPCPROV","features":[573]},{"name":"WPCPROV_KEYWORD_ThirdParty","features":[573]},{"name":"WPCPROV_KEYWORD_WPC","features":[573]},{"name":"WPCPROV_TASK_AppBlocked","features":[573]},{"name":"WPCPROV_TASK_AppOverride","features":[573]},{"name":"WPCPROV_TASK_Application","features":[573]},{"name":"WPCPROV_TASK_ComputerUsage","features":[573]},{"name":"WPCPROV_TASK_ContentUsage","features":[573]},{"name":"WPCPROV_TASK_Custom","features":[573]},{"name":"WPCPROV_TASK_EmailContact","features":[573]},{"name":"WPCPROV_TASK_EmailReceived","features":[573]},{"name":"WPCPROV_TASK_EmailSent","features":[573]},{"name":"WPCPROV_TASK_FileDownload","features":[573]},{"name":"WPCPROV_TASK_GameStart","features":[573]},{"name":"WPCPROV_TASK_IMContact","features":[573]},{"name":"WPCPROV_TASK_IMFeature","features":[573]},{"name":"WPCPROV_TASK_IMInvitation","features":[573]},{"name":"WPCPROV_TASK_IMJoin","features":[573]},{"name":"WPCPROV_TASK_IMLeave","features":[573]},{"name":"WPCPROV_TASK_MediaPlayback","features":[573]},{"name":"WPCPROV_TASK_SettingChange","features":[573]},{"name":"WPCPROV_TASK_UrlVisit","features":[573]},{"name":"WPCPROV_TASK_WebOverride","features":[573]},{"name":"WPCPROV_TASK_WebsiteVisit","features":[573]},{"name":"WPC_APP_LAUNCH","features":[573]},{"name":"WPC_ARGS_APPLICATIONEVENT","features":[573]},{"name":"WPC_ARGS_APPLICATIONEVENT_CARGS","features":[573]},{"name":"WPC_ARGS_APPLICATIONEVENT_CREATIONTIME","features":[573]},{"name":"WPC_ARGS_APPLICATIONEVENT_DECISION","features":[573]},{"name":"WPC_ARGS_APPLICATIONEVENT_PROCESSID","features":[573]},{"name":"WPC_ARGS_APPLICATIONEVENT_SERIALIZEDAPPLICATION","features":[573]},{"name":"WPC_ARGS_APPLICATIONEVENT_TIMEUSED","features":[573]},{"name":"WPC_ARGS_APPOVERRIDEEVENT","features":[573]},{"name":"WPC_ARGS_APPOVERRIDEEVENT_CARGS","features":[573]},{"name":"WPC_ARGS_APPOVERRIDEEVENT_PATH","features":[573]},{"name":"WPC_ARGS_APPOVERRIDEEVENT_REASON","features":[573]},{"name":"WPC_ARGS_APPOVERRIDEEVENT_USERID","features":[573]},{"name":"WPC_ARGS_COMPUTERUSAGEEVENT","features":[573]},{"name":"WPC_ARGS_COMPUTERUSAGEEVENT_CARGS","features":[573]},{"name":"WPC_ARGS_COMPUTERUSAGEEVENT_ID","features":[573]},{"name":"WPC_ARGS_COMPUTERUSAGEEVENT_TIMEUSED","features":[573]},{"name":"WPC_ARGS_CONTENTUSAGEEVENT","features":[573]},{"name":"WPC_ARGS_CONTENTUSAGEEVENT_CARGS","features":[573]},{"name":"WPC_ARGS_CONTENTUSAGEEVENT_CATEGORY","features":[573]},{"name":"WPC_ARGS_CONTENTUSAGEEVENT_CONTENTPROVIDERID","features":[573]},{"name":"WPC_ARGS_CONTENTUSAGEEVENT_CONTENTPROVIDERTITLE","features":[573]},{"name":"WPC_ARGS_CONTENTUSAGEEVENT_DECISION","features":[573]},{"name":"WPC_ARGS_CONTENTUSAGEEVENT_ID","features":[573]},{"name":"WPC_ARGS_CONTENTUSAGEEVENT_RATINGS","features":[573]},{"name":"WPC_ARGS_CONTENTUSAGEEVENT_TITLE","features":[573]},{"name":"WPC_ARGS_CONVERSATIONINITEVENT","features":[573]},{"name":"WPC_ARGS_CONVERSATIONINITEVENT_ACCOUNTNAME","features":[573]},{"name":"WPC_ARGS_CONVERSATIONINITEVENT_APPNAME","features":[573]},{"name":"WPC_ARGS_CONVERSATIONINITEVENT_APPVERSION","features":[573]},{"name":"WPC_ARGS_CONVERSATIONINITEVENT_CARGS","features":[573]},{"name":"WPC_ARGS_CONVERSATIONINITEVENT_CONVID","features":[573]},{"name":"WPC_ARGS_CONVERSATIONINITEVENT_REASON","features":[573]},{"name":"WPC_ARGS_CONVERSATIONINITEVENT_RECIPCOUNT","features":[573]},{"name":"WPC_ARGS_CONVERSATIONINITEVENT_RECIPIENT","features":[573]},{"name":"WPC_ARGS_CONVERSATIONINITEVENT_REQUESTINGIP","features":[573]},{"name":"WPC_ARGS_CONVERSATIONINITEVENT_SENDER","features":[573]},{"name":"WPC_ARGS_CONVERSATIONJOINEVENT","features":[573]},{"name":"WPC_ARGS_CONVERSATIONJOINEVENT_ACCOUNTNAME","features":[573]},{"name":"WPC_ARGS_CONVERSATIONJOINEVENT_APPNAME","features":[573]},{"name":"WPC_ARGS_CONVERSATIONJOINEVENT_APPVERSION","features":[573]},{"name":"WPC_ARGS_CONVERSATIONJOINEVENT_CARGS","features":[573]},{"name":"WPC_ARGS_CONVERSATIONJOINEVENT_CONVID","features":[573]},{"name":"WPC_ARGS_CONVERSATIONJOINEVENT_JOININGIP","features":[573]},{"name":"WPC_ARGS_CONVERSATIONJOINEVENT_JOININGUSER","features":[573]},{"name":"WPC_ARGS_CONVERSATIONJOINEVENT_MEMBER","features":[573]},{"name":"WPC_ARGS_CONVERSATIONJOINEVENT_MEMBERCOUNT","features":[573]},{"name":"WPC_ARGS_CONVERSATIONJOINEVENT_REASON","features":[573]},{"name":"WPC_ARGS_CONVERSATIONJOINEVENT_SENDER","features":[573]},{"name":"WPC_ARGS_CONVERSATIONLEAVEEVENT","features":[573]},{"name":"WPC_ARGS_CONVERSATIONLEAVEEVENT_ACCOUNTNAME","features":[573]},{"name":"WPC_ARGS_CONVERSATIONLEAVEEVENT_APPNAME","features":[573]},{"name":"WPC_ARGS_CONVERSATIONLEAVEEVENT_APPVERSION","features":[573]},{"name":"WPC_ARGS_CONVERSATIONLEAVEEVENT_CARGS","features":[573]},{"name":"WPC_ARGS_CONVERSATIONLEAVEEVENT_CONVID","features":[573]},{"name":"WPC_ARGS_CONVERSATIONLEAVEEVENT_FLAGS","features":[573]},{"name":"WPC_ARGS_CONVERSATIONLEAVEEVENT_LEAVINGIP","features":[573]},{"name":"WPC_ARGS_CONVERSATIONLEAVEEVENT_LEAVINGUSER","features":[573]},{"name":"WPC_ARGS_CONVERSATIONLEAVEEVENT_MEMBER","features":[573]},{"name":"WPC_ARGS_CONVERSATIONLEAVEEVENT_MEMBERCOUNT","features":[573]},{"name":"WPC_ARGS_CONVERSATIONLEAVEEVENT_REASON","features":[573]},{"name":"WPC_ARGS_CUSTOMEVENT","features":[573]},{"name":"WPC_ARGS_CUSTOMEVENT_APPNAME","features":[573]},{"name":"WPC_ARGS_CUSTOMEVENT_APPVERSION","features":[573]},{"name":"WPC_ARGS_CUSTOMEVENT_BLOCKED","features":[573]},{"name":"WPC_ARGS_CUSTOMEVENT_CARGS","features":[573]},{"name":"WPC_ARGS_CUSTOMEVENT_EVENT","features":[573]},{"name":"WPC_ARGS_CUSTOMEVENT_PUBLISHER","features":[573]},{"name":"WPC_ARGS_CUSTOMEVENT_REASON","features":[573]},{"name":"WPC_ARGS_CUSTOMEVENT_VALUE1","features":[573]},{"name":"WPC_ARGS_CUSTOMEVENT_VALUE2","features":[573]},{"name":"WPC_ARGS_CUSTOMEVENT_VALUE3","features":[573]},{"name":"WPC_ARGS_EMAILCONTACTEVENT","features":[573]},{"name":"WPC_ARGS_EMAILCONTACTEVENT_APPNAME","features":[573]},{"name":"WPC_ARGS_EMAILCONTACTEVENT_APPVERSION","features":[573]},{"name":"WPC_ARGS_EMAILCONTACTEVENT_CARGS","features":[573]},{"name":"WPC_ARGS_EMAILCONTACTEVENT_EMAILACCOUNT","features":[573]},{"name":"WPC_ARGS_EMAILCONTACTEVENT_NEWID","features":[573]},{"name":"WPC_ARGS_EMAILCONTACTEVENT_NEWNAME","features":[573]},{"name":"WPC_ARGS_EMAILCONTACTEVENT_OLDID","features":[573]},{"name":"WPC_ARGS_EMAILCONTACTEVENT_OLDNAME","features":[573]},{"name":"WPC_ARGS_EMAILCONTACTEVENT_REASON","features":[573]},{"name":"WPC_ARGS_EMAILRECEIEVEDEVENT","features":[573]},{"name":"WPC_ARGS_EMAILRECEIEVEDEVENT_APPNAME","features":[573]},{"name":"WPC_ARGS_EMAILRECEIEVEDEVENT_APPVERSION","features":[573]},{"name":"WPC_ARGS_EMAILRECEIEVEDEVENT_ATTACHCOUNT","features":[573]},{"name":"WPC_ARGS_EMAILRECEIEVEDEVENT_ATTACHMENTNAME","features":[573]},{"name":"WPC_ARGS_EMAILRECEIEVEDEVENT_CARGS","features":[573]},{"name":"WPC_ARGS_EMAILRECEIEVEDEVENT_EMAILACCOUNT","features":[573]},{"name":"WPC_ARGS_EMAILRECEIEVEDEVENT_REASON","features":[573]},{"name":"WPC_ARGS_EMAILRECEIEVEDEVENT_RECEIVEDTIME","features":[573]},{"name":"WPC_ARGS_EMAILRECEIEVEDEVENT_RECIPCOUNT","features":[573]},{"name":"WPC_ARGS_EMAILRECEIEVEDEVENT_RECIPIENT","features":[573]},{"name":"WPC_ARGS_EMAILRECEIEVEDEVENT_SENDER","features":[573]},{"name":"WPC_ARGS_EMAILRECEIEVEDEVENT_SUBJECT","features":[573]},{"name":"WPC_ARGS_EMAILSENTEVENT","features":[573]},{"name":"WPC_ARGS_EMAILSENTEVENT_APPNAME","features":[573]},{"name":"WPC_ARGS_EMAILSENTEVENT_APPVERSION","features":[573]},{"name":"WPC_ARGS_EMAILSENTEVENT_ATTACHCOUNT","features":[573]},{"name":"WPC_ARGS_EMAILSENTEVENT_ATTACHMENTNAME","features":[573]},{"name":"WPC_ARGS_EMAILSENTEVENT_CARGS","features":[573]},{"name":"WPC_ARGS_EMAILSENTEVENT_EMAILACCOUNT","features":[573]},{"name":"WPC_ARGS_EMAILSENTEVENT_REASON","features":[573]},{"name":"WPC_ARGS_EMAILSENTEVENT_RECIPCOUNT","features":[573]},{"name":"WPC_ARGS_EMAILSENTEVENT_RECIPIENT","features":[573]},{"name":"WPC_ARGS_EMAILSENTEVENT_SENDER","features":[573]},{"name":"WPC_ARGS_EMAILSENTEVENT_SUBJECT","features":[573]},{"name":"WPC_ARGS_FILEDOWNLOADEVENT","features":[573]},{"name":"WPC_ARGS_FILEDOWNLOADEVENT_APPNAME","features":[573]},{"name":"WPC_ARGS_FILEDOWNLOADEVENT_BLOCKED","features":[573]},{"name":"WPC_ARGS_FILEDOWNLOADEVENT_CARGS","features":[573]},{"name":"WPC_ARGS_FILEDOWNLOADEVENT_PATH","features":[573]},{"name":"WPC_ARGS_FILEDOWNLOADEVENT_URL","features":[573]},{"name":"WPC_ARGS_FILEDOWNLOADEVENT_VERSION","features":[573]},{"name":"WPC_ARGS_GAMESTARTEVENT","features":[573]},{"name":"WPC_ARGS_GAMESTARTEVENT_APPID","features":[573]},{"name":"WPC_ARGS_GAMESTARTEVENT_APPVERSION","features":[573]},{"name":"WPC_ARGS_GAMESTARTEVENT_CARGS","features":[573]},{"name":"WPC_ARGS_GAMESTARTEVENT_DESCCOUNT","features":[573]},{"name":"WPC_ARGS_GAMESTARTEVENT_DESCRIPTOR","features":[573]},{"name":"WPC_ARGS_GAMESTARTEVENT_INSTANCEID","features":[573]},{"name":"WPC_ARGS_GAMESTARTEVENT_PATH","features":[573]},{"name":"WPC_ARGS_GAMESTARTEVENT_PID","features":[573]},{"name":"WPC_ARGS_GAMESTARTEVENT_RATING","features":[573]},{"name":"WPC_ARGS_GAMESTARTEVENT_RATINGSYSTEM","features":[573]},{"name":"WPC_ARGS_GAMESTARTEVENT_REASON","features":[573]},{"name":"WPC_ARGS_IMCONTACTEVENT","features":[573]},{"name":"WPC_ARGS_IMCONTACTEVENT_ACCOUNTNAME","features":[573]},{"name":"WPC_ARGS_IMCONTACTEVENT_APPNAME","features":[573]},{"name":"WPC_ARGS_IMCONTACTEVENT_APPVERSION","features":[573]},{"name":"WPC_ARGS_IMCONTACTEVENT_CARGS","features":[573]},{"name":"WPC_ARGS_IMCONTACTEVENT_NEWID","features":[573]},{"name":"WPC_ARGS_IMCONTACTEVENT_NEWNAME","features":[573]},{"name":"WPC_ARGS_IMCONTACTEVENT_OLDID","features":[573]},{"name":"WPC_ARGS_IMCONTACTEVENT_OLDNAME","features":[573]},{"name":"WPC_ARGS_IMCONTACTEVENT_REASON","features":[573]},{"name":"WPC_ARGS_IMFEATUREEVENT","features":[573]},{"name":"WPC_ARGS_IMFEATUREEVENT_ACCOUNTNAME","features":[573]},{"name":"WPC_ARGS_IMFEATUREEVENT_APPNAME","features":[573]},{"name":"WPC_ARGS_IMFEATUREEVENT_APPVERSION","features":[573]},{"name":"WPC_ARGS_IMFEATUREEVENT_CARGS","features":[573]},{"name":"WPC_ARGS_IMFEATUREEVENT_CONVID","features":[573]},{"name":"WPC_ARGS_IMFEATUREEVENT_DATA","features":[573]},{"name":"WPC_ARGS_IMFEATUREEVENT_MEDIATYPE","features":[573]},{"name":"WPC_ARGS_IMFEATUREEVENT_REASON","features":[573]},{"name":"WPC_ARGS_IMFEATUREEVENT_RECIPCOUNT","features":[573]},{"name":"WPC_ARGS_IMFEATUREEVENT_RECIPIENT","features":[573]},{"name":"WPC_ARGS_IMFEATUREEVENT_SENDER","features":[573]},{"name":"WPC_ARGS_IMFEATUREEVENT_SENDERIP","features":[573]},{"name":"WPC_ARGS_MEDIADOWNLOADEVENT","features":[573]},{"name":"WPC_ARGS_MEDIADOWNLOADEVENT_ALBUM","features":[573]},{"name":"WPC_ARGS_MEDIADOWNLOADEVENT_APPNAME","features":[573]},{"name":"WPC_ARGS_MEDIADOWNLOADEVENT_APPVERSION","features":[573]},{"name":"WPC_ARGS_MEDIADOWNLOADEVENT_CARGS","features":[573]},{"name":"WPC_ARGS_MEDIADOWNLOADEVENT_EXPLICIT","features":[573]},{"name":"WPC_ARGS_MEDIADOWNLOADEVENT_MEDIATYPE","features":[573]},{"name":"WPC_ARGS_MEDIADOWNLOADEVENT_PATH","features":[573]},{"name":"WPC_ARGS_MEDIADOWNLOADEVENT_PML","features":[573]},{"name":"WPC_ARGS_MEDIADOWNLOADEVENT_REASON","features":[573]},{"name":"WPC_ARGS_MEDIADOWNLOADEVENT_TITLE","features":[573]},{"name":"WPC_ARGS_MEDIAPLAYBACKEVENT","features":[573]},{"name":"WPC_ARGS_MEDIAPLAYBACKEVENT_ALBUM","features":[573]},{"name":"WPC_ARGS_MEDIAPLAYBACKEVENT_APPNAME","features":[573]},{"name":"WPC_ARGS_MEDIAPLAYBACKEVENT_APPVERSION","features":[573]},{"name":"WPC_ARGS_MEDIAPLAYBACKEVENT_CARGS","features":[573]},{"name":"WPC_ARGS_MEDIAPLAYBACKEVENT_EXPLICIT","features":[573]},{"name":"WPC_ARGS_MEDIAPLAYBACKEVENT_MEDIATYPE","features":[573]},{"name":"WPC_ARGS_MEDIAPLAYBACKEVENT_PATH","features":[573]},{"name":"WPC_ARGS_MEDIAPLAYBACKEVENT_PML","features":[573]},{"name":"WPC_ARGS_MEDIAPLAYBACKEVENT_REASON","features":[573]},{"name":"WPC_ARGS_MEDIAPLAYBACKEVENT_TITLE","features":[573]},{"name":"WPC_ARGS_SAFERAPPBLOCKED","features":[573]},{"name":"WPC_ARGS_SAFERAPPBLOCKED_CARGS","features":[573]},{"name":"WPC_ARGS_SAFERAPPBLOCKED_PATH","features":[573]},{"name":"WPC_ARGS_SAFERAPPBLOCKED_RULEID","features":[573]},{"name":"WPC_ARGS_SAFERAPPBLOCKED_TIMESTAMP","features":[573]},{"name":"WPC_ARGS_SAFERAPPBLOCKED_USERID","features":[573]},{"name":"WPC_ARGS_SETTINGSCHANGEEVENT","features":[573]},{"name":"WPC_ARGS_SETTINGSCHANGEEVENT_CARGS","features":[573]},{"name":"WPC_ARGS_SETTINGSCHANGEEVENT_CLASS","features":[573]},{"name":"WPC_ARGS_SETTINGSCHANGEEVENT_NEWVAL","features":[573]},{"name":"WPC_ARGS_SETTINGSCHANGEEVENT_OLDVAL","features":[573]},{"name":"WPC_ARGS_SETTINGSCHANGEEVENT_OPTIONAL","features":[573]},{"name":"WPC_ARGS_SETTINGSCHANGEEVENT_OWNER","features":[573]},{"name":"WPC_ARGS_SETTINGSCHANGEEVENT_REASON","features":[573]},{"name":"WPC_ARGS_SETTINGSCHANGEEVENT_SETTING","features":[573]},{"name":"WPC_ARGS_URLVISITEVENT","features":[573]},{"name":"WPC_ARGS_URLVISITEVENT_APPNAME","features":[573]},{"name":"WPC_ARGS_URLVISITEVENT_CARGS","features":[573]},{"name":"WPC_ARGS_URLVISITEVENT_CATCOUNT","features":[573]},{"name":"WPC_ARGS_URLVISITEVENT_CATEGORY","features":[573]},{"name":"WPC_ARGS_URLVISITEVENT_RATINGSYSTEMID","features":[573]},{"name":"WPC_ARGS_URLVISITEVENT_REASON","features":[573]},{"name":"WPC_ARGS_URLVISITEVENT_URL","features":[573]},{"name":"WPC_ARGS_URLVISITEVENT_VERSION","features":[573]},{"name":"WPC_ARGS_WEBOVERRIDEEVENT","features":[573]},{"name":"WPC_ARGS_WEBOVERRIDEEVENT_CARGS","features":[573]},{"name":"WPC_ARGS_WEBOVERRIDEEVENT_REASON","features":[573]},{"name":"WPC_ARGS_WEBOVERRIDEEVENT_URL","features":[573]},{"name":"WPC_ARGS_WEBOVERRIDEEVENT_USERID","features":[573]},{"name":"WPC_ARGS_WEBSITEVISITEVENT","features":[573]},{"name":"WPC_ARGS_WEBSITEVISITEVENT_BLOCKEDCATEGORIES","features":[573]},{"name":"WPC_ARGS_WEBSITEVISITEVENT_CARGS","features":[573]},{"name":"WPC_ARGS_WEBSITEVISITEVENT_CATEGORIES","features":[573]},{"name":"WPC_ARGS_WEBSITEVISITEVENT_CONTENTTYPE","features":[573]},{"name":"WPC_ARGS_WEBSITEVISITEVENT_DECISION","features":[573]},{"name":"WPC_ARGS_WEBSITEVISITEVENT_REFERRER","features":[573]},{"name":"WPC_ARGS_WEBSITEVISITEVENT_SERIALIZEDAPPLICATION","features":[573]},{"name":"WPC_ARGS_WEBSITEVISITEVENT_TELEMETRY","features":[573]},{"name":"WPC_ARGS_WEBSITEVISITEVENT_TITLE","features":[573]},{"name":"WPC_ARGS_WEBSITEVISITEVENT_URL","features":[573]},{"name":"WPC_MEDIA_EXPLICIT","features":[573]},{"name":"WPC_MEDIA_EXPLICIT_FALSE","features":[573]},{"name":"WPC_MEDIA_EXPLICIT_TRUE","features":[573]},{"name":"WPC_MEDIA_EXPLICIT_UNKNOWN","features":[573]},{"name":"WPC_MEDIA_TYPE","features":[573]},{"name":"WPC_MEDIA_TYPE_AUDIO_FILE","features":[573]},{"name":"WPC_MEDIA_TYPE_CD_AUDIO","features":[573]},{"name":"WPC_MEDIA_TYPE_DVD","features":[573]},{"name":"WPC_MEDIA_TYPE_MAX","features":[573]},{"name":"WPC_MEDIA_TYPE_OTHER","features":[573]},{"name":"WPC_MEDIA_TYPE_PICTURE_FILE","features":[573]},{"name":"WPC_MEDIA_TYPE_RECORDED_TV","features":[573]},{"name":"WPC_MEDIA_TYPE_VIDEO_FILE","features":[573]},{"name":"WPC_SETTINGS","features":[573]},{"name":"WPC_SETTINGS_ALLOW_BLOCK","features":[573]},{"name":"WPC_SETTINGS_GAME_ALLOW_UNRATED","features":[573]},{"name":"WPC_SETTINGS_GAME_BLOCKED","features":[573]},{"name":"WPC_SETTINGS_GAME_DENIED_DESCRIPTORS","features":[573]},{"name":"WPC_SETTINGS_GAME_MAX_ALLOWED","features":[573]},{"name":"WPC_SETTINGS_GAME_RESTRICTED","features":[573]},{"name":"WPC_SETTINGS_LOCATE","features":[573]},{"name":"WPC_SETTINGS_MODIFY","features":[573]},{"name":"WPC_SETTINGS_RATING_SYSTEM_PATH","features":[573]},{"name":"WPC_SETTINGS_SYSTEM_CURRENT_RATING_SYSTEM","features":[573]},{"name":"WPC_SETTINGS_SYSTEM_FILTER_ID","features":[573]},{"name":"WPC_SETTINGS_SYSTEM_FILTER_NAME","features":[573]},{"name":"WPC_SETTINGS_SYSTEM_HTTP_EXEMPTION_LIST","features":[573]},{"name":"WPC_SETTINGS_SYSTEM_LAST_LOG_VIEW","features":[573]},{"name":"WPC_SETTINGS_SYSTEM_LOCALE","features":[573]},{"name":"WPC_SETTINGS_SYSTEM_LOG_VIEW_REMINDER_INTERVAL","features":[573]},{"name":"WPC_SETTINGS_SYSTEM_URL_EXEMPTION_LIST","features":[573]},{"name":"WPC_SETTINGS_USER_APP_RESTRICTIONS","features":[573]},{"name":"WPC_SETTINGS_USER_HOURLY_RESTRICTIONS","features":[573]},{"name":"WPC_SETTINGS_USER_LOGGING_REQUIRED","features":[573]},{"name":"WPC_SETTINGS_USER_LOGON_HOURS","features":[573]},{"name":"WPC_SETTINGS_USER_OVERRRIDE_REQUESTS","features":[573]},{"name":"WPC_SETTINGS_USER_TIME_ALLOWANCE","features":[573]},{"name":"WPC_SETTINGS_USER_TIME_ALLOWANCE_RESTRICTIONS","features":[573]},{"name":"WPC_SETTINGS_USER_WPC_ENABLED","features":[573]},{"name":"WPC_SETTINGS_WEB_BLOCKED_CATEGORY_LIST","features":[573]},{"name":"WPC_SETTINGS_WEB_BLOCK_UNRATED","features":[573]},{"name":"WPC_SETTINGS_WEB_DOWNLOAD_BLOCKED","features":[573]},{"name":"WPC_SETTINGS_WEB_FILTER_LEVEL","features":[573]},{"name":"WPC_SETTINGS_WEB_FILTER_ON","features":[573]},{"name":"WPC_SETTINGS_WPC_ENABLED","features":[573]},{"name":"WPC_SETTINGS_WPC_EXTENSION_DISABLEDIMAGE_PATH","features":[573]},{"name":"WPC_SETTINGS_WPC_EXTENSION_IMAGE_PATH","features":[573]},{"name":"WPC_SETTINGS_WPC_EXTENSION_NAME","features":[573]},{"name":"WPC_SETTINGS_WPC_EXTENSION_PATH","features":[573]},{"name":"WPC_SETTINGS_WPC_EXTENSION_SILO","features":[573]},{"name":"WPC_SETTINGS_WPC_EXTENSION_SUB_TITLE","features":[573]},{"name":"WPC_SETTINGS_WPC_LOGGING_REQUIRED","features":[573]},{"name":"WPC_SETTINGS_WPC_PROVIDER_CURRENT","features":[573]},{"name":"WPC_SETTING_COUNT","features":[573]},{"name":"WPC_SYSTEM","features":[573]},{"name":"WPC_WEB","features":[573]},{"name":"WindowsParentalControls","features":[573]},{"name":"WpcProviderSupport","features":[573]},{"name":"WpcSettingsProvider","features":[573]}],"587":[{"name":"CYPHER_BLOCK","features":[482]},{"name":"ENCRYPTED_LM_OWF_PASSWORD","features":[482]},{"name":"LM_OWF_PASSWORD","features":[482]},{"name":"MSChapSrvChangePassword","features":[308,482]},{"name":"MSChapSrvChangePassword2","features":[308,482]},{"name":"SAMPR_ENCRYPTED_USER_PASSWORD","features":[482]}],"588":[{"name":"AppearPropPage","features":[574]},{"name":"AutoPathFormat","features":[574]},{"name":"BackupPerfRegistryToFileW","features":[574]},{"name":"BootTraceSession","features":[574]},{"name":"BootTraceSessionCollection","features":[574]},{"name":"ClockType","features":[574]},{"name":"CommitMode","features":[574]},{"name":"CounterItem","features":[574]},{"name":"CounterItem2","features":[574]},{"name":"CounterPathCallBack","features":[574]},{"name":"CounterPropPage","features":[574]},{"name":"Counters","features":[574]},{"name":"DATA_SOURCE_REGISTRY","features":[574]},{"name":"DATA_SOURCE_WBEM","features":[574]},{"name":"DICounterItem","features":[359,574]},{"name":"DIID_DICounterItem","features":[574]},{"name":"DIID_DILogFileItem","features":[574]},{"name":"DIID_DISystemMonitor","features":[574]},{"name":"DIID_DISystemMonitorEvents","features":[574]},{"name":"DIID_DISystemMonitorInternal","features":[574]},{"name":"DILogFileItem","features":[359,574]},{"name":"DISystemMonitor","features":[359,574]},{"name":"DISystemMonitorEvents","features":[359,574]},{"name":"DISystemMonitorInternal","features":[359,574]},{"name":"DataCollectorSet","features":[574]},{"name":"DataCollectorSetCollection","features":[574]},{"name":"DataCollectorSetStatus","features":[574]},{"name":"DataCollectorType","features":[574]},{"name":"DataManagerSteps","features":[574]},{"name":"DataSourceTypeConstants","features":[574]},{"name":"DisplayTypeConstants","features":[574]},{"name":"FileFormat","features":[574]},{"name":"FolderActionSteps","features":[574]},{"name":"GeneralPropPage","features":[574]},{"name":"GraphPropPage","features":[574]},{"name":"H_WBEM_DATASOURCE","features":[574]},{"name":"IAlertDataCollector","features":[359,574]},{"name":"IApiTracingDataCollector","features":[359,574]},{"name":"IConfigurationDataCollector","features":[359,574]},{"name":"ICounterItem","features":[574]},{"name":"ICounterItem2","features":[574]},{"name":"ICounters","features":[359,574]},{"name":"IDataCollector","features":[359,574]},{"name":"IDataCollectorCollection","features":[359,574]},{"name":"IDataCollectorSet","features":[359,574]},{"name":"IDataCollectorSetCollection","features":[359,574]},{"name":"IDataManager","features":[359,574]},{"name":"IFolderAction","features":[359,574]},{"name":"IFolderActionCollection","features":[359,574]},{"name":"ILogFileItem","features":[574]},{"name":"ILogFiles","features":[359,574]},{"name":"IPerformanceCounterDataCollector","features":[359,574]},{"name":"ISchedule","features":[359,574]},{"name":"IScheduleCollection","features":[359,574]},{"name":"ISystemMonitor","features":[574]},{"name":"ISystemMonitor2","features":[574]},{"name":"ISystemMonitorEvents","features":[574]},{"name":"ITraceDataCollector","features":[359,574]},{"name":"ITraceDataProvider","features":[359,574]},{"name":"ITraceDataProviderCollection","features":[359,574]},{"name":"IValueMap","features":[359,574]},{"name":"IValueMapItem","features":[359,574]},{"name":"InstallPerfDllA","features":[574]},{"name":"InstallPerfDllW","features":[574]},{"name":"LIBID_SystemMonitor","features":[574]},{"name":"LegacyDataCollectorSet","features":[574]},{"name":"LegacyDataCollectorSetCollection","features":[574]},{"name":"LegacyTraceSession","features":[574]},{"name":"LegacyTraceSessionCollection","features":[574]},{"name":"LoadPerfCounterTextStringsA","features":[308,574]},{"name":"LoadPerfCounterTextStringsW","features":[308,574]},{"name":"LogFileItem","features":[574]},{"name":"LogFiles","features":[574]},{"name":"MAX_COUNTER_PATH","features":[574]},{"name":"MAX_PERF_OBJECTS_IN_QUERY_FUNCTION","features":[574]},{"name":"PDH_ACCESS_DENIED","features":[574]},{"name":"PDH_ASYNC_QUERY_TIMEOUT","features":[574]},{"name":"PDH_BINARY_LOG_CORRUPT","features":[574]},{"name":"PDH_BROWSE_DLG_CONFIG_A","features":[308,574]},{"name":"PDH_BROWSE_DLG_CONFIG_HA","features":[308,574]},{"name":"PDH_BROWSE_DLG_CONFIG_HW","features":[308,574]},{"name":"PDH_BROWSE_DLG_CONFIG_W","features":[308,574]},{"name":"PDH_CALC_NEGATIVE_DENOMINATOR","features":[574]},{"name":"PDH_CALC_NEGATIVE_TIMEBASE","features":[574]},{"name":"PDH_CALC_NEGATIVE_VALUE","features":[574]},{"name":"PDH_CANNOT_CONNECT_MACHINE","features":[574]},{"name":"PDH_CANNOT_CONNECT_WMI_SERVER","features":[574]},{"name":"PDH_CANNOT_READ_NAME_STRINGS","features":[574]},{"name":"PDH_CANNOT_SET_DEFAULT_REALTIME_DATASOURCE","features":[574]},{"name":"PDH_COUNTER_ALREADY_IN_QUERY","features":[574]},{"name":"PDH_COUNTER_INFO_A","features":[574]},{"name":"PDH_COUNTER_INFO_W","features":[574]},{"name":"PDH_COUNTER_PATH_ELEMENTS_A","features":[574]},{"name":"PDH_COUNTER_PATH_ELEMENTS_W","features":[574]},{"name":"PDH_CSTATUS_BAD_COUNTERNAME","features":[574]},{"name":"PDH_CSTATUS_INVALID_DATA","features":[574]},{"name":"PDH_CSTATUS_ITEM_NOT_VALIDATED","features":[574]},{"name":"PDH_CSTATUS_NEW_DATA","features":[574]},{"name":"PDH_CSTATUS_NO_COUNTER","features":[574]},{"name":"PDH_CSTATUS_NO_COUNTERNAME","features":[574]},{"name":"PDH_CSTATUS_NO_INSTANCE","features":[574]},{"name":"PDH_CSTATUS_NO_MACHINE","features":[574]},{"name":"PDH_CSTATUS_NO_OBJECT","features":[574]},{"name":"PDH_CSTATUS_VALID_DATA","features":[574]},{"name":"PDH_CVERSION_WIN50","features":[574]},{"name":"PDH_DATA_ITEM_PATH_ELEMENTS_A","features":[574]},{"name":"PDH_DATA_ITEM_PATH_ELEMENTS_W","features":[574]},{"name":"PDH_DATA_SOURCE_IS_LOG_FILE","features":[574]},{"name":"PDH_DATA_SOURCE_IS_REAL_TIME","features":[574]},{"name":"PDH_DIALOG_CANCELLED","features":[574]},{"name":"PDH_DLL_VERSION","features":[574]},{"name":"PDH_END_OF_LOG_FILE","features":[574]},{"name":"PDH_ENTRY_NOT_IN_LOG_FILE","features":[574]},{"name":"PDH_FILE_ALREADY_EXISTS","features":[574]},{"name":"PDH_FILE_NOT_FOUND","features":[574]},{"name":"PDH_FLAGS_FILE_BROWSER_ONLY","features":[574]},{"name":"PDH_FLAGS_NONE","features":[574]},{"name":"PDH_FMT","features":[574]},{"name":"PDH_FMT_COUNTERVALUE","features":[574]},{"name":"PDH_FMT_COUNTERVALUE_ITEM_A","features":[574]},{"name":"PDH_FMT_COUNTERVALUE_ITEM_W","features":[574]},{"name":"PDH_FMT_DOUBLE","features":[574]},{"name":"PDH_FMT_LARGE","features":[574]},{"name":"PDH_FMT_LONG","features":[574]},{"name":"PDH_FUNCTION_NOT_FOUND","features":[574]},{"name":"PDH_INCORRECT_APPEND_TIME","features":[574]},{"name":"PDH_INSUFFICIENT_BUFFER","features":[574]},{"name":"PDH_INVALID_ARGUMENT","features":[574]},{"name":"PDH_INVALID_BUFFER","features":[574]},{"name":"PDH_INVALID_DATA","features":[574]},{"name":"PDH_INVALID_DATASOURCE","features":[574]},{"name":"PDH_INVALID_HANDLE","features":[574]},{"name":"PDH_INVALID_INSTANCE","features":[574]},{"name":"PDH_INVALID_PATH","features":[574]},{"name":"PDH_INVALID_SQLDB","features":[574]},{"name":"PDH_INVALID_SQL_LOG_FORMAT","features":[574]},{"name":"PDH_LOG","features":[574]},{"name":"PDH_LOGSVC_NOT_OPENED","features":[574]},{"name":"PDH_LOGSVC_QUERY_NOT_FOUND","features":[574]},{"name":"PDH_LOG_FILE_CREATE_ERROR","features":[574]},{"name":"PDH_LOG_FILE_OPEN_ERROR","features":[574]},{"name":"PDH_LOG_FILE_TOO_SMALL","features":[574]},{"name":"PDH_LOG_READ_ACCESS","features":[574]},{"name":"PDH_LOG_SAMPLE_TOO_SMALL","features":[574]},{"name":"PDH_LOG_SERVICE_QUERY_INFO_A","features":[308,574]},{"name":"PDH_LOG_SERVICE_QUERY_INFO_W","features":[308,574]},{"name":"PDH_LOG_TYPE","features":[574]},{"name":"PDH_LOG_TYPE_BINARY","features":[574]},{"name":"PDH_LOG_TYPE_CSV","features":[574]},{"name":"PDH_LOG_TYPE_NOT_FOUND","features":[574]},{"name":"PDH_LOG_TYPE_PERFMON","features":[574]},{"name":"PDH_LOG_TYPE_RETIRED_BIN","features":[574]},{"name":"PDH_LOG_TYPE_SQL","features":[574]},{"name":"PDH_LOG_TYPE_TRACE_GENERIC","features":[574]},{"name":"PDH_LOG_TYPE_TRACE_KERNEL","features":[574]},{"name":"PDH_LOG_TYPE_TSV","features":[574]},{"name":"PDH_LOG_TYPE_UNDEFINED","features":[574]},{"name":"PDH_LOG_UPDATE_ACCESS","features":[574]},{"name":"PDH_LOG_WRITE_ACCESS","features":[574]},{"name":"PDH_MAX_COUNTER_NAME","features":[574]},{"name":"PDH_MAX_COUNTER_PATH","features":[574]},{"name":"PDH_MAX_DATASOURCE_PATH","features":[574]},{"name":"PDH_MAX_INSTANCE_NAME","features":[574]},{"name":"PDH_MAX_SCALE","features":[574]},{"name":"PDH_MEMORY_ALLOCATION_FAILURE","features":[574]},{"name":"PDH_MIN_SCALE","features":[574]},{"name":"PDH_MORE_DATA","features":[574]},{"name":"PDH_NOEXPANDCOUNTERS","features":[574]},{"name":"PDH_NOEXPANDINSTANCES","features":[574]},{"name":"PDH_NOT_IMPLEMENTED","features":[574]},{"name":"PDH_NO_COUNTERS","features":[574]},{"name":"PDH_NO_DATA","features":[574]},{"name":"PDH_NO_DIALOG_DATA","features":[574]},{"name":"PDH_NO_MORE_DATA","features":[574]},{"name":"PDH_OS_EARLIER_VERSION","features":[574]},{"name":"PDH_OS_LATER_VERSION","features":[574]},{"name":"PDH_PATH_FLAGS","features":[574]},{"name":"PDH_PATH_WBEM_INPUT","features":[574]},{"name":"PDH_PATH_WBEM_NONE","features":[574]},{"name":"PDH_PATH_WBEM_RESULT","features":[574]},{"name":"PDH_PLA_COLLECTION_ALREADY_RUNNING","features":[574]},{"name":"PDH_PLA_COLLECTION_NOT_FOUND","features":[574]},{"name":"PDH_PLA_ERROR_ALREADY_EXISTS","features":[574]},{"name":"PDH_PLA_ERROR_FILEPATH","features":[574]},{"name":"PDH_PLA_ERROR_NAME_TOO_LONG","features":[574]},{"name":"PDH_PLA_ERROR_NOSTART","features":[574]},{"name":"PDH_PLA_ERROR_SCHEDULE_ELAPSED","features":[574]},{"name":"PDH_PLA_ERROR_SCHEDULE_OVERLAP","features":[574]},{"name":"PDH_PLA_ERROR_TYPE_MISMATCH","features":[574]},{"name":"PDH_PLA_SERVICE_ERROR","features":[574]},{"name":"PDH_PLA_VALIDATION_ERROR","features":[574]},{"name":"PDH_PLA_VALIDATION_WARNING","features":[574]},{"name":"PDH_QUERY_PERF_DATA_TIMEOUT","features":[574]},{"name":"PDH_RAW_COUNTER","features":[308,574]},{"name":"PDH_RAW_COUNTER_ITEM_A","features":[308,574]},{"name":"PDH_RAW_COUNTER_ITEM_W","features":[308,574]},{"name":"PDH_RAW_LOG_RECORD","features":[574]},{"name":"PDH_REFRESHCOUNTERS","features":[574]},{"name":"PDH_RETRY","features":[574]},{"name":"PDH_SELECT_DATA_SOURCE_FLAGS","features":[574]},{"name":"PDH_SQL_ALLOCCON_FAILED","features":[574]},{"name":"PDH_SQL_ALLOC_FAILED","features":[574]},{"name":"PDH_SQL_ALTER_DETAIL_FAILED","features":[574]},{"name":"PDH_SQL_BIND_FAILED","features":[574]},{"name":"PDH_SQL_CONNECT_FAILED","features":[574]},{"name":"PDH_SQL_EXEC_DIRECT_FAILED","features":[574]},{"name":"PDH_SQL_FETCH_FAILED","features":[574]},{"name":"PDH_SQL_MORE_RESULTS_FAILED","features":[574]},{"name":"PDH_SQL_ROWCOUNT_FAILED","features":[574]},{"name":"PDH_STATISTICS","features":[574]},{"name":"PDH_STRING_NOT_FOUND","features":[574]},{"name":"PDH_TIME_INFO","features":[574]},{"name":"PDH_UNABLE_MAP_NAME_FILES","features":[574]},{"name":"PDH_UNABLE_READ_LOG_HEADER","features":[574]},{"name":"PDH_UNKNOWN_LOGSVC_COMMAND","features":[574]},{"name":"PDH_UNKNOWN_LOG_FORMAT","features":[574]},{"name":"PDH_UNMATCHED_APPEND_COUNTER","features":[574]},{"name":"PDH_VERSION","features":[574]},{"name":"PDH_WBEM_ERROR","features":[574]},{"name":"PERFLIBREQUEST","features":[574]},{"name":"PERF_ADD_COUNTER","features":[574]},{"name":"PERF_AGGREGATE_AVG","features":[574]},{"name":"PERF_AGGREGATE_INSTANCE","features":[574]},{"name":"PERF_AGGREGATE_MAX","features":[574]},{"name":"PERF_AGGREGATE_MIN","features":[574]},{"name":"PERF_AGGREGATE_TOTAL","features":[574]},{"name":"PERF_AGGREGATE_UNDEFINED","features":[574]},{"name":"PERF_ATTRIB_BY_REFERENCE","features":[574]},{"name":"PERF_ATTRIB_DISPLAY_AS_HEX","features":[574]},{"name":"PERF_ATTRIB_DISPLAY_AS_REAL","features":[574]},{"name":"PERF_ATTRIB_NO_DISPLAYABLE","features":[574]},{"name":"PERF_ATTRIB_NO_GROUP_SEPARATOR","features":[574]},{"name":"PERF_COLLECT_END","features":[574]},{"name":"PERF_COLLECT_START","features":[574]},{"name":"PERF_COUNTERSET","features":[574]},{"name":"PERF_COUNTERSET_FLAG_AGGREGATE","features":[574]},{"name":"PERF_COUNTERSET_FLAG_HISTORY","features":[574]},{"name":"PERF_COUNTERSET_FLAG_INSTANCE","features":[574]},{"name":"PERF_COUNTERSET_FLAG_MULTIPLE","features":[574]},{"name":"PERF_COUNTERSET_INFO","features":[574]},{"name":"PERF_COUNTERSET_INSTANCE","features":[574]},{"name":"PERF_COUNTERSET_MULTI_INSTANCES","features":[574]},{"name":"PERF_COUNTERSET_REG_INFO","features":[574]},{"name":"PERF_COUNTERSET_SINGLE_AGGREGATE","features":[574]},{"name":"PERF_COUNTERSET_SINGLE_INSTANCE","features":[574]},{"name":"PERF_COUNTER_AGGREGATE_FUNC","features":[574]},{"name":"PERF_COUNTER_BASE","features":[574]},{"name":"PERF_COUNTER_BLOCK","features":[574]},{"name":"PERF_COUNTER_DATA","features":[574]},{"name":"PERF_COUNTER_DEFINITION","features":[574]},{"name":"PERF_COUNTER_DEFINITION","features":[574]},{"name":"PERF_COUNTER_ELAPSED","features":[574]},{"name":"PERF_COUNTER_FRACTION","features":[574]},{"name":"PERF_COUNTER_HEADER","features":[574]},{"name":"PERF_COUNTER_HISTOGRAM","features":[574]},{"name":"PERF_COUNTER_HISTOGRAM_TYPE","features":[574]},{"name":"PERF_COUNTER_IDENTIFIER","features":[574]},{"name":"PERF_COUNTER_IDENTITY","features":[574]},{"name":"PERF_COUNTER_INFO","features":[574]},{"name":"PERF_COUNTER_PRECISION","features":[574]},{"name":"PERF_COUNTER_QUEUELEN","features":[574]},{"name":"PERF_COUNTER_RATE","features":[574]},{"name":"PERF_COUNTER_REG_INFO","features":[574]},{"name":"PERF_COUNTER_VALUE","features":[574]},{"name":"PERF_DATA_BLOCK","features":[308,574]},{"name":"PERF_DATA_HEADER","features":[308,574]},{"name":"PERF_DATA_REVISION","features":[574]},{"name":"PERF_DATA_VERSION","features":[574]},{"name":"PERF_DELTA_BASE","features":[574]},{"name":"PERF_DELTA_COUNTER","features":[574]},{"name":"PERF_DETAIL","features":[574]},{"name":"PERF_DETAIL_ADVANCED","features":[574]},{"name":"PERF_DETAIL_EXPERT","features":[574]},{"name":"PERF_DETAIL_NOVICE","features":[574]},{"name":"PERF_DETAIL_WIZARD","features":[574]},{"name":"PERF_DISPLAY_NOSHOW","features":[574]},{"name":"PERF_DISPLAY_NO_SUFFIX","features":[574]},{"name":"PERF_DISPLAY_PERCENT","features":[574]},{"name":"PERF_DISPLAY_PER_SEC","features":[574]},{"name":"PERF_DISPLAY_SECONDS","features":[574]},{"name":"PERF_ENUM_INSTANCES","features":[574]},{"name":"PERF_ERROR_RETURN","features":[574]},{"name":"PERF_FILTER","features":[574]},{"name":"PERF_INSTANCE_DEFINITION","features":[574]},{"name":"PERF_INSTANCE_HEADER","features":[574]},{"name":"PERF_INVERSE_COUNTER","features":[574]},{"name":"PERF_MAX_INSTANCE_NAME","features":[574]},{"name":"PERF_MEM_ALLOC","features":[574]},{"name":"PERF_MEM_FREE","features":[574]},{"name":"PERF_METADATA_MULTIPLE_INSTANCES","features":[574]},{"name":"PERF_METADATA_NO_INSTANCES","features":[574]},{"name":"PERF_MULTIPLE_COUNTERS","features":[574]},{"name":"PERF_MULTIPLE_INSTANCES","features":[574]},{"name":"PERF_MULTI_COUNTER","features":[574]},{"name":"PERF_MULTI_COUNTERS","features":[574]},{"name":"PERF_MULTI_INSTANCES","features":[574]},{"name":"PERF_NO_INSTANCES","features":[574]},{"name":"PERF_NO_UNIQUE_ID","features":[574]},{"name":"PERF_NUMBER_DECIMAL","features":[574]},{"name":"PERF_NUMBER_DEC_1000","features":[574]},{"name":"PERF_NUMBER_HEX","features":[574]},{"name":"PERF_OBJECT_TIMER","features":[574]},{"name":"PERF_OBJECT_TYPE","features":[574]},{"name":"PERF_OBJECT_TYPE","features":[574]},{"name":"PERF_PROVIDER_CONTEXT","features":[574]},{"name":"PERF_PROVIDER_DRIVER","features":[574]},{"name":"PERF_PROVIDER_KERNEL_MODE","features":[574]},{"name":"PERF_PROVIDER_USER_MODE","features":[574]},{"name":"PERF_REG_COUNTERSET_ENGLISH_NAME","features":[574]},{"name":"PERF_REG_COUNTERSET_HELP_STRING","features":[574]},{"name":"PERF_REG_COUNTERSET_NAME_STRING","features":[574]},{"name":"PERF_REG_COUNTERSET_STRUCT","features":[574]},{"name":"PERF_REG_COUNTER_ENGLISH_NAMES","features":[574]},{"name":"PERF_REG_COUNTER_HELP_STRINGS","features":[574]},{"name":"PERF_REG_COUNTER_NAME_STRINGS","features":[574]},{"name":"PERF_REG_COUNTER_STRUCT","features":[574]},{"name":"PERF_REG_PROVIDER_GUID","features":[574]},{"name":"PERF_REG_PROVIDER_NAME","features":[574]},{"name":"PERF_REMOVE_COUNTER","features":[574]},{"name":"PERF_SINGLE_COUNTER","features":[574]},{"name":"PERF_SIZE_DWORD","features":[574]},{"name":"PERF_SIZE_LARGE","features":[574]},{"name":"PERF_SIZE_VARIABLE_LEN","features":[574]},{"name":"PERF_SIZE_ZERO","features":[574]},{"name":"PERF_STRING_BUFFER_HEADER","features":[574]},{"name":"PERF_STRING_COUNTER_HEADER","features":[574]},{"name":"PERF_TEXT_ASCII","features":[574]},{"name":"PERF_TEXT_UNICODE","features":[574]},{"name":"PERF_TIMER_100NS","features":[574]},{"name":"PERF_TIMER_TICK","features":[574]},{"name":"PERF_TYPE_COUNTER","features":[574]},{"name":"PERF_TYPE_NUMBER","features":[574]},{"name":"PERF_TYPE_TEXT","features":[574]},{"name":"PERF_TYPE_ZERO","features":[574]},{"name":"PERF_WILDCARD_COUNTER","features":[574]},{"name":"PERF_WILDCARD_INSTANCE","features":[574]},{"name":"PLAL_ALERT_CMD_LINE_A_NAME","features":[574]},{"name":"PLAL_ALERT_CMD_LINE_C_NAME","features":[574]},{"name":"PLAL_ALERT_CMD_LINE_D_TIME","features":[574]},{"name":"PLAL_ALERT_CMD_LINE_L_VAL","features":[574]},{"name":"PLAL_ALERT_CMD_LINE_MASK","features":[574]},{"name":"PLAL_ALERT_CMD_LINE_M_VAL","features":[574]},{"name":"PLAL_ALERT_CMD_LINE_SINGLE","features":[574]},{"name":"PLAL_ALERT_CMD_LINE_U_TEXT","features":[574]},{"name":"PLA_CABEXTRACT_CALLBACK","features":[574]},{"name":"PLA_CAPABILITY_AUTOLOGGER","features":[574]},{"name":"PLA_CAPABILITY_LEGACY_SESSION","features":[574]},{"name":"PLA_CAPABILITY_LEGACY_SVC","features":[574]},{"name":"PLA_CAPABILITY_LOCAL","features":[574]},{"name":"PLA_CAPABILITY_V1_SESSION","features":[574]},{"name":"PLA_CAPABILITY_V1_SVC","features":[574]},{"name":"PLA_CAPABILITY_V1_SYSTEM","features":[574]},{"name":"PM_CLOSE_PROC","features":[574]},{"name":"PM_COLLECT_PROC","features":[574]},{"name":"PM_OPEN_PROC","features":[574]},{"name":"PdhAddCounterA","features":[574]},{"name":"PdhAddCounterW","features":[574]},{"name":"PdhAddEnglishCounterA","features":[574]},{"name":"PdhAddEnglishCounterW","features":[574]},{"name":"PdhBindInputDataSourceA","features":[574]},{"name":"PdhBindInputDataSourceW","features":[574]},{"name":"PdhBrowseCountersA","features":[308,574]},{"name":"PdhBrowseCountersHA","features":[308,574]},{"name":"PdhBrowseCountersHW","features":[308,574]},{"name":"PdhBrowseCountersW","features":[308,574]},{"name":"PdhCalculateCounterFromRawValue","features":[308,574]},{"name":"PdhCloseLog","features":[574]},{"name":"PdhCloseQuery","features":[574]},{"name":"PdhCollectQueryData","features":[574]},{"name":"PdhCollectQueryDataEx","features":[308,574]},{"name":"PdhCollectQueryDataWithTime","features":[574]},{"name":"PdhComputeCounterStatistics","features":[308,574]},{"name":"PdhConnectMachineA","features":[574]},{"name":"PdhConnectMachineW","features":[574]},{"name":"PdhCreateSQLTablesA","features":[574]},{"name":"PdhCreateSQLTablesW","features":[574]},{"name":"PdhEnumLogSetNamesA","features":[574]},{"name":"PdhEnumLogSetNamesW","features":[574]},{"name":"PdhEnumMachinesA","features":[574]},{"name":"PdhEnumMachinesHA","features":[574]},{"name":"PdhEnumMachinesHW","features":[574]},{"name":"PdhEnumMachinesW","features":[574]},{"name":"PdhEnumObjectItemsA","features":[574]},{"name":"PdhEnumObjectItemsHA","features":[574]},{"name":"PdhEnumObjectItemsHW","features":[574]},{"name":"PdhEnumObjectItemsW","features":[574]},{"name":"PdhEnumObjectsA","features":[308,574]},{"name":"PdhEnumObjectsHA","features":[308,574]},{"name":"PdhEnumObjectsHW","features":[308,574]},{"name":"PdhEnumObjectsW","features":[308,574]},{"name":"PdhExpandCounterPathA","features":[574]},{"name":"PdhExpandCounterPathW","features":[574]},{"name":"PdhExpandWildCardPathA","features":[574]},{"name":"PdhExpandWildCardPathHA","features":[574]},{"name":"PdhExpandWildCardPathHW","features":[574]},{"name":"PdhExpandWildCardPathW","features":[574]},{"name":"PdhFormatFromRawValue","features":[308,574]},{"name":"PdhGetCounterInfoA","features":[308,574]},{"name":"PdhGetCounterInfoW","features":[308,574]},{"name":"PdhGetCounterTimeBase","features":[574]},{"name":"PdhGetDataSourceTimeRangeA","features":[574]},{"name":"PdhGetDataSourceTimeRangeH","features":[574]},{"name":"PdhGetDataSourceTimeRangeW","features":[574]},{"name":"PdhGetDefaultPerfCounterA","features":[574]},{"name":"PdhGetDefaultPerfCounterHA","features":[574]},{"name":"PdhGetDefaultPerfCounterHW","features":[574]},{"name":"PdhGetDefaultPerfCounterW","features":[574]},{"name":"PdhGetDefaultPerfObjectA","features":[574]},{"name":"PdhGetDefaultPerfObjectHA","features":[574]},{"name":"PdhGetDefaultPerfObjectHW","features":[574]},{"name":"PdhGetDefaultPerfObjectW","features":[574]},{"name":"PdhGetDllVersion","features":[574]},{"name":"PdhGetFormattedCounterArrayA","features":[574]},{"name":"PdhGetFormattedCounterArrayW","features":[574]},{"name":"PdhGetFormattedCounterValue","features":[574]},{"name":"PdhGetLogFileSize","features":[574]},{"name":"PdhGetLogSetGUID","features":[574]},{"name":"PdhGetRawCounterArrayA","features":[308,574]},{"name":"PdhGetRawCounterArrayW","features":[308,574]},{"name":"PdhGetRawCounterValue","features":[308,574]},{"name":"PdhIsRealTimeQuery","features":[308,574]},{"name":"PdhLookupPerfIndexByNameA","features":[574]},{"name":"PdhLookupPerfIndexByNameW","features":[574]},{"name":"PdhLookupPerfNameByIndexA","features":[574]},{"name":"PdhLookupPerfNameByIndexW","features":[574]},{"name":"PdhMakeCounterPathA","features":[574]},{"name":"PdhMakeCounterPathW","features":[574]},{"name":"PdhOpenLogA","features":[574]},{"name":"PdhOpenLogW","features":[574]},{"name":"PdhOpenQueryA","features":[574]},{"name":"PdhOpenQueryH","features":[574]},{"name":"PdhOpenQueryW","features":[574]},{"name":"PdhParseCounterPathA","features":[574]},{"name":"PdhParseCounterPathW","features":[574]},{"name":"PdhParseInstanceNameA","features":[574]},{"name":"PdhParseInstanceNameW","features":[574]},{"name":"PdhReadRawLogRecord","features":[308,574]},{"name":"PdhRemoveCounter","features":[574]},{"name":"PdhSelectDataSourceA","features":[308,574]},{"name":"PdhSelectDataSourceW","features":[308,574]},{"name":"PdhSetCounterScaleFactor","features":[574]},{"name":"PdhSetDefaultRealTimeDataSource","features":[574]},{"name":"PdhSetLogSetRunID","features":[574]},{"name":"PdhSetQueryTimeRange","features":[574]},{"name":"PdhUpdateLogA","features":[574]},{"name":"PdhUpdateLogFileCatalog","features":[574]},{"name":"PdhUpdateLogW","features":[574]},{"name":"PdhValidatePathA","features":[574]},{"name":"PdhValidatePathExA","features":[574]},{"name":"PdhValidatePathExW","features":[574]},{"name":"PdhValidatePathW","features":[574]},{"name":"PdhVerifySQLDBA","features":[574]},{"name":"PdhVerifySQLDBW","features":[574]},{"name":"PerfAddCounters","features":[308,574]},{"name":"PerfCloseQueryHandle","features":[308,574]},{"name":"PerfCounterDataType","features":[574]},{"name":"PerfCreateInstance","features":[308,574]},{"name":"PerfDecrementULongCounterValue","features":[308,574]},{"name":"PerfDecrementULongLongCounterValue","features":[308,574]},{"name":"PerfDeleteCounters","features":[308,574]},{"name":"PerfDeleteInstance","features":[308,574]},{"name":"PerfEnumerateCounterSet","features":[574]},{"name":"PerfEnumerateCounterSetInstances","features":[574]},{"name":"PerfIncrementULongCounterValue","features":[308,574]},{"name":"PerfIncrementULongLongCounterValue","features":[308,574]},{"name":"PerfOpenQueryHandle","features":[308,574]},{"name":"PerfQueryCounterData","features":[308,574]},{"name":"PerfQueryCounterInfo","features":[308,574]},{"name":"PerfQueryCounterSetRegistrationInfo","features":[574]},{"name":"PerfQueryInstance","features":[308,574]},{"name":"PerfRegInfoType","features":[574]},{"name":"PerfSetCounterRefValue","features":[308,574]},{"name":"PerfSetCounterSetInfo","features":[308,574]},{"name":"PerfSetULongCounterValue","features":[308,574]},{"name":"PerfSetULongLongCounterValue","features":[308,574]},{"name":"PerfStartProvider","features":[308,574]},{"name":"PerfStartProviderEx","features":[308,574]},{"name":"PerfStopProvider","features":[308,574]},{"name":"QueryPerformanceCounter","features":[308,574]},{"name":"QueryPerformanceFrequency","features":[308,574]},{"name":"REAL_TIME_DATA_SOURCE_ID_FLAGS","features":[574]},{"name":"ReportValueTypeConstants","features":[574]},{"name":"ResourcePolicy","features":[574]},{"name":"RestorePerfRegistryFromFileW","features":[574]},{"name":"S_PDH","features":[574]},{"name":"ServerDataCollectorSet","features":[574]},{"name":"ServerDataCollectorSetCollection","features":[574]},{"name":"SetServiceAsTrustedA","features":[574]},{"name":"SetServiceAsTrustedW","features":[574]},{"name":"SourcePropPage","features":[574]},{"name":"StreamMode","features":[574]},{"name":"SysmonBatchReason","features":[574]},{"name":"SysmonDataType","features":[574]},{"name":"SysmonFileType","features":[574]},{"name":"SystemDataCollectorSet","features":[574]},{"name":"SystemDataCollectorSetCollection","features":[574]},{"name":"SystemMonitor","features":[574]},{"name":"SystemMonitor2","features":[574]},{"name":"TraceDataProvider","features":[574]},{"name":"TraceDataProviderCollection","features":[574]},{"name":"TraceSession","features":[574]},{"name":"TraceSessionCollection","features":[574]},{"name":"UnloadPerfCounterTextStringsA","features":[308,574]},{"name":"UnloadPerfCounterTextStringsW","features":[308,574]},{"name":"UpdatePerfNameFilesA","features":[574]},{"name":"UpdatePerfNameFilesW","features":[574]},{"name":"ValueMapType","features":[574]},{"name":"WINPERF_LOG_DEBUG","features":[574]},{"name":"WINPERF_LOG_NONE","features":[574]},{"name":"WINPERF_LOG_USER","features":[574]},{"name":"WINPERF_LOG_VERBOSE","features":[574]},{"name":"WeekDays","features":[574]},{"name":"_ICounterItemUnion","features":[574]},{"name":"_ISystemMonitorUnion","features":[574]},{"name":"plaAlert","features":[574]},{"name":"plaApiTrace","features":[574]},{"name":"plaBinary","features":[574]},{"name":"plaBoth","features":[574]},{"name":"plaBuffering","features":[574]},{"name":"plaCommaSeparated","features":[574]},{"name":"plaCompiling","features":[574]},{"name":"plaComputer","features":[574]},{"name":"plaConfiguration","features":[574]},{"name":"plaCreateCab","features":[574]},{"name":"plaCreateHtml","features":[574]},{"name":"plaCreateNew","features":[574]},{"name":"plaCreateOrModify","features":[574]},{"name":"plaCreateReport","features":[574]},{"name":"plaCycle","features":[574]},{"name":"plaDeleteCab","features":[574]},{"name":"plaDeleteData","features":[574]},{"name":"plaDeleteLargest","features":[574]},{"name":"plaDeleteOldest","features":[574]},{"name":"plaDeleteReport","features":[574]},{"name":"plaEveryday","features":[574]},{"name":"plaFile","features":[574]},{"name":"plaFlag","features":[574]},{"name":"plaFlagArray","features":[574]},{"name":"plaFlushTrace","features":[574]},{"name":"plaFolderActions","features":[574]},{"name":"plaFriday","features":[574]},{"name":"plaIndex","features":[574]},{"name":"plaModify","features":[574]},{"name":"plaMonday","features":[574]},{"name":"plaMonthDayHour","features":[574]},{"name":"plaMonthDayHourMinute","features":[574]},{"name":"plaNone","features":[574]},{"name":"plaPattern","features":[574]},{"name":"plaPending","features":[574]},{"name":"plaPerformance","features":[574]},{"name":"plaPerformanceCounter","features":[574]},{"name":"plaRealTime","features":[574]},{"name":"plaResourceFreeing","features":[574]},{"name":"plaRunOnce","features":[574]},{"name":"plaRunRules","features":[574]},{"name":"plaRunning","features":[574]},{"name":"plaSaturday","features":[574]},{"name":"plaSendCab","features":[574]},{"name":"plaSerialNumber","features":[574]},{"name":"plaSql","features":[574]},{"name":"plaStopped","features":[574]},{"name":"plaSunday","features":[574]},{"name":"plaSystem","features":[574]},{"name":"plaTabSeparated","features":[574]},{"name":"plaThursday","features":[574]},{"name":"plaTimeStamp","features":[574]},{"name":"plaTrace","features":[574]},{"name":"plaTuesday","features":[574]},{"name":"plaUndefined","features":[574]},{"name":"plaUpdateRunningInstance","features":[574]},{"name":"plaValidateOnly","features":[574]},{"name":"plaValidation","features":[574]},{"name":"plaWednesday","features":[574]},{"name":"plaYearDayOfYear","features":[574]},{"name":"plaYearMonth","features":[574]},{"name":"plaYearMonthDay","features":[574]},{"name":"plaYearMonthDayHour","features":[574]},{"name":"sysmonAverage","features":[574]},{"name":"sysmonBatchAddCounters","features":[574]},{"name":"sysmonBatchAddFiles","features":[574]},{"name":"sysmonBatchAddFilesAutoCounters","features":[574]},{"name":"sysmonBatchNone","features":[574]},{"name":"sysmonChartArea","features":[574]},{"name":"sysmonChartStackedArea","features":[574]},{"name":"sysmonCurrentActivity","features":[574]},{"name":"sysmonCurrentValue","features":[574]},{"name":"sysmonDataAvg","features":[574]},{"name":"sysmonDataCount","features":[574]},{"name":"sysmonDataMax","features":[574]},{"name":"sysmonDataMin","features":[574]},{"name":"sysmonDataTime","features":[574]},{"name":"sysmonDefaultValue","features":[574]},{"name":"sysmonFileBlg","features":[574]},{"name":"sysmonFileCsv","features":[574]},{"name":"sysmonFileGif","features":[574]},{"name":"sysmonFileHtml","features":[574]},{"name":"sysmonFileReport","features":[574]},{"name":"sysmonFileRetiredBlg","features":[574]},{"name":"sysmonFileTsv","features":[574]},{"name":"sysmonHistogram","features":[574]},{"name":"sysmonLineGraph","features":[574]},{"name":"sysmonLogFiles","features":[574]},{"name":"sysmonMaximum","features":[574]},{"name":"sysmonMinimum","features":[574]},{"name":"sysmonNullDataSource","features":[574]},{"name":"sysmonReport","features":[574]},{"name":"sysmonSqlLog","features":[574]}],"589":[{"name":"DisableThreadProfiling","features":[308,575]},{"name":"EnableThreadProfiling","features":[308,575]},{"name":"HARDWARE_COUNTER_DATA","features":[575]},{"name":"HARDWARE_COUNTER_TYPE","features":[575]},{"name":"MaxHardwareCounterType","features":[575]},{"name":"PERFORMANCE_DATA","features":[575]},{"name":"PMCCounter","features":[575]},{"name":"QueryThreadProfiling","features":[308,575]},{"name":"ReadThreadProfilingData","features":[308,575]}],"590":[{"name":"CallNamedPipeA","features":[308,576]},{"name":"CallNamedPipeW","features":[308,576]},{"name":"ConnectNamedPipe","features":[308,313,576]},{"name":"CreateNamedPipeA","features":[308,311,327,576]},{"name":"CreateNamedPipeW","features":[308,311,327,576]},{"name":"CreatePipe","features":[308,311,576]},{"name":"DisconnectNamedPipe","features":[308,576]},{"name":"GetNamedPipeClientComputerNameA","features":[308,576]},{"name":"GetNamedPipeClientComputerNameW","features":[308,576]},{"name":"GetNamedPipeClientProcessId","features":[308,576]},{"name":"GetNamedPipeClientSessionId","features":[308,576]},{"name":"GetNamedPipeHandleStateA","features":[308,576]},{"name":"GetNamedPipeHandleStateW","features":[308,576]},{"name":"GetNamedPipeInfo","features":[308,576]},{"name":"GetNamedPipeServerProcessId","features":[308,576]},{"name":"GetNamedPipeServerSessionId","features":[308,576]},{"name":"ImpersonateNamedPipeClient","features":[308,576]},{"name":"NAMED_PIPE_MODE","features":[576]},{"name":"NMPWAIT_NOWAIT","features":[576]},{"name":"NMPWAIT_USE_DEFAULT_WAIT","features":[576]},{"name":"NMPWAIT_WAIT_FOREVER","features":[576]},{"name":"PIPE_ACCEPT_REMOTE_CLIENTS","features":[576]},{"name":"PIPE_CLIENT_END","features":[576]},{"name":"PIPE_NOWAIT","features":[576]},{"name":"PIPE_READMODE_BYTE","features":[576]},{"name":"PIPE_READMODE_MESSAGE","features":[576]},{"name":"PIPE_REJECT_REMOTE_CLIENTS","features":[576]},{"name":"PIPE_SERVER_END","features":[576]},{"name":"PIPE_TYPE_BYTE","features":[576]},{"name":"PIPE_TYPE_MESSAGE","features":[576]},{"name":"PIPE_UNLIMITED_INSTANCES","features":[576]},{"name":"PIPE_WAIT","features":[576]},{"name":"PeekNamedPipe","features":[308,576]},{"name":"SetNamedPipeHandleState","features":[308,576]},{"name":"TransactNamedPipe","features":[308,313,576]},{"name":"WaitNamedPipeA","features":[308,576]},{"name":"WaitNamedPipeW","features":[308,576]}],"591":[{"name":"ACCESS_ACTIVE_OVERLAY_SCHEME","features":[315]},{"name":"ACCESS_ACTIVE_SCHEME","features":[315]},{"name":"ACCESS_AC_POWER_SETTING_INDEX","features":[315]},{"name":"ACCESS_AC_POWER_SETTING_MAX","features":[315]},{"name":"ACCESS_AC_POWER_SETTING_MIN","features":[315]},{"name":"ACCESS_ATTRIBUTES","features":[315]},{"name":"ACCESS_CREATE_SCHEME","features":[315]},{"name":"ACCESS_DC_POWER_SETTING_INDEX","features":[315]},{"name":"ACCESS_DC_POWER_SETTING_MAX","features":[315]},{"name":"ACCESS_DC_POWER_SETTING_MIN","features":[315]},{"name":"ACCESS_DEFAULT_AC_POWER_SETTING","features":[315]},{"name":"ACCESS_DEFAULT_DC_POWER_SETTING","features":[315]},{"name":"ACCESS_DEFAULT_SECURITY_DESCRIPTOR","features":[315]},{"name":"ACCESS_DESCRIPTION","features":[315]},{"name":"ACCESS_FRIENDLY_NAME","features":[315]},{"name":"ACCESS_ICON_RESOURCE","features":[315]},{"name":"ACCESS_INDIVIDUAL_SETTING","features":[315]},{"name":"ACCESS_OVERLAY_SCHEME","features":[315]},{"name":"ACCESS_POSSIBLE_POWER_SETTING","features":[315]},{"name":"ACCESS_POSSIBLE_POWER_SETTING_DESCRIPTION","features":[315]},{"name":"ACCESS_POSSIBLE_POWER_SETTING_FRIENDLY_NAME","features":[315]},{"name":"ACCESS_POSSIBLE_VALUE_INCREMENT","features":[315]},{"name":"ACCESS_POSSIBLE_VALUE_MAX","features":[315]},{"name":"ACCESS_POSSIBLE_VALUE_MIN","features":[315]},{"name":"ACCESS_POSSIBLE_VALUE_UNITS","features":[315]},{"name":"ACCESS_PROFILE","features":[315]},{"name":"ACCESS_SCHEME","features":[315]},{"name":"ACCESS_SUBGROUP","features":[315]},{"name":"ACPI_REAL_TIME","features":[315]},{"name":"ACPI_TIME_ADJUST_DAYLIGHT","features":[315]},{"name":"ACPI_TIME_AND_ALARM_CAPABILITIES","features":[308,315]},{"name":"ACPI_TIME_IN_DAYLIGHT","features":[315]},{"name":"ACPI_TIME_RESOLUTION","features":[315]},{"name":"ACPI_TIME_ZONE_UNKNOWN","features":[315]},{"name":"ACTIVE_COOLING","features":[315]},{"name":"ADMINISTRATOR_POWER_POLICY","features":[315]},{"name":"ALTITUDE_GROUP_POLICY","features":[315]},{"name":"ALTITUDE_INTERNAL_OVERRIDE","features":[315]},{"name":"ALTITUDE_OEM_CUSTOMIZATION","features":[315]},{"name":"ALTITUDE_OS_DEFAULT","features":[315]},{"name":"ALTITUDE_PROVISIONING","features":[315]},{"name":"ALTITUDE_RUNTIME_OVERRIDE","features":[315]},{"name":"ALTITUDE_USER","features":[315]},{"name":"AcpiTimeResolutionMax","features":[315]},{"name":"AcpiTimeResolutionMilliseconds","features":[315]},{"name":"AcpiTimeResolutionSeconds","features":[315]},{"name":"AdministratorPowerPolicy","features":[315]},{"name":"BATTERY_CAPACITY_RELATIVE","features":[315]},{"name":"BATTERY_CHARGER_STATUS","features":[315]},{"name":"BATTERY_CHARGING","features":[315]},{"name":"BATTERY_CHARGING_SOURCE","features":[315]},{"name":"BATTERY_CHARGING_SOURCE_INFORMATION","features":[308,315]},{"name":"BATTERY_CHARGING_SOURCE_TYPE","features":[315]},{"name":"BATTERY_CLASS_MAJOR_VERSION","features":[315]},{"name":"BATTERY_CLASS_MINOR_VERSION","features":[315]},{"name":"BATTERY_CLASS_MINOR_VERSION_1","features":[315]},{"name":"BATTERY_CRITICAL","features":[315]},{"name":"BATTERY_CYCLE_COUNT_WMI_GUID","features":[315]},{"name":"BATTERY_DISCHARGING","features":[315]},{"name":"BATTERY_FULL_CHARGED_CAPACITY_WMI_GUID","features":[315]},{"name":"BATTERY_INFORMATION","features":[315]},{"name":"BATTERY_IS_SHORT_TERM","features":[315]},{"name":"BATTERY_MANUFACTURE_DATE","features":[315]},{"name":"BATTERY_MINIPORT_UPDATE_DATA_VER_1","features":[315]},{"name":"BATTERY_MINIPORT_UPDATE_DATA_VER_2","features":[315]},{"name":"BATTERY_POWER_ON_LINE","features":[315]},{"name":"BATTERY_QUERY_INFORMATION","features":[315]},{"name":"BATTERY_QUERY_INFORMATION_LEVEL","features":[315]},{"name":"BATTERY_REPORTING_SCALE","features":[315]},{"name":"BATTERY_RUNTIME_WMI_GUID","features":[315]},{"name":"BATTERY_SEALED","features":[315]},{"name":"BATTERY_SET_CHARGER_ID_SUPPORTED","features":[315]},{"name":"BATTERY_SET_CHARGE_SUPPORTED","features":[315]},{"name":"BATTERY_SET_CHARGINGSOURCE_SUPPORTED","features":[315]},{"name":"BATTERY_SET_DISCHARGE_SUPPORTED","features":[315]},{"name":"BATTERY_SET_INFORMATION","features":[315]},{"name":"BATTERY_SET_INFORMATION_LEVEL","features":[315]},{"name":"BATTERY_STATIC_DATA_WMI_GUID","features":[315]},{"name":"BATTERY_STATUS","features":[315]},{"name":"BATTERY_STATUS_CHANGE_WMI_GUID","features":[315]},{"name":"BATTERY_STATUS_WMI_GUID","features":[315]},{"name":"BATTERY_SYSTEM_BATTERY","features":[315]},{"name":"BATTERY_TAG_CHANGE_WMI_GUID","features":[315]},{"name":"BATTERY_TAG_INVALID","features":[315]},{"name":"BATTERY_TEMPERATURE_WMI_GUID","features":[315]},{"name":"BATTERY_UNKNOWN_CAPACITY","features":[315]},{"name":"BATTERY_UNKNOWN_CURRENT","features":[315]},{"name":"BATTERY_UNKNOWN_RATE","features":[315]},{"name":"BATTERY_UNKNOWN_TIME","features":[315]},{"name":"BATTERY_UNKNOWN_VOLTAGE","features":[315]},{"name":"BATTERY_USB_CHARGER_STATUS","features":[315]},{"name":"BATTERY_USB_CHARGER_STATUS_FN_DEFAULT_USB","features":[315]},{"name":"BATTERY_USB_CHARGER_STATUS_UCM_PD","features":[315]},{"name":"BATTERY_WAIT_STATUS","features":[315]},{"name":"BatteryCharge","features":[315]},{"name":"BatteryChargerId","features":[315]},{"name":"BatteryChargerStatus","features":[315]},{"name":"BatteryChargingSource","features":[315]},{"name":"BatteryChargingSourceType_AC","features":[315]},{"name":"BatteryChargingSourceType_Max","features":[315]},{"name":"BatteryChargingSourceType_USB","features":[315]},{"name":"BatteryChargingSourceType_Wireless","features":[315]},{"name":"BatteryCriticalBias","features":[315]},{"name":"BatteryDeviceName","features":[315]},{"name":"BatteryDeviceState","features":[315]},{"name":"BatteryDischarge","features":[315]},{"name":"BatteryEstimatedTime","features":[315]},{"name":"BatteryGranularityInformation","features":[315]},{"name":"BatteryInformation","features":[315]},{"name":"BatteryManufactureDate","features":[315]},{"name":"BatteryManufactureName","features":[315]},{"name":"BatterySerialNumber","features":[315]},{"name":"BatteryTemperature","features":[315]},{"name":"BatteryUniqueID","features":[315]},{"name":"BlackBoxRecorderDirectAccessBuffer","features":[315]},{"name":"CM_POWER_DATA","features":[315]},{"name":"CallNtPowerInformation","features":[308,315]},{"name":"CanUserWritePwrScheme","features":[308,315]},{"name":"CsDeviceNotification","features":[315]},{"name":"DEVICEPOWER_AND_OPERATION","features":[315]},{"name":"DEVICEPOWER_CLEAR_WAKEENABLED","features":[315]},{"name":"DEVICEPOWER_FILTER_DEVICES_PRESENT","features":[315]},{"name":"DEVICEPOWER_FILTER_HARDWARE","features":[315]},{"name":"DEVICEPOWER_FILTER_ON_NAME","features":[315]},{"name":"DEVICEPOWER_FILTER_WAKEENABLED","features":[315]},{"name":"DEVICEPOWER_FILTER_WAKEPROGRAMMABLE","features":[315]},{"name":"DEVICEPOWER_HARDWAREID","features":[315]},{"name":"DEVICEPOWER_SET_WAKEENABLED","features":[315]},{"name":"DEVICE_NOTIFY_SUBSCRIBE_PARAMETERS","features":[315]},{"name":"DEVICE_POWER_STATE","features":[315]},{"name":"DeletePwrScheme","features":[308,315]},{"name":"DevicePowerClose","features":[308,315]},{"name":"DevicePowerEnumDevices","features":[308,315]},{"name":"DevicePowerOpen","features":[308,315]},{"name":"DevicePowerSetDeviceState","features":[315]},{"name":"DisplayBurst","features":[315]},{"name":"EFFECTIVE_POWER_MODE","features":[315]},{"name":"EFFECTIVE_POWER_MODE_CALLBACK","features":[315]},{"name":"EFFECTIVE_POWER_MODE_V1","features":[315]},{"name":"EFFECTIVE_POWER_MODE_V2","features":[315]},{"name":"EMI_CHANNEL_MEASUREMENT_DATA","features":[315]},{"name":"EMI_CHANNEL_V2","features":[315]},{"name":"EMI_MEASUREMENT_DATA_V2","features":[315]},{"name":"EMI_MEASUREMENT_UNIT","features":[315]},{"name":"EMI_METADATA_SIZE","features":[315]},{"name":"EMI_METADATA_V1","features":[315]},{"name":"EMI_METADATA_V2","features":[315]},{"name":"EMI_NAME_MAX","features":[315]},{"name":"EMI_VERSION","features":[315]},{"name":"EMI_VERSION_V1","features":[315]},{"name":"EMI_VERSION_V2","features":[315]},{"name":"ES_AWAYMODE_REQUIRED","features":[315]},{"name":"ES_CONTINUOUS","features":[315]},{"name":"ES_DISPLAY_REQUIRED","features":[315]},{"name":"ES_SYSTEM_REQUIRED","features":[315]},{"name":"ES_USER_PRESENT","features":[315]},{"name":"EXECUTION_STATE","features":[315]},{"name":"EffectivePowerModeBalanced","features":[315]},{"name":"EffectivePowerModeBatterySaver","features":[315]},{"name":"EffectivePowerModeBetterBattery","features":[315]},{"name":"EffectivePowerModeGameMode","features":[315]},{"name":"EffectivePowerModeHighPerformance","features":[315]},{"name":"EffectivePowerModeMaxPerformance","features":[315]},{"name":"EffectivePowerModeMixedReality","features":[315]},{"name":"EmiMeasurementUnitPicowattHours","features":[315]},{"name":"EnableMultiBatteryDisplay","features":[315]},{"name":"EnablePasswordLogon","features":[315]},{"name":"EnableSysTrayBatteryMeter","features":[315]},{"name":"EnableVideoDimDisplay","features":[315]},{"name":"EnableWakeOnRing","features":[315]},{"name":"EnergyTrackerCreate","features":[315]},{"name":"EnergyTrackerQuery","features":[315]},{"name":"EnumPwrSchemes","features":[308,315]},{"name":"ExitLatencySamplingPercentage","features":[315]},{"name":"FirmwareTableInformationRegistered","features":[315]},{"name":"GLOBAL_MACHINE_POWER_POLICY","features":[315]},{"name":"GLOBAL_POWER_POLICY","features":[308,315]},{"name":"GLOBAL_USER_POWER_POLICY","features":[308,315]},{"name":"GUID_CLASS_INPUT","features":[315]},{"name":"GUID_DEVICE_ACPI_TIME","features":[315]},{"name":"GUID_DEVICE_APPLICATIONLAUNCH_BUTTON","features":[315]},{"name":"GUID_DEVICE_BATTERY","features":[315]},{"name":"GUID_DEVICE_ENERGY_METER","features":[315]},{"name":"GUID_DEVICE_FAN","features":[315]},{"name":"GUID_DEVICE_LID","features":[315]},{"name":"GUID_DEVICE_MEMORY","features":[315]},{"name":"GUID_DEVICE_MESSAGE_INDICATOR","features":[315]},{"name":"GUID_DEVICE_PROCESSOR","features":[315]},{"name":"GUID_DEVICE_SYS_BUTTON","features":[315]},{"name":"GUID_DEVICE_THERMAL_ZONE","features":[315]},{"name":"GUID_DEVINTERFACE_THERMAL_COOLING","features":[315]},{"name":"GUID_DEVINTERFACE_THERMAL_MANAGER","features":[315]},{"name":"GetActivePwrScheme","features":[308,315]},{"name":"GetCurrentPowerPolicies","features":[308,315]},{"name":"GetDevicePowerState","features":[308,315]},{"name":"GetPowerRequestList","features":[315]},{"name":"GetPowerSettingValue","features":[315]},{"name":"GetPwrCapabilities","features":[308,315]},{"name":"GetPwrDiskSpindownRange","features":[308,315]},{"name":"GetSystemPowerStatus","features":[308,315]},{"name":"GroupPark","features":[315]},{"name":"HPOWERNOTIFY","features":[315]},{"name":"IOCTL_ACPI_GET_REAL_TIME","features":[315]},{"name":"IOCTL_ACPI_SET_REAL_TIME","features":[315]},{"name":"IOCTL_BATTERY_CHARGING_SOURCE_CHANGE","features":[315]},{"name":"IOCTL_BATTERY_QUERY_INFORMATION","features":[315]},{"name":"IOCTL_BATTERY_QUERY_STATUS","features":[315]},{"name":"IOCTL_BATTERY_QUERY_TAG","features":[315]},{"name":"IOCTL_BATTERY_SET_INFORMATION","features":[315]},{"name":"IOCTL_EMI_GET_MEASUREMENT","features":[315]},{"name":"IOCTL_EMI_GET_METADATA","features":[315]},{"name":"IOCTL_EMI_GET_METADATA_SIZE","features":[315]},{"name":"IOCTL_EMI_GET_VERSION","features":[315]},{"name":"IOCTL_GET_ACPI_TIME_AND_ALARM_CAPABILITIES","features":[315]},{"name":"IOCTL_GET_PROCESSOR_OBJ_INFO","features":[315]},{"name":"IOCTL_GET_SYS_BUTTON_CAPS","features":[315]},{"name":"IOCTL_GET_SYS_BUTTON_EVENT","features":[315]},{"name":"IOCTL_GET_WAKE_ALARM_POLICY","features":[315]},{"name":"IOCTL_GET_WAKE_ALARM_SYSTEM_POWERSTATE","features":[315]},{"name":"IOCTL_GET_WAKE_ALARM_VALUE","features":[315]},{"name":"IOCTL_NOTIFY_SWITCH_EVENT","features":[315]},{"name":"IOCTL_QUERY_LID","features":[315]},{"name":"IOCTL_RUN_ACTIVE_COOLING_METHOD","features":[315]},{"name":"IOCTL_SET_SYS_MESSAGE_INDICATOR","features":[315]},{"name":"IOCTL_SET_WAKE_ALARM_POLICY","features":[315]},{"name":"IOCTL_SET_WAKE_ALARM_VALUE","features":[315]},{"name":"IOCTL_THERMAL_QUERY_INFORMATION","features":[315]},{"name":"IOCTL_THERMAL_READ_POLICY","features":[315]},{"name":"IOCTL_THERMAL_READ_TEMPERATURE","features":[315]},{"name":"IOCTL_THERMAL_SET_COOLING_POLICY","features":[315]},{"name":"IOCTL_THERMAL_SET_PASSIVE_LIMIT","features":[315]},{"name":"IdleResiliency","features":[315]},{"name":"IsAdminOverrideActive","features":[308,315]},{"name":"IsPwrHibernateAllowed","features":[308,315]},{"name":"IsPwrShutdownAllowed","features":[308,315]},{"name":"IsPwrSuspendAllowed","features":[308,315]},{"name":"IsSystemResumeAutomatic","features":[308,315]},{"name":"LATENCY_TIME","features":[315]},{"name":"LT_DONT_CARE","features":[315]},{"name":"LT_LOWEST_LATENCY","features":[315]},{"name":"LastResumePerformance","features":[315]},{"name":"LastSleepTime","features":[315]},{"name":"LastWakeTime","features":[315]},{"name":"LogicalProcessorIdling","features":[315]},{"name":"MACHINE_POWER_POLICY","features":[315]},{"name":"MACHINE_PROCESSOR_POWER_POLICY","features":[315]},{"name":"MAX_ACTIVE_COOLING_LEVELS","features":[315]},{"name":"MAX_BATTERY_STRING_SIZE","features":[315]},{"name":"MonitorCapabilities","features":[315]},{"name":"MonitorInvocation","features":[315]},{"name":"MonitorRequestReasonAcDcDisplayBurst","features":[315]},{"name":"MonitorRequestReasonAcDcDisplayBurstSuppressed","features":[315]},{"name":"MonitorRequestReasonBatteryCountChange","features":[315]},{"name":"MonitorRequestReasonBatteryCountChangeSuppressed","features":[315]},{"name":"MonitorRequestReasonBatteryPreCritical","features":[315]},{"name":"MonitorRequestReasonBuiltinPanel","features":[315]},{"name":"MonitorRequestReasonDP","features":[315]},{"name":"MonitorRequestReasonDim","features":[315]},{"name":"MonitorRequestReasonDirectedDrips","features":[315]},{"name":"MonitorRequestReasonDisplayRequiredUnDim","features":[315]},{"name":"MonitorRequestReasonFullWake","features":[315]},{"name":"MonitorRequestReasonGracePeriod","features":[315]},{"name":"MonitorRequestReasonIdleTimeout","features":[315]},{"name":"MonitorRequestReasonLid","features":[315]},{"name":"MonitorRequestReasonMax","features":[315]},{"name":"MonitorRequestReasonNearProximity","features":[315]},{"name":"MonitorRequestReasonPdcSignal","features":[315]},{"name":"MonitorRequestReasonPdcSignalFingerprint","features":[315]},{"name":"MonitorRequestReasonPdcSignalHeyCortana","features":[315]},{"name":"MonitorRequestReasonPdcSignalHolographicShell","features":[315]},{"name":"MonitorRequestReasonPdcSignalSensorsHumanPresence","features":[315]},{"name":"MonitorRequestReasonPdcSignalWindowsMobilePwrNotif","features":[315]},{"name":"MonitorRequestReasonPdcSignalWindowsMobileShell","features":[315]},{"name":"MonitorRequestReasonPnP","features":[315]},{"name":"MonitorRequestReasonPoSetSystemState","features":[315]},{"name":"MonitorRequestReasonPolicyChange","features":[315]},{"name":"MonitorRequestReasonPowerButton","features":[315]},{"name":"MonitorRequestReasonRemoteConnection","features":[315]},{"name":"MonitorRequestReasonResumeModernStandby","features":[315]},{"name":"MonitorRequestReasonResumePdc","features":[315]},{"name":"MonitorRequestReasonResumeS4","features":[315]},{"name":"MonitorRequestReasonScMonitorpower","features":[315]},{"name":"MonitorRequestReasonScreenOffRequest","features":[315]},{"name":"MonitorRequestReasonSessionUnlock","features":[315]},{"name":"MonitorRequestReasonSetThreadExecutionState","features":[315]},{"name":"MonitorRequestReasonSleepButton","features":[315]},{"name":"MonitorRequestReasonSxTransition","features":[315]},{"name":"MonitorRequestReasonSystemIdle","features":[315]},{"name":"MonitorRequestReasonSystemStateEntered","features":[315]},{"name":"MonitorRequestReasonTerminal","features":[315]},{"name":"MonitorRequestReasonTerminalInit","features":[315]},{"name":"MonitorRequestReasonThermalStandby","features":[315]},{"name":"MonitorRequestReasonUnknown","features":[315]},{"name":"MonitorRequestReasonUserDisplayBurst","features":[315]},{"name":"MonitorRequestReasonUserInput","features":[315]},{"name":"MonitorRequestReasonUserInputAccelerometer","features":[315]},{"name":"MonitorRequestReasonUserInputHid","features":[315]},{"name":"MonitorRequestReasonUserInputInitialization","features":[315]},{"name":"MonitorRequestReasonUserInputKeyboard","features":[315]},{"name":"MonitorRequestReasonUserInputMouse","features":[315]},{"name":"MonitorRequestReasonUserInputPen","features":[315]},{"name":"MonitorRequestReasonUserInputPoUserPresent","features":[315]},{"name":"MonitorRequestReasonUserInputSessionSwitch","features":[315]},{"name":"MonitorRequestReasonUserInputTouch","features":[315]},{"name":"MonitorRequestReasonUserInputTouchpad","features":[315]},{"name":"MonitorRequestReasonWinrt","features":[315]},{"name":"MonitorRequestTypeOff","features":[315]},{"name":"MonitorRequestTypeOnAndPresent","features":[315]},{"name":"MonitorRequestTypeToggleOn","features":[315]},{"name":"NotifyUserModeLegacyPowerEvent","features":[315]},{"name":"NotifyUserPowerSetting","features":[315]},{"name":"PASSIVE_COOLING","features":[315]},{"name":"PDCAP_S0_SUPPORTED","features":[315]},{"name":"PDCAP_S1_SUPPORTED","features":[315]},{"name":"PDCAP_S2_SUPPORTED","features":[315]},{"name":"PDCAP_S3_SUPPORTED","features":[315]},{"name":"PDCAP_S4_SUPPORTED","features":[315]},{"name":"PDCAP_S5_SUPPORTED","features":[315]},{"name":"PDCAP_WAKE_FROM_S0_SUPPORTED","features":[315]},{"name":"PDCAP_WAKE_FROM_S1_SUPPORTED","features":[315]},{"name":"PDCAP_WAKE_FROM_S2_SUPPORTED","features":[315]},{"name":"PDCAP_WAKE_FROM_S3_SUPPORTED","features":[315]},{"name":"PDEVICE_NOTIFY_CALLBACK_ROUTINE","features":[315]},{"name":"POWERBROADCAST_SETTING","features":[315]},{"name":"POWER_ACTION","features":[315]},{"name":"POWER_ACTION_POLICY","features":[315]},{"name":"POWER_ACTION_POLICY_EVENT_CODE","features":[315]},{"name":"POWER_ATTRIBUTE_HIDE","features":[315]},{"name":"POWER_ATTRIBUTE_SHOW_AOAC","features":[315]},{"name":"POWER_COOLING_MODE","features":[315]},{"name":"POWER_DATA_ACCESSOR","features":[315]},{"name":"POWER_FORCE_TRIGGER_RESET","features":[315]},{"name":"POWER_IDLE_RESILIENCY","features":[315]},{"name":"POWER_INFORMATION_LEVEL","features":[315]},{"name":"POWER_LEVEL_USER_NOTIFY_EXEC","features":[315]},{"name":"POWER_LEVEL_USER_NOTIFY_SOUND","features":[315]},{"name":"POWER_LEVEL_USER_NOTIFY_TEXT","features":[315]},{"name":"POWER_MONITOR_INVOCATION","features":[308,315]},{"name":"POWER_MONITOR_REQUEST_REASON","features":[315]},{"name":"POWER_MONITOR_REQUEST_TYPE","features":[315]},{"name":"POWER_PLATFORM_INFORMATION","features":[308,315]},{"name":"POWER_PLATFORM_ROLE","features":[315]},{"name":"POWER_PLATFORM_ROLE_V1","features":[315]},{"name":"POWER_PLATFORM_ROLE_V2","features":[315]},{"name":"POWER_PLATFORM_ROLE_VERSION","features":[315]},{"name":"POWER_POLICY","features":[308,315]},{"name":"POWER_REQUEST_TYPE","features":[315]},{"name":"POWER_SESSION_ALLOW_EXTERNAL_DMA_DEVICES","features":[308,315]},{"name":"POWER_SESSION_CONNECT","features":[308,315]},{"name":"POWER_SESSION_RIT_STATE","features":[308,315]},{"name":"POWER_SESSION_TIMEOUTS","features":[315]},{"name":"POWER_SESSION_WINLOGON","features":[308,315]},{"name":"POWER_SETTING_ALTITUDE","features":[315]},{"name":"POWER_USER_NOTIFY_BUTTON","features":[315]},{"name":"POWER_USER_NOTIFY_SHUTDOWN","features":[315]},{"name":"POWER_USER_PRESENCE","features":[315]},{"name":"POWER_USER_PRESENCE_TYPE","features":[315]},{"name":"PO_TZ_ACTIVE","features":[315]},{"name":"PO_TZ_INVALID_MODE","features":[315]},{"name":"PO_TZ_PASSIVE","features":[315]},{"name":"PPM_FIRMWARE_ACPI1C2","features":[315]},{"name":"PPM_FIRMWARE_ACPI1C3","features":[315]},{"name":"PPM_FIRMWARE_ACPI1TSTATES","features":[315]},{"name":"PPM_FIRMWARE_CPC","features":[315]},{"name":"PPM_FIRMWARE_CSD","features":[315]},{"name":"PPM_FIRMWARE_CST","features":[315]},{"name":"PPM_FIRMWARE_LPI","features":[315]},{"name":"PPM_FIRMWARE_OSC","features":[315]},{"name":"PPM_FIRMWARE_PCCH","features":[315]},{"name":"PPM_FIRMWARE_PCCP","features":[315]},{"name":"PPM_FIRMWARE_PCT","features":[315]},{"name":"PPM_FIRMWARE_PDC","features":[315]},{"name":"PPM_FIRMWARE_PPC","features":[315]},{"name":"PPM_FIRMWARE_PSD","features":[315]},{"name":"PPM_FIRMWARE_PSS","features":[315]},{"name":"PPM_FIRMWARE_PTC","features":[315]},{"name":"PPM_FIRMWARE_TPC","features":[315]},{"name":"PPM_FIRMWARE_TSD","features":[315]},{"name":"PPM_FIRMWARE_TSS","features":[315]},{"name":"PPM_FIRMWARE_XPSS","features":[315]},{"name":"PPM_IDLESTATES_DATA_GUID","features":[315]},{"name":"PPM_IDLESTATE_CHANGE_GUID","features":[315]},{"name":"PPM_IDLESTATE_EVENT","features":[315]},{"name":"PPM_IDLE_ACCOUNTING","features":[315]},{"name":"PPM_IDLE_ACCOUNTING_EX","features":[315]},{"name":"PPM_IDLE_ACCOUNTING_EX_GUID","features":[315]},{"name":"PPM_IDLE_ACCOUNTING_GUID","features":[315]},{"name":"PPM_IDLE_IMPLEMENTATION_CSTATES","features":[315]},{"name":"PPM_IDLE_IMPLEMENTATION_LPISTATES","features":[315]},{"name":"PPM_IDLE_IMPLEMENTATION_MICROPEP","features":[315]},{"name":"PPM_IDLE_IMPLEMENTATION_NONE","features":[315]},{"name":"PPM_IDLE_IMPLEMENTATION_PEP","features":[315]},{"name":"PPM_IDLE_STATE_ACCOUNTING","features":[315]},{"name":"PPM_IDLE_STATE_ACCOUNTING_EX","features":[315]},{"name":"PPM_IDLE_STATE_BUCKET_EX","features":[315]},{"name":"PPM_PERFMON_PERFSTATE_GUID","features":[315]},{"name":"PPM_PERFORMANCE_IMPLEMENTATION_CPPC","features":[315]},{"name":"PPM_PERFORMANCE_IMPLEMENTATION_NONE","features":[315]},{"name":"PPM_PERFORMANCE_IMPLEMENTATION_PCCV1","features":[315]},{"name":"PPM_PERFORMANCE_IMPLEMENTATION_PEP","features":[315]},{"name":"PPM_PERFORMANCE_IMPLEMENTATION_PSTATES","features":[315]},{"name":"PPM_PERFSTATES_DATA_GUID","features":[315]},{"name":"PPM_PERFSTATE_CHANGE_GUID","features":[315]},{"name":"PPM_PERFSTATE_DOMAIN_CHANGE_GUID","features":[315]},{"name":"PPM_PERFSTATE_DOMAIN_EVENT","features":[315]},{"name":"PPM_PERFSTATE_EVENT","features":[315]},{"name":"PPM_THERMALCHANGE_EVENT","features":[315]},{"name":"PPM_THERMALCONSTRAINT_GUID","features":[315]},{"name":"PPM_THERMAL_POLICY_CHANGE_GUID","features":[315]},{"name":"PPM_THERMAL_POLICY_EVENT","features":[315]},{"name":"PPM_WMI_IDLE_STATE","features":[315]},{"name":"PPM_WMI_IDLE_STATES","features":[315]},{"name":"PPM_WMI_IDLE_STATES_EX","features":[315]},{"name":"PPM_WMI_LEGACY_PERFSTATE","features":[315]},{"name":"PPM_WMI_PERF_STATE","features":[315]},{"name":"PPM_WMI_PERF_STATES","features":[315]},{"name":"PPM_WMI_PERF_STATES_EX","features":[315]},{"name":"PROCESSOR_NUMBER_PKEY","features":[341,315]},{"name":"PROCESSOR_OBJECT_INFO","features":[315]},{"name":"PROCESSOR_OBJECT_INFO_EX","features":[315]},{"name":"PROCESSOR_POWER_INFORMATION","features":[315]},{"name":"PROCESSOR_POWER_POLICY","features":[315]},{"name":"PROCESSOR_POWER_POLICY_INFO","features":[315]},{"name":"PWRSCHEMESENUMPROC","features":[308,315]},{"name":"PWRSCHEMESENUMPROC_V1","features":[308,315]},{"name":"PdcInvocation","features":[315]},{"name":"PhysicalPowerButtonPress","features":[315]},{"name":"PlatformIdleStates","features":[315]},{"name":"PlatformIdleVeto","features":[315]},{"name":"PlatformInformation","features":[315]},{"name":"PlatformRole","features":[315]},{"name":"PlatformRoleAppliancePC","features":[315]},{"name":"PlatformRoleDesktop","features":[315]},{"name":"PlatformRoleEnterpriseServer","features":[315]},{"name":"PlatformRoleMaximum","features":[315]},{"name":"PlatformRoleMobile","features":[315]},{"name":"PlatformRolePerformanceServer","features":[315]},{"name":"PlatformRoleSOHOServer","features":[315]},{"name":"PlatformRoleSlate","features":[315]},{"name":"PlatformRoleUnspecified","features":[315]},{"name":"PlatformRoleWorkstation","features":[315]},{"name":"PlmPowerRequestCreate","features":[315]},{"name":"PoAc","features":[315]},{"name":"PoConditionMaximum","features":[315]},{"name":"PoDc","features":[315]},{"name":"PoHot","features":[315]},{"name":"PowerActionDisplayOff","features":[315]},{"name":"PowerActionHibernate","features":[315]},{"name":"PowerActionNone","features":[315]},{"name":"PowerActionReserved","features":[315]},{"name":"PowerActionShutdown","features":[315]},{"name":"PowerActionShutdownOff","features":[315]},{"name":"PowerActionShutdownReset","features":[315]},{"name":"PowerActionSleep","features":[315]},{"name":"PowerActionWarmEject","features":[315]},{"name":"PowerCanRestoreIndividualDefaultPowerScheme","features":[308,315]},{"name":"PowerClearRequest","features":[308,315]},{"name":"PowerCreatePossibleSetting","features":[308,315,369]},{"name":"PowerCreateRequest","features":[308,315,343]},{"name":"PowerCreateSetting","features":[308,315,369]},{"name":"PowerDeleteScheme","features":[308,315,369]},{"name":"PowerDeterminePlatformRole","features":[315]},{"name":"PowerDeterminePlatformRoleEx","features":[315]},{"name":"PowerDeviceD0","features":[315]},{"name":"PowerDeviceD1","features":[315]},{"name":"PowerDeviceD2","features":[315]},{"name":"PowerDeviceD3","features":[315]},{"name":"PowerDeviceMaximum","features":[315]},{"name":"PowerDeviceUnspecified","features":[315]},{"name":"PowerDuplicateScheme","features":[308,315,369]},{"name":"PowerEnumerate","features":[308,315,369]},{"name":"PowerGetActiveScheme","features":[308,315,369]},{"name":"PowerImportPowerScheme","features":[308,315,369]},{"name":"PowerInformationInternal","features":[315]},{"name":"PowerInformationLevelMaximum","features":[315]},{"name":"PowerInformationLevelUnused0","features":[315]},{"name":"PowerIsSettingRangeDefined","features":[308,315]},{"name":"PowerOpenSystemPowerKey","features":[308,315,369]},{"name":"PowerOpenUserPowerKey","features":[308,315,369]},{"name":"PowerReadACDefaultIndex","features":[315,369]},{"name":"PowerReadACValue","features":[308,315,369]},{"name":"PowerReadACValueIndex","features":[315,369]},{"name":"PowerReadDCDefaultIndex","features":[315,369]},{"name":"PowerReadDCValue","features":[308,315,369]},{"name":"PowerReadDCValueIndex","features":[315,369]},{"name":"PowerReadDescription","features":[308,315,369]},{"name":"PowerReadFriendlyName","features":[308,315,369]},{"name":"PowerReadIconResourceSpecifier","features":[308,315,369]},{"name":"PowerReadPossibleDescription","features":[308,315,369]},{"name":"PowerReadPossibleFriendlyName","features":[308,315,369]},{"name":"PowerReadPossibleValue","features":[308,315,369]},{"name":"PowerReadSettingAttributes","features":[315]},{"name":"PowerReadValueIncrement","features":[308,315,369]},{"name":"PowerReadValueMax","features":[308,315,369]},{"name":"PowerReadValueMin","features":[308,315,369]},{"name":"PowerReadValueUnitsSpecifier","features":[308,315,369]},{"name":"PowerRegisterForEffectivePowerModeNotifications","features":[315]},{"name":"PowerRegisterSuspendResumeNotification","features":[308,315,370]},{"name":"PowerRemovePowerSetting","features":[308,315]},{"name":"PowerReplaceDefaultPowerSchemes","features":[315]},{"name":"PowerReportThermalEvent","features":[308,315]},{"name":"PowerRequestAction","features":[315]},{"name":"PowerRequestActionInternal","features":[315]},{"name":"PowerRequestAwayModeRequired","features":[315]},{"name":"PowerRequestCreate","features":[315]},{"name":"PowerRequestDisplayRequired","features":[315]},{"name":"PowerRequestExecutionRequired","features":[315]},{"name":"PowerRequestSystemRequired","features":[315]},{"name":"PowerRestoreDefaultPowerSchemes","features":[308,315]},{"name":"PowerRestoreIndividualDefaultPowerScheme","features":[308,315]},{"name":"PowerSetActiveScheme","features":[308,315,369]},{"name":"PowerSetRequest","features":[308,315]},{"name":"PowerSettingAccessCheck","features":[308,315]},{"name":"PowerSettingAccessCheckEx","features":[308,315,369]},{"name":"PowerSettingNotificationName","features":[315]},{"name":"PowerSettingRegisterNotification","features":[308,315,370]},{"name":"PowerSettingUnregisterNotification","features":[308,315]},{"name":"PowerShutdownNotification","features":[315]},{"name":"PowerSystemHibernate","features":[315]},{"name":"PowerSystemMaximum","features":[315]},{"name":"PowerSystemShutdown","features":[315]},{"name":"PowerSystemSleeping1","features":[315]},{"name":"PowerSystemSleeping2","features":[315]},{"name":"PowerSystemSleeping3","features":[315]},{"name":"PowerSystemUnspecified","features":[315]},{"name":"PowerSystemWorking","features":[315]},{"name":"PowerUnregisterFromEffectivePowerModeNotifications","features":[315]},{"name":"PowerUnregisterSuspendResumeNotification","features":[308,315]},{"name":"PowerUserInactive","features":[315]},{"name":"PowerUserInvalid","features":[315]},{"name":"PowerUserMaximum","features":[315]},{"name":"PowerUserNotPresent","features":[315]},{"name":"PowerUserPresent","features":[315]},{"name":"PowerWriteACDefaultIndex","features":[315,369]},{"name":"PowerWriteACValueIndex","features":[315,369]},{"name":"PowerWriteDCDefaultIndex","features":[315,369]},{"name":"PowerWriteDCValueIndex","features":[315,369]},{"name":"PowerWriteDescription","features":[308,315,369]},{"name":"PowerWriteFriendlyName","features":[308,315,369]},{"name":"PowerWriteIconResourceSpecifier","features":[308,315,369]},{"name":"PowerWritePossibleDescription","features":[308,315,369]},{"name":"PowerWritePossibleFriendlyName","features":[308,315,369]},{"name":"PowerWritePossibleValue","features":[308,315,369]},{"name":"PowerWriteSettingAttributes","features":[308,315]},{"name":"PowerWriteValueIncrement","features":[308,315,369]},{"name":"PowerWriteValueMax","features":[308,315,369]},{"name":"PowerWriteValueMin","features":[308,315,369]},{"name":"PowerWriteValueUnitsSpecifier","features":[308,315,369]},{"name":"ProcessorCap","features":[315]},{"name":"ProcessorIdleDomains","features":[315]},{"name":"ProcessorIdleStates","features":[315]},{"name":"ProcessorIdleStatesHv","features":[315]},{"name":"ProcessorIdleVeto","features":[315]},{"name":"ProcessorInformation","features":[315]},{"name":"ProcessorInformationEx","features":[315]},{"name":"ProcessorLoad","features":[315]},{"name":"ProcessorPerfCapHv","features":[315]},{"name":"ProcessorPerfStates","features":[315]},{"name":"ProcessorPerfStatesHv","features":[315]},{"name":"ProcessorPowerPolicyAc","features":[315]},{"name":"ProcessorPowerPolicyCurrent","features":[315]},{"name":"ProcessorPowerPolicyDc","features":[315]},{"name":"ProcessorSetIdle","features":[315]},{"name":"ProcessorStateHandler","features":[315]},{"name":"ProcessorStateHandler2","features":[315]},{"name":"QueryPotentialDripsConstraint","features":[315]},{"name":"RESUME_PERFORMANCE","features":[315]},{"name":"ReadGlobalPwrPolicy","features":[308,315]},{"name":"ReadProcessorPwrScheme","features":[308,315]},{"name":"ReadPwrScheme","features":[308,315]},{"name":"RegisterPowerSettingNotification","features":[308,315,370]},{"name":"RegisterSpmPowerSettings","features":[315]},{"name":"RegisterSuspendResumeNotification","features":[308,315,370]},{"name":"RequestWakeupLatency","features":[308,315]},{"name":"SET_POWER_SETTING_VALUE","features":[315]},{"name":"SYSTEM_BATTERY_STATE","features":[308,315]},{"name":"SYSTEM_POWER_CAPABILITIES","features":[308,315]},{"name":"SYSTEM_POWER_CONDITION","features":[315]},{"name":"SYSTEM_POWER_INFORMATION","features":[315]},{"name":"SYSTEM_POWER_LEVEL","features":[308,315]},{"name":"SYSTEM_POWER_POLICY","features":[308,315]},{"name":"SYSTEM_POWER_STATE","features":[315]},{"name":"SYSTEM_POWER_STATUS","features":[315]},{"name":"SYS_BUTTON_LID","features":[315]},{"name":"SYS_BUTTON_LID_CHANGED","features":[315]},{"name":"SYS_BUTTON_LID_CLOSED","features":[315]},{"name":"SYS_BUTTON_LID_INITIAL","features":[315]},{"name":"SYS_BUTTON_LID_OPEN","features":[315]},{"name":"SYS_BUTTON_LID_STATE_MASK","features":[315]},{"name":"SYS_BUTTON_POWER","features":[315]},{"name":"SYS_BUTTON_SLEEP","features":[315]},{"name":"SYS_BUTTON_WAKE","features":[315]},{"name":"ScreenOff","features":[315]},{"name":"SendSuspendResumeNotification","features":[315]},{"name":"SessionAllowExternalDmaDevices","features":[315]},{"name":"SessionConnectNotification","features":[315]},{"name":"SessionDisplayState","features":[315]},{"name":"SessionLockState","features":[315]},{"name":"SessionPowerCleanup","features":[315]},{"name":"SessionPowerInit","features":[315]},{"name":"SessionRITState","features":[315]},{"name":"SetActivePwrScheme","features":[308,315]},{"name":"SetPowerSettingValue","features":[315]},{"name":"SetShutdownSelectedTime","features":[315]},{"name":"SetSuspendState","features":[308,315]},{"name":"SetSystemPowerState","features":[308,315]},{"name":"SetThreadExecutionState","features":[315]},{"name":"SuspendResumeInvocation","features":[315]},{"name":"SystemBatteryState","features":[315]},{"name":"SystemBatteryStatePrecise","features":[315]},{"name":"SystemExecutionState","features":[315]},{"name":"SystemHiberFileInformation","features":[315]},{"name":"SystemHiberFileSize","features":[315]},{"name":"SystemHiberFileType","features":[315]},{"name":"SystemHiberbootState","features":[315]},{"name":"SystemMonitorHiberBootPowerOff","features":[315]},{"name":"SystemPowerCapabilities","features":[315]},{"name":"SystemPowerInformation","features":[315]},{"name":"SystemPowerLoggingEntry","features":[315]},{"name":"SystemPowerPolicyAc","features":[315]},{"name":"SystemPowerPolicyCurrent","features":[315]},{"name":"SystemPowerPolicyDc","features":[315]},{"name":"SystemPowerStateHandler","features":[315]},{"name":"SystemPowerStateLogging","features":[315]},{"name":"SystemPowerStateNotifyHandler","features":[315]},{"name":"SystemReserveHiberFile","features":[315]},{"name":"SystemVideoState","features":[315]},{"name":"SystemWakeSource","features":[315]},{"name":"THERMAL_COOLING_INTERFACE_VERSION","features":[315]},{"name":"THERMAL_DEVICE_INTERFACE_VERSION","features":[315]},{"name":"THERMAL_EVENT","features":[315]},{"name":"THERMAL_EVENT_VERSION","features":[315]},{"name":"THERMAL_INFORMATION","features":[315]},{"name":"THERMAL_POLICY","features":[308,315]},{"name":"THERMAL_POLICY_VERSION_1","features":[315]},{"name":"THERMAL_POLICY_VERSION_2","features":[315]},{"name":"THERMAL_WAIT_READ","features":[315]},{"name":"TZ_ACTIVATION_REASON_CURRENT","features":[315]},{"name":"TZ_ACTIVATION_REASON_THERMAL","features":[315]},{"name":"ThermalEvent","features":[315]},{"name":"ThermalStandby","features":[315]},{"name":"TraceApplicationPowerMessage","features":[315]},{"name":"TraceApplicationPowerMessageEnd","features":[315]},{"name":"TraceServicePowerMessage","features":[315]},{"name":"UNKNOWN_CAPACITY","features":[315]},{"name":"UNKNOWN_CURRENT","features":[315]},{"name":"UNKNOWN_RATE","features":[315]},{"name":"UNKNOWN_VOLTAGE","features":[315]},{"name":"USB_CHARGER_PORT","features":[315]},{"name":"USER_ACTIVITY_PRESENCE","features":[315]},{"name":"USER_POWER_POLICY","features":[308,315]},{"name":"UnregisterPowerSettingNotification","features":[308,315]},{"name":"UnregisterSuspendResumeNotification","features":[308,315]},{"name":"UpdateBlackBoxRecorder","features":[315]},{"name":"UsbChargerPort_Legacy","features":[315]},{"name":"UsbChargerPort_Max","features":[315]},{"name":"UsbChargerPort_TypeC","features":[315]},{"name":"UserNotPresent","features":[315]},{"name":"UserPresence","features":[315]},{"name":"UserPresent","features":[315]},{"name":"UserUnknown","features":[315]},{"name":"ValidatePowerPolicies","features":[308,315]},{"name":"VerifyProcessorPowerPolicyAc","features":[315]},{"name":"VerifyProcessorPowerPolicyDc","features":[315]},{"name":"VerifySystemPolicyAc","features":[315]},{"name":"VerifySystemPolicyDc","features":[315]},{"name":"WAKE_ALARM_INFORMATION","features":[315]},{"name":"WakeTimerList","features":[315]},{"name":"WriteGlobalPwrPolicy","features":[308,315]},{"name":"WriteProcessorPwrScheme","features":[308,315]},{"name":"WritePwrScheme","features":[308,315]}],"592":[{"name":"ENUM_PAGE_FILE_INFORMATION","features":[577]},{"name":"ENUM_PROCESS_MODULES_EX_FLAGS","features":[577]},{"name":"EmptyWorkingSet","features":[308,577]},{"name":"EnumDeviceDrivers","features":[308,577]},{"name":"EnumPageFilesA","features":[308,577]},{"name":"EnumPageFilesW","features":[308,577]},{"name":"EnumProcessModules","features":[308,577]},{"name":"EnumProcessModulesEx","features":[308,577]},{"name":"EnumProcesses","features":[308,577]},{"name":"GetDeviceDriverBaseNameA","features":[577]},{"name":"GetDeviceDriverBaseNameW","features":[577]},{"name":"GetDeviceDriverFileNameA","features":[577]},{"name":"GetDeviceDriverFileNameW","features":[577]},{"name":"GetMappedFileNameA","features":[308,577]},{"name":"GetMappedFileNameW","features":[308,577]},{"name":"GetModuleBaseNameA","features":[308,577]},{"name":"GetModuleBaseNameW","features":[308,577]},{"name":"GetModuleFileNameExA","features":[308,577]},{"name":"GetModuleFileNameExW","features":[308,577]},{"name":"GetModuleInformation","features":[308,577]},{"name":"GetPerformanceInfo","features":[308,577]},{"name":"GetProcessImageFileNameA","features":[308,577]},{"name":"GetProcessImageFileNameW","features":[308,577]},{"name":"GetProcessMemoryInfo","features":[308,577]},{"name":"GetWsChanges","features":[308,577]},{"name":"GetWsChangesEx","features":[308,577]},{"name":"InitializeProcessForWsWatch","features":[308,577]},{"name":"K32EmptyWorkingSet","features":[308,577]},{"name":"K32EnumDeviceDrivers","features":[308,577]},{"name":"K32EnumPageFilesA","features":[308,577]},{"name":"K32EnumPageFilesW","features":[308,577]},{"name":"K32EnumProcessModules","features":[308,577]},{"name":"K32EnumProcessModulesEx","features":[308,577]},{"name":"K32EnumProcesses","features":[308,577]},{"name":"K32GetDeviceDriverBaseNameA","features":[577]},{"name":"K32GetDeviceDriverBaseNameW","features":[577]},{"name":"K32GetDeviceDriverFileNameA","features":[577]},{"name":"K32GetDeviceDriverFileNameW","features":[577]},{"name":"K32GetMappedFileNameA","features":[308,577]},{"name":"K32GetMappedFileNameW","features":[308,577]},{"name":"K32GetModuleBaseNameA","features":[308,577]},{"name":"K32GetModuleBaseNameW","features":[308,577]},{"name":"K32GetModuleFileNameExA","features":[308,577]},{"name":"K32GetModuleFileNameExW","features":[308,577]},{"name":"K32GetModuleInformation","features":[308,577]},{"name":"K32GetPerformanceInfo","features":[308,577]},{"name":"K32GetProcessImageFileNameA","features":[308,577]},{"name":"K32GetProcessImageFileNameW","features":[308,577]},{"name":"K32GetProcessMemoryInfo","features":[308,577]},{"name":"K32GetWsChanges","features":[308,577]},{"name":"K32GetWsChangesEx","features":[308,577]},{"name":"K32InitializeProcessForWsWatch","features":[308,577]},{"name":"K32QueryWorkingSet","features":[308,577]},{"name":"K32QueryWorkingSetEx","features":[308,577]},{"name":"LIST_MODULES_32BIT","features":[577]},{"name":"LIST_MODULES_64BIT","features":[577]},{"name":"LIST_MODULES_ALL","features":[577]},{"name":"LIST_MODULES_DEFAULT","features":[577]},{"name":"MODULEINFO","features":[577]},{"name":"PENUM_PAGE_FILE_CALLBACKA","features":[308,577]},{"name":"PENUM_PAGE_FILE_CALLBACKW","features":[308,577]},{"name":"PERFORMANCE_INFORMATION","features":[577]},{"name":"PROCESS_MEMORY_COUNTERS","features":[577]},{"name":"PROCESS_MEMORY_COUNTERS_EX","features":[577]},{"name":"PROCESS_MEMORY_COUNTERS_EX2","features":[577]},{"name":"PSAPI_VERSION","features":[577]},{"name":"PSAPI_WORKING_SET_BLOCK","features":[577]},{"name":"PSAPI_WORKING_SET_EX_BLOCK","features":[577]},{"name":"PSAPI_WORKING_SET_EX_INFORMATION","features":[577]},{"name":"PSAPI_WORKING_SET_INFORMATION","features":[577]},{"name":"PSAPI_WS_WATCH_INFORMATION","features":[577]},{"name":"PSAPI_WS_WATCH_INFORMATION_EX","features":[577]},{"name":"QueryWorkingSet","features":[308,577]},{"name":"QueryWorkingSetEx","features":[308,577]}],"593":[{"name":"FACILITY_PINT_STATUS_CODE","features":[578]},{"name":"FACILITY_RTC_INTERFACE","features":[578]},{"name":"FACILITY_SIP_STATUS_CODE","features":[578]},{"name":"INetworkTransportSettings","features":[578]},{"name":"INotificationTransportSync","features":[578]},{"name":"IRTCBuddy","features":[578]},{"name":"IRTCBuddy2","features":[578]},{"name":"IRTCBuddyEvent","features":[359,578]},{"name":"IRTCBuddyEvent2","features":[359,578]},{"name":"IRTCBuddyGroup","features":[578]},{"name":"IRTCBuddyGroupEvent","features":[359,578]},{"name":"IRTCClient","features":[578]},{"name":"IRTCClient2","features":[578]},{"name":"IRTCClientEvent","features":[359,578]},{"name":"IRTCClientPortManagement","features":[578]},{"name":"IRTCClientPresence","features":[578]},{"name":"IRTCClientPresence2","features":[578]},{"name":"IRTCClientProvisioning","features":[578]},{"name":"IRTCClientProvisioning2","features":[578]},{"name":"IRTCCollection","features":[359,578]},{"name":"IRTCDispatchEventNotification","features":[359,578]},{"name":"IRTCEnumBuddies","features":[578]},{"name":"IRTCEnumGroups","features":[578]},{"name":"IRTCEnumParticipants","features":[578]},{"name":"IRTCEnumPresenceDevices","features":[578]},{"name":"IRTCEnumProfiles","features":[578]},{"name":"IRTCEnumUserSearchResults","features":[578]},{"name":"IRTCEnumWatchers","features":[578]},{"name":"IRTCEventNotification","features":[578]},{"name":"IRTCInfoEvent","features":[359,578]},{"name":"IRTCIntensityEvent","features":[359,578]},{"name":"IRTCMediaEvent","features":[359,578]},{"name":"IRTCMediaRequestEvent","features":[359,578]},{"name":"IRTCMessagingEvent","features":[359,578]},{"name":"IRTCParticipant","features":[578]},{"name":"IRTCParticipantStateChangeEvent","features":[359,578]},{"name":"IRTCPortManager","features":[578]},{"name":"IRTCPresenceContact","features":[578]},{"name":"IRTCPresenceDataEvent","features":[359,578]},{"name":"IRTCPresenceDevice","features":[578]},{"name":"IRTCPresencePropertyEvent","features":[359,578]},{"name":"IRTCPresenceStatusEvent","features":[359,578]},{"name":"IRTCProfile","features":[578]},{"name":"IRTCProfile2","features":[578]},{"name":"IRTCProfileEvent","features":[359,578]},{"name":"IRTCProfileEvent2","features":[359,578]},{"name":"IRTCReInviteEvent","features":[359,578]},{"name":"IRTCRegistrationStateChangeEvent","features":[359,578]},{"name":"IRTCRoamingEvent","features":[359,578]},{"name":"IRTCSession","features":[578]},{"name":"IRTCSession2","features":[578]},{"name":"IRTCSessionCallControl","features":[578]},{"name":"IRTCSessionDescriptionManager","features":[578]},{"name":"IRTCSessionOperationCompleteEvent","features":[359,578]},{"name":"IRTCSessionOperationCompleteEvent2","features":[359,578]},{"name":"IRTCSessionPortManagement","features":[578]},{"name":"IRTCSessionReferStatusEvent","features":[359,578]},{"name":"IRTCSessionReferredEvent","features":[359,578]},{"name":"IRTCSessionStateChangeEvent","features":[359,578]},{"name":"IRTCSessionStateChangeEvent2","features":[359,578]},{"name":"IRTCUserSearch","features":[578]},{"name":"IRTCUserSearchQuery","features":[578]},{"name":"IRTCUserSearchResult","features":[578]},{"name":"IRTCUserSearchResultsEvent","features":[359,578]},{"name":"IRTCWatcher","features":[578]},{"name":"IRTCWatcher2","features":[578]},{"name":"IRTCWatcherEvent","features":[359,578]},{"name":"IRTCWatcherEvent2","features":[359,578]},{"name":"ITransportSettingsInternal","features":[578]},{"name":"RTCAD_MICROPHONE","features":[578]},{"name":"RTCAD_SPEAKER","features":[578]},{"name":"RTCAM_AUTOMATICALLY_ACCEPT","features":[578]},{"name":"RTCAM_AUTOMATICALLY_REJECT","features":[578]},{"name":"RTCAM_NOT_SUPPORTED","features":[578]},{"name":"RTCAM_OFFER_SESSION_EVENT","features":[578]},{"name":"RTCAS_SCOPE_ALL","features":[578]},{"name":"RTCAS_SCOPE_DOMAIN","features":[578]},{"name":"RTCAS_SCOPE_USER","features":[578]},{"name":"RTCAU_BASIC","features":[578]},{"name":"RTCAU_DIGEST","features":[578]},{"name":"RTCAU_KERBEROS","features":[578]},{"name":"RTCAU_NTLM","features":[578]},{"name":"RTCAU_USE_LOGON_CRED","features":[578]},{"name":"RTCBET_BUDDY_ADD","features":[578]},{"name":"RTCBET_BUDDY_REMOVE","features":[578]},{"name":"RTCBET_BUDDY_ROAMED","features":[578]},{"name":"RTCBET_BUDDY_STATE_CHANGE","features":[578]},{"name":"RTCBET_BUDDY_SUBSCRIBED","features":[578]},{"name":"RTCBET_BUDDY_UPDATE","features":[578]},{"name":"RTCBT_ALWAYS_OFFLINE","features":[578]},{"name":"RTCBT_ALWAYS_ONLINE","features":[578]},{"name":"RTCBT_POLL","features":[578]},{"name":"RTCBT_SUBSCRIBED","features":[578]},{"name":"RTCCET_ASYNC_CLEANUP_DONE","features":[578]},{"name":"RTCCET_DEVICE_CHANGE","features":[578]},{"name":"RTCCET_NETWORK_QUALITY_CHANGE","features":[578]},{"name":"RTCCET_VOLUME_CHANGE","features":[578]},{"name":"RTCCS_FAIL_ON_REDIRECT","features":[578]},{"name":"RTCCS_FORCE_PROFILE","features":[578]},{"name":"RTCClient","features":[578]},{"name":"RTCEF_ALL","features":[578]},{"name":"RTCEF_BUDDY","features":[578]},{"name":"RTCEF_BUDDY2","features":[578]},{"name":"RTCEF_CLIENT","features":[578]},{"name":"RTCEF_GROUP","features":[578]},{"name":"RTCEF_INFO","features":[578]},{"name":"RTCEF_INTENSITY","features":[578]},{"name":"RTCEF_MEDIA","features":[578]},{"name":"RTCEF_MEDIA_REQUEST","features":[578]},{"name":"RTCEF_MESSAGING","features":[578]},{"name":"RTCEF_PARTICIPANT_STATE_CHANGE","features":[578]},{"name":"RTCEF_PRESENCE_DATA","features":[578]},{"name":"RTCEF_PRESENCE_PROPERTY","features":[578]},{"name":"RTCEF_PRESENCE_STATUS","features":[578]},{"name":"RTCEF_PROFILE","features":[578]},{"name":"RTCEF_REGISTRATION_STATE_CHANGE","features":[578]},{"name":"RTCEF_REINVITE","features":[578]},{"name":"RTCEF_ROAMING","features":[578]},{"name":"RTCEF_SESSION_OPERATION_COMPLETE","features":[578]},{"name":"RTCEF_SESSION_REFERRED","features":[578]},{"name":"RTCEF_SESSION_REFER_STATUS","features":[578]},{"name":"RTCEF_SESSION_STATE_CHANGE","features":[578]},{"name":"RTCEF_USERSEARCH","features":[578]},{"name":"RTCEF_WATCHER","features":[578]},{"name":"RTCEF_WATCHER2","features":[578]},{"name":"RTCE_BUDDY","features":[578]},{"name":"RTCE_CLIENT","features":[578]},{"name":"RTCE_GROUP","features":[578]},{"name":"RTCE_INFO","features":[578]},{"name":"RTCE_INTENSITY","features":[578]},{"name":"RTCE_MEDIA","features":[578]},{"name":"RTCE_MEDIA_REQUEST","features":[578]},{"name":"RTCE_MESSAGING","features":[578]},{"name":"RTCE_PARTICIPANT_STATE_CHANGE","features":[578]},{"name":"RTCE_PRESENCE_DATA","features":[578]},{"name":"RTCE_PRESENCE_PROPERTY","features":[578]},{"name":"RTCE_PRESENCE_STATUS","features":[578]},{"name":"RTCE_PROFILE","features":[578]},{"name":"RTCE_REGISTRATION_STATE_CHANGE","features":[578]},{"name":"RTCE_REINVITE","features":[578]},{"name":"RTCE_ROAMING","features":[578]},{"name":"RTCE_SESSION_OPERATION_COMPLETE","features":[578]},{"name":"RTCE_SESSION_REFERRED","features":[578]},{"name":"RTCE_SESSION_REFER_STATUS","features":[578]},{"name":"RTCE_SESSION_STATE_CHANGE","features":[578]},{"name":"RTCE_USERSEARCH","features":[578]},{"name":"RTCE_WATCHER","features":[578]},{"name":"RTCGET_GROUP_ADD","features":[578]},{"name":"RTCGET_GROUP_BUDDY_ADD","features":[578]},{"name":"RTCGET_GROUP_BUDDY_REMOVE","features":[578]},{"name":"RTCGET_GROUP_REMOVE","features":[578]},{"name":"RTCGET_GROUP_ROAMED","features":[578]},{"name":"RTCGET_GROUP_UPDATE","features":[578]},{"name":"RTCIF_DISABLE_MEDIA","features":[578]},{"name":"RTCIF_DISABLE_STRICT_DNS","features":[578]},{"name":"RTCIF_DISABLE_UPNP","features":[578]},{"name":"RTCIF_ENABLE_SERVER_CLASS","features":[578]},{"name":"RTCLM_BOTH","features":[578]},{"name":"RTCLM_DYNAMIC","features":[578]},{"name":"RTCLM_NONE","features":[578]},{"name":"RTCMER_BAD_DEVICE","features":[578]},{"name":"RTCMER_HOLD","features":[578]},{"name":"RTCMER_NORMAL","features":[578]},{"name":"RTCMER_NO_PORT","features":[578]},{"name":"RTCMER_PORT_MAPPING_FAILED","features":[578]},{"name":"RTCMER_REMOTE_REQUEST","features":[578]},{"name":"RTCMER_TIMEOUT","features":[578]},{"name":"RTCMET_FAILED","features":[578]},{"name":"RTCMET_STARTED","features":[578]},{"name":"RTCMET_STOPPED","features":[578]},{"name":"RTCMSET_MESSAGE","features":[578]},{"name":"RTCMSET_STATUS","features":[578]},{"name":"RTCMT_AUDIO_RECEIVE","features":[578]},{"name":"RTCMT_AUDIO_SEND","features":[578]},{"name":"RTCMT_T120_SENDRECV","features":[578]},{"name":"RTCMT_VIDEO_RECEIVE","features":[578]},{"name":"RTCMT_VIDEO_SEND","features":[578]},{"name":"RTCMUS_IDLE","features":[578]},{"name":"RTCMUS_TYPING","features":[578]},{"name":"RTCOWM_AUTOMATICALLY_ADD_WATCHER","features":[578]},{"name":"RTCOWM_OFFER_WATCHER_EVENT","features":[578]},{"name":"RTCPFET_PROFILE_GET","features":[578]},{"name":"RTCPFET_PROFILE_UPDATE","features":[578]},{"name":"RTCPM_ALLOW_LIST_ONLY","features":[578]},{"name":"RTCPM_BLOCK_LIST_EXCLUDED","features":[578]},{"name":"RTCPP_DEVICE_NAME","features":[578]},{"name":"RTCPP_DISPLAYNAME","features":[578]},{"name":"RTCPP_EMAIL","features":[578]},{"name":"RTCPP_MULTIPLE","features":[578]},{"name":"RTCPP_PHONENUMBER","features":[578]},{"name":"RTCPS_ALERTING","features":[578]},{"name":"RTCPS_ANSWERING","features":[578]},{"name":"RTCPS_CONNECTED","features":[578]},{"name":"RTCPS_DISCONNECTED","features":[578]},{"name":"RTCPS_DISCONNECTING","features":[578]},{"name":"RTCPS_IDLE","features":[578]},{"name":"RTCPS_INCOMING","features":[578]},{"name":"RTCPS_INPROGRESS","features":[578]},{"name":"RTCPS_PENDING","features":[578]},{"name":"RTCPT_AUDIO_RTCP","features":[578]},{"name":"RTCPT_AUDIO_RTP","features":[578]},{"name":"RTCPT_SIP","features":[578]},{"name":"RTCPT_VIDEO_RTCP","features":[578]},{"name":"RTCPT_VIDEO_RTP","features":[578]},{"name":"RTCPU_URIDISPLAYDURINGCALL","features":[578]},{"name":"RTCPU_URIDISPLAYDURINGIDLE","features":[578]},{"name":"RTCPU_URIHELPDESK","features":[578]},{"name":"RTCPU_URIHOMEPAGE","features":[578]},{"name":"RTCPU_URIPERSONALACCOUNT","features":[578]},{"name":"RTCRET_BUDDY_ROAMING","features":[578]},{"name":"RTCRET_PRESENCE_ROAMING","features":[578]},{"name":"RTCRET_PROFILE_ROAMING","features":[578]},{"name":"RTCRET_WATCHER_ROAMING","features":[578]},{"name":"RTCRET_WPENDING_ROAMING","features":[578]},{"name":"RTCRF_REGISTER_ALL","features":[578]},{"name":"RTCRF_REGISTER_INVITE_SESSIONS","features":[578]},{"name":"RTCRF_REGISTER_MESSAGE_SESSIONS","features":[578]},{"name":"RTCRF_REGISTER_NOTIFY","features":[578]},{"name":"RTCRF_REGISTER_PRESENCE","features":[578]},{"name":"RTCRIN_FAIL","features":[578]},{"name":"RTCRIN_INCOMING","features":[578]},{"name":"RTCRIN_SUCCEEDED","features":[578]},{"name":"RTCRMF_ALL_ROAMING","features":[578]},{"name":"RTCRMF_BUDDY_ROAMING","features":[578]},{"name":"RTCRMF_PRESENCE_ROAMING","features":[578]},{"name":"RTCRMF_PROFILE_ROAMING","features":[578]},{"name":"RTCRMF_WATCHER_ROAMING","features":[578]},{"name":"RTCRS_ERROR","features":[578]},{"name":"RTCRS_LOCAL_PA_LOGGED_OFF","features":[578]},{"name":"RTCRS_LOGGED_OFF","features":[578]},{"name":"RTCRS_NOT_REGISTERED","features":[578]},{"name":"RTCRS_REGISTERED","features":[578]},{"name":"RTCRS_REGISTERING","features":[578]},{"name":"RTCRS_REJECTED","features":[578]},{"name":"RTCRS_REMOTE_PA_LOGGED_OFF","features":[578]},{"name":"RTCRS_UNREGISTERING","features":[578]},{"name":"RTCRT_MESSAGE","features":[578]},{"name":"RTCRT_PHONE","features":[578]},{"name":"RTCRT_RINGBACK","features":[578]},{"name":"RTCSECL_REQUIRED","features":[578]},{"name":"RTCSECL_SUPPORTED","features":[578]},{"name":"RTCSECL_UNSUPPORTED","features":[578]},{"name":"RTCSECT_AUDIO_VIDEO_MEDIA_ENCRYPTION","features":[578]},{"name":"RTCSECT_T120_MEDIA_ENCRYPTION","features":[578]},{"name":"RTCSI_APPLICATION","features":[578]},{"name":"RTCSI_IM","features":[578]},{"name":"RTCSI_MULTIPARTY_IM","features":[578]},{"name":"RTCSI_PC_TO_PC","features":[578]},{"name":"RTCSI_PC_TO_PHONE","features":[578]},{"name":"RTCSI_PHONE_TO_PHONE","features":[578]},{"name":"RTCSRS_ACCEPTED","features":[578]},{"name":"RTCSRS_DONE","features":[578]},{"name":"RTCSRS_DROPPED","features":[578]},{"name":"RTCSRS_ERROR","features":[578]},{"name":"RTCSRS_REFERRING","features":[578]},{"name":"RTCSRS_REJECTED","features":[578]},{"name":"RTCSS_ANSWERING","features":[578]},{"name":"RTCSS_CONNECTED","features":[578]},{"name":"RTCSS_DISCONNECTED","features":[578]},{"name":"RTCSS_HOLD","features":[578]},{"name":"RTCSS_IDLE","features":[578]},{"name":"RTCSS_INCOMING","features":[578]},{"name":"RTCSS_INPROGRESS","features":[578]},{"name":"RTCSS_REFER","features":[578]},{"name":"RTCST_APPLICATION","features":[578]},{"name":"RTCST_IM","features":[578]},{"name":"RTCST_MULTIPARTY_IM","features":[578]},{"name":"RTCST_PC_TO_PC","features":[578]},{"name":"RTCST_PC_TO_PHONE","features":[578]},{"name":"RTCST_PHONE_TO_PHONE","features":[578]},{"name":"RTCTA_APPSHARING","features":[578]},{"name":"RTCTA_WHITEBOARD","features":[578]},{"name":"RTCTR_BUSY","features":[578]},{"name":"RTCTR_DND","features":[578]},{"name":"RTCTR_INSUFFICIENT_SECURITY_LEVEL","features":[578]},{"name":"RTCTR_NORMAL","features":[578]},{"name":"RTCTR_NOT_SUPPORTED","features":[578]},{"name":"RTCTR_REJECT","features":[578]},{"name":"RTCTR_SHUTDOWN","features":[578]},{"name":"RTCTR_TCP","features":[578]},{"name":"RTCTR_TIMEOUT","features":[578]},{"name":"RTCTR_TLS","features":[578]},{"name":"RTCTR_UDP","features":[578]},{"name":"RTCUSC_CITY","features":[578]},{"name":"RTCUSC_COMPANY","features":[578]},{"name":"RTCUSC_COUNTRY","features":[578]},{"name":"RTCUSC_DISPLAYNAME","features":[578]},{"name":"RTCUSC_EMAIL","features":[578]},{"name":"RTCUSC_OFFICE","features":[578]},{"name":"RTCUSC_PHONE","features":[578]},{"name":"RTCUSC_STATE","features":[578]},{"name":"RTCUSC_TITLE","features":[578]},{"name":"RTCUSC_URI","features":[578]},{"name":"RTCUSP_MAX_MATCHES","features":[578]},{"name":"RTCUSP_TIME_LIMIT","features":[578]},{"name":"RTCVD_PREVIEW","features":[578]},{"name":"RTCVD_RECEIVE","features":[578]},{"name":"RTCWET_WATCHER_ADD","features":[578]},{"name":"RTCWET_WATCHER_OFFERING","features":[578]},{"name":"RTCWET_WATCHER_REMOVE","features":[578]},{"name":"RTCWET_WATCHER_ROAMED","features":[578]},{"name":"RTCWET_WATCHER_UPDATE","features":[578]},{"name":"RTCWMM_BEST_ACE_MATCH","features":[578]},{"name":"RTCWMM_EXACT_MATCH","features":[578]},{"name":"RTCWS_ALLOWED","features":[578]},{"name":"RTCWS_BLOCKED","features":[578]},{"name":"RTCWS_DENIED","features":[578]},{"name":"RTCWS_OFFERING","features":[578]},{"name":"RTCWS_PROMPT","features":[578]},{"name":"RTCWS_UNKNOWN","features":[578]},{"name":"RTCXS_PRESENCE_AWAY","features":[578]},{"name":"RTCXS_PRESENCE_BE_RIGHT_BACK","features":[578]},{"name":"RTCXS_PRESENCE_BUSY","features":[578]},{"name":"RTCXS_PRESENCE_IDLE","features":[578]},{"name":"RTCXS_PRESENCE_OFFLINE","features":[578]},{"name":"RTCXS_PRESENCE_ONLINE","features":[578]},{"name":"RTCXS_PRESENCE_ON_THE_PHONE","features":[578]},{"name":"RTCXS_PRESENCE_OUT_TO_LUNCH","features":[578]},{"name":"RTC_ACE_SCOPE","features":[578]},{"name":"RTC_ANSWER_MODE","features":[578]},{"name":"RTC_AUDIO_DEVICE","features":[578]},{"name":"RTC_BUDDY_EVENT_TYPE","features":[578]},{"name":"RTC_BUDDY_SUBSCRIPTION_TYPE","features":[578]},{"name":"RTC_CLIENT_EVENT_TYPE","features":[578]},{"name":"RTC_DTMF","features":[578]},{"name":"RTC_DTMF_0","features":[578]},{"name":"RTC_DTMF_1","features":[578]},{"name":"RTC_DTMF_2","features":[578]},{"name":"RTC_DTMF_3","features":[578]},{"name":"RTC_DTMF_4","features":[578]},{"name":"RTC_DTMF_5","features":[578]},{"name":"RTC_DTMF_6","features":[578]},{"name":"RTC_DTMF_7","features":[578]},{"name":"RTC_DTMF_8","features":[578]},{"name":"RTC_DTMF_9","features":[578]},{"name":"RTC_DTMF_A","features":[578]},{"name":"RTC_DTMF_B","features":[578]},{"name":"RTC_DTMF_C","features":[578]},{"name":"RTC_DTMF_D","features":[578]},{"name":"RTC_DTMF_FLASH","features":[578]},{"name":"RTC_DTMF_POUND","features":[578]},{"name":"RTC_DTMF_STAR","features":[578]},{"name":"RTC_EVENT","features":[578]},{"name":"RTC_E_ANOTHER_MEDIA_SESSION_ACTIVE","features":[578]},{"name":"RTC_E_BASIC_AUTH_SET_TLS","features":[578]},{"name":"RTC_E_CLIENT_ALREADY_INITIALIZED","features":[578]},{"name":"RTC_E_CLIENT_ALREADY_SHUT_DOWN","features":[578]},{"name":"RTC_E_CLIENT_NOT_INITIALIZED","features":[578]},{"name":"RTC_E_DESTINATION_ADDRESS_LOCAL","features":[578]},{"name":"RTC_E_DESTINATION_ADDRESS_MULTICAST","features":[578]},{"name":"RTC_E_DUPLICATE_BUDDY","features":[578]},{"name":"RTC_E_DUPLICATE_GROUP","features":[578]},{"name":"RTC_E_DUPLICATE_REALM","features":[578]},{"name":"RTC_E_DUPLICATE_WATCHER","features":[578]},{"name":"RTC_E_INVALID_ACL_LIST","features":[578]},{"name":"RTC_E_INVALID_ADDRESS_LOCAL","features":[578]},{"name":"RTC_E_INVALID_BUDDY_LIST","features":[578]},{"name":"RTC_E_INVALID_LISTEN_SOCKET","features":[578]},{"name":"RTC_E_INVALID_OBJECT_STATE","features":[578]},{"name":"RTC_E_INVALID_PORTRANGE","features":[578]},{"name":"RTC_E_INVALID_PREFERENCE_LIST","features":[578]},{"name":"RTC_E_INVALID_PROFILE","features":[578]},{"name":"RTC_E_INVALID_PROXY_ADDRESS","features":[578]},{"name":"RTC_E_INVALID_REGISTRATION_STATE","features":[578]},{"name":"RTC_E_INVALID_SESSION_STATE","features":[578]},{"name":"RTC_E_INVALID_SESSION_TYPE","features":[578]},{"name":"RTC_E_INVALID_SIP_URL","features":[578]},{"name":"RTC_E_LISTENING_SOCKET_NOT_EXIST","features":[578]},{"name":"RTC_E_LOCAL_PHONE_NEEDED","features":[578]},{"name":"RTC_E_MALFORMED_XML","features":[578]},{"name":"RTC_E_MAX_PENDING_OPERATIONS","features":[578]},{"name":"RTC_E_MAX_REDIRECTS","features":[578]},{"name":"RTC_E_MEDIA_AEC","features":[578]},{"name":"RTC_E_MEDIA_AUDIO_DEVICE_NOT_AVAILABLE","features":[578]},{"name":"RTC_E_MEDIA_CONTROLLER_STATE","features":[578]},{"name":"RTC_E_MEDIA_DISABLED","features":[578]},{"name":"RTC_E_MEDIA_ENABLED","features":[578]},{"name":"RTC_E_MEDIA_NEED_TERMINAL","features":[578]},{"name":"RTC_E_MEDIA_SESSION_IN_HOLD","features":[578]},{"name":"RTC_E_MEDIA_SESSION_NOT_EXIST","features":[578]},{"name":"RTC_E_MEDIA_VIDEO_DEVICE_NOT_AVAILABLE","features":[578]},{"name":"RTC_E_NOT_ALLOWED","features":[578]},{"name":"RTC_E_NOT_EXIST","features":[578]},{"name":"RTC_E_NOT_PRESENCE_PROFILE","features":[578]},{"name":"RTC_E_NO_BUDDY","features":[578]},{"name":"RTC_E_NO_DEVICE","features":[578]},{"name":"RTC_E_NO_GROUP","features":[578]},{"name":"RTC_E_NO_PROFILE","features":[578]},{"name":"RTC_E_NO_REALM","features":[578]},{"name":"RTC_E_NO_TRANSPORT","features":[578]},{"name":"RTC_E_NO_WATCHER","features":[578]},{"name":"RTC_E_OPERATION_WITH_TOO_MANY_PARTICIPANTS","features":[578]},{"name":"RTC_E_PINT_STATUS_REJECTED_ALL_BUSY","features":[578]},{"name":"RTC_E_PINT_STATUS_REJECTED_BADNUMBER","features":[578]},{"name":"RTC_E_PINT_STATUS_REJECTED_BUSY","features":[578]},{"name":"RTC_E_PINT_STATUS_REJECTED_CANCELLED","features":[578]},{"name":"RTC_E_PINT_STATUS_REJECTED_NO_ANSWER","features":[578]},{"name":"RTC_E_PINT_STATUS_REJECTED_PL_FAILED","features":[578]},{"name":"RTC_E_PINT_STATUS_REJECTED_SW_FAILED","features":[578]},{"name":"RTC_E_PLATFORM_NOT_SUPPORTED","features":[578]},{"name":"RTC_E_POLICY_NOT_ALLOW","features":[578]},{"name":"RTC_E_PORT_MANAGER_ALREADY_SET","features":[578]},{"name":"RTC_E_PORT_MAPPING_FAILED","features":[578]},{"name":"RTC_E_PORT_MAPPING_UNAVAILABLE","features":[578]},{"name":"RTC_E_PRESENCE_ENABLED","features":[578]},{"name":"RTC_E_PRESENCE_NOT_ENABLED","features":[578]},{"name":"RTC_E_PROFILE_INVALID_SERVER_AUTHMETHOD","features":[578]},{"name":"RTC_E_PROFILE_INVALID_SERVER_PROTOCOL","features":[578]},{"name":"RTC_E_PROFILE_INVALID_SERVER_ROLE","features":[578]},{"name":"RTC_E_PROFILE_INVALID_SESSION","features":[578]},{"name":"RTC_E_PROFILE_INVALID_SESSION_PARTY","features":[578]},{"name":"RTC_E_PROFILE_INVALID_SESSION_TYPE","features":[578]},{"name":"RTC_E_PROFILE_MULTIPLE_REGISTRARS","features":[578]},{"name":"RTC_E_PROFILE_NO_KEY","features":[578]},{"name":"RTC_E_PROFILE_NO_NAME","features":[578]},{"name":"RTC_E_PROFILE_NO_PROVISION","features":[578]},{"name":"RTC_E_PROFILE_NO_SERVER","features":[578]},{"name":"RTC_E_PROFILE_NO_SERVER_ADDRESS","features":[578]},{"name":"RTC_E_PROFILE_NO_SERVER_PROTOCOL","features":[578]},{"name":"RTC_E_PROFILE_NO_USER","features":[578]},{"name":"RTC_E_PROFILE_NO_USER_URI","features":[578]},{"name":"RTC_E_PROFILE_SERVER_UNAUTHORIZED","features":[578]},{"name":"RTC_E_REDIRECT_PROCESSING_FAILED","features":[578]},{"name":"RTC_E_REFER_NOT_ACCEPTED","features":[578]},{"name":"RTC_E_REFER_NOT_ALLOWED","features":[578]},{"name":"RTC_E_REFER_NOT_EXIST","features":[578]},{"name":"RTC_E_REGISTRATION_DEACTIVATED","features":[578]},{"name":"RTC_E_REGISTRATION_REJECTED","features":[578]},{"name":"RTC_E_REGISTRATION_UNREGISTERED","features":[578]},{"name":"RTC_E_ROAMING_ENABLED","features":[578]},{"name":"RTC_E_ROAMING_FAILED","features":[578]},{"name":"RTC_E_ROAMING_OPERATION_INTERRUPTED","features":[578]},{"name":"RTC_E_SDP_CONNECTION_ADDR","features":[578]},{"name":"RTC_E_SDP_FAILED_TO_BUILD","features":[578]},{"name":"RTC_E_SDP_MULTICAST","features":[578]},{"name":"RTC_E_SDP_NOT_PRESENT","features":[578]},{"name":"RTC_E_SDP_NO_MEDIA","features":[578]},{"name":"RTC_E_SDP_PARSE_FAILED","features":[578]},{"name":"RTC_E_SDP_UPDATE_FAILED","features":[578]},{"name":"RTC_E_SECURITY_LEVEL_ALREADY_SET","features":[578]},{"name":"RTC_E_SECURITY_LEVEL_NOT_COMPATIBLE","features":[578]},{"name":"RTC_E_SECURITY_LEVEL_NOT_DEFINED","features":[578]},{"name":"RTC_E_SECURITY_LEVEL_NOT_SUPPORTED_BY_PARTICIPANT","features":[578]},{"name":"RTC_E_SIP_ADDITIONAL_PARTY_IN_TWO_PARTY_SESSION","features":[578]},{"name":"RTC_E_SIP_AUTH_FAILED","features":[578]},{"name":"RTC_E_SIP_AUTH_HEADER_SENT","features":[578]},{"name":"RTC_E_SIP_AUTH_TIME_SKEW","features":[578]},{"name":"RTC_E_SIP_AUTH_TYPE_NOT_SUPPORTED","features":[578]},{"name":"RTC_E_SIP_CALL_CONNECTION_NOT_ESTABLISHED","features":[578]},{"name":"RTC_E_SIP_CALL_DISCONNECTED","features":[578]},{"name":"RTC_E_SIP_CODECS_DO_NOT_MATCH","features":[578]},{"name":"RTC_E_SIP_DNS_FAIL","features":[578]},{"name":"RTC_E_SIP_HEADER_NOT_PRESENT","features":[578]},{"name":"RTC_E_SIP_HIGH_SECURITY_SET_TLS","features":[578]},{"name":"RTC_E_SIP_HOLD_OPERATION_PENDING","features":[578]},{"name":"RTC_E_SIP_INVALID_CERTIFICATE","features":[578]},{"name":"RTC_E_SIP_INVITEE_PARTY_TIMEOUT","features":[578]},{"name":"RTC_E_SIP_INVITE_TRANSACTION_PENDING","features":[578]},{"name":"RTC_E_SIP_NEED_MORE_DATA","features":[578]},{"name":"RTC_E_SIP_NO_STREAM","features":[578]},{"name":"RTC_E_SIP_OTHER_PARTY_JOIN_IN_PROGRESS","features":[578]},{"name":"RTC_E_SIP_PARSE_FAILED","features":[578]},{"name":"RTC_E_SIP_PARTY_ALREADY_IN_SESSION","features":[578]},{"name":"RTC_E_SIP_PEER_PARTICIPANT_IN_MULTIPARTY_SESSION","features":[578]},{"name":"RTC_E_SIP_REFER_OPERATION_PENDING","features":[578]},{"name":"RTC_E_SIP_REQUEST_DESTINATION_ADDR_NOT_PRESENT","features":[578]},{"name":"RTC_E_SIP_SSL_NEGOTIATION_TIMEOUT","features":[578]},{"name":"RTC_E_SIP_SSL_TUNNEL_FAILED","features":[578]},{"name":"RTC_E_SIP_STACK_SHUTDOWN","features":[578]},{"name":"RTC_E_SIP_STREAM_NOT_PRESENT","features":[578]},{"name":"RTC_E_SIP_STREAM_PRESENT","features":[578]},{"name":"RTC_E_SIP_TCP_FAIL","features":[578]},{"name":"RTC_E_SIP_TIMEOUT","features":[578]},{"name":"RTC_E_SIP_TLS_FAIL","features":[578]},{"name":"RTC_E_SIP_TLS_INCOMPATIBLE_ENCRYPTION","features":[578]},{"name":"RTC_E_SIP_TRANSPORT_NOT_SUPPORTED","features":[578]},{"name":"RTC_E_SIP_UDP_SIZE_EXCEEDED","features":[578]},{"name":"RTC_E_SIP_UNHOLD_OPERATION_PENDING","features":[578]},{"name":"RTC_E_START_STREAM","features":[578]},{"name":"RTC_E_STATUS_CLIENT_ADDRESS_INCOMPLETE","features":[578]},{"name":"RTC_E_STATUS_CLIENT_AMBIGUOUS","features":[578]},{"name":"RTC_E_STATUS_CLIENT_BAD_EXTENSION","features":[578]},{"name":"RTC_E_STATUS_CLIENT_BAD_REQUEST","features":[578]},{"name":"RTC_E_STATUS_CLIENT_BUSY_HERE","features":[578]},{"name":"RTC_E_STATUS_CLIENT_CONFLICT","features":[578]},{"name":"RTC_E_STATUS_CLIENT_FORBIDDEN","features":[578]},{"name":"RTC_E_STATUS_CLIENT_GONE","features":[578]},{"name":"RTC_E_STATUS_CLIENT_LENGTH_REQUIRED","features":[578]},{"name":"RTC_E_STATUS_CLIENT_LOOP_DETECTED","features":[578]},{"name":"RTC_E_STATUS_CLIENT_METHOD_NOT_ALLOWED","features":[578]},{"name":"RTC_E_STATUS_CLIENT_NOT_ACCEPTABLE","features":[578]},{"name":"RTC_E_STATUS_CLIENT_NOT_FOUND","features":[578]},{"name":"RTC_E_STATUS_CLIENT_PAYMENT_REQUIRED","features":[578]},{"name":"RTC_E_STATUS_CLIENT_PROXY_AUTHENTICATION_REQUIRED","features":[578]},{"name":"RTC_E_STATUS_CLIENT_REQUEST_ENTITY_TOO_LARGE","features":[578]},{"name":"RTC_E_STATUS_CLIENT_REQUEST_TIMEOUT","features":[578]},{"name":"RTC_E_STATUS_CLIENT_REQUEST_URI_TOO_LARGE","features":[578]},{"name":"RTC_E_STATUS_CLIENT_TEMPORARILY_NOT_AVAILABLE","features":[578]},{"name":"RTC_E_STATUS_CLIENT_TOO_MANY_HOPS","features":[578]},{"name":"RTC_E_STATUS_CLIENT_TRANSACTION_DOES_NOT_EXIST","features":[578]},{"name":"RTC_E_STATUS_CLIENT_UNAUTHORIZED","features":[578]},{"name":"RTC_E_STATUS_CLIENT_UNSUPPORTED_MEDIA_TYPE","features":[578]},{"name":"RTC_E_STATUS_GLOBAL_BUSY_EVERYWHERE","features":[578]},{"name":"RTC_E_STATUS_GLOBAL_DECLINE","features":[578]},{"name":"RTC_E_STATUS_GLOBAL_DOES_NOT_EXIST_ANYWHERE","features":[578]},{"name":"RTC_E_STATUS_GLOBAL_NOT_ACCEPTABLE","features":[578]},{"name":"RTC_E_STATUS_INFO_CALL_FORWARDING","features":[578]},{"name":"RTC_E_STATUS_INFO_QUEUED","features":[578]},{"name":"RTC_E_STATUS_INFO_RINGING","features":[578]},{"name":"RTC_E_STATUS_INFO_TRYING","features":[578]},{"name":"RTC_E_STATUS_NOT_ACCEPTABLE_HERE","features":[578]},{"name":"RTC_E_STATUS_REDIRECT_ALTERNATIVE_SERVICE","features":[578]},{"name":"RTC_E_STATUS_REDIRECT_MOVED_PERMANENTLY","features":[578]},{"name":"RTC_E_STATUS_REDIRECT_MOVED_TEMPORARILY","features":[578]},{"name":"RTC_E_STATUS_REDIRECT_MULTIPLE_CHOICES","features":[578]},{"name":"RTC_E_STATUS_REDIRECT_SEE_OTHER","features":[578]},{"name":"RTC_E_STATUS_REDIRECT_USE_PROXY","features":[578]},{"name":"RTC_E_STATUS_REQUEST_TERMINATED","features":[578]},{"name":"RTC_E_STATUS_SERVER_BAD_GATEWAY","features":[578]},{"name":"RTC_E_STATUS_SERVER_INTERNAL_ERROR","features":[578]},{"name":"RTC_E_STATUS_SERVER_NOT_IMPLEMENTED","features":[578]},{"name":"RTC_E_STATUS_SERVER_SERVER_TIMEOUT","features":[578]},{"name":"RTC_E_STATUS_SERVER_SERVICE_UNAVAILABLE","features":[578]},{"name":"RTC_E_STATUS_SERVER_VERSION_NOT_SUPPORTED","features":[578]},{"name":"RTC_E_STATUS_SESSION_PROGRESS","features":[578]},{"name":"RTC_E_STATUS_SUCCESS","features":[578]},{"name":"RTC_E_TOO_MANY_GROUPS","features":[578]},{"name":"RTC_E_TOO_MANY_RETRIES","features":[578]},{"name":"RTC_E_TOO_SMALL_EXPIRES_VALUE","features":[578]},{"name":"RTC_E_UDP_NOT_SUPPORTED","features":[578]},{"name":"RTC_GROUP_EVENT_TYPE","features":[578]},{"name":"RTC_LISTEN_MODE","features":[578]},{"name":"RTC_MEDIA_EVENT_REASON","features":[578]},{"name":"RTC_MEDIA_EVENT_TYPE","features":[578]},{"name":"RTC_MESSAGING_EVENT_TYPE","features":[578]},{"name":"RTC_MESSAGING_USER_STATUS","features":[578]},{"name":"RTC_OFFER_WATCHER_MODE","features":[578]},{"name":"RTC_PARTICIPANT_STATE","features":[578]},{"name":"RTC_PORT_TYPE","features":[578]},{"name":"RTC_PRESENCE_PROPERTY","features":[578]},{"name":"RTC_PRESENCE_STATUS","features":[578]},{"name":"RTC_PRIVACY_MODE","features":[578]},{"name":"RTC_PROFILE_EVENT_TYPE","features":[578]},{"name":"RTC_PROVIDER_URI","features":[578]},{"name":"RTC_REGISTRATION_STATE","features":[578]},{"name":"RTC_REINVITE_STATE","features":[578]},{"name":"RTC_RING_TYPE","features":[578]},{"name":"RTC_ROAMING_EVENT_TYPE","features":[578]},{"name":"RTC_SECURITY_LEVEL","features":[578]},{"name":"RTC_SECURITY_TYPE","features":[578]},{"name":"RTC_SESSION_REFER_STATUS","features":[578]},{"name":"RTC_SESSION_STATE","features":[578]},{"name":"RTC_SESSION_TYPE","features":[578]},{"name":"RTC_S_ROAMING_NOT_SUPPORTED","features":[578]},{"name":"RTC_T120_APPLET","features":[578]},{"name":"RTC_TERMINATE_REASON","features":[578]},{"name":"RTC_USER_SEARCH_COLUMN","features":[578]},{"name":"RTC_USER_SEARCH_PREFERENCE","features":[578]},{"name":"RTC_VIDEO_DEVICE","features":[578]},{"name":"RTC_WATCHER_EVENT_TYPE","features":[578]},{"name":"RTC_WATCHER_MATCH_MODE","features":[578]},{"name":"RTC_WATCHER_STATE","features":[578]},{"name":"STATUS_SEVERITY_RTC_ERROR","features":[578]},{"name":"TRANSPORT_SETTING","features":[321,578]}],"594":[{"name":"ApplicationRecoveryFinished","features":[308,579]},{"name":"ApplicationRecoveryInProgress","features":[308,579]},{"name":"GetApplicationRecoveryCallback","features":[308,579,340]},{"name":"GetApplicationRestartSettings","features":[308,579]},{"name":"REGISTER_APPLICATION_RESTART_FLAGS","features":[579]},{"name":"RESTART_NO_CRASH","features":[579]},{"name":"RESTART_NO_HANG","features":[579]},{"name":"RESTART_NO_PATCH","features":[579]},{"name":"RESTART_NO_REBOOT","features":[579]},{"name":"RegisterApplicationRecoveryCallback","features":[579,340]},{"name":"RegisterApplicationRestart","features":[579]},{"name":"UnregisterApplicationRecoveryCallback","features":[579]},{"name":"UnregisterApplicationRestart","features":[579]}],"595":[{"name":"AGP_FLAG_NO_1X_RATE","features":[369]},{"name":"AGP_FLAG_NO_2X_RATE","features":[369]},{"name":"AGP_FLAG_NO_4X_RATE","features":[369]},{"name":"AGP_FLAG_NO_8X_RATE","features":[369]},{"name":"AGP_FLAG_NO_FW_ENABLE","features":[369]},{"name":"AGP_FLAG_NO_SBA_ENABLE","features":[369]},{"name":"AGP_FLAG_REVERSE_INITIALIZATION","features":[369]},{"name":"AGP_FLAG_SPECIAL_RESERVE","features":[369]},{"name":"AGP_FLAG_SPECIAL_TARGET","features":[369]},{"name":"APMMENUSUSPEND_DISABLED","features":[369]},{"name":"APMMENUSUSPEND_ENABLED","features":[369]},{"name":"APMMENUSUSPEND_NOCHANGE","features":[369]},{"name":"APMMENUSUSPEND_UNDOCKED","features":[369]},{"name":"APMTIMEOUT_DISABLED","features":[369]},{"name":"BIF_RAWDEVICENEEDSDRIVER","features":[369]},{"name":"BIF_SHOWSIMILARDRIVERS","features":[369]},{"name":"CSCONFIGFLAG_BITS","features":[369]},{"name":"CSCONFIGFLAG_DISABLED","features":[369]},{"name":"CSCONFIGFLAG_DO_NOT_CREATE","features":[369]},{"name":"CSCONFIGFLAG_DO_NOT_START","features":[369]},{"name":"DMSTATEFLAG_APPLYTOALL","features":[369]},{"name":"DOSOPTF_ALWAYSUSE","features":[369]},{"name":"DOSOPTF_DEFAULT","features":[369]},{"name":"DOSOPTF_INDOSSTART","features":[369]},{"name":"DOSOPTF_MULTIPLE","features":[369]},{"name":"DOSOPTF_NEEDSETUP","features":[369]},{"name":"DOSOPTF_PROVIDESUMB","features":[369]},{"name":"DOSOPTF_SUPPORTED","features":[369]},{"name":"DOSOPTF_USESPMODE","features":[369]},{"name":"DOSOPTGF_DEFCLEAN","features":[369]},{"name":"DRIVERSIGN_BLOCKING","features":[369]},{"name":"DRIVERSIGN_NONE","features":[369]},{"name":"DRIVERSIGN_WARNING","features":[369]},{"name":"DSKTLSYSTEMTIME","features":[369]},{"name":"DTRESULTFIX","features":[369]},{"name":"DTRESULTOK","features":[369]},{"name":"DTRESULTPART","features":[369]},{"name":"DTRESULTPROB","features":[369]},{"name":"EISAFLAG_NO_IO_MERGE","features":[369]},{"name":"EISAFLAG_SLOT_IO_FIRST","features":[369]},{"name":"EISA_NO_MAX_FUNCTION","features":[369]},{"name":"GetRegistryValueWithFallbackW","features":[308,369]},{"name":"HKEY","features":[369]},{"name":"HKEY_CLASSES_ROOT","features":[369]},{"name":"HKEY_CURRENT_CONFIG","features":[369]},{"name":"HKEY_CURRENT_USER","features":[369]},{"name":"HKEY_CURRENT_USER_LOCAL_SETTINGS","features":[369]},{"name":"HKEY_DYN_DATA","features":[369]},{"name":"HKEY_LOCAL_MACHINE","features":[369]},{"name":"HKEY_PERFORMANCE_DATA","features":[369]},{"name":"HKEY_PERFORMANCE_NLSTEXT","features":[369]},{"name":"HKEY_PERFORMANCE_TEXT","features":[369]},{"name":"HKEY_USERS","features":[369]},{"name":"IT_COMPACT","features":[369]},{"name":"IT_CUSTOM","features":[369]},{"name":"IT_PORTABLE","features":[369]},{"name":"IT_TYPICAL","features":[369]},{"name":"KEY_ALL_ACCESS","features":[369]},{"name":"KEY_CREATE_LINK","features":[369]},{"name":"KEY_CREATE_SUB_KEY","features":[369]},{"name":"KEY_ENUMERATE_SUB_KEYS","features":[369]},{"name":"KEY_EXECUTE","features":[369]},{"name":"KEY_NOTIFY","features":[369]},{"name":"KEY_QUERY_VALUE","features":[369]},{"name":"KEY_READ","features":[369]},{"name":"KEY_SET_VALUE","features":[369]},{"name":"KEY_WOW64_32KEY","features":[369]},{"name":"KEY_WOW64_64KEY","features":[369]},{"name":"KEY_WOW64_RES","features":[369]},{"name":"KEY_WRITE","features":[369]},{"name":"LASTGOOD_OPERATION","features":[369]},{"name":"LASTGOOD_OPERATION_DELETE","features":[369]},{"name":"LASTGOOD_OPERATION_NOPOSTPROC","features":[369]},{"name":"MF_FLAGS_CREATE_BUT_NO_SHOW_DISABLED","features":[369]},{"name":"MF_FLAGS_EVEN_IF_NO_RESOURCE","features":[369]},{"name":"MF_FLAGS_FILL_IN_UNKNOWN_RESOURCE","features":[369]},{"name":"MF_FLAGS_NO_CREATE_IF_NO_RESOURCE","features":[369]},{"name":"NUM_EISA_RANGES","features":[369]},{"name":"NUM_RESOURCE_MAP","features":[369]},{"name":"PCIC_DEFAULT_IRQMASK","features":[369]},{"name":"PCIC_DEFAULT_NUMSOCKETS","features":[369]},{"name":"PCI_OPTIONS_USE_BIOS","features":[369]},{"name":"PCI_OPTIONS_USE_IRQ_STEERING","features":[369]},{"name":"PCMCIA_DEF_MEMBEGIN","features":[369]},{"name":"PCMCIA_DEF_MEMEND","features":[369]},{"name":"PCMCIA_DEF_MEMLEN","features":[369]},{"name":"PCMCIA_DEF_MIN_REGION","features":[369]},{"name":"PCMCIA_OPT_AUTOMEM","features":[369]},{"name":"PCMCIA_OPT_HAVE_SOCKET","features":[369]},{"name":"PCMCIA_OPT_NO_APMREMOVE","features":[369]},{"name":"PCMCIA_OPT_NO_AUDIO","features":[369]},{"name":"PCMCIA_OPT_NO_SOUND","features":[369]},{"name":"PIR_OPTION_DEFAULT","features":[369]},{"name":"PIR_OPTION_ENABLED","features":[369]},{"name":"PIR_OPTION_MSSPEC","features":[369]},{"name":"PIR_OPTION_REALMODE","features":[369]},{"name":"PIR_OPTION_REGISTRY","features":[369]},{"name":"PIR_STATUS_DISABLED","features":[369]},{"name":"PIR_STATUS_ENABLED","features":[369]},{"name":"PIR_STATUS_ERROR","features":[369]},{"name":"PIR_STATUS_MAX","features":[369]},{"name":"PIR_STATUS_MINIPORT_COMPATIBLE","features":[369]},{"name":"PIR_STATUS_MINIPORT_ERROR","features":[369]},{"name":"PIR_STATUS_MINIPORT_INVALID","features":[369]},{"name":"PIR_STATUS_MINIPORT_MAX","features":[369]},{"name":"PIR_STATUS_MINIPORT_NOKEY","features":[369]},{"name":"PIR_STATUS_MINIPORT_NONE","features":[369]},{"name":"PIR_STATUS_MINIPORT_NORMAL","features":[369]},{"name":"PIR_STATUS_MINIPORT_OVERRIDE","features":[369]},{"name":"PIR_STATUS_MINIPORT_SUCCESS","features":[369]},{"name":"PIR_STATUS_TABLE_BAD","features":[369]},{"name":"PIR_STATUS_TABLE_ERROR","features":[369]},{"name":"PIR_STATUS_TABLE_MAX","features":[369]},{"name":"PIR_STATUS_TABLE_MSSPEC","features":[369]},{"name":"PIR_STATUS_TABLE_NONE","features":[369]},{"name":"PIR_STATUS_TABLE_REALMODE","features":[369]},{"name":"PIR_STATUS_TABLE_REGISTRY","features":[369]},{"name":"PIR_STATUS_TABLE_SUCCESS","features":[369]},{"name":"PQUERYHANDLER","features":[369]},{"name":"PROVIDER_KEEPS_VALUE_LENGTH","features":[369]},{"name":"PVALUEA","features":[369]},{"name":"PVALUEW","features":[369]},{"name":"REGDF_CONFLICTDMA","features":[369]},{"name":"REGDF_CONFLICTIO","features":[369]},{"name":"REGDF_CONFLICTIRQ","features":[369]},{"name":"REGDF_CONFLICTMEM","features":[369]},{"name":"REGDF_GENFORCEDCONFIG","features":[369]},{"name":"REGDF_MAPIRQ2TO9","features":[369]},{"name":"REGDF_NEEDFULLCONFIG","features":[369]},{"name":"REGDF_NODETCONFIG","features":[369]},{"name":"REGDF_NOTDETDMA","features":[369]},{"name":"REGDF_NOTDETIO","features":[369]},{"name":"REGDF_NOTDETIRQ","features":[369]},{"name":"REGDF_NOTDETMEM","features":[369]},{"name":"REGDF_NOTVERIFIED","features":[369]},{"name":"REGSTR_DATA_NETOS_IPX","features":[369]},{"name":"REGSTR_DATA_NETOS_NDIS","features":[369]},{"name":"REGSTR_DATA_NETOS_ODI","features":[369]},{"name":"REGSTR_DEFAULT_INSTANCE","features":[369]},{"name":"REGSTR_KEY_ACPIENUM","features":[369]},{"name":"REGSTR_KEY_APM","features":[369]},{"name":"REGSTR_KEY_BIOSENUM","features":[369]},{"name":"REGSTR_KEY_CLASS","features":[369]},{"name":"REGSTR_KEY_CONFIG","features":[369]},{"name":"REGSTR_KEY_CONTROL","features":[369]},{"name":"REGSTR_KEY_CRASHES","features":[369]},{"name":"REGSTR_KEY_CURRENT","features":[369]},{"name":"REGSTR_KEY_CURRENT_ENV","features":[369]},{"name":"REGSTR_KEY_DANGERS","features":[369]},{"name":"REGSTR_KEY_DEFAULT","features":[369]},{"name":"REGSTR_KEY_DETMODVARS","features":[369]},{"name":"REGSTR_KEY_DEVICEPARAMETERS","features":[369]},{"name":"REGSTR_KEY_DEVICE_PROPERTIES","features":[369]},{"name":"REGSTR_KEY_DISPLAY_CLASS","features":[369]},{"name":"REGSTR_KEY_DOSOPTCDROM","features":[369]},{"name":"REGSTR_KEY_DOSOPTMOUSE","features":[369]},{"name":"REGSTR_KEY_DRIVERPARAMETERS","features":[369]},{"name":"REGSTR_KEY_DRIVERS","features":[369]},{"name":"REGSTR_KEY_EBDAUTOEXECBATKEYBOARD","features":[369]},{"name":"REGSTR_KEY_EBDAUTOEXECBATLOCAL","features":[369]},{"name":"REGSTR_KEY_EBDCONFIGSYSKEYBOARD","features":[369]},{"name":"REGSTR_KEY_EBDCONFIGSYSLOCAL","features":[369]},{"name":"REGSTR_KEY_EBDFILESKEYBOARD","features":[369]},{"name":"REGSTR_KEY_EBDFILESLOCAL","features":[369]},{"name":"REGSTR_KEY_EISAENUM","features":[369]},{"name":"REGSTR_KEY_ENUM","features":[369]},{"name":"REGSTR_KEY_EXPLORER","features":[369]},{"name":"REGSTR_KEY_FILTERS","features":[369]},{"name":"REGSTR_KEY_INIUPDATE","features":[369]},{"name":"REGSTR_KEY_ISAENUM","features":[369]},{"name":"REGSTR_KEY_JOYCURR","features":[369]},{"name":"REGSTR_KEY_JOYSETTINGS","features":[369]},{"name":"REGSTR_KEY_KEYBOARD_CLASS","features":[369]},{"name":"REGSTR_KEY_KNOWNDOCKINGSTATES","features":[369]},{"name":"REGSTR_KEY_LOGCONFIG","features":[369]},{"name":"REGSTR_KEY_LOGON","features":[369]},{"name":"REGSTR_KEY_LOWER_FILTER_LEVEL_DEFAULT","features":[369]},{"name":"REGSTR_KEY_MEDIA_CLASS","features":[369]},{"name":"REGSTR_KEY_MODEM_CLASS","features":[369]},{"name":"REGSTR_KEY_MODES","features":[369]},{"name":"REGSTR_KEY_MONITOR_CLASS","features":[369]},{"name":"REGSTR_KEY_MOUSE_CLASS","features":[369]},{"name":"REGSTR_KEY_NDISINFO","features":[369]},{"name":"REGSTR_KEY_NETWORK","features":[369]},{"name":"REGSTR_KEY_NETWORKPROVIDER","features":[369]},{"name":"REGSTR_KEY_NETWORK_PERSISTENT","features":[369]},{"name":"REGSTR_KEY_NETWORK_RECENT","features":[369]},{"name":"REGSTR_KEY_OVERRIDE","features":[369]},{"name":"REGSTR_KEY_PCIENUM","features":[369]},{"name":"REGSTR_KEY_PCMCIA","features":[369]},{"name":"REGSTR_KEY_PCMCIAENUM","features":[369]},{"name":"REGSTR_KEY_PCMCIA_CLASS","features":[369]},{"name":"REGSTR_KEY_PCMTD","features":[369]},{"name":"REGSTR_KEY_PCUNKNOWN","features":[369]},{"name":"REGSTR_KEY_POL_COMPUTERS","features":[369]},{"name":"REGSTR_KEY_POL_DEFAULT","features":[369]},{"name":"REGSTR_KEY_POL_USERGROUPDATA","features":[369]},{"name":"REGSTR_KEY_POL_USERGROUPS","features":[369]},{"name":"REGSTR_KEY_POL_USERS","features":[369]},{"name":"REGSTR_KEY_PORTS_CLASS","features":[369]},{"name":"REGSTR_KEY_PRINTERS","features":[369]},{"name":"REGSTR_KEY_PRINT_PROC","features":[369]},{"name":"REGSTR_KEY_ROOTENUM","features":[369]},{"name":"REGSTR_KEY_RUNHISTORY","features":[369]},{"name":"REGSTR_KEY_SCSI_CLASS","features":[369]},{"name":"REGSTR_KEY_SETUP","features":[369]},{"name":"REGSTR_KEY_SHARES","features":[369]},{"name":"REGSTR_KEY_SYSTEM","features":[369]},{"name":"REGSTR_KEY_SYSTEMBOARD","features":[369]},{"name":"REGSTR_KEY_UPPER_FILTER_LEVEL_DEFAULT","features":[369]},{"name":"REGSTR_KEY_USER","features":[369]},{"name":"REGSTR_KEY_VPOWERDENUM","features":[369]},{"name":"REGSTR_KEY_WINOLDAPP","features":[369]},{"name":"REGSTR_MACHTYPE_ATT_PC","features":[369]},{"name":"REGSTR_MACHTYPE_HP_VECTRA","features":[369]},{"name":"REGSTR_MACHTYPE_IBMPC","features":[369]},{"name":"REGSTR_MACHTYPE_IBMPCAT","features":[369]},{"name":"REGSTR_MACHTYPE_IBMPCCONV","features":[369]},{"name":"REGSTR_MACHTYPE_IBMPCJR","features":[369]},{"name":"REGSTR_MACHTYPE_IBMPCXT","features":[369]},{"name":"REGSTR_MACHTYPE_IBMPCXT_286","features":[369]},{"name":"REGSTR_MACHTYPE_IBMPS1","features":[369]},{"name":"REGSTR_MACHTYPE_IBMPS2_25","features":[369]},{"name":"REGSTR_MACHTYPE_IBMPS2_30","features":[369]},{"name":"REGSTR_MACHTYPE_IBMPS2_30_286","features":[369]},{"name":"REGSTR_MACHTYPE_IBMPS2_50","features":[369]},{"name":"REGSTR_MACHTYPE_IBMPS2_50Z","features":[369]},{"name":"REGSTR_MACHTYPE_IBMPS2_55SX","features":[369]},{"name":"REGSTR_MACHTYPE_IBMPS2_60","features":[369]},{"name":"REGSTR_MACHTYPE_IBMPS2_65SX","features":[369]},{"name":"REGSTR_MACHTYPE_IBMPS2_70","features":[369]},{"name":"REGSTR_MACHTYPE_IBMPS2_70_80","features":[369]},{"name":"REGSTR_MACHTYPE_IBMPS2_80","features":[369]},{"name":"REGSTR_MACHTYPE_IBMPS2_90","features":[369]},{"name":"REGSTR_MACHTYPE_IBMPS2_P70","features":[369]},{"name":"REGSTR_MACHTYPE_PHOENIX_PCAT","features":[369]},{"name":"REGSTR_MACHTYPE_UNKNOWN","features":[369]},{"name":"REGSTR_MACHTYPE_ZENITH_PC","features":[369]},{"name":"REGSTR_MAX_VALUE_LENGTH","features":[369]},{"name":"REGSTR_PATH_ADDRARB","features":[369]},{"name":"REGSTR_PATH_AEDEBUG","features":[369]},{"name":"REGSTR_PATH_APPEARANCE","features":[369]},{"name":"REGSTR_PATH_APPPATCH","features":[369]},{"name":"REGSTR_PATH_APPPATHS","features":[369]},{"name":"REGSTR_PATH_BIOSINFO","features":[369]},{"name":"REGSTR_PATH_BUSINFORMATION","features":[369]},{"name":"REGSTR_PATH_CDFS","features":[369]},{"name":"REGSTR_PATH_CHECKBADAPPS","features":[369]},{"name":"REGSTR_PATH_CHECKBADAPPS400","features":[369]},{"name":"REGSTR_PATH_CHECKDISK","features":[369]},{"name":"REGSTR_PATH_CHECKDISKSET","features":[369]},{"name":"REGSTR_PATH_CHECKDISKUDRVS","features":[369]},{"name":"REGSTR_PATH_CHECKVERDLLS","features":[369]},{"name":"REGSTR_PATH_CHILD_PREFIX","features":[369]},{"name":"REGSTR_PATH_CHKLASTCHECK","features":[369]},{"name":"REGSTR_PATH_CHKLASTSURFAN","features":[369]},{"name":"REGSTR_PATH_CLASS","features":[369]},{"name":"REGSTR_PATH_CLASS_NT","features":[369]},{"name":"REGSTR_PATH_CODEPAGE","features":[369]},{"name":"REGSTR_PATH_CODEVICEINSTALLERS","features":[369]},{"name":"REGSTR_PATH_COLORS","features":[369]},{"name":"REGSTR_PATH_COMPUTRNAME","features":[369]},{"name":"REGSTR_PATH_CONTROLPANEL","features":[369]},{"name":"REGSTR_PATH_CONTROLSFOLDER","features":[369]},{"name":"REGSTR_PATH_CRITICALDEVICEDATABASE","features":[369]},{"name":"REGSTR_PATH_CURRENTCONTROLSET","features":[369]},{"name":"REGSTR_PATH_CURRENT_CONTROL_SET","features":[369]},{"name":"REGSTR_PATH_CURSORS","features":[369]},{"name":"REGSTR_PATH_CVNETWORK","features":[369]},{"name":"REGSTR_PATH_DESKTOP","features":[369]},{"name":"REGSTR_PATH_DETECT","features":[369]},{"name":"REGSTR_PATH_DEVICEINSTALLER","features":[369]},{"name":"REGSTR_PATH_DEVICE_CLASSES","features":[369]},{"name":"REGSTR_PATH_DIFX","features":[369]},{"name":"REGSTR_PATH_DISPLAYSETTINGS","features":[369]},{"name":"REGSTR_PATH_DMAARB","features":[369]},{"name":"REGSTR_PATH_DRIVERSIGN","features":[369]},{"name":"REGSTR_PATH_DRIVERSIGN_POLICY","features":[369]},{"name":"REGSTR_PATH_ENUM","features":[369]},{"name":"REGSTR_PATH_ENVIRONMENTS","features":[369]},{"name":"REGSTR_PATH_EVENTLABELS","features":[369]},{"name":"REGSTR_PATH_EXPLORER","features":[369]},{"name":"REGSTR_PATH_FAULT","features":[369]},{"name":"REGSTR_PATH_FILESYSTEM","features":[369]},{"name":"REGSTR_PATH_FILESYSTEM_NOVOLTRACK","features":[369]},{"name":"REGSTR_PATH_FLOATINGPOINTPROCESSOR","features":[369]},{"name":"REGSTR_PATH_FLOATINGPOINTPROCESSOR0","features":[369]},{"name":"REGSTR_PATH_FONTS","features":[369]},{"name":"REGSTR_PATH_GRPCONV","features":[369]},{"name":"REGSTR_PATH_HACKINIFILE","features":[369]},{"name":"REGSTR_PATH_HWPROFILES","features":[369]},{"name":"REGSTR_PATH_HWPROFILESCURRENT","features":[369]},{"name":"REGSTR_PATH_ICONS","features":[369]},{"name":"REGSTR_PATH_IDCONFIGDB","features":[369]},{"name":"REGSTR_PATH_INSTALLEDFILES","features":[369]},{"name":"REGSTR_PATH_IOARB","features":[369]},{"name":"REGSTR_PATH_IOS","features":[369]},{"name":"REGSTR_PATH_IRQARB","features":[369]},{"name":"REGSTR_PATH_KEYBOARD","features":[369]},{"name":"REGSTR_PATH_KNOWN16DLLS","features":[369]},{"name":"REGSTR_PATH_KNOWNDLLS","features":[369]},{"name":"REGSTR_PATH_KNOWNVXDS","features":[369]},{"name":"REGSTR_PATH_LASTBACKUP","features":[369]},{"name":"REGSTR_PATH_LASTCHECK","features":[369]},{"name":"REGSTR_PATH_LASTGOOD","features":[369]},{"name":"REGSTR_PATH_LASTGOODTMP","features":[369]},{"name":"REGSTR_PATH_LASTOPTIMIZE","features":[369]},{"name":"REGSTR_PATH_LOOKSCHEMES","features":[369]},{"name":"REGSTR_PATH_METRICS","features":[369]},{"name":"REGSTR_PATH_MONITORS","features":[369]},{"name":"REGSTR_PATH_MOUSE","features":[369]},{"name":"REGSTR_PATH_MSDOSOPTS","features":[369]},{"name":"REGSTR_PATH_MULTIMEDIA_AUDIO","features":[369]},{"name":"REGSTR_PATH_MULTI_FUNCTION","features":[369]},{"name":"REGSTR_PATH_NCPSERVER","features":[369]},{"name":"REGSTR_PATH_NETEQUIV","features":[369]},{"name":"REGSTR_PATH_NETWORK_USERSETTINGS","features":[369]},{"name":"REGSTR_PATH_NEWDOSBOX","features":[369]},{"name":"REGSTR_PATH_NONDRIVERSIGN","features":[369]},{"name":"REGSTR_PATH_NONDRIVERSIGN_POLICY","features":[369]},{"name":"REGSTR_PATH_NOSUGGMSDOS","features":[369]},{"name":"REGSTR_PATH_NT_CURRENTVERSION","features":[369]},{"name":"REGSTR_PATH_NWREDIR","features":[369]},{"name":"REGSTR_PATH_PCIIR","features":[369]},{"name":"REGSTR_PATH_PER_HW_ID_STORAGE","features":[369]},{"name":"REGSTR_PATH_PIFCONVERT","features":[369]},{"name":"REGSTR_PATH_POLICIES","features":[369]},{"name":"REGSTR_PATH_PRINT","features":[369]},{"name":"REGSTR_PATH_PRINTERS","features":[369]},{"name":"REGSTR_PATH_PROPERTYSYSTEM","features":[369]},{"name":"REGSTR_PATH_PROVIDERS","features":[369]},{"name":"REGSTR_PATH_PWDPROVIDER","features":[369]},{"name":"REGSTR_PATH_REALMODENET","features":[369]},{"name":"REGSTR_PATH_REINSTALL","features":[369]},{"name":"REGSTR_PATH_RELIABILITY","features":[369]},{"name":"REGSTR_PATH_RELIABILITY_POLICY","features":[369]},{"name":"REGSTR_PATH_RELIABILITY_POLICY_REPORTSNAPSHOT","features":[369]},{"name":"REGSTR_PATH_RELIABILITY_POLICY_SHUTDOWNREASONUI","features":[369]},{"name":"REGSTR_PATH_RELIABILITY_POLICY_SNAPSHOT","features":[369]},{"name":"REGSTR_PATH_ROOT","features":[369]},{"name":"REGSTR_PATH_RUN","features":[369]},{"name":"REGSTR_PATH_RUNONCE","features":[369]},{"name":"REGSTR_PATH_RUNONCEEX","features":[369]},{"name":"REGSTR_PATH_RUNSERVICES","features":[369]},{"name":"REGSTR_PATH_RUNSERVICESONCE","features":[369]},{"name":"REGSTR_PATH_SCHEMES","features":[369]},{"name":"REGSTR_PATH_SCREENSAVE","features":[369]},{"name":"REGSTR_PATH_SERVICES","features":[369]},{"name":"REGSTR_PATH_SETUP","features":[369]},{"name":"REGSTR_PATH_SHUTDOWN","features":[369]},{"name":"REGSTR_PATH_SOUND","features":[369]},{"name":"REGSTR_PATH_SYSTEMENUM","features":[369]},{"name":"REGSTR_PATH_SYSTRAY","features":[369]},{"name":"REGSTR_PATH_TIMEZONE","features":[369]},{"name":"REGSTR_PATH_UNINSTALL","features":[369]},{"name":"REGSTR_PATH_UPDATE","features":[369]},{"name":"REGSTR_PATH_VCOMM","features":[369]},{"name":"REGSTR_PATH_VMM","features":[369]},{"name":"REGSTR_PATH_VMM32FILES","features":[369]},{"name":"REGSTR_PATH_VNETSUP","features":[369]},{"name":"REGSTR_PATH_VOLUMECACHE","features":[369]},{"name":"REGSTR_PATH_VPOWERD","features":[369]},{"name":"REGSTR_PATH_VXD","features":[369]},{"name":"REGSTR_PATH_WARNVERDLLS","features":[369]},{"name":"REGSTR_PATH_WINBOOT","features":[369]},{"name":"REGSTR_PATH_WINDOWSAPPLETS","features":[369]},{"name":"REGSTR_PATH_WINLOGON","features":[369]},{"name":"REGSTR_PATH_WMI_SECURITY","features":[369]},{"name":"REGSTR_PCI_DUAL_IDE","features":[369]},{"name":"REGSTR_PCI_OPTIONS","features":[369]},{"name":"REGSTR_VALUE_DEFAULTLOC","features":[369]},{"name":"REGSTR_VALUE_ENABLE","features":[369]},{"name":"REGSTR_VALUE_LOWPOWERACTIVE","features":[369]},{"name":"REGSTR_VALUE_LOWPOWERTIMEOUT","features":[369]},{"name":"REGSTR_VALUE_NETPATH","features":[369]},{"name":"REGSTR_VALUE_POWEROFFACTIVE","features":[369]},{"name":"REGSTR_VALUE_POWEROFFTIMEOUT","features":[369]},{"name":"REGSTR_VALUE_SCRPASSWORD","features":[369]},{"name":"REGSTR_VALUE_USESCRPASSWORD","features":[369]},{"name":"REGSTR_VALUE_VERBOSE","features":[369]},{"name":"REGSTR_VAL_ACDRIVESPINDOWN","features":[369]},{"name":"REGSTR_VAL_ACSPINDOWNPREVIOUS","features":[369]},{"name":"REGSTR_VAL_ACTIVESERVICE","features":[369]},{"name":"REGSTR_VAL_ADDRESS","features":[369]},{"name":"REGSTR_VAL_AEDEBUG_AUTO","features":[369]},{"name":"REGSTR_VAL_AEDEBUG_DEBUGGER","features":[369]},{"name":"REGSTR_VAL_ALPHANUMPWDS","features":[369]},{"name":"REGSTR_VAL_APISUPPORT","features":[369]},{"name":"REGSTR_VAL_APMACTIMEOUT","features":[369]},{"name":"REGSTR_VAL_APMBATTIMEOUT","features":[369]},{"name":"REGSTR_VAL_APMBIOSVER","features":[369]},{"name":"REGSTR_VAL_APMFLAGS","features":[369]},{"name":"REGSTR_VAL_APMMENUSUSPEND","features":[369]},{"name":"REGSTR_VAL_APMSHUTDOWNPOWER","features":[369]},{"name":"REGSTR_VAL_APPINSTPATH","features":[369]},{"name":"REGSTR_VAL_ASKFORCONFIG","features":[369]},{"name":"REGSTR_VAL_ASKFORCONFIGFUNC","features":[369]},{"name":"REGSTR_VAL_ASYNCFILECOMMIT","features":[369]},{"name":"REGSTR_VAL_AUDIO_BITMAP","features":[369]},{"name":"REGSTR_VAL_AUDIO_ICON","features":[369]},{"name":"REGSTR_VAL_AUTHENT_AGENT","features":[369]},{"name":"REGSTR_VAL_AUTOEXEC","features":[369]},{"name":"REGSTR_VAL_AUTOINSNOTE","features":[369]},{"name":"REGSTR_VAL_AUTOLOGON","features":[369]},{"name":"REGSTR_VAL_AUTOMOUNT","features":[369]},{"name":"REGSTR_VAL_AUTOSTART","features":[369]},{"name":"REGSTR_VAL_BASICPROPERTIES","features":[369]},{"name":"REGSTR_VAL_BASICPROPERTIES_32","features":[369]},{"name":"REGSTR_VAL_BATDRIVESPINDOWN","features":[369]},{"name":"REGSTR_VAL_BATSPINDOWNPREVIOUS","features":[369]},{"name":"REGSTR_VAL_BEHAVIOR_ON_FAILED_VERIFY","features":[369]},{"name":"REGSTR_VAL_BIOSDATE","features":[369]},{"name":"REGSTR_VAL_BIOSNAME","features":[369]},{"name":"REGSTR_VAL_BIOSVERSION","features":[369]},{"name":"REGSTR_VAL_BITSPERPIXEL","features":[369]},{"name":"REGSTR_VAL_BOOTCONFIG","features":[369]},{"name":"REGSTR_VAL_BOOTCOUNT","features":[369]},{"name":"REGSTR_VAL_BOOTDIR","features":[369]},{"name":"REGSTR_VAL_BPP","features":[369]},{"name":"REGSTR_VAL_BT","features":[369]},{"name":"REGSTR_VAL_BUFFAGETIMEOUT","features":[369]},{"name":"REGSTR_VAL_BUFFIDLETIMEOUT","features":[369]},{"name":"REGSTR_VAL_BUSTYPE","features":[369]},{"name":"REGSTR_VAL_CAPABILITIES","features":[369]},{"name":"REGSTR_VAL_CARDSPECIFIC","features":[369]},{"name":"REGSTR_VAL_CDCACHESIZE","features":[369]},{"name":"REGSTR_VAL_CDCOMPATNAMES","features":[369]},{"name":"REGSTR_VAL_CDEXTERRORS","features":[369]},{"name":"REGSTR_VAL_CDNOREADAHEAD","features":[369]},{"name":"REGSTR_VAL_CDPREFETCH","features":[369]},{"name":"REGSTR_VAL_CDPREFETCHTAIL","features":[369]},{"name":"REGSTR_VAL_CDRAWCACHE","features":[369]},{"name":"REGSTR_VAL_CDROM","features":[369]},{"name":"REGSTR_VAL_CDROMCLASSNAME","features":[369]},{"name":"REGSTR_VAL_CDSHOWVERSIONS","features":[369]},{"name":"REGSTR_VAL_CDSVDSENSE","features":[369]},{"name":"REGSTR_VAL_CHECKSUM","features":[369]},{"name":"REGSTR_VAL_CLASS","features":[369]},{"name":"REGSTR_VAL_CLASSDESC","features":[369]},{"name":"REGSTR_VAL_CLASSGUID","features":[369]},{"name":"REGSTR_VAL_CMDRIVFLAGS","features":[369]},{"name":"REGSTR_VAL_CMENUMFLAGS","features":[369]},{"name":"REGSTR_VAL_COINSTALLERS_32","features":[369]},{"name":"REGSTR_VAL_COMINFO","features":[369]},{"name":"REGSTR_VAL_COMMENT","features":[369]},{"name":"REGSTR_VAL_COMPATIBLEIDS","features":[369]},{"name":"REGSTR_VAL_COMPRESSIONMETHOD","features":[369]},{"name":"REGSTR_VAL_COMPRESSIONTHRESHOLD","features":[369]},{"name":"REGSTR_VAL_COMPUTERNAME","features":[369]},{"name":"REGSTR_VAL_COMPUTRNAME","features":[369]},{"name":"REGSTR_VAL_COMVERIFYBASE","features":[369]},{"name":"REGSTR_VAL_CONFIG","features":[369]},{"name":"REGSTR_VAL_CONFIGFLAGS","features":[369]},{"name":"REGSTR_VAL_CONFIGMG","features":[369]},{"name":"REGSTR_VAL_CONFIGSYS","features":[369]},{"name":"REGSTR_VAL_CONNECTION_TYPE","features":[369]},{"name":"REGSTR_VAL_CONTAINERID","features":[369]},{"name":"REGSTR_VAL_CONTIGFILEALLOC","features":[369]},{"name":"REGSTR_VAL_CONVMEM","features":[369]},{"name":"REGSTR_VAL_CPU","features":[369]},{"name":"REGSTR_VAL_CRASHFUNCS","features":[369]},{"name":"REGSTR_VAL_CSCONFIGFLAGS","features":[369]},{"name":"REGSTR_VAL_CURCONFIG","features":[369]},{"name":"REGSTR_VAL_CURDRVLET","features":[369]},{"name":"REGSTR_VAL_CURRENTCONFIG","features":[369]},{"name":"REGSTR_VAL_CURRENT_BUILD","features":[369]},{"name":"REGSTR_VAL_CURRENT_CSDVERSION","features":[369]},{"name":"REGSTR_VAL_CURRENT_TYPE","features":[369]},{"name":"REGSTR_VAL_CURRENT_USER","features":[369]},{"name":"REGSTR_VAL_CURRENT_VERSION","features":[369]},{"name":"REGSTR_VAL_CUSTOMCOLORS","features":[369]},{"name":"REGSTR_VAL_CUSTOM_PROPERTY_CACHE_DATE","features":[369]},{"name":"REGSTR_VAL_CUSTOM_PROPERTY_HW_ID_KEY","features":[369]},{"name":"REGSTR_VAL_DEFAULT","features":[369]},{"name":"REGSTR_VAL_DETCONFIG","features":[369]},{"name":"REGSTR_VAL_DETECT","features":[369]},{"name":"REGSTR_VAL_DETECTFUNC","features":[369]},{"name":"REGSTR_VAL_DETFLAGS","features":[369]},{"name":"REGSTR_VAL_DETFUNC","features":[369]},{"name":"REGSTR_VAL_DEVDESC","features":[369]},{"name":"REGSTR_VAL_DEVICEDRIVER","features":[369]},{"name":"REGSTR_VAL_DEVICEPATH","features":[369]},{"name":"REGSTR_VAL_DEVICE_CHARACTERISTICS","features":[369]},{"name":"REGSTR_VAL_DEVICE_EXCLUSIVE","features":[369]},{"name":"REGSTR_VAL_DEVICE_INSTANCE","features":[369]},{"name":"REGSTR_VAL_DEVICE_SECURITY_DESCRIPTOR","features":[369]},{"name":"REGSTR_VAL_DEVICE_TYPE","features":[369]},{"name":"REGSTR_VAL_DEVLOADER","features":[369]},{"name":"REGSTR_VAL_DEVTYPE","features":[369]},{"name":"REGSTR_VAL_DIRECTHOST","features":[369]},{"name":"REGSTR_VAL_DIRTYSHUTDOWN","features":[369]},{"name":"REGSTR_VAL_DIRTYSHUTDOWNTIME","features":[369]},{"name":"REGSTR_VAL_DISABLECOUNT","features":[369]},{"name":"REGSTR_VAL_DISABLEPWDCACHING","features":[369]},{"name":"REGSTR_VAL_DISABLEREGTOOLS","features":[369]},{"name":"REGSTR_VAL_DISCONNECT","features":[369]},{"name":"REGSTR_VAL_DISK","features":[369]},{"name":"REGSTR_VAL_DISKCLASSNAME","features":[369]},{"name":"REGSTR_VAL_DISPCPL_NOAPPEARANCEPAGE","features":[369]},{"name":"REGSTR_VAL_DISPCPL_NOBACKGROUNDPAGE","features":[369]},{"name":"REGSTR_VAL_DISPCPL_NODISPCPL","features":[369]},{"name":"REGSTR_VAL_DISPCPL_NOSCRSAVPAGE","features":[369]},{"name":"REGSTR_VAL_DISPCPL_NOSETTINGSPAGE","features":[369]},{"name":"REGSTR_VAL_DISPLAY","features":[369]},{"name":"REGSTR_VAL_DISPLAYFLAGS","features":[369]},{"name":"REGSTR_VAL_DOCKED","features":[369]},{"name":"REGSTR_VAL_DOCKSTATE","features":[369]},{"name":"REGSTR_VAL_DOES_POLLING","features":[369]},{"name":"REGSTR_VAL_DONTLOADIFCONFLICT","features":[369]},{"name":"REGSTR_VAL_DONTUSEMEM","features":[369]},{"name":"REGSTR_VAL_DOSCP","features":[369]},{"name":"REGSTR_VAL_DOSOPTFLAGS","features":[369]},{"name":"REGSTR_VAL_DOSOPTGLOBALFLAGS","features":[369]},{"name":"REGSTR_VAL_DOSOPTTIP","features":[369]},{"name":"REGSTR_VAL_DOSPAGER","features":[369]},{"name":"REGSTR_VAL_DOS_SPOOL_MASK","features":[369]},{"name":"REGSTR_VAL_DOUBLEBUFFER","features":[369]},{"name":"REGSTR_VAL_DPI","features":[369]},{"name":"REGSTR_VAL_DPILOGICALX","features":[369]},{"name":"REGSTR_VAL_DPILOGICALY","features":[369]},{"name":"REGSTR_VAL_DPIPHYSICALX","features":[369]},{"name":"REGSTR_VAL_DPIPHYSICALY","features":[369]},{"name":"REGSTR_VAL_DPMS","features":[369]},{"name":"REGSTR_VAL_DRIVER","features":[369]},{"name":"REGSTR_VAL_DRIVERCACHEPATH","features":[369]},{"name":"REGSTR_VAL_DRIVERDATE","features":[369]},{"name":"REGSTR_VAL_DRIVERDATEDATA","features":[369]},{"name":"REGSTR_VAL_DRIVERVERSION","features":[369]},{"name":"REGSTR_VAL_DRIVESPINDOWN","features":[369]},{"name":"REGSTR_VAL_DRIVEWRITEBEHIND","features":[369]},{"name":"REGSTR_VAL_DRIVE_SPINDOWN","features":[369]},{"name":"REGSTR_VAL_DRV","features":[369]},{"name":"REGSTR_VAL_DRVDESC","features":[369]},{"name":"REGSTR_VAL_DYNAMIC","features":[369]},{"name":"REGSTR_VAL_EISA_FLAGS","features":[369]},{"name":"REGSTR_VAL_EISA_FUNCTIONS","features":[369]},{"name":"REGSTR_VAL_EISA_FUNCTIONS_MASK","features":[369]},{"name":"REGSTR_VAL_EISA_RANGES","features":[369]},{"name":"REGSTR_VAL_EISA_SIMULATE_INT15","features":[369]},{"name":"REGSTR_VAL_EJECT_PRIORITY","features":[369]},{"name":"REGSTR_VAL_ENABLEINTS","features":[369]},{"name":"REGSTR_VAL_ENUMERATOR","features":[369]},{"name":"REGSTR_VAL_ENUMPROPPAGES","features":[369]},{"name":"REGSTR_VAL_ENUMPROPPAGES_32","features":[369]},{"name":"REGSTR_VAL_ESDI","features":[369]},{"name":"REGSTR_VAL_EXISTS","features":[369]},{"name":"REGSTR_VAL_EXTMEM","features":[369]},{"name":"REGSTR_VAL_FAULT_LOGFILE","features":[369]},{"name":"REGSTR_VAL_FIFODEPTH","features":[369]},{"name":"REGSTR_VAL_FILESHARING","features":[369]},{"name":"REGSTR_VAL_FIRSTINSTALLDATETIME","features":[369]},{"name":"REGSTR_VAL_FIRSTNETDRIVE","features":[369]},{"name":"REGSTR_VAL_FLOP","features":[369]},{"name":"REGSTR_VAL_FLOPPY","features":[369]},{"name":"REGSTR_VAL_FONTSIZE","features":[369]},{"name":"REGSTR_VAL_FORCECL","features":[369]},{"name":"REGSTR_VAL_FORCEDCONFIG","features":[369]},{"name":"REGSTR_VAL_FORCEFIFO","features":[369]},{"name":"REGSTR_VAL_FORCELOAD","features":[369]},{"name":"REGSTR_VAL_FORCEPMIO","features":[369]},{"name":"REGSTR_VAL_FORCEREBOOT","features":[369]},{"name":"REGSTR_VAL_FORCERMIO","features":[369]},{"name":"REGSTR_VAL_FREESPACERATIO","features":[369]},{"name":"REGSTR_VAL_FRIENDLYNAME","features":[369]},{"name":"REGSTR_VAL_FSFILTERCLASS","features":[369]},{"name":"REGSTR_VAL_FULLTRACE","features":[369]},{"name":"REGSTR_VAL_FUNCDESC","features":[369]},{"name":"REGSTR_VAL_GAPTIME","features":[369]},{"name":"REGSTR_VAL_GRB","features":[369]},{"name":"REGSTR_VAL_HARDWAREID","features":[369]},{"name":"REGSTR_VAL_HIDESHAREPWDS","features":[369]},{"name":"REGSTR_VAL_HRES","features":[369]},{"name":"REGSTR_VAL_HWDETECT","features":[369]},{"name":"REGSTR_VAL_HWMECHANISM","features":[369]},{"name":"REGSTR_VAL_HWREV","features":[369]},{"name":"REGSTR_VAL_ID","features":[369]},{"name":"REGSTR_VAL_IDE_FORCE_SERIALIZE","features":[369]},{"name":"REGSTR_VAL_IDE_NO_SERIALIZE","features":[369]},{"name":"REGSTR_VAL_INFNAME","features":[369]},{"name":"REGSTR_VAL_INFPATH","features":[369]},{"name":"REGSTR_VAL_INFSECTION","features":[369]},{"name":"REGSTR_VAL_INFSECTIONEXT","features":[369]},{"name":"REGSTR_VAL_INHIBITRESULTS","features":[369]},{"name":"REGSTR_VAL_INSICON","features":[369]},{"name":"REGSTR_VAL_INSTALLER","features":[369]},{"name":"REGSTR_VAL_INSTALLER_32","features":[369]},{"name":"REGSTR_VAL_INSTALLTYPE","features":[369]},{"name":"REGSTR_VAL_INT13","features":[369]},{"name":"REGSTR_VAL_ISAPNP","features":[369]},{"name":"REGSTR_VAL_ISAPNP_RDP_OVERRIDE","features":[369]},{"name":"REGSTR_VAL_JOYCALLOUT","features":[369]},{"name":"REGSTR_VAL_JOYNCONFIG","features":[369]},{"name":"REGSTR_VAL_JOYNOEMCALLOUT","features":[369]},{"name":"REGSTR_VAL_JOYNOEMNAME","features":[369]},{"name":"REGSTR_VAL_JOYOEMCAL1","features":[369]},{"name":"REGSTR_VAL_JOYOEMCAL10","features":[369]},{"name":"REGSTR_VAL_JOYOEMCAL11","features":[369]},{"name":"REGSTR_VAL_JOYOEMCAL12","features":[369]},{"name":"REGSTR_VAL_JOYOEMCAL2","features":[369]},{"name":"REGSTR_VAL_JOYOEMCAL3","features":[369]},{"name":"REGSTR_VAL_JOYOEMCAL4","features":[369]},{"name":"REGSTR_VAL_JOYOEMCAL5","features":[369]},{"name":"REGSTR_VAL_JOYOEMCAL6","features":[369]},{"name":"REGSTR_VAL_JOYOEMCAL7","features":[369]},{"name":"REGSTR_VAL_JOYOEMCAL8","features":[369]},{"name":"REGSTR_VAL_JOYOEMCAL9","features":[369]},{"name":"REGSTR_VAL_JOYOEMCALCAP","features":[369]},{"name":"REGSTR_VAL_JOYOEMCALLOUT","features":[369]},{"name":"REGSTR_VAL_JOYOEMCALWINCAP","features":[369]},{"name":"REGSTR_VAL_JOYOEMDATA","features":[369]},{"name":"REGSTR_VAL_JOYOEMNAME","features":[369]},{"name":"REGSTR_VAL_JOYOEMPOVLABEL","features":[369]},{"name":"REGSTR_VAL_JOYOEMRLABEL","features":[369]},{"name":"REGSTR_VAL_JOYOEMTESTBUTTONCAP","features":[369]},{"name":"REGSTR_VAL_JOYOEMTESTBUTTONDESC","features":[369]},{"name":"REGSTR_VAL_JOYOEMTESTMOVECAP","features":[369]},{"name":"REGSTR_VAL_JOYOEMTESTMOVEDESC","features":[369]},{"name":"REGSTR_VAL_JOYOEMTESTWINCAP","features":[369]},{"name":"REGSTR_VAL_JOYOEMULABEL","features":[369]},{"name":"REGSTR_VAL_JOYOEMVLABEL","features":[369]},{"name":"REGSTR_VAL_JOYOEMXYLABEL","features":[369]},{"name":"REGSTR_VAL_JOYOEMZLABEL","features":[369]},{"name":"REGSTR_VAL_JOYUSERVALUES","features":[369]},{"name":"REGSTR_VAL_LASTALIVEBT","features":[369]},{"name":"REGSTR_VAL_LASTALIVEINTERVAL","features":[369]},{"name":"REGSTR_VAL_LASTALIVEPMPOLICY","features":[369]},{"name":"REGSTR_VAL_LASTALIVESTAMP","features":[369]},{"name":"REGSTR_VAL_LASTALIVESTAMPFORCED","features":[369]},{"name":"REGSTR_VAL_LASTALIVESTAMPINTERVAL","features":[369]},{"name":"REGSTR_VAL_LASTALIVESTAMPPOLICYINTERVAL","features":[369]},{"name":"REGSTR_VAL_LASTALIVEUPTIME","features":[369]},{"name":"REGSTR_VAL_LASTBOOTPMDRVS","features":[369]},{"name":"REGSTR_VAL_LASTCOMPUTERNAME","features":[369]},{"name":"REGSTR_VAL_LASTPCIBUSNUM","features":[369]},{"name":"REGSTR_VAL_LAST_UPDATE_TIME","features":[369]},{"name":"REGSTR_VAL_LEGALNOTICECAPTION","features":[369]},{"name":"REGSTR_VAL_LEGALNOTICETEXT","features":[369]},{"name":"REGSTR_VAL_LICENSINGINFO","features":[369]},{"name":"REGSTR_VAL_LINKED","features":[369]},{"name":"REGSTR_VAL_LOADHI","features":[369]},{"name":"REGSTR_VAL_LOADRMDRIVERS","features":[369]},{"name":"REGSTR_VAL_LOCATION_INFORMATION","features":[369]},{"name":"REGSTR_VAL_LOCATION_INFORMATION_OVERRIDE","features":[369]},{"name":"REGSTR_VAL_LOWERFILTERS","features":[369]},{"name":"REGSTR_VAL_LOWER_FILTER_DEFAULT_LEVEL","features":[369]},{"name":"REGSTR_VAL_LOWER_FILTER_LEVELS","features":[369]},{"name":"REGSTR_VAL_MACHINETYPE","features":[369]},{"name":"REGSTR_VAL_MANUFACTURER","features":[369]},{"name":"REGSTR_VAL_MAP","features":[369]},{"name":"REGSTR_VAL_MATCHINGDEVID","features":[369]},{"name":"REGSTR_VAL_MAXCONNECTIONS","features":[369]},{"name":"REGSTR_VAL_MAXLIP","features":[369]},{"name":"REGSTR_VAL_MAXRES","features":[369]},{"name":"REGSTR_VAL_MAXRETRY","features":[369]},{"name":"REGSTR_VAL_MAX_HCID_LEN","features":[369]},{"name":"REGSTR_VAL_MEDIA","features":[369]},{"name":"REGSTR_VAL_MFG","features":[369]},{"name":"REGSTR_VAL_MF_FLAGS","features":[369]},{"name":"REGSTR_VAL_MINIPORT_STAT","features":[369]},{"name":"REGSTR_VAL_MINPWDLEN","features":[369]},{"name":"REGSTR_VAL_MINRETRY","features":[369]},{"name":"REGSTR_VAL_MODE","features":[369]},{"name":"REGSTR_VAL_MODEL","features":[369]},{"name":"REGSTR_VAL_MSDOSMODE","features":[369]},{"name":"REGSTR_VAL_MSDOSMODEDISCARD","features":[369]},{"name":"REGSTR_VAL_MUSTBEVALIDATED","features":[369]},{"name":"REGSTR_VAL_NAMECACHECOUNT","features":[369]},{"name":"REGSTR_VAL_NAMENUMERICTAIL","features":[369]},{"name":"REGSTR_VAL_NCP_BROWSEMASTER","features":[369]},{"name":"REGSTR_VAL_NCP_USEPEERBROWSING","features":[369]},{"name":"REGSTR_VAL_NCP_USESAP","features":[369]},{"name":"REGSTR_VAL_NDP","features":[369]},{"name":"REGSTR_VAL_NETCARD","features":[369]},{"name":"REGSTR_VAL_NETCLEAN","features":[369]},{"name":"REGSTR_VAL_NETOSTYPE","features":[369]},{"name":"REGSTR_VAL_NETSETUP_DISABLE","features":[369]},{"name":"REGSTR_VAL_NETSETUP_NOCONFIGPAGE","features":[369]},{"name":"REGSTR_VAL_NETSETUP_NOIDPAGE","features":[369]},{"name":"REGSTR_VAL_NETSETUP_NOSECURITYPAGE","features":[369]},{"name":"REGSTR_VAL_NOCMOSORFDPT","features":[369]},{"name":"REGSTR_VAL_NODISPLAYCLASS","features":[369]},{"name":"REGSTR_VAL_NOENTIRENETWORK","features":[369]},{"name":"REGSTR_VAL_NOFILESHARING","features":[369]},{"name":"REGSTR_VAL_NOFILESHARINGCTRL","features":[369]},{"name":"REGSTR_VAL_NOIDE","features":[369]},{"name":"REGSTR_VAL_NOINSTALLCLASS","features":[369]},{"name":"REGSTR_VAL_NONSTANDARD_ATAPI","features":[369]},{"name":"REGSTR_VAL_NOPRINTSHARING","features":[369]},{"name":"REGSTR_VAL_NOPRINTSHARINGCTRL","features":[369]},{"name":"REGSTR_VAL_NOUSECLASS","features":[369]},{"name":"REGSTR_VAL_NOWORKGROUPCONTENTS","features":[369]},{"name":"REGSTR_VAL_OLDMSDOSVER","features":[369]},{"name":"REGSTR_VAL_OLDWINDIR","features":[369]},{"name":"REGSTR_VAL_OPTIMIZESFN","features":[369]},{"name":"REGSTR_VAL_OPTIONS","features":[369]},{"name":"REGSTR_VAL_OPTORDER","features":[369]},{"name":"REGSTR_VAL_P1284MDL","features":[369]},{"name":"REGSTR_VAL_P1284MFG","features":[369]},{"name":"REGSTR_VAL_PATHCACHECOUNT","features":[369]},{"name":"REGSTR_VAL_PCCARD_POWER","features":[369]},{"name":"REGSTR_VAL_PCI","features":[369]},{"name":"REGSTR_VAL_PCIBIOSVER","features":[369]},{"name":"REGSTR_VAL_PCICIRQMAP","features":[369]},{"name":"REGSTR_VAL_PCICOPTIONS","features":[369]},{"name":"REGSTR_VAL_PCMCIA_ALLOC","features":[369]},{"name":"REGSTR_VAL_PCMCIA_ATAD","features":[369]},{"name":"REGSTR_VAL_PCMCIA_MEM","features":[369]},{"name":"REGSTR_VAL_PCMCIA_OPT","features":[369]},{"name":"REGSTR_VAL_PCMCIA_SIZ","features":[369]},{"name":"REGSTR_VAL_PCMTDRIVER","features":[369]},{"name":"REGSTR_VAL_PCSSDRIVER","features":[369]},{"name":"REGSTR_VAL_PHYSICALDEVICEOBJECT","features":[369]},{"name":"REGSTR_VAL_PMODE_INT13","features":[369]},{"name":"REGSTR_VAL_PNPBIOSVER","features":[369]},{"name":"REGSTR_VAL_PNPSTRUCOFFSET","features":[369]},{"name":"REGSTR_VAL_POLICY","features":[369]},{"name":"REGSTR_VAL_POLLING","features":[369]},{"name":"REGSTR_VAL_PORTNAME","features":[369]},{"name":"REGSTR_VAL_PORTSUBCLASS","features":[369]},{"name":"REGSTR_VAL_PREFREDIR","features":[369]},{"name":"REGSTR_VAL_PRESERVECASE","features":[369]},{"name":"REGSTR_VAL_PRESERVELONGNAMES","features":[369]},{"name":"REGSTR_VAL_PRINTERS_HIDETABS","features":[369]},{"name":"REGSTR_VAL_PRINTERS_MASK","features":[369]},{"name":"REGSTR_VAL_PRINTERS_NOADD","features":[369]},{"name":"REGSTR_VAL_PRINTERS_NODELETE","features":[369]},{"name":"REGSTR_VAL_PRINTSHARING","features":[369]},{"name":"REGSTR_VAL_PRIORITY","features":[369]},{"name":"REGSTR_VAL_PRIVATE","features":[369]},{"name":"REGSTR_VAL_PRIVATEFUNC","features":[369]},{"name":"REGSTR_VAL_PRIVATEPROBLEM","features":[369]},{"name":"REGSTR_VAL_PRODUCTID","features":[369]},{"name":"REGSTR_VAL_PRODUCTTYPE","features":[369]},{"name":"REGSTR_VAL_PROFILEFLAGS","features":[369]},{"name":"REGSTR_VAL_PROPERTIES","features":[369]},{"name":"REGSTR_VAL_PROTINIPATH","features":[369]},{"name":"REGSTR_VAL_PROVIDER_NAME","features":[369]},{"name":"REGSTR_VAL_PWDEXPIRATION","features":[369]},{"name":"REGSTR_VAL_PWDPROVIDER_CHANGEORDER","features":[369]},{"name":"REGSTR_VAL_PWDPROVIDER_CHANGEPWD","features":[369]},{"name":"REGSTR_VAL_PWDPROVIDER_CHANGEPWDHWND","features":[369]},{"name":"REGSTR_VAL_PWDPROVIDER_DESC","features":[369]},{"name":"REGSTR_VAL_PWDPROVIDER_GETPWDSTATUS","features":[369]},{"name":"REGSTR_VAL_PWDPROVIDER_ISNP","features":[369]},{"name":"REGSTR_VAL_PWDPROVIDER_PATH","features":[369]},{"name":"REGSTR_VAL_RDINTTHRESHOLD","features":[369]},{"name":"REGSTR_VAL_READAHEADTHRESHOLD","features":[369]},{"name":"REGSTR_VAL_READCACHING","features":[369]},{"name":"REGSTR_VAL_REALNETSTART","features":[369]},{"name":"REGSTR_VAL_REASONCODE","features":[369]},{"name":"REGSTR_VAL_REFRESHRATE","features":[369]},{"name":"REGSTR_VAL_REGITEMDELETEMESSAGE","features":[369]},{"name":"REGSTR_VAL_REGORGANIZATION","features":[369]},{"name":"REGSTR_VAL_REGOWNER","features":[369]},{"name":"REGSTR_VAL_REINSTALL_DEVICEINSTANCEIDS","features":[369]},{"name":"REGSTR_VAL_REINSTALL_DISPLAYNAME","features":[369]},{"name":"REGSTR_VAL_REINSTALL_STRING","features":[369]},{"name":"REGSTR_VAL_REMOTE_PATH","features":[369]},{"name":"REGSTR_VAL_REMOVABLE","features":[369]},{"name":"REGSTR_VAL_REMOVAL_POLICY","features":[369]},{"name":"REGSTR_VAL_REMOVEROMOKAY","features":[369]},{"name":"REGSTR_VAL_REMOVEROMOKAYFUNC","features":[369]},{"name":"REGSTR_VAL_RESERVED_DEVNODE","features":[369]},{"name":"REGSTR_VAL_RESOLUTION","features":[369]},{"name":"REGSTR_VAL_RESOURCES","features":[369]},{"name":"REGSTR_VAL_RESOURCE_MAP","features":[369]},{"name":"REGSTR_VAL_RESOURCE_PICKER_EXCEPTIONS","features":[369]},{"name":"REGSTR_VAL_RESOURCE_PICKER_TAGS","features":[369]},{"name":"REGSTR_VAL_RESTRICTRUN","features":[369]},{"name":"REGSTR_VAL_RESUMERESET","features":[369]},{"name":"REGSTR_VAL_REVISION","features":[369]},{"name":"REGSTR_VAL_REVLEVEL","features":[369]},{"name":"REGSTR_VAL_ROOT_DEVNODE","features":[369]},{"name":"REGSTR_VAL_RUNLOGINSCRIPT","features":[369]},{"name":"REGSTR_VAL_SCANNER","features":[369]},{"name":"REGSTR_VAL_SCAN_ONLY_FIRST","features":[369]},{"name":"REGSTR_VAL_SCSI","features":[369]},{"name":"REGSTR_VAL_SCSILUN","features":[369]},{"name":"REGSTR_VAL_SCSITID","features":[369]},{"name":"REGSTR_VAL_SEARCHMODE","features":[369]},{"name":"REGSTR_VAL_SEARCHOPTIONS","features":[369]},{"name":"REGSTR_VAL_SECCPL_NOADMINPAGE","features":[369]},{"name":"REGSTR_VAL_SECCPL_NOPROFILEPAGE","features":[369]},{"name":"REGSTR_VAL_SECCPL_NOPWDPAGE","features":[369]},{"name":"REGSTR_VAL_SECCPL_NOSECCPL","features":[369]},{"name":"REGSTR_VAL_SERVICE","features":[369]},{"name":"REGSTR_VAL_SETUPFLAGS","features":[369]},{"name":"REGSTR_VAL_SETUPMACHINETYPE","features":[369]},{"name":"REGSTR_VAL_SETUPN","features":[369]},{"name":"REGSTR_VAL_SETUPNPATH","features":[369]},{"name":"REGSTR_VAL_SETUPPROGRAMRAN","features":[369]},{"name":"REGSTR_VAL_SHARES_FLAGS","features":[369]},{"name":"REGSTR_VAL_SHARES_PATH","features":[369]},{"name":"REGSTR_VAL_SHARES_REMARK","features":[369]},{"name":"REGSTR_VAL_SHARES_RO_PASS","features":[369]},{"name":"REGSTR_VAL_SHARES_RW_PASS","features":[369]},{"name":"REGSTR_VAL_SHARES_TYPE","features":[369]},{"name":"REGSTR_VAL_SHARE_IRQ","features":[369]},{"name":"REGSTR_VAL_SHELLVERSION","features":[369]},{"name":"REGSTR_VAL_SHOWDOTS","features":[369]},{"name":"REGSTR_VAL_SHOWREASONUI","features":[369]},{"name":"REGSTR_VAL_SHUTDOWNREASON","features":[369]},{"name":"REGSTR_VAL_SHUTDOWNREASON_CODE","features":[369]},{"name":"REGSTR_VAL_SHUTDOWNREASON_COMMENT","features":[369]},{"name":"REGSTR_VAL_SHUTDOWNREASON_PROCESS","features":[369]},{"name":"REGSTR_VAL_SHUTDOWNREASON_USERNAME","features":[369]},{"name":"REGSTR_VAL_SHUTDOWN_FLAGS","features":[369]},{"name":"REGSTR_VAL_SHUTDOWN_IGNORE_PREDEFINED","features":[369]},{"name":"REGSTR_VAL_SHUTDOWN_STATE_SNAPSHOT","features":[369]},{"name":"REGSTR_VAL_SILENTINSTALL","features":[369]},{"name":"REGSTR_VAL_SLSUPPORT","features":[369]},{"name":"REGSTR_VAL_SOFTCOMPATMODE","features":[369]},{"name":"REGSTR_VAL_SRCPATH","features":[369]},{"name":"REGSTR_VAL_SRVNAMECACHE","features":[369]},{"name":"REGSTR_VAL_SRVNAMECACHECOUNT","features":[369]},{"name":"REGSTR_VAL_SRVNAMECACHENETPROV","features":[369]},{"name":"REGSTR_VAL_START_ON_BOOT","features":[369]},{"name":"REGSTR_VAL_STAT","features":[369]},{"name":"REGSTR_VAL_STATICDRIVE","features":[369]},{"name":"REGSTR_VAL_STATICVXD","features":[369]},{"name":"REGSTR_VAL_STDDOSOPTION","features":[369]},{"name":"REGSTR_VAL_SUBMODEL","features":[369]},{"name":"REGSTR_VAL_SUPPORTBURST","features":[369]},{"name":"REGSTR_VAL_SUPPORTLFN","features":[369]},{"name":"REGSTR_VAL_SUPPORTTUNNELLING","features":[369]},{"name":"REGSTR_VAL_SYMBOLIC_LINK","features":[369]},{"name":"REGSTR_VAL_SYNCDATAXFER","features":[369]},{"name":"REGSTR_VAL_SYSDM","features":[369]},{"name":"REGSTR_VAL_SYSDMFUNC","features":[369]},{"name":"REGSTR_VAL_SYSTEMCPL_NOCONFIGPAGE","features":[369]},{"name":"REGSTR_VAL_SYSTEMCPL_NODEVMGRPAGE","features":[369]},{"name":"REGSTR_VAL_SYSTEMCPL_NOFILESYSPAGE","features":[369]},{"name":"REGSTR_VAL_SYSTEMCPL_NOVIRTMEMPAGE","features":[369]},{"name":"REGSTR_VAL_SYSTEMROOT","features":[369]},{"name":"REGSTR_VAL_SYSTRAYBATFLAGS","features":[369]},{"name":"REGSTR_VAL_SYSTRAYPCCARDFLAGS","features":[369]},{"name":"REGSTR_VAL_SYSTRAYSVCS","features":[369]},{"name":"REGSTR_VAL_TABLE_STAT","features":[369]},{"name":"REGSTR_VAL_TAPE","features":[369]},{"name":"REGSTR_VAL_TRANSITION","features":[369]},{"name":"REGSTR_VAL_TRANSPORT","features":[369]},{"name":"REGSTR_VAL_TZACTBIAS","features":[369]},{"name":"REGSTR_VAL_TZBIAS","features":[369]},{"name":"REGSTR_VAL_TZDLTBIAS","features":[369]},{"name":"REGSTR_VAL_TZDLTFLAG","features":[369]},{"name":"REGSTR_VAL_TZDLTNAME","features":[369]},{"name":"REGSTR_VAL_TZDLTSTART","features":[369]},{"name":"REGSTR_VAL_TZNOAUTOTIME","features":[369]},{"name":"REGSTR_VAL_TZNOCHANGEEND","features":[369]},{"name":"REGSTR_VAL_TZNOCHANGESTART","features":[369]},{"name":"REGSTR_VAL_TZSTDBIAS","features":[369]},{"name":"REGSTR_VAL_TZSTDNAME","features":[369]},{"name":"REGSTR_VAL_TZSTDSTART","features":[369]},{"name":"REGSTR_VAL_UI_NUMBER","features":[369]},{"name":"REGSTR_VAL_UI_NUMBER_DESC_FORMAT","features":[369]},{"name":"REGSTR_VAL_UNDOCK_WITHOUT_LOGON","features":[369]},{"name":"REGSTR_VAL_UNINSTALLER_COMMANDLINE","features":[369]},{"name":"REGSTR_VAL_UNINSTALLER_DISPLAYNAME","features":[369]},{"name":"REGSTR_VAL_UPGRADE","features":[369]},{"name":"REGSTR_VAL_UPPERFILTERS","features":[369]},{"name":"REGSTR_VAL_UPPER_FILTER_DEFAULT_LEVEL","features":[369]},{"name":"REGSTR_VAL_UPPER_FILTER_LEVELS","features":[369]},{"name":"REGSTR_VAL_USERSETTINGS","features":[369]},{"name":"REGSTR_VAL_USER_NAME","features":[369]},{"name":"REGSTR_VAL_USRDRVLET","features":[369]},{"name":"REGSTR_VAL_VDD","features":[369]},{"name":"REGSTR_VAL_VER","features":[369]},{"name":"REGSTR_VAL_VERIFYKEY","features":[369]},{"name":"REGSTR_VAL_VIRTUALHDIRQ","features":[369]},{"name":"REGSTR_VAL_VOLIDLETIMEOUT","features":[369]},{"name":"REGSTR_VAL_VPOWERDFLAGS","features":[369]},{"name":"REGSTR_VAL_VRES","features":[369]},{"name":"REGSTR_VAL_VXDGROUPS","features":[369]},{"name":"REGSTR_VAL_WAITFORUNDOCK","features":[369]},{"name":"REGSTR_VAL_WAITFORUNDOCKFUNC","features":[369]},{"name":"REGSTR_VAL_WIN31FILESYSTEM","features":[369]},{"name":"REGSTR_VAL_WIN31PROVIDER","features":[369]},{"name":"REGSTR_VAL_WINBOOTDIR","features":[369]},{"name":"REGSTR_VAL_WINCP","features":[369]},{"name":"REGSTR_VAL_WINDIR","features":[369]},{"name":"REGSTR_VAL_WINOLDAPP_DISABLED","features":[369]},{"name":"REGSTR_VAL_WINOLDAPP_NOREALMODE","features":[369]},{"name":"REGSTR_VAL_WORKGROUP","features":[369]},{"name":"REGSTR_VAL_WRAPPER","features":[369]},{"name":"REGSTR_VAL_WRINTTHRESHOLD","features":[369]},{"name":"REGSTR_VAL_WRKGRP_FORCEMAPPING","features":[369]},{"name":"REGSTR_VAL_WRKGRP_REQUIRED","features":[369]},{"name":"REG_BINARY","features":[369]},{"name":"REG_CREATED_NEW_KEY","features":[369]},{"name":"REG_CREATE_KEY_DISPOSITION","features":[369]},{"name":"REG_DWORD","features":[369]},{"name":"REG_DWORD_BIG_ENDIAN","features":[369]},{"name":"REG_DWORD_LITTLE_ENDIAN","features":[369]},{"name":"REG_EXPAND_SZ","features":[369]},{"name":"REG_FORCE_RESTORE","features":[369]},{"name":"REG_FULL_RESOURCE_DESCRIPTOR","features":[369]},{"name":"REG_KEY_INSTDEV","features":[369]},{"name":"REG_LATEST_FORMAT","features":[369]},{"name":"REG_LINK","features":[369]},{"name":"REG_MUI_STRING_TRUNCATE","features":[369]},{"name":"REG_MULTI_SZ","features":[369]},{"name":"REG_NONE","features":[369]},{"name":"REG_NOTIFY_CHANGE_ATTRIBUTES","features":[369]},{"name":"REG_NOTIFY_CHANGE_LAST_SET","features":[369]},{"name":"REG_NOTIFY_CHANGE_NAME","features":[369]},{"name":"REG_NOTIFY_CHANGE_SECURITY","features":[369]},{"name":"REG_NOTIFY_FILTER","features":[369]},{"name":"REG_NOTIFY_THREAD_AGNOSTIC","features":[369]},{"name":"REG_NO_COMPRESSION","features":[369]},{"name":"REG_OPENED_EXISTING_KEY","features":[369]},{"name":"REG_OPEN_CREATE_OPTIONS","features":[369]},{"name":"REG_OPTION_BACKUP_RESTORE","features":[369]},{"name":"REG_OPTION_CREATE_LINK","features":[369]},{"name":"REG_OPTION_DONT_VIRTUALIZE","features":[369]},{"name":"REG_OPTION_NON_VOLATILE","features":[369]},{"name":"REG_OPTION_OPEN_LINK","features":[369]},{"name":"REG_OPTION_RESERVED","features":[369]},{"name":"REG_OPTION_VOLATILE","features":[369]},{"name":"REG_PROCESS_APPKEY","features":[369]},{"name":"REG_PROVIDER","features":[369]},{"name":"REG_QWORD","features":[369]},{"name":"REG_QWORD_LITTLE_ENDIAN","features":[369]},{"name":"REG_RESOURCE_LIST","features":[369]},{"name":"REG_RESOURCE_REQUIREMENTS_LIST","features":[369]},{"name":"REG_RESTORE_KEY_FLAGS","features":[369]},{"name":"REG_ROUTINE_FLAGS","features":[369]},{"name":"REG_SAM_FLAGS","features":[369]},{"name":"REG_SAVE_FORMAT","features":[369]},{"name":"REG_SECURE_CONNECTION","features":[369]},{"name":"REG_STANDARD_FORMAT","features":[369]},{"name":"REG_SZ","features":[369]},{"name":"REG_USE_CURRENT_SECURITY_CONTEXT","features":[369]},{"name":"REG_VALUE_TYPE","features":[369]},{"name":"REG_WHOLE_HIVE_VOLATILE","features":[369]},{"name":"RRF_NOEXPAND","features":[369]},{"name":"RRF_RT_ANY","features":[369]},{"name":"RRF_RT_DWORD","features":[369]},{"name":"RRF_RT_QWORD","features":[369]},{"name":"RRF_RT_REG_BINARY","features":[369]},{"name":"RRF_RT_REG_DWORD","features":[369]},{"name":"RRF_RT_REG_EXPAND_SZ","features":[369]},{"name":"RRF_RT_REG_MULTI_SZ","features":[369]},{"name":"RRF_RT_REG_NONE","features":[369]},{"name":"RRF_RT_REG_QWORD","features":[369]},{"name":"RRF_RT_REG_SZ","features":[369]},{"name":"RRF_SUBKEY_WOW6432KEY","features":[369]},{"name":"RRF_SUBKEY_WOW6464KEY","features":[369]},{"name":"RRF_WOW64_MASK","features":[369]},{"name":"RRF_ZEROONFAILURE","features":[369]},{"name":"RegCloseKey","features":[308,369]},{"name":"RegConnectRegistryA","features":[308,369]},{"name":"RegConnectRegistryExA","features":[369]},{"name":"RegConnectRegistryExW","features":[369]},{"name":"RegConnectRegistryW","features":[308,369]},{"name":"RegCopyTreeA","features":[308,369]},{"name":"RegCopyTreeW","features":[308,369]},{"name":"RegCreateKeyA","features":[308,369]},{"name":"RegCreateKeyExA","features":[308,311,369]},{"name":"RegCreateKeyExW","features":[308,311,369]},{"name":"RegCreateKeyTransactedA","features":[308,311,369]},{"name":"RegCreateKeyTransactedW","features":[308,311,369]},{"name":"RegCreateKeyW","features":[308,369]},{"name":"RegDeleteKeyA","features":[308,369]},{"name":"RegDeleteKeyExA","features":[308,369]},{"name":"RegDeleteKeyExW","features":[308,369]},{"name":"RegDeleteKeyTransactedA","features":[308,369]},{"name":"RegDeleteKeyTransactedW","features":[308,369]},{"name":"RegDeleteKeyValueA","features":[308,369]},{"name":"RegDeleteKeyValueW","features":[308,369]},{"name":"RegDeleteKeyW","features":[308,369]},{"name":"RegDeleteTreeA","features":[308,369]},{"name":"RegDeleteTreeW","features":[308,369]},{"name":"RegDeleteValueA","features":[308,369]},{"name":"RegDeleteValueW","features":[308,369]},{"name":"RegDisablePredefinedCache","features":[308,369]},{"name":"RegDisablePredefinedCacheEx","features":[308,369]},{"name":"RegDisableReflectionKey","features":[308,369]},{"name":"RegEnableReflectionKey","features":[308,369]},{"name":"RegEnumKeyA","features":[308,369]},{"name":"RegEnumKeyExA","features":[308,369]},{"name":"RegEnumKeyExW","features":[308,369]},{"name":"RegEnumKeyW","features":[308,369]},{"name":"RegEnumValueA","features":[308,369]},{"name":"RegEnumValueW","features":[308,369]},{"name":"RegFlushKey","features":[308,369]},{"name":"RegGetKeySecurity","features":[308,311,369]},{"name":"RegGetValueA","features":[308,369]},{"name":"RegGetValueW","features":[308,369]},{"name":"RegLoadAppKeyA","features":[308,369]},{"name":"RegLoadAppKeyW","features":[308,369]},{"name":"RegLoadKeyA","features":[308,369]},{"name":"RegLoadKeyW","features":[308,369]},{"name":"RegLoadMUIStringA","features":[308,369]},{"name":"RegLoadMUIStringW","features":[308,369]},{"name":"RegNotifyChangeKeyValue","features":[308,369]},{"name":"RegOpenCurrentUser","features":[308,369]},{"name":"RegOpenKeyA","features":[308,369]},{"name":"RegOpenKeyExA","features":[308,369]},{"name":"RegOpenKeyExW","features":[308,369]},{"name":"RegOpenKeyTransactedA","features":[308,369]},{"name":"RegOpenKeyTransactedW","features":[308,369]},{"name":"RegOpenKeyW","features":[308,369]},{"name":"RegOpenUserClassesRoot","features":[308,369]},{"name":"RegOverridePredefKey","features":[308,369]},{"name":"RegQueryInfoKeyA","features":[308,369]},{"name":"RegQueryInfoKeyW","features":[308,369]},{"name":"RegQueryMultipleValuesA","features":[308,369]},{"name":"RegQueryMultipleValuesW","features":[308,369]},{"name":"RegQueryReflectionKey","features":[308,369]},{"name":"RegQueryValueA","features":[308,369]},{"name":"RegQueryValueExA","features":[308,369]},{"name":"RegQueryValueExW","features":[308,369]},{"name":"RegQueryValueW","features":[308,369]},{"name":"RegRenameKey","features":[308,369]},{"name":"RegReplaceKeyA","features":[308,369]},{"name":"RegReplaceKeyW","features":[308,369]},{"name":"RegRestoreKeyA","features":[308,369]},{"name":"RegRestoreKeyW","features":[308,369]},{"name":"RegSaveKeyA","features":[308,311,369]},{"name":"RegSaveKeyExA","features":[308,311,369]},{"name":"RegSaveKeyExW","features":[308,311,369]},{"name":"RegSaveKeyW","features":[308,311,369]},{"name":"RegSetKeySecurity","features":[308,311,369]},{"name":"RegSetKeyValueA","features":[308,369]},{"name":"RegSetKeyValueW","features":[308,369]},{"name":"RegSetValueA","features":[308,369]},{"name":"RegSetValueExA","features":[308,369]},{"name":"RegSetValueExW","features":[308,369]},{"name":"RegSetValueW","features":[308,369]},{"name":"RegUnLoadKeyA","features":[308,369]},{"name":"RegUnLoadKeyW","features":[308,369]},{"name":"SUF_BATCHINF","features":[369]},{"name":"SUF_CLEAN","features":[369]},{"name":"SUF_EXPRESS","features":[369]},{"name":"SUF_FIRSTTIME","features":[369]},{"name":"SUF_INSETUP","features":[369]},{"name":"SUF_NETHDBOOT","features":[369]},{"name":"SUF_NETRPLBOOT","features":[369]},{"name":"SUF_NETSETUP","features":[369]},{"name":"SUF_SBSCOPYOK","features":[369]},{"name":"VALENTA","features":[369]},{"name":"VALENTW","features":[369]},{"name":"VPDF_DISABLEPWRMGMT","features":[369]},{"name":"VPDF_DISABLEPWRSTATUSPOLL","features":[369]},{"name":"VPDF_DISABLERINGRESUME","features":[369]},{"name":"VPDF_FORCEAPM10MODE","features":[369]},{"name":"VPDF_SHOWMULTIBATT","features":[369]},{"name":"VPDF_SKIPINTELSLCHECK","features":[369]},{"name":"val_context","features":[369]}],"596":[{"name":"DISPID_EVENT_ON_CONTEXT_DATA","features":[580]},{"name":"DISPID_EVENT_ON_SEND_ERROR","features":[580]},{"name":"DISPID_EVENT_ON_STATE_CHANGED","features":[580]},{"name":"DISPID_EVENT_ON_TERMINATION","features":[580]},{"name":"DRendezvousSessionEvents","features":[359,580]},{"name":"IRendezvousApplication","features":[580]},{"name":"IRendezvousSession","features":[580]},{"name":"RENDEZVOUS_SESSION_FLAGS","features":[580]},{"name":"RENDEZVOUS_SESSION_STATE","features":[580]},{"name":"RSF_INVITEE","features":[580]},{"name":"RSF_INVITER","features":[580]},{"name":"RSF_NONE","features":[580]},{"name":"RSF_ORIGINAL_INVITER","features":[580]},{"name":"RSF_REMOTE_LEGACYSESSION","features":[580]},{"name":"RSF_REMOTE_WIN7SESSION","features":[580]},{"name":"RSS_ACCEPTED","features":[580]},{"name":"RSS_CANCELLED","features":[580]},{"name":"RSS_CONNECTED","features":[580]},{"name":"RSS_DECLINED","features":[580]},{"name":"RSS_INVITATION","features":[580]},{"name":"RSS_READY","features":[580]},{"name":"RSS_TERMINATED","features":[580]},{"name":"RSS_UNKNOWN","features":[580]},{"name":"RendezvousApplication","features":[580]}],"597":[{"name":"AAAccountingData","features":[463]},{"name":"AAAccountingDataType","features":[463]},{"name":"AAAuthSchemes","features":[463]},{"name":"AATrustClassID","features":[463]},{"name":"AA_AUTH_ANY","features":[463]},{"name":"AA_AUTH_BASIC","features":[463]},{"name":"AA_AUTH_CONID","features":[463]},{"name":"AA_AUTH_COOKIE","features":[463]},{"name":"AA_AUTH_DIGEST","features":[463]},{"name":"AA_AUTH_LOGGEDONCREDENTIALS","features":[463]},{"name":"AA_AUTH_MAX","features":[463]},{"name":"AA_AUTH_MIN","features":[463]},{"name":"AA_AUTH_NEGOTIATE","features":[463]},{"name":"AA_AUTH_NTLM","features":[463]},{"name":"AA_AUTH_ORGID","features":[463]},{"name":"AA_AUTH_SC","features":[463]},{"name":"AA_AUTH_SSPI_NTLM","features":[463]},{"name":"AA_MAIN_SESSION_CLOSED","features":[463]},{"name":"AA_MAIN_SESSION_CREATION","features":[463]},{"name":"AA_SUB_SESSION_CLOSED","features":[463]},{"name":"AA_SUB_SESSION_CREATION","features":[463]},{"name":"AA_TRUSTEDUSER_TRUSTEDCLIENT","features":[463]},{"name":"AA_TRUSTEDUSER_UNTRUSTEDCLIENT","features":[463]},{"name":"AA_UNTRUSTED","features":[463]},{"name":"ACQUIRE_TARGET_LOCK_TIMEOUT","features":[463]},{"name":"ADsTSUserEx","features":[463]},{"name":"AE_CURRENT_POSITION","features":[463]},{"name":"AE_POSITION_FLAGS","features":[463]},{"name":"AllowOnlySDRServers","features":[463]},{"name":"BITMAP_RENDERER_STATISTICS","features":[463]},{"name":"CHANNEL_BUFFER_SIZE","features":[463]},{"name":"CHANNEL_CHUNK_LENGTH","features":[463]},{"name":"CHANNEL_DEF","features":[463]},{"name":"CHANNEL_ENTRY_POINTS","features":[463]},{"name":"CHANNEL_EVENT_CONNECTED","features":[463]},{"name":"CHANNEL_EVENT_DATA_RECEIVED","features":[463]},{"name":"CHANNEL_EVENT_DISCONNECTED","features":[463]},{"name":"CHANNEL_EVENT_INITIALIZED","features":[463]},{"name":"CHANNEL_EVENT_TERMINATED","features":[463]},{"name":"CHANNEL_EVENT_V1_CONNECTED","features":[463]},{"name":"CHANNEL_EVENT_WRITE_CANCELLED","features":[463]},{"name":"CHANNEL_EVENT_WRITE_COMPLETE","features":[463]},{"name":"CHANNEL_FLAG_FAIL","features":[463]},{"name":"CHANNEL_FLAG_FIRST","features":[463]},{"name":"CHANNEL_FLAG_LAST","features":[463]},{"name":"CHANNEL_FLAG_MIDDLE","features":[463]},{"name":"CHANNEL_MAX_COUNT","features":[463]},{"name":"CHANNEL_NAME_LEN","features":[463]},{"name":"CHANNEL_OPTION_COMPRESS","features":[463]},{"name":"CHANNEL_OPTION_COMPRESS_RDP","features":[463]},{"name":"CHANNEL_OPTION_ENCRYPT_CS","features":[463]},{"name":"CHANNEL_OPTION_ENCRYPT_RDP","features":[463]},{"name":"CHANNEL_OPTION_ENCRYPT_SC","features":[463]},{"name":"CHANNEL_OPTION_INITIALIZED","features":[463]},{"name":"CHANNEL_OPTION_PRI_HIGH","features":[463]},{"name":"CHANNEL_OPTION_PRI_LOW","features":[463]},{"name":"CHANNEL_OPTION_PRI_MED","features":[463]},{"name":"CHANNEL_OPTION_REMOTE_CONTROL_PERSISTENT","features":[463]},{"name":"CHANNEL_OPTION_SHOW_PROTOCOL","features":[463]},{"name":"CHANNEL_PDU_HEADER","features":[463]},{"name":"CHANNEL_RC_ALREADY_CONNECTED","features":[463]},{"name":"CHANNEL_RC_ALREADY_INITIALIZED","features":[463]},{"name":"CHANNEL_RC_ALREADY_OPEN","features":[463]},{"name":"CHANNEL_RC_BAD_CHANNEL","features":[463]},{"name":"CHANNEL_RC_BAD_CHANNEL_HANDLE","features":[463]},{"name":"CHANNEL_RC_BAD_INIT_HANDLE","features":[463]},{"name":"CHANNEL_RC_BAD_PROC","features":[463]},{"name":"CHANNEL_RC_INITIALIZATION_ERROR","features":[463]},{"name":"CHANNEL_RC_INVALID_INSTANCE","features":[463]},{"name":"CHANNEL_RC_NOT_CONNECTED","features":[463]},{"name":"CHANNEL_RC_NOT_INITIALIZED","features":[463]},{"name":"CHANNEL_RC_NOT_IN_VIRTUALCHANNELENTRY","features":[463]},{"name":"CHANNEL_RC_NOT_OPEN","features":[463]},{"name":"CHANNEL_RC_NO_BUFFER","features":[463]},{"name":"CHANNEL_RC_NO_MEMORY","features":[463]},{"name":"CHANNEL_RC_NULL_DATA","features":[463]},{"name":"CHANNEL_RC_OK","features":[463]},{"name":"CHANNEL_RC_TOO_MANY_CHANNELS","features":[463]},{"name":"CHANNEL_RC_UNKNOWN_CHANNEL_NAME","features":[463]},{"name":"CHANNEL_RC_UNSUPPORTED_VERSION","features":[463]},{"name":"CHANNEL_RC_ZERO_LENGTH","features":[463]},{"name":"CLIENTADDRESS_LENGTH","features":[463]},{"name":"CLIENTNAME_LENGTH","features":[463]},{"name":"CLIENT_DISPLAY","features":[463]},{"name":"CLIENT_MESSAGE_CONNECTION_ERROR","features":[463]},{"name":"CLIENT_MESSAGE_CONNECTION_INVALID","features":[463]},{"name":"CLIENT_MESSAGE_CONNECTION_STATUS","features":[463]},{"name":"CLIENT_MESSAGE_TYPE","features":[463]},{"name":"CONNECTION_CHANGE_NOTIFICATION","features":[463]},{"name":"CONNECTION_PROPERTY_CURSOR_BLINK_DISABLED","features":[463]},{"name":"CONNECTION_PROPERTY_IDLE_TIME_WARNING","features":[463]},{"name":"CONNECTION_REQUEST_CANCELLED","features":[463]},{"name":"CONNECTION_REQUEST_FAILED","features":[463]},{"name":"CONNECTION_REQUEST_INVALID","features":[463]},{"name":"CONNECTION_REQUEST_LB_COMPLETED","features":[463]},{"name":"CONNECTION_REQUEST_ORCH_COMPLETED","features":[463]},{"name":"CONNECTION_REQUEST_PENDING","features":[463]},{"name":"CONNECTION_REQUEST_QUERY_PL_COMPLETED","features":[463]},{"name":"CONNECTION_REQUEST_SUCCEEDED","features":[463]},{"name":"CONNECTION_REQUEST_TIMEDOUT","features":[463]},{"name":"ClipboardRedirectionDisabled","features":[463]},{"name":"DISPID_AX_ADMINMESSAGERECEIVED","features":[463]},{"name":"DISPID_AX_AUTORECONNECTED","features":[463]},{"name":"DISPID_AX_AUTORECONNECTING","features":[463]},{"name":"DISPID_AX_CONNECTED","features":[463]},{"name":"DISPID_AX_CONNECTING","features":[463]},{"name":"DISPID_AX_DIALOGDISMISSED","features":[463]},{"name":"DISPID_AX_DIALOGDISPLAYING","features":[463]},{"name":"DISPID_AX_DISCONNECTED","features":[463]},{"name":"DISPID_AX_KEYCOMBINATIONPRESSED","features":[463]},{"name":"DISPID_AX_LOGINCOMPLETED","features":[463]},{"name":"DISPID_AX_NETWORKSTATUSCHANGED","features":[463]},{"name":"DISPID_AX_REMOTEDESKTOPSIZECHANGED","features":[463]},{"name":"DISPID_AX_STATUSCHANGED","features":[463]},{"name":"DISPID_AX_TOUCHPOINTERCURSORMOVED","features":[463]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_APPLY_SETTINGS","features":[463]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_ATTACH_EVENT","features":[463]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_CONNECT","features":[463]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_DELETE_SAVED_CREDENTIALS","features":[463]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_DETACH_EVENT","features":[463]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_DISCONNECT","features":[463]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_EXECUTE_REMOTE_ACTION","features":[463]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_GET_RDPPROPERTY","features":[463]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_GET_SNAPSHOT","features":[463]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_RECONNECT","features":[463]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_RESUME_SCREEN_UPDATES","features":[463]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_RETRIEVE_SETTINGS","features":[463]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_SET_RDPPROPERTY","features":[463]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_SUSPEND_SCREEN_UPDATES","features":[463]},{"name":"DISPID_METHOD_REMOTEDESKTOPCLIENT_UPDATE_SESSION_DISPLAYSETTINGS","features":[463]},{"name":"DISPID_PROP_REMOTEDESKTOPCLIENT_ACTIONS","features":[463]},{"name":"DISPID_PROP_REMOTEDESKTOPCLIENT_SETTINGS","features":[463]},{"name":"DISPID_PROP_REMOTEDESKTOPCLIENT_TOUCHPOINTER_ENABLED","features":[463]},{"name":"DISPID_PROP_REMOTEDESKTOPCLIENT_TOUCHPOINTER_EVENTSENABLED","features":[463]},{"name":"DISPID_PROP_REMOTEDESKTOPCLIENT_TOUCHPOINTER_POINTERSPEED","features":[463]},{"name":"DISPID_PROP_REMOTEDESKTOPCLIENT_TOUCH_POINTER","features":[463]},{"name":"DOMAIN_LENGTH","features":[463]},{"name":"DisableAllRedirections","features":[463]},{"name":"DriveRedirectionDisabled","features":[463]},{"name":"EnableAllRedirections","features":[463]},{"name":"FARM","features":[463]},{"name":"FORCE_REJOIN","features":[463]},{"name":"FORCE_REJOIN_IN_CLUSTERMODE","features":[463]},{"name":"IADsTSUserEx","features":[359,463]},{"name":"IAudioDeviceEndpoint","features":[463]},{"name":"IAudioEndpoint","features":[463]},{"name":"IAudioEndpointControl","features":[463]},{"name":"IAudioEndpointRT","features":[463]},{"name":"IAudioInputEndpointRT","features":[463]},{"name":"IAudioOutputEndpointRT","features":[463]},{"name":"IRemoteDesktopClient","features":[359,463]},{"name":"IRemoteDesktopClientActions","features":[359,463]},{"name":"IRemoteDesktopClientSettings","features":[359,463]},{"name":"IRemoteDesktopClientTouchPointer","features":[359,463]},{"name":"IRemoteSystemAdditionalInfoProvider","features":[463]},{"name":"ITSGAccountingEngine","features":[463]},{"name":"ITSGAuthenticateUserSink","features":[463]},{"name":"ITSGAuthenticationEngine","features":[463]},{"name":"ITSGAuthorizeConnectionSink","features":[463]},{"name":"ITSGAuthorizeResourceSink","features":[463]},{"name":"ITSGPolicyEngine","features":[463]},{"name":"ITsSbBaseNotifySink","features":[463]},{"name":"ITsSbClientConnection","features":[463]},{"name":"ITsSbClientConnectionPropertySet","features":[432,463]},{"name":"ITsSbEnvironment","features":[463]},{"name":"ITsSbEnvironmentPropertySet","features":[432,463]},{"name":"ITsSbFilterPluginStore","features":[463]},{"name":"ITsSbGenericNotifySink","features":[463]},{"name":"ITsSbGlobalStore","features":[463]},{"name":"ITsSbLoadBalanceResult","features":[463]},{"name":"ITsSbLoadBalancing","features":[463]},{"name":"ITsSbLoadBalancingNotifySink","features":[463]},{"name":"ITsSbOrchestration","features":[463]},{"name":"ITsSbOrchestrationNotifySink","features":[463]},{"name":"ITsSbPlacement","features":[463]},{"name":"ITsSbPlacementNotifySink","features":[463]},{"name":"ITsSbPlugin","features":[463]},{"name":"ITsSbPluginNotifySink","features":[463]},{"name":"ITsSbPluginPropertySet","features":[432,463]},{"name":"ITsSbPropertySet","features":[432,463]},{"name":"ITsSbProvider","features":[463]},{"name":"ITsSbProvisioning","features":[463]},{"name":"ITsSbProvisioningPluginNotifySink","features":[463]},{"name":"ITsSbResourceNotification","features":[463]},{"name":"ITsSbResourceNotificationEx","features":[463]},{"name":"ITsSbResourcePlugin","features":[463]},{"name":"ITsSbResourcePluginStore","features":[463]},{"name":"ITsSbServiceNotification","features":[463]},{"name":"ITsSbSession","features":[463]},{"name":"ITsSbTarget","features":[463]},{"name":"ITsSbTargetPropertySet","features":[432,463]},{"name":"ITsSbTaskInfo","features":[463]},{"name":"ITsSbTaskPlugin","features":[463]},{"name":"ITsSbTaskPluginNotifySink","features":[463]},{"name":"IWRdsEnhancedFastReconnectArbitrator","features":[463]},{"name":"IWRdsGraphicsChannel","features":[463]},{"name":"IWRdsGraphicsChannelEvents","features":[463]},{"name":"IWRdsGraphicsChannelManager","features":[463]},{"name":"IWRdsProtocolConnection","features":[463]},{"name":"IWRdsProtocolConnectionCallback","features":[463]},{"name":"IWRdsProtocolConnectionSettings","features":[463]},{"name":"IWRdsProtocolLicenseConnection","features":[463]},{"name":"IWRdsProtocolListener","features":[463]},{"name":"IWRdsProtocolListenerCallback","features":[463]},{"name":"IWRdsProtocolLogonErrorRedirector","features":[463]},{"name":"IWRdsProtocolManager","features":[463]},{"name":"IWRdsProtocolSettings","features":[463]},{"name":"IWRdsProtocolShadowCallback","features":[463]},{"name":"IWRdsProtocolShadowConnection","features":[463]},{"name":"IWRdsWddmIddProps","features":[463]},{"name":"IWRdsWddmIddProps1","features":[463]},{"name":"IWTSBitmapRenderService","features":[463]},{"name":"IWTSBitmapRenderer","features":[463]},{"name":"IWTSBitmapRendererCallback","features":[463]},{"name":"IWTSListener","features":[463]},{"name":"IWTSListenerCallback","features":[463]},{"name":"IWTSPlugin","features":[463]},{"name":"IWTSPluginServiceProvider","features":[463]},{"name":"IWTSProtocolConnection","features":[463]},{"name":"IWTSProtocolConnectionCallback","features":[463]},{"name":"IWTSProtocolLicenseConnection","features":[463]},{"name":"IWTSProtocolListener","features":[463]},{"name":"IWTSProtocolListenerCallback","features":[463]},{"name":"IWTSProtocolLogonErrorRedirector","features":[463]},{"name":"IWTSProtocolManager","features":[463]},{"name":"IWTSProtocolShadowCallback","features":[463]},{"name":"IWTSProtocolShadowConnection","features":[463]},{"name":"IWTSSBPlugin","features":[463]},{"name":"IWTSVirtualChannel","features":[463]},{"name":"IWTSVirtualChannelCallback","features":[463]},{"name":"IWTSVirtualChannelManager","features":[463]},{"name":"IWorkspace","features":[463]},{"name":"IWorkspace2","features":[463]},{"name":"IWorkspace3","features":[463]},{"name":"IWorkspaceClientExt","features":[463]},{"name":"IWorkspaceRegistration","features":[463]},{"name":"IWorkspaceRegistration2","features":[463]},{"name":"IWorkspaceReportMessage","features":[463]},{"name":"IWorkspaceResTypeRegistry","features":[359,463]},{"name":"IWorkspaceScriptable","features":[359,463]},{"name":"IWorkspaceScriptable2","features":[359,463]},{"name":"IWorkspaceScriptable3","features":[359,463]},{"name":"ItsPubPlugin","features":[463]},{"name":"ItsPubPlugin2","features":[463]},{"name":"KEEP_EXISTING_SESSIONS","features":[463]},{"name":"KeyCombinationDown","features":[463]},{"name":"KeyCombinationHome","features":[463]},{"name":"KeyCombinationLeft","features":[463]},{"name":"KeyCombinationRight","features":[463]},{"name":"KeyCombinationScroll","features":[463]},{"name":"KeyCombinationType","features":[463]},{"name":"KeyCombinationUp","features":[463]},{"name":"LOAD_BALANCING_PLUGIN","features":[463]},{"name":"MAX_DATE_TIME_LENGTH","features":[463]},{"name":"MAX_ELAPSED_TIME_LENGTH","features":[463]},{"name":"MAX_POLICY_ATTRIBUTES","features":[463]},{"name":"MaxAppName_Len","features":[463]},{"name":"MaxDomainName_Len","features":[463]},{"name":"MaxFQDN_Len","features":[463]},{"name":"MaxFarm_Len","features":[463]},{"name":"MaxNetBiosName_Len","features":[463]},{"name":"MaxNumOfExposed_IPs","features":[463]},{"name":"MaxUserName_Len","features":[463]},{"name":"NONFARM","features":[463]},{"name":"NOTIFY_FOR_ALL_SESSIONS","features":[463]},{"name":"NOTIFY_FOR_THIS_SESSION","features":[463]},{"name":"ORCHESTRATION_PLUGIN","features":[463]},{"name":"OWNER_MS_TS_PLUGIN","features":[463]},{"name":"OWNER_MS_VM_PLUGIN","features":[463]},{"name":"OWNER_UNKNOWN","features":[463]},{"name":"PCHANNEL_INIT_EVENT_FN","features":[463]},{"name":"PCHANNEL_OPEN_EVENT_FN","features":[463]},{"name":"PLACEMENT_PLUGIN","features":[463]},{"name":"PLUGIN_CAPABILITY_EXTERNAL_REDIRECTION","features":[463]},{"name":"PLUGIN_TYPE","features":[463]},{"name":"POLICY_PLUGIN","features":[463]},{"name":"POSITION_CONTINUOUS","features":[463]},{"name":"POSITION_DISCONTINUOUS","features":[463]},{"name":"POSITION_INVALID","features":[463]},{"name":"POSITION_QPC_ERROR","features":[463]},{"name":"PRODUCTINFO_COMPANYNAME_LENGTH","features":[463]},{"name":"PRODUCTINFO_PRODUCTID_LENGTH","features":[463]},{"name":"PRODUCT_INFOA","features":[463]},{"name":"PRODUCT_INFOW","features":[463]},{"name":"PROPERTY_DYNAMIC_TIME_ZONE_INFORMATION","features":[463]},{"name":"PROPERTY_TYPE_ENABLE_UNIVERSAL_APPS_FOR_CUSTOM_SHELL","features":[463]},{"name":"PROPERTY_TYPE_GET_FAST_RECONNECT","features":[463]},{"name":"PROPERTY_TYPE_GET_FAST_RECONNECT_USER_SID","features":[463]},{"name":"PROVISIONING_PLUGIN","features":[463]},{"name":"PVIRTUALCHANNELCLOSE","features":[463]},{"name":"PVIRTUALCHANNELENTRY","features":[308,463]},{"name":"PVIRTUALCHANNELINIT","features":[463]},{"name":"PVIRTUALCHANNELOPEN","features":[463]},{"name":"PVIRTUALCHANNELWRITE","features":[463]},{"name":"PasswordEncodingType","features":[463]},{"name":"PasswordEncodingUTF16BE","features":[463]},{"name":"PasswordEncodingUTF16LE","features":[463]},{"name":"PasswordEncodingUTF8","features":[463]},{"name":"PnpRedirectionDisabled","features":[463]},{"name":"PolicyAttributeType","features":[463]},{"name":"PortRedirectionDisabled","features":[463]},{"name":"PrinterRedirectionDisabled","features":[463]},{"name":"ProcessIdToSessionId","features":[308,463]},{"name":"RDCLIENT_BITMAP_RENDER_SERVICE","features":[463]},{"name":"RDV_TASK_STATUS","features":[463]},{"name":"RDV_TASK_STATUS_APPLYING","features":[463]},{"name":"RDV_TASK_STATUS_DOWNLOADING","features":[463]},{"name":"RDV_TASK_STATUS_FAILED","features":[463]},{"name":"RDV_TASK_STATUS_REBOOTED","features":[463]},{"name":"RDV_TASK_STATUS_REBOOTING","features":[463]},{"name":"RDV_TASK_STATUS_SEARCHING","features":[463]},{"name":"RDV_TASK_STATUS_SUCCESS","features":[463]},{"name":"RDV_TASK_STATUS_TIMEOUT","features":[463]},{"name":"RDV_TASK_STATUS_UNKNOWN","features":[463]},{"name":"RD_FARM_AUTO_PERSONAL_RDSH","features":[463]},{"name":"RD_FARM_AUTO_PERSONAL_VM","features":[463]},{"name":"RD_FARM_MANUAL_PERSONAL_RDSH","features":[463]},{"name":"RD_FARM_MANUAL_PERSONAL_VM","features":[463]},{"name":"RD_FARM_RDSH","features":[463]},{"name":"RD_FARM_TEMP_VM","features":[463]},{"name":"RD_FARM_TYPE","features":[463]},{"name":"RD_FARM_TYPE_UNKNOWN","features":[463]},{"name":"REMOTECONTROL_KBDALT_HOTKEY","features":[463]},{"name":"REMOTECONTROL_KBDCTRL_HOTKEY","features":[463]},{"name":"REMOTECONTROL_KBDSHIFT_HOTKEY","features":[463]},{"name":"RENDER_HINT_CLEAR","features":[463]},{"name":"RENDER_HINT_MAPPEDWINDOW","features":[463]},{"name":"RENDER_HINT_VIDEO","features":[463]},{"name":"RESERVED_FOR_LEGACY","features":[463]},{"name":"RESOURCE_PLUGIN","features":[463]},{"name":"RFX_CLIENT_ID_LENGTH","features":[463]},{"name":"RFX_GFX_MAX_SUPPORTED_MONITORS","features":[463]},{"name":"RFX_GFX_MONITOR_INFO","features":[308,463]},{"name":"RFX_GFX_MSG_CLIENT_DESKTOP_INFO_REQUEST","features":[463]},{"name":"RFX_GFX_MSG_CLIENT_DESKTOP_INFO_RESPONSE","features":[308,463]},{"name":"RFX_GFX_MSG_DESKTOP_CONFIG_CHANGE_CONFIRM","features":[463]},{"name":"RFX_GFX_MSG_DESKTOP_CONFIG_CHANGE_NOTIFY","features":[463]},{"name":"RFX_GFX_MSG_DESKTOP_INPUT_RESET","features":[463]},{"name":"RFX_GFX_MSG_DESKTOP_RESEND_REQUEST","features":[463]},{"name":"RFX_GFX_MSG_DISCONNECT_NOTIFY","features":[463]},{"name":"RFX_GFX_MSG_HEADER","features":[463]},{"name":"RFX_GFX_MSG_PREFIX","features":[463]},{"name":"RFX_GFX_MSG_PREFIX_MASK","features":[463]},{"name":"RFX_GFX_MSG_RDP_DATA","features":[463]},{"name":"RFX_GFX_RECT","features":[463]},{"name":"RFX_RDP_MSG_PREFIX","features":[463]},{"name":"RemoteActionAppSwitch","features":[463]},{"name":"RemoteActionAppbar","features":[463]},{"name":"RemoteActionCharms","features":[463]},{"name":"RemoteActionSnap","features":[463]},{"name":"RemoteActionStartScreen","features":[463]},{"name":"RemoteActionType","features":[463]},{"name":"SB_SYNCH_CONFLICT_MAX_WRITE_ATTEMPTS","features":[463]},{"name":"SESSION_TIMEOUT_ACTION_DISCONNECT","features":[463]},{"name":"SESSION_TIMEOUT_ACTION_SILENT_REAUTH","features":[463]},{"name":"SESSION_TIMEOUT_ACTION_TYPE","features":[463]},{"name":"SINGLE_SESSION","features":[463]},{"name":"STATE_ACTIVE","features":[463]},{"name":"STATE_CONNECTED","features":[463]},{"name":"STATE_CONNECTQUERY","features":[463]},{"name":"STATE_DISCONNECTED","features":[463]},{"name":"STATE_DOWN","features":[463]},{"name":"STATE_IDLE","features":[463]},{"name":"STATE_INIT","features":[463]},{"name":"STATE_INVALID","features":[463]},{"name":"STATE_LISTEN","features":[463]},{"name":"STATE_MAX","features":[463]},{"name":"STATE_RESET","features":[463]},{"name":"STATE_SHADOW","features":[463]},{"name":"SnapshotEncodingDataUri","features":[463]},{"name":"SnapshotEncodingType","features":[463]},{"name":"SnapshotFormatBmp","features":[463]},{"name":"SnapshotFormatJpeg","features":[463]},{"name":"SnapshotFormatPng","features":[463]},{"name":"SnapshotFormatType","features":[463]},{"name":"TARGET_CHANGE_TYPE","features":[463]},{"name":"TARGET_CHANGE_UNSPEC","features":[463]},{"name":"TARGET_CHECKED_OUT","features":[463]},{"name":"TARGET_DOWN","features":[463]},{"name":"TARGET_EXTERNALIP_CHANGED","features":[463]},{"name":"TARGET_FARM_MEMBERSHIP_CHANGED","features":[463]},{"name":"TARGET_HIBERNATED","features":[463]},{"name":"TARGET_IDLE","features":[463]},{"name":"TARGET_INITIALIZING","features":[463]},{"name":"TARGET_INTERNALIP_CHANGED","features":[463]},{"name":"TARGET_INUSE","features":[463]},{"name":"TARGET_INVALID","features":[463]},{"name":"TARGET_JOINED","features":[463]},{"name":"TARGET_MAXSTATE","features":[463]},{"name":"TARGET_OWNER","features":[463]},{"name":"TARGET_PATCH_COMPLETED","features":[463]},{"name":"TARGET_PATCH_FAILED","features":[463]},{"name":"TARGET_PATCH_IN_PROGRESS","features":[463]},{"name":"TARGET_PATCH_NOT_STARTED","features":[463]},{"name":"TARGET_PATCH_STATE","features":[463]},{"name":"TARGET_PATCH_STATE_CHANGED","features":[463]},{"name":"TARGET_PATCH_UNKNOWN","features":[463]},{"name":"TARGET_PENDING","features":[463]},{"name":"TARGET_REMOVED","features":[463]},{"name":"TARGET_RUNNING","features":[463]},{"name":"TARGET_STARTING","features":[463]},{"name":"TARGET_STATE","features":[463]},{"name":"TARGET_STATE_CHANGED","features":[463]},{"name":"TARGET_STOPPED","features":[463]},{"name":"TARGET_STOPPING","features":[463]},{"name":"TARGET_TYPE","features":[463]},{"name":"TARGET_UNKNOWN","features":[463]},{"name":"TASK_PLUGIN","features":[463]},{"name":"TSPUB_PLUGIN_PD_ASSIGNMENT_EXISTING","features":[463]},{"name":"TSPUB_PLUGIN_PD_ASSIGNMENT_NEW","features":[463]},{"name":"TSPUB_PLUGIN_PD_ASSIGNMENT_TYPE","features":[463]},{"name":"TSPUB_PLUGIN_PD_QUERY_EXISTING","features":[463]},{"name":"TSPUB_PLUGIN_PD_QUERY_OR_CREATE","features":[463]},{"name":"TSPUB_PLUGIN_PD_RESOLUTION_TYPE","features":[463]},{"name":"TSSB_NOTIFICATION_TYPE","features":[463]},{"name":"TSSB_NOTIFY_CONNECTION_REQUEST_CHANGE","features":[463]},{"name":"TSSB_NOTIFY_INVALID","features":[463]},{"name":"TSSB_NOTIFY_SESSION_CHANGE","features":[463]},{"name":"TSSB_NOTIFY_TARGET_CHANGE","features":[463]},{"name":"TSSD_ADDR_IPv4","features":[463]},{"name":"TSSD_ADDR_IPv6","features":[463]},{"name":"TSSD_ADDR_UNDEFINED","features":[463]},{"name":"TSSD_AddrV46Type","features":[463]},{"name":"TSSD_ConnectionPoint","features":[463]},{"name":"TSSESSION_STATE","features":[463]},{"name":"TSUserExInterfaces","features":[463]},{"name":"TS_SB_SORT_BY","features":[463]},{"name":"TS_SB_SORT_BY_NAME","features":[463]},{"name":"TS_SB_SORT_BY_NONE","features":[463]},{"name":"TS_SB_SORT_BY_PROP","features":[463]},{"name":"TS_VC_LISTENER_STATIC_CHANNEL","features":[463]},{"name":"UNKNOWN","features":[463]},{"name":"UNKNOWN_PLUGIN","features":[463]},{"name":"USERNAME_LENGTH","features":[463]},{"name":"VALIDATIONINFORMATION_HARDWAREID_LENGTH","features":[463]},{"name":"VALIDATIONINFORMATION_LICENSE_LENGTH","features":[463]},{"name":"VIRTUAL_CHANNEL_VERSION_WIN2000","features":[463]},{"name":"VM_HOST_NOTIFY_STATUS","features":[463]},{"name":"VM_HOST_STATUS_INIT_COMPLETE","features":[463]},{"name":"VM_HOST_STATUS_INIT_FAILED","features":[463]},{"name":"VM_HOST_STATUS_INIT_IN_PROGRESS","features":[463]},{"name":"VM_HOST_STATUS_INIT_PENDING","features":[463]},{"name":"VM_NOTIFY_ENTRY","features":[463]},{"name":"VM_NOTIFY_INFO","features":[463]},{"name":"VM_NOTIFY_STATUS","features":[463]},{"name":"VM_NOTIFY_STATUS_CANCELED","features":[463]},{"name":"VM_NOTIFY_STATUS_COMPLETE","features":[463]},{"name":"VM_NOTIFY_STATUS_FAILED","features":[463]},{"name":"VM_NOTIFY_STATUS_IN_PROGRESS","features":[463]},{"name":"VM_NOTIFY_STATUS_PENDING","features":[463]},{"name":"VM_PATCH_INFO","features":[463]},{"name":"WINSTATIONNAME_LENGTH","features":[463]},{"name":"WKS_FLAG_CLEAR_CREDS_ON_LAST_RESOURCE","features":[463]},{"name":"WKS_FLAG_CREDS_AUTHENTICATED","features":[463]},{"name":"WKS_FLAG_PASSWORD_ENCRYPTED","features":[463]},{"name":"WRDS_CLIENTADDRESS_LENGTH","features":[463]},{"name":"WRDS_CLIENTNAME_LENGTH","features":[463]},{"name":"WRDS_CLIENT_PRODUCT_ID_LENGTH","features":[463]},{"name":"WRDS_CONNECTION_SETTING","features":[308,463]},{"name":"WRDS_CONNECTION_SETTINGS","features":[308,463]},{"name":"WRDS_CONNECTION_SETTINGS_1","features":[308,463]},{"name":"WRDS_CONNECTION_SETTING_LEVEL","features":[463]},{"name":"WRDS_CONNECTION_SETTING_LEVEL_1","features":[463]},{"name":"WRDS_CONNECTION_SETTING_LEVEL_INVALID","features":[463]},{"name":"WRDS_DEVICE_NAME_LENGTH","features":[463]},{"name":"WRDS_DIRECTORY_LENGTH","features":[463]},{"name":"WRDS_DOMAIN_LENGTH","features":[463]},{"name":"WRDS_DRIVER_NAME_LENGTH","features":[463]},{"name":"WRDS_DYNAMIC_TIME_ZONE_INFORMATION","features":[463]},{"name":"WRDS_IMEFILENAME_LENGTH","features":[463]},{"name":"WRDS_INITIALPROGRAM_LENGTH","features":[463]},{"name":"WRDS_KEY_EXCHANGE_ALG_DH","features":[463]},{"name":"WRDS_KEY_EXCHANGE_ALG_RSA","features":[463]},{"name":"WRDS_LICENSE_PREAMBLE_VERSION","features":[463]},{"name":"WRDS_LICENSE_PROTOCOL_VERSION","features":[463]},{"name":"WRDS_LISTENER_SETTING","features":[463]},{"name":"WRDS_LISTENER_SETTINGS","features":[463]},{"name":"WRDS_LISTENER_SETTINGS_1","features":[463]},{"name":"WRDS_LISTENER_SETTING_LEVEL","features":[463]},{"name":"WRDS_LISTENER_SETTING_LEVEL_1","features":[463]},{"name":"WRDS_LISTENER_SETTING_LEVEL_INVALID","features":[463]},{"name":"WRDS_MAX_CACHE_RESERVED","features":[463]},{"name":"WRDS_MAX_COUNTERS","features":[463]},{"name":"WRDS_MAX_DISPLAY_IOCTL_DATA","features":[463]},{"name":"WRDS_MAX_PROTOCOL_CACHE","features":[463]},{"name":"WRDS_MAX_RESERVED","features":[463]},{"name":"WRDS_PASSWORD_LENGTH","features":[463]},{"name":"WRDS_PERF_DISABLE_CURSORSETTINGS","features":[463]},{"name":"WRDS_PERF_DISABLE_CURSOR_SHADOW","features":[463]},{"name":"WRDS_PERF_DISABLE_FULLWINDOWDRAG","features":[463]},{"name":"WRDS_PERF_DISABLE_MENUANIMATIONS","features":[463]},{"name":"WRDS_PERF_DISABLE_NOTHING","features":[463]},{"name":"WRDS_PERF_DISABLE_THEMING","features":[463]},{"name":"WRDS_PERF_DISABLE_WALLPAPER","features":[463]},{"name":"WRDS_PERF_ENABLE_DESKTOP_COMPOSITION","features":[463]},{"name":"WRDS_PERF_ENABLE_ENHANCED_GRAPHICS","features":[463]},{"name":"WRDS_PERF_ENABLE_FONT_SMOOTHING","features":[463]},{"name":"WRDS_PROTOCOL_NAME_LENGTH","features":[463]},{"name":"WRDS_SERVICE_ID_GRAPHICS_GUID","features":[463]},{"name":"WRDS_SETTING","features":[308,463]},{"name":"WRDS_SETTINGS","features":[308,463]},{"name":"WRDS_SETTINGS_1","features":[308,463]},{"name":"WRDS_SETTING_LEVEL","features":[463]},{"name":"WRDS_SETTING_LEVEL_1","features":[463]},{"name":"WRDS_SETTING_LEVEL_INVALID","features":[463]},{"name":"WRDS_SETTING_STATUS","features":[463]},{"name":"WRDS_SETTING_STATUS_DISABLED","features":[463]},{"name":"WRDS_SETTING_STATUS_ENABLED","features":[463]},{"name":"WRDS_SETTING_STATUS_NOTAPPLICABLE","features":[463]},{"name":"WRDS_SETTING_STATUS_NOTCONFIGURED","features":[463]},{"name":"WRDS_SETTING_TYPE","features":[463]},{"name":"WRDS_SETTING_TYPE_INVALID","features":[463]},{"name":"WRDS_SETTING_TYPE_MACHINE","features":[463]},{"name":"WRDS_SETTING_TYPE_SAM","features":[463]},{"name":"WRDS_SETTING_TYPE_USER","features":[463]},{"name":"WRDS_USERNAME_LENGTH","features":[463]},{"name":"WRDS_VALUE_TYPE_BINARY","features":[463]},{"name":"WRDS_VALUE_TYPE_GUID","features":[463]},{"name":"WRDS_VALUE_TYPE_STRING","features":[463]},{"name":"WRDS_VALUE_TYPE_ULONG","features":[463]},{"name":"WRdsGraphicsChannelType","features":[463]},{"name":"WRdsGraphicsChannelType_BestEffortDelivery","features":[463]},{"name":"WRdsGraphicsChannelType_GuaranteedDelivery","features":[463]},{"name":"WRdsGraphicsChannels_LossyChannelMaxMessageSize","features":[463]},{"name":"WTSActive","features":[463]},{"name":"WTSApplicationName","features":[463]},{"name":"WTSCLIENTA","features":[463]},{"name":"WTSCLIENTW","features":[463]},{"name":"WTSCONFIGINFOA","features":[463]},{"name":"WTSCONFIGINFOW","features":[463]},{"name":"WTSClientAddress","features":[463]},{"name":"WTSClientBuildNumber","features":[463]},{"name":"WTSClientDirectory","features":[463]},{"name":"WTSClientDisplay","features":[463]},{"name":"WTSClientHardwareId","features":[463]},{"name":"WTSClientInfo","features":[463]},{"name":"WTSClientName","features":[463]},{"name":"WTSClientProductId","features":[463]},{"name":"WTSClientProtocolType","features":[463]},{"name":"WTSCloseServer","features":[308,463]},{"name":"WTSConfigInfo","features":[463]},{"name":"WTSConnectQuery","features":[463]},{"name":"WTSConnectSessionA","features":[308,463]},{"name":"WTSConnectSessionW","features":[308,463]},{"name":"WTSConnectState","features":[463]},{"name":"WTSConnected","features":[463]},{"name":"WTSCreateListenerA","features":[308,463]},{"name":"WTSCreateListenerW","features":[308,463]},{"name":"WTSDisconnectSession","features":[308,463]},{"name":"WTSDisconnected","features":[463]},{"name":"WTSDomainName","features":[463]},{"name":"WTSDown","features":[463]},{"name":"WTSEnableChildSessions","features":[308,463]},{"name":"WTSEnumerateListenersA","features":[308,463]},{"name":"WTSEnumerateListenersW","features":[308,463]},{"name":"WTSEnumerateProcessesA","features":[308,463]},{"name":"WTSEnumerateProcessesExA","features":[308,463]},{"name":"WTSEnumerateProcessesExW","features":[308,463]},{"name":"WTSEnumerateProcessesW","features":[308,463]},{"name":"WTSEnumerateServersA","features":[308,463]},{"name":"WTSEnumerateServersW","features":[308,463]},{"name":"WTSEnumerateSessionsA","features":[308,463]},{"name":"WTSEnumerateSessionsExA","features":[308,463]},{"name":"WTSEnumerateSessionsExW","features":[308,463]},{"name":"WTSEnumerateSessionsW","features":[308,463]},{"name":"WTSFreeMemory","features":[463]},{"name":"WTSFreeMemoryExA","features":[308,463]},{"name":"WTSFreeMemoryExW","features":[308,463]},{"name":"WTSGetActiveConsoleSessionId","features":[463]},{"name":"WTSGetChildSessionId","features":[308,463]},{"name":"WTSGetListenerSecurityA","features":[308,311,463]},{"name":"WTSGetListenerSecurityW","features":[308,311,463]},{"name":"WTSINFOA","features":[463]},{"name":"WTSINFOEXA","features":[463]},{"name":"WTSINFOEXW","features":[463]},{"name":"WTSINFOEX_LEVEL1_A","features":[463]},{"name":"WTSINFOEX_LEVEL1_W","features":[463]},{"name":"WTSINFOEX_LEVEL_A","features":[463]},{"name":"WTSINFOEX_LEVEL_W","features":[463]},{"name":"WTSINFOW","features":[463]},{"name":"WTSIdle","features":[463]},{"name":"WTSIdleTime","features":[463]},{"name":"WTSIncomingBytes","features":[463]},{"name":"WTSIncomingFrames","features":[463]},{"name":"WTSInit","features":[463]},{"name":"WTSInitialProgram","features":[463]},{"name":"WTSIsChildSessionsEnabled","features":[308,463]},{"name":"WTSIsRemoteSession","features":[463]},{"name":"WTSLISTENERCONFIGA","features":[463]},{"name":"WTSLISTENERCONFIGW","features":[463]},{"name":"WTSListen","features":[463]},{"name":"WTSLogoffSession","features":[308,463]},{"name":"WTSLogonTime","features":[463]},{"name":"WTSOEMId","features":[463]},{"name":"WTSOpenServerA","features":[308,463]},{"name":"WTSOpenServerExA","features":[308,463]},{"name":"WTSOpenServerExW","features":[308,463]},{"name":"WTSOpenServerW","features":[308,463]},{"name":"WTSOutgoingBytes","features":[463]},{"name":"WTSOutgoingFrames","features":[463]},{"name":"WTSQueryListenerConfigA","features":[308,463]},{"name":"WTSQueryListenerConfigW","features":[308,463]},{"name":"WTSQuerySessionInformationA","features":[308,463]},{"name":"WTSQuerySessionInformationW","features":[308,463]},{"name":"WTSQueryUserConfigA","features":[308,463]},{"name":"WTSQueryUserConfigW","features":[308,463]},{"name":"WTSQueryUserToken","features":[308,463]},{"name":"WTSRegisterSessionNotification","features":[308,463]},{"name":"WTSRegisterSessionNotificationEx","features":[308,463]},{"name":"WTSReset","features":[463]},{"name":"WTSSBX_ADDRESS_FAMILY","features":[463]},{"name":"WTSSBX_ADDRESS_FAMILY_AF_INET","features":[463]},{"name":"WTSSBX_ADDRESS_FAMILY_AF_INET6","features":[463]},{"name":"WTSSBX_ADDRESS_FAMILY_AF_IPX","features":[463]},{"name":"WTSSBX_ADDRESS_FAMILY_AF_NETBIOS","features":[463]},{"name":"WTSSBX_ADDRESS_FAMILY_AF_UNSPEC","features":[463]},{"name":"WTSSBX_IP_ADDRESS","features":[463]},{"name":"WTSSBX_MACHINE_CONNECT_INFO","features":[463]},{"name":"WTSSBX_MACHINE_DRAIN","features":[463]},{"name":"WTSSBX_MACHINE_DRAIN_OFF","features":[463]},{"name":"WTSSBX_MACHINE_DRAIN_ON","features":[463]},{"name":"WTSSBX_MACHINE_DRAIN_UNSPEC","features":[463]},{"name":"WTSSBX_MACHINE_INFO","features":[463]},{"name":"WTSSBX_MACHINE_SESSION_MODE","features":[463]},{"name":"WTSSBX_MACHINE_SESSION_MODE_MULTIPLE","features":[463]},{"name":"WTSSBX_MACHINE_SESSION_MODE_SINGLE","features":[463]},{"name":"WTSSBX_MACHINE_SESSION_MODE_UNSPEC","features":[463]},{"name":"WTSSBX_MACHINE_STATE","features":[463]},{"name":"WTSSBX_MACHINE_STATE_READY","features":[463]},{"name":"WTSSBX_MACHINE_STATE_SYNCHRONIZING","features":[463]},{"name":"WTSSBX_MACHINE_STATE_UNSPEC","features":[463]},{"name":"WTSSBX_NOTIFICATION_ADDED","features":[463]},{"name":"WTSSBX_NOTIFICATION_CHANGED","features":[463]},{"name":"WTSSBX_NOTIFICATION_REMOVED","features":[463]},{"name":"WTSSBX_NOTIFICATION_RESYNC","features":[463]},{"name":"WTSSBX_NOTIFICATION_TYPE","features":[463]},{"name":"WTSSBX_SESSION_INFO","features":[308,463]},{"name":"WTSSBX_SESSION_STATE","features":[463]},{"name":"WTSSBX_SESSION_STATE_ACTIVE","features":[463]},{"name":"WTSSBX_SESSION_STATE_DISCONNECTED","features":[463]},{"name":"WTSSBX_SESSION_STATE_UNSPEC","features":[463]},{"name":"WTSSESSION_NOTIFICATION","features":[463]},{"name":"WTSSendMessageA","features":[308,463,370]},{"name":"WTSSendMessageW","features":[308,463,370]},{"name":"WTSSessionAddressV4","features":[463]},{"name":"WTSSessionId","features":[463]},{"name":"WTSSessionInfo","features":[463]},{"name":"WTSSessionInfoEx","features":[463]},{"name":"WTSSetListenerSecurityA","features":[308,311,463]},{"name":"WTSSetListenerSecurityW","features":[308,311,463]},{"name":"WTSSetRenderHint","features":[308,463]},{"name":"WTSSetUserConfigA","features":[308,463]},{"name":"WTSSetUserConfigW","features":[308,463]},{"name":"WTSShadow","features":[463]},{"name":"WTSShutdownSystem","features":[308,463]},{"name":"WTSStartRemoteControlSessionA","features":[308,463]},{"name":"WTSStartRemoteControlSessionW","features":[308,463]},{"name":"WTSStopRemoteControlSession","features":[308,463]},{"name":"WTSTerminateProcess","features":[308,463]},{"name":"WTSTypeProcessInfoLevel0","features":[463]},{"name":"WTSTypeProcessInfoLevel1","features":[463]},{"name":"WTSTypeSessionInfoLevel1","features":[463]},{"name":"WTSUSERCONFIGA","features":[463]},{"name":"WTSUSERCONFIGW","features":[463]},{"name":"WTSUnRegisterSessionNotification","features":[308,463]},{"name":"WTSUnRegisterSessionNotificationEx","features":[308,463]},{"name":"WTSUserConfigBrokenTimeoutSettings","features":[463]},{"name":"WTSUserConfigInitialProgram","features":[463]},{"name":"WTSUserConfigModemCallbackPhoneNumber","features":[463]},{"name":"WTSUserConfigModemCallbackSettings","features":[463]},{"name":"WTSUserConfigReconnectSettings","features":[463]},{"name":"WTSUserConfigShadowingSettings","features":[463]},{"name":"WTSUserConfigSourceSAM","features":[463]},{"name":"WTSUserConfigTerminalServerHomeDir","features":[463]},{"name":"WTSUserConfigTerminalServerHomeDirDrive","features":[463]},{"name":"WTSUserConfigTerminalServerProfilePath","features":[463]},{"name":"WTSUserConfigTimeoutSettingsConnections","features":[463]},{"name":"WTSUserConfigTimeoutSettingsDisconnections","features":[463]},{"name":"WTSUserConfigTimeoutSettingsIdle","features":[463]},{"name":"WTSUserConfigUser","features":[463]},{"name":"WTSUserConfigWorkingDirectory","features":[463]},{"name":"WTSUserConfigfAllowLogonTerminalServer","features":[463]},{"name":"WTSUserConfigfDeviceClientDefaultPrinter","features":[463]},{"name":"WTSUserConfigfDeviceClientDrives","features":[463]},{"name":"WTSUserConfigfDeviceClientPrinters","features":[463]},{"name":"WTSUserConfigfInheritInitialProgram","features":[463]},{"name":"WTSUserConfigfTerminalServerRemoteHomeDir","features":[463]},{"name":"WTSUserName","features":[463]},{"name":"WTSValidationInfo","features":[463]},{"name":"WTSVirtualChannelClose","features":[308,463]},{"name":"WTSVirtualChannelOpen","features":[308,463]},{"name":"WTSVirtualChannelOpenEx","features":[308,463]},{"name":"WTSVirtualChannelPurgeInput","features":[308,463]},{"name":"WTSVirtualChannelPurgeOutput","features":[308,463]},{"name":"WTSVirtualChannelQuery","features":[308,463]},{"name":"WTSVirtualChannelRead","features":[308,463]},{"name":"WTSVirtualChannelWrite","features":[308,463]},{"name":"WTSVirtualClientData","features":[463]},{"name":"WTSVirtualFileHandle","features":[463]},{"name":"WTSWaitSystemEvent","features":[308,463]},{"name":"WTSWinStationName","features":[463]},{"name":"WTSWorkingDirectory","features":[463]},{"name":"WTS_CACHE_STATS","features":[463]},{"name":"WTS_CACHE_STATS_UN","features":[463]},{"name":"WTS_CERT_TYPE","features":[463]},{"name":"WTS_CERT_TYPE_INVALID","features":[463]},{"name":"WTS_CERT_TYPE_PROPRIETORY","features":[463]},{"name":"WTS_CERT_TYPE_X509","features":[463]},{"name":"WTS_CHANNEL_OPTION_DYNAMIC","features":[463]},{"name":"WTS_CHANNEL_OPTION_DYNAMIC_NO_COMPRESS","features":[463]},{"name":"WTS_CHANNEL_OPTION_DYNAMIC_PRI_HIGH","features":[463]},{"name":"WTS_CHANNEL_OPTION_DYNAMIC_PRI_LOW","features":[463]},{"name":"WTS_CHANNEL_OPTION_DYNAMIC_PRI_MED","features":[463]},{"name":"WTS_CHANNEL_OPTION_DYNAMIC_PRI_REAL","features":[463]},{"name":"WTS_CLIENTADDRESS_LENGTH","features":[463]},{"name":"WTS_CLIENTNAME_LENGTH","features":[463]},{"name":"WTS_CLIENT_ADDRESS","features":[463]},{"name":"WTS_CLIENT_DATA","features":[308,463]},{"name":"WTS_CLIENT_DISPLAY","features":[463]},{"name":"WTS_CLIENT_PRODUCT_ID_LENGTH","features":[463]},{"name":"WTS_COMMENT_LENGTH","features":[463]},{"name":"WTS_CONFIG_CLASS","features":[463]},{"name":"WTS_CONFIG_SOURCE","features":[463]},{"name":"WTS_CONNECTSTATE_CLASS","features":[463]},{"name":"WTS_CURRENT_SERVER","features":[308,463]},{"name":"WTS_CURRENT_SERVER_HANDLE","features":[308,463]},{"name":"WTS_CURRENT_SERVER_NAME","features":[463]},{"name":"WTS_CURRENT_SESSION","features":[463]},{"name":"WTS_DEVICE_NAME_LENGTH","features":[463]},{"name":"WTS_DIRECTORY_LENGTH","features":[463]},{"name":"WTS_DISPLAY_IOCTL","features":[463]},{"name":"WTS_DOMAIN_LENGTH","features":[463]},{"name":"WTS_DRAIN_IN_DRAIN","features":[463]},{"name":"WTS_DRAIN_NOT_IN_DRAIN","features":[463]},{"name":"WTS_DRAIN_STATE_NONE","features":[463]},{"name":"WTS_DRIVER_NAME_LENGTH","features":[463]},{"name":"WTS_DRIVE_LENGTH","features":[463]},{"name":"WTS_EVENT_ALL","features":[463]},{"name":"WTS_EVENT_CONNECT","features":[463]},{"name":"WTS_EVENT_CREATE","features":[463]},{"name":"WTS_EVENT_DELETE","features":[463]},{"name":"WTS_EVENT_DISCONNECT","features":[463]},{"name":"WTS_EVENT_FLUSH","features":[463]},{"name":"WTS_EVENT_LICENSE","features":[463]},{"name":"WTS_EVENT_LOGOFF","features":[463]},{"name":"WTS_EVENT_LOGON","features":[463]},{"name":"WTS_EVENT_NONE","features":[463]},{"name":"WTS_EVENT_RENAME","features":[463]},{"name":"WTS_EVENT_STATECHANGE","features":[463]},{"name":"WTS_IMEFILENAME_LENGTH","features":[463]},{"name":"WTS_INFO_CLASS","features":[463]},{"name":"WTS_INITIALPROGRAM_LENGTH","features":[463]},{"name":"WTS_KEY_EXCHANGE_ALG_DH","features":[463]},{"name":"WTS_KEY_EXCHANGE_ALG_RSA","features":[463]},{"name":"WTS_LICENSE_CAPABILITIES","features":[308,463]},{"name":"WTS_LICENSE_PREAMBLE_VERSION","features":[463]},{"name":"WTS_LICENSE_PROTOCOL_VERSION","features":[463]},{"name":"WTS_LISTENER_CREATE","features":[463]},{"name":"WTS_LISTENER_NAME_LENGTH","features":[463]},{"name":"WTS_LISTENER_UPDATE","features":[463]},{"name":"WTS_LOGON_ERROR_REDIRECTOR_RESPONSE","features":[463]},{"name":"WTS_LOGON_ERR_HANDLED_DONT_SHOW","features":[463]},{"name":"WTS_LOGON_ERR_HANDLED_DONT_SHOW_START_OVER","features":[463]},{"name":"WTS_LOGON_ERR_HANDLED_SHOW","features":[463]},{"name":"WTS_LOGON_ERR_INVALID","features":[463]},{"name":"WTS_LOGON_ERR_NOT_HANDLED","features":[463]},{"name":"WTS_MAX_CACHE_RESERVED","features":[463]},{"name":"WTS_MAX_COUNTERS","features":[463]},{"name":"WTS_MAX_DISPLAY_IOCTL_DATA","features":[463]},{"name":"WTS_MAX_PROTOCOL_CACHE","features":[463]},{"name":"WTS_MAX_RESERVED","features":[463]},{"name":"WTS_PASSWORD_LENGTH","features":[463]},{"name":"WTS_PERF_DISABLE_CURSORSETTINGS","features":[463]},{"name":"WTS_PERF_DISABLE_CURSOR_SHADOW","features":[463]},{"name":"WTS_PERF_DISABLE_FULLWINDOWDRAG","features":[463]},{"name":"WTS_PERF_DISABLE_MENUANIMATIONS","features":[463]},{"name":"WTS_PERF_DISABLE_NOTHING","features":[463]},{"name":"WTS_PERF_DISABLE_THEMING","features":[463]},{"name":"WTS_PERF_DISABLE_WALLPAPER","features":[463]},{"name":"WTS_PERF_ENABLE_DESKTOP_COMPOSITION","features":[463]},{"name":"WTS_PERF_ENABLE_ENHANCED_GRAPHICS","features":[463]},{"name":"WTS_PERF_ENABLE_FONT_SMOOTHING","features":[463]},{"name":"WTS_POLICY_DATA","features":[308,463]},{"name":"WTS_PROCESS_INFOA","features":[308,463]},{"name":"WTS_PROCESS_INFOW","features":[308,463]},{"name":"WTS_PROCESS_INFO_EXA","features":[308,463]},{"name":"WTS_PROCESS_INFO_EXW","features":[308,463]},{"name":"WTS_PROCESS_INFO_LEVEL_0","features":[463]},{"name":"WTS_PROCESS_INFO_LEVEL_1","features":[463]},{"name":"WTS_PROPERTY_DEFAULT_CONFIG","features":[463]},{"name":"WTS_PROPERTY_VALUE","features":[463]},{"name":"WTS_PROTOCOL_CACHE","features":[463]},{"name":"WTS_PROTOCOL_COUNTERS","features":[463]},{"name":"WTS_PROTOCOL_NAME_LENGTH","features":[463]},{"name":"WTS_PROTOCOL_STATUS","features":[463]},{"name":"WTS_PROTOCOL_TYPE_CONSOLE","features":[463]},{"name":"WTS_PROTOCOL_TYPE_ICA","features":[463]},{"name":"WTS_PROTOCOL_TYPE_RDP","features":[463]},{"name":"WTS_QUERY_ALLOWED_INITIAL_APP","features":[463]},{"name":"WTS_QUERY_AUDIOENUM_DLL","features":[463]},{"name":"WTS_QUERY_LOGON_SCREEN_SIZE","features":[463]},{"name":"WTS_QUERY_MF_FORMAT_SUPPORT","features":[463]},{"name":"WTS_RCM_DRAIN_STATE","features":[463]},{"name":"WTS_RCM_SERVICE_STATE","features":[463]},{"name":"WTS_SECURITY_ALL_ACCESS","features":[463]},{"name":"WTS_SECURITY_CONNECT","features":[463]},{"name":"WTS_SECURITY_CURRENT_GUEST_ACCESS","features":[463]},{"name":"WTS_SECURITY_CURRENT_USER_ACCESS","features":[463]},{"name":"WTS_SECURITY_DISCONNECT","features":[463]},{"name":"WTS_SECURITY_FLAGS","features":[463]},{"name":"WTS_SECURITY_GUEST_ACCESS","features":[463]},{"name":"WTS_SECURITY_LOGOFF","features":[463]},{"name":"WTS_SECURITY_LOGON","features":[463]},{"name":"WTS_SECURITY_MESSAGE","features":[463]},{"name":"WTS_SECURITY_QUERY_INFORMATION","features":[463]},{"name":"WTS_SECURITY_REMOTE_CONTROL","features":[463]},{"name":"WTS_SECURITY_RESET","features":[463]},{"name":"WTS_SECURITY_SET_INFORMATION","features":[463]},{"name":"WTS_SECURITY_USER_ACCESS","features":[463]},{"name":"WTS_SECURITY_VIRTUAL_CHANNELS","features":[463]},{"name":"WTS_SERVER_INFOA","features":[463]},{"name":"WTS_SERVER_INFOW","features":[463]},{"name":"WTS_SERVICE_NONE","features":[463]},{"name":"WTS_SERVICE_START","features":[463]},{"name":"WTS_SERVICE_STATE","features":[463]},{"name":"WTS_SERVICE_STOP","features":[463]},{"name":"WTS_SESSIONSTATE_LOCK","features":[463]},{"name":"WTS_SESSIONSTATE_UNKNOWN","features":[463]},{"name":"WTS_SESSIONSTATE_UNLOCK","features":[463]},{"name":"WTS_SESSION_ADDRESS","features":[463]},{"name":"WTS_SESSION_ID","features":[463]},{"name":"WTS_SESSION_INFOA","features":[463]},{"name":"WTS_SESSION_INFOW","features":[463]},{"name":"WTS_SESSION_INFO_1A","features":[463]},{"name":"WTS_SESSION_INFO_1W","features":[463]},{"name":"WTS_SMALL_RECT","features":[463]},{"name":"WTS_SOCKADDR","features":[463]},{"name":"WTS_SYSTEMTIME","features":[463]},{"name":"WTS_TIME_ZONE_INFORMATION","features":[463]},{"name":"WTS_TYPE_CLASS","features":[463]},{"name":"WTS_USERNAME_LENGTH","features":[463]},{"name":"WTS_USER_CREDENTIAL","features":[463]},{"name":"WTS_USER_DATA","features":[463]},{"name":"WTS_VALIDATION_INFORMATIONA","features":[463]},{"name":"WTS_VALIDATION_INFORMATIONW","features":[463]},{"name":"WTS_VALUE_TYPE_BINARY","features":[463]},{"name":"WTS_VALUE_TYPE_GUID","features":[463]},{"name":"WTS_VALUE_TYPE_STRING","features":[463]},{"name":"WTS_VALUE_TYPE_ULONG","features":[463]},{"name":"WTS_VIRTUAL_CLASS","features":[463]},{"name":"WTS_WSD_FASTREBOOT","features":[463]},{"name":"WTS_WSD_LOGOFF","features":[463]},{"name":"WTS_WSD_POWEROFF","features":[463]},{"name":"WTS_WSD_REBOOT","features":[463]},{"name":"WTS_WSD_SHUTDOWN","features":[463]},{"name":"Workspace","features":[463]},{"name":"_ITSWkspEvents","features":[359,463]},{"name":"pluginResource","features":[463]},{"name":"pluginResource2","features":[463]},{"name":"pluginResource2FileAssociation","features":[463]}],"598":[{"name":"ERROR_REDIRECT_LOCATION_INVALID","features":[581]},{"name":"ERROR_REDIRECT_LOCATION_TOO_LONG","features":[581]},{"name":"ERROR_SERVICE_CBT_HARDENING_INVALID","features":[581]},{"name":"ERROR_WINRS_CLIENT_CLOSERECEIVEHANDLE_NULL_PARAM","features":[581]},{"name":"ERROR_WINRS_CLIENT_CLOSESENDHANDLE_NULL_PARAM","features":[581]},{"name":"ERROR_WINRS_CLIENT_CLOSESHELL_NULL_PARAM","features":[581]},{"name":"ERROR_WINRS_CLIENT_CREATESHELL_NULL_PARAM","features":[581]},{"name":"ERROR_WINRS_CLIENT_FREECREATESHELLRESULT_NULL_PARAM","features":[581]},{"name":"ERROR_WINRS_CLIENT_FREEPULLRESULT_NULL_PARAM","features":[581]},{"name":"ERROR_WINRS_CLIENT_FREERUNCOMMANDRESULT_NULL_PARAM","features":[581]},{"name":"ERROR_WINRS_CLIENT_GET_NULL_PARAM","features":[581]},{"name":"ERROR_WINRS_CLIENT_INVALID_FLAG","features":[581]},{"name":"ERROR_WINRS_CLIENT_NULL_PARAM","features":[581]},{"name":"ERROR_WINRS_CLIENT_PULL_NULL_PARAM","features":[581]},{"name":"ERROR_WINRS_CLIENT_PUSH_NULL_PARAM","features":[581]},{"name":"ERROR_WINRS_CLIENT_RECEIVE_NULL_PARAM","features":[581]},{"name":"ERROR_WINRS_CLIENT_RUNCOMMAND_NULL_PARAM","features":[581]},{"name":"ERROR_WINRS_CLIENT_SEND_NULL_PARAM","features":[581]},{"name":"ERROR_WINRS_CLIENT_SIGNAL_NULL_PARAM","features":[581]},{"name":"ERROR_WINRS_CODE_PAGE_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WINRS_CONNECT_RESPONSE_BAD_BODY","features":[581]},{"name":"ERROR_WINRS_IDLETIMEOUT_OUTOFBOUNDS","features":[581]},{"name":"ERROR_WINRS_RECEIVE_IN_PROGRESS","features":[581]},{"name":"ERROR_WINRS_RECEIVE_NO_RESPONSE_DATA","features":[581]},{"name":"ERROR_WINRS_SHELLCOMMAND_CLIENTID_NOT_VALID","features":[581]},{"name":"ERROR_WINRS_SHELLCOMMAND_CLIENTID_RESOURCE_CONFLICT","features":[581]},{"name":"ERROR_WINRS_SHELLCOMMAND_DISCONNECT_OPERATION_NOT_VALID","features":[581]},{"name":"ERROR_WINRS_SHELLCOMMAND_RECONNECT_OPERATION_NOT_VALID","features":[581]},{"name":"ERROR_WINRS_SHELL_CLIENTID_NOT_VALID","features":[581]},{"name":"ERROR_WINRS_SHELL_CLIENTID_RESOURCE_CONFLICT","features":[581]},{"name":"ERROR_WINRS_SHELL_CLIENTSESSIONID_MISMATCH","features":[581]},{"name":"ERROR_WINRS_SHELL_CONNECTED_TO_DIFFERENT_CLIENT","features":[581]},{"name":"ERROR_WINRS_SHELL_DISCONNECTED","features":[581]},{"name":"ERROR_WINRS_SHELL_DISCONNECT_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WINRS_SHELL_DISCONNECT_OPERATION_NOT_GRACEFUL","features":[581]},{"name":"ERROR_WINRS_SHELL_DISCONNECT_OPERATION_NOT_VALID","features":[581]},{"name":"ERROR_WINRS_SHELL_RECONNECT_OPERATION_NOT_VALID","features":[581]},{"name":"ERROR_WINRS_SHELL_URI_INVALID","features":[581]},{"name":"ERROR_WSMAN_ACK_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_ACTION_MISMATCH","features":[581]},{"name":"ERROR_WSMAN_ACTION_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_ADDOBJECT_MISSING_EPR","features":[581]},{"name":"ERROR_WSMAN_ADDOBJECT_MISSING_OBJECT","features":[581]},{"name":"ERROR_WSMAN_ALREADY_EXISTS","features":[581]},{"name":"ERROR_WSMAN_AMBIGUOUS_SELECTORS","features":[581]},{"name":"ERROR_WSMAN_AUTHENTICATION_INVALID_FLAG","features":[581]},{"name":"ERROR_WSMAN_AUTHORIZATION_MODE_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_BAD_METHOD","features":[581]},{"name":"ERROR_WSMAN_BATCHSIZE_TOO_SMALL","features":[581]},{"name":"ERROR_WSMAN_BATCH_COMPLETE","features":[581]},{"name":"ERROR_WSMAN_BOOKMARKS_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_BOOKMARK_EXPIRED","features":[581]},{"name":"ERROR_WSMAN_CANNOT_CHANGE_KEYS","features":[581]},{"name":"ERROR_WSMAN_CANNOT_DECRYPT","features":[581]},{"name":"ERROR_WSMAN_CANNOT_PROCESS_FILTER","features":[581]},{"name":"ERROR_WSMAN_CANNOT_USE_ALLOW_NEGOTIATE_IMPLICIT_CREDENTIALS_FOR_HTTP","features":[581]},{"name":"ERROR_WSMAN_CANNOT_USE_CERTIFICATES_FOR_HTTP","features":[581]},{"name":"ERROR_WSMAN_CANNOT_USE_PROXY_SETTINGS_FOR_CREDSSP","features":[581]},{"name":"ERROR_WSMAN_CANNOT_USE_PROXY_SETTINGS_FOR_HTTP","features":[581]},{"name":"ERROR_WSMAN_CANNOT_USE_PROXY_SETTINGS_FOR_KERBEROS","features":[581]},{"name":"ERROR_WSMAN_CERTMAPPING_CONFIGLIMIT_EXCEEDED","features":[581]},{"name":"ERROR_WSMAN_CERTMAPPING_CREDENTIAL_MANAGEMENT_FAILIED","features":[581]},{"name":"ERROR_WSMAN_CERTMAPPING_INVALIDISSUERKEY","features":[581]},{"name":"ERROR_WSMAN_CERTMAPPING_INVALIDSUBJECTKEY","features":[581]},{"name":"ERROR_WSMAN_CERTMAPPING_INVALIDUSERCREDENTIALS","features":[581]},{"name":"ERROR_WSMAN_CERTMAPPING_PASSWORDBLANK","features":[581]},{"name":"ERROR_WSMAN_CERTMAPPING_PASSWORDTOOLONG","features":[581]},{"name":"ERROR_WSMAN_CERTMAPPING_PASSWORDUSERTUPLE","features":[581]},{"name":"ERROR_WSMAN_CERT_INVALID_USAGE","features":[581]},{"name":"ERROR_WSMAN_CERT_INVALID_USAGE_CLIENT","features":[581]},{"name":"ERROR_WSMAN_CERT_MISSING_AUTH_FLAG","features":[581]},{"name":"ERROR_WSMAN_CERT_MULTIPLE_CREDENTIALS_FLAG","features":[581]},{"name":"ERROR_WSMAN_CERT_NOT_FOUND","features":[581]},{"name":"ERROR_WSMAN_CERT_THUMBPRINT_BLANK","features":[581]},{"name":"ERROR_WSMAN_CERT_THUMBPRINT_NOT_BLANK","features":[581]},{"name":"ERROR_WSMAN_CHARACTER_SET","features":[581]},{"name":"ERROR_WSMAN_CLIENT_ALLOWFRESHCREDENTIALS","features":[581]},{"name":"ERROR_WSMAN_CLIENT_ALLOWFRESHCREDENTIALS_NTLMONLY","features":[581]},{"name":"ERROR_WSMAN_CLIENT_BASIC_AUTHENTICATION_DISABLED","features":[581]},{"name":"ERROR_WSMAN_CLIENT_BATCH_ITEMS_TOO_SMALL","features":[581]},{"name":"ERROR_WSMAN_CLIENT_BLANK_ACTION_URI","features":[581]},{"name":"ERROR_WSMAN_CLIENT_BLANK_INPUT_XML","features":[581]},{"name":"ERROR_WSMAN_CLIENT_BLANK_URI","features":[581]},{"name":"ERROR_WSMAN_CLIENT_CERTIFICATES_AUTHENTICATION_DISABLED","features":[581]},{"name":"ERROR_WSMAN_CLIENT_CERT_NEEDED","features":[581]},{"name":"ERROR_WSMAN_CLIENT_CERT_UNKNOWN_LOCATION","features":[581]},{"name":"ERROR_WSMAN_CLIENT_CERT_UNKNOWN_TYPE","features":[581]},{"name":"ERROR_WSMAN_CLIENT_CERT_UNNEEDED_CREDS","features":[581]},{"name":"ERROR_WSMAN_CLIENT_CERT_UNNEEDED_USERNAME","features":[581]},{"name":"ERROR_WSMAN_CLIENT_CLOSECOMMAND_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_CLOSESHELL_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_COMPRESSION_INVALID_OPTION","features":[581]},{"name":"ERROR_WSMAN_CLIENT_CONNECTCOMMAND_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_CONNECTSHELL_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_CONSTRUCTERROR_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_CREATESESSION_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_CREATESHELL_NAME_INVALID","features":[581]},{"name":"ERROR_WSMAN_CLIENT_CREATESHELL_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_CREDENTIALS_FLAG_NEEDED","features":[581]},{"name":"ERROR_WSMAN_CLIENT_CREDENTIALS_FOR_DEFAULT_AUTHENTICATION","features":[581]},{"name":"ERROR_WSMAN_CLIENT_CREDENTIALS_FOR_PROXY_AUTHENTICATION","features":[581]},{"name":"ERROR_WSMAN_CLIENT_CREDENTIALS_NEEDED","features":[581]},{"name":"ERROR_WSMAN_CLIENT_CREDSSP_AUTHENTICATION_DISABLED","features":[581]},{"name":"ERROR_WSMAN_CLIENT_DECODEOBJECT_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_DELIVERENDSUBSCRIPTION_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_DELIVEREVENTS_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_DIGEST_AUTHENTICATION_DISABLED","features":[581]},{"name":"ERROR_WSMAN_CLIENT_DISABLE_LOOPBACK_WITH_EXPLICIT_CREDENTIALS","features":[581]},{"name":"ERROR_WSMAN_CLIENT_DISCONNECTSHELL_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_ENCODEOBJECT_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_ENUMERATE_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_ENUMERATORADDEVENT_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_ENUMERATORADDOBJECT_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_ENUMERATORNEXTOBJECT_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_ENUM_RECEIVED_TOO_MANY_ITEMS","features":[581]},{"name":"ERROR_WSMAN_CLIENT_GETBOOKMARK_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_GETERRORMESSAGE_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_GETSESSIONOPTION_DWORD_INVALID_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_GETSESSIONOPTION_DWORD_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_GETSESSIONOPTION_INVALID_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_GETSESSIONOPTION_STRING_INVALID_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_INITIALIZE_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_INVALID_CERT","features":[581]},{"name":"ERROR_WSMAN_CLIENT_INVALID_CERT_DNS_OR_UPN","features":[581]},{"name":"ERROR_WSMAN_CLIENT_INVALID_CLOSE_COMMAND_FLAG","features":[581]},{"name":"ERROR_WSMAN_CLIENT_INVALID_CLOSE_SHELL_FLAG","features":[581]},{"name":"ERROR_WSMAN_CLIENT_INVALID_CREATE_SHELL_FLAG","features":[581]},{"name":"ERROR_WSMAN_CLIENT_INVALID_DEINIT_APPLICATION_FLAG","features":[581]},{"name":"ERROR_WSMAN_CLIENT_INVALID_DELIVERY_RETRY","features":[581]},{"name":"ERROR_WSMAN_CLIENT_INVALID_DISABLE_LOOPBACK","features":[581]},{"name":"ERROR_WSMAN_CLIENT_INVALID_DISCONNECT_SHELL_FLAG","features":[581]},{"name":"ERROR_WSMAN_CLIENT_INVALID_FLAG","features":[581]},{"name":"ERROR_WSMAN_CLIENT_INVALID_GETERRORMESSAGE_FLAG","features":[581]},{"name":"ERROR_WSMAN_CLIENT_INVALID_INIT_APPLICATION_FLAG","features":[581]},{"name":"ERROR_WSMAN_CLIENT_INVALID_LANGUAGE_CODE","features":[581]},{"name":"ERROR_WSMAN_CLIENT_INVALID_LOCALE","features":[581]},{"name":"ERROR_WSMAN_CLIENT_INVALID_RECEIVE_SHELL_FLAG","features":[581]},{"name":"ERROR_WSMAN_CLIENT_INVALID_RESOURCE_LOCATOR","features":[581]},{"name":"ERROR_WSMAN_CLIENT_INVALID_RUNCOMMAND_FLAG","features":[581]},{"name":"ERROR_WSMAN_CLIENT_INVALID_SEND_SHELL_FLAG","features":[581]},{"name":"ERROR_WSMAN_CLIENT_INVALID_SEND_SHELL_PARAMETER","features":[581]},{"name":"ERROR_WSMAN_CLIENT_INVALID_SHELL_COMMAND_PAIR","features":[581]},{"name":"ERROR_WSMAN_CLIENT_INVALID_SIGNAL_SHELL_FLAG","features":[581]},{"name":"ERROR_WSMAN_CLIENT_INVALID_UI_LANGUAGE","features":[581]},{"name":"ERROR_WSMAN_CLIENT_KERBEROS_AUTHENTICATION_DISABLED","features":[581]},{"name":"ERROR_WSMAN_CLIENT_LOCAL_INVALID_CONNECTION_OPTIONS","features":[581]},{"name":"ERROR_WSMAN_CLIENT_LOCAL_INVALID_CREDS","features":[581]},{"name":"ERROR_WSMAN_CLIENT_MAX_CHARS_TOO_SMALL","features":[581]},{"name":"ERROR_WSMAN_CLIENT_MISSING_EXPIRATION","features":[581]},{"name":"ERROR_WSMAN_CLIENT_MULTIPLE_AUTH_FLAGS","features":[581]},{"name":"ERROR_WSMAN_CLIENT_MULTIPLE_DELIVERY_MODES","features":[581]},{"name":"ERROR_WSMAN_CLIENT_MULTIPLE_ENUM_MODE_FLAGS","features":[581]},{"name":"ERROR_WSMAN_CLIENT_MULTIPLE_ENVELOPE_POLICIES","features":[581]},{"name":"ERROR_WSMAN_CLIENT_MULTIPLE_PROXY_AUTH_FLAGS","features":[581]},{"name":"ERROR_WSMAN_CLIENT_NEGOTIATE_AUTHENTICATION_DISABLED","features":[581]},{"name":"ERROR_WSMAN_CLIENT_NO_HANDLE","features":[581]},{"name":"ERROR_WSMAN_CLIENT_NO_SOURCES","features":[581]},{"name":"ERROR_WSMAN_CLIENT_NULL_ISSUERS","features":[581]},{"name":"ERROR_WSMAN_CLIENT_NULL_PUBLISHERS","features":[581]},{"name":"ERROR_WSMAN_CLIENT_NULL_RESULT_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_PULL_INVALID_FLAGS","features":[581]},{"name":"ERROR_WSMAN_CLIENT_PUSH_HOST_TOO_LONG","features":[581]},{"name":"ERROR_WSMAN_CLIENT_PUSH_UNSUPPORTED_TRANSPORT","features":[581]},{"name":"ERROR_WSMAN_CLIENT_RECEIVE_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_RECONNECTSHELLCOMMAND_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_RECONNECTSHELL_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_RUNCOMMAND_NOTCOMPLETED","features":[581]},{"name":"ERROR_WSMAN_CLIENT_RUNCOMMAND_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_SEND_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_SESSION_UNUSABLE","features":[581]},{"name":"ERROR_WSMAN_CLIENT_SETSESSIONOPTION_INVALID_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_SETSESSIONOPTION_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_SIGNAL_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_SPN_WRONG_AUTH","features":[581]},{"name":"ERROR_WSMAN_CLIENT_SUBSCRIBE_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_CLIENT_UNENCRYPTED_DISABLED","features":[581]},{"name":"ERROR_WSMAN_CLIENT_UNENCRYPTED_HTTP_ONLY","features":[581]},{"name":"ERROR_WSMAN_CLIENT_UNKNOWN_EXPIRATION_TYPE","features":[581]},{"name":"ERROR_WSMAN_CLIENT_USERNAME_AND_PASSWORD_NEEDED","features":[581]},{"name":"ERROR_WSMAN_CLIENT_USERNAME_PASSWORD_NEEDED","features":[581]},{"name":"ERROR_WSMAN_CLIENT_WORKGROUP_NO_KERBEROS","features":[581]},{"name":"ERROR_WSMAN_CLIENT_ZERO_HEARTBEAT","features":[581]},{"name":"ERROR_WSMAN_COMMAND_ALREADY_CLOSED","features":[581]},{"name":"ERROR_WSMAN_COMMAND_TERMINATED","features":[581]},{"name":"ERROR_WSMAN_CONCURRENCY","features":[581]},{"name":"ERROR_WSMAN_CONFIG_CANNOT_CHANGE_CERTMAPPING_KEYS","features":[581]},{"name":"ERROR_WSMAN_CONFIG_CANNOT_CHANGE_GPO_CONTROLLED_SETTING","features":[581]},{"name":"ERROR_WSMAN_CONFIG_CANNOT_CHANGE_MUTUAL","features":[581]},{"name":"ERROR_WSMAN_CONFIG_CANNOT_SHARE_SSL_CONFIG","features":[581]},{"name":"ERROR_WSMAN_CONFIG_CERT_CN_DOES_NOT_MATCH_HOSTNAME","features":[581]},{"name":"ERROR_WSMAN_CONFIG_CORRUPTED","features":[581]},{"name":"ERROR_WSMAN_CONFIG_GROUP_POLICY_CHANGE_NOTIFICATION_SUBSCRIPTION_FAILED","features":[581]},{"name":"ERROR_WSMAN_CONFIG_HOSTNAME_CHANGE_WITHOUT_CERT","features":[581]},{"name":"ERROR_WSMAN_CONFIG_PORT_INVALID","features":[581]},{"name":"ERROR_WSMAN_CONFIG_READONLY_PROPERTY","features":[581]},{"name":"ERROR_WSMAN_CONFIG_SHELLURI_INVALID_OPERATION_ON_KEY","features":[581]},{"name":"ERROR_WSMAN_CONFIG_SHELLURI_INVALID_PROCESSPATH","features":[581]},{"name":"ERROR_WSMAN_CONFIG_SHELL_URI_CMDSHELLURI_NOTPERMITTED","features":[581]},{"name":"ERROR_WSMAN_CONFIG_SHELL_URI_INVALID","features":[581]},{"name":"ERROR_WSMAN_CONFIG_THUMBPRINT_SHOULD_BE_EMPTY","features":[581]},{"name":"ERROR_WSMAN_CONNECTIONSTR_INVALID","features":[581]},{"name":"ERROR_WSMAN_CONNECTOR_GET","features":[581]},{"name":"ERROR_WSMAN_CREATESHELL_NULL_ENVIRONMENT_VARIABLE_NAME","features":[581]},{"name":"ERROR_WSMAN_CREATESHELL_NULL_STREAMID","features":[581]},{"name":"ERROR_WSMAN_CREATESHELL_RUNAS_FAILED","features":[581]},{"name":"ERROR_WSMAN_CREATE_RESPONSE_NO_EPR","features":[581]},{"name":"ERROR_WSMAN_CREDSSP_USERNAME_PASSWORD_NEEDED","features":[581]},{"name":"ERROR_WSMAN_CREDS_PASSED_WITH_NO_AUTH_FLAG","features":[581]},{"name":"ERROR_WSMAN_CUSTOMREMOTESHELL_DEPRECATED","features":[581]},{"name":"ERROR_WSMAN_DEFAULTAUTH_IPADDRESS","features":[581]},{"name":"ERROR_WSMAN_DELIVERY_REFUSED","features":[581]},{"name":"ERROR_WSMAN_DELIVERY_RETRIES_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_DELIVER_IN_PROGRESS","features":[581]},{"name":"ERROR_WSMAN_DEPRECATED_CONFIG_SETTING","features":[581]},{"name":"ERROR_WSMAN_DESERIALIZE_CLASS","features":[581]},{"name":"ERROR_WSMAN_DESTINATION_INVALID","features":[581]},{"name":"ERROR_WSMAN_DESTINATION_UNREACHABLE","features":[581]},{"name":"ERROR_WSMAN_DIFFERENT_AUTHZ_TOKEN","features":[581]},{"name":"ERROR_WSMAN_DIFFERENT_CIM_SELECTOR","features":[581]},{"name":"ERROR_WSMAN_DUPLICATE_SELECTORS","features":[581]},{"name":"ERROR_WSMAN_ENCODING_LIMIT","features":[581]},{"name":"ERROR_WSMAN_ENCODING_TYPE","features":[581]},{"name":"ERROR_WSMAN_ENDPOINT_UNAVAILABLE","features":[581]},{"name":"ERROR_WSMAN_ENDPOINT_UNAVAILABLE_INVALID_VALUE","features":[581]},{"name":"ERROR_WSMAN_ENUMERATE_CANNOT_PROCESS_FILTER","features":[581]},{"name":"ERROR_WSMAN_ENUMERATE_FILTERING_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_ENUMERATE_FILTER_DIALECT_REQUESTED_UNAVAILABLE","features":[581]},{"name":"ERROR_WSMAN_ENUMERATE_INVALID_ENUMERATION_CONTEXT","features":[581]},{"name":"ERROR_WSMAN_ENUMERATE_INVALID_EXPIRATION_TIME","features":[581]},{"name":"ERROR_WSMAN_ENUMERATE_SHELLCOMAMNDS_FILTER_EXPECTED","features":[581]},{"name":"ERROR_WSMAN_ENUMERATE_SHELLCOMMANDS_EPRS_NOTSUPPORTED","features":[581]},{"name":"ERROR_WSMAN_ENUMERATE_TIMED_OUT","features":[581]},{"name":"ERROR_WSMAN_ENUMERATE_UNABLE_TO_RENEW","features":[581]},{"name":"ERROR_WSMAN_ENUMERATE_UNSUPPORTED_EXPIRATION_TIME","features":[581]},{"name":"ERROR_WSMAN_ENUMERATE_UNSUPPORTED_EXPIRATION_TYPE","features":[581]},{"name":"ERROR_WSMAN_ENUMERATE_WMI_INVALID_KEY","features":[581]},{"name":"ERROR_WSMAN_ENUMERATION_CLOSED","features":[581]},{"name":"ERROR_WSMAN_ENUMERATION_INITIALIZING","features":[581]},{"name":"ERROR_WSMAN_ENUMERATION_INVALID","features":[581]},{"name":"ERROR_WSMAN_ENUMERATION_MODE_UNSUPPORTED","features":[581]},{"name":"ERROR_WSMAN_ENVELOPE_TOO_LARGE","features":[581]},{"name":"ERROR_WSMAN_EPR_NESTING_EXCEEDED","features":[581]},{"name":"ERROR_WSMAN_EVENTING_CONCURRENT_CLIENT_RECEIVE","features":[581]},{"name":"ERROR_WSMAN_EVENTING_DELIVERYFAILED_FROMSOURCE","features":[581]},{"name":"ERROR_WSMAN_EVENTING_DELIVERY_MODE_REQUESTED_INVALID","features":[581]},{"name":"ERROR_WSMAN_EVENTING_DELIVERY_MODE_REQUESTED_UNAVAILABLE","features":[581]},{"name":"ERROR_WSMAN_EVENTING_FAST_SENDER","features":[581]},{"name":"ERROR_WSMAN_EVENTING_FILTERING_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_EVENTING_FILTERING_REQUESTED_UNAVAILABLE","features":[581]},{"name":"ERROR_WSMAN_EVENTING_INCOMPATIBLE_BATCHPARAMS_AND_DELIVERYMODE","features":[581]},{"name":"ERROR_WSMAN_EVENTING_INSECURE_PUSHSUBSCRIPTION_CONNECTION","features":[581]},{"name":"ERROR_WSMAN_EVENTING_INVALID_ENCODING_IN_DELIVERY","features":[581]},{"name":"ERROR_WSMAN_EVENTING_INVALID_ENDTO_ADDRESSS","features":[581]},{"name":"ERROR_WSMAN_EVENTING_INVALID_EVENTSOURCE","features":[581]},{"name":"ERROR_WSMAN_EVENTING_INVALID_EXPIRATION_TIME","features":[581]},{"name":"ERROR_WSMAN_EVENTING_INVALID_HEARTBEAT","features":[581]},{"name":"ERROR_WSMAN_EVENTING_INVALID_INCOMING_EVENT_PACKET_HEADER","features":[581]},{"name":"ERROR_WSMAN_EVENTING_INVALID_LOCALE_IN_DELIVERY","features":[581]},{"name":"ERROR_WSMAN_EVENTING_INVALID_MESSAGE","features":[581]},{"name":"ERROR_WSMAN_EVENTING_INVALID_NOTIFYTO_ADDRESSS","features":[581]},{"name":"ERROR_WSMAN_EVENTING_LOOPBACK_TESTFAILED","features":[581]},{"name":"ERROR_WSMAN_EVENTING_MISSING_LOCALE_IN_DELIVERY","features":[581]},{"name":"ERROR_WSMAN_EVENTING_MISSING_NOTIFYTO","features":[581]},{"name":"ERROR_WSMAN_EVENTING_MISSING_NOTIFYTO_ADDRESSS","features":[581]},{"name":"ERROR_WSMAN_EVENTING_NOMATCHING_LISTENER","features":[581]},{"name":"ERROR_WSMAN_EVENTING_NONDOMAINJOINED_COLLECTOR","features":[581]},{"name":"ERROR_WSMAN_EVENTING_NONDOMAINJOINED_PUBLISHER","features":[581]},{"name":"ERROR_WSMAN_EVENTING_PUSH_SUBSCRIPTION_NOACTIVATE_EVENTSOURCE","features":[581]},{"name":"ERROR_WSMAN_EVENTING_SOURCE_UNABLE_TO_PROCESS","features":[581]},{"name":"ERROR_WSMAN_EVENTING_SUBSCRIPTIONCLOSED_BYREMOTESERVICE","features":[581]},{"name":"ERROR_WSMAN_EVENTING_SUBSCRIPTION_CANCELLED_BYSOURCE","features":[581]},{"name":"ERROR_WSMAN_EVENTING_UNABLE_TO_RENEW","features":[581]},{"name":"ERROR_WSMAN_EVENTING_UNSUPPORTED_EXPIRATION_TYPE","features":[581]},{"name":"ERROR_WSMAN_EXPIRATION_TIME_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_EXPLICIT_CREDENTIALS_REQUIRED","features":[581]},{"name":"ERROR_WSMAN_FAILED_AUTHENTICATION","features":[581]},{"name":"ERROR_WSMAN_FEATURE_DEPRECATED","features":[581]},{"name":"ERROR_WSMAN_FILE_NOT_PRESENT","features":[581]},{"name":"ERROR_WSMAN_FILTERING_REQUIRED","features":[581]},{"name":"ERROR_WSMAN_FILTERING_REQUIRED_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_FORMAT_MISMATCH_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_FORMAT_SECURITY_TOKEN_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_FRAGMENT_DIALECT_REQUESTED_UNAVAILABLE","features":[581]},{"name":"ERROR_WSMAN_FRAGMENT_TRANSFER_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_GETCLASS","features":[581]},{"name":"ERROR_WSMAN_HEARTBEATS_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_HTML_ERROR","features":[581]},{"name":"ERROR_WSMAN_HTTP_CONTENT_TYPE_MISSMATCH_RESPONSE_DATA","features":[581]},{"name":"ERROR_WSMAN_HTTP_INVALID_CONTENT_TYPE_IN_RESPONSE_DATA","features":[581]},{"name":"ERROR_WSMAN_HTTP_NOT_FOUND_STATUS","features":[581]},{"name":"ERROR_WSMAN_HTTP_NO_RESPONSE_DATA","features":[581]},{"name":"ERROR_WSMAN_HTTP_REQUEST_TOO_LARGE_STATUS","features":[581]},{"name":"ERROR_WSMAN_HTTP_SERVICE_UNAVAILABLE_STATUS","features":[581]},{"name":"ERROR_WSMAN_HTTP_STATUS_BAD_REQUEST","features":[581]},{"name":"ERROR_WSMAN_HTTP_STATUS_SERVER_ERROR","features":[581]},{"name":"ERROR_WSMAN_IISCONFIGURATION_READ_FAILED","features":[581]},{"name":"ERROR_WSMAN_INCOMPATIBLE_EPR","features":[581]},{"name":"ERROR_WSMAN_INEXISTENT_MAC_ADDRESS","features":[581]},{"name":"ERROR_WSMAN_INSECURE_ADDRESS_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_INSUFFCIENT_SELECTORS","features":[581]},{"name":"ERROR_WSMAN_INSUFFICIENT_METADATA_FOR_BASIC","features":[581]},{"name":"ERROR_WSMAN_INVALID_ACTIONURI","features":[581]},{"name":"ERROR_WSMAN_INVALID_BATCH_PARAMETER","features":[581]},{"name":"ERROR_WSMAN_INVALID_BATCH_SETTINGS_PARAMETER","features":[581]},{"name":"ERROR_WSMAN_INVALID_BOOKMARK","features":[581]},{"name":"ERROR_WSMAN_INVALID_CHARACTERS_IN_RESPONSE","features":[581]},{"name":"ERROR_WSMAN_INVALID_CONFIGSDDL_URL","features":[581]},{"name":"ERROR_WSMAN_INVALID_CONNECTIONRETRY","features":[581]},{"name":"ERROR_WSMAN_INVALID_FILEPATH","features":[581]},{"name":"ERROR_WSMAN_INVALID_FILTER_XML","features":[581]},{"name":"ERROR_WSMAN_INVALID_FRAGMENT_DIALECT","features":[581]},{"name":"ERROR_WSMAN_INVALID_FRAGMENT_PATH","features":[581]},{"name":"ERROR_WSMAN_INVALID_FRAGMENT_PATH_BLANK","features":[581]},{"name":"ERROR_WSMAN_INVALID_HEADER","features":[581]},{"name":"ERROR_WSMAN_INVALID_HOSTNAME_PATTERN","features":[581]},{"name":"ERROR_WSMAN_INVALID_IPFILTER","features":[581]},{"name":"ERROR_WSMAN_INVALID_KEY","features":[581]},{"name":"ERROR_WSMAN_INVALID_LITERAL_URI","features":[581]},{"name":"ERROR_WSMAN_INVALID_MESSAGE_INFORMATION_HEADER","features":[581]},{"name":"ERROR_WSMAN_INVALID_OPTIONS","features":[581]},{"name":"ERROR_WSMAN_INVALID_OPTIONSET","features":[581]},{"name":"ERROR_WSMAN_INVALID_OPTION_NO_PROXY_SERVER","features":[581]},{"name":"ERROR_WSMAN_INVALID_PARAMETER","features":[581]},{"name":"ERROR_WSMAN_INVALID_PARAMETER_NAME","features":[581]},{"name":"ERROR_WSMAN_INVALID_PROPOSED_ID","features":[581]},{"name":"ERROR_WSMAN_INVALID_PROVIDER_RESPONSE","features":[581]},{"name":"ERROR_WSMAN_INVALID_PUBLISHERS_TYPE","features":[581]},{"name":"ERROR_WSMAN_INVALID_REDIRECT_ERROR","features":[581]},{"name":"ERROR_WSMAN_INVALID_REPRESENTATION","features":[581]},{"name":"ERROR_WSMAN_INVALID_RESOURCE_URI","features":[581]},{"name":"ERROR_WSMAN_INVALID_RESUMPTION_CONTEXT","features":[581]},{"name":"ERROR_WSMAN_INVALID_SECURITY_DESCRIPTOR","features":[581]},{"name":"ERROR_WSMAN_INVALID_SELECTORS","features":[581]},{"name":"ERROR_WSMAN_INVALID_SELECTOR_NAME","features":[581]},{"name":"ERROR_WSMAN_INVALID_SELECTOR_VALUE","features":[581]},{"name":"ERROR_WSMAN_INVALID_SOAP_BODY","features":[581]},{"name":"ERROR_WSMAN_INVALID_SUBSCRIBE_OBJECT","features":[581]},{"name":"ERROR_WSMAN_INVALID_SUBSCRIPTION_MANAGER","features":[581]},{"name":"ERROR_WSMAN_INVALID_SYSTEM","features":[581]},{"name":"ERROR_WSMAN_INVALID_TARGET_RESOURCEURI","features":[581]},{"name":"ERROR_WSMAN_INVALID_TARGET_SELECTORS","features":[581]},{"name":"ERROR_WSMAN_INVALID_TARGET_SYSTEM","features":[581]},{"name":"ERROR_WSMAN_INVALID_TIMEOUT_HEADER","features":[581]},{"name":"ERROR_WSMAN_INVALID_URI","features":[581]},{"name":"ERROR_WSMAN_INVALID_URI_WMI_ENUM_WQL","features":[581]},{"name":"ERROR_WSMAN_INVALID_URI_WMI_SINGLETON","features":[581]},{"name":"ERROR_WSMAN_INVALID_USESSL_PARAM","features":[581]},{"name":"ERROR_WSMAN_INVALID_XML","features":[581]},{"name":"ERROR_WSMAN_INVALID_XML_FRAGMENT","features":[581]},{"name":"ERROR_WSMAN_INVALID_XML_MISSING_VALUES","features":[581]},{"name":"ERROR_WSMAN_INVALID_XML_NAMESPACE","features":[581]},{"name":"ERROR_WSMAN_INVALID_XML_RUNAS_DISABLED","features":[581]},{"name":"ERROR_WSMAN_INVALID_XML_VALUES","features":[581]},{"name":"ERROR_WSMAN_KERBEROS_IPADDRESS","features":[581]},{"name":"ERROR_WSMAN_LISTENER_ADDRESS_INVALID","features":[581]},{"name":"ERROR_WSMAN_LOCALE_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_MACHINE_OPTION_REQUIRED","features":[581]},{"name":"ERROR_WSMAN_MAXENVELOPE_POLICY_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_MAXENVELOPE_SIZE_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_MAXITEMS_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_MAXTIME_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_MAX_ELEMENTS_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_MAX_ENVELOPE_SIZE","features":[581]},{"name":"ERROR_WSMAN_MAX_ENVELOPE_SIZE_EXCEEDED","features":[581]},{"name":"ERROR_WSMAN_MESSAGE_INFORMATION_HEADER_REQUIRED","features":[581]},{"name":"ERROR_WSMAN_METADATA_REDIRECT","features":[581]},{"name":"ERROR_WSMAN_MIN_ENVELOPE_SIZE","features":[581]},{"name":"ERROR_WSMAN_MISSING_CLASSNAME","features":[581]},{"name":"ERROR_WSMAN_MISSING_FRAGMENT_PATH","features":[581]},{"name":"ERROR_WSMAN_MULTIPLE_CREDENTIALS","features":[581]},{"name":"ERROR_WSMAN_MUSTUNDERSTAND_ON_LOCALE_UNSUPPORTED","features":[581]},{"name":"ERROR_WSMAN_MUTUAL_AUTH_FAILED","features":[581]},{"name":"ERROR_WSMAN_NAME_NOT_RESOLVED","features":[581]},{"name":"ERROR_WSMAN_NETWORK_TIMEDOUT","features":[581]},{"name":"ERROR_WSMAN_NEW_DESERIALIZER","features":[581]},{"name":"ERROR_WSMAN_NEW_SESSION","features":[581]},{"name":"ERROR_WSMAN_NON_PULL_SUBSCRIPTION_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_NO_ACK","features":[581]},{"name":"ERROR_WSMAN_NO_CERTMAPPING_OPERATION_FOR_LOCAL_SESSION","features":[581]},{"name":"ERROR_WSMAN_NO_COMMANDID","features":[581]},{"name":"ERROR_WSMAN_NO_COMMAND_RESPONSE","features":[581]},{"name":"ERROR_WSMAN_NO_DHCP_ADDRESSES","features":[581]},{"name":"ERROR_WSMAN_NO_IDENTIFY_FOR_LOCAL_SESSION","features":[581]},{"name":"ERROR_WSMAN_NO_PUSH_SUBSCRIPTION_FOR_LOCAL_SESSION","features":[581]},{"name":"ERROR_WSMAN_NO_RECEIVE_RESPONSE","features":[581]},{"name":"ERROR_WSMAN_NO_UNICAST_ADDRESSES","features":[581]},{"name":"ERROR_WSMAN_NULL_KEY","features":[581]},{"name":"ERROR_WSMAN_OBJECTONLY_INVALID","features":[581]},{"name":"ERROR_WSMAN_OPERATION_TIMEDOUT","features":[581]},{"name":"ERROR_WSMAN_OPERATION_TIMEOUT_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_OPTIONS_INVALID_NAME","features":[581]},{"name":"ERROR_WSMAN_OPTIONS_INVALID_VALUE","features":[581]},{"name":"ERROR_WSMAN_OPTIONS_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_OPTION_LIMIT","features":[581]},{"name":"ERROR_WSMAN_PARAMETER_TYPE_MISMATCH","features":[581]},{"name":"ERROR_WSMAN_PLUGIN_CONFIGURATION_CORRUPTED","features":[581]},{"name":"ERROR_WSMAN_PLUGIN_FAILED","features":[581]},{"name":"ERROR_WSMAN_POLICY_CANNOT_COMPLY","features":[581]},{"name":"ERROR_WSMAN_POLICY_CORRUPTED","features":[581]},{"name":"ERROR_WSMAN_POLICY_TOO_COMPLEX","features":[581]},{"name":"ERROR_WSMAN_POLYMORPHISM_MODE_UNSUPPORTED","features":[581]},{"name":"ERROR_WSMAN_PORT_INVALID","features":[581]},{"name":"ERROR_WSMAN_PROVIDER_FAILURE","features":[581]},{"name":"ERROR_WSMAN_PROVIDER_LOAD_FAILED","features":[581]},{"name":"ERROR_WSMAN_PROVSYS_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_PROXY_ACCESS_TYPE","features":[581]},{"name":"ERROR_WSMAN_PROXY_AUTHENTICATION_INVALID_FLAG","features":[581]},{"name":"ERROR_WSMAN_PUBLIC_FIREWALL_PROFILE_ACTIVE","features":[581]},{"name":"ERROR_WSMAN_PULL_IN_PROGRESS","features":[581]},{"name":"ERROR_WSMAN_PULL_PARAMS_NOT_SAME_AS_ENUM","features":[581]},{"name":"ERROR_WSMAN_PUSHSUBSCRIPTION_INVALIDUSERACCOUNT","features":[581]},{"name":"ERROR_WSMAN_PUSH_SUBSCRIPTION_CONFIG_INVALID","features":[581]},{"name":"ERROR_WSMAN_QUICK_CONFIG_FAILED_CERT_REQUIRED","features":[581]},{"name":"ERROR_WSMAN_QUICK_CONFIG_FIREWALL_EXCEPTIONS_DISALLOWED","features":[581]},{"name":"ERROR_WSMAN_QUICK_CONFIG_LOCAL_POLICY_CHANGE_DISALLOWED","features":[581]},{"name":"ERROR_WSMAN_QUOTA_LIMIT","features":[581]},{"name":"ERROR_WSMAN_QUOTA_MAX_COMMANDS_PER_SHELL_PPQ","features":[581]},{"name":"ERROR_WSMAN_QUOTA_MAX_OPERATIONS","features":[581]},{"name":"ERROR_WSMAN_QUOTA_MAX_OPERATIONS_USER_PPQ","features":[581]},{"name":"ERROR_WSMAN_QUOTA_MAX_PLUGINOPERATIONS_PPQ","features":[581]},{"name":"ERROR_WSMAN_QUOTA_MAX_PLUGINSHELLS_PPQ","features":[581]},{"name":"ERROR_WSMAN_QUOTA_MAX_SHELLS","features":[581]},{"name":"ERROR_WSMAN_QUOTA_MAX_SHELLS_PPQ","features":[581]},{"name":"ERROR_WSMAN_QUOTA_MAX_SHELLUSERS","features":[581]},{"name":"ERROR_WSMAN_QUOTA_MAX_USERS_PPQ","features":[581]},{"name":"ERROR_WSMAN_QUOTA_MIN_REQUIREMENT_NOT_AVAILABLE_PPQ","features":[581]},{"name":"ERROR_WSMAN_QUOTA_SYSTEM","features":[581]},{"name":"ERROR_WSMAN_QUOTA_USER","features":[581]},{"name":"ERROR_WSMAN_REDIRECT_LOCATION_NOT_AVAILABLE","features":[581]},{"name":"ERROR_WSMAN_REDIRECT_REQUESTED","features":[581]},{"name":"ERROR_WSMAN_REMOTESHELLS_NOT_ALLOWED","features":[581]},{"name":"ERROR_WSMAN_REMOTE_CIMPATH_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_REMOTE_CONNECTION_NOT_ALLOWED","features":[581]},{"name":"ERROR_WSMAN_RENAME_FAILURE","features":[581]},{"name":"ERROR_WSMAN_REQUEST_INIT_ERROR","features":[581]},{"name":"ERROR_WSMAN_REQUEST_NOT_SUPPORTED_AT_SERVICE","features":[581]},{"name":"ERROR_WSMAN_RESOURCE_NOT_FOUND","features":[581]},{"name":"ERROR_WSMAN_RESPONSE_INVALID_ENUMERATION_CONTEXT","features":[581]},{"name":"ERROR_WSMAN_RESPONSE_INVALID_MESSAGE_INFORMATION_HEADER","features":[581]},{"name":"ERROR_WSMAN_RESPONSE_INVALID_SOAP_FAULT","features":[581]},{"name":"ERROR_WSMAN_RESPONSE_NO_RESULTS","features":[581]},{"name":"ERROR_WSMAN_RESPONSE_NO_SOAP_HEADER_BODY","features":[581]},{"name":"ERROR_WSMAN_RESPONSE_NO_XML_FRAGMENT_WRAPPER","features":[581]},{"name":"ERROR_WSMAN_RESUMPTION_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_RESUMPTION_TYPE_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_RUNASUSER_MANAGEDACCOUNT_LOGON_FAILED","features":[581]},{"name":"ERROR_WSMAN_RUNAS_INVALIDUSERCREDENTIALS","features":[581]},{"name":"ERROR_WSMAN_RUNSHELLCOMMAND_NULL_ARGUMENT","features":[581]},{"name":"ERROR_WSMAN_SCHEMA_VALIDATION_ERROR","features":[581]},{"name":"ERROR_WSMAN_SECURITY_UNMAPPED","features":[581]},{"name":"ERROR_WSMAN_SELECTOR_LIMIT","features":[581]},{"name":"ERROR_WSMAN_SELECTOR_TYPEMISMATCH","features":[581]},{"name":"ERROR_WSMAN_SEMANTICCALLBACK_TIMEDOUT","features":[581]},{"name":"ERROR_WSMAN_SENDHEARBEAT_EMPTY_ENUMERATOR","features":[581]},{"name":"ERROR_WSMAN_SENDSHELLINPUT_INVALID_STREAMID_INDEX","features":[581]},{"name":"ERROR_WSMAN_SERVER_DESTINATION_LOCALHOST","features":[581]},{"name":"ERROR_WSMAN_SERVER_ENVELOPE_LIMIT","features":[581]},{"name":"ERROR_WSMAN_SERVER_NONPULLSUBSCRIBE_NULL_PARAM","features":[581]},{"name":"ERROR_WSMAN_SERVER_NOT_TRUSTED","features":[581]},{"name":"ERROR_WSMAN_SERVICE_REMOTE_ACCESS_DISABLED","features":[581]},{"name":"ERROR_WSMAN_SERVICE_STREAM_DISCONNECTED","features":[581]},{"name":"ERROR_WSMAN_SESSION_ALREADY_CLOSED","features":[581]},{"name":"ERROR_WSMAN_SHELL_ALREADY_CLOSED","features":[581]},{"name":"ERROR_WSMAN_SHELL_INVALID_COMMAND_HANDLE","features":[581]},{"name":"ERROR_WSMAN_SHELL_INVALID_DESIRED_STREAMS","features":[581]},{"name":"ERROR_WSMAN_SHELL_INVALID_INPUT_STREAM","features":[581]},{"name":"ERROR_WSMAN_SHELL_INVALID_SHELL_HANDLE","features":[581]},{"name":"ERROR_WSMAN_SHELL_NOT_INITIALIZED","features":[581]},{"name":"ERROR_WSMAN_SHELL_SYNCHRONOUS_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_SOAP_DATA_ENCODING_UNKNOWN","features":[581]},{"name":"ERROR_WSMAN_SOAP_FAULT_MUST_UNDERSTAND","features":[581]},{"name":"ERROR_WSMAN_SOAP_VERSION_MISMATCH","features":[581]},{"name":"ERROR_WSMAN_SSL_CONNECTION_ABORTED","features":[581]},{"name":"ERROR_WSMAN_SUBSCRIBE_WMI_INVALID_KEY","features":[581]},{"name":"ERROR_WSMAN_SUBSCRIPTION_CLIENT_DID_NOT_CALL_WITHIN_HEARTBEAT","features":[581]},{"name":"ERROR_WSMAN_SUBSCRIPTION_CLOSED","features":[581]},{"name":"ERROR_WSMAN_SUBSCRIPTION_CLOSE_IN_PROGRESS","features":[581]},{"name":"ERROR_WSMAN_SUBSCRIPTION_LISTENER_NOLONGERVALID","features":[581]},{"name":"ERROR_WSMAN_SUBSCRIPTION_NO_HEARTBEAT","features":[581]},{"name":"ERROR_WSMAN_SYSTEM_NOT_FOUND","features":[581]},{"name":"ERROR_WSMAN_TARGET_ALREADY_EXISTS","features":[581]},{"name":"ERROR_WSMAN_TRANSPORT_NOT_SUPPORTED","features":[581]},{"name":"ERROR_WSMAN_UNEXPECTED_SELECTORS","features":[581]},{"name":"ERROR_WSMAN_UNKNOWN_HTTP_STATUS_RETURNED","features":[581]},{"name":"ERROR_WSMAN_UNREPORTABLE_SUCCESS","features":[581]},{"name":"ERROR_WSMAN_UNSUPPORTED_ADDRESSING_MODE","features":[581]},{"name":"ERROR_WSMAN_UNSUPPORTED_ENCODING","features":[581]},{"name":"ERROR_WSMAN_UNSUPPORTED_FEATURE","features":[581]},{"name":"ERROR_WSMAN_UNSUPPORTED_FEATURE_IDENTIFY","features":[581]},{"name":"ERROR_WSMAN_UNSUPPORTED_FEATURE_OPTIONS","features":[581]},{"name":"ERROR_WSMAN_UNSUPPORTED_HTTP_STATUS_REDIRECT","features":[581]},{"name":"ERROR_WSMAN_UNSUPPORTED_MEDIA","features":[581]},{"name":"ERROR_WSMAN_UNSUPPORTED_OCTETTYPE","features":[581]},{"name":"ERROR_WSMAN_UNSUPPORTED_TIMEOUT","features":[581]},{"name":"ERROR_WSMAN_UNSUPPORTED_TYPE","features":[581]},{"name":"ERROR_WSMAN_URISECURITY_INVALIDURIKEY","features":[581]},{"name":"ERROR_WSMAN_URI_LIMIT","features":[581]},{"name":"ERROR_WSMAN_URI_NON_DMTF_CLASS","features":[581]},{"name":"ERROR_WSMAN_URI_QUERY_STRING_SYNTAX_ERROR","features":[581]},{"name":"ERROR_WSMAN_URI_SECURITY_URI","features":[581]},{"name":"ERROR_WSMAN_URI_WRONG_DMTF_VERSION","features":[581]},{"name":"ERROR_WSMAN_VIRTUALACCOUNT_NOTSUPPORTED","features":[581]},{"name":"ERROR_WSMAN_VIRTUALACCOUNT_NOTSUPPORTED_DOWNLEVEL","features":[581]},{"name":"ERROR_WSMAN_WHITESPACE","features":[581]},{"name":"ERROR_WSMAN_WMI_CANNOT_CONNECT_ACCESS_DENIED","features":[581]},{"name":"ERROR_WSMAN_WMI_INVALID_VALUE","features":[581]},{"name":"ERROR_WSMAN_WMI_MAX_NESTED","features":[581]},{"name":"ERROR_WSMAN_WMI_PROVIDER_ACCESS_DENIED","features":[581]},{"name":"ERROR_WSMAN_WMI_PROVIDER_INVALID_PARAMETER","features":[581]},{"name":"ERROR_WSMAN_WMI_PROVIDER_NOT_CAPABLE","features":[581]},{"name":"ERROR_WSMAN_WMI_SVC_ACCESS_DENIED","features":[581]},{"name":"ERROR_WSMAN_WRONG_METADATA","features":[581]},{"name":"IWSMan","features":[359,581]},{"name":"IWSManConnectionOptions","features":[359,581]},{"name":"IWSManConnectionOptionsEx","features":[359,581]},{"name":"IWSManConnectionOptionsEx2","features":[359,581]},{"name":"IWSManEnumerator","features":[359,581]},{"name":"IWSManEx","features":[359,581]},{"name":"IWSManEx2","features":[359,581]},{"name":"IWSManEx3","features":[359,581]},{"name":"IWSManInternal","features":[359,581]},{"name":"IWSManResourceLocator","features":[359,581]},{"name":"IWSManResourceLocatorInternal","features":[581]},{"name":"IWSManSession","features":[359,581]},{"name":"WSMAN_API_HANDLE","features":[581]},{"name":"WSMAN_AUTHENTICATION_CREDENTIALS","features":[581]},{"name":"WSMAN_AUTHZ_QUOTA","features":[581]},{"name":"WSMAN_CERTIFICATE_DETAILS","features":[581]},{"name":"WSMAN_CMDSHELL_OPTION_CODEPAGE","features":[581]},{"name":"WSMAN_CMDSHELL_OPTION_CONSOLEMODE_STDIN","features":[581]},{"name":"WSMAN_CMDSHELL_OPTION_SKIP_CMD_SHELL","features":[581]},{"name":"WSMAN_COMMAND_ARG_SET","features":[581]},{"name":"WSMAN_COMMAND_HANDLE","features":[581]},{"name":"WSMAN_CONNECT_DATA","features":[581]},{"name":"WSMAN_CREATE_SHELL_DATA","features":[581]},{"name":"WSMAN_DATA","features":[581]},{"name":"WSMAN_DATA_BINARY","features":[581]},{"name":"WSMAN_DATA_NONE","features":[581]},{"name":"WSMAN_DATA_TEXT","features":[581]},{"name":"WSMAN_DATA_TYPE_BINARY","features":[581]},{"name":"WSMAN_DATA_TYPE_DWORD","features":[581]},{"name":"WSMAN_DATA_TYPE_TEXT","features":[581]},{"name":"WSMAN_DEFAULT_TIMEOUT_MS","features":[581]},{"name":"WSMAN_ENVIRONMENT_VARIABLE","features":[581]},{"name":"WSMAN_ENVIRONMENT_VARIABLE_SET","features":[581]},{"name":"WSMAN_ERROR","features":[581]},{"name":"WSMAN_FILTER","features":[581]},{"name":"WSMAN_FLAG_AUTH_BASIC","features":[581]},{"name":"WSMAN_FLAG_AUTH_CLIENT_CERTIFICATE","features":[581]},{"name":"WSMAN_FLAG_AUTH_CREDSSP","features":[581]},{"name":"WSMAN_FLAG_AUTH_DIGEST","features":[581]},{"name":"WSMAN_FLAG_AUTH_KERBEROS","features":[581]},{"name":"WSMAN_FLAG_AUTH_NEGOTIATE","features":[581]},{"name":"WSMAN_FLAG_CALLBACK_END_OF_OPERATION","features":[581]},{"name":"WSMAN_FLAG_CALLBACK_END_OF_STREAM","features":[581]},{"name":"WSMAN_FLAG_CALLBACK_NETWORK_FAILURE_DETECTED","features":[581]},{"name":"WSMAN_FLAG_CALLBACK_RECEIVE_DELAY_STREAM_REQUEST_PROCESSED","features":[581]},{"name":"WSMAN_FLAG_CALLBACK_RECONNECTED_AFTER_NETWORK_FAILURE","features":[581]},{"name":"WSMAN_FLAG_CALLBACK_RETRYING_AFTER_NETWORK_FAILURE","features":[581]},{"name":"WSMAN_FLAG_CALLBACK_RETRY_ABORTED_DUE_TO_INTERNAL_ERROR","features":[581]},{"name":"WSMAN_FLAG_CALLBACK_SHELL_AUTODISCONNECTED","features":[581]},{"name":"WSMAN_FLAG_CALLBACK_SHELL_AUTODISCONNECTING","features":[581]},{"name":"WSMAN_FLAG_CALLBACK_SHELL_SUPPORTS_DISCONNECT","features":[581]},{"name":"WSMAN_FLAG_DEFAULT_AUTHENTICATION","features":[581]},{"name":"WSMAN_FLAG_DELETE_SERVER_SESSION","features":[581]},{"name":"WSMAN_FLAG_NO_AUTHENTICATION","features":[581]},{"name":"WSMAN_FLAG_NO_COMPRESSION","features":[581]},{"name":"WSMAN_FLAG_RECEIVE_DELAY_OUTPUT_STREAM","features":[581]},{"name":"WSMAN_FLAG_RECEIVE_FLUSH","features":[581]},{"name":"WSMAN_FLAG_RECEIVE_RESULT_DATA_BOUNDARY","features":[581]},{"name":"WSMAN_FLAG_RECEIVE_RESULT_NO_MORE_DATA","features":[581]},{"name":"WSMAN_FLAG_REQUESTED_API_VERSION_1_0","features":[581]},{"name":"WSMAN_FLAG_REQUESTED_API_VERSION_1_1","features":[581]},{"name":"WSMAN_FLAG_SEND_NO_MORE_DATA","features":[581]},{"name":"WSMAN_FLAG_SERVER_BUFFERING_MODE_BLOCK","features":[581]},{"name":"WSMAN_FLAG_SERVER_BUFFERING_MODE_DROP","features":[581]},{"name":"WSMAN_FRAGMENT","features":[581]},{"name":"WSMAN_KEY","features":[581]},{"name":"WSMAN_OPERATION_HANDLE","features":[581]},{"name":"WSMAN_OPERATION_INFO","features":[308,581]},{"name":"WSMAN_OPERATION_INFOEX","features":[308,581]},{"name":"WSMAN_OPERATION_INFOV1","features":[581]},{"name":"WSMAN_OPERATION_INFOV2","features":[581]},{"name":"WSMAN_OPTION","features":[308,581]},{"name":"WSMAN_OPTION_ALLOW_NEGOTIATE_IMPLICIT_CREDENTIALS","features":[581]},{"name":"WSMAN_OPTION_DEFAULT_OPERATION_TIMEOUTMS","features":[581]},{"name":"WSMAN_OPTION_ENABLE_SPN_SERVER_PORT","features":[581]},{"name":"WSMAN_OPTION_LOCALE","features":[581]},{"name":"WSMAN_OPTION_MACHINE_ID","features":[581]},{"name":"WSMAN_OPTION_MAX_ENVELOPE_SIZE_KB","features":[581]},{"name":"WSMAN_OPTION_MAX_RETRY_TIME","features":[581]},{"name":"WSMAN_OPTION_PROXY_AUTO_DETECT","features":[581]},{"name":"WSMAN_OPTION_PROXY_IE_PROXY_CONFIG","features":[581]},{"name":"WSMAN_OPTION_PROXY_NO_PROXY_SERVER","features":[581]},{"name":"WSMAN_OPTION_PROXY_WINHTTP_PROXY_CONFIG","features":[581]},{"name":"WSMAN_OPTION_REDIRECT_LOCATION","features":[581]},{"name":"WSMAN_OPTION_SET","features":[308,581]},{"name":"WSMAN_OPTION_SETEX","features":[308,581]},{"name":"WSMAN_OPTION_SHELL_MAX_DATA_SIZE_PER_MESSAGE_KB","features":[581]},{"name":"WSMAN_OPTION_SKIP_CA_CHECK","features":[581]},{"name":"WSMAN_OPTION_SKIP_CN_CHECK","features":[581]},{"name":"WSMAN_OPTION_SKIP_REVOCATION_CHECK","features":[581]},{"name":"WSMAN_OPTION_TIMEOUTMS_CLOSE_SHELL","features":[581]},{"name":"WSMAN_OPTION_TIMEOUTMS_CREATE_SHELL","features":[581]},{"name":"WSMAN_OPTION_TIMEOUTMS_RECEIVE_SHELL_OUTPUT","features":[581]},{"name":"WSMAN_OPTION_TIMEOUTMS_RUN_SHELL_COMMAND","features":[581]},{"name":"WSMAN_OPTION_TIMEOUTMS_SEND_SHELL_INPUT","features":[581]},{"name":"WSMAN_OPTION_TIMEOUTMS_SIGNAL_SHELL","features":[581]},{"name":"WSMAN_OPTION_UI_LANGUAGE","features":[581]},{"name":"WSMAN_OPTION_UNENCRYPTED_MESSAGES","features":[581]},{"name":"WSMAN_OPTION_USE_INTEARACTIVE_TOKEN","features":[581]},{"name":"WSMAN_OPTION_USE_SSL","features":[581]},{"name":"WSMAN_OPTION_UTF16","features":[581]},{"name":"WSMAN_PLUGIN_AUTHORIZE_OPERATION","features":[308,581]},{"name":"WSMAN_PLUGIN_AUTHORIZE_QUERY_QUOTA","features":[308,581]},{"name":"WSMAN_PLUGIN_AUTHORIZE_RELEASE_CONTEXT","features":[581]},{"name":"WSMAN_PLUGIN_AUTHORIZE_USER","features":[308,581]},{"name":"WSMAN_PLUGIN_COMMAND","features":[308,581]},{"name":"WSMAN_PLUGIN_CONNECT","features":[308,581]},{"name":"WSMAN_PLUGIN_PARAMS_AUTORESTART","features":[581]},{"name":"WSMAN_PLUGIN_PARAMS_GET_REQUESTED_DATA_LOCALE","features":[581]},{"name":"WSMAN_PLUGIN_PARAMS_GET_REQUESTED_LOCALE","features":[581]},{"name":"WSMAN_PLUGIN_PARAMS_HOSTIDLETIMEOUTSECONDS","features":[581]},{"name":"WSMAN_PLUGIN_PARAMS_LARGEST_RESULT_SIZE","features":[581]},{"name":"WSMAN_PLUGIN_PARAMS_MAX_ENVELOPE_SIZE","features":[581]},{"name":"WSMAN_PLUGIN_PARAMS_NAME","features":[581]},{"name":"WSMAN_PLUGIN_PARAMS_REMAINING_RESULT_SIZE","features":[581]},{"name":"WSMAN_PLUGIN_PARAMS_RUNAS_USER","features":[581]},{"name":"WSMAN_PLUGIN_PARAMS_SHAREDHOST","features":[581]},{"name":"WSMAN_PLUGIN_PARAMS_TIMEOUT","features":[581]},{"name":"WSMAN_PLUGIN_RECEIVE","features":[308,581]},{"name":"WSMAN_PLUGIN_RELEASE_COMMAND_CONTEXT","features":[581]},{"name":"WSMAN_PLUGIN_RELEASE_SHELL_CONTEXT","features":[581]},{"name":"WSMAN_PLUGIN_REQUEST","features":[308,581]},{"name":"WSMAN_PLUGIN_SEND","features":[308,581]},{"name":"WSMAN_PLUGIN_SHELL","features":[308,581]},{"name":"WSMAN_PLUGIN_SHUTDOWN","features":[581]},{"name":"WSMAN_PLUGIN_SHUTDOWN_IDLETIMEOUT_ELAPSED","features":[581]},{"name":"WSMAN_PLUGIN_SHUTDOWN_IISHOST","features":[581]},{"name":"WSMAN_PLUGIN_SHUTDOWN_SERVICE","features":[581]},{"name":"WSMAN_PLUGIN_SHUTDOWN_SYSTEM","features":[581]},{"name":"WSMAN_PLUGIN_SIGNAL","features":[308,581]},{"name":"WSMAN_PLUGIN_STARTUP","features":[581]},{"name":"WSMAN_PLUGIN_STARTUP_AUTORESTARTED_CRASH","features":[581]},{"name":"WSMAN_PLUGIN_STARTUP_AUTORESTARTED_REBOOT","features":[581]},{"name":"WSMAN_PLUGIN_STARTUP_REQUEST_RECEIVED","features":[581]},{"name":"WSMAN_PROXY_INFO","features":[581]},{"name":"WSMAN_RECEIVE_DATA_RESULT","features":[581]},{"name":"WSMAN_RESPONSE_DATA","features":[581]},{"name":"WSMAN_SELECTOR_SET","features":[581]},{"name":"WSMAN_SENDER_DETAILS","features":[308,581]},{"name":"WSMAN_SESSION_HANDLE","features":[581]},{"name":"WSMAN_SHELL_ASYNC","features":[581]},{"name":"WSMAN_SHELL_COMPLETION_FUNCTION","features":[581]},{"name":"WSMAN_SHELL_DISCONNECT_INFO","features":[581]},{"name":"WSMAN_SHELL_HANDLE","features":[581]},{"name":"WSMAN_SHELL_NS","features":[581]},{"name":"WSMAN_SHELL_OPTION_NOPROFILE","features":[581]},{"name":"WSMAN_SHELL_STARTUP_INFO_V10","features":[581]},{"name":"WSMAN_SHELL_STARTUP_INFO_V11","features":[581]},{"name":"WSMAN_STREAM_ID_SET","features":[581]},{"name":"WSMAN_STREAM_ID_STDERR","features":[581]},{"name":"WSMAN_STREAM_ID_STDIN","features":[581]},{"name":"WSMAN_STREAM_ID_STDOUT","features":[581]},{"name":"WSMAN_USERNAME_PASSWORD_CREDS","features":[581]},{"name":"WSMan","features":[581]},{"name":"WSManAuthenticationFlags","features":[581]},{"name":"WSManCallbackFlags","features":[581]},{"name":"WSManCloseCommand","features":[581]},{"name":"WSManCloseOperation","features":[581]},{"name":"WSManCloseSession","features":[581]},{"name":"WSManCloseShell","features":[581]},{"name":"WSManConnectShell","features":[308,581]},{"name":"WSManConnectShellCommand","features":[308,581]},{"name":"WSManCreateSession","features":[581]},{"name":"WSManCreateShell","features":[308,581]},{"name":"WSManCreateShellEx","features":[308,581]},{"name":"WSManDataType","features":[581]},{"name":"WSManDeinitialize","features":[581]},{"name":"WSManDisconnectShell","features":[581]},{"name":"WSManEnumFlags","features":[581]},{"name":"WSManFlagAllowNegotiateImplicitCredentials","features":[581]},{"name":"WSManFlagAssociatedInstance","features":[581]},{"name":"WSManFlagAssociationInstance","features":[581]},{"name":"WSManFlagCredUsernamePassword","features":[581]},{"name":"WSManFlagEnableSPNServerPort","features":[581]},{"name":"WSManFlagHierarchyDeep","features":[581]},{"name":"WSManFlagHierarchyDeepBasePropsOnly","features":[581]},{"name":"WSManFlagHierarchyShallow","features":[581]},{"name":"WSManFlagNoEncryption","features":[581]},{"name":"WSManFlagNonXmlText","features":[581]},{"name":"WSManFlagProxyAuthenticationUseBasic","features":[581]},{"name":"WSManFlagProxyAuthenticationUseDigest","features":[581]},{"name":"WSManFlagProxyAuthenticationUseNegotiate","features":[581]},{"name":"WSManFlagReturnEPR","features":[581]},{"name":"WSManFlagReturnObject","features":[581]},{"name":"WSManFlagReturnObjectAndEPR","features":[581]},{"name":"WSManFlagSkipCACheck","features":[581]},{"name":"WSManFlagSkipCNCheck","features":[581]},{"name":"WSManFlagSkipRevocationCheck","features":[581]},{"name":"WSManFlagUTF16","features":[581]},{"name":"WSManFlagUTF8","features":[581]},{"name":"WSManFlagUseBasic","features":[581]},{"name":"WSManFlagUseClientCertificate","features":[581]},{"name":"WSManFlagUseCredSsp","features":[581]},{"name":"WSManFlagUseDigest","features":[581]},{"name":"WSManFlagUseKerberos","features":[581]},{"name":"WSManFlagUseNegotiate","features":[581]},{"name":"WSManFlagUseNoAuthentication","features":[581]},{"name":"WSManFlagUseSsl","features":[581]},{"name":"WSManGetErrorMessage","features":[581]},{"name":"WSManGetSessionOptionAsDword","features":[581]},{"name":"WSManGetSessionOptionAsString","features":[581]},{"name":"WSManInitialize","features":[581]},{"name":"WSManInternal","features":[581]},{"name":"WSManPluginAuthzOperationComplete","features":[308,581]},{"name":"WSManPluginAuthzQueryQuotaComplete","features":[308,581]},{"name":"WSManPluginAuthzUserComplete","features":[308,581]},{"name":"WSManPluginFreeRequestDetails","features":[308,581]},{"name":"WSManPluginGetConfiguration","features":[581]},{"name":"WSManPluginGetOperationParameters","features":[308,581]},{"name":"WSManPluginOperationComplete","features":[308,581]},{"name":"WSManPluginReceiveResult","features":[308,581]},{"name":"WSManPluginReportCompletion","features":[581]},{"name":"WSManPluginReportContext","features":[308,581]},{"name":"WSManProxyAccessType","features":[581]},{"name":"WSManProxyAccessTypeFlags","features":[581]},{"name":"WSManProxyAuthenticationFlags","features":[581]},{"name":"WSManProxyAutoDetect","features":[581]},{"name":"WSManProxyIEConfig","features":[581]},{"name":"WSManProxyNoProxyServer","features":[581]},{"name":"WSManProxyWinHttpConfig","features":[581]},{"name":"WSManReceiveShellOutput","features":[581]},{"name":"WSManReconnectShell","features":[581]},{"name":"WSManReconnectShellCommand","features":[581]},{"name":"WSManRunShellCommand","features":[308,581]},{"name":"WSManRunShellCommandEx","features":[308,581]},{"name":"WSManSendShellInput","features":[308,581]},{"name":"WSManSessionFlags","features":[581]},{"name":"WSManSessionOption","features":[581]},{"name":"WSManSetSessionOption","features":[581]},{"name":"WSManShellFlag","features":[581]},{"name":"WSManSignalShell","features":[581]}],"599":[{"name":"CCH_RM_MAX_APP_NAME","features":[582]},{"name":"CCH_RM_MAX_SVC_NAME","features":[582]},{"name":"CCH_RM_SESSION_KEY","features":[582]},{"name":"RM_APP_STATUS","features":[582]},{"name":"RM_APP_TYPE","features":[582]},{"name":"RM_FILTER_ACTION","features":[582]},{"name":"RM_FILTER_INFO","features":[308,582]},{"name":"RM_FILTER_TRIGGER","features":[582]},{"name":"RM_INVALID_PROCESS","features":[582]},{"name":"RM_INVALID_TS_SESSION","features":[582]},{"name":"RM_PROCESS_INFO","features":[308,582]},{"name":"RM_REBOOT_REASON","features":[582]},{"name":"RM_SHUTDOWN_TYPE","features":[582]},{"name":"RM_UNIQUE_PROCESS","features":[308,582]},{"name":"RM_WRITE_STATUS_CALLBACK","features":[582]},{"name":"RmAddFilter","features":[308,582]},{"name":"RmCancelCurrentTask","features":[308,582]},{"name":"RmConsole","features":[582]},{"name":"RmCritical","features":[582]},{"name":"RmEndSession","features":[308,582]},{"name":"RmExplorer","features":[582]},{"name":"RmFilterTriggerFile","features":[582]},{"name":"RmFilterTriggerInvalid","features":[582]},{"name":"RmFilterTriggerProcess","features":[582]},{"name":"RmFilterTriggerService","features":[582]},{"name":"RmForceShutdown","features":[582]},{"name":"RmGetFilterList","features":[308,582]},{"name":"RmGetList","features":[308,582]},{"name":"RmInvalidFilterAction","features":[582]},{"name":"RmJoinSession","features":[308,582]},{"name":"RmMainWindow","features":[582]},{"name":"RmNoRestart","features":[582]},{"name":"RmNoShutdown","features":[582]},{"name":"RmOtherWindow","features":[582]},{"name":"RmRebootReasonCriticalProcess","features":[582]},{"name":"RmRebootReasonCriticalService","features":[582]},{"name":"RmRebootReasonDetectedSelf","features":[582]},{"name":"RmRebootReasonNone","features":[582]},{"name":"RmRebootReasonPermissionDenied","features":[582]},{"name":"RmRebootReasonSessionMismatch","features":[582]},{"name":"RmRegisterResources","features":[308,582]},{"name":"RmRemoveFilter","features":[308,582]},{"name":"RmRestart","features":[308,582]},{"name":"RmService","features":[582]},{"name":"RmShutdown","features":[308,582]},{"name":"RmShutdownOnlyRegistered","features":[582]},{"name":"RmStartSession","features":[308,582]},{"name":"RmStatusErrorOnRestart","features":[582]},{"name":"RmStatusErrorOnStop","features":[582]},{"name":"RmStatusRestartMasked","features":[582]},{"name":"RmStatusRestarted","features":[582]},{"name":"RmStatusRunning","features":[582]},{"name":"RmStatusShutdownMasked","features":[582]},{"name":"RmStatusStopped","features":[582]},{"name":"RmStatusStoppedOther","features":[582]},{"name":"RmStatusUnknown","features":[582]},{"name":"RmUnknownApp","features":[582]}],"600":[{"name":"ACCESSIBILITY_SETTING","features":[583]},{"name":"APPLICATION_INSTALL","features":[583]},{"name":"APPLICATION_RUN","features":[583]},{"name":"APPLICATION_UNINSTALL","features":[583]},{"name":"BACKUP","features":[583]},{"name":"BACKUP_RECOVERY","features":[583]},{"name":"BEGIN_NESTED_SYSTEM_CHANGE","features":[583]},{"name":"BEGIN_NESTED_SYSTEM_CHANGE_NORP","features":[583]},{"name":"BEGIN_SYSTEM_CHANGE","features":[583]},{"name":"CANCELLED_OPERATION","features":[583]},{"name":"CHECKPOINT","features":[583]},{"name":"CRITICAL_UPDATE","features":[583]},{"name":"DESKTOP_SETTING","features":[583]},{"name":"DEVICE_DRIVER_INSTALL","features":[583]},{"name":"END_NESTED_SYSTEM_CHANGE","features":[583]},{"name":"END_SYSTEM_CHANGE","features":[583]},{"name":"FIRSTRUN","features":[583]},{"name":"MANUAL_CHECKPOINT","features":[583]},{"name":"MAX_DESC","features":[583]},{"name":"MAX_DESC_W","features":[583]},{"name":"MAX_EVENT","features":[583]},{"name":"MAX_RPT","features":[583]},{"name":"MIN_EVENT","features":[583]},{"name":"MIN_RPT","features":[583]},{"name":"MODIFY_SETTINGS","features":[583]},{"name":"OE_SETTING","features":[583]},{"name":"RESTORE","features":[583]},{"name":"RESTOREPOINTINFOA","features":[583]},{"name":"RESTOREPOINTINFOEX","features":[308,583]},{"name":"RESTOREPOINTINFOW","features":[583]},{"name":"RESTOREPOINTINFO_EVENT_TYPE","features":[583]},{"name":"RESTOREPOINTINFO_TYPE","features":[583]},{"name":"SRRemoveRestorePoint","features":[583]},{"name":"SRSetRestorePointA","features":[308,583]},{"name":"SRSetRestorePointW","features":[308,583]},{"name":"STATEMGRSTATUS","features":[308,583]},{"name":"WINDOWS_BOOT","features":[583]},{"name":"WINDOWS_SHUTDOWN","features":[583]},{"name":"WINDOWS_UPDATE","features":[583]}],"601":[{"name":"ARRAY_INFO","features":[325]},{"name":"BinaryParam","features":[325]},{"name":"CLIENT_CALL_RETURN","features":[325]},{"name":"COMM_FAULT_OFFSETS","features":[325]},{"name":"CS_TAG_GETTING_ROUTINE","features":[325]},{"name":"CS_TYPE_FROM_NETCS_ROUTINE","features":[325]},{"name":"CS_TYPE_LOCAL_SIZE_ROUTINE","features":[325]},{"name":"CS_TYPE_NET_SIZE_ROUTINE","features":[325]},{"name":"CS_TYPE_TO_NETCS_ROUTINE","features":[325]},{"name":"DCE_C_ERROR_STRING_LEN","features":[325]},{"name":"DceErrorInqTextA","features":[325]},{"name":"DceErrorInqTextW","features":[325]},{"name":"EEInfoGCCOM","features":[325]},{"name":"EEInfoGCFRS","features":[325]},{"name":"EEInfoNextRecordsMissing","features":[325]},{"name":"EEInfoPreviousRecordsMissing","features":[325]},{"name":"EEInfoUseFileTime","features":[325]},{"name":"EPT_S_CANT_CREATE","features":[325]},{"name":"EPT_S_CANT_PERFORM_OP","features":[325]},{"name":"EPT_S_INVALID_ENTRY","features":[325]},{"name":"EPT_S_NOT_REGISTERED","features":[325]},{"name":"EXPR_EVAL","features":[359,325]},{"name":"EXPR_TOKEN","features":[325]},{"name":"ExtendedErrorParamTypes","features":[325]},{"name":"FC_EXPR_CONST32","features":[325]},{"name":"FC_EXPR_CONST64","features":[325]},{"name":"FC_EXPR_END","features":[325]},{"name":"FC_EXPR_ILLEGAL","features":[325]},{"name":"FC_EXPR_NOOP","features":[325]},{"name":"FC_EXPR_OPER","features":[325]},{"name":"FC_EXPR_START","features":[325]},{"name":"FC_EXPR_VAR","features":[325]},{"name":"FULL_PTR_XLAT_TABLES","features":[325]},{"name":"GENERIC_BINDING_INFO","features":[325]},{"name":"GENERIC_BINDING_ROUTINE","features":[325]},{"name":"GENERIC_BINDING_ROUTINE_PAIR","features":[325]},{"name":"GENERIC_UNBIND_ROUTINE","features":[325]},{"name":"GROUP_NAME_SYNTAX","features":[325]},{"name":"IDL_CS_CONVERT","features":[325]},{"name":"IDL_CS_IN_PLACE_CONVERT","features":[325]},{"name":"IDL_CS_NEW_BUFFER_CONVERT","features":[325]},{"name":"IDL_CS_NO_CONVERT","features":[325]},{"name":"INVALID_FRAGMENT_ID","features":[325]},{"name":"IUnknown_AddRef_Proxy","features":[325]},{"name":"IUnknown_QueryInterface_Proxy","features":[325]},{"name":"IUnknown_Release_Proxy","features":[325]},{"name":"I_RpcAllocate","features":[325]},{"name":"I_RpcAsyncAbortCall","features":[308,313,325]},{"name":"I_RpcAsyncSetHandle","features":[308,313,325]},{"name":"I_RpcBindingCopy","features":[325]},{"name":"I_RpcBindingCreateNP","features":[325]},{"name":"I_RpcBindingHandleToAsyncHandle","features":[325]},{"name":"I_RpcBindingInqClientTokenAttributes","features":[308,325]},{"name":"I_RpcBindingInqDynamicEndpointA","features":[325]},{"name":"I_RpcBindingInqDynamicEndpointW","features":[325]},{"name":"I_RpcBindingInqLocalClientPID","features":[325]},{"name":"I_RpcBindingInqMarshalledTargetInfo","features":[325]},{"name":"I_RpcBindingInqSecurityContext","features":[325]},{"name":"I_RpcBindingInqSecurityContextKeyInfo","features":[325]},{"name":"I_RpcBindingInqTransportType","features":[325]},{"name":"I_RpcBindingInqWireIdForSnego","features":[325]},{"name":"I_RpcBindingIsClientLocal","features":[325]},{"name":"I_RpcBindingIsServerLocal","features":[325]},{"name":"I_RpcBindingSetPrivateOption","features":[325]},{"name":"I_RpcBindingToStaticStringBindingW","features":[325]},{"name":"I_RpcClearMutex","features":[325]},{"name":"I_RpcDeleteMutex","features":[325]},{"name":"I_RpcExceptionFilter","features":[325]},{"name":"I_RpcFree","features":[325]},{"name":"I_RpcFreeBuffer","features":[325]},{"name":"I_RpcFreeCalloutStateFn","features":[325]},{"name":"I_RpcFreePipeBuffer","features":[325]},{"name":"I_RpcGetBuffer","features":[325]},{"name":"I_RpcGetBufferWithObject","features":[325]},{"name":"I_RpcGetCurrentCallHandle","features":[325]},{"name":"I_RpcGetDefaultSD","features":[325]},{"name":"I_RpcGetExtendedError","features":[325]},{"name":"I_RpcIfInqTransferSyntaxes","features":[325]},{"name":"I_RpcMapWin32Status","features":[325]},{"name":"I_RpcMgmtEnableDedicatedThreadPool","features":[325]},{"name":"I_RpcNegotiateTransferSyntax","features":[325]},{"name":"I_RpcNsBindingSetEntryNameA","features":[325]},{"name":"I_RpcNsBindingSetEntryNameW","features":[325]},{"name":"I_RpcNsGetBuffer","features":[325]},{"name":"I_RpcNsInterfaceExported","features":[325]},{"name":"I_RpcNsInterfaceUnexported","features":[325]},{"name":"I_RpcNsRaiseException","features":[325]},{"name":"I_RpcNsSendReceive","features":[325]},{"name":"I_RpcOpenClientProcess","features":[325]},{"name":"I_RpcPauseExecution","features":[325]},{"name":"I_RpcPerformCalloutFn","features":[325]},{"name":"I_RpcProxyCallbackInterface","features":[325]},{"name":"I_RpcProxyFilterIfFn","features":[325]},{"name":"I_RpcProxyGetClientAddressFn","features":[325]},{"name":"I_RpcProxyGetClientSessionAndResourceUUID","features":[325]},{"name":"I_RpcProxyGetConnectionTimeoutFn","features":[325]},{"name":"I_RpcProxyIsValidMachineFn","features":[325]},{"name":"I_RpcProxyUpdatePerfCounterBackendServerFn","features":[325]},{"name":"I_RpcProxyUpdatePerfCounterFn","features":[325]},{"name":"I_RpcReBindBuffer","features":[325]},{"name":"I_RpcReallocPipeBuffer","features":[325]},{"name":"I_RpcReceive","features":[325]},{"name":"I_RpcRecordCalloutFailure","features":[325]},{"name":"I_RpcRequestMutex","features":[325]},{"name":"I_RpcSend","features":[325]},{"name":"I_RpcSendReceive","features":[325]},{"name":"I_RpcServerCheckClientRestriction","features":[325]},{"name":"I_RpcServerDisableExceptionFilter","features":[325]},{"name":"I_RpcServerGetAssociationID","features":[325]},{"name":"I_RpcServerInqAddressChangeFn","features":[325]},{"name":"I_RpcServerInqLocalConnAddress","features":[325]},{"name":"I_RpcServerInqRemoteConnAddress","features":[325]},{"name":"I_RpcServerInqTransportType","features":[325]},{"name":"I_RpcServerRegisterForwardFunction","features":[325]},{"name":"I_RpcServerSetAddressChangeFn","features":[325]},{"name":"I_RpcServerStartService","features":[325]},{"name":"I_RpcServerSubscribeForDisconnectNotification","features":[325]},{"name":"I_RpcServerSubscribeForDisconnectNotification2","features":[325]},{"name":"I_RpcServerUnsubscribeForDisconnectNotification","features":[325]},{"name":"I_RpcServerUseProtseq2A","features":[325]},{"name":"I_RpcServerUseProtseq2W","features":[325]},{"name":"I_RpcServerUseProtseqEp2A","features":[325]},{"name":"I_RpcServerUseProtseqEp2W","features":[325]},{"name":"I_RpcSessionStrictContextHandle","features":[325]},{"name":"I_RpcSsDontSerializeContext","features":[325]},{"name":"I_RpcSystemHandleTypeSpecificWork","features":[325]},{"name":"I_RpcTurnOnEEInfoPropagation","features":[325]},{"name":"I_UuidCreate","features":[325]},{"name":"LRPC_SYSTEM_HANDLE_MARSHAL_DIRECTION","features":[325]},{"name":"MALLOC_FREE_STRUCT","features":[325]},{"name":"MES_DECODE","features":[325]},{"name":"MES_DYNAMIC_BUFFER_HANDLE","features":[325]},{"name":"MES_ENCODE","features":[325]},{"name":"MES_ENCODE_NDR64","features":[325]},{"name":"MES_FIXED_BUFFER_HANDLE","features":[325]},{"name":"MES_INCREMENTAL_HANDLE","features":[325]},{"name":"MIDL_ES_ALLOC","features":[325]},{"name":"MIDL_ES_CODE","features":[325]},{"name":"MIDL_ES_HANDLE_STYLE","features":[325]},{"name":"MIDL_ES_READ","features":[325]},{"name":"MIDL_ES_WRITE","features":[325]},{"name":"MIDL_FORMAT_STRING","features":[325]},{"name":"MIDL_INTERCEPTION_INFO","features":[325]},{"name":"MIDL_INTERFACE_METHOD_PROPERTIES","features":[325]},{"name":"MIDL_METHOD_PROPERTY","features":[325]},{"name":"MIDL_METHOD_PROPERTY_MAP","features":[325]},{"name":"MIDL_SERVER_INFO","features":[359,325]},{"name":"MIDL_STUBLESS_PROXY_INFO","features":[359,325]},{"name":"MIDL_STUB_DESC","features":[359,325]},{"name":"MIDL_STUB_MESSAGE","features":[359,325]},{"name":"MIDL_SYNTAX_INFO","features":[325]},{"name":"MIDL_TYPE_PICKLING_INFO","features":[325]},{"name":"MIDL_WINRT_TYPE_SERIALIZATION_INFO","features":[359,325]},{"name":"MIDL_WINRT_TYPE_SERIALIZATION_INFO_CURRENT_VERSION","features":[325]},{"name":"MarshalDirectionMarshal","features":[325]},{"name":"MarshalDirectionUnmarshal","features":[325]},{"name":"MaxNumberOfEEInfoParams","features":[325]},{"name":"MesBufferHandleReset","features":[325]},{"name":"MesDecodeBufferHandleCreate","features":[325]},{"name":"MesDecodeIncrementalHandleCreate","features":[325]},{"name":"MesEncodeDynBufferHandleCreate","features":[325]},{"name":"MesEncodeFixedBufferHandleCreate","features":[325]},{"name":"MesEncodeIncrementalHandleCreate","features":[325]},{"name":"MesHandleFree","features":[325]},{"name":"MesIncrementalHandleReset","features":[325]},{"name":"MesInqProcEncodingId","features":[325]},{"name":"MidlInterceptionInfoVersionOne","features":[325]},{"name":"MidlWinrtTypeSerializationInfoVersionOne","features":[325]},{"name":"NDR64_ARRAY_ELEMENT_INFO","features":[325]},{"name":"NDR64_ARRAY_FLAGS","features":[325]},{"name":"NDR64_BINDINGS","features":[325]},{"name":"NDR64_BIND_AND_NOTIFY_EXTENSION","features":[325]},{"name":"NDR64_BIND_CONTEXT","features":[325]},{"name":"NDR64_BIND_GENERIC","features":[325]},{"name":"NDR64_BIND_PRIMITIVE","features":[325]},{"name":"NDR64_BOGUS_ARRAY_HEADER_FORMAT","features":[325]},{"name":"NDR64_BOGUS_STRUCTURE_HEADER_FORMAT","features":[325]},{"name":"NDR64_BUFFER_ALIGN_FORMAT","features":[325]},{"name":"NDR64_CONFORMANT_STRING_FORMAT","features":[325]},{"name":"NDR64_CONF_ARRAY_HEADER_FORMAT","features":[325]},{"name":"NDR64_CONF_BOGUS_STRUCTURE_HEADER_FORMAT","features":[325]},{"name":"NDR64_CONF_STRUCTURE_HEADER_FORMAT","features":[325]},{"name":"NDR64_CONF_VAR_ARRAY_HEADER_FORMAT","features":[325]},{"name":"NDR64_CONF_VAR_BOGUS_ARRAY_HEADER_FORMAT","features":[325]},{"name":"NDR64_CONSTANT_IID_FORMAT","features":[325]},{"name":"NDR64_CONTEXT_HANDLE_FLAGS","features":[325]},{"name":"NDR64_CONTEXT_HANDLE_FORMAT","features":[325]},{"name":"NDR64_EMBEDDED_COMPLEX_FORMAT","features":[325]},{"name":"NDR64_ENCAPSULATED_UNION","features":[325]},{"name":"NDR64_EXPR_CONST32","features":[325]},{"name":"NDR64_EXPR_CONST64","features":[325]},{"name":"NDR64_EXPR_NOOP","features":[325]},{"name":"NDR64_EXPR_OPERATOR","features":[325]},{"name":"NDR64_EXPR_VAR","features":[325]},{"name":"NDR64_FC_AUTO_HANDLE","features":[325]},{"name":"NDR64_FC_BIND_GENERIC","features":[325]},{"name":"NDR64_FC_BIND_PRIMITIVE","features":[325]},{"name":"NDR64_FC_CALLBACK_HANDLE","features":[325]},{"name":"NDR64_FC_EXPLICIT_HANDLE","features":[325]},{"name":"NDR64_FC_NO_HANDLE","features":[325]},{"name":"NDR64_FIXED_REPEAT_FORMAT","features":[325]},{"name":"NDR64_FIX_ARRAY_HEADER_FORMAT","features":[325]},{"name":"NDR64_IID_FLAGS","features":[325]},{"name":"NDR64_IID_FORMAT","features":[325]},{"name":"NDR64_MEMPAD_FORMAT","features":[325]},{"name":"NDR64_NON_CONFORMANT_STRING_FORMAT","features":[325]},{"name":"NDR64_NON_ENCAPSULATED_UNION","features":[325]},{"name":"NDR64_NO_REPEAT_FORMAT","features":[325]},{"name":"NDR64_PARAM_FLAGS","features":[325]},{"name":"NDR64_PARAM_FORMAT","features":[325]},{"name":"NDR64_PIPE_FLAGS","features":[325]},{"name":"NDR64_PIPE_FORMAT","features":[325]},{"name":"NDR64_POINTER_FORMAT","features":[325]},{"name":"NDR64_POINTER_INSTANCE_HEADER_FORMAT","features":[325]},{"name":"NDR64_POINTER_REPEAT_FLAGS","features":[325]},{"name":"NDR64_PROC_FLAGS","features":[325]},{"name":"NDR64_PROC_FORMAT","features":[325]},{"name":"NDR64_RANGED_STRING_FORMAT","features":[325]},{"name":"NDR64_RANGE_FORMAT","features":[325]},{"name":"NDR64_RANGE_PIPE_FORMAT","features":[325]},{"name":"NDR64_REPEAT_FORMAT","features":[325]},{"name":"NDR64_RPC_FLAGS","features":[325]},{"name":"NDR64_SIMPLE_MEMBER_FORMAT","features":[325]},{"name":"NDR64_SIMPLE_REGION_FORMAT","features":[325]},{"name":"NDR64_SIZED_CONFORMANT_STRING_FORMAT","features":[325]},{"name":"NDR64_STRING_FLAGS","features":[325]},{"name":"NDR64_STRING_HEADER_FORMAT","features":[325]},{"name":"NDR64_STRUCTURE_FLAGS","features":[325]},{"name":"NDR64_STRUCTURE_HEADER_FORMAT","features":[325]},{"name":"NDR64_SYSTEM_HANDLE_FORMAT","features":[325]},{"name":"NDR64_TRANSMIT_AS_FLAGS","features":[325]},{"name":"NDR64_TRANSMIT_AS_FORMAT","features":[325]},{"name":"NDR64_TYPE_STRICT_CONTEXT_HANDLE","features":[325]},{"name":"NDR64_UNION_ARM","features":[325]},{"name":"NDR64_UNION_ARM_SELECTOR","features":[325]},{"name":"NDR64_USER_MARSHAL_FLAGS","features":[325]},{"name":"NDR64_USER_MARSHAL_FORMAT","features":[325]},{"name":"NDR64_VAR_ARRAY_HEADER_FORMAT","features":[325]},{"name":"NDRCContextBinding","features":[325]},{"name":"NDRCContextMarshall","features":[325]},{"name":"NDRCContextUnmarshall","features":[325]},{"name":"NDRSContextMarshall","features":[325]},{"name":"NDRSContextMarshall2","features":[325]},{"name":"NDRSContextMarshallEx","features":[325]},{"name":"NDRSContextUnmarshall","features":[325]},{"name":"NDRSContextUnmarshall2","features":[325]},{"name":"NDRSContextUnmarshallEx","features":[325]},{"name":"NDR_ALLOC_ALL_NODES_CONTEXT","features":[325]},{"name":"NDR_CS_ROUTINES","features":[325]},{"name":"NDR_CS_SIZE_CONVERT_ROUTINES","features":[325]},{"name":"NDR_CUSTOM_OR_DEFAULT_ALLOCATOR","features":[325]},{"name":"NDR_DEFAULT_ALLOCATOR","features":[325]},{"name":"NDR_EXPR_DESC","features":[325]},{"name":"NDR_NOTIFY2_ROUTINE","features":[325]},{"name":"NDR_NOTIFY_ROUTINE","features":[325]},{"name":"NDR_POINTER_QUEUE_STATE","features":[325]},{"name":"NDR_RUNDOWN","features":[325]},{"name":"NDR_SCONTEXT","features":[325]},{"name":"NDR_USER_MARSHAL_INFO","features":[359,325]},{"name":"NDR_USER_MARSHAL_INFO_LEVEL1","features":[359,325]},{"name":"NT351_INTERFACE_SIZE","features":[325]},{"name":"Ndr64AsyncClientCall","features":[359,325]},{"name":"Ndr64AsyncServerCall64","features":[325]},{"name":"Ndr64AsyncServerCallAll","features":[325]},{"name":"Ndr64DcomAsyncClientCall","features":[359,325]},{"name":"Ndr64DcomAsyncStubCall","features":[359,325]},{"name":"NdrAllocate","features":[359,325]},{"name":"NdrAsyncClientCall","features":[359,325]},{"name":"NdrAsyncServerCall","features":[325]},{"name":"NdrByteCountPointerBufferSize","features":[359,325]},{"name":"NdrByteCountPointerFree","features":[359,325]},{"name":"NdrByteCountPointerMarshall","features":[359,325]},{"name":"NdrByteCountPointerUnmarshall","features":[359,325]},{"name":"NdrClearOutParameters","features":[359,325]},{"name":"NdrClientCall2","features":[359,325]},{"name":"NdrClientCall3","features":[359,325]},{"name":"NdrClientContextMarshall","features":[359,325]},{"name":"NdrClientContextUnmarshall","features":[359,325]},{"name":"NdrClientInitialize","features":[359,325]},{"name":"NdrClientInitializeNew","features":[359,325]},{"name":"NdrComplexArrayBufferSize","features":[359,325]},{"name":"NdrComplexArrayFree","features":[359,325]},{"name":"NdrComplexArrayMarshall","features":[359,325]},{"name":"NdrComplexArrayMemorySize","features":[359,325]},{"name":"NdrComplexArrayUnmarshall","features":[359,325]},{"name":"NdrComplexStructBufferSize","features":[359,325]},{"name":"NdrComplexStructFree","features":[359,325]},{"name":"NdrComplexStructMarshall","features":[359,325]},{"name":"NdrComplexStructMemorySize","features":[359,325]},{"name":"NdrComplexStructUnmarshall","features":[359,325]},{"name":"NdrConformantArrayBufferSize","features":[359,325]},{"name":"NdrConformantArrayFree","features":[359,325]},{"name":"NdrConformantArrayMarshall","features":[359,325]},{"name":"NdrConformantArrayMemorySize","features":[359,325]},{"name":"NdrConformantArrayUnmarshall","features":[359,325]},{"name":"NdrConformantStringBufferSize","features":[359,325]},{"name":"NdrConformantStringMarshall","features":[359,325]},{"name":"NdrConformantStringMemorySize","features":[359,325]},{"name":"NdrConformantStringUnmarshall","features":[359,325]},{"name":"NdrConformantStructBufferSize","features":[359,325]},{"name":"NdrConformantStructFree","features":[359,325]},{"name":"NdrConformantStructMarshall","features":[359,325]},{"name":"NdrConformantStructMemorySize","features":[359,325]},{"name":"NdrConformantStructUnmarshall","features":[359,325]},{"name":"NdrConformantVaryingArrayBufferSize","features":[359,325]},{"name":"NdrConformantVaryingArrayFree","features":[359,325]},{"name":"NdrConformantVaryingArrayMarshall","features":[359,325]},{"name":"NdrConformantVaryingArrayMemorySize","features":[359,325]},{"name":"NdrConformantVaryingArrayUnmarshall","features":[359,325]},{"name":"NdrConformantVaryingStructBufferSize","features":[359,325]},{"name":"NdrConformantVaryingStructFree","features":[359,325]},{"name":"NdrConformantVaryingStructMarshall","features":[359,325]},{"name":"NdrConformantVaryingStructMemorySize","features":[359,325]},{"name":"NdrConformantVaryingStructUnmarshall","features":[359,325]},{"name":"NdrContextHandleInitialize","features":[359,325]},{"name":"NdrContextHandleSize","features":[359,325]},{"name":"NdrConvert","features":[359,325]},{"name":"NdrConvert2","features":[359,325]},{"name":"NdrCorrelationFree","features":[359,325]},{"name":"NdrCorrelationInitialize","features":[359,325]},{"name":"NdrCorrelationPass","features":[359,325]},{"name":"NdrCreateServerInterfaceFromStub","features":[359,325]},{"name":"NdrDcomAsyncClientCall","features":[359,325]},{"name":"NdrDcomAsyncStubCall","features":[359,325]},{"name":"NdrEncapsulatedUnionBufferSize","features":[359,325]},{"name":"NdrEncapsulatedUnionFree","features":[359,325]},{"name":"NdrEncapsulatedUnionMarshall","features":[359,325]},{"name":"NdrEncapsulatedUnionMemorySize","features":[359,325]},{"name":"NdrEncapsulatedUnionUnmarshall","features":[359,325]},{"name":"NdrFixedArrayBufferSize","features":[359,325]},{"name":"NdrFixedArrayFree","features":[359,325]},{"name":"NdrFixedArrayMarshall","features":[359,325]},{"name":"NdrFixedArrayMemorySize","features":[359,325]},{"name":"NdrFixedArrayUnmarshall","features":[359,325]},{"name":"NdrFreeBuffer","features":[359,325]},{"name":"NdrFullPointerXlatFree","features":[325]},{"name":"NdrFullPointerXlatInit","features":[325]},{"name":"NdrGetBuffer","features":[359,325]},{"name":"NdrGetDcomProtocolVersion","features":[359,325]},{"name":"NdrGetUserMarshalInfo","features":[359,325]},{"name":"NdrInterfacePointerBufferSize","features":[359,325]},{"name":"NdrInterfacePointerFree","features":[359,325]},{"name":"NdrInterfacePointerMarshall","features":[359,325]},{"name":"NdrInterfacePointerMemorySize","features":[359,325]},{"name":"NdrInterfacePointerUnmarshall","features":[359,325]},{"name":"NdrMapCommAndFaultStatus","features":[359,325]},{"name":"NdrMesProcEncodeDecode","features":[359,325]},{"name":"NdrMesProcEncodeDecode2","features":[359,325]},{"name":"NdrMesProcEncodeDecode3","features":[359,325]},{"name":"NdrMesSimpleTypeAlignSize","features":[325]},{"name":"NdrMesSimpleTypeAlignSizeAll","features":[359,325]},{"name":"NdrMesSimpleTypeDecode","features":[325]},{"name":"NdrMesSimpleTypeDecodeAll","features":[359,325]},{"name":"NdrMesSimpleTypeEncode","features":[359,325]},{"name":"NdrMesSimpleTypeEncodeAll","features":[359,325]},{"name":"NdrMesTypeAlignSize","features":[359,325]},{"name":"NdrMesTypeAlignSize2","features":[359,325]},{"name":"NdrMesTypeAlignSize3","features":[359,325]},{"name":"NdrMesTypeDecode","features":[359,325]},{"name":"NdrMesTypeDecode2","features":[359,325]},{"name":"NdrMesTypeDecode3","features":[359,325]},{"name":"NdrMesTypeEncode","features":[359,325]},{"name":"NdrMesTypeEncode2","features":[359,325]},{"name":"NdrMesTypeEncode3","features":[359,325]},{"name":"NdrMesTypeFree2","features":[359,325]},{"name":"NdrMesTypeFree3","features":[359,325]},{"name":"NdrNonConformantStringBufferSize","features":[359,325]},{"name":"NdrNonConformantStringMarshall","features":[359,325]},{"name":"NdrNonConformantStringMemorySize","features":[359,325]},{"name":"NdrNonConformantStringUnmarshall","features":[359,325]},{"name":"NdrNonEncapsulatedUnionBufferSize","features":[359,325]},{"name":"NdrNonEncapsulatedUnionFree","features":[359,325]},{"name":"NdrNonEncapsulatedUnionMarshall","features":[359,325]},{"name":"NdrNonEncapsulatedUnionMemorySize","features":[359,325]},{"name":"NdrNonEncapsulatedUnionUnmarshall","features":[359,325]},{"name":"NdrNsGetBuffer","features":[359,325]},{"name":"NdrNsSendReceive","features":[359,325]},{"name":"NdrOleAllocate","features":[325]},{"name":"NdrOleFree","features":[325]},{"name":"NdrPartialIgnoreClientBufferSize","features":[359,325]},{"name":"NdrPartialIgnoreClientMarshall","features":[359,325]},{"name":"NdrPartialIgnoreServerInitialize","features":[359,325]},{"name":"NdrPartialIgnoreServerUnmarshall","features":[359,325]},{"name":"NdrPointerBufferSize","features":[359,325]},{"name":"NdrPointerFree","features":[359,325]},{"name":"NdrPointerMarshall","features":[359,325]},{"name":"NdrPointerMemorySize","features":[359,325]},{"name":"NdrPointerUnmarshall","features":[359,325]},{"name":"NdrRangeUnmarshall","features":[359,325]},{"name":"NdrRpcSmClientAllocate","features":[325]},{"name":"NdrRpcSmClientFree","features":[325]},{"name":"NdrRpcSmSetClientToOsf","features":[359,325]},{"name":"NdrRpcSsDefaultAllocate","features":[325]},{"name":"NdrRpcSsDefaultFree","features":[325]},{"name":"NdrRpcSsDisableAllocate","features":[359,325]},{"name":"NdrRpcSsEnableAllocate","features":[359,325]},{"name":"NdrSendReceive","features":[359,325]},{"name":"NdrServerCall2","features":[325]},{"name":"NdrServerCallAll","features":[325]},{"name":"NdrServerCallNdr64","features":[325]},{"name":"NdrServerContextMarshall","features":[359,325]},{"name":"NdrServerContextNewMarshall","features":[359,325]},{"name":"NdrServerContextNewUnmarshall","features":[359,325]},{"name":"NdrServerContextUnmarshall","features":[359,325]},{"name":"NdrServerInitialize","features":[359,325]},{"name":"NdrServerInitializeMarshall","features":[359,325]},{"name":"NdrServerInitializeNew","features":[359,325]},{"name":"NdrServerInitializePartial","features":[359,325]},{"name":"NdrServerInitializeUnmarshall","features":[359,325]},{"name":"NdrSimpleStructBufferSize","features":[359,325]},{"name":"NdrSimpleStructFree","features":[359,325]},{"name":"NdrSimpleStructMarshall","features":[359,325]},{"name":"NdrSimpleStructMemorySize","features":[359,325]},{"name":"NdrSimpleStructUnmarshall","features":[359,325]},{"name":"NdrSimpleTypeMarshall","features":[359,325]},{"name":"NdrSimpleTypeUnmarshall","features":[359,325]},{"name":"NdrStubCall2","features":[325]},{"name":"NdrStubCall3","features":[325]},{"name":"NdrUserMarshalBufferSize","features":[359,325]},{"name":"NdrUserMarshalFree","features":[359,325]},{"name":"NdrUserMarshalMarshall","features":[359,325]},{"name":"NdrUserMarshalMemorySize","features":[359,325]},{"name":"NdrUserMarshalSimpleTypeConvert","features":[325]},{"name":"NdrUserMarshalUnmarshall","features":[359,325]},{"name":"NdrVaryingArrayBufferSize","features":[359,325]},{"name":"NdrVaryingArrayFree","features":[359,325]},{"name":"NdrVaryingArrayMarshall","features":[359,325]},{"name":"NdrVaryingArrayMemorySize","features":[359,325]},{"name":"NdrVaryingArrayUnmarshall","features":[359,325]},{"name":"NdrXmitOrRepAsBufferSize","features":[359,325]},{"name":"NdrXmitOrRepAsFree","features":[359,325]},{"name":"NdrXmitOrRepAsMarshall","features":[359,325]},{"name":"NdrXmitOrRepAsMemorySize","features":[359,325]},{"name":"NdrXmitOrRepAsUnmarshall","features":[359,325]},{"name":"PFN_RPCNOTIFICATION_ROUTINE","features":[308,313,325]},{"name":"PFN_RPC_ALLOCATE","features":[325]},{"name":"PFN_RPC_FREE","features":[325]},{"name":"PNDR_ASYNC_MESSAGE","features":[325]},{"name":"PNDR_CORRELATION_INFO","features":[325]},{"name":"PROTOCOL_ADDRESS_CHANGE","features":[325]},{"name":"PROTOCOL_LOADED","features":[325]},{"name":"PROTOCOL_NOT_LOADED","features":[325]},{"name":"PROXY_CALCSIZE","features":[325]},{"name":"PROXY_GETBUFFER","features":[325]},{"name":"PROXY_MARSHAL","features":[325]},{"name":"PROXY_PHASE","features":[325]},{"name":"PROXY_SENDRECEIVE","features":[325]},{"name":"PROXY_UNMARSHAL","features":[325]},{"name":"PRPC_RUNDOWN","features":[325]},{"name":"RDR_CALLOUT_STATE","features":[325]},{"name":"RPCFLG_ACCESSIBILITY_BIT1","features":[325]},{"name":"RPCFLG_ACCESSIBILITY_BIT2","features":[325]},{"name":"RPCFLG_ACCESS_LOCAL","features":[325]},{"name":"RPCFLG_ASYNCHRONOUS","features":[325]},{"name":"RPCFLG_AUTO_COMPLETE","features":[325]},{"name":"RPCFLG_HAS_CALLBACK","features":[325]},{"name":"RPCFLG_HAS_GUARANTEE","features":[325]},{"name":"RPCFLG_HAS_MULTI_SYNTAXES","features":[325]},{"name":"RPCFLG_INPUT_SYNCHRONOUS","features":[325]},{"name":"RPCFLG_LOCAL_CALL","features":[325]},{"name":"RPCFLG_MESSAGE","features":[325]},{"name":"RPCFLG_NDR64_CONTAINS_ARM_LAYOUT","features":[325]},{"name":"RPCFLG_NON_NDR","features":[325]},{"name":"RPCFLG_SENDER_WAITING_FOR_REPLY","features":[325]},{"name":"RPCFLG_WINRT_REMOTE_ASYNC","features":[325]},{"name":"RPCHTTP_RS_ACCESS_1","features":[325]},{"name":"RPCHTTP_RS_ACCESS_2","features":[325]},{"name":"RPCHTTP_RS_INTERFACE","features":[325]},{"name":"RPCHTTP_RS_REDIRECT","features":[325]},{"name":"RPCHTTP_RS_SESSION","features":[325]},{"name":"RPCLT_PDU_FILTER_FUNC","features":[325]},{"name":"RPC_ADDRESS_CHANGE_FN","features":[325]},{"name":"RPC_ADDRESS_CHANGE_TYPE","features":[325]},{"name":"RPC_ASYNC_EVENT","features":[325]},{"name":"RPC_ASYNC_NOTIFICATION_INFO","features":[308,313,325]},{"name":"RPC_ASYNC_STATE","features":[308,313,325]},{"name":"RPC_AUTH_KEY_RETRIEVAL_FN","features":[325]},{"name":"RPC_BHO_DONTLINGER","features":[325]},{"name":"RPC_BHO_EXCLUSIVE_AND_GUARANTEED","features":[325]},{"name":"RPC_BHO_NONCAUSAL","features":[325]},{"name":"RPC_BHT_OBJECT_UUID_VALID","features":[325]},{"name":"RPC_BINDING_HANDLE_OPTIONS_FLAGS","features":[325]},{"name":"RPC_BINDING_HANDLE_OPTIONS_V1","features":[325]},{"name":"RPC_BINDING_HANDLE_SECURITY_V1_A","features":[359,325]},{"name":"RPC_BINDING_HANDLE_SECURITY_V1_W","features":[359,325]},{"name":"RPC_BINDING_HANDLE_TEMPLATE_V1_A","features":[325]},{"name":"RPC_BINDING_HANDLE_TEMPLATE_V1_W","features":[325]},{"name":"RPC_BINDING_VECTOR","features":[325]},{"name":"RPC_BLOCKING_FN","features":[325]},{"name":"RPC_BUFFER_ASYNC","features":[325]},{"name":"RPC_BUFFER_COMPLETE","features":[325]},{"name":"RPC_BUFFER_EXTRA","features":[325]},{"name":"RPC_BUFFER_NONOTIFY","features":[325]},{"name":"RPC_BUFFER_PARTIAL","features":[325]},{"name":"RPC_CALL_ATTRIBUTES_V1_A","features":[308,325]},{"name":"RPC_CALL_ATTRIBUTES_V1_W","features":[308,325]},{"name":"RPC_CALL_ATTRIBUTES_V2_A","features":[308,325]},{"name":"RPC_CALL_ATTRIBUTES_V2_W","features":[308,325]},{"name":"RPC_CALL_ATTRIBUTES_V3_A","features":[308,325]},{"name":"RPC_CALL_ATTRIBUTES_V3_W","features":[308,325]},{"name":"RPC_CALL_ATTRIBUTES_VERSION","features":[325]},{"name":"RPC_CALL_LOCAL_ADDRESS_V1","features":[325]},{"name":"RPC_CALL_STATUS_CANCELLED","features":[325]},{"name":"RPC_CALL_STATUS_DISCONNECTED","features":[325]},{"name":"RPC_CLIENT_ALLOC","features":[325]},{"name":"RPC_CLIENT_FREE","features":[325]},{"name":"RPC_CLIENT_INFORMATION1","features":[325]},{"name":"RPC_CLIENT_INTERFACE","features":[325]},{"name":"RPC_CONTEXT_HANDLE_DEFAULT_FLAGS","features":[325]},{"name":"RPC_CONTEXT_HANDLE_DONT_SERIALIZE","features":[325]},{"name":"RPC_CONTEXT_HANDLE_FLAGS","features":[325]},{"name":"RPC_CONTEXT_HANDLE_SERIALIZE","features":[325]},{"name":"RPC_C_AUTHN_CLOUD_AP","features":[325]},{"name":"RPC_C_AUTHN_DCE_PRIVATE","features":[325]},{"name":"RPC_C_AUTHN_DCE_PUBLIC","features":[325]},{"name":"RPC_C_AUTHN_DEC_PUBLIC","features":[325]},{"name":"RPC_C_AUTHN_DEFAULT","features":[325]},{"name":"RPC_C_AUTHN_DIGEST","features":[325]},{"name":"RPC_C_AUTHN_DPA","features":[325]},{"name":"RPC_C_AUTHN_GSS_KERBEROS","features":[325]},{"name":"RPC_C_AUTHN_GSS_NEGOTIATE","features":[325]},{"name":"RPC_C_AUTHN_GSS_SCHANNEL","features":[325]},{"name":"RPC_C_AUTHN_INFO_NONE","features":[325]},{"name":"RPC_C_AUTHN_INFO_TYPE","features":[325]},{"name":"RPC_C_AUTHN_INFO_TYPE_HTTP","features":[325]},{"name":"RPC_C_AUTHN_KERNEL","features":[325]},{"name":"RPC_C_AUTHN_LIVEXP_SSP","features":[325]},{"name":"RPC_C_AUTHN_LIVE_SSP","features":[325]},{"name":"RPC_C_AUTHN_MQ","features":[325]},{"name":"RPC_C_AUTHN_MSN","features":[325]},{"name":"RPC_C_AUTHN_MSONLINE","features":[325]},{"name":"RPC_C_AUTHN_NEGO_EXTENDER","features":[325]},{"name":"RPC_C_AUTHN_NONE","features":[325]},{"name":"RPC_C_AUTHN_PKU2U","features":[325]},{"name":"RPC_C_AUTHN_WINNT","features":[325]},{"name":"RPC_C_AUTHZ_DCE","features":[325]},{"name":"RPC_C_AUTHZ_DEFAULT","features":[325]},{"name":"RPC_C_AUTHZ_NAME","features":[325]},{"name":"RPC_C_AUTHZ_NONE","features":[325]},{"name":"RPC_C_BINDING_DEFAULT_TIMEOUT","features":[325]},{"name":"RPC_C_BINDING_INFINITE_TIMEOUT","features":[325]},{"name":"RPC_C_BINDING_MAX_TIMEOUT","features":[325]},{"name":"RPC_C_BINDING_MIN_TIMEOUT","features":[325]},{"name":"RPC_C_BIND_TO_ALL_NICS","features":[325]},{"name":"RPC_C_CANCEL_INFINITE_TIMEOUT","features":[325]},{"name":"RPC_C_DONT_FAIL","features":[325]},{"name":"RPC_C_EP_ALL_ELTS","features":[325]},{"name":"RPC_C_EP_MATCH_BY_BOTH","features":[325]},{"name":"RPC_C_EP_MATCH_BY_IF","features":[325]},{"name":"RPC_C_EP_MATCH_BY_OBJ","features":[325]},{"name":"RPC_C_FULL_CERT_CHAIN","features":[325]},{"name":"RPC_C_HTTP_AUTHN_SCHEME_BASIC","features":[325]},{"name":"RPC_C_HTTP_AUTHN_SCHEME_CERT","features":[325]},{"name":"RPC_C_HTTP_AUTHN_SCHEME_DIGEST","features":[325]},{"name":"RPC_C_HTTP_AUTHN_SCHEME_NEGOTIATE","features":[325]},{"name":"RPC_C_HTTP_AUTHN_SCHEME_NTLM","features":[325]},{"name":"RPC_C_HTTP_AUTHN_SCHEME_PASSPORT","features":[325]},{"name":"RPC_C_HTTP_AUTHN_TARGET","features":[325]},{"name":"RPC_C_HTTP_AUTHN_TARGET_PROXY","features":[325]},{"name":"RPC_C_HTTP_AUTHN_TARGET_SERVER","features":[325]},{"name":"RPC_C_HTTP_FLAGS","features":[325]},{"name":"RPC_C_HTTP_FLAG_ENABLE_CERT_REVOCATION_CHECK","features":[325]},{"name":"RPC_C_HTTP_FLAG_IGNORE_CERT_CN_INVALID","features":[325]},{"name":"RPC_C_HTTP_FLAG_USE_FIRST_AUTH_SCHEME","features":[325]},{"name":"RPC_C_HTTP_FLAG_USE_SSL","features":[325]},{"name":"RPC_C_LISTEN_MAX_CALLS_DEFAULT","features":[325]},{"name":"RPC_C_MGMT_INQ_IF_IDS","features":[325]},{"name":"RPC_C_MGMT_INQ_PRINC_NAME","features":[325]},{"name":"RPC_C_MGMT_INQ_STATS","features":[325]},{"name":"RPC_C_MGMT_IS_SERVER_LISTEN","features":[325]},{"name":"RPC_C_MGMT_STOP_SERVER_LISTEN","features":[325]},{"name":"RPC_C_MQ_AUTHN_LEVEL_NONE","features":[325]},{"name":"RPC_C_MQ_AUTHN_LEVEL_PKT_INTEGRITY","features":[325]},{"name":"RPC_C_MQ_AUTHN_LEVEL_PKT_PRIVACY","features":[325]},{"name":"RPC_C_MQ_CLEAR_ON_OPEN","features":[325]},{"name":"RPC_C_MQ_EXPRESS","features":[325]},{"name":"RPC_C_MQ_JOURNAL_ALWAYS","features":[325]},{"name":"RPC_C_MQ_JOURNAL_DEADLETTER","features":[325]},{"name":"RPC_C_MQ_JOURNAL_NONE","features":[325]},{"name":"RPC_C_MQ_PERMANENT","features":[325]},{"name":"RPC_C_MQ_RECOVERABLE","features":[325]},{"name":"RPC_C_MQ_TEMPORARY","features":[325]},{"name":"RPC_C_MQ_USE_EXISTING_SECURITY","features":[325]},{"name":"RPC_C_NOTIFY_ON_SEND_COMPLETE","features":[325]},{"name":"RPC_C_NS_DEFAULT_EXP_AGE","features":[325]},{"name":"RPC_C_NS_SYNTAX_DCE","features":[325]},{"name":"RPC_C_NS_SYNTAX_DEFAULT","features":[325]},{"name":"RPC_C_OPT_ASYNC_BLOCK","features":[325]},{"name":"RPC_C_OPT_BINDING_NONCAUSAL","features":[325]},{"name":"RPC_C_OPT_CALL_TIMEOUT","features":[325]},{"name":"RPC_C_OPT_COOKIE_AUTH","features":[325]},{"name":"RPC_C_OPT_COOKIE_AUTH_DESCRIPTOR","features":[325]},{"name":"RPC_C_OPT_DONT_LINGER","features":[325]},{"name":"RPC_C_OPT_MAX_OPTIONS","features":[325]},{"name":"RPC_C_OPT_MQ_ACKNOWLEDGE","features":[325]},{"name":"RPC_C_OPT_MQ_AUTHN_LEVEL","features":[325]},{"name":"RPC_C_OPT_MQ_AUTHN_SERVICE","features":[325]},{"name":"RPC_C_OPT_MQ_DELIVERY","features":[325]},{"name":"RPC_C_OPT_MQ_JOURNAL","features":[325]},{"name":"RPC_C_OPT_MQ_PRIORITY","features":[325]},{"name":"RPC_C_OPT_MQ_TIME_TO_BE_RECEIVED","features":[325]},{"name":"RPC_C_OPT_MQ_TIME_TO_REACH_QUEUE","features":[325]},{"name":"RPC_C_OPT_OPTIMIZE_TIME","features":[325]},{"name":"RPC_C_OPT_PRIVATE_BREAK_ON_SUSPEND","features":[325]},{"name":"RPC_C_OPT_PRIVATE_DO_NOT_DISTURB","features":[325]},{"name":"RPC_C_OPT_PRIVATE_SUPPRESS_WAKE","features":[325]},{"name":"RPC_C_OPT_RESOURCE_TYPE_UUID","features":[325]},{"name":"RPC_C_OPT_SECURITY_CALLBACK","features":[325]},{"name":"RPC_C_OPT_SESSION_ID","features":[325]},{"name":"RPC_C_OPT_TRANS_SEND_BUFFER_SIZE","features":[325]},{"name":"RPC_C_OPT_TRUST_PEER","features":[325]},{"name":"RPC_C_OPT_UNIQUE_BINDING","features":[325]},{"name":"RPC_C_PARM_BUFFER_LENGTH","features":[325]},{"name":"RPC_C_PARM_MAX_PACKET_LENGTH","features":[325]},{"name":"RPC_C_PROFILE_ALL_ELT","features":[325]},{"name":"RPC_C_PROFILE_ALL_ELTS","features":[325]},{"name":"RPC_C_PROFILE_DEFAULT_ELT","features":[325]},{"name":"RPC_C_PROFILE_MATCH_BY_BOTH","features":[325]},{"name":"RPC_C_PROFILE_MATCH_BY_IF","features":[325]},{"name":"RPC_C_PROFILE_MATCH_BY_MBR","features":[325]},{"name":"RPC_C_PROTSEQ_MAX_REQS_DEFAULT","features":[325]},{"name":"RPC_C_QOS_CAPABILITIES","features":[325]},{"name":"RPC_C_QOS_CAPABILITIES_ANY_AUTHORITY","features":[325]},{"name":"RPC_C_QOS_CAPABILITIES_DEFAULT","features":[325]},{"name":"RPC_C_QOS_CAPABILITIES_IGNORE_DELEGATE_FAILURE","features":[325]},{"name":"RPC_C_QOS_CAPABILITIES_LOCAL_MA_HINT","features":[325]},{"name":"RPC_C_QOS_CAPABILITIES_MAKE_FULLSIC","features":[325]},{"name":"RPC_C_QOS_CAPABILITIES_MUTUAL_AUTH","features":[325]},{"name":"RPC_C_QOS_CAPABILITIES_SCHANNEL_FULL_AUTH_IDENTITY","features":[325]},{"name":"RPC_C_QOS_IDENTITY","features":[325]},{"name":"RPC_C_QOS_IDENTITY_DYNAMIC","features":[325]},{"name":"RPC_C_QOS_IDENTITY_STATIC","features":[325]},{"name":"RPC_C_RPCHTTP_USE_LOAD_BALANCE","features":[325]},{"name":"RPC_C_SECURITY_QOS_VERSION","features":[325]},{"name":"RPC_C_SECURITY_QOS_VERSION_1","features":[325]},{"name":"RPC_C_SECURITY_QOS_VERSION_2","features":[325]},{"name":"RPC_C_SECURITY_QOS_VERSION_3","features":[325]},{"name":"RPC_C_SECURITY_QOS_VERSION_4","features":[325]},{"name":"RPC_C_SECURITY_QOS_VERSION_5","features":[325]},{"name":"RPC_C_STATS_CALLS_IN","features":[325]},{"name":"RPC_C_STATS_CALLS_OUT","features":[325]},{"name":"RPC_C_STATS_PKTS_IN","features":[325]},{"name":"RPC_C_STATS_PKTS_OUT","features":[325]},{"name":"RPC_C_TRY_ENFORCE_MAX_CALLS","features":[325]},{"name":"RPC_C_USE_INTERNET_PORT","features":[325]},{"name":"RPC_C_USE_INTRANET_PORT","features":[325]},{"name":"RPC_C_VERS_ALL","features":[325]},{"name":"RPC_C_VERS_COMPATIBLE","features":[325]},{"name":"RPC_C_VERS_EXACT","features":[325]},{"name":"RPC_C_VERS_MAJOR_ONLY","features":[325]},{"name":"RPC_C_VERS_UPTO","features":[325]},{"name":"RPC_DISPATCH_FUNCTION","features":[325]},{"name":"RPC_DISPATCH_TABLE","features":[325]},{"name":"RPC_EEINFO_VERSION","features":[325]},{"name":"RPC_EE_INFO_PARAM","features":[325]},{"name":"RPC_ENDPOINT_TEMPLATEA","features":[325]},{"name":"RPC_ENDPOINT_TEMPLATEW","features":[325]},{"name":"RPC_ERROR_ENUM_HANDLE","features":[325]},{"name":"RPC_EXTENDED_ERROR_INFO","features":[308,325]},{"name":"RPC_FLAGS_VALID_BIT","features":[325]},{"name":"RPC_FORWARD_FUNCTION","features":[325]},{"name":"RPC_FW_IF_FLAG_DCOM","features":[325]},{"name":"RPC_HTTP_PROXY_FREE_STRING","features":[325]},{"name":"RPC_HTTP_REDIRECTOR_STAGE","features":[325]},{"name":"RPC_HTTP_TRANSPORT_CREDENTIALS_A","features":[325]},{"name":"RPC_HTTP_TRANSPORT_CREDENTIALS_V2_A","features":[325]},{"name":"RPC_HTTP_TRANSPORT_CREDENTIALS_V2_W","features":[325]},{"name":"RPC_HTTP_TRANSPORT_CREDENTIALS_V3_A","features":[325]},{"name":"RPC_HTTP_TRANSPORT_CREDENTIALS_V3_W","features":[325]},{"name":"RPC_HTTP_TRANSPORT_CREDENTIALS_W","features":[325]},{"name":"RPC_IF_ALLOW_CALLBACKS_WITH_NO_AUTH","features":[325]},{"name":"RPC_IF_ALLOW_LOCAL_ONLY","features":[325]},{"name":"RPC_IF_ALLOW_SECURE_ONLY","features":[325]},{"name":"RPC_IF_ALLOW_UNKNOWN_AUTHORITY","features":[325]},{"name":"RPC_IF_ASYNC_CALLBACK","features":[325]},{"name":"RPC_IF_AUTOLISTEN","features":[325]},{"name":"RPC_IF_CALLBACK_FN","features":[325]},{"name":"RPC_IF_ID","features":[325]},{"name":"RPC_IF_ID_VECTOR","features":[325]},{"name":"RPC_IF_OLE","features":[325]},{"name":"RPC_IF_SEC_CACHE_PER_PROC","features":[325]},{"name":"RPC_IF_SEC_NO_CACHE","features":[325]},{"name":"RPC_IMPORT_CONTEXT_P","features":[325]},{"name":"RPC_INTERFACE_GROUP_IDLE_CALLBACK_FN","features":[325]},{"name":"RPC_INTERFACE_HAS_PIPES","features":[325]},{"name":"RPC_INTERFACE_TEMPLATEA","features":[325]},{"name":"RPC_INTERFACE_TEMPLATEW","features":[325]},{"name":"RPC_MESSAGE","features":[325]},{"name":"RPC_MGMT_AUTHORIZATION_FN","features":[325]},{"name":"RPC_NCA_FLAGS_BROADCAST","features":[325]},{"name":"RPC_NCA_FLAGS_DEFAULT","features":[325]},{"name":"RPC_NCA_FLAGS_IDEMPOTENT","features":[325]},{"name":"RPC_NCA_FLAGS_MAYBE","features":[325]},{"name":"RPC_NEW_HTTP_PROXY_CHANNEL","features":[325]},{"name":"RPC_NOTIFICATIONS","features":[325]},{"name":"RPC_NOTIFICATION_TYPES","features":[325]},{"name":"RPC_OBJECT_INQ_FN","features":[325]},{"name":"RPC_POLICY","features":[325]},{"name":"RPC_PROTSEQ_ENDPOINT","features":[325]},{"name":"RPC_PROTSEQ_HTTP","features":[325]},{"name":"RPC_PROTSEQ_LRPC","features":[325]},{"name":"RPC_PROTSEQ_NMP","features":[325]},{"name":"RPC_PROTSEQ_TCP","features":[325]},{"name":"RPC_PROTSEQ_VECTORA","features":[325]},{"name":"RPC_PROTSEQ_VECTORW","features":[325]},{"name":"RPC_PROXY_CONNECTION_TYPE_IN_PROXY","features":[325]},{"name":"RPC_PROXY_CONNECTION_TYPE_OUT_PROXY","features":[325]},{"name":"RPC_P_ADDR_FORMAT_TCP_IPV4","features":[325]},{"name":"RPC_P_ADDR_FORMAT_TCP_IPV6","features":[325]},{"name":"RPC_QUERY_CALL_LOCAL_ADDRESS","features":[325]},{"name":"RPC_QUERY_CLIENT_ID","features":[325]},{"name":"RPC_QUERY_CLIENT_PID","features":[325]},{"name":"RPC_QUERY_CLIENT_PRINCIPAL_NAME","features":[325]},{"name":"RPC_QUERY_IS_CLIENT_LOCAL","features":[325]},{"name":"RPC_QUERY_NO_AUTH_REQUIRED","features":[325]},{"name":"RPC_QUERY_SERVER_PRINCIPAL_NAME","features":[325]},{"name":"RPC_SECURITY_CALLBACK_FN","features":[325]},{"name":"RPC_SECURITY_QOS","features":[359,325]},{"name":"RPC_SECURITY_QOS_V2_A","features":[359,325]},{"name":"RPC_SECURITY_QOS_V2_W","features":[359,325]},{"name":"RPC_SECURITY_QOS_V3_A","features":[359,325]},{"name":"RPC_SECURITY_QOS_V3_W","features":[359,325]},{"name":"RPC_SECURITY_QOS_V4_A","features":[359,325]},{"name":"RPC_SECURITY_QOS_V4_W","features":[359,325]},{"name":"RPC_SECURITY_QOS_V5_A","features":[359,325]},{"name":"RPC_SECURITY_QOS_V5_W","features":[359,325]},{"name":"RPC_SEC_CONTEXT_KEY_INFO","features":[325]},{"name":"RPC_SERVER_INTERFACE","features":[325]},{"name":"RPC_SETFILTER_FUNC","features":[325]},{"name":"RPC_STATS_VECTOR","features":[325]},{"name":"RPC_STATUS","features":[325]},{"name":"RPC_SYNTAX_IDENTIFIER","features":[325]},{"name":"RPC_SYSTEM_HANDLE_FREE_ALL","features":[325]},{"name":"RPC_SYSTEM_HANDLE_FREE_ERROR_ON_CLOSE","features":[325]},{"name":"RPC_SYSTEM_HANDLE_FREE_RETRIEVED","features":[325]},{"name":"RPC_SYSTEM_HANDLE_FREE_UNRETRIEVED","features":[325]},{"name":"RPC_S_ADDRESS_ERROR","features":[325]},{"name":"RPC_S_ALREADY_LISTENING","features":[325]},{"name":"RPC_S_ALREADY_REGISTERED","features":[325]},{"name":"RPC_S_BINDING_HAS_NO_AUTH","features":[325]},{"name":"RPC_S_BINDING_INCOMPLETE","features":[325]},{"name":"RPC_S_CALL_CANCELLED","features":[325]},{"name":"RPC_S_CALL_FAILED","features":[325]},{"name":"RPC_S_CALL_FAILED_DNE","features":[325]},{"name":"RPC_S_CALL_IN_PROGRESS","features":[325]},{"name":"RPC_S_CANNOT_SUPPORT","features":[325]},{"name":"RPC_S_CANT_CREATE_ENDPOINT","features":[325]},{"name":"RPC_S_COMM_FAILURE","features":[325]},{"name":"RPC_S_COOKIE_AUTH_FAILED","features":[325]},{"name":"RPC_S_DO_NOT_DISTURB","features":[325]},{"name":"RPC_S_DUPLICATE_ENDPOINT","features":[325]},{"name":"RPC_S_ENTRY_ALREADY_EXISTS","features":[325]},{"name":"RPC_S_ENTRY_NOT_FOUND","features":[325]},{"name":"RPC_S_ENTRY_TYPE_MISMATCH","features":[325]},{"name":"RPC_S_FP_DIV_ZERO","features":[325]},{"name":"RPC_S_FP_OVERFLOW","features":[325]},{"name":"RPC_S_FP_UNDERFLOW","features":[325]},{"name":"RPC_S_GROUP_MEMBER_NOT_FOUND","features":[325]},{"name":"RPC_S_GRP_ELT_NOT_ADDED","features":[325]},{"name":"RPC_S_GRP_ELT_NOT_REMOVED","features":[325]},{"name":"RPC_S_INCOMPLETE_NAME","features":[325]},{"name":"RPC_S_INTERFACE_NOT_EXPORTED","features":[325]},{"name":"RPC_S_INTERFACE_NOT_FOUND","features":[325]},{"name":"RPC_S_INTERNAL_ERROR","features":[325]},{"name":"RPC_S_INVALID_ASYNC_CALL","features":[325]},{"name":"RPC_S_INVALID_ASYNC_HANDLE","features":[325]},{"name":"RPC_S_INVALID_AUTH_IDENTITY","features":[325]},{"name":"RPC_S_INVALID_BINDING","features":[325]},{"name":"RPC_S_INVALID_BOUND","features":[325]},{"name":"RPC_S_INVALID_ENDPOINT_FORMAT","features":[325]},{"name":"RPC_S_INVALID_NAF_ID","features":[325]},{"name":"RPC_S_INVALID_NAME_SYNTAX","features":[325]},{"name":"RPC_S_INVALID_NETWORK_OPTIONS","features":[325]},{"name":"RPC_S_INVALID_NET_ADDR","features":[325]},{"name":"RPC_S_INVALID_OBJECT","features":[325]},{"name":"RPC_S_INVALID_RPC_PROTSEQ","features":[325]},{"name":"RPC_S_INVALID_STRING_BINDING","features":[325]},{"name":"RPC_S_INVALID_STRING_UUID","features":[325]},{"name":"RPC_S_INVALID_TAG","features":[325]},{"name":"RPC_S_INVALID_TIMEOUT","features":[325]},{"name":"RPC_S_INVALID_VERS_OPTION","features":[325]},{"name":"RPC_S_MAX_CALLS_TOO_SMALL","features":[325]},{"name":"RPC_S_NAME_SERVICE_UNAVAILABLE","features":[325]},{"name":"RPC_S_NOTHING_TO_EXPORT","features":[325]},{"name":"RPC_S_NOT_ALL_OBJS_EXPORTED","features":[325]},{"name":"RPC_S_NOT_ALL_OBJS_UNEXPORTED","features":[325]},{"name":"RPC_S_NOT_CANCELLED","features":[325]},{"name":"RPC_S_NOT_LISTENING","features":[325]},{"name":"RPC_S_NOT_RPC_ERROR","features":[325]},{"name":"RPC_S_NO_BINDINGS","features":[325]},{"name":"RPC_S_NO_CALL_ACTIVE","features":[325]},{"name":"RPC_S_NO_CONTEXT_AVAILABLE","features":[325]},{"name":"RPC_S_NO_ENDPOINT_FOUND","features":[325]},{"name":"RPC_S_NO_ENTRY_NAME","features":[325]},{"name":"RPC_S_NO_INTERFACES","features":[325]},{"name":"RPC_S_NO_MORE_BINDINGS","features":[325]},{"name":"RPC_S_NO_MORE_MEMBERS","features":[325]},{"name":"RPC_S_NO_PRINC_NAME","features":[325]},{"name":"RPC_S_NO_PROTSEQS","features":[325]},{"name":"RPC_S_NO_PROTSEQS_REGISTERED","features":[325]},{"name":"RPC_S_OBJECT_NOT_FOUND","features":[325]},{"name":"RPC_S_OK","features":[325]},{"name":"RPC_S_OUT_OF_RESOURCES","features":[325]},{"name":"RPC_S_PRF_ELT_NOT_ADDED","features":[325]},{"name":"RPC_S_PRF_ELT_NOT_REMOVED","features":[325]},{"name":"RPC_S_PROCNUM_OUT_OF_RANGE","features":[325]},{"name":"RPC_S_PROFILE_NOT_ADDED","features":[325]},{"name":"RPC_S_PROTOCOL_ERROR","features":[325]},{"name":"RPC_S_PROTSEQ_NOT_FOUND","features":[325]},{"name":"RPC_S_PROTSEQ_NOT_SUPPORTED","features":[325]},{"name":"RPC_S_PROXY_ACCESS_DENIED","features":[325]},{"name":"RPC_S_SEC_PKG_ERROR","features":[325]},{"name":"RPC_S_SEND_INCOMPLETE","features":[325]},{"name":"RPC_S_SERVER_TOO_BUSY","features":[325]},{"name":"RPC_S_SERVER_UNAVAILABLE","features":[325]},{"name":"RPC_S_STRING_TOO_LONG","features":[325]},{"name":"RPC_S_SYSTEM_HANDLE_COUNT_EXCEEDED","features":[325]},{"name":"RPC_S_SYSTEM_HANDLE_TYPE_MISMATCH","features":[325]},{"name":"RPC_S_TYPE_ALREADY_REGISTERED","features":[325]},{"name":"RPC_S_UNKNOWN_AUTHN_LEVEL","features":[325]},{"name":"RPC_S_UNKNOWN_AUTHN_SERVICE","features":[325]},{"name":"RPC_S_UNKNOWN_AUTHN_TYPE","features":[325]},{"name":"RPC_S_UNKNOWN_AUTHZ_SERVICE","features":[325]},{"name":"RPC_S_UNKNOWN_IF","features":[325]},{"name":"RPC_S_UNKNOWN_MGR_TYPE","features":[325]},{"name":"RPC_S_UNSUPPORTED_AUTHN_LEVEL","features":[325]},{"name":"RPC_S_UNSUPPORTED_NAME_SYNTAX","features":[325]},{"name":"RPC_S_UNSUPPORTED_TRANS_SYN","features":[325]},{"name":"RPC_S_UNSUPPORTED_TYPE","features":[325]},{"name":"RPC_S_UUID_LOCAL_ONLY","features":[325]},{"name":"RPC_S_UUID_NO_ADDRESS","features":[325]},{"name":"RPC_S_WRONG_KIND_OF_BINDING","features":[325]},{"name":"RPC_S_ZERO_DIVIDE","features":[325]},{"name":"RPC_TRANSFER_SYNTAX","features":[325]},{"name":"RPC_TYPE_DISCONNECT_EVENT_CONTEXT_HANDLE","features":[325]},{"name":"RPC_TYPE_STRICT_CONTEXT_HANDLE","features":[325]},{"name":"RPC_VERSION","features":[325]},{"name":"RpcAsyncAbortCall","features":[308,313,325]},{"name":"RpcAsyncCancelCall","features":[308,313,325]},{"name":"RpcAsyncCompleteCall","features":[308,313,325]},{"name":"RpcAsyncGetCallStatus","features":[308,313,325]},{"name":"RpcAsyncInitializeHandle","features":[308,313,325]},{"name":"RpcAsyncRegisterInfo","features":[308,313,325]},{"name":"RpcAttemptedLbsDecisions","features":[325]},{"name":"RpcAttemptedLbsMessages","features":[325]},{"name":"RpcBackEndConnectionAttempts","features":[325]},{"name":"RpcBackEndConnectionFailed","features":[325]},{"name":"RpcBindingBind","features":[308,313,325]},{"name":"RpcBindingCopy","features":[325]},{"name":"RpcBindingCreateA","features":[359,325]},{"name":"RpcBindingCreateW","features":[359,325]},{"name":"RpcBindingFree","features":[325]},{"name":"RpcBindingFromStringBindingA","features":[325]},{"name":"RpcBindingFromStringBindingW","features":[325]},{"name":"RpcBindingInqAuthClientA","features":[325]},{"name":"RpcBindingInqAuthClientExA","features":[325]},{"name":"RpcBindingInqAuthClientExW","features":[325]},{"name":"RpcBindingInqAuthClientW","features":[325]},{"name":"RpcBindingInqAuthInfoA","features":[325]},{"name":"RpcBindingInqAuthInfoExA","features":[359,325]},{"name":"RpcBindingInqAuthInfoExW","features":[359,325]},{"name":"RpcBindingInqAuthInfoW","features":[325]},{"name":"RpcBindingInqMaxCalls","features":[325]},{"name":"RpcBindingInqObject","features":[325]},{"name":"RpcBindingInqOption","features":[325]},{"name":"RpcBindingReset","features":[325]},{"name":"RpcBindingServerFromClient","features":[325]},{"name":"RpcBindingSetAuthInfoA","features":[325]},{"name":"RpcBindingSetAuthInfoExA","features":[359,325]},{"name":"RpcBindingSetAuthInfoExW","features":[359,325]},{"name":"RpcBindingSetAuthInfoW","features":[325]},{"name":"RpcBindingSetObject","features":[325]},{"name":"RpcBindingSetOption","features":[325]},{"name":"RpcBindingToStringBindingA","features":[325]},{"name":"RpcBindingToStringBindingW","features":[325]},{"name":"RpcBindingUnbind","features":[325]},{"name":"RpcBindingVectorFree","features":[325]},{"name":"RpcCallClientLocality","features":[325]},{"name":"RpcCallComplete","features":[325]},{"name":"RpcCallType","features":[325]},{"name":"RpcCancelThread","features":[325]},{"name":"RpcCancelThreadEx","features":[325]},{"name":"RpcCertGeneratePrincipalNameA","features":[308,392,325]},{"name":"RpcCertGeneratePrincipalNameW","features":[308,392,325]},{"name":"RpcClientCancel","features":[325]},{"name":"RpcClientDisconnect","features":[325]},{"name":"RpcCurrentUniqueUser","features":[325]},{"name":"RpcEpRegisterA","features":[325]},{"name":"RpcEpRegisterNoReplaceA","features":[325]},{"name":"RpcEpRegisterNoReplaceW","features":[325]},{"name":"RpcEpRegisterW","features":[325]},{"name":"RpcEpResolveBinding","features":[325]},{"name":"RpcEpUnregister","features":[325]},{"name":"RpcErrorAddRecord","features":[308,325]},{"name":"RpcErrorClearInformation","features":[325]},{"name":"RpcErrorEndEnumeration","features":[325]},{"name":"RpcErrorGetNextRecord","features":[308,325]},{"name":"RpcErrorGetNumberOfRecords","features":[325]},{"name":"RpcErrorLoadErrorInfo","features":[325]},{"name":"RpcErrorResetEnumeration","features":[325]},{"name":"RpcErrorSaveErrorInfo","features":[325]},{"name":"RpcErrorStartEnumeration","features":[325]},{"name":"RpcExceptionFilter","features":[325]},{"name":"RpcFailedLbsDecisions","features":[325]},{"name":"RpcFailedLbsMessages","features":[325]},{"name":"RpcFreeAuthorizationContext","features":[325]},{"name":"RpcGetAuthorizationContextForClient","features":[308,325]},{"name":"RpcIfIdVectorFree","features":[325]},{"name":"RpcIfInqId","features":[325]},{"name":"RpcImpersonateClient","features":[325]},{"name":"RpcImpersonateClient2","features":[325]},{"name":"RpcImpersonateClientContainer","features":[325]},{"name":"RpcIncomingBandwidth","features":[325]},{"name":"RpcIncomingConnections","features":[325]},{"name":"RpcLastCounter","features":[325]},{"name":"RpcLocalAddressFormat","features":[325]},{"name":"RpcMgmtEnableIdleCleanup","features":[325]},{"name":"RpcMgmtEpEltInqBegin","features":[325]},{"name":"RpcMgmtEpEltInqDone","features":[325]},{"name":"RpcMgmtEpEltInqNextA","features":[325]},{"name":"RpcMgmtEpEltInqNextW","features":[325]},{"name":"RpcMgmtEpUnregister","features":[325]},{"name":"RpcMgmtInqComTimeout","features":[325]},{"name":"RpcMgmtInqDefaultProtectLevel","features":[325]},{"name":"RpcMgmtInqIfIds","features":[325]},{"name":"RpcMgmtInqServerPrincNameA","features":[325]},{"name":"RpcMgmtInqServerPrincNameW","features":[325]},{"name":"RpcMgmtInqStats","features":[325]},{"name":"RpcMgmtIsServerListening","features":[325]},{"name":"RpcMgmtSetAuthorizationFn","features":[325]},{"name":"RpcMgmtSetCancelTimeout","features":[325]},{"name":"RpcMgmtSetComTimeout","features":[325]},{"name":"RpcMgmtSetServerStackSize","features":[325]},{"name":"RpcMgmtStatsVectorFree","features":[325]},{"name":"RpcMgmtStopServerListening","features":[325]},{"name":"RpcMgmtWaitServerListen","features":[325]},{"name":"RpcNetworkInqProtseqsA","features":[325]},{"name":"RpcNetworkInqProtseqsW","features":[325]},{"name":"RpcNetworkIsProtseqValidA","features":[325]},{"name":"RpcNetworkIsProtseqValidW","features":[325]},{"name":"RpcNotificationCallCancel","features":[325]},{"name":"RpcNotificationCallNone","features":[325]},{"name":"RpcNotificationClientDisconnect","features":[325]},{"name":"RpcNotificationTypeApc","features":[325]},{"name":"RpcNotificationTypeCallback","features":[325]},{"name":"RpcNotificationTypeEvent","features":[325]},{"name":"RpcNotificationTypeHwnd","features":[325]},{"name":"RpcNotificationTypeIoc","features":[325]},{"name":"RpcNotificationTypeNone","features":[325]},{"name":"RpcNsBindingExportA","features":[325]},{"name":"RpcNsBindingExportPnPA","features":[325]},{"name":"RpcNsBindingExportPnPW","features":[325]},{"name":"RpcNsBindingExportW","features":[325]},{"name":"RpcNsBindingImportBeginA","features":[325]},{"name":"RpcNsBindingImportBeginW","features":[325]},{"name":"RpcNsBindingImportDone","features":[325]},{"name":"RpcNsBindingImportNext","features":[325]},{"name":"RpcNsBindingInqEntryNameA","features":[325]},{"name":"RpcNsBindingInqEntryNameW","features":[325]},{"name":"RpcNsBindingLookupBeginA","features":[325]},{"name":"RpcNsBindingLookupBeginW","features":[325]},{"name":"RpcNsBindingLookupDone","features":[325]},{"name":"RpcNsBindingLookupNext","features":[325]},{"name":"RpcNsBindingSelect","features":[325]},{"name":"RpcNsBindingUnexportA","features":[325]},{"name":"RpcNsBindingUnexportPnPA","features":[325]},{"name":"RpcNsBindingUnexportPnPW","features":[325]},{"name":"RpcNsBindingUnexportW","features":[325]},{"name":"RpcNsEntryExpandNameA","features":[325]},{"name":"RpcNsEntryExpandNameW","features":[325]},{"name":"RpcNsEntryObjectInqBeginA","features":[325]},{"name":"RpcNsEntryObjectInqBeginW","features":[325]},{"name":"RpcNsEntryObjectInqDone","features":[325]},{"name":"RpcNsEntryObjectInqNext","features":[325]},{"name":"RpcNsGroupDeleteA","features":[325]},{"name":"RpcNsGroupDeleteW","features":[325]},{"name":"RpcNsGroupMbrAddA","features":[325]},{"name":"RpcNsGroupMbrAddW","features":[325]},{"name":"RpcNsGroupMbrInqBeginA","features":[325]},{"name":"RpcNsGroupMbrInqBeginW","features":[325]},{"name":"RpcNsGroupMbrInqDone","features":[325]},{"name":"RpcNsGroupMbrInqNextA","features":[325]},{"name":"RpcNsGroupMbrInqNextW","features":[325]},{"name":"RpcNsGroupMbrRemoveA","features":[325]},{"name":"RpcNsGroupMbrRemoveW","features":[325]},{"name":"RpcNsMgmtBindingUnexportA","features":[325]},{"name":"RpcNsMgmtBindingUnexportW","features":[325]},{"name":"RpcNsMgmtEntryCreateA","features":[325]},{"name":"RpcNsMgmtEntryCreateW","features":[325]},{"name":"RpcNsMgmtEntryDeleteA","features":[325]},{"name":"RpcNsMgmtEntryDeleteW","features":[325]},{"name":"RpcNsMgmtEntryInqIfIdsA","features":[325]},{"name":"RpcNsMgmtEntryInqIfIdsW","features":[325]},{"name":"RpcNsMgmtHandleSetExpAge","features":[325]},{"name":"RpcNsMgmtInqExpAge","features":[325]},{"name":"RpcNsMgmtSetExpAge","features":[325]},{"name":"RpcNsProfileDeleteA","features":[325]},{"name":"RpcNsProfileDeleteW","features":[325]},{"name":"RpcNsProfileEltAddA","features":[325]},{"name":"RpcNsProfileEltAddW","features":[325]},{"name":"RpcNsProfileEltInqBeginA","features":[325]},{"name":"RpcNsProfileEltInqBeginW","features":[325]},{"name":"RpcNsProfileEltInqDone","features":[325]},{"name":"RpcNsProfileEltInqNextA","features":[325]},{"name":"RpcNsProfileEltInqNextW","features":[325]},{"name":"RpcNsProfileEltRemoveA","features":[325]},{"name":"RpcNsProfileEltRemoveW","features":[325]},{"name":"RpcObjectInqType","features":[325]},{"name":"RpcObjectSetInqFn","features":[325]},{"name":"RpcObjectSetType","features":[325]},{"name":"RpcOutgoingBandwidth","features":[325]},{"name":"RpcPerfCounters","features":[325]},{"name":"RpcProtseqVectorFreeA","features":[325]},{"name":"RpcProtseqVectorFreeW","features":[325]},{"name":"RpcRaiseException","features":[325]},{"name":"RpcReceiveComplete","features":[325]},{"name":"RpcRequestsPerSecond","features":[325]},{"name":"RpcRevertContainerImpersonation","features":[325]},{"name":"RpcRevertToSelf","features":[325]},{"name":"RpcRevertToSelfEx","features":[325]},{"name":"RpcSendComplete","features":[325]},{"name":"RpcServerCompleteSecurityCallback","features":[325]},{"name":"RpcServerInqBindingHandle","features":[325]},{"name":"RpcServerInqBindings","features":[325]},{"name":"RpcServerInqBindingsEx","features":[325]},{"name":"RpcServerInqCallAttributesA","features":[325]},{"name":"RpcServerInqCallAttributesW","features":[325]},{"name":"RpcServerInqDefaultPrincNameA","features":[325]},{"name":"RpcServerInqDefaultPrincNameW","features":[325]},{"name":"RpcServerInqIf","features":[325]},{"name":"RpcServerInterfaceGroupActivate","features":[325]},{"name":"RpcServerInterfaceGroupClose","features":[325]},{"name":"RpcServerInterfaceGroupCreateA","features":[325]},{"name":"RpcServerInterfaceGroupCreateW","features":[325]},{"name":"RpcServerInterfaceGroupDeactivate","features":[325]},{"name":"RpcServerInterfaceGroupInqBindings","features":[325]},{"name":"RpcServerListen","features":[325]},{"name":"RpcServerRegisterAuthInfoA","features":[325]},{"name":"RpcServerRegisterAuthInfoW","features":[325]},{"name":"RpcServerRegisterIf","features":[325]},{"name":"RpcServerRegisterIf2","features":[325]},{"name":"RpcServerRegisterIf3","features":[325]},{"name":"RpcServerRegisterIfEx","features":[325]},{"name":"RpcServerSubscribeForNotification","features":[308,313,325]},{"name":"RpcServerTestCancel","features":[325]},{"name":"RpcServerUnregisterIf","features":[325]},{"name":"RpcServerUnregisterIfEx","features":[325]},{"name":"RpcServerUnsubscribeForNotification","features":[325]},{"name":"RpcServerUseAllProtseqs","features":[325]},{"name":"RpcServerUseAllProtseqsEx","features":[325]},{"name":"RpcServerUseAllProtseqsIf","features":[325]},{"name":"RpcServerUseAllProtseqsIfEx","features":[325]},{"name":"RpcServerUseProtseqA","features":[325]},{"name":"RpcServerUseProtseqEpA","features":[325]},{"name":"RpcServerUseProtseqEpExA","features":[325]},{"name":"RpcServerUseProtseqEpExW","features":[325]},{"name":"RpcServerUseProtseqEpW","features":[325]},{"name":"RpcServerUseProtseqExA","features":[325]},{"name":"RpcServerUseProtseqExW","features":[325]},{"name":"RpcServerUseProtseqIfA","features":[325]},{"name":"RpcServerUseProtseqIfExA","features":[325]},{"name":"RpcServerUseProtseqIfExW","features":[325]},{"name":"RpcServerUseProtseqIfW","features":[325]},{"name":"RpcServerUseProtseqW","features":[325]},{"name":"RpcServerYield","features":[325]},{"name":"RpcSmAllocate","features":[325]},{"name":"RpcSmClientFree","features":[325]},{"name":"RpcSmDestroyClientContext","features":[325]},{"name":"RpcSmDisableAllocate","features":[325]},{"name":"RpcSmEnableAllocate","features":[325]},{"name":"RpcSmFree","features":[325]},{"name":"RpcSmGetThreadHandle","features":[325]},{"name":"RpcSmSetClientAllocFree","features":[325]},{"name":"RpcSmSetThreadHandle","features":[325]},{"name":"RpcSmSwapClientAllocFree","features":[325]},{"name":"RpcSsAllocate","features":[325]},{"name":"RpcSsContextLockExclusive","features":[325]},{"name":"RpcSsContextLockShared","features":[325]},{"name":"RpcSsDestroyClientContext","features":[325]},{"name":"RpcSsDisableAllocate","features":[325]},{"name":"RpcSsDontSerializeContext","features":[325]},{"name":"RpcSsEnableAllocate","features":[325]},{"name":"RpcSsFree","features":[325]},{"name":"RpcSsGetContextBinding","features":[325]},{"name":"RpcSsGetThreadHandle","features":[325]},{"name":"RpcSsSetClientAllocFree","features":[325]},{"name":"RpcSsSetThreadHandle","features":[325]},{"name":"RpcSsSwapClientAllocFree","features":[325]},{"name":"RpcStringBindingComposeA","features":[325]},{"name":"RpcStringBindingComposeW","features":[325]},{"name":"RpcStringBindingParseA","features":[325]},{"name":"RpcStringBindingParseW","features":[325]},{"name":"RpcStringFreeA","features":[325]},{"name":"RpcStringFreeW","features":[325]},{"name":"RpcTestCancel","features":[325]},{"name":"RpcUserFree","features":[325]},{"name":"SCONTEXT_QUEUE","features":[325]},{"name":"SEC_WINNT_AUTH_IDENTITY","features":[325]},{"name":"SEC_WINNT_AUTH_IDENTITY_A","features":[325]},{"name":"SEC_WINNT_AUTH_IDENTITY_ANSI","features":[325]},{"name":"SEC_WINNT_AUTH_IDENTITY_UNICODE","features":[325]},{"name":"SEC_WINNT_AUTH_IDENTITY_W","features":[325]},{"name":"SERVER_ROUTINE","features":[325]},{"name":"STUB_CALL_SERVER","features":[325]},{"name":"STUB_CALL_SERVER_NO_HRESULT","features":[325]},{"name":"STUB_MARSHAL","features":[325]},{"name":"STUB_PHASE","features":[325]},{"name":"STUB_THUNK","features":[359,325]},{"name":"STUB_UNMARSHAL","features":[325]},{"name":"SYSTEM_HANDLE_COMPOSITION_OBJECT","features":[325]},{"name":"SYSTEM_HANDLE_EVENT","features":[325]},{"name":"SYSTEM_HANDLE_FILE","features":[325]},{"name":"SYSTEM_HANDLE_INVALID","features":[325]},{"name":"SYSTEM_HANDLE_JOB","features":[325]},{"name":"SYSTEM_HANDLE_MAX","features":[325]},{"name":"SYSTEM_HANDLE_MUTEX","features":[325]},{"name":"SYSTEM_HANDLE_PIPE","features":[325]},{"name":"SYSTEM_HANDLE_PROCESS","features":[325]},{"name":"SYSTEM_HANDLE_REG_KEY","features":[325]},{"name":"SYSTEM_HANDLE_SECTION","features":[325]},{"name":"SYSTEM_HANDLE_SEMAPHORE","features":[325]},{"name":"SYSTEM_HANDLE_SOCKET","features":[325]},{"name":"SYSTEM_HANDLE_THREAD","features":[325]},{"name":"SYSTEM_HANDLE_TOKEN","features":[325]},{"name":"TARGET_IS_NT100_OR_LATER","features":[325]},{"name":"TARGET_IS_NT1012_OR_LATER","features":[325]},{"name":"TARGET_IS_NT102_OR_LATER","features":[325]},{"name":"TARGET_IS_NT351_OR_WIN95_OR_LATER","features":[325]},{"name":"TARGET_IS_NT40_OR_LATER","features":[325]},{"name":"TARGET_IS_NT50_OR_LATER","features":[325]},{"name":"TARGET_IS_NT51_OR_LATER","features":[325]},{"name":"TARGET_IS_NT60_OR_LATER","features":[325]},{"name":"TARGET_IS_NT61_OR_LATER","features":[325]},{"name":"TARGET_IS_NT62_OR_LATER","features":[325]},{"name":"TARGET_IS_NT63_OR_LATER","features":[325]},{"name":"TRANSPORT_TYPE_CN","features":[325]},{"name":"TRANSPORT_TYPE_DG","features":[325]},{"name":"TRANSPORT_TYPE_LPC","features":[325]},{"name":"TRANSPORT_TYPE_WMSG","features":[325]},{"name":"USER_CALL_IS_ASYNC","features":[325]},{"name":"USER_CALL_NEW_CORRELATION_DESC","features":[325]},{"name":"USER_MARSHAL_CB","features":[359,325]},{"name":"USER_MARSHAL_CB_BUFFER_SIZE","features":[325]},{"name":"USER_MARSHAL_CB_FREE","features":[325]},{"name":"USER_MARSHAL_CB_MARSHALL","features":[325]},{"name":"USER_MARSHAL_CB_TYPE","features":[325]},{"name":"USER_MARSHAL_CB_UNMARSHALL","features":[325]},{"name":"USER_MARSHAL_FC_BYTE","features":[325]},{"name":"USER_MARSHAL_FC_CHAR","features":[325]},{"name":"USER_MARSHAL_FC_DOUBLE","features":[325]},{"name":"USER_MARSHAL_FC_FLOAT","features":[325]},{"name":"USER_MARSHAL_FC_HYPER","features":[325]},{"name":"USER_MARSHAL_FC_LONG","features":[325]},{"name":"USER_MARSHAL_FC_SHORT","features":[325]},{"name":"USER_MARSHAL_FC_SMALL","features":[325]},{"name":"USER_MARSHAL_FC_ULONG","features":[325]},{"name":"USER_MARSHAL_FC_USHORT","features":[325]},{"name":"USER_MARSHAL_FC_USMALL","features":[325]},{"name":"USER_MARSHAL_FC_WCHAR","features":[325]},{"name":"USER_MARSHAL_FREEING_ROUTINE","features":[325]},{"name":"USER_MARSHAL_MARSHALLING_ROUTINE","features":[325]},{"name":"USER_MARSHAL_ROUTINE_QUADRUPLE","features":[325]},{"name":"USER_MARSHAL_SIZING_ROUTINE","features":[325]},{"name":"USER_MARSHAL_UNMARSHALLING_ROUTINE","features":[325]},{"name":"UUID_VECTOR","features":[325]},{"name":"UuidCompare","features":[325]},{"name":"UuidCreate","features":[325]},{"name":"UuidCreateNil","features":[325]},{"name":"UuidCreateSequential","features":[325]},{"name":"UuidEqual","features":[325]},{"name":"UuidFromStringA","features":[325]},{"name":"UuidFromStringW","features":[325]},{"name":"UuidHash","features":[325]},{"name":"UuidIsNil","features":[325]},{"name":"UuidToStringA","features":[325]},{"name":"UuidToStringW","features":[325]},{"name":"XLAT_CLIENT","features":[325]},{"name":"XLAT_SERVER","features":[325]},{"name":"XLAT_SIDE","features":[325]},{"name":"XMIT_HELPER_ROUTINE","features":[359,325]},{"name":"XMIT_ROUTINE_QUINTUPLE","features":[359,325]},{"name":"_NDR_PROC_CONTEXT","features":[325]},{"name":"__RPCPROXY_H_VERSION__","features":[325]},{"name":"cbNDRContext","features":[325]},{"name":"eeptAnsiString","features":[325]},{"name":"eeptBinary","features":[325]},{"name":"eeptLongVal","features":[325]},{"name":"eeptNone","features":[325]},{"name":"eeptPointerVal","features":[325]},{"name":"eeptShortVal","features":[325]},{"name":"eeptUnicodeString","features":[325]},{"name":"rcclClientUnknownLocality","features":[325]},{"name":"rcclInvalid","features":[325]},{"name":"rcclLocal","features":[325]},{"name":"rcclRemote","features":[325]},{"name":"rctGuaranteed","features":[325]},{"name":"rctInvalid","features":[325]},{"name":"rctNormal","features":[325]},{"name":"rctTraining","features":[325]},{"name":"rlafIPv4","features":[325]},{"name":"rlafIPv6","features":[325]},{"name":"rlafInvalid","features":[325]},{"name":"system_handle_t","features":[325]}],"602":[{"name":"ACCESS_MASKENUM","features":[584]},{"name":"AUTHENTICATION_INFO","features":[584]},{"name":"AUTH_TYPE","features":[584]},{"name":"BCP6xFILEFMT","features":[584]},{"name":"BCPABORT","features":[584]},{"name":"BCPBATCH","features":[584]},{"name":"BCPFILECP","features":[584]},{"name":"BCPFILECP_ACP","features":[584]},{"name":"BCPFILECP_OEMCP","features":[584]},{"name":"BCPFILECP_RAW","features":[584]},{"name":"BCPFILEFMT","features":[584]},{"name":"BCPFIRST","features":[584]},{"name":"BCPHINTS","features":[584]},{"name":"BCPHINTSA","features":[584]},{"name":"BCPHINTSW","features":[584]},{"name":"BCPKEEPIDENTITY","features":[584]},{"name":"BCPKEEPNULLS","features":[584]},{"name":"BCPLAST","features":[584]},{"name":"BCPMAXERRS","features":[584]},{"name":"BCPODBC","features":[584]},{"name":"BCPTEXTFILE","features":[584]},{"name":"BCPUNICODEFILE","features":[584]},{"name":"BCP_FMT_COLLATION","features":[584]},{"name":"BCP_FMT_COLLATION_ID","features":[584]},{"name":"BCP_FMT_DATA_LEN","features":[584]},{"name":"BCP_FMT_INDICATOR_LEN","features":[584]},{"name":"BCP_FMT_SERVER_COL","features":[584]},{"name":"BCP_FMT_TERMINATOR","features":[584]},{"name":"BCP_FMT_TYPE","features":[584]},{"name":"BIO_BINDER","features":[584]},{"name":"BMK_DURABILITY_INTRANSACTION","features":[584]},{"name":"BMK_DURABILITY_REORGANIZATION","features":[584]},{"name":"BMK_DURABILITY_ROWSET","features":[584]},{"name":"BMK_DURABILITY_XTRANSACTION","features":[584]},{"name":"BUCKETCATEGORIZE","features":[584]},{"name":"BUCKET_EXPONENTIAL","features":[584]},{"name":"BUCKET_LINEAR","features":[584]},{"name":"CASE_REQUIREMENT","features":[584]},{"name":"CASE_REQUIREMENT_ANY","features":[584]},{"name":"CASE_REQUIREMENT_UPPER_IF_AQS","features":[584]},{"name":"CATALOG_PAUSED_REASON_DELAYED_RECOVERY","features":[584]},{"name":"CATALOG_PAUSED_REASON_EXTERNAL","features":[584]},{"name":"CATALOG_PAUSED_REASON_HIGH_CPU","features":[584]},{"name":"CATALOG_PAUSED_REASON_HIGH_IO","features":[584]},{"name":"CATALOG_PAUSED_REASON_HIGH_NTF_RATE","features":[584]},{"name":"CATALOG_PAUSED_REASON_LOW_BATTERY","features":[584]},{"name":"CATALOG_PAUSED_REASON_LOW_DISK","features":[584]},{"name":"CATALOG_PAUSED_REASON_LOW_MEMORY","features":[584]},{"name":"CATALOG_PAUSED_REASON_NONE","features":[584]},{"name":"CATALOG_PAUSED_REASON_UPGRADING","features":[584]},{"name":"CATALOG_PAUSED_REASON_USER_ACTIVE","features":[584]},{"name":"CATALOG_STATUS_FULL_CRAWL","features":[584]},{"name":"CATALOG_STATUS_IDLE","features":[584]},{"name":"CATALOG_STATUS_INCREMENTAL_CRAWL","features":[584]},{"name":"CATALOG_STATUS_PAUSED","features":[584]},{"name":"CATALOG_STATUS_PROCESSING_NOTIFICATIONS","features":[584]},{"name":"CATALOG_STATUS_RECOVERING","features":[584]},{"name":"CATALOG_STATUS_SHUTTING_DOWN","features":[584]},{"name":"CATEGORIZATION","features":[512,432,584]},{"name":"CATEGORIZATIONSET","features":[512,432,584]},{"name":"CATEGORIZE_BUCKETS","features":[584]},{"name":"CATEGORIZE_CLUSTER","features":[584]},{"name":"CATEGORIZE_RANGE","features":[584]},{"name":"CATEGORIZE_UNIQUE","features":[584]},{"name":"CATEGORY_COLLATOR","features":[584]},{"name":"CATEGORY_GATHERER","features":[584]},{"name":"CATEGORY_INDEXER","features":[584]},{"name":"CATEGORY_SEARCH","features":[584]},{"name":"CDBBMKDISPIDS","features":[584]},{"name":"CDBCOLDISPIDS","features":[584]},{"name":"CDBSELFDISPIDS","features":[584]},{"name":"CERT_E_NOT_FOUND_OR_NO_PERMISSSION","features":[584]},{"name":"CHANNEL_AGENT_DYNAMIC_SCHEDULE","features":[584]},{"name":"CHANNEL_AGENT_FLAGS","features":[584]},{"name":"CHANNEL_AGENT_PRECACHE_ALL","features":[584]},{"name":"CHANNEL_AGENT_PRECACHE_SCRNSAVER","features":[584]},{"name":"CHANNEL_AGENT_PRECACHE_SOME","features":[584]},{"name":"CI_E_CORRUPT_FWIDX","features":[584]},{"name":"CI_E_DIACRITIC_SETTINGS_DIFFER","features":[584]},{"name":"CI_E_INCONSISTENT_TRANSACTION","features":[584]},{"name":"CI_E_INVALID_CATALOG_LIST_VERSION","features":[584]},{"name":"CI_E_MULTIPLE_PROTECTED_USERS_UNSUPPORTED","features":[584]},{"name":"CI_E_NO_AUXMETADATA","features":[584]},{"name":"CI_E_NO_CATALOG_MANAGER","features":[584]},{"name":"CI_E_NO_PROTECTED_USER","features":[584]},{"name":"CI_E_PROTECTED_CATALOG_NON_INTERACTIVE_USER","features":[584]},{"name":"CI_E_PROTECTED_CATALOG_NOT_AVAILABLE","features":[584]},{"name":"CI_E_PROTECTED_CATALOG_SID_MISMATCH","features":[584]},{"name":"CI_S_CATALOG_RESET","features":[584]},{"name":"CI_S_CLIENT_REQUESTED_ABORT","features":[584]},{"name":"CI_S_NEW_AUXMETADATA","features":[584]},{"name":"CI_S_RETRY_DOCUMENT","features":[584]},{"name":"CLSID_CISimpleCommandCreator","features":[584]},{"name":"CLSID_DataShapeProvider","features":[584]},{"name":"CLSID_MSDASQL","features":[584]},{"name":"CLSID_MSDASQL_ENUMERATOR","features":[584]},{"name":"CLSID_MSPersist","features":[584]},{"name":"CLSID_SQLOLEDB","features":[584]},{"name":"CLSID_SQLOLEDB_ENUMERATOR","features":[584]},{"name":"CLSID_SQLOLEDB_ERROR","features":[584]},{"name":"CLUSIONREASON_DEFAULT","features":[584]},{"name":"CLUSIONREASON_GROUPPOLICY","features":[584]},{"name":"CLUSIONREASON_UNKNOWNSCOPE","features":[584]},{"name":"CLUSIONREASON_USER","features":[584]},{"name":"CLUSION_REASON","features":[584]},{"name":"CMDLINE_E_ALREADY_INIT","features":[584]},{"name":"CMDLINE_E_NOT_INIT","features":[584]},{"name":"CMDLINE_E_NUM_PARAMS","features":[584]},{"name":"CMDLINE_E_PARAM_SIZE","features":[584]},{"name":"CMDLINE_E_PAREN","features":[584]},{"name":"CMDLINE_E_UNEXPECTED","features":[584]},{"name":"CM_E_CONNECTIONTIMEOUT","features":[584]},{"name":"CM_E_DATASOURCENOTAVAILABLE","features":[584]},{"name":"CM_E_INSUFFICIENTBUFFER","features":[584]},{"name":"CM_E_INVALIDDATASOURCE","features":[584]},{"name":"CM_E_NOQUERYCONNECTIONS","features":[584]},{"name":"CM_E_REGISTRY","features":[584]},{"name":"CM_E_SERVERNOTFOUND","features":[584]},{"name":"CM_E_TIMEOUT","features":[584]},{"name":"CM_E_TOOMANYDATASERVERS","features":[584]},{"name":"CM_E_TOOMANYDATASOURCES","features":[584]},{"name":"CM_S_NODATASERVERS","features":[584]},{"name":"COLL_E_BADRESULT","features":[584]},{"name":"COLL_E_BADSEQUENCE","features":[584]},{"name":"COLL_E_BUFFERTOOSMALL","features":[584]},{"name":"COLL_E_DUPLICATEDBID","features":[584]},{"name":"COLL_E_INCOMPATIBLECOLUMNS","features":[584]},{"name":"COLL_E_MAXCONNEXCEEDED","features":[584]},{"name":"COLL_E_NODEFAULTCATALOG","features":[584]},{"name":"COLL_E_NOMOREDATA","features":[584]},{"name":"COLL_E_NOSORTCOLUMN","features":[584]},{"name":"COLL_E_TOOMANYMERGECOLUMNS","features":[584]},{"name":"COLUMNSET","features":[512,432,584]},{"name":"CONDITION_CREATION_DEFAULT","features":[584]},{"name":"CONDITION_CREATION_NONE","features":[584]},{"name":"CONDITION_CREATION_OPTIONS","features":[584]},{"name":"CONDITION_CREATION_SIMPLIFY","features":[584]},{"name":"CONDITION_CREATION_USE_CONTENT_LOCALE","features":[584]},{"name":"CONDITION_CREATION_VECTOR_AND","features":[584]},{"name":"CONDITION_CREATION_VECTOR_LEAF","features":[584]},{"name":"CONDITION_CREATION_VECTOR_OR","features":[584]},{"name":"CONTENTRESTRICTION","features":[512,432,584]},{"name":"CONTENT_SOURCE_E_CONTENT_CLASS_READ","features":[584]},{"name":"CONTENT_SOURCE_E_CONTENT_SOURCE_COLUMN_TYPE","features":[584]},{"name":"CONTENT_SOURCE_E_NULL_CONTENT_CLASS_BSTR","features":[584]},{"name":"CONTENT_SOURCE_E_NULL_URI","features":[584]},{"name":"CONTENT_SOURCE_E_OUT_OF_RANGE","features":[584]},{"name":"CONTENT_SOURCE_E_PROPERTY_MAPPING_BAD_VECTOR_SIZE","features":[584]},{"name":"CONTENT_SOURCE_E_PROPERTY_MAPPING_READ","features":[584]},{"name":"CONTENT_SOURCE_E_UNEXPECTED_EXCEPTION","features":[584]},{"name":"CONTENT_SOURCE_E_UNEXPECTED_NULL_POINTER","features":[584]},{"name":"CQUERYDISPIDS","features":[584]},{"name":"CQUERYMETADISPIDS","features":[584]},{"name":"CQUERYPROPERTY","features":[584]},{"name":"CREATESUBSCRIPTIONFLAGS","features":[584]},{"name":"CREATESUBS_ADDTOFAVORITES","features":[584]},{"name":"CREATESUBS_FROMFAVORITES","features":[584]},{"name":"CREATESUBS_NOSAVE","features":[584]},{"name":"CREATESUBS_NOUI","features":[584]},{"name":"CREATESUBS_SOFTWAREUPDATE","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_ASSERTIONS","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_CATALOGS","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_CHARACTER_SETS","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_CHECK_CONSTRAINTS","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_CHECK_CONSTRAINTS_BY_TABLE","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_COLLATIONS","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_COLUMNS","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_COLUMN_DOMAIN_USAGE","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_COLUMN_PRIVILEGES","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_CONSTRAINT_COLUMN_USAGE","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_CONSTRAINT_TABLE_USAGE","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_FOREIGN_KEYS","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_INDEXES","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_KEY_COLUMN_USAGE","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_LINKEDSERVERS","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_OBJECTS","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_OBJECT_ACTIONS","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_PRIMARY_KEYS","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_PROCEDURES","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_PROCEDURE_COLUMNS","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_PROCEDURE_PARAMETERS","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_PROVIDER_TYPES","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_REFERENTIAL_CONSTRAINTS","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_SCHEMATA","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_SQL_LANGUAGES","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_STATISTICS","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_TABLES","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_TABLES_INFO","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_TABLE_CONSTRAINTS","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_TABLE_PRIVILEGES","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_TABLE_STATISTICS","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_TRANSLATIONS","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_TRUSTEE","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_USAGE_PRIVILEGES","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_VIEWS","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_VIEW_COLUMN_USAGE","features":[584]},{"name":"CRESTRICTIONS_DBSCHEMA_VIEW_TABLE_USAGE","features":[584]},{"name":"CRESTRICTIONS_MDSCHEMA_ACTIONS","features":[584]},{"name":"CRESTRICTIONS_MDSCHEMA_COMMANDS","features":[584]},{"name":"CRESTRICTIONS_MDSCHEMA_CUBES","features":[584]},{"name":"CRESTRICTIONS_MDSCHEMA_DIMENSIONS","features":[584]},{"name":"CRESTRICTIONS_MDSCHEMA_FUNCTIONS","features":[584]},{"name":"CRESTRICTIONS_MDSCHEMA_HIERARCHIES","features":[584]},{"name":"CRESTRICTIONS_MDSCHEMA_LEVELS","features":[584]},{"name":"CRESTRICTIONS_MDSCHEMA_MEASURES","features":[584]},{"name":"CRESTRICTIONS_MDSCHEMA_MEMBERS","features":[584]},{"name":"CRESTRICTIONS_MDSCHEMA_PROPERTIES","features":[584]},{"name":"CRESTRICTIONS_MDSCHEMA_SETS","features":[584]},{"name":"CSTORAGEPROPERTY","features":[584]},{"name":"CSearchLanguageSupport","features":[584]},{"name":"CSearchManager","features":[584]},{"name":"CSearchRoot","features":[584]},{"name":"CSearchScopeRule","features":[584]},{"name":"CatalogPausedReason","features":[584]},{"name":"CatalogStatus","features":[584]},{"name":"CompoundCondition","features":[584]},{"name":"ConditionFactory","features":[584]},{"name":"DATE_STRUCT","features":[584]},{"name":"DBACCESSORFLAGSENUM","features":[584]},{"name":"DBACCESSOR_INHERITED","features":[584]},{"name":"DBACCESSOR_INVALID","features":[584]},{"name":"DBACCESSOR_OPTIMIZED","features":[584]},{"name":"DBACCESSOR_PARAMETERDATA","features":[584]},{"name":"DBACCESSOR_PASSBYREF","features":[584]},{"name":"DBACCESSOR_ROWDATA","features":[584]},{"name":"DBASYNCHOPENUM","features":[584]},{"name":"DBASYNCHOP_OPEN","features":[584]},{"name":"DBASYNCHPHASEENUM","features":[584]},{"name":"DBASYNCHPHASE_CANCELED","features":[584]},{"name":"DBASYNCHPHASE_COMPLETE","features":[584]},{"name":"DBASYNCHPHASE_INITIALIZATION","features":[584]},{"name":"DBASYNCHPHASE_POPULATION","features":[584]},{"name":"DBBINDEXT","features":[584]},{"name":"DBBINDEXT","features":[584]},{"name":"DBBINDFLAGENUM","features":[584]},{"name":"DBBINDFLAG_HTML","features":[584]},{"name":"DBBINDING","features":[359,584]},{"name":"DBBINDING","features":[359,584]},{"name":"DBBINDSTATUSENUM","features":[584]},{"name":"DBBINDSTATUS_BADBINDINFO","features":[584]},{"name":"DBBINDSTATUS_BADORDINAL","features":[584]},{"name":"DBBINDSTATUS_BADSTORAGEFLAGS","features":[584]},{"name":"DBBINDSTATUS_MULTIPLESTORAGE","features":[584]},{"name":"DBBINDSTATUS_NOINTERFACE","features":[584]},{"name":"DBBINDSTATUS_OK","features":[584]},{"name":"DBBINDSTATUS_UNSUPPORTEDCONVERSION","features":[584]},{"name":"DBBINDURLFLAGENUM","features":[584]},{"name":"DBBINDURLFLAG_ASYNCHRONOUS","features":[584]},{"name":"DBBINDURLFLAG_COLLECTION","features":[584]},{"name":"DBBINDURLFLAG_DELAYFETCHCOLUMNS","features":[584]},{"name":"DBBINDURLFLAG_DELAYFETCHSTREAM","features":[584]},{"name":"DBBINDURLFLAG_ISSTRUCTUREDDOCUMENT","features":[584]},{"name":"DBBINDURLFLAG_OPENIFEXISTS","features":[584]},{"name":"DBBINDURLFLAG_OUTPUT","features":[584]},{"name":"DBBINDURLFLAG_OVERWRITE","features":[584]},{"name":"DBBINDURLFLAG_READ","features":[584]},{"name":"DBBINDURLFLAG_READWRITE","features":[584]},{"name":"DBBINDURLFLAG_RECURSIVE","features":[584]},{"name":"DBBINDURLFLAG_SHARE_DENY_NONE","features":[584]},{"name":"DBBINDURLFLAG_SHARE_DENY_READ","features":[584]},{"name":"DBBINDURLFLAG_SHARE_DENY_WRITE","features":[584]},{"name":"DBBINDURLFLAG_SHARE_EXCLUSIVE","features":[584]},{"name":"DBBINDURLFLAG_WAITFORINIT","features":[584]},{"name":"DBBINDURLFLAG_WRITE","features":[584]},{"name":"DBBINDURLSTATUSENUM","features":[584]},{"name":"DBBINDURLSTATUS_S_DENYNOTSUPPORTED","features":[584]},{"name":"DBBINDURLSTATUS_S_DENYTYPENOTSUPPORTED","features":[584]},{"name":"DBBINDURLSTATUS_S_OK","features":[584]},{"name":"DBBINDURLSTATUS_S_REDIRECTED","features":[584]},{"name":"DBBMKGUID","features":[584]},{"name":"DBBMK_FIRST","features":[584]},{"name":"DBBMK_INVALID","features":[584]},{"name":"DBBMK_LAST","features":[584]},{"name":"DBBOOKMARK","features":[584]},{"name":"DBCIDGUID","features":[584]},{"name":"DBCOLUMNACCESS","features":[512,584]},{"name":"DBCOLUMNACCESS","features":[512,584]},{"name":"DBCOLUMNDESC","features":[512,359,584]},{"name":"DBCOLUMNDESC","features":[512,359,584]},{"name":"DBCOLUMNDESCFLAGSENUM","features":[584]},{"name":"DBCOLUMNDESCFLAGS_CLSID","features":[584]},{"name":"DBCOLUMNDESCFLAGS_COLSIZE","features":[584]},{"name":"DBCOLUMNDESCFLAGS_DBCID","features":[584]},{"name":"DBCOLUMNDESCFLAGS_ITYPEINFO","features":[584]},{"name":"DBCOLUMNDESCFLAGS_PRECISION","features":[584]},{"name":"DBCOLUMNDESCFLAGS_PROPERTIES","features":[584]},{"name":"DBCOLUMNDESCFLAGS_SCALE","features":[584]},{"name":"DBCOLUMNDESCFLAGS_TYPENAME","features":[584]},{"name":"DBCOLUMNDESCFLAGS_WTYPE","features":[584]},{"name":"DBCOLUMNFLAGS15ENUM","features":[584]},{"name":"DBCOLUMNFLAGSDEPRECATED","features":[584]},{"name":"DBCOLUMNFLAGSENUM","features":[584]},{"name":"DBCOLUMNFLAGSENUM20","features":[584]},{"name":"DBCOLUMNFLAGSENUM21","features":[584]},{"name":"DBCOLUMNFLAGSENUM26","features":[584]},{"name":"DBCOLUMNFLAGS_CACHEDEFERRED","features":[584]},{"name":"DBCOLUMNFLAGS_ISBOOKMARK","features":[584]},{"name":"DBCOLUMNFLAGS_ISCHAPTER","features":[584]},{"name":"DBCOLUMNFLAGS_ISCOLLECTION","features":[584]},{"name":"DBCOLUMNFLAGS_ISDEFAULTSTREAM","features":[584]},{"name":"DBCOLUMNFLAGS_ISFIXEDLENGTH","features":[584]},{"name":"DBCOLUMNFLAGS_ISLONG","features":[584]},{"name":"DBCOLUMNFLAGS_ISNULLABLE","features":[584]},{"name":"DBCOLUMNFLAGS_ISROW","features":[584]},{"name":"DBCOLUMNFLAGS_ISROWID","features":[584]},{"name":"DBCOLUMNFLAGS_ISROWSET","features":[584]},{"name":"DBCOLUMNFLAGS_ISROWURL","features":[584]},{"name":"DBCOLUMNFLAGS_ISROWVER","features":[584]},{"name":"DBCOLUMNFLAGS_ISSTREAM","features":[584]},{"name":"DBCOLUMNFLAGS_KEYCOLUMN","features":[584]},{"name":"DBCOLUMNFLAGS_MAYBENULL","features":[584]},{"name":"DBCOLUMNFLAGS_MAYDEFER","features":[584]},{"name":"DBCOLUMNFLAGS_RESERVED","features":[584]},{"name":"DBCOLUMNFLAGS_ROWSPECIFICCOLUMN","features":[584]},{"name":"DBCOLUMNFLAGS_SCALEISNEGATIVE","features":[584]},{"name":"DBCOLUMNFLAGS_WRITE","features":[584]},{"name":"DBCOLUMNFLAGS_WRITEUNKNOWN","features":[584]},{"name":"DBCOLUMNINFO","features":[512,359,584]},{"name":"DBCOLUMNINFO","features":[512,359,584]},{"name":"DBCOMMANDPERSISTFLAGENUM","features":[584]},{"name":"DBCOMMANDPERSISTFLAGENUM21","features":[584]},{"name":"DBCOMMANDPERSISTFLAG_DEFAULT","features":[584]},{"name":"DBCOMMANDPERSISTFLAG_NOSAVE","features":[584]},{"name":"DBCOMMANDPERSISTFLAG_PERSISTPROCEDURE","features":[584]},{"name":"DBCOMMANDPERSISTFLAG_PERSISTVIEW","features":[584]},{"name":"DBCOMPAREENUM","features":[584]},{"name":"DBCOMPAREOPSENUM","features":[584]},{"name":"DBCOMPAREOPSENUM20","features":[584]},{"name":"DBCOMPAREOPS_BEGINSWITH","features":[584]},{"name":"DBCOMPAREOPS_CASEINSENSITIVE","features":[584]},{"name":"DBCOMPAREOPS_CASESENSITIVE","features":[584]},{"name":"DBCOMPAREOPS_CONTAINS","features":[584]},{"name":"DBCOMPAREOPS_EQ","features":[584]},{"name":"DBCOMPAREOPS_GE","features":[584]},{"name":"DBCOMPAREOPS_GT","features":[584]},{"name":"DBCOMPAREOPS_IGNORE","features":[584]},{"name":"DBCOMPAREOPS_LE","features":[584]},{"name":"DBCOMPAREOPS_LT","features":[584]},{"name":"DBCOMPAREOPS_NE","features":[584]},{"name":"DBCOMPAREOPS_NOTBEGINSWITH","features":[584]},{"name":"DBCOMPAREOPS_NOTCONTAINS","features":[584]},{"name":"DBCOMPARE_EQ","features":[584]},{"name":"DBCOMPARE_GT","features":[584]},{"name":"DBCOMPARE_LT","features":[584]},{"name":"DBCOMPARE_NE","features":[584]},{"name":"DBCOMPARE_NOTCOMPARABLE","features":[584]},{"name":"DBCOMPUTEMODE_COMPUTED","features":[584]},{"name":"DBCOMPUTEMODE_DYNAMIC","features":[584]},{"name":"DBCOMPUTEMODE_NOTCOMPUTED","features":[584]},{"name":"DBCONSTRAINTDESC","features":[512,584]},{"name":"DBCONSTRAINTDESC","features":[512,584]},{"name":"DBCONSTRAINTTYPEENUM","features":[584]},{"name":"DBCONSTRAINTTYPE_CHECK","features":[584]},{"name":"DBCONSTRAINTTYPE_FOREIGNKEY","features":[584]},{"name":"DBCONSTRAINTTYPE_PRIMARYKEY","features":[584]},{"name":"DBCONSTRAINTTYPE_UNIQUE","features":[584]},{"name":"DBCONVERTFLAGSENUM","features":[584]},{"name":"DBCONVERTFLAGSENUM20","features":[584]},{"name":"DBCONVERTFLAGS_COLUMN","features":[584]},{"name":"DBCONVERTFLAGS_FROMVARIANT","features":[584]},{"name":"DBCONVERTFLAGS_ISFIXEDLENGTH","features":[584]},{"name":"DBCONVERTFLAGS_ISLONG","features":[584]},{"name":"DBCONVERTFLAGS_PARAMETER","features":[584]},{"name":"DBCOPYFLAGSENUM","features":[584]},{"name":"DBCOPY_ALLOW_EMULATION","features":[584]},{"name":"DBCOPY_ASYNC","features":[584]},{"name":"DBCOPY_ATOMIC","features":[584]},{"name":"DBCOPY_NON_RECURSIVE","features":[584]},{"name":"DBCOPY_REPLACE_EXISTING","features":[584]},{"name":"DBCOST","features":[584]},{"name":"DBCOST","features":[584]},{"name":"DBCOSTUNITENUM","features":[584]},{"name":"DBDATACONVERTENUM","features":[584]},{"name":"DBDATACONVERT_DECIMALSCALE","features":[584]},{"name":"DBDATACONVERT_DEFAULT","features":[584]},{"name":"DBDATACONVERT_DSTISFIXEDLENGTH","features":[584]},{"name":"DBDATACONVERT_LENGTHFROMNTS","features":[584]},{"name":"DBDATACONVERT_SETDATABEHAVIOR","features":[584]},{"name":"DBDATE","features":[584]},{"name":"DBDATETIM4","features":[584]},{"name":"DBDATETIME","features":[584]},{"name":"DBDEFERRABILITYENUM","features":[584]},{"name":"DBDEFERRABILITY_DEFERRABLE","features":[584]},{"name":"DBDEFERRABILITY_DEFERRED","features":[584]},{"name":"DBDELETEFLAGSENUM","features":[584]},{"name":"DBDELETE_ASYNC","features":[584]},{"name":"DBDELETE_ATOMIC","features":[584]},{"name":"DBEVENTPHASEENUM","features":[584]},{"name":"DBEVENTPHASE_ABOUTTODO","features":[584]},{"name":"DBEVENTPHASE_DIDEVENT","features":[584]},{"name":"DBEVENTPHASE_FAILEDTODO","features":[584]},{"name":"DBEVENTPHASE_OKTODO","features":[584]},{"name":"DBEVENTPHASE_SYNCHAFTER","features":[584]},{"name":"DBEXECLIMITSENUM","features":[584]},{"name":"DBEXECLIMITS_ABORT","features":[584]},{"name":"DBEXECLIMITS_STOP","features":[584]},{"name":"DBEXECLIMITS_SUSPEND","features":[584]},{"name":"DBFAILUREINFO","features":[584]},{"name":"DBFAILUREINFO","features":[584]},{"name":"DBGUID_MSSQLXML","features":[584]},{"name":"DBGUID_ROWDEFAULTSTREAM","features":[584]},{"name":"DBGUID_ROWURL","features":[584]},{"name":"DBGUID_XPATH","features":[584]},{"name":"DBIMPLICITSESSION","features":[584]},{"name":"DBIMPLICITSESSION","features":[584]},{"name":"DBINDEXCOLUMNDESC","features":[512,584]},{"name":"DBINDEXCOLUMNDESC","features":[512,584]},{"name":"DBINDEX_COL_ORDERENUM","features":[584]},{"name":"DBINDEX_COL_ORDER_ASC","features":[584]},{"name":"DBINDEX_COL_ORDER_DESC","features":[584]},{"name":"DBLITERALENUM","features":[584]},{"name":"DBLITERALENUM20","features":[584]},{"name":"DBLITERALENUM21","features":[584]},{"name":"DBLITERALINFO","features":[308,584]},{"name":"DBLITERALINFO","features":[308,584]},{"name":"DBLITERAL_BINARY_LITERAL","features":[584]},{"name":"DBLITERAL_CATALOG_NAME","features":[584]},{"name":"DBLITERAL_CATALOG_SEPARATOR","features":[584]},{"name":"DBLITERAL_CHAR_LITERAL","features":[584]},{"name":"DBLITERAL_COLUMN_ALIAS","features":[584]},{"name":"DBLITERAL_COLUMN_NAME","features":[584]},{"name":"DBLITERAL_CORRELATION_NAME","features":[584]},{"name":"DBLITERAL_CUBE_NAME","features":[584]},{"name":"DBLITERAL_CURSOR_NAME","features":[584]},{"name":"DBLITERAL_DIMENSION_NAME","features":[584]},{"name":"DBLITERAL_ESCAPE_PERCENT","features":[584]},{"name":"DBLITERAL_ESCAPE_PERCENT_SUFFIX","features":[584]},{"name":"DBLITERAL_ESCAPE_UNDERSCORE","features":[584]},{"name":"DBLITERAL_ESCAPE_UNDERSCORE_SUFFIX","features":[584]},{"name":"DBLITERAL_HIERARCHY_NAME","features":[584]},{"name":"DBLITERAL_INDEX_NAME","features":[584]},{"name":"DBLITERAL_INVALID","features":[584]},{"name":"DBLITERAL_LEVEL_NAME","features":[584]},{"name":"DBLITERAL_LIKE_PERCENT","features":[584]},{"name":"DBLITERAL_LIKE_UNDERSCORE","features":[584]},{"name":"DBLITERAL_MEMBER_NAME","features":[584]},{"name":"DBLITERAL_PROCEDURE_NAME","features":[584]},{"name":"DBLITERAL_PROPERTY_NAME","features":[584]},{"name":"DBLITERAL_QUOTE","features":[584]},{"name":"DBLITERAL_QUOTE_SUFFIX","features":[584]},{"name":"DBLITERAL_SCHEMA_NAME","features":[584]},{"name":"DBLITERAL_SCHEMA_SEPARATOR","features":[584]},{"name":"DBLITERAL_TABLE_NAME","features":[584]},{"name":"DBLITERAL_TEXT_COMMAND","features":[584]},{"name":"DBLITERAL_USER_NAME","features":[584]},{"name":"DBLITERAL_VIEW_NAME","features":[584]},{"name":"DBMATCHTYPEENUM","features":[584]},{"name":"DBMATCHTYPE_FULL","features":[584]},{"name":"DBMATCHTYPE_NONE","features":[584]},{"name":"DBMATCHTYPE_PARTIAL","features":[584]},{"name":"DBMAXCHAR","features":[584]},{"name":"DBMEMOWNERENUM","features":[584]},{"name":"DBMEMOWNER_CLIENTOWNED","features":[584]},{"name":"DBMEMOWNER_PROVIDEROWNED","features":[584]},{"name":"DBMONEY","features":[584]},{"name":"DBMOVEFLAGSENUM","features":[584]},{"name":"DBMOVE_ALLOW_EMULATION","features":[584]},{"name":"DBMOVE_ASYNC","features":[584]},{"name":"DBMOVE_ATOMIC","features":[584]},{"name":"DBMOVE_DONT_UPDATE_LINKS","features":[584]},{"name":"DBMOVE_REPLACE_EXISTING","features":[584]},{"name":"DBOBJECT","features":[584]},{"name":"DBOBJECT","features":[584]},{"name":"DBPARAMBINDINFO","features":[584]},{"name":"DBPARAMBINDINFO","features":[584]},{"name":"DBPARAMFLAGSENUM","features":[584]},{"name":"DBPARAMFLAGSENUM20","features":[584]},{"name":"DBPARAMFLAGS_ISINPUT","features":[584]},{"name":"DBPARAMFLAGS_ISLONG","features":[584]},{"name":"DBPARAMFLAGS_ISNULLABLE","features":[584]},{"name":"DBPARAMFLAGS_ISOUTPUT","features":[584]},{"name":"DBPARAMFLAGS_ISSIGNED","features":[584]},{"name":"DBPARAMFLAGS_SCALEISNEGATIVE","features":[584]},{"name":"DBPARAMINFO","features":[359,584]},{"name":"DBPARAMINFO","features":[359,584]},{"name":"DBPARAMIOENUM","features":[584]},{"name":"DBPARAMIO_INPUT","features":[584]},{"name":"DBPARAMIO_NOTPARAM","features":[584]},{"name":"DBPARAMIO_OUTPUT","features":[584]},{"name":"DBPARAMS","features":[584]},{"name":"DBPARAMS","features":[584]},{"name":"DBPARAMTYPE_INPUT","features":[584]},{"name":"DBPARAMTYPE_INPUTOUTPUT","features":[584]},{"name":"DBPARAMTYPE_OUTPUT","features":[584]},{"name":"DBPARAMTYPE_RETURNVALUE","features":[584]},{"name":"DBPARTENUM","features":[584]},{"name":"DBPART_INVALID","features":[584]},{"name":"DBPART_LENGTH","features":[584]},{"name":"DBPART_STATUS","features":[584]},{"name":"DBPART_VALUE","features":[584]},{"name":"DBPENDINGSTATUSENUM","features":[584]},{"name":"DBPENDINGSTATUS_CHANGED","features":[584]},{"name":"DBPENDINGSTATUS_DELETED","features":[584]},{"name":"DBPENDINGSTATUS_INVALIDROW","features":[584]},{"name":"DBPENDINGSTATUS_NEW","features":[584]},{"name":"DBPENDINGSTATUS_UNCHANGED","features":[584]},{"name":"DBPOSITIONFLAGSENUM","features":[584]},{"name":"DBPOSITION_BOF","features":[584]},{"name":"DBPOSITION_EOF","features":[584]},{"name":"DBPOSITION_NOROW","features":[584]},{"name":"DBPOSITION_OK","features":[584]},{"name":"DBPROMPTOPTIONSENUM","features":[584]},{"name":"DBPROMPTOPTIONS_BROWSEONLY","features":[584]},{"name":"DBPROMPTOPTIONS_DISABLESAVEPASSWORD","features":[584]},{"name":"DBPROMPTOPTIONS_DISABLE_PROVIDER_SELECTION","features":[584]},{"name":"DBPROMPTOPTIONS_NONE","features":[584]},{"name":"DBPROMPTOPTIONS_PROPERTYSHEET","features":[584]},{"name":"DBPROMPTOPTIONS_WIZARDSHEET","features":[584]},{"name":"DBPROMPT_COMPLETE","features":[584]},{"name":"DBPROMPT_COMPLETEREQUIRED","features":[584]},{"name":"DBPROMPT_NOPROMPT","features":[584]},{"name":"DBPROMPT_PROMPT","features":[584]},{"name":"DBPROP","features":[512,584]},{"name":"DBPROP","features":[512,584]},{"name":"DBPROPENUM","features":[584]},{"name":"DBPROPENUM15","features":[584]},{"name":"DBPROPENUM20","features":[584]},{"name":"DBPROPENUM21","features":[584]},{"name":"DBPROPENUM25","features":[584]},{"name":"DBPROPENUM25_DEPRECATED","features":[584]},{"name":"DBPROPENUM26","features":[584]},{"name":"DBPROPENUMDEPRECATED","features":[584]},{"name":"DBPROPFLAGSENUM","features":[584]},{"name":"DBPROPFLAGSENUM21","features":[584]},{"name":"DBPROPFLAGSENUM25","features":[584]},{"name":"DBPROPFLAGSENUM26","features":[584]},{"name":"DBPROPFLAGS_COLUMN","features":[584]},{"name":"DBPROPFLAGS_COLUMNOK","features":[584]},{"name":"DBPROPFLAGS_DATASOURCE","features":[584]},{"name":"DBPROPFLAGS_DATASOURCECREATE","features":[584]},{"name":"DBPROPFLAGS_DATASOURCEINFO","features":[584]},{"name":"DBPROPFLAGS_DBINIT","features":[584]},{"name":"DBPROPFLAGS_INDEX","features":[584]},{"name":"DBPROPFLAGS_NOTSUPPORTED","features":[584]},{"name":"DBPROPFLAGS_PERSIST","features":[584]},{"name":"DBPROPFLAGS_READ","features":[584]},{"name":"DBPROPFLAGS_REQUIRED","features":[584]},{"name":"DBPROPFLAGS_ROWSET","features":[584]},{"name":"DBPROPFLAGS_SESSION","features":[584]},{"name":"DBPROPFLAGS_STREAM","features":[584]},{"name":"DBPROPFLAGS_TABLE","features":[584]},{"name":"DBPROPFLAGS_TRUSTEE","features":[584]},{"name":"DBPROPFLAGS_VIEW","features":[584]},{"name":"DBPROPFLAGS_WRITE","features":[584]},{"name":"DBPROPIDSET","features":[584]},{"name":"DBPROPIDSET","features":[584]},{"name":"DBPROPINFO","features":[584,383]},{"name":"DBPROPINFO","features":[584,383]},{"name":"DBPROPINFOSET","features":[584,383]},{"name":"DBPROPINFOSET","features":[584,383]},{"name":"DBPROPOPTIONSENUM","features":[584]},{"name":"DBPROPOPTIONS_OPTIONAL","features":[584]},{"name":"DBPROPOPTIONS_REQUIRED","features":[584]},{"name":"DBPROPOPTIONS_SETIFCHEAP","features":[584]},{"name":"DBPROPSET","features":[512,584]},{"name":"DBPROPSET","features":[512,584]},{"name":"DBPROPSET_MSDAORA8_ROWSET","features":[584]},{"name":"DBPROPSET_MSDAORA_ROWSET","features":[584]},{"name":"DBPROPSET_MSDSDBINIT","features":[584]},{"name":"DBPROPSET_MSDSSESSION","features":[584]},{"name":"DBPROPSET_PERSIST","features":[584]},{"name":"DBPROPSET_PROVIDERCONNATTR","features":[584]},{"name":"DBPROPSET_PROVIDERDATASOURCEINFO","features":[584]},{"name":"DBPROPSET_PROVIDERDBINIT","features":[584]},{"name":"DBPROPSET_PROVIDERROWSET","features":[584]},{"name":"DBPROPSET_PROVIDERSTMTATTR","features":[584]},{"name":"DBPROPSET_SQLSERVERCOLUMN","features":[584]},{"name":"DBPROPSET_SQLSERVERDATASOURCE","features":[584]},{"name":"DBPROPSET_SQLSERVERDATASOURCEINFO","features":[584]},{"name":"DBPROPSET_SQLSERVERDBINIT","features":[584]},{"name":"DBPROPSET_SQLSERVERROWSET","features":[584]},{"name":"DBPROPSET_SQLSERVERSESSION","features":[584]},{"name":"DBPROPSET_SQLSERVERSTREAM","features":[584]},{"name":"DBPROPSTATUSENUM","features":[584]},{"name":"DBPROPSTATUSENUM21","features":[584]},{"name":"DBPROPSTATUS_BADCOLUMN","features":[584]},{"name":"DBPROPSTATUS_BADOPTION","features":[584]},{"name":"DBPROPSTATUS_BADVALUE","features":[584]},{"name":"DBPROPSTATUS_CONFLICTING","features":[584]},{"name":"DBPROPSTATUS_NOTALLSETTABLE","features":[584]},{"name":"DBPROPSTATUS_NOTAVAILABLE","features":[584]},{"name":"DBPROPSTATUS_NOTSET","features":[584]},{"name":"DBPROPSTATUS_NOTSETTABLE","features":[584]},{"name":"DBPROPSTATUS_NOTSUPPORTED","features":[584]},{"name":"DBPROPSTATUS_OK","features":[584]},{"name":"DBPROPVAL_AO_RANDOM","features":[584]},{"name":"DBPROPVAL_AO_SEQUENTIAL","features":[584]},{"name":"DBPROPVAL_AO_SEQUENTIALSTORAGEOBJECTS","features":[584]},{"name":"DBPROPVAL_ASYNCH_BACKGROUNDPOPULATION","features":[584]},{"name":"DBPROPVAL_ASYNCH_INITIALIZE","features":[584]},{"name":"DBPROPVAL_ASYNCH_POPULATEONDEMAND","features":[584]},{"name":"DBPROPVAL_ASYNCH_PREPOPULATE","features":[584]},{"name":"DBPROPVAL_ASYNCH_RANDOMPOPULATION","features":[584]},{"name":"DBPROPVAL_ASYNCH_SEQUENTIALPOPULATION","features":[584]},{"name":"DBPROPVAL_BD_INTRANSACTION","features":[584]},{"name":"DBPROPVAL_BD_REORGANIZATION","features":[584]},{"name":"DBPROPVAL_BD_ROWSET","features":[584]},{"name":"DBPROPVAL_BD_XTRANSACTION","features":[584]},{"name":"DBPROPVAL_BI_CROSSROWSET","features":[584]},{"name":"DBPROPVAL_BMK_KEY","features":[584]},{"name":"DBPROPVAL_BMK_NUMERIC","features":[584]},{"name":"DBPROPVAL_BO_NOINDEXUPDATE","features":[584]},{"name":"DBPROPVAL_BO_NOLOG","features":[584]},{"name":"DBPROPVAL_BO_REFINTEGRITY","features":[584]},{"name":"DBPROPVAL_CB_DELETE","features":[584]},{"name":"DBPROPVAL_CB_NON_NULL","features":[584]},{"name":"DBPROPVAL_CB_NULL","features":[584]},{"name":"DBPROPVAL_CB_PRESERVE","features":[584]},{"name":"DBPROPVAL_CD_NOTNULL","features":[584]},{"name":"DBPROPVAL_CL_END","features":[584]},{"name":"DBPROPVAL_CL_START","features":[584]},{"name":"DBPROPVAL_CM_TRANSACTIONS","features":[584]},{"name":"DBPROPVAL_CO_BEGINSWITH","features":[584]},{"name":"DBPROPVAL_CO_CASEINSENSITIVE","features":[584]},{"name":"DBPROPVAL_CO_CASESENSITIVE","features":[584]},{"name":"DBPROPVAL_CO_CONTAINS","features":[584]},{"name":"DBPROPVAL_CO_EQUALITY","features":[584]},{"name":"DBPROPVAL_CO_STRING","features":[584]},{"name":"DBPROPVAL_CS_COMMUNICATIONFAILURE","features":[584]},{"name":"DBPROPVAL_CS_INITIALIZED","features":[584]},{"name":"DBPROPVAL_CS_UNINITIALIZED","features":[584]},{"name":"DBPROPVAL_CU_DML_STATEMENTS","features":[584]},{"name":"DBPROPVAL_CU_INDEX_DEFINITION","features":[584]},{"name":"DBPROPVAL_CU_PRIVILEGE_DEFINITION","features":[584]},{"name":"DBPROPVAL_CU_TABLE_DEFINITION","features":[584]},{"name":"DBPROPVAL_DF_INITIALLY_DEFERRED","features":[584]},{"name":"DBPROPVAL_DF_INITIALLY_IMMEDIATE","features":[584]},{"name":"DBPROPVAL_DF_NOT_DEFERRABLE","features":[584]},{"name":"DBPROPVAL_DST_DOCSOURCE","features":[584]},{"name":"DBPROPVAL_DST_MDP","features":[584]},{"name":"DBPROPVAL_DST_TDP","features":[584]},{"name":"DBPROPVAL_DST_TDPANDMDP","features":[584]},{"name":"DBPROPVAL_FU_CATALOG","features":[584]},{"name":"DBPROPVAL_FU_COLUMN","features":[584]},{"name":"DBPROPVAL_FU_NOT_SUPPORTED","features":[584]},{"name":"DBPROPVAL_FU_TABLE","features":[584]},{"name":"DBPROPVAL_GB_COLLATE","features":[584]},{"name":"DBPROPVAL_GB_CONTAINS_SELECT","features":[584]},{"name":"DBPROPVAL_GB_EQUALS_SELECT","features":[584]},{"name":"DBPROPVAL_GB_NOT_SUPPORTED","features":[584]},{"name":"DBPROPVAL_GB_NO_RELATION","features":[584]},{"name":"DBPROPVAL_GU_NOTSUPPORTED","features":[584]},{"name":"DBPROPVAL_GU_SUFFIX","features":[584]},{"name":"DBPROPVAL_HT_DIFFERENT_CATALOGS","features":[584]},{"name":"DBPROPVAL_HT_DIFFERENT_PROVIDERS","features":[584]},{"name":"DBPROPVAL_IC_LOWER","features":[584]},{"name":"DBPROPVAL_IC_MIXED","features":[584]},{"name":"DBPROPVAL_IC_SENSITIVE","features":[584]},{"name":"DBPROPVAL_IC_UPPER","features":[584]},{"name":"DBPROPVAL_IN_ALLOWNULL","features":[584]},{"name":"DBPROPVAL_IN_DISALLOWNULL","features":[584]},{"name":"DBPROPVAL_IN_IGNOREANYNULL","features":[584]},{"name":"DBPROPVAL_IN_IGNORENULL","features":[584]},{"name":"DBPROPVAL_IT_BTREE","features":[584]},{"name":"DBPROPVAL_IT_CONTENT","features":[584]},{"name":"DBPROPVAL_IT_HASH","features":[584]},{"name":"DBPROPVAL_IT_OTHER","features":[584]},{"name":"DBPROPVAL_LM_INTENT","features":[584]},{"name":"DBPROPVAL_LM_NONE","features":[584]},{"name":"DBPROPVAL_LM_READ","features":[584]},{"name":"DBPROPVAL_LM_RITE","features":[584]},{"name":"DBPROPVAL_LM_SINGLEROW","features":[584]},{"name":"DBPROPVAL_MR_CONCURRENT","features":[584]},{"name":"DBPROPVAL_MR_NOTSUPPORTED","features":[584]},{"name":"DBPROPVAL_MR_SUPPORTED","features":[584]},{"name":"DBPROPVAL_NC_END","features":[584]},{"name":"DBPROPVAL_NC_HIGH","features":[584]},{"name":"DBPROPVAL_NC_LOW","features":[584]},{"name":"DBPROPVAL_NC_START","features":[584]},{"name":"DBPROPVAL_NP_ABOUTTODO","features":[584]},{"name":"DBPROPVAL_NP_DIDEVENT","features":[584]},{"name":"DBPROPVAL_NP_FAILEDTODO","features":[584]},{"name":"DBPROPVAL_NP_OKTODO","features":[584]},{"name":"DBPROPVAL_NP_SYNCHAFTER","features":[584]},{"name":"DBPROPVAL_NT_MULTIPLEROWS","features":[584]},{"name":"DBPROPVAL_NT_SINGLEROW","features":[584]},{"name":"DBPROPVAL_OA_ATEXECUTE","features":[584]},{"name":"DBPROPVAL_OA_ATROWRELEASE","features":[584]},{"name":"DBPROPVAL_OA_NOTSUPPORTED","features":[584]},{"name":"DBPROPVAL_OO_BLOB","features":[584]},{"name":"DBPROPVAL_OO_DIRECTBIND","features":[584]},{"name":"DBPROPVAL_OO_IPERSIST","features":[584]},{"name":"DBPROPVAL_OO_ROWOBJECT","features":[584]},{"name":"DBPROPVAL_OO_SCOPED","features":[584]},{"name":"DBPROPVAL_OO_SINGLETON","features":[584]},{"name":"DBPROPVAL_OP_EQUAL","features":[584]},{"name":"DBPROPVAL_OP_RELATIVE","features":[584]},{"name":"DBPROPVAL_OP_STRING","features":[584]},{"name":"DBPROPVAL_ORS_HISTOGRAM","features":[584]},{"name":"DBPROPVAL_ORS_INDEX","features":[584]},{"name":"DBPROPVAL_ORS_INTEGRATEDINDEX","features":[584]},{"name":"DBPROPVAL_ORS_STOREDPROC","features":[584]},{"name":"DBPROPVAL_ORS_TABLE","features":[584]},{"name":"DBPROPVAL_OS_AGR_AFTERSESSION","features":[584]},{"name":"DBPROPVAL_OS_CLIENTCURSOR","features":[584]},{"name":"DBPROPVAL_OS_DISABLEALL","features":[584]},{"name":"DBPROPVAL_OS_ENABLEALL","features":[584]},{"name":"DBPROPVAL_OS_RESOURCEPOOLING","features":[584]},{"name":"DBPROPVAL_OS_TXNENLISTMENT","features":[584]},{"name":"DBPROPVAL_PERSIST_ADTG","features":[584]},{"name":"DBPROPVAL_PERSIST_XML","features":[584]},{"name":"DBPROPVAL_PT_GUID","features":[584]},{"name":"DBPROPVAL_PT_GUID_NAME","features":[584]},{"name":"DBPROPVAL_PT_GUID_PROPID","features":[584]},{"name":"DBPROPVAL_PT_NAME","features":[584]},{"name":"DBPROPVAL_PT_PGUID_NAME","features":[584]},{"name":"DBPROPVAL_PT_PGUID_PROPID","features":[584]},{"name":"DBPROPVAL_PT_PROPID","features":[584]},{"name":"DBPROPVAL_RD_RESETALL","features":[584]},{"name":"DBPROPVAL_RT_APTMTTHREAD","features":[584]},{"name":"DBPROPVAL_RT_FREETHREAD","features":[584]},{"name":"DBPROPVAL_RT_SINGLETHREAD","features":[584]},{"name":"DBPROPVAL_SQL_ANSI89_IEF","features":[584]},{"name":"DBPROPVAL_SQL_ANSI92_ENTRY","features":[584]},{"name":"DBPROPVAL_SQL_ANSI92_FULL","features":[584]},{"name":"DBPROPVAL_SQL_ANSI92_INTERMEDIATE","features":[584]},{"name":"DBPROPVAL_SQL_ESCAPECLAUSES","features":[584]},{"name":"DBPROPVAL_SQL_FIPS_TRANSITIONAL","features":[584]},{"name":"DBPROPVAL_SQL_NONE","features":[584]},{"name":"DBPROPVAL_SQL_ODBC_CORE","features":[584]},{"name":"DBPROPVAL_SQL_ODBC_EXTENDED","features":[584]},{"name":"DBPROPVAL_SQL_ODBC_MINIMUM","features":[584]},{"name":"DBPROPVAL_SQL_SUBMINIMUM","features":[584]},{"name":"DBPROPVAL_SQ_COMPARISON","features":[584]},{"name":"DBPROPVAL_SQ_CORRELATEDSUBQUERIES","features":[584]},{"name":"DBPROPVAL_SQ_EXISTS","features":[584]},{"name":"DBPROPVAL_SQ_IN","features":[584]},{"name":"DBPROPVAL_SQ_QUANTIFIED","features":[584]},{"name":"DBPROPVAL_SQ_TABLE","features":[584]},{"name":"DBPROPVAL_SS_ILOCKBYTES","features":[584]},{"name":"DBPROPVAL_SS_ISEQUENTIALSTREAM","features":[584]},{"name":"DBPROPVAL_SS_ISTORAGE","features":[584]},{"name":"DBPROPVAL_SS_ISTREAM","features":[584]},{"name":"DBPROPVAL_STGM_CONVERT","features":[584]},{"name":"DBPROPVAL_STGM_DELETEONRELEASE","features":[584]},{"name":"DBPROPVAL_STGM_DIRECT","features":[584]},{"name":"DBPROPVAL_STGM_FAILIFTHERE","features":[584]},{"name":"DBPROPVAL_STGM_PRIORITY","features":[584]},{"name":"DBPROPVAL_STGM_TRANSACTED","features":[584]},{"name":"DBPROPVAL_SU_DML_STATEMENTS","features":[584]},{"name":"DBPROPVAL_SU_INDEX_DEFINITION","features":[584]},{"name":"DBPROPVAL_SU_PRIVILEGE_DEFINITION","features":[584]},{"name":"DBPROPVAL_SU_TABLE_DEFINITION","features":[584]},{"name":"DBPROPVAL_TC_ALL","features":[584]},{"name":"DBPROPVAL_TC_DDL_COMMIT","features":[584]},{"name":"DBPROPVAL_TC_DDL_IGNORE","features":[584]},{"name":"DBPROPVAL_TC_DDL_LOCK","features":[584]},{"name":"DBPROPVAL_TC_DML","features":[584]},{"name":"DBPROPVAL_TC_NONE","features":[584]},{"name":"DBPROPVAL_TI_BROWSE","features":[584]},{"name":"DBPROPVAL_TI_CHAOS","features":[584]},{"name":"DBPROPVAL_TI_CURSORSTABILITY","features":[584]},{"name":"DBPROPVAL_TI_ISOLATED","features":[584]},{"name":"DBPROPVAL_TI_READCOMMITTED","features":[584]},{"name":"DBPROPVAL_TI_READUNCOMMITTED","features":[584]},{"name":"DBPROPVAL_TI_REPEATABLEREAD","features":[584]},{"name":"DBPROPVAL_TI_SERIALIZABLE","features":[584]},{"name":"DBPROPVAL_TR_ABORT","features":[584]},{"name":"DBPROPVAL_TR_ABORT_DC","features":[584]},{"name":"DBPROPVAL_TR_ABORT_NO","features":[584]},{"name":"DBPROPVAL_TR_BOTH","features":[584]},{"name":"DBPROPVAL_TR_COMMIT","features":[584]},{"name":"DBPROPVAL_TR_COMMIT_DC","features":[584]},{"name":"DBPROPVAL_TR_COMMIT_NO","features":[584]},{"name":"DBPROPVAL_TR_DONTCARE","features":[584]},{"name":"DBPROPVAL_TR_NONE","features":[584]},{"name":"DBPROPVAL_TR_OPTIMISTIC","features":[584]},{"name":"DBPROPVAL_TS_CARDINALITY","features":[584]},{"name":"DBPROPVAL_TS_HISTOGRAM","features":[584]},{"name":"DBPROPVAL_UP_CHANGE","features":[584]},{"name":"DBPROPVAL_UP_DELETE","features":[584]},{"name":"DBPROPVAL_UP_INSERT","features":[584]},{"name":"DBPROP_ABORTPRESERVE","features":[584]},{"name":"DBPROP_ACCESSORDER","features":[584]},{"name":"DBPROP_ACTIVESESSIONS","features":[584]},{"name":"DBPROP_ALTERCOLUMN","features":[584]},{"name":"DBPROP_APPENDONLY","features":[584]},{"name":"DBPROP_ASYNCTXNABORT","features":[584]},{"name":"DBPROP_ASYNCTXNCOMMIT","features":[584]},{"name":"DBPROP_AUTH_CACHE_AUTHINFO","features":[584]},{"name":"DBPROP_AUTH_ENCRYPT_PASSWORD","features":[584]},{"name":"DBPROP_AUTH_INTEGRATED","features":[584]},{"name":"DBPROP_AUTH_MASK_PASSWORD","features":[584]},{"name":"DBPROP_AUTH_PASSWORD","features":[584]},{"name":"DBPROP_AUTH_PERSIST_ENCRYPTED","features":[584]},{"name":"DBPROP_AUTH_PERSIST_SENSITIVE_AUTHINFO","features":[584]},{"name":"DBPROP_AUTH_USERID","features":[584]},{"name":"DBPROP_BLOCKINGSTORAGEOBJECTS","features":[584]},{"name":"DBPROP_BOOKMARKINFO","features":[584]},{"name":"DBPROP_BOOKMARKS","features":[584]},{"name":"DBPROP_BOOKMARKSKIPPED","features":[584]},{"name":"DBPROP_BOOKMARKTYPE","features":[584]},{"name":"DBPROP_BYREFACCESSORS","features":[584]},{"name":"DBPROP_CACHEDEFERRED","features":[584]},{"name":"DBPROP_CANFETCHBACKWARDS","features":[584]},{"name":"DBPROP_CANHOLDROWS","features":[584]},{"name":"DBPROP_CANSCROLLBACKWARDS","features":[584]},{"name":"DBPROP_CATALOGLOCATION","features":[584]},{"name":"DBPROP_CATALOGTERM","features":[584]},{"name":"DBPROP_CATALOGUSAGE","features":[584]},{"name":"DBPROP_CHANGEINSERTEDROWS","features":[584]},{"name":"DBPROP_CLIENTCURSOR","features":[584]},{"name":"DBPROP_COLUMNDEFINITION","features":[584]},{"name":"DBPROP_COLUMNLCID","features":[584]},{"name":"DBPROP_COLUMNRESTRICT","features":[584]},{"name":"DBPROP_COL_AUTOINCREMENT","features":[584]},{"name":"DBPROP_COL_DEFAULT","features":[584]},{"name":"DBPROP_COL_DESCRIPTION","features":[584]},{"name":"DBPROP_COL_FIXEDLENGTH","features":[584]},{"name":"DBPROP_COL_INCREMENT","features":[584]},{"name":"DBPROP_COL_ISLONG","features":[584]},{"name":"DBPROP_COL_NULLABLE","features":[584]},{"name":"DBPROP_COL_PRIMARYKEY","features":[584]},{"name":"DBPROP_COL_SEED","features":[584]},{"name":"DBPROP_COL_UNIQUE","features":[584]},{"name":"DBPROP_COMMANDTIMEOUT","features":[584]},{"name":"DBPROP_COMMITPRESERVE","features":[584]},{"name":"DBPROP_COMSERVICES","features":[584]},{"name":"DBPROP_CONCATNULLBEHAVIOR","features":[584]},{"name":"DBPROP_CONNECTIONSTATUS","features":[584]},{"name":"DBPROP_CURRENTCATALOG","features":[584]},{"name":"DBPROP_DATASOURCENAME","features":[584]},{"name":"DBPROP_DATASOURCEREADONLY","features":[584]},{"name":"DBPROP_DATASOURCE_TYPE","features":[584]},{"name":"DBPROP_DBMSNAME","features":[584]},{"name":"DBPROP_DBMSVER","features":[584]},{"name":"DBPROP_DEFERRED","features":[584]},{"name":"DBPROP_DELAYSTORAGEOBJECTS","features":[584]},{"name":"DBPROP_DSOTHREADMODEL","features":[584]},{"name":"DBPROP_FILTERCOMPAREOPS","features":[584]},{"name":"DBPROP_FILTEROPS","features":[584]},{"name":"DBPROP_FINDCOMPAREOPS","features":[584]},{"name":"DBPROP_GENERATEURL","features":[584]},{"name":"DBPROP_GROUPBY","features":[584]},{"name":"DBPROP_HCHAPTER","features":[584]},{"name":"DBPROP_HETEROGENEOUSTABLES","features":[584]},{"name":"DBPROP_HIDDENCOLUMNS","features":[584]},{"name":"DBPROP_IAccessor","features":[584]},{"name":"DBPROP_IBindResource","features":[584]},{"name":"DBPROP_IChapteredRowset","features":[584]},{"name":"DBPROP_IColumnsInfo","features":[584]},{"name":"DBPROP_IColumnsInfo2","features":[584]},{"name":"DBPROP_IColumnsRowset","features":[584]},{"name":"DBPROP_ICommandCost","features":[584]},{"name":"DBPROP_ICommandTree","features":[584]},{"name":"DBPROP_ICommandValidate","features":[584]},{"name":"DBPROP_IConnectionPointContainer","features":[584]},{"name":"DBPROP_IConvertType","features":[584]},{"name":"DBPROP_ICreateRow","features":[584]},{"name":"DBPROP_IDBAsynchStatus","features":[584]},{"name":"DBPROP_IDBBinderProperties","features":[584]},{"name":"DBPROP_IDBSchemaCommand","features":[584]},{"name":"DBPROP_IDENTIFIERCASE","features":[584]},{"name":"DBPROP_IGetRow","features":[584]},{"name":"DBPROP_IGetSession","features":[584]},{"name":"DBPROP_IGetSourceRow","features":[584]},{"name":"DBPROP_ILockBytes","features":[584]},{"name":"DBPROP_IMMOBILEROWS","features":[584]},{"name":"DBPROP_IMultipleResults","features":[584]},{"name":"DBPROP_INDEX_AUTOUPDATE","features":[584]},{"name":"DBPROP_INDEX_CLUSTERED","features":[584]},{"name":"DBPROP_INDEX_FILLFACTOR","features":[584]},{"name":"DBPROP_INDEX_INITIALSIZE","features":[584]},{"name":"DBPROP_INDEX_NULLCOLLATION","features":[584]},{"name":"DBPROP_INDEX_NULLS","features":[584]},{"name":"DBPROP_INDEX_PRIMARYKEY","features":[584]},{"name":"DBPROP_INDEX_SORTBOOKMARKS","features":[584]},{"name":"DBPROP_INDEX_TEMPINDEX","features":[584]},{"name":"DBPROP_INDEX_TYPE","features":[584]},{"name":"DBPROP_INDEX_UNIQUE","features":[584]},{"name":"DBPROP_INIT_ASYNCH","features":[584]},{"name":"DBPROP_INIT_BINDFLAGS","features":[584]},{"name":"DBPROP_INIT_CATALOG","features":[584]},{"name":"DBPROP_INIT_DATASOURCE","features":[584]},{"name":"DBPROP_INIT_GENERALTIMEOUT","features":[584]},{"name":"DBPROP_INIT_HWND","features":[584]},{"name":"DBPROP_INIT_IMPERSONATION_LEVEL","features":[584]},{"name":"DBPROP_INIT_LCID","features":[584]},{"name":"DBPROP_INIT_LOCATION","features":[584]},{"name":"DBPROP_INIT_LOCKOWNER","features":[584]},{"name":"DBPROP_INIT_MODE","features":[584]},{"name":"DBPROP_INIT_OLEDBSERVICES","features":[584]},{"name":"DBPROP_INIT_PROMPT","features":[584]},{"name":"DBPROP_INIT_PROTECTION_LEVEL","features":[584]},{"name":"DBPROP_INIT_PROVIDERSTRING","features":[584]},{"name":"DBPROP_INIT_TIMEOUT","features":[584]},{"name":"DBPROP_INTERLEAVEDROWS","features":[584]},{"name":"DBPROP_IParentRowset","features":[584]},{"name":"DBPROP_IProvideMoniker","features":[584]},{"name":"DBPROP_IQuery","features":[584]},{"name":"DBPROP_IReadData","features":[584]},{"name":"DBPROP_IRegisterProvider","features":[584]},{"name":"DBPROP_IRow","features":[584]},{"name":"DBPROP_IRowChange","features":[584]},{"name":"DBPROP_IRowSchemaChange","features":[584]},{"name":"DBPROP_IRowset","features":[584]},{"name":"DBPROP_IRowsetAsynch","features":[584]},{"name":"DBPROP_IRowsetBookmark","features":[584]},{"name":"DBPROP_IRowsetChange","features":[584]},{"name":"DBPROP_IRowsetCopyRows","features":[584]},{"name":"DBPROP_IRowsetCurrentIndex","features":[584]},{"name":"DBPROP_IRowsetExactScroll","features":[584]},{"name":"DBPROP_IRowsetFind","features":[584]},{"name":"DBPROP_IRowsetIdentity","features":[584]},{"name":"DBPROP_IRowsetIndex","features":[584]},{"name":"DBPROP_IRowsetInfo","features":[584]},{"name":"DBPROP_IRowsetKeys","features":[584]},{"name":"DBPROP_IRowsetLocate","features":[584]},{"name":"DBPROP_IRowsetNewRowAfter","features":[584]},{"name":"DBPROP_IRowsetNextRowset","features":[584]},{"name":"DBPROP_IRowsetRefresh","features":[584]},{"name":"DBPROP_IRowsetResynch","features":[584]},{"name":"DBPROP_IRowsetScroll","features":[584]},{"name":"DBPROP_IRowsetUpdate","features":[584]},{"name":"DBPROP_IRowsetView","features":[584]},{"name":"DBPROP_IRowsetWatchAll","features":[584]},{"name":"DBPROP_IRowsetWatchNotify","features":[584]},{"name":"DBPROP_IRowsetWatchRegion","features":[584]},{"name":"DBPROP_IRowsetWithParameters","features":[584]},{"name":"DBPROP_IScopedOperations","features":[584]},{"name":"DBPROP_ISequentialStream","features":[584]},{"name":"DBPROP_IStorage","features":[584]},{"name":"DBPROP_IStream","features":[584]},{"name":"DBPROP_ISupportErrorInfo","features":[584]},{"name":"DBPROP_IViewChapter","features":[584]},{"name":"DBPROP_IViewFilter","features":[584]},{"name":"DBPROP_IViewRowset","features":[584]},{"name":"DBPROP_IViewSort","features":[584]},{"name":"DBPROP_LITERALBOOKMARKS","features":[584]},{"name":"DBPROP_LITERALIDENTITY","features":[584]},{"name":"DBPROP_LOCKMODE","features":[584]},{"name":"DBPROP_MAINTAINPROPS","features":[584]},{"name":"DBPROP_MARSHALLABLE","features":[584]},{"name":"DBPROP_MAXINDEXSIZE","features":[584]},{"name":"DBPROP_MAXOPENCHAPTERS","features":[584]},{"name":"DBPROP_MAXOPENROWS","features":[584]},{"name":"DBPROP_MAXORSINFILTER","features":[584]},{"name":"DBPROP_MAXPENDINGROWS","features":[584]},{"name":"DBPROP_MAXROWS","features":[584]},{"name":"DBPROP_MAXROWSIZE","features":[584]},{"name":"DBPROP_MAXROWSIZEINCLUDESBLOB","features":[584]},{"name":"DBPROP_MAXSORTCOLUMNS","features":[584]},{"name":"DBPROP_MAXTABLESINSELECT","features":[584]},{"name":"DBPROP_MAYWRITECOLUMN","features":[584]},{"name":"DBPROP_MEMORYUSAGE","features":[584]},{"name":"DBPROP_MSDAORA8_DETERMINEKEYCOLUMNS","features":[584]},{"name":"DBPROP_MSDAORA_DETERMINEKEYCOLUMNS","features":[584]},{"name":"DBPROP_MSDS_DBINIT_DATAPROVIDER","features":[584]},{"name":"DBPROP_MSDS_SESS_UNIQUENAMES","features":[584]},{"name":"DBPROP_MULTIPLECONNECTIONS","features":[584]},{"name":"DBPROP_MULTIPLEPARAMSETS","features":[584]},{"name":"DBPROP_MULTIPLERESULTS","features":[584]},{"name":"DBPROP_MULTIPLESTORAGEOBJECTS","features":[584]},{"name":"DBPROP_MULTITABLEUPDATE","features":[584]},{"name":"DBPROP_NOTIFICATIONGRANULARITY","features":[584]},{"name":"DBPROP_NOTIFICATIONPHASES","features":[584]},{"name":"DBPROP_NOTIFYCOLUMNSET","features":[584]},{"name":"DBPROP_NOTIFYROWDELETE","features":[584]},{"name":"DBPROP_NOTIFYROWFIRSTCHANGE","features":[584]},{"name":"DBPROP_NOTIFYROWINSERT","features":[584]},{"name":"DBPROP_NOTIFYROWRESYNCH","features":[584]},{"name":"DBPROP_NOTIFYROWSETCHANGED","features":[584]},{"name":"DBPROP_NOTIFYROWSETFETCHPOSITIONCHANGE","features":[584]},{"name":"DBPROP_NOTIFYROWSETRELEASE","features":[584]},{"name":"DBPROP_NOTIFYROWUNDOCHANGE","features":[584]},{"name":"DBPROP_NOTIFYROWUNDODELETE","features":[584]},{"name":"DBPROP_NOTIFYROWUNDOINSERT","features":[584]},{"name":"DBPROP_NOTIFYROWUPDATE","features":[584]},{"name":"DBPROP_NULLCOLLATION","features":[584]},{"name":"DBPROP_OLEOBJECTS","features":[584]},{"name":"DBPROP_OPENROWSETSUPPORT","features":[584]},{"name":"DBPROP_ORDERBYCOLUMNSINSELECT","features":[584]},{"name":"DBPROP_ORDEREDBOOKMARKS","features":[584]},{"name":"DBPROP_OTHERINSERT","features":[584]},{"name":"DBPROP_OTHERUPDATEDELETE","features":[584]},{"name":"DBPROP_OUTPUTENCODING","features":[584]},{"name":"DBPROP_OUTPUTPARAMETERAVAILABILITY","features":[584]},{"name":"DBPROP_OUTPUTSTREAM","features":[584]},{"name":"DBPROP_OWNINSERT","features":[584]},{"name":"DBPROP_OWNUPDATEDELETE","features":[584]},{"name":"DBPROP_PERSISTENTIDTYPE","features":[584]},{"name":"DBPROP_PREPAREABORTBEHAVIOR","features":[584]},{"name":"DBPROP_PREPARECOMMITBEHAVIOR","features":[584]},{"name":"DBPROP_PROCEDURETERM","features":[584]},{"name":"DBPROP_PROVIDERFRIENDLYNAME","features":[584]},{"name":"DBPROP_PROVIDERMEMORY","features":[584]},{"name":"DBPROP_PROVIDERNAME","features":[584]},{"name":"DBPROP_PROVIDEROLEDBVER","features":[584]},{"name":"DBPROP_PROVIDERVER","features":[584]},{"name":"DBPROP_PersistFormat","features":[584]},{"name":"DBPROP_PersistSchema","features":[584]},{"name":"DBPROP_QUICKRESTART","features":[584]},{"name":"DBPROP_QUOTEDIDENTIFIERCASE","features":[584]},{"name":"DBPROP_REENTRANTEVENTS","features":[584]},{"name":"DBPROP_REMOVEDELETED","features":[584]},{"name":"DBPROP_REPORTMULTIPLECHANGES","features":[584]},{"name":"DBPROP_RESETDATASOURCE","features":[584]},{"name":"DBPROP_RETURNPENDINGINSERTS","features":[584]},{"name":"DBPROP_ROWRESTRICT","features":[584]},{"name":"DBPROP_ROWSETCONVERSIONSONCOMMAND","features":[584]},{"name":"DBPROP_ROWSET_ASYNCH","features":[584]},{"name":"DBPROP_ROWTHREADMODEL","features":[584]},{"name":"DBPROP_ROW_BULKOPS","features":[584]},{"name":"DBPROP_SCHEMATERM","features":[584]},{"name":"DBPROP_SCHEMAUSAGE","features":[584]},{"name":"DBPROP_SERVERCURSOR","features":[584]},{"name":"DBPROP_SERVERDATAONINSERT","features":[584]},{"name":"DBPROP_SERVERNAME","features":[584]},{"name":"DBPROP_SESS_AUTOCOMMITISOLEVELS","features":[584]},{"name":"DBPROP_SKIPROWCOUNTRESULTS","features":[584]},{"name":"DBPROP_SORTONINDEX","features":[584]},{"name":"DBPROP_SQLSUPPORT","features":[584]},{"name":"DBPROP_STORAGEFLAGS","features":[584]},{"name":"DBPROP_STRONGIDENTITY","features":[584]},{"name":"DBPROP_STRUCTUREDSTORAGE","features":[584]},{"name":"DBPROP_SUBQUERIES","features":[584]},{"name":"DBPROP_SUPPORTEDTXNDDL","features":[584]},{"name":"DBPROP_SUPPORTEDTXNISOLEVELS","features":[584]},{"name":"DBPROP_SUPPORTEDTXNISORETAIN","features":[584]},{"name":"DBPROP_TABLESTATISTICS","features":[584]},{"name":"DBPROP_TABLETERM","features":[584]},{"name":"DBPROP_TBL_TEMPTABLE","features":[584]},{"name":"DBPROP_TRANSACTEDOBJECT","features":[584]},{"name":"DBPROP_TRUSTEE_AUTHENTICATION","features":[584]},{"name":"DBPROP_TRUSTEE_NEWAUTHENTICATION","features":[584]},{"name":"DBPROP_TRUSTEE_USERNAME","features":[584]},{"name":"DBPROP_UNIQUEROWS","features":[584]},{"name":"DBPROP_UPDATABILITY","features":[584]},{"name":"DBPROP_USERNAME","features":[584]},{"name":"DBPROP_Unicode","features":[584]},{"name":"DBQUERYGUID","features":[584]},{"name":"DBRANGEENUM","features":[584]},{"name":"DBRANGEENUM20","features":[584]},{"name":"DBRANGE_EXCLUDENULLS","features":[584]},{"name":"DBRANGE_EXCLUSIVEEND","features":[584]},{"name":"DBRANGE_EXCLUSIVESTART","features":[584]},{"name":"DBRANGE_INCLUSIVEEND","features":[584]},{"name":"DBRANGE_INCLUSIVESTART","features":[584]},{"name":"DBRANGE_MATCH","features":[584]},{"name":"DBRANGE_MATCH_N_MASK","features":[584]},{"name":"DBRANGE_MATCH_N_SHIFT","features":[584]},{"name":"DBRANGE_PREFIX","features":[584]},{"name":"DBREASONENUM","features":[584]},{"name":"DBREASONENUM15","features":[584]},{"name":"DBREASONENUM25","features":[584]},{"name":"DBREASON_COLUMN_RECALCULATED","features":[584]},{"name":"DBREASON_COLUMN_SET","features":[584]},{"name":"DBREASON_ROWPOSITION_CHANGED","features":[584]},{"name":"DBREASON_ROWPOSITION_CHAPTERCHANGED","features":[584]},{"name":"DBREASON_ROWPOSITION_CLEARED","features":[584]},{"name":"DBREASON_ROWSET_CHANGED","features":[584]},{"name":"DBREASON_ROWSET_FETCHPOSITIONCHANGE","features":[584]},{"name":"DBREASON_ROWSET_POPULATIONCOMPLETE","features":[584]},{"name":"DBREASON_ROWSET_POPULATIONSTOPPED","features":[584]},{"name":"DBREASON_ROWSET_RELEASE","features":[584]},{"name":"DBREASON_ROWSET_ROWSADDED","features":[584]},{"name":"DBREASON_ROW_ACTIVATE","features":[584]},{"name":"DBREASON_ROW_ASYNCHINSERT","features":[584]},{"name":"DBREASON_ROW_DELETE","features":[584]},{"name":"DBREASON_ROW_FIRSTCHANGE","features":[584]},{"name":"DBREASON_ROW_INSERT","features":[584]},{"name":"DBREASON_ROW_RELEASE","features":[584]},{"name":"DBREASON_ROW_RESYNCH","features":[584]},{"name":"DBREASON_ROW_UNDOCHANGE","features":[584]},{"name":"DBREASON_ROW_UNDODELETE","features":[584]},{"name":"DBREASON_ROW_UNDOINSERT","features":[584]},{"name":"DBREASON_ROW_UPDATE","features":[584]},{"name":"DBRESOURCEKINDENUM","features":[584]},{"name":"DBRESOURCE_CPU","features":[584]},{"name":"DBRESOURCE_DISK","features":[584]},{"name":"DBRESOURCE_INVALID","features":[584]},{"name":"DBRESOURCE_MEMORY","features":[584]},{"name":"DBRESOURCE_NETWORK","features":[584]},{"name":"DBRESOURCE_OTHER","features":[584]},{"name":"DBRESOURCE_RESPONSE","features":[584]},{"name":"DBRESOURCE_ROWS","features":[584]},{"name":"DBRESOURCE_TOTAL","features":[584]},{"name":"DBRESULTFLAGENUM","features":[584]},{"name":"DBRESULTFLAG_DEFAULT","features":[584]},{"name":"DBRESULTFLAG_ROW","features":[584]},{"name":"DBRESULTFLAG_ROWSET","features":[584]},{"name":"DBROWCHANGEKINDENUM","features":[584]},{"name":"DBROWCHANGEKIND_COUNT","features":[584]},{"name":"DBROWCHANGEKIND_DELETE","features":[584]},{"name":"DBROWCHANGEKIND_INSERT","features":[584]},{"name":"DBROWCHANGEKIND_UPDATE","features":[584]},{"name":"DBROWSTATUSENUM","features":[584]},{"name":"DBROWSTATUSENUM20","features":[584]},{"name":"DBROWSTATUS_E_CANCELED","features":[584]},{"name":"DBROWSTATUS_E_CANTRELEASE","features":[584]},{"name":"DBROWSTATUS_E_CONCURRENCYVIOLATION","features":[584]},{"name":"DBROWSTATUS_E_DELETED","features":[584]},{"name":"DBROWSTATUS_E_FAIL","features":[584]},{"name":"DBROWSTATUS_E_INTEGRITYVIOLATION","features":[584]},{"name":"DBROWSTATUS_E_INVALID","features":[584]},{"name":"DBROWSTATUS_E_LIMITREACHED","features":[584]},{"name":"DBROWSTATUS_E_MAXPENDCHANGESEXCEEDED","features":[584]},{"name":"DBROWSTATUS_E_NEWLYINSERTED","features":[584]},{"name":"DBROWSTATUS_E_OBJECTOPEN","features":[584]},{"name":"DBROWSTATUS_E_OUTOFMEMORY","features":[584]},{"name":"DBROWSTATUS_E_PENDINGINSERT","features":[584]},{"name":"DBROWSTATUS_E_PERMISSIONDENIED","features":[584]},{"name":"DBROWSTATUS_E_SCHEMAVIOLATION","features":[584]},{"name":"DBROWSTATUS_S_MULTIPLECHANGES","features":[584]},{"name":"DBROWSTATUS_S_NOCHANGE","features":[584]},{"name":"DBROWSTATUS_S_OK","features":[584]},{"name":"DBROWSTATUS_S_PENDINGCHANGES","features":[584]},{"name":"DBROWWATCHCHANGE","features":[584]},{"name":"DBROWWATCHCHANGE","features":[584]},{"name":"DBSCHEMA_LINKEDSERVERS","features":[584]},{"name":"DBSEEKENUM","features":[584]},{"name":"DBSEEK_AFTER","features":[584]},{"name":"DBSEEK_AFTEREQ","features":[584]},{"name":"DBSEEK_BEFORE","features":[584]},{"name":"DBSEEK_BEFOREEQ","features":[584]},{"name":"DBSEEK_FIRSTEQ","features":[584]},{"name":"DBSEEK_INVALID","features":[584]},{"name":"DBSEEK_LASTEQ","features":[584]},{"name":"DBSELFGUID","features":[584]},{"name":"DBSORTENUM","features":[584]},{"name":"DBSORT_ASCENDING","features":[584]},{"name":"DBSORT_DESCENDING","features":[584]},{"name":"DBSOURCETYPEENUM","features":[584]},{"name":"DBSOURCETYPEENUM20","features":[584]},{"name":"DBSOURCETYPEENUM25","features":[584]},{"name":"DBSOURCETYPE_BINDER","features":[584]},{"name":"DBSOURCETYPE_DATASOURCE","features":[584]},{"name":"DBSOURCETYPE_DATASOURCE_MDP","features":[584]},{"name":"DBSOURCETYPE_DATASOURCE_TDP","features":[584]},{"name":"DBSOURCETYPE_ENUMERATOR","features":[584]},{"name":"DBSTATUSENUM","features":[584]},{"name":"DBSTATUSENUM20","features":[584]},{"name":"DBSTATUSENUM21","features":[584]},{"name":"DBSTATUSENUM25","features":[584]},{"name":"DBSTATUSENUM26","features":[584]},{"name":"DBSTATUS_E_BADACCESSOR","features":[584]},{"name":"DBSTATUS_E_BADSTATUS","features":[584]},{"name":"DBSTATUS_E_CANCELED","features":[584]},{"name":"DBSTATUS_E_CANNOTCOMPLETE","features":[584]},{"name":"DBSTATUS_E_CANTCONVERTVALUE","features":[584]},{"name":"DBSTATUS_E_CANTCREATE","features":[584]},{"name":"DBSTATUS_E_DATAOVERFLOW","features":[584]},{"name":"DBSTATUS_E_DOESNOTEXIST","features":[584]},{"name":"DBSTATUS_E_INTEGRITYVIOLATION","features":[584]},{"name":"DBSTATUS_E_INVALIDURL","features":[584]},{"name":"DBSTATUS_E_NOTCOLLECTION","features":[584]},{"name":"DBSTATUS_E_OUTOFSPACE","features":[584]},{"name":"DBSTATUS_E_PERMISSIONDENIED","features":[584]},{"name":"DBSTATUS_E_READONLY","features":[584]},{"name":"DBSTATUS_E_RESOURCEEXISTS","features":[584]},{"name":"DBSTATUS_E_RESOURCELOCKED","features":[584]},{"name":"DBSTATUS_E_RESOURCEOUTOFSCOPE","features":[584]},{"name":"DBSTATUS_E_SCHEMAVIOLATION","features":[584]},{"name":"DBSTATUS_E_SIGNMISMATCH","features":[584]},{"name":"DBSTATUS_E_UNAVAILABLE","features":[584]},{"name":"DBSTATUS_E_VOLUMENOTFOUND","features":[584]},{"name":"DBSTATUS_S_ALREADYEXISTS","features":[584]},{"name":"DBSTATUS_S_CANNOTDELETESOURCE","features":[584]},{"name":"DBSTATUS_S_DEFAULT","features":[584]},{"name":"DBSTATUS_S_IGNORE","features":[584]},{"name":"DBSTATUS_S_ISNULL","features":[584]},{"name":"DBSTATUS_S_OK","features":[584]},{"name":"DBSTATUS_S_ROWSETCOLUMN","features":[584]},{"name":"DBSTATUS_S_TRUNCATED","features":[584]},{"name":"DBSTAT_COLUMN_CARDINALITY","features":[584]},{"name":"DBSTAT_HISTOGRAM","features":[584]},{"name":"DBSTAT_TUPLE_CARDINALITY","features":[584]},{"name":"DBTABLESTATISTICSTYPE26","features":[584]},{"name":"DBTIME","features":[584]},{"name":"DBTIMESTAMP","features":[584]},{"name":"DBTIMESTAMP","features":[584]},{"name":"DBTYPEENUM","features":[584]},{"name":"DBTYPEENUM15","features":[584]},{"name":"DBTYPEENUM20","features":[584]},{"name":"DBTYPE_ARRAY","features":[584]},{"name":"DBTYPE_BOOL","features":[584]},{"name":"DBTYPE_BSTR","features":[584]},{"name":"DBTYPE_BYREF","features":[584]},{"name":"DBTYPE_BYTES","features":[584]},{"name":"DBTYPE_CY","features":[584]},{"name":"DBTYPE_DATE","features":[584]},{"name":"DBTYPE_DBDATE","features":[584]},{"name":"DBTYPE_DBTIME","features":[584]},{"name":"DBTYPE_DBTIMESTAMP","features":[584]},{"name":"DBTYPE_DECIMAL","features":[584]},{"name":"DBTYPE_EMPTY","features":[584]},{"name":"DBTYPE_ERROR","features":[584]},{"name":"DBTYPE_FILETIME","features":[584]},{"name":"DBTYPE_GUID","features":[584]},{"name":"DBTYPE_HCHAPTER","features":[584]},{"name":"DBTYPE_I1","features":[584]},{"name":"DBTYPE_I2","features":[584]},{"name":"DBTYPE_I4","features":[584]},{"name":"DBTYPE_I8","features":[584]},{"name":"DBTYPE_IDISPATCH","features":[584]},{"name":"DBTYPE_IUNKNOWN","features":[584]},{"name":"DBTYPE_NULL","features":[584]},{"name":"DBTYPE_NUMERIC","features":[584]},{"name":"DBTYPE_PROPVARIANT","features":[584]},{"name":"DBTYPE_R4","features":[584]},{"name":"DBTYPE_R8","features":[584]},{"name":"DBTYPE_RESERVED","features":[584]},{"name":"DBTYPE_SQLVARIANT","features":[584]},{"name":"DBTYPE_STR","features":[584]},{"name":"DBTYPE_UDT","features":[584]},{"name":"DBTYPE_UI1","features":[584]},{"name":"DBTYPE_UI2","features":[584]},{"name":"DBTYPE_UI4","features":[584]},{"name":"DBTYPE_UI8","features":[584]},{"name":"DBTYPE_VARIANT","features":[584]},{"name":"DBTYPE_VARNUMERIC","features":[584]},{"name":"DBTYPE_VECTOR","features":[584]},{"name":"DBTYPE_WSTR","features":[584]},{"name":"DBUNIT_BYTE","features":[584]},{"name":"DBUNIT_GIGA_BYTE","features":[584]},{"name":"DBUNIT_HOUR","features":[584]},{"name":"DBUNIT_INVALID","features":[584]},{"name":"DBUNIT_KILO_BYTE","features":[584]},{"name":"DBUNIT_MAXIMUM","features":[584]},{"name":"DBUNIT_MEGA_BYTE","features":[584]},{"name":"DBUNIT_MICRO_SECOND","features":[584]},{"name":"DBUNIT_MILLI_SECOND","features":[584]},{"name":"DBUNIT_MINIMUM","features":[584]},{"name":"DBUNIT_MINUTE","features":[584]},{"name":"DBUNIT_NUM_LOCKS","features":[584]},{"name":"DBUNIT_NUM_MSGS","features":[584]},{"name":"DBUNIT_NUM_ROWS","features":[584]},{"name":"DBUNIT_OTHER","features":[584]},{"name":"DBUNIT_PERCENT","features":[584]},{"name":"DBUNIT_SECOND","features":[584]},{"name":"DBUNIT_WEIGHT","features":[584]},{"name":"DBUPDELRULEENUM","features":[584]},{"name":"DBUPDELRULE_CASCADE","features":[584]},{"name":"DBUPDELRULE_NOACTION","features":[584]},{"name":"DBUPDELRULE_SETDEFAULT","features":[584]},{"name":"DBUPDELRULE_SETNULL","features":[584]},{"name":"DBVARYBIN","features":[584]},{"name":"DBVARYCHAR","features":[584]},{"name":"DBVECTOR","features":[584]},{"name":"DBVECTOR","features":[584]},{"name":"DBWATCHMODEENUM","features":[584]},{"name":"DBWATCHMODE_ALL","features":[584]},{"name":"DBWATCHMODE_COUNT","features":[584]},{"name":"DBWATCHMODE_EXTEND","features":[584]},{"name":"DBWATCHMODE_MOVE","features":[584]},{"name":"DBWATCHNOTIFYENUM","features":[584]},{"name":"DBWATCHNOTIFY_QUERYDONE","features":[584]},{"name":"DBWATCHNOTIFY_QUERYREEXECUTED","features":[584]},{"name":"DBWATCHNOTIFY_ROWSCHANGED","features":[584]},{"name":"DB_ALL_EXCEPT_LIKE","features":[584]},{"name":"DB_BINDFLAGS_COLLECTION","features":[584]},{"name":"DB_BINDFLAGS_DELAYFETCHCOLUMNS","features":[584]},{"name":"DB_BINDFLAGS_DELAYFETCHSTREAM","features":[584]},{"name":"DB_BINDFLAGS_ISSTRUCTUREDDOCUMENT","features":[584]},{"name":"DB_BINDFLAGS_OPENIFEXISTS","features":[584]},{"name":"DB_BINDFLAGS_OUTPUT","features":[584]},{"name":"DB_BINDFLAGS_OVERWRITE","features":[584]},{"name":"DB_BINDFLAGS_RECURSIVE","features":[584]},{"name":"DB_COLLATION_ASC","features":[584]},{"name":"DB_COLLATION_DESC","features":[584]},{"name":"DB_COUNTUNAVAILABLE","features":[584]},{"name":"DB_E_ABORTLIMITREACHED","features":[584]},{"name":"DB_E_ALREADYINITIALIZED","features":[584]},{"name":"DB_E_ALTERRESTRICTED","features":[584]},{"name":"DB_E_ASYNCNOTSUPPORTED","features":[584]},{"name":"DB_E_BADACCESSORFLAGS","features":[584]},{"name":"DB_E_BADACCESSORHANDLE","features":[584]},{"name":"DB_E_BADACCESSORTYPE","features":[584]},{"name":"DB_E_BADBINDINFO","features":[584]},{"name":"DB_E_BADBOOKMARK","features":[584]},{"name":"DB_E_BADCHAPTER","features":[584]},{"name":"DB_E_BADCOLUMNID","features":[584]},{"name":"DB_E_BADCOMMANDFLAGS","features":[584]},{"name":"DB_E_BADCOMMANDID","features":[584]},{"name":"DB_E_BADCOMPAREOP","features":[584]},{"name":"DB_E_BADCONSTRAINTFORM","features":[584]},{"name":"DB_E_BADCONSTRAINTID","features":[584]},{"name":"DB_E_BADCONSTRAINTTYPE","features":[584]},{"name":"DB_E_BADCONVERTFLAG","features":[584]},{"name":"DB_E_BADCOPY","features":[584]},{"name":"DB_E_BADDEFERRABILITY","features":[584]},{"name":"DB_E_BADDYNAMICERRORID","features":[584]},{"name":"DB_E_BADHRESULT","features":[584]},{"name":"DB_E_BADID","features":[584]},{"name":"DB_E_BADINDEXID","features":[584]},{"name":"DB_E_BADINITSTRING","features":[584]},{"name":"DB_E_BADLOCKMODE","features":[584]},{"name":"DB_E_BADLOOKUPID","features":[584]},{"name":"DB_E_BADMATCHTYPE","features":[584]},{"name":"DB_E_BADORDINAL","features":[584]},{"name":"DB_E_BADPARAMETERNAME","features":[584]},{"name":"DB_E_BADPRECISION","features":[584]},{"name":"DB_E_BADPROPERTYVALUE","features":[584]},{"name":"DB_E_BADRATIO","features":[584]},{"name":"DB_E_BADRECORDNUM","features":[584]},{"name":"DB_E_BADREGIONHANDLE","features":[584]},{"name":"DB_E_BADROWHANDLE","features":[584]},{"name":"DB_E_BADSCALE","features":[584]},{"name":"DB_E_BADSOURCEHANDLE","features":[584]},{"name":"DB_E_BADSTARTPOSITION","features":[584]},{"name":"DB_E_BADSTATUSVALUE","features":[584]},{"name":"DB_E_BADSTORAGEFLAG","features":[584]},{"name":"DB_E_BADSTORAGEFLAGS","features":[584]},{"name":"DB_E_BADTABLEID","features":[584]},{"name":"DB_E_BADTYPE","features":[584]},{"name":"DB_E_BADTYPENAME","features":[584]},{"name":"DB_E_BADUPDATEDELETERULE","features":[584]},{"name":"DB_E_BADVALUES","features":[584]},{"name":"DB_E_BOGUS","features":[584]},{"name":"DB_E_BOOKMARKSKIPPED","features":[584]},{"name":"DB_E_BYREFACCESSORNOTSUPPORTED","features":[584]},{"name":"DB_E_CANCELED","features":[584]},{"name":"DB_E_CANNOTCONNECT","features":[584]},{"name":"DB_E_CANNOTFREE","features":[584]},{"name":"DB_E_CANNOTRESTART","features":[584]},{"name":"DB_E_CANTCANCEL","features":[584]},{"name":"DB_E_CANTCONVERTVALUE","features":[584]},{"name":"DB_E_CANTFETCHBACKWARDS","features":[584]},{"name":"DB_E_CANTFILTER","features":[584]},{"name":"DB_E_CANTORDER","features":[584]},{"name":"DB_E_CANTSCROLLBACKWARDS","features":[584]},{"name":"DB_E_CANTTRANSLATE","features":[584]},{"name":"DB_E_CHAPTERNOTRELEASED","features":[584]},{"name":"DB_E_COLUMNUNAVAILABLE","features":[584]},{"name":"DB_E_COMMANDNOTPERSISTED","features":[584]},{"name":"DB_E_CONCURRENCYVIOLATION","features":[584]},{"name":"DB_E_COSTLIMIT","features":[584]},{"name":"DB_E_DATAOVERFLOW","features":[584]},{"name":"DB_E_DELETEDROW","features":[584]},{"name":"DB_E_DIALECTNOTSUPPORTED","features":[584]},{"name":"DB_E_DROPRESTRICTED","features":[584]},{"name":"DB_E_DUPLICATECOLUMNID","features":[584]},{"name":"DB_E_DUPLICATECONSTRAINTID","features":[584]},{"name":"DB_E_DUPLICATEDATASOURCE","features":[584]},{"name":"DB_E_DUPLICATEID","features":[584]},{"name":"DB_E_DUPLICATEINDEXID","features":[584]},{"name":"DB_E_DUPLICATETABLEID","features":[584]},{"name":"DB_E_ERRORSINCOMMAND","features":[584]},{"name":"DB_E_ERRORSOCCURRED","features":[584]},{"name":"DB_E_GOALREJECTED","features":[584]},{"name":"DB_E_INDEXINUSE","features":[584]},{"name":"DB_E_INTEGRITYVIOLATION","features":[584]},{"name":"DB_E_INVALID","features":[584]},{"name":"DB_E_INVALIDTRANSITION","features":[584]},{"name":"DB_E_LIMITREJECTED","features":[584]},{"name":"DB_E_MAXPENDCHANGESEXCEEDED","features":[584]},{"name":"DB_E_MISMATCHEDPROVIDER","features":[584]},{"name":"DB_E_MULTIPLESTATEMENTS","features":[584]},{"name":"DB_E_MULTIPLESTORAGE","features":[584]},{"name":"DB_E_NEWLYINSERTED","features":[584]},{"name":"DB_E_NOAGGREGATION","features":[584]},{"name":"DB_E_NOCOLUMN","features":[584]},{"name":"DB_E_NOCOMMAND","features":[584]},{"name":"DB_E_NOCONSTRAINT","features":[584]},{"name":"DB_E_NOINDEX","features":[584]},{"name":"DB_E_NOLOCALE","features":[584]},{"name":"DB_E_NONCONTIGUOUSRANGE","features":[584]},{"name":"DB_E_NOPROVIDERSREGISTERED","features":[584]},{"name":"DB_E_NOQUERY","features":[584]},{"name":"DB_E_NOSOURCEOBJECT","features":[584]},{"name":"DB_E_NOSTATISTIC","features":[584]},{"name":"DB_E_NOTABLE","features":[584]},{"name":"DB_E_NOTAREFERENCECOLUMN","features":[584]},{"name":"DB_E_NOTASUBREGION","features":[584]},{"name":"DB_E_NOTCOLLECTION","features":[584]},{"name":"DB_E_NOTFOUND","features":[584]},{"name":"DB_E_NOTPREPARED","features":[584]},{"name":"DB_E_NOTREENTRANT","features":[584]},{"name":"DB_E_NOTSUPPORTED","features":[584]},{"name":"DB_E_NULLACCESSORNOTSUPPORTED","features":[584]},{"name":"DB_E_OBJECTCREATIONLIMITREACHED","features":[584]},{"name":"DB_E_OBJECTMISMATCH","features":[584]},{"name":"DB_E_OBJECTOPEN","features":[584]},{"name":"DB_E_OUTOFSPACE","features":[584]},{"name":"DB_E_PARAMNOTOPTIONAL","features":[584]},{"name":"DB_E_PARAMUNAVAILABLE","features":[584]},{"name":"DB_E_PENDINGCHANGES","features":[584]},{"name":"DB_E_PENDINGINSERT","features":[584]},{"name":"DB_E_READONLY","features":[584]},{"name":"DB_E_READONLYACCESSOR","features":[584]},{"name":"DB_E_RESOURCEEXISTS","features":[584]},{"name":"DB_E_RESOURCELOCKED","features":[584]},{"name":"DB_E_RESOURCENOTSUPPORTED","features":[584]},{"name":"DB_E_RESOURCEOUTOFSCOPE","features":[584]},{"name":"DB_E_ROWLIMITEXCEEDED","features":[584]},{"name":"DB_E_ROWSETINCOMMAND","features":[584]},{"name":"DB_E_ROWSNOTRELEASED","features":[584]},{"name":"DB_E_SCHEMAVIOLATION","features":[584]},{"name":"DB_E_TABLEINUSE","features":[584]},{"name":"DB_E_TIMEOUT","features":[584]},{"name":"DB_E_UNSUPPORTEDCONVERSION","features":[584]},{"name":"DB_E_WRITEONLYACCESSOR","features":[584]},{"name":"DB_IMP_LEVEL_ANONYMOUS","features":[584]},{"name":"DB_IMP_LEVEL_DELEGATE","features":[584]},{"name":"DB_IMP_LEVEL_IDENTIFY","features":[584]},{"name":"DB_IMP_LEVEL_IMPERSONATE","features":[584]},{"name":"DB_IN","features":[584]},{"name":"DB_INVALID_HACCESSOR","features":[584]},{"name":"DB_INVALID_HCHAPTER","features":[584]},{"name":"DB_LIKE_ONLY","features":[584]},{"name":"DB_LOCAL_EXCLUSIVE","features":[584]},{"name":"DB_LOCAL_SHARED","features":[584]},{"name":"DB_MODE_READ","features":[584]},{"name":"DB_MODE_READWRITE","features":[584]},{"name":"DB_MODE_SHARE_DENY_NONE","features":[584]},{"name":"DB_MODE_SHARE_DENY_READ","features":[584]},{"name":"DB_MODE_SHARE_DENY_WRITE","features":[584]},{"name":"DB_MODE_SHARE_EXCLUSIVE","features":[584]},{"name":"DB_MODE_WRITE","features":[584]},{"name":"DB_NULLGUID","features":[584]},{"name":"DB_NULL_HACCESSOR","features":[584]},{"name":"DB_NULL_HCHAPTER","features":[584]},{"name":"DB_NULL_HROW","features":[584]},{"name":"DB_NUMERIC","features":[584]},{"name":"DB_OUT","features":[584]},{"name":"DB_PROT_LEVEL_CALL","features":[584]},{"name":"DB_PROT_LEVEL_CONNECT","features":[584]},{"name":"DB_PROT_LEVEL_NONE","features":[584]},{"name":"DB_PROT_LEVEL_PKT","features":[584]},{"name":"DB_PROT_LEVEL_PKT_INTEGRITY","features":[584]},{"name":"DB_PROT_LEVEL_PKT_PRIVACY","features":[584]},{"name":"DB_PT_FUNCTION","features":[584]},{"name":"DB_PT_PROCEDURE","features":[584]},{"name":"DB_PT_UNKNOWN","features":[584]},{"name":"DB_REMOTE","features":[584]},{"name":"DB_SEARCHABLE","features":[584]},{"name":"DB_SEC_E_AUTH_FAILED","features":[584]},{"name":"DB_SEC_E_PERMISSIONDENIED","features":[584]},{"name":"DB_SEC_E_SAFEMODE_DENIED","features":[584]},{"name":"DB_S_ASYNCHRONOUS","features":[584]},{"name":"DB_S_BADROWHANDLE","features":[584]},{"name":"DB_S_BOOKMARKSKIPPED","features":[584]},{"name":"DB_S_BUFFERFULL","features":[584]},{"name":"DB_S_CANTRELEASE","features":[584]},{"name":"DB_S_COLUMNSCHANGED","features":[584]},{"name":"DB_S_COLUMNTYPEMISMATCH","features":[584]},{"name":"DB_S_COMMANDREEXECUTED","features":[584]},{"name":"DB_S_DELETEDROW","features":[584]},{"name":"DB_S_DIALECTIGNORED","features":[584]},{"name":"DB_S_ENDOFROWSET","features":[584]},{"name":"DB_S_ERRORSOCCURRED","features":[584]},{"name":"DB_S_ERRORSRETURNED","features":[584]},{"name":"DB_S_GOALCHANGED","features":[584]},{"name":"DB_S_LOCKUPGRADED","features":[584]},{"name":"DB_S_MULTIPLECHANGES","features":[584]},{"name":"DB_S_NONEXTROWSET","features":[584]},{"name":"DB_S_NORESULT","features":[584]},{"name":"DB_S_NOROWSPECIFICCOLUMNS","features":[584]},{"name":"DB_S_NOTSINGLETON","features":[584]},{"name":"DB_S_PARAMUNAVAILABLE","features":[584]},{"name":"DB_S_PROPERTIESCHANGED","features":[584]},{"name":"DB_S_ROWLIMITEXCEEDED","features":[584]},{"name":"DB_S_STOPLIMITREACHED","features":[584]},{"name":"DB_S_TOOMANYCHANGES","features":[584]},{"name":"DB_S_TYPEINFOOVERRIDDEN","features":[584]},{"name":"DB_S_UNWANTEDOPERATION","features":[584]},{"name":"DB_S_UNWANTEDPHASE","features":[584]},{"name":"DB_S_UNWANTEDREASON","features":[584]},{"name":"DB_UNSEARCHABLE","features":[584]},{"name":"DB_VARNUMERIC","features":[584]},{"name":"DCINFO","features":[584]},{"name":"DCINFOTYPEENUM","features":[584]},{"name":"DCINFOTYPE_VERSION","features":[584]},{"name":"DELIVERY_AGENT_FLAGS","features":[584]},{"name":"DELIVERY_AGENT_FLAG_NO_BROADCAST","features":[584]},{"name":"DELIVERY_AGENT_FLAG_NO_RESTRICTIONS","features":[584]},{"name":"DELIVERY_AGENT_FLAG_SILENT_DIAL","features":[584]},{"name":"DISPID_QUERY_ALL","features":[584]},{"name":"DISPID_QUERY_HITCOUNT","features":[584]},{"name":"DISPID_QUERY_LASTSEENTIME","features":[584]},{"name":"DISPID_QUERY_METADATA_PROPDISPID","features":[584]},{"name":"DISPID_QUERY_METADATA_PROPGUID","features":[584]},{"name":"DISPID_QUERY_METADATA_PROPMODIFIABLE","features":[584]},{"name":"DISPID_QUERY_METADATA_PROPNAME","features":[584]},{"name":"DISPID_QUERY_METADATA_STORELEVEL","features":[584]},{"name":"DISPID_QUERY_METADATA_VROOTAUTOMATIC","features":[584]},{"name":"DISPID_QUERY_METADATA_VROOTMANUAL","features":[584]},{"name":"DISPID_QUERY_METADATA_VROOTUSED","features":[584]},{"name":"DISPID_QUERY_RANK","features":[584]},{"name":"DISPID_QUERY_RANKVECTOR","features":[584]},{"name":"DISPID_QUERY_REVNAME","features":[584]},{"name":"DISPID_QUERY_UNFILTERED","features":[584]},{"name":"DISPID_QUERY_VIRTUALPATH","features":[584]},{"name":"DISPID_QUERY_WORKID","features":[584]},{"name":"DS_E_ALREADYDISABLED","features":[584]},{"name":"DS_E_ALREADYENABLED","features":[584]},{"name":"DS_E_BADREQUEST","features":[584]},{"name":"DS_E_BADRESULT","features":[584]},{"name":"DS_E_BADSEQUENCE","features":[584]},{"name":"DS_E_BUFFERTOOSMALL","features":[584]},{"name":"DS_E_CANNOTREMOVECONCURRENT","features":[584]},{"name":"DS_E_CANNOTWRITEREGISTRY","features":[584]},{"name":"DS_E_CONFIGBAD","features":[584]},{"name":"DS_E_CONFIGNOTRIGHTTYPE","features":[584]},{"name":"DS_E_DATANOTPRESENT","features":[584]},{"name":"DS_E_DATASOURCENOTAVAILABLE","features":[584]},{"name":"DS_E_DATASOURCENOTDISABLED","features":[584]},{"name":"DS_E_DUPLICATEID","features":[584]},{"name":"DS_E_INDEXDIRECTORY","features":[584]},{"name":"DS_E_INVALIDCATALOGNAME","features":[584]},{"name":"DS_E_INVALIDDATASOURCE","features":[584]},{"name":"DS_E_INVALIDTAGDB","features":[584]},{"name":"DS_E_MESSAGETOOLONG","features":[584]},{"name":"DS_E_MISSINGCATALOG","features":[584]},{"name":"DS_E_NOMOREDATA","features":[584]},{"name":"DS_E_PARAMOUTOFRANGE","features":[584]},{"name":"DS_E_PROPVERSIONMISMATCH","features":[584]},{"name":"DS_E_PROTOCOLVERSION","features":[584]},{"name":"DS_E_QUERYCANCELED","features":[584]},{"name":"DS_E_QUERYHUNG","features":[584]},{"name":"DS_E_REGISTRY","features":[584]},{"name":"DS_E_SEARCHCATNAMECOLLISION","features":[584]},{"name":"DS_E_SERVERCAPACITY","features":[584]},{"name":"DS_E_SERVERERROR","features":[584]},{"name":"DS_E_SETSTATUSINPROGRESS","features":[584]},{"name":"DS_E_TOOMANYDATASOURCES","features":[584]},{"name":"DS_E_UNKNOWNPARAM","features":[584]},{"name":"DS_E_UNKNOWNREQUEST","features":[584]},{"name":"DS_E_VALUETOOLARGE","features":[584]},{"name":"DataLinks","features":[584]},{"name":"DataSource","features":[584]},{"name":"DataSourceListener","features":[584]},{"name":"DataSourceObject","features":[359,584]},{"name":"EBindInfoOptions","features":[584]},{"name":"ERRORINFO","features":[584]},{"name":"ERRORINFO","features":[584]},{"name":"ERROR_FTE","features":[584]},{"name":"ERROR_FTE_CB","features":[584]},{"name":"ERROR_FTE_FD","features":[584]},{"name":"ERROR_SOURCE_CMDLINE","features":[584]},{"name":"ERROR_SOURCE_COLLATOR","features":[584]},{"name":"ERROR_SOURCE_CONNMGR","features":[584]},{"name":"ERROR_SOURCE_CONTENT_SOURCE","features":[584]},{"name":"ERROR_SOURCE_DATASOURCE","features":[584]},{"name":"ERROR_SOURCE_DAV","features":[584]},{"name":"ERROR_SOURCE_EXSTOREPH","features":[584]},{"name":"ERROR_SOURCE_FLTRDMN","features":[584]},{"name":"ERROR_SOURCE_GATHERER","features":[584]},{"name":"ERROR_SOURCE_INDEXER","features":[584]},{"name":"ERROR_SOURCE_MSS","features":[584]},{"name":"ERROR_SOURCE_NETWORKING","features":[584]},{"name":"ERROR_SOURCE_NLADMIN","features":[584]},{"name":"ERROR_SOURCE_NOTESPH","features":[584]},{"name":"ERROR_SOURCE_OLEDB_BINDER","features":[584]},{"name":"ERROR_SOURCE_PEOPLE_IMPORT","features":[584]},{"name":"ERROR_SOURCE_PROTHNDLR","features":[584]},{"name":"ERROR_SOURCE_QUERY","features":[584]},{"name":"ERROR_SOURCE_REMOTE_EXSTOREPH","features":[584]},{"name":"ERROR_SOURCE_SCHEMA","features":[584]},{"name":"ERROR_SOURCE_SCRIPTPI","features":[584]},{"name":"ERROR_SOURCE_SECURITY","features":[584]},{"name":"ERROR_SOURCE_SETUP","features":[584]},{"name":"ERROR_SOURCE_SRCH_SCHEMA_CACHE","features":[584]},{"name":"ERROR_SOURCE_XML","features":[584]},{"name":"EVENT_AUDIENCECOMPUTATION_CANNOTSTART","features":[584]},{"name":"EVENT_AUTOCAT_CANT_CREATE_FILE_SHARE","features":[584]},{"name":"EVENT_AUTOCAT_PERFMON","features":[584]},{"name":"EVENT_CONFIG_ERROR","features":[584]},{"name":"EVENT_CONFIG_SYNTAX","features":[584]},{"name":"EVENT_CRAWL_SCHEDULED","features":[584]},{"name":"EVENT_DETAILED_FILTERPOOL_ADD_FAILED","features":[584]},{"name":"EVENT_DSS_NOT_ENABLED","features":[584]},{"name":"EVENT_ENUMERATE_SESSIONS_FAILED","features":[584]},{"name":"EVENT_EXCEPTION","features":[584]},{"name":"EVENT_FAILED_CREATE_GATHERER_LOG","features":[584]},{"name":"EVENT_FAILED_INITIALIZE_CRAWL","features":[584]},{"name":"EVENT_FILTERPOOL_ADD_FAILED","features":[584]},{"name":"EVENT_FILTERPOOL_DELETE_FAILED","features":[584]},{"name":"EVENT_FILTER_HOST_FORCE_TERMINATE","features":[584]},{"name":"EVENT_FILTER_HOST_NOT_INITIALIZED","features":[584]},{"name":"EVENT_FILTER_HOST_NOT_TERMINATED","features":[584]},{"name":"EVENT_GATHERER_DATASOURCE","features":[584]},{"name":"EVENT_GATHERER_PERFMON","features":[584]},{"name":"EVENT_GATHERSVC_PERFMON","features":[584]},{"name":"EVENT_GATHER_ADVISE_FAILED","features":[584]},{"name":"EVENT_GATHER_APP_INIT_FAILED","features":[584]},{"name":"EVENT_GATHER_AUTODESCENCODE_INVALID","features":[584]},{"name":"EVENT_GATHER_AUTODESCLEN_ADJUSTED","features":[584]},{"name":"EVENT_GATHER_BACKUPAPP_COMPLETE","features":[584]},{"name":"EVENT_GATHER_BACKUPAPP_ERROR","features":[584]},{"name":"EVENT_GATHER_CANT_CREATE_DOCID","features":[584]},{"name":"EVENT_GATHER_CANT_DELETE_DOCID","features":[584]},{"name":"EVENT_GATHER_CHECKPOINT_CORRUPT","features":[584]},{"name":"EVENT_GATHER_CHECKPOINT_FAILED","features":[584]},{"name":"EVENT_GATHER_CHECKPOINT_FILE_MISSING","features":[584]},{"name":"EVENT_GATHER_CRAWL_IN_PROGRESS","features":[584]},{"name":"EVENT_GATHER_CRAWL_NOT_STARTED","features":[584]},{"name":"EVENT_GATHER_CRAWL_SEED_ERROR","features":[584]},{"name":"EVENT_GATHER_CRAWL_SEED_FAILED","features":[584]},{"name":"EVENT_GATHER_CRAWL_SEED_FAILED_INIT","features":[584]},{"name":"EVENT_GATHER_CRITICAL_ERROR","features":[584]},{"name":"EVENT_GATHER_DAEMON_TERMINATED","features":[584]},{"name":"EVENT_GATHER_DELETING_HISTORY_ITEMS","features":[584]},{"name":"EVENT_GATHER_DIRTY_STARTUP","features":[584]},{"name":"EVENT_GATHER_DISK_FULL","features":[584]},{"name":"EVENT_GATHER_END_ADAPTIVE","features":[584]},{"name":"EVENT_GATHER_END_CRAWL","features":[584]},{"name":"EVENT_GATHER_END_INCREMENTAL","features":[584]},{"name":"EVENT_GATHER_EXCEPTION","features":[584]},{"name":"EVENT_GATHER_FLUSH_FAILED","features":[584]},{"name":"EVENT_GATHER_FROM_NOT_SET","features":[584]},{"name":"EVENT_GATHER_HISTORY_CORRUPTION_DETECTED","features":[584]},{"name":"EVENT_GATHER_INPLACE_INDEX_REBUILD","features":[584]},{"name":"EVENT_GATHER_INTERNAL","features":[584]},{"name":"EVENT_GATHER_INVALID_NETWORK_ACCESS_ACCOUNT","features":[584]},{"name":"EVENT_GATHER_LOCK_FAILED","features":[584]},{"name":"EVENT_GATHER_NO_CRAWL_SEEDS","features":[584]},{"name":"EVENT_GATHER_NO_SCHEMA","features":[584]},{"name":"EVENT_GATHER_OBJ_INIT_FAILED","features":[584]},{"name":"EVENT_GATHER_PLUGINMGR_INIT_FAILED","features":[584]},{"name":"EVENT_GATHER_PLUGIN_INIT_FAILED","features":[584]},{"name":"EVENT_GATHER_PROTOCOLHANDLER_INIT_FAILED","features":[584]},{"name":"EVENT_GATHER_PROTOCOLHANDLER_LOAD_FAILED","features":[584]},{"name":"EVENT_GATHER_READ_CHECKPOINT_FAILED","features":[584]},{"name":"EVENT_GATHER_RECOVERY_FAILURE","features":[584]},{"name":"EVENT_GATHER_REG_MISSING","features":[584]},{"name":"EVENT_GATHER_RESET_START","features":[584]},{"name":"EVENT_GATHER_RESTOREAPP_COMPLETE","features":[584]},{"name":"EVENT_GATHER_RESTOREAPP_ERROR","features":[584]},{"name":"EVENT_GATHER_RESTORE_CHECKPOINT_FAILED","features":[584]},{"name":"EVENT_GATHER_RESTORE_COMPLETE","features":[584]},{"name":"EVENT_GATHER_RESTORE_ERROR","features":[584]},{"name":"EVENT_GATHER_RESUME","features":[584]},{"name":"EVENT_GATHER_SAVE_FAILED","features":[584]},{"name":"EVENT_GATHER_SERVICE_INIT","features":[584]},{"name":"EVENT_GATHER_START_CRAWL","features":[584]},{"name":"EVENT_GATHER_START_CRAWL_IF_RESET","features":[584]},{"name":"EVENT_GATHER_START_PAUSE","features":[584]},{"name":"EVENT_GATHER_STOP_START","features":[584]},{"name":"EVENT_GATHER_SYSTEM_LCID_CHANGED","features":[584]},{"name":"EVENT_GATHER_THROTTLE","features":[584]},{"name":"EVENT_GATHER_TRANSACTION_FAIL","features":[584]},{"name":"EVENT_HASHMAP_INSERT","features":[584]},{"name":"EVENT_HASHMAP_UPDATE","features":[584]},{"name":"EVENT_INDEXER_ADD_DSS_DISCONNECT","features":[584]},{"name":"EVENT_INDEXER_ADD_DSS_FAILED","features":[584]},{"name":"EVENT_INDEXER_ADD_DSS_SUCCEEDED","features":[584]},{"name":"EVENT_INDEXER_BUILD_ENDED","features":[584]},{"name":"EVENT_INDEXER_BUILD_FAILED","features":[584]},{"name":"EVENT_INDEXER_BUILD_START","features":[584]},{"name":"EVENT_INDEXER_CI_LOAD_ERROR","features":[584]},{"name":"EVENT_INDEXER_DSS_ALREADY_ADDED","features":[584]},{"name":"EVENT_INDEXER_DSS_CONTACT_FAILED","features":[584]},{"name":"EVENT_INDEXER_DSS_UNABLE_TO_REMOVE","features":[584]},{"name":"EVENT_INDEXER_FAIL_TO_CREATE_PER_USER_CATALOG","features":[584]},{"name":"EVENT_INDEXER_FAIL_TO_SET_MAX_JETINSTANCE","features":[584]},{"name":"EVENT_INDEXER_FAIL_TO_UNLOAD_PER_USER_CATALOG","features":[584]},{"name":"EVENT_INDEXER_INIT_ERROR","features":[584]},{"name":"EVENT_INDEXER_INVALID_DIRECTORY","features":[584]},{"name":"EVENT_INDEXER_LOAD_FAIL","features":[584]},{"name":"EVENT_INDEXER_MISSING_APP_DIRECTORY","features":[584]},{"name":"EVENT_INDEXER_NEW_PROJECT","features":[584]},{"name":"EVENT_INDEXER_NO_SEARCH_SERVERS","features":[584]},{"name":"EVENT_INDEXER_OUT_OF_DATABASE_INSTANCE","features":[584]},{"name":"EVENT_INDEXER_PAUSED_FOR_DISKFULL","features":[584]},{"name":"EVENT_INDEXER_PERFMON","features":[584]},{"name":"EVENT_INDEXER_PROPSTORE_INIT_FAILED","features":[584]},{"name":"EVENT_INDEXER_PROP_ABORTED","features":[584]},{"name":"EVENT_INDEXER_PROP_COMMITTED","features":[584]},{"name":"EVENT_INDEXER_PROP_COMMIT_FAILED","features":[584]},{"name":"EVENT_INDEXER_PROP_ERROR","features":[584]},{"name":"EVENT_INDEXER_PROP_STARTED","features":[584]},{"name":"EVENT_INDEXER_PROP_STATE_CORRUPT","features":[584]},{"name":"EVENT_INDEXER_PROP_STOPPED","features":[584]},{"name":"EVENT_INDEXER_PROP_SUCCEEDED","features":[584]},{"name":"EVENT_INDEXER_REG_ERROR","features":[584]},{"name":"EVENT_INDEXER_REG_MISSING","features":[584]},{"name":"EVENT_INDEXER_REMOVED_PROJECT","features":[584]},{"name":"EVENT_INDEXER_REMOVE_DSS_FAILED","features":[584]},{"name":"EVENT_INDEXER_REMOVE_DSS_SUCCEEDED","features":[584]},{"name":"EVENT_INDEXER_RESET_FOR_CORRUPTION","features":[584]},{"name":"EVENT_INDEXER_SCHEMA_COPY_ERROR","features":[584]},{"name":"EVENT_INDEXER_SHUTDOWN","features":[584]},{"name":"EVENT_INDEXER_STARTED","features":[584]},{"name":"EVENT_INDEXER_VERIFY_PROP_ACCOUNT","features":[584]},{"name":"EVENT_LEARN_COMPILE_FAILED","features":[584]},{"name":"EVENT_LEARN_CREATE_DB_FAILED","features":[584]},{"name":"EVENT_LEARN_PROPAGATION_COPY_FAILED","features":[584]},{"name":"EVENT_LEARN_PROPAGATION_FAILED","features":[584]},{"name":"EVENT_LOCAL_GROUPS_CACHE_FLUSHED","features":[584]},{"name":"EVENT_LOCAL_GROUP_NOT_EXPANDED","features":[584]},{"name":"EVENT_NOTIFICATION_FAILURE","features":[584]},{"name":"EVENT_NOTIFICATION_FAILURE_SCOPE_EXCEEDED_LOGGING","features":[584]},{"name":"EVENT_NOTIFICATION_RESTORED","features":[584]},{"name":"EVENT_NOTIFICATION_RESTORED_SCOPE_EXCEEDED_LOGGING","features":[584]},{"name":"EVENT_NOTIFICATION_THREAD_EXIT_FAILED","features":[584]},{"name":"EVENT_OUTOFMEMORY","features":[584]},{"name":"EVENT_PERF_COUNTERS_ALREADY_EXISTS","features":[584]},{"name":"EVENT_PERF_COUNTERS_NOT_LOADED","features":[584]},{"name":"EVENT_PERF_COUNTERS_REGISTRY_TROUBLE","features":[584]},{"name":"EVENT_PROTOCOL_HOST_FORCE_TERMINATE","features":[584]},{"name":"EVENT_REG_VERSION","features":[584]},{"name":"EVENT_SSSEARCH_CREATE_PATH_RULES_FAILED","features":[584]},{"name":"EVENT_SSSEARCH_CSM_SAVE_FAILED","features":[584]},{"name":"EVENT_SSSEARCH_DATAFILES_MOVE_FAILED","features":[584]},{"name":"EVENT_SSSEARCH_DATAFILES_MOVE_ROLLBACK_ERRORS","features":[584]},{"name":"EVENT_SSSEARCH_DATAFILES_MOVE_SUCCEEDED","features":[584]},{"name":"EVENT_SSSEARCH_DROPPED_EVENTS","features":[584]},{"name":"EVENT_SSSEARCH_SETUP_CLEANUP_FAILED","features":[584]},{"name":"EVENT_SSSEARCH_SETUP_CLEANUP_STARTED","features":[584]},{"name":"EVENT_SSSEARCH_SETUP_CLEANUP_SUCCEEDED","features":[584]},{"name":"EVENT_SSSEARCH_SETUP_FAILED","features":[584]},{"name":"EVENT_SSSEARCH_SETUP_SUCCEEDED","features":[584]},{"name":"EVENT_SSSEARCH_STARTED","features":[584]},{"name":"EVENT_SSSEARCH_STARTING_SETUP","features":[584]},{"name":"EVENT_SSSEARCH_STOPPED","features":[584]},{"name":"EVENT_STS_INIT_SECURITY_FAILED","features":[584]},{"name":"EVENT_SYSTEM_EXCEPTION","features":[584]},{"name":"EVENT_TRANSACTION_READ","features":[584]},{"name":"EVENT_TRANSLOG_APPEND","features":[584]},{"name":"EVENT_TRANSLOG_CREATE","features":[584]},{"name":"EVENT_TRANSLOG_CREATE_TRX","features":[584]},{"name":"EVENT_TRANSLOG_UPDATE","features":[584]},{"name":"EVENT_UNPRIVILEGED_SERVICE_ACCOUNT","features":[584]},{"name":"EVENT_USING_DIFFERENT_WORD_BREAKER","features":[584]},{"name":"EVENT_WARNING_CANNOT_UPGRADE_NOISE_FILE","features":[584]},{"name":"EVENT_WARNING_CANNOT_UPGRADE_NOISE_FILES","features":[584]},{"name":"EVENT_WBREAKER_NOT_LOADED","features":[584]},{"name":"EVENT_WIN32_ERROR","features":[584]},{"name":"EXCI_E_ACCESS_DENIED","features":[584]},{"name":"EXCI_E_BADCONFIG_OR_ACCESSDENIED","features":[584]},{"name":"EXCI_E_INVALID_ACCOUNT_INFO","features":[584]},{"name":"EXCI_E_INVALID_EXCHANGE_SERVER","features":[584]},{"name":"EXCI_E_INVALID_SERVER_CONFIG","features":[584]},{"name":"EXCI_E_NOT_ADMIN_OR_WRONG_SITE","features":[584]},{"name":"EXCI_E_NO_CONFIG","features":[584]},{"name":"EXCI_E_NO_MAPI","features":[584]},{"name":"EXCI_E_WRONG_SERVER_OR_ACCT","features":[584]},{"name":"EXSTOREPH_E_UNEXPECTED","features":[584]},{"name":"EX_ANY","features":[584]},{"name":"EX_CMDFATAL","features":[584]},{"name":"EX_CONTROL","features":[584]},{"name":"EX_DBCORRUPT","features":[584]},{"name":"EX_DBFATAL","features":[584]},{"name":"EX_DEADLOCK","features":[584]},{"name":"EX_HARDWARE","features":[584]},{"name":"EX_INFO","features":[584]},{"name":"EX_INTOK","features":[584]},{"name":"EX_LIMIT","features":[584]},{"name":"EX_MAXISEVERITY","features":[584]},{"name":"EX_MISSING","features":[584]},{"name":"EX_PERMIT","features":[584]},{"name":"EX_RESOURCE","features":[584]},{"name":"EX_SYNTAX","features":[584]},{"name":"EX_TABCORRUPT","features":[584]},{"name":"EX_TYPE","features":[584]},{"name":"EX_USER","features":[584]},{"name":"FAIL","features":[584]},{"name":"FF_INDEXCOMPLEXURLS","features":[584]},{"name":"FF_SUPPRESSINDEXING","features":[584]},{"name":"FILTERED_DATA_SOURCES","features":[584]},{"name":"FLTRDMN_E_CANNOT_DECRYPT_PASSWORD","features":[584]},{"name":"FLTRDMN_E_ENCRYPTED_DOCUMENT","features":[584]},{"name":"FLTRDMN_E_FILTER_INIT_FAILED","features":[584]},{"name":"FLTRDMN_E_QI_FILTER_FAILED","features":[584]},{"name":"FLTRDMN_E_UNEXPECTED","features":[584]},{"name":"FOLLOW_FLAGS","features":[584]},{"name":"FTE_E_ADMIN_BLOB_CORRUPT","features":[584]},{"name":"FTE_E_AFFINITY_MASK","features":[584]},{"name":"FTE_E_ALREADY_INITIALIZED","features":[584]},{"name":"FTE_E_ANOTHER_STATUS_CHANGE_IS_ALREADY_ACTIVE","features":[584]},{"name":"FTE_E_BATCH_ABORTED","features":[584]},{"name":"FTE_E_CATALOG_ALREADY_EXISTS","features":[584]},{"name":"FTE_E_CATALOG_DOES_NOT_EXIST","features":[584]},{"name":"FTE_E_CB_CBID_OUT_OF_BOUND","features":[584]},{"name":"FTE_E_CB_NOT_ENOUGH_AVAIL_PHY_MEM","features":[584]},{"name":"FTE_E_CB_NOT_ENOUGH_OCC_BUFFER","features":[584]},{"name":"FTE_E_CB_OUT_OF_MEMORY","features":[584]},{"name":"FTE_E_COM_SIGNATURE_VALIDATION","features":[584]},{"name":"FTE_E_CORRUPT_GATHERER_HASH_MAP","features":[584]},{"name":"FTE_E_CORRUPT_PROPERTY_STORE","features":[584]},{"name":"FTE_E_CORRUPT_WORDLIST","features":[584]},{"name":"FTE_E_DATATYPE_MISALIGNMENT","features":[584]},{"name":"FTE_E_DEPENDENT_TRAN_FAILED_TO_PERSIST","features":[584]},{"name":"FTE_E_DOC_TOO_HUGE","features":[584]},{"name":"FTE_E_DUPLICATE_OBJECT","features":[584]},{"name":"FTE_E_ERROR_WRITING_REGISTRY","features":[584]},{"name":"FTE_E_EXCEEDED_MAX_PLUGINS","features":[584]},{"name":"FTE_E_FAILED_TO_CREATE_ACCESSOR","features":[584]},{"name":"FTE_E_FAILURE_TO_POST_SETCOMPLETION_STATUS","features":[584]},{"name":"FTE_E_FD_DID_NOT_CONNECT","features":[584]},{"name":"FTE_E_FD_DOC_TIMEOUT","features":[584]},{"name":"FTE_E_FD_DOC_UNEXPECTED_EXIT","features":[584]},{"name":"FTE_E_FD_FAILED_TO_LOAD_IFILTER","features":[584]},{"name":"FTE_E_FD_FILTER_CAUSED_SHARING_VIOLATION","features":[584]},{"name":"FTE_E_FD_IDLE","features":[584]},{"name":"FTE_E_FD_IFILTER_INIT_FAILED","features":[584]},{"name":"FTE_E_FD_NOISE_NO_IPERSISTSTREAM_ON_TEXT_FILTER","features":[584]},{"name":"FTE_E_FD_NOISE_NO_TEXT_FILTER","features":[584]},{"name":"FTE_E_FD_NOISE_TEXT_FILTER_INIT_FAILED","features":[584]},{"name":"FTE_E_FD_NOISE_TEXT_FILTER_LOAD_FAILED","features":[584]},{"name":"FTE_E_FD_NO_IPERSIST_INTERFACE","features":[584]},{"name":"FTE_E_FD_OCCURRENCE_OVERFLOW","features":[584]},{"name":"FTE_E_FD_OWNERSHIP_OBSOLETE","features":[584]},{"name":"FTE_E_FD_SHUTDOWN","features":[584]},{"name":"FTE_E_FD_TIMEOUT","features":[584]},{"name":"FTE_E_FD_UNEXPECTED_EXIT","features":[584]},{"name":"FTE_E_FD_UNRESPONSIVE","features":[584]},{"name":"FTE_E_FD_USED_TOO_MUCH_MEMORY","features":[584]},{"name":"FTE_E_FILTER_SINGLE_THREADED","features":[584]},{"name":"FTE_E_HIGH_MEMORY_PRESSURE","features":[584]},{"name":"FTE_E_INVALID_CODEPAGE","features":[584]},{"name":"FTE_E_INVALID_DOCID","features":[584]},{"name":"FTE_E_INVALID_ISOLATE_ERROR_BATCH","features":[584]},{"name":"FTE_E_INVALID_PROG_ID","features":[584]},{"name":"FTE_E_INVALID_PROJECT_ID","features":[584]},{"name":"FTE_E_INVALID_PROPERTY","features":[584]},{"name":"FTE_E_INVALID_TYPE","features":[584]},{"name":"FTE_E_KEY_NOT_CACHED","features":[584]},{"name":"FTE_E_LIBRARY_NOT_LOADED","features":[584]},{"name":"FTE_E_NOT_PROCESSED_DUE_TO_PREVIOUS_ERRORS","features":[584]},{"name":"FTE_E_NO_MORE_PROPERTIES","features":[584]},{"name":"FTE_E_NO_PLUGINS","features":[584]},{"name":"FTE_E_NO_PROPERTY_STORE","features":[584]},{"name":"FTE_E_OUT_OF_RANGE","features":[584]},{"name":"FTE_E_PATH_TOO_LONG","features":[584]},{"name":"FTE_E_PAUSE_EXTERNAL","features":[584]},{"name":"FTE_E_PERFMON_FULL","features":[584]},{"name":"FTE_E_PERF_NOT_LOADED","features":[584]},{"name":"FTE_E_PIPE_DATA_CORRUPTED","features":[584]},{"name":"FTE_E_PIPE_NOT_CONNECTED","features":[584]},{"name":"FTE_E_PROGID_REQUIRED","features":[584]},{"name":"FTE_E_PROJECT_NOT_INITALIZED","features":[584]},{"name":"FTE_E_PROJECT_SHUTDOWN","features":[584]},{"name":"FTE_E_PROPERTY_STORE_WORKID_NOTVALID","features":[584]},{"name":"FTE_E_READONLY_CATALOG","features":[584]},{"name":"FTE_E_REDUNDANT_TRAN_FAILURE","features":[584]},{"name":"FTE_E_REJECTED_DUE_TO_PROJECT_STATUS","features":[584]},{"name":"FTE_E_RESOURCE_SHUTDOWN","features":[584]},{"name":"FTE_E_RETRY_HUGE_DOC","features":[584]},{"name":"FTE_E_RETRY_SINGLE_DOC_PER_BATCH","features":[584]},{"name":"FTE_E_SECRET_NOT_FOUND","features":[584]},{"name":"FTE_E_SERIAL_STREAM_CORRUPT","features":[584]},{"name":"FTE_E_STACK_CORRUPTED","features":[584]},{"name":"FTE_E_STATIC_THREAD_INVALID_ARGUMENTS","features":[584]},{"name":"FTE_E_UNEXPECTED_EXIT","features":[584]},{"name":"FTE_E_UNKNOWN_FD_TYPE","features":[584]},{"name":"FTE_E_UNKNOWN_PLUGIN","features":[584]},{"name":"FTE_E_UPGRADE_INTERFACE_ALREADY_INSTANTIATED","features":[584]},{"name":"FTE_E_UPGRADE_INTERFACE_ALREADY_SHUTDOWN","features":[584]},{"name":"FTE_E_URB_TOO_BIG","features":[584]},{"name":"FTE_INVALID_ADMIN_CLIENT","features":[584]},{"name":"FTE_S_BEYOND_QUOTA","features":[584]},{"name":"FTE_S_CATALOG_BLOB_MISMATCHED","features":[584]},{"name":"FTE_S_PROPERTY_RESET","features":[584]},{"name":"FTE_S_PROPERTY_STORE_END_OF_ENUMERATION","features":[584]},{"name":"FTE_S_READONLY_CATALOG","features":[584]},{"name":"FTE_S_REDUNDANT","features":[584]},{"name":"FTE_S_RESOURCES_STARTING_TO_GET_LOW","features":[584]},{"name":"FTE_S_RESUME","features":[584]},{"name":"FTE_S_STATUS_CHANGE_REQUEST","features":[584]},{"name":"FTE_S_TRY_TO_FLUSH","features":[584]},{"name":"FilterRegistration","features":[584]},{"name":"GENERATE_METHOD_PREFIXMATCH","features":[584]},{"name":"GENERATE_METHOD_STEMMED","features":[584]},{"name":"GHTR_E_INSUFFICIENT_DISK_SPACE","features":[584]},{"name":"GHTR_E_LOCAL_SERVER_UNAVAILABLE","features":[584]},{"name":"GTHR_E_ADDLINKS_FAILED_WILL_RETRY_PARENT","features":[584]},{"name":"GTHR_E_APPLICATION_NOT_FOUND","features":[584]},{"name":"GTHR_E_AUTOCAT_UNEXPECTED","features":[584]},{"name":"GTHR_E_BACKUP_VALIDATION_FAIL","features":[584]},{"name":"GTHR_E_BAD_FILTER_DAEMON","features":[584]},{"name":"GTHR_E_BAD_FILTER_HOST","features":[584]},{"name":"GTHR_E_CANNOT_ENABLE_CHECKPOINT","features":[584]},{"name":"GTHR_E_CANNOT_REMOVE_PLUGINMGR","features":[584]},{"name":"GTHR_E_CONFIG_DUP_EXTENSION","features":[584]},{"name":"GTHR_E_CONFIG_DUP_PROJECT","features":[584]},{"name":"GTHR_E_CONTENT_ID_CONFLICT","features":[584]},{"name":"GTHR_E_DIRMON_NOT_INITIALZED","features":[584]},{"name":"GTHR_E_DUPLICATE_OBJECT","features":[584]},{"name":"GTHR_E_DUPLICATE_PROJECT","features":[584]},{"name":"GTHR_E_DUPLICATE_URL","features":[584]},{"name":"GTHR_E_DUP_PROPERTY_MAPPING","features":[584]},{"name":"GTHR_E_EMPTY_DACL","features":[584]},{"name":"GTHR_E_ERROR_INITIALIZING_PERFMON","features":[584]},{"name":"GTHR_E_ERROR_OBJECT_NOT_FOUND","features":[584]},{"name":"GTHR_E_ERROR_WRITING_REGISTRY","features":[584]},{"name":"GTHR_E_FILTERPOOL_NOTFOUND","features":[584]},{"name":"GTHR_E_FILTER_FAULT","features":[584]},{"name":"GTHR_E_FILTER_INIT","features":[584]},{"name":"GTHR_E_FILTER_INTERRUPTED","features":[584]},{"name":"GTHR_E_FILTER_INVALID_MESSAGE","features":[584]},{"name":"GTHR_E_FILTER_NOT_FOUND","features":[584]},{"name":"GTHR_E_FILTER_NO_CODEPAGE","features":[584]},{"name":"GTHR_E_FILTER_NO_MORE_THREADS","features":[584]},{"name":"GTHR_E_FILTER_PROCESS_TERMINATED","features":[584]},{"name":"GTHR_E_FILTER_PROCESS_TERMINATED_QUOTA","features":[584]},{"name":"GTHR_E_FILTER_SINGLE_THREADED","features":[584]},{"name":"GTHR_E_FOLDER_CRAWLED_BY_ANOTHER_WORKSPACE","features":[584]},{"name":"GTHR_E_FORCE_NOTIFICATION_RESET","features":[584]},{"name":"GTHR_E_FROM_NOT_SPECIFIED","features":[584]},{"name":"GTHR_E_IE_OFFLINE","features":[584]},{"name":"GTHR_E_INSUFFICIENT_EXAMPLE_CATEGORIES","features":[584]},{"name":"GTHR_E_INSUFFICIENT_EXAMPLE_DOCUMENTS","features":[584]},{"name":"GTHR_E_INSUFFICIENT_FEATURE_TERMS","features":[584]},{"name":"GTHR_E_INVALIDFUNCTION","features":[584]},{"name":"GTHR_E_INVALID_ACCOUNT","features":[584]},{"name":"GTHR_E_INVALID_ACCOUNT_SYNTAX","features":[584]},{"name":"GTHR_E_INVALID_APPLICATION_NAME","features":[584]},{"name":"GTHR_E_INVALID_CALL_FROM_WBREAKER","features":[584]},{"name":"GTHR_E_INVALID_DIRECTORY","features":[584]},{"name":"GTHR_E_INVALID_EXTENSION","features":[584]},{"name":"GTHR_E_INVALID_GROW_FACTOR","features":[584]},{"name":"GTHR_E_INVALID_HOST_NAME","features":[584]},{"name":"GTHR_E_INVALID_LOG_FILE_NAME","features":[584]},{"name":"GTHR_E_INVALID_MAPPING","features":[584]},{"name":"GTHR_E_INVALID_PATH","features":[584]},{"name":"GTHR_E_INVALID_PATH_EXPRESSION","features":[584]},{"name":"GTHR_E_INVALID_PATH_SPEC","features":[584]},{"name":"GTHR_E_INVALID_PROJECT_NAME","features":[584]},{"name":"GTHR_E_INVALID_PROXY_PORT","features":[584]},{"name":"GTHR_E_INVALID_RESOURCE_ID","features":[584]},{"name":"GTHR_E_INVALID_RETRIES","features":[584]},{"name":"GTHR_E_INVALID_START_ADDRESS","features":[584]},{"name":"GTHR_E_INVALID_START_PAGE","features":[584]},{"name":"GTHR_E_INVALID_START_PAGE_HOST","features":[584]},{"name":"GTHR_E_INVALID_START_PAGE_PATH","features":[584]},{"name":"GTHR_E_INVALID_STREAM_LOGS_COUNT","features":[584]},{"name":"GTHR_E_INVALID_TIME_OUT","features":[584]},{"name":"GTHR_E_JET_BACKUP_ERROR","features":[584]},{"name":"GTHR_E_JET_RESTORE_ERROR","features":[584]},{"name":"GTHR_E_LOCAL_GROUPS_EXPANSION_INTERNAL_ERROR","features":[584]},{"name":"GTHR_E_NAME_TOO_LONG","features":[584]},{"name":"GTHR_E_NESTED_HIERARCHICAL_START_ADDRESSES","features":[584]},{"name":"GTHR_E_NOFILTERSINK","features":[584]},{"name":"GTHR_E_NON_FIXED_DRIVE","features":[584]},{"name":"GTHR_E_NOTIFICATION_FILE_SHARE_INFO_NOT_AVAILABLE","features":[584]},{"name":"GTHR_E_NOTIFICATION_LOCAL_PATH_MUST_USE_FIXED_DRIVE","features":[584]},{"name":"GTHR_E_NOTIFICATION_START_ADDRESS_INVALID","features":[584]},{"name":"GTHR_E_NOTIFICATION_START_PAGE","features":[584]},{"name":"GTHR_E_NOTIFICATION_TYPE_NOT_SUPPORTED","features":[584]},{"name":"GTHR_E_NOTIF_ACCESS_TOKEN_UPDATED","features":[584]},{"name":"GTHR_E_NOTIF_BEING_REMOVED","features":[584]},{"name":"GTHR_E_NOTIF_EXCESSIVE_THROUGHPUT","features":[584]},{"name":"GTHR_E_NO_IDENTITY","features":[584]},{"name":"GTHR_E_NO_PRTCLHNLR","features":[584]},{"name":"GTHR_E_NTF_CLIENT_NOT_SUBSCRIBED","features":[584]},{"name":"GTHR_E_OBJECT_NOT_VALID","features":[584]},{"name":"GTHR_E_OUT_OF_DOC_ID","features":[584]},{"name":"GTHR_E_PIPE_NOT_CONNECTTED","features":[584]},{"name":"GTHR_E_PLUGIN_NOT_REGISTERED","features":[584]},{"name":"GTHR_E_PROJECT_NOT_INITIALIZED","features":[584]},{"name":"GTHR_E_PROPERTIES_EXCEEDED","features":[584]},{"name":"GTHR_E_PROPERTY_LIST_NOT_INITIALIZED","features":[584]},{"name":"GTHR_E_PROXY_NAME","features":[584]},{"name":"GTHR_E_PRT_HNDLR_PROGID_MISSING","features":[584]},{"name":"GTHR_E_RECOVERABLE_EXOLEDB_ERROR","features":[584]},{"name":"GTHR_E_RETRY","features":[584]},{"name":"GTHR_E_SCHEMA_ERRORS_OCCURRED","features":[584]},{"name":"GTHR_E_SCOPES_EXCEEDED","features":[584]},{"name":"GTHR_E_SECRET_NOT_FOUND","features":[584]},{"name":"GTHR_E_SERVER_UNAVAILABLE","features":[584]},{"name":"GTHR_E_SHUTTING_DOWN","features":[584]},{"name":"GTHR_E_SINGLE_THREADED_EMBEDDING","features":[584]},{"name":"GTHR_E_TIMEOUT","features":[584]},{"name":"GTHR_E_TOO_MANY_PLUGINS","features":[584]},{"name":"GTHR_E_UNABLE_TO_READ_EXCHANGE_STORE","features":[584]},{"name":"GTHR_E_UNABLE_TO_READ_REGISTRY","features":[584]},{"name":"GTHR_E_UNKNOWN_PROTOCOL","features":[584]},{"name":"GTHR_E_UNSUPPORTED_PROPERTY_TYPE","features":[584]},{"name":"GTHR_E_URL_EXCLUDED","features":[584]},{"name":"GTHR_E_URL_UNIDENTIFIED","features":[584]},{"name":"GTHR_E_USER_AGENT_NOT_SPECIFIED","features":[584]},{"name":"GTHR_E_VALUE_NOT_AVAILABLE","features":[584]},{"name":"GTHR_S_BAD_FILE_LINK","features":[584]},{"name":"GTHR_S_CANNOT_FILTER","features":[584]},{"name":"GTHR_S_CANNOT_WORDBREAK","features":[584]},{"name":"GTHR_S_CONFIG_HAS_ACCOUNTS","features":[584]},{"name":"GTHR_S_CRAWL_ADAPTIVE","features":[584]},{"name":"GTHR_S_CRAWL_FULL","features":[584]},{"name":"GTHR_S_CRAWL_INCREMENTAL","features":[584]},{"name":"GTHR_S_CRAWL_SCHEDULED","features":[584]},{"name":"GTHR_S_END_PROCESS_LOOP_NOTIFY_QUEUE","features":[584]},{"name":"GTHR_S_END_STD_CHUNKS","features":[584]},{"name":"GTHR_S_MODIFIED_PARTS","features":[584]},{"name":"GTHR_S_NOT_ALL_PARTS","features":[584]},{"name":"GTHR_S_NO_CRAWL_SEEDS","features":[584]},{"name":"GTHR_S_NO_INDEX","features":[584]},{"name":"GTHR_S_OFFICE_CHILD","features":[584]},{"name":"GTHR_S_PAUSE_REASON_BACKOFF","features":[584]},{"name":"GTHR_S_PAUSE_REASON_EXTERNAL","features":[584]},{"name":"GTHR_S_PAUSE_REASON_PROFILE_IMPORT","features":[584]},{"name":"GTHR_S_PAUSE_REASON_UPGRADING","features":[584]},{"name":"GTHR_S_PROB_NOT_MODIFIED","features":[584]},{"name":"GTHR_S_START_FILTER_FROM_BODY","features":[584]},{"name":"GTHR_S_START_FILTER_FROM_PROTOCOL","features":[584]},{"name":"GTHR_S_STATUS_CHANGE_IGNORED","features":[584]},{"name":"GTHR_S_STATUS_END_CRAWL","features":[584]},{"name":"GTHR_S_STATUS_PAUSE","features":[584]},{"name":"GTHR_S_STATUS_RESET","features":[584]},{"name":"GTHR_S_STATUS_RESUME","features":[584]},{"name":"GTHR_S_STATUS_START","features":[584]},{"name":"GTHR_S_STATUS_STOP","features":[584]},{"name":"GTHR_S_STATUS_THROTTLE","features":[584]},{"name":"GTHR_S_TRANSACTION_IGNORED","features":[584]},{"name":"GTHR_S_USE_MIME_FILTER","features":[584]},{"name":"HACCESSOR","features":[584]},{"name":"HITRANGE","features":[584]},{"name":"IAccessor","features":[584]},{"name":"IAlterIndex","features":[584]},{"name":"IAlterTable","features":[584]},{"name":"IBindResource","features":[584]},{"name":"IChapteredRowset","features":[584]},{"name":"IColumnMapper","features":[584]},{"name":"IColumnMapperCreator","features":[584]},{"name":"IColumnsInfo","features":[584]},{"name":"IColumnsInfo2","features":[584]},{"name":"IColumnsRowset","features":[584]},{"name":"ICommand","features":[584]},{"name":"ICommandCost","features":[584]},{"name":"ICommandPersist","features":[584]},{"name":"ICommandPrepare","features":[584]},{"name":"ICommandProperties","features":[584]},{"name":"ICommandStream","features":[584]},{"name":"ICommandText","features":[584]},{"name":"ICommandValidate","features":[584]},{"name":"ICommandWithParameters","features":[584]},{"name":"ICondition","features":[359,584]},{"name":"ICondition2","features":[359,584]},{"name":"IConditionFactory","features":[584]},{"name":"IConditionFactory2","features":[584]},{"name":"IConditionGenerator","features":[584]},{"name":"IConvertType","features":[584]},{"name":"ICreateRow","features":[584]},{"name":"IDBAsynchNotify","features":[584]},{"name":"IDBAsynchStatus","features":[584]},{"name":"IDBBinderProperties","features":[584]},{"name":"IDBCreateCommand","features":[584]},{"name":"IDBCreateSession","features":[584]},{"name":"IDBDataSourceAdmin","features":[584]},{"name":"IDBInfo","features":[584]},{"name":"IDBInitialize","features":[584]},{"name":"IDBPromptInitialize","features":[584]},{"name":"IDBProperties","features":[584]},{"name":"IDBSchemaCommand","features":[584]},{"name":"IDBSchemaRowset","features":[584]},{"name":"IDCInfo","features":[584]},{"name":"IDENTIFIER_SDK_ERROR","features":[584]},{"name":"IDENTIFIER_SDK_MASK","features":[584]},{"name":"IDS_MON_BUILTIN_PROPERTY","features":[584]},{"name":"IDS_MON_BUILTIN_VIEW","features":[584]},{"name":"IDS_MON_CANNOT_CAST","features":[584]},{"name":"IDS_MON_CANNOT_CONVERT","features":[584]},{"name":"IDS_MON_COLUMN_NOT_DEFINED","features":[584]},{"name":"IDS_MON_DATE_OUT_OF_RANGE","features":[584]},{"name":"IDS_MON_DEFAULT_ERROR","features":[584]},{"name":"IDS_MON_ILLEGAL_PASSTHROUGH","features":[584]},{"name":"IDS_MON_INVALIDSELECT_COALESCE","features":[584]},{"name":"IDS_MON_INVALID_CATALOG","features":[584]},{"name":"IDS_MON_INVALID_IN_GROUP_CLAUSE","features":[584]},{"name":"IDS_MON_MATCH_STRING","features":[584]},{"name":"IDS_MON_NOT_COLUMN_OF_VIEW","features":[584]},{"name":"IDS_MON_ORDINAL_OUT_OF_RANGE","features":[584]},{"name":"IDS_MON_OR_NOT","features":[584]},{"name":"IDS_MON_OUT_OF_MEMORY","features":[584]},{"name":"IDS_MON_OUT_OF_RANGE","features":[584]},{"name":"IDS_MON_PARSE_ERR_1_PARAM","features":[584]},{"name":"IDS_MON_PARSE_ERR_2_PARAM","features":[584]},{"name":"IDS_MON_PROPERTY_NAME_IN_VIEW","features":[584]},{"name":"IDS_MON_RELATIVE_INTERVAL","features":[584]},{"name":"IDS_MON_SELECT_STAR","features":[584]},{"name":"IDS_MON_SEMI_COLON","features":[584]},{"name":"IDS_MON_VIEW_ALREADY_DEFINED","features":[584]},{"name":"IDS_MON_VIEW_NOT_DEFINED","features":[584]},{"name":"IDS_MON_WEIGHT_OUT_OF_RANGE","features":[584]},{"name":"IDX_E_BUILD_IN_PROGRESS","features":[584]},{"name":"IDX_E_CATALOG_DISMOUNTED","features":[584]},{"name":"IDX_E_CORRUPT_INDEX","features":[584]},{"name":"IDX_E_DISKFULL","features":[584]},{"name":"IDX_E_DOCUMENT_ABORTED","features":[584]},{"name":"IDX_E_DSS_NOT_CONNECTED","features":[584]},{"name":"IDX_E_IDXLSTFILE_CORRUPT","features":[584]},{"name":"IDX_E_INVALIDTAG","features":[584]},{"name":"IDX_E_INVALID_INDEX","features":[584]},{"name":"IDX_E_METAFILE_CORRUPT","features":[584]},{"name":"IDX_E_NOISELIST_NOTFOUND","features":[584]},{"name":"IDX_E_NOT_LOADED","features":[584]},{"name":"IDX_E_OBJECT_NOT_FOUND","features":[584]},{"name":"IDX_E_PROPSTORE_INIT_FAILED","features":[584]},{"name":"IDX_E_PROP_MAJOR_VERSION_MISMATCH","features":[584]},{"name":"IDX_E_PROP_MINOR_VERSION_MISMATCH","features":[584]},{"name":"IDX_E_PROP_STATE_CORRUPT","features":[584]},{"name":"IDX_E_PROP_STOPPED","features":[584]},{"name":"IDX_E_REGISTRY_ENTRY","features":[584]},{"name":"IDX_E_SEARCH_SERVER_ALREADY_EXISTS","features":[584]},{"name":"IDX_E_SEARCH_SERVER_NOT_FOUND","features":[584]},{"name":"IDX_E_STEMMER_NOTFOUND","features":[584]},{"name":"IDX_E_TOO_MANY_SEARCH_SERVERS","features":[584]},{"name":"IDX_E_USE_APPGLOBAL_PROPTABLE","features":[584]},{"name":"IDX_E_USE_DEFAULT_CONTENTCLASS","features":[584]},{"name":"IDX_E_WB_NOTFOUND","features":[584]},{"name":"IDX_S_DSS_NOT_AVAILABLE","features":[584]},{"name":"IDX_S_NO_BUILD_IN_PROGRESS","features":[584]},{"name":"IDX_S_SEARCH_SERVER_ALREADY_EXISTS","features":[584]},{"name":"IDX_S_SEARCH_SERVER_DOES_NOT_EXIST","features":[584]},{"name":"IDataConvert","features":[584]},{"name":"IDataInitialize","features":[584]},{"name":"IDataSourceLocator","features":[359,584]},{"name":"IEntity","features":[584]},{"name":"IEnumItemProperties","features":[584]},{"name":"IEnumSearchRoots","features":[584]},{"name":"IEnumSearchScopeRules","features":[584]},{"name":"IEnumSubscription","features":[584]},{"name":"IErrorLookup","features":[584]},{"name":"IErrorRecords","features":[584]},{"name":"IGetDataSource","features":[584]},{"name":"IGetRow","features":[584]},{"name":"IGetSession","features":[584]},{"name":"IGetSourceRow","features":[584]},{"name":"IIndexDefinition","features":[584]},{"name":"IInterval","features":[584]},{"name":"ILK_EXPLICIT_EXCLUDED","features":[584]},{"name":"ILK_EXPLICIT_INCLUDED","features":[584]},{"name":"ILK_NEGATIVE_INFINITY","features":[584]},{"name":"ILK_POSITIVE_INFINITY","features":[584]},{"name":"ILoadFilter","features":[584]},{"name":"ILoadFilterWithPrivateComActivation","features":[584]},{"name":"IMDDataset","features":[584]},{"name":"IMDFind","features":[584]},{"name":"IMDRangeRowset","features":[584]},{"name":"IMetaData","features":[584]},{"name":"IMultipleResults","features":[584]},{"name":"INCREMENTAL_ACCESS_INFO","features":[308,584]},{"name":"INET_E_AGENT_CACHE_SIZE_EXCEEDED","features":[584]},{"name":"INET_E_AGENT_CONNECTION_FAILED","features":[584]},{"name":"INET_E_AGENT_EXCEEDING_CACHE_SIZE","features":[584]},{"name":"INET_E_AGENT_MAX_SIZE_EXCEEDED","features":[584]},{"name":"INET_E_SCHEDULED_EXCLUDE_RANGE","features":[584]},{"name":"INET_E_SCHEDULED_UPDATES_DISABLED","features":[584]},{"name":"INET_E_SCHEDULED_UPDATES_RESTRICTED","features":[584]},{"name":"INET_E_SCHEDULED_UPDATE_INTERVAL","features":[584]},{"name":"INET_S_AGENT_INCREASED_CACHE_SIZE","features":[584]},{"name":"INET_S_AGENT_PART_FAIL","features":[584]},{"name":"INTERVAL_LIMIT_KIND","features":[584]},{"name":"INamedEntity","features":[584]},{"name":"INamedEntityCollector","features":[584]},{"name":"IObjectAccessControl","features":[584]},{"name":"IOpLockStatus","features":[584]},{"name":"IOpenRowset","features":[584]},{"name":"IParentRowset","features":[584]},{"name":"IProtocolHandlerSite","features":[584]},{"name":"IProvideMoniker","features":[584]},{"name":"IQueryParser","features":[584]},{"name":"IQueryParserManager","features":[584]},{"name":"IQuerySolution","features":[584]},{"name":"IReadData","features":[584]},{"name":"IRegisterProvider","features":[584]},{"name":"IRelationship","features":[584]},{"name":"IRichChunk","features":[584]},{"name":"IRow","features":[584]},{"name":"IRowChange","features":[584]},{"name":"IRowPosition","features":[584]},{"name":"IRowPositionChange","features":[584]},{"name":"IRowSchemaChange","features":[584]},{"name":"IRowset","features":[584]},{"name":"IRowsetAsynch","features":[584]},{"name":"IRowsetBookmark","features":[584]},{"name":"IRowsetChange","features":[584]},{"name":"IRowsetChangeExtInfo","features":[584]},{"name":"IRowsetChapterMember","features":[584]},{"name":"IRowsetCopyRows","features":[584]},{"name":"IRowsetCurrentIndex","features":[584]},{"name":"IRowsetEvents","features":[584]},{"name":"IRowsetExactScroll","features":[584]},{"name":"IRowsetFastLoad","features":[584]},{"name":"IRowsetFind","features":[584]},{"name":"IRowsetIdentity","features":[584]},{"name":"IRowsetIndex","features":[584]},{"name":"IRowsetInfo","features":[584]},{"name":"IRowsetKeys","features":[584]},{"name":"IRowsetLocate","features":[584]},{"name":"IRowsetNewRowAfter","features":[584]},{"name":"IRowsetNextRowset","features":[584]},{"name":"IRowsetNotify","features":[584]},{"name":"IRowsetPrioritization","features":[584]},{"name":"IRowsetQueryStatus","features":[584]},{"name":"IRowsetRefresh","features":[584]},{"name":"IRowsetResynch","features":[584]},{"name":"IRowsetScroll","features":[584]},{"name":"IRowsetUpdate","features":[584]},{"name":"IRowsetView","features":[584]},{"name":"IRowsetWatchAll","features":[584]},{"name":"IRowsetWatchNotify","features":[584]},{"name":"IRowsetWatchRegion","features":[584]},{"name":"IRowsetWithParameters","features":[584]},{"name":"ISQLErrorInfo","features":[584]},{"name":"ISQLGetDiagField","features":[584]},{"name":"ISQLRequestDiagFields","features":[584]},{"name":"ISQLServerErrorInfo","features":[584]},{"name":"ISchemaLocalizerSupport","features":[584]},{"name":"ISchemaLock","features":[584]},{"name":"ISchemaProvider","features":[584]},{"name":"IScopedOperations","features":[584]},{"name":"ISearchCatalogManager","features":[584]},{"name":"ISearchCatalogManager2","features":[584]},{"name":"ISearchCrawlScopeManager","features":[584]},{"name":"ISearchCrawlScopeManager2","features":[584]},{"name":"ISearchItemsChangedSink","features":[584]},{"name":"ISearchLanguageSupport","features":[584]},{"name":"ISearchManager","features":[584]},{"name":"ISearchManager2","features":[584]},{"name":"ISearchNotifyInlineSite","features":[584]},{"name":"ISearchPersistentItemsChangedSink","features":[584]},{"name":"ISearchProtocol","features":[584]},{"name":"ISearchProtocol2","features":[584]},{"name":"ISearchProtocolThreadContext","features":[584]},{"name":"ISearchQueryHelper","features":[584]},{"name":"ISearchQueryHits","features":[584]},{"name":"ISearchRoot","features":[584]},{"name":"ISearchScopeRule","features":[584]},{"name":"ISearchViewChangedSink","features":[584]},{"name":"ISecurityInfo","features":[584]},{"name":"IService","features":[584]},{"name":"ISessionProperties","features":[584]},{"name":"ISimpleCommandCreator","features":[584]},{"name":"ISourcesRowset","features":[584]},{"name":"IStemmer","features":[584]},{"name":"ISubscriptionItem","features":[584]},{"name":"ISubscriptionMgr","features":[584]},{"name":"ISubscriptionMgr2","features":[584]},{"name":"ITEMPROP","features":[584]},{"name":"ITEM_INFO","features":[584]},{"name":"ITableCreation","features":[584]},{"name":"ITableDefinition","features":[584]},{"name":"ITableDefinitionWithConstraints","features":[584]},{"name":"ITableRename","features":[584]},{"name":"ITokenCollection","features":[584]},{"name":"ITransactionJoin","features":[584]},{"name":"ITransactionLocal","features":[551,584]},{"name":"ITransactionObject","features":[584]},{"name":"ITrusteeAdmin","features":[584]},{"name":"ITrusteeGroupAdmin","features":[584]},{"name":"IUMS","features":[584]},{"name":"IUMSInitialize","features":[584]},{"name":"IUrlAccessor","features":[584]},{"name":"IUrlAccessor2","features":[584]},{"name":"IUrlAccessor3","features":[584]},{"name":"IUrlAccessor4","features":[584]},{"name":"IViewChapter","features":[584]},{"name":"IViewFilter","features":[584]},{"name":"IViewRowset","features":[584]},{"name":"IViewSort","features":[584]},{"name":"IWordBreaker","features":[584]},{"name":"IWordFormSink","features":[584]},{"name":"IWordSink","features":[584]},{"name":"Interval","features":[584]},{"name":"JET_GET_PROP_STORE_ERROR","features":[584]},{"name":"JET_INIT_ERROR","features":[584]},{"name":"JET_MULTIINSTANCE_DISABLED","features":[584]},{"name":"JET_NEW_PROP_STORE_ERROR","features":[584]},{"name":"JPS_E_CATALOG_DECSRIPTION_MISSING","features":[584]},{"name":"JPS_E_INSUFFICIENT_DATABASE_RESOURCES","features":[584]},{"name":"JPS_E_INSUFFICIENT_DATABASE_SESSIONS","features":[584]},{"name":"JPS_E_INSUFFICIENT_VERSION_STORAGE","features":[584]},{"name":"JPS_E_JET_ERR","features":[584]},{"name":"JPS_E_MISSING_INFORMATION","features":[584]},{"name":"JPS_E_PROPAGATION_CORRUPTION","features":[584]},{"name":"JPS_E_PROPAGATION_FILE","features":[584]},{"name":"JPS_E_PROPAGATION_VERSION_MISMATCH","features":[584]},{"name":"JPS_E_SCHEMA_ERROR","features":[584]},{"name":"JPS_E_SHARING_VIOLATION","features":[584]},{"name":"JPS_S_DUPLICATE_DOC_DETECTED","features":[584]},{"name":"KAGGETDIAG","features":[584]},{"name":"KAGPROPVAL_CONCUR_LOCK","features":[584]},{"name":"KAGPROPVAL_CONCUR_READ_ONLY","features":[584]},{"name":"KAGPROPVAL_CONCUR_ROWVER","features":[584]},{"name":"KAGPROPVAL_CONCUR_VALUES","features":[584]},{"name":"KAGPROP_ACCESSIBLEPROCEDURES","features":[584]},{"name":"KAGPROP_ACCESSIBLETABLES","features":[584]},{"name":"KAGPROP_ACTIVESTATEMENTS","features":[584]},{"name":"KAGPROP_AUTH_SERVERINTEGRATED","features":[584]},{"name":"KAGPROP_AUTH_TRUSTEDCONNECTION","features":[584]},{"name":"KAGPROP_BLOBSONFOCURSOR","features":[584]},{"name":"KAGPROP_CONCURRENCY","features":[584]},{"name":"KAGPROP_CURSOR","features":[584]},{"name":"KAGPROP_DRIVERNAME","features":[584]},{"name":"KAGPROP_DRIVERODBCVER","features":[584]},{"name":"KAGPROP_DRIVERVER","features":[584]},{"name":"KAGPROP_FILEUSAGE","features":[584]},{"name":"KAGPROP_FORCENOPARAMETERREBIND","features":[584]},{"name":"KAGPROP_FORCENOPREPARE","features":[584]},{"name":"KAGPROP_FORCENOREEXECUTE","features":[584]},{"name":"KAGPROP_FORCESSFIREHOSEMODE","features":[584]},{"name":"KAGPROP_INCLUDENONEXACT","features":[584]},{"name":"KAGPROP_IRowsetChangeExtInfo","features":[584]},{"name":"KAGPROP_LIKEESCAPECLAUSE","features":[584]},{"name":"KAGPROP_MARSHALLABLE","features":[584]},{"name":"KAGPROP_MAXCOLUMNSINGROUPBY","features":[584]},{"name":"KAGPROP_MAXCOLUMNSININDEX","features":[584]},{"name":"KAGPROP_MAXCOLUMNSINORDERBY","features":[584]},{"name":"KAGPROP_MAXCOLUMNSINSELECT","features":[584]},{"name":"KAGPROP_MAXCOLUMNSINTABLE","features":[584]},{"name":"KAGPROP_NUMERICFUNCTIONS","features":[584]},{"name":"KAGPROP_ODBCSQLCONFORMANCE","features":[584]},{"name":"KAGPROP_ODBCSQLOPTIEF","features":[584]},{"name":"KAGPROP_OJCAPABILITY","features":[584]},{"name":"KAGPROP_OUTERJOINS","features":[584]},{"name":"KAGPROP_POSITIONONNEWROW","features":[584]},{"name":"KAGPROP_PROCEDURES","features":[584]},{"name":"KAGPROP_QUERYBASEDUPDATES","features":[584]},{"name":"KAGPROP_SPECIALCHARACTERS","features":[584]},{"name":"KAGPROP_STRINGFUNCTIONS","features":[584]},{"name":"KAGPROP_SYSTEMFUNCTIONS","features":[584]},{"name":"KAGPROP_TIMEDATEFUNCTIONS","features":[584]},{"name":"KAGREQDIAG","features":[584,383]},{"name":"KAGREQDIAGFLAGSENUM","features":[584]},{"name":"KAGREQDIAGFLAGS_HEADER","features":[584]},{"name":"KAGREQDIAGFLAGS_RECORD","features":[584]},{"name":"LOCKMODEENUM","features":[584]},{"name":"LOCKMODE_EXCLUSIVE","features":[584]},{"name":"LOCKMODE_INVALID","features":[584]},{"name":"LOCKMODE_SHARED","features":[584]},{"name":"LeafCondition","features":[584]},{"name":"MAXNAME","features":[584]},{"name":"MAXNUMERICLEN","features":[584]},{"name":"MAXUSEVERITY","features":[584]},{"name":"MAX_QUERY_RANK","features":[584]},{"name":"MDAXISINFO","features":[584]},{"name":"MDAXISINFO","features":[584]},{"name":"MDAXIS_CHAPTERS","features":[584]},{"name":"MDAXIS_COLUMNS","features":[584]},{"name":"MDAXIS_PAGES","features":[584]},{"name":"MDAXIS_ROWS","features":[584]},{"name":"MDAXIS_SECTIONS","features":[584]},{"name":"MDAXIS_SLICERS","features":[584]},{"name":"MDDISPINFO_DRILLED_DOWN","features":[584]},{"name":"MDDISPINFO_PARENT_SAME_AS_PREV","features":[584]},{"name":"MDFF_BOLD","features":[584]},{"name":"MDFF_ITALIC","features":[584]},{"name":"MDFF_STRIKEOUT","features":[584]},{"name":"MDFF_UNDERLINE","features":[584]},{"name":"MDLEVEL_TYPE_ALL","features":[584]},{"name":"MDLEVEL_TYPE_CALCULATED","features":[584]},{"name":"MDLEVEL_TYPE_REGULAR","features":[584]},{"name":"MDLEVEL_TYPE_RESERVED1","features":[584]},{"name":"MDLEVEL_TYPE_TIME","features":[584]},{"name":"MDLEVEL_TYPE_TIME_DAYS","features":[584]},{"name":"MDLEVEL_TYPE_TIME_HALF_YEAR","features":[584]},{"name":"MDLEVEL_TYPE_TIME_HOURS","features":[584]},{"name":"MDLEVEL_TYPE_TIME_MINUTES","features":[584]},{"name":"MDLEVEL_TYPE_TIME_MONTHS","features":[584]},{"name":"MDLEVEL_TYPE_TIME_QUARTERS","features":[584]},{"name":"MDLEVEL_TYPE_TIME_SECONDS","features":[584]},{"name":"MDLEVEL_TYPE_TIME_UNDEFINED","features":[584]},{"name":"MDLEVEL_TYPE_TIME_WEEKS","features":[584]},{"name":"MDLEVEL_TYPE_TIME_YEARS","features":[584]},{"name":"MDLEVEL_TYPE_UNKNOWN","features":[584]},{"name":"MDMEASURE_AGGR_AVG","features":[584]},{"name":"MDMEASURE_AGGR_CALCULATED","features":[584]},{"name":"MDMEASURE_AGGR_COUNT","features":[584]},{"name":"MDMEASURE_AGGR_MAX","features":[584]},{"name":"MDMEASURE_AGGR_MIN","features":[584]},{"name":"MDMEASURE_AGGR_STD","features":[584]},{"name":"MDMEASURE_AGGR_SUM","features":[584]},{"name":"MDMEASURE_AGGR_UNKNOWN","features":[584]},{"name":"MDMEASURE_AGGR_VAR","features":[584]},{"name":"MDMEMBER_TYPE_ALL","features":[584]},{"name":"MDMEMBER_TYPE_FORMULA","features":[584]},{"name":"MDMEMBER_TYPE_MEASURE","features":[584]},{"name":"MDMEMBER_TYPE_REGULAR","features":[584]},{"name":"MDMEMBER_TYPE_RESERVE1","features":[584]},{"name":"MDMEMBER_TYPE_RESERVE2","features":[584]},{"name":"MDMEMBER_TYPE_RESERVE3","features":[584]},{"name":"MDMEMBER_TYPE_RESERVE4","features":[584]},{"name":"MDMEMBER_TYPE_UNKNOWN","features":[584]},{"name":"MDPROPVAL_AU_UNCHANGED","features":[584]},{"name":"MDPROPVAL_AU_UNKNOWN","features":[584]},{"name":"MDPROPVAL_AU_UNSUPPORTED","features":[584]},{"name":"MDPROPVAL_FS_FULL_SUPPORT","features":[584]},{"name":"MDPROPVAL_FS_GENERATED_COLUMN","features":[584]},{"name":"MDPROPVAL_FS_GENERATED_DIMENSION","features":[584]},{"name":"MDPROPVAL_FS_NO_SUPPORT","features":[584]},{"name":"MDPROPVAL_MC_SEARCHEDCASE","features":[584]},{"name":"MDPROPVAL_MC_SINGLECASE","features":[584]},{"name":"MDPROPVAL_MD_AFTER","features":[584]},{"name":"MDPROPVAL_MD_BEFORE","features":[584]},{"name":"MDPROPVAL_MD_SELF","features":[584]},{"name":"MDPROPVAL_MF_CREATE_CALCMEMBERS","features":[584]},{"name":"MDPROPVAL_MF_CREATE_NAMEDSETS","features":[584]},{"name":"MDPROPVAL_MF_SCOPE_GLOBAL","features":[584]},{"name":"MDPROPVAL_MF_SCOPE_SESSION","features":[584]},{"name":"MDPROPVAL_MF_WITH_CALCMEMBERS","features":[584]},{"name":"MDPROPVAL_MF_WITH_NAMEDSETS","features":[584]},{"name":"MDPROPVAL_MJC_IMPLICITCUBE","features":[584]},{"name":"MDPROPVAL_MJC_MULTICUBES","features":[584]},{"name":"MDPROPVAL_MJC_SINGLECUBE","features":[584]},{"name":"MDPROPVAL_MMF_CLOSINGPERIOD","features":[584]},{"name":"MDPROPVAL_MMF_COUSIN","features":[584]},{"name":"MDPROPVAL_MMF_OPENINGPERIOD","features":[584]},{"name":"MDPROPVAL_MMF_PARALLELPERIOD","features":[584]},{"name":"MDPROPVAL_MNF_AGGREGATE","features":[584]},{"name":"MDPROPVAL_MNF_CORRELATION","features":[584]},{"name":"MDPROPVAL_MNF_COVARIANCE","features":[584]},{"name":"MDPROPVAL_MNF_DRILLDOWNLEVEL","features":[584]},{"name":"MDPROPVAL_MNF_DRILLDOWNLEVELBOTTOM","features":[584]},{"name":"MDPROPVAL_MNF_DRILLDOWNLEVELTOP","features":[584]},{"name":"MDPROPVAL_MNF_DRILLDOWNMEMBERBOTTOM","features":[584]},{"name":"MDPROPVAL_MNF_DRILLDOWNMEMBERTOP","features":[584]},{"name":"MDPROPVAL_MNF_DRILLUPLEVEL","features":[584]},{"name":"MDPROPVAL_MNF_DRILLUPMEMBER","features":[584]},{"name":"MDPROPVAL_MNF_LINREG2","features":[584]},{"name":"MDPROPVAL_MNF_LINREGPOINT","features":[584]},{"name":"MDPROPVAL_MNF_LINREGSLOPE","features":[584]},{"name":"MDPROPVAL_MNF_LINREGVARIANCE","features":[584]},{"name":"MDPROPVAL_MNF_MEDIAN","features":[584]},{"name":"MDPROPVAL_MNF_RANK","features":[584]},{"name":"MDPROPVAL_MNF_STDDEV","features":[584]},{"name":"MDPROPVAL_MNF_VAR","features":[584]},{"name":"MDPROPVAL_MOQ_CATALOG_CUBE","features":[584]},{"name":"MDPROPVAL_MOQ_CUBE_DIM","features":[584]},{"name":"MDPROPVAL_MOQ_DATASOURCE_CUBE","features":[584]},{"name":"MDPROPVAL_MOQ_DIMHIER_LEVEL","features":[584]},{"name":"MDPROPVAL_MOQ_DIMHIER_MEMBER","features":[584]},{"name":"MDPROPVAL_MOQ_DIM_HIER","features":[584]},{"name":"MDPROPVAL_MOQ_LEVEL_MEMBER","features":[584]},{"name":"MDPROPVAL_MOQ_MEMBER_MEMBER","features":[584]},{"name":"MDPROPVAL_MOQ_OUTERREFERENCE","features":[584]},{"name":"MDPROPVAL_MOQ_SCHEMA_CUBE","features":[584]},{"name":"MDPROPVAL_MSC_GREATERTHAN","features":[584]},{"name":"MDPROPVAL_MSC_GREATERTHANEQUAL","features":[584]},{"name":"MDPROPVAL_MSC_LESSTHAN","features":[584]},{"name":"MDPROPVAL_MSC_LESSTHANEQUAL","features":[584]},{"name":"MDPROPVAL_MSF_BOTTOMPERCENT","features":[584]},{"name":"MDPROPVAL_MSF_BOTTOMSUM","features":[584]},{"name":"MDPROPVAL_MSF_DRILLDOWNLEVEL","features":[584]},{"name":"MDPROPVAL_MSF_DRILLDOWNLEVELBOTTOM","features":[584]},{"name":"MDPROPVAL_MSF_DRILLDOWNLEVELTOP","features":[584]},{"name":"MDPROPVAL_MSF_DRILLDOWNMEMBBER","features":[584]},{"name":"MDPROPVAL_MSF_DRILLDOWNMEMBERBOTTOM","features":[584]},{"name":"MDPROPVAL_MSF_DRILLDOWNMEMBERTOP","features":[584]},{"name":"MDPROPVAL_MSF_DRILLUPLEVEL","features":[584]},{"name":"MDPROPVAL_MSF_DRILLUPMEMBER","features":[584]},{"name":"MDPROPVAL_MSF_LASTPERIODS","features":[584]},{"name":"MDPROPVAL_MSF_MTD","features":[584]},{"name":"MDPROPVAL_MSF_PERIODSTODATE","features":[584]},{"name":"MDPROPVAL_MSF_QTD","features":[584]},{"name":"MDPROPVAL_MSF_TOGGLEDRILLSTATE","features":[584]},{"name":"MDPROPVAL_MSF_TOPPERCENT","features":[584]},{"name":"MDPROPVAL_MSF_TOPSUM","features":[584]},{"name":"MDPROPVAL_MSF_WTD","features":[584]},{"name":"MDPROPVAL_MSF_YTD","features":[584]},{"name":"MDPROPVAL_MS_MULTIPLETUPLES","features":[584]},{"name":"MDPROPVAL_MS_SINGLETUPLE","features":[584]},{"name":"MDPROPVAL_NL_NAMEDLEVELS","features":[584]},{"name":"MDPROPVAL_NL_NUMBEREDLEVELS","features":[584]},{"name":"MDPROPVAL_NL_SCHEMAONLY","features":[584]},{"name":"MDPROPVAL_NME_ALLDIMENSIONS","features":[584]},{"name":"MDPROPVAL_NME_MEASURESONLY","features":[584]},{"name":"MDPROPVAL_RR_NORANGEROWSET","features":[584]},{"name":"MDPROPVAL_RR_READONLY","features":[584]},{"name":"MDPROPVAL_RR_UPDATE","features":[584]},{"name":"MDPROPVAL_VISUAL_MODE_DEFAULT","features":[584]},{"name":"MDPROPVAL_VISUAL_MODE_VISUAL","features":[584]},{"name":"MDPROPVAL_VISUAL_MODE_VISUAL_OFF","features":[584]},{"name":"MDPROP_AGGREGATECELL_UPDATE","features":[584]},{"name":"MDPROP_AXES","features":[584]},{"name":"MDPROP_CELL","features":[584]},{"name":"MDPROP_FLATTENING_SUPPORT","features":[584]},{"name":"MDPROP_MDX_AGGREGATECELL_UPDATE","features":[584]},{"name":"MDPROP_MDX_CASESUPPORT","features":[584]},{"name":"MDPROP_MDX_CUBEQUALIFICATION","features":[584]},{"name":"MDPROP_MDX_DESCFLAGS","features":[584]},{"name":"MDPROP_MDX_FORMULAS","features":[584]},{"name":"MDPROP_MDX_JOINCUBES","features":[584]},{"name":"MDPROP_MDX_MEMBER_FUNCTIONS","features":[584]},{"name":"MDPROP_MDX_NONMEASURE_EXPRESSIONS","features":[584]},{"name":"MDPROP_MDX_NUMERIC_FUNCTIONS","features":[584]},{"name":"MDPROP_MDX_OBJQUALIFICATION","features":[584]},{"name":"MDPROP_MDX_OUTERREFERENCE","features":[584]},{"name":"MDPROP_MDX_QUERYBYPROPERTY","features":[584]},{"name":"MDPROP_MDX_SET_FUNCTIONS","features":[584]},{"name":"MDPROP_MDX_SLICER","features":[584]},{"name":"MDPROP_MDX_STRING_COMPOP","features":[584]},{"name":"MDPROP_MEMBER","features":[584]},{"name":"MDPROP_NAMED_LEVELS","features":[584]},{"name":"MDPROP_RANGEROWSET","features":[584]},{"name":"MDPROP_VISUALMODE","features":[584]},{"name":"MDSTATUS_S_CELLEMPTY","features":[584]},{"name":"MDTREEOP_ANCESTORS","features":[584]},{"name":"MDTREEOP_CHILDREN","features":[584]},{"name":"MDTREEOP_DESCENDANTS","features":[584]},{"name":"MDTREEOP_PARENT","features":[584]},{"name":"MDTREEOP_SELF","features":[584]},{"name":"MDTREEOP_SIBLINGS","features":[584]},{"name":"MD_DIMTYPE_MEASURE","features":[584]},{"name":"MD_DIMTYPE_OTHER","features":[584]},{"name":"MD_DIMTYPE_TIME","features":[584]},{"name":"MD_DIMTYPE_UNKNOWN","features":[584]},{"name":"MD_E_BADCOORDINATE","features":[584]},{"name":"MD_E_BADTUPLE","features":[584]},{"name":"MD_E_INVALIDAXIS","features":[584]},{"name":"MD_E_INVALIDCELLRANGE","features":[584]},{"name":"MINFATALERR","features":[584]},{"name":"MIN_USER_DATATYPE","features":[584]},{"name":"MSDAINITIALIZE","features":[584]},{"name":"MSDAORA","features":[584]},{"name":"MSDAORA8","features":[584]},{"name":"MSDAORA8_ERROR","features":[584]},{"name":"MSDAORA_ERROR","features":[584]},{"name":"MSDSDBINITPROPENUM","features":[584]},{"name":"MSDSSESSIONPROPENUM","features":[584]},{"name":"MSG_CI_CORRUPT_INDEX_COMPONENT","features":[584]},{"name":"MSG_CI_CREATE_SEVER_ITEM_FAILED","features":[584]},{"name":"MSG_CI_MASTER_MERGE_ABORTED","features":[584]},{"name":"MSG_CI_MASTER_MERGE_ABORTED_LOW_DISK","features":[584]},{"name":"MSG_CI_MASTER_MERGE_CANT_RESTART","features":[584]},{"name":"MSG_CI_MASTER_MERGE_CANT_START","features":[584]},{"name":"MSG_CI_MASTER_MERGE_COMPLETED","features":[584]},{"name":"MSG_CI_MASTER_MERGE_REASON_EXPECTED_DOCS","features":[584]},{"name":"MSG_CI_MASTER_MERGE_REASON_EXTERNAL","features":[584]},{"name":"MSG_CI_MASTER_MERGE_REASON_INDEX_LIMIT","features":[584]},{"name":"MSG_CI_MASTER_MERGE_REASON_NUMBER","features":[584]},{"name":"MSG_CI_MASTER_MERGE_RESTARTED","features":[584]},{"name":"MSG_CI_MASTER_MERGE_STARTED","features":[584]},{"name":"MSG_TEST_MESSAGE","features":[584]},{"name":"MSS_E_APPALREADYEXISTS","features":[584]},{"name":"MSS_E_APPNOTFOUND","features":[584]},{"name":"MSS_E_CATALOGALREADYEXISTS","features":[584]},{"name":"MSS_E_CATALOGNOTFOUND","features":[584]},{"name":"MSS_E_CATALOGSTOPPING","features":[584]},{"name":"MSS_E_INVALIDAPPNAME","features":[584]},{"name":"MSS_E_UNICODEFILEHEADERMISSING","features":[584]},{"name":"MS_PERSIST_PROGID","features":[584]},{"name":"NAMED_ENTITY_CERTAINTY","features":[584]},{"name":"NATLANGUAGERESTRICTION","features":[512,432,584]},{"name":"NEC_HIGH","features":[584]},{"name":"NEC_LOW","features":[584]},{"name":"NEC_MEDIUM","features":[584]},{"name":"NET_E_DISCONNECTED","features":[584]},{"name":"NET_E_GENERAL","features":[584]},{"name":"NET_E_INVALIDPARAMS","features":[584]},{"name":"NET_E_OPERATIONINPROGRESS","features":[584]},{"name":"NLADMIN_E_BUILD_CATALOG_NOT_INITIALIZED","features":[584]},{"name":"NLADMIN_E_DUPLICATE_CATALOG","features":[584]},{"name":"NLADMIN_E_FAILED_TO_GIVE_ACCOUNT_PRIVILEGE","features":[584]},{"name":"NLADMIN_S_NOT_ALL_BUILD_CATALOGS_INITIALIZED","features":[584]},{"name":"NODERESTRICTION","features":[512,432,584]},{"name":"NOTESPH_E_ATTACHMENTS","features":[584]},{"name":"NOTESPH_E_DB_ACCESS_DENIED","features":[584]},{"name":"NOTESPH_E_FAIL","features":[584]},{"name":"NOTESPH_E_ITEM_NOT_FOUND","features":[584]},{"name":"NOTESPH_E_NOTESSETUP_ID_MAPPING_ERROR","features":[584]},{"name":"NOTESPH_E_NO_NTID","features":[584]},{"name":"NOTESPH_E_SERVER_CONFIG","features":[584]},{"name":"NOTESPH_E_UNEXPECTED_STATE","features":[584]},{"name":"NOTESPH_E_UNSUPPORTED_CONTENT_FIELD_TYPE","features":[584]},{"name":"NOTESPH_S_IGNORE_ID","features":[584]},{"name":"NOTESPH_S_LISTKNOWNFIELDS","features":[584]},{"name":"NOTRESTRICTION","features":[512,432,584]},{"name":"NOT_N_PARSE_ERROR","features":[584]},{"name":"NegationCondition","features":[584]},{"name":"OCC_INVALID","features":[584]},{"name":"ODBCGetTryWaitValue","features":[584]},{"name":"ODBCSetTryWaitValue","features":[308,584]},{"name":"ODBCVER","features":[584]},{"name":"ODBC_ADD_DSN","features":[584]},{"name":"ODBC_ADD_SYS_DSN","features":[584]},{"name":"ODBC_BOTH_DSN","features":[584]},{"name":"ODBC_CONFIG_DRIVER","features":[584]},{"name":"ODBC_CONFIG_DRIVER_MAX","features":[584]},{"name":"ODBC_CONFIG_DSN","features":[584]},{"name":"ODBC_CONFIG_SYS_DSN","features":[584]},{"name":"ODBC_ERROR_COMPONENT_NOT_FOUND","features":[584]},{"name":"ODBC_ERROR_CREATE_DSN_FAILED","features":[584]},{"name":"ODBC_ERROR_GENERAL_ERR","features":[584]},{"name":"ODBC_ERROR_INVALID_BUFF_LEN","features":[584]},{"name":"ODBC_ERROR_INVALID_DSN","features":[584]},{"name":"ODBC_ERROR_INVALID_HWND","features":[584]},{"name":"ODBC_ERROR_INVALID_INF","features":[584]},{"name":"ODBC_ERROR_INVALID_KEYWORD_VALUE","features":[584]},{"name":"ODBC_ERROR_INVALID_LOG_FILE","features":[584]},{"name":"ODBC_ERROR_INVALID_NAME","features":[584]},{"name":"ODBC_ERROR_INVALID_PARAM_SEQUENCE","features":[584]},{"name":"ODBC_ERROR_INVALID_PATH","features":[584]},{"name":"ODBC_ERROR_INVALID_REQUEST_TYPE","features":[584]},{"name":"ODBC_ERROR_INVALID_STR","features":[584]},{"name":"ODBC_ERROR_LOAD_LIB_FAILED","features":[584]},{"name":"ODBC_ERROR_MAX","features":[584]},{"name":"ODBC_ERROR_NOTRANINFO","features":[584]},{"name":"ODBC_ERROR_OUTPUT_STRING_TRUNCATED","features":[584]},{"name":"ODBC_ERROR_OUT_OF_MEM","features":[584]},{"name":"ODBC_ERROR_REMOVE_DSN_FAILED","features":[584]},{"name":"ODBC_ERROR_REQUEST_FAILED","features":[584]},{"name":"ODBC_ERROR_USAGE_UPDATE_FAILED","features":[584]},{"name":"ODBC_ERROR_USER_CANCELED","features":[584]},{"name":"ODBC_ERROR_WRITING_SYSINFO_FAILED","features":[584]},{"name":"ODBC_INSTALL_COMPLETE","features":[584]},{"name":"ODBC_INSTALL_DRIVER","features":[584]},{"name":"ODBC_INSTALL_INQUIRY","features":[584]},{"name":"ODBC_REMOVE_DEFAULT_DSN","features":[584]},{"name":"ODBC_REMOVE_DRIVER","features":[584]},{"name":"ODBC_REMOVE_DSN","features":[584]},{"name":"ODBC_REMOVE_SYS_DSN","features":[584]},{"name":"ODBC_SYSTEM_DSN","features":[584]},{"name":"ODBC_USER_DSN","features":[584]},{"name":"ODBC_VS_ARGS","features":[584]},{"name":"ODBC_VS_FLAG_RETCODE","features":[584]},{"name":"ODBC_VS_FLAG_STOP","features":[584]},{"name":"ODBC_VS_FLAG_UNICODE_ARG","features":[584]},{"name":"ODBC_VS_FLAG_UNICODE_COR","features":[584]},{"name":"OLEDBSimpleProvider","features":[584]},{"name":"OLEDBSimpleProviderListener","features":[584]},{"name":"OLEDBVER","features":[584]},{"name":"OLEDB_BINDER_CUSTOM_ERROR","features":[584]},{"name":"OSPCOMP","features":[584]},{"name":"OSPCOMP_DEFAULT","features":[584]},{"name":"OSPCOMP_EQ","features":[584]},{"name":"OSPCOMP_GE","features":[584]},{"name":"OSPCOMP_GT","features":[584]},{"name":"OSPCOMP_LE","features":[584]},{"name":"OSPCOMP_LT","features":[584]},{"name":"OSPCOMP_NE","features":[584]},{"name":"OSPFIND","features":[584]},{"name":"OSPFIND_CASESENSITIVE","features":[584]},{"name":"OSPFIND_DEFAULT","features":[584]},{"name":"OSPFIND_UP","features":[584]},{"name":"OSPFIND_UPCASESENSITIVE","features":[584]},{"name":"OSPFORMAT","features":[584]},{"name":"OSPFORMAT_DEFAULT","features":[584]},{"name":"OSPFORMAT_FORMATTED","features":[584]},{"name":"OSPFORMAT_HTML","features":[584]},{"name":"OSPFORMAT_RAW","features":[584]},{"name":"OSPRW","features":[584]},{"name":"OSPRW_DEFAULT","features":[584]},{"name":"OSPRW_MIXED","features":[584]},{"name":"OSPRW_READONLY","features":[584]},{"name":"OSPRW_READWRITE","features":[584]},{"name":"OSPXFER","features":[584]},{"name":"OSPXFER_ABORT","features":[584]},{"name":"OSPXFER_COMPLETE","features":[584]},{"name":"OSPXFER_ERROR","features":[584]},{"name":"OSP_IndexLabel","features":[584]},{"name":"PDPO","features":[584]},{"name":"PEOPLE_IMPORT_E_CANONICALURL_TOOLONG","features":[584]},{"name":"PEOPLE_IMPORT_E_DATATYPENOTSUPPORTED","features":[584]},{"name":"PEOPLE_IMPORT_E_DBCONNFAIL","features":[584]},{"name":"PEOPLE_IMPORT_E_DC_NOT_AVAILABLE","features":[584]},{"name":"PEOPLE_IMPORT_E_DIRSYNC_NOTREFRESHED","features":[584]},{"name":"PEOPLE_IMPORT_E_DIRSYNC_ZERO_COOKIE","features":[584]},{"name":"PEOPLE_IMPORT_E_DOMAIN_DISCOVER_FAILED","features":[584]},{"name":"PEOPLE_IMPORT_E_DOMAIN_REMOVED","features":[584]},{"name":"PEOPLE_IMPORT_E_ENUM_ACCESSDENIED","features":[584]},{"name":"PEOPLE_IMPORT_E_FAILTOGETDSDEF","features":[584]},{"name":"PEOPLE_IMPORT_E_FAILTOGETDSMAPPING","features":[584]},{"name":"PEOPLE_IMPORT_E_FAILTOGETLCID","features":[584]},{"name":"PEOPLE_IMPORT_E_LDAPPATH_TOOLONG","features":[584]},{"name":"PEOPLE_IMPORT_E_NOCASTINGSUPPORTED","features":[584]},{"name":"PEOPLE_IMPORT_E_UPDATE_DIRSYNC_COOKIE","features":[584]},{"name":"PEOPLE_IMPORT_E_USERNAME_NOTRESOLVED","features":[584]},{"name":"PEOPLE_IMPORT_NODSDEFINED","features":[584]},{"name":"PEOPLE_IMPORT_NOMAPPINGDEFINED","features":[584]},{"name":"PERM_ALL","features":[584]},{"name":"PERM_CREATE","features":[584]},{"name":"PERM_DELETE","features":[584]},{"name":"PERM_DROP","features":[584]},{"name":"PERM_EXCLUSIVE","features":[584]},{"name":"PERM_EXECUTE","features":[584]},{"name":"PERM_INSERT","features":[584]},{"name":"PERM_MAXIMUM_ALLOWED","features":[584]},{"name":"PERM_READ","features":[584]},{"name":"PERM_READCONTROL","features":[584]},{"name":"PERM_READDESIGN","features":[584]},{"name":"PERM_REFERENCE","features":[584]},{"name":"PERM_UPDATE","features":[584]},{"name":"PERM_WITHGRANT","features":[584]},{"name":"PERM_WRITEDESIGN","features":[584]},{"name":"PERM_WRITEOWNER","features":[584]},{"name":"PERM_WRITEPERMISSIONS","features":[584]},{"name":"PFNFILLTEXTBUFFER","features":[584]},{"name":"PRAll","features":[584]},{"name":"PRAllBits","features":[584]},{"name":"PRAny","features":[584]},{"name":"PRIORITIZE_FLAGS","features":[584]},{"name":"PRIORITIZE_FLAG_IGNOREFAILURECOUNT","features":[584]},{"name":"PRIORITIZE_FLAG_RETRYFAILEDITEMS","features":[584]},{"name":"PRIORITY_LEVEL","features":[584]},{"name":"PRIORITY_LEVEL_DEFAULT","features":[584]},{"name":"PRIORITY_LEVEL_FOREGROUND","features":[584]},{"name":"PRIORITY_LEVEL_HIGH","features":[584]},{"name":"PRIORITY_LEVEL_LOW","features":[584]},{"name":"PROGID_MSPersist_Version_W","features":[584]},{"name":"PROGID_MSPersist_W","features":[584]},{"name":"PROPERTYRESTRICTION","features":[512,432,584]},{"name":"PROPID_DBBMK_BOOKMARK","features":[584]},{"name":"PROPID_DBBMK_CHAPTER","features":[584]},{"name":"PROPID_DBSELF_SELF","features":[584]},{"name":"PROXY_ACCESS","features":[584]},{"name":"PROXY_ACCESS_DIRECT","features":[584]},{"name":"PROXY_ACCESS_PRECONFIG","features":[584]},{"name":"PROXY_ACCESS_PROXY","features":[584]},{"name":"PROXY_INFO","features":[308,584]},{"name":"PRRE","features":[584]},{"name":"PRSomeBits","features":[584]},{"name":"PRTH_E_ACCESS_DENIED","features":[584]},{"name":"PRTH_E_ACL_IS_READ_NONE","features":[584]},{"name":"PRTH_E_ACL_TOO_BIG","features":[584]},{"name":"PRTH_E_BAD_REQUEST","features":[584]},{"name":"PRTH_E_CANT_TRANSFORM_DENIED_ACE","features":[584]},{"name":"PRTH_E_CANT_TRANSFORM_EXTERNAL_ACL","features":[584]},{"name":"PRTH_E_COMM_ERROR","features":[584]},{"name":"PRTH_E_DATABASE_OPEN_ERROR","features":[584]},{"name":"PRTH_E_HTTPS_CERTIFICATE_ERROR","features":[584]},{"name":"PRTH_E_HTTPS_REQUIRE_CERTIFICATE","features":[584]},{"name":"PRTH_E_HTTP_CANNOT_CONNECT","features":[584]},{"name":"PRTH_E_INIT_FAILED","features":[584]},{"name":"PRTH_E_INTERNAL_ERROR","features":[584]},{"name":"PRTH_E_LOAD_FAILED","features":[584]},{"name":"PRTH_E_MIME_EXCLUDED","features":[584]},{"name":"PRTH_E_NOT_REDIRECTED","features":[584]},{"name":"PRTH_E_NO_PROPERTY","features":[584]},{"name":"PRTH_E_OBJ_NOT_FOUND","features":[584]},{"name":"PRTH_E_OPLOCK_BROKEN","features":[584]},{"name":"PRTH_E_REQUEST_ERROR","features":[584]},{"name":"PRTH_E_RETRY","features":[584]},{"name":"PRTH_E_SERVER_ERROR","features":[584]},{"name":"PRTH_E_TRUNCATED","features":[584]},{"name":"PRTH_E_VOLUME_MOUNT_POINT","features":[584]},{"name":"PRTH_E_WININET","features":[584]},{"name":"PRTH_S_ACL_IS_READ_EVERYONE","features":[584]},{"name":"PRTH_S_MAX_DOWNLOAD","features":[584]},{"name":"PRTH_S_MAX_GROWTH","features":[584]},{"name":"PRTH_S_NOT_ALL_PARTS","features":[584]},{"name":"PRTH_S_NOT_MODIFIED","features":[584]},{"name":"PRTH_S_TRY_IMPERSONATING","features":[584]},{"name":"PRTH_S_USE_ROSEBUD","features":[584]},{"name":"PSGUID_CHARACTERIZATION","features":[584]},{"name":"PSGUID_QUERY_METADATA","features":[584]},{"name":"PSGUID_STORAGE","features":[584]},{"name":"PWPROP_OSPVALUE","features":[584]},{"name":"QPMO_APPEND_LCID_TO_LOCALIZED_PATH","features":[584]},{"name":"QPMO_LOCALIZED_SCHEMA_BINARY_PATH","features":[584]},{"name":"QPMO_LOCALIZER_SUPPORT","features":[584]},{"name":"QPMO_PRELOCALIZED_SCHEMA_BINARY_PATH","features":[584]},{"name":"QPMO_SCHEMA_BINARY_NAME","features":[584]},{"name":"QPMO_UNLOCALIZED_SCHEMA_BINARY_PATH","features":[584]},{"name":"QRY_E_COLUMNNOTSEARCHABLE","features":[584]},{"name":"QRY_E_COLUMNNOTSORTABLE","features":[584]},{"name":"QRY_E_ENGINEFAILED","features":[584]},{"name":"QRY_E_INFIXWILDCARD","features":[584]},{"name":"QRY_E_INVALIDCATALOG","features":[584]},{"name":"QRY_E_INVALIDCOLUMN","features":[584]},{"name":"QRY_E_INVALIDINTERVAL","features":[584]},{"name":"QRY_E_INVALIDPATH","features":[584]},{"name":"QRY_E_INVALIDSCOPES","features":[584]},{"name":"QRY_E_LMNOTINITIALIZED","features":[584]},{"name":"QRY_E_NOCOLUMNS","features":[584]},{"name":"QRY_E_NODATASOURCES","features":[584]},{"name":"QRY_E_NOLOGMANAGER","features":[584]},{"name":"QRY_E_NULLQUERY","features":[584]},{"name":"QRY_E_PREFIXWILDCARD","features":[584]},{"name":"QRY_E_QUERYCORRUPT","features":[584]},{"name":"QRY_E_QUERYSYNTAX","features":[584]},{"name":"QRY_E_SCOPECARDINALIDY","features":[584]},{"name":"QRY_E_SEARCHTOOBIG","features":[584]},{"name":"QRY_E_STARTHITTOBIG","features":[584]},{"name":"QRY_E_TIMEOUT","features":[584]},{"name":"QRY_E_TOOMANYCOLUMNS","features":[584]},{"name":"QRY_E_TOOMANYDATABASES","features":[584]},{"name":"QRY_E_TOOMANYQUERYTERMS","features":[584]},{"name":"QRY_E_TYPEMISMATCH","features":[584]},{"name":"QRY_E_UNEXPECTED","features":[584]},{"name":"QRY_E_UNHANDLEDTYPE","features":[584]},{"name":"QRY_E_WILDCARDPREFIXLENGTH","features":[584]},{"name":"QRY_S_INEXACTRESULTS","features":[584]},{"name":"QRY_S_NOROWSFOUND","features":[584]},{"name":"QRY_S_TERMIGNORED","features":[584]},{"name":"QUERY_E_AGGREGATE_NOT_SUPPORTED","features":[584]},{"name":"QUERY_E_ALLNOISE_AND_NO_RELDOC","features":[584]},{"name":"QUERY_E_ALLNOISE_AND_NO_RELPROP","features":[584]},{"name":"QUERY_E_DUPLICATE_RANGE_NAME","features":[584]},{"name":"QUERY_E_INCORRECT_VERSION","features":[584]},{"name":"QUERY_E_INVALIDCOALESCE","features":[584]},{"name":"QUERY_E_INVALIDSCOPE_COALESCE","features":[584]},{"name":"QUERY_E_INVALIDSORT_COALESCE","features":[584]},{"name":"QUERY_E_INVALID_DOCUMENT_IDENTIFIER","features":[584]},{"name":"QUERY_E_NO_RELDOC","features":[584]},{"name":"QUERY_E_NO_RELPROP","features":[584]},{"name":"QUERY_E_RELDOC_SYNTAX_NOT_SUPPORTED","features":[584]},{"name":"QUERY_E_REPEATED_RELDOC","features":[584]},{"name":"QUERY_E_TOP_LEVEL_IN_GROUP","features":[584]},{"name":"QUERY_E_UPGRADEINPROGRESS","features":[584]},{"name":"QUERY_PARSER_MANAGER_OPTION","features":[584]},{"name":"QUERY_SORTDEFAULT","features":[584]},{"name":"QUERY_SORTXASCEND","features":[584]},{"name":"QUERY_SORTXDESCEND","features":[584]},{"name":"QUERY_VALIDBITS","features":[584]},{"name":"QueryParser","features":[584]},{"name":"QueryParserManager","features":[584]},{"name":"RANGECATEGORIZE","features":[584]},{"name":"RESTRICTION","features":[512,432,584]},{"name":"REXSPH_E_DUPLICATE_PROPERTY","features":[584]},{"name":"REXSPH_E_INVALID_CALL","features":[584]},{"name":"REXSPH_E_MULTIPLE_REDIRECT","features":[584]},{"name":"REXSPH_E_NO_PROPERTY_ON_ROW","features":[584]},{"name":"REXSPH_E_REDIRECT_ON_SECURITY_UPDATE","features":[584]},{"name":"REXSPH_E_TYPE_MISMATCH_ON_READ","features":[584]},{"name":"REXSPH_E_UNEXPECTED_DATA_STATUS","features":[584]},{"name":"REXSPH_E_UNEXPECTED_FILTER_STATE","features":[584]},{"name":"REXSPH_E_UNKNOWN_DATA_TYPE","features":[584]},{"name":"REXSPH_S_REDIRECTED","features":[584]},{"name":"RMTPACK","features":[359,584]},{"name":"RMTPACK","features":[359,584]},{"name":"ROWSETEVENT_ITEMSTATE","features":[584]},{"name":"ROWSETEVENT_ITEMSTATE_INROWSET","features":[584]},{"name":"ROWSETEVENT_ITEMSTATE_NOTINROWSET","features":[584]},{"name":"ROWSETEVENT_ITEMSTATE_UNKNOWN","features":[584]},{"name":"ROWSETEVENT_TYPE","features":[584]},{"name":"ROWSETEVENT_TYPE_DATAEXPIRED","features":[584]},{"name":"ROWSETEVENT_TYPE_FOREGROUNDLOST","features":[584]},{"name":"ROWSETEVENT_TYPE_SCOPESTATISTICS","features":[584]},{"name":"RS_COMPLETED","features":[584]},{"name":"RS_MAYBOTHERUSER","features":[584]},{"name":"RS_READY","features":[584]},{"name":"RS_SUSPENDED","features":[584]},{"name":"RS_SUSPENDONIDLE","features":[584]},{"name":"RS_UPDATING","features":[584]},{"name":"RTAnd","features":[584]},{"name":"RTContent","features":[584]},{"name":"RTNatLanguage","features":[584]},{"name":"RTNone","features":[584]},{"name":"RTNot","features":[584]},{"name":"RTOr","features":[584]},{"name":"RTProperty","features":[584]},{"name":"RTProximity","features":[584]},{"name":"RTVector","features":[584]},{"name":"RootBinder","features":[584]},{"name":"SCHEMA_E_ADDSTOPWORDS","features":[584]},{"name":"SCHEMA_E_BADATTRIBUTE","features":[584]},{"name":"SCHEMA_E_BADCOLUMNNAME","features":[584]},{"name":"SCHEMA_E_BADFILENAME","features":[584]},{"name":"SCHEMA_E_BADPROPPID","features":[584]},{"name":"SCHEMA_E_BADPROPSPEC","features":[584]},{"name":"SCHEMA_E_CANNOTCREATEFILE","features":[584]},{"name":"SCHEMA_E_CANNOTCREATENOISEWORDFILE","features":[584]},{"name":"SCHEMA_E_CANNOTWRITEFILE","features":[584]},{"name":"SCHEMA_E_DUPLICATENOISE","features":[584]},{"name":"SCHEMA_E_EMPTYFILE","features":[584]},{"name":"SCHEMA_E_FILECHANGED","features":[584]},{"name":"SCHEMA_E_FILENOTFOUND","features":[584]},{"name":"SCHEMA_E_INVALIDDATATYPE","features":[584]},{"name":"SCHEMA_E_INVALIDFILETYPE","features":[584]},{"name":"SCHEMA_E_INVALIDVALUE","features":[584]},{"name":"SCHEMA_E_LOAD_SPECIAL","features":[584]},{"name":"SCHEMA_E_NAMEEXISTS","features":[584]},{"name":"SCHEMA_E_NESTEDTAG","features":[584]},{"name":"SCHEMA_E_NOMORECOLUMNS","features":[584]},{"name":"SCHEMA_E_PROPEXISTS","features":[584]},{"name":"SCHEMA_E_UNEXPECTEDTAG","features":[584]},{"name":"SCHEMA_E_VERSIONMISMATCH","features":[584]},{"name":"SCRIPTPI_E_ALREADY_COMPLETED","features":[584]},{"name":"SCRIPTPI_E_CANNOT_ALTER_CHUNK","features":[584]},{"name":"SCRIPTPI_E_CHUNK_NOT_TEXT","features":[584]},{"name":"SCRIPTPI_E_CHUNK_NOT_VALUE","features":[584]},{"name":"SCRIPTPI_E_PID_NOT_NAME","features":[584]},{"name":"SCRIPTPI_E_PID_NOT_NUMERIC","features":[584]},{"name":"SEARCH_ADVANCED_QUERY_SYNTAX","features":[584]},{"name":"SEARCH_CHANGE_ADD","features":[584]},{"name":"SEARCH_CHANGE_DELETE","features":[584]},{"name":"SEARCH_CHANGE_MODIFY","features":[584]},{"name":"SEARCH_CHANGE_MOVE_RENAME","features":[584]},{"name":"SEARCH_CHANGE_SEMANTICS_DIRECTORY","features":[584]},{"name":"SEARCH_CHANGE_SEMANTICS_SHALLOW","features":[584]},{"name":"SEARCH_CHANGE_SEMANTICS_UPDATE_SECURITY","features":[584]},{"name":"SEARCH_COLUMN_PROPERTIES","features":[584]},{"name":"SEARCH_HIGH_PRIORITY","features":[584]},{"name":"SEARCH_INDEXING_PHASE","features":[584]},{"name":"SEARCH_INDEXING_PHASE_GATHERER","features":[584]},{"name":"SEARCH_INDEXING_PHASE_PERSISTED","features":[584]},{"name":"SEARCH_INDEXING_PHASE_QUERYABLE","features":[584]},{"name":"SEARCH_ITEM_CHANGE","features":[359,584]},{"name":"SEARCH_ITEM_INDEXING_STATUS","features":[584]},{"name":"SEARCH_ITEM_PERSISTENT_CHANGE","features":[584]},{"name":"SEARCH_KIND_OF_CHANGE","features":[584]},{"name":"SEARCH_NATURAL_QUERY_SYNTAX","features":[584]},{"name":"SEARCH_NORMAL_PRIORITY","features":[584]},{"name":"SEARCH_NOTIFICATION_PRIORITY","features":[584]},{"name":"SEARCH_NO_QUERY_SYNTAX","features":[584]},{"name":"SEARCH_QUERY_SYNTAX","features":[584]},{"name":"SEARCH_TERM_EXPANSION","features":[584]},{"name":"SEARCH_TERM_NO_EXPANSION","features":[584]},{"name":"SEARCH_TERM_PREFIX_ALL","features":[584]},{"name":"SEARCH_TERM_STEM_ALL","features":[584]},{"name":"SEC_E_ACCESSDENIED","features":[584]},{"name":"SEC_E_BADTRUSTEEID","features":[584]},{"name":"SEC_E_INITFAILED","features":[584]},{"name":"SEC_E_INVALIDACCESSENTRY","features":[584]},{"name":"SEC_E_INVALIDACCESSENTRYLIST","features":[584]},{"name":"SEC_E_INVALIDCONTEXT","features":[584]},{"name":"SEC_E_INVALIDOBJECT","features":[584]},{"name":"SEC_E_INVALIDOWNER","features":[584]},{"name":"SEC_E_NOMEMBERSHIPSUPPORT","features":[584]},{"name":"SEC_E_NOOWNER","features":[584]},{"name":"SEC_E_NOTINITIALIZED","features":[584]},{"name":"SEC_E_NOTRUSTEEID","features":[584]},{"name":"SEC_E_PERMISSIONDENIED","features":[584]},{"name":"SEC_OBJECT","features":[512,584]},{"name":"SEC_OBJECT","features":[512,584]},{"name":"SEC_OBJECT_ELEMENT","features":[512,584]},{"name":"SEC_OBJECT_ELEMENT","features":[512,584]},{"name":"SI_TEMPORARY","features":[584]},{"name":"SORTKEY","features":[512,432,584]},{"name":"SORTSET","features":[512,432,584]},{"name":"SPS_WS_ERROR","features":[584]},{"name":"SQLAOPANY","features":[584]},{"name":"SQLAOPAVG","features":[584]},{"name":"SQLAOPCNT","features":[584]},{"name":"SQLAOPMAX","features":[584]},{"name":"SQLAOPMIN","features":[584]},{"name":"SQLAOPNOOP","features":[584]},{"name":"SQLAOPSTDEV","features":[584]},{"name":"SQLAOPSTDEVP","features":[584]},{"name":"SQLAOPSUM","features":[584]},{"name":"SQLAOPVAR","features":[584]},{"name":"SQLAOPVARP","features":[584]},{"name":"SQLAllocConnect","features":[584]},{"name":"SQLAllocEnv","features":[584]},{"name":"SQLAllocHandle","features":[584]},{"name":"SQLAllocHandleStd","features":[584]},{"name":"SQLAllocStmt","features":[584]},{"name":"SQLBIGBINARY","features":[584]},{"name":"SQLBIGCHAR","features":[584]},{"name":"SQLBIGVARBINARY","features":[584]},{"name":"SQLBIGVARCHAR","features":[584]},{"name":"SQLBINARY","features":[584]},{"name":"SQLBIT","features":[584]},{"name":"SQLBITN","features":[584]},{"name":"SQLBindCol","features":[584]},{"name":"SQLBindCol","features":[584]},{"name":"SQLBindParam","features":[584]},{"name":"SQLBindParam","features":[584]},{"name":"SQLBindParameter","features":[584]},{"name":"SQLBindParameter","features":[584]},{"name":"SQLBrowseConnect","features":[584]},{"name":"SQLBrowseConnectA","features":[584]},{"name":"SQLBrowseConnectW","features":[584]},{"name":"SQLBulkOperations","features":[584]},{"name":"SQLCHARACTER","features":[584]},{"name":"SQLCancel","features":[584]},{"name":"SQLCancelHandle","features":[584]},{"name":"SQLCloseCursor","features":[584]},{"name":"SQLCloseEnumServers","features":[308,584]},{"name":"SQLColAttribute","features":[584]},{"name":"SQLColAttribute","features":[584]},{"name":"SQLColAttributeA","features":[584]},{"name":"SQLColAttributeA","features":[584]},{"name":"SQLColAttributeW","features":[584]},{"name":"SQLColAttributeW","features":[584]},{"name":"SQLColAttributes","features":[584]},{"name":"SQLColAttributes","features":[584]},{"name":"SQLColAttributesA","features":[584]},{"name":"SQLColAttributesA","features":[584]},{"name":"SQLColAttributesW","features":[584]},{"name":"SQLColAttributesW","features":[584]},{"name":"SQLColumnPrivileges","features":[584]},{"name":"SQLColumnPrivilegesA","features":[584]},{"name":"SQLColumnPrivilegesW","features":[584]},{"name":"SQLColumns","features":[584]},{"name":"SQLColumnsA","features":[584]},{"name":"SQLColumnsW","features":[584]},{"name":"SQLCompleteAsync","features":[584]},{"name":"SQLConnect","features":[584]},{"name":"SQLConnectA","features":[584]},{"name":"SQLConnectW","features":[584]},{"name":"SQLCopyDesc","features":[584]},{"name":"SQLDATETIM4","features":[584]},{"name":"SQLDATETIME","features":[584]},{"name":"SQLDATETIMN","features":[584]},{"name":"SQLDECIMAL","features":[584]},{"name":"SQLDECIMALN","features":[584]},{"name":"SQLDataSources","features":[584]},{"name":"SQLDataSourcesA","features":[584]},{"name":"SQLDataSourcesW","features":[584]},{"name":"SQLDescribeCol","features":[584]},{"name":"SQLDescribeCol","features":[584]},{"name":"SQLDescribeColA","features":[584]},{"name":"SQLDescribeColA","features":[584]},{"name":"SQLDescribeColW","features":[584]},{"name":"SQLDescribeColW","features":[584]},{"name":"SQLDescribeParam","features":[584]},{"name":"SQLDescribeParam","features":[584]},{"name":"SQLDisconnect","features":[584]},{"name":"SQLDriverConnect","features":[584]},{"name":"SQLDriverConnectA","features":[584]},{"name":"SQLDriverConnectW","features":[584]},{"name":"SQLDrivers","features":[584]},{"name":"SQLDriversA","features":[584]},{"name":"SQLDriversW","features":[584]},{"name":"SQLEndTran","features":[584]},{"name":"SQLError","features":[584]},{"name":"SQLErrorA","features":[584]},{"name":"SQLErrorW","features":[584]},{"name":"SQLExecDirect","features":[584]},{"name":"SQLExecDirectA","features":[584]},{"name":"SQLExecDirectW","features":[584]},{"name":"SQLExecute","features":[584]},{"name":"SQLExtendedFetch","features":[584]},{"name":"SQLExtendedFetch","features":[584]},{"name":"SQLFLT4","features":[584]},{"name":"SQLFLT8","features":[584]},{"name":"SQLFLTN","features":[584]},{"name":"SQLFetch","features":[584]},{"name":"SQLFetchScroll","features":[584]},{"name":"SQLFetchScroll","features":[584]},{"name":"SQLForeignKeys","features":[584]},{"name":"SQLForeignKeysA","features":[584]},{"name":"SQLForeignKeysW","features":[584]},{"name":"SQLFreeConnect","features":[584]},{"name":"SQLFreeEnv","features":[584]},{"name":"SQLFreeHandle","features":[584]},{"name":"SQLFreeStmt","features":[584]},{"name":"SQLGetConnectAttr","features":[584]},{"name":"SQLGetConnectAttrA","features":[584]},{"name":"SQLGetConnectAttrW","features":[584]},{"name":"SQLGetConnectOption","features":[584]},{"name":"SQLGetConnectOptionA","features":[584]},{"name":"SQLGetConnectOptionW","features":[584]},{"name":"SQLGetCursorName","features":[584]},{"name":"SQLGetCursorNameA","features":[584]},{"name":"SQLGetCursorNameW","features":[584]},{"name":"SQLGetData","features":[584]},{"name":"SQLGetData","features":[584]},{"name":"SQLGetDescField","features":[584]},{"name":"SQLGetDescFieldA","features":[584]},{"name":"SQLGetDescFieldW","features":[584]},{"name":"SQLGetDescRec","features":[584]},{"name":"SQLGetDescRec","features":[584]},{"name":"SQLGetDescRecA","features":[584]},{"name":"SQLGetDescRecA","features":[584]},{"name":"SQLGetDescRecW","features":[584]},{"name":"SQLGetDescRecW","features":[584]},{"name":"SQLGetDiagField","features":[584]},{"name":"SQLGetDiagFieldA","features":[584]},{"name":"SQLGetDiagFieldW","features":[584]},{"name":"SQLGetDiagRec","features":[584]},{"name":"SQLGetDiagRecA","features":[584]},{"name":"SQLGetDiagRecW","features":[584]},{"name":"SQLGetEnvAttr","features":[584]},{"name":"SQLGetFunctions","features":[584]},{"name":"SQLGetInfo","features":[584]},{"name":"SQLGetInfoA","features":[584]},{"name":"SQLGetInfoW","features":[584]},{"name":"SQLGetNextEnumeration","features":[308,584]},{"name":"SQLGetStmtAttr","features":[584]},{"name":"SQLGetStmtAttrA","features":[584]},{"name":"SQLGetStmtAttrW","features":[584]},{"name":"SQLGetStmtOption","features":[584]},{"name":"SQLGetTypeInfo","features":[584]},{"name":"SQLGetTypeInfoA","features":[584]},{"name":"SQLGetTypeInfoW","features":[584]},{"name":"SQLIMAGE","features":[584]},{"name":"SQLINT1","features":[584]},{"name":"SQLINT2","features":[584]},{"name":"SQLINT4","features":[584]},{"name":"SQLINT8","features":[584]},{"name":"SQLINTERVAL","features":[584]},{"name":"SQLINTN","features":[584]},{"name":"SQLInitEnumServers","features":[308,584]},{"name":"SQLLinkedCatalogsA","features":[584]},{"name":"SQLLinkedCatalogsW","features":[584]},{"name":"SQLLinkedServers","features":[584]},{"name":"SQLMONEY","features":[584]},{"name":"SQLMONEY4","features":[584]},{"name":"SQLMONEYN","features":[584]},{"name":"SQLMoreResults","features":[584]},{"name":"SQLNCHAR","features":[584]},{"name":"SQLNTEXT","features":[584]},{"name":"SQLNUMERIC","features":[584]},{"name":"SQLNUMERICN","features":[584]},{"name":"SQLNVARCHAR","features":[584]},{"name":"SQLNativeSql","features":[584]},{"name":"SQLNativeSqlA","features":[584]},{"name":"SQLNativeSqlW","features":[584]},{"name":"SQLNumParams","features":[584]},{"name":"SQLNumResultCols","features":[584]},{"name":"SQLPERF","features":[584]},{"name":"SQLParamData","features":[584]},{"name":"SQLParamOptions","features":[584]},{"name":"SQLParamOptions","features":[584]},{"name":"SQLPrepare","features":[584]},{"name":"SQLPrepareA","features":[584]},{"name":"SQLPrepareW","features":[584]},{"name":"SQLPrimaryKeys","features":[584]},{"name":"SQLPrimaryKeysA","features":[584]},{"name":"SQLPrimaryKeysW","features":[584]},{"name":"SQLProcedureColumns","features":[584]},{"name":"SQLProcedureColumnsA","features":[584]},{"name":"SQLProcedureColumnsW","features":[584]},{"name":"SQLProcedures","features":[584]},{"name":"SQLProceduresA","features":[584]},{"name":"SQLProceduresW","features":[584]},{"name":"SQLPutData","features":[584]},{"name":"SQLPutData","features":[584]},{"name":"SQLRowCount","features":[584]},{"name":"SQLRowCount","features":[584]},{"name":"SQLSetConnectAttr","features":[584]},{"name":"SQLSetConnectAttrA","features":[584]},{"name":"SQLSetConnectAttrW","features":[584]},{"name":"SQLSetConnectOption","features":[584]},{"name":"SQLSetConnectOption","features":[584]},{"name":"SQLSetConnectOptionA","features":[584]},{"name":"SQLSetConnectOptionA","features":[584]},{"name":"SQLSetConnectOptionW","features":[584]},{"name":"SQLSetConnectOptionW","features":[584]},{"name":"SQLSetCursorName","features":[584]},{"name":"SQLSetCursorNameA","features":[584]},{"name":"SQLSetCursorNameW","features":[584]},{"name":"SQLSetDescField","features":[584]},{"name":"SQLSetDescFieldW","features":[584]},{"name":"SQLSetDescRec","features":[584]},{"name":"SQLSetDescRec","features":[584]},{"name":"SQLSetEnvAttr","features":[584]},{"name":"SQLSetParam","features":[584]},{"name":"SQLSetParam","features":[584]},{"name":"SQLSetPos","features":[584]},{"name":"SQLSetPos","features":[584]},{"name":"SQLSetScrollOptions","features":[584]},{"name":"SQLSetScrollOptions","features":[584]},{"name":"SQLSetStmtAttr","features":[584]},{"name":"SQLSetStmtAttrW","features":[584]},{"name":"SQLSetStmtOption","features":[584]},{"name":"SQLSetStmtOption","features":[584]},{"name":"SQLSpecialColumns","features":[584]},{"name":"SQLSpecialColumnsA","features":[584]},{"name":"SQLSpecialColumnsW","features":[584]},{"name":"SQLStatistics","features":[584]},{"name":"SQLStatisticsA","features":[584]},{"name":"SQLStatisticsW","features":[584]},{"name":"SQLTEXT","features":[584]},{"name":"SQLTablePrivileges","features":[584]},{"name":"SQLTablePrivilegesA","features":[584]},{"name":"SQLTablePrivilegesW","features":[584]},{"name":"SQLTables","features":[584]},{"name":"SQLTablesA","features":[584]},{"name":"SQLTablesW","features":[584]},{"name":"SQLTransact","features":[584]},{"name":"SQLUNIQUEID","features":[584]},{"name":"SQLVARBINARY","features":[584]},{"name":"SQLVARCHAR","features":[584]},{"name":"SQLVARENUM","features":[584]},{"name":"SQLVARIANT","features":[584]},{"name":"SQL_AA_FALSE","features":[584]},{"name":"SQL_AA_TRUE","features":[584]},{"name":"SQL_ACCESSIBLE_PROCEDURES","features":[584]},{"name":"SQL_ACCESSIBLE_TABLES","features":[584]},{"name":"SQL_ACCESS_MODE","features":[584]},{"name":"SQL_ACTIVE_CONNECTIONS","features":[584]},{"name":"SQL_ACTIVE_ENVIRONMENTS","features":[584]},{"name":"SQL_ACTIVE_STATEMENTS","features":[584]},{"name":"SQL_ADD","features":[584]},{"name":"SQL_AD_ADD_CONSTRAINT_DEFERRABLE","features":[584]},{"name":"SQL_AD_ADD_CONSTRAINT_INITIALLY_DEFERRED","features":[584]},{"name":"SQL_AD_ADD_CONSTRAINT_INITIALLY_IMMEDIATE","features":[584]},{"name":"SQL_AD_ADD_CONSTRAINT_NON_DEFERRABLE","features":[584]},{"name":"SQL_AD_ADD_DOMAIN_CONSTRAINT","features":[584]},{"name":"SQL_AD_ADD_DOMAIN_DEFAULT","features":[584]},{"name":"SQL_AD_CONSTRAINT_NAME_DEFINITION","features":[584]},{"name":"SQL_AD_DEFAULT","features":[584]},{"name":"SQL_AD_DROP_DOMAIN_CONSTRAINT","features":[584]},{"name":"SQL_AD_DROP_DOMAIN_DEFAULT","features":[584]},{"name":"SQL_AD_OFF","features":[584]},{"name":"SQL_AD_ON","features":[584]},{"name":"SQL_AF_ALL","features":[584]},{"name":"SQL_AF_AVG","features":[584]},{"name":"SQL_AF_COUNT","features":[584]},{"name":"SQL_AF_DISTINCT","features":[584]},{"name":"SQL_AF_MAX","features":[584]},{"name":"SQL_AF_MIN","features":[584]},{"name":"SQL_AF_SUM","features":[584]},{"name":"SQL_AGGREGATE_FUNCTIONS","features":[584]},{"name":"SQL_ALL_CATALOGS","features":[584]},{"name":"SQL_ALL_EXCEPT_LIKE","features":[584]},{"name":"SQL_ALL_SCHEMAS","features":[584]},{"name":"SQL_ALL_TABLE_TYPES","features":[584]},{"name":"SQL_ALL_TYPES","features":[584]},{"name":"SQL_ALTER_DOMAIN","features":[584]},{"name":"SQL_ALTER_TABLE","features":[584]},{"name":"SQL_AM_CONNECTION","features":[584]},{"name":"SQL_AM_NONE","features":[584]},{"name":"SQL_AM_STATEMENT","features":[584]},{"name":"SQL_AO_DEFAULT","features":[584]},{"name":"SQL_AO_OFF","features":[584]},{"name":"SQL_AO_ON","features":[584]},{"name":"SQL_APD_TYPE","features":[584]},{"name":"SQL_API_ALL_FUNCTIONS","features":[584]},{"name":"SQL_API_LOADBYORDINAL","features":[584]},{"name":"SQL_API_ODBC3_ALL_FUNCTIONS","features":[584]},{"name":"SQL_API_ODBC3_ALL_FUNCTIONS_SIZE","features":[584]},{"name":"SQL_API_SQLALLOCCONNECT","features":[584]},{"name":"SQL_API_SQLALLOCENV","features":[584]},{"name":"SQL_API_SQLALLOCHANDLE","features":[584]},{"name":"SQL_API_SQLALLOCHANDLESTD","features":[584]},{"name":"SQL_API_SQLALLOCSTMT","features":[584]},{"name":"SQL_API_SQLBINDCOL","features":[584]},{"name":"SQL_API_SQLBINDPARAM","features":[584]},{"name":"SQL_API_SQLBINDPARAMETER","features":[584]},{"name":"SQL_API_SQLBROWSECONNECT","features":[584]},{"name":"SQL_API_SQLBULKOPERATIONS","features":[584]},{"name":"SQL_API_SQLCANCEL","features":[584]},{"name":"SQL_API_SQLCANCELHANDLE","features":[584]},{"name":"SQL_API_SQLCLOSECURSOR","features":[584]},{"name":"SQL_API_SQLCOLATTRIBUTE","features":[584]},{"name":"SQL_API_SQLCOLATTRIBUTES","features":[584]},{"name":"SQL_API_SQLCOLUMNPRIVILEGES","features":[584]},{"name":"SQL_API_SQLCOLUMNS","features":[584]},{"name":"SQL_API_SQLCOMPLETEASYNC","features":[584]},{"name":"SQL_API_SQLCONNECT","features":[584]},{"name":"SQL_API_SQLCOPYDESC","features":[584]},{"name":"SQL_API_SQLDATASOURCES","features":[584]},{"name":"SQL_API_SQLDESCRIBECOL","features":[584]},{"name":"SQL_API_SQLDESCRIBEPARAM","features":[584]},{"name":"SQL_API_SQLDISCONNECT","features":[584]},{"name":"SQL_API_SQLDRIVERCONNECT","features":[584]},{"name":"SQL_API_SQLDRIVERS","features":[584]},{"name":"SQL_API_SQLENDTRAN","features":[584]},{"name":"SQL_API_SQLERROR","features":[584]},{"name":"SQL_API_SQLEXECDIRECT","features":[584]},{"name":"SQL_API_SQLEXECUTE","features":[584]},{"name":"SQL_API_SQLEXTENDEDFETCH","features":[584]},{"name":"SQL_API_SQLFETCH","features":[584]},{"name":"SQL_API_SQLFETCHSCROLL","features":[584]},{"name":"SQL_API_SQLFOREIGNKEYS","features":[584]},{"name":"SQL_API_SQLFREECONNECT","features":[584]},{"name":"SQL_API_SQLFREEENV","features":[584]},{"name":"SQL_API_SQLFREEHANDLE","features":[584]},{"name":"SQL_API_SQLFREESTMT","features":[584]},{"name":"SQL_API_SQLGETCONNECTATTR","features":[584]},{"name":"SQL_API_SQLGETCONNECTOPTION","features":[584]},{"name":"SQL_API_SQLGETCURSORNAME","features":[584]},{"name":"SQL_API_SQLGETDATA","features":[584]},{"name":"SQL_API_SQLGETDESCFIELD","features":[584]},{"name":"SQL_API_SQLGETDESCREC","features":[584]},{"name":"SQL_API_SQLGETDIAGFIELD","features":[584]},{"name":"SQL_API_SQLGETDIAGREC","features":[584]},{"name":"SQL_API_SQLGETENVATTR","features":[584]},{"name":"SQL_API_SQLGETFUNCTIONS","features":[584]},{"name":"SQL_API_SQLGETINFO","features":[584]},{"name":"SQL_API_SQLGETSTMTATTR","features":[584]},{"name":"SQL_API_SQLGETSTMTOPTION","features":[584]},{"name":"SQL_API_SQLGETTYPEINFO","features":[584]},{"name":"SQL_API_SQLMORERESULTS","features":[584]},{"name":"SQL_API_SQLNATIVESQL","features":[584]},{"name":"SQL_API_SQLNUMPARAMS","features":[584]},{"name":"SQL_API_SQLNUMRESULTCOLS","features":[584]},{"name":"SQL_API_SQLPARAMDATA","features":[584]},{"name":"SQL_API_SQLPARAMOPTIONS","features":[584]},{"name":"SQL_API_SQLPREPARE","features":[584]},{"name":"SQL_API_SQLPRIMARYKEYS","features":[584]},{"name":"SQL_API_SQLPRIVATEDRIVERS","features":[584]},{"name":"SQL_API_SQLPROCEDURECOLUMNS","features":[584]},{"name":"SQL_API_SQLPROCEDURES","features":[584]},{"name":"SQL_API_SQLPUTDATA","features":[584]},{"name":"SQL_API_SQLROWCOUNT","features":[584]},{"name":"SQL_API_SQLSETCONNECTATTR","features":[584]},{"name":"SQL_API_SQLSETCONNECTOPTION","features":[584]},{"name":"SQL_API_SQLSETCURSORNAME","features":[584]},{"name":"SQL_API_SQLSETDESCFIELD","features":[584]},{"name":"SQL_API_SQLSETDESCREC","features":[584]},{"name":"SQL_API_SQLSETENVATTR","features":[584]},{"name":"SQL_API_SQLSETPARAM","features":[584]},{"name":"SQL_API_SQLSETPOS","features":[584]},{"name":"SQL_API_SQLSETSCROLLOPTIONS","features":[584]},{"name":"SQL_API_SQLSETSTMTATTR","features":[584]},{"name":"SQL_API_SQLSETSTMTOPTION","features":[584]},{"name":"SQL_API_SQLSPECIALCOLUMNS","features":[584]},{"name":"SQL_API_SQLSTATISTICS","features":[584]},{"name":"SQL_API_SQLTABLEPRIVILEGES","features":[584]},{"name":"SQL_API_SQLTABLES","features":[584]},{"name":"SQL_API_SQLTRANSACT","features":[584]},{"name":"SQL_ARD_TYPE","features":[584]},{"name":"SQL_ASYNC_DBC_CAPABLE","features":[584]},{"name":"SQL_ASYNC_DBC_ENABLE_DEFAULT","features":[584]},{"name":"SQL_ASYNC_DBC_ENABLE_OFF","features":[584]},{"name":"SQL_ASYNC_DBC_ENABLE_ON","features":[584]},{"name":"SQL_ASYNC_DBC_FUNCTIONS","features":[584]},{"name":"SQL_ASYNC_DBC_NOT_CAPABLE","features":[584]},{"name":"SQL_ASYNC_ENABLE","features":[584]},{"name":"SQL_ASYNC_ENABLE_DEFAULT","features":[584]},{"name":"SQL_ASYNC_ENABLE_OFF","features":[584]},{"name":"SQL_ASYNC_ENABLE_ON","features":[584]},{"name":"SQL_ASYNC_MODE","features":[584]},{"name":"SQL_ASYNC_NOTIFICATION","features":[584]},{"name":"SQL_ASYNC_NOTIFICATION_CALLBACK","features":[308,584]},{"name":"SQL_ASYNC_NOTIFICATION_CAPABLE","features":[584]},{"name":"SQL_ASYNC_NOTIFICATION_NOT_CAPABLE","features":[584]},{"name":"SQL_ATTR_ACCESS_MODE","features":[584]},{"name":"SQL_ATTR_ANSI_APP","features":[584]},{"name":"SQL_ATTR_APPLICATION_KEY","features":[584]},{"name":"SQL_ATTR_APP_PARAM_DESC","features":[584]},{"name":"SQL_ATTR_APP_ROW_DESC","features":[584]},{"name":"SQL_ATTR_ASYNC_DBC_EVENT","features":[584]},{"name":"SQL_ATTR_ASYNC_DBC_FUNCTIONS_ENABLE","features":[584]},{"name":"SQL_ATTR_ASYNC_DBC_NOTIFICATION_CALLBACK","features":[584]},{"name":"SQL_ATTR_ASYNC_DBC_NOTIFICATION_CONTEXT","features":[584]},{"name":"SQL_ATTR_ASYNC_ENABLE","features":[584]},{"name":"SQL_ATTR_ASYNC_STMT_EVENT","features":[584]},{"name":"SQL_ATTR_ASYNC_STMT_NOTIFICATION_CALLBACK","features":[584]},{"name":"SQL_ATTR_ASYNC_STMT_NOTIFICATION_CONTEXT","features":[584]},{"name":"SQL_ATTR_AUTOCOMMIT","features":[584]},{"name":"SQL_ATTR_AUTO_IPD","features":[584]},{"name":"SQL_ATTR_CONCURRENCY","features":[584]},{"name":"SQL_ATTR_CONNECTION_DEAD","features":[584]},{"name":"SQL_ATTR_CONNECTION_POOLING","features":[584]},{"name":"SQL_ATTR_CONNECTION_TIMEOUT","features":[584]},{"name":"SQL_ATTR_CP_MATCH","features":[584]},{"name":"SQL_ATTR_CURRENT_CATALOG","features":[584]},{"name":"SQL_ATTR_CURSOR_SCROLLABLE","features":[584]},{"name":"SQL_ATTR_CURSOR_SENSITIVITY","features":[584]},{"name":"SQL_ATTR_CURSOR_TYPE","features":[584]},{"name":"SQL_ATTR_DBC_INFO_TOKEN","features":[584]},{"name":"SQL_ATTR_DISCONNECT_BEHAVIOR","features":[584]},{"name":"SQL_ATTR_ENABLE_AUTO_IPD","features":[584]},{"name":"SQL_ATTR_ENLIST_IN_DTC","features":[584]},{"name":"SQL_ATTR_ENLIST_IN_XA","features":[584]},{"name":"SQL_ATTR_FETCH_BOOKMARK_PTR","features":[584]},{"name":"SQL_ATTR_IMP_PARAM_DESC","features":[584]},{"name":"SQL_ATTR_IMP_ROW_DESC","features":[584]},{"name":"SQL_ATTR_KEYSET_SIZE","features":[584]},{"name":"SQL_ATTR_LOGIN_TIMEOUT","features":[584]},{"name":"SQL_ATTR_MAX_LENGTH","features":[584]},{"name":"SQL_ATTR_MAX_ROWS","features":[584]},{"name":"SQL_ATTR_METADATA_ID","features":[584]},{"name":"SQL_ATTR_NOSCAN","features":[584]},{"name":"SQL_ATTR_ODBC_CURSORS","features":[584]},{"name":"SQL_ATTR_ODBC_VERSION","features":[584]},{"name":"SQL_ATTR_OUTPUT_NTS","features":[584]},{"name":"SQL_ATTR_PACKET_SIZE","features":[584]},{"name":"SQL_ATTR_PARAMSET_SIZE","features":[584]},{"name":"SQL_ATTR_PARAMS_PROCESSED_PTR","features":[584]},{"name":"SQL_ATTR_PARAM_BIND_OFFSET_PTR","features":[584]},{"name":"SQL_ATTR_PARAM_BIND_TYPE","features":[584]},{"name":"SQL_ATTR_PARAM_OPERATION_PTR","features":[584]},{"name":"SQL_ATTR_PARAM_STATUS_PTR","features":[584]},{"name":"SQL_ATTR_QUERY_TIMEOUT","features":[584]},{"name":"SQL_ATTR_QUIET_MODE","features":[584]},{"name":"SQL_ATTR_READONLY","features":[584]},{"name":"SQL_ATTR_READWRITE_UNKNOWN","features":[584]},{"name":"SQL_ATTR_RESET_CONNECTION","features":[584]},{"name":"SQL_ATTR_RETRIEVE_DATA","features":[584]},{"name":"SQL_ATTR_ROWS_FETCHED_PTR","features":[584]},{"name":"SQL_ATTR_ROW_ARRAY_SIZE","features":[584]},{"name":"SQL_ATTR_ROW_BIND_OFFSET_PTR","features":[584]},{"name":"SQL_ATTR_ROW_BIND_TYPE","features":[584]},{"name":"SQL_ATTR_ROW_NUMBER","features":[584]},{"name":"SQL_ATTR_ROW_OPERATION_PTR","features":[584]},{"name":"SQL_ATTR_ROW_STATUS_PTR","features":[584]},{"name":"SQL_ATTR_SIMULATE_CURSOR","features":[584]},{"name":"SQL_ATTR_TRACE","features":[584]},{"name":"SQL_ATTR_TRACEFILE","features":[584]},{"name":"SQL_ATTR_TRANSLATE_LIB","features":[584]},{"name":"SQL_ATTR_TRANSLATE_OPTION","features":[584]},{"name":"SQL_ATTR_TXN_ISOLATION","features":[584]},{"name":"SQL_ATTR_USE_BOOKMARKS","features":[584]},{"name":"SQL_ATTR_WRITE","features":[584]},{"name":"SQL_AT_ADD_COLUMN","features":[584]},{"name":"SQL_AT_ADD_COLUMN_COLLATION","features":[584]},{"name":"SQL_AT_ADD_COLUMN_DEFAULT","features":[584]},{"name":"SQL_AT_ADD_COLUMN_SINGLE","features":[584]},{"name":"SQL_AT_ADD_CONSTRAINT","features":[584]},{"name":"SQL_AT_ADD_TABLE_CONSTRAINT","features":[584]},{"name":"SQL_AT_CONSTRAINT_DEFERRABLE","features":[584]},{"name":"SQL_AT_CONSTRAINT_INITIALLY_DEFERRED","features":[584]},{"name":"SQL_AT_CONSTRAINT_INITIALLY_IMMEDIATE","features":[584]},{"name":"SQL_AT_CONSTRAINT_NAME_DEFINITION","features":[584]},{"name":"SQL_AT_CONSTRAINT_NON_DEFERRABLE","features":[584]},{"name":"SQL_AT_DROP_COLUMN","features":[584]},{"name":"SQL_AT_DROP_COLUMN_CASCADE","features":[584]},{"name":"SQL_AT_DROP_COLUMN_DEFAULT","features":[584]},{"name":"SQL_AT_DROP_COLUMN_RESTRICT","features":[584]},{"name":"SQL_AT_DROP_TABLE_CONSTRAINT_CASCADE","features":[584]},{"name":"SQL_AT_DROP_TABLE_CONSTRAINT_RESTRICT","features":[584]},{"name":"SQL_AT_SET_COLUMN_DEFAULT","features":[584]},{"name":"SQL_AUTOCOMMIT","features":[584]},{"name":"SQL_AUTOCOMMIT_DEFAULT","features":[584]},{"name":"SQL_AUTOCOMMIT_OFF","features":[584]},{"name":"SQL_AUTOCOMMIT_ON","features":[584]},{"name":"SQL_BATCH_ROW_COUNT","features":[584]},{"name":"SQL_BATCH_SUPPORT","features":[584]},{"name":"SQL_BCP_DEFAULT","features":[584]},{"name":"SQL_BCP_OFF","features":[584]},{"name":"SQL_BCP_ON","features":[584]},{"name":"SQL_BEST_ROWID","features":[584]},{"name":"SQL_BIGINT","features":[584]},{"name":"SQL_BINARY","features":[584]},{"name":"SQL_BIND_BY_COLUMN","features":[584]},{"name":"SQL_BIND_TYPE","features":[584]},{"name":"SQL_BIND_TYPE_DEFAULT","features":[584]},{"name":"SQL_BIT","features":[584]},{"name":"SQL_BOOKMARK_PERSISTENCE","features":[584]},{"name":"SQL_BP_CLOSE","features":[584]},{"name":"SQL_BP_DELETE","features":[584]},{"name":"SQL_BP_DROP","features":[584]},{"name":"SQL_BP_OTHER_HSTMT","features":[584]},{"name":"SQL_BP_SCROLL","features":[584]},{"name":"SQL_BP_TRANSACTION","features":[584]},{"name":"SQL_BP_UPDATE","features":[584]},{"name":"SQL_BRC_EXPLICIT","features":[584]},{"name":"SQL_BRC_PROCEDURES","features":[584]},{"name":"SQL_BRC_ROLLED_UP","features":[584]},{"name":"SQL_BS_ROW_COUNT_EXPLICIT","features":[584]},{"name":"SQL_BS_ROW_COUNT_PROC","features":[584]},{"name":"SQL_BS_SELECT_EXPLICIT","features":[584]},{"name":"SQL_BS_SELECT_PROC","features":[584]},{"name":"SQL_CA1_ABSOLUTE","features":[584]},{"name":"SQL_CA1_BOOKMARK","features":[584]},{"name":"SQL_CA1_BULK_ADD","features":[584]},{"name":"SQL_CA1_BULK_DELETE_BY_BOOKMARK","features":[584]},{"name":"SQL_CA1_BULK_FETCH_BY_BOOKMARK","features":[584]},{"name":"SQL_CA1_BULK_UPDATE_BY_BOOKMARK","features":[584]},{"name":"SQL_CA1_LOCK_EXCLUSIVE","features":[584]},{"name":"SQL_CA1_LOCK_NO_CHANGE","features":[584]},{"name":"SQL_CA1_LOCK_UNLOCK","features":[584]},{"name":"SQL_CA1_NEXT","features":[584]},{"name":"SQL_CA1_POSITIONED_DELETE","features":[584]},{"name":"SQL_CA1_POSITIONED_UPDATE","features":[584]},{"name":"SQL_CA1_POS_DELETE","features":[584]},{"name":"SQL_CA1_POS_POSITION","features":[584]},{"name":"SQL_CA1_POS_REFRESH","features":[584]},{"name":"SQL_CA1_POS_UPDATE","features":[584]},{"name":"SQL_CA1_RELATIVE","features":[584]},{"name":"SQL_CA1_SELECT_FOR_UPDATE","features":[584]},{"name":"SQL_CA2_CRC_APPROXIMATE","features":[584]},{"name":"SQL_CA2_CRC_EXACT","features":[584]},{"name":"SQL_CA2_LOCK_CONCURRENCY","features":[584]},{"name":"SQL_CA2_MAX_ROWS_CATALOG","features":[584]},{"name":"SQL_CA2_MAX_ROWS_DELETE","features":[584]},{"name":"SQL_CA2_MAX_ROWS_INSERT","features":[584]},{"name":"SQL_CA2_MAX_ROWS_SELECT","features":[584]},{"name":"SQL_CA2_MAX_ROWS_UPDATE","features":[584]},{"name":"SQL_CA2_OPT_ROWVER_CONCURRENCY","features":[584]},{"name":"SQL_CA2_OPT_VALUES_CONCURRENCY","features":[584]},{"name":"SQL_CA2_READ_ONLY_CONCURRENCY","features":[584]},{"name":"SQL_CA2_SENSITIVITY_ADDITIONS","features":[584]},{"name":"SQL_CA2_SENSITIVITY_DELETIONS","features":[584]},{"name":"SQL_CA2_SENSITIVITY_UPDATES","features":[584]},{"name":"SQL_CA2_SIMULATE_NON_UNIQUE","features":[584]},{"name":"SQL_CA2_SIMULATE_TRY_UNIQUE","features":[584]},{"name":"SQL_CA2_SIMULATE_UNIQUE","features":[584]},{"name":"SQL_CACHE_DATA_NO","features":[584]},{"name":"SQL_CACHE_DATA_YES","features":[584]},{"name":"SQL_CASCADE","features":[584]},{"name":"SQL_CATALOG_LOCATION","features":[584]},{"name":"SQL_CATALOG_NAME","features":[584]},{"name":"SQL_CATALOG_NAME_SEPARATOR","features":[584]},{"name":"SQL_CATALOG_TERM","features":[584]},{"name":"SQL_CATALOG_USAGE","features":[584]},{"name":"SQL_CA_CONSTRAINT_DEFERRABLE","features":[584]},{"name":"SQL_CA_CONSTRAINT_INITIALLY_DEFERRED","features":[584]},{"name":"SQL_CA_CONSTRAINT_INITIALLY_IMMEDIATE","features":[584]},{"name":"SQL_CA_CONSTRAINT_NON_DEFERRABLE","features":[584]},{"name":"SQL_CA_CREATE_ASSERTION","features":[584]},{"name":"SQL_CA_SS_BASE","features":[584]},{"name":"SQL_CA_SS_COLUMN_COLLATION","features":[584]},{"name":"SQL_CA_SS_COLUMN_HIDDEN","features":[584]},{"name":"SQL_CA_SS_COLUMN_ID","features":[584]},{"name":"SQL_CA_SS_COLUMN_KEY","features":[584]},{"name":"SQL_CA_SS_COLUMN_OP","features":[584]},{"name":"SQL_CA_SS_COLUMN_ORDER","features":[584]},{"name":"SQL_CA_SS_COLUMN_SIZE","features":[584]},{"name":"SQL_CA_SS_COLUMN_SSTYPE","features":[584]},{"name":"SQL_CA_SS_COLUMN_UTYPE","features":[584]},{"name":"SQL_CA_SS_COLUMN_VARYLEN","features":[584]},{"name":"SQL_CA_SS_COMPUTE_BYLIST","features":[584]},{"name":"SQL_CA_SS_COMPUTE_ID","features":[584]},{"name":"SQL_CA_SS_MAX_USED","features":[584]},{"name":"SQL_CA_SS_NUM_COMPUTES","features":[584]},{"name":"SQL_CA_SS_NUM_ORDERS","features":[584]},{"name":"SQL_CA_SS_VARIANT_SERVER_TYPE","features":[584]},{"name":"SQL_CA_SS_VARIANT_SQL_TYPE","features":[584]},{"name":"SQL_CA_SS_VARIANT_TYPE","features":[584]},{"name":"SQL_CB_CLOSE","features":[584]},{"name":"SQL_CB_DELETE","features":[584]},{"name":"SQL_CB_NON_NULL","features":[584]},{"name":"SQL_CB_NULL","features":[584]},{"name":"SQL_CB_PRESERVE","features":[584]},{"name":"SQL_CCOL_CREATE_COLLATION","features":[584]},{"name":"SQL_CCS_COLLATE_CLAUSE","features":[584]},{"name":"SQL_CCS_CREATE_CHARACTER_SET","features":[584]},{"name":"SQL_CCS_LIMITED_COLLATION","features":[584]},{"name":"SQL_CC_CLOSE","features":[584]},{"name":"SQL_CC_DELETE","features":[584]},{"name":"SQL_CC_PRESERVE","features":[584]},{"name":"SQL_CDO_COLLATION","features":[584]},{"name":"SQL_CDO_CONSTRAINT","features":[584]},{"name":"SQL_CDO_CONSTRAINT_DEFERRABLE","features":[584]},{"name":"SQL_CDO_CONSTRAINT_INITIALLY_DEFERRED","features":[584]},{"name":"SQL_CDO_CONSTRAINT_INITIALLY_IMMEDIATE","features":[584]},{"name":"SQL_CDO_CONSTRAINT_NAME_DEFINITION","features":[584]},{"name":"SQL_CDO_CONSTRAINT_NON_DEFERRABLE","features":[584]},{"name":"SQL_CDO_CREATE_DOMAIN","features":[584]},{"name":"SQL_CDO_DEFAULT","features":[584]},{"name":"SQL_CD_FALSE","features":[584]},{"name":"SQL_CD_TRUE","features":[584]},{"name":"SQL_CHAR","features":[584]},{"name":"SQL_CLOSE","features":[584]},{"name":"SQL_CL_END","features":[584]},{"name":"SQL_CL_START","features":[584]},{"name":"SQL_CN_ANY","features":[584]},{"name":"SQL_CN_DEFAULT","features":[584]},{"name":"SQL_CN_DIFFERENT","features":[584]},{"name":"SQL_CN_NONE","features":[584]},{"name":"SQL_CN_OFF","features":[584]},{"name":"SQL_CN_ON","features":[584]},{"name":"SQL_CODE_DATE","features":[584]},{"name":"SQL_CODE_DAY","features":[584]},{"name":"SQL_CODE_DAY_TO_HOUR","features":[584]},{"name":"SQL_CODE_DAY_TO_MINUTE","features":[584]},{"name":"SQL_CODE_DAY_TO_SECOND","features":[584]},{"name":"SQL_CODE_HOUR","features":[584]},{"name":"SQL_CODE_HOUR_TO_MINUTE","features":[584]},{"name":"SQL_CODE_HOUR_TO_SECOND","features":[584]},{"name":"SQL_CODE_MINUTE","features":[584]},{"name":"SQL_CODE_MINUTE_TO_SECOND","features":[584]},{"name":"SQL_CODE_MONTH","features":[584]},{"name":"SQL_CODE_SECOND","features":[584]},{"name":"SQL_CODE_TIME","features":[584]},{"name":"SQL_CODE_TIMESTAMP","features":[584]},{"name":"SQL_CODE_YEAR","features":[584]},{"name":"SQL_CODE_YEAR_TO_MONTH","features":[584]},{"name":"SQL_COLATT_OPT_MAX","features":[584]},{"name":"SQL_COLATT_OPT_MIN","features":[584]},{"name":"SQL_COLLATION_SEQ","features":[584]},{"name":"SQL_COLUMN_ALIAS","features":[584]},{"name":"SQL_COLUMN_AUTO_INCREMENT","features":[584]},{"name":"SQL_COLUMN_CASE_SENSITIVE","features":[584]},{"name":"SQL_COLUMN_COUNT","features":[584]},{"name":"SQL_COLUMN_DISPLAY_SIZE","features":[584]},{"name":"SQL_COLUMN_DRIVER_START","features":[584]},{"name":"SQL_COLUMN_IGNORE","features":[584]},{"name":"SQL_COLUMN_LABEL","features":[584]},{"name":"SQL_COLUMN_LENGTH","features":[584]},{"name":"SQL_COLUMN_MONEY","features":[584]},{"name":"SQL_COLUMN_NAME","features":[584]},{"name":"SQL_COLUMN_NULLABLE","features":[584]},{"name":"SQL_COLUMN_NUMBER_UNKNOWN","features":[584]},{"name":"SQL_COLUMN_OWNER_NAME","features":[584]},{"name":"SQL_COLUMN_PRECISION","features":[584]},{"name":"SQL_COLUMN_QUALIFIER_NAME","features":[584]},{"name":"SQL_COLUMN_SCALE","features":[584]},{"name":"SQL_COLUMN_SEARCHABLE","features":[584]},{"name":"SQL_COLUMN_TABLE_NAME","features":[584]},{"name":"SQL_COLUMN_TYPE","features":[584]},{"name":"SQL_COLUMN_TYPE_NAME","features":[584]},{"name":"SQL_COLUMN_UNSIGNED","features":[584]},{"name":"SQL_COLUMN_UPDATABLE","features":[584]},{"name":"SQL_COMMIT","features":[584]},{"name":"SQL_CONCAT_NULL_BEHAVIOR","features":[584]},{"name":"SQL_CONCURRENCY","features":[584]},{"name":"SQL_CONCUR_DEFAULT","features":[584]},{"name":"SQL_CONCUR_LOCK","features":[584]},{"name":"SQL_CONCUR_READ_ONLY","features":[584]},{"name":"SQL_CONCUR_ROWVER","features":[584]},{"name":"SQL_CONCUR_TIMESTAMP","features":[584]},{"name":"SQL_CONCUR_VALUES","features":[584]},{"name":"SQL_CONNECT_OPT_DRVR_START","features":[584]},{"name":"SQL_CONN_OPT_MAX","features":[584]},{"name":"SQL_CONN_OPT_MIN","features":[584]},{"name":"SQL_CONN_POOL_RATING_BEST","features":[584]},{"name":"SQL_CONN_POOL_RATING_GOOD_ENOUGH","features":[584]},{"name":"SQL_CONN_POOL_RATING_USELESS","features":[584]},{"name":"SQL_CONVERT_BIGINT","features":[584]},{"name":"SQL_CONVERT_BINARY","features":[584]},{"name":"SQL_CONVERT_BIT","features":[584]},{"name":"SQL_CONVERT_CHAR","features":[584]},{"name":"SQL_CONVERT_DATE","features":[584]},{"name":"SQL_CONVERT_DECIMAL","features":[584]},{"name":"SQL_CONVERT_DOUBLE","features":[584]},{"name":"SQL_CONVERT_FLOAT","features":[584]},{"name":"SQL_CONVERT_FUNCTIONS","features":[584]},{"name":"SQL_CONVERT_GUID","features":[584]},{"name":"SQL_CONVERT_INTEGER","features":[584]},{"name":"SQL_CONVERT_INTERVAL_DAY_TIME","features":[584]},{"name":"SQL_CONVERT_INTERVAL_YEAR_MONTH","features":[584]},{"name":"SQL_CONVERT_LONGVARBINARY","features":[584]},{"name":"SQL_CONVERT_LONGVARCHAR","features":[584]},{"name":"SQL_CONVERT_NUMERIC","features":[584]},{"name":"SQL_CONVERT_REAL","features":[584]},{"name":"SQL_CONVERT_SMALLINT","features":[584]},{"name":"SQL_CONVERT_TIME","features":[584]},{"name":"SQL_CONVERT_TIMESTAMP","features":[584]},{"name":"SQL_CONVERT_TINYINT","features":[584]},{"name":"SQL_CONVERT_VARBINARY","features":[584]},{"name":"SQL_CONVERT_VARCHAR","features":[584]},{"name":"SQL_CONVERT_WCHAR","features":[584]},{"name":"SQL_CONVERT_WLONGVARCHAR","features":[584]},{"name":"SQL_CONVERT_WVARCHAR","features":[584]},{"name":"SQL_COPT_SS_ANSI_NPW","features":[584]},{"name":"SQL_COPT_SS_ANSI_OEM","features":[584]},{"name":"SQL_COPT_SS_ATTACHDBFILENAME","features":[584]},{"name":"SQL_COPT_SS_BASE","features":[584]},{"name":"SQL_COPT_SS_BASE_EX","features":[584]},{"name":"SQL_COPT_SS_BCP","features":[584]},{"name":"SQL_COPT_SS_BROWSE_CACHE_DATA","features":[584]},{"name":"SQL_COPT_SS_BROWSE_CONNECT","features":[584]},{"name":"SQL_COPT_SS_BROWSE_SERVER","features":[584]},{"name":"SQL_COPT_SS_CONCAT_NULL","features":[584]},{"name":"SQL_COPT_SS_CONNECTION_DEAD","features":[584]},{"name":"SQL_COPT_SS_ENCRYPT","features":[584]},{"name":"SQL_COPT_SS_EX_MAX_USED","features":[584]},{"name":"SQL_COPT_SS_FALLBACK_CONNECT","features":[584]},{"name":"SQL_COPT_SS_INTEGRATED_SECURITY","features":[584]},{"name":"SQL_COPT_SS_MAX_USED","features":[584]},{"name":"SQL_COPT_SS_PERF_DATA","features":[584]},{"name":"SQL_COPT_SS_PERF_DATA_LOG","features":[584]},{"name":"SQL_COPT_SS_PERF_DATA_LOG_NOW","features":[584]},{"name":"SQL_COPT_SS_PERF_QUERY","features":[584]},{"name":"SQL_COPT_SS_PERF_QUERY_INTERVAL","features":[584]},{"name":"SQL_COPT_SS_PERF_QUERY_LOG","features":[584]},{"name":"SQL_COPT_SS_PRESERVE_CURSORS","features":[584]},{"name":"SQL_COPT_SS_QUOTED_IDENT","features":[584]},{"name":"SQL_COPT_SS_REMOTE_PWD","features":[584]},{"name":"SQL_COPT_SS_RESET_CONNECTION","features":[584]},{"name":"SQL_COPT_SS_TRANSLATE","features":[584]},{"name":"SQL_COPT_SS_USER_DATA","features":[584]},{"name":"SQL_COPT_SS_USE_PROC_FOR_PREP","features":[584]},{"name":"SQL_COPT_SS_WARN_ON_CP_ERROR","features":[584]},{"name":"SQL_CORRELATION_NAME","features":[584]},{"name":"SQL_CO_AF","features":[584]},{"name":"SQL_CO_DEFAULT","features":[584]},{"name":"SQL_CO_FFO","features":[584]},{"name":"SQL_CO_FIREHOSE_AF","features":[584]},{"name":"SQL_CO_OFF","features":[584]},{"name":"SQL_CP_DEFAULT","features":[584]},{"name":"SQL_CP_DRIVER_AWARE","features":[584]},{"name":"SQL_CP_MATCH_DEFAULT","features":[584]},{"name":"SQL_CP_OFF","features":[584]},{"name":"SQL_CP_ONE_PER_DRIVER","features":[584]},{"name":"SQL_CP_ONE_PER_HENV","features":[584]},{"name":"SQL_CP_RELAXED_MATCH","features":[584]},{"name":"SQL_CP_STRICT_MATCH","features":[584]},{"name":"SQL_CREATE_ASSERTION","features":[584]},{"name":"SQL_CREATE_CHARACTER_SET","features":[584]},{"name":"SQL_CREATE_COLLATION","features":[584]},{"name":"SQL_CREATE_DOMAIN","features":[584]},{"name":"SQL_CREATE_SCHEMA","features":[584]},{"name":"SQL_CREATE_TABLE","features":[584]},{"name":"SQL_CREATE_TRANSLATION","features":[584]},{"name":"SQL_CREATE_VIEW","features":[584]},{"name":"SQL_CR_CLOSE","features":[584]},{"name":"SQL_CR_DELETE","features":[584]},{"name":"SQL_CR_PRESERVE","features":[584]},{"name":"SQL_CS_AUTHORIZATION","features":[584]},{"name":"SQL_CS_CREATE_SCHEMA","features":[584]},{"name":"SQL_CS_DEFAULT_CHARACTER_SET","features":[584]},{"name":"SQL_CTR_CREATE_TRANSLATION","features":[584]},{"name":"SQL_CT_COLUMN_COLLATION","features":[584]},{"name":"SQL_CT_COLUMN_CONSTRAINT","features":[584]},{"name":"SQL_CT_COLUMN_DEFAULT","features":[584]},{"name":"SQL_CT_COMMIT_DELETE","features":[584]},{"name":"SQL_CT_COMMIT_PRESERVE","features":[584]},{"name":"SQL_CT_CONSTRAINT_DEFERRABLE","features":[584]},{"name":"SQL_CT_CONSTRAINT_INITIALLY_DEFERRED","features":[584]},{"name":"SQL_CT_CONSTRAINT_INITIALLY_IMMEDIATE","features":[584]},{"name":"SQL_CT_CONSTRAINT_NAME_DEFINITION","features":[584]},{"name":"SQL_CT_CONSTRAINT_NON_DEFERRABLE","features":[584]},{"name":"SQL_CT_CREATE_TABLE","features":[584]},{"name":"SQL_CT_GLOBAL_TEMPORARY","features":[584]},{"name":"SQL_CT_LOCAL_TEMPORARY","features":[584]},{"name":"SQL_CT_TABLE_CONSTRAINT","features":[584]},{"name":"SQL_CURRENT_QUALIFIER","features":[584]},{"name":"SQL_CURSOR_COMMIT_BEHAVIOR","features":[584]},{"name":"SQL_CURSOR_DYNAMIC","features":[584]},{"name":"SQL_CURSOR_FAST_FORWARD_ONLY","features":[584]},{"name":"SQL_CURSOR_FORWARD_ONLY","features":[584]},{"name":"SQL_CURSOR_KEYSET_DRIVEN","features":[584]},{"name":"SQL_CURSOR_ROLLBACK_BEHAVIOR","features":[584]},{"name":"SQL_CURSOR_SENSITIVITY","features":[584]},{"name":"SQL_CURSOR_STATIC","features":[584]},{"name":"SQL_CURSOR_TYPE","features":[584]},{"name":"SQL_CURSOR_TYPE_DEFAULT","features":[584]},{"name":"SQL_CUR_DEFAULT","features":[584]},{"name":"SQL_CUR_USE_DRIVER","features":[584]},{"name":"SQL_CUR_USE_IF_NEEDED","features":[584]},{"name":"SQL_CUR_USE_ODBC","features":[584]},{"name":"SQL_CU_DML_STATEMENTS","features":[584]},{"name":"SQL_CU_INDEX_DEFINITION","features":[584]},{"name":"SQL_CU_PRIVILEGE_DEFINITION","features":[584]},{"name":"SQL_CU_PROCEDURE_INVOCATION","features":[584]},{"name":"SQL_CU_TABLE_DEFINITION","features":[584]},{"name":"SQL_CVT_BIGINT","features":[584]},{"name":"SQL_CVT_BINARY","features":[584]},{"name":"SQL_CVT_BIT","features":[584]},{"name":"SQL_CVT_CHAR","features":[584]},{"name":"SQL_CVT_DATE","features":[584]},{"name":"SQL_CVT_DECIMAL","features":[584]},{"name":"SQL_CVT_DOUBLE","features":[584]},{"name":"SQL_CVT_FLOAT","features":[584]},{"name":"SQL_CVT_GUID","features":[584]},{"name":"SQL_CVT_INTEGER","features":[584]},{"name":"SQL_CVT_INTERVAL_DAY_TIME","features":[584]},{"name":"SQL_CVT_INTERVAL_YEAR_MONTH","features":[584]},{"name":"SQL_CVT_LONGVARBINARY","features":[584]},{"name":"SQL_CVT_LONGVARCHAR","features":[584]},{"name":"SQL_CVT_NUMERIC","features":[584]},{"name":"SQL_CVT_REAL","features":[584]},{"name":"SQL_CVT_SMALLINT","features":[584]},{"name":"SQL_CVT_TIME","features":[584]},{"name":"SQL_CVT_TIMESTAMP","features":[584]},{"name":"SQL_CVT_TINYINT","features":[584]},{"name":"SQL_CVT_VARBINARY","features":[584]},{"name":"SQL_CVT_VARCHAR","features":[584]},{"name":"SQL_CVT_WCHAR","features":[584]},{"name":"SQL_CVT_WLONGVARCHAR","features":[584]},{"name":"SQL_CVT_WVARCHAR","features":[584]},{"name":"SQL_CV_CASCADED","features":[584]},{"name":"SQL_CV_CHECK_OPTION","features":[584]},{"name":"SQL_CV_CREATE_VIEW","features":[584]},{"name":"SQL_CV_LOCAL","features":[584]},{"name":"SQL_C_BINARY","features":[584]},{"name":"SQL_C_BIT","features":[584]},{"name":"SQL_C_CHAR","features":[584]},{"name":"SQL_C_DATE","features":[584]},{"name":"SQL_C_DEFAULT","features":[584]},{"name":"SQL_C_DOUBLE","features":[584]},{"name":"SQL_C_FLOAT","features":[584]},{"name":"SQL_C_GUID","features":[584]},{"name":"SQL_C_INTERVAL_DAY","features":[584]},{"name":"SQL_C_INTERVAL_DAY_TO_HOUR","features":[584]},{"name":"SQL_C_INTERVAL_DAY_TO_MINUTE","features":[584]},{"name":"SQL_C_INTERVAL_DAY_TO_SECOND","features":[584]},{"name":"SQL_C_INTERVAL_HOUR","features":[584]},{"name":"SQL_C_INTERVAL_HOUR_TO_MINUTE","features":[584]},{"name":"SQL_C_INTERVAL_HOUR_TO_SECOND","features":[584]},{"name":"SQL_C_INTERVAL_MINUTE","features":[584]},{"name":"SQL_C_INTERVAL_MINUTE_TO_SECOND","features":[584]},{"name":"SQL_C_INTERVAL_MONTH","features":[584]},{"name":"SQL_C_INTERVAL_SECOND","features":[584]},{"name":"SQL_C_INTERVAL_YEAR","features":[584]},{"name":"SQL_C_INTERVAL_YEAR_TO_MONTH","features":[584]},{"name":"SQL_C_LONG","features":[584]},{"name":"SQL_C_NUMERIC","features":[584]},{"name":"SQL_C_SHORT","features":[584]},{"name":"SQL_C_TCHAR","features":[584]},{"name":"SQL_C_TIME","features":[584]},{"name":"SQL_C_TIMESTAMP","features":[584]},{"name":"SQL_C_TINYINT","features":[584]},{"name":"SQL_C_TYPE_DATE","features":[584]},{"name":"SQL_C_TYPE_TIME","features":[584]},{"name":"SQL_C_TYPE_TIMESTAMP","features":[584]},{"name":"SQL_C_VARBOOKMARK","features":[584]},{"name":"SQL_C_WCHAR","features":[584]},{"name":"SQL_DATABASE_NAME","features":[584]},{"name":"SQL_DATA_AT_EXEC","features":[584]},{"name":"SQL_DATA_SOURCE_NAME","features":[584]},{"name":"SQL_DATA_SOURCE_READ_ONLY","features":[584]},{"name":"SQL_DATE","features":[584]},{"name":"SQL_DATETIME","features":[584]},{"name":"SQL_DATETIME_LITERALS","features":[584]},{"name":"SQL_DATE_LEN","features":[584]},{"name":"SQL_DAY","features":[584]},{"name":"SQL_DAY_SECOND_STRUCT","features":[584]},{"name":"SQL_DAY_TO_HOUR","features":[584]},{"name":"SQL_DAY_TO_MINUTE","features":[584]},{"name":"SQL_DAY_TO_SECOND","features":[584]},{"name":"SQL_DA_DROP_ASSERTION","features":[584]},{"name":"SQL_DBMS_NAME","features":[584]},{"name":"SQL_DBMS_VER","features":[584]},{"name":"SQL_DB_DEFAULT","features":[584]},{"name":"SQL_DB_DISCONNECT","features":[584]},{"name":"SQL_DB_RETURN_TO_POOL","features":[584]},{"name":"SQL_DCS_DROP_CHARACTER_SET","features":[584]},{"name":"SQL_DC_DROP_COLLATION","features":[584]},{"name":"SQL_DDL_INDEX","features":[584]},{"name":"SQL_DD_CASCADE","features":[584]},{"name":"SQL_DD_DROP_DOMAIN","features":[584]},{"name":"SQL_DD_RESTRICT","features":[584]},{"name":"SQL_DECIMAL","features":[584]},{"name":"SQL_DEFAULT","features":[584]},{"name":"SQL_DEFAULT_PARAM","features":[584]},{"name":"SQL_DEFAULT_TXN_ISOLATION","features":[584]},{"name":"SQL_DELETE","features":[584]},{"name":"SQL_DELETE_BY_BOOKMARK","features":[584]},{"name":"SQL_DESCRIBE_PARAMETER","features":[584]},{"name":"SQL_DESC_ALLOC_AUTO","features":[584]},{"name":"SQL_DESC_ALLOC_TYPE","features":[584]},{"name":"SQL_DESC_ALLOC_USER","features":[584]},{"name":"SQL_DESC_ARRAY_SIZE","features":[584]},{"name":"SQL_DESC_ARRAY_STATUS_PTR","features":[584]},{"name":"SQL_DESC_BASE_COLUMN_NAME","features":[584]},{"name":"SQL_DESC_BASE_TABLE_NAME","features":[584]},{"name":"SQL_DESC_BIND_OFFSET_PTR","features":[584]},{"name":"SQL_DESC_BIND_TYPE","features":[584]},{"name":"SQL_DESC_COUNT","features":[584]},{"name":"SQL_DESC_DATA_PTR","features":[584]},{"name":"SQL_DESC_DATETIME_INTERVAL_CODE","features":[584]},{"name":"SQL_DESC_DATETIME_INTERVAL_PRECISION","features":[584]},{"name":"SQL_DESC_INDICATOR_PTR","features":[584]},{"name":"SQL_DESC_LENGTH","features":[584]},{"name":"SQL_DESC_LITERAL_PREFIX","features":[584]},{"name":"SQL_DESC_LITERAL_SUFFIX","features":[584]},{"name":"SQL_DESC_LOCAL_TYPE_NAME","features":[584]},{"name":"SQL_DESC_MAXIMUM_SCALE","features":[584]},{"name":"SQL_DESC_MINIMUM_SCALE","features":[584]},{"name":"SQL_DESC_NAME","features":[584]},{"name":"SQL_DESC_NULLABLE","features":[584]},{"name":"SQL_DESC_NUM_PREC_RADIX","features":[584]},{"name":"SQL_DESC_OCTET_LENGTH","features":[584]},{"name":"SQL_DESC_OCTET_LENGTH_PTR","features":[584]},{"name":"SQL_DESC_PARAMETER_TYPE","features":[584]},{"name":"SQL_DESC_PRECISION","features":[584]},{"name":"SQL_DESC_ROWS_PROCESSED_PTR","features":[584]},{"name":"SQL_DESC_ROWVER","features":[584]},{"name":"SQL_DESC_SCALE","features":[584]},{"name":"SQL_DESC_TYPE","features":[584]},{"name":"SQL_DESC_UNNAMED","features":[584]},{"name":"SQL_DIAG_ALTER_DOMAIN","features":[584]},{"name":"SQL_DIAG_ALTER_TABLE","features":[584]},{"name":"SQL_DIAG_CALL","features":[584]},{"name":"SQL_DIAG_CLASS_ORIGIN","features":[584]},{"name":"SQL_DIAG_COLUMN_NUMBER","features":[584]},{"name":"SQL_DIAG_CONNECTION_NAME","features":[584]},{"name":"SQL_DIAG_CREATE_ASSERTION","features":[584]},{"name":"SQL_DIAG_CREATE_CHARACTER_SET","features":[584]},{"name":"SQL_DIAG_CREATE_COLLATION","features":[584]},{"name":"SQL_DIAG_CREATE_DOMAIN","features":[584]},{"name":"SQL_DIAG_CREATE_INDEX","features":[584]},{"name":"SQL_DIAG_CREATE_SCHEMA","features":[584]},{"name":"SQL_DIAG_CREATE_TABLE","features":[584]},{"name":"SQL_DIAG_CREATE_TRANSLATION","features":[584]},{"name":"SQL_DIAG_CREATE_VIEW","features":[584]},{"name":"SQL_DIAG_CURSOR_ROW_COUNT","features":[584]},{"name":"SQL_DIAG_DELETE_WHERE","features":[584]},{"name":"SQL_DIAG_DFC_SS_ALTER_DATABASE","features":[584]},{"name":"SQL_DIAG_DFC_SS_BASE","features":[584]},{"name":"SQL_DIAG_DFC_SS_CHECKPOINT","features":[584]},{"name":"SQL_DIAG_DFC_SS_CONDITION","features":[584]},{"name":"SQL_DIAG_DFC_SS_CREATE_DATABASE","features":[584]},{"name":"SQL_DIAG_DFC_SS_CREATE_DEFAULT","features":[584]},{"name":"SQL_DIAG_DFC_SS_CREATE_PROCEDURE","features":[584]},{"name":"SQL_DIAG_DFC_SS_CREATE_RULE","features":[584]},{"name":"SQL_DIAG_DFC_SS_CREATE_TRIGGER","features":[584]},{"name":"SQL_DIAG_DFC_SS_CURSOR_CLOSE","features":[584]},{"name":"SQL_DIAG_DFC_SS_CURSOR_DECLARE","features":[584]},{"name":"SQL_DIAG_DFC_SS_CURSOR_FETCH","features":[584]},{"name":"SQL_DIAG_DFC_SS_CURSOR_OPEN","features":[584]},{"name":"SQL_DIAG_DFC_SS_DBCC","features":[584]},{"name":"SQL_DIAG_DFC_SS_DEALLOCATE_CURSOR","features":[584]},{"name":"SQL_DIAG_DFC_SS_DENY","features":[584]},{"name":"SQL_DIAG_DFC_SS_DISK","features":[584]},{"name":"SQL_DIAG_DFC_SS_DROP_DATABASE","features":[584]},{"name":"SQL_DIAG_DFC_SS_DROP_DEFAULT","features":[584]},{"name":"SQL_DIAG_DFC_SS_DROP_PROCEDURE","features":[584]},{"name":"SQL_DIAG_DFC_SS_DROP_RULE","features":[584]},{"name":"SQL_DIAG_DFC_SS_DROP_TRIGGER","features":[584]},{"name":"SQL_DIAG_DFC_SS_DUMP_DATABASE","features":[584]},{"name":"SQL_DIAG_DFC_SS_DUMP_TABLE","features":[584]},{"name":"SQL_DIAG_DFC_SS_DUMP_TRANSACTION","features":[584]},{"name":"SQL_DIAG_DFC_SS_GOTO","features":[584]},{"name":"SQL_DIAG_DFC_SS_INSERT_BULK","features":[584]},{"name":"SQL_DIAG_DFC_SS_KILL","features":[584]},{"name":"SQL_DIAG_DFC_SS_LOAD_DATABASE","features":[584]},{"name":"SQL_DIAG_DFC_SS_LOAD_HEADERONLY","features":[584]},{"name":"SQL_DIAG_DFC_SS_LOAD_TABLE","features":[584]},{"name":"SQL_DIAG_DFC_SS_LOAD_TRANSACTION","features":[584]},{"name":"SQL_DIAG_DFC_SS_PRINT","features":[584]},{"name":"SQL_DIAG_DFC_SS_RAISERROR","features":[584]},{"name":"SQL_DIAG_DFC_SS_READTEXT","features":[584]},{"name":"SQL_DIAG_DFC_SS_RECONFIGURE","features":[584]},{"name":"SQL_DIAG_DFC_SS_RETURN","features":[584]},{"name":"SQL_DIAG_DFC_SS_SELECT_INTO","features":[584]},{"name":"SQL_DIAG_DFC_SS_SET","features":[584]},{"name":"SQL_DIAG_DFC_SS_SETUSER","features":[584]},{"name":"SQL_DIAG_DFC_SS_SET_IDENTITY_INSERT","features":[584]},{"name":"SQL_DIAG_DFC_SS_SET_ROW_COUNT","features":[584]},{"name":"SQL_DIAG_DFC_SS_SET_STATISTICS","features":[584]},{"name":"SQL_DIAG_DFC_SS_SET_TEXTSIZE","features":[584]},{"name":"SQL_DIAG_DFC_SS_SET_XCTLVL","features":[584]},{"name":"SQL_DIAG_DFC_SS_SHUTDOWN","features":[584]},{"name":"SQL_DIAG_DFC_SS_TRANS_BEGIN","features":[584]},{"name":"SQL_DIAG_DFC_SS_TRANS_COMMIT","features":[584]},{"name":"SQL_DIAG_DFC_SS_TRANS_PREPARE","features":[584]},{"name":"SQL_DIAG_DFC_SS_TRANS_ROLLBACK","features":[584]},{"name":"SQL_DIAG_DFC_SS_TRANS_SAVE","features":[584]},{"name":"SQL_DIAG_DFC_SS_TRUNCATE_TABLE","features":[584]},{"name":"SQL_DIAG_DFC_SS_UPDATETEXT","features":[584]},{"name":"SQL_DIAG_DFC_SS_UPDATE_STATISTICS","features":[584]},{"name":"SQL_DIAG_DFC_SS_USE","features":[584]},{"name":"SQL_DIAG_DFC_SS_WAITFOR","features":[584]},{"name":"SQL_DIAG_DFC_SS_WRITETEXT","features":[584]},{"name":"SQL_DIAG_DROP_ASSERTION","features":[584]},{"name":"SQL_DIAG_DROP_CHARACTER_SET","features":[584]},{"name":"SQL_DIAG_DROP_COLLATION","features":[584]},{"name":"SQL_DIAG_DROP_DOMAIN","features":[584]},{"name":"SQL_DIAG_DROP_INDEX","features":[584]},{"name":"SQL_DIAG_DROP_SCHEMA","features":[584]},{"name":"SQL_DIAG_DROP_TABLE","features":[584]},{"name":"SQL_DIAG_DROP_TRANSLATION","features":[584]},{"name":"SQL_DIAG_DROP_VIEW","features":[584]},{"name":"SQL_DIAG_DYNAMIC_DELETE_CURSOR","features":[584]},{"name":"SQL_DIAG_DYNAMIC_FUNCTION","features":[584]},{"name":"SQL_DIAG_DYNAMIC_FUNCTION_CODE","features":[584]},{"name":"SQL_DIAG_DYNAMIC_UPDATE_CURSOR","features":[584]},{"name":"SQL_DIAG_GRANT","features":[584]},{"name":"SQL_DIAG_INSERT","features":[584]},{"name":"SQL_DIAG_MESSAGE_TEXT","features":[584]},{"name":"SQL_DIAG_NATIVE","features":[584]},{"name":"SQL_DIAG_NUMBER","features":[584]},{"name":"SQL_DIAG_RETURNCODE","features":[584]},{"name":"SQL_DIAG_REVOKE","features":[584]},{"name":"SQL_DIAG_ROW_COUNT","features":[584]},{"name":"SQL_DIAG_ROW_NUMBER","features":[584]},{"name":"SQL_DIAG_SELECT_CURSOR","features":[584]},{"name":"SQL_DIAG_SERVER_NAME","features":[584]},{"name":"SQL_DIAG_SQLSTATE","features":[584]},{"name":"SQL_DIAG_SS_BASE","features":[584]},{"name":"SQL_DIAG_SS_LINE","features":[584]},{"name":"SQL_DIAG_SS_MSGSTATE","features":[584]},{"name":"SQL_DIAG_SS_PROCNAME","features":[584]},{"name":"SQL_DIAG_SS_SEVERITY","features":[584]},{"name":"SQL_DIAG_SS_SRVNAME","features":[584]},{"name":"SQL_DIAG_SUBCLASS_ORIGIN","features":[584]},{"name":"SQL_DIAG_UNKNOWN_STATEMENT","features":[584]},{"name":"SQL_DIAG_UPDATE_WHERE","features":[584]},{"name":"SQL_DI_CREATE_INDEX","features":[584]},{"name":"SQL_DI_DROP_INDEX","features":[584]},{"name":"SQL_DL_SQL92_DATE","features":[584]},{"name":"SQL_DL_SQL92_INTERVAL_DAY","features":[584]},{"name":"SQL_DL_SQL92_INTERVAL_DAY_TO_HOUR","features":[584]},{"name":"SQL_DL_SQL92_INTERVAL_DAY_TO_MINUTE","features":[584]},{"name":"SQL_DL_SQL92_INTERVAL_DAY_TO_SECOND","features":[584]},{"name":"SQL_DL_SQL92_INTERVAL_HOUR","features":[584]},{"name":"SQL_DL_SQL92_INTERVAL_HOUR_TO_MINUTE","features":[584]},{"name":"SQL_DL_SQL92_INTERVAL_HOUR_TO_SECOND","features":[584]},{"name":"SQL_DL_SQL92_INTERVAL_MINUTE","features":[584]},{"name":"SQL_DL_SQL92_INTERVAL_MINUTE_TO_SECOND","features":[584]},{"name":"SQL_DL_SQL92_INTERVAL_MONTH","features":[584]},{"name":"SQL_DL_SQL92_INTERVAL_SECOND","features":[584]},{"name":"SQL_DL_SQL92_INTERVAL_YEAR","features":[584]},{"name":"SQL_DL_SQL92_INTERVAL_YEAR_TO_MONTH","features":[584]},{"name":"SQL_DL_SQL92_TIME","features":[584]},{"name":"SQL_DL_SQL92_TIMESTAMP","features":[584]},{"name":"SQL_DM_VER","features":[584]},{"name":"SQL_DOUBLE","features":[584]},{"name":"SQL_DP_OFF","features":[584]},{"name":"SQL_DP_ON","features":[584]},{"name":"SQL_DRIVER_AWARE_POOLING_CAPABLE","features":[584]},{"name":"SQL_DRIVER_AWARE_POOLING_NOT_CAPABLE","features":[584]},{"name":"SQL_DRIVER_AWARE_POOLING_SUPPORTED","features":[584]},{"name":"SQL_DRIVER_COMPLETE","features":[584]},{"name":"SQL_DRIVER_COMPLETE_REQUIRED","features":[584]},{"name":"SQL_DRIVER_CONN_ATTR_BASE","features":[584]},{"name":"SQL_DRIVER_C_TYPE_BASE","features":[584]},{"name":"SQL_DRIVER_DESC_FIELD_BASE","features":[584]},{"name":"SQL_DRIVER_DIAG_FIELD_BASE","features":[584]},{"name":"SQL_DRIVER_HDBC","features":[584]},{"name":"SQL_DRIVER_HDESC","features":[584]},{"name":"SQL_DRIVER_HENV","features":[584]},{"name":"SQL_DRIVER_HLIB","features":[584]},{"name":"SQL_DRIVER_HSTMT","features":[584]},{"name":"SQL_DRIVER_INFO_TYPE_BASE","features":[584]},{"name":"SQL_DRIVER_NAME","features":[584]},{"name":"SQL_DRIVER_NOPROMPT","features":[584]},{"name":"SQL_DRIVER_ODBC_VER","features":[584]},{"name":"SQL_DRIVER_PROMPT","features":[584]},{"name":"SQL_DRIVER_SQL_TYPE_BASE","features":[584]},{"name":"SQL_DRIVER_STMT_ATTR_BASE","features":[584]},{"name":"SQL_DRIVER_VER","features":[584]},{"name":"SQL_DROP","features":[584]},{"name":"SQL_DROP_ASSERTION","features":[584]},{"name":"SQL_DROP_CHARACTER_SET","features":[584]},{"name":"SQL_DROP_COLLATION","features":[584]},{"name":"SQL_DROP_DOMAIN","features":[584]},{"name":"SQL_DROP_SCHEMA","features":[584]},{"name":"SQL_DROP_TABLE","features":[584]},{"name":"SQL_DROP_TRANSLATION","features":[584]},{"name":"SQL_DROP_VIEW","features":[584]},{"name":"SQL_DS_CASCADE","features":[584]},{"name":"SQL_DS_DROP_SCHEMA","features":[584]},{"name":"SQL_DS_RESTRICT","features":[584]},{"name":"SQL_DTC_DONE","features":[584]},{"name":"SQL_DTC_ENLIST_EXPENSIVE","features":[584]},{"name":"SQL_DTC_TRANSITION_COST","features":[584]},{"name":"SQL_DTC_UNENLIST_EXPENSIVE","features":[584]},{"name":"SQL_DTR_DROP_TRANSLATION","features":[584]},{"name":"SQL_DT_CASCADE","features":[584]},{"name":"SQL_DT_DROP_TABLE","features":[584]},{"name":"SQL_DT_RESTRICT","features":[584]},{"name":"SQL_DV_CASCADE","features":[584]},{"name":"SQL_DV_DROP_VIEW","features":[584]},{"name":"SQL_DV_RESTRICT","features":[584]},{"name":"SQL_DYNAMIC_CURSOR_ATTRIBUTES1","features":[584]},{"name":"SQL_DYNAMIC_CURSOR_ATTRIBUTES2","features":[584]},{"name":"SQL_ENSURE","features":[584]},{"name":"SQL_ENTIRE_ROWSET","features":[584]},{"name":"SQL_EN_OFF","features":[584]},{"name":"SQL_EN_ON","features":[584]},{"name":"SQL_ERROR","features":[584]},{"name":"SQL_EXPRESSIONS_IN_ORDERBY","features":[584]},{"name":"SQL_EXT_API_LAST","features":[584]},{"name":"SQL_EXT_API_START","features":[584]},{"name":"SQL_FALSE","features":[584]},{"name":"SQL_FAST_CONNECT","features":[584]},{"name":"SQL_FB_DEFAULT","features":[584]},{"name":"SQL_FB_OFF","features":[584]},{"name":"SQL_FB_ON","features":[584]},{"name":"SQL_FC_DEFAULT","features":[584]},{"name":"SQL_FC_OFF","features":[584]},{"name":"SQL_FC_ON","features":[584]},{"name":"SQL_FD_FETCH_ABSOLUTE","features":[584]},{"name":"SQL_FD_FETCH_BOOKMARK","features":[584]},{"name":"SQL_FD_FETCH_FIRST","features":[584]},{"name":"SQL_FD_FETCH_LAST","features":[584]},{"name":"SQL_FD_FETCH_NEXT","features":[584]},{"name":"SQL_FD_FETCH_PREV","features":[584]},{"name":"SQL_FD_FETCH_PRIOR","features":[584]},{"name":"SQL_FD_FETCH_RELATIVE","features":[584]},{"name":"SQL_FD_FETCH_RESUME","features":[584]},{"name":"SQL_FETCH_ABSOLUTE","features":[584]},{"name":"SQL_FETCH_BOOKMARK","features":[584]},{"name":"SQL_FETCH_BY_BOOKMARK","features":[584]},{"name":"SQL_FETCH_DIRECTION","features":[584]},{"name":"SQL_FETCH_FIRST","features":[584]},{"name":"SQL_FETCH_FIRST_SYSTEM","features":[584]},{"name":"SQL_FETCH_FIRST_USER","features":[584]},{"name":"SQL_FETCH_LAST","features":[584]},{"name":"SQL_FETCH_NEXT","features":[584]},{"name":"SQL_FETCH_PREV","features":[584]},{"name":"SQL_FETCH_PRIOR","features":[584]},{"name":"SQL_FETCH_RELATIVE","features":[584]},{"name":"SQL_FETCH_RESUME","features":[584]},{"name":"SQL_FILE_CATALOG","features":[584]},{"name":"SQL_FILE_NOT_SUPPORTED","features":[584]},{"name":"SQL_FILE_QUALIFIER","features":[584]},{"name":"SQL_FILE_TABLE","features":[584]},{"name":"SQL_FILE_USAGE","features":[584]},{"name":"SQL_FLOAT","features":[584]},{"name":"SQL_FN_CVT_CAST","features":[584]},{"name":"SQL_FN_CVT_CONVERT","features":[584]},{"name":"SQL_FN_NUM_ABS","features":[584]},{"name":"SQL_FN_NUM_ACOS","features":[584]},{"name":"SQL_FN_NUM_ASIN","features":[584]},{"name":"SQL_FN_NUM_ATAN","features":[584]},{"name":"SQL_FN_NUM_ATAN2","features":[584]},{"name":"SQL_FN_NUM_CEILING","features":[584]},{"name":"SQL_FN_NUM_COS","features":[584]},{"name":"SQL_FN_NUM_COT","features":[584]},{"name":"SQL_FN_NUM_DEGREES","features":[584]},{"name":"SQL_FN_NUM_EXP","features":[584]},{"name":"SQL_FN_NUM_FLOOR","features":[584]},{"name":"SQL_FN_NUM_LOG","features":[584]},{"name":"SQL_FN_NUM_LOG10","features":[584]},{"name":"SQL_FN_NUM_MOD","features":[584]},{"name":"SQL_FN_NUM_PI","features":[584]},{"name":"SQL_FN_NUM_POWER","features":[584]},{"name":"SQL_FN_NUM_RADIANS","features":[584]},{"name":"SQL_FN_NUM_RAND","features":[584]},{"name":"SQL_FN_NUM_ROUND","features":[584]},{"name":"SQL_FN_NUM_SIGN","features":[584]},{"name":"SQL_FN_NUM_SIN","features":[584]},{"name":"SQL_FN_NUM_SQRT","features":[584]},{"name":"SQL_FN_NUM_TAN","features":[584]},{"name":"SQL_FN_NUM_TRUNCATE","features":[584]},{"name":"SQL_FN_STR_ASCII","features":[584]},{"name":"SQL_FN_STR_BIT_LENGTH","features":[584]},{"name":"SQL_FN_STR_CHAR","features":[584]},{"name":"SQL_FN_STR_CHARACTER_LENGTH","features":[584]},{"name":"SQL_FN_STR_CHAR_LENGTH","features":[584]},{"name":"SQL_FN_STR_CONCAT","features":[584]},{"name":"SQL_FN_STR_DIFFERENCE","features":[584]},{"name":"SQL_FN_STR_INSERT","features":[584]},{"name":"SQL_FN_STR_LCASE","features":[584]},{"name":"SQL_FN_STR_LEFT","features":[584]},{"name":"SQL_FN_STR_LENGTH","features":[584]},{"name":"SQL_FN_STR_LOCATE","features":[584]},{"name":"SQL_FN_STR_LOCATE_2","features":[584]},{"name":"SQL_FN_STR_LTRIM","features":[584]},{"name":"SQL_FN_STR_OCTET_LENGTH","features":[584]},{"name":"SQL_FN_STR_POSITION","features":[584]},{"name":"SQL_FN_STR_REPEAT","features":[584]},{"name":"SQL_FN_STR_REPLACE","features":[584]},{"name":"SQL_FN_STR_RIGHT","features":[584]},{"name":"SQL_FN_STR_RTRIM","features":[584]},{"name":"SQL_FN_STR_SOUNDEX","features":[584]},{"name":"SQL_FN_STR_SPACE","features":[584]},{"name":"SQL_FN_STR_SUBSTRING","features":[584]},{"name":"SQL_FN_STR_UCASE","features":[584]},{"name":"SQL_FN_SYS_DBNAME","features":[584]},{"name":"SQL_FN_SYS_IFNULL","features":[584]},{"name":"SQL_FN_SYS_USERNAME","features":[584]},{"name":"SQL_FN_TD_CURDATE","features":[584]},{"name":"SQL_FN_TD_CURRENT_DATE","features":[584]},{"name":"SQL_FN_TD_CURRENT_TIME","features":[584]},{"name":"SQL_FN_TD_CURRENT_TIMESTAMP","features":[584]},{"name":"SQL_FN_TD_CURTIME","features":[584]},{"name":"SQL_FN_TD_DAYNAME","features":[584]},{"name":"SQL_FN_TD_DAYOFMONTH","features":[584]},{"name":"SQL_FN_TD_DAYOFWEEK","features":[584]},{"name":"SQL_FN_TD_DAYOFYEAR","features":[584]},{"name":"SQL_FN_TD_EXTRACT","features":[584]},{"name":"SQL_FN_TD_HOUR","features":[584]},{"name":"SQL_FN_TD_MINUTE","features":[584]},{"name":"SQL_FN_TD_MONTH","features":[584]},{"name":"SQL_FN_TD_MONTHNAME","features":[584]},{"name":"SQL_FN_TD_NOW","features":[584]},{"name":"SQL_FN_TD_QUARTER","features":[584]},{"name":"SQL_FN_TD_SECOND","features":[584]},{"name":"SQL_FN_TD_TIMESTAMPADD","features":[584]},{"name":"SQL_FN_TD_TIMESTAMPDIFF","features":[584]},{"name":"SQL_FN_TD_WEEK","features":[584]},{"name":"SQL_FN_TD_YEAR","features":[584]},{"name":"SQL_FN_TSI_DAY","features":[584]},{"name":"SQL_FN_TSI_FRAC_SECOND","features":[584]},{"name":"SQL_FN_TSI_HOUR","features":[584]},{"name":"SQL_FN_TSI_MINUTE","features":[584]},{"name":"SQL_FN_TSI_MONTH","features":[584]},{"name":"SQL_FN_TSI_QUARTER","features":[584]},{"name":"SQL_FN_TSI_SECOND","features":[584]},{"name":"SQL_FN_TSI_WEEK","features":[584]},{"name":"SQL_FN_TSI_YEAR","features":[584]},{"name":"SQL_FORWARD_ONLY_CURSOR_ATTRIBUTES1","features":[584]},{"name":"SQL_FORWARD_ONLY_CURSOR_ATTRIBUTES2","features":[584]},{"name":"SQL_GB_COLLATE","features":[584]},{"name":"SQL_GB_GROUP_BY_CONTAINS_SELECT","features":[584]},{"name":"SQL_GB_GROUP_BY_EQUALS_SELECT","features":[584]},{"name":"SQL_GB_NOT_SUPPORTED","features":[584]},{"name":"SQL_GB_NO_RELATION","features":[584]},{"name":"SQL_GD_ANY_COLUMN","features":[584]},{"name":"SQL_GD_ANY_ORDER","features":[584]},{"name":"SQL_GD_BLOCK","features":[584]},{"name":"SQL_GD_BOUND","features":[584]},{"name":"SQL_GD_OUTPUT_PARAMS","features":[584]},{"name":"SQL_GETDATA_EXTENSIONS","features":[584]},{"name":"SQL_GET_BOOKMARK","features":[584]},{"name":"SQL_GROUP_BY","features":[584]},{"name":"SQL_GUID","features":[584]},{"name":"SQL_HANDLE_DBC","features":[584]},{"name":"SQL_HANDLE_DBC_INFO_TOKEN","features":[584]},{"name":"SQL_HANDLE_DESC","features":[584]},{"name":"SQL_HANDLE_ENV","features":[584]},{"name":"SQL_HANDLE_SENV","features":[584]},{"name":"SQL_HANDLE_STMT","features":[584]},{"name":"SQL_HC_DEFAULT","features":[584]},{"name":"SQL_HC_OFF","features":[584]},{"name":"SQL_HC_ON","features":[584]},{"name":"SQL_HOUR","features":[584]},{"name":"SQL_HOUR_TO_MINUTE","features":[584]},{"name":"SQL_HOUR_TO_SECOND","features":[584]},{"name":"SQL_IC_LOWER","features":[584]},{"name":"SQL_IC_MIXED","features":[584]},{"name":"SQL_IC_SENSITIVE","features":[584]},{"name":"SQL_IC_UPPER","features":[584]},{"name":"SQL_IDENTIFIER_CASE","features":[584]},{"name":"SQL_IDENTIFIER_QUOTE_CHAR","features":[584]},{"name":"SQL_IGNORE","features":[584]},{"name":"SQL_IK_ASC","features":[584]},{"name":"SQL_IK_DESC","features":[584]},{"name":"SQL_IK_NONE","features":[584]},{"name":"SQL_INDEX_ALL","features":[584]},{"name":"SQL_INDEX_CLUSTERED","features":[584]},{"name":"SQL_INDEX_HASHED","features":[584]},{"name":"SQL_INDEX_KEYWORDS","features":[584]},{"name":"SQL_INDEX_OTHER","features":[584]},{"name":"SQL_INDEX_UNIQUE","features":[584]},{"name":"SQL_INFO_DRIVER_START","features":[584]},{"name":"SQL_INFO_FIRST","features":[584]},{"name":"SQL_INFO_LAST","features":[584]},{"name":"SQL_INFO_SCHEMA_VIEWS","features":[584]},{"name":"SQL_INFO_SS_FIRST","features":[584]},{"name":"SQL_INFO_SS_MAX_USED","features":[584]},{"name":"SQL_INFO_SS_NETLIB_NAME","features":[584]},{"name":"SQL_INFO_SS_NETLIB_NAMEA","features":[584]},{"name":"SQL_INFO_SS_NETLIB_NAMEW","features":[584]},{"name":"SQL_INITIALLY_DEFERRED","features":[584]},{"name":"SQL_INITIALLY_IMMEDIATE","features":[584]},{"name":"SQL_INSENSITIVE","features":[584]},{"name":"SQL_INSERT_STATEMENT","features":[584]},{"name":"SQL_INTEGER","features":[584]},{"name":"SQL_INTEGRATED_SECURITY","features":[584]},{"name":"SQL_INTEGRITY","features":[584]},{"name":"SQL_INTERVAL","features":[584]},{"name":"SQL_INTERVAL_DAY","features":[584]},{"name":"SQL_INTERVAL_DAY_TO_HOUR","features":[584]},{"name":"SQL_INTERVAL_DAY_TO_MINUTE","features":[584]},{"name":"SQL_INTERVAL_DAY_TO_SECOND","features":[584]},{"name":"SQL_INTERVAL_HOUR","features":[584]},{"name":"SQL_INTERVAL_HOUR_TO_MINUTE","features":[584]},{"name":"SQL_INTERVAL_HOUR_TO_SECOND","features":[584]},{"name":"SQL_INTERVAL_MINUTE","features":[584]},{"name":"SQL_INTERVAL_MINUTE_TO_SECOND","features":[584]},{"name":"SQL_INTERVAL_MONTH","features":[584]},{"name":"SQL_INTERVAL_SECOND","features":[584]},{"name":"SQL_INTERVAL_STRUCT","features":[584]},{"name":"SQL_INTERVAL_YEAR","features":[584]},{"name":"SQL_INTERVAL_YEAR_TO_MONTH","features":[584]},{"name":"SQL_INVALID_HANDLE","features":[584]},{"name":"SQL_ISV_ASSERTIONS","features":[584]},{"name":"SQL_ISV_CHARACTER_SETS","features":[584]},{"name":"SQL_ISV_CHECK_CONSTRAINTS","features":[584]},{"name":"SQL_ISV_COLLATIONS","features":[584]},{"name":"SQL_ISV_COLUMNS","features":[584]},{"name":"SQL_ISV_COLUMN_DOMAIN_USAGE","features":[584]},{"name":"SQL_ISV_COLUMN_PRIVILEGES","features":[584]},{"name":"SQL_ISV_CONSTRAINT_COLUMN_USAGE","features":[584]},{"name":"SQL_ISV_CONSTRAINT_TABLE_USAGE","features":[584]},{"name":"SQL_ISV_DOMAINS","features":[584]},{"name":"SQL_ISV_DOMAIN_CONSTRAINTS","features":[584]},{"name":"SQL_ISV_KEY_COLUMN_USAGE","features":[584]},{"name":"SQL_ISV_REFERENTIAL_CONSTRAINTS","features":[584]},{"name":"SQL_ISV_SCHEMATA","features":[584]},{"name":"SQL_ISV_SQL_LANGUAGES","features":[584]},{"name":"SQL_ISV_TABLES","features":[584]},{"name":"SQL_ISV_TABLE_CONSTRAINTS","features":[584]},{"name":"SQL_ISV_TABLE_PRIVILEGES","features":[584]},{"name":"SQL_ISV_TRANSLATIONS","features":[584]},{"name":"SQL_ISV_USAGE_PRIVILEGES","features":[584]},{"name":"SQL_ISV_VIEWS","features":[584]},{"name":"SQL_ISV_VIEW_COLUMN_USAGE","features":[584]},{"name":"SQL_ISV_VIEW_TABLE_USAGE","features":[584]},{"name":"SQL_IS_DAY","features":[584]},{"name":"SQL_IS_DAY_TO_HOUR","features":[584]},{"name":"SQL_IS_DAY_TO_MINUTE","features":[584]},{"name":"SQL_IS_DAY_TO_SECOND","features":[584]},{"name":"SQL_IS_DEFAULT","features":[584]},{"name":"SQL_IS_HOUR","features":[584]},{"name":"SQL_IS_HOUR_TO_MINUTE","features":[584]},{"name":"SQL_IS_HOUR_TO_SECOND","features":[584]},{"name":"SQL_IS_INSERT_LITERALS","features":[584]},{"name":"SQL_IS_INSERT_SEARCHED","features":[584]},{"name":"SQL_IS_INTEGER","features":[584]},{"name":"SQL_IS_MINUTE","features":[584]},{"name":"SQL_IS_MINUTE_TO_SECOND","features":[584]},{"name":"SQL_IS_MONTH","features":[584]},{"name":"SQL_IS_OFF","features":[584]},{"name":"SQL_IS_ON","features":[584]},{"name":"SQL_IS_POINTER","features":[584]},{"name":"SQL_IS_SECOND","features":[584]},{"name":"SQL_IS_SELECT_INTO","features":[584]},{"name":"SQL_IS_SMALLINT","features":[584]},{"name":"SQL_IS_UINTEGER","features":[584]},{"name":"SQL_IS_USMALLINT","features":[584]},{"name":"SQL_IS_YEAR","features":[584]},{"name":"SQL_IS_YEAR_TO_MONTH","features":[584]},{"name":"SQL_KEYSET_CURSOR_ATTRIBUTES1","features":[584]},{"name":"SQL_KEYSET_CURSOR_ATTRIBUTES2","features":[584]},{"name":"SQL_KEYSET_SIZE","features":[584]},{"name":"SQL_KEYSET_SIZE_DEFAULT","features":[584]},{"name":"SQL_KEYWORDS","features":[584]},{"name":"SQL_LCK_EXCLUSIVE","features":[584]},{"name":"SQL_LCK_NO_CHANGE","features":[584]},{"name":"SQL_LCK_UNLOCK","features":[584]},{"name":"SQL_LEN_BINARY_ATTR_OFFSET","features":[584]},{"name":"SQL_LEN_DATA_AT_EXEC_OFFSET","features":[584]},{"name":"SQL_LIKE_ESCAPE_CLAUSE","features":[584]},{"name":"SQL_LIKE_ONLY","features":[584]},{"name":"SQL_LOCK_EXCLUSIVE","features":[584]},{"name":"SQL_LOCK_NO_CHANGE","features":[584]},{"name":"SQL_LOCK_TYPES","features":[584]},{"name":"SQL_LOCK_UNLOCK","features":[584]},{"name":"SQL_LOGIN_TIMEOUT","features":[584]},{"name":"SQL_LOGIN_TIMEOUT_DEFAULT","features":[584]},{"name":"SQL_LONGVARBINARY","features":[584]},{"name":"SQL_LONGVARCHAR","features":[584]},{"name":"SQL_MAXIMUM_CATALOG_NAME_LENGTH","features":[584]},{"name":"SQL_MAXIMUM_COLUMNS_IN_GROUP_BY","features":[584]},{"name":"SQL_MAXIMUM_COLUMNS_IN_INDEX","features":[584]},{"name":"SQL_MAXIMUM_COLUMNS_IN_ORDER_BY","features":[584]},{"name":"SQL_MAXIMUM_COLUMNS_IN_SELECT","features":[584]},{"name":"SQL_MAXIMUM_COLUMN_NAME_LENGTH","features":[584]},{"name":"SQL_MAXIMUM_CONCURRENT_ACTIVITIES","features":[584]},{"name":"SQL_MAXIMUM_CURSOR_NAME_LENGTH","features":[584]},{"name":"SQL_MAXIMUM_DRIVER_CONNECTIONS","features":[584]},{"name":"SQL_MAXIMUM_IDENTIFIER_LENGTH","features":[584]},{"name":"SQL_MAXIMUM_INDEX_SIZE","features":[584]},{"name":"SQL_MAXIMUM_ROW_SIZE","features":[584]},{"name":"SQL_MAXIMUM_SCHEMA_NAME_LENGTH","features":[584]},{"name":"SQL_MAXIMUM_STATEMENT_LENGTH","features":[584]},{"name":"SQL_MAXIMUM_TABLES_IN_SELECT","features":[584]},{"name":"SQL_MAXIMUM_USER_NAME_LENGTH","features":[584]},{"name":"SQL_MAX_ASYNC_CONCURRENT_STATEMENTS","features":[584]},{"name":"SQL_MAX_BINARY_LITERAL_LEN","features":[584]},{"name":"SQL_MAX_CATALOG_NAME_LEN","features":[584]},{"name":"SQL_MAX_CHAR_LITERAL_LEN","features":[584]},{"name":"SQL_MAX_COLUMNS_IN_GROUP_BY","features":[584]},{"name":"SQL_MAX_COLUMNS_IN_INDEX","features":[584]},{"name":"SQL_MAX_COLUMNS_IN_ORDER_BY","features":[584]},{"name":"SQL_MAX_COLUMNS_IN_SELECT","features":[584]},{"name":"SQL_MAX_COLUMNS_IN_TABLE","features":[584]},{"name":"SQL_MAX_COLUMN_NAME_LEN","features":[584]},{"name":"SQL_MAX_CONCURRENT_ACTIVITIES","features":[584]},{"name":"SQL_MAX_CURSOR_NAME_LEN","features":[584]},{"name":"SQL_MAX_DRIVER_CONNECTIONS","features":[584]},{"name":"SQL_MAX_DSN_LENGTH","features":[584]},{"name":"SQL_MAX_IDENTIFIER_LEN","features":[584]},{"name":"SQL_MAX_INDEX_SIZE","features":[584]},{"name":"SQL_MAX_LENGTH","features":[584]},{"name":"SQL_MAX_LENGTH_DEFAULT","features":[584]},{"name":"SQL_MAX_MESSAGE_LENGTH","features":[584]},{"name":"SQL_MAX_NUMERIC_LEN","features":[584]},{"name":"SQL_MAX_OPTION_STRING_LENGTH","features":[584]},{"name":"SQL_MAX_OWNER_NAME_LEN","features":[584]},{"name":"SQL_MAX_PROCEDURE_NAME_LEN","features":[584]},{"name":"SQL_MAX_QUALIFIER_NAME_LEN","features":[584]},{"name":"SQL_MAX_ROWS","features":[584]},{"name":"SQL_MAX_ROWS_DEFAULT","features":[584]},{"name":"SQL_MAX_ROW_SIZE","features":[584]},{"name":"SQL_MAX_ROW_SIZE_INCLUDES_LONG","features":[584]},{"name":"SQL_MAX_SCHEMA_NAME_LEN","features":[584]},{"name":"SQL_MAX_SQLSERVERNAME","features":[584]},{"name":"SQL_MAX_STATEMENT_LEN","features":[584]},{"name":"SQL_MAX_TABLES_IN_SELECT","features":[584]},{"name":"SQL_MAX_TABLE_NAME_LEN","features":[584]},{"name":"SQL_MAX_USER_NAME_LEN","features":[584]},{"name":"SQL_MINUTE","features":[584]},{"name":"SQL_MINUTE_TO_SECOND","features":[584]},{"name":"SQL_MODE_DEFAULT","features":[584]},{"name":"SQL_MODE_READ_ONLY","features":[584]},{"name":"SQL_MODE_READ_WRITE","features":[584]},{"name":"SQL_MONTH","features":[584]},{"name":"SQL_MORE_INFO_NO","features":[584]},{"name":"SQL_MORE_INFO_YES","features":[584]},{"name":"SQL_MULTIPLE_ACTIVE_TXN","features":[584]},{"name":"SQL_MULT_RESULT_SETS","features":[584]},{"name":"SQL_NAMED","features":[584]},{"name":"SQL_NB_DEFAULT","features":[584]},{"name":"SQL_NB_OFF","features":[584]},{"name":"SQL_NB_ON","features":[584]},{"name":"SQL_NC_END","features":[584]},{"name":"SQL_NC_HIGH","features":[584]},{"name":"SQL_NC_LOW","features":[584]},{"name":"SQL_NC_OFF","features":[584]},{"name":"SQL_NC_ON","features":[584]},{"name":"SQL_NC_START","features":[584]},{"name":"SQL_NEED_DATA","features":[584]},{"name":"SQL_NEED_LONG_DATA_LEN","features":[584]},{"name":"SQL_NNC_NON_NULL","features":[584]},{"name":"SQL_NNC_NULL","features":[584]},{"name":"SQL_NONSCROLLABLE","features":[584]},{"name":"SQL_NON_NULLABLE_COLUMNS","features":[584]},{"name":"SQL_NOSCAN","features":[584]},{"name":"SQL_NOSCAN_DEFAULT","features":[584]},{"name":"SQL_NOSCAN_OFF","features":[584]},{"name":"SQL_NOSCAN_ON","features":[584]},{"name":"SQL_NOT_DEFERRABLE","features":[584]},{"name":"SQL_NO_ACTION","features":[584]},{"name":"SQL_NO_COLUMN_NUMBER","features":[584]},{"name":"SQL_NO_DATA","features":[584]},{"name":"SQL_NO_DATA_FOUND","features":[584]},{"name":"SQL_NO_NULLS","features":[584]},{"name":"SQL_NO_ROW_NUMBER","features":[584]},{"name":"SQL_NO_TOTAL","features":[584]},{"name":"SQL_NTS","features":[584]},{"name":"SQL_NTSL","features":[584]},{"name":"SQL_NULLABLE","features":[584]},{"name":"SQL_NULLABLE_UNKNOWN","features":[584]},{"name":"SQL_NULL_COLLATION","features":[584]},{"name":"SQL_NULL_DATA","features":[584]},{"name":"SQL_NULL_HANDLE","features":[584]},{"name":"SQL_NULL_HDBC","features":[584]},{"name":"SQL_NULL_HDESC","features":[584]},{"name":"SQL_NULL_HENV","features":[584]},{"name":"SQL_NULL_HSTMT","features":[584]},{"name":"SQL_NUMERIC","features":[584]},{"name":"SQL_NUMERIC_FUNCTIONS","features":[584]},{"name":"SQL_NUMERIC_STRUCT","features":[584]},{"name":"SQL_NUM_FUNCTIONS","features":[584]},{"name":"SQL_OAC_LEVEL1","features":[584]},{"name":"SQL_OAC_LEVEL2","features":[584]},{"name":"SQL_OAC_NONE","features":[584]},{"name":"SQL_ODBC_API_CONFORMANCE","features":[584]},{"name":"SQL_ODBC_CURSORS","features":[584]},{"name":"SQL_ODBC_INTERFACE_CONFORMANCE","features":[584]},{"name":"SQL_ODBC_KEYWORDS","features":[584]},{"name":"SQL_ODBC_SAG_CLI_CONFORMANCE","features":[584]},{"name":"SQL_ODBC_SQL_CONFORMANCE","features":[584]},{"name":"SQL_ODBC_SQL_OPT_IEF","features":[584]},{"name":"SQL_ODBC_VER","features":[584]},{"name":"SQL_OIC_CORE","features":[584]},{"name":"SQL_OIC_LEVEL1","features":[584]},{"name":"SQL_OIC_LEVEL2","features":[584]},{"name":"SQL_OJ_ALL_COMPARISON_OPS","features":[584]},{"name":"SQL_OJ_CAPABILITIES","features":[584]},{"name":"SQL_OJ_FULL","features":[584]},{"name":"SQL_OJ_INNER","features":[584]},{"name":"SQL_OJ_LEFT","features":[584]},{"name":"SQL_OJ_NESTED","features":[584]},{"name":"SQL_OJ_NOT_ORDERED","features":[584]},{"name":"SQL_OJ_RIGHT","features":[584]},{"name":"SQL_OPT_TRACE","features":[584]},{"name":"SQL_OPT_TRACEFILE","features":[584]},{"name":"SQL_OPT_TRACE_DEFAULT","features":[584]},{"name":"SQL_OPT_TRACE_FILE_DEFAULT","features":[584]},{"name":"SQL_OPT_TRACE_OFF","features":[584]},{"name":"SQL_OPT_TRACE_ON","features":[584]},{"name":"SQL_ORDER_BY_COLUMNS_IN_SELECT","features":[584]},{"name":"SQL_OSCC_COMPLIANT","features":[584]},{"name":"SQL_OSCC_NOT_COMPLIANT","features":[584]},{"name":"SQL_OSC_CORE","features":[584]},{"name":"SQL_OSC_EXTENDED","features":[584]},{"name":"SQL_OSC_MINIMUM","features":[584]},{"name":"SQL_OUTER_JOINS","features":[584]},{"name":"SQL_OUTER_JOIN_CAPABILITIES","features":[584]},{"name":"SQL_OU_DML_STATEMENTS","features":[584]},{"name":"SQL_OU_INDEX_DEFINITION","features":[584]},{"name":"SQL_OU_PRIVILEGE_DEFINITION","features":[584]},{"name":"SQL_OU_PROCEDURE_INVOCATION","features":[584]},{"name":"SQL_OU_TABLE_DEFINITION","features":[584]},{"name":"SQL_OV_ODBC2","features":[584]},{"name":"SQL_OV_ODBC3","features":[584]},{"name":"SQL_OV_ODBC3_80","features":[584]},{"name":"SQL_OWNER_TERM","features":[584]},{"name":"SQL_OWNER_USAGE","features":[584]},{"name":"SQL_PACKET_SIZE","features":[584]},{"name":"SQL_PARAM_ARRAY_ROW_COUNTS","features":[584]},{"name":"SQL_PARAM_ARRAY_SELECTS","features":[584]},{"name":"SQL_PARAM_BIND_BY_COLUMN","features":[584]},{"name":"SQL_PARAM_BIND_TYPE_DEFAULT","features":[584]},{"name":"SQL_PARAM_DATA_AVAILABLE","features":[584]},{"name":"SQL_PARAM_DIAG_UNAVAILABLE","features":[584]},{"name":"SQL_PARAM_ERROR","features":[584]},{"name":"SQL_PARAM_IGNORE","features":[584]},{"name":"SQL_PARAM_INPUT","features":[584]},{"name":"SQL_PARAM_INPUT_OUTPUT","features":[584]},{"name":"SQL_PARAM_INPUT_OUTPUT_STREAM","features":[584]},{"name":"SQL_PARAM_OUTPUT","features":[584]},{"name":"SQL_PARAM_OUTPUT_STREAM","features":[584]},{"name":"SQL_PARAM_PROCEED","features":[584]},{"name":"SQL_PARAM_SUCCESS","features":[584]},{"name":"SQL_PARAM_SUCCESS_WITH_INFO","features":[584]},{"name":"SQL_PARAM_TYPE_UNKNOWN","features":[584]},{"name":"SQL_PARAM_UNUSED","features":[584]},{"name":"SQL_PARC_BATCH","features":[584]},{"name":"SQL_PARC_NO_BATCH","features":[584]},{"name":"SQL_PAS_BATCH","features":[584]},{"name":"SQL_PAS_NO_BATCH","features":[584]},{"name":"SQL_PAS_NO_SELECT","features":[584]},{"name":"SQL_PC_DEFAULT","features":[584]},{"name":"SQL_PC_NON_PSEUDO","features":[584]},{"name":"SQL_PC_NOT_PSEUDO","features":[584]},{"name":"SQL_PC_OFF","features":[584]},{"name":"SQL_PC_ON","features":[584]},{"name":"SQL_PC_PSEUDO","features":[584]},{"name":"SQL_PC_UNKNOWN","features":[584]},{"name":"SQL_PERF_START","features":[584]},{"name":"SQL_PERF_STOP","features":[584]},{"name":"SQL_POSITION","features":[584]},{"name":"SQL_POSITIONED_STATEMENTS","features":[584]},{"name":"SQL_POS_ADD","features":[584]},{"name":"SQL_POS_DELETE","features":[584]},{"name":"SQL_POS_OPERATIONS","features":[584]},{"name":"SQL_POS_POSITION","features":[584]},{"name":"SQL_POS_REFRESH","features":[584]},{"name":"SQL_POS_UPDATE","features":[584]},{"name":"SQL_PRED_BASIC","features":[584]},{"name":"SQL_PRED_CHAR","features":[584]},{"name":"SQL_PRED_NONE","features":[584]},{"name":"SQL_PRED_SEARCHABLE","features":[584]},{"name":"SQL_PRESERVE_CURSORS","features":[584]},{"name":"SQL_PROCEDURES","features":[584]},{"name":"SQL_PROCEDURE_TERM","features":[584]},{"name":"SQL_PS_POSITIONED_DELETE","features":[584]},{"name":"SQL_PS_POSITIONED_UPDATE","features":[584]},{"name":"SQL_PS_SELECT_FOR_UPDATE","features":[584]},{"name":"SQL_PT_FUNCTION","features":[584]},{"name":"SQL_PT_PROCEDURE","features":[584]},{"name":"SQL_PT_UNKNOWN","features":[584]},{"name":"SQL_QI_DEFAULT","features":[584]},{"name":"SQL_QI_OFF","features":[584]},{"name":"SQL_QI_ON","features":[584]},{"name":"SQL_QL_END","features":[584]},{"name":"SQL_QL_START","features":[584]},{"name":"SQL_QUALIFIER_LOCATION","features":[584]},{"name":"SQL_QUALIFIER_NAME_SEPARATOR","features":[584]},{"name":"SQL_QUALIFIER_TERM","features":[584]},{"name":"SQL_QUALIFIER_USAGE","features":[584]},{"name":"SQL_QUERY_TIMEOUT","features":[584]},{"name":"SQL_QUERY_TIMEOUT_DEFAULT","features":[584]},{"name":"SQL_QUICK","features":[584]},{"name":"SQL_QUIET_MODE","features":[584]},{"name":"SQL_QUOTED_IDENTIFIER_CASE","features":[584]},{"name":"SQL_QU_DML_STATEMENTS","features":[584]},{"name":"SQL_QU_INDEX_DEFINITION","features":[584]},{"name":"SQL_QU_PRIVILEGE_DEFINITION","features":[584]},{"name":"SQL_QU_PROCEDURE_INVOCATION","features":[584]},{"name":"SQL_QU_TABLE_DEFINITION","features":[584]},{"name":"SQL_RD_DEFAULT","features":[584]},{"name":"SQL_RD_OFF","features":[584]},{"name":"SQL_RD_ON","features":[584]},{"name":"SQL_REAL","features":[584]},{"name":"SQL_REFRESH","features":[584]},{"name":"SQL_REMOTE_PWD","features":[584]},{"name":"SQL_RESET_CONNECTION_YES","features":[584]},{"name":"SQL_RESET_PARAMS","features":[584]},{"name":"SQL_RESET_YES","features":[584]},{"name":"SQL_RESTRICT","features":[584]},{"name":"SQL_RESULT_COL","features":[584]},{"name":"SQL_RETRIEVE_DATA","features":[584]},{"name":"SQL_RETURN_VALUE","features":[584]},{"name":"SQL_RE_DEFAULT","features":[584]},{"name":"SQL_RE_OFF","features":[584]},{"name":"SQL_RE_ON","features":[584]},{"name":"SQL_ROLLBACK","features":[584]},{"name":"SQL_ROWSET_SIZE","features":[584]},{"name":"SQL_ROWSET_SIZE_DEFAULT","features":[584]},{"name":"SQL_ROWVER","features":[584]},{"name":"SQL_ROW_ADDED","features":[584]},{"name":"SQL_ROW_DELETED","features":[584]},{"name":"SQL_ROW_ERROR","features":[584]},{"name":"SQL_ROW_IDENTIFIER","features":[584]},{"name":"SQL_ROW_IGNORE","features":[584]},{"name":"SQL_ROW_NOROW","features":[584]},{"name":"SQL_ROW_NUMBER","features":[584]},{"name":"SQL_ROW_NUMBER_UNKNOWN","features":[584]},{"name":"SQL_ROW_PROCEED","features":[584]},{"name":"SQL_ROW_SUCCESS","features":[584]},{"name":"SQL_ROW_SUCCESS_WITH_INFO","features":[584]},{"name":"SQL_ROW_UPDATED","features":[584]},{"name":"SQL_ROW_UPDATES","features":[584]},{"name":"SQL_SCCO_LOCK","features":[584]},{"name":"SQL_SCCO_OPT_ROWVER","features":[584]},{"name":"SQL_SCCO_OPT_TIMESTAMP","features":[584]},{"name":"SQL_SCCO_OPT_VALUES","features":[584]},{"name":"SQL_SCCO_READ_ONLY","features":[584]},{"name":"SQL_SCC_ISO92_CLI","features":[584]},{"name":"SQL_SCC_XOPEN_CLI_VERSION1","features":[584]},{"name":"SQL_SCHEMA_TERM","features":[584]},{"name":"SQL_SCHEMA_USAGE","features":[584]},{"name":"SQL_SCOPE_CURROW","features":[584]},{"name":"SQL_SCOPE_SESSION","features":[584]},{"name":"SQL_SCOPE_TRANSACTION","features":[584]},{"name":"SQL_SCROLLABLE","features":[584]},{"name":"SQL_SCROLL_CONCURRENCY","features":[584]},{"name":"SQL_SCROLL_DYNAMIC","features":[584]},{"name":"SQL_SCROLL_FORWARD_ONLY","features":[584]},{"name":"SQL_SCROLL_KEYSET_DRIVEN","features":[584]},{"name":"SQL_SCROLL_OPTIONS","features":[584]},{"name":"SQL_SCROLL_STATIC","features":[584]},{"name":"SQL_SC_FIPS127_2_TRANSITIONAL","features":[584]},{"name":"SQL_SC_NON_UNIQUE","features":[584]},{"name":"SQL_SC_SQL92_ENTRY","features":[584]},{"name":"SQL_SC_SQL92_FULL","features":[584]},{"name":"SQL_SC_SQL92_INTERMEDIATE","features":[584]},{"name":"SQL_SC_TRY_UNIQUE","features":[584]},{"name":"SQL_SC_UNIQUE","features":[584]},{"name":"SQL_SDF_CURRENT_DATE","features":[584]},{"name":"SQL_SDF_CURRENT_TIME","features":[584]},{"name":"SQL_SDF_CURRENT_TIMESTAMP","features":[584]},{"name":"SQL_SEARCHABLE","features":[584]},{"name":"SQL_SEARCH_PATTERN_ESCAPE","features":[584]},{"name":"SQL_SECOND","features":[584]},{"name":"SQL_SENSITIVE","features":[584]},{"name":"SQL_SERVER_NAME","features":[584]},{"name":"SQL_SETPARAM_VALUE_MAX","features":[584]},{"name":"SQL_SETPOS_MAX_LOCK_VALUE","features":[584]},{"name":"SQL_SETPOS_MAX_OPTION_VALUE","features":[584]},{"name":"SQL_SET_DEFAULT","features":[584]},{"name":"SQL_SET_NULL","features":[584]},{"name":"SQL_SFKD_CASCADE","features":[584]},{"name":"SQL_SFKD_NO_ACTION","features":[584]},{"name":"SQL_SFKD_SET_DEFAULT","features":[584]},{"name":"SQL_SFKD_SET_NULL","features":[584]},{"name":"SQL_SFKU_CASCADE","features":[584]},{"name":"SQL_SFKU_NO_ACTION","features":[584]},{"name":"SQL_SFKU_SET_DEFAULT","features":[584]},{"name":"SQL_SFKU_SET_NULL","features":[584]},{"name":"SQL_SG_DELETE_TABLE","features":[584]},{"name":"SQL_SG_INSERT_COLUMN","features":[584]},{"name":"SQL_SG_INSERT_TABLE","features":[584]},{"name":"SQL_SG_REFERENCES_COLUMN","features":[584]},{"name":"SQL_SG_REFERENCES_TABLE","features":[584]},{"name":"SQL_SG_SELECT_TABLE","features":[584]},{"name":"SQL_SG_UPDATE_COLUMN","features":[584]},{"name":"SQL_SG_UPDATE_TABLE","features":[584]},{"name":"SQL_SG_USAGE_ON_CHARACTER_SET","features":[584]},{"name":"SQL_SG_USAGE_ON_COLLATION","features":[584]},{"name":"SQL_SG_USAGE_ON_DOMAIN","features":[584]},{"name":"SQL_SG_USAGE_ON_TRANSLATION","features":[584]},{"name":"SQL_SG_WITH_GRANT_OPTION","features":[584]},{"name":"SQL_SIGNED_OFFSET","features":[584]},{"name":"SQL_SIMULATE_CURSOR","features":[584]},{"name":"SQL_SMALLINT","features":[584]},{"name":"SQL_SNVF_BIT_LENGTH","features":[584]},{"name":"SQL_SNVF_CHARACTER_LENGTH","features":[584]},{"name":"SQL_SNVF_CHAR_LENGTH","features":[584]},{"name":"SQL_SNVF_EXTRACT","features":[584]},{"name":"SQL_SNVF_OCTET_LENGTH","features":[584]},{"name":"SQL_SNVF_POSITION","features":[584]},{"name":"SQL_SOPT_SS_BASE","features":[584]},{"name":"SQL_SOPT_SS_CURRENT_COMMAND","features":[584]},{"name":"SQL_SOPT_SS_CURSOR_OPTIONS","features":[584]},{"name":"SQL_SOPT_SS_DEFER_PREPARE","features":[584]},{"name":"SQL_SOPT_SS_HIDDEN_COLUMNS","features":[584]},{"name":"SQL_SOPT_SS_MAX_USED","features":[584]},{"name":"SQL_SOPT_SS_NOBROWSETABLE","features":[584]},{"name":"SQL_SOPT_SS_NOCOUNT_STATUS","features":[584]},{"name":"SQL_SOPT_SS_REGIONALIZE","features":[584]},{"name":"SQL_SOPT_SS_TEXTPTR_LOGGING","features":[584]},{"name":"SQL_SO_DYNAMIC","features":[584]},{"name":"SQL_SO_FORWARD_ONLY","features":[584]},{"name":"SQL_SO_KEYSET_DRIVEN","features":[584]},{"name":"SQL_SO_MIXED","features":[584]},{"name":"SQL_SO_STATIC","features":[584]},{"name":"SQL_SPECIAL_CHARACTERS","features":[584]},{"name":"SQL_SPEC_MAJOR","features":[584]},{"name":"SQL_SPEC_MINOR","features":[584]},{"name":"SQL_SPEC_STRING","features":[584]},{"name":"SQL_SP_BETWEEN","features":[584]},{"name":"SQL_SP_COMPARISON","features":[584]},{"name":"SQL_SP_EXISTS","features":[584]},{"name":"SQL_SP_IN","features":[584]},{"name":"SQL_SP_ISNOTNULL","features":[584]},{"name":"SQL_SP_ISNULL","features":[584]},{"name":"SQL_SP_LIKE","features":[584]},{"name":"SQL_SP_MATCH_FULL","features":[584]},{"name":"SQL_SP_MATCH_PARTIAL","features":[584]},{"name":"SQL_SP_MATCH_UNIQUE_FULL","features":[584]},{"name":"SQL_SP_MATCH_UNIQUE_PARTIAL","features":[584]},{"name":"SQL_SP_OVERLAPS","features":[584]},{"name":"SQL_SP_QUANTIFIED_COMPARISON","features":[584]},{"name":"SQL_SP_UNIQUE","features":[584]},{"name":"SQL_SQL92_DATETIME_FUNCTIONS","features":[584]},{"name":"SQL_SQL92_FOREIGN_KEY_DELETE_RULE","features":[584]},{"name":"SQL_SQL92_FOREIGN_KEY_UPDATE_RULE","features":[584]},{"name":"SQL_SQL92_GRANT","features":[584]},{"name":"SQL_SQL92_NUMERIC_VALUE_FUNCTIONS","features":[584]},{"name":"SQL_SQL92_PREDICATES","features":[584]},{"name":"SQL_SQL92_RELATIONAL_JOIN_OPERATORS","features":[584]},{"name":"SQL_SQL92_REVOKE","features":[584]},{"name":"SQL_SQL92_ROW_VALUE_CONSTRUCTOR","features":[584]},{"name":"SQL_SQL92_STRING_FUNCTIONS","features":[584]},{"name":"SQL_SQL92_VALUE_EXPRESSIONS","features":[584]},{"name":"SQL_SQLSTATE_SIZE","features":[584]},{"name":"SQL_SQLSTATE_SIZEW","features":[584]},{"name":"SQL_SQL_CONFORMANCE","features":[584]},{"name":"SQL_SQ_COMPARISON","features":[584]},{"name":"SQL_SQ_CORRELATED_SUBQUERIES","features":[584]},{"name":"SQL_SQ_EXISTS","features":[584]},{"name":"SQL_SQ_IN","features":[584]},{"name":"SQL_SQ_QUANTIFIED","features":[584]},{"name":"SQL_SRJO_CORRESPONDING_CLAUSE","features":[584]},{"name":"SQL_SRJO_CROSS_JOIN","features":[584]},{"name":"SQL_SRJO_EXCEPT_JOIN","features":[584]},{"name":"SQL_SRJO_FULL_OUTER_JOIN","features":[584]},{"name":"SQL_SRJO_INNER_JOIN","features":[584]},{"name":"SQL_SRJO_INTERSECT_JOIN","features":[584]},{"name":"SQL_SRJO_LEFT_OUTER_JOIN","features":[584]},{"name":"SQL_SRJO_NATURAL_JOIN","features":[584]},{"name":"SQL_SRJO_RIGHT_OUTER_JOIN","features":[584]},{"name":"SQL_SRJO_UNION_JOIN","features":[584]},{"name":"SQL_SRVC_DEFAULT","features":[584]},{"name":"SQL_SRVC_NULL","features":[584]},{"name":"SQL_SRVC_ROW_SUBQUERY","features":[584]},{"name":"SQL_SRVC_VALUE_EXPRESSION","features":[584]},{"name":"SQL_SR_CASCADE","features":[584]},{"name":"SQL_SR_DELETE_TABLE","features":[584]},{"name":"SQL_SR_GRANT_OPTION_FOR","features":[584]},{"name":"SQL_SR_INSERT_COLUMN","features":[584]},{"name":"SQL_SR_INSERT_TABLE","features":[584]},{"name":"SQL_SR_REFERENCES_COLUMN","features":[584]},{"name":"SQL_SR_REFERENCES_TABLE","features":[584]},{"name":"SQL_SR_RESTRICT","features":[584]},{"name":"SQL_SR_SELECT_TABLE","features":[584]},{"name":"SQL_SR_UPDATE_COLUMN","features":[584]},{"name":"SQL_SR_UPDATE_TABLE","features":[584]},{"name":"SQL_SR_USAGE_ON_CHARACTER_SET","features":[584]},{"name":"SQL_SR_USAGE_ON_COLLATION","features":[584]},{"name":"SQL_SR_USAGE_ON_DOMAIN","features":[584]},{"name":"SQL_SR_USAGE_ON_TRANSLATION","features":[584]},{"name":"SQL_SSF_CONVERT","features":[584]},{"name":"SQL_SSF_LOWER","features":[584]},{"name":"SQL_SSF_SUBSTRING","features":[584]},{"name":"SQL_SSF_TRANSLATE","features":[584]},{"name":"SQL_SSF_TRIM_BOTH","features":[584]},{"name":"SQL_SSF_TRIM_LEADING","features":[584]},{"name":"SQL_SSF_TRIM_TRAILING","features":[584]},{"name":"SQL_SSF_UPPER","features":[584]},{"name":"SQL_SS_ADDITIONS","features":[584]},{"name":"SQL_SS_DELETIONS","features":[584]},{"name":"SQL_SS_DL_DEFAULT","features":[584]},{"name":"SQL_SS_QI_DEFAULT","features":[584]},{"name":"SQL_SS_QL_DEFAULT","features":[584]},{"name":"SQL_SS_UPDATES","features":[584]},{"name":"SQL_SS_VARIANT","features":[584]},{"name":"SQL_STANDARD_CLI_CONFORMANCE","features":[584]},{"name":"SQL_STATIC_CURSOR_ATTRIBUTES1","features":[584]},{"name":"SQL_STATIC_CURSOR_ATTRIBUTES2","features":[584]},{"name":"SQL_STATIC_SENSITIVITY","features":[584]},{"name":"SQL_STILL_EXECUTING","features":[584]},{"name":"SQL_STMT_OPT_MAX","features":[584]},{"name":"SQL_STMT_OPT_MIN","features":[584]},{"name":"SQL_STRING_FUNCTIONS","features":[584]},{"name":"SQL_SUBQUERIES","features":[584]},{"name":"SQL_SUCCESS","features":[584]},{"name":"SQL_SUCCESS_WITH_INFO","features":[584]},{"name":"SQL_SU_DML_STATEMENTS","features":[584]},{"name":"SQL_SU_INDEX_DEFINITION","features":[584]},{"name":"SQL_SU_PRIVILEGE_DEFINITION","features":[584]},{"name":"SQL_SU_PROCEDURE_INVOCATION","features":[584]},{"name":"SQL_SU_TABLE_DEFINITION","features":[584]},{"name":"SQL_SVE_CASE","features":[584]},{"name":"SQL_SVE_CAST","features":[584]},{"name":"SQL_SVE_COALESCE","features":[584]},{"name":"SQL_SVE_NULLIF","features":[584]},{"name":"SQL_SYSTEM_FUNCTIONS","features":[584]},{"name":"SQL_TABLE_STAT","features":[584]},{"name":"SQL_TABLE_TERM","features":[584]},{"name":"SQL_TC_ALL","features":[584]},{"name":"SQL_TC_DDL_COMMIT","features":[584]},{"name":"SQL_TC_DDL_IGNORE","features":[584]},{"name":"SQL_TC_DML","features":[584]},{"name":"SQL_TC_NONE","features":[584]},{"name":"SQL_TEXTPTR_LOGGING","features":[584]},{"name":"SQL_TIME","features":[584]},{"name":"SQL_TIMEDATE_ADD_INTERVALS","features":[584]},{"name":"SQL_TIMEDATE_DIFF_INTERVALS","features":[584]},{"name":"SQL_TIMEDATE_FUNCTIONS","features":[584]},{"name":"SQL_TIMESTAMP","features":[584]},{"name":"SQL_TIMESTAMP_LEN","features":[584]},{"name":"SQL_TIME_LEN","features":[584]},{"name":"SQL_TINYINT","features":[584]},{"name":"SQL_TL_DEFAULT","features":[584]},{"name":"SQL_TL_OFF","features":[584]},{"name":"SQL_TL_ON","features":[584]},{"name":"SQL_TRANSACTION_CAPABLE","features":[584]},{"name":"SQL_TRANSACTION_ISOLATION_OPTION","features":[584]},{"name":"SQL_TRANSACTION_READ_COMMITTED","features":[584]},{"name":"SQL_TRANSACTION_READ_UNCOMMITTED","features":[584]},{"name":"SQL_TRANSACTION_REPEATABLE_READ","features":[584]},{"name":"SQL_TRANSACTION_SERIALIZABLE","features":[584]},{"name":"SQL_TRANSLATE_DLL","features":[584]},{"name":"SQL_TRANSLATE_OPTION","features":[584]},{"name":"SQL_TRUE","features":[584]},{"name":"SQL_TXN_CAPABLE","features":[584]},{"name":"SQL_TXN_ISOLATION","features":[584]},{"name":"SQL_TXN_ISOLATION_OPTION","features":[584]},{"name":"SQL_TXN_READ_COMMITTED","features":[584]},{"name":"SQL_TXN_READ_UNCOMMITTED","features":[584]},{"name":"SQL_TXN_REPEATABLE_READ","features":[584]},{"name":"SQL_TXN_SERIALIZABLE","features":[584]},{"name":"SQL_TXN_VERSIONING","features":[584]},{"name":"SQL_TYPE_DATE","features":[584]},{"name":"SQL_TYPE_DRIVER_END","features":[584]},{"name":"SQL_TYPE_DRIVER_START","features":[584]},{"name":"SQL_TYPE_MAX","features":[584]},{"name":"SQL_TYPE_MIN","features":[584]},{"name":"SQL_TYPE_NULL","features":[584]},{"name":"SQL_TYPE_TIME","features":[584]},{"name":"SQL_TYPE_TIMESTAMP","features":[584]},{"name":"SQL_UB_DEFAULT","features":[584]},{"name":"SQL_UB_FIXED","features":[584]},{"name":"SQL_UB_OFF","features":[584]},{"name":"SQL_UB_ON","features":[584]},{"name":"SQL_UB_VARIABLE","features":[584]},{"name":"SQL_UNBIND","features":[584]},{"name":"SQL_UNICODE","features":[584]},{"name":"SQL_UNICODE_CHAR","features":[584]},{"name":"SQL_UNICODE_LONGVARCHAR","features":[584]},{"name":"SQL_UNICODE_VARCHAR","features":[584]},{"name":"SQL_UNION","features":[584]},{"name":"SQL_UNION_STATEMENT","features":[584]},{"name":"SQL_UNKNOWN_TYPE","features":[584]},{"name":"SQL_UNNAMED","features":[584]},{"name":"SQL_UNSEARCHABLE","features":[584]},{"name":"SQL_UNSIGNED_OFFSET","features":[584]},{"name":"SQL_UNSPECIFIED","features":[584]},{"name":"SQL_UPDATE","features":[584]},{"name":"SQL_UPDATE_BY_BOOKMARK","features":[584]},{"name":"SQL_UP_DEFAULT","features":[584]},{"name":"SQL_UP_OFF","features":[584]},{"name":"SQL_UP_ON","features":[584]},{"name":"SQL_UP_ON_DROP","features":[584]},{"name":"SQL_USER_NAME","features":[584]},{"name":"SQL_USE_BOOKMARKS","features":[584]},{"name":"SQL_USE_PROCEDURE_FOR_PREPARE","features":[584]},{"name":"SQL_US_UNION","features":[584]},{"name":"SQL_US_UNION_ALL","features":[584]},{"name":"SQL_U_UNION","features":[584]},{"name":"SQL_U_UNION_ALL","features":[584]},{"name":"SQL_VARBINARY","features":[584]},{"name":"SQL_VARCHAR","features":[584]},{"name":"SQL_VARLEN_DATA","features":[584]},{"name":"SQL_WARN_NO","features":[584]},{"name":"SQL_WARN_YES","features":[584]},{"name":"SQL_WCHAR","features":[584]},{"name":"SQL_WLONGVARCHAR","features":[584]},{"name":"SQL_WVARCHAR","features":[584]},{"name":"SQL_XL_DEFAULT","features":[584]},{"name":"SQL_XL_OFF","features":[584]},{"name":"SQL_XL_ON","features":[584]},{"name":"SQL_XOPEN_CLI_YEAR","features":[584]},{"name":"SQL_YEAR","features":[584]},{"name":"SQL_YEAR_MONTH_STRUCT","features":[584]},{"name":"SQL_YEAR_TO_MONTH","features":[584]},{"name":"SQLudtBINARY","features":[584]},{"name":"SQLudtBIT","features":[584]},{"name":"SQLudtBITN","features":[584]},{"name":"SQLudtCHAR","features":[584]},{"name":"SQLudtDATETIM4","features":[584]},{"name":"SQLudtDATETIME","features":[584]},{"name":"SQLudtDATETIMN","features":[584]},{"name":"SQLudtDECML","features":[584]},{"name":"SQLudtDECMLN","features":[584]},{"name":"SQLudtFLT4","features":[584]},{"name":"SQLudtFLT8","features":[584]},{"name":"SQLudtFLTN","features":[584]},{"name":"SQLudtIMAGE","features":[584]},{"name":"SQLudtINT1","features":[584]},{"name":"SQLudtINT2","features":[584]},{"name":"SQLudtINT4","features":[584]},{"name":"SQLudtINTN","features":[584]},{"name":"SQLudtMONEY","features":[584]},{"name":"SQLudtMONEY4","features":[584]},{"name":"SQLudtMONEYN","features":[584]},{"name":"SQLudtNUM","features":[584]},{"name":"SQLudtNUMN","features":[584]},{"name":"SQLudtSYSNAME","features":[584]},{"name":"SQLudtTEXT","features":[584]},{"name":"SQLudtTIMESTAMP","features":[584]},{"name":"SQLudtUNIQUEIDENTIFIER","features":[584]},{"name":"SQLudtVARBINARY","features":[584]},{"name":"SQLudtVARCHAR","features":[584]},{"name":"SQMO_DEFAULT_PROPERTY","features":[584]},{"name":"SQMO_GENERATOR_FOR_TYPE","features":[584]},{"name":"SQMO_MAP_PROPERTY","features":[584]},{"name":"SQMO_VIRTUAL_PROPERTY","features":[584]},{"name":"SQPE_EXTRA_CLOSING_PARENTHESIS","features":[584]},{"name":"SQPE_EXTRA_OPENING_PARENTHESIS","features":[584]},{"name":"SQPE_IGNORED_CONNECTOR","features":[584]},{"name":"SQPE_IGNORED_KEYWORD","features":[584]},{"name":"SQPE_IGNORED_MODIFIER","features":[584]},{"name":"SQPE_NONE","features":[584]},{"name":"SQPE_UNHANDLED","features":[584]},{"name":"SQRO_ADD_ROBUST_ITEM_NAME","features":[584]},{"name":"SQRO_ADD_VALUE_TYPE_FOR_PLAIN_VALUES","features":[584]},{"name":"SQRO_ALWAYS_ONE_INTERVAL","features":[584]},{"name":"SQRO_DEFAULT","features":[584]},{"name":"SQRO_DONT_MAP_RELATIONS","features":[584]},{"name":"SQRO_DONT_REMOVE_UNRESTRICTED_KEYWORDS","features":[584]},{"name":"SQRO_DONT_RESOLVE_DATETIME","features":[584]},{"name":"SQRO_DONT_RESOLVE_RANGES","features":[584]},{"name":"SQRO_DONT_SIMPLIFY_CONDITION_TREES","features":[584]},{"name":"SQRO_DONT_SPLIT_WORDS","features":[584]},{"name":"SQRO_IGNORE_PHRASE_ORDER","features":[584]},{"name":"SQSO_AUTOMATIC_WILDCARD","features":[584]},{"name":"SQSO_CONNECTOR_CASE","features":[584]},{"name":"SQSO_IMPLICIT_CONNECTOR","features":[584]},{"name":"SQSO_LANGUAGE_KEYWORDS","features":[584]},{"name":"SQSO_LOCALE_WORD_BREAKING","features":[584]},{"name":"SQSO_NATURAL_SYNTAX","features":[584]},{"name":"SQSO_SCHEMA","features":[584]},{"name":"SQSO_SYNTAX","features":[584]},{"name":"SQSO_TIME_ZONE","features":[584]},{"name":"SQSO_TRACE_LEVEL","features":[584]},{"name":"SQSO_WORD_BREAKER","features":[584]},{"name":"SQS_ADVANCED_QUERY_SYNTAX","features":[584]},{"name":"SQS_NATURAL_QUERY_SYNTAX","features":[584]},{"name":"SQS_NO_SYNTAX","features":[584]},{"name":"SRCH_SCHEMA_CACHE_E_UNEXPECTED","features":[584]},{"name":"SSERRORINFO","features":[584]},{"name":"SSPROPVAL_COMMANDTYPE_BULKLOAD","features":[584]},{"name":"SSPROPVAL_COMMANDTYPE_REGULAR","features":[584]},{"name":"SSPROPVAL_USEPROCFORPREP_OFF","features":[584]},{"name":"SSPROPVAL_USEPROCFORPREP_ON","features":[584]},{"name":"SSPROPVAL_USEPROCFORPREP_ON_DROP","features":[584]},{"name":"SSPROP_ALLOWNATIVEVARIANT","features":[584]},{"name":"SSPROP_AUTH_REPL_SERVER_NAME","features":[584]},{"name":"SSPROP_CHARACTERSET","features":[584]},{"name":"SSPROP_COLUMNLEVELCOLLATION","features":[584]},{"name":"SSPROP_COL_COLLATIONNAME","features":[584]},{"name":"SSPROP_CURRENTCOLLATION","features":[584]},{"name":"SSPROP_CURSORAUTOFETCH","features":[584]},{"name":"SSPROP_DEFERPREPARE","features":[584]},{"name":"SSPROP_ENABLEFASTLOAD","features":[584]},{"name":"SSPROP_FASTLOADKEEPIDENTITY","features":[584]},{"name":"SSPROP_FASTLOADKEEPNULLS","features":[584]},{"name":"SSPROP_FASTLOADOPTIONS","features":[584]},{"name":"SSPROP_INIT_APPNAME","features":[584]},{"name":"SSPROP_INIT_AUTOTRANSLATE","features":[584]},{"name":"SSPROP_INIT_CURRENTLANGUAGE","features":[584]},{"name":"SSPROP_INIT_ENCRYPT","features":[584]},{"name":"SSPROP_INIT_FILENAME","features":[584]},{"name":"SSPROP_INIT_NETWORKADDRESS","features":[584]},{"name":"SSPROP_INIT_NETWORKLIBRARY","features":[584]},{"name":"SSPROP_INIT_PACKETSIZE","features":[584]},{"name":"SSPROP_INIT_TAGCOLUMNCOLLATION","features":[584]},{"name":"SSPROP_INIT_USEPROCFORPREP","features":[584]},{"name":"SSPROP_INIT_WSID","features":[584]},{"name":"SSPROP_IRowsetFastLoad","features":[584]},{"name":"SSPROP_MAXBLOBLENGTH","features":[584]},{"name":"SSPROP_QUOTEDCATALOGNAMES","features":[584]},{"name":"SSPROP_SORTORDER","features":[584]},{"name":"SSPROP_SQLXMLXPROGID","features":[584]},{"name":"SSPROP_STREAM_BASEPATH","features":[584]},{"name":"SSPROP_STREAM_COMMANDTYPE","features":[584]},{"name":"SSPROP_STREAM_CONTENTTYPE","features":[584]},{"name":"SSPROP_STREAM_FLAGS","features":[584]},{"name":"SSPROP_STREAM_MAPPINGSCHEMA","features":[584]},{"name":"SSPROP_STREAM_XMLROOT","features":[584]},{"name":"SSPROP_STREAM_XSL","features":[584]},{"name":"SSPROP_UNICODECOMPARISONSTYLE","features":[584]},{"name":"SSPROP_UNICODELCID","features":[584]},{"name":"SSVARIANT","features":[308,359,584]},{"name":"STD_BOOKMARKLENGTH","features":[584]},{"name":"STGM_COLLECTION","features":[584]},{"name":"STGM_OPEN","features":[584]},{"name":"STGM_OUTPUT","features":[584]},{"name":"STGM_RECURSIVE","features":[584]},{"name":"STGM_STRICTOPEN","features":[584]},{"name":"STREAM_FLAGS_DISALLOW_ABSOLUTE_PATH","features":[584]},{"name":"STREAM_FLAGS_DISALLOW_QUERY","features":[584]},{"name":"STREAM_FLAGS_DISALLOW_UPDATEGRAMS","features":[584]},{"name":"STREAM_FLAGS_DISALLOW_URL","features":[584]},{"name":"STREAM_FLAGS_DONTCACHEMAPPINGSCHEMA","features":[584]},{"name":"STREAM_FLAGS_DONTCACHETEMPLATE","features":[584]},{"name":"STREAM_FLAGS_DONTCACHEXSL","features":[584]},{"name":"STREAM_FLAGS_RESERVED","features":[584]},{"name":"STRUCTURED_QUERY_MULTIOPTION","features":[584]},{"name":"STRUCTURED_QUERY_PARSE_ERROR","features":[584]},{"name":"STRUCTURED_QUERY_RESOLVE_OPTION","features":[584]},{"name":"STRUCTURED_QUERY_SINGLE_OPTION","features":[584]},{"name":"STRUCTURED_QUERY_SYNTAX","features":[584]},{"name":"STS_ABORTXMLPARSE","features":[584]},{"name":"STS_WS_ERROR","features":[584]},{"name":"SUBSCRIPTIONINFO","features":[308,584]},{"name":"SUBSCRIPTIONINFOFLAGS","features":[584]},{"name":"SUBSCRIPTIONITEMINFO","features":[584]},{"name":"SUBSCRIPTIONSCHEDULE","features":[584]},{"name":"SUBSCRIPTIONTYPE","features":[584]},{"name":"SUBSINFO_ALLFLAGS","features":[584]},{"name":"SUBSINFO_CHANGESONLY","features":[584]},{"name":"SUBSINFO_CHANNELFLAGS","features":[584]},{"name":"SUBSINFO_FRIENDLYNAME","features":[584]},{"name":"SUBSINFO_GLEAM","features":[584]},{"name":"SUBSINFO_MAILNOT","features":[584]},{"name":"SUBSINFO_MAXSIZEKB","features":[584]},{"name":"SUBSINFO_NEEDPASSWORD","features":[584]},{"name":"SUBSINFO_PASSWORD","features":[584]},{"name":"SUBSINFO_RECURSE","features":[584]},{"name":"SUBSINFO_SCHEDULE","features":[584]},{"name":"SUBSINFO_TASKFLAGS","features":[584]},{"name":"SUBSINFO_TYPE","features":[584]},{"name":"SUBSINFO_USER","features":[584]},{"name":"SUBSINFO_WEBCRAWL","features":[584]},{"name":"SUBSMGRENUM_MASK","features":[584]},{"name":"SUBSMGRENUM_TEMP","features":[584]},{"name":"SUBSMGRUPDATE_MASK","features":[584]},{"name":"SUBSMGRUPDATE_MINIMIZE","features":[584]},{"name":"SUBSSCHED_AUTO","features":[584]},{"name":"SUBSSCHED_CUSTOM","features":[584]},{"name":"SUBSSCHED_DAILY","features":[584]},{"name":"SUBSSCHED_MANUAL","features":[584]},{"name":"SUBSSCHED_WEEKLY","features":[584]},{"name":"SUBSTYPE_CHANNEL","features":[584]},{"name":"SUBSTYPE_DESKTOPCHANNEL","features":[584]},{"name":"SUBSTYPE_DESKTOPURL","features":[584]},{"name":"SUBSTYPE_EXTERNAL","features":[584]},{"name":"SUBSTYPE_URL","features":[584]},{"name":"SUCCEED","features":[584]},{"name":"SUCCEED_ABORT","features":[584]},{"name":"SUCCEED_ASYNC","features":[584]},{"name":"SubscriptionMgr","features":[584]},{"name":"TEXT_SOURCE","features":[584]},{"name":"TIMEOUT_INFO","features":[584]},{"name":"TIMESTAMP_STRUCT","features":[584]},{"name":"TIME_STRUCT","features":[584]},{"name":"TRACE_ON","features":[584]},{"name":"TRACE_VERSION","features":[584]},{"name":"TRACE_VS_EVENT_ON","features":[584]},{"name":"VECTORRESTRICTION","features":[512,432,584]},{"name":"VT_SS_BINARY","features":[584]},{"name":"VT_SS_BIT","features":[584]},{"name":"VT_SS_DATETIME","features":[584]},{"name":"VT_SS_DECIMAL","features":[584]},{"name":"VT_SS_EMPTY","features":[584]},{"name":"VT_SS_GUID","features":[584]},{"name":"VT_SS_I2","features":[584]},{"name":"VT_SS_I4","features":[584]},{"name":"VT_SS_I8","features":[584]},{"name":"VT_SS_MONEY","features":[584]},{"name":"VT_SS_NULL","features":[584]},{"name":"VT_SS_NUMERIC","features":[584]},{"name":"VT_SS_R4","features":[584]},{"name":"VT_SS_R8","features":[584]},{"name":"VT_SS_SMALLDATETIME","features":[584]},{"name":"VT_SS_SMALLMONEY","features":[584]},{"name":"VT_SS_STRING","features":[584]},{"name":"VT_SS_UI1","features":[584]},{"name":"VT_SS_UNKNOWN","features":[584]},{"name":"VT_SS_VARBINARY","features":[584]},{"name":"VT_SS_VARSTRING","features":[584]},{"name":"VT_SS_WSTRING","features":[584]},{"name":"VT_SS_WVARSTRING","features":[584]},{"name":"WEBCRAWL_DONT_MAKE_STICKY","features":[584]},{"name":"WEBCRAWL_GET_BGSOUNDS","features":[584]},{"name":"WEBCRAWL_GET_CONTROLS","features":[584]},{"name":"WEBCRAWL_GET_IMAGES","features":[584]},{"name":"WEBCRAWL_GET_VIDEOS","features":[584]},{"name":"WEBCRAWL_IGNORE_ROBOTSTXT","features":[584]},{"name":"WEBCRAWL_LINKS_ELSEWHERE","features":[584]},{"name":"WEBCRAWL_ONLY_LINKS_TO_HTML","features":[584]},{"name":"WEBCRAWL_RECURSEFLAGS","features":[584]},{"name":"XML_E_BADSXQL","features":[584]},{"name":"XML_E_NODEFAULTNS","features":[584]},{"name":"_MAPI_E_ACCOUNT_DISABLED","features":[584]},{"name":"_MAPI_E_BAD_CHARWIDTH","features":[584]},{"name":"_MAPI_E_BAD_COLUMN","features":[584]},{"name":"_MAPI_E_BUSY","features":[584]},{"name":"_MAPI_E_COMPUTED","features":[584]},{"name":"_MAPI_E_CORRUPT_DATA","features":[584]},{"name":"_MAPI_E_DISK_ERROR","features":[584]},{"name":"_MAPI_E_END_OF_SESSION","features":[584]},{"name":"_MAPI_E_EXTENDED_ERROR","features":[584]},{"name":"_MAPI_E_FAILONEPROVIDER","features":[584]},{"name":"_MAPI_E_INVALID_ACCESS_TIME","features":[584]},{"name":"_MAPI_E_INVALID_ENTRYID","features":[584]},{"name":"_MAPI_E_INVALID_OBJECT","features":[584]},{"name":"_MAPI_E_INVALID_WORKSTATION_ACCOUNT","features":[584]},{"name":"_MAPI_E_LOGON_FAILED","features":[584]},{"name":"_MAPI_E_MISSING_REQUIRED_COLUMN","features":[584]},{"name":"_MAPI_E_NETWORK_ERROR","features":[584]},{"name":"_MAPI_E_NOT_ENOUGH_DISK","features":[584]},{"name":"_MAPI_E_NOT_ENOUGH_RESOURCES","features":[584]},{"name":"_MAPI_E_NOT_FOUND","features":[584]},{"name":"_MAPI_E_NO_SUPPORT","features":[584]},{"name":"_MAPI_E_OBJECT_CHANGED","features":[584]},{"name":"_MAPI_E_OBJECT_DELETED","features":[584]},{"name":"_MAPI_E_PASSWORD_CHANGE_REQUIRED","features":[584]},{"name":"_MAPI_E_PASSWORD_EXPIRED","features":[584]},{"name":"_MAPI_E_SESSION_LIMIT","features":[584]},{"name":"_MAPI_E_STRING_TOO_LONG","features":[584]},{"name":"_MAPI_E_TOO_COMPLEX","features":[584]},{"name":"_MAPI_E_UNABLE_TO_ABORT","features":[584]},{"name":"_MAPI_E_UNCONFIGURED","features":[584]},{"name":"_MAPI_E_UNKNOWN_CPID","features":[584]},{"name":"_MAPI_E_UNKNOWN_ENTRYID","features":[584]},{"name":"_MAPI_E_UNKNOWN_FLAGS","features":[584]},{"name":"_MAPI_E_UNKNOWN_LCID","features":[584]},{"name":"_MAPI_E_USER_CANCEL","features":[584]},{"name":"_MAPI_E_VERSION","features":[584]},{"name":"_MAPI_W_NO_SERVICE","features":[584]},{"name":"bcp_batch","features":[584]},{"name":"bcp_bind","features":[584]},{"name":"bcp_colfmt","features":[584]},{"name":"bcp_collen","features":[584]},{"name":"bcp_colptr","features":[584]},{"name":"bcp_columns","features":[584]},{"name":"bcp_control","features":[584]},{"name":"bcp_done","features":[584]},{"name":"bcp_exec","features":[584]},{"name":"bcp_getcolfmt","features":[584]},{"name":"bcp_initA","features":[584]},{"name":"bcp_initW","features":[584]},{"name":"bcp_moretext","features":[584]},{"name":"bcp_readfmtA","features":[584]},{"name":"bcp_readfmtW","features":[584]},{"name":"bcp_sendrow","features":[584]},{"name":"bcp_setcolfmt","features":[584]},{"name":"bcp_writefmtA","features":[584]},{"name":"bcp_writefmtW","features":[584]},{"name":"dbprtypeA","features":[584]},{"name":"dbprtypeW","features":[584]},{"name":"eAUTH_TYPE_ANONYMOUS","features":[584]},{"name":"eAUTH_TYPE_BASIC","features":[584]},{"name":"eAUTH_TYPE_NTLM","features":[584]}],"603":[{"name":"CONDITION_OPERATION","features":[585]},{"name":"CONDITION_TYPE","features":[585]},{"name":"COP_APPLICATION_SPECIFIC","features":[585]},{"name":"COP_DOSWILDCARDS","features":[585]},{"name":"COP_EQUAL","features":[585]},{"name":"COP_GREATERTHAN","features":[585]},{"name":"COP_GREATERTHANOREQUAL","features":[585]},{"name":"COP_IMPLICIT","features":[585]},{"name":"COP_LESSTHAN","features":[585]},{"name":"COP_LESSTHANOREQUAL","features":[585]},{"name":"COP_NOTEQUAL","features":[585]},{"name":"COP_VALUE_CONTAINS","features":[585]},{"name":"COP_VALUE_ENDSWITH","features":[585]},{"name":"COP_VALUE_NOTCONTAINS","features":[585]},{"name":"COP_VALUE_STARTSWITH","features":[585]},{"name":"COP_WORD_EQUAL","features":[585]},{"name":"COP_WORD_STARTSWITH","features":[585]},{"name":"CT_AND_CONDITION","features":[585]},{"name":"CT_LEAF_CONDITION","features":[585]},{"name":"CT_NOT_CONDITION","features":[585]},{"name":"CT_OR_CONDITION","features":[585]}],"604":[{"name":"IWSCDefaultProduct","features":[359,586]},{"name":"IWSCProductList","features":[359,586]},{"name":"IWscProduct","features":[359,586]},{"name":"IWscProduct2","features":[359,586]},{"name":"IWscProduct3","features":[359,586]},{"name":"SECURITY_PRODUCT_TYPE","features":[586]},{"name":"SECURITY_PRODUCT_TYPE_ANTISPYWARE","features":[586]},{"name":"SECURITY_PRODUCT_TYPE_ANTIVIRUS","features":[586]},{"name":"SECURITY_PRODUCT_TYPE_FIREWALL","features":[586]},{"name":"WSCDefaultProduct","features":[586]},{"name":"WSCProductList","features":[586]},{"name":"WSC_SECURITY_PRODUCT_OUT_OF_DATE","features":[586]},{"name":"WSC_SECURITY_PRODUCT_STATE","features":[586]},{"name":"WSC_SECURITY_PRODUCT_STATE_EXPIRED","features":[586]},{"name":"WSC_SECURITY_PRODUCT_STATE_OFF","features":[586]},{"name":"WSC_SECURITY_PRODUCT_STATE_ON","features":[586]},{"name":"WSC_SECURITY_PRODUCT_STATE_SNOOZED","features":[586]},{"name":"WSC_SECURITY_PRODUCT_SUBSTATUS","features":[586]},{"name":"WSC_SECURITY_PRODUCT_SUBSTATUS_ACTION_NEEDED","features":[586]},{"name":"WSC_SECURITY_PRODUCT_SUBSTATUS_ACTION_RECOMMENDED","features":[586]},{"name":"WSC_SECURITY_PRODUCT_SUBSTATUS_NOT_SET","features":[586]},{"name":"WSC_SECURITY_PRODUCT_SUBSTATUS_NO_ACTION","features":[586]},{"name":"WSC_SECURITY_PRODUCT_UP_TO_DATE","features":[586]},{"name":"WSC_SECURITY_PROVIDER","features":[586]},{"name":"WSC_SECURITY_PROVIDER_ALL","features":[586]},{"name":"WSC_SECURITY_PROVIDER_ANTISPYWARE","features":[586]},{"name":"WSC_SECURITY_PROVIDER_ANTIVIRUS","features":[586]},{"name":"WSC_SECURITY_PROVIDER_AUTOUPDATE_SETTINGS","features":[586]},{"name":"WSC_SECURITY_PROVIDER_FIREWALL","features":[586]},{"name":"WSC_SECURITY_PROVIDER_HEALTH","features":[586]},{"name":"WSC_SECURITY_PROVIDER_HEALTH_GOOD","features":[586]},{"name":"WSC_SECURITY_PROVIDER_HEALTH_NOTMONITORED","features":[586]},{"name":"WSC_SECURITY_PROVIDER_HEALTH_POOR","features":[586]},{"name":"WSC_SECURITY_PROVIDER_HEALTH_SNOOZE","features":[586]},{"name":"WSC_SECURITY_PROVIDER_INTERNET_SETTINGS","features":[586]},{"name":"WSC_SECURITY_PROVIDER_NONE","features":[586]},{"name":"WSC_SECURITY_PROVIDER_SERVICE","features":[586]},{"name":"WSC_SECURITY_PROVIDER_USER_ACCOUNT_CONTROL","features":[586]},{"name":"WSC_SECURITY_SIGNATURE_STATUS","features":[586]},{"name":"WscGetAntiMalwareUri","features":[586]},{"name":"WscGetSecurityProviderHealth","features":[586]},{"name":"WscQueryAntiMalwareUri","features":[586]},{"name":"WscRegisterForChanges","features":[308,586,343]},{"name":"WscRegisterForUserNotifications","features":[586]},{"name":"WscUnRegisterChanges","features":[308,586]}],"605":[{"name":"IWsbApplicationAsync","features":[587]},{"name":"IWsbApplicationBackupSupport","features":[587]},{"name":"IWsbApplicationRestoreSupport","features":[587]},{"name":"WSBAPP_ASYNC_IN_PROGRESS","features":[587]},{"name":"WSB_MAX_OB_STATUS_ENTRY","features":[587]},{"name":"WSB_MAX_OB_STATUS_VALUE_TYPE_PAIR","features":[587]},{"name":"WSB_OB_ET_DATETIME","features":[587]},{"name":"WSB_OB_ET_MAX","features":[587]},{"name":"WSB_OB_ET_NUMBER","features":[587]},{"name":"WSB_OB_ET_SIZE","features":[587]},{"name":"WSB_OB_ET_STRING","features":[587]},{"name":"WSB_OB_ET_TIME","features":[587]},{"name":"WSB_OB_ET_UNDEFINED","features":[587]},{"name":"WSB_OB_REGISTRATION_INFO","features":[308,587]},{"name":"WSB_OB_STATUS_ENTRY","features":[587]},{"name":"WSB_OB_STATUS_ENTRY_PAIR_TYPE","features":[587]},{"name":"WSB_OB_STATUS_ENTRY_VALUE_TYPE_PAIR","features":[587]},{"name":"WSB_OB_STATUS_INFO","features":[587]}],"606":[{"name":"CUSTOM_SYSTEM_STATE_CHANGE_EVENT_GUID","features":[588]},{"name":"ChangeServiceConfig2A","features":[308,311,588]},{"name":"ChangeServiceConfig2W","features":[308,311,588]},{"name":"ChangeServiceConfigA","features":[308,311,588]},{"name":"ChangeServiceConfigW","features":[308,311,588]},{"name":"CloseServiceHandle","features":[308,311,588]},{"name":"ControlService","features":[308,311,588]},{"name":"ControlServiceExA","features":[308,311,588]},{"name":"ControlServiceExW","features":[308,311,588]},{"name":"CreateServiceA","features":[311,588]},{"name":"CreateServiceW","features":[311,588]},{"name":"DOMAIN_JOIN_GUID","features":[588]},{"name":"DOMAIN_LEAVE_GUID","features":[588]},{"name":"DeleteService","features":[308,311,588]},{"name":"ENUM_SERVICE_STATE","features":[588]},{"name":"ENUM_SERVICE_STATUSA","features":[588]},{"name":"ENUM_SERVICE_STATUSW","features":[588]},{"name":"ENUM_SERVICE_STATUS_PROCESSA","features":[588]},{"name":"ENUM_SERVICE_STATUS_PROCESSW","features":[588]},{"name":"ENUM_SERVICE_TYPE","features":[588]},{"name":"EnumDependentServicesA","features":[308,311,588]},{"name":"EnumDependentServicesW","features":[308,311,588]},{"name":"EnumServicesStatusA","features":[308,311,588]},{"name":"EnumServicesStatusExA","features":[308,311,588]},{"name":"EnumServicesStatusExW","features":[308,311,588]},{"name":"EnumServicesStatusW","features":[308,311,588]},{"name":"FIREWALL_PORT_CLOSE_GUID","features":[588]},{"name":"FIREWALL_PORT_OPEN_GUID","features":[588]},{"name":"GetServiceDirectory","features":[588]},{"name":"GetServiceDisplayNameA","features":[308,311,588]},{"name":"GetServiceDisplayNameW","features":[308,311,588]},{"name":"GetServiceKeyNameA","features":[308,311,588]},{"name":"GetServiceKeyNameW","features":[308,311,588]},{"name":"GetServiceRegistryStateKey","features":[369,588]},{"name":"GetSharedServiceDirectory","features":[311,588]},{"name":"GetSharedServiceRegistryStateKey","features":[311,369,588]},{"name":"HANDLER_FUNCTION","features":[588]},{"name":"HANDLER_FUNCTION_EX","features":[588]},{"name":"LPHANDLER_FUNCTION","features":[588]},{"name":"LPHANDLER_FUNCTION_EX","features":[588]},{"name":"LPSERVICE_MAIN_FUNCTIONA","features":[588]},{"name":"LPSERVICE_MAIN_FUNCTIONW","features":[588]},{"name":"LockServiceDatabase","features":[311,588]},{"name":"MACHINE_POLICY_PRESENT_GUID","features":[588]},{"name":"MaxServiceRegistryStateType","features":[588]},{"name":"NAMED_PIPE_EVENT_GUID","features":[588]},{"name":"NETWORK_MANAGER_FIRST_IP_ADDRESS_ARRIVAL_GUID","features":[588]},{"name":"NETWORK_MANAGER_LAST_IP_ADDRESS_REMOVAL_GUID","features":[588]},{"name":"NotifyBootConfigStatus","features":[308,588]},{"name":"NotifyServiceStatusChangeA","features":[311,588]},{"name":"NotifyServiceStatusChangeW","features":[311,588]},{"name":"OpenSCManagerA","features":[311,588]},{"name":"OpenSCManagerW","features":[311,588]},{"name":"OpenServiceA","features":[311,588]},{"name":"OpenServiceW","features":[311,588]},{"name":"PFN_SC_NOTIFY_CALLBACK","features":[588]},{"name":"PSC_NOTIFICATION_CALLBACK","features":[588]},{"name":"PSC_NOTIFICATION_REGISTRATION","features":[588]},{"name":"QUERY_SERVICE_CONFIGA","features":[588]},{"name":"QUERY_SERVICE_CONFIGW","features":[588]},{"name":"QUERY_SERVICE_LOCK_STATUSA","features":[588]},{"name":"QUERY_SERVICE_LOCK_STATUSW","features":[588]},{"name":"QueryServiceConfig2A","features":[308,311,588]},{"name":"QueryServiceConfig2W","features":[308,311,588]},{"name":"QueryServiceConfigA","features":[308,311,588]},{"name":"QueryServiceConfigW","features":[308,311,588]},{"name":"QueryServiceDynamicInformation","features":[308,588]},{"name":"QueryServiceLockStatusA","features":[308,311,588]},{"name":"QueryServiceLockStatusW","features":[308,311,588]},{"name":"QueryServiceObjectSecurity","features":[308,311,588]},{"name":"QueryServiceStatus","features":[308,311,588]},{"name":"QueryServiceStatusEx","features":[308,311,588]},{"name":"RPC_INTERFACE_EVENT_GUID","features":[588]},{"name":"RegisterServiceCtrlHandlerA","features":[588]},{"name":"RegisterServiceCtrlHandlerExA","features":[588]},{"name":"RegisterServiceCtrlHandlerExW","features":[588]},{"name":"RegisterServiceCtrlHandlerW","features":[588]},{"name":"SC_ACTION","features":[588]},{"name":"SC_ACTION_NONE","features":[588]},{"name":"SC_ACTION_OWN_RESTART","features":[588]},{"name":"SC_ACTION_REBOOT","features":[588]},{"name":"SC_ACTION_RESTART","features":[588]},{"name":"SC_ACTION_RUN_COMMAND","features":[588]},{"name":"SC_ACTION_TYPE","features":[588]},{"name":"SC_AGGREGATE_STORAGE_KEY","features":[588]},{"name":"SC_ENUM_PROCESS_INFO","features":[588]},{"name":"SC_ENUM_TYPE","features":[588]},{"name":"SC_EVENT_DATABASE_CHANGE","features":[588]},{"name":"SC_EVENT_PROPERTY_CHANGE","features":[588]},{"name":"SC_EVENT_STATUS_CHANGE","features":[588]},{"name":"SC_EVENT_TYPE","features":[588]},{"name":"SC_MANAGER_ALL_ACCESS","features":[588]},{"name":"SC_MANAGER_CONNECT","features":[588]},{"name":"SC_MANAGER_CREATE_SERVICE","features":[588]},{"name":"SC_MANAGER_ENUMERATE_SERVICE","features":[588]},{"name":"SC_MANAGER_LOCK","features":[588]},{"name":"SC_MANAGER_MODIFY_BOOT_CONFIG","features":[588]},{"name":"SC_MANAGER_QUERY_LOCK_STATUS","features":[588]},{"name":"SC_STATUS_PROCESS_INFO","features":[588]},{"name":"SC_STATUS_TYPE","features":[588]},{"name":"SERVICES_ACTIVE_DATABASE","features":[588]},{"name":"SERVICES_ACTIVE_DATABASEA","features":[588]},{"name":"SERVICES_ACTIVE_DATABASEW","features":[588]},{"name":"SERVICES_FAILED_DATABASE","features":[588]},{"name":"SERVICES_FAILED_DATABASEA","features":[588]},{"name":"SERVICES_FAILED_DATABASEW","features":[588]},{"name":"SERVICE_ACCEPT_HARDWAREPROFILECHANGE","features":[588]},{"name":"SERVICE_ACCEPT_LOWRESOURCES","features":[588]},{"name":"SERVICE_ACCEPT_NETBINDCHANGE","features":[588]},{"name":"SERVICE_ACCEPT_PARAMCHANGE","features":[588]},{"name":"SERVICE_ACCEPT_PAUSE_CONTINUE","features":[588]},{"name":"SERVICE_ACCEPT_POWEREVENT","features":[588]},{"name":"SERVICE_ACCEPT_PRESHUTDOWN","features":[588]},{"name":"SERVICE_ACCEPT_SESSIONCHANGE","features":[588]},{"name":"SERVICE_ACCEPT_SHUTDOWN","features":[588]},{"name":"SERVICE_ACCEPT_STOP","features":[588]},{"name":"SERVICE_ACCEPT_SYSTEMLOWRESOURCES","features":[588]},{"name":"SERVICE_ACCEPT_TIMECHANGE","features":[588]},{"name":"SERVICE_ACCEPT_TRIGGEREVENT","features":[588]},{"name":"SERVICE_ACCEPT_USER_LOGOFF","features":[588]},{"name":"SERVICE_ACTIVE","features":[588]},{"name":"SERVICE_ADAPTER","features":[588]},{"name":"SERVICE_ALL_ACCESS","features":[588]},{"name":"SERVICE_AUTO_START","features":[588]},{"name":"SERVICE_BOOT_START","features":[588]},{"name":"SERVICE_CHANGE_CONFIG","features":[588]},{"name":"SERVICE_CONFIG","features":[588]},{"name":"SERVICE_CONFIG_DELAYED_AUTO_START_INFO","features":[588]},{"name":"SERVICE_CONFIG_DESCRIPTION","features":[588]},{"name":"SERVICE_CONFIG_FAILURE_ACTIONS","features":[588]},{"name":"SERVICE_CONFIG_FAILURE_ACTIONS_FLAG","features":[588]},{"name":"SERVICE_CONFIG_LAUNCH_PROTECTED","features":[588]},{"name":"SERVICE_CONFIG_PREFERRED_NODE","features":[588]},{"name":"SERVICE_CONFIG_PRESHUTDOWN_INFO","features":[588]},{"name":"SERVICE_CONFIG_REQUIRED_PRIVILEGES_INFO","features":[588]},{"name":"SERVICE_CONFIG_SERVICE_SID_INFO","features":[588]},{"name":"SERVICE_CONFIG_TRIGGER_INFO","features":[588]},{"name":"SERVICE_CONTINUE_PENDING","features":[588]},{"name":"SERVICE_CONTROL_CONTINUE","features":[588]},{"name":"SERVICE_CONTROL_DEVICEEVENT","features":[588]},{"name":"SERVICE_CONTROL_HARDWAREPROFILECHANGE","features":[588]},{"name":"SERVICE_CONTROL_INTERROGATE","features":[588]},{"name":"SERVICE_CONTROL_LOWRESOURCES","features":[588]},{"name":"SERVICE_CONTROL_NETBINDADD","features":[588]},{"name":"SERVICE_CONTROL_NETBINDDISABLE","features":[588]},{"name":"SERVICE_CONTROL_NETBINDENABLE","features":[588]},{"name":"SERVICE_CONTROL_NETBINDREMOVE","features":[588]},{"name":"SERVICE_CONTROL_PARAMCHANGE","features":[588]},{"name":"SERVICE_CONTROL_PAUSE","features":[588]},{"name":"SERVICE_CONTROL_POWEREVENT","features":[588]},{"name":"SERVICE_CONTROL_PRESHUTDOWN","features":[588]},{"name":"SERVICE_CONTROL_SESSIONCHANGE","features":[588]},{"name":"SERVICE_CONTROL_SHUTDOWN","features":[588]},{"name":"SERVICE_CONTROL_STATUS_REASON_INFO","features":[588]},{"name":"SERVICE_CONTROL_STATUS_REASON_PARAMSA","features":[588]},{"name":"SERVICE_CONTROL_STATUS_REASON_PARAMSW","features":[588]},{"name":"SERVICE_CONTROL_STOP","features":[588]},{"name":"SERVICE_CONTROL_SYSTEMLOWRESOURCES","features":[588]},{"name":"SERVICE_CONTROL_TIMECHANGE","features":[588]},{"name":"SERVICE_CONTROL_TRIGGEREVENT","features":[588]},{"name":"SERVICE_CUSTOM_SYSTEM_STATE_CHANGE_DATA_ITEM","features":[588]},{"name":"SERVICE_DELAYED_AUTO_START_INFO","features":[308,588]},{"name":"SERVICE_DEMAND_START","features":[588]},{"name":"SERVICE_DESCRIPTIONA","features":[588]},{"name":"SERVICE_DESCRIPTIONW","features":[588]},{"name":"SERVICE_DIRECTORY_TYPE","features":[588]},{"name":"SERVICE_DISABLED","features":[588]},{"name":"SERVICE_DRIVER","features":[588]},{"name":"SERVICE_DYNAMIC_INFORMATION_LEVEL_START_REASON","features":[588]},{"name":"SERVICE_ENUMERATE_DEPENDENTS","features":[588]},{"name":"SERVICE_ERROR","features":[588]},{"name":"SERVICE_ERROR_CRITICAL","features":[588]},{"name":"SERVICE_ERROR_IGNORE","features":[588]},{"name":"SERVICE_ERROR_NORMAL","features":[588]},{"name":"SERVICE_ERROR_SEVERE","features":[588]},{"name":"SERVICE_FAILURE_ACTIONSA","features":[588]},{"name":"SERVICE_FAILURE_ACTIONSW","features":[588]},{"name":"SERVICE_FAILURE_ACTIONS_FLAG","features":[308,588]},{"name":"SERVICE_FILE_SYSTEM_DRIVER","features":[588]},{"name":"SERVICE_INACTIVE","features":[588]},{"name":"SERVICE_INTERROGATE","features":[588]},{"name":"SERVICE_KERNEL_DRIVER","features":[588]},{"name":"SERVICE_LAUNCH_PROTECTED_ANTIMALWARE_LIGHT","features":[588]},{"name":"SERVICE_LAUNCH_PROTECTED_INFO","features":[588]},{"name":"SERVICE_LAUNCH_PROTECTED_NONE","features":[588]},{"name":"SERVICE_LAUNCH_PROTECTED_WINDOWS","features":[588]},{"name":"SERVICE_LAUNCH_PROTECTED_WINDOWS_LIGHT","features":[588]},{"name":"SERVICE_MAIN_FUNCTIONA","features":[588]},{"name":"SERVICE_MAIN_FUNCTIONW","features":[588]},{"name":"SERVICE_NOTIFY","features":[588]},{"name":"SERVICE_NOTIFY_1","features":[588]},{"name":"SERVICE_NOTIFY_2A","features":[588]},{"name":"SERVICE_NOTIFY_2W","features":[588]},{"name":"SERVICE_NOTIFY_CONTINUE_PENDING","features":[588]},{"name":"SERVICE_NOTIFY_CREATED","features":[588]},{"name":"SERVICE_NOTIFY_DELETED","features":[588]},{"name":"SERVICE_NOTIFY_DELETE_PENDING","features":[588]},{"name":"SERVICE_NOTIFY_PAUSED","features":[588]},{"name":"SERVICE_NOTIFY_PAUSE_PENDING","features":[588]},{"name":"SERVICE_NOTIFY_RUNNING","features":[588]},{"name":"SERVICE_NOTIFY_START_PENDING","features":[588]},{"name":"SERVICE_NOTIFY_STATUS_CHANGE","features":[588]},{"name":"SERVICE_NOTIFY_STATUS_CHANGE_1","features":[588]},{"name":"SERVICE_NOTIFY_STATUS_CHANGE_2","features":[588]},{"name":"SERVICE_NOTIFY_STOPPED","features":[588]},{"name":"SERVICE_NOTIFY_STOP_PENDING","features":[588]},{"name":"SERVICE_NO_CHANGE","features":[588]},{"name":"SERVICE_PAUSED","features":[588]},{"name":"SERVICE_PAUSE_CONTINUE","features":[588]},{"name":"SERVICE_PAUSE_PENDING","features":[588]},{"name":"SERVICE_PREFERRED_NODE_INFO","features":[308,588]},{"name":"SERVICE_PRESHUTDOWN_INFO","features":[588]},{"name":"SERVICE_QUERY_CONFIG","features":[588]},{"name":"SERVICE_QUERY_STATUS","features":[588]},{"name":"SERVICE_RECOGNIZER_DRIVER","features":[588]},{"name":"SERVICE_REGISTRY_STATE_TYPE","features":[588]},{"name":"SERVICE_REQUIRED_PRIVILEGES_INFOA","features":[588]},{"name":"SERVICE_REQUIRED_PRIVILEGES_INFOW","features":[588]},{"name":"SERVICE_RUNNING","features":[588]},{"name":"SERVICE_RUNS_IN_NON_SYSTEM_OR_NOT_RUNNING","features":[588]},{"name":"SERVICE_RUNS_IN_PROCESS","features":[588]},{"name":"SERVICE_RUNS_IN_SYSTEM_PROCESS","features":[588]},{"name":"SERVICE_SHARED_DIRECTORY_TYPE","features":[588]},{"name":"SERVICE_SHARED_REGISTRY_STATE_TYPE","features":[588]},{"name":"SERVICE_SID_INFO","features":[588]},{"name":"SERVICE_SID_TYPE_NONE","features":[588]},{"name":"SERVICE_SID_TYPE_UNRESTRICTED","features":[588]},{"name":"SERVICE_START","features":[588]},{"name":"SERVICE_START_PENDING","features":[588]},{"name":"SERVICE_START_REASON","features":[588]},{"name":"SERVICE_START_REASON_AUTO","features":[588]},{"name":"SERVICE_START_REASON_DELAYEDAUTO","features":[588]},{"name":"SERVICE_START_REASON_DEMAND","features":[588]},{"name":"SERVICE_START_REASON_RESTART_ON_FAILURE","features":[588]},{"name":"SERVICE_START_REASON_TRIGGER","features":[588]},{"name":"SERVICE_START_TYPE","features":[588]},{"name":"SERVICE_STATE_ALL","features":[588]},{"name":"SERVICE_STATUS","features":[588]},{"name":"SERVICE_STATUS_CURRENT_STATE","features":[588]},{"name":"SERVICE_STATUS_HANDLE","features":[588]},{"name":"SERVICE_STATUS_PROCESS","features":[588]},{"name":"SERVICE_STOP","features":[588]},{"name":"SERVICE_STOPPED","features":[588]},{"name":"SERVICE_STOP_PENDING","features":[588]},{"name":"SERVICE_STOP_REASON_FLAG_CUSTOM","features":[588]},{"name":"SERVICE_STOP_REASON_FLAG_MAX","features":[588]},{"name":"SERVICE_STOP_REASON_FLAG_MIN","features":[588]},{"name":"SERVICE_STOP_REASON_FLAG_PLANNED","features":[588]},{"name":"SERVICE_STOP_REASON_FLAG_UNPLANNED","features":[588]},{"name":"SERVICE_STOP_REASON_MAJOR_APPLICATION","features":[588]},{"name":"SERVICE_STOP_REASON_MAJOR_HARDWARE","features":[588]},{"name":"SERVICE_STOP_REASON_MAJOR_MAX","features":[588]},{"name":"SERVICE_STOP_REASON_MAJOR_MAX_CUSTOM","features":[588]},{"name":"SERVICE_STOP_REASON_MAJOR_MIN","features":[588]},{"name":"SERVICE_STOP_REASON_MAJOR_MIN_CUSTOM","features":[588]},{"name":"SERVICE_STOP_REASON_MAJOR_NONE","features":[588]},{"name":"SERVICE_STOP_REASON_MAJOR_OPERATINGSYSTEM","features":[588]},{"name":"SERVICE_STOP_REASON_MAJOR_OTHER","features":[588]},{"name":"SERVICE_STOP_REASON_MAJOR_SOFTWARE","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_DISK","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_ENVIRONMENT","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_HARDWARE_DRIVER","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_HUNG","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_INSTALLATION","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_MAINTENANCE","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_MAX","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_MAX_CUSTOM","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_MEMOTYLIMIT","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_MIN","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_MIN_CUSTOM","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_MMC","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_NETWORKCARD","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_NETWORK_CONNECTIVITY","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_NONE","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_OTHER","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_OTHERDRIVER","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_RECONFIG","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_SECURITY","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_SECURITYFIX","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_SECURITYFIX_UNINSTALL","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_SERVICEPACK","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_SERVICEPACK_UNINSTALL","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_SOFTWARE_UPDATE","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_SOFTWARE_UPDATE_UNINSTALL","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_UNSTABLE","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_UPGRADE","features":[588]},{"name":"SERVICE_STOP_REASON_MINOR_WMI","features":[588]},{"name":"SERVICE_SYSTEM_START","features":[588]},{"name":"SERVICE_TABLE_ENTRYA","features":[588]},{"name":"SERVICE_TABLE_ENTRYW","features":[588]},{"name":"SERVICE_TIMECHANGE_INFO","features":[588]},{"name":"SERVICE_TRIGGER","features":[588]},{"name":"SERVICE_TRIGGER_ACTION","features":[588]},{"name":"SERVICE_TRIGGER_ACTION_SERVICE_START","features":[588]},{"name":"SERVICE_TRIGGER_ACTION_SERVICE_STOP","features":[588]},{"name":"SERVICE_TRIGGER_CUSTOM_STATE_ID","features":[588]},{"name":"SERVICE_TRIGGER_DATA_TYPE_BINARY","features":[588]},{"name":"SERVICE_TRIGGER_DATA_TYPE_KEYWORD_ALL","features":[588]},{"name":"SERVICE_TRIGGER_DATA_TYPE_KEYWORD_ANY","features":[588]},{"name":"SERVICE_TRIGGER_DATA_TYPE_LEVEL","features":[588]},{"name":"SERVICE_TRIGGER_DATA_TYPE_STRING","features":[588]},{"name":"SERVICE_TRIGGER_INFO","features":[588]},{"name":"SERVICE_TRIGGER_SPECIFIC_DATA_ITEM","features":[588]},{"name":"SERVICE_TRIGGER_SPECIFIC_DATA_ITEM_DATA_TYPE","features":[588]},{"name":"SERVICE_TRIGGER_STARTED_ARGUMENT","features":[588]},{"name":"SERVICE_TRIGGER_TYPE","features":[588]},{"name":"SERVICE_TRIGGER_TYPE_AGGREGATE","features":[588]},{"name":"SERVICE_TRIGGER_TYPE_CUSTOM","features":[588]},{"name":"SERVICE_TRIGGER_TYPE_CUSTOM_SYSTEM_STATE_CHANGE","features":[588]},{"name":"SERVICE_TRIGGER_TYPE_DEVICE_INTERFACE_ARRIVAL","features":[588]},{"name":"SERVICE_TRIGGER_TYPE_DOMAIN_JOIN","features":[588]},{"name":"SERVICE_TRIGGER_TYPE_FIREWALL_PORT_EVENT","features":[588]},{"name":"SERVICE_TRIGGER_TYPE_GROUP_POLICY","features":[588]},{"name":"SERVICE_TRIGGER_TYPE_IP_ADDRESS_AVAILABILITY","features":[588]},{"name":"SERVICE_TRIGGER_TYPE_NETWORK_ENDPOINT","features":[588]},{"name":"SERVICE_USER_DEFINED_CONTROL","features":[588]},{"name":"SERVICE_USER_OWN_PROCESS","features":[588]},{"name":"SERVICE_USER_SHARE_PROCESS","features":[588]},{"name":"SERVICE_WIN32","features":[588]},{"name":"SERVICE_WIN32_OWN_PROCESS","features":[588]},{"name":"SERVICE_WIN32_SHARE_PROCESS","features":[588]},{"name":"ServiceDirectoryPersistentState","features":[588]},{"name":"ServiceDirectoryTypeMax","features":[588]},{"name":"ServiceRegistryStateParameters","features":[588]},{"name":"ServiceRegistryStatePersistent","features":[588]},{"name":"ServiceSharedDirectoryPersistentState","features":[588]},{"name":"ServiceSharedRegistryPersistentState","features":[588]},{"name":"SetServiceBits","features":[308,588]},{"name":"SetServiceObjectSecurity","features":[308,311,588]},{"name":"SetServiceStatus","features":[308,588]},{"name":"StartServiceA","features":[308,311,588]},{"name":"StartServiceCtrlDispatcherA","features":[308,588]},{"name":"StartServiceCtrlDispatcherW","features":[308,588]},{"name":"StartServiceW","features":[308,311,588]},{"name":"SubscribeServiceChangeNotifications","features":[311,588]},{"name":"USER_POLICY_PRESENT_GUID","features":[588]},{"name":"UnlockServiceDatabase","features":[308,588]},{"name":"UnsubscribeServiceChangeNotifications","features":[588]},{"name":"WaitServiceState","features":[308,311,588]}],"607":[{"name":"AllEnumeration","features":[589]},{"name":"IItemEnumerator","features":[589]},{"name":"ISettingsContext","features":[589]},{"name":"ISettingsEngine","features":[589]},{"name":"ISettingsIdentity","features":[589]},{"name":"ISettingsItem","features":[589]},{"name":"ISettingsNamespace","features":[589]},{"name":"ISettingsResult","features":[589]},{"name":"ITargetInfo","features":[589]},{"name":"LIMITED_VALIDATION_MODE","features":[589]},{"name":"LINK_STORE_TO_ENGINE_INSTANCE","features":[589]},{"name":"OfflineMode","features":[589]},{"name":"OnlineMode","features":[589]},{"name":"ReadOnlyAccess","features":[589]},{"name":"ReadWriteAccess","features":[589]},{"name":"SettingsEngine","features":[589]},{"name":"SharedEnumeration","features":[589]},{"name":"UnknownStatus","features":[589]},{"name":"UserEnumeration","features":[589]},{"name":"UserLoaded","features":[589]},{"name":"UserRegistered","features":[589]},{"name":"UserUnloaded","features":[589]},{"name":"UserUnregistered","features":[589]},{"name":"WCM_E_ABORTOPERATION","features":[589]},{"name":"WCM_E_ASSERTIONFAILED","features":[589]},{"name":"WCM_E_ATTRIBUTENOTALLOWED","features":[589]},{"name":"WCM_E_ATTRIBUTENOTFOUND","features":[589]},{"name":"WCM_E_CONFLICTINGASSERTION","features":[589]},{"name":"WCM_E_CYCLICREFERENCE","features":[589]},{"name":"WCM_E_DUPLICATENAME","features":[589]},{"name":"WCM_E_EXPRESSIONNOTFOUND","features":[589]},{"name":"WCM_E_HANDLERNOTFOUND","features":[589]},{"name":"WCM_E_INTERNALERROR","features":[589]},{"name":"WCM_E_INVALIDATTRIBUTECOMBINATION","features":[589]},{"name":"WCM_E_INVALIDDATATYPE","features":[589]},{"name":"WCM_E_INVALIDEXPRESSIONSYNTAX","features":[589]},{"name":"WCM_E_INVALIDHANDLERSYNTAX","features":[589]},{"name":"WCM_E_INVALIDKEY","features":[589]},{"name":"WCM_E_INVALIDLANGUAGEFORMAT","features":[589]},{"name":"WCM_E_INVALIDPATH","features":[589]},{"name":"WCM_E_INVALIDPROCESSORFORMAT","features":[589]},{"name":"WCM_E_INVALIDSTREAM","features":[589]},{"name":"WCM_E_INVALIDVALUE","features":[589]},{"name":"WCM_E_INVALIDVALUEFORMAT","features":[589]},{"name":"WCM_E_INVALIDVERSIONFORMAT","features":[589]},{"name":"WCM_E_KEYNOTCHANGEABLE","features":[589]},{"name":"WCM_E_MANIFESTCOMPILATIONFAILED","features":[589]},{"name":"WCM_E_MISSINGCONFIGURATION","features":[589]},{"name":"WCM_E_MIXTYPEASSERTION","features":[589]},{"name":"WCM_E_NAMESPACEALREADYREGISTERED","features":[589]},{"name":"WCM_E_NAMESPACENOTFOUND","features":[589]},{"name":"WCM_E_NOTIFICATIONNOTFOUND","features":[589]},{"name":"WCM_E_NOTPOSITIONED","features":[589]},{"name":"WCM_E_NOTSUPPORTEDFUNCTION","features":[589]},{"name":"WCM_E_READONLYITEM","features":[589]},{"name":"WCM_E_RESTRICTIONFAILED","features":[589]},{"name":"WCM_E_SOURCEMANEMPTYVALUE","features":[589]},{"name":"WCM_E_STATENODENOTALLOWED","features":[589]},{"name":"WCM_E_STATENODENOTFOUND","features":[589]},{"name":"WCM_E_STORECORRUPTED","features":[589]},{"name":"WCM_E_SUBSTITUTIONNOTFOUND","features":[589]},{"name":"WCM_E_TYPENOTSPECIFIED","features":[589]},{"name":"WCM_E_UNKNOWNRESULT","features":[589]},{"name":"WCM_E_USERALREADYREGISTERED","features":[589]},{"name":"WCM_E_USERNOTFOUND","features":[589]},{"name":"WCM_E_VALIDATIONFAILED","features":[589]},{"name":"WCM_E_VALUETOOBIG","features":[589]},{"name":"WCM_E_WRONGESCAPESTRING","features":[589]},{"name":"WCM_SETTINGS_ID_ARCHITECTURE","features":[589]},{"name":"WCM_SETTINGS_ID_FLAG_DEFINITION","features":[589]},{"name":"WCM_SETTINGS_ID_FLAG_REFERENCE","features":[589]},{"name":"WCM_SETTINGS_ID_LANGUAGE","features":[589]},{"name":"WCM_SETTINGS_ID_NAME","features":[589]},{"name":"WCM_SETTINGS_ID_TOKEN","features":[589]},{"name":"WCM_SETTINGS_ID_URI","features":[589]},{"name":"WCM_SETTINGS_ID_VERSION","features":[589]},{"name":"WCM_SETTINGS_ID_VERSION_SCOPE","features":[589]},{"name":"WCM_S_ATTRIBUTENOTALLOWED","features":[589]},{"name":"WCM_S_ATTRIBUTENOTFOUND","features":[589]},{"name":"WCM_S_INTERNALERROR","features":[589]},{"name":"WCM_S_INVALIDATTRIBUTECOMBINATION","features":[589]},{"name":"WCM_S_LEGACYSETTINGWARNING","features":[589]},{"name":"WCM_S_NAMESPACENOTFOUND","features":[589]},{"name":"WcmDataType","features":[589]},{"name":"WcmNamespaceAccess","features":[589]},{"name":"WcmNamespaceEnumerationFlags","features":[589]},{"name":"WcmRestrictionFacets","features":[589]},{"name":"WcmSettingType","features":[589]},{"name":"WcmTargetMode","features":[589]},{"name":"WcmUserStatus","features":[589]},{"name":"dataTypeBoolean","features":[589]},{"name":"dataTypeByte","features":[589]},{"name":"dataTypeFlagArray","features":[589]},{"name":"dataTypeInt16","features":[589]},{"name":"dataTypeInt32","features":[589]},{"name":"dataTypeInt64","features":[589]},{"name":"dataTypeSByte","features":[589]},{"name":"dataTypeString","features":[589]},{"name":"dataTypeUInt16","features":[589]},{"name":"dataTypeUInt32","features":[589]},{"name":"dataTypeUInt64","features":[589]},{"name":"restrictionFacetEnumeration","features":[589]},{"name":"restrictionFacetMaxInclusive","features":[589]},{"name":"restrictionFacetMaxLength","features":[589]},{"name":"restrictionFacetMinInclusive","features":[589]},{"name":"settingTypeComplex","features":[589]},{"name":"settingTypeList","features":[589]},{"name":"settingTypeScalar","features":[589]}],"608":[{"name":"OOBEComplete","features":[308,590]},{"name":"OOBE_COMPLETED_CALLBACK","features":[590]},{"name":"RegisterWaitUntilOOBECompleted","features":[308,590]},{"name":"UnregisterWaitUntilOOBECompleted","features":[308,590]}],"609":[{"name":"AbortSystemShutdownA","features":[308,591]},{"name":"AbortSystemShutdownW","features":[308,591]},{"name":"CheckForHiberboot","features":[308,591]},{"name":"EWX_ARSO","features":[591]},{"name":"EWX_BOOTOPTIONS","features":[591]},{"name":"EWX_CHECK_SAFE_FOR_SERVER","features":[591]},{"name":"EWX_FORCE","features":[591]},{"name":"EWX_FORCEIFHUNG","features":[591]},{"name":"EWX_HYBRID_SHUTDOWN","features":[591]},{"name":"EWX_LOGOFF","features":[591]},{"name":"EWX_POWEROFF","features":[591]},{"name":"EWX_QUICKRESOLVE","features":[591]},{"name":"EWX_REBOOT","features":[591]},{"name":"EWX_RESTARTAPPS","features":[591]},{"name":"EWX_SHUTDOWN","features":[591]},{"name":"EWX_SYSTEM_INITIATED","features":[591]},{"name":"EXIT_WINDOWS_FLAGS","features":[591]},{"name":"ExitWindowsEx","features":[308,591]},{"name":"InitiateShutdownA","features":[591]},{"name":"InitiateShutdownW","features":[591]},{"name":"InitiateSystemShutdownA","features":[308,591]},{"name":"InitiateSystemShutdownExA","features":[308,591]},{"name":"InitiateSystemShutdownExW","features":[308,591]},{"name":"InitiateSystemShutdownW","features":[308,591]},{"name":"LockWorkStation","features":[308,591]},{"name":"MAX_NUM_REASONS","features":[591]},{"name":"MAX_REASON_BUGID_LEN","features":[591]},{"name":"MAX_REASON_COMMENT_LEN","features":[591]},{"name":"MAX_REASON_DESC_LEN","features":[591]},{"name":"MAX_REASON_NAME_LEN","features":[591]},{"name":"POLICY_SHOWREASONUI_ALWAYS","features":[591]},{"name":"POLICY_SHOWREASONUI_NEVER","features":[591]},{"name":"POLICY_SHOWREASONUI_SERVERONLY","features":[591]},{"name":"POLICY_SHOWREASONUI_WORKSTATIONONLY","features":[591]},{"name":"SHTDN_REASON_FLAG_CLEAN_UI","features":[591]},{"name":"SHTDN_REASON_FLAG_COMMENT_REQUIRED","features":[591]},{"name":"SHTDN_REASON_FLAG_DIRTY_PROBLEM_ID_REQUIRED","features":[591]},{"name":"SHTDN_REASON_FLAG_DIRTY_UI","features":[591]},{"name":"SHTDN_REASON_FLAG_MOBILE_UI_RESERVED","features":[591]},{"name":"SHTDN_REASON_FLAG_PLANNED","features":[591]},{"name":"SHTDN_REASON_FLAG_USER_DEFINED","features":[591]},{"name":"SHTDN_REASON_LEGACY_API","features":[591]},{"name":"SHTDN_REASON_MAJOR_APPLICATION","features":[591]},{"name":"SHTDN_REASON_MAJOR_HARDWARE","features":[591]},{"name":"SHTDN_REASON_MAJOR_LEGACY_API","features":[591]},{"name":"SHTDN_REASON_MAJOR_NONE","features":[591]},{"name":"SHTDN_REASON_MAJOR_OPERATINGSYSTEM","features":[591]},{"name":"SHTDN_REASON_MAJOR_OTHER","features":[591]},{"name":"SHTDN_REASON_MAJOR_POWER","features":[591]},{"name":"SHTDN_REASON_MAJOR_SOFTWARE","features":[591]},{"name":"SHTDN_REASON_MAJOR_SYSTEM","features":[591]},{"name":"SHTDN_REASON_MINOR_BLUESCREEN","features":[591]},{"name":"SHTDN_REASON_MINOR_CORDUNPLUGGED","features":[591]},{"name":"SHTDN_REASON_MINOR_DC_DEMOTION","features":[591]},{"name":"SHTDN_REASON_MINOR_DC_PROMOTION","features":[591]},{"name":"SHTDN_REASON_MINOR_DISK","features":[591]},{"name":"SHTDN_REASON_MINOR_ENVIRONMENT","features":[591]},{"name":"SHTDN_REASON_MINOR_HARDWARE_DRIVER","features":[591]},{"name":"SHTDN_REASON_MINOR_HOTFIX","features":[591]},{"name":"SHTDN_REASON_MINOR_HOTFIX_UNINSTALL","features":[591]},{"name":"SHTDN_REASON_MINOR_HUNG","features":[591]},{"name":"SHTDN_REASON_MINOR_INSTALLATION","features":[591]},{"name":"SHTDN_REASON_MINOR_MAINTENANCE","features":[591]},{"name":"SHTDN_REASON_MINOR_MMC","features":[591]},{"name":"SHTDN_REASON_MINOR_NETWORKCARD","features":[591]},{"name":"SHTDN_REASON_MINOR_NETWORK_CONNECTIVITY","features":[591]},{"name":"SHTDN_REASON_MINOR_NONE","features":[591]},{"name":"SHTDN_REASON_MINOR_OTHER","features":[591]},{"name":"SHTDN_REASON_MINOR_OTHERDRIVER","features":[591]},{"name":"SHTDN_REASON_MINOR_POWER_SUPPLY","features":[591]},{"name":"SHTDN_REASON_MINOR_PROCESSOR","features":[591]},{"name":"SHTDN_REASON_MINOR_RECONFIG","features":[591]},{"name":"SHTDN_REASON_MINOR_SECURITY","features":[591]},{"name":"SHTDN_REASON_MINOR_SECURITYFIX","features":[591]},{"name":"SHTDN_REASON_MINOR_SECURITYFIX_UNINSTALL","features":[591]},{"name":"SHTDN_REASON_MINOR_SERVICEPACK","features":[591]},{"name":"SHTDN_REASON_MINOR_SERVICEPACK_UNINSTALL","features":[591]},{"name":"SHTDN_REASON_MINOR_SYSTEMRESTORE","features":[591]},{"name":"SHTDN_REASON_MINOR_TERMSRV","features":[591]},{"name":"SHTDN_REASON_MINOR_UNSTABLE","features":[591]},{"name":"SHTDN_REASON_MINOR_UPGRADE","features":[591]},{"name":"SHTDN_REASON_MINOR_WMI","features":[591]},{"name":"SHTDN_REASON_NONE","features":[591]},{"name":"SHTDN_REASON_UNKNOWN","features":[591]},{"name":"SHTDN_REASON_VALID_BIT_MASK","features":[591]},{"name":"SHUTDOWN_ARSO","features":[591]},{"name":"SHUTDOWN_CHECK_SAFE_FOR_SERVER","features":[591]},{"name":"SHUTDOWN_FLAGS","features":[591]},{"name":"SHUTDOWN_FORCE_OTHERS","features":[591]},{"name":"SHUTDOWN_FORCE_SELF","features":[591]},{"name":"SHUTDOWN_GRACE_OVERRIDE","features":[591]},{"name":"SHUTDOWN_HYBRID","features":[591]},{"name":"SHUTDOWN_INSTALL_UPDATES","features":[591]},{"name":"SHUTDOWN_MOBILE_UI","features":[591]},{"name":"SHUTDOWN_NOREBOOT","features":[591]},{"name":"SHUTDOWN_POWEROFF","features":[591]},{"name":"SHUTDOWN_REASON","features":[591]},{"name":"SHUTDOWN_RESTART","features":[591]},{"name":"SHUTDOWN_RESTARTAPPS","features":[591]},{"name":"SHUTDOWN_RESTART_BOOTOPTIONS","features":[591]},{"name":"SHUTDOWN_SKIP_SVC_PRESHUTDOWN","features":[591]},{"name":"SHUTDOWN_SOFT_REBOOT","features":[591]},{"name":"SHUTDOWN_SYSTEM_INITIATED","features":[591]},{"name":"SHUTDOWN_TYPE_LEN","features":[591]},{"name":"SHUTDOWN_VAIL_CONTAINER","features":[591]},{"name":"SNAPSHOT_POLICY_ALWAYS","features":[591]},{"name":"SNAPSHOT_POLICY_NEVER","features":[591]},{"name":"SNAPSHOT_POLICY_UNPLANNED","features":[591]},{"name":"ShutdownBlockReasonCreate","features":[308,591]},{"name":"ShutdownBlockReasonDestroy","features":[308,591]},{"name":"ShutdownBlockReasonQuery","features":[308,591]}],"610":[{"name":"APPLICATION_EVENT_DATA","features":[592]},{"name":"CONTENT_ID_GLANCE","features":[592]},{"name":"CONTENT_ID_HOME","features":[592]},{"name":"CONTENT_MISSING_EVENT_DATA","features":[592]},{"name":"DEVICE_USER_CHANGE_EVENT_DATA","features":[592]},{"name":"EVENT_DATA_HEADER","features":[592]},{"name":"GUID_DEVINTERFACE_SIDESHOW","features":[592]},{"name":"ISideShowBulkCapabilities","features":[592]},{"name":"ISideShowCapabilities","features":[592]},{"name":"ISideShowCapabilitiesCollection","features":[592]},{"name":"ISideShowContent","features":[592]},{"name":"ISideShowContentManager","features":[592]},{"name":"ISideShowEvents","features":[592]},{"name":"ISideShowKeyCollection","features":[592]},{"name":"ISideShowNotification","features":[592]},{"name":"ISideShowNotificationManager","features":[592]},{"name":"ISideShowPropVariantCollection","features":[592]},{"name":"ISideShowSession","features":[592]},{"name":"NEW_EVENT_DATA_AVAILABLE","features":[592]},{"name":"SCF_BUTTON_BACK","features":[592]},{"name":"SCF_BUTTON_DOWN","features":[592]},{"name":"SCF_BUTTON_FASTFORWARD","features":[592]},{"name":"SCF_BUTTON_IDS","features":[592]},{"name":"SCF_BUTTON_LEFT","features":[592]},{"name":"SCF_BUTTON_MENU","features":[592]},{"name":"SCF_BUTTON_PAUSE","features":[592]},{"name":"SCF_BUTTON_PLAY","features":[592]},{"name":"SCF_BUTTON_REWIND","features":[592]},{"name":"SCF_BUTTON_RIGHT","features":[592]},{"name":"SCF_BUTTON_SELECT","features":[592]},{"name":"SCF_BUTTON_STOP","features":[592]},{"name":"SCF_BUTTON_UP","features":[592]},{"name":"SCF_CONTEXTMENU_EVENT","features":[592]},{"name":"SCF_EVENT_CONTEXTMENU","features":[592]},{"name":"SCF_EVENT_HEADER","features":[592]},{"name":"SCF_EVENT_IDS","features":[592]},{"name":"SCF_EVENT_MENUACTION","features":[592]},{"name":"SCF_EVENT_NAVIGATION","features":[592]},{"name":"SCF_MENUACTION_EVENT","features":[592]},{"name":"SCF_NAVIGATION_EVENT","features":[592]},{"name":"SIDESHOW_APPLICATION_EVENT","features":[592]},{"name":"SIDESHOW_CAPABILITY_CLIENT_AREA_HEIGHT","features":[592,379]},{"name":"SIDESHOW_CAPABILITY_CLIENT_AREA_WIDTH","features":[592,379]},{"name":"SIDESHOW_CAPABILITY_COLOR_DEPTH","features":[592,379]},{"name":"SIDESHOW_CAPABILITY_COLOR_TYPE","features":[592,379]},{"name":"SIDESHOW_CAPABILITY_CURRENT_LANGUAGE","features":[592,379]},{"name":"SIDESHOW_CAPABILITY_DATA_CACHE","features":[592,379]},{"name":"SIDESHOW_CAPABILITY_DEVICE_ID","features":[592,379]},{"name":"SIDESHOW_CAPABILITY_DEVICE_PROPERTIES","features":[592]},{"name":"SIDESHOW_CAPABILITY_SCREEN_HEIGHT","features":[592,379]},{"name":"SIDESHOW_CAPABILITY_SCREEN_TYPE","features":[592,379]},{"name":"SIDESHOW_CAPABILITY_SCREEN_WIDTH","features":[592,379]},{"name":"SIDESHOW_CAPABILITY_SUPPORTED_IMAGE_FORMATS","features":[592,379]},{"name":"SIDESHOW_CAPABILITY_SUPPORTED_LANGUAGES","features":[592,379]},{"name":"SIDESHOW_CAPABILITY_SUPPORTED_THEMES","features":[592,379]},{"name":"SIDESHOW_COLOR_TYPE","features":[592]},{"name":"SIDESHOW_COLOR_TYPE_BLACK_AND_WHITE","features":[592]},{"name":"SIDESHOW_COLOR_TYPE_COLOR","features":[592]},{"name":"SIDESHOW_COLOR_TYPE_GREYSCALE","features":[592]},{"name":"SIDESHOW_CONTENT_MISSING_EVENT","features":[592]},{"name":"SIDESHOW_ENDPOINT_ICAL","features":[592]},{"name":"SIDESHOW_ENDPOINT_SIMPLE_CONTENT_FORMAT","features":[592]},{"name":"SIDESHOW_EVENTID_APPLICATION_ENTER","features":[592]},{"name":"SIDESHOW_EVENTID_APPLICATION_EXIT","features":[592]},{"name":"SIDESHOW_NEW_EVENT_DATA_AVAILABLE","features":[592]},{"name":"SIDESHOW_SCREEN_TYPE","features":[592]},{"name":"SIDESHOW_SCREEN_TYPE_BITMAP","features":[592]},{"name":"SIDESHOW_SCREEN_TYPE_TEXT","features":[592]},{"name":"SIDESHOW_USER_CHANGE_REQUEST_EVENT","features":[592]},{"name":"SideShowKeyCollection","features":[592]},{"name":"SideShowNotification","features":[592]},{"name":"SideShowPropVariantCollection","features":[592]},{"name":"SideShowSession","features":[592]},{"name":"VERSION_1_WINDOWS_7","features":[592]}],"611":[{"name":"BROADCAST_SYSTEM_MESSAGE_FLAGS","features":[501]},{"name":"BROADCAST_SYSTEM_MESSAGE_INFO","features":[501]},{"name":"BSF_ALLOWSFW","features":[501]},{"name":"BSF_FLUSHDISK","features":[501]},{"name":"BSF_FORCEIFHUNG","features":[501]},{"name":"BSF_IGNORECURRENTTASK","features":[501]},{"name":"BSF_LUID","features":[501]},{"name":"BSF_NOHANG","features":[501]},{"name":"BSF_NOTIMEOUTIFNOTHUNG","features":[501]},{"name":"BSF_POSTMESSAGE","features":[501]},{"name":"BSF_QUERY","features":[501]},{"name":"BSF_RETURNHDESK","features":[501]},{"name":"BSF_SENDNOTIFYMESSAGE","features":[501]},{"name":"BSMINFO","features":[308,501]},{"name":"BSM_ALLCOMPONENTS","features":[501]},{"name":"BSM_ALLDESKTOPS","features":[501]},{"name":"BSM_APPLICATIONS","features":[501]},{"name":"BroadcastSystemMessageA","features":[308,501]},{"name":"BroadcastSystemMessageExA","features":[308,501]},{"name":"BroadcastSystemMessageExW","features":[308,501]},{"name":"BroadcastSystemMessageW","features":[308,501]},{"name":"CloseDesktop","features":[308,501]},{"name":"CloseWindowStation","features":[308,501]},{"name":"CreateDesktopA","features":[308,319,311,501]},{"name":"CreateDesktopExA","features":[308,319,311,501]},{"name":"CreateDesktopExW","features":[308,319,311,501]},{"name":"CreateDesktopW","features":[308,319,311,501]},{"name":"CreateWindowStationA","features":[308,311,501]},{"name":"CreateWindowStationW","features":[308,311,501]},{"name":"DESKTOPENUMPROCA","features":[308,501]},{"name":"DESKTOPENUMPROCW","features":[308,501]},{"name":"DESKTOP_ACCESS_FLAGS","features":[501]},{"name":"DESKTOP_CONTROL_FLAGS","features":[501]},{"name":"DESKTOP_CREATEMENU","features":[501]},{"name":"DESKTOP_CREATEWINDOW","features":[501]},{"name":"DESKTOP_DELETE","features":[501]},{"name":"DESKTOP_ENUMERATE","features":[501]},{"name":"DESKTOP_HOOKCONTROL","features":[501]},{"name":"DESKTOP_JOURNALPLAYBACK","features":[501]},{"name":"DESKTOP_JOURNALRECORD","features":[501]},{"name":"DESKTOP_READOBJECTS","features":[501]},{"name":"DESKTOP_READ_CONTROL","features":[501]},{"name":"DESKTOP_SWITCHDESKTOP","features":[501]},{"name":"DESKTOP_SYNCHRONIZE","features":[501]},{"name":"DESKTOP_WRITEOBJECTS","features":[501]},{"name":"DESKTOP_WRITE_DAC","features":[501]},{"name":"DESKTOP_WRITE_OWNER","features":[501]},{"name":"DF_ALLOWOTHERACCOUNTHOOK","features":[501]},{"name":"EnumDesktopWindows","features":[308,501,370]},{"name":"EnumDesktopsA","features":[308,501]},{"name":"EnumDesktopsW","features":[308,501]},{"name":"EnumWindowStationsA","features":[308,501]},{"name":"EnumWindowStationsW","features":[308,501]},{"name":"GetProcessWindowStation","features":[501]},{"name":"GetThreadDesktop","features":[501]},{"name":"GetUserObjectInformationA","features":[308,501]},{"name":"GetUserObjectInformationW","features":[308,501]},{"name":"HDESK","features":[501]},{"name":"HWINSTA","features":[501]},{"name":"OpenDesktopA","features":[308,501]},{"name":"OpenDesktopW","features":[308,501]},{"name":"OpenInputDesktop","features":[308,501]},{"name":"OpenWindowStationA","features":[308,501]},{"name":"OpenWindowStationW","features":[308,501]},{"name":"SetProcessWindowStation","features":[308,501]},{"name":"SetThreadDesktop","features":[308,501]},{"name":"SetUserObjectInformationA","features":[308,501]},{"name":"SetUserObjectInformationW","features":[308,501]},{"name":"SwitchDesktop","features":[308,501]},{"name":"UOI_FLAGS","features":[501]},{"name":"UOI_HEAPSIZE","features":[501]},{"name":"UOI_IO","features":[501]},{"name":"UOI_NAME","features":[501]},{"name":"UOI_TYPE","features":[501]},{"name":"UOI_USER_SID","features":[501]},{"name":"USEROBJECTFLAGS","features":[308,501]},{"name":"USER_OBJECT_INFORMATION_INDEX","features":[501]},{"name":"WINSTAENUMPROCA","features":[308,501]},{"name":"WINSTAENUMPROCW","features":[308,501]}],"612":[{"name":"WSL_DISTRIBUTION_FLAGS","features":[593]},{"name":"WSL_DISTRIBUTION_FLAGS_APPEND_NT_PATH","features":[593]},{"name":"WSL_DISTRIBUTION_FLAGS_ENABLE_DRIVE_MOUNTING","features":[593]},{"name":"WSL_DISTRIBUTION_FLAGS_ENABLE_INTEROP","features":[593]},{"name":"WSL_DISTRIBUTION_FLAGS_NONE","features":[593]},{"name":"WslConfigureDistribution","features":[593]},{"name":"WslGetDistributionConfiguration","features":[593]},{"name":"WslIsDistributionRegistered","features":[308,593]},{"name":"WslLaunch","features":[308,593]},{"name":"WslLaunchInteractive","features":[308,593]},{"name":"WslRegisterDistribution","features":[593]},{"name":"WslUnregisterDistribution","features":[593]}],"613":[{"name":"ACPI","features":[338]},{"name":"CACHE_DESCRIPTOR","features":[338]},{"name":"CACHE_RELATIONSHIP","features":[338]},{"name":"COMPUTER_NAME_FORMAT","features":[338]},{"name":"CPU_SET_INFORMATION_TYPE","features":[338]},{"name":"CacheData","features":[338]},{"name":"CacheInstruction","features":[338]},{"name":"CacheTrace","features":[338]},{"name":"CacheUnified","features":[338]},{"name":"ComputerNameDnsDomain","features":[338]},{"name":"ComputerNameDnsFullyQualified","features":[338]},{"name":"ComputerNameDnsHostname","features":[338]},{"name":"ComputerNameMax","features":[338]},{"name":"ComputerNameNetBIOS","features":[338]},{"name":"ComputerNamePhysicalDnsDomain","features":[338]},{"name":"ComputerNamePhysicalDnsFullyQualified","features":[338]},{"name":"ComputerNamePhysicalDnsHostname","features":[338]},{"name":"ComputerNamePhysicalNetBIOS","features":[338]},{"name":"CpuSetInformation","features":[338]},{"name":"DEPPolicyAlwaysOff","features":[338]},{"name":"DEPPolicyAlwaysOn","features":[338]},{"name":"DEPPolicyOptIn","features":[338]},{"name":"DEPPolicyOptOut","features":[338]},{"name":"DEPTotalPolicyCount","features":[338]},{"name":"DEP_SYSTEM_POLICY_TYPE","features":[338]},{"name":"DEVELOPER_DRIVE_ENABLEMENT_STATE","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_ALLINONE","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_BANKING","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_BUILDING_AUTOMATION","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_CONVERTIBLE","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_DESKTOP","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_DETACHABLE","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_DIGITAL_SIGNAGE","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_GAMING","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_HMD","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_HOME_AUTOMATION","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_INDUSTRIAL_AUTOMATION","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_INDUSTRY_HANDHELD","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_INDUSTRY_OTHER","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_INDUSTRY_TABLET","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_KIOSK","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_LARGESCREEN","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_MAKER_BOARD","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_MAX","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_MEDICAL","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_NETWORKING","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_NOTEBOOK","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_PHONE","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_POINT_OF_SERVICE","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_PRINTING","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_PUCK","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_STICKPC","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_TABLET","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_THIN_CLIENT","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_TOY","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_UNKNOWN","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_VENDING","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_ONE","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_ONE_S","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_ONE_X","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_ONE_X_DEVKIT","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_RESERVED_01","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_RESERVED_02","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_RESERVED_03","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_RESERVED_04","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_RESERVED_05","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_RESERVED_06","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_RESERVED_07","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_RESERVED_08","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_RESERVED_09","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_SERIES_S","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_SERIES_X","features":[338]},{"name":"DEVICEFAMILYDEVICEFORM_XBOX_SERIES_X_DEVKIT","features":[338]},{"name":"DEVICEFAMILYINFOENUM","features":[338]},{"name":"DEVICEFAMILYINFOENUM_7067329","features":[338]},{"name":"DEVICEFAMILYINFOENUM_8828080","features":[338]},{"name":"DEVICEFAMILYINFOENUM_DESKTOP","features":[338]},{"name":"DEVICEFAMILYINFOENUM_HOLOGRAPHIC","features":[338]},{"name":"DEVICEFAMILYINFOENUM_IOT","features":[338]},{"name":"DEVICEFAMILYINFOENUM_IOT_HEADLESS","features":[338]},{"name":"DEVICEFAMILYINFOENUM_MAX","features":[338]},{"name":"DEVICEFAMILYINFOENUM_MOBILE","features":[338]},{"name":"DEVICEFAMILYINFOENUM_SERVER","features":[338]},{"name":"DEVICEFAMILYINFOENUM_SERVER_NANO","features":[338]},{"name":"DEVICEFAMILYINFOENUM_TEAM","features":[338]},{"name":"DEVICEFAMILYINFOENUM_UAP","features":[338]},{"name":"DEVICEFAMILYINFOENUM_WINDOWS_8X","features":[338]},{"name":"DEVICEFAMILYINFOENUM_WINDOWS_CORE","features":[338]},{"name":"DEVICEFAMILYINFOENUM_WINDOWS_CORE_HEADLESS","features":[338]},{"name":"DEVICEFAMILYINFOENUM_WINDOWS_PHONE_8X","features":[338]},{"name":"DEVICEFAMILYINFOENUM_XBOX","features":[338]},{"name":"DEVICEFAMILYINFOENUM_XBOXERA","features":[338]},{"name":"DEVICEFAMILYINFOENUM_XBOXSRA","features":[338]},{"name":"DeveloperDriveDisabledByGroupPolicy","features":[338]},{"name":"DeveloperDriveDisabledBySystemPolicy","features":[338]},{"name":"DeveloperDriveEnabled","features":[338]},{"name":"DeveloperDriveEnablementStateError","features":[338]},{"name":"DnsHostnameToComputerNameExW","features":[308,338]},{"name":"EnumSystemFirmwareTables","features":[338]},{"name":"FIRM","features":[338]},{"name":"FIRMWARE_TABLE_PROVIDER","features":[338]},{"name":"FIRMWARE_TYPE","features":[338]},{"name":"FirmwareTypeBios","features":[338]},{"name":"FirmwareTypeMax","features":[338]},{"name":"FirmwareTypeUefi","features":[338]},{"name":"FirmwareTypeUnknown","features":[338]},{"name":"GROUP_AFFINITY","features":[338]},{"name":"GROUP_RELATIONSHIP","features":[338]},{"name":"GetComputerNameExA","features":[308,338]},{"name":"GetComputerNameExW","features":[308,338]},{"name":"GetDeveloperDriveEnablementState","features":[338]},{"name":"GetFirmwareType","features":[308,338]},{"name":"GetIntegratedDisplaySize","features":[338]},{"name":"GetLocalTime","features":[308,338]},{"name":"GetLogicalProcessorInformation","features":[308,338]},{"name":"GetLogicalProcessorInformationEx","features":[308,338]},{"name":"GetNativeSystemInfo","features":[338]},{"name":"GetOsManufacturingMode","features":[308,338]},{"name":"GetOsSafeBootMode","features":[308,338]},{"name":"GetPhysicallyInstalledSystemMemory","features":[308,338]},{"name":"GetProcessorSystemCycleTime","features":[308,338]},{"name":"GetProductInfo","features":[308,338]},{"name":"GetSystemCpuSetInformation","features":[308,338]},{"name":"GetSystemDEPPolicy","features":[338]},{"name":"GetSystemDirectoryA","features":[338]},{"name":"GetSystemDirectoryW","features":[338]},{"name":"GetSystemFirmwareTable","features":[338]},{"name":"GetSystemInfo","features":[338]},{"name":"GetSystemLeapSecondInformation","features":[308,338]},{"name":"GetSystemTime","features":[308,338]},{"name":"GetSystemTimeAdjustment","features":[308,338]},{"name":"GetSystemTimeAdjustmentPrecise","features":[308,338]},{"name":"GetSystemTimeAsFileTime","features":[308,338]},{"name":"GetSystemTimePreciseAsFileTime","features":[308,338]},{"name":"GetSystemWindowsDirectoryA","features":[338]},{"name":"GetSystemWindowsDirectoryW","features":[338]},{"name":"GetSystemWow64Directory2A","features":[338]},{"name":"GetSystemWow64Directory2W","features":[338]},{"name":"GetSystemWow64DirectoryA","features":[338]},{"name":"GetSystemWow64DirectoryW","features":[338]},{"name":"GetTickCount","features":[338]},{"name":"GetTickCount64","features":[338]},{"name":"GetVersion","features":[338]},{"name":"GetVersionExA","features":[308,338]},{"name":"GetVersionExW","features":[308,338]},{"name":"GetWindowsDirectoryA","features":[338]},{"name":"GetWindowsDirectoryW","features":[338]},{"name":"GlobalDataIdConsoleSharedDataFlags","features":[338]},{"name":"GlobalDataIdCyclesPerYield","features":[338]},{"name":"GlobalDataIdImageNumberHigh","features":[338]},{"name":"GlobalDataIdImageNumberLow","features":[338]},{"name":"GlobalDataIdInterruptTime","features":[338]},{"name":"GlobalDataIdKdDebuggerEnabled","features":[338]},{"name":"GlobalDataIdLastSystemRITEventTickCount","features":[338]},{"name":"GlobalDataIdNtMajorVersion","features":[338]},{"name":"GlobalDataIdNtMinorVersion","features":[338]},{"name":"GlobalDataIdNtSystemRootDrive","features":[338]},{"name":"GlobalDataIdQpcBias","features":[338]},{"name":"GlobalDataIdQpcBypassEnabled","features":[338]},{"name":"GlobalDataIdQpcData","features":[338]},{"name":"GlobalDataIdQpcShift","features":[338]},{"name":"GlobalDataIdRngSeedVersion","features":[338]},{"name":"GlobalDataIdSafeBootMode","features":[338]},{"name":"GlobalDataIdSystemExpirationDate","features":[338]},{"name":"GlobalDataIdTimeZoneBias","features":[338]},{"name":"GlobalDataIdTimeZoneId","features":[338]},{"name":"GlobalDataIdUnknown","features":[338]},{"name":"GlobalMemoryStatus","features":[338]},{"name":"GlobalMemoryStatusEx","features":[308,338]},{"name":"IMAGE_FILE_MACHINE","features":[338]},{"name":"IMAGE_FILE_MACHINE_ALPHA","features":[338]},{"name":"IMAGE_FILE_MACHINE_ALPHA64","features":[338]},{"name":"IMAGE_FILE_MACHINE_AM33","features":[338]},{"name":"IMAGE_FILE_MACHINE_AMD64","features":[338]},{"name":"IMAGE_FILE_MACHINE_ARM","features":[338]},{"name":"IMAGE_FILE_MACHINE_ARM64","features":[338]},{"name":"IMAGE_FILE_MACHINE_ARMNT","features":[338]},{"name":"IMAGE_FILE_MACHINE_AXP64","features":[338]},{"name":"IMAGE_FILE_MACHINE_CEE","features":[338]},{"name":"IMAGE_FILE_MACHINE_CEF","features":[338]},{"name":"IMAGE_FILE_MACHINE_EBC","features":[338]},{"name":"IMAGE_FILE_MACHINE_I386","features":[338]},{"name":"IMAGE_FILE_MACHINE_IA64","features":[338]},{"name":"IMAGE_FILE_MACHINE_M32R","features":[338]},{"name":"IMAGE_FILE_MACHINE_MIPS16","features":[338]},{"name":"IMAGE_FILE_MACHINE_MIPSFPU","features":[338]},{"name":"IMAGE_FILE_MACHINE_MIPSFPU16","features":[338]},{"name":"IMAGE_FILE_MACHINE_POWERPC","features":[338]},{"name":"IMAGE_FILE_MACHINE_POWERPCFP","features":[338]},{"name":"IMAGE_FILE_MACHINE_R10000","features":[338]},{"name":"IMAGE_FILE_MACHINE_R3000","features":[338]},{"name":"IMAGE_FILE_MACHINE_R4000","features":[338]},{"name":"IMAGE_FILE_MACHINE_SH3","features":[338]},{"name":"IMAGE_FILE_MACHINE_SH3DSP","features":[338]},{"name":"IMAGE_FILE_MACHINE_SH3E","features":[338]},{"name":"IMAGE_FILE_MACHINE_SH4","features":[338]},{"name":"IMAGE_FILE_MACHINE_SH5","features":[338]},{"name":"IMAGE_FILE_MACHINE_TARGET_HOST","features":[338]},{"name":"IMAGE_FILE_MACHINE_THUMB","features":[338]},{"name":"IMAGE_FILE_MACHINE_TRICORE","features":[338]},{"name":"IMAGE_FILE_MACHINE_UNKNOWN","features":[338]},{"name":"IMAGE_FILE_MACHINE_WCEMIPSV2","features":[338]},{"name":"IsUserCetAvailableInEnvironment","features":[308,338]},{"name":"IsWow64GuestMachineSupported","features":[308,338]},{"name":"LOGICAL_PROCESSOR_RELATIONSHIP","features":[338]},{"name":"MEMORYSTATUS","features":[338]},{"name":"MEMORYSTATUSEX","features":[338]},{"name":"NTDDI_LONGHORN","features":[338]},{"name":"NTDDI_VERSION","features":[338]},{"name":"NTDDI_VISTA","features":[338]},{"name":"NTDDI_VISTASP1","features":[338]},{"name":"NTDDI_VISTASP2","features":[338]},{"name":"NTDDI_VISTASP3","features":[338]},{"name":"NTDDI_VISTASP4","features":[338]},{"name":"NTDDI_WIN10","features":[338]},{"name":"NTDDI_WIN10_19H1","features":[338]},{"name":"NTDDI_WIN10_CO","features":[338]},{"name":"NTDDI_WIN10_FE","features":[338]},{"name":"NTDDI_WIN10_MN","features":[338]},{"name":"NTDDI_WIN10_NI","features":[338]},{"name":"NTDDI_WIN10_RS1","features":[338]},{"name":"NTDDI_WIN10_RS2","features":[338]},{"name":"NTDDI_WIN10_RS3","features":[338]},{"name":"NTDDI_WIN10_RS4","features":[338]},{"name":"NTDDI_WIN10_RS5","features":[338]},{"name":"NTDDI_WIN10_TH2","features":[338]},{"name":"NTDDI_WIN10_VB","features":[338]},{"name":"NTDDI_WIN2K","features":[338]},{"name":"NTDDI_WIN2KSP1","features":[338]},{"name":"NTDDI_WIN2KSP2","features":[338]},{"name":"NTDDI_WIN2KSP3","features":[338]},{"name":"NTDDI_WIN2KSP4","features":[338]},{"name":"NTDDI_WIN4","features":[338]},{"name":"NTDDI_WIN6","features":[338]},{"name":"NTDDI_WIN6SP1","features":[338]},{"name":"NTDDI_WIN6SP2","features":[338]},{"name":"NTDDI_WIN6SP3","features":[338]},{"name":"NTDDI_WIN6SP4","features":[338]},{"name":"NTDDI_WIN7","features":[338]},{"name":"NTDDI_WIN8","features":[338]},{"name":"NTDDI_WINBLUE","features":[338]},{"name":"NTDDI_WINTHRESHOLD","features":[338]},{"name":"NTDDI_WINXP","features":[338]},{"name":"NTDDI_WINXPSP1","features":[338]},{"name":"NTDDI_WINXPSP2","features":[338]},{"name":"NTDDI_WINXPSP3","features":[338]},{"name":"NTDDI_WINXPSP4","features":[338]},{"name":"NTDDI_WS03","features":[338]},{"name":"NTDDI_WS03SP1","features":[338]},{"name":"NTDDI_WS03SP2","features":[338]},{"name":"NTDDI_WS03SP3","features":[338]},{"name":"NTDDI_WS03SP4","features":[338]},{"name":"NTDDI_WS08","features":[338]},{"name":"NTDDI_WS08SP2","features":[338]},{"name":"NTDDI_WS08SP3","features":[338]},{"name":"NTDDI_WS08SP4","features":[338]},{"name":"NUMA_NODE_RELATIONSHIP","features":[338]},{"name":"OSVERSIONINFOA","features":[338]},{"name":"OSVERSIONINFOEXA","features":[338]},{"name":"OSVERSIONINFOEXW","features":[338]},{"name":"OSVERSIONINFOW","features":[338]},{"name":"OSVERSION_MASK","features":[338]},{"name":"OS_DEPLOYEMENT_STATE_VALUES","features":[338]},{"name":"OS_DEPLOYMENT_COMPACT","features":[338]},{"name":"OS_DEPLOYMENT_STANDARD","features":[338]},{"name":"OS_PRODUCT_TYPE","features":[338]},{"name":"PGET_SYSTEM_WOW64_DIRECTORY_A","features":[338]},{"name":"PGET_SYSTEM_WOW64_DIRECTORY_W","features":[338]},{"name":"PROCESSOR_ARCHITECTURE","features":[338]},{"name":"PROCESSOR_ARCHITECTURE_ALPHA","features":[338]},{"name":"PROCESSOR_ARCHITECTURE_ALPHA64","features":[338]},{"name":"PROCESSOR_ARCHITECTURE_AMD64","features":[338]},{"name":"PROCESSOR_ARCHITECTURE_ARM","features":[338]},{"name":"PROCESSOR_ARCHITECTURE_ARM32_ON_WIN64","features":[338]},{"name":"PROCESSOR_ARCHITECTURE_ARM64","features":[338]},{"name":"PROCESSOR_ARCHITECTURE_IA32_ON_ARM64","features":[338]},{"name":"PROCESSOR_ARCHITECTURE_IA32_ON_WIN64","features":[338]},{"name":"PROCESSOR_ARCHITECTURE_IA64","features":[338]},{"name":"PROCESSOR_ARCHITECTURE_INTEL","features":[338]},{"name":"PROCESSOR_ARCHITECTURE_MIPS","features":[338]},{"name":"PROCESSOR_ARCHITECTURE_MSIL","features":[338]},{"name":"PROCESSOR_ARCHITECTURE_NEUTRAL","features":[338]},{"name":"PROCESSOR_ARCHITECTURE_PPC","features":[338]},{"name":"PROCESSOR_ARCHITECTURE_SHX","features":[338]},{"name":"PROCESSOR_ARCHITECTURE_UNKNOWN","features":[338]},{"name":"PROCESSOR_CACHE_TYPE","features":[338]},{"name":"PROCESSOR_GROUP_INFO","features":[338]},{"name":"PROCESSOR_RELATIONSHIP","features":[338]},{"name":"PRODUCT_BUSINESS","features":[338]},{"name":"PRODUCT_BUSINESS_N","features":[338]},{"name":"PRODUCT_CLUSTER_SERVER","features":[338]},{"name":"PRODUCT_CLUSTER_SERVER_V","features":[338]},{"name":"PRODUCT_CORE","features":[338]},{"name":"PRODUCT_CORE_COUNTRYSPECIFIC","features":[338]},{"name":"PRODUCT_CORE_N","features":[338]},{"name":"PRODUCT_CORE_SINGLELANGUAGE","features":[338]},{"name":"PRODUCT_DATACENTER_A_SERVER_CORE","features":[338]},{"name":"PRODUCT_DATACENTER_EVALUATION_SERVER","features":[338]},{"name":"PRODUCT_DATACENTER_SERVER","features":[338]},{"name":"PRODUCT_DATACENTER_SERVER_CORE","features":[338]},{"name":"PRODUCT_DATACENTER_SERVER_CORE_V","features":[338]},{"name":"PRODUCT_DATACENTER_SERVER_V","features":[338]},{"name":"PRODUCT_EDUCATION","features":[338]},{"name":"PRODUCT_EDUCATION_N","features":[338]},{"name":"PRODUCT_ENTERPRISE","features":[338]},{"name":"PRODUCT_ENTERPRISE_E","features":[338]},{"name":"PRODUCT_ENTERPRISE_EVALUATION","features":[338]},{"name":"PRODUCT_ENTERPRISE_N","features":[338]},{"name":"PRODUCT_ENTERPRISE_N_EVALUATION","features":[338]},{"name":"PRODUCT_ENTERPRISE_S","features":[338]},{"name":"PRODUCT_ENTERPRISE_SERVER","features":[338]},{"name":"PRODUCT_ENTERPRISE_SERVER_CORE","features":[338]},{"name":"PRODUCT_ENTERPRISE_SERVER_CORE_V","features":[338]},{"name":"PRODUCT_ENTERPRISE_SERVER_IA64","features":[338]},{"name":"PRODUCT_ENTERPRISE_SERVER_V","features":[338]},{"name":"PRODUCT_ENTERPRISE_S_EVALUATION","features":[338]},{"name":"PRODUCT_ENTERPRISE_S_N","features":[338]},{"name":"PRODUCT_ENTERPRISE_S_N_EVALUATION","features":[338]},{"name":"PRODUCT_ESSENTIALBUSINESS_SERVER_ADDL","features":[338]},{"name":"PRODUCT_ESSENTIALBUSINESS_SERVER_ADDLSVC","features":[338]},{"name":"PRODUCT_ESSENTIALBUSINESS_SERVER_MGMT","features":[338]},{"name":"PRODUCT_ESSENTIALBUSINESS_SERVER_MGMTSVC","features":[338]},{"name":"PRODUCT_HOME_BASIC","features":[338]},{"name":"PRODUCT_HOME_BASIC_E","features":[338]},{"name":"PRODUCT_HOME_BASIC_N","features":[338]},{"name":"PRODUCT_HOME_PREMIUM","features":[338]},{"name":"PRODUCT_HOME_PREMIUM_E","features":[338]},{"name":"PRODUCT_HOME_PREMIUM_N","features":[338]},{"name":"PRODUCT_HOME_PREMIUM_SERVER","features":[338]},{"name":"PRODUCT_HOME_SERVER","features":[338]},{"name":"PRODUCT_HYPERV","features":[338]},{"name":"PRODUCT_IOTUAP","features":[338]},{"name":"PRODUCT_IOTUAPCOMMERCIAL","features":[338]},{"name":"PRODUCT_MEDIUMBUSINESS_SERVER_MANAGEMENT","features":[338]},{"name":"PRODUCT_MEDIUMBUSINESS_SERVER_MESSAGING","features":[338]},{"name":"PRODUCT_MEDIUMBUSINESS_SERVER_SECURITY","features":[338]},{"name":"PRODUCT_MOBILE_CORE","features":[338]},{"name":"PRODUCT_MOBILE_ENTERPRISE","features":[338]},{"name":"PRODUCT_MULTIPOINT_PREMIUM_SERVER","features":[338]},{"name":"PRODUCT_MULTIPOINT_STANDARD_SERVER","features":[338]},{"name":"PRODUCT_PROFESSIONAL","features":[338]},{"name":"PRODUCT_PROFESSIONAL_E","features":[338]},{"name":"PRODUCT_PROFESSIONAL_N","features":[338]},{"name":"PRODUCT_PROFESSIONAL_WMC","features":[338]},{"name":"PRODUCT_PRO_WORKSTATION","features":[338]},{"name":"PRODUCT_PRO_WORKSTATION_N","features":[338]},{"name":"PRODUCT_SB_SOLUTION_SERVER","features":[338]},{"name":"PRODUCT_SB_SOLUTION_SERVER_EM","features":[338]},{"name":"PRODUCT_SERVER_FOR_SB_SOLUTIONS","features":[338]},{"name":"PRODUCT_SERVER_FOR_SB_SOLUTIONS_EM","features":[338]},{"name":"PRODUCT_SERVER_FOR_SMALLBUSINESS","features":[338]},{"name":"PRODUCT_SERVER_FOR_SMALLBUSINESS_V","features":[338]},{"name":"PRODUCT_SERVER_FOUNDATION","features":[338]},{"name":"PRODUCT_SMALLBUSINESS_SERVER","features":[338]},{"name":"PRODUCT_SMALLBUSINESS_SERVER_PREMIUM","features":[338]},{"name":"PRODUCT_SMALLBUSINESS_SERVER_PREMIUM_CORE","features":[338]},{"name":"PRODUCT_SOLUTION_EMBEDDEDSERVER","features":[338]},{"name":"PRODUCT_STANDARD_A_SERVER_CORE","features":[338]},{"name":"PRODUCT_STANDARD_EVALUATION_SERVER","features":[338]},{"name":"PRODUCT_STANDARD_SERVER","features":[338]},{"name":"PRODUCT_STANDARD_SERVER_CORE_","features":[338]},{"name":"PRODUCT_STANDARD_SERVER_CORE_V","features":[338]},{"name":"PRODUCT_STANDARD_SERVER_SOLUTIONS","features":[338]},{"name":"PRODUCT_STANDARD_SERVER_SOLUTIONS_CORE","features":[338]},{"name":"PRODUCT_STANDARD_SERVER_V","features":[338]},{"name":"PRODUCT_STARTER","features":[338]},{"name":"PRODUCT_STARTER_E","features":[338]},{"name":"PRODUCT_STARTER_N","features":[338]},{"name":"PRODUCT_STORAGE_ENTERPRISE_SERVER","features":[338]},{"name":"PRODUCT_STORAGE_ENTERPRISE_SERVER_CORE","features":[338]},{"name":"PRODUCT_STORAGE_EXPRESS_SERVER","features":[338]},{"name":"PRODUCT_STORAGE_EXPRESS_SERVER_CORE","features":[338]},{"name":"PRODUCT_STORAGE_STANDARD_EVALUATION_SERVER","features":[338]},{"name":"PRODUCT_STORAGE_STANDARD_SERVER","features":[338]},{"name":"PRODUCT_STORAGE_STANDARD_SERVER_CORE","features":[338]},{"name":"PRODUCT_STORAGE_WORKGROUP_EVALUATION_SERVER","features":[338]},{"name":"PRODUCT_STORAGE_WORKGROUP_SERVER","features":[338]},{"name":"PRODUCT_STORAGE_WORKGROUP_SERVER_CORE","features":[338]},{"name":"PRODUCT_ULTIMATE","features":[338]},{"name":"PRODUCT_ULTIMATE_E","features":[338]},{"name":"PRODUCT_ULTIMATE_N","features":[338]},{"name":"PRODUCT_UNDEFINED","features":[338]},{"name":"PRODUCT_WEB_SERVER","features":[338]},{"name":"PRODUCT_WEB_SERVER_CORE","features":[338]},{"name":"RSMB","features":[338]},{"name":"RTL_SYSTEM_GLOBAL_DATA_ID","features":[338]},{"name":"RelationAll","features":[338]},{"name":"RelationCache","features":[338]},{"name":"RelationGroup","features":[338]},{"name":"RelationNumaNode","features":[338]},{"name":"RelationNumaNodeEx","features":[338]},{"name":"RelationProcessorCore","features":[338]},{"name":"RelationProcessorDie","features":[338]},{"name":"RelationProcessorModule","features":[338]},{"name":"RelationProcessorPackage","features":[338]},{"name":"RtlConvertDeviceFamilyInfoToString","features":[338]},{"name":"RtlGetDeviceFamilyInfoEnum","features":[338]},{"name":"RtlGetProductInfo","features":[308,338]},{"name":"RtlGetSystemGlobalData","features":[338]},{"name":"RtlOsDeploymentState","features":[338]},{"name":"RtlSwitchedVVI","features":[338]},{"name":"SCEX2_ALT_NETBIOS_NAME","features":[338]},{"name":"SPVERSION_MASK","features":[338]},{"name":"SUBVERSION_MASK","features":[338]},{"name":"SYSTEM_CPU_SET_INFORMATION","features":[338]},{"name":"SYSTEM_CPU_SET_INFORMATION_ALLOCATED","features":[338]},{"name":"SYSTEM_CPU_SET_INFORMATION_ALLOCATED_TO_TARGET_PROCESS","features":[338]},{"name":"SYSTEM_CPU_SET_INFORMATION_PARKED","features":[338]},{"name":"SYSTEM_CPU_SET_INFORMATION_REALTIME","features":[338]},{"name":"SYSTEM_INFO","features":[338]},{"name":"SYSTEM_LOGICAL_PROCESSOR_INFORMATION","features":[338]},{"name":"SYSTEM_LOGICAL_PROCESSOR_INFORMATION_EX","features":[338]},{"name":"SYSTEM_POOL_ZEROING_INFORMATION","features":[308,338]},{"name":"SYSTEM_PROCESSOR_CYCLE_TIME_INFORMATION","features":[338]},{"name":"SYSTEM_SUPPORTED_PROCESSOR_ARCHITECTURES_INFORMATION","features":[338]},{"name":"SetComputerNameA","features":[308,338]},{"name":"SetComputerNameEx2W","features":[308,338]},{"name":"SetComputerNameExA","features":[308,338]},{"name":"SetComputerNameExW","features":[308,338]},{"name":"SetComputerNameW","features":[308,338]},{"name":"SetLocalTime","features":[308,338]},{"name":"SetSystemTime","features":[308,338]},{"name":"SetSystemTimeAdjustment","features":[308,338]},{"name":"SetSystemTimeAdjustmentPrecise","features":[308,338]},{"name":"USER_CET_ENVIRONMENT","features":[338]},{"name":"USER_CET_ENVIRONMENT_SGX2_ENCLAVE","features":[338]},{"name":"USER_CET_ENVIRONMENT_VBS_BASIC_ENCLAVE","features":[338]},{"name":"USER_CET_ENVIRONMENT_VBS_ENCLAVE","features":[338]},{"name":"USER_CET_ENVIRONMENT_WIN32_PROCESS","features":[338]},{"name":"VER_BUILDNUMBER","features":[338]},{"name":"VER_FLAGS","features":[338]},{"name":"VER_MAJORVERSION","features":[338]},{"name":"VER_MINORVERSION","features":[338]},{"name":"VER_PLATFORMID","features":[338]},{"name":"VER_PRODUCT_TYPE","features":[338]},{"name":"VER_SERVICEPACKMAJOR","features":[338]},{"name":"VER_SERVICEPACKMINOR","features":[338]},{"name":"VER_SUITENAME","features":[338]},{"name":"VerSetConditionMask","features":[338]},{"name":"VerifyVersionInfoA","features":[308,338]},{"name":"VerifyVersionInfoW","features":[308,338]},{"name":"WDK_NTDDI_VERSION","features":[338]},{"name":"_WIN32_IE_IE100","features":[338]},{"name":"_WIN32_IE_IE110","features":[338]},{"name":"_WIN32_IE_IE20","features":[338]},{"name":"_WIN32_IE_IE30","features":[338]},{"name":"_WIN32_IE_IE302","features":[338]},{"name":"_WIN32_IE_IE40","features":[338]},{"name":"_WIN32_IE_IE401","features":[338]},{"name":"_WIN32_IE_IE50","features":[338]},{"name":"_WIN32_IE_IE501","features":[338]},{"name":"_WIN32_IE_IE55","features":[338]},{"name":"_WIN32_IE_IE60","features":[338]},{"name":"_WIN32_IE_IE60SP1","features":[338]},{"name":"_WIN32_IE_IE60SP2","features":[338]},{"name":"_WIN32_IE_IE70","features":[338]},{"name":"_WIN32_IE_IE80","features":[338]},{"name":"_WIN32_IE_IE90","features":[338]},{"name":"_WIN32_IE_LONGHORN","features":[338]},{"name":"_WIN32_IE_NT4","features":[338]},{"name":"_WIN32_IE_NT4SP1","features":[338]},{"name":"_WIN32_IE_NT4SP2","features":[338]},{"name":"_WIN32_IE_NT4SP3","features":[338]},{"name":"_WIN32_IE_NT4SP4","features":[338]},{"name":"_WIN32_IE_NT4SP5","features":[338]},{"name":"_WIN32_IE_NT4SP6","features":[338]},{"name":"_WIN32_IE_WIN10","features":[338]},{"name":"_WIN32_IE_WIN2K","features":[338]},{"name":"_WIN32_IE_WIN2KSP1","features":[338]},{"name":"_WIN32_IE_WIN2KSP2","features":[338]},{"name":"_WIN32_IE_WIN2KSP3","features":[338]},{"name":"_WIN32_IE_WIN2KSP4","features":[338]},{"name":"_WIN32_IE_WIN6","features":[338]},{"name":"_WIN32_IE_WIN7","features":[338]},{"name":"_WIN32_IE_WIN8","features":[338]},{"name":"_WIN32_IE_WIN98","features":[338]},{"name":"_WIN32_IE_WIN98SE","features":[338]},{"name":"_WIN32_IE_WINBLUE","features":[338]},{"name":"_WIN32_IE_WINME","features":[338]},{"name":"_WIN32_IE_WINTHRESHOLD","features":[338]},{"name":"_WIN32_IE_WS03","features":[338]},{"name":"_WIN32_IE_WS03SP1","features":[338]},{"name":"_WIN32_IE_XP","features":[338]},{"name":"_WIN32_IE_XPSP1","features":[338]},{"name":"_WIN32_IE_XPSP2","features":[338]},{"name":"_WIN32_WINNT_LONGHORN","features":[338]},{"name":"_WIN32_WINNT_NT4","features":[338]},{"name":"_WIN32_WINNT_VISTA","features":[338]},{"name":"_WIN32_WINNT_WIN10","features":[338]},{"name":"_WIN32_WINNT_WIN2K","features":[338]},{"name":"_WIN32_WINNT_WIN6","features":[338]},{"name":"_WIN32_WINNT_WIN7","features":[338]},{"name":"_WIN32_WINNT_WIN8","features":[338]},{"name":"_WIN32_WINNT_WINBLUE","features":[338]},{"name":"_WIN32_WINNT_WINTHRESHOLD","features":[338]},{"name":"_WIN32_WINNT_WINXP","features":[338]},{"name":"_WIN32_WINNT_WS03","features":[338]},{"name":"_WIN32_WINNT_WS08","features":[338]}],"614":[{"name":"ACCESS_ALLOWED_ACE_TYPE","features":[342]},{"name":"ACCESS_ALLOWED_CALLBACK_ACE_TYPE","features":[342]},{"name":"ACCESS_ALLOWED_CALLBACK_OBJECT_ACE_TYPE","features":[342]},{"name":"ACCESS_ALLOWED_COMPOUND_ACE_TYPE","features":[342]},{"name":"ACCESS_ALLOWED_OBJECT_ACE_TYPE","features":[342]},{"name":"ACCESS_DENIED_ACE_TYPE","features":[342]},{"name":"ACCESS_DENIED_CALLBACK_ACE_TYPE","features":[342]},{"name":"ACCESS_DENIED_CALLBACK_OBJECT_ACE_TYPE","features":[342]},{"name":"ACCESS_DENIED_OBJECT_ACE_TYPE","features":[342]},{"name":"ACCESS_DS_OBJECT_TYPE_NAME_A","features":[342]},{"name":"ACCESS_DS_OBJECT_TYPE_NAME_W","features":[342]},{"name":"ACCESS_DS_SOURCE_A","features":[342]},{"name":"ACCESS_DS_SOURCE_W","features":[342]},{"name":"ACCESS_FILTER_SECURITY_INFORMATION","features":[342]},{"name":"ACCESS_MAX_LEVEL","features":[342]},{"name":"ACCESS_MAX_MS_ACE_TYPE","features":[342]},{"name":"ACCESS_MAX_MS_OBJECT_ACE_TYPE","features":[342]},{"name":"ACCESS_MAX_MS_V2_ACE_TYPE","features":[342]},{"name":"ACCESS_MAX_MS_V3_ACE_TYPE","features":[342]},{"name":"ACCESS_MAX_MS_V4_ACE_TYPE","features":[342]},{"name":"ACCESS_MAX_MS_V5_ACE_TYPE","features":[342]},{"name":"ACCESS_MIN_MS_ACE_TYPE","features":[342]},{"name":"ACCESS_MIN_MS_OBJECT_ACE_TYPE","features":[342]},{"name":"ACCESS_OBJECT_GUID","features":[342]},{"name":"ACCESS_PROPERTY_GUID","features":[342]},{"name":"ACCESS_PROPERTY_SET_GUID","features":[342]},{"name":"ACCESS_REASON_DATA_MASK","features":[342]},{"name":"ACCESS_REASON_EXDATA_MASK","features":[342]},{"name":"ACCESS_REASON_STAGING_MASK","features":[342]},{"name":"ACCESS_REASON_TYPE","features":[342]},{"name":"ACCESS_REASON_TYPE_MASK","features":[342]},{"name":"ACCESS_SYSTEM_SECURITY","features":[342]},{"name":"ACL_REVISION1","features":[342]},{"name":"ACL_REVISION2","features":[342]},{"name":"ACL_REVISION3","features":[342]},{"name":"ACL_REVISION4","features":[342]},{"name":"ACPI_PPM_HARDWARE_ALL","features":[342]},{"name":"ACPI_PPM_SOFTWARE_ALL","features":[342]},{"name":"ACPI_PPM_SOFTWARE_ANY","features":[342]},{"name":"ACTIVATION_CONTEXT_INFO_CLASS","features":[342]},{"name":"ACTIVATION_CONTEXT_PATH_TYPE_ASSEMBLYREF","features":[342]},{"name":"ACTIVATION_CONTEXT_PATH_TYPE_NONE","features":[342]},{"name":"ACTIVATION_CONTEXT_PATH_TYPE_URL","features":[342]},{"name":"ACTIVATION_CONTEXT_PATH_TYPE_WIN32_FILE","features":[342]},{"name":"ACTIVATION_CONTEXT_SECTION_APPLICATION_SETTINGS","features":[342]},{"name":"ACTIVATION_CONTEXT_SECTION_ASSEMBLY_INFORMATION","features":[342]},{"name":"ACTIVATION_CONTEXT_SECTION_CLR_SURROGATES","features":[342]},{"name":"ACTIVATION_CONTEXT_SECTION_COMPATIBILITY_INFO","features":[342]},{"name":"ACTIVATION_CONTEXT_SECTION_COM_INTERFACE_REDIRECTION","features":[342]},{"name":"ACTIVATION_CONTEXT_SECTION_COM_PROGID_REDIRECTION","features":[342]},{"name":"ACTIVATION_CONTEXT_SECTION_COM_SERVER_REDIRECTION","features":[342]},{"name":"ACTIVATION_CONTEXT_SECTION_COM_TYPE_LIBRARY_REDIRECTION","features":[342]},{"name":"ACTIVATION_CONTEXT_SECTION_DLL_REDIRECTION","features":[342]},{"name":"ACTIVATION_CONTEXT_SECTION_GLOBAL_OBJECT_RENAME_TABLE","features":[342]},{"name":"ACTIVATION_CONTEXT_SECTION_WINDOW_CLASS_REDIRECTION","features":[342]},{"name":"ACTIVATION_CONTEXT_SECTION_WINRT_ACTIVATABLE_CLASSES","features":[342]},{"name":"ALERT_SYSTEM_CRITICAL","features":[342]},{"name":"ALERT_SYSTEM_ERROR","features":[342]},{"name":"ALERT_SYSTEM_INFORMATIONAL","features":[342]},{"name":"ALERT_SYSTEM_QUERY","features":[342]},{"name":"ALERT_SYSTEM_SEV","features":[342]},{"name":"ALERT_SYSTEM_WARNING","features":[342]},{"name":"ALL_POWERSCHEMES_GUID","features":[342]},{"name":"ANON_OBJECT_HEADER","features":[342]},{"name":"ANON_OBJECT_HEADER_BIGOBJ","features":[342]},{"name":"ANON_OBJECT_HEADER_V2","features":[342]},{"name":"ANYSIZE_ARRAY","features":[342]},{"name":"APPCOMMAND_BASS_BOOST","features":[342]},{"name":"APPCOMMAND_BASS_DOWN","features":[342]},{"name":"APPCOMMAND_BASS_UP","features":[342]},{"name":"APPCOMMAND_BROWSER_BACKWARD","features":[342]},{"name":"APPCOMMAND_BROWSER_FAVORITES","features":[342]},{"name":"APPCOMMAND_BROWSER_FORWARD","features":[342]},{"name":"APPCOMMAND_BROWSER_HOME","features":[342]},{"name":"APPCOMMAND_BROWSER_REFRESH","features":[342]},{"name":"APPCOMMAND_BROWSER_SEARCH","features":[342]},{"name":"APPCOMMAND_BROWSER_STOP","features":[342]},{"name":"APPCOMMAND_CLOSE","features":[342]},{"name":"APPCOMMAND_COPY","features":[342]},{"name":"APPCOMMAND_CORRECTION_LIST","features":[342]},{"name":"APPCOMMAND_CUT","features":[342]},{"name":"APPCOMMAND_DELETE","features":[342]},{"name":"APPCOMMAND_DICTATE_OR_COMMAND_CONTROL_TOGGLE","features":[342]},{"name":"APPCOMMAND_DWM_FLIP3D","features":[342]},{"name":"APPCOMMAND_FIND","features":[342]},{"name":"APPCOMMAND_FORWARD_MAIL","features":[342]},{"name":"APPCOMMAND_HELP","features":[342]},{"name":"APPCOMMAND_ID","features":[342]},{"name":"APPCOMMAND_LAUNCH_APP1","features":[342]},{"name":"APPCOMMAND_LAUNCH_APP2","features":[342]},{"name":"APPCOMMAND_LAUNCH_MAIL","features":[342]},{"name":"APPCOMMAND_LAUNCH_MEDIA_SELECT","features":[342]},{"name":"APPCOMMAND_MEDIA_CHANNEL_DOWN","features":[342]},{"name":"APPCOMMAND_MEDIA_CHANNEL_UP","features":[342]},{"name":"APPCOMMAND_MEDIA_FAST_FORWARD","features":[342]},{"name":"APPCOMMAND_MEDIA_NEXTTRACK","features":[342]},{"name":"APPCOMMAND_MEDIA_PAUSE","features":[342]},{"name":"APPCOMMAND_MEDIA_PLAY","features":[342]},{"name":"APPCOMMAND_MEDIA_PLAY_PAUSE","features":[342]},{"name":"APPCOMMAND_MEDIA_PREVIOUSTRACK","features":[342]},{"name":"APPCOMMAND_MEDIA_RECORD","features":[342]},{"name":"APPCOMMAND_MEDIA_REWIND","features":[342]},{"name":"APPCOMMAND_MEDIA_STOP","features":[342]},{"name":"APPCOMMAND_MICROPHONE_VOLUME_DOWN","features":[342]},{"name":"APPCOMMAND_MICROPHONE_VOLUME_MUTE","features":[342]},{"name":"APPCOMMAND_MICROPHONE_VOLUME_UP","features":[342]},{"name":"APPCOMMAND_MIC_ON_OFF_TOGGLE","features":[342]},{"name":"APPCOMMAND_NEW","features":[342]},{"name":"APPCOMMAND_OPEN","features":[342]},{"name":"APPCOMMAND_PASTE","features":[342]},{"name":"APPCOMMAND_PRINT","features":[342]},{"name":"APPCOMMAND_REDO","features":[342]},{"name":"APPCOMMAND_REPLY_TO_MAIL","features":[342]},{"name":"APPCOMMAND_SAVE","features":[342]},{"name":"APPCOMMAND_SEND_MAIL","features":[342]},{"name":"APPCOMMAND_SPELL_CHECK","features":[342]},{"name":"APPCOMMAND_TREBLE_DOWN","features":[342]},{"name":"APPCOMMAND_TREBLE_UP","features":[342]},{"name":"APPCOMMAND_UNDO","features":[342]},{"name":"APPCOMMAND_VOLUME_DOWN","features":[342]},{"name":"APPCOMMAND_VOLUME_MUTE","features":[342]},{"name":"APPCOMMAND_VOLUME_UP","features":[342]},{"name":"APPLICATIONLAUNCH_SETTING_VALUE","features":[342]},{"name":"APPLICATION_ERROR_MASK","features":[342]},{"name":"ARM64_FNPDATA_CR","features":[342]},{"name":"ARM64_FNPDATA_FLAGS","features":[342]},{"name":"ARM64_MAX_BREAKPOINTS","features":[342]},{"name":"ARM64_MAX_WATCHPOINTS","features":[342]},{"name":"ARM64_MULT_INTRINSICS_SUPPORTED","features":[342]},{"name":"ARM64_PREFETCH_KEEP","features":[342]},{"name":"ARM64_PREFETCH_L1","features":[342]},{"name":"ARM64_PREFETCH_L2","features":[342]},{"name":"ARM64_PREFETCH_L3","features":[342]},{"name":"ARM64_PREFETCH_PLD","features":[342]},{"name":"ARM64_PREFETCH_PLI","features":[342]},{"name":"ARM64_PREFETCH_PST","features":[342]},{"name":"ARM64_PREFETCH_STRM","features":[342]},{"name":"ARM_CACHE_ALIGNMENT_SIZE","features":[342]},{"name":"ARM_MAX_BREAKPOINTS","features":[342]},{"name":"ARM_MAX_WATCHPOINTS","features":[342]},{"name":"ASSERT_BREAKPOINT","features":[342]},{"name":"ATF_FLAGS","features":[342]},{"name":"ATF_ONOFFFEEDBACK","features":[342]},{"name":"ATF_TIMEOUTON","features":[342]},{"name":"AUDIT_ALLOW_NO_PRIVILEGE","features":[342]},{"name":"AccessReasonAllowedAce","features":[342]},{"name":"AccessReasonAllowedParentAce","features":[342]},{"name":"AccessReasonDeniedAce","features":[342]},{"name":"AccessReasonDeniedParentAce","features":[342]},{"name":"AccessReasonEmptyDacl","features":[342]},{"name":"AccessReasonFilterAce","features":[342]},{"name":"AccessReasonFromPrivilege","features":[342]},{"name":"AccessReasonIntegrityLevel","features":[342]},{"name":"AccessReasonMissingPrivilege","features":[342]},{"name":"AccessReasonNoGrant","features":[342]},{"name":"AccessReasonNoSD","features":[342]},{"name":"AccessReasonNone","features":[342]},{"name":"AccessReasonNotGrantedByCape","features":[342]},{"name":"AccessReasonNotGrantedByParentCape","features":[342]},{"name":"AccessReasonNotGrantedToAppContainer","features":[342]},{"name":"AccessReasonNullDacl","features":[342]},{"name":"AccessReasonOwnership","features":[342]},{"name":"AccessReasonTrustLabel","features":[342]},{"name":"ActivationContextBasicInformation","features":[342]},{"name":"ActivationContextDetailedInformation","features":[342]},{"name":"ActivationContextManifestResourceName","features":[342]},{"name":"AdapterType","features":[342]},{"name":"AssemblyDetailedInformationInActivationContext","features":[342]},{"name":"AssemblyDetailedInformationInActivationContxt","features":[342]},{"name":"AutoLoad","features":[342]},{"name":"BATTERY_DISCHARGE_FLAGS_ENABLE","features":[342]},{"name":"BATTERY_DISCHARGE_FLAGS_EVENTCODE_MASK","features":[342]},{"name":"BREAK_DEBUG_BASE","features":[342]},{"name":"BootLoad","features":[342]},{"name":"CACHE_FULLY_ASSOCIATIVE","features":[342]},{"name":"CFE_UNDERLINE","features":[342]},{"name":"CFG_CALL_TARGET_CONVERT_EXPORT_SUPPRESSED_TO_VALID","features":[342]},{"name":"CFG_CALL_TARGET_CONVERT_XFG_TO_CFG","features":[342]},{"name":"CFG_CALL_TARGET_PROCESSED","features":[342]},{"name":"CFG_CALL_TARGET_VALID","features":[342]},{"name":"CFG_CALL_TARGET_VALID_XFG","features":[342]},{"name":"CFU_CF1UNDERLINE","features":[342]},{"name":"CFU_INVERT","features":[342]},{"name":"CFU_UNDERLINE","features":[342]},{"name":"CFU_UNDERLINEDASH","features":[342]},{"name":"CFU_UNDERLINEDASHDOT","features":[342]},{"name":"CFU_UNDERLINEDASHDOTDOT","features":[342]},{"name":"CFU_UNDERLINEDOTTED","features":[342]},{"name":"CFU_UNDERLINEDOUBLE","features":[342]},{"name":"CFU_UNDERLINEDOUBLEWAVE","features":[342]},{"name":"CFU_UNDERLINEHAIRLINE","features":[342]},{"name":"CFU_UNDERLINEHEAVYWAVE","features":[342]},{"name":"CFU_UNDERLINELONGDASH","features":[342]},{"name":"CFU_UNDERLINENONE","features":[342]},{"name":"CFU_UNDERLINETHICK","features":[342]},{"name":"CFU_UNDERLINETHICKDASH","features":[342]},{"name":"CFU_UNDERLINETHICKDASHDOT","features":[342]},{"name":"CFU_UNDERLINETHICKDASHDOTDOT","features":[342]},{"name":"CFU_UNDERLINETHICKDOTTED","features":[342]},{"name":"CFU_UNDERLINETHICKLONGDASH","features":[342]},{"name":"CFU_UNDERLINEWAVE","features":[342]},{"name":"CFU_UNDERLINEWORD","features":[342]},{"name":"CLAIM_SECURITY_ATTRIBUTES_INFORMATION_VERSION","features":[342]},{"name":"CLAIM_SECURITY_ATTRIBUTES_INFORMATION_VERSION_V1","features":[342]},{"name":"CLAIM_SECURITY_ATTRIBUTE_CUSTOM_FLAGS","features":[342]},{"name":"CLAIM_SECURITY_ATTRIBUTE_TYPE_INVALID","features":[342]},{"name":"CM_SERVICE_MEASURED_BOOT_LOAD","features":[342]},{"name":"CM_SERVICE_NETWORK_BOOT_LOAD","features":[342]},{"name":"CM_SERVICE_RAM_DISK_BOOT_LOAD","features":[342]},{"name":"CM_SERVICE_SD_DISK_BOOT_LOAD","features":[342]},{"name":"CM_SERVICE_USB3_DISK_BOOT_LOAD","features":[342]},{"name":"CM_SERVICE_USB_DISK_BOOT_LOAD","features":[342]},{"name":"CM_SERVICE_VERIFIER_BOOT_LOAD","features":[342]},{"name":"CM_SERVICE_VIRTUAL_DISK_BOOT_LOAD","features":[342]},{"name":"CM_SERVICE_WINPE_BOOT_LOAD","features":[342]},{"name":"COMIMAGE_FLAGS_32BITPREFERRED","features":[342]},{"name":"COMIMAGE_FLAGS_32BITREQUIRED","features":[342]},{"name":"COMIMAGE_FLAGS_ILONLY","features":[342]},{"name":"COMIMAGE_FLAGS_IL_LIBRARY","features":[342]},{"name":"COMIMAGE_FLAGS_NATIVE_ENTRYPOINT","features":[342]},{"name":"COMIMAGE_FLAGS_STRONGNAMESIGNED","features":[342]},{"name":"COMIMAGE_FLAGS_TRACKDEBUGDATA","features":[342]},{"name":"COMPONENT_FILTER","features":[342]},{"name":"COMPONENT_KTM","features":[342]},{"name":"COMPONENT_VALID_FLAGS","features":[342]},{"name":"COMPRESSION_ENGINE_HIBER","features":[342]},{"name":"COMPRESSION_ENGINE_MAXIMUM","features":[342]},{"name":"COMPRESSION_ENGINE_STANDARD","features":[342]},{"name":"CORE_PARKING_POLICY_CHANGE_IDEAL","features":[342]},{"name":"CORE_PARKING_POLICY_CHANGE_MAX","features":[342]},{"name":"CORE_PARKING_POLICY_CHANGE_MULTISTEP","features":[342]},{"name":"CORE_PARKING_POLICY_CHANGE_ROCKET","features":[342]},{"name":"CORE_PARKING_POLICY_CHANGE_SINGLE","features":[342]},{"name":"COR_DELETED_NAME_LENGTH","features":[342]},{"name":"COR_ILMETHOD_SECT_SMALL_MAX_DATASIZE","features":[342]},{"name":"COR_VERSION_MAJOR","features":[342]},{"name":"COR_VERSION_MAJOR_V2","features":[342]},{"name":"COR_VERSION_MINOR","features":[342]},{"name":"COR_VTABLEGAP_NAME_LENGTH","features":[342]},{"name":"COR_VTABLE_32BIT","features":[342]},{"name":"COR_VTABLE_64BIT","features":[342]},{"name":"COR_VTABLE_CALL_MOST_DERIVED","features":[342]},{"name":"COR_VTABLE_FROM_UNMANAGED","features":[342]},{"name":"COR_VTABLE_FROM_UNMANAGED_RETAIN_APPDOMAIN","features":[342]},{"name":"CREATE_BOUNDARY_DESCRIPTOR_ADD_APPCONTAINER_SID","features":[342]},{"name":"CRITICAL_ACE_FLAG","features":[342]},{"name":"CTMF_INCLUDE_APPCONTAINER","features":[342]},{"name":"CTMF_INCLUDE_LPAC","features":[342]},{"name":"CompatibilityInformationInActivationContext","features":[342]},{"name":"CriticalError","features":[342]},{"name":"DECIMAL_NEG","features":[342]},{"name":"DEDICATED_MEMORY_CACHE_ELIGIBLE","features":[342]},{"name":"DEVICEFAMILYDEVICEFORM_KEY","features":[342]},{"name":"DEVICEFAMILYDEVICEFORM_VALUE","features":[342]},{"name":"DIAGNOSTIC_REASON_DETAILED_STRING","features":[342]},{"name":"DIAGNOSTIC_REASON_NOT_SPECIFIED","features":[342]},{"name":"DIAGNOSTIC_REASON_SIMPLE_STRING","features":[342]},{"name":"DIAGNOSTIC_REASON_VERSION","features":[342]},{"name":"DISCHARGE_POLICY_CRITICAL","features":[342]},{"name":"DISCHARGE_POLICY_LOW","features":[342]},{"name":"DISPATCHER_CONTEXT_NONVOLREG_ARM64","features":[342]},{"name":"DLL_PROCESS_ATTACH","features":[342]},{"name":"DLL_PROCESS_DETACH","features":[342]},{"name":"DLL_THREAD_ATTACH","features":[342]},{"name":"DLL_THREAD_DETACH","features":[342]},{"name":"DOMAIN_ALIAS_RID_ACCESS_CONTROL_ASSISTANCE_OPS","features":[342]},{"name":"DOMAIN_ALIAS_RID_ACCOUNT_OPS","features":[342]},{"name":"DOMAIN_ALIAS_RID_ADMINS","features":[342]},{"name":"DOMAIN_ALIAS_RID_AUTHORIZATIONACCESS","features":[342]},{"name":"DOMAIN_ALIAS_RID_BACKUP_OPS","features":[342]},{"name":"DOMAIN_ALIAS_RID_CACHEABLE_PRINCIPALS_GROUP","features":[342]},{"name":"DOMAIN_ALIAS_RID_CERTSVC_DCOM_ACCESS_GROUP","features":[342]},{"name":"DOMAIN_ALIAS_RID_CRYPTO_OPERATORS","features":[342]},{"name":"DOMAIN_ALIAS_RID_DCOM_USERS","features":[342]},{"name":"DOMAIN_ALIAS_RID_DEFAULT_ACCOUNT","features":[342]},{"name":"DOMAIN_ALIAS_RID_DEVICE_OWNERS","features":[342]},{"name":"DOMAIN_ALIAS_RID_EVENT_LOG_READERS_GROUP","features":[342]},{"name":"DOMAIN_ALIAS_RID_GUESTS","features":[342]},{"name":"DOMAIN_ALIAS_RID_HYPER_V_ADMINS","features":[342]},{"name":"DOMAIN_ALIAS_RID_INCOMING_FOREST_TRUST_BUILDERS","features":[342]},{"name":"DOMAIN_ALIAS_RID_IUSERS","features":[342]},{"name":"DOMAIN_ALIAS_RID_LOGGING_USERS","features":[342]},{"name":"DOMAIN_ALIAS_RID_MONITORING_USERS","features":[342]},{"name":"DOMAIN_ALIAS_RID_NETWORK_CONFIGURATION_OPS","features":[342]},{"name":"DOMAIN_ALIAS_RID_NON_CACHEABLE_PRINCIPALS_GROUP","features":[342]},{"name":"DOMAIN_ALIAS_RID_POWER_USERS","features":[342]},{"name":"DOMAIN_ALIAS_RID_PREW2KCOMPACCESS","features":[342]},{"name":"DOMAIN_ALIAS_RID_PRINT_OPS","features":[342]},{"name":"DOMAIN_ALIAS_RID_RAS_SERVERS","features":[342]},{"name":"DOMAIN_ALIAS_RID_RDS_ENDPOINT_SERVERS","features":[342]},{"name":"DOMAIN_ALIAS_RID_RDS_MANAGEMENT_SERVERS","features":[342]},{"name":"DOMAIN_ALIAS_RID_RDS_REMOTE_ACCESS_SERVERS","features":[342]},{"name":"DOMAIN_ALIAS_RID_REMOTE_DESKTOP_USERS","features":[342]},{"name":"DOMAIN_ALIAS_RID_REMOTE_MANAGEMENT_USERS","features":[342]},{"name":"DOMAIN_ALIAS_RID_REPLICATOR","features":[342]},{"name":"DOMAIN_ALIAS_RID_STORAGE_REPLICA_ADMINS","features":[342]},{"name":"DOMAIN_ALIAS_RID_SYSTEM_OPS","features":[342]},{"name":"DOMAIN_ALIAS_RID_TS_LICENSE_SERVERS","features":[342]},{"name":"DOMAIN_ALIAS_RID_USERS","features":[342]},{"name":"DOMAIN_GROUP_RID_ADMINS","features":[342]},{"name":"DOMAIN_GROUP_RID_AUTHORIZATION_DATA_CONTAINS_CLAIMS","features":[342]},{"name":"DOMAIN_GROUP_RID_AUTHORIZATION_DATA_IS_COMPOUNDED","features":[342]},{"name":"DOMAIN_GROUP_RID_CDC_RESERVED","features":[342]},{"name":"DOMAIN_GROUP_RID_CERT_ADMINS","features":[342]},{"name":"DOMAIN_GROUP_RID_CLONEABLE_CONTROLLERS","features":[342]},{"name":"DOMAIN_GROUP_RID_COMPUTERS","features":[342]},{"name":"DOMAIN_GROUP_RID_CONTROLLERS","features":[342]},{"name":"DOMAIN_GROUP_RID_ENTERPRISE_ADMINS","features":[342]},{"name":"DOMAIN_GROUP_RID_ENTERPRISE_KEY_ADMINS","features":[342]},{"name":"DOMAIN_GROUP_RID_ENTERPRISE_READONLY_DOMAIN_CONTROLLERS","features":[342]},{"name":"DOMAIN_GROUP_RID_GUESTS","features":[342]},{"name":"DOMAIN_GROUP_RID_KEY_ADMINS","features":[342]},{"name":"DOMAIN_GROUP_RID_POLICY_ADMINS","features":[342]},{"name":"DOMAIN_GROUP_RID_PROTECTED_USERS","features":[342]},{"name":"DOMAIN_GROUP_RID_READONLY_CONTROLLERS","features":[342]},{"name":"DOMAIN_GROUP_RID_SCHEMA_ADMINS","features":[342]},{"name":"DOMAIN_GROUP_RID_USERS","features":[342]},{"name":"DOMAIN_USER_RID_ADMIN","features":[342]},{"name":"DOMAIN_USER_RID_DEFAULT_ACCOUNT","features":[342]},{"name":"DOMAIN_USER_RID_GUEST","features":[342]},{"name":"DOMAIN_USER_RID_KRBTGT","features":[342]},{"name":"DOMAIN_USER_RID_MAX","features":[342]},{"name":"DOMAIN_USER_RID_WDAG_ACCOUNT","features":[342]},{"name":"DYNAMIC_EH_CONTINUATION_TARGET_ADD","features":[342]},{"name":"DYNAMIC_EH_CONTINUATION_TARGET_PROCESSED","features":[342]},{"name":"DYNAMIC_ENFORCED_ADDRESS_RANGE_ADD","features":[342]},{"name":"DYNAMIC_ENFORCED_ADDRESS_RANGE_PROCESSED","features":[342]},{"name":"DemandLoad","features":[342]},{"name":"DisableLoad","features":[342]},{"name":"DriverType","features":[342]},{"name":"EMARCH_ENC_I17_IC_INST_WORD_POS_X","features":[342]},{"name":"EMARCH_ENC_I17_IC_INST_WORD_X","features":[342]},{"name":"EMARCH_ENC_I17_IC_SIZE_X","features":[342]},{"name":"EMARCH_ENC_I17_IC_VAL_POS_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM41a_INST_WORD_POS_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM41a_INST_WORD_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM41a_SIZE_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM41a_VAL_POS_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM41b_INST_WORD_POS_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM41b_INST_WORD_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM41b_SIZE_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM41b_VAL_POS_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM41c_INST_WORD_POS_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM41c_INST_WORD_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM41c_SIZE_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM41c_VAL_POS_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM5C_INST_WORD_POS_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM5C_INST_WORD_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM5C_SIZE_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM5C_VAL_POS_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM7B_INST_WORD_POS_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM7B_INST_WORD_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM7B_SIZE_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM7B_VAL_POS_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM9D_INST_WORD_POS_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM9D_INST_WORD_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM9D_SIZE_X","features":[342]},{"name":"EMARCH_ENC_I17_IMM9D_VAL_POS_X","features":[342]},{"name":"EMARCH_ENC_I17_SIGN_INST_WORD_POS_X","features":[342]},{"name":"EMARCH_ENC_I17_SIGN_INST_WORD_X","features":[342]},{"name":"EMARCH_ENC_I17_SIGN_SIZE_X","features":[342]},{"name":"EMARCH_ENC_I17_SIGN_VAL_POS_X","features":[342]},{"name":"ENCLAVE_LONG_ID_LENGTH","features":[342]},{"name":"ENCLAVE_SHORT_ID_LENGTH","features":[342]},{"name":"ENCLAVE_TYPE_SGX","features":[342]},{"name":"ENCLAVE_TYPE_SGX2","features":[342]},{"name":"ENCLAVE_TYPE_VBS","features":[342]},{"name":"ENCLAVE_TYPE_VBS_BASIC","features":[342]},{"name":"ENCLAVE_VBS_FLAG_DEBUG","features":[342]},{"name":"ENLISTMENT_BASIC_INFORMATION","features":[342]},{"name":"ENLISTMENT_CRM_INFORMATION","features":[342]},{"name":"ENLISTMENT_INFORMATION_CLASS","features":[342]},{"name":"ENLISTMENT_QUERY_INFORMATION","features":[342]},{"name":"ENLISTMENT_RECOVER","features":[342]},{"name":"ENLISTMENT_SET_INFORMATION","features":[342]},{"name":"ENLISTMENT_SUBORDINATE_RIGHTS","features":[342]},{"name":"ENLISTMENT_SUPERIOR_RIGHTS","features":[342]},{"name":"ERROR_SEVERITY_ERROR","features":[342]},{"name":"ERROR_SEVERITY_INFORMATIONAL","features":[342]},{"name":"ERROR_SEVERITY_SUCCESS","features":[342]},{"name":"ERROR_SEVERITY_WARNING","features":[342]},{"name":"EVENTLOG_BACKWARDS_READ","features":[342]},{"name":"EVENTLOG_END_ALL_PAIRED_EVENTS","features":[342]},{"name":"EVENTLOG_END_PAIRED_EVENT","features":[342]},{"name":"EVENTLOG_FORWARDS_READ","features":[342]},{"name":"EVENTLOG_PAIRED_EVENT_ACTIVE","features":[342]},{"name":"EVENTLOG_PAIRED_EVENT_INACTIVE","features":[342]},{"name":"EVENTLOG_START_PAIRED_EVENT","features":[342]},{"name":"EXCEPTION_COLLIDED_UNWIND","features":[342]},{"name":"EXCEPTION_EXECUTE_FAULT","features":[342]},{"name":"EXCEPTION_EXIT_UNWIND","features":[342]},{"name":"EXCEPTION_MAXIMUM_PARAMETERS","features":[342]},{"name":"EXCEPTION_NESTED_CALL","features":[342]},{"name":"EXCEPTION_NONCONTINUABLE","features":[342]},{"name":"EXCEPTION_READ_FAULT","features":[342]},{"name":"EXCEPTION_SOFTWARE_ORIGINATE","features":[342]},{"name":"EXCEPTION_STACK_INVALID","features":[342]},{"name":"EXCEPTION_TARGET_UNWIND","features":[342]},{"name":"EXCEPTION_UNWINDING","features":[342]},{"name":"EXCEPTION_WRITE_FAULT","features":[342]},{"name":"EnlistmentBasicInformation","features":[342]},{"name":"EnlistmentCrmInformation","features":[342]},{"name":"EnlistmentRecoveryInformation","features":[342]},{"name":"FAST_FAIL_ADMINLESS_ACCESS_DENIED","features":[342]},{"name":"FAST_FAIL_APCS_DISABLED","features":[342]},{"name":"FAST_FAIL_CAST_GUARD","features":[342]},{"name":"FAST_FAIL_CERTIFICATION_FAILURE","features":[342]},{"name":"FAST_FAIL_CONTROL_INVALID_RETURN_ADDRESS","features":[342]},{"name":"FAST_FAIL_CORRUPT_LIST_ENTRY","features":[342]},{"name":"FAST_FAIL_CRYPTO_LIBRARY","features":[342]},{"name":"FAST_FAIL_DEPRECATED_SERVICE_INVOKED","features":[342]},{"name":"FAST_FAIL_DLOAD_PROTECTION_FAILURE","features":[342]},{"name":"FAST_FAIL_ENCLAVE_CALL_FAILURE","features":[342]},{"name":"FAST_FAIL_ETW_CORRUPTION","features":[342]},{"name":"FAST_FAIL_FATAL_APP_EXIT","features":[342]},{"name":"FAST_FAIL_FLAGS_CORRUPTION","features":[342]},{"name":"FAST_FAIL_GS_COOKIE_INIT","features":[342]},{"name":"FAST_FAIL_GUARD_EXPORT_SUPPRESSION_FAILURE","features":[342]},{"name":"FAST_FAIL_GUARD_ICALL_CHECK_FAILURE","features":[342]},{"name":"FAST_FAIL_GUARD_ICALL_CHECK_FAILURE_XFG","features":[342]},{"name":"FAST_FAIL_GUARD_ICALL_CHECK_SUPPRESSED","features":[342]},{"name":"FAST_FAIL_GUARD_JUMPTABLE","features":[342]},{"name":"FAST_FAIL_GUARD_SS_FAILURE","features":[342]},{"name":"FAST_FAIL_GUARD_WRITE_CHECK_FAILURE","features":[342]},{"name":"FAST_FAIL_HEAP_METADATA_CORRUPTION","features":[342]},{"name":"FAST_FAIL_HOST_VISIBILITY_CHANGE","features":[342]},{"name":"FAST_FAIL_INCORRECT_STACK","features":[342]},{"name":"FAST_FAIL_INVALID_ARG","features":[342]},{"name":"FAST_FAIL_INVALID_BALANCED_TREE","features":[342]},{"name":"FAST_FAIL_INVALID_BUFFER_ACCESS","features":[342]},{"name":"FAST_FAIL_INVALID_CALL_IN_DLL_CALLOUT","features":[342]},{"name":"FAST_FAIL_INVALID_CONTROL_STACK","features":[342]},{"name":"FAST_FAIL_INVALID_DISPATCH_CONTEXT","features":[342]},{"name":"FAST_FAIL_INVALID_EXCEPTION_CHAIN","features":[342]},{"name":"FAST_FAIL_INVALID_FAST_FAIL_CODE","features":[342]},{"name":"FAST_FAIL_INVALID_FIBER_SWITCH","features":[342]},{"name":"FAST_FAIL_INVALID_FILE_OPERATION","features":[342]},{"name":"FAST_FAIL_INVALID_FLS_DATA","features":[342]},{"name":"FAST_FAIL_INVALID_IAT","features":[342]},{"name":"FAST_FAIL_INVALID_IDLE_STATE","features":[342]},{"name":"FAST_FAIL_INVALID_IMAGE_BASE","features":[342]},{"name":"FAST_FAIL_INVALID_JUMP_BUFFER","features":[342]},{"name":"FAST_FAIL_INVALID_LOCK_STATE","features":[342]},{"name":"FAST_FAIL_INVALID_LONGJUMP_TARGET","features":[342]},{"name":"FAST_FAIL_INVALID_NEXT_THREAD","features":[342]},{"name":"FAST_FAIL_INVALID_PFN","features":[342]},{"name":"FAST_FAIL_INVALID_REFERENCE_COUNT","features":[342]},{"name":"FAST_FAIL_INVALID_SET_OF_CONTEXT","features":[342]},{"name":"FAST_FAIL_INVALID_SYSCALL_NUMBER","features":[342]},{"name":"FAST_FAIL_INVALID_THREAD","features":[342]},{"name":"FAST_FAIL_KERNEL_CET_SHADOW_STACK_ASSIST","features":[342]},{"name":"FAST_FAIL_LEGACY_GS_VIOLATION","features":[342]},{"name":"FAST_FAIL_LOADER_CONTINUITY_FAILURE","features":[342]},{"name":"FAST_FAIL_LOW_LABEL_ACCESS_DENIED","features":[342]},{"name":"FAST_FAIL_LPAC_ACCESS_DENIED","features":[342]},{"name":"FAST_FAIL_MRDATA_MODIFIED","features":[342]},{"name":"FAST_FAIL_MRDATA_PROTECTION_FAILURE","features":[342]},{"name":"FAST_FAIL_NTDLL_PATCH_FAILED","features":[342]},{"name":"FAST_FAIL_PATCH_CALLBACK_FAILED","features":[342]},{"name":"FAST_FAIL_PAYLOAD_RESTRICTION_VIOLATION","features":[342]},{"name":"FAST_FAIL_RANGE_CHECK_FAILURE","features":[342]},{"name":"FAST_FAIL_RIO_ABORT","features":[342]},{"name":"FAST_FAIL_SET_CONTEXT_DENIED","features":[342]},{"name":"FAST_FAIL_STACK_COOKIE_CHECK_FAILURE","features":[342]},{"name":"FAST_FAIL_UNEXPECTED_CALL","features":[342]},{"name":"FAST_FAIL_UNEXPECTED_HEAP_EXCEPTION","features":[342]},{"name":"FAST_FAIL_UNEXPECTED_HOST_BEHAVIOR","features":[342]},{"name":"FAST_FAIL_UNHANDLED_LSS_EXCEPTON","features":[342]},{"name":"FAST_FAIL_UNSAFE_EXTENSION_CALL","features":[342]},{"name":"FAST_FAIL_UNSAFE_REGISTRY_ACCESS","features":[342]},{"name":"FAST_FAIL_VEH_CORRUPTION","features":[342]},{"name":"FAST_FAIL_VTGUARD_CHECK_FAILURE","features":[342]},{"name":"FILE_ATTRIBUTE_STRICTLY_SEQUENTIAL","features":[342]},{"name":"FILE_CASE_PRESERVED_NAMES","features":[342]},{"name":"FILE_CASE_SENSITIVE_SEARCH","features":[342]},{"name":"FILE_CS_FLAG_CASE_SENSITIVE_DIR","features":[342]},{"name":"FILE_DAX_VOLUME","features":[342]},{"name":"FILE_FILE_COMPRESSION","features":[342]},{"name":"FILE_NAMED_STREAMS","features":[342]},{"name":"FILE_NAME_FLAGS_UNSPECIFIED","features":[342]},{"name":"FILE_NAME_FLAG_BOTH","features":[342]},{"name":"FILE_NAME_FLAG_DOS","features":[342]},{"name":"FILE_NAME_FLAG_HARDLINK","features":[342]},{"name":"FILE_NAME_FLAG_NTFS","features":[342]},{"name":"FILE_NOTIFY_FULL_INFORMATION","features":[342]},{"name":"FILE_PERSISTENT_ACLS","features":[342]},{"name":"FILE_READ_ONLY_VOLUME","features":[342]},{"name":"FILE_RETURNS_CLEANUP_RESULT_INFO","features":[342]},{"name":"FILE_SEQUENTIAL_WRITE_ONCE","features":[342]},{"name":"FILE_SUPPORTS_BLOCK_REFCOUNTING","features":[342]},{"name":"FILE_SUPPORTS_BYPASS_IO","features":[342]},{"name":"FILE_SUPPORTS_CASE_SENSITIVE_DIRS","features":[342]},{"name":"FILE_SUPPORTS_ENCRYPTION","features":[342]},{"name":"FILE_SUPPORTS_EXTENDED_ATTRIBUTES","features":[342]},{"name":"FILE_SUPPORTS_GHOSTING","features":[342]},{"name":"FILE_SUPPORTS_HARD_LINKS","features":[342]},{"name":"FILE_SUPPORTS_INTEGRITY_STREAMS","features":[342]},{"name":"FILE_SUPPORTS_OBJECT_IDS","features":[342]},{"name":"FILE_SUPPORTS_OPEN_BY_FILE_ID","features":[342]},{"name":"FILE_SUPPORTS_POSIX_UNLINK_RENAME","features":[342]},{"name":"FILE_SUPPORTS_REMOTE_STORAGE","features":[342]},{"name":"FILE_SUPPORTS_REPARSE_POINTS","features":[342]},{"name":"FILE_SUPPORTS_SPARSE_FILES","features":[342]},{"name":"FILE_SUPPORTS_SPARSE_VDL","features":[342]},{"name":"FILE_SUPPORTS_STREAM_SNAPSHOTS","features":[342]},{"name":"FILE_SUPPORTS_TRANSACTIONS","features":[342]},{"name":"FILE_SUPPORTS_USN_JOURNAL","features":[342]},{"name":"FILE_UNICODE_ON_DISK","features":[342]},{"name":"FILE_VOLUME_IS_COMPRESSED","features":[342]},{"name":"FILE_VOLUME_QUOTAS","features":[342]},{"name":"FILL_NV_MEMORY_FLAG_FLUSH","features":[342]},{"name":"FILL_NV_MEMORY_FLAG_NON_TEMPORAL","features":[342]},{"name":"FILL_NV_MEMORY_FLAG_NO_DRAIN","features":[342]},{"name":"FLS_MAXIMUM_AVAILABLE","features":[342]},{"name":"FLUSH_FLAGS_FILE_DATA_ONLY","features":[342]},{"name":"FLUSH_FLAGS_FILE_DATA_SYNC_ONLY","features":[342]},{"name":"FLUSH_FLAGS_NO_SYNC","features":[342]},{"name":"FLUSH_NV_MEMORY_IN_FLAG_NO_DRAIN","features":[342]},{"name":"FOREST_USER_RID_MAX","features":[342]},{"name":"FRAME_FPO","features":[342]},{"name":"FRAME_NONFPO","features":[342]},{"name":"FRAME_TRAP","features":[342]},{"name":"FRAME_TSS","features":[342]},{"name":"FileInformationInAssemblyOfAssemblyInActivationContext","features":[342]},{"name":"FileInformationInAssemblyOfAssemblyInActivationContxt","features":[342]},{"name":"FileSystemType","features":[342]},{"name":"GC_ALLGESTURES","features":[342]},{"name":"GC_PAN","features":[342]},{"name":"GC_PAN_WITH_GUTTER","features":[342]},{"name":"GC_PAN_WITH_INERTIA","features":[342]},{"name":"GC_PAN_WITH_SINGLE_FINGER_HORIZONTALLY","features":[342]},{"name":"GC_PAN_WITH_SINGLE_FINGER_VERTICALLY","features":[342]},{"name":"GC_PRESSANDTAP","features":[342]},{"name":"GC_ROLLOVER","features":[342]},{"name":"GC_ROTATE","features":[342]},{"name":"GC_TWOFINGERTAP","features":[342]},{"name":"GC_ZOOM","features":[342]},{"name":"GDI_NONREMOTE","features":[359,342]},{"name":"GESTURECONFIG_FLAGS","features":[342]},{"name":"GUID_ACDC_POWER_SOURCE","features":[342]},{"name":"GUID_ACTIVE_POWERSCHEME","features":[342]},{"name":"GUID_ADAPTIVE_INPUT_CONTROLLER_STATE","features":[342]},{"name":"GUID_ADAPTIVE_POWER_BEHAVIOR_SUBGROUP","features":[342]},{"name":"GUID_ADVANCED_COLOR_QUALITY_BIAS","features":[342]},{"name":"GUID_ALLOW_AWAYMODE","features":[342]},{"name":"GUID_ALLOW_DISPLAY_REQUIRED","features":[342]},{"name":"GUID_ALLOW_RTC_WAKE","features":[342]},{"name":"GUID_ALLOW_STANDBY_STATES","features":[342]},{"name":"GUID_ALLOW_SYSTEM_REQUIRED","features":[342]},{"name":"GUID_APPLAUNCH_BUTTON","features":[342]},{"name":"GUID_BACKGROUND_TASK_NOTIFICATION","features":[342]},{"name":"GUID_BATTERY_COUNT","features":[342]},{"name":"GUID_BATTERY_DISCHARGE_ACTION_0","features":[342]},{"name":"GUID_BATTERY_DISCHARGE_ACTION_1","features":[342]},{"name":"GUID_BATTERY_DISCHARGE_ACTION_2","features":[342]},{"name":"GUID_BATTERY_DISCHARGE_ACTION_3","features":[342]},{"name":"GUID_BATTERY_DISCHARGE_FLAGS_0","features":[342]},{"name":"GUID_BATTERY_DISCHARGE_FLAGS_1","features":[342]},{"name":"GUID_BATTERY_DISCHARGE_FLAGS_2","features":[342]},{"name":"GUID_BATTERY_DISCHARGE_FLAGS_3","features":[342]},{"name":"GUID_BATTERY_DISCHARGE_LEVEL_0","features":[342]},{"name":"GUID_BATTERY_DISCHARGE_LEVEL_1","features":[342]},{"name":"GUID_BATTERY_DISCHARGE_LEVEL_2","features":[342]},{"name":"GUID_BATTERY_DISCHARGE_LEVEL_3","features":[342]},{"name":"GUID_BATTERY_PERCENTAGE_REMAINING","features":[342]},{"name":"GUID_BATTERY_SUBGROUP","features":[342]},{"name":"GUID_CONNECTIVITY_IN_STANDBY","features":[342]},{"name":"GUID_CONSOLE_DISPLAY_STATE","features":[342]},{"name":"GUID_CRITICAL_POWER_TRANSITION","features":[342]},{"name":"GUID_DEEP_SLEEP_ENABLED","features":[342]},{"name":"GUID_DEEP_SLEEP_PLATFORM_STATE","features":[342]},{"name":"GUID_DEVICE_IDLE_POLICY","features":[342]},{"name":"GUID_DEVICE_POWER_POLICY_VIDEO_BRIGHTNESS","features":[342]},{"name":"GUID_DEVICE_POWER_POLICY_VIDEO_DIM_BRIGHTNESS","features":[342]},{"name":"GUID_DISCONNECTED_STANDBY_MODE","features":[342]},{"name":"GUID_DISK_ADAPTIVE_POWERDOWN","features":[342]},{"name":"GUID_DISK_BURST_IGNORE_THRESHOLD","features":[342]},{"name":"GUID_DISK_COALESCING_POWERDOWN_TIMEOUT","features":[342]},{"name":"GUID_DISK_IDLE_TIMEOUT","features":[342]},{"name":"GUID_DISK_MAX_POWER","features":[342]},{"name":"GUID_DISK_NVME_NOPPME","features":[342]},{"name":"GUID_DISK_POWERDOWN_TIMEOUT","features":[342]},{"name":"GUID_DISK_SUBGROUP","features":[342]},{"name":"GUID_ENABLE_SWITCH_FORCED_SHUTDOWN","features":[342]},{"name":"GUID_ENERGY_SAVER_BATTERY_THRESHOLD","features":[342]},{"name":"GUID_ENERGY_SAVER_BRIGHTNESS","features":[342]},{"name":"GUID_ENERGY_SAVER_POLICY","features":[342]},{"name":"GUID_ENERGY_SAVER_SUBGROUP","features":[342]},{"name":"GUID_EXECUTION_REQUIRED_REQUEST_TIMEOUT","features":[342]},{"name":"GUID_GLOBAL_USER_PRESENCE","features":[342]},{"name":"GUID_GPU_PREFERENCE_POLICY","features":[342]},{"name":"GUID_GRAPHICS_SUBGROUP","features":[342]},{"name":"GUID_HIBERNATE_FASTS4_POLICY","features":[342]},{"name":"GUID_HIBERNATE_TIMEOUT","features":[342]},{"name":"GUID_HUPR_ADAPTIVE_AWAY_DIM_TIMEOUT","features":[342]},{"name":"GUID_HUPR_ADAPTIVE_AWAY_DISPLAY_TIMEOUT","features":[342]},{"name":"GUID_HUPR_ADAPTIVE_INATTENTIVE_DIM_TIMEOUT","features":[342]},{"name":"GUID_HUPR_ADAPTIVE_INATTENTIVE_DISPLAY_TIMEOUT","features":[342]},{"name":"GUID_IDLE_BACKGROUND_TASK","features":[342]},{"name":"GUID_IDLE_RESILIENCY_PERIOD","features":[342]},{"name":"GUID_IDLE_RESILIENCY_SUBGROUP","features":[342]},{"name":"GUID_INTSTEER_LOAD_PER_PROC_TRIGGER","features":[342]},{"name":"GUID_INTSTEER_MODE","features":[342]},{"name":"GUID_INTSTEER_SUBGROUP","features":[342]},{"name":"GUID_INTSTEER_TIME_UNPARK_TRIGGER","features":[342]},{"name":"GUID_LEGACY_RTC_MITIGATION","features":[342]},{"name":"GUID_LIDCLOSE_ACTION","features":[342]},{"name":"GUID_LIDOPEN_POWERSTATE","features":[342]},{"name":"GUID_LIDSWITCH_STATE_CHANGE","features":[342]},{"name":"GUID_LIDSWITCH_STATE_RELIABILITY","features":[342]},{"name":"GUID_LOCK_CONSOLE_ON_WAKE","features":[342]},{"name":"GUID_MAX_POWER_SAVINGS","features":[342]},{"name":"GUID_MIN_POWER_SAVINGS","features":[342]},{"name":"GUID_MIXED_REALITY_MODE","features":[342]},{"name":"GUID_MONITOR_POWER_ON","features":[342]},{"name":"GUID_NON_ADAPTIVE_INPUT_TIMEOUT","features":[342]},{"name":"GUID_PCIEXPRESS_ASPM_POLICY","features":[342]},{"name":"GUID_PCIEXPRESS_SETTINGS_SUBGROUP","features":[342]},{"name":"GUID_POWERBUTTON_ACTION","features":[342]},{"name":"GUID_POWERSCHEME_PERSONALITY","features":[342]},{"name":"GUID_POWER_SAVING_STATUS","features":[342]},{"name":"GUID_PROCESSOR_ALLOW_THROTTLING","features":[342]},{"name":"GUID_PROCESSOR_CLASS0_FLOOR_PERF","features":[342]},{"name":"GUID_PROCESSOR_CLASS1_INITIAL_PERF","features":[342]},{"name":"GUID_PROCESSOR_COMPLEX_PARKING_POLICY","features":[342]},{"name":"GUID_PROCESSOR_CORE_PARKING_AFFINITY_HISTORY_DECREASE_FACTOR","features":[342]},{"name":"GUID_PROCESSOR_CORE_PARKING_AFFINITY_HISTORY_THRESHOLD","features":[342]},{"name":"GUID_PROCESSOR_CORE_PARKING_AFFINITY_WEIGHTING","features":[342]},{"name":"GUID_PROCESSOR_CORE_PARKING_DECREASE_POLICY","features":[342]},{"name":"GUID_PROCESSOR_CORE_PARKING_DECREASE_THRESHOLD","features":[342]},{"name":"GUID_PROCESSOR_CORE_PARKING_DECREASE_TIME","features":[342]},{"name":"GUID_PROCESSOR_CORE_PARKING_INCREASE_POLICY","features":[342]},{"name":"GUID_PROCESSOR_CORE_PARKING_INCREASE_THRESHOLD","features":[342]},{"name":"GUID_PROCESSOR_CORE_PARKING_INCREASE_TIME","features":[342]},{"name":"GUID_PROCESSOR_CORE_PARKING_MAX_CORES","features":[342]},{"name":"GUID_PROCESSOR_CORE_PARKING_MAX_CORES_1","features":[342]},{"name":"GUID_PROCESSOR_CORE_PARKING_MIN_CORES","features":[342]},{"name":"GUID_PROCESSOR_CORE_PARKING_MIN_CORES_1","features":[342]},{"name":"GUID_PROCESSOR_CORE_PARKING_OVER_UTILIZATION_HISTORY_DECREASE_FACTOR","features":[342]},{"name":"GUID_PROCESSOR_CORE_PARKING_OVER_UTILIZATION_HISTORY_THRESHOLD","features":[342]},{"name":"GUID_PROCESSOR_CORE_PARKING_OVER_UTILIZATION_THRESHOLD","features":[342]},{"name":"GUID_PROCESSOR_CORE_PARKING_OVER_UTILIZATION_WEIGHTING","features":[342]},{"name":"GUID_PROCESSOR_DISTRIBUTE_UTILITY","features":[342]},{"name":"GUID_PROCESSOR_DUTY_CYCLING","features":[342]},{"name":"GUID_PROCESSOR_FREQUENCY_LIMIT","features":[342]},{"name":"GUID_PROCESSOR_FREQUENCY_LIMIT_1","features":[342]},{"name":"GUID_PROCESSOR_HETEROGENEOUS_POLICY","features":[342]},{"name":"GUID_PROCESSOR_HETERO_DECREASE_THRESHOLD","features":[342]},{"name":"GUID_PROCESSOR_HETERO_DECREASE_THRESHOLD_1","features":[342]},{"name":"GUID_PROCESSOR_HETERO_DECREASE_TIME","features":[342]},{"name":"GUID_PROCESSOR_HETERO_INCREASE_THRESHOLD","features":[342]},{"name":"GUID_PROCESSOR_HETERO_INCREASE_THRESHOLD_1","features":[342]},{"name":"GUID_PROCESSOR_HETERO_INCREASE_TIME","features":[342]},{"name":"GUID_PROCESSOR_IDLESTATE_POLICY","features":[342]},{"name":"GUID_PROCESSOR_IDLE_ALLOW_SCALING","features":[342]},{"name":"GUID_PROCESSOR_IDLE_DEMOTE_THRESHOLD","features":[342]},{"name":"GUID_PROCESSOR_IDLE_DISABLE","features":[342]},{"name":"GUID_PROCESSOR_IDLE_PROMOTE_THRESHOLD","features":[342]},{"name":"GUID_PROCESSOR_IDLE_STATE_MAXIMUM","features":[342]},{"name":"GUID_PROCESSOR_IDLE_TIME_CHECK","features":[342]},{"name":"GUID_PROCESSOR_LATENCY_HINT_MIN_UNPARK","features":[342]},{"name":"GUID_PROCESSOR_LATENCY_HINT_MIN_UNPARK_1","features":[342]},{"name":"GUID_PROCESSOR_LONG_THREAD_ARCH_CLASS_LOWER_THRESHOLD","features":[342]},{"name":"GUID_PROCESSOR_LONG_THREAD_ARCH_CLASS_UPPER_THRESHOLD","features":[342]},{"name":"GUID_PROCESSOR_MODULE_PARKING_POLICY","features":[342]},{"name":"GUID_PROCESSOR_PARKING_CONCURRENCY_THRESHOLD","features":[342]},{"name":"GUID_PROCESSOR_PARKING_CORE_OVERRIDE","features":[342]},{"name":"GUID_PROCESSOR_PARKING_DISTRIBUTION_THRESHOLD","features":[342]},{"name":"GUID_PROCESSOR_PARKING_HEADROOM_THRESHOLD","features":[342]},{"name":"GUID_PROCESSOR_PARKING_PERF_STATE","features":[342]},{"name":"GUID_PROCESSOR_PARKING_PERF_STATE_1","features":[342]},{"name":"GUID_PROCESSOR_PERFSTATE_POLICY","features":[342]},{"name":"GUID_PROCESSOR_PERF_AUTONOMOUS_ACTIVITY_WINDOW","features":[342]},{"name":"GUID_PROCESSOR_PERF_AUTONOMOUS_MODE","features":[342]},{"name":"GUID_PROCESSOR_PERF_BOOST_MODE","features":[342]},{"name":"GUID_PROCESSOR_PERF_BOOST_POLICY","features":[342]},{"name":"GUID_PROCESSOR_PERF_CORE_PARKING_HISTORY","features":[342]},{"name":"GUID_PROCESSOR_PERF_DECREASE_HISTORY","features":[342]},{"name":"GUID_PROCESSOR_PERF_DECREASE_POLICY","features":[342]},{"name":"GUID_PROCESSOR_PERF_DECREASE_POLICY_1","features":[342]},{"name":"GUID_PROCESSOR_PERF_DECREASE_THRESHOLD","features":[342]},{"name":"GUID_PROCESSOR_PERF_DECREASE_THRESHOLD_1","features":[342]},{"name":"GUID_PROCESSOR_PERF_DECREASE_TIME","features":[342]},{"name":"GUID_PROCESSOR_PERF_DECREASE_TIME_1","features":[342]},{"name":"GUID_PROCESSOR_PERF_ENERGY_PERFORMANCE_PREFERENCE","features":[342]},{"name":"GUID_PROCESSOR_PERF_ENERGY_PERFORMANCE_PREFERENCE_1","features":[342]},{"name":"GUID_PROCESSOR_PERF_HISTORY","features":[342]},{"name":"GUID_PROCESSOR_PERF_HISTORY_1","features":[342]},{"name":"GUID_PROCESSOR_PERF_INCREASE_HISTORY","features":[342]},{"name":"GUID_PROCESSOR_PERF_INCREASE_POLICY","features":[342]},{"name":"GUID_PROCESSOR_PERF_INCREASE_POLICY_1","features":[342]},{"name":"GUID_PROCESSOR_PERF_INCREASE_THRESHOLD","features":[342]},{"name":"GUID_PROCESSOR_PERF_INCREASE_THRESHOLD_1","features":[342]},{"name":"GUID_PROCESSOR_PERF_INCREASE_TIME","features":[342]},{"name":"GUID_PROCESSOR_PERF_INCREASE_TIME_1","features":[342]},{"name":"GUID_PROCESSOR_PERF_LATENCY_HINT","features":[342]},{"name":"GUID_PROCESSOR_PERF_LATENCY_HINT_PERF","features":[342]},{"name":"GUID_PROCESSOR_PERF_LATENCY_HINT_PERF_1","features":[342]},{"name":"GUID_PROCESSOR_PERF_TIME_CHECK","features":[342]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_DISABLE_THRESHOLD","features":[342]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_DISABLE_THRESHOLD_1","features":[342]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_DISABLE_TIME","features":[342]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_DISABLE_TIME_1","features":[342]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_ENABLE_THRESHOLD","features":[342]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_ENABLE_THRESHOLD_1","features":[342]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_ENABLE_TIME","features":[342]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_ENABLE_TIME_1","features":[342]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_EPP_CEILING","features":[342]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_EPP_CEILING_1","features":[342]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_PERF_FLOOR","features":[342]},{"name":"GUID_PROCESSOR_RESPONSIVENESS_PERF_FLOOR_1","features":[342]},{"name":"GUID_PROCESSOR_SETTINGS_SUBGROUP","features":[342]},{"name":"GUID_PROCESSOR_SHORT_THREAD_ARCH_CLASS_LOWER_THRESHOLD","features":[342]},{"name":"GUID_PROCESSOR_SHORT_THREAD_ARCH_CLASS_UPPER_THRESHOLD","features":[342]},{"name":"GUID_PROCESSOR_SHORT_THREAD_RUNTIME_THRESHOLD","features":[342]},{"name":"GUID_PROCESSOR_SHORT_THREAD_SCHEDULING_POLICY","features":[342]},{"name":"GUID_PROCESSOR_SMT_UNPARKING_POLICY","features":[342]},{"name":"GUID_PROCESSOR_SOFT_PARKING_LATENCY","features":[342]},{"name":"GUID_PROCESSOR_THREAD_SCHEDULING_POLICY","features":[342]},{"name":"GUID_PROCESSOR_THROTTLE_MAXIMUM","features":[342]},{"name":"GUID_PROCESSOR_THROTTLE_MAXIMUM_1","features":[342]},{"name":"GUID_PROCESSOR_THROTTLE_MINIMUM","features":[342]},{"name":"GUID_PROCESSOR_THROTTLE_MINIMUM_1","features":[342]},{"name":"GUID_PROCESSOR_THROTTLE_POLICY","features":[342]},{"name":"GUID_SESSION_DISPLAY_STATUS","features":[342]},{"name":"GUID_SESSION_USER_PRESENCE","features":[342]},{"name":"GUID_SLEEPBUTTON_ACTION","features":[342]},{"name":"GUID_SLEEP_IDLE_THRESHOLD","features":[342]},{"name":"GUID_SLEEP_SUBGROUP","features":[342]},{"name":"GUID_SPR_ACTIVE_SESSION_CHANGE","features":[342]},{"name":"GUID_STANDBY_BUDGET_GRACE_PERIOD","features":[342]},{"name":"GUID_STANDBY_BUDGET_PERCENT","features":[342]},{"name":"GUID_STANDBY_RESERVE_GRACE_PERIOD","features":[342]},{"name":"GUID_STANDBY_RESERVE_TIME","features":[342]},{"name":"GUID_STANDBY_RESET_PERCENT","features":[342]},{"name":"GUID_STANDBY_TIMEOUT","features":[342]},{"name":"GUID_SYSTEM_AWAYMODE","features":[342]},{"name":"GUID_SYSTEM_BUTTON_SUBGROUP","features":[342]},{"name":"GUID_SYSTEM_COOLING_POLICY","features":[342]},{"name":"GUID_TYPICAL_POWER_SAVINGS","features":[342]},{"name":"GUID_UNATTEND_SLEEP_TIMEOUT","features":[342]},{"name":"GUID_USERINTERFACEBUTTON_ACTION","features":[342]},{"name":"GUID_USER_PRESENCE_PREDICTION","features":[342]},{"name":"GUID_VIDEO_ADAPTIVE_DISPLAY_BRIGHTNESS","features":[342]},{"name":"GUID_VIDEO_ADAPTIVE_PERCENT_INCREASE","features":[342]},{"name":"GUID_VIDEO_ADAPTIVE_POWERDOWN","features":[342]},{"name":"GUID_VIDEO_ANNOYANCE_TIMEOUT","features":[342]},{"name":"GUID_VIDEO_CONSOLE_LOCK_TIMEOUT","features":[342]},{"name":"GUID_VIDEO_CURRENT_MONITOR_BRIGHTNESS","features":[342]},{"name":"GUID_VIDEO_DIM_TIMEOUT","features":[342]},{"name":"GUID_VIDEO_POWERDOWN_TIMEOUT","features":[342]},{"name":"GUID_VIDEO_SUBGROUP","features":[342]},{"name":"HEAP_OPTIMIZE_RESOURCES_CURRENT_VERSION","features":[342]},{"name":"HEAP_OPTIMIZE_RESOURCES_INFORMATION","features":[342]},{"name":"HIBERFILE_BUCKET","features":[342]},{"name":"HIBERFILE_BUCKET_SIZE","features":[342]},{"name":"HIBERFILE_TYPE_FULL","features":[342]},{"name":"HIBERFILE_TYPE_MAX","features":[342]},{"name":"HIBERFILE_TYPE_NONE","features":[342]},{"name":"HIBERFILE_TYPE_REDUCED","features":[342]},{"name":"HiberFileBucket16GB","features":[342]},{"name":"HiberFileBucket1GB","features":[342]},{"name":"HiberFileBucket2GB","features":[342]},{"name":"HiberFileBucket32GB","features":[342]},{"name":"HiberFileBucket4GB","features":[342]},{"name":"HiberFileBucket8GB","features":[342]},{"name":"HiberFileBucketMax","features":[342]},{"name":"HiberFileBucketUnlimited","features":[342]},{"name":"IGP_CONVERSION","features":[342]},{"name":"IGP_GETIMEVERSION","features":[342]},{"name":"IGP_ID","features":[342]},{"name":"IGP_PROPERTY","features":[342]},{"name":"IGP_SELECT","features":[342]},{"name":"IGP_SENTENCE","features":[342]},{"name":"IGP_SETCOMPSTR","features":[342]},{"name":"IGP_UI","features":[342]},{"name":"IMAGE_ALPHA64_RUNTIME_FUNCTION_ENTRY","features":[342]},{"name":"IMAGE_ALPHA_RUNTIME_FUNCTION_ENTRY","features":[342]},{"name":"IMAGE_ARCHITECTURE_ENTRY","features":[342]},{"name":"IMAGE_ARCHITECTURE_HEADER","features":[342]},{"name":"IMAGE_ARCHIVE_END","features":[342]},{"name":"IMAGE_ARCHIVE_HYBRIDMAP_MEMBER","features":[342]},{"name":"IMAGE_ARCHIVE_LINKER_MEMBER","features":[342]},{"name":"IMAGE_ARCHIVE_LONGNAMES_MEMBER","features":[342]},{"name":"IMAGE_ARCHIVE_MEMBER_HEADER","features":[342]},{"name":"IMAGE_ARCHIVE_PAD","features":[342]},{"name":"IMAGE_ARCHIVE_START","features":[342]},{"name":"IMAGE_ARCHIVE_START_SIZE","features":[342]},{"name":"IMAGE_ARM64_RUNTIME_FUNCTION_ENTRY_XDATA","features":[342]},{"name":"IMAGE_ARM_RUNTIME_FUNCTION_ENTRY","features":[342]},{"name":"IMAGE_AUX_SYMBOL","features":[342]},{"name":"IMAGE_AUX_SYMBOL_EX","features":[342]},{"name":"IMAGE_AUX_SYMBOL_TOKEN_DEF","features":[342]},{"name":"IMAGE_AUX_SYMBOL_TYPE","features":[342]},{"name":"IMAGE_AUX_SYMBOL_TYPE_TOKEN_DEF","features":[342]},{"name":"IMAGE_BASE_RELOCATION","features":[342]},{"name":"IMAGE_BDD_DYNAMIC_RELOCATION","features":[342]},{"name":"IMAGE_BDD_INFO","features":[342]},{"name":"IMAGE_BOUND_FORWARDER_REF","features":[342]},{"name":"IMAGE_BOUND_IMPORT_DESCRIPTOR","features":[342]},{"name":"IMAGE_CE_RUNTIME_FUNCTION_ENTRY","features":[342]},{"name":"IMAGE_COMDAT_SELECT_ANY","features":[342]},{"name":"IMAGE_COMDAT_SELECT_ASSOCIATIVE","features":[342]},{"name":"IMAGE_COMDAT_SELECT_EXACT_MATCH","features":[342]},{"name":"IMAGE_COMDAT_SELECT_LARGEST","features":[342]},{"name":"IMAGE_COMDAT_SELECT_NEWEST","features":[342]},{"name":"IMAGE_COMDAT_SELECT_NODUPLICATES","features":[342]},{"name":"IMAGE_COMDAT_SELECT_SAME_SIZE","features":[342]},{"name":"IMAGE_COR_EATJ_THUNK_SIZE","features":[342]},{"name":"IMAGE_COR_MIH_BASICBLOCK","features":[342]},{"name":"IMAGE_COR_MIH_EHRVA","features":[342]},{"name":"IMAGE_COR_MIH_METHODRVA","features":[342]},{"name":"IMAGE_DEBUG_MISC","features":[308,342]},{"name":"IMAGE_DEBUG_MISC_EXENAME","features":[342]},{"name":"IMAGE_DEBUG_TYPE_BBT","features":[342]},{"name":"IMAGE_DEBUG_TYPE_CLSID","features":[342]},{"name":"IMAGE_DEBUG_TYPE_EX_DLLCHARACTERISTICS","features":[342]},{"name":"IMAGE_DEBUG_TYPE_ILTCG","features":[342]},{"name":"IMAGE_DEBUG_TYPE_MPX","features":[342]},{"name":"IMAGE_DEBUG_TYPE_OMAP_FROM_SRC","features":[342]},{"name":"IMAGE_DEBUG_TYPE_OMAP_TO_SRC","features":[342]},{"name":"IMAGE_DEBUG_TYPE_POGO","features":[342]},{"name":"IMAGE_DEBUG_TYPE_REPRO","features":[342]},{"name":"IMAGE_DEBUG_TYPE_RESERVED10","features":[342]},{"name":"IMAGE_DEBUG_TYPE_SPGO","features":[342]},{"name":"IMAGE_DEBUG_TYPE_VC_FEATURE","features":[342]},{"name":"IMAGE_DOS_HEADER","features":[342]},{"name":"IMAGE_DOS_SIGNATURE","features":[342]},{"name":"IMAGE_DYNAMIC_RELOCATION32","features":[342]},{"name":"IMAGE_DYNAMIC_RELOCATION32_V2","features":[342]},{"name":"IMAGE_DYNAMIC_RELOCATION64","features":[342]},{"name":"IMAGE_DYNAMIC_RELOCATION64_V2","features":[342]},{"name":"IMAGE_DYNAMIC_RELOCATION_FUNCTION_OVERRIDE","features":[342]},{"name":"IMAGE_DYNAMIC_RELOCATION_GUARD_IMPORT_CONTROL_TRANSFER","features":[342]},{"name":"IMAGE_DYNAMIC_RELOCATION_GUARD_INDIR_CONTROL_TRANSFER","features":[342]},{"name":"IMAGE_DYNAMIC_RELOCATION_GUARD_RF_EPILOGUE","features":[342]},{"name":"IMAGE_DYNAMIC_RELOCATION_GUARD_RF_PROLOGUE","features":[342]},{"name":"IMAGE_DYNAMIC_RELOCATION_GUARD_SWITCHTABLE_BRANCH","features":[342]},{"name":"IMAGE_DYNAMIC_RELOCATION_TABLE","features":[342]},{"name":"IMAGE_ENCLAVE_FLAG_PRIMARY_IMAGE","features":[342]},{"name":"IMAGE_ENCLAVE_IMPORT_MATCH_AUTHOR_ID","features":[342]},{"name":"IMAGE_ENCLAVE_IMPORT_MATCH_FAMILY_ID","features":[342]},{"name":"IMAGE_ENCLAVE_IMPORT_MATCH_IMAGE_ID","features":[342]},{"name":"IMAGE_ENCLAVE_IMPORT_MATCH_NONE","features":[342]},{"name":"IMAGE_ENCLAVE_IMPORT_MATCH_UNIQUE_ID","features":[342]},{"name":"IMAGE_ENCLAVE_LONG_ID_LENGTH","features":[342]},{"name":"IMAGE_ENCLAVE_POLICY_DEBUGGABLE","features":[342]},{"name":"IMAGE_ENCLAVE_SHORT_ID_LENGTH","features":[342]},{"name":"IMAGE_EPILOGUE_DYNAMIC_RELOCATION_HEADER","features":[342]},{"name":"IMAGE_EXPORT_DIRECTORY","features":[342]},{"name":"IMAGE_FUNCTION_OVERRIDE_ARM64_BRANCH26","features":[342]},{"name":"IMAGE_FUNCTION_OVERRIDE_ARM64_THUNK","features":[342]},{"name":"IMAGE_FUNCTION_OVERRIDE_DYNAMIC_RELOCATION","features":[342]},{"name":"IMAGE_FUNCTION_OVERRIDE_HEADER","features":[342]},{"name":"IMAGE_FUNCTION_OVERRIDE_INVALID","features":[342]},{"name":"IMAGE_FUNCTION_OVERRIDE_X64_REL32","features":[342]},{"name":"IMAGE_GUARD_CASTGUARD_PRESENT","features":[342]},{"name":"IMAGE_GUARD_CFW_INSTRUMENTED","features":[342]},{"name":"IMAGE_GUARD_CF_ENABLE_EXPORT_SUPPRESSION","features":[342]},{"name":"IMAGE_GUARD_CF_EXPORT_SUPPRESSION_INFO_PRESENT","features":[342]},{"name":"IMAGE_GUARD_CF_FUNCTION_TABLE_PRESENT","features":[342]},{"name":"IMAGE_GUARD_CF_FUNCTION_TABLE_SIZE_MASK","features":[342]},{"name":"IMAGE_GUARD_CF_FUNCTION_TABLE_SIZE_SHIFT","features":[342]},{"name":"IMAGE_GUARD_CF_INSTRUMENTED","features":[342]},{"name":"IMAGE_GUARD_CF_LONGJUMP_TABLE_PRESENT","features":[342]},{"name":"IMAGE_GUARD_DELAYLOAD_IAT_IN_ITS_OWN_SECTION","features":[342]},{"name":"IMAGE_GUARD_EH_CONTINUATION_TABLE_PRESENT","features":[342]},{"name":"IMAGE_GUARD_FLAG_EXPORT_SUPPRESSED","features":[342]},{"name":"IMAGE_GUARD_FLAG_FID_LANGEXCPTHANDLER","features":[342]},{"name":"IMAGE_GUARD_FLAG_FID_SUPPRESSED","features":[342]},{"name":"IMAGE_GUARD_FLAG_FID_XFG","features":[342]},{"name":"IMAGE_GUARD_MEMCPY_PRESENT","features":[342]},{"name":"IMAGE_GUARD_PROTECT_DELAYLOAD_IAT","features":[342]},{"name":"IMAGE_GUARD_RETPOLINE_PRESENT","features":[342]},{"name":"IMAGE_GUARD_RF_ENABLE","features":[342]},{"name":"IMAGE_GUARD_RF_INSTRUMENTED","features":[342]},{"name":"IMAGE_GUARD_RF_STRICT","features":[342]},{"name":"IMAGE_GUARD_SECURITY_COOKIE_UNUSED","features":[342]},{"name":"IMAGE_GUARD_XFG_ENABLED","features":[342]},{"name":"IMAGE_HOT_PATCH_ABSOLUTE","features":[342]},{"name":"IMAGE_HOT_PATCH_BASE","features":[342]},{"name":"IMAGE_HOT_PATCH_BASE_CAN_ROLL_BACK","features":[342]},{"name":"IMAGE_HOT_PATCH_BASE_OBLIGATORY","features":[342]},{"name":"IMAGE_HOT_PATCH_CALL_TARGET","features":[342]},{"name":"IMAGE_HOT_PATCH_CHUNK_INVERSE","features":[342]},{"name":"IMAGE_HOT_PATCH_CHUNK_OBLIGATORY","features":[342]},{"name":"IMAGE_HOT_PATCH_CHUNK_RESERVED","features":[342]},{"name":"IMAGE_HOT_PATCH_CHUNK_SIZE","features":[342]},{"name":"IMAGE_HOT_PATCH_CHUNK_SOURCE_RVA","features":[342]},{"name":"IMAGE_HOT_PATCH_CHUNK_TARGET_RVA","features":[342]},{"name":"IMAGE_HOT_PATCH_CHUNK_TYPE","features":[342]},{"name":"IMAGE_HOT_PATCH_DYNAMIC_VALUE","features":[342]},{"name":"IMAGE_HOT_PATCH_FUNCTION","features":[342]},{"name":"IMAGE_HOT_PATCH_HASHES","features":[342]},{"name":"IMAGE_HOT_PATCH_INDIRECT","features":[342]},{"name":"IMAGE_HOT_PATCH_INFO","features":[342]},{"name":"IMAGE_HOT_PATCH_NONE","features":[342]},{"name":"IMAGE_HOT_PATCH_NO_CALL_TARGET","features":[342]},{"name":"IMAGE_HOT_PATCH_REL32","features":[342]},{"name":"IMAGE_IMPORT_BY_NAME","features":[342]},{"name":"IMAGE_IMPORT_CONTROL_TRANSFER_DYNAMIC_RELOCATION","features":[342]},{"name":"IMAGE_IMPORT_DESCRIPTOR","features":[342]},{"name":"IMAGE_INDIR_CONTROL_TRANSFER_DYNAMIC_RELOCATION","features":[342]},{"name":"IMAGE_LINENUMBER","features":[342]},{"name":"IMAGE_NT_SIGNATURE","features":[342]},{"name":"IMAGE_NUMBEROF_DIRECTORY_ENTRIES","features":[342]},{"name":"IMAGE_ORDINAL_FLAG32","features":[342]},{"name":"IMAGE_ORDINAL_FLAG64","features":[342]},{"name":"IMAGE_OS2_HEADER","features":[342]},{"name":"IMAGE_OS2_SIGNATURE","features":[342]},{"name":"IMAGE_OS2_SIGNATURE_LE","features":[342]},{"name":"IMAGE_POLICY_ENTRY","features":[308,342]},{"name":"IMAGE_POLICY_ENTRY_TYPE","features":[342]},{"name":"IMAGE_POLICY_ID","features":[342]},{"name":"IMAGE_POLICY_METADATA","features":[308,342]},{"name":"IMAGE_POLICY_METADATA_VERSION","features":[342]},{"name":"IMAGE_POLICY_SECTION_NAME","features":[342]},{"name":"IMAGE_PROLOGUE_DYNAMIC_RELOCATION_HEADER","features":[342]},{"name":"IMAGE_RELOCATION","features":[342]},{"name":"IMAGE_REL_ALPHA_ABSOLUTE","features":[342]},{"name":"IMAGE_REL_ALPHA_BRADDR","features":[342]},{"name":"IMAGE_REL_ALPHA_GPDISP","features":[342]},{"name":"IMAGE_REL_ALPHA_GPREL32","features":[342]},{"name":"IMAGE_REL_ALPHA_GPRELHI","features":[342]},{"name":"IMAGE_REL_ALPHA_GPRELLO","features":[342]},{"name":"IMAGE_REL_ALPHA_HINT","features":[342]},{"name":"IMAGE_REL_ALPHA_INLINE_REFLONG","features":[342]},{"name":"IMAGE_REL_ALPHA_LITERAL","features":[342]},{"name":"IMAGE_REL_ALPHA_LITUSE","features":[342]},{"name":"IMAGE_REL_ALPHA_MATCH","features":[342]},{"name":"IMAGE_REL_ALPHA_PAIR","features":[342]},{"name":"IMAGE_REL_ALPHA_REFHI","features":[342]},{"name":"IMAGE_REL_ALPHA_REFLO","features":[342]},{"name":"IMAGE_REL_ALPHA_REFLONG","features":[342]},{"name":"IMAGE_REL_ALPHA_REFLONGNB","features":[342]},{"name":"IMAGE_REL_ALPHA_REFQ1","features":[342]},{"name":"IMAGE_REL_ALPHA_REFQ2","features":[342]},{"name":"IMAGE_REL_ALPHA_REFQ3","features":[342]},{"name":"IMAGE_REL_ALPHA_REFQUAD","features":[342]},{"name":"IMAGE_REL_ALPHA_SECREL","features":[342]},{"name":"IMAGE_REL_ALPHA_SECRELHI","features":[342]},{"name":"IMAGE_REL_ALPHA_SECRELLO","features":[342]},{"name":"IMAGE_REL_ALPHA_SECTION","features":[342]},{"name":"IMAGE_REL_AMD64_ABSOLUTE","features":[342]},{"name":"IMAGE_REL_AMD64_ADDR32","features":[342]},{"name":"IMAGE_REL_AMD64_ADDR32NB","features":[342]},{"name":"IMAGE_REL_AMD64_ADDR64","features":[342]},{"name":"IMAGE_REL_AMD64_CFG_BR","features":[342]},{"name":"IMAGE_REL_AMD64_CFG_BR_REX","features":[342]},{"name":"IMAGE_REL_AMD64_CFG_CALL","features":[342]},{"name":"IMAGE_REL_AMD64_EHANDLER","features":[342]},{"name":"IMAGE_REL_AMD64_IMPORT_BR","features":[342]},{"name":"IMAGE_REL_AMD64_IMPORT_CALL","features":[342]},{"name":"IMAGE_REL_AMD64_INDIR_BR","features":[342]},{"name":"IMAGE_REL_AMD64_INDIR_BR_REX","features":[342]},{"name":"IMAGE_REL_AMD64_INDIR_BR_SWITCHTABLE_FIRST","features":[342]},{"name":"IMAGE_REL_AMD64_INDIR_BR_SWITCHTABLE_LAST","features":[342]},{"name":"IMAGE_REL_AMD64_INDIR_CALL","features":[342]},{"name":"IMAGE_REL_AMD64_PAIR","features":[342]},{"name":"IMAGE_REL_AMD64_REL32","features":[342]},{"name":"IMAGE_REL_AMD64_REL32_1","features":[342]},{"name":"IMAGE_REL_AMD64_REL32_2","features":[342]},{"name":"IMAGE_REL_AMD64_REL32_3","features":[342]},{"name":"IMAGE_REL_AMD64_REL32_4","features":[342]},{"name":"IMAGE_REL_AMD64_REL32_5","features":[342]},{"name":"IMAGE_REL_AMD64_SECREL","features":[342]},{"name":"IMAGE_REL_AMD64_SECREL7","features":[342]},{"name":"IMAGE_REL_AMD64_SECTION","features":[342]},{"name":"IMAGE_REL_AMD64_SREL32","features":[342]},{"name":"IMAGE_REL_AMD64_SSPAN32","features":[342]},{"name":"IMAGE_REL_AMD64_TOKEN","features":[342]},{"name":"IMAGE_REL_AM_ABSOLUTE","features":[342]},{"name":"IMAGE_REL_AM_ADDR32","features":[342]},{"name":"IMAGE_REL_AM_ADDR32NB","features":[342]},{"name":"IMAGE_REL_AM_CALL32","features":[342]},{"name":"IMAGE_REL_AM_FUNCINFO","features":[342]},{"name":"IMAGE_REL_AM_REL32_1","features":[342]},{"name":"IMAGE_REL_AM_REL32_2","features":[342]},{"name":"IMAGE_REL_AM_SECREL","features":[342]},{"name":"IMAGE_REL_AM_SECTION","features":[342]},{"name":"IMAGE_REL_AM_TOKEN","features":[342]},{"name":"IMAGE_REL_ARM64_ABSOLUTE","features":[342]},{"name":"IMAGE_REL_ARM64_ADDR32","features":[342]},{"name":"IMAGE_REL_ARM64_ADDR32NB","features":[342]},{"name":"IMAGE_REL_ARM64_ADDR64","features":[342]},{"name":"IMAGE_REL_ARM64_BRANCH19","features":[342]},{"name":"IMAGE_REL_ARM64_BRANCH26","features":[342]},{"name":"IMAGE_REL_ARM64_PAGEBASE_REL21","features":[342]},{"name":"IMAGE_REL_ARM64_PAGEOFFSET_12A","features":[342]},{"name":"IMAGE_REL_ARM64_PAGEOFFSET_12L","features":[342]},{"name":"IMAGE_REL_ARM64_REL21","features":[342]},{"name":"IMAGE_REL_ARM64_SECREL","features":[342]},{"name":"IMAGE_REL_ARM64_SECREL_HIGH12A","features":[342]},{"name":"IMAGE_REL_ARM64_SECREL_LOW12A","features":[342]},{"name":"IMAGE_REL_ARM64_SECREL_LOW12L","features":[342]},{"name":"IMAGE_REL_ARM64_SECTION","features":[342]},{"name":"IMAGE_REL_ARM64_TOKEN","features":[342]},{"name":"IMAGE_REL_ARM_ABSOLUTE","features":[342]},{"name":"IMAGE_REL_ARM_ADDR32","features":[342]},{"name":"IMAGE_REL_ARM_ADDR32NB","features":[342]},{"name":"IMAGE_REL_ARM_BLX11","features":[342]},{"name":"IMAGE_REL_ARM_BLX23T","features":[342]},{"name":"IMAGE_REL_ARM_BLX24","features":[342]},{"name":"IMAGE_REL_ARM_BRANCH11","features":[342]},{"name":"IMAGE_REL_ARM_BRANCH20T","features":[342]},{"name":"IMAGE_REL_ARM_BRANCH24","features":[342]},{"name":"IMAGE_REL_ARM_BRANCH24T","features":[342]},{"name":"IMAGE_REL_ARM_GPREL12","features":[342]},{"name":"IMAGE_REL_ARM_GPREL7","features":[342]},{"name":"IMAGE_REL_ARM_MOV32","features":[342]},{"name":"IMAGE_REL_ARM_MOV32A","features":[342]},{"name":"IMAGE_REL_ARM_MOV32T","features":[342]},{"name":"IMAGE_REL_ARM_SECREL","features":[342]},{"name":"IMAGE_REL_ARM_SECTION","features":[342]},{"name":"IMAGE_REL_ARM_TOKEN","features":[342]},{"name":"IMAGE_REL_BASED_ABSOLUTE","features":[342]},{"name":"IMAGE_REL_BASED_ARM_MOV32","features":[342]},{"name":"IMAGE_REL_BASED_DIR64","features":[342]},{"name":"IMAGE_REL_BASED_HIGH","features":[342]},{"name":"IMAGE_REL_BASED_HIGHADJ","features":[342]},{"name":"IMAGE_REL_BASED_HIGHLOW","features":[342]},{"name":"IMAGE_REL_BASED_IA64_IMM64","features":[342]},{"name":"IMAGE_REL_BASED_LOW","features":[342]},{"name":"IMAGE_REL_BASED_MACHINE_SPECIFIC_5","features":[342]},{"name":"IMAGE_REL_BASED_MACHINE_SPECIFIC_7","features":[342]},{"name":"IMAGE_REL_BASED_MACHINE_SPECIFIC_8","features":[342]},{"name":"IMAGE_REL_BASED_MACHINE_SPECIFIC_9","features":[342]},{"name":"IMAGE_REL_BASED_MIPS_JMPADDR","features":[342]},{"name":"IMAGE_REL_BASED_MIPS_JMPADDR16","features":[342]},{"name":"IMAGE_REL_BASED_RESERVED","features":[342]},{"name":"IMAGE_REL_BASED_THUMB_MOV32","features":[342]},{"name":"IMAGE_REL_CEE_ABSOLUTE","features":[342]},{"name":"IMAGE_REL_CEE_ADDR32","features":[342]},{"name":"IMAGE_REL_CEE_ADDR32NB","features":[342]},{"name":"IMAGE_REL_CEE_ADDR64","features":[342]},{"name":"IMAGE_REL_CEE_SECREL","features":[342]},{"name":"IMAGE_REL_CEE_SECTION","features":[342]},{"name":"IMAGE_REL_CEE_TOKEN","features":[342]},{"name":"IMAGE_REL_CEF_ABSOLUTE","features":[342]},{"name":"IMAGE_REL_CEF_ADDR32","features":[342]},{"name":"IMAGE_REL_CEF_ADDR32NB","features":[342]},{"name":"IMAGE_REL_CEF_ADDR64","features":[342]},{"name":"IMAGE_REL_CEF_SECREL","features":[342]},{"name":"IMAGE_REL_CEF_SECTION","features":[342]},{"name":"IMAGE_REL_CEF_TOKEN","features":[342]},{"name":"IMAGE_REL_EBC_ABSOLUTE","features":[342]},{"name":"IMAGE_REL_EBC_ADDR32NB","features":[342]},{"name":"IMAGE_REL_EBC_REL32","features":[342]},{"name":"IMAGE_REL_EBC_SECREL","features":[342]},{"name":"IMAGE_REL_EBC_SECTION","features":[342]},{"name":"IMAGE_REL_I386_ABSOLUTE","features":[342]},{"name":"IMAGE_REL_I386_DIR16","features":[342]},{"name":"IMAGE_REL_I386_DIR32","features":[342]},{"name":"IMAGE_REL_I386_DIR32NB","features":[342]},{"name":"IMAGE_REL_I386_REL16","features":[342]},{"name":"IMAGE_REL_I386_REL32","features":[342]},{"name":"IMAGE_REL_I386_SECREL","features":[342]},{"name":"IMAGE_REL_I386_SECREL7","features":[342]},{"name":"IMAGE_REL_I386_SECTION","features":[342]},{"name":"IMAGE_REL_I386_SEG12","features":[342]},{"name":"IMAGE_REL_I386_TOKEN","features":[342]},{"name":"IMAGE_REL_IA64_ABSOLUTE","features":[342]},{"name":"IMAGE_REL_IA64_ADDEND","features":[342]},{"name":"IMAGE_REL_IA64_DIR32","features":[342]},{"name":"IMAGE_REL_IA64_DIR32NB","features":[342]},{"name":"IMAGE_REL_IA64_DIR64","features":[342]},{"name":"IMAGE_REL_IA64_GPREL22","features":[342]},{"name":"IMAGE_REL_IA64_GPREL32","features":[342]},{"name":"IMAGE_REL_IA64_IMM14","features":[342]},{"name":"IMAGE_REL_IA64_IMM22","features":[342]},{"name":"IMAGE_REL_IA64_IMM64","features":[342]},{"name":"IMAGE_REL_IA64_IMMGPREL64","features":[342]},{"name":"IMAGE_REL_IA64_LTOFF22","features":[342]},{"name":"IMAGE_REL_IA64_PCREL21B","features":[342]},{"name":"IMAGE_REL_IA64_PCREL21F","features":[342]},{"name":"IMAGE_REL_IA64_PCREL21M","features":[342]},{"name":"IMAGE_REL_IA64_PCREL60B","features":[342]},{"name":"IMAGE_REL_IA64_PCREL60F","features":[342]},{"name":"IMAGE_REL_IA64_PCREL60I","features":[342]},{"name":"IMAGE_REL_IA64_PCREL60M","features":[342]},{"name":"IMAGE_REL_IA64_PCREL60X","features":[342]},{"name":"IMAGE_REL_IA64_SECREL22","features":[342]},{"name":"IMAGE_REL_IA64_SECREL32","features":[342]},{"name":"IMAGE_REL_IA64_SECREL64I","features":[342]},{"name":"IMAGE_REL_IA64_SECTION","features":[342]},{"name":"IMAGE_REL_IA64_SREL14","features":[342]},{"name":"IMAGE_REL_IA64_SREL22","features":[342]},{"name":"IMAGE_REL_IA64_SREL32","features":[342]},{"name":"IMAGE_REL_IA64_TOKEN","features":[342]},{"name":"IMAGE_REL_IA64_UREL32","features":[342]},{"name":"IMAGE_REL_M32R_ABSOLUTE","features":[342]},{"name":"IMAGE_REL_M32R_ADDR24","features":[342]},{"name":"IMAGE_REL_M32R_ADDR32","features":[342]},{"name":"IMAGE_REL_M32R_ADDR32NB","features":[342]},{"name":"IMAGE_REL_M32R_GPREL16","features":[342]},{"name":"IMAGE_REL_M32R_PAIR","features":[342]},{"name":"IMAGE_REL_M32R_PCREL16","features":[342]},{"name":"IMAGE_REL_M32R_PCREL24","features":[342]},{"name":"IMAGE_REL_M32R_PCREL8","features":[342]},{"name":"IMAGE_REL_M32R_REFHALF","features":[342]},{"name":"IMAGE_REL_M32R_REFHI","features":[342]},{"name":"IMAGE_REL_M32R_REFLO","features":[342]},{"name":"IMAGE_REL_M32R_SECREL32","features":[342]},{"name":"IMAGE_REL_M32R_SECTION","features":[342]},{"name":"IMAGE_REL_M32R_TOKEN","features":[342]},{"name":"IMAGE_REL_MIPS_ABSOLUTE","features":[342]},{"name":"IMAGE_REL_MIPS_GPREL","features":[342]},{"name":"IMAGE_REL_MIPS_JMPADDR","features":[342]},{"name":"IMAGE_REL_MIPS_JMPADDR16","features":[342]},{"name":"IMAGE_REL_MIPS_LITERAL","features":[342]},{"name":"IMAGE_REL_MIPS_PAIR","features":[342]},{"name":"IMAGE_REL_MIPS_REFHALF","features":[342]},{"name":"IMAGE_REL_MIPS_REFHI","features":[342]},{"name":"IMAGE_REL_MIPS_REFLO","features":[342]},{"name":"IMAGE_REL_MIPS_REFWORD","features":[342]},{"name":"IMAGE_REL_MIPS_REFWORDNB","features":[342]},{"name":"IMAGE_REL_MIPS_SECREL","features":[342]},{"name":"IMAGE_REL_MIPS_SECRELHI","features":[342]},{"name":"IMAGE_REL_MIPS_SECRELLO","features":[342]},{"name":"IMAGE_REL_MIPS_SECTION","features":[342]},{"name":"IMAGE_REL_MIPS_TOKEN","features":[342]},{"name":"IMAGE_REL_PPC_ABSOLUTE","features":[342]},{"name":"IMAGE_REL_PPC_ADDR14","features":[342]},{"name":"IMAGE_REL_PPC_ADDR16","features":[342]},{"name":"IMAGE_REL_PPC_ADDR24","features":[342]},{"name":"IMAGE_REL_PPC_ADDR32","features":[342]},{"name":"IMAGE_REL_PPC_ADDR32NB","features":[342]},{"name":"IMAGE_REL_PPC_ADDR64","features":[342]},{"name":"IMAGE_REL_PPC_BRNTAKEN","features":[342]},{"name":"IMAGE_REL_PPC_BRTAKEN","features":[342]},{"name":"IMAGE_REL_PPC_GPREL","features":[342]},{"name":"IMAGE_REL_PPC_IFGLUE","features":[342]},{"name":"IMAGE_REL_PPC_IMGLUE","features":[342]},{"name":"IMAGE_REL_PPC_NEG","features":[342]},{"name":"IMAGE_REL_PPC_PAIR","features":[342]},{"name":"IMAGE_REL_PPC_REFHI","features":[342]},{"name":"IMAGE_REL_PPC_REFLO","features":[342]},{"name":"IMAGE_REL_PPC_REL14","features":[342]},{"name":"IMAGE_REL_PPC_REL24","features":[342]},{"name":"IMAGE_REL_PPC_SECREL","features":[342]},{"name":"IMAGE_REL_PPC_SECREL16","features":[342]},{"name":"IMAGE_REL_PPC_SECRELHI","features":[342]},{"name":"IMAGE_REL_PPC_SECRELLO","features":[342]},{"name":"IMAGE_REL_PPC_SECTION","features":[342]},{"name":"IMAGE_REL_PPC_TOCDEFN","features":[342]},{"name":"IMAGE_REL_PPC_TOCREL14","features":[342]},{"name":"IMAGE_REL_PPC_TOCREL16","features":[342]},{"name":"IMAGE_REL_PPC_TOKEN","features":[342]},{"name":"IMAGE_REL_PPC_TYPEMASK","features":[342]},{"name":"IMAGE_REL_SH3_ABSOLUTE","features":[342]},{"name":"IMAGE_REL_SH3_DIRECT16","features":[342]},{"name":"IMAGE_REL_SH3_DIRECT32","features":[342]},{"name":"IMAGE_REL_SH3_DIRECT32_NB","features":[342]},{"name":"IMAGE_REL_SH3_DIRECT4","features":[342]},{"name":"IMAGE_REL_SH3_DIRECT4_LONG","features":[342]},{"name":"IMAGE_REL_SH3_DIRECT4_WORD","features":[342]},{"name":"IMAGE_REL_SH3_DIRECT8","features":[342]},{"name":"IMAGE_REL_SH3_DIRECT8_LONG","features":[342]},{"name":"IMAGE_REL_SH3_DIRECT8_WORD","features":[342]},{"name":"IMAGE_REL_SH3_GPREL4_LONG","features":[342]},{"name":"IMAGE_REL_SH3_PCREL12_WORD","features":[342]},{"name":"IMAGE_REL_SH3_PCREL8_LONG","features":[342]},{"name":"IMAGE_REL_SH3_PCREL8_WORD","features":[342]},{"name":"IMAGE_REL_SH3_SECREL","features":[342]},{"name":"IMAGE_REL_SH3_SECTION","features":[342]},{"name":"IMAGE_REL_SH3_SIZEOF_SECTION","features":[342]},{"name":"IMAGE_REL_SH3_STARTOF_SECTION","features":[342]},{"name":"IMAGE_REL_SH3_TOKEN","features":[342]},{"name":"IMAGE_REL_SHM_PAIR","features":[342]},{"name":"IMAGE_REL_SHM_PCRELPT","features":[342]},{"name":"IMAGE_REL_SHM_REFHALF","features":[342]},{"name":"IMAGE_REL_SHM_REFLO","features":[342]},{"name":"IMAGE_REL_SHM_RELHALF","features":[342]},{"name":"IMAGE_REL_SHM_RELLO","features":[342]},{"name":"IMAGE_REL_SH_NOMODE","features":[342]},{"name":"IMAGE_REL_THUMB_BLX23","features":[342]},{"name":"IMAGE_REL_THUMB_BRANCH20","features":[342]},{"name":"IMAGE_REL_THUMB_BRANCH24","features":[342]},{"name":"IMAGE_REL_THUMB_MOV32","features":[342]},{"name":"IMAGE_RESOURCE_DATA_ENTRY","features":[342]},{"name":"IMAGE_RESOURCE_DATA_IS_DIRECTORY","features":[342]},{"name":"IMAGE_RESOURCE_DIRECTORY","features":[342]},{"name":"IMAGE_RESOURCE_DIRECTORY_ENTRY","features":[342]},{"name":"IMAGE_RESOURCE_DIRECTORY_STRING","features":[342]},{"name":"IMAGE_RESOURCE_DIR_STRING_U","features":[342]},{"name":"IMAGE_RESOURCE_NAME_IS_STRING","features":[342]},{"name":"IMAGE_SEPARATE_DEBUG_FLAGS_MASK","features":[342]},{"name":"IMAGE_SEPARATE_DEBUG_HEADER","features":[342]},{"name":"IMAGE_SEPARATE_DEBUG_MISMATCH","features":[342]},{"name":"IMAGE_SEPARATE_DEBUG_SIGNATURE","features":[342]},{"name":"IMAGE_SIZEOF_ARCHIVE_MEMBER_HDR","features":[342]},{"name":"IMAGE_SIZEOF_FILE_HEADER","features":[342]},{"name":"IMAGE_SIZEOF_SECTION_HEADER","features":[342]},{"name":"IMAGE_SIZEOF_SHORT_NAME","features":[342]},{"name":"IMAGE_SIZEOF_SYMBOL","features":[342]},{"name":"IMAGE_SWITCHTABLE_BRANCH_DYNAMIC_RELOCATION","features":[342]},{"name":"IMAGE_SYMBOL","features":[342]},{"name":"IMAGE_SYMBOL_EX","features":[342]},{"name":"IMAGE_SYM_CLASS_ARGUMENT","features":[342]},{"name":"IMAGE_SYM_CLASS_AUTOMATIC","features":[342]},{"name":"IMAGE_SYM_CLASS_BIT_FIELD","features":[342]},{"name":"IMAGE_SYM_CLASS_BLOCK","features":[342]},{"name":"IMAGE_SYM_CLASS_CLR_TOKEN","features":[342]},{"name":"IMAGE_SYM_CLASS_END_OF_STRUCT","features":[342]},{"name":"IMAGE_SYM_CLASS_ENUM_TAG","features":[342]},{"name":"IMAGE_SYM_CLASS_EXTERNAL","features":[342]},{"name":"IMAGE_SYM_CLASS_EXTERNAL_DEF","features":[342]},{"name":"IMAGE_SYM_CLASS_FAR_EXTERNAL","features":[342]},{"name":"IMAGE_SYM_CLASS_FILE","features":[342]},{"name":"IMAGE_SYM_CLASS_FUNCTION","features":[342]},{"name":"IMAGE_SYM_CLASS_LABEL","features":[342]},{"name":"IMAGE_SYM_CLASS_MEMBER_OF_ENUM","features":[342]},{"name":"IMAGE_SYM_CLASS_MEMBER_OF_STRUCT","features":[342]},{"name":"IMAGE_SYM_CLASS_MEMBER_OF_UNION","features":[342]},{"name":"IMAGE_SYM_CLASS_NULL","features":[342]},{"name":"IMAGE_SYM_CLASS_REGISTER","features":[342]},{"name":"IMAGE_SYM_CLASS_REGISTER_PARAM","features":[342]},{"name":"IMAGE_SYM_CLASS_SECTION","features":[342]},{"name":"IMAGE_SYM_CLASS_STATIC","features":[342]},{"name":"IMAGE_SYM_CLASS_STRUCT_TAG","features":[342]},{"name":"IMAGE_SYM_CLASS_TYPE_DEFINITION","features":[342]},{"name":"IMAGE_SYM_CLASS_UNDEFINED_LABEL","features":[342]},{"name":"IMAGE_SYM_CLASS_UNDEFINED_STATIC","features":[342]},{"name":"IMAGE_SYM_CLASS_UNION_TAG","features":[342]},{"name":"IMAGE_SYM_CLASS_WEAK_EXTERNAL","features":[342]},{"name":"IMAGE_SYM_DTYPE_ARRAY","features":[342]},{"name":"IMAGE_SYM_DTYPE_FUNCTION","features":[342]},{"name":"IMAGE_SYM_DTYPE_NULL","features":[342]},{"name":"IMAGE_SYM_DTYPE_POINTER","features":[342]},{"name":"IMAGE_SYM_SECTION_MAX","features":[342]},{"name":"IMAGE_SYM_SECTION_MAX_EX","features":[342]},{"name":"IMAGE_SYM_TYPE_BYTE","features":[342]},{"name":"IMAGE_SYM_TYPE_CHAR","features":[342]},{"name":"IMAGE_SYM_TYPE_DOUBLE","features":[342]},{"name":"IMAGE_SYM_TYPE_DWORD","features":[342]},{"name":"IMAGE_SYM_TYPE_ENUM","features":[342]},{"name":"IMAGE_SYM_TYPE_FLOAT","features":[342]},{"name":"IMAGE_SYM_TYPE_INT","features":[342]},{"name":"IMAGE_SYM_TYPE_LONG","features":[342]},{"name":"IMAGE_SYM_TYPE_MOE","features":[342]},{"name":"IMAGE_SYM_TYPE_NULL","features":[342]},{"name":"IMAGE_SYM_TYPE_PCODE","features":[342]},{"name":"IMAGE_SYM_TYPE_SHORT","features":[342]},{"name":"IMAGE_SYM_TYPE_STRUCT","features":[342]},{"name":"IMAGE_SYM_TYPE_UINT","features":[342]},{"name":"IMAGE_SYM_TYPE_UNION","features":[342]},{"name":"IMAGE_SYM_TYPE_VOID","features":[342]},{"name":"IMAGE_SYM_TYPE_WORD","features":[342]},{"name":"IMAGE_TLS_DIRECTORY32","features":[342]},{"name":"IMAGE_TLS_DIRECTORY64","features":[342]},{"name":"IMAGE_VXD_HEADER","features":[342]},{"name":"IMAGE_VXD_SIGNATURE","features":[342]},{"name":"IMAGE_WEAK_EXTERN_ANTI_DEPENDENCY","features":[342]},{"name":"IMAGE_WEAK_EXTERN_SEARCH_ALIAS","features":[342]},{"name":"IMAGE_WEAK_EXTERN_SEARCH_LIBRARY","features":[342]},{"name":"IMAGE_WEAK_EXTERN_SEARCH_NOLIBRARY","features":[342]},{"name":"IMPORT_OBJECT_CODE","features":[342]},{"name":"IMPORT_OBJECT_CONST","features":[342]},{"name":"IMPORT_OBJECT_DATA","features":[342]},{"name":"IMPORT_OBJECT_HDR_SIG2","features":[342]},{"name":"IMPORT_OBJECT_HEADER","features":[342]},{"name":"IMPORT_OBJECT_NAME","features":[342]},{"name":"IMPORT_OBJECT_NAME_EXPORTAS","features":[342]},{"name":"IMPORT_OBJECT_NAME_NO_PREFIX","features":[342]},{"name":"IMPORT_OBJECT_NAME_TYPE","features":[342]},{"name":"IMPORT_OBJECT_NAME_UNDECORATE","features":[342]},{"name":"IMPORT_OBJECT_ORDINAL","features":[342]},{"name":"IMPORT_OBJECT_TYPE","features":[342]},{"name":"INITIAL_CPSR","features":[342]},{"name":"INITIAL_FPCSR","features":[342]},{"name":"INITIAL_FPSCR","features":[342]},{"name":"INITIAL_MXCSR","features":[342]},{"name":"IO_COMPLETION_MODIFY_STATE","features":[342]},{"name":"IO_REPARSE_TAG_AF_UNIX","features":[342]},{"name":"IO_REPARSE_TAG_APPEXECLINK","features":[342]},{"name":"IO_REPARSE_TAG_CLOUD","features":[342]},{"name":"IO_REPARSE_TAG_CLOUD_1","features":[342]},{"name":"IO_REPARSE_TAG_CLOUD_2","features":[342]},{"name":"IO_REPARSE_TAG_CLOUD_3","features":[342]},{"name":"IO_REPARSE_TAG_CLOUD_4","features":[342]},{"name":"IO_REPARSE_TAG_CLOUD_5","features":[342]},{"name":"IO_REPARSE_TAG_CLOUD_6","features":[342]},{"name":"IO_REPARSE_TAG_CLOUD_7","features":[342]},{"name":"IO_REPARSE_TAG_CLOUD_8","features":[342]},{"name":"IO_REPARSE_TAG_CLOUD_9","features":[342]},{"name":"IO_REPARSE_TAG_CLOUD_A","features":[342]},{"name":"IO_REPARSE_TAG_CLOUD_B","features":[342]},{"name":"IO_REPARSE_TAG_CLOUD_C","features":[342]},{"name":"IO_REPARSE_TAG_CLOUD_D","features":[342]},{"name":"IO_REPARSE_TAG_CLOUD_E","features":[342]},{"name":"IO_REPARSE_TAG_CLOUD_F","features":[342]},{"name":"IO_REPARSE_TAG_CLOUD_MASK","features":[342]},{"name":"IO_REPARSE_TAG_CSV","features":[342]},{"name":"IO_REPARSE_TAG_DATALESS_CIM","features":[342]},{"name":"IO_REPARSE_TAG_DEDUP","features":[342]},{"name":"IO_REPARSE_TAG_DFS","features":[342]},{"name":"IO_REPARSE_TAG_DFSR","features":[342]},{"name":"IO_REPARSE_TAG_FILE_PLACEHOLDER","features":[342]},{"name":"IO_REPARSE_TAG_GLOBAL_REPARSE","features":[342]},{"name":"IO_REPARSE_TAG_HSM","features":[342]},{"name":"IO_REPARSE_TAG_HSM2","features":[342]},{"name":"IO_REPARSE_TAG_MOUNT_POINT","features":[342]},{"name":"IO_REPARSE_TAG_NFS","features":[342]},{"name":"IO_REPARSE_TAG_ONEDRIVE","features":[342]},{"name":"IO_REPARSE_TAG_PROJFS","features":[342]},{"name":"IO_REPARSE_TAG_PROJFS_TOMBSTONE","features":[342]},{"name":"IO_REPARSE_TAG_RESERVED_INVALID","features":[342]},{"name":"IO_REPARSE_TAG_RESERVED_ONE","features":[342]},{"name":"IO_REPARSE_TAG_RESERVED_RANGE","features":[342]},{"name":"IO_REPARSE_TAG_RESERVED_TWO","features":[342]},{"name":"IO_REPARSE_TAG_RESERVED_ZERO","features":[342]},{"name":"IO_REPARSE_TAG_SIS","features":[342]},{"name":"IO_REPARSE_TAG_STORAGE_SYNC","features":[342]},{"name":"IO_REPARSE_TAG_SYMLINK","features":[342]},{"name":"IO_REPARSE_TAG_UNHANDLED","features":[342]},{"name":"IO_REPARSE_TAG_WCI","features":[342]},{"name":"IO_REPARSE_TAG_WCI_1","features":[342]},{"name":"IO_REPARSE_TAG_WCI_LINK","features":[342]},{"name":"IO_REPARSE_TAG_WCI_LINK_1","features":[342]},{"name":"IO_REPARSE_TAG_WCI_TOMBSTONE","features":[342]},{"name":"IO_REPARSE_TAG_WIM","features":[342]},{"name":"IO_REPARSE_TAG_WOF","features":[342]},{"name":"IS_TEXT_UNICODE_DBCS_LEADBYTE","features":[342]},{"name":"IS_TEXT_UNICODE_UTF8","features":[342]},{"name":"ITWW_OPEN_CONNECT","features":[342]},{"name":"IgnoreError","features":[342]},{"name":"ImagePolicyEntryTypeAnsiString","features":[342]},{"name":"ImagePolicyEntryTypeBool","features":[342]},{"name":"ImagePolicyEntryTypeInt16","features":[342]},{"name":"ImagePolicyEntryTypeInt32","features":[342]},{"name":"ImagePolicyEntryTypeInt64","features":[342]},{"name":"ImagePolicyEntryTypeInt8","features":[342]},{"name":"ImagePolicyEntryTypeMaximum","features":[342]},{"name":"ImagePolicyEntryTypeNone","features":[342]},{"name":"ImagePolicyEntryTypeOverride","features":[342]},{"name":"ImagePolicyEntryTypeUInt16","features":[342]},{"name":"ImagePolicyEntryTypeUInt32","features":[342]},{"name":"ImagePolicyEntryTypeUInt64","features":[342]},{"name":"ImagePolicyEntryTypeUInt8","features":[342]},{"name":"ImagePolicyEntryTypeUnicodeString","features":[342]},{"name":"ImagePolicyIdCapability","features":[342]},{"name":"ImagePolicyIdCrashDump","features":[342]},{"name":"ImagePolicyIdCrashDumpKey","features":[342]},{"name":"ImagePolicyIdCrashDumpKeyGuid","features":[342]},{"name":"ImagePolicyIdDebug","features":[342]},{"name":"ImagePolicyIdDeviceId","features":[342]},{"name":"ImagePolicyIdEtw","features":[342]},{"name":"ImagePolicyIdMaximum","features":[342]},{"name":"ImagePolicyIdNone","features":[342]},{"name":"ImagePolicyIdParentSd","features":[342]},{"name":"ImagePolicyIdParentSdRev","features":[342]},{"name":"ImagePolicyIdScenarioId","features":[342]},{"name":"ImagePolicyIdSvn","features":[342]},{"name":"JOB_OBJECT_ASSIGN_PROCESS","features":[342]},{"name":"JOB_OBJECT_IMPERSONATE","features":[342]},{"name":"JOB_OBJECT_MSG_ABNORMAL_EXIT_PROCESS","features":[342]},{"name":"JOB_OBJECT_MSG_ACTIVE_PROCESS_LIMIT","features":[342]},{"name":"JOB_OBJECT_MSG_ACTIVE_PROCESS_ZERO","features":[342]},{"name":"JOB_OBJECT_MSG_END_OF_JOB_TIME","features":[342]},{"name":"JOB_OBJECT_MSG_END_OF_PROCESS_TIME","features":[342]},{"name":"JOB_OBJECT_MSG_EXIT_PROCESS","features":[342]},{"name":"JOB_OBJECT_MSG_JOB_CYCLE_TIME_LIMIT","features":[342]},{"name":"JOB_OBJECT_MSG_JOB_MEMORY_LIMIT","features":[342]},{"name":"JOB_OBJECT_MSG_MAXIMUM","features":[342]},{"name":"JOB_OBJECT_MSG_MINIMUM","features":[342]},{"name":"JOB_OBJECT_MSG_NEW_PROCESS","features":[342]},{"name":"JOB_OBJECT_MSG_NOTIFICATION_LIMIT","features":[342]},{"name":"JOB_OBJECT_MSG_PROCESS_MEMORY_LIMIT","features":[342]},{"name":"JOB_OBJECT_MSG_SILO_TERMINATED","features":[342]},{"name":"JOB_OBJECT_NET_RATE_CONTROL_MAX_DSCP_TAG","features":[342]},{"name":"JOB_OBJECT_QUERY","features":[342]},{"name":"JOB_OBJECT_SET_ATTRIBUTES","features":[342]},{"name":"JOB_OBJECT_SET_SECURITY_ATTRIBUTES","features":[342]},{"name":"JOB_OBJECT_TERMINATE","features":[342]},{"name":"JOB_OBJECT_UILIMIT_ALL","features":[342]},{"name":"JOB_OBJECT_UILIMIT_IME","features":[342]},{"name":"JOB_OBJECT_UI_VALID_FLAGS","features":[342]},{"name":"KERNEL_CET_CONTEXT","features":[342]},{"name":"KTMOBJECT_CURSOR","features":[342]},{"name":"KTMOBJECT_ENLISTMENT","features":[342]},{"name":"KTMOBJECT_INVALID","features":[342]},{"name":"KTMOBJECT_RESOURCE_MANAGER","features":[342]},{"name":"KTMOBJECT_TRANSACTION","features":[342]},{"name":"KTMOBJECT_TRANSACTION_MANAGER","features":[342]},{"name":"KTMOBJECT_TYPE","features":[342]},{"name":"LANG_AFRIKAANS","features":[342]},{"name":"LANG_ALBANIAN","features":[342]},{"name":"LANG_ALSATIAN","features":[342]},{"name":"LANG_AMHARIC","features":[342]},{"name":"LANG_ARABIC","features":[342]},{"name":"LANG_ARMENIAN","features":[342]},{"name":"LANG_ASSAMESE","features":[342]},{"name":"LANG_AZERBAIJANI","features":[342]},{"name":"LANG_AZERI","features":[342]},{"name":"LANG_BANGLA","features":[342]},{"name":"LANG_BASHKIR","features":[342]},{"name":"LANG_BASQUE","features":[342]},{"name":"LANG_BELARUSIAN","features":[342]},{"name":"LANG_BENGALI","features":[342]},{"name":"LANG_BOSNIAN","features":[342]},{"name":"LANG_BOSNIAN_NEUTRAL","features":[342]},{"name":"LANG_BRETON","features":[342]},{"name":"LANG_BULGARIAN","features":[342]},{"name":"LANG_CATALAN","features":[342]},{"name":"LANG_CENTRAL_KURDISH","features":[342]},{"name":"LANG_CHEROKEE","features":[342]},{"name":"LANG_CHINESE","features":[342]},{"name":"LANG_CHINESE_SIMPLIFIED","features":[342]},{"name":"LANG_CHINESE_TRADITIONAL","features":[342]},{"name":"LANG_CORSICAN","features":[342]},{"name":"LANG_CROATIAN","features":[342]},{"name":"LANG_CZECH","features":[342]},{"name":"LANG_DANISH","features":[342]},{"name":"LANG_DARI","features":[342]},{"name":"LANG_DIVEHI","features":[342]},{"name":"LANG_DUTCH","features":[342]},{"name":"LANG_ENGLISH","features":[342]},{"name":"LANG_ESTONIAN","features":[342]},{"name":"LANG_FAEROESE","features":[342]},{"name":"LANG_FARSI","features":[342]},{"name":"LANG_FILIPINO","features":[342]},{"name":"LANG_FINNISH","features":[342]},{"name":"LANG_FRENCH","features":[342]},{"name":"LANG_FRISIAN","features":[342]},{"name":"LANG_FULAH","features":[342]},{"name":"LANG_GALICIAN","features":[342]},{"name":"LANG_GEORGIAN","features":[342]},{"name":"LANG_GERMAN","features":[342]},{"name":"LANG_GREEK","features":[342]},{"name":"LANG_GREENLANDIC","features":[342]},{"name":"LANG_GUJARATI","features":[342]},{"name":"LANG_HAUSA","features":[342]},{"name":"LANG_HAWAIIAN","features":[342]},{"name":"LANG_HEBREW","features":[342]},{"name":"LANG_HINDI","features":[342]},{"name":"LANG_HUNGARIAN","features":[342]},{"name":"LANG_ICELANDIC","features":[342]},{"name":"LANG_IGBO","features":[342]},{"name":"LANG_INDONESIAN","features":[342]},{"name":"LANG_INUKTITUT","features":[342]},{"name":"LANG_INVARIANT","features":[342]},{"name":"LANG_IRISH","features":[342]},{"name":"LANG_ITALIAN","features":[342]},{"name":"LANG_JAPANESE","features":[342]},{"name":"LANG_KANNADA","features":[342]},{"name":"LANG_KASHMIRI","features":[342]},{"name":"LANG_KAZAK","features":[342]},{"name":"LANG_KHMER","features":[342]},{"name":"LANG_KICHE","features":[342]},{"name":"LANG_KINYARWANDA","features":[342]},{"name":"LANG_KONKANI","features":[342]},{"name":"LANG_KOREAN","features":[342]},{"name":"LANG_KYRGYZ","features":[342]},{"name":"LANG_LAO","features":[342]},{"name":"LANG_LATVIAN","features":[342]},{"name":"LANG_LITHUANIAN","features":[342]},{"name":"LANG_LOWER_SORBIAN","features":[342]},{"name":"LANG_LUXEMBOURGISH","features":[342]},{"name":"LANG_MACEDONIAN","features":[342]},{"name":"LANG_MALAY","features":[342]},{"name":"LANG_MALAYALAM","features":[342]},{"name":"LANG_MALTESE","features":[342]},{"name":"LANG_MANIPURI","features":[342]},{"name":"LANG_MAORI","features":[342]},{"name":"LANG_MAPUDUNGUN","features":[342]},{"name":"LANG_MARATHI","features":[342]},{"name":"LANG_MOHAWK","features":[342]},{"name":"LANG_MONGOLIAN","features":[342]},{"name":"LANG_NEPALI","features":[342]},{"name":"LANG_NEUTRAL","features":[342]},{"name":"LANG_NORWEGIAN","features":[342]},{"name":"LANG_OCCITAN","features":[342]},{"name":"LANG_ODIA","features":[342]},{"name":"LANG_ORIYA","features":[342]},{"name":"LANG_PASHTO","features":[342]},{"name":"LANG_PERSIAN","features":[342]},{"name":"LANG_POLISH","features":[342]},{"name":"LANG_PORTUGUESE","features":[342]},{"name":"LANG_PULAR","features":[342]},{"name":"LANG_PUNJABI","features":[342]},{"name":"LANG_QUECHUA","features":[342]},{"name":"LANG_ROMANIAN","features":[342]},{"name":"LANG_ROMANSH","features":[342]},{"name":"LANG_RUSSIAN","features":[342]},{"name":"LANG_SAKHA","features":[342]},{"name":"LANG_SAMI","features":[342]},{"name":"LANG_SANSKRIT","features":[342]},{"name":"LANG_SCOTTISH_GAELIC","features":[342]},{"name":"LANG_SERBIAN","features":[342]},{"name":"LANG_SERBIAN_NEUTRAL","features":[342]},{"name":"LANG_SINDHI","features":[342]},{"name":"LANG_SINHALESE","features":[342]},{"name":"LANG_SLOVAK","features":[342]},{"name":"LANG_SLOVENIAN","features":[342]},{"name":"LANG_SOTHO","features":[342]},{"name":"LANG_SPANISH","features":[342]},{"name":"LANG_SWAHILI","features":[342]},{"name":"LANG_SWEDISH","features":[342]},{"name":"LANG_SYRIAC","features":[342]},{"name":"LANG_TAJIK","features":[342]},{"name":"LANG_TAMAZIGHT","features":[342]},{"name":"LANG_TAMIL","features":[342]},{"name":"LANG_TATAR","features":[342]},{"name":"LANG_TELUGU","features":[342]},{"name":"LANG_THAI","features":[342]},{"name":"LANG_TIBETAN","features":[342]},{"name":"LANG_TIGRIGNA","features":[342]},{"name":"LANG_TIGRINYA","features":[342]},{"name":"LANG_TSWANA","features":[342]},{"name":"LANG_TURKISH","features":[342]},{"name":"LANG_TURKMEN","features":[342]},{"name":"LANG_UIGHUR","features":[342]},{"name":"LANG_UKRAINIAN","features":[342]},{"name":"LANG_UPPER_SORBIAN","features":[342]},{"name":"LANG_URDU","features":[342]},{"name":"LANG_UZBEK","features":[342]},{"name":"LANG_VALENCIAN","features":[342]},{"name":"LANG_VIETNAMESE","features":[342]},{"name":"LANG_WELSH","features":[342]},{"name":"LANG_WOLOF","features":[342]},{"name":"LANG_XHOSA","features":[342]},{"name":"LANG_YAKUT","features":[342]},{"name":"LANG_YI","features":[342]},{"name":"LANG_YORUBA","features":[342]},{"name":"LANG_ZULU","features":[342]},{"name":"LMEM_DISCARDABLE","features":[342]},{"name":"LMEM_DISCARDED","features":[342]},{"name":"LMEM_INVALID_HANDLE","features":[342]},{"name":"LMEM_LOCKCOUNT","features":[342]},{"name":"LMEM_MODIFY","features":[342]},{"name":"LMEM_NOCOMPACT","features":[342]},{"name":"LMEM_NODISCARD","features":[342]},{"name":"LMEM_VALID_FLAGS","features":[342]},{"name":"LOCALE_NAME_MAX_LENGTH","features":[342]},{"name":"LOCALE_TRANSIENT_KEYBOARD1","features":[342]},{"name":"LOCALE_TRANSIENT_KEYBOARD2","features":[342]},{"name":"LOCALE_TRANSIENT_KEYBOARD3","features":[342]},{"name":"LOCALE_TRANSIENT_KEYBOARD4","features":[342]},{"name":"LTP_PC_SMT","features":[342]},{"name":"MAILSLOT_NO_MESSAGE","features":[342]},{"name":"MAILSLOT_WAIT_FOREVER","features":[342]},{"name":"MAXBYTE","features":[342]},{"name":"MAXCHAR","features":[342]},{"name":"MAXDWORD","features":[342]},{"name":"MAXIMUM_ALLOWED","features":[342]},{"name":"MAXIMUM_PROCESSORS","features":[342]},{"name":"MAXIMUM_PROC_PER_GROUP","features":[342]},{"name":"MAXIMUM_SUPPORTED_EXTENSION","features":[342]},{"name":"MAXIMUM_SUSPEND_COUNT","features":[342]},{"name":"MAXIMUM_WAIT_OBJECTS","features":[342]},{"name":"MAXIMUM_XSTATE_FEATURES","features":[342]},{"name":"MAXLOGICALLOGNAMESIZE","features":[342]},{"name":"MAXLONG","features":[342]},{"name":"MAXLONGLONG","features":[342]},{"name":"MAXSHORT","features":[342]},{"name":"MAXVERSIONTESTED_INFO","features":[342]},{"name":"MAXWORD","features":[342]},{"name":"MAX_ACL_REVISION","features":[342]},{"name":"MAX_CLASS_NAME","features":[342]},{"name":"MAX_HW_COUNTERS","features":[342]},{"name":"MAX_PACKAGE_NAME","features":[342]},{"name":"MAX_UCSCHAR","features":[342]},{"name":"MEMORY_ALLOCATION_ALIGNMENT","features":[342]},{"name":"MEMORY_PARTITION_MODIFY_ACCESS","features":[342]},{"name":"MEMORY_PARTITION_QUERY_ACCESS","features":[342]},{"name":"MEMORY_PRIORITY_LOWEST","features":[342]},{"name":"MEM_4MB_PAGES","features":[342]},{"name":"MEM_COALESCE_PLACEHOLDERS","features":[342]},{"name":"MEM_DIFFERENT_IMAGE_BASE_OK","features":[342]},{"name":"MEM_EXTENDED_PARAMETER_EC_CODE","features":[342]},{"name":"MEM_EXTENDED_PARAMETER_GRAPHICS","features":[342]},{"name":"MEM_EXTENDED_PARAMETER_IMAGE_NO_HPAT","features":[342]},{"name":"MEM_EXTENDED_PARAMETER_NONPAGED","features":[342]},{"name":"MEM_EXTENDED_PARAMETER_NONPAGED_HUGE","features":[342]},{"name":"MEM_EXTENDED_PARAMETER_NONPAGED_LARGE","features":[342]},{"name":"MEM_EXTENDED_PARAMETER_SOFT_FAULT_PAGES","features":[342]},{"name":"MEM_EXTENDED_PARAMETER_TYPE_BITS","features":[342]},{"name":"MEM_EXTENDED_PARAMETER_ZERO_PAGES_OPTIONAL","features":[342]},{"name":"MEM_PHYSICAL","features":[342]},{"name":"MEM_ROTATE","features":[342]},{"name":"MEM_TOP_DOWN","features":[342]},{"name":"MEM_WRITE_WATCH","features":[342]},{"name":"MESSAGE_RESOURCE_UNICODE","features":[342]},{"name":"MESSAGE_RESOURCE_UTF8","features":[342]},{"name":"MINCHAR","features":[342]},{"name":"MINLONG","features":[342]},{"name":"MINSHORT","features":[342]},{"name":"MIN_UCSCHAR","features":[342]},{"name":"MK_CONTROL","features":[342]},{"name":"MK_LBUTTON","features":[342]},{"name":"MK_MBUTTON","features":[342]},{"name":"MK_RBUTTON","features":[342]},{"name":"MK_SHIFT","features":[342]},{"name":"MK_XBUTTON1","features":[342]},{"name":"MK_XBUTTON2","features":[342]},{"name":"MODIFIERKEYS_FLAGS","features":[342]},{"name":"MONITOR_DISPLAY_STATE","features":[342]},{"name":"MS_PPM_SOFTWARE_ALL","features":[342]},{"name":"MUTANT_QUERY_STATE","features":[342]},{"name":"MaxActivationContextInfoClass","features":[342]},{"name":"NATIVE_TYPE_MAX_CB","features":[342]},{"name":"NETWORK_APP_INSTANCE_CSV_FLAGS_VALID_ONLY_IF_CSV_COORDINATOR","features":[342]},{"name":"NETWORK_APP_INSTANCE_EA","features":[342]},{"name":"NLS_VALID_LOCALE_MASK","features":[342]},{"name":"NONVOL_FP_NUMREG_ARM64","features":[342]},{"name":"NONVOL_INT_NUMREG_ARM64","features":[342]},{"name":"NON_PAGED_DEBUG_INFO","features":[342]},{"name":"NON_PAGED_DEBUG_SIGNATURE","features":[342]},{"name":"NOTIFY_USER_POWER_SETTING","features":[342]},{"name":"NO_SUBGROUP_GUID","features":[342]},{"name":"NT_TIB32","features":[342]},{"name":"NT_TIB64","features":[342]},{"name":"NUMA_NO_PREFERRED_NODE","features":[342]},{"name":"NUM_DISCHARGE_POLICIES","features":[342]},{"name":"N_BTMASK","features":[342]},{"name":"N_BTSHFT","features":[342]},{"name":"N_TMASK","features":[342]},{"name":"N_TMASK1","features":[342]},{"name":"N_TMASK2","features":[342]},{"name":"N_TSHIFT","features":[342]},{"name":"NormalError","features":[342]},{"name":"OUT_OF_PROCESS_FUNCTION_TABLE_CALLBACK_EXPORT_NAME","features":[342]},{"name":"PACKEDEVENTINFO","features":[342]},{"name":"PARKING_TOPOLOGY_POLICY_DISABLED","features":[342]},{"name":"PARKING_TOPOLOGY_POLICY_ROUNDROBIN","features":[342]},{"name":"PARKING_TOPOLOGY_POLICY_SEQUENTIAL","features":[342]},{"name":"PDCAP_D0_SUPPORTED","features":[342]},{"name":"PDCAP_D1_SUPPORTED","features":[342]},{"name":"PDCAP_D2_SUPPORTED","features":[342]},{"name":"PDCAP_D3_SUPPORTED","features":[342]},{"name":"PDCAP_WAKE_FROM_D0_SUPPORTED","features":[342]},{"name":"PDCAP_WAKE_FROM_D1_SUPPORTED","features":[342]},{"name":"PDCAP_WAKE_FROM_D2_SUPPORTED","features":[342]},{"name":"PDCAP_WAKE_FROM_D3_SUPPORTED","features":[342]},{"name":"PDCAP_WARM_EJECT_SUPPORTED","features":[342]},{"name":"PERFORMANCE_DATA_VERSION","features":[342]},{"name":"PERFSTATE_POLICY_CHANGE_DECREASE_MAX","features":[342]},{"name":"PERFSTATE_POLICY_CHANGE_IDEAL","features":[342]},{"name":"PERFSTATE_POLICY_CHANGE_IDEAL_AGGRESSIVE","features":[342]},{"name":"PERFSTATE_POLICY_CHANGE_INCREASE_MAX","features":[342]},{"name":"PERFSTATE_POLICY_CHANGE_ROCKET","features":[342]},{"name":"PERFSTATE_POLICY_CHANGE_SINGLE","features":[342]},{"name":"PEXCEPTION_FILTER","features":[308,336,314,342]},{"name":"PF_NON_TEMPORAL_LEVEL_ALL","features":[342]},{"name":"PF_TEMPORAL_LEVEL_1","features":[342]},{"name":"PF_TEMPORAL_LEVEL_2","features":[342]},{"name":"PF_TEMPORAL_LEVEL_3","features":[342]},{"name":"PIMAGE_TLS_CALLBACK","features":[342]},{"name":"POLICY_AUDIT_SUBCATEGORY_COUNT","features":[342]},{"name":"POUT_OF_PROCESS_FUNCTION_TABLE_CALLBACK","features":[308,336,342]},{"name":"POUT_OF_PROCESS_FUNCTION_TABLE_CALLBACK","features":[308,336,342]},{"name":"POWERBUTTON_ACTION_INDEX_HIBERNATE","features":[342]},{"name":"POWERBUTTON_ACTION_INDEX_NOTHING","features":[342]},{"name":"POWERBUTTON_ACTION_INDEX_SHUTDOWN","features":[342]},{"name":"POWERBUTTON_ACTION_INDEX_SLEEP","features":[342]},{"name":"POWERBUTTON_ACTION_INDEX_TURN_OFF_THE_DISPLAY","features":[342]},{"name":"POWERBUTTON_ACTION_VALUE_HIBERNATE","features":[342]},{"name":"POWERBUTTON_ACTION_VALUE_NOTHING","features":[342]},{"name":"POWERBUTTON_ACTION_VALUE_SHUTDOWN","features":[342]},{"name":"POWERBUTTON_ACTION_VALUE_SLEEP","features":[342]},{"name":"POWERBUTTON_ACTION_VALUE_TURN_OFF_THE_DISPLAY","features":[342]},{"name":"POWER_ACTION_ACPI_CRITICAL","features":[342]},{"name":"POWER_ACTION_ACPI_USER_NOTIFY","features":[342]},{"name":"POWER_ACTION_CRITICAL","features":[342]},{"name":"POWER_ACTION_DIRECTED_DRIPS","features":[342]},{"name":"POWER_ACTION_DISABLE_WAKES","features":[342]},{"name":"POWER_ACTION_DOZE_TO_HIBERNATE","features":[342]},{"name":"POWER_ACTION_HIBERBOOT","features":[342]},{"name":"POWER_ACTION_LIGHTEST_FIRST","features":[342]},{"name":"POWER_ACTION_LOCK_CONSOLE","features":[342]},{"name":"POWER_ACTION_OVERRIDE_APPS","features":[342]},{"name":"POWER_ACTION_PSEUDO_TRANSITION","features":[342]},{"name":"POWER_ACTION_QUERY_ALLOWED","features":[342]},{"name":"POWER_ACTION_UI_ALLOWED","features":[342]},{"name":"POWER_ACTION_USER_NOTIFY","features":[342]},{"name":"POWER_CONNECTIVITY_IN_STANDBY_DISABLED","features":[342]},{"name":"POWER_CONNECTIVITY_IN_STANDBY_ENABLED","features":[342]},{"name":"POWER_CONNECTIVITY_IN_STANDBY_SYSTEM_MANAGED","features":[342]},{"name":"POWER_DEVICE_IDLE_POLICY_CONSERVATIVE","features":[342]},{"name":"POWER_DEVICE_IDLE_POLICY_PERFORMANCE","features":[342]},{"name":"POWER_DISCONNECTED_STANDBY_MODE_AGGRESSIVE","features":[342]},{"name":"POWER_DISCONNECTED_STANDBY_MODE_NORMAL","features":[342]},{"name":"POWER_REQUEST_CONTEXT_VERSION","features":[342]},{"name":"POWER_SETTING_VALUE_VERSION","features":[342]},{"name":"POWER_SYSTEM_MAXIMUM","features":[342]},{"name":"POWER_USER_NOTIFY_FORCED_SHUTDOWN","features":[342]},{"name":"PO_THROTTLE_ADAPTIVE","features":[342]},{"name":"PO_THROTTLE_CONSTANT","features":[342]},{"name":"PO_THROTTLE_DEGRADE","features":[342]},{"name":"PO_THROTTLE_MAXIMUM","features":[342]},{"name":"PO_THROTTLE_NONE","features":[342]},{"name":"PRAGMA_DEPRECATED_DDK","features":[342]},{"name":"PRIVILEGE_SET_ALL_NECESSARY","features":[342]},{"name":"PROCESSOR_ALPHA_21064","features":[342]},{"name":"PROCESSOR_AMD_X8664","features":[342]},{"name":"PROCESSOR_ARM720","features":[342]},{"name":"PROCESSOR_ARM820","features":[342]},{"name":"PROCESSOR_ARM920","features":[342]},{"name":"PROCESSOR_ARM_7TDMI","features":[342]},{"name":"PROCESSOR_DUTY_CYCLING_DISABLED","features":[342]},{"name":"PROCESSOR_DUTY_CYCLING_ENABLED","features":[342]},{"name":"PROCESSOR_HITACHI_SH3","features":[342]},{"name":"PROCESSOR_HITACHI_SH3E","features":[342]},{"name":"PROCESSOR_HITACHI_SH4","features":[342]},{"name":"PROCESSOR_IDLESTATE_INFO","features":[342]},{"name":"PROCESSOR_IDLESTATE_POLICY","features":[342]},{"name":"PROCESSOR_IDLESTATE_POLICY_COUNT","features":[342]},{"name":"PROCESSOR_INTEL_386","features":[342]},{"name":"PROCESSOR_INTEL_486","features":[342]},{"name":"PROCESSOR_INTEL_IA64","features":[342]},{"name":"PROCESSOR_INTEL_PENTIUM","features":[342]},{"name":"PROCESSOR_MIPS_R4000","features":[342]},{"name":"PROCESSOR_MOTOROLA_821","features":[342]},{"name":"PROCESSOR_OPTIL","features":[342]},{"name":"PROCESSOR_PERFSTATE_POLICY","features":[342]},{"name":"PROCESSOR_PERF_AUTONOMOUS_MODE_DISABLED","features":[342]},{"name":"PROCESSOR_PERF_AUTONOMOUS_MODE_ENABLED","features":[342]},{"name":"PROCESSOR_PERF_BOOST_MODE_AGGRESSIVE","features":[342]},{"name":"PROCESSOR_PERF_BOOST_MODE_AGGRESSIVE_AT_GUARANTEED","features":[342]},{"name":"PROCESSOR_PERF_BOOST_MODE_DISABLED","features":[342]},{"name":"PROCESSOR_PERF_BOOST_MODE_EFFICIENT_AGGRESSIVE","features":[342]},{"name":"PROCESSOR_PERF_BOOST_MODE_EFFICIENT_AGGRESSIVE_AT_GUARANTEED","features":[342]},{"name":"PROCESSOR_PERF_BOOST_MODE_EFFICIENT_ENABLED","features":[342]},{"name":"PROCESSOR_PERF_BOOST_MODE_ENABLED","features":[342]},{"name":"PROCESSOR_PERF_BOOST_MODE_MAX","features":[342]},{"name":"PROCESSOR_PERF_BOOST_POLICY_DISABLED","features":[342]},{"name":"PROCESSOR_PERF_BOOST_POLICY_MAX","features":[342]},{"name":"PROCESSOR_PERF_ENERGY_PREFERENCE","features":[342]},{"name":"PROCESSOR_PERF_MAXIMUM_ACTIVITY_WINDOW","features":[342]},{"name":"PROCESSOR_PERF_MINIMUM_ACTIVITY_WINDOW","features":[342]},{"name":"PROCESSOR_PERF_PERFORMANCE_PREFERENCE","features":[342]},{"name":"PROCESSOR_PPC_601","features":[342]},{"name":"PROCESSOR_PPC_603","features":[342]},{"name":"PROCESSOR_PPC_604","features":[342]},{"name":"PROCESSOR_PPC_620","features":[342]},{"name":"PROCESSOR_SHx_SH3","features":[342]},{"name":"PROCESSOR_SHx_SH4","features":[342]},{"name":"PROCESSOR_STRONGARM","features":[342]},{"name":"PROCESSOR_THROTTLE_AUTOMATIC","features":[342]},{"name":"PROCESSOR_THROTTLE_DISABLED","features":[342]},{"name":"PROCESSOR_THROTTLE_ENABLED","features":[342]},{"name":"PROCESS_HEAP_ENTRY_BUSY","features":[342]},{"name":"PROCESS_HEAP_ENTRY_DDESHARE","features":[342]},{"name":"PROCESS_HEAP_ENTRY_MOVEABLE","features":[342]},{"name":"PROCESS_HEAP_REGION","features":[342]},{"name":"PROCESS_HEAP_SEG_ALLOC","features":[342]},{"name":"PROCESS_HEAP_UNCOMMITTED_RANGE","features":[342]},{"name":"PROCESS_MITIGATION_ACTIVATION_CONTEXT_TRUST_POLICY","features":[342]},{"name":"PROCESS_MITIGATION_ASLR_POLICY","features":[342]},{"name":"PROCESS_MITIGATION_BINARY_SIGNATURE_POLICY","features":[342]},{"name":"PROCESS_MITIGATION_CHILD_PROCESS_POLICY","features":[342]},{"name":"PROCESS_MITIGATION_CONTROL_FLOW_GUARD_POLICY","features":[342]},{"name":"PROCESS_MITIGATION_DEP_POLICY","features":[308,342]},{"name":"PROCESS_MITIGATION_DYNAMIC_CODE_POLICY","features":[342]},{"name":"PROCESS_MITIGATION_EXTENSION_POINT_DISABLE_POLICY","features":[342]},{"name":"PROCESS_MITIGATION_FONT_DISABLE_POLICY","features":[342]},{"name":"PROCESS_MITIGATION_IMAGE_LOAD_POLICY","features":[342]},{"name":"PROCESS_MITIGATION_PAYLOAD_RESTRICTION_POLICY","features":[342]},{"name":"PROCESS_MITIGATION_REDIRECTION_TRUST_POLICY","features":[342]},{"name":"PROCESS_MITIGATION_SEHOP_POLICY","features":[342]},{"name":"PROCESS_MITIGATION_SIDE_CHANNEL_ISOLATION_POLICY","features":[342]},{"name":"PROCESS_MITIGATION_STRICT_HANDLE_CHECK_POLICY","features":[342]},{"name":"PROCESS_MITIGATION_SYSTEM_CALL_DISABLE_POLICY","features":[342]},{"name":"PROCESS_MITIGATION_SYSTEM_CALL_FILTER_POLICY","features":[342]},{"name":"PROCESS_MITIGATION_USER_POINTER_AUTH_POLICY","features":[342]},{"name":"PROCESS_MITIGATION_USER_SHADOW_STACK_POLICY","features":[342]},{"name":"PROCESS_TRUST_LABEL_SECURITY_INFORMATION","features":[342]},{"name":"PROC_IDLE_BUCKET_COUNT","features":[342]},{"name":"PROC_IDLE_BUCKET_COUNT_EX","features":[342]},{"name":"PRODUCT_ARM64_SERVER","features":[342]},{"name":"PRODUCT_AZURESTACKHCI_SERVER_CORE","features":[342]},{"name":"PRODUCT_AZURE_NANO_SERVER","features":[342]},{"name":"PRODUCT_AZURE_SERVER_CLOUDHOST","features":[342]},{"name":"PRODUCT_AZURE_SERVER_CLOUDMOS","features":[342]},{"name":"PRODUCT_AZURE_SERVER_CORE","features":[342]},{"name":"PRODUCT_CLOUD","features":[342]},{"name":"PRODUCT_CLOUDE","features":[342]},{"name":"PRODUCT_CLOUDEDITION","features":[342]},{"name":"PRODUCT_CLOUDEDITIONN","features":[342]},{"name":"PRODUCT_CLOUDEN","features":[342]},{"name":"PRODUCT_CLOUDN","features":[342]},{"name":"PRODUCT_CLOUD_HOST_INFRASTRUCTURE_SERVER","features":[342]},{"name":"PRODUCT_CLOUD_STORAGE_SERVER","features":[342]},{"name":"PRODUCT_CONNECTED_CAR","features":[342]},{"name":"PRODUCT_CORE_ARM","features":[342]},{"name":"PRODUCT_CORE_CONNECTED","features":[342]},{"name":"PRODUCT_CORE_CONNECTED_COUNTRYSPECIFIC","features":[342]},{"name":"PRODUCT_CORE_CONNECTED_N","features":[342]},{"name":"PRODUCT_CORE_CONNECTED_SINGLELANGUAGE","features":[342]},{"name":"PRODUCT_DATACENTER_EVALUATION_SERVER_CORE","features":[342]},{"name":"PRODUCT_DATACENTER_NANO_SERVER","features":[342]},{"name":"PRODUCT_DATACENTER_SERVER_AZURE_EDITION","features":[342]},{"name":"PRODUCT_DATACENTER_SERVER_CORE_AZURE_EDITION","features":[342]},{"name":"PRODUCT_DATACENTER_WS_SERVER_CORE","features":[342]},{"name":"PRODUCT_EMBEDDED","features":[342]},{"name":"PRODUCT_EMBEDDED_A","features":[342]},{"name":"PRODUCT_EMBEDDED_AUTOMOTIVE","features":[342]},{"name":"PRODUCT_EMBEDDED_E","features":[342]},{"name":"PRODUCT_EMBEDDED_EVAL","features":[342]},{"name":"PRODUCT_EMBEDDED_E_EVAL","features":[342]},{"name":"PRODUCT_EMBEDDED_INDUSTRY","features":[342]},{"name":"PRODUCT_EMBEDDED_INDUSTRY_A","features":[342]},{"name":"PRODUCT_EMBEDDED_INDUSTRY_A_E","features":[342]},{"name":"PRODUCT_EMBEDDED_INDUSTRY_E","features":[342]},{"name":"PRODUCT_EMBEDDED_INDUSTRY_EVAL","features":[342]},{"name":"PRODUCT_EMBEDDED_INDUSTRY_E_EVAL","features":[342]},{"name":"PRODUCT_ENTERPRISEG","features":[342]},{"name":"PRODUCT_ENTERPRISEGN","features":[342]},{"name":"PRODUCT_ENTERPRISE_SUBSCRIPTION","features":[342]},{"name":"PRODUCT_ENTERPRISE_SUBSCRIPTION_N","features":[342]},{"name":"PRODUCT_HOLOGRAPHIC","features":[342]},{"name":"PRODUCT_HOLOGRAPHIC_BUSINESS","features":[342]},{"name":"PRODUCT_HUBOS","features":[342]},{"name":"PRODUCT_INDUSTRY_HANDHELD","features":[342]},{"name":"PRODUCT_IOTEDGEOS","features":[342]},{"name":"PRODUCT_IOTENTERPRISE","features":[342]},{"name":"PRODUCT_IOTENTERPRISES","features":[342]},{"name":"PRODUCT_IOTOS","features":[342]},{"name":"PRODUCT_LITE","features":[342]},{"name":"PRODUCT_NANO_SERVER","features":[342]},{"name":"PRODUCT_ONECOREUPDATEOS","features":[342]},{"name":"PRODUCT_PPI_PRO","features":[342]},{"name":"PRODUCT_PROFESSIONAL_EMBEDDED","features":[342]},{"name":"PRODUCT_PROFESSIONAL_S","features":[342]},{"name":"PRODUCT_PROFESSIONAL_STUDENT","features":[342]},{"name":"PRODUCT_PROFESSIONAL_STUDENT_N","features":[342]},{"name":"PRODUCT_PROFESSIONAL_S_N","features":[342]},{"name":"PRODUCT_PRO_CHINA","features":[342]},{"name":"PRODUCT_PRO_FOR_EDUCATION","features":[342]},{"name":"PRODUCT_PRO_FOR_EDUCATION_N","features":[342]},{"name":"PRODUCT_PRO_SINGLE_LANGUAGE","features":[342]},{"name":"PRODUCT_SERVERRDSH","features":[342]},{"name":"PRODUCT_SOLUTION_EMBEDDEDSERVER_CORE","features":[342]},{"name":"PRODUCT_STANDARD_EVALUATION_SERVER_CORE","features":[342]},{"name":"PRODUCT_STANDARD_NANO_SERVER","features":[342]},{"name":"PRODUCT_STANDARD_SERVER_CORE","features":[342]},{"name":"PRODUCT_STANDARD_WS_SERVER_CORE","features":[342]},{"name":"PRODUCT_THINPC","features":[342]},{"name":"PRODUCT_UNLICENSED","features":[342]},{"name":"PRODUCT_UTILITY_VM","features":[342]},{"name":"PRODUCT_XBOX_DURANGOHOSTOS","features":[342]},{"name":"PRODUCT_XBOX_ERAOS","features":[342]},{"name":"PRODUCT_XBOX_GAMEOS","features":[342]},{"name":"PRODUCT_XBOX_KEYSTONE","features":[342]},{"name":"PRODUCT_XBOX_SCARLETTHOSTOS","features":[342]},{"name":"PRODUCT_XBOX_SYSTEMOS","features":[342]},{"name":"PTERMINATION_HANDLER","features":[308,342]},{"name":"PTERMINATION_HANDLER","features":[308,342]},{"name":"PUMS_SCHEDULER_ENTRY_POINT","features":[342]},{"name":"PcTeb","features":[342]},{"name":"PdataCrChained","features":[342]},{"name":"PdataCrChainedWithPac","features":[342]},{"name":"PdataCrUnchained","features":[342]},{"name":"PdataCrUnchainedSavedLr","features":[342]},{"name":"PdataPackedUnwindFragment","features":[342]},{"name":"PdataPackedUnwindFunction","features":[342]},{"name":"PdataRefToFullXdata","features":[342]},{"name":"PowerMonitorDim","features":[342]},{"name":"PowerMonitorOff","features":[342]},{"name":"PowerMonitorOn","features":[342]},{"name":"QUOTA_LIMITS_EX","features":[342]},{"name":"QUOTA_LIMITS_USE_DEFAULT_LIMITS","features":[342]},{"name":"RATE_QUOTA_LIMIT","features":[342]},{"name":"READ_THREAD_PROFILING_FLAG_DISPATCHING","features":[342]},{"name":"READ_THREAD_PROFILING_FLAG_HARDWARE_COUNTERS","features":[342]},{"name":"REARRANGE_FILE_DATA","features":[308,342]},{"name":"REARRANGE_FILE_DATA32","features":[342]},{"name":"RECO_COPY","features":[342]},{"name":"RECO_CUT","features":[342]},{"name":"RECO_DRAG","features":[342]},{"name":"RECO_DROP","features":[342]},{"name":"RECO_FLAGS","features":[342]},{"name":"RECO_PASTE","features":[342]},{"name":"REDBOOK_DIGITAL_AUDIO_EXTRACTION_INFO","features":[342]},{"name":"REDBOOK_DIGITAL_AUDIO_EXTRACTION_INFO_VERSION","features":[342]},{"name":"REG_APP_HIVE","features":[342]},{"name":"REG_APP_HIVE_OPEN_READ_ONLY","features":[342]},{"name":"REG_BOOT_HIVE","features":[342]},{"name":"REG_FLUSH_HIVE_FILE_GROWTH","features":[342]},{"name":"REG_FORCE_UNLOAD","features":[342]},{"name":"REG_HIVE_EXACT_FILE_GROWTH","features":[342]},{"name":"REG_HIVE_NO_RM","features":[342]},{"name":"REG_HIVE_SINGLE_LOG","features":[342]},{"name":"REG_IMMUTABLE","features":[342]},{"name":"REG_LOAD_HIVE_OPEN_HANDLE","features":[342]},{"name":"REG_NO_IMPERSONATION_FALLBACK","features":[342]},{"name":"REG_NO_LAZY_FLUSH","features":[342]},{"name":"REG_OPEN_READ_ONLY","features":[342]},{"name":"REG_PROCESS_PRIVATE","features":[342]},{"name":"REG_REFRESH_HIVE","features":[342]},{"name":"REG_START_JOURNAL","features":[342]},{"name":"REG_UNLOAD_LEGAL_FLAGS","features":[342]},{"name":"RESOURCEMANAGER_BASIC_INFORMATION","features":[342]},{"name":"RESOURCEMANAGER_COMPLETE_PROPAGATION","features":[342]},{"name":"RESOURCEMANAGER_COMPLETION_INFORMATION","features":[308,342]},{"name":"RESOURCEMANAGER_ENLIST","features":[342]},{"name":"RESOURCEMANAGER_GET_NOTIFICATION","features":[342]},{"name":"RESOURCEMANAGER_INFORMATION_CLASS","features":[342]},{"name":"RESOURCEMANAGER_QUERY_INFORMATION","features":[342]},{"name":"RESOURCEMANAGER_RECOVER","features":[342]},{"name":"RESOURCEMANAGER_REGISTER_PROTOCOL","features":[342]},{"name":"RESOURCEMANAGER_SET_INFORMATION","features":[342]},{"name":"ROT_COMPARE_MAX","features":[342]},{"name":"RTL_UMS_SCHEDULER_REASON","features":[342]},{"name":"RTL_UMS_VERSION","features":[342]},{"name":"RTL_VIRTUAL_UNWIND2_VALIDATE_PAC","features":[342]},{"name":"RUNTIME_FUNCTION_INDIRECT","features":[342]},{"name":"RecognizerType","features":[342]},{"name":"RemHBITMAP","features":[342]},{"name":"RemHBRUSH","features":[342]},{"name":"RemHENHMETAFILE","features":[342]},{"name":"RemHGLOBAL","features":[342]},{"name":"RemHMETAFILEPICT","features":[342]},{"name":"RemHPALETTE","features":[342]},{"name":"RemotableHandle","features":[342]},{"name":"ReplacesCorHdrNumericDefines","features":[342]},{"name":"ResourceManagerBasicInformation","features":[342]},{"name":"ResourceManagerCompletionInformation","features":[342]},{"name":"RunlevelInformationInActivationContext","features":[342]},{"name":"SCOPE_TABLE_AMD64","features":[342]},{"name":"SCOPE_TABLE_ARM","features":[342]},{"name":"SCOPE_TABLE_ARM64","features":[342]},{"name":"SCRUB_DATA_INPUT","features":[342]},{"name":"SCRUB_DATA_INPUT_FLAG_IGNORE_REDUNDANCY","features":[342]},{"name":"SCRUB_DATA_INPUT_FLAG_OPLOCK_NOT_ACQUIRED","features":[342]},{"name":"SCRUB_DATA_INPUT_FLAG_RESUME","features":[342]},{"name":"SCRUB_DATA_INPUT_FLAG_SCRUB_BY_OBJECT_ID","features":[342]},{"name":"SCRUB_DATA_INPUT_FLAG_SKIP_DATA","features":[342]},{"name":"SCRUB_DATA_INPUT_FLAG_SKIP_IN_SYNC","features":[342]},{"name":"SCRUB_DATA_INPUT_FLAG_SKIP_NON_INTEGRITY_DATA","features":[342]},{"name":"SCRUB_DATA_OUTPUT","features":[342]},{"name":"SCRUB_DATA_OUTPUT_FLAG_INCOMPLETE","features":[342]},{"name":"SCRUB_DATA_OUTPUT_FLAG_NON_USER_DATA_RANGE","features":[342]},{"name":"SCRUB_DATA_OUTPUT_FLAG_PARITY_EXTENT_DATA_RETURNED","features":[342]},{"name":"SCRUB_DATA_OUTPUT_FLAG_RESUME_CONTEXT_LENGTH_SPECIFIED","features":[342]},{"name":"SCRUB_PARITY_EXTENT","features":[342]},{"name":"SCRUB_PARITY_EXTENT_DATA","features":[342]},{"name":"SECURITY_ANONYMOUS_LOGON_RID","features":[342]},{"name":"SECURITY_APPPOOL_ID_BASE_RID","features":[342]},{"name":"SECURITY_APPPOOL_ID_RID_COUNT","features":[342]},{"name":"SECURITY_APP_PACKAGE_BASE_RID","features":[342]},{"name":"SECURITY_APP_PACKAGE_RID_COUNT","features":[342]},{"name":"SECURITY_AUTHENTICATED_USER_RID","features":[342]},{"name":"SECURITY_AUTHENTICATION_AUTHORITY_ASSERTED_RID","features":[342]},{"name":"SECURITY_AUTHENTICATION_AUTHORITY_RID_COUNT","features":[342]},{"name":"SECURITY_AUTHENTICATION_FRESH_KEY_AUTH_RID","features":[342]},{"name":"SECURITY_AUTHENTICATION_KEY_PROPERTY_ATTESTATION_RID","features":[342]},{"name":"SECURITY_AUTHENTICATION_KEY_PROPERTY_MFA_RID","features":[342]},{"name":"SECURITY_AUTHENTICATION_KEY_TRUST_RID","features":[342]},{"name":"SECURITY_AUTHENTICATION_SERVICE_ASSERTED_RID","features":[342]},{"name":"SECURITY_BATCH_RID","features":[342]},{"name":"SECURITY_BUILTIN_APP_PACKAGE_RID_COUNT","features":[342]},{"name":"SECURITY_BUILTIN_CAPABILITY_RID_COUNT","features":[342]},{"name":"SECURITY_BUILTIN_DOMAIN_RID","features":[342]},{"name":"SECURITY_BUILTIN_PACKAGE_ANY_PACKAGE","features":[342]},{"name":"SECURITY_BUILTIN_PACKAGE_ANY_RESTRICTED_PACKAGE","features":[342]},{"name":"SECURITY_CAPABILITY_APPOINTMENTS","features":[342]},{"name":"SECURITY_CAPABILITY_APP_RID","features":[342]},{"name":"SECURITY_CAPABILITY_APP_SILO_RID","features":[342]},{"name":"SECURITY_CAPABILITY_BASE_RID","features":[342]},{"name":"SECURITY_CAPABILITY_CONTACTS","features":[342]},{"name":"SECURITY_CAPABILITY_DOCUMENTS_LIBRARY","features":[342]},{"name":"SECURITY_CAPABILITY_ENTERPRISE_AUTHENTICATION","features":[342]},{"name":"SECURITY_CAPABILITY_INTERNET_CLIENT","features":[342]},{"name":"SECURITY_CAPABILITY_INTERNET_CLIENT_SERVER","features":[342]},{"name":"SECURITY_CAPABILITY_INTERNET_EXPLORER","features":[342]},{"name":"SECURITY_CAPABILITY_MUSIC_LIBRARY","features":[342]},{"name":"SECURITY_CAPABILITY_PICTURES_LIBRARY","features":[342]},{"name":"SECURITY_CAPABILITY_PRIVATE_NETWORK_CLIENT_SERVER","features":[342]},{"name":"SECURITY_CAPABILITY_REMOVABLE_STORAGE","features":[342]},{"name":"SECURITY_CAPABILITY_RID_COUNT","features":[342]},{"name":"SECURITY_CAPABILITY_SHARED_USER_CERTIFICATES","features":[342]},{"name":"SECURITY_CAPABILITY_VIDEOS_LIBRARY","features":[342]},{"name":"SECURITY_CCG_ID_BASE_RID","features":[342]},{"name":"SECURITY_CHILD_PACKAGE_RID_COUNT","features":[342]},{"name":"SECURITY_CLOUD_INFRASTRUCTURE_SERVICES_ID_BASE_RID","features":[342]},{"name":"SECURITY_CLOUD_INFRASTRUCTURE_SERVICES_ID_RID_COUNT","features":[342]},{"name":"SECURITY_COM_ID_BASE_RID","features":[342]},{"name":"SECURITY_CREATOR_GROUP_RID","features":[342]},{"name":"SECURITY_CREATOR_GROUP_SERVER_RID","features":[342]},{"name":"SECURITY_CREATOR_OWNER_RID","features":[342]},{"name":"SECURITY_CREATOR_OWNER_RIGHTS_RID","features":[342]},{"name":"SECURITY_CREATOR_OWNER_SERVER_RID","features":[342]},{"name":"SECURITY_CRED_TYPE_BASE_RID","features":[342]},{"name":"SECURITY_CRED_TYPE_RID_COUNT","features":[342]},{"name":"SECURITY_CRED_TYPE_THIS_ORG_CERT_RID","features":[342]},{"name":"SECURITY_DASHOST_ID_BASE_RID","features":[342]},{"name":"SECURITY_DASHOST_ID_RID_COUNT","features":[342]},{"name":"SECURITY_DESCRIPTOR_REVISION","features":[342]},{"name":"SECURITY_DESCRIPTOR_REVISION1","features":[342]},{"name":"SECURITY_DIALUP_RID","features":[342]},{"name":"SECURITY_ENTERPRISE_CONTROLLERS_RID","features":[342]},{"name":"SECURITY_ENTERPRISE_READONLY_CONTROLLERS_RID","features":[342]},{"name":"SECURITY_INSTALLER_CAPABILITY_RID_COUNT","features":[342]},{"name":"SECURITY_INSTALLER_GROUP_CAPABILITY_BASE","features":[342]},{"name":"SECURITY_INSTALLER_GROUP_CAPABILITY_RID_COUNT","features":[342]},{"name":"SECURITY_INTERACTIVE_RID","features":[342]},{"name":"SECURITY_IUSER_RID","features":[342]},{"name":"SECURITY_LOCAL_ACCOUNT_AND_ADMIN_RID","features":[342]},{"name":"SECURITY_LOCAL_ACCOUNT_RID","features":[342]},{"name":"SECURITY_LOCAL_LOGON_RID","features":[342]},{"name":"SECURITY_LOCAL_RID","features":[342]},{"name":"SECURITY_LOCAL_SERVICE_RID","features":[342]},{"name":"SECURITY_LOCAL_SYSTEM_RID","features":[342]},{"name":"SECURITY_LOGON_IDS_RID","features":[342]},{"name":"SECURITY_LOGON_IDS_RID_COUNT","features":[342]},{"name":"SECURITY_MANDATORY_HIGH_RID","features":[342]},{"name":"SECURITY_MANDATORY_LOW_RID","features":[342]},{"name":"SECURITY_MANDATORY_MAXIMUM_USER_RID","features":[342]},{"name":"SECURITY_MANDATORY_MEDIUM_PLUS_RID","features":[342]},{"name":"SECURITY_MANDATORY_MEDIUM_RID","features":[342]},{"name":"SECURITY_MANDATORY_PROTECTED_PROCESS_RID","features":[342]},{"name":"SECURITY_MANDATORY_SYSTEM_RID","features":[342]},{"name":"SECURITY_MANDATORY_UNTRUSTED_RID","features":[342]},{"name":"SECURITY_MAX_ALWAYS_FILTERED","features":[342]},{"name":"SECURITY_MAX_BASE_RID","features":[342]},{"name":"SECURITY_MIN_BASE_RID","features":[342]},{"name":"SECURITY_MIN_NEVER_FILTERED","features":[342]},{"name":"SECURITY_NETWORK_RID","features":[342]},{"name":"SECURITY_NETWORK_SERVICE_RID","features":[342]},{"name":"SECURITY_NFS_ID_BASE_RID","features":[342]},{"name":"SECURITY_NT_NON_UNIQUE","features":[342]},{"name":"SECURITY_NT_NON_UNIQUE_SUB_AUTH_COUNT","features":[342]},{"name":"SECURITY_NULL_RID","features":[342]},{"name":"SECURITY_OBJECT_AI_PARAMS","features":[342]},{"name":"SECURITY_OTHER_ORGANIZATION_RID","features":[342]},{"name":"SECURITY_PACKAGE_BASE_RID","features":[342]},{"name":"SECURITY_PACKAGE_DIGEST_RID","features":[342]},{"name":"SECURITY_PACKAGE_NTLM_RID","features":[342]},{"name":"SECURITY_PACKAGE_RID_COUNT","features":[342]},{"name":"SECURITY_PACKAGE_SCHANNEL_RID","features":[342]},{"name":"SECURITY_PARENT_PACKAGE_RID_COUNT","features":[342]},{"name":"SECURITY_PRINCIPAL_SELF_RID","features":[342]},{"name":"SECURITY_PROCESS_PROTECTION_LEVEL_ANTIMALWARE_RID","features":[342]},{"name":"SECURITY_PROCESS_PROTECTION_LEVEL_APP_RID","features":[342]},{"name":"SECURITY_PROCESS_PROTECTION_LEVEL_AUTHENTICODE_RID","features":[342]},{"name":"SECURITY_PROCESS_PROTECTION_LEVEL_NONE_RID","features":[342]},{"name":"SECURITY_PROCESS_PROTECTION_LEVEL_WINDOWS_RID","features":[342]},{"name":"SECURITY_PROCESS_PROTECTION_LEVEL_WINTCB_RID","features":[342]},{"name":"SECURITY_PROCESS_PROTECTION_TYPE_FULL_RID","features":[342]},{"name":"SECURITY_PROCESS_PROTECTION_TYPE_LITE_RID","features":[342]},{"name":"SECURITY_PROCESS_PROTECTION_TYPE_NONE_RID","features":[342]},{"name":"SECURITY_PROCESS_TRUST_AUTHORITY_RID_COUNT","features":[342]},{"name":"SECURITY_PROXY_RID","features":[342]},{"name":"SECURITY_RDV_GFX_BASE_RID","features":[342]},{"name":"SECURITY_REMOTE_LOGON_RID","features":[342]},{"name":"SECURITY_RESERVED_ID_BASE_RID","features":[342]},{"name":"SECURITY_RESTRICTED_CODE_RID","features":[342]},{"name":"SECURITY_SERVER_LOGON_RID","features":[342]},{"name":"SECURITY_SERVICE_ID_BASE_RID","features":[342]},{"name":"SECURITY_SERVICE_ID_RID_COUNT","features":[342]},{"name":"SECURITY_SERVICE_RID","features":[342]},{"name":"SECURITY_TASK_ID_BASE_RID","features":[342]},{"name":"SECURITY_TERMINAL_SERVER_RID","features":[342]},{"name":"SECURITY_THIS_ORGANIZATION_RID","features":[342]},{"name":"SECURITY_TRUSTED_INSTALLER_RID1","features":[342]},{"name":"SECURITY_TRUSTED_INSTALLER_RID2","features":[342]},{"name":"SECURITY_TRUSTED_INSTALLER_RID3","features":[342]},{"name":"SECURITY_TRUSTED_INSTALLER_RID4","features":[342]},{"name":"SECURITY_TRUSTED_INSTALLER_RID5","features":[342]},{"name":"SECURITY_UMFD_BASE_RID","features":[342]},{"name":"SECURITY_USERMANAGER_ID_BASE_RID","features":[342]},{"name":"SECURITY_USERMANAGER_ID_RID_COUNT","features":[342]},{"name":"SECURITY_USERMODEDRIVERHOST_ID_BASE_RID","features":[342]},{"name":"SECURITY_USERMODEDRIVERHOST_ID_RID_COUNT","features":[342]},{"name":"SECURITY_VIRTUALACCOUNT_ID_RID_COUNT","features":[342]},{"name":"SECURITY_VIRTUALSERVER_ID_BASE_RID","features":[342]},{"name":"SECURITY_VIRTUALSERVER_ID_RID_COUNT","features":[342]},{"name":"SECURITY_WINDOWSMOBILE_ID_BASE_RID","features":[342]},{"name":"SECURITY_WINDOW_MANAGER_BASE_RID","features":[342]},{"name":"SECURITY_WINRM_ID_BASE_RID","features":[342]},{"name":"SECURITY_WINRM_ID_RID_COUNT","features":[342]},{"name":"SECURITY_WMIHOST_ID_BASE_RID","features":[342]},{"name":"SECURITY_WMIHOST_ID_RID_COUNT","features":[342]},{"name":"SECURITY_WORLD_RID","features":[342]},{"name":"SECURITY_WRITE_RESTRICTED_CODE_RID","features":[342]},{"name":"SEC_HUGE_PAGES","features":[342]},{"name":"SEF_AI_USE_EXTRA_PARAMS","features":[342]},{"name":"SEF_FORCE_USER_MODE","features":[342]},{"name":"SEF_NORMALIZE_OUTPUT_DESCRIPTOR","features":[342]},{"name":"SERVERSILO_BASIC_INFORMATION","features":[308,342]},{"name":"SERVERSILO_INITING","features":[342]},{"name":"SERVERSILO_SHUTTING_DOWN","features":[342]},{"name":"SERVERSILO_STARTED","features":[342]},{"name":"SERVERSILO_STATE","features":[342]},{"name":"SERVERSILO_TERMINATED","features":[342]},{"name":"SERVERSILO_TERMINATING","features":[342]},{"name":"SERVICE_ERROR_TYPE","features":[342]},{"name":"SERVICE_INTERACTIVE_PROCESS","features":[342]},{"name":"SERVICE_LOAD_TYPE","features":[342]},{"name":"SERVICE_NODE_TYPE","features":[342]},{"name":"SERVICE_PKG_SERVICE","features":[342]},{"name":"SERVICE_USERSERVICE_INSTANCE","features":[342]},{"name":"SERVICE_USER_SERVICE","features":[342]},{"name":"SESSION_MODIFY_ACCESS","features":[342]},{"name":"SESSION_QUERY_ACCESS","features":[342]},{"name":"SE_ACCESS_CHECK_FLAG_NO_LEARNING_MODE_LOGGING","features":[342]},{"name":"SE_ACCESS_CHECK_VALID_FLAGS","features":[342]},{"name":"SE_ACTIVATE_AS_USER_CAPABILITY","features":[342]},{"name":"SE_APP_SILO_PRINT_CAPABILITY","features":[342]},{"name":"SE_APP_SILO_PROFILES_ROOT_MINIMAL_CAPABILITY","features":[342]},{"name":"SE_APP_SILO_USER_PROFILE_MINIMAL_CAPABILITY","features":[342]},{"name":"SE_APP_SILO_VOLUME_ROOT_MINIMAL_CAPABILITY","features":[342]},{"name":"SE_CONSTRAINED_IMPERSONATION_CAPABILITY","features":[342]},{"name":"SE_DEVELOPMENT_MODE_NETWORK_CAPABILITY","features":[342]},{"name":"SE_GROUP_ENABLED","features":[342]},{"name":"SE_GROUP_ENABLED_BY_DEFAULT","features":[342]},{"name":"SE_GROUP_INTEGRITY","features":[342]},{"name":"SE_GROUP_INTEGRITY_ENABLED","features":[342]},{"name":"SE_GROUP_LOGON_ID","features":[342]},{"name":"SE_GROUP_MANDATORY","features":[342]},{"name":"SE_GROUP_OWNER","features":[342]},{"name":"SE_GROUP_RESOURCE","features":[342]},{"name":"SE_GROUP_USE_FOR_DENY_ONLY","features":[342]},{"name":"SE_IMAGE_SIGNATURE_TYPE","features":[342]},{"name":"SE_LEARNING_MODE_LOGGING_CAPABILITY","features":[342]},{"name":"SE_MUMA_CAPABILITY","features":[342]},{"name":"SE_PERMISSIVE_LEARNING_MODE_CAPABILITY","features":[342]},{"name":"SE_SECURITY_DESCRIPTOR_FLAG_NO_ACCESS_FILTER_ACE","features":[342]},{"name":"SE_SECURITY_DESCRIPTOR_FLAG_NO_LABEL_ACE","features":[342]},{"name":"SE_SECURITY_DESCRIPTOR_FLAG_NO_OWNER_ACE","features":[342]},{"name":"SE_SECURITY_DESCRIPTOR_VALID_FLAGS","features":[342]},{"name":"SE_SESSION_IMPERSONATION_CAPABILITY","features":[342]},{"name":"SE_SIGNING_LEVEL_ANTIMALWARE","features":[342]},{"name":"SE_SIGNING_LEVEL_AUTHENTICODE","features":[342]},{"name":"SE_SIGNING_LEVEL_CUSTOM_1","features":[342]},{"name":"SE_SIGNING_LEVEL_CUSTOM_2","features":[342]},{"name":"SE_SIGNING_LEVEL_CUSTOM_3","features":[342]},{"name":"SE_SIGNING_LEVEL_CUSTOM_4","features":[342]},{"name":"SE_SIGNING_LEVEL_CUSTOM_5","features":[342]},{"name":"SE_SIGNING_LEVEL_CUSTOM_6","features":[342]},{"name":"SE_SIGNING_LEVEL_CUSTOM_7","features":[342]},{"name":"SE_SIGNING_LEVEL_DEVELOPER","features":[342]},{"name":"SE_SIGNING_LEVEL_DYNAMIC_CODEGEN","features":[342]},{"name":"SE_SIGNING_LEVEL_ENTERPRISE","features":[342]},{"name":"SE_SIGNING_LEVEL_MICROSOFT","features":[342]},{"name":"SE_SIGNING_LEVEL_STORE","features":[342]},{"name":"SE_SIGNING_LEVEL_UNCHECKED","features":[342]},{"name":"SE_SIGNING_LEVEL_UNSIGNED","features":[342]},{"name":"SE_SIGNING_LEVEL_WINDOWS","features":[342]},{"name":"SE_SIGNING_LEVEL_WINDOWS_TCB","features":[342]},{"name":"SE_TOKEN_USER","features":[308,311,342]},{"name":"SFGAO_BROWSABLE","features":[342]},{"name":"SFGAO_CANCOPY","features":[342]},{"name":"SFGAO_CANDELETE","features":[342]},{"name":"SFGAO_CANLINK","features":[342]},{"name":"SFGAO_CANMONIKER","features":[342]},{"name":"SFGAO_CANMOVE","features":[342]},{"name":"SFGAO_CANRENAME","features":[342]},{"name":"SFGAO_CAPABILITYMASK","features":[342]},{"name":"SFGAO_COMPRESSED","features":[342]},{"name":"SFGAO_CONTENTSMASK","features":[342]},{"name":"SFGAO_DISPLAYATTRMASK","features":[342]},{"name":"SFGAO_DROPTARGET","features":[342]},{"name":"SFGAO_ENCRYPTED","features":[342]},{"name":"SFGAO_FILESYSANCESTOR","features":[342]},{"name":"SFGAO_FILESYSTEM","features":[342]},{"name":"SFGAO_FLAGS","features":[342]},{"name":"SFGAO_FOLDER","features":[342]},{"name":"SFGAO_GHOSTED","features":[342]},{"name":"SFGAO_HASPROPSHEET","features":[342]},{"name":"SFGAO_HASSTORAGE","features":[342]},{"name":"SFGAO_HASSUBFOLDER","features":[342]},{"name":"SFGAO_HIDDEN","features":[342]},{"name":"SFGAO_ISSLOW","features":[342]},{"name":"SFGAO_LINK","features":[342]},{"name":"SFGAO_NEWCONTENT","features":[342]},{"name":"SFGAO_NONENUMERATED","features":[342]},{"name":"SFGAO_PKEYSFGAOMASK","features":[342]},{"name":"SFGAO_PLACEHOLDER","features":[342]},{"name":"SFGAO_READONLY","features":[342]},{"name":"SFGAO_REMOVABLE","features":[342]},{"name":"SFGAO_SHARE","features":[342]},{"name":"SFGAO_STORAGE","features":[342]},{"name":"SFGAO_STORAGEANCESTOR","features":[342]},{"name":"SFGAO_STORAGECAPMASK","features":[342]},{"name":"SFGAO_STREAM","features":[342]},{"name":"SFGAO_SYSTEM","features":[342]},{"name":"SFGAO_VALIDATE","features":[342]},{"name":"SHARED_VIRTUAL_DISK_SUPPORT","features":[342]},{"name":"SHUFFLE_FILE_DATA","features":[342]},{"name":"SHUFFLE_FILE_FLAG_SKIP_INITIALIZING_NEW_CLUSTERS","features":[342]},{"name":"SID_HASH_SIZE","features":[342]},{"name":"SID_MAX_SUB_AUTHORITIES","features":[342]},{"name":"SID_RECOMMENDED_SUB_AUTHORITIES","features":[342]},{"name":"SID_REVISION","features":[342]},{"name":"SILOOBJECT_BASIC_INFORMATION","features":[308,342]},{"name":"SIZEOF_RFPO_DATA","features":[342]},{"name":"SIZE_OF_80387_REGISTERS","features":[342]},{"name":"SMB_CCF_APP_INSTANCE_EA_NAME","features":[342]},{"name":"SMT_UNPARKING_POLICY_CORE","features":[342]},{"name":"SMT_UNPARKING_POLICY_CORE_PER_THREAD","features":[342]},{"name":"SMT_UNPARKING_POLICY_LP_ROUNDROBIN","features":[342]},{"name":"SMT_UNPARKING_POLICY_LP_SEQUENTIAL","features":[342]},{"name":"SORT_CHINESE_BIG5","features":[342]},{"name":"SORT_CHINESE_BOPOMOFO","features":[342]},{"name":"SORT_CHINESE_PRC","features":[342]},{"name":"SORT_CHINESE_PRCP","features":[342]},{"name":"SORT_CHINESE_RADICALSTROKE","features":[342]},{"name":"SORT_CHINESE_UNICODE","features":[342]},{"name":"SORT_DEFAULT","features":[342]},{"name":"SORT_GEORGIAN_MODERN","features":[342]},{"name":"SORT_GEORGIAN_TRADITIONAL","features":[342]},{"name":"SORT_GERMAN_PHONE_BOOK","features":[342]},{"name":"SORT_HUNGARIAN_DEFAULT","features":[342]},{"name":"SORT_HUNGARIAN_TECHNICAL","features":[342]},{"name":"SORT_INVARIANT_MATH","features":[342]},{"name":"SORT_JAPANESE_RADICALSTROKE","features":[342]},{"name":"SORT_JAPANESE_UNICODE","features":[342]},{"name":"SORT_JAPANESE_XJIS","features":[342]},{"name":"SORT_KOREAN_KSC","features":[342]},{"name":"SORT_KOREAN_UNICODE","features":[342]},{"name":"SS_BITMAP","features":[342]},{"name":"SS_BLACKFRAME","features":[342]},{"name":"SS_BLACKRECT","features":[342]},{"name":"SS_CENTER","features":[342]},{"name":"SS_CENTERIMAGE","features":[342]},{"name":"SS_EDITCONTROL","features":[342]},{"name":"SS_ELLIPSISMASK","features":[342]},{"name":"SS_ENDELLIPSIS","features":[342]},{"name":"SS_ENHMETAFILE","features":[342]},{"name":"SS_ETCHEDFRAME","features":[342]},{"name":"SS_ETCHEDHORZ","features":[342]},{"name":"SS_ETCHEDVERT","features":[342]},{"name":"SS_GRAYFRAME","features":[342]},{"name":"SS_GRAYRECT","features":[342]},{"name":"SS_ICON","features":[342]},{"name":"SS_LEFT","features":[342]},{"name":"SS_LEFTNOWORDWRAP","features":[342]},{"name":"SS_NOPREFIX","features":[342]},{"name":"SS_NOTIFY","features":[342]},{"name":"SS_OWNERDRAW","features":[342]},{"name":"SS_PATHELLIPSIS","features":[342]},{"name":"SS_REALSIZECONTROL","features":[342]},{"name":"SS_REALSIZEIMAGE","features":[342]},{"name":"SS_RIGHT","features":[342]},{"name":"SS_RIGHTJUST","features":[342]},{"name":"SS_SIMPLE","features":[342]},{"name":"SS_SUNKEN","features":[342]},{"name":"SS_TYPEMASK","features":[342]},{"name":"SS_USERITEM","features":[342]},{"name":"SS_WHITEFRAME","features":[342]},{"name":"SS_WHITERECT","features":[342]},{"name":"SS_WORDELLIPSIS","features":[342]},{"name":"STATIC_STYLES","features":[342]},{"name":"SUBLANG_AFRIKAANS_SOUTH_AFRICA","features":[342]},{"name":"SUBLANG_ALBANIAN_ALBANIA","features":[342]},{"name":"SUBLANG_ALSATIAN_FRANCE","features":[342]},{"name":"SUBLANG_AMHARIC_ETHIOPIA","features":[342]},{"name":"SUBLANG_ARABIC_ALGERIA","features":[342]},{"name":"SUBLANG_ARABIC_BAHRAIN","features":[342]},{"name":"SUBLANG_ARABIC_EGYPT","features":[342]},{"name":"SUBLANG_ARABIC_IRAQ","features":[342]},{"name":"SUBLANG_ARABIC_JORDAN","features":[342]},{"name":"SUBLANG_ARABIC_KUWAIT","features":[342]},{"name":"SUBLANG_ARABIC_LEBANON","features":[342]},{"name":"SUBLANG_ARABIC_LIBYA","features":[342]},{"name":"SUBLANG_ARABIC_MOROCCO","features":[342]},{"name":"SUBLANG_ARABIC_OMAN","features":[342]},{"name":"SUBLANG_ARABIC_QATAR","features":[342]},{"name":"SUBLANG_ARABIC_SAUDI_ARABIA","features":[342]},{"name":"SUBLANG_ARABIC_SYRIA","features":[342]},{"name":"SUBLANG_ARABIC_TUNISIA","features":[342]},{"name":"SUBLANG_ARABIC_UAE","features":[342]},{"name":"SUBLANG_ARABIC_YEMEN","features":[342]},{"name":"SUBLANG_ARMENIAN_ARMENIA","features":[342]},{"name":"SUBLANG_ASSAMESE_INDIA","features":[342]},{"name":"SUBLANG_AZERBAIJANI_AZERBAIJAN_CYRILLIC","features":[342]},{"name":"SUBLANG_AZERBAIJANI_AZERBAIJAN_LATIN","features":[342]},{"name":"SUBLANG_AZERI_CYRILLIC","features":[342]},{"name":"SUBLANG_AZERI_LATIN","features":[342]},{"name":"SUBLANG_BANGLA_BANGLADESH","features":[342]},{"name":"SUBLANG_BANGLA_INDIA","features":[342]},{"name":"SUBLANG_BASHKIR_RUSSIA","features":[342]},{"name":"SUBLANG_BASQUE_BASQUE","features":[342]},{"name":"SUBLANG_BELARUSIAN_BELARUS","features":[342]},{"name":"SUBLANG_BENGALI_BANGLADESH","features":[342]},{"name":"SUBLANG_BENGALI_INDIA","features":[342]},{"name":"SUBLANG_BOSNIAN_BOSNIA_HERZEGOVINA_CYRILLIC","features":[342]},{"name":"SUBLANG_BOSNIAN_BOSNIA_HERZEGOVINA_LATIN","features":[342]},{"name":"SUBLANG_BRETON_FRANCE","features":[342]},{"name":"SUBLANG_BULGARIAN_BULGARIA","features":[342]},{"name":"SUBLANG_CATALAN_CATALAN","features":[342]},{"name":"SUBLANG_CENTRAL_KURDISH_IRAQ","features":[342]},{"name":"SUBLANG_CHEROKEE_CHEROKEE","features":[342]},{"name":"SUBLANG_CHINESE_HONGKONG","features":[342]},{"name":"SUBLANG_CHINESE_MACAU","features":[342]},{"name":"SUBLANG_CHINESE_SIMPLIFIED","features":[342]},{"name":"SUBLANG_CHINESE_SINGAPORE","features":[342]},{"name":"SUBLANG_CHINESE_TRADITIONAL","features":[342]},{"name":"SUBLANG_CORSICAN_FRANCE","features":[342]},{"name":"SUBLANG_CROATIAN_BOSNIA_HERZEGOVINA_LATIN","features":[342]},{"name":"SUBLANG_CROATIAN_CROATIA","features":[342]},{"name":"SUBLANG_CUSTOM_DEFAULT","features":[342]},{"name":"SUBLANG_CUSTOM_UNSPECIFIED","features":[342]},{"name":"SUBLANG_CZECH_CZECH_REPUBLIC","features":[342]},{"name":"SUBLANG_DANISH_DENMARK","features":[342]},{"name":"SUBLANG_DARI_AFGHANISTAN","features":[342]},{"name":"SUBLANG_DEFAULT","features":[342]},{"name":"SUBLANG_DIVEHI_MALDIVES","features":[342]},{"name":"SUBLANG_DUTCH","features":[342]},{"name":"SUBLANG_DUTCH_BELGIAN","features":[342]},{"name":"SUBLANG_ENGLISH_AUS","features":[342]},{"name":"SUBLANG_ENGLISH_BELIZE","features":[342]},{"name":"SUBLANG_ENGLISH_CAN","features":[342]},{"name":"SUBLANG_ENGLISH_CARIBBEAN","features":[342]},{"name":"SUBLANG_ENGLISH_EIRE","features":[342]},{"name":"SUBLANG_ENGLISH_INDIA","features":[342]},{"name":"SUBLANG_ENGLISH_JAMAICA","features":[342]},{"name":"SUBLANG_ENGLISH_MALAYSIA","features":[342]},{"name":"SUBLANG_ENGLISH_NZ","features":[342]},{"name":"SUBLANG_ENGLISH_PHILIPPINES","features":[342]},{"name":"SUBLANG_ENGLISH_SINGAPORE","features":[342]},{"name":"SUBLANG_ENGLISH_SOUTH_AFRICA","features":[342]},{"name":"SUBLANG_ENGLISH_TRINIDAD","features":[342]},{"name":"SUBLANG_ENGLISH_UK","features":[342]},{"name":"SUBLANG_ENGLISH_US","features":[342]},{"name":"SUBLANG_ENGLISH_ZIMBABWE","features":[342]},{"name":"SUBLANG_ESTONIAN_ESTONIA","features":[342]},{"name":"SUBLANG_FAEROESE_FAROE_ISLANDS","features":[342]},{"name":"SUBLANG_FILIPINO_PHILIPPINES","features":[342]},{"name":"SUBLANG_FINNISH_FINLAND","features":[342]},{"name":"SUBLANG_FRENCH","features":[342]},{"name":"SUBLANG_FRENCH_BELGIAN","features":[342]},{"name":"SUBLANG_FRENCH_CANADIAN","features":[342]},{"name":"SUBLANG_FRENCH_LUXEMBOURG","features":[342]},{"name":"SUBLANG_FRENCH_MONACO","features":[342]},{"name":"SUBLANG_FRENCH_SWISS","features":[342]},{"name":"SUBLANG_FRISIAN_NETHERLANDS","features":[342]},{"name":"SUBLANG_FULAH_SENEGAL","features":[342]},{"name":"SUBLANG_GALICIAN_GALICIAN","features":[342]},{"name":"SUBLANG_GEORGIAN_GEORGIA","features":[342]},{"name":"SUBLANG_GERMAN","features":[342]},{"name":"SUBLANG_GERMAN_AUSTRIAN","features":[342]},{"name":"SUBLANG_GERMAN_LIECHTENSTEIN","features":[342]},{"name":"SUBLANG_GERMAN_LUXEMBOURG","features":[342]},{"name":"SUBLANG_GERMAN_SWISS","features":[342]},{"name":"SUBLANG_GREEK_GREECE","features":[342]},{"name":"SUBLANG_GREENLANDIC_GREENLAND","features":[342]},{"name":"SUBLANG_GUJARATI_INDIA","features":[342]},{"name":"SUBLANG_HAUSA_NIGERIA_LATIN","features":[342]},{"name":"SUBLANG_HAWAIIAN_US","features":[342]},{"name":"SUBLANG_HEBREW_ISRAEL","features":[342]},{"name":"SUBLANG_HINDI_INDIA","features":[342]},{"name":"SUBLANG_HUNGARIAN_HUNGARY","features":[342]},{"name":"SUBLANG_ICELANDIC_ICELAND","features":[342]},{"name":"SUBLANG_IGBO_NIGERIA","features":[342]},{"name":"SUBLANG_INDONESIAN_INDONESIA","features":[342]},{"name":"SUBLANG_INUKTITUT_CANADA","features":[342]},{"name":"SUBLANG_INUKTITUT_CANADA_LATIN","features":[342]},{"name":"SUBLANG_IRISH_IRELAND","features":[342]},{"name":"SUBLANG_ITALIAN","features":[342]},{"name":"SUBLANG_ITALIAN_SWISS","features":[342]},{"name":"SUBLANG_JAPANESE_JAPAN","features":[342]},{"name":"SUBLANG_KANNADA_INDIA","features":[342]},{"name":"SUBLANG_KASHMIRI_INDIA","features":[342]},{"name":"SUBLANG_KASHMIRI_SASIA","features":[342]},{"name":"SUBLANG_KAZAK_KAZAKHSTAN","features":[342]},{"name":"SUBLANG_KHMER_CAMBODIA","features":[342]},{"name":"SUBLANG_KICHE_GUATEMALA","features":[342]},{"name":"SUBLANG_KINYARWANDA_RWANDA","features":[342]},{"name":"SUBLANG_KONKANI_INDIA","features":[342]},{"name":"SUBLANG_KOREAN","features":[342]},{"name":"SUBLANG_KYRGYZ_KYRGYZSTAN","features":[342]},{"name":"SUBLANG_LAO_LAO","features":[342]},{"name":"SUBLANG_LATVIAN_LATVIA","features":[342]},{"name":"SUBLANG_LITHUANIAN","features":[342]},{"name":"SUBLANG_LOWER_SORBIAN_GERMANY","features":[342]},{"name":"SUBLANG_LUXEMBOURGISH_LUXEMBOURG","features":[342]},{"name":"SUBLANG_MACEDONIAN_MACEDONIA","features":[342]},{"name":"SUBLANG_MALAYALAM_INDIA","features":[342]},{"name":"SUBLANG_MALAY_BRUNEI_DARUSSALAM","features":[342]},{"name":"SUBLANG_MALAY_MALAYSIA","features":[342]},{"name":"SUBLANG_MALTESE_MALTA","features":[342]},{"name":"SUBLANG_MAORI_NEW_ZEALAND","features":[342]},{"name":"SUBLANG_MAPUDUNGUN_CHILE","features":[342]},{"name":"SUBLANG_MARATHI_INDIA","features":[342]},{"name":"SUBLANG_MOHAWK_MOHAWK","features":[342]},{"name":"SUBLANG_MONGOLIAN_CYRILLIC_MONGOLIA","features":[342]},{"name":"SUBLANG_MONGOLIAN_PRC","features":[342]},{"name":"SUBLANG_NEPALI_INDIA","features":[342]},{"name":"SUBLANG_NEPALI_NEPAL","features":[342]},{"name":"SUBLANG_NEUTRAL","features":[342]},{"name":"SUBLANG_NORWEGIAN_BOKMAL","features":[342]},{"name":"SUBLANG_NORWEGIAN_NYNORSK","features":[342]},{"name":"SUBLANG_OCCITAN_FRANCE","features":[342]},{"name":"SUBLANG_ODIA_INDIA","features":[342]},{"name":"SUBLANG_ORIYA_INDIA","features":[342]},{"name":"SUBLANG_PASHTO_AFGHANISTAN","features":[342]},{"name":"SUBLANG_PERSIAN_IRAN","features":[342]},{"name":"SUBLANG_POLISH_POLAND","features":[342]},{"name":"SUBLANG_PORTUGUESE","features":[342]},{"name":"SUBLANG_PORTUGUESE_BRAZILIAN","features":[342]},{"name":"SUBLANG_PULAR_SENEGAL","features":[342]},{"name":"SUBLANG_PUNJABI_INDIA","features":[342]},{"name":"SUBLANG_PUNJABI_PAKISTAN","features":[342]},{"name":"SUBLANG_QUECHUA_BOLIVIA","features":[342]},{"name":"SUBLANG_QUECHUA_ECUADOR","features":[342]},{"name":"SUBLANG_QUECHUA_PERU","features":[342]},{"name":"SUBLANG_ROMANIAN_ROMANIA","features":[342]},{"name":"SUBLANG_ROMANSH_SWITZERLAND","features":[342]},{"name":"SUBLANG_RUSSIAN_RUSSIA","features":[342]},{"name":"SUBLANG_SAKHA_RUSSIA","features":[342]},{"name":"SUBLANG_SAMI_INARI_FINLAND","features":[342]},{"name":"SUBLANG_SAMI_LULE_NORWAY","features":[342]},{"name":"SUBLANG_SAMI_LULE_SWEDEN","features":[342]},{"name":"SUBLANG_SAMI_NORTHERN_FINLAND","features":[342]},{"name":"SUBLANG_SAMI_NORTHERN_NORWAY","features":[342]},{"name":"SUBLANG_SAMI_NORTHERN_SWEDEN","features":[342]},{"name":"SUBLANG_SAMI_SKOLT_FINLAND","features":[342]},{"name":"SUBLANG_SAMI_SOUTHERN_NORWAY","features":[342]},{"name":"SUBLANG_SAMI_SOUTHERN_SWEDEN","features":[342]},{"name":"SUBLANG_SANSKRIT_INDIA","features":[342]},{"name":"SUBLANG_SCOTTISH_GAELIC","features":[342]},{"name":"SUBLANG_SERBIAN_BOSNIA_HERZEGOVINA_CYRILLIC","features":[342]},{"name":"SUBLANG_SERBIAN_BOSNIA_HERZEGOVINA_LATIN","features":[342]},{"name":"SUBLANG_SERBIAN_CROATIA","features":[342]},{"name":"SUBLANG_SERBIAN_CYRILLIC","features":[342]},{"name":"SUBLANG_SERBIAN_LATIN","features":[342]},{"name":"SUBLANG_SERBIAN_MONTENEGRO_CYRILLIC","features":[342]},{"name":"SUBLANG_SERBIAN_MONTENEGRO_LATIN","features":[342]},{"name":"SUBLANG_SERBIAN_SERBIA_CYRILLIC","features":[342]},{"name":"SUBLANG_SERBIAN_SERBIA_LATIN","features":[342]},{"name":"SUBLANG_SINDHI_AFGHANISTAN","features":[342]},{"name":"SUBLANG_SINDHI_INDIA","features":[342]},{"name":"SUBLANG_SINDHI_PAKISTAN","features":[342]},{"name":"SUBLANG_SINHALESE_SRI_LANKA","features":[342]},{"name":"SUBLANG_SLOVAK_SLOVAKIA","features":[342]},{"name":"SUBLANG_SLOVENIAN_SLOVENIA","features":[342]},{"name":"SUBLANG_SOTHO_NORTHERN_SOUTH_AFRICA","features":[342]},{"name":"SUBLANG_SPANISH","features":[342]},{"name":"SUBLANG_SPANISH_ARGENTINA","features":[342]},{"name":"SUBLANG_SPANISH_BOLIVIA","features":[342]},{"name":"SUBLANG_SPANISH_CHILE","features":[342]},{"name":"SUBLANG_SPANISH_COLOMBIA","features":[342]},{"name":"SUBLANG_SPANISH_COSTA_RICA","features":[342]},{"name":"SUBLANG_SPANISH_DOMINICAN_REPUBLIC","features":[342]},{"name":"SUBLANG_SPANISH_ECUADOR","features":[342]},{"name":"SUBLANG_SPANISH_EL_SALVADOR","features":[342]},{"name":"SUBLANG_SPANISH_GUATEMALA","features":[342]},{"name":"SUBLANG_SPANISH_HONDURAS","features":[342]},{"name":"SUBLANG_SPANISH_MEXICAN","features":[342]},{"name":"SUBLANG_SPANISH_MODERN","features":[342]},{"name":"SUBLANG_SPANISH_NICARAGUA","features":[342]},{"name":"SUBLANG_SPANISH_PANAMA","features":[342]},{"name":"SUBLANG_SPANISH_PARAGUAY","features":[342]},{"name":"SUBLANG_SPANISH_PERU","features":[342]},{"name":"SUBLANG_SPANISH_PUERTO_RICO","features":[342]},{"name":"SUBLANG_SPANISH_URUGUAY","features":[342]},{"name":"SUBLANG_SPANISH_US","features":[342]},{"name":"SUBLANG_SPANISH_VENEZUELA","features":[342]},{"name":"SUBLANG_SWAHILI_KENYA","features":[342]},{"name":"SUBLANG_SWEDISH","features":[342]},{"name":"SUBLANG_SWEDISH_FINLAND","features":[342]},{"name":"SUBLANG_SYRIAC_SYRIA","features":[342]},{"name":"SUBLANG_SYS_DEFAULT","features":[342]},{"name":"SUBLANG_TAJIK_TAJIKISTAN","features":[342]},{"name":"SUBLANG_TAMAZIGHT_ALGERIA_LATIN","features":[342]},{"name":"SUBLANG_TAMAZIGHT_MOROCCO_TIFINAGH","features":[342]},{"name":"SUBLANG_TAMIL_INDIA","features":[342]},{"name":"SUBLANG_TAMIL_SRI_LANKA","features":[342]},{"name":"SUBLANG_TATAR_RUSSIA","features":[342]},{"name":"SUBLANG_TELUGU_INDIA","features":[342]},{"name":"SUBLANG_THAI_THAILAND","features":[342]},{"name":"SUBLANG_TIBETAN_PRC","features":[342]},{"name":"SUBLANG_TIGRIGNA_ERITREA","features":[342]},{"name":"SUBLANG_TIGRINYA_ERITREA","features":[342]},{"name":"SUBLANG_TIGRINYA_ETHIOPIA","features":[342]},{"name":"SUBLANG_TSWANA_BOTSWANA","features":[342]},{"name":"SUBLANG_TSWANA_SOUTH_AFRICA","features":[342]},{"name":"SUBLANG_TURKISH_TURKEY","features":[342]},{"name":"SUBLANG_TURKMEN_TURKMENISTAN","features":[342]},{"name":"SUBLANG_UIGHUR_PRC","features":[342]},{"name":"SUBLANG_UI_CUSTOM_DEFAULT","features":[342]},{"name":"SUBLANG_UKRAINIAN_UKRAINE","features":[342]},{"name":"SUBLANG_UPPER_SORBIAN_GERMANY","features":[342]},{"name":"SUBLANG_URDU_INDIA","features":[342]},{"name":"SUBLANG_URDU_PAKISTAN","features":[342]},{"name":"SUBLANG_UZBEK_CYRILLIC","features":[342]},{"name":"SUBLANG_UZBEK_LATIN","features":[342]},{"name":"SUBLANG_VALENCIAN_VALENCIA","features":[342]},{"name":"SUBLANG_VIETNAMESE_VIETNAM","features":[342]},{"name":"SUBLANG_WELSH_UNITED_KINGDOM","features":[342]},{"name":"SUBLANG_WOLOF_SENEGAL","features":[342]},{"name":"SUBLANG_XHOSA_SOUTH_AFRICA","features":[342]},{"name":"SUBLANG_YAKUT_RUSSIA","features":[342]},{"name":"SUBLANG_YI_PRC","features":[342]},{"name":"SUBLANG_YORUBA_NIGERIA","features":[342]},{"name":"SUBLANG_ZULU_SOUTH_AFRICA","features":[342]},{"name":"SUPPORTED_OS_INFO","features":[342]},{"name":"SYSTEM_ACCESS_FILTER_ACE_TYPE","features":[342]},{"name":"SYSTEM_ACCESS_FILTER_NOCONSTRAINT_MASK","features":[342]},{"name":"SYSTEM_ACCESS_FILTER_VALID_MASK","features":[342]},{"name":"SYSTEM_ALARM_ACE_TYPE","features":[342]},{"name":"SYSTEM_ALARM_CALLBACK_ACE_TYPE","features":[342]},{"name":"SYSTEM_ALARM_CALLBACK_OBJECT_ACE_TYPE","features":[342]},{"name":"SYSTEM_ALARM_OBJECT_ACE_TYPE","features":[342]},{"name":"SYSTEM_AUDIT_ACE_TYPE","features":[342]},{"name":"SYSTEM_AUDIT_CALLBACK_ACE_TYPE","features":[342]},{"name":"SYSTEM_AUDIT_CALLBACK_OBJECT_ACE_TYPE","features":[342]},{"name":"SYSTEM_AUDIT_OBJECT_ACE_TYPE","features":[342]},{"name":"SYSTEM_CACHE_ALIGNMENT_SIZE","features":[342]},{"name":"SYSTEM_MANDATORY_LABEL_ACE_TYPE","features":[342]},{"name":"SYSTEM_MANDATORY_LABEL_NO_EXECUTE_UP","features":[342]},{"name":"SYSTEM_MANDATORY_LABEL_NO_READ_UP","features":[342]},{"name":"SYSTEM_MANDATORY_LABEL_NO_WRITE_UP","features":[342]},{"name":"SYSTEM_PROCESS_TRUST_LABEL_ACE_TYPE","features":[342]},{"name":"SYSTEM_PROCESS_TRUST_LABEL_VALID_MASK","features":[342]},{"name":"SYSTEM_PROCESS_TRUST_NOCONSTRAINT_MASK","features":[342]},{"name":"SYSTEM_RESOURCE_ATTRIBUTE_ACE_TYPE","features":[342]},{"name":"SYSTEM_SCOPED_POLICY_ID_ACE_TYPE","features":[342]},{"name":"SeImageSignatureCache","features":[342]},{"name":"SeImageSignatureCatalogCached","features":[342]},{"name":"SeImageSignatureCatalogHint","features":[342]},{"name":"SeImageSignatureCatalogNotCached","features":[342]},{"name":"SeImageSignatureEmbedded","features":[342]},{"name":"SeImageSignatureNone","features":[342]},{"name":"SeImageSignaturePackageCatalog","features":[342]},{"name":"SeImageSignaturePplMitigated","features":[342]},{"name":"SevereError","features":[342]},{"name":"SharedVirtualDiskCDPSnapshotsSupported","features":[342]},{"name":"SharedVirtualDiskHandleState","features":[342]},{"name":"SharedVirtualDiskHandleStateFileShared","features":[342]},{"name":"SharedVirtualDiskHandleStateHandleShared","features":[342]},{"name":"SharedVirtualDiskHandleStateNone","features":[342]},{"name":"SharedVirtualDiskSnapshotsSupported","features":[342]},{"name":"SharedVirtualDiskSupportType","features":[342]},{"name":"SharedVirtualDisksSupported","features":[342]},{"name":"SharedVirtualDisksUnsupported","features":[342]},{"name":"SystemLoad","features":[342]},{"name":"TAPE_CHECK_FOR_DRIVE_PROBLEM","features":[342]},{"name":"TAPE_CREATE_PARTITION","features":[342]},{"name":"TAPE_DRIVE_ABSOLUTE_BLK","features":[342]},{"name":"TAPE_DRIVE_ABS_BLK_IMMED","features":[342]},{"name":"TAPE_DRIVE_CLEAN_REQUESTS","features":[342]},{"name":"TAPE_DRIVE_COMPRESSION","features":[342]},{"name":"TAPE_DRIVE_ECC","features":[342]},{"name":"TAPE_DRIVE_EJECT_MEDIA","features":[342]},{"name":"TAPE_DRIVE_END_OF_DATA","features":[342]},{"name":"TAPE_DRIVE_EOT_WZ_SIZE","features":[342]},{"name":"TAPE_DRIVE_ERASE_BOP_ONLY","features":[342]},{"name":"TAPE_DRIVE_ERASE_IMMEDIATE","features":[342]},{"name":"TAPE_DRIVE_ERASE_LONG","features":[342]},{"name":"TAPE_DRIVE_ERASE_SHORT","features":[342]},{"name":"TAPE_DRIVE_FILEMARKS","features":[342]},{"name":"TAPE_DRIVE_FIXED","features":[342]},{"name":"TAPE_DRIVE_FIXED_BLOCK","features":[342]},{"name":"TAPE_DRIVE_FORMAT","features":[342]},{"name":"TAPE_DRIVE_FORMAT_IMMEDIATE","features":[342]},{"name":"TAPE_DRIVE_GET_ABSOLUTE_BLK","features":[342]},{"name":"TAPE_DRIVE_GET_LOGICAL_BLK","features":[342]},{"name":"TAPE_DRIVE_HIGH_FEATURES","features":[342]},{"name":"TAPE_DRIVE_INITIATOR","features":[342]},{"name":"TAPE_DRIVE_LOAD_UNLD_IMMED","features":[342]},{"name":"TAPE_DRIVE_LOAD_UNLOAD","features":[342]},{"name":"TAPE_DRIVE_LOCK_UNLK_IMMED","features":[342]},{"name":"TAPE_DRIVE_LOCK_UNLOCK","features":[342]},{"name":"TAPE_DRIVE_LOGICAL_BLK","features":[342]},{"name":"TAPE_DRIVE_LOG_BLK_IMMED","features":[342]},{"name":"TAPE_DRIVE_PADDING","features":[342]},{"name":"TAPE_DRIVE_PROBLEM_TYPE","features":[342]},{"name":"TAPE_DRIVE_RELATIVE_BLKS","features":[342]},{"name":"TAPE_DRIVE_REPORT_SMKS","features":[342]},{"name":"TAPE_DRIVE_RESERVED_BIT","features":[342]},{"name":"TAPE_DRIVE_REVERSE_POSITION","features":[342]},{"name":"TAPE_DRIVE_REWIND_IMMEDIATE","features":[342]},{"name":"TAPE_DRIVE_SELECT","features":[342]},{"name":"TAPE_DRIVE_SEQUENTIAL_FMKS","features":[342]},{"name":"TAPE_DRIVE_SEQUENTIAL_SMKS","features":[342]},{"name":"TAPE_DRIVE_SETMARKS","features":[342]},{"name":"TAPE_DRIVE_SET_BLOCK_SIZE","features":[342]},{"name":"TAPE_DRIVE_SET_CMP_BOP_ONLY","features":[342]},{"name":"TAPE_DRIVE_SET_COMPRESSION","features":[342]},{"name":"TAPE_DRIVE_SET_ECC","features":[342]},{"name":"TAPE_DRIVE_SET_EOT_WZ_SIZE","features":[342]},{"name":"TAPE_DRIVE_SET_PADDING","features":[342]},{"name":"TAPE_DRIVE_SET_REPORT_SMKS","features":[342]},{"name":"TAPE_DRIVE_SPACE_IMMEDIATE","features":[342]},{"name":"TAPE_DRIVE_TAPE_CAPACITY","features":[342]},{"name":"TAPE_DRIVE_TAPE_REMAINING","features":[342]},{"name":"TAPE_DRIVE_TENSION","features":[342]},{"name":"TAPE_DRIVE_TENSION_IMMED","features":[342]},{"name":"TAPE_DRIVE_VARIABLE_BLOCK","features":[342]},{"name":"TAPE_DRIVE_WRITE_FILEMARKS","features":[342]},{"name":"TAPE_DRIVE_WRITE_LONG_FMKS","features":[342]},{"name":"TAPE_DRIVE_WRITE_MARK_IMMED","features":[342]},{"name":"TAPE_DRIVE_WRITE_PROTECT","features":[342]},{"name":"TAPE_DRIVE_WRITE_SETMARKS","features":[342]},{"name":"TAPE_DRIVE_WRITE_SHORT_FMKS","features":[342]},{"name":"TAPE_GET_DRIVE_PARAMETERS","features":[308,342]},{"name":"TAPE_GET_DRIVE_PARAMETERS_FEATURES_HIGH","features":[342]},{"name":"TAPE_GET_MEDIA_PARAMETERS","features":[308,342]},{"name":"TAPE_PSEUDO_LOGICAL_BLOCK","features":[342]},{"name":"TAPE_PSEUDO_LOGICAL_POSITION","features":[342]},{"name":"TAPE_QUERY_DEVICE_ERROR_DATA","features":[342]},{"name":"TAPE_QUERY_DRIVE_PARAMETERS","features":[342]},{"name":"TAPE_QUERY_IO_ERROR_DATA","features":[342]},{"name":"TAPE_QUERY_MEDIA_CAPACITY","features":[342]},{"name":"TAPE_SET_DRIVE_PARAMETERS","features":[308,342]},{"name":"TAPE_SET_MEDIA_PARAMETERS","features":[342]},{"name":"TAPE_WMI_OPERATIONS","features":[342]},{"name":"THREAD_BASE_PRIORITY_IDLE","features":[342]},{"name":"THREAD_BASE_PRIORITY_LOWRT","features":[342]},{"name":"THREAD_BASE_PRIORITY_MAX","features":[342]},{"name":"THREAD_BASE_PRIORITY_MIN","features":[342]},{"name":"THREAD_DYNAMIC_CODE_ALLOW","features":[342]},{"name":"THREAD_PROFILING_FLAG_DISPATCH","features":[342]},{"name":"TIME_ZONE_ID_DAYLIGHT","features":[342]},{"name":"TIME_ZONE_ID_STANDARD","features":[342]},{"name":"TIME_ZONE_ID_UNKNOWN","features":[342]},{"name":"TLS_MINIMUM_AVAILABLE","features":[342]},{"name":"TOKEN_BNO_ISOLATION_INFORMATION","features":[308,342]},{"name":"TOKEN_SID_INFORMATION","features":[308,342]},{"name":"TOKEN_SOURCE_LENGTH","features":[342]},{"name":"TRANSACTIONMANAGER_BASIC_INFORMATION","features":[342]},{"name":"TRANSACTIONMANAGER_BIND_TRANSACTION","features":[342]},{"name":"TRANSACTIONMANAGER_CREATE_RM","features":[342]},{"name":"TRANSACTIONMANAGER_INFORMATION_CLASS","features":[342]},{"name":"TRANSACTIONMANAGER_LOGPATH_INFORMATION","features":[342]},{"name":"TRANSACTIONMANAGER_LOG_INFORMATION","features":[342]},{"name":"TRANSACTIONMANAGER_OLDEST_INFORMATION","features":[342]},{"name":"TRANSACTIONMANAGER_QUERY_INFORMATION","features":[342]},{"name":"TRANSACTIONMANAGER_RECOVER","features":[342]},{"name":"TRANSACTIONMANAGER_RECOVERY_INFORMATION","features":[342]},{"name":"TRANSACTIONMANAGER_RENAME","features":[342]},{"name":"TRANSACTIONMANAGER_SET_INFORMATION","features":[342]},{"name":"TRANSACTION_BASIC_INFORMATION","features":[342]},{"name":"TRANSACTION_BIND_INFORMATION","features":[308,342]},{"name":"TRANSACTION_COMMIT","features":[342]},{"name":"TRANSACTION_ENLIST","features":[342]},{"name":"TRANSACTION_ENLISTMENTS_INFORMATION","features":[342]},{"name":"TRANSACTION_ENLISTMENT_PAIR","features":[342]},{"name":"TRANSACTION_INFORMATION_CLASS","features":[342]},{"name":"TRANSACTION_LIST_ENTRY","features":[342]},{"name":"TRANSACTION_LIST_INFORMATION","features":[342]},{"name":"TRANSACTION_PROPAGATE","features":[342]},{"name":"TRANSACTION_PROPERTIES_INFORMATION","features":[342]},{"name":"TRANSACTION_QUERY_INFORMATION","features":[342]},{"name":"TRANSACTION_RIGHT_RESERVED1","features":[342]},{"name":"TRANSACTION_ROLLBACK","features":[342]},{"name":"TRANSACTION_SET_INFORMATION","features":[342]},{"name":"TRANSACTION_STATE","features":[342]},{"name":"TRANSACTION_SUPERIOR_ENLISTMENT_INFORMATION","features":[342]},{"name":"TREE_CONNECT_ATTRIBUTE_GLOBAL","features":[342]},{"name":"TREE_CONNECT_ATTRIBUTE_INTEGRITY","features":[342]},{"name":"TREE_CONNECT_ATTRIBUTE_PINNED","features":[342]},{"name":"TREE_CONNECT_ATTRIBUTE_PRIVACY","features":[342]},{"name":"TRUST_PROTECTED_FILTER_ACE_FLAG","features":[342]},{"name":"TapeDriveCleanDriveNow","features":[342]},{"name":"TapeDriveHardwareError","features":[342]},{"name":"TapeDriveMediaLifeExpired","features":[342]},{"name":"TapeDriveProblemNone","features":[342]},{"name":"TapeDriveReadError","features":[342]},{"name":"TapeDriveReadWarning","features":[342]},{"name":"TapeDriveReadWriteError","features":[342]},{"name":"TapeDriveReadWriteWarning","features":[342]},{"name":"TapeDriveScsiConnectionError","features":[342]},{"name":"TapeDriveSnappedTape","features":[342]},{"name":"TapeDriveTimetoClean","features":[342]},{"name":"TapeDriveUnsupportedMedia","features":[342]},{"name":"TapeDriveWriteError","features":[342]},{"name":"TapeDriveWriteWarning","features":[342]},{"name":"TransactionBasicInformation","features":[342]},{"name":"TransactionBindInformation","features":[342]},{"name":"TransactionDTCPrivateInformation","features":[342]},{"name":"TransactionEnlistmentInformation","features":[342]},{"name":"TransactionManagerBasicInformation","features":[342]},{"name":"TransactionManagerLogInformation","features":[342]},{"name":"TransactionManagerLogPathInformation","features":[342]},{"name":"TransactionManagerOldestTransactionInformation","features":[342]},{"name":"TransactionManagerOnlineProbeInformation","features":[342]},{"name":"TransactionManagerRecoveryInformation","features":[342]},{"name":"TransactionPropertiesInformation","features":[342]},{"name":"TransactionStateCommittedNotify","features":[342]},{"name":"TransactionStateIndoubt","features":[342]},{"name":"TransactionStateNormal","features":[342]},{"name":"TransactionSuperiorEnlistmentInformation","features":[342]},{"name":"UCSCHAR_INVALID_CHARACTER","features":[342]},{"name":"UMS_CREATE_THREAD_ATTRIBUTES","features":[342]},{"name":"UNICODE_STRING_MAX_CHARS","features":[342]},{"name":"UNIFIEDBUILDREVISION_KEY","features":[342]},{"name":"UNIFIEDBUILDREVISION_MIN","features":[342]},{"name":"UNIFIEDBUILDREVISION_VALUE","features":[342]},{"name":"UNWIND_CHAIN_LIMIT","features":[342]},{"name":"UNWIND_HISTORY_TABLE_SIZE","features":[342]},{"name":"UNW_FLAG_NO_EPILOGUE","features":[342]},{"name":"UmsSchedulerStartup","features":[342]},{"name":"UmsSchedulerThreadBlocked","features":[342]},{"name":"UmsSchedulerThreadYield","features":[342]},{"name":"VALID_INHERIT_FLAGS","features":[342]},{"name":"VBS_BASIC_PAGE_MEASURED_DATA","features":[342]},{"name":"VBS_BASIC_PAGE_SYSTEM_CALL","features":[342]},{"name":"VBS_BASIC_PAGE_THREAD_DESCRIPTOR","features":[342]},{"name":"VBS_BASIC_PAGE_UNMEASURED_DATA","features":[342]},{"name":"VBS_BASIC_PAGE_ZERO_FILL","features":[342]},{"name":"VER_AND","features":[342]},{"name":"VER_CONDITION_MASK","features":[342]},{"name":"VER_EQUAL","features":[342]},{"name":"VER_GREATER","features":[342]},{"name":"VER_GREATER_EQUAL","features":[342]},{"name":"VER_LESS","features":[342]},{"name":"VER_LESS_EQUAL","features":[342]},{"name":"VER_NT_DOMAIN_CONTROLLER","features":[342]},{"name":"VER_NT_SERVER","features":[342]},{"name":"VER_NT_WORKSTATION","features":[342]},{"name":"VER_NUM_BITS_PER_CONDITION_MASK","features":[342]},{"name":"VER_OR","features":[342]},{"name":"VER_SERVER_NT","features":[342]},{"name":"VER_SUITE_BACKOFFICE","features":[342]},{"name":"VER_SUITE_BLADE","features":[342]},{"name":"VER_SUITE_COMMUNICATIONS","features":[342]},{"name":"VER_SUITE_COMPUTE_SERVER","features":[342]},{"name":"VER_SUITE_DATACENTER","features":[342]},{"name":"VER_SUITE_EMBEDDEDNT","features":[342]},{"name":"VER_SUITE_EMBEDDED_RESTRICTED","features":[342]},{"name":"VER_SUITE_ENTERPRISE","features":[342]},{"name":"VER_SUITE_MULTIUSERTS","features":[342]},{"name":"VER_SUITE_PERSONAL","features":[342]},{"name":"VER_SUITE_SECURITY_APPLIANCE","features":[342]},{"name":"VER_SUITE_SINGLEUSERTS","features":[342]},{"name":"VER_SUITE_SMALLBUSINESS","features":[342]},{"name":"VER_SUITE_SMALLBUSINESS_RESTRICTED","features":[342]},{"name":"VER_SUITE_STORAGE_SERVER","features":[342]},{"name":"VER_SUITE_TERMINAL","features":[342]},{"name":"VER_SUITE_WH_SERVER","features":[342]},{"name":"VER_WORKSTATION_NT","features":[342]},{"name":"VRL_CUSTOM_CLASS_BEGIN","features":[342]},{"name":"VRL_ENABLE_KERNEL_BREAKS","features":[342]},{"name":"VRL_PREDEFINED_CLASS_BEGIN","features":[342]},{"name":"WDT_INPROC64_CALL","features":[342]},{"name":"WDT_INPROC_CALL","features":[342]},{"name":"WDT_REMOTE_CALL","features":[342]},{"name":"WORD_WHEEL_OPEN_FLAGS","features":[342]},{"name":"WRITE_NV_MEMORY_FLAG_FLUSH","features":[342]},{"name":"WRITE_NV_MEMORY_FLAG_NON_TEMPORAL","features":[342]},{"name":"WRITE_NV_MEMORY_FLAG_NO_DRAIN","features":[342]},{"name":"WRITE_WATCH_FLAG_RESET","features":[342]},{"name":"WT_EXECUTEDELETEWAIT","features":[342]},{"name":"WT_EXECUTEINLONGTHREAD","features":[342]},{"name":"WT_EXECUTEINPERSISTENTIOTHREAD","features":[342]},{"name":"WT_EXECUTEINUITHREAD","features":[342]},{"name":"Win32ServiceOwnProcess","features":[342]},{"name":"Win32ServiceShareProcess","features":[342]},{"name":"X3_BTYPE_QP_INST_VAL_POS_X","features":[342]},{"name":"X3_BTYPE_QP_INST_WORD_POS_X","features":[342]},{"name":"X3_BTYPE_QP_INST_WORD_X","features":[342]},{"name":"X3_BTYPE_QP_SIZE_X","features":[342]},{"name":"X3_D_WH_INST_WORD_POS_X","features":[342]},{"name":"X3_D_WH_INST_WORD_X","features":[342]},{"name":"X3_D_WH_SIGN_VAL_POS_X","features":[342]},{"name":"X3_D_WH_SIZE_X","features":[342]},{"name":"X3_EMPTY_INST_VAL_POS_X","features":[342]},{"name":"X3_EMPTY_INST_WORD_POS_X","features":[342]},{"name":"X3_EMPTY_INST_WORD_X","features":[342]},{"name":"X3_EMPTY_SIZE_X","features":[342]},{"name":"X3_IMM20_INST_WORD_POS_X","features":[342]},{"name":"X3_IMM20_INST_WORD_X","features":[342]},{"name":"X3_IMM20_SIGN_VAL_POS_X","features":[342]},{"name":"X3_IMM20_SIZE_X","features":[342]},{"name":"X3_IMM39_1_INST_WORD_POS_X","features":[342]},{"name":"X3_IMM39_1_INST_WORD_X","features":[342]},{"name":"X3_IMM39_1_SIGN_VAL_POS_X","features":[342]},{"name":"X3_IMM39_1_SIZE_X","features":[342]},{"name":"X3_IMM39_2_INST_WORD_POS_X","features":[342]},{"name":"X3_IMM39_2_INST_WORD_X","features":[342]},{"name":"X3_IMM39_2_SIGN_VAL_POS_X","features":[342]},{"name":"X3_IMM39_2_SIZE_X","features":[342]},{"name":"X3_I_INST_WORD_POS_X","features":[342]},{"name":"X3_I_INST_WORD_X","features":[342]},{"name":"X3_I_SIGN_VAL_POS_X","features":[342]},{"name":"X3_I_SIZE_X","features":[342]},{"name":"X3_OPCODE_INST_WORD_POS_X","features":[342]},{"name":"X3_OPCODE_INST_WORD_X","features":[342]},{"name":"X3_OPCODE_SIGN_VAL_POS_X","features":[342]},{"name":"X3_OPCODE_SIZE_X","features":[342]},{"name":"X3_P_INST_WORD_POS_X","features":[342]},{"name":"X3_P_INST_WORD_X","features":[342]},{"name":"X3_P_SIGN_VAL_POS_X","features":[342]},{"name":"X3_P_SIZE_X","features":[342]},{"name":"X3_TMPLT_INST_WORD_POS_X","features":[342]},{"name":"X3_TMPLT_INST_WORD_X","features":[342]},{"name":"X3_TMPLT_SIGN_VAL_POS_X","features":[342]},{"name":"X3_TMPLT_SIZE_X","features":[342]},{"name":"X86_CACHE_ALIGNMENT_SIZE","features":[342]},{"name":"XSAVE_CET_U_FORMAT","features":[342]},{"name":"XSTATE_ALIGN_BIT","features":[342]},{"name":"XSTATE_AMX_TILE_CONFIG","features":[342]},{"name":"XSTATE_AMX_TILE_DATA","features":[342]},{"name":"XSTATE_AVX","features":[342]},{"name":"XSTATE_AVX512_KMASK","features":[342]},{"name":"XSTATE_AVX512_ZMM","features":[342]},{"name":"XSTATE_AVX512_ZMM_H","features":[342]},{"name":"XSTATE_CET_S","features":[342]},{"name":"XSTATE_CET_U","features":[342]},{"name":"XSTATE_COMPACTION_ENABLE","features":[342]},{"name":"XSTATE_CONTROLFLAG_XFD_MASK","features":[342]},{"name":"XSTATE_CONTROLFLAG_XSAVEC_MASK","features":[342]},{"name":"XSTATE_CONTROLFLAG_XSAVEOPT_MASK","features":[342]},{"name":"XSTATE_GSSE","features":[342]},{"name":"XSTATE_IPT","features":[342]},{"name":"XSTATE_LEGACY_FLOATING_POINT","features":[342]},{"name":"XSTATE_LEGACY_SSE","features":[342]},{"name":"XSTATE_LWP","features":[342]},{"name":"XSTATE_MPX_BNDCSR","features":[342]},{"name":"XSTATE_MPX_BNDREGS","features":[342]},{"name":"XSTATE_PASID","features":[342]},{"name":"XSTATE_XFD_BIT","features":[342]},{"name":"_MM_HINT_NTA","features":[342]},{"name":"_MM_HINT_T0","features":[342]},{"name":"_MM_HINT_T1","features":[342]},{"name":"_MM_HINT_T2","features":[342]},{"name":"remoteMETAFILEPICT","features":[359,342]},{"name":"userBITMAP","features":[342]},{"name":"userCLIPFORMAT","features":[342]},{"name":"userHBITMAP","features":[342]},{"name":"userHENHMETAFILE","features":[359,342]},{"name":"userHGLOBAL","features":[359,342]},{"name":"userHMETAFILE","features":[359,342]},{"name":"userHMETAFILEPICT","features":[359,342]},{"name":"userHPALETTE","features":[319,342]}],"615":[{"name":"CLSID_CTask","features":[594]},{"name":"CLSID_CTaskScheduler","features":[594]},{"name":"DAILY","features":[594]},{"name":"IAction","features":[359,594]},{"name":"IActionCollection","features":[359,594]},{"name":"IBootTrigger","features":[359,594]},{"name":"IComHandlerAction","features":[359,594]},{"name":"IDailyTrigger","features":[359,594]},{"name":"IEmailAction","features":[359,594]},{"name":"IEnumWorkItems","features":[594]},{"name":"IEventTrigger","features":[359,594]},{"name":"IExecAction","features":[359,594]},{"name":"IExecAction2","features":[359,594]},{"name":"IIdleSettings","features":[359,594]},{"name":"IIdleTrigger","features":[359,594]},{"name":"ILogonTrigger","features":[359,594]},{"name":"IMaintenanceSettings","features":[359,594]},{"name":"IMonthlyDOWTrigger","features":[359,594]},{"name":"IMonthlyTrigger","features":[359,594]},{"name":"INetworkSettings","features":[359,594]},{"name":"IPrincipal","features":[359,594]},{"name":"IPrincipal2","features":[359,594]},{"name":"IProvideTaskPage","features":[594]},{"name":"IRegisteredTask","features":[359,594]},{"name":"IRegisteredTaskCollection","features":[359,594]},{"name":"IRegistrationInfo","features":[359,594]},{"name":"IRegistrationTrigger","features":[359,594]},{"name":"IRepetitionPattern","features":[359,594]},{"name":"IRunningTask","features":[359,594]},{"name":"IRunningTaskCollection","features":[359,594]},{"name":"IScheduledWorkItem","features":[594]},{"name":"ISessionStateChangeTrigger","features":[359,594]},{"name":"IShowMessageAction","features":[359,594]},{"name":"ITask","features":[594]},{"name":"ITaskDefinition","features":[359,594]},{"name":"ITaskFolder","features":[359,594]},{"name":"ITaskFolderCollection","features":[359,594]},{"name":"ITaskHandler","features":[594]},{"name":"ITaskHandlerStatus","features":[594]},{"name":"ITaskNamedValueCollection","features":[359,594]},{"name":"ITaskNamedValuePair","features":[359,594]},{"name":"ITaskScheduler","features":[594]},{"name":"ITaskService","features":[359,594]},{"name":"ITaskSettings","features":[359,594]},{"name":"ITaskSettings2","features":[359,594]},{"name":"ITaskSettings3","features":[359,594]},{"name":"ITaskTrigger","features":[594]},{"name":"ITaskVariables","features":[594]},{"name":"ITimeTrigger","features":[359,594]},{"name":"ITrigger","features":[359,594]},{"name":"ITriggerCollection","features":[359,594]},{"name":"IWeeklyTrigger","features":[359,594]},{"name":"MONTHLYDATE","features":[594]},{"name":"MONTHLYDOW","features":[594]},{"name":"TASKPAGE","features":[594]},{"name":"TASKPAGE_SCHEDULE","features":[594]},{"name":"TASKPAGE_SETTINGS","features":[594]},{"name":"TASKPAGE_TASK","features":[594]},{"name":"TASK_ACTION_COM_HANDLER","features":[594]},{"name":"TASK_ACTION_EXEC","features":[594]},{"name":"TASK_ACTION_SEND_EMAIL","features":[594]},{"name":"TASK_ACTION_SHOW_MESSAGE","features":[594]},{"name":"TASK_ACTION_TYPE","features":[594]},{"name":"TASK_APRIL","features":[594]},{"name":"TASK_AUGUST","features":[594]},{"name":"TASK_COMPATIBILITY","features":[594]},{"name":"TASK_COMPATIBILITY_AT","features":[594]},{"name":"TASK_COMPATIBILITY_V1","features":[594]},{"name":"TASK_COMPATIBILITY_V2","features":[594]},{"name":"TASK_COMPATIBILITY_V2_1","features":[594]},{"name":"TASK_COMPATIBILITY_V2_2","features":[594]},{"name":"TASK_COMPATIBILITY_V2_3","features":[594]},{"name":"TASK_COMPATIBILITY_V2_4","features":[594]},{"name":"TASK_CONSOLE_CONNECT","features":[594]},{"name":"TASK_CONSOLE_DISCONNECT","features":[594]},{"name":"TASK_CREATE","features":[594]},{"name":"TASK_CREATE_OR_UPDATE","features":[594]},{"name":"TASK_CREATION","features":[594]},{"name":"TASK_DECEMBER","features":[594]},{"name":"TASK_DISABLE","features":[594]},{"name":"TASK_DONT_ADD_PRINCIPAL_ACE","features":[594]},{"name":"TASK_ENUM_FLAGS","features":[594]},{"name":"TASK_ENUM_HIDDEN","features":[594]},{"name":"TASK_EVENT_TRIGGER_AT_LOGON","features":[594]},{"name":"TASK_EVENT_TRIGGER_AT_SYSTEMSTART","features":[594]},{"name":"TASK_EVENT_TRIGGER_ON_IDLE","features":[594]},{"name":"TASK_FEBRUARY","features":[594]},{"name":"TASK_FIRST_WEEK","features":[594]},{"name":"TASK_FLAG_DELETE_WHEN_DONE","features":[594]},{"name":"TASK_FLAG_DISABLED","features":[594]},{"name":"TASK_FLAG_DONT_START_IF_ON_BATTERIES","features":[594]},{"name":"TASK_FLAG_HIDDEN","features":[594]},{"name":"TASK_FLAG_INTERACTIVE","features":[594]},{"name":"TASK_FLAG_KILL_IF_GOING_ON_BATTERIES","features":[594]},{"name":"TASK_FLAG_KILL_ON_IDLE_END","features":[594]},{"name":"TASK_FLAG_RESTART_ON_IDLE_RESUME","features":[594]},{"name":"TASK_FLAG_RUN_IF_CONNECTED_TO_INTERNET","features":[594]},{"name":"TASK_FLAG_RUN_ONLY_IF_DOCKED","features":[594]},{"name":"TASK_FLAG_RUN_ONLY_IF_LOGGED_ON","features":[594]},{"name":"TASK_FLAG_START_ONLY_IF_IDLE","features":[594]},{"name":"TASK_FLAG_SYSTEM_REQUIRED","features":[594]},{"name":"TASK_FOURTH_WEEK","features":[594]},{"name":"TASK_FRIDAY","features":[594]},{"name":"TASK_IGNORE_REGISTRATION_TRIGGERS","features":[594]},{"name":"TASK_INSTANCES_IGNORE_NEW","features":[594]},{"name":"TASK_INSTANCES_PARALLEL","features":[594]},{"name":"TASK_INSTANCES_POLICY","features":[594]},{"name":"TASK_INSTANCES_QUEUE","features":[594]},{"name":"TASK_INSTANCES_STOP_EXISTING","features":[594]},{"name":"TASK_JANUARY","features":[594]},{"name":"TASK_JULY","features":[594]},{"name":"TASK_JUNE","features":[594]},{"name":"TASK_LAST_WEEK","features":[594]},{"name":"TASK_LOGON_GROUP","features":[594]},{"name":"TASK_LOGON_INTERACTIVE_TOKEN","features":[594]},{"name":"TASK_LOGON_INTERACTIVE_TOKEN_OR_PASSWORD","features":[594]},{"name":"TASK_LOGON_NONE","features":[594]},{"name":"TASK_LOGON_PASSWORD","features":[594]},{"name":"TASK_LOGON_S4U","features":[594]},{"name":"TASK_LOGON_SERVICE_ACCOUNT","features":[594]},{"name":"TASK_LOGON_TYPE","features":[594]},{"name":"TASK_MARCH","features":[594]},{"name":"TASK_MAX_RUN_TIMES","features":[594]},{"name":"TASK_MAY","features":[594]},{"name":"TASK_MONDAY","features":[594]},{"name":"TASK_NOVEMBER","features":[594]},{"name":"TASK_OCTOBER","features":[594]},{"name":"TASK_PROCESSTOKENSID_DEFAULT","features":[594]},{"name":"TASK_PROCESSTOKENSID_NONE","features":[594]},{"name":"TASK_PROCESSTOKENSID_TYPE","features":[594]},{"name":"TASK_PROCESSTOKENSID_UNRESTRICTED","features":[594]},{"name":"TASK_REMOTE_CONNECT","features":[594]},{"name":"TASK_REMOTE_DISCONNECT","features":[594]},{"name":"TASK_RUNLEVEL_HIGHEST","features":[594]},{"name":"TASK_RUNLEVEL_LUA","features":[594]},{"name":"TASK_RUNLEVEL_TYPE","features":[594]},{"name":"TASK_RUN_AS_SELF","features":[594]},{"name":"TASK_RUN_FLAGS","features":[594]},{"name":"TASK_RUN_IGNORE_CONSTRAINTS","features":[594]},{"name":"TASK_RUN_NO_FLAGS","features":[594]},{"name":"TASK_RUN_USER_SID","features":[594]},{"name":"TASK_RUN_USE_SESSION_ID","features":[594]},{"name":"TASK_SATURDAY","features":[594]},{"name":"TASK_SECOND_WEEK","features":[594]},{"name":"TASK_SEPTEMBER","features":[594]},{"name":"TASK_SESSION_LOCK","features":[594]},{"name":"TASK_SESSION_STATE_CHANGE_TYPE","features":[594]},{"name":"TASK_SESSION_UNLOCK","features":[594]},{"name":"TASK_STATE","features":[594]},{"name":"TASK_STATE_DISABLED","features":[594]},{"name":"TASK_STATE_QUEUED","features":[594]},{"name":"TASK_STATE_READY","features":[594]},{"name":"TASK_STATE_RUNNING","features":[594]},{"name":"TASK_STATE_UNKNOWN","features":[594]},{"name":"TASK_SUNDAY","features":[594]},{"name":"TASK_THIRD_WEEK","features":[594]},{"name":"TASK_THURSDAY","features":[594]},{"name":"TASK_TIME_TRIGGER_DAILY","features":[594]},{"name":"TASK_TIME_TRIGGER_MONTHLYDATE","features":[594]},{"name":"TASK_TIME_TRIGGER_MONTHLYDOW","features":[594]},{"name":"TASK_TIME_TRIGGER_ONCE","features":[594]},{"name":"TASK_TIME_TRIGGER_WEEKLY","features":[594]},{"name":"TASK_TRIGGER","features":[594]},{"name":"TASK_TRIGGER_BOOT","features":[594]},{"name":"TASK_TRIGGER_CUSTOM_TRIGGER_01","features":[594]},{"name":"TASK_TRIGGER_DAILY","features":[594]},{"name":"TASK_TRIGGER_EVENT","features":[594]},{"name":"TASK_TRIGGER_FLAG_DISABLED","features":[594]},{"name":"TASK_TRIGGER_FLAG_HAS_END_DATE","features":[594]},{"name":"TASK_TRIGGER_FLAG_KILL_AT_DURATION_END","features":[594]},{"name":"TASK_TRIGGER_IDLE","features":[594]},{"name":"TASK_TRIGGER_LOGON","features":[594]},{"name":"TASK_TRIGGER_MONTHLY","features":[594]},{"name":"TASK_TRIGGER_MONTHLYDOW","features":[594]},{"name":"TASK_TRIGGER_REGISTRATION","features":[594]},{"name":"TASK_TRIGGER_SESSION_STATE_CHANGE","features":[594]},{"name":"TASK_TRIGGER_TIME","features":[594]},{"name":"TASK_TRIGGER_TYPE","features":[594]},{"name":"TASK_TRIGGER_TYPE2","features":[594]},{"name":"TASK_TRIGGER_WEEKLY","features":[594]},{"name":"TASK_TUESDAY","features":[594]},{"name":"TASK_UPDATE","features":[594]},{"name":"TASK_VALIDATE_ONLY","features":[594]},{"name":"TASK_WEDNESDAY","features":[594]},{"name":"TRIGGER_TYPE_UNION","features":[594]},{"name":"TaskHandlerPS","features":[594]},{"name":"TaskHandlerStatusPS","features":[594]},{"name":"TaskScheduler","features":[594]},{"name":"WEEKLY","features":[594]}],"616":[{"name":"ABOVE_NORMAL_PRIORITY_CLASS","features":[343]},{"name":"ALL_PROCESSOR_GROUPS","features":[343]},{"name":"APC_CALLBACK_FUNCTION","features":[343]},{"name":"APP_MEMORY_INFORMATION","features":[343]},{"name":"AVRT_PRIORITY","features":[343]},{"name":"AVRT_PRIORITY_CRITICAL","features":[343]},{"name":"AVRT_PRIORITY_HIGH","features":[343]},{"name":"AVRT_PRIORITY_LOW","features":[343]},{"name":"AVRT_PRIORITY_NORMAL","features":[343]},{"name":"AVRT_PRIORITY_VERYLOW","features":[343]},{"name":"AcquireSRWLockExclusive","features":[343]},{"name":"AcquireSRWLockShared","features":[343]},{"name":"AddIntegrityLabelToBoundaryDescriptor","features":[308,343]},{"name":"AddSIDToBoundaryDescriptor","features":[308,343]},{"name":"AttachThreadInput","features":[308,343]},{"name":"AvQuerySystemResponsiveness","features":[308,343]},{"name":"AvRevertMmThreadCharacteristics","features":[308,343]},{"name":"AvRtCreateThreadOrderingGroup","features":[308,343]},{"name":"AvRtCreateThreadOrderingGroupExA","features":[308,343]},{"name":"AvRtCreateThreadOrderingGroupExW","features":[308,343]},{"name":"AvRtDeleteThreadOrderingGroup","features":[308,343]},{"name":"AvRtJoinThreadOrderingGroup","features":[308,343]},{"name":"AvRtLeaveThreadOrderingGroup","features":[308,343]},{"name":"AvRtWaitOnThreadOrderingGroup","features":[308,343]},{"name":"AvSetMmMaxThreadCharacteristicsA","features":[308,343]},{"name":"AvSetMmMaxThreadCharacteristicsW","features":[308,343]},{"name":"AvSetMmThreadCharacteristicsA","features":[308,343]},{"name":"AvSetMmThreadCharacteristicsW","features":[308,343]},{"name":"AvSetMmThreadPriority","features":[308,343]},{"name":"BELOW_NORMAL_PRIORITY_CLASS","features":[343]},{"name":"CONDITION_VARIABLE","features":[343]},{"name":"CONDITION_VARIABLE_INIT","features":[343]},{"name":"CONDITION_VARIABLE_LOCKMODE_SHARED","features":[343]},{"name":"CREATE_BREAKAWAY_FROM_JOB","features":[343]},{"name":"CREATE_DEFAULT_ERROR_MODE","features":[343]},{"name":"CREATE_EVENT","features":[343]},{"name":"CREATE_EVENT_INITIAL_SET","features":[343]},{"name":"CREATE_EVENT_MANUAL_RESET","features":[343]},{"name":"CREATE_FORCEDOS","features":[343]},{"name":"CREATE_IGNORE_SYSTEM_DEFAULT","features":[343]},{"name":"CREATE_MUTEX_INITIAL_OWNER","features":[343]},{"name":"CREATE_NEW_CONSOLE","features":[343]},{"name":"CREATE_NEW_PROCESS_GROUP","features":[343]},{"name":"CREATE_NO_WINDOW","features":[343]},{"name":"CREATE_PRESERVE_CODE_AUTHZ_LEVEL","features":[343]},{"name":"CREATE_PROCESS_LOGON_FLAGS","features":[343]},{"name":"CREATE_PROTECTED_PROCESS","features":[343]},{"name":"CREATE_SECURE_PROCESS","features":[343]},{"name":"CREATE_SEPARATE_WOW_VDM","features":[343]},{"name":"CREATE_SHARED_WOW_VDM","features":[343]},{"name":"CREATE_SUSPENDED","features":[343]},{"name":"CREATE_UNICODE_ENVIRONMENT","features":[343]},{"name":"CREATE_WAITABLE_TIMER_HIGH_RESOLUTION","features":[343]},{"name":"CREATE_WAITABLE_TIMER_MANUAL_RESET","features":[343]},{"name":"CRITICAL_SECTION","features":[308,314,343]},{"name":"CRITICAL_SECTION_DEBUG","features":[308,314,343]},{"name":"CallbackMayRunLong","features":[308,343]},{"name":"CancelThreadpoolIo","features":[343]},{"name":"CancelTimerQueueTimer","features":[308,343]},{"name":"CancelWaitableTimer","features":[308,343]},{"name":"ChangeTimerQueueTimer","features":[308,343]},{"name":"ClosePrivateNamespace","features":[308,343]},{"name":"CloseThreadpool","features":[343]},{"name":"CloseThreadpoolCleanupGroup","features":[343]},{"name":"CloseThreadpoolCleanupGroupMembers","features":[308,343]},{"name":"CloseThreadpoolIo","features":[343]},{"name":"CloseThreadpoolTimer","features":[343]},{"name":"CloseThreadpoolWait","features":[343]},{"name":"CloseThreadpoolWork","features":[343]},{"name":"ConvertFiberToThread","features":[308,343]},{"name":"ConvertThreadToFiber","features":[343]},{"name":"ConvertThreadToFiberEx","features":[343]},{"name":"CreateBoundaryDescriptorA","features":[308,343]},{"name":"CreateBoundaryDescriptorW","features":[308,343]},{"name":"CreateEventA","features":[308,311,343]},{"name":"CreateEventExA","features":[308,311,343]},{"name":"CreateEventExW","features":[308,311,343]},{"name":"CreateEventW","features":[308,311,343]},{"name":"CreateFiber","features":[343]},{"name":"CreateFiberEx","features":[343]},{"name":"CreateMutexA","features":[308,311,343]},{"name":"CreateMutexExA","features":[308,311,343]},{"name":"CreateMutexExW","features":[308,311,343]},{"name":"CreateMutexW","features":[308,311,343]},{"name":"CreatePrivateNamespaceA","features":[308,311,343]},{"name":"CreatePrivateNamespaceW","features":[308,311,343]},{"name":"CreateProcessA","features":[308,311,343]},{"name":"CreateProcessAsUserA","features":[308,311,343]},{"name":"CreateProcessAsUserW","features":[308,311,343]},{"name":"CreateProcessW","features":[308,311,343]},{"name":"CreateProcessWithLogonW","features":[308,343]},{"name":"CreateProcessWithTokenW","features":[308,343]},{"name":"CreateRemoteThread","features":[308,311,343]},{"name":"CreateRemoteThreadEx","features":[308,311,343]},{"name":"CreateSemaphoreA","features":[308,311,343]},{"name":"CreateSemaphoreExA","features":[308,311,343]},{"name":"CreateSemaphoreExW","features":[308,311,343]},{"name":"CreateSemaphoreW","features":[308,311,343]},{"name":"CreateThread","features":[308,311,343]},{"name":"CreateThreadpool","features":[343]},{"name":"CreateThreadpoolCleanupGroup","features":[343]},{"name":"CreateThreadpoolIo","features":[308,343]},{"name":"CreateThreadpoolTimer","features":[343]},{"name":"CreateThreadpoolWait","features":[343]},{"name":"CreateThreadpoolWork","features":[343]},{"name":"CreateTimerQueue","features":[308,343]},{"name":"CreateTimerQueueTimer","features":[308,343]},{"name":"CreateUmsCompletionList","features":[308,343]},{"name":"CreateUmsThreadContext","features":[308,343]},{"name":"CreateWaitableTimerA","features":[308,311,343]},{"name":"CreateWaitableTimerExA","features":[308,311,343]},{"name":"CreateWaitableTimerExW","features":[308,311,343]},{"name":"CreateWaitableTimerW","features":[308,311,343]},{"name":"DEBUG_ONLY_THIS_PROCESS","features":[343]},{"name":"DEBUG_PROCESS","features":[343]},{"name":"DETACHED_PROCESS","features":[343]},{"name":"DeleteBoundaryDescriptor","features":[308,343]},{"name":"DeleteCriticalSection","features":[308,314,343]},{"name":"DeleteFiber","features":[343]},{"name":"DeleteProcThreadAttributeList","features":[343]},{"name":"DeleteSynchronizationBarrier","features":[308,343]},{"name":"DeleteTimerQueue","features":[308,343]},{"name":"DeleteTimerQueueEx","features":[308,343]},{"name":"DeleteTimerQueueTimer","features":[308,343]},{"name":"DeleteUmsCompletionList","features":[308,343]},{"name":"DeleteUmsThreadContext","features":[308,343]},{"name":"DequeueUmsCompletionListItems","features":[308,343]},{"name":"DisassociateCurrentThreadFromCallback","features":[343]},{"name":"EVENT_ALL_ACCESS","features":[343]},{"name":"EVENT_MODIFY_STATE","features":[343]},{"name":"EXTENDED_STARTUPINFO_PRESENT","features":[343]},{"name":"EnterCriticalSection","features":[308,314,343]},{"name":"EnterSynchronizationBarrier","features":[308,343]},{"name":"EnterUmsSchedulingMode","features":[308,342,343]},{"name":"ExecuteUmsThread","features":[308,343]},{"name":"ExitProcess","features":[343]},{"name":"ExitThread","features":[343]},{"name":"FLS_OUT_OF_INDEXES","features":[343]},{"name":"FlsAlloc","features":[343]},{"name":"FlsFree","features":[308,343]},{"name":"FlsGetValue","features":[343]},{"name":"FlsSetValue","features":[308,343]},{"name":"FlushProcessWriteBuffers","features":[343]},{"name":"FreeLibraryWhenCallbackReturns","features":[308,343]},{"name":"GET_GUI_RESOURCES_FLAGS","features":[343]},{"name":"GR_GDIOBJECTS","features":[343]},{"name":"GR_GDIOBJECTS_PEAK","features":[343]},{"name":"GR_USEROBJECTS","features":[343]},{"name":"GR_USEROBJECTS_PEAK","features":[343]},{"name":"GetActiveProcessorCount","features":[343]},{"name":"GetActiveProcessorGroupCount","features":[343]},{"name":"GetCurrentProcess","features":[308,343]},{"name":"GetCurrentProcessId","features":[343]},{"name":"GetCurrentProcessToken","features":[308,343]},{"name":"GetCurrentProcessorNumber","features":[343]},{"name":"GetCurrentProcessorNumberEx","features":[314,343]},{"name":"GetCurrentThread","features":[308,343]},{"name":"GetCurrentThreadEffectiveToken","features":[308,343]},{"name":"GetCurrentThreadId","features":[343]},{"name":"GetCurrentThreadStackLimits","features":[343]},{"name":"GetCurrentThreadToken","features":[308,343]},{"name":"GetCurrentUmsThread","features":[343]},{"name":"GetExitCodeProcess","features":[308,343]},{"name":"GetExitCodeThread","features":[308,343]},{"name":"GetGuiResources","features":[308,343]},{"name":"GetMachineTypeAttributes","features":[343]},{"name":"GetMaximumProcessorCount","features":[343]},{"name":"GetMaximumProcessorGroupCount","features":[343]},{"name":"GetNextUmsListItem","features":[343]},{"name":"GetNumaAvailableMemoryNode","features":[308,343]},{"name":"GetNumaAvailableMemoryNodeEx","features":[308,343]},{"name":"GetNumaHighestNodeNumber","features":[308,343]},{"name":"GetNumaNodeNumberFromHandle","features":[308,343]},{"name":"GetNumaNodeProcessorMask","features":[308,343]},{"name":"GetNumaNodeProcessorMask2","features":[308,338,343]},{"name":"GetNumaNodeProcessorMaskEx","features":[308,338,343]},{"name":"GetNumaProcessorNode","features":[308,343]},{"name":"GetNumaProcessorNodeEx","features":[308,314,343]},{"name":"GetNumaProximityNode","features":[308,343]},{"name":"GetNumaProximityNodeEx","features":[308,343]},{"name":"GetPriorityClass","features":[308,343]},{"name":"GetProcessAffinityMask","features":[308,343]},{"name":"GetProcessDEPPolicy","features":[308,343]},{"name":"GetProcessDefaultCpuSetMasks","features":[308,338,343]},{"name":"GetProcessDefaultCpuSets","features":[308,343]},{"name":"GetProcessGroupAffinity","features":[308,343]},{"name":"GetProcessHandleCount","features":[308,343]},{"name":"GetProcessId","features":[308,343]},{"name":"GetProcessIdOfThread","features":[308,343]},{"name":"GetProcessInformation","features":[308,343]},{"name":"GetProcessIoCounters","features":[308,343]},{"name":"GetProcessMitigationPolicy","features":[308,343]},{"name":"GetProcessPriorityBoost","features":[308,343]},{"name":"GetProcessShutdownParameters","features":[308,343]},{"name":"GetProcessTimes","features":[308,343]},{"name":"GetProcessVersion","features":[343]},{"name":"GetProcessWorkingSetSize","features":[308,343]},{"name":"GetStartupInfoA","features":[308,343]},{"name":"GetStartupInfoW","features":[308,343]},{"name":"GetSystemTimes","features":[308,343]},{"name":"GetThreadDescription","features":[308,343]},{"name":"GetThreadGroupAffinity","features":[308,338,343]},{"name":"GetThreadIOPendingFlag","features":[308,343]},{"name":"GetThreadId","features":[308,343]},{"name":"GetThreadIdealProcessorEx","features":[308,314,343]},{"name":"GetThreadInformation","features":[308,343]},{"name":"GetThreadPriority","features":[308,343]},{"name":"GetThreadPriorityBoost","features":[308,343]},{"name":"GetThreadSelectedCpuSetMasks","features":[308,338,343]},{"name":"GetThreadSelectedCpuSets","features":[308,343]},{"name":"GetThreadTimes","features":[308,343]},{"name":"GetUmsCompletionListEvent","features":[308,343]},{"name":"GetUmsSystemThreadInformation","features":[308,343]},{"name":"HIGH_PRIORITY_CLASS","features":[343]},{"name":"IDLE_PRIORITY_CLASS","features":[343]},{"name":"INFINITE","features":[343]},{"name":"INHERIT_CALLER_PRIORITY","features":[343]},{"name":"INHERIT_PARENT_AFFINITY","features":[343]},{"name":"INIT_ONCE","features":[343]},{"name":"INIT_ONCE_ASYNC","features":[343]},{"name":"INIT_ONCE_CHECK_ONLY","features":[343]},{"name":"INIT_ONCE_CTX_RESERVED_BITS","features":[343]},{"name":"INIT_ONCE_INIT_FAILED","features":[343]},{"name":"INIT_ONCE_STATIC_INIT","features":[343]},{"name":"IO_COUNTERS","features":[343]},{"name":"IRtwqAsyncCallback","features":[343]},{"name":"IRtwqAsyncResult","features":[343]},{"name":"IRtwqPlatformEvents","features":[343]},{"name":"InitOnceBeginInitialize","features":[308,343]},{"name":"InitOnceComplete","features":[308,343]},{"name":"InitOnceExecuteOnce","features":[308,343]},{"name":"InitOnceInitialize","features":[343]},{"name":"InitializeConditionVariable","features":[343]},{"name":"InitializeCriticalSection","features":[308,314,343]},{"name":"InitializeCriticalSectionAndSpinCount","features":[308,314,343]},{"name":"InitializeCriticalSectionEx","features":[308,314,343]},{"name":"InitializeProcThreadAttributeList","features":[308,343]},{"name":"InitializeSListHead","features":[314,343]},{"name":"InitializeSRWLock","features":[343]},{"name":"InitializeSynchronizationBarrier","features":[308,343]},{"name":"InterlockedFlushSList","features":[314,343]},{"name":"InterlockedPopEntrySList","features":[314,343]},{"name":"InterlockedPushEntrySList","features":[314,343]},{"name":"InterlockedPushListSListEx","features":[314,343]},{"name":"IsImmersiveProcess","features":[308,343]},{"name":"IsProcessCritical","features":[308,343]},{"name":"IsProcessorFeaturePresent","features":[308,343]},{"name":"IsThreadAFiber","features":[308,343]},{"name":"IsThreadpoolTimerSet","features":[308,343]},{"name":"IsWow64Process","features":[308,343]},{"name":"IsWow64Process2","features":[308,338,343]},{"name":"KernelEnabled","features":[343]},{"name":"LOGON_NETCREDENTIALS_ONLY","features":[343]},{"name":"LOGON_WITH_PROFILE","features":[343]},{"name":"LPFIBER_START_ROUTINE","features":[343]},{"name":"LPPROC_THREAD_ATTRIBUTE_LIST","features":[343]},{"name":"LPTHREAD_START_ROUTINE","features":[343]},{"name":"LeaveCriticalSection","features":[308,314,343]},{"name":"LeaveCriticalSectionWhenCallbackReturns","features":[308,314,343]},{"name":"MACHINE_ATTRIBUTES","features":[343]},{"name":"MEMORY_PRIORITY","features":[343]},{"name":"MEMORY_PRIORITY_BELOW_NORMAL","features":[343]},{"name":"MEMORY_PRIORITY_INFORMATION","features":[343]},{"name":"MEMORY_PRIORITY_LOW","features":[343]},{"name":"MEMORY_PRIORITY_MEDIUM","features":[343]},{"name":"MEMORY_PRIORITY_NORMAL","features":[343]},{"name":"MEMORY_PRIORITY_VERY_LOW","features":[343]},{"name":"MUTEX_ALL_ACCESS","features":[343]},{"name":"MUTEX_MODIFY_STATE","features":[343]},{"name":"MaxProcessMitigationPolicy","features":[343]},{"name":"NORMAL_PRIORITY_CLASS","features":[343]},{"name":"OVERRIDE_PREFETCH_PARAMETER","features":[343]},{"name":"OpenEventA","features":[308,343]},{"name":"OpenEventW","features":[308,343]},{"name":"OpenMutexW","features":[308,343]},{"name":"OpenPrivateNamespaceA","features":[308,343]},{"name":"OpenPrivateNamespaceW","features":[308,343]},{"name":"OpenProcess","features":[308,343]},{"name":"OpenProcessToken","features":[308,311,343]},{"name":"OpenSemaphoreW","features":[308,343]},{"name":"OpenThread","features":[308,343]},{"name":"OpenThreadToken","features":[308,311,343]},{"name":"OpenWaitableTimerA","features":[308,343]},{"name":"OpenWaitableTimerW","features":[308,343]},{"name":"PEB","features":[308,314,343]},{"name":"PEB_LDR_DATA","features":[314,343]},{"name":"PFLS_CALLBACK_FUNCTION","features":[343]},{"name":"PF_3DNOW_INSTRUCTIONS_AVAILABLE","features":[343]},{"name":"PF_ALPHA_BYTE_INSTRUCTIONS","features":[343]},{"name":"PF_ARM_64BIT_LOADSTORE_ATOMIC","features":[343]},{"name":"PF_ARM_DIVIDE_INSTRUCTION_AVAILABLE","features":[343]},{"name":"PF_ARM_EXTERNAL_CACHE_AVAILABLE","features":[343]},{"name":"PF_ARM_FMAC_INSTRUCTIONS_AVAILABLE","features":[343]},{"name":"PF_ARM_NEON_INSTRUCTIONS_AVAILABLE","features":[343]},{"name":"PF_ARM_V81_ATOMIC_INSTRUCTIONS_AVAILABLE","features":[343]},{"name":"PF_ARM_V82_DP_INSTRUCTIONS_AVAILABLE","features":[343]},{"name":"PF_ARM_V83_JSCVT_INSTRUCTIONS_AVAILABLE","features":[343]},{"name":"PF_ARM_V83_LRCPC_INSTRUCTIONS_AVAILABLE","features":[343]},{"name":"PF_ARM_V8_CRC32_INSTRUCTIONS_AVAILABLE","features":[343]},{"name":"PF_ARM_V8_CRYPTO_INSTRUCTIONS_AVAILABLE","features":[343]},{"name":"PF_ARM_V8_INSTRUCTIONS_AVAILABLE","features":[343]},{"name":"PF_ARM_VFP_32_REGISTERS_AVAILABLE","features":[343]},{"name":"PF_AVX2_INSTRUCTIONS_AVAILABLE","features":[343]},{"name":"PF_AVX512F_INSTRUCTIONS_AVAILABLE","features":[343]},{"name":"PF_AVX_INSTRUCTIONS_AVAILABLE","features":[343]},{"name":"PF_CHANNELS_ENABLED","features":[343]},{"name":"PF_COMPARE64_EXCHANGE128","features":[343]},{"name":"PF_COMPARE_EXCHANGE128","features":[343]},{"name":"PF_COMPARE_EXCHANGE_DOUBLE","features":[343]},{"name":"PF_ERMS_AVAILABLE","features":[343]},{"name":"PF_FASTFAIL_AVAILABLE","features":[343]},{"name":"PF_FLOATING_POINT_EMULATED","features":[343]},{"name":"PF_FLOATING_POINT_PRECISION_ERRATA","features":[343]},{"name":"PF_MMX_INSTRUCTIONS_AVAILABLE","features":[343]},{"name":"PF_MONITORX_INSTRUCTION_AVAILABLE","features":[343]},{"name":"PF_NX_ENABLED","features":[343]},{"name":"PF_PAE_ENABLED","features":[343]},{"name":"PF_PPC_MOVEMEM_64BIT_OK","features":[343]},{"name":"PF_RDPID_INSTRUCTION_AVAILABLE","features":[343]},{"name":"PF_RDRAND_INSTRUCTION_AVAILABLE","features":[343]},{"name":"PF_RDTSCP_INSTRUCTION_AVAILABLE","features":[343]},{"name":"PF_RDTSC_INSTRUCTION_AVAILABLE","features":[343]},{"name":"PF_RDWRFSGSBASE_AVAILABLE","features":[343]},{"name":"PF_SECOND_LEVEL_ADDRESS_TRANSLATION","features":[343]},{"name":"PF_SSE3_INSTRUCTIONS_AVAILABLE","features":[343]},{"name":"PF_SSE4_1_INSTRUCTIONS_AVAILABLE","features":[343]},{"name":"PF_SSE4_2_INSTRUCTIONS_AVAILABLE","features":[343]},{"name":"PF_SSE_DAZ_MODE_AVAILABLE","features":[343]},{"name":"PF_SSSE3_INSTRUCTIONS_AVAILABLE","features":[343]},{"name":"PF_VIRT_FIRMWARE_ENABLED","features":[343]},{"name":"PF_XMMI64_INSTRUCTIONS_AVAILABLE","features":[343]},{"name":"PF_XMMI_INSTRUCTIONS_AVAILABLE","features":[343]},{"name":"PF_XSAVE_ENABLED","features":[343]},{"name":"PINIT_ONCE_FN","features":[308,343]},{"name":"PMETypeFailFastOnCommitFailure","features":[343]},{"name":"PMETypeMax","features":[343]},{"name":"PME_CURRENT_VERSION","features":[343]},{"name":"PME_FAILFAST_ON_COMMIT_FAIL_DISABLE","features":[343]},{"name":"PME_FAILFAST_ON_COMMIT_FAIL_ENABLE","features":[343]},{"name":"POWER_REQUEST_CONTEXT_DETAILED_STRING","features":[343]},{"name":"POWER_REQUEST_CONTEXT_FLAGS","features":[343]},{"name":"POWER_REQUEST_CONTEXT_SIMPLE_STRING","features":[343]},{"name":"PPS_POST_PROCESS_INIT_ROUTINE","features":[343]},{"name":"PRIVATE_NAMESPACE_FLAG_DESTROY","features":[343]},{"name":"PROCESSOR_FEATURE_ID","features":[343]},{"name":"PROCESS_ACCESS_RIGHTS","features":[343]},{"name":"PROCESS_AFFINITY_AUTO_UPDATE_FLAGS","features":[343]},{"name":"PROCESS_AFFINITY_DISABLE_AUTO_UPDATE","features":[343]},{"name":"PROCESS_AFFINITY_ENABLE_AUTO_UPDATE","features":[343]},{"name":"PROCESS_ALL_ACCESS","features":[343]},{"name":"PROCESS_BASIC_INFORMATION","features":[308,314,343]},{"name":"PROCESS_CREATE_PROCESS","features":[343]},{"name":"PROCESS_CREATE_THREAD","features":[343]},{"name":"PROCESS_CREATION_FLAGS","features":[343]},{"name":"PROCESS_DELETE","features":[343]},{"name":"PROCESS_DEP_DISABLE_ATL_THUNK_EMULATION","features":[343]},{"name":"PROCESS_DEP_ENABLE","features":[343]},{"name":"PROCESS_DEP_FLAGS","features":[343]},{"name":"PROCESS_DEP_NONE","features":[343]},{"name":"PROCESS_DUP_HANDLE","features":[343]},{"name":"PROCESS_DYNAMIC_EH_CONTINUATION_TARGET","features":[343]},{"name":"PROCESS_DYNAMIC_EH_CONTINUATION_TARGETS_INFORMATION","features":[343]},{"name":"PROCESS_DYNAMIC_ENFORCED_ADDRESS_RANGE","features":[343]},{"name":"PROCESS_DYNAMIC_ENFORCED_ADDRESS_RANGES_INFORMATION","features":[343]},{"name":"PROCESS_INFORMATION","features":[308,343]},{"name":"PROCESS_INFORMATION_CLASS","features":[343]},{"name":"PROCESS_LEAP_SECOND_INFO","features":[343]},{"name":"PROCESS_LEAP_SECOND_INFO_FLAG_ENABLE_SIXTY_SECOND","features":[343]},{"name":"PROCESS_LEAP_SECOND_INFO_VALID_FLAGS","features":[343]},{"name":"PROCESS_MACHINE_INFORMATION","features":[338,343]},{"name":"PROCESS_MEMORY_EXHAUSTION_INFO","features":[343]},{"name":"PROCESS_MEMORY_EXHAUSTION_TYPE","features":[343]},{"name":"PROCESS_MITIGATION_POLICY","features":[343]},{"name":"PROCESS_MODE_BACKGROUND_BEGIN","features":[343]},{"name":"PROCESS_MODE_BACKGROUND_END","features":[343]},{"name":"PROCESS_NAME_FORMAT","features":[343]},{"name":"PROCESS_NAME_NATIVE","features":[343]},{"name":"PROCESS_NAME_WIN32","features":[343]},{"name":"PROCESS_POWER_THROTTLING_CURRENT_VERSION","features":[343]},{"name":"PROCESS_POWER_THROTTLING_EXECUTION_SPEED","features":[343]},{"name":"PROCESS_POWER_THROTTLING_IGNORE_TIMER_RESOLUTION","features":[343]},{"name":"PROCESS_POWER_THROTTLING_STATE","features":[343]},{"name":"PROCESS_PROTECTION_LEVEL","features":[343]},{"name":"PROCESS_PROTECTION_LEVEL_INFORMATION","features":[343]},{"name":"PROCESS_QUERY_INFORMATION","features":[343]},{"name":"PROCESS_QUERY_LIMITED_INFORMATION","features":[343]},{"name":"PROCESS_READ_CONTROL","features":[343]},{"name":"PROCESS_SET_INFORMATION","features":[343]},{"name":"PROCESS_SET_LIMITED_INFORMATION","features":[343]},{"name":"PROCESS_SET_QUOTA","features":[343]},{"name":"PROCESS_SET_SESSIONID","features":[343]},{"name":"PROCESS_STANDARD_RIGHTS_REQUIRED","features":[343]},{"name":"PROCESS_SUSPEND_RESUME","features":[343]},{"name":"PROCESS_SYNCHRONIZE","features":[343]},{"name":"PROCESS_TERMINATE","features":[343]},{"name":"PROCESS_VM_OPERATION","features":[343]},{"name":"PROCESS_VM_READ","features":[343]},{"name":"PROCESS_VM_WRITE","features":[343]},{"name":"PROCESS_WRITE_DAC","features":[343]},{"name":"PROCESS_WRITE_OWNER","features":[343]},{"name":"PROC_THREAD_ATTRIBUTE_ALL_APPLICATION_PACKAGES_POLICY","features":[343]},{"name":"PROC_THREAD_ATTRIBUTE_CHILD_PROCESS_POLICY","features":[343]},{"name":"PROC_THREAD_ATTRIBUTE_COMPONENT_FILTER","features":[343]},{"name":"PROC_THREAD_ATTRIBUTE_DESKTOP_APP_POLICY","features":[343]},{"name":"PROC_THREAD_ATTRIBUTE_ENABLE_OPTIONAL_XSTATE_FEATURES","features":[343]},{"name":"PROC_THREAD_ATTRIBUTE_GROUP_AFFINITY","features":[343]},{"name":"PROC_THREAD_ATTRIBUTE_HANDLE_LIST","features":[343]},{"name":"PROC_THREAD_ATTRIBUTE_IDEAL_PROCESSOR","features":[343]},{"name":"PROC_THREAD_ATTRIBUTE_JOB_LIST","features":[343]},{"name":"PROC_THREAD_ATTRIBUTE_MACHINE_TYPE","features":[343]},{"name":"PROC_THREAD_ATTRIBUTE_MITIGATION_AUDIT_POLICY","features":[343]},{"name":"PROC_THREAD_ATTRIBUTE_MITIGATION_POLICY","features":[343]},{"name":"PROC_THREAD_ATTRIBUTE_NUM","features":[343]},{"name":"PROC_THREAD_ATTRIBUTE_PARENT_PROCESS","features":[343]},{"name":"PROC_THREAD_ATTRIBUTE_PREFERRED_NODE","features":[343]},{"name":"PROC_THREAD_ATTRIBUTE_PROTECTION_LEVEL","features":[343]},{"name":"PROC_THREAD_ATTRIBUTE_PSEUDOCONSOLE","features":[343]},{"name":"PROC_THREAD_ATTRIBUTE_REPLACE_VALUE","features":[343]},{"name":"PROC_THREAD_ATTRIBUTE_SECURITY_CAPABILITIES","features":[343]},{"name":"PROC_THREAD_ATTRIBUTE_UMS_THREAD","features":[343]},{"name":"PROC_THREAD_ATTRIBUTE_WIN32K_FILTER","features":[343]},{"name":"PROFILE_KERNEL","features":[343]},{"name":"PROFILE_SERVER","features":[343]},{"name":"PROFILE_USER","features":[343]},{"name":"PROTECTION_LEVEL_ANTIMALWARE_LIGHT","features":[343]},{"name":"PROTECTION_LEVEL_AUTHENTICODE","features":[343]},{"name":"PROTECTION_LEVEL_CODEGEN_LIGHT","features":[343]},{"name":"PROTECTION_LEVEL_LSA_LIGHT","features":[343]},{"name":"PROTECTION_LEVEL_NONE","features":[343]},{"name":"PROTECTION_LEVEL_PPL_APP","features":[343]},{"name":"PROTECTION_LEVEL_WINDOWS","features":[343]},{"name":"PROTECTION_LEVEL_WINDOWS_LIGHT","features":[343]},{"name":"PROTECTION_LEVEL_WINTCB","features":[343]},{"name":"PROTECTION_LEVEL_WINTCB_LIGHT","features":[343]},{"name":"PRTL_UMS_SCHEDULER_ENTRY_POINT","features":[342,343]},{"name":"PTIMERAPCROUTINE","features":[343]},{"name":"PTP_CALLBACK_INSTANCE","features":[343]},{"name":"PTP_CLEANUP_GROUP","features":[343]},{"name":"PTP_CLEANUP_GROUP_CANCEL_CALLBACK","features":[343]},{"name":"PTP_IO","features":[343]},{"name":"PTP_POOL","features":[343]},{"name":"PTP_SIMPLE_CALLBACK","features":[343]},{"name":"PTP_TIMER","features":[343]},{"name":"PTP_TIMER_CALLBACK","features":[343]},{"name":"PTP_WAIT","features":[343]},{"name":"PTP_WAIT_CALLBACK","features":[343]},{"name":"PTP_WIN32_IO_CALLBACK","features":[343]},{"name":"PTP_WORK","features":[343]},{"name":"PTP_WORK_CALLBACK","features":[343]},{"name":"ProcThreadAttributeAllApplicationPackagesPolicy","features":[343]},{"name":"ProcThreadAttributeChildProcessPolicy","features":[343]},{"name":"ProcThreadAttributeComponentFilter","features":[343]},{"name":"ProcThreadAttributeDesktopAppPolicy","features":[343]},{"name":"ProcThreadAttributeEnableOptionalXStateFeatures","features":[343]},{"name":"ProcThreadAttributeGroupAffinity","features":[343]},{"name":"ProcThreadAttributeHandleList","features":[343]},{"name":"ProcThreadAttributeIdealProcessor","features":[343]},{"name":"ProcThreadAttributeJobList","features":[343]},{"name":"ProcThreadAttributeMachineType","features":[343]},{"name":"ProcThreadAttributeMitigationAuditPolicy","features":[343]},{"name":"ProcThreadAttributeMitigationPolicy","features":[343]},{"name":"ProcThreadAttributeParentProcess","features":[343]},{"name":"ProcThreadAttributePreferredNode","features":[343]},{"name":"ProcThreadAttributeProtectionLevel","features":[343]},{"name":"ProcThreadAttributePseudoConsole","features":[343]},{"name":"ProcThreadAttributeSafeOpenPromptOriginClaim","features":[343]},{"name":"ProcThreadAttributeSecurityCapabilities","features":[343]},{"name":"ProcThreadAttributeTrustedApp","features":[343]},{"name":"ProcThreadAttributeUmsThread","features":[343]},{"name":"ProcThreadAttributeWin32kFilter","features":[343]},{"name":"ProcessASLRPolicy","features":[343]},{"name":"ProcessActivationContextTrustPolicy","features":[343]},{"name":"ProcessAppMemoryInfo","features":[343]},{"name":"ProcessChildProcessPolicy","features":[343]},{"name":"ProcessControlFlowGuardPolicy","features":[343]},{"name":"ProcessDEPPolicy","features":[343]},{"name":"ProcessDynamicCodePolicy","features":[343]},{"name":"ProcessExtensionPointDisablePolicy","features":[343]},{"name":"ProcessFontDisablePolicy","features":[343]},{"name":"ProcessImageLoadPolicy","features":[343]},{"name":"ProcessInPrivateInfo","features":[343]},{"name":"ProcessInformationClassMax","features":[343]},{"name":"ProcessLeapSecondInfo","features":[343]},{"name":"ProcessMachineTypeInfo","features":[343]},{"name":"ProcessMaxOverridePrefetchParameter","features":[343]},{"name":"ProcessMemoryExhaustionInfo","features":[343]},{"name":"ProcessMemoryPriority","features":[343]},{"name":"ProcessMitigationOptionsMask","features":[343]},{"name":"ProcessOverrideSubsequentPrefetchParameter","features":[343]},{"name":"ProcessPayloadRestrictionPolicy","features":[343]},{"name":"ProcessPowerThrottling","features":[343]},{"name":"ProcessProtectionLevelInfo","features":[343]},{"name":"ProcessRedirectionTrustPolicy","features":[343]},{"name":"ProcessReservedValue1","features":[343]},{"name":"ProcessSEHOPPolicy","features":[343]},{"name":"ProcessSideChannelIsolationPolicy","features":[343]},{"name":"ProcessSignaturePolicy","features":[343]},{"name":"ProcessStrictHandleCheckPolicy","features":[343]},{"name":"ProcessSystemCallDisablePolicy","features":[343]},{"name":"ProcessSystemCallFilterPolicy","features":[343]},{"name":"ProcessTelemetryCoverageInfo","features":[343]},{"name":"ProcessUserPointerAuthPolicy","features":[343]},{"name":"ProcessUserShadowStackPolicy","features":[343]},{"name":"PulseEvent","features":[308,343]},{"name":"QUEUE_USER_APC_CALLBACK_DATA_CONTEXT","features":[343]},{"name":"QUEUE_USER_APC_FLAGS","features":[343]},{"name":"QUEUE_USER_APC_FLAGS_NONE","features":[343]},{"name":"QUEUE_USER_APC_FLAGS_SPECIAL_USER_APC","features":[343]},{"name":"QueryDepthSList","features":[314,343]},{"name":"QueryFullProcessImageNameA","features":[308,343]},{"name":"QueryFullProcessImageNameW","features":[308,343]},{"name":"QueryProcessAffinityUpdateMode","features":[308,343]},{"name":"QueryProtectedPolicy","features":[308,343]},{"name":"QueryThreadpoolStackInformation","features":[308,343]},{"name":"QueryUmsThreadInformation","features":[308,343]},{"name":"QueueUserAPC","features":[308,343]},{"name":"QueueUserAPC2","features":[308,343]},{"name":"QueueUserWorkItem","features":[308,343]},{"name":"REALTIME_PRIORITY_CLASS","features":[343]},{"name":"REASON_CONTEXT","features":[308,343]},{"name":"RTL_CRITICAL_SECTION_ALL_FLAG_BITS","features":[343]},{"name":"RTL_CRITICAL_SECTION_DEBUG_FLAG_STATIC_INIT","features":[343]},{"name":"RTL_CRITICAL_SECTION_FLAG_DYNAMIC_SPIN","features":[343]},{"name":"RTL_CRITICAL_SECTION_FLAG_FORCE_DEBUG_INFO","features":[343]},{"name":"RTL_CRITICAL_SECTION_FLAG_NO_DEBUG_INFO","features":[343]},{"name":"RTL_CRITICAL_SECTION_FLAG_RESOURCE_TYPE","features":[343]},{"name":"RTL_CRITICAL_SECTION_FLAG_STATIC_INIT","features":[343]},{"name":"RTL_USER_PROCESS_PARAMETERS","features":[308,343]},{"name":"RTWQASYNCRESULT","features":[343]},{"name":"RTWQPERIODICCALLBACK","features":[343]},{"name":"RTWQ_MULTITHREADED_WORKQUEUE","features":[343]},{"name":"RTWQ_STANDARD_WORKQUEUE","features":[343]},{"name":"RTWQ_WINDOW_WORKQUEUE","features":[343]},{"name":"RTWQ_WORKQUEUE_TYPE","features":[343]},{"name":"RegisterWaitForSingleObject","features":[308,343]},{"name":"ReleaseMutex","features":[308,343]},{"name":"ReleaseMutexWhenCallbackReturns","features":[308,343]},{"name":"ReleaseSRWLockExclusive","features":[343]},{"name":"ReleaseSRWLockShared","features":[343]},{"name":"ReleaseSemaphore","features":[308,343]},{"name":"ReleaseSemaphoreWhenCallbackReturns","features":[308,343]},{"name":"ResetEvent","features":[308,343]},{"name":"ResumeThread","features":[308,343]},{"name":"RtwqAddPeriodicCallback","features":[343]},{"name":"RtwqAllocateSerialWorkQueue","features":[343]},{"name":"RtwqAllocateWorkQueue","features":[343]},{"name":"RtwqBeginRegisterWorkQueueWithMMCSS","features":[343]},{"name":"RtwqBeginUnregisterWorkQueueWithMMCSS","features":[343]},{"name":"RtwqCancelDeadline","features":[308,343]},{"name":"RtwqCancelWorkItem","features":[343]},{"name":"RtwqCreateAsyncResult","features":[343]},{"name":"RtwqEndRegisterWorkQueueWithMMCSS","features":[343]},{"name":"RtwqGetWorkQueueMMCSSClass","features":[343]},{"name":"RtwqGetWorkQueueMMCSSPriority","features":[343]},{"name":"RtwqGetWorkQueueMMCSSTaskId","features":[343]},{"name":"RtwqInvokeCallback","features":[343]},{"name":"RtwqJoinWorkQueue","features":[308,343]},{"name":"RtwqLockPlatform","features":[343]},{"name":"RtwqLockSharedWorkQueue","features":[343]},{"name":"RtwqLockWorkQueue","features":[343]},{"name":"RtwqPutWaitingWorkItem","features":[308,343]},{"name":"RtwqPutWorkItem","features":[343]},{"name":"RtwqRegisterPlatformEvents","features":[343]},{"name":"RtwqRegisterPlatformWithMMCSS","features":[343]},{"name":"RtwqRemovePeriodicCallback","features":[343]},{"name":"RtwqScheduleWorkItem","features":[343]},{"name":"RtwqSetDeadline","features":[308,343]},{"name":"RtwqSetDeadline2","features":[308,343]},{"name":"RtwqSetLongRunning","features":[308,343]},{"name":"RtwqShutdown","features":[343]},{"name":"RtwqStartup","features":[343]},{"name":"RtwqUnjoinWorkQueue","features":[308,343]},{"name":"RtwqUnlockPlatform","features":[343]},{"name":"RtwqUnlockWorkQueue","features":[343]},{"name":"RtwqUnregisterPlatformEvents","features":[343]},{"name":"RtwqUnregisterPlatformFromMMCSS","features":[343]},{"name":"SEMAPHORE_ALL_ACCESS","features":[343]},{"name":"SEMAPHORE_MODIFY_STATE","features":[343]},{"name":"SRWLOCK","features":[343]},{"name":"SRWLOCK_INIT","features":[343]},{"name":"STACK_SIZE_PARAM_IS_A_RESERVATION","features":[343]},{"name":"STARTF_FORCEOFFFEEDBACK","features":[343]},{"name":"STARTF_FORCEONFEEDBACK","features":[343]},{"name":"STARTF_PREVENTPINNING","features":[343]},{"name":"STARTF_RUNFULLSCREEN","features":[343]},{"name":"STARTF_TITLEISAPPID","features":[343]},{"name":"STARTF_TITLEISLINKNAME","features":[343]},{"name":"STARTF_UNTRUSTEDSOURCE","features":[343]},{"name":"STARTF_USECOUNTCHARS","features":[343]},{"name":"STARTF_USEFILLATTRIBUTE","features":[343]},{"name":"STARTF_USEHOTKEY","features":[343]},{"name":"STARTF_USEPOSITION","features":[343]},{"name":"STARTF_USESHOWWINDOW","features":[343]},{"name":"STARTF_USESIZE","features":[343]},{"name":"STARTF_USESTDHANDLES","features":[343]},{"name":"STARTUPINFOA","features":[308,343]},{"name":"STARTUPINFOEXA","features":[308,343]},{"name":"STARTUPINFOEXW","features":[308,343]},{"name":"STARTUPINFOW","features":[308,343]},{"name":"STARTUPINFOW_FLAGS","features":[343]},{"name":"SYNCHRONIZATION_ACCESS_RIGHTS","features":[343]},{"name":"SYNCHRONIZATION_BARRIER","features":[343]},{"name":"SYNCHRONIZATION_BARRIER_FLAGS_BLOCK_ONLY","features":[343]},{"name":"SYNCHRONIZATION_BARRIER_FLAGS_NO_DELETE","features":[343]},{"name":"SYNCHRONIZATION_BARRIER_FLAGS_SPIN_ONLY","features":[343]},{"name":"SYNCHRONIZATION_DELETE","features":[343]},{"name":"SYNCHRONIZATION_READ_CONTROL","features":[343]},{"name":"SYNCHRONIZATION_SYNCHRONIZE","features":[343]},{"name":"SYNCHRONIZATION_WRITE_DAC","features":[343]},{"name":"SYNCHRONIZATION_WRITE_OWNER","features":[343]},{"name":"SetCriticalSectionSpinCount","features":[308,314,343]},{"name":"SetEvent","features":[308,343]},{"name":"SetEventWhenCallbackReturns","features":[308,343]},{"name":"SetPriorityClass","features":[308,343]},{"name":"SetProcessAffinityMask","features":[308,343]},{"name":"SetProcessAffinityUpdateMode","features":[308,343]},{"name":"SetProcessDEPPolicy","features":[308,343]},{"name":"SetProcessDefaultCpuSetMasks","features":[308,338,343]},{"name":"SetProcessDefaultCpuSets","features":[308,343]},{"name":"SetProcessDynamicEHContinuationTargets","features":[308,343]},{"name":"SetProcessDynamicEnforcedCetCompatibleRanges","features":[308,343]},{"name":"SetProcessInformation","features":[308,343]},{"name":"SetProcessMitigationPolicy","features":[308,343]},{"name":"SetProcessPriorityBoost","features":[308,343]},{"name":"SetProcessRestrictionExemption","features":[308,343]},{"name":"SetProcessShutdownParameters","features":[308,343]},{"name":"SetProcessWorkingSetSize","features":[308,343]},{"name":"SetProtectedPolicy","features":[308,343]},{"name":"SetThreadAffinityMask","features":[308,343]},{"name":"SetThreadDescription","features":[308,343]},{"name":"SetThreadGroupAffinity","features":[308,338,343]},{"name":"SetThreadIdealProcessor","features":[308,343]},{"name":"SetThreadIdealProcessorEx","features":[308,314,343]},{"name":"SetThreadInformation","features":[308,343]},{"name":"SetThreadPriority","features":[308,343]},{"name":"SetThreadPriorityBoost","features":[308,343]},{"name":"SetThreadSelectedCpuSetMasks","features":[308,338,343]},{"name":"SetThreadSelectedCpuSets","features":[308,343]},{"name":"SetThreadStackGuarantee","features":[308,343]},{"name":"SetThreadToken","features":[308,343]},{"name":"SetThreadpoolStackInformation","features":[308,343]},{"name":"SetThreadpoolThreadMaximum","features":[343]},{"name":"SetThreadpoolThreadMinimum","features":[308,343]},{"name":"SetThreadpoolTimer","features":[308,343]},{"name":"SetThreadpoolTimerEx","features":[308,343]},{"name":"SetThreadpoolWait","features":[308,343]},{"name":"SetThreadpoolWaitEx","features":[308,343]},{"name":"SetTimerQueueTimer","features":[308,343]},{"name":"SetUmsThreadInformation","features":[308,343]},{"name":"SetWaitableTimer","features":[308,343]},{"name":"SetWaitableTimerEx","features":[308,343]},{"name":"SignalObjectAndWait","features":[308,343]},{"name":"Sleep","features":[343]},{"name":"SleepConditionVariableCS","features":[308,314,343]},{"name":"SleepConditionVariableSRW","features":[308,343]},{"name":"SleepEx","features":[308,343]},{"name":"StartThreadpoolIo","features":[343]},{"name":"SubmitThreadpoolWork","features":[343]},{"name":"SuspendThread","features":[308,343]},{"name":"SwitchToFiber","features":[343]},{"name":"SwitchToThread","features":[308,343]},{"name":"TEB","features":[308,314,343]},{"name":"THREAD_ACCESS_RIGHTS","features":[343]},{"name":"THREAD_ALL_ACCESS","features":[343]},{"name":"THREAD_CREATE_RUN_IMMEDIATELY","features":[343]},{"name":"THREAD_CREATE_SUSPENDED","features":[343]},{"name":"THREAD_CREATION_FLAGS","features":[343]},{"name":"THREAD_DELETE","features":[343]},{"name":"THREAD_DIRECT_IMPERSONATION","features":[343]},{"name":"THREAD_GET_CONTEXT","features":[343]},{"name":"THREAD_IMPERSONATE","features":[343]},{"name":"THREAD_INFORMATION_CLASS","features":[343]},{"name":"THREAD_MODE_BACKGROUND_BEGIN","features":[343]},{"name":"THREAD_MODE_BACKGROUND_END","features":[343]},{"name":"THREAD_POWER_THROTTLING_CURRENT_VERSION","features":[343]},{"name":"THREAD_POWER_THROTTLING_EXECUTION_SPEED","features":[343]},{"name":"THREAD_POWER_THROTTLING_STATE","features":[343]},{"name":"THREAD_POWER_THROTTLING_VALID_FLAGS","features":[343]},{"name":"THREAD_PRIORITY","features":[343]},{"name":"THREAD_PRIORITY_ABOVE_NORMAL","features":[343]},{"name":"THREAD_PRIORITY_BELOW_NORMAL","features":[343]},{"name":"THREAD_PRIORITY_HIGHEST","features":[343]},{"name":"THREAD_PRIORITY_IDLE","features":[343]},{"name":"THREAD_PRIORITY_LOWEST","features":[343]},{"name":"THREAD_PRIORITY_MIN","features":[343]},{"name":"THREAD_PRIORITY_NORMAL","features":[343]},{"name":"THREAD_PRIORITY_TIME_CRITICAL","features":[343]},{"name":"THREAD_QUERY_INFORMATION","features":[343]},{"name":"THREAD_QUERY_LIMITED_INFORMATION","features":[343]},{"name":"THREAD_READ_CONTROL","features":[343]},{"name":"THREAD_RESUME","features":[343]},{"name":"THREAD_SET_CONTEXT","features":[343]},{"name":"THREAD_SET_INFORMATION","features":[343]},{"name":"THREAD_SET_LIMITED_INFORMATION","features":[343]},{"name":"THREAD_SET_THREAD_TOKEN","features":[343]},{"name":"THREAD_STANDARD_RIGHTS_REQUIRED","features":[343]},{"name":"THREAD_SUSPEND_RESUME","features":[343]},{"name":"THREAD_SYNCHRONIZE","features":[343]},{"name":"THREAD_TERMINATE","features":[343]},{"name":"THREAD_WRITE_DAC","features":[343]},{"name":"THREAD_WRITE_OWNER","features":[343]},{"name":"TIMER_ALL_ACCESS","features":[343]},{"name":"TIMER_MODIFY_STATE","features":[343]},{"name":"TIMER_QUERY_STATE","features":[343]},{"name":"TLS_OUT_OF_INDEXES","features":[343]},{"name":"TP_CALLBACK_ENVIRON_V3","features":[343]},{"name":"TP_CALLBACK_PRIORITY","features":[343]},{"name":"TP_CALLBACK_PRIORITY_COUNT","features":[343]},{"name":"TP_CALLBACK_PRIORITY_HIGH","features":[343]},{"name":"TP_CALLBACK_PRIORITY_INVALID","features":[343]},{"name":"TP_CALLBACK_PRIORITY_LOW","features":[343]},{"name":"TP_CALLBACK_PRIORITY_NORMAL","features":[343]},{"name":"TP_POOL_STACK_INFORMATION","features":[343]},{"name":"TerminateProcess","features":[308,343]},{"name":"TerminateThread","features":[308,343]},{"name":"ThreadAbsoluteCpuPriority","features":[343]},{"name":"ThreadDynamicCodePolicy","features":[343]},{"name":"ThreadInformationClassMax","features":[343]},{"name":"ThreadMemoryPriority","features":[343]},{"name":"ThreadPowerThrottling","features":[343]},{"name":"TlsAlloc","features":[343]},{"name":"TlsFree","features":[308,343]},{"name":"TlsGetValue","features":[343]},{"name":"TlsSetValue","features":[308,343]},{"name":"TryAcquireSRWLockExclusive","features":[308,343]},{"name":"TryAcquireSRWLockShared","features":[308,343]},{"name":"TryEnterCriticalSection","features":[308,314,343]},{"name":"TrySubmitThreadpoolCallback","features":[308,343]},{"name":"UMS_SCHEDULER_STARTUP_INFO","features":[342,343]},{"name":"UMS_SYSTEM_THREAD_INFORMATION","features":[343]},{"name":"UMS_THREAD_INFO_CLASS","features":[343]},{"name":"UmsThreadAffinity","features":[343]},{"name":"UmsThreadInvalidInfoClass","features":[343]},{"name":"UmsThreadIsSuspended","features":[343]},{"name":"UmsThreadIsTerminated","features":[343]},{"name":"UmsThreadMaxInfoClass","features":[343]},{"name":"UmsThreadPriority","features":[343]},{"name":"UmsThreadTeb","features":[343]},{"name":"UmsThreadUserContext","features":[343]},{"name":"UmsThreadYield","features":[308,343]},{"name":"UnregisterWait","features":[308,343]},{"name":"UnregisterWaitEx","features":[308,343]},{"name":"UpdateProcThreadAttribute","features":[308,343]},{"name":"UserEnabled","features":[343]},{"name":"WAITORTIMERCALLBACK","features":[308,343]},{"name":"WORKERCALLBACKFUNC","features":[343]},{"name":"WORKER_THREAD_FLAGS","features":[343]},{"name":"WT_EXECUTEDEFAULT","features":[343]},{"name":"WT_EXECUTEINIOTHREAD","features":[343]},{"name":"WT_EXECUTEINPERSISTENTTHREAD","features":[343]},{"name":"WT_EXECUTEINTIMERTHREAD","features":[343]},{"name":"WT_EXECUTEINWAITTHREAD","features":[343]},{"name":"WT_EXECUTELONGFUNCTION","features":[343]},{"name":"WT_EXECUTEONLYONCE","features":[343]},{"name":"WT_TRANSFER_IMPERSONATION","features":[343]},{"name":"WaitForInputIdle","features":[308,343]},{"name":"WaitForMultipleObjects","features":[308,343]},{"name":"WaitForMultipleObjectsEx","features":[308,343]},{"name":"WaitForSingleObject","features":[308,343]},{"name":"WaitForSingleObjectEx","features":[308,343]},{"name":"WaitForThreadpoolIoCallbacks","features":[308,343]},{"name":"WaitForThreadpoolTimerCallbacks","features":[308,343]},{"name":"WaitForThreadpoolWaitCallbacks","features":[308,343]},{"name":"WaitForThreadpoolWorkCallbacks","features":[308,343]},{"name":"WaitOnAddress","features":[308,343]},{"name":"WakeAllConditionVariable","features":[343]},{"name":"WakeByAddressAll","features":[343]},{"name":"WakeByAddressSingle","features":[343]},{"name":"WakeConditionVariable","features":[343]},{"name":"WinExec","features":[343]},{"name":"Wow64Container","features":[343]},{"name":"Wow64SetThreadDefaultGuestMachine","features":[343]},{"name":"Wow64SuspendThread","features":[308,343]}],"617":[{"name":"DYNAMIC_TIME_ZONE_INFORMATION","features":[308,545]},{"name":"EnumDynamicTimeZoneInformation","features":[308,545]},{"name":"FileTimeToSystemTime","features":[308,545]},{"name":"GetDynamicTimeZoneInformation","features":[308,545]},{"name":"GetDynamicTimeZoneInformationEffectiveYears","features":[308,545]},{"name":"GetTimeZoneInformation","features":[308,545]},{"name":"GetTimeZoneInformationForYear","features":[308,545]},{"name":"LocalFileTimeToLocalSystemTime","features":[308,545]},{"name":"LocalSystemTimeToLocalFileTime","features":[308,545]},{"name":"SetDynamicTimeZoneInformation","features":[308,545]},{"name":"SetTimeZoneInformation","features":[308,545]},{"name":"SystemTimeToFileTime","features":[308,545]},{"name":"SystemTimeToTzSpecificLocalTime","features":[308,545]},{"name":"SystemTimeToTzSpecificLocalTimeEx","features":[308,545]},{"name":"TIME_ZONE_ID_INVALID","features":[545]},{"name":"TIME_ZONE_INFORMATION","features":[308,545]},{"name":"TSF_Authenticated","features":[545]},{"name":"TSF_Hardware","features":[545]},{"name":"TSF_IPv6","features":[545]},{"name":"TSF_SignatureAuthenticated","features":[545]},{"name":"TzSpecificLocalTimeToSystemTime","features":[308,545]},{"name":"TzSpecificLocalTimeToSystemTimeEx","features":[308,545]},{"name":"wszW32TimeRegKeyPolicyTimeProviders","features":[545]},{"name":"wszW32TimeRegKeyTimeProviders","features":[545]},{"name":"wszW32TimeRegValueDllName","features":[545]},{"name":"wszW32TimeRegValueEnabled","features":[545]},{"name":"wszW32TimeRegValueInputProvider","features":[545]},{"name":"wszW32TimeRegValueMetaDataProvider","features":[545]}],"618":[{"name":"GetDeviceID","features":[308,595]},{"name":"GetDeviceIDString","features":[308,595]},{"name":"TBS_COMMAND_LOCALITY","features":[595]},{"name":"TBS_COMMAND_LOCALITY_FOUR","features":[595]},{"name":"TBS_COMMAND_LOCALITY_ONE","features":[595]},{"name":"TBS_COMMAND_LOCALITY_THREE","features":[595]},{"name":"TBS_COMMAND_LOCALITY_TWO","features":[595]},{"name":"TBS_COMMAND_LOCALITY_ZERO","features":[595]},{"name":"TBS_COMMAND_PRIORITY","features":[595]},{"name":"TBS_COMMAND_PRIORITY_HIGH","features":[595]},{"name":"TBS_COMMAND_PRIORITY_LOW","features":[595]},{"name":"TBS_COMMAND_PRIORITY_MAX","features":[595]},{"name":"TBS_COMMAND_PRIORITY_NORMAL","features":[595]},{"name":"TBS_COMMAND_PRIORITY_SYSTEM","features":[595]},{"name":"TBS_CONTEXT_PARAMS","features":[595]},{"name":"TBS_CONTEXT_PARAMS2","features":[595]},{"name":"TBS_CONTEXT_VERSION_ONE","features":[595]},{"name":"TBS_CONTEXT_VERSION_TWO","features":[595]},{"name":"TBS_OWNERAUTH_TYPE_ADMIN","features":[595]},{"name":"TBS_OWNERAUTH_TYPE_ENDORSEMENT","features":[595]},{"name":"TBS_OWNERAUTH_TYPE_ENDORSEMENT_20","features":[595]},{"name":"TBS_OWNERAUTH_TYPE_FULL","features":[595]},{"name":"TBS_OWNERAUTH_TYPE_STORAGE_20","features":[595]},{"name":"TBS_OWNERAUTH_TYPE_USER","features":[595]},{"name":"TBS_SUCCESS","features":[595]},{"name":"TBS_TCGLOG_DRTM_BOOT","features":[595]},{"name":"TBS_TCGLOG_DRTM_CURRENT","features":[595]},{"name":"TBS_TCGLOG_DRTM_RESUME","features":[595]},{"name":"TBS_TCGLOG_SRTM_BOOT","features":[595]},{"name":"TBS_TCGLOG_SRTM_CURRENT","features":[595]},{"name":"TBS_TCGLOG_SRTM_RESUME","features":[595]},{"name":"TPM_DEVICE_INFO","features":[595]},{"name":"TPM_IFTYPE_1","features":[595]},{"name":"TPM_IFTYPE_EMULATOR","features":[595]},{"name":"TPM_IFTYPE_HW","features":[595]},{"name":"TPM_IFTYPE_SPB","features":[595]},{"name":"TPM_IFTYPE_TRUSTZONE","features":[595]},{"name":"TPM_IFTYPE_UNKNOWN","features":[595]},{"name":"TPM_VERSION_12","features":[595]},{"name":"TPM_VERSION_20","features":[595]},{"name":"TPM_VERSION_UNKNOWN","features":[595]},{"name":"TPM_WNF_INFO_CLEAR_SUCCESSFUL","features":[595]},{"name":"TPM_WNF_INFO_NO_REBOOT_REQUIRED","features":[595]},{"name":"TPM_WNF_INFO_OWNERSHIP_SUCCESSFUL","features":[595]},{"name":"TPM_WNF_PROVISIONING","features":[595]},{"name":"Tbsi_Context_Create","features":[595]},{"name":"Tbsi_Create_Windows_Key","features":[595]},{"name":"Tbsi_GetDeviceInfo","features":[595]},{"name":"Tbsi_Get_OwnerAuth","features":[595]},{"name":"Tbsi_Get_TCG_Log","features":[595]},{"name":"Tbsi_Get_TCG_Log_Ex","features":[595]},{"name":"Tbsi_Is_Tpm_Present","features":[308,595]},{"name":"Tbsi_Physical_Presence_Command","features":[595]},{"name":"Tbsi_Revoke_Attestation","features":[595]},{"name":"Tbsip_Cancel_Commands","features":[595]},{"name":"Tbsip_Context_Close","features":[595]},{"name":"Tbsip_Submit_Command","features":[595]}],"619":[{"name":"Catalog","features":[596]},{"name":"CatalogCollection","features":[596]},{"name":"CatalogObject","features":[596]},{"name":"ComponentUtil","features":[596]},{"name":"ICatalog","features":[359,596]},{"name":"IComponentUtil","features":[359,596]},{"name":"IPackageUtil","features":[359,596]},{"name":"IRemoteComponentUtil","features":[359,596]},{"name":"IRoleAssociationUtil","features":[359,596]},{"name":"MTSAdminErrorCodes","features":[596]},{"name":"MTSPackageExportOptions","features":[596]},{"name":"MTSPackageInstallOptions","features":[596]},{"name":"PackageUtil","features":[596]},{"name":"RemoteComponentUtil","features":[596]},{"name":"RoleAssociationUtil","features":[596]},{"name":"mtsErrAlreadyInstalled","features":[596]},{"name":"mtsErrAuthenticationLevel","features":[596]},{"name":"mtsErrBadForward","features":[596]},{"name":"mtsErrBadIID","features":[596]},{"name":"mtsErrBadPath","features":[596]},{"name":"mtsErrBadRegistryLibID","features":[596]},{"name":"mtsErrBadRegistryProgID","features":[596]},{"name":"mtsErrCLSIDOrIIDMismatch","features":[596]},{"name":"mtsErrCantCopyFile","features":[596]},{"name":"mtsErrCoReqCompInstalled","features":[596]},{"name":"mtsErrCompFileBadTLB","features":[596]},{"name":"mtsErrCompFileClassNotAvail","features":[596]},{"name":"mtsErrCompFileDoesNotExist","features":[596]},{"name":"mtsErrCompFileGetClassObj","features":[596]},{"name":"mtsErrCompFileLoadDLLFail","features":[596]},{"name":"mtsErrCompFileNoRegistrar","features":[596]},{"name":"mtsErrCompFileNotInstallable","features":[596]},{"name":"mtsErrDllLoadFailed","features":[596]},{"name":"mtsErrDllRegisterServer","features":[596]},{"name":"mtsErrDownloadFailed","features":[596]},{"name":"mtsErrInvalidUserids","features":[596]},{"name":"mtsErrKeyMissing","features":[596]},{"name":"mtsErrNoAccessToUNC","features":[596]},{"name":"mtsErrNoRegistryCLSID","features":[596]},{"name":"mtsErrNoRegistryRead","features":[596]},{"name":"mtsErrNoRegistryRepair","features":[596]},{"name":"mtsErrNoRegistryWrite","features":[596]},{"name":"mtsErrNoServerShare","features":[596]},{"name":"mtsErrNoTypeLib","features":[596]},{"name":"mtsErrNoUser","features":[596]},{"name":"mtsErrNotChangeable","features":[596]},{"name":"mtsErrNotDeletable","features":[596]},{"name":"mtsErrObjectErrors","features":[596]},{"name":"mtsErrObjectInvalid","features":[596]},{"name":"mtsErrPDFReadFail","features":[596]},{"name":"mtsErrPDFVersion","features":[596]},{"name":"mtsErrPDFWriteFail","features":[596]},{"name":"mtsErrPackDirNotFound","features":[596]},{"name":"mtsErrPackageExists","features":[596]},{"name":"mtsErrRegistrarFailed","features":[596]},{"name":"mtsErrRemoteInterface","features":[596]},{"name":"mtsErrRoleExists","features":[596]},{"name":"mtsErrSession","features":[596]},{"name":"mtsErrTreatAs","features":[596]},{"name":"mtsErrUserPasswdNotValid","features":[596]},{"name":"mtsExportUsers","features":[596]},{"name":"mtsInstallUsers","features":[596]}],"620":[{"name":"AddServiceFlag","features":[597]},{"name":"AutoDownloadMode","features":[597]},{"name":"AutoSelectionMode","features":[597]},{"name":"AutomaticUpdates","features":[597]},{"name":"AutomaticUpdatesNotificationLevel","features":[597]},{"name":"AutomaticUpdatesPermissionType","features":[597]},{"name":"AutomaticUpdatesScheduledInstallationDay","features":[597]},{"name":"AutomaticUpdatesUserType","features":[597]},{"name":"DeploymentAction","features":[597]},{"name":"DownloadPhase","features":[597]},{"name":"DownloadPriority","features":[597]},{"name":"IAutomaticUpdates","features":[359,597]},{"name":"IAutomaticUpdates2","features":[359,597]},{"name":"IAutomaticUpdatesResults","features":[359,597]},{"name":"IAutomaticUpdatesSettings","features":[359,597]},{"name":"IAutomaticUpdatesSettings2","features":[359,597]},{"name":"IAutomaticUpdatesSettings3","features":[359,597]},{"name":"ICategory","features":[359,597]},{"name":"ICategoryCollection","features":[359,597]},{"name":"IDownloadCompletedCallback","features":[597]},{"name":"IDownloadCompletedCallbackArgs","features":[359,597]},{"name":"IDownloadJob","features":[359,597]},{"name":"IDownloadProgress","features":[359,597]},{"name":"IDownloadProgressChangedCallback","features":[597]},{"name":"IDownloadProgressChangedCallbackArgs","features":[359,597]},{"name":"IDownloadResult","features":[359,597]},{"name":"IImageInformation","features":[359,597]},{"name":"IInstallationAgent","features":[359,597]},{"name":"IInstallationBehavior","features":[359,597]},{"name":"IInstallationCompletedCallback","features":[597]},{"name":"IInstallationCompletedCallbackArgs","features":[359,597]},{"name":"IInstallationJob","features":[359,597]},{"name":"IInstallationProgress","features":[359,597]},{"name":"IInstallationProgressChangedCallback","features":[597]},{"name":"IInstallationProgressChangedCallbackArgs","features":[359,597]},{"name":"IInstallationResult","features":[359,597]},{"name":"IInvalidProductLicenseException","features":[359,597]},{"name":"ISearchCompletedCallback","features":[597]},{"name":"ISearchCompletedCallbackArgs","features":[359,597]},{"name":"ISearchJob","features":[359,597]},{"name":"ISearchResult","features":[359,597]},{"name":"IStringCollection","features":[359,597]},{"name":"ISystemInformation","features":[359,597]},{"name":"IUpdate","features":[359,597]},{"name":"IUpdate2","features":[359,597]},{"name":"IUpdate3","features":[359,597]},{"name":"IUpdate4","features":[359,597]},{"name":"IUpdate5","features":[359,597]},{"name":"IUpdateCollection","features":[359,597]},{"name":"IUpdateDownloadContent","features":[359,597]},{"name":"IUpdateDownloadContent2","features":[359,597]},{"name":"IUpdateDownloadContentCollection","features":[359,597]},{"name":"IUpdateDownloadResult","features":[359,597]},{"name":"IUpdateDownloader","features":[359,597]},{"name":"IUpdateException","features":[359,597]},{"name":"IUpdateExceptionCollection","features":[359,597]},{"name":"IUpdateHistoryEntry","features":[359,597]},{"name":"IUpdateHistoryEntry2","features":[359,597]},{"name":"IUpdateHistoryEntryCollection","features":[359,597]},{"name":"IUpdateIdentity","features":[359,597]},{"name":"IUpdateInstallationResult","features":[359,597]},{"name":"IUpdateInstaller","features":[359,597]},{"name":"IUpdateInstaller2","features":[359,597]},{"name":"IUpdateInstaller3","features":[359,597]},{"name":"IUpdateInstaller4","features":[359,597]},{"name":"IUpdateLockdown","features":[597]},{"name":"IUpdateSearcher","features":[359,597]},{"name":"IUpdateSearcher2","features":[359,597]},{"name":"IUpdateSearcher3","features":[359,597]},{"name":"IUpdateService","features":[359,597]},{"name":"IUpdateService2","features":[359,597]},{"name":"IUpdateServiceCollection","features":[359,597]},{"name":"IUpdateServiceManager","features":[359,597]},{"name":"IUpdateServiceManager2","features":[359,597]},{"name":"IUpdateServiceRegistration","features":[359,597]},{"name":"IUpdateSession","features":[359,597]},{"name":"IUpdateSession2","features":[359,597]},{"name":"IUpdateSession3","features":[359,597]},{"name":"IWebProxy","features":[359,597]},{"name":"IWindowsDriverUpdate","features":[359,597]},{"name":"IWindowsDriverUpdate2","features":[359,597]},{"name":"IWindowsDriverUpdate3","features":[359,597]},{"name":"IWindowsDriverUpdate4","features":[359,597]},{"name":"IWindowsDriverUpdate5","features":[359,597]},{"name":"IWindowsDriverUpdateEntry","features":[359,597]},{"name":"IWindowsDriverUpdateEntryCollection","features":[359,597]},{"name":"IWindowsUpdateAgentInfo","features":[359,597]},{"name":"InstallationAgent","features":[597]},{"name":"InstallationImpact","features":[597]},{"name":"InstallationRebootBehavior","features":[597]},{"name":"LIBID_WUApiLib","features":[597]},{"name":"OperationResultCode","features":[597]},{"name":"SearchScope","features":[597]},{"name":"ServerSelection","features":[597]},{"name":"StringCollection","features":[597]},{"name":"SystemInformation","features":[597]},{"name":"UPDATE_LOCKDOWN_WEBSITE_ACCESS","features":[597]},{"name":"UpdateCollection","features":[597]},{"name":"UpdateDownloader","features":[597]},{"name":"UpdateExceptionContext","features":[597]},{"name":"UpdateInstaller","features":[597]},{"name":"UpdateLockdownOption","features":[597]},{"name":"UpdateOperation","features":[597]},{"name":"UpdateSearcher","features":[597]},{"name":"UpdateServiceManager","features":[597]},{"name":"UpdateServiceOption","features":[597]},{"name":"UpdateServiceRegistrationState","features":[597]},{"name":"UpdateSession","features":[597]},{"name":"UpdateType","features":[597]},{"name":"WU_E_ALL_UPDATES_FAILED","features":[597]},{"name":"WU_E_AUCLIENT_UNEXPECTED","features":[597]},{"name":"WU_E_AU_CALL_CANCELLED","features":[597]},{"name":"WU_E_AU_DETECT_SVCID_MISMATCH","features":[597]},{"name":"WU_E_AU_LEGACYCLIENTDISABLED","features":[597]},{"name":"WU_E_AU_NONLEGACYSERVER","features":[597]},{"name":"WU_E_AU_NOSERVICE","features":[597]},{"name":"WU_E_AU_NO_REGISTERED_SERVICE","features":[597]},{"name":"WU_E_AU_OOBE_IN_PROGRESS","features":[597]},{"name":"WU_E_AU_PAUSED","features":[597]},{"name":"WU_E_AU_UNEXPECTED","features":[597]},{"name":"WU_E_BAD_FILE_URL","features":[597]},{"name":"WU_E_BAD_XML_HARDWARECAPABILITY","features":[597]},{"name":"WU_E_BIN_SOURCE_ABSENT","features":[597]},{"name":"WU_E_CALLBACK_COOKIE_NOT_FOUND","features":[597]},{"name":"WU_E_CALL_CANCELLED","features":[597]},{"name":"WU_E_CALL_CANCELLED_BY_HIDE","features":[597]},{"name":"WU_E_CALL_CANCELLED_BY_INTERACTIVE_SEARCH","features":[597]},{"name":"WU_E_CALL_CANCELLED_BY_INVALID","features":[597]},{"name":"WU_E_CALL_CANCELLED_BY_POLICY","features":[597]},{"name":"WU_E_COULDNOTCANCEL","features":[597]},{"name":"WU_E_CYCLE_DETECTED","features":[597]},{"name":"WU_E_DM_BG_ERROR_TOKEN_REQUIRED","features":[597]},{"name":"WU_E_DM_BITSTRANSFERERROR","features":[597]},{"name":"WU_E_DM_CONTENTCHANGED","features":[597]},{"name":"WU_E_DM_DOSVC_REQUIRED","features":[597]},{"name":"WU_E_DM_DOWNLOADFILEMISSING","features":[597]},{"name":"WU_E_DM_DOWNLOADFILEPATHUNKNOWN","features":[597]},{"name":"WU_E_DM_DOWNLOADLIMITEDBYUPDATESIZE","features":[597]},{"name":"WU_E_DM_DOWNLOADLOCATIONCHANGED","features":[597]},{"name":"WU_E_DM_DOWNLOADSANDBOXNOTFOUND","features":[597]},{"name":"WU_E_DM_DOWNLOAD_VOLUME_CONFLICT","features":[597]},{"name":"WU_E_DM_FAILTOCONNECTTOBITS","features":[597]},{"name":"WU_E_DM_FALLINGBACKTOBITS","features":[597]},{"name":"WU_E_DM_HARDRESERVEID_CONFLICT","features":[597]},{"name":"WU_E_DM_INCORRECTFILEHASH","features":[597]},{"name":"WU_E_DM_NEEDDOWNLOADREQUEST","features":[597]},{"name":"WU_E_DM_NONETWORK","features":[597]},{"name":"WU_E_DM_NOTDOWNLOADED","features":[597]},{"name":"WU_E_DM_READRANGEFAILED","features":[597]},{"name":"WU_E_DM_SANDBOX_HASH_MISMATCH","features":[597]},{"name":"WU_E_DM_UNAUTHORIZED","features":[597]},{"name":"WU_E_DM_UNAUTHORIZED_DOMAIN_USER","features":[597]},{"name":"WU_E_DM_UNAUTHORIZED_LOCAL_USER","features":[597]},{"name":"WU_E_DM_UNAUTHORIZED_MSA_USER","features":[597]},{"name":"WU_E_DM_UNAUTHORIZED_NO_USER","features":[597]},{"name":"WU_E_DM_UNEXPECTED","features":[597]},{"name":"WU_E_DM_UNKNOWNALGORITHM","features":[597]},{"name":"WU_E_DM_UPDATEREMOVED","features":[597]},{"name":"WU_E_DM_URLNOTAVAILABLE","features":[597]},{"name":"WU_E_DM_WRONGBITSVERSION","features":[597]},{"name":"WU_E_DOWNLOAD_FAILED","features":[597]},{"name":"WU_E_DRV_DEVICE_PROBLEM","features":[597]},{"name":"WU_E_DRV_MISSING_ATTRIBUTE","features":[597]},{"name":"WU_E_DRV_NOPROP_OR_LEGACY","features":[597]},{"name":"WU_E_DRV_NO_METADATA","features":[597]},{"name":"WU_E_DRV_NO_PRINTER_CONTENT","features":[597]},{"name":"WU_E_DRV_PRUNED","features":[597]},{"name":"WU_E_DRV_REG_MISMATCH","features":[597]},{"name":"WU_E_DRV_SYNC_FAILED","features":[597]},{"name":"WU_E_DRV_UNEXPECTED","features":[597]},{"name":"WU_E_DS_BADVERSION","features":[597]},{"name":"WU_E_DS_CANNOTREGISTER","features":[597]},{"name":"WU_E_DS_CANTDELETE","features":[597]},{"name":"WU_E_DS_DATANOTAVAILABLE","features":[597]},{"name":"WU_E_DS_DATANOTLOADED","features":[597]},{"name":"WU_E_DS_DECLINENOTALLOWED","features":[597]},{"name":"WU_E_DS_DUPLICATEUPDATEID","features":[597]},{"name":"WU_E_DS_IMPERSONATED","features":[597]},{"name":"WU_E_DS_INUSE","features":[597]},{"name":"WU_E_DS_INVALID","features":[597]},{"name":"WU_E_DS_INVALIDOPERATION","features":[597]},{"name":"WU_E_DS_INVALIDTABLENAME","features":[597]},{"name":"WU_E_DS_LOCKTIMEOUTEXPIRED","features":[597]},{"name":"WU_E_DS_MISSINGDATA","features":[597]},{"name":"WU_E_DS_MISSINGREF","features":[597]},{"name":"WU_E_DS_NEEDWINDOWSSERVICE","features":[597]},{"name":"WU_E_DS_NOCATEGORIES","features":[597]},{"name":"WU_E_DS_NODATA","features":[597]},{"name":"WU_E_DS_NODATA_CCR","features":[597]},{"name":"WU_E_DS_NODATA_COOKIE","features":[597]},{"name":"WU_E_DS_NODATA_DOWNLOADJOB","features":[597]},{"name":"WU_E_DS_NODATA_EULA","features":[597]},{"name":"WU_E_DS_NODATA_FILE","features":[597]},{"name":"WU_E_DS_NODATA_NOSUCHREVISION","features":[597]},{"name":"WU_E_DS_NODATA_NOSUCHUPDATE","features":[597]},{"name":"WU_E_DS_NODATA_SERVICE","features":[597]},{"name":"WU_E_DS_NODATA_TIMER","features":[597]},{"name":"WU_E_DS_NODATA_TMI","features":[597]},{"name":"WU_E_DS_RESETREQUIRED","features":[597]},{"name":"WU_E_DS_ROWEXISTS","features":[597]},{"name":"WU_E_DS_SCHEMAMISMATCH","features":[597]},{"name":"WU_E_DS_SERVICEEXPIRED","features":[597]},{"name":"WU_E_DS_SESSIONLOCKMISMATCH","features":[597]},{"name":"WU_E_DS_SHUTDOWN","features":[597]},{"name":"WU_E_DS_STOREFILELOCKED","features":[597]},{"name":"WU_E_DS_TABLEINCORRECT","features":[597]},{"name":"WU_E_DS_TABLEMISSING","features":[597]},{"name":"WU_E_DS_TABLESESSIONMISMATCH","features":[597]},{"name":"WU_E_DS_UNABLETOSTART","features":[597]},{"name":"WU_E_DS_UNEXPECTED","features":[597]},{"name":"WU_E_DS_UNKNOWNHANDLER","features":[597]},{"name":"WU_E_DS_UNKNOWNSERVICE","features":[597]},{"name":"WU_E_DUPLICATE_ITEM","features":[597]},{"name":"WU_E_EE_CLUSTER_ERROR","features":[597]},{"name":"WU_E_EE_INVALID_ATTRIBUTEDATA","features":[597]},{"name":"WU_E_EE_INVALID_EXPRESSION","features":[597]},{"name":"WU_E_EE_INVALID_VERSION","features":[597]},{"name":"WU_E_EE_MISSING_METADATA","features":[597]},{"name":"WU_E_EE_NOT_INITIALIZED","features":[597]},{"name":"WU_E_EE_UNEXPECTED","features":[597]},{"name":"WU_E_EE_UNKNOWN_EXPRESSION","features":[597]},{"name":"WU_E_EULAS_DECLINED","features":[597]},{"name":"WU_E_EULA_UNAVAILABLE","features":[597]},{"name":"WU_E_EXCLUSIVE_INSTALL_CONFLICT","features":[597]},{"name":"WU_E_EXTENDEDERROR_FAILED","features":[597]},{"name":"WU_E_EXTENDEDERROR_NOTSET","features":[597]},{"name":"WU_E_FILETRUST_DUALSIGNATURE_ECC","features":[597]},{"name":"WU_E_FILETRUST_DUALSIGNATURE_RSA","features":[597]},{"name":"WU_E_FILETRUST_SHA2SIGNATURE_MISSING","features":[597]},{"name":"WU_E_IDLESHUTDOWN_OPCOUNT_DISCOVERY","features":[597]},{"name":"WU_E_IDLESHUTDOWN_OPCOUNT_DOWNLOAD","features":[597]},{"name":"WU_E_IDLESHUTDOWN_OPCOUNT_INSTALL","features":[597]},{"name":"WU_E_IDLESHUTDOWN_OPCOUNT_OTHER","features":[597]},{"name":"WU_E_IDLESHUTDOWN_OPCOUNT_SEARCH","features":[597]},{"name":"WU_E_IDLESHUTDOWN_OPCOUNT_SERVICEREGISTRATION","features":[597]},{"name":"WU_E_INFRASTRUCTUREFILE_INVALID_FORMAT","features":[597]},{"name":"WU_E_INFRASTRUCTUREFILE_REQUIRES_SSL","features":[597]},{"name":"WU_E_INSTALLATION_RESULTS_INVALID_DATA","features":[597]},{"name":"WU_E_INSTALLATION_RESULTS_NOT_FOUND","features":[597]},{"name":"WU_E_INSTALLATION_RESULTS_UNKNOWN_VERSION","features":[597]},{"name":"WU_E_INSTALL_JOB_NOT_SUSPENDED","features":[597]},{"name":"WU_E_INSTALL_JOB_RESUME_NOT_ALLOWED","features":[597]},{"name":"WU_E_INSTALL_NOT_ALLOWED","features":[597]},{"name":"WU_E_INSTALL_USERCONTEXT_ACCESSDENIED","features":[597]},{"name":"WU_E_INTERACTIVE_CALL_CANCELLED","features":[597]},{"name":"WU_E_INVALIDINDEX","features":[597]},{"name":"WU_E_INVALID_CRITERIA","features":[597]},{"name":"WU_E_INVALID_EVENT","features":[597]},{"name":"WU_E_INVALID_EVENT_PAYLOAD","features":[597]},{"name":"WU_E_INVALID_EVENT_PAYLOADSIZE","features":[597]},{"name":"WU_E_INVALID_FILE","features":[597]},{"name":"WU_E_INVALID_INSTALL_REQUESTED","features":[597]},{"name":"WU_E_INVALID_NOTIFICATION_INFO","features":[597]},{"name":"WU_E_INVALID_OPERATION","features":[597]},{"name":"WU_E_INVALID_PRODUCT_LICENSE","features":[597]},{"name":"WU_E_INVALID_PROXY_SERVER","features":[597]},{"name":"WU_E_INVALID_RELATIONSHIP","features":[597]},{"name":"WU_E_INVALID_SERIALIZATION_VERSION","features":[597]},{"name":"WU_E_INVALID_UPDATE","features":[597]},{"name":"WU_E_INVALID_UPDATE_TYPE","features":[597]},{"name":"WU_E_INVALID_VOLUMEID","features":[597]},{"name":"WU_E_INVENTORY_GET_INVENTORY_TYPE_FAILED","features":[597]},{"name":"WU_E_INVENTORY_PARSEFAILED","features":[597]},{"name":"WU_E_INVENTORY_RESULT_UPLOAD_FAILED","features":[597]},{"name":"WU_E_INVENTORY_UNEXPECTED","features":[597]},{"name":"WU_E_INVENTORY_WMI_ERROR","features":[597]},{"name":"WU_E_ITEMNOTFOUND","features":[597]},{"name":"WU_E_LEGACYSERVER","features":[597]},{"name":"WU_E_LOW_BATTERY","features":[597]},{"name":"WU_E_MAX_CAPACITY_REACHED","features":[597]},{"name":"WU_E_METADATATRUST_CERTIFICATECHAIN_VERIFICATION","features":[597]},{"name":"WU_E_METADATATRUST_UNTRUSTED_CERTIFICATECHAIN","features":[597]},{"name":"WU_E_METADATA_BAD_FRAGMENTSIGNING_CONFIG","features":[597]},{"name":"WU_E_METADATA_BAD_SIGNATURE","features":[597]},{"name":"WU_E_METADATA_CERT_MISSING","features":[597]},{"name":"WU_E_METADATA_CERT_UNTRUSTED","features":[597]},{"name":"WU_E_METADATA_CONFIG_INVALID_BINARY_ENCODING","features":[597]},{"name":"WU_E_METADATA_FAILURE_PROCESSING_FRAGMENTSIGNING_CONFIG","features":[597]},{"name":"WU_E_METADATA_FETCH_CONFIG","features":[597]},{"name":"WU_E_METADATA_INTCERT_BAD_TRANSPORT_ENCODING","features":[597]},{"name":"WU_E_METADATA_INVALID_PARAMETER","features":[597]},{"name":"WU_E_METADATA_LEAFCERT_BAD_TRANSPORT_ENCODING","features":[597]},{"name":"WU_E_METADATA_NOOP","features":[597]},{"name":"WU_E_METADATA_NO_VERIFICATION_DATA","features":[597]},{"name":"WU_E_METADATA_SIGNATURE_VERIFY_FAILED","features":[597]},{"name":"WU_E_METADATA_TIMESTAMP_TOKEN_ALL_BAD","features":[597]},{"name":"WU_E_METADATA_TIMESTAMP_TOKEN_CACHELOOKUP","features":[597]},{"name":"WU_E_METADATA_TIMESTAMP_TOKEN_CERTCHAIN","features":[597]},{"name":"WU_E_METADATA_TIMESTAMP_TOKEN_MISSING","features":[597]},{"name":"WU_E_METADATA_TIMESTAMP_TOKEN_NODATA","features":[597]},{"name":"WU_E_METADATA_TIMESTAMP_TOKEN_REFRESHONLINE","features":[597]},{"name":"WU_E_METADATA_TIMESTAMP_TOKEN_SIGNATURE","features":[597]},{"name":"WU_E_METADATA_TIMESTAMP_TOKEN_UNEXPECTED","features":[597]},{"name":"WU_E_METADATA_TIMESTAMP_TOKEN_UNTRUSTED","features":[597]},{"name":"WU_E_METADATA_TIMESTAMP_TOKEN_VALIDITYWINDOW_UNEXPECTED","features":[597]},{"name":"WU_E_METADATA_TIMESTAMP_TOKEN_VALIDITY_WINDOW","features":[597]},{"name":"WU_E_METADATA_TIMESTAMP_TOKEN_VERIFICATION_FAILED","features":[597]},{"name":"WU_E_METADATA_UNEXPECTED","features":[597]},{"name":"WU_E_METADATA_UNSUPPORTED_HASH_ALG","features":[597]},{"name":"WU_E_METADATA_XML_BASE64CERDATA_MISSING","features":[597]},{"name":"WU_E_METADATA_XML_FRAGMENTSIGNING_MISSING","features":[597]},{"name":"WU_E_METADATA_XML_INTERMEDIATECERT_MISSING","features":[597]},{"name":"WU_E_METADATA_XML_LEAFCERT_ID_MISSING","features":[597]},{"name":"WU_E_METADATA_XML_LEAFCERT_MISSING","features":[597]},{"name":"WU_E_METADATA_XML_MISSING","features":[597]},{"name":"WU_E_METADATA_XML_MODE_INVALID","features":[597]},{"name":"WU_E_METADATA_XML_MODE_MISSING","features":[597]},{"name":"WU_E_METADATA_XML_VALIDITY_INVALID","features":[597]},{"name":"WU_E_MISSING_HANDLER","features":[597]},{"name":"WU_E_MSI_NOT_CONFIGURED","features":[597]},{"name":"WU_E_MSI_NOT_PRESENT","features":[597]},{"name":"WU_E_MSI_WRONG_APP_CONTEXT","features":[597]},{"name":"WU_E_MSI_WRONG_VERSION","features":[597]},{"name":"WU_E_MSP_DISABLED","features":[597]},{"name":"WU_E_MSP_UNEXPECTED","features":[597]},{"name":"WU_E_NETWORK_COST_EXCEEDS_POLICY","features":[597]},{"name":"WU_E_NON_UI_MODE","features":[597]},{"name":"WU_E_NOOP","features":[597]},{"name":"WU_E_NOT_APPLICABLE","features":[597]},{"name":"WU_E_NOT_INITIALIZED","features":[597]},{"name":"WU_E_NOT_SUPPORTED","features":[597]},{"name":"WU_E_NO_CONNECTION","features":[597]},{"name":"WU_E_NO_INTERACTIVE_USER","features":[597]},{"name":"WU_E_NO_SERVER_CORE_SUPPORT","features":[597]},{"name":"WU_E_NO_SERVICE","features":[597]},{"name":"WU_E_NO_SUCH_HANDLER_PLUGIN","features":[597]},{"name":"WU_E_NO_UI_SUPPORT","features":[597]},{"name":"WU_E_NO_UPDATE","features":[597]},{"name":"WU_E_NO_USERTOKEN","features":[597]},{"name":"WU_E_OL_INVALID_SCANFILE","features":[597]},{"name":"WU_E_OL_NEWCLIENT_REQUIRED","features":[597]},{"name":"WU_E_OL_UNEXPECTED","features":[597]},{"name":"WU_E_OPERATIONINPROGRESS","features":[597]},{"name":"WU_E_ORPHANED_DOWNLOAD_JOB","features":[597]},{"name":"WU_E_OUTOFRANGE","features":[597]},{"name":"WU_E_PER_MACHINE_UPDATE_ACCESS_DENIED","features":[597]},{"name":"WU_E_POLICY_NOT_SET","features":[597]},{"name":"WU_E_PT_ADDRESS_IN_USE","features":[597]},{"name":"WU_E_PT_ADDRESS_NOT_AVAILABLE","features":[597]},{"name":"WU_E_PT_CATALOG_SYNC_REQUIRED","features":[597]},{"name":"WU_E_PT_CONFIG_PROP_MISSING","features":[597]},{"name":"WU_E_PT_DATA_BOUNDARY_RESTRICTED","features":[597]},{"name":"WU_E_PT_DOUBLE_INITIALIZATION","features":[597]},{"name":"WU_E_PT_ECP_FAILURE_TO_DECOMPRESS_CAB_FILE","features":[597]},{"name":"WU_E_PT_ECP_FAILURE_TO_EXTRACT_DIGEST","features":[597]},{"name":"WU_E_PT_ECP_FILE_LOCATION_ERROR","features":[597]},{"name":"WU_E_PT_ECP_INIT_FAILED","features":[597]},{"name":"WU_E_PT_ECP_INVALID_FILE_FORMAT","features":[597]},{"name":"WU_E_PT_ECP_INVALID_METADATA","features":[597]},{"name":"WU_E_PT_ECP_SUCCEEDED_WITH_ERRORS","features":[597]},{"name":"WU_E_PT_ENDPOINTURL_NOTAVAIL","features":[597]},{"name":"WU_E_PT_ENDPOINT_DISCONNECTED","features":[597]},{"name":"WU_E_PT_ENDPOINT_REFRESH_REQUIRED","features":[597]},{"name":"WU_E_PT_ENDPOINT_UNREACHABLE","features":[597]},{"name":"WU_E_PT_EXCEEDED_MAX_SERVER_TRIPS","features":[597]},{"name":"WU_E_PT_FILE_LOCATIONS_CHANGED","features":[597]},{"name":"WU_E_PT_GENERAL_AAD_CLIENT_ERROR","features":[597]},{"name":"WU_E_PT_HTTP_STATUS_BAD_GATEWAY","features":[597]},{"name":"WU_E_PT_HTTP_STATUS_BAD_METHOD","features":[597]},{"name":"WU_E_PT_HTTP_STATUS_BAD_REQUEST","features":[597]},{"name":"WU_E_PT_HTTP_STATUS_CONFLICT","features":[597]},{"name":"WU_E_PT_HTTP_STATUS_DENIED","features":[597]},{"name":"WU_E_PT_HTTP_STATUS_FORBIDDEN","features":[597]},{"name":"WU_E_PT_HTTP_STATUS_GATEWAY_TIMEOUT","features":[597]},{"name":"WU_E_PT_HTTP_STATUS_GONE","features":[597]},{"name":"WU_E_PT_HTTP_STATUS_NOT_FOUND","features":[597]},{"name":"WU_E_PT_HTTP_STATUS_NOT_MAPPED","features":[597]},{"name":"WU_E_PT_HTTP_STATUS_NOT_SUPPORTED","features":[597]},{"name":"WU_E_PT_HTTP_STATUS_PROXY_AUTH_REQ","features":[597]},{"name":"WU_E_PT_HTTP_STATUS_REQUEST_TIMEOUT","features":[597]},{"name":"WU_E_PT_HTTP_STATUS_SERVER_ERROR","features":[597]},{"name":"WU_E_PT_HTTP_STATUS_SERVICE_UNAVAIL","features":[597]},{"name":"WU_E_PT_HTTP_STATUS_VERSION_NOT_SUP","features":[597]},{"name":"WU_E_PT_INVALID_COMPUTER_NAME","features":[597]},{"name":"WU_E_PT_INVALID_CONFIG_PROP","features":[597]},{"name":"WU_E_PT_INVALID_FORMAT","features":[597]},{"name":"WU_E_PT_INVALID_OPERATION","features":[597]},{"name":"WU_E_PT_INVALID_URL","features":[597]},{"name":"WU_E_PT_LOAD_SHEDDING","features":[597]},{"name":"WU_E_PT_NO_AUTH_COOKIES_CREATED","features":[597]},{"name":"WU_E_PT_NO_AUTH_PLUGINS_REQUESTED","features":[597]},{"name":"WU_E_PT_NO_MANAGED_RECOVER","features":[597]},{"name":"WU_E_PT_NO_TRANSLATION_AVAILABLE","features":[597]},{"name":"WU_E_PT_NUMERIC_OVERFLOW","features":[597]},{"name":"WU_E_PT_NWS_NOT_LOADED","features":[597]},{"name":"WU_E_PT_OBJECT_FAULTED","features":[597]},{"name":"WU_E_PT_OPERATION_ABANDONED","features":[597]},{"name":"WU_E_PT_OPERATION_ABORTED","features":[597]},{"name":"WU_E_PT_OTHER","features":[597]},{"name":"WU_E_PT_PROXY_AUTH_SCHEME_NOT_SUPPORTED","features":[597]},{"name":"WU_E_PT_QUOTA_EXCEEDED","features":[597]},{"name":"WU_E_PT_REFRESH_CACHE_REQUIRED","features":[597]},{"name":"WU_E_PT_REGISTRATION_NOT_SUPPORTED","features":[597]},{"name":"WU_E_PT_SAME_REDIR_ID","features":[597]},{"name":"WU_E_PT_SECURITY_SYSTEM_FAILURE","features":[597]},{"name":"WU_E_PT_SECURITY_VERIFICATION_FAILURE","features":[597]},{"name":"WU_E_PT_SOAPCLIENT_BASE","features":[597]},{"name":"WU_E_PT_SOAPCLIENT_CONNECT","features":[597]},{"name":"WU_E_PT_SOAPCLIENT_GENERATE","features":[597]},{"name":"WU_E_PT_SOAPCLIENT_INITIALIZE","features":[597]},{"name":"WU_E_PT_SOAPCLIENT_OUTOFMEMORY","features":[597]},{"name":"WU_E_PT_SOAPCLIENT_PARSE","features":[597]},{"name":"WU_E_PT_SOAPCLIENT_PARSEFAULT","features":[597]},{"name":"WU_E_PT_SOAPCLIENT_READ","features":[597]},{"name":"WU_E_PT_SOAPCLIENT_SEND","features":[597]},{"name":"WU_E_PT_SOAPCLIENT_SERVER","features":[597]},{"name":"WU_E_PT_SOAPCLIENT_SOAPFAULT","features":[597]},{"name":"WU_E_PT_SOAP_CLIENT","features":[597]},{"name":"WU_E_PT_SOAP_MUST_UNDERSTAND","features":[597]},{"name":"WU_E_PT_SOAP_SERVER","features":[597]},{"name":"WU_E_PT_SOAP_VERSION","features":[597]},{"name":"WU_E_PT_SUS_SERVER_NOT_SET","features":[597]},{"name":"WU_E_PT_UNEXPECTED","features":[597]},{"name":"WU_E_PT_WINHTTP_NAME_NOT_RESOLVED","features":[597]},{"name":"WU_E_PT_WMI_ERROR","features":[597]},{"name":"WU_E_RANGEOVERLAP","features":[597]},{"name":"WU_E_REBOOT_IN_PROGRESS","features":[597]},{"name":"WU_E_REDIRECTOR_ATTRPROVIDER_EXCEEDED_MAX_NAMEVALUE","features":[597]},{"name":"WU_E_REDIRECTOR_ATTRPROVIDER_INVALID_NAME","features":[597]},{"name":"WU_E_REDIRECTOR_ATTRPROVIDER_INVALID_VALUE","features":[597]},{"name":"WU_E_REDIRECTOR_CONNECT_POLICY","features":[597]},{"name":"WU_E_REDIRECTOR_ID_SMALLER","features":[597]},{"name":"WU_E_REDIRECTOR_INVALID_RESPONSE","features":[597]},{"name":"WU_E_REDIRECTOR_LOAD_XML","features":[597]},{"name":"WU_E_REDIRECTOR_ONLINE_DISALLOWED","features":[597]},{"name":"WU_E_REDIRECTOR_SLS_GENERIC_ERROR","features":[597]},{"name":"WU_E_REDIRECTOR_S_FALSE","features":[597]},{"name":"WU_E_REDIRECTOR_UNEXPECTED","features":[597]},{"name":"WU_E_REDIRECTOR_UNKNOWN_SERVICE","features":[597]},{"name":"WU_E_REDIRECTOR_UNSUPPORTED_CONTENTTYPE","features":[597]},{"name":"WU_E_REG_VALUE_INVALID","features":[597]},{"name":"WU_E_REPORTER_EVENTCACHECORRUPT","features":[597]},{"name":"WU_E_REPORTER_EVENTNAMESPACEPARSEFAILED","features":[597]},{"name":"WU_E_REPORTER_UNEXPECTED","features":[597]},{"name":"WU_E_REVERT_NOT_ALLOWED","features":[597]},{"name":"WU_E_SELFUPDATE_IN_PROGRESS","features":[597]},{"name":"WU_E_SELFUPDATE_REQUIRED","features":[597]},{"name":"WU_E_SELFUPDATE_REQUIRED_ADMIN","features":[597]},{"name":"WU_E_SELFUPDATE_SKIP_ON_FAILURE","features":[597]},{"name":"WU_E_SERVER_BUSY","features":[597]},{"name":"WU_E_SERVICEPROP_NOTAVAIL","features":[597]},{"name":"WU_E_SERVICE_NOT_REGISTERED","features":[597]},{"name":"WU_E_SERVICE_STOP","features":[597]},{"name":"WU_E_SETUP_ALREADYRUNNING","features":[597]},{"name":"WU_E_SETUP_ALREADY_INITIALIZED","features":[597]},{"name":"WU_E_SETUP_BLOCKED_CONFIGURATION","features":[597]},{"name":"WU_E_SETUP_DEFERRABLE_REBOOT_PENDING","features":[597]},{"name":"WU_E_SETUP_FAIL","features":[597]},{"name":"WU_E_SETUP_HANDLER_EXEC_FAILURE","features":[597]},{"name":"WU_E_SETUP_INVALID_IDENTDATA","features":[597]},{"name":"WU_E_SETUP_INVALID_INFDATA","features":[597]},{"name":"WU_E_SETUP_INVALID_REGISTRY_DATA","features":[597]},{"name":"WU_E_SETUP_IN_PROGRESS","features":[597]},{"name":"WU_E_SETUP_NON_DEFERRABLE_REBOOT_PENDING","features":[597]},{"name":"WU_E_SETUP_NOT_INITIALIZED","features":[597]},{"name":"WU_E_SETUP_REBOOTREQUIRED","features":[597]},{"name":"WU_E_SETUP_REBOOT_TO_FIX","features":[597]},{"name":"WU_E_SETUP_REGISTRATION_FAILED","features":[597]},{"name":"WU_E_SETUP_SKIP_UPDATE","features":[597]},{"name":"WU_E_SETUP_SOURCE_VERSION_MISMATCH","features":[597]},{"name":"WU_E_SETUP_TARGET_VERSION_GREATER","features":[597]},{"name":"WU_E_SETUP_UNEXPECTED","features":[597]},{"name":"WU_E_SETUP_UNSUPPORTED_CONFIGURATION","features":[597]},{"name":"WU_E_SETUP_WRONG_SERVER_VERSION","features":[597]},{"name":"WU_E_SIH_ACTION_NOT_FOUND","features":[597]},{"name":"WU_E_SIH_ANOTHER_INSTANCE_RUNNING","features":[597]},{"name":"WU_E_SIH_BLOCKED_FOR_PLATFORM","features":[597]},{"name":"WU_E_SIH_DNSRESILIENCY_OFF","features":[597]},{"name":"WU_E_SIH_ENGINE_EXCEPTION","features":[597]},{"name":"WU_E_SIH_INVALIDHASH","features":[597]},{"name":"WU_E_SIH_NONSTDEXCEPTION","features":[597]},{"name":"WU_E_SIH_NO_ENGINE","features":[597]},{"name":"WU_E_SIH_PARSE","features":[597]},{"name":"WU_E_SIH_POLICY","features":[597]},{"name":"WU_E_SIH_POST_REBOOT_INSTALL_FAILED","features":[597]},{"name":"WU_E_SIH_POST_REBOOT_NO_CACHED_SLS_RESPONSE","features":[597]},{"name":"WU_E_SIH_PPL","features":[597]},{"name":"WU_E_SIH_SECURITY","features":[597]},{"name":"WU_E_SIH_SLS_PARSE","features":[597]},{"name":"WU_E_SIH_STDEXCEPTION","features":[597]},{"name":"WU_E_SIH_UNEXPECTED","features":[597]},{"name":"WU_E_SIH_VERIFY_DOWNLOAD_ENGINE","features":[597]},{"name":"WU_E_SIH_VERIFY_DOWNLOAD_PAYLOAD","features":[597]},{"name":"WU_E_SIH_VERIFY_STAGE_ENGINE","features":[597]},{"name":"WU_E_SIH_VERIFY_STAGE_PAYLOAD","features":[597]},{"name":"WU_E_SKIPPED_UPDATE_INSTALLATION","features":[597]},{"name":"WU_E_SLS_INVALID_REVISION","features":[597]},{"name":"WU_E_SOURCE_ABSENT","features":[597]},{"name":"WU_E_SYSPREP_IN_PROGRESS","features":[597]},{"name":"WU_E_SYSTEM_UNSUPPORTED","features":[597]},{"name":"WU_E_TIME_OUT","features":[597]},{"name":"WU_E_TOOMANYRANGES","features":[597]},{"name":"WU_E_TOO_DEEP_RELATION","features":[597]},{"name":"WU_E_TOO_MANY_RESYNC","features":[597]},{"name":"WU_E_TRAYICON_FAILURE","features":[597]},{"name":"WU_E_TRUST_PROVIDER_UNKNOWN","features":[597]},{"name":"WU_E_TRUST_SUBJECT_NOT_TRUSTED","features":[597]},{"name":"WU_E_UH_APPX_DEFAULT_PACKAGE_VOLUME_UNAVAILABLE","features":[597]},{"name":"WU_E_UH_APPX_INSTALLED_PACKAGE_VOLUME_UNAVAILABLE","features":[597]},{"name":"WU_E_UH_APPX_INVALID_PACKAGE_VOLUME","features":[597]},{"name":"WU_E_UH_APPX_NOT_PRESENT","features":[597]},{"name":"WU_E_UH_APPX_PACKAGE_FAMILY_NOT_FOUND","features":[597]},{"name":"WU_E_UH_APPX_SYSTEM_VOLUME_NOT_FOUND","features":[597]},{"name":"WU_E_UH_BADCBSPACKAGEID","features":[597]},{"name":"WU_E_UH_BADHANDLERXML","features":[597]},{"name":"WU_E_UH_CALLED_BACK_FAILURE","features":[597]},{"name":"WU_E_UH_CANREQUIREINPUT","features":[597]},{"name":"WU_E_UH_CUSTOMINSTALLER_INVALID_SIGNATURE","features":[597]},{"name":"WU_E_UH_DECRYPTFAILURE","features":[597]},{"name":"WU_E_UH_DOESNOTSUPPORTACTION","features":[597]},{"name":"WU_E_UH_FALLBACKERROR","features":[597]},{"name":"WU_E_UH_FALLBACKTOSELFCONTAINED","features":[597]},{"name":"WU_E_UH_HANDLER_DISABLEDUNTILREBOOT","features":[597]},{"name":"WU_E_UH_INCONSISTENT_FILE_NAMES","features":[597]},{"name":"WU_E_UH_INSTALLERFAILURE","features":[597]},{"name":"WU_E_UH_INSTALLERHUNG","features":[597]},{"name":"WU_E_UH_INVALIDMETADATA","features":[597]},{"name":"WU_E_UH_INVALID_TARGETSESSION","features":[597]},{"name":"WU_E_UH_LOCALONLY","features":[597]},{"name":"WU_E_UH_NEEDANOTHERDOWNLOAD","features":[597]},{"name":"WU_E_UH_NEW_SERVICING_STACK_REQUIRED","features":[597]},{"name":"WU_E_UH_NOTIFYFAILURE","features":[597]},{"name":"WU_E_UH_NOTREADYTOCOMMIT","features":[597]},{"name":"WU_E_UH_OPERATIONCANCELLED","features":[597]},{"name":"WU_E_UH_POSTREBOOTRESULTUNKNOWN","features":[597]},{"name":"WU_E_UH_POSTREBOOTSTILLPENDING","features":[597]},{"name":"WU_E_UH_POSTREBOOTUNEXPECTEDSTATE","features":[597]},{"name":"WU_E_UH_REMOTEALREADYACTIVE","features":[597]},{"name":"WU_E_UH_REMOTEUNAVAILABLE","features":[597]},{"name":"WU_E_UH_TOOMANYDOWNLOADREQUESTS","features":[597]},{"name":"WU_E_UH_UNEXPECTED","features":[597]},{"name":"WU_E_UH_UNEXPECTEDCBSRESPONSE","features":[597]},{"name":"WU_E_UH_UNKNOWNHANDLER","features":[597]},{"name":"WU_E_UH_UNSUPPORTED_INSTALLCONTEXT","features":[597]},{"name":"WU_E_UH_WRONGHANDLER","features":[597]},{"name":"WU_E_UNEXPECTED","features":[597]},{"name":"WU_E_UNINSTALL_NOT_ALLOWED","features":[597]},{"name":"WU_E_UNKNOWN_HARDWARECAPABILITY","features":[597]},{"name":"WU_E_UNKNOWN_ID","features":[597]},{"name":"WU_E_UNKNOWN_SERVICE","features":[597]},{"name":"WU_E_UNRECOGNIZED_VOLUMEID","features":[597]},{"name":"WU_E_UNSUPPORTED_SEARCHSCOPE","features":[597]},{"name":"WU_E_UPDATE_MERGE_NOT_ALLOWED","features":[597]},{"name":"WU_E_UPDATE_NOT_APPROVED","features":[597]},{"name":"WU_E_UPDATE_NOT_PROCESSED","features":[597]},{"name":"WU_E_URL_TOO_LONG","features":[597]},{"name":"WU_E_USER_ACCESS_DISABLED","features":[597]},{"name":"WU_E_WINHTTP_INVALID_FILE","features":[597]},{"name":"WU_E_WMI_NOT_SUPPORTED","features":[597]},{"name":"WU_E_WUCLTUI_UNSUPPORTED_VERSION","features":[597]},{"name":"WU_E_WUTASK_CANCELINSTALL_DISALLOWED","features":[597]},{"name":"WU_E_WUTASK_INPROGRESS","features":[597]},{"name":"WU_E_WUTASK_NOT_STARTED","features":[597]},{"name":"WU_E_WUTASK_RETRY","features":[597]},{"name":"WU_E_WUTASK_STATUS_DISABLED","features":[597]},{"name":"WU_E_WU_DISABLED","features":[597]},{"name":"WU_E_XML_INVALID","features":[597]},{"name":"WU_E_XML_MISSINGDATA","features":[597]},{"name":"WU_S_AAD_DEVICE_TICKET_NOT_NEEDED","features":[597]},{"name":"WU_S_ALREADY_DOWNLOADED","features":[597]},{"name":"WU_S_ALREADY_INSTALLED","features":[597]},{"name":"WU_S_ALREADY_REVERTED","features":[597]},{"name":"WU_S_ALREADY_UNINSTALLED","features":[597]},{"name":"WU_S_DM_ALREADYDOWNLOADING","features":[597]},{"name":"WU_S_MARKED_FOR_DISCONNECT","features":[597]},{"name":"WU_S_METADATA_IGNORED_SIGNATURE_VERIFICATION","features":[597]},{"name":"WU_S_METADATA_SKIPPED_BY_ENFORCEMENTMODE","features":[597]},{"name":"WU_S_REBOOT_REQUIRED","features":[597]},{"name":"WU_S_SEARCH_CRITERIA_NOT_SUPPORTED","features":[597]},{"name":"WU_S_SEARCH_LOAD_SHEDDING","features":[597]},{"name":"WU_S_SELFUPDATE","features":[597]},{"name":"WU_S_SERVICE_STOP","features":[597]},{"name":"WU_S_SIH_NOOP","features":[597]},{"name":"WU_S_SOME_UPDATES_SKIPPED_ON_BATTERY","features":[597]},{"name":"WU_S_UH_DOWNLOAD_SIZE_CALCULATED","features":[597]},{"name":"WU_S_UH_INSTALLSTILLPENDING","features":[597]},{"name":"WU_S_UPDATE_ERROR","features":[597]},{"name":"WebProxy","features":[597]},{"name":"WindowsUpdateAgentInfo","features":[597]},{"name":"adAlwaysAutoDownload","features":[597]},{"name":"adLetWindowsUpdateDecide","features":[597]},{"name":"adNeverAutoDownload","features":[597]},{"name":"asAlwaysAutoSelect","features":[597]},{"name":"asAutoSelectIfDownloaded","features":[597]},{"name":"asLetWindowsUpdateDecide","features":[597]},{"name":"asNeverAutoSelect","features":[597]},{"name":"asfAllowOnlineRegistration","features":[597]},{"name":"asfAllowPendingRegistration","features":[597]},{"name":"asfRegisterServiceWithAU","features":[597]},{"name":"aunlDisabled","features":[597]},{"name":"aunlNotConfigured","features":[597]},{"name":"aunlNotifyBeforeDownload","features":[597]},{"name":"aunlNotifyBeforeInstallation","features":[597]},{"name":"aunlScheduledInstallation","features":[597]},{"name":"auptDisableAutomaticUpdates","features":[597]},{"name":"auptSetFeaturedUpdatesEnabled","features":[597]},{"name":"auptSetIncludeRecommendedUpdates","features":[597]},{"name":"auptSetNonAdministratorsElevated","features":[597]},{"name":"auptSetNotificationLevel","features":[597]},{"name":"ausidEveryDay","features":[597]},{"name":"ausidEveryFriday","features":[597]},{"name":"ausidEveryMonday","features":[597]},{"name":"ausidEverySaturday","features":[597]},{"name":"ausidEverySunday","features":[597]},{"name":"ausidEveryThursday","features":[597]},{"name":"ausidEveryTuesday","features":[597]},{"name":"ausidEveryWednesday","features":[597]},{"name":"auutCurrentUser","features":[597]},{"name":"auutLocalAdministrator","features":[597]},{"name":"daDetection","features":[597]},{"name":"daInstallation","features":[597]},{"name":"daNone","features":[597]},{"name":"daOptionalInstallation","features":[597]},{"name":"daUninstallation","features":[597]},{"name":"dpExtraHigh","features":[597]},{"name":"dpHigh","features":[597]},{"name":"dpLow","features":[597]},{"name":"dpNormal","features":[597]},{"name":"dphDownloading","features":[597]},{"name":"dphInitializing","features":[597]},{"name":"dphVerifying","features":[597]},{"name":"iiMinor","features":[597]},{"name":"iiNormal","features":[597]},{"name":"iiRequiresExclusiveHandling","features":[597]},{"name":"irbAlwaysRequiresReboot","features":[597]},{"name":"irbCanRequestReboot","features":[597]},{"name":"irbNeverReboots","features":[597]},{"name":"orcAborted","features":[597]},{"name":"orcFailed","features":[597]},{"name":"orcInProgress","features":[597]},{"name":"orcNotStarted","features":[597]},{"name":"orcSucceeded","features":[597]},{"name":"orcSucceededWithErrors","features":[597]},{"name":"searchScopeAllUsers","features":[597]},{"name":"searchScopeCurrentUserOnly","features":[597]},{"name":"searchScopeDefault","features":[597]},{"name":"searchScopeMachineAndAllUsers","features":[597]},{"name":"searchScopeMachineAndCurrentUser","features":[597]},{"name":"searchScopeMachineOnly","features":[597]},{"name":"ssDefault","features":[597]},{"name":"ssManagedServer","features":[597]},{"name":"ssOthers","features":[597]},{"name":"ssWindowsUpdate","features":[597]},{"name":"uecGeneral","features":[597]},{"name":"uecSearchIncomplete","features":[597]},{"name":"uecWindowsDriver","features":[597]},{"name":"uecWindowsInstaller","features":[597]},{"name":"uloForWebsiteAccess","features":[597]},{"name":"uoInstallation","features":[597]},{"name":"uoUninstallation","features":[597]},{"name":"usoNonVolatileService","features":[597]},{"name":"usrsNotRegistered","features":[597]},{"name":"usrsRegistered","features":[597]},{"name":"usrsRegistrationPending","features":[597]},{"name":"utDriver","features":[597]},{"name":"utSoftware","features":[597]}],"621":[{"name":"IWaaSAssessor","features":[598]},{"name":"OSUpdateAssessment","features":[308,598]},{"name":"UpdateAssessment","features":[598]},{"name":"UpdateAssessmentStatus","features":[598]},{"name":"UpdateAssessmentStatus_Latest","features":[598]},{"name":"UpdateAssessmentStatus_NotLatestDeferredFeature","features":[598]},{"name":"UpdateAssessmentStatus_NotLatestDeferredQuality","features":[598]},{"name":"UpdateAssessmentStatus_NotLatestEndOfSupport","features":[598]},{"name":"UpdateAssessmentStatus_NotLatestHardRestriction","features":[598]},{"name":"UpdateAssessmentStatus_NotLatestManaged","features":[598]},{"name":"UpdateAssessmentStatus_NotLatestPausedFeature","features":[598]},{"name":"UpdateAssessmentStatus_NotLatestPausedQuality","features":[598]},{"name":"UpdateAssessmentStatus_NotLatestServicingTrain","features":[598]},{"name":"UpdateAssessmentStatus_NotLatestSoftRestriction","features":[598]},{"name":"UpdateAssessmentStatus_NotLatestTargetedVersion","features":[598]},{"name":"UpdateAssessmentStatus_NotLatestUnknown","features":[598]},{"name":"UpdateImpactLevel","features":[598]},{"name":"UpdateImpactLevel_High","features":[598]},{"name":"UpdateImpactLevel_Low","features":[598]},{"name":"UpdateImpactLevel_Medium","features":[598]},{"name":"UpdateImpactLevel_None","features":[598]},{"name":"WaaSAssessor","features":[598]}],"622":[{"name":"UAL_DATA_BLOB","features":[321,599]},{"name":"UalInstrument","features":[321,599]},{"name":"UalRegisterProduct","features":[599]},{"name":"UalStart","features":[321,599]},{"name":"UalStop","features":[321,599]}],"623":[{"name":"ClearVariantArray","features":[383]},{"name":"DPF_ERROR","features":[383]},{"name":"DPF_MARQUEE","features":[383]},{"name":"DPF_MARQUEE_COMPLETE","features":[383]},{"name":"DPF_NONE","features":[383]},{"name":"DPF_STOPPED","features":[383]},{"name":"DPF_WARNING","features":[383]},{"name":"DRAWPROGRESSFLAGS","features":[383]},{"name":"DosDateTimeToVariantTime","features":[383]},{"name":"InitVariantFromBooleanArray","features":[308,383]},{"name":"InitVariantFromBuffer","features":[383]},{"name":"InitVariantFromDoubleArray","features":[383]},{"name":"InitVariantFromFileTime","features":[308,383]},{"name":"InitVariantFromFileTimeArray","features":[308,383]},{"name":"InitVariantFromGUIDAsString","features":[383]},{"name":"InitVariantFromInt16Array","features":[383]},{"name":"InitVariantFromInt32Array","features":[383]},{"name":"InitVariantFromInt64Array","features":[383]},{"name":"InitVariantFromResource","features":[308,383]},{"name":"InitVariantFromStringArray","features":[383]},{"name":"InitVariantFromUInt16Array","features":[383]},{"name":"InitVariantFromUInt32Array","features":[383]},{"name":"InitVariantFromUInt64Array","features":[383]},{"name":"InitVariantFromVariantArrayElem","features":[383]},{"name":"PSTF_LOCAL","features":[383]},{"name":"PSTF_UTC","features":[383]},{"name":"PSTIME_FLAGS","features":[383]},{"name":"SystemTimeToVariantTime","features":[308,383]},{"name":"VARENUM","features":[383]},{"name":"VARIANT","features":[308,359,418,383]},{"name":"VARIANT_ALPHABOOL","features":[383]},{"name":"VARIANT_CALENDAR_GREGORIAN","features":[383]},{"name":"VARIANT_CALENDAR_HIJRI","features":[383]},{"name":"VARIANT_CALENDAR_THAI","features":[383]},{"name":"VARIANT_LOCALBOOL","features":[383]},{"name":"VARIANT_NOUSEROVERRIDE","features":[383]},{"name":"VARIANT_NOVALUEPROP","features":[383]},{"name":"VARIANT_USE_NLS","features":[383]},{"name":"VARIANT_UserFree","features":[383]},{"name":"VARIANT_UserFree64","features":[383]},{"name":"VARIANT_UserMarshal","features":[383]},{"name":"VARIANT_UserMarshal64","features":[383]},{"name":"VARIANT_UserSize","features":[383]},{"name":"VARIANT_UserSize64","features":[383]},{"name":"VARIANT_UserUnmarshal","features":[383]},{"name":"VARIANT_UserUnmarshal64","features":[383]},{"name":"VAR_CHANGE_FLAGS","features":[383]},{"name":"VT_ARRAY","features":[383]},{"name":"VT_BLOB","features":[383]},{"name":"VT_BLOB_OBJECT","features":[383]},{"name":"VT_BOOL","features":[383]},{"name":"VT_BSTR","features":[383]},{"name":"VT_BSTR_BLOB","features":[383]},{"name":"VT_BYREF","features":[383]},{"name":"VT_CARRAY","features":[383]},{"name":"VT_CF","features":[383]},{"name":"VT_CLSID","features":[383]},{"name":"VT_CY","features":[383]},{"name":"VT_DATE","features":[383]},{"name":"VT_DECIMAL","features":[383]},{"name":"VT_DISPATCH","features":[383]},{"name":"VT_EMPTY","features":[383]},{"name":"VT_ERROR","features":[383]},{"name":"VT_FILETIME","features":[383]},{"name":"VT_HRESULT","features":[383]},{"name":"VT_I1","features":[383]},{"name":"VT_I2","features":[383]},{"name":"VT_I4","features":[383]},{"name":"VT_I8","features":[383]},{"name":"VT_ILLEGAL","features":[383]},{"name":"VT_ILLEGALMASKED","features":[383]},{"name":"VT_INT","features":[383]},{"name":"VT_INT_PTR","features":[383]},{"name":"VT_LPSTR","features":[383]},{"name":"VT_LPWSTR","features":[383]},{"name":"VT_NULL","features":[383]},{"name":"VT_PTR","features":[383]},{"name":"VT_R4","features":[383]},{"name":"VT_R8","features":[383]},{"name":"VT_RECORD","features":[383]},{"name":"VT_RESERVED","features":[383]},{"name":"VT_SAFEARRAY","features":[383]},{"name":"VT_STORAGE","features":[383]},{"name":"VT_STORED_OBJECT","features":[383]},{"name":"VT_STREAM","features":[383]},{"name":"VT_STREAMED_OBJECT","features":[383]},{"name":"VT_TYPEMASK","features":[383]},{"name":"VT_UI1","features":[383]},{"name":"VT_UI2","features":[383]},{"name":"VT_UI4","features":[383]},{"name":"VT_UI8","features":[383]},{"name":"VT_UINT","features":[383]},{"name":"VT_UINT_PTR","features":[383]},{"name":"VT_UNKNOWN","features":[383]},{"name":"VT_USERDEFINED","features":[383]},{"name":"VT_VARIANT","features":[383]},{"name":"VT_VECTOR","features":[383]},{"name":"VT_VERSIONED_STREAM","features":[383]},{"name":"VT_VOID","features":[383]},{"name":"VariantChangeType","features":[383]},{"name":"VariantChangeTypeEx","features":[383]},{"name":"VariantClear","features":[383]},{"name":"VariantCompare","features":[383]},{"name":"VariantCopy","features":[383]},{"name":"VariantCopyInd","features":[383]},{"name":"VariantGetBooleanElem","features":[308,383]},{"name":"VariantGetDoubleElem","features":[383]},{"name":"VariantGetElementCount","features":[383]},{"name":"VariantGetInt16Elem","features":[383]},{"name":"VariantGetInt32Elem","features":[383]},{"name":"VariantGetInt64Elem","features":[383]},{"name":"VariantGetStringElem","features":[383]},{"name":"VariantGetUInt16Elem","features":[383]},{"name":"VariantGetUInt32Elem","features":[383]},{"name":"VariantGetUInt64Elem","features":[383]},{"name":"VariantInit","features":[383]},{"name":"VariantTimeToDosDateTime","features":[383]},{"name":"VariantTimeToSystemTime","features":[308,383]},{"name":"VariantToBoolean","features":[308,383]},{"name":"VariantToBooleanArray","features":[308,383]},{"name":"VariantToBooleanArrayAlloc","features":[308,383]},{"name":"VariantToBooleanWithDefault","features":[308,383]},{"name":"VariantToBuffer","features":[383]},{"name":"VariantToDosDateTime","features":[383]},{"name":"VariantToDouble","features":[383]},{"name":"VariantToDoubleArray","features":[383]},{"name":"VariantToDoubleArrayAlloc","features":[383]},{"name":"VariantToDoubleWithDefault","features":[383]},{"name":"VariantToFileTime","features":[308,383]},{"name":"VariantToGUID","features":[383]},{"name":"VariantToInt16","features":[383]},{"name":"VariantToInt16Array","features":[383]},{"name":"VariantToInt16ArrayAlloc","features":[383]},{"name":"VariantToInt16WithDefault","features":[383]},{"name":"VariantToInt32","features":[383]},{"name":"VariantToInt32Array","features":[383]},{"name":"VariantToInt32ArrayAlloc","features":[383]},{"name":"VariantToInt32WithDefault","features":[383]},{"name":"VariantToInt64","features":[383]},{"name":"VariantToInt64Array","features":[383]},{"name":"VariantToInt64ArrayAlloc","features":[383]},{"name":"VariantToInt64WithDefault","features":[383]},{"name":"VariantToString","features":[383]},{"name":"VariantToStringAlloc","features":[383]},{"name":"VariantToStringArray","features":[383]},{"name":"VariantToStringArrayAlloc","features":[383]},{"name":"VariantToStringWithDefault","features":[383]},{"name":"VariantToUInt16","features":[383]},{"name":"VariantToUInt16Array","features":[383]},{"name":"VariantToUInt16ArrayAlloc","features":[383]},{"name":"VariantToUInt16WithDefault","features":[383]},{"name":"VariantToUInt32","features":[383]},{"name":"VariantToUInt32Array","features":[383]},{"name":"VariantToUInt32ArrayAlloc","features":[383]},{"name":"VariantToUInt32WithDefault","features":[383]},{"name":"VariantToUInt64","features":[383]},{"name":"VariantToUInt64Array","features":[383]},{"name":"VariantToUInt64ArrayAlloc","features":[383]},{"name":"VariantToUInt64WithDefault","features":[383]}],"624":[{"name":"DBG_ATTACH","features":[600]},{"name":"DBG_BREAK","features":[600]},{"name":"DBG_DIVOVERFLOW","features":[600]},{"name":"DBG_DLLSTART","features":[600]},{"name":"DBG_DLLSTOP","features":[600]},{"name":"DBG_GPFAULT","features":[600]},{"name":"DBG_GPFAULT2","features":[600]},{"name":"DBG_INIT","features":[600]},{"name":"DBG_INSTRFAULT","features":[600]},{"name":"DBG_MODFREE","features":[600]},{"name":"DBG_MODLOAD","features":[600]},{"name":"DBG_MODMOVE","features":[600]},{"name":"DBG_SEGFREE","features":[600]},{"name":"DBG_SEGLOAD","features":[600]},{"name":"DBG_SEGMOVE","features":[600]},{"name":"DBG_SINGLESTEP","features":[600]},{"name":"DBG_STACKFAULT","features":[600]},{"name":"DBG_TASKSTART","features":[600]},{"name":"DBG_TASKSTOP","features":[600]},{"name":"DBG_TEMPBP","features":[600]},{"name":"DBG_TOOLHELP","features":[600]},{"name":"DBG_WOWINIT","features":[600]},{"name":"DEBUGEVENTPROC","features":[308,336,343,600]},{"name":"GD_ACCELERATORS","features":[600]},{"name":"GD_BITMAP","features":[600]},{"name":"GD_CURSOR","features":[600]},{"name":"GD_CURSORCOMPONENT","features":[600]},{"name":"GD_DIALOG","features":[600]},{"name":"GD_ERRTABLE","features":[600]},{"name":"GD_FONT","features":[600]},{"name":"GD_FONTDIR","features":[600]},{"name":"GD_ICON","features":[600]},{"name":"GD_ICONCOMPONENT","features":[600]},{"name":"GD_MAX_RESOURCE","features":[600]},{"name":"GD_MENU","features":[600]},{"name":"GD_NAMETABLE","features":[600]},{"name":"GD_RCDATA","features":[600]},{"name":"GD_STRING","features":[600]},{"name":"GD_USERDEFINED","features":[600]},{"name":"GLOBALENTRY","features":[308,600]},{"name":"GLOBAL_ALL","features":[600]},{"name":"GLOBAL_FREE","features":[600]},{"name":"GLOBAL_LRU","features":[600]},{"name":"GT_BURGERMASTER","features":[600]},{"name":"GT_CODE","features":[600]},{"name":"GT_DATA","features":[600]},{"name":"GT_DGROUP","features":[600]},{"name":"GT_FREE","features":[600]},{"name":"GT_INTERNAL","features":[600]},{"name":"GT_MODULE","features":[600]},{"name":"GT_RESOURCE","features":[600]},{"name":"GT_SENTINEL","features":[600]},{"name":"GT_TASK","features":[600]},{"name":"GT_UNKNOWN","features":[600]},{"name":"IMAGE_NOTE","features":[600]},{"name":"MAX_MODULE_NAME","features":[600]},{"name":"MAX_PATH16","features":[600]},{"name":"MODULEENTRY","features":[308,600]},{"name":"PROCESSENUMPROC","features":[308,600]},{"name":"SEGMENT_NOTE","features":[600]},{"name":"SN_CODE","features":[600]},{"name":"SN_DATA","features":[600]},{"name":"SN_V86","features":[600]},{"name":"STATUS_VDM_EVENT","features":[600]},{"name":"TASKENUMPROC","features":[308,600]},{"name":"TASKENUMPROCEX","features":[308,600]},{"name":"TEMP_BP_NOTE","features":[308,600]},{"name":"V86FLAGS_ALIGNMENT","features":[600]},{"name":"V86FLAGS_AUXCARRY","features":[600]},{"name":"V86FLAGS_CARRY","features":[600]},{"name":"V86FLAGS_DIRECTION","features":[600]},{"name":"V86FLAGS_INTERRUPT","features":[600]},{"name":"V86FLAGS_IOPL","features":[600]},{"name":"V86FLAGS_IOPL_BITS","features":[600]},{"name":"V86FLAGS_OVERFLOW","features":[600]},{"name":"V86FLAGS_PARITY","features":[600]},{"name":"V86FLAGS_RESUME","features":[600]},{"name":"V86FLAGS_SIGN","features":[600]},{"name":"V86FLAGS_TRACE","features":[600]},{"name":"V86FLAGS_V86","features":[600]},{"name":"V86FLAGS_ZERO","features":[600]},{"name":"VDMADDR_PM16","features":[600]},{"name":"VDMADDR_PM32","features":[600]},{"name":"VDMADDR_V86","features":[600]},{"name":"VDMBREAKTHREADPROC","features":[308,600]},{"name":"VDMCONTEXT","features":[314,600]},{"name":"VDMCONTEXT_WITHOUT_XSAVE","features":[314,600]},{"name":"VDMCONTEXT_i386","features":[600]},{"name":"VDMCONTEXT_i486","features":[600]},{"name":"VDMDBG_BREAK_DEBUGGER","features":[600]},{"name":"VDMDBG_BREAK_DIVIDEBYZERO","features":[600]},{"name":"VDMDBG_BREAK_DOSTASK","features":[600]},{"name":"VDMDBG_BREAK_EXCEPTIONS","features":[600]},{"name":"VDMDBG_BREAK_LOADDLL","features":[600]},{"name":"VDMDBG_BREAK_WOWTASK","features":[600]},{"name":"VDMDBG_INITIAL_FLAGS","features":[600]},{"name":"VDMDBG_MAX_SYMBOL_BUFFER","features":[600]},{"name":"VDMDBG_TRACE_HISTORY","features":[600]},{"name":"VDMDETECTWOWPROC","features":[308,600]},{"name":"VDMENUMPROCESSWOWPROC","features":[308,600]},{"name":"VDMENUMTASKWOWEXPROC","features":[308,600]},{"name":"VDMENUMTASKWOWPROC","features":[308,600]},{"name":"VDMEVENT_ALLFLAGS","features":[600]},{"name":"VDMEVENT_NEEDS_INTERACTIVE","features":[600]},{"name":"VDMEVENT_PE","features":[600]},{"name":"VDMEVENT_PM16","features":[600]},{"name":"VDMEVENT_V86","features":[600]},{"name":"VDMEVENT_VERBOSE","features":[600]},{"name":"VDMGETADDREXPRESSIONPROC","features":[308,600]},{"name":"VDMGETCONTEXTPROC","features":[308,314,600]},{"name":"VDMGETCONTEXTPROC","features":[308,336,314,600]},{"name":"VDMGETDBGFLAGSPROC","features":[308,600]},{"name":"VDMGETMODULESELECTORPROC","features":[308,600]},{"name":"VDMGETPOINTERPROC","features":[308,600]},{"name":"VDMGETSEGMENTINFOPROC","features":[308,600]},{"name":"VDMGETSELECTORMODULEPROC","features":[308,600]},{"name":"VDMGETSYMBOLPROC","features":[308,600]},{"name":"VDMGETTHREADSELECTORENTRYPROC","features":[308,600]},{"name":"VDMGETTHREADSELECTORENTRYPROC","features":[308,336,600]},{"name":"VDMGLOBALFIRSTPROC","features":[308,336,343,600]},{"name":"VDMGLOBALNEXTPROC","features":[308,336,343,600]},{"name":"VDMISMODULELOADEDPROC","features":[308,600]},{"name":"VDMKILLWOWPROC","features":[308,600]},{"name":"VDMLDT_ENTRY","features":[600]},{"name":"VDMMODULEFIRSTPROC","features":[308,336,343,600]},{"name":"VDMMODULENEXTPROC","features":[308,336,343,600]},{"name":"VDMPROCESSEXCEPTIONPROC","features":[308,336,343,600]},{"name":"VDMSETCONTEXTPROC","features":[308,314,600]},{"name":"VDMSETCONTEXTPROC","features":[308,336,314,600]},{"name":"VDMSETDBGFLAGSPROC","features":[308,600]},{"name":"VDMSTARTTASKINWOWPROC","features":[308,600]},{"name":"VDMTERMINATETASKINWOWPROC","features":[308,600]},{"name":"VDM_KGDT_R3_CODE","features":[600]},{"name":"VDM_MAXIMUM_SUPPORTED_EXTENSION","features":[600]},{"name":"VDM_SEGINFO","features":[600]},{"name":"WOW_SYSTEM","features":[600]}],"625":[{"name":"ACTIVATIONTYPE","features":[601]},{"name":"ACTIVATIONTYPE_FROM_DATA","features":[601]},{"name":"ACTIVATIONTYPE_FROM_FILE","features":[601]},{"name":"ACTIVATIONTYPE_FROM_MONIKER","features":[601]},{"name":"ACTIVATIONTYPE_FROM_STORAGE","features":[601]},{"name":"ACTIVATIONTYPE_FROM_STREAM","features":[601]},{"name":"ACTIVATIONTYPE_UNCATEGORIZED","features":[601]},{"name":"AGILEREFERENCE_DEFAULT","features":[601]},{"name":"AGILEREFERENCE_DELAYEDMARSHAL","features":[601]},{"name":"APARTMENT_SHUTDOWN_REGISTRATION_COOKIE","features":[601]},{"name":"AgileReferenceOptions","features":[601]},{"name":"BSOS_DEFAULT","features":[601]},{"name":"BSOS_OPTIONS","features":[601]},{"name":"BSOS_PREFERDESTINATIONSTREAM","features":[601]},{"name":"BaseTrust","features":[601]},{"name":"CASTING_CONNECTION_ERROR_STATUS","features":[601]},{"name":"CASTING_CONNECTION_ERROR_STATUS_DEVICE_DID_NOT_RESPOND","features":[601]},{"name":"CASTING_CONNECTION_ERROR_STATUS_DEVICE_ERROR","features":[601]},{"name":"CASTING_CONNECTION_ERROR_STATUS_DEVICE_LOCKED","features":[601]},{"name":"CASTING_CONNECTION_ERROR_STATUS_INVALID_CASTING_SOURCE","features":[601]},{"name":"CASTING_CONNECTION_ERROR_STATUS_PROTECTED_PLAYBACK_FAILED","features":[601]},{"name":"CASTING_CONNECTION_ERROR_STATUS_SUCCEEDED","features":[601]},{"name":"CASTING_CONNECTION_ERROR_STATUS_UNKNOWN","features":[601]},{"name":"CASTING_CONNECTION_STATE","features":[601]},{"name":"CASTING_CONNECTION_STATE_CONNECTED","features":[601]},{"name":"CASTING_CONNECTION_STATE_CONNECTING","features":[601]},{"name":"CASTING_CONNECTION_STATE_DISCONNECTED","features":[601]},{"name":"CASTING_CONNECTION_STATE_DISCONNECTING","features":[601]},{"name":"CASTING_CONNECTION_STATE_RENDERING","features":[601]},{"name":"CastingSourceInfo_Property_CastingTypes","features":[601]},{"name":"CastingSourceInfo_Property_PreferredSourceUriScheme","features":[601]},{"name":"CastingSourceInfo_Property_ProtectedMedia","features":[601]},{"name":"CoDecodeProxy","features":[601]},{"name":"CreateControlInput","features":[601]},{"name":"CreateControlInputEx","features":[601]},{"name":"CreateDispatcherQueueController","features":[250,601]},{"name":"CreateRandomAccessStreamOnFile","features":[601]},{"name":"CreateRandomAccessStreamOverStream","features":[359,601]},{"name":"CreateStreamOverRandomAccessStream","features":[601]},{"name":"DISPATCHERQUEUE_THREAD_APARTMENTTYPE","features":[601]},{"name":"DISPATCHERQUEUE_THREAD_TYPE","features":[601]},{"name":"DQTAT_COM_ASTA","features":[601]},{"name":"DQTAT_COM_NONE","features":[601]},{"name":"DQTAT_COM_STA","features":[601]},{"name":"DQTYPE_THREAD_CURRENT","features":[601]},{"name":"DQTYPE_THREAD_DEDICATED","features":[601]},{"name":"DispatcherQueueOptions","features":[601]},{"name":"EventRegistrationToken","features":[601]},{"name":"FullTrust","features":[601]},{"name":"GetRestrictedErrorInfo","features":[601]},{"name":"HSTRING","features":[601]},{"name":"HSTRING_BUFFER","features":[601]},{"name":"HSTRING_HEADER","features":[601]},{"name":"HSTRING_UserFree","features":[601]},{"name":"HSTRING_UserFree64","features":[601]},{"name":"HSTRING_UserMarshal","features":[601]},{"name":"HSTRING_UserMarshal64","features":[601]},{"name":"HSTRING_UserSize","features":[601]},{"name":"HSTRING_UserSize64","features":[601]},{"name":"HSTRING_UserUnmarshal","features":[601]},{"name":"HSTRING_UserUnmarshal64","features":[601]},{"name":"IAccountsSettingsPaneInterop","features":[601]},{"name":"IActivationFactory","features":[601]},{"name":"IAgileReference","features":[601]},{"name":"IApartmentShutdown","features":[601]},{"name":"IAppServiceConnectionExtendedExecution","features":[601]},{"name":"IBufferByteAccess","features":[601]},{"name":"ICastingController","features":[601]},{"name":"ICastingEventHandler","features":[601]},{"name":"ICastingSourceInfo","features":[601]},{"name":"ICoreInputInterop","features":[601]},{"name":"ICoreInputInterop2","features":[601]},{"name":"ICoreWindowAdapterInterop","features":[601]},{"name":"ICoreWindowComponentInterop","features":[601]},{"name":"ICoreWindowInterop","features":[601]},{"name":"ICorrelationVectorInformation","features":[601]},{"name":"ICorrelationVectorSource","features":[601]},{"name":"IDragDropManagerInterop","features":[601]},{"name":"IHolographicSpaceInterop","features":[601]},{"name":"IInputPaneInterop","features":[601]},{"name":"IInspectable","features":[601]},{"name":"ILanguageExceptionErrorInfo","features":[601]},{"name":"ILanguageExceptionErrorInfo2","features":[601]},{"name":"ILanguageExceptionStackBackTrace","features":[601]},{"name":"ILanguageExceptionTransform","features":[601]},{"name":"IMemoryBufferByteAccess","features":[601]},{"name":"IMessageDispatcher","features":[601]},{"name":"IPlayToManagerInterop","features":[601]},{"name":"IRestrictedErrorInfo","features":[601]},{"name":"IShareWindowCommandEventArgsInterop","features":[601]},{"name":"IShareWindowCommandSourceInterop","features":[601]},{"name":"ISpatialInteractionManagerInterop","features":[601]},{"name":"ISystemMediaTransportControlsInterop","features":[601]},{"name":"IUIViewSettingsInterop","features":[601]},{"name":"IUserActivityInterop","features":[601]},{"name":"IUserActivityRequestManagerInterop","features":[601]},{"name":"IUserActivitySourceHostInterop","features":[601]},{"name":"IUserConsentVerifierInterop","features":[601]},{"name":"IWeakReference","features":[601]},{"name":"IWeakReferenceSource","features":[601]},{"name":"IWebAuthenticationCoreManagerInterop","features":[601]},{"name":"IsErrorPropagationEnabled","features":[308,601]},{"name":"MAX_ERROR_MESSAGE_CHARS","features":[601]},{"name":"PFNGETACTIVATIONFACTORY","features":[601]},{"name":"PINSPECT_HSTRING_CALLBACK","features":[601]},{"name":"PINSPECT_HSTRING_CALLBACK2","features":[601]},{"name":"PINSPECT_MEMORY_CALLBACK","features":[601]},{"name":"PartialTrust","features":[601]},{"name":"ROPARAMIIDHANDLE","features":[601]},{"name":"RO_ERROR_REPORTING_FLAGS","features":[601]},{"name":"RO_ERROR_REPORTING_FORCEEXCEPTIONS","features":[601]},{"name":"RO_ERROR_REPORTING_NONE","features":[601]},{"name":"RO_ERROR_REPORTING_SUPPRESSEXCEPTIONS","features":[601]},{"name":"RO_ERROR_REPORTING_SUPPRESSSETERRORINFO","features":[601]},{"name":"RO_ERROR_REPORTING_USESETERRORINFO","features":[601]},{"name":"RO_INIT_MULTITHREADED","features":[601]},{"name":"RO_INIT_SINGLETHREADED","features":[601]},{"name":"RO_INIT_TYPE","features":[601]},{"name":"RO_REGISTRATION_COOKIE","features":[601]},{"name":"RoActivateInstance","features":[601]},{"name":"RoCaptureErrorContext","features":[601]},{"name":"RoClearError","features":[601]},{"name":"RoFailFastWithErrorContext","features":[601]},{"name":"RoGetActivationFactory","features":[601]},{"name":"RoGetAgileReference","features":[601]},{"name":"RoGetApartmentIdentifier","features":[601]},{"name":"RoGetBufferMarshaler","features":[533,601]},{"name":"RoGetErrorReportingFlags","features":[601]},{"name":"RoGetMatchingRestrictedErrorInfo","features":[601]},{"name":"RoGetServerActivatableClasses","features":[601]},{"name":"RoInitialize","features":[601]},{"name":"RoInspectCapturedStackBackTrace","features":[601]},{"name":"RoInspectThreadErrorInfo","features":[601]},{"name":"RoOriginateError","features":[308,601]},{"name":"RoOriginateErrorW","features":[308,601]},{"name":"RoOriginateLanguageException","features":[308,601]},{"name":"RoRegisterActivationFactories","features":[601]},{"name":"RoRegisterForApartmentShutdown","features":[601]},{"name":"RoReportFailedDelegate","features":[601]},{"name":"RoReportUnhandledError","features":[601]},{"name":"RoResolveRestrictedErrorInfoReference","features":[601]},{"name":"RoRevokeActivationFactories","features":[601]},{"name":"RoSetErrorReportingFlags","features":[601]},{"name":"RoTransformError","features":[308,601]},{"name":"RoTransformErrorW","features":[308,601]},{"name":"RoUninitialize","features":[601]},{"name":"RoUnregisterForApartmentShutdown","features":[601]},{"name":"ServerInformation","features":[601]},{"name":"SetRestrictedErrorInfo","features":[601]},{"name":"TrustLevel","features":[601]},{"name":"WindowsCompareStringOrdinal","features":[601]},{"name":"WindowsConcatString","features":[601]},{"name":"WindowsCreateString","features":[601]},{"name":"WindowsCreateStringReference","features":[601]},{"name":"WindowsDeleteString","features":[601]},{"name":"WindowsDeleteStringBuffer","features":[601]},{"name":"WindowsDuplicateString","features":[601]},{"name":"WindowsGetStringLen","features":[601]},{"name":"WindowsGetStringRawBuffer","features":[601]},{"name":"WindowsInspectString","features":[601]},{"name":"WindowsInspectString2","features":[601]},{"name":"WindowsIsStringEmpty","features":[308,601]},{"name":"WindowsPreallocateStringBuffer","features":[601]},{"name":"WindowsPromoteStringBuffer","features":[601]},{"name":"WindowsReplaceString","features":[601]},{"name":"WindowsStringHasEmbeddedNull","features":[308,601]},{"name":"WindowsSubstring","features":[601]},{"name":"WindowsSubstringWithSpecifiedLength","features":[601]},{"name":"WindowsTrimStringEnd","features":[601]},{"name":"WindowsTrimStringStart","features":[601]}],"626":[{"name":"IWindowsDevicesAllJoynBusAttachmentFactoryInterop","features":[602]},{"name":"IWindowsDevicesAllJoynBusAttachmentInterop","features":[602]},{"name":"IWindowsDevicesAllJoynBusObjectFactoryInterop","features":[602]},{"name":"IWindowsDevicesAllJoynBusObjectInterop","features":[602]}],"627":[{"name":"ICompositionCapabilitiesInteropFactory","features":[603]},{"name":"ICompositionDrawingSurfaceInterop","features":[603]},{"name":"ICompositionDrawingSurfaceInterop2","features":[603]},{"name":"ICompositionGraphicsDeviceInterop","features":[603]},{"name":"ICompositionTextureInterop","features":[603]},{"name":"ICompositorDesktopInterop","features":[603]},{"name":"ICompositorInterop","features":[603]},{"name":"ICompositorInterop2","features":[603]},{"name":"IDesktopWindowTargetInterop","features":[603]},{"name":"IVisualInteractionSourceInterop","features":[603]}],"628":[{"name":"ICoreFrameworkInputViewInterop","features":[604]}],"629":[{"name":"CreateDirect3D11DeviceFromDXGIDevice","features":[400,605]},{"name":"CreateDirect3D11SurfaceFromDXGISurface","features":[400,605]},{"name":"IDirect3DDxgiInterfaceAccess","features":[605]}],"630":[{"name":"IDisplayDeviceInterop","features":[606]},{"name":"IDisplayPathInterop","features":[606]}],"631":[{"name":"IGraphicsCaptureItemInterop","features":[607]}],"632":[{"name":"GRAPHICS_EFFECT_PROPERTY_MAPPING","features":[608]},{"name":"GRAPHICS_EFFECT_PROPERTY_MAPPING_COLORMATRIX_ALPHA_MODE","features":[608]},{"name":"GRAPHICS_EFFECT_PROPERTY_MAPPING_COLOR_TO_VECTOR3","features":[608]},{"name":"GRAPHICS_EFFECT_PROPERTY_MAPPING_COLOR_TO_VECTOR4","features":[608]},{"name":"GRAPHICS_EFFECT_PROPERTY_MAPPING_DIRECT","features":[608]},{"name":"GRAPHICS_EFFECT_PROPERTY_MAPPING_RADIANS_TO_DEGREES","features":[608]},{"name":"GRAPHICS_EFFECT_PROPERTY_MAPPING_RECT_TO_VECTOR4","features":[608]},{"name":"GRAPHICS_EFFECT_PROPERTY_MAPPING_UNKNOWN","features":[608]},{"name":"GRAPHICS_EFFECT_PROPERTY_MAPPING_VECTORW","features":[608]},{"name":"GRAPHICS_EFFECT_PROPERTY_MAPPING_VECTORX","features":[608]},{"name":"GRAPHICS_EFFECT_PROPERTY_MAPPING_VECTORY","features":[608]},{"name":"GRAPHICS_EFFECT_PROPERTY_MAPPING_VECTORZ","features":[608]},{"name":"IGeometrySource2DInterop","features":[608]},{"name":"IGraphicsEffectD2D1Interop","features":[608]}],"633":[{"name":"CLSID_SoftwareBitmapNativeFactory","features":[609]},{"name":"ISoftwareBitmapNative","features":[609]},{"name":"ISoftwareBitmapNativeFactory","features":[609]}],"634":[{"name":"IHolographicCameraInterop","features":[610]},{"name":"IHolographicCameraRenderingParametersInterop","features":[610]},{"name":"IHolographicQuadLayerInterop","features":[610]},{"name":"IHolographicQuadLayerUpdateParametersInterop","features":[610]}],"635":[{"name":"IIsolatedEnvironmentInterop","features":[611]}],"636":[{"name":"ILearningModelDeviceFactoryNative","features":[612]},{"name":"ILearningModelOperatorProviderNative","features":[612]},{"name":"ILearningModelSessionOptionsNative","features":[612]},{"name":"ILearningModelSessionOptionsNative1","features":[612]},{"name":"ITensorNative","features":[612]},{"name":"ITensorStaticsNative","features":[612]}],"637":[{"name":"CLSID_AudioFrameNativeFactory","features":[613]},{"name":"CLSID_VideoFrameNativeFactory","features":[613]},{"name":"IAudioFrameNative","features":[613]},{"name":"IAudioFrameNativeFactory","features":[613]},{"name":"IVideoFrameNative","features":[613]},{"name":"IVideoFrameNativeFactory","features":[613]}],"638":[{"name":"ASSEMBLYMETADATA","features":[544]},{"name":"ASSEMBLY_METADATA_TYPE","features":[544]},{"name":"ASSEMBLY_METADATA_TYPE_W","features":[544]},{"name":"CLSID_CLR_v1_MetaData","features":[544]},{"name":"CLSID_CLR_v2_MetaData","features":[544]},{"name":"CLSID_Cor","features":[544]},{"name":"CLSID_CorMetaDataDispenser","features":[544]},{"name":"CLSID_CorMetaDataDispenserReg","features":[544]},{"name":"CLSID_CorMetaDataDispenserRuntime","features":[544]},{"name":"CLSID_CorMetaDataReg","features":[544]},{"name":"CMOD_CALLCONV_NAMESPACE","features":[544]},{"name":"CMOD_CALLCONV_NAMESPACE_OLD","features":[544]},{"name":"CMOD_CALLCONV_NAME_CDECL","features":[544]},{"name":"CMOD_CALLCONV_NAME_FASTCALL","features":[544]},{"name":"CMOD_CALLCONV_NAME_STDCALL","features":[544]},{"name":"CMOD_CALLCONV_NAME_THISCALL","features":[544]},{"name":"COINITCOR_DEFAULT","features":[544]},{"name":"COINITEE_DEFAULT","features":[544]},{"name":"COINITEE_DLL","features":[544]},{"name":"COINITEE_MAIN","features":[544]},{"name":"COINITICOR","features":[544]},{"name":"COINITIEE","features":[544]},{"name":"COMPILATIONRELAXATIONS_TYPE","features":[544]},{"name":"COMPILATIONRELAXATIONS_TYPE_W","features":[544]},{"name":"COR_BASE_SECURITY_ATTRIBUTE_CLASS","features":[544]},{"name":"COR_BASE_SECURITY_ATTRIBUTE_CLASS_ANSI","features":[544]},{"name":"COR_CCTOR_METHOD_NAME","features":[544]},{"name":"COR_CCTOR_METHOD_NAME_W","features":[544]},{"name":"COR_COMPILERSERVICE_DISCARDABLEATTRIBUTE","features":[544]},{"name":"COR_COMPILERSERVICE_DISCARDABLEATTRIBUTE_ASNI","features":[544]},{"name":"COR_CTOR_METHOD_NAME","features":[544]},{"name":"COR_CTOR_METHOD_NAME_W","features":[544]},{"name":"COR_DELETED_NAME_A","features":[544]},{"name":"COR_DELETED_NAME_W","features":[544]},{"name":"COR_ENUM_FIELD_NAME","features":[544]},{"name":"COR_ENUM_FIELD_NAME_W","features":[544]},{"name":"COR_E_AMBIGUOUSMATCH","features":[544]},{"name":"COR_E_ARGUMENT","features":[544]},{"name":"COR_E_BADIMAGEFORMAT","features":[544]},{"name":"COR_E_DIVIDEBYZERO","features":[544]},{"name":"COR_E_INVALIDCAST","features":[544]},{"name":"COR_E_NULLREFERENCE","features":[544]},{"name":"COR_E_OUTOFMEMORY","features":[544]},{"name":"COR_E_TARGETPARAMCOUNT","features":[544]},{"name":"COR_E_UNAUTHORIZEDACCESS","features":[544]},{"name":"COR_FIELD_OFFSET","features":[544]},{"name":"COR_ILEXCEPTION_CLAUSE_DEPRECATED","features":[544]},{"name":"COR_ILEXCEPTION_CLAUSE_DUPLICATED","features":[544]},{"name":"COR_ILEXCEPTION_CLAUSE_FAULT","features":[544]},{"name":"COR_ILEXCEPTION_CLAUSE_FILTER","features":[544]},{"name":"COR_ILEXCEPTION_CLAUSE_FINALLY","features":[544]},{"name":"COR_ILEXCEPTION_CLAUSE_NONE","features":[544]},{"name":"COR_ILEXCEPTION_CLAUSE_OFFSETLEN","features":[544]},{"name":"COR_NATIVE_LINK","features":[544]},{"name":"COR_NATIVE_LINK_CUSTOM_VALUE","features":[544]},{"name":"COR_NATIVE_LINK_CUSTOM_VALUE_ANSI","features":[544]},{"name":"COR_NATIVE_LINK_CUSTOM_VALUE_CC","features":[544]},{"name":"COR_REQUIRES_SECOBJ_ATTRIBUTE","features":[544]},{"name":"COR_REQUIRES_SECOBJ_ATTRIBUTE_ANSI","features":[544]},{"name":"COR_SECATTR","features":[544]},{"name":"COR_SUPPRESS_UNMANAGED_CODE_CHECK_ATTRIBUTE","features":[544]},{"name":"COR_SUPPRESS_UNMANAGED_CODE_CHECK_ATTRIBUTE_ANSI","features":[544]},{"name":"COR_UNVER_CODE_ATTRIBUTE","features":[544]},{"name":"COR_UNVER_CODE_ATTRIBUTE_ANSI","features":[544]},{"name":"COR_VTABLEGAP_NAME_A","features":[544]},{"name":"COR_VTABLEGAP_NAME_W","features":[544]},{"name":"COUNINITEE_DEFAULT","features":[544]},{"name":"COUNINITEE_DLL","features":[544]},{"name":"COUNINITIEE","features":[544]},{"name":"CVStruct","features":[544]},{"name":"CeeSectionAttr","features":[544]},{"name":"CeeSectionRelocExtra","features":[544]},{"name":"CeeSectionRelocType","features":[544]},{"name":"CompilationRelaxationsEnum","features":[544]},{"name":"CompilationRelaxations_NoStringInterning","features":[544]},{"name":"CorArgType","features":[544]},{"name":"CorAssemblyFlags","features":[544]},{"name":"CorAttributeTargets","features":[544]},{"name":"CorCallingConvention","features":[544]},{"name":"CorCheckDuplicatesFor","features":[544]},{"name":"CorDeclSecurity","features":[544]},{"name":"CorElementType","features":[544]},{"name":"CorErrorIfEmitOutOfOrder","features":[544]},{"name":"CorEventAttr","features":[544]},{"name":"CorExceptionFlag","features":[544]},{"name":"CorFieldAttr","features":[544]},{"name":"CorFileFlags","features":[544]},{"name":"CorFileMapping","features":[544]},{"name":"CorGenericParamAttr","features":[544]},{"name":"CorILMethodFlags","features":[544]},{"name":"CorILMethodSect","features":[544]},{"name":"CorILMethod_CompressedIL","features":[544]},{"name":"CorILMethod_FatFormat","features":[544]},{"name":"CorILMethod_FormatMask","features":[544]},{"name":"CorILMethod_FormatShift","features":[544]},{"name":"CorILMethod_InitLocals","features":[544]},{"name":"CorILMethod_MoreSects","features":[544]},{"name":"CorILMethod_Sect_EHTable","features":[544]},{"name":"CorILMethod_Sect_FatFormat","features":[544]},{"name":"CorILMethod_Sect_KindMask","features":[544]},{"name":"CorILMethod_Sect_MoreSects","features":[544]},{"name":"CorILMethod_Sect_OptILTable","features":[544]},{"name":"CorILMethod_Sect_Reserved","features":[544]},{"name":"CorILMethod_SmallFormat","features":[544]},{"name":"CorILMethod_TinyFormat","features":[544]},{"name":"CorILMethod_TinyFormat1","features":[544]},{"name":"CorImportOptions","features":[544]},{"name":"CorLinkerOptions","features":[544]},{"name":"CorLocalRefPreservation","features":[544]},{"name":"CorManifestResourceFlags","features":[544]},{"name":"CorMethodAttr","features":[544]},{"name":"CorMethodImpl","features":[544]},{"name":"CorMethodSemanticsAttr","features":[544]},{"name":"CorNativeLinkFlags","features":[544]},{"name":"CorNativeLinkType","features":[544]},{"name":"CorNativeType","features":[544]},{"name":"CorNotificationForTokenMovement","features":[544]},{"name":"CorOpenFlags","features":[544]},{"name":"CorPEKind","features":[544]},{"name":"CorParamAttr","features":[544]},{"name":"CorPinvokeMap","features":[544]},{"name":"CorPropertyAttr","features":[544]},{"name":"CorRefToDefCheck","features":[544]},{"name":"CorRegFlags","features":[544]},{"name":"CorSaveSize","features":[544]},{"name":"CorSerializationType","features":[544]},{"name":"CorSetENC","features":[544]},{"name":"CorThreadSafetyOptions","features":[544]},{"name":"CorTokenType","features":[544]},{"name":"CorTypeAttr","features":[544]},{"name":"CorUnmanagedCallingConvention","features":[544]},{"name":"CorValidatorModuleType","features":[544]},{"name":"DEFAULTDEPENDENCY_TYPE","features":[544]},{"name":"DEFAULTDEPENDENCY_TYPE_W","features":[544]},{"name":"DEFAULTDOMAIN_LOADEROPTIMIZATION_TYPE","features":[544]},{"name":"DEFAULTDOMAIN_LOADEROPTIMIZATION_TYPE_W","features":[544]},{"name":"DEFAULTDOMAIN_MTA_TYPE","features":[544]},{"name":"DEFAULTDOMAIN_MTA_TYPE_W","features":[544]},{"name":"DEFAULTDOMAIN_STA_TYPE","features":[544]},{"name":"DEFAULTDOMAIN_STA_TYPE_W","features":[544]},{"name":"DEPENDENCY_TYPE","features":[544]},{"name":"DEPENDENCY_TYPE_W","features":[544]},{"name":"DESCR_GROUP_METHODDEF","features":[544]},{"name":"DESCR_GROUP_METHODIMPL","features":[544]},{"name":"DISABLED_PRIVATE_REFLECTION_TYPE","features":[544]},{"name":"DISABLED_PRIVATE_REFLECTION_TYPE_W","features":[544]},{"name":"DropMemberRefCAs","features":[544]},{"name":"ELEMENT_TYPE_ARRAY","features":[544]},{"name":"ELEMENT_TYPE_BOOLEAN","features":[544]},{"name":"ELEMENT_TYPE_BYREF","features":[544]},{"name":"ELEMENT_TYPE_CHAR","features":[544]},{"name":"ELEMENT_TYPE_CLASS","features":[544]},{"name":"ELEMENT_TYPE_CMOD_OPT","features":[544]},{"name":"ELEMENT_TYPE_CMOD_REQD","features":[544]},{"name":"ELEMENT_TYPE_END","features":[544]},{"name":"ELEMENT_TYPE_FNPTR","features":[544]},{"name":"ELEMENT_TYPE_GENERICINST","features":[544]},{"name":"ELEMENT_TYPE_I","features":[544]},{"name":"ELEMENT_TYPE_I1","features":[544]},{"name":"ELEMENT_TYPE_I2","features":[544]},{"name":"ELEMENT_TYPE_I4","features":[544]},{"name":"ELEMENT_TYPE_I8","features":[544]},{"name":"ELEMENT_TYPE_INTERNAL","features":[544]},{"name":"ELEMENT_TYPE_MAX","features":[544]},{"name":"ELEMENT_TYPE_MODIFIER","features":[544]},{"name":"ELEMENT_TYPE_MVAR","features":[544]},{"name":"ELEMENT_TYPE_OBJECT","features":[544]},{"name":"ELEMENT_TYPE_PINNED","features":[544]},{"name":"ELEMENT_TYPE_PTR","features":[544]},{"name":"ELEMENT_TYPE_R4","features":[544]},{"name":"ELEMENT_TYPE_R8","features":[544]},{"name":"ELEMENT_TYPE_SENTINEL","features":[544]},{"name":"ELEMENT_TYPE_STRING","features":[544]},{"name":"ELEMENT_TYPE_SZARRAY","features":[544]},{"name":"ELEMENT_TYPE_TYPEDBYREF","features":[544]},{"name":"ELEMENT_TYPE_U","features":[544]},{"name":"ELEMENT_TYPE_U1","features":[544]},{"name":"ELEMENT_TYPE_U2","features":[544]},{"name":"ELEMENT_TYPE_U4","features":[544]},{"name":"ELEMENT_TYPE_U8","features":[544]},{"name":"ELEMENT_TYPE_VALUETYPE","features":[544]},{"name":"ELEMENT_TYPE_VAR","features":[544]},{"name":"ELEMENT_TYPE_VOID","features":[544]},{"name":"FORWARD_INTEROP_STUB_METHOD_TYPE","features":[544]},{"name":"FORWARD_INTEROP_STUB_METHOD_TYPE_W","features":[544]},{"name":"FRAMEWORK_REGISTRY_KEY","features":[544]},{"name":"FRAMEWORK_REGISTRY_KEY_W","features":[544]},{"name":"FRIEND_ACCESS_ALLOWED_ATTRIBUTE_TYPE","features":[544]},{"name":"FRIEND_ACCESS_ALLOWED_ATTRIBUTE_TYPE_W","features":[544]},{"name":"FRIEND_ASSEMBLY_TYPE","features":[544]},{"name":"FRIEND_ASSEMBLY_TYPE_W","features":[544]},{"name":"GUID_DispIdOverride","features":[544]},{"name":"GUID_ExportedFromComPlus","features":[544]},{"name":"GUID_ForceIEnumerable","features":[544]},{"name":"GUID_Function2Getter","features":[544]},{"name":"GUID_ManagedName","features":[544]},{"name":"GUID_PropGetCA","features":[544]},{"name":"GUID_PropPutCA","features":[544]},{"name":"ICeeGen","features":[544]},{"name":"IHostFilter","features":[544]},{"name":"IMAGE_CEE_CS_BYVALUE","features":[544]},{"name":"IMAGE_CEE_CS_CALLCONV_C","features":[544]},{"name":"IMAGE_CEE_CS_CALLCONV_DEFAULT","features":[544]},{"name":"IMAGE_CEE_CS_CALLCONV_EXPLICITTHIS","features":[544]},{"name":"IMAGE_CEE_CS_CALLCONV_FASTCALL","features":[544]},{"name":"IMAGE_CEE_CS_CALLCONV_FIELD","features":[544]},{"name":"IMAGE_CEE_CS_CALLCONV_GENERIC","features":[544]},{"name":"IMAGE_CEE_CS_CALLCONV_GENERICINST","features":[544]},{"name":"IMAGE_CEE_CS_CALLCONV_HASTHIS","features":[544]},{"name":"IMAGE_CEE_CS_CALLCONV_LOCAL_SIG","features":[544]},{"name":"IMAGE_CEE_CS_CALLCONV_MASK","features":[544]},{"name":"IMAGE_CEE_CS_CALLCONV_MAX","features":[544]},{"name":"IMAGE_CEE_CS_CALLCONV_NATIVEVARARG","features":[544]},{"name":"IMAGE_CEE_CS_CALLCONV_PROPERTY","features":[544]},{"name":"IMAGE_CEE_CS_CALLCONV_STDCALL","features":[544]},{"name":"IMAGE_CEE_CS_CALLCONV_THISCALL","features":[544]},{"name":"IMAGE_CEE_CS_CALLCONV_UNMGD","features":[544]},{"name":"IMAGE_CEE_CS_CALLCONV_VARARG","features":[544]},{"name":"IMAGE_CEE_CS_END","features":[544]},{"name":"IMAGE_CEE_CS_I4","features":[544]},{"name":"IMAGE_CEE_CS_I8","features":[544]},{"name":"IMAGE_CEE_CS_OBJECT","features":[544]},{"name":"IMAGE_CEE_CS_PTR","features":[544]},{"name":"IMAGE_CEE_CS_R4","features":[544]},{"name":"IMAGE_CEE_CS_R8","features":[544]},{"name":"IMAGE_CEE_CS_STRUCT32","features":[544]},{"name":"IMAGE_CEE_CS_STRUCT4","features":[544]},{"name":"IMAGE_CEE_CS_VOID","features":[544]},{"name":"IMAGE_CEE_UNMANAGED_CALLCONV_C","features":[544]},{"name":"IMAGE_CEE_UNMANAGED_CALLCONV_FASTCALL","features":[544]},{"name":"IMAGE_CEE_UNMANAGED_CALLCONV_STDCALL","features":[544]},{"name":"IMAGE_CEE_UNMANAGED_CALLCONV_THISCALL","features":[544]},{"name":"IMAGE_COR_ILMETHOD","features":[544]},{"name":"IMAGE_COR_ILMETHOD_FAT","features":[544]},{"name":"IMAGE_COR_ILMETHOD_SECT_EH","features":[544]},{"name":"IMAGE_COR_ILMETHOD_SECT_EH_CLAUSE_FAT","features":[544]},{"name":"IMAGE_COR_ILMETHOD_SECT_EH_CLAUSE_SMALL","features":[544]},{"name":"IMAGE_COR_ILMETHOD_SECT_EH_CLAUSE_SMALL","features":[544]},{"name":"IMAGE_COR_ILMETHOD_SECT_EH_FAT","features":[544]},{"name":"IMAGE_COR_ILMETHOD_SECT_EH_SMALL","features":[544]},{"name":"IMAGE_COR_ILMETHOD_SECT_FAT","features":[544]},{"name":"IMAGE_COR_ILMETHOD_SECT_SMALL","features":[544]},{"name":"IMAGE_COR_ILMETHOD_TINY","features":[544]},{"name":"IMAGE_COR_VTABLEFIXUP","features":[544]},{"name":"IMAGE_DIRECTORY_ENTRY_COMHEADER","features":[544]},{"name":"IMapToken","features":[544]},{"name":"IMetaDataAssemblyEmit","features":[544]},{"name":"IMetaDataAssemblyImport","features":[544]},{"name":"IMetaDataDispenser","features":[544]},{"name":"IMetaDataDispenserEx","features":[544]},{"name":"IMetaDataEmit","features":[544]},{"name":"IMetaDataEmit2","features":[544]},{"name":"IMetaDataError","features":[544]},{"name":"IMetaDataFilter","features":[544]},{"name":"IMetaDataImport","features":[544]},{"name":"IMetaDataImport2","features":[544]},{"name":"IMetaDataInfo","features":[544]},{"name":"IMetaDataTables","features":[544]},{"name":"IMetaDataTables2","features":[544]},{"name":"IMetaDataValidate","features":[544]},{"name":"IMetaDataWinMDImport","features":[544]},{"name":"INTEROP_AUTOPROXY_TYPE","features":[544]},{"name":"INTEROP_AUTOPROXY_TYPE_W","features":[544]},{"name":"INTEROP_BESTFITMAPPING_TYPE","features":[544]},{"name":"INTEROP_BESTFITMAPPING_TYPE_W","features":[544]},{"name":"INTEROP_CLASSINTERFACE_TYPE","features":[544]},{"name":"INTEROP_CLASSINTERFACE_TYPE_W","features":[544]},{"name":"INTEROP_COCLASS_TYPE","features":[544]},{"name":"INTEROP_COCLASS_TYPE_W","features":[544]},{"name":"INTEROP_COMALIASNAME_TYPE","features":[544]},{"name":"INTEROP_COMALIASNAME_TYPE_W","features":[544]},{"name":"INTEROP_COMCOMPATIBLEVERSION_TYPE","features":[544]},{"name":"INTEROP_COMCOMPATIBLEVERSION_TYPE_W","features":[544]},{"name":"INTEROP_COMCONVERSIONLOSS_TYPE","features":[544]},{"name":"INTEROP_COMCONVERSIONLOSS_TYPE_W","features":[544]},{"name":"INTEROP_COMDEFAULTINTERFACE_TYPE","features":[544]},{"name":"INTEROP_COMDEFAULTINTERFACE_TYPE_W","features":[544]},{"name":"INTEROP_COMEMULATE_TYPE","features":[544]},{"name":"INTEROP_COMEMULATE_TYPE_W","features":[544]},{"name":"INTEROP_COMEVENTINTERFACE_TYPE","features":[544]},{"name":"INTEROP_COMEVENTINTERFACE_TYPE_W","features":[544]},{"name":"INTEROP_COMIMPORT_TYPE","features":[544]},{"name":"INTEROP_COMIMPORT_TYPE_W","features":[544]},{"name":"INTEROP_COMREGISTERFUNCTION_TYPE","features":[544]},{"name":"INTEROP_COMREGISTERFUNCTION_TYPE_W","features":[544]},{"name":"INTEROP_COMSOURCEINTERFACES_TYPE","features":[544]},{"name":"INTEROP_COMSOURCEINTERFACES_TYPE_W","features":[544]},{"name":"INTEROP_COMSUBSTITUTABLEINTERFACE_TYPE","features":[544]},{"name":"INTEROP_COMSUBSTITUTABLEINTERFACE_TYPE_W","features":[544]},{"name":"INTEROP_COMUNREGISTERFUNCTION_TYPE","features":[544]},{"name":"INTEROP_COMUNREGISTERFUNCTION_TYPE_W","features":[544]},{"name":"INTEROP_COMVISIBLE_TYPE","features":[544]},{"name":"INTEROP_COMVISIBLE_TYPE_W","features":[544]},{"name":"INTEROP_DATETIMEVALUE_TYPE","features":[544]},{"name":"INTEROP_DATETIMEVALUE_TYPE_W","features":[544]},{"name":"INTEROP_DECIMALVALUE_TYPE","features":[544]},{"name":"INTEROP_DECIMALVALUE_TYPE_W","features":[544]},{"name":"INTEROP_DEFAULTMEMBER_TYPE","features":[544]},{"name":"INTEROP_DEFAULTMEMBER_TYPE_W","features":[544]},{"name":"INTEROP_DISPID_TYPE","features":[544]},{"name":"INTEROP_DISPID_TYPE_W","features":[544]},{"name":"INTEROP_GUID_TYPE","features":[544]},{"name":"INTEROP_GUID_TYPE_W","features":[544]},{"name":"INTEROP_IDISPATCHIMPL_TYPE","features":[544]},{"name":"INTEROP_IDISPATCHIMPL_TYPE_W","features":[544]},{"name":"INTEROP_IDISPATCHVALUE_TYPE","features":[544]},{"name":"INTEROP_IDISPATCHVALUE_TYPE_W","features":[544]},{"name":"INTEROP_IMPORTEDFROMTYPELIB_TYPE","features":[544]},{"name":"INTEROP_IMPORTEDFROMTYPELIB_TYPE_W","features":[544]},{"name":"INTEROP_INTERFACETYPE_TYPE","features":[544]},{"name":"INTEROP_INTERFACETYPE_TYPE_W","features":[544]},{"name":"INTEROP_IN_TYPE","features":[544]},{"name":"INTEROP_IN_TYPE_W","features":[544]},{"name":"INTEROP_IUNKNOWNVALUE_TYPE","features":[544]},{"name":"INTEROP_IUNKNOWNVALUE_TYPE_W","features":[544]},{"name":"INTEROP_LCIDCONVERSION_TYPE","features":[544]},{"name":"INTEROP_LCIDCONVERSION_TYPE_W","features":[544]},{"name":"INTEROP_MARSHALAS_TYPE","features":[544]},{"name":"INTEROP_MARSHALAS_TYPE_W","features":[544]},{"name":"INTEROP_OUT_TYPE","features":[544]},{"name":"INTEROP_OUT_TYPE_W","features":[544]},{"name":"INTEROP_PARAMARRAY_TYPE","features":[544]},{"name":"INTEROP_PARAMARRAY_TYPE_W","features":[544]},{"name":"INTEROP_PRESERVESIG_TYPE","features":[544]},{"name":"INTEROP_PRESERVESIG_TYPE_W","features":[544]},{"name":"INTEROP_PRIMARYINTEROPASSEMBLY_TYPE","features":[544]},{"name":"INTEROP_PRIMARYINTEROPASSEMBLY_TYPE_W","features":[544]},{"name":"INTEROP_SERIALIZABLE_TYPE","features":[544]},{"name":"INTEROP_SERIALIZABLE_TYPE_W","features":[544]},{"name":"INTEROP_SETWIN32CONTEXTINIDISPATCHATTRIBUTE_TYPE","features":[544]},{"name":"INTEROP_SETWIN32CONTEXTINIDISPATCHATTRIBUTE_TYPE_W","features":[544]},{"name":"INTEROP_TYPELIBFUNC_TYPE","features":[544]},{"name":"INTEROP_TYPELIBFUNC_TYPE_W","features":[544]},{"name":"INTEROP_TYPELIBIMPORTCLASS_TYPE","features":[544]},{"name":"INTEROP_TYPELIBIMPORTCLASS_TYPE_W","features":[544]},{"name":"INTEROP_TYPELIBTYPE_TYPE","features":[544]},{"name":"INTEROP_TYPELIBTYPE_TYPE_W","features":[544]},{"name":"INTEROP_TYPELIBVAR_TYPE","features":[544]},{"name":"INTEROP_TYPELIBVAR_TYPE_W","features":[544]},{"name":"INTEROP_TYPELIBVERSION_TYPE","features":[544]},{"name":"INTEROP_TYPELIBVERSION_TYPE_W","features":[544]},{"name":"INVALID_CONNECTION_ID","features":[544]},{"name":"INVALID_TASK_ID","features":[544]},{"name":"IRoMetaDataLocator","features":[544]},{"name":"IRoSimpleMetaDataBuilder","features":[544]},{"name":"LIBID_ComPlusRuntime","features":[544]},{"name":"LoadAlways","features":[544]},{"name":"LoadDefault","features":[544]},{"name":"LoadHintEnum","features":[544]},{"name":"LoadNever","features":[544]},{"name":"LoadSometimes","features":[544]},{"name":"MAIN_CLR_MODULE_NAME_A","features":[544]},{"name":"MAIN_CLR_MODULE_NAME_W","features":[544]},{"name":"MAX_CONNECTION_NAME","features":[544]},{"name":"MDAssembly","features":[544]},{"name":"MDDupAll","features":[544]},{"name":"MDDupAssembly","features":[544]},{"name":"MDDupAssemblyRef","features":[544]},{"name":"MDDupCustomAttribute","features":[544]},{"name":"MDDupDefault","features":[544]},{"name":"MDDupENC","features":[544]},{"name":"MDDupEvent","features":[544]},{"name":"MDDupExportedType","features":[544]},{"name":"MDDupFieldDef","features":[544]},{"name":"MDDupFile","features":[544]},{"name":"MDDupGenericParam","features":[544]},{"name":"MDDupGenericParamConstraint","features":[544]},{"name":"MDDupImplMap","features":[544]},{"name":"MDDupInterfaceImpl","features":[544]},{"name":"MDDupManifestResource","features":[544]},{"name":"MDDupMemberRef","features":[544]},{"name":"MDDupMethodDef","features":[544]},{"name":"MDDupMethodSpec","features":[544]},{"name":"MDDupModuleRef","features":[544]},{"name":"MDDupParamDef","features":[544]},{"name":"MDDupPermission","features":[544]},{"name":"MDDupProperty","features":[544]},{"name":"MDDupSignature","features":[544]},{"name":"MDDupTypeDef","features":[544]},{"name":"MDDupTypeRef","features":[544]},{"name":"MDDupTypeSpec","features":[544]},{"name":"MDErrorOutOfOrderAll","features":[544]},{"name":"MDErrorOutOfOrderDefault","features":[544]},{"name":"MDErrorOutOfOrderNone","features":[544]},{"name":"MDEventOutOfOrder","features":[544]},{"name":"MDFieldOutOfOrder","features":[544]},{"name":"MDImportOptionAll","features":[544]},{"name":"MDImportOptionAllCustomAttributes","features":[544]},{"name":"MDImportOptionAllEvents","features":[544]},{"name":"MDImportOptionAllExportedTypes","features":[544]},{"name":"MDImportOptionAllFieldDefs","features":[544]},{"name":"MDImportOptionAllMethodDefs","features":[544]},{"name":"MDImportOptionAllProperties","features":[544]},{"name":"MDImportOptionAllTypeDefs","features":[544]},{"name":"MDImportOptionDefault","features":[544]},{"name":"MDMemberRefToDef","features":[544]},{"name":"MDMethodOutOfOrder","features":[544]},{"name":"MDNetModule","features":[544]},{"name":"MDNoDupChecks","features":[544]},{"name":"MDNotifyAll","features":[544]},{"name":"MDNotifyAssemblyRef","features":[544]},{"name":"MDNotifyCustomAttribute","features":[544]},{"name":"MDNotifyDefault","features":[544]},{"name":"MDNotifyEvent","features":[544]},{"name":"MDNotifyExportedType","features":[544]},{"name":"MDNotifyFieldDef","features":[544]},{"name":"MDNotifyFile","features":[544]},{"name":"MDNotifyInterfaceImpl","features":[544]},{"name":"MDNotifyMemberRef","features":[544]},{"name":"MDNotifyMethodDef","features":[544]},{"name":"MDNotifyModuleRef","features":[544]},{"name":"MDNotifyNameSpace","features":[544]},{"name":"MDNotifyNone","features":[544]},{"name":"MDNotifyParamDef","features":[544]},{"name":"MDNotifyPermission","features":[544]},{"name":"MDNotifyProperty","features":[544]},{"name":"MDNotifyResource","features":[544]},{"name":"MDNotifySecurityValue","features":[544]},{"name":"MDNotifySignature","features":[544]},{"name":"MDNotifyTypeDef","features":[544]},{"name":"MDNotifyTypeRef","features":[544]},{"name":"MDNotifyTypeSpec","features":[544]},{"name":"MDParamOutOfOrder","features":[544]},{"name":"MDPreserveLocalMemberRef","features":[544]},{"name":"MDPreserveLocalRefsNone","features":[544]},{"name":"MDPreserveLocalTypeRef","features":[544]},{"name":"MDPropertyOutOfOrder","features":[544]},{"name":"MDRefToDefAll","features":[544]},{"name":"MDRefToDefDefault","features":[544]},{"name":"MDRefToDefNone","features":[544]},{"name":"MDSetENCOff","features":[544]},{"name":"MDSetENCOn","features":[544]},{"name":"MDThreadSafetyDefault","features":[544]},{"name":"MDThreadSafetyOff","features":[544]},{"name":"MDThreadSafetyOn","features":[544]},{"name":"MDTypeRefToDef","features":[544]},{"name":"MDUpdateDelta","features":[544]},{"name":"MDUpdateENC","features":[544]},{"name":"MDUpdateExtension","features":[544]},{"name":"MDUpdateFull","features":[544]},{"name":"MDUpdateIncremental","features":[544]},{"name":"MDUpdateMask","features":[544]},{"name":"MSCOREE_SHIM_A","features":[544]},{"name":"MSCOREE_SHIM_W","features":[544]},{"name":"MergeExportedTypes","features":[544]},{"name":"MergeFlags","features":[544]},{"name":"MergeFlagsNone","features":[544]},{"name":"MergeManifest","features":[544]},{"name":"MetaDataCheckDuplicatesFor","features":[544]},{"name":"MetaDataErrorIfEmitOutOfOrder","features":[544]},{"name":"MetaDataGenerateTCEAdapters","features":[544]},{"name":"MetaDataGetDispenser","features":[544]},{"name":"MetaDataImportOption","features":[544]},{"name":"MetaDataLinkerOptions","features":[544]},{"name":"MetaDataMergerOptions","features":[544]},{"name":"MetaDataNotificationForTokenMovement","features":[544]},{"name":"MetaDataPreserveLocalRefs","features":[544]},{"name":"MetaDataRefToDefCheck","features":[544]},{"name":"MetaDataRuntimeVersion","features":[544]},{"name":"MetaDataSetUpdate","features":[544]},{"name":"MetaDataThreadSafetyOptions","features":[544]},{"name":"MetaDataTypeLibImportNamespace","features":[544]},{"name":"NATIVE_TYPE_ANSIBSTR","features":[544]},{"name":"NATIVE_TYPE_ARRAY","features":[544]},{"name":"NATIVE_TYPE_ASANY","features":[544]},{"name":"NATIVE_TYPE_BOOLEAN","features":[544]},{"name":"NATIVE_TYPE_BSTR","features":[544]},{"name":"NATIVE_TYPE_BYVALSTR","features":[544]},{"name":"NATIVE_TYPE_CURRENCY","features":[544]},{"name":"NATIVE_TYPE_CUSTOMMARSHALER","features":[544]},{"name":"NATIVE_TYPE_DATE","features":[544]},{"name":"NATIVE_TYPE_DECIMAL","features":[544]},{"name":"NATIVE_TYPE_END","features":[544]},{"name":"NATIVE_TYPE_ERROR","features":[544]},{"name":"NATIVE_TYPE_FIXEDARRAY","features":[544]},{"name":"NATIVE_TYPE_FIXEDSYSSTRING","features":[544]},{"name":"NATIVE_TYPE_FUNC","features":[544]},{"name":"NATIVE_TYPE_HSTRING","features":[544]},{"name":"NATIVE_TYPE_I1","features":[544]},{"name":"NATIVE_TYPE_I2","features":[544]},{"name":"NATIVE_TYPE_I4","features":[544]},{"name":"NATIVE_TYPE_I8","features":[544]},{"name":"NATIVE_TYPE_IDISPATCH","features":[544]},{"name":"NATIVE_TYPE_IINSPECTABLE","features":[544]},{"name":"NATIVE_TYPE_INT","features":[544]},{"name":"NATIVE_TYPE_INTF","features":[544]},{"name":"NATIVE_TYPE_IUNKNOWN","features":[544]},{"name":"NATIVE_TYPE_LPSTR","features":[544]},{"name":"NATIVE_TYPE_LPSTRUCT","features":[544]},{"name":"NATIVE_TYPE_LPTSTR","features":[544]},{"name":"NATIVE_TYPE_LPUTF8STR","features":[544]},{"name":"NATIVE_TYPE_LPWSTR","features":[544]},{"name":"NATIVE_TYPE_MAX","features":[544]},{"name":"NATIVE_TYPE_NESTEDSTRUCT","features":[544]},{"name":"NATIVE_TYPE_OBJECTREF","features":[544]},{"name":"NATIVE_TYPE_PTR","features":[544]},{"name":"NATIVE_TYPE_R4","features":[544]},{"name":"NATIVE_TYPE_R8","features":[544]},{"name":"NATIVE_TYPE_SAFEARRAY","features":[544]},{"name":"NATIVE_TYPE_STRUCT","features":[544]},{"name":"NATIVE_TYPE_SYSCHAR","features":[544]},{"name":"NATIVE_TYPE_TBSTR","features":[544]},{"name":"NATIVE_TYPE_U1","features":[544]},{"name":"NATIVE_TYPE_U2","features":[544]},{"name":"NATIVE_TYPE_U4","features":[544]},{"name":"NATIVE_TYPE_U8","features":[544]},{"name":"NATIVE_TYPE_UINT","features":[544]},{"name":"NATIVE_TYPE_VARIANT","features":[544]},{"name":"NATIVE_TYPE_VARIANTBOOL","features":[544]},{"name":"NATIVE_TYPE_VOID","features":[544]},{"name":"NGenDefault","features":[544]},{"name":"NGenEager","features":[544]},{"name":"NGenHintEnum","features":[544]},{"name":"NGenLazy","features":[544]},{"name":"NGenNever","features":[544]},{"name":"NONVERSIONABLE_TYPE","features":[544]},{"name":"NONVERSIONABLE_TYPE_W","features":[544]},{"name":"NativeTypeArrayFlags","features":[544]},{"name":"NoDupCheck","features":[544]},{"name":"OSINFO","features":[544]},{"name":"RUNTIMECOMPATIBILITY_TYPE","features":[544]},{"name":"RUNTIMECOMPATIBILITY_TYPE_W","features":[544]},{"name":"ReplacesGeneralNumericDefines","features":[544]},{"name":"RoCreateNonAgilePropertySet","features":[37,544]},{"name":"RoCreatePropertySetSerializer","features":[75,544]},{"name":"RoFreeParameterizedTypeExtra","features":[544]},{"name":"RoGetMetaDataFile","features":[544]},{"name":"RoGetParameterizedTypeInstanceIID","features":[544]},{"name":"RoIsApiContractMajorVersionPresent","features":[308,544]},{"name":"RoIsApiContractPresent","features":[308,544]},{"name":"RoParameterizedTypeExtraGetTypeSignature","features":[544]},{"name":"RoParseTypeName","features":[544]},{"name":"RoResolveNamespace","features":[544]},{"name":"SERIALIZATION_TYPE_BOOLEAN","features":[544]},{"name":"SERIALIZATION_TYPE_CHAR","features":[544]},{"name":"SERIALIZATION_TYPE_ENUM","features":[544]},{"name":"SERIALIZATION_TYPE_FIELD","features":[544]},{"name":"SERIALIZATION_TYPE_I1","features":[544]},{"name":"SERIALIZATION_TYPE_I2","features":[544]},{"name":"SERIALIZATION_TYPE_I4","features":[544]},{"name":"SERIALIZATION_TYPE_I8","features":[544]},{"name":"SERIALIZATION_TYPE_PROPERTY","features":[544]},{"name":"SERIALIZATION_TYPE_R4","features":[544]},{"name":"SERIALIZATION_TYPE_R8","features":[544]},{"name":"SERIALIZATION_TYPE_STRING","features":[544]},{"name":"SERIALIZATION_TYPE_SZARRAY","features":[544]},{"name":"SERIALIZATION_TYPE_TAGGED_OBJECT","features":[544]},{"name":"SERIALIZATION_TYPE_TYPE","features":[544]},{"name":"SERIALIZATION_TYPE_U1","features":[544]},{"name":"SERIALIZATION_TYPE_U2","features":[544]},{"name":"SERIALIZATION_TYPE_U4","features":[544]},{"name":"SERIALIZATION_TYPE_U8","features":[544]},{"name":"SERIALIZATION_TYPE_UNDEFINED","features":[544]},{"name":"SIGN_MASK_FOURBYTE","features":[544]},{"name":"SIGN_MASK_ONEBYTE","features":[544]},{"name":"SIGN_MASK_TWOBYTE","features":[544]},{"name":"SUBJECT_ASSEMBLY_TYPE","features":[544]},{"name":"SUBJECT_ASSEMBLY_TYPE_W","features":[544]},{"name":"TARGET_FRAMEWORK_TYPE","features":[544]},{"name":"TARGET_FRAMEWORK_TYPE_W","features":[544]},{"name":"USER_FRAMEWORK_REGISTRY_KEY","features":[544]},{"name":"USER_FRAMEWORK_REGISTRY_KEY_W","features":[544]},{"name":"ValidatorModuleTypeEnc","features":[544]},{"name":"ValidatorModuleTypeIncr","features":[544]},{"name":"ValidatorModuleTypeInvalid","features":[544]},{"name":"ValidatorModuleTypeMax","features":[544]},{"name":"ValidatorModuleTypeMin","features":[544]},{"name":"ValidatorModuleTypeObj","features":[544]},{"name":"ValidatorModuleTypePE","features":[544]},{"name":"afContentType_Default","features":[544]},{"name":"afContentType_Mask","features":[544]},{"name":"afContentType_WindowsRuntime","features":[544]},{"name":"afDisableJITcompileOptimizer","features":[544]},{"name":"afEnableJITcompileTracking","features":[544]},{"name":"afPA_AMD64","features":[544]},{"name":"afPA_ARM","features":[544]},{"name":"afPA_FullMask","features":[544]},{"name":"afPA_IA64","features":[544]},{"name":"afPA_MSIL","features":[544]},{"name":"afPA_Mask","features":[544]},{"name":"afPA_NoPlatform","features":[544]},{"name":"afPA_None","features":[544]},{"name":"afPA_Shift","features":[544]},{"name":"afPA_Specified","features":[544]},{"name":"afPA_x86","features":[544]},{"name":"afPublicKey","features":[544]},{"name":"afRetargetable","features":[544]},{"name":"catAll","features":[544]},{"name":"catAssembly","features":[544]},{"name":"catClass","features":[544]},{"name":"catClassMembers","features":[544]},{"name":"catConstructor","features":[544]},{"name":"catDelegate","features":[544]},{"name":"catEnum","features":[544]},{"name":"catEvent","features":[544]},{"name":"catField","features":[544]},{"name":"catGenericParameter","features":[544]},{"name":"catInterface","features":[544]},{"name":"catMethod","features":[544]},{"name":"catModule","features":[544]},{"name":"catParameter","features":[544]},{"name":"catProperty","features":[544]},{"name":"catStruct","features":[544]},{"name":"cssAccurate","features":[544]},{"name":"cssDiscardTransientCAs","features":[544]},{"name":"cssQuick","features":[544]},{"name":"dclActionMask","features":[544]},{"name":"dclActionNil","features":[544]},{"name":"dclAssert","features":[544]},{"name":"dclDemand","features":[544]},{"name":"dclDeny","features":[544]},{"name":"dclInheritanceCheck","features":[544]},{"name":"dclLinktimeCheck","features":[544]},{"name":"dclMaximumValue","features":[544]},{"name":"dclNonCasDemand","features":[544]},{"name":"dclNonCasInheritance","features":[544]},{"name":"dclNonCasLinkDemand","features":[544]},{"name":"dclPermitOnly","features":[544]},{"name":"dclPrejitDenied","features":[544]},{"name":"dclPrejitGrant","features":[544]},{"name":"dclRequest","features":[544]},{"name":"dclRequestMinimum","features":[544]},{"name":"dclRequestOptional","features":[544]},{"name":"dclRequestRefuse","features":[544]},{"name":"evRTSpecialName","features":[544]},{"name":"evReservedMask","features":[544]},{"name":"evSpecialName","features":[544]},{"name":"fdAssembly","features":[544]},{"name":"fdFamANDAssem","features":[544]},{"name":"fdFamORAssem","features":[544]},{"name":"fdFamily","features":[544]},{"name":"fdFieldAccessMask","features":[544]},{"name":"fdHasDefault","features":[544]},{"name":"fdHasFieldMarshal","features":[544]},{"name":"fdHasFieldRVA","features":[544]},{"name":"fdInitOnly","features":[544]},{"name":"fdLiteral","features":[544]},{"name":"fdNotSerialized","features":[544]},{"name":"fdPinvokeImpl","features":[544]},{"name":"fdPrivate","features":[544]},{"name":"fdPrivateScope","features":[544]},{"name":"fdPublic","features":[544]},{"name":"fdRTSpecialName","features":[544]},{"name":"fdReservedMask","features":[544]},{"name":"fdSpecialName","features":[544]},{"name":"fdStatic","features":[544]},{"name":"ffContainsMetaData","features":[544]},{"name":"ffContainsNoMetaData","features":[544]},{"name":"fmExecutableImage","features":[544]},{"name":"fmFlat","features":[544]},{"name":"gpContravariant","features":[544]},{"name":"gpCovariant","features":[544]},{"name":"gpDefaultConstructorConstraint","features":[544]},{"name":"gpNoSpecialConstraint","features":[544]},{"name":"gpNonVariant","features":[544]},{"name":"gpNotNullableValueTypeConstraint","features":[544]},{"name":"gpReferenceTypeConstraint","features":[544]},{"name":"gpSpecialConstraintMask","features":[544]},{"name":"gpVarianceMask","features":[544]},{"name":"mdAbstract","features":[544]},{"name":"mdAssem","features":[544]},{"name":"mdCheckAccessOnOverride","features":[544]},{"name":"mdFamANDAssem","features":[544]},{"name":"mdFamORAssem","features":[544]},{"name":"mdFamily","features":[544]},{"name":"mdFinal","features":[544]},{"name":"mdHasSecurity","features":[544]},{"name":"mdHideBySig","features":[544]},{"name":"mdMemberAccessMask","features":[544]},{"name":"mdNewSlot","features":[544]},{"name":"mdPinvokeImpl","features":[544]},{"name":"mdPrivate","features":[544]},{"name":"mdPrivateScope","features":[544]},{"name":"mdPublic","features":[544]},{"name":"mdRTSpecialName","features":[544]},{"name":"mdRequireSecObject","features":[544]},{"name":"mdReservedMask","features":[544]},{"name":"mdReuseSlot","features":[544]},{"name":"mdSpecialName","features":[544]},{"name":"mdStatic","features":[544]},{"name":"mdUnmanagedExport","features":[544]},{"name":"mdVirtual","features":[544]},{"name":"mdVtableLayoutMask","features":[544]},{"name":"mdtAssembly","features":[544]},{"name":"mdtAssemblyRef","features":[544]},{"name":"mdtBaseType","features":[544]},{"name":"mdtCustomAttribute","features":[544]},{"name":"mdtEvent","features":[544]},{"name":"mdtExportedType","features":[544]},{"name":"mdtFieldDef","features":[544]},{"name":"mdtFile","features":[544]},{"name":"mdtGenericParam","features":[544]},{"name":"mdtGenericParamConstraint","features":[544]},{"name":"mdtInterfaceImpl","features":[544]},{"name":"mdtManifestResource","features":[544]},{"name":"mdtMemberRef","features":[544]},{"name":"mdtMethodDef","features":[544]},{"name":"mdtMethodImpl","features":[544]},{"name":"mdtMethodSpec","features":[544]},{"name":"mdtModule","features":[544]},{"name":"mdtModuleRef","features":[544]},{"name":"mdtName","features":[544]},{"name":"mdtParamDef","features":[544]},{"name":"mdtPermission","features":[544]},{"name":"mdtProperty","features":[544]},{"name":"mdtSignature","features":[544]},{"name":"mdtString","features":[544]},{"name":"mdtTypeDef","features":[544]},{"name":"mdtTypeRef","features":[544]},{"name":"mdtTypeSpec","features":[544]},{"name":"miAggressiveInlining","features":[544]},{"name":"miCodeTypeMask","features":[544]},{"name":"miForwardRef","features":[544]},{"name":"miIL","features":[544]},{"name":"miInternalCall","features":[544]},{"name":"miManaged","features":[544]},{"name":"miManagedMask","features":[544]},{"name":"miMaxMethodImplVal","features":[544]},{"name":"miNative","features":[544]},{"name":"miNoInlining","features":[544]},{"name":"miNoOptimization","features":[544]},{"name":"miOPTIL","features":[544]},{"name":"miPreserveSig","features":[544]},{"name":"miRuntime","features":[544]},{"name":"miSecurityMitigations","features":[544]},{"name":"miSynchronized","features":[544]},{"name":"miUnmanaged","features":[544]},{"name":"miUserMask","features":[544]},{"name":"mrPrivate","features":[544]},{"name":"mrPublic","features":[544]},{"name":"mrVisibilityMask","features":[544]},{"name":"msAddOn","features":[544]},{"name":"msFire","features":[544]},{"name":"msGetter","features":[544]},{"name":"msOther","features":[544]},{"name":"msRemoveOn","features":[544]},{"name":"msSetter","features":[544]},{"name":"nlfLastError","features":[544]},{"name":"nlfMaxValue","features":[544]},{"name":"nlfNoMangle","features":[544]},{"name":"nlfNone","features":[544]},{"name":"nltAnsi","features":[544]},{"name":"nltAuto","features":[544]},{"name":"nltMaxValue","features":[544]},{"name":"nltNone","features":[544]},{"name":"nltOle","features":[544]},{"name":"nltUnicode","features":[544]},{"name":"ntaReserved","features":[544]},{"name":"ntaSizeParamIndexSpecified","features":[544]},{"name":"ofCheckIntegrity","features":[544]},{"name":"ofCopyMemory","features":[544]},{"name":"ofNoTransform","features":[544]},{"name":"ofNoTypeLib","features":[544]},{"name":"ofRead","features":[544]},{"name":"ofReadOnly","features":[544]},{"name":"ofReadWriteMask","features":[544]},{"name":"ofReserved","features":[544]},{"name":"ofReserved1","features":[544]},{"name":"ofReserved2","features":[544]},{"name":"ofReserved3","features":[544]},{"name":"ofTakeOwnership","features":[544]},{"name":"ofWrite","features":[544]},{"name":"pdHasDefault","features":[544]},{"name":"pdHasFieldMarshal","features":[544]},{"name":"pdIn","features":[544]},{"name":"pdOptional","features":[544]},{"name":"pdOut","features":[544]},{"name":"pdReservedMask","features":[544]},{"name":"pdUnused","features":[544]},{"name":"pe32BitPreferred","features":[544]},{"name":"pe32BitRequired","features":[544]},{"name":"pe32Plus","features":[544]},{"name":"pe32Unmanaged","features":[544]},{"name":"peILonly","features":[544]},{"name":"peNot","features":[544]},{"name":"pmBestFitDisabled","features":[544]},{"name":"pmBestFitEnabled","features":[544]},{"name":"pmBestFitMask","features":[544]},{"name":"pmBestFitUseAssem","features":[544]},{"name":"pmCallConvCdecl","features":[544]},{"name":"pmCallConvFastcall","features":[544]},{"name":"pmCallConvMask","features":[544]},{"name":"pmCallConvStdcall","features":[544]},{"name":"pmCallConvThiscall","features":[544]},{"name":"pmCallConvWinapi","features":[544]},{"name":"pmCharSetAnsi","features":[544]},{"name":"pmCharSetAuto","features":[544]},{"name":"pmCharSetMask","features":[544]},{"name":"pmCharSetNotSpec","features":[544]},{"name":"pmCharSetUnicode","features":[544]},{"name":"pmMaxValue","features":[544]},{"name":"pmNoMangle","features":[544]},{"name":"pmSupportsLastError","features":[544]},{"name":"pmThrowOnUnmappableCharDisabled","features":[544]},{"name":"pmThrowOnUnmappableCharEnabled","features":[544]},{"name":"pmThrowOnUnmappableCharMask","features":[544]},{"name":"pmThrowOnUnmappableCharUseAssem","features":[544]},{"name":"prHasDefault","features":[544]},{"name":"prRTSpecialName","features":[544]},{"name":"prReservedMask","features":[544]},{"name":"prSpecialName","features":[544]},{"name":"prUnused","features":[544]},{"name":"regConfig","features":[544]},{"name":"regHasRefs","features":[544]},{"name":"regNoCopy","features":[544]},{"name":"sdExecute","features":[544]},{"name":"sdNone","features":[544]},{"name":"sdReadOnly","features":[544]},{"name":"sdReadWrite","features":[544]},{"name":"srNoBaseReloc","features":[544]},{"name":"srRelocAbsolute","features":[544]},{"name":"srRelocAbsolutePtr","features":[544]},{"name":"srRelocAbsoluteTagged","features":[544]},{"name":"srRelocCodeRelative","features":[544]},{"name":"srRelocDir64","features":[544]},{"name":"srRelocDir64Ptr","features":[544]},{"name":"srRelocFilePos","features":[544]},{"name":"srRelocHighAdj","features":[544]},{"name":"srRelocHighLow","features":[544]},{"name":"srRelocHighLowPtr","features":[544]},{"name":"srRelocIA64Imm64","features":[544]},{"name":"srRelocIA64Imm64Ptr","features":[544]},{"name":"srRelocIA64PcRel25","features":[544]},{"name":"srRelocIA64PcRel64","features":[544]},{"name":"srRelocMapToken","features":[544]},{"name":"srRelocPtr","features":[544]},{"name":"srRelocRelative","features":[544]},{"name":"srRelocRelativePtr","features":[544]},{"name":"srRelocSentinel","features":[544]},{"name":"tdAbstract","features":[544]},{"name":"tdAnsiClass","features":[544]},{"name":"tdAutoClass","features":[544]},{"name":"tdAutoLayout","features":[544]},{"name":"tdBeforeFieldInit","features":[544]},{"name":"tdClass","features":[544]},{"name":"tdClassSemanticsMask","features":[544]},{"name":"tdCustomFormatClass","features":[544]},{"name":"tdCustomFormatMask","features":[544]},{"name":"tdExplicitLayout","features":[544]},{"name":"tdForwarder","features":[544]},{"name":"tdHasSecurity","features":[544]},{"name":"tdImport","features":[544]},{"name":"tdInterface","features":[544]},{"name":"tdLayoutMask","features":[544]},{"name":"tdNestedAssembly","features":[544]},{"name":"tdNestedFamANDAssem","features":[544]},{"name":"tdNestedFamORAssem","features":[544]},{"name":"tdNestedFamily","features":[544]},{"name":"tdNestedPrivate","features":[544]},{"name":"tdNestedPublic","features":[544]},{"name":"tdNotPublic","features":[544]},{"name":"tdPublic","features":[544]},{"name":"tdRTSpecialName","features":[544]},{"name":"tdReservedMask","features":[544]},{"name":"tdSealed","features":[544]},{"name":"tdSequentialLayout","features":[544]},{"name":"tdSerializable","features":[544]},{"name":"tdSpecialName","features":[544]},{"name":"tdStringFormatMask","features":[544]},{"name":"tdUnicodeClass","features":[544]},{"name":"tdVisibilityMask","features":[544]},{"name":"tdWindowsRuntime","features":[544]}],"639":[{"name":"IPdfRendererNative","features":[614]},{"name":"PDF_RENDER_PARAMS","features":[308,399,614]},{"name":"PFN_PDF_CREATE_RENDERER","features":[400,614]},{"name":"PdfCreateRenderer","features":[400,614]}],"640":[{"name":"IPrintManagerInterop","features":[615]},{"name":"IPrintWorkflowConfigurationNative","features":[615]},{"name":"IPrintWorkflowObjectModelSourceFileContentNative","features":[615]},{"name":"IPrintWorkflowXpsObjectModelTargetPackageNative","features":[615]},{"name":"IPrintWorkflowXpsReceiver","features":[615]},{"name":"IPrintWorkflowXpsReceiver2","features":[615]},{"name":"IPrinting3DManagerInterop","features":[615]}],"641":[{"name":"CpAicLaunchAdminProcess","features":[616]},{"name":"CpCreateProcess","features":[616]},{"name":"CpCreateProcessAsUser","features":[616]},{"name":"CreateProcessMethod","features":[616]},{"name":"IDDEInitializer","features":[616]}],"642":[{"name":"HANDLE_ACCESS_OPTIONS","features":[617]},{"name":"HANDLE_CREATION_OPTIONS","features":[617]},{"name":"HANDLE_OPTIONS","features":[617]},{"name":"HANDLE_SHARING_OPTIONS","features":[617]},{"name":"HAO_DELETE","features":[617]},{"name":"HAO_NONE","features":[617]},{"name":"HAO_READ","features":[617]},{"name":"HAO_READ_ATTRIBUTES","features":[617]},{"name":"HAO_WRITE","features":[617]},{"name":"HCO_CREATE_ALWAYS","features":[617]},{"name":"HCO_CREATE_NEW","features":[617]},{"name":"HCO_OPEN_ALWAYS","features":[617]},{"name":"HCO_OPEN_EXISTING","features":[617]},{"name":"HCO_TRUNCATE_EXISTING","features":[617]},{"name":"HO_DELETE_ON_CLOSE","features":[617]},{"name":"HO_NONE","features":[617]},{"name":"HO_NO_BUFFERING","features":[617]},{"name":"HO_OPEN_REQUIRING_OPLOCK","features":[617]},{"name":"HO_OVERLAPPED","features":[617]},{"name":"HO_RANDOM_ACCESS","features":[617]},{"name":"HO_SEQUENTIAL_SCAN","features":[617]},{"name":"HO_WRITE_THROUGH","features":[617]},{"name":"HSO_SHARE_DELETE","features":[617]},{"name":"HSO_SHARE_NONE","features":[617]},{"name":"HSO_SHARE_READ","features":[617]},{"name":"HSO_SHARE_WRITE","features":[617]},{"name":"IOplockBreakingHandler","features":[617]},{"name":"IRandomAccessStreamFileAccessMode","features":[617]},{"name":"IStorageFolderHandleAccess","features":[617]},{"name":"IStorageItemHandleAccess","features":[617]},{"name":"IUnbufferedFileHandleOplockCallback","features":[617]},{"name":"IUnbufferedFileHandleProvider","features":[617]}],"644":[{"name":"AADBE_ADD_ENTRY","features":[340]},{"name":"AADBE_DEL_ENTRY","features":[340]},{"name":"ACTCTX_FLAG_APPLICATION_NAME_VALID","features":[340]},{"name":"ACTCTX_FLAG_ASSEMBLY_DIRECTORY_VALID","features":[340]},{"name":"ACTCTX_FLAG_HMODULE_VALID","features":[340]},{"name":"ACTCTX_FLAG_LANGID_VALID","features":[340]},{"name":"ACTCTX_FLAG_PROCESSOR_ARCHITECTURE_VALID","features":[340]},{"name":"ACTCTX_FLAG_RESOURCE_NAME_VALID","features":[340]},{"name":"ACTCTX_FLAG_SET_PROCESS_DEFAULT","features":[340]},{"name":"ACTCTX_FLAG_SOURCE_IS_ASSEMBLYREF","features":[340]},{"name":"ACTCTX_SECTION_KEYED_DATA_2600","features":[308,340]},{"name":"ACTCTX_SECTION_KEYED_DATA_ASSEMBLY_METADATA","features":[340]},{"name":"ACTIVATION_CONTEXT_BASIC_INFORMATION","features":[308,340]},{"name":"ACTIVATION_CONTEXT_BASIC_INFORMATION_DEFINED","features":[340]},{"name":"AC_LINE_BACKUP_POWER","features":[340]},{"name":"AC_LINE_OFFLINE","features":[340]},{"name":"AC_LINE_ONLINE","features":[340]},{"name":"AC_LINE_UNKNOWN","features":[340]},{"name":"ADN_DEL_IF_EMPTY","features":[340]},{"name":"ADN_DEL_UNC_PATHS","features":[340]},{"name":"ADN_DONT_DEL_DIR","features":[340]},{"name":"ADN_DONT_DEL_SUBDIRS","features":[340]},{"name":"AFSR_BACKNEW","features":[340]},{"name":"AFSR_EXTRAINCREFCNT","features":[340]},{"name":"AFSR_NODELETENEW","features":[340]},{"name":"AFSR_NOMESSAGES","features":[340]},{"name":"AFSR_NOPROGRESS","features":[340]},{"name":"AFSR_RESTORE","features":[340]},{"name":"AFSR_UPDREFCNT","features":[340]},{"name":"AFSR_USEREFCNT","features":[340]},{"name":"AIF_FORCE_FILE_IN_USE","features":[340]},{"name":"AIF_NOLANGUAGECHECK","features":[340]},{"name":"AIF_NOOVERWRITE","features":[340]},{"name":"AIF_NOSKIP","features":[340]},{"name":"AIF_NOVERSIONCHECK","features":[340]},{"name":"AIF_NO_VERSION_DIALOG","features":[340]},{"name":"AIF_QUIET","features":[340]},{"name":"AIF_REPLACEONLY","features":[340]},{"name":"AIF_WARNIFSKIP","features":[340]},{"name":"ALINF_BKINSTALL","features":[340]},{"name":"ALINF_CHECKBKDATA","features":[340]},{"name":"ALINF_DELAYREGISTEROCX","features":[340]},{"name":"ALINF_NGCONV","features":[340]},{"name":"ALINF_QUIET","features":[340]},{"name":"ALINF_ROLLBACK","features":[340]},{"name":"ALINF_ROLLBKDOALL","features":[340]},{"name":"ALINF_UPDHLPDLLS","features":[340]},{"name":"APPLICATION_RECOVERY_CALLBACK","features":[340]},{"name":"ARSR_NOMESSAGES","features":[340]},{"name":"ARSR_REGSECTION","features":[340]},{"name":"ARSR_REMOVREGBKDATA","features":[340]},{"name":"ARSR_RESTORE","features":[340]},{"name":"ATOM_FLAG_GLOBAL","features":[340]},{"name":"AT_ARP","features":[340]},{"name":"AT_ENTITY","features":[340]},{"name":"AT_NULL","features":[340]},{"name":"AddDelBackupEntryA","features":[340]},{"name":"AddDelBackupEntryW","features":[340]},{"name":"AdvInstallFileA","features":[308,340]},{"name":"AdvInstallFileW","features":[308,340]},{"name":"ApphelpCheckShellObject","features":[308,340]},{"name":"BACKUP_GHOSTED_FILE_EXTENTS","features":[340]},{"name":"BACKUP_INVALID","features":[340]},{"name":"BASE_SEARCH_PATH_DISABLE_SAFE_SEARCHMODE","features":[340]},{"name":"BASE_SEARCH_PATH_ENABLE_SAFE_SEARCHMODE","features":[340]},{"name":"BASE_SEARCH_PATH_PERMANENT","features":[340]},{"name":"BATTERY_FLAG_CHARGING","features":[340]},{"name":"BATTERY_FLAG_CRITICAL","features":[340]},{"name":"BATTERY_FLAG_HIGH","features":[340]},{"name":"BATTERY_FLAG_LOW","features":[340]},{"name":"BATTERY_FLAG_NO_BATTERY","features":[340]},{"name":"BATTERY_FLAG_UNKNOWN","features":[340]},{"name":"BATTERY_LIFE_UNKNOWN","features":[340]},{"name":"BATTERY_PERCENTAGE_UNKNOWN","features":[340]},{"name":"BAUD_075","features":[340]},{"name":"BAUD_110","features":[340]},{"name":"BAUD_115200","features":[340]},{"name":"BAUD_1200","features":[340]},{"name":"BAUD_128K","features":[340]},{"name":"BAUD_134_5","features":[340]},{"name":"BAUD_14400","features":[340]},{"name":"BAUD_150","features":[340]},{"name":"BAUD_1800","features":[340]},{"name":"BAUD_19200","features":[340]},{"name":"BAUD_2400","features":[340]},{"name":"BAUD_300","features":[340]},{"name":"BAUD_38400","features":[340]},{"name":"BAUD_4800","features":[340]},{"name":"BAUD_56K","features":[340]},{"name":"BAUD_57600","features":[340]},{"name":"BAUD_600","features":[340]},{"name":"BAUD_7200","features":[340]},{"name":"BAUD_9600","features":[340]},{"name":"BAUD_USER","features":[340]},{"name":"CABINFOA","features":[340]},{"name":"CABINFOW","features":[340]},{"name":"CATID_DeleteBrowsingHistory","features":[340]},{"name":"CBR_110","features":[340]},{"name":"CBR_115200","features":[340]},{"name":"CBR_1200","features":[340]},{"name":"CBR_128000","features":[340]},{"name":"CBR_14400","features":[340]},{"name":"CBR_19200","features":[340]},{"name":"CBR_2400","features":[340]},{"name":"CBR_256000","features":[340]},{"name":"CBR_300","features":[340]},{"name":"CBR_38400","features":[340]},{"name":"CBR_4800","features":[340]},{"name":"CBR_56000","features":[340]},{"name":"CBR_57600","features":[340]},{"name":"CBR_600","features":[340]},{"name":"CBR_9600","features":[340]},{"name":"CE_DNS","features":[340]},{"name":"CE_IOE","features":[340]},{"name":"CE_MODE","features":[340]},{"name":"CE_OOP","features":[340]},{"name":"CE_PTO","features":[340]},{"name":"CE_TXFULL","features":[340]},{"name":"CLIENT_ID","features":[308,340]},{"name":"CL_NL_ENTITY","features":[340]},{"name":"CL_NL_IP","features":[340]},{"name":"CL_NL_IPX","features":[340]},{"name":"CL_TL_ENTITY","features":[340]},{"name":"CL_TL_NBF","features":[340]},{"name":"CL_TL_UDP","features":[340]},{"name":"CODEINTEGRITY_OPTION_DEBUGMODE_ENABLED","features":[340]},{"name":"CODEINTEGRITY_OPTION_ENABLED","features":[340]},{"name":"CODEINTEGRITY_OPTION_FLIGHTING_ENABLED","features":[340]},{"name":"CODEINTEGRITY_OPTION_FLIGHT_BUILD","features":[340]},{"name":"CODEINTEGRITY_OPTION_HVCI_IUM_ENABLED","features":[340]},{"name":"CODEINTEGRITY_OPTION_HVCI_KMCI_AUDITMODE_ENABLED","features":[340]},{"name":"CODEINTEGRITY_OPTION_HVCI_KMCI_ENABLED","features":[340]},{"name":"CODEINTEGRITY_OPTION_HVCI_KMCI_STRICTMODE_ENABLED","features":[340]},{"name":"CODEINTEGRITY_OPTION_PREPRODUCTION_BUILD","features":[340]},{"name":"CODEINTEGRITY_OPTION_TESTSIGN","features":[340]},{"name":"CODEINTEGRITY_OPTION_TEST_BUILD","features":[340]},{"name":"CODEINTEGRITY_OPTION_UMCI_AUDITMODE_ENABLED","features":[340]},{"name":"CODEINTEGRITY_OPTION_UMCI_ENABLED","features":[340]},{"name":"CODEINTEGRITY_OPTION_UMCI_EXCLUSIONPATHS_ENABLED","features":[340]},{"name":"COMMPROP_INITIALIZED","features":[340]},{"name":"CONTEXT_SIZE","features":[340]},{"name":"COPYFILE2_IO_CYCLE_SIZE_MAX","features":[340]},{"name":"COPYFILE2_IO_CYCLE_SIZE_MIN","features":[340]},{"name":"COPYFILE2_IO_RATE_MIN","features":[340]},{"name":"COPYFILE2_MESSAGE_COPY_OFFLOAD","features":[340]},{"name":"COPY_FILE2_V2_DONT_COPY_JUNCTIONS","features":[340]},{"name":"COPY_FILE2_V2_VALID_FLAGS","features":[340]},{"name":"COPY_FILE_ALLOW_DECRYPTED_DESTINATION","features":[340]},{"name":"COPY_FILE_COPY_SYMLINK","features":[340]},{"name":"COPY_FILE_DIRECTORY","features":[340]},{"name":"COPY_FILE_DISABLE_PRE_ALLOCATION","features":[340]},{"name":"COPY_FILE_DONT_REQUEST_DEST_WRITE_DAC","features":[340]},{"name":"COPY_FILE_ENABLE_LOW_FREE_SPACE_MODE","features":[340]},{"name":"COPY_FILE_ENABLE_SPARSE_COPY","features":[340]},{"name":"COPY_FILE_FAIL_IF_EXISTS","features":[340]},{"name":"COPY_FILE_IGNORE_EDP_BLOCK","features":[340]},{"name":"COPY_FILE_IGNORE_SOURCE_ENCRYPTION","features":[340]},{"name":"COPY_FILE_NO_BUFFERING","features":[340]},{"name":"COPY_FILE_NO_OFFLOAD","features":[340]},{"name":"COPY_FILE_OPEN_AND_COPY_REPARSE_POINT","features":[340]},{"name":"COPY_FILE_OPEN_SOURCE_FOR_WRITE","features":[340]},{"name":"COPY_FILE_REQUEST_COMPRESSED_TRAFFIC","features":[340]},{"name":"COPY_FILE_REQUEST_SECURITY_PRIVILEGES","features":[340]},{"name":"COPY_FILE_RESTARTABLE","features":[340]},{"name":"COPY_FILE_RESUME_FROM_PAUSE","features":[340]},{"name":"COPY_FILE_SKIP_ALTERNATE_STREAMS","features":[340]},{"name":"CO_NL_ENTITY","features":[340]},{"name":"CO_TL_ENTITY","features":[340]},{"name":"CO_TL_NBF","features":[340]},{"name":"CO_TL_SPP","features":[340]},{"name":"CO_TL_SPX","features":[340]},{"name":"CO_TL_TCP","features":[340]},{"name":"CP_DIRECT","features":[340]},{"name":"CP_HWND","features":[340]},{"name":"CP_LEVEL","features":[340]},{"name":"CP_OPEN","features":[340]},{"name":"CREATE_FOR_DIR","features":[340]},{"name":"CREATE_FOR_IMPORT","features":[340]},{"name":"CRITICAL_SECTION_NO_DEBUG_INFO","features":[340]},{"name":"CUSTOM_SYSTEM_EVENT_TRIGGER_CONFIG","features":[340]},{"name":"CameraUIControl","features":[340]},{"name":"CameraUIControlCaptureMode","features":[340]},{"name":"CameraUIControlLinearSelectionMode","features":[340]},{"name":"CameraUIControlMode","features":[340]},{"name":"CameraUIControlPhotoFormat","features":[340]},{"name":"CameraUIControlVideoFormat","features":[340]},{"name":"CameraUIControlViewType","features":[340]},{"name":"CancelDeviceWakeupRequest","features":[308,340]},{"name":"CloseINFEngine","features":[340]},{"name":"ConvertAuxiliaryCounterToPerformanceCounter","features":[340]},{"name":"ConvertPerformanceCounterToAuxiliaryCounter","features":[340]},{"name":"DATETIME","features":[340]},{"name":"DCIBeginAccess","features":[340]},{"name":"DCICMD","features":[340]},{"name":"DCICREATEINPUT","features":[340]},{"name":"DCICREATEOFFSCREENSURFACE","features":[340]},{"name":"DCICREATEOVERLAYSURFACE","features":[340]},{"name":"DCICREATEPRIMARYSURFACE","features":[340]},{"name":"DCICloseProvider","features":[319,340]},{"name":"DCICreateOffscreen","features":[319,340]},{"name":"DCICreateOverlay","features":[319,340]},{"name":"DCICreatePrimary","features":[319,340]},{"name":"DCIDestroy","features":[340]},{"name":"DCIDraw","features":[340]},{"name":"DCIENUMINPUT","features":[308,340]},{"name":"DCIENUMSURFACE","features":[340]},{"name":"DCIESCAPE","features":[340]},{"name":"DCIEndAccess","features":[340]},{"name":"DCIEnum","features":[308,319,340]},{"name":"DCIOFFSCREEN","features":[340]},{"name":"DCIOVERLAY","features":[340]},{"name":"DCIOpenProvider","features":[319,340]},{"name":"DCISURFACEINFO","features":[340]},{"name":"DCISetClipList","features":[308,319,340]},{"name":"DCISetDestination","features":[308,340]},{"name":"DCISetSrcDestClip","features":[308,319,340]},{"name":"DCI_1632_ACCESS","features":[340]},{"name":"DCI_ASYNC","features":[340]},{"name":"DCI_CANOVERLAY","features":[340]},{"name":"DCI_CAN_STRETCHX","features":[340]},{"name":"DCI_CAN_STRETCHXN","features":[340]},{"name":"DCI_CAN_STRETCHY","features":[340]},{"name":"DCI_CAN_STRETCHYN","features":[340]},{"name":"DCI_CHROMAKEY","features":[340]},{"name":"DCI_DWORDALIGN","features":[340]},{"name":"DCI_DWORDSIZE","features":[340]},{"name":"DCI_ERR_CURRENTLYNOTAVAIL","features":[340]},{"name":"DCI_ERR_HEIGHTALIGN","features":[340]},{"name":"DCI_ERR_INVALIDCLIPLIST","features":[340]},{"name":"DCI_ERR_INVALIDPOSITION","features":[340]},{"name":"DCI_ERR_INVALIDRECT","features":[340]},{"name":"DCI_ERR_INVALIDSTRETCH","features":[340]},{"name":"DCI_ERR_OUTOFMEMORY","features":[340]},{"name":"DCI_ERR_SURFACEISOBSCURED","features":[340]},{"name":"DCI_ERR_TOOBIGHEIGHT","features":[340]},{"name":"DCI_ERR_TOOBIGSIZE","features":[340]},{"name":"DCI_ERR_TOOBIGWIDTH","features":[340]},{"name":"DCI_ERR_UNSUPPORTEDFORMAT","features":[340]},{"name":"DCI_ERR_UNSUPPORTEDMASK","features":[340]},{"name":"DCI_ERR_WIDTHALIGN","features":[340]},{"name":"DCI_ERR_XALIGN","features":[340]},{"name":"DCI_ERR_XYALIGN","features":[340]},{"name":"DCI_ERR_YALIGN","features":[340]},{"name":"DCI_FAIL_GENERIC","features":[340]},{"name":"DCI_FAIL_INVALIDSURFACE","features":[340]},{"name":"DCI_FAIL_UNSUPPORTED","features":[340]},{"name":"DCI_FAIL_UNSUPPORTEDVERSION","features":[340]},{"name":"DCI_OFFSCREEN","features":[340]},{"name":"DCI_OK","features":[340]},{"name":"DCI_OVERLAY","features":[340]},{"name":"DCI_PRIMARY","features":[340]},{"name":"DCI_STATUS_CHROMAKEYCHANGED","features":[340]},{"name":"DCI_STATUS_FORMATCHANGED","features":[340]},{"name":"DCI_STATUS_POINTERCHANGED","features":[340]},{"name":"DCI_STATUS_STRIDECHANGED","features":[340]},{"name":"DCI_STATUS_SURFACEINFOCHANGED","features":[340]},{"name":"DCI_STATUS_WASSTILLDRAWING","features":[340]},{"name":"DCI_SURFACE_TYPE","features":[340]},{"name":"DCI_VERSION","features":[340]},{"name":"DCI_VISIBLE","features":[340]},{"name":"DCI_WRITEONLY","features":[340]},{"name":"DEACTIVATE_ACTCTX_FLAG_FORCE_EARLY_DEACTIVATION","features":[340]},{"name":"DECISION_LOCATION","features":[340]},{"name":"DECISION_LOCATION_AUDIT","features":[340]},{"name":"DECISION_LOCATION_ENFORCE_STATE_LIST","features":[340]},{"name":"DECISION_LOCATION_ENTERPRISE_DEFINED_CLASS_ID","features":[340]},{"name":"DECISION_LOCATION_FAILED_CONVERT_GUID","features":[340]},{"name":"DECISION_LOCATION_GLOBAL_BUILT_IN_LIST","features":[340]},{"name":"DECISION_LOCATION_NOT_FOUND","features":[340]},{"name":"DECISION_LOCATION_PARAMETER_VALIDATION","features":[340]},{"name":"DECISION_LOCATION_PROVIDER_BUILT_IN_LIST","features":[340]},{"name":"DECISION_LOCATION_REFRESH_GLOBAL_DATA","features":[340]},{"name":"DECISION_LOCATION_UNKNOWN","features":[340]},{"name":"DELAYLOAD_GPA_FAILURE","features":[340]},{"name":"DELAYLOAD_INFO","features":[340]},{"name":"DELAYLOAD_INFO","features":[340]},{"name":"DELAYLOAD_PROC_DESCRIPTOR","features":[340]},{"name":"DELETE_BROWSING_HISTORY_COOKIES","features":[340]},{"name":"DELETE_BROWSING_HISTORY_DOWNLOADHISTORY","features":[340]},{"name":"DELETE_BROWSING_HISTORY_FORMDATA","features":[340]},{"name":"DELETE_BROWSING_HISTORY_HISTORY","features":[340]},{"name":"DELETE_BROWSING_HISTORY_PASSWORDS","features":[340]},{"name":"DELETE_BROWSING_HISTORY_PRESERVEFAVORITES","features":[340]},{"name":"DELETE_BROWSING_HISTORY_TIF","features":[340]},{"name":"DOCKINFO_DOCKED","features":[340]},{"name":"DOCKINFO_UNDOCKED","features":[340]},{"name":"DOCKINFO_USER_SUPPLIED","features":[340]},{"name":"DRIVE_CDROM","features":[340]},{"name":"DRIVE_FIXED","features":[340]},{"name":"DRIVE_NO_ROOT_DIR","features":[340]},{"name":"DRIVE_RAMDISK","features":[340]},{"name":"DRIVE_REMOTE","features":[340]},{"name":"DRIVE_REMOVABLE","features":[340]},{"name":"DRIVE_UNKNOWN","features":[340]},{"name":"DTR_CONTROL_DISABLE","features":[340]},{"name":"DTR_CONTROL_ENABLE","features":[340]},{"name":"DTR_CONTROL_HANDSHAKE","features":[340]},{"name":"DefaultBrowserSyncSettings","features":[340]},{"name":"DelNodeA","features":[340]},{"name":"DelNodeRunDLL32W","features":[308,340]},{"name":"DelNodeW","features":[340]},{"name":"DnsHostnameToComputerNameA","features":[308,340]},{"name":"DnsHostnameToComputerNameW","features":[308,340]},{"name":"DosDateTimeToFileTime","features":[308,340]},{"name":"EFSRPC_SECURE_ONLY","features":[340]},{"name":"EFS_DROP_ALTERNATE_STREAMS","features":[340]},{"name":"EFS_USE_RECOVERY_KEYS","features":[340]},{"name":"ENTITY_LIST_ID","features":[340]},{"name":"ENTITY_TYPE_ID","features":[340]},{"name":"ENUM_CALLBACK","features":[340]},{"name":"ER_ENTITY","features":[340]},{"name":"ER_ICMP","features":[340]},{"name":"EVENTLOG_FULL_INFO","features":[340]},{"name":"EditionUpgradeBroker","features":[340]},{"name":"EditionUpgradeHelper","features":[340]},{"name":"EnableProcessOptionalXStateFeatures","features":[308,340]},{"name":"EndpointIoControlType","features":[340]},{"name":"ExecuteCabA","features":[308,340]},{"name":"ExecuteCabW","features":[308,340]},{"name":"ExtractFilesA","features":[340]},{"name":"ExtractFilesW","features":[340]},{"name":"FAIL_FAST_GENERATE_EXCEPTION_ADDRESS","features":[340]},{"name":"FAIL_FAST_NO_HARD_ERROR_DLG","features":[340]},{"name":"FEATURE_CHANGE_TIME","features":[340]},{"name":"FEATURE_CHANGE_TIME_MODULE_RELOAD","features":[340]},{"name":"FEATURE_CHANGE_TIME_READ","features":[340]},{"name":"FEATURE_CHANGE_TIME_REBOOT","features":[340]},{"name":"FEATURE_CHANGE_TIME_SESSION","features":[340]},{"name":"FEATURE_ENABLED_STATE","features":[340]},{"name":"FEATURE_ENABLED_STATE_DEFAULT","features":[340]},{"name":"FEATURE_ENABLED_STATE_DISABLED","features":[340]},{"name":"FEATURE_ENABLED_STATE_ENABLED","features":[340]},{"name":"FEATURE_ERROR","features":[340]},{"name":"FEATURE_STATE_CHANGE_SUBSCRIPTION","features":[340]},{"name":"FH_SERVICE_PIPE_HANDLE","features":[340]},{"name":"FIBER_FLAG_FLOAT_SWITCH","features":[340]},{"name":"FILE_CASE_SENSITIVE_INFO","features":[340]},{"name":"FILE_CREATED","features":[340]},{"name":"FILE_DIR_DISALLOWED","features":[340]},{"name":"FILE_DOES_NOT_EXIST","features":[340]},{"name":"FILE_ENCRYPTABLE","features":[340]},{"name":"FILE_EXISTS","features":[340]},{"name":"FILE_FLAG_IGNORE_IMPERSONATED_DEVICEMAP","features":[340]},{"name":"FILE_FLAG_OPEN_REQUIRING_OPLOCK","features":[340]},{"name":"FILE_IS_ENCRYPTED","features":[340]},{"name":"FILE_MAXIMUM_DISPOSITION","features":[340]},{"name":"FILE_NO_COMPRESSION","features":[340]},{"name":"FILE_OPENED","features":[340]},{"name":"FILE_OPEN_NO_RECALL","features":[340]},{"name":"FILE_OPEN_REMOTE_INSTANCE","features":[340]},{"name":"FILE_OVERWRITTEN","features":[340]},{"name":"FILE_READ_ONLY","features":[340]},{"name":"FILE_RENAME_FLAG_POSIX_SEMANTICS","features":[340]},{"name":"FILE_RENAME_FLAG_REPLACE_IF_EXISTS","features":[340]},{"name":"FILE_RENAME_FLAG_SUPPRESS_PIN_STATE_INHERITANCE","features":[340]},{"name":"FILE_ROOT_DIR","features":[340]},{"name":"FILE_SKIP_COMPLETION_PORT_ON_SUCCESS","features":[340]},{"name":"FILE_SKIP_SET_EVENT_ON_HANDLE","features":[340]},{"name":"FILE_SUPERSEDED","features":[340]},{"name":"FILE_SYSTEM_ATTR","features":[340]},{"name":"FILE_SYSTEM_DIR","features":[340]},{"name":"FILE_SYSTEM_NOT_SUPPORT","features":[340]},{"name":"FILE_UNKNOWN","features":[340]},{"name":"FILE_USER_DISALLOWED","features":[340]},{"name":"FILE_VALID_MAILSLOT_OPTION_FLAGS","features":[340]},{"name":"FILE_VALID_OPTION_FLAGS","features":[340]},{"name":"FILE_VALID_PIPE_OPTION_FLAGS","features":[340]},{"name":"FILE_VALID_SET_FLAGS","features":[340]},{"name":"FIND_ACTCTX_SECTION_KEY_RETURN_ASSEMBLY_METADATA","features":[340]},{"name":"FIND_ACTCTX_SECTION_KEY_RETURN_FLAGS","features":[340]},{"name":"FIND_ACTCTX_SECTION_KEY_RETURN_HACTCTX","features":[340]},{"name":"FORMAT_MESSAGE_MAX_WIDTH_MASK","features":[340]},{"name":"FS_CASE_IS_PRESERVED","features":[340]},{"name":"FS_CASE_SENSITIVE","features":[340]},{"name":"FS_FILE_COMPRESSION","features":[340]},{"name":"FS_FILE_ENCRYPTION","features":[340]},{"name":"FS_PERSISTENT_ACLS","features":[340]},{"name":"FS_UNICODE_STORED_ON_DISK","features":[340]},{"name":"FS_VOL_IS_COMPRESSED","features":[340]},{"name":"FileSaveMarkNotExistA","features":[340]},{"name":"FileSaveMarkNotExistW","features":[340]},{"name":"FileSaveRestoreOnINFA","features":[308,340]},{"name":"FileSaveRestoreOnINFW","features":[308,340]},{"name":"FileSaveRestoreW","features":[308,340]},{"name":"FileTimeToDosDateTime","features":[308,340]},{"name":"GENERIC_ENTITY","features":[340]},{"name":"GET_SYSTEM_WOW64_DIRECTORY_NAME_A_A","features":[340]},{"name":"GET_SYSTEM_WOW64_DIRECTORY_NAME_A_T","features":[340]},{"name":"GET_SYSTEM_WOW64_DIRECTORY_NAME_A_W","features":[340]},{"name":"GET_SYSTEM_WOW64_DIRECTORY_NAME_T_A","features":[340]},{"name":"GET_SYSTEM_WOW64_DIRECTORY_NAME_T_T","features":[340]},{"name":"GET_SYSTEM_WOW64_DIRECTORY_NAME_T_W","features":[340]},{"name":"GET_SYSTEM_WOW64_DIRECTORY_NAME_W_A","features":[340]},{"name":"GET_SYSTEM_WOW64_DIRECTORY_NAME_W_T","features":[340]},{"name":"GET_SYSTEM_WOW64_DIRECTORY_NAME_W_W","features":[340]},{"name":"GMEM_DDESHARE","features":[340]},{"name":"GMEM_DISCARDABLE","features":[340]},{"name":"GMEM_DISCARDED","features":[340]},{"name":"GMEM_INVALID_HANDLE","features":[340]},{"name":"GMEM_LOCKCOUNT","features":[340]},{"name":"GMEM_LOWER","features":[340]},{"name":"GMEM_MODIFY","features":[340]},{"name":"GMEM_NOCOMPACT","features":[340]},{"name":"GMEM_NODISCARD","features":[340]},{"name":"GMEM_NOTIFY","features":[340]},{"name":"GMEM_NOT_BANKED","features":[340]},{"name":"GMEM_SHARE","features":[340]},{"name":"GMEM_VALID_FLAGS","features":[340]},{"name":"GdiEntry13","features":[340]},{"name":"GetComputerNameA","features":[308,340]},{"name":"GetComputerNameW","features":[308,340]},{"name":"GetCurrentHwProfileA","features":[308,340]},{"name":"GetCurrentHwProfileW","features":[308,340]},{"name":"GetDCRegionData","features":[308,319,340]},{"name":"GetFeatureEnabledState","features":[340]},{"name":"GetFeatureVariant","features":[308,340]},{"name":"GetFirmwareEnvironmentVariableA","features":[340]},{"name":"GetFirmwareEnvironmentVariableExA","features":[340]},{"name":"GetFirmwareEnvironmentVariableExW","features":[340]},{"name":"GetFirmwareEnvironmentVariableW","features":[340]},{"name":"GetPrivateProfileIntA","features":[340]},{"name":"GetPrivateProfileIntW","features":[340]},{"name":"GetPrivateProfileSectionA","features":[340]},{"name":"GetPrivateProfileSectionNamesA","features":[340]},{"name":"GetPrivateProfileSectionNamesW","features":[340]},{"name":"GetPrivateProfileSectionW","features":[340]},{"name":"GetPrivateProfileStringA","features":[340]},{"name":"GetPrivateProfileStringW","features":[340]},{"name":"GetPrivateProfileStructA","features":[308,340]},{"name":"GetPrivateProfileStructW","features":[308,340]},{"name":"GetProfileIntA","features":[340]},{"name":"GetProfileIntW","features":[340]},{"name":"GetProfileSectionA","features":[340]},{"name":"GetProfileSectionW","features":[340]},{"name":"GetProfileStringA","features":[340]},{"name":"GetProfileStringW","features":[340]},{"name":"GetSockOptIoControlType","features":[340]},{"name":"GetSystemRegistryQuota","features":[308,340]},{"name":"GetThreadEnabledXStateFeatures","features":[340]},{"name":"GetUserNameA","features":[308,340]},{"name":"GetUserNameW","features":[308,340]},{"name":"GetVersionFromFileA","features":[308,340]},{"name":"GetVersionFromFileExA","features":[308,340]},{"name":"GetVersionFromFileExW","features":[308,340]},{"name":"GetVersionFromFileW","features":[308,340]},{"name":"GetWindowRegionData","features":[308,319,340]},{"name":"GlobalCompact","features":[340]},{"name":"GlobalFix","features":[308,340]},{"name":"GlobalUnWire","features":[308,340]},{"name":"GlobalUnfix","features":[308,340]},{"name":"GlobalWire","features":[308,340]},{"name":"HANJA_WINDOW","features":[340]},{"name":"HINSTANCE_ERROR","features":[340]},{"name":"HWINWATCH","features":[340]},{"name":"HW_PROFILE_GUIDLEN","features":[340]},{"name":"HW_PROFILE_INFOA","features":[340]},{"name":"HW_PROFILE_INFOW","features":[340]},{"name":"ICameraUIControl","features":[340]},{"name":"ICameraUIControlEventCallback","features":[340]},{"name":"IClipServiceNotificationHelper","features":[340]},{"name":"IContainerActivationHelper","features":[340]},{"name":"IDefaultBrowserSyncSettings","features":[340]},{"name":"IDeleteBrowsingHistory","features":[340]},{"name":"IE4_BACKNEW","features":[340]},{"name":"IE4_EXTRAINCREFCNT","features":[340]},{"name":"IE4_FRDOALL","features":[340]},{"name":"IE4_NODELETENEW","features":[340]},{"name":"IE4_NOENUMKEY","features":[340]},{"name":"IE4_NOMESSAGES","features":[340]},{"name":"IE4_NOPROGRESS","features":[340]},{"name":"IE4_NO_CRC_MAPPING","features":[340]},{"name":"IE4_REGSECTION","features":[340]},{"name":"IE4_REMOVREGBKDATA","features":[340]},{"name":"IE4_RESTORE","features":[340]},{"name":"IE4_UPDREFCNT","features":[340]},{"name":"IE4_USEREFCNT","features":[340]},{"name":"IE_BADID","features":[340]},{"name":"IE_BAUDRATE","features":[340]},{"name":"IE_BYTESIZE","features":[340]},{"name":"IE_DEFAULT","features":[340]},{"name":"IE_HARDWARE","features":[340]},{"name":"IE_MEMORY","features":[340]},{"name":"IE_NOPEN","features":[340]},{"name":"IE_OPEN","features":[340]},{"name":"IEditionUpgradeBroker","features":[340]},{"name":"IEditionUpgradeHelper","features":[340]},{"name":"IFClipNotificationHelper","features":[340]},{"name":"IF_ENTITY","features":[340]},{"name":"IF_GENERIC","features":[340]},{"name":"IF_MIB","features":[340]},{"name":"IGNORE","features":[340]},{"name":"IMAGE_DELAYLOAD_DESCRIPTOR","features":[340]},{"name":"IMAGE_THUNK_DATA32","features":[340]},{"name":"IMAGE_THUNK_DATA64","features":[340]},{"name":"IMEA_INIT","features":[340]},{"name":"IMEA_NEXT","features":[340]},{"name":"IMEA_PREV","features":[340]},{"name":"IMEPROA","features":[308,340]},{"name":"IMEPROW","features":[308,340]},{"name":"IMESTRUCT","features":[308,340]},{"name":"IME_BANJAtoJUNJA","features":[340]},{"name":"IME_ENABLE_CONVERT","features":[340]},{"name":"IME_ENTERWORDREGISTERMODE","features":[340]},{"name":"IME_GETCONVERSIONMODE","features":[340]},{"name":"IME_GETIMECAPS","features":[340]},{"name":"IME_GETOPEN","features":[340]},{"name":"IME_GETVERSION","features":[340]},{"name":"IME_JOHABtoKS","features":[340]},{"name":"IME_JUNJAtoBANJA","features":[340]},{"name":"IME_KStoJOHAB","features":[340]},{"name":"IME_MAXPROCESS","features":[340]},{"name":"IME_MODE_ALPHANUMERIC","features":[340]},{"name":"IME_MODE_CODEINPUT","features":[340]},{"name":"IME_MODE_DBCSCHAR","features":[340]},{"name":"IME_MODE_HANJACONVERT","features":[340]},{"name":"IME_MODE_HIRAGANA","features":[340]},{"name":"IME_MODE_KATAKANA","features":[340]},{"name":"IME_MODE_NOCODEINPUT","features":[340]},{"name":"IME_MODE_NOROMAN","features":[340]},{"name":"IME_MODE_ROMAN","features":[340]},{"name":"IME_MODE_SBCSCHAR","features":[340]},{"name":"IME_MOVEIMEWINDOW","features":[340]},{"name":"IME_REQUEST_CONVERT","features":[340]},{"name":"IME_RS_DISKERROR","features":[340]},{"name":"IME_RS_ERROR","features":[340]},{"name":"IME_RS_ILLEGAL","features":[340]},{"name":"IME_RS_INVALID","features":[340]},{"name":"IME_RS_NEST","features":[340]},{"name":"IME_RS_NOIME","features":[340]},{"name":"IME_RS_NOROOM","features":[340]},{"name":"IME_RS_NOTFOUND","features":[340]},{"name":"IME_RS_SYSTEMMODAL","features":[340]},{"name":"IME_RS_TOOLONG","features":[340]},{"name":"IME_SENDVKEY","features":[340]},{"name":"IME_SETCONVERSIONFONTEX","features":[340]},{"name":"IME_SETCONVERSIONMODE","features":[340]},{"name":"IME_SETCONVERSIONWINDOW","features":[340]},{"name":"IME_SETOPEN","features":[340]},{"name":"IME_SET_MODE","features":[340]},{"name":"IMPGetIMEA","features":[308,340]},{"name":"IMPGetIMEW","features":[308,340]},{"name":"IMPQueryIMEA","features":[308,340]},{"name":"IMPQueryIMEW","features":[308,340]},{"name":"IMPSetIMEA","features":[308,340]},{"name":"IMPSetIMEW","features":[308,340]},{"name":"INFO_CLASS_GENERIC","features":[340]},{"name":"INFO_CLASS_IMPLEMENTATION","features":[340]},{"name":"INFO_CLASS_PROTOCOL","features":[340]},{"name":"INFO_TYPE_ADDRESS_OBJECT","features":[340]},{"name":"INFO_TYPE_CONNECTION","features":[340]},{"name":"INFO_TYPE_PROVIDER","features":[340]},{"name":"INTERIM_WINDOW","features":[340]},{"name":"INVALID_ENTITY_INSTANCE","features":[340]},{"name":"IOCTL_TDI_TL_IO_CONTROL_ENDPOINT","features":[340]},{"name":"IR_CHANGECONVERT","features":[340]},{"name":"IR_CLOSECONVERT","features":[340]},{"name":"IR_DBCSCHAR","features":[340]},{"name":"IR_FULLCONVERT","features":[340]},{"name":"IR_IMESELECT","features":[340]},{"name":"IR_MODEINFO","features":[340]},{"name":"IR_OPENCONVERT","features":[340]},{"name":"IR_STRING","features":[340]},{"name":"IR_STRINGEND","features":[340]},{"name":"IR_STRINGEX","features":[340]},{"name":"IR_STRINGSTART","features":[340]},{"name":"IR_UNDETERMINE","features":[340]},{"name":"IWindowsLockModeHelper","features":[340]},{"name":"IsApiSetImplemented","features":[308,340]},{"name":"IsBadHugeReadPtr","features":[308,340]},{"name":"IsBadHugeWritePtr","features":[308,340]},{"name":"IsNTAdmin","features":[308,340]},{"name":"IsNativeVhdBoot","features":[308,340]},{"name":"IsTokenUntrusted","features":[308,340]},{"name":"JAVA_TRUST","features":[308,340]},{"name":"JIT_DEBUG_INFO","features":[340]},{"name":"KEY_ALL_KEYS","features":[340]},{"name":"KEY_OVERRIDE","features":[340]},{"name":"KEY_UNKNOWN","features":[340]},{"name":"LDR_DATA_TABLE_ENTRY","features":[308,314,340]},{"name":"LIS_NOGRPCONV","features":[340]},{"name":"LIS_QUIET","features":[340]},{"name":"LOGON32_PROVIDER_VIRTUAL","features":[340]},{"name":"LOGON32_PROVIDER_WINNT35","features":[340]},{"name":"LOGON_ZERO_PASSWORD_BUFFER","features":[340]},{"name":"LPTx","features":[340]},{"name":"LaunchINFSectionExW","features":[308,340]},{"name":"LaunchINFSectionW","features":[308,340]},{"name":"LocalCompact","features":[340]},{"name":"LocalShrink","features":[308,340]},{"name":"MAXINTATOM","features":[340]},{"name":"MAX_COMPUTERNAME_LENGTH","features":[340]},{"name":"MAX_TDI_ENTITIES","features":[340]},{"name":"MCW_DEFAULT","features":[340]},{"name":"MCW_HIDDEN","features":[340]},{"name":"MCW_RECT","features":[340]},{"name":"MCW_SCREEN","features":[340]},{"name":"MCW_VERTICAL","features":[340]},{"name":"MCW_WINDOW","features":[340]},{"name":"MICROSOFT_WINBASE_H_DEFINE_INTERLOCKED_CPLUSPLUS_OVERLOADS","features":[340]},{"name":"MICROSOFT_WINDOWS_WINBASE_H_DEFINE_INTERLOCKED_CPLUSPLUS_OVERLOADS","features":[340]},{"name":"MODE_WINDOW","features":[340]},{"name":"MulDiv","features":[340]},{"name":"NeedReboot","features":[308,340]},{"name":"NeedRebootInit","features":[340]},{"name":"OFS_MAXPATHNAME","features":[340]},{"name":"OPERATION_API_VERSION","features":[340]},{"name":"OVERWRITE_HIDDEN","features":[340]},{"name":"OpenINFEngineA","features":[340]},{"name":"OpenINFEngineW","features":[340]},{"name":"OpenMutexA","features":[308,340]},{"name":"OpenSemaphoreA","features":[308,340]},{"name":"PCF_16BITMODE","features":[340]},{"name":"PCF_DTRDSR","features":[340]},{"name":"PCF_INTTIMEOUTS","features":[340]},{"name":"PCF_PARITY_CHECK","features":[340]},{"name":"PCF_RLSD","features":[340]},{"name":"PCF_RTSCTS","features":[340]},{"name":"PCF_SETXCHAR","features":[340]},{"name":"PCF_SPECIALCHARS","features":[340]},{"name":"PCF_TOTALTIMEOUTS","features":[340]},{"name":"PCF_XONXOFF","features":[340]},{"name":"PDELAYLOAD_FAILURE_DLL_CALLBACK","features":[340]},{"name":"PERUSERSECTIONA","features":[308,340]},{"name":"PERUSERSECTIONW","features":[308,340]},{"name":"PFEATURE_STATE_CHANGE_CALLBACK","features":[340]},{"name":"PFIBER_CALLOUT_ROUTINE","features":[340]},{"name":"PQUERYACTCTXW_FUNC","features":[308,340]},{"name":"PROCESS_CREATION_ALL_APPLICATION_PACKAGES_OPT_OUT","features":[340]},{"name":"PROCESS_CREATION_CHILD_PROCESS_OVERRIDE","features":[340]},{"name":"PROCESS_CREATION_CHILD_PROCESS_RESTRICTED","features":[340]},{"name":"PROCESS_CREATION_CHILD_PROCESS_RESTRICTED_UNLESS_SECURE","features":[340]},{"name":"PROCESS_CREATION_DESKTOP_APP_BREAKAWAY_DISABLE_PROCESS_TREE","features":[340]},{"name":"PROCESS_CREATION_DESKTOP_APP_BREAKAWAY_ENABLE_PROCESS_TREE","features":[340]},{"name":"PROCESS_CREATION_DESKTOP_APP_BREAKAWAY_OVERRIDE","features":[340]},{"name":"PROCESS_CREATION_MITIGATION_POLICY_DEP_ATL_THUNK_ENABLE","features":[340]},{"name":"PROCESS_CREATION_MITIGATION_POLICY_DEP_ENABLE","features":[340]},{"name":"PROCESS_CREATION_MITIGATION_POLICY_SEHOP_ENABLE","features":[340]},{"name":"PROC_THREAD_ATTRIBUTE_ADDITIVE","features":[340]},{"name":"PROC_THREAD_ATTRIBUTE_INPUT","features":[340]},{"name":"PROC_THREAD_ATTRIBUTE_NUMBER","features":[340]},{"name":"PROC_THREAD_ATTRIBUTE_THREAD","features":[340]},{"name":"PROGRESS_CANCEL","features":[340]},{"name":"PROGRESS_CONTINUE","features":[340]},{"name":"PROGRESS_QUIET","features":[340]},{"name":"PROGRESS_STOP","features":[340]},{"name":"PROTECTION_LEVEL_SAME","features":[340]},{"name":"PST_FAX","features":[340]},{"name":"PST_LAT","features":[340]},{"name":"PST_MODEM","features":[340]},{"name":"PST_NETWORK_BRIDGE","features":[340]},{"name":"PST_PARALLELPORT","features":[340]},{"name":"PST_RS232","features":[340]},{"name":"PST_RS422","features":[340]},{"name":"PST_RS423","features":[340]},{"name":"PST_RS449","features":[340]},{"name":"PST_SCANNER","features":[340]},{"name":"PST_TCPIP_TELNET","features":[340]},{"name":"PST_UNSPECIFIED","features":[340]},{"name":"PST_X25","features":[340]},{"name":"PUBLIC_OBJECT_BASIC_INFORMATION","features":[340]},{"name":"PUBLIC_OBJECT_TYPE_INFORMATION","features":[308,340]},{"name":"PWINSTATIONQUERYINFORMATIONW","features":[308,340]},{"name":"PWLDP_CANEXECUTEBUFFER_API","features":[340]},{"name":"PWLDP_CANEXECUTEFILE_API","features":[308,340]},{"name":"PWLDP_CANEXECUTESTREAM_API","features":[359,340]},{"name":"PWLDP_ISAPPAPPROVEDBYPOLICY_API","features":[340]},{"name":"PWLDP_ISDYNAMICCODEPOLICYENABLED_API","features":[308,340]},{"name":"PWLDP_ISPRODUCTIONCONFIGURATION_API","features":[308,340]},{"name":"PWLDP_ISWCOSPRODUCTIONCONFIGURATION_API","features":[308,340]},{"name":"PWLDP_QUERYDEVICESECURITYINFORMATION_API","features":[340]},{"name":"PWLDP_QUERYDYNAMICODETRUST_API","features":[308,340]},{"name":"PWLDP_QUERYPOLICYSETTINGENABLED2_API","features":[308,340]},{"name":"PWLDP_QUERYPOLICYSETTINGENABLED_API","features":[308,340]},{"name":"PWLDP_QUERYWINDOWSLOCKDOWNMODE_API","features":[340]},{"name":"PWLDP_QUERYWINDOWSLOCKDOWNRESTRICTION_API","features":[340]},{"name":"PWLDP_RESETPRODUCTIONCONFIGURATION_API","features":[340]},{"name":"PWLDP_RESETWCOSPRODUCTIONCONFIGURATION_API","features":[340]},{"name":"PWLDP_SETDYNAMICCODETRUST_API","features":[308,340]},{"name":"PWLDP_SETWINDOWSLOCKDOWNRESTRICTION_API","features":[340]},{"name":"QUERY_ACTCTX_FLAG_ACTCTX_IS_ADDRESS","features":[340]},{"name":"QUERY_ACTCTX_FLAG_ACTCTX_IS_HMODULE","features":[340]},{"name":"QUERY_ACTCTX_FLAG_NO_ADDREF","features":[340]},{"name":"QUERY_ACTCTX_FLAG_USE_ACTIVE_ACTCTX","features":[340]},{"name":"QueryAuxiliaryCounterFrequency","features":[340]},{"name":"QueryIdleProcessorCycleTime","features":[308,340]},{"name":"QueryIdleProcessorCycleTimeEx","features":[308,340]},{"name":"QueryInterruptTime","features":[340]},{"name":"QueryInterruptTimePrecise","features":[340]},{"name":"QueryProcessCycleTime","features":[308,340]},{"name":"QueryThreadCycleTime","features":[308,340]},{"name":"QueryUnbiasedInterruptTime","features":[308,340]},{"name":"QueryUnbiasedInterruptTimePrecise","features":[340]},{"name":"RECOVERY_DEFAULT_PING_INTERVAL","features":[340]},{"name":"REGINSTALLA","features":[308,340]},{"name":"REG_RESTORE_LOG_KEY","features":[340]},{"name":"REG_SAVE_LOG_KEY","features":[340]},{"name":"REMOTE_PROTOCOL_INFO_FLAG_LOOPBACK","features":[340]},{"name":"REMOTE_PROTOCOL_INFO_FLAG_OFFLINE","features":[340]},{"name":"REMOTE_PROTOCOL_INFO_FLAG_PERSISTENT_HANDLE","features":[340]},{"name":"RESETDEV","features":[340]},{"name":"RESTART_MAX_CMD_LINE","features":[340]},{"name":"RPI_FLAG_SMB2_SHARECAP_CLUSTER","features":[340]},{"name":"RPI_FLAG_SMB2_SHARECAP_CONTINUOUS_AVAILABILITY","features":[340]},{"name":"RPI_FLAG_SMB2_SHARECAP_DFS","features":[340]},{"name":"RPI_FLAG_SMB2_SHARECAP_SCALEOUT","features":[340]},{"name":"RPI_FLAG_SMB2_SHARECAP_TIMEWARP","features":[340]},{"name":"RPI_SMB2_FLAG_SERVERCAP_DFS","features":[340]},{"name":"RPI_SMB2_FLAG_SERVERCAP_DIRECTORY_LEASING","features":[340]},{"name":"RPI_SMB2_FLAG_SERVERCAP_LARGEMTU","features":[340]},{"name":"RPI_SMB2_FLAG_SERVERCAP_LEASING","features":[340]},{"name":"RPI_SMB2_FLAG_SERVERCAP_MULTICHANNEL","features":[340]},{"name":"RPI_SMB2_FLAG_SERVERCAP_PERSISTENT_HANDLES","features":[340]},{"name":"RPI_SMB2_SHAREFLAG_COMPRESS_DATA","features":[340]},{"name":"RPI_SMB2_SHAREFLAG_ENCRYPT_DATA","features":[340]},{"name":"RSC_FLAG_DELAYREGISTEROCX","features":[340]},{"name":"RSC_FLAG_INF","features":[340]},{"name":"RSC_FLAG_NGCONV","features":[340]},{"name":"RSC_FLAG_QUIET","features":[340]},{"name":"RSC_FLAG_SETUPAPI","features":[340]},{"name":"RSC_FLAG_SKIPDISKSPACECHECK","features":[340]},{"name":"RSC_FLAG_UPDHLPDLLS","features":[340]},{"name":"RTS_CONTROL_DISABLE","features":[340]},{"name":"RTS_CONTROL_ENABLE","features":[340]},{"name":"RTS_CONTROL_HANDSHAKE","features":[340]},{"name":"RTS_CONTROL_TOGGLE","features":[340]},{"name":"RUNCMDS_DELAYPOSTCMD","features":[340]},{"name":"RUNCMDS_NOWAIT","features":[340]},{"name":"RUNCMDS_QUIET","features":[340]},{"name":"RaiseCustomSystemEventTrigger","features":[340]},{"name":"RebootCheckOnInstallA","features":[308,340]},{"name":"RebootCheckOnInstallW","features":[308,340]},{"name":"RecordFeatureError","features":[340]},{"name":"RecordFeatureUsage","features":[340]},{"name":"RegInstallA","features":[308,340]},{"name":"RegInstallW","features":[308,340]},{"name":"RegRestoreAllA","features":[308,369,340]},{"name":"RegRestoreAllW","features":[308,369,340]},{"name":"RegSaveRestoreA","features":[308,369,340]},{"name":"RegSaveRestoreOnINFA","features":[308,369,340]},{"name":"RegSaveRestoreOnINFW","features":[308,369,340]},{"name":"RegSaveRestoreW","features":[308,369,340]},{"name":"ReplacePartitionUnit","features":[308,340]},{"name":"RequestDeviceWakeup","features":[308,340]},{"name":"RtlAnsiStringToUnicodeString","features":[308,314,340]},{"name":"RtlCharToInteger","features":[308,340]},{"name":"RtlFreeAnsiString","features":[314,340]},{"name":"RtlFreeOemString","features":[314,340]},{"name":"RtlFreeUnicodeString","features":[308,340]},{"name":"RtlGetReturnAddressHijackTarget","features":[340]},{"name":"RtlInitAnsiString","features":[314,340]},{"name":"RtlInitAnsiStringEx","features":[308,314,340]},{"name":"RtlInitString","features":[314,340]},{"name":"RtlInitStringEx","features":[308,314,340]},{"name":"RtlInitUnicodeString","features":[308,340]},{"name":"RtlIsNameLegalDOS8Dot3","features":[308,314,340]},{"name":"RtlLocalTimeToSystemTime","features":[308,340]},{"name":"RtlRaiseCustomSystemEventTrigger","features":[340]},{"name":"RtlTimeToSecondsSince1970","features":[308,340]},{"name":"RtlUnicodeStringToAnsiString","features":[308,314,340]},{"name":"RtlUnicodeStringToOemString","features":[308,314,340]},{"name":"RtlUnicodeToMultiByteSize","features":[308,340]},{"name":"RtlUniform","features":[340]},{"name":"RunSetupCommandA","features":[308,340]},{"name":"RunSetupCommandW","features":[308,340]},{"name":"SCS_32BIT_BINARY","features":[340]},{"name":"SCS_64BIT_BINARY","features":[340]},{"name":"SCS_DOS_BINARY","features":[340]},{"name":"SCS_OS216_BINARY","features":[340]},{"name":"SCS_PIF_BINARY","features":[340]},{"name":"SCS_POSIX_BINARY","features":[340]},{"name":"SCS_THIS_PLATFORM_BINARY","features":[340]},{"name":"SCS_WOW_BINARY","features":[340]},{"name":"SHUTDOWN_NORETRY","features":[340]},{"name":"SP_BAUD","features":[340]},{"name":"SP_DATABITS","features":[340]},{"name":"SP_HANDSHAKING","features":[340]},{"name":"SP_PARITY","features":[340]},{"name":"SP_PARITY_CHECK","features":[340]},{"name":"SP_RLSD","features":[340]},{"name":"SP_SERIALCOMM","features":[340]},{"name":"SP_STOPBITS","features":[340]},{"name":"STARTF_HOLOGRAPHIC","features":[340]},{"name":"STORAGE_INFO_FLAGS_ALIGNED_DEVICE","features":[340]},{"name":"STORAGE_INFO_FLAGS_PARTITION_ALIGNED_ON_DEVICE","features":[340]},{"name":"STORAGE_INFO_OFFSET_UNKNOWN","features":[340]},{"name":"STREAM_CONTAINS_GHOSTED_FILE_EXTENTS","features":[340]},{"name":"STREAM_CONTAINS_PROPERTIES","features":[340]},{"name":"STREAM_CONTAINS_SECURITY","features":[340]},{"name":"STREAM_MODIFIED_WHEN_READ","features":[340]},{"name":"STREAM_NORMAL_ATTRIBUTE","features":[340]},{"name":"STREAM_SPARSE_ATTRIBUTE","features":[340]},{"name":"STRENTRYA","features":[340]},{"name":"STRENTRYW","features":[340]},{"name":"STRINGEXSTRUCT","features":[340]},{"name":"STRTABLEA","features":[340]},{"name":"STRTABLEW","features":[340]},{"name":"SYSTEM_BASIC_INFORMATION","features":[340]},{"name":"SYSTEM_CODEINTEGRITY_INFORMATION","features":[340]},{"name":"SYSTEM_EXCEPTION_INFORMATION","features":[340]},{"name":"SYSTEM_INTERRUPT_INFORMATION","features":[340]},{"name":"SYSTEM_LOOKASIDE_INFORMATION","features":[340]},{"name":"SYSTEM_PERFORMANCE_INFORMATION","features":[340]},{"name":"SYSTEM_POLICY_INFORMATION","features":[340]},{"name":"SYSTEM_PROCESSOR_PERFORMANCE_INFORMATION","features":[340]},{"name":"SYSTEM_PROCESS_INFORMATION","features":[308,340]},{"name":"SYSTEM_REGISTRY_QUOTA_INFORMATION","features":[340]},{"name":"SYSTEM_STATUS_FLAG_POWER_SAVING_ON","features":[340]},{"name":"SYSTEM_THREAD_INFORMATION","features":[308,340]},{"name":"SYSTEM_TIMEOFDAY_INFORMATION","features":[340]},{"name":"S_ALLTHRESHOLD","features":[340]},{"name":"S_LEGATO","features":[340]},{"name":"S_NORMAL","features":[340]},{"name":"S_PERIOD1024","features":[340]},{"name":"S_PERIOD2048","features":[340]},{"name":"S_PERIOD512","features":[340]},{"name":"S_PERIODVOICE","features":[340]},{"name":"S_QUEUEEMPTY","features":[340]},{"name":"S_SERBDNT","features":[340]},{"name":"S_SERDCC","features":[340]},{"name":"S_SERDDR","features":[340]},{"name":"S_SERDFQ","features":[340]},{"name":"S_SERDLN","features":[340]},{"name":"S_SERDMD","features":[340]},{"name":"S_SERDPT","features":[340]},{"name":"S_SERDSH","features":[340]},{"name":"S_SERDSR","features":[340]},{"name":"S_SERDST","features":[340]},{"name":"S_SERDTP","features":[340]},{"name":"S_SERDVL","features":[340]},{"name":"S_SERDVNA","features":[340]},{"name":"S_SERMACT","features":[340]},{"name":"S_SEROFM","features":[340]},{"name":"S_SERQFUL","features":[340]},{"name":"S_STACCATO","features":[340]},{"name":"S_THRESHOLD","features":[340]},{"name":"S_WHITE1024","features":[340]},{"name":"S_WHITE2048","features":[340]},{"name":"S_WHITE512","features":[340]},{"name":"S_WHITEVOICE","features":[340]},{"name":"SendIMEMessageExA","features":[308,340]},{"name":"SendIMEMessageExW","features":[308,340]},{"name":"SetEnvironmentStringsA","features":[308,340]},{"name":"SetFirmwareEnvironmentVariableA","features":[308,340]},{"name":"SetFirmwareEnvironmentVariableExA","features":[308,340]},{"name":"SetFirmwareEnvironmentVariableExW","features":[308,340]},{"name":"SetFirmwareEnvironmentVariableW","features":[308,340]},{"name":"SetHandleCount","features":[340]},{"name":"SetMessageWaitingIndicator","features":[308,340]},{"name":"SetPerUserSecValuesA","features":[308,340]},{"name":"SetPerUserSecValuesW","features":[308,340]},{"name":"SetSockOptIoControlType","features":[340]},{"name":"SocketIoControlType","features":[340]},{"name":"SubscribeFeatureStateChangeNotification","features":[340]},{"name":"TCP_REQUEST_QUERY_INFORMATION_EX32_XP","features":[340]},{"name":"TCP_REQUEST_QUERY_INFORMATION_EX_W2K","features":[340]},{"name":"TCP_REQUEST_QUERY_INFORMATION_EX_XP","features":[340]},{"name":"TCP_REQUEST_SET_INFORMATION_EX","features":[340]},{"name":"TC_GP_TRAP","features":[340]},{"name":"TC_HARDERR","features":[340]},{"name":"TC_NORMAL","features":[340]},{"name":"TC_SIGNAL","features":[340]},{"name":"TDIENTITY_ENTITY_TYPE","features":[340]},{"name":"TDIEntityID","features":[340]},{"name":"TDIObjectID","features":[340]},{"name":"TDI_TL_IO_CONTROL_ENDPOINT","features":[340]},{"name":"TDI_TL_IO_CONTROL_TYPE","features":[340]},{"name":"THREAD_NAME_INFORMATION","features":[308,340]},{"name":"THREAD_PRIORITY_ERROR_RETURN","features":[340]},{"name":"TranslateInfStringA","features":[340]},{"name":"TranslateInfStringExA","features":[340]},{"name":"TranslateInfStringExW","features":[340]},{"name":"TranslateInfStringW","features":[340]},{"name":"UMS_VERSION","features":[340]},{"name":"UNDETERMINESTRUCT","features":[340]},{"name":"UnsubscribeFeatureStateChangeNotification","features":[340]},{"name":"UserInstStubWrapperA","features":[308,340]},{"name":"UserInstStubWrapperW","features":[308,340]},{"name":"UserUnInstStubWrapperA","features":[308,340]},{"name":"UserUnInstStubWrapperW","features":[308,340]},{"name":"VALUENAME","features":[340]},{"name":"VALUENAME_BUILT_IN_LIST","features":[340]},{"name":"VALUENAME_ENTERPRISE_DEFINED_CLASS_ID","features":[340]},{"name":"VALUENAME_UNKNOWN","features":[340]},{"name":"WINNLSEnableIME","features":[308,340]},{"name":"WINNLSGetEnableStatus","features":[308,340]},{"name":"WINNLSGetIMEHotkey","features":[308,340]},{"name":"WINSTATIONINFOCLASS","features":[340]},{"name":"WINSTATIONINFORMATIONW","features":[340]},{"name":"WINWATCHNOTIFYPROC","features":[308,340]},{"name":"WINWATCHNOTIFY_CHANGED","features":[340]},{"name":"WINWATCHNOTIFY_CHANGING","features":[340]},{"name":"WINWATCHNOTIFY_DESTROY","features":[340]},{"name":"WINWATCHNOTIFY_START","features":[340]},{"name":"WINWATCHNOTIFY_STOP","features":[340]},{"name":"WLDP_CANEXECUTEBUFFER_FN","features":[340]},{"name":"WLDP_CANEXECUTEFILE_FN","features":[340]},{"name":"WLDP_DEVICE_SECURITY_INFORMATION","features":[340]},{"name":"WLDP_DLL","features":[340]},{"name":"WLDP_EXECUTION_EVALUATION_OPTIONS","features":[340]},{"name":"WLDP_EXECUTION_EVALUATION_OPTION_EXECUTE_IN_INTERACTIVE_SESSION","features":[340]},{"name":"WLDP_EXECUTION_EVALUATION_OPTION_NONE","features":[340]},{"name":"WLDP_EXECUTION_POLICY","features":[340]},{"name":"WLDP_EXECUTION_POLICY_ALLOWED","features":[340]},{"name":"WLDP_EXECUTION_POLICY_BLOCKED","features":[340]},{"name":"WLDP_EXECUTION_POLICY_REQUIRE_SANDBOX","features":[340]},{"name":"WLDP_FLAGS_SKIPSIGNATUREVALIDATION","features":[340]},{"name":"WLDP_GETLOCKDOWNPOLICY_FN","features":[340]},{"name":"WLDP_HOST","features":[340]},{"name":"WLDP_HOST_CMD","features":[340]},{"name":"WLDP_HOST_HTML","features":[340]},{"name":"WLDP_HOST_ID","features":[340]},{"name":"WLDP_HOST_ID_ALL","features":[340]},{"name":"WLDP_HOST_ID_GLOBAL","features":[340]},{"name":"WLDP_HOST_ID_IE","features":[340]},{"name":"WLDP_HOST_ID_MAX","features":[340]},{"name":"WLDP_HOST_ID_MSI","features":[340]},{"name":"WLDP_HOST_ID_POWERSHELL","features":[340]},{"name":"WLDP_HOST_ID_UNKNOWN","features":[340]},{"name":"WLDP_HOST_ID_VBA","features":[340]},{"name":"WLDP_HOST_ID_WSH","features":[340]},{"name":"WLDP_HOST_INFORMATION","features":[308,340]},{"name":"WLDP_HOST_INFORMATION_REVISION","features":[340]},{"name":"WLDP_HOST_JAVASCRIPT","features":[340]},{"name":"WLDP_HOST_MAX","features":[340]},{"name":"WLDP_HOST_MSI","features":[340]},{"name":"WLDP_HOST_OTHER","features":[340]},{"name":"WLDP_HOST_POWERSHELL","features":[340]},{"name":"WLDP_HOST_PYTHON","features":[340]},{"name":"WLDP_HOST_RUNDLL32","features":[340]},{"name":"WLDP_HOST_SVCHOST","features":[340]},{"name":"WLDP_HOST_WINDOWS_SCRIPT_HOST","features":[340]},{"name":"WLDP_HOST_XML","features":[340]},{"name":"WLDP_ISAPPAPPROVEDBYPOLICY_FN","features":[340]},{"name":"WLDP_ISCLASSINAPPROVEDLIST_FN","features":[340]},{"name":"WLDP_ISDYNAMICCODEPOLICYENABLED_FN","features":[340]},{"name":"WLDP_ISPRODUCTIONCONFIGURATION_FN","features":[340]},{"name":"WLDP_ISWCOSPRODUCTIONCONFIGURATION_FN","features":[340]},{"name":"WLDP_KEY","features":[340]},{"name":"WLDP_LOCKDOWN_AUDIT_FLAG","features":[340]},{"name":"WLDP_LOCKDOWN_CONFIG_CI_AUDIT_FLAG","features":[340]},{"name":"WLDP_LOCKDOWN_CONFIG_CI_FLAG","features":[340]},{"name":"WLDP_LOCKDOWN_DEFINED_FLAG","features":[340]},{"name":"WLDP_LOCKDOWN_EXCLUSION_FLAG","features":[340]},{"name":"WLDP_LOCKDOWN_OFF","features":[340]},{"name":"WLDP_LOCKDOWN_UMCIENFORCE_FLAG","features":[340]},{"name":"WLDP_LOCKDOWN_UNDEFINED","features":[340]},{"name":"WLDP_POLICY_SETTING","features":[340]},{"name":"WLDP_POLICY_SETTING_AV_PERF_MODE","features":[340]},{"name":"WLDP_QUERYDANAMICCODETRUST_FN","features":[340]},{"name":"WLDP_QUERYDEVICESECURITYINFORMATION_FN","features":[340]},{"name":"WLDP_QUERYDYNAMICCODETRUST_FN","features":[340]},{"name":"WLDP_QUERYPOLICYSETTINGENABLED2_FN","features":[340]},{"name":"WLDP_QUERYPOLICYSETTINGENABLED_FN","features":[340]},{"name":"WLDP_QUERYWINDOWSLOCKDOWNMODE_FN","features":[340]},{"name":"WLDP_QUERYWINDOWSLOCKDOWNRESTRICTION_FN","features":[340]},{"name":"WLDP_RESETPRODUCTIONCONFIGURATION_FN","features":[340]},{"name":"WLDP_RESETWCOSPRODUCTIONCONFIGURATION_FN","features":[340]},{"name":"WLDP_SETDYNAMICCODETRUST_FN","features":[340]},{"name":"WLDP_SETWINDOWSLOCKDOWNRESTRICTION_FN","features":[340]},{"name":"WLDP_WINDOWS_LOCKDOWN_MODE","features":[340]},{"name":"WLDP_WINDOWS_LOCKDOWN_MODE_LOCKED","features":[340]},{"name":"WLDP_WINDOWS_LOCKDOWN_MODE_MAX","features":[340]},{"name":"WLDP_WINDOWS_LOCKDOWN_MODE_TRIAL","features":[340]},{"name":"WLDP_WINDOWS_LOCKDOWN_MODE_UNLOCKED","features":[340]},{"name":"WLDP_WINDOWS_LOCKDOWN_RESTRICTION","features":[340]},{"name":"WLDP_WINDOWS_LOCKDOWN_RESTRICTION_MAX","features":[340]},{"name":"WLDP_WINDOWS_LOCKDOWN_RESTRICTION_NONE","features":[340]},{"name":"WLDP_WINDOWS_LOCKDOWN_RESTRICTION_NOUNLOCK","features":[340]},{"name":"WLDP_WINDOWS_LOCKDOWN_RESTRICTION_NOUNLOCK_PERMANENT","features":[340]},{"name":"WM_CONVERTREQUEST","features":[340]},{"name":"WM_CONVERTRESULT","features":[340]},{"name":"WM_IMEKEYDOWN","features":[340]},{"name":"WM_IMEKEYUP","features":[340]},{"name":"WM_IME_REPORT","features":[340]},{"name":"WM_INTERIM","features":[340]},{"name":"WM_WNT_CONVERTREQUESTEX","features":[340]},{"name":"WinStationInformation","features":[340]},{"name":"WinWatchClose","features":[340]},{"name":"WinWatchDidStatusChange","features":[308,340]},{"name":"WinWatchGetClipList","features":[308,319,340]},{"name":"WinWatchNotify","features":[308,340]},{"name":"WinWatchOpen","features":[308,340]},{"name":"WldpCanExecuteBuffer","features":[340]},{"name":"WldpCanExecuteFile","features":[308,340]},{"name":"WldpCanExecuteStream","features":[359,340]},{"name":"WldpGetLockdownPolicy","features":[308,340]},{"name":"WldpIsClassInApprovedList","features":[308,340]},{"name":"WldpIsDynamicCodePolicyEnabled","features":[308,340]},{"name":"WldpQueryDeviceSecurityInformation","features":[340]},{"name":"WldpQueryDynamicCodeTrust","features":[308,340]},{"name":"WldpSetDynamicCodeTrust","features":[308,340]},{"name":"WritePrivateProfileSectionA","features":[308,340]},{"name":"WritePrivateProfileSectionW","features":[308,340]},{"name":"WritePrivateProfileStringA","features":[308,340]},{"name":"WritePrivateProfileStringW","features":[308,340]},{"name":"WritePrivateProfileStructA","features":[308,340]},{"name":"WritePrivateProfileStructW","features":[308,340]},{"name":"WriteProfileSectionA","features":[308,340]},{"name":"WriteProfileSectionW","features":[308,340]},{"name":"WriteProfileStringA","features":[308,340]},{"name":"WriteProfileStringW","features":[308,340]},{"name":"_hread","features":[340]},{"name":"_hwrite","features":[340]},{"name":"_lclose","features":[340]},{"name":"_lcreat","features":[340]},{"name":"_llseek","features":[340]},{"name":"_lopen","features":[340]},{"name":"_lread","features":[340]},{"name":"_lwrite","features":[340]},{"name":"uaw_lstrcmpW","features":[340]},{"name":"uaw_lstrcmpiW","features":[340]},{"name":"uaw_lstrlenW","features":[340]},{"name":"uaw_wcschr","features":[340]},{"name":"uaw_wcscpy","features":[340]},{"name":"uaw_wcsicmp","features":[340]},{"name":"uaw_wcslen","features":[340]},{"name":"uaw_wcsrchr","features":[340]}],"645":[{"name":"CCR_COLLISION","features":[618]},{"name":"CCR_IDENTITY","features":[618]},{"name":"CCR_NOPARENT","features":[618]},{"name":"CCR_OTHER","features":[618]},{"name":"CONFLICT_RESOLUTION_POLICY","features":[618]},{"name":"CONSTRAINT_CONFLICT_REASON","features":[618]},{"name":"CRP_DESTINATION_PROVIDER_WINS","features":[618]},{"name":"CRP_LAST","features":[618]},{"name":"CRP_NONE","features":[618]},{"name":"CRP_SOURCE_PROVIDER_WINS","features":[618]},{"name":"FCT_INTERSECTION","features":[618]},{"name":"FILTERING_TYPE","features":[618]},{"name":"FILTER_COMBINATION_TYPE","features":[618]},{"name":"FT_CURRENT_ITEMS_AND_VERSIONS_FOR_MOVED_OUT_ITEMS","features":[618]},{"name":"FT_CURRENT_ITEMS_ONLY","features":[618]},{"name":"IAsynchronousDataRetriever","features":[618]},{"name":"IChangeConflict","features":[618]},{"name":"IChangeUnitException","features":[618]},{"name":"IChangeUnitListFilterInfo","features":[618]},{"name":"IClockVector","features":[618]},{"name":"IClockVectorElement","features":[618]},{"name":"ICombinedFilterInfo","features":[618]},{"name":"IConstraintConflict","features":[618]},{"name":"IConstructReplicaKeyMap","features":[618]},{"name":"ICoreFragment","features":[618]},{"name":"ICoreFragmentInspector","features":[618]},{"name":"ICustomFilterInfo","features":[618]},{"name":"ID_PARAMETERS","features":[308,618]},{"name":"ID_PARAMETER_PAIR","features":[308,618]},{"name":"IDataRetrieverCallback","features":[618]},{"name":"IEnumChangeUnitExceptions","features":[618]},{"name":"IEnumClockVector","features":[618]},{"name":"IEnumFeedClockVector","features":[618]},{"name":"IEnumItemIds","features":[618]},{"name":"IEnumRangeExceptions","features":[618]},{"name":"IEnumSingleItemExceptions","features":[618]},{"name":"IEnumSyncChangeUnits","features":[618]},{"name":"IEnumSyncChanges","features":[618]},{"name":"IEnumSyncProviderConfigUIInfos","features":[618]},{"name":"IEnumSyncProviderInfos","features":[618]},{"name":"IFeedClockVector","features":[618]},{"name":"IFeedClockVectorElement","features":[618]},{"name":"IFilterKeyMap","features":[618]},{"name":"IFilterRequestCallback","features":[618]},{"name":"IFilterTrackingProvider","features":[618]},{"name":"IFilterTrackingRequestCallback","features":[618]},{"name":"IFilterTrackingSyncChangeBuilder","features":[618]},{"name":"IForgottenKnowledge","features":[618]},{"name":"IKnowledgeSyncProvider","features":[618]},{"name":"ILoadChangeContext","features":[618]},{"name":"IProviderConverter","features":[618]},{"name":"IRangeException","features":[618]},{"name":"IRecoverableError","features":[618]},{"name":"IRecoverableErrorData","features":[618]},{"name":"IRegisteredSyncProvider","features":[618]},{"name":"IReplicaKeyMap","features":[618]},{"name":"IRequestFilteredSync","features":[618]},{"name":"ISingleItemException","features":[618]},{"name":"ISupportFilteredSync","features":[618]},{"name":"ISupportLastWriteTime","features":[618]},{"name":"ISyncCallback","features":[618]},{"name":"ISyncCallback2","features":[618]},{"name":"ISyncChange","features":[618]},{"name":"ISyncChangeBatch","features":[618]},{"name":"ISyncChangeBatch2","features":[618]},{"name":"ISyncChangeBatchAdvanced","features":[618]},{"name":"ISyncChangeBatchBase","features":[618]},{"name":"ISyncChangeBatchBase2","features":[618]},{"name":"ISyncChangeBatchWithFilterKeyMap","features":[618]},{"name":"ISyncChangeBatchWithPrerequisite","features":[618]},{"name":"ISyncChangeBuilder","features":[618]},{"name":"ISyncChangeUnit","features":[618]},{"name":"ISyncChangeWithFilterKeyMap","features":[618]},{"name":"ISyncChangeWithPrerequisite","features":[618]},{"name":"ISyncConstraintCallback","features":[618]},{"name":"ISyncDataConverter","features":[618]},{"name":"ISyncFilter","features":[618]},{"name":"ISyncFilterDeserializer","features":[618]},{"name":"ISyncFilterInfo","features":[618]},{"name":"ISyncFilterInfo2","features":[618]},{"name":"ISyncFullEnumerationChange","features":[618]},{"name":"ISyncFullEnumerationChangeBatch","features":[618]},{"name":"ISyncFullEnumerationChangeBatch2","features":[618]},{"name":"ISyncKnowledge","features":[618]},{"name":"ISyncKnowledge2","features":[618]},{"name":"ISyncMergeTombstoneChange","features":[618]},{"name":"ISyncProvider","features":[618]},{"name":"ISyncProviderConfigUI","features":[618]},{"name":"ISyncProviderConfigUIInfo","features":[618,379]},{"name":"ISyncProviderInfo","features":[618,379]},{"name":"ISyncProviderRegistration","features":[618]},{"name":"ISyncRegistrationChange","features":[618]},{"name":"ISyncSessionExtendedErrorInfo","features":[618]},{"name":"ISyncSessionState","features":[618]},{"name":"ISyncSessionState2","features":[618]},{"name":"ISynchronousDataRetriever","features":[618]},{"name":"KCCR_COOKIE_KNOWLEDGE_CONTAINED","features":[618]},{"name":"KCCR_COOKIE_KNOWLEDGE_CONTAINS","features":[618]},{"name":"KCCR_COOKIE_KNOWLEDGE_EQUAL","features":[618]},{"name":"KCCR_COOKIE_KNOWLEDGE_NOT_COMPARABLE","features":[618]},{"name":"KNOWLEDGE_COOKIE_COMPARISON_RESULT","features":[618]},{"name":"PKEY_CONFIGUI_CAPABILITIES","features":[618,379]},{"name":"PKEY_CONFIGUI_CLSID","features":[618,379]},{"name":"PKEY_CONFIGUI_CONTENTTYPE","features":[618,379]},{"name":"PKEY_CONFIGUI_DESCRIPTION","features":[618,379]},{"name":"PKEY_CONFIGUI_ICON","features":[618,379]},{"name":"PKEY_CONFIGUI_INSTANCEID","features":[618,379]},{"name":"PKEY_CONFIGUI_IS_GLOBAL","features":[618,379]},{"name":"PKEY_CONFIGUI_MENUITEM","features":[618,379]},{"name":"PKEY_CONFIGUI_MENUITEM_NOUI","features":[618,379]},{"name":"PKEY_CONFIGUI_NAME","features":[618,379]},{"name":"PKEY_CONFIGUI_SUPPORTED_ARCHITECTURE","features":[618,379]},{"name":"PKEY_CONFIGUI_TOOLTIPS","features":[618,379]},{"name":"PKEY_PROVIDER_CAPABILITIES","features":[618,379]},{"name":"PKEY_PROVIDER_CLSID","features":[618,379]},{"name":"PKEY_PROVIDER_CONFIGUI","features":[618,379]},{"name":"PKEY_PROVIDER_CONTENTTYPE","features":[618,379]},{"name":"PKEY_PROVIDER_DESCRIPTION","features":[618,379]},{"name":"PKEY_PROVIDER_ICON","features":[618,379]},{"name":"PKEY_PROVIDER_INSTANCEID","features":[618,379]},{"name":"PKEY_PROVIDER_NAME","features":[618,379]},{"name":"PKEY_PROVIDER_SUPPORTED_ARCHITECTURE","features":[618,379]},{"name":"PKEY_PROVIDER_TOOLTIPS","features":[618,379]},{"name":"SCC_CAN_CREATE_WITHOUT_UI","features":[618]},{"name":"SCC_CAN_MODIFY_WITHOUT_UI","features":[618]},{"name":"SCC_CREATE_NOT_SUPPORTED","features":[618]},{"name":"SCC_DEFAULT","features":[618]},{"name":"SCC_MODIFY_NOT_SUPPORTED","features":[618]},{"name":"SCRA_ACCEPT_DESTINATION_PROVIDER","features":[618]},{"name":"SCRA_ACCEPT_SOURCE_PROVIDER","features":[618]},{"name":"SCRA_DEFER","features":[618]},{"name":"SCRA_MERGE","features":[618]},{"name":"SCRA_RENAME_DESTINATION","features":[618]},{"name":"SCRA_RENAME_SOURCE","features":[618]},{"name":"SCRA_TRANSFER_AND_DEFER","features":[618]},{"name":"SFEA_ABORT","features":[618]},{"name":"SFEA_FULL_ENUMERATION","features":[618]},{"name":"SFEA_PARTIAL_SYNC","features":[618]},{"name":"SPC_DEFAULT","features":[618]},{"name":"SPR_DESTINATION","features":[618]},{"name":"SPR_SOURCE","features":[618]},{"name":"SPS_CHANGE_APPLICATION","features":[618]},{"name":"SPS_CHANGE_DETECTION","features":[618]},{"name":"SPS_CHANGE_ENUMERATION","features":[618]},{"name":"SRA_ACCEPT_DESTINATION_PROVIDER","features":[618]},{"name":"SRA_ACCEPT_SOURCE_PROVIDER","features":[618]},{"name":"SRA_DEFER","features":[618]},{"name":"SRA_LAST","features":[618]},{"name":"SRA_MERGE","features":[618]},{"name":"SRA_TRANSFER_AND_DEFER","features":[618]},{"name":"SRE_CONFIGUI_ADDED","features":[618]},{"name":"SRE_CONFIGUI_REMOVED","features":[618]},{"name":"SRE_CONFIGUI_UPDATED","features":[618]},{"name":"SRE_PROVIDER_ADDED","features":[618]},{"name":"SRE_PROVIDER_REMOVED","features":[618]},{"name":"SRE_PROVIDER_STATE_CHANGED","features":[618]},{"name":"SRE_PROVIDER_UPDATED","features":[618]},{"name":"SYNC_32_BIT_SUPPORTED","features":[618]},{"name":"SYNC_64_BIT_SUPPORTED","features":[618]},{"name":"SYNC_CHANGE_FLAG_DELETED","features":[618]},{"name":"SYNC_CHANGE_FLAG_DOES_NOT_EXIST","features":[618]},{"name":"SYNC_CHANGE_FLAG_GHOST","features":[618]},{"name":"SYNC_CONSTRAINT_RESOLVE_ACTION","features":[618]},{"name":"SYNC_FILTER_CHANGE","features":[308,618]},{"name":"SYNC_FILTER_INFO_COMBINED","features":[618]},{"name":"SYNC_FILTER_INFO_FLAG_CHANGE_UNIT_LIST","features":[618]},{"name":"SYNC_FILTER_INFO_FLAG_CUSTOM","features":[618]},{"name":"SYNC_FILTER_INFO_FLAG_ITEM_LIST","features":[618]},{"name":"SYNC_FULL_ENUMERATION_ACTION","features":[618]},{"name":"SYNC_PROGRESS_STAGE","features":[618]},{"name":"SYNC_PROVIDER_CONFIGUI_CONFIGURATION_VERSION","features":[618]},{"name":"SYNC_PROVIDER_CONFIGURATION_VERSION","features":[618]},{"name":"SYNC_PROVIDER_ROLE","features":[618]},{"name":"SYNC_PROVIDER_STATE_DIRTY","features":[618]},{"name":"SYNC_PROVIDER_STATE_ENABLED","features":[618]},{"name":"SYNC_RANGE","features":[618]},{"name":"SYNC_REGISTRATION_EVENT","features":[618]},{"name":"SYNC_RESOLVE_ACTION","features":[618]},{"name":"SYNC_SERIALIZATION_VERSION","features":[618]},{"name":"SYNC_SERIALIZATION_VERSION_V1","features":[618]},{"name":"SYNC_SERIALIZATION_VERSION_V2","features":[618]},{"name":"SYNC_SERIALIZATION_VERSION_V3","features":[618]},{"name":"SYNC_SERIALIZE_REPLICA_KEY_MAP","features":[618]},{"name":"SYNC_SESSION_STATISTICS","features":[618]},{"name":"SYNC_STATISTICS","features":[618]},{"name":"SYNC_STATISTICS_RANGE_COUNT","features":[618]},{"name":"SYNC_TIME","features":[618]},{"name":"SYNC_VERSION","features":[618]},{"name":"SYNC_VERSION_FLAG_FROM_FEED","features":[618]},{"name":"SYNC_VERSION_FLAG_HAS_BY","features":[618]},{"name":"SyncProviderConfigUIConfiguration","features":[308,618]},{"name":"SyncProviderConfiguration","features":[618]},{"name":"SyncProviderRegistration","features":[618]}],"646":[{"name":"CIMTYPE_ENUMERATION","features":[558]},{"name":"CIM_BOOLEAN","features":[558]},{"name":"CIM_CHAR16","features":[558]},{"name":"CIM_DATETIME","features":[558]},{"name":"CIM_EMPTY","features":[558]},{"name":"CIM_FLAG_ARRAY","features":[558]},{"name":"CIM_ILLEGAL","features":[558]},{"name":"CIM_OBJECT","features":[558]},{"name":"CIM_REAL32","features":[558]},{"name":"CIM_REAL64","features":[558]},{"name":"CIM_REFERENCE","features":[558]},{"name":"CIM_SINT16","features":[558]},{"name":"CIM_SINT32","features":[558]},{"name":"CIM_SINT64","features":[558]},{"name":"CIM_SINT8","features":[558]},{"name":"CIM_STRING","features":[558]},{"name":"CIM_UINT16","features":[558]},{"name":"CIM_UINT32","features":[558]},{"name":"CIM_UINT64","features":[558]},{"name":"CIM_UINT8","features":[558]},{"name":"IEnumWbemClassObject","features":[558]},{"name":"IMofCompiler","features":[558]},{"name":"ISWbemDateTime","features":[359,558]},{"name":"ISWbemEventSource","features":[359,558]},{"name":"ISWbemLastError","features":[359,558]},{"name":"ISWbemLocator","features":[359,558]},{"name":"ISWbemMethod","features":[359,558]},{"name":"ISWbemMethodSet","features":[359,558]},{"name":"ISWbemNamedValue","features":[359,558]},{"name":"ISWbemNamedValueSet","features":[359,558]},{"name":"ISWbemObject","features":[359,558]},{"name":"ISWbemObjectEx","features":[359,558]},{"name":"ISWbemObjectPath","features":[359,558]},{"name":"ISWbemObjectSet","features":[359,558]},{"name":"ISWbemPrivilege","features":[359,558]},{"name":"ISWbemPrivilegeSet","features":[359,558]},{"name":"ISWbemProperty","features":[359,558]},{"name":"ISWbemPropertySet","features":[359,558]},{"name":"ISWbemQualifier","features":[359,558]},{"name":"ISWbemQualifierSet","features":[359,558]},{"name":"ISWbemRefreshableItem","features":[359,558]},{"name":"ISWbemRefresher","features":[359,558]},{"name":"ISWbemSecurity","features":[359,558]},{"name":"ISWbemServices","features":[359,558]},{"name":"ISWbemServicesEx","features":[359,558]},{"name":"ISWbemSink","features":[359,558]},{"name":"ISWbemSinkEvents","features":[359,558]},{"name":"IUnsecuredApartment","features":[558]},{"name":"IWMIExtension","features":[359,558]},{"name":"IWbemAddressResolution","features":[558]},{"name":"IWbemBackupRestore","features":[558]},{"name":"IWbemBackupRestoreEx","features":[558]},{"name":"IWbemCallResult","features":[558]},{"name":"IWbemClassObject","features":[558]},{"name":"IWbemClientConnectionTransport","features":[558]},{"name":"IWbemClientTransport","features":[558]},{"name":"IWbemConfigureRefresher","features":[558]},{"name":"IWbemConnectorLogin","features":[558]},{"name":"IWbemConstructClassObject","features":[558]},{"name":"IWbemContext","features":[558]},{"name":"IWbemDecoupledBasicEventProvider","features":[558]},{"name":"IWbemDecoupledRegistrar","features":[558]},{"name":"IWbemEventConsumerProvider","features":[558]},{"name":"IWbemEventProvider","features":[558]},{"name":"IWbemEventProviderQuerySink","features":[558]},{"name":"IWbemEventProviderSecurity","features":[558]},{"name":"IWbemEventSink","features":[558]},{"name":"IWbemHiPerfEnum","features":[558]},{"name":"IWbemHiPerfProvider","features":[558]},{"name":"IWbemLevel1Login","features":[558]},{"name":"IWbemLocator","features":[558]},{"name":"IWbemObjectAccess","features":[558]},{"name":"IWbemObjectSink","features":[558]},{"name":"IWbemObjectSinkEx","features":[558]},{"name":"IWbemObjectTextSrc","features":[558]},{"name":"IWbemPath","features":[558]},{"name":"IWbemPathKeyList","features":[558]},{"name":"IWbemPropertyProvider","features":[558]},{"name":"IWbemProviderIdentity","features":[558]},{"name":"IWbemProviderInit","features":[558]},{"name":"IWbemProviderInitSink","features":[558]},{"name":"IWbemQualifierSet","features":[558]},{"name":"IWbemQuery","features":[558]},{"name":"IWbemRefresher","features":[558]},{"name":"IWbemServices","features":[558]},{"name":"IWbemShutdown","features":[558]},{"name":"IWbemStatusCodeText","features":[558]},{"name":"IWbemTransport","features":[558]},{"name":"IWbemUnboundObjectSink","features":[558]},{"name":"IWbemUnsecuredApartment","features":[558]},{"name":"MI_ARRAY","features":[558]},{"name":"MI_Application","features":[558]},{"name":"MI_ApplicationFT","features":[558]},{"name":"MI_Application_InitializeV1","features":[558]},{"name":"MI_Array","features":[558]},{"name":"MI_ArrayField","features":[558]},{"name":"MI_BOOLEAN","features":[558]},{"name":"MI_BOOLEANA","features":[558]},{"name":"MI_BooleanA","features":[558]},{"name":"MI_BooleanAField","features":[558]},{"name":"MI_BooleanField","features":[558]},{"name":"MI_CALLBACKMODE_IGNORE","features":[558]},{"name":"MI_CALLBACKMODE_INQUIRE","features":[558]},{"name":"MI_CALLBACKMODE_REPORT","features":[558]},{"name":"MI_CALL_VERSION","features":[558]},{"name":"MI_CHAR16","features":[558]},{"name":"MI_CHAR16A","features":[558]},{"name":"MI_CHAR_TYPE","features":[558]},{"name":"MI_CallbackMode","features":[558]},{"name":"MI_CancelCallback","features":[558]},{"name":"MI_CancellationReason","features":[558]},{"name":"MI_Char16A","features":[558]},{"name":"MI_Char16AField","features":[558]},{"name":"MI_Char16Field","features":[558]},{"name":"MI_Class","features":[558]},{"name":"MI_ClassDecl","features":[558]},{"name":"MI_ClassFT","features":[558]},{"name":"MI_ClientFT_V1","features":[558]},{"name":"MI_ConstBooleanA","features":[558]},{"name":"MI_ConstBooleanAField","features":[558]},{"name":"MI_ConstBooleanField","features":[558]},{"name":"MI_ConstChar16A","features":[558]},{"name":"MI_ConstChar16AField","features":[558]},{"name":"MI_ConstChar16Field","features":[558]},{"name":"MI_ConstDatetimeA","features":[558]},{"name":"MI_ConstDatetimeAField","features":[558]},{"name":"MI_ConstDatetimeField","features":[558]},{"name":"MI_ConstInstanceA","features":[558]},{"name":"MI_ConstInstanceAField","features":[558]},{"name":"MI_ConstInstanceField","features":[558]},{"name":"MI_ConstReal32A","features":[558]},{"name":"MI_ConstReal32AField","features":[558]},{"name":"MI_ConstReal32Field","features":[558]},{"name":"MI_ConstReal64A","features":[558]},{"name":"MI_ConstReal64AField","features":[558]},{"name":"MI_ConstReal64Field","features":[558]},{"name":"MI_ConstReferenceA","features":[558]},{"name":"MI_ConstReferenceAField","features":[558]},{"name":"MI_ConstReferenceField","features":[558]},{"name":"MI_ConstSint16A","features":[558]},{"name":"MI_ConstSint16AField","features":[558]},{"name":"MI_ConstSint16Field","features":[558]},{"name":"MI_ConstSint32A","features":[558]},{"name":"MI_ConstSint32AField","features":[558]},{"name":"MI_ConstSint32Field","features":[558]},{"name":"MI_ConstSint64A","features":[558]},{"name":"MI_ConstSint64AField","features":[558]},{"name":"MI_ConstSint64Field","features":[558]},{"name":"MI_ConstSint8A","features":[558]},{"name":"MI_ConstSint8AField","features":[558]},{"name":"MI_ConstSint8Field","features":[558]},{"name":"MI_ConstStringA","features":[558]},{"name":"MI_ConstStringAField","features":[558]},{"name":"MI_ConstStringField","features":[558]},{"name":"MI_ConstUint16A","features":[558]},{"name":"MI_ConstUint16AField","features":[558]},{"name":"MI_ConstUint16Field","features":[558]},{"name":"MI_ConstUint32A","features":[558]},{"name":"MI_ConstUint32AField","features":[558]},{"name":"MI_ConstUint32Field","features":[558]},{"name":"MI_ConstUint64A","features":[558]},{"name":"MI_ConstUint64AField","features":[558]},{"name":"MI_ConstUint64Field","features":[558]},{"name":"MI_ConstUint8A","features":[558]},{"name":"MI_ConstUint8AField","features":[558]},{"name":"MI_ConstUint8Field","features":[558]},{"name":"MI_Context","features":[558]},{"name":"MI_ContextFT","features":[558]},{"name":"MI_DATETIME","features":[558]},{"name":"MI_DATETIMEA","features":[558]},{"name":"MI_Datetime","features":[558]},{"name":"MI_DatetimeA","features":[558]},{"name":"MI_DatetimeAField","features":[558]},{"name":"MI_DatetimeField","features":[558]},{"name":"MI_Deserializer","features":[558]},{"name":"MI_DeserializerFT","features":[558]},{"name":"MI_Deserializer_ClassObjectNeeded","features":[558]},{"name":"MI_DestinationOptions","features":[558]},{"name":"MI_DestinationOptionsFT","features":[558]},{"name":"MI_DestinationOptions_ImpersonationType","features":[558]},{"name":"MI_DestinationOptions_ImpersonationType_Default","features":[558]},{"name":"MI_DestinationOptions_ImpersonationType_Delegate","features":[558]},{"name":"MI_DestinationOptions_ImpersonationType_Identify","features":[558]},{"name":"MI_DestinationOptions_ImpersonationType_Impersonate","features":[558]},{"name":"MI_DestinationOptions_ImpersonationType_None","features":[558]},{"name":"MI_ERRORCATEGORY_ACCESS_DENIED","features":[558]},{"name":"MI_ERRORCATEGORY_AUTHENTICATION_ERROR","features":[558]},{"name":"MI_ERRORCATEGORY_CLOS_EERROR","features":[558]},{"name":"MI_ERRORCATEGORY_CONNECTION_ERROR","features":[558]},{"name":"MI_ERRORCATEGORY_DEADLOCK_DETECTED","features":[558]},{"name":"MI_ERRORCATEGORY_DEVICE_ERROR","features":[558]},{"name":"MI_ERRORCATEGORY_FROM_STDERR","features":[558]},{"name":"MI_ERRORCATEGORY_INVALID_ARGUMENT","features":[558]},{"name":"MI_ERRORCATEGORY_INVALID_DATA","features":[558]},{"name":"MI_ERRORCATEGORY_INVALID_OPERATION","features":[558]},{"name":"MI_ERRORCATEGORY_INVALID_RESULT","features":[558]},{"name":"MI_ERRORCATEGORY_INVALID_TYPE","features":[558]},{"name":"MI_ERRORCATEGORY_LIMITS_EXCEEDED","features":[558]},{"name":"MI_ERRORCATEGORY_METADATA_ERROR","features":[558]},{"name":"MI_ERRORCATEGORY_NOT_ENABLED","features":[558]},{"name":"MI_ERRORCATEGORY_NOT_IMPLEMENTED","features":[558]},{"name":"MI_ERRORCATEGORY_NOT_INSTALLED","features":[558]},{"name":"MI_ERRORCATEGORY_NOT_SPECIFIED","features":[558]},{"name":"MI_ERRORCATEGORY_OBJECT_NOT_FOUND","features":[558]},{"name":"MI_ERRORCATEGORY_OPEN_ERROR","features":[558]},{"name":"MI_ERRORCATEGORY_OPERATION_STOPPED","features":[558]},{"name":"MI_ERRORCATEGORY_OPERATION_TIMEOUT","features":[558]},{"name":"MI_ERRORCATEGORY_PARSER_ERROR","features":[558]},{"name":"MI_ERRORCATEGORY_PROTOCOL_ERROR","features":[558]},{"name":"MI_ERRORCATEGORY_QUOTA_EXCEEDED","features":[558]},{"name":"MI_ERRORCATEGORY_READ_ERROR","features":[558]},{"name":"MI_ERRORCATEGORY_RESOURCE_BUSY","features":[558]},{"name":"MI_ERRORCATEGORY_RESOURCE_EXISTS","features":[558]},{"name":"MI_ERRORCATEGORY_RESOURCE_UNAVAILABLE","features":[558]},{"name":"MI_ERRORCATEGORY_SECURITY_ERROR","features":[558]},{"name":"MI_ERRORCATEGORY_SYNTAX_ERROR","features":[558]},{"name":"MI_ERRORCATEGORY_WRITE_ERROR","features":[558]},{"name":"MI_ErrorCategory","features":[558]},{"name":"MI_FLAG_ABSTRACT","features":[558]},{"name":"MI_FLAG_ADOPT","features":[558]},{"name":"MI_FLAG_ANY","features":[558]},{"name":"MI_FLAG_ASSOCIATION","features":[558]},{"name":"MI_FLAG_BORROW","features":[558]},{"name":"MI_FLAG_CLASS","features":[558]},{"name":"MI_FLAG_DISABLEOVERRIDE","features":[558]},{"name":"MI_FLAG_ENABLEOVERRIDE","features":[558]},{"name":"MI_FLAG_EXPENSIVE","features":[558]},{"name":"MI_FLAG_EXTENDED","features":[558]},{"name":"MI_FLAG_IN","features":[558]},{"name":"MI_FLAG_INDICATION","features":[558]},{"name":"MI_FLAG_KEY","features":[558]},{"name":"MI_FLAG_METHOD","features":[558]},{"name":"MI_FLAG_NOT_MODIFIED","features":[558]},{"name":"MI_FLAG_NULL","features":[558]},{"name":"MI_FLAG_OUT","features":[558]},{"name":"MI_FLAG_PARAMETER","features":[558]},{"name":"MI_FLAG_PROPERTY","features":[558]},{"name":"MI_FLAG_READONLY","features":[558]},{"name":"MI_FLAG_REFERENCE","features":[558]},{"name":"MI_FLAG_REQUIRED","features":[558]},{"name":"MI_FLAG_RESTRICTED","features":[558]},{"name":"MI_FLAG_STATIC","features":[558]},{"name":"MI_FLAG_STREAM","features":[558]},{"name":"MI_FLAG_TERMINAL","features":[558]},{"name":"MI_FLAG_TOSUBCLASS","features":[558]},{"name":"MI_FLAG_TRANSLATABLE","features":[558]},{"name":"MI_FLAG_VERSION","features":[558]},{"name":"MI_FeatureDecl","features":[558]},{"name":"MI_Filter","features":[558]},{"name":"MI_FilterFT","features":[558]},{"name":"MI_HostedProvider","features":[558]},{"name":"MI_HostedProviderFT","features":[558]},{"name":"MI_INSTANCE","features":[558]},{"name":"MI_INSTANCEA","features":[558]},{"name":"MI_Instance","features":[558]},{"name":"MI_InstanceA","features":[558]},{"name":"MI_InstanceAField","features":[558]},{"name":"MI_InstanceExFT","features":[558]},{"name":"MI_InstanceFT","features":[558]},{"name":"MI_InstanceField","features":[558]},{"name":"MI_Interval","features":[558]},{"name":"MI_LOCALE_TYPE_CLOSEST_DATA","features":[558]},{"name":"MI_LOCALE_TYPE_CLOSEST_UI","features":[558]},{"name":"MI_LOCALE_TYPE_REQUESTED_DATA","features":[558]},{"name":"MI_LOCALE_TYPE_REQUESTED_UI","features":[558]},{"name":"MI_LocaleType","features":[558]},{"name":"MI_MAX_LOCALE_SIZE","features":[558]},{"name":"MI_MODULE_FLAG_BOOLEANS","features":[558]},{"name":"MI_MODULE_FLAG_CPLUSPLUS","features":[558]},{"name":"MI_MODULE_FLAG_DESCRIPTIONS","features":[558]},{"name":"MI_MODULE_FLAG_FILTER_SUPPORT","features":[558]},{"name":"MI_MODULE_FLAG_LOCALIZED","features":[558]},{"name":"MI_MODULE_FLAG_MAPPING_STRINGS","features":[558]},{"name":"MI_MODULE_FLAG_STANDARD_QUALIFIERS","features":[558]},{"name":"MI_MODULE_FLAG_VALUES","features":[558]},{"name":"MI_MainFunction","features":[558]},{"name":"MI_MethodDecl","features":[558]},{"name":"MI_MethodDecl_Invoke","features":[558]},{"name":"MI_Module","features":[558]},{"name":"MI_Module_Load","features":[558]},{"name":"MI_Module_Self","features":[558]},{"name":"MI_Module_Unload","features":[558]},{"name":"MI_OPERATIONFLAGS_BASIC_RTTI","features":[558]},{"name":"MI_OPERATIONFLAGS_DEFAULT_RTTI","features":[558]},{"name":"MI_OPERATIONFLAGS_EXPENSIVE_PROPERTIES","features":[558]},{"name":"MI_OPERATIONFLAGS_FULL_RTTI","features":[558]},{"name":"MI_OPERATIONFLAGS_LOCALIZED_QUALIFIERS","features":[558]},{"name":"MI_OPERATIONFLAGS_MANUAL_ACK_RESULTS","features":[558]},{"name":"MI_OPERATIONFLAGS_NO_RTTI","features":[558]},{"name":"MI_OPERATIONFLAGS_POLYMORPHISM_DEEP_BASE_PROPS_ONLY","features":[558]},{"name":"MI_OPERATIONFLAGS_POLYMORPHISM_SHALLOW","features":[558]},{"name":"MI_OPERATIONFLAGS_REPORT_OPERATION_STARTED","features":[558]},{"name":"MI_OPERATIONFLAGS_STANDARD_RTTI","features":[558]},{"name":"MI_ObjectDecl","features":[558]},{"name":"MI_Operation","features":[558]},{"name":"MI_OperationCallback_Class","features":[558]},{"name":"MI_OperationCallback_Indication","features":[558]},{"name":"MI_OperationCallback_Instance","features":[558]},{"name":"MI_OperationCallback_PromptUser","features":[558]},{"name":"MI_OperationCallback_ResponseType","features":[558]},{"name":"MI_OperationCallback_ResponseType_No","features":[558]},{"name":"MI_OperationCallback_ResponseType_NoToAll","features":[558]},{"name":"MI_OperationCallback_ResponseType_Yes","features":[558]},{"name":"MI_OperationCallback_ResponseType_YesToAll","features":[558]},{"name":"MI_OperationCallback_StreamedParameter","features":[558]},{"name":"MI_OperationCallback_WriteError","features":[558]},{"name":"MI_OperationCallback_WriteMessage","features":[558]},{"name":"MI_OperationCallback_WriteProgress","features":[558]},{"name":"MI_OperationCallbacks","features":[558]},{"name":"MI_OperationFT","features":[558]},{"name":"MI_OperationOptions","features":[558]},{"name":"MI_OperationOptionsFT","features":[558]},{"name":"MI_PROMPTTYPE_CRITICAL","features":[558]},{"name":"MI_PROMPTTYPE_NORMAL","features":[558]},{"name":"MI_PROVIDER_ARCHITECTURE_32BIT","features":[558]},{"name":"MI_PROVIDER_ARCHITECTURE_64BIT","features":[558]},{"name":"MI_ParameterDecl","features":[558]},{"name":"MI_ParameterSet","features":[558]},{"name":"MI_ParameterSetFT","features":[558]},{"name":"MI_PromptType","features":[558]},{"name":"MI_PropertyDecl","features":[558]},{"name":"MI_PropertySet","features":[558]},{"name":"MI_PropertySetFT","features":[558]},{"name":"MI_ProviderArchitecture","features":[558]},{"name":"MI_ProviderFT","features":[558]},{"name":"MI_ProviderFT_AssociatorInstances","features":[558]},{"name":"MI_ProviderFT_CreateInstance","features":[558]},{"name":"MI_ProviderFT_DeleteInstance","features":[558]},{"name":"MI_ProviderFT_DisableIndications","features":[558]},{"name":"MI_ProviderFT_EnableIndications","features":[558]},{"name":"MI_ProviderFT_EnumerateInstances","features":[558]},{"name":"MI_ProviderFT_GetInstance","features":[558]},{"name":"MI_ProviderFT_Invoke","features":[558]},{"name":"MI_ProviderFT_Load","features":[558]},{"name":"MI_ProviderFT_ModifyInstance","features":[558]},{"name":"MI_ProviderFT_ReferenceInstances","features":[558]},{"name":"MI_ProviderFT_Subscribe","features":[558]},{"name":"MI_ProviderFT_Unload","features":[558]},{"name":"MI_ProviderFT_Unsubscribe","features":[558]},{"name":"MI_Qualifier","features":[558]},{"name":"MI_QualifierDecl","features":[558]},{"name":"MI_QualifierSet","features":[558]},{"name":"MI_QualifierSetFT","features":[558]},{"name":"MI_REAL32","features":[558]},{"name":"MI_REAL32A","features":[558]},{"name":"MI_REAL64","features":[558]},{"name":"MI_REAL64A","features":[558]},{"name":"MI_REASON_NONE","features":[558]},{"name":"MI_REASON_SERVICESTOP","features":[558]},{"name":"MI_REASON_SHUTDOWN","features":[558]},{"name":"MI_REASON_TIMEOUT","features":[558]},{"name":"MI_REFERENCE","features":[558]},{"name":"MI_REFERENCEA","features":[558]},{"name":"MI_RESULT_ACCESS_DENIED","features":[558]},{"name":"MI_RESULT_ALREADY_EXISTS","features":[558]},{"name":"MI_RESULT_CLASS_HAS_CHILDREN","features":[558]},{"name":"MI_RESULT_CLASS_HAS_INSTANCES","features":[558]},{"name":"MI_RESULT_CONTINUATION_ON_ERROR_NOT_SUPPORTED","features":[558]},{"name":"MI_RESULT_FAILED","features":[558]},{"name":"MI_RESULT_FILTERED_ENUMERATION_NOT_SUPPORTED","features":[558]},{"name":"MI_RESULT_INVALID_CLASS","features":[558]},{"name":"MI_RESULT_INVALID_ENUMERATION_CONTEXT","features":[558]},{"name":"MI_RESULT_INVALID_NAMESPACE","features":[558]},{"name":"MI_RESULT_INVALID_OPERATION_TIMEOUT","features":[558]},{"name":"MI_RESULT_INVALID_PARAMETER","features":[558]},{"name":"MI_RESULT_INVALID_QUERY","features":[558]},{"name":"MI_RESULT_INVALID_SUPERCLASS","features":[558]},{"name":"MI_RESULT_METHOD_NOT_AVAILABLE","features":[558]},{"name":"MI_RESULT_METHOD_NOT_FOUND","features":[558]},{"name":"MI_RESULT_NAMESPACE_NOT_EMPTY","features":[558]},{"name":"MI_RESULT_NOT_FOUND","features":[558]},{"name":"MI_RESULT_NOT_SUPPORTED","features":[558]},{"name":"MI_RESULT_NO_SUCH_PROPERTY","features":[558]},{"name":"MI_RESULT_OK","features":[558]},{"name":"MI_RESULT_PULL_CANNOT_BE_ABANDONED","features":[558]},{"name":"MI_RESULT_PULL_HAS_BEEN_ABANDONED","features":[558]},{"name":"MI_RESULT_QUERY_LANGUAGE_NOT_SUPPORTED","features":[558]},{"name":"MI_RESULT_SERVER_IS_SHUTTING_DOWN","features":[558]},{"name":"MI_RESULT_SERVER_LIMITS_EXCEEDED","features":[558]},{"name":"MI_RESULT_TYPE_MISMATCH","features":[558]},{"name":"MI_Real32A","features":[558]},{"name":"MI_Real32AField","features":[558]},{"name":"MI_Real32Field","features":[558]},{"name":"MI_Real64A","features":[558]},{"name":"MI_Real64AField","features":[558]},{"name":"MI_Real64Field","features":[558]},{"name":"MI_ReferenceA","features":[558]},{"name":"MI_ReferenceAField","features":[558]},{"name":"MI_ReferenceField","features":[558]},{"name":"MI_Result","features":[558]},{"name":"MI_SERIALIZER_FLAGS_CLASS_DEEP","features":[558]},{"name":"MI_SERIALIZER_FLAGS_INSTANCE_WITH_CLASS","features":[558]},{"name":"MI_SINT16","features":[558]},{"name":"MI_SINT16A","features":[558]},{"name":"MI_SINT32","features":[558]},{"name":"MI_SINT32A","features":[558]},{"name":"MI_SINT64","features":[558]},{"name":"MI_SINT64A","features":[558]},{"name":"MI_SINT8","features":[558]},{"name":"MI_SINT8A","features":[558]},{"name":"MI_STRING","features":[558]},{"name":"MI_STRINGA","features":[558]},{"name":"MI_SUBSCRIBE_BOOKMARK_NEWEST","features":[558]},{"name":"MI_SUBSCRIBE_BOOKMARK_OLDEST","features":[558]},{"name":"MI_SchemaDecl","features":[558]},{"name":"MI_Serializer","features":[558]},{"name":"MI_SerializerFT","features":[558]},{"name":"MI_Server","features":[558]},{"name":"MI_ServerFT","features":[558]},{"name":"MI_Session","features":[558]},{"name":"MI_SessionCallbacks","features":[558]},{"name":"MI_SessionFT","features":[558]},{"name":"MI_Sint16A","features":[558]},{"name":"MI_Sint16AField","features":[558]},{"name":"MI_Sint16Field","features":[558]},{"name":"MI_Sint32A","features":[558]},{"name":"MI_Sint32AField","features":[558]},{"name":"MI_Sint32Field","features":[558]},{"name":"MI_Sint64A","features":[558]},{"name":"MI_Sint64AField","features":[558]},{"name":"MI_Sint64Field","features":[558]},{"name":"MI_Sint8A","features":[558]},{"name":"MI_Sint8AField","features":[558]},{"name":"MI_Sint8Field","features":[558]},{"name":"MI_StringA","features":[558]},{"name":"MI_StringAField","features":[558]},{"name":"MI_StringField","features":[558]},{"name":"MI_SubscriptionDeliveryOptions","features":[558]},{"name":"MI_SubscriptionDeliveryOptionsFT","features":[558]},{"name":"MI_SubscriptionDeliveryType","features":[558]},{"name":"MI_SubscriptionDeliveryType_Pull","features":[558]},{"name":"MI_SubscriptionDeliveryType_Push","features":[558]},{"name":"MI_Timestamp","features":[558]},{"name":"MI_Type","features":[558]},{"name":"MI_UINT16","features":[558]},{"name":"MI_UINT16A","features":[558]},{"name":"MI_UINT32","features":[558]},{"name":"MI_UINT32A","features":[558]},{"name":"MI_UINT64","features":[558]},{"name":"MI_UINT64A","features":[558]},{"name":"MI_UINT8","features":[558]},{"name":"MI_UINT8A","features":[558]},{"name":"MI_Uint16A","features":[558]},{"name":"MI_Uint16AField","features":[558]},{"name":"MI_Uint16Field","features":[558]},{"name":"MI_Uint32A","features":[558]},{"name":"MI_Uint32AField","features":[558]},{"name":"MI_Uint32Field","features":[558]},{"name":"MI_Uint64A","features":[558]},{"name":"MI_Uint64AField","features":[558]},{"name":"MI_Uint64Field","features":[558]},{"name":"MI_Uint8A","features":[558]},{"name":"MI_Uint8AField","features":[558]},{"name":"MI_Uint8Field","features":[558]},{"name":"MI_UserCredentials","features":[558]},{"name":"MI_UsernamePasswordCreds","features":[558]},{"name":"MI_UtilitiesFT","features":[558]},{"name":"MI_Value","features":[558]},{"name":"MI_WRITEMESSAGE_CHANNEL_DEBUG","features":[558]},{"name":"MI_WRITEMESSAGE_CHANNEL_VERBOSE","features":[558]},{"name":"MI_WRITEMESSAGE_CHANNEL_WARNING","features":[558]},{"name":"MofCompiler","features":[558]},{"name":"SWbemAnalysisMatrix","features":[308,558]},{"name":"SWbemAnalysisMatrixList","features":[308,558]},{"name":"SWbemAssocQueryInf","features":[558]},{"name":"SWbemDateTime","features":[558]},{"name":"SWbemEventSource","features":[558]},{"name":"SWbemLastError","features":[558]},{"name":"SWbemLocator","features":[558]},{"name":"SWbemMethod","features":[558]},{"name":"SWbemMethodSet","features":[558]},{"name":"SWbemNamedValue","features":[558]},{"name":"SWbemNamedValueSet","features":[558]},{"name":"SWbemObject","features":[558]},{"name":"SWbemObjectEx","features":[558]},{"name":"SWbemObjectPath","features":[558]},{"name":"SWbemObjectSet","features":[558]},{"name":"SWbemPrivilege","features":[558]},{"name":"SWbemPrivilegeSet","features":[558]},{"name":"SWbemProperty","features":[558]},{"name":"SWbemPropertySet","features":[558]},{"name":"SWbemQualifier","features":[558]},{"name":"SWbemQualifierSet","features":[558]},{"name":"SWbemQueryQualifiedName","features":[308,558]},{"name":"SWbemRefreshableItem","features":[558]},{"name":"SWbemRefresher","features":[558]},{"name":"SWbemRpnConst","features":[308,558]},{"name":"SWbemRpnEncodedQuery","features":[308,558]},{"name":"SWbemRpnQueryToken","features":[308,558]},{"name":"SWbemRpnTokenList","features":[558]},{"name":"SWbemSecurity","features":[558]},{"name":"SWbemServices","features":[558]},{"name":"SWbemServicesEx","features":[558]},{"name":"SWbemSink","features":[558]},{"name":"UnsecuredApartment","features":[558]},{"name":"WBEMESS_E_AUTHZ_NOT_PRIVILEGED","features":[558]},{"name":"WBEMESS_E_REGISTRATION_TOO_BROAD","features":[558]},{"name":"WBEMESS_E_REGISTRATION_TOO_PRECISE","features":[558]},{"name":"WBEMMOF_E_ALIASES_IN_EMBEDDED","features":[558]},{"name":"WBEMMOF_E_CIMTYPE_QUALIFIER","features":[558]},{"name":"WBEMMOF_E_DUPLICATE_PROPERTY","features":[558]},{"name":"WBEMMOF_E_DUPLICATE_QUALIFIER","features":[558]},{"name":"WBEMMOF_E_ERROR_CREATING_TEMP_FILE","features":[558]},{"name":"WBEMMOF_E_ERROR_INVALID_INCLUDE_FILE","features":[558]},{"name":"WBEMMOF_E_EXPECTED_ALIAS_NAME","features":[558]},{"name":"WBEMMOF_E_EXPECTED_BRACE_OR_BAD_TYPE","features":[558]},{"name":"WBEMMOF_E_EXPECTED_CLASS_NAME","features":[558]},{"name":"WBEMMOF_E_EXPECTED_CLOSE_BRACE","features":[558]},{"name":"WBEMMOF_E_EXPECTED_CLOSE_BRACKET","features":[558]},{"name":"WBEMMOF_E_EXPECTED_CLOSE_PAREN","features":[558]},{"name":"WBEMMOF_E_EXPECTED_DOLLAR","features":[558]},{"name":"WBEMMOF_E_EXPECTED_FLAVOR_TYPE","features":[558]},{"name":"WBEMMOF_E_EXPECTED_OPEN_BRACE","features":[558]},{"name":"WBEMMOF_E_EXPECTED_OPEN_PAREN","features":[558]},{"name":"WBEMMOF_E_EXPECTED_PROPERTY_NAME","features":[558]},{"name":"WBEMMOF_E_EXPECTED_QUALIFIER_NAME","features":[558]},{"name":"WBEMMOF_E_EXPECTED_SEMI","features":[558]},{"name":"WBEMMOF_E_EXPECTED_TYPE_IDENTIFIER","features":[558]},{"name":"WBEMMOF_E_ILLEGAL_CONSTANT_VALUE","features":[558]},{"name":"WBEMMOF_E_INCOMPATIBLE_FLAVOR_TYPES","features":[558]},{"name":"WBEMMOF_E_INCOMPATIBLE_FLAVOR_TYPES2","features":[558]},{"name":"WBEMMOF_E_INVALID_AMENDMENT_SYNTAX","features":[558]},{"name":"WBEMMOF_E_INVALID_CLASS_DECLARATION","features":[558]},{"name":"WBEMMOF_E_INVALID_DELETECLASS_SYNTAX","features":[558]},{"name":"WBEMMOF_E_INVALID_DELETEINSTANCE_SYNTAX","features":[558]},{"name":"WBEMMOF_E_INVALID_DUPLICATE_AMENDMENT","features":[558]},{"name":"WBEMMOF_E_INVALID_FILE","features":[558]},{"name":"WBEMMOF_E_INVALID_FLAGS_SYNTAX","features":[558]},{"name":"WBEMMOF_E_INVALID_INSTANCE_DECLARATION","features":[558]},{"name":"WBEMMOF_E_INVALID_NAMESPACE_SPECIFICATION","features":[558]},{"name":"WBEMMOF_E_INVALID_NAMESPACE_SYNTAX","features":[558]},{"name":"WBEMMOF_E_INVALID_PRAGMA","features":[558]},{"name":"WBEMMOF_E_INVALID_QUALIFIER_SYNTAX","features":[558]},{"name":"WBEMMOF_E_MULTIPLE_ALIASES","features":[558]},{"name":"WBEMMOF_E_MUST_BE_IN_OR_OUT","features":[558]},{"name":"WBEMMOF_E_NO_ARRAYS_RETURNED","features":[558]},{"name":"WBEMMOF_E_NULL_ARRAY_ELEM","features":[558]},{"name":"WBEMMOF_E_OUT_OF_RANGE","features":[558]},{"name":"WBEMMOF_E_QUALIFIER_USED_OUTSIDE_SCOPE","features":[558]},{"name":"WBEMMOF_E_TYPEDEF_NOT_SUPPORTED","features":[558]},{"name":"WBEMMOF_E_TYPE_MISMATCH","features":[558]},{"name":"WBEMMOF_E_UNEXPECTED_ALIAS","features":[558]},{"name":"WBEMMOF_E_UNEXPECTED_ARRAY_INIT","features":[558]},{"name":"WBEMMOF_E_UNRECOGNIZED_TOKEN","features":[558]},{"name":"WBEMMOF_E_UNRECOGNIZED_TYPE","features":[558]},{"name":"WBEMMOF_E_UNSUPPORTED_CIMV22_DATA_TYPE","features":[558]},{"name":"WBEMMOF_E_UNSUPPORTED_CIMV22_QUAL_VALUE","features":[558]},{"name":"WBEMPATH_COMPRESSED","features":[558]},{"name":"WBEMPATH_CREATE_ACCEPT_ABSOLUTE","features":[558]},{"name":"WBEMPATH_CREATE_ACCEPT_ALL","features":[558]},{"name":"WBEMPATH_CREATE_ACCEPT_RELATIVE","features":[558]},{"name":"WBEMPATH_GET_NAMESPACE_ONLY","features":[558]},{"name":"WBEMPATH_GET_ORIGINAL","features":[558]},{"name":"WBEMPATH_GET_RELATIVE_ONLY","features":[558]},{"name":"WBEMPATH_GET_SERVER_AND_NAMESPACE_ONLY","features":[558]},{"name":"WBEMPATH_GET_SERVER_TOO","features":[558]},{"name":"WBEMPATH_INFO_ANON_LOCAL_MACHINE","features":[558]},{"name":"WBEMPATH_INFO_CIM_COMPLIANT","features":[558]},{"name":"WBEMPATH_INFO_CONTAINS_SINGLETON","features":[558]},{"name":"WBEMPATH_INFO_HAS_IMPLIED_KEY","features":[558]},{"name":"WBEMPATH_INFO_HAS_MACHINE_NAME","features":[558]},{"name":"WBEMPATH_INFO_HAS_SUBSCOPES","features":[558]},{"name":"WBEMPATH_INFO_HAS_V2_REF_PATHS","features":[558]},{"name":"WBEMPATH_INFO_IS_CLASS_REF","features":[558]},{"name":"WBEMPATH_INFO_IS_COMPOUND","features":[558]},{"name":"WBEMPATH_INFO_IS_INST_REF","features":[558]},{"name":"WBEMPATH_INFO_IS_PARENT","features":[558]},{"name":"WBEMPATH_INFO_IS_SINGLETON","features":[558]},{"name":"WBEMPATH_INFO_NATIVE_PATH","features":[558]},{"name":"WBEMPATH_INFO_PATH_HAD_SERVER","features":[558]},{"name":"WBEMPATH_INFO_SERVER_NAMESPACE_ONLY","features":[558]},{"name":"WBEMPATH_INFO_V1_COMPLIANT","features":[558]},{"name":"WBEMPATH_INFO_V2_COMPLIANT","features":[558]},{"name":"WBEMPATH_INFO_WMI_PATH","features":[558]},{"name":"WBEMPATH_QUOTEDTEXT","features":[558]},{"name":"WBEMPATH_TEXT","features":[558]},{"name":"WBEMPATH_TREAT_SINGLE_IDENT_AS_NS","features":[558]},{"name":"WBEMSTATUS","features":[558]},{"name":"WBEMSTATUS_FORMAT","features":[558]},{"name":"WBEMSTATUS_FORMAT_NEWLINE","features":[558]},{"name":"WBEMSTATUS_FORMAT_NO_NEWLINE","features":[558]},{"name":"WBEMS_DISPID_COMPLETED","features":[558]},{"name":"WBEMS_DISPID_CONNECTION_READY","features":[558]},{"name":"WBEMS_DISPID_DERIVATION","features":[558]},{"name":"WBEMS_DISPID_OBJECT_PUT","features":[558]},{"name":"WBEMS_DISPID_OBJECT_READY","features":[558]},{"name":"WBEMS_DISPID_PROGRESS","features":[558]},{"name":"WBEM_AUTHENTICATION_METHOD_MASK","features":[558]},{"name":"WBEM_BACKUP_RESTORE_FLAGS","features":[558]},{"name":"WBEM_BATCH_TYPE","features":[558]},{"name":"WBEM_CHANGE_FLAG_TYPE","features":[558]},{"name":"WBEM_COMPARISON_FLAG","features":[558]},{"name":"WBEM_COMPARISON_INCLUDE_ALL","features":[558]},{"name":"WBEM_COMPILER_OPTIONS","features":[558]},{"name":"WBEM_COMPILE_STATUS_INFO","features":[558]},{"name":"WBEM_CONDITION_FLAG_TYPE","features":[558]},{"name":"WBEM_CONNECT_OPTIONS","features":[558]},{"name":"WBEM_ENABLE","features":[558]},{"name":"WBEM_EXTRA_RETURN_CODES","features":[558]},{"name":"WBEM_E_ACCESS_DENIED","features":[558]},{"name":"WBEM_E_AGGREGATING_BY_OBJECT","features":[558]},{"name":"WBEM_E_ALREADY_EXISTS","features":[558]},{"name":"WBEM_E_AMBIGUOUS_OPERATION","features":[558]},{"name":"WBEM_E_AMENDED_OBJECT","features":[558]},{"name":"WBEM_E_BACKUP_RESTORE_WINMGMT_RUNNING","features":[558]},{"name":"WBEM_E_BUFFER_TOO_SMALL","features":[558]},{"name":"WBEM_E_CALL_CANCELLED","features":[558]},{"name":"WBEM_E_CANNOT_BE_ABSTRACT","features":[558]},{"name":"WBEM_E_CANNOT_BE_KEY","features":[558]},{"name":"WBEM_E_CANNOT_BE_SINGLETON","features":[558]},{"name":"WBEM_E_CANNOT_CHANGE_INDEX_INHERITANCE","features":[558]},{"name":"WBEM_E_CANNOT_CHANGE_KEY_INHERITANCE","features":[558]},{"name":"WBEM_E_CIRCULAR_REFERENCE","features":[558]},{"name":"WBEM_E_CLASS_HAS_CHILDREN","features":[558]},{"name":"WBEM_E_CLASS_HAS_INSTANCES","features":[558]},{"name":"WBEM_E_CLASS_NAME_TOO_WIDE","features":[558]},{"name":"WBEM_E_CLIENT_TOO_SLOW","features":[558]},{"name":"WBEM_E_CONNECTION_FAILED","features":[558]},{"name":"WBEM_E_CRITICAL_ERROR","features":[558]},{"name":"WBEM_E_DATABASE_VER_MISMATCH","features":[558]},{"name":"WBEM_E_ENCRYPTED_CONNECTION_REQUIRED","features":[558]},{"name":"WBEM_E_FAILED","features":[558]},{"name":"WBEM_E_FATAL_TRANSPORT_ERROR","features":[558]},{"name":"WBEM_E_HANDLE_OUT_OF_DATE","features":[558]},{"name":"WBEM_E_ILLEGAL_NULL","features":[558]},{"name":"WBEM_E_ILLEGAL_OPERATION","features":[558]},{"name":"WBEM_E_INCOMPLETE_CLASS","features":[558]},{"name":"WBEM_E_INITIALIZATION_FAILURE","features":[558]},{"name":"WBEM_E_INVALID_ASSOCIATION","features":[558]},{"name":"WBEM_E_INVALID_CIM_TYPE","features":[558]},{"name":"WBEM_E_INVALID_CLASS","features":[558]},{"name":"WBEM_E_INVALID_CONTEXT","features":[558]},{"name":"WBEM_E_INVALID_DUPLICATE_PARAMETER","features":[558]},{"name":"WBEM_E_INVALID_FLAVOR","features":[558]},{"name":"WBEM_E_INVALID_HANDLE_REQUEST","features":[558]},{"name":"WBEM_E_INVALID_LOCALE","features":[558]},{"name":"WBEM_E_INVALID_METHOD","features":[558]},{"name":"WBEM_E_INVALID_METHOD_PARAMETERS","features":[558]},{"name":"WBEM_E_INVALID_NAMESPACE","features":[558]},{"name":"WBEM_E_INVALID_OBJECT","features":[558]},{"name":"WBEM_E_INVALID_OBJECT_PATH","features":[558]},{"name":"WBEM_E_INVALID_OPERATION","features":[558]},{"name":"WBEM_E_INVALID_OPERATOR","features":[558]},{"name":"WBEM_E_INVALID_PARAMETER","features":[558]},{"name":"WBEM_E_INVALID_PARAMETER_ID","features":[558]},{"name":"WBEM_E_INVALID_PROPERTY","features":[558]},{"name":"WBEM_E_INVALID_PROPERTY_TYPE","features":[558]},{"name":"WBEM_E_INVALID_PROVIDER_REGISTRATION","features":[558]},{"name":"WBEM_E_INVALID_QUALIFIER","features":[558]},{"name":"WBEM_E_INVALID_QUALIFIER_TYPE","features":[558]},{"name":"WBEM_E_INVALID_QUERY","features":[558]},{"name":"WBEM_E_INVALID_QUERY_TYPE","features":[558]},{"name":"WBEM_E_INVALID_STREAM","features":[558]},{"name":"WBEM_E_INVALID_SUPERCLASS","features":[558]},{"name":"WBEM_E_INVALID_SYNTAX","features":[558]},{"name":"WBEM_E_LOCAL_CREDENTIALS","features":[558]},{"name":"WBEM_E_MARSHAL_INVALID_SIGNATURE","features":[558]},{"name":"WBEM_E_MARSHAL_VERSION_MISMATCH","features":[558]},{"name":"WBEM_E_METHOD_DISABLED","features":[558]},{"name":"WBEM_E_METHOD_NAME_TOO_WIDE","features":[558]},{"name":"WBEM_E_METHOD_NOT_IMPLEMENTED","features":[558]},{"name":"WBEM_E_MISSING_AGGREGATION_LIST","features":[558]},{"name":"WBEM_E_MISSING_GROUP_WITHIN","features":[558]},{"name":"WBEM_E_MISSING_PARAMETER_ID","features":[558]},{"name":"WBEM_E_NONCONSECUTIVE_PARAMETER_IDS","features":[558]},{"name":"WBEM_E_NONDECORATED_OBJECT","features":[558]},{"name":"WBEM_E_NOT_AVAILABLE","features":[558]},{"name":"WBEM_E_NOT_EVENT_CLASS","features":[558]},{"name":"WBEM_E_NOT_FOUND","features":[558]},{"name":"WBEM_E_NOT_SUPPORTED","features":[558]},{"name":"WBEM_E_NO_KEY","features":[558]},{"name":"WBEM_E_NO_SCHEMA","features":[558]},{"name":"WBEM_E_NULL_SECURITY_DESCRIPTOR","features":[558]},{"name":"WBEM_E_OUT_OF_DISK_SPACE","features":[558]},{"name":"WBEM_E_OUT_OF_MEMORY","features":[558]},{"name":"WBEM_E_OVERRIDE_NOT_ALLOWED","features":[558]},{"name":"WBEM_E_PARAMETER_ID_ON_RETVAL","features":[558]},{"name":"WBEM_E_PRIVILEGE_NOT_HELD","features":[558]},{"name":"WBEM_E_PROPAGATED_METHOD","features":[558]},{"name":"WBEM_E_PROPAGATED_PROPERTY","features":[558]},{"name":"WBEM_E_PROPAGATED_QUALIFIER","features":[558]},{"name":"WBEM_E_PROPERTY_NAME_TOO_WIDE","features":[558]},{"name":"WBEM_E_PROPERTY_NOT_AN_OBJECT","features":[558]},{"name":"WBEM_E_PROVIDER_ALREADY_REGISTERED","features":[558]},{"name":"WBEM_E_PROVIDER_DISABLED","features":[558]},{"name":"WBEM_E_PROVIDER_FAILURE","features":[558]},{"name":"WBEM_E_PROVIDER_LOAD_FAILURE","features":[558]},{"name":"WBEM_E_PROVIDER_NOT_CAPABLE","features":[558]},{"name":"WBEM_E_PROVIDER_NOT_FOUND","features":[558]},{"name":"WBEM_E_PROVIDER_NOT_REGISTERED","features":[558]},{"name":"WBEM_E_PROVIDER_SUSPENDED","features":[558]},{"name":"WBEM_E_PROVIDER_TIMED_OUT","features":[558]},{"name":"WBEM_E_QUALIFIER_NAME_TOO_WIDE","features":[558]},{"name":"WBEM_E_QUERY_NOT_IMPLEMENTED","features":[558]},{"name":"WBEM_E_QUEUE_OVERFLOW","features":[558]},{"name":"WBEM_E_QUOTA_VIOLATION","features":[558]},{"name":"WBEM_E_READ_ONLY","features":[558]},{"name":"WBEM_E_REFRESHER_BUSY","features":[558]},{"name":"WBEM_E_RERUN_COMMAND","features":[558]},{"name":"WBEM_E_RESERVED_001","features":[558]},{"name":"WBEM_E_RESERVED_002","features":[558]},{"name":"WBEM_E_RESOURCE_CONTENTION","features":[558]},{"name":"WBEM_E_RETRY_LATER","features":[558]},{"name":"WBEM_E_SERVER_TOO_BUSY","features":[558]},{"name":"WBEM_E_SHUTTING_DOWN","features":[558]},{"name":"WBEM_E_SYNCHRONIZATION_REQUIRED","features":[558]},{"name":"WBEM_E_SYSTEM_PROPERTY","features":[558]},{"name":"WBEM_E_TIMED_OUT","features":[558]},{"name":"WBEM_E_TOO_MANY_PROPERTIES","features":[558]},{"name":"WBEM_E_TOO_MUCH_DATA","features":[558]},{"name":"WBEM_E_TRANSPORT_FAILURE","features":[558]},{"name":"WBEM_E_TYPE_MISMATCH","features":[558]},{"name":"WBEM_E_UNEXPECTED","features":[558]},{"name":"WBEM_E_UNINTERPRETABLE_PROVIDER_QUERY","features":[558]},{"name":"WBEM_E_UNKNOWN_OBJECT_TYPE","features":[558]},{"name":"WBEM_E_UNKNOWN_PACKET_TYPE","features":[558]},{"name":"WBEM_E_UNPARSABLE_QUERY","features":[558]},{"name":"WBEM_E_UNSUPPORTED_CLASS_UPDATE","features":[558]},{"name":"WBEM_E_UNSUPPORTED_LOCALE","features":[558]},{"name":"WBEM_E_UNSUPPORTED_PARAMETER","features":[558]},{"name":"WBEM_E_UNSUPPORTED_PUT_EXTENSION","features":[558]},{"name":"WBEM_E_UPDATE_OVERRIDE_NOT_ALLOWED","features":[558]},{"name":"WBEM_E_UPDATE_PROPAGATED_METHOD","features":[558]},{"name":"WBEM_E_UPDATE_TYPE_MISMATCH","features":[558]},{"name":"WBEM_E_VALUE_OUT_OF_RANGE","features":[558]},{"name":"WBEM_E_VETO_DELETE","features":[558]},{"name":"WBEM_E_VETO_PUT","features":[558]},{"name":"WBEM_FLAG_ADVISORY","features":[558]},{"name":"WBEM_FLAG_ALLOW_READ","features":[558]},{"name":"WBEM_FLAG_ALWAYS","features":[558]},{"name":"WBEM_FLAG_AUTORECOVER","features":[558]},{"name":"WBEM_FLAG_BACKUP_RESTORE_DEFAULT","features":[558]},{"name":"WBEM_FLAG_BACKUP_RESTORE_FORCE_SHUTDOWN","features":[558]},{"name":"WBEM_FLAG_BATCH_IF_NEEDED","features":[558]},{"name":"WBEM_FLAG_BIDIRECTIONAL","features":[558]},{"name":"WBEM_FLAG_CHECK_ONLY","features":[558]},{"name":"WBEM_FLAG_CLASS_LOCAL_AND_OVERRIDES","features":[558]},{"name":"WBEM_FLAG_CLASS_OVERRIDES_ONLY","features":[558]},{"name":"WBEM_FLAG_CONNECT_PROVIDERS","features":[558]},{"name":"WBEM_FLAG_CONNECT_REPOSITORY_ONLY","features":[558]},{"name":"WBEM_FLAG_CONNECT_USE_MAX_WAIT","features":[558]},{"name":"WBEM_FLAG_CONSOLE_PRINT","features":[558]},{"name":"WBEM_FLAG_CREATE_ONLY","features":[558]},{"name":"WBEM_FLAG_CREATE_OR_UPDATE","features":[558]},{"name":"WBEM_FLAG_DEEP","features":[558]},{"name":"WBEM_FLAG_DIRECT_READ","features":[558]},{"name":"WBEM_FLAG_DONT_ADD_TO_LIST","features":[558]},{"name":"WBEM_FLAG_DONT_SEND_STATUS","features":[558]},{"name":"WBEM_FLAG_ENSURE_LOCATABLE","features":[558]},{"name":"WBEM_FLAG_EXCLUDE_OBJECT_QUALIFIERS","features":[558]},{"name":"WBEM_FLAG_EXCLUDE_PROPERTY_QUALIFIERS","features":[558]},{"name":"WBEM_FLAG_FORWARD_ONLY","features":[558]},{"name":"WBEM_FLAG_IGNORE_CASE","features":[558]},{"name":"WBEM_FLAG_IGNORE_CLASS","features":[558]},{"name":"WBEM_FLAG_IGNORE_DEFAULT_VALUES","features":[558]},{"name":"WBEM_FLAG_IGNORE_FLAVOR","features":[558]},{"name":"WBEM_FLAG_IGNORE_OBJECT_SOURCE","features":[558]},{"name":"WBEM_FLAG_IGNORE_QUALIFIERS","features":[558]},{"name":"WBEM_FLAG_INPROC_LOGIN","features":[558]},{"name":"WBEM_FLAG_KEYS_ONLY","features":[558]},{"name":"WBEM_FLAG_LOCAL_LOGIN","features":[558]},{"name":"WBEM_FLAG_LOCAL_ONLY","features":[558]},{"name":"WBEM_FLAG_LONG_NAME","features":[558]},{"name":"WBEM_FLAG_MUST_BATCH","features":[558]},{"name":"WBEM_FLAG_MUST_NOT_BATCH","features":[558]},{"name":"WBEM_FLAG_NONSYSTEM_ONLY","features":[558]},{"name":"WBEM_FLAG_NO_ERROR_OBJECT","features":[558]},{"name":"WBEM_FLAG_NO_FLAVORS","features":[558]},{"name":"WBEM_FLAG_ONLY_IF_FALSE","features":[558]},{"name":"WBEM_FLAG_ONLY_IF_IDENTICAL","features":[558]},{"name":"WBEM_FLAG_ONLY_IF_TRUE","features":[558]},{"name":"WBEM_FLAG_OWNER_UPDATE","features":[558]},{"name":"WBEM_FLAG_PROPAGATED_ONLY","features":[558]},{"name":"WBEM_FLAG_PROTOTYPE","features":[558]},{"name":"WBEM_FLAG_REFRESH_AUTO_RECONNECT","features":[558]},{"name":"WBEM_FLAG_REFRESH_NO_AUTO_RECONNECT","features":[558]},{"name":"WBEM_FLAG_REFS_ONLY","features":[558]},{"name":"WBEM_FLAG_REMOTE_LOGIN","features":[558]},{"name":"WBEM_FLAG_RETURN_ERROR_OBJECT","features":[558]},{"name":"WBEM_FLAG_RETURN_IMMEDIATELY","features":[558]},{"name":"WBEM_FLAG_RETURN_WBEM_COMPLETE","features":[558]},{"name":"WBEM_FLAG_SEND_ONLY_SELECTED","features":[558]},{"name":"WBEM_FLAG_SEND_STATUS","features":[558]},{"name":"WBEM_FLAG_SHALLOW","features":[558]},{"name":"WBEM_FLAG_SHORT_NAME","features":[558]},{"name":"WBEM_FLAG_SPLIT_FILES","features":[558]},{"name":"WBEM_FLAG_STORE_FILE","features":[558]},{"name":"WBEM_FLAG_STRONG_VALIDATION","features":[558]},{"name":"WBEM_FLAG_SYSTEM_ONLY","features":[558]},{"name":"WBEM_FLAG_UNSECAPP_CHECK_ACCESS","features":[558]},{"name":"WBEM_FLAG_UNSECAPP_DEFAULT_CHECK_ACCESS","features":[558]},{"name":"WBEM_FLAG_UNSECAPP_DONT_CHECK_ACCESS","features":[558]},{"name":"WBEM_FLAG_UPDATE_COMPATIBLE","features":[558]},{"name":"WBEM_FLAG_UPDATE_FORCE_MODE","features":[558]},{"name":"WBEM_FLAG_UPDATE_ONLY","features":[558]},{"name":"WBEM_FLAG_UPDATE_SAFE_MODE","features":[558]},{"name":"WBEM_FLAG_USE_AMENDED_QUALIFIERS","features":[558]},{"name":"WBEM_FLAG_USE_MULTIPLE_CHALLENGES","features":[558]},{"name":"WBEM_FLAG_WMI_CHECK","features":[558]},{"name":"WBEM_FLAVOR_AMENDED","features":[558]},{"name":"WBEM_FLAVOR_DONT_PROPAGATE","features":[558]},{"name":"WBEM_FLAVOR_FLAG_PROPAGATE_TO_DERIVED_CLASS","features":[558]},{"name":"WBEM_FLAVOR_FLAG_PROPAGATE_TO_INSTANCE","features":[558]},{"name":"WBEM_FLAVOR_MASK_AMENDED","features":[558]},{"name":"WBEM_FLAVOR_MASK_ORIGIN","features":[558]},{"name":"WBEM_FLAVOR_MASK_PERMISSIONS","features":[558]},{"name":"WBEM_FLAVOR_MASK_PROPAGATION","features":[558]},{"name":"WBEM_FLAVOR_NOT_AMENDED","features":[558]},{"name":"WBEM_FLAVOR_NOT_OVERRIDABLE","features":[558]},{"name":"WBEM_FLAVOR_ORIGIN_LOCAL","features":[558]},{"name":"WBEM_FLAVOR_ORIGIN_PROPAGATED","features":[558]},{"name":"WBEM_FLAVOR_ORIGIN_SYSTEM","features":[558]},{"name":"WBEM_FLAVOR_OVERRIDABLE","features":[558]},{"name":"WBEM_FLAVOR_TYPE","features":[558]},{"name":"WBEM_FULL_WRITE_REP","features":[558]},{"name":"WBEM_GENERIC_FLAG_TYPE","features":[558]},{"name":"WBEM_GENUS_CLASS","features":[558]},{"name":"WBEM_GENUS_INSTANCE","features":[558]},{"name":"WBEM_GENUS_TYPE","features":[558]},{"name":"WBEM_GET_KEY_FLAGS","features":[558]},{"name":"WBEM_GET_TEXT_FLAGS","features":[558]},{"name":"WBEM_INFINITE","features":[558]},{"name":"WBEM_INFORMATION_FLAG_TYPE","features":[558]},{"name":"WBEM_LIMITATION_FLAG_TYPE","features":[558]},{"name":"WBEM_LIMITS","features":[558]},{"name":"WBEM_LOCKING_FLAG_TYPE","features":[558]},{"name":"WBEM_LOGIN_TYPE","features":[558]},{"name":"WBEM_MASK_CLASS_CONDITION","features":[558]},{"name":"WBEM_MASK_CONDITION_ORIGIN","features":[558]},{"name":"WBEM_MASK_PRIMARY_CONDITION","features":[558]},{"name":"WBEM_MASK_RESERVED_FLAGS","features":[558]},{"name":"WBEM_MASK_UPDATE_MODE","features":[558]},{"name":"WBEM_MAX_IDENTIFIER","features":[558]},{"name":"WBEM_MAX_OBJECT_NESTING","features":[558]},{"name":"WBEM_MAX_PATH","features":[558]},{"name":"WBEM_MAX_QUERY","features":[558]},{"name":"WBEM_MAX_USER_PROPERTIES","features":[558]},{"name":"WBEM_METHOD_EXECUTE","features":[558]},{"name":"WBEM_NO_ERROR","features":[558]},{"name":"WBEM_NO_WAIT","features":[558]},{"name":"WBEM_PARTIAL_WRITE_REP","features":[558]},{"name":"WBEM_PATH_CREATE_FLAG","features":[558]},{"name":"WBEM_PATH_STATUS_FLAG","features":[558]},{"name":"WBEM_PROVIDER_FLAGS","features":[558]},{"name":"WBEM_PROVIDER_REQUIREMENTS_TYPE","features":[558]},{"name":"WBEM_QUERY_FLAG_TYPE","features":[558]},{"name":"WBEM_REFRESHER_FLAGS","features":[558]},{"name":"WBEM_REMOTE_ACCESS","features":[558]},{"name":"WBEM_REQUIREMENTS_RECHECK_SUBSCRIPTIONS","features":[558]},{"name":"WBEM_REQUIREMENTS_START_POSTFILTER","features":[558]},{"name":"WBEM_REQUIREMENTS_STOP_POSTFILTER","features":[558]},{"name":"WBEM_RETURN_IMMEDIATELY","features":[558]},{"name":"WBEM_RETURN_WHEN_COMPLETE","features":[558]},{"name":"WBEM_RIGHT_PUBLISH","features":[558]},{"name":"WBEM_RIGHT_SUBSCRIBE","features":[558]},{"name":"WBEM_SECURITY_FLAGS","features":[558]},{"name":"WBEM_SHUTDOWN_FLAGS","features":[558]},{"name":"WBEM_SHUTDOWN_OS","features":[558]},{"name":"WBEM_SHUTDOWN_UNLOAD_COMPONENT","features":[558]},{"name":"WBEM_SHUTDOWN_WMI","features":[558]},{"name":"WBEM_STATUS_COMPLETE","features":[558]},{"name":"WBEM_STATUS_LOGGING_INFORMATION","features":[558]},{"name":"WBEM_STATUS_LOGGING_INFORMATION_ESS","features":[558]},{"name":"WBEM_STATUS_LOGGING_INFORMATION_HOST","features":[558]},{"name":"WBEM_STATUS_LOGGING_INFORMATION_PROVIDER","features":[558]},{"name":"WBEM_STATUS_LOGGING_INFORMATION_REPOSITORY","features":[558]},{"name":"WBEM_STATUS_PROGRESS","features":[558]},{"name":"WBEM_STATUS_REQUIREMENTS","features":[558]},{"name":"WBEM_STATUS_TYPE","features":[558]},{"name":"WBEM_S_ACCESS_DENIED","features":[558]},{"name":"WBEM_S_ALREADY_EXISTS","features":[558]},{"name":"WBEM_S_DIFFERENT","features":[558]},{"name":"WBEM_S_DUPLICATE_OBJECTS","features":[558]},{"name":"WBEM_S_FALSE","features":[558]},{"name":"WBEM_S_INDIRECTLY_UPDATED","features":[558]},{"name":"WBEM_S_INITIALIZED","features":[558]},{"name":"WBEM_S_LIMITED_SERVICE","features":[558]},{"name":"WBEM_S_NO_ERROR","features":[558]},{"name":"WBEM_S_NO_MORE_DATA","features":[558]},{"name":"WBEM_S_OPERATION_CANCELLED","features":[558]},{"name":"WBEM_S_PARTIAL_RESULTS","features":[558]},{"name":"WBEM_S_PENDING","features":[558]},{"name":"WBEM_S_RESET_TO_DEFAULT","features":[558]},{"name":"WBEM_S_SAME","features":[558]},{"name":"WBEM_S_SOURCE_NOT_AVAILABLE","features":[558]},{"name":"WBEM_S_SUBJECT_TO_SDS","features":[558]},{"name":"WBEM_S_TIMEDOUT","features":[558]},{"name":"WBEM_TEXT_FLAG_TYPE","features":[558]},{"name":"WBEM_UNSECAPP_FLAG_TYPE","features":[558]},{"name":"WBEM_WRITE_PROVIDER","features":[558]},{"name":"WMIExtension","features":[558]},{"name":"WMIQ_ANALYSIS_ASSOC_QUERY","features":[558]},{"name":"WMIQ_ANALYSIS_PROP_ANALYSIS_MATRIX","features":[558]},{"name":"WMIQ_ANALYSIS_QUERY_TEXT","features":[558]},{"name":"WMIQ_ANALYSIS_RESERVED","features":[558]},{"name":"WMIQ_ANALYSIS_RPN_SEQUENCE","features":[558]},{"name":"WMIQ_ANALYSIS_TYPE","features":[558]},{"name":"WMIQ_ASSOCQ_ASSOCCLASS","features":[558]},{"name":"WMIQ_ASSOCQ_ASSOCIATORS","features":[558]},{"name":"WMIQ_ASSOCQ_CLASSDEFSONLY","features":[558]},{"name":"WMIQ_ASSOCQ_CLASSREFSONLY","features":[558]},{"name":"WMIQ_ASSOCQ_FLAGS","features":[558]},{"name":"WMIQ_ASSOCQ_KEYSONLY","features":[558]},{"name":"WMIQ_ASSOCQ_REFERENCES","features":[558]},{"name":"WMIQ_ASSOCQ_REQUIREDASSOCQUALIFIER","features":[558]},{"name":"WMIQ_ASSOCQ_REQUIREDQUALIFIER","features":[558]},{"name":"WMIQ_ASSOCQ_RESULTCLASS","features":[558]},{"name":"WMIQ_ASSOCQ_RESULTROLE","features":[558]},{"name":"WMIQ_ASSOCQ_ROLE","features":[558]},{"name":"WMIQ_ASSOCQ_SCHEMAONLY","features":[558]},{"name":"WMIQ_LANGUAGE_FEATURES","features":[558]},{"name":"WMIQ_LF10_COMPEX_SUBEXPRESSIONS","features":[558]},{"name":"WMIQ_LF11_ALIASING","features":[558]},{"name":"WMIQ_LF12_GROUP_BY_HAVING","features":[558]},{"name":"WMIQ_LF13_WMI_WITHIN","features":[558]},{"name":"WMIQ_LF14_SQL_WRITE_OPERATIONS","features":[558]},{"name":"WMIQ_LF15_GO","features":[558]},{"name":"WMIQ_LF16_SINGLE_LEVEL_TRANSACTIONS","features":[558]},{"name":"WMIQ_LF17_QUALIFIED_NAMES","features":[558]},{"name":"WMIQ_LF18_ASSOCIATONS","features":[558]},{"name":"WMIQ_LF19_SYSTEM_PROPERTIES","features":[558]},{"name":"WMIQ_LF1_BASIC_SELECT","features":[558]},{"name":"WMIQ_LF20_EXTENDED_SYSTEM_PROPERTIES","features":[558]},{"name":"WMIQ_LF21_SQL89_JOINS","features":[558]},{"name":"WMIQ_LF22_SQL92_JOINS","features":[558]},{"name":"WMIQ_LF23_SUBSELECTS","features":[558]},{"name":"WMIQ_LF24_UMI_EXTENSIONS","features":[558]},{"name":"WMIQ_LF25_DATEPART","features":[558]},{"name":"WMIQ_LF26_LIKE","features":[558]},{"name":"WMIQ_LF27_CIM_TEMPORAL_CONSTRUCTS","features":[558]},{"name":"WMIQ_LF28_STANDARD_AGGREGATES","features":[558]},{"name":"WMIQ_LF29_MULTI_LEVEL_ORDER_BY","features":[558]},{"name":"WMIQ_LF2_CLASS_NAME_IN_QUERY","features":[558]},{"name":"WMIQ_LF30_WMI_PRAGMAS","features":[558]},{"name":"WMIQ_LF31_QUALIFIER_TESTS","features":[558]},{"name":"WMIQ_LF32_SP_EXECUTE","features":[558]},{"name":"WMIQ_LF33_ARRAY_ACCESS","features":[558]},{"name":"WMIQ_LF34_UNION","features":[558]},{"name":"WMIQ_LF35_COMPLEX_SELECT_TARGET","features":[558]},{"name":"WMIQ_LF36_REFERENCE_TESTS","features":[558]},{"name":"WMIQ_LF37_SELECT_INTO","features":[558]},{"name":"WMIQ_LF38_BASIC_DATETIME_TESTS","features":[558]},{"name":"WMIQ_LF39_COUNT_COLUMN","features":[558]},{"name":"WMIQ_LF3_STRING_CASE_FUNCTIONS","features":[558]},{"name":"WMIQ_LF40_BETWEEN","features":[558]},{"name":"WMIQ_LF4_PROP_TO_PROP_TESTS","features":[558]},{"name":"WMIQ_LF5_COUNT_STAR","features":[558]},{"name":"WMIQ_LF6_ORDER_BY","features":[558]},{"name":"WMIQ_LF7_DISTINCT","features":[558]},{"name":"WMIQ_LF8_ISA","features":[558]},{"name":"WMIQ_LF9_THIS","features":[558]},{"name":"WMIQ_LF_LAST","features":[558]},{"name":"WMIQ_RPNF_ARRAY_ACCESS_USED","features":[558]},{"name":"WMIQ_RPNF_COUNT_STAR","features":[558]},{"name":"WMIQ_RPNF_EQUALITY_TESTS_ONLY","features":[558]},{"name":"WMIQ_RPNF_FEATURE","features":[558]},{"name":"WMIQ_RPNF_FEATURE_SELECT_STAR","features":[558]},{"name":"WMIQ_RPNF_GROUP_BY_HAVING","features":[558]},{"name":"WMIQ_RPNF_ISA_USED","features":[558]},{"name":"WMIQ_RPNF_ORDER_BY","features":[558]},{"name":"WMIQ_RPNF_PROJECTION","features":[558]},{"name":"WMIQ_RPNF_PROP_TO_PROP_TESTS","features":[558]},{"name":"WMIQ_RPNF_QUALIFIED_NAMES_USED","features":[558]},{"name":"WMIQ_RPNF_QUERY_IS_CONJUNCTIVE","features":[558]},{"name":"WMIQ_RPNF_QUERY_IS_DISJUNCTIVE","features":[558]},{"name":"WMIQ_RPNF_SYSPROP_CLASS_USED","features":[558]},{"name":"WMIQ_RPNF_WHERE_CLAUSE_PRESENT","features":[558]},{"name":"WMIQ_RPN_CONST","features":[558]},{"name":"WMIQ_RPN_CONST2","features":[558]},{"name":"WMIQ_RPN_FROM_CLASS_LIST","features":[558]},{"name":"WMIQ_RPN_FROM_MULTIPLE","features":[558]},{"name":"WMIQ_RPN_FROM_PATH","features":[558]},{"name":"WMIQ_RPN_FROM_UNARY","features":[558]},{"name":"WMIQ_RPN_GET_EXPR_SHAPE","features":[558]},{"name":"WMIQ_RPN_GET_LEFT_FUNCTION","features":[558]},{"name":"WMIQ_RPN_GET_RELOP","features":[558]},{"name":"WMIQ_RPN_GET_RIGHT_FUNCTION","features":[558]},{"name":"WMIQ_RPN_GET_TOKEN_TYPE","features":[558]},{"name":"WMIQ_RPN_LEFT_FUNCTION","features":[558]},{"name":"WMIQ_RPN_LEFT_PROPERTY_NAME","features":[558]},{"name":"WMIQ_RPN_NEXT_TOKEN","features":[558]},{"name":"WMIQ_RPN_OP_EQ","features":[558]},{"name":"WMIQ_RPN_OP_GE","features":[558]},{"name":"WMIQ_RPN_OP_GT","features":[558]},{"name":"WMIQ_RPN_OP_ISA","features":[558]},{"name":"WMIQ_RPN_OP_ISNOTA","features":[558]},{"name":"WMIQ_RPN_OP_ISNOTNULL","features":[558]},{"name":"WMIQ_RPN_OP_ISNULL","features":[558]},{"name":"WMIQ_RPN_OP_LE","features":[558]},{"name":"WMIQ_RPN_OP_LIKE","features":[558]},{"name":"WMIQ_RPN_OP_LT","features":[558]},{"name":"WMIQ_RPN_OP_NE","features":[558]},{"name":"WMIQ_RPN_OP_UNDEFINED","features":[558]},{"name":"WMIQ_RPN_RELOP","features":[558]},{"name":"WMIQ_RPN_RIGHT_FUNCTION","features":[558]},{"name":"WMIQ_RPN_RIGHT_PROPERTY_NAME","features":[558]},{"name":"WMIQ_RPN_TOKEN_AND","features":[558]},{"name":"WMIQ_RPN_TOKEN_EXPRESSION","features":[558]},{"name":"WMIQ_RPN_TOKEN_FLAGS","features":[558]},{"name":"WMIQ_RPN_TOKEN_NOT","features":[558]},{"name":"WMIQ_RPN_TOKEN_OR","features":[558]},{"name":"WMI_OBJ_TEXT","features":[558]},{"name":"WMI_OBJ_TEXT_CIM_DTD_2_0","features":[558]},{"name":"WMI_OBJ_TEXT_LAST","features":[558]},{"name":"WMI_OBJ_TEXT_WMI_DTD_2_0","features":[558]},{"name":"WMI_OBJ_TEXT_WMI_EXT1","features":[558]},{"name":"WMI_OBJ_TEXT_WMI_EXT10","features":[558]},{"name":"WMI_OBJ_TEXT_WMI_EXT2","features":[558]},{"name":"WMI_OBJ_TEXT_WMI_EXT3","features":[558]},{"name":"WMI_OBJ_TEXT_WMI_EXT4","features":[558]},{"name":"WMI_OBJ_TEXT_WMI_EXT5","features":[558]},{"name":"WMI_OBJ_TEXT_WMI_EXT6","features":[558]},{"name":"WMI_OBJ_TEXT_WMI_EXT7","features":[558]},{"name":"WMI_OBJ_TEXT_WMI_EXT8","features":[558]},{"name":"WMI_OBJ_TEXT_WMI_EXT9","features":[558]},{"name":"WbemAdministrativeLocator","features":[558]},{"name":"WbemAuthenticatedLocator","features":[558]},{"name":"WbemAuthenticationLevelEnum","features":[558]},{"name":"WbemBackupRestore","features":[558]},{"name":"WbemChangeFlagEnum","features":[558]},{"name":"WbemCimtypeEnum","features":[558]},{"name":"WbemClassObject","features":[558]},{"name":"WbemComparisonFlagEnum","features":[558]},{"name":"WbemConnectOptionsEnum","features":[558]},{"name":"WbemContext","features":[558]},{"name":"WbemDCOMTransport","features":[558]},{"name":"WbemDecoupledBasicEventProvider","features":[558]},{"name":"WbemDecoupledRegistrar","features":[558]},{"name":"WbemDefPath","features":[558]},{"name":"WbemErrorEnum","features":[558]},{"name":"WbemFlagEnum","features":[558]},{"name":"WbemImpersonationLevelEnum","features":[558]},{"name":"WbemLevel1Login","features":[558]},{"name":"WbemLocalAddrRes","features":[558]},{"name":"WbemLocator","features":[558]},{"name":"WbemObjectTextFormatEnum","features":[558]},{"name":"WbemObjectTextSrc","features":[558]},{"name":"WbemPrivilegeEnum","features":[558]},{"name":"WbemQuery","features":[558]},{"name":"WbemQueryFlagEnum","features":[558]},{"name":"WbemRefresher","features":[558]},{"name":"WbemStatusCodeText","features":[558]},{"name":"WbemTextFlagEnum","features":[558]},{"name":"WbemTimeout","features":[558]},{"name":"WbemUnauthenticatedLocator","features":[558]},{"name":"WbemUninitializedClassObject","features":[558]},{"name":"wbemAuthenticationLevelCall","features":[558]},{"name":"wbemAuthenticationLevelConnect","features":[558]},{"name":"wbemAuthenticationLevelDefault","features":[558]},{"name":"wbemAuthenticationLevelNone","features":[558]},{"name":"wbemAuthenticationLevelPkt","features":[558]},{"name":"wbemAuthenticationLevelPktIntegrity","features":[558]},{"name":"wbemAuthenticationLevelPktPrivacy","features":[558]},{"name":"wbemChangeFlagAdvisory","features":[558]},{"name":"wbemChangeFlagCreateOnly","features":[558]},{"name":"wbemChangeFlagCreateOrUpdate","features":[558]},{"name":"wbemChangeFlagStrongValidation","features":[558]},{"name":"wbemChangeFlagUpdateCompatible","features":[558]},{"name":"wbemChangeFlagUpdateForceMode","features":[558]},{"name":"wbemChangeFlagUpdateOnly","features":[558]},{"name":"wbemChangeFlagUpdateSafeMode","features":[558]},{"name":"wbemCimtypeBoolean","features":[558]},{"name":"wbemCimtypeChar16","features":[558]},{"name":"wbemCimtypeDatetime","features":[558]},{"name":"wbemCimtypeObject","features":[558]},{"name":"wbemCimtypeReal32","features":[558]},{"name":"wbemCimtypeReal64","features":[558]},{"name":"wbemCimtypeReference","features":[558]},{"name":"wbemCimtypeSint16","features":[558]},{"name":"wbemCimtypeSint32","features":[558]},{"name":"wbemCimtypeSint64","features":[558]},{"name":"wbemCimtypeSint8","features":[558]},{"name":"wbemCimtypeString","features":[558]},{"name":"wbemCimtypeUint16","features":[558]},{"name":"wbemCimtypeUint32","features":[558]},{"name":"wbemCimtypeUint64","features":[558]},{"name":"wbemCimtypeUint8","features":[558]},{"name":"wbemComparisonFlagIgnoreCase","features":[558]},{"name":"wbemComparisonFlagIgnoreClass","features":[558]},{"name":"wbemComparisonFlagIgnoreDefaultValues","features":[558]},{"name":"wbemComparisonFlagIgnoreFlavor","features":[558]},{"name":"wbemComparisonFlagIgnoreObjectSource","features":[558]},{"name":"wbemComparisonFlagIgnoreQualifiers","features":[558]},{"name":"wbemComparisonFlagIncludeAll","features":[558]},{"name":"wbemConnectFlagUseMaxWait","features":[558]},{"name":"wbemErrAccessDenied","features":[558]},{"name":"wbemErrAggregatingByObject","features":[558]},{"name":"wbemErrAlreadyExists","features":[558]},{"name":"wbemErrAmbiguousOperation","features":[558]},{"name":"wbemErrAmendedObject","features":[558]},{"name":"wbemErrBackupRestoreWinmgmtRunning","features":[558]},{"name":"wbemErrBufferTooSmall","features":[558]},{"name":"wbemErrCallCancelled","features":[558]},{"name":"wbemErrCannotBeAbstract","features":[558]},{"name":"wbemErrCannotBeKey","features":[558]},{"name":"wbemErrCannotBeSingleton","features":[558]},{"name":"wbemErrCannotChangeIndexInheritance","features":[558]},{"name":"wbemErrCannotChangeKeyInheritance","features":[558]},{"name":"wbemErrCircularReference","features":[558]},{"name":"wbemErrClassHasChildren","features":[558]},{"name":"wbemErrClassHasInstances","features":[558]},{"name":"wbemErrClassNameTooWide","features":[558]},{"name":"wbemErrClientTooSlow","features":[558]},{"name":"wbemErrConnectionFailed","features":[558]},{"name":"wbemErrCriticalError","features":[558]},{"name":"wbemErrDatabaseVerMismatch","features":[558]},{"name":"wbemErrEncryptedConnectionRequired","features":[558]},{"name":"wbemErrFailed","features":[558]},{"name":"wbemErrFatalTransportError","features":[558]},{"name":"wbemErrForcedRollback","features":[558]},{"name":"wbemErrHandleOutOfDate","features":[558]},{"name":"wbemErrIllegalNull","features":[558]},{"name":"wbemErrIllegalOperation","features":[558]},{"name":"wbemErrIncompleteClass","features":[558]},{"name":"wbemErrInitializationFailure","features":[558]},{"name":"wbemErrInvalidAssociation","features":[558]},{"name":"wbemErrInvalidCimType","features":[558]},{"name":"wbemErrInvalidClass","features":[558]},{"name":"wbemErrInvalidContext","features":[558]},{"name":"wbemErrInvalidDuplicateParameter","features":[558]},{"name":"wbemErrInvalidFlavor","features":[558]},{"name":"wbemErrInvalidHandleRequest","features":[558]},{"name":"wbemErrInvalidLocale","features":[558]},{"name":"wbemErrInvalidMethod","features":[558]},{"name":"wbemErrInvalidMethodParameters","features":[558]},{"name":"wbemErrInvalidNamespace","features":[558]},{"name":"wbemErrInvalidObject","features":[558]},{"name":"wbemErrInvalidObjectPath","features":[558]},{"name":"wbemErrInvalidOperation","features":[558]},{"name":"wbemErrInvalidOperator","features":[558]},{"name":"wbemErrInvalidParameter","features":[558]},{"name":"wbemErrInvalidParameterId","features":[558]},{"name":"wbemErrInvalidProperty","features":[558]},{"name":"wbemErrInvalidPropertyType","features":[558]},{"name":"wbemErrInvalidProviderRegistration","features":[558]},{"name":"wbemErrInvalidQualifier","features":[558]},{"name":"wbemErrInvalidQualifierType","features":[558]},{"name":"wbemErrInvalidQuery","features":[558]},{"name":"wbemErrInvalidQueryType","features":[558]},{"name":"wbemErrInvalidStream","features":[558]},{"name":"wbemErrInvalidSuperclass","features":[558]},{"name":"wbemErrInvalidSyntax","features":[558]},{"name":"wbemErrLocalCredentials","features":[558]},{"name":"wbemErrMarshalInvalidSignature","features":[558]},{"name":"wbemErrMarshalVersionMismatch","features":[558]},{"name":"wbemErrMethodDisabled","features":[558]},{"name":"wbemErrMethodNameTooWide","features":[558]},{"name":"wbemErrMethodNotImplemented","features":[558]},{"name":"wbemErrMissingAggregationList","features":[558]},{"name":"wbemErrMissingGroupWithin","features":[558]},{"name":"wbemErrMissingParameter","features":[558]},{"name":"wbemErrNoSchema","features":[558]},{"name":"wbemErrNonConsecutiveParameterIds","features":[558]},{"name":"wbemErrNondecoratedObject","features":[558]},{"name":"wbemErrNotAvailable","features":[558]},{"name":"wbemErrNotEventClass","features":[558]},{"name":"wbemErrNotFound","features":[558]},{"name":"wbemErrNotSupported","features":[558]},{"name":"wbemErrNullSecurityDescriptor","features":[558]},{"name":"wbemErrOutOfDiskSpace","features":[558]},{"name":"wbemErrOutOfMemory","features":[558]},{"name":"wbemErrOverrideNotAllowed","features":[558]},{"name":"wbemErrParameterIdOnRetval","features":[558]},{"name":"wbemErrPrivilegeNotHeld","features":[558]},{"name":"wbemErrPropagatedMethod","features":[558]},{"name":"wbemErrPropagatedProperty","features":[558]},{"name":"wbemErrPropagatedQualifier","features":[558]},{"name":"wbemErrPropertyNameTooWide","features":[558]},{"name":"wbemErrPropertyNotAnObject","features":[558]},{"name":"wbemErrProviderAlreadyRegistered","features":[558]},{"name":"wbemErrProviderFailure","features":[558]},{"name":"wbemErrProviderLoadFailure","features":[558]},{"name":"wbemErrProviderNotCapable","features":[558]},{"name":"wbemErrProviderNotFound","features":[558]},{"name":"wbemErrProviderNotRegistered","features":[558]},{"name":"wbemErrProviderSuspended","features":[558]},{"name":"wbemErrQualifierNameTooWide","features":[558]},{"name":"wbemErrQueryNotImplemented","features":[558]},{"name":"wbemErrQueueOverflow","features":[558]},{"name":"wbemErrQuotaViolation","features":[558]},{"name":"wbemErrReadOnly","features":[558]},{"name":"wbemErrRefresherBusy","features":[558]},{"name":"wbemErrRegistrationTooBroad","features":[558]},{"name":"wbemErrRegistrationTooPrecise","features":[558]},{"name":"wbemErrRerunCommand","features":[558]},{"name":"wbemErrResetToDefault","features":[558]},{"name":"wbemErrServerTooBusy","features":[558]},{"name":"wbemErrShuttingDown","features":[558]},{"name":"wbemErrSynchronizationRequired","features":[558]},{"name":"wbemErrSystemProperty","features":[558]},{"name":"wbemErrTimedout","features":[558]},{"name":"wbemErrTimeout","features":[558]},{"name":"wbemErrTooManyProperties","features":[558]},{"name":"wbemErrTooMuchData","features":[558]},{"name":"wbemErrTransactionConflict","features":[558]},{"name":"wbemErrTransportFailure","features":[558]},{"name":"wbemErrTypeMismatch","features":[558]},{"name":"wbemErrUnexpected","features":[558]},{"name":"wbemErrUninterpretableProviderQuery","features":[558]},{"name":"wbemErrUnknownObjectType","features":[558]},{"name":"wbemErrUnknownPacketType","features":[558]},{"name":"wbemErrUnparsableQuery","features":[558]},{"name":"wbemErrUnsupportedClassUpdate","features":[558]},{"name":"wbemErrUnsupportedLocale","features":[558]},{"name":"wbemErrUnsupportedParameter","features":[558]},{"name":"wbemErrUnsupportedPutExtension","features":[558]},{"name":"wbemErrUpdateOverrideNotAllowed","features":[558]},{"name":"wbemErrUpdatePropagatedMethod","features":[558]},{"name":"wbemErrUpdateTypeMismatch","features":[558]},{"name":"wbemErrValueOutOfRange","features":[558]},{"name":"wbemErrVetoDelete","features":[558]},{"name":"wbemErrVetoPut","features":[558]},{"name":"wbemFlagBidirectional","features":[558]},{"name":"wbemFlagDirectRead","features":[558]},{"name":"wbemFlagDontSendStatus","features":[558]},{"name":"wbemFlagEnsureLocatable","features":[558]},{"name":"wbemFlagForwardOnly","features":[558]},{"name":"wbemFlagGetDefault","features":[558]},{"name":"wbemFlagNoErrorObject","features":[558]},{"name":"wbemFlagReturnErrorObject","features":[558]},{"name":"wbemFlagReturnImmediately","features":[558]},{"name":"wbemFlagReturnWhenComplete","features":[558]},{"name":"wbemFlagSendOnlySelected","features":[558]},{"name":"wbemFlagSendStatus","features":[558]},{"name":"wbemFlagSpawnInstance","features":[558]},{"name":"wbemFlagUseAmendedQualifiers","features":[558]},{"name":"wbemFlagUseCurrentTime","features":[558]},{"name":"wbemImpersonationLevelAnonymous","features":[558]},{"name":"wbemImpersonationLevelDelegate","features":[558]},{"name":"wbemImpersonationLevelIdentify","features":[558]},{"name":"wbemImpersonationLevelImpersonate","features":[558]},{"name":"wbemNoErr","features":[558]},{"name":"wbemObjectTextFormatCIMDTD20","features":[558]},{"name":"wbemObjectTextFormatWMIDTD20","features":[558]},{"name":"wbemPrivilegeAudit","features":[558]},{"name":"wbemPrivilegeBackup","features":[558]},{"name":"wbemPrivilegeChangeNotify","features":[558]},{"name":"wbemPrivilegeCreatePagefile","features":[558]},{"name":"wbemPrivilegeCreatePermanent","features":[558]},{"name":"wbemPrivilegeCreateToken","features":[558]},{"name":"wbemPrivilegeDebug","features":[558]},{"name":"wbemPrivilegeEnableDelegation","features":[558]},{"name":"wbemPrivilegeIncreaseBasePriority","features":[558]},{"name":"wbemPrivilegeIncreaseQuota","features":[558]},{"name":"wbemPrivilegeLoadDriver","features":[558]},{"name":"wbemPrivilegeLockMemory","features":[558]},{"name":"wbemPrivilegeMachineAccount","features":[558]},{"name":"wbemPrivilegeManageVolume","features":[558]},{"name":"wbemPrivilegePrimaryToken","features":[558]},{"name":"wbemPrivilegeProfileSingleProcess","features":[558]},{"name":"wbemPrivilegeRemoteShutdown","features":[558]},{"name":"wbemPrivilegeRestore","features":[558]},{"name":"wbemPrivilegeSecurity","features":[558]},{"name":"wbemPrivilegeShutdown","features":[558]},{"name":"wbemPrivilegeSyncAgent","features":[558]},{"name":"wbemPrivilegeSystemEnvironment","features":[558]},{"name":"wbemPrivilegeSystemProfile","features":[558]},{"name":"wbemPrivilegeSystemtime","features":[558]},{"name":"wbemPrivilegeTakeOwnership","features":[558]},{"name":"wbemPrivilegeTcb","features":[558]},{"name":"wbemPrivilegeUndock","features":[558]},{"name":"wbemQueryFlagDeep","features":[558]},{"name":"wbemQueryFlagPrototype","features":[558]},{"name":"wbemQueryFlagShallow","features":[558]},{"name":"wbemTextFlagNoFlavors","features":[558]},{"name":"wbemTimeoutInfinite","features":[558]}],"647":[{"name":"ACCESSTIMEOUT","features":[528]},{"name":"ACC_UTILITY_STATE_FLAGS","features":[528]},{"name":"ANNO_CONTAINER","features":[528]},{"name":"ANNO_THIS","features":[528]},{"name":"ANRUS_ON_SCREEN_KEYBOARD_ACTIVE","features":[528]},{"name":"ANRUS_PRIORITY_AUDIO_ACTIVE","features":[528]},{"name":"ANRUS_PRIORITY_AUDIO_ACTIVE_NODUCK","features":[528]},{"name":"ANRUS_PRIORITY_AUDIO_DYNAMIC_DUCK","features":[528]},{"name":"ANRUS_TOUCH_MODIFICATION_ACTIVE","features":[528]},{"name":"AccNotifyTouchInteraction","features":[308,528]},{"name":"AccSetRunningUtilityState","features":[308,528]},{"name":"AcceleratorKey_Property_GUID","features":[528]},{"name":"AccessKey_Property_GUID","features":[528]},{"name":"AccessibleChildren","features":[359,528]},{"name":"AccessibleObjectFromEvent","features":[308,359,528]},{"name":"AccessibleObjectFromPoint","features":[308,359,528]},{"name":"AccessibleObjectFromWindow","features":[308,528]},{"name":"ActiveEnd","features":[528]},{"name":"ActiveEnd_End","features":[528]},{"name":"ActiveEnd_None","features":[528]},{"name":"ActiveEnd_Start","features":[528]},{"name":"ActiveTextPositionChanged_Event_GUID","features":[528]},{"name":"AnimationStyle","features":[528]},{"name":"AnimationStyle_BlinkingBackground","features":[528]},{"name":"AnimationStyle_LasVegasLights","features":[528]},{"name":"AnimationStyle_MarchingBlackAnts","features":[528]},{"name":"AnimationStyle_MarchingRedAnts","features":[528]},{"name":"AnimationStyle_None","features":[528]},{"name":"AnimationStyle_Other","features":[528]},{"name":"AnimationStyle_Shimmer","features":[528]},{"name":"AnimationStyle_SparkleText","features":[528]},{"name":"AnnoScope","features":[528]},{"name":"AnnotationObjects_Property_GUID","features":[528]},{"name":"AnnotationType_AdvancedProofingIssue","features":[528]},{"name":"AnnotationType_Author","features":[528]},{"name":"AnnotationType_CircularReferenceError","features":[528]},{"name":"AnnotationType_Comment","features":[528]},{"name":"AnnotationType_ConflictingChange","features":[528]},{"name":"AnnotationType_DataValidationError","features":[528]},{"name":"AnnotationType_DeletionChange","features":[528]},{"name":"AnnotationType_EditingLockedChange","features":[528]},{"name":"AnnotationType_Endnote","features":[528]},{"name":"AnnotationType_ExternalChange","features":[528]},{"name":"AnnotationType_Footer","features":[528]},{"name":"AnnotationType_Footnote","features":[528]},{"name":"AnnotationType_FormatChange","features":[528]},{"name":"AnnotationType_FormulaError","features":[528]},{"name":"AnnotationType_GrammarError","features":[528]},{"name":"AnnotationType_Header","features":[528]},{"name":"AnnotationType_Highlighted","features":[528]},{"name":"AnnotationType_InsertionChange","features":[528]},{"name":"AnnotationType_Mathematics","features":[528]},{"name":"AnnotationType_MoveChange","features":[528]},{"name":"AnnotationType_Sensitive","features":[528]},{"name":"AnnotationType_SpellingError","features":[528]},{"name":"AnnotationType_TrackChanges","features":[528]},{"name":"AnnotationType_Unknown","features":[528]},{"name":"AnnotationType_UnsyncedChange","features":[528]},{"name":"AnnotationTypes_Property_GUID","features":[528]},{"name":"Annotation_AdvancedProofingIssue_GUID","features":[528]},{"name":"Annotation_AnnotationTypeId_Property_GUID","features":[528]},{"name":"Annotation_AnnotationTypeName_Property_GUID","features":[528]},{"name":"Annotation_Author_GUID","features":[528]},{"name":"Annotation_Author_Property_GUID","features":[528]},{"name":"Annotation_CircularReferenceError_GUID","features":[528]},{"name":"Annotation_Comment_GUID","features":[528]},{"name":"Annotation_ConflictingChange_GUID","features":[528]},{"name":"Annotation_Custom_GUID","features":[528]},{"name":"Annotation_DataValidationError_GUID","features":[528]},{"name":"Annotation_DateTime_Property_GUID","features":[528]},{"name":"Annotation_DeletionChange_GUID","features":[528]},{"name":"Annotation_EditingLockedChange_GUID","features":[528]},{"name":"Annotation_Endnote_GUID","features":[528]},{"name":"Annotation_ExternalChange_GUID","features":[528]},{"name":"Annotation_Footer_GUID","features":[528]},{"name":"Annotation_Footnote_GUID","features":[528]},{"name":"Annotation_FormatChange_GUID","features":[528]},{"name":"Annotation_FormulaError_GUID","features":[528]},{"name":"Annotation_GrammarError_GUID","features":[528]},{"name":"Annotation_Header_GUID","features":[528]},{"name":"Annotation_Highlighted_GUID","features":[528]},{"name":"Annotation_InsertionChange_GUID","features":[528]},{"name":"Annotation_Mathematics_GUID","features":[528]},{"name":"Annotation_MoveChange_GUID","features":[528]},{"name":"Annotation_Pattern_GUID","features":[528]},{"name":"Annotation_Sensitive_GUID","features":[528]},{"name":"Annotation_SpellingError_GUID","features":[528]},{"name":"Annotation_Target_Property_GUID","features":[528]},{"name":"Annotation_TrackChanges_GUID","features":[528]},{"name":"Annotation_UnsyncedChange_GUID","features":[528]},{"name":"AppBar_Control_GUID","features":[528]},{"name":"AriaProperties_Property_GUID","features":[528]},{"name":"AriaRole_Property_GUID","features":[528]},{"name":"Assertive","features":[528]},{"name":"AsyncContentLoadedState","features":[528]},{"name":"AsyncContentLoadedState_Beginning","features":[528]},{"name":"AsyncContentLoadedState_Completed","features":[528]},{"name":"AsyncContentLoadedState_Progress","features":[528]},{"name":"AsyncContentLoaded_Event_GUID","features":[528]},{"name":"AutomationElementMode","features":[528]},{"name":"AutomationElementMode_Full","features":[528]},{"name":"AutomationElementMode_None","features":[528]},{"name":"AutomationFocusChanged_Event_GUID","features":[528]},{"name":"AutomationId_Property_GUID","features":[528]},{"name":"AutomationIdentifierType","features":[528]},{"name":"AutomationIdentifierType_Annotation","features":[528]},{"name":"AutomationIdentifierType_Changes","features":[528]},{"name":"AutomationIdentifierType_ControlType","features":[528]},{"name":"AutomationIdentifierType_Event","features":[528]},{"name":"AutomationIdentifierType_LandmarkType","features":[528]},{"name":"AutomationIdentifierType_Pattern","features":[528]},{"name":"AutomationIdentifierType_Property","features":[528]},{"name":"AutomationIdentifierType_Style","features":[528]},{"name":"AutomationIdentifierType_TextAttribute","features":[528]},{"name":"AutomationPropertyChanged_Event_GUID","features":[528]},{"name":"BoundingRectangle_Property_GUID","features":[528]},{"name":"BulletStyle","features":[528]},{"name":"BulletStyle_DashBullet","features":[528]},{"name":"BulletStyle_FilledRoundBullet","features":[528]},{"name":"BulletStyle_FilledSquareBullet","features":[528]},{"name":"BulletStyle_HollowRoundBullet","features":[528]},{"name":"BulletStyle_HollowSquareBullet","features":[528]},{"name":"BulletStyle_None","features":[528]},{"name":"BulletStyle_Other","features":[528]},{"name":"Button_Control_GUID","features":[528]},{"name":"CAccPropServices","features":[528]},{"name":"CLSID_AccPropServices","features":[528]},{"name":"CUIAutomation","features":[528]},{"name":"CUIAutomation8","features":[528]},{"name":"CUIAutomationRegistrar","features":[528]},{"name":"Calendar_Control_GUID","features":[528]},{"name":"CapStyle","features":[528]},{"name":"CapStyle_AllCap","features":[528]},{"name":"CapStyle_AllPetiteCaps","features":[528]},{"name":"CapStyle_None","features":[528]},{"name":"CapStyle_Other","features":[528]},{"name":"CapStyle_PetiteCaps","features":[528]},{"name":"CapStyle_SmallCap","features":[528]},{"name":"CapStyle_Titling","features":[528]},{"name":"CapStyle_Unicase","features":[528]},{"name":"CaretBidiMode","features":[528]},{"name":"CaretBidiMode_LTR","features":[528]},{"name":"CaretBidiMode_RTL","features":[528]},{"name":"CaretPosition","features":[528]},{"name":"CaretPosition_BeginningOfLine","features":[528]},{"name":"CaretPosition_EndOfLine","features":[528]},{"name":"CaretPosition_Unknown","features":[528]},{"name":"CenterPoint_Property_GUID","features":[528]},{"name":"Changes_Event_GUID","features":[528]},{"name":"Changes_Summary_GUID","features":[528]},{"name":"CheckBox_Control_GUID","features":[528]},{"name":"ClassName_Property_GUID","features":[528]},{"name":"ClickablePoint_Property_GUID","features":[528]},{"name":"CoalesceEventsOptions","features":[528]},{"name":"CoalesceEventsOptions_Disabled","features":[528]},{"name":"CoalesceEventsOptions_Enabled","features":[528]},{"name":"ComboBox_Control_GUID","features":[528]},{"name":"ConditionType","features":[528]},{"name":"ConditionType_And","features":[528]},{"name":"ConditionType_False","features":[528]},{"name":"ConditionType_Not","features":[528]},{"name":"ConditionType_Or","features":[528]},{"name":"ConditionType_Property","features":[528]},{"name":"ConditionType_True","features":[528]},{"name":"ConnectionRecoveryBehaviorOptions","features":[528]},{"name":"ConnectionRecoveryBehaviorOptions_Disabled","features":[528]},{"name":"ConnectionRecoveryBehaviorOptions_Enabled","features":[528]},{"name":"ControlType_Property_GUID","features":[528]},{"name":"ControllerFor_Property_GUID","features":[528]},{"name":"CreateStdAccessibleObject","features":[308,528]},{"name":"CreateStdAccessibleProxyA","features":[308,528]},{"name":"CreateStdAccessibleProxyW","features":[308,528]},{"name":"Culture_Property_GUID","features":[528]},{"name":"CustomNavigation_Pattern_GUID","features":[528]},{"name":"Custom_Control_GUID","features":[528]},{"name":"DISPID_ACC_CHILD","features":[528]},{"name":"DISPID_ACC_CHILDCOUNT","features":[528]},{"name":"DISPID_ACC_DEFAULTACTION","features":[528]},{"name":"DISPID_ACC_DESCRIPTION","features":[528]},{"name":"DISPID_ACC_DODEFAULTACTION","features":[528]},{"name":"DISPID_ACC_FOCUS","features":[528]},{"name":"DISPID_ACC_HELP","features":[528]},{"name":"DISPID_ACC_HELPTOPIC","features":[528]},{"name":"DISPID_ACC_HITTEST","features":[528]},{"name":"DISPID_ACC_KEYBOARDSHORTCUT","features":[528]},{"name":"DISPID_ACC_LOCATION","features":[528]},{"name":"DISPID_ACC_NAME","features":[528]},{"name":"DISPID_ACC_NAVIGATE","features":[528]},{"name":"DISPID_ACC_PARENT","features":[528]},{"name":"DISPID_ACC_ROLE","features":[528]},{"name":"DISPID_ACC_SELECT","features":[528]},{"name":"DISPID_ACC_SELECTION","features":[528]},{"name":"DISPID_ACC_STATE","features":[528]},{"name":"DISPID_ACC_VALUE","features":[528]},{"name":"DataGrid_Control_GUID","features":[528]},{"name":"DataItem_Control_GUID","features":[528]},{"name":"DescribedBy_Property_GUID","features":[528]},{"name":"DockPattern_SetDockPosition","features":[528]},{"name":"DockPosition","features":[528]},{"name":"DockPosition_Bottom","features":[528]},{"name":"DockPosition_Fill","features":[528]},{"name":"DockPosition_Left","features":[528]},{"name":"DockPosition_None","features":[528]},{"name":"DockPosition_Right","features":[528]},{"name":"DockPosition_Top","features":[528]},{"name":"Dock_DockPosition_Property_GUID","features":[528]},{"name":"Dock_Pattern_GUID","features":[528]},{"name":"Document_Control_GUID","features":[528]},{"name":"Drag_DragCancel_Event_GUID","features":[528]},{"name":"Drag_DragComplete_Event_GUID","features":[528]},{"name":"Drag_DragStart_Event_GUID","features":[528]},{"name":"Drag_DropEffect_Property_GUID","features":[528]},{"name":"Drag_DropEffects_Property_GUID","features":[528]},{"name":"Drag_GrabbedItems_Property_GUID","features":[528]},{"name":"Drag_IsGrabbed_Property_GUID","features":[528]},{"name":"Drag_Pattern_GUID","features":[528]},{"name":"DropTarget_DragEnter_Event_GUID","features":[528]},{"name":"DropTarget_DragLeave_Event_GUID","features":[528]},{"name":"DropTarget_DropTargetEffect_Property_GUID","features":[528]},{"name":"DropTarget_DropTargetEffects_Property_GUID","features":[528]},{"name":"DropTarget_Dropped_Event_GUID","features":[528]},{"name":"DropTarget_Pattern_GUID","features":[528]},{"name":"Edit_Control_GUID","features":[528]},{"name":"EventArgsType","features":[528]},{"name":"EventArgsType_ActiveTextPositionChanged","features":[528]},{"name":"EventArgsType_AsyncContentLoaded","features":[528]},{"name":"EventArgsType_Changes","features":[528]},{"name":"EventArgsType_Notification","features":[528]},{"name":"EventArgsType_PropertyChanged","features":[528]},{"name":"EventArgsType_Simple","features":[528]},{"name":"EventArgsType_StructureChanged","features":[528]},{"name":"EventArgsType_StructuredMarkup","features":[528]},{"name":"EventArgsType_TextEditTextChanged","features":[528]},{"name":"EventArgsType_WindowClosed","features":[528]},{"name":"ExpandCollapsePattern_Collapse","features":[528]},{"name":"ExpandCollapsePattern_Expand","features":[528]},{"name":"ExpandCollapseState","features":[528]},{"name":"ExpandCollapseState_Collapsed","features":[528]},{"name":"ExpandCollapseState_Expanded","features":[528]},{"name":"ExpandCollapseState_LeafNode","features":[528]},{"name":"ExpandCollapseState_PartiallyExpanded","features":[528]},{"name":"ExpandCollapse_ExpandCollapseState_Property_GUID","features":[528]},{"name":"ExpandCollapse_Pattern_GUID","features":[528]},{"name":"ExtendedProperty","features":[528]},{"name":"FILTERKEYS","features":[528]},{"name":"FillColor_Property_GUID","features":[528]},{"name":"FillType","features":[528]},{"name":"FillType_Color","features":[528]},{"name":"FillType_Gradient","features":[528]},{"name":"FillType_None","features":[528]},{"name":"FillType_Pattern","features":[528]},{"name":"FillType_Picture","features":[528]},{"name":"FillType_Property_GUID","features":[528]},{"name":"FlowDirections","features":[528]},{"name":"FlowDirections_BottomToTop","features":[528]},{"name":"FlowDirections_Default","features":[528]},{"name":"FlowDirections_RightToLeft","features":[528]},{"name":"FlowDirections_Vertical","features":[528]},{"name":"FlowsFrom_Property_GUID","features":[528]},{"name":"FlowsTo_Property_GUID","features":[528]},{"name":"FrameworkId_Property_GUID","features":[528]},{"name":"FullDescription_Property_GUID","features":[528]},{"name":"GetOleaccVersionInfo","features":[528]},{"name":"GetRoleTextA","features":[528]},{"name":"GetRoleTextW","features":[528]},{"name":"GetStateTextA","features":[528]},{"name":"GetStateTextW","features":[528]},{"name":"GridItem_ColumnSpan_Property_GUID","features":[528]},{"name":"GridItem_Column_Property_GUID","features":[528]},{"name":"GridItem_Parent_Property_GUID","features":[528]},{"name":"GridItem_Pattern_GUID","features":[528]},{"name":"GridItem_RowSpan_Property_GUID","features":[528]},{"name":"GridItem_Row_Property_GUID","features":[528]},{"name":"GridPattern_GetItem","features":[528]},{"name":"Grid_ColumnCount_Property_GUID","features":[528]},{"name":"Grid_Pattern_GUID","features":[528]},{"name":"Grid_RowCount_Property_GUID","features":[528]},{"name":"Group_Control_GUID","features":[528]},{"name":"HCF_AVAILABLE","features":[528]},{"name":"HCF_CONFIRMHOTKEY","features":[528]},{"name":"HCF_HIGHCONTRASTON","features":[528]},{"name":"HCF_HOTKEYACTIVE","features":[528]},{"name":"HCF_HOTKEYAVAILABLE","features":[528]},{"name":"HCF_HOTKEYSOUND","features":[528]},{"name":"HCF_INDICATOR","features":[528]},{"name":"HCF_OPTION_NOTHEMECHANGE","features":[528]},{"name":"HIGHCONTRASTA","features":[528]},{"name":"HIGHCONTRASTW","features":[528]},{"name":"HIGHCONTRASTW_FLAGS","features":[528]},{"name":"HUIAEVENT","features":[528]},{"name":"HUIANODE","features":[528]},{"name":"HUIAPATTERNOBJECT","features":[528]},{"name":"HUIATEXTRANGE","features":[528]},{"name":"HWINEVENTHOOK","features":[528]},{"name":"HasKeyboardFocus_Property_GUID","features":[528]},{"name":"HeaderItem_Control_GUID","features":[528]},{"name":"Header_Control_GUID","features":[528]},{"name":"HeadingLevel1","features":[528]},{"name":"HeadingLevel2","features":[528]},{"name":"HeadingLevel3","features":[528]},{"name":"HeadingLevel4","features":[528]},{"name":"HeadingLevel5","features":[528]},{"name":"HeadingLevel6","features":[528]},{"name":"HeadingLevel7","features":[528]},{"name":"HeadingLevel8","features":[528]},{"name":"HeadingLevel9","features":[528]},{"name":"HeadingLevel_None","features":[528]},{"name":"HeadingLevel_Property_GUID","features":[528]},{"name":"HelpText_Property_GUID","features":[528]},{"name":"HorizontalTextAlignment","features":[528]},{"name":"HorizontalTextAlignment_Centered","features":[528]},{"name":"HorizontalTextAlignment_Justified","features":[528]},{"name":"HorizontalTextAlignment_Left","features":[528]},{"name":"HorizontalTextAlignment_Right","features":[528]},{"name":"HostedFragmentRootsInvalidated_Event_GUID","features":[528]},{"name":"Hyperlink_Control_GUID","features":[528]},{"name":"IAccIdentity","features":[528]},{"name":"IAccPropServer","features":[528]},{"name":"IAccPropServices","features":[528]},{"name":"IAccessible","features":[359,528]},{"name":"IAccessibleEx","features":[528]},{"name":"IAccessibleHandler","features":[528]},{"name":"IAccessibleHostingElementProviders","features":[528]},{"name":"IAccessibleWindowlessSite","features":[528]},{"name":"IAnnotationProvider","features":[528]},{"name":"ICustomNavigationProvider","features":[528]},{"name":"IDockProvider","features":[528]},{"name":"IDragProvider","features":[528]},{"name":"IDropTargetProvider","features":[528]},{"name":"IExpandCollapseProvider","features":[528]},{"name":"IGridItemProvider","features":[528]},{"name":"IGridProvider","features":[528]},{"name":"IIS_ControlAccessible","features":[528]},{"name":"IIS_IsOleaccProxy","features":[528]},{"name":"IInvokeProvider","features":[528]},{"name":"IItemContainerProvider","features":[528]},{"name":"ILegacyIAccessibleProvider","features":[528]},{"name":"IMultipleViewProvider","features":[528]},{"name":"IObjectModelProvider","features":[528]},{"name":"IProxyProviderWinEventHandler","features":[528]},{"name":"IProxyProviderWinEventSink","features":[528]},{"name":"IRangeValueProvider","features":[528]},{"name":"IRawElementProviderAdviseEvents","features":[528]},{"name":"IRawElementProviderFragment","features":[528]},{"name":"IRawElementProviderFragmentRoot","features":[528]},{"name":"IRawElementProviderHostingAccessibles","features":[528]},{"name":"IRawElementProviderHwndOverride","features":[528]},{"name":"IRawElementProviderSimple","features":[528]},{"name":"IRawElementProviderSimple2","features":[528]},{"name":"IRawElementProviderSimple3","features":[528]},{"name":"IRawElementProviderWindowlessSite","features":[528]},{"name":"IRichEditUiaInformation","features":[528]},{"name":"IRicheditWindowlessAccessibility","features":[528]},{"name":"IScrollItemProvider","features":[528]},{"name":"IScrollProvider","features":[528]},{"name":"ISelectionItemProvider","features":[528]},{"name":"ISelectionProvider","features":[528]},{"name":"ISelectionProvider2","features":[528]},{"name":"ISpreadsheetItemProvider","features":[528]},{"name":"ISpreadsheetProvider","features":[528]},{"name":"IStylesProvider","features":[528]},{"name":"ISynchronizedInputProvider","features":[528]},{"name":"ITableItemProvider","features":[528]},{"name":"ITableProvider","features":[528]},{"name":"ITextChildProvider","features":[528]},{"name":"ITextEditProvider","features":[528]},{"name":"ITextProvider","features":[528]},{"name":"ITextProvider2","features":[528]},{"name":"ITextRangeProvider","features":[528]},{"name":"ITextRangeProvider2","features":[528]},{"name":"IToggleProvider","features":[528]},{"name":"ITransformProvider","features":[528]},{"name":"ITransformProvider2","features":[528]},{"name":"IUIAutomation","features":[528]},{"name":"IUIAutomation2","features":[528]},{"name":"IUIAutomation3","features":[528]},{"name":"IUIAutomation4","features":[528]},{"name":"IUIAutomation5","features":[528]},{"name":"IUIAutomation6","features":[528]},{"name":"IUIAutomationActiveTextPositionChangedEventHandler","features":[528]},{"name":"IUIAutomationAndCondition","features":[528]},{"name":"IUIAutomationAnnotationPattern","features":[528]},{"name":"IUIAutomationBoolCondition","features":[528]},{"name":"IUIAutomationCacheRequest","features":[528]},{"name":"IUIAutomationChangesEventHandler","features":[528]},{"name":"IUIAutomationCondition","features":[528]},{"name":"IUIAutomationCustomNavigationPattern","features":[528]},{"name":"IUIAutomationDockPattern","features":[528]},{"name":"IUIAutomationDragPattern","features":[528]},{"name":"IUIAutomationDropTargetPattern","features":[528]},{"name":"IUIAutomationElement","features":[528]},{"name":"IUIAutomationElement2","features":[528]},{"name":"IUIAutomationElement3","features":[528]},{"name":"IUIAutomationElement4","features":[528]},{"name":"IUIAutomationElement5","features":[528]},{"name":"IUIAutomationElement6","features":[528]},{"name":"IUIAutomationElement7","features":[528]},{"name":"IUIAutomationElement8","features":[528]},{"name":"IUIAutomationElement9","features":[528]},{"name":"IUIAutomationElementArray","features":[528]},{"name":"IUIAutomationEventHandler","features":[528]},{"name":"IUIAutomationEventHandlerGroup","features":[528]},{"name":"IUIAutomationExpandCollapsePattern","features":[528]},{"name":"IUIAutomationFocusChangedEventHandler","features":[528]},{"name":"IUIAutomationGridItemPattern","features":[528]},{"name":"IUIAutomationGridPattern","features":[528]},{"name":"IUIAutomationInvokePattern","features":[528]},{"name":"IUIAutomationItemContainerPattern","features":[528]},{"name":"IUIAutomationLegacyIAccessiblePattern","features":[528]},{"name":"IUIAutomationMultipleViewPattern","features":[528]},{"name":"IUIAutomationNotCondition","features":[528]},{"name":"IUIAutomationNotificationEventHandler","features":[528]},{"name":"IUIAutomationObjectModelPattern","features":[528]},{"name":"IUIAutomationOrCondition","features":[528]},{"name":"IUIAutomationPatternHandler","features":[528]},{"name":"IUIAutomationPatternInstance","features":[528]},{"name":"IUIAutomationPropertyChangedEventHandler","features":[528]},{"name":"IUIAutomationPropertyCondition","features":[528]},{"name":"IUIAutomationProxyFactory","features":[528]},{"name":"IUIAutomationProxyFactoryEntry","features":[528]},{"name":"IUIAutomationProxyFactoryMapping","features":[528]},{"name":"IUIAutomationRangeValuePattern","features":[528]},{"name":"IUIAutomationRegistrar","features":[528]},{"name":"IUIAutomationScrollItemPattern","features":[528]},{"name":"IUIAutomationScrollPattern","features":[528]},{"name":"IUIAutomationSelectionItemPattern","features":[528]},{"name":"IUIAutomationSelectionPattern","features":[528]},{"name":"IUIAutomationSelectionPattern2","features":[528]},{"name":"IUIAutomationSpreadsheetItemPattern","features":[528]},{"name":"IUIAutomationSpreadsheetPattern","features":[528]},{"name":"IUIAutomationStructureChangedEventHandler","features":[528]},{"name":"IUIAutomationStylesPattern","features":[528]},{"name":"IUIAutomationSynchronizedInputPattern","features":[528]},{"name":"IUIAutomationTableItemPattern","features":[528]},{"name":"IUIAutomationTablePattern","features":[528]},{"name":"IUIAutomationTextChildPattern","features":[528]},{"name":"IUIAutomationTextEditPattern","features":[528]},{"name":"IUIAutomationTextEditTextChangedEventHandler","features":[528]},{"name":"IUIAutomationTextPattern","features":[528]},{"name":"IUIAutomationTextPattern2","features":[528]},{"name":"IUIAutomationTextRange","features":[528]},{"name":"IUIAutomationTextRange2","features":[528]},{"name":"IUIAutomationTextRange3","features":[528]},{"name":"IUIAutomationTextRangeArray","features":[528]},{"name":"IUIAutomationTogglePattern","features":[528]},{"name":"IUIAutomationTransformPattern","features":[528]},{"name":"IUIAutomationTransformPattern2","features":[528]},{"name":"IUIAutomationTreeWalker","features":[528]},{"name":"IUIAutomationValuePattern","features":[528]},{"name":"IUIAutomationVirtualizedItemPattern","features":[528]},{"name":"IUIAutomationWindowPattern","features":[528]},{"name":"IValueProvider","features":[528]},{"name":"IVirtualizedItemProvider","features":[528]},{"name":"IWindowProvider","features":[528]},{"name":"Image_Control_GUID","features":[528]},{"name":"InputDiscarded_Event_GUID","features":[528]},{"name":"InputReachedOtherElement_Event_GUID","features":[528]},{"name":"InputReachedTarget_Event_GUID","features":[528]},{"name":"InvokePattern_Invoke","features":[528]},{"name":"Invoke_Invoked_Event_GUID","features":[528]},{"name":"Invoke_Pattern_GUID","features":[528]},{"name":"IsAnnotationPatternAvailable_Property_GUID","features":[528]},{"name":"IsContentElement_Property_GUID","features":[528]},{"name":"IsControlElement_Property_GUID","features":[528]},{"name":"IsCustomNavigationPatternAvailable_Property_GUID","features":[528]},{"name":"IsDataValidForForm_Property_GUID","features":[528]},{"name":"IsDialog_Property_GUID","features":[528]},{"name":"IsDockPatternAvailable_Property_GUID","features":[528]},{"name":"IsDragPatternAvailable_Property_GUID","features":[528]},{"name":"IsDropTargetPatternAvailable_Property_GUID","features":[528]},{"name":"IsEnabled_Property_GUID","features":[528]},{"name":"IsExpandCollapsePatternAvailable_Property_GUID","features":[528]},{"name":"IsGridItemPatternAvailable_Property_GUID","features":[528]},{"name":"IsGridPatternAvailable_Property_GUID","features":[528]},{"name":"IsInvokePatternAvailable_Property_GUID","features":[528]},{"name":"IsItemContainerPatternAvailable_Property_GUID","features":[528]},{"name":"IsKeyboardFocusable_Property_GUID","features":[528]},{"name":"IsLegacyIAccessiblePatternAvailable_Property_GUID","features":[528]},{"name":"IsMultipleViewPatternAvailable_Property_GUID","features":[528]},{"name":"IsObjectModelPatternAvailable_Property_GUID","features":[528]},{"name":"IsOffscreen_Property_GUID","features":[528]},{"name":"IsPassword_Property_GUID","features":[528]},{"name":"IsPeripheral_Property_GUID","features":[528]},{"name":"IsRangeValuePatternAvailable_Property_GUID","features":[528]},{"name":"IsRequiredForForm_Property_GUID","features":[528]},{"name":"IsScrollItemPatternAvailable_Property_GUID","features":[528]},{"name":"IsScrollPatternAvailable_Property_GUID","features":[528]},{"name":"IsSelectionItemPatternAvailable_Property_GUID","features":[528]},{"name":"IsSelectionPattern2Available_Property_GUID","features":[528]},{"name":"IsSelectionPatternAvailable_Property_GUID","features":[528]},{"name":"IsSpreadsheetItemPatternAvailable_Property_GUID","features":[528]},{"name":"IsSpreadsheetPatternAvailable_Property_GUID","features":[528]},{"name":"IsStructuredMarkupPatternAvailable_Property_GUID","features":[528]},{"name":"IsStylesPatternAvailable_Property_GUID","features":[528]},{"name":"IsSynchronizedInputPatternAvailable_Property_GUID","features":[528]},{"name":"IsTableItemPatternAvailable_Property_GUID","features":[528]},{"name":"IsTablePatternAvailable_Property_GUID","features":[528]},{"name":"IsTextChildPatternAvailable_Property_GUID","features":[528]},{"name":"IsTextEditPatternAvailable_Property_GUID","features":[528]},{"name":"IsTextPattern2Available_Property_GUID","features":[528]},{"name":"IsTextPatternAvailable_Property_GUID","features":[528]},{"name":"IsTogglePatternAvailable_Property_GUID","features":[528]},{"name":"IsTransformPattern2Available_Property_GUID","features":[528]},{"name":"IsTransformPatternAvailable_Property_GUID","features":[528]},{"name":"IsValuePatternAvailable_Property_GUID","features":[528]},{"name":"IsVirtualizedItemPatternAvailable_Property_GUID","features":[528]},{"name":"IsWinEventHookInstalled","features":[308,528]},{"name":"IsWindowPatternAvailable_Property_GUID","features":[528]},{"name":"ItemContainerPattern_FindItemByProperty","features":[528]},{"name":"ItemContainer_Pattern_GUID","features":[528]},{"name":"ItemStatus_Property_GUID","features":[528]},{"name":"ItemType_Property_GUID","features":[528]},{"name":"LIBID_Accessibility","features":[528]},{"name":"LPFNACCESSIBLECHILDREN","features":[359,528]},{"name":"LPFNACCESSIBLEOBJECTFROMPOINT","features":[308,359,528]},{"name":"LPFNACCESSIBLEOBJECTFROMWINDOW","features":[308,528]},{"name":"LPFNCREATESTDACCESSIBLEOBJECT","features":[308,528]},{"name":"LPFNLRESULTFROMOBJECT","features":[308,528]},{"name":"LPFNOBJECTFROMLRESULT","features":[308,528]},{"name":"LabeledBy_Property_GUID","features":[528]},{"name":"LandmarkType_Property_GUID","features":[528]},{"name":"LayoutInvalidated_Event_GUID","features":[528]},{"name":"LegacyIAccessiblePattern_DoDefaultAction","features":[528]},{"name":"LegacyIAccessiblePattern_GetIAccessible","features":[359,528]},{"name":"LegacyIAccessiblePattern_Select","features":[528]},{"name":"LegacyIAccessiblePattern_SetValue","features":[528]},{"name":"LegacyIAccessible_ChildId_Property_GUID","features":[528]},{"name":"LegacyIAccessible_DefaultAction_Property_GUID","features":[528]},{"name":"LegacyIAccessible_Description_Property_GUID","features":[528]},{"name":"LegacyIAccessible_Help_Property_GUID","features":[528]},{"name":"LegacyIAccessible_KeyboardShortcut_Property_GUID","features":[528]},{"name":"LegacyIAccessible_Name_Property_GUID","features":[528]},{"name":"LegacyIAccessible_Pattern_GUID","features":[528]},{"name":"LegacyIAccessible_Role_Property_GUID","features":[528]},{"name":"LegacyIAccessible_Selection_Property_GUID","features":[528]},{"name":"LegacyIAccessible_State_Property_GUID","features":[528]},{"name":"LegacyIAccessible_Value_Property_GUID","features":[528]},{"name":"Level_Property_GUID","features":[528]},{"name":"ListItem_Control_GUID","features":[528]},{"name":"List_Control_GUID","features":[528]},{"name":"LiveRegionChanged_Event_GUID","features":[528]},{"name":"LiveSetting","features":[528]},{"name":"LiveSetting_Property_GUID","features":[528]},{"name":"LocalizedControlType_Property_GUID","features":[528]},{"name":"LocalizedLandmarkType_Property_GUID","features":[528]},{"name":"LresultFromObject","features":[308,528]},{"name":"MOUSEKEYS","features":[528]},{"name":"MSAAMENUINFO","features":[528]},{"name":"MSAA_MENU_SIG","features":[528]},{"name":"MenuBar_Control_GUID","features":[528]},{"name":"MenuClosed_Event_GUID","features":[528]},{"name":"MenuItem_Control_GUID","features":[528]},{"name":"MenuModeEnd_Event_GUID","features":[528]},{"name":"MenuModeStart_Event_GUID","features":[528]},{"name":"MenuOpened_Event_GUID","features":[528]},{"name":"Menu_Control_GUID","features":[528]},{"name":"MultipleViewPattern_GetViewName","features":[528]},{"name":"MultipleViewPattern_SetCurrentView","features":[528]},{"name":"MultipleView_CurrentView_Property_GUID","features":[528]},{"name":"MultipleView_Pattern_GUID","features":[528]},{"name":"MultipleView_SupportedViews_Property_GUID","features":[528]},{"name":"NAVDIR_DOWN","features":[528]},{"name":"NAVDIR_FIRSTCHILD","features":[528]},{"name":"NAVDIR_LASTCHILD","features":[528]},{"name":"NAVDIR_LEFT","features":[528]},{"name":"NAVDIR_MAX","features":[528]},{"name":"NAVDIR_MIN","features":[528]},{"name":"NAVDIR_NEXT","features":[528]},{"name":"NAVDIR_PREVIOUS","features":[528]},{"name":"NAVDIR_RIGHT","features":[528]},{"name":"NAVDIR_UP","features":[528]},{"name":"Name_Property_GUID","features":[528]},{"name":"NavigateDirection","features":[528]},{"name":"NavigateDirection_FirstChild","features":[528]},{"name":"NavigateDirection_LastChild","features":[528]},{"name":"NavigateDirection_NextSibling","features":[528]},{"name":"NavigateDirection_Parent","features":[528]},{"name":"NavigateDirection_PreviousSibling","features":[528]},{"name":"NewNativeWindowHandle_Property_GUID","features":[528]},{"name":"NormalizeState","features":[528]},{"name":"NormalizeState_Custom","features":[528]},{"name":"NormalizeState_None","features":[528]},{"name":"NormalizeState_View","features":[528]},{"name":"NotificationKind","features":[528]},{"name":"NotificationKind_ActionAborted","features":[528]},{"name":"NotificationKind_ActionCompleted","features":[528]},{"name":"NotificationKind_ItemAdded","features":[528]},{"name":"NotificationKind_ItemRemoved","features":[528]},{"name":"NotificationKind_Other","features":[528]},{"name":"NotificationProcessing","features":[528]},{"name":"NotificationProcessing_All","features":[528]},{"name":"NotificationProcessing_CurrentThenMostRecent","features":[528]},{"name":"NotificationProcessing_ImportantAll","features":[528]},{"name":"NotificationProcessing_ImportantMostRecent","features":[528]},{"name":"NotificationProcessing_MostRecent","features":[528]},{"name":"Notification_Event_GUID","features":[528]},{"name":"NotifyWinEvent","features":[308,528]},{"name":"ObjectFromLresult","features":[308,528]},{"name":"ObjectModel_Pattern_GUID","features":[528]},{"name":"Off","features":[528]},{"name":"OptimizeForVisualContent_Property_GUID","features":[528]},{"name":"OrientationType","features":[528]},{"name":"OrientationType_Horizontal","features":[528]},{"name":"OrientationType_None","features":[528]},{"name":"OrientationType_Vertical","features":[528]},{"name":"Orientation_Property_GUID","features":[528]},{"name":"OutlineColor_Property_GUID","features":[528]},{"name":"OutlineStyles","features":[528]},{"name":"OutlineStyles_Embossed","features":[528]},{"name":"OutlineStyles_Engraved","features":[528]},{"name":"OutlineStyles_None","features":[528]},{"name":"OutlineStyles_Outline","features":[528]},{"name":"OutlineStyles_Shadow","features":[528]},{"name":"OutlineThickness_Property_GUID","features":[528]},{"name":"PROPID_ACC_DEFAULTACTION","features":[528]},{"name":"PROPID_ACC_DESCRIPTION","features":[528]},{"name":"PROPID_ACC_DESCRIPTIONMAP","features":[528]},{"name":"PROPID_ACC_DODEFAULTACTION","features":[528]},{"name":"PROPID_ACC_FOCUS","features":[528]},{"name":"PROPID_ACC_HELP","features":[528]},{"name":"PROPID_ACC_HELPTOPIC","features":[528]},{"name":"PROPID_ACC_KEYBOARDSHORTCUT","features":[528]},{"name":"PROPID_ACC_NAME","features":[528]},{"name":"PROPID_ACC_NAV_DOWN","features":[528]},{"name":"PROPID_ACC_NAV_FIRSTCHILD","features":[528]},{"name":"PROPID_ACC_NAV_LASTCHILD","features":[528]},{"name":"PROPID_ACC_NAV_LEFT","features":[528]},{"name":"PROPID_ACC_NAV_NEXT","features":[528]},{"name":"PROPID_ACC_NAV_PREV","features":[528]},{"name":"PROPID_ACC_NAV_RIGHT","features":[528]},{"name":"PROPID_ACC_NAV_UP","features":[528]},{"name":"PROPID_ACC_PARENT","features":[528]},{"name":"PROPID_ACC_ROLE","features":[528]},{"name":"PROPID_ACC_ROLEMAP","features":[528]},{"name":"PROPID_ACC_SELECTION","features":[528]},{"name":"PROPID_ACC_STATE","features":[528]},{"name":"PROPID_ACC_STATEMAP","features":[528]},{"name":"PROPID_ACC_VALUE","features":[528]},{"name":"PROPID_ACC_VALUEMAP","features":[528]},{"name":"Pane_Control_GUID","features":[528]},{"name":"Polite","features":[528]},{"name":"PositionInSet_Property_GUID","features":[528]},{"name":"ProcessId_Property_GUID","features":[528]},{"name":"ProgressBar_Control_GUID","features":[528]},{"name":"PropertyConditionFlags","features":[528]},{"name":"PropertyConditionFlags_IgnoreCase","features":[528]},{"name":"PropertyConditionFlags_MatchSubstring","features":[528]},{"name":"PropertyConditionFlags_None","features":[528]},{"name":"ProviderDescription_Property_GUID","features":[528]},{"name":"ProviderOptions","features":[528]},{"name":"ProviderOptions_ClientSideProvider","features":[528]},{"name":"ProviderOptions_HasNativeIAccessible","features":[528]},{"name":"ProviderOptions_NonClientAreaProvider","features":[528]},{"name":"ProviderOptions_OverrideProvider","features":[528]},{"name":"ProviderOptions_ProviderOwnsSetFocus","features":[528]},{"name":"ProviderOptions_RefuseNonClientSupport","features":[528]},{"name":"ProviderOptions_ServerSideProvider","features":[528]},{"name":"ProviderOptions_UseClientCoordinates","features":[528]},{"name":"ProviderOptions_UseComThreading","features":[528]},{"name":"ProviderType","features":[528]},{"name":"ProviderType_BaseHwnd","features":[528]},{"name":"ProviderType_NonClientArea","features":[528]},{"name":"ProviderType_Proxy","features":[528]},{"name":"ROLE_SYSTEM_ALERT","features":[528]},{"name":"ROLE_SYSTEM_ANIMATION","features":[528]},{"name":"ROLE_SYSTEM_APPLICATION","features":[528]},{"name":"ROLE_SYSTEM_BORDER","features":[528]},{"name":"ROLE_SYSTEM_BUTTONDROPDOWN","features":[528]},{"name":"ROLE_SYSTEM_BUTTONDROPDOWNGRID","features":[528]},{"name":"ROLE_SYSTEM_BUTTONMENU","features":[528]},{"name":"ROLE_SYSTEM_CARET","features":[528]},{"name":"ROLE_SYSTEM_CELL","features":[528]},{"name":"ROLE_SYSTEM_CHARACTER","features":[528]},{"name":"ROLE_SYSTEM_CHART","features":[528]},{"name":"ROLE_SYSTEM_CHECKBUTTON","features":[528]},{"name":"ROLE_SYSTEM_CLIENT","features":[528]},{"name":"ROLE_SYSTEM_CLOCK","features":[528]},{"name":"ROLE_SYSTEM_COLUMN","features":[528]},{"name":"ROLE_SYSTEM_COLUMNHEADER","features":[528]},{"name":"ROLE_SYSTEM_COMBOBOX","features":[528]},{"name":"ROLE_SYSTEM_CURSOR","features":[528]},{"name":"ROLE_SYSTEM_DIAGRAM","features":[528]},{"name":"ROLE_SYSTEM_DIAL","features":[528]},{"name":"ROLE_SYSTEM_DIALOG","features":[528]},{"name":"ROLE_SYSTEM_DOCUMENT","features":[528]},{"name":"ROLE_SYSTEM_DROPLIST","features":[528]},{"name":"ROLE_SYSTEM_EQUATION","features":[528]},{"name":"ROLE_SYSTEM_GRAPHIC","features":[528]},{"name":"ROLE_SYSTEM_GRIP","features":[528]},{"name":"ROLE_SYSTEM_GROUPING","features":[528]},{"name":"ROLE_SYSTEM_HELPBALLOON","features":[528]},{"name":"ROLE_SYSTEM_HOTKEYFIELD","features":[528]},{"name":"ROLE_SYSTEM_INDICATOR","features":[528]},{"name":"ROLE_SYSTEM_IPADDRESS","features":[528]},{"name":"ROLE_SYSTEM_LINK","features":[528]},{"name":"ROLE_SYSTEM_LIST","features":[528]},{"name":"ROLE_SYSTEM_LISTITEM","features":[528]},{"name":"ROLE_SYSTEM_MENUBAR","features":[528]},{"name":"ROLE_SYSTEM_MENUITEM","features":[528]},{"name":"ROLE_SYSTEM_MENUPOPUP","features":[528]},{"name":"ROLE_SYSTEM_OUTLINE","features":[528]},{"name":"ROLE_SYSTEM_OUTLINEBUTTON","features":[528]},{"name":"ROLE_SYSTEM_OUTLINEITEM","features":[528]},{"name":"ROLE_SYSTEM_PAGETAB","features":[528]},{"name":"ROLE_SYSTEM_PAGETABLIST","features":[528]},{"name":"ROLE_SYSTEM_PANE","features":[528]},{"name":"ROLE_SYSTEM_PROGRESSBAR","features":[528]},{"name":"ROLE_SYSTEM_PROPERTYPAGE","features":[528]},{"name":"ROLE_SYSTEM_PUSHBUTTON","features":[528]},{"name":"ROLE_SYSTEM_RADIOBUTTON","features":[528]},{"name":"ROLE_SYSTEM_ROW","features":[528]},{"name":"ROLE_SYSTEM_ROWHEADER","features":[528]},{"name":"ROLE_SYSTEM_SCROLLBAR","features":[528]},{"name":"ROLE_SYSTEM_SEPARATOR","features":[528]},{"name":"ROLE_SYSTEM_SLIDER","features":[528]},{"name":"ROLE_SYSTEM_SOUND","features":[528]},{"name":"ROLE_SYSTEM_SPINBUTTON","features":[528]},{"name":"ROLE_SYSTEM_SPLITBUTTON","features":[528]},{"name":"ROLE_SYSTEM_STATICTEXT","features":[528]},{"name":"ROLE_SYSTEM_STATUSBAR","features":[528]},{"name":"ROLE_SYSTEM_TABLE","features":[528]},{"name":"ROLE_SYSTEM_TEXT","features":[528]},{"name":"ROLE_SYSTEM_TITLEBAR","features":[528]},{"name":"ROLE_SYSTEM_TOOLBAR","features":[528]},{"name":"ROLE_SYSTEM_TOOLTIP","features":[528]},{"name":"ROLE_SYSTEM_WHITESPACE","features":[528]},{"name":"ROLE_SYSTEM_WINDOW","features":[528]},{"name":"RadioButton_Control_GUID","features":[528]},{"name":"RangeValuePattern_SetValue","features":[528]},{"name":"RangeValue_IsReadOnly_Property_GUID","features":[528]},{"name":"RangeValue_LargeChange_Property_GUID","features":[528]},{"name":"RangeValue_Maximum_Property_GUID","features":[528]},{"name":"RangeValue_Minimum_Property_GUID","features":[528]},{"name":"RangeValue_Pattern_GUID","features":[528]},{"name":"RangeValue_SmallChange_Property_GUID","features":[528]},{"name":"RangeValue_Value_Property_GUID","features":[528]},{"name":"RegisterPointerInputTarget","features":[308,528,370]},{"name":"RegisterPointerInputTargetEx","features":[308,528,370]},{"name":"Rotation_Property_GUID","features":[528]},{"name":"RowOrColumnMajor","features":[528]},{"name":"RowOrColumnMajor_ColumnMajor","features":[528]},{"name":"RowOrColumnMajor_Indeterminate","features":[528]},{"name":"RowOrColumnMajor_RowMajor","features":[528]},{"name":"RuntimeId_Property_GUID","features":[528]},{"name":"SELFLAG_ADDSELECTION","features":[528]},{"name":"SELFLAG_EXTENDSELECTION","features":[528]},{"name":"SELFLAG_NONE","features":[528]},{"name":"SELFLAG_REMOVESELECTION","features":[528]},{"name":"SELFLAG_TAKEFOCUS","features":[528]},{"name":"SELFLAG_TAKESELECTION","features":[528]},{"name":"SELFLAG_VALID","features":[528]},{"name":"SERIALKEYSA","features":[528]},{"name":"SERIALKEYSW","features":[528]},{"name":"SERIALKEYS_FLAGS","features":[528]},{"name":"SERKF_AVAILABLE","features":[528]},{"name":"SERKF_INDICATOR","features":[528]},{"name":"SERKF_SERIALKEYSON","features":[528]},{"name":"SID_ControlElementProvider","features":[528]},{"name":"SID_IsUIAutomationObject","features":[528]},{"name":"SKF_AUDIBLEFEEDBACK","features":[528]},{"name":"SKF_AVAILABLE","features":[528]},{"name":"SKF_CONFIRMHOTKEY","features":[528]},{"name":"SKF_HOTKEYACTIVE","features":[528]},{"name":"SKF_HOTKEYSOUND","features":[528]},{"name":"SKF_INDICATOR","features":[528]},{"name":"SKF_LALTLATCHED","features":[528]},{"name":"SKF_LALTLOCKED","features":[528]},{"name":"SKF_LCTLLATCHED","features":[528]},{"name":"SKF_LCTLLOCKED","features":[528]},{"name":"SKF_LSHIFTLATCHED","features":[528]},{"name":"SKF_LSHIFTLOCKED","features":[528]},{"name":"SKF_LWINLATCHED","features":[528]},{"name":"SKF_LWINLOCKED","features":[528]},{"name":"SKF_RALTLATCHED","features":[528]},{"name":"SKF_RALTLOCKED","features":[528]},{"name":"SKF_RCTLLATCHED","features":[528]},{"name":"SKF_RCTLLOCKED","features":[528]},{"name":"SKF_RSHIFTLATCHED","features":[528]},{"name":"SKF_RSHIFTLOCKED","features":[528]},{"name":"SKF_RWINLATCHED","features":[528]},{"name":"SKF_RWINLOCKED","features":[528]},{"name":"SKF_STICKYKEYSON","features":[528]},{"name":"SKF_TRISTATE","features":[528]},{"name":"SKF_TWOKEYSOFF","features":[528]},{"name":"SOUNDSENTRYA","features":[528]},{"name":"SOUNDSENTRYW","features":[528]},{"name":"SOUNDSENTRY_FLAGS","features":[528]},{"name":"SOUNDSENTRY_TEXT_EFFECT","features":[528]},{"name":"SOUNDSENTRY_WINDOWS_EFFECT","features":[528]},{"name":"SOUND_SENTRY_GRAPHICS_EFFECT","features":[528]},{"name":"SSF_AVAILABLE","features":[528]},{"name":"SSF_INDICATOR","features":[528]},{"name":"SSF_SOUNDSENTRYON","features":[528]},{"name":"SSGF_DISPLAY","features":[528]},{"name":"SSGF_NONE","features":[528]},{"name":"SSTF_BORDER","features":[528]},{"name":"SSTF_CHARS","features":[528]},{"name":"SSTF_DISPLAY","features":[528]},{"name":"SSTF_NONE","features":[528]},{"name":"SSWF_CUSTOM","features":[528]},{"name":"SSWF_DISPLAY","features":[528]},{"name":"SSWF_NONE","features":[528]},{"name":"SSWF_TITLE","features":[528]},{"name":"SSWF_WINDOW","features":[528]},{"name":"STATE_SYSTEM_HASPOPUP","features":[528]},{"name":"STATE_SYSTEM_NORMAL","features":[528]},{"name":"STICKYKEYS","features":[528]},{"name":"STICKYKEYS_FLAGS","features":[528]},{"name":"SayAsInterpretAs","features":[528]},{"name":"SayAsInterpretAs_Address","features":[528]},{"name":"SayAsInterpretAs_Alphanumeric","features":[528]},{"name":"SayAsInterpretAs_Cardinal","features":[528]},{"name":"SayAsInterpretAs_Currency","features":[528]},{"name":"SayAsInterpretAs_Date","features":[528]},{"name":"SayAsInterpretAs_Date_DayMonth","features":[528]},{"name":"SayAsInterpretAs_Date_DayMonthYear","features":[528]},{"name":"SayAsInterpretAs_Date_MonthDay","features":[528]},{"name":"SayAsInterpretAs_Date_MonthDayYear","features":[528]},{"name":"SayAsInterpretAs_Date_MonthYear","features":[528]},{"name":"SayAsInterpretAs_Date_Year","features":[528]},{"name":"SayAsInterpretAs_Date_YearMonth","features":[528]},{"name":"SayAsInterpretAs_Date_YearMonthDay","features":[528]},{"name":"SayAsInterpretAs_Media","features":[528]},{"name":"SayAsInterpretAs_Name","features":[528]},{"name":"SayAsInterpretAs_Net","features":[528]},{"name":"SayAsInterpretAs_None","features":[528]},{"name":"SayAsInterpretAs_Number","features":[528]},{"name":"SayAsInterpretAs_Ordinal","features":[528]},{"name":"SayAsInterpretAs_Spell","features":[528]},{"name":"SayAsInterpretAs_Telephone","features":[528]},{"name":"SayAsInterpretAs_Time","features":[528]},{"name":"SayAsInterpretAs_Time_HoursMinutes12","features":[528]},{"name":"SayAsInterpretAs_Time_HoursMinutes24","features":[528]},{"name":"SayAsInterpretAs_Time_HoursMinutesSeconds12","features":[528]},{"name":"SayAsInterpretAs_Time_HoursMinutesSeconds24","features":[528]},{"name":"SayAsInterpretAs_Url","features":[528]},{"name":"ScrollAmount","features":[528]},{"name":"ScrollAmount_LargeDecrement","features":[528]},{"name":"ScrollAmount_LargeIncrement","features":[528]},{"name":"ScrollAmount_NoAmount","features":[528]},{"name":"ScrollAmount_SmallDecrement","features":[528]},{"name":"ScrollAmount_SmallIncrement","features":[528]},{"name":"ScrollBar_Control_GUID","features":[528]},{"name":"ScrollItemPattern_ScrollIntoView","features":[528]},{"name":"ScrollItem_Pattern_GUID","features":[528]},{"name":"ScrollPattern_Scroll","features":[528]},{"name":"ScrollPattern_SetScrollPercent","features":[528]},{"name":"Scroll_HorizontalScrollPercent_Property_GUID","features":[528]},{"name":"Scroll_HorizontalViewSize_Property_GUID","features":[528]},{"name":"Scroll_HorizontallyScrollable_Property_GUID","features":[528]},{"name":"Scroll_Pattern_GUID","features":[528]},{"name":"Scroll_VerticalScrollPercent_Property_GUID","features":[528]},{"name":"Scroll_VerticalViewSize_Property_GUID","features":[528]},{"name":"Scroll_VerticallyScrollable_Property_GUID","features":[528]},{"name":"Selection2_CurrentSelectedItem_Property_GUID","features":[528]},{"name":"Selection2_FirstSelectedItem_Property_GUID","features":[528]},{"name":"Selection2_ItemCount_Property_GUID","features":[528]},{"name":"Selection2_LastSelectedItem_Property_GUID","features":[528]},{"name":"SelectionItemPattern_AddToSelection","features":[528]},{"name":"SelectionItemPattern_RemoveFromSelection","features":[528]},{"name":"SelectionItemPattern_Select","features":[528]},{"name":"SelectionItem_ElementAddedToSelectionEvent_Event_GUID","features":[528]},{"name":"SelectionItem_ElementRemovedFromSelectionEvent_Event_GUID","features":[528]},{"name":"SelectionItem_ElementSelectedEvent_Event_GUID","features":[528]},{"name":"SelectionItem_IsSelected_Property_GUID","features":[528]},{"name":"SelectionItem_Pattern_GUID","features":[528]},{"name":"SelectionItem_SelectionContainer_Property_GUID","features":[528]},{"name":"Selection_CanSelectMultiple_Property_GUID","features":[528]},{"name":"Selection_InvalidatedEvent_Event_GUID","features":[528]},{"name":"Selection_IsSelectionRequired_Property_GUID","features":[528]},{"name":"Selection_Pattern2_GUID","features":[528]},{"name":"Selection_Pattern_GUID","features":[528]},{"name":"Selection_Selection_Property_GUID","features":[528]},{"name":"SemanticZoom_Control_GUID","features":[528]},{"name":"Separator_Control_GUID","features":[528]},{"name":"SetWinEventHook","features":[308,528]},{"name":"SizeOfSet_Property_GUID","features":[528]},{"name":"Size_Property_GUID","features":[528]},{"name":"Slider_Control_GUID","features":[528]},{"name":"Spinner_Control_GUID","features":[528]},{"name":"SplitButton_Control_GUID","features":[528]},{"name":"SpreadsheetItem_AnnotationObjects_Property_GUID","features":[528]},{"name":"SpreadsheetItem_AnnotationTypes_Property_GUID","features":[528]},{"name":"SpreadsheetItem_Formula_Property_GUID","features":[528]},{"name":"SpreadsheetItem_Pattern_GUID","features":[528]},{"name":"Spreadsheet_Pattern_GUID","features":[528]},{"name":"StatusBar_Control_GUID","features":[528]},{"name":"StructureChangeType","features":[528]},{"name":"StructureChangeType_ChildAdded","features":[528]},{"name":"StructureChangeType_ChildRemoved","features":[528]},{"name":"StructureChangeType_ChildrenBulkAdded","features":[528]},{"name":"StructureChangeType_ChildrenBulkRemoved","features":[528]},{"name":"StructureChangeType_ChildrenInvalidated","features":[528]},{"name":"StructureChangeType_ChildrenReordered","features":[528]},{"name":"StructureChanged_Event_GUID","features":[528]},{"name":"StructuredMarkup_CompositionComplete_Event_GUID","features":[528]},{"name":"StructuredMarkup_Deleted_Event_GUID","features":[528]},{"name":"StructuredMarkup_Pattern_GUID","features":[528]},{"name":"StructuredMarkup_SelectionChanged_Event_GUID","features":[528]},{"name":"StyleId_BulletedList","features":[528]},{"name":"StyleId_BulletedList_GUID","features":[528]},{"name":"StyleId_Custom","features":[528]},{"name":"StyleId_Custom_GUID","features":[528]},{"name":"StyleId_Emphasis","features":[528]},{"name":"StyleId_Emphasis_GUID","features":[528]},{"name":"StyleId_Heading1","features":[528]},{"name":"StyleId_Heading1_GUID","features":[528]},{"name":"StyleId_Heading2","features":[528]},{"name":"StyleId_Heading2_GUID","features":[528]},{"name":"StyleId_Heading3","features":[528]},{"name":"StyleId_Heading3_GUID","features":[528]},{"name":"StyleId_Heading4","features":[528]},{"name":"StyleId_Heading4_GUID","features":[528]},{"name":"StyleId_Heading5","features":[528]},{"name":"StyleId_Heading5_GUID","features":[528]},{"name":"StyleId_Heading6","features":[528]},{"name":"StyleId_Heading6_GUID","features":[528]},{"name":"StyleId_Heading7","features":[528]},{"name":"StyleId_Heading7_GUID","features":[528]},{"name":"StyleId_Heading8","features":[528]},{"name":"StyleId_Heading8_GUID","features":[528]},{"name":"StyleId_Heading9","features":[528]},{"name":"StyleId_Heading9_GUID","features":[528]},{"name":"StyleId_Normal","features":[528]},{"name":"StyleId_Normal_GUID","features":[528]},{"name":"StyleId_NumberedList","features":[528]},{"name":"StyleId_NumberedList_GUID","features":[528]},{"name":"StyleId_Quote","features":[528]},{"name":"StyleId_Quote_GUID","features":[528]},{"name":"StyleId_Subtitle","features":[528]},{"name":"StyleId_Subtitle_GUID","features":[528]},{"name":"StyleId_Title","features":[528]},{"name":"StyleId_Title_GUID","features":[528]},{"name":"Styles_ExtendedProperties_Property_GUID","features":[528]},{"name":"Styles_FillColor_Property_GUID","features":[528]},{"name":"Styles_FillPatternColor_Property_GUID","features":[528]},{"name":"Styles_FillPatternStyle_Property_GUID","features":[528]},{"name":"Styles_Pattern_GUID","features":[528]},{"name":"Styles_Shape_Property_GUID","features":[528]},{"name":"Styles_StyleId_Property_GUID","features":[528]},{"name":"Styles_StyleName_Property_GUID","features":[528]},{"name":"SupportedTextSelection","features":[528]},{"name":"SupportedTextSelection_Multiple","features":[528]},{"name":"SupportedTextSelection_None","features":[528]},{"name":"SupportedTextSelection_Single","features":[528]},{"name":"SynchronizedInputPattern_Cancel","features":[528]},{"name":"SynchronizedInputPattern_StartListening","features":[528]},{"name":"SynchronizedInputType","features":[528]},{"name":"SynchronizedInputType_KeyDown","features":[528]},{"name":"SynchronizedInputType_KeyUp","features":[528]},{"name":"SynchronizedInputType_LeftMouseDown","features":[528]},{"name":"SynchronizedInputType_LeftMouseUp","features":[528]},{"name":"SynchronizedInputType_RightMouseDown","features":[528]},{"name":"SynchronizedInputType_RightMouseUp","features":[528]},{"name":"SynchronizedInput_Pattern_GUID","features":[528]},{"name":"SystemAlert_Event_GUID","features":[528]},{"name":"TOGGLEKEYS","features":[528]},{"name":"TabItem_Control_GUID","features":[528]},{"name":"Tab_Control_GUID","features":[528]},{"name":"TableItem_ColumnHeaderItems_Property_GUID","features":[528]},{"name":"TableItem_Pattern_GUID","features":[528]},{"name":"TableItem_RowHeaderItems_Property_GUID","features":[528]},{"name":"Table_ColumnHeaders_Property_GUID","features":[528]},{"name":"Table_Control_GUID","features":[528]},{"name":"Table_Pattern_GUID","features":[528]},{"name":"Table_RowHeaders_Property_GUID","features":[528]},{"name":"Table_RowOrColumnMajor_Property_GUID","features":[528]},{"name":"TextChild_Pattern_GUID","features":[528]},{"name":"TextDecorationLineStyle","features":[528]},{"name":"TextDecorationLineStyle_Dash","features":[528]},{"name":"TextDecorationLineStyle_DashDot","features":[528]},{"name":"TextDecorationLineStyle_DashDotDot","features":[528]},{"name":"TextDecorationLineStyle_Dot","features":[528]},{"name":"TextDecorationLineStyle_Double","features":[528]},{"name":"TextDecorationLineStyle_DoubleWavy","features":[528]},{"name":"TextDecorationLineStyle_LongDash","features":[528]},{"name":"TextDecorationLineStyle_None","features":[528]},{"name":"TextDecorationLineStyle_Other","features":[528]},{"name":"TextDecorationLineStyle_Single","features":[528]},{"name":"TextDecorationLineStyle_ThickDash","features":[528]},{"name":"TextDecorationLineStyle_ThickDashDot","features":[528]},{"name":"TextDecorationLineStyle_ThickDashDotDot","features":[528]},{"name":"TextDecorationLineStyle_ThickDot","features":[528]},{"name":"TextDecorationLineStyle_ThickLongDash","features":[528]},{"name":"TextDecorationLineStyle_ThickSingle","features":[528]},{"name":"TextDecorationLineStyle_ThickWavy","features":[528]},{"name":"TextDecorationLineStyle_Wavy","features":[528]},{"name":"TextDecorationLineStyle_WordsOnly","features":[528]},{"name":"TextEditChangeType","features":[528]},{"name":"TextEditChangeType_AutoComplete","features":[528]},{"name":"TextEditChangeType_AutoCorrect","features":[528]},{"name":"TextEditChangeType_Composition","features":[528]},{"name":"TextEditChangeType_CompositionFinalized","features":[528]},{"name":"TextEditChangeType_None","features":[528]},{"name":"TextEdit_ConversionTargetChanged_Event_GUID","features":[528]},{"name":"TextEdit_Pattern_GUID","features":[528]},{"name":"TextEdit_TextChanged_Event_GUID","features":[528]},{"name":"TextPatternRangeEndpoint","features":[528]},{"name":"TextPatternRangeEndpoint_End","features":[528]},{"name":"TextPatternRangeEndpoint_Start","features":[528]},{"name":"TextPattern_GetSelection","features":[359,528]},{"name":"TextPattern_GetVisibleRanges","features":[359,528]},{"name":"TextPattern_RangeFromChild","features":[528]},{"name":"TextPattern_RangeFromPoint","features":[528]},{"name":"TextPattern_get_DocumentRange","features":[528]},{"name":"TextPattern_get_SupportedTextSelection","features":[528]},{"name":"TextRange_AddToSelection","features":[528]},{"name":"TextRange_Clone","features":[528]},{"name":"TextRange_Compare","features":[308,528]},{"name":"TextRange_CompareEndpoints","features":[528]},{"name":"TextRange_ExpandToEnclosingUnit","features":[528]},{"name":"TextRange_FindAttribute","features":[308,528]},{"name":"TextRange_FindText","features":[308,528]},{"name":"TextRange_GetAttributeValue","features":[528]},{"name":"TextRange_GetBoundingRectangles","features":[359,528]},{"name":"TextRange_GetChildren","features":[359,528]},{"name":"TextRange_GetEnclosingElement","features":[528]},{"name":"TextRange_GetText","features":[528]},{"name":"TextRange_Move","features":[528]},{"name":"TextRange_MoveEndpointByRange","features":[528]},{"name":"TextRange_MoveEndpointByUnit","features":[528]},{"name":"TextRange_RemoveFromSelection","features":[528]},{"name":"TextRange_ScrollIntoView","features":[308,528]},{"name":"TextRange_Select","features":[528]},{"name":"TextUnit","features":[528]},{"name":"TextUnit_Character","features":[528]},{"name":"TextUnit_Document","features":[528]},{"name":"TextUnit_Format","features":[528]},{"name":"TextUnit_Line","features":[528]},{"name":"TextUnit_Page","features":[528]},{"name":"TextUnit_Paragraph","features":[528]},{"name":"TextUnit_Word","features":[528]},{"name":"Text_AfterParagraphSpacing_Attribute_GUID","features":[528]},{"name":"Text_AfterSpacing_Attribute_GUID","features":[528]},{"name":"Text_AnimationStyle_Attribute_GUID","features":[528]},{"name":"Text_AnnotationObjects_Attribute_GUID","features":[528]},{"name":"Text_AnnotationTypes_Attribute_GUID","features":[528]},{"name":"Text_BackgroundColor_Attribute_GUID","features":[528]},{"name":"Text_BeforeParagraphSpacing_Attribute_GUID","features":[528]},{"name":"Text_BeforeSpacing_Attribute_GUID","features":[528]},{"name":"Text_BulletStyle_Attribute_GUID","features":[528]},{"name":"Text_CapStyle_Attribute_GUID","features":[528]},{"name":"Text_CaretBidiMode_Attribute_GUID","features":[528]},{"name":"Text_CaretPosition_Attribute_GUID","features":[528]},{"name":"Text_Control_GUID","features":[528]},{"name":"Text_Culture_Attribute_GUID","features":[528]},{"name":"Text_FontName_Attribute_GUID","features":[528]},{"name":"Text_FontSize_Attribute_GUID","features":[528]},{"name":"Text_FontWeight_Attribute_GUID","features":[528]},{"name":"Text_ForegroundColor_Attribute_GUID","features":[528]},{"name":"Text_HorizontalTextAlignment_Attribute_GUID","features":[528]},{"name":"Text_IndentationFirstLine_Attribute_GUID","features":[528]},{"name":"Text_IndentationLeading_Attribute_GUID","features":[528]},{"name":"Text_IndentationTrailing_Attribute_GUID","features":[528]},{"name":"Text_IsActive_Attribute_GUID","features":[528]},{"name":"Text_IsHidden_Attribute_GUID","features":[528]},{"name":"Text_IsItalic_Attribute_GUID","features":[528]},{"name":"Text_IsReadOnly_Attribute_GUID","features":[528]},{"name":"Text_IsSubscript_Attribute_GUID","features":[528]},{"name":"Text_IsSuperscript_Attribute_GUID","features":[528]},{"name":"Text_LineSpacing_Attribute_GUID","features":[528]},{"name":"Text_Link_Attribute_GUID","features":[528]},{"name":"Text_MarginBottom_Attribute_GUID","features":[528]},{"name":"Text_MarginLeading_Attribute_GUID","features":[528]},{"name":"Text_MarginTop_Attribute_GUID","features":[528]},{"name":"Text_MarginTrailing_Attribute_GUID","features":[528]},{"name":"Text_OutlineStyles_Attribute_GUID","features":[528]},{"name":"Text_OverlineColor_Attribute_GUID","features":[528]},{"name":"Text_OverlineStyle_Attribute_GUID","features":[528]},{"name":"Text_Pattern2_GUID","features":[528]},{"name":"Text_Pattern_GUID","features":[528]},{"name":"Text_SayAsInterpretAs_Attribute_GUID","features":[528]},{"name":"Text_SelectionActiveEnd_Attribute_GUID","features":[528]},{"name":"Text_StrikethroughColor_Attribute_GUID","features":[528]},{"name":"Text_StrikethroughStyle_Attribute_GUID","features":[528]},{"name":"Text_StyleId_Attribute_GUID","features":[528]},{"name":"Text_StyleName_Attribute_GUID","features":[528]},{"name":"Text_Tabs_Attribute_GUID","features":[528]},{"name":"Text_TextChangedEvent_Event_GUID","features":[528]},{"name":"Text_TextFlowDirections_Attribute_GUID","features":[528]},{"name":"Text_TextSelectionChangedEvent_Event_GUID","features":[528]},{"name":"Text_UnderlineColor_Attribute_GUID","features":[528]},{"name":"Text_UnderlineStyle_Attribute_GUID","features":[528]},{"name":"Thumb_Control_GUID","features":[528]},{"name":"TitleBar_Control_GUID","features":[528]},{"name":"TogglePattern_Toggle","features":[528]},{"name":"ToggleState","features":[528]},{"name":"ToggleState_Indeterminate","features":[528]},{"name":"ToggleState_Off","features":[528]},{"name":"ToggleState_On","features":[528]},{"name":"Toggle_Pattern_GUID","features":[528]},{"name":"Toggle_ToggleState_Property_GUID","features":[528]},{"name":"ToolBar_Control_GUID","features":[528]},{"name":"ToolTipClosed_Event_GUID","features":[528]},{"name":"ToolTipOpened_Event_GUID","features":[528]},{"name":"ToolTip_Control_GUID","features":[528]},{"name":"Tranform_Pattern2_GUID","features":[528]},{"name":"Transform2_CanZoom_Property_GUID","features":[528]},{"name":"Transform2_ZoomLevel_Property_GUID","features":[528]},{"name":"Transform2_ZoomMaximum_Property_GUID","features":[528]},{"name":"Transform2_ZoomMinimum_Property_GUID","features":[528]},{"name":"TransformPattern_Move","features":[528]},{"name":"TransformPattern_Resize","features":[528]},{"name":"TransformPattern_Rotate","features":[528]},{"name":"Transform_CanMove_Property_GUID","features":[528]},{"name":"Transform_CanResize_Property_GUID","features":[528]},{"name":"Transform_CanRotate_Property_GUID","features":[528]},{"name":"Transform_Pattern_GUID","features":[528]},{"name":"TreeItem_Control_GUID","features":[528]},{"name":"TreeScope","features":[528]},{"name":"TreeScope_Ancestors","features":[528]},{"name":"TreeScope_Children","features":[528]},{"name":"TreeScope_Descendants","features":[528]},{"name":"TreeScope_Element","features":[528]},{"name":"TreeScope_None","features":[528]},{"name":"TreeScope_Parent","features":[528]},{"name":"TreeScope_Subtree","features":[528]},{"name":"TreeTraversalOptions","features":[528]},{"name":"TreeTraversalOptions_Default","features":[528]},{"name":"TreeTraversalOptions_LastToFirstOrder","features":[528]},{"name":"TreeTraversalOptions_PostOrder","features":[528]},{"name":"Tree_Control_GUID","features":[528]},{"name":"UIA_ANNOTATIONTYPE","features":[528]},{"name":"UIA_AcceleratorKeyPropertyId","features":[528]},{"name":"UIA_AccessKeyPropertyId","features":[528]},{"name":"UIA_ActiveTextPositionChangedEventId","features":[528]},{"name":"UIA_AfterParagraphSpacingAttributeId","features":[528]},{"name":"UIA_AnimationStyleAttributeId","features":[528]},{"name":"UIA_AnnotationAnnotationTypeIdPropertyId","features":[528]},{"name":"UIA_AnnotationAnnotationTypeNamePropertyId","features":[528]},{"name":"UIA_AnnotationAuthorPropertyId","features":[528]},{"name":"UIA_AnnotationDateTimePropertyId","features":[528]},{"name":"UIA_AnnotationObjectsAttributeId","features":[528]},{"name":"UIA_AnnotationObjectsPropertyId","features":[528]},{"name":"UIA_AnnotationPatternId","features":[528]},{"name":"UIA_AnnotationTargetPropertyId","features":[528]},{"name":"UIA_AnnotationTypesAttributeId","features":[528]},{"name":"UIA_AnnotationTypesPropertyId","features":[528]},{"name":"UIA_AppBarControlTypeId","features":[528]},{"name":"UIA_AriaPropertiesPropertyId","features":[528]},{"name":"UIA_AriaRolePropertyId","features":[528]},{"name":"UIA_AsyncContentLoadedEventId","features":[528]},{"name":"UIA_AutomationFocusChangedEventId","features":[528]},{"name":"UIA_AutomationIdPropertyId","features":[528]},{"name":"UIA_AutomationPropertyChangedEventId","features":[528]},{"name":"UIA_BackgroundColorAttributeId","features":[528]},{"name":"UIA_BeforeParagraphSpacingAttributeId","features":[528]},{"name":"UIA_BoundingRectanglePropertyId","features":[528]},{"name":"UIA_BulletStyleAttributeId","features":[528]},{"name":"UIA_ButtonControlTypeId","features":[528]},{"name":"UIA_CHANGE_ID","features":[528]},{"name":"UIA_CONTROLTYPE_ID","features":[528]},{"name":"UIA_CalendarControlTypeId","features":[528]},{"name":"UIA_CapStyleAttributeId","features":[528]},{"name":"UIA_CaretBidiModeAttributeId","features":[528]},{"name":"UIA_CaretPositionAttributeId","features":[528]},{"name":"UIA_CenterPointPropertyId","features":[528]},{"name":"UIA_ChangesEventId","features":[528]},{"name":"UIA_CheckBoxControlTypeId","features":[528]},{"name":"UIA_ClassNamePropertyId","features":[528]},{"name":"UIA_ClickablePointPropertyId","features":[528]},{"name":"UIA_ComboBoxControlTypeId","features":[528]},{"name":"UIA_ControlTypePropertyId","features":[528]},{"name":"UIA_ControllerForPropertyId","features":[528]},{"name":"UIA_CultureAttributeId","features":[528]},{"name":"UIA_CulturePropertyId","features":[528]},{"name":"UIA_CustomControlTypeId","features":[528]},{"name":"UIA_CustomLandmarkTypeId","features":[528]},{"name":"UIA_CustomNavigationPatternId","features":[528]},{"name":"UIA_DataGridControlTypeId","features":[528]},{"name":"UIA_DataItemControlTypeId","features":[528]},{"name":"UIA_DescribedByPropertyId","features":[528]},{"name":"UIA_DockDockPositionPropertyId","features":[528]},{"name":"UIA_DockPatternId","features":[528]},{"name":"UIA_DocumentControlTypeId","features":[528]},{"name":"UIA_DragDropEffectPropertyId","features":[528]},{"name":"UIA_DragDropEffectsPropertyId","features":[528]},{"name":"UIA_DragGrabbedItemsPropertyId","features":[528]},{"name":"UIA_DragIsGrabbedPropertyId","features":[528]},{"name":"UIA_DragPatternId","features":[528]},{"name":"UIA_Drag_DragCancelEventId","features":[528]},{"name":"UIA_Drag_DragCompleteEventId","features":[528]},{"name":"UIA_Drag_DragStartEventId","features":[528]},{"name":"UIA_DropTargetDropTargetEffectPropertyId","features":[528]},{"name":"UIA_DropTargetDropTargetEffectsPropertyId","features":[528]},{"name":"UIA_DropTargetPatternId","features":[528]},{"name":"UIA_DropTarget_DragEnterEventId","features":[528]},{"name":"UIA_DropTarget_DragLeaveEventId","features":[528]},{"name":"UIA_DropTarget_DroppedEventId","features":[528]},{"name":"UIA_EVENT_ID","features":[528]},{"name":"UIA_E_ELEMENTNOTAVAILABLE","features":[528]},{"name":"UIA_E_ELEMENTNOTENABLED","features":[528]},{"name":"UIA_E_INVALIDOPERATION","features":[528]},{"name":"UIA_E_NOCLICKABLEPOINT","features":[528]},{"name":"UIA_E_NOTSUPPORTED","features":[528]},{"name":"UIA_E_PROXYASSEMBLYNOTLOADED","features":[528]},{"name":"UIA_E_TIMEOUT","features":[528]},{"name":"UIA_EditControlTypeId","features":[528]},{"name":"UIA_ExpandCollapseExpandCollapseStatePropertyId","features":[528]},{"name":"UIA_ExpandCollapsePatternId","features":[528]},{"name":"UIA_FillColorPropertyId","features":[528]},{"name":"UIA_FillTypePropertyId","features":[528]},{"name":"UIA_FlowsFromPropertyId","features":[528]},{"name":"UIA_FlowsToPropertyId","features":[528]},{"name":"UIA_FontNameAttributeId","features":[528]},{"name":"UIA_FontSizeAttributeId","features":[528]},{"name":"UIA_FontWeightAttributeId","features":[528]},{"name":"UIA_ForegroundColorAttributeId","features":[528]},{"name":"UIA_FormLandmarkTypeId","features":[528]},{"name":"UIA_FrameworkIdPropertyId","features":[528]},{"name":"UIA_FullDescriptionPropertyId","features":[528]},{"name":"UIA_GridColumnCountPropertyId","features":[528]},{"name":"UIA_GridItemColumnPropertyId","features":[528]},{"name":"UIA_GridItemColumnSpanPropertyId","features":[528]},{"name":"UIA_GridItemContainingGridPropertyId","features":[528]},{"name":"UIA_GridItemPatternId","features":[528]},{"name":"UIA_GridItemRowPropertyId","features":[528]},{"name":"UIA_GridItemRowSpanPropertyId","features":[528]},{"name":"UIA_GridPatternId","features":[528]},{"name":"UIA_GridRowCountPropertyId","features":[528]},{"name":"UIA_GroupControlTypeId","features":[528]},{"name":"UIA_HEADINGLEVEL_ID","features":[528]},{"name":"UIA_HasKeyboardFocusPropertyId","features":[528]},{"name":"UIA_HeaderControlTypeId","features":[528]},{"name":"UIA_HeaderItemControlTypeId","features":[528]},{"name":"UIA_HeadingLevelPropertyId","features":[528]},{"name":"UIA_HelpTextPropertyId","features":[528]},{"name":"UIA_HorizontalTextAlignmentAttributeId","features":[528]},{"name":"UIA_HostedFragmentRootsInvalidatedEventId","features":[528]},{"name":"UIA_HyperlinkControlTypeId","features":[528]},{"name":"UIA_IAFP_DEFAULT","features":[528]},{"name":"UIA_IAFP_UNWRAP_BRIDGE","features":[528]},{"name":"UIA_ImageControlTypeId","features":[528]},{"name":"UIA_IndentationFirstLineAttributeId","features":[528]},{"name":"UIA_IndentationLeadingAttributeId","features":[528]},{"name":"UIA_IndentationTrailingAttributeId","features":[528]},{"name":"UIA_InputDiscardedEventId","features":[528]},{"name":"UIA_InputReachedOtherElementEventId","features":[528]},{"name":"UIA_InputReachedTargetEventId","features":[528]},{"name":"UIA_InvokePatternId","features":[528]},{"name":"UIA_Invoke_InvokedEventId","features":[528]},{"name":"UIA_IsActiveAttributeId","features":[528]},{"name":"UIA_IsAnnotationPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsContentElementPropertyId","features":[528]},{"name":"UIA_IsControlElementPropertyId","features":[528]},{"name":"UIA_IsCustomNavigationPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsDataValidForFormPropertyId","features":[528]},{"name":"UIA_IsDialogPropertyId","features":[528]},{"name":"UIA_IsDockPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsDragPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsDropTargetPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsEnabledPropertyId","features":[528]},{"name":"UIA_IsExpandCollapsePatternAvailablePropertyId","features":[528]},{"name":"UIA_IsGridItemPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsGridPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsHiddenAttributeId","features":[528]},{"name":"UIA_IsInvokePatternAvailablePropertyId","features":[528]},{"name":"UIA_IsItalicAttributeId","features":[528]},{"name":"UIA_IsItemContainerPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsKeyboardFocusablePropertyId","features":[528]},{"name":"UIA_IsLegacyIAccessiblePatternAvailablePropertyId","features":[528]},{"name":"UIA_IsMultipleViewPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsObjectModelPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsOffscreenPropertyId","features":[528]},{"name":"UIA_IsPasswordPropertyId","features":[528]},{"name":"UIA_IsPeripheralPropertyId","features":[528]},{"name":"UIA_IsRangeValuePatternAvailablePropertyId","features":[528]},{"name":"UIA_IsReadOnlyAttributeId","features":[528]},{"name":"UIA_IsRequiredForFormPropertyId","features":[528]},{"name":"UIA_IsScrollItemPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsScrollPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsSelectionItemPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsSelectionPattern2AvailablePropertyId","features":[528]},{"name":"UIA_IsSelectionPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsSpreadsheetItemPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsSpreadsheetPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsStylesPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsSubscriptAttributeId","features":[528]},{"name":"UIA_IsSuperscriptAttributeId","features":[528]},{"name":"UIA_IsSynchronizedInputPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsTableItemPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsTablePatternAvailablePropertyId","features":[528]},{"name":"UIA_IsTextChildPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsTextEditPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsTextPattern2AvailablePropertyId","features":[528]},{"name":"UIA_IsTextPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsTogglePatternAvailablePropertyId","features":[528]},{"name":"UIA_IsTransformPattern2AvailablePropertyId","features":[528]},{"name":"UIA_IsTransformPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsValuePatternAvailablePropertyId","features":[528]},{"name":"UIA_IsVirtualizedItemPatternAvailablePropertyId","features":[528]},{"name":"UIA_IsWindowPatternAvailablePropertyId","features":[528]},{"name":"UIA_ItemContainerPatternId","features":[528]},{"name":"UIA_ItemStatusPropertyId","features":[528]},{"name":"UIA_ItemTypePropertyId","features":[528]},{"name":"UIA_LANDMARKTYPE_ID","features":[528]},{"name":"UIA_LabeledByPropertyId","features":[528]},{"name":"UIA_LandmarkTypePropertyId","features":[528]},{"name":"UIA_LayoutInvalidatedEventId","features":[528]},{"name":"UIA_LegacyIAccessibleChildIdPropertyId","features":[528]},{"name":"UIA_LegacyIAccessibleDefaultActionPropertyId","features":[528]},{"name":"UIA_LegacyIAccessibleDescriptionPropertyId","features":[528]},{"name":"UIA_LegacyIAccessibleHelpPropertyId","features":[528]},{"name":"UIA_LegacyIAccessibleKeyboardShortcutPropertyId","features":[528]},{"name":"UIA_LegacyIAccessibleNamePropertyId","features":[528]},{"name":"UIA_LegacyIAccessiblePatternId","features":[528]},{"name":"UIA_LegacyIAccessibleRolePropertyId","features":[528]},{"name":"UIA_LegacyIAccessibleSelectionPropertyId","features":[528]},{"name":"UIA_LegacyIAccessibleStatePropertyId","features":[528]},{"name":"UIA_LegacyIAccessibleValuePropertyId","features":[528]},{"name":"UIA_LevelPropertyId","features":[528]},{"name":"UIA_LineSpacingAttributeId","features":[528]},{"name":"UIA_LinkAttributeId","features":[528]},{"name":"UIA_ListControlTypeId","features":[528]},{"name":"UIA_ListItemControlTypeId","features":[528]},{"name":"UIA_LiveRegionChangedEventId","features":[528]},{"name":"UIA_LiveSettingPropertyId","features":[528]},{"name":"UIA_LocalizedControlTypePropertyId","features":[528]},{"name":"UIA_LocalizedLandmarkTypePropertyId","features":[528]},{"name":"UIA_METADATA_ID","features":[528]},{"name":"UIA_MainLandmarkTypeId","features":[528]},{"name":"UIA_MarginBottomAttributeId","features":[528]},{"name":"UIA_MarginLeadingAttributeId","features":[528]},{"name":"UIA_MarginTopAttributeId","features":[528]},{"name":"UIA_MarginTrailingAttributeId","features":[528]},{"name":"UIA_MenuBarControlTypeId","features":[528]},{"name":"UIA_MenuClosedEventId","features":[528]},{"name":"UIA_MenuControlTypeId","features":[528]},{"name":"UIA_MenuItemControlTypeId","features":[528]},{"name":"UIA_MenuModeEndEventId","features":[528]},{"name":"UIA_MenuModeStartEventId","features":[528]},{"name":"UIA_MenuOpenedEventId","features":[528]},{"name":"UIA_MultipleViewCurrentViewPropertyId","features":[528]},{"name":"UIA_MultipleViewPatternId","features":[528]},{"name":"UIA_MultipleViewSupportedViewsPropertyId","features":[528]},{"name":"UIA_NamePropertyId","features":[528]},{"name":"UIA_NativeWindowHandlePropertyId","features":[528]},{"name":"UIA_NavigationLandmarkTypeId","features":[528]},{"name":"UIA_NotificationEventId","features":[528]},{"name":"UIA_ObjectModelPatternId","features":[528]},{"name":"UIA_OptimizeForVisualContentPropertyId","features":[528]},{"name":"UIA_OrientationPropertyId","features":[528]},{"name":"UIA_OutlineColorPropertyId","features":[528]},{"name":"UIA_OutlineStylesAttributeId","features":[528]},{"name":"UIA_OutlineThicknessPropertyId","features":[528]},{"name":"UIA_OverlineColorAttributeId","features":[528]},{"name":"UIA_OverlineStyleAttributeId","features":[528]},{"name":"UIA_PATTERN_ID","features":[528]},{"name":"UIA_PFIA_DEFAULT","features":[528]},{"name":"UIA_PFIA_UNWRAP_BRIDGE","features":[528]},{"name":"UIA_PROPERTY_ID","features":[528]},{"name":"UIA_PaneControlTypeId","features":[528]},{"name":"UIA_PositionInSetPropertyId","features":[528]},{"name":"UIA_ProcessIdPropertyId","features":[528]},{"name":"UIA_ProgressBarControlTypeId","features":[528]},{"name":"UIA_ProviderDescriptionPropertyId","features":[528]},{"name":"UIA_RadioButtonControlTypeId","features":[528]},{"name":"UIA_RangeValueIsReadOnlyPropertyId","features":[528]},{"name":"UIA_RangeValueLargeChangePropertyId","features":[528]},{"name":"UIA_RangeValueMaximumPropertyId","features":[528]},{"name":"UIA_RangeValueMinimumPropertyId","features":[528]},{"name":"UIA_RangeValuePatternId","features":[528]},{"name":"UIA_RangeValueSmallChangePropertyId","features":[528]},{"name":"UIA_RangeValueValuePropertyId","features":[528]},{"name":"UIA_RotationPropertyId","features":[528]},{"name":"UIA_RuntimeIdPropertyId","features":[528]},{"name":"UIA_STYLE_ID","features":[528]},{"name":"UIA_SayAsInterpretAsAttributeId","features":[528]},{"name":"UIA_SayAsInterpretAsMetadataId","features":[528]},{"name":"UIA_ScrollBarControlTypeId","features":[528]},{"name":"UIA_ScrollHorizontalScrollPercentPropertyId","features":[528]},{"name":"UIA_ScrollHorizontalViewSizePropertyId","features":[528]},{"name":"UIA_ScrollHorizontallyScrollablePropertyId","features":[528]},{"name":"UIA_ScrollItemPatternId","features":[528]},{"name":"UIA_ScrollPatternId","features":[528]},{"name":"UIA_ScrollPatternNoScroll","features":[528]},{"name":"UIA_ScrollVerticalScrollPercentPropertyId","features":[528]},{"name":"UIA_ScrollVerticalViewSizePropertyId","features":[528]},{"name":"UIA_ScrollVerticallyScrollablePropertyId","features":[528]},{"name":"UIA_SearchLandmarkTypeId","features":[528]},{"name":"UIA_Selection2CurrentSelectedItemPropertyId","features":[528]},{"name":"UIA_Selection2FirstSelectedItemPropertyId","features":[528]},{"name":"UIA_Selection2ItemCountPropertyId","features":[528]},{"name":"UIA_Selection2LastSelectedItemPropertyId","features":[528]},{"name":"UIA_SelectionActiveEndAttributeId","features":[528]},{"name":"UIA_SelectionCanSelectMultiplePropertyId","features":[528]},{"name":"UIA_SelectionIsSelectionRequiredPropertyId","features":[528]},{"name":"UIA_SelectionItemIsSelectedPropertyId","features":[528]},{"name":"UIA_SelectionItemPatternId","features":[528]},{"name":"UIA_SelectionItemSelectionContainerPropertyId","features":[528]},{"name":"UIA_SelectionItem_ElementAddedToSelectionEventId","features":[528]},{"name":"UIA_SelectionItem_ElementRemovedFromSelectionEventId","features":[528]},{"name":"UIA_SelectionItem_ElementSelectedEventId","features":[528]},{"name":"UIA_SelectionPattern2Id","features":[528]},{"name":"UIA_SelectionPatternId","features":[528]},{"name":"UIA_SelectionSelectionPropertyId","features":[528]},{"name":"UIA_Selection_InvalidatedEventId","features":[528]},{"name":"UIA_SemanticZoomControlTypeId","features":[528]},{"name":"UIA_SeparatorControlTypeId","features":[528]},{"name":"UIA_SizeOfSetPropertyId","features":[528]},{"name":"UIA_SizePropertyId","features":[528]},{"name":"UIA_SliderControlTypeId","features":[528]},{"name":"UIA_SpinnerControlTypeId","features":[528]},{"name":"UIA_SplitButtonControlTypeId","features":[528]},{"name":"UIA_SpreadsheetItemAnnotationObjectsPropertyId","features":[528]},{"name":"UIA_SpreadsheetItemAnnotationTypesPropertyId","features":[528]},{"name":"UIA_SpreadsheetItemFormulaPropertyId","features":[528]},{"name":"UIA_SpreadsheetItemPatternId","features":[528]},{"name":"UIA_SpreadsheetPatternId","features":[528]},{"name":"UIA_StatusBarControlTypeId","features":[528]},{"name":"UIA_StrikethroughColorAttributeId","features":[528]},{"name":"UIA_StrikethroughStyleAttributeId","features":[528]},{"name":"UIA_StructureChangedEventId","features":[528]},{"name":"UIA_StyleIdAttributeId","features":[528]},{"name":"UIA_StyleNameAttributeId","features":[528]},{"name":"UIA_StylesExtendedPropertiesPropertyId","features":[528]},{"name":"UIA_StylesFillColorPropertyId","features":[528]},{"name":"UIA_StylesFillPatternColorPropertyId","features":[528]},{"name":"UIA_StylesFillPatternStylePropertyId","features":[528]},{"name":"UIA_StylesPatternId","features":[528]},{"name":"UIA_StylesShapePropertyId","features":[528]},{"name":"UIA_StylesStyleIdPropertyId","features":[528]},{"name":"UIA_StylesStyleNamePropertyId","features":[528]},{"name":"UIA_SummaryChangeId","features":[528]},{"name":"UIA_SynchronizedInputPatternId","features":[528]},{"name":"UIA_SystemAlertEventId","features":[528]},{"name":"UIA_TEXTATTRIBUTE_ID","features":[528]},{"name":"UIA_TabControlTypeId","features":[528]},{"name":"UIA_TabItemControlTypeId","features":[528]},{"name":"UIA_TableColumnHeadersPropertyId","features":[528]},{"name":"UIA_TableControlTypeId","features":[528]},{"name":"UIA_TableItemColumnHeaderItemsPropertyId","features":[528]},{"name":"UIA_TableItemPatternId","features":[528]},{"name":"UIA_TableItemRowHeaderItemsPropertyId","features":[528]},{"name":"UIA_TablePatternId","features":[528]},{"name":"UIA_TableRowHeadersPropertyId","features":[528]},{"name":"UIA_TableRowOrColumnMajorPropertyId","features":[528]},{"name":"UIA_TabsAttributeId","features":[528]},{"name":"UIA_TextChildPatternId","features":[528]},{"name":"UIA_TextControlTypeId","features":[528]},{"name":"UIA_TextEditPatternId","features":[528]},{"name":"UIA_TextEdit_ConversionTargetChangedEventId","features":[528]},{"name":"UIA_TextEdit_TextChangedEventId","features":[528]},{"name":"UIA_TextFlowDirectionsAttributeId","features":[528]},{"name":"UIA_TextPattern2Id","features":[528]},{"name":"UIA_TextPatternId","features":[528]},{"name":"UIA_Text_TextChangedEventId","features":[528]},{"name":"UIA_Text_TextSelectionChangedEventId","features":[528]},{"name":"UIA_ThumbControlTypeId","features":[528]},{"name":"UIA_TitleBarControlTypeId","features":[528]},{"name":"UIA_TogglePatternId","features":[528]},{"name":"UIA_ToggleToggleStatePropertyId","features":[528]},{"name":"UIA_ToolBarControlTypeId","features":[528]},{"name":"UIA_ToolTipClosedEventId","features":[528]},{"name":"UIA_ToolTipControlTypeId","features":[528]},{"name":"UIA_ToolTipOpenedEventId","features":[528]},{"name":"UIA_Transform2CanZoomPropertyId","features":[528]},{"name":"UIA_Transform2ZoomLevelPropertyId","features":[528]},{"name":"UIA_Transform2ZoomMaximumPropertyId","features":[528]},{"name":"UIA_Transform2ZoomMinimumPropertyId","features":[528]},{"name":"UIA_TransformCanMovePropertyId","features":[528]},{"name":"UIA_TransformCanResizePropertyId","features":[528]},{"name":"UIA_TransformCanRotatePropertyId","features":[528]},{"name":"UIA_TransformPattern2Id","features":[528]},{"name":"UIA_TransformPatternId","features":[528]},{"name":"UIA_TreeControlTypeId","features":[528]},{"name":"UIA_TreeItemControlTypeId","features":[528]},{"name":"UIA_UnderlineColorAttributeId","features":[528]},{"name":"UIA_UnderlineStyleAttributeId","features":[528]},{"name":"UIA_ValueIsReadOnlyPropertyId","features":[528]},{"name":"UIA_ValuePatternId","features":[528]},{"name":"UIA_ValueValuePropertyId","features":[528]},{"name":"UIA_VirtualizedItemPatternId","features":[528]},{"name":"UIA_VisualEffectsPropertyId","features":[528]},{"name":"UIA_WindowCanMaximizePropertyId","features":[528]},{"name":"UIA_WindowCanMinimizePropertyId","features":[528]},{"name":"UIA_WindowControlTypeId","features":[528]},{"name":"UIA_WindowIsModalPropertyId","features":[528]},{"name":"UIA_WindowIsTopmostPropertyId","features":[528]},{"name":"UIA_WindowPatternId","features":[528]},{"name":"UIA_WindowWindowInteractionStatePropertyId","features":[528]},{"name":"UIA_WindowWindowVisualStatePropertyId","features":[528]},{"name":"UIA_Window_WindowClosedEventId","features":[528]},{"name":"UIA_Window_WindowOpenedEventId","features":[528]},{"name":"UIAutomationEventInfo","features":[528]},{"name":"UIAutomationMethodInfo","features":[308,528]},{"name":"UIAutomationParameter","features":[528]},{"name":"UIAutomationPatternInfo","features":[308,528]},{"name":"UIAutomationPropertyInfo","features":[528]},{"name":"UIAutomationType","features":[528]},{"name":"UIAutomationType_Array","features":[528]},{"name":"UIAutomationType_Bool","features":[528]},{"name":"UIAutomationType_BoolArray","features":[528]},{"name":"UIAutomationType_Double","features":[528]},{"name":"UIAutomationType_DoubleArray","features":[528]},{"name":"UIAutomationType_Element","features":[528]},{"name":"UIAutomationType_ElementArray","features":[528]},{"name":"UIAutomationType_Int","features":[528]},{"name":"UIAutomationType_IntArray","features":[528]},{"name":"UIAutomationType_Out","features":[528]},{"name":"UIAutomationType_OutBool","features":[528]},{"name":"UIAutomationType_OutBoolArray","features":[528]},{"name":"UIAutomationType_OutDouble","features":[528]},{"name":"UIAutomationType_OutDoubleArray","features":[528]},{"name":"UIAutomationType_OutElement","features":[528]},{"name":"UIAutomationType_OutElementArray","features":[528]},{"name":"UIAutomationType_OutInt","features":[528]},{"name":"UIAutomationType_OutIntArray","features":[528]},{"name":"UIAutomationType_OutPoint","features":[528]},{"name":"UIAutomationType_OutPointArray","features":[528]},{"name":"UIAutomationType_OutRect","features":[528]},{"name":"UIAutomationType_OutRectArray","features":[528]},{"name":"UIAutomationType_OutString","features":[528]},{"name":"UIAutomationType_OutStringArray","features":[528]},{"name":"UIAutomationType_Point","features":[528]},{"name":"UIAutomationType_PointArray","features":[528]},{"name":"UIAutomationType_Rect","features":[528]},{"name":"UIAutomationType_RectArray","features":[528]},{"name":"UIAutomationType_String","features":[528]},{"name":"UIAutomationType_StringArray","features":[528]},{"name":"UiaAddEvent","features":[359,528]},{"name":"UiaAndOrCondition","features":[528]},{"name":"UiaAppendRuntimeId","features":[528]},{"name":"UiaAsyncContentLoadedEventArgs","features":[528]},{"name":"UiaCacheRequest","features":[528]},{"name":"UiaChangeInfo","features":[528]},{"name":"UiaChangesEventArgs","features":[528]},{"name":"UiaClientsAreListening","features":[308,528]},{"name":"UiaCondition","features":[528]},{"name":"UiaDisconnectAllProviders","features":[528]},{"name":"UiaDisconnectProvider","features":[528]},{"name":"UiaEventAddWindow","features":[308,528]},{"name":"UiaEventArgs","features":[528]},{"name":"UiaEventCallback","features":[359,528]},{"name":"UiaEventRemoveWindow","features":[308,528]},{"name":"UiaFind","features":[308,359,528]},{"name":"UiaFindParams","features":[308,528]},{"name":"UiaGetErrorDescription","features":[308,528]},{"name":"UiaGetPatternProvider","features":[528]},{"name":"UiaGetPropertyValue","features":[528]},{"name":"UiaGetReservedMixedAttributeValue","features":[528]},{"name":"UiaGetReservedNotSupportedValue","features":[528]},{"name":"UiaGetRootNode","features":[528]},{"name":"UiaGetRuntimeId","features":[359,528]},{"name":"UiaGetUpdatedCache","features":[359,528]},{"name":"UiaHPatternObjectFromVariant","features":[528]},{"name":"UiaHTextRangeFromVariant","features":[528]},{"name":"UiaHUiaNodeFromVariant","features":[528]},{"name":"UiaHasServerSideProvider","features":[308,528]},{"name":"UiaHostProviderFromHwnd","features":[308,528]},{"name":"UiaIAccessibleFromProvider","features":[359,528]},{"name":"UiaLookupId","features":[528]},{"name":"UiaNavigate","features":[359,528]},{"name":"UiaNodeFromFocus","features":[359,528]},{"name":"UiaNodeFromHandle","features":[308,528]},{"name":"UiaNodeFromPoint","features":[359,528]},{"name":"UiaNodeFromProvider","features":[528]},{"name":"UiaNodeRelease","features":[308,528]},{"name":"UiaNotCondition","features":[528]},{"name":"UiaPatternRelease","features":[308,528]},{"name":"UiaPoint","features":[528]},{"name":"UiaPropertyChangedEventArgs","features":[528]},{"name":"UiaPropertyCondition","features":[528]},{"name":"UiaProviderCallback","features":[308,359,528]},{"name":"UiaProviderForNonClient","features":[308,528]},{"name":"UiaProviderFromIAccessible","features":[359,528]},{"name":"UiaRaiseActiveTextPositionChangedEvent","features":[528]},{"name":"UiaRaiseAsyncContentLoadedEvent","features":[528]},{"name":"UiaRaiseAutomationEvent","features":[528]},{"name":"UiaRaiseAutomationPropertyChangedEvent","features":[528]},{"name":"UiaRaiseChangesEvent","features":[528]},{"name":"UiaRaiseNotificationEvent","features":[528]},{"name":"UiaRaiseStructureChangedEvent","features":[528]},{"name":"UiaRaiseTextEditTextChangedEvent","features":[359,528]},{"name":"UiaRect","features":[528]},{"name":"UiaRegisterProviderCallback","features":[308,359,528]},{"name":"UiaRemoveEvent","features":[528]},{"name":"UiaReturnRawElementProvider","features":[308,528]},{"name":"UiaRootObjectId","features":[528]},{"name":"UiaSetFocus","features":[528]},{"name":"UiaStructureChangedEventArgs","features":[528]},{"name":"UiaTextEditTextChangedEventArgs","features":[359,528]},{"name":"UiaTextRangeRelease","features":[308,528]},{"name":"UiaWindowClosedEventArgs","features":[528]},{"name":"UnhookWinEvent","features":[308,528]},{"name":"UnregisterPointerInputTarget","features":[308,528,370]},{"name":"UnregisterPointerInputTargetEx","features":[308,528,370]},{"name":"ValuePattern_SetValue","features":[528]},{"name":"Value_IsReadOnly_Property_GUID","features":[528]},{"name":"Value_Pattern_GUID","features":[528]},{"name":"Value_Value_Property_GUID","features":[528]},{"name":"VirtualizedItemPattern_Realize","features":[528]},{"name":"VirtualizedItem_Pattern_GUID","features":[528]},{"name":"VisualEffects","features":[528]},{"name":"VisualEffects_Bevel","features":[528]},{"name":"VisualEffects_Glow","features":[528]},{"name":"VisualEffects_None","features":[528]},{"name":"VisualEffects_Property_GUID","features":[528]},{"name":"VisualEffects_Reflection","features":[528]},{"name":"VisualEffects_Shadow","features":[528]},{"name":"VisualEffects_SoftEdges","features":[528]},{"name":"WINEVENTPROC","features":[308,528]},{"name":"WindowFromAccessibleObject","features":[308,359,528]},{"name":"WindowInteractionState","features":[528]},{"name":"WindowInteractionState_BlockedByModalWindow","features":[528]},{"name":"WindowInteractionState_Closing","features":[528]},{"name":"WindowInteractionState_NotResponding","features":[528]},{"name":"WindowInteractionState_ReadyForUserInteraction","features":[528]},{"name":"WindowInteractionState_Running","features":[528]},{"name":"WindowPattern_Close","features":[528]},{"name":"WindowPattern_SetWindowVisualState","features":[528]},{"name":"WindowPattern_WaitForInputIdle","features":[308,528]},{"name":"WindowVisualState","features":[528]},{"name":"WindowVisualState_Maximized","features":[528]},{"name":"WindowVisualState_Minimized","features":[528]},{"name":"WindowVisualState_Normal","features":[528]},{"name":"Window_CanMaximize_Property_GUID","features":[528]},{"name":"Window_CanMinimize_Property_GUID","features":[528]},{"name":"Window_Control_GUID","features":[528]},{"name":"Window_IsModal_Property_GUID","features":[528]},{"name":"Window_IsTopmost_Property_GUID","features":[528]},{"name":"Window_Pattern_GUID","features":[528]},{"name":"Window_WindowClosed_Event_GUID","features":[528]},{"name":"Window_WindowInteractionState_Property_GUID","features":[528]},{"name":"Window_WindowOpened_Event_GUID","features":[528]},{"name":"Window_WindowVisualState_Property_GUID","features":[528]},{"name":"ZoomUnit","features":[528]},{"name":"ZoomUnit_LargeDecrement","features":[528]},{"name":"ZoomUnit_LargeIncrement","features":[528]},{"name":"ZoomUnit_NoAmount","features":[528]},{"name":"ZoomUnit_SmallDecrement","features":[528]},{"name":"ZoomUnit_SmallIncrement","features":[528]}],"648":[{"name":"IUIAnimationInterpolator","features":[619]},{"name":"IUIAnimationInterpolator2","features":[619]},{"name":"IUIAnimationLoopIterationChangeHandler2","features":[619]},{"name":"IUIAnimationManager","features":[619]},{"name":"IUIAnimationManager2","features":[619]},{"name":"IUIAnimationManagerEventHandler","features":[619]},{"name":"IUIAnimationManagerEventHandler2","features":[619]},{"name":"IUIAnimationPrimitiveInterpolation","features":[619]},{"name":"IUIAnimationPriorityComparison","features":[619]},{"name":"IUIAnimationPriorityComparison2","features":[619]},{"name":"IUIAnimationStoryboard","features":[619]},{"name":"IUIAnimationStoryboard2","features":[619]},{"name":"IUIAnimationStoryboardEventHandler","features":[619]},{"name":"IUIAnimationStoryboardEventHandler2","features":[619]},{"name":"IUIAnimationTimer","features":[619]},{"name":"IUIAnimationTimerClientEventHandler","features":[619]},{"name":"IUIAnimationTimerEventHandler","features":[619]},{"name":"IUIAnimationTimerUpdateHandler","features":[619]},{"name":"IUIAnimationTransition","features":[619]},{"name":"IUIAnimationTransition2","features":[619]},{"name":"IUIAnimationTransitionFactory","features":[619]},{"name":"IUIAnimationTransitionFactory2","features":[619]},{"name":"IUIAnimationTransitionLibrary","features":[619]},{"name":"IUIAnimationTransitionLibrary2","features":[619]},{"name":"IUIAnimationVariable","features":[619]},{"name":"IUIAnimationVariable2","features":[619]},{"name":"IUIAnimationVariableChangeHandler","features":[619]},{"name":"IUIAnimationVariableChangeHandler2","features":[619]},{"name":"IUIAnimationVariableCurveChangeHandler2","features":[619]},{"name":"IUIAnimationVariableIntegerChangeHandler","features":[619]},{"name":"IUIAnimationVariableIntegerChangeHandler2","features":[619]},{"name":"UIAnimationManager","features":[619]},{"name":"UIAnimationManager2","features":[619]},{"name":"UIAnimationTimer","features":[619]},{"name":"UIAnimationTransitionFactory","features":[619]},{"name":"UIAnimationTransitionFactory2","features":[619]},{"name":"UIAnimationTransitionLibrary","features":[619]},{"name":"UIAnimationTransitionLibrary2","features":[619]},{"name":"UI_ANIMATION_DEPENDENCIES","features":[619]},{"name":"UI_ANIMATION_DEPENDENCY_DURATION","features":[619]},{"name":"UI_ANIMATION_DEPENDENCY_FINAL_VALUE","features":[619]},{"name":"UI_ANIMATION_DEPENDENCY_FINAL_VELOCITY","features":[619]},{"name":"UI_ANIMATION_DEPENDENCY_INTERMEDIATE_VALUES","features":[619]},{"name":"UI_ANIMATION_DEPENDENCY_NONE","features":[619]},{"name":"UI_ANIMATION_IDLE_BEHAVIOR","features":[619]},{"name":"UI_ANIMATION_IDLE_BEHAVIOR_CONTINUE","features":[619]},{"name":"UI_ANIMATION_IDLE_BEHAVIOR_DISABLE","features":[619]},{"name":"UI_ANIMATION_KEYFRAME","features":[619]},{"name":"UI_ANIMATION_MANAGER_BUSY","features":[619]},{"name":"UI_ANIMATION_MANAGER_IDLE","features":[619]},{"name":"UI_ANIMATION_MANAGER_STATUS","features":[619]},{"name":"UI_ANIMATION_MODE","features":[619]},{"name":"UI_ANIMATION_MODE_DISABLED","features":[619]},{"name":"UI_ANIMATION_MODE_ENABLED","features":[619]},{"name":"UI_ANIMATION_MODE_SYSTEM_DEFAULT","features":[619]},{"name":"UI_ANIMATION_PRIORITY_EFFECT","features":[619]},{"name":"UI_ANIMATION_PRIORITY_EFFECT_DELAY","features":[619]},{"name":"UI_ANIMATION_PRIORITY_EFFECT_FAILURE","features":[619]},{"name":"UI_ANIMATION_REPEAT_INDEFINITELY","features":[619]},{"name":"UI_ANIMATION_REPEAT_INDEFINITELY_CONCLUDE_AT_END","features":[619]},{"name":"UI_ANIMATION_REPEAT_INDEFINITELY_CONCLUDE_AT_START","features":[619]},{"name":"UI_ANIMATION_REPEAT_MODE","features":[619]},{"name":"UI_ANIMATION_REPEAT_MODE_ALTERNATE","features":[619]},{"name":"UI_ANIMATION_REPEAT_MODE_NORMAL","features":[619]},{"name":"UI_ANIMATION_ROUNDING_CEILING","features":[619]},{"name":"UI_ANIMATION_ROUNDING_FLOOR","features":[619]},{"name":"UI_ANIMATION_ROUNDING_MODE","features":[619]},{"name":"UI_ANIMATION_ROUNDING_NEAREST","features":[619]},{"name":"UI_ANIMATION_SCHEDULING_ALREADY_SCHEDULED","features":[619]},{"name":"UI_ANIMATION_SCHEDULING_DEFERRED","features":[619]},{"name":"UI_ANIMATION_SCHEDULING_INSUFFICIENT_PRIORITY","features":[619]},{"name":"UI_ANIMATION_SCHEDULING_RESULT","features":[619]},{"name":"UI_ANIMATION_SCHEDULING_SUCCEEDED","features":[619]},{"name":"UI_ANIMATION_SCHEDULING_UNEXPECTED_FAILURE","features":[619]},{"name":"UI_ANIMATION_SECONDS_EVENTUALLY","features":[619]},{"name":"UI_ANIMATION_SECONDS_INFINITE","features":[619]},{"name":"UI_ANIMATION_SLOPE","features":[619]},{"name":"UI_ANIMATION_SLOPE_DECREASING","features":[619]},{"name":"UI_ANIMATION_SLOPE_INCREASING","features":[619]},{"name":"UI_ANIMATION_STORYBOARD_BUILDING","features":[619]},{"name":"UI_ANIMATION_STORYBOARD_CANCELLED","features":[619]},{"name":"UI_ANIMATION_STORYBOARD_FINISHED","features":[619]},{"name":"UI_ANIMATION_STORYBOARD_INSUFFICIENT_PRIORITY","features":[619]},{"name":"UI_ANIMATION_STORYBOARD_PLAYING","features":[619]},{"name":"UI_ANIMATION_STORYBOARD_READY","features":[619]},{"name":"UI_ANIMATION_STORYBOARD_SCHEDULED","features":[619]},{"name":"UI_ANIMATION_STORYBOARD_STATUS","features":[619]},{"name":"UI_ANIMATION_STORYBOARD_TRUNCATED","features":[619]},{"name":"UI_ANIMATION_TIMER_CLIENT_BUSY","features":[619]},{"name":"UI_ANIMATION_TIMER_CLIENT_IDLE","features":[619]},{"name":"UI_ANIMATION_TIMER_CLIENT_STATUS","features":[619]},{"name":"UI_ANIMATION_UPDATE_NO_CHANGE","features":[619]},{"name":"UI_ANIMATION_UPDATE_RESULT","features":[619]},{"name":"UI_ANIMATION_UPDATE_VARIABLES_CHANGED","features":[619]}],"649":[{"name":"ATTRIB_MATTE","features":[375]},{"name":"ATTRIB_TRANSPARENCY","features":[375]},{"name":"AssociateColorProfileWithDeviceA","features":[308,375]},{"name":"AssociateColorProfileWithDeviceW","features":[308,375]},{"name":"BEST_MODE","features":[375]},{"name":"BMFORMAT","features":[375]},{"name":"BM_10b_G3CH","features":[375]},{"name":"BM_10b_Lab","features":[375]},{"name":"BM_10b_RGB","features":[375]},{"name":"BM_10b_XYZ","features":[375]},{"name":"BM_10b_Yxy","features":[375]},{"name":"BM_16b_G3CH","features":[375]},{"name":"BM_16b_GRAY","features":[375]},{"name":"BM_16b_Lab","features":[375]},{"name":"BM_16b_RGB","features":[375]},{"name":"BM_16b_XYZ","features":[375]},{"name":"BM_16b_Yxy","features":[375]},{"name":"BM_32b_scARGB","features":[375]},{"name":"BM_32b_scRGB","features":[375]},{"name":"BM_565RGB","features":[375]},{"name":"BM_5CHANNEL","features":[375]},{"name":"BM_6CHANNEL","features":[375]},{"name":"BM_7CHANNEL","features":[375]},{"name":"BM_8CHANNEL","features":[375]},{"name":"BM_BGRTRIPLETS","features":[375]},{"name":"BM_CMYKQUADS","features":[375]},{"name":"BM_G3CHTRIPLETS","features":[375]},{"name":"BM_GRAY","features":[375]},{"name":"BM_KYMCQUADS","features":[375]},{"name":"BM_LabTRIPLETS","features":[375]},{"name":"BM_NAMED_INDEX","features":[375]},{"name":"BM_R10G10B10A2","features":[375]},{"name":"BM_R10G10B10A2_XR","features":[375]},{"name":"BM_R16G16B16A16_FLOAT","features":[375]},{"name":"BM_RGBTRIPLETS","features":[375]},{"name":"BM_S2DOT13FIXED_scARGB","features":[375]},{"name":"BM_S2DOT13FIXED_scRGB","features":[375]},{"name":"BM_XYZTRIPLETS","features":[375]},{"name":"BM_YxyTRIPLETS","features":[375]},{"name":"BM_x555G3CH","features":[375]},{"name":"BM_x555Lab","features":[375]},{"name":"BM_x555RGB","features":[375]},{"name":"BM_x555XYZ","features":[375]},{"name":"BM_x555Yxy","features":[375]},{"name":"BM_xBGRQUADS","features":[375]},{"name":"BM_xG3CHQUADS","features":[375]},{"name":"BM_xRGBQUADS","features":[375]},{"name":"BlackInformation","features":[308,375]},{"name":"CATID_WcsPlugin","features":[375]},{"name":"CMCheckColors","features":[308,375]},{"name":"CMCheckColorsInGamut","features":[308,319,375]},{"name":"CMCheckRGBs","features":[308,375]},{"name":"CMConvertColorNameToIndex","features":[308,375]},{"name":"CMConvertIndexToColorName","features":[308,375]},{"name":"CMCreateDeviceLinkProfile","features":[308,375]},{"name":"CMCreateMultiProfileTransform","features":[375]},{"name":"CMCreateProfile","features":[308,319,375]},{"name":"CMCreateProfileW","features":[308,319,375]},{"name":"CMCreateTransform","features":[319,375]},{"name":"CMCreateTransformExt","features":[319,375]},{"name":"CMCreateTransformExtW","features":[319,375]},{"name":"CMCreateTransformW","features":[319,375]},{"name":"CMDeleteTransform","features":[308,375]},{"name":"CMGetInfo","features":[375]},{"name":"CMGetNamedProfileInfo","features":[308,375]},{"name":"CMIsProfileValid","features":[308,375]},{"name":"CMM_DESCRIPTION","features":[375]},{"name":"CMM_DLL_VERSION","features":[375]},{"name":"CMM_DRIVER_VERSION","features":[375]},{"name":"CMM_FROM_PROFILE","features":[375]},{"name":"CMM_IDENT","features":[375]},{"name":"CMM_LOGOICON","features":[375]},{"name":"CMM_VERSION","features":[375]},{"name":"CMM_WIN_VERSION","features":[375]},{"name":"CMS_BACKWARD","features":[375]},{"name":"CMS_DISABLEICM","features":[375]},{"name":"CMS_DISABLEINTENT","features":[375]},{"name":"CMS_DISABLERENDERINTENT","features":[375]},{"name":"CMS_ENABLEPROOFING","features":[375]},{"name":"CMS_FORWARD","features":[375]},{"name":"CMS_MONITOROVERFLOW","features":[375]},{"name":"CMS_PRINTEROVERFLOW","features":[375]},{"name":"CMS_SETMONITORPROFILE","features":[375]},{"name":"CMS_SETPRINTERPROFILE","features":[375]},{"name":"CMS_SETPROOFINTENT","features":[375]},{"name":"CMS_SETRENDERINTENT","features":[375]},{"name":"CMS_SETTARGETPROFILE","features":[375]},{"name":"CMS_TARGETOVERFLOW","features":[375]},{"name":"CMS_USEAPPLYCALLBACK","features":[375]},{"name":"CMS_USEDESCRIPTION","features":[375]},{"name":"CMS_USEHOOK","features":[375]},{"name":"CMTranslateColors","features":[308,375]},{"name":"CMTranslateRGB","features":[308,375]},{"name":"CMTranslateRGBs","features":[308,375]},{"name":"CMTranslateRGBsExt","features":[308,375]},{"name":"CMYKCOLOR","features":[375]},{"name":"COLOR","features":[375]},{"name":"COLORDATATYPE","features":[375]},{"name":"COLORMATCHSETUPA","features":[308,375,370]},{"name":"COLORMATCHSETUPW","features":[308,375,370]},{"name":"COLORPROFILESUBTYPE","features":[375]},{"name":"COLORPROFILETYPE","features":[375]},{"name":"COLORTYPE","features":[375]},{"name":"COLOR_10b_R10G10B10A2","features":[375]},{"name":"COLOR_10b_R10G10B10A2_XR","features":[375]},{"name":"COLOR_3_CHANNEL","features":[375]},{"name":"COLOR_5_CHANNEL","features":[375]},{"name":"COLOR_6_CHANNEL","features":[375]},{"name":"COLOR_7_CHANNEL","features":[375]},{"name":"COLOR_8_CHANNEL","features":[375]},{"name":"COLOR_BYTE","features":[375]},{"name":"COLOR_CMYK","features":[375]},{"name":"COLOR_FLOAT","features":[375]},{"name":"COLOR_FLOAT16","features":[375]},{"name":"COLOR_GRAY","features":[375]},{"name":"COLOR_Lab","features":[375]},{"name":"COLOR_MATCH_TO_TARGET_ACTION","features":[375]},{"name":"COLOR_MATCH_VERSION","features":[375]},{"name":"COLOR_NAMED","features":[375]},{"name":"COLOR_RGB","features":[375]},{"name":"COLOR_S2DOT13FIXED","features":[375]},{"name":"COLOR_WORD","features":[375]},{"name":"COLOR_XYZ","features":[375]},{"name":"COLOR_Yxy","features":[375]},{"name":"CPST_ABSOLUTE_COLORIMETRIC","features":[375]},{"name":"CPST_CUSTOM_WORKING_SPACE","features":[375]},{"name":"CPST_EXTENDED_DISPLAY_COLOR_MODE","features":[375]},{"name":"CPST_NONE","features":[375]},{"name":"CPST_PERCEPTUAL","features":[375]},{"name":"CPST_RELATIVE_COLORIMETRIC","features":[375]},{"name":"CPST_RGB_WORKING_SPACE","features":[375]},{"name":"CPST_SATURATION","features":[375]},{"name":"CPST_STANDARD_DISPLAY_COLOR_MODE","features":[375]},{"name":"CPT_CAMP","features":[375]},{"name":"CPT_DMP","features":[375]},{"name":"CPT_GMMP","features":[375]},{"name":"CPT_ICC","features":[375]},{"name":"CSA_A","features":[375]},{"name":"CSA_ABC","features":[375]},{"name":"CSA_CMYK","features":[375]},{"name":"CSA_DEF","features":[375]},{"name":"CSA_DEFG","features":[375]},{"name":"CSA_GRAY","features":[375]},{"name":"CSA_Lab","features":[375]},{"name":"CSA_RGB","features":[375]},{"name":"CS_DELETE_TRANSFORM","features":[375]},{"name":"CS_DISABLE","features":[375]},{"name":"CS_ENABLE","features":[375]},{"name":"CheckBitmapBits","features":[308,375]},{"name":"CheckColors","features":[308,375]},{"name":"CheckColorsInGamut","features":[308,319,375]},{"name":"CloseColorProfile","features":[308,375]},{"name":"ColorCorrectPalette","features":[308,319,375]},{"name":"ColorMatchToTarget","features":[308,319,375]},{"name":"ColorProfileAddDisplayAssociation","features":[308,375]},{"name":"ColorProfileGetDisplayDefault","features":[308,375]},{"name":"ColorProfileGetDisplayList","features":[308,375]},{"name":"ColorProfileGetDisplayUserScope","features":[308,375]},{"name":"ColorProfileRemoveDisplayAssociation","features":[308,375]},{"name":"ColorProfileSetDisplayDefaultAssociation","features":[308,375]},{"name":"ConvertColorNameToIndex","features":[308,375]},{"name":"ConvertIndexToColorName","features":[308,375]},{"name":"CreateColorSpaceA","features":[319,375]},{"name":"CreateColorSpaceW","features":[319,375]},{"name":"CreateColorTransformA","features":[319,375]},{"name":"CreateColorTransformW","features":[319,375]},{"name":"CreateDeviceLinkProfile","features":[308,375]},{"name":"CreateMultiProfileTransform","features":[375]},{"name":"CreateProfileFromLogColorSpaceA","features":[308,319,375]},{"name":"CreateProfileFromLogColorSpaceW","features":[308,319,375]},{"name":"DONT_USE_EMBEDDED_WCS_PROFILES","features":[375]},{"name":"DeleteColorSpace","features":[308,375]},{"name":"DeleteColorTransform","features":[308,375]},{"name":"DisassociateColorProfileFromDeviceA","features":[308,375]},{"name":"DisassociateColorProfileFromDeviceW","features":[308,375]},{"name":"EMRCREATECOLORSPACE","features":[319,375]},{"name":"EMRCREATECOLORSPACEW","features":[319,375]},{"name":"ENABLE_GAMUT_CHECKING","features":[375]},{"name":"ENUMTYPEA","features":[375]},{"name":"ENUMTYPEW","features":[375]},{"name":"ENUM_TYPE_VERSION","features":[375]},{"name":"ET_ATTRIBUTES","features":[375]},{"name":"ET_CLASS","features":[375]},{"name":"ET_CMMTYPE","features":[375]},{"name":"ET_CONNECTIONSPACE","features":[375]},{"name":"ET_CREATOR","features":[375]},{"name":"ET_DATACOLORSPACE","features":[375]},{"name":"ET_DEVICECLASS","features":[375]},{"name":"ET_DEVICENAME","features":[375]},{"name":"ET_DITHERMODE","features":[375]},{"name":"ET_EXTENDEDDISPLAYCOLOR","features":[375]},{"name":"ET_MANUFACTURER","features":[375]},{"name":"ET_MEDIATYPE","features":[375]},{"name":"ET_MODEL","features":[375]},{"name":"ET_PLATFORM","features":[375]},{"name":"ET_PROFILEFLAGS","features":[375]},{"name":"ET_RENDERINGINTENT","features":[375]},{"name":"ET_RESOLUTION","features":[375]},{"name":"ET_SIGNATURE","features":[375]},{"name":"ET_STANDARDDISPLAYCOLOR","features":[375]},{"name":"EnumColorProfilesA","features":[308,375]},{"name":"EnumColorProfilesW","features":[308,375]},{"name":"EnumICMProfilesA","features":[308,319,375]},{"name":"EnumICMProfilesW","features":[308,319,375]},{"name":"FAST_TRANSLATE","features":[375]},{"name":"FLAG_DEPENDENTONDATA","features":[375]},{"name":"FLAG_EMBEDDEDPROFILE","features":[375]},{"name":"FLAG_ENABLE_CHROMATIC_ADAPTATION","features":[375]},{"name":"GENERIC3CHANNEL","features":[375]},{"name":"GRAYCOLOR","features":[375]},{"name":"GamutBoundaryDescription","features":[375]},{"name":"GamutShell","features":[375]},{"name":"GamutShellTriangle","features":[375]},{"name":"GetCMMInfo","features":[375]},{"name":"GetColorDirectoryA","features":[308,375]},{"name":"GetColorDirectoryW","features":[308,375]},{"name":"GetColorProfileElement","features":[308,375]},{"name":"GetColorProfileElementTag","features":[308,375]},{"name":"GetColorProfileFromHandle","features":[308,375]},{"name":"GetColorProfileHeader","features":[308,319,375]},{"name":"GetColorSpace","features":[319,375]},{"name":"GetCountColorProfileElements","features":[308,375]},{"name":"GetDeviceGammaRamp","features":[308,319,375]},{"name":"GetICMProfileA","features":[308,319,375]},{"name":"GetICMProfileW","features":[308,319,375]},{"name":"GetLogColorSpaceA","features":[308,319,375]},{"name":"GetLogColorSpaceW","features":[308,319,375]},{"name":"GetNamedProfileInfo","features":[308,375]},{"name":"GetPS2ColorRenderingDictionary","features":[308,375]},{"name":"GetPS2ColorRenderingIntent","features":[308,375]},{"name":"GetPS2ColorSpaceArray","features":[308,375]},{"name":"GetStandardColorSpaceProfileA","features":[308,375]},{"name":"GetStandardColorSpaceProfileW","features":[308,375]},{"name":"HCOLORSPACE","features":[375]},{"name":"HiFiCOLOR","features":[375]},{"name":"ICMENUMPROCA","features":[308,375]},{"name":"ICMENUMPROCW","features":[308,375]},{"name":"ICM_ADDPROFILE","features":[375]},{"name":"ICM_COMMAND","features":[375]},{"name":"ICM_DELETEPROFILE","features":[375]},{"name":"ICM_DONE_OUTSIDEDC","features":[375]},{"name":"ICM_MODE","features":[375]},{"name":"ICM_OFF","features":[375]},{"name":"ICM_ON","features":[375]},{"name":"ICM_QUERY","features":[375]},{"name":"ICM_QUERYMATCH","features":[375]},{"name":"ICM_QUERYPROFILE","features":[375]},{"name":"ICM_REGISTERICMATCHER","features":[375]},{"name":"ICM_SETDEFAULTPROFILE","features":[375]},{"name":"ICM_UNREGISTERICMATCHER","features":[375]},{"name":"IDeviceModelPlugIn","features":[375]},{"name":"IGamutMapModelPlugIn","features":[375]},{"name":"INDEX_DONT_CARE","features":[375]},{"name":"INTENT_ABSOLUTE_COLORIMETRIC","features":[375]},{"name":"INTENT_PERCEPTUAL","features":[375]},{"name":"INTENT_RELATIVE_COLORIMETRIC","features":[375]},{"name":"INTENT_SATURATION","features":[375]},{"name":"InstallColorProfileA","features":[308,375]},{"name":"InstallColorProfileW","features":[308,375]},{"name":"IsColorProfileTagPresent","features":[308,375]},{"name":"IsColorProfileValid","features":[308,375]},{"name":"JChColorF","features":[375]},{"name":"JabColorF","features":[375]},{"name":"LCSCSTYPE","features":[375]},{"name":"LCS_CALIBRATED_RGB","features":[375]},{"name":"LCS_WINDOWS_COLOR_SPACE","features":[375]},{"name":"LCS_sRGB","features":[375]},{"name":"LOGCOLORSPACEA","features":[319,375]},{"name":"LOGCOLORSPACEW","features":[319,375]},{"name":"LPBMCALLBACKFN","features":[308,375]},{"name":"LabCOLOR","features":[375]},{"name":"MAX_COLOR_CHANNELS","features":[375]},{"name":"MicrosoftHardwareColorV2","features":[375]},{"name":"NAMEDCOLOR","features":[375]},{"name":"NAMED_PROFILE_INFO","features":[375]},{"name":"NORMAL_MODE","features":[375]},{"name":"OpenColorProfileA","features":[375]},{"name":"OpenColorProfileW","features":[375]},{"name":"PCMSCALLBACKA","features":[308,375,370]},{"name":"PCMSCALLBACKW","features":[308,375,370]},{"name":"PRESERVEBLACK","features":[375]},{"name":"PROFILE","features":[375]},{"name":"PROFILEHEADER","features":[319,375]},{"name":"PROFILE_FILENAME","features":[375]},{"name":"PROFILE_MEMBUFFER","features":[375]},{"name":"PROFILE_READ","features":[375]},{"name":"PROFILE_READWRITE","features":[375]},{"name":"PROOF_MODE","features":[375]},{"name":"PrimaryJabColors","features":[375]},{"name":"PrimaryXYZColors","features":[375]},{"name":"RESERVED","features":[375]},{"name":"RGBCOLOR","features":[375]},{"name":"RegisterCMMA","features":[308,375]},{"name":"RegisterCMMW","features":[308,375]},{"name":"SEQUENTIAL_TRANSFORM","features":[375]},{"name":"SelectCMM","features":[308,375]},{"name":"SetColorProfileElement","features":[308,375]},{"name":"SetColorProfileElementReference","features":[308,375]},{"name":"SetColorProfileElementSize","features":[308,375]},{"name":"SetColorProfileHeader","features":[308,319,375]},{"name":"SetColorSpace","features":[319,375]},{"name":"SetDeviceGammaRamp","features":[308,319,375]},{"name":"SetICMMode","features":[319,375]},{"name":"SetICMProfileA","features":[308,319,375]},{"name":"SetICMProfileW","features":[308,319,375]},{"name":"SetStandardColorSpaceProfileA","features":[308,375]},{"name":"SetStandardColorSpaceProfileW","features":[308,375]},{"name":"SetupColorMatchingA","features":[308,375,370]},{"name":"SetupColorMatchingW","features":[308,375,370]},{"name":"TranslateBitmapBits","features":[308,375]},{"name":"TranslateColors","features":[308,375]},{"name":"USE_RELATIVE_COLORIMETRIC","features":[375]},{"name":"UninstallColorProfileA","features":[308,375]},{"name":"UninstallColorProfileW","features":[308,375]},{"name":"UnregisterCMMA","features":[308,375]},{"name":"UnregisterCMMW","features":[308,375]},{"name":"UpdateICMRegKeyA","features":[308,375]},{"name":"UpdateICMRegKeyW","features":[308,375]},{"name":"VideoCardGammaTable","features":[375]},{"name":"WCS_ALWAYS","features":[375]},{"name":"WCS_DEFAULT","features":[375]},{"name":"WCS_DEVICE_CAPABILITIES_TYPE","features":[375]},{"name":"WCS_DEVICE_MHC2_CAPABILITIES","features":[308,375]},{"name":"WCS_DEVICE_VCGT_CAPABILITIES","features":[308,375]},{"name":"WCS_ICCONLY","features":[375]},{"name":"WCS_PROFILE_MANAGEMENT_SCOPE","features":[375]},{"name":"WCS_PROFILE_MANAGEMENT_SCOPE_CURRENT_USER","features":[375]},{"name":"WCS_PROFILE_MANAGEMENT_SCOPE_SYSTEM_WIDE","features":[375]},{"name":"WcsAssociateColorProfileWithDevice","features":[308,375]},{"name":"WcsCheckColors","features":[308,375]},{"name":"WcsCreateIccProfile","features":[375]},{"name":"WcsDisassociateColorProfileFromDevice","features":[308,375]},{"name":"WcsEnumColorProfiles","features":[308,375]},{"name":"WcsEnumColorProfilesSize","features":[308,375]},{"name":"WcsGetCalibrationManagementState","features":[308,375]},{"name":"WcsGetDefaultColorProfile","features":[308,375]},{"name":"WcsGetDefaultColorProfileSize","features":[308,375]},{"name":"WcsGetDefaultRenderingIntent","features":[308,375]},{"name":"WcsGetUsePerUserProfiles","features":[308,375]},{"name":"WcsOpenColorProfileA","features":[375]},{"name":"WcsOpenColorProfileW","features":[375]},{"name":"WcsSetCalibrationManagementState","features":[308,375]},{"name":"WcsSetDefaultColorProfile","features":[308,375]},{"name":"WcsSetDefaultRenderingIntent","features":[308,375]},{"name":"WcsSetUsePerUserProfiles","features":[308,375]},{"name":"WcsTranslateColors","features":[308,375]},{"name":"XYZCOLOR","features":[375]},{"name":"XYZColorF","features":[375]},{"name":"YxyCOLOR","features":[375]}],"650":[{"name":"ABS_DOWNDISABLED","features":[358]},{"name":"ABS_DOWNHOT","features":[358]},{"name":"ABS_DOWNHOVER","features":[358]},{"name":"ABS_DOWNNORMAL","features":[358]},{"name":"ABS_DOWNPRESSED","features":[358]},{"name":"ABS_LEFTDISABLED","features":[358]},{"name":"ABS_LEFTHOT","features":[358]},{"name":"ABS_LEFTHOVER","features":[358]},{"name":"ABS_LEFTNORMAL","features":[358]},{"name":"ABS_LEFTPRESSED","features":[358]},{"name":"ABS_RIGHTDISABLED","features":[358]},{"name":"ABS_RIGHTHOT","features":[358]},{"name":"ABS_RIGHTHOVER","features":[358]},{"name":"ABS_RIGHTNORMAL","features":[358]},{"name":"ABS_RIGHTPRESSED","features":[358]},{"name":"ABS_UPDISABLED","features":[358]},{"name":"ABS_UPHOT","features":[358]},{"name":"ABS_UPHOVER","features":[358]},{"name":"ABS_UPNORMAL","features":[358]},{"name":"ABS_UPPRESSED","features":[358]},{"name":"ACM_ISPLAYING","features":[358]},{"name":"ACM_OPEN","features":[358]},{"name":"ACM_OPENA","features":[358]},{"name":"ACM_OPENW","features":[358]},{"name":"ACM_PLAY","features":[358]},{"name":"ACM_STOP","features":[358]},{"name":"ACN_START","features":[358]},{"name":"ACN_STOP","features":[358]},{"name":"ACS_AUTOPLAY","features":[358]},{"name":"ACS_CENTER","features":[358]},{"name":"ACS_TIMER","features":[358]},{"name":"ACS_TRANSPARENT","features":[358]},{"name":"AEROWIZARDPARTS","features":[358]},{"name":"ALLOW_CONTROLS","features":[358]},{"name":"ALLOW_NONCLIENT","features":[358]},{"name":"ALLOW_WEBCONTENT","features":[358]},{"name":"ANIMATE_CLASS","features":[358]},{"name":"ANIMATE_CLASSA","features":[358]},{"name":"ANIMATE_CLASSW","features":[358]},{"name":"ARROWBTNSTATES","features":[358]},{"name":"AW_BUTTON","features":[358]},{"name":"AW_COMMANDAREA","features":[358]},{"name":"AW_CONTENTAREA","features":[358]},{"name":"AW_HEADERAREA","features":[358]},{"name":"AW_S_CONTENTAREA_NOMARGIN","features":[358]},{"name":"AW_S_HEADERAREA_NOMARGIN","features":[358]},{"name":"AW_S_TITLEBAR_ACTIVE","features":[358]},{"name":"AW_S_TITLEBAR_INACTIVE","features":[358]},{"name":"AW_TITLEBAR","features":[358]},{"name":"BACKGROUNDSTATES","features":[358]},{"name":"BACKGROUNDWITHBORDERSTATES","features":[358]},{"name":"BALLOONSTATES","features":[358]},{"name":"BALLOONSTEMSTATES","features":[358]},{"name":"BARBACKGROUNDSTATES","features":[358]},{"name":"BARITEMSTATES","features":[358]},{"name":"BCM_FIRST","features":[358]},{"name":"BCM_GETIDEALSIZE","features":[358]},{"name":"BCM_GETIMAGELIST","features":[358]},{"name":"BCM_GETNOTE","features":[358]},{"name":"BCM_GETNOTELENGTH","features":[358]},{"name":"BCM_GETSPLITINFO","features":[358]},{"name":"BCM_GETTEXTMARGIN","features":[358]},{"name":"BCM_SETDROPDOWNSTATE","features":[358]},{"name":"BCM_SETIMAGELIST","features":[358]},{"name":"BCM_SETNOTE","features":[358]},{"name":"BCM_SETSHIELD","features":[358]},{"name":"BCM_SETSPLITINFO","features":[358]},{"name":"BCM_SETTEXTMARGIN","features":[358]},{"name":"BCN_DROPDOWN","features":[358]},{"name":"BCN_FIRST","features":[358]},{"name":"BCN_HOTITEMCHANGE","features":[358]},{"name":"BCN_LAST","features":[358]},{"name":"BCSIF_GLYPH","features":[358]},{"name":"BCSIF_IMAGE","features":[358]},{"name":"BCSIF_SIZE","features":[358]},{"name":"BCSIF_STYLE","features":[358]},{"name":"BCSS_ALIGNLEFT","features":[358]},{"name":"BCSS_IMAGE","features":[358]},{"name":"BCSS_NOSPLIT","features":[358]},{"name":"BCSS_STRETCH","features":[358]},{"name":"BGTYPE","features":[358]},{"name":"BODYSTATES","features":[358]},{"name":"BORDERSTATES","features":[358]},{"name":"BORDERTYPE","features":[358]},{"name":"BORDER_HSCROLLSTATES","features":[358]},{"name":"BORDER_HVSCROLLSTATES","features":[358]},{"name":"BORDER_NOSCROLLSTATES","features":[358]},{"name":"BORDER_VSCROLLSTATES","features":[358]},{"name":"BPAS_CUBIC","features":[358]},{"name":"BPAS_LINEAR","features":[358]},{"name":"BPAS_NONE","features":[358]},{"name":"BPAS_SINE","features":[358]},{"name":"BPBF_COMPATIBLEBITMAP","features":[358]},{"name":"BPBF_DIB","features":[358]},{"name":"BPBF_TOPDOWNDIB","features":[358]},{"name":"BPBF_TOPDOWNMONODIB","features":[358]},{"name":"BPPF_ERASE","features":[358]},{"name":"BPPF_NOCLIP","features":[358]},{"name":"BPPF_NONCLIENT","features":[358]},{"name":"BP_ANIMATIONPARAMS","features":[358]},{"name":"BP_ANIMATIONSTYLE","features":[358]},{"name":"BP_BUFFERFORMAT","features":[358]},{"name":"BP_CHECKBOX","features":[358]},{"name":"BP_CHECKBOX_HCDISABLED","features":[358]},{"name":"BP_COMMANDLINK","features":[358]},{"name":"BP_COMMANDLINKGLYPH","features":[358]},{"name":"BP_GROUPBOX","features":[358]},{"name":"BP_GROUPBOX_HCDISABLED","features":[358]},{"name":"BP_PAINTPARAMS","features":[308,319,358]},{"name":"BP_PAINTPARAMS_FLAGS","features":[358]},{"name":"BP_PUSHBUTTON","features":[358]},{"name":"BP_PUSHBUTTONDROPDOWN","features":[358]},{"name":"BP_RADIOBUTTON","features":[358]},{"name":"BP_RADIOBUTTON_HCDISABLED","features":[358]},{"name":"BP_USERBUTTON","features":[358]},{"name":"BST_CHECKED","features":[358]},{"name":"BST_DROPDOWNPUSHED","features":[358]},{"name":"BST_HOT","features":[358]},{"name":"BST_INDETERMINATE","features":[358]},{"name":"BST_UNCHECKED","features":[358]},{"name":"BS_COMMANDLINK","features":[358]},{"name":"BS_DEFCOMMANDLINK","features":[358]},{"name":"BS_DEFSPLITBUTTON","features":[358]},{"name":"BS_SPLITBUTTON","features":[358]},{"name":"BTNS_AUTOSIZE","features":[358]},{"name":"BTNS_BUTTON","features":[358]},{"name":"BTNS_CHECK","features":[358]},{"name":"BTNS_DROPDOWN","features":[358]},{"name":"BTNS_GROUP","features":[358]},{"name":"BTNS_NOPREFIX","features":[358]},{"name":"BTNS_SEP","features":[358]},{"name":"BTNS_SHOWTEXT","features":[358]},{"name":"BTNS_WHOLEDROPDOWN","features":[358]},{"name":"BT_BORDERFILL","features":[358]},{"name":"BT_ELLIPSE","features":[358]},{"name":"BT_IMAGEFILE","features":[358]},{"name":"BT_NONE","features":[358]},{"name":"BT_RECT","features":[358]},{"name":"BT_ROUNDRECT","features":[358]},{"name":"BUTTONPARTS","features":[358]},{"name":"BUTTON_IMAGELIST","features":[308,358]},{"name":"BUTTON_IMAGELIST_ALIGN","features":[358]},{"name":"BUTTON_IMAGELIST_ALIGN_BOTTOM","features":[358]},{"name":"BUTTON_IMAGELIST_ALIGN_CENTER","features":[358]},{"name":"BUTTON_IMAGELIST_ALIGN_LEFT","features":[358]},{"name":"BUTTON_IMAGELIST_ALIGN_RIGHT","features":[358]},{"name":"BUTTON_IMAGELIST_ALIGN_TOP","features":[358]},{"name":"BUTTON_SPLITINFO","features":[308,358]},{"name":"BeginBufferedAnimation","features":[308,319,358]},{"name":"BeginBufferedPaint","features":[308,319,358]},{"name":"BeginPanningFeedback","features":[308,358]},{"name":"BufferedPaintClear","features":[308,358]},{"name":"BufferedPaintInit","features":[358]},{"name":"BufferedPaintRenderAnimation","features":[308,319,358]},{"name":"BufferedPaintSetAlpha","features":[308,358]},{"name":"BufferedPaintStopAllAnimations","features":[308,358]},{"name":"BufferedPaintUnInit","features":[358]},{"name":"CAPTIONSTATES","features":[358]},{"name":"CA_CENTER","features":[358]},{"name":"CA_LEFT","features":[358]},{"name":"CA_RIGHT","features":[358]},{"name":"CBB_DISABLED","features":[358]},{"name":"CBB_FOCUSED","features":[358]},{"name":"CBB_HOT","features":[358]},{"name":"CBB_NORMAL","features":[358]},{"name":"CBCB_DISABLED","features":[358]},{"name":"CBCB_HOT","features":[358]},{"name":"CBCB_NORMAL","features":[358]},{"name":"CBCB_PRESSED","features":[358]},{"name":"CBDI_HIGHLIGHTED","features":[358]},{"name":"CBDI_NORMAL","features":[358]},{"name":"CBEIF_DI_SETITEM","features":[358]},{"name":"CBEIF_IMAGE","features":[358]},{"name":"CBEIF_INDENT","features":[358]},{"name":"CBEIF_LPARAM","features":[358]},{"name":"CBEIF_OVERLAY","features":[358]},{"name":"CBEIF_SELECTEDIMAGE","features":[358]},{"name":"CBEIF_TEXT","features":[358]},{"name":"CBEMAXSTRLEN","features":[358]},{"name":"CBEM_GETCOMBOCONTROL","features":[358]},{"name":"CBEM_GETEDITCONTROL","features":[358]},{"name":"CBEM_GETEXSTYLE","features":[358]},{"name":"CBEM_GETEXTENDEDSTYLE","features":[358]},{"name":"CBEM_GETIMAGELIST","features":[358]},{"name":"CBEM_GETITEM","features":[358]},{"name":"CBEM_GETITEMA","features":[358]},{"name":"CBEM_GETITEMW","features":[358]},{"name":"CBEM_GETUNICODEFORMAT","features":[358]},{"name":"CBEM_HASEDITCHANGED","features":[358]},{"name":"CBEM_INSERTITEM","features":[358]},{"name":"CBEM_INSERTITEMA","features":[358]},{"name":"CBEM_INSERTITEMW","features":[358]},{"name":"CBEM_SETEXSTYLE","features":[358]},{"name":"CBEM_SETEXTENDEDSTYLE","features":[358]},{"name":"CBEM_SETIMAGELIST","features":[358]},{"name":"CBEM_SETITEM","features":[358]},{"name":"CBEM_SETITEMA","features":[358]},{"name":"CBEM_SETITEMW","features":[358]},{"name":"CBEM_SETUNICODEFORMAT","features":[358]},{"name":"CBEM_SETWINDOWTHEME","features":[358]},{"name":"CBENF_DROPDOWN","features":[358]},{"name":"CBENF_ESCAPE","features":[358]},{"name":"CBENF_KILLFOCUS","features":[358]},{"name":"CBENF_RETURN","features":[358]},{"name":"CBEN_BEGINEDIT","features":[358]},{"name":"CBEN_DELETEITEM","features":[358]},{"name":"CBEN_DRAGBEGIN","features":[358]},{"name":"CBEN_DRAGBEGINA","features":[358]},{"name":"CBEN_DRAGBEGINW","features":[358]},{"name":"CBEN_ENDEDIT","features":[358]},{"name":"CBEN_ENDEDITA","features":[358]},{"name":"CBEN_ENDEDITW","features":[358]},{"name":"CBEN_FIRST","features":[358]},{"name":"CBEN_GETDISPINFOA","features":[358]},{"name":"CBEN_GETDISPINFOW","features":[358]},{"name":"CBEN_INSERTITEM","features":[358]},{"name":"CBEN_LAST","features":[358]},{"name":"CBES_EX_CASESENSITIVE","features":[358]},{"name":"CBES_EX_NOEDITIMAGE","features":[358]},{"name":"CBES_EX_NOEDITIMAGEINDENT","features":[358]},{"name":"CBES_EX_NOSIZELIMIT","features":[358]},{"name":"CBES_EX_PATHWORDBREAKPROC","features":[358]},{"name":"CBES_EX_TEXTENDELLIPSIS","features":[358]},{"name":"CBM_FIRST","features":[358]},{"name":"CBRO_DISABLED","features":[358]},{"name":"CBRO_HOT","features":[358]},{"name":"CBRO_NORMAL","features":[358]},{"name":"CBRO_PRESSED","features":[358]},{"name":"CBS_CHECKEDDISABLED","features":[358]},{"name":"CBS_CHECKEDHOT","features":[358]},{"name":"CBS_CHECKEDNORMAL","features":[358]},{"name":"CBS_CHECKEDPRESSED","features":[358]},{"name":"CBS_DISABLED","features":[358]},{"name":"CBS_EXCLUDEDDISABLED","features":[358]},{"name":"CBS_EXCLUDEDHOT","features":[358]},{"name":"CBS_EXCLUDEDNORMAL","features":[358]},{"name":"CBS_EXCLUDEDPRESSED","features":[358]},{"name":"CBS_HOT","features":[358]},{"name":"CBS_IMPLICITDISABLED","features":[358]},{"name":"CBS_IMPLICITHOT","features":[358]},{"name":"CBS_IMPLICITNORMAL","features":[358]},{"name":"CBS_IMPLICITPRESSED","features":[358]},{"name":"CBS_MIXEDDISABLED","features":[358]},{"name":"CBS_MIXEDHOT","features":[358]},{"name":"CBS_MIXEDNORMAL","features":[358]},{"name":"CBS_MIXEDPRESSED","features":[358]},{"name":"CBS_NORMAL","features":[358]},{"name":"CBS_PUSHED","features":[358]},{"name":"CBS_UNCHECKEDDISABLED","features":[358]},{"name":"CBS_UNCHECKEDHOT","features":[358]},{"name":"CBS_UNCHECKEDNORMAL","features":[358]},{"name":"CBS_UNCHECKEDPRESSED","features":[358]},{"name":"CBTBS_DISABLED","features":[358]},{"name":"CBTBS_FOCUSED","features":[358]},{"name":"CBTBS_HOT","features":[358]},{"name":"CBTBS_NORMAL","features":[358]},{"name":"CBXSL_DISABLED","features":[358]},{"name":"CBXSL_HOT","features":[358]},{"name":"CBXSL_NORMAL","features":[358]},{"name":"CBXSL_PRESSED","features":[358]},{"name":"CBXSR_DISABLED","features":[358]},{"name":"CBXSR_HOT","features":[358]},{"name":"CBXSR_NORMAL","features":[358]},{"name":"CBXSR_PRESSED","features":[358]},{"name":"CBXS_DISABLED","features":[358]},{"name":"CBXS_HOT","features":[358]},{"name":"CBXS_NORMAL","features":[358]},{"name":"CBXS_PRESSED","features":[358]},{"name":"CB_GETCUEBANNER","features":[358]},{"name":"CB_GETMINVISIBLE","features":[358]},{"name":"CB_SETCUEBANNER","features":[358]},{"name":"CB_SETMINVISIBLE","features":[358]},{"name":"CCF_NOTEXT","features":[358]},{"name":"CCHCCCLASS","features":[358]},{"name":"CCHCCDESC","features":[358]},{"name":"CCHCCTEXT","features":[358]},{"name":"CCINFOA","features":[308,319,358]},{"name":"CCINFOW","features":[308,319,358]},{"name":"CCM_DPISCALE","features":[358]},{"name":"CCM_FIRST","features":[358]},{"name":"CCM_GETCOLORSCHEME","features":[358]},{"name":"CCM_GETDROPTARGET","features":[358]},{"name":"CCM_GETUNICODEFORMAT","features":[358]},{"name":"CCM_GETVERSION","features":[358]},{"name":"CCM_LAST","features":[358]},{"name":"CCM_SETBKCOLOR","features":[358]},{"name":"CCM_SETCOLORSCHEME","features":[358]},{"name":"CCM_SETNOTIFYWINDOW","features":[358]},{"name":"CCM_SETUNICODEFORMAT","features":[358]},{"name":"CCM_SETVERSION","features":[358]},{"name":"CCM_SETWINDOWTHEME","features":[358]},{"name":"CCSTYLEA","features":[358]},{"name":"CCSTYLEFLAGA","features":[358]},{"name":"CCSTYLEFLAGW","features":[358]},{"name":"CCSTYLEW","features":[358]},{"name":"CCS_ADJUSTABLE","features":[358]},{"name":"CCS_BOTTOM","features":[358]},{"name":"CCS_NODIVIDER","features":[358]},{"name":"CCS_NOMOVEY","features":[358]},{"name":"CCS_NOPARENTALIGN","features":[358]},{"name":"CCS_NORESIZE","features":[358]},{"name":"CCS_TOP","features":[358]},{"name":"CCS_VERT","features":[358]},{"name":"CDDS_ITEM","features":[358]},{"name":"CDDS_ITEMPOSTERASE","features":[358]},{"name":"CDDS_ITEMPOSTPAINT","features":[358]},{"name":"CDDS_ITEMPREERASE","features":[358]},{"name":"CDDS_ITEMPREPAINT","features":[358]},{"name":"CDDS_POSTERASE","features":[358]},{"name":"CDDS_POSTPAINT","features":[358]},{"name":"CDDS_PREERASE","features":[358]},{"name":"CDDS_PREPAINT","features":[358]},{"name":"CDDS_SUBITEM","features":[358]},{"name":"CDIS_CHECKED","features":[358]},{"name":"CDIS_DEFAULT","features":[358]},{"name":"CDIS_DISABLED","features":[358]},{"name":"CDIS_DROPHILITED","features":[358]},{"name":"CDIS_FOCUS","features":[358]},{"name":"CDIS_GRAYED","features":[358]},{"name":"CDIS_HOT","features":[358]},{"name":"CDIS_INDETERMINATE","features":[358]},{"name":"CDIS_MARKED","features":[358]},{"name":"CDIS_NEARHOT","features":[358]},{"name":"CDIS_OTHERSIDEHOT","features":[358]},{"name":"CDIS_SELECTED","features":[358]},{"name":"CDIS_SHOWKEYBOARDCUES","features":[358]},{"name":"CDN_FIRST","features":[358]},{"name":"CDN_LAST","features":[358]},{"name":"CDRF_DODEFAULT","features":[358]},{"name":"CDRF_DOERASE","features":[358]},{"name":"CDRF_NEWFONT","features":[358]},{"name":"CDRF_NOTIFYITEMDRAW","features":[358]},{"name":"CDRF_NOTIFYPOSTERASE","features":[358]},{"name":"CDRF_NOTIFYPOSTPAINT","features":[358]},{"name":"CDRF_NOTIFYSUBITEMDRAW","features":[358]},{"name":"CDRF_SKIPDEFAULT","features":[358]},{"name":"CDRF_SKIPPOSTPAINT","features":[358]},{"name":"CHECKBOXSTATES","features":[358]},{"name":"CHEVRONSTATES","features":[358]},{"name":"CHEVRONVERTSTATES","features":[358]},{"name":"CHEVSV_HOT","features":[358]},{"name":"CHEVSV_NORMAL","features":[358]},{"name":"CHEVSV_PRESSED","features":[358]},{"name":"CHEVS_HOT","features":[358]},{"name":"CHEVS_NORMAL","features":[358]},{"name":"CHEVS_PRESSED","features":[358]},{"name":"CLOCKPARTS","features":[358]},{"name":"CLOCKSTATES","features":[358]},{"name":"CLOSEBUTTONSTATES","features":[358]},{"name":"CLOSESTATES","features":[358]},{"name":"CLP_TIME","features":[358]},{"name":"CLR_DEFAULT","features":[358]},{"name":"CLR_HILIGHT","features":[358]},{"name":"CLR_NONE","features":[358]},{"name":"CLS_HOT","features":[358]},{"name":"CLS_NORMAL","features":[358]},{"name":"CLS_PRESSED","features":[358]},{"name":"CMB_MASKED","features":[358]},{"name":"CMDLGS_DEFAULTED","features":[358]},{"name":"CMDLGS_DISABLED","features":[358]},{"name":"CMDLGS_HOT","features":[358]},{"name":"CMDLGS_NORMAL","features":[358]},{"name":"CMDLGS_PRESSED","features":[358]},{"name":"CMDLS_DEFAULTED","features":[358]},{"name":"CMDLS_DEFAULTED_ANIMATING","features":[358]},{"name":"CMDLS_DISABLED","features":[358]},{"name":"CMDLS_HOT","features":[358]},{"name":"CMDLS_NORMAL","features":[358]},{"name":"CMDLS_PRESSED","features":[358]},{"name":"COLLAPSEBUTTONSTATES","features":[358]},{"name":"COLORMAP","features":[308,358]},{"name":"COLORMGMTDLGORD","features":[358]},{"name":"COLORSCHEME","features":[308,358]},{"name":"COMBOBOXEXITEMA","features":[308,358]},{"name":"COMBOBOXEXITEMW","features":[308,358]},{"name":"COMBOBOXINFO","features":[308,358]},{"name":"COMBOBOXINFO_BUTTON_STATE","features":[358]},{"name":"COMBOBOXPARTS","features":[358]},{"name":"COMBOBOXSTYLESTATES","features":[358]},{"name":"COMBOBOX_EX_ITEM_FLAGS","features":[358]},{"name":"COMCTL32_VERSION","features":[358]},{"name":"COMMANDLINKGLYPHSTATES","features":[358]},{"name":"COMMANDLINKSTATES","features":[358]},{"name":"COMMUNICATIONSPARTS","features":[358]},{"name":"COMPAREITEMSTRUCT","features":[308,358]},{"name":"CONTENTALIGNMENT","features":[358]},{"name":"CONTENTAREASTATES","features":[358]},{"name":"CONTENTLINKSTATES","features":[358]},{"name":"CONTENTPANESTATES","features":[358]},{"name":"CONTROLLABELSTATES","features":[358]},{"name":"CONTROLPANELPARTS","features":[358]},{"name":"COPYSTATES","features":[358]},{"name":"CPANEL_BANNERAREA","features":[358]},{"name":"CPANEL_BODYTEXT","features":[358]},{"name":"CPANEL_BODYTITLE","features":[358]},{"name":"CPANEL_BUTTON","features":[358]},{"name":"CPANEL_CONTENTLINK","features":[358]},{"name":"CPANEL_CONTENTPANE","features":[358]},{"name":"CPANEL_CONTENTPANELABEL","features":[358]},{"name":"CPANEL_CONTENTPANELINE","features":[358]},{"name":"CPANEL_GROUPTEXT","features":[358]},{"name":"CPANEL_HELPLINK","features":[358]},{"name":"CPANEL_LARGECOMMANDAREA","features":[358]},{"name":"CPANEL_MESSAGETEXT","features":[358]},{"name":"CPANEL_NAVIGATIONPANE","features":[358]},{"name":"CPANEL_NAVIGATIONPANELABEL","features":[358]},{"name":"CPANEL_NAVIGATIONPANELINE","features":[358]},{"name":"CPANEL_SECTIONTITLELINK","features":[358]},{"name":"CPANEL_SMALLCOMMANDAREA","features":[358]},{"name":"CPANEL_TASKLINK","features":[358]},{"name":"CPANEL_TITLE","features":[358]},{"name":"CPCL_DISABLED","features":[358]},{"name":"CPCL_HOT","features":[358]},{"name":"CPCL_NORMAL","features":[358]},{"name":"CPCL_PRESSED","features":[358]},{"name":"CPHL_DISABLED","features":[358]},{"name":"CPHL_HOT","features":[358]},{"name":"CPHL_NORMAL","features":[358]},{"name":"CPHL_PRESSED","features":[358]},{"name":"CPSTL_HOT","features":[358]},{"name":"CPSTL_NORMAL","features":[358]},{"name":"CPTL_DISABLED","features":[358]},{"name":"CPTL_HOT","features":[358]},{"name":"CPTL_NORMAL","features":[358]},{"name":"CPTL_PAGE","features":[358]},{"name":"CPTL_PRESSED","features":[358]},{"name":"CP_BACKGROUND","features":[358]},{"name":"CP_BORDER","features":[358]},{"name":"CP_CUEBANNER","features":[358]},{"name":"CP_DROPDOWNBUTTON","features":[358]},{"name":"CP_DROPDOWNBUTTONLEFT","features":[358]},{"name":"CP_DROPDOWNBUTTONRIGHT","features":[358]},{"name":"CP_DROPDOWNITEM","features":[358]},{"name":"CP_READONLY","features":[358]},{"name":"CP_TRANSPARENTBACKGROUND","features":[358]},{"name":"CREATELINKSTATES","features":[358]},{"name":"CSST_TAB","features":[358]},{"name":"CSTB_HOT","features":[358]},{"name":"CSTB_NORMAL","features":[358]},{"name":"CSTB_SELECTED","features":[358]},{"name":"CS_ACTIVE","features":[358]},{"name":"CS_DISABLED","features":[358]},{"name":"CS_INACTIVE","features":[358]},{"name":"CUEBANNERSTATES","features":[358]},{"name":"CheckDlgButton","features":[308,358]},{"name":"CheckRadioButton","features":[308,358]},{"name":"CloseThemeData","features":[358]},{"name":"CreateMappedBitmap","features":[308,319,358]},{"name":"CreatePropertySheetPageA","features":[308,319,358,370]},{"name":"CreatePropertySheetPageW","features":[308,319,358,370]},{"name":"CreateStatusWindowA","features":[308,358]},{"name":"CreateStatusWindowW","features":[308,358]},{"name":"CreateSyntheticPointerDevice","features":[358,370]},{"name":"CreateToolbarEx","features":[308,358]},{"name":"CreateUpDownControl","features":[308,358]},{"name":"DATEBORDERSTATES","features":[358]},{"name":"DATEPICKERPARTS","features":[358]},{"name":"DATETEXTSTATES","features":[358]},{"name":"DATETIMEPICKERINFO","features":[308,358]},{"name":"DATETIMEPICK_CLASS","features":[358]},{"name":"DATETIMEPICK_CLASSA","features":[358]},{"name":"DATETIMEPICK_CLASSW","features":[358]},{"name":"DA_ERR","features":[358]},{"name":"DA_LAST","features":[358]},{"name":"DDCOPY_HIGHLIGHT","features":[358]},{"name":"DDCOPY_NOHIGHLIGHT","features":[358]},{"name":"DDCREATELINK_HIGHLIGHT","features":[358]},{"name":"DDCREATELINK_NOHIGHLIGHT","features":[358]},{"name":"DDL_ARCHIVE","features":[358]},{"name":"DDL_DIRECTORY","features":[358]},{"name":"DDL_DRIVES","features":[358]},{"name":"DDL_EXCLUSIVE","features":[358]},{"name":"DDL_HIDDEN","features":[358]},{"name":"DDL_POSTMSGS","features":[358]},{"name":"DDL_READONLY","features":[358]},{"name":"DDL_READWRITE","features":[358]},{"name":"DDL_SYSTEM","features":[358]},{"name":"DDMOVE_HIGHLIGHT","features":[358]},{"name":"DDMOVE_NOHIGHLIGHT","features":[358]},{"name":"DDNONE_HIGHLIGHT","features":[358]},{"name":"DDNONE_NOHIGHLIGHT","features":[358]},{"name":"DDUPDATEMETADATA_HIGHLIGHT","features":[358]},{"name":"DDUPDATEMETADATA_NOHIGHLIGHT","features":[358]},{"name":"DDWARNING_HIGHLIGHT","features":[358]},{"name":"DDWARNING_NOHIGHLIGHT","features":[358]},{"name":"DD_COPY","features":[358]},{"name":"DD_CREATELINK","features":[358]},{"name":"DD_IMAGEBG","features":[358]},{"name":"DD_MOVE","features":[358]},{"name":"DD_NONE","features":[358]},{"name":"DD_TEXTBG","features":[358]},{"name":"DD_UPDATEMETADATA","features":[358]},{"name":"DD_WARNING","features":[358]},{"name":"DELETEITEMSTRUCT","features":[308,358]},{"name":"DLG_BUTTON_CHECK_STATE","features":[358]},{"name":"DLG_DIR_LIST_FILE_TYPE","features":[358]},{"name":"DL_BEGINDRAG","features":[358]},{"name":"DL_CANCELDRAG","features":[358]},{"name":"DL_COPYCURSOR","features":[358]},{"name":"DL_CURSORSET","features":[358]},{"name":"DL_DRAGGING","features":[358]},{"name":"DL_DROPPED","features":[358]},{"name":"DL_MOVECURSOR","features":[358]},{"name":"DL_STOPCURSOR","features":[358]},{"name":"DNHZS_DISABLED","features":[358]},{"name":"DNHZS_HOT","features":[358]},{"name":"DNHZS_NORMAL","features":[358]},{"name":"DNHZS_PRESSED","features":[358]},{"name":"DNS_DISABLED","features":[358]},{"name":"DNS_HOT","features":[358]},{"name":"DNS_NORMAL","features":[358]},{"name":"DNS_PRESSED","features":[358]},{"name":"DOWNHORZSTATES","features":[358]},{"name":"DOWNSTATES","features":[358]},{"name":"DPAMM_DELETE","features":[358]},{"name":"DPAMM_INSERT","features":[358]},{"name":"DPAMM_MERGE","features":[358]},{"name":"DPAMM_MESSAGE","features":[358]},{"name":"DPAM_INTERSECT","features":[358]},{"name":"DPAM_NORMAL","features":[358]},{"name":"DPAM_SORTED","features":[358]},{"name":"DPAM_UNION","features":[358]},{"name":"DPASTREAMINFO","features":[358]},{"name":"DPAS_INSERTAFTER","features":[358]},{"name":"DPAS_INSERTBEFORE","features":[358]},{"name":"DPAS_SORTED","features":[358]},{"name":"DPA_APPEND","features":[358]},{"name":"DPA_Clone","features":[358]},{"name":"DPA_Create","features":[358]},{"name":"DPA_CreateEx","features":[308,358]},{"name":"DPA_DeleteAllPtrs","features":[308,358]},{"name":"DPA_DeletePtr","features":[358]},{"name":"DPA_Destroy","features":[308,358]},{"name":"DPA_DestroyCallback","features":[358]},{"name":"DPA_ERR","features":[358]},{"name":"DPA_EnumCallback","features":[358]},{"name":"DPA_GetPtr","features":[358]},{"name":"DPA_GetPtrIndex","features":[358]},{"name":"DPA_GetSize","features":[358]},{"name":"DPA_Grow","features":[308,358]},{"name":"DPA_InsertPtr","features":[358]},{"name":"DPA_LoadStream","features":[359,358]},{"name":"DPA_Merge","features":[308,358]},{"name":"DPA_SaveStream","features":[359,358]},{"name":"DPA_Search","features":[308,358]},{"name":"DPA_SetPtr","features":[308,358]},{"name":"DPA_Sort","features":[308,358]},{"name":"DPDB_DISABLED","features":[358]},{"name":"DPDB_FOCUSED","features":[358]},{"name":"DPDB_HOT","features":[358]},{"name":"DPDB_NORMAL","features":[358]},{"name":"DPDT_DISABLED","features":[358]},{"name":"DPDT_NORMAL","features":[358]},{"name":"DPDT_SELECTED","features":[358]},{"name":"DPSCBR_DISABLED","features":[358]},{"name":"DPSCBR_HOT","features":[358]},{"name":"DPSCBR_NORMAL","features":[358]},{"name":"DPSCBR_PRESSED","features":[358]},{"name":"DP_DATEBORDER","features":[358]},{"name":"DP_DATETEXT","features":[358]},{"name":"DP_SHOWCALENDARBUTTONRIGHT","features":[358]},{"name":"DRAGDROPPARTS","features":[358]},{"name":"DRAGLISTINFO","features":[308,358]},{"name":"DRAGLISTINFO_NOTIFICATION_FLAGS","features":[358]},{"name":"DRAGLISTMSGSTRING","features":[358]},{"name":"DRAWITEMSTRUCT","features":[308,319,358]},{"name":"DRAWITEMSTRUCT_CTL_TYPE","features":[358]},{"name":"DRAW_THEME_PARENT_BACKGROUND_FLAGS","features":[358]},{"name":"DROPDOWNBUTTONLEFTSTATES","features":[358]},{"name":"DROPDOWNBUTTONRIGHTSTATES","features":[358]},{"name":"DROPDOWNITEMSTATES","features":[358]},{"name":"DSA_APPEND","features":[358]},{"name":"DSA_Clone","features":[358]},{"name":"DSA_Create","features":[358]},{"name":"DSA_DeleteAllItems","features":[308,358]},{"name":"DSA_DeleteItem","features":[308,358]},{"name":"DSA_Destroy","features":[308,358]},{"name":"DSA_DestroyCallback","features":[358]},{"name":"DSA_ERR","features":[358]},{"name":"DSA_EnumCallback","features":[358]},{"name":"DSA_GetItem","features":[308,358]},{"name":"DSA_GetItemPtr","features":[358]},{"name":"DSA_GetSize","features":[358]},{"name":"DSA_InsertItem","features":[358]},{"name":"DSA_SetItem","features":[308,358]},{"name":"DSA_Sort","features":[308,358]},{"name":"DTBGOPTS","features":[308,358]},{"name":"DTBG_CLIPRECT","features":[358]},{"name":"DTBG_COMPUTINGREGION","features":[358]},{"name":"DTBG_DRAWSOLID","features":[358]},{"name":"DTBG_MIRRORDC","features":[358]},{"name":"DTBG_NOMIRROR","features":[358]},{"name":"DTBG_OMITBORDER","features":[358]},{"name":"DTBG_OMITCONTENT","features":[358]},{"name":"DTM_CLOSEMONTHCAL","features":[358]},{"name":"DTM_FIRST","features":[358]},{"name":"DTM_GETDATETIMEPICKERINFO","features":[358]},{"name":"DTM_GETIDEALSIZE","features":[358]},{"name":"DTM_GETMCCOLOR","features":[358]},{"name":"DTM_GETMCFONT","features":[358]},{"name":"DTM_GETMCSTYLE","features":[358]},{"name":"DTM_GETMONTHCAL","features":[358]},{"name":"DTM_GETRANGE","features":[358]},{"name":"DTM_GETSYSTEMTIME","features":[358]},{"name":"DTM_SETFORMAT","features":[358]},{"name":"DTM_SETFORMATA","features":[358]},{"name":"DTM_SETFORMATW","features":[358]},{"name":"DTM_SETMCCOLOR","features":[358]},{"name":"DTM_SETMCFONT","features":[358]},{"name":"DTM_SETMCSTYLE","features":[358]},{"name":"DTM_SETRANGE","features":[358]},{"name":"DTM_SETSYSTEMTIME","features":[358]},{"name":"DTN_CLOSEUP","features":[358]},{"name":"DTN_DATETIMECHANGE","features":[358]},{"name":"DTN_DROPDOWN","features":[358]},{"name":"DTN_FIRST","features":[358]},{"name":"DTN_FIRST2","features":[358]},{"name":"DTN_FORMAT","features":[358]},{"name":"DTN_FORMATA","features":[358]},{"name":"DTN_FORMATQUERY","features":[358]},{"name":"DTN_FORMATQUERYA","features":[358]},{"name":"DTN_FORMATQUERYW","features":[358]},{"name":"DTN_FORMATW","features":[358]},{"name":"DTN_LAST","features":[358]},{"name":"DTN_LAST2","features":[358]},{"name":"DTN_USERSTRING","features":[358]},{"name":"DTN_USERSTRINGA","features":[358]},{"name":"DTN_USERSTRINGW","features":[358]},{"name":"DTN_WMKEYDOWN","features":[358]},{"name":"DTN_WMKEYDOWNA","features":[358]},{"name":"DTN_WMKEYDOWNW","features":[358]},{"name":"DTPB_USECTLCOLORSTATIC","features":[358]},{"name":"DTPB_USEERASEBKGND","features":[358]},{"name":"DTPB_WINDOWDC","features":[358]},{"name":"DTS_APPCANPARSE","features":[358]},{"name":"DTS_LONGDATEFORMAT","features":[358]},{"name":"DTS_RIGHTALIGN","features":[358]},{"name":"DTS_SHORTDATECENTURYFORMAT","features":[358]},{"name":"DTS_SHORTDATEFORMAT","features":[358]},{"name":"DTS_SHOWNONE","features":[358]},{"name":"DTS_TIMEFORMAT","features":[358]},{"name":"DTS_UPDOWN","features":[358]},{"name":"DTTOPTS","features":[308,319,358]},{"name":"DTTOPTS_FLAGS","features":[358]},{"name":"DTT_APPLYOVERLAY","features":[358]},{"name":"DTT_BORDERCOLOR","features":[358]},{"name":"DTT_BORDERSIZE","features":[358]},{"name":"DTT_CALCRECT","features":[358]},{"name":"DTT_CALLBACK","features":[358]},{"name":"DTT_CALLBACK_PROC","features":[308,319,358]},{"name":"DTT_COLORPROP","features":[358]},{"name":"DTT_COMPOSITED","features":[358]},{"name":"DTT_FLAGS2VALIDBITS","features":[358]},{"name":"DTT_FONTPROP","features":[358]},{"name":"DTT_GLOWSIZE","features":[358]},{"name":"DTT_GRAYED","features":[358]},{"name":"DTT_SHADOWCOLOR","features":[358]},{"name":"DTT_SHADOWOFFSET","features":[358]},{"name":"DTT_SHADOWTYPE","features":[358]},{"name":"DTT_STATEID","features":[358]},{"name":"DTT_TEXTCOLOR","features":[358]},{"name":"DTT_VALIDBITS","features":[358]},{"name":"DestroyPropertySheetPage","features":[308,358]},{"name":"DestroySyntheticPointerDevice","features":[358]},{"name":"DlgDirListA","features":[308,358]},{"name":"DlgDirListComboBoxA","features":[308,358]},{"name":"DlgDirListComboBoxW","features":[308,358]},{"name":"DlgDirListW","features":[308,358]},{"name":"DlgDirSelectComboBoxExA","features":[308,358]},{"name":"DlgDirSelectComboBoxExW","features":[308,358]},{"name":"DlgDirSelectExA","features":[308,358]},{"name":"DlgDirSelectExW","features":[308,358]},{"name":"DrawInsert","features":[308,358]},{"name":"DrawShadowText","features":[308,319,358]},{"name":"DrawStatusTextA","features":[308,319,358]},{"name":"DrawStatusTextW","features":[308,319,358]},{"name":"DrawThemeBackground","features":[308,319,358]},{"name":"DrawThemeBackgroundEx","features":[308,319,358]},{"name":"DrawThemeEdge","features":[308,319,358]},{"name":"DrawThemeIcon","features":[308,319,358]},{"name":"DrawThemeParentBackground","features":[308,319,358]},{"name":"DrawThemeParentBackgroundEx","features":[308,319,358]},{"name":"DrawThemeText","features":[308,319,358]},{"name":"DrawThemeTextEx","features":[308,319,358]},{"name":"EBHC_HOT","features":[358]},{"name":"EBHC_NORMAL","features":[358]},{"name":"EBHC_PRESSED","features":[358]},{"name":"EBHP_HOT","features":[358]},{"name":"EBHP_NORMAL","features":[358]},{"name":"EBHP_PRESSED","features":[358]},{"name":"EBHP_SELECTEDHOT","features":[358]},{"name":"EBHP_SELECTEDNORMAL","features":[358]},{"name":"EBHP_SELECTEDPRESSED","features":[358]},{"name":"EBM_HOT","features":[358]},{"name":"EBM_NORMAL","features":[358]},{"name":"EBM_PRESSED","features":[358]},{"name":"EBNGC_HOT","features":[358]},{"name":"EBNGC_NORMAL","features":[358]},{"name":"EBNGC_PRESSED","features":[358]},{"name":"EBNGE_HOT","features":[358]},{"name":"EBNGE_NORMAL","features":[358]},{"name":"EBNGE_PRESSED","features":[358]},{"name":"EBP_HEADERBACKGROUND","features":[358]},{"name":"EBP_HEADERCLOSE","features":[358]},{"name":"EBP_HEADERPIN","features":[358]},{"name":"EBP_IEBARMENU","features":[358]},{"name":"EBP_NORMALGROUPBACKGROUND","features":[358]},{"name":"EBP_NORMALGROUPCOLLAPSE","features":[358]},{"name":"EBP_NORMALGROUPEXPAND","features":[358]},{"name":"EBP_NORMALGROUPHEAD","features":[358]},{"name":"EBP_SPECIALGROUPBACKGROUND","features":[358]},{"name":"EBP_SPECIALGROUPCOLLAPSE","features":[358]},{"name":"EBP_SPECIALGROUPEXPAND","features":[358]},{"name":"EBP_SPECIALGROUPHEAD","features":[358]},{"name":"EBSGC_HOT","features":[358]},{"name":"EBSGC_NORMAL","features":[358]},{"name":"EBSGC_PRESSED","features":[358]},{"name":"EBSGE_HOT","features":[358]},{"name":"EBSGE_NORMAL","features":[358]},{"name":"EBSGE_PRESSED","features":[358]},{"name":"EBS_ASSIST","features":[358]},{"name":"EBS_DISABLED","features":[358]},{"name":"EBS_FOCUSED","features":[358]},{"name":"EBS_HOT","features":[358]},{"name":"EBS_NORMAL","features":[358]},{"name":"EBS_READONLY","features":[358]},{"name":"EBWBS_DISABLED","features":[358]},{"name":"EBWBS_FOCUSED","features":[358]},{"name":"EBWBS_HOT","features":[358]},{"name":"EBWBS_NORMAL","features":[358]},{"name":"ECM_FIRST","features":[358]},{"name":"EC_ENDOFLINE","features":[358]},{"name":"EC_ENDOFLINE_CR","features":[358]},{"name":"EC_ENDOFLINE_CRLF","features":[358]},{"name":"EC_ENDOFLINE_DETECTFROMCONTENT","features":[358]},{"name":"EC_ENDOFLINE_LF","features":[358]},{"name":"EC_SEARCHWEB_ENTRYPOINT","features":[358]},{"name":"EC_SEARCHWEB_ENTRYPOINT_CONTEXTMENU","features":[358]},{"name":"EC_SEARCHWEB_ENTRYPOINT_EXTERNAL","features":[358]},{"name":"EDITBALLOONTIP","features":[358]},{"name":"EDITBALLOONTIP_ICON","features":[358]},{"name":"EDITBORDER_HSCROLLSTATES","features":[358]},{"name":"EDITBORDER_HVSCROLLSTATES","features":[358]},{"name":"EDITBORDER_NOSCROLLSTATES","features":[358]},{"name":"EDITBORDER_VSCROLLSTATES","features":[358]},{"name":"EDITPARTS","features":[358]},{"name":"EDITTEXTSTATES","features":[358]},{"name":"EDITWORDBREAKPROCA","features":[358]},{"name":"EDITWORDBREAKPROCW","features":[358]},{"name":"EMF_CENTERED","features":[358]},{"name":"EMPTYMARKUPPARTS","features":[358]},{"name":"EMP_MARKUPTEXT","features":[358]},{"name":"EMT_LINKTEXT","features":[358]},{"name":"EMT_NORMALTEXT","features":[358]},{"name":"EM_CANUNDO","features":[358]},{"name":"EM_CHARFROMPOS","features":[358]},{"name":"EM_EMPTYUNDOBUFFER","features":[358]},{"name":"EM_ENABLEFEATURE","features":[358]},{"name":"EM_ENABLESEARCHWEB","features":[358]},{"name":"EM_FILELINEFROMCHAR","features":[358]},{"name":"EM_FILELINEINDEX","features":[358]},{"name":"EM_FILELINELENGTH","features":[358]},{"name":"EM_FMTLINES","features":[358]},{"name":"EM_GETCARETINDEX","features":[358]},{"name":"EM_GETCUEBANNER","features":[358]},{"name":"EM_GETENDOFLINE","features":[358]},{"name":"EM_GETEXTENDEDSTYLE","features":[358]},{"name":"EM_GETFILELINE","features":[358]},{"name":"EM_GETFILELINECOUNT","features":[358]},{"name":"EM_GETFIRSTVISIBLELINE","features":[358]},{"name":"EM_GETHANDLE","features":[358]},{"name":"EM_GETHILITE","features":[358]},{"name":"EM_GETIMESTATUS","features":[358]},{"name":"EM_GETLIMITTEXT","features":[358]},{"name":"EM_GETLINE","features":[358]},{"name":"EM_GETLINECOUNT","features":[358]},{"name":"EM_GETMARGINS","features":[358]},{"name":"EM_GETMODIFY","features":[358]},{"name":"EM_GETPASSWORDCHAR","features":[358]},{"name":"EM_GETRECT","features":[358]},{"name":"EM_GETSEL","features":[358]},{"name":"EM_GETTHUMB","features":[358]},{"name":"EM_GETWORDBREAKPROC","features":[358]},{"name":"EM_HIDEBALLOONTIP","features":[358]},{"name":"EM_LIMITTEXT","features":[358]},{"name":"EM_LINEFROMCHAR","features":[358]},{"name":"EM_LINEINDEX","features":[358]},{"name":"EM_LINELENGTH","features":[358]},{"name":"EM_LINESCROLL","features":[358]},{"name":"EM_NOSETFOCUS","features":[358]},{"name":"EM_POSFROMCHAR","features":[358]},{"name":"EM_REPLACESEL","features":[358]},{"name":"EM_SCROLL","features":[358]},{"name":"EM_SCROLLCARET","features":[358]},{"name":"EM_SEARCHWEB","features":[358]},{"name":"EM_SETCARETINDEX","features":[358]},{"name":"EM_SETCUEBANNER","features":[358]},{"name":"EM_SETENDOFLINE","features":[358]},{"name":"EM_SETEXTENDEDSTYLE","features":[358]},{"name":"EM_SETHANDLE","features":[358]},{"name":"EM_SETHILITE","features":[358]},{"name":"EM_SETIMESTATUS","features":[358]},{"name":"EM_SETLIMITTEXT","features":[358]},{"name":"EM_SETMARGINS","features":[358]},{"name":"EM_SETMODIFY","features":[358]},{"name":"EM_SETPASSWORDCHAR","features":[358]},{"name":"EM_SETREADONLY","features":[358]},{"name":"EM_SETRECT","features":[358]},{"name":"EM_SETRECTNP","features":[358]},{"name":"EM_SETSEL","features":[358]},{"name":"EM_SETTABSTOPS","features":[358]},{"name":"EM_SETWORDBREAKPROC","features":[358]},{"name":"EM_SHOWBALLOONTIP","features":[358]},{"name":"EM_TAKEFOCUS","features":[358]},{"name":"EM_UNDO","features":[358]},{"name":"ENABLE_SCROLL_BAR_ARROWS","features":[358]},{"name":"EN_FIRST","features":[358]},{"name":"EN_LAST","features":[358]},{"name":"EN_SEARCHWEB","features":[358]},{"name":"EPSHV_DISABLED","features":[358]},{"name":"EPSHV_FOCUSED","features":[358]},{"name":"EPSHV_HOT","features":[358]},{"name":"EPSHV_NORMAL","features":[358]},{"name":"EPSH_DISABLED","features":[358]},{"name":"EPSH_FOCUSED","features":[358]},{"name":"EPSH_HOT","features":[358]},{"name":"EPSH_NORMAL","features":[358]},{"name":"EPSN_DISABLED","features":[358]},{"name":"EPSN_FOCUSED","features":[358]},{"name":"EPSN_HOT","features":[358]},{"name":"EPSN_NORMAL","features":[358]},{"name":"EPSV_DISABLED","features":[358]},{"name":"EPSV_FOCUSED","features":[358]},{"name":"EPSV_HOT","features":[358]},{"name":"EPSV_NORMAL","features":[358]},{"name":"EP_BACKGROUND","features":[358]},{"name":"EP_BACKGROUNDWITHBORDER","features":[358]},{"name":"EP_CARET","features":[358]},{"name":"EP_EDITBORDER_HSCROLL","features":[358]},{"name":"EP_EDITBORDER_HVSCROLL","features":[358]},{"name":"EP_EDITBORDER_NOSCROLL","features":[358]},{"name":"EP_EDITBORDER_VSCROLL","features":[358]},{"name":"EP_EDITTEXT","features":[358]},{"name":"EP_PASSWORD","features":[358]},{"name":"ESB_DISABLE_BOTH","features":[358]},{"name":"ESB_DISABLE_DOWN","features":[358]},{"name":"ESB_DISABLE_LEFT","features":[358]},{"name":"ESB_DISABLE_LTUP","features":[358]},{"name":"ESB_DISABLE_RIGHT","features":[358]},{"name":"ESB_DISABLE_RTDN","features":[358]},{"name":"ESB_DISABLE_UP","features":[358]},{"name":"ESB_ENABLE_BOTH","features":[358]},{"name":"ES_EX_ALLOWEOL_CR","features":[358]},{"name":"ES_EX_ALLOWEOL_LF","features":[358]},{"name":"ES_EX_CONVERT_EOL_ON_PASTE","features":[358]},{"name":"ES_EX_ZOOMABLE","features":[358]},{"name":"ETDT_DISABLE","features":[358]},{"name":"ETDT_ENABLE","features":[358]},{"name":"ETDT_USEAEROWIZARDTABTEXTURE","features":[358]},{"name":"ETDT_USETABTEXTURE","features":[358]},{"name":"ETS_ASSIST","features":[358]},{"name":"ETS_CUEBANNER","features":[358]},{"name":"ETS_DISABLED","features":[358]},{"name":"ETS_FOCUSED","features":[358]},{"name":"ETS_HOT","features":[358]},{"name":"ETS_NORMAL","features":[358]},{"name":"ETS_READONLY","features":[358]},{"name":"ETS_SELECTED","features":[358]},{"name":"EXPANDBUTTONSTATES","features":[358]},{"name":"EXPANDOBUTTONSTATES","features":[358]},{"name":"EXPLORERBARPARTS","features":[358]},{"name":"EnableScrollBar","features":[308,358]},{"name":"EnableThemeDialogTexture","features":[308,358]},{"name":"EnableTheming","features":[308,358]},{"name":"EndBufferedAnimation","features":[308,358]},{"name":"EndBufferedPaint","features":[308,358]},{"name":"EndPanningFeedback","features":[308,358]},{"name":"EvaluateProximityToPolygon","features":[308,358]},{"name":"EvaluateProximityToRect","features":[308,358]},{"name":"FBS_EMPHASIZED","features":[358]},{"name":"FBS_NORMAL","features":[358]},{"name":"FEEDBACK_GESTURE_PRESSANDTAP","features":[358]},{"name":"FEEDBACK_MAX","features":[358]},{"name":"FEEDBACK_PEN_BARRELVISUALIZATION","features":[358]},{"name":"FEEDBACK_PEN_DOUBLETAP","features":[358]},{"name":"FEEDBACK_PEN_PRESSANDHOLD","features":[358]},{"name":"FEEDBACK_PEN_RIGHTTAP","features":[358]},{"name":"FEEDBACK_PEN_TAP","features":[358]},{"name":"FEEDBACK_TOUCH_CONTACTVISUALIZATION","features":[358]},{"name":"FEEDBACK_TOUCH_DOUBLETAP","features":[358]},{"name":"FEEDBACK_TOUCH_PRESSANDHOLD","features":[358]},{"name":"FEEDBACK_TOUCH_RIGHTTAP","features":[358]},{"name":"FEEDBACK_TOUCH_TAP","features":[358]},{"name":"FEEDBACK_TYPE","features":[358]},{"name":"FILEOPENORD","features":[358]},{"name":"FILLSTATES","features":[358]},{"name":"FILLTYPE","features":[358]},{"name":"FILLVERTSTATES","features":[358]},{"name":"FINDDLGORD","features":[358]},{"name":"FLH_HOVER","features":[358]},{"name":"FLH_NORMAL","features":[358]},{"name":"FLS_DISABLED","features":[358]},{"name":"FLS_EMPHASIZED","features":[358]},{"name":"FLS_NORMAL","features":[358]},{"name":"FLS_SELECTED","features":[358]},{"name":"FLYOUTLINK_HOVER","features":[358]},{"name":"FLYOUTLINK_NORMAL","features":[358]},{"name":"FLYOUTPARTS","features":[358]},{"name":"FLYOUT_BODY","features":[358]},{"name":"FLYOUT_DIVIDER","features":[358]},{"name":"FLYOUT_HEADER","features":[358]},{"name":"FLYOUT_LABEL","features":[358]},{"name":"FLYOUT_LINK","features":[358]},{"name":"FLYOUT_LINKAREA","features":[358]},{"name":"FLYOUT_LINKHEADER","features":[358]},{"name":"FLYOUT_WINDOW","features":[358]},{"name":"FONTDLGORD","features":[358]},{"name":"FORMATDLGORD30","features":[358]},{"name":"FORMATDLGORD31","features":[358]},{"name":"FRAMEBOTTOMSTATES","features":[358]},{"name":"FRAMELEFTSTATES","features":[358]},{"name":"FRAMERIGHTSTATES","features":[358]},{"name":"FRAMESTATES","features":[358]},{"name":"FRB_ACTIVE","features":[358]},{"name":"FRB_INACTIVE","features":[358]},{"name":"FRL_ACTIVE","features":[358]},{"name":"FRL_INACTIVE","features":[358]},{"name":"FRR_ACTIVE","features":[358]},{"name":"FRR_INACTIVE","features":[358]},{"name":"FSB_ENCARTA_MODE","features":[358]},{"name":"FSB_FLAT_MODE","features":[358]},{"name":"FSB_REGULAR_MODE","features":[358]},{"name":"FS_ACTIVE","features":[358]},{"name":"FS_INACTIVE","features":[358]},{"name":"FT_HORZGRADIENT","features":[358]},{"name":"FT_RADIALGRADIENT","features":[358]},{"name":"FT_SOLID","features":[358]},{"name":"FT_TILEIMAGE","features":[358]},{"name":"FT_VERTGRADIENT","features":[358]},{"name":"FlatSB_EnableScrollBar","features":[308,358]},{"name":"FlatSB_GetScrollInfo","features":[308,358,370]},{"name":"FlatSB_GetScrollPos","features":[308,358,370]},{"name":"FlatSB_GetScrollProp","features":[308,358]},{"name":"FlatSB_GetScrollRange","features":[308,358,370]},{"name":"FlatSB_SetScrollInfo","features":[308,358,370]},{"name":"FlatSB_SetScrollPos","features":[308,358,370]},{"name":"FlatSB_SetScrollProp","features":[308,358]},{"name":"FlatSB_SetScrollRange","features":[308,358,370]},{"name":"FlatSB_ShowScrollBar","features":[308,358,370]},{"name":"GBF_COPY","features":[358]},{"name":"GBF_DIRECT","features":[358]},{"name":"GBF_VALIDBITS","features":[358]},{"name":"GBS_DISABLED","features":[358]},{"name":"GBS_NORMAL","features":[358]},{"name":"GDTR_MAX","features":[358]},{"name":"GDTR_MIN","features":[358]},{"name":"GDT_ERROR","features":[358]},{"name":"GDT_NONE","features":[358]},{"name":"GDT_VALID","features":[358]},{"name":"GET_THEME_BITMAP_FLAGS","features":[358]},{"name":"GFST_DPI","features":[358]},{"name":"GFST_NONE","features":[358]},{"name":"GFST_SIZE","features":[358]},{"name":"GLPS_CLOSED","features":[358]},{"name":"GLPS_OPENED","features":[358]},{"name":"GLYPHFONTSIZINGTYPE","features":[358]},{"name":"GLYPHSTATES","features":[358]},{"name":"GLYPHTYPE","features":[358]},{"name":"GMR_DAYSTATE","features":[358]},{"name":"GMR_VISIBLE","features":[358]},{"name":"GRIDCELLBACKGROUNDSTATES","features":[358]},{"name":"GRIDCELLSTATES","features":[358]},{"name":"GRIDCELLUPPERSTATES","features":[358]},{"name":"GRIPPERSTATES","features":[358]},{"name":"GROUPBOXSTATES","features":[358]},{"name":"GROUPHEADERLINESTATES","features":[358]},{"name":"GROUPHEADERSTATES","features":[358]},{"name":"GT_FONTGLYPH","features":[358]},{"name":"GT_IMAGEGLYPH","features":[358]},{"name":"GT_NONE","features":[358]},{"name":"GetBufferedPaintBits","features":[319,358]},{"name":"GetBufferedPaintDC","features":[319,358]},{"name":"GetBufferedPaintTargetDC","features":[319,358]},{"name":"GetBufferedPaintTargetRect","features":[308,358]},{"name":"GetComboBoxInfo","features":[308,358]},{"name":"GetCurrentThemeName","features":[358]},{"name":"GetEffectiveClientRect","features":[308,358]},{"name":"GetListBoxInfo","features":[308,358]},{"name":"GetMUILanguage","features":[358]},{"name":"GetThemeAnimationProperty","features":[358]},{"name":"GetThemeAnimationTransform","features":[358]},{"name":"GetThemeAppProperties","features":[358]},{"name":"GetThemeBackgroundContentRect","features":[308,319,358]},{"name":"GetThemeBackgroundExtent","features":[308,319,358]},{"name":"GetThemeBackgroundRegion","features":[308,319,358]},{"name":"GetThemeBitmap","features":[319,358]},{"name":"GetThemeBool","features":[308,358]},{"name":"GetThemeColor","features":[308,358]},{"name":"GetThemeDocumentationProperty","features":[358]},{"name":"GetThemeEnumValue","features":[358]},{"name":"GetThemeFilename","features":[358]},{"name":"GetThemeFont","features":[319,358]},{"name":"GetThemeInt","features":[358]},{"name":"GetThemeIntList","features":[358]},{"name":"GetThemeMargins","features":[308,319,358]},{"name":"GetThemeMetric","features":[319,358]},{"name":"GetThemePartSize","features":[308,319,358]},{"name":"GetThemePosition","features":[308,358]},{"name":"GetThemePropertyOrigin","features":[358]},{"name":"GetThemeRect","features":[308,358]},{"name":"GetThemeStream","features":[308,358]},{"name":"GetThemeString","features":[358]},{"name":"GetThemeSysBool","features":[308,358]},{"name":"GetThemeSysColor","features":[308,358]},{"name":"GetThemeSysColorBrush","features":[319,358]},{"name":"GetThemeSysFont","features":[319,358]},{"name":"GetThemeSysInt","features":[358]},{"name":"GetThemeSysSize","features":[358]},{"name":"GetThemeSysString","features":[358]},{"name":"GetThemeTextExtent","features":[308,319,358]},{"name":"GetThemeTextMetrics","features":[319,358]},{"name":"GetThemeTimingFunction","features":[358]},{"name":"GetThemeTransitionDuration","features":[358]},{"name":"GetWindowFeedbackSetting","features":[308,358]},{"name":"GetWindowTheme","features":[308,358]},{"name":"HALIGN","features":[358]},{"name":"HA_CENTER","features":[358]},{"name":"HA_LEFT","features":[358]},{"name":"HA_RIGHT","features":[358]},{"name":"HBG_DETAILS","features":[358]},{"name":"HBG_ICON","features":[358]},{"name":"HBS_DISABLED","features":[358]},{"name":"HBS_HOT","features":[358]},{"name":"HBS_NORMAL","features":[358]},{"name":"HBS_PUSHED","features":[358]},{"name":"HDDFS_HOT","features":[358]},{"name":"HDDFS_NORMAL","features":[358]},{"name":"HDDFS_SOFTHOT","features":[358]},{"name":"HDDS_HOT","features":[358]},{"name":"HDDS_NORMAL","features":[358]},{"name":"HDDS_SOFTHOT","features":[358]},{"name":"HDFT_HASNOVALUE","features":[358]},{"name":"HDFT_ISDATE","features":[358]},{"name":"HDFT_ISNUMBER","features":[358]},{"name":"HDFT_ISSTRING","features":[358]},{"name":"HDF_BITMAP","features":[358]},{"name":"HDF_BITMAP_ON_RIGHT","features":[358]},{"name":"HDF_CENTER","features":[358]},{"name":"HDF_CHECKBOX","features":[358]},{"name":"HDF_CHECKED","features":[358]},{"name":"HDF_FIXEDWIDTH","features":[358]},{"name":"HDF_IMAGE","features":[358]},{"name":"HDF_JUSTIFYMASK","features":[358]},{"name":"HDF_LEFT","features":[358]},{"name":"HDF_OWNERDRAW","features":[358]},{"name":"HDF_RIGHT","features":[358]},{"name":"HDF_RTLREADING","features":[358]},{"name":"HDF_SORTDOWN","features":[358]},{"name":"HDF_SORTUP","features":[358]},{"name":"HDF_SPLITBUTTON","features":[358]},{"name":"HDF_STRING","features":[358]},{"name":"HDHITTESTINFO","features":[308,358]},{"name":"HDIS_FOCUSED","features":[358]},{"name":"HDITEMA","features":[308,319,358]},{"name":"HDITEMW","features":[308,319,358]},{"name":"HDI_BITMAP","features":[358]},{"name":"HDI_DI_SETITEM","features":[358]},{"name":"HDI_FILTER","features":[358]},{"name":"HDI_FORMAT","features":[358]},{"name":"HDI_HEIGHT","features":[358]},{"name":"HDI_IMAGE","features":[358]},{"name":"HDI_LPARAM","features":[358]},{"name":"HDI_MASK","features":[358]},{"name":"HDI_ORDER","features":[358]},{"name":"HDI_STATE","features":[358]},{"name":"HDI_TEXT","features":[358]},{"name":"HDI_WIDTH","features":[358]},{"name":"HDLAYOUT","features":[308,358,370]},{"name":"HDM_CLEARFILTER","features":[358]},{"name":"HDM_CREATEDRAGIMAGE","features":[358]},{"name":"HDM_DELETEITEM","features":[358]},{"name":"HDM_EDITFILTER","features":[358]},{"name":"HDM_FIRST","features":[358]},{"name":"HDM_GETBITMAPMARGIN","features":[358]},{"name":"HDM_GETFOCUSEDITEM","features":[358]},{"name":"HDM_GETIMAGELIST","features":[358]},{"name":"HDM_GETITEM","features":[358]},{"name":"HDM_GETITEMA","features":[358]},{"name":"HDM_GETITEMCOUNT","features":[358]},{"name":"HDM_GETITEMDROPDOWNRECT","features":[358]},{"name":"HDM_GETITEMRECT","features":[358]},{"name":"HDM_GETITEMW","features":[358]},{"name":"HDM_GETORDERARRAY","features":[358]},{"name":"HDM_GETOVERFLOWRECT","features":[358]},{"name":"HDM_GETUNICODEFORMAT","features":[358]},{"name":"HDM_HITTEST","features":[358]},{"name":"HDM_INSERTITEM","features":[358]},{"name":"HDM_INSERTITEMA","features":[358]},{"name":"HDM_INSERTITEMW","features":[358]},{"name":"HDM_LAYOUT","features":[358]},{"name":"HDM_ORDERTOINDEX","features":[358]},{"name":"HDM_SETBITMAPMARGIN","features":[358]},{"name":"HDM_SETFILTERCHANGETIMEOUT","features":[358]},{"name":"HDM_SETFOCUSEDITEM","features":[358]},{"name":"HDM_SETHOTDIVIDER","features":[358]},{"name":"HDM_SETIMAGELIST","features":[358]},{"name":"HDM_SETITEM","features":[358]},{"name":"HDM_SETITEMA","features":[358]},{"name":"HDM_SETITEMW","features":[358]},{"name":"HDM_SETORDERARRAY","features":[358]},{"name":"HDM_SETUNICODEFORMAT","features":[358]},{"name":"HDN_BEGINDRAG","features":[358]},{"name":"HDN_BEGINFILTEREDIT","features":[358]},{"name":"HDN_BEGINTRACK","features":[358]},{"name":"HDN_BEGINTRACKA","features":[358]},{"name":"HDN_BEGINTRACKW","features":[358]},{"name":"HDN_DIVIDERDBLCLICK","features":[358]},{"name":"HDN_DIVIDERDBLCLICKA","features":[358]},{"name":"HDN_DIVIDERDBLCLICKW","features":[358]},{"name":"HDN_DROPDOWN","features":[358]},{"name":"HDN_ENDDRAG","features":[358]},{"name":"HDN_ENDFILTEREDIT","features":[358]},{"name":"HDN_ENDTRACK","features":[358]},{"name":"HDN_ENDTRACKA","features":[358]},{"name":"HDN_ENDTRACKW","features":[358]},{"name":"HDN_FILTERBTNCLICK","features":[358]},{"name":"HDN_FILTERCHANGE","features":[358]},{"name":"HDN_FIRST","features":[358]},{"name":"HDN_GETDISPINFO","features":[358]},{"name":"HDN_GETDISPINFOA","features":[358]},{"name":"HDN_GETDISPINFOW","features":[358]},{"name":"HDN_ITEMCHANGED","features":[358]},{"name":"HDN_ITEMCHANGEDA","features":[358]},{"name":"HDN_ITEMCHANGEDW","features":[358]},{"name":"HDN_ITEMCHANGING","features":[358]},{"name":"HDN_ITEMCHANGINGA","features":[358]},{"name":"HDN_ITEMCHANGINGW","features":[358]},{"name":"HDN_ITEMCLICK","features":[358]},{"name":"HDN_ITEMCLICKA","features":[358]},{"name":"HDN_ITEMCLICKW","features":[358]},{"name":"HDN_ITEMDBLCLICK","features":[358]},{"name":"HDN_ITEMDBLCLICKA","features":[358]},{"name":"HDN_ITEMDBLCLICKW","features":[358]},{"name":"HDN_ITEMKEYDOWN","features":[358]},{"name":"HDN_ITEMSTATEICONCLICK","features":[358]},{"name":"HDN_LAST","features":[358]},{"name":"HDN_OVERFLOWCLICK","features":[358]},{"name":"HDN_TRACK","features":[358]},{"name":"HDN_TRACKA","features":[358]},{"name":"HDN_TRACKW","features":[358]},{"name":"HDPA","features":[358]},{"name":"HDSA","features":[358]},{"name":"HDSIL_NORMAL","features":[358]},{"name":"HDSIL_STATE","features":[358]},{"name":"HDS_BUTTONS","features":[358]},{"name":"HDS_CHECKBOXES","features":[358]},{"name":"HDS_DRAGDROP","features":[358]},{"name":"HDS_FILTERBAR","features":[358]},{"name":"HDS_FLAT","features":[358]},{"name":"HDS_FULLDRAG","features":[358]},{"name":"HDS_HIDDEN","features":[358]},{"name":"HDS_HORZ","features":[358]},{"name":"HDS_HOTTRACK","features":[358]},{"name":"HDS_NOSIZING","features":[358]},{"name":"HDS_OVERFLOW","features":[358]},{"name":"HD_TEXTFILTERA","features":[358]},{"name":"HD_TEXTFILTERW","features":[358]},{"name":"HEADERAREASTATES","features":[358]},{"name":"HEADERCLOSESTATES","features":[358]},{"name":"HEADERDROPDOWNFILTERSTATES","features":[358]},{"name":"HEADERDROPDOWNSTATES","features":[358]},{"name":"HEADERITEMLEFTSTATES","features":[358]},{"name":"HEADERITEMRIGHTSTATES","features":[358]},{"name":"HEADERITEMSTATES","features":[358]},{"name":"HEADEROVERFLOWSTATES","features":[358]},{"name":"HEADERPARTS","features":[358]},{"name":"HEADERPINSTATES","features":[358]},{"name":"HEADERSORTARROWSTATES","features":[358]},{"name":"HEADERSTYLESTATES","features":[358]},{"name":"HEADER_CONTROL_FORMAT_FLAGS","features":[358]},{"name":"HEADER_CONTROL_FORMAT_STATE","features":[358]},{"name":"HEADER_CONTROL_FORMAT_TYPE","features":[358]},{"name":"HEADER_CONTROL_NOTIFICATION_BUTTON","features":[358]},{"name":"HEADER_CONTROL_NOTIFICATION_BUTTON_LEFT","features":[358]},{"name":"HEADER_CONTROL_NOTIFICATION_BUTTON_MIDDLE","features":[358]},{"name":"HEADER_CONTROL_NOTIFICATION_BUTTON_RIGHT","features":[358]},{"name":"HEADER_HITTEST_INFO_FLAGS","features":[358]},{"name":"HELPBUTTONSTATES","features":[358]},{"name":"HELPLINKSTATES","features":[358]},{"name":"HGLPS_CLOSED","features":[358]},{"name":"HGLPS_OPENED","features":[358]},{"name":"HHT_ABOVE","features":[358]},{"name":"HHT_BELOW","features":[358]},{"name":"HHT_NOWHERE","features":[358]},{"name":"HHT_ONDIVIDER","features":[358]},{"name":"HHT_ONDIVOPEN","features":[358]},{"name":"HHT_ONDROPDOWN","features":[358]},{"name":"HHT_ONFILTER","features":[358]},{"name":"HHT_ONFILTERBUTTON","features":[358]},{"name":"HHT_ONHEADER","features":[358]},{"name":"HHT_ONITEMSTATEICON","features":[358]},{"name":"HHT_ONOVERFLOW","features":[358]},{"name":"HHT_TOLEFT","features":[358]},{"name":"HHT_TORIGHT","features":[358]},{"name":"HICF_ACCELERATOR","features":[358]},{"name":"HICF_ARROWKEYS","features":[358]},{"name":"HICF_DUPACCEL","features":[358]},{"name":"HICF_ENTERING","features":[358]},{"name":"HICF_LEAVING","features":[358]},{"name":"HICF_LMOUSE","features":[358]},{"name":"HICF_MOUSE","features":[358]},{"name":"HICF_OTHER","features":[358]},{"name":"HICF_RESELECT","features":[358]},{"name":"HICF_TOGGLEDROPDOWN","features":[358]},{"name":"HILS_HOT","features":[358]},{"name":"HILS_NORMAL","features":[358]},{"name":"HILS_PRESSED","features":[358]},{"name":"HIMAGELIST","features":[358]},{"name":"HIMAGELIST_QueryInterface","features":[358]},{"name":"HIRS_HOT","features":[358]},{"name":"HIRS_NORMAL","features":[358]},{"name":"HIRS_PRESSED","features":[358]},{"name":"HIST_ADDTOFAVORITES","features":[358]},{"name":"HIST_BACK","features":[358]},{"name":"HIST_FAVORITES","features":[358]},{"name":"HIST_FORWARD","features":[358]},{"name":"HIST_VIEWTREE","features":[358]},{"name":"HIS_HOT","features":[358]},{"name":"HIS_ICONHOT","features":[358]},{"name":"HIS_ICONNORMAL","features":[358]},{"name":"HIS_ICONPRESSED","features":[358]},{"name":"HIS_ICONSORTEDHOT","features":[358]},{"name":"HIS_ICONSORTEDNORMAL","features":[358]},{"name":"HIS_ICONSORTEDPRESSED","features":[358]},{"name":"HIS_NORMAL","features":[358]},{"name":"HIS_PRESSED","features":[358]},{"name":"HIS_SORTEDHOT","features":[358]},{"name":"HIS_SORTEDNORMAL","features":[358]},{"name":"HIS_SORTEDPRESSED","features":[358]},{"name":"HIT_TEST_BACKGROUND_OPTIONS","features":[358]},{"name":"HKCOMB_A","features":[358]},{"name":"HKCOMB_C","features":[358]},{"name":"HKCOMB_CA","features":[358]},{"name":"HKCOMB_NONE","features":[358]},{"name":"HKCOMB_S","features":[358]},{"name":"HKCOMB_SA","features":[358]},{"name":"HKCOMB_SC","features":[358]},{"name":"HKCOMB_SCA","features":[358]},{"name":"HKM_GETHOTKEY","features":[358]},{"name":"HKM_SETHOTKEY","features":[358]},{"name":"HKM_SETRULES","features":[358]},{"name":"HLS_LINKTEXT","features":[358]},{"name":"HLS_NORMALTEXT","features":[358]},{"name":"HOFS_HOT","features":[358]},{"name":"HOFS_NORMAL","features":[358]},{"name":"HORZSCROLLSTATES","features":[358]},{"name":"HORZTHUMBSTATES","features":[358]},{"name":"HOTGLYPHSTATES","features":[358]},{"name":"HOTKEYF_ALT","features":[358]},{"name":"HOTKEYF_CONTROL","features":[358]},{"name":"HOTKEYF_EXT","features":[358]},{"name":"HOTKEYF_SHIFT","features":[358]},{"name":"HOTKEY_CLASS","features":[358]},{"name":"HOTKEY_CLASSA","features":[358]},{"name":"HOTKEY_CLASSW","features":[358]},{"name":"HOVERBACKGROUNDSTATES","features":[358]},{"name":"HOVER_DEFAULT","features":[358]},{"name":"HPROPSHEETPAGE","features":[358]},{"name":"HP_HEADERDROPDOWN","features":[358]},{"name":"HP_HEADERDROPDOWNFILTER","features":[358]},{"name":"HP_HEADERITEM","features":[358]},{"name":"HP_HEADERITEMLEFT","features":[358]},{"name":"HP_HEADERITEMRIGHT","features":[358]},{"name":"HP_HEADEROVERFLOW","features":[358]},{"name":"HP_HEADERSORTARROW","features":[358]},{"name":"HSAS_SORTEDDOWN","features":[358]},{"name":"HSAS_SORTEDUP","features":[358]},{"name":"HSS_DISABLED","features":[358]},{"name":"HSS_HOT","features":[358]},{"name":"HSS_NORMAL","features":[358]},{"name":"HSS_PUSHED","features":[358]},{"name":"HSYNTHETICPOINTERDEVICE","features":[358]},{"name":"HTHEME","features":[358]},{"name":"HTREEITEM","features":[358]},{"name":"HTS_DISABLED","features":[358]},{"name":"HTS_HOT","features":[358]},{"name":"HTS_NORMAL","features":[358]},{"name":"HTS_PUSHED","features":[358]},{"name":"HTTB_BACKGROUNDSEG","features":[358]},{"name":"HTTB_CAPTION","features":[358]},{"name":"HTTB_FIXEDBORDER","features":[358]},{"name":"HTTB_RESIZINGBORDER","features":[358]},{"name":"HTTB_RESIZINGBORDER_BOTTOM","features":[358]},{"name":"HTTB_RESIZINGBORDER_LEFT","features":[358]},{"name":"HTTB_RESIZINGBORDER_RIGHT","features":[358]},{"name":"HTTB_RESIZINGBORDER_TOP","features":[358]},{"name":"HTTB_SIZINGTEMPLATE","features":[358]},{"name":"HTTB_SYSTEMSIZINGMARGINS","features":[358]},{"name":"HYPERLINKSTATES","features":[358]},{"name":"HYPERLINKTEXTSTATES","features":[358]},{"name":"HitTestThemeBackground","features":[308,319,358]},{"name":"ICC_ANIMATE_CLASS","features":[358]},{"name":"ICC_BAR_CLASSES","features":[358]},{"name":"ICC_COOL_CLASSES","features":[358]},{"name":"ICC_DATE_CLASSES","features":[358]},{"name":"ICC_HOTKEY_CLASS","features":[358]},{"name":"ICC_INTERNET_CLASSES","features":[358]},{"name":"ICC_LINK_CLASS","features":[358]},{"name":"ICC_LISTVIEW_CLASSES","features":[358]},{"name":"ICC_NATIVEFNTCTL_CLASS","features":[358]},{"name":"ICC_PAGESCROLLER_CLASS","features":[358]},{"name":"ICC_PROGRESS_CLASS","features":[358]},{"name":"ICC_STANDARD_CLASSES","features":[358]},{"name":"ICC_TAB_CLASSES","features":[358]},{"name":"ICC_TREEVIEW_CLASSES","features":[358]},{"name":"ICC_UPDOWN_CLASS","features":[358]},{"name":"ICC_USEREX_CLASSES","features":[358]},{"name":"ICC_WIN95_CLASSES","features":[358]},{"name":"ICE_ALPHA","features":[358]},{"name":"ICE_GLOW","features":[358]},{"name":"ICE_NONE","features":[358]},{"name":"ICE_PULSE","features":[358]},{"name":"ICE_SHADOW","features":[358]},{"name":"ICONEFFECT","features":[358]},{"name":"IDB_HIST_DISABLED","features":[358]},{"name":"IDB_HIST_HOT","features":[358]},{"name":"IDB_HIST_LARGE_COLOR","features":[358]},{"name":"IDB_HIST_NORMAL","features":[358]},{"name":"IDB_HIST_PRESSED","features":[358]},{"name":"IDB_HIST_SMALL_COLOR","features":[358]},{"name":"IDB_STD_LARGE_COLOR","features":[358]},{"name":"IDB_STD_SMALL_COLOR","features":[358]},{"name":"IDB_VIEW_LARGE_COLOR","features":[358]},{"name":"IDB_VIEW_SMALL_COLOR","features":[358]},{"name":"IDC_MANAGE_LINK","features":[358]},{"name":"ID_PSRESTARTWINDOWS","features":[358]},{"name":"IEBARMENUSTATES","features":[358]},{"name":"IImageList","features":[358]},{"name":"IImageList2","features":[358]},{"name":"ILCF_MOVE","features":[358]},{"name":"ILCF_SWAP","features":[358]},{"name":"ILC_COLOR","features":[358]},{"name":"ILC_COLOR16","features":[358]},{"name":"ILC_COLOR24","features":[358]},{"name":"ILC_COLOR32","features":[358]},{"name":"ILC_COLOR4","features":[358]},{"name":"ILC_COLOR8","features":[358]},{"name":"ILC_COLORDDB","features":[358]},{"name":"ILC_HIGHQUALITYSCALE","features":[358]},{"name":"ILC_MASK","features":[358]},{"name":"ILC_MIRROR","features":[358]},{"name":"ILC_ORIGINALSIZE","features":[358]},{"name":"ILC_PALETTE","features":[358]},{"name":"ILC_PERITEMMIRROR","features":[358]},{"name":"ILDI_PURGE","features":[358]},{"name":"ILDI_QUERYACCESS","features":[358]},{"name":"ILDI_RESETACCESS","features":[358]},{"name":"ILDI_STANDBY","features":[358]},{"name":"ILDRF_IMAGELOWQUALITY","features":[358]},{"name":"ILDRF_OVERLAYLOWQUALITY","features":[358]},{"name":"ILD_ASYNC","features":[358]},{"name":"ILD_BLEND","features":[358]},{"name":"ILD_BLEND25","features":[358]},{"name":"ILD_BLEND50","features":[358]},{"name":"ILD_DPISCALE","features":[358]},{"name":"ILD_FOCUS","features":[358]},{"name":"ILD_IMAGE","features":[358]},{"name":"ILD_MASK","features":[358]},{"name":"ILD_NORMAL","features":[358]},{"name":"ILD_OVERLAYMASK","features":[358]},{"name":"ILD_PRESERVEALPHA","features":[358]},{"name":"ILD_ROP","features":[358]},{"name":"ILD_SCALE","features":[358]},{"name":"ILD_SELECTED","features":[358]},{"name":"ILD_TRANSPARENT","features":[358]},{"name":"ILFIP_ALWAYS","features":[358]},{"name":"ILFIP_FROMSTANDBY","features":[358]},{"name":"ILGOS_ALWAYS","features":[358]},{"name":"ILGOS_FROMSTANDBY","features":[358]},{"name":"ILGT_ASYNC","features":[358]},{"name":"ILGT_NORMAL","features":[358]},{"name":"ILIF_ALPHA","features":[358]},{"name":"ILIF_LOWQUALITY","features":[358]},{"name":"ILP_DOWNLEVEL","features":[358]},{"name":"ILP_NORMAL","features":[358]},{"name":"ILR_DEFAULT","features":[358]},{"name":"ILR_HORIZONTAL_CENTER","features":[358]},{"name":"ILR_HORIZONTAL_LEFT","features":[358]},{"name":"ILR_HORIZONTAL_RIGHT","features":[358]},{"name":"ILR_SCALE_ASPECTRATIO","features":[358]},{"name":"ILR_SCALE_CLIP","features":[358]},{"name":"ILR_VERTICAL_BOTTOM","features":[358]},{"name":"ILR_VERTICAL_CENTER","features":[358]},{"name":"ILR_VERTICAL_TOP","features":[358]},{"name":"ILS_ALPHA","features":[358]},{"name":"ILS_GLOW","features":[358]},{"name":"ILS_NORMAL","features":[358]},{"name":"ILS_SATURATE","features":[358]},{"name":"ILS_SHADOW","features":[358]},{"name":"IL_HORIZONTAL","features":[358]},{"name":"IL_VERTICAL","features":[358]},{"name":"IMAGEINFO","features":[308,319,358]},{"name":"IMAGELAYOUT","features":[358]},{"name":"IMAGELISTDRAWPARAMS","features":[308,319,358]},{"name":"IMAGELISTSTATS","features":[358]},{"name":"IMAGELIST_CREATION_FLAGS","features":[358]},{"name":"IMAGESELECTTYPE","features":[358]},{"name":"IMAGE_LIST_COPY_FLAGS","features":[358]},{"name":"IMAGE_LIST_DRAW_STYLE","features":[358]},{"name":"IMAGE_LIST_ITEM_FLAGS","features":[358]},{"name":"IMAGE_LIST_WRITE_STREAM_FLAGS","features":[358]},{"name":"INFOTIPSIZE","features":[358]},{"name":"INITCOMMONCONTROLSEX","features":[358]},{"name":"INITCOMMONCONTROLSEX_ICC","features":[358]},{"name":"INTLIST","features":[358]},{"name":"INVALID_LINK_INDEX","features":[358]},{"name":"IPM_CLEARADDRESS","features":[358]},{"name":"IPM_GETADDRESS","features":[358]},{"name":"IPM_ISBLANK","features":[358]},{"name":"IPM_SETADDRESS","features":[358]},{"name":"IPM_SETFOCUS","features":[358]},{"name":"IPM_SETRANGE","features":[358]},{"name":"IPN_FIELDCHANGED","features":[358]},{"name":"IPN_FIRST","features":[358]},{"name":"IPN_LAST","features":[358]},{"name":"IST_DPI","features":[358]},{"name":"IST_NONE","features":[358]},{"name":"IST_SIZE","features":[358]},{"name":"ITEMSTATES","features":[358]},{"name":"I_CHILDRENAUTO","features":[358]},{"name":"I_CHILDRENCALLBACK","features":[358]},{"name":"I_GROUPIDCALLBACK","features":[358]},{"name":"I_GROUPIDNONE","features":[358]},{"name":"I_IMAGECALLBACK","features":[358]},{"name":"I_IMAGENONE","features":[358]},{"name":"I_INDENTCALLBACK","features":[358]},{"name":"I_ONE_OR_MORE","features":[358]},{"name":"I_ZERO","features":[358]},{"name":"ImageList","features":[358]},{"name":"ImageList_Add","features":[319,358]},{"name":"ImageList_AddMasked","features":[308,319,358]},{"name":"ImageList_BeginDrag","features":[308,358]},{"name":"ImageList_CoCreateInstance","features":[358]},{"name":"ImageList_Copy","features":[308,358]},{"name":"ImageList_Create","features":[358]},{"name":"ImageList_Destroy","features":[308,358]},{"name":"ImageList_DragEnter","features":[308,358]},{"name":"ImageList_DragLeave","features":[308,358]},{"name":"ImageList_DragMove","features":[308,358]},{"name":"ImageList_DragShowNolock","features":[308,358]},{"name":"ImageList_Draw","features":[308,319,358]},{"name":"ImageList_DrawEx","features":[308,319,358]},{"name":"ImageList_DrawIndirect","features":[308,319,358]},{"name":"ImageList_Duplicate","features":[358]},{"name":"ImageList_EndDrag","features":[358]},{"name":"ImageList_GetBkColor","features":[308,358]},{"name":"ImageList_GetDragImage","features":[308,358]},{"name":"ImageList_GetIcon","features":[358,370]},{"name":"ImageList_GetIconSize","features":[308,358]},{"name":"ImageList_GetImageCount","features":[358]},{"name":"ImageList_GetImageInfo","features":[308,319,358]},{"name":"ImageList_LoadImageA","features":[308,358,370]},{"name":"ImageList_LoadImageW","features":[308,358,370]},{"name":"ImageList_Merge","features":[358]},{"name":"ImageList_Read","features":[359,358]},{"name":"ImageList_ReadEx","features":[359,358]},{"name":"ImageList_Remove","features":[308,358]},{"name":"ImageList_Replace","features":[308,319,358]},{"name":"ImageList_ReplaceIcon","features":[358,370]},{"name":"ImageList_SetBkColor","features":[308,358]},{"name":"ImageList_SetDragCursorImage","features":[308,358]},{"name":"ImageList_SetIconSize","features":[308,358]},{"name":"ImageList_SetImageCount","features":[308,358]},{"name":"ImageList_SetOverlayImage","features":[308,358]},{"name":"ImageList_Write","features":[308,359,358]},{"name":"ImageList_WriteEx","features":[359,358]},{"name":"InitCommonControls","features":[358]},{"name":"InitCommonControlsEx","features":[308,358]},{"name":"InitMUILanguage","features":[358]},{"name":"InitializeFlatSB","features":[308,358]},{"name":"IsAppThemed","features":[308,358]},{"name":"IsCharLowerW","features":[308,358]},{"name":"IsCompositionActive","features":[308,358]},{"name":"IsDlgButtonChecked","features":[308,358]},{"name":"IsThemeActive","features":[308,358]},{"name":"IsThemeBackgroundPartiallyTransparent","features":[308,358]},{"name":"IsThemeDialogTextureEnabled","features":[308,358]},{"name":"IsThemePartDefined","features":[308,358]},{"name":"LABELSTATES","features":[358]},{"name":"LBCP_BORDER_HSCROLL","features":[358]},{"name":"LBCP_BORDER_HVSCROLL","features":[358]},{"name":"LBCP_BORDER_NOSCROLL","features":[358]},{"name":"LBCP_BORDER_VSCROLL","features":[358]},{"name":"LBCP_ITEM","features":[358]},{"name":"LBItemFromPt","features":[308,358]},{"name":"LBPSHV_DISABLED","features":[358]},{"name":"LBPSHV_FOCUSED","features":[358]},{"name":"LBPSHV_HOT","features":[358]},{"name":"LBPSHV_NORMAL","features":[358]},{"name":"LBPSH_DISABLED","features":[358]},{"name":"LBPSH_FOCUSED","features":[358]},{"name":"LBPSH_HOT","features":[358]},{"name":"LBPSH_NORMAL","features":[358]},{"name":"LBPSI_HOT","features":[358]},{"name":"LBPSI_HOTSELECTED","features":[358]},{"name":"LBPSI_SELECTED","features":[358]},{"name":"LBPSI_SELECTEDNOTFOCUS","features":[358]},{"name":"LBPSN_DISABLED","features":[358]},{"name":"LBPSN_FOCUSED","features":[358]},{"name":"LBPSN_HOT","features":[358]},{"name":"LBPSN_NORMAL","features":[358]},{"name":"LBPSV_DISABLED","features":[358]},{"name":"LBPSV_FOCUSED","features":[358]},{"name":"LBPSV_HOT","features":[358]},{"name":"LBPSV_NORMAL","features":[358]},{"name":"LHITTESTINFO","features":[308,358]},{"name":"LIF_ITEMID","features":[358]},{"name":"LIF_ITEMINDEX","features":[358]},{"name":"LIF_STATE","features":[358]},{"name":"LIF_URL","features":[358]},{"name":"LIM_LARGE","features":[358]},{"name":"LIM_SMALL","features":[358]},{"name":"LINKHEADERSTATES","features":[358]},{"name":"LINKPARTS","features":[358]},{"name":"LINKSTATES","features":[358]},{"name":"LISS_DISABLED","features":[358]},{"name":"LISS_HOT","features":[358]},{"name":"LISS_HOTSELECTED","features":[358]},{"name":"LISS_NORMAL","features":[358]},{"name":"LISS_SELECTED","features":[358]},{"name":"LISS_SELECTEDNOTFOCUS","features":[358]},{"name":"LISTBOXPARTS","features":[358]},{"name":"LISTITEMSTATES","features":[358]},{"name":"LISTVIEWPARTS","features":[358]},{"name":"LIST_ITEM_FLAGS","features":[358]},{"name":"LIST_ITEM_STATE_FLAGS","features":[358]},{"name":"LIST_VIEW_BACKGROUND_IMAGE_FLAGS","features":[358]},{"name":"LIST_VIEW_GROUP_ALIGN_FLAGS","features":[358]},{"name":"LIST_VIEW_GROUP_STATE_FLAGS","features":[358]},{"name":"LIST_VIEW_ITEM_COLUMN_FORMAT_FLAGS","features":[358]},{"name":"LIST_VIEW_ITEM_FLAGS","features":[358]},{"name":"LIST_VIEW_ITEM_STATE_FLAGS","features":[358]},{"name":"LIS_DEFAULTCOLORS","features":[358]},{"name":"LIS_ENABLED","features":[358]},{"name":"LIS_FOCUSED","features":[358]},{"name":"LIS_HOTTRACK","features":[358]},{"name":"LIS_VISITED","features":[358]},{"name":"LITEM","features":[358]},{"name":"LM_GETIDEALHEIGHT","features":[358]},{"name":"LM_GETIDEALSIZE","features":[358]},{"name":"LM_GETITEM","features":[358]},{"name":"LM_HITTEST","features":[358]},{"name":"LM_SETITEM","features":[358]},{"name":"LOGOFFBUTTONSSTATES","features":[358]},{"name":"LPFNADDPROPSHEETPAGES","features":[308,358]},{"name":"LPFNCCINFOA","features":[308,319,358]},{"name":"LPFNCCINFOW","features":[308,319,358]},{"name":"LPFNCCSIZETOTEXTA","features":[319,358]},{"name":"LPFNCCSIZETOTEXTW","features":[319,358]},{"name":"LPFNCCSTYLEA","features":[308,358]},{"name":"LPFNCCSTYLEW","features":[308,358]},{"name":"LPFNPSPCALLBACKA","features":[308,319,358,370]},{"name":"LPFNPSPCALLBACKW","features":[308,319,358,370]},{"name":"LPFNSVADDPROPSHEETPAGE","features":[308,358]},{"name":"LP_HYPERLINK","features":[358]},{"name":"LVA_ALIGNLEFT","features":[358]},{"name":"LVA_ALIGNTOP","features":[358]},{"name":"LVA_DEFAULT","features":[358]},{"name":"LVA_SNAPTOGRID","features":[358]},{"name":"LVBKIF_FLAG_ALPHABLEND","features":[358]},{"name":"LVBKIF_FLAG_TILEOFFSET","features":[358]},{"name":"LVBKIF_SOURCE_HBITMAP","features":[358]},{"name":"LVBKIF_SOURCE_MASK","features":[358]},{"name":"LVBKIF_SOURCE_NONE","features":[358]},{"name":"LVBKIF_SOURCE_URL","features":[358]},{"name":"LVBKIF_STYLE_MASK","features":[358]},{"name":"LVBKIF_STYLE_NORMAL","features":[358]},{"name":"LVBKIF_STYLE_TILE","features":[358]},{"name":"LVBKIF_TYPE_WATERMARK","features":[358]},{"name":"LVBKIMAGEA","features":[319,358]},{"name":"LVBKIMAGEW","features":[319,358]},{"name":"LVCB_HOVER","features":[358]},{"name":"LVCB_NORMAL","features":[358]},{"name":"LVCB_PUSHED","features":[358]},{"name":"LVCDI_GROUP","features":[358]},{"name":"LVCDI_ITEM","features":[358]},{"name":"LVCDI_ITEMSLIST","features":[358]},{"name":"LVCDRF_NOGROUPFRAME","features":[358]},{"name":"LVCDRF_NOSELECT","features":[358]},{"name":"LVCFMT_BITMAP_ON_RIGHT","features":[358]},{"name":"LVCFMT_CENTER","features":[358]},{"name":"LVCFMT_COL_HAS_IMAGES","features":[358]},{"name":"LVCFMT_FILL","features":[358]},{"name":"LVCFMT_FIXED_RATIO","features":[358]},{"name":"LVCFMT_FIXED_WIDTH","features":[358]},{"name":"LVCFMT_IMAGE","features":[358]},{"name":"LVCFMT_JUSTIFYMASK","features":[358]},{"name":"LVCFMT_LEFT","features":[358]},{"name":"LVCFMT_LINE_BREAK","features":[358]},{"name":"LVCFMT_NO_DPI_SCALE","features":[358]},{"name":"LVCFMT_NO_TITLE","features":[358]},{"name":"LVCFMT_RIGHT","features":[358]},{"name":"LVCFMT_SPLITBUTTON","features":[358]},{"name":"LVCFMT_TILE_PLACEMENTMASK","features":[358]},{"name":"LVCFMT_WRAP","features":[358]},{"name":"LVCF_DEFAULTWIDTH","features":[358]},{"name":"LVCF_FMT","features":[358]},{"name":"LVCF_IDEALWIDTH","features":[358]},{"name":"LVCF_IMAGE","features":[358]},{"name":"LVCF_MINWIDTH","features":[358]},{"name":"LVCF_ORDER","features":[358]},{"name":"LVCF_SUBITEM","features":[358]},{"name":"LVCF_TEXT","features":[358]},{"name":"LVCF_WIDTH","features":[358]},{"name":"LVCOLUMNA","features":[358]},{"name":"LVCOLUMNW","features":[358]},{"name":"LVCOLUMNW_FORMAT","features":[358]},{"name":"LVCOLUMNW_MASK","features":[358]},{"name":"LVEB_HOVER","features":[358]},{"name":"LVEB_NORMAL","features":[358]},{"name":"LVEB_PUSHED","features":[358]},{"name":"LVFF_ITEMCOUNT","features":[358]},{"name":"LVFIF_STATE","features":[358]},{"name":"LVFIF_TEXT","features":[358]},{"name":"LVFINDINFOA","features":[308,358]},{"name":"LVFINDINFOW","features":[308,358]},{"name":"LVFINDINFOW_FLAGS","features":[358]},{"name":"LVFIS_FOCUSED","features":[358]},{"name":"LVFI_NEARESTXY","features":[358]},{"name":"LVFI_PARAM","features":[358]},{"name":"LVFI_PARTIAL","features":[358]},{"name":"LVFI_STRING","features":[358]},{"name":"LVFI_SUBSTRING","features":[358]},{"name":"LVFI_WRAP","features":[358]},{"name":"LVFOOTERINFO","features":[358]},{"name":"LVFOOTERITEM","features":[358]},{"name":"LVFOOTERITEM_MASK","features":[358]},{"name":"LVGA_FOOTER_CENTER","features":[358]},{"name":"LVGA_FOOTER_LEFT","features":[358]},{"name":"LVGA_FOOTER_RIGHT","features":[358]},{"name":"LVGA_HEADER_CENTER","features":[358]},{"name":"LVGA_HEADER_LEFT","features":[358]},{"name":"LVGA_HEADER_RIGHT","features":[358]},{"name":"LVGF_ALIGN","features":[358]},{"name":"LVGF_DESCRIPTIONBOTTOM","features":[358]},{"name":"LVGF_DESCRIPTIONTOP","features":[358]},{"name":"LVGF_EXTENDEDIMAGE","features":[358]},{"name":"LVGF_FOOTER","features":[358]},{"name":"LVGF_GROUPID","features":[358]},{"name":"LVGF_HEADER","features":[358]},{"name":"LVGF_ITEMS","features":[358]},{"name":"LVGF_NONE","features":[358]},{"name":"LVGF_STATE","features":[358]},{"name":"LVGF_SUBSET","features":[358]},{"name":"LVGF_SUBSETITEMS","features":[358]},{"name":"LVGF_SUBTITLE","features":[358]},{"name":"LVGF_TASK","features":[358]},{"name":"LVGF_TITLEIMAGE","features":[358]},{"name":"LVGGR_GROUP","features":[358]},{"name":"LVGGR_HEADER","features":[358]},{"name":"LVGGR_LABEL","features":[358]},{"name":"LVGGR_SUBSETLINK","features":[358]},{"name":"LVGHL_CLOSE","features":[358]},{"name":"LVGHL_CLOSEHOT","features":[358]},{"name":"LVGHL_CLOSEMIXEDSELECTION","features":[358]},{"name":"LVGHL_CLOSEMIXEDSELECTIONHOT","features":[358]},{"name":"LVGHL_CLOSESELECTED","features":[358]},{"name":"LVGHL_CLOSESELECTEDHOT","features":[358]},{"name":"LVGHL_CLOSESELECTEDNOTFOCUSED","features":[358]},{"name":"LVGHL_CLOSESELECTEDNOTFOCUSEDHOT","features":[358]},{"name":"LVGHL_OPEN","features":[358]},{"name":"LVGHL_OPENHOT","features":[358]},{"name":"LVGHL_OPENMIXEDSELECTION","features":[358]},{"name":"LVGHL_OPENMIXEDSELECTIONHOT","features":[358]},{"name":"LVGHL_OPENSELECTED","features":[358]},{"name":"LVGHL_OPENSELECTEDHOT","features":[358]},{"name":"LVGHL_OPENSELECTEDNOTFOCUSED","features":[358]},{"name":"LVGHL_OPENSELECTEDNOTFOCUSEDHOT","features":[358]},{"name":"LVGH_CLOSE","features":[358]},{"name":"LVGH_CLOSEHOT","features":[358]},{"name":"LVGH_CLOSEMIXEDSELECTION","features":[358]},{"name":"LVGH_CLOSEMIXEDSELECTIONHOT","features":[358]},{"name":"LVGH_CLOSESELECTED","features":[358]},{"name":"LVGH_CLOSESELECTEDHOT","features":[358]},{"name":"LVGH_CLOSESELECTEDNOTFOCUSED","features":[358]},{"name":"LVGH_CLOSESELECTEDNOTFOCUSEDHOT","features":[358]},{"name":"LVGH_OPEN","features":[358]},{"name":"LVGH_OPENHOT","features":[358]},{"name":"LVGH_OPENMIXEDSELECTION","features":[358]},{"name":"LVGH_OPENMIXEDSELECTIONHOT","features":[358]},{"name":"LVGH_OPENSELECTED","features":[358]},{"name":"LVGH_OPENSELECTEDHOT","features":[358]},{"name":"LVGH_OPENSELECTEDNOTFOCUSED","features":[358]},{"name":"LVGH_OPENSELECTEDNOTFOCUSEDHOT","features":[358]},{"name":"LVGIT_UNFOLDED","features":[358]},{"name":"LVGIT_ZERO","features":[358]},{"name":"LVGMF_BORDERCOLOR","features":[358]},{"name":"LVGMF_BORDERSIZE","features":[358]},{"name":"LVGMF_NONE","features":[358]},{"name":"LVGMF_TEXTCOLOR","features":[358]},{"name":"LVGROUP","features":[358]},{"name":"LVGROUPMETRICS","features":[308,358]},{"name":"LVGROUP_MASK","features":[358]},{"name":"LVGS_COLLAPSED","features":[358]},{"name":"LVGS_COLLAPSIBLE","features":[358]},{"name":"LVGS_FOCUSED","features":[358]},{"name":"LVGS_HIDDEN","features":[358]},{"name":"LVGS_NOHEADER","features":[358]},{"name":"LVGS_NORMAL","features":[358]},{"name":"LVGS_SELECTED","features":[358]},{"name":"LVGS_SUBSETED","features":[358]},{"name":"LVGS_SUBSETLINKFOCUSED","features":[358]},{"name":"LVHITTESTINFO","features":[308,358]},{"name":"LVHITTESTINFO_FLAGS","features":[358]},{"name":"LVHT_ABOVE","features":[358]},{"name":"LVHT_BELOW","features":[358]},{"name":"LVHT_EX_FOOTER","features":[358]},{"name":"LVHT_EX_GROUP","features":[358]},{"name":"LVHT_EX_GROUP_BACKGROUND","features":[358]},{"name":"LVHT_EX_GROUP_COLLAPSE","features":[358]},{"name":"LVHT_EX_GROUP_FOOTER","features":[358]},{"name":"LVHT_EX_GROUP_HEADER","features":[358]},{"name":"LVHT_EX_GROUP_STATEICON","features":[358]},{"name":"LVHT_EX_GROUP_SUBSETLINK","features":[358]},{"name":"LVHT_EX_ONCONTENTS","features":[358]},{"name":"LVHT_NOWHERE","features":[358]},{"name":"LVHT_ONITEMICON","features":[358]},{"name":"LVHT_ONITEMLABEL","features":[358]},{"name":"LVHT_ONITEMSTATEICON","features":[358]},{"name":"LVHT_TOLEFT","features":[358]},{"name":"LVHT_TORIGHT","features":[358]},{"name":"LVIF_COLFMT","features":[358]},{"name":"LVIF_COLUMNS","features":[358]},{"name":"LVIF_DI_SETITEM","features":[358]},{"name":"LVIF_GROUPID","features":[358]},{"name":"LVIF_IMAGE","features":[358]},{"name":"LVIF_INDENT","features":[358]},{"name":"LVIF_NORECOMPUTE","features":[358]},{"name":"LVIF_PARAM","features":[358]},{"name":"LVIF_STATE","features":[358]},{"name":"LVIF_TEXT","features":[358]},{"name":"LVIM_AFTER","features":[358]},{"name":"LVINSERTGROUPSORTED","features":[358]},{"name":"LVINSERTMARK","features":[358]},{"name":"LVIR_BOUNDS","features":[358]},{"name":"LVIR_ICON","features":[358]},{"name":"LVIR_LABEL","features":[358]},{"name":"LVIR_SELECTBOUNDS","features":[358]},{"name":"LVIS_ACTIVATING","features":[358]},{"name":"LVIS_CUT","features":[358]},{"name":"LVIS_DROPHILITED","features":[358]},{"name":"LVIS_FOCUSED","features":[358]},{"name":"LVIS_GLOW","features":[358]},{"name":"LVIS_OVERLAYMASK","features":[358]},{"name":"LVIS_SELECTED","features":[358]},{"name":"LVIS_STATEIMAGEMASK","features":[358]},{"name":"LVITEMA","features":[308,358]},{"name":"LVITEMA_GROUP_ID","features":[358]},{"name":"LVITEMINDEX","features":[358]},{"name":"LVITEMW","features":[308,358]},{"name":"LVKF_ALT","features":[358]},{"name":"LVKF_CONTROL","features":[358]},{"name":"LVKF_SHIFT","features":[358]},{"name":"LVM_APPROXIMATEVIEWRECT","features":[358]},{"name":"LVM_ARRANGE","features":[358]},{"name":"LVM_CANCELEDITLABEL","features":[358]},{"name":"LVM_CREATEDRAGIMAGE","features":[358]},{"name":"LVM_DELETEALLITEMS","features":[358]},{"name":"LVM_DELETECOLUMN","features":[358]},{"name":"LVM_DELETEITEM","features":[358]},{"name":"LVM_EDITLABEL","features":[358]},{"name":"LVM_EDITLABELA","features":[358]},{"name":"LVM_EDITLABELW","features":[358]},{"name":"LVM_ENABLEGROUPVIEW","features":[358]},{"name":"LVM_ENSUREVISIBLE","features":[358]},{"name":"LVM_FINDITEM","features":[358]},{"name":"LVM_FINDITEMA","features":[358]},{"name":"LVM_FINDITEMW","features":[358]},{"name":"LVM_FIRST","features":[358]},{"name":"LVM_GETBKCOLOR","features":[358]},{"name":"LVM_GETBKIMAGE","features":[358]},{"name":"LVM_GETBKIMAGEA","features":[358]},{"name":"LVM_GETBKIMAGEW","features":[358]},{"name":"LVM_GETCALLBACKMASK","features":[358]},{"name":"LVM_GETCOLUMN","features":[358]},{"name":"LVM_GETCOLUMNA","features":[358]},{"name":"LVM_GETCOLUMNORDERARRAY","features":[358]},{"name":"LVM_GETCOLUMNW","features":[358]},{"name":"LVM_GETCOLUMNWIDTH","features":[358]},{"name":"LVM_GETCOUNTPERPAGE","features":[358]},{"name":"LVM_GETEDITCONTROL","features":[358]},{"name":"LVM_GETEMPTYTEXT","features":[358]},{"name":"LVM_GETEXTENDEDLISTVIEWSTYLE","features":[358]},{"name":"LVM_GETFOCUSEDGROUP","features":[358]},{"name":"LVM_GETFOOTERINFO","features":[358]},{"name":"LVM_GETFOOTERITEM","features":[358]},{"name":"LVM_GETFOOTERITEMRECT","features":[358]},{"name":"LVM_GETFOOTERRECT","features":[358]},{"name":"LVM_GETGROUPCOUNT","features":[358]},{"name":"LVM_GETGROUPINFO","features":[358]},{"name":"LVM_GETGROUPINFOBYINDEX","features":[358]},{"name":"LVM_GETGROUPMETRICS","features":[358]},{"name":"LVM_GETGROUPRECT","features":[358]},{"name":"LVM_GETGROUPSTATE","features":[358]},{"name":"LVM_GETHEADER","features":[358]},{"name":"LVM_GETHOTCURSOR","features":[358]},{"name":"LVM_GETHOTITEM","features":[358]},{"name":"LVM_GETHOVERTIME","features":[358]},{"name":"LVM_GETIMAGELIST","features":[358]},{"name":"LVM_GETINSERTMARK","features":[358]},{"name":"LVM_GETINSERTMARKCOLOR","features":[358]},{"name":"LVM_GETINSERTMARKRECT","features":[358]},{"name":"LVM_GETISEARCHSTRING","features":[358]},{"name":"LVM_GETISEARCHSTRINGA","features":[358]},{"name":"LVM_GETISEARCHSTRINGW","features":[358]},{"name":"LVM_GETITEM","features":[358]},{"name":"LVM_GETITEMA","features":[358]},{"name":"LVM_GETITEMCOUNT","features":[358]},{"name":"LVM_GETITEMINDEXRECT","features":[358]},{"name":"LVM_GETITEMPOSITION","features":[358]},{"name":"LVM_GETITEMRECT","features":[358]},{"name":"LVM_GETITEMSPACING","features":[358]},{"name":"LVM_GETITEMSTATE","features":[358]},{"name":"LVM_GETITEMTEXT","features":[358]},{"name":"LVM_GETITEMTEXTA","features":[358]},{"name":"LVM_GETITEMTEXTW","features":[358]},{"name":"LVM_GETITEMW","features":[358]},{"name":"LVM_GETNEXTITEM","features":[358]},{"name":"LVM_GETNEXTITEMINDEX","features":[358]},{"name":"LVM_GETNUMBEROFWORKAREAS","features":[358]},{"name":"LVM_GETORIGIN","features":[358]},{"name":"LVM_GETOUTLINECOLOR","features":[358]},{"name":"LVM_GETSELECTEDCOLUMN","features":[358]},{"name":"LVM_GETSELECTEDCOUNT","features":[358]},{"name":"LVM_GETSELECTIONMARK","features":[358]},{"name":"LVM_GETSTRINGWIDTH","features":[358]},{"name":"LVM_GETSTRINGWIDTHA","features":[358]},{"name":"LVM_GETSTRINGWIDTHW","features":[358]},{"name":"LVM_GETSUBITEMRECT","features":[358]},{"name":"LVM_GETTEXTBKCOLOR","features":[358]},{"name":"LVM_GETTEXTCOLOR","features":[358]},{"name":"LVM_GETTILEINFO","features":[358]},{"name":"LVM_GETTILEVIEWINFO","features":[358]},{"name":"LVM_GETTOOLTIPS","features":[358]},{"name":"LVM_GETTOPINDEX","features":[358]},{"name":"LVM_GETUNICODEFORMAT","features":[358]},{"name":"LVM_GETVIEW","features":[358]},{"name":"LVM_GETVIEWRECT","features":[358]},{"name":"LVM_GETWORKAREAS","features":[358]},{"name":"LVM_HASGROUP","features":[358]},{"name":"LVM_HITTEST","features":[358]},{"name":"LVM_INSERTCOLUMN","features":[358]},{"name":"LVM_INSERTCOLUMNA","features":[358]},{"name":"LVM_INSERTCOLUMNW","features":[358]},{"name":"LVM_INSERTGROUP","features":[358]},{"name":"LVM_INSERTGROUPSORTED","features":[358]},{"name":"LVM_INSERTITEM","features":[358]},{"name":"LVM_INSERTITEMA","features":[358]},{"name":"LVM_INSERTITEMW","features":[358]},{"name":"LVM_INSERTMARKHITTEST","features":[358]},{"name":"LVM_ISGROUPVIEWENABLED","features":[358]},{"name":"LVM_ISITEMVISIBLE","features":[358]},{"name":"LVM_MAPIDTOINDEX","features":[358]},{"name":"LVM_MAPINDEXTOID","features":[358]},{"name":"LVM_MOVEGROUP","features":[358]},{"name":"LVM_MOVEITEMTOGROUP","features":[358]},{"name":"LVM_REDRAWITEMS","features":[358]},{"name":"LVM_REMOVEALLGROUPS","features":[358]},{"name":"LVM_REMOVEGROUP","features":[358]},{"name":"LVM_SCROLL","features":[358]},{"name":"LVM_SETBKCOLOR","features":[358]},{"name":"LVM_SETBKIMAGE","features":[358]},{"name":"LVM_SETBKIMAGEA","features":[358]},{"name":"LVM_SETBKIMAGEW","features":[358]},{"name":"LVM_SETCALLBACKMASK","features":[358]},{"name":"LVM_SETCOLUMN","features":[358]},{"name":"LVM_SETCOLUMNA","features":[358]},{"name":"LVM_SETCOLUMNORDERARRAY","features":[358]},{"name":"LVM_SETCOLUMNW","features":[358]},{"name":"LVM_SETCOLUMNWIDTH","features":[358]},{"name":"LVM_SETEXTENDEDLISTVIEWSTYLE","features":[358]},{"name":"LVM_SETGROUPINFO","features":[358]},{"name":"LVM_SETGROUPMETRICS","features":[358]},{"name":"LVM_SETHOTCURSOR","features":[358]},{"name":"LVM_SETHOTITEM","features":[358]},{"name":"LVM_SETHOVERTIME","features":[358]},{"name":"LVM_SETICONSPACING","features":[358]},{"name":"LVM_SETIMAGELIST","features":[358]},{"name":"LVM_SETINFOTIP","features":[358]},{"name":"LVM_SETINSERTMARK","features":[358]},{"name":"LVM_SETINSERTMARKCOLOR","features":[358]},{"name":"LVM_SETITEM","features":[358]},{"name":"LVM_SETITEMA","features":[358]},{"name":"LVM_SETITEMCOUNT","features":[358]},{"name":"LVM_SETITEMINDEXSTATE","features":[358]},{"name":"LVM_SETITEMPOSITION","features":[358]},{"name":"LVM_SETITEMPOSITION32","features":[358]},{"name":"LVM_SETITEMSTATE","features":[358]},{"name":"LVM_SETITEMTEXT","features":[358]},{"name":"LVM_SETITEMTEXTA","features":[358]},{"name":"LVM_SETITEMTEXTW","features":[358]},{"name":"LVM_SETITEMW","features":[358]},{"name":"LVM_SETOUTLINECOLOR","features":[358]},{"name":"LVM_SETSELECTEDCOLUMN","features":[358]},{"name":"LVM_SETSELECTIONMARK","features":[358]},{"name":"LVM_SETTEXTBKCOLOR","features":[358]},{"name":"LVM_SETTEXTCOLOR","features":[358]},{"name":"LVM_SETTILEINFO","features":[358]},{"name":"LVM_SETTILEVIEWINFO","features":[358]},{"name":"LVM_SETTOOLTIPS","features":[358]},{"name":"LVM_SETUNICODEFORMAT","features":[358]},{"name":"LVM_SETVIEW","features":[358]},{"name":"LVM_SETWORKAREAS","features":[358]},{"name":"LVM_SORTGROUPS","features":[358]},{"name":"LVM_SORTITEMS","features":[358]},{"name":"LVM_SORTITEMSEX","features":[358]},{"name":"LVM_SUBITEMHITTEST","features":[358]},{"name":"LVM_UPDATE","features":[358]},{"name":"LVNI_ABOVE","features":[358]},{"name":"LVNI_ALL","features":[358]},{"name":"LVNI_BELOW","features":[358]},{"name":"LVNI_CUT","features":[358]},{"name":"LVNI_DROPHILITED","features":[358]},{"name":"LVNI_FOCUSED","features":[358]},{"name":"LVNI_PREVIOUS","features":[358]},{"name":"LVNI_SAMEGROUPONLY","features":[358]},{"name":"LVNI_SELECTED","features":[358]},{"name":"LVNI_TOLEFT","features":[358]},{"name":"LVNI_TORIGHT","features":[358]},{"name":"LVNI_VISIBLEONLY","features":[358]},{"name":"LVNI_VISIBLEORDER","features":[358]},{"name":"LVNSCH_DEFAULT","features":[358]},{"name":"LVNSCH_ERROR","features":[358]},{"name":"LVNSCH_IGNORE","features":[358]},{"name":"LVN_BEGINDRAG","features":[358]},{"name":"LVN_BEGINLABELEDIT","features":[358]},{"name":"LVN_BEGINLABELEDITA","features":[358]},{"name":"LVN_BEGINLABELEDITW","features":[358]},{"name":"LVN_BEGINRDRAG","features":[358]},{"name":"LVN_BEGINSCROLL","features":[358]},{"name":"LVN_COLUMNCLICK","features":[358]},{"name":"LVN_COLUMNDROPDOWN","features":[358]},{"name":"LVN_COLUMNOVERFLOWCLICK","features":[358]},{"name":"LVN_DELETEALLITEMS","features":[358]},{"name":"LVN_DELETEITEM","features":[358]},{"name":"LVN_ENDLABELEDIT","features":[358]},{"name":"LVN_ENDLABELEDITA","features":[358]},{"name":"LVN_ENDLABELEDITW","features":[358]},{"name":"LVN_ENDSCROLL","features":[358]},{"name":"LVN_FIRST","features":[358]},{"name":"LVN_GETDISPINFO","features":[358]},{"name":"LVN_GETDISPINFOA","features":[358]},{"name":"LVN_GETDISPINFOW","features":[358]},{"name":"LVN_GETEMPTYMARKUP","features":[358]},{"name":"LVN_GETINFOTIP","features":[358]},{"name":"LVN_GETINFOTIPA","features":[358]},{"name":"LVN_GETINFOTIPW","features":[358]},{"name":"LVN_HOTTRACK","features":[358]},{"name":"LVN_INCREMENTALSEARCH","features":[358]},{"name":"LVN_INCREMENTALSEARCHA","features":[358]},{"name":"LVN_INCREMENTALSEARCHW","features":[358]},{"name":"LVN_INSERTITEM","features":[358]},{"name":"LVN_ITEMACTIVATE","features":[358]},{"name":"LVN_ITEMCHANGED","features":[358]},{"name":"LVN_ITEMCHANGING","features":[358]},{"name":"LVN_KEYDOWN","features":[358]},{"name":"LVN_LAST","features":[358]},{"name":"LVN_LINKCLICK","features":[358]},{"name":"LVN_MARQUEEBEGIN","features":[358]},{"name":"LVN_ODCACHEHINT","features":[358]},{"name":"LVN_ODFINDITEM","features":[358]},{"name":"LVN_ODFINDITEMA","features":[358]},{"name":"LVN_ODFINDITEMW","features":[358]},{"name":"LVN_ODSTATECHANGED","features":[358]},{"name":"LVN_SETDISPINFO","features":[358]},{"name":"LVN_SETDISPINFOA","features":[358]},{"name":"LVN_SETDISPINFOW","features":[358]},{"name":"LVP_COLLAPSEBUTTON","features":[358]},{"name":"LVP_COLUMNDETAIL","features":[358]},{"name":"LVP_EMPTYTEXT","features":[358]},{"name":"LVP_EXPANDBUTTON","features":[358]},{"name":"LVP_GROUPHEADER","features":[358]},{"name":"LVP_GROUPHEADERLINE","features":[358]},{"name":"LVP_LISTDETAIL","features":[358]},{"name":"LVP_LISTGROUP","features":[358]},{"name":"LVP_LISTITEM","features":[358]},{"name":"LVP_LISTSORTEDDETAIL","features":[358]},{"name":"LVSCW_AUTOSIZE","features":[358]},{"name":"LVSCW_AUTOSIZE_USEHEADER","features":[358]},{"name":"LVSETINFOTIP","features":[358]},{"name":"LVSICF_NOINVALIDATEALL","features":[358]},{"name":"LVSICF_NOSCROLL","features":[358]},{"name":"LVSIL_GROUPHEADER","features":[358]},{"name":"LVSIL_NORMAL","features":[358]},{"name":"LVSIL_SMALL","features":[358]},{"name":"LVSIL_STATE","features":[358]},{"name":"LVS_ALIGNLEFT","features":[358]},{"name":"LVS_ALIGNMASK","features":[358]},{"name":"LVS_ALIGNTOP","features":[358]},{"name":"LVS_AUTOARRANGE","features":[358]},{"name":"LVS_EDITLABELS","features":[358]},{"name":"LVS_EX_AUTOAUTOARRANGE","features":[358]},{"name":"LVS_EX_AUTOCHECKSELECT","features":[358]},{"name":"LVS_EX_AUTOSIZECOLUMNS","features":[358]},{"name":"LVS_EX_BORDERSELECT","features":[358]},{"name":"LVS_EX_CHECKBOXES","features":[358]},{"name":"LVS_EX_COLUMNOVERFLOW","features":[358]},{"name":"LVS_EX_COLUMNSNAPPOINTS","features":[358]},{"name":"LVS_EX_DOUBLEBUFFER","features":[358]},{"name":"LVS_EX_FLATSB","features":[358]},{"name":"LVS_EX_FULLROWSELECT","features":[358]},{"name":"LVS_EX_GRIDLINES","features":[358]},{"name":"LVS_EX_HEADERDRAGDROP","features":[358]},{"name":"LVS_EX_HEADERINALLVIEWS","features":[358]},{"name":"LVS_EX_HIDELABELS","features":[358]},{"name":"LVS_EX_INFOTIP","features":[358]},{"name":"LVS_EX_JUSTIFYCOLUMNS","features":[358]},{"name":"LVS_EX_LABELTIP","features":[358]},{"name":"LVS_EX_MULTIWORKAREAS","features":[358]},{"name":"LVS_EX_ONECLICKACTIVATE","features":[358]},{"name":"LVS_EX_REGIONAL","features":[358]},{"name":"LVS_EX_SIMPLESELECT","features":[358]},{"name":"LVS_EX_SINGLEROW","features":[358]},{"name":"LVS_EX_SNAPTOGRID","features":[358]},{"name":"LVS_EX_SUBITEMIMAGES","features":[358]},{"name":"LVS_EX_TRACKSELECT","features":[358]},{"name":"LVS_EX_TRANSPARENTBKGND","features":[358]},{"name":"LVS_EX_TRANSPARENTSHADOWTEXT","features":[358]},{"name":"LVS_EX_TWOCLICKACTIVATE","features":[358]},{"name":"LVS_EX_UNDERLINECOLD","features":[358]},{"name":"LVS_EX_UNDERLINEHOT","features":[358]},{"name":"LVS_ICON","features":[358]},{"name":"LVS_LIST","features":[358]},{"name":"LVS_NOCOLUMNHEADER","features":[358]},{"name":"LVS_NOLABELWRAP","features":[358]},{"name":"LVS_NOSCROLL","features":[358]},{"name":"LVS_NOSORTHEADER","features":[358]},{"name":"LVS_OWNERDATA","features":[358]},{"name":"LVS_OWNERDRAWFIXED","features":[358]},{"name":"LVS_REPORT","features":[358]},{"name":"LVS_SHAREIMAGELISTS","features":[358]},{"name":"LVS_SHOWSELALWAYS","features":[358]},{"name":"LVS_SINGLESEL","features":[358]},{"name":"LVS_SMALLICON","features":[358]},{"name":"LVS_SORTASCENDING","features":[358]},{"name":"LVS_SORTDESCENDING","features":[358]},{"name":"LVS_TYPEMASK","features":[358]},{"name":"LVS_TYPESTYLEMASK","features":[358]},{"name":"LVTILEINFO","features":[358]},{"name":"LVTILEVIEWINFO","features":[308,358]},{"name":"LVTILEVIEWINFO_FLAGS","features":[358]},{"name":"LVTILEVIEWINFO_MASK","features":[358]},{"name":"LVTVIF_AUTOSIZE","features":[358]},{"name":"LVTVIF_EXTENDED","features":[358]},{"name":"LVTVIF_FIXEDHEIGHT","features":[358]},{"name":"LVTVIF_FIXEDSIZE","features":[358]},{"name":"LVTVIF_FIXEDWIDTH","features":[358]},{"name":"LVTVIM_COLUMNS","features":[358]},{"name":"LVTVIM_LABELMARGIN","features":[358]},{"name":"LVTVIM_TILESIZE","features":[358]},{"name":"LV_MAX_WORKAREAS","features":[358]},{"name":"LV_VIEW_DETAILS","features":[358]},{"name":"LV_VIEW_ICON","features":[358]},{"name":"LV_VIEW_LIST","features":[358]},{"name":"LV_VIEW_MAX","features":[358]},{"name":"LV_VIEW_SMALLICON","features":[358]},{"name":"LV_VIEW_TILE","features":[358]},{"name":"LWS_IGNORERETURN","features":[358]},{"name":"LWS_NOPREFIX","features":[358]},{"name":"LWS_RIGHT","features":[358]},{"name":"LWS_TRANSPARENT","features":[358]},{"name":"LWS_USECUSTOMTEXT","features":[358]},{"name":"LWS_USEVISUALSTYLE","features":[358]},{"name":"LoadIconMetric","features":[308,358,370]},{"name":"LoadIconWithScaleDown","features":[308,358,370]},{"name":"MARGINS","features":[358]},{"name":"MARKUPTEXTSTATES","features":[358]},{"name":"MAXBS_DISABLED","features":[358]},{"name":"MAXBS_HOT","features":[358]},{"name":"MAXBS_NORMAL","features":[358]},{"name":"MAXBS_PUSHED","features":[358]},{"name":"MAXBUTTONSTATES","features":[358]},{"name":"MAXCAPTIONSTATES","features":[358]},{"name":"MAXPROPPAGES","features":[358]},{"name":"MAX_INTLIST_COUNT","features":[358]},{"name":"MAX_LINKID_TEXT","features":[358]},{"name":"MAX_THEMECOLOR","features":[358]},{"name":"MAX_THEMESIZE","features":[358]},{"name":"MBI_DISABLED","features":[358]},{"name":"MBI_DISABLEDHOT","features":[358]},{"name":"MBI_DISABLEDPUSHED","features":[358]},{"name":"MBI_HOT","features":[358]},{"name":"MBI_NORMAL","features":[358]},{"name":"MBI_PUSHED","features":[358]},{"name":"MB_ACTIVE","features":[358]},{"name":"MB_INACTIVE","features":[358]},{"name":"MCB_BITMAP","features":[358]},{"name":"MCB_DISABLED","features":[358]},{"name":"MCB_NORMAL","features":[358]},{"name":"MCGCB_HOT","features":[358]},{"name":"MCGCB_SELECTED","features":[358]},{"name":"MCGCB_SELECTEDHOT","features":[358]},{"name":"MCGCB_SELECTEDNOTFOCUSED","features":[358]},{"name":"MCGCB_TODAY","features":[358]},{"name":"MCGCB_TODAYSELECTED","features":[358]},{"name":"MCGCU_HASSTATE","features":[358]},{"name":"MCGCU_HASSTATEHOT","features":[358]},{"name":"MCGCU_HOT","features":[358]},{"name":"MCGCU_SELECTED","features":[358]},{"name":"MCGCU_SELECTEDHOT","features":[358]},{"name":"MCGC_HASSTATE","features":[358]},{"name":"MCGC_HASSTATEHOT","features":[358]},{"name":"MCGC_HOT","features":[358]},{"name":"MCGC_SELECTED","features":[358]},{"name":"MCGC_SELECTEDHOT","features":[358]},{"name":"MCGC_TODAY","features":[358]},{"name":"MCGC_TODAYSELECTED","features":[358]},{"name":"MCGIF_DATE","features":[358]},{"name":"MCGIF_NAME","features":[358]},{"name":"MCGIF_RECT","features":[358]},{"name":"MCGIP_CALENDAR","features":[358]},{"name":"MCGIP_CALENDARBODY","features":[358]},{"name":"MCGIP_CALENDARCELL","features":[358]},{"name":"MCGIP_CALENDARCONTROL","features":[358]},{"name":"MCGIP_CALENDARHEADER","features":[358]},{"name":"MCGIP_CALENDARROW","features":[358]},{"name":"MCGIP_FOOTER","features":[358]},{"name":"MCGIP_NEXT","features":[358]},{"name":"MCGIP_PREV","features":[358]},{"name":"MCGRIDINFO","features":[308,358]},{"name":"MCGRIDINFO_FLAGS","features":[358]},{"name":"MCGRIDINFO_PART","features":[358]},{"name":"MCHITTESTINFO","features":[308,358]},{"name":"MCHITTESTINFO_HIT_FLAGS","features":[358]},{"name":"MCHT_CALENDAR","features":[358]},{"name":"MCHT_CALENDARBK","features":[358]},{"name":"MCHT_CALENDARCONTROL","features":[358]},{"name":"MCHT_CALENDARDATE","features":[358]},{"name":"MCHT_CALENDARDATEMAX","features":[358]},{"name":"MCHT_CALENDARDATEMIN","features":[358]},{"name":"MCHT_CALENDARDATENEXT","features":[358]},{"name":"MCHT_CALENDARDATEPREV","features":[358]},{"name":"MCHT_CALENDARDAY","features":[358]},{"name":"MCHT_CALENDARWEEKNUM","features":[358]},{"name":"MCHT_NEXT","features":[358]},{"name":"MCHT_NOWHERE","features":[358]},{"name":"MCHT_PREV","features":[358]},{"name":"MCHT_TITLE","features":[358]},{"name":"MCHT_TITLEBK","features":[358]},{"name":"MCHT_TITLEBTNNEXT","features":[358]},{"name":"MCHT_TITLEBTNPREV","features":[358]},{"name":"MCHT_TITLEMONTH","features":[358]},{"name":"MCHT_TITLEYEAR","features":[358]},{"name":"MCHT_TODAYLINK","features":[358]},{"name":"MCMV_CENTURY","features":[358]},{"name":"MCMV_DECADE","features":[358]},{"name":"MCMV_MAX","features":[358]},{"name":"MCMV_MONTH","features":[358]},{"name":"MCMV_YEAR","features":[358]},{"name":"MCM_FIRST","features":[358]},{"name":"MCM_GETCALENDARBORDER","features":[358]},{"name":"MCM_GETCALENDARCOUNT","features":[358]},{"name":"MCM_GETCALENDARGRIDINFO","features":[358]},{"name":"MCM_GETCALID","features":[358]},{"name":"MCM_GETCOLOR","features":[358]},{"name":"MCM_GETCURRENTVIEW","features":[358]},{"name":"MCM_GETCURSEL","features":[358]},{"name":"MCM_GETFIRSTDAYOFWEEK","features":[358]},{"name":"MCM_GETMAXSELCOUNT","features":[358]},{"name":"MCM_GETMAXTODAYWIDTH","features":[358]},{"name":"MCM_GETMINREQRECT","features":[358]},{"name":"MCM_GETMONTHDELTA","features":[358]},{"name":"MCM_GETMONTHRANGE","features":[358]},{"name":"MCM_GETRANGE","features":[358]},{"name":"MCM_GETSELRANGE","features":[358]},{"name":"MCM_GETTODAY","features":[358]},{"name":"MCM_GETUNICODEFORMAT","features":[358]},{"name":"MCM_HITTEST","features":[358]},{"name":"MCM_SETCALENDARBORDER","features":[358]},{"name":"MCM_SETCALID","features":[358]},{"name":"MCM_SETCOLOR","features":[358]},{"name":"MCM_SETCURRENTVIEW","features":[358]},{"name":"MCM_SETCURSEL","features":[358]},{"name":"MCM_SETDAYSTATE","features":[358]},{"name":"MCM_SETFIRSTDAYOFWEEK","features":[358]},{"name":"MCM_SETMAXSELCOUNT","features":[358]},{"name":"MCM_SETMONTHDELTA","features":[358]},{"name":"MCM_SETRANGE","features":[358]},{"name":"MCM_SETSELRANGE","features":[358]},{"name":"MCM_SETTODAY","features":[358]},{"name":"MCM_SETUNICODEFORMAT","features":[358]},{"name":"MCM_SIZERECTTOMIN","features":[358]},{"name":"MCNN_DISABLED","features":[358]},{"name":"MCNN_HOT","features":[358]},{"name":"MCNN_NORMAL","features":[358]},{"name":"MCNN_PRESSED","features":[358]},{"name":"MCNP_DISABLED","features":[358]},{"name":"MCNP_HOT","features":[358]},{"name":"MCNP_NORMAL","features":[358]},{"name":"MCNP_PRESSED","features":[358]},{"name":"MCN_FIRST","features":[358]},{"name":"MCN_GETDAYSTATE","features":[358]},{"name":"MCN_LAST","features":[358]},{"name":"MCN_SELCHANGE","features":[358]},{"name":"MCN_SELECT","features":[358]},{"name":"MCN_VIEWCHANGE","features":[358]},{"name":"MCSC_BACKGROUND","features":[358]},{"name":"MCSC_MONTHBK","features":[358]},{"name":"MCSC_TEXT","features":[358]},{"name":"MCSC_TITLEBK","features":[358]},{"name":"MCSC_TITLETEXT","features":[358]},{"name":"MCSC_TRAILINGTEXT","features":[358]},{"name":"MCS_DAYSTATE","features":[358]},{"name":"MCS_MULTISELECT","features":[358]},{"name":"MCS_NOSELCHANGEONNAV","features":[358]},{"name":"MCS_NOTODAY","features":[358]},{"name":"MCS_NOTODAYCIRCLE","features":[358]},{"name":"MCS_NOTRAILINGDATES","features":[358]},{"name":"MCS_SHORTDAYSOFWEEK","features":[358]},{"name":"MCS_WEEKNUMBERS","features":[358]},{"name":"MCTGCU_HASSTATE","features":[358]},{"name":"MCTGCU_HASSTATEHOT","features":[358]},{"name":"MCTGCU_HOT","features":[358]},{"name":"MCTGCU_SELECTED","features":[358]},{"name":"MCTGCU_SELECTEDHOT","features":[358]},{"name":"MCTGC_HASSTATE","features":[358]},{"name":"MCTGC_HASSTATEHOT","features":[358]},{"name":"MCTGC_HOT","features":[358]},{"name":"MCTGC_SELECTED","features":[358]},{"name":"MCTGC_SELECTEDHOT","features":[358]},{"name":"MCTGC_TODAY","features":[358]},{"name":"MCTGC_TODAYSELECTED","features":[358]},{"name":"MC_BACKGROUND","features":[358]},{"name":"MC_BORDERS","features":[358]},{"name":"MC_BULLETDISABLED","features":[358]},{"name":"MC_BULLETNORMAL","features":[358]},{"name":"MC_CHECKMARKDISABLED","features":[358]},{"name":"MC_CHECKMARKNORMAL","features":[358]},{"name":"MC_COLHEADERSPLITTER","features":[358]},{"name":"MC_GRIDBACKGROUND","features":[358]},{"name":"MC_GRIDCELL","features":[358]},{"name":"MC_GRIDCELLBACKGROUND","features":[358]},{"name":"MC_GRIDCELLUPPER","features":[358]},{"name":"MC_NAVNEXT","features":[358]},{"name":"MC_NAVPREV","features":[358]},{"name":"MC_TRAILINGGRIDCELL","features":[358]},{"name":"MC_TRAILINGGRIDCELLUPPER","features":[358]},{"name":"MDCL_DISABLED","features":[358]},{"name":"MDCL_HOT","features":[358]},{"name":"MDCL_NORMAL","features":[358]},{"name":"MDCL_PUSHED","features":[358]},{"name":"MDICLOSEBUTTONSTATES","features":[358]},{"name":"MDIMINBUTTONSTATES","features":[358]},{"name":"MDIRESTOREBUTTONSTATES","features":[358]},{"name":"MDMI_DISABLED","features":[358]},{"name":"MDMI_HOT","features":[358]},{"name":"MDMI_NORMAL","features":[358]},{"name":"MDMI_PUSHED","features":[358]},{"name":"MDP_NEWAPPBUTTON","features":[358]},{"name":"MDP_SEPERATOR","features":[358]},{"name":"MDRE_DISABLED","features":[358]},{"name":"MDRE_HOT","features":[358]},{"name":"MDRE_NORMAL","features":[358]},{"name":"MDRE_PUSHED","features":[358]},{"name":"MDS_CHECKED","features":[358]},{"name":"MDS_DISABLED","features":[358]},{"name":"MDS_HOT","features":[358]},{"name":"MDS_HOTCHECKED","features":[358]},{"name":"MDS_NORMAL","features":[358]},{"name":"MDS_PRESSED","features":[358]},{"name":"MEASUREITEMSTRUCT","features":[358]},{"name":"MENUBANDPARTS","features":[358]},{"name":"MENUBANDSTATES","features":[358]},{"name":"MENUPARTS","features":[358]},{"name":"MENU_BARBACKGROUND","features":[358]},{"name":"MENU_BARITEM","features":[358]},{"name":"MENU_CHEVRON_TMSCHEMA","features":[358]},{"name":"MENU_MENUBARDROPDOWN_TMSCHEMA","features":[358]},{"name":"MENU_MENUBARITEM_TMSCHEMA","features":[358]},{"name":"MENU_MENUDROPDOWN_TMSCHEMA","features":[358]},{"name":"MENU_MENUITEM_TMSCHEMA","features":[358]},{"name":"MENU_POPUPBACKGROUND","features":[358]},{"name":"MENU_POPUPBORDERS","features":[358]},{"name":"MENU_POPUPCHECK","features":[358]},{"name":"MENU_POPUPCHECKBACKGROUND","features":[358]},{"name":"MENU_POPUPGUTTER","features":[358]},{"name":"MENU_POPUPITEM","features":[358]},{"name":"MENU_POPUPITEMKBFOCUS","features":[358]},{"name":"MENU_POPUPITEM_FOCUSABLE","features":[358]},{"name":"MENU_POPUPSEPARATOR","features":[358]},{"name":"MENU_POPUPSUBMENU","features":[358]},{"name":"MENU_POPUPSUBMENU_HCHOT","features":[358]},{"name":"MENU_SEPARATOR_TMSCHEMA","features":[358]},{"name":"MENU_SYSTEMCLOSE","features":[358]},{"name":"MENU_SYSTEMCLOSE_HCHOT","features":[358]},{"name":"MENU_SYSTEMMAXIMIZE","features":[358]},{"name":"MENU_SYSTEMMAXIMIZE_HCHOT","features":[358]},{"name":"MENU_SYSTEMMINIMIZE","features":[358]},{"name":"MENU_SYSTEMMINIMIZE_HCHOT","features":[358]},{"name":"MENU_SYSTEMRESTORE","features":[358]},{"name":"MENU_SYSTEMRESTORE_HCHOT","features":[358]},{"name":"MINBS_DISABLED","features":[358]},{"name":"MINBS_HOT","features":[358]},{"name":"MINBS_NORMAL","features":[358]},{"name":"MINBS_PUSHED","features":[358]},{"name":"MINBUTTONSTATES","features":[358]},{"name":"MINCAPTIONSTATES","features":[358]},{"name":"MNCS_ACTIVE","features":[358]},{"name":"MNCS_DISABLED","features":[358]},{"name":"MNCS_INACTIVE","features":[358]},{"name":"MONTHCALPARTS","features":[358]},{"name":"MONTHCAL_CLASS","features":[358]},{"name":"MONTHCAL_CLASSA","features":[358]},{"name":"MONTHCAL_CLASSW","features":[358]},{"name":"MONTH_CALDENDAR_MESSAGES_VIEW","features":[358]},{"name":"MOREPROGRAMSARROWBACKSTATES","features":[358]},{"name":"MOREPROGRAMSARROWSTATES","features":[358]},{"name":"MOREPROGRAMSTABSTATES","features":[358]},{"name":"MOVESTATES","features":[358]},{"name":"MPIF_DISABLED","features":[358]},{"name":"MPIF_DISABLEDHOT","features":[358]},{"name":"MPIF_HOT","features":[358]},{"name":"MPIF_NORMAL","features":[358]},{"name":"MPIKBFOCUS_NORMAL","features":[358]},{"name":"MPI_DISABLED","features":[358]},{"name":"MPI_DISABLEDHOT","features":[358]},{"name":"MPI_HOT","features":[358]},{"name":"MPI_NORMAL","features":[358]},{"name":"MSGF_COMMCTRL_BEGINDRAG","features":[358]},{"name":"MSGF_COMMCTRL_DRAGSELECT","features":[358]},{"name":"MSGF_COMMCTRL_SIZEHEADER","features":[358]},{"name":"MSGF_COMMCTRL_TOOLBARCUST","features":[358]},{"name":"MSMHC_HOT","features":[358]},{"name":"MSM_DISABLED","features":[358]},{"name":"MSM_NORMAL","features":[358]},{"name":"MSYSCHC_HOT","features":[358]},{"name":"MSYSC_DISABLED","features":[358]},{"name":"MSYSC_NORMAL","features":[358]},{"name":"MSYSMNHC_HOT","features":[358]},{"name":"MSYSMN_DISABLED","features":[358]},{"name":"MSYSMN_NORMAL","features":[358]},{"name":"MSYSMXHC_HOT","features":[358]},{"name":"MSYSMX_DISABLED","features":[358]},{"name":"MSYSMX_NORMAL","features":[358]},{"name":"MSYSRHC_HOT","features":[358]},{"name":"MSYSR_DISABLED","features":[358]},{"name":"MSYSR_NORMAL","features":[358]},{"name":"MULTIFILEOPENORD","features":[358]},{"name":"MXCS_ACTIVE","features":[358]},{"name":"MXCS_DISABLED","features":[358]},{"name":"MXCS_INACTIVE","features":[358]},{"name":"MakeDragList","features":[308,358]},{"name":"MenuHelp","features":[308,358,370]},{"name":"NAVIGATIONPARTS","features":[358]},{"name":"NAVNEXTSTATES","features":[358]},{"name":"NAVPREVSTATES","features":[358]},{"name":"NAV_BACKBUTTON","features":[358]},{"name":"NAV_BACKBUTTONSTATES","features":[358]},{"name":"NAV_BB_DISABLED","features":[358]},{"name":"NAV_BB_HOT","features":[358]},{"name":"NAV_BB_NORMAL","features":[358]},{"name":"NAV_BB_PRESSED","features":[358]},{"name":"NAV_FB_DISABLED","features":[358]},{"name":"NAV_FB_HOT","features":[358]},{"name":"NAV_FB_NORMAL","features":[358]},{"name":"NAV_FB_PRESSED","features":[358]},{"name":"NAV_FORWARDBUTTON","features":[358]},{"name":"NAV_FORWARDBUTTONSTATES","features":[358]},{"name":"NAV_MB_DISABLED","features":[358]},{"name":"NAV_MB_HOT","features":[358]},{"name":"NAV_MB_NORMAL","features":[358]},{"name":"NAV_MB_PRESSED","features":[358]},{"name":"NAV_MENUBUTTON","features":[358]},{"name":"NAV_MENUBUTTONSTATES","features":[358]},{"name":"NEWFILEOPENORD","features":[358]},{"name":"NEWFILEOPENV2ORD","features":[358]},{"name":"NEWFILEOPENV3ORD","features":[358]},{"name":"NEWFORMATDLGWITHLINK","features":[358]},{"name":"NFS_ALL","features":[358]},{"name":"NFS_BUTTON","features":[358]},{"name":"NFS_EDIT","features":[358]},{"name":"NFS_LISTCOMBO","features":[358]},{"name":"NFS_STATIC","features":[358]},{"name":"NFS_USEFONTASSOC","features":[358]},{"name":"NMBCDROPDOWN","features":[308,358]},{"name":"NMBCHOTITEM","features":[308,358]},{"name":"NMCBEDRAGBEGINA","features":[308,358]},{"name":"NMCBEDRAGBEGINW","features":[308,358]},{"name":"NMCBEENDEDITA","features":[308,358]},{"name":"NMCBEENDEDITW","features":[308,358]},{"name":"NMCHAR","features":[308,358]},{"name":"NMCOMBOBOXEXA","features":[308,358]},{"name":"NMCOMBOBOXEXW","features":[308,358]},{"name":"NMCUSTOMDRAW","features":[308,319,358]},{"name":"NMCUSTOMDRAW_DRAW_STAGE","features":[358]},{"name":"NMCUSTOMDRAW_DRAW_STATE_FLAGS","features":[358]},{"name":"NMCUSTOMSPLITRECTINFO","features":[308,358]},{"name":"NMCUSTOMTEXT","features":[308,319,358]},{"name":"NMDATETIMECHANGE","features":[308,358]},{"name":"NMDATETIMECHANGE_FLAGS","features":[358]},{"name":"NMDATETIMEFORMATA","features":[308,358]},{"name":"NMDATETIMEFORMATQUERYA","features":[308,358]},{"name":"NMDATETIMEFORMATQUERYW","features":[308,358]},{"name":"NMDATETIMEFORMATW","features":[308,358]},{"name":"NMDATETIMESTRINGA","features":[308,358]},{"name":"NMDATETIMESTRINGW","features":[308,358]},{"name":"NMDATETIMEWMKEYDOWNA","features":[308,358]},{"name":"NMDATETIMEWMKEYDOWNW","features":[308,358]},{"name":"NMDAYSTATE","features":[308,358]},{"name":"NMHDDISPINFOA","features":[308,358]},{"name":"NMHDDISPINFOW","features":[308,358]},{"name":"NMHDFILTERBTNCLICK","features":[308,358]},{"name":"NMHDR","features":[308,358]},{"name":"NMHEADERA","features":[308,319,358]},{"name":"NMHEADERW","features":[308,319,358]},{"name":"NMIPADDRESS","features":[308,358]},{"name":"NMITEMACTIVATE","features":[308,358]},{"name":"NMKEY","features":[308,358]},{"name":"NMLINK","features":[308,358]},{"name":"NMLISTVIEW","features":[308,358]},{"name":"NMLVCACHEHINT","features":[308,358]},{"name":"NMLVCUSTOMDRAW","features":[308,319,358]},{"name":"NMLVCUSTOMDRAW_ITEM_TYPE","features":[358]},{"name":"NMLVDISPINFOA","features":[308,358]},{"name":"NMLVDISPINFOW","features":[308,358]},{"name":"NMLVEMPTYMARKUP","features":[308,358]},{"name":"NMLVEMPTYMARKUP_FLAGS","features":[358]},{"name":"NMLVFINDITEMA","features":[308,358]},{"name":"NMLVFINDITEMW","features":[308,358]},{"name":"NMLVGETINFOTIPA","features":[308,358]},{"name":"NMLVGETINFOTIPW","features":[308,358]},{"name":"NMLVGETINFOTIP_FLAGS","features":[358]},{"name":"NMLVKEYDOWN","features":[308,358]},{"name":"NMLVLINK","features":[308,358]},{"name":"NMLVODSTATECHANGE","features":[308,358]},{"name":"NMLVSCROLL","features":[308,358]},{"name":"NMMOUSE","features":[308,358]},{"name":"NMOBJECTNOTIFY","features":[308,358]},{"name":"NMPGCALCSIZE","features":[308,358]},{"name":"NMPGCALCSIZE_FLAGS","features":[358]},{"name":"NMPGHOTITEM","features":[308,358]},{"name":"NMPGSCROLL","features":[308,358]},{"name":"NMPGSCROLL_DIR","features":[358]},{"name":"NMPGSCROLL_KEYS","features":[358]},{"name":"NMRBAUTOSIZE","features":[308,358]},{"name":"NMREBAR","features":[308,358]},{"name":"NMREBARAUTOBREAK","features":[308,358]},{"name":"NMREBARCHEVRON","features":[308,358]},{"name":"NMREBARCHILDSIZE","features":[308,358]},{"name":"NMREBARSPLITTER","features":[308,358]},{"name":"NMREBAR_MASK_FLAGS","features":[358]},{"name":"NMSEARCHWEB","features":[308,358]},{"name":"NMSELCHANGE","features":[308,358]},{"name":"NMTBCUSTOMDRAW","features":[308,319,358]},{"name":"NMTBDISPINFOA","features":[308,358]},{"name":"NMTBDISPINFOW","features":[308,358]},{"name":"NMTBDISPINFOW_MASK","features":[358]},{"name":"NMTBGETINFOTIPA","features":[308,358]},{"name":"NMTBGETINFOTIPW","features":[308,358]},{"name":"NMTBHOTITEM","features":[308,358]},{"name":"NMTBHOTITEM_FLAGS","features":[358]},{"name":"NMTBRESTORE","features":[308,358]},{"name":"NMTBSAVE","features":[308,358]},{"name":"NMTCKEYDOWN","features":[308,358]},{"name":"NMTOOLBARA","features":[308,358]},{"name":"NMTOOLBARW","features":[308,358]},{"name":"NMTOOLTIPSCREATED","features":[308,358]},{"name":"NMTRBTHUMBPOSCHANGING","features":[308,358]},{"name":"NMTREEVIEWA","features":[308,358]},{"name":"NMTREEVIEWW","features":[308,358]},{"name":"NMTTCUSTOMDRAW","features":[308,319,358]},{"name":"NMTTDISPINFOA","features":[308,358]},{"name":"NMTTDISPINFOW","features":[308,358]},{"name":"NMTVASYNCDRAW","features":[308,319,358]},{"name":"NMTVCUSTOMDRAW","features":[308,319,358]},{"name":"NMTVDISPINFOA","features":[308,358]},{"name":"NMTVDISPINFOEXA","features":[308,358]},{"name":"NMTVDISPINFOEXW","features":[308,358]},{"name":"NMTVDISPINFOW","features":[308,358]},{"name":"NMTVGETINFOTIPA","features":[308,358]},{"name":"NMTVGETINFOTIPW","features":[308,358]},{"name":"NMTVITEMCHANGE","features":[308,358]},{"name":"NMTVKEYDOWN","features":[308,358]},{"name":"NMTVSTATEIMAGECHANGING","features":[308,358]},{"name":"NMUPDOWN","features":[308,358]},{"name":"NMVIEWCHANGE","features":[308,358]},{"name":"NM_CHAR","features":[358]},{"name":"NM_CLICK","features":[358]},{"name":"NM_CUSTOMDRAW","features":[358]},{"name":"NM_CUSTOMTEXT","features":[358]},{"name":"NM_DBLCLK","features":[358]},{"name":"NM_FIRST","features":[358]},{"name":"NM_FONTCHANGED","features":[358]},{"name":"NM_GETCUSTOMSPLITRECT","features":[358]},{"name":"NM_HOVER","features":[358]},{"name":"NM_KEYDOWN","features":[358]},{"name":"NM_KILLFOCUS","features":[358]},{"name":"NM_LAST","features":[358]},{"name":"NM_LDOWN","features":[358]},{"name":"NM_NCHITTEST","features":[358]},{"name":"NM_OUTOFMEMORY","features":[358]},{"name":"NM_RCLICK","features":[358]},{"name":"NM_RDBLCLK","features":[358]},{"name":"NM_RDOWN","features":[358]},{"name":"NM_RELEASEDCAPTURE","features":[358]},{"name":"NM_RETURN","features":[358]},{"name":"NM_SETCURSOR","features":[358]},{"name":"NM_SETFOCUS","features":[358]},{"name":"NM_THEMECHANGED","features":[358]},{"name":"NM_TOOLTIPSCREATED","features":[358]},{"name":"NM_TREEVIEW_ACTION","features":[358]},{"name":"NM_TVSTATEIMAGECHANGING","features":[358]},{"name":"NONESTATES","features":[358]},{"name":"NORMALGROUPCOLLAPSESTATES","features":[358]},{"name":"NORMALGROUPEXPANDSTATES","features":[358]},{"name":"ODA_DRAWENTIRE","features":[358]},{"name":"ODA_FLAGS","features":[358]},{"name":"ODA_FOCUS","features":[358]},{"name":"ODA_SELECT","features":[358]},{"name":"ODS_CHECKED","features":[358]},{"name":"ODS_COMBOBOXEDIT","features":[358]},{"name":"ODS_DEFAULT","features":[358]},{"name":"ODS_DISABLED","features":[358]},{"name":"ODS_FLAGS","features":[358]},{"name":"ODS_FOCUS","features":[358]},{"name":"ODS_GRAYED","features":[358]},{"name":"ODS_HOTLIGHT","features":[358]},{"name":"ODS_INACTIVE","features":[358]},{"name":"ODS_NOACCEL","features":[358]},{"name":"ODS_NOFOCUSRECT","features":[358]},{"name":"ODS_SELECTED","features":[358]},{"name":"ODT_BUTTON","features":[358]},{"name":"ODT_COMBOBOX","features":[358]},{"name":"ODT_HEADER","features":[358]},{"name":"ODT_LISTBOX","features":[358]},{"name":"ODT_LISTVIEW","features":[358]},{"name":"ODT_MENU","features":[358]},{"name":"ODT_STATIC","features":[358]},{"name":"ODT_TAB","features":[358]},{"name":"OFFSETTYPE","features":[358]},{"name":"OPENBOXSTATES","features":[358]},{"name":"OPEN_THEME_DATA_FLAGS","features":[358]},{"name":"OTD_FORCE_RECT_SIZING","features":[358]},{"name":"OTD_NONCLIENT","features":[358]},{"name":"OT_ABOVELASTBUTTON","features":[358]},{"name":"OT_BELOWLASTBUTTON","features":[358]},{"name":"OT_BOTTOMLEFT","features":[358]},{"name":"OT_BOTTOMMIDDLE","features":[358]},{"name":"OT_BOTTOMRIGHT","features":[358]},{"name":"OT_LEFTOFCAPTION","features":[358]},{"name":"OT_LEFTOFLASTBUTTON","features":[358]},{"name":"OT_MIDDLELEFT","features":[358]},{"name":"OT_MIDDLERIGHT","features":[358]},{"name":"OT_RIGHTOFCAPTION","features":[358]},{"name":"OT_RIGHTOFLASTBUTTON","features":[358]},{"name":"OT_TOPLEFT","features":[358]},{"name":"OT_TOPMIDDLE","features":[358]},{"name":"OT_TOPRIGHT","features":[358]},{"name":"OpenThemeData","features":[308,358]},{"name":"OpenThemeDataEx","features":[308,358]},{"name":"PAGEPARTS","features":[358]},{"name":"PAGESETUPDLGORD","features":[358]},{"name":"PAGESETUPDLGORDMOTIF","features":[358]},{"name":"PBBS_NORMAL","features":[358]},{"name":"PBBS_PARTIAL","features":[358]},{"name":"PBBVS_NORMAL","features":[358]},{"name":"PBBVS_PARTIAL","features":[358]},{"name":"PBDDS_DISABLED","features":[358]},{"name":"PBDDS_NORMAL","features":[358]},{"name":"PBFS_ERROR","features":[358]},{"name":"PBFS_NORMAL","features":[358]},{"name":"PBFS_PARTIAL","features":[358]},{"name":"PBFS_PAUSED","features":[358]},{"name":"PBFVS_ERROR","features":[358]},{"name":"PBFVS_NORMAL","features":[358]},{"name":"PBFVS_PARTIAL","features":[358]},{"name":"PBFVS_PAUSED","features":[358]},{"name":"PBM_DELTAPOS","features":[358]},{"name":"PBM_GETBARCOLOR","features":[358]},{"name":"PBM_GETBKCOLOR","features":[358]},{"name":"PBM_GETPOS","features":[358]},{"name":"PBM_GETRANGE","features":[358]},{"name":"PBM_GETSTATE","features":[358]},{"name":"PBM_GETSTEP","features":[358]},{"name":"PBM_SETBARCOLOR","features":[358]},{"name":"PBM_SETBKCOLOR","features":[358]},{"name":"PBM_SETMARQUEE","features":[358]},{"name":"PBM_SETPOS","features":[358]},{"name":"PBM_SETRANGE","features":[358]},{"name":"PBM_SETRANGE32","features":[358]},{"name":"PBM_SETSTATE","features":[358]},{"name":"PBM_SETSTEP","features":[358]},{"name":"PBM_STEPIT","features":[358]},{"name":"PBRANGE","features":[358]},{"name":"PBST_ERROR","features":[358]},{"name":"PBST_NORMAL","features":[358]},{"name":"PBST_PAUSED","features":[358]},{"name":"PBS_DEFAULTED","features":[358]},{"name":"PBS_DEFAULTED_ANIMATING","features":[358]},{"name":"PBS_DISABLED","features":[358]},{"name":"PBS_HOT","features":[358]},{"name":"PBS_MARQUEE","features":[358]},{"name":"PBS_NORMAL","features":[358]},{"name":"PBS_PRESSED","features":[358]},{"name":"PBS_SMOOTH","features":[358]},{"name":"PBS_SMOOTHREVERSE","features":[358]},{"name":"PBS_VERTICAL","features":[358]},{"name":"PFNDACOMPARE","features":[308,358]},{"name":"PFNDACOMPARECONST","features":[308,358]},{"name":"PFNDAENUMCALLBACK","features":[358]},{"name":"PFNDAENUMCALLBACKCONST","features":[358]},{"name":"PFNDPAMERGE","features":[308,358]},{"name":"PFNDPAMERGECONST","features":[308,358]},{"name":"PFNDPASTREAM","features":[359,358]},{"name":"PFNLVCOMPARE","features":[308,358]},{"name":"PFNLVGROUPCOMPARE","features":[358]},{"name":"PFNPROPSHEETCALLBACK","features":[308,358]},{"name":"PFNTVCOMPARE","features":[308,358]},{"name":"PFTASKDIALOGCALLBACK","features":[308,358]},{"name":"PGB_BOTTOMORRIGHT","features":[358]},{"name":"PGB_TOPORLEFT","features":[358]},{"name":"PGF_CALCHEIGHT","features":[358]},{"name":"PGF_CALCWIDTH","features":[358]},{"name":"PGF_DEPRESSED","features":[358]},{"name":"PGF_GRAYED","features":[358]},{"name":"PGF_HOT","features":[358]},{"name":"PGF_INVISIBLE","features":[358]},{"name":"PGF_NORMAL","features":[358]},{"name":"PGF_SCROLLDOWN","features":[358]},{"name":"PGF_SCROLLLEFT","features":[358]},{"name":"PGF_SCROLLRIGHT","features":[358]},{"name":"PGF_SCROLLUP","features":[358]},{"name":"PGK_CONTROL","features":[358]},{"name":"PGK_MENU","features":[358]},{"name":"PGK_NONE","features":[358]},{"name":"PGK_SHIFT","features":[358]},{"name":"PGM_FIRST","features":[358]},{"name":"PGM_FORWARDMOUSE","features":[358]},{"name":"PGM_GETBKCOLOR","features":[358]},{"name":"PGM_GETBORDER","features":[358]},{"name":"PGM_GETBUTTONSIZE","features":[358]},{"name":"PGM_GETBUTTONSTATE","features":[358]},{"name":"PGM_GETDROPTARGET","features":[358]},{"name":"PGM_GETPOS","features":[358]},{"name":"PGM_RECALCSIZE","features":[358]},{"name":"PGM_SETBKCOLOR","features":[358]},{"name":"PGM_SETBORDER","features":[358]},{"name":"PGM_SETBUTTONSIZE","features":[358]},{"name":"PGM_SETCHILD","features":[358]},{"name":"PGM_SETPOS","features":[358]},{"name":"PGM_SETSCROLLINFO","features":[358]},{"name":"PGN_CALCSIZE","features":[358]},{"name":"PGN_FIRST","features":[358]},{"name":"PGN_HOTITEMCHANGE","features":[358]},{"name":"PGN_LAST","features":[358]},{"name":"PGN_SCROLL","features":[358]},{"name":"PGRP_DOWN","features":[358]},{"name":"PGRP_DOWNHORZ","features":[358]},{"name":"PGRP_UP","features":[358]},{"name":"PGRP_UPHORZ","features":[358]},{"name":"PGS_AUTOSCROLL","features":[358]},{"name":"PGS_DRAGNDROP","features":[358]},{"name":"PGS_HORZ","features":[358]},{"name":"PGS_VERT","features":[358]},{"name":"POINTER_DEVICE_CURSOR_INFO","features":[358]},{"name":"POINTER_DEVICE_CURSOR_TYPE","features":[358]},{"name":"POINTER_DEVICE_CURSOR_TYPE_ERASER","features":[358]},{"name":"POINTER_DEVICE_CURSOR_TYPE_MAX","features":[358]},{"name":"POINTER_DEVICE_CURSOR_TYPE_TIP","features":[358]},{"name":"POINTER_DEVICE_CURSOR_TYPE_UNKNOWN","features":[358]},{"name":"POINTER_DEVICE_INFO","features":[308,319,358]},{"name":"POINTER_DEVICE_PROPERTY","features":[358]},{"name":"POINTER_DEVICE_TYPE","features":[358]},{"name":"POINTER_DEVICE_TYPE_EXTERNAL_PEN","features":[358]},{"name":"POINTER_DEVICE_TYPE_INTEGRATED_PEN","features":[358]},{"name":"POINTER_DEVICE_TYPE_MAX","features":[358]},{"name":"POINTER_DEVICE_TYPE_TOUCH","features":[358]},{"name":"POINTER_DEVICE_TYPE_TOUCH_PAD","features":[358]},{"name":"POINTER_FEEDBACK_DEFAULT","features":[358]},{"name":"POINTER_FEEDBACK_INDIRECT","features":[358]},{"name":"POINTER_FEEDBACK_MODE","features":[358]},{"name":"POINTER_FEEDBACK_NONE","features":[358]},{"name":"POINTER_TYPE_INFO","features":[308,358,620,370]},{"name":"POPUPCHECKBACKGROUNDSTATES","features":[358]},{"name":"POPUPCHECKSTATES","features":[358]},{"name":"POPUPITEMFOCUSABLESTATES","features":[358]},{"name":"POPUPITEMKBFOCUSSTATES","features":[358]},{"name":"POPUPITEMSTATES","features":[358]},{"name":"POPUPSUBMENUHCHOTSTATES","features":[358]},{"name":"POPUPSUBMENUSTATES","features":[358]},{"name":"PO_CLASS","features":[358]},{"name":"PO_GLOBAL","features":[358]},{"name":"PO_NOTFOUND","features":[358]},{"name":"PO_PART","features":[358]},{"name":"PO_STATE","features":[358]},{"name":"PP_BAR","features":[358]},{"name":"PP_BARVERT","features":[358]},{"name":"PP_CHUNK","features":[358]},{"name":"PP_CHUNKVERT","features":[358]},{"name":"PP_FILL","features":[358]},{"name":"PP_FILLVERT","features":[358]},{"name":"PP_MOVEOVERLAY","features":[358]},{"name":"PP_MOVEOVERLAYVERT","features":[358]},{"name":"PP_PULSEOVERLAY","features":[358]},{"name":"PP_PULSEOVERLAYVERT","features":[358]},{"name":"PP_TRANSPARENTBAR","features":[358]},{"name":"PP_TRANSPARENTBARVERT","features":[358]},{"name":"PRINTDLGEXORD","features":[358]},{"name":"PRINTDLGORD","features":[358]},{"name":"PRNSETUPDLGORD","features":[358]},{"name":"PROGRESSPARTS","features":[358]},{"name":"PROGRESS_CLASS","features":[358]},{"name":"PROGRESS_CLASSA","features":[358]},{"name":"PROGRESS_CLASSW","features":[358]},{"name":"PROPERTYORIGIN","features":[358]},{"name":"PROPSHEETHEADERA_V1","features":[308,319,358,370]},{"name":"PROPSHEETHEADERA_V2","features":[308,319,358,370]},{"name":"PROPSHEETHEADERW_V1","features":[308,319,358,370]},{"name":"PROPSHEETHEADERW_V2","features":[308,319,358,370]},{"name":"PROPSHEETPAGEA","features":[308,319,358,370]},{"name":"PROPSHEETPAGEA_V1","features":[308,319,358,370]},{"name":"PROPSHEETPAGEA_V2","features":[308,319,358,370]},{"name":"PROPSHEETPAGEA_V3","features":[308,319,358,370]},{"name":"PROPSHEETPAGEW","features":[308,319,358,370]},{"name":"PROPSHEETPAGEW_V1","features":[308,319,358,370]},{"name":"PROPSHEETPAGEW_V2","features":[308,319,358,370]},{"name":"PROPSHEETPAGEW_V3","features":[308,319,358,370]},{"name":"PROP_LG_CXDLG","features":[358]},{"name":"PROP_LG_CYDLG","features":[358]},{"name":"PROP_MED_CXDLG","features":[358]},{"name":"PROP_MED_CYDLG","features":[358]},{"name":"PROP_SM_CXDLG","features":[358]},{"name":"PROP_SM_CYDLG","features":[358]},{"name":"PSBTN_APPLYNOW","features":[358]},{"name":"PSBTN_BACK","features":[358]},{"name":"PSBTN_CANCEL","features":[358]},{"name":"PSBTN_FINISH","features":[358]},{"name":"PSBTN_HELP","features":[358]},{"name":"PSBTN_MAX","features":[358]},{"name":"PSBTN_NEXT","features":[358]},{"name":"PSBTN_OK","features":[358]},{"name":"PSCB_BUTTONPRESSED","features":[358]},{"name":"PSCB_INITIALIZED","features":[358]},{"name":"PSCB_PRECREATE","features":[358]},{"name":"PSHNOTIFY","features":[308,358]},{"name":"PSH_AEROWIZARD","features":[358]},{"name":"PSH_DEFAULT","features":[358]},{"name":"PSH_HASHELP","features":[358]},{"name":"PSH_HEADER","features":[358]},{"name":"PSH_HEADERBITMAP","features":[358]},{"name":"PSH_MODELESS","features":[358]},{"name":"PSH_NOAPPLYNOW","features":[358]},{"name":"PSH_NOCONTEXTHELP","features":[358]},{"name":"PSH_NOMARGIN","features":[358]},{"name":"PSH_PROPSHEETPAGE","features":[358]},{"name":"PSH_PROPTITLE","features":[358]},{"name":"PSH_RESIZABLE","features":[358]},{"name":"PSH_RTLREADING","features":[358]},{"name":"PSH_STRETCHWATERMARK","features":[358]},{"name":"PSH_USECALLBACK","features":[358]},{"name":"PSH_USEHBMHEADER","features":[358]},{"name":"PSH_USEHBMWATERMARK","features":[358]},{"name":"PSH_USEHICON","features":[358]},{"name":"PSH_USEHPLWATERMARK","features":[358]},{"name":"PSH_USEICONID","features":[358]},{"name":"PSH_USEPAGELANG","features":[358]},{"name":"PSH_USEPSTARTPAGE","features":[358]},{"name":"PSH_WATERMARK","features":[358]},{"name":"PSH_WIZARD","features":[358]},{"name":"PSH_WIZARD97","features":[358]},{"name":"PSH_WIZARDCONTEXTHELP","features":[358]},{"name":"PSH_WIZARDHASFINISH","features":[358]},{"name":"PSH_WIZARD_LITE","features":[358]},{"name":"PSM_ADDPAGE","features":[358]},{"name":"PSM_APPLY","features":[358]},{"name":"PSM_CANCELTOCLOSE","features":[358]},{"name":"PSM_CHANGED","features":[358]},{"name":"PSM_ENABLEWIZBUTTONS","features":[358]},{"name":"PSM_GETCURRENTPAGEHWND","features":[358]},{"name":"PSM_GETRESULT","features":[358]},{"name":"PSM_GETTABCONTROL","features":[358]},{"name":"PSM_HWNDTOINDEX","features":[358]},{"name":"PSM_IDTOINDEX","features":[358]},{"name":"PSM_INDEXTOHWND","features":[358]},{"name":"PSM_INDEXTOID","features":[358]},{"name":"PSM_INDEXTOPAGE","features":[358]},{"name":"PSM_INSERTPAGE","features":[358]},{"name":"PSM_ISDIALOGMESSAGE","features":[358]},{"name":"PSM_PAGETOINDEX","features":[358]},{"name":"PSM_PRESSBUTTON","features":[358]},{"name":"PSM_QUERYSIBLINGS","features":[358]},{"name":"PSM_REBOOTSYSTEM","features":[358]},{"name":"PSM_RECALCPAGESIZES","features":[358]},{"name":"PSM_REMOVEPAGE","features":[358]},{"name":"PSM_RESTARTWINDOWS","features":[358]},{"name":"PSM_SETBUTTONTEXT","features":[358]},{"name":"PSM_SETBUTTONTEXTW","features":[358]},{"name":"PSM_SETCURSEL","features":[358]},{"name":"PSM_SETCURSELID","features":[358]},{"name":"PSM_SETFINISHTEXT","features":[358]},{"name":"PSM_SETFINISHTEXTA","features":[358]},{"name":"PSM_SETFINISHTEXTW","features":[358]},{"name":"PSM_SETHEADERSUBTITLE","features":[358]},{"name":"PSM_SETHEADERSUBTITLEA","features":[358]},{"name":"PSM_SETHEADERSUBTITLEW","features":[358]},{"name":"PSM_SETHEADERTITLE","features":[358]},{"name":"PSM_SETHEADERTITLEA","features":[358]},{"name":"PSM_SETHEADERTITLEW","features":[358]},{"name":"PSM_SETNEXTTEXT","features":[358]},{"name":"PSM_SETNEXTTEXTW","features":[358]},{"name":"PSM_SETTITLE","features":[358]},{"name":"PSM_SETTITLEA","features":[358]},{"name":"PSM_SETTITLEW","features":[358]},{"name":"PSM_SETWIZBUTTONS","features":[358]},{"name":"PSM_SHOWWIZBUTTONS","features":[358]},{"name":"PSM_UNCHANGED","features":[358]},{"name":"PSNRET_INVALID","features":[358]},{"name":"PSNRET_INVALID_NOCHANGEPAGE","features":[358]},{"name":"PSNRET_MESSAGEHANDLED","features":[358]},{"name":"PSNRET_NOERROR","features":[358]},{"name":"PSN_APPLY","features":[358]},{"name":"PSN_FIRST","features":[358]},{"name":"PSN_GETOBJECT","features":[358]},{"name":"PSN_HELP","features":[358]},{"name":"PSN_KILLACTIVE","features":[358]},{"name":"PSN_LAST","features":[358]},{"name":"PSN_QUERYCANCEL","features":[358]},{"name":"PSN_QUERYINITIALFOCUS","features":[358]},{"name":"PSN_RESET","features":[358]},{"name":"PSN_SETACTIVE","features":[358]},{"name":"PSN_TRANSLATEACCELERATOR","features":[358]},{"name":"PSN_WIZBACK","features":[358]},{"name":"PSN_WIZFINISH","features":[358]},{"name":"PSN_WIZNEXT","features":[358]},{"name":"PSPCB_ADDREF","features":[358]},{"name":"PSPCB_CREATE","features":[358]},{"name":"PSPCB_MESSAGE","features":[358]},{"name":"PSPCB_RELEASE","features":[358]},{"name":"PSPCB_SI_INITDIALOG","features":[358]},{"name":"PSP_DEFAULT","features":[358]},{"name":"PSP_DLGINDIRECT","features":[358]},{"name":"PSP_HASHELP","features":[358]},{"name":"PSP_HIDEHEADER","features":[358]},{"name":"PSP_PREMATURE","features":[358]},{"name":"PSP_RTLREADING","features":[358]},{"name":"PSP_USECALLBACK","features":[358]},{"name":"PSP_USEFUSIONCONTEXT","features":[358]},{"name":"PSP_USEHEADERSUBTITLE","features":[358]},{"name":"PSP_USEHEADERTITLE","features":[358]},{"name":"PSP_USEHICON","features":[358]},{"name":"PSP_USEICONID","features":[358]},{"name":"PSP_USEREFPARENT","features":[358]},{"name":"PSP_USETITLE","features":[358]},{"name":"PSWIZBF_ELEVATIONREQUIRED","features":[358]},{"name":"PSWIZB_BACK","features":[358]},{"name":"PSWIZB_CANCEL","features":[358]},{"name":"PSWIZB_DISABLEDFINISH","features":[358]},{"name":"PSWIZB_FINISH","features":[358]},{"name":"PSWIZB_NEXT","features":[358]},{"name":"PSWIZB_RESTORE","features":[358]},{"name":"PSWIZB_SHOW","features":[358]},{"name":"PUSHBUTTONDROPDOWNSTATES","features":[358]},{"name":"PUSHBUTTONSTATES","features":[358]},{"name":"PackTouchHitTestingProximityEvaluation","features":[308,358]},{"name":"PropertySheetA","features":[308,319,358,370]},{"name":"PropertySheetW","features":[308,319,358,370]},{"name":"RADIOBUTTONSTATES","features":[358]},{"name":"RBAB_ADDBAND","features":[358]},{"name":"RBAB_AUTOSIZE","features":[358]},{"name":"RBBIM_BACKGROUND","features":[358]},{"name":"RBBIM_CHEVRONLOCATION","features":[358]},{"name":"RBBIM_CHEVRONSTATE","features":[358]},{"name":"RBBIM_CHILD","features":[358]},{"name":"RBBIM_CHILDSIZE","features":[358]},{"name":"RBBIM_COLORS","features":[358]},{"name":"RBBIM_HEADERSIZE","features":[358]},{"name":"RBBIM_ID","features":[358]},{"name":"RBBIM_IDEALSIZE","features":[358]},{"name":"RBBIM_IMAGE","features":[358]},{"name":"RBBIM_LPARAM","features":[358]},{"name":"RBBIM_SIZE","features":[358]},{"name":"RBBIM_STYLE","features":[358]},{"name":"RBBIM_TEXT","features":[358]},{"name":"RBBS_BREAK","features":[358]},{"name":"RBBS_CHILDEDGE","features":[358]},{"name":"RBBS_FIXEDBMP","features":[358]},{"name":"RBBS_FIXEDSIZE","features":[358]},{"name":"RBBS_GRIPPERALWAYS","features":[358]},{"name":"RBBS_HIDDEN","features":[358]},{"name":"RBBS_HIDETITLE","features":[358]},{"name":"RBBS_NOGRIPPER","features":[358]},{"name":"RBBS_NOVERT","features":[358]},{"name":"RBBS_TOPALIGN","features":[358]},{"name":"RBBS_USECHEVRON","features":[358]},{"name":"RBBS_VARIABLEHEIGHT","features":[358]},{"name":"RBHITTESTINFO","features":[308,358]},{"name":"RBHT_CAPTION","features":[358]},{"name":"RBHT_CHEVRON","features":[358]},{"name":"RBHT_CLIENT","features":[358]},{"name":"RBHT_GRABBER","features":[358]},{"name":"RBHT_NOWHERE","features":[358]},{"name":"RBHT_SPLITTER","features":[358]},{"name":"RBIM_IMAGELIST","features":[358]},{"name":"RBNM_ID","features":[358]},{"name":"RBNM_LPARAM","features":[358]},{"name":"RBNM_STYLE","features":[358]},{"name":"RBN_AUTOBREAK","features":[358]},{"name":"RBN_AUTOSIZE","features":[358]},{"name":"RBN_BEGINDRAG","features":[358]},{"name":"RBN_CHEVRONPUSHED","features":[358]},{"name":"RBN_CHILDSIZE","features":[358]},{"name":"RBN_DELETEDBAND","features":[358]},{"name":"RBN_DELETINGBAND","features":[358]},{"name":"RBN_ENDDRAG","features":[358]},{"name":"RBN_FIRST","features":[358]},{"name":"RBN_GETOBJECT","features":[358]},{"name":"RBN_HEIGHTCHANGE","features":[358]},{"name":"RBN_LAST","features":[358]},{"name":"RBN_LAYOUTCHANGED","features":[358]},{"name":"RBN_MINMAX","features":[358]},{"name":"RBN_SPLITTERDRAG","features":[358]},{"name":"RBSTR_CHANGERECT","features":[358]},{"name":"RBS_AUTOSIZE","features":[358]},{"name":"RBS_BANDBORDERS","features":[358]},{"name":"RBS_CHECKEDDISABLED","features":[358]},{"name":"RBS_CHECKEDHOT","features":[358]},{"name":"RBS_CHECKEDNORMAL","features":[358]},{"name":"RBS_CHECKEDPRESSED","features":[358]},{"name":"RBS_DBLCLKTOGGLE","features":[358]},{"name":"RBS_DISABLED","features":[358]},{"name":"RBS_FIXEDORDER","features":[358]},{"name":"RBS_HOT","features":[358]},{"name":"RBS_NORMAL","features":[358]},{"name":"RBS_PUSHED","features":[358]},{"name":"RBS_REGISTERDROP","features":[358]},{"name":"RBS_TOOLTIPS","features":[358]},{"name":"RBS_UNCHECKEDDISABLED","features":[358]},{"name":"RBS_UNCHECKEDHOT","features":[358]},{"name":"RBS_UNCHECKEDNORMAL","features":[358]},{"name":"RBS_UNCHECKEDPRESSED","features":[358]},{"name":"RBS_VARHEIGHT","features":[358]},{"name":"RBS_VERTICALGRIPPER","features":[358]},{"name":"RB_BEGINDRAG","features":[358]},{"name":"RB_DELETEBAND","features":[358]},{"name":"RB_DRAGMOVE","features":[358]},{"name":"RB_ENDDRAG","features":[358]},{"name":"RB_GETBANDBORDERS","features":[358]},{"name":"RB_GETBANDCOUNT","features":[358]},{"name":"RB_GETBANDINFO","features":[358]},{"name":"RB_GETBANDINFOA","features":[358]},{"name":"RB_GETBANDINFOW","features":[358]},{"name":"RB_GETBANDMARGINS","features":[358]},{"name":"RB_GETBARHEIGHT","features":[358]},{"name":"RB_GETBARINFO","features":[358]},{"name":"RB_GETBKCOLOR","features":[358]},{"name":"RB_GETCOLORSCHEME","features":[358]},{"name":"RB_GETDROPTARGET","features":[358]},{"name":"RB_GETEXTENDEDSTYLE","features":[358]},{"name":"RB_GETPALETTE","features":[358]},{"name":"RB_GETRECT","features":[358]},{"name":"RB_GETROWCOUNT","features":[358]},{"name":"RB_GETROWHEIGHT","features":[358]},{"name":"RB_GETTEXTCOLOR","features":[358]},{"name":"RB_GETTOOLTIPS","features":[358]},{"name":"RB_GETUNICODEFORMAT","features":[358]},{"name":"RB_HITTEST","features":[358]},{"name":"RB_IDTOINDEX","features":[358]},{"name":"RB_INSERTBAND","features":[358]},{"name":"RB_INSERTBANDA","features":[358]},{"name":"RB_INSERTBANDW","features":[358]},{"name":"RB_MAXIMIZEBAND","features":[358]},{"name":"RB_MINIMIZEBAND","features":[358]},{"name":"RB_MOVEBAND","features":[358]},{"name":"RB_PUSHCHEVRON","features":[358]},{"name":"RB_SETBANDINFO","features":[358]},{"name":"RB_SETBANDINFOA","features":[358]},{"name":"RB_SETBANDINFOW","features":[358]},{"name":"RB_SETBANDWIDTH","features":[358]},{"name":"RB_SETBARINFO","features":[358]},{"name":"RB_SETBKCOLOR","features":[358]},{"name":"RB_SETCOLORSCHEME","features":[358]},{"name":"RB_SETEXTENDEDSTYLE","features":[358]},{"name":"RB_SETPALETTE","features":[358]},{"name":"RB_SETPARENT","features":[358]},{"name":"RB_SETTEXTCOLOR","features":[358]},{"name":"RB_SETTOOLTIPS","features":[358]},{"name":"RB_SETUNICODEFORMAT","features":[358]},{"name":"RB_SETWINDOWTHEME","features":[358]},{"name":"RB_SHOWBAND","features":[358]},{"name":"RB_SIZETORECT","features":[358]},{"name":"READONLYSTATES","features":[358]},{"name":"REBARBANDINFOA","features":[308,319,358]},{"name":"REBARBANDINFOW","features":[308,319,358]},{"name":"REBARCLASSNAME","features":[358]},{"name":"REBARCLASSNAMEA","features":[358]},{"name":"REBARCLASSNAMEW","features":[358]},{"name":"REBARINFO","features":[358]},{"name":"REBARPARTS","features":[358]},{"name":"REPLACEDLGORD","features":[358]},{"name":"RESTOREBUTTONSTATES","features":[358]},{"name":"RP_BACKGROUND","features":[358]},{"name":"RP_BAND","features":[358]},{"name":"RP_CHEVRON","features":[358]},{"name":"RP_CHEVRONVERT","features":[358]},{"name":"RP_GRIPPER","features":[358]},{"name":"RP_GRIPPERVERT","features":[358]},{"name":"RP_SPLITTER","features":[358]},{"name":"RP_SPLITTERVERT","features":[358]},{"name":"RUNDLGORD","features":[358]},{"name":"RegisterPointerDeviceNotifications","features":[308,358]},{"name":"RegisterTouchHitTestingWindow","features":[308,358]},{"name":"SBARS_SIZEGRIP","features":[358]},{"name":"SBARS_TOOLTIPS","features":[358]},{"name":"SBN_FIRST","features":[358]},{"name":"SBN_LAST","features":[358]},{"name":"SBN_SIMPLEMODECHANGE","features":[358]},{"name":"SBP_ARROWBTN","features":[358]},{"name":"SBP_GRIPPERHORZ","features":[358]},{"name":"SBP_GRIPPERVERT","features":[358]},{"name":"SBP_LOWERTRACKHORZ","features":[358]},{"name":"SBP_LOWERTRACKVERT","features":[358]},{"name":"SBP_SIZEBOX","features":[358]},{"name":"SBP_SIZEBOXBKGND","features":[358]},{"name":"SBP_THUMBBTNHORZ","features":[358]},{"name":"SBP_THUMBBTNVERT","features":[358]},{"name":"SBP_UPPERTRACKHORZ","features":[358]},{"name":"SBP_UPPERTRACKVERT","features":[358]},{"name":"SBS_DISABLED","features":[358]},{"name":"SBS_HOT","features":[358]},{"name":"SBS_NORMAL","features":[358]},{"name":"SBS_PUSHED","features":[358]},{"name":"SBT_NOBORDERS","features":[358]},{"name":"SBT_NOTABPARSING","features":[358]},{"name":"SBT_OWNERDRAW","features":[358]},{"name":"SBT_POPOUT","features":[358]},{"name":"SBT_RTLREADING","features":[358]},{"name":"SBT_TOOLTIPS","features":[358]},{"name":"SB_GETBORDERS","features":[358]},{"name":"SB_GETICON","features":[358]},{"name":"SB_GETPARTS","features":[358]},{"name":"SB_GETRECT","features":[358]},{"name":"SB_GETTEXT","features":[358]},{"name":"SB_GETTEXTA","features":[358]},{"name":"SB_GETTEXTLENGTH","features":[358]},{"name":"SB_GETTEXTLENGTHA","features":[358]},{"name":"SB_GETTEXTLENGTHW","features":[358]},{"name":"SB_GETTEXTW","features":[358]},{"name":"SB_GETTIPTEXTA","features":[358]},{"name":"SB_GETTIPTEXTW","features":[358]},{"name":"SB_GETUNICODEFORMAT","features":[358]},{"name":"SB_ISSIMPLE","features":[358]},{"name":"SB_SETBKCOLOR","features":[358]},{"name":"SB_SETICON","features":[358]},{"name":"SB_SETMINHEIGHT","features":[358]},{"name":"SB_SETPARTS","features":[358]},{"name":"SB_SETTEXT","features":[358]},{"name":"SB_SETTEXTA","features":[358]},{"name":"SB_SETTEXTW","features":[358]},{"name":"SB_SETTIPTEXTA","features":[358]},{"name":"SB_SETTIPTEXTW","features":[358]},{"name":"SB_SETUNICODEFORMAT","features":[358]},{"name":"SB_SIMPLE","features":[358]},{"name":"SB_SIMPLEID","features":[358]},{"name":"SCBS_DISABLED","features":[358]},{"name":"SCBS_HOT","features":[358]},{"name":"SCBS_NORMAL","features":[358]},{"name":"SCBS_PUSHED","features":[358]},{"name":"SCRBS_DISABLED","features":[358]},{"name":"SCRBS_HOT","features":[358]},{"name":"SCRBS_HOVER","features":[358]},{"name":"SCRBS_NORMAL","features":[358]},{"name":"SCRBS_PRESSED","features":[358]},{"name":"SCROLLBARPARTS","features":[358]},{"name":"SCROLLBARSTYLESTATES","features":[358]},{"name":"SCS_ACTIVE","features":[358]},{"name":"SCS_DISABLED","features":[358]},{"name":"SCS_INACTIVE","features":[358]},{"name":"SECTIONTITLELINKSTATES","features":[358]},{"name":"SET_THEME_APP_PROPERTIES_FLAGS","features":[358]},{"name":"SFRB_ACTIVE","features":[358]},{"name":"SFRB_INACTIVE","features":[358]},{"name":"SFRL_ACTIVE","features":[358]},{"name":"SFRL_INACTIVE","features":[358]},{"name":"SFRR_ACTIVE","features":[358]},{"name":"SFRR_INACTIVE","features":[358]},{"name":"SHOWCALENDARBUTTONRIGHTSTATES","features":[358]},{"name":"SIZEBOXSTATES","features":[358]},{"name":"SIZINGTYPE","features":[358]},{"name":"SMALLCAPTIONSTATES","features":[358]},{"name":"SMALLCLOSEBUTTONSTATES","features":[358]},{"name":"SMALLFRAMEBOTTOMSTATES","features":[358]},{"name":"SMALLFRAMELEFTSTATES","features":[358]},{"name":"SMALLFRAMERIGHTSTATES","features":[358]},{"name":"SOFTWAREEXPLORERSTATES","features":[358]},{"name":"SPECIALGROUPCOLLAPSESTATES","features":[358]},{"name":"SPECIALGROUPEXPANDSTATES","features":[358]},{"name":"SPINPARTS","features":[358]},{"name":"SPLITSV_HOT","features":[358]},{"name":"SPLITSV_NORMAL","features":[358]},{"name":"SPLITSV_PRESSED","features":[358]},{"name":"SPLITS_HOT","features":[358]},{"name":"SPLITS_NORMAL","features":[358]},{"name":"SPLITS_PRESSED","features":[358]},{"name":"SPLITTERSTATES","features":[358]},{"name":"SPLITTERVERTSTATES","features":[358]},{"name":"SPLS_HOT","features":[358]},{"name":"SPLS_NORMAL","features":[358]},{"name":"SPLS_PRESSED","features":[358]},{"name":"SPMPT_DISABLED","features":[358]},{"name":"SPMPT_FOCUSED","features":[358]},{"name":"SPMPT_HOT","features":[358]},{"name":"SPMPT_NORMAL","features":[358]},{"name":"SPMPT_SELECTED","features":[358]},{"name":"SPNP_DOWN","features":[358]},{"name":"SPNP_DOWNHORZ","features":[358]},{"name":"SPNP_UP","features":[358]},{"name":"SPNP_UPHORZ","features":[358]},{"name":"SPOB_DISABLED","features":[358]},{"name":"SPOB_FOCUSED","features":[358]},{"name":"SPOB_HOT","features":[358]},{"name":"SPOB_NORMAL","features":[358]},{"name":"SPOB_SELECTED","features":[358]},{"name":"SPP_LOGOFF","features":[358]},{"name":"SPP_LOGOFFBUTTONS","features":[358]},{"name":"SPP_LOGOFFSPLITBUTTONDROPDOWN","features":[358]},{"name":"SPP_MOREPROGRAMS","features":[358]},{"name":"SPP_MOREPROGRAMSARROW","features":[358]},{"name":"SPP_MOREPROGRAMSARROWBACK","features":[358]},{"name":"SPP_MOREPROGRAMSTAB","features":[358]},{"name":"SPP_NSCHOST","features":[358]},{"name":"SPP_OPENBOX","features":[358]},{"name":"SPP_PLACESLIST","features":[358]},{"name":"SPP_PLACESLISTSEPARATOR","features":[358]},{"name":"SPP_PREVIEW","features":[358]},{"name":"SPP_PROGLIST","features":[358]},{"name":"SPP_PROGLISTSEPARATOR","features":[358]},{"name":"SPP_SEARCHVIEW","features":[358]},{"name":"SPP_SOFTWAREEXPLORER","features":[358]},{"name":"SPP_TOPMATCH","features":[358]},{"name":"SPP_USERPANE","features":[358]},{"name":"SPP_USERPICTURE","features":[358]},{"name":"SPSB_HOT","features":[358]},{"name":"SPSB_NORMAL","features":[358]},{"name":"SPSB_PRESSED","features":[358]},{"name":"SPSE_DISABLED","features":[358]},{"name":"SPSE_FOCUSED","features":[358]},{"name":"SPSE_HOT","features":[358]},{"name":"SPSE_NORMAL","features":[358]},{"name":"SPSE_SELECTED","features":[358]},{"name":"SPS_HOT","features":[358]},{"name":"SPS_NORMAL","features":[358]},{"name":"SPS_PRESSED","features":[358]},{"name":"SP_GRIPPER","features":[358]},{"name":"SP_GRIPPERPANE","features":[358]},{"name":"SP_PANE","features":[358]},{"name":"STANDARDSTATES","features":[358]},{"name":"STARTPANELPARTS","features":[358]},{"name":"STATE_SYSTEM_FOCUSABLE","features":[358]},{"name":"STATE_SYSTEM_INVISIBLE","features":[358]},{"name":"STATE_SYSTEM_OFFSCREEN","features":[358]},{"name":"STATE_SYSTEM_PRESSED","features":[358]},{"name":"STATE_SYSTEM_UNAVAILABLE","features":[358]},{"name":"STATICPARTS","features":[358]},{"name":"STATUSCLASSNAME","features":[358]},{"name":"STATUSCLASSNAMEA","features":[358]},{"name":"STATUSCLASSNAMEW","features":[358]},{"name":"STATUSPARTS","features":[358]},{"name":"STAT_TEXT","features":[358]},{"name":"STD_COPY","features":[358]},{"name":"STD_CUT","features":[358]},{"name":"STD_DELETE","features":[358]},{"name":"STD_FILENEW","features":[358]},{"name":"STD_FILEOPEN","features":[358]},{"name":"STD_FILESAVE","features":[358]},{"name":"STD_FIND","features":[358]},{"name":"STD_HELP","features":[358]},{"name":"STD_PASTE","features":[358]},{"name":"STD_PRINT","features":[358]},{"name":"STD_PRINTPRE","features":[358]},{"name":"STD_PROPERTIES","features":[358]},{"name":"STD_REDOW","features":[358]},{"name":"STD_REPLACE","features":[358]},{"name":"STD_UNDO","features":[358]},{"name":"ST_STRETCH","features":[358]},{"name":"ST_TILE","features":[358]},{"name":"ST_TRUESIZE","features":[358]},{"name":"SYSBUTTONSTATES","features":[358]},{"name":"SYSTEMCLOSEHCHOTSTATES","features":[358]},{"name":"SYSTEMCLOSESTATES","features":[358]},{"name":"SYSTEMMAXIMIZEHCHOTSTATES","features":[358]},{"name":"SYSTEMMAXIMIZESTATES","features":[358]},{"name":"SYSTEMMINIMIZEHCHOTSTATES","features":[358]},{"name":"SYSTEMMINIMIZESTATES","features":[358]},{"name":"SYSTEMRESTOREHCHOTSTATES","features":[358]},{"name":"SYSTEMRESTORESTATES","features":[358]},{"name":"SZB_HALFBOTTOMLEFTALIGN","features":[358]},{"name":"SZB_HALFBOTTOMRIGHTALIGN","features":[358]},{"name":"SZB_HALFTOPLEFTALIGN","features":[358]},{"name":"SZB_HALFTOPRIGHTALIGN","features":[358]},{"name":"SZB_LEFTALIGN","features":[358]},{"name":"SZB_RIGHTALIGN","features":[358]},{"name":"SZB_TOPLEFTALIGN","features":[358]},{"name":"SZB_TOPRIGHTALIGN","features":[358]},{"name":"SZ_THDOCPROP_AUTHOR","features":[358]},{"name":"SZ_THDOCPROP_CANONICALNAME","features":[358]},{"name":"SZ_THDOCPROP_DISPLAYNAME","features":[358]},{"name":"SZ_THDOCPROP_TOOLTIP","features":[358]},{"name":"SetScrollInfo","features":[308,358,370]},{"name":"SetScrollPos","features":[308,358,370]},{"name":"SetScrollRange","features":[308,358,370]},{"name":"SetThemeAppProperties","features":[358]},{"name":"SetWindowFeedbackSetting","features":[308,358]},{"name":"SetWindowTheme","features":[308,358]},{"name":"SetWindowThemeAttribute","features":[308,358]},{"name":"ShowHideMenuCtl","features":[308,358]},{"name":"ShowScrollBar","features":[308,358,370]},{"name":"Str_SetPtrW","features":[308,358]},{"name":"TABITEMBOTHEDGESTATES","features":[358]},{"name":"TABITEMLEFTEDGESTATES","features":[358]},{"name":"TABITEMRIGHTEDGESTATES","features":[358]},{"name":"TABITEMSTATES","features":[358]},{"name":"TABPARTS","features":[358]},{"name":"TABP_AEROWIZARDBODY","features":[358]},{"name":"TABP_BODY","features":[358]},{"name":"TABP_PANE","features":[358]},{"name":"TABP_TABITEM","features":[358]},{"name":"TABP_TABITEMBOTHEDGE","features":[358]},{"name":"TABP_TABITEMLEFTEDGE","features":[358]},{"name":"TABP_TABITEMRIGHTEDGE","features":[358]},{"name":"TABP_TOPTABITEM","features":[358]},{"name":"TABP_TOPTABITEMBOTHEDGE","features":[358]},{"name":"TABP_TOPTABITEMLEFTEDGE","features":[358]},{"name":"TABP_TOPTABITEMRIGHTEDGE","features":[358]},{"name":"TABSTATES","features":[358]},{"name":"TAB_CONTROL_ITEM_STATE","features":[358]},{"name":"TAPF_ALLOWCOLLECTION","features":[358]},{"name":"TAPF_HASBACKGROUND","features":[358]},{"name":"TAPF_HASPERSPECTIVE","features":[358]},{"name":"TAPF_HASSTAGGER","features":[358]},{"name":"TAPF_ISRTLAWARE","features":[358]},{"name":"TAPF_NONE","features":[358]},{"name":"TAP_FLAGS","features":[358]},{"name":"TAP_STAGGERDELAY","features":[358]},{"name":"TAP_STAGGERDELAYCAP","features":[358]},{"name":"TAP_STAGGERDELAYFACTOR","features":[358]},{"name":"TAP_TRANSFORMCOUNT","features":[358]},{"name":"TAP_ZORDER","features":[358]},{"name":"TASKBANDPARTS","features":[358]},{"name":"TASKBARPARTS","features":[358]},{"name":"TASKDIALOGCONFIG","features":[308,358,370]},{"name":"TASKDIALOGPARTS","features":[358]},{"name":"TASKDIALOG_BUTTON","features":[358]},{"name":"TASKDIALOG_COMMON_BUTTON_FLAGS","features":[358]},{"name":"TASKDIALOG_ELEMENTS","features":[358]},{"name":"TASKDIALOG_FLAGS","features":[358]},{"name":"TASKDIALOG_ICON_ELEMENTS","features":[358]},{"name":"TASKDIALOG_MESSAGES","features":[358]},{"name":"TASKDIALOG_NOTIFICATIONS","features":[358]},{"name":"TASKLINKSTATES","features":[358]},{"name":"TATF_HASINITIALVALUES","features":[358]},{"name":"TATF_HASORIGINVALUES","features":[358]},{"name":"TATF_NONE","features":[358]},{"name":"TATF_TARGETVALUES_USER","features":[358]},{"name":"TATT_CLIP","features":[358]},{"name":"TATT_OPACITY","features":[358]},{"name":"TATT_SCALE_2D","features":[358]},{"name":"TATT_TRANSLATE_2D","features":[358]},{"name":"TA_CUBIC_BEZIER","features":[358]},{"name":"TA_PROPERTY","features":[358]},{"name":"TA_PROPERTY_FLAG","features":[358]},{"name":"TA_TIMINGFUNCTION","features":[358]},{"name":"TA_TIMINGFUNCTION_TYPE","features":[358]},{"name":"TA_TRANSFORM","features":[358]},{"name":"TA_TRANSFORM_2D","features":[358]},{"name":"TA_TRANSFORM_CLIP","features":[358]},{"name":"TA_TRANSFORM_FLAG","features":[358]},{"name":"TA_TRANSFORM_OPACITY","features":[358]},{"name":"TA_TRANSFORM_TYPE","features":[358]},{"name":"TBADDBITMAP","features":[308,358]},{"name":"TBBF_LARGE","features":[358]},{"name":"TBBUTTON","features":[358]},{"name":"TBBUTTON","features":[358]},{"name":"TBBUTTONINFOA","features":[358]},{"name":"TBBUTTONINFOW","features":[358]},{"name":"TBBUTTONINFOW_MASK","features":[358]},{"name":"TBCDRF_BLENDICON","features":[358]},{"name":"TBCDRF_HILITEHOTTRACK","features":[358]},{"name":"TBCDRF_NOBACKGROUND","features":[358]},{"name":"TBCDRF_NOEDGES","features":[358]},{"name":"TBCDRF_NOETCHEDEFFECT","features":[358]},{"name":"TBCDRF_NOMARK","features":[358]},{"name":"TBCDRF_NOOFFSET","features":[358]},{"name":"TBCDRF_USECDCOLORS","features":[358]},{"name":"TBCD_CHANNEL","features":[358]},{"name":"TBCD_THUMB","features":[358]},{"name":"TBCD_TICS","features":[358]},{"name":"TBDDRET_DEFAULT","features":[358]},{"name":"TBDDRET_NODEFAULT","features":[358]},{"name":"TBDDRET_TREATPRESSED","features":[358]},{"name":"TBIF_BYINDEX","features":[358]},{"name":"TBIF_COMMAND","features":[358]},{"name":"TBIF_IMAGE","features":[358]},{"name":"TBIF_LPARAM","features":[358]},{"name":"TBIF_SIZE","features":[358]},{"name":"TBIF_STATE","features":[358]},{"name":"TBIF_STYLE","features":[358]},{"name":"TBIF_TEXT","features":[358]},{"name":"TBIMHT_AFTER","features":[358]},{"name":"TBIMHT_BACKGROUND","features":[358]},{"name":"TBIMHT_NONE","features":[358]},{"name":"TBINSERTMARK","features":[358]},{"name":"TBINSERTMARK_FLAGS","features":[358]},{"name":"TBMETRICS","features":[358]},{"name":"TBMF_BARPAD","features":[358]},{"name":"TBMF_BUTTONSPACING","features":[358]},{"name":"TBMF_PAD","features":[358]},{"name":"TBM_CLEARSEL","features":[358]},{"name":"TBM_CLEARTICS","features":[358]},{"name":"TBM_GETBUDDY","features":[358]},{"name":"TBM_GETCHANNELRECT","features":[358]},{"name":"TBM_GETLINESIZE","features":[358]},{"name":"TBM_GETNUMTICS","features":[358]},{"name":"TBM_GETPAGESIZE","features":[358]},{"name":"TBM_GETPTICS","features":[358]},{"name":"TBM_GETRANGEMAX","features":[358]},{"name":"TBM_GETRANGEMIN","features":[358]},{"name":"TBM_GETSELEND","features":[358]},{"name":"TBM_GETSELSTART","features":[358]},{"name":"TBM_GETTHUMBLENGTH","features":[358]},{"name":"TBM_GETTHUMBRECT","features":[358]},{"name":"TBM_GETTIC","features":[358]},{"name":"TBM_GETTICPOS","features":[358]},{"name":"TBM_GETTOOLTIPS","features":[358]},{"name":"TBM_GETUNICODEFORMAT","features":[358]},{"name":"TBM_SETBUDDY","features":[358]},{"name":"TBM_SETLINESIZE","features":[358]},{"name":"TBM_SETPAGESIZE","features":[358]},{"name":"TBM_SETPOS","features":[358]},{"name":"TBM_SETPOSNOTIFY","features":[358]},{"name":"TBM_SETRANGE","features":[358]},{"name":"TBM_SETRANGEMAX","features":[358]},{"name":"TBM_SETRANGEMIN","features":[358]},{"name":"TBM_SETSEL","features":[358]},{"name":"TBM_SETSELEND","features":[358]},{"name":"TBM_SETSELSTART","features":[358]},{"name":"TBM_SETTHUMBLENGTH","features":[358]},{"name":"TBM_SETTIC","features":[358]},{"name":"TBM_SETTICFREQ","features":[358]},{"name":"TBM_SETTIPSIDE","features":[358]},{"name":"TBM_SETTOOLTIPS","features":[358]},{"name":"TBM_SETUNICODEFORMAT","features":[358]},{"name":"TBNF_DI_SETITEM","features":[358]},{"name":"TBNF_IMAGE","features":[358]},{"name":"TBNF_TEXT","features":[358]},{"name":"TBNRF_ENDCUSTOMIZE","features":[358]},{"name":"TBNRF_HIDEHELP","features":[358]},{"name":"TBN_BEGINADJUST","features":[358]},{"name":"TBN_BEGINDRAG","features":[358]},{"name":"TBN_CUSTHELP","features":[358]},{"name":"TBN_DELETINGBUTTON","features":[358]},{"name":"TBN_DRAGOUT","features":[358]},{"name":"TBN_DRAGOVER","features":[358]},{"name":"TBN_DROPDOWN","features":[358]},{"name":"TBN_DUPACCELERATOR","features":[358]},{"name":"TBN_ENDADJUST","features":[358]},{"name":"TBN_ENDDRAG","features":[358]},{"name":"TBN_FIRST","features":[358]},{"name":"TBN_GETBUTTONINFO","features":[358]},{"name":"TBN_GETBUTTONINFOA","features":[358]},{"name":"TBN_GETBUTTONINFOW","features":[358]},{"name":"TBN_GETDISPINFO","features":[358]},{"name":"TBN_GETDISPINFOA","features":[358]},{"name":"TBN_GETDISPINFOW","features":[358]},{"name":"TBN_GETINFOTIP","features":[358]},{"name":"TBN_GETINFOTIPA","features":[358]},{"name":"TBN_GETINFOTIPW","features":[358]},{"name":"TBN_GETOBJECT","features":[358]},{"name":"TBN_HOTITEMCHANGE","features":[358]},{"name":"TBN_INITCUSTOMIZE","features":[358]},{"name":"TBN_LAST","features":[358]},{"name":"TBN_MAPACCELERATOR","features":[358]},{"name":"TBN_QUERYDELETE","features":[358]},{"name":"TBN_QUERYINSERT","features":[358]},{"name":"TBN_RESET","features":[358]},{"name":"TBN_RESTORE","features":[358]},{"name":"TBN_SAVE","features":[358]},{"name":"TBN_TOOLBARCHANGE","features":[358]},{"name":"TBN_WRAPACCELERATOR","features":[358]},{"name":"TBN_WRAPHOTITEM","features":[358]},{"name":"TBP_BACKGROUNDBOTTOM","features":[358]},{"name":"TBP_BACKGROUNDLEFT","features":[358]},{"name":"TBP_BACKGROUNDRIGHT","features":[358]},{"name":"TBP_BACKGROUNDTOP","features":[358]},{"name":"TBP_SIZINGBARBOTTOM","features":[358]},{"name":"TBP_SIZINGBARLEFT","features":[358]},{"name":"TBP_SIZINGBARRIGHT","features":[358]},{"name":"TBP_SIZINGBARTOP","features":[358]},{"name":"TBREPLACEBITMAP","features":[308,358]},{"name":"TBSAVEPARAMSA","features":[369,358]},{"name":"TBSAVEPARAMSW","features":[369,358]},{"name":"TBSTATE_CHECKED","features":[358]},{"name":"TBSTATE_ELLIPSES","features":[358]},{"name":"TBSTATE_ENABLED","features":[358]},{"name":"TBSTATE_HIDDEN","features":[358]},{"name":"TBSTATE_INDETERMINATE","features":[358]},{"name":"TBSTATE_MARKED","features":[358]},{"name":"TBSTATE_PRESSED","features":[358]},{"name":"TBSTATE_WRAP","features":[358]},{"name":"TBSTYLE_ALTDRAG","features":[358]},{"name":"TBSTYLE_AUTOSIZE","features":[358]},{"name":"TBSTYLE_BUTTON","features":[358]},{"name":"TBSTYLE_CHECK","features":[358]},{"name":"TBSTYLE_CUSTOMERASE","features":[358]},{"name":"TBSTYLE_DROPDOWN","features":[358]},{"name":"TBSTYLE_EX_DOUBLEBUFFER","features":[358]},{"name":"TBSTYLE_EX_DRAWDDARROWS","features":[358]},{"name":"TBSTYLE_EX_HIDECLIPPEDBUTTONS","features":[358]},{"name":"TBSTYLE_EX_MIXEDBUTTONS","features":[358]},{"name":"TBSTYLE_EX_MULTICOLUMN","features":[358]},{"name":"TBSTYLE_EX_VERTICAL","features":[358]},{"name":"TBSTYLE_FLAT","features":[358]},{"name":"TBSTYLE_GROUP","features":[358]},{"name":"TBSTYLE_LIST","features":[358]},{"name":"TBSTYLE_NOPREFIX","features":[358]},{"name":"TBSTYLE_REGISTERDROP","features":[358]},{"name":"TBSTYLE_SEP","features":[358]},{"name":"TBSTYLE_TOOLTIPS","features":[358]},{"name":"TBSTYLE_TRANSPARENT","features":[358]},{"name":"TBSTYLE_WRAPABLE","features":[358]},{"name":"TBS_AUTOTICKS","features":[358]},{"name":"TBS_BOTH","features":[358]},{"name":"TBS_BOTTOM","features":[358]},{"name":"TBS_DOWNISLEFT","features":[358]},{"name":"TBS_ENABLESELRANGE","features":[358]},{"name":"TBS_FIXEDLENGTH","features":[358]},{"name":"TBS_HORZ","features":[358]},{"name":"TBS_LEFT","features":[358]},{"name":"TBS_NOTHUMB","features":[358]},{"name":"TBS_NOTICKS","features":[358]},{"name":"TBS_NOTIFYBEFOREMOVE","features":[358]},{"name":"TBS_REVERSED","features":[358]},{"name":"TBS_RIGHT","features":[358]},{"name":"TBS_TOOLTIPS","features":[358]},{"name":"TBS_TOP","features":[358]},{"name":"TBS_TRANSPARENTBKGND","features":[358]},{"name":"TBS_VERT","features":[358]},{"name":"TBTS_BOTTOM","features":[358]},{"name":"TBTS_LEFT","features":[358]},{"name":"TBTS_RIGHT","features":[358]},{"name":"TBTS_TOP","features":[358]},{"name":"TB_ADDBITMAP","features":[358]},{"name":"TB_ADDBUTTONS","features":[358]},{"name":"TB_ADDBUTTONSA","features":[358]},{"name":"TB_ADDBUTTONSW","features":[358]},{"name":"TB_ADDSTRING","features":[358]},{"name":"TB_ADDSTRINGA","features":[358]},{"name":"TB_ADDSTRINGW","features":[358]},{"name":"TB_AUTOSIZE","features":[358]},{"name":"TB_BOTTOM","features":[358]},{"name":"TB_BUTTONCOUNT","features":[358]},{"name":"TB_BUTTONSTRUCTSIZE","features":[358]},{"name":"TB_CHANGEBITMAP","features":[358]},{"name":"TB_CHECKBUTTON","features":[358]},{"name":"TB_COMMANDTOINDEX","features":[358]},{"name":"TB_CUSTOMIZE","features":[358]},{"name":"TB_DELETEBUTTON","features":[358]},{"name":"TB_ENABLEBUTTON","features":[358]},{"name":"TB_ENDTRACK","features":[358]},{"name":"TB_GETANCHORHIGHLIGHT","features":[358]},{"name":"TB_GETBITMAP","features":[358]},{"name":"TB_GETBITMAPFLAGS","features":[358]},{"name":"TB_GETBUTTON","features":[358]},{"name":"TB_GETBUTTONINFO","features":[358]},{"name":"TB_GETBUTTONINFOA","features":[358]},{"name":"TB_GETBUTTONINFOW","features":[358]},{"name":"TB_GETBUTTONSIZE","features":[358]},{"name":"TB_GETBUTTONTEXT","features":[358]},{"name":"TB_GETBUTTONTEXTA","features":[358]},{"name":"TB_GETBUTTONTEXTW","features":[358]},{"name":"TB_GETCOLORSCHEME","features":[358]},{"name":"TB_GETDISABLEDIMAGELIST","features":[358]},{"name":"TB_GETEXTENDEDSTYLE","features":[358]},{"name":"TB_GETHOTIMAGELIST","features":[358]},{"name":"TB_GETHOTITEM","features":[358]},{"name":"TB_GETIDEALSIZE","features":[358]},{"name":"TB_GETIMAGELIST","features":[358]},{"name":"TB_GETIMAGELISTCOUNT","features":[358]},{"name":"TB_GETINSERTMARK","features":[358]},{"name":"TB_GETINSERTMARKCOLOR","features":[358]},{"name":"TB_GETITEMDROPDOWNRECT","features":[358]},{"name":"TB_GETITEMRECT","features":[358]},{"name":"TB_GETMAXSIZE","features":[358]},{"name":"TB_GETMETRICS","features":[358]},{"name":"TB_GETOBJECT","features":[358]},{"name":"TB_GETPADDING","features":[358]},{"name":"TB_GETPRESSEDIMAGELIST","features":[358]},{"name":"TB_GETRECT","features":[358]},{"name":"TB_GETROWS","features":[358]},{"name":"TB_GETSTATE","features":[358]},{"name":"TB_GETSTRING","features":[358]},{"name":"TB_GETSTRINGA","features":[358]},{"name":"TB_GETSTRINGW","features":[358]},{"name":"TB_GETSTYLE","features":[358]},{"name":"TB_GETTEXTROWS","features":[358]},{"name":"TB_GETTOOLTIPS","features":[358]},{"name":"TB_GETUNICODEFORMAT","features":[358]},{"name":"TB_HASACCELERATOR","features":[358]},{"name":"TB_HIDEBUTTON","features":[358]},{"name":"TB_HITTEST","features":[358]},{"name":"TB_INDETERMINATE","features":[358]},{"name":"TB_INSERTBUTTON","features":[358]},{"name":"TB_INSERTBUTTONA","features":[358]},{"name":"TB_INSERTBUTTONW","features":[358]},{"name":"TB_INSERTMARKHITTEST","features":[358]},{"name":"TB_ISBUTTONCHECKED","features":[358]},{"name":"TB_ISBUTTONENABLED","features":[358]},{"name":"TB_ISBUTTONHIDDEN","features":[358]},{"name":"TB_ISBUTTONHIGHLIGHTED","features":[358]},{"name":"TB_ISBUTTONINDETERMINATE","features":[358]},{"name":"TB_ISBUTTONPRESSED","features":[358]},{"name":"TB_LINEDOWN","features":[358]},{"name":"TB_LINEUP","features":[358]},{"name":"TB_LOADIMAGES","features":[358]},{"name":"TB_MAPACCELERATOR","features":[358]},{"name":"TB_MAPACCELERATORA","features":[358]},{"name":"TB_MAPACCELERATORW","features":[358]},{"name":"TB_MARKBUTTON","features":[358]},{"name":"TB_MOVEBUTTON","features":[358]},{"name":"TB_PAGEDOWN","features":[358]},{"name":"TB_PAGEUP","features":[358]},{"name":"TB_PRESSBUTTON","features":[358]},{"name":"TB_REPLACEBITMAP","features":[358]},{"name":"TB_SAVERESTORE","features":[358]},{"name":"TB_SAVERESTOREA","features":[358]},{"name":"TB_SAVERESTOREW","features":[358]},{"name":"TB_SETANCHORHIGHLIGHT","features":[358]},{"name":"TB_SETBITMAPSIZE","features":[358]},{"name":"TB_SETBOUNDINGSIZE","features":[358]},{"name":"TB_SETBUTTONINFO","features":[358]},{"name":"TB_SETBUTTONINFOA","features":[358]},{"name":"TB_SETBUTTONINFOW","features":[358]},{"name":"TB_SETBUTTONSIZE","features":[358]},{"name":"TB_SETBUTTONWIDTH","features":[358]},{"name":"TB_SETCMDID","features":[358]},{"name":"TB_SETCOLORSCHEME","features":[358]},{"name":"TB_SETDISABLEDIMAGELIST","features":[358]},{"name":"TB_SETDRAWTEXTFLAGS","features":[358]},{"name":"TB_SETEXTENDEDSTYLE","features":[358]},{"name":"TB_SETHOTIMAGELIST","features":[358]},{"name":"TB_SETHOTITEM","features":[358]},{"name":"TB_SETHOTITEM2","features":[358]},{"name":"TB_SETIMAGELIST","features":[358]},{"name":"TB_SETINDENT","features":[358]},{"name":"TB_SETINSERTMARK","features":[358]},{"name":"TB_SETINSERTMARKCOLOR","features":[358]},{"name":"TB_SETLISTGAP","features":[358]},{"name":"TB_SETMAXTEXTROWS","features":[358]},{"name":"TB_SETMETRICS","features":[358]},{"name":"TB_SETPADDING","features":[358]},{"name":"TB_SETPARENT","features":[358]},{"name":"TB_SETPRESSEDIMAGELIST","features":[358]},{"name":"TB_SETROWS","features":[358]},{"name":"TB_SETSTATE","features":[358]},{"name":"TB_SETSTYLE","features":[358]},{"name":"TB_SETTOOLTIPS","features":[358]},{"name":"TB_SETUNICODEFORMAT","features":[358]},{"name":"TB_SETWINDOWTHEME","features":[358]},{"name":"TB_THUMBPOSITION","features":[358]},{"name":"TB_THUMBTRACK","features":[358]},{"name":"TB_TOP","features":[358]},{"name":"TCHITTESTINFO","features":[308,358]},{"name":"TCHITTESTINFO_FLAGS","features":[358]},{"name":"TCHT_NOWHERE","features":[358]},{"name":"TCHT_ONITEM","features":[358]},{"name":"TCHT_ONITEMICON","features":[358]},{"name":"TCHT_ONITEMLABEL","features":[358]},{"name":"TCIF_IMAGE","features":[358]},{"name":"TCIF_PARAM","features":[358]},{"name":"TCIF_RTLREADING","features":[358]},{"name":"TCIF_STATE","features":[358]},{"name":"TCIF_TEXT","features":[358]},{"name":"TCIS_BUTTONPRESSED","features":[358]},{"name":"TCIS_HIGHLIGHTED","features":[358]},{"name":"TCITEMA","features":[308,358]},{"name":"TCITEMHEADERA","features":[358]},{"name":"TCITEMHEADERA_MASK","features":[358]},{"name":"TCITEMHEADERW","features":[358]},{"name":"TCITEMW","features":[308,358]},{"name":"TCM_ADJUSTRECT","features":[358]},{"name":"TCM_DELETEALLITEMS","features":[358]},{"name":"TCM_DELETEITEM","features":[358]},{"name":"TCM_DESELECTALL","features":[358]},{"name":"TCM_FIRST","features":[358]},{"name":"TCM_GETCURFOCUS","features":[358]},{"name":"TCM_GETCURSEL","features":[358]},{"name":"TCM_GETEXTENDEDSTYLE","features":[358]},{"name":"TCM_GETIMAGELIST","features":[358]},{"name":"TCM_GETITEM","features":[358]},{"name":"TCM_GETITEMA","features":[358]},{"name":"TCM_GETITEMCOUNT","features":[358]},{"name":"TCM_GETITEMRECT","features":[358]},{"name":"TCM_GETITEMW","features":[358]},{"name":"TCM_GETROWCOUNT","features":[358]},{"name":"TCM_GETTOOLTIPS","features":[358]},{"name":"TCM_GETUNICODEFORMAT","features":[358]},{"name":"TCM_HIGHLIGHTITEM","features":[358]},{"name":"TCM_HITTEST","features":[358]},{"name":"TCM_INSERTITEM","features":[358]},{"name":"TCM_INSERTITEMA","features":[358]},{"name":"TCM_INSERTITEMW","features":[358]},{"name":"TCM_REMOVEIMAGE","features":[358]},{"name":"TCM_SETCURFOCUS","features":[358]},{"name":"TCM_SETCURSEL","features":[358]},{"name":"TCM_SETEXTENDEDSTYLE","features":[358]},{"name":"TCM_SETIMAGELIST","features":[358]},{"name":"TCM_SETITEM","features":[358]},{"name":"TCM_SETITEMA","features":[358]},{"name":"TCM_SETITEMEXTRA","features":[358]},{"name":"TCM_SETITEMSIZE","features":[358]},{"name":"TCM_SETITEMW","features":[358]},{"name":"TCM_SETMINTABWIDTH","features":[358]},{"name":"TCM_SETPADDING","features":[358]},{"name":"TCM_SETTOOLTIPS","features":[358]},{"name":"TCM_SETUNICODEFORMAT","features":[358]},{"name":"TCN_FIRST","features":[358]},{"name":"TCN_FOCUSCHANGE","features":[358]},{"name":"TCN_GETOBJECT","features":[358]},{"name":"TCN_KEYDOWN","features":[358]},{"name":"TCN_LAST","features":[358]},{"name":"TCN_SELCHANGE","features":[358]},{"name":"TCN_SELCHANGING","features":[358]},{"name":"TCS_BOTTOM","features":[358]},{"name":"TCS_BUTTONS","features":[358]},{"name":"TCS_EX_FLATSEPARATORS","features":[358]},{"name":"TCS_EX_REGISTERDROP","features":[358]},{"name":"TCS_FIXEDWIDTH","features":[358]},{"name":"TCS_FLATBUTTONS","features":[358]},{"name":"TCS_FOCUSNEVER","features":[358]},{"name":"TCS_FOCUSONBUTTONDOWN","features":[358]},{"name":"TCS_FORCEICONLEFT","features":[358]},{"name":"TCS_FORCELABELLEFT","features":[358]},{"name":"TCS_HOTTRACK","features":[358]},{"name":"TCS_MULTILINE","features":[358]},{"name":"TCS_MULTISELECT","features":[358]},{"name":"TCS_OWNERDRAWFIXED","features":[358]},{"name":"TCS_RAGGEDRIGHT","features":[358]},{"name":"TCS_RIGHT","features":[358]},{"name":"TCS_RIGHTJUSTIFY","features":[358]},{"name":"TCS_SCROLLOPPOSITE","features":[358]},{"name":"TCS_SINGLELINE","features":[358]},{"name":"TCS_TABS","features":[358]},{"name":"TCS_TOOLTIPS","features":[358]},{"name":"TCS_VERTICAL","features":[358]},{"name":"TDCBF_ABORT_BUTTON","features":[358]},{"name":"TDCBF_CANCEL_BUTTON","features":[358]},{"name":"TDCBF_CLOSE_BUTTON","features":[358]},{"name":"TDCBF_CONTINUE_BUTTON","features":[358]},{"name":"TDCBF_HELP_BUTTON","features":[358]},{"name":"TDCBF_IGNORE_BUTTON","features":[358]},{"name":"TDCBF_NO_BUTTON","features":[358]},{"name":"TDCBF_OK_BUTTON","features":[358]},{"name":"TDCBF_RETRY_BUTTON","features":[358]},{"name":"TDCBF_TRYAGAIN_BUTTON","features":[358]},{"name":"TDCBF_YES_BUTTON","features":[358]},{"name":"TDE_CONTENT","features":[358]},{"name":"TDE_EXPANDED_INFORMATION","features":[358]},{"name":"TDE_FOOTER","features":[358]},{"name":"TDE_MAIN_INSTRUCTION","features":[358]},{"name":"TDF_ALLOW_DIALOG_CANCELLATION","features":[358]},{"name":"TDF_CALLBACK_TIMER","features":[358]},{"name":"TDF_CAN_BE_MINIMIZED","features":[358]},{"name":"TDF_ENABLE_HYPERLINKS","features":[358]},{"name":"TDF_EXPANDED_BY_DEFAULT","features":[358]},{"name":"TDF_EXPAND_FOOTER_AREA","features":[358]},{"name":"TDF_NO_DEFAULT_RADIO_BUTTON","features":[358]},{"name":"TDF_NO_SET_FOREGROUND","features":[358]},{"name":"TDF_POSITION_RELATIVE_TO_WINDOW","features":[358]},{"name":"TDF_RTL_LAYOUT","features":[358]},{"name":"TDF_SHOW_MARQUEE_PROGRESS_BAR","features":[358]},{"name":"TDF_SHOW_PROGRESS_BAR","features":[358]},{"name":"TDF_SIZE_TO_CONTENT","features":[358]},{"name":"TDF_USE_COMMAND_LINKS","features":[358]},{"name":"TDF_USE_COMMAND_LINKS_NO_ICON","features":[358]},{"name":"TDF_USE_HICON_FOOTER","features":[358]},{"name":"TDF_USE_HICON_MAIN","features":[358]},{"name":"TDF_VERIFICATION_FLAG_CHECKED","features":[358]},{"name":"TDIE_ICON_FOOTER","features":[358]},{"name":"TDIE_ICON_MAIN","features":[358]},{"name":"TDLGCPS_STANDALONE","features":[358]},{"name":"TDLGEBS_EXPANDEDDISABLED","features":[358]},{"name":"TDLGEBS_EXPANDEDHOVER","features":[358]},{"name":"TDLGEBS_EXPANDEDNORMAL","features":[358]},{"name":"TDLGEBS_EXPANDEDPRESSED","features":[358]},{"name":"TDLGEBS_HOVER","features":[358]},{"name":"TDLGEBS_NORMAL","features":[358]},{"name":"TDLGEBS_NORMALDISABLED","features":[358]},{"name":"TDLGEBS_PRESSED","features":[358]},{"name":"TDLG_BUTTONSECTION","features":[358]},{"name":"TDLG_BUTTONWRAPPER","features":[358]},{"name":"TDLG_COMMANDLINKPANE","features":[358]},{"name":"TDLG_CONTENTICON","features":[358]},{"name":"TDLG_CONTENTPANE","features":[358]},{"name":"TDLG_CONTROLPANE","features":[358]},{"name":"TDLG_EXPANDEDCONTENT","features":[358]},{"name":"TDLG_EXPANDEDFOOTERAREA","features":[358]},{"name":"TDLG_EXPANDOBUTTON","features":[358]},{"name":"TDLG_EXPANDOTEXT","features":[358]},{"name":"TDLG_FOOTNOTEAREA","features":[358]},{"name":"TDLG_FOOTNOTEPANE","features":[358]},{"name":"TDLG_FOOTNOTESEPARATOR","features":[358]},{"name":"TDLG_IMAGEALIGNMENT","features":[358]},{"name":"TDLG_MAINICON","features":[358]},{"name":"TDLG_MAININSTRUCTIONPANE","features":[358]},{"name":"TDLG_PRIMARYPANEL","features":[358]},{"name":"TDLG_PROGRESSBAR","features":[358]},{"name":"TDLG_RADIOBUTTONPANE","features":[358]},{"name":"TDLG_SECONDARYPANEL","features":[358]},{"name":"TDLG_VERIFICATIONTEXT","features":[358]},{"name":"TDM_CLICK_BUTTON","features":[358]},{"name":"TDM_CLICK_RADIO_BUTTON","features":[358]},{"name":"TDM_CLICK_VERIFICATION","features":[358]},{"name":"TDM_ENABLE_BUTTON","features":[358]},{"name":"TDM_ENABLE_RADIO_BUTTON","features":[358]},{"name":"TDM_NAVIGATE_PAGE","features":[358]},{"name":"TDM_SET_BUTTON_ELEVATION_REQUIRED_STATE","features":[358]},{"name":"TDM_SET_ELEMENT_TEXT","features":[358]},{"name":"TDM_SET_MARQUEE_PROGRESS_BAR","features":[358]},{"name":"TDM_SET_PROGRESS_BAR_MARQUEE","features":[358]},{"name":"TDM_SET_PROGRESS_BAR_POS","features":[358]},{"name":"TDM_SET_PROGRESS_BAR_RANGE","features":[358]},{"name":"TDM_SET_PROGRESS_BAR_STATE","features":[358]},{"name":"TDM_UPDATE_ELEMENT_TEXT","features":[358]},{"name":"TDM_UPDATE_ICON","features":[358]},{"name":"TDN_BUTTON_CLICKED","features":[358]},{"name":"TDN_CREATED","features":[358]},{"name":"TDN_DESTROYED","features":[358]},{"name":"TDN_DIALOG_CONSTRUCTED","features":[358]},{"name":"TDN_EXPANDO_BUTTON_CLICKED","features":[358]},{"name":"TDN_HELP","features":[358]},{"name":"TDN_HYPERLINK_CLICKED","features":[358]},{"name":"TDN_NAVIGATED","features":[358]},{"name":"TDN_RADIO_BUTTON_CLICKED","features":[358]},{"name":"TDN_TIMER","features":[358]},{"name":"TDN_VERIFICATION_CLICKED","features":[358]},{"name":"TDP_FLASHBUTTON","features":[358]},{"name":"TDP_FLASHBUTTONGROUPMENU","features":[358]},{"name":"TDP_GROUPCOUNT","features":[358]},{"name":"TD_ERROR_ICON","features":[358]},{"name":"TD_INFORMATION_ICON","features":[358]},{"name":"TD_SHIELD_ICON","features":[358]},{"name":"TD_WARNING_ICON","features":[358]},{"name":"TEXTSELECTIONGRIPPERPARTS","features":[358]},{"name":"TEXTSHADOWTYPE","features":[358]},{"name":"TEXTSTYLEPARTS","features":[358]},{"name":"TEXT_BODYTEXT","features":[358]},{"name":"TEXT_BODYTITLE","features":[358]},{"name":"TEXT_CONTROLLABEL","features":[358]},{"name":"TEXT_EXPANDED","features":[358]},{"name":"TEXT_HYPERLINKTEXT","features":[358]},{"name":"TEXT_INSTRUCTION","features":[358]},{"name":"TEXT_LABEL","features":[358]},{"name":"TEXT_MAININSTRUCTION","features":[358]},{"name":"TEXT_SECONDARYTEXT","features":[358]},{"name":"THEMESIZE","features":[358]},{"name":"THEME_PROPERTY_SYMBOL_ID","features":[358]},{"name":"THUMBBOTTOMSTATES","features":[358]},{"name":"THUMBLEFTSTATES","features":[358]},{"name":"THUMBRIGHTSTATES","features":[358]},{"name":"THUMBSTATES","features":[358]},{"name":"THUMBTOPSTATES","features":[358]},{"name":"THUMBVERTSTATES","features":[358]},{"name":"TIBES_DISABLED","features":[358]},{"name":"TIBES_FOCUSED","features":[358]},{"name":"TIBES_HOT","features":[358]},{"name":"TIBES_NORMAL","features":[358]},{"name":"TIBES_SELECTED","features":[358]},{"name":"TICSSTATES","features":[358]},{"name":"TICSVERTSTATES","features":[358]},{"name":"TILES_DISABLED","features":[358]},{"name":"TILES_FOCUSED","features":[358]},{"name":"TILES_HOT","features":[358]},{"name":"TILES_NORMAL","features":[358]},{"name":"TILES_SELECTED","features":[358]},{"name":"TIRES_DISABLED","features":[358]},{"name":"TIRES_FOCUSED","features":[358]},{"name":"TIRES_HOT","features":[358]},{"name":"TIRES_NORMAL","features":[358]},{"name":"TIRES_SELECTED","features":[358]},{"name":"TIS_DISABLED","features":[358]},{"name":"TIS_FOCUSED","features":[358]},{"name":"TIS_HOT","features":[358]},{"name":"TIS_NORMAL","features":[358]},{"name":"TIS_SELECTED","features":[358]},{"name":"TITLEBARSTATES","features":[358]},{"name":"TKP_THUMB","features":[358]},{"name":"TKP_THUMBBOTTOM","features":[358]},{"name":"TKP_THUMBLEFT","features":[358]},{"name":"TKP_THUMBRIGHT","features":[358]},{"name":"TKP_THUMBTOP","features":[358]},{"name":"TKP_THUMBVERT","features":[358]},{"name":"TKP_TICS","features":[358]},{"name":"TKP_TICSVERT","features":[358]},{"name":"TKP_TRACK","features":[358]},{"name":"TKP_TRACKVERT","features":[358]},{"name":"TKS_NORMAL","features":[358]},{"name":"TMTVS_RESERVEDHIGH","features":[358]},{"name":"TMTVS_RESERVEDLOW","features":[358]},{"name":"TMT_ACCENTCOLORHINT","features":[358]},{"name":"TMT_ACTIVEBORDER","features":[358]},{"name":"TMT_ACTIVECAPTION","features":[358]},{"name":"TMT_ALIAS","features":[358]},{"name":"TMT_ALPHALEVEL","features":[358]},{"name":"TMT_ALPHATHRESHOLD","features":[358]},{"name":"TMT_ALWAYSSHOWSIZINGBAR","features":[358]},{"name":"TMT_ANIMATIONBUTTONRECT","features":[358]},{"name":"TMT_ANIMATIONDELAY","features":[358]},{"name":"TMT_ANIMATIONDURATION","features":[358]},{"name":"TMT_APPWORKSPACE","features":[358]},{"name":"TMT_ATLASIMAGE","features":[358]},{"name":"TMT_ATLASINPUTIMAGE","features":[358]},{"name":"TMT_ATLASRECT","features":[358]},{"name":"TMT_AUTHOR","features":[358]},{"name":"TMT_AUTOSIZE","features":[358]},{"name":"TMT_BACKGROUND","features":[358]},{"name":"TMT_BGFILL","features":[358]},{"name":"TMT_BGTYPE","features":[358]},{"name":"TMT_BITMAPREF","features":[358]},{"name":"TMT_BLENDCOLOR","features":[358]},{"name":"TMT_BODYFONT","features":[358]},{"name":"TMT_BODYTEXTCOLOR","features":[358]},{"name":"TMT_BOOL","features":[358]},{"name":"TMT_BORDERCOLOR","features":[358]},{"name":"TMT_BORDERCOLORHINT","features":[358]},{"name":"TMT_BORDERONLY","features":[358]},{"name":"TMT_BORDERSIZE","features":[358]},{"name":"TMT_BORDERTYPE","features":[358]},{"name":"TMT_BTNFACE","features":[358]},{"name":"TMT_BTNHIGHLIGHT","features":[358]},{"name":"TMT_BTNSHADOW","features":[358]},{"name":"TMT_BTNTEXT","features":[358]},{"name":"TMT_BUTTONALTERNATEFACE","features":[358]},{"name":"TMT_CAPTIONBARHEIGHT","features":[358]},{"name":"TMT_CAPTIONBARWIDTH","features":[358]},{"name":"TMT_CAPTIONFONT","features":[358]},{"name":"TMT_CAPTIONMARGINS","features":[358]},{"name":"TMT_CAPTIONTEXT","features":[358]},{"name":"TMT_CHARSET","features":[358]},{"name":"TMT_CLASSICVALUE","features":[358]},{"name":"TMT_COLOR","features":[358]},{"name":"TMT_COLORIZATIONCOLOR","features":[358]},{"name":"TMT_COLORIZATIONOPACITY","features":[358]},{"name":"TMT_COLORSCHEMES","features":[358]},{"name":"TMT_COMPANY","features":[358]},{"name":"TMT_COMPOSITED","features":[358]},{"name":"TMT_COMPOSITEDOPAQUE","features":[358]},{"name":"TMT_CONTENTALIGNMENT","features":[358]},{"name":"TMT_CONTENTMARGINS","features":[358]},{"name":"TMT_COPYRIGHT","features":[358]},{"name":"TMT_CSSNAME","features":[358]},{"name":"TMT_CUSTOMSPLITRECT","features":[358]},{"name":"TMT_DEFAULTPANESIZE","features":[358]},{"name":"TMT_DESCRIPTION","features":[358]},{"name":"TMT_DIBDATA","features":[358]},{"name":"TMT_DISKSTREAM","features":[358]},{"name":"TMT_DISPLAYNAME","features":[358]},{"name":"TMT_DKSHADOW3D","features":[358]},{"name":"TMT_DRAWBORDERS","features":[358]},{"name":"TMT_EDGEDKSHADOWCOLOR","features":[358]},{"name":"TMT_EDGEFILLCOLOR","features":[358]},{"name":"TMT_EDGEHIGHLIGHTCOLOR","features":[358]},{"name":"TMT_EDGELIGHTCOLOR","features":[358]},{"name":"TMT_EDGESHADOWCOLOR","features":[358]},{"name":"TMT_ENUM","features":[358]},{"name":"TMT_FILENAME","features":[358]},{"name":"TMT_FILLCOLOR","features":[358]},{"name":"TMT_FILLCOLORHINT","features":[358]},{"name":"TMT_FILLTYPE","features":[358]},{"name":"TMT_FIRSTBOOL","features":[358]},{"name":"TMT_FIRSTCOLOR","features":[358]},{"name":"TMT_FIRSTFONT","features":[358]},{"name":"TMT_FIRSTINT","features":[358]},{"name":"TMT_FIRSTSIZE","features":[358]},{"name":"TMT_FIRSTSTRING","features":[358]},{"name":"TMT_FIRST_RCSTRING_NAME","features":[358]},{"name":"TMT_FLATMENUS","features":[358]},{"name":"TMT_FLOAT","features":[358]},{"name":"TMT_FLOATLIST","features":[358]},{"name":"TMT_FONT","features":[358]},{"name":"TMT_FRAMESPERSECOND","features":[358]},{"name":"TMT_FROMCOLOR1","features":[358]},{"name":"TMT_FROMCOLOR2","features":[358]},{"name":"TMT_FROMCOLOR3","features":[358]},{"name":"TMT_FROMCOLOR4","features":[358]},{"name":"TMT_FROMCOLOR5","features":[358]},{"name":"TMT_FROMHUE1","features":[358]},{"name":"TMT_FROMHUE2","features":[358]},{"name":"TMT_FROMHUE3","features":[358]},{"name":"TMT_FROMHUE4","features":[358]},{"name":"TMT_FROMHUE5","features":[358]},{"name":"TMT_GLOWCOLOR","features":[358]},{"name":"TMT_GLOWINTENSITY","features":[358]},{"name":"TMT_GLYPHDIBDATA","features":[358]},{"name":"TMT_GLYPHFONT","features":[358]},{"name":"TMT_GLYPHFONTSIZINGTYPE","features":[358]},{"name":"TMT_GLYPHIMAGEFILE","features":[358]},{"name":"TMT_GLYPHINDEX","features":[358]},{"name":"TMT_GLYPHONLY","features":[358]},{"name":"TMT_GLYPHTEXTCOLOR","features":[358]},{"name":"TMT_GLYPHTRANSPARENT","features":[358]},{"name":"TMT_GLYPHTRANSPARENTCOLOR","features":[358]},{"name":"TMT_GLYPHTYPE","features":[358]},{"name":"TMT_GRADIENTACTIVECAPTION","features":[358]},{"name":"TMT_GRADIENTCOLOR1","features":[358]},{"name":"TMT_GRADIENTCOLOR2","features":[358]},{"name":"TMT_GRADIENTCOLOR3","features":[358]},{"name":"TMT_GRADIENTCOLOR4","features":[358]},{"name":"TMT_GRADIENTCOLOR5","features":[358]},{"name":"TMT_GRADIENTINACTIVECAPTION","features":[358]},{"name":"TMT_GRADIENTRATIO1","features":[358]},{"name":"TMT_GRADIENTRATIO2","features":[358]},{"name":"TMT_GRADIENTRATIO3","features":[358]},{"name":"TMT_GRADIENTRATIO4","features":[358]},{"name":"TMT_GRADIENTRATIO5","features":[358]},{"name":"TMT_GRAYTEXT","features":[358]},{"name":"TMT_HALIGN","features":[358]},{"name":"TMT_HBITMAP","features":[358]},{"name":"TMT_HEADING1FONT","features":[358]},{"name":"TMT_HEADING1TEXTCOLOR","features":[358]},{"name":"TMT_HEADING2FONT","features":[358]},{"name":"TMT_HEADING2TEXTCOLOR","features":[358]},{"name":"TMT_HEIGHT","features":[358]},{"name":"TMT_HIGHLIGHT","features":[358]},{"name":"TMT_HIGHLIGHTTEXT","features":[358]},{"name":"TMT_HOTTRACKING","features":[358]},{"name":"TMT_ICONEFFECT","features":[358]},{"name":"TMT_ICONTITLEFONT","features":[358]},{"name":"TMT_IMAGECOUNT","features":[358]},{"name":"TMT_IMAGEFILE","features":[358]},{"name":"TMT_IMAGEFILE1","features":[358]},{"name":"TMT_IMAGEFILE2","features":[358]},{"name":"TMT_IMAGEFILE3","features":[358]},{"name":"TMT_IMAGEFILE4","features":[358]},{"name":"TMT_IMAGEFILE5","features":[358]},{"name":"TMT_IMAGEFILE6","features":[358]},{"name":"TMT_IMAGEFILE7","features":[358]},{"name":"TMT_IMAGELAYOUT","features":[358]},{"name":"TMT_IMAGESELECTTYPE","features":[358]},{"name":"TMT_INACTIVEBORDER","features":[358]},{"name":"TMT_INACTIVECAPTION","features":[358]},{"name":"TMT_INACTIVECAPTIONTEXT","features":[358]},{"name":"TMT_INFOBK","features":[358]},{"name":"TMT_INFOTEXT","features":[358]},{"name":"TMT_INT","features":[358]},{"name":"TMT_INTEGRALSIZING","features":[358]},{"name":"TMT_INTLIST","features":[358]},{"name":"TMT_LASTBOOL","features":[358]},{"name":"TMT_LASTCOLOR","features":[358]},{"name":"TMT_LASTFONT","features":[358]},{"name":"TMT_LASTINT","features":[358]},{"name":"TMT_LASTSIZE","features":[358]},{"name":"TMT_LASTSTRING","features":[358]},{"name":"TMT_LASTUPDATED","features":[358]},{"name":"TMT_LAST_RCSTRING_NAME","features":[358]},{"name":"TMT_LIGHT3D","features":[358]},{"name":"TMT_LOCALIZEDMIRRORIMAGE","features":[358]},{"name":"TMT_MARGINS","features":[358]},{"name":"TMT_MENU","features":[358]},{"name":"TMT_MENUBAR","features":[358]},{"name":"TMT_MENUBARHEIGHT","features":[358]},{"name":"TMT_MENUBARWIDTH","features":[358]},{"name":"TMT_MENUFONT","features":[358]},{"name":"TMT_MENUHILIGHT","features":[358]},{"name":"TMT_MENUTEXT","features":[358]},{"name":"TMT_MINCOLORDEPTH","features":[358]},{"name":"TMT_MINDPI1","features":[358]},{"name":"TMT_MINDPI2","features":[358]},{"name":"TMT_MINDPI3","features":[358]},{"name":"TMT_MINDPI4","features":[358]},{"name":"TMT_MINDPI5","features":[358]},{"name":"TMT_MINDPI6","features":[358]},{"name":"TMT_MINDPI7","features":[358]},{"name":"TMT_MINSIZE","features":[358]},{"name":"TMT_MINSIZE1","features":[358]},{"name":"TMT_MINSIZE2","features":[358]},{"name":"TMT_MINSIZE3","features":[358]},{"name":"TMT_MINSIZE4","features":[358]},{"name":"TMT_MINSIZE5","features":[358]},{"name":"TMT_MINSIZE6","features":[358]},{"name":"TMT_MINSIZE7","features":[358]},{"name":"TMT_MIRRORIMAGE","features":[358]},{"name":"TMT_MSGBOXFONT","features":[358]},{"name":"TMT_NAME","features":[358]},{"name":"TMT_NOETCHEDEFFECT","features":[358]},{"name":"TMT_NORMALSIZE","features":[358]},{"name":"TMT_OFFSET","features":[358]},{"name":"TMT_OFFSETTYPE","features":[358]},{"name":"TMT_OPACITY","features":[358]},{"name":"TMT_PADDEDBORDERWIDTH","features":[358]},{"name":"TMT_PIXELSPERFRAME","features":[358]},{"name":"TMT_POSITION","features":[358]},{"name":"TMT_PROGRESSCHUNKSIZE","features":[358]},{"name":"TMT_PROGRESSSPACESIZE","features":[358]},{"name":"TMT_RECT","features":[358]},{"name":"TMT_RESERVEDHIGH","features":[358]},{"name":"TMT_RESERVEDLOW","features":[358]},{"name":"TMT_ROUNDCORNERHEIGHT","features":[358]},{"name":"TMT_ROUNDCORNERWIDTH","features":[358]},{"name":"TMT_SATURATION","features":[358]},{"name":"TMT_SCALEDBACKGROUND","features":[358]},{"name":"TMT_SCROLLBAR","features":[358]},{"name":"TMT_SCROLLBARHEIGHT","features":[358]},{"name":"TMT_SCROLLBARWIDTH","features":[358]},{"name":"TMT_SHADOWCOLOR","features":[358]},{"name":"TMT_SIZE","features":[358]},{"name":"TMT_SIZES","features":[358]},{"name":"TMT_SIZINGBORDERWIDTH","features":[358]},{"name":"TMT_SIZINGMARGINS","features":[358]},{"name":"TMT_SIZINGTYPE","features":[358]},{"name":"TMT_SMALLCAPTIONFONT","features":[358]},{"name":"TMT_SMCAPTIONBARHEIGHT","features":[358]},{"name":"TMT_SMCAPTIONBARWIDTH","features":[358]},{"name":"TMT_SOURCEGROW","features":[358]},{"name":"TMT_SOURCESHRINK","features":[358]},{"name":"TMT_STATUSFONT","features":[358]},{"name":"TMT_STREAM","features":[358]},{"name":"TMT_STRING","features":[358]},{"name":"TMT_TEXT","features":[358]},{"name":"TMT_TEXTAPPLYOVERLAY","features":[358]},{"name":"TMT_TEXTBORDERCOLOR","features":[358]},{"name":"TMT_TEXTBORDERSIZE","features":[358]},{"name":"TMT_TEXTCOLOR","features":[358]},{"name":"TMT_TEXTCOLORHINT","features":[358]},{"name":"TMT_TEXTGLOW","features":[358]},{"name":"TMT_TEXTGLOWSIZE","features":[358]},{"name":"TMT_TEXTITALIC","features":[358]},{"name":"TMT_TEXTSHADOWCOLOR","features":[358]},{"name":"TMT_TEXTSHADOWOFFSET","features":[358]},{"name":"TMT_TEXTSHADOWTYPE","features":[358]},{"name":"TMT_TOCOLOR1","features":[358]},{"name":"TMT_TOCOLOR2","features":[358]},{"name":"TMT_TOCOLOR3","features":[358]},{"name":"TMT_TOCOLOR4","features":[358]},{"name":"TMT_TOCOLOR5","features":[358]},{"name":"TMT_TOHUE1","features":[358]},{"name":"TMT_TOHUE2","features":[358]},{"name":"TMT_TOHUE3","features":[358]},{"name":"TMT_TOHUE4","features":[358]},{"name":"TMT_TOHUE5","features":[358]},{"name":"TMT_TOOLTIP","features":[358]},{"name":"TMT_TRANSITIONDURATIONS","features":[358]},{"name":"TMT_TRANSPARENT","features":[358]},{"name":"TMT_TRANSPARENTCOLOR","features":[358]},{"name":"TMT_TRUESIZESCALINGTYPE","features":[358]},{"name":"TMT_TRUESIZESTRETCHMARK","features":[358]},{"name":"TMT_UNIFORMSIZING","features":[358]},{"name":"TMT_URL","features":[358]},{"name":"TMT_USERPICTURE","features":[358]},{"name":"TMT_VALIGN","features":[358]},{"name":"TMT_VERSION","features":[358]},{"name":"TMT_WIDTH","features":[358]},{"name":"TMT_WINDOW","features":[358]},{"name":"TMT_WINDOWFRAME","features":[358]},{"name":"TMT_WINDOWTEXT","features":[358]},{"name":"TMT_XMLNAME","features":[358]},{"name":"TNP_ANIMBACKGROUND","features":[358]},{"name":"TNP_BACKGROUND","features":[358]},{"name":"TOOLBARCLASSNAME","features":[358]},{"name":"TOOLBARCLASSNAMEA","features":[358]},{"name":"TOOLBARCLASSNAMEW","features":[358]},{"name":"TOOLBARPARTS","features":[358]},{"name":"TOOLBARSTYLESTATES","features":[358]},{"name":"TOOLTIPPARTS","features":[358]},{"name":"TOOLTIPS_CLASS","features":[358]},{"name":"TOOLTIPS_CLASSA","features":[358]},{"name":"TOOLTIPS_CLASSW","features":[358]},{"name":"TOOLTIP_FLAGS","features":[358]},{"name":"TOPTABITEMBOTHEDGESTATES","features":[358]},{"name":"TOPTABITEMLEFTEDGESTATES","features":[358]},{"name":"TOPTABITEMRIGHTEDGESTATES","features":[358]},{"name":"TOPTABITEMSTATES","features":[358]},{"name":"TOUCH_HIT_TESTING_INPUT","features":[308,358]},{"name":"TOUCH_HIT_TESTING_PROXIMITY_EVALUATION","features":[308,358]},{"name":"TP_BUTTON","features":[358]},{"name":"TP_DROPDOWNBUTTON","features":[358]},{"name":"TP_DROPDOWNBUTTONGLYPH","features":[358]},{"name":"TP_SEPARATOR","features":[358]},{"name":"TP_SEPARATORVERT","features":[358]},{"name":"TP_SPLITBUTTON","features":[358]},{"name":"TP_SPLITBUTTONDROPDOWN","features":[358]},{"name":"TRACKBARPARTS","features":[358]},{"name":"TRACKBARSTYLESTATES","features":[358]},{"name":"TRACKBAR_CLASS","features":[358]},{"name":"TRACKBAR_CLASSA","features":[358]},{"name":"TRACKBAR_CLASSW","features":[358]},{"name":"TRACKSTATES","features":[358]},{"name":"TRACKVERTSTATES","features":[358]},{"name":"TRAILINGGRIDCELLSTATES","features":[358]},{"name":"TRAILINGGRIDCELLUPPERSTATES","features":[358]},{"name":"TRANSPARENTBACKGROUNDSTATES","features":[358]},{"name":"TRANSPARENTBARSTATES","features":[358]},{"name":"TRANSPARENTBARVERTSTATES","features":[358]},{"name":"TRAYNOTIFYPARTS","features":[358]},{"name":"TRBN_FIRST","features":[358]},{"name":"TRBN_LAST","features":[358]},{"name":"TRBN_THUMBPOSCHANGING","features":[358]},{"name":"TREEITEMSTATES","features":[358]},{"name":"TREEVIEWPARTS","features":[358]},{"name":"TREE_VIEW_ITEM_STATE_FLAGS","features":[358]},{"name":"TREIS_DISABLED","features":[358]},{"name":"TREIS_HOT","features":[358]},{"name":"TREIS_HOTSELECTED","features":[358]},{"name":"TREIS_NORMAL","features":[358]},{"name":"TREIS_SELECTED","features":[358]},{"name":"TREIS_SELECTEDNOTFOCUS","features":[358]},{"name":"TRS_NORMAL","features":[358]},{"name":"TRUESIZESCALINGTYPE","features":[358]},{"name":"TRVS_NORMAL","features":[358]},{"name":"TSGP_GRIPPER","features":[358]},{"name":"TSGS_CENTERED","features":[358]},{"name":"TSGS_NORMAL","features":[358]},{"name":"TSST_DPI","features":[358]},{"name":"TSST_NONE","features":[358]},{"name":"TSST_SIZE","features":[358]},{"name":"TSS_NORMAL","features":[358]},{"name":"TST_CONTINUOUS","features":[358]},{"name":"TST_NONE","features":[358]},{"name":"TST_SINGLE","features":[358]},{"name":"TSVS_NORMAL","features":[358]},{"name":"TS_CHECKED","features":[358]},{"name":"TS_CONTROLLABEL_DISABLED","features":[358]},{"name":"TS_CONTROLLABEL_NORMAL","features":[358]},{"name":"TS_DISABLED","features":[358]},{"name":"TS_DRAW","features":[358]},{"name":"TS_HOT","features":[358]},{"name":"TS_HOTCHECKED","features":[358]},{"name":"TS_HYPERLINK_DISABLED","features":[358]},{"name":"TS_HYPERLINK_HOT","features":[358]},{"name":"TS_HYPERLINK_NORMAL","features":[358]},{"name":"TS_HYPERLINK_PRESSED","features":[358]},{"name":"TS_MIN","features":[358]},{"name":"TS_NEARHOT","features":[358]},{"name":"TS_NORMAL","features":[358]},{"name":"TS_OTHERSIDEHOT","features":[358]},{"name":"TS_PRESSED","features":[358]},{"name":"TS_TRUE","features":[358]},{"name":"TTBSS_POINTINGDOWNCENTERED","features":[358]},{"name":"TTBSS_POINTINGDOWNLEFTWALL","features":[358]},{"name":"TTBSS_POINTINGDOWNRIGHTWALL","features":[358]},{"name":"TTBSS_POINTINGUPCENTERED","features":[358]},{"name":"TTBSS_POINTINGUPLEFTWALL","features":[358]},{"name":"TTBSS_POINTINGUPRIGHTWALL","features":[358]},{"name":"TTBS_LINK","features":[358]},{"name":"TTBS_NORMAL","features":[358]},{"name":"TTCS_HOT","features":[358]},{"name":"TTCS_NORMAL","features":[358]},{"name":"TTCS_PRESSED","features":[358]},{"name":"TTDT_AUTOMATIC","features":[358]},{"name":"TTDT_AUTOPOP","features":[358]},{"name":"TTDT_INITIAL","features":[358]},{"name":"TTDT_RESHOW","features":[358]},{"name":"TTFT_CUBIC_BEZIER","features":[358]},{"name":"TTFT_UNDEFINED","features":[358]},{"name":"TTF_ABSOLUTE","features":[358]},{"name":"TTF_CENTERTIP","features":[358]},{"name":"TTF_DI_SETITEM","features":[358]},{"name":"TTF_IDISHWND","features":[358]},{"name":"TTF_PARSELINKS","features":[358]},{"name":"TTF_RTLREADING","features":[358]},{"name":"TTF_SUBCLASS","features":[358]},{"name":"TTF_TRACK","features":[358]},{"name":"TTF_TRANSPARENT","features":[358]},{"name":"TTGETTITLE","features":[358]},{"name":"TTHITTESTINFOA","features":[308,358]},{"name":"TTHITTESTINFOW","features":[308,358]},{"name":"TTIBES_DISABLED","features":[358]},{"name":"TTIBES_FOCUSED","features":[358]},{"name":"TTIBES_HOT","features":[358]},{"name":"TTIBES_NORMAL","features":[358]},{"name":"TTIBES_SELECTED","features":[358]},{"name":"TTILES_DISABLED","features":[358]},{"name":"TTILES_FOCUSED","features":[358]},{"name":"TTILES_HOT","features":[358]},{"name":"TTILES_NORMAL","features":[358]},{"name":"TTILES_SELECTED","features":[358]},{"name":"TTIRES_DISABLED","features":[358]},{"name":"TTIRES_FOCUSED","features":[358]},{"name":"TTIRES_HOT","features":[358]},{"name":"TTIRES_NORMAL","features":[358]},{"name":"TTIRES_SELECTED","features":[358]},{"name":"TTIS_DISABLED","features":[358]},{"name":"TTIS_FOCUSED","features":[358]},{"name":"TTIS_HOT","features":[358]},{"name":"TTIS_NORMAL","features":[358]},{"name":"TTIS_SELECTED","features":[358]},{"name":"TTI_ERROR","features":[358]},{"name":"TTI_ERROR_LARGE","features":[358]},{"name":"TTI_INFO","features":[358]},{"name":"TTI_INFO_LARGE","features":[358]},{"name":"TTI_NONE","features":[358]},{"name":"TTI_WARNING","features":[358]},{"name":"TTI_WARNING_LARGE","features":[358]},{"name":"TTM_ACTIVATE","features":[358]},{"name":"TTM_ADDTOOL","features":[358]},{"name":"TTM_ADDTOOLA","features":[358]},{"name":"TTM_ADDTOOLW","features":[358]},{"name":"TTM_ADJUSTRECT","features":[358]},{"name":"TTM_DELTOOL","features":[358]},{"name":"TTM_DELTOOLA","features":[358]},{"name":"TTM_DELTOOLW","features":[358]},{"name":"TTM_ENUMTOOLS","features":[358]},{"name":"TTM_ENUMTOOLSA","features":[358]},{"name":"TTM_ENUMTOOLSW","features":[358]},{"name":"TTM_GETBUBBLESIZE","features":[358]},{"name":"TTM_GETCURRENTTOOL","features":[358]},{"name":"TTM_GETCURRENTTOOLA","features":[358]},{"name":"TTM_GETCURRENTTOOLW","features":[358]},{"name":"TTM_GETDELAYTIME","features":[358]},{"name":"TTM_GETMARGIN","features":[358]},{"name":"TTM_GETMAXTIPWIDTH","features":[358]},{"name":"TTM_GETTEXT","features":[358]},{"name":"TTM_GETTEXTA","features":[358]},{"name":"TTM_GETTEXTW","features":[358]},{"name":"TTM_GETTIPBKCOLOR","features":[358]},{"name":"TTM_GETTIPTEXTCOLOR","features":[358]},{"name":"TTM_GETTITLE","features":[358]},{"name":"TTM_GETTOOLCOUNT","features":[358]},{"name":"TTM_GETTOOLINFO","features":[358]},{"name":"TTM_GETTOOLINFOA","features":[358]},{"name":"TTM_GETTOOLINFOW","features":[358]},{"name":"TTM_HITTEST","features":[358]},{"name":"TTM_HITTESTA","features":[358]},{"name":"TTM_HITTESTW","features":[358]},{"name":"TTM_NEWTOOLRECT","features":[358]},{"name":"TTM_NEWTOOLRECTA","features":[358]},{"name":"TTM_NEWTOOLRECTW","features":[358]},{"name":"TTM_POP","features":[358]},{"name":"TTM_POPUP","features":[358]},{"name":"TTM_RELAYEVENT","features":[358]},{"name":"TTM_SETDELAYTIME","features":[358]},{"name":"TTM_SETMARGIN","features":[358]},{"name":"TTM_SETMAXTIPWIDTH","features":[358]},{"name":"TTM_SETTIPBKCOLOR","features":[358]},{"name":"TTM_SETTIPTEXTCOLOR","features":[358]},{"name":"TTM_SETTITLE","features":[358]},{"name":"TTM_SETTITLEA","features":[358]},{"name":"TTM_SETTITLEW","features":[358]},{"name":"TTM_SETTOOLINFO","features":[358]},{"name":"TTM_SETTOOLINFOA","features":[358]},{"name":"TTM_SETTOOLINFOW","features":[358]},{"name":"TTM_SETWINDOWTHEME","features":[358]},{"name":"TTM_TRACKACTIVATE","features":[358]},{"name":"TTM_TRACKPOSITION","features":[358]},{"name":"TTM_UPDATE","features":[358]},{"name":"TTM_UPDATETIPTEXT","features":[358]},{"name":"TTM_UPDATETIPTEXTA","features":[358]},{"name":"TTM_UPDATETIPTEXTW","features":[358]},{"name":"TTM_WINDOWFROMPOINT","features":[358]},{"name":"TTN_FIRST","features":[358]},{"name":"TTN_GETDISPINFO","features":[358]},{"name":"TTN_GETDISPINFOA","features":[358]},{"name":"TTN_GETDISPINFOW","features":[358]},{"name":"TTN_LAST","features":[358]},{"name":"TTN_LINKCLICK","features":[358]},{"name":"TTN_NEEDTEXT","features":[358]},{"name":"TTN_NEEDTEXTA","features":[358]},{"name":"TTN_NEEDTEXTW","features":[358]},{"name":"TTN_POP","features":[358]},{"name":"TTN_SHOW","features":[358]},{"name":"TTP_BALLOON","features":[358]},{"name":"TTP_BALLOONSTEM","features":[358]},{"name":"TTP_BALLOONTITLE","features":[358]},{"name":"TTP_CLOSE","features":[358]},{"name":"TTP_STANDARD","features":[358]},{"name":"TTP_STANDARDTITLE","features":[358]},{"name":"TTP_WRENCH","features":[358]},{"name":"TTSS_LINK","features":[358]},{"name":"TTSS_NORMAL","features":[358]},{"name":"TTS_ALWAYSTIP","features":[358]},{"name":"TTS_BALLOON","features":[358]},{"name":"TTS_CLOSE","features":[358]},{"name":"TTS_NOANIMATE","features":[358]},{"name":"TTS_NOFADE","features":[358]},{"name":"TTS_NOPREFIX","features":[358]},{"name":"TTS_USEVISUALSTYLE","features":[358]},{"name":"TTTOOLINFOA","features":[308,358]},{"name":"TTTOOLINFOW","features":[308,358]},{"name":"TTWS_HOT","features":[358]},{"name":"TTWS_NORMAL","features":[358]},{"name":"TTWS_PRESSED","features":[358]},{"name":"TUBS_DISABLED","features":[358]},{"name":"TUBS_FOCUSED","features":[358]},{"name":"TUBS_HOT","features":[358]},{"name":"TUBS_NORMAL","features":[358]},{"name":"TUBS_PRESSED","features":[358]},{"name":"TUS_DISABLED","features":[358]},{"name":"TUS_FOCUSED","features":[358]},{"name":"TUS_HOT","features":[358]},{"name":"TUS_NORMAL","features":[358]},{"name":"TUS_PRESSED","features":[358]},{"name":"TUTS_DISABLED","features":[358]},{"name":"TUTS_FOCUSED","features":[358]},{"name":"TUTS_HOT","features":[358]},{"name":"TUTS_NORMAL","features":[358]},{"name":"TUTS_PRESSED","features":[358]},{"name":"TUVLS_DISABLED","features":[358]},{"name":"TUVLS_FOCUSED","features":[358]},{"name":"TUVLS_HOT","features":[358]},{"name":"TUVLS_NORMAL","features":[358]},{"name":"TUVLS_PRESSED","features":[358]},{"name":"TUVRS_DISABLED","features":[358]},{"name":"TUVRS_FOCUSED","features":[358]},{"name":"TUVRS_HOT","features":[358]},{"name":"TUVRS_NORMAL","features":[358]},{"name":"TUVRS_PRESSED","features":[358]},{"name":"TUVS_DISABLED","features":[358]},{"name":"TUVS_FOCUSED","features":[358]},{"name":"TUVS_HOT","features":[358]},{"name":"TUVS_NORMAL","features":[358]},{"name":"TUVS_PRESSED","features":[358]},{"name":"TVCDRF_NOIMAGES","features":[358]},{"name":"TVC_BYKEYBOARD","features":[358]},{"name":"TVC_BYMOUSE","features":[358]},{"name":"TVC_UNKNOWN","features":[358]},{"name":"TVE_COLLAPSE","features":[358]},{"name":"TVE_COLLAPSERESET","features":[358]},{"name":"TVE_EXPAND","features":[358]},{"name":"TVE_EXPANDPARTIAL","features":[358]},{"name":"TVE_TOGGLE","features":[358]},{"name":"TVGETITEMPARTRECTINFO","features":[308,358]},{"name":"TVGIPR_BUTTON","features":[358]},{"name":"TVGN_CARET","features":[358]},{"name":"TVGN_CHILD","features":[358]},{"name":"TVGN_DROPHILITE","features":[358]},{"name":"TVGN_FIRSTVISIBLE","features":[358]},{"name":"TVGN_LASTVISIBLE","features":[358]},{"name":"TVGN_NEXT","features":[358]},{"name":"TVGN_NEXTSELECTED","features":[358]},{"name":"TVGN_NEXTVISIBLE","features":[358]},{"name":"TVGN_PARENT","features":[358]},{"name":"TVGN_PREVIOUS","features":[358]},{"name":"TVGN_PREVIOUSVISIBLE","features":[358]},{"name":"TVGN_ROOT","features":[358]},{"name":"TVHITTESTINFO","features":[308,358]},{"name":"TVHITTESTINFO_FLAGS","features":[358]},{"name":"TVHT_ABOVE","features":[358]},{"name":"TVHT_BELOW","features":[358]},{"name":"TVHT_NOWHERE","features":[358]},{"name":"TVHT_ONITEM","features":[358]},{"name":"TVHT_ONITEMBUTTON","features":[358]},{"name":"TVHT_ONITEMICON","features":[358]},{"name":"TVHT_ONITEMINDENT","features":[358]},{"name":"TVHT_ONITEMLABEL","features":[358]},{"name":"TVHT_ONITEMRIGHT","features":[358]},{"name":"TVHT_ONITEMSTATEICON","features":[358]},{"name":"TVHT_TOLEFT","features":[358]},{"name":"TVHT_TORIGHT","features":[358]},{"name":"TVIF_CHILDREN","features":[358]},{"name":"TVIF_DI_SETITEM","features":[358]},{"name":"TVIF_EXPANDEDIMAGE","features":[358]},{"name":"TVIF_HANDLE","features":[358]},{"name":"TVIF_IMAGE","features":[358]},{"name":"TVIF_INTEGRAL","features":[358]},{"name":"TVIF_PARAM","features":[358]},{"name":"TVIF_SELECTEDIMAGE","features":[358]},{"name":"TVIF_STATE","features":[358]},{"name":"TVIF_STATEEX","features":[358]},{"name":"TVIF_TEXT","features":[358]},{"name":"TVINSERTSTRUCTA","features":[308,358]},{"name":"TVINSERTSTRUCTW","features":[308,358]},{"name":"TVIS_BOLD","features":[358]},{"name":"TVIS_CUT","features":[358]},{"name":"TVIS_DROPHILITED","features":[358]},{"name":"TVIS_EXPANDED","features":[358]},{"name":"TVIS_EXPANDEDONCE","features":[358]},{"name":"TVIS_EXPANDPARTIAL","features":[358]},{"name":"TVIS_EX_ALL","features":[358]},{"name":"TVIS_EX_DISABLED","features":[358]},{"name":"TVIS_EX_FLAT","features":[358]},{"name":"TVIS_OVERLAYMASK","features":[358]},{"name":"TVIS_SELECTED","features":[358]},{"name":"TVIS_STATEIMAGEMASK","features":[358]},{"name":"TVIS_USERMASK","features":[358]},{"name":"TVITEMA","features":[308,358]},{"name":"TVITEMEXA","features":[308,358]},{"name":"TVITEMEXW","features":[308,358]},{"name":"TVITEMEXW_CHILDREN","features":[358]},{"name":"TVITEMPART","features":[358]},{"name":"TVITEMW","features":[308,358]},{"name":"TVITEM_MASK","features":[358]},{"name":"TVI_FIRST","features":[358]},{"name":"TVI_LAST","features":[358]},{"name":"TVI_ROOT","features":[358]},{"name":"TVI_SORT","features":[358]},{"name":"TVM_CREATEDRAGIMAGE","features":[358]},{"name":"TVM_DELETEITEM","features":[358]},{"name":"TVM_EDITLABEL","features":[358]},{"name":"TVM_EDITLABELA","features":[358]},{"name":"TVM_EDITLABELW","features":[358]},{"name":"TVM_ENDEDITLABELNOW","features":[358]},{"name":"TVM_ENSUREVISIBLE","features":[358]},{"name":"TVM_EXPAND","features":[358]},{"name":"TVM_GETBKCOLOR","features":[358]},{"name":"TVM_GETCOUNT","features":[358]},{"name":"TVM_GETEDITCONTROL","features":[358]},{"name":"TVM_GETEXTENDEDSTYLE","features":[358]},{"name":"TVM_GETIMAGELIST","features":[358]},{"name":"TVM_GETINDENT","features":[358]},{"name":"TVM_GETINSERTMARKCOLOR","features":[358]},{"name":"TVM_GETISEARCHSTRING","features":[358]},{"name":"TVM_GETISEARCHSTRINGA","features":[358]},{"name":"TVM_GETISEARCHSTRINGW","features":[358]},{"name":"TVM_GETITEM","features":[358]},{"name":"TVM_GETITEMA","features":[358]},{"name":"TVM_GETITEMHEIGHT","features":[358]},{"name":"TVM_GETITEMPARTRECT","features":[358]},{"name":"TVM_GETITEMRECT","features":[358]},{"name":"TVM_GETITEMSTATE","features":[358]},{"name":"TVM_GETITEMW","features":[358]},{"name":"TVM_GETLINECOLOR","features":[358]},{"name":"TVM_GETNEXTITEM","features":[358]},{"name":"TVM_GETSCROLLTIME","features":[358]},{"name":"TVM_GETSELECTEDCOUNT","features":[358]},{"name":"TVM_GETTEXTCOLOR","features":[358]},{"name":"TVM_GETTOOLTIPS","features":[358]},{"name":"TVM_GETUNICODEFORMAT","features":[358]},{"name":"TVM_GETVISIBLECOUNT","features":[358]},{"name":"TVM_HITTEST","features":[358]},{"name":"TVM_INSERTITEM","features":[358]},{"name":"TVM_INSERTITEMA","features":[358]},{"name":"TVM_INSERTITEMW","features":[358]},{"name":"TVM_MAPACCIDTOHTREEITEM","features":[358]},{"name":"TVM_MAPHTREEITEMTOACCID","features":[358]},{"name":"TVM_SELECTITEM","features":[358]},{"name":"TVM_SETAUTOSCROLLINFO","features":[358]},{"name":"TVM_SETBKCOLOR","features":[358]},{"name":"TVM_SETBORDER","features":[358]},{"name":"TVM_SETEXTENDEDSTYLE","features":[358]},{"name":"TVM_SETHOT","features":[358]},{"name":"TVM_SETIMAGELIST","features":[358]},{"name":"TVM_SETINDENT","features":[358]},{"name":"TVM_SETINSERTMARK","features":[358]},{"name":"TVM_SETINSERTMARKCOLOR","features":[358]},{"name":"TVM_SETITEM","features":[358]},{"name":"TVM_SETITEMA","features":[358]},{"name":"TVM_SETITEMHEIGHT","features":[358]},{"name":"TVM_SETITEMW","features":[358]},{"name":"TVM_SETLINECOLOR","features":[358]},{"name":"TVM_SETSCROLLTIME","features":[358]},{"name":"TVM_SETTEXTCOLOR","features":[358]},{"name":"TVM_SETTOOLTIPS","features":[358]},{"name":"TVM_SETUNICODEFORMAT","features":[358]},{"name":"TVM_SHOWINFOTIP","features":[358]},{"name":"TVM_SORTCHILDREN","features":[358]},{"name":"TVM_SORTCHILDRENCB","features":[358]},{"name":"TVNRET_DEFAULT","features":[358]},{"name":"TVNRET_SKIPNEW","features":[358]},{"name":"TVNRET_SKIPOLD","features":[358]},{"name":"TVN_ASYNCDRAW","features":[358]},{"name":"TVN_BEGINDRAG","features":[358]},{"name":"TVN_BEGINDRAGA","features":[358]},{"name":"TVN_BEGINDRAGW","features":[358]},{"name":"TVN_BEGINLABELEDIT","features":[358]},{"name":"TVN_BEGINLABELEDITA","features":[358]},{"name":"TVN_BEGINLABELEDITW","features":[358]},{"name":"TVN_BEGINRDRAG","features":[358]},{"name":"TVN_BEGINRDRAGA","features":[358]},{"name":"TVN_BEGINRDRAGW","features":[358]},{"name":"TVN_DELETEITEM","features":[358]},{"name":"TVN_DELETEITEMA","features":[358]},{"name":"TVN_DELETEITEMW","features":[358]},{"name":"TVN_ENDLABELEDIT","features":[358]},{"name":"TVN_ENDLABELEDITA","features":[358]},{"name":"TVN_ENDLABELEDITW","features":[358]},{"name":"TVN_FIRST","features":[358]},{"name":"TVN_GETDISPINFO","features":[358]},{"name":"TVN_GETDISPINFOA","features":[358]},{"name":"TVN_GETDISPINFOW","features":[358]},{"name":"TVN_GETINFOTIP","features":[358]},{"name":"TVN_GETINFOTIPA","features":[358]},{"name":"TVN_GETINFOTIPW","features":[358]},{"name":"TVN_ITEMCHANGED","features":[358]},{"name":"TVN_ITEMCHANGEDA","features":[358]},{"name":"TVN_ITEMCHANGEDW","features":[358]},{"name":"TVN_ITEMCHANGING","features":[358]},{"name":"TVN_ITEMCHANGINGA","features":[358]},{"name":"TVN_ITEMCHANGINGW","features":[358]},{"name":"TVN_ITEMEXPANDED","features":[358]},{"name":"TVN_ITEMEXPANDEDA","features":[358]},{"name":"TVN_ITEMEXPANDEDW","features":[358]},{"name":"TVN_ITEMEXPANDING","features":[358]},{"name":"TVN_ITEMEXPANDINGA","features":[358]},{"name":"TVN_ITEMEXPANDINGW","features":[358]},{"name":"TVN_KEYDOWN","features":[358]},{"name":"TVN_LAST","features":[358]},{"name":"TVN_SELCHANGED","features":[358]},{"name":"TVN_SELCHANGEDA","features":[358]},{"name":"TVN_SELCHANGEDW","features":[358]},{"name":"TVN_SELCHANGING","features":[358]},{"name":"TVN_SELCHANGINGA","features":[358]},{"name":"TVN_SELCHANGINGW","features":[358]},{"name":"TVN_SETDISPINFO","features":[358]},{"name":"TVN_SETDISPINFOA","features":[358]},{"name":"TVN_SETDISPINFOW","features":[358]},{"name":"TVN_SINGLEEXPAND","features":[358]},{"name":"TVP_BRANCH","features":[358]},{"name":"TVP_GLYPH","features":[358]},{"name":"TVP_HOTGLYPH","features":[358]},{"name":"TVP_TREEITEM","features":[358]},{"name":"TVSBF_XBORDER","features":[358]},{"name":"TVSBF_YBORDER","features":[358]},{"name":"TVSIL_NORMAL","features":[358]},{"name":"TVSIL_STATE","features":[358]},{"name":"TVSI_NOSINGLEEXPAND","features":[358]},{"name":"TVSORTCB","features":[308,358]},{"name":"TVS_CHECKBOXES","features":[358]},{"name":"TVS_DISABLEDRAGDROP","features":[358]},{"name":"TVS_EDITLABELS","features":[358]},{"name":"TVS_EX_AUTOHSCROLL","features":[358]},{"name":"TVS_EX_DIMMEDCHECKBOXES","features":[358]},{"name":"TVS_EX_DOUBLEBUFFER","features":[358]},{"name":"TVS_EX_DRAWIMAGEASYNC","features":[358]},{"name":"TVS_EX_EXCLUSIONCHECKBOXES","features":[358]},{"name":"TVS_EX_FADEINOUTEXPANDOS","features":[358]},{"name":"TVS_EX_MULTISELECT","features":[358]},{"name":"TVS_EX_NOINDENTSTATE","features":[358]},{"name":"TVS_EX_NOSINGLECOLLAPSE","features":[358]},{"name":"TVS_EX_PARTIALCHECKBOXES","features":[358]},{"name":"TVS_EX_RICHTOOLTIP","features":[358]},{"name":"TVS_FULLROWSELECT","features":[358]},{"name":"TVS_HASBUTTONS","features":[358]},{"name":"TVS_HASLINES","features":[358]},{"name":"TVS_INFOTIP","features":[358]},{"name":"TVS_LINESATROOT","features":[358]},{"name":"TVS_NOHSCROLL","features":[358]},{"name":"TVS_NONEVENHEIGHT","features":[358]},{"name":"TVS_NOSCROLL","features":[358]},{"name":"TVS_NOTOOLTIPS","features":[358]},{"name":"TVS_RTLREADING","features":[358]},{"name":"TVS_SHOWSELALWAYS","features":[358]},{"name":"TVS_SINGLEEXPAND","features":[358]},{"name":"TVS_TRACKSELECT","features":[358]},{"name":"TV_FIRST","features":[358]},{"name":"TaskDialog","features":[308,358]},{"name":"TaskDialogIndirect","features":[308,358,370]},{"name":"UDACCEL","features":[358]},{"name":"UDM_GETACCEL","features":[358]},{"name":"UDM_GETBASE","features":[358]},{"name":"UDM_GETBUDDY","features":[358]},{"name":"UDM_GETPOS","features":[358]},{"name":"UDM_GETPOS32","features":[358]},{"name":"UDM_GETRANGE","features":[358]},{"name":"UDM_GETRANGE32","features":[358]},{"name":"UDM_GETUNICODEFORMAT","features":[358]},{"name":"UDM_SETACCEL","features":[358]},{"name":"UDM_SETBASE","features":[358]},{"name":"UDM_SETBUDDY","features":[358]},{"name":"UDM_SETPOS","features":[358]},{"name":"UDM_SETPOS32","features":[358]},{"name":"UDM_SETRANGE","features":[358]},{"name":"UDM_SETRANGE32","features":[358]},{"name":"UDM_SETUNICODEFORMAT","features":[358]},{"name":"UDN_DELTAPOS","features":[358]},{"name":"UDN_FIRST","features":[358]},{"name":"UDN_LAST","features":[358]},{"name":"UDS_ALIGNLEFT","features":[358]},{"name":"UDS_ALIGNRIGHT","features":[358]},{"name":"UDS_ARROWKEYS","features":[358]},{"name":"UDS_AUTOBUDDY","features":[358]},{"name":"UDS_HORZ","features":[358]},{"name":"UDS_HOTTRACK","features":[358]},{"name":"UDS_NOTHOUSANDS","features":[358]},{"name":"UDS_SETBUDDYINT","features":[358]},{"name":"UDS_WRAP","features":[358]},{"name":"UD_MAXVAL","features":[358]},{"name":"UPDATEMETADATASTATES","features":[358]},{"name":"UPDOWN_CLASS","features":[358]},{"name":"UPDOWN_CLASSA","features":[358]},{"name":"UPDOWN_CLASSW","features":[358]},{"name":"UPHORZSTATES","features":[358]},{"name":"UPHZS_DISABLED","features":[358]},{"name":"UPHZS_HOT","features":[358]},{"name":"UPHZS_NORMAL","features":[358]},{"name":"UPHZS_PRESSED","features":[358]},{"name":"UPSTATES","features":[358]},{"name":"UPS_DISABLED","features":[358]},{"name":"UPS_HOT","features":[358]},{"name":"UPS_NORMAL","features":[358]},{"name":"UPS_PRESSED","features":[358]},{"name":"USAGE_PROPERTIES","features":[358]},{"name":"USERTILEPARTS","features":[358]},{"name":"UTP_HOVERBACKGROUND","features":[358]},{"name":"UTP_STROKEBACKGROUND","features":[358]},{"name":"UTS_HOT","features":[358]},{"name":"UTS_NORMAL","features":[358]},{"name":"UTS_PRESSED","features":[358]},{"name":"UninitializeFlatSB","features":[308,358]},{"name":"UpdatePanningFeedback","features":[308,358]},{"name":"VALIDBITS","features":[358]},{"name":"VALIGN","features":[358]},{"name":"VA_BOTTOM","features":[358]},{"name":"VA_CENTER","features":[358]},{"name":"VA_TOP","features":[358]},{"name":"VERTSCROLLSTATES","features":[358]},{"name":"VERTTHUMBSTATES","features":[358]},{"name":"VIEW_DETAILS","features":[358]},{"name":"VIEW_LARGEICONS","features":[358]},{"name":"VIEW_LIST","features":[358]},{"name":"VIEW_NETCONNECT","features":[358]},{"name":"VIEW_NETDISCONNECT","features":[358]},{"name":"VIEW_NEWFOLDER","features":[358]},{"name":"VIEW_PARENTFOLDER","features":[358]},{"name":"VIEW_SMALLICONS","features":[358]},{"name":"VIEW_SORTDATE","features":[358]},{"name":"VIEW_SORTNAME","features":[358]},{"name":"VIEW_SORTSIZE","features":[358]},{"name":"VIEW_SORTTYPE","features":[358]},{"name":"VIEW_VIEWMENU","features":[358]},{"name":"VSCLASS_AEROWIZARD","features":[358]},{"name":"VSCLASS_AEROWIZARDSTYLE","features":[358]},{"name":"VSCLASS_BUTTON","features":[358]},{"name":"VSCLASS_BUTTONSTYLE","features":[358]},{"name":"VSCLASS_CLOCK","features":[358]},{"name":"VSCLASS_COMBOBOX","features":[358]},{"name":"VSCLASS_COMBOBOXSTYLE","features":[358]},{"name":"VSCLASS_COMMUNICATIONS","features":[358]},{"name":"VSCLASS_COMMUNICATIONSSTYLE","features":[358]},{"name":"VSCLASS_CONTROLPANEL","features":[358]},{"name":"VSCLASS_CONTROLPANELSTYLE","features":[358]},{"name":"VSCLASS_DATEPICKER","features":[358]},{"name":"VSCLASS_DATEPICKERSTYLE","features":[358]},{"name":"VSCLASS_DRAGDROP","features":[358]},{"name":"VSCLASS_DRAGDROPSTYLE","features":[358]},{"name":"VSCLASS_EDIT","features":[358]},{"name":"VSCLASS_EDITSTYLE","features":[358]},{"name":"VSCLASS_EMPTYMARKUP","features":[358]},{"name":"VSCLASS_EXPLORERBAR","features":[358]},{"name":"VSCLASS_EXPLORERBARSTYLE","features":[358]},{"name":"VSCLASS_FLYOUT","features":[358]},{"name":"VSCLASS_FLYOUTSTYLE","features":[358]},{"name":"VSCLASS_HEADER","features":[358]},{"name":"VSCLASS_HEADERSTYLE","features":[358]},{"name":"VSCLASS_LINK","features":[358]},{"name":"VSCLASS_LISTBOX","features":[358]},{"name":"VSCLASS_LISTBOXSTYLE","features":[358]},{"name":"VSCLASS_LISTVIEW","features":[358]},{"name":"VSCLASS_LISTVIEWSTYLE","features":[358]},{"name":"VSCLASS_MENU","features":[358]},{"name":"VSCLASS_MENUBAND","features":[358]},{"name":"VSCLASS_MENUSTYLE","features":[358]},{"name":"VSCLASS_MONTHCAL","features":[358]},{"name":"VSCLASS_NAVIGATION","features":[358]},{"name":"VSCLASS_PAGE","features":[358]},{"name":"VSCLASS_PROGRESS","features":[358]},{"name":"VSCLASS_PROGRESSSTYLE","features":[358]},{"name":"VSCLASS_REBAR","features":[358]},{"name":"VSCLASS_REBARSTYLE","features":[358]},{"name":"VSCLASS_SCROLLBAR","features":[358]},{"name":"VSCLASS_SCROLLBARSTYLE","features":[358]},{"name":"VSCLASS_SPIN","features":[358]},{"name":"VSCLASS_SPINSTYLE","features":[358]},{"name":"VSCLASS_STARTPANEL","features":[358]},{"name":"VSCLASS_STATIC","features":[358]},{"name":"VSCLASS_STATUS","features":[358]},{"name":"VSCLASS_STATUSSTYLE","features":[358]},{"name":"VSCLASS_TAB","features":[358]},{"name":"VSCLASS_TABSTYLE","features":[358]},{"name":"VSCLASS_TASKBAND","features":[358]},{"name":"VSCLASS_TASKBAR","features":[358]},{"name":"VSCLASS_TASKDIALOG","features":[358]},{"name":"VSCLASS_TASKDIALOGSTYLE","features":[358]},{"name":"VSCLASS_TEXTSELECTIONGRIPPER","features":[358]},{"name":"VSCLASS_TEXTSTYLE","features":[358]},{"name":"VSCLASS_TOOLBAR","features":[358]},{"name":"VSCLASS_TOOLBARSTYLE","features":[358]},{"name":"VSCLASS_TOOLTIP","features":[358]},{"name":"VSCLASS_TOOLTIPSTYLE","features":[358]},{"name":"VSCLASS_TRACKBAR","features":[358]},{"name":"VSCLASS_TRACKBARSTYLE","features":[358]},{"name":"VSCLASS_TRAYNOTIFY","features":[358]},{"name":"VSCLASS_TREEVIEW","features":[358]},{"name":"VSCLASS_TREEVIEWSTYLE","features":[358]},{"name":"VSCLASS_USERTILE","features":[358]},{"name":"VSCLASS_WINDOW","features":[358]},{"name":"VSCLASS_WINDOWSTYLE","features":[358]},{"name":"VSS_DISABLED","features":[358]},{"name":"VSS_HOT","features":[358]},{"name":"VSS_NORMAL","features":[358]},{"name":"VSS_PUSHED","features":[358]},{"name":"VTS_DISABLED","features":[358]},{"name":"VTS_HOT","features":[358]},{"name":"VTS_NORMAL","features":[358]},{"name":"VTS_PUSHED","features":[358]},{"name":"WARNINGSTATES","features":[358]},{"name":"WB_CLASSIFY","features":[358]},{"name":"WB_ISDELIMITER","features":[358]},{"name":"WB_LEFT","features":[358]},{"name":"WB_LEFTBREAK","features":[358]},{"name":"WB_MOVEWORDLEFT","features":[358]},{"name":"WB_MOVEWORDRIGHT","features":[358]},{"name":"WB_RIGHT","features":[358]},{"name":"WB_RIGHTBREAK","features":[358]},{"name":"WC_BUTTON","features":[358]},{"name":"WC_BUTTONA","features":[358]},{"name":"WC_BUTTONW","features":[358]},{"name":"WC_COMBOBOX","features":[358]},{"name":"WC_COMBOBOXA","features":[358]},{"name":"WC_COMBOBOXEX","features":[358]},{"name":"WC_COMBOBOXEXA","features":[358]},{"name":"WC_COMBOBOXEXW","features":[358]},{"name":"WC_COMBOBOXW","features":[358]},{"name":"WC_EDIT","features":[358]},{"name":"WC_EDITA","features":[358]},{"name":"WC_EDITW","features":[358]},{"name":"WC_HEADER","features":[358]},{"name":"WC_HEADERA","features":[358]},{"name":"WC_HEADERW","features":[358]},{"name":"WC_IPADDRESS","features":[358]},{"name":"WC_IPADDRESSA","features":[358]},{"name":"WC_IPADDRESSW","features":[358]},{"name":"WC_LINK","features":[358]},{"name":"WC_LISTBOX","features":[358]},{"name":"WC_LISTBOXA","features":[358]},{"name":"WC_LISTBOXW","features":[358]},{"name":"WC_LISTVIEW","features":[358]},{"name":"WC_LISTVIEWA","features":[358]},{"name":"WC_LISTVIEWW","features":[358]},{"name":"WC_NATIVEFONTCTL","features":[358]},{"name":"WC_NATIVEFONTCTLA","features":[358]},{"name":"WC_NATIVEFONTCTLW","features":[358]},{"name":"WC_PAGESCROLLER","features":[358]},{"name":"WC_PAGESCROLLERA","features":[358]},{"name":"WC_PAGESCROLLERW","features":[358]},{"name":"WC_SCROLLBAR","features":[358]},{"name":"WC_SCROLLBARA","features":[358]},{"name":"WC_SCROLLBARW","features":[358]},{"name":"WC_STATIC","features":[358]},{"name":"WC_STATICA","features":[358]},{"name":"WC_STATICW","features":[358]},{"name":"WC_TABCONTROL","features":[358]},{"name":"WC_TABCONTROLA","features":[358]},{"name":"WC_TABCONTROLW","features":[358]},{"name":"WC_TREEVIEW","features":[358]},{"name":"WC_TREEVIEWA","features":[358]},{"name":"WC_TREEVIEWW","features":[358]},{"name":"WINDOWPARTS","features":[358]},{"name":"WINDOWTHEMEATTRIBUTETYPE","features":[358]},{"name":"WIZ_BODYCX","features":[358]},{"name":"WIZ_BODYX","features":[358]},{"name":"WIZ_CXBMP","features":[358]},{"name":"WIZ_CXDLG","features":[358]},{"name":"WIZ_CYDLG","features":[358]},{"name":"WMN_FIRST","features":[358]},{"name":"WMN_LAST","features":[358]},{"name":"WM_CTLCOLOR","features":[358]},{"name":"WM_MOUSEHOVER","features":[358]},{"name":"WM_MOUSELEAVE","features":[358]},{"name":"WORD_BREAK_ACTION","features":[358]},{"name":"WP_BORDER","features":[358]},{"name":"WP_CAPTION","features":[358]},{"name":"WP_CAPTIONSIZINGTEMPLATE","features":[358]},{"name":"WP_CLOSEBUTTON","features":[358]},{"name":"WP_DIALOG","features":[358]},{"name":"WP_FRAME","features":[358]},{"name":"WP_FRAMEBOTTOM","features":[358]},{"name":"WP_FRAMEBOTTOMSIZINGTEMPLATE","features":[358]},{"name":"WP_FRAMELEFT","features":[358]},{"name":"WP_FRAMELEFTSIZINGTEMPLATE","features":[358]},{"name":"WP_FRAMERIGHT","features":[358]},{"name":"WP_FRAMERIGHTSIZINGTEMPLATE","features":[358]},{"name":"WP_HELPBUTTON","features":[358]},{"name":"WP_HORZSCROLL","features":[358]},{"name":"WP_HORZTHUMB","features":[358]},{"name":"WP_MAXBUTTON","features":[358]},{"name":"WP_MAXCAPTION","features":[358]},{"name":"WP_MDICLOSEBUTTON","features":[358]},{"name":"WP_MDIHELPBUTTON","features":[358]},{"name":"WP_MDIMINBUTTON","features":[358]},{"name":"WP_MDIRESTOREBUTTON","features":[358]},{"name":"WP_MDISYSBUTTON","features":[358]},{"name":"WP_MINBUTTON","features":[358]},{"name":"WP_MINCAPTION","features":[358]},{"name":"WP_RESTOREBUTTON","features":[358]},{"name":"WP_SMALLCAPTION","features":[358]},{"name":"WP_SMALLCAPTIONSIZINGTEMPLATE","features":[358]},{"name":"WP_SMALLCLOSEBUTTON","features":[358]},{"name":"WP_SMALLFRAMEBOTTOM","features":[358]},{"name":"WP_SMALLFRAMEBOTTOMSIZINGTEMPLATE","features":[358]},{"name":"WP_SMALLFRAMELEFT","features":[358]},{"name":"WP_SMALLFRAMELEFTSIZINGTEMPLATE","features":[358]},{"name":"WP_SMALLFRAMERIGHT","features":[358]},{"name":"WP_SMALLFRAMERIGHTSIZINGTEMPLATE","features":[358]},{"name":"WP_SMALLMAXCAPTION","features":[358]},{"name":"WP_SMALLMINCAPTION","features":[358]},{"name":"WP_SYSBUTTON","features":[358]},{"name":"WP_VERTSCROLL","features":[358]},{"name":"WP_VERTTHUMB","features":[358]},{"name":"WRENCHSTATES","features":[358]},{"name":"WSB_PROP","features":[358]},{"name":"WSB_PROP_CXHSCROLL","features":[358]},{"name":"WSB_PROP_CXHTHUMB","features":[358]},{"name":"WSB_PROP_CXVSCROLL","features":[358]},{"name":"WSB_PROP_CYHSCROLL","features":[358]},{"name":"WSB_PROP_CYVSCROLL","features":[358]},{"name":"WSB_PROP_CYVTHUMB","features":[358]},{"name":"WSB_PROP_HBKGCOLOR","features":[358]},{"name":"WSB_PROP_HSTYLE","features":[358]},{"name":"WSB_PROP_MASK","features":[358]},{"name":"WSB_PROP_PALETTE","features":[358]},{"name":"WSB_PROP_VBKGCOLOR","features":[358]},{"name":"WSB_PROP_VSTYLE","features":[358]},{"name":"WSB_PROP_WINSTYLE","features":[358]},{"name":"WTA_NONCLIENT","features":[358]},{"name":"WTA_OPTIONS","features":[358]},{"name":"WTNCA_NODRAWCAPTION","features":[358]},{"name":"WTNCA_NODRAWICON","features":[358]},{"name":"WTNCA_NOMIRRORHELP","features":[358]},{"name":"WTNCA_NOSYSMENU","features":[358]},{"name":"_LI_METRIC","features":[358]},{"name":"chx1","features":[358]},{"name":"chx10","features":[358]},{"name":"chx11","features":[358]},{"name":"chx12","features":[358]},{"name":"chx13","features":[358]},{"name":"chx14","features":[358]},{"name":"chx15","features":[358]},{"name":"chx16","features":[358]},{"name":"chx2","features":[358]},{"name":"chx3","features":[358]},{"name":"chx4","features":[358]},{"name":"chx5","features":[358]},{"name":"chx6","features":[358]},{"name":"chx7","features":[358]},{"name":"chx8","features":[358]},{"name":"chx9","features":[358]},{"name":"cmb1","features":[358]},{"name":"cmb10","features":[358]},{"name":"cmb11","features":[358]},{"name":"cmb12","features":[358]},{"name":"cmb13","features":[358]},{"name":"cmb14","features":[358]},{"name":"cmb15","features":[358]},{"name":"cmb16","features":[358]},{"name":"cmb2","features":[358]},{"name":"cmb3","features":[358]},{"name":"cmb4","features":[358]},{"name":"cmb5","features":[358]},{"name":"cmb6","features":[358]},{"name":"cmb7","features":[358]},{"name":"cmb8","features":[358]},{"name":"cmb9","features":[358]},{"name":"ctl1","features":[358]},{"name":"ctlFirst","features":[358]},{"name":"ctlLast","features":[358]},{"name":"edt1","features":[358]},{"name":"edt10","features":[358]},{"name":"edt11","features":[358]},{"name":"edt12","features":[358]},{"name":"edt13","features":[358]},{"name":"edt14","features":[358]},{"name":"edt15","features":[358]},{"name":"edt16","features":[358]},{"name":"edt2","features":[358]},{"name":"edt3","features":[358]},{"name":"edt4","features":[358]},{"name":"edt5","features":[358]},{"name":"edt6","features":[358]},{"name":"edt7","features":[358]},{"name":"edt8","features":[358]},{"name":"edt9","features":[358]},{"name":"frm1","features":[358]},{"name":"frm2","features":[358]},{"name":"frm3","features":[358]},{"name":"frm4","features":[358]},{"name":"grp1","features":[358]},{"name":"grp2","features":[358]},{"name":"grp3","features":[358]},{"name":"grp4","features":[358]},{"name":"ico1","features":[358]},{"name":"ico2","features":[358]},{"name":"ico3","features":[358]},{"name":"ico4","features":[358]},{"name":"lst1","features":[358]},{"name":"lst10","features":[358]},{"name":"lst11","features":[358]},{"name":"lst12","features":[358]},{"name":"lst13","features":[358]},{"name":"lst14","features":[358]},{"name":"lst15","features":[358]},{"name":"lst16","features":[358]},{"name":"lst2","features":[358]},{"name":"lst3","features":[358]},{"name":"lst4","features":[358]},{"name":"lst5","features":[358]},{"name":"lst6","features":[358]},{"name":"lst7","features":[358]},{"name":"lst8","features":[358]},{"name":"lst9","features":[358]},{"name":"psh1","features":[358]},{"name":"psh10","features":[358]},{"name":"psh11","features":[358]},{"name":"psh12","features":[358]},{"name":"psh13","features":[358]},{"name":"psh14","features":[358]},{"name":"psh15","features":[358]},{"name":"psh16","features":[358]},{"name":"psh2","features":[358]},{"name":"psh3","features":[358]},{"name":"psh4","features":[358]},{"name":"psh5","features":[358]},{"name":"psh6","features":[358]},{"name":"psh7","features":[358]},{"name":"psh8","features":[358]},{"name":"psh9","features":[358]},{"name":"pshHelp","features":[358]},{"name":"rad1","features":[358]},{"name":"rad10","features":[358]},{"name":"rad11","features":[358]},{"name":"rad12","features":[358]},{"name":"rad13","features":[358]},{"name":"rad14","features":[358]},{"name":"rad15","features":[358]},{"name":"rad16","features":[358]},{"name":"rad2","features":[358]},{"name":"rad3","features":[358]},{"name":"rad4","features":[358]},{"name":"rad5","features":[358]},{"name":"rad6","features":[358]},{"name":"rad7","features":[358]},{"name":"rad8","features":[358]},{"name":"rad9","features":[358]},{"name":"rct1","features":[358]},{"name":"rct2","features":[358]},{"name":"rct3","features":[358]},{"name":"rct4","features":[358]},{"name":"scr1","features":[358]},{"name":"scr2","features":[358]},{"name":"scr3","features":[358]},{"name":"scr4","features":[358]},{"name":"scr5","features":[358]},{"name":"scr6","features":[358]},{"name":"scr7","features":[358]},{"name":"scr8","features":[358]},{"name":"stc1","features":[358]},{"name":"stc10","features":[358]},{"name":"stc11","features":[358]},{"name":"stc12","features":[358]},{"name":"stc13","features":[358]},{"name":"stc14","features":[358]},{"name":"stc15","features":[358]},{"name":"stc16","features":[358]},{"name":"stc17","features":[358]},{"name":"stc18","features":[358]},{"name":"stc19","features":[358]},{"name":"stc2","features":[358]},{"name":"stc20","features":[358]},{"name":"stc21","features":[358]},{"name":"stc22","features":[358]},{"name":"stc23","features":[358]},{"name":"stc24","features":[358]},{"name":"stc25","features":[358]},{"name":"stc26","features":[358]},{"name":"stc27","features":[358]},{"name":"stc28","features":[358]},{"name":"stc29","features":[358]},{"name":"stc3","features":[358]},{"name":"stc30","features":[358]},{"name":"stc31","features":[358]},{"name":"stc32","features":[358]},{"name":"stc4","features":[358]},{"name":"stc5","features":[358]},{"name":"stc6","features":[358]},{"name":"stc7","features":[358]},{"name":"stc8","features":[358]},{"name":"stc9","features":[358]}],"651":[{"name":"BOLD_FONTTYPE","features":[439]},{"name":"CCERR_CHOOSECOLORCODES","features":[439]},{"name":"CC_ANYCOLOR","features":[439]},{"name":"CC_ENABLEHOOK","features":[439]},{"name":"CC_ENABLETEMPLATE","features":[439]},{"name":"CC_ENABLETEMPLATEHANDLE","features":[439]},{"name":"CC_FULLOPEN","features":[439]},{"name":"CC_PREVENTFULLOPEN","features":[439]},{"name":"CC_RGBINIT","features":[439]},{"name":"CC_SHOWHELP","features":[439]},{"name":"CC_SOLIDCOLOR","features":[439]},{"name":"CDERR_DIALOGFAILURE","features":[439]},{"name":"CDERR_FINDRESFAILURE","features":[439]},{"name":"CDERR_GENERALCODES","features":[439]},{"name":"CDERR_INITIALIZATION","features":[439]},{"name":"CDERR_LOADRESFAILURE","features":[439]},{"name":"CDERR_LOADSTRFAILURE","features":[439]},{"name":"CDERR_LOCKRESFAILURE","features":[439]},{"name":"CDERR_MEMALLOCFAILURE","features":[439]},{"name":"CDERR_MEMLOCKFAILURE","features":[439]},{"name":"CDERR_NOHINSTANCE","features":[439]},{"name":"CDERR_NOHOOK","features":[439]},{"name":"CDERR_NOTEMPLATE","features":[439]},{"name":"CDERR_REGISTERMSGFAIL","features":[439]},{"name":"CDERR_STRUCTSIZE","features":[439]},{"name":"CDM_FIRST","features":[439]},{"name":"CDM_GETFILEPATH","features":[439]},{"name":"CDM_GETFOLDERIDLIST","features":[439]},{"name":"CDM_GETFOLDERPATH","features":[439]},{"name":"CDM_GETSPEC","features":[439]},{"name":"CDM_HIDECONTROL","features":[439]},{"name":"CDM_LAST","features":[439]},{"name":"CDM_SETCONTROLTEXT","features":[439]},{"name":"CDM_SETDEFEXT","features":[439]},{"name":"CDN_FILEOK","features":[439]},{"name":"CDN_FOLDERCHANGE","features":[439]},{"name":"CDN_HELP","features":[439]},{"name":"CDN_INCLUDEITEM","features":[439]},{"name":"CDN_INITDONE","features":[439]},{"name":"CDN_SELCHANGE","features":[439]},{"name":"CDN_SHAREVIOLATION","features":[439]},{"name":"CDN_TYPECHANGE","features":[439]},{"name":"CD_LBSELADD","features":[439]},{"name":"CD_LBSELCHANGE","features":[439]},{"name":"CD_LBSELNOITEMS","features":[439]},{"name":"CD_LBSELSUB","features":[439]},{"name":"CFERR_CHOOSEFONTCODES","features":[439]},{"name":"CFERR_MAXLESSTHANMIN","features":[439]},{"name":"CFERR_NOFONTS","features":[439]},{"name":"CF_ANSIONLY","features":[439]},{"name":"CF_APPLY","features":[439]},{"name":"CF_BOTH","features":[439]},{"name":"CF_EFFECTS","features":[439]},{"name":"CF_ENABLEHOOK","features":[439]},{"name":"CF_ENABLETEMPLATE","features":[439]},{"name":"CF_ENABLETEMPLATEHANDLE","features":[439]},{"name":"CF_FIXEDPITCHONLY","features":[439]},{"name":"CF_FORCEFONTEXIST","features":[439]},{"name":"CF_INACTIVEFONTS","features":[439]},{"name":"CF_INITTOLOGFONTSTRUCT","features":[439]},{"name":"CF_LIMITSIZE","features":[439]},{"name":"CF_NOFACESEL","features":[439]},{"name":"CF_NOOEMFONTS","features":[439]},{"name":"CF_NOSCRIPTSEL","features":[439]},{"name":"CF_NOSIMULATIONS","features":[439]},{"name":"CF_NOSIZESEL","features":[439]},{"name":"CF_NOSTYLESEL","features":[439]},{"name":"CF_NOVECTORFONTS","features":[439]},{"name":"CF_NOVERTFONTS","features":[439]},{"name":"CF_PRINTERFONTS","features":[439]},{"name":"CF_SCALABLEONLY","features":[439]},{"name":"CF_SCREENFONTS","features":[439]},{"name":"CF_SCRIPTSONLY","features":[439]},{"name":"CF_SELECTSCRIPT","features":[439]},{"name":"CF_SHOWHELP","features":[439]},{"name":"CF_TTONLY","features":[439]},{"name":"CF_USESTYLE","features":[439]},{"name":"CF_WYSIWYG","features":[439]},{"name":"CHOOSECOLORA","features":[308,439]},{"name":"CHOOSECOLORA","features":[308,439]},{"name":"CHOOSECOLORW","features":[308,439]},{"name":"CHOOSECOLORW","features":[308,439]},{"name":"CHOOSECOLOR_FLAGS","features":[439]},{"name":"CHOOSEFONTA","features":[308,319,439]},{"name":"CHOOSEFONTA","features":[308,319,439]},{"name":"CHOOSEFONTW","features":[308,319,439]},{"name":"CHOOSEFONTW","features":[308,319,439]},{"name":"CHOOSEFONT_FLAGS","features":[439]},{"name":"CHOOSEFONT_FONT_TYPE","features":[439]},{"name":"COLOROKSTRING","features":[439]},{"name":"COLOROKSTRINGA","features":[439]},{"name":"COLOROKSTRINGW","features":[439]},{"name":"COLOR_ADD","features":[439]},{"name":"COLOR_BLUE","features":[439]},{"name":"COLOR_BLUEACCEL","features":[439]},{"name":"COLOR_BOX1","features":[439]},{"name":"COLOR_CURRENT","features":[439]},{"name":"COLOR_CUSTOM1","features":[439]},{"name":"COLOR_ELEMENT","features":[439]},{"name":"COLOR_GREEN","features":[439]},{"name":"COLOR_GREENACCEL","features":[439]},{"name":"COLOR_HUE","features":[439]},{"name":"COLOR_HUEACCEL","features":[439]},{"name":"COLOR_HUESCROLL","features":[439]},{"name":"COLOR_LUM","features":[439]},{"name":"COLOR_LUMACCEL","features":[439]},{"name":"COLOR_LUMSCROLL","features":[439]},{"name":"COLOR_MIX","features":[439]},{"name":"COLOR_PALETTE","features":[439]},{"name":"COLOR_RAINBOW","features":[439]},{"name":"COLOR_RED","features":[439]},{"name":"COLOR_REDACCEL","features":[439]},{"name":"COLOR_SAMPLES","features":[439]},{"name":"COLOR_SAT","features":[439]},{"name":"COLOR_SATACCEL","features":[439]},{"name":"COLOR_SATSCROLL","features":[439]},{"name":"COLOR_SAVE","features":[439]},{"name":"COLOR_SCHEMES","features":[439]},{"name":"COLOR_SOLID","features":[439]},{"name":"COLOR_SOLID_LEFT","features":[439]},{"name":"COLOR_SOLID_RIGHT","features":[439]},{"name":"COLOR_TUNE","features":[439]},{"name":"COMMON_DLG_ERRORS","features":[439]},{"name":"ChooseColorA","features":[308,439]},{"name":"ChooseColorW","features":[308,439]},{"name":"ChooseFontA","features":[308,319,439]},{"name":"ChooseFontW","features":[308,319,439]},{"name":"CommDlgExtendedError","features":[439]},{"name":"DEVNAMES","features":[439]},{"name":"DEVNAMES","features":[439]},{"name":"DLG_COLOR","features":[439]},{"name":"DN_DEFAULTPRN","features":[439]},{"name":"FILEOKSTRING","features":[439]},{"name":"FILEOKSTRINGA","features":[439]},{"name":"FILEOKSTRINGW","features":[439]},{"name":"FINDMSGSTRING","features":[439]},{"name":"FINDMSGSTRINGA","features":[439]},{"name":"FINDMSGSTRINGW","features":[439]},{"name":"FINDREPLACEA","features":[308,439]},{"name":"FINDREPLACEA","features":[308,439]},{"name":"FINDREPLACEW","features":[308,439]},{"name":"FINDREPLACEW","features":[308,439]},{"name":"FINDREPLACE_FLAGS","features":[439]},{"name":"FNERR_BUFFERTOOSMALL","features":[439]},{"name":"FNERR_FILENAMECODES","features":[439]},{"name":"FNERR_INVALIDFILENAME","features":[439]},{"name":"FNERR_SUBCLASSFAILURE","features":[439]},{"name":"FRERR_BUFFERLENGTHZERO","features":[439]},{"name":"FRERR_FINDREPLACECODES","features":[439]},{"name":"FRM_FIRST","features":[439]},{"name":"FRM_LAST","features":[439]},{"name":"FRM_SETOPERATIONRESULT","features":[439]},{"name":"FRM_SETOPERATIONRESULTTEXT","features":[439]},{"name":"FR_DIALOGTERM","features":[439]},{"name":"FR_DOWN","features":[439]},{"name":"FR_ENABLEHOOK","features":[439]},{"name":"FR_ENABLETEMPLATE","features":[439]},{"name":"FR_ENABLETEMPLATEHANDLE","features":[439]},{"name":"FR_FINDNEXT","features":[439]},{"name":"FR_HIDEMATCHCASE","features":[439]},{"name":"FR_HIDEUPDOWN","features":[439]},{"name":"FR_HIDEWHOLEWORD","features":[439]},{"name":"FR_MATCHALEFHAMZA","features":[439]},{"name":"FR_MATCHCASE","features":[439]},{"name":"FR_MATCHDIAC","features":[439]},{"name":"FR_MATCHKASHIDA","features":[439]},{"name":"FR_NOMATCHCASE","features":[439]},{"name":"FR_NOUPDOWN","features":[439]},{"name":"FR_NOWHOLEWORD","features":[439]},{"name":"FR_NOWRAPAROUND","features":[439]},{"name":"FR_RAW","features":[439]},{"name":"FR_REPLACE","features":[439]},{"name":"FR_REPLACEALL","features":[439]},{"name":"FR_SHOWHELP","features":[439]},{"name":"FR_SHOWWRAPAROUND","features":[439]},{"name":"FR_WHOLEWORD","features":[439]},{"name":"FR_WRAPAROUND","features":[439]},{"name":"FindTextA","features":[308,439]},{"name":"FindTextW","features":[308,439]},{"name":"GetFileTitleA","features":[439]},{"name":"GetFileTitleW","features":[439]},{"name":"GetOpenFileNameA","features":[308,439]},{"name":"GetOpenFileNameW","features":[308,439]},{"name":"GetSaveFileNameA","features":[308,439]},{"name":"GetSaveFileNameW","features":[308,439]},{"name":"HELPMSGSTRING","features":[439]},{"name":"HELPMSGSTRINGA","features":[439]},{"name":"HELPMSGSTRINGW","features":[439]},{"name":"IPrintDialogCallback","features":[439]},{"name":"IPrintDialogServices","features":[439]},{"name":"ITALIC_FONTTYPE","features":[439]},{"name":"LBSELCHSTRING","features":[439]},{"name":"LBSELCHSTRINGA","features":[439]},{"name":"LBSELCHSTRINGW","features":[439]},{"name":"LPCCHOOKPROC","features":[308,439]},{"name":"LPCFHOOKPROC","features":[308,439]},{"name":"LPFRHOOKPROC","features":[308,439]},{"name":"LPOFNHOOKPROC","features":[308,439]},{"name":"LPPAGEPAINTHOOK","features":[308,439]},{"name":"LPPAGESETUPHOOK","features":[308,439]},{"name":"LPPRINTHOOKPROC","features":[308,439]},{"name":"LPSETUPHOOKPROC","features":[308,439]},{"name":"NUM_BASIC_COLORS","features":[439]},{"name":"NUM_CUSTOM_COLORS","features":[439]},{"name":"OFNOTIFYA","features":[308,439]},{"name":"OFNOTIFYA","features":[308,439]},{"name":"OFNOTIFYEXA","features":[308,439]},{"name":"OFNOTIFYEXA","features":[308,439]},{"name":"OFNOTIFYEXW","features":[308,439]},{"name":"OFNOTIFYEXW","features":[308,439]},{"name":"OFNOTIFYW","features":[308,439]},{"name":"OFNOTIFYW","features":[308,439]},{"name":"OFN_ALLOWMULTISELECT","features":[439]},{"name":"OFN_CREATEPROMPT","features":[439]},{"name":"OFN_DONTADDTORECENT","features":[439]},{"name":"OFN_ENABLEHOOK","features":[439]},{"name":"OFN_ENABLEINCLUDENOTIFY","features":[439]},{"name":"OFN_ENABLESIZING","features":[439]},{"name":"OFN_ENABLETEMPLATE","features":[439]},{"name":"OFN_ENABLETEMPLATEHANDLE","features":[439]},{"name":"OFN_EXPLORER","features":[439]},{"name":"OFN_EXTENSIONDIFFERENT","features":[439]},{"name":"OFN_EX_NONE","features":[439]},{"name":"OFN_EX_NOPLACESBAR","features":[439]},{"name":"OFN_FILEMUSTEXIST","features":[439]},{"name":"OFN_FORCESHOWHIDDEN","features":[439]},{"name":"OFN_HIDEREADONLY","features":[439]},{"name":"OFN_LONGNAMES","features":[439]},{"name":"OFN_NOCHANGEDIR","features":[439]},{"name":"OFN_NODEREFERENCELINKS","features":[439]},{"name":"OFN_NOLONGNAMES","features":[439]},{"name":"OFN_NONETWORKBUTTON","features":[439]},{"name":"OFN_NOREADONLYRETURN","features":[439]},{"name":"OFN_NOTESTFILECREATE","features":[439]},{"name":"OFN_NOVALIDATE","features":[439]},{"name":"OFN_OVERWRITEPROMPT","features":[439]},{"name":"OFN_PATHMUSTEXIST","features":[439]},{"name":"OFN_READONLY","features":[439]},{"name":"OFN_SHAREAWARE","features":[439]},{"name":"OFN_SHAREFALLTHROUGH","features":[439]},{"name":"OFN_SHARENOWARN","features":[439]},{"name":"OFN_SHAREWARN","features":[439]},{"name":"OFN_SHOWHELP","features":[439]},{"name":"OPENFILENAMEA","features":[308,439]},{"name":"OPENFILENAMEA","features":[308,439]},{"name":"OPENFILENAMEW","features":[308,439]},{"name":"OPENFILENAMEW","features":[308,439]},{"name":"OPENFILENAME_NT4A","features":[308,439]},{"name":"OPENFILENAME_NT4A","features":[308,439]},{"name":"OPENFILENAME_NT4W","features":[308,439]},{"name":"OPENFILENAME_NT4W","features":[308,439]},{"name":"OPEN_FILENAME_FLAGS","features":[439]},{"name":"OPEN_FILENAME_FLAGS_EX","features":[439]},{"name":"PAGESETUPDLGA","features":[308,439]},{"name":"PAGESETUPDLGA","features":[308,439]},{"name":"PAGESETUPDLGW","features":[308,439]},{"name":"PAGESETUPDLGW","features":[308,439]},{"name":"PAGESETUPDLG_FLAGS","features":[439]},{"name":"PDERR_CREATEICFAILURE","features":[439]},{"name":"PDERR_DEFAULTDIFFERENT","features":[439]},{"name":"PDERR_DNDMMISMATCH","features":[439]},{"name":"PDERR_GETDEVMODEFAIL","features":[439]},{"name":"PDERR_INITFAILURE","features":[439]},{"name":"PDERR_LOADDRVFAILURE","features":[439]},{"name":"PDERR_NODEFAULTPRN","features":[439]},{"name":"PDERR_NODEVICES","features":[439]},{"name":"PDERR_PARSEFAILURE","features":[439]},{"name":"PDERR_PRINTERCODES","features":[439]},{"name":"PDERR_PRINTERNOTFOUND","features":[439]},{"name":"PDERR_RETDEFFAILURE","features":[439]},{"name":"PDERR_SETUPFAILURE","features":[439]},{"name":"PD_ALLPAGES","features":[439]},{"name":"PD_COLLATE","features":[439]},{"name":"PD_CURRENTPAGE","features":[439]},{"name":"PD_DISABLEPRINTTOFILE","features":[439]},{"name":"PD_ENABLEPRINTHOOK","features":[439]},{"name":"PD_ENABLEPRINTTEMPLATE","features":[439]},{"name":"PD_ENABLEPRINTTEMPLATEHANDLE","features":[439]},{"name":"PD_ENABLESETUPHOOK","features":[439]},{"name":"PD_ENABLESETUPTEMPLATE","features":[439]},{"name":"PD_ENABLESETUPTEMPLATEHANDLE","features":[439]},{"name":"PD_EXCLUSIONFLAGS","features":[439]},{"name":"PD_HIDEPRINTTOFILE","features":[439]},{"name":"PD_NOCURRENTPAGE","features":[439]},{"name":"PD_NONETWORKBUTTON","features":[439]},{"name":"PD_NOPAGENUMS","features":[439]},{"name":"PD_NOSELECTION","features":[439]},{"name":"PD_NOWARNING","features":[439]},{"name":"PD_PAGENUMS","features":[439]},{"name":"PD_PRINTSETUP","features":[439]},{"name":"PD_PRINTTOFILE","features":[439]},{"name":"PD_RESULT_APPLY","features":[439]},{"name":"PD_RESULT_CANCEL","features":[439]},{"name":"PD_RESULT_PRINT","features":[439]},{"name":"PD_RETURNDC","features":[439]},{"name":"PD_RETURNDEFAULT","features":[439]},{"name":"PD_RETURNIC","features":[439]},{"name":"PD_SELECTION","features":[439]},{"name":"PD_SHOWHELP","features":[439]},{"name":"PD_USEDEVMODECOPIES","features":[439]},{"name":"PD_USEDEVMODECOPIESANDCOLLATE","features":[439]},{"name":"PD_USELARGETEMPLATE","features":[439]},{"name":"PRINTDLGA","features":[308,319,439]},{"name":"PRINTDLGA","features":[308,319,439]},{"name":"PRINTDLGEXA","features":[308,319,439]},{"name":"PRINTDLGEXA","features":[308,319,439]},{"name":"PRINTDLGEXW","features":[308,319,439]},{"name":"PRINTDLGEXW","features":[308,319,439]},{"name":"PRINTDLGEX_FLAGS","features":[439]},{"name":"PRINTDLGW","features":[308,319,439]},{"name":"PRINTDLGW","features":[308,319,439]},{"name":"PRINTER_FONTTYPE","features":[439]},{"name":"PRINTPAGERANGE","features":[439]},{"name":"PRINTPAGERANGE","features":[439]},{"name":"PSD_DEFAULTMINMARGINS","features":[439]},{"name":"PSD_DISABLEMARGINS","features":[439]},{"name":"PSD_DISABLEORIENTATION","features":[439]},{"name":"PSD_DISABLEPAGEPAINTING","features":[439]},{"name":"PSD_DISABLEPAPER","features":[439]},{"name":"PSD_DISABLEPRINTER","features":[439]},{"name":"PSD_ENABLEPAGEPAINTHOOK","features":[439]},{"name":"PSD_ENABLEPAGESETUPHOOK","features":[439]},{"name":"PSD_ENABLEPAGESETUPTEMPLATE","features":[439]},{"name":"PSD_ENABLEPAGESETUPTEMPLATEHANDLE","features":[439]},{"name":"PSD_INHUNDREDTHSOFMILLIMETERS","features":[439]},{"name":"PSD_INTHOUSANDTHSOFINCHES","features":[439]},{"name":"PSD_INWININIINTLMEASURE","features":[439]},{"name":"PSD_MARGINS","features":[439]},{"name":"PSD_MINMARGINS","features":[439]},{"name":"PSD_NONETWORKBUTTON","features":[439]},{"name":"PSD_NOWARNING","features":[439]},{"name":"PSD_RETURNDEFAULT","features":[439]},{"name":"PSD_SHOWHELP","features":[439]},{"name":"PS_OPENTYPE_FONTTYPE","features":[439]},{"name":"PageSetupDlgA","features":[308,439]},{"name":"PageSetupDlgW","features":[308,439]},{"name":"PrintDlgA","features":[308,319,439]},{"name":"PrintDlgExA","features":[308,319,439]},{"name":"PrintDlgExW","features":[308,319,439]},{"name":"PrintDlgW","features":[308,319,439]},{"name":"REGULAR_FONTTYPE","features":[439]},{"name":"ReplaceTextA","features":[308,439]},{"name":"ReplaceTextW","features":[308,439]},{"name":"SCREEN_FONTTYPE","features":[439]},{"name":"SETRGBSTRING","features":[439]},{"name":"SETRGBSTRINGA","features":[439]},{"name":"SETRGBSTRINGW","features":[439]},{"name":"SHAREVISTRING","features":[439]},{"name":"SHAREVISTRINGA","features":[439]},{"name":"SHAREVISTRINGW","features":[439]},{"name":"SIMULATED_FONTTYPE","features":[439]},{"name":"START_PAGE_GENERAL","features":[439]},{"name":"SYMBOL_FONTTYPE","features":[439]},{"name":"TT_OPENTYPE_FONTTYPE","features":[439]},{"name":"TYPE1_FONTTYPE","features":[439]},{"name":"WM_CHOOSEFONT_GETLOGFONT","features":[439]},{"name":"WM_CHOOSEFONT_SETFLAGS","features":[439]},{"name":"WM_CHOOSEFONT_SETLOGFONT","features":[439]},{"name":"WM_PSD_ENVSTAMPRECT","features":[439]},{"name":"WM_PSD_FULLPAGERECT","features":[439]},{"name":"WM_PSD_GREEKTEXTRECT","features":[439]},{"name":"WM_PSD_MARGINRECT","features":[439]},{"name":"WM_PSD_MINMARGINRECT","features":[439]},{"name":"WM_PSD_YAFULLPAGERECT","features":[439]}],"652":[{"name":"ATP_CHANGE","features":[621]},{"name":"ATP_NOCHANGE","features":[621]},{"name":"ATP_NODELIMITER","features":[621]},{"name":"ATP_REPLACEALLTEXT","features":[621]},{"name":"AURL_DISABLEMIXEDLGC","features":[621]},{"name":"AURL_ENABLEDRIVELETTERS","features":[621]},{"name":"AURL_ENABLEEA","features":[621]},{"name":"AURL_ENABLEEAURLS","features":[621]},{"name":"AURL_ENABLEEMAILADDR","features":[621]},{"name":"AURL_ENABLETELNO","features":[621]},{"name":"AURL_ENABLEURL","features":[621]},{"name":"AutoCorrectProc","features":[621]},{"name":"BIDIOPTIONS","features":[621]},{"name":"BOE_CONTEXTALIGNMENT","features":[621]},{"name":"BOE_CONTEXTREADING","features":[621]},{"name":"BOE_FORCERECALC","features":[621]},{"name":"BOE_LEGACYBIDICLASS","features":[621]},{"name":"BOE_NEUTRALOVERRIDE","features":[621]},{"name":"BOE_PLAINTEXT","features":[621]},{"name":"BOE_RTLDIR","features":[621]},{"name":"BOE_UNICODEBIDI","features":[621]},{"name":"BOM_CONTEXTALIGNMENT","features":[621]},{"name":"BOM_CONTEXTREADING","features":[621]},{"name":"BOM_DEFPARADIR","features":[621]},{"name":"BOM_LEGACYBIDICLASS","features":[621]},{"name":"BOM_NEUTRALOVERRIDE","features":[621]},{"name":"BOM_PLAINTEXT","features":[621]},{"name":"BOM_UNICODEBIDI","features":[621]},{"name":"CARET_CUSTOM","features":[621]},{"name":"CARET_FLAGS","features":[621]},{"name":"CARET_INFO","features":[319,621]},{"name":"CARET_ITALIC","features":[621]},{"name":"CARET_NONE","features":[621]},{"name":"CARET_NULL","features":[621]},{"name":"CARET_ROTATE90","features":[621]},{"name":"CARET_RTL","features":[621]},{"name":"CERICHEDIT_CLASSA","features":[621]},{"name":"CERICHEDIT_CLASSW","features":[621]},{"name":"CFE_ALLCAPS","features":[621]},{"name":"CFE_AUTOBACKCOLOR","features":[621]},{"name":"CFE_AUTOCOLOR","features":[621]},{"name":"CFE_BOLD","features":[621]},{"name":"CFE_DISABLED","features":[621]},{"name":"CFE_EFFECTS","features":[621]},{"name":"CFE_EMBOSS","features":[621]},{"name":"CFE_EXTENDED","features":[621]},{"name":"CFE_FONTBOUND","features":[621]},{"name":"CFE_HIDDEN","features":[621]},{"name":"CFE_IMPRINT","features":[621]},{"name":"CFE_ITALIC","features":[621]},{"name":"CFE_LINK","features":[621]},{"name":"CFE_LINKPROTECTED","features":[621]},{"name":"CFE_MATH","features":[621]},{"name":"CFE_MATHNOBUILDUP","features":[621]},{"name":"CFE_MATHORDINARY","features":[621]},{"name":"CFE_OUTLINE","features":[621]},{"name":"CFE_PROTECTED","features":[621]},{"name":"CFE_REVISED","features":[621]},{"name":"CFE_SHADOW","features":[621]},{"name":"CFE_SMALLCAPS","features":[621]},{"name":"CFE_STRIKEOUT","features":[621]},{"name":"CFE_SUBSCRIPT","features":[621]},{"name":"CFE_SUPERSCRIPT","features":[621]},{"name":"CFE_UNDERLINE","features":[621]},{"name":"CFM_ALL","features":[621]},{"name":"CFM_ALL2","features":[621]},{"name":"CFM_ALLCAPS","features":[621]},{"name":"CFM_ALLEFFECTS","features":[621]},{"name":"CFM_ANIMATION","features":[621]},{"name":"CFM_BACKCOLOR","features":[621]},{"name":"CFM_BOLD","features":[621]},{"name":"CFM_CHARSET","features":[621]},{"name":"CFM_COLOR","features":[621]},{"name":"CFM_COOKIE","features":[621]},{"name":"CFM_DISABLED","features":[621]},{"name":"CFM_EFFECTS","features":[621]},{"name":"CFM_EFFECTS2","features":[621]},{"name":"CFM_EMBOSS","features":[621]},{"name":"CFM_EXTENDED","features":[621]},{"name":"CFM_FACE","features":[621]},{"name":"CFM_FONTBOUND","features":[621]},{"name":"CFM_HIDDEN","features":[621]},{"name":"CFM_IMPRINT","features":[621]},{"name":"CFM_ITALIC","features":[621]},{"name":"CFM_KERNING","features":[621]},{"name":"CFM_LCID","features":[621]},{"name":"CFM_LINK","features":[621]},{"name":"CFM_LINKPROTECTED","features":[621]},{"name":"CFM_MASK","features":[621]},{"name":"CFM_MATH","features":[621]},{"name":"CFM_MATHNOBUILDUP","features":[621]},{"name":"CFM_MATHORDINARY","features":[621]},{"name":"CFM_OFFSET","features":[621]},{"name":"CFM_OUTLINE","features":[621]},{"name":"CFM_PROTECTED","features":[621]},{"name":"CFM_REVAUTHOR","features":[621]},{"name":"CFM_REVISED","features":[621]},{"name":"CFM_SHADOW","features":[621]},{"name":"CFM_SIZE","features":[621]},{"name":"CFM_SMALLCAPS","features":[621]},{"name":"CFM_SPACING","features":[621]},{"name":"CFM_STRIKEOUT","features":[621]},{"name":"CFM_STYLE","features":[621]},{"name":"CFM_SUBSCRIPT","features":[621]},{"name":"CFM_SUPERSCRIPT","features":[621]},{"name":"CFM_UNDERLINE","features":[621]},{"name":"CFM_UNDERLINETYPE","features":[621]},{"name":"CFM_WEIGHT","features":[621]},{"name":"CF_RETEXTOBJ","features":[621]},{"name":"CF_RTF","features":[621]},{"name":"CF_RTFNOOBJS","features":[621]},{"name":"CHANGENOTIFY","features":[621]},{"name":"CHANGETYPE","features":[621]},{"name":"CHARFORMAT2A","features":[308,319,621]},{"name":"CHARFORMAT2W","features":[308,319,621]},{"name":"CHARFORMATA","features":[308,319,621]},{"name":"CHARFORMATW","features":[308,319,621]},{"name":"CHARRANGE","features":[621]},{"name":"CLIPBOARDFORMAT","features":[308,621]},{"name":"CLIPBOARDFORMAT","features":[308,621]},{"name":"CN_GENERIC","features":[621]},{"name":"CN_NEWREDO","features":[621]},{"name":"CN_NEWUNDO","features":[621]},{"name":"CN_TEXTCHANGED","features":[621]},{"name":"COMPCOLOR","features":[308,621]},{"name":"CTFMODEBIAS_CONVERSATION","features":[621]},{"name":"CTFMODEBIAS_DATETIME","features":[621]},{"name":"CTFMODEBIAS_DEFAULT","features":[621]},{"name":"CTFMODEBIAS_FILENAME","features":[621]},{"name":"CTFMODEBIAS_FULLWIDTHALPHANUMERIC","features":[621]},{"name":"CTFMODEBIAS_HALFWIDTHALPHANUMERIC","features":[621]},{"name":"CTFMODEBIAS_HALFWIDTHKATAKANA","features":[621]},{"name":"CTFMODEBIAS_HANGUL","features":[621]},{"name":"CTFMODEBIAS_HIRAGANA","features":[621]},{"name":"CTFMODEBIAS_KATAKANA","features":[621]},{"name":"CTFMODEBIAS_NAME","features":[621]},{"name":"CTFMODEBIAS_NUMERIC","features":[621]},{"name":"CTFMODEBIAS_READING","features":[621]},{"name":"ECN_ENDCOMPOSITION","features":[621]},{"name":"ECN_NEWTEXT","features":[621]},{"name":"ECOOP_AND","features":[621]},{"name":"ECOOP_OR","features":[621]},{"name":"ECOOP_SET","features":[621]},{"name":"ECOOP_XOR","features":[621]},{"name":"ECO_AUTOHSCROLL","features":[621]},{"name":"ECO_AUTOVSCROLL","features":[621]},{"name":"ECO_AUTOWORDSELECTION","features":[621]},{"name":"ECO_NOHIDESEL","features":[621]},{"name":"ECO_READONLY","features":[621]},{"name":"ECO_SAVESEL","features":[621]},{"name":"ECO_SELECTIONBAR","features":[621]},{"name":"ECO_VERTICAL","features":[621]},{"name":"ECO_WANTRETURN","features":[621]},{"name":"EDITSTREAM","features":[621]},{"name":"EDITSTREAM","features":[621]},{"name":"EDITSTREAMCALLBACK","features":[621]},{"name":"EDITWORDBREAKPROCEX","features":[621]},{"name":"ELLIPSIS_END","features":[621]},{"name":"ELLIPSIS_MASK","features":[621]},{"name":"ELLIPSIS_NONE","features":[621]},{"name":"ELLIPSIS_WORD","features":[621]},{"name":"EMO_ENTER","features":[621]},{"name":"EMO_EXIT","features":[621]},{"name":"EMO_EXPAND","features":[621]},{"name":"EMO_EXPANDDOCUMENT","features":[621]},{"name":"EMO_EXPANDSELECTION","features":[621]},{"name":"EMO_GETVIEWMODE","features":[621]},{"name":"EMO_MOVESELECTION","features":[621]},{"name":"EMO_PROMOTE","features":[621]},{"name":"EM_AUTOURLDETECT","features":[621]},{"name":"EM_CALLAUTOCORRECTPROC","features":[621]},{"name":"EM_CANPASTE","features":[621]},{"name":"EM_CANREDO","features":[621]},{"name":"EM_CONVPOSITION","features":[621]},{"name":"EM_DISPLAYBAND","features":[621]},{"name":"EM_EXGETSEL","features":[621]},{"name":"EM_EXLIMITTEXT","features":[621]},{"name":"EM_EXLINEFROMCHAR","features":[621]},{"name":"EM_EXSETSEL","features":[621]},{"name":"EM_FINDTEXT","features":[621]},{"name":"EM_FINDTEXTEX","features":[621]},{"name":"EM_FINDTEXTEXW","features":[621]},{"name":"EM_FINDTEXTW","features":[621]},{"name":"EM_FINDWORDBREAK","features":[621]},{"name":"EM_FORMATRANGE","features":[621]},{"name":"EM_GETAUTOCORRECTPROC","features":[621]},{"name":"EM_GETAUTOURLDETECT","features":[621]},{"name":"EM_GETBIDIOPTIONS","features":[621]},{"name":"EM_GETCHARFORMAT","features":[621]},{"name":"EM_GETCTFMODEBIAS","features":[621]},{"name":"EM_GETCTFOPENSTATUS","features":[621]},{"name":"EM_GETEDITSTYLE","features":[621]},{"name":"EM_GETEDITSTYLEEX","features":[621]},{"name":"EM_GETELLIPSISMODE","features":[621]},{"name":"EM_GETELLIPSISSTATE","features":[621]},{"name":"EM_GETEVENTMASK","features":[621]},{"name":"EM_GETHYPHENATEINFO","features":[621]},{"name":"EM_GETIMECOLOR","features":[621]},{"name":"EM_GETIMECOMPMODE","features":[621]},{"name":"EM_GETIMECOMPTEXT","features":[621]},{"name":"EM_GETIMEMODEBIAS","features":[621]},{"name":"EM_GETIMEOPTIONS","features":[621]},{"name":"EM_GETIMEPROPERTY","features":[621]},{"name":"EM_GETLANGOPTIONS","features":[621]},{"name":"EM_GETOLEINTERFACE","features":[621]},{"name":"EM_GETOPTIONS","features":[621]},{"name":"EM_GETPAGE","features":[621]},{"name":"EM_GETPAGEROTATE","features":[621]},{"name":"EM_GETPARAFORMAT","features":[621]},{"name":"EM_GETPUNCTUATION","features":[621]},{"name":"EM_GETQUERYRTFOBJ","features":[621]},{"name":"EM_GETREDONAME","features":[621]},{"name":"EM_GETSCROLLPOS","features":[621]},{"name":"EM_GETSELTEXT","features":[621]},{"name":"EM_GETSTORYTYPE","features":[621]},{"name":"EM_GETTABLEPARMS","features":[621]},{"name":"EM_GETTEXTEX","features":[621]},{"name":"EM_GETTEXTLENGTHEX","features":[621]},{"name":"EM_GETTEXTMODE","features":[621]},{"name":"EM_GETTEXTRANGE","features":[621]},{"name":"EM_GETTOUCHOPTIONS","features":[621]},{"name":"EM_GETTYPOGRAPHYOPTIONS","features":[621]},{"name":"EM_GETUNDONAME","features":[621]},{"name":"EM_GETVIEWKIND","features":[621]},{"name":"EM_GETWORDBREAKPROCEX","features":[621]},{"name":"EM_GETWORDWRAPMODE","features":[621]},{"name":"EM_GETZOOM","features":[621]},{"name":"EM_HIDESELECTION","features":[621]},{"name":"EM_INSERTIMAGE","features":[621]},{"name":"EM_INSERTTABLE","features":[621]},{"name":"EM_ISIME","features":[621]},{"name":"EM_OUTLINE","features":[621]},{"name":"EM_PASTESPECIAL","features":[621]},{"name":"EM_RECONVERSION","features":[621]},{"name":"EM_REDO","features":[621]},{"name":"EM_REQUESTRESIZE","features":[621]},{"name":"EM_SELECTIONTYPE","features":[621]},{"name":"EM_SETAUTOCORRECTPROC","features":[621]},{"name":"EM_SETBIDIOPTIONS","features":[621]},{"name":"EM_SETBKGNDCOLOR","features":[621]},{"name":"EM_SETCHARFORMAT","features":[621]},{"name":"EM_SETCTFMODEBIAS","features":[621]},{"name":"EM_SETCTFOPENSTATUS","features":[621]},{"name":"EM_SETDISABLEOLELINKCONVERSION","features":[621]},{"name":"EM_SETEDITSTYLE","features":[621]},{"name":"EM_SETEDITSTYLEEX","features":[621]},{"name":"EM_SETELLIPSISMODE","features":[621]},{"name":"EM_SETEVENTMASK","features":[621]},{"name":"EM_SETFONTSIZE","features":[621]},{"name":"EM_SETHYPHENATEINFO","features":[621]},{"name":"EM_SETIMECOLOR","features":[621]},{"name":"EM_SETIMEMODEBIAS","features":[621]},{"name":"EM_SETIMEOPTIONS","features":[621]},{"name":"EM_SETLANGOPTIONS","features":[621]},{"name":"EM_SETOLECALLBACK","features":[621]},{"name":"EM_SETOPTIONS","features":[621]},{"name":"EM_SETPAGE","features":[621]},{"name":"EM_SETPAGEROTATE","features":[621]},{"name":"EM_SETPALETTE","features":[621]},{"name":"EM_SETPARAFORMAT","features":[621]},{"name":"EM_SETPUNCTUATION","features":[621]},{"name":"EM_SETQUERYCONVERTOLELINKCALLBACK","features":[621]},{"name":"EM_SETQUERYRTFOBJ","features":[621]},{"name":"EM_SETSCROLLPOS","features":[621]},{"name":"EM_SETSTORYTYPE","features":[621]},{"name":"EM_SETTABLEPARMS","features":[621]},{"name":"EM_SETTARGETDEVICE","features":[621]},{"name":"EM_SETTEXTEX","features":[621]},{"name":"EM_SETTEXTMODE","features":[621]},{"name":"EM_SETTOUCHOPTIONS","features":[621]},{"name":"EM_SETTYPOGRAPHYOPTIONS","features":[621]},{"name":"EM_SETUIANAME","features":[621]},{"name":"EM_SETUNDOLIMIT","features":[621]},{"name":"EM_SETVIEWKIND","features":[621]},{"name":"EM_SETWORDBREAKPROCEX","features":[621]},{"name":"EM_SETWORDWRAPMODE","features":[621]},{"name":"EM_SETZOOM","features":[621]},{"name":"EM_SHOWSCROLLBAR","features":[621]},{"name":"EM_STOPGROUPTYPING","features":[621]},{"name":"EM_STREAMIN","features":[621]},{"name":"EM_STREAMOUT","features":[621]},{"name":"ENCORRECTTEXT","features":[308,621]},{"name":"ENCORRECTTEXT","features":[308,621]},{"name":"ENDCOMPOSITIONNOTIFY","features":[308,621]},{"name":"ENDCOMPOSITIONNOTIFY","features":[308,621]},{"name":"ENDCOMPOSITIONNOTIFY_CODE","features":[621]},{"name":"ENDROPFILES","features":[308,621]},{"name":"ENDROPFILES","features":[308,621]},{"name":"ENLINK","features":[308,621]},{"name":"ENLINK","features":[308,621]},{"name":"ENLOWFIRTF","features":[308,621]},{"name":"ENLOWFIRTF","features":[308,621]},{"name":"ENM_CHANGE","features":[621]},{"name":"ENM_CLIPFORMAT","features":[621]},{"name":"ENM_CORRECTTEXT","features":[621]},{"name":"ENM_DRAGDROPDONE","features":[621]},{"name":"ENM_DROPFILES","features":[621]},{"name":"ENM_ENDCOMPOSITION","features":[621]},{"name":"ENM_GROUPTYPINGCHANGE","features":[621]},{"name":"ENM_HIDELINKTOOLTIP","features":[621]},{"name":"ENM_IMECHANGE","features":[621]},{"name":"ENM_KEYEVENTS","features":[621]},{"name":"ENM_LANGCHANGE","features":[621]},{"name":"ENM_LINK","features":[621]},{"name":"ENM_LOWFIRTF","features":[621]},{"name":"ENM_MOUSEEVENTS","features":[621]},{"name":"ENM_NONE","features":[621]},{"name":"ENM_OBJECTPOSITIONS","features":[621]},{"name":"ENM_PAGECHANGE","features":[621]},{"name":"ENM_PARAGRAPHEXPANDED","features":[621]},{"name":"ENM_PROTECTED","features":[621]},{"name":"ENM_REQUESTRESIZE","features":[621]},{"name":"ENM_SCROLL","features":[621]},{"name":"ENM_SCROLLEVENTS","features":[621]},{"name":"ENM_SELCHANGE","features":[621]},{"name":"ENM_STARTCOMPOSITION","features":[621]},{"name":"ENM_UPDATE","features":[621]},{"name":"ENOLEOPFAILED","features":[308,621]},{"name":"ENOLEOPFAILED","features":[308,621]},{"name":"ENPROTECTED","features":[308,621]},{"name":"ENPROTECTED","features":[308,621]},{"name":"ENSAVECLIPBOARD","features":[308,621]},{"name":"ENSAVECLIPBOARD","features":[308,621]},{"name":"EN_ALIGNLTR","features":[621]},{"name":"EN_ALIGNRTL","features":[621]},{"name":"EN_CLIPFORMAT","features":[621]},{"name":"EN_CORRECTTEXT","features":[621]},{"name":"EN_DRAGDROPDONE","features":[621]},{"name":"EN_DROPFILES","features":[621]},{"name":"EN_ENDCOMPOSITION","features":[621]},{"name":"EN_IMECHANGE","features":[621]},{"name":"EN_LINK","features":[621]},{"name":"EN_LOWFIRTF","features":[621]},{"name":"EN_MSGFILTER","features":[621]},{"name":"EN_OBJECTPOSITIONS","features":[621]},{"name":"EN_OLEOPFAILED","features":[621]},{"name":"EN_PAGECHANGE","features":[621]},{"name":"EN_PARAGRAPHEXPANDED","features":[621]},{"name":"EN_PROTECTED","features":[621]},{"name":"EN_REQUESTRESIZE","features":[621]},{"name":"EN_SAVECLIPBOARD","features":[621]},{"name":"EN_SELCHANGE","features":[621]},{"name":"EN_STARTCOMPOSITION","features":[621]},{"name":"EN_STOPNOUNDO","features":[621]},{"name":"EPR_0","features":[621]},{"name":"EPR_180","features":[621]},{"name":"EPR_270","features":[621]},{"name":"EPR_90","features":[621]},{"name":"EPR_SE","features":[621]},{"name":"ES_DISABLENOSCROLL","features":[621]},{"name":"ES_EX_NOCALLOLEINIT","features":[621]},{"name":"ES_NOIME","features":[621]},{"name":"ES_NOOLEDRAGDROP","features":[621]},{"name":"ES_SAVESEL","features":[621]},{"name":"ES_SELECTIONBAR","features":[621]},{"name":"ES_SELFIME","features":[621]},{"name":"ES_SUNKEN","features":[621]},{"name":"ES_VERTICAL","features":[621]},{"name":"FINDTEXTA","features":[621]},{"name":"FINDTEXTA","features":[621]},{"name":"FINDTEXTEXA","features":[621]},{"name":"FINDTEXTEXA","features":[621]},{"name":"FINDTEXTEXW","features":[621]},{"name":"FINDTEXTEXW","features":[621]},{"name":"FINDTEXTW","features":[621]},{"name":"FINDTEXTW","features":[621]},{"name":"FORMATRANGE","features":[308,319,621]},{"name":"FORMATRANGE","features":[308,319,621]},{"name":"GCMF_GRIPPER","features":[621]},{"name":"GCMF_MOUSEMENU","features":[621]},{"name":"GCMF_SPELLING","features":[621]},{"name":"GCMF_TOUCHMENU","features":[621]},{"name":"GCM_MOUSEMENU","features":[621]},{"name":"GCM_RIGHTMOUSEDROP","features":[621]},{"name":"GCM_TOUCHMENU","features":[621]},{"name":"GETCONTEXTMENUEX","features":[308,621]},{"name":"GETCONTEXTMENUEX","features":[308,621]},{"name":"GETTEXTEX","features":[308,621]},{"name":"GETTEXTEX","features":[308,621]},{"name":"GETTEXTEX_FLAGS","features":[621]},{"name":"GETTEXTLENGTHEX","features":[621]},{"name":"GETTEXTLENGTHEX_FLAGS","features":[621]},{"name":"GROUPTYPINGCHANGE","features":[308,621]},{"name":"GTL_CLOSE","features":[621]},{"name":"GTL_DEFAULT","features":[621]},{"name":"GTL_NUMBYTES","features":[621]},{"name":"GTL_NUMCHARS","features":[621]},{"name":"GTL_PRECISE","features":[621]},{"name":"GTL_USECRLF","features":[621]},{"name":"GT_DEFAULT","features":[621]},{"name":"GT_NOHIDDENTEXT","features":[621]},{"name":"GT_RAWTEXT","features":[621]},{"name":"GT_SELECTION","features":[621]},{"name":"GT_USECRLF","features":[621]},{"name":"HYPHENATEINFO","features":[621]},{"name":"HYPHENATEINFO","features":[621]},{"name":"HYPHRESULT","features":[621]},{"name":"ICM_CTF","features":[621]},{"name":"ICM_LEVEL2","features":[621]},{"name":"ICM_LEVEL2_5","features":[621]},{"name":"ICM_LEVEL2_SUI","features":[621]},{"name":"ICM_LEVEL3","features":[621]},{"name":"ICM_NOTOPEN","features":[621]},{"name":"ICT_RESULTREADSTR","features":[621]},{"name":"IMECOMPTEXT","features":[621]},{"name":"IMECOMPTEXT_FLAGS","features":[621]},{"name":"IMF_AUTOFONT","features":[621]},{"name":"IMF_AUTOFONTSIZEADJUST","features":[621]},{"name":"IMF_AUTOKEYBOARD","features":[621]},{"name":"IMF_CLOSESTATUSWINDOW","features":[621]},{"name":"IMF_DUALFONT","features":[621]},{"name":"IMF_FORCEACTIVE","features":[621]},{"name":"IMF_FORCEDISABLE","features":[621]},{"name":"IMF_FORCEENABLE","features":[621]},{"name":"IMF_FORCEINACTIVE","features":[621]},{"name":"IMF_FORCENONE","features":[621]},{"name":"IMF_FORCEREMEMBER","features":[621]},{"name":"IMF_IMEALWAYSSENDNOTIFY","features":[621]},{"name":"IMF_IMECANCELCOMPLETE","features":[621]},{"name":"IMF_IMEUIINTEGRATION","features":[621]},{"name":"IMF_MULTIPLEEDIT","features":[621]},{"name":"IMF_NOIMPLICITLANG","features":[621]},{"name":"IMF_NOKBDLIDFIXUP","features":[621]},{"name":"IMF_NORTFFONTSUBSTITUTE","features":[621]},{"name":"IMF_SMODE_NONE","features":[621]},{"name":"IMF_SMODE_PLAURALCLAUSE","features":[621]},{"name":"IMF_SPELLCHECKING","features":[621]},{"name":"IMF_TKBPREDICTION","features":[621]},{"name":"IMF_UIFONTS","features":[621]},{"name":"IMF_VERTICAL","features":[621]},{"name":"IRichEditOle","features":[621]},{"name":"IRichEditOleCallback","features":[621]},{"name":"IRicheditUiaOverrides","features":[621]},{"name":"ITextDisplays","features":[359,621]},{"name":"ITextDocument","features":[359,621]},{"name":"ITextDocument2","features":[359,621]},{"name":"ITextDocument2Old","features":[359,621]},{"name":"ITextFont","features":[359,621]},{"name":"ITextFont2","features":[359,621]},{"name":"ITextHost","features":[621]},{"name":"ITextHost2","features":[621]},{"name":"ITextPara","features":[359,621]},{"name":"ITextPara2","features":[359,621]},{"name":"ITextRange","features":[359,621]},{"name":"ITextRange2","features":[359,621]},{"name":"ITextRow","features":[359,621]},{"name":"ITextSelection","features":[359,621]},{"name":"ITextSelection2","features":[359,621]},{"name":"ITextServices","features":[621]},{"name":"ITextServices2","features":[621]},{"name":"ITextStory","features":[621]},{"name":"ITextStoryRanges","features":[359,621]},{"name":"ITextStoryRanges2","features":[359,621]},{"name":"ITextStrings","features":[359,621]},{"name":"KHYPH","features":[621]},{"name":"MANCODE","features":[621]},{"name":"MAX_TABLE_CELLS","features":[621]},{"name":"MAX_TAB_STOPS","features":[621]},{"name":"MBOLD","features":[621]},{"name":"MFRAK","features":[621]},{"name":"MGREEK","features":[621]},{"name":"MINIT","features":[621]},{"name":"MISOL","features":[621]},{"name":"MITAL","features":[621]},{"name":"MLOOP","features":[621]},{"name":"MMATH","features":[621]},{"name":"MMONO","features":[621]},{"name":"MOPEN","features":[621]},{"name":"MOPENA","features":[621]},{"name":"MROMN","features":[621]},{"name":"MSANS","features":[621]},{"name":"MSCRP","features":[621]},{"name":"MSFTEDIT_CLASS","features":[621]},{"name":"MSGFILTER","features":[308,621]},{"name":"MSGFILTER","features":[308,621]},{"name":"MSTRCH","features":[621]},{"name":"MTAIL","features":[621]},{"name":"OBJECTPOSITIONS","features":[308,621]},{"name":"OBJECTPOSITIONS","features":[308,621]},{"name":"OBJECTTYPE","features":[621]},{"name":"OLEOP_DOVERB","features":[621]},{"name":"PARAFORMAT","features":[621]},{"name":"PARAFORMAT2","features":[621]},{"name":"PARAFORMAT_ALIGNMENT","features":[621]},{"name":"PARAFORMAT_BORDERS","features":[621]},{"name":"PARAFORMAT_BORDERS_AUTOCOLOR","features":[621]},{"name":"PARAFORMAT_BORDERS_BOTTOM","features":[621]},{"name":"PARAFORMAT_BORDERS_INSIDE","features":[621]},{"name":"PARAFORMAT_BORDERS_LEFT","features":[621]},{"name":"PARAFORMAT_BORDERS_OUTSIDE","features":[621]},{"name":"PARAFORMAT_BORDERS_RIGHT","features":[621]},{"name":"PARAFORMAT_BORDERS_TOP","features":[621]},{"name":"PARAFORMAT_MASK","features":[621]},{"name":"PARAFORMAT_NUMBERING","features":[621]},{"name":"PARAFORMAT_NUMBERING_STYLE","features":[621]},{"name":"PARAFORMAT_SHADING_STYLE","features":[621]},{"name":"PARAFORMAT_SHADING_STYLE_DARK_DOWN_DIAG","features":[621]},{"name":"PARAFORMAT_SHADING_STYLE_DARK_GRID","features":[621]},{"name":"PARAFORMAT_SHADING_STYLE_DARK_HORIZ","features":[621]},{"name":"PARAFORMAT_SHADING_STYLE_DARK_TRELLIS","features":[621]},{"name":"PARAFORMAT_SHADING_STYLE_DARK_UP_DIAG","features":[621]},{"name":"PARAFORMAT_SHADING_STYLE_DARK_VERT","features":[621]},{"name":"PARAFORMAT_SHADING_STYLE_LIGHT_DOWN_DIAG","features":[621]},{"name":"PARAFORMAT_SHADING_STYLE_LIGHT_GRID","features":[621]},{"name":"PARAFORMAT_SHADING_STYLE_LIGHT_HORZ","features":[621]},{"name":"PARAFORMAT_SHADING_STYLE_LIGHT_TRELLIS","features":[621]},{"name":"PARAFORMAT_SHADING_STYLE_LIGHT_UP_DIAG","features":[621]},{"name":"PARAFORMAT_SHADING_STYLE_LIGHT_VERT","features":[621]},{"name":"PARAFORMAT_SHADING_STYLE_NONE","features":[621]},{"name":"PC_DELIMITER","features":[621]},{"name":"PC_FOLLOWING","features":[621]},{"name":"PC_LEADING","features":[621]},{"name":"PC_OVERFLOW","features":[621]},{"name":"PCreateTextServices","features":[621]},{"name":"PFA_CENTER","features":[621]},{"name":"PFA_FULL_GLYPHS","features":[621]},{"name":"PFA_FULL_INTERLETTER","features":[621]},{"name":"PFA_FULL_INTERWORD","features":[621]},{"name":"PFA_FULL_NEWSPAPER","features":[621]},{"name":"PFA_FULL_SCALED","features":[621]},{"name":"PFA_JUSTIFY","features":[621]},{"name":"PFA_LEFT","features":[621]},{"name":"PFA_RIGHT","features":[621]},{"name":"PFM_ALIGNMENT","features":[621]},{"name":"PFM_ALL","features":[621]},{"name":"PFM_ALL2","features":[621]},{"name":"PFM_BORDER","features":[621]},{"name":"PFM_BOX","features":[621]},{"name":"PFM_COLLAPSED","features":[621]},{"name":"PFM_DONOTHYPHEN","features":[621]},{"name":"PFM_EFFECTS","features":[621]},{"name":"PFM_KEEP","features":[621]},{"name":"PFM_KEEPNEXT","features":[621]},{"name":"PFM_LINESPACING","features":[621]},{"name":"PFM_NOLINENUMBER","features":[621]},{"name":"PFM_NOWIDOWCONTROL","features":[621]},{"name":"PFM_NUMBERING","features":[621]},{"name":"PFM_NUMBERINGSTART","features":[621]},{"name":"PFM_NUMBERINGSTYLE","features":[621]},{"name":"PFM_NUMBERINGTAB","features":[621]},{"name":"PFM_OFFSET","features":[621]},{"name":"PFM_OFFSETINDENT","features":[621]},{"name":"PFM_OUTLINELEVEL","features":[621]},{"name":"PFM_PAGEBREAKBEFORE","features":[621]},{"name":"PFM_RESERVED2","features":[621]},{"name":"PFM_RIGHTINDENT","features":[621]},{"name":"PFM_RTLPARA","features":[621]},{"name":"PFM_SHADING","features":[621]},{"name":"PFM_SIDEBYSIDE","features":[621]},{"name":"PFM_SPACEAFTER","features":[621]},{"name":"PFM_SPACEBEFORE","features":[621]},{"name":"PFM_STARTINDENT","features":[621]},{"name":"PFM_STYLE","features":[621]},{"name":"PFM_TABLE","features":[621]},{"name":"PFM_TABLEROWDELIMITER","features":[621]},{"name":"PFM_TABSTOPS","features":[621]},{"name":"PFM_TEXTWRAPPINGBREAK","features":[621]},{"name":"PFNS_NEWNUMBER","features":[621]},{"name":"PFNS_NONUMBER","features":[621]},{"name":"PFNS_PAREN","features":[621]},{"name":"PFNS_PARENS","features":[621]},{"name":"PFNS_PERIOD","features":[621]},{"name":"PFNS_PLAIN","features":[621]},{"name":"PFN_ARABIC","features":[621]},{"name":"PFN_BULLET","features":[621]},{"name":"PFN_LCLETTER","features":[621]},{"name":"PFN_LCROMAN","features":[621]},{"name":"PFN_UCLETTER","features":[621]},{"name":"PFN_UCROMAN","features":[621]},{"name":"PShutdownTextServices","features":[621]},{"name":"PUNCTUATION","features":[621]},{"name":"PUNCTUATION","features":[621]},{"name":"REOBJECT","features":[308,432,418,621]},{"name":"REOBJECT_FLAGS","features":[621]},{"name":"REO_ALIGNTORIGHT","features":[621]},{"name":"REO_BELOWBASELINE","features":[621]},{"name":"REO_BLANK","features":[621]},{"name":"REO_CANROTATE","features":[621]},{"name":"REO_DONTNEEDPALETTE","features":[621]},{"name":"REO_DYNAMICSIZE","features":[621]},{"name":"REO_GETMETAFILE","features":[621]},{"name":"REO_GETOBJ_ALL_INTERFACES","features":[621]},{"name":"REO_GETOBJ_NO_INTERFACES","features":[621]},{"name":"REO_GETOBJ_POLEOBJ","features":[621]},{"name":"REO_GETOBJ_POLESITE","features":[621]},{"name":"REO_GETOBJ_PSTG","features":[621]},{"name":"REO_HILITED","features":[621]},{"name":"REO_INPLACEACTIVE","features":[621]},{"name":"REO_INVERTEDSELECT","features":[621]},{"name":"REO_LINK","features":[621]},{"name":"REO_LINKAVAILABLE","features":[621]},{"name":"REO_NULL","features":[621]},{"name":"REO_OPEN","features":[621]},{"name":"REO_OWNERDRAWSELECT","features":[621]},{"name":"REO_READWRITEMASK","features":[621]},{"name":"REO_RESIZABLE","features":[621]},{"name":"REO_SELECTED","features":[621]},{"name":"REO_STATIC","features":[621]},{"name":"REO_USEASBACKGROUND","features":[621]},{"name":"REO_WRAPTEXTAROUND","features":[621]},{"name":"REPASTESPECIAL","features":[359,621]},{"name":"REPASTESPECIAL","features":[359,621]},{"name":"REQRESIZE","features":[308,621]},{"name":"REQRESIZE","features":[308,621]},{"name":"RICHEDIT60_CLASS","features":[621]},{"name":"RICHEDIT_CLASS","features":[621]},{"name":"RICHEDIT_CLASS10A","features":[621]},{"name":"RICHEDIT_CLASSA","features":[621]},{"name":"RICHEDIT_CLASSW","features":[621]},{"name":"RICHEDIT_IMAGE_PARAMETERS","features":[359,621]},{"name":"RICHEDIT_IMAGE_PARAMETERS","features":[359,621]},{"name":"RICH_EDIT_GET_CONTEXT_MENU_SEL_TYPE","features":[621]},{"name":"RICH_EDIT_GET_OBJECT_FLAGS","features":[621]},{"name":"RTO_DISABLEHANDLES","features":[621]},{"name":"RTO_READINGMODE","features":[621]},{"name":"RTO_SHOWHANDLES","features":[621]},{"name":"SCF_ALL","features":[621]},{"name":"SCF_ASSOCIATEFONT","features":[621]},{"name":"SCF_ASSOCIATEFONT2","features":[621]},{"name":"SCF_CHARREPFROMLCID","features":[621]},{"name":"SCF_DEFAULT","features":[621]},{"name":"SCF_NOKBUPDATE","features":[621]},{"name":"SCF_SELECTION","features":[621]},{"name":"SCF_SMARTFONT","features":[621]},{"name":"SCF_USEUIRULES","features":[621]},{"name":"SCF_WORD","features":[621]},{"name":"SELCHANGE","features":[308,621]},{"name":"SELCHANGE","features":[308,621]},{"name":"SEL_EMPTY","features":[621]},{"name":"SEL_MULTICHAR","features":[621]},{"name":"SEL_MULTIOBJECT","features":[621]},{"name":"SEL_OBJECT","features":[621]},{"name":"SEL_TEXT","features":[621]},{"name":"SES_ALLOWBEEPS","features":[621]},{"name":"SES_BEEPONMAXTEXT","features":[621]},{"name":"SES_BIDI","features":[621]},{"name":"SES_CTFALLOWEMBED","features":[621]},{"name":"SES_CTFALLOWPROOFING","features":[621]},{"name":"SES_CTFALLOWSMARTTAG","features":[621]},{"name":"SES_CTFNOLOCK","features":[621]},{"name":"SES_CUSTOMLOOK","features":[621]},{"name":"SES_DEFAULTLATINLIGA","features":[621]},{"name":"SES_DRAFTMODE","features":[621]},{"name":"SES_EMULATE10","features":[621]},{"name":"SES_EMULATESYSEDIT","features":[621]},{"name":"SES_EXTENDBACKCOLOR","features":[621]},{"name":"SES_EX_HANDLEFRIENDLYURL","features":[621]},{"name":"SES_EX_HIDETEMPFORMAT","features":[621]},{"name":"SES_EX_MULTITOUCH","features":[621]},{"name":"SES_EX_NOACETATESELECTION","features":[621]},{"name":"SES_EX_NOMATH","features":[621]},{"name":"SES_EX_NOTABLE","features":[621]},{"name":"SES_EX_NOTHEMING","features":[621]},{"name":"SES_EX_USEMOUSEWPARAM","features":[621]},{"name":"SES_EX_USESINGLELINE","features":[621]},{"name":"SES_HIDEGRIDLINES","features":[621]},{"name":"SES_HYPERLINKTOOLTIPS","features":[621]},{"name":"SES_LBSCROLLNOTIFY","features":[621]},{"name":"SES_LOGICALCARET","features":[621]},{"name":"SES_LOWERCASE","features":[621]},{"name":"SES_MAPCPS","features":[621]},{"name":"SES_MAX","features":[621]},{"name":"SES_MULTISELECT","features":[621]},{"name":"SES_NOEALINEHEIGHTADJUST","features":[621]},{"name":"SES_NOFOCUSLINKNOTIFY","features":[621]},{"name":"SES_NOIME","features":[621]},{"name":"SES_NOINPUTSEQUENCECHK","features":[621]},{"name":"SES_SCROLLONKILLFOCUS","features":[621]},{"name":"SES_SMARTDRAGDROP","features":[621]},{"name":"SES_UPPERCASE","features":[621]},{"name":"SES_USEAIMM","features":[621]},{"name":"SES_USEATFONT","features":[621]},{"name":"SES_USECRLF","features":[621]},{"name":"SES_USECTF","features":[621]},{"name":"SES_WORDDRAGDROP","features":[621]},{"name":"SES_XLTCRCRLFTOCR","features":[621]},{"name":"SETTEXTEX","features":[621]},{"name":"SFF_KEEPDOCINFO","features":[621]},{"name":"SFF_PERSISTVIEWSCALE","features":[621]},{"name":"SFF_PLAINRTF","features":[621]},{"name":"SFF_PWD","features":[621]},{"name":"SFF_SELECTION","features":[621]},{"name":"SFF_WRITEXTRAPAR","features":[621]},{"name":"SF_NCRFORNONASCII","features":[621]},{"name":"SF_RTF","features":[621]},{"name":"SF_RTFNOOBJS","features":[621]},{"name":"SF_RTFVAL","features":[621]},{"name":"SF_TEXT","features":[621]},{"name":"SF_TEXTIZED","features":[621]},{"name":"SF_UNICODE","features":[621]},{"name":"SF_USECODEPAGE","features":[621]},{"name":"SPF_DONTSETDEFAULT","features":[621]},{"name":"SPF_SETDEFAULT","features":[621]},{"name":"ST_DEFAULT","features":[621]},{"name":"ST_KEEPUNDO","features":[621]},{"name":"ST_NEWCHARS","features":[621]},{"name":"ST_SELECTION","features":[621]},{"name":"ST_UNICODE","features":[621]},{"name":"S_MSG_KEY_IGNORED","features":[621]},{"name":"TABLECELLPARMS","features":[308,621]},{"name":"TABLEROWPARMS","features":[621]},{"name":"TEXTMODE","features":[621]},{"name":"TEXTRANGEA","features":[621]},{"name":"TEXTRANGEA","features":[621]},{"name":"TEXTRANGEW","features":[621]},{"name":"TEXTRANGEW","features":[621]},{"name":"TM_MULTICODEPAGE","features":[621]},{"name":"TM_MULTILEVELUNDO","features":[621]},{"name":"TM_PLAINTEXT","features":[621]},{"name":"TM_RICHTEXT","features":[621]},{"name":"TM_SINGLECODEPAGE","features":[621]},{"name":"TM_SINGLELEVELUNDO","features":[621]},{"name":"TO_ADVANCEDLAYOUT","features":[621]},{"name":"TO_ADVANCEDTYPOGRAPHY","features":[621]},{"name":"TO_DISABLECUSTOMTEXTOUT","features":[621]},{"name":"TO_SIMPLELINEBREAK","features":[621]},{"name":"TXES_ISDIALOG","features":[621]},{"name":"TXTBACKSTYLE","features":[621]},{"name":"TXTBACK_OPAQUE","features":[621]},{"name":"TXTBACK_TRANSPARENT","features":[621]},{"name":"TXTBIT_ADVANCEDINPUT","features":[621]},{"name":"TXTBIT_ALLOWBEEP","features":[621]},{"name":"TXTBIT_AUTOWORDSEL","features":[621]},{"name":"TXTBIT_BACKSTYLECHANGE","features":[621]},{"name":"TXTBIT_CHARFORMATCHANGE","features":[621]},{"name":"TXTBIT_CLIENTRECTCHANGE","features":[621]},{"name":"TXTBIT_D2DDWRITE","features":[621]},{"name":"TXTBIT_D2DPIXELSNAPPED","features":[621]},{"name":"TXTBIT_D2DSIMPLETYPOGRAPHY","features":[621]},{"name":"TXTBIT_D2DSUBPIXELLINES","features":[621]},{"name":"TXTBIT_DISABLEDRAG","features":[621]},{"name":"TXTBIT_EXTENTCHANGE","features":[621]},{"name":"TXTBIT_FLASHLASTPASSWORDCHAR","features":[621]},{"name":"TXTBIT_HIDESELECTION","features":[621]},{"name":"TXTBIT_MAXLENGTHCHANGE","features":[621]},{"name":"TXTBIT_MULTILINE","features":[621]},{"name":"TXTBIT_NOTHREADREFCOUNT","features":[621]},{"name":"TXTBIT_PARAFORMATCHANGE","features":[621]},{"name":"TXTBIT_READONLY","features":[621]},{"name":"TXTBIT_RICHTEXT","features":[621]},{"name":"TXTBIT_SAVESELECTION","features":[621]},{"name":"TXTBIT_SCROLLBARCHANGE","features":[621]},{"name":"TXTBIT_SELBARCHANGE","features":[621]},{"name":"TXTBIT_SHOWACCELERATOR","features":[621]},{"name":"TXTBIT_SHOWPASSWORD","features":[621]},{"name":"TXTBIT_USECURRENTBKG","features":[621]},{"name":"TXTBIT_USEPASSWORD","features":[621]},{"name":"TXTBIT_VERTICAL","features":[621]},{"name":"TXTBIT_VIEWINSETCHANGE","features":[621]},{"name":"TXTBIT_WORDWRAP","features":[621]},{"name":"TXTHITRESULT","features":[621]},{"name":"TXTHITRESULT_CLOSE","features":[621]},{"name":"TXTHITRESULT_HIT","features":[621]},{"name":"TXTHITRESULT_NOHIT","features":[621]},{"name":"TXTHITRESULT_TRANSPARENT","features":[621]},{"name":"TXTNATURALSIZE","features":[621]},{"name":"TXTNS_EMU","features":[621]},{"name":"TXTNS_FITTOCONTENT","features":[621]},{"name":"TXTNS_FITTOCONTENT2","features":[621]},{"name":"TXTNS_FITTOCONTENT3","features":[621]},{"name":"TXTNS_FITTOCONTENTWSP","features":[621]},{"name":"TXTNS_INCLUDELASTLINE","features":[621]},{"name":"TXTNS_ROUNDTOLINE","features":[621]},{"name":"TXTVIEW","features":[621]},{"name":"TXTVIEW_ACTIVE","features":[621]},{"name":"TXTVIEW_INACTIVE","features":[621]},{"name":"UID_AUTOTABLE","features":[621]},{"name":"UID_CUT","features":[621]},{"name":"UID_DELETE","features":[621]},{"name":"UID_DRAGDROP","features":[621]},{"name":"UID_PASTE","features":[621]},{"name":"UID_TYPING","features":[621]},{"name":"UID_UNKNOWN","features":[621]},{"name":"UNDONAMEID","features":[621]},{"name":"VM_NORMAL","features":[621]},{"name":"VM_OUTLINE","features":[621]},{"name":"VM_PAGE","features":[621]},{"name":"WBF_CUSTOM","features":[621]},{"name":"WBF_LEVEL1","features":[621]},{"name":"WBF_LEVEL2","features":[621]},{"name":"WBF_OVERFLOW","features":[621]},{"name":"WBF_WORDBREAK","features":[621]},{"name":"WBF_WORDWRAP","features":[621]},{"name":"WB_MOVEWORDNEXT","features":[621]},{"name":"WB_MOVEWORDPREV","features":[621]},{"name":"WB_NEXTBREAK","features":[621]},{"name":"WB_PREVBREAK","features":[621]},{"name":"cchTextLimitDefault","features":[621]},{"name":"khyphAddBefore","features":[621]},{"name":"khyphChangeAfter","features":[621]},{"name":"khyphChangeBefore","features":[621]},{"name":"khyphDelAndChange","features":[621]},{"name":"khyphDeleteBefore","features":[621]},{"name":"khyphNil","features":[621]},{"name":"khyphNormal","features":[621]},{"name":"lDefaultTab","features":[621]},{"name":"tomAboriginal","features":[621]},{"name":"tomAccent","features":[621]},{"name":"tomAdjustCRLF","features":[621]},{"name":"tomAlignBar","features":[621]},{"name":"tomAlignCenter","features":[621]},{"name":"tomAlignDecimal","features":[621]},{"name":"tomAlignDefault","features":[621]},{"name":"tomAlignInterLetter","features":[621]},{"name":"tomAlignInterWord","features":[621]},{"name":"tomAlignJustify","features":[621]},{"name":"tomAlignLeft","features":[621]},{"name":"tomAlignMatchAscentDescent","features":[621]},{"name":"tomAlignNewspaper","features":[621]},{"name":"tomAlignRight","features":[621]},{"name":"tomAlignScaled","features":[621]},{"name":"tomAllCaps","features":[621]},{"name":"tomAllowFinalEOP","features":[621]},{"name":"tomAllowMathBold","features":[621]},{"name":"tomAllowOffClient","features":[621]},{"name":"tomAnimationMax","features":[621]},{"name":"tomAnsi","features":[621]},{"name":"tomApplyLater","features":[621]},{"name":"tomApplyNow","features":[621]},{"name":"tomApplyRtfDocProps","features":[621]},{"name":"tomApplyTmp","features":[621]},{"name":"tomArabic","features":[621]},{"name":"tomArmenian","features":[621]},{"name":"tomAtEnd","features":[621]},{"name":"tomAutoBackColor","features":[621]},{"name":"tomAutoColor","features":[621]},{"name":"tomAutoLinkEmail","features":[621]},{"name":"tomAutoLinkPath","features":[621]},{"name":"tomAutoLinkPhone","features":[621]},{"name":"tomAutoLinkURL","features":[621]},{"name":"tomAutoSpaceAlpha","features":[621]},{"name":"tomAutoSpaceNumeric","features":[621]},{"name":"tomAutoSpaceParens","features":[621]},{"name":"tomAutoTextColor","features":[621]},{"name":"tomBIG5","features":[621]},{"name":"tomBackward","features":[621]},{"name":"tomBaltic","features":[621]},{"name":"tomBengali","features":[621]},{"name":"tomBlinkingBackground","features":[621]},{"name":"tomBold","features":[621]},{"name":"tomBox","features":[621]},{"name":"tomBoxAlignCenter","features":[621]},{"name":"tomBoxHideBottom","features":[621]},{"name":"tomBoxHideLeft","features":[621]},{"name":"tomBoxHideRight","features":[621]},{"name":"tomBoxHideTop","features":[621]},{"name":"tomBoxStrikeBLTR","features":[621]},{"name":"tomBoxStrikeH","features":[621]},{"name":"tomBoxStrikeTLBR","features":[621]},{"name":"tomBoxStrikeV","features":[621]},{"name":"tomBoxedFormula","features":[621]},{"name":"tomBrackets","features":[621]},{"name":"tomBracketsWithSeps","features":[621]},{"name":"tomBraille","features":[621]},{"name":"tomCacheParms","features":[621]},{"name":"tomCanCopy","features":[621]},{"name":"tomCanRedo","features":[621]},{"name":"tomCanUndo","features":[621]},{"name":"tomCell","features":[621]},{"name":"tomCellStructureChangeOnly","features":[621]},{"name":"tomCharFormat","features":[621]},{"name":"tomCharRepFromLcid","features":[621]},{"name":"tomCharRepMax","features":[621]},{"name":"tomCharacter","features":[621]},{"name":"tomCharset","features":[621]},{"name":"tomCheckTextLimit","features":[621]},{"name":"tomCherokee","features":[621]},{"name":"tomClientCoord","features":[621]},{"name":"tomClientLink","features":[621]},{"name":"tomCluster","features":[621]},{"name":"tomCollapseEnd","features":[621]},{"name":"tomCollapseStart","features":[621]},{"name":"tomColumn","features":[621]},{"name":"tomCommentsStory","features":[621]},{"name":"tomCompressMax","features":[621]},{"name":"tomCompressNone","features":[621]},{"name":"tomCompressPunctuation","features":[621]},{"name":"tomCompressPunctuationAndKana","features":[621]},{"name":"tomConstants","features":[621]},{"name":"tomConvertMathChar","features":[621]},{"name":"tomConvertRTF","features":[621]},{"name":"tomCreateAlways","features":[621]},{"name":"tomCreateNew","features":[621]},{"name":"tomCyrillic","features":[621]},{"name":"tomDash","features":[621]},{"name":"tomDashDot","features":[621]},{"name":"tomDashDotDot","features":[621]},{"name":"tomDashes","features":[621]},{"name":"tomDecDecSize","features":[621]},{"name":"tomDecSize","features":[621]},{"name":"tomDefault","features":[621]},{"name":"tomDefaultCharRep","features":[621]},{"name":"tomDefaultTab","features":[621]},{"name":"tomDeseret","features":[621]},{"name":"tomDevanagari","features":[621]},{"name":"tomDisableSmartFont","features":[621]},{"name":"tomDisabled","features":[621]},{"name":"tomDocAutoLink","features":[621]},{"name":"tomDocMathBuild","features":[621]},{"name":"tomDontGrowWithContent","features":[621]},{"name":"tomDots","features":[621]},{"name":"tomDotted","features":[621]},{"name":"tomDouble","features":[621]},{"name":"tomDoubleWave","features":[621]},{"name":"tomDoublestrike","features":[621]},{"name":"tomEastEurope","features":[621]},{"name":"tomEllipsisEnd","features":[621]},{"name":"tomEllipsisMode","features":[621]},{"name":"tomEllipsisNone","features":[621]},{"name":"tomEllipsisPresent","features":[621]},{"name":"tomEllipsisState","features":[621]},{"name":"tomEllipsisWord","features":[621]},{"name":"tomEmbeddedFont","features":[621]},{"name":"tomEmboss","features":[621]},{"name":"tomEmoji","features":[621]},{"name":"tomEnableSmartFont","features":[621]},{"name":"tomEnd","features":[621]},{"name":"tomEndnotesStory","features":[621]},{"name":"tomEq","features":[621]},{"name":"tomEqArrayAlignBottomRow","features":[621]},{"name":"tomEqArrayAlignCenter","features":[621]},{"name":"tomEqArrayAlignMask","features":[621]},{"name":"tomEqArrayAlignTopRow","features":[621]},{"name":"tomEqArrayLayoutWidth","features":[621]},{"name":"tomEquals","features":[621]},{"name":"tomEquationArray","features":[621]},{"name":"tomEthiopic","features":[621]},{"name":"tomEvenPagesFooterStory","features":[621]},{"name":"tomEvenPagesHeaderStory","features":[621]},{"name":"tomExtend","features":[621]},{"name":"tomExtendedChar","features":[621]},{"name":"tomFalse","features":[621]},{"name":"tomFindStory","features":[621]},{"name":"tomFirstPageFooterStory","features":[621]},{"name":"tomFirstPageHeaderStory","features":[621]},{"name":"tomFoldMathAlpha","features":[621]},{"name":"tomFontAlignmentAuto","features":[621]},{"name":"tomFontAlignmentBaseline","features":[621]},{"name":"tomFontAlignmentBottom","features":[621]},{"name":"tomFontAlignmentCenter","features":[621]},{"name":"tomFontAlignmentMax","features":[621]},{"name":"tomFontAlignmentTop","features":[621]},{"name":"tomFontBound","features":[621]},{"name":"tomFontPropAlign","features":[621]},{"name":"tomFontPropTeXStyle","features":[621]},{"name":"tomFontStretch","features":[621]},{"name":"tomFontStretchCondensed","features":[621]},{"name":"tomFontStretchDefault","features":[621]},{"name":"tomFontStretchExpanded","features":[621]},{"name":"tomFontStretchExtraCondensed","features":[621]},{"name":"tomFontStretchExtraExpanded","features":[621]},{"name":"tomFontStretchNormal","features":[621]},{"name":"tomFontStretchSemiCondensed","features":[621]},{"name":"tomFontStretchSemiExpanded","features":[621]},{"name":"tomFontStretchUltraCondensed","features":[621]},{"name":"tomFontStretchUltraExpanded","features":[621]},{"name":"tomFontStyle","features":[621]},{"name":"tomFontStyleItalic","features":[621]},{"name":"tomFontStyleOblique","features":[621]},{"name":"tomFontStyleUpright","features":[621]},{"name":"tomFontWeightBlack","features":[621]},{"name":"tomFontWeightBold","features":[621]},{"name":"tomFontWeightDefault","features":[621]},{"name":"tomFontWeightExtraBlack","features":[621]},{"name":"tomFontWeightExtraBold","features":[621]},{"name":"tomFontWeightExtraLight","features":[621]},{"name":"tomFontWeightHeavy","features":[621]},{"name":"tomFontWeightLight","features":[621]},{"name":"tomFontWeightMedium","features":[621]},{"name":"tomFontWeightNormal","features":[621]},{"name":"tomFontWeightRegular","features":[621]},{"name":"tomFontWeightSemiBold","features":[621]},{"name":"tomFontWeightThin","features":[621]},{"name":"tomFootnotesStory","features":[621]},{"name":"tomForward","features":[621]},{"name":"tomFraction","features":[621]},{"name":"tomFriendlyLinkAddress","features":[621]},{"name":"tomFriendlyLinkName","features":[621]},{"name":"tomFunctionApply","features":[621]},{"name":"tomFunctionTypeIsLim","features":[621]},{"name":"tomFunctionTypeNone","features":[621]},{"name":"tomFunctionTypeTakesArg","features":[621]},{"name":"tomFunctionTypeTakesLim","features":[621]},{"name":"tomFunctionTypeTakesLim2","features":[621]},{"name":"tomGB2312","features":[621]},{"name":"tomGeorgian","features":[621]},{"name":"tomGetHeightOnly","features":[621]},{"name":"tomGlagolitic","features":[621]},{"name":"tomGothic","features":[621]},{"name":"tomGravityBack","features":[621]},{"name":"tomGravityBackward","features":[621]},{"name":"tomGravityFore","features":[621]},{"name":"tomGravityForward","features":[621]},{"name":"tomGravityIn","features":[621]},{"name":"tomGravityOut","features":[621]},{"name":"tomGravityUI","features":[621]},{"name":"tomGreek","features":[621]},{"name":"tomGrowWithContent","features":[621]},{"name":"tomGujarati","features":[621]},{"name":"tomGurmukhi","features":[621]},{"name":"tomHContCell","features":[621]},{"name":"tomHStartCell","features":[621]},{"name":"tomHTML","features":[621]},{"name":"tomHair","features":[621]},{"name":"tomHangul","features":[621]},{"name":"tomHardParagraph","features":[621]},{"name":"tomHeavyWave","features":[621]},{"name":"tomHebrew","features":[621]},{"name":"tomHidden","features":[621]},{"name":"tomHorzVert","features":[621]},{"name":"tomHstring","features":[621]},{"name":"tomIgnoreCurrentFont","features":[621]},{"name":"tomIgnoreNumberStyle","features":[621]},{"name":"tomImprint","features":[621]},{"name":"tomIncIncSize","features":[621]},{"name":"tomIncSize","features":[621]},{"name":"tomIncludeInset","features":[621]},{"name":"tomIncludeNumbering","features":[621]},{"name":"tomInlineObject","features":[621]},{"name":"tomInlineObjectArg","features":[621]},{"name":"tomInlineObjectStart","features":[621]},{"name":"tomItalic","features":[621]},{"name":"tomJamo","features":[621]},{"name":"tomKannada","features":[621]},{"name":"tomKayahli","features":[621]},{"name":"tomKharoshthi","features":[621]},{"name":"tomKhmer","features":[621]},{"name":"tomKoreanBlockCaret","features":[621]},{"name":"tomLanguageTag","features":[621]},{"name":"tomLao","features":[621]},{"name":"tomLasVegasLights","features":[621]},{"name":"tomLayoutColumn","features":[621]},{"name":"tomLeafLine","features":[621]},{"name":"tomLeftSubSup","features":[621]},{"name":"tomLimbu","features":[621]},{"name":"tomLimitAlignCenter","features":[621]},{"name":"tomLimitAlignLeft","features":[621]},{"name":"tomLimitAlignMask","features":[621]},{"name":"tomLimitAlignRight","features":[621]},{"name":"tomLimitsDefault","features":[621]},{"name":"tomLimitsOpposite","features":[621]},{"name":"tomLimitsSubSup","features":[621]},{"name":"tomLimitsUnderOver","features":[621]},{"name":"tomLine","features":[621]},{"name":"tomLineSpace1pt5","features":[621]},{"name":"tomLineSpaceAtLeast","features":[621]},{"name":"tomLineSpaceDouble","features":[621]},{"name":"tomLineSpaceExactly","features":[621]},{"name":"tomLineSpaceMultiple","features":[621]},{"name":"tomLineSpacePercent","features":[621]},{"name":"tomLineSpaceSingle","features":[621]},{"name":"tomLines","features":[621]},{"name":"tomLink","features":[621]},{"name":"tomLinkProtected","features":[621]},{"name":"tomListBullet","features":[621]},{"name":"tomListMinus","features":[621]},{"name":"tomListNoNumber","features":[621]},{"name":"tomListNone","features":[621]},{"name":"tomListNumberAsArabic","features":[621]},{"name":"tomListNumberAsLCLetter","features":[621]},{"name":"tomListNumberAsLCRoman","features":[621]},{"name":"tomListNumberAsSequence","features":[621]},{"name":"tomListNumberAsUCLetter","features":[621]},{"name":"tomListNumberAsUCRoman","features":[621]},{"name":"tomListNumberedArabic1","features":[621]},{"name":"tomListNumberedArabic2","features":[621]},{"name":"tomListNumberedArabicWide","features":[621]},{"name":"tomListNumberedBlackCircleWingding","features":[621]},{"name":"tomListNumberedChS","features":[621]},{"name":"tomListNumberedChT","features":[621]},{"name":"tomListNumberedCircle","features":[621]},{"name":"tomListNumberedHebrew","features":[621]},{"name":"tomListNumberedHindiAlpha","features":[621]},{"name":"tomListNumberedHindiAlpha1","features":[621]},{"name":"tomListNumberedHindiNum","features":[621]},{"name":"tomListNumberedJpnChS","features":[621]},{"name":"tomListNumberedJpnKor","features":[621]},{"name":"tomListNumberedThaiAlpha","features":[621]},{"name":"tomListNumberedThaiNum","features":[621]},{"name":"tomListNumberedWhiteCircleWingding","features":[621]},{"name":"tomListParentheses","features":[621]},{"name":"tomListPeriod","features":[621]},{"name":"tomListPlain","features":[621]},{"name":"tomLisu","features":[621]},{"name":"tomLongDash","features":[621]},{"name":"tomLowerCase","features":[621]},{"name":"tomLowerLimit","features":[621]},{"name":"tomMac","features":[621]},{"name":"tomMainTextStory","features":[621]},{"name":"tomMalayalam","features":[621]},{"name":"tomMarchingBlackAnts","features":[621]},{"name":"tomMarchingRedAnts","features":[621]},{"name":"tomMatchAscii","features":[621]},{"name":"tomMatchCase","features":[621]},{"name":"tomMatchCharRep","features":[621]},{"name":"tomMatchFontSignature","features":[621]},{"name":"tomMatchMathFont","features":[621]},{"name":"tomMatchPattern","features":[621]},{"name":"tomMatchWord","features":[621]},{"name":"tomMath","features":[621]},{"name":"tomMathArgShadingEnd","features":[621]},{"name":"tomMathArgShadingStart","features":[621]},{"name":"tomMathBreakCenter","features":[621]},{"name":"tomMathBreakLeft","features":[621]},{"name":"tomMathBreakRight","features":[621]},{"name":"tomMathBrkBinAfter","features":[621]},{"name":"tomMathBrkBinBefore","features":[621]},{"name":"tomMathBrkBinDup","features":[621]},{"name":"tomMathBrkBinMask","features":[621]},{"name":"tomMathBrkBinSubMM","features":[621]},{"name":"tomMathBrkBinSubMP","features":[621]},{"name":"tomMathBrkBinSubMask","features":[621]},{"name":"tomMathBrkBinSubPM","features":[621]},{"name":"tomMathCFCheck","features":[621]},{"name":"tomMathDispAlignCenter","features":[621]},{"name":"tomMathDispAlignCenterGroup","features":[621]},{"name":"tomMathDispAlignLeft","features":[621]},{"name":"tomMathDispAlignMask","features":[621]},{"name":"tomMathDispAlignRight","features":[621]},{"name":"tomMathDispDef","features":[621]},{"name":"tomMathDispFracTeX","features":[621]},{"name":"tomMathDispIntUnderOver","features":[621]},{"name":"tomMathDispNaryGrow","features":[621]},{"name":"tomMathDispNarySubSup","features":[621]},{"name":"tomMathDocDiffDefault","features":[621]},{"name":"tomMathDocDiffItalic","features":[621]},{"name":"tomMathDocDiffMask","features":[621]},{"name":"tomMathDocDiffOpenItalic","features":[621]},{"name":"tomMathDocDiffUpright","features":[621]},{"name":"tomMathDocEmptyArgAlways","features":[621]},{"name":"tomMathDocEmptyArgAuto","features":[621]},{"name":"tomMathDocEmptyArgMask","features":[621]},{"name":"tomMathDocEmptyArgNever","features":[621]},{"name":"tomMathDocSbSpOpUnchanged","features":[621]},{"name":"tomMathEnableRtl","features":[621]},{"name":"tomMathEqAlign","features":[621]},{"name":"tomMathInterSpace","features":[621]},{"name":"tomMathIntraSpace","features":[621]},{"name":"tomMathLMargin","features":[621]},{"name":"tomMathManualBreakMask","features":[621]},{"name":"tomMathObjShadingEnd","features":[621]},{"name":"tomMathObjShadingStart","features":[621]},{"name":"tomMathParaAlignCenter","features":[621]},{"name":"tomMathParaAlignCenterGroup","features":[621]},{"name":"tomMathParaAlignDefault","features":[621]},{"name":"tomMathParaAlignLeft","features":[621]},{"name":"tomMathParaAlignRight","features":[621]},{"name":"tomMathPostSpace","features":[621]},{"name":"tomMathPreSpace","features":[621]},{"name":"tomMathRMargin","features":[621]},{"name":"tomMathRelSize","features":[621]},{"name":"tomMathVariant","features":[621]},{"name":"tomMathWrapIndent","features":[621]},{"name":"tomMathWrapRight","features":[621]},{"name":"tomMathZone","features":[621]},{"name":"tomMathZoneDisplay","features":[621]},{"name":"tomMathZoneNoBuildUp","features":[621]},{"name":"tomMathZoneOrdinary","features":[621]},{"name":"tomMatrix","features":[621]},{"name":"tomMatrixAlignBottomRow","features":[621]},{"name":"tomMatrixAlignCenter","features":[621]},{"name":"tomMatrixAlignMask","features":[621]},{"name":"tomMatrixAlignTopRow","features":[621]},{"name":"tomModWidthPairs","features":[621]},{"name":"tomModWidthSpace","features":[621]},{"name":"tomMongolian","features":[621]},{"name":"tomMove","features":[621]},{"name":"tomMyanmar","features":[621]},{"name":"tomNKo","features":[621]},{"name":"tomNary","features":[621]},{"name":"tomNewTaiLue","features":[621]},{"name":"tomNoAnimation","features":[621]},{"name":"tomNoBreak","features":[621]},{"name":"tomNoHidden","features":[621]},{"name":"tomNoIME","features":[621]},{"name":"tomNoLink","features":[621]},{"name":"tomNoMathZoneBrackets","features":[621]},{"name":"tomNoSelection","features":[621]},{"name":"tomNoUCGreekItalic","features":[621]},{"name":"tomNoUpScroll","features":[621]},{"name":"tomNoVpScroll","features":[621]},{"name":"tomNone","features":[621]},{"name":"tomNormalCaret","features":[621]},{"name":"tomNullCaret","features":[621]},{"name":"tomOEM","features":[621]},{"name":"tomObject","features":[621]},{"name":"tomObjectArg","features":[621]},{"name":"tomObjectMax","features":[621]},{"name":"tomOgham","features":[621]},{"name":"tomOpChar","features":[621]},{"name":"tomOpenAlways","features":[621]},{"name":"tomOpenExisting","features":[621]},{"name":"tomOriya","features":[621]},{"name":"tomOsmanya","features":[621]},{"name":"tomOutline","features":[621]},{"name":"tomOverbar","features":[621]},{"name":"tomOverlapping","features":[621]},{"name":"tomPC437","features":[621]},{"name":"tomPage","features":[621]},{"name":"tomParaEffectBox","features":[621]},{"name":"tomParaEffectCollapsed","features":[621]},{"name":"tomParaEffectDoNotHyphen","features":[621]},{"name":"tomParaEffectKeep","features":[621]},{"name":"tomParaEffectKeepNext","features":[621]},{"name":"tomParaEffectNoLineNumber","features":[621]},{"name":"tomParaEffectNoWidowControl","features":[621]},{"name":"tomParaEffectOutlineLevel","features":[621]},{"name":"tomParaEffectPageBreakBefore","features":[621]},{"name":"tomParaEffectRTL","features":[621]},{"name":"tomParaEffectSideBySide","features":[621]},{"name":"tomParaEffectTable","features":[621]},{"name":"tomParaEffectTableRowDelimiter","features":[621]},{"name":"tomParaFormat","features":[621]},{"name":"tomParaPropMathAlign","features":[621]},{"name":"tomParaStyleHeading1","features":[621]},{"name":"tomParaStyleHeading2","features":[621]},{"name":"tomParaStyleHeading3","features":[621]},{"name":"tomParaStyleHeading4","features":[621]},{"name":"tomParaStyleHeading5","features":[621]},{"name":"tomParaStyleHeading6","features":[621]},{"name":"tomParaStyleHeading7","features":[621]},{"name":"tomParaStyleHeading8","features":[621]},{"name":"tomParaStyleHeading9","features":[621]},{"name":"tomParaStyleNormal","features":[621]},{"name":"tomParagraph","features":[621]},{"name":"tomPasteFile","features":[621]},{"name":"tomPhagsPa","features":[621]},{"name":"tomPhantom","features":[621]},{"name":"tomPhantomASmash","features":[621]},{"name":"tomPhantomDSmash","features":[621]},{"name":"tomPhantomHSmash","features":[621]},{"name":"tomPhantomHorz","features":[621]},{"name":"tomPhantomShow","features":[621]},{"name":"tomPhantomSmash","features":[621]},{"name":"tomPhantomTransparent","features":[621]},{"name":"tomPhantomVert","features":[621]},{"name":"tomPhantomZeroAscent","features":[621]},{"name":"tomPhantomZeroDescent","features":[621]},{"name":"tomPhantomZeroWidth","features":[621]},{"name":"tomPrimaryFooterStory","features":[621]},{"name":"tomPrimaryHeaderStory","features":[621]},{"name":"tomProcessId","features":[621]},{"name":"tomProtected","features":[621]},{"name":"tomRE10Mode","features":[621]},{"name":"tomRTF","features":[621]},{"name":"tomRadical","features":[621]},{"name":"tomReadOnly","features":[621]},{"name":"tomReplaceStory","features":[621]},{"name":"tomResume","features":[621]},{"name":"tomRevised","features":[621]},{"name":"tomRow","features":[621]},{"name":"tomRowApplyDefault","features":[621]},{"name":"tomRowHeightActual","features":[621]},{"name":"tomRowUpdate","features":[621]},{"name":"tomRuby","features":[621]},{"name":"tomRubyAlign010","features":[621]},{"name":"tomRubyAlign121","features":[621]},{"name":"tomRubyAlignCenter","features":[621]},{"name":"tomRubyAlignLeft","features":[621]},{"name":"tomRubyAlignRight","features":[621]},{"name":"tomRubyBelow","features":[621]},{"name":"tomRunic","features":[621]},{"name":"tomScratchStory","features":[621]},{"name":"tomScreen","features":[621]},{"name":"tomSection","features":[621]},{"name":"tomSelActive","features":[621]},{"name":"tomSelAtEOL","features":[621]},{"name":"tomSelOvertype","features":[621]},{"name":"tomSelRange","features":[621]},{"name":"tomSelReplace","features":[621]},{"name":"tomSelStartActive","features":[621]},{"name":"tomSelectionBlock","features":[621]},{"name":"tomSelectionColumn","features":[621]},{"name":"tomSelectionFrame","features":[621]},{"name":"tomSelectionIP","features":[621]},{"name":"tomSelectionInlineShape","features":[621]},{"name":"tomSelectionNormal","features":[621]},{"name":"tomSelectionRow","features":[621]},{"name":"tomSelectionShape","features":[621]},{"name":"tomSelfIME","features":[621]},{"name":"tomSentence","features":[621]},{"name":"tomSentenceCase","features":[621]},{"name":"tomShadow","features":[621]},{"name":"tomShareDenyRead","features":[621]},{"name":"tomShareDenyWrite","features":[621]},{"name":"tomShiftJIS","features":[621]},{"name":"tomShimmer","features":[621]},{"name":"tomShowDegPlaceHldr","features":[621]},{"name":"tomShowLLimPlaceHldr","features":[621]},{"name":"tomShowMatPlaceHldr","features":[621]},{"name":"tomShowULimPlaceHldr","features":[621]},{"name":"tomSimpleText","features":[621]},{"name":"tomSingle","features":[621]},{"name":"tomSinhala","features":[621]},{"name":"tomSizeScript","features":[621]},{"name":"tomSizeScriptScript","features":[621]},{"name":"tomSizeText","features":[621]},{"name":"tomSlashedFraction","features":[621]},{"name":"tomSmallCaps","features":[621]},{"name":"tomSpaceBinary","features":[621]},{"name":"tomSpaceDefault","features":[621]},{"name":"tomSpaceDifferential","features":[621]},{"name":"tomSpaceMask","features":[621]},{"name":"tomSpaceOrd","features":[621]},{"name":"tomSpaceRelational","features":[621]},{"name":"tomSpaceSkip","features":[621]},{"name":"tomSpaceUnary","features":[621]},{"name":"tomSpaces","features":[621]},{"name":"tomSparkleText","features":[621]},{"name":"tomStack","features":[621]},{"name":"tomStart","features":[621]},{"name":"tomStory","features":[621]},{"name":"tomStoryActiveDisplay","features":[621]},{"name":"tomStoryActiveDisplayUI","features":[621]},{"name":"tomStoryActiveUI","features":[621]},{"name":"tomStoryInactive","features":[621]},{"name":"tomStretchBaseAbove","features":[621]},{"name":"tomStretchBaseBelow","features":[621]},{"name":"tomStretchCharAbove","features":[621]},{"name":"tomStretchCharBelow","features":[621]},{"name":"tomStretchStack","features":[621]},{"name":"tomStrikeout","features":[621]},{"name":"tomStyleDefault","features":[621]},{"name":"tomStyleDisplay","features":[621]},{"name":"tomStyleDisplayCramped","features":[621]},{"name":"tomStyleScript","features":[621]},{"name":"tomStyleScriptCramped","features":[621]},{"name":"tomStyleScriptScript","features":[621]},{"name":"tomStyleScriptScriptCramped","features":[621]},{"name":"tomStyleText","features":[621]},{"name":"tomStyleTextCramped","features":[621]},{"name":"tomSubSup","features":[621]},{"name":"tomSubSupAlign","features":[621]},{"name":"tomSubscript","features":[621]},{"name":"tomSubscriptCF","features":[621]},{"name":"tomSuperscript","features":[621]},{"name":"tomSuperscriptCF","features":[621]},{"name":"tomSuspend","features":[621]},{"name":"tomSylotiNagri","features":[621]},{"name":"tomSymbol","features":[621]},{"name":"tomSyriac","features":[621]},{"name":"tomTabBack","features":[621]},{"name":"tomTabHere","features":[621]},{"name":"tomTabNext","features":[621]},{"name":"tomTable","features":[621]},{"name":"tomTableColumn","features":[621]},{"name":"tomTaiLe","features":[621]},{"name":"tomTamil","features":[621]},{"name":"tomTelugu","features":[621]},{"name":"tomText","features":[621]},{"name":"tomTextFlowES","features":[621]},{"name":"tomTextFlowMask","features":[621]},{"name":"tomTextFlowNE","features":[621]},{"name":"tomTextFlowSW","features":[621]},{"name":"tomTextFlowWN","features":[621]},{"name":"tomTextFrameStory","features":[621]},{"name":"tomTextize","features":[621]},{"name":"tomThaana","features":[621]},{"name":"tomThai","features":[621]},{"name":"tomThick","features":[621]},{"name":"tomThickDash","features":[621]},{"name":"tomThickDashDot","features":[621]},{"name":"tomThickDashDotDot","features":[621]},{"name":"tomThickDotted","features":[621]},{"name":"tomThickLines","features":[621]},{"name":"tomThickLongDash","features":[621]},{"name":"tomTibetan","features":[621]},{"name":"tomTifinagh","features":[621]},{"name":"tomTitleCase","features":[621]},{"name":"tomToggle","features":[621]},{"name":"tomToggleCase","features":[621]},{"name":"tomTrackParms","features":[621]},{"name":"tomTransform","features":[621]},{"name":"tomTranslateTableCell","features":[621]},{"name":"tomTransparentForPositioning","features":[621]},{"name":"tomTransparentForSpacing","features":[621]},{"name":"tomTrue","features":[621]},{"name":"tomTruncateExisting","features":[621]},{"name":"tomTurkish","features":[621]},{"name":"tomUndefined","features":[621]},{"name":"tomUnderbar","features":[621]},{"name":"tomUnderline","features":[621]},{"name":"tomUnderlinePositionAbove","features":[621]},{"name":"tomUnderlinePositionAuto","features":[621]},{"name":"tomUnderlinePositionBelow","features":[621]},{"name":"tomUnderlinePositionMax","features":[621]},{"name":"tomUndoLimit","features":[621]},{"name":"tomUnhide","features":[621]},{"name":"tomUnicodeBiDi","features":[621]},{"name":"tomUnknownStory","features":[621]},{"name":"tomUnlink","features":[621]},{"name":"tomUpperCase","features":[621]},{"name":"tomUpperLimit","features":[621]},{"name":"tomUpperLimitAsSuperScript","features":[621]},{"name":"tomUseAtFont","features":[621]},{"name":"tomUseCRLF","features":[621]},{"name":"tomUsePoints","features":[621]},{"name":"tomUseTwips","features":[621]},{"name":"tomUsymbol","features":[621]},{"name":"tomVLowCell","features":[621]},{"name":"tomVTopCell","features":[621]},{"name":"tomVai","features":[621]},{"name":"tomVietnamese","features":[621]},{"name":"tomWarichu","features":[621]},{"name":"tomWave","features":[621]},{"name":"tomWindow","features":[621]},{"name":"tomWipeDown","features":[621]},{"name":"tomWipeRight","features":[621]},{"name":"tomWord","features":[621]},{"name":"tomWordDocument","features":[621]},{"name":"tomWords","features":[621]},{"name":"tomYi","features":[621]},{"name":"yHeightCharPtsMost","features":[621]}],"653":[{"name":"AdjustWindowRectExForDpi","features":[308,622,370]},{"name":"AreDpiAwarenessContextsEqual","features":[308,622]},{"name":"DCDC_DEFAULT","features":[622]},{"name":"DCDC_DISABLE_FONT_UPDATE","features":[622]},{"name":"DCDC_DISABLE_RELAYOUT","features":[622]},{"name":"DDC_DEFAULT","features":[622]},{"name":"DDC_DISABLE_ALL","features":[622]},{"name":"DDC_DISABLE_CONTROL_RELAYOUT","features":[622]},{"name":"DDC_DISABLE_RESIZE","features":[622]},{"name":"DIALOG_CONTROL_DPI_CHANGE_BEHAVIORS","features":[622]},{"name":"DIALOG_DPI_CHANGE_BEHAVIORS","features":[622]},{"name":"DPI_AWARENESS","features":[622]},{"name":"DPI_AWARENESS_CONTEXT","features":[622]},{"name":"DPI_AWARENESS_CONTEXT_PER_MONITOR_AWARE","features":[622]},{"name":"DPI_AWARENESS_CONTEXT_PER_MONITOR_AWARE_V2","features":[622]},{"name":"DPI_AWARENESS_CONTEXT_SYSTEM_AWARE","features":[622]},{"name":"DPI_AWARENESS_CONTEXT_UNAWARE","features":[622]},{"name":"DPI_AWARENESS_CONTEXT_UNAWARE_GDISCALED","features":[622]},{"name":"DPI_AWARENESS_INVALID","features":[622]},{"name":"DPI_AWARENESS_PER_MONITOR_AWARE","features":[622]},{"name":"DPI_AWARENESS_SYSTEM_AWARE","features":[622]},{"name":"DPI_AWARENESS_UNAWARE","features":[622]},{"name":"DPI_HOSTING_BEHAVIOR","features":[622]},{"name":"DPI_HOSTING_BEHAVIOR_DEFAULT","features":[622]},{"name":"DPI_HOSTING_BEHAVIOR_INVALID","features":[622]},{"name":"DPI_HOSTING_BEHAVIOR_MIXED","features":[622]},{"name":"EnableNonClientDpiScaling","features":[308,622]},{"name":"GetAwarenessFromDpiAwarenessContext","features":[622]},{"name":"GetDialogControlDpiChangeBehavior","features":[308,622]},{"name":"GetDialogDpiChangeBehavior","features":[308,622]},{"name":"GetDpiAwarenessContextForProcess","features":[308,622]},{"name":"GetDpiForMonitor","features":[319,622]},{"name":"GetDpiForSystem","features":[622]},{"name":"GetDpiForWindow","features":[308,622]},{"name":"GetDpiFromDpiAwarenessContext","features":[622]},{"name":"GetProcessDpiAwareness","features":[308,622]},{"name":"GetSystemDpiForProcess","features":[308,622]},{"name":"GetSystemMetricsForDpi","features":[622,370]},{"name":"GetThreadDpiAwarenessContext","features":[622]},{"name":"GetThreadDpiHostingBehavior","features":[622]},{"name":"GetWindowDpiAwarenessContext","features":[308,622]},{"name":"GetWindowDpiHostingBehavior","features":[308,622]},{"name":"IsValidDpiAwarenessContext","features":[308,622]},{"name":"LogicalToPhysicalPointForPerMonitorDPI","features":[308,622]},{"name":"MDT_ANGULAR_DPI","features":[622]},{"name":"MDT_DEFAULT","features":[622]},{"name":"MDT_EFFECTIVE_DPI","features":[622]},{"name":"MDT_RAW_DPI","features":[622]},{"name":"MONITOR_DPI_TYPE","features":[622]},{"name":"OpenThemeDataForDpi","features":[308,358,622]},{"name":"PROCESS_DPI_AWARENESS","features":[622]},{"name":"PROCESS_DPI_UNAWARE","features":[622]},{"name":"PROCESS_PER_MONITOR_DPI_AWARE","features":[622]},{"name":"PROCESS_SYSTEM_DPI_AWARE","features":[622]},{"name":"PhysicalToLogicalPointForPerMonitorDPI","features":[308,622]},{"name":"SetDialogControlDpiChangeBehavior","features":[308,622]},{"name":"SetDialogDpiChangeBehavior","features":[308,622]},{"name":"SetProcessDpiAwareness","features":[622]},{"name":"SetProcessDpiAwarenessContext","features":[308,622]},{"name":"SetThreadDpiAwarenessContext","features":[622]},{"name":"SetThreadDpiHostingBehavior","features":[622]},{"name":"SystemParametersInfoForDpi","features":[308,622]}],"654":[{"name":"DefRawInputProc","features":[308,623]},{"name":"GetCIMSSM","features":[308,623]},{"name":"GetCurrentInputMessageSource","features":[308,623]},{"name":"GetRawInputBuffer","features":[308,623]},{"name":"GetRawInputData","features":[623]},{"name":"GetRawInputDeviceInfoA","features":[308,623]},{"name":"GetRawInputDeviceInfoW","features":[308,623]},{"name":"GetRawInputDeviceList","features":[308,623]},{"name":"GetRegisteredRawInputDevices","features":[308,623]},{"name":"HRAWINPUT","features":[623]},{"name":"IMDT_KEYBOARD","features":[623]},{"name":"IMDT_MOUSE","features":[623]},{"name":"IMDT_PEN","features":[623]},{"name":"IMDT_TOUCH","features":[623]},{"name":"IMDT_TOUCHPAD","features":[623]},{"name":"IMDT_UNAVAILABLE","features":[623]},{"name":"IMO_HARDWARE","features":[623]},{"name":"IMO_INJECTED","features":[623]},{"name":"IMO_SYSTEM","features":[623]},{"name":"IMO_UNAVAILABLE","features":[623]},{"name":"INPUT_MESSAGE_DEVICE_TYPE","features":[623]},{"name":"INPUT_MESSAGE_ORIGIN_ID","features":[623]},{"name":"INPUT_MESSAGE_SOURCE","features":[623]},{"name":"MOUSE_ATTRIBUTES_CHANGED","features":[623]},{"name":"MOUSE_MOVE_ABSOLUTE","features":[623]},{"name":"MOUSE_MOVE_NOCOALESCE","features":[623]},{"name":"MOUSE_MOVE_RELATIVE","features":[623]},{"name":"MOUSE_STATE","features":[623]},{"name":"MOUSE_VIRTUAL_DESKTOP","features":[623]},{"name":"RAWHID","features":[623]},{"name":"RAWINPUT","features":[308,623]},{"name":"RAWINPUTDEVICE","features":[308,623]},{"name":"RAWINPUTDEVICELIST","features":[308,623]},{"name":"RAWINPUTDEVICE_FLAGS","features":[623]},{"name":"RAWINPUTHEADER","features":[308,623]},{"name":"RAWKEYBOARD","features":[623]},{"name":"RAWMOUSE","features":[623]},{"name":"RAW_INPUT_DATA_COMMAND_FLAGS","features":[623]},{"name":"RAW_INPUT_DEVICE_INFO_COMMAND","features":[623]},{"name":"RIDEV_APPKEYS","features":[623]},{"name":"RIDEV_CAPTUREMOUSE","features":[623]},{"name":"RIDEV_DEVNOTIFY","features":[623]},{"name":"RIDEV_EXCLUDE","features":[623]},{"name":"RIDEV_EXINPUTSINK","features":[623]},{"name":"RIDEV_INPUTSINK","features":[623]},{"name":"RIDEV_NOHOTKEYS","features":[623]},{"name":"RIDEV_NOLEGACY","features":[623]},{"name":"RIDEV_PAGEONLY","features":[623]},{"name":"RIDEV_REMOVE","features":[623]},{"name":"RIDI_DEVICEINFO","features":[623]},{"name":"RIDI_DEVICENAME","features":[623]},{"name":"RIDI_PREPARSEDDATA","features":[623]},{"name":"RID_DEVICE_INFO","features":[308,623]},{"name":"RID_DEVICE_INFO_HID","features":[623]},{"name":"RID_DEVICE_INFO_KEYBOARD","features":[623]},{"name":"RID_DEVICE_INFO_MOUSE","features":[308,623]},{"name":"RID_DEVICE_INFO_TYPE","features":[623]},{"name":"RID_HEADER","features":[623]},{"name":"RID_INPUT","features":[623]},{"name":"RIM_TYPEHID","features":[623]},{"name":"RIM_TYPEKEYBOARD","features":[623]},{"name":"RIM_TYPEMOUSE","features":[623]},{"name":"RegisterRawInputDevices","features":[308,623]}],"655":[{"name":"APPLETIDLIST","features":[624]},{"name":"APPLYCANDEXPARAM","features":[624]},{"name":"ATTR_CONVERTED","features":[624]},{"name":"ATTR_FIXEDCONVERTED","features":[624]},{"name":"ATTR_INPUT","features":[624]},{"name":"ATTR_INPUT_ERROR","features":[624]},{"name":"ATTR_TARGET_CONVERTED","features":[624]},{"name":"ATTR_TARGET_NOTCONVERTED","features":[624]},{"name":"CANDIDATEFORM","features":[308,624]},{"name":"CANDIDATEINFO","features":[624]},{"name":"CANDIDATELIST","features":[624]},{"name":"CATID_MSIME_IImePadApplet","features":[624]},{"name":"CATID_MSIME_IImePadApplet1000","features":[624]},{"name":"CATID_MSIME_IImePadApplet1200","features":[624]},{"name":"CATID_MSIME_IImePadApplet900","features":[624]},{"name":"CATID_MSIME_IImePadApplet_VER7","features":[624]},{"name":"CATID_MSIME_IImePadApplet_VER80","features":[624]},{"name":"CATID_MSIME_IImePadApplet_VER81","features":[624]},{"name":"CActiveIMM","features":[624]},{"name":"CFS_CANDIDATEPOS","features":[624]},{"name":"CFS_DEFAULT","features":[624]},{"name":"CFS_EXCLUDE","features":[624]},{"name":"CFS_FORCE_POSITION","features":[624]},{"name":"CFS_POINT","features":[624]},{"name":"CFS_RECT","features":[624]},{"name":"CHARINFO_APPLETID_MASK","features":[624]},{"name":"CHARINFO_CHARID_MASK","features":[624]},{"name":"CHARINFO_FEID_MASK","features":[624]},{"name":"CLSID_ImePlugInDictDictionaryList_CHS","features":[624]},{"name":"CLSID_ImePlugInDictDictionaryList_JPN","features":[624]},{"name":"CLSID_VERSION_DEPENDENT_MSIME_JAPANESE","features":[624]},{"name":"COMPOSITIONFORM","features":[308,624]},{"name":"COMPOSITIONSTRING","features":[624]},{"name":"CPS_CANCEL","features":[624]},{"name":"CPS_COMPLETE","features":[624]},{"name":"CPS_CONVERT","features":[624]},{"name":"CPS_REVERT","features":[624]},{"name":"CS_INSERTCHAR","features":[624]},{"name":"CS_NOMOVECARET","features":[624]},{"name":"E_LARGEINPUT","features":[624]},{"name":"E_NOCAND","features":[624]},{"name":"E_NOTENOUGH_BUFFER","features":[624]},{"name":"E_NOTENOUGH_WDD","features":[624]},{"name":"FEID_CHINESE_HONGKONG","features":[624]},{"name":"FEID_CHINESE_SIMPLIFIED","features":[624]},{"name":"FEID_CHINESE_SINGAPORE","features":[624]},{"name":"FEID_CHINESE_TRADITIONAL","features":[624]},{"name":"FEID_JAPANESE","features":[624]},{"name":"FEID_KOREAN","features":[624]},{"name":"FEID_KOREAN_JOHAB","features":[624]},{"name":"FEID_NONE","features":[624]},{"name":"FELANG_CLMN_FIXD","features":[624]},{"name":"FELANG_CLMN_FIXR","features":[624]},{"name":"FELANG_CLMN_NOPBREAK","features":[624]},{"name":"FELANG_CLMN_NOWBREAK","features":[624]},{"name":"FELANG_CLMN_PBREAK","features":[624]},{"name":"FELANG_CLMN_WBREAK","features":[624]},{"name":"FELANG_CMODE_AUTOMATIC","features":[624]},{"name":"FELANG_CMODE_BESTFIRST","features":[624]},{"name":"FELANG_CMODE_BOPOMOFO","features":[624]},{"name":"FELANG_CMODE_CONVERSATION","features":[624]},{"name":"FELANG_CMODE_FULLWIDTHOUT","features":[624]},{"name":"FELANG_CMODE_HALFWIDTHOUT","features":[624]},{"name":"FELANG_CMODE_HANGUL","features":[624]},{"name":"FELANG_CMODE_HIRAGANAOUT","features":[624]},{"name":"FELANG_CMODE_KATAKANAOUT","features":[624]},{"name":"FELANG_CMODE_MERGECAND","features":[624]},{"name":"FELANG_CMODE_MONORUBY","features":[624]},{"name":"FELANG_CMODE_NAME","features":[624]},{"name":"FELANG_CMODE_NOINVISIBLECHAR","features":[624]},{"name":"FELANG_CMODE_NONE","features":[624]},{"name":"FELANG_CMODE_NOPRUNING","features":[624]},{"name":"FELANG_CMODE_PHRASEPREDICT","features":[624]},{"name":"FELANG_CMODE_PINYIN","features":[624]},{"name":"FELANG_CMODE_PLAURALCLAUSE","features":[624]},{"name":"FELANG_CMODE_PRECONV","features":[624]},{"name":"FELANG_CMODE_RADICAL","features":[624]},{"name":"FELANG_CMODE_ROMAN","features":[624]},{"name":"FELANG_CMODE_SINGLECONVERT","features":[624]},{"name":"FELANG_CMODE_UNKNOWNREADING","features":[624]},{"name":"FELANG_CMODE_USENOREVWORDS","features":[624]},{"name":"FELANG_INVALD_PO","features":[624]},{"name":"FELANG_REQ_CONV","features":[624]},{"name":"FELANG_REQ_RECONV","features":[624]},{"name":"FELANG_REQ_REV","features":[624]},{"name":"FID_MSIME_KMS_DEL_KEYLIST","features":[624]},{"name":"FID_MSIME_KMS_FUNCDESC","features":[624]},{"name":"FID_MSIME_KMS_GETMAP","features":[624]},{"name":"FID_MSIME_KMS_GETMAPFAST","features":[624]},{"name":"FID_MSIME_KMS_GETMAPSEAMLESS","features":[624]},{"name":"FID_MSIME_KMS_INIT","features":[624]},{"name":"FID_MSIME_KMS_INVOKE","features":[624]},{"name":"FID_MSIME_KMS_NOTIFY","features":[624]},{"name":"FID_MSIME_KMS_SETMAP","features":[624]},{"name":"FID_MSIME_KMS_TERM","features":[624]},{"name":"FID_MSIME_KMS_VERSION","features":[624]},{"name":"FID_MSIME_VERSION","features":[624]},{"name":"FID_RECONVERT_VERSION","features":[624]},{"name":"GCL_CONVERSION","features":[624]},{"name":"GCL_REVERSECONVERSION","features":[624]},{"name":"GCL_REVERSE_LENGTH","features":[624]},{"name":"GCSEX_CANCELRECONVERT","features":[624]},{"name":"GCS_COMPATTR","features":[624]},{"name":"GCS_COMPCLAUSE","features":[624]},{"name":"GCS_COMPREADATTR","features":[624]},{"name":"GCS_COMPREADCLAUSE","features":[624]},{"name":"GCS_COMPREADSTR","features":[624]},{"name":"GCS_COMPSTR","features":[624]},{"name":"GCS_CURSORPOS","features":[624]},{"name":"GCS_DELTASTART","features":[624]},{"name":"GCS_RESULTCLAUSE","features":[624]},{"name":"GCS_RESULTREADCLAUSE","features":[624]},{"name":"GCS_RESULTREADSTR","features":[624]},{"name":"GCS_RESULTSTR","features":[624]},{"name":"GET_CONVERSION_LIST_FLAG","features":[624]},{"name":"GET_GUIDE_LINE_TYPE","features":[624]},{"name":"GGL_INDEX","features":[624]},{"name":"GGL_LEVEL","features":[624]},{"name":"GGL_PRIVATE","features":[624]},{"name":"GGL_STRING","features":[624]},{"name":"GL_ID_CANNOTSAVE","features":[624]},{"name":"GL_ID_CHOOSECANDIDATE","features":[624]},{"name":"GL_ID_INPUTCODE","features":[624]},{"name":"GL_ID_INPUTRADICAL","features":[624]},{"name":"GL_ID_INPUTREADING","features":[624]},{"name":"GL_ID_INPUTSYMBOL","features":[624]},{"name":"GL_ID_NOCONVERT","features":[624]},{"name":"GL_ID_NODICTIONARY","features":[624]},{"name":"GL_ID_NOMODULE","features":[624]},{"name":"GL_ID_PRIVATE_FIRST","features":[624]},{"name":"GL_ID_PRIVATE_LAST","features":[624]},{"name":"GL_ID_READINGCONFLICT","features":[624]},{"name":"GL_ID_REVERSECONVERSION","features":[624]},{"name":"GL_ID_TOOMANYSTROKE","features":[624]},{"name":"GL_ID_TYPINGERROR","features":[624]},{"name":"GL_ID_UNKNOWN","features":[624]},{"name":"GL_LEVEL_ERROR","features":[624]},{"name":"GL_LEVEL_FATAL","features":[624]},{"name":"GL_LEVEL_INFORMATION","features":[624]},{"name":"GL_LEVEL_NOGUIDELINE","features":[624]},{"name":"GL_LEVEL_WARNING","features":[624]},{"name":"GUIDELINE","features":[624]},{"name":"IACE_CHILDREN","features":[624]},{"name":"IACE_DEFAULT","features":[624]},{"name":"IACE_IGNORENOCONTEXT","features":[624]},{"name":"IActiveIME","features":[624]},{"name":"IActiveIME2","features":[624]},{"name":"IActiveIMMApp","features":[624]},{"name":"IActiveIMMIME","features":[624]},{"name":"IActiveIMMMessagePumpOwner","features":[624]},{"name":"IActiveIMMRegistrar","features":[624]},{"name":"IEnumInputContext","features":[624]},{"name":"IEnumRegisterWordA","features":[624]},{"name":"IEnumRegisterWordW","features":[624]},{"name":"IFEC_S_ALREADY_DEFAULT","features":[624]},{"name":"IFEClassFactory","features":[359,624]},{"name":"IFECommon","features":[624]},{"name":"IFED_ACTIVE_DICT","features":[624]},{"name":"IFED_ATOK10","features":[624]},{"name":"IFED_ATOK9","features":[624]},{"name":"IFED_E_INVALID_FORMAT","features":[624]},{"name":"IFED_E_NOT_FOUND","features":[624]},{"name":"IFED_E_NOT_SUPPORTED","features":[624]},{"name":"IFED_E_NOT_USER_DIC","features":[624]},{"name":"IFED_E_NO_ENTRY","features":[624]},{"name":"IFED_E_OPEN_FAILED","features":[624]},{"name":"IFED_E_REGISTER_DISCONNECTED","features":[624]},{"name":"IFED_E_REGISTER_FAILED","features":[624]},{"name":"IFED_E_REGISTER_ILLEGAL_POS","features":[624]},{"name":"IFED_E_REGISTER_IMPROPER_WORD","features":[624]},{"name":"IFED_E_USER_COMMENT","features":[624]},{"name":"IFED_E_WRITE_FAILED","features":[624]},{"name":"IFED_MSIME2_BIN_SYSTEM","features":[624]},{"name":"IFED_MSIME2_BIN_USER","features":[624]},{"name":"IFED_MSIME2_TEXT_USER","features":[624]},{"name":"IFED_MSIME95_BIN_SYSTEM","features":[624]},{"name":"IFED_MSIME95_BIN_USER","features":[624]},{"name":"IFED_MSIME95_TEXT_USER","features":[624]},{"name":"IFED_MSIME97_BIN_SYSTEM","features":[624]},{"name":"IFED_MSIME97_BIN_USER","features":[624]},{"name":"IFED_MSIME97_TEXT_USER","features":[624]},{"name":"IFED_MSIME98_BIN_SYSTEM","features":[624]},{"name":"IFED_MSIME98_BIN_USER","features":[624]},{"name":"IFED_MSIME98_SYSTEM_CE","features":[624]},{"name":"IFED_MSIME98_TEXT_USER","features":[624]},{"name":"IFED_MSIME_BIN_SYSTEM","features":[624]},{"name":"IFED_MSIME_BIN_USER","features":[624]},{"name":"IFED_MSIME_TEXT_USER","features":[624]},{"name":"IFED_NEC_AI_","features":[624]},{"name":"IFED_PIME2_BIN_STANDARD_SYSTEM","features":[624]},{"name":"IFED_PIME2_BIN_SYSTEM","features":[624]},{"name":"IFED_PIME2_BIN_USER","features":[624]},{"name":"IFED_POS_ADJECTIVE","features":[624]},{"name":"IFED_POS_ADJECTIVE_VERB","features":[624]},{"name":"IFED_POS_ADNOUN","features":[624]},{"name":"IFED_POS_ADVERB","features":[624]},{"name":"IFED_POS_AFFIX","features":[624]},{"name":"IFED_POS_ALL","features":[624]},{"name":"IFED_POS_AUXILIARY_VERB","features":[624]},{"name":"IFED_POS_CONJUNCTION","features":[624]},{"name":"IFED_POS_DEPENDENT","features":[624]},{"name":"IFED_POS_IDIOMS","features":[624]},{"name":"IFED_POS_INDEPENDENT","features":[624]},{"name":"IFED_POS_INFLECTIONALSUFFIX","features":[624]},{"name":"IFED_POS_INTERJECTION","features":[624]},{"name":"IFED_POS_NONE","features":[624]},{"name":"IFED_POS_NOUN","features":[624]},{"name":"IFED_POS_PARTICLE","features":[624]},{"name":"IFED_POS_PREFIX","features":[624]},{"name":"IFED_POS_SUB_VERB","features":[624]},{"name":"IFED_POS_SUFFIX","features":[624]},{"name":"IFED_POS_SYMBOLS","features":[624]},{"name":"IFED_POS_TANKANJI","features":[624]},{"name":"IFED_POS_VERB","features":[624]},{"name":"IFED_REG_ALL","features":[624]},{"name":"IFED_REG_AUTO","features":[624]},{"name":"IFED_REG_DEL","features":[624]},{"name":"IFED_REG_GRAMMAR","features":[624]},{"name":"IFED_REG_HEAD","features":[624]},{"name":"IFED_REG_NONE","features":[624]},{"name":"IFED_REG_TAIL","features":[624]},{"name":"IFED_REG_USER","features":[624]},{"name":"IFED_REL_ALL","features":[624]},{"name":"IFED_REL_DE","features":[624]},{"name":"IFED_REL_FUKU_YOUGEN","features":[624]},{"name":"IFED_REL_GA","features":[624]},{"name":"IFED_REL_HE","features":[624]},{"name":"IFED_REL_IDEOM","features":[624]},{"name":"IFED_REL_KARA","features":[624]},{"name":"IFED_REL_KEIDOU1_YOUGEN","features":[624]},{"name":"IFED_REL_KEIDOU2_YOUGEN","features":[624]},{"name":"IFED_REL_KEIYOU_TARU_YOUGEN","features":[624]},{"name":"IFED_REL_KEIYOU_TO_YOUGEN","features":[624]},{"name":"IFED_REL_KEIYOU_YOUGEN","features":[624]},{"name":"IFED_REL_MADE","features":[624]},{"name":"IFED_REL_NI","features":[624]},{"name":"IFED_REL_NO","features":[624]},{"name":"IFED_REL_NONE","features":[624]},{"name":"IFED_REL_RENSOU","features":[624]},{"name":"IFED_REL_RENTAI_MEI","features":[624]},{"name":"IFED_REL_TAIGEN","features":[624]},{"name":"IFED_REL_TO","features":[624]},{"name":"IFED_REL_UNKNOWN1","features":[624]},{"name":"IFED_REL_UNKNOWN2","features":[624]},{"name":"IFED_REL_WO","features":[624]},{"name":"IFED_REL_YORI","features":[624]},{"name":"IFED_REL_YOUGEN","features":[624]},{"name":"IFED_SELECT_ALL","features":[624]},{"name":"IFED_SELECT_COMMENT","features":[624]},{"name":"IFED_SELECT_DISPLAY","features":[624]},{"name":"IFED_SELECT_NONE","features":[624]},{"name":"IFED_SELECT_POS","features":[624]},{"name":"IFED_SELECT_READING","features":[624]},{"name":"IFED_S_COMMENT_CHANGED","features":[624]},{"name":"IFED_S_EMPTY_DICTIONARY","features":[624]},{"name":"IFED_S_MORE_ENTRIES","features":[624]},{"name":"IFED_S_WORD_EXISTS","features":[624]},{"name":"IFED_TYPE_ALL","features":[624]},{"name":"IFED_TYPE_ENGLISH","features":[624]},{"name":"IFED_TYPE_GENERAL","features":[624]},{"name":"IFED_TYPE_NAMEPLACE","features":[624]},{"name":"IFED_TYPE_NONE","features":[624]},{"name":"IFED_TYPE_REVERSE","features":[624]},{"name":"IFED_TYPE_SPEECH","features":[624]},{"name":"IFED_UCT_MAX","features":[624]},{"name":"IFED_UCT_NONE","features":[624]},{"name":"IFED_UCT_STRING_SJIS","features":[624]},{"name":"IFED_UCT_STRING_UNICODE","features":[624]},{"name":"IFED_UCT_USER_DEFINED","features":[624]},{"name":"IFED_UNKNOWN","features":[624]},{"name":"IFED_VJE_20","features":[624]},{"name":"IFED_WX_II","features":[624]},{"name":"IFED_WX_III","features":[624]},{"name":"IFEDictionary","features":[624]},{"name":"IFELanguage","features":[624]},{"name":"IGIMIF_RIGHTMENU","features":[624]},{"name":"IGIMII_CMODE","features":[624]},{"name":"IGIMII_CONFIGURE","features":[624]},{"name":"IGIMII_HELP","features":[624]},{"name":"IGIMII_INPUTTOOLS","features":[624]},{"name":"IGIMII_OTHER","features":[624]},{"name":"IGIMII_SMODE","features":[624]},{"name":"IGIMII_TOOLS","features":[624]},{"name":"IImePad","features":[624]},{"name":"IImePadApplet","features":[624]},{"name":"IImePlugInDictDictionaryList","features":[624]},{"name":"IImeSpecifyApplets","features":[624]},{"name":"IMCENUMPROC","features":[308,394,624]},{"name":"IMC_CLOSESTATUSWINDOW","features":[624]},{"name":"IMC_GETCANDIDATEPOS","features":[624]},{"name":"IMC_GETCOMPOSITIONFONT","features":[624]},{"name":"IMC_GETCOMPOSITIONWINDOW","features":[624]},{"name":"IMC_GETSOFTKBDFONT","features":[624]},{"name":"IMC_GETSOFTKBDPOS","features":[624]},{"name":"IMC_GETSOFTKBDSUBTYPE","features":[624]},{"name":"IMC_GETSTATUSWINDOWPOS","features":[624]},{"name":"IMC_OPENSTATUSWINDOW","features":[624]},{"name":"IMC_SETCANDIDATEPOS","features":[624]},{"name":"IMC_SETCOMPOSITIONFONT","features":[624]},{"name":"IMC_SETCOMPOSITIONWINDOW","features":[624]},{"name":"IMC_SETCONVERSIONMODE","features":[624]},{"name":"IMC_SETOPENSTATUS","features":[624]},{"name":"IMC_SETSENTENCEMODE","features":[624]},{"name":"IMC_SETSOFTKBDDATA","features":[624]},{"name":"IMC_SETSOFTKBDFONT","features":[624]},{"name":"IMC_SETSOFTKBDPOS","features":[624]},{"name":"IMC_SETSOFTKBDSUBTYPE","features":[624]},{"name":"IMC_SETSTATUSWINDOWPOS","features":[624]},{"name":"IMEAPPLETCFG","features":[308,624,370]},{"name":"IMEAPPLETUI","features":[308,624]},{"name":"IMECHARINFO","features":[624]},{"name":"IMECHARPOSITION","features":[308,624]},{"name":"IMECOMPOSITIONSTRINGINFO","features":[624]},{"name":"IMEDLG","features":[308,624]},{"name":"IMEDP","features":[624]},{"name":"IMEFAREASTINFO","features":[624]},{"name":"IMEFAREASTINFO_TYPE_COMMENT","features":[624]},{"name":"IMEFAREASTINFO_TYPE_COSTTIME","features":[624]},{"name":"IMEFAREASTINFO_TYPE_DEFAULT","features":[624]},{"name":"IMEFAREASTINFO_TYPE_READING","features":[624]},{"name":"IMEFMT","features":[624]},{"name":"IMEINFO","features":[624]},{"name":"IMEITEM","features":[624]},{"name":"IMEITEMCANDIDATE","features":[624]},{"name":"IMEKEYCTRLMASK_ALT","features":[624]},{"name":"IMEKEYCTRLMASK_CTRL","features":[624]},{"name":"IMEKEYCTRLMASK_SHIFT","features":[624]},{"name":"IMEKEYCTRL_DOWN","features":[624]},{"name":"IMEKEYCTRL_UP","features":[624]},{"name":"IMEKMS","features":[394,624]},{"name":"IMEKMSFUNCDESC","features":[624]},{"name":"IMEKMSINIT","features":[308,624]},{"name":"IMEKMSINVK","features":[394,624]},{"name":"IMEKMSKEY","features":[624]},{"name":"IMEKMSKMP","features":[394,624]},{"name":"IMEKMSNTFY","features":[308,394,624]},{"name":"IMEKMS_2NDLEVEL","features":[624]},{"name":"IMEKMS_CANDIDATE","features":[624]},{"name":"IMEKMS_COMPOSITION","features":[624]},{"name":"IMEKMS_IMEOFF","features":[624]},{"name":"IMEKMS_INPTGL","features":[624]},{"name":"IMEKMS_NOCOMPOSITION","features":[624]},{"name":"IMEKMS_SELECTION","features":[624]},{"name":"IMEKMS_TYPECAND","features":[624]},{"name":"IMEMENUITEMINFOA","features":[319,624]},{"name":"IMEMENUITEMINFOW","features":[319,624]},{"name":"IMEMENUITEM_STRING_SIZE","features":[624]},{"name":"IMEMOUSERET_NOTHANDLED","features":[624]},{"name":"IMEMOUSE_LDOWN","features":[624]},{"name":"IMEMOUSE_MDOWN","features":[624]},{"name":"IMEMOUSE_NONE","features":[624]},{"name":"IMEMOUSE_RDOWN","features":[624]},{"name":"IMEMOUSE_VERSION","features":[624]},{"name":"IMEMOUSE_WDOWN","features":[624]},{"name":"IMEMOUSE_WUP","features":[624]},{"name":"IMEPADCTRL_CARETBACKSPACE","features":[624]},{"name":"IMEPADCTRL_CARETBOTTOM","features":[624]},{"name":"IMEPADCTRL_CARETDELETE","features":[624]},{"name":"IMEPADCTRL_CARETLEFT","features":[624]},{"name":"IMEPADCTRL_CARETRIGHT","features":[624]},{"name":"IMEPADCTRL_CARETSET","features":[624]},{"name":"IMEPADCTRL_CARETTOP","features":[624]},{"name":"IMEPADCTRL_CLEARALL","features":[624]},{"name":"IMEPADCTRL_CONVERTALL","features":[624]},{"name":"IMEPADCTRL_DETERMINALL","features":[624]},{"name":"IMEPADCTRL_DETERMINCHAR","features":[624]},{"name":"IMEPADCTRL_INSERTFULLSPACE","features":[624]},{"name":"IMEPADCTRL_INSERTHALFSPACE","features":[624]},{"name":"IMEPADCTRL_INSERTSPACE","features":[624]},{"name":"IMEPADCTRL_OFFIME","features":[624]},{"name":"IMEPADCTRL_OFFPRECONVERSION","features":[624]},{"name":"IMEPADCTRL_ONIME","features":[624]},{"name":"IMEPADCTRL_ONPRECONVERSION","features":[624]},{"name":"IMEPADCTRL_PHONETICCANDIDATE","features":[624]},{"name":"IMEPADCTRL_PHRASEDELETE","features":[624]},{"name":"IMEPADREQ_CHANGESTRING","features":[624]},{"name":"IMEPADREQ_CHANGESTRINGCANDIDATEINFO","features":[624]},{"name":"IMEPADREQ_CHANGESTRINGINFO","features":[624]},{"name":"IMEPADREQ_DELETESTRING","features":[624]},{"name":"IMEPADREQ_FIRST","features":[624]},{"name":"IMEPADREQ_FORCEIMEPADWINDOWSHOW","features":[624]},{"name":"IMEPADREQ_GETAPPLETDATA","features":[624]},{"name":"IMEPADREQ_GETAPPLETUISTYLE","features":[624]},{"name":"IMEPADREQ_GETAPPLHWND","features":[624]},{"name":"IMEPADREQ_GETCOMPOSITIONSTRING","features":[624]},{"name":"IMEPADREQ_GETCOMPOSITIONSTRINGID","features":[624]},{"name":"IMEPADREQ_GETCOMPOSITIONSTRINGINFO","features":[624]},{"name":"IMEPADREQ_GETCONVERSIONSTATUS","features":[624]},{"name":"IMEPADREQ_GETCURRENTIMEINFO","features":[624]},{"name":"IMEPADREQ_GETCURRENTUILANGID","features":[624]},{"name":"IMEPADREQ_GETDEFAULTUILANGID","features":[624]},{"name":"IMEPADREQ_GETSELECTEDSTRING","features":[624]},{"name":"IMEPADREQ_GETVERSION","features":[624]},{"name":"IMEPADREQ_INSERTITEMCANDIDATE","features":[624]},{"name":"IMEPADREQ_INSERTSTRING","features":[624]},{"name":"IMEPADREQ_INSERTSTRINGCANDIDATE","features":[624]},{"name":"IMEPADREQ_INSERTSTRINGCANDIDATEINFO","features":[624]},{"name":"IMEPADREQ_INSERTSTRINGINFO","features":[624]},{"name":"IMEPADREQ_ISAPPLETACTIVE","features":[624]},{"name":"IMEPADREQ_ISIMEPADWINDOWVISIBLE","features":[624]},{"name":"IMEPADREQ_POSTMODALNOTIFY","features":[624]},{"name":"IMEPADREQ_SENDCONTROL","features":[624]},{"name":"IMEPADREQ_SENDKEYCONTROL","features":[624]},{"name":"IMEPADREQ_SETAPPLETDATA","features":[624]},{"name":"IMEPADREQ_SETAPPLETMINMAXSIZE","features":[624]},{"name":"IMEPADREQ_SETAPPLETSIZE","features":[624]},{"name":"IMEPADREQ_SETAPPLETUISTYLE","features":[624]},{"name":"IMEPADREQ_SETTITLEFONT","features":[624]},{"name":"IMEPN_ACTIVATE","features":[624]},{"name":"IMEPN_APPLYCAND","features":[624]},{"name":"IMEPN_APPLYCANDEX","features":[624]},{"name":"IMEPN_CONFIG","features":[624]},{"name":"IMEPN_FIRST","features":[624]},{"name":"IMEPN_HELP","features":[624]},{"name":"IMEPN_HIDE","features":[624]},{"name":"IMEPN_INACTIVATE","features":[624]},{"name":"IMEPN_QUERYCAND","features":[624]},{"name":"IMEPN_SETTINGCHANGED","features":[624]},{"name":"IMEPN_SHOW","features":[624]},{"name":"IMEPN_SIZECHANGED","features":[624]},{"name":"IMEPN_SIZECHANGING","features":[624]},{"name":"IMEPN_USER","features":[624]},{"name":"IMEREG","features":[624]},{"name":"IMEREL","features":[624]},{"name":"IMESHF","features":[624]},{"name":"IMESTRINGCANDIDATE","features":[624]},{"name":"IMESTRINGCANDIDATEINFO","features":[624]},{"name":"IMESTRINGINFO","features":[624]},{"name":"IMEUCT","features":[624]},{"name":"IMEVER_0310","features":[624]},{"name":"IMEVER_0400","features":[624]},{"name":"IMEWRD","features":[624]},{"name":"IME_CAND_CODE","features":[624]},{"name":"IME_CAND_MEANING","features":[624]},{"name":"IME_CAND_RADICAL","features":[624]},{"name":"IME_CAND_READ","features":[624]},{"name":"IME_CAND_STROKE","features":[624]},{"name":"IME_CAND_UNKNOWN","features":[624]},{"name":"IME_CHOTKEY_IME_NONIME_TOGGLE","features":[624]},{"name":"IME_CHOTKEY_SHAPE_TOGGLE","features":[624]},{"name":"IME_CHOTKEY_SYMBOL_TOGGLE","features":[624]},{"name":"IME_CMODE_ALPHANUMERIC","features":[624]},{"name":"IME_CMODE_CHARCODE","features":[624]},{"name":"IME_CMODE_CHINESE","features":[624]},{"name":"IME_CMODE_EUDC","features":[624]},{"name":"IME_CMODE_FIXED","features":[624]},{"name":"IME_CMODE_FULLSHAPE","features":[624]},{"name":"IME_CMODE_HANGEUL","features":[624]},{"name":"IME_CMODE_HANGUL","features":[624]},{"name":"IME_CMODE_HANJACONVERT","features":[624]},{"name":"IME_CMODE_JAPANESE","features":[624]},{"name":"IME_CMODE_KATAKANA","features":[624]},{"name":"IME_CMODE_LANGUAGE","features":[624]},{"name":"IME_CMODE_NATIVE","features":[624]},{"name":"IME_CMODE_NATIVESYMBOL","features":[624]},{"name":"IME_CMODE_NOCONVERSION","features":[624]},{"name":"IME_CMODE_RESERVED","features":[624]},{"name":"IME_CMODE_ROMAN","features":[624]},{"name":"IME_CMODE_SOFTKBD","features":[624]},{"name":"IME_CMODE_SYMBOL","features":[624]},{"name":"IME_COMPOSITION_STRING","features":[624]},{"name":"IME_CONFIG_GENERAL","features":[624]},{"name":"IME_CONFIG_REGISTERWORD","features":[624]},{"name":"IME_CONFIG_SELECTDICTIONARY","features":[624]},{"name":"IME_CONVERSION_MODE","features":[624]},{"name":"IME_ESCAPE","features":[624]},{"name":"IME_ESC_AUTOMATA","features":[624]},{"name":"IME_ESC_GETHELPFILENAME","features":[624]},{"name":"IME_ESC_GET_EUDC_DICTIONARY","features":[624]},{"name":"IME_ESC_HANJA_MODE","features":[624]},{"name":"IME_ESC_IME_NAME","features":[624]},{"name":"IME_ESC_MAX_KEY","features":[624]},{"name":"IME_ESC_PRIVATE_FIRST","features":[624]},{"name":"IME_ESC_PRIVATE_HOTKEY","features":[624]},{"name":"IME_ESC_PRIVATE_LAST","features":[624]},{"name":"IME_ESC_QUERY_SUPPORT","features":[624]},{"name":"IME_ESC_RESERVED_FIRST","features":[624]},{"name":"IME_ESC_RESERVED_LAST","features":[624]},{"name":"IME_ESC_SEQUENCE_TO_INTERNAL","features":[624]},{"name":"IME_ESC_SET_EUDC_DICTIONARY","features":[624]},{"name":"IME_ESC_STRING_BUFFER_SIZE","features":[624]},{"name":"IME_ESC_SYNC_HOTKEY","features":[624]},{"name":"IME_HOTKEY_DSWITCH_FIRST","features":[624]},{"name":"IME_HOTKEY_DSWITCH_LAST","features":[624]},{"name":"IME_HOTKEY_IDENTIFIER","features":[624]},{"name":"IME_HOTKEY_PRIVATE_FIRST","features":[624]},{"name":"IME_HOTKEY_PRIVATE_LAST","features":[624]},{"name":"IME_ITHOTKEY_PREVIOUS_COMPOSITION","features":[624]},{"name":"IME_ITHOTKEY_RECONVERTSTRING","features":[624]},{"name":"IME_ITHOTKEY_RESEND_RESULTSTR","features":[624]},{"name":"IME_ITHOTKEY_UISTYLE_TOGGLE","features":[624]},{"name":"IME_JHOTKEY_CLOSE_OPEN","features":[624]},{"name":"IME_KHOTKEY_ENGLISH","features":[624]},{"name":"IME_KHOTKEY_HANJACONVERT","features":[624]},{"name":"IME_KHOTKEY_SHAPE_TOGGLE","features":[624]},{"name":"IME_PAD_REQUEST_FLAGS","features":[624]},{"name":"IME_PROP_ACCEPT_WIDE_VKEY","features":[624]},{"name":"IME_PROP_AT_CARET","features":[624]},{"name":"IME_PROP_CANDLIST_START_FROM_1","features":[624]},{"name":"IME_PROP_COMPLETE_ON_UNSELECT","features":[624]},{"name":"IME_PROP_END_UNLOAD","features":[624]},{"name":"IME_PROP_IGNORE_UPKEYS","features":[624]},{"name":"IME_PROP_KBD_CHAR_FIRST","features":[624]},{"name":"IME_PROP_NEED_ALTKEY","features":[624]},{"name":"IME_PROP_NO_KEYS_ON_CLOSE","features":[624]},{"name":"IME_PROP_SPECIAL_UI","features":[624]},{"name":"IME_PROP_UNICODE","features":[624]},{"name":"IME_REGWORD_STYLE_EUDC","features":[624]},{"name":"IME_REGWORD_STYLE_USER_FIRST","features":[624]},{"name":"IME_REGWORD_STYLE_USER_LAST","features":[624]},{"name":"IME_SENTENCE_MODE","features":[624]},{"name":"IME_SMODE_AUTOMATIC","features":[624]},{"name":"IME_SMODE_CONVERSATION","features":[624]},{"name":"IME_SMODE_NONE","features":[624]},{"name":"IME_SMODE_PHRASEPREDICT","features":[624]},{"name":"IME_SMODE_PLAURALCLAUSE","features":[624]},{"name":"IME_SMODE_RESERVED","features":[624]},{"name":"IME_SMODE_SINGLECONVERT","features":[624]},{"name":"IME_SYSINFO_WINLOGON","features":[624]},{"name":"IME_THOTKEY_IME_NONIME_TOGGLE","features":[624]},{"name":"IME_THOTKEY_SHAPE_TOGGLE","features":[624]},{"name":"IME_THOTKEY_SYMBOL_TOGGLE","features":[624]},{"name":"IME_UI_CLASS_NAME_SIZE","features":[624]},{"name":"IMFT_RADIOCHECK","features":[624]},{"name":"IMFT_SEPARATOR","features":[624]},{"name":"IMFT_SUBMENU","features":[624]},{"name":"IMMGWLP_IMC","features":[624]},{"name":"IMMGWL_IMC","features":[624]},{"name":"IMM_ERROR_GENERAL","features":[624]},{"name":"IMM_ERROR_NODATA","features":[624]},{"name":"IMN_CHANGECANDIDATE","features":[624]},{"name":"IMN_CLOSECANDIDATE","features":[624]},{"name":"IMN_CLOSESTATUSWINDOW","features":[624]},{"name":"IMN_GUIDELINE","features":[624]},{"name":"IMN_OPENCANDIDATE","features":[624]},{"name":"IMN_OPENSTATUSWINDOW","features":[624]},{"name":"IMN_PRIVATE","features":[624]},{"name":"IMN_SETCANDIDATEPOS","features":[624]},{"name":"IMN_SETCOMPOSITIONFONT","features":[624]},{"name":"IMN_SETCOMPOSITIONWINDOW","features":[624]},{"name":"IMN_SETCONVERSIONMODE","features":[624]},{"name":"IMN_SETOPENSTATUS","features":[624]},{"name":"IMN_SETSENTENCEMODE","features":[624]},{"name":"IMN_SETSTATUSWINDOWPOS","features":[624]},{"name":"IMN_SOFTKBDDESTROYED","features":[624]},{"name":"IMR_CANDIDATEWINDOW","features":[624]},{"name":"IMR_COMPOSITIONFONT","features":[624]},{"name":"IMR_COMPOSITIONWINDOW","features":[624]},{"name":"IMR_CONFIRMRECONVERTSTRING","features":[624]},{"name":"IMR_DOCUMENTFEED","features":[624]},{"name":"IMR_QUERYCHARPOSITION","features":[624]},{"name":"IMR_RECONVERTSTRING","features":[624]},{"name":"INFOMASK_APPLY_CAND","features":[624]},{"name":"INFOMASK_APPLY_CAND_EX","features":[624]},{"name":"INFOMASK_BLOCK_CAND","features":[624]},{"name":"INFOMASK_HIDE_CAND","features":[624]},{"name":"INFOMASK_NONE","features":[624]},{"name":"INFOMASK_QUERY_CAND","features":[624]},{"name":"INFOMASK_STRING_FIX","features":[624]},{"name":"INIT_COMPFORM","features":[624]},{"name":"INIT_CONVERSION","features":[624]},{"name":"INIT_LOGFONT","features":[624]},{"name":"INIT_SENTENCE","features":[624]},{"name":"INIT_SOFTKBDPOS","features":[624]},{"name":"INIT_STATUSWNDPOS","features":[624]},{"name":"INPUTCONTEXT","features":[308,394,319,624]},{"name":"IPACFG_CATEGORY","features":[624]},{"name":"IPACFG_HELP","features":[624]},{"name":"IPACFG_LANG","features":[624]},{"name":"IPACFG_NONE","features":[624]},{"name":"IPACFG_PROPERTY","features":[624]},{"name":"IPACFG_TITLE","features":[624]},{"name":"IPACFG_TITLEFONTFACE","features":[624]},{"name":"IPACID_CHARLIST","features":[624]},{"name":"IPACID_EPWING","features":[624]},{"name":"IPACID_HANDWRITING","features":[624]},{"name":"IPACID_NONE","features":[624]},{"name":"IPACID_OCR","features":[624]},{"name":"IPACID_RADICALSEARCH","features":[624]},{"name":"IPACID_SOFTKEY","features":[624]},{"name":"IPACID_STROKESEARCH","features":[624]},{"name":"IPACID_SYMBOLSEARCH","features":[624]},{"name":"IPACID_USER","features":[624]},{"name":"IPACID_VOICE","features":[624]},{"name":"IPAWS_ENABLED","features":[624]},{"name":"IPAWS_HORIZONTALFIXED","features":[624]},{"name":"IPAWS_MAXHEIGHTFIXED","features":[624]},{"name":"IPAWS_MAXSIZEFIXED","features":[624]},{"name":"IPAWS_MAXWIDTHFIXED","features":[624]},{"name":"IPAWS_MINHEIGHTFIXED","features":[624]},{"name":"IPAWS_MINSIZEFIXED","features":[624]},{"name":"IPAWS_MINWIDTHFIXED","features":[624]},{"name":"IPAWS_SIZEFIXED","features":[624]},{"name":"IPAWS_SIZINGNOTIFY","features":[624]},{"name":"IPAWS_VERTICALFIXED","features":[624]},{"name":"ISC_SHOWUIALL","features":[624]},{"name":"ISC_SHOWUIALLCANDIDATEWINDOW","features":[624]},{"name":"ISC_SHOWUICANDIDATEWINDOW","features":[624]},{"name":"ISC_SHOWUICOMPOSITIONWINDOW","features":[624]},{"name":"ISC_SHOWUIGUIDELINE","features":[624]},{"name":"ImmAssociateContext","features":[308,394,624]},{"name":"ImmAssociateContextEx","features":[308,394,624]},{"name":"ImmConfigureIMEA","features":[308,624,625]},{"name":"ImmConfigureIMEW","features":[308,624,625]},{"name":"ImmCreateContext","features":[394,624]},{"name":"ImmCreateIMCC","features":[394,624]},{"name":"ImmCreateSoftKeyboard","features":[308,624]},{"name":"ImmDestroyContext","features":[308,394,624]},{"name":"ImmDestroyIMCC","features":[394,624]},{"name":"ImmDestroySoftKeyboard","features":[308,624]},{"name":"ImmDisableIME","features":[308,624]},{"name":"ImmDisableLegacyIME","features":[308,624]},{"name":"ImmDisableTextFrameService","features":[308,624]},{"name":"ImmEnumInputContext","features":[308,394,624]},{"name":"ImmEnumRegisterWordA","features":[624,625]},{"name":"ImmEnumRegisterWordW","features":[624,625]},{"name":"ImmEscapeA","features":[308,394,624,625]},{"name":"ImmEscapeW","features":[308,394,624,625]},{"name":"ImmGenerateMessage","features":[308,394,624]},{"name":"ImmGetCandidateListA","features":[394,624]},{"name":"ImmGetCandidateListCountA","features":[394,624]},{"name":"ImmGetCandidateListCountW","features":[394,624]},{"name":"ImmGetCandidateListW","features":[394,624]},{"name":"ImmGetCandidateWindow","features":[308,394,624]},{"name":"ImmGetCompositionFontA","features":[308,394,319,624]},{"name":"ImmGetCompositionFontW","features":[308,394,319,624]},{"name":"ImmGetCompositionStringA","features":[394,624]},{"name":"ImmGetCompositionStringW","features":[394,624]},{"name":"ImmGetCompositionWindow","features":[308,394,624]},{"name":"ImmGetContext","features":[308,394,624]},{"name":"ImmGetConversionListA","features":[394,624,625]},{"name":"ImmGetConversionListW","features":[394,624,625]},{"name":"ImmGetConversionStatus","features":[308,394,624]},{"name":"ImmGetDefaultIMEWnd","features":[308,624]},{"name":"ImmGetDescriptionA","features":[624,625]},{"name":"ImmGetDescriptionW","features":[624,625]},{"name":"ImmGetGuideLineA","features":[394,624]},{"name":"ImmGetGuideLineW","features":[394,624]},{"name":"ImmGetHotKey","features":[308,624,625]},{"name":"ImmGetIMCCLockCount","features":[394,624]},{"name":"ImmGetIMCCSize","features":[394,624]},{"name":"ImmGetIMCLockCount","features":[394,624]},{"name":"ImmGetIMEFileNameA","features":[624,625]},{"name":"ImmGetIMEFileNameW","features":[624,625]},{"name":"ImmGetImeMenuItemsA","features":[394,319,624]},{"name":"ImmGetImeMenuItemsW","features":[394,319,624]},{"name":"ImmGetOpenStatus","features":[308,394,624]},{"name":"ImmGetProperty","features":[624,625]},{"name":"ImmGetRegisterWordStyleA","features":[624,625]},{"name":"ImmGetRegisterWordStyleW","features":[624,625]},{"name":"ImmGetStatusWindowPos","features":[308,394,624]},{"name":"ImmGetVirtualKey","features":[308,624]},{"name":"ImmInstallIMEA","features":[624,625]},{"name":"ImmInstallIMEW","features":[624,625]},{"name":"ImmIsIME","features":[308,624,625]},{"name":"ImmIsUIMessageA","features":[308,624]},{"name":"ImmIsUIMessageW","features":[308,624]},{"name":"ImmLockIMC","features":[308,394,319,624]},{"name":"ImmLockIMCC","features":[394,624]},{"name":"ImmNotifyIME","features":[308,394,624]},{"name":"ImmReSizeIMCC","features":[394,624]},{"name":"ImmRegisterWordA","features":[308,624,625]},{"name":"ImmRegisterWordW","features":[308,624,625]},{"name":"ImmReleaseContext","features":[308,394,624]},{"name":"ImmRequestMessageA","features":[308,394,624]},{"name":"ImmRequestMessageW","features":[308,394,624]},{"name":"ImmSetCandidateWindow","features":[308,394,624]},{"name":"ImmSetCompositionFontA","features":[308,394,319,624]},{"name":"ImmSetCompositionFontW","features":[308,394,319,624]},{"name":"ImmSetCompositionStringA","features":[308,394,624]},{"name":"ImmSetCompositionStringW","features":[308,394,624]},{"name":"ImmSetCompositionWindow","features":[308,394,624]},{"name":"ImmSetConversionStatus","features":[308,394,624]},{"name":"ImmSetHotKey","features":[308,624,625]},{"name":"ImmSetOpenStatus","features":[308,394,624]},{"name":"ImmSetStatusWindowPos","features":[308,394,624]},{"name":"ImmShowSoftKeyboard","features":[308,624]},{"name":"ImmSimulateHotKey","features":[308,624]},{"name":"ImmUnlockIMC","features":[308,394,624]},{"name":"ImmUnlockIMCC","features":[308,394,624]},{"name":"ImmUnregisterWordA","features":[308,624,625]},{"name":"ImmUnregisterWordW","features":[308,624,625]},{"name":"JPOS_1DAN","features":[624]},{"name":"JPOS_4DAN_HA","features":[624]},{"name":"JPOS_5DAN_AWA","features":[624]},{"name":"JPOS_5DAN_AWAUON","features":[624]},{"name":"JPOS_5DAN_BA","features":[624]},{"name":"JPOS_5DAN_GA","features":[624]},{"name":"JPOS_5DAN_KA","features":[624]},{"name":"JPOS_5DAN_KASOKUON","features":[624]},{"name":"JPOS_5DAN_MA","features":[624]},{"name":"JPOS_5DAN_NA","features":[624]},{"name":"JPOS_5DAN_RA","features":[624]},{"name":"JPOS_5DAN_RAHEN","features":[624]},{"name":"JPOS_5DAN_SA","features":[624]},{"name":"JPOS_5DAN_TA","features":[624]},{"name":"JPOS_BUPPIN","features":[624]},{"name":"JPOS_CHIMEI","features":[624]},{"name":"JPOS_CHIMEI_EKI","features":[624]},{"name":"JPOS_CHIMEI_GUN","features":[624]},{"name":"JPOS_CHIMEI_KEN","features":[624]},{"name":"JPOS_CHIMEI_KU","features":[624]},{"name":"JPOS_CHIMEI_KUNI","features":[624]},{"name":"JPOS_CHIMEI_MACHI","features":[624]},{"name":"JPOS_CHIMEI_MURA","features":[624]},{"name":"JPOS_CHIMEI_SHI","features":[624]},{"name":"JPOS_CLOSEBRACE","features":[624]},{"name":"JPOS_DAIMEISHI","features":[624]},{"name":"JPOS_DAIMEISHI_NINSHOU","features":[624]},{"name":"JPOS_DAIMEISHI_SHIJI","features":[624]},{"name":"JPOS_DOKURITSUGO","features":[624]},{"name":"JPOS_EIJI","features":[624]},{"name":"JPOS_FUKUSHI","features":[624]},{"name":"JPOS_FUKUSHI_DA","features":[624]},{"name":"JPOS_FUKUSHI_NANO","features":[624]},{"name":"JPOS_FUKUSHI_NI","features":[624]},{"name":"JPOS_FUKUSHI_SAHEN","features":[624]},{"name":"JPOS_FUKUSHI_TO","features":[624]},{"name":"JPOS_FUKUSHI_TOSURU","features":[624]},{"name":"JPOS_FUTEIGO","features":[624]},{"name":"JPOS_HUKUSIMEISHI","features":[624]},{"name":"JPOS_JINMEI","features":[624]},{"name":"JPOS_JINMEI_MEI","features":[624]},{"name":"JPOS_JINMEI_SEI","features":[624]},{"name":"JPOS_KANDOUSHI","features":[624]},{"name":"JPOS_KANJI","features":[624]},{"name":"JPOS_KANYOUKU","features":[624]},{"name":"JPOS_KAZU","features":[624]},{"name":"JPOS_KAZU_SURYOU","features":[624]},{"name":"JPOS_KAZU_SUSHI","features":[624]},{"name":"JPOS_KEIDOU","features":[624]},{"name":"JPOS_KEIDOU_GARU","features":[624]},{"name":"JPOS_KEIDOU_NO","features":[624]},{"name":"JPOS_KEIDOU_TARU","features":[624]},{"name":"JPOS_KEIYOU","features":[624]},{"name":"JPOS_KEIYOU_GARU","features":[624]},{"name":"JPOS_KEIYOU_GE","features":[624]},{"name":"JPOS_KEIYOU_ME","features":[624]},{"name":"JPOS_KEIYOU_U","features":[624]},{"name":"JPOS_KEIYOU_YUU","features":[624]},{"name":"JPOS_KENCHIKU","features":[624]},{"name":"JPOS_KIGOU","features":[624]},{"name":"JPOS_KURU_KI","features":[624]},{"name":"JPOS_KURU_KITA","features":[624]},{"name":"JPOS_KURU_KITARA","features":[624]},{"name":"JPOS_KURU_KITARI","features":[624]},{"name":"JPOS_KURU_KITAROU","features":[624]},{"name":"JPOS_KURU_KITE","features":[624]},{"name":"JPOS_KURU_KO","features":[624]},{"name":"JPOS_KURU_KOI","features":[624]},{"name":"JPOS_KURU_KOYOU","features":[624]},{"name":"JPOS_KURU_KUREBA","features":[624]},{"name":"JPOS_KUTEN","features":[624]},{"name":"JPOS_MEISA_KEIDOU","features":[624]},{"name":"JPOS_MEISHI_FUTSU","features":[624]},{"name":"JPOS_MEISHI_KEIYOUDOUSHI","features":[624]},{"name":"JPOS_MEISHI_SAHEN","features":[624]},{"name":"JPOS_MEISHI_ZAHEN","features":[624]},{"name":"JPOS_OPENBRACE","features":[624]},{"name":"JPOS_RENTAISHI","features":[624]},{"name":"JPOS_RENTAISHI_SHIJI","features":[624]},{"name":"JPOS_RENYOU_SETSUBI","features":[624]},{"name":"JPOS_SETSUBI","features":[624]},{"name":"JPOS_SETSUBI_CHIMEI","features":[624]},{"name":"JPOS_SETSUBI_CHOU","features":[624]},{"name":"JPOS_SETSUBI_CHU","features":[624]},{"name":"JPOS_SETSUBI_DONO","features":[624]},{"name":"JPOS_SETSUBI_EKI","features":[624]},{"name":"JPOS_SETSUBI_FU","features":[624]},{"name":"JPOS_SETSUBI_FUKUSU","features":[624]},{"name":"JPOS_SETSUBI_GUN","features":[624]},{"name":"JPOS_SETSUBI_JIKAN","features":[624]},{"name":"JPOS_SETSUBI_JIKANPLUS","features":[624]},{"name":"JPOS_SETSUBI_JINMEI","features":[624]},{"name":"JPOS_SETSUBI_JOSUSHI","features":[624]},{"name":"JPOS_SETSUBI_JOSUSHIPLUS","features":[624]},{"name":"JPOS_SETSUBI_KA","features":[624]},{"name":"JPOS_SETSUBI_KATA","features":[624]},{"name":"JPOS_SETSUBI_KEN","features":[624]},{"name":"JPOS_SETSUBI_KENCHIKU","features":[624]},{"name":"JPOS_SETSUBI_KU","features":[624]},{"name":"JPOS_SETSUBI_KUN","features":[624]},{"name":"JPOS_SETSUBI_KUNI","features":[624]},{"name":"JPOS_SETSUBI_MACHI","features":[624]},{"name":"JPOS_SETSUBI_MEISHIRENDAKU","features":[624]},{"name":"JPOS_SETSUBI_MURA","features":[624]},{"name":"JPOS_SETSUBI_RA","features":[624]},{"name":"JPOS_SETSUBI_RYU","features":[624]},{"name":"JPOS_SETSUBI_SAMA","features":[624]},{"name":"JPOS_SETSUBI_SAN","features":[624]},{"name":"JPOS_SETSUBI_SEI","features":[624]},{"name":"JPOS_SETSUBI_SHAMEI","features":[624]},{"name":"JPOS_SETSUBI_SHI","features":[624]},{"name":"JPOS_SETSUBI_SON","features":[624]},{"name":"JPOS_SETSUBI_SONOTA","features":[624]},{"name":"JPOS_SETSUBI_SOSHIKI","features":[624]},{"name":"JPOS_SETSUBI_TACHI","features":[624]},{"name":"JPOS_SETSUBI_TEINEI","features":[624]},{"name":"JPOS_SETSUBI_TEKI","features":[624]},{"name":"JPOS_SETSUBI_YOU","features":[624]},{"name":"JPOS_SETSUZOKUSHI","features":[624]},{"name":"JPOS_SETTOU","features":[624]},{"name":"JPOS_SETTOU_CHIMEI","features":[624]},{"name":"JPOS_SETTOU_CHOUTAN","features":[624]},{"name":"JPOS_SETTOU_DAISHOU","features":[624]},{"name":"JPOS_SETTOU_FUKU","features":[624]},{"name":"JPOS_SETTOU_JINMEI","features":[624]},{"name":"JPOS_SETTOU_JOSUSHI","features":[624]},{"name":"JPOS_SETTOU_KAKU","features":[624]},{"name":"JPOS_SETTOU_KOUTEI","features":[624]},{"name":"JPOS_SETTOU_MI","features":[624]},{"name":"JPOS_SETTOU_SAI","features":[624]},{"name":"JPOS_SETTOU_SHINKYU","features":[624]},{"name":"JPOS_SETTOU_SONOTA","features":[624]},{"name":"JPOS_SETTOU_TEINEI_GO","features":[624]},{"name":"JPOS_SETTOU_TEINEI_O","features":[624]},{"name":"JPOS_SETTOU_TEINEI_ON","features":[624]},{"name":"JPOS_SHAMEI","features":[624]},{"name":"JPOS_SONOTA","features":[624]},{"name":"JPOS_SOSHIKI","features":[624]},{"name":"JPOS_SURU_SA","features":[624]},{"name":"JPOS_SURU_SE","features":[624]},{"name":"JPOS_SURU_SEYO","features":[624]},{"name":"JPOS_SURU_SI","features":[624]},{"name":"JPOS_SURU_SIATRI","features":[624]},{"name":"JPOS_SURU_SITA","features":[624]},{"name":"JPOS_SURU_SITARA","features":[624]},{"name":"JPOS_SURU_SITAROU","features":[624]},{"name":"JPOS_SURU_SITE","features":[624]},{"name":"JPOS_SURU_SIYOU","features":[624]},{"name":"JPOS_SURU_SUREBA","features":[624]},{"name":"JPOS_TANKANJI","features":[624]},{"name":"JPOS_TANKANJI_KAO","features":[624]},{"name":"JPOS_TANSHUKU","features":[624]},{"name":"JPOS_TOKUSHU_KAHEN","features":[624]},{"name":"JPOS_TOKUSHU_NAHEN","features":[624]},{"name":"JPOS_TOKUSHU_SAHEN","features":[624]},{"name":"JPOS_TOKUSHU_SAHENSURU","features":[624]},{"name":"JPOS_TOKUSHU_ZAHEN","features":[624]},{"name":"JPOS_TOUTEN","features":[624]},{"name":"JPOS_UNDEFINED","features":[624]},{"name":"JPOS_YOKUSEI","features":[624]},{"name":"MAX_APPLETTITLE","features":[624]},{"name":"MAX_FONTFACE","features":[624]},{"name":"MODEBIASMODE_DEFAULT","features":[624]},{"name":"MODEBIASMODE_DIGIT","features":[624]},{"name":"MODEBIASMODE_FILENAME","features":[624]},{"name":"MODEBIASMODE_READING","features":[624]},{"name":"MODEBIAS_GETVALUE","features":[624]},{"name":"MODEBIAS_GETVERSION","features":[624]},{"name":"MODEBIAS_SETVALUE","features":[624]},{"name":"MOD_IGNORE_ALL_MODIFIER","features":[624]},{"name":"MOD_LEFT","features":[624]},{"name":"MOD_ON_KEYUP","features":[624]},{"name":"MOD_RIGHT","features":[624]},{"name":"MORRSLT","features":[624]},{"name":"NI_CHANGECANDIDATELIST","features":[624]},{"name":"NI_CLOSECANDIDATE","features":[624]},{"name":"NI_COMPOSITIONSTR","features":[624]},{"name":"NI_CONTEXTUPDATED","features":[624]},{"name":"NI_FINALIZECONVERSIONRESULT","features":[624]},{"name":"NI_IMEMENUSELECTED","features":[624]},{"name":"NI_OPENCANDIDATE","features":[624]},{"name":"NI_SELECTCANDIDATESTR","features":[624]},{"name":"NI_SETCANDIDATE_PAGESIZE","features":[624]},{"name":"NI_SETCANDIDATE_PAGESTART","features":[624]},{"name":"NOTIFY_IME_ACTION","features":[624]},{"name":"NOTIFY_IME_INDEX","features":[624]},{"name":"PFNLOG","features":[308,624]},{"name":"POSTBL","features":[624]},{"name":"POS_UNDEFINED","features":[624]},{"name":"RECONVERTSTRING","features":[624]},{"name":"RECONVOPT_NONE","features":[624]},{"name":"RECONVOPT_USECANCELNOTIFY","features":[624]},{"name":"REGISTERWORDA","features":[624]},{"name":"REGISTERWORDENUMPROCA","features":[624]},{"name":"REGISTERWORDENUMPROCW","features":[624]},{"name":"REGISTERWORDW","features":[624]},{"name":"RWM_CHGKEYMAP","features":[624]},{"name":"RWM_DOCUMENTFEED","features":[624]},{"name":"RWM_KEYMAP","features":[624]},{"name":"RWM_MODEBIAS","features":[624]},{"name":"RWM_MOUSE","features":[624]},{"name":"RWM_NTFYKEYMAP","features":[624]},{"name":"RWM_QUERYPOSITION","features":[624]},{"name":"RWM_RECONVERT","features":[624]},{"name":"RWM_RECONVERTOPTIONS","features":[624]},{"name":"RWM_RECONVERTREQUEST","features":[624]},{"name":"RWM_SERVICE","features":[624]},{"name":"RWM_SHOWIMEPAD","features":[624]},{"name":"RWM_UIREADY","features":[624]},{"name":"SCS_CAP_COMPSTR","features":[624]},{"name":"SCS_CAP_MAKEREAD","features":[624]},{"name":"SCS_CAP_SETRECONVERTSTRING","features":[624]},{"name":"SCS_CHANGEATTR","features":[624]},{"name":"SCS_CHANGECLAUSE","features":[624]},{"name":"SCS_QUERYRECONVERTSTRING","features":[624]},{"name":"SCS_SETRECONVERTSTRING","features":[624]},{"name":"SCS_SETSTR","features":[624]},{"name":"SELECT_CAP_CONVERSION","features":[624]},{"name":"SELECT_CAP_SENTENCE","features":[624]},{"name":"SET_COMPOSITION_STRING_TYPE","features":[624]},{"name":"SHOWIMEPAD_CATEGORY","features":[624]},{"name":"SHOWIMEPAD_DEFAULT","features":[624]},{"name":"SHOWIMEPAD_GUID","features":[624]},{"name":"SOFTKBDDATA","features":[624]},{"name":"SOFTKEYBOARD_TYPE_C1","features":[624]},{"name":"SOFTKEYBOARD_TYPE_T1","features":[624]},{"name":"STYLEBUFA","features":[624]},{"name":"STYLEBUFW","features":[624]},{"name":"STYLE_DESCRIPTION_SIZE","features":[624]},{"name":"TRANSMSG","features":[308,624]},{"name":"TRANSMSGLIST","features":[308,624]},{"name":"UI_CAP_2700","features":[624]},{"name":"UI_CAP_ROT90","features":[624]},{"name":"UI_CAP_ROTANY","features":[624]},{"name":"UI_CAP_SOFTKBD","features":[624]},{"name":"VERSION_DOCUMENTFEED","features":[624]},{"name":"VERSION_ID_CHINESE_SIMPLIFIED","features":[624]},{"name":"VERSION_ID_CHINESE_TRADITIONAL","features":[624]},{"name":"VERSION_ID_JAPANESE","features":[624]},{"name":"VERSION_ID_KOREAN","features":[624]},{"name":"VERSION_MODEBIAS","features":[624]},{"name":"VERSION_MOUSE_OPERATION","features":[624]},{"name":"VERSION_QUERYPOSITION","features":[624]},{"name":"VERSION_RECONVERSION","features":[624]},{"name":"WDD","features":[624]},{"name":"cbCommentMax","features":[624]},{"name":"fpCreateIFECommonInstanceType","features":[624]},{"name":"fpCreateIFEDictionaryInstanceType","features":[624]},{"name":"fpCreateIFELanguageInstanceType","features":[624]},{"name":"szImeChina","features":[624]},{"name":"szImeJapan","features":[624]},{"name":"szImeKorea","features":[624]},{"name":"szImeTaiwan","features":[624]},{"name":"wchPrivate1","features":[624]}],"656":[{"name":"IInkCommitRequestHandler","features":[626]},{"name":"IInkD2DRenderer","features":[626]},{"name":"IInkD2DRenderer2","features":[626]},{"name":"IInkDesktopHost","features":[626]},{"name":"IInkHostWorkItem","features":[626]},{"name":"IInkPresenterDesktop","features":[626]},{"name":"INK_HIGH_CONTRAST_ADJUSTMENT","features":[626]},{"name":"InkD2DRenderer","features":[626]},{"name":"InkDesktopHost","features":[626]},{"name":"USE_ORIGINAL_COLORS","features":[626]},{"name":"USE_SYSTEM_COLORS","features":[626]},{"name":"USE_SYSTEM_COLORS_WHEN_NECESSARY","features":[626]}],"657":[{"name":"ACTIVATE_KEYBOARD_LAYOUT_FLAGS","features":[627]},{"name":"ACUTE","features":[627]},{"name":"AX_KBD_DESKTOP_TYPE","features":[627]},{"name":"ActivateKeyboardLayout","features":[627,625]},{"name":"BREVE","features":[627]},{"name":"BlockInput","features":[308,627]},{"name":"CAPLOK","features":[627]},{"name":"CAPLOKALTGR","features":[627]},{"name":"CEDILLA","features":[627]},{"name":"CIRCUMFLEX","features":[627]},{"name":"DEADKEY","features":[627]},{"name":"DEC_KBD_ANSI_LAYOUT_TYPE","features":[627]},{"name":"DEC_KBD_JIS_LAYOUT_TYPE","features":[627]},{"name":"DIARESIS","features":[627]},{"name":"DIARESIS_TONOS","features":[627]},{"name":"DKF_DEAD","features":[627]},{"name":"DONTCARE_BIT","features":[627]},{"name":"DOT_ABOVE","features":[627]},{"name":"DOUBLE_ACUTE","features":[627]},{"name":"DragDetect","features":[308,627]},{"name":"EXTENDED_BIT","features":[627]},{"name":"EnableWindow","features":[308,627]},{"name":"FAKE_KEYSTROKE","features":[627]},{"name":"FMR_KBD_JIS_TYPE","features":[627]},{"name":"FMR_KBD_OASYS_TYPE","features":[627]},{"name":"FMV_KBD_OASYS_TYPE","features":[627]},{"name":"GET_MOUSE_MOVE_POINTS_EX_RESOLUTION","features":[627]},{"name":"GMMP_USE_DISPLAY_POINTS","features":[627]},{"name":"GMMP_USE_HIGH_RESOLUTION_POINTS","features":[627]},{"name":"GRAVE","features":[627]},{"name":"GRPSELTAP","features":[627]},{"name":"GetActiveWindow","features":[308,627]},{"name":"GetAsyncKeyState","features":[627]},{"name":"GetCapture","features":[308,627]},{"name":"GetDoubleClickTime","features":[627]},{"name":"GetFocus","features":[308,627]},{"name":"GetKBCodePage","features":[627]},{"name":"GetKeyNameTextA","features":[627]},{"name":"GetKeyNameTextW","features":[627]},{"name":"GetKeyState","features":[627]},{"name":"GetKeyboardLayout","features":[627,625]},{"name":"GetKeyboardLayoutList","features":[627,625]},{"name":"GetKeyboardLayoutNameA","features":[308,627]},{"name":"GetKeyboardLayoutNameW","features":[308,627]},{"name":"GetKeyboardState","features":[308,627]},{"name":"GetKeyboardType","features":[627]},{"name":"GetLastInputInfo","features":[308,627]},{"name":"GetMouseMovePointsEx","features":[627]},{"name":"HACEK","features":[627]},{"name":"HARDWAREINPUT","features":[627]},{"name":"HOOK_ABOVE","features":[627]},{"name":"HOT_KEY_MODIFIERS","features":[627]},{"name":"INPUT","features":[627]},{"name":"INPUT_HARDWARE","features":[627]},{"name":"INPUT_KEYBOARD","features":[627]},{"name":"INPUT_MOUSE","features":[627]},{"name":"INPUT_TYPE","features":[627]},{"name":"IsWindowEnabled","features":[308,627]},{"name":"KANALOK","features":[627]},{"name":"KBDALT","features":[627]},{"name":"KBDBASE","features":[627]},{"name":"KBDCTRL","features":[627]},{"name":"KBDGRPSELTAP","features":[627]},{"name":"KBDKANA","features":[627]},{"name":"KBDLOYA","features":[627]},{"name":"KBDNLSTABLES","features":[627]},{"name":"KBDNLS_ALPHANUM","features":[627]},{"name":"KBDNLS_CODEINPUT","features":[627]},{"name":"KBDNLS_CONV_OR_NONCONV","features":[627]},{"name":"KBDNLS_HELP_OR_END","features":[627]},{"name":"KBDNLS_HIRAGANA","features":[627]},{"name":"KBDNLS_HOME_OR_CLEAR","features":[627]},{"name":"KBDNLS_INDEX_ALT","features":[627]},{"name":"KBDNLS_INDEX_NORMAL","features":[627]},{"name":"KBDNLS_KANAEVENT","features":[627]},{"name":"KBDNLS_KANALOCK","features":[627]},{"name":"KBDNLS_KATAKANA","features":[627]},{"name":"KBDNLS_NOEVENT","features":[627]},{"name":"KBDNLS_NULL","features":[627]},{"name":"KBDNLS_NUMPAD","features":[627]},{"name":"KBDNLS_ROMAN","features":[627]},{"name":"KBDNLS_SBCSDBCS","features":[627]},{"name":"KBDNLS_SEND_BASE_VK","features":[627]},{"name":"KBDNLS_SEND_PARAM_VK","features":[627]},{"name":"KBDNLS_TYPE_NORMAL","features":[627]},{"name":"KBDNLS_TYPE_NULL","features":[627]},{"name":"KBDNLS_TYPE_TOGGLE","features":[627]},{"name":"KBDROYA","features":[627]},{"name":"KBDSHIFT","features":[627]},{"name":"KBDTABLES","features":[627]},{"name":"KBDTABLE_DESC","features":[627]},{"name":"KBDTABLE_MULTI","features":[627]},{"name":"KBDTABLE_MULTI_MAX","features":[627]},{"name":"KBD_TYPE","features":[627]},{"name":"KBD_TYPE_INFO","features":[627]},{"name":"KBD_VERSION","features":[627]},{"name":"KEYBDINPUT","features":[627]},{"name":"KEYBD_EVENT_FLAGS","features":[627]},{"name":"KEYBOARD_TYPE_GENERIC_101","features":[627]},{"name":"KEYBOARD_TYPE_JAPAN","features":[627]},{"name":"KEYBOARD_TYPE_KOREA","features":[627]},{"name":"KEYBOARD_TYPE_UNKNOWN","features":[627]},{"name":"KEYEVENTF_EXTENDEDKEY","features":[627]},{"name":"KEYEVENTF_KEYUP","features":[627]},{"name":"KEYEVENTF_SCANCODE","features":[627]},{"name":"KEYEVENTF_UNICODE","features":[627]},{"name":"KLF_ACTIVATE","features":[627]},{"name":"KLF_NOTELLSHELL","features":[627]},{"name":"KLF_REORDER","features":[627]},{"name":"KLF_REPLACELANG","features":[627]},{"name":"KLF_RESET","features":[627]},{"name":"KLF_SETFORPROCESS","features":[627]},{"name":"KLF_SHIFTLOCK","features":[627]},{"name":"KLF_SUBSTITUTE_OK","features":[627]},{"name":"KLLF_ALTGR","features":[627]},{"name":"KLLF_GLOBAL_ATTRS","features":[627]},{"name":"KLLF_LRM_RLM","features":[627]},{"name":"KLLF_SHIFTLOCK","features":[627]},{"name":"LASTINPUTINFO","features":[627]},{"name":"LIGATURE1","features":[627]},{"name":"LIGATURE2","features":[627]},{"name":"LIGATURE3","features":[627]},{"name":"LIGATURE4","features":[627]},{"name":"LIGATURE5","features":[627]},{"name":"LoadKeyboardLayoutA","features":[627,625]},{"name":"LoadKeyboardLayoutW","features":[627,625]},{"name":"MACRON","features":[627]},{"name":"MAPVK_VK_TO_CHAR","features":[627]},{"name":"MAPVK_VK_TO_VSC","features":[627]},{"name":"MAPVK_VK_TO_VSC_EX","features":[627]},{"name":"MAPVK_VSC_TO_VK","features":[627]},{"name":"MAPVK_VSC_TO_VK_EX","features":[627]},{"name":"MAP_VIRTUAL_KEY_TYPE","features":[627]},{"name":"MICROSOFT_KBD_001_TYPE","features":[627]},{"name":"MICROSOFT_KBD_002_TYPE","features":[627]},{"name":"MICROSOFT_KBD_101A_TYPE","features":[627]},{"name":"MICROSOFT_KBD_101B_TYPE","features":[627]},{"name":"MICROSOFT_KBD_101C_TYPE","features":[627]},{"name":"MICROSOFT_KBD_101_TYPE","features":[627]},{"name":"MICROSOFT_KBD_103_TYPE","features":[627]},{"name":"MICROSOFT_KBD_106_TYPE","features":[627]},{"name":"MICROSOFT_KBD_AX_TYPE","features":[627]},{"name":"MICROSOFT_KBD_FUNC","features":[627]},{"name":"MODIFIERS","features":[627]},{"name":"MOD_ALT","features":[627]},{"name":"MOD_CONTROL","features":[627]},{"name":"MOD_NOREPEAT","features":[627]},{"name":"MOD_SHIFT","features":[627]},{"name":"MOD_WIN","features":[627]},{"name":"MOUSEEVENTF_ABSOLUTE","features":[627]},{"name":"MOUSEEVENTF_HWHEEL","features":[627]},{"name":"MOUSEEVENTF_LEFTDOWN","features":[627]},{"name":"MOUSEEVENTF_LEFTUP","features":[627]},{"name":"MOUSEEVENTF_MIDDLEDOWN","features":[627]},{"name":"MOUSEEVENTF_MIDDLEUP","features":[627]},{"name":"MOUSEEVENTF_MOVE","features":[627]},{"name":"MOUSEEVENTF_MOVE_NOCOALESCE","features":[627]},{"name":"MOUSEEVENTF_RIGHTDOWN","features":[627]},{"name":"MOUSEEVENTF_RIGHTUP","features":[627]},{"name":"MOUSEEVENTF_VIRTUALDESK","features":[627]},{"name":"MOUSEEVENTF_WHEEL","features":[627]},{"name":"MOUSEEVENTF_XDOWN","features":[627]},{"name":"MOUSEEVENTF_XUP","features":[627]},{"name":"MOUSEINPUT","features":[627]},{"name":"MOUSEMOVEPOINT","features":[627]},{"name":"MOUSE_EVENT_FLAGS","features":[627]},{"name":"MapVirtualKeyA","features":[627]},{"name":"MapVirtualKeyExA","features":[627,625]},{"name":"MapVirtualKeyExW","features":[627,625]},{"name":"MapVirtualKeyW","features":[627]},{"name":"NEC_KBD_106_TYPE","features":[627]},{"name":"NEC_KBD_H_MODE_TYPE","features":[627]},{"name":"NEC_KBD_LAPTOP_TYPE","features":[627]},{"name":"NEC_KBD_NORMAL_TYPE","features":[627]},{"name":"NEC_KBD_N_MODE_TYPE","features":[627]},{"name":"NLSKBD_INFO_ACCESSIBILITY_KEYMAP","features":[627]},{"name":"NLSKBD_INFO_EMURATE_101_KEYBOARD","features":[627]},{"name":"NLSKBD_INFO_EMURATE_106_KEYBOARD","features":[627]},{"name":"NLSKBD_INFO_SEND_IME_NOTIFICATION","features":[627]},{"name":"NLSKBD_OEM_AX","features":[627]},{"name":"NLSKBD_OEM_DEC","features":[627]},{"name":"NLSKBD_OEM_EPSON","features":[627]},{"name":"NLSKBD_OEM_FUJITSU","features":[627]},{"name":"NLSKBD_OEM_IBM","features":[627]},{"name":"NLSKBD_OEM_MATSUSHITA","features":[627]},{"name":"NLSKBD_OEM_MICROSOFT","features":[627]},{"name":"NLSKBD_OEM_NEC","features":[627]},{"name":"NLSKBD_OEM_TOSHIBA","features":[627]},{"name":"OGONEK","features":[627]},{"name":"OVERSCORE","features":[627]},{"name":"OemKeyScan","features":[627]},{"name":"RING","features":[627]},{"name":"RegisterHotKey","features":[308,627]},{"name":"ReleaseCapture","features":[308,627]},{"name":"SCANCODE_ALT","features":[627]},{"name":"SCANCODE_CTRL","features":[627]},{"name":"SCANCODE_LSHIFT","features":[627]},{"name":"SCANCODE_LWIN","features":[627]},{"name":"SCANCODE_NUMPAD_FIRST","features":[627]},{"name":"SCANCODE_NUMPAD_LAST","features":[627]},{"name":"SCANCODE_RSHIFT","features":[627]},{"name":"SCANCODE_RWIN","features":[627]},{"name":"SCANCODE_THAI_LAYOUT_TOGGLE","features":[627]},{"name":"SGCAPS","features":[627]},{"name":"SHFT_INVALID","features":[627]},{"name":"SendInput","features":[627]},{"name":"SetActiveWindow","features":[308,627]},{"name":"SetCapture","features":[308,627]},{"name":"SetDoubleClickTime","features":[308,627]},{"name":"SetFocus","features":[308,627]},{"name":"SetKeyboardState","features":[308,627]},{"name":"SwapMouseButton","features":[308,627]},{"name":"TILDE","features":[627]},{"name":"TME_CANCEL","features":[627]},{"name":"TME_HOVER","features":[627]},{"name":"TME_LEAVE","features":[627]},{"name":"TME_NONCLIENT","features":[627]},{"name":"TME_QUERY","features":[627]},{"name":"TONOS","features":[627]},{"name":"TOSHIBA_KBD_DESKTOP_TYPE","features":[627]},{"name":"TOSHIBA_KBD_LAPTOP_TYPE","features":[627]},{"name":"TRACKMOUSEEVENT","features":[308,627]},{"name":"TRACKMOUSEEVENT_FLAGS","features":[627]},{"name":"ToAscii","features":[627]},{"name":"ToAsciiEx","features":[627,625]},{"name":"ToUnicode","features":[627]},{"name":"ToUnicodeEx","features":[627,625]},{"name":"TrackMouseEvent","features":[308,627]},{"name":"UMLAUT","features":[627]},{"name":"UnloadKeyboardLayout","features":[308,627,625]},{"name":"UnregisterHotKey","features":[308,627]},{"name":"VIRTUAL_KEY","features":[627]},{"name":"VK_0","features":[627]},{"name":"VK_1","features":[627]},{"name":"VK_2","features":[627]},{"name":"VK_3","features":[627]},{"name":"VK_4","features":[627]},{"name":"VK_5","features":[627]},{"name":"VK_6","features":[627]},{"name":"VK_7","features":[627]},{"name":"VK_8","features":[627]},{"name":"VK_9","features":[627]},{"name":"VK_A","features":[627]},{"name":"VK_ABNT_C1","features":[627]},{"name":"VK_ABNT_C2","features":[627]},{"name":"VK_ACCEPT","features":[627]},{"name":"VK_ADD","features":[627]},{"name":"VK_APPS","features":[627]},{"name":"VK_ATTN","features":[627]},{"name":"VK_B","features":[627]},{"name":"VK_BACK","features":[627]},{"name":"VK_BROWSER_BACK","features":[627]},{"name":"VK_BROWSER_FAVORITES","features":[627]},{"name":"VK_BROWSER_FORWARD","features":[627]},{"name":"VK_BROWSER_HOME","features":[627]},{"name":"VK_BROWSER_REFRESH","features":[627]},{"name":"VK_BROWSER_SEARCH","features":[627]},{"name":"VK_BROWSER_STOP","features":[627]},{"name":"VK_C","features":[627]},{"name":"VK_CANCEL","features":[627]},{"name":"VK_CAPITAL","features":[627]},{"name":"VK_CLEAR","features":[627]},{"name":"VK_CONTROL","features":[627]},{"name":"VK_CONVERT","features":[627]},{"name":"VK_CRSEL","features":[627]},{"name":"VK_D","features":[627]},{"name":"VK_DBE_ALPHANUMERIC","features":[627]},{"name":"VK_DBE_CODEINPUT","features":[627]},{"name":"VK_DBE_DBCSCHAR","features":[627]},{"name":"VK_DBE_DETERMINESTRING","features":[627]},{"name":"VK_DBE_ENTERDLGCONVERSIONMODE","features":[627]},{"name":"VK_DBE_ENTERIMECONFIGMODE","features":[627]},{"name":"VK_DBE_ENTERWORDREGISTERMODE","features":[627]},{"name":"VK_DBE_FLUSHSTRING","features":[627]},{"name":"VK_DBE_HIRAGANA","features":[627]},{"name":"VK_DBE_KATAKANA","features":[627]},{"name":"VK_DBE_NOCODEINPUT","features":[627]},{"name":"VK_DBE_NOROMAN","features":[627]},{"name":"VK_DBE_ROMAN","features":[627]},{"name":"VK_DBE_SBCSCHAR","features":[627]},{"name":"VK_DECIMAL","features":[627]},{"name":"VK_DELETE","features":[627]},{"name":"VK_DIVIDE","features":[627]},{"name":"VK_DOWN","features":[627]},{"name":"VK_E","features":[627]},{"name":"VK_END","features":[627]},{"name":"VK_EREOF","features":[627]},{"name":"VK_ESCAPE","features":[627]},{"name":"VK_EXECUTE","features":[627]},{"name":"VK_EXSEL","features":[627]},{"name":"VK_F","features":[627]},{"name":"VK_F","features":[627]},{"name":"VK_F1","features":[627]},{"name":"VK_F10","features":[627]},{"name":"VK_F11","features":[627]},{"name":"VK_F12","features":[627]},{"name":"VK_F13","features":[627]},{"name":"VK_F14","features":[627]},{"name":"VK_F15","features":[627]},{"name":"VK_F16","features":[627]},{"name":"VK_F17","features":[627]},{"name":"VK_F18","features":[627]},{"name":"VK_F19","features":[627]},{"name":"VK_F2","features":[627]},{"name":"VK_F20","features":[627]},{"name":"VK_F21","features":[627]},{"name":"VK_F22","features":[627]},{"name":"VK_F23","features":[627]},{"name":"VK_F24","features":[627]},{"name":"VK_F3","features":[627]},{"name":"VK_F4","features":[627]},{"name":"VK_F5","features":[627]},{"name":"VK_F6","features":[627]},{"name":"VK_F7","features":[627]},{"name":"VK_F8","features":[627]},{"name":"VK_F9","features":[627]},{"name":"VK_FINAL","features":[627]},{"name":"VK_FPARAM","features":[627]},{"name":"VK_G","features":[627]},{"name":"VK_GAMEPAD_A","features":[627]},{"name":"VK_GAMEPAD_B","features":[627]},{"name":"VK_GAMEPAD_DPAD_DOWN","features":[627]},{"name":"VK_GAMEPAD_DPAD_LEFT","features":[627]},{"name":"VK_GAMEPAD_DPAD_RIGHT","features":[627]},{"name":"VK_GAMEPAD_DPAD_UP","features":[627]},{"name":"VK_GAMEPAD_LEFT_SHOULDER","features":[627]},{"name":"VK_GAMEPAD_LEFT_THUMBSTICK_BUTTON","features":[627]},{"name":"VK_GAMEPAD_LEFT_THUMBSTICK_DOWN","features":[627]},{"name":"VK_GAMEPAD_LEFT_THUMBSTICK_LEFT","features":[627]},{"name":"VK_GAMEPAD_LEFT_THUMBSTICK_RIGHT","features":[627]},{"name":"VK_GAMEPAD_LEFT_THUMBSTICK_UP","features":[627]},{"name":"VK_GAMEPAD_LEFT_TRIGGER","features":[627]},{"name":"VK_GAMEPAD_MENU","features":[627]},{"name":"VK_GAMEPAD_RIGHT_SHOULDER","features":[627]},{"name":"VK_GAMEPAD_RIGHT_THUMBSTICK_BUTTON","features":[627]},{"name":"VK_GAMEPAD_RIGHT_THUMBSTICK_DOWN","features":[627]},{"name":"VK_GAMEPAD_RIGHT_THUMBSTICK_LEFT","features":[627]},{"name":"VK_GAMEPAD_RIGHT_THUMBSTICK_RIGHT","features":[627]},{"name":"VK_GAMEPAD_RIGHT_THUMBSTICK_UP","features":[627]},{"name":"VK_GAMEPAD_RIGHT_TRIGGER","features":[627]},{"name":"VK_GAMEPAD_VIEW","features":[627]},{"name":"VK_GAMEPAD_X","features":[627]},{"name":"VK_GAMEPAD_Y","features":[627]},{"name":"VK_H","features":[627]},{"name":"VK_HANGEUL","features":[627]},{"name":"VK_HANGUL","features":[627]},{"name":"VK_HANJA","features":[627]},{"name":"VK_HELP","features":[627]},{"name":"VK_HOME","features":[627]},{"name":"VK_I","features":[627]},{"name":"VK_ICO_00","features":[627]},{"name":"VK_ICO_CLEAR","features":[627]},{"name":"VK_ICO_HELP","features":[627]},{"name":"VK_IME_OFF","features":[627]},{"name":"VK_IME_ON","features":[627]},{"name":"VK_INSERT","features":[627]},{"name":"VK_J","features":[627]},{"name":"VK_JUNJA","features":[627]},{"name":"VK_K","features":[627]},{"name":"VK_KANA","features":[627]},{"name":"VK_KANJI","features":[627]},{"name":"VK_L","features":[627]},{"name":"VK_LAUNCH_APP1","features":[627]},{"name":"VK_LAUNCH_APP2","features":[627]},{"name":"VK_LAUNCH_MAIL","features":[627]},{"name":"VK_LAUNCH_MEDIA_SELECT","features":[627]},{"name":"VK_LBUTTON","features":[627]},{"name":"VK_LCONTROL","features":[627]},{"name":"VK_LEFT","features":[627]},{"name":"VK_LMENU","features":[627]},{"name":"VK_LSHIFT","features":[627]},{"name":"VK_LWIN","features":[627]},{"name":"VK_M","features":[627]},{"name":"VK_MBUTTON","features":[627]},{"name":"VK_MEDIA_NEXT_TRACK","features":[627]},{"name":"VK_MEDIA_PLAY_PAUSE","features":[627]},{"name":"VK_MEDIA_PREV_TRACK","features":[627]},{"name":"VK_MEDIA_STOP","features":[627]},{"name":"VK_MENU","features":[627]},{"name":"VK_MODECHANGE","features":[627]},{"name":"VK_MULTIPLY","features":[627]},{"name":"VK_N","features":[627]},{"name":"VK_NAVIGATION_ACCEPT","features":[627]},{"name":"VK_NAVIGATION_CANCEL","features":[627]},{"name":"VK_NAVIGATION_DOWN","features":[627]},{"name":"VK_NAVIGATION_LEFT","features":[627]},{"name":"VK_NAVIGATION_MENU","features":[627]},{"name":"VK_NAVIGATION_RIGHT","features":[627]},{"name":"VK_NAVIGATION_UP","features":[627]},{"name":"VK_NAVIGATION_VIEW","features":[627]},{"name":"VK_NEXT","features":[627]},{"name":"VK_NONAME","features":[627]},{"name":"VK_NONCONVERT","features":[627]},{"name":"VK_NUMLOCK","features":[627]},{"name":"VK_NUMPAD0","features":[627]},{"name":"VK_NUMPAD1","features":[627]},{"name":"VK_NUMPAD2","features":[627]},{"name":"VK_NUMPAD3","features":[627]},{"name":"VK_NUMPAD4","features":[627]},{"name":"VK_NUMPAD5","features":[627]},{"name":"VK_NUMPAD6","features":[627]},{"name":"VK_NUMPAD7","features":[627]},{"name":"VK_NUMPAD8","features":[627]},{"name":"VK_NUMPAD9","features":[627]},{"name":"VK_O","features":[627]},{"name":"VK_OEM_1","features":[627]},{"name":"VK_OEM_102","features":[627]},{"name":"VK_OEM_2","features":[627]},{"name":"VK_OEM_3","features":[627]},{"name":"VK_OEM_4","features":[627]},{"name":"VK_OEM_5","features":[627]},{"name":"VK_OEM_6","features":[627]},{"name":"VK_OEM_7","features":[627]},{"name":"VK_OEM_8","features":[627]},{"name":"VK_OEM_ATTN","features":[627]},{"name":"VK_OEM_AUTO","features":[627]},{"name":"VK_OEM_AX","features":[627]},{"name":"VK_OEM_BACKTAB","features":[627]},{"name":"VK_OEM_CLEAR","features":[627]},{"name":"VK_OEM_COMMA","features":[627]},{"name":"VK_OEM_COPY","features":[627]},{"name":"VK_OEM_CUSEL","features":[627]},{"name":"VK_OEM_ENLW","features":[627]},{"name":"VK_OEM_FINISH","features":[627]},{"name":"VK_OEM_FJ_JISHO","features":[627]},{"name":"VK_OEM_FJ_LOYA","features":[627]},{"name":"VK_OEM_FJ_MASSHOU","features":[627]},{"name":"VK_OEM_FJ_ROYA","features":[627]},{"name":"VK_OEM_FJ_TOUROKU","features":[627]},{"name":"VK_OEM_JUMP","features":[627]},{"name":"VK_OEM_MINUS","features":[627]},{"name":"VK_OEM_NEC_EQUAL","features":[627]},{"name":"VK_OEM_PA1","features":[627]},{"name":"VK_OEM_PA2","features":[627]},{"name":"VK_OEM_PA3","features":[627]},{"name":"VK_OEM_PERIOD","features":[627]},{"name":"VK_OEM_PLUS","features":[627]},{"name":"VK_OEM_RESET","features":[627]},{"name":"VK_OEM_WSCTRL","features":[627]},{"name":"VK_P","features":[627]},{"name":"VK_PA1","features":[627]},{"name":"VK_PACKET","features":[627]},{"name":"VK_PAUSE","features":[627]},{"name":"VK_PLAY","features":[627]},{"name":"VK_PRINT","features":[627]},{"name":"VK_PRIOR","features":[627]},{"name":"VK_PROCESSKEY","features":[627]},{"name":"VK_Q","features":[627]},{"name":"VK_R","features":[627]},{"name":"VK_RBUTTON","features":[627]},{"name":"VK_RCONTROL","features":[627]},{"name":"VK_RETURN","features":[627]},{"name":"VK_RIGHT","features":[627]},{"name":"VK_RMENU","features":[627]},{"name":"VK_RSHIFT","features":[627]},{"name":"VK_RWIN","features":[627]},{"name":"VK_S","features":[627]},{"name":"VK_SCROLL","features":[627]},{"name":"VK_SELECT","features":[627]},{"name":"VK_SEPARATOR","features":[627]},{"name":"VK_SHIFT","features":[627]},{"name":"VK_SLEEP","features":[627]},{"name":"VK_SNAPSHOT","features":[627]},{"name":"VK_SPACE","features":[627]},{"name":"VK_SUBTRACT","features":[627]},{"name":"VK_T","features":[627]},{"name":"VK_TAB","features":[627]},{"name":"VK_TO_BIT","features":[627]},{"name":"VK_TO_WCHARS1","features":[627]},{"name":"VK_TO_WCHARS10","features":[627]},{"name":"VK_TO_WCHARS2","features":[627]},{"name":"VK_TO_WCHARS3","features":[627]},{"name":"VK_TO_WCHARS4","features":[627]},{"name":"VK_TO_WCHARS5","features":[627]},{"name":"VK_TO_WCHARS6","features":[627]},{"name":"VK_TO_WCHARS7","features":[627]},{"name":"VK_TO_WCHARS8","features":[627]},{"name":"VK_TO_WCHARS9","features":[627]},{"name":"VK_TO_WCHAR_TABLE","features":[627]},{"name":"VK_U","features":[627]},{"name":"VK_UP","features":[627]},{"name":"VK_V","features":[627]},{"name":"VK_VOLUME_DOWN","features":[627]},{"name":"VK_VOLUME_MUTE","features":[627]},{"name":"VK_VOLUME_UP","features":[627]},{"name":"VK_VSC","features":[627]},{"name":"VK_W","features":[627]},{"name":"VK_X","features":[627]},{"name":"VK_XBUTTON1","features":[627]},{"name":"VK_XBUTTON2","features":[627]},{"name":"VK_Y","features":[627]},{"name":"VK_Z","features":[627]},{"name":"VK_ZOOM","features":[627]},{"name":"VK__none_","features":[627]},{"name":"VSC_LPWSTR","features":[627]},{"name":"VSC_VK","features":[627]},{"name":"VkKeyScanA","features":[627]},{"name":"VkKeyScanExA","features":[627,625]},{"name":"VkKeyScanExW","features":[627,625]},{"name":"VkKeyScanW","features":[627]},{"name":"WCH_DEAD","features":[627]},{"name":"WCH_LGTR","features":[627]},{"name":"WCH_NONE","features":[627]},{"name":"_TrackMouseEvent","features":[308,627]},{"name":"keybd_event","features":[627]},{"name":"mouse_event","features":[627]},{"name":"wszACUTE","features":[627]},{"name":"wszBREVE","features":[627]},{"name":"wszCEDILLA","features":[627]},{"name":"wszCIRCUMFLEX","features":[627]},{"name":"wszDIARESIS_TONOS","features":[627]},{"name":"wszDOT_ABOVE","features":[627]},{"name":"wszDOUBLE_ACUTE","features":[627]},{"name":"wszGRAVE","features":[627]},{"name":"wszHACEK","features":[627]},{"name":"wszHOOK_ABOVE","features":[627]},{"name":"wszMACRON","features":[627]},{"name":"wszOGONEK","features":[627]},{"name":"wszOVERSCORE","features":[627]},{"name":"wszRING","features":[627]},{"name":"wszTILDE","features":[627]},{"name":"wszTONOS","features":[627]},{"name":"wszUMLAUT","features":[627]}],"658":[{"name":"EnableMouseInPointer","features":[308,620]},{"name":"GetPointerCursorId","features":[308,620]},{"name":"GetPointerDevice","features":[308,319,358,620]},{"name":"GetPointerDeviceCursors","features":[308,358,620]},{"name":"GetPointerDeviceProperties","features":[308,358,620]},{"name":"GetPointerDeviceRects","features":[308,620]},{"name":"GetPointerDevices","features":[308,319,358,620]},{"name":"GetPointerFrameInfo","features":[308,620,370]},{"name":"GetPointerFrameInfoHistory","features":[308,620,370]},{"name":"GetPointerFramePenInfo","features":[308,620,370]},{"name":"GetPointerFramePenInfoHistory","features":[308,620,370]},{"name":"GetPointerFrameTouchInfo","features":[308,620,370]},{"name":"GetPointerFrameTouchInfoHistory","features":[308,620,370]},{"name":"GetPointerInfo","features":[308,620,370]},{"name":"GetPointerInfoHistory","features":[308,620,370]},{"name":"GetPointerInputTransform","features":[308,620]},{"name":"GetPointerPenInfo","features":[308,620,370]},{"name":"GetPointerPenInfoHistory","features":[308,620,370]},{"name":"GetPointerTouchInfo","features":[308,620,370]},{"name":"GetPointerTouchInfoHistory","features":[308,620,370]},{"name":"GetPointerType","features":[308,620,370]},{"name":"GetRawPointerDeviceData","features":[308,358,620]},{"name":"GetUnpredictedMessagePos","features":[620]},{"name":"INPUT_INJECTION_VALUE","features":[620]},{"name":"INPUT_TRANSFORM","features":[620]},{"name":"InitializeTouchInjection","features":[308,620]},{"name":"InjectSyntheticPointerInput","features":[308,358,620,370]},{"name":"InjectTouchInput","features":[308,620,370]},{"name":"IsMouseInPointerEnabled","features":[308,620]},{"name":"POINTER_BUTTON_CHANGE_TYPE","features":[620]},{"name":"POINTER_CHANGE_FIFTHBUTTON_DOWN","features":[620]},{"name":"POINTER_CHANGE_FIFTHBUTTON_UP","features":[620]},{"name":"POINTER_CHANGE_FIRSTBUTTON_DOWN","features":[620]},{"name":"POINTER_CHANGE_FIRSTBUTTON_UP","features":[620]},{"name":"POINTER_CHANGE_FOURTHBUTTON_DOWN","features":[620]},{"name":"POINTER_CHANGE_FOURTHBUTTON_UP","features":[620]},{"name":"POINTER_CHANGE_NONE","features":[620]},{"name":"POINTER_CHANGE_SECONDBUTTON_DOWN","features":[620]},{"name":"POINTER_CHANGE_SECONDBUTTON_UP","features":[620]},{"name":"POINTER_CHANGE_THIRDBUTTON_DOWN","features":[620]},{"name":"POINTER_CHANGE_THIRDBUTTON_UP","features":[620]},{"name":"POINTER_FLAGS","features":[620]},{"name":"POINTER_FLAG_CANCELED","features":[620]},{"name":"POINTER_FLAG_CAPTURECHANGED","features":[620]},{"name":"POINTER_FLAG_CONFIDENCE","features":[620]},{"name":"POINTER_FLAG_DOWN","features":[620]},{"name":"POINTER_FLAG_FIFTHBUTTON","features":[620]},{"name":"POINTER_FLAG_FIRSTBUTTON","features":[620]},{"name":"POINTER_FLAG_FOURTHBUTTON","features":[620]},{"name":"POINTER_FLAG_HASTRANSFORM","features":[620]},{"name":"POINTER_FLAG_HWHEEL","features":[620]},{"name":"POINTER_FLAG_INCONTACT","features":[620]},{"name":"POINTER_FLAG_INRANGE","features":[620]},{"name":"POINTER_FLAG_NEW","features":[620]},{"name":"POINTER_FLAG_NONE","features":[620]},{"name":"POINTER_FLAG_PRIMARY","features":[620]},{"name":"POINTER_FLAG_SECONDBUTTON","features":[620]},{"name":"POINTER_FLAG_THIRDBUTTON","features":[620]},{"name":"POINTER_FLAG_UP","features":[620]},{"name":"POINTER_FLAG_UPDATE","features":[620]},{"name":"POINTER_FLAG_WHEEL","features":[620]},{"name":"POINTER_INFO","features":[308,620,370]},{"name":"POINTER_PEN_INFO","features":[308,620,370]},{"name":"POINTER_TOUCH_INFO","features":[308,620,370]},{"name":"SkipPointerFrameMessages","features":[308,620]},{"name":"TOUCH_FEEDBACK_DEFAULT","features":[620]},{"name":"TOUCH_FEEDBACK_INDIRECT","features":[620]},{"name":"TOUCH_FEEDBACK_MODE","features":[620]},{"name":"TOUCH_FEEDBACK_NONE","features":[620]}],"659":[{"name":"IRadialControllerConfigurationInterop","features":[628]},{"name":"IRadialControllerIndependentInputSourceInterop","features":[628]},{"name":"IRadialControllerInterop","features":[628]}],"660":[{"name":"CloseGestureInfoHandle","features":[308,629]},{"name":"CloseTouchInputHandle","features":[308,629]},{"name":"GESTURECONFIG","features":[629]},{"name":"GESTURECONFIG_ID","features":[629]},{"name":"GESTUREINFO","features":[308,629]},{"name":"GESTURENOTIFYSTRUCT","features":[308,629]},{"name":"GID_BEGIN","features":[629]},{"name":"GID_END","features":[629]},{"name":"GID_PAN","features":[629]},{"name":"GID_PRESSANDTAP","features":[629]},{"name":"GID_ROLLOVER","features":[629]},{"name":"GID_ROTATE","features":[629]},{"name":"GID_TWOFINGERTAP","features":[629]},{"name":"GID_ZOOM","features":[629]},{"name":"GetGestureConfig","features":[308,629]},{"name":"GetGestureExtraArgs","features":[308,629]},{"name":"GetGestureInfo","features":[308,629]},{"name":"GetTouchInputInfo","features":[308,629]},{"name":"HGESTUREINFO","features":[629]},{"name":"HTOUCHINPUT","features":[629]},{"name":"IInertiaProcessor","features":[629]},{"name":"IManipulationProcessor","features":[629]},{"name":"InertiaProcessor","features":[629]},{"name":"IsTouchWindow","features":[308,629]},{"name":"MANIPULATION_ALL","features":[629]},{"name":"MANIPULATION_NONE","features":[629]},{"name":"MANIPULATION_PROCESSOR_MANIPULATIONS","features":[629]},{"name":"MANIPULATION_ROTATE","features":[629]},{"name":"MANIPULATION_SCALE","features":[629]},{"name":"MANIPULATION_TRANSLATE_X","features":[629]},{"name":"MANIPULATION_TRANSLATE_Y","features":[629]},{"name":"ManipulationProcessor","features":[629]},{"name":"REGISTER_TOUCH_WINDOW_FLAGS","features":[629]},{"name":"RegisterTouchWindow","features":[308,629]},{"name":"SetGestureConfig","features":[308,629]},{"name":"TOUCHEVENTF_DOWN","features":[629]},{"name":"TOUCHEVENTF_FLAGS","features":[629]},{"name":"TOUCHEVENTF_INRANGE","features":[629]},{"name":"TOUCHEVENTF_MOVE","features":[629]},{"name":"TOUCHEVENTF_NOCOALESCE","features":[629]},{"name":"TOUCHEVENTF_PALM","features":[629]},{"name":"TOUCHEVENTF_PEN","features":[629]},{"name":"TOUCHEVENTF_PRIMARY","features":[629]},{"name":"TOUCHEVENTF_UP","features":[629]},{"name":"TOUCHINPUT","features":[308,629]},{"name":"TOUCHINPUTMASKF_CONTACTAREA","features":[629]},{"name":"TOUCHINPUTMASKF_EXTRAINFO","features":[629]},{"name":"TOUCHINPUTMASKF_MASK","features":[629]},{"name":"TOUCHINPUTMASKF_TIMEFROMSYSTEM","features":[629]},{"name":"TWF_FINETOUCH","features":[629]},{"name":"TWF_WANTPALM","features":[629]},{"name":"UnregisterTouchWindow","features":[308,629]},{"name":"_IManipulationEvents","features":[629]}],"661":[{"name":"BATTERY_DEVTYPE","features":[630]},{"name":"BATTERY_DEVTYPE_GAMEPAD","features":[630]},{"name":"BATTERY_DEVTYPE_HEADSET","features":[630]},{"name":"BATTERY_LEVEL","features":[630]},{"name":"BATTERY_LEVEL_EMPTY","features":[630]},{"name":"BATTERY_LEVEL_FULL","features":[630]},{"name":"BATTERY_LEVEL_LOW","features":[630]},{"name":"BATTERY_LEVEL_MEDIUM","features":[630]},{"name":"BATTERY_TYPE","features":[630]},{"name":"BATTERY_TYPE_ALKALINE","features":[630]},{"name":"BATTERY_TYPE_DISCONNECTED","features":[630]},{"name":"BATTERY_TYPE_NIMH","features":[630]},{"name":"BATTERY_TYPE_UNKNOWN","features":[630]},{"name":"BATTERY_TYPE_WIRED","features":[630]},{"name":"VK_PAD_A","features":[630]},{"name":"VK_PAD_B","features":[630]},{"name":"VK_PAD_BACK","features":[630]},{"name":"VK_PAD_DPAD_DOWN","features":[630]},{"name":"VK_PAD_DPAD_LEFT","features":[630]},{"name":"VK_PAD_DPAD_RIGHT","features":[630]},{"name":"VK_PAD_DPAD_UP","features":[630]},{"name":"VK_PAD_LSHOULDER","features":[630]},{"name":"VK_PAD_LTHUMB_DOWN","features":[630]},{"name":"VK_PAD_LTHUMB_DOWNLEFT","features":[630]},{"name":"VK_PAD_LTHUMB_DOWNRIGHT","features":[630]},{"name":"VK_PAD_LTHUMB_LEFT","features":[630]},{"name":"VK_PAD_LTHUMB_PRESS","features":[630]},{"name":"VK_PAD_LTHUMB_RIGHT","features":[630]},{"name":"VK_PAD_LTHUMB_UP","features":[630]},{"name":"VK_PAD_LTHUMB_UPLEFT","features":[630]},{"name":"VK_PAD_LTHUMB_UPRIGHT","features":[630]},{"name":"VK_PAD_LTRIGGER","features":[630]},{"name":"VK_PAD_RSHOULDER","features":[630]},{"name":"VK_PAD_RTHUMB_DOWN","features":[630]},{"name":"VK_PAD_RTHUMB_DOWNLEFT","features":[630]},{"name":"VK_PAD_RTHUMB_DOWNRIGHT","features":[630]},{"name":"VK_PAD_RTHUMB_LEFT","features":[630]},{"name":"VK_PAD_RTHUMB_PRESS","features":[630]},{"name":"VK_PAD_RTHUMB_RIGHT","features":[630]},{"name":"VK_PAD_RTHUMB_UP","features":[630]},{"name":"VK_PAD_RTHUMB_UPLEFT","features":[630]},{"name":"VK_PAD_RTHUMB_UPRIGHT","features":[630]},{"name":"VK_PAD_RTRIGGER","features":[630]},{"name":"VK_PAD_START","features":[630]},{"name":"VK_PAD_X","features":[630]},{"name":"VK_PAD_Y","features":[630]},{"name":"XINPUT_BATTERY_INFORMATION","features":[630]},{"name":"XINPUT_CAPABILITIES","features":[630]},{"name":"XINPUT_CAPABILITIES_FLAGS","features":[630]},{"name":"XINPUT_CAPS_FFB_SUPPORTED","features":[630]},{"name":"XINPUT_CAPS_NO_NAVIGATION","features":[630]},{"name":"XINPUT_CAPS_PMD_SUPPORTED","features":[630]},{"name":"XINPUT_CAPS_VOICE_SUPPORTED","features":[630]},{"name":"XINPUT_CAPS_WIRELESS","features":[630]},{"name":"XINPUT_DEVSUBTYPE","features":[630]},{"name":"XINPUT_DEVSUBTYPE_ARCADE_PAD","features":[630]},{"name":"XINPUT_DEVSUBTYPE_ARCADE_STICK","features":[630]},{"name":"XINPUT_DEVSUBTYPE_DANCE_PAD","features":[630]},{"name":"XINPUT_DEVSUBTYPE_DRUM_KIT","features":[630]},{"name":"XINPUT_DEVSUBTYPE_FLIGHT_STICK","features":[630]},{"name":"XINPUT_DEVSUBTYPE_GAMEPAD","features":[630]},{"name":"XINPUT_DEVSUBTYPE_GUITAR","features":[630]},{"name":"XINPUT_DEVSUBTYPE_GUITAR_ALTERNATE","features":[630]},{"name":"XINPUT_DEVSUBTYPE_GUITAR_BASS","features":[630]},{"name":"XINPUT_DEVSUBTYPE_UNKNOWN","features":[630]},{"name":"XINPUT_DEVSUBTYPE_WHEEL","features":[630]},{"name":"XINPUT_DEVTYPE","features":[630]},{"name":"XINPUT_DEVTYPE_GAMEPAD","features":[630]},{"name":"XINPUT_DLL","features":[630]},{"name":"XINPUT_DLL_A","features":[630]},{"name":"XINPUT_DLL_W","features":[630]},{"name":"XINPUT_FLAG","features":[630]},{"name":"XINPUT_FLAG_ALL","features":[630]},{"name":"XINPUT_FLAG_GAMEPAD","features":[630]},{"name":"XINPUT_GAMEPAD","features":[630]},{"name":"XINPUT_GAMEPAD_A","features":[630]},{"name":"XINPUT_GAMEPAD_B","features":[630]},{"name":"XINPUT_GAMEPAD_BACK","features":[630]},{"name":"XINPUT_GAMEPAD_BUTTON_FLAGS","features":[630]},{"name":"XINPUT_GAMEPAD_DPAD_DOWN","features":[630]},{"name":"XINPUT_GAMEPAD_DPAD_LEFT","features":[630]},{"name":"XINPUT_GAMEPAD_DPAD_RIGHT","features":[630]},{"name":"XINPUT_GAMEPAD_DPAD_UP","features":[630]},{"name":"XINPUT_GAMEPAD_LEFT_SHOULDER","features":[630]},{"name":"XINPUT_GAMEPAD_LEFT_THUMB","features":[630]},{"name":"XINPUT_GAMEPAD_LEFT_THUMB_DEADZONE","features":[630]},{"name":"XINPUT_GAMEPAD_RIGHT_SHOULDER","features":[630]},{"name":"XINPUT_GAMEPAD_RIGHT_THUMB","features":[630]},{"name":"XINPUT_GAMEPAD_RIGHT_THUMB_DEADZONE","features":[630]},{"name":"XINPUT_GAMEPAD_START","features":[630]},{"name":"XINPUT_GAMEPAD_TRIGGER_THRESHOLD","features":[630]},{"name":"XINPUT_GAMEPAD_X","features":[630]},{"name":"XINPUT_GAMEPAD_Y","features":[630]},{"name":"XINPUT_KEYSTROKE","features":[630]},{"name":"XINPUT_KEYSTROKE_FLAGS","features":[630]},{"name":"XINPUT_KEYSTROKE_KEYDOWN","features":[630]},{"name":"XINPUT_KEYSTROKE_KEYUP","features":[630]},{"name":"XINPUT_KEYSTROKE_REPEAT","features":[630]},{"name":"XINPUT_STATE","features":[630]},{"name":"XINPUT_VIBRATION","features":[630]},{"name":"XINPUT_VIRTUAL_KEY","features":[630]},{"name":"XInputEnable","features":[308,630]},{"name":"XInputGetAudioDeviceIds","features":[630]},{"name":"XInputGetBatteryInformation","features":[630]},{"name":"XInputGetCapabilities","features":[630]},{"name":"XInputGetKeystroke","features":[630]},{"name":"XInputGetState","features":[630]},{"name":"XInputSetState","features":[630]},{"name":"XUSER_INDEX_ANY","features":[630]},{"name":"XUSER_MAX_COUNT","features":[630]}],"662":[{"name":"AddPointerInteractionContext","features":[631]},{"name":"BufferPointerPacketsInteractionContext","features":[308,620,631,370]},{"name":"CROSS_SLIDE_FLAGS","features":[631]},{"name":"CROSS_SLIDE_FLAGS_MAX","features":[631]},{"name":"CROSS_SLIDE_FLAGS_NONE","features":[631]},{"name":"CROSS_SLIDE_FLAGS_REARRANGE","features":[631]},{"name":"CROSS_SLIDE_FLAGS_SELECT","features":[631]},{"name":"CROSS_SLIDE_FLAGS_SPEED_BUMP","features":[631]},{"name":"CROSS_SLIDE_PARAMETER","features":[631]},{"name":"CROSS_SLIDE_THRESHOLD","features":[631]},{"name":"CROSS_SLIDE_THRESHOLD_COUNT","features":[631]},{"name":"CROSS_SLIDE_THRESHOLD_MAX","features":[631]},{"name":"CROSS_SLIDE_THRESHOLD_REARRANGE_START","features":[631]},{"name":"CROSS_SLIDE_THRESHOLD_SELECT_START","features":[631]},{"name":"CROSS_SLIDE_THRESHOLD_SPEED_BUMP_END","features":[631]},{"name":"CROSS_SLIDE_THRESHOLD_SPEED_BUMP_START","features":[631]},{"name":"CreateInteractionContext","features":[631]},{"name":"DestroyInteractionContext","features":[631]},{"name":"GetCrossSlideParameterInteractionContext","features":[631]},{"name":"GetHoldParameterInteractionContext","features":[631]},{"name":"GetInertiaParameterInteractionContext","features":[631]},{"name":"GetInteractionConfigurationInteractionContext","features":[631]},{"name":"GetMouseWheelParameterInteractionContext","features":[631]},{"name":"GetPropertyInteractionContext","features":[631]},{"name":"GetStateInteractionContext","features":[308,620,631,370]},{"name":"GetTapParameterInteractionContext","features":[631]},{"name":"GetTranslationParameterInteractionContext","features":[631]},{"name":"HINTERACTIONCONTEXT","features":[631]},{"name":"HOLD_PARAMETER","features":[631]},{"name":"HOLD_PARAMETER_MAX","features":[631]},{"name":"HOLD_PARAMETER_MAX_CONTACT_COUNT","features":[631]},{"name":"HOLD_PARAMETER_MIN_CONTACT_COUNT","features":[631]},{"name":"HOLD_PARAMETER_THRESHOLD_RADIUS","features":[631]},{"name":"HOLD_PARAMETER_THRESHOLD_START_DELAY","features":[631]},{"name":"INERTIA_PARAMETER","features":[631]},{"name":"INERTIA_PARAMETER_EXPANSION_DECELERATION","features":[631]},{"name":"INERTIA_PARAMETER_EXPANSION_EXPANSION","features":[631]},{"name":"INERTIA_PARAMETER_MAX","features":[631]},{"name":"INERTIA_PARAMETER_ROTATION_ANGLE","features":[631]},{"name":"INERTIA_PARAMETER_ROTATION_DECELERATION","features":[631]},{"name":"INERTIA_PARAMETER_TRANSLATION_DECELERATION","features":[631]},{"name":"INERTIA_PARAMETER_TRANSLATION_DISPLACEMENT","features":[631]},{"name":"INTERACTION_ARGUMENTS_CROSS_SLIDE","features":[631]},{"name":"INTERACTION_ARGUMENTS_MANIPULATION","features":[631]},{"name":"INTERACTION_ARGUMENTS_TAP","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAGS","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_CROSS_SLIDE","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_CROSS_SLIDE_EXACT","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_CROSS_SLIDE_HORIZONTAL","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_CROSS_SLIDE_REARRANGE","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_CROSS_SLIDE_SELECT","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_CROSS_SLIDE_SPEED_BUMP","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_DRAG","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_HOLD","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_HOLD_MOUSE","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_HOLD_MULTIPLE_FINGER","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION_EXACT","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION_MULTIPLE_FINGER_PANNING","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION_RAILS_X","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION_RAILS_Y","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION_ROTATION","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION_ROTATION_INERTIA","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION_SCALING","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION_SCALING_INERTIA","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION_TRANSLATION_INERTIA","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION_TRANSLATION_X","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_MANIPULATION_TRANSLATION_Y","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_MAX","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_NONE","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_SECONDARY_TAP","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_TAP","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_TAP_DOUBLE","features":[631]},{"name":"INTERACTION_CONFIGURATION_FLAG_TAP_MULTIPLE_FINGER","features":[631]},{"name":"INTERACTION_CONTEXT_CONFIGURATION","features":[631]},{"name":"INTERACTION_CONTEXT_OUTPUT","features":[631,370]},{"name":"INTERACTION_CONTEXT_OUTPUT2","features":[631,370]},{"name":"INTERACTION_CONTEXT_OUTPUT_CALLBACK","features":[631,370]},{"name":"INTERACTION_CONTEXT_OUTPUT_CALLBACK2","features":[631,370]},{"name":"INTERACTION_CONTEXT_PROPERTY","features":[631]},{"name":"INTERACTION_CONTEXT_PROPERTY_FILTER_POINTERS","features":[631]},{"name":"INTERACTION_CONTEXT_PROPERTY_INTERACTION_UI_FEEDBACK","features":[631]},{"name":"INTERACTION_CONTEXT_PROPERTY_MAX","features":[631]},{"name":"INTERACTION_CONTEXT_PROPERTY_MEASUREMENT_UNITS","features":[631]},{"name":"INTERACTION_FLAGS","features":[631]},{"name":"INTERACTION_FLAG_BEGIN","features":[631]},{"name":"INTERACTION_FLAG_CANCEL","features":[631]},{"name":"INTERACTION_FLAG_END","features":[631]},{"name":"INTERACTION_FLAG_INERTIA","features":[631]},{"name":"INTERACTION_FLAG_MAX","features":[631]},{"name":"INTERACTION_FLAG_NONE","features":[631]},{"name":"INTERACTION_ID","features":[631]},{"name":"INTERACTION_ID_CROSS_SLIDE","features":[631]},{"name":"INTERACTION_ID_DRAG","features":[631]},{"name":"INTERACTION_ID_HOLD","features":[631]},{"name":"INTERACTION_ID_MANIPULATION","features":[631]},{"name":"INTERACTION_ID_MAX","features":[631]},{"name":"INTERACTION_ID_NONE","features":[631]},{"name":"INTERACTION_ID_SECONDARY_TAP","features":[631]},{"name":"INTERACTION_ID_TAP","features":[631]},{"name":"INTERACTION_STATE","features":[631]},{"name":"INTERACTION_STATE_IDLE","features":[631]},{"name":"INTERACTION_STATE_IN_INTERACTION","features":[631]},{"name":"INTERACTION_STATE_MAX","features":[631]},{"name":"INTERACTION_STATE_POSSIBLE_DOUBLE_TAP","features":[631]},{"name":"MANIPULATION_RAILS_STATE","features":[631]},{"name":"MANIPULATION_RAILS_STATE_FREE","features":[631]},{"name":"MANIPULATION_RAILS_STATE_MAX","features":[631]},{"name":"MANIPULATION_RAILS_STATE_RAILED","features":[631]},{"name":"MANIPULATION_RAILS_STATE_UNDECIDED","features":[631]},{"name":"MANIPULATION_TRANSFORM","features":[631]},{"name":"MANIPULATION_VELOCITY","features":[631]},{"name":"MOUSE_WHEEL_PARAMETER","features":[631]},{"name":"MOUSE_WHEEL_PARAMETER_CHAR_TRANSLATION_X","features":[631]},{"name":"MOUSE_WHEEL_PARAMETER_CHAR_TRANSLATION_Y","features":[631]},{"name":"MOUSE_WHEEL_PARAMETER_DELTA_ROTATION","features":[631]},{"name":"MOUSE_WHEEL_PARAMETER_DELTA_SCALE","features":[631]},{"name":"MOUSE_WHEEL_PARAMETER_MAX","features":[631]},{"name":"MOUSE_WHEEL_PARAMETER_PAGE_TRANSLATION_X","features":[631]},{"name":"MOUSE_WHEEL_PARAMETER_PAGE_TRANSLATION_Y","features":[631]},{"name":"ProcessBufferedPacketsInteractionContext","features":[631]},{"name":"ProcessInertiaInteractionContext","features":[631]},{"name":"ProcessPointerFramesInteractionContext","features":[308,620,631,370]},{"name":"RegisterOutputCallbackInteractionContext","features":[631,370]},{"name":"RegisterOutputCallbackInteractionContext2","features":[631,370]},{"name":"RemovePointerInteractionContext","features":[631]},{"name":"ResetInteractionContext","features":[631]},{"name":"SetCrossSlideParametersInteractionContext","features":[631]},{"name":"SetHoldParameterInteractionContext","features":[631]},{"name":"SetInertiaParameterInteractionContext","features":[631]},{"name":"SetInteractionConfigurationInteractionContext","features":[631]},{"name":"SetMouseWheelParameterInteractionContext","features":[631]},{"name":"SetPivotInteractionContext","features":[631]},{"name":"SetPropertyInteractionContext","features":[631]},{"name":"SetTapParameterInteractionContext","features":[631]},{"name":"SetTranslationParameterInteractionContext","features":[631]},{"name":"StopInteractionContext","features":[631]},{"name":"TAP_PARAMETER","features":[631]},{"name":"TAP_PARAMETER_MAX","features":[631]},{"name":"TAP_PARAMETER_MAX_CONTACT_COUNT","features":[631]},{"name":"TAP_PARAMETER_MIN_CONTACT_COUNT","features":[631]},{"name":"TRANSLATION_PARAMETER","features":[631]},{"name":"TRANSLATION_PARAMETER_MAX","features":[631]},{"name":"TRANSLATION_PARAMETER_MAX_CONTACT_COUNT","features":[631]},{"name":"TRANSLATION_PARAMETER_MIN_CONTACT_COUNT","features":[631]}],"663":[{"name":"ALL_RECONCILE_FLAGS","features":[632]},{"name":"EMPTY_VOLUME_CACHE_FLAGS","features":[632]},{"name":"EVCCBF_LASTNOTIFICATION","features":[632]},{"name":"EVCF_DONTSHOWIFZERO","features":[632]},{"name":"EVCF_ENABLEBYDEFAULT","features":[632]},{"name":"EVCF_ENABLEBYDEFAULT_AUTO","features":[632]},{"name":"EVCF_HASSETTINGS","features":[632]},{"name":"EVCF_OUTOFDISKSPACE","features":[632]},{"name":"EVCF_REMOVEFROMLIST","features":[632]},{"name":"EVCF_SETTINGSMODE","features":[632]},{"name":"EVCF_SYSTEMAUTORUN","features":[632]},{"name":"EVCF_USERCONSENTOBTAINED","features":[632]},{"name":"IADesktopP2","features":[632]},{"name":"IActiveDesktopP","features":[632]},{"name":"IBriefcaseInitiator","features":[632]},{"name":"IEmptyVolumeCache","features":[632]},{"name":"IEmptyVolumeCache2","features":[632]},{"name":"IEmptyVolumeCacheCallBack","features":[632]},{"name":"IReconcilableObject","features":[632]},{"name":"IReconcileInitiator","features":[632]},{"name":"RECONCILEF","features":[632]},{"name":"RECONCILEF_FEEDBACKWINDOWVALID","features":[632]},{"name":"RECONCILEF_MAYBOTHERUSER","features":[632]},{"name":"RECONCILEF_NORESIDUESOK","features":[632]},{"name":"RECONCILEF_OMITSELFRESIDUE","features":[632]},{"name":"RECONCILEF_ONLYYOUWERECHANGED","features":[632]},{"name":"RECONCILEF_RESUMERECONCILIATION","features":[632]},{"name":"RECONCILEF_YOUMAYDOTHEUPDATES","features":[632]},{"name":"REC_E_ABORTED","features":[632]},{"name":"REC_E_INEEDTODOTHEUPDATES","features":[632]},{"name":"REC_E_NOCALLBACK","features":[632]},{"name":"REC_E_NORESIDUES","features":[632]},{"name":"REC_E_TOODIFFERENT","features":[632]},{"name":"REC_S_IDIDTHEUPDATES","features":[632]},{"name":"REC_S_NOTCOMPLETE","features":[632]},{"name":"REC_S_NOTCOMPLETEBUTPROPAGATE","features":[632]},{"name":"STATEBITS_FLAT","features":[632]}],"664":[{"name":"MAGCOLOREFFECT","features":[633]},{"name":"MAGIMAGEHEADER","features":[633]},{"name":"MAGTRANSFORM","features":[633]},{"name":"MS_CLIPAROUNDCURSOR","features":[633]},{"name":"MS_INVERTCOLORS","features":[633]},{"name":"MS_SHOWMAGNIFIEDCURSOR","features":[633]},{"name":"MW_FILTERMODE","features":[633]},{"name":"MW_FILTERMODE_EXCLUDE","features":[633]},{"name":"MW_FILTERMODE_INCLUDE","features":[633]},{"name":"MagGetColorEffect","features":[308,633]},{"name":"MagGetFullscreenColorEffect","features":[308,633]},{"name":"MagGetFullscreenTransform","features":[308,633]},{"name":"MagGetImageScalingCallback","features":[308,319,633]},{"name":"MagGetInputTransform","features":[308,633]},{"name":"MagGetWindowFilterList","features":[308,633]},{"name":"MagGetWindowSource","features":[308,633]},{"name":"MagGetWindowTransform","features":[308,633]},{"name":"MagImageScalingCallback","features":[308,319,633]},{"name":"MagInitialize","features":[308,633]},{"name":"MagSetColorEffect","features":[308,633]},{"name":"MagSetFullscreenColorEffect","features":[308,633]},{"name":"MagSetFullscreenTransform","features":[308,633]},{"name":"MagSetImageScalingCallback","features":[308,319,633]},{"name":"MagSetInputTransform","features":[308,633]},{"name":"MagSetWindowFilterList","features":[308,633]},{"name":"MagSetWindowSource","features":[308,633]},{"name":"MagSetWindowTransform","features":[308,633]},{"name":"MagShowSystemCursor","features":[308,633]},{"name":"MagUninitialize","features":[308,633]},{"name":"WC_MAGNIFIER","features":[633]},{"name":"WC_MAGNIFIERA","features":[633]},{"name":"WC_MAGNIFIERW","features":[633]}],"665":[{"name":"INotificationActivationCallback","features":[634]},{"name":"NOTIFICATION_USER_INPUT_DATA","features":[634]}],"666":[{"name":"IUIApplication","features":[635]},{"name":"IUICollection","features":[635]},{"name":"IUICollectionChangedEvent","features":[635]},{"name":"IUICommandHandler","features":[635]},{"name":"IUIContextualUI","features":[635]},{"name":"IUIEventLogger","features":[635]},{"name":"IUIEventingManager","features":[635]},{"name":"IUIFramework","features":[635]},{"name":"IUIImage","features":[635]},{"name":"IUIImageFromBitmap","features":[635]},{"name":"IUIRibbon","features":[635]},{"name":"IUISimplePropertySet","features":[635]},{"name":"LIBID_UIRibbon","features":[635]},{"name":"UIRibbonFramework","features":[635]},{"name":"UIRibbonImageFromBitmapFactory","features":[635]},{"name":"UI_ALL_COMMANDS","features":[635]},{"name":"UI_COLLECTIONCHANGE","features":[635]},{"name":"UI_COLLECTIONCHANGE_INSERT","features":[635]},{"name":"UI_COLLECTIONCHANGE_REMOVE","features":[635]},{"name":"UI_COLLECTIONCHANGE_REPLACE","features":[635]},{"name":"UI_COLLECTIONCHANGE_RESET","features":[635]},{"name":"UI_COLLECTION_INVALIDINDEX","features":[635]},{"name":"UI_COMMANDTYPE","features":[635]},{"name":"UI_COMMANDTYPE_ACTION","features":[635]},{"name":"UI_COMMANDTYPE_ANCHOR","features":[635]},{"name":"UI_COMMANDTYPE_BOOLEAN","features":[635]},{"name":"UI_COMMANDTYPE_COLLECTION","features":[635]},{"name":"UI_COMMANDTYPE_COLORANCHOR","features":[635]},{"name":"UI_COMMANDTYPE_COLORCOLLECTION","features":[635]},{"name":"UI_COMMANDTYPE_COMMANDCOLLECTION","features":[635]},{"name":"UI_COMMANDTYPE_CONTEXT","features":[635]},{"name":"UI_COMMANDTYPE_DECIMAL","features":[635]},{"name":"UI_COMMANDTYPE_FONT","features":[635]},{"name":"UI_COMMANDTYPE_GROUP","features":[635]},{"name":"UI_COMMANDTYPE_RECENTITEMS","features":[635]},{"name":"UI_COMMANDTYPE_UNKNOWN","features":[635]},{"name":"UI_CONTEXTAVAILABILITY","features":[635]},{"name":"UI_CONTEXTAVAILABILITY_ACTIVE","features":[635]},{"name":"UI_CONTEXTAVAILABILITY_AVAILABLE","features":[635]},{"name":"UI_CONTEXTAVAILABILITY_NOTAVAILABLE","features":[635]},{"name":"UI_CONTROLDOCK","features":[635]},{"name":"UI_CONTROLDOCK_BOTTOM","features":[635]},{"name":"UI_CONTROLDOCK_TOP","features":[635]},{"name":"UI_EVENTLOCATION","features":[635]},{"name":"UI_EVENTLOCATION_ApplicationMenu","features":[635]},{"name":"UI_EVENTLOCATION_ContextPopup","features":[635]},{"name":"UI_EVENTLOCATION_QAT","features":[635]},{"name":"UI_EVENTLOCATION_Ribbon","features":[635]},{"name":"UI_EVENTPARAMS","features":[635]},{"name":"UI_EVENTPARAMS_COMMAND","features":[635]},{"name":"UI_EVENTTYPE","features":[635]},{"name":"UI_EVENTTYPE_ApplicationMenuOpened","features":[635]},{"name":"UI_EVENTTYPE_ApplicationModeSwitched","features":[635]},{"name":"UI_EVENTTYPE_CommandExecuted","features":[635]},{"name":"UI_EVENTTYPE_MenuOpened","features":[635]},{"name":"UI_EVENTTYPE_RibbonExpanded","features":[635]},{"name":"UI_EVENTTYPE_RibbonMinimized","features":[635]},{"name":"UI_EVENTTYPE_TabActivated","features":[635]},{"name":"UI_EVENTTYPE_TooltipShown","features":[635]},{"name":"UI_EXECUTIONVERB","features":[635]},{"name":"UI_EXECUTIONVERB_CANCELPREVIEW","features":[635]},{"name":"UI_EXECUTIONVERB_EXECUTE","features":[635]},{"name":"UI_EXECUTIONVERB_PREVIEW","features":[635]},{"name":"UI_FONTDELTASIZE","features":[635]},{"name":"UI_FONTDELTASIZE_GROW","features":[635]},{"name":"UI_FONTDELTASIZE_SHRINK","features":[635]},{"name":"UI_FONTPROPERTIES","features":[635]},{"name":"UI_FONTPROPERTIES_NOTAVAILABLE","features":[635]},{"name":"UI_FONTPROPERTIES_NOTSET","features":[635]},{"name":"UI_FONTPROPERTIES_SET","features":[635]},{"name":"UI_FONTUNDERLINE","features":[635]},{"name":"UI_FONTUNDERLINE_NOTAVAILABLE","features":[635]},{"name":"UI_FONTUNDERLINE_NOTSET","features":[635]},{"name":"UI_FONTUNDERLINE_SET","features":[635]},{"name":"UI_FONTVERTICALPOSITION","features":[635]},{"name":"UI_FONTVERTICALPOSITION_NOTAVAILABLE","features":[635]},{"name":"UI_FONTVERTICALPOSITION_NOTSET","features":[635]},{"name":"UI_FONTVERTICALPOSITION_SUBSCRIPT","features":[635]},{"name":"UI_FONTVERTICALPOSITION_SUPERSCRIPT","features":[635]},{"name":"UI_INVALIDATIONS","features":[635]},{"name":"UI_INVALIDATIONS_ALLPROPERTIES","features":[635]},{"name":"UI_INVALIDATIONS_PROPERTY","features":[635]},{"name":"UI_INVALIDATIONS_STATE","features":[635]},{"name":"UI_INVALIDATIONS_VALUE","features":[635]},{"name":"UI_OWNERSHIP","features":[635]},{"name":"UI_OWNERSHIP_COPY","features":[635]},{"name":"UI_OWNERSHIP_TRANSFER","features":[635]},{"name":"UI_SWATCHCOLORMODE","features":[635]},{"name":"UI_SWATCHCOLORMODE_MONOCHROME","features":[635]},{"name":"UI_SWATCHCOLORMODE_NORMAL","features":[635]},{"name":"UI_SWATCHCOLORTYPE","features":[635]},{"name":"UI_SWATCHCOLORTYPE_AUTOMATIC","features":[635]},{"name":"UI_SWATCHCOLORTYPE_NOCOLOR","features":[635]},{"name":"UI_SWATCHCOLORTYPE_RGB","features":[635]},{"name":"UI_VIEWTYPE","features":[635]},{"name":"UI_VIEWTYPE_RIBBON","features":[635]},{"name":"UI_VIEWVERB","features":[635]},{"name":"UI_VIEWVERB_CREATE","features":[635]},{"name":"UI_VIEWVERB_DESTROY","features":[635]},{"name":"UI_VIEWVERB_ERROR","features":[635]},{"name":"UI_VIEWVERB_SIZE","features":[635]}],"667":[{"name":"AASHELLMENUFILENAME","features":[469]},{"name":"AASHELLMENUITEM","features":[469]},{"name":"ABE_BOTTOM","features":[469]},{"name":"ABE_LEFT","features":[469]},{"name":"ABE_RIGHT","features":[469]},{"name":"ABE_TOP","features":[469]},{"name":"ABM_ACTIVATE","features":[469]},{"name":"ABM_GETAUTOHIDEBAR","features":[469]},{"name":"ABM_GETAUTOHIDEBAREX","features":[469]},{"name":"ABM_GETSTATE","features":[469]},{"name":"ABM_GETTASKBARPOS","features":[469]},{"name":"ABM_NEW","features":[469]},{"name":"ABM_QUERYPOS","features":[469]},{"name":"ABM_REMOVE","features":[469]},{"name":"ABM_SETAUTOHIDEBAR","features":[469]},{"name":"ABM_SETAUTOHIDEBAREX","features":[469]},{"name":"ABM_SETPOS","features":[469]},{"name":"ABM_SETSTATE","features":[469]},{"name":"ABM_WINDOWPOSCHANGED","features":[469]},{"name":"ABN_FULLSCREENAPP","features":[469]},{"name":"ABN_POSCHANGED","features":[469]},{"name":"ABN_STATECHANGE","features":[469]},{"name":"ABN_WINDOWARRANGE","features":[469]},{"name":"ABS_ALWAYSONTOP","features":[469]},{"name":"ABS_AUTOHIDE","features":[469]},{"name":"ACDD_VISIBLE","features":[469]},{"name":"ACENUMOPTION","features":[469]},{"name":"ACEO_FIRSTUNUSED","features":[469]},{"name":"ACEO_MOSTRECENTFIRST","features":[469]},{"name":"ACEO_NONE","features":[469]},{"name":"ACLO_CURRENTDIR","features":[469]},{"name":"ACLO_DESKTOP","features":[469]},{"name":"ACLO_FAVORITES","features":[469]},{"name":"ACLO_FILESYSDIRS","features":[469]},{"name":"ACLO_FILESYSONLY","features":[469]},{"name":"ACLO_MYCOMPUTER","features":[469]},{"name":"ACLO_NONE","features":[469]},{"name":"ACLO_VIRTUALNAMESPACE","features":[469]},{"name":"ACO_AUTOAPPEND","features":[469]},{"name":"ACO_AUTOSUGGEST","features":[469]},{"name":"ACO_FILTERPREFIXES","features":[469]},{"name":"ACO_NONE","features":[469]},{"name":"ACO_NOPREFIXFILTERING","features":[469]},{"name":"ACO_RTLREADING","features":[469]},{"name":"ACO_SEARCH","features":[469]},{"name":"ACO_UPDOWNKEYDROPSLIST","features":[469]},{"name":"ACO_USETAB","features":[469]},{"name":"ACO_WORD_FILTER","features":[469]},{"name":"ACTIVATEOPTIONS","features":[469]},{"name":"ADDURL_SILENT","features":[469]},{"name":"ADE_LEFT","features":[469]},{"name":"ADE_NONE","features":[469]},{"name":"ADE_RIGHT","features":[469]},{"name":"ADJACENT_DISPLAY_EDGES","features":[469]},{"name":"ADLT_FREQUENT","features":[469]},{"name":"ADLT_RECENT","features":[469]},{"name":"AD_APPLY_BUFFERED_REFRESH","features":[469]},{"name":"AD_APPLY_DYNAMICREFRESH","features":[469]},{"name":"AD_APPLY_FORCE","features":[469]},{"name":"AD_APPLY_HTMLGEN","features":[469]},{"name":"AD_APPLY_REFRESH","features":[469]},{"name":"AD_APPLY_SAVE","features":[469]},{"name":"AD_GETWP_BMP","features":[469]},{"name":"AD_GETWP_IMAGE","features":[469]},{"name":"AD_GETWP_LAST_APPLIED","features":[469]},{"name":"AHE_DESKTOP","features":[469]},{"name":"AHE_IMMERSIVE","features":[469]},{"name":"AHE_TYPE","features":[469]},{"name":"AHTYPE","features":[469]},{"name":"AHTYPE_ANY_APPLICATION","features":[469]},{"name":"AHTYPE_ANY_PROGID","features":[469]},{"name":"AHTYPE_APPLICATION","features":[469]},{"name":"AHTYPE_CLASS_APPLICATION","features":[469]},{"name":"AHTYPE_MACHINEDEFAULT","features":[469]},{"name":"AHTYPE_PROGID","features":[469]},{"name":"AHTYPE_UNDEFINED","features":[469]},{"name":"AHTYPE_USER_APPLICATION","features":[469]},{"name":"AIM_COMMENTS","features":[469]},{"name":"AIM_CONTACT","features":[469]},{"name":"AIM_DISPLAYNAME","features":[469]},{"name":"AIM_HELPLINK","features":[469]},{"name":"AIM_IMAGE","features":[469]},{"name":"AIM_INSTALLDATE","features":[469]},{"name":"AIM_INSTALLLOCATION","features":[469]},{"name":"AIM_INSTALLSOURCE","features":[469]},{"name":"AIM_LANGUAGE","features":[469]},{"name":"AIM_PRODUCTID","features":[469]},{"name":"AIM_PUBLISHER","features":[469]},{"name":"AIM_READMEURL","features":[469]},{"name":"AIM_REGISTEREDCOMPANY","features":[469]},{"name":"AIM_REGISTEREDOWNER","features":[469]},{"name":"AIM_SUPPORTTELEPHONE","features":[469]},{"name":"AIM_SUPPORTURL","features":[469]},{"name":"AIM_UPDATEINFOURL","features":[469]},{"name":"AIM_VERSION","features":[469]},{"name":"AL_EFFECTIVE","features":[469]},{"name":"AL_MACHINE","features":[469]},{"name":"AL_USER","features":[469]},{"name":"AO_DESIGNMODE","features":[469]},{"name":"AO_NOERRORUI","features":[469]},{"name":"AO_NONE","features":[469]},{"name":"AO_NOSPLASHSCREEN","features":[469]},{"name":"AO_PRELAUNCH","features":[469]},{"name":"APPACTIONFLAGS","features":[469]},{"name":"APPACTION_ADDLATER","features":[469]},{"name":"APPACTION_CANGETSIZE","features":[469]},{"name":"APPACTION_INSTALL","features":[469]},{"name":"APPACTION_MODIFY","features":[469]},{"name":"APPACTION_MODIFYREMOVE","features":[469]},{"name":"APPACTION_REPAIR","features":[469]},{"name":"APPACTION_UNINSTALL","features":[469]},{"name":"APPACTION_UNSCHEDULE","features":[469]},{"name":"APPACTION_UPGRADE","features":[469]},{"name":"APPBARDATA","features":[308,469]},{"name":"APPBARDATA","features":[308,469]},{"name":"APPCATEGORYINFO","features":[469]},{"name":"APPCATEGORYINFOLIST","features":[469]},{"name":"APPDOCLISTTYPE","features":[469]},{"name":"APPINFODATA","features":[469]},{"name":"APPINFODATAFLAGS","features":[469]},{"name":"APPLET_PROC","features":[308,469]},{"name":"APPLICATION_VIEW_MIN_WIDTH","features":[469]},{"name":"APPLICATION_VIEW_ORIENTATION","features":[469]},{"name":"APPLICATION_VIEW_SIZE_PREFERENCE","features":[469]},{"name":"APPLICATION_VIEW_STATE","features":[469]},{"name":"APPNAMEBUFFERLEN","features":[469]},{"name":"ARCONTENT_AUDIOCD","features":[469]},{"name":"ARCONTENT_AUTOPLAYMUSIC","features":[469]},{"name":"ARCONTENT_AUTOPLAYPIX","features":[469]},{"name":"ARCONTENT_AUTOPLAYVIDEO","features":[469]},{"name":"ARCONTENT_AUTORUNINF","features":[469]},{"name":"ARCONTENT_BLANKBD","features":[469]},{"name":"ARCONTENT_BLANKCD","features":[469]},{"name":"ARCONTENT_BLANKDVD","features":[469]},{"name":"ARCONTENT_BLURAY","features":[469]},{"name":"ARCONTENT_CAMERASTORAGE","features":[469]},{"name":"ARCONTENT_CUSTOMEVENT","features":[469]},{"name":"ARCONTENT_DVDAUDIO","features":[469]},{"name":"ARCONTENT_DVDMOVIE","features":[469]},{"name":"ARCONTENT_MASK","features":[469]},{"name":"ARCONTENT_NONE","features":[469]},{"name":"ARCONTENT_PHASE_FINAL","features":[469]},{"name":"ARCONTENT_PHASE_MASK","features":[469]},{"name":"ARCONTENT_PHASE_PRESNIFF","features":[469]},{"name":"ARCONTENT_PHASE_SNIFFING","features":[469]},{"name":"ARCONTENT_PHASE_UNKNOWN","features":[469]},{"name":"ARCONTENT_SVCD","features":[469]},{"name":"ARCONTENT_UNKNOWNCONTENT","features":[469]},{"name":"ARCONTENT_VCD","features":[469]},{"name":"ASSOCCLASS","features":[469]},{"name":"ASSOCCLASS_APP_KEY","features":[469]},{"name":"ASSOCCLASS_APP_STR","features":[469]},{"name":"ASSOCCLASS_CLSID_KEY","features":[469]},{"name":"ASSOCCLASS_CLSID_STR","features":[469]},{"name":"ASSOCCLASS_FIXED_PROGID_STR","features":[469]},{"name":"ASSOCCLASS_FOLDER","features":[469]},{"name":"ASSOCCLASS_PROGID_KEY","features":[469]},{"name":"ASSOCCLASS_PROGID_STR","features":[469]},{"name":"ASSOCCLASS_PROTOCOL_STR","features":[469]},{"name":"ASSOCCLASS_SHELL_KEY","features":[469]},{"name":"ASSOCCLASS_STAR","features":[469]},{"name":"ASSOCCLASS_SYSTEM_STR","features":[469]},{"name":"ASSOCDATA","features":[469]},{"name":"ASSOCDATA_EDITFLAGS","features":[469]},{"name":"ASSOCDATA_HASPERUSERASSOC","features":[469]},{"name":"ASSOCDATA_MAX","features":[469]},{"name":"ASSOCDATA_MSIDESCRIPTOR","features":[469]},{"name":"ASSOCDATA_NOACTIVATEHANDLER","features":[469]},{"name":"ASSOCDATA_UNUSED1","features":[469]},{"name":"ASSOCDATA_VALUE","features":[469]},{"name":"ASSOCENUM","features":[469]},{"name":"ASSOCENUM_NONE","features":[469]},{"name":"ASSOCF","features":[469]},{"name":"ASSOCF_APP_TO_APP","features":[469]},{"name":"ASSOCF_IGNOREBASECLASS","features":[469]},{"name":"ASSOCF_INIT_BYEXENAME","features":[469]},{"name":"ASSOCF_INIT_DEFAULTTOFOLDER","features":[469]},{"name":"ASSOCF_INIT_DEFAULTTOSTAR","features":[469]},{"name":"ASSOCF_INIT_FIXED_PROGID","features":[469]},{"name":"ASSOCF_INIT_FOR_FILE","features":[469]},{"name":"ASSOCF_INIT_IGNOREUNKNOWN","features":[469]},{"name":"ASSOCF_INIT_NOREMAPCLSID","features":[469]},{"name":"ASSOCF_IS_FULL_URI","features":[469]},{"name":"ASSOCF_IS_PROTOCOL","features":[469]},{"name":"ASSOCF_NOFIXUPS","features":[469]},{"name":"ASSOCF_NONE","features":[469]},{"name":"ASSOCF_NOTRUNCATE","features":[469]},{"name":"ASSOCF_NOUSERSETTINGS","features":[469]},{"name":"ASSOCF_OPEN_BYEXENAME","features":[469]},{"name":"ASSOCF_PER_MACHINE_ONLY","features":[469]},{"name":"ASSOCF_REMAPRUNDLL","features":[469]},{"name":"ASSOCF_VERIFY","features":[469]},{"name":"ASSOCIATIONELEMENT","features":[369,469]},{"name":"ASSOCIATIONELEMENT","features":[369,469]},{"name":"ASSOCIATIONLEVEL","features":[469]},{"name":"ASSOCIATIONTYPE","features":[469]},{"name":"ASSOCKEY","features":[469]},{"name":"ASSOCKEY_APP","features":[469]},{"name":"ASSOCKEY_BASECLASS","features":[469]},{"name":"ASSOCKEY_CLASS","features":[469]},{"name":"ASSOCKEY_MAX","features":[469]},{"name":"ASSOCKEY_SHELLEXECCLASS","features":[469]},{"name":"ASSOCSTR","features":[469]},{"name":"ASSOCSTR_APPICONREFERENCE","features":[469]},{"name":"ASSOCSTR_APPID","features":[469]},{"name":"ASSOCSTR_APPPUBLISHER","features":[469]},{"name":"ASSOCSTR_COMMAND","features":[469]},{"name":"ASSOCSTR_CONTENTTYPE","features":[469]},{"name":"ASSOCSTR_DDEAPPLICATION","features":[469]},{"name":"ASSOCSTR_DDECOMMAND","features":[469]},{"name":"ASSOCSTR_DDEIFEXEC","features":[469]},{"name":"ASSOCSTR_DDETOPIC","features":[469]},{"name":"ASSOCSTR_DEFAULTICON","features":[469]},{"name":"ASSOCSTR_DELEGATEEXECUTE","features":[469]},{"name":"ASSOCSTR_DROPTARGET","features":[469]},{"name":"ASSOCSTR_EXECUTABLE","features":[469]},{"name":"ASSOCSTR_FRIENDLYAPPNAME","features":[469]},{"name":"ASSOCSTR_FRIENDLYDOCNAME","features":[469]},{"name":"ASSOCSTR_INFOTIP","features":[469]},{"name":"ASSOCSTR_MAX","features":[469]},{"name":"ASSOCSTR_NOOPEN","features":[469]},{"name":"ASSOCSTR_PROGID","features":[469]},{"name":"ASSOCSTR_QUICKTIP","features":[469]},{"name":"ASSOCSTR_SHELLEXTENSION","features":[469]},{"name":"ASSOCSTR_SHELLNEWVALUE","features":[469]},{"name":"ASSOCSTR_SUPPORTED_URI_PROTOCOLS","features":[469]},{"name":"ASSOCSTR_TILEINFO","features":[469]},{"name":"ASSOC_FILTER","features":[469]},{"name":"ASSOC_FILTER_NONE","features":[469]},{"name":"ASSOC_FILTER_RECOMMENDED","features":[469]},{"name":"ATTACHMENT_ACTION","features":[469]},{"name":"ATTACHMENT_ACTION_CANCEL","features":[469]},{"name":"ATTACHMENT_ACTION_EXEC","features":[469]},{"name":"ATTACHMENT_ACTION_SAVE","features":[469]},{"name":"ATTACHMENT_PROMPT","features":[469]},{"name":"ATTACHMENT_PROMPT_EXEC","features":[469]},{"name":"ATTACHMENT_PROMPT_EXEC_OR_SAVE","features":[469]},{"name":"ATTACHMENT_PROMPT_NONE","features":[469]},{"name":"ATTACHMENT_PROMPT_SAVE","features":[469]},{"name":"AT_FILEEXTENSION","features":[469]},{"name":"AT_MIMETYPE","features":[469]},{"name":"AT_STARTMENUCLIENT","features":[469]},{"name":"AT_URLPROTOCOL","features":[469]},{"name":"AUTOCOMPLETELISTOPTIONS","features":[469]},{"name":"AUTOCOMPLETEOPTIONS","features":[469]},{"name":"AUTO_SCROLL_DATA","features":[308,469]},{"name":"AVMW_320","features":[469]},{"name":"AVMW_500","features":[469]},{"name":"AVMW_DEFAULT","features":[469]},{"name":"AVO_LANDSCAPE","features":[469]},{"name":"AVO_PORTRAIT","features":[469]},{"name":"AVSP_CUSTOM","features":[469]},{"name":"AVSP_DEFAULT","features":[469]},{"name":"AVSP_USE_HALF","features":[469]},{"name":"AVSP_USE_LESS","features":[469]},{"name":"AVSP_USE_MINIMUM","features":[469]},{"name":"AVSP_USE_MORE","features":[469]},{"name":"AVSP_USE_NONE","features":[469]},{"name":"AVS_FILLED","features":[469]},{"name":"AVS_FULLSCREEN_LANDSCAPE","features":[469]},{"name":"AVS_FULLSCREEN_PORTRAIT","features":[469]},{"name":"AVS_SNAPPED","features":[469]},{"name":"AccessibilityDockingService","features":[469]},{"name":"AllowSmallerSize","features":[469]},{"name":"AlphabeticalCategorizer","features":[469]},{"name":"AppShellVerbHandler","features":[469]},{"name":"AppStartupLink","features":[469]},{"name":"AppVisibility","features":[469]},{"name":"ApplicationActivationManager","features":[469]},{"name":"ApplicationAssociationRegistration","features":[469]},{"name":"ApplicationAssociationRegistrationUI","features":[469]},{"name":"ApplicationDesignModeSettings","features":[469]},{"name":"ApplicationDestinations","features":[469]},{"name":"ApplicationDocumentLists","features":[469]},{"name":"AssocCreate","features":[469]},{"name":"AssocCreateForClasses","features":[369,469]},{"name":"AssocGetDetailsOfPropKey","features":[308,636,379]},{"name":"AssocGetPerceivedType","features":[636]},{"name":"AssocIsDangerous","features":[308,469]},{"name":"AssocQueryKeyA","features":[369,469]},{"name":"AssocQueryKeyW","features":[369,469]},{"name":"AssocQueryStringA","features":[469]},{"name":"AssocQueryStringByKeyA","features":[369,469]},{"name":"AssocQueryStringByKeyW","features":[369,469]},{"name":"AssocQueryStringW","features":[469]},{"name":"AttachmentServices","features":[469]},{"name":"BANDINFOSFB","features":[308,636]},{"name":"BANDSITECID","features":[469]},{"name":"BANDSITEINFO","features":[469]},{"name":"BANNER_NOTIFICATION","features":[469]},{"name":"BANNER_NOTIFICATION_EVENT","features":[469]},{"name":"BASEBROWSERDATALH","features":[308,359,418,636]},{"name":"BASEBROWSERDATAXP","features":[308,359,418,636]},{"name":"BFFCALLBACK","features":[308,469]},{"name":"BFFM_ENABLEOK","features":[469]},{"name":"BFFM_INITIALIZED","features":[469]},{"name":"BFFM_IUNKNOWN","features":[469]},{"name":"BFFM_SELCHANGED","features":[469]},{"name":"BFFM_SETEXPANDED","features":[469]},{"name":"BFFM_SETOKTEXT","features":[469]},{"name":"BFFM_SETSELECTION","features":[469]},{"name":"BFFM_SETSELECTIONA","features":[469]},{"name":"BFFM_SETSELECTIONW","features":[469]},{"name":"BFFM_SETSTATUSTEXT","features":[469]},{"name":"BFFM_SETSTATUSTEXTA","features":[469]},{"name":"BFFM_SETSTATUSTEXTW","features":[469]},{"name":"BFFM_VALIDATEFAILED","features":[469]},{"name":"BFFM_VALIDATEFAILEDA","features":[469]},{"name":"BFFM_VALIDATEFAILEDW","features":[469]},{"name":"BFO_ADD_IE_TOCAPTIONBAR","features":[469]},{"name":"BFO_BOTH_OPTIONS","features":[469]},{"name":"BFO_BROWSER_PERSIST_SETTINGS","features":[469]},{"name":"BFO_BROWSE_NO_IN_NEW_PROCESS","features":[469]},{"name":"BFO_ENABLE_HYPERLINK_TRACKING","features":[469]},{"name":"BFO_GO_HOME_PAGE","features":[469]},{"name":"BFO_NONE","features":[469]},{"name":"BFO_NO_PARENT_FOLDER_SUPPORT","features":[469]},{"name":"BFO_NO_REOPEN_NEXT_RESTART","features":[469]},{"name":"BFO_PREFER_IEPROCESS","features":[469]},{"name":"BFO_QUERY_ALL","features":[469]},{"name":"BFO_RENAME_FOLDER_OPTIONS_TOINTERNET","features":[469]},{"name":"BFO_SHOW_NAVIGATION_CANCELLED","features":[469]},{"name":"BFO_SUBSTITUE_INTERNET_START_PAGE","features":[469]},{"name":"BFO_USE_DIALUP_REF","features":[469]},{"name":"BFO_USE_IE_LOGOBANDING","features":[469]},{"name":"BFO_USE_IE_OFFLINE_SUPPORT","features":[469]},{"name":"BFO_USE_IE_STATUSBAR","features":[469]},{"name":"BFO_USE_IE_TOOLBAR","features":[469]},{"name":"BHID_AssociationArray","features":[469]},{"name":"BHID_DataObject","features":[469]},{"name":"BHID_EnumAssocHandlers","features":[469]},{"name":"BHID_EnumItems","features":[469]},{"name":"BHID_FilePlaceholder","features":[469]},{"name":"BHID_Filter","features":[469]},{"name":"BHID_LinkTargetItem","features":[469]},{"name":"BHID_PropertyStore","features":[469]},{"name":"BHID_RandomAccessStream","features":[469]},{"name":"BHID_SFObject","features":[469]},{"name":"BHID_SFUIObject","features":[469]},{"name":"BHID_SFViewObject","features":[469]},{"name":"BHID_Storage","features":[469]},{"name":"BHID_StorageEnum","features":[469]},{"name":"BHID_StorageItem","features":[469]},{"name":"BHID_Stream","features":[469]},{"name":"BHID_ThumbnailHandler","features":[469]},{"name":"BHID_Transfer","features":[469]},{"name":"BIF_BROWSEFILEJUNCTIONS","features":[469]},{"name":"BIF_BROWSEFORCOMPUTER","features":[469]},{"name":"BIF_BROWSEFORPRINTER","features":[469]},{"name":"BIF_BROWSEINCLUDEFILES","features":[469]},{"name":"BIF_BROWSEINCLUDEURLS","features":[469]},{"name":"BIF_DONTGOBELOWDOMAIN","features":[469]},{"name":"BIF_EDITBOX","features":[469]},{"name":"BIF_NEWDIALOGSTYLE","features":[469]},{"name":"BIF_NONEWFOLDERBUTTON","features":[469]},{"name":"BIF_NOTRANSLATETARGETS","features":[469]},{"name":"BIF_PREFER_INTERNET_SHORTCUT","features":[469]},{"name":"BIF_RETURNFSANCESTORS","features":[469]},{"name":"BIF_RETURNONLYFSDIRS","features":[469]},{"name":"BIF_SHAREABLE","features":[469]},{"name":"BIF_STATUSTEXT","features":[469]},{"name":"BIF_UAHINT","features":[469]},{"name":"BIF_VALIDATE","features":[469]},{"name":"BIND_INTERRUPTABLE","features":[469]},{"name":"BMICON_LARGE","features":[469]},{"name":"BMICON_SMALL","features":[469]},{"name":"BNE_Button1Clicked","features":[469]},{"name":"BNE_Button2Clicked","features":[469]},{"name":"BNE_Closed","features":[469]},{"name":"BNE_Dismissed","features":[469]},{"name":"BNE_Hovered","features":[469]},{"name":"BNE_Rendered","features":[469]},{"name":"BNSTATE","features":[469]},{"name":"BNS_BEGIN_NAVIGATE","features":[469]},{"name":"BNS_NAVIGATE","features":[469]},{"name":"BNS_NORMAL","features":[469]},{"name":"BROWSEINFOA","features":[308,636]},{"name":"BROWSEINFOW","features":[308,636]},{"name":"BSF_CANMAXIMIZE","features":[469]},{"name":"BSF_DELEGATEDNAVIGATION","features":[469]},{"name":"BSF_DONTSHOWNAVCANCELPAGE","features":[469]},{"name":"BSF_FEEDNAVIGATION","features":[469]},{"name":"BSF_FEEDSUBSCRIBED","features":[469]},{"name":"BSF_HTMLNAVCANCELED","features":[469]},{"name":"BSF_MERGEDMENUS","features":[469]},{"name":"BSF_NAVNOHISTORY","features":[469]},{"name":"BSF_NOLOCALFILEWARNING","features":[469]},{"name":"BSF_REGISTERASDROPTARGET","features":[469]},{"name":"BSF_RESIZABLE","features":[469]},{"name":"BSF_SETNAVIGATABLECODEPAGE","features":[469]},{"name":"BSF_THEATERMODE","features":[469]},{"name":"BSF_TOPBROWSER","features":[469]},{"name":"BSF_TRUSTEDFORACTIVEX","features":[469]},{"name":"BSF_UISETBYAUTOMATION","features":[469]},{"name":"BSID_BANDADDED","features":[469]},{"name":"BSID_BANDREMOVED","features":[469]},{"name":"BSIM_STATE","features":[469]},{"name":"BSIM_STYLE","features":[469]},{"name":"BSIS_ALWAYSGRIPPER","features":[469]},{"name":"BSIS_AUTOGRIPPER","features":[469]},{"name":"BSIS_FIXEDORDER","features":[469]},{"name":"BSIS_LEFTALIGN","features":[469]},{"name":"BSIS_LOCKED","features":[469]},{"name":"BSIS_NOCAPTION","features":[469]},{"name":"BSIS_NOCONTEXTMENU","features":[469]},{"name":"BSIS_NODROPTARGET","features":[469]},{"name":"BSIS_NOGRIPPER","features":[469]},{"name":"BSIS_PREFERNOLINEBREAK","features":[469]},{"name":"BSIS_PRESERVEORDERDURINGLAYOUT","features":[469]},{"name":"BSIS_SINGLECLICK","features":[469]},{"name":"BSSF_NOTITLE","features":[469]},{"name":"BSSF_UNDELETEABLE","features":[469]},{"name":"BSSF_VISIBLE","features":[469]},{"name":"BUFFLEN","features":[469]},{"name":"BrowserNavConstants","features":[469]},{"name":"CABINETSTATE","features":[469]},{"name":"CABINETSTATE_VERSION","features":[469]},{"name":"CAMERAROLL_E_NO_DOWNSAMPLING_REQUIRED","features":[469]},{"name":"CATEGORYINFO_FLAGS","features":[469]},{"name":"CATEGORY_INFO","features":[469]},{"name":"CATID_BrowsableShellExt","features":[469]},{"name":"CATID_BrowseInPlace","features":[469]},{"name":"CATID_CommBand","features":[469]},{"name":"CATID_DeskBand","features":[469]},{"name":"CATID_FilePlaceholderMergeHandler","features":[469]},{"name":"CATID_InfoBand","features":[469]},{"name":"CATID_LocationFactory","features":[469]},{"name":"CATID_LocationProvider","features":[469]},{"name":"CATID_SearchableApplication","features":[469]},{"name":"CATINFO_COLLAPSED","features":[469]},{"name":"CATINFO_EXPANDED","features":[469]},{"name":"CATINFO_HIDDEN","features":[469]},{"name":"CATINFO_NOHEADER","features":[469]},{"name":"CATINFO_NOHEADERCOUNT","features":[469]},{"name":"CATINFO_NORMAL","features":[469]},{"name":"CATINFO_NOTCOLLAPSIBLE","features":[469]},{"name":"CATINFO_SEPARATE_IMAGES","features":[469]},{"name":"CATINFO_SHOWEMPTY","features":[469]},{"name":"CATINFO_SUBSETTED","features":[469]},{"name":"CATSORT_DEFAULT","features":[469]},{"name":"CATSORT_FLAGS","features":[469]},{"name":"CATSORT_NAME","features":[469]},{"name":"CDB2GVF_ADDSHIELD","features":[469]},{"name":"CDB2GVF_ALLOWPREVIEWPANE","features":[469]},{"name":"CDB2GVF_ISFILESAVE","features":[469]},{"name":"CDB2GVF_ISFOLDERPICKER","features":[469]},{"name":"CDB2GVF_NOINCLUDEITEM","features":[469]},{"name":"CDB2GVF_NOSELECTVERB","features":[469]},{"name":"CDB2GVF_SHOWALLFILES","features":[469]},{"name":"CDB2N_CONTEXTMENU_DONE","features":[469]},{"name":"CDB2N_CONTEXTMENU_START","features":[469]},{"name":"CDBE_RET_DEFAULT","features":[469]},{"name":"CDBE_RET_DONTRUNOTHEREXTS","features":[469]},{"name":"CDBE_RET_STOPWIZARD","features":[469]},{"name":"CDBE_TYPE_ALL","features":[469]},{"name":"CDBE_TYPE_DATA","features":[469]},{"name":"CDBE_TYPE_MUSIC","features":[469]},{"name":"CDBOSC_KILLFOCUS","features":[469]},{"name":"CDBOSC_RENAME","features":[469]},{"name":"CDBOSC_SELCHANGE","features":[469]},{"name":"CDBOSC_SETFOCUS","features":[469]},{"name":"CDBOSC_STATECHANGE","features":[469]},{"name":"CDBURNINGEXTENSIONRET","features":[469]},{"name":"CDBurn","features":[469]},{"name":"CDCONTROLSTATEF","features":[469]},{"name":"CDCS_ENABLED","features":[469]},{"name":"CDCS_ENABLEDVISIBLE","features":[469]},{"name":"CDCS_INACTIVE","features":[469]},{"name":"CDCS_VISIBLE","features":[469]},{"name":"CDefFolderMenu_Create2","features":[308,359,369,636]},{"name":"CFSTR_AUTOPLAY_SHELLIDLISTS","features":[469]},{"name":"CFSTR_DROPDESCRIPTION","features":[469]},{"name":"CFSTR_FILECONTENTS","features":[469]},{"name":"CFSTR_FILEDESCRIPTOR","features":[469]},{"name":"CFSTR_FILEDESCRIPTORA","features":[469]},{"name":"CFSTR_FILEDESCRIPTORW","features":[469]},{"name":"CFSTR_FILENAME","features":[469]},{"name":"CFSTR_FILENAMEA","features":[469]},{"name":"CFSTR_FILENAMEMAP","features":[469]},{"name":"CFSTR_FILENAMEMAPA","features":[469]},{"name":"CFSTR_FILENAMEMAPW","features":[469]},{"name":"CFSTR_FILENAMEW","features":[469]},{"name":"CFSTR_FILE_ATTRIBUTES_ARRAY","features":[469]},{"name":"CFSTR_INDRAGLOOP","features":[469]},{"name":"CFSTR_INETURL","features":[469]},{"name":"CFSTR_INETURLA","features":[469]},{"name":"CFSTR_INETURLW","features":[469]},{"name":"CFSTR_INVOKECOMMAND_DROPPARAM","features":[469]},{"name":"CFSTR_LOGICALPERFORMEDDROPEFFECT","features":[469]},{"name":"CFSTR_MOUNTEDVOLUME","features":[469]},{"name":"CFSTR_NETRESOURCES","features":[469]},{"name":"CFSTR_PASTESUCCEEDED","features":[469]},{"name":"CFSTR_PERFORMEDDROPEFFECT","features":[469]},{"name":"CFSTR_PERSISTEDDATAOBJECT","features":[469]},{"name":"CFSTR_PREFERREDDROPEFFECT","features":[469]},{"name":"CFSTR_PRINTERGROUP","features":[469]},{"name":"CFSTR_SHELLDROPHANDLER","features":[469]},{"name":"CFSTR_SHELLIDLIST","features":[469]},{"name":"CFSTR_SHELLIDLISTOFFSET","features":[469]},{"name":"CFSTR_SHELLURL","features":[469]},{"name":"CFSTR_TARGETCLSID","features":[469]},{"name":"CFSTR_UNTRUSTEDDRAGDROP","features":[469]},{"name":"CFSTR_ZONEIDENTIFIER","features":[469]},{"name":"CGID_DefView","features":[469]},{"name":"CGID_Explorer","features":[469]},{"name":"CGID_ExplorerBarDoc","features":[469]},{"name":"CGID_MENUDESKBAR","features":[469]},{"name":"CGID_ShellDocView","features":[469]},{"name":"CGID_ShellServiceObject","features":[469]},{"name":"CGID_ShortCut","features":[469]},{"name":"CIDA","features":[469]},{"name":"CIDLData_CreateFromIDArray","features":[359,636]},{"name":"CIE4ConnectionPoint","features":[359,469]},{"name":"CLOSEPROPS_DISCARD","features":[469]},{"name":"CLOSEPROPS_NONE","features":[469]},{"name":"CLSID_ACLCustomMRU","features":[469]},{"name":"CLSID_ACLHistory","features":[469]},{"name":"CLSID_ACLMRU","features":[469]},{"name":"CLSID_ACLMulti","features":[469]},{"name":"CLSID_ACListISF","features":[469]},{"name":"CLSID_ActiveDesktop","features":[469]},{"name":"CLSID_AutoComplete","features":[469]},{"name":"CLSID_CAnchorBrowsePropertyPage","features":[469]},{"name":"CLSID_CDocBrowsePropertyPage","features":[469]},{"name":"CLSID_CFSIconOverlayManager","features":[469]},{"name":"CLSID_CImageBrowsePropertyPage","features":[469]},{"name":"CLSID_CURLSearchHook","features":[469]},{"name":"CLSID_CUrlHistory","features":[469]},{"name":"CLSID_CUrlHistoryBoth","features":[469]},{"name":"CLSID_ControlPanel","features":[469]},{"name":"CLSID_DarwinAppPublisher","features":[469]},{"name":"CLSID_DocHostUIHandler","features":[469]},{"name":"CLSID_DragDropHelper","features":[469]},{"name":"CLSID_FileTypes","features":[469]},{"name":"CLSID_FolderItemsMultiLevel","features":[469]},{"name":"CLSID_FolderShortcut","features":[469]},{"name":"CLSID_HWShellExecute","features":[469]},{"name":"CLSID_ISFBand","features":[469]},{"name":"CLSID_Internet","features":[469]},{"name":"CLSID_InternetButtons","features":[469]},{"name":"CLSID_InternetShortcut","features":[469]},{"name":"CLSID_LinkColumnProvider","features":[469]},{"name":"CLSID_MSOButtons","features":[469]},{"name":"CLSID_MenuBand","features":[469]},{"name":"CLSID_MenuBandSite","features":[469]},{"name":"CLSID_MenuToolbarBase","features":[469]},{"name":"CLSID_MyComputer","features":[469]},{"name":"CLSID_MyDocuments","features":[469]},{"name":"CLSID_NetworkDomain","features":[469]},{"name":"CLSID_NetworkServer","features":[469]},{"name":"CLSID_NetworkShare","features":[469]},{"name":"CLSID_NewMenu","features":[469]},{"name":"CLSID_Printers","features":[469]},{"name":"CLSID_ProgressDialog","features":[469]},{"name":"CLSID_QueryAssociations","features":[469]},{"name":"CLSID_QuickLinks","features":[469]},{"name":"CLSID_RecycleBin","features":[469]},{"name":"CLSID_ShellFldSetExt","features":[469]},{"name":"CLSID_ShellThumbnailDiskCache","features":[469]},{"name":"CLSID_ToolbarExtButtons","features":[469]},{"name":"CMDID_INTSHORTCUTCREATE","features":[469]},{"name":"CMDSTR_NEWFOLDER","features":[469]},{"name":"CMDSTR_NEWFOLDERA","features":[469]},{"name":"CMDSTR_NEWFOLDERW","features":[469]},{"name":"CMDSTR_VIEWDETAILS","features":[469]},{"name":"CMDSTR_VIEWDETAILSA","features":[469]},{"name":"CMDSTR_VIEWDETAILSW","features":[469]},{"name":"CMDSTR_VIEWLIST","features":[469]},{"name":"CMDSTR_VIEWLISTA","features":[469]},{"name":"CMDSTR_VIEWLISTW","features":[469]},{"name":"CMF_ASYNCVERBSTATE","features":[469]},{"name":"CMF_CANRENAME","features":[469]},{"name":"CMF_DEFAULTONLY","features":[469]},{"name":"CMF_DISABLEDVERBS","features":[469]},{"name":"CMF_DONOTPICKDEFAULT","features":[469]},{"name":"CMF_EXPLORE","features":[469]},{"name":"CMF_EXTENDEDVERBS","features":[469]},{"name":"CMF_INCLUDESTATIC","features":[469]},{"name":"CMF_ITEMMENU","features":[469]},{"name":"CMF_NODEFAULT","features":[469]},{"name":"CMF_NORMAL","features":[469]},{"name":"CMF_NOVERBS","features":[469]},{"name":"CMF_OPTIMIZEFORINVOKE","features":[469]},{"name":"CMF_RESERVED","features":[469]},{"name":"CMF_SYNCCASCADEMENU","features":[469]},{"name":"CMF_VERBSONLY","features":[469]},{"name":"CMIC_MASK_CONTROL_DOWN","features":[469]},{"name":"CMIC_MASK_PTINVOKE","features":[469]},{"name":"CMIC_MASK_SHIFT_DOWN","features":[469]},{"name":"CMINVOKECOMMANDINFO","features":[308,469]},{"name":"CMINVOKECOMMANDINFOEX","features":[308,469]},{"name":"CMINVOKECOMMANDINFOEX_REMOTE","features":[308,469]},{"name":"CM_COLUMNINFO","features":[469]},{"name":"CM_ENUM_ALL","features":[469]},{"name":"CM_ENUM_FLAGS","features":[469]},{"name":"CM_ENUM_VISIBLE","features":[469]},{"name":"CM_MASK","features":[469]},{"name":"CM_MASK_DEFAULTWIDTH","features":[469]},{"name":"CM_MASK_IDEALWIDTH","features":[469]},{"name":"CM_MASK_NAME","features":[469]},{"name":"CM_MASK_STATE","features":[469]},{"name":"CM_MASK_WIDTH","features":[469]},{"name":"CM_SET_WIDTH_VALUE","features":[469]},{"name":"CM_STATE","features":[469]},{"name":"CM_STATE_ALWAYSVISIBLE","features":[469]},{"name":"CM_STATE_FIXEDWIDTH","features":[469]},{"name":"CM_STATE_NONE","features":[469]},{"name":"CM_STATE_NOSORTBYFOLDERNESS","features":[469]},{"name":"CM_STATE_VISIBLE","features":[469]},{"name":"CM_WIDTH_AUTOSIZE","features":[469]},{"name":"CM_WIDTH_USEDEFAULT","features":[469]},{"name":"COMPONENT_DEFAULT_LEFT","features":[469]},{"name":"COMPONENT_DEFAULT_TOP","features":[469]},{"name":"COMPONENT_TOP","features":[469]},{"name":"COMP_ELEM_CHECKED","features":[469]},{"name":"COMP_ELEM_CURITEMSTATE","features":[469]},{"name":"COMP_ELEM_DIRTY","features":[469]},{"name":"COMP_ELEM_FRIENDLYNAME","features":[469]},{"name":"COMP_ELEM_NOSCROLL","features":[469]},{"name":"COMP_ELEM_ORIGINAL_CSI","features":[469]},{"name":"COMP_ELEM_POS_LEFT","features":[469]},{"name":"COMP_ELEM_POS_TOP","features":[469]},{"name":"COMP_ELEM_POS_ZINDEX","features":[469]},{"name":"COMP_ELEM_RESTORED_CSI","features":[469]},{"name":"COMP_ELEM_SIZE_HEIGHT","features":[469]},{"name":"COMP_ELEM_SIZE_WIDTH","features":[469]},{"name":"COMP_ELEM_SOURCE","features":[469]},{"name":"COMP_ELEM_SUBSCRIBEDURL","features":[469]},{"name":"COMP_ELEM_TYPE","features":[469]},{"name":"COMP_TYPE_CFHTML","features":[469]},{"name":"COMP_TYPE_CONTROL","features":[469]},{"name":"COMP_TYPE_HTMLDOC","features":[469]},{"name":"COMP_TYPE_MAX","features":[469]},{"name":"COMP_TYPE_PICTURE","features":[469]},{"name":"COMP_TYPE_WEBSITE","features":[469]},{"name":"CONFIRM_CONFLICT_ITEM","features":[469]},{"name":"CONFIRM_CONFLICT_RESULT_INFO","features":[469]},{"name":"CONFLICT_RESOLUTION_CLSID_KEY","features":[469]},{"name":"COPYENGINE_E_ACCESSDENIED_READONLY","features":[469]},{"name":"COPYENGINE_E_ACCESS_DENIED_DEST","features":[469]},{"name":"COPYENGINE_E_ACCESS_DENIED_SRC","features":[469]},{"name":"COPYENGINE_E_ALREADY_EXISTS_FOLDER","features":[469]},{"name":"COPYENGINE_E_ALREADY_EXISTS_NORMAL","features":[469]},{"name":"COPYENGINE_E_ALREADY_EXISTS_READONLY","features":[469]},{"name":"COPYENGINE_E_ALREADY_EXISTS_SYSTEM","features":[469]},{"name":"COPYENGINE_E_BLOCKED_BY_DLP_POLICY","features":[469]},{"name":"COPYENGINE_E_BLOCKED_BY_EDP_FOR_REMOVABLE_DRIVE","features":[469]},{"name":"COPYENGINE_E_BLOCKED_BY_EDP_POLICY","features":[469]},{"name":"COPYENGINE_E_CANCELLED","features":[469]},{"name":"COPYENGINE_E_CANNOT_MOVE_FROM_RECYCLE_BIN","features":[469]},{"name":"COPYENGINE_E_CANNOT_MOVE_SHARED_FOLDER","features":[469]},{"name":"COPYENGINE_E_CANT_REACH_SOURCE","features":[469]},{"name":"COPYENGINE_E_DEST_IS_RO_CD","features":[469]},{"name":"COPYENGINE_E_DEST_IS_RO_DVD","features":[469]},{"name":"COPYENGINE_E_DEST_IS_RW_CD","features":[469]},{"name":"COPYENGINE_E_DEST_IS_RW_DVD","features":[469]},{"name":"COPYENGINE_E_DEST_IS_R_CD","features":[469]},{"name":"COPYENGINE_E_DEST_IS_R_DVD","features":[469]},{"name":"COPYENGINE_E_DEST_SAME_TREE","features":[469]},{"name":"COPYENGINE_E_DEST_SUBTREE","features":[469]},{"name":"COPYENGINE_E_DIFF_DIR","features":[469]},{"name":"COPYENGINE_E_DIR_NOT_EMPTY","features":[469]},{"name":"COPYENGINE_E_DISK_FULL","features":[469]},{"name":"COPYENGINE_E_DISK_FULL_CLEAN","features":[469]},{"name":"COPYENGINE_E_EA_LOSS","features":[469]},{"name":"COPYENGINE_E_EA_NOT_SUPPORTED","features":[469]},{"name":"COPYENGINE_E_ENCRYPTION_LOSS","features":[469]},{"name":"COPYENGINE_E_FAT_MAX_IN_ROOT","features":[469]},{"name":"COPYENGINE_E_FILE_IS_FLD_DEST","features":[469]},{"name":"COPYENGINE_E_FILE_TOO_LARGE","features":[469]},{"name":"COPYENGINE_E_FLD_IS_FILE_DEST","features":[469]},{"name":"COPYENGINE_E_INTERNET_ITEM_STORAGE_PROVIDER_ERROR","features":[469]},{"name":"COPYENGINE_E_INTERNET_ITEM_STORAGE_PROVIDER_PAUSED","features":[469]},{"name":"COPYENGINE_E_INTERNET_ITEM_UNAVAILABLE","features":[469]},{"name":"COPYENGINE_E_INVALID_FILES_DEST","features":[469]},{"name":"COPYENGINE_E_INVALID_FILES_SRC","features":[469]},{"name":"COPYENGINE_E_MANY_SRC_1_DEST","features":[469]},{"name":"COPYENGINE_E_NET_DISCONNECT_DEST","features":[469]},{"name":"COPYENGINE_E_NET_DISCONNECT_SRC","features":[469]},{"name":"COPYENGINE_E_NEWFILE_NAME_TOO_LONG","features":[469]},{"name":"COPYENGINE_E_NEWFOLDER_NAME_TOO_LONG","features":[469]},{"name":"COPYENGINE_E_PATH_NOT_FOUND_DEST","features":[469]},{"name":"COPYENGINE_E_PATH_NOT_FOUND_SRC","features":[469]},{"name":"COPYENGINE_E_PATH_TOO_DEEP_DEST","features":[469]},{"name":"COPYENGINE_E_PATH_TOO_DEEP_SRC","features":[469]},{"name":"COPYENGINE_E_PROPERTIES_LOSS","features":[469]},{"name":"COPYENGINE_E_PROPERTY_LOSS","features":[469]},{"name":"COPYENGINE_E_RECYCLE_BIN_NOT_FOUND","features":[469]},{"name":"COPYENGINE_E_RECYCLE_FORCE_NUKE","features":[469]},{"name":"COPYENGINE_E_RECYCLE_PATH_TOO_LONG","features":[469]},{"name":"COPYENGINE_E_RECYCLE_SIZE_TOO_BIG","features":[469]},{"name":"COPYENGINE_E_RECYCLE_UNKNOWN_ERROR","features":[469]},{"name":"COPYENGINE_E_REDIRECTED_TO_WEBPAGE","features":[469]},{"name":"COPYENGINE_E_REMOVABLE_FULL","features":[469]},{"name":"COPYENGINE_E_REQUIRES_EDP_CONSENT","features":[469]},{"name":"COPYENGINE_E_REQUIRES_EDP_CONSENT_FOR_REMOVABLE_DRIVE","features":[469]},{"name":"COPYENGINE_E_REQUIRES_ELEVATION","features":[469]},{"name":"COPYENGINE_E_RMS_BLOCKED_BY_EDP_FOR_REMOVABLE_DRIVE","features":[469]},{"name":"COPYENGINE_E_RMS_REQUIRES_EDP_CONSENT_FOR_REMOVABLE_DRIVE","features":[469]},{"name":"COPYENGINE_E_ROOT_DIR_DEST","features":[469]},{"name":"COPYENGINE_E_ROOT_DIR_SRC","features":[469]},{"name":"COPYENGINE_E_SAME_FILE","features":[469]},{"name":"COPYENGINE_E_SERVER_BAD_FILE_TYPE","features":[469]},{"name":"COPYENGINE_E_SHARING_VIOLATION_DEST","features":[469]},{"name":"COPYENGINE_E_SHARING_VIOLATION_SRC","features":[469]},{"name":"COPYENGINE_E_SILENT_FAIL_BY_DLP_POLICY","features":[469]},{"name":"COPYENGINE_E_SRC_IS_RO_CD","features":[469]},{"name":"COPYENGINE_E_SRC_IS_RO_DVD","features":[469]},{"name":"COPYENGINE_E_SRC_IS_RW_CD","features":[469]},{"name":"COPYENGINE_E_SRC_IS_RW_DVD","features":[469]},{"name":"COPYENGINE_E_SRC_IS_R_CD","features":[469]},{"name":"COPYENGINE_E_SRC_IS_R_DVD","features":[469]},{"name":"COPYENGINE_E_STREAM_LOSS","features":[469]},{"name":"COPYENGINE_E_USER_CANCELLED","features":[469]},{"name":"COPYENGINE_E_WARNED_BY_DLP_POLICY","features":[469]},{"name":"COPYENGINE_S_ALREADY_DONE","features":[469]},{"name":"COPYENGINE_S_CLOSE_PROGRAM","features":[469]},{"name":"COPYENGINE_S_COLLISIONRESOLVED","features":[469]},{"name":"COPYENGINE_S_DONT_PROCESS_CHILDREN","features":[469]},{"name":"COPYENGINE_S_KEEP_BOTH","features":[469]},{"name":"COPYENGINE_S_MERGE","features":[469]},{"name":"COPYENGINE_S_NOT_HANDLED","features":[469]},{"name":"COPYENGINE_S_PENDING","features":[469]},{"name":"COPYENGINE_S_PENDING_DELETE","features":[469]},{"name":"COPYENGINE_S_PROGRESS_PAUSE","features":[469]},{"name":"COPYENGINE_S_USER_IGNORED","features":[469]},{"name":"COPYENGINE_S_USER_RETRY","features":[469]},{"name":"COPYENGINE_S_YES","features":[469]},{"name":"CPAO_EMPTY_CONNECTED","features":[469]},{"name":"CPAO_EMPTY_LOCAL","features":[469]},{"name":"CPAO_NONE","features":[469]},{"name":"CPCFO_ENABLE_PASSWORD_REVEAL","features":[469]},{"name":"CPCFO_ENABLE_TOUCH_KEYBOARD_AUTO_INVOKE","features":[469]},{"name":"CPCFO_IS_EMAIL_ADDRESS","features":[469]},{"name":"CPCFO_NONE","features":[469]},{"name":"CPCFO_NUMBERS_ONLY","features":[469]},{"name":"CPCFO_SHOW_ENGLISH_KEYBOARD","features":[469]},{"name":"CPFG_CREDENTIAL_PROVIDER_LABEL","features":[469]},{"name":"CPFG_CREDENTIAL_PROVIDER_LOGO","features":[469]},{"name":"CPFG_LOGON_PASSWORD","features":[469]},{"name":"CPFG_LOGON_USERNAME","features":[469]},{"name":"CPFG_SMARTCARD_PIN","features":[469]},{"name":"CPFG_SMARTCARD_USERNAME","features":[469]},{"name":"CPFG_STANDALONE_SUBMIT_BUTTON","features":[469]},{"name":"CPFG_STYLE_LINK_AS_BUTTON","features":[469]},{"name":"CPFIS_DISABLED","features":[469]},{"name":"CPFIS_FOCUSED","features":[469]},{"name":"CPFIS_NONE","features":[469]},{"name":"CPFIS_READONLY","features":[469]},{"name":"CPFS_DISPLAY_IN_BOTH","features":[469]},{"name":"CPFS_DISPLAY_IN_DESELECTED_TILE","features":[469]},{"name":"CPFS_DISPLAY_IN_SELECTED_TILE","features":[469]},{"name":"CPFS_HIDDEN","features":[469]},{"name":"CPFT_CHECKBOX","features":[469]},{"name":"CPFT_COMBOBOX","features":[469]},{"name":"CPFT_COMMAND_LINK","features":[469]},{"name":"CPFT_EDIT_TEXT","features":[469]},{"name":"CPFT_INVALID","features":[469]},{"name":"CPFT_LARGE_TEXT","features":[469]},{"name":"CPFT_PASSWORD_TEXT","features":[469]},{"name":"CPFT_SMALL_TEXT","features":[469]},{"name":"CPFT_SUBMIT_BUTTON","features":[469]},{"name":"CPFT_TILE_IMAGE","features":[469]},{"name":"CPGSR_NO_CREDENTIAL_FINISHED","features":[469]},{"name":"CPGSR_NO_CREDENTIAL_NOT_FINISHED","features":[469]},{"name":"CPGSR_RETURN_CREDENTIAL_FINISHED","features":[469]},{"name":"CPGSR_RETURN_NO_CREDENTIAL_FINISHED","features":[469]},{"name":"CPLINFO","features":[469]},{"name":"CPLPAGE_DISPLAY_BACKGROUND","features":[469]},{"name":"CPLPAGE_KEYBOARD_SPEED","features":[469]},{"name":"CPLPAGE_MOUSE_BUTTONS","features":[469]},{"name":"CPLPAGE_MOUSE_PTRMOTION","features":[469]},{"name":"CPLPAGE_MOUSE_WHEEL","features":[469]},{"name":"CPL_DBLCLK","features":[469]},{"name":"CPL_DYNAMIC_RES","features":[469]},{"name":"CPL_EXIT","features":[469]},{"name":"CPL_GETCOUNT","features":[469]},{"name":"CPL_INIT","features":[469]},{"name":"CPL_INQUIRE","features":[469]},{"name":"CPL_NEWINQUIRE","features":[469]},{"name":"CPL_SELECT","features":[469]},{"name":"CPL_SETUP","features":[469]},{"name":"CPL_STARTWPARMS","features":[469]},{"name":"CPL_STARTWPARMSA","features":[469]},{"name":"CPL_STARTWPARMSW","features":[469]},{"name":"CPL_STOP","features":[469]},{"name":"CPSI_ERROR","features":[469]},{"name":"CPSI_NONE","features":[469]},{"name":"CPSI_SUCCESS","features":[469]},{"name":"CPSI_WARNING","features":[469]},{"name":"CPUS_CHANGE_PASSWORD","features":[469]},{"name":"CPUS_CREDUI","features":[469]},{"name":"CPUS_INVALID","features":[469]},{"name":"CPUS_LOGON","features":[469]},{"name":"CPUS_PLAP","features":[469]},{"name":"CPUS_UNLOCK_WORKSTATION","features":[469]},{"name":"CPVIEW","features":[469]},{"name":"CPVIEW_ALLITEMS","features":[469]},{"name":"CPVIEW_CATEGORY","features":[469]},{"name":"CPVIEW_CLASSIC","features":[469]},{"name":"CPVIEW_HOME","features":[469]},{"name":"CREDENTIAL_PROVIDER_ACCOUNT_OPTIONS","features":[469]},{"name":"CREDENTIAL_PROVIDER_CREDENTIAL_FIELD_OPTIONS","features":[469]},{"name":"CREDENTIAL_PROVIDER_CREDENTIAL_SERIALIZATION","features":[469]},{"name":"CREDENTIAL_PROVIDER_FIELD_DESCRIPTOR","features":[469]},{"name":"CREDENTIAL_PROVIDER_FIELD_INTERACTIVE_STATE","features":[469]},{"name":"CREDENTIAL_PROVIDER_FIELD_STATE","features":[469]},{"name":"CREDENTIAL_PROVIDER_FIELD_TYPE","features":[469]},{"name":"CREDENTIAL_PROVIDER_GET_SERIALIZATION_RESPONSE","features":[469]},{"name":"CREDENTIAL_PROVIDER_NO_DEFAULT","features":[469]},{"name":"CREDENTIAL_PROVIDER_STATUS_ICON","features":[469]},{"name":"CREDENTIAL_PROVIDER_USAGE_SCENARIO","features":[469]},{"name":"CSC_NAVIGATEBACK","features":[469]},{"name":"CSC_NAVIGATEFORWARD","features":[469]},{"name":"CSC_UPDATECOMMANDS","features":[469]},{"name":"CSFV","features":[308,418,636]},{"name":"CSIDL_ADMINTOOLS","features":[469]},{"name":"CSIDL_ALTSTARTUP","features":[469]},{"name":"CSIDL_APPDATA","features":[469]},{"name":"CSIDL_BITBUCKET","features":[469]},{"name":"CSIDL_CDBURN_AREA","features":[469]},{"name":"CSIDL_COMMON_ADMINTOOLS","features":[469]},{"name":"CSIDL_COMMON_ALTSTARTUP","features":[469]},{"name":"CSIDL_COMMON_APPDATA","features":[469]},{"name":"CSIDL_COMMON_DESKTOPDIRECTORY","features":[469]},{"name":"CSIDL_COMMON_DOCUMENTS","features":[469]},{"name":"CSIDL_COMMON_FAVORITES","features":[469]},{"name":"CSIDL_COMMON_MUSIC","features":[469]},{"name":"CSIDL_COMMON_OEM_LINKS","features":[469]},{"name":"CSIDL_COMMON_PICTURES","features":[469]},{"name":"CSIDL_COMMON_PROGRAMS","features":[469]},{"name":"CSIDL_COMMON_STARTMENU","features":[469]},{"name":"CSIDL_COMMON_STARTUP","features":[469]},{"name":"CSIDL_COMMON_TEMPLATES","features":[469]},{"name":"CSIDL_COMMON_VIDEO","features":[469]},{"name":"CSIDL_COMPUTERSNEARME","features":[469]},{"name":"CSIDL_CONNECTIONS","features":[469]},{"name":"CSIDL_CONTROLS","features":[469]},{"name":"CSIDL_COOKIES","features":[469]},{"name":"CSIDL_DESKTOP","features":[469]},{"name":"CSIDL_DESKTOPDIRECTORY","features":[469]},{"name":"CSIDL_DRIVES","features":[469]},{"name":"CSIDL_FAVORITES","features":[469]},{"name":"CSIDL_FLAG_CREATE","features":[469]},{"name":"CSIDL_FLAG_DONT_UNEXPAND","features":[469]},{"name":"CSIDL_FLAG_DONT_VERIFY","features":[469]},{"name":"CSIDL_FLAG_MASK","features":[469]},{"name":"CSIDL_FLAG_NO_ALIAS","features":[469]},{"name":"CSIDL_FLAG_PER_USER_INIT","features":[469]},{"name":"CSIDL_FLAG_PFTI_TRACKTARGET","features":[469]},{"name":"CSIDL_FONTS","features":[469]},{"name":"CSIDL_HISTORY","features":[469]},{"name":"CSIDL_INTERNET","features":[469]},{"name":"CSIDL_INTERNET_CACHE","features":[469]},{"name":"CSIDL_LOCAL_APPDATA","features":[469]},{"name":"CSIDL_MYDOCUMENTS","features":[469]},{"name":"CSIDL_MYMUSIC","features":[469]},{"name":"CSIDL_MYPICTURES","features":[469]},{"name":"CSIDL_MYVIDEO","features":[469]},{"name":"CSIDL_NETHOOD","features":[469]},{"name":"CSIDL_NETWORK","features":[469]},{"name":"CSIDL_PERSONAL","features":[469]},{"name":"CSIDL_PRINTERS","features":[469]},{"name":"CSIDL_PRINTHOOD","features":[469]},{"name":"CSIDL_PROFILE","features":[469]},{"name":"CSIDL_PROGRAMS","features":[469]},{"name":"CSIDL_PROGRAM_FILES","features":[469]},{"name":"CSIDL_PROGRAM_FILESX86","features":[469]},{"name":"CSIDL_PROGRAM_FILES_COMMON","features":[469]},{"name":"CSIDL_PROGRAM_FILES_COMMONX86","features":[469]},{"name":"CSIDL_RECENT","features":[469]},{"name":"CSIDL_RESOURCES","features":[469]},{"name":"CSIDL_RESOURCES_LOCALIZED","features":[469]},{"name":"CSIDL_SENDTO","features":[469]},{"name":"CSIDL_STARTMENU","features":[469]},{"name":"CSIDL_STARTUP","features":[469]},{"name":"CSIDL_SYSTEM","features":[469]},{"name":"CSIDL_SYSTEMX86","features":[469]},{"name":"CSIDL_TEMPLATES","features":[469]},{"name":"CSIDL_WINDOWS","features":[469]},{"name":"CScriptErrorList","features":[469]},{"name":"CTF_COINIT","features":[469]},{"name":"CTF_COINIT_MTA","features":[469]},{"name":"CTF_COINIT_STA","features":[469]},{"name":"CTF_FREELIBANDEXIT","features":[469]},{"name":"CTF_INHERITWOW64","features":[469]},{"name":"CTF_INSIST","features":[469]},{"name":"CTF_KEYBOARD_LOCALE","features":[469]},{"name":"CTF_NOADDREFLIB","features":[469]},{"name":"CTF_OLEINITIALIZE","features":[469]},{"name":"CTF_PROCESS_REF","features":[469]},{"name":"CTF_REF_COUNTED","features":[469]},{"name":"CTF_THREAD_REF","features":[469]},{"name":"CTF_UNUSED","features":[469]},{"name":"CTF_WAIT_ALLOWCOM","features":[469]},{"name":"CTF_WAIT_NO_REENTRANCY","features":[469]},{"name":"ChrCmpIA","features":[308,469]},{"name":"ChrCmpIW","features":[308,469]},{"name":"ColorAdjustLuma","features":[308,469]},{"name":"ColorHLSToRGB","features":[308,469]},{"name":"ColorRGBToHLS","features":[308,469]},{"name":"CommandLineToArgvW","features":[469]},{"name":"CommandStateChangeConstants","features":[469]},{"name":"ConflictFolder","features":[469]},{"name":"ConnectToConnectionPoint","features":[308,359,469]},{"name":"CreateProfile","features":[469]},{"name":"DAD_AutoScroll","features":[308,469]},{"name":"DAD_DragEnterEx","features":[308,469]},{"name":"DAD_DragEnterEx2","features":[308,359,469]},{"name":"DAD_DragLeave","features":[308,469]},{"name":"DAD_DragMove","features":[308,469]},{"name":"DAD_SetDragImage","features":[308,358,469]},{"name":"DAD_ShowDragImage","features":[308,469]},{"name":"DATABLOCK_HEADER","features":[469]},{"name":"DATAOBJ_GET_ITEM_FLAGS","features":[469]},{"name":"DBCID_CLSIDOFBAR","features":[469]},{"name":"DBCID_EMPTY","features":[469]},{"name":"DBCID_GETBAR","features":[469]},{"name":"DBCID_ONDRAG","features":[469]},{"name":"DBCID_RESIZE","features":[469]},{"name":"DBCID_UPDATESIZE","features":[469]},{"name":"DBC_GS_IDEAL","features":[469]},{"name":"DBC_GS_SIZEDOWN","features":[469]},{"name":"DBC_HIDE","features":[469]},{"name":"DBC_SHOW","features":[469]},{"name":"DBC_SHOWOBSCURE","features":[469]},{"name":"DBID_BANDINFOCHANGED","features":[469]},{"name":"DBID_DELAYINIT","features":[469]},{"name":"DBID_FINISHINIT","features":[469]},{"name":"DBID_MAXIMIZEBAND","features":[469]},{"name":"DBID_PERMITAUTOHIDE","features":[469]},{"name":"DBID_PUSHCHEVRON","features":[469]},{"name":"DBID_SETWINDOWTHEME","features":[469]},{"name":"DBID_SHOWONLY","features":[469]},{"name":"DBIF_VIEWMODE_FLOATING","features":[469]},{"name":"DBIF_VIEWMODE_NORMAL","features":[469]},{"name":"DBIF_VIEWMODE_TRANSPARENT","features":[469]},{"name":"DBIF_VIEWMODE_VERTICAL","features":[469]},{"name":"DBIMF_ADDTOFRONT","features":[469]},{"name":"DBIMF_ALWAYSGRIPPER","features":[469]},{"name":"DBIMF_BKCOLOR","features":[469]},{"name":"DBIMF_BREAK","features":[469]},{"name":"DBIMF_DEBOSSED","features":[469]},{"name":"DBIMF_FIXED","features":[469]},{"name":"DBIMF_FIXEDBMP","features":[469]},{"name":"DBIMF_NOGRIPPER","features":[469]},{"name":"DBIMF_NOMARGINS","features":[469]},{"name":"DBIMF_NORMAL","features":[469]},{"name":"DBIMF_TOPALIGN","features":[469]},{"name":"DBIMF_UNDELETEABLE","features":[469]},{"name":"DBIMF_USECHEVRON","features":[469]},{"name":"DBIMF_VARIABLEHEIGHT","features":[469]},{"name":"DBIM_ACTUAL","features":[469]},{"name":"DBIM_BKCOLOR","features":[469]},{"name":"DBIM_INTEGRAL","features":[469]},{"name":"DBIM_MAXSIZE","features":[469]},{"name":"DBIM_MINSIZE","features":[469]},{"name":"DBIM_MODEFLAGS","features":[469]},{"name":"DBIM_TITLE","features":[469]},{"name":"DBPC_SELECTFIRST","features":[469]},{"name":"DEFAULTSAVEFOLDERTYPE","features":[469]},{"name":"DEFAULT_FOLDER_MENU_RESTRICTIONS","features":[469]},{"name":"DEFCONTEXTMENU","features":[308,369,636]},{"name":"DEFSHAREID_PUBLIC","features":[469]},{"name":"DEFSHAREID_USERS","features":[469]},{"name":"DEF_SHARE_ID","features":[469]},{"name":"DELEGATEITEMID","features":[469]},{"name":"DESKBANDCID","features":[469]},{"name":"DESKBANDINFO","features":[308,469]},{"name":"DESKTOP_SLIDESHOW_DIRECTION","features":[469]},{"name":"DESKTOP_SLIDESHOW_OPTIONS","features":[469]},{"name":"DESKTOP_SLIDESHOW_STATE","features":[469]},{"name":"DESKTOP_WALLPAPER_POSITION","features":[469]},{"name":"DETAILSINFO","features":[636]},{"name":"DEVICE_IMMERSIVE","features":[469]},{"name":"DEVICE_PRIMARY","features":[469]},{"name":"DFConstraint","features":[359,469]},{"name":"DFMICS","features":[308,469]},{"name":"DFMR_DEFAULT","features":[469]},{"name":"DFMR_NO_ASYNC_VERBS","features":[469]},{"name":"DFMR_NO_NATIVECPU_VERBS","features":[469]},{"name":"DFMR_NO_NONWOW_VERBS","features":[469]},{"name":"DFMR_NO_RESOURCE_VERBS","features":[469]},{"name":"DFMR_NO_STATIC_VERBS","features":[469]},{"name":"DFMR_OPTIN_HANDLERS_ONLY","features":[469]},{"name":"DFMR_RESOURCE_AND_FOLDER_VERBS_ONLY","features":[469]},{"name":"DFMR_STATIC_VERBS_ONLY","features":[469]},{"name":"DFMR_USE_SPECIFIED_HANDLERS","features":[469]},{"name":"DFMR_USE_SPECIFIED_VERBS","features":[469]},{"name":"DFM_CMD","features":[469]},{"name":"DFM_CMD_COPY","features":[469]},{"name":"DFM_CMD_DELETE","features":[469]},{"name":"DFM_CMD_LINK","features":[469]},{"name":"DFM_CMD_MODALPROP","features":[469]},{"name":"DFM_CMD_MOVE","features":[469]},{"name":"DFM_CMD_NEWFOLDER","features":[469]},{"name":"DFM_CMD_PASTE","features":[469]},{"name":"DFM_CMD_PASTELINK","features":[469]},{"name":"DFM_CMD_PASTESPECIAL","features":[469]},{"name":"DFM_CMD_PROPERTIES","features":[469]},{"name":"DFM_CMD_RENAME","features":[469]},{"name":"DFM_CMD_VIEWDETAILS","features":[469]},{"name":"DFM_CMD_VIEWLIST","features":[469]},{"name":"DFM_GETDEFSTATICID","features":[469]},{"name":"DFM_GETHELPTEXT","features":[469]},{"name":"DFM_GETHELPTEXTW","features":[469]},{"name":"DFM_GETVERBA","features":[469]},{"name":"DFM_GETVERBW","features":[469]},{"name":"DFM_INVOKECOMMAND","features":[469]},{"name":"DFM_INVOKECOMMANDEX","features":[469]},{"name":"DFM_MAPCOMMANDNAME","features":[469]},{"name":"DFM_MERGECONTEXTMENU","features":[469]},{"name":"DFM_MERGECONTEXTMENU_BOTTOM","features":[469]},{"name":"DFM_MERGECONTEXTMENU_TOP","features":[469]},{"name":"DFM_MESSAGE_ID","features":[469]},{"name":"DFM_MODIFYQCMFLAGS","features":[469]},{"name":"DFM_VALIDATECMD","features":[469]},{"name":"DFM_WM_DRAWITEM","features":[469]},{"name":"DFM_WM_INITMENUPOPUP","features":[469]},{"name":"DFM_WM_MEASUREITEM","features":[469]},{"name":"DISPID_BEGINDRAG","features":[469]},{"name":"DISPID_CHECKSTATECHANGED","features":[469]},{"name":"DISPID_COLUMNSCHANGED","features":[469]},{"name":"DISPID_CONTENTSCHANGED","features":[469]},{"name":"DISPID_CTRLMOUSEWHEEL","features":[469]},{"name":"DISPID_DEFAULTVERBINVOKED","features":[469]},{"name":"DISPID_ENTERPRESSED","features":[469]},{"name":"DISPID_ENTERPRISEIDCHANGED","features":[469]},{"name":"DISPID_EXPLORERWINDOWREADY","features":[469]},{"name":"DISPID_FILELISTENUMDONE","features":[469]},{"name":"DISPID_FILTERINVOKED","features":[469]},{"name":"DISPID_FOCUSCHANGED","features":[469]},{"name":"DISPID_FOLDERCHANGED","features":[469]},{"name":"DISPID_IADCCTL_DEFAULTCAT","features":[469]},{"name":"DISPID_IADCCTL_DIRTY","features":[469]},{"name":"DISPID_IADCCTL_FORCEX86","features":[469]},{"name":"DISPID_IADCCTL_ONDOMAIN","features":[469]},{"name":"DISPID_IADCCTL_PUBCAT","features":[469]},{"name":"DISPID_IADCCTL_SHOWPOSTSETUP","features":[469]},{"name":"DISPID_IADCCTL_SORT","features":[469]},{"name":"DISPID_ICONSIZECHANGED","features":[469]},{"name":"DISPID_INITIALENUMERATIONDONE","features":[469]},{"name":"DISPID_NOITEMSTATE_CHANGED","features":[469]},{"name":"DISPID_ORDERCHANGED","features":[469]},{"name":"DISPID_SEARCHCOMMAND_ABORT","features":[469]},{"name":"DISPID_SEARCHCOMMAND_COMPLETE","features":[469]},{"name":"DISPID_SEARCHCOMMAND_ERROR","features":[469]},{"name":"DISPID_SEARCHCOMMAND_PROGRESSTEXT","features":[469]},{"name":"DISPID_SEARCHCOMMAND_RESTORE","features":[469]},{"name":"DISPID_SEARCHCOMMAND_START","features":[469]},{"name":"DISPID_SEARCHCOMMAND_UPDATE","features":[469]},{"name":"DISPID_SELECTEDITEMCHANGED","features":[469]},{"name":"DISPID_SELECTIONCHANGED","features":[469]},{"name":"DISPID_SORTDONE","features":[469]},{"name":"DISPID_UPDATEIMAGE","features":[469]},{"name":"DISPID_VERBINVOKED","features":[469]},{"name":"DISPID_VIEWMODECHANGED","features":[469]},{"name":"DISPID_VIEWPAINTDONE","features":[469]},{"name":"DISPID_WORDWHEELEDITED","features":[469]},{"name":"DISPLAY_DEVICE_TYPE","features":[469]},{"name":"DI_GETDRAGIMAGE","features":[469]},{"name":"DLG_SCRNSAVECONFIGURE","features":[469]},{"name":"DLLGETVERSIONPROC","features":[469]},{"name":"DLLVERSIONINFO","features":[469]},{"name":"DLLVERSIONINFO2","features":[469]},{"name":"DLLVER_BUILD_MASK","features":[469]},{"name":"DLLVER_MAJOR_MASK","features":[469]},{"name":"DLLVER_MINOR_MASK","features":[469]},{"name":"DLLVER_PLATFORM_NT","features":[469]},{"name":"DLLVER_PLATFORM_WINDOWS","features":[469]},{"name":"DLLVER_QFE_MASK","features":[469]},{"name":"DOGIF_DEFAULT","features":[469]},{"name":"DOGIF_NO_HDROP","features":[469]},{"name":"DOGIF_NO_URL","features":[469]},{"name":"DOGIF_ONLY_IF_ONE","features":[469]},{"name":"DOGIF_TRAVERSE_LINK","features":[469]},{"name":"DRAGINFOA","features":[308,469]},{"name":"DRAGINFOA","features":[308,469]},{"name":"DRAGINFOW","features":[308,469]},{"name":"DRAGINFOW","features":[308,469]},{"name":"DROPDESCRIPTION","features":[469]},{"name":"DROPFILES","features":[308,469]},{"name":"DROPIMAGETYPE","features":[469]},{"name":"DROPIMAGE_COPY","features":[469]},{"name":"DROPIMAGE_INVALID","features":[469]},{"name":"DROPIMAGE_LABEL","features":[469]},{"name":"DROPIMAGE_LINK","features":[469]},{"name":"DROPIMAGE_MOVE","features":[469]},{"name":"DROPIMAGE_NOIMAGE","features":[469]},{"name":"DROPIMAGE_NONE","features":[469]},{"name":"DROPIMAGE_WARNING","features":[469]},{"name":"DSD_BACKWARD","features":[469]},{"name":"DSD_FORWARD","features":[469]},{"name":"DSFT_DETECT","features":[469]},{"name":"DSFT_PRIVATE","features":[469]},{"name":"DSFT_PUBLIC","features":[469]},{"name":"DSH_ALLOWDROPDESCRIPTIONTEXT","features":[469]},{"name":"DSH_FLAGS","features":[469]},{"name":"DSO_SHUFFLEIMAGES","features":[469]},{"name":"DSS_DISABLED_BY_REMOTE_SESSION","features":[469]},{"name":"DSS_ENABLED","features":[469]},{"name":"DSS_SLIDESHOW","features":[469]},{"name":"DShellFolderViewEvents","features":[359,469]},{"name":"DShellNameSpaceEvents","features":[359,469]},{"name":"DShellWindowsEvents","features":[359,469]},{"name":"DVASPECT_COPY","features":[469]},{"name":"DVASPECT_LINK","features":[469]},{"name":"DVASPECT_SHORTNAME","features":[469]},{"name":"DWFAF_AUTOHIDE","features":[469]},{"name":"DWFAF_GROUP1","features":[469]},{"name":"DWFAF_GROUP2","features":[469]},{"name":"DWFAF_HIDDEN","features":[469]},{"name":"DWFRF_DELETECONFIGDATA","features":[469]},{"name":"DWFRF_NORMAL","features":[469]},{"name":"DWPOS_CENTER","features":[469]},{"name":"DWPOS_FILL","features":[469]},{"name":"DWPOS_FIT","features":[469]},{"name":"DWPOS_SPAN","features":[469]},{"name":"DWPOS_STRETCH","features":[469]},{"name":"DWPOS_TILE","features":[469]},{"name":"DWebBrowserEvents","features":[359,469]},{"name":"DWebBrowserEvents2","features":[359,469]},{"name":"DefFolderMenu","features":[469]},{"name":"DefSubclassProc","features":[308,469]},{"name":"DeleteProfileA","features":[308,469]},{"name":"DeleteProfileW","features":[308,469]},{"name":"DesktopGadget","features":[469]},{"name":"DesktopWallpaper","features":[469]},{"name":"DestinationList","features":[469]},{"name":"DoEnvironmentSubstA","features":[469]},{"name":"DoEnvironmentSubstW","features":[469]},{"name":"DocPropShellExtension","features":[469]},{"name":"DragAcceptFiles","features":[308,469]},{"name":"DragFinish","features":[469]},{"name":"DragQueryFileA","features":[469]},{"name":"DragQueryFileW","features":[469]},{"name":"DragQueryPoint","features":[308,469]},{"name":"DriveSizeCategorizer","features":[469]},{"name":"DriveType","features":[469]},{"name":"DriveTypeCategorizer","features":[469]},{"name":"DuplicateIcon","features":[308,469,370]},{"name":"EBF_NODROPTARGET","features":[469]},{"name":"EBF_NONE","features":[469]},{"name":"EBF_SELECTFROMDATAOBJECT","features":[469]},{"name":"EBO_ALWAYSNAVIGATE","features":[469]},{"name":"EBO_HTMLSHAREPOINTVIEW","features":[469]},{"name":"EBO_NAVIGATEONCE","features":[469]},{"name":"EBO_NOBORDER","features":[469]},{"name":"EBO_NONE","features":[469]},{"name":"EBO_NOPERSISTVIEWSTATE","features":[469]},{"name":"EBO_NOTRAVELLOG","features":[469]},{"name":"EBO_NOWRAPPERWINDOW","features":[469]},{"name":"EBO_SHOWFRAMES","features":[469]},{"name":"ECF_AUTOMENUICONS","features":[469]},{"name":"ECF_DEFAULT","features":[469]},{"name":"ECF_HASLUASHIELD","features":[469]},{"name":"ECF_HASSPLITBUTTON","features":[469]},{"name":"ECF_HASSUBCOMMANDS","features":[469]},{"name":"ECF_HIDELABEL","features":[469]},{"name":"ECF_ISDROPDOWN","features":[469]},{"name":"ECF_ISSEPARATOR","features":[469]},{"name":"ECF_SEPARATORAFTER","features":[469]},{"name":"ECF_SEPARATORBEFORE","features":[469]},{"name":"ECF_TOGGLEABLE","features":[469]},{"name":"ECHUIM_DESKTOP","features":[469]},{"name":"ECHUIM_IMMERSIVE","features":[469]},{"name":"ECHUIM_SYSTEM_LAUNCHER","features":[469]},{"name":"ECS_CHECKBOX","features":[469]},{"name":"ECS_CHECKED","features":[469]},{"name":"ECS_DISABLED","features":[469]},{"name":"ECS_ENABLED","features":[469]},{"name":"ECS_HIDDEN","features":[469]},{"name":"ECS_RADIOCHECK","features":[469]},{"name":"EC_HOST_UI_MODE","features":[469]},{"name":"EDGE_GESTURE_KIND","features":[469]},{"name":"EGK_KEYBOARD","features":[469]},{"name":"EGK_MOUSE","features":[469]},{"name":"EGK_TOUCH","features":[469]},{"name":"EPS_DEFAULT_OFF","features":[469]},{"name":"EPS_DEFAULT_ON","features":[469]},{"name":"EPS_DONTCARE","features":[469]},{"name":"EPS_FORCE","features":[469]},{"name":"EPS_INITIALSTATE","features":[469]},{"name":"EPS_STATEMASK","features":[469]},{"name":"EP_AdvQueryPane","features":[469]},{"name":"EP_Commands","features":[469]},{"name":"EP_Commands_Organize","features":[469]},{"name":"EP_Commands_View","features":[469]},{"name":"EP_DetailsPane","features":[469]},{"name":"EP_NavPane","features":[469]},{"name":"EP_PreviewPane","features":[469]},{"name":"EP_QueryPane","features":[469]},{"name":"EP_Ribbon","features":[469]},{"name":"EP_StatusBar","features":[469]},{"name":"EXECUTE_E_LAUNCH_APPLICATION","features":[469]},{"name":"EXPLORER_BROWSER_FILL_FLAGS","features":[469]},{"name":"EXPLORER_BROWSER_OPTIONS","features":[469]},{"name":"EXPPS_FILETYPES","features":[469]},{"name":"EXP_DARWIN_ID_SIG","features":[469]},{"name":"EXP_DARWIN_LINK","features":[469]},{"name":"EXP_PROPERTYSTORAGE","features":[469]},{"name":"EXP_PROPERTYSTORAGE_SIG","features":[469]},{"name":"EXP_SPECIAL_FOLDER","features":[469]},{"name":"EXP_SPECIAL_FOLDER_SIG","features":[469]},{"name":"EXP_SZ_ICON_SIG","features":[469]},{"name":"EXP_SZ_LINK","features":[469]},{"name":"EXP_SZ_LINK_SIG","features":[469]},{"name":"EXTRASEARCH","features":[469]},{"name":"E_ACTIVATIONDENIED_SHELLERROR","features":[469]},{"name":"E_ACTIVATIONDENIED_SHELLNOTREADY","features":[469]},{"name":"E_ACTIVATIONDENIED_SHELLRESTART","features":[469]},{"name":"E_ACTIVATIONDENIED_UNEXPECTED","features":[469]},{"name":"E_ACTIVATIONDENIED_USERCLOSE","features":[469]},{"name":"E_FILE_PLACEHOLDER_NOT_INITIALIZED","features":[469]},{"name":"E_FILE_PLACEHOLDER_SERVER_TIMED_OUT","features":[469]},{"name":"E_FILE_PLACEHOLDER_STORAGEPROVIDER_NOT_FOUND","features":[469]},{"name":"E_FILE_PLACEHOLDER_VERSION_MISMATCH","features":[469]},{"name":"E_FLAGS","features":[469]},{"name":"E_IMAGEFEED_CHANGEDISABLED","features":[469]},{"name":"E_NOTVALIDFORANIMATEDIMAGE","features":[469]},{"name":"E_PREVIEWHANDLER_CORRUPT","features":[469]},{"name":"E_PREVIEWHANDLER_DRM_FAIL","features":[469]},{"name":"E_PREVIEWHANDLER_NOAUTH","features":[469]},{"name":"E_PREVIEWHANDLER_NOTFOUND","features":[469]},{"name":"E_SHELL_EXTENSION_BLOCKED","features":[469]},{"name":"E_TILE_NOTIFICATIONS_PLATFORM_FAILURE","features":[469]},{"name":"E_USERTILE_CHANGEDISABLED","features":[469]},{"name":"E_USERTILE_FILESIZE","features":[469]},{"name":"E_USERTILE_LARGEORDYNAMIC","features":[469]},{"name":"E_USERTILE_UNSUPPORTEDFILETYPE","features":[469]},{"name":"E_USERTILE_VIDEOFRAMESIZE","features":[469]},{"name":"EnumerableObjectCollection","features":[469]},{"name":"ExecuteFolder","features":[469]},{"name":"ExecuteUnknown","features":[469]},{"name":"ExplorerBrowser","features":[469]},{"name":"ExtractAssociatedIconA","features":[308,469,370]},{"name":"ExtractAssociatedIconExA","features":[308,469,370]},{"name":"ExtractAssociatedIconExW","features":[308,469,370]},{"name":"ExtractAssociatedIconW","features":[308,469,370]},{"name":"ExtractIconA","features":[308,469,370]},{"name":"ExtractIconExA","features":[469,370]},{"name":"ExtractIconExW","features":[469,370]},{"name":"ExtractIconW","features":[308,469,370]},{"name":"ExtractIfNotCached","features":[469]},{"name":"FCIDM_BROWSERFIRST","features":[469]},{"name":"FCIDM_BROWSERLAST","features":[469]},{"name":"FCIDM_GLOBALFIRST","features":[469]},{"name":"FCIDM_GLOBALLAST","features":[469]},{"name":"FCIDM_MENU_EDIT","features":[469]},{"name":"FCIDM_MENU_EXPLORE","features":[469]},{"name":"FCIDM_MENU_FAVORITES","features":[469]},{"name":"FCIDM_MENU_FILE","features":[469]},{"name":"FCIDM_MENU_FIND","features":[469]},{"name":"FCIDM_MENU_HELP","features":[469]},{"name":"FCIDM_MENU_TOOLS","features":[469]},{"name":"FCIDM_MENU_TOOLS_SEP_GOTO","features":[469]},{"name":"FCIDM_MENU_VIEW","features":[469]},{"name":"FCIDM_MENU_VIEW_SEP_OPTIONS","features":[469]},{"name":"FCIDM_SHVIEWFIRST","features":[469]},{"name":"FCIDM_SHVIEWLAST","features":[469]},{"name":"FCIDM_STATUS","features":[469]},{"name":"FCIDM_TOOLBAR","features":[469]},{"name":"FCSM_CLSID","features":[469]},{"name":"FCSM_FLAGS","features":[469]},{"name":"FCSM_ICONFILE","features":[469]},{"name":"FCSM_INFOTIP","features":[469]},{"name":"FCSM_LOGO","features":[469]},{"name":"FCSM_VIEWID","features":[469]},{"name":"FCSM_WEBVIEWTEMPLATE","features":[469]},{"name":"FCS_FLAG_DRAGDROP","features":[469]},{"name":"FCS_FORCEWRITE","features":[469]},{"name":"FCS_READ","features":[469]},{"name":"FCT_ADDTOEND","features":[469]},{"name":"FCT_CONFIGABLE","features":[469]},{"name":"FCT_MERGE","features":[469]},{"name":"FCW_INTERNETBAR","features":[469]},{"name":"FCW_PROGRESS","features":[469]},{"name":"FCW_STATUS","features":[469]},{"name":"FCW_TOOLBAR","features":[469]},{"name":"FCW_TREE","features":[469]},{"name":"FDAP","features":[469]},{"name":"FDAP_BOTTOM","features":[469]},{"name":"FDAP_TOP","features":[469]},{"name":"FDEOR_ACCEPT","features":[469]},{"name":"FDEOR_DEFAULT","features":[469]},{"name":"FDEOR_REFUSE","features":[469]},{"name":"FDESVR_ACCEPT","features":[469]},{"name":"FDESVR_DEFAULT","features":[469]},{"name":"FDESVR_REFUSE","features":[469]},{"name":"FDE_OVERWRITE_RESPONSE","features":[469]},{"name":"FDE_SHAREVIOLATION_RESPONSE","features":[469]},{"name":"FDTF_LONGDATE","features":[469]},{"name":"FDTF_LONGTIME","features":[469]},{"name":"FDTF_LTRDATE","features":[469]},{"name":"FDTF_NOAUTOREADINGORDER","features":[469]},{"name":"FDTF_RELATIVE","features":[469]},{"name":"FDTF_RTLDATE","features":[469]},{"name":"FDTF_SHORTDATE","features":[469]},{"name":"FDTF_SHORTTIME","features":[469]},{"name":"FD_ACCESSTIME","features":[469]},{"name":"FD_ATTRIBUTES","features":[469]},{"name":"FD_CLSID","features":[469]},{"name":"FD_CREATETIME","features":[469]},{"name":"FD_FILESIZE","features":[469]},{"name":"FD_FLAGS","features":[469]},{"name":"FD_LINKUI","features":[469]},{"name":"FD_PROGRESSUI","features":[469]},{"name":"FD_SIZEPOINT","features":[469]},{"name":"FD_UNICODE","features":[469]},{"name":"FD_WRITESTIME","features":[469]},{"name":"FEM_NAVIGATION","features":[469]},{"name":"FEM_VIEWRESULT","features":[469]},{"name":"FFFP_EXACTMATCH","features":[469]},{"name":"FFFP_MODE","features":[469]},{"name":"FFFP_NEARESTPARENTMATCH","features":[469]},{"name":"FILEDESCRIPTORA","features":[308,469]},{"name":"FILEDESCRIPTORW","features":[308,469]},{"name":"FILEGROUPDESCRIPTORA","features":[308,469]},{"name":"FILEGROUPDESCRIPTORW","features":[308,469]},{"name":"FILEOPENDIALOGOPTIONS","features":[469]},{"name":"FILEOPERATION_FLAGS","features":[469]},{"name":"FILETYPEATTRIBUTEFLAGS","features":[469]},{"name":"FILE_ATTRIBUTES_ARRAY","features":[469]},{"name":"FILE_OPERATION_FLAGS2","features":[469]},{"name":"FILE_USAGE_TYPE","features":[469]},{"name":"FLVM_CONTENT","features":[469]},{"name":"FLVM_DETAILS","features":[469]},{"name":"FLVM_FIRST","features":[469]},{"name":"FLVM_ICONS","features":[469]},{"name":"FLVM_LAST","features":[469]},{"name":"FLVM_LIST","features":[469]},{"name":"FLVM_TILES","features":[469]},{"name":"FLVM_UNSPECIFIED","features":[469]},{"name":"FLYOUT_PLACEMENT","features":[469]},{"name":"FMTID_Briefcase","features":[469]},{"name":"FMTID_CustomImageProperties","features":[469]},{"name":"FMTID_DRM","features":[469]},{"name":"FMTID_Displaced","features":[469]},{"name":"FMTID_ImageProperties","features":[469]},{"name":"FMTID_InternetSite","features":[469]},{"name":"FMTID_Intshcut","features":[469]},{"name":"FMTID_LibraryProperties","features":[469]},{"name":"FMTID_MUSIC","features":[469]},{"name":"FMTID_Misc","features":[469]},{"name":"FMTID_Query","features":[469]},{"name":"FMTID_ShellDetails","features":[469]},{"name":"FMTID_Storage","features":[469]},{"name":"FMTID_Volume","features":[469]},{"name":"FMTID_WebView","features":[469]},{"name":"FOF2_MERGEFOLDERSONCOLLISION","features":[469]},{"name":"FOF2_NONE","features":[469]},{"name":"FOFX_ADDUNDORECORD","features":[469]},{"name":"FOFX_COPYASDOWNLOAD","features":[469]},{"name":"FOFX_DONTDISPLAYDESTPATH","features":[469]},{"name":"FOFX_DONTDISPLAYLOCATIONS","features":[469]},{"name":"FOFX_DONTDISPLAYSOURCEPATH","features":[469]},{"name":"FOFX_EARLYFAILURE","features":[469]},{"name":"FOFX_KEEPNEWERFILE","features":[469]},{"name":"FOFX_MOVEACLSACROSSVOLUMES","features":[469]},{"name":"FOFX_NOCOPYHOOKS","features":[469]},{"name":"FOFX_NOMINIMIZEBOX","features":[469]},{"name":"FOFX_NOSKIPJUNCTIONS","features":[469]},{"name":"FOFX_PREFERHARDLINK","features":[469]},{"name":"FOFX_PRESERVEFILEEXTENSIONS","features":[469]},{"name":"FOFX_RECYCLEONDELETE","features":[469]},{"name":"FOFX_REQUIREELEVATION","features":[469]},{"name":"FOFX_SHOWELEVATIONPROMPT","features":[469]},{"name":"FOF_ALLOWUNDO","features":[469]},{"name":"FOF_CONFIRMMOUSE","features":[469]},{"name":"FOF_FILESONLY","features":[469]},{"name":"FOF_MULTIDESTFILES","features":[469]},{"name":"FOF_NOCONFIRMATION","features":[469]},{"name":"FOF_NOCONFIRMMKDIR","features":[469]},{"name":"FOF_NOCOPYSECURITYATTRIBS","features":[469]},{"name":"FOF_NOERRORUI","features":[469]},{"name":"FOF_NORECURSEREPARSE","features":[469]},{"name":"FOF_NORECURSION","features":[469]},{"name":"FOF_NO_CONNECTED_ELEMENTS","features":[469]},{"name":"FOF_NO_UI","features":[469]},{"name":"FOF_RENAMEONCOLLISION","features":[469]},{"name":"FOF_SILENT","features":[469]},{"name":"FOF_SIMPLEPROGRESS","features":[469]},{"name":"FOF_WANTMAPPINGHANDLE","features":[469]},{"name":"FOF_WANTNUKEWARNING","features":[469]},{"name":"FOLDERFLAGS","features":[469]},{"name":"FOLDERID_AccountPictures","features":[469]},{"name":"FOLDERID_AddNewPrograms","features":[469]},{"name":"FOLDERID_AdminTools","features":[469]},{"name":"FOLDERID_AllAppMods","features":[469]},{"name":"FOLDERID_AppCaptures","features":[469]},{"name":"FOLDERID_AppDataDesktop","features":[469]},{"name":"FOLDERID_AppDataDocuments","features":[469]},{"name":"FOLDERID_AppDataFavorites","features":[469]},{"name":"FOLDERID_AppDataProgramData","features":[469]},{"name":"FOLDERID_AppUpdates","features":[469]},{"name":"FOLDERID_ApplicationShortcuts","features":[469]},{"name":"FOLDERID_AppsFolder","features":[469]},{"name":"FOLDERID_CDBurning","features":[469]},{"name":"FOLDERID_CameraRoll","features":[469]},{"name":"FOLDERID_CameraRollLibrary","features":[469]},{"name":"FOLDERID_ChangeRemovePrograms","features":[469]},{"name":"FOLDERID_CommonAdminTools","features":[469]},{"name":"FOLDERID_CommonOEMLinks","features":[469]},{"name":"FOLDERID_CommonPrograms","features":[469]},{"name":"FOLDERID_CommonStartMenu","features":[469]},{"name":"FOLDERID_CommonStartMenuPlaces","features":[469]},{"name":"FOLDERID_CommonStartup","features":[469]},{"name":"FOLDERID_CommonTemplates","features":[469]},{"name":"FOLDERID_ComputerFolder","features":[469]},{"name":"FOLDERID_ConflictFolder","features":[469]},{"name":"FOLDERID_ConnectionsFolder","features":[469]},{"name":"FOLDERID_Contacts","features":[469]},{"name":"FOLDERID_ControlPanelFolder","features":[469]},{"name":"FOLDERID_Cookies","features":[469]},{"name":"FOLDERID_CurrentAppMods","features":[469]},{"name":"FOLDERID_Desktop","features":[469]},{"name":"FOLDERID_DevelopmentFiles","features":[469]},{"name":"FOLDERID_Device","features":[469]},{"name":"FOLDERID_DeviceMetadataStore","features":[469]},{"name":"FOLDERID_Documents","features":[469]},{"name":"FOLDERID_DocumentsLibrary","features":[469]},{"name":"FOLDERID_Downloads","features":[469]},{"name":"FOLDERID_Favorites","features":[469]},{"name":"FOLDERID_Fonts","features":[469]},{"name":"FOLDERID_GameTasks","features":[469]},{"name":"FOLDERID_Games","features":[469]},{"name":"FOLDERID_History","features":[469]},{"name":"FOLDERID_HomeGroup","features":[469]},{"name":"FOLDERID_HomeGroupCurrentUser","features":[469]},{"name":"FOLDERID_ImplicitAppShortcuts","features":[469]},{"name":"FOLDERID_InternetCache","features":[469]},{"name":"FOLDERID_InternetFolder","features":[469]},{"name":"FOLDERID_Libraries","features":[469]},{"name":"FOLDERID_Links","features":[469]},{"name":"FOLDERID_LocalAppData","features":[469]},{"name":"FOLDERID_LocalAppDataLow","features":[469]},{"name":"FOLDERID_LocalDocuments","features":[469]},{"name":"FOLDERID_LocalDownloads","features":[469]},{"name":"FOLDERID_LocalMusic","features":[469]},{"name":"FOLDERID_LocalPictures","features":[469]},{"name":"FOLDERID_LocalStorage","features":[469]},{"name":"FOLDERID_LocalVideos","features":[469]},{"name":"FOLDERID_LocalizedResourcesDir","features":[469]},{"name":"FOLDERID_Music","features":[469]},{"name":"FOLDERID_MusicLibrary","features":[469]},{"name":"FOLDERID_NetHood","features":[469]},{"name":"FOLDERID_NetworkFolder","features":[469]},{"name":"FOLDERID_Objects3D","features":[469]},{"name":"FOLDERID_OneDrive","features":[469]},{"name":"FOLDERID_OriginalImages","features":[469]},{"name":"FOLDERID_PhotoAlbums","features":[469]},{"name":"FOLDERID_Pictures","features":[469]},{"name":"FOLDERID_PicturesLibrary","features":[469]},{"name":"FOLDERID_Playlists","features":[469]},{"name":"FOLDERID_PrintHood","features":[469]},{"name":"FOLDERID_PrintersFolder","features":[469]},{"name":"FOLDERID_Profile","features":[469]},{"name":"FOLDERID_ProgramData","features":[469]},{"name":"FOLDERID_ProgramFiles","features":[469]},{"name":"FOLDERID_ProgramFilesCommon","features":[469]},{"name":"FOLDERID_ProgramFilesCommonX64","features":[469]},{"name":"FOLDERID_ProgramFilesCommonX86","features":[469]},{"name":"FOLDERID_ProgramFilesX64","features":[469]},{"name":"FOLDERID_ProgramFilesX86","features":[469]},{"name":"FOLDERID_Programs","features":[469]},{"name":"FOLDERID_Public","features":[469]},{"name":"FOLDERID_PublicDesktop","features":[469]},{"name":"FOLDERID_PublicDocuments","features":[469]},{"name":"FOLDERID_PublicDownloads","features":[469]},{"name":"FOLDERID_PublicGameTasks","features":[469]},{"name":"FOLDERID_PublicLibraries","features":[469]},{"name":"FOLDERID_PublicMusic","features":[469]},{"name":"FOLDERID_PublicPictures","features":[469]},{"name":"FOLDERID_PublicRingtones","features":[469]},{"name":"FOLDERID_PublicUserTiles","features":[469]},{"name":"FOLDERID_PublicVideos","features":[469]},{"name":"FOLDERID_QuickLaunch","features":[469]},{"name":"FOLDERID_Recent","features":[469]},{"name":"FOLDERID_RecordedCalls","features":[469]},{"name":"FOLDERID_RecordedTVLibrary","features":[469]},{"name":"FOLDERID_RecycleBinFolder","features":[469]},{"name":"FOLDERID_ResourceDir","features":[469]},{"name":"FOLDERID_RetailDemo","features":[469]},{"name":"FOLDERID_Ringtones","features":[469]},{"name":"FOLDERID_RoamedTileImages","features":[469]},{"name":"FOLDERID_RoamingAppData","features":[469]},{"name":"FOLDERID_RoamingTiles","features":[469]},{"name":"FOLDERID_SEARCH_CSC","features":[469]},{"name":"FOLDERID_SEARCH_MAPI","features":[469]},{"name":"FOLDERID_SampleMusic","features":[469]},{"name":"FOLDERID_SamplePictures","features":[469]},{"name":"FOLDERID_SamplePlaylists","features":[469]},{"name":"FOLDERID_SampleVideos","features":[469]},{"name":"FOLDERID_SavedGames","features":[469]},{"name":"FOLDERID_SavedPictures","features":[469]},{"name":"FOLDERID_SavedPicturesLibrary","features":[469]},{"name":"FOLDERID_SavedSearches","features":[469]},{"name":"FOLDERID_Screenshots","features":[469]},{"name":"FOLDERID_SearchHistory","features":[469]},{"name":"FOLDERID_SearchHome","features":[469]},{"name":"FOLDERID_SearchTemplates","features":[469]},{"name":"FOLDERID_SendTo","features":[469]},{"name":"FOLDERID_SidebarDefaultParts","features":[469]},{"name":"FOLDERID_SidebarParts","features":[469]},{"name":"FOLDERID_SkyDrive","features":[469]},{"name":"FOLDERID_SkyDriveCameraRoll","features":[469]},{"name":"FOLDERID_SkyDriveDocuments","features":[469]},{"name":"FOLDERID_SkyDriveMusic","features":[469]},{"name":"FOLDERID_SkyDrivePictures","features":[469]},{"name":"FOLDERID_StartMenu","features":[469]},{"name":"FOLDERID_StartMenuAllPrograms","features":[469]},{"name":"FOLDERID_Startup","features":[469]},{"name":"FOLDERID_SyncManagerFolder","features":[469]},{"name":"FOLDERID_SyncResultsFolder","features":[469]},{"name":"FOLDERID_SyncSetupFolder","features":[469]},{"name":"FOLDERID_System","features":[469]},{"name":"FOLDERID_SystemX86","features":[469]},{"name":"FOLDERID_Templates","features":[469]},{"name":"FOLDERID_UserPinned","features":[469]},{"name":"FOLDERID_UserProfiles","features":[469]},{"name":"FOLDERID_UserProgramFiles","features":[469]},{"name":"FOLDERID_UserProgramFilesCommon","features":[469]},{"name":"FOLDERID_UsersFiles","features":[469]},{"name":"FOLDERID_UsersLibraries","features":[469]},{"name":"FOLDERID_Videos","features":[469]},{"name":"FOLDERID_VideosLibrary","features":[469]},{"name":"FOLDERID_Windows","features":[469]},{"name":"FOLDERLOGICALVIEWMODE","features":[469]},{"name":"FOLDERSETDATA","features":[469]},{"name":"FOLDERSETTINGS","features":[469]},{"name":"FOLDERTYPEID_AccountPictures","features":[469]},{"name":"FOLDERTYPEID_Communications","features":[469]},{"name":"FOLDERTYPEID_CompressedFolder","features":[469]},{"name":"FOLDERTYPEID_Contacts","features":[469]},{"name":"FOLDERTYPEID_ControlPanelCategory","features":[469]},{"name":"FOLDERTYPEID_ControlPanelClassic","features":[469]},{"name":"FOLDERTYPEID_Documents","features":[469]},{"name":"FOLDERTYPEID_Downloads","features":[469]},{"name":"FOLDERTYPEID_Games","features":[469]},{"name":"FOLDERTYPEID_Generic","features":[469]},{"name":"FOLDERTYPEID_GenericLibrary","features":[469]},{"name":"FOLDERTYPEID_GenericSearchResults","features":[469]},{"name":"FOLDERTYPEID_Invalid","features":[469]},{"name":"FOLDERTYPEID_Music","features":[469]},{"name":"FOLDERTYPEID_NetworkExplorer","features":[469]},{"name":"FOLDERTYPEID_OpenSearch","features":[469]},{"name":"FOLDERTYPEID_OtherUsers","features":[469]},{"name":"FOLDERTYPEID_Pictures","features":[469]},{"name":"FOLDERTYPEID_Printers","features":[469]},{"name":"FOLDERTYPEID_PublishedItems","features":[469]},{"name":"FOLDERTYPEID_RecordedTV","features":[469]},{"name":"FOLDERTYPEID_RecycleBin","features":[469]},{"name":"FOLDERTYPEID_SavedGames","features":[469]},{"name":"FOLDERTYPEID_SearchConnector","features":[469]},{"name":"FOLDERTYPEID_SearchHome","features":[469]},{"name":"FOLDERTYPEID_Searches","features":[469]},{"name":"FOLDERTYPEID_SoftwareExplorer","features":[469]},{"name":"FOLDERTYPEID_StartMenu","features":[469]},{"name":"FOLDERTYPEID_StorageProviderDocuments","features":[469]},{"name":"FOLDERTYPEID_StorageProviderGeneric","features":[469]},{"name":"FOLDERTYPEID_StorageProviderMusic","features":[469]},{"name":"FOLDERTYPEID_StorageProviderPictures","features":[469]},{"name":"FOLDERTYPEID_StorageProviderVideos","features":[469]},{"name":"FOLDERTYPEID_UserFiles","features":[469]},{"name":"FOLDERTYPEID_UsersLibraries","features":[469]},{"name":"FOLDERTYPEID_Videos","features":[469]},{"name":"FOLDERVIEWMODE","features":[469]},{"name":"FOLDERVIEWOPTIONS","features":[469]},{"name":"FOLDER_ENUM_MODE","features":[469]},{"name":"FOS_ALLNONSTORAGEITEMS","features":[469]},{"name":"FOS_ALLOWMULTISELECT","features":[469]},{"name":"FOS_CREATEPROMPT","features":[469]},{"name":"FOS_DEFAULTNOMINIMODE","features":[469]},{"name":"FOS_DONTADDTORECENT","features":[469]},{"name":"FOS_FILEMUSTEXIST","features":[469]},{"name":"FOS_FORCEFILESYSTEM","features":[469]},{"name":"FOS_FORCEPREVIEWPANEON","features":[469]},{"name":"FOS_FORCESHOWHIDDEN","features":[469]},{"name":"FOS_HIDEMRUPLACES","features":[469]},{"name":"FOS_HIDEPINNEDPLACES","features":[469]},{"name":"FOS_NOCHANGEDIR","features":[469]},{"name":"FOS_NODEREFERENCELINKS","features":[469]},{"name":"FOS_NOREADONLYRETURN","features":[469]},{"name":"FOS_NOTESTFILECREATE","features":[469]},{"name":"FOS_NOVALIDATE","features":[469]},{"name":"FOS_OKBUTTONNEEDSINTERACTION","features":[469]},{"name":"FOS_OVERWRITEPROMPT","features":[469]},{"name":"FOS_PATHMUSTEXIST","features":[469]},{"name":"FOS_PICKFOLDERS","features":[469]},{"name":"FOS_SHAREAWARE","features":[469]},{"name":"FOS_STRICTFILETYPES","features":[469]},{"name":"FOS_SUPPORTSTREAMABLEITEMS","features":[469]},{"name":"FO_COPY","features":[469]},{"name":"FO_DELETE","features":[469]},{"name":"FO_MOVE","features":[469]},{"name":"FO_RENAME","features":[469]},{"name":"FP_ABOVE","features":[469]},{"name":"FP_BELOW","features":[469]},{"name":"FP_DEFAULT","features":[469]},{"name":"FP_LEFT","features":[469]},{"name":"FP_RIGHT","features":[469]},{"name":"FSCopyHandler","features":[469]},{"name":"FTA_AlwaysUnsafe","features":[469]},{"name":"FTA_AlwaysUseDirectInvoke","features":[469]},{"name":"FTA_Exclude","features":[469]},{"name":"FTA_HasExtension","features":[469]},{"name":"FTA_NoDDE","features":[469]},{"name":"FTA_NoEdit","features":[469]},{"name":"FTA_NoEditDesc","features":[469]},{"name":"FTA_NoEditDflt","features":[469]},{"name":"FTA_NoEditIcon","features":[469]},{"name":"FTA_NoEditMIME","features":[469]},{"name":"FTA_NoEditVerb","features":[469]},{"name":"FTA_NoEditVerbCmd","features":[469]},{"name":"FTA_NoEditVerbExe","features":[469]},{"name":"FTA_NoNewVerb","features":[469]},{"name":"FTA_NoRecentDocs","features":[469]},{"name":"FTA_NoRemove","features":[469]},{"name":"FTA_NoRemoveVerb","features":[469]},{"name":"FTA_None","features":[469]},{"name":"FTA_OpenIsSafe","features":[469]},{"name":"FTA_SafeForElevation","features":[469]},{"name":"FTA_Show","features":[469]},{"name":"FUT_EDITING","features":[469]},{"name":"FUT_GENERIC","features":[469]},{"name":"FUT_PLAYING","features":[469]},{"name":"FVM_AUTO","features":[469]},{"name":"FVM_CONTENT","features":[469]},{"name":"FVM_DETAILS","features":[469]},{"name":"FVM_FIRST","features":[469]},{"name":"FVM_ICON","features":[469]},{"name":"FVM_LAST","features":[469]},{"name":"FVM_LIST","features":[469]},{"name":"FVM_SMALLICON","features":[469]},{"name":"FVM_THUMBNAIL","features":[469]},{"name":"FVM_THUMBSTRIP","features":[469]},{"name":"FVM_TILE","features":[469]},{"name":"FVO_CUSTOMORDERING","features":[469]},{"name":"FVO_CUSTOMPOSITION","features":[469]},{"name":"FVO_DEFAULT","features":[469]},{"name":"FVO_NOANIMATIONS","features":[469]},{"name":"FVO_NOSCROLLTIPS","features":[469]},{"name":"FVO_SUPPORTHYPERLINKS","features":[469]},{"name":"FVO_VISTALAYOUT","features":[469]},{"name":"FVSIF_CANVIEWIT","features":[469]},{"name":"FVSIF_NEWFAILED","features":[469]},{"name":"FVSIF_NEWFILE","features":[469]},{"name":"FVSIF_PINNED","features":[469]},{"name":"FVSIF_RECT","features":[469]},{"name":"FVST_EMPTYTEXT","features":[469]},{"name":"FVTEXTTYPE","features":[469]},{"name":"FWF_ABBREVIATEDNAMES","features":[469]},{"name":"FWF_ALIGNLEFT","features":[469]},{"name":"FWF_ALLOWRTLREADING","features":[469]},{"name":"FWF_AUTOARRANGE","features":[469]},{"name":"FWF_AUTOCHECKSELECT","features":[469]},{"name":"FWF_BESTFITWINDOW","features":[469]},{"name":"FWF_CHECKSELECT","features":[469]},{"name":"FWF_DESKTOP","features":[469]},{"name":"FWF_EXTENDEDTILES","features":[469]},{"name":"FWF_FULLROWSELECT","features":[469]},{"name":"FWF_HIDEFILENAMES","features":[469]},{"name":"FWF_NOBROWSERVIEWSTATE","features":[469]},{"name":"FWF_NOCLIENTEDGE","features":[469]},{"name":"FWF_NOCOLUMNHEADER","features":[469]},{"name":"FWF_NOENUMREFRESH","features":[469]},{"name":"FWF_NOFILTERS","features":[469]},{"name":"FWF_NOGROUPING","features":[469]},{"name":"FWF_NOHEADERINALLVIEWS","features":[469]},{"name":"FWF_NOICONS","features":[469]},{"name":"FWF_NONE","features":[469]},{"name":"FWF_NOSCROLL","features":[469]},{"name":"FWF_NOSUBFOLDERS","features":[469]},{"name":"FWF_NOVISIBLE","features":[469]},{"name":"FWF_NOWEBVIEW","features":[469]},{"name":"FWF_OWNERDATA","features":[469]},{"name":"FWF_SHOWSELALWAYS","features":[469]},{"name":"FWF_SINGLECLICKACTIVATE","features":[469]},{"name":"FWF_SINGLESEL","features":[469]},{"name":"FWF_SNAPTOGRID","features":[469]},{"name":"FWF_SUBSETGROUPS","features":[469]},{"name":"FWF_TRANSPARENT","features":[469]},{"name":"FWF_TRICHECKSELECT","features":[469]},{"name":"FWF_USESEARCHFOLDER","features":[469]},{"name":"FileIconInit","features":[308,469]},{"name":"FileOpenDialog","features":[469]},{"name":"FileOperation","features":[469]},{"name":"FileSaveDialog","features":[469]},{"name":"FileSearchBand","features":[469]},{"name":"FindExecutableA","features":[308,469]},{"name":"FindExecutableW","features":[308,469]},{"name":"Folder","features":[359,469]},{"name":"Folder2","features":[359,469]},{"name":"Folder3","features":[359,469]},{"name":"FolderItem","features":[359,469]},{"name":"FolderItem2","features":[359,469]},{"name":"FolderItemVerb","features":[359,469]},{"name":"FolderItemVerbs","features":[359,469]},{"name":"FolderItems","features":[359,469]},{"name":"FolderItems2","features":[359,469]},{"name":"FolderItems3","features":[359,469]},{"name":"FolderViewHost","features":[469]},{"name":"FrameworkInputPane","features":[469]},{"name":"FreeSpaceCategorizer","features":[469]},{"name":"GADOF_DIRTY","features":[469]},{"name":"GCS_HELPTEXT","features":[469]},{"name":"GCS_HELPTEXTA","features":[469]},{"name":"GCS_HELPTEXTW","features":[469]},{"name":"GCS_UNICODE","features":[469]},{"name":"GCS_VALIDATE","features":[469]},{"name":"GCS_VALIDATEA","features":[469]},{"name":"GCS_VALIDATEW","features":[469]},{"name":"GCS_VERB","features":[469]},{"name":"GCS_VERBA","features":[469]},{"name":"GCS_VERBICONW","features":[469]},{"name":"GCS_VERBW","features":[469]},{"name":"GCT_INVALID","features":[469]},{"name":"GCT_LFNCHAR","features":[469]},{"name":"GCT_SEPARATOR","features":[469]},{"name":"GCT_SHORTCHAR","features":[469]},{"name":"GCT_WILD","features":[469]},{"name":"GETPROPS_NONE","features":[469]},{"name":"GIL_ASYNC","features":[469]},{"name":"GIL_CHECKSHIELD","features":[469]},{"name":"GIL_DEFAULTICON","features":[469]},{"name":"GIL_DONTCACHE","features":[469]},{"name":"GIL_FORCENOSHIELD","features":[469]},{"name":"GIL_FORSHELL","features":[469]},{"name":"GIL_FORSHORTCUT","features":[469]},{"name":"GIL_NOTFILENAME","features":[469]},{"name":"GIL_OPENICON","features":[469]},{"name":"GIL_PERCLASS","features":[469]},{"name":"GIL_PERINSTANCE","features":[469]},{"name":"GIL_SHIELD","features":[469]},{"name":"GIL_SIMULATEDOC","features":[469]},{"name":"GLOBALCOUNTER_APPLICATION_DESTINATIONS","features":[469]},{"name":"GLOBALCOUNTER_APPROVEDSITES","features":[469]},{"name":"GLOBALCOUNTER_APPSFOLDER_FILETYPEASSOCIATION_COUNTER","features":[469]},{"name":"GLOBALCOUNTER_APP_ITEMS_STATE_STORE_CACHE","features":[469]},{"name":"GLOBALCOUNTER_ASSOCCHANGED","features":[469]},{"name":"GLOBALCOUNTER_BANNERS_DATAMODEL_CACHE_MACHINEWIDE","features":[469]},{"name":"GLOBALCOUNTER_BITBUCKETNUMDELETERS","features":[469]},{"name":"GLOBALCOUNTER_COMMONPLACES_LIST_CACHE","features":[469]},{"name":"GLOBALCOUNTER_FOLDERDEFINITION_CACHE","features":[469]},{"name":"GLOBALCOUNTER_FOLDERSETTINGSCHANGE","features":[469]},{"name":"GLOBALCOUNTER_IEONLY_SESSIONS","features":[469]},{"name":"GLOBALCOUNTER_IESESSIONS","features":[469]},{"name":"GLOBALCOUNTER_INTERNETTOOLBAR_LAYOUT","features":[469]},{"name":"GLOBALCOUNTER_MAXIMUMVALUE","features":[469]},{"name":"GLOBALCOUNTER_OVERLAYMANAGER","features":[469]},{"name":"GLOBALCOUNTER_PRIVATE_PROFILE_CACHE","features":[469]},{"name":"GLOBALCOUNTER_PRIVATE_PROFILE_CACHE_MACHINEWIDE","features":[469]},{"name":"GLOBALCOUNTER_QUERYASSOCIATIONS","features":[469]},{"name":"GLOBALCOUNTER_RATINGS","features":[469]},{"name":"GLOBALCOUNTER_RATINGS_STATECOUNTER","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEBINCORRUPTED","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEBINENUM","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_A","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_B","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_C","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_D","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_E","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_F","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_G","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_H","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_I","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_J","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_K","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_L","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_M","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_N","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_O","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_P","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_Q","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_R","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_S","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_T","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_U","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_V","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_W","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_X","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_Y","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_DRIVE_Z","features":[469]},{"name":"GLOBALCOUNTER_RECYCLEDIRTYCOUNT_SHARES","features":[469]},{"name":"GLOBALCOUNTER_RESTRICTIONS","features":[469]},{"name":"GLOBALCOUNTER_SEARCHMANAGER","features":[469]},{"name":"GLOBALCOUNTER_SEARCHOPTIONS","features":[469]},{"name":"GLOBALCOUNTER_SETTINGSYNC_ENABLED","features":[469]},{"name":"GLOBALCOUNTER_SHELLSETTINGSCHANGED","features":[469]},{"name":"GLOBALCOUNTER_SYNC_ENGINE_INFORMATION_CACHE_MACHINEWIDE","features":[469]},{"name":"GLOBALCOUNTER_SYSTEMPIDLCHANGE","features":[469]},{"name":"GLOBALCOUNTER_USERINFOCHANGED","features":[469]},{"name":"GPFIDL_ALTNAME","features":[469]},{"name":"GPFIDL_DEFAULT","features":[469]},{"name":"GPFIDL_FLAGS","features":[469]},{"name":"GPFIDL_UNCPRINTER","features":[469]},{"name":"GenericCredentialProvider","features":[469]},{"name":"GetAcceptLanguagesA","features":[469]},{"name":"GetAcceptLanguagesW","features":[469]},{"name":"GetAllUsersProfileDirectoryA","features":[308,469]},{"name":"GetAllUsersProfileDirectoryW","features":[308,469]},{"name":"GetCurrentProcessExplicitAppUserModelID","features":[469]},{"name":"GetDefaultUserProfileDirectoryA","features":[308,469]},{"name":"GetDefaultUserProfileDirectoryW","features":[308,469]},{"name":"GetDpiForShellUIComponent","features":[469]},{"name":"GetFileNameFromBrowse","features":[308,469]},{"name":"GetMenuContextHelpId","features":[469,370]},{"name":"GetMenuPosFromID","features":[469,370]},{"name":"GetProfileType","features":[308,469]},{"name":"GetProfilesDirectoryA","features":[308,469]},{"name":"GetProfilesDirectoryW","features":[308,469]},{"name":"GetScaleFactorForDevice","features":[636]},{"name":"GetScaleFactorForMonitor","features":[319,636]},{"name":"GetUserProfileDirectoryA","features":[308,469]},{"name":"GetUserProfileDirectoryW","features":[308,469]},{"name":"GetWindowContextHelpId","features":[308,469]},{"name":"GetWindowSubclass","features":[308,469]},{"name":"HDROP","features":[469]},{"name":"HELPINFO","features":[308,469]},{"name":"HELPINFO_MENUITEM","features":[469]},{"name":"HELPINFO_WINDOW","features":[469]},{"name":"HELPWININFOA","features":[469]},{"name":"HELPWININFOW","features":[469]},{"name":"HELP_INFO_TYPE","features":[469]},{"name":"HGSC_DOCUMENTSLIBRARY","features":[469]},{"name":"HGSC_MUSICLIBRARY","features":[469]},{"name":"HGSC_NONE","features":[469]},{"name":"HGSC_PICTURESLIBRARY","features":[469]},{"name":"HGSC_PRINTERS","features":[469]},{"name":"HGSC_VIDEOSLIBRARY","features":[469]},{"name":"HLBWIF_DOCWNDMAXIMIZED","features":[469]},{"name":"HLBWIF_FLAGS","features":[469]},{"name":"HLBWIF_FRAMEWNDMAXIMIZED","features":[469]},{"name":"HLBWIF_HASDOCWNDINFO","features":[469]},{"name":"HLBWIF_HASFRAMEWNDINFO","features":[469]},{"name":"HLBWIF_HASWEBTOOLBARINFO","features":[469]},{"name":"HLBWIF_WEBTOOLBARHIDDEN","features":[469]},{"name":"HLBWINFO","features":[308,469]},{"name":"HLFNAMEF","features":[469]},{"name":"HLFNAMEF_DEFAULT","features":[469]},{"name":"HLFNAMEF_TRYCACHE","features":[469]},{"name":"HLFNAMEF_TRYFULLTARGET","features":[469]},{"name":"HLFNAMEF_TRYPRETTYTARGET","features":[469]},{"name":"HLFNAMEF_TRYWIN95SHORTCUT","features":[469]},{"name":"HLID_CURRENT","features":[469]},{"name":"HLID_INFO","features":[469]},{"name":"HLID_INVALID","features":[469]},{"name":"HLID_NEXT","features":[469]},{"name":"HLID_PREVIOUS","features":[469]},{"name":"HLID_STACKBOTTOM","features":[469]},{"name":"HLID_STACKTOP","features":[469]},{"name":"HLINKGETREF","features":[469]},{"name":"HLINKGETREF_ABSOLUTE","features":[469]},{"name":"HLINKGETREF_DEFAULT","features":[469]},{"name":"HLINKGETREF_RELATIVE","features":[469]},{"name":"HLINKMISC","features":[469]},{"name":"HLINKMISC_RELATIVE","features":[469]},{"name":"HLINKSETF","features":[469]},{"name":"HLINKSETF_LOCATION","features":[469]},{"name":"HLINKSETF_TARGET","features":[469]},{"name":"HLINKWHICHMK","features":[469]},{"name":"HLINKWHICHMK_BASE","features":[469]},{"name":"HLINKWHICHMK_CONTAINER","features":[469]},{"name":"HLINK_E_FIRST","features":[469]},{"name":"HLINK_S_DONTHIDE","features":[469]},{"name":"HLINK_S_FIRST","features":[469]},{"name":"HLITEM","features":[469]},{"name":"HLNF","features":[469]},{"name":"HLNF_ALLOW_AUTONAVIGATE","features":[469]},{"name":"HLNF_CALLERUNTRUSTED","features":[469]},{"name":"HLNF_CREATENOHISTORY","features":[469]},{"name":"HLNF_DISABLEWINDOWRESTRICTIONS","features":[469]},{"name":"HLNF_EXTERNALNAVIGATE","features":[469]},{"name":"HLNF_INTERNALJUMP","features":[469]},{"name":"HLNF_NAVIGATINGBACK","features":[469]},{"name":"HLNF_NAVIGATINGFORWARD","features":[469]},{"name":"HLNF_NAVIGATINGTOSTACKITEM","features":[469]},{"name":"HLNF_NEWWINDOWSMANAGED","features":[469]},{"name":"HLNF_OPENINNEWWINDOW","features":[469]},{"name":"HLNF_TRUSTEDFORACTIVEX","features":[469]},{"name":"HLNF_TRUSTFIRSTDOWNLOAD","features":[469]},{"name":"HLNF_UNTRUSTEDFORDOWNLOAD","features":[469]},{"name":"HLQF_INFO","features":[469]},{"name":"HLQF_ISCURRENT","features":[469]},{"name":"HLQF_ISVALID","features":[469]},{"name":"HLSHORTCUTF","features":[469]},{"name":"HLSHORTCUTF_DEFAULT","features":[469]},{"name":"HLSHORTCUTF_DONTACTUALLYCREATE","features":[469]},{"name":"HLSHORTCUTF_MAYUSEEXISTINGSHORTCUT","features":[469]},{"name":"HLSHORTCUTF_USEFILENAMEFROMFRIENDLYNAME","features":[469]},{"name":"HLSHORTCUTF_USEUNIQUEFILENAME","features":[469]},{"name":"HLSR","features":[469]},{"name":"HLSR_HISTORYFOLDER","features":[469]},{"name":"HLSR_HOME","features":[469]},{"name":"HLSR_SEARCHPAGE","features":[469]},{"name":"HLTBINFO","features":[308,469]},{"name":"HLTB_DOCKEDBOTTOM","features":[469]},{"name":"HLTB_DOCKEDLEFT","features":[469]},{"name":"HLTB_DOCKEDRIGHT","features":[469]},{"name":"HLTB_DOCKEDTOP","features":[469]},{"name":"HLTB_FLOATING","features":[469]},{"name":"HLTB_INFO","features":[469]},{"name":"HLTRANSLATEF","features":[469]},{"name":"HLTRANSLATEF_DEFAULT","features":[469]},{"name":"HLTRANSLATEF_DONTAPPLYDEFAULTPREFIX","features":[469]},{"name":"HMONITOR_UserFree","features":[319,469]},{"name":"HMONITOR_UserFree64","features":[319,469]},{"name":"HMONITOR_UserMarshal","features":[319,469]},{"name":"HMONITOR_UserMarshal64","features":[319,469]},{"name":"HMONITOR_UserSize","features":[319,469]},{"name":"HMONITOR_UserSize64","features":[319,469]},{"name":"HMONITOR_UserUnmarshal","features":[319,469]},{"name":"HMONITOR_UserUnmarshal64","features":[319,469]},{"name":"HOMEGROUPSHARINGCHOICES","features":[469]},{"name":"HOMEGROUP_SECURITY_GROUP","features":[469]},{"name":"HOMEGROUP_SECURITY_GROUP_MULTI","features":[469]},{"name":"HPSXA","features":[469]},{"name":"HashData","features":[469]},{"name":"HideInputPaneAnimationCoordinator","features":[469]},{"name":"HlinkClone","features":[469]},{"name":"HlinkCreateBrowseContext","features":[469]},{"name":"HlinkCreateExtensionServices","features":[308,469]},{"name":"HlinkCreateFromData","features":[359,469]},{"name":"HlinkCreateFromMoniker","features":[359,469]},{"name":"HlinkCreateFromString","features":[469]},{"name":"HlinkCreateShortcut","features":[469]},{"name":"HlinkCreateShortcutFromMoniker","features":[359,469]},{"name":"HlinkCreateShortcutFromString","features":[469]},{"name":"HlinkGetSpecialReference","features":[469]},{"name":"HlinkGetValueFromParams","features":[469]},{"name":"HlinkIsShortcut","features":[469]},{"name":"HlinkNavigate","features":[359,469]},{"name":"HlinkNavigateToStringReference","features":[359,469]},{"name":"HlinkOnNavigate","features":[359,469]},{"name":"HlinkOnRenameDocument","features":[359,469]},{"name":"HlinkParseDisplayName","features":[308,359,469]},{"name":"HlinkPreprocessMoniker","features":[359,469]},{"name":"HlinkQueryCreateFromData","features":[359,469]},{"name":"HlinkResolveMonikerForData","features":[359,469]},{"name":"HlinkResolveShortcut","features":[469]},{"name":"HlinkResolveShortcutToMoniker","features":[359,469]},{"name":"HlinkResolveShortcutToString","features":[469]},{"name":"HlinkResolveStringForData","features":[359,469]},{"name":"HlinkSetSpecialReference","features":[469]},{"name":"HlinkTranslateURL","features":[469]},{"name":"HlinkUpdateStackItem","features":[359,469]},{"name":"HomeGroup","features":[469]},{"name":"IACList","features":[469]},{"name":"IACList2","features":[469]},{"name":"IAccessibilityDockingService","features":[469]},{"name":"IAccessibilityDockingServiceCallback","features":[469]},{"name":"IAccessibleObject","features":[469]},{"name":"IActionProgress","features":[469]},{"name":"IActionProgressDialog","features":[469]},{"name":"IAppActivationUIInfo","features":[469]},{"name":"IAppPublisher","features":[469]},{"name":"IAppVisibility","features":[469]},{"name":"IAppVisibilityEvents","features":[469]},{"name":"IApplicationActivationManager","features":[469]},{"name":"IApplicationAssociationRegistration","features":[469]},{"name":"IApplicationAssociationRegistrationUI","features":[469]},{"name":"IApplicationDesignModeSettings","features":[469]},{"name":"IApplicationDesignModeSettings2","features":[469]},{"name":"IApplicationDestinations","features":[469]},{"name":"IApplicationDocumentLists","features":[469]},{"name":"IAssocHandler","features":[469]},{"name":"IAssocHandlerInvoker","features":[469]},{"name":"IAttachmentExecute","features":[469]},{"name":"IAutoComplete","features":[469]},{"name":"IAutoComplete2","features":[469]},{"name":"IAutoCompleteDropDown","features":[469]},{"name":"IBandHost","features":[469]},{"name":"IBandSite","features":[469]},{"name":"IBannerNotificationHandler","features":[469]},{"name":"IBanneredBar","features":[469]},{"name":"IBrowserFrameOptions","features":[469]},{"name":"IBrowserService","features":[469]},{"name":"IBrowserService2","features":[469]},{"name":"IBrowserService3","features":[469]},{"name":"IBrowserService4","features":[469]},{"name":"ICDBurn","features":[469]},{"name":"ICDBurnExt","features":[469]},{"name":"ICategorizer","features":[469]},{"name":"ICategoryProvider","features":[469]},{"name":"IColumnManager","features":[469]},{"name":"IColumnProvider","features":[469]},{"name":"ICommDlgBrowser","features":[469]},{"name":"ICommDlgBrowser2","features":[469]},{"name":"ICommDlgBrowser3","features":[469]},{"name":"IComputerInfoChangeNotify","features":[469]},{"name":"IConnectableCredentialProviderCredential","features":[469]},{"name":"IContactManagerInterop","features":[469]},{"name":"IContextMenu","features":[469]},{"name":"IContextMenu2","features":[469]},{"name":"IContextMenu3","features":[469]},{"name":"IContextMenuCB","features":[469]},{"name":"IContextMenuSite","features":[469]},{"name":"ICopyHookA","features":[469]},{"name":"ICopyHookW","features":[469]},{"name":"ICreateProcessInputs","features":[469]},{"name":"ICreatingProcess","features":[469]},{"name":"ICredentialProvider","features":[469]},{"name":"ICredentialProviderCredential","features":[469]},{"name":"ICredentialProviderCredential2","features":[469]},{"name":"ICredentialProviderCredentialEvents","features":[469]},{"name":"ICredentialProviderCredentialEvents2","features":[469]},{"name":"ICredentialProviderCredentialWithFieldOptions","features":[469]},{"name":"ICredentialProviderEvents","features":[469]},{"name":"ICredentialProviderFilter","features":[469]},{"name":"ICredentialProviderSetUserArray","features":[469]},{"name":"ICredentialProviderUser","features":[469]},{"name":"ICredentialProviderUserArray","features":[469]},{"name":"ICurrentItem","features":[469]},{"name":"ICurrentWorkingDirectory","features":[469]},{"name":"ICustomDestinationList","features":[469]},{"name":"IDC_OFFLINE_HAND","features":[469]},{"name":"IDC_PANTOOL_HAND_CLOSED","features":[469]},{"name":"IDC_PANTOOL_HAND_OPEN","features":[469]},{"name":"IDD_WIZEXTN_FIRST","features":[469]},{"name":"IDD_WIZEXTN_LAST","features":[469]},{"name":"IDO_SHGIOI_DEFAULT","features":[469]},{"name":"IDO_SHGIOI_LINK","features":[469]},{"name":"IDO_SHGIOI_SHARE","features":[469]},{"name":"IDO_SHGIOI_SLOWFILE","features":[469]},{"name":"IDS_DESCRIPTION","features":[469]},{"name":"ID_APP","features":[469]},{"name":"IDataObjectAsyncCapability","features":[469]},{"name":"IDataObjectProvider","features":[469]},{"name":"IDataTransferManagerInterop","features":[469]},{"name":"IDefaultExtractIconInit","features":[469]},{"name":"IDefaultFolderMenuInitialize","features":[469]},{"name":"IDelegateFolder","features":[469]},{"name":"IDelegateItem","features":[469]},{"name":"IDeskBand","features":[418,469]},{"name":"IDeskBand2","features":[418,469]},{"name":"IDeskBandInfo","features":[469]},{"name":"IDeskBar","features":[418,469]},{"name":"IDeskBarClient","features":[418,469]},{"name":"IDesktopGadget","features":[469]},{"name":"IDesktopWallpaper","features":[469]},{"name":"IDestinationStreamFactory","features":[469]},{"name":"IDisplayItem","features":[469]},{"name":"IDocViewSite","features":[469]},{"name":"IDockingWindow","features":[418,469]},{"name":"IDockingWindowFrame","features":[418,469]},{"name":"IDockingWindowSite","features":[418,469]},{"name":"IDragSourceHelper","features":[469]},{"name":"IDragSourceHelper2","features":[469]},{"name":"IDropTargetHelper","features":[469]},{"name":"IDynamicHWHandler","features":[469]},{"name":"IEIFLAG_ASPECT","features":[469]},{"name":"IEIFLAG_ASYNC","features":[469]},{"name":"IEIFLAG_CACHE","features":[469]},{"name":"IEIFLAG_GLEAM","features":[469]},{"name":"IEIFLAG_NOBORDER","features":[469]},{"name":"IEIFLAG_NOSTAMP","features":[469]},{"name":"IEIFLAG_OFFLINE","features":[469]},{"name":"IEIFLAG_ORIGSIZE","features":[469]},{"name":"IEIFLAG_QUALITY","features":[469]},{"name":"IEIFLAG_REFRESH","features":[469]},{"name":"IEIFLAG_SCREEN","features":[469]},{"name":"IEIT_PRIORITY_NORMAL","features":[469]},{"name":"IEI_PRIORITY_MAX","features":[469]},{"name":"IEI_PRIORITY_MIN","features":[469]},{"name":"IENamespaceTreeControl","features":[469]},{"name":"IEPDNFLAGS","features":[469]},{"name":"IEPDN_BINDINGUI","features":[469]},{"name":"IESHORTCUTFLAGS","features":[469]},{"name":"IESHORTCUT_BACKGROUNDTAB","features":[469]},{"name":"IESHORTCUT_FORCENAVIGATE","features":[469]},{"name":"IESHORTCUT_NEWBROWSER","features":[469]},{"name":"IESHORTCUT_OPENNEWTAB","features":[469]},{"name":"IEnumACString","features":[359,469]},{"name":"IEnumAssocHandlers","features":[469]},{"name":"IEnumExplorerCommand","features":[469]},{"name":"IEnumExtraSearch","features":[469]},{"name":"IEnumFullIDList","features":[469]},{"name":"IEnumHLITEM","features":[469]},{"name":"IEnumIDList","features":[469]},{"name":"IEnumObjects","features":[469]},{"name":"IEnumPublishedApps","features":[469]},{"name":"IEnumReadyCallback","features":[469]},{"name":"IEnumResources","features":[469]},{"name":"IEnumShellItems","features":[469]},{"name":"IEnumSyncMgrConflict","features":[469]},{"name":"IEnumSyncMgrEvents","features":[469]},{"name":"IEnumSyncMgrSyncItems","features":[469]},{"name":"IEnumTravelLogEntry","features":[469]},{"name":"IEnumerableView","features":[469]},{"name":"IExecuteCommand","features":[469]},{"name":"IExecuteCommandApplicationHostEnvironment","features":[469]},{"name":"IExecuteCommandHost","features":[469]},{"name":"IExpDispSupport","features":[469]},{"name":"IExpDispSupportXP","features":[469]},{"name":"IExplorerBrowser","features":[469]},{"name":"IExplorerBrowserEvents","features":[469]},{"name":"IExplorerCommand","features":[469]},{"name":"IExplorerCommandProvider","features":[469]},{"name":"IExplorerCommandState","features":[469]},{"name":"IExplorerPaneVisibility","features":[469]},{"name":"IExtensionServices","features":[469]},{"name":"IExtractIconA","features":[469]},{"name":"IExtractIconW","features":[469]},{"name":"IExtractImage","features":[469]},{"name":"IExtractImage2","features":[469]},{"name":"IFileDialog","features":[469]},{"name":"IFileDialog2","features":[469]},{"name":"IFileDialogControlEvents","features":[469]},{"name":"IFileDialogCustomize","features":[469]},{"name":"IFileDialogEvents","features":[469]},{"name":"IFileIsInUse","features":[469]},{"name":"IFileOpenDialog","features":[469]},{"name":"IFileOperation","features":[469]},{"name":"IFileOperation2","features":[469]},{"name":"IFileOperationProgressSink","features":[469]},{"name":"IFileSaveDialog","features":[469]},{"name":"IFileSearchBand","features":[359,469]},{"name":"IFileSyncMergeHandler","features":[469]},{"name":"IFileSystemBindData","features":[469]},{"name":"IFileSystemBindData2","features":[469]},{"name":"IFolderBandPriv","features":[469]},{"name":"IFolderFilter","features":[469]},{"name":"IFolderFilterSite","features":[469]},{"name":"IFolderView","features":[469]},{"name":"IFolderView2","features":[469]},{"name":"IFolderViewHost","features":[469]},{"name":"IFolderViewOC","features":[359,469]},{"name":"IFolderViewOptions","features":[469]},{"name":"IFolderViewSettings","features":[469]},{"name":"IFrameworkInputPane","features":[469]},{"name":"IFrameworkInputPaneHandler","features":[469]},{"name":"IGetServiceIds","features":[469]},{"name":"IHWEventHandler","features":[469]},{"name":"IHWEventHandler2","features":[469]},{"name":"IHandlerActivationHost","features":[469]},{"name":"IHandlerInfo","features":[469]},{"name":"IHandlerInfo2","features":[469]},{"name":"IHlink","features":[469]},{"name":"IHlinkBrowseContext","features":[469]},{"name":"IHlinkFrame","features":[469]},{"name":"IHlinkSite","features":[469]},{"name":"IHlinkTarget","features":[469]},{"name":"IHomeGroup","features":[469]},{"name":"IIOCancelInformation","features":[469]},{"name":"IIdentityName","features":[469]},{"name":"IImageRecompress","features":[469]},{"name":"IInitializeCommand","features":[469]},{"name":"IInitializeNetworkFolder","features":[469]},{"name":"IInitializeObject","features":[469]},{"name":"IInitializeWithBindCtx","features":[469]},{"name":"IInitializeWithItem","features":[469]},{"name":"IInitializeWithPropertyStore","features":[469]},{"name":"IInitializeWithWindow","features":[469]},{"name":"IInputObject","features":[469]},{"name":"IInputObject2","features":[469]},{"name":"IInputObjectSite","features":[469]},{"name":"IInputPaneAnimationCoordinator","features":[469]},{"name":"IInputPanelConfiguration","features":[469]},{"name":"IInputPanelInvocationConfiguration","features":[469]},{"name":"IInsertItem","features":[469]},{"name":"IItemNameLimits","features":[469]},{"name":"IKnownFolder","features":[469]},{"name":"IKnownFolderManager","features":[469]},{"name":"ILAppendID","features":[308,636]},{"name":"ILClone","features":[636]},{"name":"ILCloneFirst","features":[636]},{"name":"ILCombine","features":[636]},{"name":"ILCreateFromPathA","features":[636]},{"name":"ILCreateFromPathW","features":[636]},{"name":"ILFindChild","features":[636]},{"name":"ILFindLastID","features":[636]},{"name":"ILFree","features":[636]},{"name":"ILGetNext","features":[636]},{"name":"ILGetSize","features":[636]},{"name":"ILIsEqual","features":[308,636]},{"name":"ILIsParent","features":[308,636]},{"name":"ILLoadFromStreamEx","features":[359,636]},{"name":"ILMM_IE4","features":[469]},{"name":"ILRemoveLastID","features":[308,636]},{"name":"ILSaveToStream","features":[359,636]},{"name":"ILaunchSourceAppUserModelId","features":[469]},{"name":"ILaunchSourceViewSizePreference","features":[469]},{"name":"ILaunchTargetMonitor","features":[469]},{"name":"ILaunchTargetViewSizePreference","features":[469]},{"name":"ILaunchUIContext","features":[469]},{"name":"ILaunchUIContextProvider","features":[469]},{"name":"IMM_ACC_DOCKING_E_DOCKOCCUPIED","features":[469]},{"name":"IMM_ACC_DOCKING_E_INSUFFICIENTHEIGHT","features":[469]},{"name":"IMSC_E_SHELL_COMPONENT_STARTUP_FAILURE","features":[469]},{"name":"IMenuBand","features":[469]},{"name":"IMenuPopup","features":[418,469]},{"name":"IModalWindow","features":[469]},{"name":"INTERNET_MAX_PATH_LENGTH","features":[469]},{"name":"INTERNET_MAX_SCHEME_LENGTH","features":[469]},{"name":"INameSpaceTreeAccessible","features":[469]},{"name":"INameSpaceTreeControl","features":[469]},{"name":"INameSpaceTreeControl2","features":[469]},{"name":"INameSpaceTreeControlCustomDraw","features":[469]},{"name":"INameSpaceTreeControlDropHandler","features":[469]},{"name":"INameSpaceTreeControlEvents","features":[469]},{"name":"INameSpaceTreeControlFolderCapabilities","features":[469]},{"name":"INamedPropertyBag","features":[469]},{"name":"INamespaceWalk","features":[469]},{"name":"INamespaceWalkCB","features":[469]},{"name":"INamespaceWalkCB2","features":[469]},{"name":"INetworkFolderInternal","features":[469]},{"name":"INewMenuClient","features":[469]},{"name":"INewShortcutHookA","features":[469]},{"name":"INewShortcutHookW","features":[469]},{"name":"INewWDEvents","features":[359,469]},{"name":"INewWindowManager","features":[469]},{"name":"INotifyReplica","features":[469]},{"name":"IObjMgr","features":[469]},{"name":"IObjectProvider","features":[469]},{"name":"IObjectWithAppUserModelID","features":[469]},{"name":"IObjectWithBackReferences","features":[469]},{"name":"IObjectWithCancelEvent","features":[469]},{"name":"IObjectWithFolderEnumMode","features":[469]},{"name":"IObjectWithProgID","features":[469]},{"name":"IObjectWithSelection","features":[469]},{"name":"IOpenControlPanel","features":[469]},{"name":"IOpenSearchSource","features":[469]},{"name":"IOperationsProgressDialog","features":[469]},{"name":"IPackageDebugSettings","features":[469]},{"name":"IPackageDebugSettings2","features":[469]},{"name":"IPackageExecutionStateChangeNotification","features":[469]},{"name":"IParentAndItem","features":[469]},{"name":"IParseAndCreateItem","features":[469]},{"name":"IPersistFolder","features":[359,469]},{"name":"IPersistFolder2","features":[359,469]},{"name":"IPersistFolder3","features":[359,469]},{"name":"IPersistIDList","features":[359,469]},{"name":"IPreviewHandler","features":[469]},{"name":"IPreviewHandlerFrame","features":[469]},{"name":"IPreviewHandlerVisuals","features":[469]},{"name":"IPreviewItem","features":[469]},{"name":"IPreviousVersionsInfo","features":[469]},{"name":"IProfferService","features":[469]},{"name":"IProgressDialog","features":[469]},{"name":"IPropertyKeyStore","features":[469]},{"name":"IPublishedApp","features":[469]},{"name":"IPublishedApp2","features":[469]},{"name":"IPublishingWizard","features":[469]},{"name":"IQueryAssociations","features":[469]},{"name":"IQueryCancelAutoPlay","features":[469]},{"name":"IQueryCodePage","features":[469]},{"name":"IQueryContinue","features":[469]},{"name":"IQueryContinueWithStatus","features":[469]},{"name":"IQueryInfo","features":[469]},{"name":"IRTIR_TASK_FINISHED","features":[469]},{"name":"IRTIR_TASK_NOT_RUNNING","features":[469]},{"name":"IRTIR_TASK_PENDING","features":[469]},{"name":"IRTIR_TASK_RUNNING","features":[469]},{"name":"IRTIR_TASK_SUSPENDED","features":[469]},{"name":"IRegTreeItem","features":[469]},{"name":"IRelatedItem","features":[469]},{"name":"IRemoteComputer","features":[469]},{"name":"IResolveShellLink","features":[469]},{"name":"IResultsFolder","features":[469]},{"name":"IRunnableTask","features":[469]},{"name":"ISFBVIEWMODE_LARGEICONS","features":[469]},{"name":"ISFBVIEWMODE_LOGOS","features":[469]},{"name":"ISFBVIEWMODE_SMALLICONS","features":[469]},{"name":"ISFB_MASK_BKCOLOR","features":[469]},{"name":"ISFB_MASK_COLORS","features":[469]},{"name":"ISFB_MASK_IDLIST","features":[469]},{"name":"ISFB_MASK_SHELLFOLDER","features":[469]},{"name":"ISFB_MASK_STATE","features":[469]},{"name":"ISFB_MASK_VIEWMODE","features":[469]},{"name":"ISFB_STATE_ALLOWRENAME","features":[469]},{"name":"ISFB_STATE_BTNMINSIZE","features":[469]},{"name":"ISFB_STATE_CHANNELBAR","features":[469]},{"name":"ISFB_STATE_DEBOSSED","features":[469]},{"name":"ISFB_STATE_DEFAULT","features":[469]},{"name":"ISFB_STATE_FULLOPEN","features":[469]},{"name":"ISFB_STATE_NONAMESORT","features":[469]},{"name":"ISFB_STATE_NOSHOWTEXT","features":[469]},{"name":"ISFB_STATE_QLINKSMODE","features":[469]},{"name":"ISHCUTCMDID_COMMITHISTORY","features":[469]},{"name":"ISHCUTCMDID_DOWNLOADICON","features":[469]},{"name":"ISHCUTCMDID_INTSHORTCUTCREATE","features":[469]},{"name":"ISHCUTCMDID_SETUSERAWURL","features":[469]},{"name":"ISIOI_ICONFILE","features":[469]},{"name":"ISIOI_ICONINDEX","features":[469]},{"name":"IS_E_EXEC_FAILED","features":[469]},{"name":"IS_FULLSCREEN","features":[469]},{"name":"IS_NORMAL","features":[469]},{"name":"IS_SPLIT","features":[469]},{"name":"IScriptErrorList","features":[359,469]},{"name":"ISearchBoxInfo","features":[469]},{"name":"ISearchContext","features":[469]},{"name":"ISearchFolderItemFactory","features":[469]},{"name":"ISharedBitmap","features":[469]},{"name":"ISharingConfigurationManager","features":[469]},{"name":"IShellApp","features":[469]},{"name":"IShellBrowser","features":[418,469]},{"name":"IShellChangeNotify","features":[469]},{"name":"IShellDetails","features":[469]},{"name":"IShellDispatch","features":[359,469]},{"name":"IShellDispatch2","features":[359,469]},{"name":"IShellDispatch3","features":[359,469]},{"name":"IShellDispatch4","features":[359,469]},{"name":"IShellDispatch5","features":[359,469]},{"name":"IShellDispatch6","features":[359,469]},{"name":"IShellExtInit","features":[469]},{"name":"IShellFavoritesNameSpace","features":[359,469]},{"name":"IShellFolder","features":[469]},{"name":"IShellFolder2","features":[469]},{"name":"IShellFolderBand","features":[469]},{"name":"IShellFolderView","features":[469]},{"name":"IShellFolderViewCB","features":[469]},{"name":"IShellFolderViewDual","features":[359,469]},{"name":"IShellFolderViewDual2","features":[359,469]},{"name":"IShellFolderViewDual3","features":[359,469]},{"name":"IShellIcon","features":[469]},{"name":"IShellIconOverlay","features":[469]},{"name":"IShellIconOverlayIdentifier","features":[469]},{"name":"IShellIconOverlayManager","features":[469]},{"name":"IShellImageData","features":[469]},{"name":"IShellImageDataAbort","features":[469]},{"name":"IShellImageDataFactory","features":[469]},{"name":"IShellItem","features":[469]},{"name":"IShellItem2","features":[469]},{"name":"IShellItemArray","features":[469]},{"name":"IShellItemFilter","features":[469]},{"name":"IShellItemImageFactory","features":[469]},{"name":"IShellItemResources","features":[469]},{"name":"IShellLibrary","features":[469]},{"name":"IShellLinkA","features":[469]},{"name":"IShellLinkDataList","features":[469]},{"name":"IShellLinkDual","features":[359,469]},{"name":"IShellLinkDual2","features":[359,469]},{"name":"IShellLinkW","features":[469]},{"name":"IShellMenu","features":[469]},{"name":"IShellMenuCallback","features":[469]},{"name":"IShellNameSpace","features":[359,469]},{"name":"IShellPropSheetExt","features":[469]},{"name":"IShellRunDll","features":[469]},{"name":"IShellService","features":[469]},{"name":"IShellTaskScheduler","features":[469]},{"name":"IShellUIHelper","features":[359,469]},{"name":"IShellUIHelper2","features":[359,469]},{"name":"IShellUIHelper3","features":[359,469]},{"name":"IShellUIHelper4","features":[359,469]},{"name":"IShellUIHelper5","features":[359,469]},{"name":"IShellUIHelper6","features":[359,469]},{"name":"IShellUIHelper7","features":[359,469]},{"name":"IShellUIHelper8","features":[359,469]},{"name":"IShellUIHelper9","features":[359,469]},{"name":"IShellView","features":[418,469]},{"name":"IShellView2","features":[418,469]},{"name":"IShellView3","features":[418,469]},{"name":"IShellWindows","features":[359,469]},{"name":"ISortColumnArray","features":[469]},{"name":"IStartMenuPinnedList","features":[469]},{"name":"IStorageProviderBanners","features":[469]},{"name":"IStorageProviderCopyHook","features":[469]},{"name":"IStorageProviderHandler","features":[469]},{"name":"IStorageProviderPropertyHandler","features":[469]},{"name":"IStreamAsync","features":[359,469]},{"name":"IStreamUnbufferedInfo","features":[469]},{"name":"IStream_Copy","features":[359,469]},{"name":"IStream_Read","features":[359,469]},{"name":"IStream_ReadPidl","features":[359,636]},{"name":"IStream_ReadStr","features":[359,469]},{"name":"IStream_Reset","features":[359,469]},{"name":"IStream_Size","features":[359,469]},{"name":"IStream_Write","features":[359,469]},{"name":"IStream_WritePidl","features":[359,636]},{"name":"IStream_WriteStr","features":[359,469]},{"name":"ISuspensionDependencyManager","features":[469]},{"name":"ISyncMgrConflict","features":[469]},{"name":"ISyncMgrConflictFolder","features":[469]},{"name":"ISyncMgrConflictItems","features":[469]},{"name":"ISyncMgrConflictPresenter","features":[469]},{"name":"ISyncMgrConflictResolutionItems","features":[469]},{"name":"ISyncMgrConflictResolveInfo","features":[469]},{"name":"ISyncMgrConflictStore","features":[469]},{"name":"ISyncMgrControl","features":[469]},{"name":"ISyncMgrEnumItems","features":[469]},{"name":"ISyncMgrEvent","features":[469]},{"name":"ISyncMgrEventLinkUIOperation","features":[469]},{"name":"ISyncMgrEventStore","features":[469]},{"name":"ISyncMgrHandler","features":[469]},{"name":"ISyncMgrHandlerCollection","features":[469]},{"name":"ISyncMgrHandlerInfo","features":[469]},{"name":"ISyncMgrRegister","features":[469]},{"name":"ISyncMgrResolutionHandler","features":[469]},{"name":"ISyncMgrScheduleWizardUIOperation","features":[469]},{"name":"ISyncMgrSessionCreator","features":[469]},{"name":"ISyncMgrSyncCallback","features":[469]},{"name":"ISyncMgrSyncItem","features":[469]},{"name":"ISyncMgrSyncItemContainer","features":[469]},{"name":"ISyncMgrSyncItemInfo","features":[469]},{"name":"ISyncMgrSyncResult","features":[469]},{"name":"ISyncMgrSynchronize","features":[469]},{"name":"ISyncMgrSynchronizeCallback","features":[469]},{"name":"ISyncMgrSynchronizeInvoke","features":[469]},{"name":"ISyncMgrUIOperation","features":[469]},{"name":"ITEMSPACING","features":[469]},{"name":"ITSAT_DEFAULT_PRIORITY","features":[469]},{"name":"ITSAT_MAX_PRIORITY","features":[469]},{"name":"ITSAT_MIN_PRIORITY","features":[469]},{"name":"ITSSFLAG_COMPLETE_ON_DESTROY","features":[469]},{"name":"ITSSFLAG_FLAGS_MASK","features":[469]},{"name":"ITSSFLAG_KILL_ON_DESTROY","features":[469]},{"name":"ITSS_THREAD_TIMEOUT_NO_CHANGE","features":[469]},{"name":"ITaskbarList","features":[469]},{"name":"ITaskbarList2","features":[469]},{"name":"ITaskbarList3","features":[469]},{"name":"ITaskbarList4","features":[469]},{"name":"IThumbnailCache","features":[469]},{"name":"IThumbnailCachePrimer","features":[469]},{"name":"IThumbnailCapture","features":[469]},{"name":"IThumbnailHandlerFactory","features":[469]},{"name":"IThumbnailProvider","features":[469]},{"name":"IThumbnailSettings","features":[469]},{"name":"IThumbnailStreamCache","features":[469]},{"name":"ITrackShellMenu","features":[469]},{"name":"ITranscodeImage","features":[469]},{"name":"ITransferAdviseSink","features":[469]},{"name":"ITransferDestination","features":[469]},{"name":"ITransferMediumItem","features":[469]},{"name":"ITransferSource","features":[469]},{"name":"ITravelEntry","features":[469]},{"name":"ITravelLog","features":[469]},{"name":"ITravelLogClient","features":[469]},{"name":"ITravelLogEntry","features":[469]},{"name":"ITravelLogStg","features":[469]},{"name":"ITrayDeskBand","features":[469]},{"name":"IURLSearchHook","features":[469]},{"name":"IURLSearchHook2","features":[469]},{"name":"IURL_INVOKECOMMAND_FLAGS","features":[469]},{"name":"IURL_INVOKECOMMAND_FL_ALLOW_UI","features":[469]},{"name":"IURL_INVOKECOMMAND_FL_ASYNCOK","features":[469]},{"name":"IURL_INVOKECOMMAND_FL_DDEWAIT","features":[469]},{"name":"IURL_INVOKECOMMAND_FL_LOG_USAGE","features":[469]},{"name":"IURL_INVOKECOMMAND_FL_USE_DEFAULT_VERB","features":[469]},{"name":"IURL_SETURL_FLAGS","features":[469]},{"name":"IURL_SETURL_FL_GUESS_PROTOCOL","features":[469]},{"name":"IURL_SETURL_FL_USE_DEFAULT_PROTOCOL","features":[469]},{"name":"IUniformResourceLocatorA","features":[469]},{"name":"IUniformResourceLocatorW","features":[469]},{"name":"IUnknown_AtomicRelease","features":[469]},{"name":"IUnknown_GetSite","features":[469]},{"name":"IUnknown_GetWindow","features":[308,469]},{"name":"IUnknown_QueryService","features":[469]},{"name":"IUnknown_Set","features":[469]},{"name":"IUnknown_SetSite","features":[469]},{"name":"IUpdateIDList","features":[469]},{"name":"IUseToBrowseItem","features":[469]},{"name":"IUserAccountChangeCallback","features":[469]},{"name":"IUserNotification","features":[469]},{"name":"IUserNotification2","features":[469]},{"name":"IUserNotificationCallback","features":[469]},{"name":"IViewStateIdentityItem","features":[469]},{"name":"IVirtualDesktopManager","features":[469]},{"name":"IVisualProperties","features":[469]},{"name":"IWebBrowser","features":[359,469]},{"name":"IWebBrowser2","features":[359,469]},{"name":"IWebBrowserApp","features":[359,469]},{"name":"IWebWizardExtension","features":[469]},{"name":"IWebWizardHost","features":[359,469]},{"name":"IWebWizardHost2","features":[359,469]},{"name":"IWizardExtension","features":[469]},{"name":"IWizardSite","features":[469]},{"name":"Identity_LocalUserProvider","features":[469]},{"name":"ImageProperties","features":[469]},{"name":"ImageRecompress","features":[469]},{"name":"ImageTranscode","features":[469]},{"name":"ImportPrivacySettings","features":[308,469]},{"name":"InitNetworkAddressControl","features":[308,469]},{"name":"InitPropVariantFromStrRet","features":[636]},{"name":"InitVariantFromStrRet","features":[636]},{"name":"InputPanelConfiguration","features":[469]},{"name":"InternetExplorer","features":[469]},{"name":"InternetExplorerMedium","features":[469]},{"name":"InternetPrintOrdering","features":[469]},{"name":"IntlStrEqWorkerA","features":[308,469]},{"name":"IntlStrEqWorkerW","features":[308,469]},{"name":"IsCharSpaceA","features":[308,469]},{"name":"IsCharSpaceW","features":[308,469]},{"name":"IsInternetESCEnabled","features":[308,469]},{"name":"IsLFNDriveA","features":[308,469]},{"name":"IsLFNDriveW","features":[308,469]},{"name":"IsNetDrive","features":[469]},{"name":"IsOS","features":[308,469]},{"name":"IsUserAnAdmin","features":[308,469]},{"name":"ItemCount_Property_GUID","features":[469]},{"name":"ItemIndex_Property_GUID","features":[469]},{"name":"KDC_FREQUENT","features":[469]},{"name":"KDC_RECENT","features":[469]},{"name":"KFDF_LOCAL_REDIRECT_ONLY","features":[469]},{"name":"KFDF_NO_REDIRECT_UI","features":[469]},{"name":"KFDF_PRECREATE","features":[469]},{"name":"KFDF_PUBLISHEXPANDEDPATH","features":[469]},{"name":"KFDF_ROAMABLE","features":[469]},{"name":"KFDF_STREAM","features":[469]},{"name":"KF_CATEGORY","features":[469]},{"name":"KF_CATEGORY_COMMON","features":[469]},{"name":"KF_CATEGORY_FIXED","features":[469]},{"name":"KF_CATEGORY_PERUSER","features":[469]},{"name":"KF_CATEGORY_VIRTUAL","features":[469]},{"name":"KF_FLAG_ALIAS_ONLY","features":[469]},{"name":"KF_FLAG_CREATE","features":[469]},{"name":"KF_FLAG_DEFAULT","features":[469]},{"name":"KF_FLAG_DEFAULT_PATH","features":[469]},{"name":"KF_FLAG_DONT_UNEXPAND","features":[469]},{"name":"KF_FLAG_DONT_VERIFY","features":[469]},{"name":"KF_FLAG_FORCE_APPCONTAINER_REDIRECTION","features":[469]},{"name":"KF_FLAG_FORCE_APP_DATA_REDIRECTION","features":[469]},{"name":"KF_FLAG_FORCE_PACKAGE_REDIRECTION","features":[469]},{"name":"KF_FLAG_INIT","features":[469]},{"name":"KF_FLAG_NOT_PARENT_RELATIVE","features":[469]},{"name":"KF_FLAG_NO_ALIAS","features":[469]},{"name":"KF_FLAG_NO_APPCONTAINER_REDIRECTION","features":[469]},{"name":"KF_FLAG_NO_PACKAGE_REDIRECTION","features":[469]},{"name":"KF_FLAG_RETURN_FILTER_REDIRECTION_TARGET","features":[469]},{"name":"KF_FLAG_SIMPLE_IDLIST","features":[469]},{"name":"KF_REDIRECTION_CAPABILITIES_ALLOW_ALL","features":[469]},{"name":"KF_REDIRECTION_CAPABILITIES_DENY_ALL","features":[469]},{"name":"KF_REDIRECTION_CAPABILITIES_DENY_PERMISSIONS","features":[469]},{"name":"KF_REDIRECTION_CAPABILITIES_DENY_POLICY","features":[469]},{"name":"KF_REDIRECTION_CAPABILITIES_DENY_POLICY_REDIRECTED","features":[469]},{"name":"KF_REDIRECTION_CAPABILITIES_REDIRECTABLE","features":[469]},{"name":"KF_REDIRECT_CHECK_ONLY","features":[469]},{"name":"KF_REDIRECT_COPY_CONTENTS","features":[469]},{"name":"KF_REDIRECT_COPY_SOURCE_DACL","features":[469]},{"name":"KF_REDIRECT_DEL_SOURCE_CONTENTS","features":[469]},{"name":"KF_REDIRECT_EXCLUDE_ALL_KNOWN_SUBFOLDERS","features":[469]},{"name":"KF_REDIRECT_OWNER_USER","features":[469]},{"name":"KF_REDIRECT_PIN","features":[469]},{"name":"KF_REDIRECT_SET_OWNER_EXPLICIT","features":[469]},{"name":"KF_REDIRECT_UNPIN","features":[469]},{"name":"KF_REDIRECT_USER_EXCLUSIVE","features":[469]},{"name":"KF_REDIRECT_WITH_UI","features":[469]},{"name":"KNOWNDESTCATEGORY","features":[469]},{"name":"KNOWNFOLDER_DEFINITION","features":[469]},{"name":"KNOWN_FOLDER_FLAG","features":[469]},{"name":"KnownFolderManager","features":[469]},{"name":"LFF_ALLITEMS","features":[469]},{"name":"LFF_FORCEFILESYSTEM","features":[469]},{"name":"LFF_STORAGEITEMS","features":[469]},{"name":"LIBRARYFOLDERFILTER","features":[469]},{"name":"LIBRARYMANAGEDIALOGOPTIONS","features":[469]},{"name":"LIBRARYOPTIONFLAGS","features":[469]},{"name":"LIBRARYSAVEFLAGS","features":[469]},{"name":"LIBRARY_E_NO_ACCESSIBLE_LOCATION","features":[469]},{"name":"LIBRARY_E_NO_SAVE_LOCATION","features":[469]},{"name":"LINK_E_DELETE","features":[469]},{"name":"LMD_ALLOWUNINDEXABLENETWORKLOCATIONS","features":[469]},{"name":"LMD_DEFAULT","features":[469]},{"name":"LOF_DEFAULT","features":[469]},{"name":"LOF_MASK_ALL","features":[469]},{"name":"LOF_PINNEDTONAVPANE","features":[469]},{"name":"LPFNDFMCALLBACK","features":[308,359,469]},{"name":"LPFNVIEWCALLBACK","features":[308,418,469]},{"name":"LSF_FAILIFTHERE","features":[469]},{"name":"LSF_MAKEUNIQUENAME","features":[469]},{"name":"LSF_OVERRIDEEXISTING","features":[469]},{"name":"LoadUserProfileA","features":[308,469]},{"name":"LoadUserProfileW","features":[308,469]},{"name":"LocalThumbnailCache","features":[469]},{"name":"MAV_APP_VISIBLE","features":[469]},{"name":"MAV_NO_APP_VISIBLE","features":[469]},{"name":"MAV_UNKNOWN","features":[469]},{"name":"MAXFILELEN","features":[469]},{"name":"MAX_COLUMN_DESC_LEN","features":[469]},{"name":"MAX_COLUMN_NAME_LEN","features":[469]},{"name":"MAX_SYNCMGRHANDLERNAME","features":[469]},{"name":"MAX_SYNCMGRITEMNAME","features":[469]},{"name":"MAX_SYNCMGR_ID","features":[469]},{"name":"MAX_SYNCMGR_NAME","features":[469]},{"name":"MAX_SYNCMGR_PROGRESSTEXT","features":[469]},{"name":"MBHANDCID_PIDLSELECT","features":[469]},{"name":"MENUBANDHANDLERCID","features":[469]},{"name":"MENUPOPUPPOPUPFLAGS","features":[469]},{"name":"MENUPOPUPSELECT","features":[469]},{"name":"MERGE_UPDATE_STATUS","features":[469]},{"name":"MIMEASSOCDLG_FL_REGISTER_ASSOC","features":[469]},{"name":"MIMEASSOCIATIONDIALOG_IN_FLAGS","features":[469]},{"name":"MM_ADDSEPARATOR","features":[469]},{"name":"MM_DONTREMOVESEPS","features":[469]},{"name":"MM_FLAGS","features":[469]},{"name":"MM_SUBMENUSHAVEIDS","features":[469]},{"name":"MONITOR_APP_VISIBILITY","features":[469]},{"name":"MPOS_CANCELLEVEL","features":[469]},{"name":"MPOS_CHILDTRACKING","features":[469]},{"name":"MPOS_EXECUTE","features":[469]},{"name":"MPOS_FULLCANCEL","features":[469]},{"name":"MPOS_SELECTLEFT","features":[469]},{"name":"MPOS_SELECTRIGHT","features":[469]},{"name":"MPPF_ALIGN_LEFT","features":[469]},{"name":"MPPF_ALIGN_RIGHT","features":[469]},{"name":"MPPF_BOTTOM","features":[469]},{"name":"MPPF_FINALSELECT","features":[469]},{"name":"MPPF_FORCEZORDER","features":[469]},{"name":"MPPF_INITIALSELECT","features":[469]},{"name":"MPPF_KEYBOARD","features":[469]},{"name":"MPPF_LEFT","features":[469]},{"name":"MPPF_NOANIMATE","features":[469]},{"name":"MPPF_POS_MASK","features":[469]},{"name":"MPPF_REPOSITION","features":[469]},{"name":"MPPF_RIGHT","features":[469]},{"name":"MPPF_SETFOCUS","features":[469]},{"name":"MPPF_TOP","features":[469]},{"name":"MULTIKEYHELPA","features":[469]},{"name":"MULTIKEYHELPW","features":[469]},{"name":"MUS_COMPLETE","features":[469]},{"name":"MUS_FAILED","features":[469]},{"name":"MUS_USERINPUTNEEDED","features":[469]},{"name":"MailRecipient","features":[469]},{"name":"MergedCategorizer","features":[469]},{"name":"NAMESPACEWALKFLAG","features":[469]},{"name":"NATIVE_DISPLAY_ORIENTATION","features":[469]},{"name":"NCM_DISPLAYERRORTIP","features":[469]},{"name":"NCM_GETADDRESS","features":[469]},{"name":"NCM_GETALLOWTYPE","features":[469]},{"name":"NCM_SETALLOWTYPE","features":[469]},{"name":"NC_ADDRESS","features":[447,321,469]},{"name":"NDO_LANDSCAPE","features":[469]},{"name":"NDO_PORTRAIT","features":[469]},{"name":"NETCACHE_E_NEGATIVE_CACHE","features":[469]},{"name":"NEWCPLINFOA","features":[469,370]},{"name":"NEWCPLINFOW","features":[469,370]},{"name":"NIF_GUID","features":[469]},{"name":"NIF_ICON","features":[469]},{"name":"NIF_INFO","features":[469]},{"name":"NIF_MESSAGE","features":[469]},{"name":"NIF_REALTIME","features":[469]},{"name":"NIF_SHOWTIP","features":[469]},{"name":"NIF_STATE","features":[469]},{"name":"NIF_TIP","features":[469]},{"name":"NIIF_ERROR","features":[469]},{"name":"NIIF_ICON_MASK","features":[469]},{"name":"NIIF_INFO","features":[469]},{"name":"NIIF_LARGE_ICON","features":[469]},{"name":"NIIF_NONE","features":[469]},{"name":"NIIF_NOSOUND","features":[469]},{"name":"NIIF_RESPECT_QUIET_TIME","features":[469]},{"name":"NIIF_USER","features":[469]},{"name":"NIIF_WARNING","features":[469]},{"name":"NIM_ADD","features":[469]},{"name":"NIM_DELETE","features":[469]},{"name":"NIM_MODIFY","features":[469]},{"name":"NIM_SETFOCUS","features":[469]},{"name":"NIM_SETVERSION","features":[469]},{"name":"NINF_KEY","features":[469]},{"name":"NIN_BALLOONHIDE","features":[469]},{"name":"NIN_BALLOONSHOW","features":[469]},{"name":"NIN_BALLOONTIMEOUT","features":[469]},{"name":"NIN_BALLOONUSERCLICK","features":[469]},{"name":"NIN_POPUPCLOSE","features":[469]},{"name":"NIN_POPUPOPEN","features":[469]},{"name":"NIN_SELECT","features":[469]},{"name":"NIS_HIDDEN","features":[469]},{"name":"NIS_SHAREDICON","features":[469]},{"name":"NMCII_FOLDERS","features":[469]},{"name":"NMCII_ITEMS","features":[469]},{"name":"NMCII_NONE","features":[469]},{"name":"NMCSAEI_EDIT","features":[469]},{"name":"NMCSAEI_SELECT","features":[469]},{"name":"NOTIFYICONDATAA","features":[308,469,370]},{"name":"NOTIFYICONDATAA","features":[308,469,370]},{"name":"NOTIFYICONDATAW","features":[308,469,370]},{"name":"NOTIFYICONDATAW","features":[308,469,370]},{"name":"NOTIFYICONIDENTIFIER","features":[308,469]},{"name":"NOTIFYICONIDENTIFIER","features":[308,469]},{"name":"NOTIFYICON_VERSION","features":[469]},{"name":"NOTIFYICON_VERSION_4","features":[469]},{"name":"NOTIFY_ICON_DATA_FLAGS","features":[469]},{"name":"NOTIFY_ICON_INFOTIP_FLAGS","features":[469]},{"name":"NOTIFY_ICON_MESSAGE","features":[469]},{"name":"NOTIFY_ICON_STATE","features":[469]},{"name":"NPCredentialProvider","features":[469]},{"name":"NRESARRAY","features":[459,469]},{"name":"NSTCCUSTOMDRAW","features":[358,469]},{"name":"NSTCDHPOS_ONTOP","features":[469]},{"name":"NSTCECT_BUTTON","features":[469]},{"name":"NSTCECT_DBLCLICK","features":[469]},{"name":"NSTCECT_LBUTTON","features":[469]},{"name":"NSTCECT_MBUTTON","features":[469]},{"name":"NSTCECT_RBUTTON","features":[469]},{"name":"NSTCEHT_NOWHERE","features":[469]},{"name":"NSTCEHT_ONITEM","features":[469]},{"name":"NSTCEHT_ONITEMBUTTON","features":[469]},{"name":"NSTCEHT_ONITEMICON","features":[469]},{"name":"NSTCEHT_ONITEMINDENT","features":[469]},{"name":"NSTCEHT_ONITEMLABEL","features":[469]},{"name":"NSTCEHT_ONITEMRIGHT","features":[469]},{"name":"NSTCEHT_ONITEMSTATEICON","features":[469]},{"name":"NSTCEHT_ONITEMTABBUTTON","features":[469]},{"name":"NSTCFC_DELAY_REGISTER_NOTIFY","features":[469]},{"name":"NSTCFC_NONE","features":[469]},{"name":"NSTCFC_PINNEDITEMFILTERING","features":[469]},{"name":"NSTCFOLDERCAPABILITIES","features":[469]},{"name":"NSTCGNI","features":[469]},{"name":"NSTCGNI_CHILD","features":[469]},{"name":"NSTCGNI_FIRSTVISIBLE","features":[469]},{"name":"NSTCGNI_LASTVISIBLE","features":[469]},{"name":"NSTCGNI_NEXT","features":[469]},{"name":"NSTCGNI_NEXTVISIBLE","features":[469]},{"name":"NSTCGNI_PARENT","features":[469]},{"name":"NSTCGNI_PREV","features":[469]},{"name":"NSTCGNI_PREVVISIBLE","features":[469]},{"name":"NSTCIS_BOLD","features":[469]},{"name":"NSTCIS_DISABLED","features":[469]},{"name":"NSTCIS_EXPANDED","features":[469]},{"name":"NSTCIS_NONE","features":[469]},{"name":"NSTCIS_SELECTED","features":[469]},{"name":"NSTCIS_SELECTEDNOEXPAND","features":[469]},{"name":"NSTCRS_EXPANDED","features":[469]},{"name":"NSTCRS_HIDDEN","features":[469]},{"name":"NSTCRS_VISIBLE","features":[469]},{"name":"NSTCS2_DEFAULT","features":[469]},{"name":"NSTCS2_DISPLAYPADDING","features":[469]},{"name":"NSTCS2_DISPLAYPINNEDONLY","features":[469]},{"name":"NSTCS2_INTERRUPTNOTIFICATIONS","features":[469]},{"name":"NSTCS2_SHOWNULLSPACEMENU","features":[469]},{"name":"NSTCSTYLE2","features":[469]},{"name":"NSTCS_ALLOWJUNCTIONS","features":[469]},{"name":"NSTCS_AUTOHSCROLL","features":[469]},{"name":"NSTCS_BORDER","features":[469]},{"name":"NSTCS_CHECKBOXES","features":[469]},{"name":"NSTCS_DIMMEDCHECKBOXES","features":[469]},{"name":"NSTCS_DISABLEDRAGDROP","features":[469]},{"name":"NSTCS_EMPTYTEXT","features":[469]},{"name":"NSTCS_EVENHEIGHT","features":[469]},{"name":"NSTCS_EXCLUSIONCHECKBOXES","features":[469]},{"name":"NSTCS_FADEINOUTEXPANDOS","features":[469]},{"name":"NSTCS_FAVORITESMODE","features":[469]},{"name":"NSTCS_FULLROWSELECT","features":[469]},{"name":"NSTCS_HASEXPANDOS","features":[469]},{"name":"NSTCS_HASLINES","features":[469]},{"name":"NSTCS_HORIZONTALSCROLL","features":[469]},{"name":"NSTCS_NOEDITLABELS","features":[469]},{"name":"NSTCS_NOINDENTCHECKS","features":[469]},{"name":"NSTCS_NOINFOTIP","features":[469]},{"name":"NSTCS_NOORDERSTREAM","features":[469]},{"name":"NSTCS_NOREPLACEOPEN","features":[469]},{"name":"NSTCS_PARTIALCHECKBOXES","features":[469]},{"name":"NSTCS_RICHTOOLTIP","features":[469]},{"name":"NSTCS_ROOTHASEXPANDO","features":[469]},{"name":"NSTCS_SHOWDELETEBUTTON","features":[469]},{"name":"NSTCS_SHOWREFRESHBUTTON","features":[469]},{"name":"NSTCS_SHOWSELECTIONALWAYS","features":[469]},{"name":"NSTCS_SHOWTABSBUTTON","features":[469]},{"name":"NSTCS_SINGLECLICKEXPAND","features":[469]},{"name":"NSTCS_SPRINGEXPAND","features":[469]},{"name":"NSTCS_TABSTOP","features":[469]},{"name":"NSWF_ACCUMULATE_FOLDERS","features":[469]},{"name":"NSWF_ANY_IMPLIES_ALL","features":[469]},{"name":"NSWF_ASYNC","features":[469]},{"name":"NSWF_DEFAULT","features":[469]},{"name":"NSWF_DONT_ACCUMULATE_RESULT","features":[469]},{"name":"NSWF_DONT_RESOLVE_LINKS","features":[469]},{"name":"NSWF_DONT_SORT","features":[469]},{"name":"NSWF_DONT_TRAVERSE_LINKS","features":[469]},{"name":"NSWF_DONT_TRAVERSE_STREAM_JUNCTIONS","features":[469]},{"name":"NSWF_FILESYSTEM_ONLY","features":[469]},{"name":"NSWF_FLAG_VIEWORDER","features":[469]},{"name":"NSWF_IGNORE_AUTOPLAY_HIDA","features":[469]},{"name":"NSWF_NONE_IMPLIES_ALL","features":[469]},{"name":"NSWF_ONE_IMPLIES_ALL","features":[469]},{"name":"NSWF_SHOW_PROGRESS","features":[469]},{"name":"NSWF_TRAVERSE_STREAM_JUNCTIONS","features":[469]},{"name":"NSWF_USE_TRANSFER_MEDIUM","features":[469]},{"name":"NTSCS2_NEVERINSERTNONENUMERATED","features":[469]},{"name":"NTSCS2_NOSINGLETONAUTOEXPAND","features":[469]},{"name":"NT_CONSOLE_PROPS","features":[308,373,469]},{"name":"NT_CONSOLE_PROPS_SIG","features":[469]},{"name":"NT_FE_CONSOLE_PROPS","features":[469]},{"name":"NT_FE_CONSOLE_PROPS_SIG","features":[469]},{"name":"NUM_POINTS","features":[469]},{"name":"NWMF","features":[469]},{"name":"NWMF_FIRST","features":[469]},{"name":"NWMF_FORCETAB","features":[469]},{"name":"NWMF_FORCEWINDOW","features":[469]},{"name":"NWMF_FROMDIALOGCHILD","features":[469]},{"name":"NWMF_HTMLDIALOG","features":[469]},{"name":"NWMF_INACTIVETAB","features":[469]},{"name":"NWMF_OVERRIDEKEY","features":[469]},{"name":"NWMF_SHOWHELP","features":[469]},{"name":"NWMF_SUGGESTTAB","features":[469]},{"name":"NWMF_SUGGESTWINDOW","features":[469]},{"name":"NWMF_UNLOADING","features":[469]},{"name":"NWMF_USERALLOWED","features":[469]},{"name":"NWMF_USERINITED","features":[469]},{"name":"NWMF_USERREQUESTED","features":[469]},{"name":"NamespaceTreeControl","features":[469]},{"name":"NamespaceWalker","features":[469]},{"name":"NetworkConnections","features":[469]},{"name":"NetworkExplorerFolder","features":[469]},{"name":"NetworkPlaces","features":[469]},{"name":"NewProcessCauseConstants","features":[469]},{"name":"OAIF_ALLOW_REGISTRATION","features":[469]},{"name":"OAIF_EXEC","features":[469]},{"name":"OAIF_FILE_IS_URI","features":[469]},{"name":"OAIF_FORCE_REGISTRATION","features":[469]},{"name":"OAIF_HIDE_REGISTRATION","features":[469]},{"name":"OAIF_REGISTER_EXT","features":[469]},{"name":"OAIF_URL_PROTOCOL","features":[469]},{"name":"OFASI_EDIT","features":[469]},{"name":"OFASI_OPENDESKTOP","features":[469]},{"name":"OFFLINE_STATUS_INCOMPLETE","features":[469]},{"name":"OFFLINE_STATUS_LOCAL","features":[469]},{"name":"OFFLINE_STATUS_REMOTE","features":[469]},{"name":"OFS_DIRTYCACHE","features":[469]},{"name":"OFS_INACTIVE","features":[469]},{"name":"OFS_OFFLINE","features":[469]},{"name":"OFS_ONLINE","features":[469]},{"name":"OFS_SERVERBACK","features":[469]},{"name":"OF_CAP_CANCLOSE","features":[469]},{"name":"OF_CAP_CANSWITCHTO","features":[469]},{"name":"OI_ASYNC","features":[469]},{"name":"OI_DEFAULT","features":[469]},{"name":"OPENASINFO","features":[469]},{"name":"OPENPROPS_INHIBITPIF","features":[469]},{"name":"OPENPROPS_NONE","features":[469]},{"name":"OPEN_AS_INFO_FLAGS","features":[469]},{"name":"OPEN_PRINTER_PROPS_INFOA","features":[308,469]},{"name":"OPEN_PRINTER_PROPS_INFOA","features":[308,469]},{"name":"OPEN_PRINTER_PROPS_INFOW","features":[308,469]},{"name":"OPEN_PRINTER_PROPS_INFOW","features":[308,469]},{"name":"OPPROGDLG_ALLOWUNDO","features":[469]},{"name":"OPPROGDLG_DEFAULT","features":[469]},{"name":"OPPROGDLG_DONTDISPLAYDESTPATH","features":[469]},{"name":"OPPROGDLG_DONTDISPLAYLOCATIONS","features":[469]},{"name":"OPPROGDLG_DONTDISPLAYSOURCEPATH","features":[469]},{"name":"OPPROGDLG_ENABLEPAUSE","features":[469]},{"name":"OPPROGDLG_NOMULTIDAYESTIMATES","features":[469]},{"name":"OS","features":[469]},{"name":"OS_ADVSERVER","features":[469]},{"name":"OS_ANYSERVER","features":[469]},{"name":"OS_APPLIANCE","features":[469]},{"name":"OS_DATACENTER","features":[469]},{"name":"OS_DOMAINMEMBER","features":[469]},{"name":"OS_EMBEDDED","features":[469]},{"name":"OS_FASTUSERSWITCHING","features":[469]},{"name":"OS_HOME","features":[469]},{"name":"OS_MEDIACENTER","features":[469]},{"name":"OS_MEORGREATER","features":[469]},{"name":"OS_NT","features":[469]},{"name":"OS_NT4ORGREATER","features":[469]},{"name":"OS_PERSONALTERMINALSERVER","features":[469]},{"name":"OS_PROFESSIONAL","features":[469]},{"name":"OS_SERVER","features":[469]},{"name":"OS_SERVERADMINUI","features":[469]},{"name":"OS_SMALLBUSINESSSERVER","features":[469]},{"name":"OS_TABLETPC","features":[469]},{"name":"OS_TERMINALCLIENT","features":[469]},{"name":"OS_TERMINALREMOTEADMIN","features":[469]},{"name":"OS_TERMINALSERVER","features":[469]},{"name":"OS_WEBSERVER","features":[469]},{"name":"OS_WELCOMELOGONUI","features":[469]},{"name":"OS_WIN2000ADVSERVER","features":[469]},{"name":"OS_WIN2000DATACENTER","features":[469]},{"name":"OS_WIN2000ORGREATER","features":[469]},{"name":"OS_WIN2000PRO","features":[469]},{"name":"OS_WIN2000SERVER","features":[469]},{"name":"OS_WIN2000TERMINAL","features":[469]},{"name":"OS_WIN95ORGREATER","features":[469]},{"name":"OS_WIN95_GOLD","features":[469]},{"name":"OS_WIN98ORGREATER","features":[469]},{"name":"OS_WIN98_GOLD","features":[469]},{"name":"OS_WINDOWS","features":[469]},{"name":"OS_WOW6432","features":[469]},{"name":"OS_XPORGREATER","features":[469]},{"name":"OfflineFolderStatus","features":[469]},{"name":"OleSaveToStreamEx","features":[308,359,469]},{"name":"OnexCredentialProvider","features":[469]},{"name":"OnexPlapSmartcardCredentialProvider","features":[469]},{"name":"OpenControlPanel","features":[469]},{"name":"OpenRegStream","features":[359,369,469]},{"name":"PACKAGE_EXECUTION_STATE","features":[469]},{"name":"PAI_ASSIGNEDTIME","features":[469]},{"name":"PAI_EXPIRETIME","features":[469]},{"name":"PAI_PUBLISHEDTIME","features":[469]},{"name":"PAI_SCHEDULEDTIME","features":[469]},{"name":"PAI_SOURCE","features":[469]},{"name":"PANE_NAVIGATION","features":[469]},{"name":"PANE_NONE","features":[469]},{"name":"PANE_OFFLINE","features":[469]},{"name":"PANE_PRINTER","features":[469]},{"name":"PANE_PRIVACY","features":[469]},{"name":"PANE_PROGRESS","features":[469]},{"name":"PANE_SSL","features":[469]},{"name":"PANE_ZONE","features":[469]},{"name":"PAPPCONSTRAIN_CHANGE_ROUTINE","features":[308,469]},{"name":"PAPPCONSTRAIN_REGISTRATION","features":[469]},{"name":"PAPPSTATE_CHANGE_ROUTINE","features":[308,469]},{"name":"PAPPSTATE_REGISTRATION","features":[469]},{"name":"PARSEDURLA","features":[469]},{"name":"PARSEDURLW","features":[469]},{"name":"PATHCCH_ALLOW_LONG_PATHS","features":[469]},{"name":"PATHCCH_CANONICALIZE_SLASHES","features":[469]},{"name":"PATHCCH_DO_NOT_NORMALIZE_SEGMENTS","features":[469]},{"name":"PATHCCH_ENSURE_IS_EXTENDED_LENGTH_PATH","features":[469]},{"name":"PATHCCH_ENSURE_TRAILING_SLASH","features":[469]},{"name":"PATHCCH_FORCE_DISABLE_LONG_NAME_PROCESS","features":[469]},{"name":"PATHCCH_FORCE_ENABLE_LONG_NAME_PROCESS","features":[469]},{"name":"PATHCCH_MAX_CCH","features":[469]},{"name":"PATHCCH_NONE","features":[469]},{"name":"PATHCCH_OPTIONS","features":[469]},{"name":"PCS_FATAL","features":[469]},{"name":"PCS_PATHTOOLONG","features":[469]},{"name":"PCS_REMOVEDCHAR","features":[469]},{"name":"PCS_REPLACEDCHAR","features":[469]},{"name":"PCS_RET","features":[469]},{"name":"PCS_TRUNCATED","features":[469]},{"name":"PDM_DEFAULT","features":[469]},{"name":"PDM_ERRORSBLOCKING","features":[469]},{"name":"PDM_INDETERMINATE","features":[469]},{"name":"PDM_PREFLIGHT","features":[469]},{"name":"PDM_RUN","features":[469]},{"name":"PDM_UNDOING","features":[469]},{"name":"PDTIMER_PAUSE","features":[469]},{"name":"PDTIMER_RESET","features":[469]},{"name":"PDTIMER_RESUME","features":[469]},{"name":"PERSIST_FOLDER_TARGET_INFO","features":[636]},{"name":"PES_RUNNING","features":[469]},{"name":"PES_SUSPENDED","features":[469]},{"name":"PES_SUSPENDING","features":[469]},{"name":"PES_TERMINATED","features":[469]},{"name":"PES_UNKNOWN","features":[469]},{"name":"PFNCANSHAREFOLDERW","features":[469]},{"name":"PFNSHOWSHAREFOLDERUIW","features":[308,469]},{"name":"PIDASI_AVG_DATA_RATE","features":[469]},{"name":"PIDASI_CHANNEL_COUNT","features":[469]},{"name":"PIDASI_COMPRESSION","features":[469]},{"name":"PIDASI_FORMAT","features":[469]},{"name":"PIDASI_SAMPLE_RATE","features":[469]},{"name":"PIDASI_SAMPLE_SIZE","features":[469]},{"name":"PIDASI_STREAM_NAME","features":[469]},{"name":"PIDASI_STREAM_NUMBER","features":[469]},{"name":"PIDASI_TIMELENGTH","features":[469]},{"name":"PIDDRSI_DESCRIPTION","features":[469]},{"name":"PIDDRSI_PLAYCOUNT","features":[469]},{"name":"PIDDRSI_PLAYEXPIRES","features":[469]},{"name":"PIDDRSI_PLAYSTARTS","features":[469]},{"name":"PIDDRSI_PROTECTED","features":[469]},{"name":"PIDISF_CACHEDSTICKY","features":[469]},{"name":"PIDISF_CACHEIMAGES","features":[469]},{"name":"PIDISF_FLAGS","features":[469]},{"name":"PIDISF_FOLLOWALLLINKS","features":[469]},{"name":"PIDISF_RECENTLYCHANGED","features":[469]},{"name":"PIDISM_DONTWATCH","features":[469]},{"name":"PIDISM_GLOBAL","features":[469]},{"name":"PIDISM_OPTIONS","features":[469]},{"name":"PIDISM_WATCH","features":[469]},{"name":"PIDISR_INFO","features":[469]},{"name":"PIDISR_NEEDS_ADD","features":[469]},{"name":"PIDISR_NEEDS_DELETE","features":[469]},{"name":"PIDISR_NEEDS_UPDATE","features":[469]},{"name":"PIDISR_UP_TO_DATE","features":[469]},{"name":"PIDSI_ALBUM","features":[469]},{"name":"PIDSI_ARTIST","features":[469]},{"name":"PIDSI_COMMENT","features":[469]},{"name":"PIDSI_GENRE","features":[469]},{"name":"PIDSI_LYRICS","features":[469]},{"name":"PIDSI_SONGTITLE","features":[469]},{"name":"PIDSI_TRACK","features":[469]},{"name":"PIDSI_YEAR","features":[469]},{"name":"PIDVSI_COMPRESSION","features":[469]},{"name":"PIDVSI_DATA_RATE","features":[469]},{"name":"PIDVSI_FRAME_COUNT","features":[469]},{"name":"PIDVSI_FRAME_HEIGHT","features":[469]},{"name":"PIDVSI_FRAME_RATE","features":[469]},{"name":"PIDVSI_FRAME_WIDTH","features":[469]},{"name":"PIDVSI_SAMPLE_SIZE","features":[469]},{"name":"PIDVSI_STREAM_NAME","features":[469]},{"name":"PIDVSI_STREAM_NUMBER","features":[469]},{"name":"PIDVSI_TIMELENGTH","features":[469]},{"name":"PID_COMPUTERNAME","features":[469]},{"name":"PID_CONTROLPANEL_CATEGORY","features":[469]},{"name":"PID_DESCRIPTIONID","features":[469]},{"name":"PID_DISPLACED_DATE","features":[469]},{"name":"PID_DISPLACED_FROM","features":[469]},{"name":"PID_DISPLAY_PROPERTIES","features":[469]},{"name":"PID_FINDDATA","features":[469]},{"name":"PID_HTMLINFOTIPFILE","features":[469]},{"name":"PID_INTROTEXT","features":[469]},{"name":"PID_INTSITE","features":[469]},{"name":"PID_INTSITE_AUTHOR","features":[469]},{"name":"PID_INTSITE_CODEPAGE","features":[469]},{"name":"PID_INTSITE_COMMENT","features":[469]},{"name":"PID_INTSITE_CONTENTCODE","features":[469]},{"name":"PID_INTSITE_CONTENTLEN","features":[469]},{"name":"PID_INTSITE_DESCRIPTION","features":[469]},{"name":"PID_INTSITE_FLAGS","features":[469]},{"name":"PID_INTSITE_ICONFILE","features":[469]},{"name":"PID_INTSITE_ICONINDEX","features":[469]},{"name":"PID_INTSITE_LASTMOD","features":[469]},{"name":"PID_INTSITE_LASTVISIT","features":[469]},{"name":"PID_INTSITE_RECURSE","features":[469]},{"name":"PID_INTSITE_ROAMED","features":[469]},{"name":"PID_INTSITE_SUBSCRIPTION","features":[469]},{"name":"PID_INTSITE_TITLE","features":[469]},{"name":"PID_INTSITE_TRACKING","features":[469]},{"name":"PID_INTSITE_URL","features":[469]},{"name":"PID_INTSITE_VISITCOUNT","features":[469]},{"name":"PID_INTSITE_WATCH","features":[469]},{"name":"PID_INTSITE_WHATSNEW","features":[469]},{"name":"PID_IS","features":[469]},{"name":"PID_IS_AUTHOR","features":[469]},{"name":"PID_IS_COMMENT","features":[469]},{"name":"PID_IS_DESCRIPTION","features":[469]},{"name":"PID_IS_HOTKEY","features":[469]},{"name":"PID_IS_ICONFILE","features":[469]},{"name":"PID_IS_ICONINDEX","features":[469]},{"name":"PID_IS_NAME","features":[469]},{"name":"PID_IS_ROAMED","features":[469]},{"name":"PID_IS_SHOWCMD","features":[469]},{"name":"PID_IS_URL","features":[469]},{"name":"PID_IS_WHATSNEW","features":[469]},{"name":"PID_IS_WORKINGDIR","features":[469]},{"name":"PID_LINK_TARGET","features":[469]},{"name":"PID_LINK_TARGET_TYPE","features":[469]},{"name":"PID_MISC_ACCESSCOUNT","features":[469]},{"name":"PID_MISC_OWNER","features":[469]},{"name":"PID_MISC_PICS","features":[469]},{"name":"PID_MISC_STATUS","features":[469]},{"name":"PID_NETRESOURCE","features":[469]},{"name":"PID_NETWORKLOCATION","features":[469]},{"name":"PID_QUERY_RANK","features":[469]},{"name":"PID_SHARE_CSC_STATUS","features":[469]},{"name":"PID_SYNC_COPY_IN","features":[469]},{"name":"PID_VOLUME_CAPACITY","features":[469]},{"name":"PID_VOLUME_FILESYSTEM","features":[469]},{"name":"PID_VOLUME_FREE","features":[469]},{"name":"PID_WHICHFOLDER","features":[469]},{"name":"PIFDEFFILESIZE","features":[469]},{"name":"PIFDEFPATHSIZE","features":[469]},{"name":"PIFMAXFILEPATH","features":[469]},{"name":"PIFNAMESIZE","features":[469]},{"name":"PIFPARAMSSIZE","features":[469]},{"name":"PIFSHDATASIZE","features":[469]},{"name":"PIFSHPROGSIZE","features":[469]},{"name":"PIFSTARTLOCSIZE","features":[469]},{"name":"PINLogonCredentialProvider","features":[469]},{"name":"PLATFORM_BROWSERONLY","features":[469]},{"name":"PLATFORM_IE3","features":[469]},{"name":"PLATFORM_INTEGRATED","features":[469]},{"name":"PLATFORM_UNKNOWN","features":[469]},{"name":"PMSF_DONT_STRIP_SPACES","features":[469]},{"name":"PMSF_MULTIPLE","features":[469]},{"name":"PMSF_NORMAL","features":[469]},{"name":"PO_DELETE","features":[469]},{"name":"PO_PORTCHANGE","features":[469]},{"name":"PO_RENAME","features":[469]},{"name":"PO_REN_PORT","features":[469]},{"name":"PPCF_ADDARGUMENTS","features":[469]},{"name":"PPCF_ADDQUOTES","features":[469]},{"name":"PPCF_FORCEQUALIFY","features":[469]},{"name":"PPCF_LONGESTPOSSIBLE","features":[469]},{"name":"PPCF_NODIRECTORIES","features":[469]},{"name":"PREVIEWHANDLERFRAMEINFO","features":[469,370]},{"name":"PRF_DONTFINDLNK","features":[469]},{"name":"PRF_FIRSTDIRDEF","features":[469]},{"name":"PRF_FLAGS","features":[469]},{"name":"PRF_REQUIREABSOLUTE","features":[469]},{"name":"PRF_TRYPROGRAMEXTENSIONS","features":[469]},{"name":"PRF_VERIFYEXISTS","features":[469]},{"name":"PRINTACTION_DOCUMENTDEFAULTS","features":[469]},{"name":"PRINTACTION_NETINSTALL","features":[469]},{"name":"PRINTACTION_NETINSTALLLINK","features":[469]},{"name":"PRINTACTION_OPEN","features":[469]},{"name":"PRINTACTION_OPENNETPRN","features":[469]},{"name":"PRINTACTION_PROPERTIES","features":[469]},{"name":"PRINTACTION_SERVERPROPERTIES","features":[469]},{"name":"PRINTACTION_TESTPAGE","features":[469]},{"name":"PRINT_PROP_FORCE_NAME","features":[469]},{"name":"PROFILEINFOA","features":[308,469]},{"name":"PROFILEINFOW","features":[308,469]},{"name":"PROGDLG_AUTOTIME","features":[469]},{"name":"PROGDLG_MARQUEEPROGRESS","features":[469]},{"name":"PROGDLG_MODAL","features":[469]},{"name":"PROGDLG_NOCANCEL","features":[469]},{"name":"PROGDLG_NOMINIMIZE","features":[469]},{"name":"PROGDLG_NOPROGRESSBAR","features":[469]},{"name":"PROGDLG_NORMAL","features":[469]},{"name":"PROGDLG_NOTIME","features":[469]},{"name":"PROPSTR_EXTENSIONCOMPLETIONSTATE","features":[469]},{"name":"PROP_CONTRACT_DELEGATE","features":[469]},{"name":"PSGUID_AUDIO","features":[469]},{"name":"PSGUID_BRIEFCASE","features":[469]},{"name":"PSGUID_CONTROLPANEL","features":[469]},{"name":"PSGUID_CUSTOMIMAGEPROPERTIES","features":[469]},{"name":"PSGUID_DISPLACED","features":[469]},{"name":"PSGUID_DOCUMENTSUMMARYINFORMATION","features":[469]},{"name":"PSGUID_DRM","features":[469]},{"name":"PSGUID_IMAGEPROPERTIES","features":[469]},{"name":"PSGUID_IMAGESUMMARYINFORMATION","features":[469]},{"name":"PSGUID_LIBRARYPROPERTIES","features":[469]},{"name":"PSGUID_LINK","features":[469]},{"name":"PSGUID_MEDIAFILESUMMARYINFORMATION","features":[469]},{"name":"PSGUID_MISC","features":[469]},{"name":"PSGUID_MUSIC","features":[469]},{"name":"PSGUID_QUERY_D","features":[469]},{"name":"PSGUID_SHARE","features":[469]},{"name":"PSGUID_SHELLDETAILS","features":[469]},{"name":"PSGUID_SUMMARYINFORMATION","features":[469]},{"name":"PSGUID_VIDEO","features":[469]},{"name":"PSGUID_VOLUME","features":[469]},{"name":"PSGUID_WEBVIEW","features":[469]},{"name":"PUBAPPINFO","features":[308,469]},{"name":"PUBAPPINFOFLAGS","features":[469]},{"name":"PackageDebugSettings","features":[469]},{"name":"ParseURLA","features":[469]},{"name":"ParseURLW","features":[469]},{"name":"PasswordCredentialProvider","features":[469]},{"name":"PathAddBackslashA","features":[469]},{"name":"PathAddBackslashW","features":[469]},{"name":"PathAddExtensionA","features":[308,469]},{"name":"PathAddExtensionW","features":[308,469]},{"name":"PathAllocCanonicalize","features":[469]},{"name":"PathAllocCombine","features":[469]},{"name":"PathAppendA","features":[308,469]},{"name":"PathAppendW","features":[308,469]},{"name":"PathBuildRootA","features":[469]},{"name":"PathBuildRootW","features":[469]},{"name":"PathCanonicalizeA","features":[308,469]},{"name":"PathCanonicalizeW","features":[308,469]},{"name":"PathCchAddBackslash","features":[469]},{"name":"PathCchAddBackslashEx","features":[469]},{"name":"PathCchAddExtension","features":[469]},{"name":"PathCchAppend","features":[469]},{"name":"PathCchAppendEx","features":[469]},{"name":"PathCchCanonicalize","features":[469]},{"name":"PathCchCanonicalizeEx","features":[469]},{"name":"PathCchCombine","features":[469]},{"name":"PathCchCombineEx","features":[469]},{"name":"PathCchFindExtension","features":[469]},{"name":"PathCchIsRoot","features":[308,469]},{"name":"PathCchRemoveBackslash","features":[469]},{"name":"PathCchRemoveBackslashEx","features":[469]},{"name":"PathCchRemoveExtension","features":[469]},{"name":"PathCchRemoveFileSpec","features":[469]},{"name":"PathCchRenameExtension","features":[469]},{"name":"PathCchSkipRoot","features":[469]},{"name":"PathCchStripPrefix","features":[469]},{"name":"PathCchStripToRoot","features":[469]},{"name":"PathCleanupSpec","features":[469]},{"name":"PathCombineA","features":[469]},{"name":"PathCombineW","features":[469]},{"name":"PathCommonPrefixA","features":[469]},{"name":"PathCommonPrefixW","features":[469]},{"name":"PathCompactPathA","features":[308,319,469]},{"name":"PathCompactPathExA","features":[308,469]},{"name":"PathCompactPathExW","features":[308,469]},{"name":"PathCompactPathW","features":[308,319,469]},{"name":"PathCreateFromUrlA","features":[469]},{"name":"PathCreateFromUrlAlloc","features":[469]},{"name":"PathCreateFromUrlW","features":[469]},{"name":"PathFileExistsA","features":[308,469]},{"name":"PathFileExistsW","features":[308,469]},{"name":"PathFindExtensionA","features":[469]},{"name":"PathFindExtensionW","features":[469]},{"name":"PathFindFileNameA","features":[469]},{"name":"PathFindFileNameW","features":[469]},{"name":"PathFindNextComponentA","features":[469]},{"name":"PathFindNextComponentW","features":[469]},{"name":"PathFindOnPathA","features":[308,469]},{"name":"PathFindOnPathW","features":[308,469]},{"name":"PathFindSuffixArrayA","features":[469]},{"name":"PathFindSuffixArrayW","features":[469]},{"name":"PathGetArgsA","features":[469]},{"name":"PathGetArgsW","features":[469]},{"name":"PathGetCharTypeA","features":[469]},{"name":"PathGetCharTypeW","features":[469]},{"name":"PathGetDriveNumberA","features":[469]},{"name":"PathGetDriveNumberW","features":[469]},{"name":"PathGetShortPath","features":[469]},{"name":"PathIsContentTypeA","features":[308,469]},{"name":"PathIsContentTypeW","features":[308,469]},{"name":"PathIsDirectoryA","features":[308,469]},{"name":"PathIsDirectoryEmptyA","features":[308,469]},{"name":"PathIsDirectoryEmptyW","features":[308,469]},{"name":"PathIsDirectoryW","features":[308,469]},{"name":"PathIsExe","features":[308,469]},{"name":"PathIsFileSpecA","features":[308,469]},{"name":"PathIsFileSpecW","features":[308,469]},{"name":"PathIsLFNFileSpecA","features":[308,469]},{"name":"PathIsLFNFileSpecW","features":[308,469]},{"name":"PathIsNetworkPathA","features":[308,469]},{"name":"PathIsNetworkPathW","features":[308,469]},{"name":"PathIsPrefixA","features":[308,469]},{"name":"PathIsPrefixW","features":[308,469]},{"name":"PathIsRelativeA","features":[308,469]},{"name":"PathIsRelativeW","features":[308,469]},{"name":"PathIsRootA","features":[308,469]},{"name":"PathIsRootW","features":[308,469]},{"name":"PathIsSameRootA","features":[308,469]},{"name":"PathIsSameRootW","features":[308,469]},{"name":"PathIsSlowA","features":[308,469]},{"name":"PathIsSlowW","features":[308,469]},{"name":"PathIsSystemFolderA","features":[308,469]},{"name":"PathIsSystemFolderW","features":[308,469]},{"name":"PathIsUNCA","features":[308,469]},{"name":"PathIsUNCEx","features":[308,469]},{"name":"PathIsUNCServerA","features":[308,469]},{"name":"PathIsUNCServerShareA","features":[308,469]},{"name":"PathIsUNCServerShareW","features":[308,469]},{"name":"PathIsUNCServerW","features":[308,469]},{"name":"PathIsUNCW","features":[308,469]},{"name":"PathIsURLA","features":[308,469]},{"name":"PathIsURLW","features":[308,469]},{"name":"PathMakePrettyA","features":[308,469]},{"name":"PathMakePrettyW","features":[308,469]},{"name":"PathMakeSystemFolderA","features":[308,469]},{"name":"PathMakeSystemFolderW","features":[308,469]},{"name":"PathMakeUniqueName","features":[308,469]},{"name":"PathMatchSpecA","features":[308,469]},{"name":"PathMatchSpecExA","features":[469]},{"name":"PathMatchSpecExW","features":[469]},{"name":"PathMatchSpecW","features":[308,469]},{"name":"PathParseIconLocationA","features":[469]},{"name":"PathParseIconLocationW","features":[469]},{"name":"PathQualify","features":[469]},{"name":"PathQuoteSpacesA","features":[308,469]},{"name":"PathQuoteSpacesW","features":[308,469]},{"name":"PathRelativePathToA","features":[308,469]},{"name":"PathRelativePathToW","features":[308,469]},{"name":"PathRemoveArgsA","features":[469]},{"name":"PathRemoveArgsW","features":[469]},{"name":"PathRemoveBackslashA","features":[469]},{"name":"PathRemoveBackslashW","features":[469]},{"name":"PathRemoveBlanksA","features":[469]},{"name":"PathRemoveBlanksW","features":[469]},{"name":"PathRemoveExtensionA","features":[469]},{"name":"PathRemoveExtensionW","features":[469]},{"name":"PathRemoveFileSpecA","features":[308,469]},{"name":"PathRemoveFileSpecW","features":[308,469]},{"name":"PathRenameExtensionA","features":[308,469]},{"name":"PathRenameExtensionW","features":[308,469]},{"name":"PathResolve","features":[469]},{"name":"PathSearchAndQualifyA","features":[308,469]},{"name":"PathSearchAndQualifyW","features":[308,469]},{"name":"PathSetDlgItemPathA","features":[308,469]},{"name":"PathSetDlgItemPathW","features":[308,469]},{"name":"PathSkipRootA","features":[469]},{"name":"PathSkipRootW","features":[469]},{"name":"PathStripPathA","features":[469]},{"name":"PathStripPathW","features":[469]},{"name":"PathStripToRootA","features":[308,469]},{"name":"PathStripToRootW","features":[308,469]},{"name":"PathUnExpandEnvStringsA","features":[308,469]},{"name":"PathUnExpandEnvStringsW","features":[308,469]},{"name":"PathUndecorateA","features":[469]},{"name":"PathUndecorateW","features":[469]},{"name":"PathUnmakeSystemFolderA","features":[308,469]},{"name":"PathUnmakeSystemFolderW","features":[308,469]},{"name":"PathUnquoteSpacesA","features":[308,469]},{"name":"PathUnquoteSpacesW","features":[308,469]},{"name":"PathYetAnotherMakeUniqueName","features":[308,469]},{"name":"PickIconDlg","features":[308,469]},{"name":"PreviousVersions","features":[469]},{"name":"PropVariantToStrRet","features":[636]},{"name":"PropertiesUI","features":[469]},{"name":"ProtectedModeRedirect","features":[469]},{"name":"PublishDropTarget","features":[469]},{"name":"PublishingWizard","features":[469]},{"name":"QCMINFO","features":[469,370]},{"name":"QCMINFO_IDMAP","features":[469]},{"name":"QCMINFO_IDMAP_PLACEMENT","features":[469]},{"name":"QCMINFO_PLACE_AFTER","features":[469]},{"name":"QCMINFO_PLACE_BEFORE","features":[469]},{"name":"QIF_CACHED","features":[469]},{"name":"QIF_DONTEXPANDFOLDER","features":[469]},{"name":"QISearch","features":[469]},{"name":"QITAB","features":[469]},{"name":"QITIPF_DEFAULT","features":[469]},{"name":"QITIPF_FLAGS","features":[469]},{"name":"QITIPF_LINKNOTARGET","features":[469]},{"name":"QITIPF_LINKUSETARGET","features":[469]},{"name":"QITIPF_SINGLELINE","features":[469]},{"name":"QITIPF_USENAME","features":[469]},{"name":"QITIPF_USESLOWTIP","features":[469]},{"name":"QUERY_USER_NOTIFICATION_STATE","features":[469]},{"name":"QUNS_ACCEPTS_NOTIFICATIONS","features":[469]},{"name":"QUNS_APP","features":[469]},{"name":"QUNS_BUSY","features":[469]},{"name":"QUNS_NOT_PRESENT","features":[469]},{"name":"QUNS_PRESENTATION_MODE","features":[469]},{"name":"QUNS_QUIET_TIME","features":[469]},{"name":"QUNS_RUNNING_D3D_FULL_SCREEN","features":[469]},{"name":"QueryCancelAutoPlay","features":[469]},{"name":"RASProvider","features":[469]},{"name":"REFRESH_COMPLETELY","features":[469]},{"name":"REFRESH_IFEXPIRED","features":[469]},{"name":"REFRESH_NORMAL","features":[469]},{"name":"RESTRICTIONS","features":[469]},{"name":"REST_ALLOWBITBUCKDRIVES","features":[469]},{"name":"REST_ALLOWCOMMENTTOGGLE","features":[469]},{"name":"REST_ALLOWFILECLSIDJUNCTIONS","features":[469]},{"name":"REST_ALLOWLEGACYWEBVIEW","features":[469]},{"name":"REST_ALLOWUNHASHEDWEBVIEW","features":[469]},{"name":"REST_ARP_DONTGROUPPATCHES","features":[469]},{"name":"REST_ARP_NOADDPAGE","features":[469]},{"name":"REST_ARP_NOARP","features":[469]},{"name":"REST_ARP_NOCHOOSEPROGRAMSPAGE","features":[469]},{"name":"REST_ARP_NOREMOVEPAGE","features":[469]},{"name":"REST_ARP_NOWINSETUPPAGE","features":[469]},{"name":"REST_ARP_ShowPostSetup","features":[469]},{"name":"REST_BITBUCKCONFIRMDELETE","features":[469]},{"name":"REST_BITBUCKNOPROP","features":[469]},{"name":"REST_BITBUCKNUKEONDELETE","features":[469]},{"name":"REST_CLASSICSHELL","features":[469]},{"name":"REST_CLEARRECENTDOCSONEXIT","features":[469]},{"name":"REST_DISALLOWCPL","features":[469]},{"name":"REST_DISALLOWRUN","features":[469]},{"name":"REST_DONTRETRYBADNETNAME","features":[469]},{"name":"REST_DONTSHOWSUPERHIDDEN","features":[469]},{"name":"REST_ENFORCESHELLEXTSECURITY","features":[469]},{"name":"REST_ENUMWORKGROUP","features":[469]},{"name":"REST_FORCEACTIVEDESKTOPON","features":[469]},{"name":"REST_FORCECOPYACLWITHFILE","features":[469]},{"name":"REST_FORCESTARTMENULOGOFF","features":[469]},{"name":"REST_GREYMSIADS","features":[469]},{"name":"REST_HASFINDCOMPUTERS","features":[469]},{"name":"REST_HIDECLOCK","features":[469]},{"name":"REST_HIDERUNASVERB","features":[469]},{"name":"REST_INHERITCONSOLEHANDLES","features":[469]},{"name":"REST_INTELLIMENUS","features":[469]},{"name":"REST_LINKRESOLVEIGNORELINKINFO","features":[469]},{"name":"REST_MYCOMPNOPROP","features":[469]},{"name":"REST_MYDOCSNOPROP","features":[469]},{"name":"REST_MYDOCSONNET","features":[469]},{"name":"REST_MaxRecentDocs","features":[469]},{"name":"REST_NOACTIVEDESKTOP","features":[469]},{"name":"REST_NOACTIVEDESKTOPCHANGES","features":[469]},{"name":"REST_NOADDDESKCOMP","features":[469]},{"name":"REST_NOAUTOTRAYNOTIFY","features":[469]},{"name":"REST_NOCDBURNING","features":[469]},{"name":"REST_NOCHANGEMAPPEDDRIVECOMMENT","features":[469]},{"name":"REST_NOCHANGEMAPPEDDRIVELABEL","features":[469]},{"name":"REST_NOCHANGESTARMENU","features":[469]},{"name":"REST_NOCHANGINGWALLPAPER","features":[469]},{"name":"REST_NOCLOSE","features":[469]},{"name":"REST_NOCLOSEDESKCOMP","features":[469]},{"name":"REST_NOCLOSE_DRAGDROPBAND","features":[469]},{"name":"REST_NOCOLORCHOICE","features":[469]},{"name":"REST_NOCOMMONGROUPS","features":[469]},{"name":"REST_NOCONTROLPANEL","features":[469]},{"name":"REST_NOCONTROLPANELBARRICADE","features":[469]},{"name":"REST_NOCSC","features":[469]},{"name":"REST_NOCURRENTUSERRUN","features":[469]},{"name":"REST_NOCURRENTUSERRUNONCE","features":[469]},{"name":"REST_NOCUSTOMIZETHISFOLDER","features":[469]},{"name":"REST_NOCUSTOMIZEWEBVIEW","features":[469]},{"name":"REST_NODELDESKCOMP","features":[469]},{"name":"REST_NODESKCOMP","features":[469]},{"name":"REST_NODESKTOP","features":[469]},{"name":"REST_NODESKTOPCLEANUP","features":[469]},{"name":"REST_NODISCONNECT","features":[469]},{"name":"REST_NODISPBACKGROUND","features":[469]},{"name":"REST_NODISPLAYAPPEARANCEPAGE","features":[469]},{"name":"REST_NODISPLAYCPL","features":[469]},{"name":"REST_NODISPSCREENSAVEPG","features":[469]},{"name":"REST_NODISPSCREENSAVEPREVIEW","features":[469]},{"name":"REST_NODISPSETTINGSPG","features":[469]},{"name":"REST_NODRIVEAUTORUN","features":[469]},{"name":"REST_NODRIVES","features":[469]},{"name":"REST_NODRIVETYPEAUTORUN","features":[469]},{"name":"REST_NOEDITDESKCOMP","features":[469]},{"name":"REST_NOENCRYPTION","features":[469]},{"name":"REST_NOENCRYPTONMOVE","features":[469]},{"name":"REST_NOENTIRENETWORK","features":[469]},{"name":"REST_NOENUMENTIRENETWORK","features":[469]},{"name":"REST_NOEXITTODOS","features":[469]},{"name":"REST_NOFAVORITESMENU","features":[469]},{"name":"REST_NOFILEASSOCIATE","features":[469]},{"name":"REST_NOFILEMENU","features":[469]},{"name":"REST_NOFIND","features":[469]},{"name":"REST_NOFOLDEROPTIONS","features":[469]},{"name":"REST_NOFORGETSOFTWAREUPDATE","features":[469]},{"name":"REST_NOHARDWARETAB","features":[469]},{"name":"REST_NOHTMLWALLPAPER","features":[469]},{"name":"REST_NOINTERNETICON","features":[469]},{"name":"REST_NOINTERNETOPENWITH","features":[469]},{"name":"REST_NOLOCALMACHINERUN","features":[469]},{"name":"REST_NOLOCALMACHINERUNONCE","features":[469]},{"name":"REST_NOLOWDISKSPACECHECKS","features":[469]},{"name":"REST_NOMANAGEMYCOMPUTERVERB","features":[469]},{"name":"REST_NOMOVINGBAND","features":[469]},{"name":"REST_NOMYCOMPUTERICON","features":[469]},{"name":"REST_NONE","features":[469]},{"name":"REST_NONETCONNECTDISCONNECT","features":[469]},{"name":"REST_NONETCRAWL","features":[469]},{"name":"REST_NONETHOOD","features":[469]},{"name":"REST_NONETWORKCONNECTIONS","features":[469]},{"name":"REST_NONLEGACYSHELLMODE","features":[469]},{"name":"REST_NOONLINEPRINTSWIZARD","features":[469]},{"name":"REST_NOPRINTERADD","features":[469]},{"name":"REST_NOPRINTERDELETE","features":[469]},{"name":"REST_NOPRINTERTABS","features":[469]},{"name":"REST_NOPUBLISHWIZARD","features":[469]},{"name":"REST_NORECENTDOCSHISTORY","features":[469]},{"name":"REST_NORECENTDOCSMENU","features":[469]},{"name":"REST_NOREMOTECHANGENOTIFY","features":[469]},{"name":"REST_NOREMOTERECURSIVEEVENTS","features":[469]},{"name":"REST_NORESOLVESEARCH","features":[469]},{"name":"REST_NORESOLVETRACK","features":[469]},{"name":"REST_NORUN","features":[469]},{"name":"REST_NORUNASINSTALLPROMPT","features":[469]},{"name":"REST_NOSAVESET","features":[469]},{"name":"REST_NOSECURITY","features":[469]},{"name":"REST_NOSETACTIVEDESKTOP","features":[469]},{"name":"REST_NOSETFOLDERS","features":[469]},{"name":"REST_NOSETTASKBAR","features":[469]},{"name":"REST_NOSETTINGSASSIST","features":[469]},{"name":"REST_NOSHAREDDOCUMENTS","features":[469]},{"name":"REST_NOSHELLSEARCHBUTTON","features":[469]},{"name":"REST_NOSIZECHOICE","features":[469]},{"name":"REST_NOSMBALLOONTIP","features":[469]},{"name":"REST_NOSMCONFIGUREPROGRAMS","features":[469]},{"name":"REST_NOSMEJECTPC","features":[469]},{"name":"REST_NOSMHELP","features":[469]},{"name":"REST_NOSMMFUPROGRAMS","features":[469]},{"name":"REST_NOSMMOREPROGRAMS","features":[469]},{"name":"REST_NOSMMYDOCS","features":[469]},{"name":"REST_NOSMMYMUSIC","features":[469]},{"name":"REST_NOSMMYPICS","features":[469]},{"name":"REST_NOSMNETWORKPLACES","features":[469]},{"name":"REST_NOSMPINNEDLIST","features":[469]},{"name":"REST_NOSTARTMENUSUBFOLDERS","features":[469]},{"name":"REST_NOSTARTPAGE","features":[469]},{"name":"REST_NOSTARTPANEL","features":[469]},{"name":"REST_NOSTRCMPLOGICAL","features":[469]},{"name":"REST_NOTASKGROUPING","features":[469]},{"name":"REST_NOTHEMESTAB","features":[469]},{"name":"REST_NOTHUMBNAILCACHE","features":[469]},{"name":"REST_NOTOOLBARSONTASKBAR","features":[469]},{"name":"REST_NOTRAYCONTEXTMENU","features":[469]},{"name":"REST_NOTRAYITEMSDISPLAY","features":[469]},{"name":"REST_NOUPDATEWINDOWS","features":[469]},{"name":"REST_NOUPNPINSTALL","features":[469]},{"name":"REST_NOUSERNAMEINSTARTPANEL","features":[469]},{"name":"REST_NOVIEWCONTEXTMENU","features":[469]},{"name":"REST_NOVIEWONDRIVE","features":[469]},{"name":"REST_NOVISUALSTYLECHOICE","features":[469]},{"name":"REST_NOWEB","features":[469]},{"name":"REST_NOWEBSERVICES","features":[469]},{"name":"REST_NOWEBVIEW","features":[469]},{"name":"REST_NOWELCOMESCREEN","features":[469]},{"name":"REST_NOWINKEYS","features":[469]},{"name":"REST_PROMPTRUNASINSTALLNETPATH","features":[469]},{"name":"REST_RESTRICTCPL","features":[469]},{"name":"REST_RESTRICTRUN","features":[469]},{"name":"REST_REVERTWEBVIEWSECURITY","features":[469]},{"name":"REST_RUNDLGMEMCHECKBOX","features":[469]},{"name":"REST_SEPARATEDESKTOPPROCESS","features":[469]},{"name":"REST_SETVISUALSTYLE","features":[469]},{"name":"REST_STARTBANNER","features":[469]},{"name":"REST_STARTMENULOGOFF","features":[469]},{"name":"REST_STARTRUNNOHOMEPATH","features":[469]},{"name":"ReadCabinetState","features":[308,469]},{"name":"RealDriveType","features":[308,469]},{"name":"RefreshConstants","features":[469]},{"name":"RegisterAppConstrainedChangeNotification","features":[308,469]},{"name":"RegisterAppStateChangeNotification","features":[308,469]},{"name":"RegisterScaleChangeEvent","features":[308,469]},{"name":"RegisterScaleChangeNotifications","features":[308,469]},{"name":"RemoveWindowSubclass","features":[308,469]},{"name":"ResizeThumbnail","features":[469]},{"name":"RestartDialog","features":[308,469]},{"name":"RestartDialogEx","features":[308,469]},{"name":"ReturnOnlyIfCached","features":[469]},{"name":"RevokeScaleChangeNotifications","features":[469]},{"name":"SBSC_HIDE","features":[469]},{"name":"SBSC_QUERY","features":[469]},{"name":"SBSC_SHOW","features":[469]},{"name":"SBSC_TOGGLE","features":[469]},{"name":"SBSP_ABSOLUTE","features":[469]},{"name":"SBSP_ACTIVATE_NOFOCUS","features":[469]},{"name":"SBSP_ALLOW_AUTONAVIGATE","features":[469]},{"name":"SBSP_CALLERUNTRUSTED","features":[469]},{"name":"SBSP_CREATENOHISTORY","features":[469]},{"name":"SBSP_DEFBROWSER","features":[469]},{"name":"SBSP_DEFMODE","features":[469]},{"name":"SBSP_EXPLOREMODE","features":[469]},{"name":"SBSP_FEEDNAVIGATION","features":[469]},{"name":"SBSP_HELPMODE","features":[469]},{"name":"SBSP_INITIATEDBYHLINKFRAME","features":[469]},{"name":"SBSP_KEEPSAMETEMPLATE","features":[469]},{"name":"SBSP_KEEPWORDWHEELTEXT","features":[469]},{"name":"SBSP_NAVIGATEBACK","features":[469]},{"name":"SBSP_NAVIGATEFORWARD","features":[469]},{"name":"SBSP_NEWBROWSER","features":[469]},{"name":"SBSP_NOAUTOSELECT","features":[469]},{"name":"SBSP_NOTRANSFERHIST","features":[469]},{"name":"SBSP_OPENMODE","features":[469]},{"name":"SBSP_PARENT","features":[469]},{"name":"SBSP_PLAYNOSOUND","features":[469]},{"name":"SBSP_REDIRECT","features":[469]},{"name":"SBSP_RELATIVE","features":[469]},{"name":"SBSP_SAMEBROWSER","features":[469]},{"name":"SBSP_TRUSTEDFORACTIVEX","features":[469]},{"name":"SBSP_TRUSTFIRSTDOWNLOAD","features":[469]},{"name":"SBSP_UNTRUSTEDFORDOWNLOAD","features":[469]},{"name":"SBSP_WRITENOHISTORY","features":[469]},{"name":"SCALE_CHANGE_FLAGS","features":[469]},{"name":"SCF_PHYSICAL","features":[469]},{"name":"SCF_SCALE","features":[469]},{"name":"SCF_VALUE_NONE","features":[469]},{"name":"SCHEME_CREATE","features":[469]},{"name":"SCHEME_DISPLAY","features":[469]},{"name":"SCHEME_DONOTUSE","features":[469]},{"name":"SCHEME_EDIT","features":[469]},{"name":"SCHEME_GLOBAL","features":[469]},{"name":"SCHEME_LOCAL","features":[469]},{"name":"SCHEME_REFRESH","features":[469]},{"name":"SCHEME_UPDATE","features":[469]},{"name":"SCNRT_DISABLE","features":[469]},{"name":"SCNRT_ENABLE","features":[469]},{"name":"SCNRT_STATUS","features":[469]},{"name":"SCRM_VERIFYPW","features":[469]},{"name":"SECURELOCKCODE","features":[469]},{"name":"SECURELOCK_FIRSTSUGGEST","features":[469]},{"name":"SECURELOCK_NOCHANGE","features":[469]},{"name":"SECURELOCK_SET_FORTEZZA","features":[469]},{"name":"SECURELOCK_SET_MIXED","features":[469]},{"name":"SECURELOCK_SET_SECURE128BIT","features":[469]},{"name":"SECURELOCK_SET_SECURE40BIT","features":[469]},{"name":"SECURELOCK_SET_SECURE56BIT","features":[469]},{"name":"SECURELOCK_SET_SECUREUNKNOWNBIT","features":[469]},{"name":"SECURELOCK_SET_UNSECURE","features":[469]},{"name":"SECURELOCK_SUGGEST_FORTEZZA","features":[469]},{"name":"SECURELOCK_SUGGEST_MIXED","features":[469]},{"name":"SECURELOCK_SUGGEST_SECURE128BIT","features":[469]},{"name":"SECURELOCK_SUGGEST_SECURE40BIT","features":[469]},{"name":"SECURELOCK_SUGGEST_SECURE56BIT","features":[469]},{"name":"SECURELOCK_SUGGEST_SECUREUNKNOWNBIT","features":[469]},{"name":"SECURELOCK_SUGGEST_UNSECURE","features":[469]},{"name":"SEE_MASK_ASYNCOK","features":[469]},{"name":"SEE_MASK_CLASSKEY","features":[469]},{"name":"SEE_MASK_CLASSNAME","features":[469]},{"name":"SEE_MASK_CONNECTNETDRV","features":[469]},{"name":"SEE_MASK_DEFAULT","features":[469]},{"name":"SEE_MASK_DOENVSUBST","features":[469]},{"name":"SEE_MASK_FLAG_DDEWAIT","features":[469]},{"name":"SEE_MASK_FLAG_HINST_IS_SITE","features":[469]},{"name":"SEE_MASK_FLAG_LOG_USAGE","features":[469]},{"name":"SEE_MASK_FLAG_NO_UI","features":[469]},{"name":"SEE_MASK_HMONITOR","features":[469]},{"name":"SEE_MASK_HOTKEY","features":[469]},{"name":"SEE_MASK_ICON","features":[469]},{"name":"SEE_MASK_IDLIST","features":[469]},{"name":"SEE_MASK_INVOKEIDLIST","features":[469]},{"name":"SEE_MASK_NOASYNC","features":[469]},{"name":"SEE_MASK_NOCLOSEPROCESS","features":[469]},{"name":"SEE_MASK_NOQUERYCLASSSTORE","features":[469]},{"name":"SEE_MASK_NOZONECHECKS","features":[469]},{"name":"SEE_MASK_NO_CONSOLE","features":[469]},{"name":"SEE_MASK_UNICODE","features":[469]},{"name":"SEE_MASK_WAITFORINPUTIDLE","features":[469]},{"name":"SETPROPS_NONE","features":[469]},{"name":"SE_ERR_ACCESSDENIED","features":[469]},{"name":"SE_ERR_ASSOCINCOMPLETE","features":[469]},{"name":"SE_ERR_DDEBUSY","features":[469]},{"name":"SE_ERR_DDEFAIL","features":[469]},{"name":"SE_ERR_DDETIMEOUT","features":[469]},{"name":"SE_ERR_DLLNOTFOUND","features":[469]},{"name":"SE_ERR_FNF","features":[469]},{"name":"SE_ERR_NOASSOC","features":[469]},{"name":"SE_ERR_OOM","features":[469]},{"name":"SE_ERR_PNF","features":[469]},{"name":"SE_ERR_SHARE","features":[469]},{"name":"SFBID_PIDLCHANGED","features":[469]},{"name":"SFBS_FLAGS","features":[469]},{"name":"SFBS_FLAGS_ROUND_TO_NEAREST_DISPLAYED_DIGIT","features":[469]},{"name":"SFBS_FLAGS_TRUNCATE_UNDISPLAYED_DECIMAL_DIGITS","features":[469]},{"name":"SFVM_ADDOBJECT","features":[469]},{"name":"SFVM_ADDPROPERTYPAGES","features":[469]},{"name":"SFVM_BACKGROUNDENUM","features":[469]},{"name":"SFVM_BACKGROUNDENUMDONE","features":[469]},{"name":"SFVM_COLUMNCLICK","features":[469]},{"name":"SFVM_DEFITEMCOUNT","features":[469]},{"name":"SFVM_DEFVIEWMODE","features":[469]},{"name":"SFVM_DIDDRAGDROP","features":[469]},{"name":"SFVM_FSNOTIFY","features":[469]},{"name":"SFVM_GETANIMATION","features":[469]},{"name":"SFVM_GETBUTTONINFO","features":[469]},{"name":"SFVM_GETBUTTONS","features":[469]},{"name":"SFVM_GETDETAILSOF","features":[469]},{"name":"SFVM_GETHELPTEXT","features":[469]},{"name":"SFVM_GETHELPTOPIC","features":[469]},{"name":"SFVM_GETNOTIFY","features":[469]},{"name":"SFVM_GETPANE","features":[469]},{"name":"SFVM_GETSELECTEDOBJECTS","features":[469]},{"name":"SFVM_GETSORTDEFAULTS","features":[469]},{"name":"SFVM_GETTOOLTIPTEXT","features":[469]},{"name":"SFVM_GETZONE","features":[469]},{"name":"SFVM_HELPTOPIC_DATA","features":[469]},{"name":"SFVM_INITMENUPOPUP","features":[469]},{"name":"SFVM_INVOKECOMMAND","features":[469]},{"name":"SFVM_MERGEMENU","features":[469]},{"name":"SFVM_MESSAGE_ID","features":[469]},{"name":"SFVM_PROPPAGE_DATA","features":[308,358,469]},{"name":"SFVM_QUERYFSNOTIFY","features":[469]},{"name":"SFVM_REARRANGE","features":[469]},{"name":"SFVM_REMOVEOBJECT","features":[469]},{"name":"SFVM_SETCLIPBOARD","features":[469]},{"name":"SFVM_SETISFV","features":[469]},{"name":"SFVM_SETITEMPOS","features":[469]},{"name":"SFVM_SETPOINTS","features":[469]},{"name":"SFVM_SIZE","features":[469]},{"name":"SFVM_THISIDLIST","features":[469]},{"name":"SFVM_UNMERGEMENU","features":[469]},{"name":"SFVM_UPDATEOBJECT","features":[469]},{"name":"SFVM_UPDATESTATUSBAR","features":[469]},{"name":"SFVM_WINDOWCREATED","features":[469]},{"name":"SFVSOC_INVALIDATE_ALL","features":[469]},{"name":"SFVSOC_NOSCROLL","features":[469]},{"name":"SFVS_SELECT","features":[469]},{"name":"SFVS_SELECT_ALLITEMS","features":[469]},{"name":"SFVS_SELECT_INVERT","features":[469]},{"name":"SFVS_SELECT_NONE","features":[469]},{"name":"SFVVO_DESKTOPHTML","features":[469]},{"name":"SFVVO_DOUBLECLICKINWEBVIEW","features":[469]},{"name":"SFVVO_SHOWALLOBJECTS","features":[469]},{"name":"SFVVO_SHOWCOMPCOLOR","features":[469]},{"name":"SFVVO_SHOWEXTENSIONS","features":[469]},{"name":"SFVVO_SHOWSYSFILES","features":[469]},{"name":"SFVVO_WIN95CLASSIC","features":[469]},{"name":"SFV_CREATE","features":[418,469]},{"name":"SFV_SETITEMPOS","features":[308,636]},{"name":"SHACF_AUTOAPPEND_FORCE_OFF","features":[469]},{"name":"SHACF_AUTOAPPEND_FORCE_ON","features":[469]},{"name":"SHACF_AUTOSUGGEST_FORCE_OFF","features":[469]},{"name":"SHACF_AUTOSUGGEST_FORCE_ON","features":[469]},{"name":"SHACF_DEFAULT","features":[469]},{"name":"SHACF_FILESYSTEM","features":[469]},{"name":"SHACF_FILESYS_DIRS","features":[469]},{"name":"SHACF_FILESYS_ONLY","features":[469]},{"name":"SHACF_URLALL","features":[469]},{"name":"SHACF_URLHISTORY","features":[469]},{"name":"SHACF_URLMRU","features":[469]},{"name":"SHACF_USETAB","features":[469]},{"name":"SHACF_VIRTUAL_NAMESPACE","features":[469]},{"name":"SHARD","features":[469]},{"name":"SHARDAPPIDINFO","features":[469]},{"name":"SHARDAPPIDINFOIDLIST","features":[636]},{"name":"SHARDAPPIDINFOLINK","features":[469]},{"name":"SHARD_APPIDINFO","features":[469]},{"name":"SHARD_APPIDINFOIDLIST","features":[469]},{"name":"SHARD_APPIDINFOLINK","features":[469]},{"name":"SHARD_LINK","features":[469]},{"name":"SHARD_PATHA","features":[469]},{"name":"SHARD_PATHW","features":[469]},{"name":"SHARD_PIDL","features":[469]},{"name":"SHARD_SHELLITEM","features":[469]},{"name":"SHARE_ROLE","features":[469]},{"name":"SHARE_ROLE_CONTRIBUTOR","features":[469]},{"name":"SHARE_ROLE_CO_OWNER","features":[469]},{"name":"SHARE_ROLE_CUSTOM","features":[469]},{"name":"SHARE_ROLE_INVALID","features":[469]},{"name":"SHARE_ROLE_MIXED","features":[469]},{"name":"SHARE_ROLE_OWNER","features":[469]},{"name":"SHARE_ROLE_READER","features":[469]},{"name":"SHAddFromPropSheetExtArray","features":[308,358,469]},{"name":"SHAddToRecentDocs","features":[469]},{"name":"SHAlloc","features":[469]},{"name":"SHAllocShared","features":[308,469]},{"name":"SHAnsiToAnsi","features":[469]},{"name":"SHAnsiToUnicode","features":[469]},{"name":"SHAppBarMessage","features":[308,469]},{"name":"SHAssocEnumHandlers","features":[469]},{"name":"SHAssocEnumHandlersForProtocolByApplication","features":[469]},{"name":"SHAutoComplete","features":[308,469]},{"name":"SHBindToFolderIDListParent","features":[636]},{"name":"SHBindToFolderIDListParentEx","features":[359,636]},{"name":"SHBindToObject","features":[359,636]},{"name":"SHBindToParent","features":[636]},{"name":"SHBrowseForFolderA","features":[308,636]},{"name":"SHBrowseForFolderW","features":[308,636]},{"name":"SHCDF_UPDATEITEM","features":[469]},{"name":"SHCIDS_ALLFIELDS","features":[469]},{"name":"SHCIDS_BITMASK","features":[469]},{"name":"SHCIDS_CANONICALONLY","features":[469]},{"name":"SHCIDS_COLUMNMASK","features":[469]},{"name":"SHCLSIDFromString","features":[469]},{"name":"SHCNEE_MSI_CHANGE","features":[469]},{"name":"SHCNEE_MSI_UNINSTALL","features":[469]},{"name":"SHCNEE_ORDERCHANGED","features":[469]},{"name":"SHCNE_ALLEVENTS","features":[469]},{"name":"SHCNE_ASSOCCHANGED","features":[469]},{"name":"SHCNE_ATTRIBUTES","features":[469]},{"name":"SHCNE_CREATE","features":[469]},{"name":"SHCNE_DELETE","features":[469]},{"name":"SHCNE_DISKEVENTS","features":[469]},{"name":"SHCNE_DRIVEADD","features":[469]},{"name":"SHCNE_DRIVEADDGUI","features":[469]},{"name":"SHCNE_DRIVEREMOVED","features":[469]},{"name":"SHCNE_EXTENDED_EVENT","features":[469]},{"name":"SHCNE_FREESPACE","features":[469]},{"name":"SHCNE_GLOBALEVENTS","features":[469]},{"name":"SHCNE_ID","features":[469]},{"name":"SHCNE_INTERRUPT","features":[469]},{"name":"SHCNE_MEDIAINSERTED","features":[469]},{"name":"SHCNE_MEDIAREMOVED","features":[469]},{"name":"SHCNE_MKDIR","features":[469]},{"name":"SHCNE_NETSHARE","features":[469]},{"name":"SHCNE_NETUNSHARE","features":[469]},{"name":"SHCNE_RENAMEFOLDER","features":[469]},{"name":"SHCNE_RENAMEITEM","features":[469]},{"name":"SHCNE_RMDIR","features":[469]},{"name":"SHCNE_SERVERDISCONNECT","features":[469]},{"name":"SHCNE_UPDATEDIR","features":[469]},{"name":"SHCNE_UPDATEIMAGE","features":[469]},{"name":"SHCNE_UPDATEITEM","features":[469]},{"name":"SHCNF_DWORD","features":[469]},{"name":"SHCNF_FLAGS","features":[469]},{"name":"SHCNF_FLUSH","features":[469]},{"name":"SHCNF_FLUSHNOWAIT","features":[469]},{"name":"SHCNF_IDLIST","features":[469]},{"name":"SHCNF_NOTIFYRECURSIVE","features":[469]},{"name":"SHCNF_PATH","features":[469]},{"name":"SHCNF_PATHA","features":[469]},{"name":"SHCNF_PATHW","features":[469]},{"name":"SHCNF_PRINTER","features":[469]},{"name":"SHCNF_PRINTERA","features":[469]},{"name":"SHCNF_PRINTERW","features":[469]},{"name":"SHCNF_TYPE","features":[469]},{"name":"SHCNRF_InterruptLevel","features":[469]},{"name":"SHCNRF_NewDelivery","features":[469]},{"name":"SHCNRF_RecursiveInterrupt","features":[469]},{"name":"SHCNRF_SOURCE","features":[469]},{"name":"SHCNRF_ShellLevel","features":[469]},{"name":"SHCOLUMNDATA","features":[469]},{"name":"SHCOLUMNINFO","features":[383,379]},{"name":"SHCOLUMNINIT","features":[469]},{"name":"SHCONTF_CHECKING_FOR_CHILDREN","features":[469]},{"name":"SHCONTF_ENABLE_ASYNC","features":[469]},{"name":"SHCONTF_FASTITEMS","features":[469]},{"name":"SHCONTF_FLATLIST","features":[469]},{"name":"SHCONTF_FOLDERS","features":[469]},{"name":"SHCONTF_INCLUDEHIDDEN","features":[469]},{"name":"SHCONTF_INCLUDESUPERHIDDEN","features":[469]},{"name":"SHCONTF_INIT_ON_FIRST_NEXT","features":[469]},{"name":"SHCONTF_NAVIGATION_ENUM","features":[469]},{"name":"SHCONTF_NETPRINTERSRCH","features":[469]},{"name":"SHCONTF_NONFOLDERS","features":[469]},{"name":"SHCONTF_SHAREABLE","features":[469]},{"name":"SHCONTF_STORAGE","features":[469]},{"name":"SHCREATEPROCESSINFOW","features":[308,311,343,469]},{"name":"SHCREATEPROCESSINFOW","features":[308,311,343,469]},{"name":"SHC_E_SHELL_COMPONENT_STARTUP_FAILURE","features":[469]},{"name":"SHChangeDWORDAsIDList","features":[469]},{"name":"SHChangeNotification_Lock","features":[308,636]},{"name":"SHChangeNotification_Unlock","features":[308,469]},{"name":"SHChangeNotify","features":[469]},{"name":"SHChangeNotifyDeregister","features":[308,469]},{"name":"SHChangeNotifyEntry","features":[308,636]},{"name":"SHChangeNotifyRegister","features":[308,636]},{"name":"SHChangeNotifyRegisterThread","features":[469]},{"name":"SHChangeProductKeyAsIDList","features":[469]},{"name":"SHChangeUpdateImageIDList","features":[469]},{"name":"SHCloneSpecialIDList","features":[308,636]},{"name":"SHCoCreateInstance","features":[469]},{"name":"SHCopyKeyA","features":[308,369,469]},{"name":"SHCopyKeyW","features":[308,369,469]},{"name":"SHCreateAssociationRegistration","features":[469]},{"name":"SHCreateDataObject","features":[359,636]},{"name":"SHCreateDefaultContextMenu","features":[308,369,636]},{"name":"SHCreateDefaultExtractIcon","features":[469]},{"name":"SHCreateDefaultPropertiesOp","features":[469]},{"name":"SHCreateDirectory","features":[308,469]},{"name":"SHCreateDirectoryExA","features":[308,311,469]},{"name":"SHCreateDirectoryExW","features":[308,311,469]},{"name":"SHCreateFileExtractIconW","features":[469]},{"name":"SHCreateItemFromIDList","features":[636]},{"name":"SHCreateItemFromParsingName","features":[359,469]},{"name":"SHCreateItemFromRelativeName","features":[359,469]},{"name":"SHCreateItemInKnownFolder","features":[469]},{"name":"SHCreateItemWithParent","features":[636]},{"name":"SHCreateMemStream","features":[359,469]},{"name":"SHCreateProcessAsUserW","features":[308,311,343,469]},{"name":"SHCreatePropSheetExtArray","features":[369,469]},{"name":"SHCreateQueryCancelAutoPlayMoniker","features":[359,469]},{"name":"SHCreateShellFolderView","features":[418,469]},{"name":"SHCreateShellFolderViewEx","features":[308,418,636]},{"name":"SHCreateShellItem","features":[636]},{"name":"SHCreateShellItemArray","features":[636]},{"name":"SHCreateShellItemArrayFromDataObject","features":[359,469]},{"name":"SHCreateShellItemArrayFromIDLists","features":[636]},{"name":"SHCreateShellItemArrayFromShellItem","features":[469]},{"name":"SHCreateShellPalette","features":[319,469]},{"name":"SHCreateStdEnumFmtEtc","features":[359,469]},{"name":"SHCreateStreamOnFileA","features":[359,469]},{"name":"SHCreateStreamOnFileEx","features":[308,359,469]},{"name":"SHCreateStreamOnFileW","features":[359,469]},{"name":"SHCreateThread","features":[308,343,469]},{"name":"SHCreateThreadRef","features":[469]},{"name":"SHCreateThreadWithHandle","features":[308,343,469]},{"name":"SHDESCRIPTIONID","features":[469]},{"name":"SHDID_COMPUTER_AUDIO","features":[469]},{"name":"SHDID_COMPUTER_CDROM","features":[469]},{"name":"SHDID_COMPUTER_DRIVE35","features":[469]},{"name":"SHDID_COMPUTER_DRIVE525","features":[469]},{"name":"SHDID_COMPUTER_FIXED","features":[469]},{"name":"SHDID_COMPUTER_IMAGING","features":[469]},{"name":"SHDID_COMPUTER_NETDRIVE","features":[469]},{"name":"SHDID_COMPUTER_OTHER","features":[469]},{"name":"SHDID_COMPUTER_RAMDISK","features":[469]},{"name":"SHDID_COMPUTER_REMOVABLE","features":[469]},{"name":"SHDID_COMPUTER_SHAREDDOCS","features":[469]},{"name":"SHDID_FS_DIRECTORY","features":[469]},{"name":"SHDID_FS_FILE","features":[469]},{"name":"SHDID_FS_OTHER","features":[469]},{"name":"SHDID_ID","features":[469]},{"name":"SHDID_MOBILE_DEVICE","features":[469]},{"name":"SHDID_NET_DOMAIN","features":[469]},{"name":"SHDID_NET_OTHER","features":[469]},{"name":"SHDID_NET_RESTOFNET","features":[469]},{"name":"SHDID_NET_SERVER","features":[469]},{"name":"SHDID_NET_SHARE","features":[469]},{"name":"SHDID_REMOTE_DESKTOP_DRIVE","features":[469]},{"name":"SHDID_ROOT_REGITEM","features":[469]},{"name":"SHDRAGIMAGE","features":[308,319,469]},{"name":"SHDefExtractIconA","features":[469,370]},{"name":"SHDefExtractIconW","features":[469,370]},{"name":"SHDeleteEmptyKeyA","features":[308,369,469]},{"name":"SHDeleteEmptyKeyW","features":[308,369,469]},{"name":"SHDeleteKeyA","features":[308,369,469]},{"name":"SHDeleteKeyW","features":[308,369,469]},{"name":"SHDeleteValueA","features":[308,369,469]},{"name":"SHDeleteValueW","features":[308,369,469]},{"name":"SHDestroyPropSheetExtArray","features":[469]},{"name":"SHDoDragDrop","features":[308,359,418,469]},{"name":"SHELLBROWSERSHOWCONTROL","features":[469]},{"name":"SHELLEXECUTEINFOA","features":[308,369,469]},{"name":"SHELLEXECUTEINFOA","features":[308,369,469]},{"name":"SHELLEXECUTEINFOW","features":[308,369,469]},{"name":"SHELLEXECUTEINFOW","features":[308,369,469]},{"name":"SHELLFLAGSTATE","features":[469]},{"name":"SHELLSTATEA","features":[469]},{"name":"SHELLSTATEVERSION_IE4","features":[469]},{"name":"SHELLSTATEVERSION_WIN2K","features":[469]},{"name":"SHELLSTATEW","features":[469]},{"name":"SHELL_AUTOCOMPLETE_FLAGS","features":[469]},{"name":"SHELL_E_WRONG_BITDEPTH","features":[469]},{"name":"SHELL_ITEM_RESOURCE","features":[469]},{"name":"SHELL_LINK_DATA_FLAGS","features":[469]},{"name":"SHELL_UI_COMPONENT","features":[469]},{"name":"SHELL_UI_COMPONENT_DESKBAND","features":[469]},{"name":"SHELL_UI_COMPONENT_NOTIFICATIONAREA","features":[469]},{"name":"SHELL_UI_COMPONENT_TASKBARS","features":[469]},{"name":"SHERB_NOCONFIRMATION","features":[469]},{"name":"SHERB_NOPROGRESSUI","features":[469]},{"name":"SHERB_NOSOUND","features":[469]},{"name":"SHEmptyRecycleBinA","features":[308,469]},{"name":"SHEmptyRecycleBinW","features":[308,469]},{"name":"SHEnumKeyExA","features":[308,369,469]},{"name":"SHEnumKeyExW","features":[308,369,469]},{"name":"SHEnumValueA","features":[308,369,469]},{"name":"SHEnumValueW","features":[308,369,469]},{"name":"SHEnumerateUnreadMailAccountsW","features":[369,469]},{"name":"SHEvaluateSystemCommandTemplate","features":[469]},{"name":"SHFILEINFOA","features":[469,370]},{"name":"SHFILEINFOA","features":[469,370]},{"name":"SHFILEINFOW","features":[469,370]},{"name":"SHFILEINFOW","features":[469,370]},{"name":"SHFILEOPSTRUCTA","features":[308,469]},{"name":"SHFILEOPSTRUCTA","features":[308,469]},{"name":"SHFILEOPSTRUCTW","features":[308,469]},{"name":"SHFILEOPSTRUCTW","features":[308,469]},{"name":"SHFMT_CANCEL","features":[469]},{"name":"SHFMT_ERROR","features":[469]},{"name":"SHFMT_ID","features":[469]},{"name":"SHFMT_ID_DEFAULT","features":[469]},{"name":"SHFMT_NOFORMAT","features":[469]},{"name":"SHFMT_OPT","features":[469]},{"name":"SHFMT_OPT_FULL","features":[469]},{"name":"SHFMT_OPT_NONE","features":[469]},{"name":"SHFMT_OPT_SYSONLY","features":[469]},{"name":"SHFMT_RET","features":[469]},{"name":"SHFOLDERCUSTOMSETTINGS","features":[469]},{"name":"SHFileOperationA","features":[308,469]},{"name":"SHFileOperationW","features":[308,469]},{"name":"SHFindFiles","features":[308,636]},{"name":"SHFind_InitMenuPopup","features":[308,469,370]},{"name":"SHFlushSFCache","features":[469]},{"name":"SHFormatDateTimeA","features":[308,469]},{"name":"SHFormatDateTimeW","features":[308,469]},{"name":"SHFormatDrive","features":[308,469]},{"name":"SHFree","features":[469]},{"name":"SHFreeNameMappings","features":[308,469]},{"name":"SHFreeShared","features":[308,469]},{"name":"SHGDFIL_DESCRIPTIONID","features":[469]},{"name":"SHGDFIL_FINDDATA","features":[469]},{"name":"SHGDFIL_FORMAT","features":[469]},{"name":"SHGDFIL_NETRESOURCE","features":[469]},{"name":"SHGDNF","features":[469]},{"name":"SHGDN_FORADDRESSBAR","features":[469]},{"name":"SHGDN_FOREDITING","features":[469]},{"name":"SHGDN_FORPARSING","features":[469]},{"name":"SHGDN_INFOLDER","features":[469]},{"name":"SHGDN_NORMAL","features":[469]},{"name":"SHGFI_ADDOVERLAYS","features":[469]},{"name":"SHGFI_ATTRIBUTES","features":[469]},{"name":"SHGFI_ATTR_SPECIFIED","features":[469]},{"name":"SHGFI_DISPLAYNAME","features":[469]},{"name":"SHGFI_EXETYPE","features":[469]},{"name":"SHGFI_FLAGS","features":[469]},{"name":"SHGFI_ICON","features":[469]},{"name":"SHGFI_ICONLOCATION","features":[469]},{"name":"SHGFI_LARGEICON","features":[469]},{"name":"SHGFI_LINKOVERLAY","features":[469]},{"name":"SHGFI_OPENICON","features":[469]},{"name":"SHGFI_OVERLAYINDEX","features":[469]},{"name":"SHGFI_PIDL","features":[469]},{"name":"SHGFI_SELECTED","features":[469]},{"name":"SHGFI_SHELLICONSIZE","features":[469]},{"name":"SHGFI_SMALLICON","features":[469]},{"name":"SHGFI_SYSICONINDEX","features":[469]},{"name":"SHGFI_TYPENAME","features":[469]},{"name":"SHGFI_USEFILEATTRIBUTES","features":[469]},{"name":"SHGFP_TYPE","features":[469]},{"name":"SHGFP_TYPE_CURRENT","features":[469]},{"name":"SHGFP_TYPE_DEFAULT","features":[469]},{"name":"SHGLOBALCOUNTER","features":[469]},{"name":"SHGNLI_NOLNK","features":[469]},{"name":"SHGNLI_NOLOCNAME","features":[469]},{"name":"SHGNLI_NOUNIQUE","features":[469]},{"name":"SHGNLI_PIDL","features":[469]},{"name":"SHGNLI_PREFIXNAME","features":[469]},{"name":"SHGNLI_USEURLEXT","features":[469]},{"name":"SHGSI_FLAGS","features":[469]},{"name":"SHGSI_ICON","features":[469]},{"name":"SHGSI_ICONLOCATION","features":[469]},{"name":"SHGSI_LARGEICON","features":[469]},{"name":"SHGSI_LINKOVERLAY","features":[469]},{"name":"SHGSI_SELECTED","features":[469]},{"name":"SHGSI_SHELLICONSIZE","features":[469]},{"name":"SHGSI_SMALLICON","features":[469]},{"name":"SHGSI_SYSICONINDEX","features":[469]},{"name":"SHGVSPB_ALLFOLDERS","features":[469]},{"name":"SHGVSPB_ALLUSERS","features":[469]},{"name":"SHGVSPB_INHERIT","features":[469]},{"name":"SHGVSPB_NOAUTODEFAULTS","features":[469]},{"name":"SHGVSPB_PERFOLDER","features":[469]},{"name":"SHGVSPB_PERUSER","features":[469]},{"name":"SHGVSPB_ROAM","features":[469]},{"name":"SHGetAttributesFromDataObject","features":[359,469]},{"name":"SHGetDataFromIDListA","features":[636]},{"name":"SHGetDataFromIDListW","features":[636]},{"name":"SHGetDesktopFolder","features":[469]},{"name":"SHGetDiskFreeSpaceExA","features":[308,469]},{"name":"SHGetDiskFreeSpaceExW","features":[308,469]},{"name":"SHGetDriveMedia","features":[469]},{"name":"SHGetFileInfoA","features":[327,469,370]},{"name":"SHGetFileInfoW","features":[327,469,370]},{"name":"SHGetFolderLocation","features":[308,636]},{"name":"SHGetFolderPathA","features":[308,469]},{"name":"SHGetFolderPathAndSubDirA","features":[308,469]},{"name":"SHGetFolderPathAndSubDirW","features":[308,469]},{"name":"SHGetFolderPathW","features":[308,469]},{"name":"SHGetIDListFromObject","features":[636]},{"name":"SHGetIconOverlayIndexA","features":[469]},{"name":"SHGetIconOverlayIndexW","features":[469]},{"name":"SHGetImageList","features":[469]},{"name":"SHGetInstanceExplorer","features":[469]},{"name":"SHGetInverseCMAP","features":[469]},{"name":"SHGetItemFromDataObject","features":[359,469]},{"name":"SHGetItemFromObject","features":[469]},{"name":"SHGetKnownFolderIDList","features":[308,636]},{"name":"SHGetKnownFolderItem","features":[308,469]},{"name":"SHGetKnownFolderPath","features":[308,469]},{"name":"SHGetLocalizedName","features":[469]},{"name":"SHGetMalloc","features":[359,469]},{"name":"SHGetNameFromIDList","features":[636]},{"name":"SHGetNewLinkInfoA","features":[308,469]},{"name":"SHGetNewLinkInfoW","features":[308,469]},{"name":"SHGetPathFromIDListA","features":[308,636]},{"name":"SHGetPathFromIDListEx","features":[308,636]},{"name":"SHGetPathFromIDListW","features":[308,636]},{"name":"SHGetRealIDL","features":[636]},{"name":"SHGetSetFolderCustomSettings","features":[469]},{"name":"SHGetSetSettings","features":[308,469]},{"name":"SHGetSettings","features":[469]},{"name":"SHGetSpecialFolderLocation","features":[308,636]},{"name":"SHGetSpecialFolderPathA","features":[308,469]},{"name":"SHGetSpecialFolderPathW","features":[308,469]},{"name":"SHGetStockIconInfo","features":[469,370]},{"name":"SHGetTemporaryPropertyForItem","features":[379]},{"name":"SHGetThreadRef","features":[469]},{"name":"SHGetUnreadMailCountW","features":[308,369,469]},{"name":"SHGetValueA","features":[308,369,469]},{"name":"SHGetValueW","features":[308,369,469]},{"name":"SHGetViewStatePropertyBag","features":[636]},{"name":"SHGlobalCounterDecrement","features":[469]},{"name":"SHGlobalCounterGetValue","features":[469]},{"name":"SHGlobalCounterIncrement","features":[469]},{"name":"SHHLNF_NOAUTOSELECT","features":[469]},{"name":"SHHLNF_WRITENOHISTORY","features":[469]},{"name":"SHHandleUpdateImage","features":[636]},{"name":"SHILCreateFromPath","features":[636]},{"name":"SHIL_EXTRALARGE","features":[469]},{"name":"SHIL_JUMBO","features":[469]},{"name":"SHIL_LARGE","features":[469]},{"name":"SHIL_LAST","features":[469]},{"name":"SHIL_SMALL","features":[469]},{"name":"SHIL_SYSSMALL","features":[469]},{"name":"SHIMGDEC_DEFAULT","features":[469]},{"name":"SHIMGDEC_LOADFULL","features":[469]},{"name":"SHIMGDEC_THUMBNAIL","features":[469]},{"name":"SHIMGKEY_QUALITY","features":[469]},{"name":"SHIMGKEY_RAWFORMAT","features":[469]},{"name":"SHIMSTCAPFLAG_LOCKABLE","features":[469]},{"name":"SHIMSTCAPFLAG_PURGEABLE","features":[469]},{"name":"SHInvokePrinterCommandA","features":[308,469]},{"name":"SHInvokePrinterCommandW","features":[308,469]},{"name":"SHIsFileAvailableOffline","features":[469]},{"name":"SHIsLowMemoryMachine","features":[308,469]},{"name":"SHLimitInputEdit","features":[308,469]},{"name":"SHLoadInProc","features":[469]},{"name":"SHLoadIndirectString","features":[469]},{"name":"SHLoadNonloadedIconOverlayIdentifiers","features":[469]},{"name":"SHLockShared","features":[308,469]},{"name":"SHMapPIDLToSystemImageListIndex","features":[636]},{"name":"SHMessageBoxCheckA","features":[308,469]},{"name":"SHMessageBoxCheckW","features":[308,469]},{"name":"SHMultiFileProperties","features":[359,469]},{"name":"SHNAMEMAPPINGA","features":[469]},{"name":"SHNAMEMAPPINGA","features":[469]},{"name":"SHNAMEMAPPINGW","features":[469]},{"name":"SHNAMEMAPPINGW","features":[469]},{"name":"SHOP_FILEPATH","features":[469]},{"name":"SHOP_PRINTERNAME","features":[469]},{"name":"SHOP_TYPE","features":[469]},{"name":"SHOP_VOLUMEGUID","features":[469]},{"name":"SHObjectProperties","features":[308,469]},{"name":"SHOpenFolderAndSelectItems","features":[636]},{"name":"SHOpenPropSheetW","features":[308,359,418,369,469]},{"name":"SHOpenRegStream2A","features":[359,369,469]},{"name":"SHOpenRegStream2W","features":[359,369,469]},{"name":"SHOpenRegStreamA","features":[359,369,469]},{"name":"SHOpenRegStreamW","features":[359,369,469]},{"name":"SHOpenWithDialog","features":[308,469]},{"name":"SHPPFW_ASKDIRCREATE","features":[469]},{"name":"SHPPFW_DIRCREATE","features":[469]},{"name":"SHPPFW_IGNOREFILENAME","features":[469]},{"name":"SHPPFW_MEDIACHECKONLY","features":[469]},{"name":"SHPPFW_NONE","features":[469]},{"name":"SHPPFW_NOWRITECHECK","features":[469]},{"name":"SHPWHF_ANYLOCATION","features":[469]},{"name":"SHPWHF_NOFILESELECTOR","features":[469]},{"name":"SHPWHF_NONETPLACECREATE","features":[469]},{"name":"SHPWHF_NORECOMPRESS","features":[469]},{"name":"SHPWHF_USEMRU","features":[469]},{"name":"SHPWHF_VALIDATEVIAWEBFOLDERS","features":[469]},{"name":"SHParseDisplayName","features":[359,636]},{"name":"SHPathPrepareForWriteA","features":[308,469]},{"name":"SHPathPrepareForWriteW","features":[308,469]},{"name":"SHQUERYRBINFO","features":[469]},{"name":"SHQUERYRBINFO","features":[469]},{"name":"SHQueryInfoKeyA","features":[308,369,469]},{"name":"SHQueryInfoKeyW","features":[308,369,469]},{"name":"SHQueryRecycleBinA","features":[469]},{"name":"SHQueryRecycleBinW","features":[469]},{"name":"SHQueryUserNotificationState","features":[469]},{"name":"SHQueryValueExA","features":[308,369,469]},{"name":"SHQueryValueExW","features":[308,369,469]},{"name":"SHREGDEL_BOTH","features":[469]},{"name":"SHREGDEL_DEFAULT","features":[469]},{"name":"SHREGDEL_FLAGS","features":[469]},{"name":"SHREGDEL_HKCU","features":[469]},{"name":"SHREGDEL_HKLM","features":[469]},{"name":"SHREGENUM_BOTH","features":[469]},{"name":"SHREGENUM_DEFAULT","features":[469]},{"name":"SHREGENUM_FLAGS","features":[469]},{"name":"SHREGENUM_HKCU","features":[469]},{"name":"SHREGENUM_HKLM","features":[469]},{"name":"SHREGSET_FORCE_HKCU","features":[469]},{"name":"SHREGSET_FORCE_HKLM","features":[469]},{"name":"SHREGSET_HKCU","features":[469]},{"name":"SHREGSET_HKLM","features":[469]},{"name":"SHRegCloseUSKey","features":[308,469]},{"name":"SHRegCreateUSKeyA","features":[308,469]},{"name":"SHRegCreateUSKeyW","features":[308,469]},{"name":"SHRegDeleteEmptyUSKeyA","features":[308,469]},{"name":"SHRegDeleteEmptyUSKeyW","features":[308,469]},{"name":"SHRegDeleteUSValueA","features":[308,469]},{"name":"SHRegDeleteUSValueW","features":[308,469]},{"name":"SHRegDuplicateHKey","features":[369,469]},{"name":"SHRegEnumUSKeyA","features":[308,469]},{"name":"SHRegEnumUSKeyW","features":[308,469]},{"name":"SHRegEnumUSValueA","features":[308,469]},{"name":"SHRegEnumUSValueW","features":[308,469]},{"name":"SHRegGetBoolUSValueA","features":[308,469]},{"name":"SHRegGetBoolUSValueW","features":[308,469]},{"name":"SHRegGetIntW","features":[369,469]},{"name":"SHRegGetPathA","features":[308,369,469]},{"name":"SHRegGetPathW","features":[308,369,469]},{"name":"SHRegGetUSValueA","features":[308,469]},{"name":"SHRegGetUSValueW","features":[308,469]},{"name":"SHRegGetValueA","features":[308,369,469]},{"name":"SHRegGetValueFromHKCUHKLM","features":[308,469]},{"name":"SHRegGetValueW","features":[308,369,469]},{"name":"SHRegOpenUSKeyA","features":[308,469]},{"name":"SHRegOpenUSKeyW","features":[308,469]},{"name":"SHRegQueryInfoUSKeyA","features":[308,469]},{"name":"SHRegQueryInfoUSKeyW","features":[308,469]},{"name":"SHRegQueryUSValueA","features":[308,469]},{"name":"SHRegQueryUSValueW","features":[308,469]},{"name":"SHRegSetPathA","features":[308,369,469]},{"name":"SHRegSetPathW","features":[308,369,469]},{"name":"SHRegSetUSValueA","features":[308,469]},{"name":"SHRegSetUSValueW","features":[308,469]},{"name":"SHRegWriteUSValueA","features":[308,469]},{"name":"SHRegWriteUSValueW","features":[308,469]},{"name":"SHReleaseThreadRef","features":[469]},{"name":"SHRemoveLocalizedName","features":[469]},{"name":"SHReplaceFromPropSheetExtArray","features":[308,358,469]},{"name":"SHResolveLibrary","features":[469]},{"name":"SHRestricted","features":[469]},{"name":"SHSTOCKICONID","features":[469]},{"name":"SHSTOCKICONINFO","features":[469,370]},{"name":"SHSTOCKICONINFO","features":[469,370]},{"name":"SHSendMessageBroadcastA","features":[308,469]},{"name":"SHSendMessageBroadcastW","features":[308,469]},{"name":"SHSetDefaultProperties","features":[308,469]},{"name":"SHSetFolderPathA","features":[308,469]},{"name":"SHSetFolderPathW","features":[308,469]},{"name":"SHSetInstanceExplorer","features":[469]},{"name":"SHSetKnownFolderPath","features":[308,469]},{"name":"SHSetLocalizedName","features":[469]},{"name":"SHSetTemporaryPropertyForItem","features":[379]},{"name":"SHSetThreadRef","features":[469]},{"name":"SHSetUnreadMailCountW","features":[469]},{"name":"SHSetValueA","features":[369,469]},{"name":"SHSetValueW","features":[369,469]},{"name":"SHShellFolderView_Message","features":[308,469]},{"name":"SHShowManageLibraryUI","features":[308,469]},{"name":"SHSimpleIDListFromPath","features":[636]},{"name":"SHSkipJunction","features":[308,359,469]},{"name":"SHStartNetConnectionDialogW","features":[308,469]},{"name":"SHStrDupA","features":[469]},{"name":"SHStrDupW","features":[469]},{"name":"SHStripMneumonicA","features":[469]},{"name":"SHStripMneumonicW","features":[469]},{"name":"SHTestTokenMembership","features":[308,469]},{"name":"SHUnicodeToAnsi","features":[469]},{"name":"SHUnicodeToUnicode","features":[469]},{"name":"SHUnlockShared","features":[308,469]},{"name":"SHUpdateImageA","features":[469]},{"name":"SHUpdateImageW","features":[469]},{"name":"SHValidateUNC","features":[308,469]},{"name":"SIATTRIBFLAGS","features":[469]},{"name":"SIATTRIBFLAGS_ALLITEMS","features":[469]},{"name":"SIATTRIBFLAGS_AND","features":[469]},{"name":"SIATTRIBFLAGS_APPCOMPAT","features":[469]},{"name":"SIATTRIBFLAGS_MASK","features":[469]},{"name":"SIATTRIBFLAGS_OR","features":[469]},{"name":"SICHINT_ALLFIELDS","features":[469]},{"name":"SICHINT_CANONICAL","features":[469]},{"name":"SICHINT_DISPLAY","features":[469]},{"name":"SICHINT_TEST_FILESYSPATH_IF_NOT_EQUAL","features":[469]},{"name":"SID_CommandsPropertyBag","features":[469]},{"name":"SID_CtxQueryAssociations","features":[469]},{"name":"SID_DefView","features":[469]},{"name":"SID_LaunchSourceAppUserModelId","features":[469]},{"name":"SID_LaunchSourceViewSizePreference","features":[469]},{"name":"SID_LaunchTargetViewSizePreference","features":[469]},{"name":"SID_MenuShellFolder","features":[469]},{"name":"SID_SCommDlgBrowser","features":[469]},{"name":"SID_SCommandBarState","features":[469]},{"name":"SID_SGetViewFromViewDual","features":[469]},{"name":"SID_SInPlaceBrowser","features":[469]},{"name":"SID_SMenuBandBKContextMenu","features":[469]},{"name":"SID_SMenuBandBottom","features":[469]},{"name":"SID_SMenuBandBottomSelected","features":[469]},{"name":"SID_SMenuBandChild","features":[469]},{"name":"SID_SMenuBandContextMenuModifier","features":[469]},{"name":"SID_SMenuBandParent","features":[469]},{"name":"SID_SMenuBandTop","features":[469]},{"name":"SID_SMenuPopup","features":[469]},{"name":"SID_SSearchBoxInfo","features":[469]},{"name":"SID_STopLevelBrowser","features":[469]},{"name":"SID_STopWindow","features":[469]},{"name":"SID_ShellExecuteNamedPropertyStore","features":[469]},{"name":"SID_URLExecutionContext","features":[469]},{"name":"SIGDN","features":[469]},{"name":"SIGDN_DESKTOPABSOLUTEEDITING","features":[469]},{"name":"SIGDN_DESKTOPABSOLUTEPARSING","features":[469]},{"name":"SIGDN_FILESYSPATH","features":[469]},{"name":"SIGDN_NORMALDISPLAY","features":[469]},{"name":"SIGDN_PARENTRELATIVE","features":[469]},{"name":"SIGDN_PARENTRELATIVEEDITING","features":[469]},{"name":"SIGDN_PARENTRELATIVEFORADDRESSBAR","features":[469]},{"name":"SIGDN_PARENTRELATIVEFORUI","features":[469]},{"name":"SIGDN_PARENTRELATIVEPARSING","features":[469]},{"name":"SIGDN_URL","features":[469]},{"name":"SIID_APPLICATION","features":[469]},{"name":"SIID_AUDIOFILES","features":[469]},{"name":"SIID_AUTOLIST","features":[469]},{"name":"SIID_CLUSTEREDDRIVE","features":[469]},{"name":"SIID_DELETE","features":[469]},{"name":"SIID_DESKTOPPC","features":[469]},{"name":"SIID_DEVICEAUDIOPLAYER","features":[469]},{"name":"SIID_DEVICECAMERA","features":[469]},{"name":"SIID_DEVICECELLPHONE","features":[469]},{"name":"SIID_DEVICEVIDEOCAMERA","features":[469]},{"name":"SIID_DOCASSOC","features":[469]},{"name":"SIID_DOCNOASSOC","features":[469]},{"name":"SIID_DRIVE35","features":[469]},{"name":"SIID_DRIVE525","features":[469]},{"name":"SIID_DRIVEBD","features":[469]},{"name":"SIID_DRIVECD","features":[469]},{"name":"SIID_DRIVEDVD","features":[469]},{"name":"SIID_DRIVEFIXED","features":[469]},{"name":"SIID_DRIVEHDDVD","features":[469]},{"name":"SIID_DRIVENET","features":[469]},{"name":"SIID_DRIVENETDISABLED","features":[469]},{"name":"SIID_DRIVERAM","features":[469]},{"name":"SIID_DRIVEREMOVE","features":[469]},{"name":"SIID_DRIVEUNKNOWN","features":[469]},{"name":"SIID_ERROR","features":[469]},{"name":"SIID_FIND","features":[469]},{"name":"SIID_FOLDER","features":[469]},{"name":"SIID_FOLDERBACK","features":[469]},{"name":"SIID_FOLDERFRONT","features":[469]},{"name":"SIID_FOLDEROPEN","features":[469]},{"name":"SIID_HELP","features":[469]},{"name":"SIID_IMAGEFILES","features":[469]},{"name":"SIID_INFO","features":[469]},{"name":"SIID_INTERNET","features":[469]},{"name":"SIID_KEY","features":[469]},{"name":"SIID_LINK","features":[469]},{"name":"SIID_LOCK","features":[469]},{"name":"SIID_MAX_ICONS","features":[469]},{"name":"SIID_MEDIAAUDIODVD","features":[469]},{"name":"SIID_MEDIABDR","features":[469]},{"name":"SIID_MEDIABDRE","features":[469]},{"name":"SIID_MEDIABDROM","features":[469]},{"name":"SIID_MEDIABLANKCD","features":[469]},{"name":"SIID_MEDIABLURAY","features":[469]},{"name":"SIID_MEDIACDAUDIO","features":[469]},{"name":"SIID_MEDIACDAUDIOPLUS","features":[469]},{"name":"SIID_MEDIACDBURN","features":[469]},{"name":"SIID_MEDIACDR","features":[469]},{"name":"SIID_MEDIACDROM","features":[469]},{"name":"SIID_MEDIACDRW","features":[469]},{"name":"SIID_MEDIACOMPACTFLASH","features":[469]},{"name":"SIID_MEDIADVD","features":[469]},{"name":"SIID_MEDIADVDPLUSR","features":[469]},{"name":"SIID_MEDIADVDPLUSRW","features":[469]},{"name":"SIID_MEDIADVDR","features":[469]},{"name":"SIID_MEDIADVDRAM","features":[469]},{"name":"SIID_MEDIADVDROM","features":[469]},{"name":"SIID_MEDIADVDRW","features":[469]},{"name":"SIID_MEDIAENHANCEDCD","features":[469]},{"name":"SIID_MEDIAENHANCEDDVD","features":[469]},{"name":"SIID_MEDIAHDDVD","features":[469]},{"name":"SIID_MEDIAHDDVDR","features":[469]},{"name":"SIID_MEDIAHDDVDRAM","features":[469]},{"name":"SIID_MEDIAHDDVDROM","features":[469]},{"name":"SIID_MEDIAMOVIEDVD","features":[469]},{"name":"SIID_MEDIASMARTMEDIA","features":[469]},{"name":"SIID_MEDIASVCD","features":[469]},{"name":"SIID_MEDIAVCD","features":[469]},{"name":"SIID_MIXEDFILES","features":[469]},{"name":"SIID_MOBILEPC","features":[469]},{"name":"SIID_MYNETWORK","features":[469]},{"name":"SIID_NETWORKCONNECT","features":[469]},{"name":"SIID_PRINTER","features":[469]},{"name":"SIID_PRINTERFAX","features":[469]},{"name":"SIID_PRINTERFAXNET","features":[469]},{"name":"SIID_PRINTERFILE","features":[469]},{"name":"SIID_PRINTERNET","features":[469]},{"name":"SIID_RECYCLER","features":[469]},{"name":"SIID_RECYCLERFULL","features":[469]},{"name":"SIID_RENAME","features":[469]},{"name":"SIID_SERVER","features":[469]},{"name":"SIID_SERVERSHARE","features":[469]},{"name":"SIID_SETTINGS","features":[469]},{"name":"SIID_SHARE","features":[469]},{"name":"SIID_SHIELD","features":[469]},{"name":"SIID_SLOWFILE","features":[469]},{"name":"SIID_SOFTWARE","features":[469]},{"name":"SIID_STACK","features":[469]},{"name":"SIID_STUFFEDFOLDER","features":[469]},{"name":"SIID_USERS","features":[469]},{"name":"SIID_VIDEOFILES","features":[469]},{"name":"SIID_WARNING","features":[469]},{"name":"SIID_WORLD","features":[469]},{"name":"SIID_ZIPFILE","features":[469]},{"name":"SIIGBF","features":[469]},{"name":"SIIGBF_BIGGERSIZEOK","features":[469]},{"name":"SIIGBF_CROPTOSQUARE","features":[469]},{"name":"SIIGBF_ICONBACKGROUND","features":[469]},{"name":"SIIGBF_ICONONLY","features":[469]},{"name":"SIIGBF_INCACHEONLY","features":[469]},{"name":"SIIGBF_MEMORYONLY","features":[469]},{"name":"SIIGBF_RESIZETOFIT","features":[469]},{"name":"SIIGBF_SCALEUP","features":[469]},{"name":"SIIGBF_THUMBNAILONLY","features":[469]},{"name":"SIIGBF_WIDETHUMBNAILS","features":[469]},{"name":"SIOM_ICONINDEX","features":[469]},{"name":"SIOM_OVERLAYINDEX","features":[469]},{"name":"SIOM_RESERVED_DEFAULT","features":[469]},{"name":"SIOM_RESERVED_LINK","features":[469]},{"name":"SIOM_RESERVED_SHARED","features":[469]},{"name":"SIOM_RESERVED_SLOWFILE","features":[469]},{"name":"SLDF_ALLOW_LINK_TO_LINK","features":[469]},{"name":"SLDF_DEFAULT","features":[469]},{"name":"SLDF_DISABLE_KNOWNFOLDER_RELATIVE_TRACKING","features":[469]},{"name":"SLDF_DISABLE_LINK_PATH_TRACKING","features":[469]},{"name":"SLDF_ENABLE_TARGET_METADATA","features":[469]},{"name":"SLDF_FORCE_NO_LINKINFO","features":[469]},{"name":"SLDF_FORCE_NO_LINKTRACK","features":[469]},{"name":"SLDF_FORCE_UNCNAME","features":[469]},{"name":"SLDF_HAS_ARGS","features":[469]},{"name":"SLDF_HAS_DARWINID","features":[469]},{"name":"SLDF_HAS_EXP_ICON_SZ","features":[469]},{"name":"SLDF_HAS_EXP_SZ","features":[469]},{"name":"SLDF_HAS_ICONLOCATION","features":[469]},{"name":"SLDF_HAS_ID_LIST","features":[469]},{"name":"SLDF_HAS_LINK_INFO","features":[469]},{"name":"SLDF_HAS_NAME","features":[469]},{"name":"SLDF_HAS_RELPATH","features":[469]},{"name":"SLDF_HAS_WORKINGDIR","features":[469]},{"name":"SLDF_KEEP_LOCAL_IDLIST_FOR_UNC_TARGET","features":[469]},{"name":"SLDF_NO_KF_ALIAS","features":[469]},{"name":"SLDF_NO_PIDL_ALIAS","features":[469]},{"name":"SLDF_PERSIST_VOLUME_ID_RELATIVE","features":[469]},{"name":"SLDF_PREFER_ENVIRONMENT_PATH","features":[469]},{"name":"SLDF_RESERVED","features":[469]},{"name":"SLDF_RUNAS_USER","features":[469]},{"name":"SLDF_RUN_IN_SEPARATE","features":[469]},{"name":"SLDF_RUN_WITH_SHIMLAYER","features":[469]},{"name":"SLDF_UNALIAS_ON_SAVE","features":[469]},{"name":"SLDF_UNICODE","features":[469]},{"name":"SLDF_VALID","features":[469]},{"name":"SLGP_FLAGS","features":[469]},{"name":"SLGP_RAWPATH","features":[469]},{"name":"SLGP_RELATIVEPRIORITY","features":[469]},{"name":"SLGP_SHORTPATH","features":[469]},{"name":"SLGP_UNCPRIORITY","features":[469]},{"name":"SLOWAPPINFO","features":[308,469]},{"name":"SLR_ANY_MATCH","features":[469]},{"name":"SLR_FLAGS","features":[469]},{"name":"SLR_INVOKE_MSI","features":[469]},{"name":"SLR_KNOWNFOLDER","features":[469]},{"name":"SLR_MACHINE_IN_LOCAL_TARGET","features":[469]},{"name":"SLR_NOLINKINFO","features":[469]},{"name":"SLR_NONE","features":[469]},{"name":"SLR_NOSEARCH","features":[469]},{"name":"SLR_NOTRACK","features":[469]},{"name":"SLR_NOUPDATE","features":[469]},{"name":"SLR_NO_OBJECT_ID","features":[469]},{"name":"SLR_NO_UI","features":[469]},{"name":"SLR_NO_UI_WITH_MSG_PUMP","features":[469]},{"name":"SLR_OFFER_DELETE_WITHOUT_FILE","features":[469]},{"name":"SLR_UPDATE","features":[469]},{"name":"SLR_UPDATE_MACHINE_AND_SID","features":[469]},{"name":"SMAE_CONTRACTED","features":[469]},{"name":"SMAE_EXPANDED","features":[469]},{"name":"SMAE_USER","features":[469]},{"name":"SMAE_VALID","features":[469]},{"name":"SMCSHCHANGENOTIFYSTRUCT","features":[636]},{"name":"SMC_AUTOEXPANDCHANGE","features":[469]},{"name":"SMC_CHEVRONEXPAND","features":[469]},{"name":"SMC_CHEVRONGETTIP","features":[469]},{"name":"SMC_CREATE","features":[469]},{"name":"SMC_DEFAULTICON","features":[469]},{"name":"SMC_DEMOTE","features":[469]},{"name":"SMC_DISPLAYCHEVRONTIP","features":[469]},{"name":"SMC_EXITMENU","features":[469]},{"name":"SMC_GETAUTOEXPANDSTATE","features":[469]},{"name":"SMC_GETBKCONTEXTMENU","features":[469]},{"name":"SMC_GETCONTEXTMENUMODIFIER","features":[469]},{"name":"SMC_GETINFO","features":[469]},{"name":"SMC_GETOBJECT","features":[469]},{"name":"SMC_GETSFINFO","features":[469]},{"name":"SMC_GETSFOBJECT","features":[469]},{"name":"SMC_INITMENU","features":[469]},{"name":"SMC_NEWITEM","features":[469]},{"name":"SMC_OPEN","features":[469]},{"name":"SMC_PROMOTE","features":[469]},{"name":"SMC_REFRESH","features":[469]},{"name":"SMC_SETSFOBJECT","features":[469]},{"name":"SMC_SFDDRESTRICTED","features":[469]},{"name":"SMC_SFEXEC","features":[469]},{"name":"SMC_SFEXEC_MIDDLE","features":[469]},{"name":"SMC_SFSELECTITEM","features":[469]},{"name":"SMC_SHCHANGENOTIFY","features":[469]},{"name":"SMDATA","features":[308,636,370]},{"name":"SMDM_HMENU","features":[469]},{"name":"SMDM_SHELLFOLDER","features":[469]},{"name":"SMDM_TOOLBAR","features":[469]},{"name":"SMIF_ACCELERATOR","features":[469]},{"name":"SMIF_ALTSTATE","features":[469]},{"name":"SMIF_CHECKED","features":[469]},{"name":"SMIF_DEMOTED","features":[469]},{"name":"SMIF_DISABLED","features":[469]},{"name":"SMIF_DRAGNDROP","features":[469]},{"name":"SMIF_DROPCASCADE","features":[469]},{"name":"SMIF_DROPTARGET","features":[469]},{"name":"SMIF_HIDDEN","features":[469]},{"name":"SMIF_ICON","features":[469]},{"name":"SMIF_NEW","features":[469]},{"name":"SMIF_SUBMENU","features":[469]},{"name":"SMIF_TRACKPOPUP","features":[469]},{"name":"SMIM_FLAGS","features":[469]},{"name":"SMIM_ICON","features":[469]},{"name":"SMIM_TYPE","features":[469]},{"name":"SMINFO","features":[469]},{"name":"SMINFOFLAGS","features":[469]},{"name":"SMINFOMASK","features":[469]},{"name":"SMINFOTYPE","features":[469]},{"name":"SMINIT_AUTOEXPAND","features":[469]},{"name":"SMINIT_AUTOTOOLTIP","features":[469]},{"name":"SMINIT_CACHED","features":[469]},{"name":"SMINIT_DEFAULT","features":[469]},{"name":"SMINIT_DROPONCONTAINER","features":[469]},{"name":"SMINIT_HORIZONTAL","features":[469]},{"name":"SMINIT_RESTRICT_DRAGDROP","features":[469]},{"name":"SMINIT_TOPLEVEL","features":[469]},{"name":"SMINIT_VERTICAL","features":[469]},{"name":"SMINV_ID","features":[469]},{"name":"SMINV_REFRESH","features":[469]},{"name":"SMIT_SEPARATOR","features":[469]},{"name":"SMIT_STRING","features":[469]},{"name":"SMSET_BOTTOM","features":[469]},{"name":"SMSET_DONTOWN","features":[469]},{"name":"SMSET_TOP","features":[469]},{"name":"SORTCOLUMN","features":[379]},{"name":"SORTDIRECTION","features":[469]},{"name":"SORT_ASCENDING","features":[469]},{"name":"SORT_DESCENDING","features":[469]},{"name":"SORT_ORDER_TYPE","features":[469]},{"name":"SOT_DEFAULT","features":[469]},{"name":"SOT_IGNORE_FOLDERNESS","features":[469]},{"name":"SPACTION","features":[469]},{"name":"SPACTION_APPLYINGATTRIBS","features":[469]},{"name":"SPACTION_CALCULATING","features":[469]},{"name":"SPACTION_COPYING","features":[469]},{"name":"SPACTION_COPY_MOVING","features":[469]},{"name":"SPACTION_DELETING","features":[469]},{"name":"SPACTION_DOWNLOADING","features":[469]},{"name":"SPACTION_FORMATTING","features":[469]},{"name":"SPACTION_MOVING","features":[469]},{"name":"SPACTION_NONE","features":[469]},{"name":"SPACTION_RECYCLING","features":[469]},{"name":"SPACTION_RENAMING","features":[469]},{"name":"SPACTION_SEARCHING_FILES","features":[469]},{"name":"SPACTION_SEARCHING_INTERNET","features":[469]},{"name":"SPACTION_UPLOADING","features":[469]},{"name":"SPBEGINF_AUTOTIME","features":[469]},{"name":"SPBEGINF_MARQUEEPROGRESS","features":[469]},{"name":"SPBEGINF_NOCANCELBUTTON","features":[469]},{"name":"SPBEGINF_NOPROGRESSBAR","features":[469]},{"name":"SPBEGINF_NORMAL","features":[469]},{"name":"SPFF_CREATED_ON_THIS_DEVICE","features":[469]},{"name":"SPFF_DOWNLOAD_BY_DEFAULT","features":[469]},{"name":"SPFF_NONE","features":[469]},{"name":"SPINITF_MODAL","features":[469]},{"name":"SPINITF_NOMINIMIZE","features":[469]},{"name":"SPINITF_NORMAL","features":[469]},{"name":"SPMODE_BROWSER","features":[469]},{"name":"SPMODE_DBMON","features":[469]},{"name":"SPMODE_DEBUGBREAK","features":[469]},{"name":"SPMODE_DEBUGOUT","features":[469]},{"name":"SPMODE_EVENT","features":[469]},{"name":"SPMODE_EVENTTRACE","features":[469]},{"name":"SPMODE_FLUSH","features":[469]},{"name":"SPMODE_FORMATTEXT","features":[469]},{"name":"SPMODE_MEMWATCH","features":[469]},{"name":"SPMODE_MSGTRACE","features":[469]},{"name":"SPMODE_MSVM","features":[469]},{"name":"SPMODE_MULTISTOP","features":[469]},{"name":"SPMODE_PERFTAGS","features":[469]},{"name":"SPMODE_PROFILE","features":[469]},{"name":"SPMODE_SHELL","features":[469]},{"name":"SPMODE_TEST","features":[469]},{"name":"SPTEXT","features":[469]},{"name":"SPTEXT_ACTIONDESCRIPTION","features":[469]},{"name":"SPTEXT_ACTIONDETAIL","features":[469]},{"name":"SRRF_NOEXPAND","features":[469]},{"name":"SRRF_NOVIRT","features":[469]},{"name":"SRRF_RM_ANY","features":[469]},{"name":"SRRF_RM_NORMAL","features":[469]},{"name":"SRRF_RM_SAFE","features":[469]},{"name":"SRRF_RM_SAFENETWORK","features":[469]},{"name":"SRRF_RT_ANY","features":[469]},{"name":"SRRF_RT_REG_BINARY","features":[469]},{"name":"SRRF_RT_REG_DWORD","features":[469]},{"name":"SRRF_RT_REG_EXPAND_SZ","features":[469]},{"name":"SRRF_RT_REG_MULTI_SZ","features":[469]},{"name":"SRRF_RT_REG_NONE","features":[469]},{"name":"SRRF_RT_REG_QWORD","features":[469]},{"name":"SRRF_RT_REG_SZ","features":[469]},{"name":"SRRF_ZEROONFAILURE","features":[469]},{"name":"SSF_AUTOCHECKSELECT","features":[469]},{"name":"SSF_DESKTOPHTML","features":[469]},{"name":"SSF_DONTPRETTYPATH","features":[469]},{"name":"SSF_DOUBLECLICKINWEBVIEW","features":[469]},{"name":"SSF_FILTER","features":[469]},{"name":"SSF_HIDDENFILEEXTS","features":[469]},{"name":"SSF_HIDEICONS","features":[469]},{"name":"SSF_ICONSONLY","features":[469]},{"name":"SSF_MAPNETDRVBUTTON","features":[469]},{"name":"SSF_MASK","features":[469]},{"name":"SSF_NOCONFIRMRECYCLE","features":[469]},{"name":"SSF_NONETCRAWLING","features":[469]},{"name":"SSF_SEPPROCESS","features":[469]},{"name":"SSF_SERVERADMINUI","features":[469]},{"name":"SSF_SHOWALLOBJECTS","features":[469]},{"name":"SSF_SHOWATTRIBCOL","features":[469]},{"name":"SSF_SHOWCOMPCOLOR","features":[469]},{"name":"SSF_SHOWEXTENSIONS","features":[469]},{"name":"SSF_SHOWINFOTIP","features":[469]},{"name":"SSF_SHOWSTARTPAGE","features":[469]},{"name":"SSF_SHOWSTATUSBAR","features":[469]},{"name":"SSF_SHOWSUPERHIDDEN","features":[469]},{"name":"SSF_SHOWSYSFILES","features":[469]},{"name":"SSF_SHOWTYPEOVERLAY","features":[469]},{"name":"SSF_SORTCOLUMNS","features":[469]},{"name":"SSF_STARTPANELON","features":[469]},{"name":"SSF_WEBVIEW","features":[469]},{"name":"SSF_WIN95CLASSIC","features":[469]},{"name":"SSM_CLEAR","features":[469]},{"name":"SSM_REFRESH","features":[469]},{"name":"SSM_SET","features":[469]},{"name":"SSM_UPDATE","features":[469]},{"name":"STGOP","features":[469]},{"name":"STGOP_APPLYPROPERTIES","features":[469]},{"name":"STGOP_COPY","features":[469]},{"name":"STGOP_MOVE","features":[469]},{"name":"STGOP_NEW","features":[469]},{"name":"STGOP_REMOVE","features":[469]},{"name":"STGOP_RENAME","features":[469]},{"name":"STGOP_SYNC","features":[469]},{"name":"STIF_DEFAULT","features":[469]},{"name":"STIF_SUPPORT_HEX","features":[469]},{"name":"STORAGE_PROVIDER_FILE_FLAGS","features":[469]},{"name":"STORE_E_NEWER_VERSION_AVAILABLE","features":[469]},{"name":"STPFLAG","features":[469]},{"name":"STPF_NONE","features":[469]},{"name":"STPF_USEAPPPEEKALWAYS","features":[469]},{"name":"STPF_USEAPPPEEKWHENACTIVE","features":[469]},{"name":"STPF_USEAPPTHUMBNAILALWAYS","features":[469]},{"name":"STPF_USEAPPTHUMBNAILWHENACTIVE","features":[469]},{"name":"STR_AVOID_DRIVE_RESTRICTION_POLICY","features":[469]},{"name":"STR_BIND_DELEGATE_CREATE_OBJECT","features":[469]},{"name":"STR_BIND_FOLDERS_READ_ONLY","features":[469]},{"name":"STR_BIND_FOLDER_ENUM_MODE","features":[469]},{"name":"STR_BIND_FORCE_FOLDER_SHORTCUT_RESOLVE","features":[469]},{"name":"STR_DONT_PARSE_RELATIVE","features":[469]},{"name":"STR_DONT_RESOLVE_LINK","features":[469]},{"name":"STR_ENUM_ITEMS_FLAGS","features":[469]},{"name":"STR_FILE_SYS_BIND_DATA","features":[469]},{"name":"STR_FILE_SYS_BIND_DATA_WIN7_FORMAT","features":[469]},{"name":"STR_GET_ASYNC_HANDLER","features":[469]},{"name":"STR_GPS_BESTEFFORT","features":[469]},{"name":"STR_GPS_DELAYCREATION","features":[469]},{"name":"STR_GPS_FASTPROPERTIESONLY","features":[469]},{"name":"STR_GPS_HANDLERPROPERTIESONLY","features":[469]},{"name":"STR_GPS_NO_OPLOCK","features":[469]},{"name":"STR_GPS_OPENSLOWITEM","features":[469]},{"name":"STR_INTERNAL_NAVIGATE","features":[469]},{"name":"STR_INTERNETFOLDER_PARSE_ONLY_URLMON_BINDABLE","features":[469]},{"name":"STR_ITEM_CACHE_CONTEXT","features":[469]},{"name":"STR_MYDOCS_CLSID","features":[469]},{"name":"STR_NO_VALIDATE_FILENAME_CHARS","features":[469]},{"name":"STR_PARSE_ALLOW_INTERNET_SHELL_FOLDERS","features":[469]},{"name":"STR_PARSE_AND_CREATE_ITEM","features":[469]},{"name":"STR_PARSE_DONT_REQUIRE_VALIDATED_URLS","features":[469]},{"name":"STR_PARSE_EXPLICIT_ASSOCIATION_SUCCESSFUL","features":[469]},{"name":"STR_PARSE_PARTIAL_IDLIST","features":[469]},{"name":"STR_PARSE_PREFER_FOLDER_BROWSING","features":[469]},{"name":"STR_PARSE_PREFER_WEB_BROWSING","features":[469]},{"name":"STR_PARSE_PROPERTYSTORE","features":[469]},{"name":"STR_PARSE_SHELL_PROTOCOL_TO_FILE_OBJECTS","features":[469]},{"name":"STR_PARSE_SHOW_NET_DIAGNOSTICS_UI","features":[469]},{"name":"STR_PARSE_SKIP_NET_CACHE","features":[469]},{"name":"STR_PARSE_TRANSLATE_ALIASES","features":[469]},{"name":"STR_PARSE_WITH_EXPLICIT_ASSOCAPP","features":[469]},{"name":"STR_PARSE_WITH_EXPLICIT_PROGID","features":[469]},{"name":"STR_PARSE_WITH_PROPERTIES","features":[469]},{"name":"STR_PROPERTYBAG_PARAM","features":[469]},{"name":"STR_REFERRER_IDENTIFIER","features":[469]},{"name":"STR_SKIP_BINDING_CLSID","features":[469]},{"name":"STR_STORAGEITEM_CREATION_FLAGS","features":[469]},{"name":"STR_TAB_REUSE_IDENTIFIER","features":[469]},{"name":"STR_TRACK_CLSID","features":[469]},{"name":"SUBCLASSPROC","features":[308,469]},{"name":"SV2CVW2_PARAMS","features":[308,418,469]},{"name":"SV3CVW3_DEFAULT","features":[469]},{"name":"SV3CVW3_FORCEFOLDERFLAGS","features":[469]},{"name":"SV3CVW3_FORCEVIEWMODE","features":[469]},{"name":"SV3CVW3_NONINTERACTIVE","features":[469]},{"name":"SVGIO_ALLVIEW","features":[469]},{"name":"SVGIO_BACKGROUND","features":[469]},{"name":"SVGIO_CHECKED","features":[469]},{"name":"SVGIO_FLAG_VIEWORDER","features":[469]},{"name":"SVGIO_SELECTION","features":[469]},{"name":"SVGIO_TYPE_MASK","features":[469]},{"name":"SVSI_CHECK","features":[469]},{"name":"SVSI_CHECK2","features":[469]},{"name":"SVSI_DESELECT","features":[469]},{"name":"SVSI_DESELECTOTHERS","features":[469]},{"name":"SVSI_EDIT","features":[469]},{"name":"SVSI_ENSUREVISIBLE","features":[469]},{"name":"SVSI_FOCUSED","features":[469]},{"name":"SVSI_KEYBOARDSELECT","features":[469]},{"name":"SVSI_NOTAKEFOCUS","features":[469]},{"name":"SVSI_POSITIONITEM","features":[469]},{"name":"SVSI_SELECT","features":[469]},{"name":"SVSI_SELECTIONMARK","features":[469]},{"name":"SVSI_TRANSLATEPT","features":[469]},{"name":"SVUIA_ACTIVATE_FOCUS","features":[469]},{"name":"SVUIA_ACTIVATE_NOFOCUS","features":[469]},{"name":"SVUIA_DEACTIVATE","features":[469]},{"name":"SVUIA_INPLACEACTIVATE","features":[469]},{"name":"SVUIA_STATUS","features":[469]},{"name":"SWC_3RDPARTY","features":[469]},{"name":"SWC_BROWSER","features":[469]},{"name":"SWC_CALLBACK","features":[469]},{"name":"SWC_DESKTOP","features":[469]},{"name":"SWC_EXPLORER","features":[469]},{"name":"SWFO_COOKIEPASSED","features":[469]},{"name":"SWFO_INCLUDEPENDING","features":[469]},{"name":"SWFO_NEEDDISPATCH","features":[469]},{"name":"SYNCMGRERRORFLAGS","features":[469]},{"name":"SYNCMGRERRORFLAG_ENABLEJUMPTEXT","features":[469]},{"name":"SYNCMGRFLAG","features":[469]},{"name":"SYNCMGRFLAG_CONNECT","features":[469]},{"name":"SYNCMGRFLAG_EVENTMASK","features":[469]},{"name":"SYNCMGRFLAG_IDLE","features":[469]},{"name":"SYNCMGRFLAG_INVOKE","features":[469]},{"name":"SYNCMGRFLAG_MANUAL","features":[469]},{"name":"SYNCMGRFLAG_MAYBOTHERUSER","features":[469]},{"name":"SYNCMGRFLAG_PENDINGDISCONNECT","features":[469]},{"name":"SYNCMGRFLAG_SCHEDULED","features":[469]},{"name":"SYNCMGRFLAG_SETTINGS","features":[469]},{"name":"SYNCMGRHANDLERFLAGS","features":[469]},{"name":"SYNCMGRHANDLERFLAG_MASK","features":[469]},{"name":"SYNCMGRHANDLERINFO","features":[469,370]},{"name":"SYNCMGRHANDLER_ALWAYSLISTHANDLER","features":[469]},{"name":"SYNCMGRHANDLER_HASPROPERTIES","features":[469]},{"name":"SYNCMGRHANDLER_HIDDEN","features":[469]},{"name":"SYNCMGRHANDLER_MAYESTABLISHCONNECTION","features":[469]},{"name":"SYNCMGRINVOKEFLAGS","features":[469]},{"name":"SYNCMGRINVOKE_MINIMIZED","features":[469]},{"name":"SYNCMGRINVOKE_STARTSYNC","features":[469]},{"name":"SYNCMGRITEM","features":[308,469,370]},{"name":"SYNCMGRITEMFLAGS","features":[469]},{"name":"SYNCMGRITEMSTATE","features":[469]},{"name":"SYNCMGRITEMSTATE_CHECKED","features":[469]},{"name":"SYNCMGRITEMSTATE_UNCHECKED","features":[469]},{"name":"SYNCMGRITEM_HASPROPERTIES","features":[469]},{"name":"SYNCMGRITEM_HIDDEN","features":[469]},{"name":"SYNCMGRITEM_ITEMFLAGMASK","features":[469]},{"name":"SYNCMGRITEM_LASTUPDATETIME","features":[469]},{"name":"SYNCMGRITEM_MAYDELETEITEM","features":[469]},{"name":"SYNCMGRITEM_ROAMINGUSER","features":[469]},{"name":"SYNCMGRITEM_TEMPORARY","features":[469]},{"name":"SYNCMGRLOGERRORINFO","features":[469]},{"name":"SYNCMGRLOGERROR_ERRORFLAGS","features":[469]},{"name":"SYNCMGRLOGERROR_ERRORID","features":[469]},{"name":"SYNCMGRLOGERROR_ITEMID","features":[469]},{"name":"SYNCMGRLOGLEVEL","features":[469]},{"name":"SYNCMGRLOGLEVEL_ERROR","features":[469]},{"name":"SYNCMGRLOGLEVEL_INFORMATION","features":[469]},{"name":"SYNCMGRLOGLEVEL_LOGLEVELMAX","features":[469]},{"name":"SYNCMGRLOGLEVEL_WARNING","features":[469]},{"name":"SYNCMGRPROGRESSITEM","features":[469]},{"name":"SYNCMGRPROGRESSITEM_MAXVALUE","features":[469]},{"name":"SYNCMGRPROGRESSITEM_PROGVALUE","features":[469]},{"name":"SYNCMGRPROGRESSITEM_STATUSTEXT","features":[469]},{"name":"SYNCMGRPROGRESSITEM_STATUSTYPE","features":[469]},{"name":"SYNCMGRREGISTERFLAGS","features":[469]},{"name":"SYNCMGRREGISTERFLAGS_MASK","features":[469]},{"name":"SYNCMGRREGISTERFLAG_CONNECT","features":[469]},{"name":"SYNCMGRREGISTERFLAG_IDLE","features":[469]},{"name":"SYNCMGRREGISTERFLAG_PENDINGDISCONNECT","features":[469]},{"name":"SYNCMGRSTATUS","features":[469]},{"name":"SYNCMGRSTATUS_DELETED","features":[469]},{"name":"SYNCMGRSTATUS_FAILED","features":[469]},{"name":"SYNCMGRSTATUS_PAUSED","features":[469]},{"name":"SYNCMGRSTATUS_PENDING","features":[469]},{"name":"SYNCMGRSTATUS_RESUMING","features":[469]},{"name":"SYNCMGRSTATUS_SKIPPED","features":[469]},{"name":"SYNCMGRSTATUS_STOPPED","features":[469]},{"name":"SYNCMGRSTATUS_SUCCEEDED","features":[469]},{"name":"SYNCMGRSTATUS_UPDATING","features":[469]},{"name":"SYNCMGRSTATUS_UPDATING_INDETERMINATE","features":[469]},{"name":"SYNCMGR_CANCEL_REQUEST","features":[469]},{"name":"SYNCMGR_CF_NONE","features":[469]},{"name":"SYNCMGR_CF_NOUI","features":[469]},{"name":"SYNCMGR_CF_NOWAIT","features":[469]},{"name":"SYNCMGR_CF_VALID","features":[469]},{"name":"SYNCMGR_CF_WAIT","features":[469]},{"name":"SYNCMGR_CIT_DELETED","features":[469]},{"name":"SYNCMGR_CIT_UPDATED","features":[469]},{"name":"SYNCMGR_CONFLICT_ID_INFO","features":[359,469]},{"name":"SYNCMGR_CONFLICT_ITEM_TYPE","features":[469]},{"name":"SYNCMGR_CONTROL_FLAGS","features":[469]},{"name":"SYNCMGR_CR_CANCEL_ALL","features":[469]},{"name":"SYNCMGR_CR_CANCEL_ITEM","features":[469]},{"name":"SYNCMGR_CR_MAX","features":[469]},{"name":"SYNCMGR_CR_NONE","features":[469]},{"name":"SYNCMGR_EF_NONE","features":[469]},{"name":"SYNCMGR_EF_VALID","features":[469]},{"name":"SYNCMGR_EL_ERROR","features":[469]},{"name":"SYNCMGR_EL_INFORMATION","features":[469]},{"name":"SYNCMGR_EL_MAX","features":[469]},{"name":"SYNCMGR_EL_WARNING","features":[469]},{"name":"SYNCMGR_EVENT_FLAGS","features":[469]},{"name":"SYNCMGR_EVENT_LEVEL","features":[469]},{"name":"SYNCMGR_HANDLER_CAPABILITIES","features":[469]},{"name":"SYNCMGR_HANDLER_POLICIES","features":[469]},{"name":"SYNCMGR_HANDLER_TYPE","features":[469]},{"name":"SYNCMGR_HCM_CAN_BROWSE_CONTENT","features":[469]},{"name":"SYNCMGR_HCM_CAN_SHOW_SCHEDULE","features":[469]},{"name":"SYNCMGR_HCM_CONFLICT_STORE","features":[469]},{"name":"SYNCMGR_HCM_EVENT_STORE","features":[469]},{"name":"SYNCMGR_HCM_NONE","features":[469]},{"name":"SYNCMGR_HCM_PROVIDES_ICON","features":[469]},{"name":"SYNCMGR_HCM_QUERY_BEFORE_ACTIVATE","features":[469]},{"name":"SYNCMGR_HCM_QUERY_BEFORE_DEACTIVATE","features":[469]},{"name":"SYNCMGR_HCM_QUERY_BEFORE_DISABLE","features":[469]},{"name":"SYNCMGR_HCM_QUERY_BEFORE_ENABLE","features":[469]},{"name":"SYNCMGR_HCM_SUPPORTS_CONCURRENT_SESSIONS","features":[469]},{"name":"SYNCMGR_HCM_VALID_MASK","features":[469]},{"name":"SYNCMGR_HPM_BACKGROUND_SYNC_ONLY","features":[469]},{"name":"SYNCMGR_HPM_DISABLE_BROWSE","features":[469]},{"name":"SYNCMGR_HPM_DISABLE_DISABLE","features":[469]},{"name":"SYNCMGR_HPM_DISABLE_ENABLE","features":[469]},{"name":"SYNCMGR_HPM_DISABLE_SCHEDULE","features":[469]},{"name":"SYNCMGR_HPM_DISABLE_START_SYNC","features":[469]},{"name":"SYNCMGR_HPM_DISABLE_STOP_SYNC","features":[469]},{"name":"SYNCMGR_HPM_HIDDEN_BY_DEFAULT","features":[469]},{"name":"SYNCMGR_HPM_NONE","features":[469]},{"name":"SYNCMGR_HPM_PREVENT_ACTIVATE","features":[469]},{"name":"SYNCMGR_HPM_PREVENT_DEACTIVATE","features":[469]},{"name":"SYNCMGR_HPM_PREVENT_DISABLE","features":[469]},{"name":"SYNCMGR_HPM_PREVENT_ENABLE","features":[469]},{"name":"SYNCMGR_HPM_PREVENT_START_SYNC","features":[469]},{"name":"SYNCMGR_HPM_PREVENT_STOP_SYNC","features":[469]},{"name":"SYNCMGR_HPM_VALID_MASK","features":[469]},{"name":"SYNCMGR_HT_APPLICATION","features":[469]},{"name":"SYNCMGR_HT_COMPUTER","features":[469]},{"name":"SYNCMGR_HT_DEVICE","features":[469]},{"name":"SYNCMGR_HT_FOLDER","features":[469]},{"name":"SYNCMGR_HT_MAX","features":[469]},{"name":"SYNCMGR_HT_MIN","features":[469]},{"name":"SYNCMGR_HT_SERVICE","features":[469]},{"name":"SYNCMGR_HT_UNSPECIFIED","features":[469]},{"name":"SYNCMGR_ICM_CAN_BROWSE_CONTENT","features":[469]},{"name":"SYNCMGR_ICM_CAN_DELETE","features":[469]},{"name":"SYNCMGR_ICM_CONFLICT_STORE","features":[469]},{"name":"SYNCMGR_ICM_EVENT_STORE","features":[469]},{"name":"SYNCMGR_ICM_NONE","features":[469]},{"name":"SYNCMGR_ICM_PROVIDES_ICON","features":[469]},{"name":"SYNCMGR_ICM_QUERY_BEFORE_DELETE","features":[469]},{"name":"SYNCMGR_ICM_QUERY_BEFORE_DISABLE","features":[469]},{"name":"SYNCMGR_ICM_QUERY_BEFORE_ENABLE","features":[469]},{"name":"SYNCMGR_ICM_VALID_MASK","features":[469]},{"name":"SYNCMGR_IPM_DISABLE_BROWSE","features":[469]},{"name":"SYNCMGR_IPM_DISABLE_DELETE","features":[469]},{"name":"SYNCMGR_IPM_DISABLE_DISABLE","features":[469]},{"name":"SYNCMGR_IPM_DISABLE_ENABLE","features":[469]},{"name":"SYNCMGR_IPM_DISABLE_START_SYNC","features":[469]},{"name":"SYNCMGR_IPM_DISABLE_STOP_SYNC","features":[469]},{"name":"SYNCMGR_IPM_HIDDEN_BY_DEFAULT","features":[469]},{"name":"SYNCMGR_IPM_NONE","features":[469]},{"name":"SYNCMGR_IPM_PREVENT_DISABLE","features":[469]},{"name":"SYNCMGR_IPM_PREVENT_ENABLE","features":[469]},{"name":"SYNCMGR_IPM_PREVENT_START_SYNC","features":[469]},{"name":"SYNCMGR_IPM_PREVENT_STOP_SYNC","features":[469]},{"name":"SYNCMGR_IPM_VALID_MASK","features":[469]},{"name":"SYNCMGR_ITEM_CAPABILITIES","features":[469]},{"name":"SYNCMGR_ITEM_POLICIES","features":[469]},{"name":"SYNCMGR_OBJECTID_BrowseContent","features":[469]},{"name":"SYNCMGR_OBJECTID_ConflictStore","features":[469]},{"name":"SYNCMGR_OBJECTID_EventLinkClick","features":[469]},{"name":"SYNCMGR_OBJECTID_EventStore","features":[469]},{"name":"SYNCMGR_OBJECTID_Icon","features":[469]},{"name":"SYNCMGR_OBJECTID_QueryBeforeActivate","features":[469]},{"name":"SYNCMGR_OBJECTID_QueryBeforeDeactivate","features":[469]},{"name":"SYNCMGR_OBJECTID_QueryBeforeDelete","features":[469]},{"name":"SYNCMGR_OBJECTID_QueryBeforeDisable","features":[469]},{"name":"SYNCMGR_OBJECTID_QueryBeforeEnable","features":[469]},{"name":"SYNCMGR_OBJECTID_ShowSchedule","features":[469]},{"name":"SYNCMGR_PC_KEEP_MULTIPLE","features":[469]},{"name":"SYNCMGR_PC_KEEP_ONE","features":[469]},{"name":"SYNCMGR_PC_KEEP_RECENT","features":[469]},{"name":"SYNCMGR_PC_NO_CHOICE","features":[469]},{"name":"SYNCMGR_PC_REMOVE_FROM_SYNC_SET","features":[469]},{"name":"SYNCMGR_PC_SKIP","features":[469]},{"name":"SYNCMGR_PNS_CANCEL","features":[469]},{"name":"SYNCMGR_PNS_CONTINUE","features":[469]},{"name":"SYNCMGR_PNS_DEFAULT","features":[469]},{"name":"SYNCMGR_PRESENTER_CHOICE","features":[469]},{"name":"SYNCMGR_PRESENTER_NEXT_STEP","features":[469]},{"name":"SYNCMGR_PROGRESS_STATUS","features":[469]},{"name":"SYNCMGR_PS_CANCELED","features":[469]},{"name":"SYNCMGR_PS_DISCONNECTED","features":[469]},{"name":"SYNCMGR_PS_FAILED","features":[469]},{"name":"SYNCMGR_PS_MAX","features":[469]},{"name":"SYNCMGR_PS_SUCCEEDED","features":[469]},{"name":"SYNCMGR_PS_UPDATING","features":[469]},{"name":"SYNCMGR_PS_UPDATING_INDETERMINATE","features":[469]},{"name":"SYNCMGR_RA_KEEPOTHER","features":[469]},{"name":"SYNCMGR_RA_KEEPRECENT","features":[469]},{"name":"SYNCMGR_RA_KEEP_MULTIPLE","features":[469]},{"name":"SYNCMGR_RA_KEEP_SINGLE","features":[469]},{"name":"SYNCMGR_RA_REMOVEFROMSYNCSET","features":[469]},{"name":"SYNCMGR_RA_VALID","features":[469]},{"name":"SYNCMGR_RESOLUTION_ABILITIES","features":[469]},{"name":"SYNCMGR_RESOLUTION_FEEDBACK","features":[469]},{"name":"SYNCMGR_RF_CANCEL","features":[469]},{"name":"SYNCMGR_RF_CONTINUE","features":[469]},{"name":"SYNCMGR_RF_REFRESH","features":[469]},{"name":"SYNCMGR_SCF_IGNORE_IF_ALREADY_SYNCING","features":[469]},{"name":"SYNCMGR_SCF_NONE","features":[469]},{"name":"SYNCMGR_SCF_VALID","features":[469]},{"name":"SYNCMGR_SYNC_CONTROL_FLAGS","features":[469]},{"name":"SYNCMGR_UPDATE_REASON","features":[469]},{"name":"SYNCMGR_UR_ADDED","features":[469]},{"name":"SYNCMGR_UR_CHANGED","features":[469]},{"name":"SYNCMGR_UR_MAX","features":[469]},{"name":"SYNCMGR_UR_REMOVED","features":[469]},{"name":"SZ_CONTENTTYPE_CDF","features":[469]},{"name":"SZ_CONTENTTYPE_CDFA","features":[469]},{"name":"SZ_CONTENTTYPE_CDFW","features":[469]},{"name":"SZ_CONTENTTYPE_HTML","features":[469]},{"name":"SZ_CONTENTTYPE_HTMLA","features":[469]},{"name":"SZ_CONTENTTYPE_HTMLW","features":[469]},{"name":"S_SYNCMGR_CANCELALL","features":[469]},{"name":"S_SYNCMGR_CANCELITEM","features":[469]},{"name":"S_SYNCMGR_ENUMITEMS","features":[469]},{"name":"S_SYNCMGR_ITEMDELETED","features":[469]},{"name":"S_SYNCMGR_MISSINGITEMS","features":[469]},{"name":"S_SYNCMGR_RETRYSYNC","features":[469]},{"name":"ScheduledTasks","features":[469]},{"name":"SearchFolderItemFactory","features":[469]},{"name":"SecureLockIconConstants","features":[469]},{"name":"SelectedItemCount_Property_GUID","features":[469]},{"name":"SetCurrentProcessExplicitAppUserModelID","features":[469]},{"name":"SetMenuContextHelpId","features":[308,469,370]},{"name":"SetWindowContextHelpId","features":[308,469]},{"name":"SetWindowSubclass","features":[308,469]},{"name":"SharedBitmap","features":[469]},{"name":"SharingConfigurationManager","features":[469]},{"name":"Shell","features":[469]},{"name":"ShellAboutA","features":[308,469,370]},{"name":"ShellAboutW","features":[308,469,370]},{"name":"ShellBrowserWindow","features":[469]},{"name":"ShellDesktop","features":[469]},{"name":"ShellDispatchInproc","features":[469]},{"name":"ShellExecuteA","features":[308,469,370]},{"name":"ShellExecuteExA","features":[308,369,469]},{"name":"ShellExecuteExW","features":[308,369,469]},{"name":"ShellExecuteW","features":[308,469,370]},{"name":"ShellFSFolder","features":[469]},{"name":"ShellFolderItem","features":[469]},{"name":"ShellFolderView","features":[469]},{"name":"ShellFolderViewOC","features":[469]},{"name":"ShellFolderViewOptions","features":[469]},{"name":"ShellImageDataFactory","features":[469]},{"name":"ShellItem","features":[469]},{"name":"ShellLibrary","features":[469]},{"name":"ShellLink","features":[469]},{"name":"ShellLinkObject","features":[469]},{"name":"ShellMessageBoxA","features":[308,469,370]},{"name":"ShellMessageBoxW","features":[308,469,370]},{"name":"ShellNameSpace","features":[469]},{"name":"ShellSpecialFolderConstants","features":[469]},{"name":"ShellUIHelper","features":[469]},{"name":"ShellWindowFindWindowOptions","features":[469]},{"name":"ShellWindowTypeConstants","features":[469]},{"name":"ShellWindows","features":[469]},{"name":"Shell_GetCachedImageIndex","features":[469]},{"name":"Shell_GetCachedImageIndexA","features":[469]},{"name":"Shell_GetCachedImageIndexW","features":[469]},{"name":"Shell_GetImageLists","features":[308,358,469]},{"name":"Shell_MergeMenus","features":[469,370]},{"name":"Shell_NotifyIconA","features":[308,469,370]},{"name":"Shell_NotifyIconGetRect","features":[308,469]},{"name":"Shell_NotifyIconW","features":[308,469,370]},{"name":"ShowInputPaneAnimationCoordinator","features":[469]},{"name":"SignalFileOpen","features":[308,636]},{"name":"SimpleConflictPresenter","features":[469]},{"name":"SizeCategorizer","features":[469]},{"name":"SmartcardCredentialProvider","features":[469]},{"name":"SmartcardPinProvider","features":[469]},{"name":"SmartcardReaderSelectionProvider","features":[469]},{"name":"SmartcardWinRTProvider","features":[469]},{"name":"SoftwareUpdateMessageBox","features":[308,535,469]},{"name":"StartMenuPin","features":[469]},{"name":"StgMakeUniqueName","features":[432,469]},{"name":"StorageProviderBanners","features":[469]},{"name":"StrCSpnA","features":[469]},{"name":"StrCSpnIA","features":[469]},{"name":"StrCSpnIW","features":[469]},{"name":"StrCSpnW","features":[469]},{"name":"StrCatBuffA","features":[469]},{"name":"StrCatBuffW","features":[469]},{"name":"StrCatChainW","features":[469]},{"name":"StrCatW","features":[469]},{"name":"StrChrA","features":[469]},{"name":"StrChrIA","features":[469]},{"name":"StrChrIW","features":[469]},{"name":"StrChrNIW","features":[469]},{"name":"StrChrNW","features":[469]},{"name":"StrChrW","features":[469]},{"name":"StrCmpCA","features":[469]},{"name":"StrCmpCW","features":[469]},{"name":"StrCmpICA","features":[469]},{"name":"StrCmpICW","features":[469]},{"name":"StrCmpIW","features":[469]},{"name":"StrCmpLogicalW","features":[469]},{"name":"StrCmpNA","features":[469]},{"name":"StrCmpNCA","features":[469]},{"name":"StrCmpNCW","features":[469]},{"name":"StrCmpNIA","features":[469]},{"name":"StrCmpNICA","features":[469]},{"name":"StrCmpNICW","features":[469]},{"name":"StrCmpNIW","features":[469]},{"name":"StrCmpNW","features":[469]},{"name":"StrCmpW","features":[469]},{"name":"StrCpyNW","features":[469]},{"name":"StrCpyW","features":[469]},{"name":"StrDupA","features":[469]},{"name":"StrDupW","features":[469]},{"name":"StrFormatByteSize64A","features":[469]},{"name":"StrFormatByteSizeA","features":[469]},{"name":"StrFormatByteSizeEx","features":[469]},{"name":"StrFormatByteSizeW","features":[469]},{"name":"StrFormatKBSizeA","features":[469]},{"name":"StrFormatKBSizeW","features":[469]},{"name":"StrFromTimeIntervalA","features":[469]},{"name":"StrFromTimeIntervalW","features":[469]},{"name":"StrIsIntlEqualA","features":[308,469]},{"name":"StrIsIntlEqualW","features":[308,469]},{"name":"StrNCatA","features":[469]},{"name":"StrNCatW","features":[469]},{"name":"StrPBrkA","features":[469]},{"name":"StrPBrkW","features":[469]},{"name":"StrRChrA","features":[469]},{"name":"StrRChrIA","features":[469]},{"name":"StrRChrIW","features":[469]},{"name":"StrRChrW","features":[469]},{"name":"StrRStrIA","features":[469]},{"name":"StrRStrIW","features":[469]},{"name":"StrRetToBSTR","features":[636]},{"name":"StrRetToBufA","features":[636]},{"name":"StrRetToBufW","features":[636]},{"name":"StrRetToStrA","features":[636]},{"name":"StrRetToStrW","features":[636]},{"name":"StrSpnA","features":[469]},{"name":"StrSpnW","features":[469]},{"name":"StrStrA","features":[469]},{"name":"StrStrIA","features":[469]},{"name":"StrStrIW","features":[469]},{"name":"StrStrNIW","features":[469]},{"name":"StrStrNW","features":[469]},{"name":"StrStrW","features":[469]},{"name":"StrToInt64ExA","features":[308,469]},{"name":"StrToInt64ExW","features":[308,469]},{"name":"StrToIntA","features":[469]},{"name":"StrToIntExA","features":[308,469]},{"name":"StrToIntExW","features":[308,469]},{"name":"StrToIntW","features":[469]},{"name":"StrTrimA","features":[308,469]},{"name":"StrTrimW","features":[308,469]},{"name":"SuspensionDependencyManager","features":[469]},{"name":"SyncMgr","features":[469]},{"name":"SyncMgrClient","features":[469]},{"name":"SyncMgrControl","features":[469]},{"name":"SyncMgrFolder","features":[469]},{"name":"SyncMgrScheduleWizard","features":[469]},{"name":"SyncResultsFolder","features":[469]},{"name":"SyncSetupFolder","features":[469]},{"name":"TBIF_APPEND","features":[469]},{"name":"TBIF_DEFAULT","features":[469]},{"name":"TBIF_INTERNETBAR","features":[469]},{"name":"TBIF_NOTOOLBAR","features":[469]},{"name":"TBIF_PREPEND","features":[469]},{"name":"TBIF_REPLACE","features":[469]},{"name":"TBIF_STANDARDTOOLBAR","features":[469]},{"name":"TBINFO","features":[469]},{"name":"TBPFLAG","features":[469]},{"name":"TBPF_ERROR","features":[469]},{"name":"TBPF_INDETERMINATE","features":[469]},{"name":"TBPF_NOPROGRESS","features":[469]},{"name":"TBPF_NORMAL","features":[469]},{"name":"TBPF_PAUSED","features":[469]},{"name":"THBF_DISABLED","features":[469]},{"name":"THBF_DISMISSONCLICK","features":[469]},{"name":"THBF_ENABLED","features":[469]},{"name":"THBF_HIDDEN","features":[469]},{"name":"THBF_NOBACKGROUND","features":[469]},{"name":"THBF_NONINTERACTIVE","features":[469]},{"name":"THBN_CLICKED","features":[469]},{"name":"THB_BITMAP","features":[469]},{"name":"THB_FLAGS","features":[469]},{"name":"THB_ICON","features":[469]},{"name":"THB_TOOLTIP","features":[469]},{"name":"THUMBBUTTON","features":[469,370]},{"name":"THUMBBUTTONFLAGS","features":[469]},{"name":"THUMBBUTTONMASK","features":[469]},{"name":"TITLEBARNAMELEN","features":[469]},{"name":"TI_BITMAP","features":[469]},{"name":"TI_FLAGS","features":[469]},{"name":"TI_JPEG","features":[469]},{"name":"TLEF_ABSOLUTE","features":[469]},{"name":"TLEF_EXCLUDE_ABOUT_PAGES","features":[469]},{"name":"TLEF_EXCLUDE_SUBFRAME_ENTRIES","features":[469]},{"name":"TLEF_INCLUDE_UNINVOKEABLE","features":[469]},{"name":"TLEF_RELATIVE_BACK","features":[469]},{"name":"TLEF_RELATIVE_FORE","features":[469]},{"name":"TLEF_RELATIVE_INCLUDE_CURRENT","features":[469]},{"name":"TLENUMF","features":[469]},{"name":"TLMENUF_BACK","features":[469]},{"name":"TLMENUF_FORE","features":[469]},{"name":"TLMENUF_INCLUDECURRENT","features":[469]},{"name":"TLOG_BACK","features":[469]},{"name":"TLOG_CURRENT","features":[469]},{"name":"TLOG_FORE","features":[469]},{"name":"TOOLBARITEM","features":[308,319,418,469]},{"name":"TRANSLATEURL_FL_GUESS_PROTOCOL","features":[469]},{"name":"TRANSLATEURL_FL_USE_DEFAULT_PROTOCOL","features":[469]},{"name":"TRANSLATEURL_IN_FLAGS","features":[469]},{"name":"TSF_ALLOW_DECRYPTION","features":[469]},{"name":"TSF_COPY_CREATION_TIME","features":[469]},{"name":"TSF_COPY_HARD_LINK","features":[469]},{"name":"TSF_COPY_LOCALIZED_NAME","features":[469]},{"name":"TSF_COPY_WRITE_TIME","features":[469]},{"name":"TSF_DELETE_RECYCLE_IF_POSSIBLE","features":[469]},{"name":"TSF_FAIL_EXIST","features":[469]},{"name":"TSF_MOVE_AS_COPY_DELETE","features":[469]},{"name":"TSF_NORMAL","features":[469]},{"name":"TSF_NO_SECURITY","features":[469]},{"name":"TSF_OVERWRITE_EXIST","features":[469]},{"name":"TSF_RENAME_EXIST","features":[469]},{"name":"TSF_SUSPEND_SHELLEVENTS","features":[469]},{"name":"TSF_USE_FULL_ACCESS","features":[469]},{"name":"TS_INDETERMINATE","features":[469]},{"name":"TS_NONE","features":[469]},{"name":"TS_PERFORMING","features":[469]},{"name":"TS_PREPARING","features":[469]},{"name":"TaskbarList","features":[469]},{"name":"ThumbnailStreamCache","features":[469]},{"name":"ThumbnailStreamCacheOptions","features":[469]},{"name":"TimeCategorizer","features":[469]},{"name":"TrackShellMenu","features":[469]},{"name":"TrayBandSiteService","features":[469]},{"name":"TrayDeskBand","features":[469]},{"name":"UNDOCK_REASON","features":[469]},{"name":"URLASSOCDLG_FL_REGISTER_ASSOC","features":[469]},{"name":"URLASSOCDLG_FL_USE_DEFAULT_NAME","features":[469]},{"name":"URLASSOCIATIONDIALOG_IN_FLAGS","features":[469]},{"name":"URLINVOKECOMMANDINFOA","features":[308,469]},{"name":"URLINVOKECOMMANDINFOW","features":[308,469]},{"name":"URLIS","features":[469]},{"name":"URLIS_APPLIABLE","features":[469]},{"name":"URLIS_DIRECTORY","features":[469]},{"name":"URLIS_FILEURL","features":[469]},{"name":"URLIS_HASQUERY","features":[469]},{"name":"URLIS_NOHISTORY","features":[469]},{"name":"URLIS_OPAQUE","features":[469]},{"name":"URLIS_URL","features":[469]},{"name":"URL_APPLY_DEFAULT","features":[469]},{"name":"URL_APPLY_FORCEAPPLY","features":[469]},{"name":"URL_APPLY_GUESSFILE","features":[469]},{"name":"URL_APPLY_GUESSSCHEME","features":[469]},{"name":"URL_BROWSER_MODE","features":[469]},{"name":"URL_CONVERT_IF_DOSPATH","features":[469]},{"name":"URL_DONT_ESCAPE_EXTRA_INFO","features":[469]},{"name":"URL_DONT_SIMPLIFY","features":[469]},{"name":"URL_DONT_UNESCAPE","features":[469]},{"name":"URL_DONT_UNESCAPE_EXTRA_INFO","features":[469]},{"name":"URL_ESCAPE_ASCII_URI_COMPONENT","features":[469]},{"name":"URL_ESCAPE_AS_UTF8","features":[469]},{"name":"URL_ESCAPE_PERCENT","features":[469]},{"name":"URL_ESCAPE_SEGMENT_ONLY","features":[469]},{"name":"URL_ESCAPE_SPACES_ONLY","features":[469]},{"name":"URL_ESCAPE_UNSAFE","features":[469]},{"name":"URL_E_INVALID_SYNTAX","features":[469]},{"name":"URL_E_UNREGISTERED_PROTOCOL","features":[469]},{"name":"URL_FILE_USE_PATHURL","features":[469]},{"name":"URL_INTERNAL_PATH","features":[469]},{"name":"URL_NO_META","features":[469]},{"name":"URL_PART","features":[469]},{"name":"URL_PARTFLAG_KEEPSCHEME","features":[469]},{"name":"URL_PART_HOSTNAME","features":[469]},{"name":"URL_PART_NONE","features":[469]},{"name":"URL_PART_PASSWORD","features":[469]},{"name":"URL_PART_PORT","features":[469]},{"name":"URL_PART_QUERY","features":[469]},{"name":"URL_PART_SCHEME","features":[469]},{"name":"URL_PART_USERNAME","features":[469]},{"name":"URL_PLUGGABLE_PROTOCOL","features":[469]},{"name":"URL_SCHEME","features":[469]},{"name":"URL_SCHEME_ABOUT","features":[469]},{"name":"URL_SCHEME_FILE","features":[469]},{"name":"URL_SCHEME_FTP","features":[469]},{"name":"URL_SCHEME_GOPHER","features":[469]},{"name":"URL_SCHEME_HTTP","features":[469]},{"name":"URL_SCHEME_HTTPS","features":[469]},{"name":"URL_SCHEME_INVALID","features":[469]},{"name":"URL_SCHEME_JAVASCRIPT","features":[469]},{"name":"URL_SCHEME_KNOWNFOLDER","features":[469]},{"name":"URL_SCHEME_LOCAL","features":[469]},{"name":"URL_SCHEME_MAILTO","features":[469]},{"name":"URL_SCHEME_MAXVALUE","features":[469]},{"name":"URL_SCHEME_MK","features":[469]},{"name":"URL_SCHEME_MSHELP","features":[469]},{"name":"URL_SCHEME_MSSHELLDEVICE","features":[469]},{"name":"URL_SCHEME_MSSHELLIDLIST","features":[469]},{"name":"URL_SCHEME_MSSHELLROOTED","features":[469]},{"name":"URL_SCHEME_NEWS","features":[469]},{"name":"URL_SCHEME_NNTP","features":[469]},{"name":"URL_SCHEME_RES","features":[469]},{"name":"URL_SCHEME_SEARCH","features":[469]},{"name":"URL_SCHEME_SEARCH_MS","features":[469]},{"name":"URL_SCHEME_SHELL","features":[469]},{"name":"URL_SCHEME_SNEWS","features":[469]},{"name":"URL_SCHEME_TELNET","features":[469]},{"name":"URL_SCHEME_UNKNOWN","features":[469]},{"name":"URL_SCHEME_VBSCRIPT","features":[469]},{"name":"URL_SCHEME_WAIS","features":[469]},{"name":"URL_SCHEME_WILDCARD","features":[469]},{"name":"URL_UNESCAPE","features":[469]},{"name":"URL_UNESCAPE_AS_UTF8","features":[469]},{"name":"URL_UNESCAPE_HIGH_ANSI_ONLY","features":[469]},{"name":"URL_UNESCAPE_INPLACE","features":[469]},{"name":"URL_UNESCAPE_URI_COMPONENT","features":[469]},{"name":"URL_WININET_COMPATIBILITY","features":[469]},{"name":"UR_MONITOR_DISCONNECT","features":[469]},{"name":"UR_RESOLUTION_CHANGE","features":[469]},{"name":"UnloadUserProfile","features":[308,469]},{"name":"UnregisterAppConstrainedChangeNotification","features":[469]},{"name":"UnregisterAppStateChangeNotification","features":[469]},{"name":"UnregisterScaleChangeEvent","features":[469]},{"name":"UrlApplySchemeA","features":[469]},{"name":"UrlApplySchemeW","features":[469]},{"name":"UrlCanonicalizeA","features":[469]},{"name":"UrlCanonicalizeW","features":[469]},{"name":"UrlCombineA","features":[469]},{"name":"UrlCombineW","features":[469]},{"name":"UrlCompareA","features":[308,469]},{"name":"UrlCompareW","features":[308,469]},{"name":"UrlCreateFromPathA","features":[469]},{"name":"UrlCreateFromPathW","features":[469]},{"name":"UrlEscapeA","features":[469]},{"name":"UrlEscapeW","features":[469]},{"name":"UrlFixupW","features":[469]},{"name":"UrlGetLocationA","features":[469]},{"name":"UrlGetLocationW","features":[469]},{"name":"UrlGetPartA","features":[469]},{"name":"UrlGetPartW","features":[469]},{"name":"UrlHashA","features":[469]},{"name":"UrlHashW","features":[469]},{"name":"UrlIsA","features":[308,469]},{"name":"UrlIsNoHistoryA","features":[308,469]},{"name":"UrlIsNoHistoryW","features":[308,469]},{"name":"UrlIsOpaqueA","features":[308,469]},{"name":"UrlIsOpaqueW","features":[308,469]},{"name":"UrlIsW","features":[308,469]},{"name":"UrlUnescapeA","features":[469]},{"name":"UrlUnescapeW","features":[469]},{"name":"UserNotification","features":[469]},{"name":"V1PasswordCredentialProvider","features":[469]},{"name":"V1SmartcardCredentialProvider","features":[469]},{"name":"V1WinBioCredentialProvider","features":[469]},{"name":"VALIDATEUNC_CONNECT","features":[469]},{"name":"VALIDATEUNC_NOUI","features":[469]},{"name":"VALIDATEUNC_OPTION","features":[469]},{"name":"VALIDATEUNC_PERSIST","features":[469]},{"name":"VALIDATEUNC_PRINT","features":[469]},{"name":"VALIDATEUNC_VALID","features":[469]},{"name":"VID_Content","features":[469]},{"name":"VID_Details","features":[469]},{"name":"VID_LargeIcons","features":[469]},{"name":"VID_List","features":[469]},{"name":"VID_SmallIcons","features":[469]},{"name":"VID_ThumbStrip","features":[469]},{"name":"VID_Thumbnails","features":[469]},{"name":"VID_Tile","features":[469]},{"name":"VIEW_PRIORITY_CACHEHIT","features":[469]},{"name":"VIEW_PRIORITY_CACHEMISS","features":[469]},{"name":"VIEW_PRIORITY_DESPERATE","features":[469]},{"name":"VIEW_PRIORITY_INHERIT","features":[469]},{"name":"VIEW_PRIORITY_NONE","features":[469]},{"name":"VIEW_PRIORITY_RESTRICTED","features":[469]},{"name":"VIEW_PRIORITY_SHELLEXT","features":[469]},{"name":"VIEW_PRIORITY_SHELLEXT_ASBACKUP","features":[469]},{"name":"VIEW_PRIORITY_STALECACHEHIT","features":[469]},{"name":"VIEW_PRIORITY_USEASDEFAULT","features":[469]},{"name":"VOLUME_PREFIX","features":[469]},{"name":"VPCF_BACKGROUND","features":[469]},{"name":"VPCF_SORTCOLUMN","features":[469]},{"name":"VPCF_SUBTEXT","features":[469]},{"name":"VPCF_TEXT","features":[469]},{"name":"VPCF_TEXTBACKGROUND","features":[469]},{"name":"VPCOLORFLAGS","features":[469]},{"name":"VPWATERMARKFLAGS","features":[469]},{"name":"VPWF_ALPHABLEND","features":[469]},{"name":"VPWF_DEFAULT","features":[469]},{"name":"VariantToStrRet","features":[636]},{"name":"VaultProvider","features":[469]},{"name":"VirtualDesktopManager","features":[469]},{"name":"WC_NETADDRESS","features":[469]},{"name":"WINDOWDATA","features":[636]},{"name":"WM_CPL_LAUNCH","features":[469]},{"name":"WM_CPL_LAUNCHED","features":[469]},{"name":"WPSTYLE_CENTER","features":[469]},{"name":"WPSTYLE_CROPTOFIT","features":[469]},{"name":"WPSTYLE_KEEPASPECT","features":[469]},{"name":"WPSTYLE_MAX","features":[469]},{"name":"WPSTYLE_SPAN","features":[469]},{"name":"WPSTYLE_STRETCH","features":[469]},{"name":"WPSTYLE_TILE","features":[469]},{"name":"WTSAT_ARGB","features":[469]},{"name":"WTSAT_RGB","features":[469]},{"name":"WTSAT_UNKNOWN","features":[469]},{"name":"WTSCF_APPSTYLE","features":[469]},{"name":"WTSCF_DEFAULT","features":[469]},{"name":"WTSCF_FAST","features":[469]},{"name":"WTSCF_SQUARE","features":[469]},{"name":"WTSCF_WIDE","features":[469]},{"name":"WTS_ALPHATYPE","features":[469]},{"name":"WTS_APPSTYLE","features":[469]},{"name":"WTS_CACHED","features":[469]},{"name":"WTS_CACHEFLAGS","features":[469]},{"name":"WTS_CONTEXTFLAGS","features":[469]},{"name":"WTS_CROPTOSQUARE","features":[469]},{"name":"WTS_DEFAULT","features":[469]},{"name":"WTS_EXTRACT","features":[469]},{"name":"WTS_EXTRACTDONOTCACHE","features":[469]},{"name":"WTS_EXTRACTINPROC","features":[469]},{"name":"WTS_E_DATAFILEUNAVAILABLE","features":[469]},{"name":"WTS_E_EXTRACTIONBLOCKED","features":[469]},{"name":"WTS_E_EXTRACTIONPENDING","features":[469]},{"name":"WTS_E_EXTRACTIONTIMEDOUT","features":[469]},{"name":"WTS_E_FAILEDEXTRACTION","features":[469]},{"name":"WTS_E_FASTEXTRACTIONNOTSUPPORTED","features":[469]},{"name":"WTS_E_NOSTORAGEPROVIDERTHUMBNAILHANDLER","features":[469]},{"name":"WTS_E_SURROGATEUNAVAILABLE","features":[469]},{"name":"WTS_FASTEXTRACT","features":[469]},{"name":"WTS_FLAGS","features":[469]},{"name":"WTS_FORCEEXTRACTION","features":[469]},{"name":"WTS_IDEALCACHESIZEONLY","features":[469]},{"name":"WTS_INCACHEONLY","features":[469]},{"name":"WTS_INSTANCESURROGATE","features":[469]},{"name":"WTS_LOWQUALITY","features":[469]},{"name":"WTS_NONE","features":[469]},{"name":"WTS_REQUIRESURROGATE","features":[469]},{"name":"WTS_SCALETOREQUESTEDSIZE","features":[469]},{"name":"WTS_SCALEUP","features":[469]},{"name":"WTS_SKIPFASTEXTRACT","features":[469]},{"name":"WTS_SLOWRECLAIM","features":[469]},{"name":"WTS_THUMBNAILID","features":[469]},{"name":"WTS_WIDETHUMBNAILS","features":[469]},{"name":"WebBrowser","features":[469]},{"name":"WebBrowser_V1","features":[469]},{"name":"WebWizardHost","features":[469]},{"name":"WhichPlatform","features":[469]},{"name":"Win32DeleteFile","features":[308,469]},{"name":"WinBioCredentialProvider","features":[469]},{"name":"WinHelpA","features":[308,469]},{"name":"WinHelpW","features":[308,469]},{"name":"WriteCabinetState","features":[308,469]},{"name":"_BROWSERFRAMEOPTIONS","features":[469]},{"name":"_CDBE_ACTIONS","features":[469]},{"name":"_EXPCMDFLAGS","features":[469]},{"name":"_EXPCMDSTATE","features":[469]},{"name":"_EXPLORERPANESTATE","features":[469]},{"name":"_EXPPS","features":[469]},{"name":"_KF_DEFINITION_FLAGS","features":[469]},{"name":"_KF_REDIRECTION_CAPABILITIES","features":[469]},{"name":"_KF_REDIRECT_FLAGS","features":[469]},{"name":"_NMCII_FLAGS","features":[469]},{"name":"_NMCSAEI_FLAGS","features":[469]},{"name":"_NSTCECLICKTYPE","features":[469]},{"name":"_NSTCEHITTEST","features":[469]},{"name":"_NSTCITEMSTATE","features":[469]},{"name":"_NSTCROOTSTYLE","features":[469]},{"name":"_NSTCSTYLE","features":[469]},{"name":"_OPPROGDLGF","features":[469]},{"name":"_PDMODE","features":[469]},{"name":"_SHCONTF","features":[469]},{"name":"_SICHINTF","features":[469]},{"name":"_SPBEGINF","features":[469]},{"name":"_SPINITF","features":[469]},{"name":"_SV3CVW3_FLAGS","features":[469]},{"name":"_SVGIO","features":[469]},{"name":"_SVSIF","features":[469]},{"name":"_TRANSFER_ADVISE_STATE","features":[469]},{"name":"_TRANSFER_SOURCE_FLAGS","features":[469]},{"name":"__UNUSED_RECYCLE_WAS_GLOBALCOUNTER_CSCSYNCINPROGRESS","features":[469]},{"name":"__UNUSED_RECYCLE_WAS_GLOBALCOUNTER_RECYCLEDIRTYCOUNT_SERVERDRIVE","features":[469]},{"name":"__UNUSED_RECYCLE_WAS_GLOBALCOUNTER_RECYCLEGLOBALDIRTYCOUNT","features":[469]},{"name":"idsAppName","features":[469]},{"name":"idsBadOldPW","features":[469]},{"name":"idsChangePW","features":[469]},{"name":"idsDefKeyword","features":[469]},{"name":"idsDifferentPW","features":[469]},{"name":"idsHelpFile","features":[469]},{"name":"idsIniFile","features":[469]},{"name":"idsIsPassword","features":[469]},{"name":"idsNoHelpMemory","features":[469]},{"name":"idsPassword","features":[469]},{"name":"idsScreenSaver","features":[469]},{"name":"navAllowAutosearch","features":[469]},{"name":"navBlockRedirectsXDomain","features":[469]},{"name":"navBrowserBar","features":[469]},{"name":"navDeferUnload","features":[469]},{"name":"navEnforceRestricted","features":[469]},{"name":"navHomepageNavigate","features":[469]},{"name":"navHostNavigation","features":[469]},{"name":"navHyperlink","features":[469]},{"name":"navKeepWordWheelText","features":[469]},{"name":"navNewWindowsManaged","features":[469]},{"name":"navNoHistory","features":[469]},{"name":"navNoReadFromCache","features":[469]},{"name":"navNoWriteToCache","features":[469]},{"name":"navOpenInBackgroundTab","features":[469]},{"name":"navOpenInNewTab","features":[469]},{"name":"navOpenInNewWindow","features":[469]},{"name":"navOpenNewForegroundTab","features":[469]},{"name":"navRefresh","features":[469]},{"name":"navReserved1","features":[469]},{"name":"navReserved2","features":[469]},{"name":"navReserved3","features":[469]},{"name":"navReserved4","features":[469]},{"name":"navReserved5","features":[469]},{"name":"navReserved6","features":[469]},{"name":"navReserved7","features":[469]},{"name":"navSpeculative","features":[469]},{"name":"navSuggestNewTab","features":[469]},{"name":"navSuggestNewWindow","features":[469]},{"name":"navTravelLogScreenshot","features":[469]},{"name":"navTrustedForActiveX","features":[469]},{"name":"navUntrustedForDownload","features":[469]},{"name":"navVirtualTab","features":[469]},{"name":"secureLockIconMixed","features":[469]},{"name":"secureLockIconSecure128Bit","features":[469]},{"name":"secureLockIconSecure40Bit","features":[469]},{"name":"secureLockIconSecure56Bit","features":[469]},{"name":"secureLockIconSecureFortezza","features":[469]},{"name":"secureLockIconSecureUnknownBits","features":[469]},{"name":"secureLockIconUnsecure","features":[469]},{"name":"ssfALTSTARTUP","features":[469]},{"name":"ssfAPPDATA","features":[469]},{"name":"ssfBITBUCKET","features":[469]},{"name":"ssfCOMMONALTSTARTUP","features":[469]},{"name":"ssfCOMMONAPPDATA","features":[469]},{"name":"ssfCOMMONDESKTOPDIR","features":[469]},{"name":"ssfCOMMONFAVORITES","features":[469]},{"name":"ssfCOMMONPROGRAMS","features":[469]},{"name":"ssfCOMMONSTARTMENU","features":[469]},{"name":"ssfCOMMONSTARTUP","features":[469]},{"name":"ssfCONTROLS","features":[469]},{"name":"ssfCOOKIES","features":[469]},{"name":"ssfDESKTOP","features":[469]},{"name":"ssfDESKTOPDIRECTORY","features":[469]},{"name":"ssfDRIVES","features":[469]},{"name":"ssfFAVORITES","features":[469]},{"name":"ssfFONTS","features":[469]},{"name":"ssfHISTORY","features":[469]},{"name":"ssfINTERNETCACHE","features":[469]},{"name":"ssfLOCALAPPDATA","features":[469]},{"name":"ssfMYPICTURES","features":[469]},{"name":"ssfNETHOOD","features":[469]},{"name":"ssfNETWORK","features":[469]},{"name":"ssfPERSONAL","features":[469]},{"name":"ssfPRINTERS","features":[469]},{"name":"ssfPRINTHOOD","features":[469]},{"name":"ssfPROFILE","features":[469]},{"name":"ssfPROGRAMFILES","features":[469]},{"name":"ssfPROGRAMFILESx86","features":[469]},{"name":"ssfPROGRAMS","features":[469]},{"name":"ssfRECENT","features":[469]},{"name":"ssfSENDTO","features":[469]},{"name":"ssfSTARTMENU","features":[469]},{"name":"ssfSTARTUP","features":[469]},{"name":"ssfSYSTEM","features":[469]},{"name":"ssfSYSTEMx86","features":[469]},{"name":"ssfTEMPLATES","features":[469]},{"name":"ssfWINDOWS","features":[469]},{"name":"wnsprintfA","features":[469]},{"name":"wnsprintfW","features":[469]},{"name":"wvnsprintfA","features":[469]},{"name":"wvnsprintfW","features":[469]}],"668":[{"name":"COMDLG_FILTERSPEC","features":[636]},{"name":"DEVICE_SCALE_FACTOR","features":[636]},{"name":"DEVICE_SCALE_FACTOR_INVALID","features":[636]},{"name":"IObjectArray","features":[636]},{"name":"IObjectCollection","features":[636]},{"name":"ITEMIDLIST","features":[636]},{"name":"PERCEIVED","features":[636]},{"name":"PERCEIVEDFLAG_GDIPLUS","features":[636]},{"name":"PERCEIVEDFLAG_HARDCODED","features":[636]},{"name":"PERCEIVEDFLAG_NATIVESUPPORT","features":[636]},{"name":"PERCEIVEDFLAG_SOFTCODED","features":[636]},{"name":"PERCEIVEDFLAG_UNDEFINED","features":[636]},{"name":"PERCEIVEDFLAG_WMSDK","features":[636]},{"name":"PERCEIVEDFLAG_ZIPFOLDER","features":[636]},{"name":"PERCEIVED_TYPE_APPLICATION","features":[636]},{"name":"PERCEIVED_TYPE_AUDIO","features":[636]},{"name":"PERCEIVED_TYPE_COMPRESSED","features":[636]},{"name":"PERCEIVED_TYPE_CONTACTS","features":[636]},{"name":"PERCEIVED_TYPE_CUSTOM","features":[636]},{"name":"PERCEIVED_TYPE_DOCUMENT","features":[636]},{"name":"PERCEIVED_TYPE_FIRST","features":[636]},{"name":"PERCEIVED_TYPE_FOLDER","features":[636]},{"name":"PERCEIVED_TYPE_GAMEMEDIA","features":[636]},{"name":"PERCEIVED_TYPE_IMAGE","features":[636]},{"name":"PERCEIVED_TYPE_LAST","features":[636]},{"name":"PERCEIVED_TYPE_SYSTEM","features":[636]},{"name":"PERCEIVED_TYPE_TEXT","features":[636]},{"name":"PERCEIVED_TYPE_UNKNOWN","features":[636]},{"name":"PERCEIVED_TYPE_UNSPECIFIED","features":[636]},{"name":"PERCEIVED_TYPE_VIDEO","features":[636]},{"name":"SCALE_100_PERCENT","features":[636]},{"name":"SCALE_120_PERCENT","features":[636]},{"name":"SCALE_125_PERCENT","features":[636]},{"name":"SCALE_140_PERCENT","features":[636]},{"name":"SCALE_150_PERCENT","features":[636]},{"name":"SCALE_160_PERCENT","features":[636]},{"name":"SCALE_175_PERCENT","features":[636]},{"name":"SCALE_180_PERCENT","features":[636]},{"name":"SCALE_200_PERCENT","features":[636]},{"name":"SCALE_225_PERCENT","features":[636]},{"name":"SCALE_250_PERCENT","features":[636]},{"name":"SCALE_300_PERCENT","features":[636]},{"name":"SCALE_350_PERCENT","features":[636]},{"name":"SCALE_400_PERCENT","features":[636]},{"name":"SCALE_450_PERCENT","features":[636]},{"name":"SCALE_500_PERCENT","features":[636]},{"name":"SHCOLSTATE","features":[636]},{"name":"SHCOLSTATE_BATCHREAD","features":[636]},{"name":"SHCOLSTATE_DEFAULT","features":[636]},{"name":"SHCOLSTATE_DISPLAYMASK","features":[636]},{"name":"SHCOLSTATE_EXTENDED","features":[636]},{"name":"SHCOLSTATE_FIXED_RATIO","features":[636]},{"name":"SHCOLSTATE_FIXED_WIDTH","features":[636]},{"name":"SHCOLSTATE_HIDDEN","features":[636]},{"name":"SHCOLSTATE_NODPISCALE","features":[636]},{"name":"SHCOLSTATE_NOSORTBYFOLDERNESS","features":[636]},{"name":"SHCOLSTATE_NO_GROUPBY","features":[636]},{"name":"SHCOLSTATE_ONBYDEFAULT","features":[636]},{"name":"SHCOLSTATE_PREFER_FMTCMP","features":[636]},{"name":"SHCOLSTATE_PREFER_VARCMP","features":[636]},{"name":"SHCOLSTATE_SECONDARYUI","features":[636]},{"name":"SHCOLSTATE_SLOW","features":[636]},{"name":"SHCOLSTATE_TYPEMASK","features":[636]},{"name":"SHCOLSTATE_TYPE_DATE","features":[636]},{"name":"SHCOLSTATE_TYPE_INT","features":[636]},{"name":"SHCOLSTATE_TYPE_STR","features":[636]},{"name":"SHCOLSTATE_VIEWONLY","features":[636]},{"name":"SHELLDETAILS","features":[636]},{"name":"SHITEMID","features":[636]},{"name":"STRRET","features":[636]},{"name":"STRRET_CSTR","features":[636]},{"name":"STRRET_OFFSET","features":[636]},{"name":"STRRET_TYPE","features":[636]},{"name":"STRRET_WSTR","features":[636]}],"669":[{"name":"FPSPS_DEFAULT","features":[379]},{"name":"FPSPS_READONLY","features":[379]},{"name":"FPSPS_TREAT_NEW_VALUES_AS_DIRTY","features":[379]},{"name":"GETPROPERTYSTOREFLAGS","features":[379]},{"name":"GPS_BESTEFFORT","features":[379]},{"name":"GPS_DEFAULT","features":[379]},{"name":"GPS_DELAYCREATION","features":[379]},{"name":"GPS_EXTRINSICPROPERTIES","features":[379]},{"name":"GPS_EXTRINSICPROPERTIESONLY","features":[379]},{"name":"GPS_FASTPROPERTIESONLY","features":[379]},{"name":"GPS_HANDLERPROPERTIESONLY","features":[379]},{"name":"GPS_MASK_VALID","features":[379]},{"name":"GPS_NO_OPLOCK","features":[379]},{"name":"GPS_OPENSLOWITEM","features":[379]},{"name":"GPS_PREFERQUERYPROPERTIES","features":[379]},{"name":"GPS_READWRITE","features":[379]},{"name":"GPS_TEMPORARY","features":[379]},{"name":"GPS_VOLATILEPROPERTIES","features":[379]},{"name":"GPS_VOLATILEPROPERTIESONLY","features":[379]},{"name":"ICreateObject","features":[379]},{"name":"IDelayedPropertyStoreFactory","features":[379]},{"name":"IInitializeWithFile","features":[379]},{"name":"IInitializeWithStream","features":[379]},{"name":"INamedPropertyStore","features":[379]},{"name":"IObjectWithPropertyKey","features":[379]},{"name":"IPersistSerializedPropStorage","features":[379]},{"name":"IPersistSerializedPropStorage2","features":[379]},{"name":"IPropertyChange","features":[379]},{"name":"IPropertyChangeArray","features":[379]},{"name":"IPropertyDescription","features":[379]},{"name":"IPropertyDescription2","features":[379]},{"name":"IPropertyDescriptionAliasInfo","features":[379]},{"name":"IPropertyDescriptionList","features":[379]},{"name":"IPropertyDescriptionRelatedPropertyInfo","features":[379]},{"name":"IPropertyDescriptionSearchInfo","features":[379]},{"name":"IPropertyEnumType","features":[379]},{"name":"IPropertyEnumType2","features":[379]},{"name":"IPropertyEnumTypeList","features":[379]},{"name":"IPropertyStore","features":[379]},{"name":"IPropertyStoreCache","features":[379]},{"name":"IPropertyStoreCapabilities","features":[379]},{"name":"IPropertyStoreFactory","features":[379]},{"name":"IPropertySystem","features":[379]},{"name":"IPropertySystemChangeNotify","features":[379]},{"name":"IPropertyUI","features":[379]},{"name":"InMemoryPropertyStore","features":[379]},{"name":"InMemoryPropertyStoreMarshalByValue","features":[379]},{"name":"PCUSERIALIZEDPROPSTORAGE","features":[379]},{"name":"PDAT_AVERAGE","features":[379]},{"name":"PDAT_DATERANGE","features":[379]},{"name":"PDAT_DEFAULT","features":[379]},{"name":"PDAT_FIRST","features":[379]},{"name":"PDAT_MAX","features":[379]},{"name":"PDAT_MIN","features":[379]},{"name":"PDAT_SUM","features":[379]},{"name":"PDAT_UNION","features":[379]},{"name":"PDCIT_INMEMORY","features":[379]},{"name":"PDCIT_NONE","features":[379]},{"name":"PDCIT_ONDEMAND","features":[379]},{"name":"PDCIT_ONDISK","features":[379]},{"name":"PDCIT_ONDISKALL","features":[379]},{"name":"PDCIT_ONDISKVECTOR","features":[379]},{"name":"PDCOT_BOOLEAN","features":[379]},{"name":"PDCOT_DATETIME","features":[379]},{"name":"PDCOT_NONE","features":[379]},{"name":"PDCOT_NUMBER","features":[379]},{"name":"PDCOT_SIZE","features":[379]},{"name":"PDCOT_STRING","features":[379]},{"name":"PDDT_BOOLEAN","features":[379]},{"name":"PDDT_DATETIME","features":[379]},{"name":"PDDT_ENUMERATED","features":[379]},{"name":"PDDT_NUMBER","features":[379]},{"name":"PDDT_STRING","features":[379]},{"name":"PDEF_ALL","features":[379]},{"name":"PDEF_COLUMN","features":[379]},{"name":"PDEF_INFULLTEXTQUERY","features":[379]},{"name":"PDEF_NONSYSTEM","features":[379]},{"name":"PDEF_QUERYABLE","features":[379]},{"name":"PDEF_SYSTEM","features":[379]},{"name":"PDEF_VIEWABLE","features":[379]},{"name":"PDFF_ALWAYSKB","features":[379]},{"name":"PDFF_DEFAULT","features":[379]},{"name":"PDFF_FILENAME","features":[379]},{"name":"PDFF_HIDEDATE","features":[379]},{"name":"PDFF_HIDETIME","features":[379]},{"name":"PDFF_LONGDATE","features":[379]},{"name":"PDFF_LONGTIME","features":[379]},{"name":"PDFF_NOAUTOREADINGORDER","features":[379]},{"name":"PDFF_PREFIXNAME","features":[379]},{"name":"PDFF_READONLY","features":[379]},{"name":"PDFF_RELATIVEDATE","features":[379]},{"name":"PDFF_RESERVED_RIGHTTOLEFT","features":[379]},{"name":"PDFF_SHORTDATE","features":[379]},{"name":"PDFF_SHORTTIME","features":[379]},{"name":"PDFF_USEEDITINVITATION","features":[379]},{"name":"PDGR_ALPHANUMERIC","features":[379]},{"name":"PDGR_DATE","features":[379]},{"name":"PDGR_DISCRETE","features":[379]},{"name":"PDGR_DYNAMIC","features":[379]},{"name":"PDGR_ENUMERATED","features":[379]},{"name":"PDGR_PERCENT","features":[379]},{"name":"PDGR_SIZE","features":[379]},{"name":"PDOPSTATUS","features":[379]},{"name":"PDOPS_CANCELLED","features":[379]},{"name":"PDOPS_ERRORS","features":[379]},{"name":"PDOPS_PAUSED","features":[379]},{"name":"PDOPS_RUNNING","features":[379]},{"name":"PDOPS_STOPPED","features":[379]},{"name":"PDRDT_COUNT","features":[379]},{"name":"PDRDT_DATE","features":[379]},{"name":"PDRDT_DURATION","features":[379]},{"name":"PDRDT_GENERAL","features":[379]},{"name":"PDRDT_LENGTH","features":[379]},{"name":"PDRDT_PRIORITY","features":[379]},{"name":"PDRDT_RATE","features":[379]},{"name":"PDRDT_RATING","features":[379]},{"name":"PDRDT_REVISION","features":[379]},{"name":"PDRDT_SIZE","features":[379]},{"name":"PDRDT_SPEED","features":[379]},{"name":"PDSD_A_Z","features":[379]},{"name":"PDSD_GENERAL","features":[379]},{"name":"PDSD_LOWEST_HIGHEST","features":[379]},{"name":"PDSD_OLDEST_NEWEST","features":[379]},{"name":"PDSD_SMALLEST_BIGGEST","features":[379]},{"name":"PDSIF_ALWAYSINCLUDE","features":[379]},{"name":"PDSIF_DEFAULT","features":[379]},{"name":"PDSIF_ININVERTEDINDEX","features":[379]},{"name":"PDSIF_ISCOLUMN","features":[379]},{"name":"PDSIF_ISCOLUMNSPARSE","features":[379]},{"name":"PDSIF_USEFORTYPEAHEAD","features":[379]},{"name":"PDTF_ALWAYSINSUPPLEMENTALSTORE","features":[379]},{"name":"PDTF_CANBEPURGED","features":[379]},{"name":"PDTF_CANGROUPBY","features":[379]},{"name":"PDTF_CANSTACKBY","features":[379]},{"name":"PDTF_DEFAULT","features":[379]},{"name":"PDTF_DONTCOERCEEMPTYSTRINGS","features":[379]},{"name":"PDTF_INCLUDEINFULLTEXTQUERY","features":[379]},{"name":"PDTF_ISGROUP","features":[379]},{"name":"PDTF_ISINNATE","features":[379]},{"name":"PDTF_ISQUERYABLE","features":[379]},{"name":"PDTF_ISSYSTEMPROPERTY","features":[379]},{"name":"PDTF_ISTREEPROPERTY","features":[379]},{"name":"PDTF_ISVIEWABLE","features":[379]},{"name":"PDTF_MASK_ALL","features":[379]},{"name":"PDTF_MULTIPLEVALUES","features":[379]},{"name":"PDTF_SEARCHRAWVALUE","features":[379]},{"name":"PDVF_BEGINNEWGROUP","features":[379]},{"name":"PDVF_CANWRAP","features":[379]},{"name":"PDVF_CENTERALIGN","features":[379]},{"name":"PDVF_DEFAULT","features":[379]},{"name":"PDVF_FILLAREA","features":[379]},{"name":"PDVF_HIDDEN","features":[379]},{"name":"PDVF_HIDELABEL","features":[379]},{"name":"PDVF_MASK_ALL","features":[379]},{"name":"PDVF_RIGHTALIGN","features":[379]},{"name":"PDVF_SHOWBYDEFAULT","features":[379]},{"name":"PDVF_SHOWINPRIMARYLIST","features":[379]},{"name":"PDVF_SHOWINSECONDARYLIST","features":[379]},{"name":"PDVF_SHOWONLYIFPRESENT","features":[379]},{"name":"PDVF_SORTDESCENDING","features":[379]},{"name":"PET_DEFAULTVALUE","features":[379]},{"name":"PET_DISCRETEVALUE","features":[379]},{"name":"PET_ENDRANGE","features":[379]},{"name":"PET_RANGEDVALUE","features":[379]},{"name":"PKA_APPEND","features":[379]},{"name":"PKA_DELETE","features":[379]},{"name":"PKA_FLAGS","features":[379]},{"name":"PKA_SET","features":[379]},{"name":"PKEY_PIDSTR_MAX","features":[379]},{"name":"PLACEHOLDER_STATES","features":[379]},{"name":"PROPDESC_AGGREGATION_TYPE","features":[379]},{"name":"PROPDESC_COLUMNINDEX_TYPE","features":[379]},{"name":"PROPDESC_CONDITION_TYPE","features":[379]},{"name":"PROPDESC_DISPLAYTYPE","features":[379]},{"name":"PROPDESC_ENUMFILTER","features":[379]},{"name":"PROPDESC_FORMAT_FLAGS","features":[379]},{"name":"PROPDESC_GROUPING_RANGE","features":[379]},{"name":"PROPDESC_RELATIVEDESCRIPTION_TYPE","features":[379]},{"name":"PROPDESC_SEARCHINFO_FLAGS","features":[379]},{"name":"PROPDESC_SORTDESCRIPTION","features":[379]},{"name":"PROPDESC_TYPE_FLAGS","features":[379]},{"name":"PROPDESC_VIEW_FLAGS","features":[379]},{"name":"PROPENUMTYPE","features":[379]},{"name":"PROPERTYKEY","features":[379]},{"name":"PROPERTYUI_FLAGS","features":[379]},{"name":"PROPERTYUI_FORMAT_FLAGS","features":[379]},{"name":"PROPERTYUI_NAME_FLAGS","features":[379]},{"name":"PROPPRG","features":[379]},{"name":"PSC_DIRTY","features":[379]},{"name":"PSC_NORMAL","features":[379]},{"name":"PSC_NOTINSOURCE","features":[379]},{"name":"PSC_READONLY","features":[379]},{"name":"PSC_STATE","features":[379]},{"name":"PSCoerceToCanonicalValue","features":[379]},{"name":"PSCreateAdapterFromPropertyStore","features":[379]},{"name":"PSCreateDelayedMultiplexPropertyStore","features":[379]},{"name":"PSCreateMemoryPropertyStore","features":[379]},{"name":"PSCreateMultiplexPropertyStore","features":[379]},{"name":"PSCreatePropertyChangeArray","features":[379]},{"name":"PSCreatePropertyStoreFromObject","features":[379]},{"name":"PSCreatePropertyStoreFromPropertySetStorage","features":[432,379]},{"name":"PSCreateSimplePropertyChange","features":[379]},{"name":"PSEnumeratePropertyDescriptions","features":[379]},{"name":"PSFormatForDisplay","features":[379]},{"name":"PSFormatForDisplayAlloc","features":[379]},{"name":"PSFormatPropertyValue","features":[379]},{"name":"PSGetImageReferenceForValue","features":[379]},{"name":"PSGetItemPropertyHandler","features":[308,379]},{"name":"PSGetItemPropertyHandlerWithCreateObject","features":[308,379]},{"name":"PSGetNameFromPropertyKey","features":[379]},{"name":"PSGetNamedPropertyFromPropertyStorage","features":[379]},{"name":"PSGetPropertyDescription","features":[379]},{"name":"PSGetPropertyDescriptionByName","features":[379]},{"name":"PSGetPropertyDescriptionListFromString","features":[379]},{"name":"PSGetPropertyFromPropertyStorage","features":[379]},{"name":"PSGetPropertyKeyFromName","features":[379]},{"name":"PSGetPropertySystem","features":[379]},{"name":"PSGetPropertyValue","features":[379]},{"name":"PSLookupPropertyHandlerCLSID","features":[379]},{"name":"PSPropertyBag_Delete","features":[432,379]},{"name":"PSPropertyBag_ReadBOOL","features":[308,432,379]},{"name":"PSPropertyBag_ReadBSTR","features":[432,379]},{"name":"PSPropertyBag_ReadDWORD","features":[432,379]},{"name":"PSPropertyBag_ReadGUID","features":[432,379]},{"name":"PSPropertyBag_ReadInt","features":[432,379]},{"name":"PSPropertyBag_ReadLONG","features":[432,379]},{"name":"PSPropertyBag_ReadPOINTL","features":[308,432,379]},{"name":"PSPropertyBag_ReadPOINTS","features":[308,432,379]},{"name":"PSPropertyBag_ReadPropertyKey","features":[432,379]},{"name":"PSPropertyBag_ReadRECTL","features":[308,432,379]},{"name":"PSPropertyBag_ReadSHORT","features":[432,379]},{"name":"PSPropertyBag_ReadStr","features":[432,379]},{"name":"PSPropertyBag_ReadStrAlloc","features":[432,379]},{"name":"PSPropertyBag_ReadStream","features":[432,379]},{"name":"PSPropertyBag_ReadType","features":[432,383,379]},{"name":"PSPropertyBag_ReadULONGLONG","features":[432,379]},{"name":"PSPropertyBag_ReadUnknown","features":[432,379]},{"name":"PSPropertyBag_WriteBOOL","features":[308,432,379]},{"name":"PSPropertyBag_WriteBSTR","features":[432,379]},{"name":"PSPropertyBag_WriteDWORD","features":[432,379]},{"name":"PSPropertyBag_WriteGUID","features":[432,379]},{"name":"PSPropertyBag_WriteInt","features":[432,379]},{"name":"PSPropertyBag_WriteLONG","features":[432,379]},{"name":"PSPropertyBag_WritePOINTL","features":[308,432,379]},{"name":"PSPropertyBag_WritePOINTS","features":[308,432,379]},{"name":"PSPropertyBag_WritePropertyKey","features":[432,379]},{"name":"PSPropertyBag_WriteRECTL","features":[308,432,379]},{"name":"PSPropertyBag_WriteSHORT","features":[432,379]},{"name":"PSPropertyBag_WriteStr","features":[432,379]},{"name":"PSPropertyBag_WriteStream","features":[432,379]},{"name":"PSPropertyBag_WriteULONGLONG","features":[432,379]},{"name":"PSPropertyBag_WriteUnknown","features":[432,379]},{"name":"PSPropertyKeyFromString","features":[379]},{"name":"PSRefreshPropertySchema","features":[379]},{"name":"PSRegisterPropertySchema","features":[379]},{"name":"PSSetPropertyValue","features":[379]},{"name":"PSStringFromPropertyKey","features":[379]},{"name":"PSUnregisterPropertySchema","features":[379]},{"name":"PS_ALL","features":[379]},{"name":"PS_CLOUDFILE_PLACEHOLDER","features":[379]},{"name":"PS_CREATE_FILE_ACCESSIBLE","features":[379]},{"name":"PS_DEFAULT","features":[379]},{"name":"PS_FULL_PRIMARY_STREAM_AVAILABLE","features":[379]},{"name":"PS_MARKED_FOR_OFFLINE_AVAILABILITY","features":[379]},{"name":"PS_NONE","features":[379]},{"name":"PUIFFDF_DEFAULT","features":[379]},{"name":"PUIFFDF_FRIENDLYDATE","features":[379]},{"name":"PUIFFDF_NOTIME","features":[379]},{"name":"PUIFFDF_RIGHTTOLEFT","features":[379]},{"name":"PUIFFDF_SHORTFORMAT","features":[379]},{"name":"PUIFNF_DEFAULT","features":[379]},{"name":"PUIFNF_MNEMONIC","features":[379]},{"name":"PUIF_DEFAULT","features":[379]},{"name":"PUIF_NOLABELININFOTIP","features":[379]},{"name":"PUIF_RIGHTALIGN","features":[379]},{"name":"PifMgr_CloseProperties","features":[308,379]},{"name":"PifMgr_GetProperties","features":[308,379]},{"name":"PifMgr_OpenProperties","features":[308,379]},{"name":"PifMgr_SetProperties","features":[308,379]},{"name":"PropertySystem","features":[379]},{"name":"SERIALIZEDPROPSTORAGE","features":[379]},{"name":"SESF_ALL_FLAGS","features":[379]},{"name":"SESF_AUTHENTICATION_ERROR","features":[379]},{"name":"SESF_NONE","features":[379]},{"name":"SESF_PAUSED_DUE_TO_CLIENT_POLICY","features":[379]},{"name":"SESF_PAUSED_DUE_TO_DISK_SPACE_FULL","features":[379]},{"name":"SESF_PAUSED_DUE_TO_METERED_NETWORK","features":[379]},{"name":"SESF_PAUSED_DUE_TO_SERVICE_POLICY","features":[379]},{"name":"SESF_PAUSED_DUE_TO_USER_REQUEST","features":[379]},{"name":"SESF_SERVICE_QUOTA_EXCEEDED_LIMIT","features":[379]},{"name":"SESF_SERVICE_QUOTA_NEARING_LIMIT","features":[379]},{"name":"SESF_SERVICE_UNAVAILABLE","features":[379]},{"name":"SHAddDefaultPropertiesByExt","features":[379]},{"name":"SHGetPropertyStoreForWindow","features":[308,379]},{"name":"SHGetPropertyStoreFromIDList","features":[636,379]},{"name":"SHGetPropertyStoreFromParsingName","features":[359,379]},{"name":"SHPropStgCreate","features":[432,379]},{"name":"SHPropStgReadMultiple","features":[432,379]},{"name":"SHPropStgWriteMultiple","features":[432,379]},{"name":"STS_EXCLUDED","features":[379]},{"name":"STS_FETCHING_METADATA","features":[379]},{"name":"STS_HASERROR","features":[379]},{"name":"STS_HASWARNING","features":[379]},{"name":"STS_INCOMPLETE","features":[379]},{"name":"STS_NEEDSDOWNLOAD","features":[379]},{"name":"STS_NEEDSUPLOAD","features":[379]},{"name":"STS_NONE","features":[379]},{"name":"STS_PAUSED","features":[379]},{"name":"STS_PLACEHOLDER_IFEMPTY","features":[379]},{"name":"STS_TRANSFERRING","features":[379]},{"name":"STS_USER_REQUESTED_REFRESH","features":[379]},{"name":"SYNC_ENGINE_STATE_FLAGS","features":[379]},{"name":"SYNC_TRANSFER_STATUS","features":[379]},{"name":"_PERSIST_SPROPSTORE_FLAGS","features":[379]}],"670":[{"name":"ALT_BREAKS","features":[637]},{"name":"ALT_BREAKS_FULL","features":[637]},{"name":"ALT_BREAKS_SAME","features":[637]},{"name":"ALT_BREAKS_UNIQUE","features":[637]},{"name":"ASYNC_RECO_ADDSTROKE_FAILED","features":[637]},{"name":"ASYNC_RECO_INTERRUPTED","features":[637]},{"name":"ASYNC_RECO_PROCESS_FAILED","features":[637]},{"name":"ASYNC_RECO_RESETCONTEXT_FAILED","features":[637]},{"name":"ASYNC_RECO_SETCACMODE_FAILED","features":[637]},{"name":"ASYNC_RECO_SETFACTOID_FAILED","features":[637]},{"name":"ASYNC_RECO_SETFLAGS_FAILED","features":[637]},{"name":"ASYNC_RECO_SETGUIDE_FAILED","features":[637]},{"name":"ASYNC_RECO_SETTEXTCONTEXT_FAILED","features":[637]},{"name":"ASYNC_RECO_SETWORDLIST_FAILED","features":[637]},{"name":"AddStroke","features":[319,637]},{"name":"AddWordsToWordList","features":[637]},{"name":"AdviseInkChange","features":[308,637]},{"name":"AppearanceConstants","features":[637]},{"name":"AsyncStylusQueue","features":[637]},{"name":"AsyncStylusQueueImmediate","features":[637]},{"name":"BEST_COMPLETE","features":[637]},{"name":"BorderStyleConstants","features":[637]},{"name":"CAC_FULL","features":[637]},{"name":"CAC_PREFIX","features":[637]},{"name":"CAC_RANDOM","features":[637]},{"name":"CFL_INTERMEDIATE","features":[637]},{"name":"CFL_POOR","features":[637]},{"name":"CFL_STRONG","features":[637]},{"name":"CHARACTER_RANGE","features":[637]},{"name":"CONFIDENCE_LEVEL","features":[637]},{"name":"Closed","features":[637]},{"name":"CorrectionMode","features":[637]},{"name":"CorrectionMode_NotVisible","features":[637]},{"name":"CorrectionMode_PostInsertionCollapsed","features":[637]},{"name":"CorrectionMode_PostInsertionExpanded","features":[637]},{"name":"CorrectionMode_PreInsertion","features":[637]},{"name":"CorrectionPosition","features":[637]},{"name":"CorrectionPosition_Auto","features":[637]},{"name":"CorrectionPosition_Bottom","features":[637]},{"name":"CorrectionPosition_Top","features":[637]},{"name":"CreateContext","features":[637]},{"name":"CreateRecognizer","features":[637]},{"name":"DISPID_DAAntiAliased","features":[637]},{"name":"DISPID_DAClone","features":[637]},{"name":"DISPID_DAColor","features":[637]},{"name":"DISPID_DAExtendedProperties","features":[637]},{"name":"DISPID_DAFitToCurve","features":[637]},{"name":"DISPID_DAHeight","features":[637]},{"name":"DISPID_DAIgnorePressure","features":[637]},{"name":"DISPID_DAPenTip","features":[637]},{"name":"DISPID_DARasterOperation","features":[637]},{"name":"DISPID_DATransparency","features":[637]},{"name":"DISPID_DAWidth","features":[637]},{"name":"DISPID_DisableNoScroll","features":[637]},{"name":"DISPID_DragIcon","features":[637]},{"name":"DISPID_DrawAttr","features":[637]},{"name":"DISPID_Enabled","features":[637]},{"name":"DISPID_Factoid","features":[637]},{"name":"DISPID_GetGestStatus","features":[637]},{"name":"DISPID_Hwnd","features":[637]},{"name":"DISPID_IAddStrokesAtRectangle","features":[637]},{"name":"DISPID_ICAutoRedraw","features":[637]},{"name":"DISPID_ICBId","features":[637]},{"name":"DISPID_ICBName","features":[637]},{"name":"DISPID_ICBState","features":[637]},{"name":"DISPID_ICBsCount","features":[637]},{"name":"DISPID_ICBsItem","features":[637]},{"name":"DISPID_ICBs_NewEnum","features":[637]},{"name":"DISPID_ICCollectingInk","features":[637]},{"name":"DISPID_ICCollectionMode","features":[637]},{"name":"DISPID_ICCursors","features":[637]},{"name":"DISPID_ICDefaultDrawingAttributes","features":[637]},{"name":"DISPID_ICDesiredPacketDescription","features":[637]},{"name":"DISPID_ICDynamicRendering","features":[637]},{"name":"DISPID_ICECursorButtonDown","features":[637]},{"name":"DISPID_ICECursorButtonUp","features":[637]},{"name":"DISPID_ICECursorDown","features":[637]},{"name":"DISPID_ICECursorInRange","features":[637]},{"name":"DISPID_ICECursorOutOfRange","features":[637]},{"name":"DISPID_ICEGesture","features":[637]},{"name":"DISPID_ICENewInAirPackets","features":[637]},{"name":"DISPID_ICENewPackets","features":[637]},{"name":"DISPID_ICEStroke","features":[637]},{"name":"DISPID_ICESystemGesture","features":[637]},{"name":"DISPID_ICETabletAdded","features":[637]},{"name":"DISPID_ICETabletRemoved","features":[637]},{"name":"DISPID_ICEnabled","features":[637]},{"name":"DISPID_ICGetEventInterest","features":[637]},{"name":"DISPID_ICGetGestureStatus","features":[637]},{"name":"DISPID_ICGetWindowInputRectangle","features":[637]},{"name":"DISPID_ICHwnd","features":[637]},{"name":"DISPID_ICInk","features":[637]},{"name":"DISPID_ICMarginX","features":[637]},{"name":"DISPID_ICMarginY","features":[637]},{"name":"DISPID_ICMouseIcon","features":[637]},{"name":"DISPID_ICMousePointer","features":[637]},{"name":"DISPID_ICPaint","features":[637]},{"name":"DISPID_ICRenderer","features":[637]},{"name":"DISPID_ICSetAllTabletsMode","features":[637]},{"name":"DISPID_ICSetEventInterest","features":[637]},{"name":"DISPID_ICSetGestureStatus","features":[637]},{"name":"DISPID_ICSetSingleTabletIntegratedMode","features":[637]},{"name":"DISPID_ICSetWindowInputRectangle","features":[637]},{"name":"DISPID_ICSsAdd","features":[637]},{"name":"DISPID_ICSsClear","features":[637]},{"name":"DISPID_ICSsCount","features":[637]},{"name":"DISPID_ICSsItem","features":[637]},{"name":"DISPID_ICSsRemove","features":[637]},{"name":"DISPID_ICSs_NewEnum","features":[637]},{"name":"DISPID_ICSupportHighContrastInk","features":[637]},{"name":"DISPID_ICTablet","features":[637]},{"name":"DISPID_ICText","features":[637]},{"name":"DISPID_ICanPaste","features":[637]},{"name":"DISPID_IClip","features":[637]},{"name":"DISPID_IClipboardCopy","features":[637]},{"name":"DISPID_IClipboardCopyWithRectangle","features":[637]},{"name":"DISPID_IClipboardPaste","features":[637]},{"name":"DISPID_IClone","features":[637]},{"name":"DISPID_ICreateStroke","features":[637]},{"name":"DISPID_ICreateStrokeFromPoints","features":[637]},{"name":"DISPID_ICreateStrokes","features":[637]},{"name":"DISPID_ICsCount","features":[637]},{"name":"DISPID_ICsItem","features":[637]},{"name":"DISPID_ICs_NewEnum","features":[637]},{"name":"DISPID_ICsrButtons","features":[637]},{"name":"DISPID_ICsrDrawingAttributes","features":[637]},{"name":"DISPID_ICsrId","features":[637]},{"name":"DISPID_ICsrInverted","features":[637]},{"name":"DISPID_ICsrName","features":[637]},{"name":"DISPID_ICsrTablet","features":[637]},{"name":"DISPID_ICustomStrokes","features":[637]},{"name":"DISPID_IDeleteStroke","features":[637]},{"name":"DISPID_IDeleteStrokes","features":[637]},{"name":"DISPID_IDirty","features":[637]},{"name":"DISPID_IEInkAdded","features":[637]},{"name":"DISPID_IEInkDeleted","features":[637]},{"name":"DISPID_IEPData","features":[637]},{"name":"DISPID_IEPGuid","features":[637]},{"name":"DISPID_IEPsAdd","features":[637]},{"name":"DISPID_IEPsClear","features":[637]},{"name":"DISPID_IEPsCount","features":[637]},{"name":"DISPID_IEPsDoesPropertyExist","features":[637]},{"name":"DISPID_IEPsItem","features":[637]},{"name":"DISPID_IEPsRemove","features":[637]},{"name":"DISPID_IEPs_NewEnum","features":[637]},{"name":"DISPID_IExtendedProperties","features":[637]},{"name":"DISPID_IExtractStrokes","features":[637]},{"name":"DISPID_IExtractWithRectangle","features":[637]},{"name":"DISPID_IGConfidence","features":[637]},{"name":"DISPID_IGGetHotPoint","features":[637]},{"name":"DISPID_IGId","features":[637]},{"name":"DISPID_IGetBoundingBox","features":[637]},{"name":"DISPID_IHitTestCircle","features":[637]},{"name":"DISPID_IHitTestWithLasso","features":[637]},{"name":"DISPID_IHitTestWithRectangle","features":[637]},{"name":"DISPID_IInkDivider_Divide","features":[637]},{"name":"DISPID_IInkDivider_LineHeight","features":[637]},{"name":"DISPID_IInkDivider_RecognizerContext","features":[637]},{"name":"DISPID_IInkDivider_Strokes","features":[637]},{"name":"DISPID_IInkDivisionResult_ResultByType","features":[637]},{"name":"DISPID_IInkDivisionResult_Strokes","features":[637]},{"name":"DISPID_IInkDivisionUnit_DivisionType","features":[637]},{"name":"DISPID_IInkDivisionUnit_RecognizedString","features":[637]},{"name":"DISPID_IInkDivisionUnit_RotationTransform","features":[637]},{"name":"DISPID_IInkDivisionUnit_Strokes","features":[637]},{"name":"DISPID_IInkDivisionUnits_Count","features":[637]},{"name":"DISPID_IInkDivisionUnits_Item","features":[637]},{"name":"DISPID_IInkDivisionUnits_NewEnum","features":[637]},{"name":"DISPID_ILoad","features":[637]},{"name":"DISPID_INearestPoint","features":[637]},{"name":"DISPID_IOAttachMode","features":[637]},{"name":"DISPID_IODraw","features":[637]},{"name":"DISPID_IOEPainted","features":[637]},{"name":"DISPID_IOEPainting","features":[637]},{"name":"DISPID_IOESelectionChanged","features":[637]},{"name":"DISPID_IOESelectionChanging","features":[637]},{"name":"DISPID_IOESelectionMoved","features":[637]},{"name":"DISPID_IOESelectionMoving","features":[637]},{"name":"DISPID_IOESelectionResized","features":[637]},{"name":"DISPID_IOESelectionResizing","features":[637]},{"name":"DISPID_IOEStrokesDeleted","features":[637]},{"name":"DISPID_IOEStrokesDeleting","features":[637]},{"name":"DISPID_IOEditingMode","features":[637]},{"name":"DISPID_IOEraserMode","features":[637]},{"name":"DISPID_IOEraserWidth","features":[637]},{"name":"DISPID_IOHitTestSelection","features":[637]},{"name":"DISPID_IOSelection","features":[637]},{"name":"DISPID_IOSupportHighContrastSelectionUI","features":[637]},{"name":"DISPID_IPBackColor","features":[637]},{"name":"DISPID_IPEChangeUICues","features":[637]},{"name":"DISPID_IPEClick","features":[637]},{"name":"DISPID_IPEDblClick","features":[637]},{"name":"DISPID_IPEInvalidated","features":[637]},{"name":"DISPID_IPEKeyDown","features":[637]},{"name":"DISPID_IPEKeyPress","features":[637]},{"name":"DISPID_IPEKeyUp","features":[637]},{"name":"DISPID_IPEMouseDown","features":[637]},{"name":"DISPID_IPEMouseEnter","features":[637]},{"name":"DISPID_IPEMouseHover","features":[637]},{"name":"DISPID_IPEMouseLeave","features":[637]},{"name":"DISPID_IPEMouseMove","features":[637]},{"name":"DISPID_IPEMouseUp","features":[637]},{"name":"DISPID_IPEMouseWheel","features":[637]},{"name":"DISPID_IPEResize","features":[637]},{"name":"DISPID_IPESizeChanged","features":[637]},{"name":"DISPID_IPESizeModeChanged","features":[637]},{"name":"DISPID_IPEStyleChanged","features":[637]},{"name":"DISPID_IPESystemColorsChanged","features":[637]},{"name":"DISPID_IPInkEnabled","features":[637]},{"name":"DISPID_IPPicture","features":[637]},{"name":"DISPID_IPSizeMode","features":[637]},{"name":"DISPID_IRBottom","features":[637]},{"name":"DISPID_IRData","features":[637]},{"name":"DISPID_IRDraw","features":[637]},{"name":"DISPID_IRDrawStroke","features":[637]},{"name":"DISPID_IRERecognition","features":[637]},{"name":"DISPID_IRERecognitionWithAlternates","features":[637]},{"name":"DISPID_IRGColumns","features":[637]},{"name":"DISPID_IRGDrawnBox","features":[637]},{"name":"DISPID_IRGGuideData","features":[637]},{"name":"DISPID_IRGMidline","features":[637]},{"name":"DISPID_IRGRows","features":[637]},{"name":"DISPID_IRGWritingBox","features":[637]},{"name":"DISPID_IRGetObjectTransform","features":[637]},{"name":"DISPID_IRGetRectangle","features":[637]},{"name":"DISPID_IRGetViewTransform","features":[637]},{"name":"DISPID_IRInkSpaceToPixel","features":[637]},{"name":"DISPID_IRInkSpaceToPixelFromPoints","features":[637]},{"name":"DISPID_IRLeft","features":[637]},{"name":"DISPID_IRMeasure","features":[637]},{"name":"DISPID_IRMeasureStroke","features":[637]},{"name":"DISPID_IRMove","features":[637]},{"name":"DISPID_IRPixelToInkSpace","features":[637]},{"name":"DISPID_IRPixelToInkSpaceFromPoints","features":[637]},{"name":"DISPID_IRRight","features":[637]},{"name":"DISPID_IRRotate","features":[637]},{"name":"DISPID_IRScale","features":[637]},{"name":"DISPID_IRSetObjectTransform","features":[637]},{"name":"DISPID_IRSetRectangle","features":[637]},{"name":"DISPID_IRSetViewTransform","features":[637]},{"name":"DISPID_IRTop","features":[637]},{"name":"DISPID_IRecoCtx2_EnabledUnicodeRanges","features":[637]},{"name":"DISPID_IRecoCtx_BackgroundRecognize","features":[637]},{"name":"DISPID_IRecoCtx_BackgroundRecognizeWithAlternates","features":[637]},{"name":"DISPID_IRecoCtx_CharacterAutoCompletionMode","features":[637]},{"name":"DISPID_IRecoCtx_Clone","features":[637]},{"name":"DISPID_IRecoCtx_EndInkInput","features":[637]},{"name":"DISPID_IRecoCtx_Factoid","features":[637]},{"name":"DISPID_IRecoCtx_Flags","features":[637]},{"name":"DISPID_IRecoCtx_Guide","features":[637]},{"name":"DISPID_IRecoCtx_IsStringSupported","features":[637]},{"name":"DISPID_IRecoCtx_PrefixText","features":[637]},{"name":"DISPID_IRecoCtx_Recognize","features":[637]},{"name":"DISPID_IRecoCtx_Recognizer","features":[637]},{"name":"DISPID_IRecoCtx_StopBackgroundRecognition","features":[637]},{"name":"DISPID_IRecoCtx_StopRecognition","features":[637]},{"name":"DISPID_IRecoCtx_Strokes","features":[637]},{"name":"DISPID_IRecoCtx_SuffixText","features":[637]},{"name":"DISPID_IRecoCtx_WordList","features":[637]},{"name":"DISPID_IRecosCount","features":[637]},{"name":"DISPID_IRecosGetDefaultRecognizer","features":[637]},{"name":"DISPID_IRecosItem","features":[637]},{"name":"DISPID_IRecos_NewEnum","features":[637]},{"name":"DISPID_ISDBezierCusps","features":[637]},{"name":"DISPID_ISDBezierPoints","features":[637]},{"name":"DISPID_ISDClip","features":[637]},{"name":"DISPID_ISDDeleted","features":[637]},{"name":"DISPID_ISDDrawingAttributes","features":[637]},{"name":"DISPID_ISDExtendedProperties","features":[637]},{"name":"DISPID_ISDFindIntersections","features":[637]},{"name":"DISPID_ISDGetBoundingBox","features":[637]},{"name":"DISPID_ISDGetFlattenedBezierPoints","features":[637]},{"name":"DISPID_ISDGetPacketData","features":[637]},{"name":"DISPID_ISDGetPacketDescriptionPropertyMetrics","features":[637]},{"name":"DISPID_ISDGetPacketValuesByProperty","features":[637]},{"name":"DISPID_ISDGetPoints","features":[637]},{"name":"DISPID_ISDGetRectangleIntersections","features":[637]},{"name":"DISPID_ISDHitTestCircle","features":[637]},{"name":"DISPID_ISDID","features":[637]},{"name":"DISPID_ISDInk","features":[637]},{"name":"DISPID_ISDInkIndex","features":[637]},{"name":"DISPID_ISDMove","features":[637]},{"name":"DISPID_ISDNearestPoint","features":[637]},{"name":"DISPID_ISDPacketCount","features":[637]},{"name":"DISPID_ISDPacketDescription","features":[637]},{"name":"DISPID_ISDPacketSize","features":[637]},{"name":"DISPID_ISDPolylineCusps","features":[637]},{"name":"DISPID_ISDRotate","features":[637]},{"name":"DISPID_ISDScale","features":[637]},{"name":"DISPID_ISDScaleToRectangle","features":[637]},{"name":"DISPID_ISDSelfIntersections","features":[637]},{"name":"DISPID_ISDSetPacketValuesByProperty","features":[637]},{"name":"DISPID_ISDSetPoints","features":[637]},{"name":"DISPID_ISDShear","features":[637]},{"name":"DISPID_ISDSplit","features":[637]},{"name":"DISPID_ISDTransform","features":[637]},{"name":"DISPID_ISave","features":[637]},{"name":"DISPID_ISsAdd","features":[637]},{"name":"DISPID_ISsAddStrokes","features":[637]},{"name":"DISPID_ISsClip","features":[637]},{"name":"DISPID_ISsCount","features":[637]},{"name":"DISPID_ISsGetBoundingBox","features":[637]},{"name":"DISPID_ISsInk","features":[637]},{"name":"DISPID_ISsItem","features":[637]},{"name":"DISPID_ISsModifyDrawingAttributes","features":[637]},{"name":"DISPID_ISsMove","features":[637]},{"name":"DISPID_ISsRecognitionResult","features":[637]},{"name":"DISPID_ISsRemove","features":[637]},{"name":"DISPID_ISsRemoveRecognitionResult","features":[637]},{"name":"DISPID_ISsRemoveStrokes","features":[637]},{"name":"DISPID_ISsRotate","features":[637]},{"name":"DISPID_ISsScale","features":[637]},{"name":"DISPID_ISsScaleToRectangle","features":[637]},{"name":"DISPID_ISsShear","features":[637]},{"name":"DISPID_ISsToString","features":[637]},{"name":"DISPID_ISsTransform","features":[637]},{"name":"DISPID_ISsValid","features":[637]},{"name":"DISPID_ISs_NewEnum","features":[637]},{"name":"DISPID_IStrokes","features":[637]},{"name":"DISPID_IT2DeviceKind","features":[637]},{"name":"DISPID_IT3IsMultiTouch","features":[637]},{"name":"DISPID_IT3MaximumCursors","features":[637]},{"name":"DISPID_ITData","features":[637]},{"name":"DISPID_ITGetTransform","features":[637]},{"name":"DISPID_ITHardwareCapabilities","features":[637]},{"name":"DISPID_ITIsPacketPropertySupported","features":[637]},{"name":"DISPID_ITMaximumInputRectangle","features":[637]},{"name":"DISPID_ITName","features":[637]},{"name":"DISPID_ITPlugAndPlayId","features":[637]},{"name":"DISPID_ITPropertyMetrics","features":[637]},{"name":"DISPID_ITReflect","features":[637]},{"name":"DISPID_ITReset","features":[637]},{"name":"DISPID_ITRotate","features":[637]},{"name":"DISPID_ITScale","features":[637]},{"name":"DISPID_ITSetTransform","features":[637]},{"name":"DISPID_ITShear","features":[637]},{"name":"DISPID_ITTranslate","features":[637]},{"name":"DISPID_ITeDx","features":[637]},{"name":"DISPID_ITeDy","features":[637]},{"name":"DISPID_ITeM11","features":[637]},{"name":"DISPID_ITeM12","features":[637]},{"name":"DISPID_ITeM21","features":[637]},{"name":"DISPID_ITeM22","features":[637]},{"name":"DISPID_ITsCount","features":[637]},{"name":"DISPID_ITsDefaultTablet","features":[637]},{"name":"DISPID_ITsIsPacketPropertySupported","features":[637]},{"name":"DISPID_ITsItem","features":[637]},{"name":"DISPID_ITs_NewEnum","features":[637]},{"name":"DISPID_IeeChange","features":[637]},{"name":"DISPID_IeeClick","features":[637]},{"name":"DISPID_IeeCursorDown","features":[637]},{"name":"DISPID_IeeDblClick","features":[637]},{"name":"DISPID_IeeGesture","features":[637]},{"name":"DISPID_IeeKeyDown","features":[637]},{"name":"DISPID_IeeKeyPress","features":[637]},{"name":"DISPID_IeeKeyUp","features":[637]},{"name":"DISPID_IeeMouseDown","features":[637]},{"name":"DISPID_IeeMouseMove","features":[637]},{"name":"DISPID_IeeMouseUp","features":[637]},{"name":"DISPID_IeeRecognitionResult","features":[637]},{"name":"DISPID_IeeSelChange","features":[637]},{"name":"DISPID_IeeStroke","features":[637]},{"name":"DISPID_Ink","features":[637]},{"name":"DISPID_InkCollector","features":[637]},{"name":"DISPID_InkCollectorEvent","features":[637]},{"name":"DISPID_InkCursor","features":[637]},{"name":"DISPID_InkCursorButton","features":[637]},{"name":"DISPID_InkCursorButtons","features":[637]},{"name":"DISPID_InkCursors","features":[637]},{"name":"DISPID_InkCustomStrokes","features":[637]},{"name":"DISPID_InkDivider","features":[637]},{"name":"DISPID_InkDivisionResult","features":[637]},{"name":"DISPID_InkDivisionUnit","features":[637]},{"name":"DISPID_InkDivisionUnits","features":[637]},{"name":"DISPID_InkDrawingAttributes","features":[637]},{"name":"DISPID_InkEdit","features":[637]},{"name":"DISPID_InkEditEvents","features":[637]},{"name":"DISPID_InkEvent","features":[637]},{"name":"DISPID_InkExtendedProperties","features":[637]},{"name":"DISPID_InkExtendedProperty","features":[637]},{"name":"DISPID_InkGesture","features":[637]},{"name":"DISPID_InkInsertMode","features":[637]},{"name":"DISPID_InkMode","features":[637]},{"name":"DISPID_InkRecoAlternate","features":[637]},{"name":"DISPID_InkRecoAlternate_AlternatesWithConstantPropertyValues","features":[637]},{"name":"DISPID_InkRecoAlternate_Ascender","features":[637]},{"name":"DISPID_InkRecoAlternate_Baseline","features":[637]},{"name":"DISPID_InkRecoAlternate_Confidence","features":[637]},{"name":"DISPID_InkRecoAlternate_ConfidenceAlternates","features":[637]},{"name":"DISPID_InkRecoAlternate_Descender","features":[637]},{"name":"DISPID_InkRecoAlternate_GetPropertyValue","features":[637]},{"name":"DISPID_InkRecoAlternate_GetStrokesFromStrokeRanges","features":[637]},{"name":"DISPID_InkRecoAlternate_GetStrokesFromTextRange","features":[637]},{"name":"DISPID_InkRecoAlternate_GetTextRangeFromStrokes","features":[637]},{"name":"DISPID_InkRecoAlternate_LineAlternates","features":[637]},{"name":"DISPID_InkRecoAlternate_LineNumber","features":[637]},{"name":"DISPID_InkRecoAlternate_Midline","features":[637]},{"name":"DISPID_InkRecoAlternate_String","features":[637]},{"name":"DISPID_InkRecoAlternate_Strokes","features":[637]},{"name":"DISPID_InkRecoContext","features":[637]},{"name":"DISPID_InkRecoContext2","features":[637]},{"name":"DISPID_InkRecognitionAlternates","features":[637]},{"name":"DISPID_InkRecognitionAlternates_Count","features":[637]},{"name":"DISPID_InkRecognitionAlternates_Item","features":[637]},{"name":"DISPID_InkRecognitionAlternates_NewEnum","features":[637]},{"name":"DISPID_InkRecognitionAlternates_Strokes","features":[637]},{"name":"DISPID_InkRecognitionEvent","features":[637]},{"name":"DISPID_InkRecognitionResult","features":[637]},{"name":"DISPID_InkRecognitionResult_AlternatesFromSelection","features":[637]},{"name":"DISPID_InkRecognitionResult_ModifyTopAlternate","features":[637]},{"name":"DISPID_InkRecognitionResult_SetResultOnStrokes","features":[637]},{"name":"DISPID_InkRecognitionResult_Strokes","features":[637]},{"name":"DISPID_InkRecognitionResult_TopAlternate","features":[637]},{"name":"DISPID_InkRecognitionResult_TopConfidence","features":[637]},{"name":"DISPID_InkRecognitionResult_TopString","features":[637]},{"name":"DISPID_InkRecognizer","features":[637]},{"name":"DISPID_InkRecognizer2","features":[637]},{"name":"DISPID_InkRecognizerGuide","features":[637]},{"name":"DISPID_InkRecognizers","features":[637]},{"name":"DISPID_InkRectangle","features":[637]},{"name":"DISPID_InkRenderer","features":[637]},{"name":"DISPID_InkStrokeDisp","features":[637]},{"name":"DISPID_InkStrokes","features":[637]},{"name":"DISPID_InkTablet","features":[637]},{"name":"DISPID_InkTablet2","features":[637]},{"name":"DISPID_InkTablet3","features":[637]},{"name":"DISPID_InkTablets","features":[637]},{"name":"DISPID_InkTransform","features":[637]},{"name":"DISPID_InkWordList","features":[637]},{"name":"DISPID_InkWordList2","features":[637]},{"name":"DISPID_InkWordList2_AddWords","features":[637]},{"name":"DISPID_InkWordList_AddWord","features":[637]},{"name":"DISPID_InkWordList_Merge","features":[637]},{"name":"DISPID_InkWordList_RemoveWord","features":[637]},{"name":"DISPID_Locked","features":[637]},{"name":"DISPID_MICClear","features":[637]},{"name":"DISPID_MICClose","features":[637]},{"name":"DISPID_MICInsert","features":[637]},{"name":"DISPID_MICPaint","features":[637]},{"name":"DISPID_MathInputControlEvents","features":[637]},{"name":"DISPID_MaxLength","features":[637]},{"name":"DISPID_MultiLine","features":[637]},{"name":"DISPID_PIPAttachedEditWindow","features":[637]},{"name":"DISPID_PIPAutoShow","features":[637]},{"name":"DISPID_PIPBusy","features":[637]},{"name":"DISPID_PIPCommitPendingInput","features":[637]},{"name":"DISPID_PIPCurrentPanel","features":[637]},{"name":"DISPID_PIPDefaultPanel","features":[637]},{"name":"DISPID_PIPEInputFailed","features":[637]},{"name":"DISPID_PIPEPanelChanged","features":[637]},{"name":"DISPID_PIPEPanelMoving","features":[637]},{"name":"DISPID_PIPEVisibleChanged","features":[637]},{"name":"DISPID_PIPEnableTsf","features":[637]},{"name":"DISPID_PIPFactoid","features":[637]},{"name":"DISPID_PIPHeight","features":[637]},{"name":"DISPID_PIPHorizontalOffset","features":[637]},{"name":"DISPID_PIPLeft","features":[637]},{"name":"DISPID_PIPMoveTo","features":[637]},{"name":"DISPID_PIPRefresh","features":[637]},{"name":"DISPID_PIPTop","features":[637]},{"name":"DISPID_PIPVerticalOffset","features":[637]},{"name":"DISPID_PIPVisible","features":[637]},{"name":"DISPID_PIPWidth","features":[637]},{"name":"DISPID_PenInputPanel","features":[637]},{"name":"DISPID_PenInputPanelEvents","features":[637]},{"name":"DISPID_RTSelLength","features":[637]},{"name":"DISPID_RTSelStart","features":[637]},{"name":"DISPID_RTSelText","features":[637]},{"name":"DISPID_RecoCapabilities","features":[637]},{"name":"DISPID_RecoClsid","features":[637]},{"name":"DISPID_RecoCreateRecognizerContext","features":[637]},{"name":"DISPID_RecoId","features":[637]},{"name":"DISPID_RecoLanguageID","features":[637]},{"name":"DISPID_RecoName","features":[637]},{"name":"DISPID_RecoPreferredPacketDescription","features":[637]},{"name":"DISPID_RecoSupportedProperties","features":[637]},{"name":"DISPID_RecoTimeout","features":[637]},{"name":"DISPID_RecoUnicodeRanges","features":[637]},{"name":"DISPID_RecoVendor","features":[637]},{"name":"DISPID_Recognize","features":[637]},{"name":"DISPID_Recognizer","features":[637]},{"name":"DISPID_Refresh","features":[637]},{"name":"DISPID_SEStrokesAdded","features":[637]},{"name":"DISPID_SEStrokesRemoved","features":[637]},{"name":"DISPID_ScrollBars","features":[637]},{"name":"DISPID_SelAlignment","features":[637]},{"name":"DISPID_SelBold","features":[637]},{"name":"DISPID_SelCharOffset","features":[637]},{"name":"DISPID_SelColor","features":[637]},{"name":"DISPID_SelFontName","features":[637]},{"name":"DISPID_SelFontSize","features":[637]},{"name":"DISPID_SelInk","features":[637]},{"name":"DISPID_SelInksDisplayMode","features":[637]},{"name":"DISPID_SelItalic","features":[637]},{"name":"DISPID_SelRTF","features":[637]},{"name":"DISPID_SelUnderline","features":[637]},{"name":"DISPID_SetGestStatus","features":[637]},{"name":"DISPID_Status","features":[637]},{"name":"DISPID_StrokeEvent","features":[637]},{"name":"DISPID_Text","features":[637]},{"name":"DISPID_TextRTF","features":[637]},{"name":"DISPID_UseMouseForInput","features":[637]},{"name":"DYNAMIC_RENDERER_CACHED_DATA","features":[637]},{"name":"DestroyContext","features":[637]},{"name":"DestroyRecognizer","features":[637]},{"name":"DestroyWordList","features":[637]},{"name":"DockedBottom","features":[637]},{"name":"DockedTop","features":[637]},{"name":"DynamicRenderer","features":[637]},{"name":"EM_GETDRAWATTR","features":[637]},{"name":"EM_GETFACTOID","features":[637]},{"name":"EM_GETGESTURESTATUS","features":[637]},{"name":"EM_GETINKINSERTMODE","features":[637]},{"name":"EM_GETINKMODE","features":[637]},{"name":"EM_GETMOUSEICON","features":[637]},{"name":"EM_GETMOUSEPOINTER","features":[637]},{"name":"EM_GETRECOGNIZER","features":[637]},{"name":"EM_GETRECOTIMEOUT","features":[637]},{"name":"EM_GETSELINK","features":[637]},{"name":"EM_GETSELINKDISPLAYMODE","features":[637]},{"name":"EM_GETSTATUS","features":[637]},{"name":"EM_GETUSEMOUSEFORINPUT","features":[637]},{"name":"EM_RECOGNIZE","features":[637]},{"name":"EM_SETDRAWATTR","features":[637]},{"name":"EM_SETFACTOID","features":[637]},{"name":"EM_SETGESTURESTATUS","features":[637]},{"name":"EM_SETINKINSERTMODE","features":[637]},{"name":"EM_SETINKMODE","features":[637]},{"name":"EM_SETMOUSEICON","features":[637]},{"name":"EM_SETMOUSEPOINTER","features":[637]},{"name":"EM_SETRECOGNIZER","features":[637]},{"name":"EM_SETRECOTIMEOUT","features":[637]},{"name":"EM_SETSELINK","features":[637]},{"name":"EM_SETSELINKDISPLAYMODE","features":[637]},{"name":"EM_SETUSEMOUSEFORINPUT","features":[637]},{"name":"EndInkInput","features":[637]},{"name":"EventMask","features":[637]},{"name":"EventMask_All","features":[637]},{"name":"EventMask_CorrectionModeChanged","features":[637]},{"name":"EventMask_CorrectionModeChanging","features":[637]},{"name":"EventMask_InPlaceSizeChanged","features":[637]},{"name":"EventMask_InPlaceSizeChanging","features":[637]},{"name":"EventMask_InPlaceStateChanged","features":[637]},{"name":"EventMask_InPlaceStateChanging","features":[637]},{"name":"EventMask_InPlaceVisibilityChanged","features":[637]},{"name":"EventMask_InPlaceVisibilityChanging","features":[637]},{"name":"EventMask_InputAreaChanged","features":[637]},{"name":"EventMask_InputAreaChanging","features":[637]},{"name":"EventMask_TextInserted","features":[637]},{"name":"EventMask_TextInserting","features":[637]},{"name":"FACILITY_INK","features":[637]},{"name":"FACTOID_BOPOMOFO","features":[637]},{"name":"FACTOID_CHINESESIMPLECOMMON","features":[637]},{"name":"FACTOID_CHINESETRADITIONALCOMMON","features":[637]},{"name":"FACTOID_CURRENCY","features":[637]},{"name":"FACTOID_DATE","features":[637]},{"name":"FACTOID_DEFAULT","features":[637]},{"name":"FACTOID_DIGIT","features":[637]},{"name":"FACTOID_EMAIL","features":[637]},{"name":"FACTOID_FILENAME","features":[637]},{"name":"FACTOID_HANGULCOMMON","features":[637]},{"name":"FACTOID_HANGULRARE","features":[637]},{"name":"FACTOID_HIRAGANA","features":[637]},{"name":"FACTOID_JAMO","features":[637]},{"name":"FACTOID_JAPANESECOMMON","features":[637]},{"name":"FACTOID_KANJICOMMON","features":[637]},{"name":"FACTOID_KANJIRARE","features":[637]},{"name":"FACTOID_KATAKANA","features":[637]},{"name":"FACTOID_KOREANCOMMON","features":[637]},{"name":"FACTOID_LOWERCHAR","features":[637]},{"name":"FACTOID_NONE","features":[637]},{"name":"FACTOID_NUMBER","features":[637]},{"name":"FACTOID_NUMBERSIMPLE","features":[637]},{"name":"FACTOID_ONECHAR","features":[637]},{"name":"FACTOID_PERCENT","features":[637]},{"name":"FACTOID_POSTALCODE","features":[637]},{"name":"FACTOID_PUNCCHAR","features":[637]},{"name":"FACTOID_SYSTEMDICTIONARY","features":[637]},{"name":"FACTOID_TELEPHONE","features":[637]},{"name":"FACTOID_TIME","features":[637]},{"name":"FACTOID_UPPERCHAR","features":[637]},{"name":"FACTOID_WEB","features":[637]},{"name":"FACTOID_WORDLIST","features":[637]},{"name":"FLICKACTION_COMMANDCODE","features":[637]},{"name":"FLICKACTION_COMMANDCODE_APPCOMMAND","features":[637]},{"name":"FLICKACTION_COMMANDCODE_CUSTOMKEY","features":[637]},{"name":"FLICKACTION_COMMANDCODE_KEYMODIFIER","features":[637]},{"name":"FLICKACTION_COMMANDCODE_NULL","features":[637]},{"name":"FLICKACTION_COMMANDCODE_SCROLL","features":[637]},{"name":"FLICKDIRECTION","features":[637]},{"name":"FLICKDIRECTION_DOWN","features":[637]},{"name":"FLICKDIRECTION_DOWNLEFT","features":[637]},{"name":"FLICKDIRECTION_DOWNRIGHT","features":[637]},{"name":"FLICKDIRECTION_INVALID","features":[637]},{"name":"FLICKDIRECTION_LEFT","features":[637]},{"name":"FLICKDIRECTION_MIN","features":[637]},{"name":"FLICKDIRECTION_RIGHT","features":[637]},{"name":"FLICKDIRECTION_UP","features":[637]},{"name":"FLICKDIRECTION_UPLEFT","features":[637]},{"name":"FLICKDIRECTION_UPRIGHT","features":[637]},{"name":"FLICKMODE","features":[637]},{"name":"FLICKMODE_DEFAULT","features":[637]},{"name":"FLICKMODE_LEARNING","features":[637]},{"name":"FLICKMODE_MAX","features":[637]},{"name":"FLICKMODE_MIN","features":[637]},{"name":"FLICKMODE_OFF","features":[637]},{"name":"FLICKMODE_ON","features":[637]},{"name":"FLICK_DATA","features":[637]},{"name":"FLICK_POINT","features":[637]},{"name":"FLICK_WM_HANDLED_MASK","features":[637]},{"name":"Floating","features":[637]},{"name":"GESTURE_ARROW_DOWN","features":[637]},{"name":"GESTURE_ARROW_LEFT","features":[637]},{"name":"GESTURE_ARROW_RIGHT","features":[637]},{"name":"GESTURE_ARROW_UP","features":[637]},{"name":"GESTURE_ASTERISK","features":[637]},{"name":"GESTURE_BRACE_LEFT","features":[637]},{"name":"GESTURE_BRACE_OVER","features":[637]},{"name":"GESTURE_BRACE_RIGHT","features":[637]},{"name":"GESTURE_BRACE_UNDER","features":[637]},{"name":"GESTURE_BRACKET_LEFT","features":[637]},{"name":"GESTURE_BRACKET_OVER","features":[637]},{"name":"GESTURE_BRACKET_RIGHT","features":[637]},{"name":"GESTURE_BRACKET_UNDER","features":[637]},{"name":"GESTURE_BULLET","features":[637]},{"name":"GESTURE_BULLET_CROSS","features":[637]},{"name":"GESTURE_CHECK","features":[637]},{"name":"GESTURE_CHEVRON_DOWN","features":[637]},{"name":"GESTURE_CHEVRON_LEFT","features":[637]},{"name":"GESTURE_CHEVRON_RIGHT","features":[637]},{"name":"GESTURE_CHEVRON_UP","features":[637]},{"name":"GESTURE_CIRCLE","features":[637]},{"name":"GESTURE_CIRCLE_CIRCLE","features":[637]},{"name":"GESTURE_CIRCLE_CROSS","features":[637]},{"name":"GESTURE_CIRCLE_LINE_HORZ","features":[637]},{"name":"GESTURE_CIRCLE_LINE_VERT","features":[637]},{"name":"GESTURE_CIRCLE_TAP","features":[637]},{"name":"GESTURE_CLOSEUP","features":[637]},{"name":"GESTURE_CROSS","features":[637]},{"name":"GESTURE_CURLICUE","features":[637]},{"name":"GESTURE_DATA","features":[637]},{"name":"GESTURE_DIAGONAL_LEFTDOWN","features":[637]},{"name":"GESTURE_DIAGONAL_LEFTUP","features":[637]},{"name":"GESTURE_DIAGONAL_RIGHTDOWN","features":[637]},{"name":"GESTURE_DIAGONAL_RIGHTUP","features":[637]},{"name":"GESTURE_DIGIT_0","features":[637]},{"name":"GESTURE_DIGIT_1","features":[637]},{"name":"GESTURE_DIGIT_2","features":[637]},{"name":"GESTURE_DIGIT_3","features":[637]},{"name":"GESTURE_DIGIT_4","features":[637]},{"name":"GESTURE_DIGIT_5","features":[637]},{"name":"GESTURE_DIGIT_6","features":[637]},{"name":"GESTURE_DIGIT_7","features":[637]},{"name":"GESTURE_DIGIT_8","features":[637]},{"name":"GESTURE_DIGIT_9","features":[637]},{"name":"GESTURE_DOLLAR","features":[637]},{"name":"GESTURE_DOUBLE_ARROW_DOWN","features":[637]},{"name":"GESTURE_DOUBLE_ARROW_LEFT","features":[637]},{"name":"GESTURE_DOUBLE_ARROW_RIGHT","features":[637]},{"name":"GESTURE_DOUBLE_ARROW_UP","features":[637]},{"name":"GESTURE_DOUBLE_CIRCLE","features":[637]},{"name":"GESTURE_DOUBLE_CURLICUE","features":[637]},{"name":"GESTURE_DOUBLE_DOWN","features":[637]},{"name":"GESTURE_DOUBLE_LEFT","features":[637]},{"name":"GESTURE_DOUBLE_RIGHT","features":[637]},{"name":"GESTURE_DOUBLE_TAP","features":[637]},{"name":"GESTURE_DOUBLE_UP","features":[637]},{"name":"GESTURE_DOWN","features":[637]},{"name":"GESTURE_DOWN_ARROW_LEFT","features":[637]},{"name":"GESTURE_DOWN_ARROW_RIGHT","features":[637]},{"name":"GESTURE_DOWN_LEFT","features":[637]},{"name":"GESTURE_DOWN_LEFT_LONG","features":[637]},{"name":"GESTURE_DOWN_RIGHT","features":[637]},{"name":"GESTURE_DOWN_RIGHT_LONG","features":[637]},{"name":"GESTURE_DOWN_UP","features":[637]},{"name":"GESTURE_EXCLAMATION","features":[637]},{"name":"GESTURE_INFINITY","features":[637]},{"name":"GESTURE_LEFT","features":[637]},{"name":"GESTURE_LEFT_ARROW_DOWN","features":[637]},{"name":"GESTURE_LEFT_ARROW_UP","features":[637]},{"name":"GESTURE_LEFT_DOWN","features":[637]},{"name":"GESTURE_LEFT_RIGHT","features":[637]},{"name":"GESTURE_LEFT_UP","features":[637]},{"name":"GESTURE_LETTER_A","features":[637]},{"name":"GESTURE_LETTER_B","features":[637]},{"name":"GESTURE_LETTER_C","features":[637]},{"name":"GESTURE_LETTER_D","features":[637]},{"name":"GESTURE_LETTER_E","features":[637]},{"name":"GESTURE_LETTER_F","features":[637]},{"name":"GESTURE_LETTER_G","features":[637]},{"name":"GESTURE_LETTER_H","features":[637]},{"name":"GESTURE_LETTER_I","features":[637]},{"name":"GESTURE_LETTER_J","features":[637]},{"name":"GESTURE_LETTER_K","features":[637]},{"name":"GESTURE_LETTER_L","features":[637]},{"name":"GESTURE_LETTER_M","features":[637]},{"name":"GESTURE_LETTER_N","features":[637]},{"name":"GESTURE_LETTER_O","features":[637]},{"name":"GESTURE_LETTER_P","features":[637]},{"name":"GESTURE_LETTER_Q","features":[637]},{"name":"GESTURE_LETTER_R","features":[637]},{"name":"GESTURE_LETTER_S","features":[637]},{"name":"GESTURE_LETTER_T","features":[637]},{"name":"GESTURE_LETTER_U","features":[637]},{"name":"GESTURE_LETTER_V","features":[637]},{"name":"GESTURE_LETTER_W","features":[637]},{"name":"GESTURE_LETTER_X","features":[637]},{"name":"GESTURE_LETTER_Y","features":[637]},{"name":"GESTURE_LETTER_Z","features":[637]},{"name":"GESTURE_NULL","features":[637]},{"name":"GESTURE_OPENUP","features":[637]},{"name":"GESTURE_PARAGRAPH","features":[637]},{"name":"GESTURE_PLUS","features":[637]},{"name":"GESTURE_QUAD_TAP","features":[637]},{"name":"GESTURE_QUESTION","features":[637]},{"name":"GESTURE_RECTANGLE","features":[637]},{"name":"GESTURE_RIGHT","features":[637]},{"name":"GESTURE_RIGHT_ARROW_DOWN","features":[637]},{"name":"GESTURE_RIGHT_ARROW_UP","features":[637]},{"name":"GESTURE_RIGHT_DOWN","features":[637]},{"name":"GESTURE_RIGHT_LEFT","features":[637]},{"name":"GESTURE_RIGHT_UP","features":[637]},{"name":"GESTURE_SCRATCHOUT","features":[637]},{"name":"GESTURE_SECTION","features":[637]},{"name":"GESTURE_SEMICIRCLE_LEFT","features":[637]},{"name":"GESTURE_SEMICIRCLE_RIGHT","features":[637]},{"name":"GESTURE_SHARP","features":[637]},{"name":"GESTURE_SQUARE","features":[637]},{"name":"GESTURE_SQUIGGLE","features":[637]},{"name":"GESTURE_STAR","features":[637]},{"name":"GESTURE_SWAP","features":[637]},{"name":"GESTURE_TAP","features":[637]},{"name":"GESTURE_TRIANGLE","features":[637]},{"name":"GESTURE_TRIPLE_DOWN","features":[637]},{"name":"GESTURE_TRIPLE_LEFT","features":[637]},{"name":"GESTURE_TRIPLE_RIGHT","features":[637]},{"name":"GESTURE_TRIPLE_TAP","features":[637]},{"name":"GESTURE_TRIPLE_UP","features":[637]},{"name":"GESTURE_UP","features":[637]},{"name":"GESTURE_UP_ARROW_LEFT","features":[637]},{"name":"GESTURE_UP_ARROW_RIGHT","features":[637]},{"name":"GESTURE_UP_DOWN","features":[637]},{"name":"GESTURE_UP_LEFT","features":[637]},{"name":"GESTURE_UP_LEFT_LONG","features":[637]},{"name":"GESTURE_UP_RIGHT","features":[637]},{"name":"GESTURE_UP_RIGHT_LONG","features":[637]},{"name":"GET_DANDIDATE_FLAGS","features":[637]},{"name":"GUID_DYNAMIC_RENDERER_CACHED_DATA","features":[637]},{"name":"GUID_GESTURE_DATA","features":[637]},{"name":"GUID_PACKETPROPERTY_GUID_ALTITUDE_ORIENTATION","features":[637]},{"name":"GUID_PACKETPROPERTY_GUID_AZIMUTH_ORIENTATION","features":[637]},{"name":"GUID_PACKETPROPERTY_GUID_BUTTON_PRESSURE","features":[637]},{"name":"GUID_PACKETPROPERTY_GUID_DEVICE_CONTACT_ID","features":[637]},{"name":"GUID_PACKETPROPERTY_GUID_FINGERCONTACTCONFIDENCE","features":[637]},{"name":"GUID_PACKETPROPERTY_GUID_HEIGHT","features":[637]},{"name":"GUID_PACKETPROPERTY_GUID_NORMAL_PRESSURE","features":[637]},{"name":"GUID_PACKETPROPERTY_GUID_PACKET_STATUS","features":[637]},{"name":"GUID_PACKETPROPERTY_GUID_PITCH_ROTATION","features":[637]},{"name":"GUID_PACKETPROPERTY_GUID_ROLL_ROTATION","features":[637]},{"name":"GUID_PACKETPROPERTY_GUID_SERIAL_NUMBER","features":[637]},{"name":"GUID_PACKETPROPERTY_GUID_TANGENT_PRESSURE","features":[637]},{"name":"GUID_PACKETPROPERTY_GUID_TIMER_TICK","features":[637]},{"name":"GUID_PACKETPROPERTY_GUID_TWIST_ORIENTATION","features":[637]},{"name":"GUID_PACKETPROPERTY_GUID_WIDTH","features":[637]},{"name":"GUID_PACKETPROPERTY_GUID_X","features":[637]},{"name":"GUID_PACKETPROPERTY_GUID_X_TILT_ORIENTATION","features":[637]},{"name":"GUID_PACKETPROPERTY_GUID_Y","features":[637]},{"name":"GUID_PACKETPROPERTY_GUID_YAW_ROTATION","features":[637]},{"name":"GUID_PACKETPROPERTY_GUID_Y_TILT_ORIENTATION","features":[637]},{"name":"GUID_PACKETPROPERTY_GUID_Z","features":[637]},{"name":"GestureRecognizer","features":[637]},{"name":"GetAllRecognizers","features":[637]},{"name":"GetBestResultString","features":[637]},{"name":"GetLatticePtr","features":[637]},{"name":"GetLeftSeparator","features":[637]},{"name":"GetRecoAttributes","features":[637]},{"name":"GetResultPropertyList","features":[637]},{"name":"GetRightSeparator","features":[637]},{"name":"GetUnicodeRanges","features":[637]},{"name":"HRECOALT","features":[637]},{"name":"HRECOCONTEXT","features":[637]},{"name":"HRECOGNIZER","features":[637]},{"name":"HRECOLATTICE","features":[637]},{"name":"HRECOWORDLIST","features":[637]},{"name":"HandwrittenTextInsertion","features":[637]},{"name":"IAG_AllGestures","features":[637]},{"name":"IAG_ArrowDown","features":[637]},{"name":"IAG_ArrowLeft","features":[637]},{"name":"IAG_ArrowRight","features":[637]},{"name":"IAG_ArrowUp","features":[637]},{"name":"IAG_Check","features":[637]},{"name":"IAG_ChevronDown","features":[637]},{"name":"IAG_ChevronLeft","features":[637]},{"name":"IAG_ChevronRight","features":[637]},{"name":"IAG_ChevronUp","features":[637]},{"name":"IAG_Circle","features":[637]},{"name":"IAG_Curlicue","features":[637]},{"name":"IAG_DoubleCircle","features":[637]},{"name":"IAG_DoubleCurlicue","features":[637]},{"name":"IAG_DoubleTap","features":[637]},{"name":"IAG_Down","features":[637]},{"name":"IAG_DownLeft","features":[637]},{"name":"IAG_DownLeftLong","features":[637]},{"name":"IAG_DownRight","features":[637]},{"name":"IAG_DownRightLong","features":[637]},{"name":"IAG_DownUp","features":[637]},{"name":"IAG_Exclamation","features":[637]},{"name":"IAG_Left","features":[637]},{"name":"IAG_LeftDown","features":[637]},{"name":"IAG_LeftRight","features":[637]},{"name":"IAG_LeftUp","features":[637]},{"name":"IAG_NoGesture","features":[637]},{"name":"IAG_Right","features":[637]},{"name":"IAG_RightDown","features":[637]},{"name":"IAG_RightLeft","features":[637]},{"name":"IAG_RightUp","features":[637]},{"name":"IAG_Scratchout","features":[637]},{"name":"IAG_SemiCircleLeft","features":[637]},{"name":"IAG_SemiCircleRight","features":[637]},{"name":"IAG_Square","features":[637]},{"name":"IAG_Star","features":[637]},{"name":"IAG_Tap","features":[637]},{"name":"IAG_Triangle","features":[637]},{"name":"IAG_Up","features":[637]},{"name":"IAG_UpDown","features":[637]},{"name":"IAG_UpLeft","features":[637]},{"name":"IAG_UpLeftLong","features":[637]},{"name":"IAG_UpRight","features":[637]},{"name":"IAG_UpRightLong","features":[637]},{"name":"IBBM_CurveFit","features":[637]},{"name":"IBBM_Default","features":[637]},{"name":"IBBM_NoCurveFit","features":[637]},{"name":"IBBM_PointsOnly","features":[637]},{"name":"IBBM_Union","features":[637]},{"name":"ICBS_Down","features":[637]},{"name":"ICBS_Unavailable","features":[637]},{"name":"ICBS_Up","features":[637]},{"name":"ICB_Copy","features":[637]},{"name":"ICB_Cut","features":[637]},{"name":"ICB_Default","features":[637]},{"name":"ICB_DelayedCopy","features":[637]},{"name":"ICB_ExtractOnly","features":[637]},{"name":"ICEI_AllEvents","features":[637]},{"name":"ICEI_CursorButtonDown","features":[637]},{"name":"ICEI_CursorButtonUp","features":[637]},{"name":"ICEI_CursorDown","features":[637]},{"name":"ICEI_CursorInRange","features":[637]},{"name":"ICEI_CursorOutOfRange","features":[637]},{"name":"ICEI_DblClick","features":[637]},{"name":"ICEI_DefaultEvents","features":[637]},{"name":"ICEI_MouseDown","features":[637]},{"name":"ICEI_MouseMove","features":[637]},{"name":"ICEI_MouseUp","features":[637]},{"name":"ICEI_MouseWheel","features":[637]},{"name":"ICEI_NewInAirPackets","features":[637]},{"name":"ICEI_NewPackets","features":[637]},{"name":"ICEI_Stroke","features":[637]},{"name":"ICEI_SystemGesture","features":[637]},{"name":"ICEI_TabletAdded","features":[637]},{"name":"ICEI_TabletRemoved","features":[637]},{"name":"ICF_Bitmap","features":[637]},{"name":"ICF_CopyMask","features":[637]},{"name":"ICF_Default","features":[637]},{"name":"ICF_EnhancedMetafile","features":[637]},{"name":"ICF_InkSerializedFormat","features":[637]},{"name":"ICF_Metafile","features":[637]},{"name":"ICF_None","features":[637]},{"name":"ICF_PasteMask","features":[637]},{"name":"ICF_SketchInk","features":[637]},{"name":"ICF_TextInk","features":[637]},{"name":"ICM_GestureOnly","features":[637]},{"name":"ICM_InkAndGesture","features":[637]},{"name":"ICM_InkOnly","features":[637]},{"name":"IDM_Ink","features":[637]},{"name":"IDM_Text","features":[637]},{"name":"IDT_Drawing","features":[637]},{"name":"IDT_Line","features":[637]},{"name":"IDT_Paragraph","features":[637]},{"name":"IDT_Segment","features":[637]},{"name":"IDynamicRenderer","features":[637]},{"name":"IECN_GESTURE","features":[637]},{"name":"IECN_RECOGNITIONRESULT","features":[637]},{"name":"IECN_STROKE","features":[637]},{"name":"IECN__BASE","features":[637]},{"name":"IEC_GESTUREINFO","features":[308,359,358,637]},{"name":"IEC_RECOGNITIONRESULTINFO","features":[308,359,358,637]},{"name":"IEC_STROKEINFO","features":[308,359,358,637]},{"name":"IEC__BASE","features":[637]},{"name":"IEF_CopyFromOriginal","features":[637]},{"name":"IEF_Default","features":[637]},{"name":"IEF_RemoveFromOriginal","features":[637]},{"name":"IEM_Disabled","features":[637]},{"name":"IEM_Ink","features":[637]},{"name":"IEM_InkAndGesture","features":[637]},{"name":"IEM_InsertInk","features":[637]},{"name":"IEM_InsertText","features":[637]},{"name":"IES_Collecting","features":[637]},{"name":"IES_Idle","features":[637]},{"name":"IES_Recognizing","features":[637]},{"name":"IGestureRecognizer","features":[637]},{"name":"IHandwrittenTextInsertion","features":[637]},{"name":"IInk","features":[359,637]},{"name":"IInkCollector","features":[359,637]},{"name":"IInkCursor","features":[359,637]},{"name":"IInkCursorButton","features":[359,637]},{"name":"IInkCursorButtons","features":[359,637]},{"name":"IInkCursors","features":[359,637]},{"name":"IInkCustomStrokes","features":[359,637]},{"name":"IInkDisp","features":[359,637]},{"name":"IInkDivider","features":[359,637]},{"name":"IInkDivisionResult","features":[359,637]},{"name":"IInkDivisionUnit","features":[359,637]},{"name":"IInkDivisionUnits","features":[359,637]},{"name":"IInkDrawingAttributes","features":[359,637]},{"name":"IInkEdit","features":[359,637]},{"name":"IInkExtendedProperties","features":[359,637]},{"name":"IInkExtendedProperty","features":[359,637]},{"name":"IInkGesture","features":[359,637]},{"name":"IInkLineInfo","features":[637]},{"name":"IInkOverlay","features":[359,637]},{"name":"IInkPicture","features":[359,637]},{"name":"IInkRecognitionAlternate","features":[359,637]},{"name":"IInkRecognitionAlternates","features":[359,637]},{"name":"IInkRecognitionResult","features":[359,637]},{"name":"IInkRecognizer","features":[359,637]},{"name":"IInkRecognizer2","features":[359,637]},{"name":"IInkRecognizerContext","features":[359,637]},{"name":"IInkRecognizerContext2","features":[359,637]},{"name":"IInkRecognizerGuide","features":[359,637]},{"name":"IInkRecognizers","features":[359,637]},{"name":"IInkRectangle","features":[359,637]},{"name":"IInkRenderer","features":[359,637]},{"name":"IInkStrokeDisp","features":[359,637]},{"name":"IInkStrokes","features":[359,637]},{"name":"IInkTablet","features":[359,637]},{"name":"IInkTablet2","features":[359,637]},{"name":"IInkTablet3","features":[359,637]},{"name":"IInkTablets","features":[359,637]},{"name":"IInkTransform","features":[359,637]},{"name":"IInkWordList","features":[359,637]},{"name":"IInkWordList2","features":[359,637]},{"name":"IInputPanelWindowHandle","features":[637]},{"name":"IKM_Alt","features":[637]},{"name":"IKM_Control","features":[637]},{"name":"IKM_Shift","features":[637]},{"name":"IMF_BOLD","features":[637]},{"name":"IMF_FONT_SELECTED_IN_HDC","features":[637]},{"name":"IMF_ITALIC","features":[637]},{"name":"IMF_Left","features":[637]},{"name":"IMF_Middle","features":[637]},{"name":"IMF_Right","features":[637]},{"name":"IMP_Arrow","features":[637]},{"name":"IMP_ArrowHourglass","features":[637]},{"name":"IMP_ArrowQuestion","features":[637]},{"name":"IMP_Crosshair","features":[637]},{"name":"IMP_Custom","features":[637]},{"name":"IMP_Default","features":[637]},{"name":"IMP_Hand","features":[637]},{"name":"IMP_Hourglass","features":[637]},{"name":"IMP_Ibeam","features":[637]},{"name":"IMP_NoDrop","features":[637]},{"name":"IMP_SizeAll","features":[637]},{"name":"IMP_SizeNESW","features":[637]},{"name":"IMP_SizeNS","features":[637]},{"name":"IMP_SizeNWSE","features":[637]},{"name":"IMP_SizeWE","features":[637]},{"name":"IMP_UpArrow","features":[637]},{"name":"IMathInputControl","features":[359,637]},{"name":"INKEDIT_CLASS","features":[637]},{"name":"INKEDIT_CLASSW","features":[637]},{"name":"INKMETRIC","features":[308,637]},{"name":"INKRECOGNITIONPROPERTY_BOXNUMBER","features":[637]},{"name":"INKRECOGNITIONPROPERTY_CONFIDENCELEVEL","features":[637]},{"name":"INKRECOGNITIONPROPERTY_HOTPOINT","features":[637]},{"name":"INKRECOGNITIONPROPERTY_LINEMETRICS","features":[637]},{"name":"INKRECOGNITIONPROPERTY_LINENUMBER","features":[637]},{"name":"INKRECOGNITIONPROPERTY_MAXIMUMSTROKECOUNT","features":[637]},{"name":"INKRECOGNITIONPROPERTY_POINTSPERINCH","features":[637]},{"name":"INKRECOGNITIONPROPERTY_SEGMENTATION","features":[637]},{"name":"INK_METRIC_FLAGS","features":[637]},{"name":"INK_SERIALIZED_FORMAT","features":[637]},{"name":"IOAM_Behind","features":[637]},{"name":"IOAM_InFront","features":[637]},{"name":"IOEM_Delete","features":[637]},{"name":"IOEM_Ink","features":[637]},{"name":"IOEM_Select","features":[637]},{"name":"IOERM_PointErase","features":[637]},{"name":"IOERM_StrokeErase","features":[637]},{"name":"IPCM_Default","features":[637]},{"name":"IPCM_MaximumCompression","features":[637]},{"name":"IPCM_NoCompression","features":[637]},{"name":"IPF_Base64GIF","features":[637]},{"name":"IPF_Base64InkSerializedFormat","features":[637]},{"name":"IPF_GIF","features":[637]},{"name":"IPF_InkSerializedFormat","features":[637]},{"name":"IPSM_AutoSize","features":[637]},{"name":"IPSM_CenterImage","features":[637]},{"name":"IPSM_Normal","features":[637]},{"name":"IPSM_StretchImage","features":[637]},{"name":"IPT_Ball","features":[637]},{"name":"IPT_Rectangle","features":[637]},{"name":"IP_CURSOR_DOWN","features":[637]},{"name":"IP_INVERTED","features":[637]},{"name":"IP_MARGIN","features":[637]},{"name":"IPenInputPanel","features":[359,637]},{"name":"IRAS_All","features":[637]},{"name":"IRAS_DefaultCount","features":[637]},{"name":"IRAS_Start","features":[637]},{"name":"IRCACM_Full","features":[637]},{"name":"IRCACM_Prefix","features":[637]},{"name":"IRCACM_Random","features":[637]},{"name":"IRC_AdviseInkChange","features":[637]},{"name":"IRC_Alpha","features":[637]},{"name":"IRC_ArbitraryAngle","features":[637]},{"name":"IRC_Beta","features":[637]},{"name":"IRC_BoxedInput","features":[637]},{"name":"IRC_CharacterAutoCompletionInput","features":[637]},{"name":"IRC_Cursive","features":[637]},{"name":"IRC_DontCare","features":[637]},{"name":"IRC_DownAndLeft","features":[637]},{"name":"IRC_DownAndRight","features":[637]},{"name":"IRC_FreeInput","features":[637]},{"name":"IRC_Intermediate","features":[637]},{"name":"IRC_Lattice","features":[637]},{"name":"IRC_LeftAndDown","features":[637]},{"name":"IRC_LinedInput","features":[637]},{"name":"IRC_Object","features":[637]},{"name":"IRC_Personalizable","features":[637]},{"name":"IRC_Poor","features":[637]},{"name":"IRC_PrefersArbitraryAngle","features":[637]},{"name":"IRC_PrefersParagraphBreaking","features":[637]},{"name":"IRC_PrefersSegmentation","features":[637]},{"name":"IRC_RightAndDown","features":[637]},{"name":"IRC_StrokeReorder","features":[637]},{"name":"IRC_Strong","features":[637]},{"name":"IRC_TextPrediction","features":[637]},{"name":"IRM_AutoSpace","features":[637]},{"name":"IRM_Coerce","features":[637]},{"name":"IRM_DisablePersonalization","features":[637]},{"name":"IRM_LineMode","features":[637]},{"name":"IRM_Max","features":[637]},{"name":"IRM_None","features":[637]},{"name":"IRM_PrefixOk","features":[637]},{"name":"IRM_TopInkBreaksOnly","features":[637]},{"name":"IRM_WordModeOnly","features":[637]},{"name":"IRO_Black","features":[637]},{"name":"IRO_CopyPen","features":[637]},{"name":"IRO_MaskNotPen","features":[637]},{"name":"IRO_MaskPen","features":[637]},{"name":"IRO_MaskPenNot","features":[637]},{"name":"IRO_MergeNotPen","features":[637]},{"name":"IRO_MergePen","features":[637]},{"name":"IRO_MergePenNot","features":[637]},{"name":"IRO_NoOperation","features":[637]},{"name":"IRO_Not","features":[637]},{"name":"IRO_NotCopyPen","features":[637]},{"name":"IRO_NotMaskPen","features":[637]},{"name":"IRO_NotMergePen","features":[637]},{"name":"IRO_NotXOrPen","features":[637]},{"name":"IRO_White","features":[637]},{"name":"IRO_XOrPen","features":[637]},{"name":"IRS_InkAddedFailed","features":[637]},{"name":"IRS_Interrupted","features":[637]},{"name":"IRS_NoError","features":[637]},{"name":"IRS_ProcessFailed","features":[637]},{"name":"IRS_SetAutoCompletionModeFailed","features":[637]},{"name":"IRS_SetFactoidFailed","features":[637]},{"name":"IRS_SetFlagsFailed","features":[637]},{"name":"IRS_SetGuideFailed","features":[637]},{"name":"IRS_SetPrefixSuffixFailed","features":[637]},{"name":"IRS_SetStrokesFailed","features":[637]},{"name":"IRS_SetWordListFailed","features":[637]},{"name":"IRealTimeStylus","features":[637]},{"name":"IRealTimeStylus2","features":[637]},{"name":"IRealTimeStylus3","features":[637]},{"name":"IRealTimeStylusSynchronization","features":[637]},{"name":"ISC_AllElements","features":[637]},{"name":"ISC_FirstElement","features":[637]},{"name":"ISG_DoubleTap","features":[637]},{"name":"ISG_Drag","features":[637]},{"name":"ISG_Flick","features":[637]},{"name":"ISG_HoldEnter","features":[637]},{"name":"ISG_HoldLeave","features":[637]},{"name":"ISG_HoverEnter","features":[637]},{"name":"ISG_HoverLeave","features":[637]},{"name":"ISG_RightDrag","features":[637]},{"name":"ISG_RightTap","features":[637]},{"name":"ISG_Tap","features":[637]},{"name":"ISketchInk","features":[359,637]},{"name":"IStrokeBuilder","features":[637]},{"name":"IStylusAsyncPlugin","features":[637]},{"name":"IStylusPlugin","features":[637]},{"name":"IStylusSyncPlugin","features":[637]},{"name":"ITextInputPanel","features":[637]},{"name":"ITextInputPanelEventSink","features":[637]},{"name":"ITextInputPanelRunInfo","features":[637]},{"name":"ITipAutoCompleteClient","features":[637]},{"name":"ITipAutoCompleteProvider","features":[637]},{"name":"InPlace","features":[637]},{"name":"InPlaceDirection","features":[637]},{"name":"InPlaceDirection_Auto","features":[637]},{"name":"InPlaceDirection_Bottom","features":[637]},{"name":"InPlaceDirection_Top","features":[637]},{"name":"InPlaceState","features":[637]},{"name":"InPlaceState_Auto","features":[637]},{"name":"InPlaceState_Expanded","features":[637]},{"name":"InPlaceState_HoverTarget","features":[637]},{"name":"Ink","features":[637]},{"name":"InkApplicationGesture","features":[637]},{"name":"InkBoundingBoxMode","features":[637]},{"name":"InkClipboardFormats","features":[637]},{"name":"InkClipboardModes","features":[637]},{"name":"InkCollectionMode","features":[637]},{"name":"InkCollector","features":[637]},{"name":"InkCollectorClipInkToMargin","features":[637]},{"name":"InkCollectorDefaultMargin","features":[637]},{"name":"InkCollectorEventInterest","features":[637]},{"name":"InkCursorButtonState","features":[637]},{"name":"InkDisp","features":[637]},{"name":"InkDisplayMode","features":[637]},{"name":"InkDivider","features":[637]},{"name":"InkDivisionType","features":[637]},{"name":"InkDrawingAttributes","features":[637]},{"name":"InkEdit","features":[637]},{"name":"InkEditStatus","features":[637]},{"name":"InkExtractFlags","features":[637]},{"name":"InkInsertMode","features":[637]},{"name":"InkMaxTransparencyValue","features":[637]},{"name":"InkMinTransparencyValue","features":[637]},{"name":"InkMode","features":[637]},{"name":"InkMouseButton","features":[637]},{"name":"InkMousePointer","features":[637]},{"name":"InkOverlay","features":[637]},{"name":"InkOverlayAttachMode","features":[637]},{"name":"InkOverlayEditingMode","features":[637]},{"name":"InkOverlayEraserMode","features":[637]},{"name":"InkPenTip","features":[637]},{"name":"InkPersistenceCompressionMode","features":[637]},{"name":"InkPersistenceFormat","features":[637]},{"name":"InkPicture","features":[637]},{"name":"InkPictureSizeMode","features":[637]},{"name":"InkRasterOperation","features":[637]},{"name":"InkRecoGuide","features":[308,637]},{"name":"InkRecognitionAlternatesSelection","features":[637]},{"name":"InkRecognitionConfidence","features":[637]},{"name":"InkRecognitionModes","features":[637]},{"name":"InkRecognitionStatus","features":[637]},{"name":"InkRecognizerCapabilities","features":[637]},{"name":"InkRecognizerCharacterAutoCompletionMode","features":[637]},{"name":"InkRecognizerContext","features":[637]},{"name":"InkRecognizerGuide","features":[637]},{"name":"InkRecognizers","features":[637]},{"name":"InkRectangle","features":[637]},{"name":"InkRenderer","features":[637]},{"name":"InkSelectionConstants","features":[637]},{"name":"InkShiftKeyModifierFlags","features":[637]},{"name":"InkStrokes","features":[637]},{"name":"InkSystemGesture","features":[637]},{"name":"InkTablets","features":[637]},{"name":"InkTransform","features":[637]},{"name":"InkWordList","features":[637]},{"name":"InteractionMode","features":[637]},{"name":"InteractionMode_DockedBottom","features":[637]},{"name":"InteractionMode_DockedTop","features":[637]},{"name":"InteractionMode_Floating","features":[637]},{"name":"InteractionMode_InPlace","features":[637]},{"name":"IsStringSupported","features":[637]},{"name":"KEYMODIFIER","features":[637]},{"name":"KEYMODIFIER_ALTGR","features":[637]},{"name":"KEYMODIFIER_CONTROL","features":[637]},{"name":"KEYMODIFIER_EXT","features":[637]},{"name":"KEYMODIFIER_MENU","features":[637]},{"name":"KEYMODIFIER_SHIFT","features":[637]},{"name":"KEYMODIFIER_WIN","features":[637]},{"name":"LATTICE_METRICS","features":[308,637]},{"name":"LEFT_BUTTON","features":[637]},{"name":"LINE_METRICS","features":[637]},{"name":"LINE_SEGMENT","features":[308,637]},{"name":"LM_ASCENDER","features":[637]},{"name":"LM_BASELINE","features":[637]},{"name":"LM_DESCENDER","features":[637]},{"name":"LM_MIDLINE","features":[637]},{"name":"LoadCachedAttributes","features":[637]},{"name":"MAX_FRIENDLYNAME","features":[637]},{"name":"MAX_LANGUAGES","features":[637]},{"name":"MAX_PACKET_BUTTON_COUNT","features":[637]},{"name":"MAX_PACKET_PROPERTY_COUNT","features":[637]},{"name":"MAX_VENDORNAME","features":[637]},{"name":"MICROSOFT_PENINPUT_PANEL_PROPERTY_T","features":[637]},{"name":"MICROSOFT_TIP_COMBOBOXLIST_PROPERTY","features":[637]},{"name":"MICROSOFT_TIP_NO_INSERT_BUTTON_PROPERTY","features":[637]},{"name":"MICROSOFT_TIP_OPENING_MSG","features":[637]},{"name":"MICROSOFT_URL_EXPERIENCE_PROPERTY","features":[637]},{"name":"MICUIELEMENT","features":[637]},{"name":"MICUIELEMENTSTATE","features":[637]},{"name":"MICUIELEMENTSTATE_DISABLED","features":[637]},{"name":"MICUIELEMENTSTATE_HOT","features":[637]},{"name":"MICUIELEMENTSTATE_NORMAL","features":[637]},{"name":"MICUIELEMENTSTATE_PRESSED","features":[637]},{"name":"MICUIELEMENT_BUTTON_CANCEL","features":[637]},{"name":"MICUIELEMENT_BUTTON_CLEAR","features":[637]},{"name":"MICUIELEMENT_BUTTON_CORRECT","features":[637]},{"name":"MICUIELEMENT_BUTTON_ERASE","features":[637]},{"name":"MICUIELEMENT_BUTTON_INSERT","features":[637]},{"name":"MICUIELEMENT_BUTTON_REDO","features":[637]},{"name":"MICUIELEMENT_BUTTON_UNDO","features":[637]},{"name":"MICUIELEMENT_BUTTON_WRITE","features":[637]},{"name":"MICUIELEMENT_INKPANEL_BACKGROUND","features":[637]},{"name":"MICUIELEMENT_RESULTPANEL_BACKGROUND","features":[637]},{"name":"MIDDLE_BUTTON","features":[637]},{"name":"MakeWordList","features":[637]},{"name":"MathInputControl","features":[637]},{"name":"MouseButton","features":[637]},{"name":"NO_BUTTON","features":[637]},{"name":"NUM_FLICK_DIRECTIONS","features":[637]},{"name":"PACKET_DESCRIPTION","features":[637]},{"name":"PACKET_PROPERTY","features":[637]},{"name":"PROPERTY_METRICS","features":[637]},{"name":"PROPERTY_UNITS","features":[637]},{"name":"PROPERTY_UNITS_AMPERE","features":[637]},{"name":"PROPERTY_UNITS_CANDELA","features":[637]},{"name":"PROPERTY_UNITS_CENTIMETERS","features":[637]},{"name":"PROPERTY_UNITS_DEFAULT","features":[637]},{"name":"PROPERTY_UNITS_DEGREES","features":[637]},{"name":"PROPERTY_UNITS_ENGLINEAR","features":[637]},{"name":"PROPERTY_UNITS_ENGROTATION","features":[637]},{"name":"PROPERTY_UNITS_FAHRENHEIT","features":[637]},{"name":"PROPERTY_UNITS_GRAMS","features":[637]},{"name":"PROPERTY_UNITS_INCHES","features":[637]},{"name":"PROPERTY_UNITS_KELVIN","features":[637]},{"name":"PROPERTY_UNITS_POUNDS","features":[637]},{"name":"PROPERTY_UNITS_RADIANS","features":[637]},{"name":"PROPERTY_UNITS_SECONDS","features":[637]},{"name":"PROPERTY_UNITS_SILINEAR","features":[637]},{"name":"PROPERTY_UNITS_SIROTATION","features":[637]},{"name":"PROPERTY_UNITS_SLUGS","features":[637]},{"name":"PT_Default","features":[637]},{"name":"PT_Handwriting","features":[637]},{"name":"PT_Inactive","features":[637]},{"name":"PT_Keyboard","features":[637]},{"name":"PanelInputArea","features":[637]},{"name":"PanelInputArea_Auto","features":[637]},{"name":"PanelInputArea_CharacterPad","features":[637]},{"name":"PanelInputArea_Keyboard","features":[637]},{"name":"PanelInputArea_WritingPad","features":[637]},{"name":"PanelType","features":[637]},{"name":"PenInputPanel","features":[637]},{"name":"PenInputPanel_Internal","features":[637]},{"name":"PfnRecoCallback","features":[637]},{"name":"Process","features":[308,637]},{"name":"RECOCONF_HIGHCONFIDENCE","features":[637]},{"name":"RECOCONF_LOWCONFIDENCE","features":[637]},{"name":"RECOCONF_MEDIUMCONFIDENCE","features":[637]},{"name":"RECOCONF_NOTSET","features":[637]},{"name":"RECOFLAG_AUTOSPACE","features":[637]},{"name":"RECOFLAG_COERCE","features":[637]},{"name":"RECOFLAG_DISABLEPERSONALIZATION","features":[637]},{"name":"RECOFLAG_LINEMODE","features":[637]},{"name":"RECOFLAG_PREFIXOK","features":[637]},{"name":"RECOFLAG_SINGLESEG","features":[637]},{"name":"RECOFLAG_WORDMODE","features":[637]},{"name":"RECO_ATTRS","features":[637]},{"name":"RECO_GUIDE","features":[637]},{"name":"RECO_LATTICE","features":[637]},{"name":"RECO_LATTICE_COLUMN","features":[637]},{"name":"RECO_LATTICE_ELEMENT","features":[637]},{"name":"RECO_LATTICE_PROPERTIES","features":[637]},{"name":"RECO_LATTICE_PROPERTY","features":[637]},{"name":"RECO_RANGE","features":[637]},{"name":"RECO_TYPE","features":[637]},{"name":"RECO_TYPE_WCHAR","features":[637]},{"name":"RECO_TYPE_WSTRING","features":[637]},{"name":"RF_ADVISEINKCHANGE","features":[637]},{"name":"RF_ARBITRARY_ANGLE","features":[637]},{"name":"RF_BOXED_INPUT","features":[637]},{"name":"RF_CAC_INPUT","features":[637]},{"name":"RF_DONTCARE","features":[637]},{"name":"RF_DOWN_AND_LEFT","features":[637]},{"name":"RF_DOWN_AND_RIGHT","features":[637]},{"name":"RF_FREE_INPUT","features":[637]},{"name":"RF_LATTICE","features":[637]},{"name":"RF_LEFT_AND_DOWN","features":[637]},{"name":"RF_LINED_INPUT","features":[637]},{"name":"RF_OBJECT","features":[637]},{"name":"RF_PERFORMSLINEBREAKING","features":[637]},{"name":"RF_PERSONALIZABLE","features":[637]},{"name":"RF_REQUIRESSEGMENTATIONBREAKING","features":[637]},{"name":"RF_RIGHT_AND_DOWN","features":[637]},{"name":"RF_STROKEREORDER","features":[637]},{"name":"RIGHT_BUTTON","features":[637]},{"name":"RTSDI_AllData","features":[637]},{"name":"RTSDI_CustomStylusDataAdded","features":[637]},{"name":"RTSDI_DefaultEvents","features":[637]},{"name":"RTSDI_Error","features":[637]},{"name":"RTSDI_InAirPackets","features":[637]},{"name":"RTSDI_None","features":[637]},{"name":"RTSDI_Packets","features":[637]},{"name":"RTSDI_RealTimeStylusDisabled","features":[637]},{"name":"RTSDI_RealTimeStylusEnabled","features":[637]},{"name":"RTSDI_StylusButtonDown","features":[637]},{"name":"RTSDI_StylusButtonUp","features":[637]},{"name":"RTSDI_StylusDown","features":[637]},{"name":"RTSDI_StylusInRange","features":[637]},{"name":"RTSDI_StylusNew","features":[637]},{"name":"RTSDI_StylusOutOfRange","features":[637]},{"name":"RTSDI_StylusUp","features":[637]},{"name":"RTSDI_SystemEvents","features":[637]},{"name":"RTSDI_TabletAdded","features":[637]},{"name":"RTSDI_TabletRemoved","features":[637]},{"name":"RTSDI_UpdateMapping","features":[637]},{"name":"RTSLT_AsyncEventLock","features":[637]},{"name":"RTSLT_AsyncObjLock","features":[637]},{"name":"RTSLT_ExcludeCallback","features":[637]},{"name":"RTSLT_ObjLock","features":[637]},{"name":"RTSLT_SyncEventLock","features":[637]},{"name":"RTSLT_SyncObjLock","features":[637]},{"name":"RealTimeStylus","features":[637]},{"name":"RealTimeStylusDataInterest","features":[637]},{"name":"RealTimeStylusLockType","features":[637]},{"name":"SAFE_PARTIAL","features":[637]},{"name":"SCROLLDIRECTION","features":[637]},{"name":"SCROLLDIRECTION_DOWN","features":[637]},{"name":"SCROLLDIRECTION_UP","features":[637]},{"name":"SHR_E","features":[637]},{"name":"SHR_N","features":[637]},{"name":"SHR_NE","features":[637]},{"name":"SHR_NW","features":[637]},{"name":"SHR_None","features":[637]},{"name":"SHR_S","features":[637]},{"name":"SHR_SE","features":[637]},{"name":"SHR_SW","features":[637]},{"name":"SHR_Selection","features":[637]},{"name":"SHR_W","features":[637]},{"name":"STROKE_RANGE","features":[637]},{"name":"STR_GUID_ALTITUDEORIENTATION","features":[637]},{"name":"STR_GUID_AZIMUTHORIENTATION","features":[637]},{"name":"STR_GUID_BUTTONPRESSURE","features":[637]},{"name":"STR_GUID_DEVICE_CONTACT_ID","features":[637]},{"name":"STR_GUID_FINGERCONTACTCONFIDENCE","features":[637]},{"name":"STR_GUID_HEIGHT","features":[637]},{"name":"STR_GUID_NORMALPRESSURE","features":[637]},{"name":"STR_GUID_PAKETSTATUS","features":[637]},{"name":"STR_GUID_PITCHROTATION","features":[637]},{"name":"STR_GUID_ROLLROTATION","features":[637]},{"name":"STR_GUID_SERIALNUMBER","features":[637]},{"name":"STR_GUID_TANGENTPRESSURE","features":[637]},{"name":"STR_GUID_TIMERTICK","features":[637]},{"name":"STR_GUID_TWISTORIENTATION","features":[637]},{"name":"STR_GUID_WIDTH","features":[637]},{"name":"STR_GUID_X","features":[637]},{"name":"STR_GUID_XTILTORIENTATION","features":[637]},{"name":"STR_GUID_Y","features":[637]},{"name":"STR_GUID_YAWROTATION","features":[637]},{"name":"STR_GUID_YTILTORIENTATION","features":[637]},{"name":"STR_GUID_Z","features":[637]},{"name":"SYSTEM_EVENT_DATA","features":[637]},{"name":"ScrollBarsConstants","features":[637]},{"name":"SelAlignmentConstants","features":[637]},{"name":"SelectionHitResult","features":[637]},{"name":"SetEnabledUnicodeRanges","features":[637]},{"name":"SetFactoid","features":[637]},{"name":"SetFlags","features":[637]},{"name":"SetGuide","features":[637]},{"name":"SetTextContext","features":[637]},{"name":"SetWordList","features":[637]},{"name":"SketchInk","features":[637]},{"name":"StrokeBuilder","features":[637]},{"name":"StylusInfo","features":[308,637]},{"name":"StylusQueue","features":[637]},{"name":"SyncStylusQueue","features":[637]},{"name":"TABLET_DISABLE_FLICKFALLBACKKEYS","features":[637]},{"name":"TABLET_DISABLE_FLICKS","features":[637]},{"name":"TABLET_DISABLE_PENBARRELFEEDBACK","features":[637]},{"name":"TABLET_DISABLE_PENTAPFEEDBACK","features":[637]},{"name":"TABLET_DISABLE_PRESSANDHOLD","features":[637]},{"name":"TABLET_DISABLE_SMOOTHSCROLLING","features":[637]},{"name":"TABLET_DISABLE_TOUCHSWITCH","features":[637]},{"name":"TABLET_DISABLE_TOUCHUIFORCEOFF","features":[637]},{"name":"TABLET_DISABLE_TOUCHUIFORCEON","features":[637]},{"name":"TABLET_ENABLE_FLICKLEARNINGMODE","features":[637]},{"name":"TABLET_ENABLE_FLICKSONCONTEXT","features":[637]},{"name":"TABLET_ENABLE_MULTITOUCHDATA","features":[637]},{"name":"TCF_ALLOW_RECOGNITION","features":[637]},{"name":"TCF_FORCE_RECOGNITION","features":[637]},{"name":"TDK_Mouse","features":[637]},{"name":"TDK_Pen","features":[637]},{"name":"TDK_Touch","features":[637]},{"name":"THWC_CursorMustTouch","features":[637]},{"name":"THWC_CursorsHavePhysicalIds","features":[637]},{"name":"THWC_HardProximity","features":[637]},{"name":"THWC_Integrated","features":[637]},{"name":"TPMU_Centimeters","features":[637]},{"name":"TPMU_Default","features":[637]},{"name":"TPMU_Degrees","features":[637]},{"name":"TPMU_Grams","features":[637]},{"name":"TPMU_Inches","features":[637]},{"name":"TPMU_Pounds","features":[637]},{"name":"TPMU_Radians","features":[637]},{"name":"TPMU_Seconds","features":[637]},{"name":"TabletDeviceKind","features":[637]},{"name":"TabletHardwareCapabilities","features":[637]},{"name":"TabletPropertyMetricUnit","features":[637]},{"name":"TextInputPanel","features":[637]},{"name":"TipAutoCompleteClient","features":[637]},{"name":"VisualState","features":[637]},{"name":"WM_TABLET_ADDED","features":[637]},{"name":"WM_TABLET_DEFBASE","features":[637]},{"name":"WM_TABLET_DELETED","features":[637]},{"name":"WM_TABLET_FLICK","features":[637]},{"name":"WM_TABLET_MAXOFFSET","features":[637]},{"name":"WM_TABLET_QUERYSYSTEMGESTURESTATUS","features":[637]},{"name":"_IInkCollectorEvents","features":[359,637]},{"name":"_IInkEditEvents","features":[359,637]},{"name":"_IInkEvents","features":[359,637]},{"name":"_IInkOverlayEvents","features":[359,637]},{"name":"_IInkPictureEvents","features":[359,637]},{"name":"_IInkRecognitionEvents","features":[359,637]},{"name":"_IInkStrokesEvents","features":[359,637]},{"name":"_IMathInputControlEvents","features":[359,637]},{"name":"_IPenInputPanelEvents","features":[359,637]},{"name":"rtfBoth","features":[637]},{"name":"rtfCenter","features":[637]},{"name":"rtfFixedSingle","features":[637]},{"name":"rtfFlat","features":[637]},{"name":"rtfHorizontal","features":[637]},{"name":"rtfLeft","features":[637]},{"name":"rtfNoBorder","features":[637]},{"name":"rtfNone","features":[637]},{"name":"rtfRight","features":[637]},{"name":"rtfThreeD","features":[637]},{"name":"rtfVertical","features":[637]}],"671":[{"name":"ANCHOR_CHANGE_HISTORY_FLAGS","features":[625]},{"name":"AccClientDocMgr","features":[625]},{"name":"AccDictionary","features":[625]},{"name":"AccServerDocMgr","features":[625]},{"name":"AccStore","features":[625]},{"name":"CAND_CANCELED","features":[625]},{"name":"CAND_FINALIZED","features":[625]},{"name":"CAND_SELECTED","features":[625]},{"name":"CLSID_TF_CategoryMgr","features":[625]},{"name":"CLSID_TF_ClassicLangBar","features":[625]},{"name":"CLSID_TF_DisplayAttributeMgr","features":[625]},{"name":"CLSID_TF_InputProcessorProfiles","features":[625]},{"name":"CLSID_TF_LangBarItemMgr","features":[625]},{"name":"CLSID_TF_LangBarMgr","features":[625]},{"name":"CLSID_TF_ThreadMgr","features":[625]},{"name":"CLSID_TF_TransitoryExtensionUIEntry","features":[625]},{"name":"CLSID_TsfServices","features":[625]},{"name":"DCM_FLAGS_CTFMON","features":[625]},{"name":"DCM_FLAGS_LOCALTHREADTSF","features":[625]},{"name":"DCM_FLAGS_TASKENG","features":[625]},{"name":"DoMsCtfMonitor","features":[308,625]},{"name":"DocWrap","features":[625]},{"name":"GETIF_DICTGRAM","features":[625]},{"name":"GETIF_RECOCONTEXT","features":[625]},{"name":"GETIF_RECOGNIZER","features":[625]},{"name":"GETIF_RECOGNIZERNOINIT","features":[625]},{"name":"GETIF_RESMGR","features":[625]},{"name":"GETIF_VOICE","features":[625]},{"name":"GET_TEXT_AND_PROPERTY_UPDATES_FLAGS","features":[625]},{"name":"GUID_APP_FUNCTIONPROVIDER","features":[625]},{"name":"GUID_COMPARTMENT_CONVERSIONMODEBIAS","features":[625]},{"name":"GUID_COMPARTMENT_EMPTYCONTEXT","features":[625]},{"name":"GUID_COMPARTMENT_ENABLED_PROFILES_UPDATED","features":[625]},{"name":"GUID_COMPARTMENT_HANDWRITING_OPENCLOSE","features":[625]},{"name":"GUID_COMPARTMENT_KEYBOARD_DISABLED","features":[625]},{"name":"GUID_COMPARTMENT_KEYBOARD_INPUTMODE","features":[625]},{"name":"GUID_COMPARTMENT_KEYBOARD_INPUTMODE_CONVERSION","features":[625]},{"name":"GUID_COMPARTMENT_KEYBOARD_INPUTMODE_SENTENCE","features":[625]},{"name":"GUID_COMPARTMENT_KEYBOARD_OPENCLOSE","features":[625]},{"name":"GUID_COMPARTMENT_SAPI_AUDIO","features":[625]},{"name":"GUID_COMPARTMENT_SPEECH_CFGMENU","features":[625]},{"name":"GUID_COMPARTMENT_SPEECH_DISABLED","features":[625]},{"name":"GUID_COMPARTMENT_SPEECH_GLOBALSTATE","features":[625]},{"name":"GUID_COMPARTMENT_SPEECH_OPENCLOSE","features":[625]},{"name":"GUID_COMPARTMENT_SPEECH_UI_STATUS","features":[625]},{"name":"GUID_COMPARTMENT_TIPUISTATUS","features":[625]},{"name":"GUID_COMPARTMENT_TRANSITORYEXTENSION","features":[625]},{"name":"GUID_COMPARTMENT_TRANSITORYEXTENSION_DOCUMENTMANAGER","features":[625]},{"name":"GUID_COMPARTMENT_TRANSITORYEXTENSION_PARENT","features":[625]},{"name":"GUID_INTEGRATIONSTYLE_SEARCHBOX","features":[625]},{"name":"GUID_LBI_INPUTMODE","features":[625]},{"name":"GUID_LBI_SAPILAYR_CFGMENUBUTTON","features":[625]},{"name":"GUID_MODEBIAS_CHINESE","features":[625]},{"name":"GUID_MODEBIAS_CONVERSATION","features":[625]},{"name":"GUID_MODEBIAS_DATETIME","features":[625]},{"name":"GUID_MODEBIAS_FILENAME","features":[625]},{"name":"GUID_MODEBIAS_FULLWIDTHALPHANUMERIC","features":[625]},{"name":"GUID_MODEBIAS_FULLWIDTHHANGUL","features":[625]},{"name":"GUID_MODEBIAS_HALFWIDTHKATAKANA","features":[625]},{"name":"GUID_MODEBIAS_HANGUL","features":[625]},{"name":"GUID_MODEBIAS_HIRAGANA","features":[625]},{"name":"GUID_MODEBIAS_KATAKANA","features":[625]},{"name":"GUID_MODEBIAS_NAME","features":[625]},{"name":"GUID_MODEBIAS_NONE","features":[625]},{"name":"GUID_MODEBIAS_NUMERIC","features":[625]},{"name":"GUID_MODEBIAS_READING","features":[625]},{"name":"GUID_MODEBIAS_URLHISTORY","features":[625]},{"name":"GUID_PROP_ATTRIBUTE","features":[625]},{"name":"GUID_PROP_COMPOSING","features":[625]},{"name":"GUID_PROP_INPUTSCOPE","features":[625]},{"name":"GUID_PROP_LANGID","features":[625]},{"name":"GUID_PROP_MODEBIAS","features":[625]},{"name":"GUID_PROP_READING","features":[625]},{"name":"GUID_PROP_TEXTOWNER","features":[625]},{"name":"GUID_PROP_TKB_ALTERNATES","features":[625]},{"name":"GUID_SYSTEM_FUNCTIONPROVIDER","features":[625]},{"name":"GUID_TFCAT_CATEGORY_OF_TIP","features":[625]},{"name":"GUID_TFCAT_DISPLAYATTRIBUTEPROPERTY","features":[625]},{"name":"GUID_TFCAT_DISPLAYATTRIBUTEPROVIDER","features":[625]},{"name":"GUID_TFCAT_PROPSTYLE_STATIC","features":[625]},{"name":"GUID_TFCAT_PROP_AUDIODATA","features":[625]},{"name":"GUID_TFCAT_PROP_INKDATA","features":[625]},{"name":"GUID_TFCAT_TIPCAP_COMLESS","features":[625]},{"name":"GUID_TFCAT_TIPCAP_DUALMODE","features":[625]},{"name":"GUID_TFCAT_TIPCAP_IMMERSIVEONLY","features":[625]},{"name":"GUID_TFCAT_TIPCAP_IMMERSIVESUPPORT","features":[625]},{"name":"GUID_TFCAT_TIPCAP_INPUTMODECOMPARTMENT","features":[625]},{"name":"GUID_TFCAT_TIPCAP_LOCALSERVER","features":[625]},{"name":"GUID_TFCAT_TIPCAP_SECUREMODE","features":[625]},{"name":"GUID_TFCAT_TIPCAP_SYSTRAYSUPPORT","features":[625]},{"name":"GUID_TFCAT_TIPCAP_TSF3","features":[625]},{"name":"GUID_TFCAT_TIPCAP_UIELEMENTENABLED","features":[625]},{"name":"GUID_TFCAT_TIPCAP_WOW16","features":[625]},{"name":"GUID_TFCAT_TIP_HANDWRITING","features":[625]},{"name":"GUID_TFCAT_TIP_KEYBOARD","features":[625]},{"name":"GUID_TFCAT_TIP_SPEECH","features":[625]},{"name":"GUID_TFCAT_TRANSITORYEXTENSIONUI","features":[625]},{"name":"GUID_TS_SERVICE_ACCESSIBLE","features":[625]},{"name":"GUID_TS_SERVICE_ACTIVEX","features":[625]},{"name":"GUID_TS_SERVICE_DATAOBJECT","features":[625]},{"name":"GXFPF_NEAREST","features":[625]},{"name":"GXFPF_ROUND_NEAREST","features":[625]},{"name":"HKL","features":[625]},{"name":"IAccClientDocMgr","features":[625]},{"name":"IAccDictionary","features":[625]},{"name":"IAccServerDocMgr","features":[625]},{"name":"IAccStore","features":[625]},{"name":"IAnchor","features":[625]},{"name":"IClonableWrapper","features":[625]},{"name":"ICoCreateLocally","features":[625]},{"name":"ICoCreatedLocally","features":[625]},{"name":"IDocWrap","features":[625]},{"name":"IEnumITfCompositionView","features":[625]},{"name":"IEnumSpeechCommands","features":[625]},{"name":"IEnumTfCandidates","features":[625]},{"name":"IEnumTfContextViews","features":[625]},{"name":"IEnumTfContexts","features":[625]},{"name":"IEnumTfDisplayAttributeInfo","features":[625]},{"name":"IEnumTfDocumentMgrs","features":[625]},{"name":"IEnumTfFunctionProviders","features":[625]},{"name":"IEnumTfInputProcessorProfiles","features":[625]},{"name":"IEnumTfLangBarItems","features":[625]},{"name":"IEnumTfLanguageProfiles","features":[625]},{"name":"IEnumTfLatticeElements","features":[625]},{"name":"IEnumTfProperties","features":[625]},{"name":"IEnumTfPropertyValue","features":[625]},{"name":"IEnumTfRanges","features":[625]},{"name":"IEnumTfUIElements","features":[625]},{"name":"IInternalDocWrap","features":[625]},{"name":"ILMCM_CHECKLAYOUTANDTIPENABLED","features":[625]},{"name":"ILMCM_LANGUAGEBAROFF","features":[625]},{"name":"INSERT_TEXT_AT_SELECTION_FLAGS","features":[625]},{"name":"IS_ADDRESS_CITY","features":[625]},{"name":"IS_ADDRESS_COUNTRYNAME","features":[625]},{"name":"IS_ADDRESS_COUNTRYSHORTNAME","features":[625]},{"name":"IS_ADDRESS_FULLPOSTALADDRESS","features":[625]},{"name":"IS_ADDRESS_POSTALCODE","features":[625]},{"name":"IS_ADDRESS_STATEORPROVINCE","features":[625]},{"name":"IS_ADDRESS_STREET","features":[625]},{"name":"IS_ALPHANUMERIC_FULLWIDTH","features":[625]},{"name":"IS_ALPHANUMERIC_HALFWIDTH","features":[625]},{"name":"IS_ALPHANUMERIC_PIN","features":[625]},{"name":"IS_ALPHANUMERIC_PIN_SET","features":[625]},{"name":"IS_BOPOMOFO","features":[625]},{"name":"IS_CHAT","features":[625]},{"name":"IS_CHAT_WITHOUT_EMOJI","features":[625]},{"name":"IS_CHINESE_FULLWIDTH","features":[625]},{"name":"IS_CHINESE_HALFWIDTH","features":[625]},{"name":"IS_CURRENCY_AMOUNT","features":[625]},{"name":"IS_CURRENCY_AMOUNTANDSYMBOL","features":[625]},{"name":"IS_CURRENCY_CHINESE","features":[625]},{"name":"IS_DATE_DAY","features":[625]},{"name":"IS_DATE_DAYNAME","features":[625]},{"name":"IS_DATE_FULLDATE","features":[625]},{"name":"IS_DATE_MONTH","features":[625]},{"name":"IS_DATE_MONTHNAME","features":[625]},{"name":"IS_DATE_YEAR","features":[625]},{"name":"IS_DEFAULT","features":[625]},{"name":"IS_DIGITS","features":[625]},{"name":"IS_EMAILNAME_OR_ADDRESS","features":[625]},{"name":"IS_EMAIL_SMTPEMAILADDRESS","features":[625]},{"name":"IS_EMAIL_USERNAME","features":[625]},{"name":"IS_ENUMSTRING","features":[625]},{"name":"IS_FILE_FILENAME","features":[625]},{"name":"IS_FILE_FULLFILEPATH","features":[625]},{"name":"IS_FORMULA","features":[625]},{"name":"IS_FORMULA_NUMBER","features":[625]},{"name":"IS_HANGUL_FULLWIDTH","features":[625]},{"name":"IS_HANGUL_HALFWIDTH","features":[625]},{"name":"IS_HANJA","features":[625]},{"name":"IS_HIRAGANA","features":[625]},{"name":"IS_KATAKANA_FULLWIDTH","features":[625]},{"name":"IS_KATAKANA_HALFWIDTH","features":[625]},{"name":"IS_LOGINNAME","features":[625]},{"name":"IS_MAPS","features":[625]},{"name":"IS_NAME_OR_PHONENUMBER","features":[625]},{"name":"IS_NATIVE_SCRIPT","features":[625]},{"name":"IS_NUMBER","features":[625]},{"name":"IS_NUMBER_FULLWIDTH","features":[625]},{"name":"IS_NUMERIC_PASSWORD","features":[625]},{"name":"IS_NUMERIC_PIN","features":[625]},{"name":"IS_ONECHAR","features":[625]},{"name":"IS_PASSWORD","features":[625]},{"name":"IS_PERSONALNAME_FULLNAME","features":[625]},{"name":"IS_PERSONALNAME_GIVENNAME","features":[625]},{"name":"IS_PERSONALNAME_MIDDLENAME","features":[625]},{"name":"IS_PERSONALNAME_PREFIX","features":[625]},{"name":"IS_PERSONALNAME_SUFFIX","features":[625]},{"name":"IS_PERSONALNAME_SURNAME","features":[625]},{"name":"IS_PHRASELIST","features":[625]},{"name":"IS_PRIVATE","features":[625]},{"name":"IS_REGULAREXPRESSION","features":[625]},{"name":"IS_SEARCH","features":[625]},{"name":"IS_SEARCH_INCREMENTAL","features":[625]},{"name":"IS_SRGS","features":[625]},{"name":"IS_TELEPHONE_AREACODE","features":[625]},{"name":"IS_TELEPHONE_COUNTRYCODE","features":[625]},{"name":"IS_TELEPHONE_FULLTELEPHONENUMBER","features":[625]},{"name":"IS_TELEPHONE_LOCALNUMBER","features":[625]},{"name":"IS_TEXT","features":[625]},{"name":"IS_TIME_FULLTIME","features":[625]},{"name":"IS_TIME_HOUR","features":[625]},{"name":"IS_TIME_MINORSEC","features":[625]},{"name":"IS_URL","features":[625]},{"name":"IS_XML","features":[625]},{"name":"IS_YOMI","features":[625]},{"name":"ISpeechCommandProvider","features":[625]},{"name":"ITextStoreACP","features":[625]},{"name":"ITextStoreACP2","features":[625]},{"name":"ITextStoreACPEx","features":[625]},{"name":"ITextStoreACPServices","features":[625]},{"name":"ITextStoreACPSink","features":[625]},{"name":"ITextStoreACPSinkEx","features":[625]},{"name":"ITextStoreAnchor","features":[625]},{"name":"ITextStoreAnchorEx","features":[625]},{"name":"ITextStoreAnchorSink","features":[625]},{"name":"ITextStoreSinkAnchorEx","features":[625]},{"name":"ITfActiveLanguageProfileNotifySink","features":[625]},{"name":"ITfCandidateList","features":[625]},{"name":"ITfCandidateListUIElement","features":[625]},{"name":"ITfCandidateListUIElementBehavior","features":[625]},{"name":"ITfCandidateString","features":[625]},{"name":"ITfCategoryMgr","features":[625]},{"name":"ITfCleanupContextDurationSink","features":[625]},{"name":"ITfCleanupContextSink","features":[625]},{"name":"ITfClientId","features":[625]},{"name":"ITfCompartment","features":[625]},{"name":"ITfCompartmentEventSink","features":[625]},{"name":"ITfCompartmentMgr","features":[625]},{"name":"ITfComposition","features":[625]},{"name":"ITfCompositionSink","features":[625]},{"name":"ITfCompositionView","features":[625]},{"name":"ITfConfigureSystemKeystrokeFeed","features":[625]},{"name":"ITfContext","features":[625]},{"name":"ITfContextComposition","features":[625]},{"name":"ITfContextKeyEventSink","features":[625]},{"name":"ITfContextOwner","features":[625]},{"name":"ITfContextOwnerCompositionServices","features":[625]},{"name":"ITfContextOwnerCompositionSink","features":[625]},{"name":"ITfContextOwnerServices","features":[625]},{"name":"ITfContextView","features":[625]},{"name":"ITfCreatePropertyStore","features":[625]},{"name":"ITfDisplayAttributeInfo","features":[625]},{"name":"ITfDisplayAttributeMgr","features":[625]},{"name":"ITfDisplayAttributeNotifySink","features":[625]},{"name":"ITfDisplayAttributeProvider","features":[625]},{"name":"ITfDocumentMgr","features":[625]},{"name":"ITfEditRecord","features":[625]},{"name":"ITfEditSession","features":[625]},{"name":"ITfEditTransactionSink","features":[625]},{"name":"ITfFnAdviseText","features":[625]},{"name":"ITfFnBalloon","features":[625]},{"name":"ITfFnConfigure","features":[625]},{"name":"ITfFnConfigureRegisterEudc","features":[625]},{"name":"ITfFnConfigureRegisterWord","features":[625]},{"name":"ITfFnCustomSpeechCommand","features":[625]},{"name":"ITfFnGetLinguisticAlternates","features":[625]},{"name":"ITfFnGetPreferredTouchKeyboardLayout","features":[625]},{"name":"ITfFnGetSAPIObject","features":[625]},{"name":"ITfFnLMInternal","features":[625]},{"name":"ITfFnLMProcessor","features":[625]},{"name":"ITfFnLangProfileUtil","features":[625]},{"name":"ITfFnPlayBack","features":[625]},{"name":"ITfFnPropertyUIStatus","features":[625]},{"name":"ITfFnReconversion","features":[625]},{"name":"ITfFnSearchCandidateProvider","features":[625]},{"name":"ITfFnShowHelp","features":[625]},{"name":"ITfFunction","features":[625]},{"name":"ITfFunctionProvider","features":[625]},{"name":"ITfInputProcessorProfileActivationSink","features":[625]},{"name":"ITfInputProcessorProfileMgr","features":[625]},{"name":"ITfInputProcessorProfileSubstituteLayout","features":[625]},{"name":"ITfInputProcessorProfiles","features":[625]},{"name":"ITfInputProcessorProfilesEx","features":[625]},{"name":"ITfInputScope","features":[625]},{"name":"ITfInputScope2","features":[625]},{"name":"ITfInsertAtSelection","features":[625]},{"name":"ITfIntegratableCandidateListUIElement","features":[625]},{"name":"ITfKeyEventSink","features":[625]},{"name":"ITfKeyTraceEventSink","features":[625]},{"name":"ITfKeystrokeMgr","features":[625]},{"name":"ITfLMLattice","features":[625]},{"name":"ITfLangBarEventSink","features":[625]},{"name":"ITfLangBarItem","features":[625]},{"name":"ITfLangBarItemBalloon","features":[625]},{"name":"ITfLangBarItemBitmap","features":[625]},{"name":"ITfLangBarItemBitmapButton","features":[625]},{"name":"ITfLangBarItemButton","features":[625]},{"name":"ITfLangBarItemMgr","features":[625]},{"name":"ITfLangBarItemSink","features":[625]},{"name":"ITfLangBarMgr","features":[625]},{"name":"ITfLanguageProfileNotifySink","features":[625]},{"name":"ITfMSAAControl","features":[625]},{"name":"ITfMenu","features":[625]},{"name":"ITfMessagePump","features":[625]},{"name":"ITfMouseSink","features":[625]},{"name":"ITfMouseTracker","features":[625]},{"name":"ITfMouseTrackerACP","features":[625]},{"name":"ITfPersistentPropertyLoaderACP","features":[625]},{"name":"ITfPreservedKeyNotifySink","features":[625]},{"name":"ITfProperty","features":[625]},{"name":"ITfPropertyStore","features":[625]},{"name":"ITfQueryEmbedded","features":[625]},{"name":"ITfRange","features":[625]},{"name":"ITfRangeACP","features":[625]},{"name":"ITfRangeBackup","features":[625]},{"name":"ITfReadOnlyProperty","features":[625]},{"name":"ITfReadingInformationUIElement","features":[625]},{"name":"ITfReverseConversion","features":[625]},{"name":"ITfReverseConversionList","features":[625]},{"name":"ITfReverseConversionMgr","features":[625]},{"name":"ITfSource","features":[625]},{"name":"ITfSourceSingle","features":[625]},{"name":"ITfSpeechUIServer","features":[625]},{"name":"ITfStatusSink","features":[625]},{"name":"ITfSystemDeviceTypeLangBarItem","features":[625]},{"name":"ITfSystemLangBarItem","features":[625]},{"name":"ITfSystemLangBarItemSink","features":[625]},{"name":"ITfSystemLangBarItemText","features":[625]},{"name":"ITfTextEditSink","features":[625]},{"name":"ITfTextInputProcessor","features":[625]},{"name":"ITfTextInputProcessorEx","features":[625]},{"name":"ITfTextLayoutSink","features":[625]},{"name":"ITfThreadFocusSink","features":[625]},{"name":"ITfThreadMgr","features":[625]},{"name":"ITfThreadMgr2","features":[625]},{"name":"ITfThreadMgrEventSink","features":[625]},{"name":"ITfThreadMgrEx","features":[625]},{"name":"ITfToolTipUIElement","features":[625]},{"name":"ITfTransitoryExtensionSink","features":[625]},{"name":"ITfTransitoryExtensionUIElement","features":[625]},{"name":"ITfUIElement","features":[625]},{"name":"ITfUIElementMgr","features":[625]},{"name":"ITfUIElementSink","features":[625]},{"name":"IUIManagerEventSink","features":[625]},{"name":"IVersionInfo","features":[625]},{"name":"InitLocalMsCtfMonitor","features":[625]},{"name":"InputScope","features":[625]},{"name":"LANG_BAR_ITEM_ICON_MODE_FLAGS","features":[625]},{"name":"LIBID_MSAATEXTLib","features":[625]},{"name":"MSAAControl","features":[625]},{"name":"STYLE_ACTIVE_SELECTION","features":[625]},{"name":"STYLE_IMPLIED_SELECTION","features":[625]},{"name":"TEXT_STORE_CHANGE_FLAGS","features":[625]},{"name":"TEXT_STORE_LOCK_FLAGS","features":[625]},{"name":"TEXT_STORE_TEXT_CHANGE_FLAGS","features":[625]},{"name":"TF_AE_END","features":[625]},{"name":"TF_AE_NONE","features":[625]},{"name":"TF_AE_START","features":[625]},{"name":"TF_ANCHOR_END","features":[625]},{"name":"TF_ANCHOR_START","features":[625]},{"name":"TF_ATTR_CONVERTED","features":[625]},{"name":"TF_ATTR_FIXEDCONVERTED","features":[625]},{"name":"TF_ATTR_INPUT","features":[625]},{"name":"TF_ATTR_INPUT_ERROR","features":[625]},{"name":"TF_ATTR_OTHER","features":[625]},{"name":"TF_ATTR_TARGET_CONVERTED","features":[625]},{"name":"TF_ATTR_TARGET_NOTCONVERTED","features":[625]},{"name":"TF_CHAR_EMBEDDED","features":[625]},{"name":"TF_CLUIE_COUNT","features":[625]},{"name":"TF_CLUIE_CURRENTPAGE","features":[625]},{"name":"TF_CLUIE_DOCUMENTMGR","features":[625]},{"name":"TF_CLUIE_PAGEINDEX","features":[625]},{"name":"TF_CLUIE_SELECTION","features":[625]},{"name":"TF_CLUIE_STRING","features":[625]},{"name":"TF_COMMANDING_ENABLED","features":[625]},{"name":"TF_COMMANDING_ON","features":[625]},{"name":"TF_CONTEXT_EDIT_CONTEXT_FLAGS","features":[625]},{"name":"TF_CONVERSIONMODE_ALPHANUMERIC","features":[625]},{"name":"TF_CONVERSIONMODE_CHARCODE","features":[625]},{"name":"TF_CONVERSIONMODE_EUDC","features":[625]},{"name":"TF_CONVERSIONMODE_FIXED","features":[625]},{"name":"TF_CONVERSIONMODE_FULLSHAPE","features":[625]},{"name":"TF_CONVERSIONMODE_KATAKANA","features":[625]},{"name":"TF_CONVERSIONMODE_NATIVE","features":[625]},{"name":"TF_CONVERSIONMODE_NOCONVERSION","features":[625]},{"name":"TF_CONVERSIONMODE_ROMAN","features":[625]},{"name":"TF_CONVERSIONMODE_SOFTKEYBOARD","features":[625]},{"name":"TF_CONVERSIONMODE_SYMBOL","features":[625]},{"name":"TF_CT_COLORREF","features":[625]},{"name":"TF_CT_NONE","features":[625]},{"name":"TF_CT_SYSCOLOR","features":[625]},{"name":"TF_DA_ATTR_INFO","features":[625]},{"name":"TF_DA_COLOR","features":[308,625]},{"name":"TF_DA_COLORTYPE","features":[625]},{"name":"TF_DA_LINESTYLE","features":[625]},{"name":"TF_DEFAULT_SELECTION","features":[625]},{"name":"TF_DICTATION_ENABLED","features":[625]},{"name":"TF_DICTATION_ON","features":[625]},{"name":"TF_DISABLE_BALLOON","features":[625]},{"name":"TF_DISABLE_COMMANDING","features":[625]},{"name":"TF_DISABLE_DICTATION","features":[625]},{"name":"TF_DISABLE_SPEECH","features":[625]},{"name":"TF_DISPLAYATTRIBUTE","features":[308,625]},{"name":"TF_DTLBI_NONE","features":[625]},{"name":"TF_DTLBI_USEPROFILEICON","features":[625]},{"name":"TF_ENABLE_PROCESS_ATOM","features":[625]},{"name":"TF_ES_ASYNC","features":[625]},{"name":"TF_ES_ASYNCDONTCARE","features":[625]},{"name":"TF_ES_READ","features":[625]},{"name":"TF_ES_READWRITE","features":[625]},{"name":"TF_ES_SYNC","features":[625]},{"name":"TF_E_ALREADY_EXISTS","features":[625]},{"name":"TF_E_COMPOSITION_REJECTED","features":[625]},{"name":"TF_E_DISCONNECTED","features":[625]},{"name":"TF_E_EMPTYCONTEXT","features":[625]},{"name":"TF_E_FORMAT","features":[625]},{"name":"TF_E_INVALIDPOINT","features":[625]},{"name":"TF_E_INVALIDPOS","features":[625]},{"name":"TF_E_INVALIDVIEW","features":[625]},{"name":"TF_E_LOCKED","features":[625]},{"name":"TF_E_NOCONVERSION","features":[625]},{"name":"TF_E_NOINTERFACE","features":[625]},{"name":"TF_E_NOLAYOUT","features":[625]},{"name":"TF_E_NOLOCK","features":[625]},{"name":"TF_E_NOOBJECT","features":[625]},{"name":"TF_E_NOPROVIDER","features":[625]},{"name":"TF_E_NOSELECTION","features":[625]},{"name":"TF_E_NOSERVICE","features":[625]},{"name":"TF_E_NOTOWNEDRANGE","features":[625]},{"name":"TF_E_RANGE_NOT_COVERED","features":[625]},{"name":"TF_E_READONLY","features":[625]},{"name":"TF_E_STACKFULL","features":[625]},{"name":"TF_E_SYNCHRONOUS","features":[625]},{"name":"TF_FLOATINGLANGBAR_WNDTITLE","features":[625]},{"name":"TF_FLOATINGLANGBAR_WNDTITLEA","features":[625]},{"name":"TF_FLOATINGLANGBAR_WNDTITLEW","features":[625]},{"name":"TF_GRAVITY_BACKWARD","features":[625]},{"name":"TF_GRAVITY_FORWARD","features":[625]},{"name":"TF_GTP_INCL_TEXT","features":[625]},{"name":"TF_GTP_NONE","features":[625]},{"name":"TF_HALTCOND","features":[625]},{"name":"TF_HF_OBJECT","features":[625]},{"name":"TF_IAS_NOQUERY","features":[625]},{"name":"TF_IAS_NO_DEFAULT_COMPOSITION","features":[625]},{"name":"TF_IAS_QUERYONLY","features":[625]},{"name":"TF_IE_CORRECTION","features":[625]},{"name":"TF_INPUTPROCESSORPROFILE","features":[625]},{"name":"TF_INVALID_COOKIE","features":[625]},{"name":"TF_INVALID_EDIT_COOKIE","features":[625]},{"name":"TF_IPPMF_DISABLEPROFILE","features":[625]},{"name":"TF_IPPMF_DONTCARECURRENTINPUTLANGUAGE","features":[625]},{"name":"TF_IPPMF_ENABLEPROFILE","features":[625]},{"name":"TF_IPPMF_FORPROCESS","features":[625]},{"name":"TF_IPPMF_FORSESSION","features":[625]},{"name":"TF_IPPMF_FORSYSTEMALL","features":[625]},{"name":"TF_IPP_CAPS_COMLESSSUPPORT","features":[625]},{"name":"TF_IPP_CAPS_DISABLEONTRANSITORY","features":[625]},{"name":"TF_IPP_CAPS_IMMERSIVESUPPORT","features":[625]},{"name":"TF_IPP_CAPS_SECUREMODESUPPORT","features":[625]},{"name":"TF_IPP_CAPS_SYSTRAYSUPPORT","features":[625]},{"name":"TF_IPP_CAPS_UIELEMENTENABLED","features":[625]},{"name":"TF_IPP_CAPS_WOW16SUPPORT","features":[625]},{"name":"TF_IPP_FLAG_ACTIVE","features":[625]},{"name":"TF_IPP_FLAG_ENABLED","features":[625]},{"name":"TF_IPP_FLAG_SUBSTITUTEDBYINPUTPROCESSOR","features":[625]},{"name":"TF_IPSINK_FLAG_ACTIVE","features":[625]},{"name":"TF_LANGBARITEMINFO","features":[625]},{"name":"TF_LANGUAGEPROFILE","features":[308,625]},{"name":"TF_LBBALLOONINFO","features":[625]},{"name":"TF_LBI_BALLOON","features":[625]},{"name":"TF_LBI_BITMAP","features":[625]},{"name":"TF_LBI_BMPF_VERTICAL","features":[625]},{"name":"TF_LBI_CLK_LEFT","features":[625]},{"name":"TF_LBI_CLK_RIGHT","features":[625]},{"name":"TF_LBI_CUSTOMUI","features":[625]},{"name":"TF_LBI_DESC_MAXLEN","features":[625]},{"name":"TF_LBI_ICON","features":[625]},{"name":"TF_LBI_STATUS","features":[625]},{"name":"TF_LBI_STATUS_BTN_TOGGLED","features":[625]},{"name":"TF_LBI_STATUS_DISABLED","features":[625]},{"name":"TF_LBI_STATUS_HIDDEN","features":[625]},{"name":"TF_LBI_STYLE_BTN_BUTTON","features":[625]},{"name":"TF_LBI_STYLE_BTN_MENU","features":[625]},{"name":"TF_LBI_STYLE_BTN_TOGGLE","features":[625]},{"name":"TF_LBI_STYLE_HIDDENBYDEFAULT","features":[625]},{"name":"TF_LBI_STYLE_HIDDENSTATUSCONTROL","features":[625]},{"name":"TF_LBI_STYLE_HIDEONNOOTHERITEMS","features":[625]},{"name":"TF_LBI_STYLE_SHOWNINTRAY","features":[625]},{"name":"TF_LBI_STYLE_SHOWNINTRAYONLY","features":[625]},{"name":"TF_LBI_STYLE_TEXTCOLORICON","features":[625]},{"name":"TF_LBI_TEXT","features":[625]},{"name":"TF_LBI_TOOLTIP","features":[625]},{"name":"TF_LBMENUF_CHECKED","features":[625]},{"name":"TF_LBMENUF_GRAYED","features":[625]},{"name":"TF_LBMENUF_RADIOCHECKED","features":[625]},{"name":"TF_LBMENUF_SEPARATOR","features":[625]},{"name":"TF_LBMENUF_SUBMENU","features":[625]},{"name":"TF_LB_BALLOON_MISS","features":[625]},{"name":"TF_LB_BALLOON_RECO","features":[625]},{"name":"TF_LB_BALLOON_SHOW","features":[625]},{"name":"TF_LC_CHANGE","features":[625]},{"name":"TF_LC_CREATE","features":[625]},{"name":"TF_LC_DESTROY","features":[625]},{"name":"TF_LMLATTELEMENT","features":[625]},{"name":"TF_LS_DASH","features":[625]},{"name":"TF_LS_DOT","features":[625]},{"name":"TF_LS_NONE","features":[625]},{"name":"TF_LS_SOLID","features":[625]},{"name":"TF_LS_SQUIGGLE","features":[625]},{"name":"TF_MENUREADY","features":[625]},{"name":"TF_MOD_ALT","features":[625]},{"name":"TF_MOD_CONTROL","features":[625]},{"name":"TF_MOD_IGNORE_ALL_MODIFIER","features":[625]},{"name":"TF_MOD_LALT","features":[625]},{"name":"TF_MOD_LCONTROL","features":[625]},{"name":"TF_MOD_LSHIFT","features":[625]},{"name":"TF_MOD_ON_KEYUP","features":[625]},{"name":"TF_MOD_RALT","features":[625]},{"name":"TF_MOD_RCONTROL","features":[625]},{"name":"TF_MOD_RSHIFT","features":[625]},{"name":"TF_MOD_SHIFT","features":[625]},{"name":"TF_PERSISTENT_PROPERTY_HEADER_ACP","features":[625]},{"name":"TF_POPF_ALL","features":[625]},{"name":"TF_PRESERVEDKEY","features":[625]},{"name":"TF_PROCESS_ATOM","features":[625]},{"name":"TF_PROFILETYPE_INPUTPROCESSOR","features":[625]},{"name":"TF_PROFILETYPE_KEYBOARDLAYOUT","features":[625]},{"name":"TF_PROFILE_ARRAY","features":[625]},{"name":"TF_PROFILE_CANTONESE","features":[625]},{"name":"TF_PROFILE_CHANGJIE","features":[625]},{"name":"TF_PROFILE_DAYI","features":[625]},{"name":"TF_PROFILE_NEWCHANGJIE","features":[625]},{"name":"TF_PROFILE_NEWPHONETIC","features":[625]},{"name":"TF_PROFILE_NEWQUICK","features":[625]},{"name":"TF_PROFILE_PHONETIC","features":[625]},{"name":"TF_PROFILE_PINYIN","features":[625]},{"name":"TF_PROFILE_QUICK","features":[625]},{"name":"TF_PROFILE_SIMPLEFAST","features":[625]},{"name":"TF_PROFILE_TIGRINYA","features":[625]},{"name":"TF_PROFILE_WUBI","features":[625]},{"name":"TF_PROFILE_YI","features":[625]},{"name":"TF_PROPERTYVAL","features":[625]},{"name":"TF_PROPUI_STATUS_SAVETOFILE","features":[625]},{"name":"TF_RCM_COMLESS","features":[625]},{"name":"TF_RCM_HINT_COLLISION","features":[625]},{"name":"TF_RCM_HINT_READING_LENGTH","features":[625]},{"name":"TF_RCM_VKEY","features":[625]},{"name":"TF_RIP_FLAG_FREEUNUSEDLIBRARIES","features":[625]},{"name":"TF_RIUIE_CONTEXT","features":[625]},{"name":"TF_RIUIE_ERRORINDEX","features":[625]},{"name":"TF_RIUIE_MAXREADINGSTRINGLENGTH","features":[625]},{"name":"TF_RIUIE_STRING","features":[625]},{"name":"TF_RIUIE_VERTICALORDER","features":[625]},{"name":"TF_RP_HIDDENINSETTINGUI","features":[625]},{"name":"TF_RP_LOCALPROCESS","features":[625]},{"name":"TF_RP_LOCALTHREAD","features":[625]},{"name":"TF_RP_SUBITEMINSETTINGUI","features":[625]},{"name":"TF_SD_BACKWARD","features":[625]},{"name":"TF_SD_FORWARD","features":[625]},{"name":"TF_SD_LOADING","features":[625]},{"name":"TF_SD_READONLY","features":[625]},{"name":"TF_SELECTION","features":[308,625]},{"name":"TF_SELECTIONSTYLE","features":[308,625]},{"name":"TF_SENTENCEMODE_AUTOMATIC","features":[625]},{"name":"TF_SENTENCEMODE_CONVERSATION","features":[625]},{"name":"TF_SENTENCEMODE_NONE","features":[625]},{"name":"TF_SENTENCEMODE_PHRASEPREDICT","features":[625]},{"name":"TF_SENTENCEMODE_PLAURALCLAUSE","features":[625]},{"name":"TF_SENTENCEMODE_SINGLECONVERT","features":[625]},{"name":"TF_SFT_DESKBAND","features":[625]},{"name":"TF_SFT_DOCK","features":[625]},{"name":"TF_SFT_EXTRAICONSONMINIMIZED","features":[625]},{"name":"TF_SFT_HIDDEN","features":[625]},{"name":"TF_SFT_HIGHTRANSPARENCY","features":[625]},{"name":"TF_SFT_LABELS","features":[625]},{"name":"TF_SFT_LOWTRANSPARENCY","features":[625]},{"name":"TF_SFT_MINIMIZED","features":[625]},{"name":"TF_SFT_NOEXTRAICONSONMINIMIZED","features":[625]},{"name":"TF_SFT_NOLABELS","features":[625]},{"name":"TF_SFT_NOTRANSPARENCY","features":[625]},{"name":"TF_SFT_SHOWNORMAL","features":[625]},{"name":"TF_SHOW_BALLOON","features":[625]},{"name":"TF_SPEECHUI_SHOWN","features":[625]},{"name":"TF_SS_DISJOINTSEL","features":[625]},{"name":"TF_SS_REGIONS","features":[625]},{"name":"TF_SS_TKBAUTOCORRECTENABLE","features":[625]},{"name":"TF_SS_TKBPREDICTIONENABLE","features":[625]},{"name":"TF_SS_TRANSITORY","features":[625]},{"name":"TF_ST_CORRECTION","features":[625]},{"name":"TF_S_ASYNC","features":[625]},{"name":"TF_TF_IGNOREEND","features":[625]},{"name":"TF_TF_MOVESTART","features":[625]},{"name":"TF_TMAE_COMLESS","features":[625]},{"name":"TF_TMAE_CONSOLE","features":[625]},{"name":"TF_TMAE_NOACTIVATEKEYBOARDLAYOUT","features":[625]},{"name":"TF_TMAE_NOACTIVATETIP","features":[625]},{"name":"TF_TMAE_SECUREMODE","features":[625]},{"name":"TF_TMAE_UIELEMENTENABLEDONLY","features":[625]},{"name":"TF_TMAE_WOW16","features":[625]},{"name":"TF_TMF_ACTIVATED","features":[625]},{"name":"TF_TMF_COMLESS","features":[625]},{"name":"TF_TMF_CONSOLE","features":[625]},{"name":"TF_TMF_IMMERSIVEMODE","features":[625]},{"name":"TF_TMF_NOACTIVATETIP","features":[625]},{"name":"TF_TMF_SECUREMODE","features":[625]},{"name":"TF_TMF_UIELEMENTENABLEDONLY","features":[625]},{"name":"TF_TMF_WOW16","features":[625]},{"name":"TF_TRANSITORYEXTENSION_ATSELECTION","features":[625]},{"name":"TF_TRANSITORYEXTENSION_FLOATING","features":[625]},{"name":"TF_TRANSITORYEXTENSION_NONE","features":[625]},{"name":"TF_TU_CORRECTION","features":[625]},{"name":"TF_URP_ALLPROFILES","features":[625]},{"name":"TF_URP_LOCALPROCESS","features":[625]},{"name":"TF_URP_LOCALTHREAD","features":[625]},{"name":"TF_US_HIDETIPUI","features":[625]},{"name":"TKBLT_CLASSIC","features":[625]},{"name":"TKBLT_OPTIMIZED","features":[625]},{"name":"TKBLT_UNDEFINED","features":[625]},{"name":"TKBL_CLASSIC_TRADITIONAL_CHINESE_CHANGJIE","features":[625]},{"name":"TKBL_CLASSIC_TRADITIONAL_CHINESE_DAYI","features":[625]},{"name":"TKBL_CLASSIC_TRADITIONAL_CHINESE_PHONETIC","features":[625]},{"name":"TKBL_OPT_JAPANESE_ABC","features":[625]},{"name":"TKBL_OPT_KOREAN_HANGUL_2_BULSIK","features":[625]},{"name":"TKBL_OPT_SIMPLIFIED_CHINESE_PINYIN","features":[625]},{"name":"TKBL_OPT_TRADITIONAL_CHINESE_PHONETIC","features":[625]},{"name":"TKBL_UNDEFINED","features":[625]},{"name":"TKBLayoutType","features":[625]},{"name":"TKB_ALTERNATES_AUTOCORRECTION_APPLIED","features":[625]},{"name":"TKB_ALTERNATES_FOR_AUTOCORRECTION","features":[625]},{"name":"TKB_ALTERNATES_FOR_PREDICTION","features":[625]},{"name":"TKB_ALTERNATES_STANDARD","features":[625]},{"name":"TSATTRID_App","features":[625]},{"name":"TSATTRID_App_IncorrectGrammar","features":[625]},{"name":"TSATTRID_App_IncorrectSpelling","features":[625]},{"name":"TSATTRID_Font","features":[625]},{"name":"TSATTRID_Font_FaceName","features":[625]},{"name":"TSATTRID_Font_SizePts","features":[625]},{"name":"TSATTRID_Font_Style","features":[625]},{"name":"TSATTRID_Font_Style_Animation","features":[625]},{"name":"TSATTRID_Font_Style_Animation_BlinkingBackground","features":[625]},{"name":"TSATTRID_Font_Style_Animation_LasVegasLights","features":[625]},{"name":"TSATTRID_Font_Style_Animation_MarchingBlackAnts","features":[625]},{"name":"TSATTRID_Font_Style_Animation_MarchingRedAnts","features":[625]},{"name":"TSATTRID_Font_Style_Animation_Shimmer","features":[625]},{"name":"TSATTRID_Font_Style_Animation_SparkleText","features":[625]},{"name":"TSATTRID_Font_Style_Animation_WipeDown","features":[625]},{"name":"TSATTRID_Font_Style_Animation_WipeRight","features":[625]},{"name":"TSATTRID_Font_Style_BackgroundColor","features":[625]},{"name":"TSATTRID_Font_Style_Blink","features":[625]},{"name":"TSATTRID_Font_Style_Bold","features":[625]},{"name":"TSATTRID_Font_Style_Capitalize","features":[625]},{"name":"TSATTRID_Font_Style_Color","features":[625]},{"name":"TSATTRID_Font_Style_Emboss","features":[625]},{"name":"TSATTRID_Font_Style_Engrave","features":[625]},{"name":"TSATTRID_Font_Style_Height","features":[625]},{"name":"TSATTRID_Font_Style_Hidden","features":[625]},{"name":"TSATTRID_Font_Style_Italic","features":[625]},{"name":"TSATTRID_Font_Style_Kerning","features":[625]},{"name":"TSATTRID_Font_Style_Lowercase","features":[625]},{"name":"TSATTRID_Font_Style_Outlined","features":[625]},{"name":"TSATTRID_Font_Style_Overline","features":[625]},{"name":"TSATTRID_Font_Style_Overline_Double","features":[625]},{"name":"TSATTRID_Font_Style_Overline_Single","features":[625]},{"name":"TSATTRID_Font_Style_Position","features":[625]},{"name":"TSATTRID_Font_Style_Protected","features":[625]},{"name":"TSATTRID_Font_Style_Shadow","features":[625]},{"name":"TSATTRID_Font_Style_SmallCaps","features":[625]},{"name":"TSATTRID_Font_Style_Spacing","features":[625]},{"name":"TSATTRID_Font_Style_Strikethrough","features":[625]},{"name":"TSATTRID_Font_Style_Strikethrough_Double","features":[625]},{"name":"TSATTRID_Font_Style_Strikethrough_Single","features":[625]},{"name":"TSATTRID_Font_Style_Subscript","features":[625]},{"name":"TSATTRID_Font_Style_Superscript","features":[625]},{"name":"TSATTRID_Font_Style_Underline","features":[625]},{"name":"TSATTRID_Font_Style_Underline_Double","features":[625]},{"name":"TSATTRID_Font_Style_Underline_Single","features":[625]},{"name":"TSATTRID_Font_Style_Uppercase","features":[625]},{"name":"TSATTRID_Font_Style_Weight","features":[625]},{"name":"TSATTRID_List","features":[625]},{"name":"TSATTRID_List_LevelIndel","features":[625]},{"name":"TSATTRID_List_Type","features":[625]},{"name":"TSATTRID_List_Type_Arabic","features":[625]},{"name":"TSATTRID_List_Type_Bullet","features":[625]},{"name":"TSATTRID_List_Type_LowerLetter","features":[625]},{"name":"TSATTRID_List_Type_LowerRoman","features":[625]},{"name":"TSATTRID_List_Type_UpperLetter","features":[625]},{"name":"TSATTRID_List_Type_UpperRoman","features":[625]},{"name":"TSATTRID_OTHERS","features":[625]},{"name":"TSATTRID_Text","features":[625]},{"name":"TSATTRID_Text_Alignment","features":[625]},{"name":"TSATTRID_Text_Alignment_Center","features":[625]},{"name":"TSATTRID_Text_Alignment_Justify","features":[625]},{"name":"TSATTRID_Text_Alignment_Left","features":[625]},{"name":"TSATTRID_Text_Alignment_Right","features":[625]},{"name":"TSATTRID_Text_EmbeddedObject","features":[625]},{"name":"TSATTRID_Text_Hyphenation","features":[625]},{"name":"TSATTRID_Text_Language","features":[625]},{"name":"TSATTRID_Text_Link","features":[625]},{"name":"TSATTRID_Text_Orientation","features":[625]},{"name":"TSATTRID_Text_Para","features":[625]},{"name":"TSATTRID_Text_Para_FirstLineIndent","features":[625]},{"name":"TSATTRID_Text_Para_LeftIndent","features":[625]},{"name":"TSATTRID_Text_Para_LineSpacing","features":[625]},{"name":"TSATTRID_Text_Para_LineSpacing_AtLeast","features":[625]},{"name":"TSATTRID_Text_Para_LineSpacing_Double","features":[625]},{"name":"TSATTRID_Text_Para_LineSpacing_Exactly","features":[625]},{"name":"TSATTRID_Text_Para_LineSpacing_Multiple","features":[625]},{"name":"TSATTRID_Text_Para_LineSpacing_OnePtFive","features":[625]},{"name":"TSATTRID_Text_Para_LineSpacing_Single","features":[625]},{"name":"TSATTRID_Text_Para_RightIndent","features":[625]},{"name":"TSATTRID_Text_Para_SpaceAfter","features":[625]},{"name":"TSATTRID_Text_Para_SpaceBefore","features":[625]},{"name":"TSATTRID_Text_ReadOnly","features":[625]},{"name":"TSATTRID_Text_RightToLeft","features":[625]},{"name":"TSATTRID_Text_VerticalWriting","features":[625]},{"name":"TS_AE_END","features":[625]},{"name":"TS_AE_NONE","features":[625]},{"name":"TS_AE_START","features":[625]},{"name":"TS_AS_ATTR_CHANGE","features":[625]},{"name":"TS_AS_LAYOUT_CHANGE","features":[625]},{"name":"TS_AS_SEL_CHANGE","features":[625]},{"name":"TS_AS_STATUS_CHANGE","features":[625]},{"name":"TS_AS_TEXT_CHANGE","features":[625]},{"name":"TS_ATTRVAL","features":[625]},{"name":"TS_ATTR_FIND_BACKWARDS","features":[625]},{"name":"TS_ATTR_FIND_HIDDEN","features":[625]},{"name":"TS_ATTR_FIND_UPDATESTART","features":[625]},{"name":"TS_ATTR_FIND_WANT_END","features":[625]},{"name":"TS_ATTR_FIND_WANT_OFFSET","features":[625]},{"name":"TS_ATTR_FIND_WANT_VALUE","features":[625]},{"name":"TS_CHAR_EMBEDDED","features":[625]},{"name":"TS_CHAR_REGION","features":[625]},{"name":"TS_CHAR_REPLACEMENT","features":[625]},{"name":"TS_CH_FOLLOWING_DEL","features":[625]},{"name":"TS_CH_PRECEDING_DEL","features":[625]},{"name":"TS_DEFAULT_SELECTION","features":[625]},{"name":"TS_E_FORMAT","features":[625]},{"name":"TS_E_INVALIDPOINT","features":[625]},{"name":"TS_E_INVALIDPOS","features":[625]},{"name":"TS_E_NOINTERFACE","features":[625]},{"name":"TS_E_NOLAYOUT","features":[625]},{"name":"TS_E_NOLOCK","features":[625]},{"name":"TS_E_NOOBJECT","features":[625]},{"name":"TS_E_NOSELECTION","features":[625]},{"name":"TS_E_NOSERVICE","features":[625]},{"name":"TS_E_READONLY","features":[625]},{"name":"TS_E_SYNCHRONOUS","features":[625]},{"name":"TS_GEA_HIDDEN","features":[625]},{"name":"TS_GR_BACKWARD","features":[625]},{"name":"TS_GR_FORWARD","features":[625]},{"name":"TS_GTA_HIDDEN","features":[625]},{"name":"TS_IAS_NOQUERY","features":[625]},{"name":"TS_IAS_QUERYONLY","features":[625]},{"name":"TS_IE_COMPOSITION","features":[625]},{"name":"TS_IE_CORRECTION","features":[625]},{"name":"TS_LC_CHANGE","features":[625]},{"name":"TS_LC_CREATE","features":[625]},{"name":"TS_LC_DESTROY","features":[625]},{"name":"TS_LF_READ","features":[625]},{"name":"TS_LF_READWRITE","features":[625]},{"name":"TS_LF_SYNC","features":[625]},{"name":"TS_RT_HIDDEN","features":[625]},{"name":"TS_RT_OPAQUE","features":[625]},{"name":"TS_RT_PLAIN","features":[625]},{"name":"TS_RUNINFO","features":[625]},{"name":"TS_SD_BACKWARD","features":[625]},{"name":"TS_SD_EMBEDDEDHANDWRITINGVIEW_ENABLED","features":[625]},{"name":"TS_SD_EMBEDDEDHANDWRITINGVIEW_VISIBLE","features":[625]},{"name":"TS_SD_FORWARD","features":[625]},{"name":"TS_SD_INPUTPANEMANUALDISPLAYENABLE","features":[625]},{"name":"TS_SD_LOADING","features":[625]},{"name":"TS_SD_READONLY","features":[625]},{"name":"TS_SD_RESERVED","features":[625]},{"name":"TS_SD_TKBAUTOCORRECTENABLE","features":[625]},{"name":"TS_SD_TKBPREDICTIONENABLE","features":[625]},{"name":"TS_SD_UIINTEGRATIONENABLE","features":[625]},{"name":"TS_SELECTIONSTYLE","features":[308,625]},{"name":"TS_SELECTION_ACP","features":[308,625]},{"name":"TS_SELECTION_ANCHOR","features":[308,625]},{"name":"TS_SHIFT_COUNT_HIDDEN","features":[625]},{"name":"TS_SHIFT_COUNT_ONLY","features":[625]},{"name":"TS_SHIFT_HALT_HIDDEN","features":[625]},{"name":"TS_SHIFT_HALT_VISIBLE","features":[625]},{"name":"TS_SS_DISJOINTSEL","features":[625]},{"name":"TS_SS_NOHIDDENTEXT","features":[625]},{"name":"TS_SS_REGIONS","features":[625]},{"name":"TS_SS_TKBAUTOCORRECTENABLE","features":[625]},{"name":"TS_SS_TKBPREDICTIONENABLE","features":[625]},{"name":"TS_SS_TRANSITORY","features":[625]},{"name":"TS_SS_UWPCONTROL","features":[625]},{"name":"TS_STATUS","features":[625]},{"name":"TS_STRF_END","features":[625]},{"name":"TS_STRF_MID","features":[625]},{"name":"TS_STRF_START","features":[625]},{"name":"TS_ST_CORRECTION","features":[625]},{"name":"TS_ST_NONE","features":[625]},{"name":"TS_S_ASYNC","features":[625]},{"name":"TS_TC_CORRECTION","features":[625]},{"name":"TS_TC_NONE","features":[625]},{"name":"TS_TEXTCHANGE","features":[625]},{"name":"TS_VCOOKIE_NUL","features":[625]},{"name":"TfActiveSelEnd","features":[625]},{"name":"TfAnchor","features":[625]},{"name":"TfCandidateResult","features":[625]},{"name":"TfGravity","features":[625]},{"name":"TfIntegratableCandidateListSelectionStyle","features":[625]},{"name":"TfLBBalloonStyle","features":[625]},{"name":"TfLBIClick","features":[625]},{"name":"TfLayoutCode","features":[625]},{"name":"TfSapiObject","features":[625]},{"name":"TfShiftDir","features":[625]},{"name":"TsActiveSelEnd","features":[625]},{"name":"TsGravity","features":[625]},{"name":"TsLayoutCode","features":[625]},{"name":"TsRunType","features":[625]},{"name":"TsShiftDir","features":[625]},{"name":"UninitLocalMsCtfMonitor","features":[625]}],"672":[{"name":"ACCEL","features":[370]},{"name":"ACCEL_VIRT_FLAGS","features":[370]},{"name":"ALTTABINFO","features":[308,370]},{"name":"ANIMATE_WINDOW_FLAGS","features":[370]},{"name":"ANIMATIONINFO","features":[370]},{"name":"ARW_BOTTOMLEFT","features":[370]},{"name":"ARW_BOTTOMRIGHT","features":[370]},{"name":"ARW_DOWN","features":[370]},{"name":"ARW_HIDE","features":[370]},{"name":"ARW_LEFT","features":[370]},{"name":"ARW_RIGHT","features":[370]},{"name":"ARW_STARTMASK","features":[370]},{"name":"ARW_STARTRIGHT","features":[370]},{"name":"ARW_STARTTOP","features":[370]},{"name":"ARW_TOPLEFT","features":[370]},{"name":"ARW_TOPRIGHT","features":[370]},{"name":"ARW_UP","features":[370]},{"name":"ASFW_ANY","features":[370]},{"name":"AUDIODESCRIPTION","features":[308,370]},{"name":"AW_ACTIVATE","features":[370]},{"name":"AW_BLEND","features":[370]},{"name":"AW_CENTER","features":[370]},{"name":"AW_HIDE","features":[370]},{"name":"AW_HOR_NEGATIVE","features":[370]},{"name":"AW_HOR_POSITIVE","features":[370]},{"name":"AW_SLIDE","features":[370]},{"name":"AW_VER_NEGATIVE","features":[370]},{"name":"AW_VER_POSITIVE","features":[370]},{"name":"AdjustWindowRect","features":[308,370]},{"name":"AdjustWindowRectEx","features":[308,370]},{"name":"AllowSetForegroundWindow","features":[308,370]},{"name":"AnimateWindow","features":[308,370]},{"name":"AnyPopup","features":[308,370]},{"name":"AppendMenuA","features":[308,370]},{"name":"AppendMenuW","features":[308,370]},{"name":"ArrangeIconicWindows","features":[308,370]},{"name":"BM_CLICK","features":[370]},{"name":"BM_GETCHECK","features":[370]},{"name":"BM_GETIMAGE","features":[370]},{"name":"BM_GETSTATE","features":[370]},{"name":"BM_SETCHECK","features":[370]},{"name":"BM_SETDONTCLICK","features":[370]},{"name":"BM_SETIMAGE","features":[370]},{"name":"BM_SETSTATE","features":[370]},{"name":"BM_SETSTYLE","features":[370]},{"name":"BN_CLICKED","features":[370]},{"name":"BN_DBLCLK","features":[370]},{"name":"BN_DISABLE","features":[370]},{"name":"BN_DOUBLECLICKED","features":[370]},{"name":"BN_HILITE","features":[370]},{"name":"BN_KILLFOCUS","features":[370]},{"name":"BN_PAINT","features":[370]},{"name":"BN_PUSHED","features":[370]},{"name":"BN_SETFOCUS","features":[370]},{"name":"BN_UNHILITE","features":[370]},{"name":"BN_UNPUSHED","features":[370]},{"name":"BROADCAST_QUERY_DENY","features":[370]},{"name":"BSF_MSGSRV32ISOK","features":[370]},{"name":"BSF_MSGSRV32ISOK_BIT","features":[370]},{"name":"BSM_INSTALLABLEDRIVERS","features":[370]},{"name":"BSM_NETDRIVER","features":[370]},{"name":"BSM_VXDS","features":[370]},{"name":"BST_FOCUS","features":[370]},{"name":"BST_PUSHED","features":[370]},{"name":"BS_3STATE","features":[370]},{"name":"BS_AUTO3STATE","features":[370]},{"name":"BS_AUTOCHECKBOX","features":[370]},{"name":"BS_AUTORADIOBUTTON","features":[370]},{"name":"BS_BITMAP","features":[370]},{"name":"BS_BOTTOM","features":[370]},{"name":"BS_CENTER","features":[370]},{"name":"BS_CHECKBOX","features":[370]},{"name":"BS_DEFPUSHBUTTON","features":[370]},{"name":"BS_FLAT","features":[370]},{"name":"BS_GROUPBOX","features":[370]},{"name":"BS_ICON","features":[370]},{"name":"BS_LEFT","features":[370]},{"name":"BS_LEFTTEXT","features":[370]},{"name":"BS_MULTILINE","features":[370]},{"name":"BS_NOTIFY","features":[370]},{"name":"BS_OWNERDRAW","features":[370]},{"name":"BS_PUSHBOX","features":[370]},{"name":"BS_PUSHBUTTON","features":[370]},{"name":"BS_PUSHLIKE","features":[370]},{"name":"BS_RADIOBUTTON","features":[370]},{"name":"BS_RIGHT","features":[370]},{"name":"BS_RIGHTBUTTON","features":[370]},{"name":"BS_TEXT","features":[370]},{"name":"BS_TOP","features":[370]},{"name":"BS_TYPEMASK","features":[370]},{"name":"BS_USERBUTTON","features":[370]},{"name":"BS_VCENTER","features":[370]},{"name":"BeginDeferWindowPos","features":[370]},{"name":"BringWindowToTop","features":[308,370]},{"name":"CALERT_SYSTEM","features":[370]},{"name":"CASCADE_WINDOWS_HOW","features":[370]},{"name":"CBN_CLOSEUP","features":[370]},{"name":"CBN_DBLCLK","features":[370]},{"name":"CBN_DROPDOWN","features":[370]},{"name":"CBN_EDITCHANGE","features":[370]},{"name":"CBN_EDITUPDATE","features":[370]},{"name":"CBN_ERRSPACE","features":[370]},{"name":"CBN_KILLFOCUS","features":[370]},{"name":"CBN_SELCHANGE","features":[370]},{"name":"CBN_SELENDCANCEL","features":[370]},{"name":"CBN_SELENDOK","features":[370]},{"name":"CBN_SETFOCUS","features":[370]},{"name":"CBS_AUTOHSCROLL","features":[370]},{"name":"CBS_DISABLENOSCROLL","features":[370]},{"name":"CBS_DROPDOWN","features":[370]},{"name":"CBS_DROPDOWNLIST","features":[370]},{"name":"CBS_HASSTRINGS","features":[370]},{"name":"CBS_LOWERCASE","features":[370]},{"name":"CBS_NOINTEGRALHEIGHT","features":[370]},{"name":"CBS_OEMCONVERT","features":[370]},{"name":"CBS_OWNERDRAWFIXED","features":[370]},{"name":"CBS_OWNERDRAWVARIABLE","features":[370]},{"name":"CBS_SIMPLE","features":[370]},{"name":"CBS_SORT","features":[370]},{"name":"CBS_UPPERCASE","features":[370]},{"name":"CBTACTIVATESTRUCT","features":[308,370]},{"name":"CBT_CREATEWNDA","features":[308,370]},{"name":"CBT_CREATEWNDW","features":[308,370]},{"name":"CB_ADDSTRING","features":[370]},{"name":"CB_DELETESTRING","features":[370]},{"name":"CB_DIR","features":[370]},{"name":"CB_ERR","features":[370]},{"name":"CB_ERRSPACE","features":[370]},{"name":"CB_FINDSTRING","features":[370]},{"name":"CB_FINDSTRINGEXACT","features":[370]},{"name":"CB_GETCOMBOBOXINFO","features":[370]},{"name":"CB_GETCOUNT","features":[370]},{"name":"CB_GETCURSEL","features":[370]},{"name":"CB_GETDROPPEDCONTROLRECT","features":[370]},{"name":"CB_GETDROPPEDSTATE","features":[370]},{"name":"CB_GETDROPPEDWIDTH","features":[370]},{"name":"CB_GETEDITSEL","features":[370]},{"name":"CB_GETEXTENDEDUI","features":[370]},{"name":"CB_GETHORIZONTALEXTENT","features":[370]},{"name":"CB_GETITEMDATA","features":[370]},{"name":"CB_GETITEMHEIGHT","features":[370]},{"name":"CB_GETLBTEXT","features":[370]},{"name":"CB_GETLBTEXTLEN","features":[370]},{"name":"CB_GETLOCALE","features":[370]},{"name":"CB_GETTOPINDEX","features":[370]},{"name":"CB_INITSTORAGE","features":[370]},{"name":"CB_INSERTSTRING","features":[370]},{"name":"CB_LIMITTEXT","features":[370]},{"name":"CB_MSGMAX","features":[370]},{"name":"CB_MULTIPLEADDSTRING","features":[370]},{"name":"CB_OKAY","features":[370]},{"name":"CB_RESETCONTENT","features":[370]},{"name":"CB_SELECTSTRING","features":[370]},{"name":"CB_SETCURSEL","features":[370]},{"name":"CB_SETDROPPEDWIDTH","features":[370]},{"name":"CB_SETEDITSEL","features":[370]},{"name":"CB_SETEXTENDEDUI","features":[370]},{"name":"CB_SETHORIZONTALEXTENT","features":[370]},{"name":"CB_SETITEMDATA","features":[370]},{"name":"CB_SETITEMHEIGHT","features":[370]},{"name":"CB_SETLOCALE","features":[370]},{"name":"CB_SETTOPINDEX","features":[370]},{"name":"CB_SHOWDROPDOWN","features":[370]},{"name":"CCHILDREN_SCROLLBAR","features":[370]},{"name":"CCHILDREN_TITLEBAR","features":[370]},{"name":"CHANGEFILTERSTRUCT","features":[370]},{"name":"CHANGE_WINDOW_MESSAGE_FILTER_FLAGS","features":[370]},{"name":"CHILDID_SELF","features":[370]},{"name":"CLIENTCREATESTRUCT","features":[308,370]},{"name":"CONSOLE_APPLICATION_16BIT","features":[370]},{"name":"CONSOLE_CARET_SELECTION","features":[370]},{"name":"CONSOLE_CARET_VISIBLE","features":[370]},{"name":"CONTACTVISUALIZATION_OFF","features":[370]},{"name":"CONTACTVISUALIZATION_ON","features":[370]},{"name":"CONTACTVISUALIZATION_PRESENTATIONMODE","features":[370]},{"name":"CREATEPROCESS_MANIFEST_RESOURCE_ID","features":[370]},{"name":"CREATESTRUCTA","features":[308,370]},{"name":"CREATESTRUCTW","features":[308,370]},{"name":"CSOUND_SYSTEM","features":[370]},{"name":"CS_BYTEALIGNCLIENT","features":[370]},{"name":"CS_BYTEALIGNWINDOW","features":[370]},{"name":"CS_CLASSDC","features":[370]},{"name":"CS_DBLCLKS","features":[370]},{"name":"CS_DROPSHADOW","features":[370]},{"name":"CS_GLOBALCLASS","features":[370]},{"name":"CS_HREDRAW","features":[370]},{"name":"CS_IME","features":[370]},{"name":"CS_NOCLOSE","features":[370]},{"name":"CS_OWNDC","features":[370]},{"name":"CS_PARENTDC","features":[370]},{"name":"CS_SAVEBITS","features":[370]},{"name":"CS_VREDRAW","features":[370]},{"name":"CTLCOLOR_BTN","features":[370]},{"name":"CTLCOLOR_DLG","features":[370]},{"name":"CTLCOLOR_EDIT","features":[370]},{"name":"CTLCOLOR_LISTBOX","features":[370]},{"name":"CTLCOLOR_MAX","features":[370]},{"name":"CTLCOLOR_MSGBOX","features":[370]},{"name":"CTLCOLOR_SCROLLBAR","features":[370]},{"name":"CTLCOLOR_STATIC","features":[370]},{"name":"CURSORINFO","features":[308,370]},{"name":"CURSORINFO_FLAGS","features":[370]},{"name":"CURSORSHAPE","features":[370]},{"name":"CURSOR_CREATION_SCALING_DEFAULT","features":[370]},{"name":"CURSOR_CREATION_SCALING_NONE","features":[370]},{"name":"CURSOR_SHOWING","features":[370]},{"name":"CURSOR_SUPPRESSED","features":[370]},{"name":"CWF_CREATE_ONLY","features":[370]},{"name":"CWPRETSTRUCT","features":[308,370]},{"name":"CWPSTRUCT","features":[308,370]},{"name":"CWP_ALL","features":[370]},{"name":"CWP_FLAGS","features":[370]},{"name":"CWP_SKIPDISABLED","features":[370]},{"name":"CWP_SKIPINVISIBLE","features":[370]},{"name":"CWP_SKIPTRANSPARENT","features":[370]},{"name":"CW_USEDEFAULT","features":[370]},{"name":"CalculatePopupWindowPosition","features":[308,370]},{"name":"CallMsgFilterA","features":[308,370]},{"name":"CallMsgFilterW","features":[308,370]},{"name":"CallNextHookEx","features":[308,370]},{"name":"CallWindowProcA","features":[308,370]},{"name":"CallWindowProcW","features":[308,370]},{"name":"CancelShutdown","features":[308,370]},{"name":"CascadeWindows","features":[308,370]},{"name":"ChangeMenuA","features":[308,370]},{"name":"ChangeMenuW","features":[308,370]},{"name":"ChangeWindowMessageFilter","features":[308,370]},{"name":"ChangeWindowMessageFilterEx","features":[308,370]},{"name":"CharLowerA","features":[370]},{"name":"CharLowerBuffA","features":[370]},{"name":"CharLowerBuffW","features":[370]},{"name":"CharLowerW","features":[370]},{"name":"CharNextA","features":[370]},{"name":"CharNextExA","features":[370]},{"name":"CharNextW","features":[370]},{"name":"CharPrevA","features":[370]},{"name":"CharPrevExA","features":[370]},{"name":"CharPrevW","features":[370]},{"name":"CharToOemA","features":[308,370]},{"name":"CharToOemBuffA","features":[308,370]},{"name":"CharToOemBuffW","features":[308,370]},{"name":"CharToOemW","features":[308,370]},{"name":"CharUpperA","features":[370]},{"name":"CharUpperBuffA","features":[370]},{"name":"CharUpperBuffW","features":[370]},{"name":"CharUpperW","features":[370]},{"name":"CheckMenuItem","features":[370]},{"name":"CheckMenuRadioItem","features":[308,370]},{"name":"ChildWindowFromPoint","features":[308,370]},{"name":"ChildWindowFromPointEx","features":[308,370]},{"name":"ClipCursor","features":[308,370]},{"name":"CloseWindow","features":[308,370]},{"name":"CopyAcceleratorTableA","features":[370]},{"name":"CopyAcceleratorTableW","features":[370]},{"name":"CopyIcon","features":[370]},{"name":"CopyImage","features":[308,370]},{"name":"CreateAcceleratorTableA","features":[370]},{"name":"CreateAcceleratorTableW","features":[370]},{"name":"CreateCaret","features":[308,319,370]},{"name":"CreateCursor","features":[308,370]},{"name":"CreateDialogIndirectParamA","features":[308,370]},{"name":"CreateDialogIndirectParamW","features":[308,370]},{"name":"CreateDialogParamA","features":[308,370]},{"name":"CreateDialogParamW","features":[308,370]},{"name":"CreateIcon","features":[308,370]},{"name":"CreateIconFromResource","features":[308,370]},{"name":"CreateIconFromResourceEx","features":[308,370]},{"name":"CreateIconIndirect","features":[308,319,370]},{"name":"CreateMDIWindowA","features":[308,370]},{"name":"CreateMDIWindowW","features":[308,370]},{"name":"CreateMenu","features":[370]},{"name":"CreatePopupMenu","features":[370]},{"name":"CreateResourceIndexer","features":[370]},{"name":"CreateWindowExA","features":[308,370]},{"name":"CreateWindowExW","features":[308,370]},{"name":"DBTF_MEDIA","features":[370]},{"name":"DBTF_NET","features":[370]},{"name":"DBTF_RESOURCE","features":[370]},{"name":"DBTF_SLOWNET","features":[370]},{"name":"DBTF_XPORT","features":[370]},{"name":"DBT_APPYBEGIN","features":[370]},{"name":"DBT_APPYEND","features":[370]},{"name":"DBT_CONFIGCHANGECANCELED","features":[370]},{"name":"DBT_CONFIGCHANGED","features":[370]},{"name":"DBT_CONFIGMGAPI32","features":[370]},{"name":"DBT_CONFIGMGPRIVATE","features":[370]},{"name":"DBT_CUSTOMEVENT","features":[370]},{"name":"DBT_DEVICEARRIVAL","features":[370]},{"name":"DBT_DEVICEQUERYREMOVE","features":[370]},{"name":"DBT_DEVICEQUERYREMOVEFAILED","features":[370]},{"name":"DBT_DEVICEREMOVECOMPLETE","features":[370]},{"name":"DBT_DEVICEREMOVEPENDING","features":[370]},{"name":"DBT_DEVICETYPESPECIFIC","features":[370]},{"name":"DBT_DEVNODES_CHANGED","features":[370]},{"name":"DBT_DEVTYP_DEVICEINTERFACE","features":[370]},{"name":"DBT_DEVTYP_DEVNODE","features":[370]},{"name":"DBT_DEVTYP_HANDLE","features":[370]},{"name":"DBT_DEVTYP_NET","features":[370]},{"name":"DBT_DEVTYP_OEM","features":[370]},{"name":"DBT_DEVTYP_PORT","features":[370]},{"name":"DBT_DEVTYP_VOLUME","features":[370]},{"name":"DBT_LOW_DISK_SPACE","features":[370]},{"name":"DBT_MONITORCHANGE","features":[370]},{"name":"DBT_NO_DISK_SPACE","features":[370]},{"name":"DBT_QUERYCHANGECONFIG","features":[370]},{"name":"DBT_SHELLLOGGEDON","features":[370]},{"name":"DBT_USERDEFINED","features":[370]},{"name":"DBT_VOLLOCKLOCKFAILED","features":[370]},{"name":"DBT_VOLLOCKLOCKRELEASED","features":[370]},{"name":"DBT_VOLLOCKLOCKTAKEN","features":[370]},{"name":"DBT_VOLLOCKQUERYLOCK","features":[370]},{"name":"DBT_VOLLOCKQUERYUNLOCK","features":[370]},{"name":"DBT_VOLLOCKUNLOCKFAILED","features":[370]},{"name":"DBT_VPOWERDAPI","features":[370]},{"name":"DBT_VXDINITCOMPLETE","features":[370]},{"name":"DCX_EXCLUDEUPDATE","features":[370]},{"name":"DC_HASDEFID","features":[370]},{"name":"DEBUGHOOKINFO","features":[308,370]},{"name":"DEVICE_EVENT_BECOMING_READY","features":[370]},{"name":"DEVICE_EVENT_EXTERNAL_REQUEST","features":[370]},{"name":"DEVICE_EVENT_GENERIC_DATA","features":[370]},{"name":"DEVICE_EVENT_MOUNT","features":[370]},{"name":"DEVICE_EVENT_RBC_DATA","features":[370]},{"name":"DEVICE_NOTIFY_ALL_INTERFACE_CLASSES","features":[370]},{"name":"DEVICE_NOTIFY_CALLBACK","features":[370]},{"name":"DEVICE_NOTIFY_SERVICE_HANDLE","features":[370]},{"name":"DEVICE_NOTIFY_WINDOW_HANDLE","features":[370]},{"name":"DEV_BROADCAST_DEVICEINTERFACE_A","features":[370]},{"name":"DEV_BROADCAST_DEVICEINTERFACE_W","features":[370]},{"name":"DEV_BROADCAST_DEVNODE","features":[370]},{"name":"DEV_BROADCAST_HANDLE","features":[308,370]},{"name":"DEV_BROADCAST_HANDLE32","features":[370]},{"name":"DEV_BROADCAST_HANDLE64","features":[370]},{"name":"DEV_BROADCAST_HDR","features":[370]},{"name":"DEV_BROADCAST_HDR_DEVICE_TYPE","features":[370]},{"name":"DEV_BROADCAST_NET","features":[370]},{"name":"DEV_BROADCAST_OEM","features":[370]},{"name":"DEV_BROADCAST_PORT_A","features":[370]},{"name":"DEV_BROADCAST_PORT_W","features":[370]},{"name":"DEV_BROADCAST_VOLUME","features":[370]},{"name":"DEV_BROADCAST_VOLUME_FLAGS","features":[370]},{"name":"DIFFERENCE","features":[370]},{"name":"DISK_HEALTH_NOTIFICATION_DATA","features":[370]},{"name":"DI_COMPAT","features":[370]},{"name":"DI_DEFAULTSIZE","features":[370]},{"name":"DI_FLAGS","features":[370]},{"name":"DI_IMAGE","features":[370]},{"name":"DI_MASK","features":[370]},{"name":"DI_NOMIRROR","features":[370]},{"name":"DI_NORMAL","features":[370]},{"name":"DLGC_BUTTON","features":[370]},{"name":"DLGC_DEFPUSHBUTTON","features":[370]},{"name":"DLGC_HASSETSEL","features":[370]},{"name":"DLGC_RADIOBUTTON","features":[370]},{"name":"DLGC_STATIC","features":[370]},{"name":"DLGC_UNDEFPUSHBUTTON","features":[370]},{"name":"DLGC_WANTALLKEYS","features":[370]},{"name":"DLGC_WANTARROWS","features":[370]},{"name":"DLGC_WANTCHARS","features":[370]},{"name":"DLGC_WANTMESSAGE","features":[370]},{"name":"DLGC_WANTTAB","features":[370]},{"name":"DLGITEMTEMPLATE","features":[370]},{"name":"DLGPROC","features":[308,370]},{"name":"DLGTEMPLATE","features":[370]},{"name":"DLGWINDOWEXTRA","features":[370]},{"name":"DM_GETDEFID","features":[370]},{"name":"DM_POINTERHITTEST","features":[370]},{"name":"DM_REPOSITION","features":[370]},{"name":"DM_SETDEFID","features":[370]},{"name":"DOF_DIRECTORY","features":[370]},{"name":"DOF_DOCUMENT","features":[370]},{"name":"DOF_EXECUTABLE","features":[370]},{"name":"DOF_MULTIPLE","features":[370]},{"name":"DOF_PROGMAN","features":[370]},{"name":"DOF_SHELLDATA","features":[370]},{"name":"DO_DROPFILE","features":[370]},{"name":"DO_PRINTFILE","features":[370]},{"name":"DROPSTRUCT","features":[308,370]},{"name":"DS_3DLOOK","features":[370]},{"name":"DS_ABSALIGN","features":[370]},{"name":"DS_CENTER","features":[370]},{"name":"DS_CENTERMOUSE","features":[370]},{"name":"DS_CONTEXTHELP","features":[370]},{"name":"DS_CONTROL","features":[370]},{"name":"DS_FIXEDSYS","features":[370]},{"name":"DS_LOCALEDIT","features":[370]},{"name":"DS_MODALFRAME","features":[370]},{"name":"DS_NOFAILCREATE","features":[370]},{"name":"DS_NOIDLEMSG","features":[370]},{"name":"DS_SETFONT","features":[370]},{"name":"DS_SETFOREGROUND","features":[370]},{"name":"DS_SYSMODAL","features":[370]},{"name":"DS_USEPIXELS","features":[370]},{"name":"DWLP_MSGRESULT","features":[370]},{"name":"DWL_DLGPROC","features":[370]},{"name":"DWL_MSGRESULT","features":[370]},{"name":"DWL_USER","features":[370]},{"name":"DefDlgProcA","features":[308,370]},{"name":"DefDlgProcW","features":[308,370]},{"name":"DefFrameProcA","features":[308,370]},{"name":"DefFrameProcW","features":[308,370]},{"name":"DefMDIChildProcA","features":[308,370]},{"name":"DefMDIChildProcW","features":[308,370]},{"name":"DefWindowProcA","features":[308,370]},{"name":"DefWindowProcW","features":[308,370]},{"name":"DeferWindowPos","features":[308,370]},{"name":"DeleteMenu","features":[308,370]},{"name":"DeregisterShellHookWindow","features":[308,370]},{"name":"DestroyAcceleratorTable","features":[308,370]},{"name":"DestroyCaret","features":[308,370]},{"name":"DestroyCursor","features":[308,370]},{"name":"DestroyIcon","features":[308,370]},{"name":"DestroyIndexedResults","features":[370]},{"name":"DestroyMenu","features":[308,370]},{"name":"DestroyResourceIndexer","features":[370]},{"name":"DestroyWindow","features":[308,370]},{"name":"DialogBoxIndirectParamA","features":[308,370]},{"name":"DialogBoxIndirectParamW","features":[308,370]},{"name":"DialogBoxParamA","features":[308,370]},{"name":"DialogBoxParamW","features":[308,370]},{"name":"DisableProcessWindowsGhosting","features":[370]},{"name":"DispatchMessageA","features":[308,370]},{"name":"DispatchMessageW","features":[308,370]},{"name":"DragObject","features":[308,370]},{"name":"DrawIcon","features":[308,319,370]},{"name":"DrawIconEx","features":[308,319,370]},{"name":"DrawMenuBar","features":[308,370]},{"name":"EC_LEFTMARGIN","features":[370]},{"name":"EC_RIGHTMARGIN","features":[370]},{"name":"EC_USEFONTINFO","features":[370]},{"name":"EDD_GET_DEVICE_INTERFACE_NAME","features":[370]},{"name":"EDIT_CONTROL_FEATURE","features":[370]},{"name":"EDIT_CONTROL_FEATURE_ENTERPRISE_DATA_PROTECTION_PASTE_SUPPORT","features":[370]},{"name":"EDIT_CONTROL_FEATURE_PASTE_NOTIFICATIONS","features":[370]},{"name":"EIMES_CANCELCOMPSTRINFOCUS","features":[370]},{"name":"EIMES_COMPLETECOMPSTRKILLFOCUS","features":[370]},{"name":"EIMES_GETCOMPSTRATONCE","features":[370]},{"name":"EMSIS_COMPOSITIONSTRING","features":[370]},{"name":"ENDSESSION_CLOSEAPP","features":[370]},{"name":"ENDSESSION_CRITICAL","features":[370]},{"name":"ENDSESSION_LOGOFF","features":[370]},{"name":"EN_AFTER_PASTE","features":[370]},{"name":"EN_ALIGN_LTR_EC","features":[370]},{"name":"EN_ALIGN_RTL_EC","features":[370]},{"name":"EN_BEFORE_PASTE","features":[370]},{"name":"EN_CHANGE","features":[370]},{"name":"EN_ERRSPACE","features":[370]},{"name":"EN_HSCROLL","features":[370]},{"name":"EN_KILLFOCUS","features":[370]},{"name":"EN_MAXTEXT","features":[370]},{"name":"EN_SETFOCUS","features":[370]},{"name":"EN_UPDATE","features":[370]},{"name":"EN_VSCROLL","features":[370]},{"name":"ES_AUTOHSCROLL","features":[370]},{"name":"ES_AUTOVSCROLL","features":[370]},{"name":"ES_CENTER","features":[370]},{"name":"ES_LEFT","features":[370]},{"name":"ES_LOWERCASE","features":[370]},{"name":"ES_MULTILINE","features":[370]},{"name":"ES_NOHIDESEL","features":[370]},{"name":"ES_NUMBER","features":[370]},{"name":"ES_OEMCONVERT","features":[370]},{"name":"ES_PASSWORD","features":[370]},{"name":"ES_READONLY","features":[370]},{"name":"ES_RIGHT","features":[370]},{"name":"ES_UPPERCASE","features":[370]},{"name":"ES_WANTRETURN","features":[370]},{"name":"EVENTMSG","features":[308,370]},{"name":"EVENT_AIA_END","features":[370]},{"name":"EVENT_AIA_START","features":[370]},{"name":"EVENT_CONSOLE_CARET","features":[370]},{"name":"EVENT_CONSOLE_END","features":[370]},{"name":"EVENT_CONSOLE_END_APPLICATION","features":[370]},{"name":"EVENT_CONSOLE_LAYOUT","features":[370]},{"name":"EVENT_CONSOLE_START_APPLICATION","features":[370]},{"name":"EVENT_CONSOLE_UPDATE_REGION","features":[370]},{"name":"EVENT_CONSOLE_UPDATE_SCROLL","features":[370]},{"name":"EVENT_CONSOLE_UPDATE_SIMPLE","features":[370]},{"name":"EVENT_MAX","features":[370]},{"name":"EVENT_MIN","features":[370]},{"name":"EVENT_OBJECT_ACCELERATORCHANGE","features":[370]},{"name":"EVENT_OBJECT_CLOAKED","features":[370]},{"name":"EVENT_OBJECT_CONTENTSCROLLED","features":[370]},{"name":"EVENT_OBJECT_CREATE","features":[370]},{"name":"EVENT_OBJECT_DEFACTIONCHANGE","features":[370]},{"name":"EVENT_OBJECT_DESCRIPTIONCHANGE","features":[370]},{"name":"EVENT_OBJECT_DESTROY","features":[370]},{"name":"EVENT_OBJECT_DRAGCANCEL","features":[370]},{"name":"EVENT_OBJECT_DRAGCOMPLETE","features":[370]},{"name":"EVENT_OBJECT_DRAGDROPPED","features":[370]},{"name":"EVENT_OBJECT_DRAGENTER","features":[370]},{"name":"EVENT_OBJECT_DRAGLEAVE","features":[370]},{"name":"EVENT_OBJECT_DRAGSTART","features":[370]},{"name":"EVENT_OBJECT_END","features":[370]},{"name":"EVENT_OBJECT_FOCUS","features":[370]},{"name":"EVENT_OBJECT_HELPCHANGE","features":[370]},{"name":"EVENT_OBJECT_HIDE","features":[370]},{"name":"EVENT_OBJECT_HOSTEDOBJECTSINVALIDATED","features":[370]},{"name":"EVENT_OBJECT_IME_CHANGE","features":[370]},{"name":"EVENT_OBJECT_IME_HIDE","features":[370]},{"name":"EVENT_OBJECT_IME_SHOW","features":[370]},{"name":"EVENT_OBJECT_INVOKED","features":[370]},{"name":"EVENT_OBJECT_LIVEREGIONCHANGED","features":[370]},{"name":"EVENT_OBJECT_LOCATIONCHANGE","features":[370]},{"name":"EVENT_OBJECT_NAMECHANGE","features":[370]},{"name":"EVENT_OBJECT_PARENTCHANGE","features":[370]},{"name":"EVENT_OBJECT_REORDER","features":[370]},{"name":"EVENT_OBJECT_SELECTION","features":[370]},{"name":"EVENT_OBJECT_SELECTIONADD","features":[370]},{"name":"EVENT_OBJECT_SELECTIONREMOVE","features":[370]},{"name":"EVENT_OBJECT_SELECTIONWITHIN","features":[370]},{"name":"EVENT_OBJECT_SHOW","features":[370]},{"name":"EVENT_OBJECT_STATECHANGE","features":[370]},{"name":"EVENT_OBJECT_TEXTEDIT_CONVERSIONTARGETCHANGED","features":[370]},{"name":"EVENT_OBJECT_TEXTSELECTIONCHANGED","features":[370]},{"name":"EVENT_OBJECT_UNCLOAKED","features":[370]},{"name":"EVENT_OBJECT_VALUECHANGE","features":[370]},{"name":"EVENT_OEM_DEFINED_END","features":[370]},{"name":"EVENT_OEM_DEFINED_START","features":[370]},{"name":"EVENT_SYSTEM_ALERT","features":[370]},{"name":"EVENT_SYSTEM_ARRANGMENTPREVIEW","features":[370]},{"name":"EVENT_SYSTEM_CAPTUREEND","features":[370]},{"name":"EVENT_SYSTEM_CAPTURESTART","features":[370]},{"name":"EVENT_SYSTEM_CONTEXTHELPEND","features":[370]},{"name":"EVENT_SYSTEM_CONTEXTHELPSTART","features":[370]},{"name":"EVENT_SYSTEM_DESKTOPSWITCH","features":[370]},{"name":"EVENT_SYSTEM_DIALOGEND","features":[370]},{"name":"EVENT_SYSTEM_DIALOGSTART","features":[370]},{"name":"EVENT_SYSTEM_DRAGDROPEND","features":[370]},{"name":"EVENT_SYSTEM_DRAGDROPSTART","features":[370]},{"name":"EVENT_SYSTEM_END","features":[370]},{"name":"EVENT_SYSTEM_FOREGROUND","features":[370]},{"name":"EVENT_SYSTEM_IME_KEY_NOTIFICATION","features":[370]},{"name":"EVENT_SYSTEM_MENUEND","features":[370]},{"name":"EVENT_SYSTEM_MENUPOPUPEND","features":[370]},{"name":"EVENT_SYSTEM_MENUPOPUPSTART","features":[370]},{"name":"EVENT_SYSTEM_MENUSTART","features":[370]},{"name":"EVENT_SYSTEM_MINIMIZEEND","features":[370]},{"name":"EVENT_SYSTEM_MINIMIZESTART","features":[370]},{"name":"EVENT_SYSTEM_MOVESIZEEND","features":[370]},{"name":"EVENT_SYSTEM_MOVESIZESTART","features":[370]},{"name":"EVENT_SYSTEM_SCROLLINGEND","features":[370]},{"name":"EVENT_SYSTEM_SCROLLINGSTART","features":[370]},{"name":"EVENT_SYSTEM_SOUND","features":[370]},{"name":"EVENT_SYSTEM_SWITCHEND","features":[370]},{"name":"EVENT_SYSTEM_SWITCHER_APPDROPPED","features":[370]},{"name":"EVENT_SYSTEM_SWITCHER_APPGRABBED","features":[370]},{"name":"EVENT_SYSTEM_SWITCHER_APPOVERTARGET","features":[370]},{"name":"EVENT_SYSTEM_SWITCHER_CANCELLED","features":[370]},{"name":"EVENT_SYSTEM_SWITCHSTART","features":[370]},{"name":"EVENT_UIA_EVENTID_END","features":[370]},{"name":"EVENT_UIA_EVENTID_START","features":[370]},{"name":"EVENT_UIA_PROPID_END","features":[370]},{"name":"EVENT_UIA_PROPID_START","features":[370]},{"name":"EnableMenuItem","features":[308,370]},{"name":"EndDeferWindowPos","features":[308,370]},{"name":"EndDialog","features":[308,370]},{"name":"EndMenu","features":[308,370]},{"name":"EnumChildWindows","features":[308,370]},{"name":"EnumPropsA","features":[308,370]},{"name":"EnumPropsExA","features":[308,370]},{"name":"EnumPropsExW","features":[308,370]},{"name":"EnumPropsW","features":[308,370]},{"name":"EnumThreadWindows","features":[308,370]},{"name":"EnumWindows","features":[308,370]},{"name":"FALT","features":[370]},{"name":"FAPPCOMMAND_KEY","features":[370]},{"name":"FAPPCOMMAND_MASK","features":[370]},{"name":"FAPPCOMMAND_MOUSE","features":[370]},{"name":"FAPPCOMMAND_OEM","features":[370]},{"name":"FCONTROL","features":[370]},{"name":"FE_FONTSMOOTHINGCLEARTYPE","features":[370]},{"name":"FE_FONTSMOOTHINGORIENTATIONBGR","features":[370]},{"name":"FE_FONTSMOOTHINGORIENTATIONRGB","features":[370]},{"name":"FE_FONTSMOOTHINGSTANDARD","features":[370]},{"name":"FKF_AVAILABLE","features":[370]},{"name":"FKF_CLICKON","features":[370]},{"name":"FKF_CONFIRMHOTKEY","features":[370]},{"name":"FKF_FILTERKEYSON","features":[370]},{"name":"FKF_HOTKEYACTIVE","features":[370]},{"name":"FKF_HOTKEYSOUND","features":[370]},{"name":"FKF_INDICATOR","features":[370]},{"name":"FLASHWINFO","features":[308,370]},{"name":"FLASHWINFO_FLAGS","features":[370]},{"name":"FLASHW_ALL","features":[370]},{"name":"FLASHW_CAPTION","features":[370]},{"name":"FLASHW_STOP","features":[370]},{"name":"FLASHW_TIMER","features":[370]},{"name":"FLASHW_TIMERNOFG","features":[370]},{"name":"FLASHW_TRAY","features":[370]},{"name":"FNOINVERT","features":[370]},{"name":"FOREGROUND_WINDOW_LOCK_CODE","features":[370]},{"name":"FSHIFT","features":[370]},{"name":"FVIRTKEY","features":[370]},{"name":"FindWindowA","features":[308,370]},{"name":"FindWindowExA","features":[308,370]},{"name":"FindWindowExW","features":[308,370]},{"name":"FindWindowW","features":[308,370]},{"name":"FlashWindow","features":[308,370]},{"name":"FlashWindowEx","features":[308,370]},{"name":"GA_PARENT","features":[370]},{"name":"GA_ROOT","features":[370]},{"name":"GA_ROOTOWNER","features":[370]},{"name":"GCF_INCLUDE_ANCESTORS","features":[370]},{"name":"GCLP_HBRBACKGROUND","features":[370]},{"name":"GCLP_HCURSOR","features":[370]},{"name":"GCLP_HICON","features":[370]},{"name":"GCLP_HICONSM","features":[370]},{"name":"GCLP_HMODULE","features":[370]},{"name":"GCLP_MENUNAME","features":[370]},{"name":"GCLP_WNDPROC","features":[370]},{"name":"GCL_CBCLSEXTRA","features":[370]},{"name":"GCL_CBWNDEXTRA","features":[370]},{"name":"GCL_HBRBACKGROUND","features":[370]},{"name":"GCL_HCURSOR","features":[370]},{"name":"GCL_HICON","features":[370]},{"name":"GCL_HICONSM","features":[370]},{"name":"GCL_HMODULE","features":[370]},{"name":"GCL_MENUNAME","features":[370]},{"name":"GCL_STYLE","features":[370]},{"name":"GCL_WNDPROC","features":[370]},{"name":"GCW_ATOM","features":[370]},{"name":"GDI_IMAGE_TYPE","features":[370]},{"name":"GESTURECONFIGMAXCOUNT","features":[370]},{"name":"GESTUREVISUALIZATION_DOUBLETAP","features":[370]},{"name":"GESTUREVISUALIZATION_OFF","features":[370]},{"name":"GESTUREVISUALIZATION_ON","features":[370]},{"name":"GESTUREVISUALIZATION_PRESSANDHOLD","features":[370]},{"name":"GESTUREVISUALIZATION_PRESSANDTAP","features":[370]},{"name":"GESTUREVISUALIZATION_RIGHTTAP","features":[370]},{"name":"GESTUREVISUALIZATION_TAP","features":[370]},{"name":"GETCLIPBMETADATA","features":[308,370]},{"name":"GET_ANCESTOR_FLAGS","features":[370]},{"name":"GET_CLASS_LONG_INDEX","features":[370]},{"name":"GET_MENU_DEFAULT_ITEM_FLAGS","features":[370]},{"name":"GET_WINDOW_CMD","features":[370]},{"name":"GF_BEGIN","features":[370]},{"name":"GF_END","features":[370]},{"name":"GF_INERTIA","features":[370]},{"name":"GIDC_ARRIVAL","features":[370]},{"name":"GIDC_REMOVAL","features":[370]},{"name":"GMDI_GOINTOPOPUPS","features":[370]},{"name":"GMDI_USEDISABLED","features":[370]},{"name":"GUID_DEVICE_EVENT_RBC","features":[370]},{"name":"GUID_IO_CDROM_EXCLUSIVE_LOCK","features":[370]},{"name":"GUID_IO_CDROM_EXCLUSIVE_UNLOCK","features":[370]},{"name":"GUID_IO_DEVICE_BECOMING_READY","features":[370]},{"name":"GUID_IO_DEVICE_EXTERNAL_REQUEST","features":[370]},{"name":"GUID_IO_DISK_CLONE_ARRIVAL","features":[370]},{"name":"GUID_IO_DISK_CLONE_ARRIVAL_INFORMATION","features":[370]},{"name":"GUID_IO_DISK_HEALTH_NOTIFICATION","features":[370]},{"name":"GUID_IO_DISK_LAYOUT_CHANGE","features":[370]},{"name":"GUID_IO_DRIVE_REQUIRES_CLEANING","features":[370]},{"name":"GUID_IO_MEDIA_ARRIVAL","features":[370]},{"name":"GUID_IO_MEDIA_EJECT_REQUEST","features":[370]},{"name":"GUID_IO_MEDIA_REMOVAL","features":[370]},{"name":"GUID_IO_TAPE_ERASE","features":[370]},{"name":"GUID_IO_VOLUME_BACKGROUND_FORMAT","features":[370]},{"name":"GUID_IO_VOLUME_CHANGE","features":[370]},{"name":"GUID_IO_VOLUME_CHANGE_SIZE","features":[370]},{"name":"GUID_IO_VOLUME_DEVICE_INTERFACE","features":[370]},{"name":"GUID_IO_VOLUME_DISMOUNT","features":[370]},{"name":"GUID_IO_VOLUME_DISMOUNT_FAILED","features":[370]},{"name":"GUID_IO_VOLUME_FORCE_CLOSED","features":[370]},{"name":"GUID_IO_VOLUME_FVE_STATUS_CHANGE","features":[370]},{"name":"GUID_IO_VOLUME_INFO_MAKE_COMPAT","features":[370]},{"name":"GUID_IO_VOLUME_LOCK","features":[370]},{"name":"GUID_IO_VOLUME_LOCK_FAILED","features":[370]},{"name":"GUID_IO_VOLUME_MOUNT","features":[370]},{"name":"GUID_IO_VOLUME_NAME_CHANGE","features":[370]},{"name":"GUID_IO_VOLUME_NEED_CHKDSK","features":[370]},{"name":"GUID_IO_VOLUME_PHYSICAL_CONFIGURATION_CHANGE","features":[370]},{"name":"GUID_IO_VOLUME_PREPARING_EJECT","features":[370]},{"name":"GUID_IO_VOLUME_UNIQUE_ID_CHANGE","features":[370]},{"name":"GUID_IO_VOLUME_UNLOCK","features":[370]},{"name":"GUID_IO_VOLUME_WEARING_OUT","features":[370]},{"name":"GUID_IO_VOLUME_WORM_NEAR_FULL","features":[370]},{"name":"GUITHREADINFO","features":[308,370]},{"name":"GUITHREADINFO_FLAGS","features":[370]},{"name":"GUI_16BITTASK","features":[370]},{"name":"GUI_CARETBLINKING","features":[370]},{"name":"GUI_INMENUMODE","features":[370]},{"name":"GUI_INMOVESIZE","features":[370]},{"name":"GUI_POPUPMENUMODE","features":[370]},{"name":"GUI_SYSTEMMENUMODE","features":[370]},{"name":"GWFS_INCLUDE_ANCESTORS","features":[370]},{"name":"GWLP_HINSTANCE","features":[370]},{"name":"GWLP_HWNDPARENT","features":[370]},{"name":"GWLP_ID","features":[370]},{"name":"GWLP_USERDATA","features":[370]},{"name":"GWLP_WNDPROC","features":[370]},{"name":"GWL_EXSTYLE","features":[370]},{"name":"GWL_HINSTANCE","features":[370]},{"name":"GWL_HWNDPARENT","features":[370]},{"name":"GWL_ID","features":[370]},{"name":"GWL_STYLE","features":[370]},{"name":"GWL_USERDATA","features":[370]},{"name":"GWL_WNDPROC","features":[370]},{"name":"GW_CHILD","features":[370]},{"name":"GW_ENABLEDPOPUP","features":[370]},{"name":"GW_HWNDFIRST","features":[370]},{"name":"GW_HWNDLAST","features":[370]},{"name":"GW_HWNDNEXT","features":[370]},{"name":"GW_HWNDPREV","features":[370]},{"name":"GW_MAX","features":[370]},{"name":"GW_OWNER","features":[370]},{"name":"GetAltTabInfoA","features":[308,370]},{"name":"GetAltTabInfoW","features":[308,370]},{"name":"GetAncestor","features":[308,370]},{"name":"GetCaretBlinkTime","features":[370]},{"name":"GetCaretPos","features":[308,370]},{"name":"GetClassInfoA","features":[308,319,370]},{"name":"GetClassInfoExA","features":[308,319,370]},{"name":"GetClassInfoExW","features":[308,319,370]},{"name":"GetClassInfoW","features":[308,319,370]},{"name":"GetClassLongA","features":[308,370]},{"name":"GetClassLongPtrA","features":[308,370]},{"name":"GetClassLongPtrW","features":[308,370]},{"name":"GetClassLongW","features":[308,370]},{"name":"GetClassNameA","features":[308,370]},{"name":"GetClassNameW","features":[308,370]},{"name":"GetClassWord","features":[308,370]},{"name":"GetClientRect","features":[308,370]},{"name":"GetClipCursor","features":[308,370]},{"name":"GetCursor","features":[370]},{"name":"GetCursorInfo","features":[308,370]},{"name":"GetCursorPos","features":[308,370]},{"name":"GetDesktopWindow","features":[308,370]},{"name":"GetDialogBaseUnits","features":[370]},{"name":"GetDlgCtrlID","features":[308,370]},{"name":"GetDlgItem","features":[308,370]},{"name":"GetDlgItemInt","features":[308,370]},{"name":"GetDlgItemTextA","features":[308,370]},{"name":"GetDlgItemTextW","features":[308,370]},{"name":"GetForegroundWindow","features":[308,370]},{"name":"GetGUIThreadInfo","features":[308,370]},{"name":"GetIconInfo","features":[308,319,370]},{"name":"GetIconInfoExA","features":[308,319,370]},{"name":"GetIconInfoExW","features":[308,319,370]},{"name":"GetInputState","features":[308,370]},{"name":"GetLastActivePopup","features":[308,370]},{"name":"GetLayeredWindowAttributes","features":[308,370]},{"name":"GetMenu","features":[308,370]},{"name":"GetMenuBarInfo","features":[308,370]},{"name":"GetMenuCheckMarkDimensions","features":[370]},{"name":"GetMenuDefaultItem","features":[370]},{"name":"GetMenuInfo","features":[308,319,370]},{"name":"GetMenuItemCount","features":[370]},{"name":"GetMenuItemID","features":[370]},{"name":"GetMenuItemInfoA","features":[308,319,370]},{"name":"GetMenuItemInfoW","features":[308,319,370]},{"name":"GetMenuItemRect","features":[308,370]},{"name":"GetMenuState","features":[370]},{"name":"GetMenuStringA","features":[370]},{"name":"GetMenuStringW","features":[370]},{"name":"GetMessageA","features":[308,370]},{"name":"GetMessageExtraInfo","features":[308,370]},{"name":"GetMessagePos","features":[370]},{"name":"GetMessageTime","features":[370]},{"name":"GetMessageW","features":[308,370]},{"name":"GetNextDlgGroupItem","features":[308,370]},{"name":"GetNextDlgTabItem","features":[308,370]},{"name":"GetParent","features":[308,370]},{"name":"GetPhysicalCursorPos","features":[308,370]},{"name":"GetProcessDefaultLayout","features":[308,370]},{"name":"GetPropA","features":[308,370]},{"name":"GetPropW","features":[308,370]},{"name":"GetQueueStatus","features":[370]},{"name":"GetScrollBarInfo","features":[308,370]},{"name":"GetScrollInfo","features":[308,370]},{"name":"GetScrollPos","features":[308,370]},{"name":"GetScrollRange","features":[308,370]},{"name":"GetShellWindow","features":[308,370]},{"name":"GetSubMenu","features":[370]},{"name":"GetSystemMenu","features":[308,370]},{"name":"GetSystemMetrics","features":[370]},{"name":"GetTitleBarInfo","features":[308,370]},{"name":"GetTopWindow","features":[308,370]},{"name":"GetWindow","features":[308,370]},{"name":"GetWindowDisplayAffinity","features":[308,370]},{"name":"GetWindowInfo","features":[308,370]},{"name":"GetWindowLongA","features":[308,370]},{"name":"GetWindowLongPtrA","features":[308,370]},{"name":"GetWindowLongPtrW","features":[308,370]},{"name":"GetWindowLongW","features":[308,370]},{"name":"GetWindowModuleFileNameA","features":[308,370]},{"name":"GetWindowModuleFileNameW","features":[308,370]},{"name":"GetWindowPlacement","features":[308,370]},{"name":"GetWindowRect","features":[308,370]},{"name":"GetWindowTextA","features":[308,370]},{"name":"GetWindowTextLengthA","features":[308,370]},{"name":"GetWindowTextLengthW","features":[308,370]},{"name":"GetWindowTextW","features":[308,370]},{"name":"GetWindowThreadProcessId","features":[308,370]},{"name":"GetWindowWord","features":[308,370]},{"name":"HACCEL","features":[370]},{"name":"HANDEDNESS","features":[370]},{"name":"HANDEDNESS_LEFT","features":[370]},{"name":"HANDEDNESS_RIGHT","features":[370]},{"name":"HARDWAREHOOKSTRUCT","features":[308,370]},{"name":"HBMMENU_CALLBACK","features":[319,370]},{"name":"HBMMENU_MBAR_CLOSE","features":[319,370]},{"name":"HBMMENU_MBAR_CLOSE_D","features":[319,370]},{"name":"HBMMENU_MBAR_MINIMIZE","features":[319,370]},{"name":"HBMMENU_MBAR_MINIMIZE_D","features":[319,370]},{"name":"HBMMENU_MBAR_RESTORE","features":[319,370]},{"name":"HBMMENU_POPUP_CLOSE","features":[319,370]},{"name":"HBMMENU_POPUP_MAXIMIZE","features":[319,370]},{"name":"HBMMENU_POPUP_MINIMIZE","features":[319,370]},{"name":"HBMMENU_POPUP_RESTORE","features":[319,370]},{"name":"HBMMENU_SYSTEM","features":[319,370]},{"name":"HCBT_ACTIVATE","features":[370]},{"name":"HCBT_CLICKSKIPPED","features":[370]},{"name":"HCBT_CREATEWND","features":[370]},{"name":"HCBT_DESTROYWND","features":[370]},{"name":"HCBT_KEYSKIPPED","features":[370]},{"name":"HCBT_MINMAX","features":[370]},{"name":"HCBT_MOVESIZE","features":[370]},{"name":"HCBT_QS","features":[370]},{"name":"HCBT_SETFOCUS","features":[370]},{"name":"HCBT_SYSCOMMAND","features":[370]},{"name":"HCF_DEFAULTDESKTOP","features":[370]},{"name":"HCF_LOGONDESKTOP","features":[370]},{"name":"HCURSOR","features":[370]},{"name":"HC_ACTION","features":[370]},{"name":"HC_GETNEXT","features":[370]},{"name":"HC_NOREM","features":[370]},{"name":"HC_NOREMOVE","features":[370]},{"name":"HC_SKIP","features":[370]},{"name":"HC_SYSMODALOFF","features":[370]},{"name":"HC_SYSMODALON","features":[370]},{"name":"HDEVNOTIFY","features":[370]},{"name":"HDWP","features":[370]},{"name":"HELP_COMMAND","features":[370]},{"name":"HELP_CONTENTS","features":[370]},{"name":"HELP_CONTEXT","features":[370]},{"name":"HELP_CONTEXTMENU","features":[370]},{"name":"HELP_CONTEXTPOPUP","features":[370]},{"name":"HELP_FINDER","features":[370]},{"name":"HELP_FORCEFILE","features":[370]},{"name":"HELP_HELPONHELP","features":[370]},{"name":"HELP_INDEX","features":[370]},{"name":"HELP_KEY","features":[370]},{"name":"HELP_MULTIKEY","features":[370]},{"name":"HELP_PARTIALKEY","features":[370]},{"name":"HELP_QUIT","features":[370]},{"name":"HELP_SETCONTENTS","features":[370]},{"name":"HELP_SETINDEX","features":[370]},{"name":"HELP_SETPOPUP_POS","features":[370]},{"name":"HELP_SETWINPOS","features":[370]},{"name":"HELP_TCARD","features":[370]},{"name":"HELP_TCARD_DATA","features":[370]},{"name":"HELP_TCARD_OTHER_CALLER","features":[370]},{"name":"HELP_WM_HELP","features":[370]},{"name":"HHOOK","features":[370]},{"name":"HICON","features":[370]},{"name":"HIDE_WINDOW","features":[370]},{"name":"HKL_NEXT","features":[370]},{"name":"HKL_PREV","features":[370]},{"name":"HMENU","features":[370]},{"name":"HOOKPROC","features":[308,370]},{"name":"HSHELL_ACCESSIBILITYSTATE","features":[370]},{"name":"HSHELL_ACTIVATESHELLWINDOW","features":[370]},{"name":"HSHELL_APPCOMMAND","features":[370]},{"name":"HSHELL_ENDTASK","features":[370]},{"name":"HSHELL_GETMINRECT","features":[370]},{"name":"HSHELL_HIGHBIT","features":[370]},{"name":"HSHELL_LANGUAGE","features":[370]},{"name":"HSHELL_MONITORCHANGED","features":[370]},{"name":"HSHELL_REDRAW","features":[370]},{"name":"HSHELL_SYSMENU","features":[370]},{"name":"HSHELL_TASKMAN","features":[370]},{"name":"HSHELL_WINDOWACTIVATED","features":[370]},{"name":"HSHELL_WINDOWCREATED","features":[370]},{"name":"HSHELL_WINDOWDESTROYED","features":[370]},{"name":"HSHELL_WINDOWREPLACED","features":[370]},{"name":"HSHELL_WINDOWREPLACING","features":[370]},{"name":"HTBORDER","features":[370]},{"name":"HTBOTTOM","features":[370]},{"name":"HTBOTTOMLEFT","features":[370]},{"name":"HTBOTTOMRIGHT","features":[370]},{"name":"HTCAPTION","features":[370]},{"name":"HTCLIENT","features":[370]},{"name":"HTCLOSE","features":[370]},{"name":"HTERROR","features":[370]},{"name":"HTGROWBOX","features":[370]},{"name":"HTHELP","features":[370]},{"name":"HTHSCROLL","features":[370]},{"name":"HTLEFT","features":[370]},{"name":"HTMAXBUTTON","features":[370]},{"name":"HTMENU","features":[370]},{"name":"HTMINBUTTON","features":[370]},{"name":"HTNOWHERE","features":[370]},{"name":"HTOBJECT","features":[370]},{"name":"HTREDUCE","features":[370]},{"name":"HTRIGHT","features":[370]},{"name":"HTSIZE","features":[370]},{"name":"HTSIZEFIRST","features":[370]},{"name":"HTSIZELAST","features":[370]},{"name":"HTSYSMENU","features":[370]},{"name":"HTTOP","features":[370]},{"name":"HTTOPLEFT","features":[370]},{"name":"HTTOPRIGHT","features":[370]},{"name":"HTTRANSPARENT","features":[370]},{"name":"HTVSCROLL","features":[370]},{"name":"HTZOOM","features":[370]},{"name":"HWND_BOTTOM","features":[308,370]},{"name":"HWND_BROADCAST","features":[308,370]},{"name":"HWND_DESKTOP","features":[308,370]},{"name":"HWND_MESSAGE","features":[308,370]},{"name":"HWND_NOTOPMOST","features":[308,370]},{"name":"HWND_TOP","features":[308,370]},{"name":"HWND_TOPMOST","features":[308,370]},{"name":"HideCaret","features":[308,370]},{"name":"HiliteMenuItem","features":[308,370]},{"name":"ICONINFO","features":[308,319,370]},{"name":"ICONINFOEXA","features":[308,319,370]},{"name":"ICONINFOEXW","features":[308,319,370]},{"name":"ICONMETRICSA","features":[319,370]},{"name":"ICONMETRICSW","features":[319,370]},{"name":"ICON_BIG","features":[370]},{"name":"ICON_SMALL","features":[370]},{"name":"ICON_SMALL2","features":[370]},{"name":"IDABORT","features":[370]},{"name":"IDANI_CAPTION","features":[370]},{"name":"IDANI_OPEN","features":[370]},{"name":"IDASYNC","features":[370]},{"name":"IDCANCEL","features":[370]},{"name":"IDCLOSE","features":[370]},{"name":"IDCONTINUE","features":[370]},{"name":"IDC_APPSTARTING","features":[370]},{"name":"IDC_ARROW","features":[370]},{"name":"IDC_CROSS","features":[370]},{"name":"IDC_HAND","features":[370]},{"name":"IDC_HELP","features":[370]},{"name":"IDC_IBEAM","features":[370]},{"name":"IDC_ICON","features":[370]},{"name":"IDC_NO","features":[370]},{"name":"IDC_PERSON","features":[370]},{"name":"IDC_PIN","features":[370]},{"name":"IDC_SIZE","features":[370]},{"name":"IDC_SIZEALL","features":[370]},{"name":"IDC_SIZENESW","features":[370]},{"name":"IDC_SIZENS","features":[370]},{"name":"IDC_SIZENWSE","features":[370]},{"name":"IDC_SIZEWE","features":[370]},{"name":"IDC_UPARROW","features":[370]},{"name":"IDC_WAIT","features":[370]},{"name":"IDHELP","features":[370]},{"name":"IDHOT_SNAPDESKTOP","features":[370]},{"name":"IDHOT_SNAPWINDOW","features":[370]},{"name":"IDH_CANCEL","features":[370]},{"name":"IDH_GENERIC_HELP_BUTTON","features":[370]},{"name":"IDH_HELP","features":[370]},{"name":"IDH_MISSING_CONTEXT","features":[370]},{"name":"IDH_NO_HELP","features":[370]},{"name":"IDH_OK","features":[370]},{"name":"IDIGNORE","features":[370]},{"name":"IDI_APPLICATION","features":[370]},{"name":"IDI_ASTERISK","features":[370]},{"name":"IDI_ERROR","features":[370]},{"name":"IDI_EXCLAMATION","features":[370]},{"name":"IDI_HAND","features":[370]},{"name":"IDI_INFORMATION","features":[370]},{"name":"IDI_QUESTION","features":[370]},{"name":"IDI_SHIELD","features":[370]},{"name":"IDI_WARNING","features":[370]},{"name":"IDI_WINLOGO","features":[370]},{"name":"IDNO","features":[370]},{"name":"IDOK","features":[370]},{"name":"IDRETRY","features":[370]},{"name":"IDTIMEOUT","features":[370]},{"name":"IDTRYAGAIN","features":[370]},{"name":"IDYES","features":[370]},{"name":"IMAGE_BITMAP","features":[370]},{"name":"IMAGE_CURSOR","features":[370]},{"name":"IMAGE_ENHMETAFILE","features":[370]},{"name":"IMAGE_FLAGS","features":[370]},{"name":"IMAGE_ICON","features":[370]},{"name":"INDEXID_CONTAINER","features":[370]},{"name":"INDEXID_OBJECT","features":[370]},{"name":"INPUTLANGCHANGE_BACKWARD","features":[370]},{"name":"INPUTLANGCHANGE_FORWARD","features":[370]},{"name":"INPUTLANGCHANGE_SYSCHARSET","features":[370]},{"name":"ISMEX_CALLBACK","features":[370]},{"name":"ISMEX_NOSEND","features":[370]},{"name":"ISMEX_NOTIFY","features":[370]},{"name":"ISMEX_REPLIED","features":[370]},{"name":"ISMEX_SEND","features":[370]},{"name":"ISOLATIONAWARE_MANIFEST_RESOURCE_ID","features":[370]},{"name":"ISOLATIONAWARE_NOSTATICIMPORT_MANIFEST_RESOURCE_ID","features":[370]},{"name":"ISOLATIONPOLICY_BROWSER_MANIFEST_RESOURCE_ID","features":[370]},{"name":"ISOLATIONPOLICY_MANIFEST_RESOURCE_ID","features":[370]},{"name":"InSendMessage","features":[308,370]},{"name":"InSendMessageEx","features":[370]},{"name":"IndexFilePath","features":[370]},{"name":"IndexedResourceQualifier","features":[370]},{"name":"InheritWindowMonitor","features":[308,370]},{"name":"InsertMenuA","features":[308,370]},{"name":"InsertMenuItemA","features":[308,319,370]},{"name":"InsertMenuItemW","features":[308,319,370]},{"name":"InsertMenuW","features":[308,370]},{"name":"InternalGetWindowText","features":[308,370]},{"name":"IsCharAlphaA","features":[308,370]},{"name":"IsCharAlphaNumericA","features":[308,370]},{"name":"IsCharAlphaNumericW","features":[308,370]},{"name":"IsCharAlphaW","features":[308,370]},{"name":"IsCharLowerA","features":[308,370]},{"name":"IsCharUpperA","features":[308,370]},{"name":"IsCharUpperW","features":[308,370]},{"name":"IsChild","features":[308,370]},{"name":"IsDialogMessageA","features":[308,370]},{"name":"IsDialogMessageW","features":[308,370]},{"name":"IsGUIThread","features":[308,370]},{"name":"IsHungAppWindow","features":[308,370]},{"name":"IsIconic","features":[308,370]},{"name":"IsMenu","features":[308,370]},{"name":"IsProcessDPIAware","features":[308,370]},{"name":"IsWindow","features":[308,370]},{"name":"IsWindowArranged","features":[308,370]},{"name":"IsWindowUnicode","features":[308,370]},{"name":"IsWindowVisible","features":[308,370]},{"name":"IsWow64Message","features":[308,370]},{"name":"IsZoomed","features":[308,370]},{"name":"KBDLLHOOKSTRUCT","features":[370]},{"name":"KBDLLHOOKSTRUCT_FLAGS","features":[370]},{"name":"KF_ALTDOWN","features":[370]},{"name":"KF_DLGMODE","features":[370]},{"name":"KF_EXTENDED","features":[370]},{"name":"KF_MENUMODE","features":[370]},{"name":"KF_REPEAT","features":[370]},{"name":"KF_UP","features":[370]},{"name":"KL_NAMELENGTH","features":[370]},{"name":"KillTimer","features":[308,370]},{"name":"LAYERED_WINDOW_ATTRIBUTES_FLAGS","features":[370]},{"name":"LBN_DBLCLK","features":[370]},{"name":"LBN_ERRSPACE","features":[370]},{"name":"LBN_KILLFOCUS","features":[370]},{"name":"LBN_SELCANCEL","features":[370]},{"name":"LBN_SELCHANGE","features":[370]},{"name":"LBN_SETFOCUS","features":[370]},{"name":"LBS_COMBOBOX","features":[370]},{"name":"LBS_DISABLENOSCROLL","features":[370]},{"name":"LBS_EXTENDEDSEL","features":[370]},{"name":"LBS_HASSTRINGS","features":[370]},{"name":"LBS_MULTICOLUMN","features":[370]},{"name":"LBS_MULTIPLESEL","features":[370]},{"name":"LBS_NODATA","features":[370]},{"name":"LBS_NOINTEGRALHEIGHT","features":[370]},{"name":"LBS_NOREDRAW","features":[370]},{"name":"LBS_NOSEL","features":[370]},{"name":"LBS_NOTIFY","features":[370]},{"name":"LBS_OWNERDRAWFIXED","features":[370]},{"name":"LBS_OWNERDRAWVARIABLE","features":[370]},{"name":"LBS_SORT","features":[370]},{"name":"LBS_STANDARD","features":[370]},{"name":"LBS_USETABSTOPS","features":[370]},{"name":"LBS_WANTKEYBOARDINPUT","features":[370]},{"name":"LB_ADDFILE","features":[370]},{"name":"LB_ADDSTRING","features":[370]},{"name":"LB_CTLCODE","features":[370]},{"name":"LB_DELETESTRING","features":[370]},{"name":"LB_DIR","features":[370]},{"name":"LB_ERR","features":[370]},{"name":"LB_ERRSPACE","features":[370]},{"name":"LB_FINDSTRING","features":[370]},{"name":"LB_FINDSTRINGEXACT","features":[370]},{"name":"LB_GETANCHORINDEX","features":[370]},{"name":"LB_GETCARETINDEX","features":[370]},{"name":"LB_GETCOUNT","features":[370]},{"name":"LB_GETCURSEL","features":[370]},{"name":"LB_GETHORIZONTALEXTENT","features":[370]},{"name":"LB_GETITEMDATA","features":[370]},{"name":"LB_GETITEMHEIGHT","features":[370]},{"name":"LB_GETITEMRECT","features":[370]},{"name":"LB_GETLISTBOXINFO","features":[370]},{"name":"LB_GETLOCALE","features":[370]},{"name":"LB_GETSEL","features":[370]},{"name":"LB_GETSELCOUNT","features":[370]},{"name":"LB_GETSELITEMS","features":[370]},{"name":"LB_GETTEXT","features":[370]},{"name":"LB_GETTEXTLEN","features":[370]},{"name":"LB_GETTOPINDEX","features":[370]},{"name":"LB_INITSTORAGE","features":[370]},{"name":"LB_INSERTSTRING","features":[370]},{"name":"LB_ITEMFROMPOINT","features":[370]},{"name":"LB_MSGMAX","features":[370]},{"name":"LB_MULTIPLEADDSTRING","features":[370]},{"name":"LB_OKAY","features":[370]},{"name":"LB_RESETCONTENT","features":[370]},{"name":"LB_SELECTSTRING","features":[370]},{"name":"LB_SELITEMRANGE","features":[370]},{"name":"LB_SELITEMRANGEEX","features":[370]},{"name":"LB_SETANCHORINDEX","features":[370]},{"name":"LB_SETCARETINDEX","features":[370]},{"name":"LB_SETCOLUMNWIDTH","features":[370]},{"name":"LB_SETCOUNT","features":[370]},{"name":"LB_SETCURSEL","features":[370]},{"name":"LB_SETHORIZONTALEXTENT","features":[370]},{"name":"LB_SETITEMDATA","features":[370]},{"name":"LB_SETITEMHEIGHT","features":[370]},{"name":"LB_SETLOCALE","features":[370]},{"name":"LB_SETSEL","features":[370]},{"name":"LB_SETTABSTOPS","features":[370]},{"name":"LB_SETTOPINDEX","features":[370]},{"name":"LLKHF_ALTDOWN","features":[370]},{"name":"LLKHF_EXTENDED","features":[370]},{"name":"LLKHF_INJECTED","features":[370]},{"name":"LLKHF_LOWER_IL_INJECTED","features":[370]},{"name":"LLKHF_UP","features":[370]},{"name":"LLMHF_INJECTED","features":[370]},{"name":"LLMHF_LOWER_IL_INJECTED","features":[370]},{"name":"LOCKF_LOGICAL_LOCK","features":[370]},{"name":"LOCKF_PHYSICAL_LOCK","features":[370]},{"name":"LOCKP_ALLOW_MEM_MAPPING","features":[370]},{"name":"LOCKP_ALLOW_WRITES","features":[370]},{"name":"LOCKP_FAIL_MEM_MAPPING","features":[370]},{"name":"LOCKP_FAIL_WRITES","features":[370]},{"name":"LOCKP_LOCK_FOR_FORMAT","features":[370]},{"name":"LOCKP_USER_MASK","features":[370]},{"name":"LR_COLOR","features":[370]},{"name":"LR_COPYDELETEORG","features":[370]},{"name":"LR_COPYFROMRESOURCE","features":[370]},{"name":"LR_COPYRETURNORG","features":[370]},{"name":"LR_CREATEDIBSECTION","features":[370]},{"name":"LR_DEFAULTCOLOR","features":[370]},{"name":"LR_DEFAULTSIZE","features":[370]},{"name":"LR_LOADFROMFILE","features":[370]},{"name":"LR_LOADMAP3DCOLORS","features":[370]},{"name":"LR_LOADTRANSPARENT","features":[370]},{"name":"LR_MONOCHROME","features":[370]},{"name":"LR_SHARED","features":[370]},{"name":"LR_VGACOLOR","features":[370]},{"name":"LSFW_LOCK","features":[370]},{"name":"LSFW_UNLOCK","features":[370]},{"name":"LWA_ALPHA","features":[370]},{"name":"LWA_COLORKEY","features":[370]},{"name":"LoadAcceleratorsA","features":[308,370]},{"name":"LoadAcceleratorsW","features":[308,370]},{"name":"LoadCursorA","features":[308,370]},{"name":"LoadCursorFromFileA","features":[370]},{"name":"LoadCursorFromFileW","features":[370]},{"name":"LoadCursorW","features":[308,370]},{"name":"LoadIconA","features":[308,370]},{"name":"LoadIconW","features":[308,370]},{"name":"LoadImageA","features":[308,370]},{"name":"LoadImageW","features":[308,370]},{"name":"LoadMenuA","features":[308,370]},{"name":"LoadMenuIndirectA","features":[370]},{"name":"LoadMenuIndirectW","features":[370]},{"name":"LoadMenuW","features":[308,370]},{"name":"LoadStringA","features":[308,370]},{"name":"LoadStringW","features":[308,370]},{"name":"LockSetForegroundWindow","features":[308,370]},{"name":"LogicalToPhysicalPoint","features":[308,370]},{"name":"LookupIconIdFromDirectory","features":[308,370]},{"name":"LookupIconIdFromDirectoryEx","features":[308,370]},{"name":"MAXIMUM_RESERVED_MANIFEST_RESOURCE_ID","features":[370]},{"name":"MAX_LOGICALDPIOVERRIDE","features":[370]},{"name":"MAX_STR_BLOCKREASON","features":[370]},{"name":"MAX_TOUCH_COUNT","features":[370]},{"name":"MAX_TOUCH_PREDICTION_FILTER_TAPS","features":[370]},{"name":"MA_ACTIVATE","features":[370]},{"name":"MA_ACTIVATEANDEAT","features":[370]},{"name":"MA_NOACTIVATE","features":[370]},{"name":"MA_NOACTIVATEANDEAT","features":[370]},{"name":"MB_ABORTRETRYIGNORE","features":[370]},{"name":"MB_APPLMODAL","features":[370]},{"name":"MB_CANCELTRYCONTINUE","features":[370]},{"name":"MB_DEFAULT_DESKTOP_ONLY","features":[370]},{"name":"MB_DEFBUTTON1","features":[370]},{"name":"MB_DEFBUTTON2","features":[370]},{"name":"MB_DEFBUTTON3","features":[370]},{"name":"MB_DEFBUTTON4","features":[370]},{"name":"MB_DEFMASK","features":[370]},{"name":"MB_HELP","features":[370]},{"name":"MB_ICONASTERISK","features":[370]},{"name":"MB_ICONERROR","features":[370]},{"name":"MB_ICONEXCLAMATION","features":[370]},{"name":"MB_ICONHAND","features":[370]},{"name":"MB_ICONINFORMATION","features":[370]},{"name":"MB_ICONMASK","features":[370]},{"name":"MB_ICONQUESTION","features":[370]},{"name":"MB_ICONSTOP","features":[370]},{"name":"MB_ICONWARNING","features":[370]},{"name":"MB_MISCMASK","features":[370]},{"name":"MB_MODEMASK","features":[370]},{"name":"MB_NOFOCUS","features":[370]},{"name":"MB_OK","features":[370]},{"name":"MB_OKCANCEL","features":[370]},{"name":"MB_RETRYCANCEL","features":[370]},{"name":"MB_RIGHT","features":[370]},{"name":"MB_RTLREADING","features":[370]},{"name":"MB_SERVICE_NOTIFICATION","features":[370]},{"name":"MB_SERVICE_NOTIFICATION_NT3X","features":[370]},{"name":"MB_SETFOREGROUND","features":[370]},{"name":"MB_SYSTEMMODAL","features":[370]},{"name":"MB_TASKMODAL","features":[370]},{"name":"MB_TOPMOST","features":[370]},{"name":"MB_TYPEMASK","features":[370]},{"name":"MB_USERICON","features":[370]},{"name":"MB_YESNO","features":[370]},{"name":"MB_YESNOCANCEL","features":[370]},{"name":"MDICREATESTRUCTA","features":[308,370]},{"name":"MDICREATESTRUCTW","features":[308,370]},{"name":"MDINEXTMENU","features":[308,370]},{"name":"MDIS_ALLCHILDSTYLES","features":[370]},{"name":"MDITILE_HORIZONTAL","features":[370]},{"name":"MDITILE_SKIPDISABLED","features":[370]},{"name":"MDITILE_VERTICAL","features":[370]},{"name":"MDITILE_ZORDER","features":[370]},{"name":"MENUBARINFO","features":[308,370]},{"name":"MENUEX_TEMPLATE_HEADER","features":[370]},{"name":"MENUEX_TEMPLATE_ITEM","features":[370]},{"name":"MENUGETOBJECTINFO","features":[370]},{"name":"MENUGETOBJECTINFO_FLAGS","features":[370]},{"name":"MENUINFO","features":[319,370]},{"name":"MENUINFO_MASK","features":[370]},{"name":"MENUINFO_STYLE","features":[370]},{"name":"MENUITEMINFOA","features":[319,370]},{"name":"MENUITEMINFOW","features":[319,370]},{"name":"MENUITEMTEMPLATE","features":[370]},{"name":"MENUITEMTEMPLATEHEADER","features":[370]},{"name":"MENUTEMPLATEEX","features":[370]},{"name":"MENU_ITEM_FLAGS","features":[370]},{"name":"MENU_ITEM_MASK","features":[370]},{"name":"MENU_ITEM_STATE","features":[370]},{"name":"MENU_ITEM_TYPE","features":[370]},{"name":"MESSAGEBOX_RESULT","features":[370]},{"name":"MESSAGEBOX_STYLE","features":[370]},{"name":"MESSAGE_RESOURCE_BLOCK","features":[370]},{"name":"MESSAGE_RESOURCE_DATA","features":[370]},{"name":"MESSAGE_RESOURCE_ENTRY","features":[370]},{"name":"METRICS_USEDEFAULT","features":[370]},{"name":"MFS_CHECKED","features":[370]},{"name":"MFS_DEFAULT","features":[370]},{"name":"MFS_DISABLED","features":[370]},{"name":"MFS_ENABLED","features":[370]},{"name":"MFS_GRAYED","features":[370]},{"name":"MFS_HILITE","features":[370]},{"name":"MFS_UNCHECKED","features":[370]},{"name":"MFS_UNHILITE","features":[370]},{"name":"MFT_BITMAP","features":[370]},{"name":"MFT_MENUBARBREAK","features":[370]},{"name":"MFT_MENUBREAK","features":[370]},{"name":"MFT_OWNERDRAW","features":[370]},{"name":"MFT_RADIOCHECK","features":[370]},{"name":"MFT_RIGHTJUSTIFY","features":[370]},{"name":"MFT_RIGHTORDER","features":[370]},{"name":"MFT_SEPARATOR","features":[370]},{"name":"MFT_STRING","features":[370]},{"name":"MF_APPEND","features":[370]},{"name":"MF_BITMAP","features":[370]},{"name":"MF_BYCOMMAND","features":[370]},{"name":"MF_BYPOSITION","features":[370]},{"name":"MF_CHANGE","features":[370]},{"name":"MF_CHECKED","features":[370]},{"name":"MF_DEFAULT","features":[370]},{"name":"MF_DELETE","features":[370]},{"name":"MF_DISABLED","features":[370]},{"name":"MF_ENABLED","features":[370]},{"name":"MF_END","features":[370]},{"name":"MF_GRAYED","features":[370]},{"name":"MF_HELP","features":[370]},{"name":"MF_HILITE","features":[370]},{"name":"MF_INSERT","features":[370]},{"name":"MF_MENUBARBREAK","features":[370]},{"name":"MF_MENUBREAK","features":[370]},{"name":"MF_MOUSESELECT","features":[370]},{"name":"MF_OWNERDRAW","features":[370]},{"name":"MF_POPUP","features":[370]},{"name":"MF_REMOVE","features":[370]},{"name":"MF_RIGHTJUSTIFY","features":[370]},{"name":"MF_SEPARATOR","features":[370]},{"name":"MF_STRING","features":[370]},{"name":"MF_SYSMENU","features":[370]},{"name":"MF_UNCHECKED","features":[370]},{"name":"MF_UNHILITE","features":[370]},{"name":"MF_USECHECKBITMAPS","features":[370]},{"name":"MIIM_BITMAP","features":[370]},{"name":"MIIM_CHECKMARKS","features":[370]},{"name":"MIIM_DATA","features":[370]},{"name":"MIIM_FTYPE","features":[370]},{"name":"MIIM_ID","features":[370]},{"name":"MIIM_STATE","features":[370]},{"name":"MIIM_STRING","features":[370]},{"name":"MIIM_SUBMENU","features":[370]},{"name":"MIIM_TYPE","features":[370]},{"name":"MIM_APPLYTOSUBMENUS","features":[370]},{"name":"MIM_BACKGROUND","features":[370]},{"name":"MIM_HELPID","features":[370]},{"name":"MIM_MAXHEIGHT","features":[370]},{"name":"MIM_MENUDATA","features":[370]},{"name":"MIM_STYLE","features":[370]},{"name":"MINIMIZEDMETRICS","features":[370]},{"name":"MINIMIZEDMETRICS_ARRANGE","features":[370]},{"name":"MINIMUM_RESERVED_MANIFEST_RESOURCE_ID","features":[370]},{"name":"MINMAXINFO","features":[308,370]},{"name":"MIN_LOGICALDPIOVERRIDE","features":[370]},{"name":"MKF_AVAILABLE","features":[370]},{"name":"MKF_CONFIRMHOTKEY","features":[370]},{"name":"MKF_HOTKEYACTIVE","features":[370]},{"name":"MKF_HOTKEYSOUND","features":[370]},{"name":"MKF_INDICATOR","features":[370]},{"name":"MKF_LEFTBUTTONDOWN","features":[370]},{"name":"MKF_LEFTBUTTONSEL","features":[370]},{"name":"MKF_MODIFIERS","features":[370]},{"name":"MKF_MOUSEKEYSON","features":[370]},{"name":"MKF_MOUSEMODE","features":[370]},{"name":"MKF_REPLACENUMBERS","features":[370]},{"name":"MKF_RIGHTBUTTONDOWN","features":[370]},{"name":"MKF_RIGHTBUTTONSEL","features":[370]},{"name":"MNC_CLOSE","features":[370]},{"name":"MNC_EXECUTE","features":[370]},{"name":"MNC_IGNORE","features":[370]},{"name":"MNC_SELECT","features":[370]},{"name":"MND_CONTINUE","features":[370]},{"name":"MND_ENDMENU","features":[370]},{"name":"MNGOF_BOTTOMGAP","features":[370]},{"name":"MNGOF_TOPGAP","features":[370]},{"name":"MNGO_NOERROR","features":[370]},{"name":"MNGO_NOINTERFACE","features":[370]},{"name":"MNS_AUTODISMISS","features":[370]},{"name":"MNS_CHECKORBMP","features":[370]},{"name":"MNS_DRAGDROP","features":[370]},{"name":"MNS_MODELESS","features":[370]},{"name":"MNS_NOCHECK","features":[370]},{"name":"MNS_NOTIFYBYPOS","features":[370]},{"name":"MN_GETHMENU","features":[370]},{"name":"MONITORINFOF_PRIMARY","features":[370]},{"name":"MOUSEHOOKSTRUCT","features":[308,370]},{"name":"MOUSEHOOKSTRUCTEX","features":[308,370]},{"name":"MOUSEWHEEL_ROUTING_FOCUS","features":[370]},{"name":"MOUSEWHEEL_ROUTING_HYBRID","features":[370]},{"name":"MOUSEWHEEL_ROUTING_MOUSE_POS","features":[370]},{"name":"MSG","features":[308,370]},{"name":"MSGBOXCALLBACK","features":[308,469,370]},{"name":"MSGBOXPARAMSA","features":[308,469,370]},{"name":"MSGBOXPARAMSW","features":[308,469,370]},{"name":"MSGFLTINFO_ALLOWED_HIGHER","features":[370]},{"name":"MSGFLTINFO_ALREADYALLOWED_FORWND","features":[370]},{"name":"MSGFLTINFO_ALREADYDISALLOWED_FORWND","features":[370]},{"name":"MSGFLTINFO_NONE","features":[370]},{"name":"MSGFLTINFO_STATUS","features":[370]},{"name":"MSGFLT_ADD","features":[370]},{"name":"MSGFLT_ALLOW","features":[370]},{"name":"MSGFLT_DISALLOW","features":[370]},{"name":"MSGFLT_REMOVE","features":[370]},{"name":"MSGFLT_RESET","features":[370]},{"name":"MSGF_DIALOGBOX","features":[370]},{"name":"MSGF_MAX","features":[370]},{"name":"MSGF_MENU","features":[370]},{"name":"MSGF_MESSAGEBOX","features":[370]},{"name":"MSGF_NEXTWINDOW","features":[370]},{"name":"MSGF_SCROLLBAR","features":[370]},{"name":"MSGF_USER","features":[370]},{"name":"MSG_WAIT_FOR_MULTIPLE_OBJECTS_EX_FLAGS","features":[370]},{"name":"MSLLHOOKSTRUCT","features":[308,370]},{"name":"MWMO_ALERTABLE","features":[370]},{"name":"MWMO_INPUTAVAILABLE","features":[370]},{"name":"MWMO_NONE","features":[370]},{"name":"MWMO_WAITALL","features":[370]},{"name":"MapDialogRect","features":[308,370]},{"name":"MenuItemFromPoint","features":[308,370]},{"name":"MessageBoxA","features":[308,370]},{"name":"MessageBoxExA","features":[308,370]},{"name":"MessageBoxExW","features":[308,370]},{"name":"MessageBoxIndirectA","features":[308,469,370]},{"name":"MessageBoxIndirectW","features":[308,469,370]},{"name":"MessageBoxW","features":[308,370]},{"name":"ModifyMenuA","features":[308,370]},{"name":"ModifyMenuW","features":[308,370]},{"name":"MoveWindow","features":[308,370]},{"name":"MrmCreateConfig","features":[370]},{"name":"MrmCreateConfigInMemory","features":[370]},{"name":"MrmCreateResourceFile","features":[370]},{"name":"MrmCreateResourceFileInMemory","features":[370]},{"name":"MrmCreateResourceFileWithChecksum","features":[370]},{"name":"MrmCreateResourceIndexer","features":[370]},{"name":"MrmCreateResourceIndexerFromPreviousPriData","features":[370]},{"name":"MrmCreateResourceIndexerFromPreviousPriFile","features":[370]},{"name":"MrmCreateResourceIndexerFromPreviousSchemaData","features":[370]},{"name":"MrmCreateResourceIndexerFromPreviousSchemaFile","features":[370]},{"name":"MrmCreateResourceIndexerWithFlags","features":[370]},{"name":"MrmDestroyIndexerAndMessages","features":[370]},{"name":"MrmDumpPriDataInMemory","features":[370]},{"name":"MrmDumpPriFile","features":[370]},{"name":"MrmDumpPriFileInMemory","features":[370]},{"name":"MrmDumpType","features":[370]},{"name":"MrmDumpType_Basic","features":[370]},{"name":"MrmDumpType_Detailed","features":[370]},{"name":"MrmDumpType_Schema","features":[370]},{"name":"MrmFreeMemory","features":[370]},{"name":"MrmGetPriFileContentChecksum","features":[370]},{"name":"MrmIndexEmbeddedData","features":[370]},{"name":"MrmIndexFile","features":[370]},{"name":"MrmIndexFileAutoQualifiers","features":[370]},{"name":"MrmIndexResourceContainerAutoQualifiers","features":[370]},{"name":"MrmIndexString","features":[370]},{"name":"MrmIndexerFlags","features":[370]},{"name":"MrmIndexerFlagsAutoMerge","features":[370]},{"name":"MrmIndexerFlagsCreateContentChecksum","features":[370]},{"name":"MrmIndexerFlagsNone","features":[370]},{"name":"MrmPackagingMode","features":[370]},{"name":"MrmPackagingModeAutoSplit","features":[370]},{"name":"MrmPackagingModeResourcePack","features":[370]},{"name":"MrmPackagingModeStandaloneFile","features":[370]},{"name":"MrmPackagingOptions","features":[370]},{"name":"MrmPackagingOptionsNone","features":[370]},{"name":"MrmPackagingOptionsOmitSchemaFromResourcePacks","features":[370]},{"name":"MrmPackagingOptionsSplitLanguageVariants","features":[370]},{"name":"MrmPeekResourceIndexerMessages","features":[370]},{"name":"MrmPlatformVersion","features":[370]},{"name":"MrmPlatformVersion_Default","features":[370]},{"name":"MrmPlatformVersion_Windows10_0_0_0","features":[370]},{"name":"MrmPlatformVersion_Windows10_0_0_5","features":[370]},{"name":"MrmResourceIndexerHandle","features":[370]},{"name":"MrmResourceIndexerMessage","features":[370]},{"name":"MrmResourceIndexerMessageSeverity","features":[370]},{"name":"MrmResourceIndexerMessageSeverityError","features":[370]},{"name":"MrmResourceIndexerMessageSeverityInfo","features":[370]},{"name":"MrmResourceIndexerMessageSeverityVerbose","features":[370]},{"name":"MrmResourceIndexerMessageSeverityWarning","features":[370]},{"name":"MsgWaitForMultipleObjects","features":[308,370]},{"name":"MsgWaitForMultipleObjectsEx","features":[308,370]},{"name":"NAMEENUMPROCA","features":[308,370]},{"name":"NAMEENUMPROCW","features":[308,370]},{"name":"NCCALCSIZE_PARAMS","features":[308,370]},{"name":"NFR_ANSI","features":[370]},{"name":"NFR_UNICODE","features":[370]},{"name":"NF_QUERY","features":[370]},{"name":"NF_REQUERY","features":[370]},{"name":"NID_EXTERNAL_PEN","features":[370]},{"name":"NID_EXTERNAL_TOUCH","features":[370]},{"name":"NID_INTEGRATED_PEN","features":[370]},{"name":"NID_INTEGRATED_TOUCH","features":[370]},{"name":"NID_MULTI_INPUT","features":[370]},{"name":"NID_READY","features":[370]},{"name":"NONCLIENTMETRICSA","features":[319,370]},{"name":"NONCLIENTMETRICSW","features":[319,370]},{"name":"OBJECT_IDENTIFIER","features":[370]},{"name":"OBJID_ALERT","features":[370]},{"name":"OBJID_CARET","features":[370]},{"name":"OBJID_CLIENT","features":[370]},{"name":"OBJID_CURSOR","features":[370]},{"name":"OBJID_HSCROLL","features":[370]},{"name":"OBJID_MENU","features":[370]},{"name":"OBJID_NATIVEOM","features":[370]},{"name":"OBJID_QUERYCLASSNAMEIDX","features":[370]},{"name":"OBJID_SIZEGRIP","features":[370]},{"name":"OBJID_SOUND","features":[370]},{"name":"OBJID_SYSMENU","features":[370]},{"name":"OBJID_TITLEBAR","features":[370]},{"name":"OBJID_VSCROLL","features":[370]},{"name":"OBJID_WINDOW","features":[370]},{"name":"OBM_BTNCORNERS","features":[370]},{"name":"OBM_BTSIZE","features":[370]},{"name":"OBM_CHECK","features":[370]},{"name":"OBM_CHECKBOXES","features":[370]},{"name":"OBM_CLOSE","features":[370]},{"name":"OBM_COMBO","features":[370]},{"name":"OBM_DNARROW","features":[370]},{"name":"OBM_DNARROWD","features":[370]},{"name":"OBM_DNARROWI","features":[370]},{"name":"OBM_LFARROW","features":[370]},{"name":"OBM_LFARROWD","features":[370]},{"name":"OBM_LFARROWI","features":[370]},{"name":"OBM_MNARROW","features":[370]},{"name":"OBM_OLD_CLOSE","features":[370]},{"name":"OBM_OLD_DNARROW","features":[370]},{"name":"OBM_OLD_LFARROW","features":[370]},{"name":"OBM_OLD_REDUCE","features":[370]},{"name":"OBM_OLD_RESTORE","features":[370]},{"name":"OBM_OLD_RGARROW","features":[370]},{"name":"OBM_OLD_UPARROW","features":[370]},{"name":"OBM_OLD_ZOOM","features":[370]},{"name":"OBM_REDUCE","features":[370]},{"name":"OBM_REDUCED","features":[370]},{"name":"OBM_RESTORE","features":[370]},{"name":"OBM_RESTORED","features":[370]},{"name":"OBM_RGARROW","features":[370]},{"name":"OBM_RGARROWD","features":[370]},{"name":"OBM_RGARROWI","features":[370]},{"name":"OBM_SIZE","features":[370]},{"name":"OBM_UPARROW","features":[370]},{"name":"OBM_UPARROWD","features":[370]},{"name":"OBM_UPARROWI","features":[370]},{"name":"OBM_ZOOM","features":[370]},{"name":"OBM_ZOOMD","features":[370]},{"name":"OCR_APPSTARTING","features":[370]},{"name":"OCR_CROSS","features":[370]},{"name":"OCR_HAND","features":[370]},{"name":"OCR_HELP","features":[370]},{"name":"OCR_IBEAM","features":[370]},{"name":"OCR_ICOCUR","features":[370]},{"name":"OCR_ICON","features":[370]},{"name":"OCR_NO","features":[370]},{"name":"OCR_NORMAL","features":[370]},{"name":"OCR_SIZE","features":[370]},{"name":"OCR_SIZEALL","features":[370]},{"name":"OCR_SIZENESW","features":[370]},{"name":"OCR_SIZENS","features":[370]},{"name":"OCR_SIZENWSE","features":[370]},{"name":"OCR_SIZEWE","features":[370]},{"name":"OCR_UP","features":[370]},{"name":"OCR_WAIT","features":[370]},{"name":"OIC_BANG","features":[370]},{"name":"OIC_ERROR","features":[370]},{"name":"OIC_HAND","features":[370]},{"name":"OIC_INFORMATION","features":[370]},{"name":"OIC_NOTE","features":[370]},{"name":"OIC_QUES","features":[370]},{"name":"OIC_SAMPLE","features":[370]},{"name":"OIC_SHIELD","features":[370]},{"name":"OIC_WARNING","features":[370]},{"name":"OIC_WINLOGO","features":[370]},{"name":"ORD_LANGDRIVER","features":[370]},{"name":"OemToCharA","features":[308,370]},{"name":"OemToCharBuffA","features":[308,370]},{"name":"OemToCharBuffW","features":[308,370]},{"name":"OemToCharW","features":[308,370]},{"name":"OpenIcon","features":[308,370]},{"name":"PA_ACTIVATE","features":[370]},{"name":"PA_NOACTIVATE","features":[370]},{"name":"PBTF_APMRESUMEFROMFAILURE","features":[370]},{"name":"PBT_APMBATTERYLOW","features":[370]},{"name":"PBT_APMOEMEVENT","features":[370]},{"name":"PBT_APMPOWERSTATUSCHANGE","features":[370]},{"name":"PBT_APMQUERYSTANDBY","features":[370]},{"name":"PBT_APMQUERYSTANDBYFAILED","features":[370]},{"name":"PBT_APMQUERYSUSPEND","features":[370]},{"name":"PBT_APMQUERYSUSPENDFAILED","features":[370]},{"name":"PBT_APMRESUMEAUTOMATIC","features":[370]},{"name":"PBT_APMRESUMECRITICAL","features":[370]},{"name":"PBT_APMRESUMESTANDBY","features":[370]},{"name":"PBT_APMRESUMESUSPEND","features":[370]},{"name":"PBT_APMSTANDBY","features":[370]},{"name":"PBT_APMSUSPEND","features":[370]},{"name":"PBT_POWERSETTINGCHANGE","features":[370]},{"name":"PDC_ARRIVAL","features":[370]},{"name":"PDC_MAPPING_CHANGE","features":[370]},{"name":"PDC_MODE_ASPECTRATIOPRESERVED","features":[370]},{"name":"PDC_MODE_CENTERED","features":[370]},{"name":"PDC_MODE_DEFAULT","features":[370]},{"name":"PDC_ORIENTATION_0","features":[370]},{"name":"PDC_ORIENTATION_180","features":[370]},{"name":"PDC_ORIENTATION_270","features":[370]},{"name":"PDC_ORIENTATION_90","features":[370]},{"name":"PDC_ORIGIN","features":[370]},{"name":"PDC_REMOVAL","features":[370]},{"name":"PDC_RESOLUTION","features":[370]},{"name":"PEEK_MESSAGE_REMOVE_TYPE","features":[370]},{"name":"PENARBITRATIONTYPE_FIS","features":[370]},{"name":"PENARBITRATIONTYPE_MAX","features":[370]},{"name":"PENARBITRATIONTYPE_NONE","features":[370]},{"name":"PENARBITRATIONTYPE_SPT","features":[370]},{"name":"PENARBITRATIONTYPE_WIN8","features":[370]},{"name":"PENVISUALIZATION_CURSOR","features":[370]},{"name":"PENVISUALIZATION_DOUBLETAP","features":[370]},{"name":"PENVISUALIZATION_OFF","features":[370]},{"name":"PENVISUALIZATION_ON","features":[370]},{"name":"PENVISUALIZATION_TAP","features":[370]},{"name":"PEN_FLAG_BARREL","features":[370]},{"name":"PEN_FLAG_ERASER","features":[370]},{"name":"PEN_FLAG_INVERTED","features":[370]},{"name":"PEN_FLAG_NONE","features":[370]},{"name":"PEN_MASK_NONE","features":[370]},{"name":"PEN_MASK_PRESSURE","features":[370]},{"name":"PEN_MASK_ROTATION","features":[370]},{"name":"PEN_MASK_TILT_X","features":[370]},{"name":"PEN_MASK_TILT_Y","features":[370]},{"name":"PMB_ACTIVE","features":[370]},{"name":"PM_NOREMOVE","features":[370]},{"name":"PM_NOYIELD","features":[370]},{"name":"PM_QS_INPUT","features":[370]},{"name":"PM_QS_PAINT","features":[370]},{"name":"PM_QS_POSTMESSAGE","features":[370]},{"name":"PM_QS_SENDMESSAGE","features":[370]},{"name":"PM_REMOVE","features":[370]},{"name":"POINTER_DEVICE_PRODUCT_STRING_MAX","features":[370]},{"name":"POINTER_INPUT_TYPE","features":[370]},{"name":"POINTER_MESSAGE_FLAG_CANCELED","features":[370]},{"name":"POINTER_MESSAGE_FLAG_CONFIDENCE","features":[370]},{"name":"POINTER_MESSAGE_FLAG_FIFTHBUTTON","features":[370]},{"name":"POINTER_MESSAGE_FLAG_FIRSTBUTTON","features":[370]},{"name":"POINTER_MESSAGE_FLAG_FOURTHBUTTON","features":[370]},{"name":"POINTER_MESSAGE_FLAG_INCONTACT","features":[370]},{"name":"POINTER_MESSAGE_FLAG_INRANGE","features":[370]},{"name":"POINTER_MESSAGE_FLAG_NEW","features":[370]},{"name":"POINTER_MESSAGE_FLAG_PRIMARY","features":[370]},{"name":"POINTER_MESSAGE_FLAG_SECONDBUTTON","features":[370]},{"name":"POINTER_MESSAGE_FLAG_THIRDBUTTON","features":[370]},{"name":"POINTER_MOD_CTRL","features":[370]},{"name":"POINTER_MOD_SHIFT","features":[370]},{"name":"PREGISTERCLASSNAMEW","features":[308,370]},{"name":"PRF_CHECKVISIBLE","features":[370]},{"name":"PRF_CHILDREN","features":[370]},{"name":"PRF_CLIENT","features":[370]},{"name":"PRF_ERASEBKGND","features":[370]},{"name":"PRF_NONCLIENT","features":[370]},{"name":"PRF_OWNED","features":[370]},{"name":"PROPENUMPROCA","features":[308,370]},{"name":"PROPENUMPROCEXA","features":[308,370]},{"name":"PROPENUMPROCEXW","features":[308,370]},{"name":"PROPENUMPROCW","features":[308,370]},{"name":"PT_MOUSE","features":[370]},{"name":"PT_PEN","features":[370]},{"name":"PT_POINTER","features":[370]},{"name":"PT_TOUCH","features":[370]},{"name":"PT_TOUCHPAD","features":[370]},{"name":"PWR_CRITICALRESUME","features":[370]},{"name":"PWR_FAIL","features":[370]},{"name":"PWR_OK","features":[370]},{"name":"PWR_SUSPENDREQUEST","features":[370]},{"name":"PWR_SUSPENDRESUME","features":[370]},{"name":"PW_RENDERFULLCONTENT","features":[370]},{"name":"PeekMessageA","features":[308,370]},{"name":"PeekMessageW","features":[308,370]},{"name":"PhysicalToLogicalPoint","features":[308,370]},{"name":"PostMessageA","features":[308,370]},{"name":"PostMessageW","features":[308,370]},{"name":"PostQuitMessage","features":[370]},{"name":"PostThreadMessageA","features":[308,370]},{"name":"PostThreadMessageW","features":[308,370]},{"name":"PrivateExtractIconsA","features":[370]},{"name":"PrivateExtractIconsW","features":[370]},{"name":"QS_ALLEVENTS","features":[370]},{"name":"QS_ALLINPUT","features":[370]},{"name":"QS_ALLPOSTMESSAGE","features":[370]},{"name":"QS_HOTKEY","features":[370]},{"name":"QS_INPUT","features":[370]},{"name":"QS_KEY","features":[370]},{"name":"QS_MOUSE","features":[370]},{"name":"QS_MOUSEBUTTON","features":[370]},{"name":"QS_MOUSEMOVE","features":[370]},{"name":"QS_PAINT","features":[370]},{"name":"QS_POINTER","features":[370]},{"name":"QS_POSTMESSAGE","features":[370]},{"name":"QS_RAWINPUT","features":[370]},{"name":"QS_SENDMESSAGE","features":[370]},{"name":"QS_TIMER","features":[370]},{"name":"QS_TOUCH","features":[370]},{"name":"QUEUE_STATUS_FLAGS","features":[370]},{"name":"REGISTER_NOTIFICATION_FLAGS","features":[370]},{"name":"RES_CURSOR","features":[370]},{"name":"RES_ICON","features":[370]},{"name":"RIDEV_EXMODEMASK","features":[370]},{"name":"RIM_INPUT","features":[370]},{"name":"RIM_INPUTSINK","features":[370]},{"name":"RIM_TYPEMAX","features":[370]},{"name":"RI_KEY_BREAK","features":[370]},{"name":"RI_KEY_E0","features":[370]},{"name":"RI_KEY_E1","features":[370]},{"name":"RI_KEY_MAKE","features":[370]},{"name":"RI_KEY_TERMSRV_SET_LED","features":[370]},{"name":"RI_KEY_TERMSRV_SHADOW","features":[370]},{"name":"RI_MOUSE_BUTTON_1_DOWN","features":[370]},{"name":"RI_MOUSE_BUTTON_1_UP","features":[370]},{"name":"RI_MOUSE_BUTTON_2_DOWN","features":[370]},{"name":"RI_MOUSE_BUTTON_2_UP","features":[370]},{"name":"RI_MOUSE_BUTTON_3_DOWN","features":[370]},{"name":"RI_MOUSE_BUTTON_3_UP","features":[370]},{"name":"RI_MOUSE_BUTTON_4_DOWN","features":[370]},{"name":"RI_MOUSE_BUTTON_4_UP","features":[370]},{"name":"RI_MOUSE_BUTTON_5_DOWN","features":[370]},{"name":"RI_MOUSE_BUTTON_5_UP","features":[370]},{"name":"RI_MOUSE_HWHEEL","features":[370]},{"name":"RI_MOUSE_LEFT_BUTTON_DOWN","features":[370]},{"name":"RI_MOUSE_LEFT_BUTTON_UP","features":[370]},{"name":"RI_MOUSE_MIDDLE_BUTTON_DOWN","features":[370]},{"name":"RI_MOUSE_MIDDLE_BUTTON_UP","features":[370]},{"name":"RI_MOUSE_RIGHT_BUTTON_DOWN","features":[370]},{"name":"RI_MOUSE_RIGHT_BUTTON_UP","features":[370]},{"name":"RI_MOUSE_WHEEL","features":[370]},{"name":"RT_ACCELERATOR","features":[370]},{"name":"RT_ANICURSOR","features":[370]},{"name":"RT_ANIICON","features":[370]},{"name":"RT_BITMAP","features":[370]},{"name":"RT_CURSOR","features":[370]},{"name":"RT_DIALOG","features":[370]},{"name":"RT_DLGINCLUDE","features":[370]},{"name":"RT_FONT","features":[370]},{"name":"RT_FONTDIR","features":[370]},{"name":"RT_HTML","features":[370]},{"name":"RT_ICON","features":[370]},{"name":"RT_MANIFEST","features":[370]},{"name":"RT_MENU","features":[370]},{"name":"RT_MESSAGETABLE","features":[370]},{"name":"RT_PLUGPLAY","features":[370]},{"name":"RT_VERSION","features":[370]},{"name":"RT_VXD","features":[370]},{"name":"RealChildWindowFromPoint","features":[308,370]},{"name":"RealGetWindowClassA","features":[308,370]},{"name":"RealGetWindowClassW","features":[308,370]},{"name":"RegisterClassA","features":[308,319,370]},{"name":"RegisterClassExA","features":[308,319,370]},{"name":"RegisterClassExW","features":[308,319,370]},{"name":"RegisterClassW","features":[308,319,370]},{"name":"RegisterDeviceNotificationA","features":[308,370]},{"name":"RegisterDeviceNotificationW","features":[308,370]},{"name":"RegisterForTooltipDismissNotification","features":[308,370]},{"name":"RegisterShellHookWindow","features":[308,370]},{"name":"RegisterWindowMessageA","features":[370]},{"name":"RegisterWindowMessageW","features":[370]},{"name":"RemoveMenu","features":[308,370]},{"name":"RemovePropA","features":[308,370]},{"name":"RemovePropW","features":[308,370]},{"name":"ReplyMessage","features":[308,370]},{"name":"SBM_ENABLE_ARROWS","features":[370]},{"name":"SBM_GETPOS","features":[370]},{"name":"SBM_GETRANGE","features":[370]},{"name":"SBM_GETSCROLLBARINFO","features":[370]},{"name":"SBM_GETSCROLLINFO","features":[370]},{"name":"SBM_SETPOS","features":[370]},{"name":"SBM_SETRANGE","features":[370]},{"name":"SBM_SETRANGEREDRAW","features":[370]},{"name":"SBM_SETSCROLLINFO","features":[370]},{"name":"SBS_BOTTOMALIGN","features":[370]},{"name":"SBS_HORZ","features":[370]},{"name":"SBS_LEFTALIGN","features":[370]},{"name":"SBS_RIGHTALIGN","features":[370]},{"name":"SBS_SIZEBOX","features":[370]},{"name":"SBS_SIZEBOXBOTTOMRIGHTALIGN","features":[370]},{"name":"SBS_SIZEBOXTOPLEFTALIGN","features":[370]},{"name":"SBS_SIZEGRIP","features":[370]},{"name":"SBS_TOPALIGN","features":[370]},{"name":"SBS_VERT","features":[370]},{"name":"SB_BOTH","features":[370]},{"name":"SB_BOTTOM","features":[370]},{"name":"SB_CTL","features":[370]},{"name":"SB_ENDSCROLL","features":[370]},{"name":"SB_HORZ","features":[370]},{"name":"SB_LEFT","features":[370]},{"name":"SB_LINEDOWN","features":[370]},{"name":"SB_LINELEFT","features":[370]},{"name":"SB_LINERIGHT","features":[370]},{"name":"SB_LINEUP","features":[370]},{"name":"SB_PAGEDOWN","features":[370]},{"name":"SB_PAGELEFT","features":[370]},{"name":"SB_PAGERIGHT","features":[370]},{"name":"SB_PAGEUP","features":[370]},{"name":"SB_RIGHT","features":[370]},{"name":"SB_THUMBPOSITION","features":[370]},{"name":"SB_THUMBTRACK","features":[370]},{"name":"SB_TOP","features":[370]},{"name":"SB_VERT","features":[370]},{"name":"SCF_ISSECURE","features":[370]},{"name":"SCROLLBARINFO","features":[308,370]},{"name":"SCROLLBAR_COMMAND","features":[370]},{"name":"SCROLLBAR_CONSTANTS","features":[370]},{"name":"SCROLLINFO","features":[370]},{"name":"SCROLLINFO_MASK","features":[370]},{"name":"SCROLL_WINDOW_FLAGS","features":[370]},{"name":"SC_ARRANGE","features":[370]},{"name":"SC_CLOSE","features":[370]},{"name":"SC_CONTEXTHELP","features":[370]},{"name":"SC_DEFAULT","features":[370]},{"name":"SC_HOTKEY","features":[370]},{"name":"SC_HSCROLL","features":[370]},{"name":"SC_ICON","features":[370]},{"name":"SC_KEYMENU","features":[370]},{"name":"SC_MAXIMIZE","features":[370]},{"name":"SC_MINIMIZE","features":[370]},{"name":"SC_MONITORPOWER","features":[370]},{"name":"SC_MOUSEMENU","features":[370]},{"name":"SC_MOVE","features":[370]},{"name":"SC_NEXTWINDOW","features":[370]},{"name":"SC_PREVWINDOW","features":[370]},{"name":"SC_RESTORE","features":[370]},{"name":"SC_SEPARATOR","features":[370]},{"name":"SC_SIZE","features":[370]},{"name":"SC_TASKLIST","features":[370]},{"name":"SC_VSCROLL","features":[370]},{"name":"SC_ZOOM","features":[370]},{"name":"SENDASYNCPROC","features":[308,370]},{"name":"SEND_MESSAGE_TIMEOUT_FLAGS","features":[370]},{"name":"SET_WINDOW_POS_FLAGS","features":[370]},{"name":"SHELLHOOKINFO","features":[308,370]},{"name":"SHOW_FULLSCREEN","features":[370]},{"name":"SHOW_ICONWINDOW","features":[370]},{"name":"SHOW_OPENNOACTIVATE","features":[370]},{"name":"SHOW_OPENWINDOW","features":[370]},{"name":"SHOW_WINDOW_CMD","features":[370]},{"name":"SHOW_WINDOW_STATUS","features":[370]},{"name":"SIF_ALL","features":[370]},{"name":"SIF_DISABLENOSCROLL","features":[370]},{"name":"SIF_PAGE","features":[370]},{"name":"SIF_POS","features":[370]},{"name":"SIF_RANGE","features":[370]},{"name":"SIF_TRACKPOS","features":[370]},{"name":"SIZEFULLSCREEN","features":[370]},{"name":"SIZEICONIC","features":[370]},{"name":"SIZENORMAL","features":[370]},{"name":"SIZEZOOMHIDE","features":[370]},{"name":"SIZEZOOMSHOW","features":[370]},{"name":"SIZE_MAXHIDE","features":[370]},{"name":"SIZE_MAXIMIZED","features":[370]},{"name":"SIZE_MAXSHOW","features":[370]},{"name":"SIZE_MINIMIZED","features":[370]},{"name":"SIZE_RESTORED","features":[370]},{"name":"SMTO_ABORTIFHUNG","features":[370]},{"name":"SMTO_BLOCK","features":[370]},{"name":"SMTO_ERRORONEXIT","features":[370]},{"name":"SMTO_NORMAL","features":[370]},{"name":"SMTO_NOTIMEOUTIFNOTHUNG","features":[370]},{"name":"SM_ARRANGE","features":[370]},{"name":"SM_CARETBLINKINGENABLED","features":[370]},{"name":"SM_CLEANBOOT","features":[370]},{"name":"SM_CMETRICS","features":[370]},{"name":"SM_CMONITORS","features":[370]},{"name":"SM_CMOUSEBUTTONS","features":[370]},{"name":"SM_CONVERTIBLESLATEMODE","features":[370]},{"name":"SM_CXBORDER","features":[370]},{"name":"SM_CXCURSOR","features":[370]},{"name":"SM_CXDLGFRAME","features":[370]},{"name":"SM_CXDOUBLECLK","features":[370]},{"name":"SM_CXDRAG","features":[370]},{"name":"SM_CXEDGE","features":[370]},{"name":"SM_CXFIXEDFRAME","features":[370]},{"name":"SM_CXFOCUSBORDER","features":[370]},{"name":"SM_CXFRAME","features":[370]},{"name":"SM_CXFULLSCREEN","features":[370]},{"name":"SM_CXHSCROLL","features":[370]},{"name":"SM_CXHTHUMB","features":[370]},{"name":"SM_CXICON","features":[370]},{"name":"SM_CXICONSPACING","features":[370]},{"name":"SM_CXMAXIMIZED","features":[370]},{"name":"SM_CXMAXTRACK","features":[370]},{"name":"SM_CXMENUCHECK","features":[370]},{"name":"SM_CXMENUSIZE","features":[370]},{"name":"SM_CXMIN","features":[370]},{"name":"SM_CXMINIMIZED","features":[370]},{"name":"SM_CXMINSPACING","features":[370]},{"name":"SM_CXMINTRACK","features":[370]},{"name":"SM_CXPADDEDBORDER","features":[370]},{"name":"SM_CXSCREEN","features":[370]},{"name":"SM_CXSIZE","features":[370]},{"name":"SM_CXSIZEFRAME","features":[370]},{"name":"SM_CXSMICON","features":[370]},{"name":"SM_CXSMSIZE","features":[370]},{"name":"SM_CXVIRTUALSCREEN","features":[370]},{"name":"SM_CXVSCROLL","features":[370]},{"name":"SM_CYBORDER","features":[370]},{"name":"SM_CYCAPTION","features":[370]},{"name":"SM_CYCURSOR","features":[370]},{"name":"SM_CYDLGFRAME","features":[370]},{"name":"SM_CYDOUBLECLK","features":[370]},{"name":"SM_CYDRAG","features":[370]},{"name":"SM_CYEDGE","features":[370]},{"name":"SM_CYFIXEDFRAME","features":[370]},{"name":"SM_CYFOCUSBORDER","features":[370]},{"name":"SM_CYFRAME","features":[370]},{"name":"SM_CYFULLSCREEN","features":[370]},{"name":"SM_CYHSCROLL","features":[370]},{"name":"SM_CYICON","features":[370]},{"name":"SM_CYICONSPACING","features":[370]},{"name":"SM_CYKANJIWINDOW","features":[370]},{"name":"SM_CYMAXIMIZED","features":[370]},{"name":"SM_CYMAXTRACK","features":[370]},{"name":"SM_CYMENU","features":[370]},{"name":"SM_CYMENUCHECK","features":[370]},{"name":"SM_CYMENUSIZE","features":[370]},{"name":"SM_CYMIN","features":[370]},{"name":"SM_CYMINIMIZED","features":[370]},{"name":"SM_CYMINSPACING","features":[370]},{"name":"SM_CYMINTRACK","features":[370]},{"name":"SM_CYSCREEN","features":[370]},{"name":"SM_CYSIZE","features":[370]},{"name":"SM_CYSIZEFRAME","features":[370]},{"name":"SM_CYSMCAPTION","features":[370]},{"name":"SM_CYSMICON","features":[370]},{"name":"SM_CYSMSIZE","features":[370]},{"name":"SM_CYVIRTUALSCREEN","features":[370]},{"name":"SM_CYVSCROLL","features":[370]},{"name":"SM_CYVTHUMB","features":[370]},{"name":"SM_DBCSENABLED","features":[370]},{"name":"SM_DEBUG","features":[370]},{"name":"SM_DIGITIZER","features":[370]},{"name":"SM_IMMENABLED","features":[370]},{"name":"SM_MAXIMUMTOUCHES","features":[370]},{"name":"SM_MEDIACENTER","features":[370]},{"name":"SM_MENUDROPALIGNMENT","features":[370]},{"name":"SM_MIDEASTENABLED","features":[370]},{"name":"SM_MOUSEHORIZONTALWHEELPRESENT","features":[370]},{"name":"SM_MOUSEPRESENT","features":[370]},{"name":"SM_MOUSEWHEELPRESENT","features":[370]},{"name":"SM_NETWORK","features":[370]},{"name":"SM_PENWINDOWS","features":[370]},{"name":"SM_REMOTECONTROL","features":[370]},{"name":"SM_REMOTESESSION","features":[370]},{"name":"SM_RESERVED1","features":[370]},{"name":"SM_RESERVED2","features":[370]},{"name":"SM_RESERVED3","features":[370]},{"name":"SM_RESERVED4","features":[370]},{"name":"SM_SAMEDISPLAYFORMAT","features":[370]},{"name":"SM_SECURE","features":[370]},{"name":"SM_SERVERR2","features":[370]},{"name":"SM_SHOWSOUNDS","features":[370]},{"name":"SM_SHUTTINGDOWN","features":[370]},{"name":"SM_SLOWMACHINE","features":[370]},{"name":"SM_STARTER","features":[370]},{"name":"SM_SWAPBUTTON","features":[370]},{"name":"SM_SYSTEMDOCKED","features":[370]},{"name":"SM_TABLETPC","features":[370]},{"name":"SM_XVIRTUALSCREEN","features":[370]},{"name":"SM_YVIRTUALSCREEN","features":[370]},{"name":"SOUND_SYSTEM_APPEND","features":[370]},{"name":"SOUND_SYSTEM_APPSTART","features":[370]},{"name":"SOUND_SYSTEM_BEEP","features":[370]},{"name":"SOUND_SYSTEM_ERROR","features":[370]},{"name":"SOUND_SYSTEM_FAULT","features":[370]},{"name":"SOUND_SYSTEM_INFORMATION","features":[370]},{"name":"SOUND_SYSTEM_MAXIMIZE","features":[370]},{"name":"SOUND_SYSTEM_MENUCOMMAND","features":[370]},{"name":"SOUND_SYSTEM_MENUPOPUP","features":[370]},{"name":"SOUND_SYSTEM_MINIMIZE","features":[370]},{"name":"SOUND_SYSTEM_QUESTION","features":[370]},{"name":"SOUND_SYSTEM_RESTOREDOWN","features":[370]},{"name":"SOUND_SYSTEM_RESTOREUP","features":[370]},{"name":"SOUND_SYSTEM_SHUTDOWN","features":[370]},{"name":"SOUND_SYSTEM_STARTUP","features":[370]},{"name":"SOUND_SYSTEM_WARNING","features":[370]},{"name":"SPIF_SENDCHANGE","features":[370]},{"name":"SPIF_SENDWININICHANGE","features":[370]},{"name":"SPIF_UPDATEINIFILE","features":[370]},{"name":"SPI_GETACCESSTIMEOUT","features":[370]},{"name":"SPI_GETACTIVEWINDOWTRACKING","features":[370]},{"name":"SPI_GETACTIVEWNDTRKTIMEOUT","features":[370]},{"name":"SPI_GETACTIVEWNDTRKZORDER","features":[370]},{"name":"SPI_GETANIMATION","features":[370]},{"name":"SPI_GETAUDIODESCRIPTION","features":[370]},{"name":"SPI_GETBEEP","features":[370]},{"name":"SPI_GETBLOCKSENDINPUTRESETS","features":[370]},{"name":"SPI_GETBORDER","features":[370]},{"name":"SPI_GETCARETBROWSING","features":[370]},{"name":"SPI_GETCARETTIMEOUT","features":[370]},{"name":"SPI_GETCARETWIDTH","features":[370]},{"name":"SPI_GETCLEARTYPE","features":[370]},{"name":"SPI_GETCLIENTAREAANIMATION","features":[370]},{"name":"SPI_GETCOMBOBOXANIMATION","features":[370]},{"name":"SPI_GETCONTACTVISUALIZATION","features":[370]},{"name":"SPI_GETCURSORSHADOW","features":[370]},{"name":"SPI_GETDEFAULTINPUTLANG","features":[370]},{"name":"SPI_GETDESKWALLPAPER","features":[370]},{"name":"SPI_GETDISABLEOVERLAPPEDCONTENT","features":[370]},{"name":"SPI_GETDOCKMOVING","features":[370]},{"name":"SPI_GETDRAGFROMMAXIMIZE","features":[370]},{"name":"SPI_GETDRAGFULLWINDOWS","features":[370]},{"name":"SPI_GETDROPSHADOW","features":[370]},{"name":"SPI_GETFASTTASKSWITCH","features":[370]},{"name":"SPI_GETFILTERKEYS","features":[370]},{"name":"SPI_GETFLATMENU","features":[370]},{"name":"SPI_GETFOCUSBORDERHEIGHT","features":[370]},{"name":"SPI_GETFOCUSBORDERWIDTH","features":[370]},{"name":"SPI_GETFONTSMOOTHING","features":[370]},{"name":"SPI_GETFONTSMOOTHINGCONTRAST","features":[370]},{"name":"SPI_GETFONTSMOOTHINGORIENTATION","features":[370]},{"name":"SPI_GETFONTSMOOTHINGTYPE","features":[370]},{"name":"SPI_GETFOREGROUNDFLASHCOUNT","features":[370]},{"name":"SPI_GETFOREGROUNDLOCKTIMEOUT","features":[370]},{"name":"SPI_GETGESTUREVISUALIZATION","features":[370]},{"name":"SPI_GETGRADIENTCAPTIONS","features":[370]},{"name":"SPI_GETGRIDGRANULARITY","features":[370]},{"name":"SPI_GETHANDEDNESS","features":[370]},{"name":"SPI_GETHIGHCONTRAST","features":[370]},{"name":"SPI_GETHOTTRACKING","features":[370]},{"name":"SPI_GETHUNGAPPTIMEOUT","features":[370]},{"name":"SPI_GETICONMETRICS","features":[370]},{"name":"SPI_GETICONTITLELOGFONT","features":[370]},{"name":"SPI_GETICONTITLEWRAP","features":[370]},{"name":"SPI_GETKEYBOARDCUES","features":[370]},{"name":"SPI_GETKEYBOARDDELAY","features":[370]},{"name":"SPI_GETKEYBOARDPREF","features":[370]},{"name":"SPI_GETKEYBOARDSPEED","features":[370]},{"name":"SPI_GETLISTBOXSMOOTHSCROLLING","features":[370]},{"name":"SPI_GETLOGICALDPIOVERRIDE","features":[370]},{"name":"SPI_GETLOWPOWERACTIVE","features":[370]},{"name":"SPI_GETLOWPOWERTIMEOUT","features":[370]},{"name":"SPI_GETMENUANIMATION","features":[370]},{"name":"SPI_GETMENUDROPALIGNMENT","features":[370]},{"name":"SPI_GETMENUFADE","features":[370]},{"name":"SPI_GETMENURECT","features":[370]},{"name":"SPI_GETMENUSHOWDELAY","features":[370]},{"name":"SPI_GETMENUUNDERLINES","features":[370]},{"name":"SPI_GETMESSAGEDURATION","features":[370]},{"name":"SPI_GETMINIMIZEDMETRICS","features":[370]},{"name":"SPI_GETMINIMUMHITRADIUS","features":[370]},{"name":"SPI_GETMOUSE","features":[370]},{"name":"SPI_GETMOUSECLICKLOCK","features":[370]},{"name":"SPI_GETMOUSECLICKLOCKTIME","features":[370]},{"name":"SPI_GETMOUSEDOCKTHRESHOLD","features":[370]},{"name":"SPI_GETMOUSEDRAGOUTTHRESHOLD","features":[370]},{"name":"SPI_GETMOUSEHOVERHEIGHT","features":[370]},{"name":"SPI_GETMOUSEHOVERTIME","features":[370]},{"name":"SPI_GETMOUSEHOVERWIDTH","features":[370]},{"name":"SPI_GETMOUSEKEYS","features":[370]},{"name":"SPI_GETMOUSESIDEMOVETHRESHOLD","features":[370]},{"name":"SPI_GETMOUSESONAR","features":[370]},{"name":"SPI_GETMOUSESPEED","features":[370]},{"name":"SPI_GETMOUSETRAILS","features":[370]},{"name":"SPI_GETMOUSEVANISH","features":[370]},{"name":"SPI_GETMOUSEWHEELROUTING","features":[370]},{"name":"SPI_GETNONCLIENTMETRICS","features":[370]},{"name":"SPI_GETPENARBITRATIONTYPE","features":[370]},{"name":"SPI_GETPENDOCKTHRESHOLD","features":[370]},{"name":"SPI_GETPENDRAGOUTTHRESHOLD","features":[370]},{"name":"SPI_GETPENSIDEMOVETHRESHOLD","features":[370]},{"name":"SPI_GETPENVISUALIZATION","features":[370]},{"name":"SPI_GETPOWEROFFACTIVE","features":[370]},{"name":"SPI_GETPOWEROFFTIMEOUT","features":[370]},{"name":"SPI_GETSCREENREADER","features":[370]},{"name":"SPI_GETSCREENSAVEACTIVE","features":[370]},{"name":"SPI_GETSCREENSAVERRUNNING","features":[370]},{"name":"SPI_GETSCREENSAVESECURE","features":[370]},{"name":"SPI_GETSCREENSAVETIMEOUT","features":[370]},{"name":"SPI_GETSELECTIONFADE","features":[370]},{"name":"SPI_GETSERIALKEYS","features":[370]},{"name":"SPI_GETSHOWIMEUI","features":[370]},{"name":"SPI_GETSHOWSOUNDS","features":[370]},{"name":"SPI_GETSNAPSIZING","features":[370]},{"name":"SPI_GETSNAPTODEFBUTTON","features":[370]},{"name":"SPI_GETSOUNDSENTRY","features":[370]},{"name":"SPI_GETSPEECHRECOGNITION","features":[370]},{"name":"SPI_GETSTICKYKEYS","features":[370]},{"name":"SPI_GETSYSTEMLANGUAGEBAR","features":[370]},{"name":"SPI_GETTHREADLOCALINPUTSETTINGS","features":[370]},{"name":"SPI_GETTOGGLEKEYS","features":[370]},{"name":"SPI_GETTOOLTIPANIMATION","features":[370]},{"name":"SPI_GETTOOLTIPFADE","features":[370]},{"name":"SPI_GETTOUCHPREDICTIONPARAMETERS","features":[370]},{"name":"SPI_GETUIEFFECTS","features":[370]},{"name":"SPI_GETWAITTOKILLSERVICETIMEOUT","features":[370]},{"name":"SPI_GETWAITTOKILLTIMEOUT","features":[370]},{"name":"SPI_GETWHEELSCROLLCHARS","features":[370]},{"name":"SPI_GETWHEELSCROLLLINES","features":[370]},{"name":"SPI_GETWINARRANGING","features":[370]},{"name":"SPI_GETWINDOWSEXTENSION","features":[370]},{"name":"SPI_GETWORKAREA","features":[370]},{"name":"SPI_ICONHORIZONTALSPACING","features":[370]},{"name":"SPI_ICONVERTICALSPACING","features":[370]},{"name":"SPI_LANGDRIVER","features":[370]},{"name":"SPI_SCREENSAVERRUNNING","features":[370]},{"name":"SPI_SETACCESSTIMEOUT","features":[370]},{"name":"SPI_SETACTIVEWINDOWTRACKING","features":[370]},{"name":"SPI_SETACTIVEWNDTRKTIMEOUT","features":[370]},{"name":"SPI_SETACTIVEWNDTRKZORDER","features":[370]},{"name":"SPI_SETANIMATION","features":[370]},{"name":"SPI_SETAUDIODESCRIPTION","features":[370]},{"name":"SPI_SETBEEP","features":[370]},{"name":"SPI_SETBLOCKSENDINPUTRESETS","features":[370]},{"name":"SPI_SETBORDER","features":[370]},{"name":"SPI_SETCARETBROWSING","features":[370]},{"name":"SPI_SETCARETTIMEOUT","features":[370]},{"name":"SPI_SETCARETWIDTH","features":[370]},{"name":"SPI_SETCLEARTYPE","features":[370]},{"name":"SPI_SETCLIENTAREAANIMATION","features":[370]},{"name":"SPI_SETCOMBOBOXANIMATION","features":[370]},{"name":"SPI_SETCONTACTVISUALIZATION","features":[370]},{"name":"SPI_SETCURSORS","features":[370]},{"name":"SPI_SETCURSORSHADOW","features":[370]},{"name":"SPI_SETDEFAULTINPUTLANG","features":[370]},{"name":"SPI_SETDESKPATTERN","features":[370]},{"name":"SPI_SETDESKWALLPAPER","features":[370]},{"name":"SPI_SETDISABLEOVERLAPPEDCONTENT","features":[370]},{"name":"SPI_SETDOCKMOVING","features":[370]},{"name":"SPI_SETDOUBLECLICKTIME","features":[370]},{"name":"SPI_SETDOUBLECLKHEIGHT","features":[370]},{"name":"SPI_SETDOUBLECLKWIDTH","features":[370]},{"name":"SPI_SETDRAGFROMMAXIMIZE","features":[370]},{"name":"SPI_SETDRAGFULLWINDOWS","features":[370]},{"name":"SPI_SETDRAGHEIGHT","features":[370]},{"name":"SPI_SETDRAGWIDTH","features":[370]},{"name":"SPI_SETDROPSHADOW","features":[370]},{"name":"SPI_SETFASTTASKSWITCH","features":[370]},{"name":"SPI_SETFILTERKEYS","features":[370]},{"name":"SPI_SETFLATMENU","features":[370]},{"name":"SPI_SETFOCUSBORDERHEIGHT","features":[370]},{"name":"SPI_SETFOCUSBORDERWIDTH","features":[370]},{"name":"SPI_SETFONTSMOOTHING","features":[370]},{"name":"SPI_SETFONTSMOOTHINGCONTRAST","features":[370]},{"name":"SPI_SETFONTSMOOTHINGORIENTATION","features":[370]},{"name":"SPI_SETFONTSMOOTHINGTYPE","features":[370]},{"name":"SPI_SETFOREGROUNDFLASHCOUNT","features":[370]},{"name":"SPI_SETFOREGROUNDLOCKTIMEOUT","features":[370]},{"name":"SPI_SETGESTUREVISUALIZATION","features":[370]},{"name":"SPI_SETGRADIENTCAPTIONS","features":[370]},{"name":"SPI_SETGRIDGRANULARITY","features":[370]},{"name":"SPI_SETHANDEDNESS","features":[370]},{"name":"SPI_SETHANDHELD","features":[370]},{"name":"SPI_SETHIGHCONTRAST","features":[370]},{"name":"SPI_SETHOTTRACKING","features":[370]},{"name":"SPI_SETHUNGAPPTIMEOUT","features":[370]},{"name":"SPI_SETICONMETRICS","features":[370]},{"name":"SPI_SETICONS","features":[370]},{"name":"SPI_SETICONTITLELOGFONT","features":[370]},{"name":"SPI_SETICONTITLEWRAP","features":[370]},{"name":"SPI_SETKEYBOARDCUES","features":[370]},{"name":"SPI_SETKEYBOARDDELAY","features":[370]},{"name":"SPI_SETKEYBOARDPREF","features":[370]},{"name":"SPI_SETKEYBOARDSPEED","features":[370]},{"name":"SPI_SETLANGTOGGLE","features":[370]},{"name":"SPI_SETLISTBOXSMOOTHSCROLLING","features":[370]},{"name":"SPI_SETLOGICALDPIOVERRIDE","features":[370]},{"name":"SPI_SETLOWPOWERACTIVE","features":[370]},{"name":"SPI_SETLOWPOWERTIMEOUT","features":[370]},{"name":"SPI_SETMENUANIMATION","features":[370]},{"name":"SPI_SETMENUDROPALIGNMENT","features":[370]},{"name":"SPI_SETMENUFADE","features":[370]},{"name":"SPI_SETMENURECT","features":[370]},{"name":"SPI_SETMENUSHOWDELAY","features":[370]},{"name":"SPI_SETMENUUNDERLINES","features":[370]},{"name":"SPI_SETMESSAGEDURATION","features":[370]},{"name":"SPI_SETMINIMIZEDMETRICS","features":[370]},{"name":"SPI_SETMINIMUMHITRADIUS","features":[370]},{"name":"SPI_SETMOUSE","features":[370]},{"name":"SPI_SETMOUSEBUTTONSWAP","features":[370]},{"name":"SPI_SETMOUSECLICKLOCK","features":[370]},{"name":"SPI_SETMOUSECLICKLOCKTIME","features":[370]},{"name":"SPI_SETMOUSEDOCKTHRESHOLD","features":[370]},{"name":"SPI_SETMOUSEDRAGOUTTHRESHOLD","features":[370]},{"name":"SPI_SETMOUSEHOVERHEIGHT","features":[370]},{"name":"SPI_SETMOUSEHOVERTIME","features":[370]},{"name":"SPI_SETMOUSEHOVERWIDTH","features":[370]},{"name":"SPI_SETMOUSEKEYS","features":[370]},{"name":"SPI_SETMOUSESIDEMOVETHRESHOLD","features":[370]},{"name":"SPI_SETMOUSESONAR","features":[370]},{"name":"SPI_SETMOUSESPEED","features":[370]},{"name":"SPI_SETMOUSETRAILS","features":[370]},{"name":"SPI_SETMOUSEVANISH","features":[370]},{"name":"SPI_SETMOUSEWHEELROUTING","features":[370]},{"name":"SPI_SETNONCLIENTMETRICS","features":[370]},{"name":"SPI_SETPENARBITRATIONTYPE","features":[370]},{"name":"SPI_SETPENDOCKTHRESHOLD","features":[370]},{"name":"SPI_SETPENDRAGOUTTHRESHOLD","features":[370]},{"name":"SPI_SETPENSIDEMOVETHRESHOLD","features":[370]},{"name":"SPI_SETPENVISUALIZATION","features":[370]},{"name":"SPI_SETPENWINDOWS","features":[370]},{"name":"SPI_SETPOWEROFFACTIVE","features":[370]},{"name":"SPI_SETPOWEROFFTIMEOUT","features":[370]},{"name":"SPI_SETSCREENREADER","features":[370]},{"name":"SPI_SETSCREENSAVEACTIVE","features":[370]},{"name":"SPI_SETSCREENSAVERRUNNING","features":[370]},{"name":"SPI_SETSCREENSAVESECURE","features":[370]},{"name":"SPI_SETSCREENSAVETIMEOUT","features":[370]},{"name":"SPI_SETSELECTIONFADE","features":[370]},{"name":"SPI_SETSERIALKEYS","features":[370]},{"name":"SPI_SETSHOWIMEUI","features":[370]},{"name":"SPI_SETSHOWSOUNDS","features":[370]},{"name":"SPI_SETSNAPSIZING","features":[370]},{"name":"SPI_SETSNAPTODEFBUTTON","features":[370]},{"name":"SPI_SETSOUNDSENTRY","features":[370]},{"name":"SPI_SETSPEECHRECOGNITION","features":[370]},{"name":"SPI_SETSTICKYKEYS","features":[370]},{"name":"SPI_SETSYSTEMLANGUAGEBAR","features":[370]},{"name":"SPI_SETTHREADLOCALINPUTSETTINGS","features":[370]},{"name":"SPI_SETTOGGLEKEYS","features":[370]},{"name":"SPI_SETTOOLTIPANIMATION","features":[370]},{"name":"SPI_SETTOOLTIPFADE","features":[370]},{"name":"SPI_SETTOUCHPREDICTIONPARAMETERS","features":[370]},{"name":"SPI_SETUIEFFECTS","features":[370]},{"name":"SPI_SETWAITTOKILLSERVICETIMEOUT","features":[370]},{"name":"SPI_SETWAITTOKILLTIMEOUT","features":[370]},{"name":"SPI_SETWHEELSCROLLCHARS","features":[370]},{"name":"SPI_SETWHEELSCROLLLINES","features":[370]},{"name":"SPI_SETWINARRANGING","features":[370]},{"name":"SPI_SETWORKAREA","features":[370]},{"name":"STATE_SYSTEM_ALERT_HIGH","features":[370]},{"name":"STATE_SYSTEM_ALERT_LOW","features":[370]},{"name":"STATE_SYSTEM_ALERT_MEDIUM","features":[370]},{"name":"STATE_SYSTEM_ANIMATED","features":[370]},{"name":"STATE_SYSTEM_BUSY","features":[370]},{"name":"STATE_SYSTEM_CHECKED","features":[370]},{"name":"STATE_SYSTEM_COLLAPSED","features":[370]},{"name":"STATE_SYSTEM_DEFAULT","features":[370]},{"name":"STATE_SYSTEM_EXPANDED","features":[370]},{"name":"STATE_SYSTEM_EXTSELECTABLE","features":[370]},{"name":"STATE_SYSTEM_FLOATING","features":[370]},{"name":"STATE_SYSTEM_FOCUSED","features":[370]},{"name":"STATE_SYSTEM_HOTTRACKED","features":[370]},{"name":"STATE_SYSTEM_INDETERMINATE","features":[370]},{"name":"STATE_SYSTEM_LINKED","features":[370]},{"name":"STATE_SYSTEM_MARQUEED","features":[370]},{"name":"STATE_SYSTEM_MIXED","features":[370]},{"name":"STATE_SYSTEM_MOVEABLE","features":[370]},{"name":"STATE_SYSTEM_MULTISELECTABLE","features":[370]},{"name":"STATE_SYSTEM_PROTECTED","features":[370]},{"name":"STATE_SYSTEM_READONLY","features":[370]},{"name":"STATE_SYSTEM_SELECTABLE","features":[370]},{"name":"STATE_SYSTEM_SELECTED","features":[370]},{"name":"STATE_SYSTEM_SELFVOICING","features":[370]},{"name":"STATE_SYSTEM_SIZEABLE","features":[370]},{"name":"STATE_SYSTEM_TRAVERSED","features":[370]},{"name":"STATE_SYSTEM_VALID","features":[370]},{"name":"STM_GETICON","features":[370]},{"name":"STM_GETIMAGE","features":[370]},{"name":"STM_MSGMAX","features":[370]},{"name":"STM_SETICON","features":[370]},{"name":"STM_SETIMAGE","features":[370]},{"name":"STN_CLICKED","features":[370]},{"name":"STN_DBLCLK","features":[370]},{"name":"STN_DISABLE","features":[370]},{"name":"STN_ENABLE","features":[370]},{"name":"STRSAFE_E_END_OF_FILE","features":[370]},{"name":"STRSAFE_E_INSUFFICIENT_BUFFER","features":[370]},{"name":"STRSAFE_E_INVALID_PARAMETER","features":[370]},{"name":"STRSAFE_FILL_BEHIND_NULL","features":[370]},{"name":"STRSAFE_FILL_ON_FAILURE","features":[370]},{"name":"STRSAFE_IGNORE_NULLS","features":[370]},{"name":"STRSAFE_MAX_CCH","features":[370]},{"name":"STRSAFE_MAX_LENGTH","features":[370]},{"name":"STRSAFE_NO_TRUNCATION","features":[370]},{"name":"STRSAFE_NULL_ON_FAILURE","features":[370]},{"name":"STRSAFE_USE_SECURE_CRT","features":[370]},{"name":"STYLESTRUCT","features":[370]},{"name":"SWP_ASYNCWINDOWPOS","features":[370]},{"name":"SWP_DEFERERASE","features":[370]},{"name":"SWP_DRAWFRAME","features":[370]},{"name":"SWP_FRAMECHANGED","features":[370]},{"name":"SWP_HIDEWINDOW","features":[370]},{"name":"SWP_NOACTIVATE","features":[370]},{"name":"SWP_NOCOPYBITS","features":[370]},{"name":"SWP_NOMOVE","features":[370]},{"name":"SWP_NOOWNERZORDER","features":[370]},{"name":"SWP_NOREDRAW","features":[370]},{"name":"SWP_NOREPOSITION","features":[370]},{"name":"SWP_NOSENDCHANGING","features":[370]},{"name":"SWP_NOSIZE","features":[370]},{"name":"SWP_NOZORDER","features":[370]},{"name":"SWP_SHOWWINDOW","features":[370]},{"name":"SW_ERASE","features":[370]},{"name":"SW_FORCEMINIMIZE","features":[370]},{"name":"SW_HIDE","features":[370]},{"name":"SW_INVALIDATE","features":[370]},{"name":"SW_MAX","features":[370]},{"name":"SW_MAXIMIZE","features":[370]},{"name":"SW_MINIMIZE","features":[370]},{"name":"SW_NORMAL","features":[370]},{"name":"SW_OTHERUNZOOM","features":[370]},{"name":"SW_OTHERZOOM","features":[370]},{"name":"SW_PARENTCLOSING","features":[370]},{"name":"SW_PARENTOPENING","features":[370]},{"name":"SW_RESTORE","features":[370]},{"name":"SW_SCROLLCHILDREN","features":[370]},{"name":"SW_SHOW","features":[370]},{"name":"SW_SHOWDEFAULT","features":[370]},{"name":"SW_SHOWMAXIMIZED","features":[370]},{"name":"SW_SHOWMINIMIZED","features":[370]},{"name":"SW_SHOWMINNOACTIVE","features":[370]},{"name":"SW_SHOWNA","features":[370]},{"name":"SW_SHOWNOACTIVATE","features":[370]},{"name":"SW_SHOWNORMAL","features":[370]},{"name":"SW_SMOOTHSCROLL","features":[370]},{"name":"SYSTEM_CURSOR_ID","features":[370]},{"name":"SYSTEM_METRICS_INDEX","features":[370]},{"name":"SYSTEM_PARAMETERS_INFO_ACTION","features":[370]},{"name":"SYSTEM_PARAMETERS_INFO_UPDATE_FLAGS","features":[370]},{"name":"ScrollDC","features":[308,319,370]},{"name":"ScrollWindow","features":[308,370]},{"name":"ScrollWindowEx","features":[308,319,370]},{"name":"SendDlgItemMessageA","features":[308,370]},{"name":"SendDlgItemMessageW","features":[308,370]},{"name":"SendMessageA","features":[308,370]},{"name":"SendMessageCallbackA","features":[308,370]},{"name":"SendMessageCallbackW","features":[308,370]},{"name":"SendMessageTimeoutA","features":[308,370]},{"name":"SendMessageTimeoutW","features":[308,370]},{"name":"SendMessageW","features":[308,370]},{"name":"SendNotifyMessageA","features":[308,370]},{"name":"SendNotifyMessageW","features":[308,370]},{"name":"SetAdditionalForegroundBoostProcesses","features":[308,370]},{"name":"SetCaretBlinkTime","features":[308,370]},{"name":"SetCaretPos","features":[308,370]},{"name":"SetClassLongA","features":[308,370]},{"name":"SetClassLongPtrA","features":[308,370]},{"name":"SetClassLongPtrW","features":[308,370]},{"name":"SetClassLongW","features":[308,370]},{"name":"SetClassWord","features":[308,370]},{"name":"SetCoalescableTimer","features":[308,370]},{"name":"SetCursor","features":[370]},{"name":"SetCursorPos","features":[308,370]},{"name":"SetDebugErrorLevel","features":[370]},{"name":"SetDlgItemInt","features":[308,370]},{"name":"SetDlgItemTextA","features":[308,370]},{"name":"SetDlgItemTextW","features":[308,370]},{"name":"SetForegroundWindow","features":[308,370]},{"name":"SetLayeredWindowAttributes","features":[308,370]},{"name":"SetMenu","features":[308,370]},{"name":"SetMenuDefaultItem","features":[308,370]},{"name":"SetMenuInfo","features":[308,319,370]},{"name":"SetMenuItemBitmaps","features":[308,319,370]},{"name":"SetMenuItemInfoA","features":[308,319,370]},{"name":"SetMenuItemInfoW","features":[308,319,370]},{"name":"SetMessageExtraInfo","features":[308,370]},{"name":"SetMessageQueue","features":[308,370]},{"name":"SetParent","features":[308,370]},{"name":"SetPhysicalCursorPos","features":[308,370]},{"name":"SetProcessDPIAware","features":[308,370]},{"name":"SetProcessDefaultLayout","features":[308,370]},{"name":"SetPropA","features":[308,370]},{"name":"SetPropW","features":[308,370]},{"name":"SetSystemCursor","features":[308,370]},{"name":"SetTimer","features":[308,370]},{"name":"SetWindowDisplayAffinity","features":[308,370]},{"name":"SetWindowLongA","features":[308,370]},{"name":"SetWindowLongPtrA","features":[308,370]},{"name":"SetWindowLongPtrW","features":[308,370]},{"name":"SetWindowLongW","features":[308,370]},{"name":"SetWindowPlacement","features":[308,370]},{"name":"SetWindowPos","features":[308,370]},{"name":"SetWindowTextA","features":[308,370]},{"name":"SetWindowTextW","features":[308,370]},{"name":"SetWindowWord","features":[308,370]},{"name":"SetWindowsHookA","features":[308,370]},{"name":"SetWindowsHookExA","features":[308,370]},{"name":"SetWindowsHookExW","features":[308,370]},{"name":"SetWindowsHookW","features":[308,370]},{"name":"ShowCaret","features":[308,370]},{"name":"ShowCursor","features":[308,370]},{"name":"ShowOwnedPopups","features":[308,370]},{"name":"ShowWindow","features":[308,370]},{"name":"ShowWindowAsync","features":[308,370]},{"name":"SoundSentry","features":[308,370]},{"name":"SwitchToThisWindow","features":[308,370]},{"name":"SystemParametersInfoA","features":[308,370]},{"name":"SystemParametersInfoW","features":[308,370]},{"name":"TDF_REGISTER","features":[370]},{"name":"TDF_UNREGISTER","features":[370]},{"name":"TILE_WINDOWS_HOW","features":[370]},{"name":"TIMERPROC","features":[308,370]},{"name":"TIMERV_COALESCING_MAX","features":[370]},{"name":"TIMERV_COALESCING_MIN","features":[370]},{"name":"TIMERV_DEFAULT_COALESCING","features":[370]},{"name":"TIMERV_NO_COALESCING","features":[370]},{"name":"TITLEBARINFO","features":[308,370]},{"name":"TITLEBARINFOEX","features":[308,370]},{"name":"TKF_AVAILABLE","features":[370]},{"name":"TKF_CONFIRMHOTKEY","features":[370]},{"name":"TKF_HOTKEYACTIVE","features":[370]},{"name":"TKF_HOTKEYSOUND","features":[370]},{"name":"TKF_INDICATOR","features":[370]},{"name":"TKF_TOGGLEKEYSON","features":[370]},{"name":"TOOLTIP_DISMISS_FLAGS","features":[370]},{"name":"TOUCHPREDICTIONPARAMETERS","features":[370]},{"name":"TOUCHPREDICTIONPARAMETERS_DEFAULT_LATENCY","features":[370]},{"name":"TOUCHPREDICTIONPARAMETERS_DEFAULT_RLS_DELTA","features":[370]},{"name":"TOUCHPREDICTIONPARAMETERS_DEFAULT_RLS_EXPO_SMOOTH_ALPHA","features":[370]},{"name":"TOUCHPREDICTIONPARAMETERS_DEFAULT_RLS_LAMBDA_LEARNING_RATE","features":[370]},{"name":"TOUCHPREDICTIONPARAMETERS_DEFAULT_RLS_LAMBDA_MAX","features":[370]},{"name":"TOUCHPREDICTIONPARAMETERS_DEFAULT_RLS_LAMBDA_MIN","features":[370]},{"name":"TOUCHPREDICTIONPARAMETERS_DEFAULT_SAMPLETIME","features":[370]},{"name":"TOUCHPREDICTIONPARAMETERS_DEFAULT_USE_HW_TIMESTAMP","features":[370]},{"name":"TOUCH_FLAG_NONE","features":[370]},{"name":"TOUCH_HIT_TESTING_CLIENT","features":[370]},{"name":"TOUCH_HIT_TESTING_DEFAULT","features":[370]},{"name":"TOUCH_HIT_TESTING_NONE","features":[370]},{"name":"TOUCH_HIT_TESTING_PROXIMITY_CLOSEST","features":[370]},{"name":"TOUCH_HIT_TESTING_PROXIMITY_FARTHEST","features":[370]},{"name":"TOUCH_MASK_CONTACTAREA","features":[370]},{"name":"TOUCH_MASK_NONE","features":[370]},{"name":"TOUCH_MASK_ORIENTATION","features":[370]},{"name":"TOUCH_MASK_PRESSURE","features":[370]},{"name":"TPMPARAMS","features":[308,370]},{"name":"TPM_BOTTOMALIGN","features":[370]},{"name":"TPM_CENTERALIGN","features":[370]},{"name":"TPM_HORIZONTAL","features":[370]},{"name":"TPM_HORNEGANIMATION","features":[370]},{"name":"TPM_HORPOSANIMATION","features":[370]},{"name":"TPM_LAYOUTRTL","features":[370]},{"name":"TPM_LEFTALIGN","features":[370]},{"name":"TPM_LEFTBUTTON","features":[370]},{"name":"TPM_NOANIMATION","features":[370]},{"name":"TPM_NONOTIFY","features":[370]},{"name":"TPM_RECURSE","features":[370]},{"name":"TPM_RETURNCMD","features":[370]},{"name":"TPM_RIGHTALIGN","features":[370]},{"name":"TPM_RIGHTBUTTON","features":[370]},{"name":"TPM_TOPALIGN","features":[370]},{"name":"TPM_VCENTERALIGN","features":[370]},{"name":"TPM_VERNEGANIMATION","features":[370]},{"name":"TPM_VERPOSANIMATION","features":[370]},{"name":"TPM_VERTICAL","features":[370]},{"name":"TPM_WORKAREA","features":[370]},{"name":"TRACK_POPUP_MENU_FLAGS","features":[370]},{"name":"TileWindows","features":[308,370]},{"name":"TrackPopupMenu","features":[308,370]},{"name":"TrackPopupMenuEx","features":[308,370]},{"name":"TranslateAcceleratorA","features":[308,370]},{"name":"TranslateAcceleratorW","features":[308,370]},{"name":"TranslateMDISysAccel","features":[308,370]},{"name":"TranslateMessage","features":[308,370]},{"name":"UISF_ACTIVE","features":[370]},{"name":"UISF_HIDEACCEL","features":[370]},{"name":"UISF_HIDEFOCUS","features":[370]},{"name":"UIS_CLEAR","features":[370]},{"name":"UIS_INITIALIZE","features":[370]},{"name":"UIS_SET","features":[370]},{"name":"ULW_ALPHA","features":[370]},{"name":"ULW_COLORKEY","features":[370]},{"name":"ULW_EX_NORESIZE","features":[370]},{"name":"ULW_OPAQUE","features":[370]},{"name":"UNICODE_NOCHAR","features":[370]},{"name":"UOI_TIMERPROC_EXCEPTION_SUPPRESSION","features":[370]},{"name":"UPDATELAYEREDWINDOWINFO","features":[308,319,370]},{"name":"UPDATE_LAYERED_WINDOW_FLAGS","features":[370]},{"name":"USER_DEFAULT_SCREEN_DPI","features":[370]},{"name":"USER_TIMER_MAXIMUM","features":[370]},{"name":"USER_TIMER_MINIMUM","features":[370]},{"name":"UnhookWindowsHook","features":[308,370]},{"name":"UnhookWindowsHookEx","features":[308,370]},{"name":"UnregisterClassA","features":[308,370]},{"name":"UnregisterClassW","features":[308,370]},{"name":"UnregisterDeviceNotification","features":[308,370]},{"name":"UpdateLayeredWindow","features":[308,319,370]},{"name":"UpdateLayeredWindowIndirect","features":[308,319,370]},{"name":"VolLockBroadcast","features":[370]},{"name":"WA_ACTIVE","features":[370]},{"name":"WA_CLICKACTIVE","features":[370]},{"name":"WA_INACTIVE","features":[370]},{"name":"WDA_EXCLUDEFROMCAPTURE","features":[370]},{"name":"WDA_MONITOR","features":[370]},{"name":"WDA_NONE","features":[370]},{"name":"WHEEL_DELTA","features":[370]},{"name":"WH_CALLWNDPROC","features":[370]},{"name":"WH_CALLWNDPROCRET","features":[370]},{"name":"WH_CBT","features":[370]},{"name":"WH_DEBUG","features":[370]},{"name":"WH_FOREGROUNDIDLE","features":[370]},{"name":"WH_GETMESSAGE","features":[370]},{"name":"WH_HARDWARE","features":[370]},{"name":"WH_JOURNALPLAYBACK","features":[370]},{"name":"WH_JOURNALRECORD","features":[370]},{"name":"WH_KEYBOARD","features":[370]},{"name":"WH_KEYBOARD_LL","features":[370]},{"name":"WH_MAX","features":[370]},{"name":"WH_MAXHOOK","features":[370]},{"name":"WH_MIN","features":[370]},{"name":"WH_MINHOOK","features":[370]},{"name":"WH_MOUSE","features":[370]},{"name":"WH_MOUSE_LL","features":[370]},{"name":"WH_MSGFILTER","features":[370]},{"name":"WH_SHELL","features":[370]},{"name":"WH_SYSMSGFILTER","features":[370]},{"name":"WINDOWINFO","features":[308,370]},{"name":"WINDOWPLACEMENT","features":[308,370]},{"name":"WINDOWPLACEMENT_FLAGS","features":[370]},{"name":"WINDOWPOS","features":[308,370]},{"name":"WINDOWS_HOOK_ID","features":[370]},{"name":"WINDOW_DISPLAY_AFFINITY","features":[370]},{"name":"WINDOW_EX_STYLE","features":[370]},{"name":"WINDOW_LONG_PTR_INDEX","features":[370]},{"name":"WINDOW_MESSAGE_FILTER_ACTION","features":[370]},{"name":"WINDOW_STYLE","features":[370]},{"name":"WINEVENT_INCONTEXT","features":[370]},{"name":"WINEVENT_OUTOFCONTEXT","features":[370]},{"name":"WINEVENT_SKIPOWNPROCESS","features":[370]},{"name":"WINEVENT_SKIPOWNTHREAD","features":[370]},{"name":"WINSTA_ACCESSCLIPBOARD","features":[370]},{"name":"WINSTA_ACCESSGLOBALATOMS","features":[370]},{"name":"WINSTA_CREATEDESKTOP","features":[370]},{"name":"WINSTA_ENUMDESKTOPS","features":[370]},{"name":"WINSTA_ENUMERATE","features":[370]},{"name":"WINSTA_EXITWINDOWS","features":[370]},{"name":"WINSTA_READATTRIBUTES","features":[370]},{"name":"WINSTA_READSCREEN","features":[370]},{"name":"WINSTA_WRITEATTRIBUTES","features":[370]},{"name":"WMSZ_BOTTOM","features":[370]},{"name":"WMSZ_BOTTOMLEFT","features":[370]},{"name":"WMSZ_BOTTOMRIGHT","features":[370]},{"name":"WMSZ_LEFT","features":[370]},{"name":"WMSZ_RIGHT","features":[370]},{"name":"WMSZ_TOP","features":[370]},{"name":"WMSZ_TOPLEFT","features":[370]},{"name":"WMSZ_TOPRIGHT","features":[370]},{"name":"WM_ACTIVATE","features":[370]},{"name":"WM_ACTIVATEAPP","features":[370]},{"name":"WM_AFXFIRST","features":[370]},{"name":"WM_AFXLAST","features":[370]},{"name":"WM_APP","features":[370]},{"name":"WM_APPCOMMAND","features":[370]},{"name":"WM_ASKCBFORMATNAME","features":[370]},{"name":"WM_CANCELJOURNAL","features":[370]},{"name":"WM_CANCELMODE","features":[370]},{"name":"WM_CAPTURECHANGED","features":[370]},{"name":"WM_CHANGECBCHAIN","features":[370]},{"name":"WM_CHANGEUISTATE","features":[370]},{"name":"WM_CHAR","features":[370]},{"name":"WM_CHARTOITEM","features":[370]},{"name":"WM_CHILDACTIVATE","features":[370]},{"name":"WM_CLEAR","features":[370]},{"name":"WM_CLIPBOARDUPDATE","features":[370]},{"name":"WM_CLOSE","features":[370]},{"name":"WM_COMMAND","features":[370]},{"name":"WM_COMMNOTIFY","features":[370]},{"name":"WM_COMPACTING","features":[370]},{"name":"WM_COMPAREITEM","features":[370]},{"name":"WM_CONTEXTMENU","features":[370]},{"name":"WM_COPY","features":[370]},{"name":"WM_COPYDATA","features":[370]},{"name":"WM_CREATE","features":[370]},{"name":"WM_CTLCOLORBTN","features":[370]},{"name":"WM_CTLCOLORDLG","features":[370]},{"name":"WM_CTLCOLOREDIT","features":[370]},{"name":"WM_CTLCOLORLISTBOX","features":[370]},{"name":"WM_CTLCOLORMSGBOX","features":[370]},{"name":"WM_CTLCOLORSCROLLBAR","features":[370]},{"name":"WM_CTLCOLORSTATIC","features":[370]},{"name":"WM_CUT","features":[370]},{"name":"WM_DEADCHAR","features":[370]},{"name":"WM_DELETEITEM","features":[370]},{"name":"WM_DESTROY","features":[370]},{"name":"WM_DESTROYCLIPBOARD","features":[370]},{"name":"WM_DEVICECHANGE","features":[370]},{"name":"WM_DEVMODECHANGE","features":[370]},{"name":"WM_DISPLAYCHANGE","features":[370]},{"name":"WM_DPICHANGED","features":[370]},{"name":"WM_DPICHANGED_AFTERPARENT","features":[370]},{"name":"WM_DPICHANGED_BEFOREPARENT","features":[370]},{"name":"WM_DRAWCLIPBOARD","features":[370]},{"name":"WM_DRAWITEM","features":[370]},{"name":"WM_DROPFILES","features":[370]},{"name":"WM_DWMCOLORIZATIONCOLORCHANGED","features":[370]},{"name":"WM_DWMCOMPOSITIONCHANGED","features":[370]},{"name":"WM_DWMNCRENDERINGCHANGED","features":[370]},{"name":"WM_DWMSENDICONICLIVEPREVIEWBITMAP","features":[370]},{"name":"WM_DWMSENDICONICTHUMBNAIL","features":[370]},{"name":"WM_DWMWINDOWMAXIMIZEDCHANGE","features":[370]},{"name":"WM_ENABLE","features":[370]},{"name":"WM_ENDSESSION","features":[370]},{"name":"WM_ENTERIDLE","features":[370]},{"name":"WM_ENTERMENULOOP","features":[370]},{"name":"WM_ENTERSIZEMOVE","features":[370]},{"name":"WM_ERASEBKGND","features":[370]},{"name":"WM_EXITMENULOOP","features":[370]},{"name":"WM_EXITSIZEMOVE","features":[370]},{"name":"WM_FONTCHANGE","features":[370]},{"name":"WM_GESTURE","features":[370]},{"name":"WM_GESTURENOTIFY","features":[370]},{"name":"WM_GETDLGCODE","features":[370]},{"name":"WM_GETDPISCALEDSIZE","features":[370]},{"name":"WM_GETFONT","features":[370]},{"name":"WM_GETHOTKEY","features":[370]},{"name":"WM_GETICON","features":[370]},{"name":"WM_GETMINMAXINFO","features":[370]},{"name":"WM_GETOBJECT","features":[370]},{"name":"WM_GETTEXT","features":[370]},{"name":"WM_GETTEXTLENGTH","features":[370]},{"name":"WM_GETTITLEBARINFOEX","features":[370]},{"name":"WM_HANDHELDFIRST","features":[370]},{"name":"WM_HANDHELDLAST","features":[370]},{"name":"WM_HELP","features":[370]},{"name":"WM_HOTKEY","features":[370]},{"name":"WM_HSCROLL","features":[370]},{"name":"WM_HSCROLLCLIPBOARD","features":[370]},{"name":"WM_ICONERASEBKGND","features":[370]},{"name":"WM_IME_CHAR","features":[370]},{"name":"WM_IME_COMPOSITION","features":[370]},{"name":"WM_IME_COMPOSITIONFULL","features":[370]},{"name":"WM_IME_CONTROL","features":[370]},{"name":"WM_IME_ENDCOMPOSITION","features":[370]},{"name":"WM_IME_KEYDOWN","features":[370]},{"name":"WM_IME_KEYLAST","features":[370]},{"name":"WM_IME_KEYUP","features":[370]},{"name":"WM_IME_NOTIFY","features":[370]},{"name":"WM_IME_REQUEST","features":[370]},{"name":"WM_IME_SELECT","features":[370]},{"name":"WM_IME_SETCONTEXT","features":[370]},{"name":"WM_IME_STARTCOMPOSITION","features":[370]},{"name":"WM_INITDIALOG","features":[370]},{"name":"WM_INITMENU","features":[370]},{"name":"WM_INITMENUPOPUP","features":[370]},{"name":"WM_INPUT","features":[370]},{"name":"WM_INPUTLANGCHANGE","features":[370]},{"name":"WM_INPUTLANGCHANGEREQUEST","features":[370]},{"name":"WM_INPUT_DEVICE_CHANGE","features":[370]},{"name":"WM_KEYDOWN","features":[370]},{"name":"WM_KEYFIRST","features":[370]},{"name":"WM_KEYLAST","features":[370]},{"name":"WM_KEYUP","features":[370]},{"name":"WM_KILLFOCUS","features":[370]},{"name":"WM_LBUTTONDBLCLK","features":[370]},{"name":"WM_LBUTTONDOWN","features":[370]},{"name":"WM_LBUTTONUP","features":[370]},{"name":"WM_MBUTTONDBLCLK","features":[370]},{"name":"WM_MBUTTONDOWN","features":[370]},{"name":"WM_MBUTTONUP","features":[370]},{"name":"WM_MDIACTIVATE","features":[370]},{"name":"WM_MDICASCADE","features":[370]},{"name":"WM_MDICREATE","features":[370]},{"name":"WM_MDIDESTROY","features":[370]},{"name":"WM_MDIGETACTIVE","features":[370]},{"name":"WM_MDIICONARRANGE","features":[370]},{"name":"WM_MDIMAXIMIZE","features":[370]},{"name":"WM_MDINEXT","features":[370]},{"name":"WM_MDIREFRESHMENU","features":[370]},{"name":"WM_MDIRESTORE","features":[370]},{"name":"WM_MDISETMENU","features":[370]},{"name":"WM_MDITILE","features":[370]},{"name":"WM_MEASUREITEM","features":[370]},{"name":"WM_MENUCHAR","features":[370]},{"name":"WM_MENUCOMMAND","features":[370]},{"name":"WM_MENUDRAG","features":[370]},{"name":"WM_MENUGETOBJECT","features":[370]},{"name":"WM_MENURBUTTONUP","features":[370]},{"name":"WM_MENUSELECT","features":[370]},{"name":"WM_MOUSEACTIVATE","features":[370]},{"name":"WM_MOUSEFIRST","features":[370]},{"name":"WM_MOUSEHWHEEL","features":[370]},{"name":"WM_MOUSELAST","features":[370]},{"name":"WM_MOUSEMOVE","features":[370]},{"name":"WM_MOUSEWHEEL","features":[370]},{"name":"WM_MOVE","features":[370]},{"name":"WM_MOVING","features":[370]},{"name":"WM_NCACTIVATE","features":[370]},{"name":"WM_NCCALCSIZE","features":[370]},{"name":"WM_NCCREATE","features":[370]},{"name":"WM_NCDESTROY","features":[370]},{"name":"WM_NCHITTEST","features":[370]},{"name":"WM_NCLBUTTONDBLCLK","features":[370]},{"name":"WM_NCLBUTTONDOWN","features":[370]},{"name":"WM_NCLBUTTONUP","features":[370]},{"name":"WM_NCMBUTTONDBLCLK","features":[370]},{"name":"WM_NCMBUTTONDOWN","features":[370]},{"name":"WM_NCMBUTTONUP","features":[370]},{"name":"WM_NCMOUSEHOVER","features":[370]},{"name":"WM_NCMOUSELEAVE","features":[370]},{"name":"WM_NCMOUSEMOVE","features":[370]},{"name":"WM_NCPAINT","features":[370]},{"name":"WM_NCPOINTERDOWN","features":[370]},{"name":"WM_NCPOINTERUP","features":[370]},{"name":"WM_NCPOINTERUPDATE","features":[370]},{"name":"WM_NCRBUTTONDBLCLK","features":[370]},{"name":"WM_NCRBUTTONDOWN","features":[370]},{"name":"WM_NCRBUTTONUP","features":[370]},{"name":"WM_NCXBUTTONDBLCLK","features":[370]},{"name":"WM_NCXBUTTONDOWN","features":[370]},{"name":"WM_NCXBUTTONUP","features":[370]},{"name":"WM_NEXTDLGCTL","features":[370]},{"name":"WM_NEXTMENU","features":[370]},{"name":"WM_NOTIFY","features":[370]},{"name":"WM_NOTIFYFORMAT","features":[370]},{"name":"WM_NULL","features":[370]},{"name":"WM_PAINT","features":[370]},{"name":"WM_PAINTCLIPBOARD","features":[370]},{"name":"WM_PAINTICON","features":[370]},{"name":"WM_PALETTECHANGED","features":[370]},{"name":"WM_PALETTEISCHANGING","features":[370]},{"name":"WM_PARENTNOTIFY","features":[370]},{"name":"WM_PASTE","features":[370]},{"name":"WM_PENWINFIRST","features":[370]},{"name":"WM_PENWINLAST","features":[370]},{"name":"WM_POINTERACTIVATE","features":[370]},{"name":"WM_POINTERCAPTURECHANGED","features":[370]},{"name":"WM_POINTERDEVICECHANGE","features":[370]},{"name":"WM_POINTERDEVICEINRANGE","features":[370]},{"name":"WM_POINTERDEVICEOUTOFRANGE","features":[370]},{"name":"WM_POINTERDOWN","features":[370]},{"name":"WM_POINTERENTER","features":[370]},{"name":"WM_POINTERHWHEEL","features":[370]},{"name":"WM_POINTERLEAVE","features":[370]},{"name":"WM_POINTERROUTEDAWAY","features":[370]},{"name":"WM_POINTERROUTEDRELEASED","features":[370]},{"name":"WM_POINTERROUTEDTO","features":[370]},{"name":"WM_POINTERUP","features":[370]},{"name":"WM_POINTERUPDATE","features":[370]},{"name":"WM_POINTERWHEEL","features":[370]},{"name":"WM_POWER","features":[370]},{"name":"WM_POWERBROADCAST","features":[370]},{"name":"WM_PRINT","features":[370]},{"name":"WM_PRINTCLIENT","features":[370]},{"name":"WM_QUERYDRAGICON","features":[370]},{"name":"WM_QUERYENDSESSION","features":[370]},{"name":"WM_QUERYNEWPALETTE","features":[370]},{"name":"WM_QUERYOPEN","features":[370]},{"name":"WM_QUERYUISTATE","features":[370]},{"name":"WM_QUEUESYNC","features":[370]},{"name":"WM_QUIT","features":[370]},{"name":"WM_RBUTTONDBLCLK","features":[370]},{"name":"WM_RBUTTONDOWN","features":[370]},{"name":"WM_RBUTTONUP","features":[370]},{"name":"WM_RENDERALLFORMATS","features":[370]},{"name":"WM_RENDERFORMAT","features":[370]},{"name":"WM_SETCURSOR","features":[370]},{"name":"WM_SETFOCUS","features":[370]},{"name":"WM_SETFONT","features":[370]},{"name":"WM_SETHOTKEY","features":[370]},{"name":"WM_SETICON","features":[370]},{"name":"WM_SETREDRAW","features":[370]},{"name":"WM_SETTEXT","features":[370]},{"name":"WM_SETTINGCHANGE","features":[370]},{"name":"WM_SHOWWINDOW","features":[370]},{"name":"WM_SIZE","features":[370]},{"name":"WM_SIZECLIPBOARD","features":[370]},{"name":"WM_SIZING","features":[370]},{"name":"WM_SPOOLERSTATUS","features":[370]},{"name":"WM_STYLECHANGED","features":[370]},{"name":"WM_STYLECHANGING","features":[370]},{"name":"WM_SYNCPAINT","features":[370]},{"name":"WM_SYSCHAR","features":[370]},{"name":"WM_SYSCOLORCHANGE","features":[370]},{"name":"WM_SYSCOMMAND","features":[370]},{"name":"WM_SYSDEADCHAR","features":[370]},{"name":"WM_SYSKEYDOWN","features":[370]},{"name":"WM_SYSKEYUP","features":[370]},{"name":"WM_TABLET_FIRST","features":[370]},{"name":"WM_TABLET_LAST","features":[370]},{"name":"WM_TCARD","features":[370]},{"name":"WM_THEMECHANGED","features":[370]},{"name":"WM_TIMECHANGE","features":[370]},{"name":"WM_TIMER","features":[370]},{"name":"WM_TOOLTIPDISMISS","features":[370]},{"name":"WM_TOUCH","features":[370]},{"name":"WM_TOUCHHITTESTING","features":[370]},{"name":"WM_UNDO","features":[370]},{"name":"WM_UNICHAR","features":[370]},{"name":"WM_UNINITMENUPOPUP","features":[370]},{"name":"WM_UPDATEUISTATE","features":[370]},{"name":"WM_USER","features":[370]},{"name":"WM_USERCHANGED","features":[370]},{"name":"WM_VKEYTOITEM","features":[370]},{"name":"WM_VSCROLL","features":[370]},{"name":"WM_VSCROLLCLIPBOARD","features":[370]},{"name":"WM_WINDOWPOSCHANGED","features":[370]},{"name":"WM_WINDOWPOSCHANGING","features":[370]},{"name":"WM_WININICHANGE","features":[370]},{"name":"WM_WTSSESSION_CHANGE","features":[370]},{"name":"WM_XBUTTONDBLCLK","features":[370]},{"name":"WM_XBUTTONDOWN","features":[370]},{"name":"WM_XBUTTONUP","features":[370]},{"name":"WNDCLASSA","features":[308,319,370]},{"name":"WNDCLASSEXA","features":[308,319,370]},{"name":"WNDCLASSEXW","features":[308,319,370]},{"name":"WNDCLASSW","features":[308,319,370]},{"name":"WNDCLASS_STYLES","features":[370]},{"name":"WNDENUMPROC","features":[308,370]},{"name":"WNDPROC","features":[308,370]},{"name":"WPF_ASYNCWINDOWPLACEMENT","features":[370]},{"name":"WPF_RESTORETOMAXIMIZED","features":[370]},{"name":"WPF_SETMINPOSITION","features":[370]},{"name":"WSF_VISIBLE","features":[370]},{"name":"WS_ACTIVECAPTION","features":[370]},{"name":"WS_BORDER","features":[370]},{"name":"WS_CAPTION","features":[370]},{"name":"WS_CHILD","features":[370]},{"name":"WS_CHILDWINDOW","features":[370]},{"name":"WS_CLIPCHILDREN","features":[370]},{"name":"WS_CLIPSIBLINGS","features":[370]},{"name":"WS_DISABLED","features":[370]},{"name":"WS_DLGFRAME","features":[370]},{"name":"WS_EX_ACCEPTFILES","features":[370]},{"name":"WS_EX_APPWINDOW","features":[370]},{"name":"WS_EX_CLIENTEDGE","features":[370]},{"name":"WS_EX_COMPOSITED","features":[370]},{"name":"WS_EX_CONTEXTHELP","features":[370]},{"name":"WS_EX_CONTROLPARENT","features":[370]},{"name":"WS_EX_DLGMODALFRAME","features":[370]},{"name":"WS_EX_LAYERED","features":[370]},{"name":"WS_EX_LAYOUTRTL","features":[370]},{"name":"WS_EX_LEFT","features":[370]},{"name":"WS_EX_LEFTSCROLLBAR","features":[370]},{"name":"WS_EX_LTRREADING","features":[370]},{"name":"WS_EX_MDICHILD","features":[370]},{"name":"WS_EX_NOACTIVATE","features":[370]},{"name":"WS_EX_NOINHERITLAYOUT","features":[370]},{"name":"WS_EX_NOPARENTNOTIFY","features":[370]},{"name":"WS_EX_NOREDIRECTIONBITMAP","features":[370]},{"name":"WS_EX_OVERLAPPEDWINDOW","features":[370]},{"name":"WS_EX_PALETTEWINDOW","features":[370]},{"name":"WS_EX_RIGHT","features":[370]},{"name":"WS_EX_RIGHTSCROLLBAR","features":[370]},{"name":"WS_EX_RTLREADING","features":[370]},{"name":"WS_EX_STATICEDGE","features":[370]},{"name":"WS_EX_TOOLWINDOW","features":[370]},{"name":"WS_EX_TOPMOST","features":[370]},{"name":"WS_EX_TRANSPARENT","features":[370]},{"name":"WS_EX_WINDOWEDGE","features":[370]},{"name":"WS_GROUP","features":[370]},{"name":"WS_HSCROLL","features":[370]},{"name":"WS_ICONIC","features":[370]},{"name":"WS_MAXIMIZE","features":[370]},{"name":"WS_MAXIMIZEBOX","features":[370]},{"name":"WS_MINIMIZE","features":[370]},{"name":"WS_MINIMIZEBOX","features":[370]},{"name":"WS_OVERLAPPED","features":[370]},{"name":"WS_OVERLAPPEDWINDOW","features":[370]},{"name":"WS_POPUP","features":[370]},{"name":"WS_POPUPWINDOW","features":[370]},{"name":"WS_SIZEBOX","features":[370]},{"name":"WS_SYSMENU","features":[370]},{"name":"WS_TABSTOP","features":[370]},{"name":"WS_THICKFRAME","features":[370]},{"name":"WS_TILED","features":[370]},{"name":"WS_TILEDWINDOW","features":[370]},{"name":"WS_VISIBLE","features":[370]},{"name":"WS_VSCROLL","features":[370]},{"name":"WTS_CONSOLE_CONNECT","features":[370]},{"name":"WTS_CONSOLE_DISCONNECT","features":[370]},{"name":"WTS_REMOTE_CONNECT","features":[370]},{"name":"WTS_REMOTE_DISCONNECT","features":[370]},{"name":"WTS_SESSION_CREATE","features":[370]},{"name":"WTS_SESSION_LOCK","features":[370]},{"name":"WTS_SESSION_LOGOFF","features":[370]},{"name":"WTS_SESSION_LOGON","features":[370]},{"name":"WTS_SESSION_REMOTE_CONTROL","features":[370]},{"name":"WTS_SESSION_TERMINATE","features":[370]},{"name":"WTS_SESSION_UNLOCK","features":[370]},{"name":"WVR_ALIGNBOTTOM","features":[370]},{"name":"WVR_ALIGNLEFT","features":[370]},{"name":"WVR_ALIGNRIGHT","features":[370]},{"name":"WVR_ALIGNTOP","features":[370]},{"name":"WVR_HREDRAW","features":[370]},{"name":"WVR_VALIDRECTS","features":[370]},{"name":"WVR_VREDRAW","features":[370]},{"name":"WaitMessage","features":[308,370]},{"name":"WindowFromPhysicalPoint","features":[308,370]},{"name":"WindowFromPoint","features":[308,370]},{"name":"XBUTTON1","features":[370]},{"name":"XBUTTON2","features":[370]},{"name":"_DEV_BROADCAST_HEADER","features":[370]},{"name":"_DEV_BROADCAST_USERDEFINED","features":[370]},{"name":"__WARNING_BANNED_API_USAGE","features":[370]},{"name":"__WARNING_CYCLOMATIC_COMPLEXITY","features":[370]},{"name":"__WARNING_DEREF_NULL_PTR","features":[370]},{"name":"__WARNING_HIGH_PRIORITY_OVERFLOW_POSTCONDITION","features":[370]},{"name":"__WARNING_INCORRECT_ANNOTATION","features":[370]},{"name":"__WARNING_INVALID_PARAM_VALUE_1","features":[370]},{"name":"__WARNING_INVALID_PARAM_VALUE_3","features":[370]},{"name":"__WARNING_MISSING_ZERO_TERMINATION2","features":[370]},{"name":"__WARNING_POSTCONDITION_NULLTERMINATION_VIOLATION","features":[370]},{"name":"__WARNING_POST_EXPECTED","features":[370]},{"name":"__WARNING_POTENTIAL_BUFFER_OVERFLOW_HIGH_PRIORITY","features":[370]},{"name":"__WARNING_POTENTIAL_RANGE_POSTCONDITION_VIOLATION","features":[370]},{"name":"__WARNING_PRECONDITION_NULLTERMINATION_VIOLATION","features":[370]},{"name":"__WARNING_RANGE_POSTCONDITION_VIOLATION","features":[370]},{"name":"__WARNING_RETURNING_BAD_RESULT","features":[370]},{"name":"__WARNING_RETURN_UNINIT_VAR","features":[370]},{"name":"__WARNING_USING_UNINIT_VAR","features":[370]},{"name":"wsprintfA","features":[370]},{"name":"wsprintfW","features":[370]},{"name":"wvsprintfA","features":[370]},{"name":"wvsprintfW","features":[370]}],"673":[{"name":"CLSID_MILBitmapEffectBevel","features":[638]},{"name":"CLSID_MILBitmapEffectBlur","features":[638]},{"name":"CLSID_MILBitmapEffectDropShadow","features":[638]},{"name":"CLSID_MILBitmapEffectEmboss","features":[638]},{"name":"CLSID_MILBitmapEffectGroup","features":[638]},{"name":"CLSID_MILBitmapEffectOuterGlow","features":[638]},{"name":"IMILBitmapEffect","features":[638]},{"name":"IMILBitmapEffectConnections","features":[638]},{"name":"IMILBitmapEffectConnectionsInfo","features":[638]},{"name":"IMILBitmapEffectConnector","features":[638]},{"name":"IMILBitmapEffectConnectorInfo","features":[638]},{"name":"IMILBitmapEffectEvents","features":[638]},{"name":"IMILBitmapEffectFactory","features":[638]},{"name":"IMILBitmapEffectGroup","features":[638]},{"name":"IMILBitmapEffectGroupImpl","features":[638]},{"name":"IMILBitmapEffectImpl","features":[638]},{"name":"IMILBitmapEffectInputConnector","features":[638]},{"name":"IMILBitmapEffectInteriorInputConnector","features":[638]},{"name":"IMILBitmapEffectInteriorOutputConnector","features":[638]},{"name":"IMILBitmapEffectOutputConnector","features":[638]},{"name":"IMILBitmapEffectOutputConnectorImpl","features":[638]},{"name":"IMILBitmapEffectPrimitive","features":[638]},{"name":"IMILBitmapEffectPrimitiveImpl","features":[638]},{"name":"IMILBitmapEffectRenderContext","features":[638]},{"name":"IMILBitmapEffectRenderContextImpl","features":[638]},{"name":"IMILBitmapEffects","features":[638]},{"name":"MILBITMAPEFFECT_SDK_VERSION","features":[638]},{"name":"MILMatrixF","features":[638]},{"name":"MilPoint2D","features":[638]},{"name":"MilRectD","features":[638]}],"675":[{"name":"ADDRESSBAND","features":[639]},{"name":"ADDURL_ADDTOCACHE","features":[639]},{"name":"ADDURL_ADDTOHISTORYANDCACHE","features":[639]},{"name":"ADDURL_FIRST","features":[639]},{"name":"ADDURL_FLAG","features":[639]},{"name":"ADDURL_Max","features":[639]},{"name":"ActivityContentCount","features":[639]},{"name":"ActivityContentDocument","features":[639]},{"name":"ActivityContentLink","features":[639]},{"name":"ActivityContentNone","features":[639]},{"name":"ActivityContentSelection","features":[639]},{"name":"AnchorClick","features":[639]},{"name":"CATID_MSOfficeAntiVirus","features":[639]},{"name":"CDeviceRect","features":[639]},{"name":"CDownloadBehavior","features":[639]},{"name":"CHeaderFooter","features":[639]},{"name":"CLayoutRect","features":[639]},{"name":"COLOR_NO_TRANSPARENT","features":[639]},{"name":"CPersistDataPeer","features":[639]},{"name":"CPersistHistory","features":[639]},{"name":"CPersistShortcut","features":[639]},{"name":"CPersistSnapshot","features":[639]},{"name":"CPersistUserData","features":[639]},{"name":"CoDitherToRGB8","features":[639]},{"name":"CoMapMIMEToCLSID","features":[639]},{"name":"CoSniffStream","features":[639]},{"name":"ComputeInvCMAP","features":[319,639]},{"name":"CreateDDrawSurfaceOnDIB","features":[318,319,639]},{"name":"CreateMIMEMap","features":[639]},{"name":"DISPID_ACTIVEXFILTERINGENABLED","features":[639]},{"name":"DISPID_ADDCHANNEL","features":[639]},{"name":"DISPID_ADDDESKTOPCOMPONENT","features":[639]},{"name":"DISPID_ADDFAVORITE","features":[639]},{"name":"DISPID_ADDSEARCHPROVIDER","features":[639]},{"name":"DISPID_ADDSERVICE","features":[639]},{"name":"DISPID_ADDSITEMODE","features":[639]},{"name":"DISPID_ADDTHUMBNAILBUTTONS","features":[639]},{"name":"DISPID_ADDTOFAVORITESBAR","features":[639]},{"name":"DISPID_ADDTRACKINGPROTECTIONLIST","features":[639]},{"name":"DISPID_ADVANCEERROR","features":[639]},{"name":"DISPID_AMBIENT_OFFLINEIFNOTCONNECTED","features":[639]},{"name":"DISPID_AMBIENT_SILENT","features":[639]},{"name":"DISPID_AUTOCOMPLETEATTACH","features":[639]},{"name":"DISPID_AUTOCOMPLETESAVEFORM","features":[639]},{"name":"DISPID_AUTOSCAN","features":[639]},{"name":"DISPID_BEFORENAVIGATE","features":[639]},{"name":"DISPID_BEFORENAVIGATE2","features":[639]},{"name":"DISPID_BEFORESCRIPTEXECUTE","features":[639]},{"name":"DISPID_BRANDIMAGEURI","features":[639]},{"name":"DISPID_BUILDNEWTABPAGE","features":[639]},{"name":"DISPID_CANADVANCEERROR","features":[639]},{"name":"DISPID_CANRETREATERROR","features":[639]},{"name":"DISPID_CHANGEDEFAULTBROWSER","features":[639]},{"name":"DISPID_CLEARNOTIFICATION","features":[639]},{"name":"DISPID_CLEARSITEMODEICONOVERLAY","features":[639]},{"name":"DISPID_CLIENTTOHOSTWINDOW","features":[639]},{"name":"DISPID_COMMANDSTATECHANGE","features":[639]},{"name":"DISPID_CONTENTDISCOVERYRESET","features":[639]},{"name":"DISPID_COUNTVIEWTYPES","features":[639]},{"name":"DISPID_CREATESUBSCRIPTION","features":[639]},{"name":"DISPID_CUSTOMIZECLEARTYPE","features":[639]},{"name":"DISPID_CUSTOMIZESETTINGS","features":[639]},{"name":"DISPID_DEFAULTSEARCHPROVIDER","features":[639]},{"name":"DISPID_DELETESUBSCRIPTION","features":[639]},{"name":"DISPID_DEPTH","features":[639]},{"name":"DISPID_DIAGNOSECONNECTION","features":[639]},{"name":"DISPID_DIAGNOSECONNECTIONUILESS","features":[639]},{"name":"DISPID_DOCUMENTCOMPLETE","features":[639]},{"name":"DISPID_DOUBLECLICK","features":[639]},{"name":"DISPID_DOWNLOADBEGIN","features":[639]},{"name":"DISPID_DOWNLOADCOMPLETE","features":[639]},{"name":"DISPID_ENABLENOTIFICATIONQUEUE","features":[639]},{"name":"DISPID_ENABLENOTIFICATIONQUEUELARGE","features":[639]},{"name":"DISPID_ENABLENOTIFICATIONQUEUESQUARE","features":[639]},{"name":"DISPID_ENABLENOTIFICATIONQUEUEWIDE","features":[639]},{"name":"DISPID_ENABLESUGGESTEDSITES","features":[639]},{"name":"DISPID_ENUMOPTIONS","features":[639]},{"name":"DISPID_EXPAND","features":[639]},{"name":"DISPID_EXPORT","features":[639]},{"name":"DISPID_FAVSELECTIONCHANGE","features":[639]},{"name":"DISPID_FILEDOWNLOAD","features":[639]},{"name":"DISPID_FLAGS","features":[639]},{"name":"DISPID_FRAMEBEFORENAVIGATE","features":[639]},{"name":"DISPID_FRAMENAVIGATECOMPLETE","features":[639]},{"name":"DISPID_FRAMENEWWINDOW","features":[639]},{"name":"DISPID_GETALWAYSSHOWLOCKSTATE","features":[639]},{"name":"DISPID_GETCVLISTDATA","features":[639]},{"name":"DISPID_GETCVLISTLOCALDATA","features":[639]},{"name":"DISPID_GETDETAILSSTATE","features":[639]},{"name":"DISPID_GETEMIELISTDATA","features":[639]},{"name":"DISPID_GETEMIELISTLOCALDATA","features":[639]},{"name":"DISPID_GETERRORCHAR","features":[639]},{"name":"DISPID_GETERRORCODE","features":[639]},{"name":"DISPID_GETERRORLINE","features":[639]},{"name":"DISPID_GETERRORMSG","features":[639]},{"name":"DISPID_GETERRORURL","features":[639]},{"name":"DISPID_GETEXPERIMENTALFLAG","features":[639]},{"name":"DISPID_GETEXPERIMENTALVALUE","features":[639]},{"name":"DISPID_GETNEEDHVSIAUTOLAUNCHFLAG","features":[639]},{"name":"DISPID_GETNEEDIEAUTOLAUNCHFLAG","features":[639]},{"name":"DISPID_GETOSSKU","features":[639]},{"name":"DISPID_GETPERERRSTATE","features":[639]},{"name":"DISPID_HASNEEDHVSIAUTOLAUNCHFLAG","features":[639]},{"name":"DISPID_HASNEEDIEAUTOLAUNCHFLAG","features":[639]},{"name":"DISPID_IMPORT","features":[639]},{"name":"DISPID_IMPORTEXPORTFAVORITES","features":[639]},{"name":"DISPID_INITIALIZED","features":[639]},{"name":"DISPID_INPRIVATEFILTERINGENABLED","features":[639]},{"name":"DISPID_INVOKECONTEXTMENU","features":[639]},{"name":"DISPID_ISMETAREFERRERAVAILABLE","features":[639]},{"name":"DISPID_ISSEARCHMIGRATED","features":[639]},{"name":"DISPID_ISSEARCHPROVIDERINSTALLED","features":[639]},{"name":"DISPID_ISSERVICEINSTALLED","features":[639]},{"name":"DISPID_ISSITEMODE","features":[639]},{"name":"DISPID_ISSITEMODEFIRSTRUN","features":[639]},{"name":"DISPID_ISSUBSCRIBED","features":[639]},{"name":"DISPID_LAUNCHIE","features":[639]},{"name":"DISPID_LAUNCHINHVSI","features":[639]},{"name":"DISPID_LAUNCHINTERNETOPTIONS","features":[639]},{"name":"DISPID_LAUNCHNETWORKCLIENTHELP","features":[639]},{"name":"DISPID_MODE","features":[639]},{"name":"DISPID_MOVESELECTIONDOWN","features":[639]},{"name":"DISPID_MOVESELECTIONTO","features":[639]},{"name":"DISPID_MOVESELECTIONUP","features":[639]},{"name":"DISPID_NAVIGATEANDFIND","features":[639]},{"name":"DISPID_NAVIGATECOMPLETE","features":[639]},{"name":"DISPID_NAVIGATECOMPLETE2","features":[639]},{"name":"DISPID_NAVIGATEERROR","features":[639]},{"name":"DISPID_NAVIGATETOSUGGESTEDSITES","features":[639]},{"name":"DISPID_NEWFOLDER","features":[639]},{"name":"DISPID_NEWPROCESS","features":[639]},{"name":"DISPID_NEWWINDOW","features":[639]},{"name":"DISPID_NEWWINDOW2","features":[639]},{"name":"DISPID_NEWWINDOW3","features":[639]},{"name":"DISPID_NSCOLUMNS","features":[639]},{"name":"DISPID_ONADDRESSBAR","features":[639]},{"name":"DISPID_ONFULLSCREEN","features":[639]},{"name":"DISPID_ONMENUBAR","features":[639]},{"name":"DISPID_ONQUIT","features":[639]},{"name":"DISPID_ONSTATUSBAR","features":[639]},{"name":"DISPID_ONTHEATERMODE","features":[639]},{"name":"DISPID_ONTOOLBAR","features":[639]},{"name":"DISPID_ONVISIBLE","features":[639]},{"name":"DISPID_OPENFAVORITESPANE","features":[639]},{"name":"DISPID_OPENFAVORITESSETTINGS","features":[639]},{"name":"DISPID_PHISHINGENABLED","features":[639]},{"name":"DISPID_PINNEDSITESTATE","features":[639]},{"name":"DISPID_PRINTTEMPLATEINSTANTIATION","features":[639]},{"name":"DISPID_PRINTTEMPLATETEARDOWN","features":[639]},{"name":"DISPID_PRIVACYIMPACTEDSTATECHANGE","features":[639]},{"name":"DISPID_PROGRESSCHANGE","features":[639]},{"name":"DISPID_PROPERTYCHANGE","features":[639]},{"name":"DISPID_PROVISIONNETWORKS","features":[639]},{"name":"DISPID_QUIT","features":[639]},{"name":"DISPID_REDIRECTXDOMAINBLOCKED","features":[639]},{"name":"DISPID_REFRESHOFFLINEDESKTOP","features":[639]},{"name":"DISPID_REMOVESCHEDULEDTILENOTIFICATION","features":[639]},{"name":"DISPID_REPORTSAFEURL","features":[639]},{"name":"DISPID_RESETEXPERIMENTALFLAGS","features":[639]},{"name":"DISPID_RESETFIRSTBOOTMODE","features":[639]},{"name":"DISPID_RESETSAFEMODE","features":[639]},{"name":"DISPID_RESETSORT","features":[639]},{"name":"DISPID_RETREATERROR","features":[639]},{"name":"DISPID_ROOT","features":[639]},{"name":"DISPID_RUNONCEHASSHOWN","features":[639]},{"name":"DISPID_RUNONCEREQUIREDSETTINGSCOMPLETE","features":[639]},{"name":"DISPID_RUNONCESHOWN","features":[639]},{"name":"DISPID_SCHEDULEDTILENOTIFICATION","features":[639]},{"name":"DISPID_SEARCHGUIDEURL","features":[639]},{"name":"DISPID_SELECTEDITEM","features":[639]},{"name":"DISPID_SELECTEDITEMS","features":[639]},{"name":"DISPID_SELECTIONCHANGE","features":[639]},{"name":"DISPID_SETACTIVITIESVISIBLE","features":[639]},{"name":"DISPID_SETDETAILSSTATE","features":[639]},{"name":"DISPID_SETEXPERIMENTALFLAG","features":[639]},{"name":"DISPID_SETEXPERIMENTALVALUE","features":[639]},{"name":"DISPID_SETMSDEFAULTS","features":[639]},{"name":"DISPID_SETNEEDHVSIAUTOLAUNCHFLAG","features":[639]},{"name":"DISPID_SETNEEDIEAUTOLAUNCHFLAG","features":[639]},{"name":"DISPID_SETPERERRSTATE","features":[639]},{"name":"DISPID_SETPHISHINGFILTERSTATUS","features":[639]},{"name":"DISPID_SETRECENTLYCLOSEDVISIBLE","features":[639]},{"name":"DISPID_SETROOT","features":[639]},{"name":"DISPID_SETSECURELOCKICON","features":[639]},{"name":"DISPID_SETSITEMODEICONOVERLAY","features":[639]},{"name":"DISPID_SETSITEMODEPROPERTIES","features":[639]},{"name":"DISPID_SETTHUMBNAILBUTTONS","features":[639]},{"name":"DISPID_SETVIEWTYPE","features":[639]},{"name":"DISPID_SHELLUIHELPERLAST","features":[639]},{"name":"DISPID_SHOWBROWSERUI","features":[639]},{"name":"DISPID_SHOWINPRIVATEHELP","features":[639]},{"name":"DISPID_SHOWTABSHELP","features":[639]},{"name":"DISPID_SITEMODEACTIVATE","features":[639]},{"name":"DISPID_SITEMODEADDBUTTONSTYLE","features":[639]},{"name":"DISPID_SITEMODEADDJUMPLISTITEM","features":[639]},{"name":"DISPID_SITEMODECLEARBADGE","features":[639]},{"name":"DISPID_SITEMODECLEARJUMPLIST","features":[639]},{"name":"DISPID_SITEMODECREATEJUMPLIST","features":[639]},{"name":"DISPID_SITEMODEREFRESHBADGE","features":[639]},{"name":"DISPID_SITEMODESHOWBUTTONSTYLE","features":[639]},{"name":"DISPID_SITEMODESHOWJUMPLIST","features":[639]},{"name":"DISPID_SKIPRUNONCE","features":[639]},{"name":"DISPID_SKIPTABSWELCOME","features":[639]},{"name":"DISPID_SQMENABLED","features":[639]},{"name":"DISPID_STARTBADGEUPDATE","features":[639]},{"name":"DISPID_STARTPERIODICUPDATE","features":[639]},{"name":"DISPID_STARTPERIODICUPDATEBATCH","features":[639]},{"name":"DISPID_STATUSTEXTCHANGE","features":[639]},{"name":"DISPID_STOPBADGEUPDATE","features":[639]},{"name":"DISPID_STOPPERIODICUPDATE","features":[639]},{"name":"DISPID_SUBSCRIPTIONSENABLED","features":[639]},{"name":"DISPID_SUGGESTEDSITESENABLED","features":[639]},{"name":"DISPID_SYNCHRONIZE","features":[639]},{"name":"DISPID_THIRDPARTYURLBLOCKED","features":[639]},{"name":"DISPID_TITLECHANGE","features":[639]},{"name":"DISPID_TITLEICONCHANGE","features":[639]},{"name":"DISPID_TRACKINGPROTECTIONENABLED","features":[639]},{"name":"DISPID_TVFLAGS","features":[639]},{"name":"DISPID_UNSELECTALL","features":[639]},{"name":"DISPID_UPDATEPAGESTATUS","features":[639]},{"name":"DISPID_UPDATETHUMBNAILBUTTON","features":[639]},{"name":"DISPID_VIEWUPDATE","features":[639]},{"name":"DISPID_WEBWORKERFINISHED","features":[639]},{"name":"DISPID_WEBWORKERSTARTED","features":[639]},{"name":"DISPID_WINDOWACTIVATE","features":[639]},{"name":"DISPID_WINDOWCLOSING","features":[639]},{"name":"DISPID_WINDOWMOVE","features":[639]},{"name":"DISPID_WINDOWREGISTERED","features":[639]},{"name":"DISPID_WINDOWRESIZE","features":[639]},{"name":"DISPID_WINDOWREVOKED","features":[639]},{"name":"DISPID_WINDOWSETHEIGHT","features":[639]},{"name":"DISPID_WINDOWSETLEFT","features":[639]},{"name":"DISPID_WINDOWSETRESIZABLE","features":[639]},{"name":"DISPID_WINDOWSETTOP","features":[639]},{"name":"DISPID_WINDOWSETWIDTH","features":[639]},{"name":"DISPID_WINDOWSTATECHANGED","features":[639]},{"name":"DecodeImage","features":[359,639]},{"name":"DecodeImageEx","features":[359,639]},{"name":"DitherTo8","features":[319,639]},{"name":"E_SURFACE_DISCARDED","features":[639]},{"name":"E_SURFACE_NODC","features":[639]},{"name":"E_SURFACE_NOSURFACE","features":[639]},{"name":"E_SURFACE_NOTMYDC","features":[639]},{"name":"E_SURFACE_NOTMYPOINTER","features":[639]},{"name":"E_SURFACE_UNKNOWN_FORMAT","features":[639]},{"name":"ExtensionValidationContextDynamic","features":[639]},{"name":"ExtensionValidationContextNone","features":[639]},{"name":"ExtensionValidationContextParsed","features":[639]},{"name":"ExtensionValidationContexts","features":[639]},{"name":"ExtensionValidationResultArrestPageLoad","features":[639]},{"name":"ExtensionValidationResultDoNotInstantiate","features":[639]},{"name":"ExtensionValidationResultNone","features":[639]},{"name":"ExtensionValidationResults","features":[639]},{"name":"FINDFRAME_FLAGS","features":[639]},{"name":"FINDFRAME_INTERNAL","features":[639]},{"name":"FINDFRAME_JUSTTESTEXISTENCE","features":[639]},{"name":"FINDFRAME_NONE","features":[639]},{"name":"FRAMEOPTIONS_BROWSERBAND","features":[639]},{"name":"FRAMEOPTIONS_DESKTOP","features":[639]},{"name":"FRAMEOPTIONS_FLAGS","features":[639]},{"name":"FRAMEOPTIONS_NO3DBORDER","features":[639]},{"name":"FRAMEOPTIONS_NORESIZE","features":[639]},{"name":"FRAMEOPTIONS_SCROLL_AUTO","features":[639]},{"name":"FRAMEOPTIONS_SCROLL_NO","features":[639]},{"name":"FRAMEOPTIONS_SCROLL_YES","features":[639]},{"name":"GetMaxMIMEIDBytes","features":[639]},{"name":"HomePage","features":[639]},{"name":"HomePageSetting","features":[639]},{"name":"IActiveXUIHandlerSite","features":[639]},{"name":"IActiveXUIHandlerSite2","features":[639]},{"name":"IActiveXUIHandlerSite3","features":[639]},{"name":"IAnchorClick","features":[359,639]},{"name":"IAudioSessionSite","features":[639]},{"name":"ICaretPositionProvider","features":[639]},{"name":"IDeviceRect","features":[359,639]},{"name":"IDithererImpl","features":[639]},{"name":"IDocObjectService","features":[639]},{"name":"IDownloadBehavior","features":[359,639]},{"name":"IDownloadManager","features":[639]},{"name":"IEAssociateThreadWithTab","features":[639]},{"name":"IECMDID_ARG_CLEAR_FORMS_ALL","features":[639]},{"name":"IECMDID_ARG_CLEAR_FORMS_ALL_BUT_PASSWORDS","features":[639]},{"name":"IECMDID_ARG_CLEAR_FORMS_PASSWORDS_ONLY","features":[639]},{"name":"IECMDID_BEFORENAVIGATE_DOEXTERNALBROWSE","features":[639]},{"name":"IECMDID_BEFORENAVIGATE_GETIDLIST","features":[639]},{"name":"IECMDID_BEFORENAVIGATE_GETSHELLBROWSE","features":[639]},{"name":"IECMDID_CLEAR_AUTOCOMPLETE_FOR_FORMS","features":[639]},{"name":"IECMDID_GET_INVOKE_DEFAULT_BROWSER_ON_NEW_WINDOW","features":[639]},{"name":"IECMDID_SETID_AUTOCOMPLETE_FOR_FORMS","features":[639]},{"name":"IECMDID_SET_INVOKE_DEFAULT_BROWSER_ON_NEW_WINDOW","features":[639]},{"name":"IECancelSaveFile","features":[308,639]},{"name":"IECreateDirectory","features":[308,311,639]},{"name":"IECreateFile","features":[308,311,639]},{"name":"IEDeleteFile","features":[308,639]},{"name":"IEDisassociateThreadWithTab","features":[639]},{"name":"IEFindFirstFile","features":[308,327,639]},{"name":"IEGetFileAttributesEx","features":[308,327,639]},{"name":"IEGetProcessModule_PROC_NAME","features":[639]},{"name":"IEGetProtectedModeCookie","features":[639]},{"name":"IEGetTabWindowExports_PROC_NAME","features":[639]},{"name":"IEGetWriteableFolderPath","features":[639]},{"name":"IEGetWriteableLowHKCU","features":[369,639]},{"name":"IEInPrivateFilteringEnabled","features":[308,639]},{"name":"IEIsInPrivateBrowsing","features":[308,639]},{"name":"IEIsProtectedModeProcess","features":[308,639]},{"name":"IEIsProtectedModeURL","features":[639]},{"name":"IELAUNCHOPTION_FLAGS","features":[639]},{"name":"IELAUNCHOPTION_FORCE_COMPAT","features":[639]},{"name":"IELAUNCHOPTION_FORCE_EDGE","features":[639]},{"name":"IELAUNCHOPTION_LOCK_ENGINE","features":[639]},{"name":"IELAUNCHOPTION_SCRIPTDEBUG","features":[639]},{"name":"IELAUNCHURLINFO","features":[639]},{"name":"IELaunchURL","features":[308,343,639]},{"name":"IEMoveFileEx","features":[308,639]},{"name":"IEPROCESS_MODULE_NAME","features":[639]},{"name":"IERefreshElevationPolicy","features":[639]},{"name":"IERegCreateKeyEx","features":[308,311,369,639]},{"name":"IERegSetValueEx","features":[639]},{"name":"IERegisterWritableRegistryKey","features":[308,639]},{"name":"IERegisterWritableRegistryValue","features":[639]},{"name":"IERemoveDirectory","features":[308,639]},{"name":"IESaveFile","features":[308,639]},{"name":"IESetProtectedModeCookie","features":[639]},{"name":"IEShowOpenFileDialog","features":[308,639]},{"name":"IEShowSaveFileDialog","features":[308,639]},{"name":"IETrackingProtectionEnabled","features":[308,639]},{"name":"IEUnregisterWritableRegistry","features":[639]},{"name":"IEWebDriverManager","features":[639]},{"name":"IE_USE_OE_MAIL_HKEY","features":[639]},{"name":"IE_USE_OE_MAIL_KEY","features":[639]},{"name":"IE_USE_OE_MAIL_VALUE","features":[639]},{"name":"IE_USE_OE_NEWS_HKEY","features":[639]},{"name":"IE_USE_OE_NEWS_KEY","features":[639]},{"name":"IE_USE_OE_NEWS_VALUE","features":[639]},{"name":"IE_USE_OE_PRESENT_HKEY","features":[639]},{"name":"IE_USE_OE_PRESENT_KEY","features":[639]},{"name":"IEnumManagerFrames","features":[639]},{"name":"IEnumOpenServiceActivity","features":[639]},{"name":"IEnumOpenServiceActivityCategory","features":[639]},{"name":"IEnumSTATURL","features":[639]},{"name":"IExtensionValidation","features":[639]},{"name":"IHTMLPersistData","features":[639]},{"name":"IHTMLPersistDataOM","features":[359,639]},{"name":"IHTMLUserDataOM","features":[359,639]},{"name":"IHeaderFooter","features":[359,639]},{"name":"IHeaderFooter2","features":[359,639]},{"name":"IHomePage","features":[359,639]},{"name":"IHomePageSetting","features":[639]},{"name":"IIEWebDriverManager","features":[359,639]},{"name":"IIEWebDriverSite","features":[359,639]},{"name":"IImageDecodeEventSink","features":[639]},{"name":"IImageDecodeEventSink2","features":[639]},{"name":"IImageDecodeFilter","features":[639]},{"name":"IIntelliForms","features":[359,639]},{"name":"IInternetExplorerManager","features":[639]},{"name":"IInternetExplorerManager2","features":[639]},{"name":"ILayoutRect","features":[359,639]},{"name":"IMGDECODE_EVENT_BEGINBITS","features":[639]},{"name":"IMGDECODE_EVENT_BITSCOMPLETE","features":[639]},{"name":"IMGDECODE_EVENT_PALETTE","features":[639]},{"name":"IMGDECODE_EVENT_PROGRESS","features":[639]},{"name":"IMGDECODE_EVENT_USEDDRAW","features":[639]},{"name":"IMGDECODE_HINT_BOTTOMUP","features":[639]},{"name":"IMGDECODE_HINT_FULLWIDTH","features":[639]},{"name":"IMGDECODE_HINT_TOPDOWN","features":[639]},{"name":"IMapMIMEToCLSID","features":[639]},{"name":"IMediaActivityNotifySite","features":[639]},{"name":"INTERNETEXPLORERCONFIGURATION","features":[639]},{"name":"INTERNETEXPLORERCONFIGURATION_HOST","features":[639]},{"name":"INTERNETEXPLORERCONFIGURATION_WEB_DRIVER","features":[639]},{"name":"INTERNETEXPLORERCONFIGURATION_WEB_DRIVER_EDGE","features":[639]},{"name":"IOpenService","features":[639]},{"name":"IOpenServiceActivity","features":[639]},{"name":"IOpenServiceActivityCategory","features":[639]},{"name":"IOpenServiceActivityInput","features":[639]},{"name":"IOpenServiceActivityManager","features":[639]},{"name":"IOpenServiceActivityOutputContext","features":[639]},{"name":"IOpenServiceManager","features":[639]},{"name":"IPeerFactory","features":[639]},{"name":"IPersistHistory","features":[359,639]},{"name":"IPrintTaskRequestFactory","features":[639]},{"name":"IPrintTaskRequestHandler","features":[639]},{"name":"IScrollableContextMenu","features":[639]},{"name":"IScrollableContextMenu2","features":[639]},{"name":"ISniffStream","features":[639]},{"name":"ISurfacePresenterFlip","features":[639]},{"name":"ISurfacePresenterFlip2","features":[639]},{"name":"ISurfacePresenterFlipBuffer","features":[639]},{"name":"ITargetContainer","features":[639]},{"name":"ITargetEmbedding","features":[639]},{"name":"ITargetFrame","features":[639]},{"name":"ITargetFrame2","features":[639]},{"name":"ITargetFramePriv","features":[639]},{"name":"ITargetFramePriv2","features":[639]},{"name":"ITargetNotify","features":[639]},{"name":"ITargetNotify2","features":[639]},{"name":"ITimer","features":[639]},{"name":"ITimerEx","features":[639]},{"name":"ITimerService","features":[639]},{"name":"ITimerSink","features":[639]},{"name":"ITridentTouchInput","features":[639]},{"name":"ITridentTouchInputSite","features":[639]},{"name":"IUrlHistoryNotify","features":[418,639]},{"name":"IUrlHistoryStg","features":[639]},{"name":"IUrlHistoryStg2","features":[639]},{"name":"IViewObjectPresentFlip","features":[639]},{"name":"IViewObjectPresentFlip2","features":[639]},{"name":"IViewObjectPresentFlipSite","features":[639]},{"name":"IViewObjectPresentFlipSite2","features":[639]},{"name":"IWebBrowserEventsService","features":[639]},{"name":"IWebBrowserEventsUrlService","features":[639]},{"name":"IdentifyMIMEType","features":[639]},{"name":"IntelliForms","features":[639]},{"name":"InternetExplorerManager","features":[639]},{"name":"Iwfolders","features":[359,639]},{"name":"LINKSBAND","features":[639]},{"name":"MAPMIME_CLSID","features":[639]},{"name":"MAPMIME_DEFAULT","features":[639]},{"name":"MAPMIME_DEFAULT_ALWAYS","features":[639]},{"name":"MAPMIME_DISABLE","features":[639]},{"name":"MAX_SEARCH_FORMAT_STRING","features":[639]},{"name":"MEDIA_ACTIVITY_NOTIFY_TYPE","features":[639]},{"name":"MediaCasting","features":[639]},{"name":"MediaPlayback","features":[639]},{"name":"MediaRecording","features":[639]},{"name":"NAVIGATEDATA","features":[639]},{"name":"NAVIGATEFRAME_FLAGS","features":[639]},{"name":"NAVIGATEFRAME_FL_AUTH_FAIL_CACHE_OK","features":[639]},{"name":"NAVIGATEFRAME_FL_NO_DOC_CACHE","features":[639]},{"name":"NAVIGATEFRAME_FL_NO_IMAGE_CACHE","features":[639]},{"name":"NAVIGATEFRAME_FL_POST","features":[639]},{"name":"NAVIGATEFRAME_FL_REALLY_SENDING_FROM_FORM","features":[639]},{"name":"NAVIGATEFRAME_FL_RECORD","features":[639]},{"name":"NAVIGATEFRAME_FL_SENDING_FROM_FORM","features":[639]},{"name":"OS_E_CANCELLED","features":[639]},{"name":"OS_E_GPDISABLED","features":[639]},{"name":"OS_E_NOTFOUND","features":[639]},{"name":"OS_E_NOTSUPPORTED","features":[639]},{"name":"OpenServiceActivityContentType","features":[639]},{"name":"OpenServiceActivityManager","features":[639]},{"name":"OpenServiceErrors","features":[639]},{"name":"OpenServiceManager","features":[639]},{"name":"PeerFactory","features":[639]},{"name":"REGSTRA_VAL_STARTPAGE","features":[639]},{"name":"REGSTR_PATH_CURRENT","features":[639]},{"name":"REGSTR_PATH_DEFAULT","features":[639]},{"name":"REGSTR_PATH_INETCPL_RESTRICTIONS","features":[639]},{"name":"REGSTR_PATH_MIME_DATABASE","features":[639]},{"name":"REGSTR_PATH_REMOTEACCESS","features":[639]},{"name":"REGSTR_PATH_REMOTEACESS","features":[639]},{"name":"REGSTR_SHIFTQUICKSUFFIX","features":[639]},{"name":"REGSTR_VAL_ACCEPT_LANGUAGE","features":[639]},{"name":"REGSTR_VAL_ACCESSMEDIUM","features":[639]},{"name":"REGSTR_VAL_ACCESSTYPE","features":[639]},{"name":"REGSTR_VAL_ALIASTO","features":[639]},{"name":"REGSTR_VAL_ANCHORCOLOR","features":[639]},{"name":"REGSTR_VAL_ANCHORCOLORHOVER","features":[639]},{"name":"REGSTR_VAL_ANCHORCOLORVISITED","features":[639]},{"name":"REGSTR_VAL_ANCHORUNDERLINE","features":[639]},{"name":"REGSTR_VAL_AUTODETECT","features":[639]},{"name":"REGSTR_VAL_AUTODIALDLLNAME","features":[639]},{"name":"REGSTR_VAL_AUTODIALFCNNAME","features":[639]},{"name":"REGSTR_VAL_AUTODIAL_MONITORCLASSNAME","features":[639]},{"name":"REGSTR_VAL_AUTODIAL_TRYONLYONCE","features":[639]},{"name":"REGSTR_VAL_AUTONAVIGATE","features":[639]},{"name":"REGSTR_VAL_AUTOSEARCH","features":[639]},{"name":"REGSTR_VAL_BACKBITMAP","features":[639]},{"name":"REGSTR_VAL_BACKGROUNDCOLOR","features":[639]},{"name":"REGSTR_VAL_BODYCHARSET","features":[639]},{"name":"REGSTR_VAL_BYPASSAUTOCONFIG","features":[639]},{"name":"REGSTR_VAL_CACHEPREFIX","features":[639]},{"name":"REGSTR_VAL_CHECKASSOC","features":[639]},{"name":"REGSTR_VAL_CODEDOWNLOAD","features":[639]},{"name":"REGSTR_VAL_CODEDOWNLOAD_DEF","features":[639]},{"name":"REGSTR_VAL_CODEPAGE","features":[639]},{"name":"REGSTR_VAL_COVEREXCLUDE","features":[639]},{"name":"REGSTR_VAL_DAYSTOKEEP","features":[639]},{"name":"REGSTR_VAL_DEFAULT_CODEPAGE","features":[639]},{"name":"REGSTR_VAL_DEFAULT_SCRIPT","features":[639]},{"name":"REGSTR_VAL_DEF_ENCODING","features":[639]},{"name":"REGSTR_VAL_DEF_INETENCODING","features":[639]},{"name":"REGSTR_VAL_DESCRIPTION","features":[639]},{"name":"REGSTR_VAL_DIRECTORY","features":[639]},{"name":"REGSTR_VAL_DISCONNECTIDLETIME","features":[639]},{"name":"REGSTR_VAL_ENABLEAUTODIAL","features":[639]},{"name":"REGSTR_VAL_ENABLEAUTODIALDISCONNECT","features":[639]},{"name":"REGSTR_VAL_ENABLEAUTODISCONNECT","features":[639]},{"name":"REGSTR_VAL_ENABLEEXITDISCONNECT","features":[639]},{"name":"REGSTR_VAL_ENABLESECURITYCHECK","features":[639]},{"name":"REGSTR_VAL_ENABLEUNATTENDED","features":[639]},{"name":"REGSTR_VAL_ENCODENAME","features":[639]},{"name":"REGSTR_VAL_FAMILY","features":[639]},{"name":"REGSTR_VAL_FIXEDWIDTHFONT","features":[639]},{"name":"REGSTR_VAL_FIXED_FONT","features":[639]},{"name":"REGSTR_VAL_FONT_SCRIPT","features":[639]},{"name":"REGSTR_VAL_FONT_SCRIPTS","features":[639]},{"name":"REGSTR_VAL_FONT_SCRIPT_NAME","features":[639]},{"name":"REGSTR_VAL_FONT_SIZE","features":[639]},{"name":"REGSTR_VAL_FONT_SIZE_DEF","features":[639]},{"name":"REGSTR_VAL_HEADERCHARSET","features":[639]},{"name":"REGSTR_VAL_HTTP_ERRORS","features":[639]},{"name":"REGSTR_VAL_IE_CUSTOMCOLORS","features":[639]},{"name":"REGSTR_VAL_INETCPL_ADVANCEDTAB","features":[639]},{"name":"REGSTR_VAL_INETCPL_CONNECTIONSTAB","features":[639]},{"name":"REGSTR_VAL_INETCPL_CONTENTTAB","features":[639]},{"name":"REGSTR_VAL_INETCPL_GENERALTAB","features":[639]},{"name":"REGSTR_VAL_INETCPL_IEAK","features":[639]},{"name":"REGSTR_VAL_INETCPL_PRIVACYTAB","features":[639]},{"name":"REGSTR_VAL_INETCPL_PROGRAMSTAB","features":[639]},{"name":"REGSTR_VAL_INETCPL_SECURITYTAB","features":[639]},{"name":"REGSTR_VAL_INETENCODING","features":[639]},{"name":"REGSTR_VAL_INTERNETENTRY","features":[639]},{"name":"REGSTR_VAL_INTERNETENTRYBKUP","features":[639]},{"name":"REGSTR_VAL_INTERNETPROFILE","features":[639]},{"name":"REGSTR_VAL_JAVAJIT","features":[639]},{"name":"REGSTR_VAL_JAVAJIT_DEF","features":[639]},{"name":"REGSTR_VAL_JAVALOGGING","features":[639]},{"name":"REGSTR_VAL_JAVALOGGING_DEF","features":[639]},{"name":"REGSTR_VAL_LEVEL","features":[639]},{"name":"REGSTR_VAL_LOADIMAGES","features":[639]},{"name":"REGSTR_VAL_LOCALPAGE","features":[639]},{"name":"REGSTR_VAL_MOSDISCONNECT","features":[639]},{"name":"REGSTR_VAL_NEWDIRECTORY","features":[639]},{"name":"REGSTR_VAL_NONETAUTODIAL","features":[639]},{"name":"REGSTR_VAL_PLAYSOUNDS","features":[639]},{"name":"REGSTR_VAL_PLAYVIDEOS","features":[639]},{"name":"REGSTR_VAL_PRIVCONVERTER","features":[639]},{"name":"REGSTR_VAL_PROPORTIONALFONT","features":[639]},{"name":"REGSTR_VAL_PROP_FONT","features":[639]},{"name":"REGSTR_VAL_PROXYENABLE","features":[639]},{"name":"REGSTR_VAL_PROXYOVERRIDE","features":[639]},{"name":"REGSTR_VAL_PROXYSERVER","features":[639]},{"name":"REGSTR_VAL_REDIALATTEMPTS","features":[639]},{"name":"REGSTR_VAL_REDIALINTERVAL","features":[639]},{"name":"REGSTR_VAL_RNAINSTALLED","features":[639]},{"name":"REGSTR_VAL_SAFETYWARNINGLEVEL","features":[639]},{"name":"REGSTR_VAL_SCHANNELENABLEPROTOCOL","features":[639]},{"name":"REGSTR_VAL_SCHANNELENABLEPROTOCOL_DEF","features":[639]},{"name":"REGSTR_VAL_SCRIPT_FIXED_FONT","features":[639]},{"name":"REGSTR_VAL_SCRIPT_PROP_FONT","features":[639]},{"name":"REGSTR_VAL_SEARCHPAGE","features":[639]},{"name":"REGSTR_VAL_SECURITYACTICEXSCRIPTS","features":[639]},{"name":"REGSTR_VAL_SECURITYACTICEXSCRIPTS_DEF","features":[639]},{"name":"REGSTR_VAL_SECURITYACTIVEX","features":[639]},{"name":"REGSTR_VAL_SECURITYACTIVEX_DEF","features":[639]},{"name":"REGSTR_VAL_SECURITYALLOWCOOKIES","features":[639]},{"name":"REGSTR_VAL_SECURITYALLOWCOOKIES_DEF","features":[639]},{"name":"REGSTR_VAL_SECURITYDISABLECACHINGOFSSLPAGES","features":[639]},{"name":"REGSTR_VAL_SECURITYDISABLECACHINGOFSSLPAGES_DEF","features":[639]},{"name":"REGSTR_VAL_SECURITYJAVA","features":[639]},{"name":"REGSTR_VAL_SECURITYJAVA_DEF","features":[639]},{"name":"REGSTR_VAL_SECURITYWARNONBADCERTSENDING","features":[639]},{"name":"REGSTR_VAL_SECURITYWARNONBADCERTSENDING_DEF","features":[639]},{"name":"REGSTR_VAL_SECURITYWARNONBADCERTVIEWING","features":[639]},{"name":"REGSTR_VAL_SECURITYWARNONBADCERTVIEWING_DEF","features":[639]},{"name":"REGSTR_VAL_SECURITYWARNONSEND","features":[639]},{"name":"REGSTR_VAL_SECURITYWARNONSENDALWAYS","features":[639]},{"name":"REGSTR_VAL_SECURITYWARNONSENDALWAYS_DEF","features":[639]},{"name":"REGSTR_VAL_SECURITYWARNONSEND_DEF","features":[639]},{"name":"REGSTR_VAL_SECURITYWARNONVIEW","features":[639]},{"name":"REGSTR_VAL_SECURITYWARNONVIEW_DEF","features":[639]},{"name":"REGSTR_VAL_SECURITYWARNONZONECROSSING","features":[639]},{"name":"REGSTR_VAL_SECURITYWARNONZONECROSSING_DEF","features":[639]},{"name":"REGSTR_VAL_SHOWADDRESSBAR","features":[639]},{"name":"REGSTR_VAL_SHOWFOCUS","features":[639]},{"name":"REGSTR_VAL_SHOWFOCUS_DEF","features":[639]},{"name":"REGSTR_VAL_SHOWFULLURLS","features":[639]},{"name":"REGSTR_VAL_SHOWTOOLBAR","features":[639]},{"name":"REGSTR_VAL_SMOOTHSCROLL","features":[639]},{"name":"REGSTR_VAL_SMOOTHSCROLL_DEF","features":[639]},{"name":"REGSTR_VAL_STARTPAGE","features":[639]},{"name":"REGSTR_VAL_TEXTCOLOR","features":[639]},{"name":"REGSTR_VAL_TRUSTWARNINGLEVEL_HIGH","features":[639]},{"name":"REGSTR_VAL_TRUSTWARNINGLEVEL_LOW","features":[639]},{"name":"REGSTR_VAL_TRUSTWARNINGLEVEL_MED","features":[639]},{"name":"REGSTR_VAL_USEAUTOAPPEND","features":[639]},{"name":"REGSTR_VAL_USEAUTOCOMPLETE","features":[639]},{"name":"REGSTR_VAL_USEAUTOSUGGEST","features":[639]},{"name":"REGSTR_VAL_USEDLGCOLORS","features":[639]},{"name":"REGSTR_VAL_USEHOVERCOLOR","features":[639]},{"name":"REGSTR_VAL_USEIBAR","features":[639]},{"name":"REGSTR_VAL_USEICM","features":[639]},{"name":"REGSTR_VAL_USEICM_DEF","features":[639]},{"name":"REGSTR_VAL_USERAGENT","features":[639]},{"name":"REGSTR_VAL_USESTYLESHEETS","features":[639]},{"name":"REGSTR_VAL_USESTYLESHEETS_DEF","features":[639]},{"name":"REGSTR_VAL_VISIBLEBANDS","features":[639]},{"name":"REGSTR_VAL_VISIBLEBANDS_DEF","features":[639]},{"name":"REGSTR_VAL_WEBCHARSET","features":[639]},{"name":"RatingAccessDeniedDialog","features":[308,639]},{"name":"RatingAccessDeniedDialog2","features":[308,639]},{"name":"RatingAccessDeniedDialog2W","features":[308,639]},{"name":"RatingAccessDeniedDialogW","features":[308,639]},{"name":"RatingAddToApprovedSites","features":[308,639]},{"name":"RatingCheckUserAccess","features":[639]},{"name":"RatingCheckUserAccessW","features":[639]},{"name":"RatingClickedOnPRFInternal","features":[308,639]},{"name":"RatingClickedOnRATInternal","features":[308,639]},{"name":"RatingEnable","features":[308,639]},{"name":"RatingEnableW","features":[308,639]},{"name":"RatingEnabledQuery","features":[639]},{"name":"RatingFreeDetails","features":[639]},{"name":"RatingInit","features":[639]},{"name":"RatingObtainCancel","features":[308,639]},{"name":"RatingObtainQuery","features":[308,639]},{"name":"RatingObtainQueryW","features":[308,639]},{"name":"RatingSetupUI","features":[308,639]},{"name":"RatingSetupUIW","features":[308,639]},{"name":"SCMP_BOTTOM","features":[639]},{"name":"SCMP_FULL","features":[639]},{"name":"SCMP_LEFT","features":[639]},{"name":"SCMP_RIGHT","features":[639]},{"name":"SCMP_TOP","features":[639]},{"name":"SCROLLABLECONTEXTMENU_PLACEMENT","features":[639]},{"name":"STATURL","features":[308,639]},{"name":"STATURLFLAG_ISCACHED","features":[639]},{"name":"STATURLFLAG_ISTOPLEVEL","features":[639]},{"name":"STATURL_QUERYFLAG_ISCACHED","features":[639]},{"name":"STATURL_QUERYFLAG_NOTITLE","features":[639]},{"name":"STATURL_QUERYFLAG_NOURL","features":[639]},{"name":"STATURL_QUERYFLAG_TOPLEVEL","features":[639]},{"name":"SURFACE_LOCK_ALLOW_DISCARD","features":[639]},{"name":"SURFACE_LOCK_EXCLUSIVE","features":[639]},{"name":"SURFACE_LOCK_WAIT","features":[639]},{"name":"SZBACKBITMAP","features":[639]},{"name":"SZJAVAVMPATH","features":[639]},{"name":"SZNOTEXT","features":[639]},{"name":"SZTOOLBAR","features":[639]},{"name":"SZTRUSTWARNLEVEL","features":[639]},{"name":"SZVISIBLE","features":[639]},{"name":"SZ_IE_DEFAULT_HTML_EDITOR","features":[639]},{"name":"SZ_IE_IBAR","features":[639]},{"name":"SZ_IE_IBAR_BANDS","features":[639]},{"name":"SZ_IE_MAIN","features":[639]},{"name":"SZ_IE_SEARCHSTRINGS","features":[639]},{"name":"SZ_IE_SECURITY","features":[639]},{"name":"SZ_IE_SETTINGS","features":[639]},{"name":"SZ_IE_THRESHOLDS","features":[639]},{"name":"S_SURFACE_DISCARDED","features":[639]},{"name":"SniffStream","features":[359,639]},{"name":"TARGET_NOTIFY_OBJECT_NAME","features":[639]},{"name":"TF_NAVIGATE","features":[639]},{"name":"TIMERMODE_NORMAL","features":[639]},{"name":"TIMERMODE_VISIBILITYAWARE","features":[639]},{"name":"TOOLSBAND","features":[639]},{"name":"TSZCALENDARPROTOCOL","features":[639]},{"name":"TSZCALLTOPROTOCOL","features":[639]},{"name":"TSZINTERNETCLIENTSPATH","features":[639]},{"name":"TSZLDAPPROTOCOL","features":[639]},{"name":"TSZMAILTOPROTOCOL","features":[639]},{"name":"TSZMICROSOFTPATH","features":[639]},{"name":"TSZNEWSPROTOCOL","features":[639]},{"name":"TSZPROTOCOLSPATH","features":[639]},{"name":"TSZSCHANNELPATH","features":[639]},{"name":"TSZVSOURCEPROTOCOL","features":[639]},{"name":"msodsvFailed","features":[639]},{"name":"msodsvLowSecurityLevel","features":[639]},{"name":"msodsvNoMacros","features":[639]},{"name":"msodsvPassedTrusted","features":[639]},{"name":"msodsvPassedTrustedCert","features":[639]},{"name":"msodsvUnsigned","features":[639]},{"name":"msoedmDisable","features":[639]},{"name":"msoedmDontOpen","features":[639]},{"name":"msoedmEnable","features":[639]},{"name":"msoslHigh","features":[639]},{"name":"msoslMedium","features":[639]},{"name":"msoslNone","features":[639]},{"name":"msoslUndefined","features":[639]},{"name":"wfolders","features":[639]}]}} \ No newline at end of file